diff --git a/.codeclimate.yml b/.codeclimate.yml index a84e6c1fdd0..0c62d4ed5eb 100644 --- a/.codeclimate.yml +++ b/.codeclimate.yml @@ -4,10 +4,10 @@ languages: JavaScript: true PHP: true engines: - phpcodesniffer: true + phpcodesniffer: true exclude_paths: - 'build/*' - 'dev/*' - 'doc/*' - 'test/*' - - 'htdocs/includes/*' \ No newline at end of file + - 'htdocs/includes/*' diff --git a/.gitattributes b/.gitattributes index de9ce3303a9..37e320f933d 100644 --- a/.gitattributes +++ b/.gitattributes @@ -3,7 +3,7 @@ * text=auto -# Explicitly declare text files we want to always be normalized and converted +# Explicitly declare text files we want to always be normalized and converted # to native line endings on checkout. *.php text eol=lf *.pl text eol=lf @@ -21,6 +21,7 @@ *.yml text eol=lf *.yaml text eol=lf *.conf text eol=lf +*.neon text eol=lf .bash_aliases text eol=lf diff --git a/.github/FUNDING.yml b/.github/FUNDING.yml index 6b651234788..cd1513f3576 100644 --- a/.github/FUNDING.yml +++ b/.github/FUNDING.yml @@ -2,4 +2,4 @@ open_collective: dolibarr custom: https://wiki.dolibarr.org/index.php/Subscribe -github: [eldy] \ No newline at end of file +github: [eldy] diff --git a/.github/ISSUE_TEMPLATE/bug_report.yml b/.github/ISSUE_TEMPLATE/bug_report.yml index 3795b1b7222..2c79a8cea03 100644 --- a/.github/ISSUE_TEMPLATE/bug_report.yml +++ b/.github/ISSUE_TEMPLATE/bug_report.yml @@ -7,7 +7,7 @@ body: attributes: value: | This is a template to help you report good issues. You may use [Github Markdown](https://help.github.com/articles/getting-started-with-writing-and-formatting-on-github/) syntax to format your issue report. - + - type: textarea id: bug attributes: @@ -27,19 +27,19 @@ body: attributes: label: Environment OS description: Server OS type and version - + - type: input id: environment-webserver attributes: label: Environment Web server description: Webserver type and version - + - type: input id: environment-php attributes: label: Environment PHP description: PHP version - + - type: input id: environment-database attributes: @@ -63,7 +63,7 @@ body: attributes: label: Steps to reproduce the behavior description: Verbose description - + - type: textarea id: files attributes: diff --git a/.github/ISSUE_TEMPLATE/feature_request.yml b/.github/ISSUE_TEMPLATE/feature_request.yml index 885f3472d18..5d97ee6a5be 100644 --- a/.github/ISSUE_TEMPLATE/feature_request.yml +++ b/.github/ISSUE_TEMPLATE/feature_request.yml @@ -21,7 +21,7 @@ body: attributes: label: Use case description: Verbose description - + - type: textarea id: suggested-implementation attributes: diff --git a/.github/logToCs.py b/.github/logToCs.py new file mode 100755 index 00000000000..d08628cef84 --- /dev/null +++ b/.github/logToCs.py @@ -0,0 +1,417 @@ +#!/usr/bin/env python3 +# pylint: disable=invalid-name +""" +Convert a log to CheckStyle format. + +Url: https://github.com/mdeweerd/LogToCheckStyle + +The log can then be used for generating annotations in a github action. + +Note: this script is very young and "quick and dirty". + Patterns can be added to "PATTERNS" to match more messages. + +# Examples + +Assumes that logToCs.py is available as .github/logToCs.py. + +## Example 1: + + +```yaml + - run: | + pre-commit run -all-files | tee pre-commit.log + .github/logToCs.py pre-commit.log pre-commit.xml + - uses: staabm/annotate-pull-request-from-checkstyle-action@v1 + with: + files: pre-commit.xml + notices-as-warnings: true # optional +``` + +## Example 2: + + +```yaml + - run: | + pre-commit run --all-files | tee pre-commit.log + - name: Add results to PR + if: ${{ always() }} + run: | + .github/logToCs.py pre-commit.log | cs2pr +``` + +Author(s): + - https://github.com/mdeweerd + +License: MIT License + +""" + +import argparse +import os +import re +import sys +import xml.etree.ElementTree as ET # nosec + + +def remove_prefix(string, prefix): + """ + Remove prefix from string + + Provided for backward compatibility. + """ + if prefix and string.startswith(prefix): + return string[len(prefix) :] + return string + + +def convert_to_checkstyle(messages, root_path=None): + """ + Convert provided message to CheckStyle format. + """ + root = ET.Element("checkstyle") + for message in messages: + fields = parse_message(message) + if fields: + add_error_entry(root, **fields, root_path=root_path) + return ET.tostring(root, encoding="utf_8").decode("utf_8") + + +def convert_text_to_checkstyle(text, root_path=None): + """ + Convert provided message to CheckStyle format. + """ + root = ET.Element("checkstyle") + for fields in parse_file(text): + if fields: + add_error_entry(root, **fields, root_path=root_path) + return ET.tostring(root, encoding="utf_8").decode("utf_8") + + +ANY_REGEX = r".*?" +FILE_REGEX = r"\s*(?P\S.*?)\s*?" +FILEGROUP_REGEX = r"\s*(?P\S.*?)\s*?" +EOL_REGEX = r"[\r\n]" +LINE_REGEX = r"\s*(?P\d+?)\s*?" +COLUMN_REGEX = r"\s*(?P\d+?)\s*?" +SEVERITY_REGEX = r"\s*(?Perror|warning|notice|style|info)\s*?" +MSG_REGEX = r"\s*(?P.+?)\s*?" +MULTILINE_MSG_REGEX = r"\s*(?P(?:.|.[\r\n])+)" +# cpplint confidence index +CONFIDENCE_REGEX = r"\s*\[(?P\d+)\]\s*?" + + +# List of message patterns, add more specific patterns earlier in the list +# Creating patterns by using constants makes them easier to define and read. +PATTERNS = [ + # beautysh + # File ftp.sh: error: "esac" before "case" in line 90. + re.compile( + f"^File {FILE_REGEX}:{SEVERITY_REGEX}:" + f" {MSG_REGEX} in line {LINE_REGEX}.$" + ), + # beautysh + # File socks4echo.sh: error: indent/outdent mismatch: -2. + re.compile(f"^File {FILE_REGEX}:{SEVERITY_REGEX}: {MSG_REGEX}$"), + # yamllint + # ##[group].pre-commit-config.yaml + # ##[error]97:14 [trailing-spaces] trailing spaces + # ##[endgroup] + re.compile(rf"^##\[group\]{FILEGROUP_REGEX}$"), # Start file group + re.compile( + rf"^##\[{SEVERITY_REGEX}\]{LINE_REGEX}:{COLUMN_REGEX}{MSG_REGEX}$" + ), # Msg + re.compile(r"^##(?P\[endgroup\])$"), # End file group + # File socks4echo.sh: error: indent/outdent mismatch: -2. + re.compile(f"^File {FILE_REGEX}:{SEVERITY_REGEX}: {MSG_REGEX}$"), + # ESLint (JavaScript Linter), RoboCop, shellcheck + # path/to/file.js:10:2: Some linting issue + # path/to/file.rb:10:5: Style/Indentation: Incorrect indentation detected + # path/to/script.sh:10:1: SC2034: Some shell script issue + re.compile(f"^{FILE_REGEX}:{LINE_REGEX}:{COLUMN_REGEX}: {MSG_REGEX}$"), + # Cpplint default output: + # '%s:%s: %s [%s] [%d]\n' + # % (filename, linenum, message, category, confidence) + re.compile(f"^{FILE_REGEX}:{LINE_REGEX}:{MSG_REGEX}{CONFIDENCE_REGEX}$"), + # MSVC + # file.cpp(10): error C1234: Some error message + re.compile( + f"^{FILE_REGEX}\\({LINE_REGEX}\\):{SEVERITY_REGEX}{MSG_REGEX}$" + ), + # Java compiler + # File.java:10: error: Some error message + re.compile(f"^{FILE_REGEX}:{LINE_REGEX}:{SEVERITY_REGEX}:{MSG_REGEX}$"), + # Python + # File ".../logToCs.py", line 90 (note: code line follows) + re.compile(f'^File "{FILE_REGEX}", line {LINE_REGEX}$'), + # Pylint, others + # path/to/file.py:10: [C0111] Missing docstring + # others + re.compile(f"^{FILE_REGEX}:{LINE_REGEX}: {MSG_REGEX}$"), + # Shellcheck: + # In script.sh line 76: + re.compile( + f"^In {FILE_REGEX} line {LINE_REGEX}:{EOL_REGEX}?" + f"({MULTILINE_MSG_REGEX})?{EOL_REGEX}{EOL_REGEX}" + ), + # eslint: + # /path/to/filename + # 14:5 error Unexpected trailing comma comma-dangle + re.compile( + f"^{FILE_REGEX}{EOL_REGEX}" + rf"\s+{LINE_REGEX}:{COLUMN_REGEX}\s+{SEVERITY_REGEX}\s+{MSG_REGEX}$" + ), +] + +# Severities available in CodeSniffer report format +SEVERITY_NOTICE = "notice" +SEVERITY_WARNING = "warning" +SEVERITY_ERROR = "error" + + +def strip_ansi(text: str): + """ + Strip ANSI escape sequences from string (colors, etc) + """ + return re.sub(r"\x1B(?:[@-Z\\-_]|\[[0-?]*[ -/]*[@-~])", "", text) + + +def parse_file(text): + """ + Parse all messages in a file + + Returns the fields in a dict. + """ + # pylint: disable=too-many-branches + # regex required to allow same group names + try: + import regex # pylint: disable=import-outside-toplevel + except ImportError as exc: + raise ImportError( + "The 'parsefile' method requires 'python -m pip install regex'" + ) from exc + + patterns = [pattern.pattern for pattern in PATTERNS] + # patterns = [PATTERNS[0].pattern] + + file_group = None # The file name for the group (if any) + full_regex = "(?:(?:" + (")|(?:".join(patterns)) + "))" + results = [] + + for fields in regex.finditer( + full_regex, strip_ansi(text), regex.MULTILINE + ): + if not fields: + continue + result = fields.groupdict() + + if len(result) == 0: + continue + + severity = result.get("severity", None) + file_name = result.get("file_name", None) + confidence = result.pop("confidence", None) + new_file_group = result.pop("file_group", None) + file_endgroup = result.pop("file_endgroup", None) + + if new_file_group is not None: + # Start of file_group, just store file + file_group = new_file_group + continue + + if file_endgroup is not None: + file_group = None + continue + + if file_name is None: + if file_group is not None: + file_name = file_group + result["file_name"] = file_name + else: + # No filename, skip + continue + + if confidence is not None: + # Convert confidence level of cpplint + # to warning, etc. + confidence = int(confidence) + + if confidence <= 1: + severity = SEVERITY_NOTICE + elif confidence >= 5: + severity = SEVERITY_ERROR + else: + severity = SEVERITY_WARNING + + if severity is None: + severity = SEVERITY_ERROR + else: + severity = severity.lower() + + if severity in ["info", "style"]: + severity = SEVERITY_NOTICE + + result["severity"] = severity + + results.append(result) + + return results + + +def parse_message(message): + """ + Parse message until it matches a pattern. + + Returns the fields in a dict. + """ + for pattern in PATTERNS: + fields = pattern.match(message) + if not fields: + continue + result = fields.groupdict() + if len(result) == 0: + continue + + if "confidence" in result: + # Convert confidence level of cpplint + # to warning, etc. + confidence = int(result["confidence"]) + del result["confidence"] + + if confidence <= 1: + severity = SEVERITY_NOTICE + elif confidence >= 5: + severity = SEVERITY_ERROR + else: + severity = SEVERITY_WARNING + result["severity"] = severity + + if "severity" not in result: + result["severity"] = SEVERITY_ERROR + else: + result["severity"] = result["severity"].lower() + + if result["severity"] in ["info", "style"]: + result["severity"] = SEVERITY_NOTICE + + return result + + # Nothing matched + return None + + +def add_error_entry( # pylint: disable=too-many-arguments + root, + severity, + file_name, + line=None, + column=None, + message=None, + source=None, + root_path=None, +): + """ + Add error information to the CheckStyle output being created. + """ + file_element = find_or_create_file_element( + root, file_name, root_path=root_path + ) + error_element = ET.SubElement(file_element, "error") + error_element.set("severity", severity) + if line: + error_element.set("line", line) + if column: + error_element.set("column", column) + if message: + error_element.set("message", message) + if source: + # To verify if this is a valid attribute + error_element.set("source", source) + + +def find_or_create_file_element(root, file_name: str, root_path=None): + """ + Find/create file element in XML document tree. + """ + + if root_path is not None: + file_name = remove_prefix(file_name, root_path) + for file_element in root.findall("file"): + if file_element.get("name") == file_name: + return file_element + file_element = ET.SubElement(root, "file") + file_element.set("name", file_name) + return file_element + + +def main(): + """ + Parse the script arguments and get the conversion done. + """ + parser = argparse.ArgumentParser( + description="Convert messages to Checkstyle XML format." + ) + parser.add_argument( + "input", help="Input file. Use '-' for stdin.", nargs="?", default="-" + ) + parser.add_argument( + "output", + help="Output file. Use '-' for stdout.", + nargs="?", + default="-", + ) + parser.add_argument( + "-i", + "--in", + dest="input_named", + help="Input filename. Overrides positional input.", + ) + parser.add_argument( + "-o", + "--out", + dest="output_named", + help="Output filename. Overrides positional output.", + ) + parser.add_argument( + "--root", + metavar="ROOT_PATH", + help="Root directory to remove from file paths." + " Defaults to working directory.", + default=os.getcwd(), + ) + + args = parser.parse_args() + + if args.input == "-" and args.input_named: + with open( + args.input_named, encoding="utf_8", errors="surrogateescape" + ) as input_file: + text = input_file.read() + elif args.input != "-": + with open( + args.input, encoding="utf_8", errors="surrogateescape" + ) as input_file: + text = input_file.read() + else: + text = sys.stdin.read() + + root_path = os.path.join(args.root, "") + + try: + checkstyle_xml = convert_text_to_checkstyle(text, root_path=root_path) + except ImportError: + checkstyle_xml = convert_to_checkstyle( + re.split(r"[\r\n]+", text), root_path=root_path + ) + + if args.output == "-" and args.output_named: + with open(args.output_named, "w", encoding="utf_8") as output_file: + output_file.write(checkstyle_xml) + elif args.output != "-": + with open(args.output, "w", encoding="utf_8") as output_file: + output_file.write(checkstyle_xml) + else: + print(checkstyle_xml) + + +if __name__ == "__main__": + main() diff --git a/htdocs/includes/sabre/sabre/event/bin/.empty b/.github/tmp/.gitkeep similarity index 100% rename from htdocs/includes/sabre/sabre/event/bin/.empty rename to .github/tmp/.gitkeep diff --git a/.github/workflows/exakat.yml b/.github/workflows/exakat.yml index 0b33ede5f4f..16e87acd81a 100644 --- a/.github/workflows/exakat.yml +++ b/.github/workflows/exakat.yml @@ -22,7 +22,7 @@ jobs: - name: Exakat uses: docker://exakat/exakat-ga with: - ignore_rules: 'Classes/UseInstanceof,Performances/PrePostIncrement,Functions/UndefinedFunctions,Functions/WrongNumberOfArguments,Functions/WrongTypeWithCall,Variables/UndefinedVariable,Classes/DontUnsetProperties,Classes/NonPpp,Classes/StaticMethodsCalledFromObject,Classes/UseClassOperator,Functions/UsesDefaultArguments,Php/NoClassInGlobal,Php/ShouldUseCoalesce,Php/WrongTypeForNativeFunction,Structures/AddZero,Structures/DropElseAfterReturn,Structures/IfWithSameConditions,Structures/MergeIfThen,Structures/NestedTernary,Structures/ElseIfElseif,Structures/ExitUsage,Structures/RepeatedPrint,Structures/RepeatedRegex,Structures/SameConditions,Structures/SwitchWithoutDefault,Structures/ShouldMakeTernary,Structures/UselessParenthesis,Structures/UseConstant' + ignore_rules: 'Classes/UseInstanceof,Performances/PrePostIncrement,Functions/UndefinedFunctions,Functions/WrongNumberOfArguments,Functions/WrongTypeWithCall,Variables/UndefinedVariable,Classes/DontUnsetProperties,Classes/NonPpp,Classes/StaticMethodsCalledFromObject,Classes/UseClassOperator,Functions/UsesDefaultArguments,Php/NoClassInGlobal,Php/ShouldUseCoalesce,Php/WrongTypeForNativeFunction,Structures/AddZero,Structures/DropElseAfterReturn,Structures/IfWithSameConditions,Structures/MergeIfThen,Structures/NestedTernary,Structures/ElseIfElseif,Structures/ExitUsage,Structures/RepeatedPrint,Structures/RepeatedRegex,Structures/SameConditions,Structures/SwitchWithoutDefault,Structures/ShouldMakeTernary,Structures/UselessParenthesis,Structures/UseConstant' ignore_dirs: '/htdocs/includes/,/htdocs/install/doctemplates/,/build/,/dev/,/doc/,/scripts/,/test/' - file_extensions: php - project_reports: Perfile \ No newline at end of file + file_extensions: php + project_reports: Perfile diff --git a/.github/workflows/phpcs.yml b/.github/workflows/phpcs.yml index 1bb1184586f..6b0b0258823 100644 --- a/.github/workflows/phpcs.yml +++ b/.github/workflows/phpcs.yml @@ -1,6 +1,7 @@ name: "PHPCS" on: + push: pull_request: paths: - "**.php" @@ -11,6 +12,7 @@ jobs: phpcs: runs-on: ubuntu-latest steps: + # Get git sources - uses: actions/checkout@v4 with: fetch-depth: 50 # important! diff --git a/.github/workflows/phpcsfixer.yml.disabled b/.github/workflows/phpcsfixer.yml.disabled deleted file mode 100644 index 959ba5ad801..00000000000 --- a/.github/workflows/phpcsfixer.yml.disabled +++ /dev/null @@ -1,63 +0,0 @@ -name: GitHub CI PHPCS and PHPCBF - -on: - pull_request: - types: [opened] -#on: -# push: -# paths: -# - '**.php' - -jobs: - #filesChanged: - # uses: ./.github/workflows/files_changed.yaml - # with: - # folder_path: .* - - linter_name: - name: Run & fix PHP Code Sniffer - runs-on: ubuntu-latest - #needs: filesChanged - steps: - - uses: actions/checkout@v3 - with: - repository: ${{ github.event.pull_request.head.repo.full_name }} - ref: ${{ github.event.pull_request.head.ref }} - # fetch-depth: 10 - - - name: echo Get list of all changed files - run: | - #echo ${{ needs.filesChanged.outputs.all_changed_files }} - #echo boolean_output=${{ needs.filesChanged.outputs.boolean_output }} - echo github.head_ref=${{github.head_ref}} - echo github.base_ref=${{github.base_ref}} - echo github.ref_name=${{github.ref_name}} - - - uses: eldy/phpcsfixer-action@master - with: - github_token: ${{ secrets.github_token }} - use_default_configuration_file: false - phpcs_standard: 'dev/setup/codesniffer/ruleset.xml' - phpcs_head_ref: ${{github.head_ref}} - phpcs_base_ref: ${{github.base_ref}} - phpcs_ref_name: ${{github.ref_name}} - phpcs_github_event_name: ${{github.event_name}} - phpcs_files: ${{ needs.filesChanged.outputs.all_changed_files }} - - #- uses: stefanzweifel/git-auto-commit-action@v4 # auto commit the fixes action for GitHub - # with: - # commit_message: Fix PHPCS errors by GitHub PHPCSfixer action - - - name: Commit changes - uses: EndBug/add-and-commit@v9.1.3 - with: - default_author: github_actions - committer_name: GitHub Actions - committer_email: actions@github.com - #author_name: PHP CS fixer - #author_email: eldy@destailleur.fr - #committer_name: PHP CS fixer - #committer_email: eldy@destailleur.fr - message: 'PHP CS fixer github action' - add: '*.php' - diff --git a/.github/workflows/phpstan.yml b/.github/workflows/phpstan.yml new file mode 100644 index 00000000000..a0f619cb393 --- /dev/null +++ b/.github/workflows/phpstan.yml @@ -0,0 +1,62 @@ +# This is a basic workflow to check code with PHPSTAN tool + +name: "PHPStan" + +# Controls when the workflow will run +on: [push, pull_request] +concurrency: + group: ${{ github.workflow }}-${{ github.event.pull_request.number || github.ref }} + cancel-in-progress: true + +# A workflow run is made up of one or more jobs that can run sequentially or in parallel +jobs: + # This workflow contains a single job + php-stan: + # The type of runner that the job will run on + runs-on: ubuntu-latest + strategy: + fail-fast: false + matrix: + php-version: + # PHPStan requires PHP >= 7.2. + #- "7.2" + - "8.2" + # Steps represent a sequence of tasks that will be executed as part of the job + steps: + # Checks-out your repository under $GITHUB_WORKSPACE, so your job can access it + - uses: actions/checkout@v4 + + # Get PHP and addons + - name: Setup PHP + id: setup-php + uses: shivammathur/setup-php@v2 + with: + php-version: "${{ matrix.php-version }}" + tools: phpstan, cs2pr + extensions: calendar, json, imagick, gd, zip, mbstring, intl, opcache, imap, mysql, pgsql, sqlite3, ldap, xml, mcrypt + + # Restore old cache + - name: Restore phpstan cache + id: cache + uses: actions/cache/restore@v4 + with: + path: ./.github/tmp + key: "phpstan-cache-${{ matrix.php-version }}-${{ github.run_id }}" + restore-keys: | + phpstan-cache-${{ matrix.php-version }}- + - name: Show debug into + run: cd ./.github/tmp && ls -al + + # Run PHPStan + - name: Run PHPStan + id: phpstan + run: phpstan -vvv analyse --error-format=checkstyle --memory-limit 4G -a build/phpstan/bootstrap_action.php -c phpstan.neon | cs2pr --graceful-warnings + # continue-on-error: true + + # Save cache + - name: "Save phpstan cache" + uses: actions/cache/save@v4 + if: ${{ success() || ( ! cancelled() && steps.cache.outputs.cache-hit != 'true' ) }} + with: + path: ./.github/tmp + key: "phpstan-cache-${{ matrix.php-version }}-${{ github.run_id }}" diff --git a/.github/workflows/pre-commit.yml b/.github/workflows/pre-commit.yml new file mode 100644 index 00000000000..c685645c504 --- /dev/null +++ b/.github/workflows/pre-commit.yml @@ -0,0 +1,111 @@ +--- +name: pre-commit +on: + pull_request: + push: +jobs: + pre-commit: + runs-on: ubuntu-latest + env: + LOG_TO_CS: .github/logToCs.py + RAW_LOG: pre-commit.log + CS_XML: pre-commit.xml + steps: + - name: Install required tools + run: sudo apt-get update && sudo apt-get install cppcheck + if: false + + # The next uses the git API because there is no clone yet. + # This is faster for a big repo. + - name: Get all changed php files (if PR) + id: changed-php + uses: tj-actions/changed-files@v42 + if: github.event_name == 'pull_request' + with: + files: | + **.php + + # Checkout git sources to analyze + - uses: actions/checkout@v4 + # Action setup-python needs a requirements.txt or pyproject.toml + # This ensures one of them exists. + - name: Create requirements.txt if no requirements.txt or pyproject.toml + run: |- + [ -r requirements.txt ] || [ -r pyproject.toml ] || touch requirements.txt + # Install python and pre-commit tool + - uses: actions/setup-python@v5 + with: + cache: pip + python-version: '3.11' + - run: python -m pip install pre-commit regex + # Restore previous cache of precommit + - uses: actions/cache/restore@v4 + with: + path: ~/.cache/pre-commit/ + key: pre-commit-4|${{ env.pythonLocation }}|${{ hashFiles('.pre-commit-config.yaml') }} + # Run all the precommit tools (defined into pre-commit-config.yaml). + # We can force exclusion of some of them here. + - name: Run pre-commit hooks + env: + # SKIP is used by pre-commit to not execute certain hooks + SKIP: no-commit-to-branch,php-cs,php-cbf,trailing-whitespace,end-of-file-fixer + run: | + set -o pipefail + pre-commit gc + pre-commit run --show-diff-on-failure --color=always --all-files | tee ${RAW_LOG} + + # The next uses git, which is slow for a bit repo. + # - name: Get all changed php files (if PR) + # id: changed-php + # uses: tj-actions/changed-files@v42 + # if: github.event_name == 'pull_request' + # with: + # files: | + # **.php + + - name: Setup PHPCS + uses: shivammathur/setup-php@v2 + if: steps.changed-php.outputs.any_changed == 'true' + with: + php-version: 8.1 + coverage: none # disable xdebug, pcov + tools: phpcs + + - name: Run some pre-commit hooks on selected changed files only + if: steps.changed-php.outputs.any_changed == 'true' + env: + ALL_CHANGED_FILES: ${{ steps.changed-php.outputs.all_changed_files }} + run: | + set -o pipefail + pre-commit run php-cs --files ${ALL_CHANGED_FILES} | tee -a ${RAW_LOG} + + # If error, we convert log in the checkstyle format + - name: Convert Raw Log to CheckStyle format + if: ${{ failure() }} + run: | + python ${LOG_TO_CS} ${RAW_LOG} ${CS_XML} + # Annotate the git sources with the log messages + - name: Annotate Source Code with Messages + uses: staabm/annotate-pull-request-from-checkstyle-action@v1 + if: ${{ failure() }} + with: + files: ${{ env.CS_XML }} + notices-as-warnings: true # optional + prepend-filename: true # optional + # Save the precommit cache + - uses: actions/cache/save@v4 + if: ${{ ! cancelled() }} + with: + path: ~/.cache/pre-commit/ + key: pre-commit-4|${{ env.pythonLocation }}|${{ hashFiles('.pre-commit-config.yaml') + }} + # Upload result log files of precommit into the Artifact shared store + - name: Provide log as artifact + uses: actions/upload-artifact@v4 + if: ${{ ! cancelled() }} + with: + name: precommit-logs + path: | + ${{ env.RAW_LOG }} + ${{ env.CS_XML }} + retention-days: 2 diff --git a/.github/workflows/stale-issues-safe.yml b/.github/workflows/stale-issues-safe.yml index af04675d48d..266227fc057 100644 --- a/.github/workflows/stale-issues-safe.yml +++ b/.github/workflows/stale-issues-safe.yml @@ -7,7 +7,7 @@ on: issue_comment: types: [created] workflow_dispatch: - + permissions: {} # none jobs: @@ -26,4 +26,3 @@ jobs: days-before-close: 10 operations-per-run: 100 dry-run: false - diff --git a/.gitignore b/.gitignore index f0ed21691df..ea477725a2c 100644 --- a/.gitignore +++ b/.gitignore @@ -50,6 +50,9 @@ build/yarn-error.log build/node_modules/ node_modules/ +vendor/ +tmp/ + #yarn yarn.lock diff --git a/.pre-commit-config.yaml b/.pre-commit-config.yaml new file mode 100644 index 00000000000..81159f37bed --- /dev/null +++ b/.pre-commit-config.yaml @@ -0,0 +1,148 @@ +--- +exclude: (?x)^( htdocs/includes/ckeditor/.* ) +repos: + # Several miscellaneous checks and fix (on yaml files, end of files fix) + - repo: https://github.com/pre-commit/pre-commit-hooks + rev: v4.5.0 + hooks: + - id: no-commit-to-branch + args: [--branch, develop, --pattern, \d+.0] + - id: check-yaml + args: [--unsafe] + - id: check-json + - id: mixed-line-ending + exclude: (?x)^(htdocs/includes/tecnickcom/tcpdf/fonts/.*)$ + - id: trailing-whitespace + exclude_types: [markdown] + - id: end-of-file-fixer + - id: check-merge-conflict + - id: check-executables-have-shebangs + - id: check-shebang-scripts-are-executable + exclude: (?x)^( dev/tools/dolibarr-postgres2mysql.php |test/other/test_serialize.php + |test/phpunit/textutf8.txt |test/phpunit/textiso.txt |htdocs/includes/.* + |htdocs/modulebuilder/template/.* |build/debian/dolibarr.postrm |build/debian/dolibarr.postinst + |build/debian/dolibarr.config )$ + - id: fix-byte-order-marker + - id: check-case-conflict + + # Beautify shell scripts + - repo: https://github.com/lovesegfault/beautysh.git + rev: v6.2.1 + hooks: + - id: beautysh + exclude: (?x)^(dev/setup/git/hooks/pre-commit)$ + args: [--tab] + + # Run local script + # + # For instance to update the license in edited files, you could add to local.sh: + # + # ```shell + # #!/bin/bash + # MYDIR=$(dirname "$0") + # CHANGED_INTERNALS=$(git diff --name-only | grep -v includes) + # "$MYDIR/dev/tools/updatelicense.php" $CHANGED_INTERNALS + # ``` + - repo: local + hooks: + - id: local-precommit-script + name: Run local script before commit if it exists + language: system + entry: bash -c '[ ! -x local.sh ] || ./local.sh' + pass_filenames: false + + # Check PHP syntax + - repo: https://github.com/bolovsky/pre-commit-php + rev: 1.5.1 + hooks: + - id: php-cbf + files: \.(php)$ + args: [--standard=dev/setup/codesniffer/ruleset.xml -p] + - id: php-cs + files: \.(php)$ + args: [--standard=dev/setup/codesniffer/ruleset.xml -p] + - id: php-lint + + # Prettier (format code, only for non common files) + - repo: https://github.com/pre-commit/mirrors-prettier + rev: v3.0.3 + hooks: + - id: prettier + stages: [manual] + exclude: (?x)^( .*\.(phar |min\.css |lock) |htdocs/(includes|theme/common)/.* + )$ + exclude_types: + - php + - executable + - binary + - shell + - javascript + - markdown + - html + - less + - plain-text + - scss + - css + - yaml + + # Check format of yaml files + - repo: https://github.com/adrienverge/yamllint.git + rev: v1.33.0 + hooks: + - id: yamllint + args: + - --no-warnings + - -d + - '{extends: relaxed, rules: {line-length: {max: 120}}}' + + # Execute codespell to fix typo errors (setup of codespell into dev/tools/codespell/) + - repo: https://github.com/codespell-project/codespell + rev: v2.2.6 + hooks: + - id: codespell + # Due to a current limitation of configuration files, + # we can specify two dicts only on the CLI. + # You can update the contents of the exclude-file codespell-lines-ignore with the script + # dev/tools/codespell/addCodespellIgnores.sh + args: + - -D + - '-' + - -D + - dev/tools/codespell/codespell-dict.txt + - -I + - dev/tools/codespell/codespell-ignore.txt + - -x + - dev/tools/codespell/codespell-lines-ignore.txt + - --uri-ignore-words-list + - ned + exclude_types: [image] + exclude: (?x)^(.phan/stubs/.*)$ + additional_dependencies: [tomli] + - alias: codespell-lang-en_US + # Only for translations with specialised exceptions + # -D contains predefined conversion dictionaries + # -L is to ignore some words + id: codespell + files: ^htdocs/langs/en_US/.*$ + args: + - -D + - '-' + - -D + - dev/tools/codespell/codespell-dict.txt + - -L + - informations,medias,uptodate,reenable,crypted,developpers + - -L + - "creat,unitl,alltime,datas,referers" + - -I + - dev/tools/codespell/codespell-ignore.txt + - -x + - dev/tools/codespell/codespell-lines-ignore.txt + - --uri-ignore-words-list + - ned + + # Check some shell scripts + - repo: https://github.com/shellcheck-py/shellcheck-py + rev: v0.9.0.6 + hooks: + - id: shellcheck + args: [-W, '100'] diff --git a/.travis.yml b/.travis.yml index ca6cfa2e676..686b2d72176 100644 --- a/.travis.yml +++ b/.travis.yml @@ -37,7 +37,7 @@ jobs: - stage: PHP min and max if: type = push php: '7.1' - env: + env: - DB=postgresql - TRAVIS_PHP_VERSION=7.1 - stage: PHP min and max @@ -49,7 +49,7 @@ jobs: - stage: PHP 8.3 if: type = push AND branch = develop php: '8.3' - env: + env: - DB=mysql - TRAVIS_PHP_VERSION=8.3 @@ -89,7 +89,7 @@ before_install: if [ "$TRAVIS_PHP_VERSION" = '8.3' ]; then sudo apt install unzip apache2 php8.3 php8.3-cli php8.3-curl php8.3-mysql php8.3-pgsql php8.3-gd php8.3-imap php8.3-intl php8.3-ldap php8.3-xml php8.3-mbstring php8.3-xml php8.3-zip libapache2-mod-php8.3 fi - + - | echo Install pgsql if run is for pgsql if [ "$DB" = 'postgresql' ]; then @@ -116,15 +116,15 @@ install: - | if [ "$TRAVIS_PHP_VERSION" = '7.1' ]; then sudo update-alternatives --set php /usr/bin/php7.1 - fi + fi if [ "$TRAVIS_PHP_VERSION" = '8.1' ]; then sudo update-alternatives --set php /usr/bin/php8.1 - fi + fi if [ "$TRAVIS_PHP_VERSION" = '8.2' ]; then sudo update-alternatives --set php /usr/bin/php8.2 - fi + fi php -i | head - - + - | echo "Updating Composer config" curl -sS https://getcomposer.org/installer -o /tmp/composer-setup.php @@ -133,7 +133,7 @@ install: php -r "if (hash_file('SHA384', '/tmp/composer-setup.php') === '$HASH') { echo 'Installer verified'; } else { echo 'Installer corrupt'; unlink('composer-setup.php'); } echo PHP_EOL;" sudo php /tmp/composer-setup.php --install-dir=/usr/local/bin --filename=composer sudo chmod -R a+rwx /usr/local/bin/composer - + #sudo apt install composer composer -V composer -n config -g vendor-dir htdocs/includes @@ -229,7 +229,7 @@ before_script: #sudo mysqld_safe --skip-grant-tables --socket=/tmp/aaa sudo mysqld_safe --skip-grant-tables --socket=/tmp/aaa & sleep 3 - sudo ps fauxww + sudo ps fauxww echo "MySQL set root password" sudo mysql -u root -h 127.0.0.1 -e "FLUSH PRIVILEGES; CREATE DATABASE IF NOT EXISTS travis CHARACTER SET = 'utf8'; ALTER USER 'root'@'localhost' IDENTIFIED BY 'password'; CREATE USER 'root'@'127.0.0.1' IDENTIFIED BY 'password'; CREATE USER 'travis'@'127.0.0.1' IDENTIFIED BY 'password'; GRANT ALL PRIVILEGES ON travis.* TO root@127.0.0.1; GRANT ALL PRIVILEGES ON travis.* TO travis@127.0.0.1; FLUSH PRIVILEGES;" echo "MySQL grant" @@ -238,7 +238,7 @@ before_script: sudo mysql -u root -h 127.0.0.1 -ppassword -e 'use mysql; select * from user;' echo "List pid file" sudo mysql -u root -h 127.0.0.1 -ppassword -e "show variables like '%pid%';" - + #sudo kill `cat /var/lib/mysqld/mysqld.pid` #sudo systemctl start mariadb @@ -246,7 +246,7 @@ before_script: sudo mysql -u root -h 127.0.0.1 -ppassword -e 'GRANT ALL PRIVILEGES ON travis.* TO travis@127.0.0.1;' echo "MySQL flush" sudo mysql -u root -h 127.0.0.1 -ppassword -e 'FLUSH PRIVILEGES;' - + echo "MySQL load sql" sudo mysql -u root -h 127.0.0.1 -ppassword -D travis < dev/initdemo/mysqldump_dolibarr_3.5.0.sql fi @@ -268,8 +268,9 @@ before_script: - | export CONF_FILE=htdocs/conf/conf.php - echo "Setting up Dolibarr $CONF_FILE" + echo "Setting up Dolibarr '$CONF_FILE'" echo ' $CONF_FILE + echo 'error_reporting(E_ALL);' >> $CONF_FILE echo '$'dolibarr_main_url_root=\'http://127.0.0.1\'';' >> $CONF_FILE echo '$'dolibarr_main_document_root=\'$TRAVIS_BUILD_DIR/htdocs\'';' >> $CONF_FILE echo '$'dolibarr_main_data_root=\'$TRAVIS_BUILD_DIR/documents\'';' >> $CONF_FILE @@ -393,6 +394,7 @@ script: # Ensure we catch errors set +e echo ' $INSTALL_FORCED_FILE + echo 'error_reporting(E_ALL);' >> $INSTALL_FORCED_FILE echo '$'force_install_noedit=2';' >> $INSTALL_FORCED_FILE if [ "$DB" = 'mysql' ] || [ "$DB" = 'mariadb' ]; then echo '$'force_install_type=\'mysqli\'';' >> $INSTALL_FORCED_FILE @@ -413,12 +415,12 @@ script: echo '$'force_install_main_data_root=\'$TRAVIS_BUILD_DIR/htdocs\'';' >> $INSTALL_FORCED_FILE #cat $INSTALL_FORCED_FILE echo - + - | echo "Upgrading Dolibarr" # Ensure we catch errors with -e. Set this to +e if you want to go to the end to see log files. # Note: We keep +e because with pgsql, one of upgrade process fails even if migration seems ok, so - # I disable stop on error to be able to continue. + # I disable stop on error to be able to continue. set +e cd htdocs/install php upgrade.php 3.5.0 3.6.0 ignoredbversion > $TRAVIS_BUILD_DIR/upgrade350360.log @@ -481,6 +483,9 @@ script: php upgrade.php 18.0.0 19.0.0 ignoredbversion > $TRAVIS_BUILD_DIR/upgrade18001900.log || cat $TRAVIS_BUILD_DIR/upgrade18001900.log php upgrade2.php 18.0.0 19.0.0 > $TRAVIS_BUILD_DIR/upgrade18001900-2.log || cat $TRAVIS_BUILD_DIR/upgrade18001900-2.log php step5.php 18.0.0 19.0.0 > $TRAVIS_BUILD_DIR/upgrade18001900-3.log || cat $TRAVIS_BUILD_DIR/upgrade18001900-3.log + php upgrade.php 19.0.0 20.0.0 ignoredbversion > $TRAVIS_BUILD_DIR/upgrade19002000.log || cat $TRAVIS_BUILD_DIR/upgrade19002000.log + php upgrade2.php 19.0.0 20.0.0 > $TRAVIS_BUILD_DIR/upgrade19002000-2.log || cat $TRAVIS_BUILD_DIR/upgrade19002000-2.log + php step5.php 19.0.0 20.0.0 > $TRAVIS_BUILD_DIR/upgrade19002000-3.log || cat $TRAVIS_BUILD_DIR/upgrade19002000-3.log set +e echo diff --git a/COPYRIGHT b/COPYRIGHT index 31b7f47434e..e6525d5ccb2 100644 --- a/COPYRIGHT +++ b/COPYRIGHT @@ -26,9 +26,9 @@ PHP libraries: EvalMath 1.0 BSD Yes Safe math expressions evaluation. Used by dynamic price only. TODO Replace with dol_eval ? Escpos-php 3.0 MIT License Yes Thermal receipt printer library, for use with ESC/POS compatible printers GeoIP2 0.2.0 Apache License 2.0 Yes Lib to make geoip convert -MathPHP 2.8.1 MIT License Yes Modern math library for PHP +MathPHP 2.8.1 MIT License Yes Modern math library for PHP (only few files) Mobiledetect 2.8.41 MIT License Yes Detect mobile devices browsers -NuSoap 0.9.5 LGPL 2.1+ Yes Library to develop SOAP Web services (not into rpm and deb package) +NuSoap 0.9.16 LGPL 2.1+ Yes Library to develop SOAP Web services. From https://github.com/f00b4r/nusoap/tree/v0.9.16 PEAR Mail_MIME 1.8.9 BSD Yes NuSoap dependency ParseDown 1.7.4 MIT License Yes Markdown parser PCLZip 2.8.4 LGPL-3+ Yes Library to zip/unzip files @@ -38,10 +38,11 @@ PHP-Iban 4.1.1 LGPL-3+ Yes PHP-Imap 2.7.2 MIT License Yes Library to use IMAP with OAuth PHPoAuthLib 0.8.2 MIT License Yes Library to provide oauth1 and oauth2 to different service PHPPrintIPP 1.3 GPL-2+ Yes Library to send print IPP requests +PrestaShop-WS-Lib 94feb5f OSL-3.0 No Library providing API client for Prestashop. PSR/Logs 1.0 MIT License Yes Library for logs (used by DebugBar) PSR/simple-cache ? MIT License Yes Library for cache (used by PHPSpreadSheet) Restler 3.1.1 LGPL-3+ Yes Library to develop REST Web services (+ swagger-ui js lib into dir explorer) -Sabre 4.0.2 BSD Yes DAV support +Sabre 4.6.0 BSD Yes DAV support Swift Mailer 5.4.2-DEV MIT License Yes Comprehensive mailing tools for PHP Symfony/var-dumper ??? MIT License Yes Library to make var dump (used by DebugBar) Stripe 10.7.0 MIT Licence Yes Library for Stripe module @@ -68,7 +69,6 @@ jQuery jquerytreeview 1.4.1 MIT License Yes jQuery TableDnD 0.6 GPL and MIT License Yes JS library plugin TableDnD (to reorder table rows) jQuery Timepicker 1.1.0 GPL and MIT License Yes JS library Timepicker addon for Datepicker jsGanttImproved 2.7.3 BSD License Yes JS library (to build Gantt reports) -JsTimezoneDetect 1.0.6 MIT License Yes JS library to detect user timezone SwaggerUI 2.2.10 GPL-2+ Yes JS library to offer the REST API explorer Image libraries: @@ -78,7 +78,7 @@ Font libraries: Fontawesome 5.13 Font Awesome Free Licence Yes -For more licenses compatibility informations: https://www.gnu.org/licenses/licenses.en.html +For more licenses compatibility information: https://www.gnu.org/licenses/licenses.en.html Authors diff --git a/ChangeLog b/ChangeLog index d0da9d7a87b..b19c131511e 100644 --- a/ChangeLog +++ b/ChangeLog @@ -3,12 +3,31 @@ English Dolibarr ChangeLog -------------------------------------------------------------- +***** ChangeLog for 19.0.0 compared to 18.0.0 ***** + +For users: +---------- +NEW: Compatibility with PHP 8.3 +... + +For developers or integrators: +------------------------------ +... + +WARNING: +-------- + +The following changes may create regressions for some external modules, but were necessary to make Dolibarr better: +* More class properties (with old name in french) are now deprecated in favor of the property name in english. +* Some API HTTP return code were moved from 401 to 403 to better follow REST specification. + + + ***** ChangeLog for 19.0.0 compared to 18.0.0 ***** For users: ---------- NEW: Compatibility with PHP 8.2 -NEW: Module for Advanced stock transfert is now stable (#26594) NEW: Module Workstation (used to enhance the module BOM and Manufacturing Order) is now stable NEW: Add a confirmation popup when deleting extrafields NEW: Add type 'icon' type for extrafields @@ -19,9 +38,9 @@ NEW: #22626 date filter thirdparties contracts projects (#22707) NEW: #24085 Add the Project filter NEW: #25312 Support extrafields in selectForForms NEW: #26312 Manage intermediate BIC - SQL Part (#26325) -NEW: Accountancy - Add quick navigation with keyboard shortcut on ledger (#26221) -NEW: Accountancy - FEC/FEC2 format export with attachments (#26192) -NEW: Accountancy - Option to choose length of lettering code +NEW: Accountancy: Add quick navigation with keyboard shortcut on ledger (#26221) +NEW: Accountancy: FEC/FEC2 format export with attachments (#26192) +NEW: Accountancy: Option to choose length of lettering code NEW: Add a button to create a product or a service from an order or an invoice (#26173) NEW: Add a button to re-encrypt data of a dolcrypt extrafield password NEW: Add a CLI tool to regenerate all documents @@ -35,7 +54,7 @@ NEW: add constant to check if qty shipped not greater than qty ordered NEW: Add context for the movement stock (role toconsume/toproduce) on mrp NEW: Add contract link on ticket NEW: Add culum Technical ID in list of details lines of an order (#26164) -NEW: ADD: custom compute for exports +NEW: Add custom compute for exports NEW: Add custom Text on footer total (#26334) NEW: Add different picto for each type of extrafields (date, string, ...) NEW: Add edit line on MO (#26122) @@ -53,7 +72,7 @@ NEW: Add index on prelevement_demande NEW: Add invoice subtype in customer invoice (#26543) and template invoice (SQL part) (#26535) NEW: Add label to price level when changing price (#26240) NEW: Add modifications of template invoices into agenda -NEW: Add more company informations (ProfId7 to 10) (#25266) +NEW: Add more company information (ProfId7 to 10) (#25266) NEW: Add more information to holiday mailings (#25461) NEW: Add more param on fetch() to prepare perf optimization NEW: Add more tables activated by module activation only @@ -87,12 +106,12 @@ NEW: can edit bomline workstation NEW: Can edit both the Test and Live stripe customer account on payment NEW: Can include product variants in list of products NEW: Can manage ODT documents for groups of users. -NEW: Can modify the picto into modulebuilder +NEW: Can modify the picto into ModuleBuilder NEW: Can restore product in stock when deleting the supplier invoice NEW: Can see the favicon file into setup of properties of a website NEW: Can switch product batch management to no management. (#21691) NEW: Can upload/delete ODT template for project and tasks -NEW: chart of accounts ES PCG08-PYME-CAT in catalan language +NEW: Chart of accounts ES PCG08-PYME-CAT in catalan language NEW: clone skill object (#26526) NEW: close notification for interventions NEW: column in table prelevement_lignes for fk_user (#26196) @@ -112,7 +131,7 @@ NEW: extrafields password accepts 'dolcrypt' algorithm (reversible algo) NEW: Factorize a lot of code for numbering modules NEW: filter on from/to period rather than month/year (#26378) NEW: FontAwesome - Add possibility to select another version -NEW: Form for add object's property on moduleBuilder +NEW: Form for add object's property on ModuleBuilder NEW: Can generate SEPA files for salaries (#26541) NEW: massactions to delete projects NEW: Generic doc template for donations (#26338) @@ -120,16 +139,16 @@ NEW: Get list evaluation with skills details in user fiche (#26510) NEW: hidden conf to disable use of dns_get_record (which can become unresponsive) (#26339) NEW: improved resource data structure NEW: Include sub warehouse in inventory -NEW: inventory without virtual products (kits) +NEW: Inventory without virtual products (kits) NEW: Invoice subtypes for customers and vendors (#26233) NEW: Invoice time from task, make task note better display in invoice line NEW: lazy load to substitute project variables (#26451) -NEW: LDAP Active Directory UserAccountControl (#25507) +NEW: LDAP: Active Directory UserAccountControl (#25507) NEW: Library including math and financial functions (#25035) -NEW: Loan - Can upload a file with drag and drop +NEW: Loan: can upload a file with drag and drop NEW: Manage rate indirect. (#26449) -NEW: memorize model name for pdf hooks -NEW: Menu editor is reponsive +NEW: memorize model name for PDF hooks +NEW: Menu editor is responsive NEW: Merge the "Create ..." buttons on contract into one. NEW: More accurate tooltip on what admin permissions are NEW: (#24834) new option for hide the footer (#25464) @@ -139,38 +158,37 @@ NEW: no need to create invoice supplier object on supplier card for standalone c NEW: Option to show label, ref+label or only ref of product in TakePOS NEW: payment full amount detail tooltip NEW: possibility to deselect line when create a recurring invoice + missing to use fk_parent_line -NEW: Project - List - use select2 multiselect for status +NEW: Projects: List - use select2 multiselect for status NEW: Propagate invoice extrafields into template invoice (#26529) NEW: remove include_subwarehouse form llx_inventory database table NEW: resource improvements - data structure (#26285) -NEW: Retrieve vat details from the Greek Ministry of Finance GSIS SOAP web service and autocomplete third party fields +NEW: Retrieve VAT details from the Greek Ministry of Finance GSIS SOAP web service and autocomplete third party fields NEW: Right for stats orders (#24607) NEW: rights and check access to create portal accounts NEW: Row in list higher height (#26177) NEW: Save date of RUM creation when creating a Stripe SEPA mandate -NEW: shipment can include service (for information and invoicing) (#26407) +NEW: Shipment: can include service (for information and invoicing) (#26407) NEW: Show id of module on the tooltip module help page NEW: show VAT free amount on payment input close #26208 (#26209) NEW: start and end date for due date filter on invoice list NEW: Sub total in list (#26165) -NEW: Suport html content for combo list of email recipient +NEW: Support html content for combo list of email recipient NEW: Website: Support of js into the Dolibarr server preview -NEW: TakePOS - add constant to check qty asked is available (#24820) -NEW: TakePOS - add constant to choose contact instead of customer (#24807) -NEW: TakePOS - amount label with or without tax in free product (#24829) -NEW: TakePOS compatibility with lots and serials -NEW: TakePOS compatibility with lots and serials (#26426) +NEW: TakePOS: add constant to check qty asked is available (#24820) +NEW: TakePOS: add constant to choose contact instead of customer (#24807) +NEW: TakePOS: amount label with or without tax in free product (#24829) +NEW: TakePOS: compatibility with lots and serials (#26426) NEW: Tooltips are using ajax by default NEW: Top menu support picto of modules that are font awesome picto. NEW: updating by adding massactions for delete projects in societe tab NEW: updating by adding tooltip for api section in Modulebuilder -NEW: updating by adjust request Sql for Salary invoice (#26279) +NEW: updating by adjust request SQL for Salary invoice (#26279) NEW: updating for display Help title when try to delete Don (issue #25314) NEW: Upgrade in module builder in menu section NEW: use account address in sepa mandate (#23642) NEW: VAT rate - Add entity -NEW: webportal site account -NEW: When an user unset the batch management of products, transformation of each batch stock mouvement in global stock mouvement +NEW: When an user unset the batch management of products, transformation of each batch stock movement in global stock movement +NEW: PDF Generation for each Human Resource Evaluations. SEC: #25512 applicative anti bruteforce - security on too many login attempts (#25520) SEC: Add action confirm_... as sensitive to need a CSRF token @@ -184,10 +202,12 @@ For developers or integrators: QUAL Reduce very seriously the technical debt (using PHPStan, Psalm and Rector) NEW Tool in dev/tools/rector to autofix code using style coding practice rules +PERFORMANCE PERF: Removed a useless fetch_thirdparty PERF: Perf avoid 2 useless fetch into the triggers of agenda. PERF: performance & code quality enhancements template sections +QUALITY QUAL: Remove hardcoded code for OVH sms. Generic method is ok now. QUAL: Code fix using rector QUAL: Force subclass MINVERSION (#26314) @@ -199,26 +219,28 @@ QUAL: Standardize code and look and feel for dictionaries QUAL: Standardize code. Renamed ID of user properties into ->user_xxx_id QUAL: Use dol_clone with parameter 2 for ->oldcopy QUAL: use switch case instead of if elseif statements for actions +QUAL: Better respect of REST API RFC. +Hooks: NEW: [Add hook in user bank page] NEW: #19501 Add two hooks in dolreceiptprinter.php (#26439) NEW: Accountancy - Add hooks on PrintFieldList for expensereportsjournal, purchasesjournal, sellsjournal -NEW: add a $notrigger param to Product::updatePrice() method (#26404) -NEW: Add a rule to fix empty($conf->global->...) into !getDolGlobal... -NEW: Add column extraparams on societe_rib -NEW: Add hook on selectLotDataList() function (#25368) +NEW: add hook on selectLotDataList() function (#25368) NEW: add Hooks and prepare extrafields management for product invoices consumptions (#26280) -NEW: Add hooks on import, step 5 - 6 (#24915) +NEW: add hooks on import, step 5 - 6 (#24915) NEW: add hook tabContentCreateSupplierOrder (#26418) NEW: add hook tabContentViewSupplierInvoice (#26431) NEW: add new hook AfterImportInsert NEW: add new hook OrderCard (#26380) NEW: add new hook tabContentCreateOrder (#26408) -NEW: Add phpunit for REST API of contacts -NEW: Add triggers COMPANY_RIB_XXX already present in companybankaccount.class.php -NEW: Add triggers on import success -NEW: Add trigger when deleting a bank account line -NEW: subproduct triggers in product class (#25142) + +Triggers: +NEW: Trigger: add trigger COMPANY_RIB_XXX already present in companybankaccount.class.php +NEW: Trigger: add trigger on import success +NEW: Trigger: add trigger when deleting a bank account line +NEW: Trigger: subproduct triggers in product class (#25142) + +ModuleBuilder: NEW: ModuleBuilder: add section changeLog to Doc in MB NEW: ModuleBuilder: Add api url to documentation in ModuleBuilder NEW: ModuleBuilder: Checkin comments begin and end before each actions @@ -226,13 +248,21 @@ NEW: ModuleBuilder: edit properties in description tab for ModuleBuilder NEW: ModuleBuilder: remove dictionary in ModuleBuilder NEW: ModuleBuilder: add page for create dictionary NEW: ModuleBuilder: add badge for each tabs -NEW: ModuleBuilder: for edit name of dictionnary and delete it in MB -NEW: add barcode function to check if EAN13 is valid ( +NEW: ModuleBuilder: for edit name of dictionary and delete it in MB + +NEW: add a $notrigger param to Product::updatePrice() method (#26404) +NEW: add a rule to fix empty($conf->global->...) into !getDolGlobal... +NEW: add column extraparams on societe_rib +NEW: add phpunit for REST API of contacts +NEW: add barcode function to check if EAN13 is valid + WARNING: -------- The following changes may create regressions for some external modules, but were necessary to make Dolibarr better: +* Recheck the setup of your module Workflow to see if you need to enable the new setting to have shipment set to billed automatically when + an invoice from a shipment is validated (and if your process is to make invoice on shipment and not on order), because this setup has changed. * The hook changeHelpURL is replaced by llxHeader * The property ->brouillon has been removed from all classes. It was not reliable and was a duplicate of ->status == self::STATUS_DRAFT. * The duplicated and deprecated property ->date_livraison that was renamed into ->delivery_date has been completely removed. @@ -241,17 +271,56 @@ The following changes may create regressions for some external modules, but were * The property ->user_creation to store ID of user of creation has been renamed into ->user_creation_id. * The property ->user_modification to store ID of user of modification has been renamed into ->user_modification_id. * The private array ->status_short, ->statuts and ->status_long are now array ->labelStatusShort and ->labelStatus everywhere. -* The duplicate property ->user_creat, ->date_creat, ->date_valid has been removed (use instead user_creation, date_creation, date_validation). +* The duplicate property ->user_creat, ->date_creat, ->date_valid have been removed (use instead user_creation, date_creation, date_validation). * The method get_substitutionarray_shipment_lines() has been removed. Use the generic get_substitutionarray_lines() instead. * The method ProductcustomerPrice->fetch_all_log() has been renamed into camel case ->fetchAllLog() -* Recheck the setup of your module Workflow to see if you need to enable the new setting to have shipment set to billed automatically when - an invoice from a shipment is validated (and if your process is to make invoice on shipment and not on order), because this setup has changed. * It was possible to use a variable $soc or $right inside a PHP code condition of some extrafields properties, this is no more true (this 2 variables are no more global variables). * New hook files of modules actions_mymodule.class.php should now "extends CommonHookActions" * Endpoint for API /partnershipapi and /recruitment has been renamed into /partnerships and /recruitments to follow name conventions. -* Hidden option ACCOUNTANCY_AUTOFIX_MISSING_LINK_TO_USEr_ON_SALARY_BANK_PAYMENT has been renamed into ACCOUNTANCY_AUTOFIX_MISSING_LINK_TO_USER_ON_SALARY_BANK_PAYMENT +* Hidden option ACCOUNTANCY_AUTOFIX_MISSING_LINK_TO_USER_ON_SALARY_BANK_PAYMENT has been renamed into ACCOUNTANCY_AUTOFIX_MISSING_LINK_TO_USER_ON_SALARY_BANK_PAYMENT * The delete() method of AdherentType, Contact, Delivery, MultiCurrency, CurrencyRate now need $user as first parameter. - +* A very high number of class properties (with old name in french) are now deprecated in favor of the property name in english. +* The load of hook context productdao has been removed before calling loadvirtualstock. Modules must use the context of main parent page or 'all' for all cases. + + +***** ChangeLog for 18.0.4 compared to 18.0.3 ***** +FIX: $this->newref already exists and could have been modified by trigger but we still use a local variable for the filesystem-based renaming +FIX: 16.0 only, backport fix for SQL error on global search product +FIX: #25399 (#26694) +FIX: #25458 intervention localizations (backport v17) (#26757) +FIX: #26518 +FIX: #26536 Accountancy - Balance - Not divided lines by label & account, only by account (#26547) +FIX: #26553 Supplier invoice - Do not display the delete button for reconciled payment (#26554) +FIX: #26735 +FIX: #26994 +FIX: Accountancy - Possibility to write in bookkeeping expense report operation with some line not bound (#26545) +FIX: add display of an error when attempting to delete a committed transaction (#26573) +FIX: avoid warning : Cannot use a scalar value as an array (#26437) +FIX: backport SQL error on global search product +FIX: # Bug Estimated Stock at date value in V14 (#26479) +FIX: commande context (#26497) +FIX: delivery note disappear after generation +FIX: double hook and paging search param in product list (#26767) +FIX: Email reminder template must not be visible when option is off +FIX: escape HTML tags in return value of getFullName() (#26735) +FIX: Fix set private note (#26610) +FIX: Fix when options FAC_FORCE_DATE_VALIDATION and INVOICE_CHECK_POSTERIOR_DATE enabled. The date is forced after the test and not before +FIX: menu auguria +FIX: pagination parameters on save and cancel buttons (#26605) +FIX: pdf cornas page head multicell width (backport v17) +FIX: php8 fatal on edit supplier order when multicurrency is activated (#26758) +FIX: possible inconsistency between llx_ecm_files and file system when BILL_SUPPLIER_VALIDATES changes ref +FIX: regression on planned bank entries (#26556) +FIX: Social contribution - Payment list - Wrong information in type column (#26561) +FIX: special_code update line keep old value. (#26819) +FIX: substitute project variables in invoice documents (#26445) +FIX: Test on permission for holiday tooltips +FIX: v17: Param $notrigger in $societe->create() causes method to return true regardless of actual result of database functions (#26499) +FIX: v18 SQL error in llx_c_forme_juridique.sql when installing +FIX: Warehouse Global Amounts not displayed (#26478) +FIX: warning param $lineID getSpecialCode is negatif (#26826) +FIX: warning php8.2 undefined_array_key (#26830) + ***** ChangeLog for 18.0.3 compared to 18.0.2 ***** FIX: #25793 Cannot add time spent (#26405) FIX: #26100 Ticket - On edit, list of closed project must be excluded (#26223) @@ -287,7 +356,7 @@ FIX: syntax error FIX: template invoice list extrafield filters (backport v17) (#26227) FIX: Tooltip for search syntax must not appear on date fields FIX: upload of files src_object_type -FIX: use event.key instead event.wich to avoid keyboard difference +FIX: use event.key instead event.which to avoid keyboard difference FIX: Use of line->insert instead of line->create FIX: user creation when LDAP is configured (#26332) FIX: Wrong backtopage given for the stocktransfer button from the stocktransfer list (#26271) @@ -422,11 +491,11 @@ NEW: Accountancy - Can select the export format during export of journals NEW: Accountancy - sort of column of custom group of account NEW: Can upload a file with drag and drop on purchase invoice, vats, salaries and social contributions NEW: Authentication: #22740 add OpenID Connect impl -NEW: Authentication: add experimental support for Google OAuth2 connexion +NEW: Authentication: add experimental support for Google OAuth2 connection NEW: Authentication: can now edit service name for OAuth token NEW: add bookmarks in selectable landing pages for users NEW: Add column ext_payment_site into societe_rib to allow multiple payment mode -NEW: add convertion of images to webp for a single image in website media editor +NEW: add conversion of images to webp for a single image in website media editor NEW: Add CRC for currency symbol before amount NEW: Add filter on nb of generation done in list of recurring invoices NEW: Add filters and sort on product unit column @@ -437,7 +506,7 @@ NEW: Add possibility to choose format #21426 NEW: An external module can modify the quick search fields NEW: Bank: Bank name no more mandatory on creation. Can be generated if empty. NEW: Bank: Add fields zip, town, country for owner of a bank account -NEW: batch referential objets +NEW: batch referential objects NEW: Can add the add now link on date into addfieldvalue() NEW: Can add an array of several links in date selector NEW: Can bin accounting line for a given month @@ -448,7 +517,7 @@ NEW: Can set a checkbox in formconfirm by clicking on the label NEW: Can set the page "List of opportunities" as landing page NEW: Can show the SQL request used on emailing selection NEW: can stay on edit field when errors occurs -NEW: comment in api_mymodule for seperate methods +NEW: comment in api_mymodule for separate methods NEW: create email substitution variable for intervention signature URL NEW: Contacts: presend mass action in contact list NEW: Contacts: hook printFieldListFrom in contact list @@ -513,7 +582,7 @@ NEW: payment default values when supplier order created from reception NEW: Payment: manage contracts NEW: Payment: sepaStripe now creates the payment mode with type pm_ using new API NEW: Payment: add partial payment reason "withholding tax" -NEW: Payment: Can edit account on miscellaneous payment (if not transfered) +NEW: Payment: Can edit account on miscellaneous payment (if not transferred) NEW: Print PDF: category of operation for crabe PDF model NEW: Print PDF: Name and date to print on PDF Sign NEW: Print PDF: Use the more recent PDF templates for documents by default on a fresh install @@ -522,7 +591,7 @@ NEW: Print PDF: Option PDF_SHOW_EMAIL_AFTER_USER_CONTACT to show email after spe NEW: product images on popup are cached NEW: Products: Add origin info when create a product batch when created from a movement stock NEW: Products: Add statistics by amount on statistics of products. -NEW: Products: Add SQL contraint on product_stock table to allow only existing product and warehouse #23543 +NEW: Products: Add SQL constraint on product_stock table to allow only existing product and warehouse #23543 NEW: Proposals: filter for Signed+Billed in proposals NEW: Proposals: can modify margin rates in offers like VAT rates NEW: Proposals: option filter for NoSalesRepresentativeAffected in proposals list @@ -608,9 +677,10 @@ WARNING: Following changes may create regressions for some external modules, but were necessary to make Dolibarr better: * Minimal PHP version is now PHP 7.1 instead of PHP 7.0 -* Sensitive datas like keys in setup pages, that need encyption (for example the API keys of users, the CRON security key, the keys into the Stripe module, or +* Sensitive data like keys in setup pages, that need encryption (for example the API keys of users, the CRON security key, the keys into the Stripe module, or external modules setup pages that store sensitive keys or password), are using the $dolibarr_main_instance_unique_id as part of the key for encryption. So, -if you restore or duplicate the data from another instance dump, you must also update this parameter in ther conf.php file to allow decryption in the new instance, or +if you restore or duplicate the data from another instance dump, you must also +update this parameter in the conf.php file to allow decryption in the new instance, or better, you must reenter the sensitive data into the setup pages of the new instance to resave them correctly. Note that to find all the parameters that are encrypted into the setup database, you can do a "SELECT * FROM llx_const WHERE value LIKE '%dolcrypt%';" * The deprecated method "escapeunderscore()" of database handlers has been removed. You must use "escapeforlike()" instead. @@ -690,7 +760,7 @@ FIX: Change strpos for expedition and receipt in files.lib $haystack and $needle FIX: Add hidden conf to add extrafields in canelle template : INVOICE_ADD_EXTRAFIELD_IN_NOTE FIX: #24414 FIX: #24798 Deleting member subscription is not possible -FIX: add a test for updating date on task update in tab time consummed pro… +FIX: add a test for updating date on task update in tab time consumed pro… FIX: add charchesociales in security.lib.php FIX: Add Missing rights check on holiday calendar FIX: Add the possibility to events owner to check their events from the list when the perm "Read the actions (events or tasks) of others" is not active @@ -866,7 +936,7 @@ NEW: Add employment anniversary in birthday box NEW: Add extrafield type "IP" to store IP addresses NEW: Add fail2ban rules examples to limit access to /public pages NEW: Add filter "Product subject to lot/Serial" in stock per lot/serial -NEW: Add hidden option MAIN_EMAIL_SUPPORT_ACK to restore Email ack checkbox (feature abandonned by mailers) +NEW: Add hidden option MAIN_EMAIL_SUPPORT_ACK to restore Email ack checkbox (feature abandoned by mailers) NEW: Add IMAP port setting on email collector module NEW: Adding JAPAN Chart-of-Account and regions/departments NEW: Adding NIF verification for Algeria @@ -970,7 +1040,7 @@ NEW: show sell-by and eat-by dates only if not empty NEW: show SellBy/EatBy dates for each batch product in shipment card NEW: Can skip accept/refuse steps for proposals (option PROPAL_SKIP_ACCEPT_REFUSE) NEW: experimental SMTP using PhpImap allowing OAuth2 authentication (need to add option MAIN_IMAP_USE_PHPIMAP) -NEW: can substitue project title in mail template +NEW: can substitute project title in mail template NEW: Supplier order list - Add column private and public note NEW: The purge of files can purge only if older than a number of seconds NEW: Update ActionComm type_code on email message ticket @@ -1015,11 +1085,11 @@ WARNING: Following changes may create regressions for some external modules, but were necessary to make Dolibarr better: * Minimal PHP version is now PHP 7.0 instead of PHP 5.6 -* Core has introduced a Universal Filter Syntax for seach criteria. Example: ((((field1:=:value1) OR (field2:in:1,2,3)) AND ...). In rare case, some filters +* Core has introduced a Universal Filter Syntax for search criteria. Example: ((((field1:=:value1) OR (field2:in:1,2,3)) AND ...). In rare case, some filters could be provided by URL parameters. For such cases (societe/ajax/company.php), use of Universal Filter Syntax become mandatory. * The signature of method getNomUrl() of class ProductFournisseur has been modified to match the signature of method Product->getNomUrl() * Trigger ORDER_SUPPLIER_DISPATCH is removed, use ORDER_SUPPLIER_RECEIVE and/or LINEORDER_SUPPLIER_DISPATCH instead. -* All functions fetch_all() have been set to deprecated for naming consitency, use fetchAll() instead. +* All functions fetch_all() have been set to deprecated for naming consistency, use fetchAll() instead. * Code standardization: '$user->rights->propale' is now '$user->rights->propal' everywhere. * Deprecated method set_billed() on shipment and reception class has been removed. Use setBilled() instead. * Tables llx_prelevement_facture and llx_prelevement_facture_demande have been renamed into llx_prelevement and llx_prelevement_demande. @@ -1055,7 +1125,7 @@ FIX: filter sql accounting account FIX: Get data back on product update FIX: Get data back when error on command create FIX: label dictionary is used by barcode and member module -FIX: mandatory date for service didnt work for invoice +FIX: mandatory date for service didn't work for invoice FIX: missing "authorid" for getNomUrl link right access FIX: missing getEntity filter FIX: vulnerability: missing protection on ajax public ticket page for valid email. @@ -1118,9 +1188,9 @@ FIX: include class multicurrency FIX: methods declaration (backport fix 67b9a7dc07d708231d12b5e58800334d4a01ef98) FIX: multicurrency_tx and not currency_tx FIX: on public ticket list, only the page 1 was accessible. Other pages were 404 error. -FIX: PGSQL Integer type does not have a free lenght +FIX: PGSQL Integer type does not have a free length FIX: Product list in setup.php in new Module -FIX: propal and order stats broken on Tag+User(retricted customer list) +FIX: propal and order stats broken on Tag+User(restricted customer list) FIX: saving of numbering module for jobs FIX: Stickler FIX: travis @@ -1139,7 +1209,7 @@ FIX: #22813 FIX: #22824 Accountancy - Journal - Search on subledger when list of subledger is disabled FIX: Backup using the low memory mode FIX: Bankaccounts API fetch with 'id' and 'socid' -FIX: base64_decode should be forbiden in dol_eval +FIX: base64_decode should be forbidden in dol_eval FIX: Broken Permissions check, $object is null. FIX: compute next value when year is on one digit for reset counter FIX: copy same behaviour in other accountancy files @@ -1183,7 +1253,7 @@ FIX: php doc FIX: private message ticket become public if edit action FIX: remove > 0 and -1 FIX: remove db object to avoid error with postgresql -FIX: Search ambigous field on MO list +FIX: Search ambiguous field on MO list FIX: Search on social networks FIX: Subscription must be stopped when max of attendees reached. FIX: supplier price update: missing error reporting @@ -1222,7 +1292,7 @@ FIX: Bad backtopage and CSRF on link for ticket message FIX: bad closing select FIX: broken feature, wrong fk_parent_line after cloning object FIX: Column label -FIX: compatibility if javascript not actived +FIX: compatibility if javascript not activated FIX: compatibility with Mysql <= 5.7 FIX: contact deletion: execute trigger before really deleting FIX: CronJob sendBackup @@ -1237,10 +1307,10 @@ FIX: Duplicate creation of invoice when closing shipment linked to order FIX: Duplicate in list when filtering on categories FIX: extrafields with value '0' was '' FIX: filters lost when sorting on productMargin and customerMargins -FIX: fk_expedition in $line can be usefull for triggers +FIX: fk_expedition in $line can be useful for triggers FIX: Import in upgrade when using a socialnetwork field. -FIX: input hidden with fk_product of line on mo production can be usefull -FIX: inventory code must be different at each transation +FIX: input hidden with fk_product of line on mo production can be useful +FIX: inventory code must be different at each transaction FIX: inventory total columns FIX: Issue #16476 on massaction the pdf generation is not using the thirdparty language settings FIX: Linked object agenda card @@ -1256,12 +1326,12 @@ FIX: - php V8 get number doc saphir FIX: - php V8 propal index last draft FIX: Preview button position on documents list (case when the file is too long) FIX: Project - on global view, missing display of ref customer -FIX: Protection against bad value into accurancy setup +FIX: Protection against bad value into accuracy setup FIX: reading of trackid in emailcollector (when on recipient suffix) FIX: recruitment linked files FIX: Remove use of code we should not have FIX: Restore the option MAIN_OPTIMIZEFORTEXTBROWSER -FIX: Rich text is not diplayed +FIX: Rich text is not displayed FIX: same thing in deleteline FIX: Supplier Reference is lost when page breaks FIX: support of array parameters in "add to bookmark" feature. @@ -1285,7 +1355,7 @@ NEW: Support for recurring purchase invoices. NEW: #20292 Include German public holidays NEW: Can show ZATCA QR-Code on PDFs NEW: Can show Swiss QR-Code on PDFs -NEW: #17123 added ExtraFields for Stock Mouvement +NEW: #17123 added ExtraFields for Stock Movement NEW: #20609 new massaction to assign a sale representatives on a selection of thirdparties NEW: #20653 edit discount pourcentage for all lines in one shot NEW: Accept 'auto' for ref of object on import of purchase order/proposal @@ -1321,12 +1391,13 @@ NEW: clean values and amount in FEC import NEW: const MAIL_MASS_ACTION_ADD_LAST_IF_MAIN_DOC_NOT_FOUND for mailing mass action NEW: Contact filter project list NEW: Create contract from invoice -NEW: Database: Can store the session into database (instead of beeing managed by PHP) +NEW: Database: Can store the session into database (instead of being managed by PHP) NEW: Database: Some core tables are created only at module activation -NEW: Default value for MAIN_SECURITY_CSRF_WITH_TOKEN is now 2 (GET are also protected agains CSRF attacks) +NEW: Default value for MAIN_SECURITY_CSRF_WITH_TOKEN is now 2 (GET are also +protected against CSRF attacks) NEW: deposit payment terms: add field into dictionary admin page to define default percentage of deposit. NEW: Dictionaries - add possibility to manage countries in EEC -NEW: Dictionaries - Availibility dictionnary has a new column unit and number +NEW: Dictionaries - Availability dictionary has a new column unit and number NEW: Display errors in a message box after generating documents NEW: Enhance the import. Can use 'auto' for the ref (import of orders) NEW: Events on Proposal to Return to Draft @@ -1404,7 +1475,7 @@ NEW: solde() function evolution to be able to get solde until a chosen date NEW: Suggest a way to run upgrade per entities. NEW: Support html content for multiselect component. NEW: ModuleBuilder - Add tabs view in module builder -NEW: ModuleBuilder - More feature that can be modifed after module generation +NEW: ModuleBuilder - More feature that can be modified after module generation NEW: Identification of tr is possible with by attribute data-id on some pages NEW: Import with select boxes V2 NEW: Can use current entity filter on 'chkbxlst' @@ -1549,7 +1620,7 @@ FIX: sql error when PRODUCT_USE_SUPPLIER_PACKAGING enabled. FIX: sql order FIX: trash icon on crontask list to do not work FIX: v15 linked object block center order date -FIX: Warning on attribut +FIX: Warning on attribute FIX: We must remove empty values of $features array in fetchByProductCombination2ValuePairs() because some products can use only several attributes in their variations and not necessarily all. In this case, fetch doesn't work without my correction FIX: with callback function FIX: xml file for company with special chars in name @@ -1567,7 +1638,7 @@ FIX: action comm list: holiday last day not included + handle duration with half FIX: Add missing entity on salary's payment FIX: Add 'recruitment' into check array FIX: add tools to fix bad bank amount in accounting with multicurrency -FIX: assign member cateogry to a member +FIX: assign member category to a member FIX: backport FIX: bad bank amount in accounting with multicurrency FIX: Bad condition on remx @@ -1690,8 +1761,8 @@ NEW: Online proposal signature NEW: Can define some max limit on expense report (per period, per type or expense, ...) NEW: Provide a special pages for bookmarks and multicompany for a better use of some mobile applications (like DoliDroid) NEW: Allow the use of __NEWREF__ to get for example the new reference a draft order will get after validation. -NEW: Add option to disable globaly some notifications emails. -NEW: #18401 Add __NEWREF__ subtitute to get new object reference. +NEW: Add option to disable globally some notifications emails. +NEW: #18401 Add __NEWREF__ substitute to get new object reference. NEW: #18403 Add __URL_SHIPMENT__ substitute to get the URL of a shipment NEW: #18689 REST API module: add api key generate / modify permission. NEW: #18663 Make "L'Annuaire des Entreprises" the default provider for SIREN verification for French thirdparties. @@ -1735,7 +1806,7 @@ NEW: Can edit fields of proposal when proposal is not yet signed NEW: Can edit the translation key of an overwrote translation key. NEW: can enable/disable external calendar by default NEW: Can hide sender name on PDF documents -NEW: Can select lot from a combo list of existing batch numbers (in MRP consumtion) +NEW: Can select lot from a combo list of existing batch numbers (in MRP consumption) NEW: Can set the default BOM on a product NEW: Can set/unset the usual working day of the week (friday, saturday, sunday) NEW: Can show progression of task into combo list of tasks @@ -1782,7 +1853,7 @@ NEW: The Anti-CSRF protection MAIN_SECURITY_CSRF_WITH_TOKEN is on to value 1 by NEW: Update SQL : install and migration NEW: Use an ajax call for the clicktodial feature instead of href link. NEW: when multiple order linked to facture, show list into note. -NEW: when we delete several objects with massaction, if somes object has child we must see which objects are concerned and nevertheless delete objects which can be deleted +NEW: when we delete several objects with massaction, if some object has a child we must see which objects are concerned and nevertheless delete objects which can be deleted NEW: Editing a page in website module keep old page with name .back NEW: External backups can be downloaded from the "About info page". @@ -1840,7 +1911,7 @@ NEW: Experimental feature to manage user sessions in database WARNING: Following changes may create regressions for some external modules, but were necessary to make Dolibarr better: -* ALL EXTERNAL MODULES THAT WERE NOT CORRECTLY DEVELOPPED WILL NOT WORK ON V15 (All modules that forgot to manage the security token field +* ALL EXTERNAL MODULES THAT WERE NOT CORRECTLY DEVELOPED WILL NOT WORK ON V15 (All modules that forgot to manage the security token field into forms will be broken. The security token field is expected since Dolibarr v9 but a lot of external modules did not implement it). * Update hook 'printOriginObjectLine', removed check on product type and special code. Need now reshook. * Old deprecated module "SimplePOS" has been completely removed. Use module "TakePOS" is you need a Point Of Sale. @@ -1878,7 +1949,7 @@ FIX: info tab on customer invoice record not found FIX: line extrafields are inoperative in dispatch cards even when they exist FIX: list of categories in stats of supplier invoices FIX: missing default value for more comprehensive -FIX: multicurrency: fields in discount unitialized when creating deposit +FIX: multicurrency: fields in discount uninitialized when creating deposit FIX: Navigation on bank transaction list FIX: Can't edit a bank transaction due to bad permission check. FIX: Option MAIN_DIRECT_STATUS_UPDATE broken. Ajax on/off not saving value in DB after updating to version >=12 @@ -1886,7 +1957,7 @@ FIX: postgresql compatibility, "" as is not authorized FIX: printFieldListWhere called twice (at different locations) for the same SQL query, can result in syntax errors FIX: select too large into addrights (pb of missing parenthesis) FIX: set optional from post, we can't untick boolean field on product card -FIX: Take into consideration work leave over serveral months +FIX: Take into consideration work leave over several months FIX: test if method exist on wrong object FIX: title for nature of third party in company list FIX: Urgent onglet contact inaccessible depuis une facture @@ -1923,7 +1994,7 @@ FIX: #19214 : PostgreSQL error on admin/limits.php FIX: #19241 Project - Fix display salary in overview FIX: #19305 FIX: 2 columns for total labels -FIX: Accountancy - Format Quadra export - Missing line type C to create automaticly a subledger account with label +FIX: Accountancy - Format Quadra export - Missing line type C to create automatically a subledger account with label FIX: Accountancy - If deposit invoice is used, force binding in deposit accounting account to solve transaction FIX: Accountancy - Missing specific filename for export on format FEC2, Ciel & repare it FIX: Accountancy - Option of export popup are inverted @@ -1944,7 +2015,7 @@ FIX: Button text on proposal card for create a invoice FIX: calculateCosts of BOM must not be included into fetch FIX: calculation of balance in conciliation page on desc sorting. FIX: card.php -FIX: Change date format of the inventorycode to be equal as mass stock transfert +FIX: Change date format of the inventorycode to be equal as mass stock transfer FIX: check if greater 0 FIX: close cash with some terminals in TakePOS FIX: compatibility with Multicompany @@ -1957,10 +2028,10 @@ FIX: Filter on categories FIX: generate documents with PDF options FIX: indentation FIX: init hookmanager after loading $conf values -FIX: invoice: inpossible to create an invoice because of very bad check + warnings when trying to print tabs for invoice with no ID +FIX: invoice: impossible to create an invoice because of very bad check + warnings when trying to print tabs for invoice with no ID FIX: legal issue on expense report pdf (must also show price without tax) FIX: list of categories in stats of supplier invoices -FIX: load tranlate array after setting lang +FIX: load translate array after setting lang FIX: lost superadmin grade after edit user card FIX: missing filter status=1 on rss feeds FIX: missing permission check reported by me@lainwir3d.net on product api @@ -2016,7 +2087,7 @@ FIX: #18735 FIX: #18767 : Member delete FIX: #18854 FIX: #18910 : MRP List SQL query syntax error with more than one extrafileds. -FIX: Accountancy - Format Quadra export - Missing line type C to create automaticly a subledger account with label +FIX: Accountancy - Format Quadra export - Missing line type C to create automatically a subledger account with label FIX: Accountancy - Missing specific filename for export on format FEC2, Ciel & repare it FIX: Accountancy - Option of export popup are inverted FIX: Accountancy - Some correction on export name @@ -2109,7 +2180,7 @@ FIX: Accountancy - Debug Export Sage50 / CIEL Compta / CIEL Compta Evo (Format X FIX: Accountancy - Rules to delete & modify transaction not applied in ledger & subledger FIX: Accountancy - Search date on journal FIX: Accountancy - SQL error on select journal on journal -FIX: Accountancy - SQL error when insert a manuel transaction +FIX: Accountancy - SQL error when insert a manual transaction FIX: add include missing file '/core/actions_dellink.inc.php' in project card FIX: avoid to have link to create bookmark on page to create bookmark FIX: bad approver shown on holiday once approved @@ -2310,8 +2381,8 @@ NEW: add option MAIN_SECURITY_ANTI_SSRF_SERVER_IP to define li NEW: add option SOCIETE_DISABLE_WORKFORCE to hide staff field NEW: add constant MAIN_BUGTRACK_URL to set a custom url to redirect to when clicking on link "declare a bug" NEW: add constant ACCOUNTANCY_USE_PRODUCT_ACCOUNT_ON_THIRDPARTY to manage binding with accountancy account declared on thirdparty card -NEW: add constant MAIN_PRODUCT_PERENTITY_SHARED to manage some informations (Accounting account) when product is shared on several entities -NEW: add constant MAIN_COMPANY_PERENTITY_SHARED to manage some informations (Accounting account) when company is shared on several entities +NEW: add constant MAIN_PRODUCT_PERENTITY_SHARED to manage some information (Accounting account) when product is shared on several entities +NEW: add constant MAIN_COMPANY_PERENTITY_SHARED to manage some information (Accounting account) when company is shared on several entities For developers: @@ -2362,7 +2433,7 @@ Following changes may create regressions for some external modules, but were nec * Function set_price_level() has been renamed into setPriceLevel() to follow camelcase rules * Removed deprecated substitution key __REFCLIENT__ (replaced with __REF_CLIENT__) * Removed constant MAIN_COUNTRIES_IN_EEC. You can now set if country is in Europe or not from the dictionary of countries. -* v14 seems to work correctly on PHP v8 but it generates a lot of verbose warnings. Currently, v14 i snot yet officialy supported with PHP 8. +* v14 seems to work correctly on PHP v8 but it generates a lot of verbose warnings. Currently, v14 i snot yet officially supported with PHP 8. * To execute shell or command line command, your code must never use method like exec, shell_exec, popen, .. but must use the built-in method executeCLI() available into core/class/utils.class.php * the trigger "*_DELETE_CONTACT" inside "delete_contact()" function from commonobject.class.php is call before delete the object element @@ -2505,7 +2576,7 @@ FIX: Add "Now" link on social charges creation card FIX: avoid undefined URL and missing token FIX: Bad project filter in ticket list FIX: Buttons to disable bindings not working -FIX: class not found when creating recuring invoice from invoice+discount +FIX: class not found when creating recurring invoice from invoice+discount FIX: File attachment on lots/batches FIX: handling $heightforinfotot when he's superior to a page height on Supplier Invoice FIX: hourglass and hide button to pay @@ -2553,12 +2624,12 @@ FIX: #16189 fix download/see check deposit PDF FIX: #16215 FIX: Accountancy - label_operation is used instead of label_compte FIX: Add critical price patch -FIX: Assignement of actors on tasks +FIX: Assignment of actors on tasks FIX: Bad dates on info tabs FIX: cash fence for takepos with multientity FIX: CSRF errors on margin forms FIX: encoding status in graph of vendor proposals -FIX: Fix detect dispached product and set to received completely when the supplier order have services (support STOCK_SUPPORTS_SERVICES) +FIX: Fix detect dispatched product and set to received completely when the supplier order have services (support STOCK_SUPPORTS_SERVICES) FIX: hide/unhide external ICS calendars FIX: link to create event when task is in a project with a thirdparty FIX: Localtax must be converted with price2num @@ -2570,7 +2641,7 @@ FIX: removed no more used proc update_modified_column_date_m on pgsql (its prese FIX: Vulnerability report by Ricardo Matias FIX: select default mail template FIX: Select transport mode function when creating a supplier invoice and add unique key to the table llx_c_transport_mode in migrate sql -FIX: Merge of thirdparties : "unknow column fk_soc" + "Delivery" label +FIX: Merge of thirdparties : "unknown column fk_soc" + "Delivery" label FIX: SQL Error in group by with postgres or mysql strict mode FIX: TakePOS : load date function FIX: Timeout during import @@ -2640,13 +2711,13 @@ NEW: add option to define a default warehouse at user level NEW: add option to include products without alert in replenish NEW: add order by lastname and firstname by default in get sales representatives NEW: add PDF document templates for warehouses (list of stock) -NEW: add a prospect status for the contact with managment of custom icon +NEW: add a prospect status for the contact with management of custom icon NEW: add public note on products ; this also partially fix the #14342 NEW: add quick dropdown menu in top right menu (experimental with MAIN_USE_TOP_MENU_QUICKADD_DROPDOWN) NEW: add region in export companies and contacts NEW: add rights on margin info on invoice list NEW: add search param for close date on order list -NEW: add show preview for mail attachement on form mail +NEW: add show preview for mail attachment on form mail NEW: add State/Province origin for products NEW: add the workflow interaction close intervention on closing ticket NEW: add tracking number in list and search_all items @@ -2702,7 +2773,7 @@ NEW: more filter for "View change logs" NEW: multiselect type and date to date filter NEW: new line template: hidden conf to fill service dates from the last service line NEW: PDF model storm for delivery -NEW: possibilty to group payments by mode and show their subtotal +NEW: possibility to group payments by mode and show their subtotal NEW: Priority and transparency from external calendar events NEW: Products - Nature of product is now a dictionary #13287 NEW: Products Import/Export 'default warehouse' and 'use batch number' fields @@ -2722,10 +2793,10 @@ NEW: show image of user in the combo select of users NEW: show label on batch card NEW: show links for select and multi-select in category extra field NEW: show module and permission ids on user/group rights (only admin) -NEW: show place from events on import calender +NEW: show place from events on import calendar NEW: show references in contract form on interventions NEW: show tags and status in search list of website pages -NEW: show user on external calender events (when found) +NEW: show user on external calendar events (when found) NEW: subject title with company name instead of application title in ticket message NEW: Support for Samba4 AD NEW: TakePOS appearance tab with more visual parameters @@ -2794,7 +2865,7 @@ NEW: API get member by thirdparty NEW: API get thirdparty by barcode NEW: API get users by email / login NEW: fetch contact by email with REST API -NEW: get state dictionnary by REST API +NEW: get state dictionary by REST API NEW: improve Product API for variant products NEW: retrieve discount from invoice from API NEW: Thirdparty REST API: endpoint to set price level @@ -2816,7 +2887,7 @@ Following changes may create regressions for some external modules, but were nec * All properties ->titre have been renamed into ->title * Property $paiementid in API 'api_supplier_invoices.php' has been renamed into into $payment_mode_id * Property 'num_paiement' has been renamed 'num_payment' everywhere for better code consistency. -* The deprecated subsitution key __SIGNATURE__ has been removed. Replace it with __USER_SIGNATURE__ if you used the old syntax in your email templates. +* The deprecated substitution key __SIGNATURE__ has been removed. Replace it with __USER_SIGNATURE__ if you used the old syntax in your email templates. * The hidden option HOLIDAY_MORE_PUBLIC_HOLIDAYS has been removed. Use instead the dictionary table if you need to define custom days of holiday. * If you build a class that implement CommonObject to use the incoterm properties or methods (->fk_incoterm, ->label_incoterm, ->location_incoterm), you must now also include declaration of the Trait 'CommonIncoterm' in your class. All incoterm functions were moved into this Trait. @@ -2824,7 +2895,7 @@ Following changes may create regressions for some external modules, but were nec * If you have links in your code with '&action=add', '&action=update', '&action=delete' as a parameter, you must also add '&token='.newToken() as another parameter to avoid CSRF protection errors. * The API addPayment for api_invoice has evolved to accept amount into a foreign currency. You must provide array(amount=>X,mutlicurrency_ammount=>Y) instead of simple amount. * The method select_thirdparty(), deprecated since 3.8, into html.form.class.php has been removed. -* Depreciate all methods with name ->valide(). Use instead methods ->validate(). +* Depreciate all methods with name ->valid(). Use instead methods ->validate(). * Function showStripePaymentUrl, getStripePaymentUrl, showPaypalPaymentUrl and getPaypalPaymentUrl has been removed. The generic one showOnlinePaymentUrl and getOnlinePaymentUrl are always used. * Context for hook showSocinfoOnPrint has been moved from "showsocinfoonprint" to "main" * Library htdocs/includes/phpoffice/phpexcel as been removed (replaced with htdocs/includes/phpoffice/PhpSpreadsheet) @@ -2921,16 +2992,16 @@ FIX: #15590 FIX: #15618 FIX: supplier proposals as linked objects of events are not correctly fetched FIX: when users create an event from a supplier proposal, the "linked objects" section says "Deleted" -FIX: Accountancy - Some ajustments on length of the account (general & auxiliary) +FIX: Accountancy - Some adjustments on length of the account (general & auxiliary) FIX: admin conf selected FIX: also check if there is a method $object->fetch_thirdparty() before calling it FIX: autofocus on first setup -FIX: Bad rigths to send contract +FIX: Bad rights to send contract FIX: Better error message with IMAP when connection fails FIX: Can create user but not update user with activedirectory FIX: Can receipt of a product that required lot after disabling stock and FIX: Can't create shipment for virtual product. Add -FIX: cant empty action comm desc +FIX: can't empty action comm desc FIX: CA report by product/service : subcategory filter FIX: Clean orphan records in llx_ecm_files into repair script. FIX: default accountancy values and posted values @@ -2946,7 +3017,7 @@ FIX: Export FEC - Remove line at zero FIX: extrafield required error after submit FIX: filter on project list FIX: force payment mode to withdraw -FIX: formating of prices with foreign languages +FIX: formatting of prices with foreign languages FIX: handling $heightforinfotot when he's superior to a page height FIX: if no PDF default model in admin for expense report, do not create a PDF FIX: invoice payment terms edition: error management @@ -2995,7 +3066,7 @@ FIX: #14703 FIX: - Accountancy balance Error SQL on entity FIX: Bad number of subscription (forgotten when member was resiliated) FIX: bad route url to delete subproduct with API -FIX: Category for suplements not saved +FIX: Category for supplements not saved FIX: Compatibility with modules without document generation FIX: Cron load lang FIX: CSS @@ -3188,7 +3259,7 @@ NEW: add Project Ref in events export NEW: add public and private notes in propal list NEW: Add social networks of the company NEW: Add sorting for contacts of ... pages -NEW: Add subtitution variables for url of document in backoffice +NEW: Add substitution variables for url of document in backoffice NEW: Add tel and fax in warehouse card NEW: add total of value in product stat NEW: add total weighted amount in project list @@ -3304,7 +3375,7 @@ NEW: Add user on order list NEW: Various payment list - Add search date start & date end & subledger account NEW: visu FROM day TO day in permonth view NEW: Website logs are now into a separated log file. -NEW: X-Axis on graph are shown verticaly when there is a lot of values. +NEW: X-Axis on graph are shown vertically when there is a lot of values. NEW: Can force ref of a variant product For developers or integrators: @@ -3547,7 +3618,7 @@ FIX: CA by product list filter FIX: CSS FIX: Disable js if no javascript FIX: duplicate class name into some log lines -FIX: etrafield with visibilty=5 were not in read only. +FIX: etrafield with visibility=5 were not in read only. FIX: excess paid from situation invoices not counted when calculating remain to pay. FIX: Force FEC export to txt format. FIX: Free input for email no more visible. @@ -3573,7 +3644,7 @@ FIX: token in barcode tools page missing FIX: Bad name of trigger PROPAL_SUPPLIER_TRIGGER, should be PROPOSAL_SUPPLIER_TRIGGER FIX: Type of contact for event does not exists and not supported FIX: Type of contact not saved when creating a contact -FIX: typo on ckeck method +FIX: typo on check method FIX: undefined function measuringUnitString in product list FIX: Usage of project not available in export. FIX: wrong test @@ -3598,14 +3669,14 @@ FIX: CVE-2020-7994 FIX: CVE Need permission to be able to develop modules FIX: #13053 FIX: Disable ticket status change if ticket closed -FIX: doc of dictionnary API -FIX: expedition ceate line new parameter is not required. +FIX: doc of dictionary API +FIX: expedition create line new parameter is not required. FIX: export ledger FIX: FEC export have specific name FIX: Filenames must not contains non ascii char or we will get non ascii FIX: Filter on list of events were lost after "Back to list" FIX: hasDelay for retained warranty -FIX: If we can change vendor status, we must be able to chane vendor code +FIX: If we can change vendor status, we must be able to change vendor code FIX: links in products/services index FIX: Log of authentication ok or ko + CVE-2020-7996 FIX: Look and feel v11 @@ -3758,7 +3829,7 @@ NEW: FCKeditor setup for tickets NEW: The default theme of TakePOS work better on smartphones. NEW: GeoIP v2 support is natively provided -> So IPv6 is supported NEW: List by closing date on order list and proposal list -NEW: Look and feel v11: Some setup pages are by default direclty in edit mode. +NEW: Look and feel v11: Some setup pages are by default directly in edit mode. NEW: Management of retained warranty on situation invoices NEW: Mass email action on invoice list use billing contact if exists NEW: more living colors for charts and option for "color bind" people @@ -3799,12 +3870,12 @@ NEW: Can set a filter on object linked in modulebuilder. NEW: Can defined a position of numbering submodules for thirdparties NEW: Add option multiselect for developers on the selector of language. NEW: Add a manifest.json.php file for web app. -NEW: Support of deployement of metapackages +NEW: Support of deployment of metapackages NEW: Removed deprecated code that create linked object from ->origin NEW: experimental zapier for dolibarr NEW: Accountancy - Add hook bookkeepinglist on general ledger NEW: Can update product type with the update method. -NEW: add API shipment mode dictionnary +NEW: add API shipment mode dictionary NEW: Add API to get Country by code and iso NEW: Add API to get objects by ref, ref_ext, ... NEW: Add anonymous telemetry @@ -3823,12 +3894,12 @@ NEW: Add trigger DIRECT_DEBIT_ORDER_CREATE on widthdraw is missing NEW: API to post documents for "product" and Delete document NEW: add new function "setEntity()" and better compatibility with Multicompany NEW: Can add a button "Create" after combo of object with modulebuilder. -NEW: contacts type dictionnary in api_setup.class.php +NEW: contacts type dictionary in api_setup.class.php NEW: Look and feel v11: Introduce CSS "trforbreak" NEW: list of measuring units API NEW: get social networks dictionary by API NEW: Get thirdparty's salesrepresentatives by API -NEW: get user connected informations in REST API +NEW: get user connected information in REST API NEW: mode for list thirdparty API (add easy filter for supplier only) NEW: purchase_prices API NEW: Provides more complete demo data @@ -3929,7 +4000,7 @@ FIX: test on 0 better than isset FIX: The "automatic bind" was linked EEC to export accountancy code FIX: thirdparty alias name desappeared if we change country with THIRDPARTY_SUGGEST_ALSO_ADDRESS_CREATION conf FIX: timezone must be tzserver and not tzuser as well as on contract card -FIX: typo on ckeck method +FIX: typo on check method FIX: use "usergroup" instead "user" FIX: Visualization rights correction on last modified contacts box FIX: Warning on admin/export_files @@ -4031,11 +4102,11 @@ FIX: access to public interface when origin email has an alias. FIX: Alias name is not into the email recipient label. FIX: allow standalone credit note even if no invoice FIX: an admin can not access his own permissions after enabling advanced permissions -FIX: Attachement of linked files on ticket when sending a message +FIX: Attachment of linked files on ticket when sending a message FIX: avoid non numeric warning FIX: Bad currency var used in stripe for connect FIX: Bad list of ticket on public interface for ticket emailcollector -FIX: Can't modify vendor invoice if transfered into accountancy +FIX: Can't modify vendor invoice if transferred into accountancy FIX: change product type must be allowed if we activate hidden conf FIX: colspan on VAT quadri report FIX: CSS @@ -4049,7 +4120,7 @@ FIX: Export of leave request show the number of open days FIX: Filtering the HTTP Header "Accept-Language". FIX: Filter on project on ticket list FIX: Filter "Open all" of ticket was ko. -FIX: Force downlaod of file with .noexe as octet-stream mime type +FIX: Force download of file with .noexe as octet-stream mime type FIX: form not closed. FIX: hidden conf to prevent from changing product_type FIX: If product account not suggested during bind, it is not preselected @@ -4102,7 +4173,7 @@ FIX: add char $ and ; in sanitizing of filenames FIX: add comment before protected functions FIX: add log and type of content in dolWebsiteOutput and FIX: add repair.php option 'restore' to restore user picture after v10 -FIX: amount opened on thirdparty card dont care of credit note not converted +FIX: amount opened on thirdparty card don't care of credit note not converted FIX: API of documents work with value 'thirdparty' FIX: author in message / ticket API FIX: avoid SQL error if fk_project is empty during update @@ -4274,7 +4345,7 @@ FIX: stock increase on shipment deletion if STOCK_CALCULATE_ON_SHIPMENT_NEW: is FIX: stripe webhook ID constant set FIX: summary of time spent in preview tab of projects FIX: the feature to bill time spent was not enabled. -FIX: The new feature to attach document on lines was not correclty +FIX: The new feature to attach document on lines was not correctly FIX: The proposed new supplier code does not work FIX: this function can not be private FIX: tk9877 - PDF rouget requires product.lib.php (otherwise measuring_units_string() is not defined) @@ -4285,7 +4356,7 @@ FIX: we need to be able to add freeline with qty between 0 & 1 in supplierorder FIX: We should remove property comments only for project and task api. FIX: When saving an action it didn't save the label based on the type of event if the label is empty and the type is customized FIX: when STOCK_CALCULATE_ON_SHIPMENT_NEW: is set, deleting a "closed" shipment now increases stock as expected -FIX: wrong path sociales/index.php doesnt exist anymore +FIX: wrong path sociales/index.php doesn't exist anymore ***** ChangeLog for 10.0.1 compared to 10.0.0 ***** @@ -4383,7 +4454,7 @@ FIX: stock increase on shipment deletion if STOCK_CALCULATE_ON_SHIPMENT_NEW: is FIX: stripe webhook ID constant set FIX: summary of time spent in preview tab of projects FIX: the feature to bill time spent was not enabled. -FIX: The new feature to attach document on lines was not correclty +FIX: The new feature to attach document on lines was not correctly FIX: The proposed new supplier code does not work FIX: this function can not be private FIX: tk9877 - PDF rouget requires product.lib.php (otherwise measuring_units_string() is not defined) @@ -4394,7 +4465,7 @@ FIX: we need to be able to add freeline with qty between 0 & 1 in supplierorder FIX: We should remove property comments only for project and task api. FIX: When saving an action it didn't save the label based on the type of event if the label is empty and the type is customized FIX: when STOCK_CALCULATE_ON_SHIPMENT_NEW: is set, deleting a "closed" shipment now increases stock as expected -FIX: wrong path sociales/index.php doesnt exist anymore +FIX: wrong path sociales/index.php doesn't exist anymore ***** ChangeLog for 10.0.0 compared to 9.0.0 ***** For Users: @@ -4403,7 +4474,7 @@ NEW: Module "Email Collector" is available as a stable module. NEW: Module "TakePOS" is available as a stable module. NEW: Experimental module "Vendor receptions". NEW: Experimental module "BOM". -NEW: Accounting - Add default accounting account for member subcriptions. +NEW: Accounting - Add default accounting account for member subscriptions. NEW: Accounting - More comprehensive menu. NEW: Agenda/event - add description column available in list (hidden by default). NEW: Add accounting account for result. @@ -4451,8 +4522,8 @@ NEW: Can generate invoices from the timespent entered on a project NEW: Can update product supplier price ref NEW: Can upload files from the edit page of expense report NEW: Color for hover and for checked line is on by default -NEW: Column of p...arent company is available in list of third parties -NEW: conditionnal add member button by statut +NEW: Column of p...aren't company is available in list of third parties +NEW: conditional add member button by statut NEW: constant KEEP_DISCOUNT_LINES_FROM_ORIGIN NEW: Contact related items tab NEW: Can create of supplier invoice from a reception @@ -4569,7 +4640,7 @@ Following changes may create regressions for some external modules, but were nec * Method dolEscapeXML was moved from functions.lib.php into function2.lib.php (not used enough to be loaded by default). * Removed deprecated use of string in dol_print_date(). Only date allowed. * Deprecated property ->fk_departement is now ->state_id everywhere. -* Removed the method 4 of GETPOST (to get $_COOKIE). It was not used and not recommanded to use in Dolibarr. +* Removed the method 4 of GETPOST (to get $_COOKIE). It was not used and not recommended to use in Dolibarr. * Column llx_facture.facnumber change to llx_facture.ref * Variable $dolibarr_main_cookie_cryptkey is no more created at install (it was not used by Dolibarr). A new variable called $dolibarr_main_instance_unique_id is now generated at each installation. It will be used by some future features. @@ -4657,7 +4728,7 @@ FIX: Total per day shows 00:00 if the total time spent is equal to 12:00 FIX: Update/delete currency on same languages FIX: Wrong variable name make contact of supplier order not used on PDF. FIX: Add hidden option MAIN_PDF_HIDE_SITUATION to hide situation (quick hack to fix output pb). -FIX: attached files list with link file was broked +FIX: attached files list with link file was broken ***** ChangeLog for 9.0.2 compared to 9.0.1 ***** FIX: #10822 @@ -4693,7 +4764,7 @@ FIX: old export models was not visible FIX: Param keepn must be 1 when dol_escape_htmltag used for textarea FIX: possibility to set up payment mode when invoice module is disabled FIX: problem with sign of various payment in project preview -FIX: Remane of project +FIX: Rename of project FIX: setup of module export FIX: several hooks in shipping/delivery cards FIX: supplier discount was not retrieved when choosing a product @@ -4778,7 +4849,7 @@ NEW: Add configuration to disable "customer/prospect" thirdparty type NEW: Add CONTRACT_ALLOW_TO_LINK_FROM_OTHER_COMPANY and CONTRACT_HIDE_UNSELECTABLES by SELECT_HIDE_UNSELECTABLES NEW: Add __DAY_TEXT__ and __MONTH_TEXT__ substitutions vars NEW: Add due date column in payment lists -NEW: Add email in event history, for reminder email of expired subsription +NEW: Add email in event history, for reminder email of expired subscription NEW: Add event tab on resource record NEW: Add FEC Export in accountancy NEW: Add filter on staff range in list of thirdparties @@ -4790,12 +4861,12 @@ NEW: Add link to inventory code NEW: Add more common social networks fields for business NEW: Add option PDF_DISABLE_MYCOMPANY_LOGO to disable logo on PDF NEW: add option PROPOSAL_AUTO_ADD_AUTHOR_AS_CONTACT -NEW: Add option to display thirdparty adress in combolist +NEW: Add option to display thirdparty address in combolist NEW: Add option to swap sender/recipient address on PDF -NEW: Add option to display thirdparty adress in combolist +NEW: Add option to display thirdparty address in combolist NEW: Add project on payment of salaries NEW: Add SHIPPING_PDF_HIDE_WEIGHT_AND_VOLUME and -NEW: Add somes hooks in bank planned entries +NEW: Add some hooks in bank planned entries NEW: Add supplier ref in item reception page NEW: Advanced permission to ignore price min NEW: Allow to enter a timespent with a numeric value @@ -4816,7 +4887,7 @@ NEW: Add category filter on user list NEW: Change forgotten password link in general parameters NEW: Child label of variants change if parent label changes NEW: Compatibility with new Paybox HMAC requirement -NEW: Each user can set its prefered default calendar page +NEW: Each user can set its preferred default calendar page NEW: Enhancement in process to make manual bank conciliation NEW: Enhancement in the generic file manager NEW: Extrafield totalizable @@ -4827,7 +4898,7 @@ NEW: hidden option to define an invoice template for each invoice type NEW: Highlight lines on lists when they are checked NEW: Notification module support expense report+holiday validation and approval NEW: On customer/supplier card, add simple tooltip to amount boxes -NEW: Page to check if the operations/items created between two dates have attached item(s) and possibility to download all attachements +NEW: Page to check if the operations/items created between two dates have attached item(s) and possibility to download all attachments NEW: possibility to add all rights of all modules in one time NEW: redirect if only one result on global search on card NEW: Permission to ignore price min @@ -4973,14 +5044,14 @@ FIX: problem with multicompany transverse mode FIX: Product accountancey sell intra code must be visible if main feature level 1 FIX: project_title for display of getNomUrl() FIX: quick search for supplier orders -FIX: Remane of project +FIX: Rename of project FIX: same thing here FIX: Selection of email recipient with option MAIN_OPTIMIZEFORTEXTBROWSER FIX: several hooks in shipping/delivery cards FIX: shipping default warehouse if only one warehouse FIX: SQL injection on rowid of dict.php FIX: 'statut' is ignored when updating a user with the REST API. -FIX: supplier invoice payment total dont care about deposit or credit +FIX: supplier invoice payment total don't care about deposit or credit FIX: supplier invoice product stats total ht is line total not invoice total FIX: The minimum amount filter does not work in the VAT report per customer FIX: Total per day shows 00:00 if the total time spent is equal to 12:00 @@ -5014,7 +5085,7 @@ FIX: Can't create a thirdparty from member if customer code is mandatory. FIX: Can't delete a line of minimal stock per warehouse FIX: check if "entity" is already defined in "$param" FIX: contact/address tab issue when changing company -FIX: contact/adress tab: when changing company ajax combo, the first contact change is not taken into account +FIX: contact/address tab: when changing company ajax combo, the first contact change is not taken into account FIX: CVE-2018-19799 FIX: CVE-2018-19992 FIX: CVE-2018-19993 @@ -5026,14 +5097,14 @@ FIX: Extrafields on shipment module FIX: filter on product category doesn't work FIX: form actions: select_type_actions could be too small + bad $db init FIX: form actions: select_type_actions could be too small + bad init -FIX: fourn payment modes musn't be available on customer docs +FIX: fourn payment modes mustn't be available on customer docs FIX: Function updatePrice with wrong parameters FIX: hidden extrafield FIX: if qty is 0 FIX: If we change customer/supplier rule we can't edit old thirdparty. FIX: lang not loaded FIX: Lines are not inserted correctly if VAT have code -FIX: marge sign +FIX: merge sign FIX: Method setValid not found FIX: Migration do not create not used table FIX: missing action "edit" for the hook @@ -5082,10 +5153,10 @@ FIX: correct migration of old postgresql unique key FIX: credit note progression FIX: default accounting accounts on loan creation #9643 FIX: Delete of draft invoice -FIX: deletion on draft is allowed if we are allwoed to create +FIX: deletion on draft is allowed if we are allowed to create FIX: Do not show check box if not applicable FIX: exclude element of the select -FIX: extrafields of taks not visible in creation +FIX: extrafields of tasks not visible in creation FIX: filter on employee FIX: invoice stats: situation invoices were not counted FIX: keep external module element when adding resource @@ -5106,7 +5177,7 @@ FIX: Pagination stats FIX: pdf typhon: order reference duplicate FIX: position 0 for emails templates FIX: previous situation invoice selection -FIX: Product marge tabs on product card +FIX: Product merge tabs on product card FIX: Product margin tab and credit note FIX: propal pdf: missing parenthesis for customs code FIX: properties on proposal must not be modified if error @@ -5115,8 +5186,8 @@ FIX: Quick hack to solve pb of bad definition of public holidays FIX: remain to pay for credit note was wrong on invoice list FIX: replenish wasn't caring about supplier price min quantity #9561 FIX: Required extrafield value numeric should accept '0' -FIX: ressource list with extrafields -FIX: restore last seach criteria +FIX: resource list with extrafields +FIX: restore last search criteria FIX: Selection of addmaindocfile is lost on error FIX: Sending of reminder for expired subscriptions FIX: shared link ko on proposals @@ -5125,7 +5196,7 @@ FIX: situation invoice total with credit note FIX: situation invoice prev percent FIX: special code on create supplier invoice from supplier order FIX: Symbol of currency in substitution variables -FIX: The max size for upload file was not corectly shown +FIX: The max size for upload file was not correctly shown FIX: the member e-mail on resign and validation. FIX: thirdparty property of object not loaded when only one record FIX: title @@ -5139,7 +5210,7 @@ FIX: Variable name FIX: When we delete a product, llx_product_association rows are not deleted FIX: when we're just admin and not super admin, if we create new user with transverse mode, we don't see it then we can't add him in usergroup FIX: wrong function name -FIX: wrong occurence number of contract on contact card, we must only count externals +FIX: wrong occurrence number of contract on contact card, we must only count externals FIX: wrong value for module part and return access denied FIX: Wrong variable name FIX: XSS vulnerability reported by Mary Princy E @@ -5329,7 +5400,7 @@ NEW: Option MAIN_SHOW_REGION_IN_STATE renamed into MAIN_SHOW_REGION_IN_STATE_SEL NEW: Option to force all emails recipient NEW: Hidden option to send to salaries into emails forms NEW: order minimum amount -NEW: add price in burger menu on mouvement list +NEW: add price in burger menu on movement list NEW: Report a list of leave requests for a month NEW: Section of files generated by mass action not visible if empty NEW: send mails from project card @@ -5375,7 +5446,7 @@ NEW: add printUserListWhere hook NEW: add "printUserPasswordField" hooks NEW: Call to trigger on payment social contribution creation NEW: Call to trigger on social contribution creation -NEW: hook getnomurltooltip is replaced with hook getNomUrl more powerfull +NEW: hook getnomurltooltip is replaced with hook getNomUrl more powerful WARNING: @@ -5397,7 +5468,7 @@ Following changes may create regressions for some external modules, but were nec * Hook getnomurltooltip provide a duplicate feature compared to hook getNomUrl so all hooks getnomurltooltip are now replaced with hook getNomUrl. * The substitution key __CONTACTCIVNAME__ is no longer present, it has been replaced by __CONTACT_NAME_{TYPE}__ - where {TYPE} is contact type code (BILLING, SHIPPING, CUSTOMER, ... see contact type dictionnary). + where {TYPE} is contact type code (BILLING, SHIPPING, CUSTOMER, ... see contact type dictionary). ***** ChangeLog for 7.0.5 compared to 7.0.4 ***** @@ -5408,12 +5479,12 @@ FIX: #9934 FIX: avoid Class 'AdherentType' not found FIX: Can't create a thirdparty from member if customer code is mandatory. FIX: Can't generate invoice pdf -FIX: contact/adress tab: when changing company ajax combo, the first contact change is not taken into account +FIX: contact/address tab: when changing company ajax combo, the first contact change is not taken into account FIX: Error generating ODT when option to use contact on doc on FIX: Error reported when creation of thirdparty from member fails FIX: filter on product category doesn't work FIX: form actions: select_type_actions could be too small + bad init -FIX: fourn payment modes musn't be available on customer docs +FIX: fourn payment modes mustn't be available on customer docs FIX: Function updatePrice with wrong parameters FIX: If we change customer/supplier rule we can't edit old thirdparty. FIX: Interface regression for bind people. Fix option MAIN_OPTIMIZEFORTEXTBROWSER @@ -5431,7 +5502,7 @@ FIX: use discount with multicurrency FIX: Variable name FIX: We want to be able to send PDF of paid invoices FIX: When delete a product, llx_product_association rows are not deleted -FIX: wrong occurence number of contract on contact card, we must only count externals +FIX: wrong occurrence number of contract on contact card, we must only count externals ***** ChangeLog for 7.0.4 compared to 7.0.3 ***** FIX: #8984 button create expense report @@ -5473,7 +5544,7 @@ FIX: Pagination on related item pages FIX: Pagination on withdraw request list FIX: PDF address: handle when contact thirdparty different from document thirdparty FIX: PHP warning, undefined index notnull -FIX: Product marge tabs on product card +FIX: Product merge tabs on product card FIX: Product margin tab and credit note FIX: propal: correctly preset project when creating with origin/originid FIX: remain to pay for credit note was wrong on invoice list @@ -5515,7 +5586,7 @@ FIX: intervention: extrafield error when calling insertExtrafields FIX: It's not possible to remove a contact which is assigned to an event #8852 FIX: javascript showempty error FIX: Keep supplier proposal price for supplier order -FIX: link for projets not linked to a thirdparties +FIX: link for projects not linked to a thirdparties FIX: Missing extrafields in export of stock or products FIX: missing filters during ordering FIX: missing filters during reordering @@ -5570,7 +5641,7 @@ FIX: delete all product variants of a parent product FIX: Detail per account not visible when total < 0 FIX: DOL_AUTOSET_COOKIE was not correctly setting value of cookie FIX: don't print empty date in CommonObject::showOutputField -FIX: dont print empty date in CommonObject::showOutputField +FIX: don't print empty date in CommonObject::showOutputField FIX: Draft invoice must be excluded from report FIX: environment shown on cron card FIX: Error in ContractLigne not return to Contract @@ -5597,7 +5668,7 @@ FIX: Only approved expense report must be journalized FIX: payment term doc-specific label was not used FIX: payment term doc-specific label was not used (issue #8414) FIX: project category is type 6 not 5 -FIX: Projet is not prefilled when created from overwiew page +FIX: Projet is not prefilled when created from overview page FIX: Related contact printed in societe agenda FIX: Removed error when no error on accounting setup page FIX: remove var_dump @@ -5608,16 +5679,16 @@ FIX: some localtaxes errors FIX: Some report have data when several chart of accounts exists FIX: sql error using no category FIX: SQL Injection CWE-89 -FIX: Support or multicompany for sheduled jobs +FIX: Support or multicompany for scheduled jobs FIX: Test on mandatory status when closing proposal failed FIX: to allow IRPF not null even if main VAT is null. FIX: update wrong datetime extrafield -FIX: Use priority to define order of sheduled jobs +FIX: Use priority to define order of scheduled jobs FIX: various modulebuilder-related issues FIX: view of balance before field FIX: weird password autocompletion in Goocle Chrome (issue #8479) FIX: weird password autocompletion in Google Chrome (issue #8479) -FIX: When clearing filter, we must not save tmp criterias in session +FIX: When clearing filter, we must not save tmp criteria in session FIX: With x extrafields, request for multicompany label was done x times FIX: several XSS FIX: zip not filtered @@ -5671,7 +5742,7 @@ FIX: navigation and filters on holiday list FIX: Parameter must be an array or an object that implements Countable FIX: Payment mode not correctly set in donation and document FIX: Permission in list of holiday -FIX: Properties updated if update successfull. +FIX: Properties updated if update successful. FIX: reverse field to have object loaded in doaction FIX: Saving wrong localtax on order addline FIX: Search criteria on vat @@ -5871,7 +5942,7 @@ NEW: Summary of last events on a card are sorted on decreasing date. NEW: Support Italian addresses format. Fixes #7785 NEW: Support visibility on extrafields NEW: Template invoices are visible on the customer tab -NEW: template invoices support substition key +NEW: template invoices support substitution key NEW: The bank account is visible on payment of taxes NEW: The comment when closing a proposal is added to commercial proposal NEW: The gantt diagram is now sensitive to hours @@ -5930,7 +6001,7 @@ NEW: hook formObjectOptions in the form setting product selling price NEW: hook to enrich homepage open elements dashboard NEW: Insert a discount in a specific invoice using the REST API NEW: Remove js library fileupload that was not used by core code. -NEW: Remove tooltip tipTip library replaced with standatd jquery tooltip +NEW: Remove tooltip tipTip library replaced with standard jquery tooltip NEW: Set invoices as draft using the REST API NEW: Sets an invoice as paid using the REST API NEW: Tag the order as validated (opened) in the REST API @@ -5945,11 +6016,11 @@ If you enabled (for test) the experimental BlockedLog module before 7.0, you mus way to save data for final version has changed. Following changes may create regressions for some external modules, but were necessary to make Dolibarr better: -* The methode "cloture" on contract were renamed into "closeAll". +* The method "cloture" on contract were renamed into "closeAll". * The method "is_erasable" of invoice return a value <= 0 if not erasable (value is meaning) instead of always 0. * The substitution key for reference of objects is now __REF__ whatever is the object (it replaces __ORDERREF__, __PROPALREF__, ...) -* The substition key __SIGNATURE__ was renamed into __USER_SIGNATURE__ to follow naming conventions. +* The substitution key __SIGNATURE__ was renamed into __USER_SIGNATURE__ to follow naming conventions. * Substitution keys with syntax %XXX% were renamed into __XXX__ to match others. * Removed old deprecated REST API (APIs found into '/root' section of the REST API explorer in Dolibarr v6). * Some REST API to access setup features, like dictionaries (country, town, extrafields, ...) were moved into a @@ -6109,7 +6180,7 @@ FIX: #7675 FIX: Agenda events are not exported in the ICAL, VCAL if begin exactly with the same $datestart FIX: API to get object does not return data of linked objects FIX: Bad localtax apply -FIX: Bad ressource list in popup in gantt view +FIX: Bad resource list in popup in gantt view FIX: bankentries search conciliated if val 0 FIX: hook formObjectOptions() must use $expe and not $object FIX: make of link to other object during creation @@ -6121,7 +6192,7 @@ FIX: sql syntax error because of old field accountancy_journal FIX: Stats on invoices show nothing FIX: substitution in ODT of thirdparties documents FIX: wrong key in selectarray -FIX: wrong personnal project time spent +FIX: wrong personal project time spent ***** ChangeLog for 6.0.2 compared to 6.0.1 ***** FIX: #7148 @@ -6148,13 +6219,13 @@ FIX: Accountancy export model for Agiris Isacompta FIX: Allow create shipping if STOCK_SUPPORTS_SERVICES option is enabled FIX: Bad preview on scroping when special file names FIX: Generation of invoice from bulk action "Bill Orders" -FIX: Implementation of a Luracast recommandation for the REST api server (#7370) +FIX: Implementation of a Luracast recommendation for the REST api server (#7370) FIX: Missing space in request FIX: Only modified values must be modified FIX: replenish if line test GETPOST on line 0 FIX: Stripe not working on live mode FIX: wrong basePath in the swagger view -FIX: Implementation of a Luracast recommandation for the REST api server +FIX: Implementation of a Luracast recommendation for the REST api server ***** ChangeLog for 6.0.1 compared to 6.0.* ***** FIX: #7000 Dashboard link for late pending payment supplier invoices do not work @@ -6174,7 +6245,7 @@ FIX: Clean bad parameters when inserting line of template invoice FIX: dateSelector was not taken into account FIX: hidden option MAIN_PROPAGATE_CONTACTS_FROM_ORIGIN FIX: journalization for bank journal should not rely on a label. -FIX: menu enty when url is external link +FIX: menu entry when url is external link FIX: missing supplier qty and supplier discount in available fields for product export. FIX: multicompany better accuracy in rounding and with revenue stamp. FIX: Must use pdf format page as default for merging PDF. @@ -6205,7 +6276,7 @@ NEW: Accountancy - Activate multi-journal & Add journal_label to database (FEC) NEW: Add a tracking id into mass emailing. NEW: Tax system more compatible with the new tax rollout in India (IGST / CGST / SGST). NEW: Add calculation function for Loan schedule -NEW: Add "depends on" and "required by" into module informations +NEW: Add "depends on" and "required by" into module information NEW: Add hidden option THIRDPARTY_INCLUDE_PARENT_IN_LINKTO NEW: Add key __USERID__ and __ENTITYID__ as key for dynamic filters. NEW: Add last activation author and ip of modules @@ -6218,7 +6289,7 @@ NEW: add rapport file for supplier paiement NEW: Add statistics on supplier tab. NEW: Add tooltip help on shipment weight and volume calculation NEW: An external module can hook and add mass actions. -NEW: Better reponsive design +NEW: Better responsive design NEW: Bookmarks are into a combo list. NEW: Bulk actions available on supplier orders NEW: Can add a background image on login page @@ -6231,7 +6302,7 @@ NEW: Can define default sort order for list pages. NEW: Can deploy an external module from the module setup area. NEW: Can disable all overwrote translations in one click. NEW: Can edit background color for odd and even lines in tables -NEW: Can filter on code in dictionnaries +NEW: Can filter on code in dictionaries NEW: Can filter on year and product tags on the product statistic page NEW: Can import users NEW: Can read time spent of others (hierarchy only or all if granted) @@ -6271,7 +6342,7 @@ NEW: No external check of version without explicit click in about page. NEW: ODT docs for USER USERGROUP CONTRACT and PRODUCT class NEW: odt usergroup NEW: On invoices generated by template, we save if invoice come from a source template. -NEW: option to copy into attachement files of events, files send by mail (with auto event creation) +NEW: option to copy into attachment files of events, files send by mail (with auto event creation) NEW: PDF with numbertoword NEW: Permit multiple file upload in linked documents NEW: PHP 7.1 compatibility @@ -6311,7 +6382,7 @@ NEW: Add phpunit to check the engine is defined into sql create files. NEW: Add project and Hook to Loan NEW: Add REST API to push a file. NEW: Allow extrafields list select to be dependands on other standard list and not only other extrafields list -NEW: Architecture to manage search criteria persistance (using save_lastsearch_values=1 on exit links and restore_lastsearch_values=1 in entry links) +NEW: Architecture to manage search criteria persistence (using save_lastsearch_values=1 on exit links and restore_lastsearch_values=1 in entry links) NEW: data files are now also parsed by phpunit for sql syntax NEW: Hook to allow inserting custom product head #6001 NEW: Introduce fields that can be computed during export in export profiles. @@ -6363,7 +6434,7 @@ FIX: multicompany better accuracy in rounding and with revenue stamp. FIX: PDF output was sharing 2 different currencies in same total FIX: Upgrade missing on field FIX: wrong key in selectarray -FIX: wrong personnal project time spent +FIX: wrong personal project time spent ***** ChangeLog for 5.0.6 compared to 5.0.5 ***** FIX: Removed a bad symbolic link into custom directory. @@ -6467,8 +6538,8 @@ FIX: ajax autocomplete on clone FIX: A non admin user can not download files attached to user. FIX: Can't download delivery receipts (function dol_check_secure_access_document) FIX: complete hourly rate when not defined into table of time spent -FIX: dont get empty "Incoterms : - " string if no incoterm -FIX: dont lose supplier ref if no supplier price in database +FIX: don't get empty "Incoterms : - " string if no incoterm +FIX: don't lose supplier ref if no supplier price in database FIX: Enter a direct bank transaction FIX: extrafield css for boolean type FIX: forgotten parameter for right multicompany use @@ -6476,7 +6547,7 @@ FIX: Found duplicate line when it is not. FIX: global $dateSelector isn't the good one, then date selector on objectline_create tpl was hidden FIX: Journal code of bank must be visible of accountaing module on. FIX: length_accounta return variable name -FIX: limit+1 dosn't show Total line +FIX: limit+1 doesn't show Total line FIX: No filter on company when showing the link to elements. FIX: overwrapping of weight/volume on rouget template FIX: Several bugs in accounting module. @@ -6530,16 +6601,16 @@ NEW: Add option PROJECT_LINES_PERWEEK_SHOW_THIRDPARTY to show thirdparty on page NEW: Add option "Stock can be negative". Off by default. NEW: Add option SUPPLIER_ORDER_3_STEPS_TO_BE_APPROVED. NEW: Add hidden option to include parent products too in stats of orders (not supported in rest of app yet). -NEW: Add Panama datas. -NEW: Add ressource extrafields. +NEW: Add Panama data. +NEW: Add resource extrafields. NEW: add restrictions on standard exports (agenda, order, deplacement, facture, fournisseur, societe, propal, expedition) NEW: Add substitution keys __SHIPPINGTRACKNUM__, __SHIPPINGTRACKNUMURL__ into shipping email template. NEW: Add status Done on interventions. NEW: Add system tool "Files integrity checker" to detect modified files for packaged versions. -NEW: Add tooltip in payment term edition in dictionnary. +NEW: Add tooltip in payment term edition in dictionary. NEW: Add type "url" as possible extrafield. NEW: Add workflow to calculated supplier order status on stock dispatch. -NEW: Add workflow to classifed propal bill on invoice validation. +NEW: Add workflow to classified propal bill on invoice validation. NEW: allow to save a parent warehouse. NEW: Better filtering of automatic/manually inserted events. NEW: Bill orders from order list. @@ -6597,7 +6668,7 @@ NEW: can set a default bank account on thirdparty card. NEW: Show photo of contacts on thirdparty card. NEW: Show subtotal into list of linked elements. NEW: Show total line (planned workload and time spent) on list of tasks. -NEW: Start to introduce search filters on dictionnaries for vat list. +NEW: Start to introduce search filters on dictionaries for vat list. NEW: Support extrafields for expense reports. NEW: Support extrafields on product lot. NEW: Support free bottom text and watermark on expense report template. @@ -6650,7 +6721,7 @@ Dolibarr better: So there is no reason to maintain its compatibility with other dolibarr components. If an external module need this library, this external module must embed the library in his own sources/packages. - Trigger name SUPPLIER_PROPOSAL_CREATE has been renamed into PROPOSAL_SUPPLIER_CREATE. -- A new paramater sqlfilters was introduced to allow filter on any fields int the REST API. Few old parameters, +- A new parameter sqlfilters was introduced to allow filter on any fields int the REST API. Few old parameters, no more required, were also removed. Use this new one if you were using one of them. - The trigger that activate or close a contract line is run on a contract line, not on contract. - Method commande->set_availability(user, availability_id) removed from commande class, use method commande->availability(availability_id, notrigger). @@ -6673,11 +6744,11 @@ FIX: #6680 User with restricted supplier invoice permissions sees "reopen" butto FIX: #6813 FIX: Correction with author and validator user on orders FIX: doactions hook missing in invoice model page -FIX: dont get empty "Incoterms : - " string if no incoterm -FIX: dont lose supplier ref if no supplier price in database +FIX: don't get empty "Incoterms : - " string if no incoterm +FIX: don't lose supplier ref if no supplier price in database FIX: forgotten parameter for right multicompany use FIX: global $dateSelector isn't the good one, then date selector on objectline_create tpl was hidden -FIX: limit+1 dosn't show Total line +FIX: limit+1 doesn't show Total line FIX: supplier order line were always created with rang = 0 @@ -6708,7 +6779,7 @@ FIX: error management in bank account deletion. FIX: event status is not modified when assign an user FIX: forgotten fk_facture_fourn attribute on supplierinvoice line object FIX: If bank module on, field must be required to register payment of expense report. -FIX: load multicurrency informations on supplier order and bill lines fetch +FIX: load multicurrency information on supplier order and bill lines fetch FIX: Missing total on project overview. FIX: multicurrency_subprice FIX: param billed when we change page @@ -6726,7 +6797,7 @@ FIX: #6253 Supplier invoice list filter does not respect "thirdparty" filter FIX: #6277 FIX: project list and ajax completion return wrong list. FIX: bug margin calculation by user with multicompany -FIX: Can make a stock transfert on product not on sale/purchase. +FIX: Can make a stock transfer on product not on sale/purchase. FIX: extrafield input for varchar was not working with special char within (ie double quotes) FIX: javascript error FIX: link for not found photo when using gravatar. Must use external url. @@ -6755,7 +6826,7 @@ FIX: Bcc must not appears to recipient when using SMTPs lib FIX: Consistent description for add or edit product FIX: delete contract extrafields on contract deletion FIX: Deposits and credit notes weren't added in the received and pending columns -FIX: export extrafields must not include separe type +FIX: export extrafields must not include separate type FIX: Export of opportunity status must be code, not id. FIX: False positive on services not activated FIX: Filter was wrong or lost during navigation @@ -6777,7 +6848,7 @@ FIX: Sanitize title of ajax_dialog FIX: Security to restrict email sending was not efficient FIX: Setting supplier as client when accept a supplier proposal FIX: Some statistics not compatible with multicompany module. -FIX: the time spent on project was not visible in its overwiew +FIX: the time spent on project was not visible in its overview FIX: Update intervention lline crash with PgSQL FIX: wrong test on dict.php FIX: wrong var name @@ -6823,7 +6894,7 @@ FIX: #5776 FIX: #5802 Incoterms not set FIX: #5813 Bug: Incoterms not being read correctly FIX: #5818 -FIX: alignement of intervention status +FIX: alignment of intervention status FIX: Clean of search fields FIX: Creation of donation should go back on card after creation FIX: Date visible on project overview @@ -6840,14 +6911,14 @@ FIX: Translation of "Name" is not a good choice for floow-up. FIX: Update of maxnbrun on job list failed. FIX: Value of payment term and project are not set on correct default value when invoice generated from template. FIX: vat dictionary should allow enter and edit multiple values for localtaxes, separated by: (ex -19:-15) -FIX: Vat not visible in dictionnary +FIX: Vat not visible in dictionary ***** ChangeLog for 4.0.0 compared to 3.9.* ***** For users: NEW: Add recurring invoice feature and automatic generation of invoices. NEW: Add module "Loan" as stable. NEW: Add module "Supplier commercial proposal" (price request) with stable status. -NEW: Can select dynamicaly number of lines to show on page on product, shipment, contact, orders, thirdparties. +NEW: Can select dynamically number of lines to show on page on product, shipment, contact, orders, thirdparties. NEW: Can select fields to show on list also for list of customer orders, supplier orders, shipments, proposals and invoices. NEW: Show into badge on tab head, the number of dedicated contacts for all objects. NEW: Add a checkbox to select/unselect all lines on page that support mass actions (like invoice list page) @@ -6873,7 +6944,7 @@ NEW: Add picto on module list to show warning and if module is an external modul NEW: Add product type filter on turnover report NEW: Add state into list of fields available for personalized fields of thirdparties NEW: Add statistics for interventions module -NEW: Add statistics on number of projets on home page +NEW: Add statistics on number of projects on home page NEW: Add statistics and late records into dashboard for supplier proposals. NEW: Add the admin info on combo of type of contact NEW: Add the event BILL_PAYED to the list of supported events for module notification. @@ -6916,12 +6987,12 @@ NEW: Indicator on workboard are red/green if late or not. NEW: Into GED module, filename is truncated only if there is not enough space into table NEW: Introduce a predefined job to run database backup NEW: Introduce option MAIN_WEIGHT_DEFAULT_UNIT and MAIN_VOLUME_DEFAULT_UNIT to force output unit for weight and volume. -NEW: Introduce position of records into dictionnary of type of contacts +NEW: Introduce position of records into dictionary of type of contacts NEW: Link on a user in leave page reach to leave tab of user. NEW: List of user in agenda view per user show photo thumb. NEW: Margins module - Check/update buying price on invoice lines NEW: Merge all admin tools (system and module admin tools) into same entry "Admin tools", so now things are clear: All features restricted to an admin user is inside "setup" (for setup) or "admin tools" (for action tools) instead of 3 different entries. -NEW: Merge all boxes "related objects" into one. This save a lot of room on most card and avoid often horizontal scoll. +NEW: Merge all boxes "related objects" into one. This save a lot of room on most card and avoid often horizontal scroll. NEW: Moved code that deals with bank categories to BankCateg. Created BankCateg::fetchAll function NEW: Move HRM dictionary from module to core dictionaries. NEW: Mutualize code to manage email substitution variables. Show available variables into page to edit email templates. @@ -6936,7 +7007,7 @@ NEW: Show total number of modules into the module list. NEW: Survey system has now a status like other objects. You can close or reopen a survey. NEW: The note on time spent can be entered when using the "view per day". NEW: Use ellipsis truncation on too large left menu text. -NEW: When a new field to show into lists is selected, the form is automatically submited and field added. +NEW: When a new field to show into lists is selected, the form is automatically submitted and field added. NEW: When creating a template invoice from a draft invoice, if there is link to contract on draft invoice, link is kept on template invoice. NEW: When emailing is not sent completely, show progression. NEW: Experimental module Accountancy Expert. @@ -7004,7 +7075,7 @@ FIX: #5544 Disabled Contact still appear in lists to send emails FIX: #5549 getNomUrl tooltips show Order info even if user has no rights to read them FIX: #5568 FIX: #5594 -FIX: #5629 PgSQL Interger string stylish error +FIX: #5629 PgSQL Integer string stylish error FIX: #5651 FIX: #5660 FIX: #5853 $conf->global->$calc==0 || $conf->global->$calc==1 @@ -7019,7 +7090,7 @@ FIX: Can't create withdrawal document FIX: delete contract extrafields on contract deletion FIX: Direction of movement lost if an error occurs FIX: Error when CATEGORIE_RECURSIV_ADD is enabled and new category is daughter of an already linked to object -FIX: export extrafields must not include separe type +FIX: export extrafields must not include separate type FIX: External user must not be able to edit its discounts FIX: Failed to export contact categories with contact extra fields FIX: header title in commercial area @@ -7029,9 +7100,9 @@ FIX: incoterms do not output into crabe invoice PDF FIX: in PgSQL no quote "word style" is permitted around column name FIX: Introduce hidden option MAIL_PREFIX_FOR_EMAIL_ID to solve pb of tracking email. FIX: margin tab on customer card must filter on current entity invoices -FIX: missing column into SQL on thridparty list +FIX: missing column into SQL on thirdparty list FIX: only show projects of related third if external user -FIX: PgSQL Module Ressource list crash #5637 +FIX: PgSQL Module Resource list crash #5637 FIX: php Strict FIX: Regression when deleting product FIX: Security to restrict email sending was not efficient @@ -7058,7 +7129,7 @@ FIX: #5544 Disabled Contact still appear in lists to send emails FIX: #5549 getNomUrl tooltips show Order info even if user has no rights to read them FIX: #5568 FIX: #5594 -FIX: #5629 PgSQL Interger string stylish error +FIX: #5629 PgSQL Integer string stylish error FIX: #5651 FIX: #5660 FIX: #5853 $conf->global->$calc==0 || $conf->global->$calc==1 @@ -7073,7 +7144,7 @@ FIX: Can't create withdrawal document FIX: delete contract extrafields on contract deletion FIX: Direction of movement lost if an error occurs FIX: Error when CATEGORIE_RECURSIV_ADD is enabled and new category is daughter of an already linked to object -FIX: export extrafields must not include separe type +FIX: export extrafields must not include separate type FIX: External user must not be able to edit its discounts FIX: Failed to export contact categories with contact extra fields FIX: header title in commercial area @@ -7083,9 +7154,9 @@ FIX: incoterms do not output into crabe invoice PDF FIX: in PgSQL no quote "word style" is permitted around column name FIX: Introduce hidden option MAIL_PREFIX_FOR_EMAIL_ID to solve pb of tracking email. FIX: margin tab on customer card must filter on current entity invoices -FIX: missing column into SQL on thridparty list +FIX: missing column into SQL on thirdparty list FIX: only show projects of related third if external user -FIX: PgSQL Module Ressource list crash #5637 +FIX: PgSQL Module Resource list crash #5637 FIX: php Strict FIX: Regression when deleting product FIX: Security to restrict email sending was not efficient @@ -7116,7 +7187,7 @@ FIX: #5414 FIX: #5470 User of expense report in bank transactions page is not correct FIX: a case of corrupted ODT by Word that insert when it should not. FIX: Can't create thirdparty or validate invoice if profid is mandatory and profid does not exists for other countries -FIX: dasboard wrong for late invoice +FIX: dashboard wrong for late invoice FIX: duplicate jquery.js files FIX: extrafield cloned on project clone FIX: Failed to open file @@ -7126,7 +7197,7 @@ FIX: javascript error with german-switzerland language FIX: large expense note FIX: Missing original .js file (license violation if sources are not provided) FIX: Option strict mode compatibility -FIX: product stats all bloc module without enbaled test +FIX: product stats all block module without enabled test FIX: receiving link never works FIX: task ODT company object not correctly retrieved FIX: Translate group perms as it is done into user perms @@ -7142,7 +7213,7 @@ FIX: Can't create a stock transfer from product card FIX: can't fetch by siret or siren because of first "if" FIX: Check stock of product by warehouse if $entrepot_id defined on shippings FIX: Compatible with multicompany -FIX: Creation of the second ressource type fails. +FIX: Creation of the second resource type fails. FIX: end of select when no fournprice FIX: Filter on assigned to was preselected on current user on list "All events" (instead of no filtering) FIX: Filter on category tag for suppliers @@ -7159,7 +7230,7 @@ FIX: Not filtering correctly when coming from dashboard FIX: PROPAL_MERGE_PDF with PRODUCT_USE_OLD_PATH FIX: Remove PHP Warning: Creating default object from empty value. FIX: same page added several times on mergepropal option -FIX: search on date into supplier invoice list dont work because of status -1 +FIX: search on date into supplier invoice list don't work because of status -1 FIX: Search supplier ref on contract FIX: Split of credit note into discount page generates records not correctly recognised as credit note. FIX: SQL error function on getAvailableDiscounts function, on bill create mode if socid is empty @@ -7176,7 +7247,7 @@ FIX: #5230 FIX: #3815 Call to undefined function local_by_date() FIX: #4424 Missing email of user popup in supplier orders area FIX: #4442 Missing translation in Banks menu -FIX: #4737 Bank transacion type selector translation is cropped +FIX: #4737 Bank transaction type selector translation is cropped FIX: #4742 Able to delete a supplier invoice with a registered payment FIX: #4743 UI glitch in project summary page FIX: #4747 Missing UI background when registering a supplier invoice payment @@ -7206,8 +7277,8 @@ FIX: Check of EAN13 barcode when mask was set to use 13 digits instead of 12 FIX: correct display of minimum buying price FIX: Creation of thumb image for size "small" was not done. FIX: Damn, where was the project ref ? -FIX: Default vat is not set correctly when an error occured and we use VAT identified by a code. -FIX: dont retrieve new buying price on margin display +FIX: Default vat is not set correctly when an error occurred and we use VAT identified by a code. +FIX: don't retrieve new buying price on margin display FIX: Duplicate records into export FIX: Each time we edit a line, we loose the unit price. FIX: Email templates not compatible with Multicompany @@ -7232,7 +7303,7 @@ FIX: Same term to create than other objects FIX: Some records were lost into margin per product report FIX: systematic rounding causes prices to be updated without reason FIX: Template email must take care of positino column -FIX: VAT rate can be negative. Example spain selling to morroco. +FIX: VAT rate can be negative. Example spain selling to morocco. FIX: When cloning an order the order result from clone must be now FIX: When using option Price per level, when adding a predefined product, the vat for customer was not correctly set. @@ -7277,7 +7348,8 @@ NEW: Can assign a task to yourself to have it appear on timesheet. NEW: Can close a project that has draft status with no need to switch it to validate status before. NEW: Can edit Background color for Top menu and Background color for table title line. NEW: Can edit email templates using WYSIWYG editor. -NEW: Can edit list of prospect status for customers/prospects. Add a new entry into dictionary table to manage list fo status. +NEW: Can edit list of prospect status for customers/prospects. Add a new entry +into dictionary table to manage list for status. NEW: Can filter on contact status in prospect list. Removed deprecated menu entry. NEW: Can filter proposal on a tag of a product. NEW: Can filter proposal, orders or invoices with criteria "contain at least one product with following tag" @@ -7287,7 +7359,7 @@ NEW: Can choose fields to show into the contact list. Extrafields are also suppo NEW: Can choose fields to show into list of users. Extrafields are also supported. NEW: Can set default value of event type when creating an event (if option "manage type of event" is used). NEW: Can upload files on leave requests. Use more standard permissions. -NEW: Can use a "|" to make a OR search on several different criterias into search text filters of tables. +NEW: Can use a "|" to make a OR search on several different criteria into search text filters of tables. NEW: Can use the * as a joker characters into search boxes of lists. NEW: Clean code into salary module, debug and add indexes NEW: Can filter on user list and salary payments on user with naural search. @@ -7296,11 +7368,11 @@ NEW: Color category is visible onto the thumb of tags on thirdparty, or products NEW: Conf to use next product/service ref when we clone a product/service NEW: Contract module can be used to follow both sold and bought contracts/recurring subscriptions. NEW: Can change amount when creating withdraws requests. -NEW: FEATURE PROPOSAL: on proposal, order or invoice creation from scratch, reload page after customer selection so its informations can be loaded +NEW: FEATURE PROPOSAL: on proposal, order or invoice creation from scratch, reload page after customer selection so its information can be loaded NEW: Filter "active" by default on user list. Fix label of permission of project module. NEW: Forms are using the "tab look", even in creation mode. NEW: Free text for cheque deposit receipt can be HTML content. -NEW: Hidden option THEME_ELDY_USE_HOVER is stable enough to become officialy visible into setup. +NEW: Hidden option THEME_ELDY_USE_HOVER is stable enough to become officially visible into setup. NEW: If module salaries is on, you can set a hourly value for time consumed by users. When a user enter its time consumed on a project, a calculation is done to provide the cost for human services. This value appears into the "Overview" of project. NEW: Add import profile to import sales representatives of third parties. NEW: Increase length of bank code to 128 char #3704 @@ -7310,14 +7382,14 @@ NEW: Introduce cost price on products. NEW: Introduce hidden option MAIN_LANDING_PAGE to decide the home page visible just after login. NEW: Introduce hidden option MAIN_REPLACE_TRANS_xx_XX to allow simple replacement of translated string on the fly. Prefer to use next method. NEW: Introduce table llx_overwrite_trans to be able to overwrite translations by simple database edition. -NEW: Introduce use of cache for thumbs images of users to save bandwith. +NEW: Introduce use of cache for thumbs images of users to save bandwidth. NEW: Experimental level multiprice generator based on per cent variations over base price. NEW: List of projects of a thirdparty are visible on a project tab for the thirdparty. NEW: Merge all left menu search boxes into one. NEW: Merge all search fields of an area page into one search box. NEW: Next ref on clone doesn't need conf, it's used if mask exists. NEW: Only arrow of current sorted field is visible into table views. This save a lot of space. You can click on the column title to sort. This make clickable area larger and click to sort is easier. -NEW: On page to see/edit contact of an ojbect, the status of contact is visible (for both external and internal users). +NEW: On page to see/edit contact of an object, the status of contact is visible (for both external and internal users). NEW: Option "encrypt password" into database is set to on by default on first install. NEW: Print event type on third party card tab agenda list (only if AGENDA_USE_EVENT_TYPE = 1) NEW: Provide an easier way to understand if an order can be shipped. @@ -7356,7 +7428,7 @@ NEW: Introduce function dolGetFirstLineOfText NEW: Introduce a method getDefaultCreateValueForField for developers to get a default value to use for a form in create mode. Implement it for public and private notes. NEW: A module can add its entries into cron module. NEW: Framework feature. To have a page being loaded at same scrollbar level after a click on a href link, just add the class "reposition" on this link. -NEW: Add exemple of setup for multitail to render dolibarr log files +NEW: Add example of setup for multitail to render dolibarr log files NEW: Add restler framework. First step to build REST API into Dolibarr. NEW: Add css class and ids on column of detail lines to allow module to easily manipulate fields. NEW: Add hook in send mail @@ -7368,7 +7440,7 @@ NEW: Enhance prototype, project list and proposal list with new hooks to have an NEW: Enhance style engine. Add option to set color of links. NEW: ODT generators can now also set meta properties of ODT file. NEW: Add missing columns into llx_expedition to match other tables. -NEW: A new function getImageFileNameForSize was also introduced to choose image best size according to usage to save bandwith. +NEW: A new function getImageFileNameForSize was also introduced to choose image best size according to usage to save bandwidth. NEW: Support logging to a Sentry server NEW: Prepare database to have agenda able to store more detailed emails events. @@ -7401,7 +7473,7 @@ FIX: #4424 Missing email of user popup in supplier orders area FIX: #4442 Missing translation in Banks menu FIX: #4448 $filebonprev is not used, $this->filename now FIX: #4455 -FIX: #4737 Bank transacion type selector translation is cropped +FIX: #4737 Bank transaction type selector translation is cropped FIX: #4742 Able to delete a supplier invoice with a registered payment FIX: #4743 UI glitch in project summary page FIX: #4747 Missing UI background when registering a supplier invoice payment @@ -7433,7 +7505,7 @@ FIX: Check stock of product by warehouse if $entrepot_id defined on shippings FIX: correct display of minimum buying price FIX: Creation of thumb image for size "small" was not done. FIX: Direction of movement lost if an error occurs -FIX: dont retrieve new buying price on margin display +FIX: don't retrieve new buying price on margin display FIX: Duplicate records into export FIX: Email templates not compatible with Multicompany FIX: end of select when no fournprice @@ -7448,13 +7520,13 @@ FIX: PROPAL_MERGE_PDF with PRODUCT_USE_OLD_PATH FIX: real min buying price FIX: receiving link never works FIX: same page added several times on mergepropal option -FIX: search on date into supplier invoice list dont work because of status -1 +FIX: search on date into supplier invoice list don't work because of status -1 FIX: Search supplier ref on contract FIX: SQL error function on getAvailableDiscounts function, on bill create mode if socid is empty FIX: systematic rounding causes prices to be updated without reason FIX: task ODT company object not correctly retrieved FIX: Template email must take care of positino column -FIX: VAT rate can be negative. Example spain selling to morroco. +FIX: VAT rate can be negative. Example spain selling to morocco. ***** ChangeLog for 3.8.4 compared to 3.8.3 ***** FIX: #3694 @@ -7502,17 +7574,17 @@ FIX: CVE CVE-2015-8685 FIX: Deadlock situation. Can't edit anymore contract. FIX: List of automatic events was not visible. FIX: disable main.inc.php hooks FIX: do not show warning if account defined -FIX: don't see the sales representative of anothers entities +FIX: don't see the sales representative of another entities FIX: duration format -FIX: Correct problem of rights beetween tax and salaries module +FIX: Correct problem of rights between tax and salaries module FIX: Email templates not compatible with Multicompany FIX: $fileparams is not defined FIX: filter by socid if from customer card FIX: for avoid conflict with "global $m" in memory.lib.php FIX: for avoid division by 0 FIX: hover css -FIX: If option to hide automatic ECM is on, dont show menu. -FIX: if we dont use SUPPLIER_ORDER_USE_HOUR_FOR_DELIVERY_DATE the hour is displayed on pdf +FIX: If option to hide automatic ECM is on, don't show menu. +FIX: if we don't use SUPPLIER_ORDER_USE_HOUR_FOR_DELIVERY_DATE the hour is displayed on pdf FIX: Introduce hidden option to disable feature than hangs when too much data FIX: ISSUE #4506 : make working the PROPAL_CLONE_ON_CREATE_PAGE hidden constant FIX: issue when bank module is disabled FIX: missing entity filter for lines of payment @@ -7525,7 +7597,7 @@ FIX: missing signature and uniformize code between card and script FIX: missing traduction FIX: missing translation FIX: missing translation key -FIX: nblignes not calculated after hook and hook can't modify this value. Usefull for modules +FIX: nblignes not calculated after hook and hook can't modify this value. Useful for modules FIX: no database structure change is allowed into minor versions FIX: no transaction in this place FIX: Noway to validate a leave request for some uer even if they have permission for. @@ -7554,7 +7626,7 @@ FIX: userlocaltax FIX: view of product image when using old path FIX: size of image uploaded on user. FIX: We must ue the "small" size of imge to show on card pages. -FIX: When we make a direct assignement on a task to a user, we must check he is also assigned to project (and if not assign it) +FIX: When we make a direct assignment on a task to a user, we must check he is also assigned to project (and if not assign it) FIX: wrong fk_parent_line in credit note with invoiceAvoirWithLines option FIX: wrong modelpdf var name FIX: wrong object name @@ -7570,7 +7642,7 @@ FIX: #3679 Error when deleting a Localtax2 special payment FIX: #3707 Thirdparty bank account page table has a glitch FIX: #3726 When upload file, don't test if PRODUCT_USE_OLD_PATH_FOR_PHOTO variable is empty or not FIX: #3734 Do not show empty links of deleted source objects in stock movement list -FIX: #3836 Unable to upload a document to an invoice under some circunstances +FIX: #3836 Unable to upload a document to an invoice under some circumstances FIX: #3878 Storing and deleting files on emailing was done at wrong place FIX: #3880 FIX: #3882 @@ -7585,12 +7657,12 @@ FIX: #3988 Undefined variable $conf and $error in CommandeFournisseur::addline FIX: #3989 Undefined variable $conf in CommandeFournisseur::getNomUrl FIX: #3990 FIX: #3992 CommandeFournisseur::ref is marked as deprecated and it shouldn't be -FIX: #3996 Dictionnary hooks are not working in 3.8 +FIX: #3996 Dictionary hooks are not working in 3.8 FIX: #3997 Wrong permission key used for Margins > Read all FIX: #4016 User link is not correctly formed in emailing receivers FIX: #4018 SQL error if trying to access the mailing/card.php page without an ID defined FIX: #4036 Direct printing module without any driver configured, shows an unformatted error message -FIX: #4043 Incorrect translation in error mesage in menu creation admin page +FIX: #4043 Incorrect translation in error message in menu creation admin page FIX: #4049 PHP warning when trying to access a non-existing product/service FIX: #4055 SQL error when trying to access a non-existing expedition FIX: #4081 Added missing translation @@ -7611,7 +7683,7 @@ FIX: Better compatibility for users that used the not supported option MAIN_USE_ FIX: Bug: $this is not accessible in static context in Mailing::libStatutDest #4050 FIX: can not have access to the new ids or propal lines on PROPAL_CLONE FIX: Can't update line's duration -FIX: Can use formated float number on old expense report module. +FIX: Can use formatted float number on old expense report module. FIX: change object statut on close shipping and remove erratic db commit FIX: change order date on clone (as everywhere else) FIX: event's data lost on user assign update @@ -7630,7 +7702,9 @@ FIX: only active customer should be available into select list thirdparty on inv FIX: only active customer should be return into new invoice creation select list FIX: AWP calculation FIX: product link in project box -FIX: Remove column creation for table llx_product_fournisseur_price, the column use un calss is fk_supplier_price_expression, and fk_price_expression does not exist into lx_product_fournisseur_price sql file declaration +FIX: Remove column creation for table llx_product_fournisseur_price, the +column use un class is fk_supplier_price_expression, and fk_price_expression +does not exist into llx_product_fournisseur_price sql file declaration FIX: Show category selector if we have permission to view products or services FIX: showrefnav htmlspecialchar instead of < > FIX: The label hidden was not supported when using jmobile @@ -7654,7 +7728,7 @@ FIX: #3841 creation of a task completed has not status set to finished by defaul FIX: #3878 Storing and deleting files on emailing was done at wrong place FIX: #3880 FIX: #3882 -FIX: action not appear before an update because of a lack of line in action ressource +FIX: action not appear before an update because of a lack of line in action resource FIX: add tag myuser_job into ODT replacement FIX: Avoid changing the state to a thirdparty who shouldn't be contacted anymore FIX: bad calculation for stock value @@ -7689,7 +7763,7 @@ FIX: Show product image on getNomUrl() FIX: skeleton class must use db->order rather than ORDER BY into fetchAll FIX: Societe::set_parent() function needs societe object to be fetched to update parent FIX: supplier rights for orderToInvoice -FIX: tag object_total_vat_x need x to be a string with unknown decimal lenght. Now use for x the real vat real with no more decimal (x = 20 or x = 8.5 or x = 5.99, ...) +FIX: tag object_total_vat_x need x to be a string with unknown decimal length. Now use for x the real vat real with no more decimal (x = 20 or x = 8.5 or x = 5.99, ...) FIX: The preview of PDF was never refreshed if PDF document was changed FIX: The thumb of user into top menu was using the image in full size. This make a large download at each page call. We must use the mini thumbs. FIX: Total in summary was not same than into detail on the referrer page. @@ -7708,7 +7782,7 @@ FIX: #3606 FIX: #3607 Better categories setting and unsetting FIX: #3628 FIX: #3630 - Wrong balance report when module salaries and donation disabled -FIX: Add a test to save life when ref of object (invoice ref, order ref, ...) was empty. The was no way to go back to a clean situation, even after vaidating again the object. +FIX: Add a test to save life when ref of object (invoice ref, order ref, ...) was empty. The was no way to go back to a clean situation, even after validating again the object. FIX: Admin fiche inter page do not take good action FIX: Always use type send in parameters in showCategories method FIX: avoid SQL error in getValueFrom common object when all params are not send @@ -7716,7 +7790,7 @@ FIX: avoid SQL error when no sortfield send to method FIX: bad link into project box FIX: Bad title line in project view when using jmobile FIX: Bad translation key for project "Overview" -FIX: Can create Proposal on close thridparty #3526 +FIX: Can create Proposal on close thirdparty #3526 FIX: Can't change state on a contact FIX: Can't change the admin with default setup FIX: Can't delete thirdparty if there is some discounts @@ -7736,7 +7810,7 @@ FIX: Init into bad var FIX: Link of project must be cickable if user has permission to read all projects FIX: Missing information into the alt of project picto FIX: List of project for user that are restrited as sale repreentative to some thirdparties. FIX: Mass Mailing activity don't display all status -FIX: Missing contracts into list in page of Refering objects of a thirdparty. +FIX: Missing contracts into list in page of Referring objects of a thirdparty. FIX: Missing menu entry for list of thirdparties when using auguria menu manager FIX: Missing validate button if permission are not valid. FIX: New adherent from, always redirect on entity @@ -7752,7 +7826,7 @@ FIX: remove twice same test FIX: select of project using ajax autocomplete option FIX: sortder field was missing so manually added values were moved to begin. FIX: Syntax error in Debian Apache configuration -FIX: The admin flag is mising. +FIX: The admin flag is missing. FIX: The filter on thirdparty prices should be visible if there is at least one thirdparty price. FIX: Thirdparty is missing on card FIX: update2.php test res befre assign it @@ -7821,7 +7895,7 @@ FIX: migration error FIX: moved built-in bug report system to GitHub Issues FIX: Moved code to where the variable is defined FIX: No check warehouse is provided if module stock is not enabled. -FIX: Payed invoices are showed as canceled FIX: Bad date filter on customer order +FIX: Paid invoices are showed as canceled FIX: Bad date filter on customer order FIX: Ref/label of product on contract line was not visible, nor into page, nor into PDF. FIX: Removed concatenation on undeclared variable FIX: Remove deprecated property 'libelle' on product object @@ -7857,7 +7931,7 @@ NEW: Add close date and user for projects. NEW: Add company information into category contact export NEW: Add current salary on list of payment NEW: add date value filter on account records list -NEW: Add exemple of setup for multitail to render dolibarr log files +NEW: Add example of setup for multitail to render dolibarr log files NEW: Add filter on status on invoice list NEW: Add filter on task ref and task label into list of tasks NEW: Add filter on user contact or user task into task list @@ -7886,14 +7960,15 @@ NEW: Can close a project that has draft status with no need to switch it to vali NEW: Can edit Background color for Top menu and Background color for table title line (works only with theme menu eldy). NEW: Can edit email template using WYSIWYG editor NEW: Can edit internal label of invoice even when closed (this is a private information) -NEW: Can edit list of prospect status for customers/prospects. Add a new entry into dictionary table to manage list fo status. Removed deprecated files. +NEW: Can edit list of prospect status for customers/prospects. Add a new entry +into dictionary table to manage list for status. Removed deprecated files. NEW: Can filter on contact status in prospect list. Removed deprecated menu entry. NEW: Can filter proposal on a tag of a product Enhance also the prototype test_arrays to include select form before table. NEW: Can filter proposal, orders or invoices with criteria "contain at least one product with following tag" NEW: Can install an external module from admin pages, if web server has permission for and if setup is ok for. NEW: Can search on customer order amount into customer order list. NEW: Can upload files on leave requests. Use more standard permissions. -NEW: Can use a "|" to make a OR search on several different criterias into text filters of tables. +NEW: Can use a "|" to make a OR search on several different criteria into text filters of tables. NEW: Clean code into salary module, debug and add indexes NEW: Can filter on user list and salary payments on user with naural search. NEW: clone action on agenda events NEW: dev feature : replace conf filename with "conf" parameter on url by GET @@ -7907,16 +7982,16 @@ NEW: Feature to build a merged pdf with all unpaid invoice can work for paid inv NEW: Filter "active" by default on user list. Fix label of permission of project module NEW: For a contract line, price is no more mandatory. NEW: Forms are using the tab look, even in creation mode. -NEW: Hidden option THEME_ELDY_USE_HOVER is stable enough to become officialy visible into setup. +NEW: Hidden option THEME_ELDY_USE_HOVER is stable enough to become officially visible into setup. NEW: If module salaries is on, you can set a hourly value for tome consumed by users. Each time a user enter its time consumed on a project, a calculation is done to provide the cost for human services. This value appears into the "Transversal view" of project. -NEW: Implement option SUPPLIER_ORDER_USE_DISPATCH_STATUS to add a status into each dispathing line of supplier order to "verify" a reception is ok. Status of order can be set to "total/done" only if line is verified. +NEW: Implement option SUPPLIER_ORDER_USE_DISPATCH_STATUS to add a status into each dispatching line of supplier order to "verify" a reception is ok. Status of order can be set to "total/done" only if line is verified. NEW: Into the overview of projects, the name of thirdparty appears into combo lists of elements to link to project. NEW: Introduce option SUPPLIER_ORDER_DOUBLE_APPROVAL to allow 2 approvals to make a supplier order approved. Activating this option introduce a new permission to the second level approval. NEW: Introduce TCPDI as replacement of FPDI. NEW: List of recent modified supplier product prices in Supplier card NEW: Module notification should details of emails into confirm box, not only number. -NEW: On page to see/edit contact of an ojbect, the status of contact is visible (for both external and internal users). -NEW: Product stock and subproduct stock are independant +NEW: On page to see/edit contact of an object, the status of contact is visible (for both external and internal users). +NEW: Product stock and subproduct stock are independent NEW: Propal merge product card PDF into azur NEW: Rename install etape to step NEW: Replace category edition page on members with new select2 component. @@ -7952,7 +8027,7 @@ NEW: Add module batch management. For translators: NEW: Update language files. NEW: When a translation is not available we always jump to en_US and only en_US. -NEW: All language tranlsations (except source en_US) is now managed on https://www.transifex.com/projects/p/dolibarr/. +NEW: All language translations (except source en_US) is now managed on https://www.transifex.com/projects/p/dolibarr/. FIX: Typo errors in translation. For developers: @@ -8007,7 +8082,7 @@ FIX: #4081 Added missing translation FIX: #4097 Public holiday calculation FIX: #4242 Allow disabling dashes in documents FIX: #4243 sql injection -FIX: Can use formated float number on old expense report module. +FIX: Can use formatted float number on old expense report module. FIX: Change object statut when closing shipment and remove erratic db commit FIX: Export with category contact extrafields FIX: NB task and percent progress in box project @@ -8030,7 +8105,7 @@ FIX: #3630 - Wrong balance report when module salaries and donation disabled FIX: #3679 Error when deleting a Localtax2 special payment FIX: #3707 Thirdparty bank account page table has a glitch FIX: #3724 Bug: Blank page after cloning proposal with changed client -FIX: #3836 Unable to upload a document to an invoice under some circunstances +FIX: #3836 Unable to upload a document to an invoice under some circumstances FIX: #3841 creation of a task completed has not status set to finished by default FIX: Add a protection to not make release if ChangeLog was not generated. FIX: adjusted test for affecting supplier reference @@ -8051,7 +8126,7 @@ FIX: [ bug #3383 ] Company name is overlapped with company direction in PDF mode FIX: [ bug #3426 ] Unable to create an invoice from a contract with extrafields FIX: [ bug #3431 ] Invoice bank account is not respected FIX: [ bug #3432 ] Spaces should be removed from IBAN when formatting it -FIX: Can create Proposal on close thridparty #3526 +FIX: Can create Proposal on close thirdparty #3526 FIX: change order date on clone (as everywhere else) FIX: Close #2835 Customer prices of a product shows incorrect history order FIX: Close #2837 Product list table column header does not match column body @@ -8060,7 +8135,7 @@ FIX: Close bug #2861 Undefined variable $res when migrating from 3.6.2 to 3.7.0 FIX: Close bug #2891 Category hooks do not work FIX: Close bug #2900 Courtesy title is not stored in create thirdparty form FIX: Close bug #2976: "Report" tab is the current tab but it is not marked as selected by the UI -FIX: contact country had wrong display if the country dont have translate +FIX: contact country had wrong display if the country don't have translate FIX: Display country name instead of country id (display country id makes no sense on vcard files) FIX: display error on extrafields on ficheinter FIX: double db escape add too quote @@ -8085,7 +8160,7 @@ FIX: no need to remove file into mail form, the temp dir will be deleted after a FIX: no projet_task_time id from trigger TASK_TIMESPENT_CREATE FIX: Not showing task extrafields when creating from left menu FIX: only active customer should be return into new invoice creation select list -FIX: Payed invoices are showed as canceled FIX: Bad date filter on customer order +FIX: Paid invoices are showed as canceled FIX: Bad date filter on customer order FIX: WAP calculation FIX: Save of filters into export profiles failed. FIX: supplier rights for orderToInvoice @@ -8097,7 +8172,7 @@ FIX: translate Jabberid on contact page with edit view FIX: translation for 1 word do not work if product/service module are disabled because the translation search in products.lang FIX: update2.php test res befre assign it FIX: When delete actioncomm also delete actioncomm_resources -FIX: when fetch_optionnal_by_label in Extrafields with $this->db cannot work because this->db is never instanciated +FIX: when fetch_optionnal_by_label in Extrafields with $this->db cannot work because this->db is never instantiated FIX: when mailing is deleted, the targets list was kept in database FIX: when multicompany was enabled, this function didn't check just on the good entity (problem when both company use same mask) FIX: When we add an user on event in create mode, we lose linked object @@ -8139,9 +8214,9 @@ to restore old path and get back working links without having to resubmit images WARNING: Do not try to make any Dolibarr upgrade if you are running Mysql version 5.5.40. -Mysql version 5.5.40 has a very critical bug making your data beeing definitely lost. +Mysql version 5.5.40 has a very critical bug making your data being definitely lost. You may also experience troubles with Mysql 5.5.41 with error "Lost connection" during migration. -Upgrading to any other version or database system is abolutely required BEFORE trying to +Upgrading to any other version or database system is absolutely required BEFORE trying to make a Dolibarr upgrade. ***** ChangeLog for 3.7 compared to 3.6.* ***** @@ -8189,7 +8264,7 @@ For users: create an automatic event into agenda. - New: Add new type of event (when type of events are used, not by default). - New: Can disable predefined type of events. -- New: Form to add a photo is immediatly available on photo page if +- New: Form to add a photo is immediately available on photo page if permissions are ok (save one click per photo to add). - New: Add option PRODUCT_MAX_VISIBLE_PHOTO to limit number of photos shown on main product card. @@ -8206,7 +8281,7 @@ For users: - New: Intervention documents are now available in ECM module. - New: Add attachments on user card + in ECM module. - New: Can add __PROJECT_REF__ and __THIRDPARTY_NAME__ into email topic or content template. -- New: [ task #1204 ] add Numering contrat module free (like leopard in product module). +- New: [ task #1204 ] add Numbering contrat module free (like leopard in product module). - New: [ task #712 ] Add warning when creating invoice from proposal or order, when there is already one invoice. - New: Enable supplier price log table. - New: [ task #1204 ] add a supplier reference to contract. @@ -8253,7 +8328,7 @@ For users: For users, new experimental module (need to set feature level of instance to experimental to see them): - New: Module Accounting Expert to manage accountancy - Special Thanks to developpers : + Special Thanks to developers : Olivier Geffroy Alexandre Spangaro Ari Elbaz @@ -8302,9 +8377,9 @@ For developers: WARNING: Do not try to make any Dolibarr upgrade if you are running Mysql version 5.5.40. -Mysql version 5.5.40 has a very critical bug making your data beeing definitely lost. +Mysql version 5.5.40 has a very critical bug making your data being definitely lost. You may also experience troubles with Mysql 5.5.41 with error "Lost connection" during migration. -Upgrading to any other version or database system is abolutely required BEFORE trying to +Upgrading to any other version or database system is absolutely required BEFORE trying to make a Dolibarr upgrade. WARNING: @@ -8365,7 +8440,7 @@ FIX: Close #2837 Product list table column header does not match column body FIX: Close bug #2861 Undefined variable $res when migrating from 3.6.2 to 3.7.0 FIX: Close bug #2891 Category hooks do not work FIX: Close bug #2976: "Report" tab is the current tab but it is not marked as selected by the UI -FIX: contact country had wrong display if the country dont have translate +FIX: contact country had wrong display if the country don't have translate FIX: double db escape add too quote FIX: End log must use same level then start log. FIX: error in SQL due to a previous fix @@ -8388,7 +8463,7 @@ FIX: when multicompany was enabled, this function didn't check just on the good ***** ChangeLog for 3.6.3 compared to 3.6.2 ***** - Fix: ref_ext was not saved when recording a customer order from web service -- Fix: withdrawal create error if in the same month are deleted previus withdrawals. +- Fix: withdrawal create error if in the same month are deleted previous withdrawals. - Fix: amarok is a bugged theme making dolidroid failed. We switch to eldy automatically with dolidroid. - Fix: [ bug #1788 ] Duplicated doActions hook in product/fournisseurs.php - Fix: withdrawal create error if in the same month are deleted previous withdrawals. @@ -8577,7 +8652,7 @@ Dolibarr better: - The deprecated way (with 4 parameters) to declare a new tab into a module descriptor file has been removed. You must now use the 6 parameters way. See file modMyModule.class.php for example. - Remove the javascript function ac_delay() that is not used anymore by core code. -- Properties "dictionnaries" into module descriptor files have been renamed into "dictionaries". +- Properties "dictionaries" into module descriptor files have been renamed into "dictionaries". - Method form->select_currency() has been removed. Use instead print form->selectCurrency(). - Method form->select_methodes_commande() has been renamed into english name selectInputMethod(). - The following hooks are now 'addreplace' hooks: "formCreateThirdpartyOptions" @@ -8710,7 +8785,7 @@ Fix: [ bug #1461 ] LINEORDER_SUPPLIER_CREATE does not intercept supplier order l Fix: [ bug #1484 ] BILL_SUPPLIER_PAYED trigger action does not intercept failure under some circumstances Fix: [ bug #1482 ] Several supplier invoice triggers do not show trigger error messages Fix: [ bug #1486 ] LINEBILL_SUPPLIER_CREATE and LINEBILL_SUPPLIER_UPDATE triggers do not intercept trigger action -Fix: [ bug #1522 ] Element list into associate object into project are no more filterd by project thirdparty +Fix: [ bug #1522 ] Element list into associate object into project are no more filtered by project thirdparty Fix: [ bug #1526 ] Thumbs of files uploaded with dots in their names do not load correctly Fix: Import ProfId1 to siren and ProfId2 to siret @@ -8721,7 +8796,7 @@ Fix: [ bug #1352 ] Removing a shipping does not remove the delivery. Fix: Option MAIN_INVERT_SENDER_RECIPIENT broken with typhon template. Fix: Can disable features with PHPEXCEL (no DLSF compatible). Fix: Can disable features with CKEDITOR. -Fix: Pb of records not correctly cleaned when module marge is +Fix: Pb of records not correctly cleaned when module merge is uninstalled (conflict between 'margin' and 'margins'). Fix: [ bug #1341 ] Lastname not added by file or direct input in mass e-mailing. Fix: [ bug #1357 ] Invoice creator state not printed in generated invoice documents. @@ -8878,7 +8953,7 @@ For users: - New: [ task #1016 ] Can define a specific numbering for deposits. - New: [ task #918 ] Stock replenishment. - New : Add pdf link into supplier invoice list and supplier order list. -- New : Genrate auto the PDF for supplier invoice. +- New : Generate auto the PDF for supplier invoice. - New : Add category into filter webservice thirdparty method getListOfThirdParties. - New : Allow to define margin or mark rate during quoting, ordering, invoicing. - New : User permissions on margin module. @@ -8894,7 +8969,7 @@ For users: - New: Can choose contact on event (action com) creation, and filtered by thirdparty. - New: Add hidden option MAIN_FORCE_DEFAULT_STATE_ID. - New: Add page to make mass stock movement. -- New: Add field oustanding limit into thirdparty properties. +- New: Add field outstanding limit into thirdparty properties. - New: Can enter a vat payment of zero. - New: Add path to installed dir of external modules + Name and web of module provider. - New: Add option to use a specific mask for uploaded filename. @@ -9011,7 +9086,7 @@ Fix: Reordering supplier products in list by supplier or supplier ref was crashi Fix: [ bug #1029 ] Tulip numbering mask. Fix: Supplier invoice and supplier order are not displayed into object link into agenda event card. Fix: [ bug #1033 ] SUPPLIER REF disappeared. -Fix: update extrafield do not display immediatly after update. +Fix: update extrafield do not display immediately after update. Fix: Fix bug with canvas thirdparty. Fix: [ bug #1037 ] Consumption> Supplier invoices related. Fix: User group name do not display in card (view or edit mode). @@ -9022,12 +9097,12 @@ Fix: [ bug #1043 ] Bad interventions ref numbering. Fix: Mailing module : if an email is already in destinaires list all other email from selector was not inserted. Fix: Localtaxes balance not showing. Fix: Intervention box links to contracts id. -Fix: Compatiblity with multicompany module. +Fix: Compatibility with multicompany module. Fix: Edit propal line was losing product supplier price id. Fix: Delete linked element to supplier invoice when deleted. Fix: [ bug #1061 ] Bad info shipped products. Fix: [ bug #1062 ] Documents lost in propals and contracts validating. -Fix: Supplier price displayed on document lines and margin infos didnt take discount. +Fix: Supplier price displayed on document lines and margin infos didn't take discount. Fix: sorting on qty did not work in supplier product list. Fix: there was no escaping on filter fields in supplier product list. Fix: bugs on margin reports and better margin calculation on credit notes. @@ -9045,7 +9120,7 @@ For users: - New: Can attach files onto trip and expenses modules. - New: Add hidden option MAIN_PDF_TITLE_BACKGROUND_COLOR. - New: Merge tab customer and prospect. -- New: Add ES formated address country rule. +- New: Add ES formatted address country rule. - New: Can define a hierarchical responsible on user and add a tree view to see hierarchy of users. - New: Can expand/collapse menus, categories and users list. @@ -9066,7 +9141,7 @@ For users: - New: Enhance agenda module to reach RFC2445 ("type" not enabled by default and add "busy" information). - New: Add module Opensurvey. -- New: Default approver for holidays is set by default to hierchical parent. +- New: Default approver for holidays is set by default to hierarchical parent. - First change to prepare feature "click to print" (IPP) for PDF. - New: [ task #350 ] Merge tab customer and prospect. - New: [ task #710 ] Add substitution into mailing send (and HTML is now valid). @@ -9083,7 +9158,7 @@ For users: - New: [ task #814 ] Add extrafield feature for projects ands tasks. - New: [ task #770 ] Add ODT document generation for Projects module. - New: [ task #741 ] Add intervention box. -- New: [ task #826 ] Optionnal increase stock when deleting an invoice already validated. +- New: [ task #826 ] Optional increase stock when deleting an invoice already validated. - New: [ task #823 ] Shipping_validate email notification. - New: [ task #900 ] Review code of ficheinter.class.php - Fix: [Bug #958] LocalTax2 for Spain fails on Suppliers @@ -9117,7 +9192,7 @@ For developers: WARNING: If you used external modules, some of them may need to be upgraded due to: -- Fields of classes were renamed to be normalized (nom, prenom, cp, ville, adresse, tel +- Fields of classes were renamed to be normalized (nom, prenom, cp, ville, address, tel were renamed into lastname, firstname, zip, town, address, phone). This may also be true for some fields into web services. - If module use hook pdf_writelinedesc, module may have to add return 1 at end of @@ -9235,7 +9310,7 @@ For users: - New: Allow to search thirds and products from barcodes directly from the permanent mini search left box. - New: Allow to search product from barcodes directly from invoices, proposals... through AJAX. - New: Can make one invoice for several orders. -- New: POS module can works with only one payment method (cach, chq, credit card). +- New: POS module can works with only one payment method (cash, chq, credit card). - New: Add possibility to defined position/job of a user. - New: Add hidden option to add slashes between lines into PDF. - New: [ task #210 ] Can choose cash account during POS login. @@ -9434,7 +9509,7 @@ For developers: - New: Can add a left menu into an existing top menu or left menu. - New: Add webservice to get or create a product or service. - New: Add webservice to get a user. -- New: Add more "hooks" (like hooks to change way of showing/editing lines into dictionnaries). +- New: Add more "hooks" (like hooks to change way of showing/editing lines into dictionaries). - New: Log module outputs can be setup with "or" rule (not only "xor"). - New: Add FirePHP output for logging module. - New: Add trigger ACTION_DELETE and ACTION_MODIFY. @@ -9454,7 +9529,7 @@ For developers: - Qual: Fix a lot of checkstyle warnings. - Qual: task #216 : Move /lib into /core/lib directory - Qual: task #217 : Move core files into core directory (login, menus, triggers, boxes, modules) -WARNING: To reduce technic debt, all functions dolibarr_xxx were renamed int dol_xxx. +WARNING: To reduce technique debt, all functions dolibarr_xxx were renamed int dol_xxx. @@ -9489,7 +9564,7 @@ Fix: bug #405 - Late icon always displayed on comm/propal.php - Fix: Removed Bare LF from emails sent with smtps method. - Fix: Can show report on selected period. - Fix: product removed from list after deleted into order. -- Fix: [bug #270] PostgreSQL backend try to connect throught TCP socket for +- Fix: [bug #270] PostgreSQL backend try to connect through TCP socket for - Fix: price was not without tax when using multiprice into POS module. - Fix: Can delete bank account. - Fix: [ bug #277 ] Year dropdown in table header of supplier invoices. @@ -9588,7 +9663,7 @@ For developers: - New: Support a backtopage parameter on contact creation page. - New: Add id on div to show logo. - New: Install wizard can activate a module at end of install. -- New: Dictionary setup works with very large external dictionnaries (Add +- New: Dictionary setup works with very large external dictionaries (Add page navigation). - New: Add api to draw graphics with javascript (using Jquery Flot). - New: Can add user login into menu urls added by modules. @@ -9700,7 +9775,7 @@ For users: - New: Support "Department/State" field on company setup, contact, bank account and members card. - New: Can reopen a refused/canceled supplier order. -- New: Add Gant diagramm on project module. +- New: Add Gant diagram on project module. - New: Add a new mode for automatic stock increase: Can be increased on dispatching of products from a supplier order receipt. - New: Can set a past delay to limit calendar export. @@ -9743,7 +9818,7 @@ For users: time when configuring Dolibarr. - New: Dolibarr 2.9 is faster than 2.8. - New: A lot of more predefined VAT values, states, regions for - miscelaneous contries. + miscellaneous countries. - New: Enhance skin engine to make themes easier. - New: Add images into menu "eldy". - New: Auguria theme is now more modern. @@ -9765,7 +9840,7 @@ For users: - Fix: Complete support of euros sign (even in PDF). - Fix: Bad setup of phpMyAdmin for DoliWamp installer. - Fix: Tracking number should be available on sending sheets. -- Fix: Stock value is not reset when product is transfered into other warehouse. +- Fix: Stock value is not reset when product is transferred into other warehouse. - Fix: A lot of not tracked bugs fixed. - Fix: Some fixes in barcode management. - Fix: Access to phpMyAdmin is now ok on new DoliWamp installation. @@ -9858,7 +9933,7 @@ For developers: - Qual: Change the way items are linked together. - Qual: The login page now use a template in /core/template/login.tpl.php. - New: Modules can add their own tab on projects cards. -- New: Add management of triger FICHEINTER_VALIDATE +- New: Add management of trigger FICHEINTER_VALIDATE ***** ChangeLog for 2.7.1 compared to 2.7 ***** @@ -9965,7 +10040,7 @@ For developers: - Can protect a module to not being enabled if javascript disabled. - If module numberwords is installed, code can use langs->getLabelFromNumber to get value of an amount in text. -- A module can add subsitution keys in makesubsitutions() functions. +- A module can add substitution keys in makesubsitutions() functions. - Add $conf->browser->phone defined to optimise code for smartphone browsers. - All external libs are now in same directory /includes. - All install files are now in same directory /install. @@ -9976,7 +10051,7 @@ For users: - New: Add filter on status in emailing selector for Dolibarr users. - New: Can add bookmarks on all pages. - New: Enhance bank transactions reporting. -- New: When creating a contact from a third party, informations from third +- New: When creating a contact from a third party, information from third party card are automatically suggested. - New: Sort list of languages in combo box. - New: EMails links are show with function dol_print_email @@ -10126,11 +10201,11 @@ For users: - Reduce memory usage. - Now triggers are enabled/disabled according to module they refers to. - Fix infinite loop on popup calendar. -- Change in tanslation to make Dolibarr easier to understand. +- Change in translation to make Dolibarr easier to understand. - Add a warning when sending a mail from a user with no email defined. - Added clicktodial module. - Add a property private/public in contact. This allows to user Dolibarr - for a personnal address book. + for a personal address book. - French NAF code can accept 5 chars. - Supplier prices can be input with or without taxe. - New generic numbering modules to offer more solutions for generating @@ -10144,7 +10219,7 @@ For users: - Can choose accuracy (number of decimals) for prices. - Localization for decimal and thousand delimiter on number is fully supported. -- More informations reported in system information pages. +- More information reported in system information pages. - Add a budget report. - Added a security audit report. - Other minor changes (features, look, fixes) @@ -10158,7 +10233,7 @@ For translators: For developers: - Removed useless code: - Replaced phplot and phplot5 librairies by artichow. + Replaced phplot and phplot5 libraries by artichow. Removed cryptograph library replaced by artichow. - Login functions are now externalised as modules. - Update code skeletons examples. @@ -10177,7 +10252,7 @@ For developers: - Add volume on products properties. - Support for LDAP authentication. - Full member synchronisation with LDAP database in - fundation module. + foundation module. - More LDAP fields supported for user synchronization. - Better logger for install. - First changes to support UTF8. @@ -10216,7 +10291,7 @@ For developers: - Management of companies' discounts (relative or absolute). - Support credit note and discounts (relative and absolute) on commercial proposal, orders and invoices. -- Support multi-langual description for products. +- Support multi-lingual description for products. - Graphical enhancements (picto to describe all status). - Added more permissions (ie: can restrict access for a commercial user to elements of its companies only). @@ -10241,7 +10316,7 @@ For developers: - Can attach contacts on proposals, orders, contracts, invoices. - Preview on results of PDF generator modules in setup pages. - Code cleaner. Remove unused or duplicate code. -- Save and show last connexion date for users. +- Save and show last connection date for users. - Enhancements on a lot of forms for better ergonomy. - Can add/remove company logo. - Added LDAP synchronisation for users, groups and/or contacts. diff --git a/SECURITY.md b/SECURITY.md index 953059e625f..a10c1eb15b7 100644 --- a/SECURITY.md +++ b/SECURITY.md @@ -48,12 +48,16 @@ Reports are processed around once a month. ONLY vulnerabilities discovered, when the following setup on test platform is used, are "valid": -* The version to analyze must be the last version available in the "develop" branch or in the last stable "vX.Y" released version. Reports on vulnerabilities already fixed (so already reported) in the develop branch will not be validated. +* The version to analyze must be the last version available in the "develop" branch. Reports on vulnerabilities already fixed (so already reported) in the develop branch will not be validated. * $dolibarr_main_prod must be set to 1 in conf.php * $dolibarr_nocsrfcheck must be kept to the value 0 in conf.php (this is the default value) * $dolibarr_main_force_https must be set to something else than 0. -* The constant MAIN_SECURITY_CSRF_WITH_TOKEN must be set to 3 in the backoffice menu Home - Setup - Other (this protection should be set to 3 soon by default). CSRF attacks are accepted but - double check that you have set MAIN_SECURITY_CSRF_WITH_TOKEN to value 3. +* Some constant must be set in the backoffice menu Home - Setup - Other + - MAIN_SECURITY_CSRF_WITH_TOKEN must be set to 3 + - MAIN_RESTRICTHTML_ONLY_VALID_HTML = 1 + - MAIN_RESTRICTHTML_ONLY_VALID_HTML_TIDY = 1 + - MAIN_RESTRICTHTML_REMOVE_ALSO_BAD_ATTRIBUTES = 1 + CSRF attacks and HTML injections are accepted but double check this setup that is experimental setup that already fix a lot of case and soon enabled by default. * ONLY security reports on modules provided by default and with the "stable" status are valid (troubles in "experimental", "development" or external modules are not valid vulnerabilities). * The root of web server must link to htdocs and the documents directory must be outside of the web server root (this is the default when using the default installer but may differs with external installer). * The web server setup must be done so that only the documents directory is in write mode. The root directory called htdocs must be read-only. @@ -82,18 +86,15 @@ Scope is the web application (backoffice) and the APIs. ## Examples of vulnerabilities that are Non-qualified for reporting. * "Self" XSS -* SSL/TLS best practices -* Denial of Service attacks * Clickjacking/UI redressing -* Physical or social engineering attempts or issues that require physical access to a victim’s computer/device * Presence of autocomplete attribute on web forms -* Vulnerabilities affecting outdated browsers or platforms, or vulnerabilities inside browsers themself. * Logout and other instances of low-severity Cross-Site Request Forgery -* Missing security-related HTTP headers which do not lead directly to a vulnerability * Reports from automated web vulnerability scanners (Acunetix, Vega, etc.) that have not been validated -* Invalid or missing SPF (Sender Policy Framework) records (Incomplete or missing SPF/DKIM/DMARC) -* Reports on features flagged as "experimental" or "development" -* Software version or private IP disclosure when logged-in user is admin -* Stack traces or path disclosure when logged-in user is admin +* Reports on features on modules flagged as "deprecated", "experimental" or "development" if the module needs to be enabled for that (this is not the case on production). +* Software or libraries versions, private IP disclosure, Stack traces or path disclosure when logged-in user is admin. * Any vulnerabilities due to a configuration different than the one defined in chapter "Scope for qualified vulnerabilities". -* Brute force attacks on login page, password forgotten page or any public pages (/public/*) are not qualified if the fail2ban recommended fail2ban rules were not installed. +* Vulnerabilities affecting outdated browsers or platforms, or vulnerabilities inside browsers themself. +* Brute force attacks on login page, password forgotten page or any public pages (/public/*) are not qualified if the recommended fail2ban rules were not installed. +* SSL/TLS best practices +* Invalid or missing SPF (Sender Policy Framework) records (Incomplete or missing SPF/DKIM/DMARC) +* Physical or social engineering attempts or issues that require physical access to a victim’s computer/device diff --git a/build/README b/build/README index 19cf4ad1ec2..dc9c743175f 100644 --- a/build/README +++ b/build/README @@ -34,7 +34,7 @@ See makepack-howto.txt for prerequisites. -------------------------------------------------------------------------------------------------- -- To build developper documentation, launch the script +- To build developer documentation, launch the script > perl dolibarr-doxygen-build.pl diff --git a/build/composer/README b/build/composer/README index e6846f2f09b..5d39336a337 100644 --- a/build/composer/README +++ b/build/composer/README @@ -1,19 +1,40 @@ +--- HOW TO USE COMPOSER + +* Switch to the minimal version of PHP + + update-alternatives --config php + * To list packages -composer show -i + cd htdocs/includes/diroflib + composer install + composer show -i -* To test upgrade of a lib with composer: + +* To upgrade a lib with composer using the composer.json of the library only: Remove entry in composer.lock -Edit composer.json to change version to "x.y.z" -composer -v update --root-reqs --no-dev --no-autoloader --dry-run ccampbell/chromephp -* To upgrade a lib with composer: + cd htdocs/includes/diroflib + rm composer.lock + +Edit composer.json to change version to "x.y.z" + + composer -v update --root-reqs --no-dev --ignore-platform-reqs + composer -v update --root-reqs --no-dev --ignore-platform-reqs [--no-autoloader] [--dry-run] ccampbell/chromephp + + +* To upgrade a lib with composer using the composer.json of Dolibarr: Remove entry in composer.lock + + cd / + mv composer.json.disabled composer.json + rm composer.lock + Edit composer.json to change version to "x.y.z" -composer -v update --root-reqs --no-dev --no-autoloader ccampbell/chromephp - + composer -v update --root-reqs --no-dev --ignore-platform-reqs + composer -v update --root-reqs --no-dev --ignore-platform-reqs [--no-autoloader] [--dry-run] ccampbell/chromephp diff --git a/build/debian/README.howto b/build/debian/README.howto index 45df1e9df70..f01add2f013 100644 --- a/build/debian/README.howto +++ b/build/debian/README.howto @@ -81,7 +81,7 @@ export QUILT_PATCHES=debian/patches # dpkg -l List all packages # dpkg -b To build binary only package # dpkg -c package.deb List content of package -# dpkg -I package.deb Give informations on package +# dpkg -I package.deb Give information on package # dpkg -i package.deb Install a package # dpkg-reconfigure -plow package Reconfigure package # dpkg -L packagename List content of installed package @@ -173,7 +173,7 @@ or > ls /srv/chroot Puis pour se connecter et préparer l'environnement -> schroot -c name_of_chroot (exemple schroot -c unstable-amd64-sbuild) +> schroot -c name_of_chroot (example schroot -c unstable-amd64-sbuild) > cat /etc/debian_chroot to check which debian branch we are into > apt-get install vim dialog > vi /usr/sbin/policy-rc.d and replace return code 101 (not allowed) into 0 (ok) @@ -249,7 +249,7 @@ ou > git-buildpackage -us -uc --git-ignore-branch --git-upstream-branch=[upstream|upstream-x.y.z] Note: To build an old version, do: git checkout oldtagname -b newbranchname; git-buildpackage -us -uc --git-debian-branch=newbranchname --git-upstream-branch=[upstream|upstream-3.5.x] -Note: You can use git-buildpackage -us -uc --git-ignore-new if you want to test build with uncommited file +Note: You can use git-buildpackage -us -uc --git-ignore-new if you want to test build with uncommitted file Note: You can use git-buildpackage -us -uc -d if you want to test build when dependencies does not match Note: Package is built into directory ../build-area Note: To compare 2 packages: debdiff package1.dsc package2.dsc @@ -345,7 +345,7 @@ To update dolibarr debian package when only files not into debian has changed: * Checkout the branch you want to work on: master of debian/... * Manually, add patches into debian/patches and update the file debian/series, or do the 2 steps with "quilt import filepatch.patch" -* You can test patching of serie with "quilt push" (autant de fois que de patch). Avec "quilt pop -a", on revient a l'état du upstream sans les patch. +* You can test patching of series with "quilt push" (autant de fois que de patch). Avec "quilt pop -a", on revient a l'état du upstream sans les patch. * Update the debian/changelog to add entry of change. Once files has been prepared, it's time to test: @@ -357,7 +357,7 @@ ou > git-buildpackage -us -uc --git-ignore-branch --git-upstream-branch=[upstream|upstream-jessie|upstream-3.5.x|3.5.5] Note: To build an old version, do: git checkout oldtagname -b newbranchname; git-buildpackage -us -uc --git-debian-branch=newbranchname --git-upstream-branch=[upstream|upstream-jessie|upstream-3.5.x|3.5.5] -Note: You can use git-buildpackage -us -uc --git-ignore-new if you want to test build with uncommited file +Note: You can use git-buildpackage -us -uc --git-ignore-new if you want to test build with uncommitted file Note: You can use git-buildpackage -us -uc -d if you want to test build when dependencies does not match Note: Package is built into directory ../build-area Note: To compare 2 packages: debdiff package1.dsc package2.dsc diff --git a/build/debian/control b/build/debian/control old mode 100755 new mode 100644 diff --git a/build/debian/copyright b/build/debian/copyright index b99b8a65b5d..5f1b73d9b64 100644 --- a/build/debian/copyright +++ b/build/debian/copyright @@ -64,7 +64,7 @@ License: GPL-3+ Files: htdocs/includes/ckeditor/* Copyright: 2003-2012 CKSource - Frederico Knabben License: GPL-2+ - The ckeditor is tripple licensed under the GNU General Public License (GPL), + The ckeditor is triple licensed under the GNU General Public License (GPL), GNU Lesser General Public License (LGPL), and Mozilla Public License (MPL). In Debian, it is distributed under the GNU General Public License (GPL). . diff --git a/build/debian/dolibarr.config b/build/debian/dolibarr.config index 553e5ffd7f6..d9f5d9a3f37 100644 --- a/build/debian/dolibarr.config +++ b/build/debian/dolibarr.config @@ -2,6 +2,8 @@ # Debian install package run: config, preinst, prerm, postinst, postrm # +# shellcheck disable=1091,2034 + set -e @@ -48,7 +50,7 @@ echo "Ask for web server to setup" db_input critical dolibarr/reconfigure-webserver || true if db_go ; then - okcancel="1" + okcancel="1" else okcancel="0" fi diff --git a/build/debian/dolibarr.postinst b/build/debian/dolibarr.postinst index 6ba9123ede4..651f48e7066 100644 --- a/build/debian/dolibarr.postinst +++ b/build/debian/dolibarr.postinst @@ -1,6 +1,8 @@ #!/bin/sh # postinst script for dolibarr +# shellcheck disable=1091,2086,2154 + set -e # summary of how this script can be called: @@ -19,25 +21,25 @@ if [ -e /usr/share/apache2/apache2-maintscript-helper ] ; then fi setup_empty_conf() { - echo Create empty file $config - mkdir -p /etc/dolibarr - touch /etc/dolibarr/conf.php - chown root:www-data /etc/dolibarr/conf.php - chmod 660 /etc/dolibarr/conf.php + echo Create empty file $config + mkdir -p /etc/dolibarr + touch /etc/dolibarr/conf.php + chown root:www-data /etc/dolibarr/conf.php + chmod 660 /etc/dolibarr/conf.php } is_new_upstream_version() { - # $1 can be empty (not installed) and will result in a true value - # for the check - old_version=$(echo "$1" | sed -e 's/-[^-]*$//' -e 's/^[0-9]*://') - new_version=$(dpkg-query -f '${Version}' -W dolibarr | \ - sed -e 's/-[^-]*$//' -e 's/^[0-9]*://') - test "$old_version" != "$new_version" + # $1 can be empty (not installed) and will result in a true value + # for the check + old_version=$(echo "$1" | sed -e 's/-[^-]*$//' -e 's/^[0-9]*://') + new_version=$(dpkg-query -f '${Version}' -W dolibarr | \ + sed -e 's/-[^-]*$//' -e 's/^[0-9]*://') + test "$old_version" != "$new_version" } enable_install_upgrade_wizard() { echo Enable install wizard by removing install.lock file if present - rm -f /var/lib/dolibarr/documents/install.lock + rm -f /var/lib/dolibarr/documents/install.lock } @@ -46,24 +48,24 @@ php_install() { # php5endmod exists for ubuntu only echo "Enable php module mysqli with php5enmod" php5enmod mysqli - fi + fi } apache_install() { webserver=$1 - + # Enable Apache 2 alias module if which a2enmod >/dev/null 2>&1 ;then echo "Enable apache module alias with a2enmod" a2enmod alias fi - + # Enable dolibarr conf if which a2enconf >/dev/null 2>&1 ;then # a2enconf exists for ubuntu only echo "Enable link for Apache config file with a2enconf" a2enconf dolibarr - else + else if [ -d /etc/$webserver/conf.d ] && [ ! -e /etc/$webserver/conf.d/dolibarr.conf ]; then echo "Add link for Apache config file" ln -s /etc/$webserver/conf-available/dolibarr.conf /etc/$webserver/conf.d/dolibarr.conf @@ -101,7 +103,7 @@ case "$1" in configure) if [ -z "$2" ]; then echo First install - #setup_empty_conf + #setup_empty_conf else echo This is not a first install fi @@ -109,17 +111,17 @@ case "$1" in php_install apache_install lighttpd_install - + # Remove lock file if is_new_upstream_version "$2"; then - enable_install_upgrade_wizard + enable_install_upgrade_wizard fi - - # Create document directory for uploaded data files - mkdir -p $docdir - chown -R www-data:www-data $docdir - chmod -R 775 $docdir - chmod -R g+s $docdir + + # Create document directory for uploaded data files + mkdir -p $docdir + chown -R www-data:www-data $docdir + chmod -R 775 $docdir + chmod -R g+s $docdir # Copy install config file (with matching Debian values) into target directory superuserlogin='' @@ -136,14 +138,14 @@ case "$1" in cat $installfileorig | sed -e 's/__SUPERUSERLOGIN__/'$superuserlogin'/g' | sed -e 's/__SUPERUSERPASSWORD__/'$superuserpassword'/g' > $installconfig fi chown -R root:www-data $installconfig - chmod -R 660 $installconfig + chmod -R 660 $installconfig # If a conf already exists and its content was already completed by installer if [ ! -s $config ] || ! grep -q "File generated by" $config then # Create an empty conf.php with permission to web server setup_empty_conf - #else + #else # File already exist. We add params not found. #echo Add new params to overwrite path to use shared libraries/fonts ##grep -q -c "dolibarr_lib_GEOIP_PATH" $config || echo "" >> $config @@ -154,18 +156,18 @@ case "$1" in #grep -q -c "dolibarr_js_JQUERY" $config || [ ! -d "/usr/share/javascript/jquery" ] || echo "" >> $config #grep -q -c "dolibarr_js_JQUERY_UI" $config || [ ! -d "/usr/share/javascript/jquery-ui" ] || echo "" >> $config #grep -q -c "dolibarr_js_JQUERY_FLOT" $config || [ ! -d "/usr/share/javascript/flot" ] || echo "" >> $config - #grep -q -c "dolibarr_font_DOL_DEFAULT_TTF_BOLD" $config || echo "" >> $config + #grep -q -c "dolibarr_font_DOL_DEFAULT_TTF_BOLD" $config || echo "" >> $config fi - + db_get dolibarr/reconfigure-webserver - + webservers="$RET" - + # Set up web server. for webserver in $webservers ; do webserver=${webserver%,} echo Complete config of server $webserver - + # Detect webuser and webgroup webuser= webgroup= @@ -181,7 +183,7 @@ case "$1" in # Set permissions to web server chown -R $webuser:$webgroup /usr/share/dolibarr - chown -R root:$webgroup $config + chown -R root:$webgroup $config done # Restart web server. @@ -193,33 +195,33 @@ case "$1" in apache_install $webserver fi # Reload webserver in any case, configuration might have changed - # Redirection of 3 is needed because Debconf uses it and it might + # Redirection of 3 is needed because Debconf uses it and it might # be inherited by webserver. See bug #446324. - if [ -f /etc/init.d/$webserver ] ; then - if [ -x /usr/sbin/invoke-rc.d ]; then - echo Restart web server $server using invoke-rc.d - # This works with Debian (5.05,...) and Ubuntu (9.10,10.04,...) - invoke-rc.d $webserver reload 3>/dev/null || true - else - echo Restart web server $server using $server reload - /etc/init.d/$webserver reload 3>/dev/null || true - fi - fi + if [ -f /etc/init.d/$webserver ] ; then + if [ -x /usr/sbin/invoke-rc.d ]; then + echo Restart web server $server using invoke-rc.d + # This works with Debian (5.05,...) and Ubuntu (9.10,10.04,...) + invoke-rc.d $webserver reload 3>/dev/null || true + else + echo Restart web server $server using $server reload + /etc/init.d/$webserver reload 3>/dev/null || true + fi + fi done - + echo ---------- echo "Call Dolibarr page http://localhost/dolibarr/ to complete the setup and use Dolibarr." echo ---------- - ;; + ;; abort-upgrade|abort-remove|abort-deconfigure) - ;; + ;; *) echo "postinst called with unknown argument $1" >&2 exit 0 - ;; + ;; esac #DEBHELPER# diff --git a/build/debian/dolibarr.postrm b/build/debian/dolibarr.postrm index fa16ed582f0..6d877b16dfb 100644 --- a/build/debian/dolibarr.postrm +++ b/build/debian/dolibarr.postrm @@ -3,6 +3,8 @@ # # see: dh_installdeb(1) +# shellcheck disable=1091,2006,2034,2086,2089,2090 + #set -e set +e @@ -30,8 +32,8 @@ lighttpd_remove() { fi # See bug #448682 if [ -h /etc/lighttpd/conf-enabled/50-dolibarr.conf ] ; then - echo "postrm Manually deleting lighttpd/dolibarr configuration link" - rm /etc/lighttpd/conf-enabled/50-dolibarr.conf + echo "postrm Manually deleting lighttpd/dolibarr configuration link" + rm /etc/lighttpd/conf-enabled/50-dolibarr.conf fi fi } @@ -46,7 +48,7 @@ apache_remove() { if [ -f /usr/share/debconf/confmodule ]; then - . /usr/share/debconf/confmodule + . /usr/share/debconf/confmodule fi db_version 2.0 @@ -62,12 +64,12 @@ lockfile="$docdir/install.lock" case "$1" in - # Call when we upgrade + # Call when we upgrade upgrade) echo "postrm upgrade" - ;; + ;; - # Call when we uninstall + # Call when we uninstall remove) echo "postrm remove" rm -f $lockfile @@ -85,7 +87,7 @@ case "$1" in else apache_remove $webserver fi - # Redirection of 3 is needed because Debconf uses it and it might + # Redirection of 3 is needed because Debconf uses it and it might # be inherited by webserver. See bug #446324. if [ -f /etc/init.d/$webserver ] ; then if [ -x /usr/sbin/invoke-rc.d ]; then @@ -95,9 +97,9 @@ case "$1" in fi fi done - ;; + ;; - # Call when we uninstall and purge + # Call when we uninstall and purge purge) echo "postrm purge" @@ -111,7 +113,7 @@ case "$1" in set +e db_get dolibarr/postrm set -e - + if [ "$RET" = "true" ] ; then echo postrm Mysql database deletion # Get database configuration @@ -131,7 +133,7 @@ case "$1" in dbadmin="$superuserlogin" dbadmpass="$superuserpassword" dbtype="mysql" - + # To delete a mysql user (disabled) # Needs: $dbuser - the user name to create (or replace). # $dballow - what hosts to allow (defaults to %). @@ -144,7 +146,7 @@ case "$1" in # mysql # /usr/share/wwwconfig-coomon/mysql.get #. /usr/share/wwwconfig-common/${dbtype}-dropuser.sh - + # To delete database # Needs: $dbname - the database that user should have access to. # $dbserver - the server to connect to. @@ -158,85 +160,85 @@ case "$1" in # Define mysqlcmd if [ -z "$dbserver" ] || [ "$dbserver" = "localhost" ]; then hostopt="" - dbserver=localhost + dbserver=localhost else - case "$dbserver" in - :*) - dbsocket=`echo $dbserver | sed -e 's/^://'` - hostopt="-S $dbsocket" - ;; - *) - hostopt="-h $dbserver" - ;; - esac + case "$dbserver" in + :*) + dbsocket=`echo $dbserver | sed -e 's/^://'` + hostopt="-S $dbsocket" + ;; + *) + hostopt="-h $dbserver" + ;; + esac fi if [ -z "$dbadmpass" ] ; then - log="${log}No password used." - passopt="" + log="${log}No password used." + passopt="" else - passopt="--password='"`echo "$dbadmpass" | sed -e "s/'/'"'"'"'"'"'"'/g"`"'" + passopt="--password='"`echo "$dbadmpass" | sed -e "s/'/'"'"'"'"'"'"'/g"`"'" fi mysqlcmd="mysql $hostopt $passopt -u $dbadmin" mysqlcmdnopass="mysql $hostopt -u $dbadmin" - - # Now run the drop user + + # Now run the drop user if eval $mysqlcmd -f -e "\"DROP USER '$dbuser'@'localhost';\"" ; then echo postrm Database login $dbuser@localhost removed else - error="Unable to run $mysqlcmdnopass -f -e \"DROP USER '$dbuser'@'localhost';\"" + error="Unable to run $mysqlcmdnopass -f -e \"DROP USER '$dbuser'@'localhost';\"" echo postrm $error fi if eval $mysqlcmd -f -e "\"DROP USER '$dbuser'@'%';\"" ; then echo postrm Database login $dbuser@% removed else - error="Unable to run $mysqlcmdnopass -f -e \"DROP USER '$dbuser'@'%';\"" + error="Unable to run $mysqlcmdnopass -f -e \"DROP USER '$dbuser'@'%';\"" echo postrm $error fi - # Now run the drop commands - if eval $mysqlcmd -f -e "\"show databases;\"" | grep -e "^$dbname" > /dev/null 2>&1 ; then - log="${log}Droping database $dbname." + # Now run the drop commands + if eval $mysqlcmd -f -e "\"show databases;\"" | grep -e "^$dbname" > /dev/null 2>&1 ; then + log="${log}Dropping database $dbname." if eval $mysqlcmd -f -e "\"DROP DATABASE $dbname;\"" ; then - if eval $mysqlcmd -f -e "\"show databases;\"" | grep -e "^$dbname" > /dev/null 2>&1 ; then - error="Database $dbname NOT successfully droped. You have to do it manually." - echo postrm $error - else - status=drop - fi + if eval $mysqlcmd -f -e "\"show databases;\"" | grep -e "^$dbname" > /dev/null 2>&1 ; then + error="Database $dbname NOT successfully dropped. You have to do it manually." + echo postrm $error + else + status=drop + fi else - error="Unable to run the drop database script." + error="Unable to run the drop database script." echo postrm $error fi - else + else status=nothing log="${log}Database $dbname already not exists." - fi + fi + + echo "postrm Remove directory $docdir" + rm -rf $docdir ; - echo "postrm Remove directory $docdir" - rm -rf $docdir ; - else - echo "postrm Delete of dolibarr database and uploaded files not wanted" + echo "postrm Delete of dolibarr database and uploaded files not wanted" fi - + rm -rf /etc/dolibarr # We clean variable (we ignore errors because db_reset can fails if var was never set) - set +e + set +e db_reset dolibarr/reconfigure-webserver db_reset dolibarr/postrm - set -e + set -e #db_purge - ;; + ;; failed-upgrade|abort-install|abort-upgrade|disappear) - ;; + ;; *) echo "postrm called with unknown argument $1" >&2 exit 0 - ;; + ;; esac #DEBHELPER# diff --git a/build/debian/get-orig-source.sh b/build/debian/get-orig-source.sh index cc22a53c908..9b2de84c7a3 100755 --- a/build/debian/get-orig-source.sh +++ b/build/debian/get-orig-source.sh @@ -1,11 +1,13 @@ #!/bin/sh +# shellcheck disable=2034,2086,2103,2164 + tmpdir=$(mktemp -d) # Download source file if [ -n "$1" ]; then - uscan_opts="--download-version=$1" + uscan_opts="--download-version=$1" fi #uscan --noconf --force-download --no-symlink --verbose --destdir=$tmpdir $uscan_opts diff --git a/build/debian/rules b/build/debian/rules index df6abfd1b89..5f8b14e49ea 100755 --- a/build/debian/rules +++ b/build/debian/rules @@ -4,7 +4,7 @@ export DH_VERBOSE=1 export DH_OPTIONS=-v -#export DH_COMPAT=7 # This is the debhelper compatability version to use, now defined into compat file +#export DH_COMPAT=7 # This is the debhelper compatibility version to use, now defined into compat file %: diff --git a/build/docker/docker-run.sh b/build/docker/docker-run.sh old mode 100644 new mode 100755 index a2b0ce30dbc..07bc35947cf --- a/build/docker/docker-run.sh +++ b/build/docker/docker-run.sh @@ -1,9 +1,9 @@ #!/bin/bash # Script used by the Dockerfile. -# See README.md to know how to create a Dolibarr env with docker +# See README.md to know how to create a Dolibarr env with docker -usermod -u ${HOST_USER_ID} www-data -groupmod -g ${HOST_USER_ID} www-data +usermod -u "${HOST_USER_ID}" www-data +groupmod -g "${HOST_USER_ID}" www-data chgrp -hR www-data /var/www/html chmod g+rwx /var/www/html/conf @@ -15,8 +15,8 @@ fi echo "[docker-run] => Set Permission to www-data for /var/documents" chown -R www-data:www-data /var/documents -echo "[docker-run] => update ${PHP_INI_DIR}/conf.d/dolibarr-php.ini" -cat < ${PHP_INI_DIR}/conf.d/dolibarr-php.ini +echo "[docker-run] => update '${PHP_INI_DIR}/conf.d/dolibarr-php.ini'" +cat < "${PHP_INI_DIR}/conf.d/dolibarr-php.ini" date.timezone = ${PHP_INI_DATE_TIMEZONE:-UTC} memory_limit = ${PHP_INI_MEMORY_LIMIT:-256M} EOF diff --git a/build/docker/mariadb/Dockerfile b/build/docker/mariadb/Dockerfile index a4db0f42065..792f0623bd4 100644 --- a/build/docker/mariadb/Dockerfile +++ b/build/docker/mariadb/Dockerfile @@ -1,3 +1,3 @@ FROM mariadb:latest -# Enable comented out UTF8 charset/collation options +# Enable commented out UTF8 charset/collation options RUN sed '/utf8/ s/^#//' /etc/mysql/mariadb.cnf >/tmp/t && mv /tmp/t /etc/mysql/mariadb.cnf diff --git a/build/doxygen/dolibarr-doxygen-build.pl b/build/doxygen/dolibarr-doxygen-build.pl index 5a4849a3a5b..32a852f22d8 100755 --- a/build/doxygen/dolibarr-doxygen-build.pl +++ b/build/doxygen/dolibarr-doxygen-build.pl @@ -1,9 +1,9 @@ #!/usr/bin/perl #-------------------------------------------------------------------- -# Lance la generation de la doc dev doxygen +# Start the generation of the development documentation with doxygen #-------------------------------------------------------------------- -# Detecte repertoire du script +# Determine the patho of this script ($DIR=$0) =~ s/([^\/\\]+)$//; $DIR||='.'; $DIR =~ s/([^\/\\])[\\\/]+$/$1/; diff --git a/build/doxygen/dolibarr-doxygen.doxyfile b/build/doxygen/dolibarr-doxygen.doxyfile index debb1ce6301..d6fc7b1ef9e 100644 --- a/build/doxygen/dolibarr-doxygen.doxyfile +++ b/build/doxygen/dolibarr-doxygen.doxyfile @@ -283,10 +283,10 @@ TYPEDEF_HIDES_STRUCT = NO # For small to medium size projects (<1000 input files) the default value is # probably good enough. For larger projects a too small cache size can cause # doxygen to be busy swapping symbols to and from disk most of the time -# causing a significant performance penality. +# causing a significant performance penalty. # If the system has enough physical memory increasing the cache will improve the # performance by keeping more symbols in memory. Note that the value works on -# a logarithmic scale so increasing the size by one will rougly double the +# a logarithmic scale so increasing the size by one will roughly double the # memory usage. The cache size is given by this formula: # 2^(16+SYMBOL_CACHE_SIZE). The valid range is 0..9, the default is 0, # corresponding to a cache size of 2^16 = 65536 symbols diff --git a/build/doxygen/doxygen-awesome.css b/build/doxygen/doxygen-awesome.css index 0b1c8c20892..21150c99adc 100644 --- a/build/doxygen/doxygen-awesome.css +++ b/build/doxygen/doxygen-awesome.css @@ -160,7 +160,7 @@ html { --toc-background: var(--side-nav-background); --toc-foreground: var(--side-nav-foreground); - /* height of an item in any tree / collapsable table */ + /* height of an item in any tree / collapsible table */ --tree-item-height: 30px; --memname-font-size: var(--code-font-size); diff --git a/build/exe/doliwamp/UsedPort.cpp b/build/exe/doliwamp/UsedPort.cpp index e2724b831a1..a63938c5038 100644 --- a/build/exe/doliwamp/UsedPort.cpp +++ b/build/exe/doliwamp/UsedPort.cpp @@ -253,6 +253,7 @@ int main(int argc, char **argv) //---------------- int noarg,curseurarg,help=0,invalide=0; char option; +char *endptr; for (noarg=1;noarg INT_MAX) { + // Handle error: Port number out of range + printf("Port number out of range\n"); + exit(-1); +} + help=!(Port > 0); // Show usage diff --git a/build/exe/doliwamp/index.php.install b/build/exe/doliwamp/index.php.install index 1245e1f18b2..0df983529f4 100644 --- a/build/exe/doliwamp/index.php.install +++ b/build/exe/doliwamp/index.php.install @@ -304,22 +304,15 @@ if (isset($_GET['img'])) -// Definition de la langue et des textes +// Definition of language and texts -if (isset ($_GET['lang'])) -{ - $langue = $_GET['lang']; -} -elseif (preg_match("/^fr/", $_SERVER['HTTP_ACCEPT_LANGUAGE'])) -{ +if (isset ($_GET['lang'])) { + $langue = preg_replace('/[^a-z_]/i', '', $_GET['lang']); +} elseif (preg_match("/^fr/", $_SERVER['HTTP_ACCEPT_LANGUAGE'])) { $langue = 'fr'; -} -elseif (preg_match("/^es/", $_SERVER['HTTP_ACCEPT_LANGUAGE'])) -{ +} elseif (preg_match("/^es/", $_SERVER['HTTP_ACCEPT_LANGUAGE'])) { $langue = 'es'; -} -else -{ +} else { $langue = 'en'; } @@ -327,29 +320,25 @@ else // Read PHP extensions $loaded_extensions = get_loaded_extensions(); $phpExtContents=''; -foreach ($loaded_extensions as $extension) +foreach ($loaded_extensions as $extension) { $phpExtContents .= "
  • ${extension}
  • "; - +} // Read alias directory $listoffile=array(); $aliasarray=array(); $aliasContents=''; -if (is_dir($aliasDir)) -{ +if (is_dir($aliasDir)) { $handle=opendir($aliasDir); - if (is_resource($handle)) - { - while ($file = readdir($handle)) - { + if (is_resource($handle)) { + while ($file = readdir($handle)) { $listoffiles[]=$file; } } sort($listoffiles); - foreach($listoffiles as $file) - { + foreach($listoffiles as $file) { if (is_file($aliasDir.$file) && preg_match('/\.conf/',$file)) { $msg = ''; @@ -374,8 +363,7 @@ if (!isset($aliasContents)) // Read projects in www dir $listoffiles=array(); $handle=opendir("."); -if (is_resource($handle)) -{ +if (is_resource($handle)) { while ($file = readdir($handle)) { $listoffiles[]=$file; @@ -383,8 +371,7 @@ if (is_resource($handle)) closedir($handle); } -foreach($listoffiles as $file) -{ +foreach($listoffiles as $file) { if (is_dir($file) && !in_array($file,$projectsListIgnore) && !in_array($file,$aliasarray)) { $projectContents .= '
      '; @@ -397,9 +384,9 @@ foreach($listoffiles as $file) } } -if (!isset($projectContents)) +if (!isset($projectContents)) { $projectContents = ''.$langues[$langue]['txtNoProjet'].''; - +} $nameServer=getenv("COMPUTERNAME"); diff --git a/build/launchpad/README b/build/launchpad/README index fc284e70b20..b1ebcd25678 100644 --- a/build/launchpad/README +++ b/build/launchpad/README @@ -49,7 +49,7 @@ If you want to build/test package locally: Use URL pattern (stable): For stable: http://www.dolibarr.org/files/lastbuild/package_debian-ubuntu/dolibarr_x.z.*.tar.gz -- For Dev, you can also add link serie to GIT HEAD. +- For Dev, you can also add link series to GIT HEAD. - For stable, you can init from command line cd bzr/dolibarr-stable bzr init diff --git a/build/makepack-dolibarr.pl b/build/makepack-dolibarr.pl index 5862f3f2970..3dda8035dc4 100755 --- a/build/makepack-dolibarr.pl +++ b/build/makepack-dolibarr.pl @@ -636,6 +636,12 @@ if ($nboftargetok) { $ret=`rm -f $BUILDROOT/$PROJECT/htdocs/includes/vendor`; $ret=`rm -f $BUILDROOT/$PROJECT/htdocs/includes/webmozart`; $ret=`rm -f $BUILDROOT/$PROJECT/htdocs/includes/autoload.php`; + + $ret=`rm -fr $BUILDROOT/$PROJECT/htdocs/includes/sabre/sabre/bin`; + $ret=`rm -fr $BUILDROOT/$PROJECT/htdocs/includes/sabre/sabre/*/bin`; + $ret=`rm -fr $BUILDROOT/$PROJECT/htdocs/includes/sabre/sabre/*/*/bin`; + $ret=`rm -fr $BUILDROOT/$PROJECT/htdocs/includes/sabre/sabre/*/*/*/bin`; + $ret=`rm -fr $BUILDROOT/$PROJECT/htdocs/includes/sabre/sabre/*/*/*/*/bin`; } # Build package for each target diff --git a/build/makepack-dolibarrtheme.pl b/build/makepack-dolibarrtheme.pl index 954111a09cb..2171d87922e 100755 --- a/build/makepack-dolibarrtheme.pl +++ b/build/makepack-dolibarrtheme.pl @@ -258,7 +258,7 @@ foreach my $target (keys %CHOOSEDTARGET) { if ($CHOOSEDTARGET{$target} < 0) { print "Package $target not built (bad requirement).\n"; } else { - print "Package $target built succeessfully in $DESTI\n"; + print "Package $target built successfully in $DESTI\n"; } } diff --git a/build/makepack-howto.txt b/build/makepack-howto.txt index ca228f804d0..654bca95256 100644 --- a/build/makepack-howto.txt +++ b/build/makepack-howto.txt @@ -18,7 +18,7 @@ Prerequisites to build autoexe DoliWamp package from Linux (solution seems broke See file build/exe/doliwamp.iss to know the doliwamp version currently setup. > Add path to ISCC into PATH windows var: Launch wine cmd, then regedit and add entry int HKEY_LOCAL_MACHINE\System\CurrentControlSet\Control\Session Manager\Environment\PATH -> To build manually the .exe from Windows (running from makepack-dolibarr.pl script is however recommanded), +> To build manually the .exe from Windows (running from makepack-dolibarr.pl script is however recommended), open file build/exe/doliwamp.iss and click on button "Compile". The .exe file will be build into directory build. @@ -47,7 +47,7 @@ Prerequisites to build autoexe DoliWamp package from Windows: This files describe steps made by Dolibarr packaging team to make a beta version of Dolibarr, step by step. -- Check all files are commited. +- Check all files are committed. - Update version/info in ChangeLog, for this you can: To generate a changelog of a major new version x.y.0 (from a repo on branch develop), you can do "cd ~/git/dolibarr; git log `diff -u <(git rev-list --first-parent x.(y-1).0) <(git rev-list --first-parent develop) | sed -ne 's/^ //p' | head -1`.. --no-merges --pretty=short --oneline | sed -e "s/^[0-9a-z]* //" | grep -e '^FIX\|NEW' | sort -u | sed 's/FIXED:/FIX:/g' | sed 's/FIXED :/FIX:/g' | sed 's/FIX :/FIX:/g' | sed 's/FIX /FIX: /g' | sed 's/NEW :/NEW:/g' | sed 's/NEW /NEW: /g' > /tmp/aaa" To generate a changelog of a major new version x.y.0 (from a repo on branch x.y repo), you can do "cd ~/git/dolibarr_x.y; git log `diff -u <(git rev-list --first-parent x.(y-1).0) <(git rev-list --first-parent x.y.0) | sed -ne 's/^ //p' | head -1`.. --no-merges --pretty=short --oneline | sed -e "s/^[0-9a-z]* //" | grep -e '^FIX\|NEW' | sort -u | sed 's/FIXED:/FIX:/g' | sed 's/FIXED :/FIX:/g' | sed 's/FIX :/FIX:/g' | sed 's/FIX /FIX: /g' | sed 's/NEW :/NEW:/g' | sed 's/NEW /NEW: /g' > /tmp/aaa" @@ -72,7 +72,7 @@ Recopy the content of the output file into the file ChangeLog. This files describe steps made by Dolibarr packaging team to make a complete release of Dolibarr, step by step. -- Check all files are commited. +- Check all files are committed. - Update version/info in ChangeLog, for this you can: To generate a changelog of a major new version x.y.0 (from a repo on branch develop), you can do "cd ~/git/dolibarr; git log `diff -u <(git rev-list --first-parent x.(y-1).0) <(git rev-list --first-parent develop) | sed -ne 's/^ //p' | head -1`.. --no-merges --pretty=short --oneline | sed -e "s/^[0-9a-z]* //" | grep -e '^FIX\|NEW' | sort -u | sed 's/FIXED:/FIX:/g' | sed 's/FIXED :/FIX:/g' | sed 's/FIX :/FIX:/g' | sed 's/FIX /FIX: /g' | sed 's/NEW :/NEW:/g' | sed 's/NEW /NEW: /g' > /tmp/aaa" To generate a changelog of a major new version x.y.0 (from a repo pn branch x.y), you can do "cd ~/git/dolibarr_x.y; git log `diff -u <(git rev-list --first-parent x.(y-1).0) <(git rev-list --first-parent x.y.0) | sed -ne 's/^ //p' | head -1`.. --no-merges --pretty=short --oneline | sed -e "s/^[0-9a-z]* //" | grep -e '^FIX\|NEW' | sort -u | sed 's/FIXED:/FIX:/g' | sed 's/FIXED :/FIX:/g' | sed 's/FIX :/FIX:/g' | sed 's/FIX /FIX: /g' | sed 's/NEW :/NEW:/g' | sed 's/NEW /NEW: /g' > /tmp/aaa" diff --git a/build/obs/README b/build/obs/README index 44427c01d49..6b047b42fcf 100644 --- a/build/obs/README +++ b/build/obs/README @@ -54,5 +54,5 @@ OBS:QualityCategory Stable|Testing|Development|Private For example: https://bugzilla.novell.com/show_bug.cgi?id=848083 to be a maintener of category https://build.opensuse.org/project/show/Application:ERP - Once done, go into project, category, subproject and enter a subproject for your application. -Fo example: Dolibarr +For example: Dolibarr - Then go onto project into your home and ask a publish to the category/you project your created. diff --git a/build/pad/DoliWamp.pml b/build/pad/DoliWamp.pml index fa2da1902aa..cf3ed134961 100644 --- a/build/pad/DoliWamp.pml +++ b/build/pad/DoliWamp.pml @@ -58,8 +58,8 @@ DoliWamp is the auto-installer for Windows users with no technical knowledge to DoliWamp, Dolibarr ERP/CRM per Windows Gestionale open source e gratuito per piccole e medie imprese, fondazioni Dolibarr è un a gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. - Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibar è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. - Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibar è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. Dolibar è completamente web-based, progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. + Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibarr è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. + Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibarr è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. Dolibarr è completamente web-based, progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. diff --git a/build/pad/Dolibarr.pml b/build/pad/Dolibarr.pml index 3ef5e16137c..7e83081975c 100644 --- a/build/pad/Dolibarr.pml +++ b/build/pad/Dolibarr.pml @@ -53,8 +53,8 @@ Note that Dolibarr is also available with an auto-installer for Windows or Ubunt Gestionale open source e gratuito Gestionale open source e gratuito per piccole e medie imprese, fondazioni Dolibarr è un a gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. - Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibar è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. - Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibar è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. Dolibar è completamente web-based, progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. + Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibarr è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. + Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibarr è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. Dolibarr è completamente web-based, progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. dolibarr, erp, crm, invoices, commercial proposals, orders, accounting, stock, products, agenda, bank, business, company, foundation, management, sme, doliwamp diff --git a/build/pad/pad_dolibarr.xml b/build/pad/pad_dolibarr.xml index 77318eeb2d2..3ebda35f2fd 100644 --- a/build/pad/pad_dolibarr.xml +++ b/build/pad/pad_dolibarr.xml @@ -95,8 +95,8 @@ Dolibarr intègre en effet sa propre architecture (design patterns) permettant Gestionale open source e gratuito Gestionale open source e gratuito per piccole e medie imprese, fondazioni Dolibarr è un a gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. - Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibar è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. - Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibar è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. Dolibar è completamente web-based, progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. + Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibarr è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. + Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibarr è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. Dolibarr è completamente web-based, progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. diff --git a/build/pad/pad_dolibarr_nos.xml b/build/pad/pad_dolibarr_nos.xml index 6d81793de79..64d1d56dd5a 100644 --- a/build/pad/pad_dolibarr_nos.xml +++ b/build/pad/pad_dolibarr_nos.xml @@ -95,8 +95,8 @@ Dolibarr intègre en effet sa propre architecture (design patterns) permettant Gestionale open source e gratuito Gestionale open source e gratuito per piccole e medie imprese, fondazioni Dolibarr è un a gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. - Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibar è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. - Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibar è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. Dolibar è completamente web-based, progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. + Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibarr è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. + Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibarr è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. Dolibarr è completamente web-based, progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. diff --git a/build/pad/pad_doliwamp.xml b/build/pad/pad_doliwamp.xml index 842d746dbcc..d5d4a1d6703 100644 --- a/build/pad/pad_doliwamp.xml +++ b/build/pad/pad_doliwamp.xml @@ -88,8 +88,8 @@ DoliWamp is the auto-installer for Windows users with no technical knowledge to DoliWamp, Dolibarr ERP/CRM per Windows Gestionale open source e gratuito per piccole e medie imprese, fondazioni Dolibarr è un a gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. - Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibar è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. - Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibar è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. Dolibar è completamente web-based, progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. + Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibarr è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. + Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibarr è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. Dolibarr è completamente web-based, progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. diff --git a/build/pad/pad_doliwamp_nos.xml b/build/pad/pad_doliwamp_nos.xml index 61c739daff0..4360e92c3e4 100644 --- a/build/pad/pad_doliwamp_nos.xml +++ b/build/pad/pad_doliwamp_nos.xml @@ -88,8 +88,8 @@ DoliWamp is the auto-installer for Windows users with no technical knowledge to DoliWamp, Dolibarr ERP/CRM per Windows Gestionale open source e gratuito per piccole e medie imprese, fondazioni Dolibarr è un a gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. - Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibar è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. - Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibar è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. Dolibar è completamente web-based, progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. + Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibarr è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. + Dolibarr è un programma gestionale open source e gratuito per piccole e medie imprese, fondazioni e liberi professionisti. Include varie funzionalità per Enterprise Resource Planning e gestione dei clienti (CRM), ma anche ulteriori attività. Dolibarr è progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. Dolibarr è completamente web-based, progettato per poter fornire solo ciò di cui hai bisogno ed essere facile da usare. diff --git a/build/patch/README b/build/patch/README index ec769bd3d71..6b63713122f 100644 --- a/build/patch/README +++ b/build/patch/README @@ -4,6 +4,6 @@ Building a Patch file ################################################## This directory contains tools to build a patch after a developer has made changes on files in its Dolibarr tree. -The output patch file can then be submited on Dolibarr dev mailing-list, with explanation on its goal, for inclusion in main branch. +The output patch file can then be submitted on Dolibarr dev mailing-list, with explanation on its goal, for inclusion in main branch. Using this tool is now deprecated. You must use git pull requests to submit contributions. diff --git a/build/patch/buildpatch.sh b/build/patch/buildpatch.sh index 3bbc6ea3176..a2c5787e853 100755 --- a/build/patch/buildpatch.sh +++ b/build/patch/buildpatch.sh @@ -1,4 +1,4 @@ -#/bin/ksh +#!/bin/bash #---------------------------------------------------------------------------- # \file build/patch/buildpatch.sh # \brief Create patch files @@ -6,16 +6,18 @@ #---------------------------------------------------------------------------- # This script can be used to build a patch after a developer has made # changes on files in its Dolibarr tree. -# The output patch file can then be submited on Dolibarr dev mailing-list, +# The output patch file can then be submitted on Dolibarr dev mailing-list, # with explanation on its goal, for inclusion in main branch. #---------------------------------------------------------------------------- +# shellcheck disable=2086,2291 + echo ----- Building patch file mypatch.patch ----- if [ -z "$1" ] || [ -z "$2" ]; -then - echo Usage: buildpatch.sh original_dir_path modified_dir_path - echo Example: buildpatch.sh /mydirA/dolibarrold /mydirB/dolibarrnew +then + echo Usage: buildpatch.sh original_dir_path modified_dir_path + echo Example: buildpatch.sh /mydirA/dolibarrold /mydirB/dolibarrnew else - echo Build patch between \"$1\" and \"$2\" - diff -BNaur --exclude=CVS --exclude="*.patch" --exclude=".#*" --exclude="*~" --exclude="*.rej" --exclude="*.orig" --exclude="*.bak" --exclude=conf.php --exclude=documents $1 $2 > mypatch.patch + echo Build patch between \"$1\" and \"$2\" + diff -BNaur --exclude=CVS --exclude="*.patch" --exclude=".#*" --exclude="*~" --exclude="*.rej" --exclude="*.orig" --exclude="*.bak" --exclude=conf.php --exclude=documents $1 $2 > mypatch.patch fi diff --git a/build/phpstan/README b/build/phpstan/README index 9df049e5526..30f7a20b24e 100644 --- a/build/phpstan/README +++ b/build/phpstan/README @@ -5,12 +5,16 @@ PHPStan requires PHP >= 7.1 Config File is: ./phpstan.neon -In dolibarr/build/phpstan += Installation = + +cd ./build/phpstan mkdir phpstan cd phpstan composer require --dev phpstan/phpstan -Build report from CLI: + += Build report from CLI = + In dolibarr/ mv htdocs/custom /tmp/ php build/phpstan/phpstan/vendor/bin/phpstan -v analyze -c ./phpstan.neon -a build/phpstan/bootstrap.php --memory-limit 4G --error-format=table htdocs/commande/class @@ -19,4 +23,4 @@ mv /tmp/custom htdocs Build HTML report from Cron: Example of line to add into a cron to generate a HTML report: -0 1 5 * * cd /home/dolibarr/preview.dolibarr.org/dolibarr; chmod -R u+w /home/dolibarr/preview.dolibarr.org/dolibarr; git pull; /home/dolibarr/phpstan/vendor/bin/phpstan -v analyze -a build/phpstan/bootstrap.php --memory-limit 4G --error-format=github | awk ' BEGIN{ print "Date "strftime("%Y-%m-%d")"
      " } { print $0"
      " } END{ print NR } ' > /home/dolibarr/doxygen.dolibarr.org/phpstan/index.html +0 1 5 * * cd /home/dolibarr/preview.dolibarr.org/dolibarr; chmod -R u+w /home/dolibarr/preview.dolibarr.org/dolibarr; git pull; /home/dolibarr/phpstan/vendor/bin/phpstan -v analyze --memory-limit 4G --error-format=github | awk ' BEGIN{ print "Date "strftime("%Y-%m-%d")"
      " } { print $0"
      " } END{ print NR } ' > /home/dolibarr/doxygen.dolibarr.org/phpstan/index.html diff --git a/build/phpstan/bootstrap.php b/build/phpstan/bootstrap.php index 2d5eab1c4e6..8538401f4aa 100644 --- a/build/phpstan/bootstrap.php +++ b/build/phpstan/bootstrap.php @@ -9,8 +9,12 @@ if (!defined("NOLOGIN")) { define("NOLOGIN", '1'); } +if (!defined("NOSESSION")) { + define("NOSESSION", '1'); +} if (!defined("NOHTTPSREDIRECT")) { define("NOHTTPSREDIRECT", '1'); } -global $conf, $langs, $user, $db; + +global $conf, $db, $langs, $user; include_once __DIR__ . '/../../htdocs/main.inc.php'; diff --git a/build/phpstan/bootstrap_action.php b/build/phpstan/bootstrap_action.php new file mode 100644 index 00000000000..1d39c7377f5 --- /dev/null +++ b/build/phpstan/bootstrap_action.php @@ -0,0 +1,22 @@ +=3.2" + "maximebf/debugbar" : "1.18.2" }, "require-dev" : { - "php-parallel-lint/php-parallel-lint" : "^0", - "php-parallel-lint/php-console-highlighter" : "^0", - "phpunit/phpunit" : "^4", - "squizlabs/php_codesniffer" : "^2", - "phpunit/phpunit-selenium" : "^2", - "rector/rector" : "^0.16.0" }, "suggest" : { "ext-mysqlnd" : "To use with MySQL or MariaDB", @@ -50,7 +43,7 @@ "ext-pgsql" : "To use with PostgreSQL", "ext-gd" : "Image manipulation (Required but maybe built-in PHP)", "ext-imagick" : "Generation of thumbs from PDF", - "ext-mcrypt" : "(Required but maybe built-in PHP)", + "ext-intl" : "Intl", "ext-openssl" : "Secure connections (Emails, SOAP\u2026)", "ext-mbstring" : "Handle non UTF-8 characters", "ext-soap" : "Native SOAP", diff --git a/dev/dolibarr_changes.txt b/dev/dolibarr_changes.txt index 8305dbefbd9..58723960150 100644 --- a/dev/dolibarr_changes.txt +++ b/dev/dolibarr_changes.txt @@ -41,40 +41,59 @@ With protected $connector; +SABRE: +------ +rm -fr ./htdocs/includes/sabre/sabre/bin; +rm -fr ./htdocs/includes/sabre/sabre/*/bin; +rm -fr ./htdocs/includes/sabre/sabre/*/*/bin; +rm -fr ./htdocs/includes/sabre/sabre/*/*/*/bin; +rm -fr ./htdocs/includes/sabre/sabre/*/*/*/*/bin; + NUSOAP: ------- -* In file nusoap.php, to avoid a warning, -Replace - if (isset($this->methodreturn) && ((get_class($this->methodreturn) == 'soap_fault') || (get_class($this->methodreturn) == 'nusoap_fault'))) { -By - if (! is_array($this->methodreturn) && isset($this->methodreturn) && ((get_class($this->methodreturn) == 'soap_fault') || (get_class($this->methodreturn) == 'nusoap_fault'))) { +* Line 1257 of file nusoap.php. Add: -* In file nusoap.php, to avoid a warning, -Replace call to serialize_val with no bugged value + libxml_disable_entity_loader(true); // Avoid load of external entities (security problem). Required only for libxml < 2. + + +* Line 4346 of file nusoap.php -* In all files, replace constructor names into __construct. Replace also parent::constructor_name with parent::__construct + $rev = array(); + preg_match('/\$Revision: ([^ ]+)/', $this->revision, $rev); + $this->outgoing_headers[] = "X-SOAP-Server: $this->title/$this->version (".(isset($rev[1]) ? $rev[1] : '').")"; -* Line 4222 of file nusoap.php - - $rev = array(); - preg_match('/\$Revision: ([^ ]+)/', $this->revision, $rev); - $this->outgoing_headers[] = "X-SOAP-Server: $this->title/$this->version (".(isset($rev[1]) ? $rev[1] : '').")"; +* Line 6566 of file nusoap.php, replace + if (count($attrs) > 0) { + with + if (is_array($attrs) && count($attrs) > 0) { TCPDF: ------ -* Replace in tcpdf.php: +* Modify in tcpdf.php: make TCPDF::_out public. + (htdocs/core/lib/pdf.lib.php uses it as a public method) + Change: + protected function _out($s) + to + public function _out($s) + + Change in method's _out phpdoc: + + * @protected + to + * @public + +* Replace in tcpdf.php: if (isset($this->imagekeys)) { foreach($this->imagekeys as $file) { unlink($file); } } with - if (isset($this->imagekeys)) { foreach($this->imagekeys as $file) { // DOL CHANGE If we keep this, source image files are physically destroyed @@ -82,8 +101,7 @@ with } } -* Replace in tcpdf.php - +* Replace in tcpdf.php: $preserve = array( 'file_id', 'internal_encoding', @@ -91,9 +109,7 @@ with 'bufferlen', 'buffer', 'cached_files', - with - $preserve = array( 'file_id', 'internal_encoding', @@ -104,14 +120,11 @@ with // @CHANGE DOL 'imagekeys', -* Replace in tcpdf.php - +* Replace in tcpdf.php: if (!@TCPDF_STATIC::file_exists($file)) { - return false; + return false; } - with - if (!@TCPDF_STATIC::file_exists($file)) { // DOL CHANGE If we keep this, the image is not visible on pages after the first one. //var_dump($file.' '.(!@TCPDF_STATIC::file_exists($file))); @@ -122,12 +135,9 @@ with } } -* Replace in tcpdf.php - +* Replace in tcpdf.php: if (($imgsrc[0] === '/') AND !empty($_SERVER['DOCUMENT_ROOT']) AND ($_SERVER['DOCUMENT_ROOT'] != '/')) { - with - // @CHANGE LDR Add support for src="file://..." links if (strpos($imgsrc, 'file://') === 0) { $imgsrc = str_replace('file://', '/', $imgsrc); @@ -144,12 +154,9 @@ with elseif (($imgsrc[0] === '/') AND !empty($_SERVER['DOCUMENT_ROOT']) AND ($_SERVER['DOCUMENT_ROOT'] != '/')) { -* In tecnickcom/tcpdf/include/tcpdf_static.php, in function fopenLocal, replace - +* In tecnickcom/tcpdf/include/tcpdf_static.php, in function fopenLocal, replace: if (strpos($filename, '://') === false) { - with - if (strpos($filename, '//') === 0) { // Share folder on a (windows) server // e.g.: "//[MyServerName]/[MySharedFolder]/" @@ -158,21 +165,26 @@ with } elseif (strpos($filename, '://') === false) -* To avoid to have QRcode changed because generated with a random mask, replace -define('QR_FIND_FROM_RANDOM', 2); +* To avoid to have QRcode changed because generated with a random mask, replace: + define('QR_FIND_FROM_RANDOM', 2); with -define('QR_FIND_FROM_RANDOM', false); + define('QR_FIND_FROM_RANDOM', false); +* Change line: + imagesetpixel($imgalpha, $xpx, $ypx, $alpha); +into + imagesetpixel($imgalpha, $xpx, $ypx, (int) $alpha); + * Removed useless directories ("examples", "tools") -* Optionnaly, removed all fonts except - dejavusans* (used by greek, arab, persan, romanian, turkish), - freemono* (russian), - cid*+msungstdlight+stsongstdlight+uni2cid* (chinese), +* Optionally, removed all fonts except + dejavusans* (used by greek, arab, person, romanian, turkish), + freemono* (russian), + cid*+msungstdlight+stsongstdlight+uni2cid* (chinese), helvetica* (all other languages), zapfdingbats.php (for special chars like form checkboxes) -* Optionnaly, made freemono the default monotype font if we removed courier +* Optionally, made freemono the default monotype font if we removed courier In htdocs/includes/tecnickcom/tcpdf/tcpdf.php - protected $default_monospaced_font = 'courier'; + protected $default_monospaced_font = 'freemono'; @@ -180,15 +192,15 @@ In htdocs/includes/tecnickcom/tcpdf/tcpdf.php * In tecnickcom/tcpdf/include/tcpdf_static, in function intToRoman, right at the beginning of the function, replace: - $roman = ''; + $roman = ''; -with: + with: - $roman = ''; - if ($number >= 4000) { - // do not represent numbers above 4000 in Roman numerals - return strval($number); - } + $roman = ''; + if ($number >= 4000) { + // do not represent numbers above 4000 in Roman numerals + return strval($number); + } * Add this at begin of tcpdf_autoconfig.php @@ -223,7 +235,7 @@ with: * Fix syntax error by replacing } elseif (($key == '/Index') AND ($v[0] == PDF_TYPE_ARRAY AND count($v[1] >= 2))) { -with + with } elseif (($key == '/Index') AND ($v[0] == PDF_TYPE_ARRAY AND count($v[1]) >= 2)) { * Fix php fatal error on php 8.0 on tcpdi.php @@ -314,6 +326,24 @@ RESTLER: empty($value[0]) ? null : empty($value[1]) ? null : +* Add a test into AutoLoader.php to complete function loadThisLoader and test if property exists before calling it. For this replace code + + if (false !== $file = $b::$loader[1]($className) && $this->exists($className, $b::$loader[1])) { + return $file; + } + + with: + + //avoid PHP Fatal error: Uncaught Error: Access to undeclared static property: Composer\\Autoload\\ClassLoader::$loader + //in case of multiple autoloader systems + if(property_exists($b, $loader[1])) { + if (false !== $file = $b::$loader[1]($className) + && $this->exists($className, $b::$loader[1])) { + return $file; + } + } + + +With swagger 2 provided into /explorer: ---------------------------------------- @@ -327,16 +357,15 @@ PARSEDOWN * Add support of css by adding in Parsedown.php: // @CHANGE LDR - 'class' => $Link['element']['attributes']['class'] + 'class' => $Link['element']['attributes']['class'] ... - + // @CHANGE LDR - if (preg_match('/{([^}]+)}/', $remainder, $matches2)) - { - $Element['attributes']['class'] = $matches2[1]; - $remainder = preg_replace('/{'.preg_quote($matches2[1],'/').'}/', '', $remainder); - } + if (preg_match('/{([^}]+)}/', $remainder, $matches2)) { + $Element['attributes']['class'] = $matches2[1]; + $remainder = preg_replace('/{'.preg_quote($matches2[1],'/').'}/', '', $remainder); + } // @CHANGE LDR @@ -369,7 +398,7 @@ Add into Class Google of file OAuth2/Service/Google: } $this->approvalPrompt = $prompt; } - + JEDITABLE.JS diff --git a/dev/examples/code/create_invoice.php b/dev/examples/code/create_invoice.php index 3d3313ed3a3..cdb23e11f69 100755 --- a/dev/examples/code/create_invoice.php +++ b/dev/examples/code/create_invoice.php @@ -43,6 +43,8 @@ $error = 0; require_once $path."../../../htdocs/master.inc.php"; // After this $db, $mysoc, $langs and $conf->entity are defined. Opened handler to database will be closed at end of file. +global $db, $conf, $langs; + //$langs->setDefaultLang('en_US'); // To change default language of $langs $langs->load("main"); // To load language file for default language @set_time_limit(0); @@ -50,7 +52,7 @@ $langs->load("main"); // To load language file for default language // Load user and its permissions $result = $user->fetch('', 'admin'); // Load user for login 'admin'. Comment line to run as anonymous user. if (!$result > 0) { - dol_print_error('', $user->error); + dol_print_error(null, $user->error); exit; } $user->getrights(); diff --git a/dev/examples/code/create_order.php b/dev/examples/code/create_order.php index 1a6b3d04dc4..3b4e88d5646 100755 --- a/dev/examples/code/create_order.php +++ b/dev/examples/code/create_order.php @@ -50,7 +50,7 @@ $langs->load("main"); // To load language file for default language // Load user and its permissions $result = $user->fetch('', 'admin'); // Load user for login 'admin'. Comment line to run as anonymous user. if (!$result > 0) { - dol_print_error('', $user->error); + dol_print_error(null, $user->error); exit; } $user->getrights(); diff --git a/dev/examples/code/create_product.php b/dev/examples/code/create_product.php index 2fb818d5b5f..2ceaa5d74e6 100755 --- a/dev/examples/code/create_product.php +++ b/dev/examples/code/create_product.php @@ -50,7 +50,7 @@ $langs->load("main"); // To load language file for default language // Load user and its permissions $result = $user->fetch('', 'admin'); // Load user for login 'admin'. Comment line to run as anonymous user. if (!$result > 0) { - dol_print_error('', $user->error); + dol_print_error(null, $user->error); exit; } $user->getrights(); diff --git a/dev/examples/code/create_user.php b/dev/examples/code/create_user.php index 834c5b078a4..91644c3fd45 100755 --- a/dev/examples/code/create_user.php +++ b/dev/examples/code/create_user.php @@ -50,7 +50,7 @@ $langs->load("main"); // To load language file for default language // Load user and its permissions $result = $user->fetch('', 'admin'); // Load user for login 'admin'. Comment line to run as anonymous user. if (!$result > 0) { - dol_print_error('', $user->error); + dol_print_error(null, $user->error); exit; } $user->getrights(); diff --git a/dev/examples/code/get_contracts.php b/dev/examples/code/get_contracts.php index 117ea9d48b5..853a059d995 100755 --- a/dev/examples/code/get_contracts.php +++ b/dev/examples/code/get_contracts.php @@ -50,7 +50,7 @@ $langs->load("main"); // To load language file for default language // Load user and its permissions $result = $user->fetch('', 'admin'); // Load user for login 'admin'. Comment line to run as anonymous user. if (!$result > 0) { - dol_print_error('', $user->error); + dol_print_error(null, $user->error); exit; } $user->getrights(); diff --git a/dev/examples/ical/event_recu.txt b/dev/examples/ical/event_recu.txt index 5bcc491a0b3..2a6b0322595 100644 --- a/dev/examples/ical/event_recu.txt +++ b/dev/examples/ical/event_recu.txt @@ -1,4 +1,4 @@ -Example fo recurring event, 1 week, no end, exported by Google +Example for recurring event, 1 week, no end, exported by Google # The recurring event were recorded every monday the 20150518. This is the Recurrence-id, but then # first occurrence was moved on tuesday. So this record were added. @@ -38,7 +38,7 @@ END:VEVENT -Example fo recurring event, every 2 month, no end, exported by Google +Example for recurring event, every 2 month, no end, exported by Google BEGIN:VEVENT DTSTART;TZID=Europe/Paris:20150519T080000 diff --git a/dev/examples/stripe/webhook_ipn_paymentintent_failed_sepa.txt b/dev/examples/stripe/webhook_ipn_paymentintent_failed_sepa.txt new file mode 100644 index 00000000000..d85bedd9528 --- /dev/null +++ b/dev/examples/stripe/webhook_ipn_paymentintent_failed_sepa.txt @@ -0,0 +1,124 @@ +{ + "id": "evt_123456789", + "object": "event", + "api_version": "2023-10-16", + "created": 1702053463, + "data": { + "object": { + "id": "pi_123456789", + "object": "payment_intent", + "amount": 60, + "amount_capturable": 0, + "amount_details": { + "tip": { + } + }, + "amount_received": 0, + "application": null, + "application_fee_amount": null, + "automatic_payment_methods": null, + "canceled_at": null, + "cancellation_reason": null, + "capture_method": "automatic", + "client_secret": "pi_123456789_secret_123456789", + "confirmation_method": "automatic", + "created": 1702053448, + "currency": "eur", + "customer": "cus_123456789", + "description": "Stripe payment from makeStripeSepaRequest: DID=31262-INV=123-CUS=123 did=123 ref=FA2312-123", + "invoice": null, + "last_payment_error": { + "code": "", + "decline_code": "generic_decline", + "message": "The transaction can't be processed because your customer's account information is missing or incorrect. Collect a new mandate and ask your customer to provide their name and address exactly as it appears on their bank account. After this, you can attempt the transaction again.", + "payment_method": { + "id": "pm_123456789", + "object": "payment_method", + "billing_details": { + "address": { + "city": null, + "country": "FR", + "line1": null, + "line2": null, + "postal_code": null, + "state": null + }, + "email": "email@example.com", + "name": "Test example", + "phone": null + }, + "created": 1692688898, + "customer": "cus_123456789", + "livemode": false, + "metadata": { + "dol_version": "19.0.0-dev", + "dol_thirdparty_id": "123", + "ipaddress": "1.2.3.4", + "dol_id": "123", + "dol_type": "companypaymentmode", + "dol_entity": "1" + }, + "sepa_debit": { + "bank_code": "123", + "branch_code": "", + "country": "AT", + "fingerprint": "123456789", + "generated_from": { + "charge": null, + "setup_attempt": null + }, + "last4": "3202" + }, + "type": "sepa_debit" + }, + "type": "card_error" + }, + "latest_charge": "py_123456789", + "livemode": false, + "metadata": { + "dol_version": "19.0.0-beta", + "dol_thirdparty_id": "123", + "ipaddress": "1.2.3.4", + "dol_id": "123", + "dol_type": "facture", + "dol_entity": "1" + }, + "next_action": null, + "on_behalf_of": null, + "payment_method": null, + "payment_method_configuration_details": null, + "payment_method_options": { + "card": { + "installments": null, + "mandate_options": null, + "network": null, + "request_three_d_secure": "automatic" + }, + "sepa_debit": { + } + }, + "payment_method_types": [ + "card", + "sepa_debit" + ], + "processing": null, + "receipt_email": null, + "review": null, + "setup_future_usage": null, + "shipping": null, + "source": null, + "statement_descriptor": "DID=123-", + "statement_descriptor_suffix": "DID=123-", + "status": "requires_payment_method", + "transfer_data": null, + "transfer_group": null + } + }, + "livemode": false, + "pending_webhooks": 1, + "request": { + "id": null, + "idempotency_key": null + }, + "type": "payment_intent.payment_failed" +} diff --git a/dev/initdata/generate-order.php b/dev/initdata/generate-order.php index 554e8ad49d6..68aab032686 100755 --- a/dev/initdata/generate-order.php +++ b/dev/initdata/generate-order.php @@ -48,7 +48,7 @@ require_once DOL_DOCUMENT_ROOT."/commande/class/commande.class.php"; /* - * Parametre + * Parameter */ define('GEN_NUMBER_COMMANDE', $argv[1] ?? 10); diff --git a/dev/initdata/generate-proposal.php b/dev/initdata/generate-proposal.php index cf9a708de9e..3c357949e28 100755 --- a/dev/initdata/generate-proposal.php +++ b/dev/initdata/generate-proposal.php @@ -152,7 +152,7 @@ $user->rights->propal->creer=1; $user->rights->propal->propal_advance->validate=1; -if (!empty($conf->global->PROPALE_ADDON) && is_readable(DOL_DOCUMENT_ROOT ."/core/modules/propale/" . getDolGlobalString('PROPALE_ADDON').".php")) { +if (getDolGlobalString('PROPALE_ADDON') && is_readable(DOL_DOCUMENT_ROOT ."/core/modules/propale/" . getDolGlobalString('PROPALE_ADDON').".php")) { require_once DOL_DOCUMENT_ROOT ."/core/modules/propale/" . getDolGlobalString('PROPALE_ADDON').".php"; } diff --git a/dev/initdata/generate-thirdparty.php b/dev/initdata/generate-thirdparty.php index 287eaeb173f..4bdcad752ef 100755 --- a/dev/initdata/generate-thirdparty.php +++ b/dev/initdata/generate-thirdparty.php @@ -50,7 +50,7 @@ $listoflastname = array("Joe","Marc","Steve","Laurent","Nico","Isabelle","Doroth /* - * Parametre + * Parameter */ define('GEN_NUMBER_SOCIETE', $argv[1] ?? 10); diff --git a/dev/initdata/import-thirdparties.php b/dev/initdata/import-thirdparties.php index 5a5bde31905..4157cee8686 100755 --- a/dev/initdata/import-thirdparties.php +++ b/dev/initdata/import-thirdparties.php @@ -129,7 +129,7 @@ while ($fields=fgetcsv($fhandle, $linelength, $delimiter, $enclosure, $escape)) $object->fournisseur = $fields[8]; $object->name = $fields[13] ? trim($fields[13]) : $fields[0]; - $object->name_alias = $fields[0]!=$fields[13] ? trim($fields[0]) : ''; + $object->name_alias = $fields[0] != $fields[13] ? trim($fields[0]) : ''; $object->address = trim($fields[14]); $object->zip = trim($fields[15]); @@ -153,7 +153,7 @@ while ($fields=fgetcsv($fhandle, $linelength, $delimiter, $enclosure, $escape)) } $object->cond_reglement_id = dol_getIdFromCode($db, $condpayment, 'c_payment_term', 'libelle_facture', 'rowid', 1); if (empty($object->cond_reglement_id)) { - print " - Error cant find payment mode for ".$condpayment."\n"; + print " - Error can't find payment mode for ".$condpayment."\n"; $errorrecord++; } } diff --git a/dev/initdata/purge-data.php b/dev/initdata/purge-data.php index d75c9fae8b2..442d991a453 100755 --- a/dev/initdata/purge-data.php +++ b/dev/initdata/purge-data.php @@ -148,8 +148,8 @@ $sqls=array( "DELETE FROM ".MAIN_DB_PREFIX."product where datec < '__DATE__'", ), 'project'=>array( - // TODO set fk_project to null on object that refer to project - "DELETE FROM ".MAIN_DB_PREFIX."projet_task_time WHERE fk_task IN (select rowid FROM ".MAIN_DB_PREFIX."projet_task WHERE fk_projet IN (select rowid FROM ".MAIN_DB_PREFIX."projet where datec < '__DATE__'))", + // TODO set fk_project to null on all objects/tables that refer to project + "DELETE FROM ".MAIN_DB_PREFIX."element_time WHERE elementtype = 'task' AND fk_element IN (select rowid FROM ".MAIN_DB_PREFIX."projet_task WHERE fk_projet IN (select rowid FROM ".MAIN_DB_PREFIX."projet where datec < '__DATE__'))", "DELETE FROM ".MAIN_DB_PREFIX."projet_task WHERE fk_projet IN (select rowid FROM ".MAIN_DB_PREFIX."projet where datec < '__DATE__')", "DELETE FROM ".MAIN_DB_PREFIX."projet where datec < '__DATE__'", ), diff --git a/dev/initdemo/initdemo.sh b/dev/initdemo/initdemo.sh index 7e38e837e0f..f50b4084c63 100755 --- a/dev/initdemo/initdemo.sh +++ b/dev/initdemo/initdemo.sh @@ -9,15 +9,17 @@ # Regis Houssin - regis.houssin@inodbox.com # Laurent Destailleur - eldy@users.sourceforge.net #------------------------------------------------------ -# Usage: initdemo.sh confirm +# Usage: initdemo.sh confirm # usage: initdemo.sh confirm mysqldump_dolibarr_x.x.x.sql database port login pass #------------------------------------------------------ +# shellcheck disable=2006,2034,2046,2064,2068,2086,2155,2166,2186,2172,2268 +# shellcheck disable=2012,2016,2115 export mydir=`echo "$0" | sed -e 's/initdemo.sh//'`; if [ "x$mydir" = 'x' -o "x$mydir" = 'x./' ] then - export mydir="." + export mydir="." fi export id=`id -u`; @@ -59,106 +61,106 @@ then fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Init Dolibarr with demo values" --clear \ - --inputbox "Input dump file :" 16 55 $dumpfile 2> $fichtemp + --inputbox "Input dump file :" 16 55 $dumpfile 2> $fichtemp valret=$? case $valret in - 0) - dumpfile=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + dumpfile=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac rm $fichtemp - + # ----------------------------- database name DIALOG=${DIALOG=dialog} DIALOG="$DIALOG --ascii-lines" fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Init Dolibarr with demo values" --clear \ - --inputbox "Mysql database name :" 16 55 dolibarrdemo 2> $fichtemp + --inputbox "Mysql database name :" 16 55 dolibarrdemo 2> $fichtemp valret=$? case $valret in - 0) - base=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + base=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac rm $fichtemp - + # ---------------------------- database port DIALOG=${DIALOG=dialog} fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Init Dolibarr with demo values" --clear \ - --inputbox "Mysql port (ex: 3306):" 16 55 3306 2> $fichtemp - + --inputbox "Mysql port (ex: 3306):" 16 55 3306 2> $fichtemp + valret=$? - + case $valret in - 0) - port=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + port=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac rm $fichtemp - + # ---------------------------- compte admin mysql DIALOG=${DIALOG=dialog} fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Init Dolibarr with demo values" --clear \ - --inputbox "Mysql user login (ex: root):" 16 55 root 2> $fichtemp - + --inputbox "Mysql user login (ex: root):" 16 55 root 2> $fichtemp + valret=$? - + case $valret in - 0) - admin=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + admin=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac rm $fichtemp - - # ---------------------------- mot de passe admin mysql + + # ---------------------------- password admin mysql (root) DIALOG=${DIALOG=dialog} fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Init Dolibarr with demo values" --clear \ - --passwordbox "Password for Mysql user login :" 16 55 2> $fichtemp - + --passwordbox "Password for Mysql user login :" 16 55 2> $fichtemp + valret=$? - + case $valret in - 0) - passwd=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + passwd=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac rm $fichtemp - - + + export documentdir=`cat $mydir/../../htdocs/conf/conf.php | grep '^\$dolibarr_main_data_root' | sed -e 's/$dolibarr_main_data_root=//' | sed -e 's/;//' | sed -e "s/'//g" | sed -e 's/"//g' ` # ---------------------------- confirmation DIALOG=${DIALOG=dialog} $DIALOG --title "Init Dolibarr with demo values" --clear \ - --yesno "Do you confirm ? \n Dump file : '$dumpfile' \n Dump dir : '$mydir' \n Document dir : '$documentdir' \n Mysql database : '$base' \n Mysql port : '$port' \n Mysql login: '$admin' \n Mysql password : --hidden--" 15 55 - + --yesno "Do you confirm ? \n Dump file : '$dumpfile' \n Dump dir : '$mydir' \n Document dir : '$documentdir' \n Mysql database : '$base' \n Mysql port : '$port' \n Mysql login: '$admin' \n Mysql password : --hidden--" 15 55 + case $? in - 0) echo "Ok, start process...";; - 1) exit;; - 255) exit;; + 0) echo "Ok, start process..." ;; + 1) exit ;; + 255) exit ;; esac fi @@ -180,7 +182,7 @@ export res=$? if [ $res -ne 0 ]; then echo "Error to load database dump with mysql -P$port -u$admin -p***** $base < $mydir/$dumpfile" exit -fi +fi $mydir/updatedemo.php confirm export res=$? @@ -190,32 +192,32 @@ export documentdir=`cat $mydir/../../htdocs/conf/conf.php | grep '^\$dolibarr_ma if [ "x$documentdir" != "x" ] then $DIALOG --title "Reset document directory" --clear \ - --inputbox "DELETE and recreate document directory $documentdir/:" 16 55 n 2> $fichtemp - + --inputbox "DELETE and recreate document directory $documentdir/:" 16 55 n 2> $fichtemp + valret=$? - + case $valret in - 0) - rep=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + rep=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac - + echo "rep=$rep" if [ "x$rep" = "xy" ]; then echo rm -fr "$documentdir/*" rm -fr $documentdir/* fi - + echo cp -pr $mydir/documents_demo/* "$documentdir/" cp -pr $mydir/documents_demo/* "$documentdir/" - + mkdir "$documentdir/doctemplates/" 2>/dev/null echo cp -pr $mydir/../../htdocs/install/doctemplates/* "$documentdir/doctemplates/" cp -pr $mydir/../../htdocs/install/doctemplates/* "$documentdir/doctemplates/" - + echo cp -pr $mydir/../../htdocs/install/medias/* "$documentdir/medias/image/" cp -pr $mydir/../../htdocs/install/medias/* "$documentdir/medias/image/" @@ -224,11 +226,11 @@ then rm -f "$documentdir/doctemplates/"*/index.html echo cp -pr $mydir/../../doc/images/* "$documentdir/ecm/Images" cp -pr $mydir/../../doc/images/* "$documentdir/ecm/Images" - + chmod -R u+w "$documentdir/" chown -R www-data "$documentdir/" else - echo Detection of documents directory from $mydir failed so demo files were not copied. + echo Detection of documents directory from $mydir failed so demo files were not copied. fi diff --git a/dev/initdemo/initdemopassword.sh b/dev/initdemo/initdemopassword.sh index bcf2b14887e..e2929441e76 100755 --- a/dev/initdemo/initdemopassword.sh +++ b/dev/initdemo/initdemopassword.sh @@ -5,15 +5,17 @@ # # Laurent Destailleur - eldy@users.sourceforge.net #------------------------------------------------------ -# Usage: initdemopassword.sh confirm +# Usage: initdemopassword.sh confirm # usage: initdemopassword.sh confirm base port login pass #------------------------------------------------------ +# shellcheck disable=2006,2034,2046,2064,2068,2086,2155,2166,2186,2172,2268 +# shellcheck disable=2012,2016,2154 export mydir=`echo "$0" | sed -e 's/initdemopassword.sh//'`; if [ "x$mydir" = 'x' -o "x$mydir" = 'x./' ] then - export mydir="." + export mydir="." fi export id=`id -u`; @@ -56,87 +58,87 @@ then fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Reset login password" --clear \ - --inputbox "Mysql database name :" 16 55 dolibarrdemo 2> $fichtemp + --inputbox "Mysql database name :" 16 55 dolibarrdemo 2> $fichtemp valret=$? case $valret in - 0) - base=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + base=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac rm $fichtemp - + # ---------------------------- database port DIALOG=${DIALOG=dialog} fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Reset login password" --clear \ - --inputbox "Mysql port (ex: 3306):" 16 55 3306 2> $fichtemp - + --inputbox "Mysql port (ex: 3306):" 16 55 3306 2> $fichtemp + valret=$? - + case $valret in - 0) - port=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + port=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac rm $fichtemp - - + + # ----------------------------- demo login DIALOG=${DIALOG=dialog} DIALOG="$DIALOG --ascii-lines" fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Reset login password" --clear \ - --inputbox "Login to reset :" 16 55 dolibarrdemologin 2> $fichtemp + --inputbox "Login to reset :" 16 55 dolibarrdemologin 2> $fichtemp valret=$? case $valret in - 0) - demologin=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + demologin=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac rm fichtemp - + # ----------------------------- demo pass DIALOG=${DIALOG=dialog} DIALOG="$DIALOG --ascii-lines" fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Reset login password" --clear \ - --inputbox "Pass to set :" 16 55 dolibarrdemopass 2> $fichtemp + --inputbox "Pass to set :" 16 55 dolibarrdemopass 2> $fichtemp valret=$? case $valret in - 0) - demopass=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + demopass=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac rm fichtemp - - + + export documentdir=`cat $mydir/../../htdocs/conf/conf.php | grep '^\$dolibarr_main_data_root' | sed -e 's/$dolibarr_main_data_root=//' | sed -e 's/;//' | sed -e "s/'//g" | sed -e 's/"//g' ` # ---------------------------- confirmation DIALOG=${DIALOG=dialog} $DIALOG --title "Reset login password" --clear \ - --yesno "Do you confirm ? \n Mysql database : '$base' \n Mysql port : '$port' \n Demo login: '$demologin' \n Demo password : '$demopass'" 15 55 - + --yesno "Do you confirm ? \n Mysql database : '$base' \n Mysql port : '$port' \n Demo login: '$demologin' \n Demo password : '$demopass'" 15 55 + case $? in - 0) echo "Ok, start process...";; - 1) exit;; - 255) exit;; + 0) echo "Ok, start process..." ;; + 1) exit ;; + 255) exit ;; esac fi @@ -152,7 +154,7 @@ fi if [ "x${demopasshash}" != "xpassword_hash" ] then - echo '' > /tmp/tmp.php + echo '' > /tmp/tmp.php newpass=`php -f /tmp/tmp.php` else echo '' > /tmp/tmp.php @@ -167,7 +169,7 @@ export res=$? if [ $res -ne 0 ]; then echo "Error to execute sql with mysql -P$port -u$admin -p***** $base" exit -fi +fi if [ -s "$mydir/initdemopostsql.sql" ]; then echo A file initdemopostsql.sql was found, we execute it. @@ -175,7 +177,7 @@ if [ -s "$mydir/initdemopostsql.sql" ]; then mysql -P$port $base < "$mydir/initdemopostsql.sql" else echo No file initdemopostsql.sql found, so no extra sql action done. -fi +fi if [ "x$res" = "x0" ] diff --git a/dev/initdemo/mysqldump_dolibarr_18.0.0.sql b/dev/initdemo/mysqldump_dolibarr_19.0.0.sql similarity index 89% rename from dev/initdemo/mysqldump_dolibarr_18.0.0.sql rename to dev/initdemo/mysqldump_dolibarr_19.0.0.sql index 4d79839cba7..83d4645572a 100644 --- a/dev/initdemo/mysqldump_dolibarr_18.0.0.sql +++ b/dev/initdemo/mysqldump_dolibarr_19.0.0.sql @@ -1,6 +1,6 @@ -- MariaDB dump 10.19 Distrib 10.6.12-MariaDB, for debian-linux-gnu (x86_64) -- --- Host: localhost Database: dolibarr_18 +-- Host: localhost Database: dolibarr_19 -- ------------------------------------------------------ -- Server version 10.6.12-MariaDB-0ubuntu0.22.04.1 @@ -28,7 +28,7 @@ CREATE TABLE `llx_accounting_account` ( `datec` datetime DEFAULT NULL, `tms` timestamp NOT NULL DEFAULT current_timestamp() ON UPDATE current_timestamp(), `fk_pcg_version` varchar(32) NOT NULL, - `pcg_type` varchar(20) NOT NULL, + `pcg_type` varchar(60) DEFAULT NULL, `account_number` varchar(20) DEFAULT NULL, `account_parent` int(11) DEFAULT 0, `label` varchar(255) DEFAULT NULL, @@ -349,6 +349,7 @@ CREATE TABLE `llx_actioncomm` ( `event_paid` smallint(6) NOT NULL DEFAULT 0, `status` smallint(6) NOT NULL DEFAULT 0, `ip` varchar(250) DEFAULT NULL, + `fk_bookcal_calendar` int(11) DEFAULT NULL, PRIMARY KEY (`id`), KEY `idx_actioncomm_fk_soc` (`fk_soc`), KEY `idx_actioncomm_fk_contact` (`fk_contact`), @@ -361,7 +362,8 @@ CREATE TABLE `llx_actioncomm` ( KEY `idx_actioncomm_recurid` (`recurid`), KEY `idx_actioncomm_ref_ext` (`ref_ext`), KEY `idx_actioncomm_percent` (`percent`), - KEY `idx_actioncomm_ref` (`ref`,`entity`) + KEY `idx_actioncomm_ref` (`ref`,`entity`), + KEY `idx_actioncomm_entity` (`entity`) ) ENGINE=InnoDB AUTO_INCREMENT=804 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; @@ -371,7 +373,7 @@ CREATE TABLE `llx_actioncomm` ( LOCK TABLES `llx_actioncomm` WRITE; /*!40000 ALTER TABLE `llx_actioncomm` DISABLE KEYS */; -INSERT INTO `llx_actioncomm` VALUES (1,'1',NULL,1,'2012-07-08 14:21:44','2012-07-08 14:21:44',50,NULL,'Company AAA and Co added into Dolibarr','2012-07-08 14:21:44','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Company AAA and Co added into Dolibarr\nAuthor: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(2,'2',NULL,1,'2012-07-08 14:23:48','2012-07-08 14:23:48',50,NULL,'Company Belin SARL added into Dolibarr','2012-07-08 14:23:48','2021-04-15 10:22:55',1,NULL,NULL,2,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Company Belin SARL added into Dolibarr\nAuthor: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(3,'3',NULL,1,'2012-07-08 22:42:12','2012-07-08 22:42:12',50,NULL,'Company Spanish Comp added into Dolibarr','2012-07-08 22:42:12','2021-04-15 10:22:55',1,NULL,NULL,3,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Company Spanish Comp added into Dolibarr\nAuthor: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(4,'4',NULL,1,'2012-07-08 22:48:18','2012-07-08 22:48:18',50,NULL,'Company Prospector Vaalen added into Dolibarr','2012-07-08 22:48:18','2021-04-15 10:22:55',1,NULL,NULL,4,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Company Prospector Vaalen added into Dolibarr\nAuthor: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(5,'5',NULL,1,'2012-07-08 23:22:57','2012-07-08 23:22:57',50,NULL,'Company NoCountry Co added into Dolibarr','2012-07-08 23:22:57','2021-04-15 10:22:55',1,NULL,NULL,5,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Company NoCountry Co added into Dolibarr\nAuthor: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(6,'6',NULL,1,'2012-07-09 00:15:09','2012-07-09 00:15:09',50,NULL,'Company Swiss customer added into Dolibarr','2012-07-09 00:15:09','2021-04-15 10:22:55',1,NULL,NULL,6,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Company Swiss customer added into Dolibarr\nAuthor: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(7,'7',NULL,1,'2012-07-09 01:24:26','2012-07-09 01:24:26',50,NULL,'Company Generic customer added into Dolibarr','2012-07-09 01:24:26','2021-04-15 10:22:55',1,NULL,NULL,7,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Company Generic customer added into Dolibarr\nAuthor: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(8,'8',NULL,1,'2012-07-10 14:54:27','2012-07-10 14:54:27',50,NULL,'Société Client salon ajoutée dans Dolibarr','2012-07-10 14:54:27','2021-04-15 10:22:55',1,NULL,NULL,8,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Société Client salon ajoutée dans Dolibarr\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(9,'9',NULL,1,'2012-07-10 14:54:44','2012-07-10 14:54:44',50,NULL,'Société Client salon invidivdu ajoutée dans Doliba','2012-07-10 14:54:44','2021-04-15 10:22:55',1,NULL,NULL,9,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Société Client salon invidivdu ajoutée dans Dolibarr\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(10,'10',NULL,1,'2012-07-10 14:56:10','2012-07-10 14:56:10',50,NULL,'Facture FA1007-0001 validée dans Dolibarr','2012-07-10 14:56:10','2021-04-15 10:22:55',1,NULL,NULL,9,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Facture FA1007-0001 validée dans Dolibarr\nAuteur: admin',1,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(11,'11',NULL,1,'2012-07-10 14:58:53','2012-07-10 14:58:53',50,NULL,'Facture FA1007-0001 validée dans Dolibarr','2012-07-10 14:58:53','2021-04-15 10:22:55',1,NULL,NULL,9,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Facture FA1007-0001 validée dans Dolibarr\nAuteur: admin',1,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(12,'12',NULL,1,'2012-07-10 15:00:55','2012-07-10 15:00:55',50,NULL,'Facture FA1007-0001 passée à payée dans Dolibarr','2012-07-10 15:00:55','2021-04-15 10:22:55',1,NULL,NULL,9,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Facture FA1007-0001 passée à payée dans Dolibarr\nAuteur: admin',1,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(13,'13',NULL,1,'2012-07-10 15:13:08','2012-07-10 15:13:08',50,NULL,'Société Smith Vick ajoutée dans Dolibarr','2012-07-10 15:13:08','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Société Smith Vick ajoutée dans Dolibarr\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(14,'14',NULL,1,'2012-07-10 15:21:00','2012-07-10 16:21:00',5,NULL,'RDV avec mon chef','2012-07-10 15:21:48','2021-04-15 10:22:55',1,NULL,NULL,NULL,NULL,0,1,NULL,NULL,0,0,0,'',3600,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(15,'15',NULL,1,'2012-07-10 18:18:16','2012-07-10 18:18:16',50,NULL,'Contrat CONTRAT1 validé dans Dolibarr','2012-07-10 18:18:16','2021-04-15 10:22:55',1,NULL,NULL,2,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Contrat CONTRAT1 validé dans Dolibarr\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(16,'16',NULL,1,'2012-07-10 18:35:57','2012-07-10 18:35:57',50,NULL,'Société Mon client ajoutée dans Dolibarr','2012-07-10 18:35:57','2022-12-27 13:43:41',1,NULL,1,11,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Société Mon client ajoutée dans Dolibarr\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(17,'17',NULL,1,'2012-07-11 16:18:08','2012-07-11 16:18:08',50,NULL,'Société Dupont Alain ajoutée dans Dolibarr','2012-07-11 16:18:08','2021-04-15 10:22:55',1,NULL,NULL,12,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Société Dupont Alain ajoutée dans Dolibarr\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(18,'18',NULL,1,'2012-07-11 17:11:00','2012-07-11 17:17:00',5,NULL,'Rendez-vous','2012-07-11 17:11:22','2021-04-15 10:22:55',1,NULL,NULL,NULL,NULL,0,1,NULL,NULL,0,0,0,'gfgdfgdf',360,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(19,'19',NULL,1,'2012-07-11 17:13:20','2012-07-11 17:13:20',50,NULL,'Société Vendeur de chips ajoutée dans Dolibarr','2012-07-11 17:13:20','2021-04-15 10:22:55',1,NULL,NULL,13,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Société Vendeur de chips ajoutée dans Dolibarr\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(20,'20',NULL,1,'2012-07-11 17:15:42','2012-07-11 17:15:42',50,NULL,'Commande CF1007-0001 validée','2012-07-11 17:15:42','2021-04-15 10:22:55',1,NULL,NULL,13,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Commande CF1007-0001 validée\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(21,'21',NULL,1,'2012-07-11 18:47:33','2012-07-11 18:47:33',50,NULL,'Commande CF1007-0002 validée','2012-07-11 18:47:33','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Commande CF1007-0002 validée\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(22,'22',NULL,1,'2012-07-18 11:36:18','2012-07-18 11:36:18',50,NULL,'Proposition PR1007-0003 validée','2012-07-18 11:36:18','2021-04-15 10:22:55',1,NULL,NULL,4,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Proposition PR1007-0003 validée\nAuteur: admin',3,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(23,'23',NULL,1,'2013-07-18 20:49:58','2013-07-18 20:49:58',50,NULL,'Invoice FA1007-0002 validated in Dolibarr','2013-07-18 20:49:58','2021-04-15 10:22:55',1,NULL,NULL,2,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1007-0002 validated in Dolibarr\nAuthor: admin',2,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(24,'24',NULL,1,'2013-07-28 01:37:00',NULL,1,NULL,'Phone call','2013-07-28 01:37:48','2021-04-15 10:22:55',1,NULL,NULL,NULL,2,0,1,NULL,NULL,0,0,-1,'',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(25,'25',NULL,1,'2013-08-01 02:31:24','2013-08-01 02:31:24',50,NULL,'Company mmm added into Dolibarr','2013-08-01 02:31:24','2021-04-15 10:22:55',1,NULL,NULL,15,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Company mmm added into Dolibarr\nAuthor: admin',15,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(26,'26',NULL,1,'2013-08-01 02:31:43','2013-08-01 02:31:43',50,NULL,'Company ppp added into Dolibarr','2013-08-01 02:31:43','2021-04-15 10:22:55',1,NULL,NULL,16,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Company ppp added into Dolibarr\nAuthor: admin',16,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(27,'27',NULL,1,'2013-08-01 02:41:26','2013-08-01 02:41:26',50,NULL,'Company aaa added into Dolibarr','2013-08-01 02:41:26','2021-04-15 10:22:55',1,NULL,NULL,17,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Company aaa added into Dolibarr\nAuthor: admin',17,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(28,'28',NULL,1,'2013-08-01 03:34:11','2013-08-01 03:34:11',50,NULL,'Invoice FA1108-0003 validated in Dolibarr','2013-08-01 03:34:11','2021-04-15 10:22:55',1,NULL,NULL,7,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1108-0003 validated in Dolibarr\nAuthor: admin',5,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(29,'29',NULL,1,'2013-08-01 03:34:11','2013-08-01 03:34:11',50,NULL,'Invoice FA1108-0003 validated in Dolibarr','2013-08-01 03:34:11','2021-04-15 10:22:55',1,NULL,NULL,7,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1108-0003 changed to paid in Dolibarr\nAuthor: admin',5,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(30,'30',NULL,1,'2013-08-06 20:33:54','2013-08-06 20:33:54',50,NULL,'Invoice FA1108-0004 validated in Dolibarr','2013-08-06 20:33:54','2021-04-15 10:22:55',1,NULL,NULL,7,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1108-0004 validated in Dolibarr\nAuthor: admin',6,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(31,'31',NULL,1,'2013-08-06 20:33:54','2013-08-06 20:33:54',50,NULL,'Invoice FA1108-0004 validated in Dolibarr','2013-08-06 20:33:54','2021-04-15 10:22:55',1,NULL,NULL,7,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1108-0004 changed to paid in Dolibarr\nAuthor: admin',6,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(38,'38',NULL,1,'2013-08-08 02:41:55','2013-08-08 02:41:55',50,NULL,'Invoice FA1108-0005 validated in Dolibarr','2013-08-08 02:41:55','2021-04-15 10:22:55',1,NULL,NULL,2,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1108-0005 validated in Dolibarr\nAuthor: admin',8,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(40,'40',NULL,1,'2013-08-08 02:53:40','2013-08-08 02:53:40',50,NULL,'Invoice FA1108-0005 changed to paid in Dolibarr','2013-08-08 02:53:40','2021-04-15 10:22:55',1,NULL,NULL,2,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1108-0005 changed to paid in Dolibarr\nAuthor: admin',8,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(41,'41',NULL,1,'2013-08-08 02:54:05','2013-08-08 02:54:05',50,NULL,'Invoice FA1007-0002 changed to paid in Dolibarr','2013-08-08 02:54:05','2021-04-15 10:22:55',1,NULL,NULL,2,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1007-0002 changed to paid in Dolibarr\nAuthor: admin',2,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(42,'42',NULL,1,'2013-08-08 02:55:04','2013-08-08 02:55:04',50,NULL,'Invoice FA1107-0006 validated in Dolibarr','2013-08-08 02:55:04','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1107-0006 validated in Dolibarr\nAuthor: admin',3,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(43,'43',NULL,1,'2013-08-08 02:55:26','2013-08-08 02:55:26',50,NULL,'Invoice FA1108-0007 validated in Dolibarr','2013-08-08 02:55:26','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1108-0007 validated in Dolibarr\nAuthor: admin',9,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(44,'44',NULL,1,'2013-08-08 02:55:58','2013-08-08 02:55:58',50,NULL,'Invoice FA1107-0006 changed to paid in Dolibarr','2013-08-08 02:55:58','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1107-0006 changed to paid in Dolibarr\nAuthor: admin',3,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(45,'45',NULL,1,'2013-08-08 03:04:22','2013-08-08 03:04:22',50,NULL,'Order CO1108-0001 validated','2013-08-08 03:04:22','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Order CO1108-0001 validated\nAuthor: admin',5,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(46,'46',NULL,1,'2013-08-08 13:59:09','2013-08-08 13:59:09',50,NULL,'Order CO1107-0002 validated','2013-08-08 13:59:10','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Order CO1107-0002 validated\nAuthor: admin',1,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(47,'47',NULL,1,'2013-08-08 14:24:18','2013-08-08 14:24:18',50,NULL,'Proposal PR1007-0001 validated','2013-08-08 14:24:18','2021-04-15 10:22:55',1,NULL,NULL,2,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Proposal PR1007-0001 validated\nAuthor: admin',1,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(48,'48',NULL,1,'2013-08-08 14:24:24','2013-08-08 14:24:24',50,NULL,'Proposal PR1108-0004 validated','2013-08-08 14:24:24','2021-04-15 10:22:55',1,NULL,NULL,17,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Proposal PR1108-0004 validated\nAuthor: admin',4,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(49,'49',NULL,1,'2013-08-08 15:04:37','2013-08-08 15:04:37',50,NULL,'Order CF1108-0003 validated','2013-08-08 15:04:37','2021-04-15 10:22:55',1,NULL,NULL,17,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Order CF1108-0003 validated\nAuthor: admin',6,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(50,'50',NULL,1,'2014-12-08 17:56:47','2014-12-08 17:56:47',40,NULL,'Facture AV1212-0001 validée dans Dolibarr','2014-12-08 17:56:47','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture AV1212-0001 validée dans Dolibarr\nAuteur: admin',10,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(51,'51',NULL,1,'2014-12-08 17:57:11','2014-12-08 17:57:11',40,NULL,'Facture AV1212-0001 validée dans Dolibarr','2014-12-08 17:57:11','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture AV1212-0001 validée dans Dolibarr\nAuteur: admin',10,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(52,'52',NULL,1,'2014-12-08 17:58:27','2014-12-08 17:58:27',40,NULL,'Facture FA1212-0008 validée dans Dolibarr','2014-12-08 17:58:27','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1212-0008 validée dans Dolibarr\nAuteur: admin',11,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(53,'53',NULL,1,'2014-12-08 18:20:49','2014-12-08 18:20:49',40,NULL,'Facture AV1212-0002 validée dans Dolibarr','2014-12-08 18:20:49','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture AV1212-0002 validée dans Dolibarr\nAuteur: admin',12,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(54,'54',NULL,1,'2014-12-09 18:35:07','2014-12-09 18:35:07',40,NULL,'Facture AV1212-0002 passée à payée dans Dolibarr','2014-12-09 18:35:07','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture AV1212-0002 passée à payée dans Dolibarr\nAuteur: admin',12,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(55,'55',NULL,1,'2014-12-09 20:14:42','2014-12-09 20:14:42',40,NULL,'Société doe john ajoutée dans Dolibarr','2014-12-09 20:14:42','2021-04-15 10:22:55',1,NULL,NULL,18,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Société doe john ajoutée dans Dolibarr\nAuteur: admin',18,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(56,'56',NULL,1,'2014-12-12 18:54:19','2014-12-12 18:54:19',40,NULL,'Facture FA1212-0009 validée dans Dolibarr','2014-12-12 18:54:19','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1212-0009 validée dans Dolibarr\nAuteur: admin',55,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(121,'121',NULL,1,'2014-12-06 10:00:00',NULL,50,NULL,'aaab','2014-12-21 17:48:08','2021-04-15 10:22:55',3,1,NULL,NULL,NULL,0,3,NULL,NULL,1,0,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(122,'122',NULL,1,'2014-12-21 18:09:52','2014-12-21 18:09:52',40,NULL,'Facture client FA1007-0001 envoyée par EMail','2014-12-21 18:09:52','2021-04-15 10:22:55',1,NULL,NULL,9,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Mail envoyé par Firstname SuperAdminName à laurent@mycompany.fr.\nSujet du mail: Envoi facture FA1007-0001\nCorps du mail:\nVeuillez trouver ci-joint la facture FA1007-0001\r\n\r\nVous pouvez cliquer sur le lien sécurisé ci-dessous pour effectuer votre paiement via Paypal\r\n\r\nhttp://localhost/dolibarrnew/public/paypal/newpayment.php?source=invoice&ref=FA1007-0001&securekey=50c82fab36bb3b6aa83e2a50691803b2\r\n\r\nCordialement',1,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(123,'123',NULL,1,'2015-01-06 13:13:57','2015-01-06 13:13:57',40,NULL,'Facture 16 validée dans Dolibarr','2015-01-06 13:13:57','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture 16 validée dans Dolibarr\nAuteur: admin',16,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(124,'124',NULL,1,'2015-01-12 12:23:05','2015-01-12 12:23:05',40,NULL,'Patient aaa ajouté','2015-01-12 12:23:05','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Patient aaa ajouté\nAuteur: admin',19,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(125,'125',NULL,1,'2015-01-12 12:52:20','2015-01-12 12:52:20',40,NULL,'Patient pppoo ajouté','2015-01-12 12:52:20','2021-04-15 10:22:55',1,NULL,NULL,20,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Patient pppoo ajouté\nAuteur: admin',20,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(127,'127',NULL,1,'2015-01-19 18:22:48','2015-01-19 18:22:48',40,NULL,'Facture FS1301-0001 validée dans Dolibarr','2015-01-19 18:22:48','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FS1301-0001 validée dans Dolibarr\nAuteur: admin',148,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(128,'128',NULL,1,'2015-01-19 18:31:10','2015-01-19 18:31:10',40,NULL,'Facture FA6801-0010 validée dans Dolibarr','2015-01-19 18:31:10','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA6801-0010 validée dans Dolibarr\nAuteur: admin',150,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(129,'129',NULL,1,'2015-01-19 18:31:10','2015-01-19 18:31:10',40,NULL,'Facture FA6801-0010 passée à payée dans Dolibarr','2015-01-19 18:31:10','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA6801-0010 passée à payée dans Dolibarr\nAuteur: admin',150,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(130,'130',NULL,1,'2015-01-19 18:31:58','2015-01-19 18:31:58',40,NULL,'Facture FS1301-0002 validée dans Dolibarr','2015-01-19 18:31:58','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FS1301-0002 validée dans Dolibarr\nAuteur: admin',151,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(131,'131',NULL,1,'2015-01-19 18:31:58','2015-01-19 18:31:58',40,NULL,'Facture FS1301-0002 passée à payée dans Dolibarr','2015-01-19 18:31:58','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FS1301-0002 passée à payée dans Dolibarr\nAuteur: admin',151,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(132,'132',NULL,1,'2015-01-23 15:07:54','2015-01-23 15:07:54',50,NULL,'Consultation 24 saisie (aaa)','2015-01-23 15:07:54','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Consultation 24 saisie (aaa)\nAuteur: admin',24,'cabinetmed_cons',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(133,'133',NULL,1,'2015-01-23 16:56:58','2015-01-23 16:56:58',40,NULL,'Patient pa ajouté','2015-01-23 16:56:58','2021-04-15 10:22:55',1,NULL,NULL,21,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Patient pa ajouté\nAuteur: admin',21,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(134,'134',NULL,1,'2015-01-23 17:34:00',NULL,50,NULL,'bbcv','2015-01-23 17:35:21','2021-04-15 10:22:55',1,NULL,1,2,NULL,0,1,NULL,NULL,0,0,-1,'',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(135,'135',NULL,1,'2015-02-12 15:54:00','2015-02-12 15:54:00',40,NULL,'Facture FA1212-0011 validée dans Dolibarr','2015-02-12 15:54:37','2021-04-15 10:22:55',1,1,NULL,7,NULL,0,1,NULL,1,0,0,50,NULL,NULL,NULL,'Facture FA1212-0011 validée dans Dolibarr
      \r\nAuteur: admin',13,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(136,'136',NULL,1,'2015-02-12 17:06:51','2015-02-12 17:06:51',40,NULL,'Commande CO1107-0003 validée','2015-02-12 17:06:51','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Commande CO1107-0003 validée\nAuteur: admin',2,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(137,'137',NULL,1,'2015-02-17 16:22:10','2015-02-17 16:22:10',40,NULL,'Proposition PR1302-0009 validée','2015-02-17 16:22:10','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Proposition PR1302-0009 validée\nAuteur: admin',9,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(138,'138',NULL,1,'2015-02-17 16:27:00','2015-02-17 16:27:00',40,NULL,'Facture FA1302-0012 validée dans Dolibarr','2015-02-17 16:27:00','2021-04-15 10:22:55',1,NULL,NULL,18,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1302-0012 validée dans Dolibarr\nAuteur: admin',152,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(139,'139',NULL,1,'2015-02-17 16:27:29','2015-02-17 16:27:29',40,NULL,'Proposition PR1302-0010 validée','2015-02-17 16:27:29','2021-04-15 10:22:55',1,NULL,NULL,18,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Proposition PR1302-0010 validée\nAuteur: admin',11,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(140,'140',NULL,1,'2015-02-17 18:27:56','2015-02-17 18:27:56',40,NULL,'Commande CO1107-0004 validée','2015-02-17 18:27:56','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Commande CO1107-0004 validée\nAuteur: admin',3,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(141,'141',NULL,1,'2015-02-17 18:38:14','2015-02-17 18:38:14',40,NULL,'Commande CO1302-0005 validée','2015-02-17 18:38:14','2021-04-15 10:22:55',1,NULL,NULL,18,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Commande CO1302-0005 validée\nAuteur: admin',7,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(142,'142',NULL,1,'2015-02-26 22:57:50','2015-02-26 22:57:50',40,NULL,'Company pppp added into Dolibarr','2015-02-26 22:57:50','2021-04-15 10:22:55',1,NULL,NULL,22,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Company pppp added into Dolibarr\nAuthor: admin',22,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(143,'143',NULL,1,'2015-02-26 22:58:13','2015-02-26 22:58:13',40,NULL,'Company ttttt added into Dolibarr','2015-02-26 22:58:13','2021-04-15 10:22:55',1,NULL,NULL,23,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Company ttttt added into Dolibarr\nAuthor: admin',23,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(144,'144',NULL,1,'2015-02-27 10:00:00','2015-02-27 19:20:00',5,NULL,'Rendez-vous','2015-02-27 19:20:53','2021-04-15 10:22:55',1,NULL,NULL,NULL,NULL,0,1,NULL,1,0,0,-1,'',33600,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(145,'145',NULL,1,'2015-02-27 19:28:00',NULL,2,NULL,'fdsfsd','2015-02-27 19:28:48','2021-04-15 10:22:55',1,1,NULL,NULL,NULL,0,1,NULL,1,0,0,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(146,'146',NULL,1,'2015-03-06 10:05:07','2015-03-06 10:05:07',40,NULL,'Contrat (PROV3) validé dans Dolibarr','2015-03-06 10:05:07','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Contrat (PROV3) validé dans Dolibarr\nAuteur: admin',3,'contract',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(147,'147',NULL,1,'2015-03-06 16:43:37','2015-03-06 16:43:37',40,NULL,'Facture FA1307-0013 validée dans Dolibarr','2015-03-06 16:43:37','2021-04-15 10:22:55',1,NULL,NULL,12,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1307-0013 validée dans Dolibarr\nAuteur: admin',158,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(148,'148',NULL,1,'2015-03-06 16:44:12','2015-03-06 16:44:12',40,NULL,'Facture FA1407-0014 validée dans Dolibarr','2015-03-06 16:44:12','2021-04-15 10:22:55',1,NULL,NULL,12,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1407-0014 validée dans Dolibarr\nAuteur: admin',159,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(149,'149',NULL,1,'2015-03-06 16:47:48','2015-03-06 16:47:48',40,NULL,'Facture FA1507-0015 validée dans Dolibarr','2015-03-06 16:47:48','2021-04-15 10:22:55',1,NULL,NULL,12,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1507-0015 validée dans Dolibarr\nAuteur: admin',160,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(150,'150',NULL,1,'2015-03-06 16:48:16','2015-03-06 16:48:16',40,NULL,'Facture FA1607-0016 validée dans Dolibarr','2015-03-06 16:48:16','2021-04-15 10:22:55',1,NULL,NULL,12,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1607-0016 validée dans Dolibarr\nAuteur: admin',161,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(151,'151',NULL,1,'2015-03-06 17:13:59','2015-03-06 17:13:59',40,NULL,'Société smith smith ajoutée dans Dolibarr','2015-03-06 17:13:59','2021-04-15 10:22:55',1,NULL,NULL,24,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Société smith smith ajoutée dans Dolibarr\nAuteur: admin',24,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(152,'152',NULL,1,'2015-03-08 10:02:22','2015-03-08 10:02:22',40,NULL,'Proposition (PROV12) validée dans Dolibarr','2015-03-08 10:02:22','2021-04-15 10:22:55',1,NULL,NULL,23,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Proposition (PROV12) validée dans Dolibarr\nAuteur: admin',12,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(203,'203',NULL,1,'2015-03-09 19:39:27','2015-03-09 19:39:27',40,'AC_ORDER_SUPPLIER_VALIDATE','Commande CF1303-0004 validée','2015-03-09 19:39:27','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Commande CF1303-0004 validée\nAuteur: admin',13,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(204,'204',NULL,1,'2015-03-10 15:47:37','2015-03-10 15:47:37',40,'AC_COMPANY_CREATE','Patient créé','2015-03-10 15:47:37','2021-04-15 10:22:55',1,NULL,NULL,25,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Patient créé\nAuteur: admin',25,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(205,'205',NULL,1,'2015-03-10 15:57:32','2015-03-10 15:57:32',40,'AC_COMPANY_CREATE','Tiers créé','2015-03-10 15:57:32','2021-04-15 10:22:55',1,NULL,NULL,26,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Tiers créé\nAuteur: admin',26,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(206,'206',NULL,1,'2015-03-10 15:58:28','2015-03-10 15:58:28',40,'AC_BILL_VALIDATE','Facture FA1303-0017 validée','2015-03-10 15:58:28','2021-04-15 10:22:55',1,NULL,NULL,26,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1303-0017 validée\nAuteur: admin',208,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(207,'207',NULL,1,'2015-03-19 09:38:10','2015-03-19 09:38:10',40,'AC_BILL_VALIDATE','Facture FA1303-0018 validée','2015-03-19 09:38:10','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1303-0018 validée\nAuteur: admin',209,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(208,'208',NULL,1,'2015-03-20 14:30:11','2015-03-20 14:30:11',40,'AC_BILL_VALIDATE','Facture FA1107-0019 validée','2015-03-20 14:30:11','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1107-0019 validée\nAuteur: admin',210,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(209,'209',NULL,1,'2015-03-22 09:40:25','2015-03-22 09:40:25',40,'AC_BILL_VALIDATE','Facture FA1303-0020 validée','2015-03-22 09:40:25','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1303-0020 validée\nAuteur: admin',211,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(210,'210',NULL,1,'2015-03-23 17:16:25','2015-03-23 17:16:25',40,'AC_BILL_VALIDATE','Facture FA1303-0020 validée','2015-03-23 17:16:25','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1303-0020 validée\nAuteur: admin',211,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(211,'211',NULL,1,'2015-03-23 18:08:27','2015-03-23 18:08:27',40,'AC_BILL_VALIDATE','Facture FA1307-0013 validée','2015-03-23 18:08:27','2021-04-15 10:22:55',1,NULL,NULL,12,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1307-0013 validée\nAuteur: admin',158,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(212,'212',NULL,1,'2015-03-24 15:54:00','2015-03-24 15:54:00',40,'AC_BILL_VALIDATE','Facture FA1212-0021 validée','2015-03-24 15:54:00','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1212-0021 validée\nAuteur: admin',32,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(213,'213',NULL,1,'2015-11-07 01:02:39','2015-11-07 01:02:39',40,'AC_COMPANY_CREATE','Third party created','2015-11-07 01:02:39','2021-04-15 10:22:55',1,NULL,NULL,27,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Third party created\nAuthor: admin',27,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(214,'214',NULL,1,'2015-11-07 01:05:22','2015-11-07 01:05:22',40,'AC_COMPANY_CREATE','Third party created','2015-11-07 01:05:22','2021-04-15 10:22:55',1,NULL,NULL,28,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Third party created\nAuthor: admin',28,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(215,'215',NULL,1,'2015-11-07 01:07:07','2015-11-07 01:07:07',40,'AC_COMPANY_CREATE','Third party created','2015-11-07 01:07:07','2021-04-15 10:22:55',1,NULL,NULL,29,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Third party created\nAuthor: admin',29,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(216,'216',NULL,1,'2015-11-07 01:07:58','2015-11-07 01:07:58',40,'AC_COMPANY_CREATE','Third party created','2015-11-07 01:07:58','2021-04-15 10:22:55',1,NULL,NULL,30,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Third party created\nAuthor: admin',30,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(217,'217',NULL,1,'2015-11-07 01:10:09','2015-11-07 01:10:09',40,'AC_COMPANY_CREATE','Third party created','2015-11-07 01:10:09','2021-04-15 10:22:55',1,NULL,NULL,31,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Third party created\nAuthor: admin',31,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(218,'218',NULL,1,'2015-11-07 01:15:57','2015-11-07 01:15:57',40,'AC_COMPANY_CREATE','Third party created','2015-11-07 01:15:57','2021-04-15 10:22:55',1,NULL,NULL,32,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Third party created\nAuthor: admin',32,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(219,'219',NULL,1,'2015-11-07 01:16:51','2015-11-07 01:16:51',40,'AC_COMPANY_CREATE','Third party created','2015-11-07 01:16:51','2021-04-15 10:22:55',1,NULL,NULL,33,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Third party created\nAuthor: admin',33,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(220,'220',NULL,1,'2016-03-02 17:24:04','2016-03-02 17:24:04',40,'AC_BILL_VALIDATE','Invoice FA1302-0022 validated','2016-03-02 17:24:04','2021-04-15 10:22:55',1,NULL,NULL,18,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice FA1302-0022 validated\nAuthor: admin',157,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(221,'221',NULL,1,'2016-03-02 17:24:28','2016-03-02 17:24:28',40,'AC_BILL_VALIDATE','Invoice FA1303-0020 validated','2016-03-02 17:24:28','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice FA1303-0020 validated\nAuthor: admin',211,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(222,'222',NULL,1,'2016-03-05 10:00:00','2016-03-05 10:00:00',5,NULL,'RDV John','2016-03-02 19:54:48','2021-04-15 10:22:55',1,1,NULL,NULL,NULL,0,1,0,NULL,0,0,-1,NULL,NULL,NULL,'gfdgdfgdf',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(223,'223',NULL,1,'2016-03-13 10:00:00','2016-03-17 00:00:00',50,NULL,'Congress','2016-03-02 19:55:11','2021-04-15 10:22:55',1,NULL,NULL,NULL,NULL,0,1,0,NULL,0,0,-1,'',309600,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(224,'224',NULL,1,'2016-03-14 10:00:00',NULL,1,NULL,'Call john','2016-03-02 19:55:56','2021-04-15 10:22:55',1,NULL,NULL,NULL,NULL,0,1,0,NULL,0,0,0,'',NULL,NULL,'tttt',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(225,'225',NULL,1,'2016-03-02 20:11:31','2016-03-02 20:11:31',40,'AC_BILL_UNVALIDATE','Invoice FA1303-0020 go back to draft status','2016-03-02 20:11:31','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice FA1303-0020 go back to draft status\nAuthor: admin',211,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(226,'226',NULL,1,'2016-03-02 20:13:39','2016-03-02 20:13:39',40,'AC_BILL_VALIDATE','Invoice FA1303-0020 validated','2016-03-02 20:13:39','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice FA1303-0020 validated\nAuthor: admin',211,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(227,'227',NULL,1,'2016-03-03 19:20:10','2016-03-03 19:20:10',40,'AC_BILL_VALIDATE','Invoice FA1212-0023 validated','2016-03-03 19:20:10','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice FA1212-0023 validated\nAuthor: admin',33,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(228,'228',NULL,1,'2016-03-03 19:20:25','2016-03-03 19:20:25',40,'AC_BILL_CANCEL','Invoice FA1212-0023 canceled in Dolibarr','2016-03-03 19:20:25','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice FA1212-0023 canceled in Dolibarr\nAuthor: admin',33,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(229,'229',NULL,1,'2016-03-03 19:20:56','2016-03-03 19:20:56',40,'AC_BILL_VALIDATE','Invoice AV1403-0003 validated','2016-03-03 19:20:56','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice AV1403-0003 validated\nAuthor: admin',212,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(230,'230',NULL,1,'2016-03-03 19:21:29','2016-03-03 19:21:29',40,'AC_BILL_UNVALIDATE','Invoice AV1403-0003 go back to draft status','2016-03-03 19:21:29','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice AV1403-0003 go back to draft status\nAuthor: admin',212,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(231,'231',NULL,1,'2016-03-03 19:22:16','2016-03-03 19:22:16',40,'AC_BILL_VALIDATE','Invoice AV1303-0003 validated','2016-03-03 19:22:16','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice AV1303-0003 validated\nAuthor: admin',213,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(232,'232',NULL,1,'2018-01-22 18:54:39','2018-01-22 18:54:39',40,'AC_OTH_AUTO','Invoice 16 validated','2018-01-22 18:54:39','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Invoice 16 validated\nAuthor: admin',16,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(233,'233',NULL,1,'2018-01-22 18:54:46','2018-01-22 18:54:46',40,'AC_OTH_AUTO','Invoice 16 validated','2018-01-22 18:54:46','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Invoice 16 validated\nAuthor: admin',16,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(234,'234',NULL,1,'2018-07-05 10:00:00','2018-07-05 11:19:00',5,'AC_RDV','Meeting with my boss','2018-07-31 18:19:48','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,1,NULL,0,0,-1,'',4740,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(235,'235',NULL,1,'2018-07-13 00:00:00','2018-07-14 23:59:59',50,'AC_OTH','Trip at Las Vegas','2018-07-31 18:20:36','2021-04-15 10:22:55',12,NULL,4,NULL,2,0,12,1,NULL,0,1,-1,'',172799,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(236,'236',NULL,1,'2018-07-29 10:00:00',NULL,4,'AC_EMAIL','Remind to send an email','2018-07-31 18:21:04','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,4,0,NULL,0,0,-1,'',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(237,'237',NULL,1,'2018-07-01 10:00:00',NULL,1,'AC_TEL','Phone call with Mr Vaalen','2018-07-31 18:22:04','2021-04-15 10:22:55',12,NULL,6,4,NULL,0,13,0,NULL,0,0,-1,'',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(238,'238',NULL,1,'2018-08-02 10:00:00','2018-08-02 12:00:00',5,'AC_RDV','Meeting on radium','2018-08-01 01:15:50','2021-04-15 10:22:55',12,NULL,8,10,10,0,12,1,NULL,0,0,-1,'',7200,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(239,'239',NULL,1,'2017-01-29 21:49:33','2017-01-29 21:49:33',40,'AC_OTH_AUTO','Proposal PR1302-0007 validated','2017-01-29 21:49:33','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1302-0007 validated\nAuthor: admin',7,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(240,'240',NULL,1,'2017-01-31 20:52:00',NULL,1,'AC_TEL','Call the boss','2017-01-31 20:52:10','2021-04-15 10:22:55',12,12,6,NULL,NULL,0,12,1,NULL,0,0,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(242,'242',NULL,1,'2017-02-01 18:52:04','2017-02-01 18:52:04',40,'AC_OTH_AUTO','Order CF1007-0001 validated','2017-02-01 18:52:04','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CF1007-0001 validated\nAuthor: admin',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(243,'243',NULL,1,'2017-02-01 18:52:04','2017-02-01 18:52:04',40,'AC_OTH_AUTO','Order CF1007-0001 approved','2017-02-01 18:52:04','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CF1007-0001 approved\nAuthor: admin',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(245,'245',NULL,1,'2017-02-01 18:52:32','2017-02-01 18:52:32',40,'AC_OTH_AUTO','Supplier order CF1007-0001 submited','2017-02-01 18:52:32','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Supplier order CF1007-0001 submited\nAuthor: admin',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(249,'249',NULL,1,'2017-02-01 18:54:01','2017-02-01 18:54:01',40,'AC_OTH_AUTO','Supplier order CF1007-0001 received','2017-02-01 18:54:01','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Supplier order CF1007-0001 received \nAuthor: admin',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(250,'250',NULL,1,'2017-02-01 18:54:42','2017-02-01 18:54:42',40,'AC_OTH_AUTO','Email sent by MyBigCompany To mycustomer@example.com','2017-02-01 18:54:42','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Sender: MyBigCompany <myemail@mybigcompany.com>
      \nReceiver(s): mycustomer@example.com
      \nEMail topic: Submission of order CF1007-0001
      \nEmail body:
      \nYou will find here our order CF1007-0001
      \r\n
      \r\nSincerely
      \n
      \nAttached files and documents: CF1007-0001.pdf',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(251,'251',NULL,1,'2017-02-01 19:02:21','2017-02-01 19:02:21',40,'AC_OTH_AUTO','Invoice SI1702-0001 validated','2017-02-01 19:02:21','2021-04-15 10:22:55',12,NULL,5,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Invoice SI1702-0001 validated\nAuthor: admin',20,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(252,'252',NULL,1,'2017-02-12 23:17:04','2017-02-12 23:17:04',40,'AC_OTH_AUTO','Patient créé','2017-02-12 23:17:04','2021-04-15 10:22:55',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Patient créé\nAuthor: admin',26,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(253,'253',NULL,1,'2017-02-12 23:18:33','2017-02-12 23:18:33',40,'AC_OTH_AUTO','Consultation 2 recorded (aaa)','2017-02-12 23:18:33','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Consultation 2 recorded (aaa)\nAuthor: admin',2,'cabinetmed_cons',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(254,'254',NULL,1,'2017-02-15 23:28:41','2017-02-15 23:28:41',40,'AC_OTH_AUTO','Order CO7001-0005 validated','2017-02-15 23:28:41','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0005 validated\nAuthor: admin',7,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(255,'255',NULL,1,'2017-02-15 23:28:56','2017-02-15 23:28:56',40,'AC_OTH_AUTO','Order CO7001-0006 validated','2017-02-15 23:28:56','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0006 validated\nAuthor: admin',8,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(256,'256',NULL,1,'2017-02-15 23:34:33','2017-02-15 23:34:33',40,'AC_OTH_AUTO','Order CO7001-0007 validated','2017-02-15 23:34:33','2021-04-15 10:22:55',12,NULL,NULL,3,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0007 validated\nAuthor: admin',9,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(257,'257',NULL,1,'2017-02-15 23:35:03','2017-02-15 23:35:03',40,'AC_OTH_AUTO','Order CO7001-0008 validated','2017-02-15 23:35:03','2021-04-15 10:22:55',12,NULL,NULL,3,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0008 validated\nAuthor: admin',10,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(263,'263',NULL,1,'2017-02-15 23:50:34','2017-02-15 23:50:34',40,'AC_OTH_AUTO','Order CO7001-0005 validated','2017-02-15 23:50:34','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0005 validated\nAuthor: admin',17,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(264,'264',NULL,1,'2017-02-15 23:51:23','2017-02-15 23:51:23',40,'AC_OTH_AUTO','Order CO7001-0006 validated','2017-02-15 23:51:23','2021-04-15 10:22:55',12,NULL,NULL,7,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0006 validated\nAuthor: admin',18,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(265,'265',NULL,1,'2017-02-15 23:54:51','2017-02-15 23:54:51',40,'AC_OTH_AUTO','Order CO7001-0007 validated','2017-02-15 23:54:51','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0007 validated\nAuthor: admin',19,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(266,'266',NULL,1,'2017-02-15 23:55:52','2017-02-15 23:55:52',40,'AC_OTH_AUTO','Order CO7001-0007 validated','2017-02-15 23:55:52','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0007 validated\nAuthor: admin',20,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(267,'267',NULL,1,'2017-02-16 00:03:44','2017-02-16 00:03:44',40,'AC_OTH_AUTO','Order CO7001-0008 validated','2017-02-16 00:03:44','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0008 validated\nAuthor: admin',29,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(268,'268',NULL,1,'2017-02-16 00:05:01','2017-02-16 00:05:01',40,'AC_OTH_AUTO','Order CO7001-0009 validated','2017-02-16 00:05:01','2021-04-15 10:22:55',12,NULL,NULL,11,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0009 validated\nAuthor: admin',34,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(269,'269',NULL,1,'2017-02-16 00:05:01','2017-02-16 00:05:01',40,'AC_OTH_AUTO','Order CO7001-0010 validated','2017-02-16 00:05:01','2021-04-15 10:22:55',12,NULL,NULL,3,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0010 validated\nAuthor: admin',38,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(270,'270',NULL,1,'2017-02-16 00:05:11','2017-02-16 00:05:11',40,'AC_OTH_AUTO','Order CO7001-0011 validated','2017-02-16 00:05:11','2021-04-15 10:22:55',12,NULL,NULL,11,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0011 validated\nAuthor: admin',40,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(271,'271',NULL,1,'2017-02-16 00:05:11','2017-02-16 00:05:11',40,'AC_OTH_AUTO','Order CO7001-0012 validated','2017-02-16 00:05:11','2021-04-15 10:22:55',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0012 validated\nAuthor: admin',43,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(272,'272',NULL,1,'2017-02-16 00:05:11','2017-02-16 00:05:11',40,'AC_OTH_AUTO','Order CO7001-0013 validated','2017-02-16 00:05:11','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0013 validated\nAuthor: admin',47,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(273,'273',NULL,1,'2017-02-16 00:05:11','2017-02-16 00:05:11',40,'AC_OTH_AUTO','Order CO7001-0014 validated','2017-02-16 00:05:11','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0014 validated\nAuthor: admin',48,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(274,'274',NULL,1,'2017-02-16 00:05:26','2017-02-16 00:05:26',40,'AC_OTH_AUTO','Order CO7001-0015 validated','2017-02-16 00:05:26','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0015 validated\nAuthor: admin',50,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(275,'275',NULL,1,'2017-02-16 00:05:26','2017-02-16 00:05:26',40,'AC_OTH_AUTO','Order CO7001-0016 validated','2017-02-16 00:05:26','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0016 validated\nAuthor: admin',54,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(277,'277',NULL,1,'2017-02-16 00:05:35','2017-02-16 00:05:35',40,'AC_OTH_AUTO','Order CO7001-0018 validated','2017-02-16 00:05:35','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0018 validated\nAuthor: admin',62,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(278,'278',NULL,1,'2017-02-16 00:05:35','2017-02-16 00:05:35',40,'AC_OTH_AUTO','Order CO7001-0019 validated','2017-02-16 00:05:35','2021-04-15 10:22:55',12,NULL,NULL,3,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0019 validated\nAuthor: admin',68,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(279,'279',NULL,1,'2017-02-16 00:05:36','2017-02-16 00:05:36',40,'AC_OTH_AUTO','Order CO7001-0020 validated','2017-02-16 00:05:36','2021-04-15 10:22:55',12,NULL,NULL,6,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0020 validated\nAuthor: admin',72,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(281,'281',NULL,1,'2017-02-16 00:05:37','2017-02-16 00:05:37',40,'AC_OTH_AUTO','Order CO7001-0022 validated','2017-02-16 00:05:37','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0022 validated\nAuthor: admin',78,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(282,'282',NULL,1,'2017-02-16 00:05:38','2017-02-16 00:05:38',40,'AC_OTH_AUTO','Order CO7001-0023 validated','2017-02-16 00:05:38','2021-04-15 10:22:55',12,NULL,NULL,11,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0023 validated\nAuthor: admin',81,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(283,'283',NULL,1,'2017-02-16 00:05:38','2017-02-16 00:05:38',40,'AC_OTH_AUTO','Order CO7001-0024 validated','2017-02-16 00:05:38','2021-04-15 10:22:55',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0024 validated\nAuthor: admin',83,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(284,'284',NULL,1,'2017-02-16 00:05:38','2017-02-16 00:05:38',40,'AC_OTH_AUTO','Order CO7001-0025 validated','2017-02-16 00:05:38','2021-04-15 10:22:55',12,NULL,NULL,2,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0025 validated\nAuthor: admin',84,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(285,'285',NULL,1,'2017-02-16 00:05:38','2017-02-16 00:05:38',40,'AC_OTH_AUTO','Order CO7001-0026 validated','2017-02-16 00:05:38','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0026 validated\nAuthor: admin',85,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(286,'286',NULL,1,'2017-02-16 00:05:38','2017-02-16 00:05:38',40,'AC_OTH_AUTO','Order CO7001-0027 validated','2017-02-16 00:05:38','2021-04-15 10:22:55',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0027 validated\nAuthor: admin',88,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(287,'287',NULL,1,'2017-02-16 03:05:56','2017-02-16 03:05:56',40,'AC_OTH_AUTO','Commande CO7001-0016 classée Livrée','2017-02-16 03:05:56','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Commande CO7001-0016 classée Livrée\nAuteur: admin',54,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(288,'288',NULL,1,'2017-02-16 03:06:01','2017-02-16 03:06:01',40,'AC_OTH_AUTO','Commande CO7001-0016 classée Facturée','2017-02-16 03:06:01','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Commande CO7001-0016 classée Facturée\nAuteur: admin',54,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(294,'294',NULL,1,'2017-02-16 03:53:04','2017-02-16 03:53:04',40,'AC_OTH_AUTO','Commande CO7001-0021 validée','2017-02-16 03:53:04','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Commande CO7001-0021 validée\nAuteur: admin',75,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(295,'295',NULL,1,'2017-02-16 03:58:08','2017-02-16 03:58:08',40,'AC_OTH_AUTO','Expédition SH1702-0002 validée','2017-02-16 03:58:08','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Expédition SH1702-0002 validée\nAuteur: admin',3,'shipping',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(296,'296',NULL,1,'2017-02-16 04:12:29','2017-02-16 04:12:29',40,'AC_OTH_AUTO','Commande CO7001-0021 validée','2017-02-16 04:12:29','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Commande CO7001-0021 validée\nAuteur: admin',75,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(297,'297',NULL,1,'2017-02-16 04:14:20','2017-02-16 04:14:20',40,'AC_OTH_AUTO','Commande CO7001-0021 validée','2017-02-16 04:14:20','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Commande CO7001-0021 validée\nAuteur: admin',75,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(298,'298',NULL,1,'2017-02-16 01:44:58','2017-02-16 01:44:58',40,'AC_OTH_AUTO','Proposal PR1702-0009 validated','2017-02-16 01:44:58','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0009 validated\nAuthor: aeinstein',11,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(299,'299',NULL,1,'2017-02-16 01:45:44','2017-02-16 01:45:44',40,'AC_OTH_AUTO','Proposal PR1702-0010 validated','2017-02-16 01:45:44','2021-04-15 10:22:55',2,NULL,NULL,7,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0010 validated\nAuthor: demo',12,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(300,'300',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0011 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',1,NULL,NULL,26,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0011 validated\nAuthor: aeinstein',13,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(301,'301',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0012 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',2,NULL,NULL,3,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0012 validated\nAuthor: demo',14,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(302,'302',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0013 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',2,NULL,NULL,26,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0013 validated\nAuthor: demo',15,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(303,'303',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0014 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',2,NULL,NULL,1,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0014 validated\nAuthor: demo',16,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(304,'304',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0015 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0015 validated\nAuthor: aeinstein',17,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(305,'305',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0016 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',2,NULL,NULL,26,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0016 validated\nAuthor: demo',18,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(306,'306',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0017 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',2,NULL,NULL,12,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0017 validated\nAuthor: demo',19,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(307,'307',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0018 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',1,NULL,NULL,26,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0018 validated\nAuthor: aeinstein',20,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(308,'308',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0019 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0019 validated\nAuthor: aeinstein',21,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(309,'309',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0020 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',1,NULL,NULL,26,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0020 validated\nAuthor: aeinstein',22,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(310,'310',NULL,1,'2017-02-16 01:46:17','2017-02-16 01:46:17',40,'AC_OTH_AUTO','Proposal PR1702-0021 validated','2017-02-16 01:46:17','2021-04-15 10:22:55',2,NULL,NULL,12,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0021 validated\nAuthor: demo',23,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(311,'311',NULL,1,'2017-02-16 01:46:17','2017-02-16 01:46:17',40,'AC_OTH_AUTO','Proposal PR1702-0022 validated','2017-02-16 01:46:17','2021-04-15 10:22:55',2,NULL,NULL,7,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0022 validated\nAuthor: demo',24,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(312,'312',NULL,1,'2017-02-16 01:46:17','2017-02-16 01:46:17',40,'AC_OTH_AUTO','Proposal PR1702-0023 validated','2017-02-16 01:46:17','2021-04-15 10:22:55',1,NULL,NULL,3,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0023 validated\nAuthor: aeinstein',25,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(313,'313',NULL,1,'2017-02-16 01:46:18','2017-02-16 01:46:18',40,'AC_OTH_AUTO','Proposal PR1702-0024 validated','2017-02-16 01:46:18','2021-04-15 10:22:55',2,NULL,NULL,1,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0024 validated\nAuthor: demo',26,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(314,'314',NULL,1,'2017-02-16 01:46:18','2017-02-16 01:46:18',40,'AC_OTH_AUTO','Proposal PR1702-0025 validated','2017-02-16 01:46:18','2021-04-15 10:22:55',1,NULL,NULL,6,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0025 validated\nAuthor: aeinstein',27,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(315,'315',NULL,1,'2017-02-16 01:46:18','2017-02-16 01:46:18',40,'AC_OTH_AUTO','Proposal PR1702-0026 validated','2017-02-16 01:46:18','2021-04-15 10:22:55',2,NULL,NULL,19,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0026 validated\nAuthor: demo',28,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(316,'316',NULL,1,'2017-02-16 01:46:18','2017-02-16 01:46:18',40,'AC_OTH_AUTO','Proposal PR1702-0027 validated','2017-02-16 01:46:18','2021-04-15 10:22:55',2,NULL,NULL,1,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0027 validated\nAuthor: demo',29,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(317,'317',NULL,1,'2017-02-16 01:46:18','2017-02-16 01:46:18',40,'AC_OTH_AUTO','Proposal PR1702-0028 validated','2017-02-16 01:46:18','2021-04-15 10:22:55',2,NULL,NULL,1,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0028 validated\nAuthor: demo',30,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(318,'318',NULL,1,'2017-02-16 01:46:18','2017-02-16 01:46:18',40,'AC_OTH_AUTO','Proposal PR1702-0029 validated','2017-02-16 01:46:18','2021-04-15 10:22:55',1,NULL,NULL,11,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0029 validated\nAuthor: aeinstein',31,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(319,'319',NULL,1,'2017-02-16 01:46:18','2017-02-16 01:46:18',40,'AC_OTH_AUTO','Proposal PR1702-0030 validated','2017-02-16 01:46:18','2021-04-15 10:22:55',2,NULL,NULL,19,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0030 validated\nAuthor: demo',32,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(320,'320',NULL,1,'2017-02-16 04:46:31','2017-02-16 04:46:31',40,'AC_OTH_AUTO','Proposition PR1702-0026 signée','2017-02-16 04:46:31','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposition PR1702-0026 signée\nAuteur: admin',28,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(321,'321',NULL,1,'2017-02-16 04:46:37','2017-02-16 04:46:37',40,'AC_OTH_AUTO','Proposition PR1702-0027 signée','2017-02-16 04:46:37','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposition PR1702-0027 signée\nAuteur: admin',29,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(322,'322',NULL,1,'2017-02-16 04:46:42','2017-02-16 04:46:42',40,'AC_OTH_AUTO','Proposition PR1702-0028 refusée','2017-02-16 04:46:42','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposition PR1702-0028 refusée\nAuteur: admin',30,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(323,'323',NULL,1,'2017-02-16 04:47:09','2017-02-16 04:47:09',40,'AC_OTH_AUTO','Proposition PR1702-0019 validée','2017-02-16 04:47:09','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposition PR1702-0019 validée\nAuteur: admin',21,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(324,'324',NULL,1,'2017-02-16 04:47:25','2017-02-16 04:47:25',40,'AC_OTH_AUTO','Proposition PR1702-0023 signée','2017-02-16 04:47:25','2021-04-15 10:22:55',12,NULL,NULL,3,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposition PR1702-0023 signée\nAuteur: admin',25,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(325,'325',NULL,1,'2017-02-16 04:47:29','2017-02-16 04:47:29',40,'AC_OTH_AUTO','Proposition PR1702-0023 classée payée','2017-02-16 04:47:29','2021-04-15 10:22:55',12,NULL,NULL,3,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposition PR1702-0023 classée payée\nAuteur: admin',25,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(326,'326',NULL,1,'2017-02-17 16:07:18','2017-02-17 16:07:18',40,'AC_OTH_AUTO','Proposition PR1702-0021 validée','2017-02-17 16:07:18','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposition PR1702-0021 validée\nAuteur: admin',23,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(327,'327',NULL,1,'2017-05-12 13:53:44','2017-05-12 13:53:44',40,'AC_OTH_AUTO','Email sent by MyBigCompany To Einstein','2017-05-12 13:53:44','2021-04-15 10:22:55',12,NULL,NULL,11,12,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Sender: MyBigCompany <myemail@mybigcompany.com>
      \nReceiver(s): Einstein <genius@example.com>
      \nBcc: Einstein <genius@example.com>
      \nEMail topic: Test
      \nEmail body:
      \nTest\nAuthor: admin',11,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(328,'328',NULL,1,'2017-08-29 22:39:09','2017-08-29 22:39:09',40,'AC_OTH_AUTO','Invoice FA1601-0024 validated','2017-08-29 22:39:09','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Invoice FA1601-0024 validated\nAuthor: admin',149,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(329,'329',NULL,1,'2019-09-26 13:38:11','2019-09-26 13:38:11',40,'AC_MEMBER_MODIFY','Member Pierre Curie modified','2019-09-26 13:38:11','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember Pierre Curie modified\nMember: Pierre Curie\nType: Standard members',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(330,'330',NULL,1,'2019-09-26 13:49:21','2019-09-26 13:49:21',40,'AC_MEMBER_MODIFY','Member Pierre Curie modified','2019-09-26 13:49:21','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember Pierre Curie modified\nMember: Pierre Curie\nType: Standard members',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(331,'331',NULL,1,'2019-09-26 17:33:37','2019-09-26 17:33:37',40,'AC_BILL_VALIDATE','Invoice FA1909-0025 validated','2019-09-26 17:33:37','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1909-0025 validated',218,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(333,'333',NULL,1,'2019-09-27 16:54:30','2019-09-27 16:54:30',40,'AC_PROPAL_VALIDATE','Proposal PR1909-0031 validated','2019-09-27 16:54:30','2021-04-15 10:22:55',12,NULL,4,7,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1909-0031 validated',10,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(335,'335',NULL,1,'2019-09-27 17:08:59','2019-09-27 17:08:59',40,'AC_PROPAL_VALIDATE','Proposal PR1909-0032 validated','2019-09-27 17:08:59','2021-04-15 10:22:55',12,NULL,6,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1909-0032 validated',33,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(337,'337',NULL,1,'2019-09-27 17:13:13','2019-09-27 17:13:13',40,'AC_PROPAL_VALIDATE','Proposal PR1909-0033 validated','2019-09-27 17:13:13','2021-04-15 10:22:55',12,NULL,6,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1909-0033 validated',34,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(338,'338',NULL,1,'2019-09-27 17:53:31','2019-09-27 17:53:31',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-09-27 17:53:31','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(339,'339',NULL,1,'2019-09-27 18:15:00','2019-09-27 18:15:00',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-09-27 18:15:00','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(340,'340',NULL,1,'2019-09-27 18:40:32','2019-09-27 18:40:32',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-09-27 18:40:32','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(341,'341',NULL,1,'2019-09-27 19:16:07','2019-09-27 19:16:07',40,'AC_PRODUCT_CREATE','Product ppp created','2019-09-27 19:16:07','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ppp created',14,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(342,'342',NULL,1,'2019-09-27 19:18:01','2019-09-27 19:18:01',40,'AC_PRODUCT_MODIFY','Product ppp modified','2019-09-27 19:18:01','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ppp modified',14,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(343,'343',NULL,1,'2019-09-27 19:31:45','2019-09-27 19:31:45',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-09-27 19:31:45','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(344,'344',NULL,1,'2019-09-27 19:32:12','2019-09-27 19:32:12',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-09-27 19:32:12','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(345,'345',NULL,1,'2019-09-27 19:38:30','2019-09-27 19:38:30',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-09-27 19:38:30','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(346,'346',NULL,1,'2019-09-27 19:38:37','2019-09-27 19:38:37',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-09-27 19:38:37','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(347,'347',NULL,1,'2019-09-30 15:49:52',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #15ff11cay39skiaa] New message','2019-09-30 15:49:52','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'dfsdfds',2,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(348,'348',NULL,1,'2019-10-01 13:48:36','2019-10-01 13:48:36',40,'AC_PROJECT_MODIFY','Project PJ1607-0001 modified','2019-10-01 13:48:36','2021-04-15 10:22:55',12,NULL,6,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1607-0001 modified\nTask: PJ1607-0001',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(349,'349',NULL,1,'2019-10-04 10:10:25','2019-10-04 10:10:25',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI1601-0002 validated','2019-10-04 10:10:25','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI1601-0002 validated',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(350,'350',NULL,1,'2019-10-04 10:10:47','2019-10-04 10:10:47',40,'AC_BILL_SUPPLIER_PAYED','Invoice SI1601-0002 changed to paid','2019-10-04 10:10:47','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI1601-0002 changed to paid',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(351,'351',NULL,1,'2019-10-04 10:26:49','2019-10-04 10:26:49',40,'AC_BILL_UNVALIDATE','Invoice FA6801-0010 go back to draft status','2019-10-04 10:26:49','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA6801-0010 go back to draft status',150,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(352,'352',NULL,1,'2019-10-04 10:27:00','2019-10-04 10:27:00',40,'AC_BILL_VALIDATE','Invoice FA6801-0010 validated','2019-10-04 10:27:00','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA6801-0010 validated',150,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(353,'353',NULL,1,'2019-10-04 10:28:14','2019-10-04 10:28:14',40,'AC_BILL_PAYED','Invoice FA6801-0010 changed to paid','2019-10-04 10:28:14','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA6801-0010 changed to paid',150,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(354,'354',NULL,1,'2019-10-04 10:29:22','2019-10-04 10:29:22',40,'AC_BILL_SUPPLIER_PAYED','Invoice SI1601-0002 changed to paid','2019-10-04 10:29:22','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI1601-0002 changed to paid',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(355,'355',NULL,1,'2019-10-04 10:29:41','2019-10-04 10:29:41',40,'AC_BILL_SUPPLIER_UNVALIDATE','Invoice SI1601-0002 go back to draft status','2019-10-04 10:29:41','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI1601-0002 go back to draft status',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(356,'356',NULL,1,'2019-10-04 10:31:30','2019-10-04 10:31:30',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI1601-0002 validated','2019-10-04 10:31:30','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI1601-0002 validated',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(357,'357',NULL,1,'2019-10-04 16:56:21',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 16:56:21','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'aaaa',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(358,'358',NULL,1,'2019-10-04 17:08:04',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:08:04','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'ddddd',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(359,'359',NULL,1,'2019-10-04 17:25:05',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:25:05','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'aaa',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(360,'360',NULL,1,'2019-10-04 17:26:14',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:26:14','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'aaa',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(361,'361',NULL,1,'2019-10-04 17:30:10',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:30:10','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(362,'362',NULL,1,'2019-10-04 17:51:43',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:51:43','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(363,'363',NULL,1,'2019-10-04 17:52:02',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:52:02','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(364,'364',NULL,1,'2019-10-04 17:52:17',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:52:17','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(365,'365',NULL,1,'2019-10-04 17:52:39',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:52:39','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(366,'366',NULL,1,'2019-10-04 17:52:53',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:52:53','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(367,'367',NULL,1,'2019-10-04 17:53:13',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:53:13','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(368,'368',NULL,1,'2019-10-04 17:53:26',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:53:26','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(369,'369',NULL,1,'2019-10-04 17:53:48',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:53:48','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(370,'370',NULL,1,'2019-10-04 17:54:09',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:54:09','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(371,'371',NULL,1,'2019-10-04 17:54:28',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:54:28','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(372,'372',NULL,1,'2019-10-04 17:55:43',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:55:43','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(373,'373',NULL,1,'2019-10-04 17:56:01',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:56:01','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(374,'374',NULL,1,'2019-10-04 18:00:32',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 18:00:32','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(375,'375',NULL,1,'2019-10-04 18:00:58',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 18:00:58','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(376,'376',NULL,1,'2019-10-04 18:11:30',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 18:11:30','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(377,'377',NULL,1,'2019-10-04 18:12:02',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 18:12:02','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fffffff',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(378,'378',NULL,1,'2019-10-04 18:49:30',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 18:49:30','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'aaa',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(379,'379',NULL,1,'2019-10-04 19:00:22',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 19:00:22','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fff',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(380,'380',NULL,1,'2019-10-04 19:24:20','2019-10-04 19:24:20',40,'AC_PROPAL_SENTBYMAIL','Email sent by Alice Adminson To NLTechno','2019-10-04 19:24:20','2021-04-15 10:22:55',12,NULL,6,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nSender: Alice Adminson <aadminson@example.com>
      \nReceiver(s): NLTechno <notanemail@nltechno.com>
      \nEmail topic: Envoi de la proposition commerciale PR1909-0032
      \nEmail body:
      \nHello
      \r\n
      \r\nVeuillez trouver, ci-joint, la proposition commerciale PR1909-0032
      \r\n
      \r\n
      \r\nSincerely
      \r\n
      \r\nAlice - 123
      \n
      \nAttached files and documents: PR1909-0032.pdf',33,'propal',NULL,'Envoi de la proposition commerciale PR1909-0032','Alice Adminson ',NULL,'NLTechno ',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(381,'381',NULL,1,'2019-10-04 19:30:13',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 19:30:13','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(382,'382',NULL,1,'2019-10-04 19:32:55',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 19:32:55','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'uuuuuu\n\nAttached files and documents: Array',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(383,'383',NULL,1,'2019-10-04 19:37:16',NULL,50,'TICKET_MSG','','2019-10-04 19:37:16','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,100,'',NULL,NULL,'f\n\nFichiers et documents joints: dolihelp.ico',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(384,'384',NULL,1,'2019-10-04 19:39:07',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 19:39:07','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'aaafff\n\nAttached files and documents: dolibarr.gif;doliadmin.ico',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(385,'385',NULL,1,'2019-10-07 12:17:07','2019-10-07 12:17:07',40,'AC_PRODUCT_DELETE','Product PREF123456 deleted','2019-10-07 12:17:07','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PREF123456 deleted',17,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(386,'386',NULL,1,'2019-10-07 12:17:32','2019-10-07 12:17:32',40,'AC_PRODUCT_DELETE','Product PREF123456 deleted','2019-10-07 12:17:32','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PREF123456 deleted',18,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(387,'387',NULL,1,'2019-10-08 19:21:07','2019-10-08 19:21:07',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-10-08 19:21:07','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(388,'388',NULL,1,'2019-10-08 21:01:07','2019-10-08 21:01:07',40,'AC_MEMBER_MODIFY','Member Pierre Curie modified','2019-10-08 21:01:07','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember Pierre Curie modified\nMember: Pierre Curie\nType: Standard members',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(389,'389',NULL,1,'2019-10-08 21:01:22','2019-10-08 21:01:22',40,'AC_MEMBER_MODIFY','Member doe john modified','2019-10-08 21:01:22','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember doe john modified\nMember: doe john\nType: Standard members',3,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(390,'390',NULL,1,'2019-10-08 21:01:45','2019-10-08 21:01:45',40,'AC_MEMBER_MODIFY','Member smith smith modified','2019-10-08 21:01:45','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember smith smith modified\nMember: smith smith\nType: Standard members',4,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(391,'391',NULL,1,'2019-10-08 21:02:18','2019-10-08 21:02:18',40,'AC_MEMBER_MODIFY','Member Vick Smith modified','2019-10-08 21:02:18','2021-04-15 10:22:55',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember Vick Smith modified\nMember: Vick Smith\nType: Standard members',1,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(392,'392',NULL,1,'2019-11-28 15:54:46','2019-11-28 15:54:46',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI1911-0005 validated','2019-11-28 15:54:47','2021-04-15 10:22:55',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI1911-0005 validated',21,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(393,'393',NULL,1,'2019-11-28 16:33:35','2019-11-28 16:33:35',40,'AC_PRODUCT_CREATE','Product FR-CAR created','2019-11-28 16:33:35','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct FR-CAR created',24,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(394,'394',NULL,1,'2019-11-28 16:34:08','2019-11-28 16:34:08',40,'AC_PRODUCT_DELETE','Product ppp deleted','2019-11-28 16:34:08','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ppp deleted',14,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(395,'395',NULL,1,'2019-11-28 16:34:33','2019-11-28 16:34:33',40,'AC_PRODUCT_MODIFY','Product FR-CAR modified','2019-11-28 16:34:33','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct FR-CAR modified',24,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(396,'396',NULL,1,'2019-11-28 16:34:46','2019-11-28 16:34:46',40,'AC_PRODUCT_MODIFY','Product FR-CAR modified','2019-11-28 16:34:46','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct FR-CAR modified',24,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(397,'397',NULL,1,'2019-11-28 16:36:56','2019-11-28 16:36:56',40,'AC_PRODUCT_MODIFY','Product POS-CAR modified','2019-11-28 16:36:56','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-CAR modified',24,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(398,'398',NULL,1,'2019-11-28 16:37:36','2019-11-28 16:37:36',40,'AC_PRODUCT_CREATE','Product POS-APPLE created','2019-11-28 16:37:36','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-APPLE created',25,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(399,'399',NULL,1,'2019-11-28 16:37:58','2019-11-28 16:37:58',40,'AC_PRODUCT_MODIFY','Product POS-APPLE modified','2019-11-28 16:37:58','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-APPLE modified',25,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(400,'400',NULL,1,'2019-11-28 16:38:44','2019-11-28 16:38:44',40,'AC_PRODUCT_CREATE','Product POS-KIWI created','2019-11-28 16:38:44','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-KIWI created',26,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(401,'401',NULL,1,'2019-11-28 16:39:21','2019-11-28 16:39:21',40,'AC_PRODUCT_CREATE','Product POS-PEACH created','2019-11-28 16:39:21','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-PEACH created',27,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(402,'402',NULL,1,'2019-11-28 16:39:58','2019-11-28 16:39:58',40,'AC_PRODUCT_CREATE','Product POS-ORANGE created','2019-11-28 16:39:58','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-ORANGE created',28,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(403,'403',NULL,1,'2019-11-28 17:00:28','2019-11-28 17:00:28',40,'AC_PRODUCT_MODIFY','Product APPLEPIE modified','2019-11-28 17:00:28','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct APPLEPIE modified',4,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(404,'404',NULL,1,'2019-11-28 17:00:46','2019-11-28 17:00:46',40,'AC_PRODUCT_MODIFY','Product PEARPIE modified','2019-11-28 17:00:46','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PEARPIE modified',2,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(405,'405',NULL,1,'2019-11-28 17:01:57','2019-11-28 17:01:57',40,'AC_PRODUCT_MODIFY','Product POS-APPLE modified','2019-11-28 17:01:57','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-APPLE modified',25,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(406,'406',NULL,1,'2019-11-28 17:03:14','2019-11-28 17:03:14',40,'AC_PRODUCT_CREATE','Product POS-Eggs created','2019-11-28 17:03:14','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-Eggs created',29,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(407,'407',NULL,1,'2019-11-28 17:04:17','2019-11-28 17:04:17',40,'AC_PRODUCT_MODIFY','Product POS-Eggs modified','2019-11-28 17:04:17','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-Eggs modified',29,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(408,'408',NULL,1,'2019-11-28 17:09:14','2019-11-28 17:09:14',40,'AC_PRODUCT_CREATE','Product POS-Chips created','2019-11-28 17:09:14','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-Chips created',30,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(409,'409',NULL,1,'2019-11-28 17:09:54','2019-11-28 17:09:54',40,'AC_PRODUCT_MODIFY','Product POS-Chips modified','2019-11-28 17:09:54','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-Chips modified',30,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(410,'410',NULL,1,'2019-11-28 18:46:20','2019-11-28 18:46:20',40,'AC_PRODUCT_MODIFY','Product POS-APPLE modified','2019-11-28 18:46:20','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-APPLE modified',25,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(411,'411',NULL,1,'2019-11-28 18:59:29','2019-11-28 18:59:29',40,'AC_PRODUCT_MODIFY','Product PEARPIE modified','2019-11-28 18:59:29','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PEARPIE modified',2,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(412,'412',NULL,1,'2019-11-28 19:02:01','2019-11-28 19:02:01',40,'AC_PRODUCT_MODIFY','Product POS-CARROT modified','2019-11-28 19:02:01','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-CARROT modified',24,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(413,'413',NULL,1,'2019-11-28 19:09:50','2019-11-28 19:09:50',40,'AC_PRODUCT_MODIFY','Product PEARPIE modified','2019-11-28 19:09:50','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PEARPIE modified',2,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(414,'414',NULL,1,'2019-11-28 19:12:50','2019-11-28 19:12:50',40,'AC_PRODUCT_MODIFY','Product PEARPIE modified','2019-11-28 19:12:50','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PEARPIE modified',2,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(415,'415',NULL,1,'2019-11-29 12:46:29','2019-11-29 12:46:29',40,'AC_TICKET_CREATE','Ticket TS1911-0004 created','2019-11-29 12:46:29','2021-04-15 10:22:55',12,NULL,4,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nTicket TS1911-0004 created',6,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(416,'416',NULL,1,'2019-11-29 12:46:34','2019-11-29 12:46:34',40,'AC_TICKET_MODIFY','Ticket TS1911-0004 read by Alice Adminson','2019-11-29 12:46:34','2021-04-15 10:22:55',12,NULL,4,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nTicket TS1911-0004 read by Alice Adminson',6,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(417,'417',NULL,1,'2019-11-29 12:46:47','2019-11-29 12:46:47',40,'AC_TICKET_ASSIGNED','Ticket TS1911-0004 assigned','2019-11-29 12:46:47','2021-04-15 10:22:55',12,NULL,4,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nTicket TS1911-0004 assigned\nOld user: None\nNew user: Commerson Charle1',6,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(418,'418',NULL,1,'2019-11-29 12:47:13',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #5gvo9bsjri55zef9] New message','2019-11-29 12:47:13','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'Where do you want to install Dolibarr ?
      \r\nOn-Premise or on the Cloud ?',6,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(419,'419',NULL,1,'2019-11-29 12:50:45','2019-11-29 12:50:45',40,'AC_TICKET_CREATE','Ticket TS1911-0005 créé','2019-11-29 12:50:45','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nTicket TS1911-0005 créé',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(420,'420',NULL,1,'2019-11-29 12:52:32','2019-11-29 12:52:32',40,'AC_TICKET_MODIFY','Ticket TS1911-0005 read by Alice Adminson','2019-11-29 12:52:32','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nTicket TS1911-0005 read by Alice Adminson',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(421,'421',NULL,1,'2019-11-29 12:52:53','2019-11-29 12:52:53',40,'AC_TICKET_ASSIGNED','Ticket TS1911-0005 assigned','2019-11-29 12:52:53','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nTicket TS1911-0005 assigned\nOld user: None\nNew user: Commerson Charle1',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(422,'422',NULL,1,'2019-11-29 12:54:04',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #d51wjy4nym7wltg7] New message','2019-11-29 12:54:04','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'Hi.
      \r\nThanks for your interest in using Dolibarr ERP CRM.
      \r\nI need more information to give you the correct answer : Where do you want to install Dolibarr. On premise or on Cloud',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(423,'423',NULL,1,'2019-11-29 12:54:46',NULL,50,'TICKET_MSG','','2019-11-29 12:54:46','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,100,'',NULL,NULL,'I need it On-Premise.',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(424,'424',NULL,1,'2019-11-29 12:55:42',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #d51wjy4nym7wltg7] New message','2019-11-29 12:55:42','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'When used on-premise, you can download and install Dolibarr yourself from ou web portal: https://www.dolibarr.org
      \r\nIt is completely free.',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(425,'425',NULL,1,'2019-11-29 12:55:48','2019-11-29 12:55:48',40,'AC_TICKET_CLOSE','Ticket TS1911-0005 closed','2019-11-29 12:55:48','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nTicket TS1911-0005 closed',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(426,'426',NULL,1,'2019-11-29 12:56:47','2019-11-29 12:56:47',40,'AC_BOM_UNVALIDATE','BOM unvalidated','2019-11-29 12:56:47','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM unvalidated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(427,'427',NULL,1,'2019-11-29 12:57:14','2019-11-29 12:57:14',40,'AC_BOM_VALIDATE','BOM validated','2019-11-29 12:57:14','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM validated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(428,'428',NULL,1,'2019-12-20 16:40:14','2019-12-20 16:40:14',40,'AC_MO_DELETE','MO deleted','2019-12-20 16:40:14','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',3,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(429,'429',NULL,1,'2019-12-20 17:00:43','2019-12-20 17:00:43',40,'AC_MO_DELETE','MO deleted','2019-12-20 17:00:43','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',7,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(430,'430',NULL,1,'2019-12-20 17:00:56','2019-12-20 17:00:56',40,'AC_MO_DELETE','MO deleted','2019-12-20 17:00:56','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',6,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(431,'431',NULL,1,'2019-12-20 20:00:03','2019-12-20 20:00:03',40,'AC_MO_DELETE','MO deleted','2019-12-20 20:00:03','2021-04-15 10:22:55',12,NULL,6,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',1,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(432,'432',NULL,1,'2019-12-20 20:22:11','2019-12-20 20:22:11',40,'AC_MO_DELETE','MO deleted','2019-12-20 20:22:11','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',10,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(433,'433',NULL,1,'2019-12-20 20:22:11','2019-12-20 20:22:11',40,'AC_MO_DELETE','MO deleted','2019-12-20 20:22:11','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',12,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(434,'434',NULL,1,'2019-12-20 20:22:20','2019-12-20 20:22:20',40,'AC_MO_DELETE','MO deleted','2019-12-20 20:22:20','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',9,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(435,'435',NULL,1,'2019-12-20 20:27:07','2019-12-20 20:27:07',40,'AC_MO_DELETE','MO deleted','2019-12-20 20:27:07','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',13,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(436,'436',NULL,1,'2019-12-20 20:42:42','2019-12-20 20:42:42',40,'AC_ORDER_VALIDATE','Order CO7001-0027 validated','2019-12-20 20:42:42','2021-04-15 10:22:55',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nOrder CO7001-0027 validated',88,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(437,'437',NULL,1,'2019-12-20 20:46:25','2019-12-20 20:46:25',40,'AC_ORDER_SUPPLIER_RECEIVE','Purchase Order CF1007-0001 received','2019-12-20 20:46:25','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nPurchase Order CF1007-0001 received ',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(438,'438',NULL,1,'2019-12-20 20:46:45','2019-12-20 20:46:45',40,'AC_ORDER_SUPPLIER_CLASSIFY_BILLED','Purchase Order CF1007-0001 set billed','2019-12-20 20:46:45','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nPurchase Order CF1007-0001 set billed',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(439,'439',NULL,1,'2019-12-20 20:47:02','2019-12-20 20:47:02',40,'AC_ORDER_SUPPLIER_RECEIVE','Purchase Order CF1007-0001 received','2019-12-20 20:47:02','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nPurchase Order CF1007-0001 received ',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(440,'440',NULL,1,'2019-12-20 20:47:44','2019-12-20 20:47:44',40,'AC_ORDER_SUPPLIER_RECEIVE','Purchase Order CF1007-0001 received','2019-12-20 20:47:44','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nPurchase Order CF1007-0001 received ',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(441,'441',NULL,1,'2019-12-20 20:47:53','2019-12-20 20:47:53',40,'AC_ORDER_SUPPLIER_RECEIVE','Purchase Order CF1007-0001 received','2019-12-20 20:47:53','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nPurchase Order CF1007-0001 received ',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(442,'442',NULL,1,'2019-12-20 20:48:05','2019-12-20 20:48:05',40,'AC_ORDER_SUPPLIER_RECEIVE','Purchase Order CF1007-0001 received','2019-12-20 20:48:05','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nPurchase Order CF1007-0001 received ',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(443,'443',NULL,1,'2019-12-20 20:48:45','2019-12-20 20:48:45',40,'AC_ORDER_CLASSIFY_BILLED','Order CO7001-0016 classified billed','2019-12-20 20:48:45','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nOrder CO7001-0016 classified billed',54,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(444,'444',NULL,1,'2019-12-20 20:48:55','2019-12-20 20:48:55',40,'AC_ORDER_CLOSE','Order CO7001-0018 classified delivered','2019-12-20 20:48:55','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nOrder CO7001-0018 classified delivered',62,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(445,'445',NULL,1,'2019-12-20 20:49:43','2019-12-20 20:49:43',40,'AC_PROPAL_CLASSIFY_BILLED','Proposal PR1702-0027 classified billed','2019-12-20 20:49:43','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1702-0027 classified billed',29,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(446,'446',NULL,1,'2019-12-20 20:49:54','2019-12-20 20:49:54',40,'AC_PROPAL_CLOSE_SIGNED','Proposal PR1702-0027 signed','2019-12-20 20:49:54','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1702-0027 signed',29,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(447,'447',NULL,1,'2019-12-20 20:50:14','2019-12-20 20:50:14',40,'AC_PROPAL_CLOSE_REFUSED','Proposal PR1702-0027 refused','2019-12-20 20:50:14','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1702-0027 refused',29,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(448,'448',NULL,1,'2019-12-20 20:50:23','2019-12-20 20:50:23',40,'AC_PROPAL_CLOSE_SIGNED','Proposal PR1702-0027 signed','2019-12-20 20:50:23','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1702-0027 signed',29,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(449,'449',NULL,1,'2019-12-21 17:18:22','2019-12-21 17:18:22',40,'AC_BOM_CLOSE','BOM disabled','2019-12-21 17:18:22','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM disabled',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(450,'450',NULL,1,'2019-12-21 17:18:38','2019-12-21 17:18:38',40,'AC_MEMBER_RESILIATE','Member Vick Smith terminated','2019-12-21 17:18:38','2021-04-15 10:22:55',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember Vick Smith terminated\nMember: Vick Smith\nType: Standard members',1,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(451,'451',NULL,1,'2019-12-21 19:46:33','2019-12-21 19:46:33',40,'AC_PROJECT_CREATE','Project PJ1912-0005 created','2019-12-21 19:46:33','2021-04-15 10:22:55',12,NULL,10,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0005 created\nProject: PJ1912-0005',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(452,'452',NULL,1,'2019-12-21 19:47:03','2019-12-21 19:47:03',40,'AC_PROJECT_MODIFY','Project PJ1912-0005 modified','2019-12-21 19:47:03','2021-04-15 10:22:55',12,NULL,10,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0005 modified\nTask: PJ1912-0005',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(453,'453',NULL,1,'2019-12-21 19:47:24','2019-12-21 19:47:24',40,'AC_PROJECT_MODIFY','Project PJ1912-0005 modified','2019-12-21 19:47:24','2021-04-15 10:22:55',12,NULL,10,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0005 modified\nTask: PJ1912-0005',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(454,'454',NULL,1,'2019-12-21 19:47:52','2019-12-21 19:47:52',40,'AC_PROJECT_MODIFY','Project PJ1912-0005 modified','2019-12-21 19:47:52','2021-04-15 10:22:55',12,NULL,10,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0005 modified\nTask: PJ1912-0005',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(455,'455',NULL,1,'2019-12-21 19:48:06','2019-12-21 19:48:06',40,'AC_PROJECT_MODIFY','Project PJ1912-0005 modified','2019-12-21 19:48:06','2021-04-15 10:22:55',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0005 modified\nTask: PJ1912-0005',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(456,'456',NULL,1,'2019-12-21 19:49:28','2019-12-21 19:49:28',40,'AC_PROJECT_CREATE','Project PJ1912-0006 created','2019-12-21 19:49:28','2021-04-15 10:22:55',12,NULL,11,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0006 created\nProject: PJ1912-0006',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(457,'457',NULL,1,'2019-12-21 19:52:12','2019-12-21 19:52:12',40,'AC_PROJECT_CREATE','Project PJ1912-0007 created','2019-12-21 19:52:12','2021-04-15 10:22:55',12,NULL,12,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0007 created\nProject: PJ1912-0007',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(458,'458',NULL,1,'2019-12-21 19:53:21','2019-12-21 19:53:21',40,'AC_PROJECT_CREATE','Project PJ1912-0008 created','2019-12-21 19:53:21','2021-04-15 10:22:55',12,NULL,13,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0008 created\nProject: PJ1912-0008',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(459,'459',NULL,1,'2019-12-21 19:53:42','2019-12-21 19:53:42',40,'AC_PROJECT_MODIFY','Project PJ1912-0008 modified','2019-12-21 19:53:42','2021-04-15 10:22:55',12,NULL,13,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0008 modified\nTask: PJ1912-0008',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(460,'460',NULL,1,'2019-12-21 19:55:23','2019-12-21 19:55:23',40,'AC_PROJECT_MODIFY','Project PJ1912-0006 modified','2019-12-21 19:55:23','2021-04-15 10:22:55',12,NULL,11,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0006 modified\nTask: PJ1912-0006',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(461,'461',NULL,1,'2019-12-21 20:10:21','2019-12-21 20:10:21',40,'AC_PROJECT_MODIFY','Project PJ1912-0006 modified','2019-12-21 20:10:21','2021-04-15 10:22:55',12,NULL,11,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0006 modified\nTask: PJ1912-0006',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(462,'462',NULL,1,'2019-12-11 10:00:00','2019-12-11 10:00:00',5,'AC_RDV','Meeting with all employees','2019-12-21 20:29:32','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,1,NULL,0,0,-1,'',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(463,'463',NULL,1,'2019-12-06 00:00:00',NULL,11,'AC_INT','Intervention on customer site','2019-12-21 20:30:11','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,1,NULL,0,1,-1,'',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(464,'464',NULL,1,'2019-12-23 14:16:59','2019-12-23 14:16:59',40,'AC_BILL_PAYED','Invoice FA1601-0024 changed to paid','2019-12-23 14:16:59','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1601-0024 changed to paid',149,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(465,'465',NULL,1,'2019-12-23 14:17:18','2019-12-23 14:17:18',40,'AC_BILL_PAYED','Invoice FA1601-0024 changed to paid','2019-12-23 14:17:18','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1601-0024 changed to paid',149,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(466,'466',NULL,1,'2019-11-23 14:25:00',NULL,50,'AC_OTH','Test','2019-12-23 17:25:14','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,1,NULL,0,0,-1,'',NULL,NULL,'18/11 17h06 : Message laissé. Me rappeler pour m'en dire plus. 
      \r\n
      \r\n20/11 10h17 "A rappeler suite au msg laissé le 14/11, dit que c'est urgent"
      \r\n12h22 : message laissé. Je lui envoie un sms
      \r\n
      \r\n"Déclaration de sinistre originale" : constat de ce qui s'est passé.
      \r\nElle envoie le chèque de solde dès demain.
      \r\n
      \r\n3/12 : Elle préfère avoir plus d'infos sur le sinistre pour l'assurance.
      \r\nCourrier envoyé le 4/12/19 par mail et par courrier postal
      \r\n
      \r\n6/12 15h02 : ont obtenu le feu vert de l'assurance.
      \r\nOn bloque 16/12 PM à partir de 14h30. ',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(467,'467',NULL,1,'2020-01-01 14:35:47','2020-01-01 14:35:47',40,'AC_MEMBER_VALIDATE','Adhérent aze aze validé','2020-01-01 14:35:47','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent aze aze validé\nAdhérent: aze aze\nType: Board members',5,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(468,'468',NULL,1,'2020-01-01 14:50:59','2020-01-01 14:50:59',40,'AC_MEMBER_VALIDATE','Adhérent azr azr validé','2020-01-01 14:50:59','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent azr azr validé\nAdhérent: azr azr\nType: Board members',6,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(469,'469',NULL,1,'2020-01-01 15:00:16','2020-01-01 15:00:16',40,'AC_MEMBER_VALIDATE','Adhérent azt azt validé','2020-01-01 15:00:16','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent azt azt validé\nAdhérent: azt azt\nType: Board members',7,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(470,'470',NULL,1,'2020-01-01 15:08:20','2020-01-01 15:08:20',40,'AC_MEMBER_VALIDATE','Adhérent azu azu validé','2020-01-01 15:08:20','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent azu azu validé\nAdhérent: azu azu\nType: Board members',8,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(471,'471',NULL,1,'2020-01-01 15:27:24','2020-01-01 15:27:24',40,'AC_MEMBER_VALIDATE','Adhérent azi azi validé','2020-01-01 15:27:24','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent azi azi validé\nAdhérent: azi azi\nType: Board members',9,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(472,'472',NULL,1,'2020-01-01 15:36:29','2020-01-01 15:36:29',40,'AC_MEMBER_VALIDATE','Adhérent azo azo validé','2020-01-01 15:36:29','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent azo azo validé\nAdhérent: azo azo\nType: Board members',10,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(473,'473',NULL,1,'2020-01-01 15:44:25','2020-01-01 15:44:25',40,'AC_MEMBER_VALIDATE','Adhérent azp azp validé','2020-01-01 15:44:25','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent azp azp validé\nAdhérent: azp azp\nType: Board members',11,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(478,'478',NULL,1,'2020-01-01 16:52:32','2020-01-01 16:52:32',40,'AC_MEMBER_VALIDATE','Adhérent azq azq validé','2020-01-01 16:52:32','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent azq azq validé\nAdhérent: azq azq\nType: Board members',12,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(483,'483',NULL,1,'2020-01-01 17:49:05','2020-01-01 17:49:05',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2001-0006 validated','2020-01-01 17:49:05','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0006 validated',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(484,'484',NULL,1,'2020-01-01 17:50:41','2020-01-01 17:50:41',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SA2001-0001 validated','2020-01-01 17:50:41','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 validated',23,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(485,'485',NULL,1,'2020-01-01 17:50:44','2020-01-01 17:50:44',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 17:50:44','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',23,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(486,'486',NULL,1,'2020-01-01 17:51:22','2020-01-01 17:51:22',40,'AC_BILL_SUPPLIER_UNVALIDATE','Invoice SI2001-0006 go back to draft status','2020-01-01 17:51:22','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0006 go back to draft status',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(487,'487',NULL,1,'2020-01-01 20:17:00','2020-01-01 20:17:00',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2001-0006 validated','2020-01-01 20:17:00','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0006 validated',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(488,'488',NULL,1,'2020-01-01 20:17:46','2020-01-01 20:17:46',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SA2001-0001 validated','2020-01-01 20:17:46','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 validated',24,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(489,'489',NULL,1,'2020-01-01 20:17:51','2020-01-01 20:17:51',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 20:17:51','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',24,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(490,'490',NULL,1,'2020-01-01 20:20:22','2020-01-01 20:20:22',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SA2001-0001 validated','2020-01-01 20:20:22','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 validated',26,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(491,'491',NULL,1,'2020-01-01 20:20:31','2020-01-01 20:20:31',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 20:20:31','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',26,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(492,'492',NULL,1,'2020-01-01 20:21:35','2020-01-01 20:21:35',40,'AC_BILL_SUPPLIER_UNVALIDATE','Invoice SI2001-0006 go back to draft status','2020-01-01 20:21:35','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0006 go back to draft status',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(493,'493',NULL,1,'2020-01-01 20:21:42','2020-01-01 20:21:42',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2001-0006 validated','2020-01-01 20:21:42','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0006 validated',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(494,'494',NULL,1,'2020-01-01 20:21:55','2020-01-01 20:21:55',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SA2001-0001 validated','2020-01-01 20:21:55','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 validated',27,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(495,'495',NULL,1,'2020-01-01 20:23:02','2020-01-01 20:23:02',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2001-0007 validated','2020-01-01 20:23:02','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0007 validated',28,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(496,'496',NULL,1,'2020-01-01 20:23:17','2020-01-01 20:23:17',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 20:23:17','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',27,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(497,'497',NULL,1,'2020-01-01 20:25:36','2020-01-01 20:25:36',40,'AC_BILL_SUPPLIER_PAYED','Invoice SI2001-0007 changed to paid','2020-01-01 20:25:36','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0007 changed to paid',28,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(498,'498',NULL,1,'2020-01-01 20:51:37','2020-01-01 20:51:37',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SA2001-0002 validated','2020-01-01 20:51:37','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0002 validated',30,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(499,'499',NULL,1,'2020-01-01 20:51:48','2020-01-01 20:51:48',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0002 changed to paid','2020-01-01 20:51:48','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0002 changed to paid',30,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(500,'500',NULL,1,'2020-01-01 21:02:39','2020-01-01 21:02:39',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 21:02:39','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',27,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(501,'501',NULL,1,'2020-01-01 21:03:01','2020-01-01 21:03:01',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 21:03:01','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',27,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(502,'502',NULL,1,'2020-01-01 21:11:10','2020-01-01 21:11:10',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 21:11:10','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',27,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(503,'503',NULL,1,'2020-01-01 21:20:07','2020-01-01 21:20:07',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 21:20:07','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',27,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(504,'504',NULL,1,'2020-01-01 21:21:28','2020-01-01 21:21:28',40,'AC_BILL_SUPPLIER_PAYED','Invoice SI2001-0007 changed to paid','2020-01-01 21:21:28','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0007 changed to paid',28,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(505,'505',NULL,1,'2020-01-01 22:06:30','2020-01-01 22:06:30',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 22:06:31','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',27,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(506,'506',NULL,1,'2020-01-01 23:54:16','2020-01-01 23:54:16',40,'AC_PRODUCT_MODIFY','Product APPLEPIE modified','2020-01-01 23:54:16','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct APPLEPIE modified',4,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(507,'507',NULL,1,'2020-01-02 20:49:34','2020-01-02 20:49:34',40,'AC_BILL_PAYED','Invoice FA1601-0024 changed to paid','2020-01-02 20:49:34','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1601-0024 changed to paid',149,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(508,'508',NULL,1,'2020-01-02 23:02:35','2020-01-02 23:02:35',40,'AC_PRODUCT_MODIFY','Product APPLEPIE modified','2020-01-02 23:02:35','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct APPLEPIE modified',4,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(509,'509',NULL,1,'2020-01-02 23:45:01','2020-01-02 23:45:01',40,'AC_BOM_REOPEN','BOM reopen','2020-01-02 23:45:01','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM reopen',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(511,'511',NULL,1,'2020-01-02 23:57:42','2020-01-02 23:57:42',40,'AC_MRP_MO_VALIDATE','MO validated','2020-01-02 23:57:42','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO validated',14,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(512,'512',NULL,1,'2020-01-03 13:33:54','2020-01-03 13:33:54',40,'AC_BOM_UNVALIDATE','BOM unvalidated','2020-01-03 13:33:54','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM unvalidated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(513,'513',NULL,1,'2020-01-03 13:34:11','2020-01-03 13:34:11',40,'AC_BOM_VALIDATE','BOM validated','2020-01-03 13:34:11','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM validated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(514,'514',NULL,1,'2020-01-03 13:35:45','2020-01-03 13:35:45',40,'AC_MRP_MO_VALIDATE','MO validated','2020-01-03 13:35:45','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO validated',18,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(515,'515',NULL,1,'2020-01-03 14:10:41','2020-01-03 14:10:41',40,'AC_MRP_MO_VALIDATE','MO validated','2020-01-03 14:10:41','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO validated',18,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(516,'516',NULL,1,'2020-01-06 00:39:58','2020-01-06 00:39:58',40,'AC_COMPANY_CREATE','Patient créé','2020-01-06 00:39:58','2021-04-15 10:22:55',12,NULL,NULL,29,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nPatient créé',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(517,'517',NULL,1,'2020-01-06 00:49:06','2020-01-06 00:49:06',40,'AC_BILL_SUPPLIER_UNVALIDATE','Invoice SI2001-0006 go back to draft status','2020-01-06 00:49:06','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0006 go back to draft status',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(518,'518',NULL,1,'2020-01-06 06:50:05','2020-01-06 06:50:05',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-06 06:50:05','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',14,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(519,'519',NULL,1,'2020-01-06 20:52:28','2020-01-06 20:52:28',40,'AC_OTH_AUTO','Consultation 2 recorded (Patient)','2020-01-06 20:52:28','2021-04-15 10:22:55',12,NULL,NULL,29,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Consultation 2 recorded (Patient)\nAuthor: admin',2,'cabinetmed_cons',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(520,'520',NULL,1,'2020-01-07 20:25:02','2020-01-07 20:25:02',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 20:25:02','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(521,'521',NULL,1,'2020-01-07 21:12:37','2020-01-07 21:12:37',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:12:37','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(522,'522',NULL,1,'2020-01-07 21:13:00','2020-01-07 21:13:00',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:13:00','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(523,'523',NULL,1,'2020-01-07 21:13:49','2020-01-07 21:13:49',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:13:49','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(524,'524',NULL,1,'2020-01-07 21:46:58','2020-01-07 21:46:58',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:46:58','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(525,'525',NULL,1,'2020-01-07 21:52:34','2020-01-07 21:52:34',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:52:34','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(526,'526',NULL,1,'2020-01-07 21:53:44','2020-01-07 21:53:44',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:53:44','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(527,'527',NULL,1,'2020-01-07 21:53:58','2020-01-07 21:53:58',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:53:58','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(528,'528',NULL,1,'2020-01-07 21:54:12','2020-01-07 21:54:12',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:54:12','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(529,'529',NULL,1,'2020-01-07 22:00:55','2020-01-07 22:00:55',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 22:00:55','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(530,'530',NULL,1,'2020-01-07 22:39:52','2020-01-07 22:39:52',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 22:39:52','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',14,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(531,'531',NULL,1,'2020-01-07 23:09:04','2020-01-07 23:09:04',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 23:09:04','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',14,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(532,'532',NULL,1,'2020-01-07 23:39:09','2020-01-07 23:39:09',40,'AC_PROPAL_CLOSE_SIGNED','Proposal PR1909-0033 signed','2020-01-07 23:39:09','2021-04-15 10:22:55',12,NULL,6,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1909-0033 signed',34,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(533,'533',NULL,1,'2020-01-07 23:43:06','2020-01-07 23:43:06',40,'AC_PROPAL_CLOSE_SIGNED','Proposal PR1909-0033 signed','2020-01-07 23:43:06','2021-04-15 10:22:55',12,NULL,6,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1909-0033 signed',34,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(534,'534',NULL,1,'2020-01-07 23:50:40','2020-01-07 23:50:40',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 23:50:40','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(535,'535',NULL,1,'2020-01-07 23:51:27','2020-01-07 23:51:27',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 23:51:27','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(536,'536',NULL,1,'2020-01-08 00:25:23','2020-01-08 00:25:23',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 00:25:23','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(537,'537',NULL,1,'2020-01-08 00:25:43','2020-01-08 00:25:43',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 00:25:43','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(538,'538',NULL,1,'2020-01-08 00:29:24','2020-01-08 00:29:24',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 00:29:24','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(539,'539',NULL,1,'2020-01-08 00:29:43','2020-01-08 00:29:43',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 00:29:43','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(540,'540',NULL,1,'2020-01-08 01:09:15','2020-01-08 01:09:15',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 01:09:15','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(541,'541',NULL,1,'2020-01-08 01:15:02','2020-01-08 01:15:02',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 01:15:02','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(542,'542',NULL,1,'2020-01-08 01:17:16','2020-01-08 01:17:16',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 01:17:16','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(543,'543',NULL,1,'2020-01-08 05:31:44','2020-01-08 05:31:44',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 05:31:44','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(544,'544',NULL,1,'2020-01-08 05:39:46','2020-01-08 05:39:46',40,'AC_BOM_CLOSE','BOM disabled','2020-01-08 05:39:46','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM disabled',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(545,'545',NULL,1,'2020-01-08 05:39:50','2020-01-08 05:39:50',40,'AC_BOM_REOPEN','BOM reopen','2020-01-08 05:39:50','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM reopen',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(546,'546',NULL,1,'2020-01-08 06:06:50','2020-01-08 06:06:50',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 06:06:50','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',14,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(547,'547',NULL,1,'2020-01-08 19:34:53','2020-01-08 19:34:53',40,'AC_BOM_UNVALIDATE','BOM unvalidated','2020-01-08 19:34:53','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM unvalidated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(548,'548',NULL,1,'2020-01-08 19:40:27','2020-01-08 19:40:27',40,'AC_PRODUCT_MODIFY','Product APPLEPIE modified','2020-01-08 19:40:27','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct APPLEPIE modified',4,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(549,'549',NULL,1,'2020-01-08 19:40:46','2020-01-08 19:40:46',40,'AC_PRODUCT_MODIFY','Product PINKDRESS modified','2020-01-08 19:40:46','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PINKDRESS modified',1,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(550,'550',NULL,1,'2020-01-08 19:40:59','2020-01-08 19:40:59',40,'AC_BOM_VALIDATE','BOM validated','2020-01-08 19:40:59','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM validated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(551,'551',NULL,1,'2020-01-08 19:41:11','2020-01-08 19:41:11',40,'AC_BOM_UNVALIDATE','BOM unvalidated','2020-01-08 19:41:11','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM unvalidated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(552,'552',NULL,1,'2020-01-08 19:41:49','2020-01-08 19:41:49',40,'AC_BOM_VALIDATE','BOM validated','2020-01-08 19:41:49','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM validated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(553,'553',NULL,1,'2020-01-08 20:12:55','2020-01-08 20:12:55',40,'AC_MRP_MO_VALIDATE','MO validated','2020-01-08 20:12:55','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO validated',28,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(554,'554',NULL,1,'2020-01-08 20:21:22','2020-01-08 20:21:22',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 20:21:22','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',28,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(555,'555',NULL,1,'2020-01-08 20:41:19','2020-01-08 20:41:19',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 20:41:19','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',28,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(556,'556',NULL,1,'2020-01-08 22:25:19','2020-01-08 22:25:19',40,'AC_BOM_DELETE','BOM deleted','2020-01-08 22:25:19','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM deleted',7,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(557,'557',NULL,1,'2020-01-13 15:11:07','2020-01-13 15:11:07',40,'AC_MO_DELETE','MO_DELETEInDolibarr','2020-01-13 15:11:07','2021-04-15 10:22:55',12,NULL,6,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO_DELETEInDolibarr',25,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(558,'558',NULL,1,'2020-01-13 15:11:54','2020-01-13 15:11:54',40,'AC_MRP_MO_VALIDATE','MO validated','2020-01-13 15:11:54','2021-04-15 10:22:55',12,NULL,6,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO validated',24,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(559,'559',NULL,1,'2020-01-13 15:13:19','2020-01-13 15:13:19',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-13 15:13:19','2021-04-15 10:22:55',12,NULL,6,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',24,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(560,'560',NULL,1,'2020-01-13 15:14:15','2020-01-13 15:14:15',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-13 15:14:15','2021-04-15 10:22:55',12,NULL,6,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',24,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(561,'561',NULL,1,'2020-01-13 15:29:30','2020-01-13 15:29:30',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-13 15:29:30','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(562,'562',NULL,1,'2020-01-13 17:19:24','2020-01-13 17:19:24',40,'AC_COMPANY_CREATE','Third party Italo created','2020-01-13 17:19:24','2021-04-15 10:22:55',12,NULL,NULL,30,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nThird party Italo created',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(563,'563',NULL,1,'2020-01-15 16:27:15','2020-01-15 16:27:15',40,'AC_PROJECT_MODIFY','Project RMLL modified','2020-01-15 16:27:15','2021-04-15 10:22:55',12,NULL,5,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject RMLL modified\nTask: RMLL',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(564,'564',NULL,1,'2020-01-15 16:40:50','2020-01-15 16:40:50',40,'AC_PROJECT_MODIFY','Project PROJINDIAN modified','2020-01-15 16:40:50','2021-04-15 10:22:55',12,NULL,3,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PROJINDIAN modified\nTask: PROJINDIAN',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(565,'565',NULL,1,'2020-01-16 02:22:16','2020-01-16 02:22:16',40,'AC_BILL_VALIDATE','Invoice AC2001-0001 validated','2020-01-16 02:22:16','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0001 validated',221,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(566,'566',NULL,1,'2020-01-16 02:22:24','2020-01-16 02:22:24',40,'AC_BILL_UNVALIDATE','Invoice AC2001-0001 go back to draft status','2020-01-16 02:22:24','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0001 go back to draft status',221,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(567,'567',NULL,1,'2020-01-16 02:33:27','2020-01-16 02:33:27',40,'AC_BILL_VALIDATE','Invoice AC2001-0002 validated','2020-01-16 02:33:27','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0002 validated',224,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(568,'568',NULL,1,'2020-01-16 02:36:48','2020-01-16 02:36:48',40,'AC_BILL_PAYED','Invoice AC2001-0002 changed to paid','2020-01-16 02:36:48','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0002 changed to paid',224,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(569,'569',NULL,1,'2020-01-16 02:42:12','2020-01-16 02:42:12',40,'AC_ORDER_CLASSIFY_BILLED','Order CO7001-0020 classified billed','2020-01-16 02:42:12','2021-04-15 10:22:55',12,NULL,NULL,6,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nOrder CO7001-0020 classified billed',72,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(570,'570',NULL,1,'2020-01-16 02:42:17','2020-01-16 02:42:17',40,'AC_ORDER_CLOSE','Order CO7001-0020 classified delivered','2020-01-16 02:42:17','2021-04-15 10:22:55',12,NULL,NULL,6,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nOrder CO7001-0020 classified delivered',72,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(571,'571',NULL,1,'2020-01-16 02:42:56','2020-01-16 02:42:56',40,'AC_ORDER_CLOSE','Order CO7001-0020 classified delivered','2020-01-16 02:42:56','2021-04-15 10:22:55',12,NULL,NULL,6,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nOrder CO7001-0020 classified delivered',72,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(572,'572',NULL,1,'2020-01-16 18:05:43','2020-01-16 18:05:43',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2001-0006 validated','2020-01-16 18:05:43','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0006 validated',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(573,'573',NULL,1,'2020-01-17 14:54:18','2020-01-17 14:54:18',40,'AC_PRODUCT_MODIFY','Product PINKDRESS modified','2020-01-17 14:54:18','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PINKDRESS modified',1,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(574,'574',NULL,1,'2020-01-17 15:22:28','2020-01-17 15:22:28',40,'AC_PRODUCT_MODIFY','Product PINKDRESS modified','2020-01-17 15:22:28','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PINKDRESS modified',1,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(575,'575',NULL,1,'2020-01-19 14:22:27','2020-01-19 14:22:27',40,'AC_PROPAL_VALIDATE','Proposal PR2001-0034 validated','2020-01-19 14:22:27','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR2001-0034 validated',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(576,'576',NULL,1,'2020-01-19 14:22:34','2020-01-19 14:22:34',40,'AC_PROPAL_CLOSE_SIGNED','Proposal PR2001-0034 signed','2020-01-19 14:22:34','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR2001-0034 signed',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(577,'577',NULL,1,'2020-01-19 14:24:22','2020-01-19 14:24:22',40,'AC_PROPAL_VALIDATE','Proposal PR2001-0034 validated','2020-01-19 14:24:22','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR2001-0034 validated',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(578,'578',NULL,1,'2020-01-19 14:24:27','2020-01-19 14:24:27',40,'AC_PROPAL_CLOSE_SIGNED','Proposal PR2001-0034 signed','2020-01-19 14:24:27','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR2001-0034 signed',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(579,'579',NULL,1,'2020-01-19 14:51:43','2020-01-19 14:51:43',40,'AC_BILL_VALIDATE','Invoice AC2001-0003 validated','2020-01-19 14:51:43','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0003 validated',227,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(580,'580',NULL,1,'2020-01-19 14:51:48','2020-01-19 14:51:48',40,'AC_BILL_UNVALIDATE','Invoice AC2001-0003 go back to draft status','2020-01-19 14:51:48','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0003 go back to draft status',227,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(581,'581',NULL,1,'2020-01-19 15:01:26','2020-01-19 15:01:26',40,'AC_BILL_VALIDATE','Invoice AC2001-0004 validated','2020-01-19 15:01:26','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0004 validated',228,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(582,'582',NULL,1,'2020-01-19 15:04:37','2020-01-19 15:04:37',40,'AC_BILL_UNVALIDATE','Invoice AC2001-0004 go back to draft status','2020-01-19 15:04:37','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0004 go back to draft status',228,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(583,'583',NULL,1,'2020-01-19 15:04:53','2020-01-19 15:04:53',40,'AC_BILL_VALIDATE','Invoice AC2001-0004 validated','2020-01-19 15:04:53','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0004 validated',228,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(584,'584',NULL,1,'2020-01-19 15:09:14','2020-01-19 15:09:14',40,'AC_BILL_UNVALIDATE','Invoice AC2001-0004 go back to draft status','2020-01-19 15:09:14','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0004 go back to draft status',228,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(585,'585',NULL,1,'2020-01-19 15:13:07','2020-01-19 15:13:07',40,'AC_BILL_VALIDATE','Invoice AC2001-0004 validated','2020-01-19 15:13:07','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0004 validated',228,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(586,'586',NULL,1,'2020-01-20 12:20:11','2020-01-20 12:20:11',40,'AC_ORDER_SUPPLIER_CREATE','Order (PROV14) created','2020-01-20 12:20:11','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nOrder (PROV14) created',14,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(588,'588',NULL,1,'2020-01-21 01:02:14','2020-01-21 01:02:14',40,'AC_MEMBER_SUBSCRIPTION_CREATE','Subscription 2 for member Vick Smith added','2020-01-21 01:02:14','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nSubscription 2 for member Vick Smith added\nMember: Vick Smith\nType: 2\nAmount: 50\nPeriod: 07/18/2013 - 07/17/2014',3,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(589,'589',NULL,1,'2020-01-21 10:22:37','2020-01-21 10:22:37',40,'AC_MEMBER_SUBSCRIPTION_CREATE','Subscription 3 for member Vick Smith added','2020-01-21 10:22:37','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nSubscription 3 for member Vick Smith added\nMember: Vick Smith\nType: 2\nAmount: 50\nPeriod: 07/18/2017 - 07/17/2018',4,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(590,'590',NULL,1,'2020-01-21 10:23:17','2020-01-21 10:23:17',40,'AC_MEMBER_SUBSCRIPTION_CREATE','Subscription 4 for member Vick Smith added','2020-01-21 10:23:17','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nSubscription 4 for member Vick Smith added\nMember: Vick Smith\nType: 2\nAmount: 50\nPeriod: 07/18/2017 - 07/17/2018',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(591,'591',NULL,1,'2020-01-21 10:23:17','2020-01-21 10:23:17',40,'AC_BILL_VALIDATE','Invoice FA1707-0026 validated','2020-01-21 10:23:17','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1707-0026 validated',229,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(592,'592',NULL,1,'2020-01-21 10:23:17','2020-01-21 10:23:17',40,'AC_BILL_PAYED','Invoice FA1707-0026 changed to paid','2020-01-21 10:23:17','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1707-0026 changed to paid',229,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(593,'593',NULL,1,'2020-01-21 10:23:28','2020-01-21 10:23:28',40,'AC_MEMBER_SUBSCRIPTION_CREATE','Subscription 5 for member Vick Smith added','2020-01-21 10:23:28','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nSubscription 5 for member Vick Smith added\nMember: Vick Smith\nType: 2\nAmount: 50\nPeriod: 07/18/2018 - 07/17/2019',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(594,'594',NULL,1,'2020-01-21 10:23:28','2020-01-21 10:23:28',40,'AC_BILL_VALIDATE','Invoice FA1807-0027 validated','2020-01-21 10:23:28','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1807-0027 validated',230,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(595,'595',NULL,1,'2020-01-21 10:23:28','2020-01-21 10:23:28',40,'AC_BILL_PAYED','Invoice FA1807-0027 changed to paid','2020-01-21 10:23:28','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1807-0027 changed to paid',230,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(596,'596',NULL,1,'2020-01-21 10:23:49','2020-01-21 10:23:49',40,'AC_MEMBER_SUBSCRIPTION_CREATE','Subscription 6 for member Vick Smith added','2020-01-21 10:23:49','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nSubscription 6 for member Vick Smith added\nMember: Vick Smith\nType: 2\nAmount: 50\nPeriod: 07/18/2019 - 07/17/2020',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(597,'597',NULL,1,'2020-01-21 10:23:49','2020-01-21 10:23:49',40,'AC_BILL_VALIDATE','Invoice FA1907-0028 validated','2020-01-21 10:23:49','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1907-0028 validated',231,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(598,'598',NULL,1,'2020-01-21 10:23:49','2020-01-21 10:23:49',40,'AC_BILL_PAYED','Invoice FA1907-0028 changed to paid','2020-01-21 10:23:49','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1907-0028 changed to paid',231,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(599,'599',NULL,1,'2020-01-21 10:30:27','2020-01-21 10:30:27',40,'AC_MEMBER_MODIFY','Member Pierre Curie modified','2020-01-21 10:30:27','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember Pierre Curie modified\nMember: Pierre Curie\nType: Standard members',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(600,'600',NULL,1,'2020-01-21 10:30:36','2020-01-21 10:30:36',40,'AC_MEMBER_MODIFY','Member doe john modified','2020-01-21 10:30:36','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember doe john modified\nMember: doe john\nType: Standard members',3,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(601,'601',NULL,1,'2020-01-21 10:30:42','2020-01-21 10:30:42',40,'AC_MEMBER_MODIFY','Member smith smith modified','2020-01-21 10:30:42','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember smith smith modified\nMember: smith smith\nType: Standard members',4,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(602,'602',NULL,1,'2020-01-21 10:30:57','2020-01-21 10:30:57',40,'AC_MEMBER_MODIFY','Member Vick Smith modified','2020-01-21 10:30:57','2021-04-15 10:22:55',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember Vick Smith modified\nMember: Vick Smith\nType: Standard members',1,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(603,'603',NULL,1,'2020-06-12 10:00:00','2020-06-12 11:30:00',5,'AC_RDV','Meetings','2020-06-12 19:26:44','2021-04-15 10:22:55',12,NULL,3,NULL,NULL,0,12,1,NULL,0,0,-1,'Room 24',5400,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(604,'604',NULL,1,'2020-06-01 10:00:00','2020-06-01 10:27:00',1,'AC_TEL','Called Mr X','2020-06-12 19:28:13','2021-04-15 10:22:55',12,12,3,NULL,NULL,0,12,1,NULL,0,0,100,NULL,1620,NULL,'Customer ask another call.',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(605,'605',NULL,1,'2020-04-15 05:00:00','2020-04-15 06:00:00',5,'AC_RDV','Meet A2','2021-04-15 07:36:31','2021-04-15 10:36:31',12,NULL,NULL,NULL,NULL,0,12,1,NULL,0,0,0,'',3600,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(606,'606',NULL,1,'2021-04-15 08:38:02','2021-04-15 08:38:02',40,'AC_PRODUCT_CREATE','Product PRODSER created','2021-04-15 08:38:02','2021-04-15 11:38:02',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PRODSER created',31,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(607,'607',NULL,1,'2022-02-07 13:54:11','2022-02-07 13:54:11',40,'AC_BOM_VALIDATE','BOM validated','2022-02-07 13:54:11','2022-02-07 13:54:11',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM validated',7,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(608,'608',NULL,1,'2022-12-13 11:24:28','2022-12-13 11:24:28',40,'AC_USER_MODIFY','Record 12 modified','2022-12-13 11:24:28','2022-12-13 11:24:28',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(609,'609',NULL,1,'2022-12-13 11:24:38','2022-12-13 11:24:38',40,'AC_USER_MODIFY','Record 12 modified','2022-12-13 11:24:38','2022-12-13 11:24:38',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(610,'610',NULL,1,'2022-12-13 11:24:40','2022-12-13 11:24:40',40,'AC_USER_MODIFY','Record 12 modified','2022-12-13 11:24:40','2022-12-13 11:24:40',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(611,'611',NULL,1,'2022-12-13 11:24:47','2022-12-13 11:24:47',40,'AC_USER_MODIFY','Record 12 modified','2022-12-13 11:24:47','2022-12-13 11:24:47',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(612,'612',NULL,1,'2022-12-13 11:24:51','2022-12-13 11:24:51',40,'AC_USER_MODIFY','Record 12 modified','2022-12-13 11:24:51','2022-12-13 11:24:51',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(615,'615',NULL,1,'2022-12-13 11:28:20','2022-12-13 11:28:20',40,'AC_USER_CREATE','Record created','2022-12-13 11:28:20','2022-12-13 11:28:20',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record created',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(616,'616',NULL,1,'2022-12-13 11:28:20','2022-12-13 11:28:20',40,'AC_USER_NEW_PASSWORD','PASSWORDInDolibarr','2022-12-13 11:28:20','2022-12-13 11:28:20',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'PASSWORDInDolibarr',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(617,'617',NULL,1,'2022-12-13 11:49:51','2022-12-13 11:49:51',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:49:51','2022-12-13 11:49:51',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(618,'618',NULL,1,'2022-12-13 11:50:15','2022-12-13 11:50:15',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:15','2022-12-13 11:50:15',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(619,'619',NULL,1,'2022-12-13 11:50:17','2022-12-13 11:50:17',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:17','2022-12-13 11:50:17',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(620,'620',NULL,1,'2022-12-13 11:50:18','2022-12-13 11:50:18',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:18','2022-12-13 11:50:18',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(621,'621',NULL,1,'2022-12-13 11:50:19','2022-12-13 11:50:19',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:19','2022-12-13 11:50:19',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(622,'622',NULL,1,'2022-12-13 11:50:20','2022-12-13 11:50:20',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:20','2022-12-13 11:50:20',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(623,'623',NULL,1,'2022-12-13 11:50:20','2022-12-13 11:50:20',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:20','2022-12-13 11:50:20',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(624,'624',NULL,1,'2022-12-13 11:50:43','2022-12-13 11:50:43',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:43','2022-12-13 11:50:43',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(625,'625',NULL,1,'2022-12-13 11:50:44','2022-12-13 11:50:44',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:44','2022-12-13 11:50:44',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(626,'626',NULL,1,'2022-12-13 11:52:00','2022-12-13 11:52:00',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:52:00','2022-12-13 11:52:00',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(627,'627',NULL,1,'2022-12-13 11:54:05','2022-12-13 11:54:05',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:54:05','2022-12-13 11:54:05',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(628,'628',NULL,1,'2022-12-13 11:54:06','2022-12-13 11:54:06',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:54:06','2022-12-13 11:54:06',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(629,'629',NULL,1,'2022-12-13 11:54:32','2022-12-13 11:54:32',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:54:32','2022-12-13 11:54:32',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(630,'630',NULL,1,'2022-12-13 11:55:13','2022-12-13 11:55:13',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:55:13','2022-12-13 11:55:13',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(631,'631',NULL,1,'2022-12-13 13:29:38','2022-12-13 13:29:38',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 13:29:38','2022-12-13 13:29:38',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(632,'632',NULL,1,'2022-12-13 13:29:51','2022-12-13 13:29:51',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 13:29:51','2022-12-13 13:29:51',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(633,'633',NULL,1,'2022-12-13 13:30:42','2022-12-13 13:30:42',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 13:30:42','2022-12-13 13:30:42',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(634,'634',NULL,1,'2022-12-13 13:31:39','2022-12-13 13:31:39',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 13:31:39','2022-12-13 13:31:39',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(635,'635',NULL,1,'2022-12-13 13:31:48','2022-12-13 13:31:48',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 13:31:48','2022-12-13 13:31:48',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(636,'636',NULL,1,'2022-12-13 13:31:49','2022-12-13 13:31:49',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 13:31:49','2022-12-13 13:31:49',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(637,'637',NULL,1,'2022-12-13 17:59:06','2022-12-13 17:59:06',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 17:59:06','2022-12-13 17:59:06',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(638,'638',NULL,1,'2022-12-13 17:59:08','2022-12-13 17:59:08',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 17:59:08','2022-12-13 17:59:08',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(639,'639',NULL,1,'2022-12-13 17:59:14','2022-12-13 17:59:14',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 17:59:14','2022-12-13 17:59:14',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(640,'640',NULL,1,'2022-12-13 17:59:15','2022-12-13 17:59:15',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 17:59:15','2022-12-13 17:59:15',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(641,'641',NULL,1,'2022-12-13 17:59:33','2022-12-13 17:59:33',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 17:59:33','2022-12-13 17:59:33',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(642,'642',NULL,1,'2022-12-16 10:00:14','2022-12-16 10:00:14',40,'AC_PRODUCT_MODIFY','Product DOLIDROID modified','2022-12-16 10:00:14','2022-12-16 10:00:14',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product DOLIDROID modified',5,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(643,'643',NULL,1,'2022-12-16 11:20:27','2022-12-16 11:20:27',40,'AC_COMPANY_MODIFY','Third party Prospector Vaalen modified','2022-12-16 11:20:27','2022-12-16 11:20:27',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party Prospector Vaalen modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(644,'644',NULL,1,'2022-12-16 11:20:53','2022-12-16 11:20:53',40,'AC_COMPANY_MODIFY','Third party Italo modified','2022-12-16 11:20:53','2022-12-16 11:20:53',12,NULL,NULL,30,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party Italo modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(645,'645',NULL,1,'2022-12-16 11:20:59','2022-12-16 11:20:59',40,'AC_COMPANY_MODIFY','Third party Italo modified','2022-12-16 11:20:59','2022-12-16 11:20:59',12,NULL,NULL,30,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party Italo modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(646,'646',NULL,1,'2022-12-26 12:12:11','2022-12-26 12:12:11',40,'AC_COMPANY_CREATE','Third party aaa created','2022-12-26 12:12:11','2022-12-26 12:12:11',12,NULL,NULL,31,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaa created',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(647,'647',NULL,1,'2022-12-26 12:12:43','2022-12-26 12:12:43',40,'AC_COMPANY_CREATE','Third party aaa created','2022-12-26 12:12:43','2022-12-26 12:12:43',12,NULL,NULL,32,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaa created',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(648,'648',NULL,1,'2022-12-26 12:14:10','2022-12-26 12:14:10',40,'AC_COMPANY_CREATE','Third party aaa created','2022-12-26 12:14:10','2022-12-26 12:14:10',12,NULL,NULL,33,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaa created',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(649,'649',NULL,1,'2022-12-26 12:15:09','2022-12-26 12:15:09',40,'AC_COMPANY_CREATE','Third party aaa created','2022-12-26 12:15:09','2022-12-26 12:15:09',12,NULL,NULL,34,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaa created',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(650,'650',NULL,1,'2022-12-26 12:18:03','2022-12-26 12:18:03',40,'AC_COMPANY_CREATE','Third party bbb created','2022-12-26 12:18:03','2022-12-26 12:18:03',12,NULL,NULL,35,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party bbb created',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(651,'651',NULL,1,'2022-12-26 12:21:55','2022-12-26 12:21:55',40,'AC_COMPANY_CREATE','Third party bbb created','2022-12-26 12:21:55','2022-12-26 12:21:55',12,NULL,NULL,36,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party bbb created',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(652,'652',NULL,1,'2022-12-28 00:21:00','2022-12-28 00:21:00',40,'AC_COMPANY_MODIFY','Third party bbb modified','2022-12-28 00:21:00','2022-12-28 00:21:00',12,NULL,NULL,35,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party bbb modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(653,'653',NULL,1,'2022-12-28 00:56:01','2022-12-28 00:56:01',40,'AC_COMPANY_MODIFY','Third party Italo modified','2022-12-28 00:56:01','2022-12-28 00:56:01',12,NULL,NULL,30,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party Italo modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(654,'654',NULL,1,'2022-12-28 00:56:09','2022-12-28 00:56:09',40,'AC_COMPANY_MODIFY','Third party Italo modified','2022-12-28 00:56:09','2022-12-28 00:56:09',12,NULL,NULL,30,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party Italo modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(655,'655',NULL,1,'2022-12-29 18:08:12','2022-12-29 18:08:12',40,'AC_BILL_SUPPLIER_UNVALIDATE','Invoice SI2001-0006 go back to draft status','2022-12-29 18:08:12','2022-12-29 18:08:12',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice SI2001-0006 go back to draft status',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(656,'656',NULL,1,'2022-12-29 18:08:29','2022-12-29 18:08:29',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2001-0006 validated','2022-12-29 18:08:29','2022-12-29 18:08:29',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice SI2001-0006 validated',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(657,'657',NULL,1,'2022-12-29 18:08:42','2022-12-29 18:08:42',40,'AC_BILL_SUPPLIER_UNVALIDATE','Invoice SI2001-0006 go back to draft status','2022-12-29 18:08:42','2022-12-29 18:08:42',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice SI2001-0006 go back to draft status',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(658,'658',NULL,1,'2022-12-30 10:44:06','2022-12-30 10:44:06',40,'AC_PRODUCT_CREATE','Product aaa created','2022-12-30 10:44:06','2022-12-30 13:44:06',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product aaa created',32,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(659,'659',NULL,1,'2023-01-02 15:49:54','2023-01-02 15:49:54',40,'AC_COMPANY_MODIFY','Third party aaa modified','2023-01-02 15:49:54','2023-01-02 18:49:54',12,NULL,NULL,31,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaa modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(710,'710',NULL,1,'2023-01-03 11:07:52','2023-01-03 11:07:52',40,'AC_PRODUCT_CREATE','Product aaa_XL_BLUE created','2023-01-03 11:07:52','2023-01-03 14:07:52',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product aaa_XL_BLUE created',33,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(711,'711',NULL,1,'2023-01-03 11:07:52','2023-01-03 11:07:52',40,'AC_PRODUCT_MODIFY','Product aaa_XL_BLUE modified','2023-01-03 11:07:52','2023-01-03 14:07:52',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product aaa_XL_BLUE modified',33,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(712,'712',NULL,1,'2023-01-03 11:15:51','2023-01-03 11:15:51',40,'AC_PRODUCT_CREATE','Product aaa_L_RED created','2023-01-03 11:15:51','2023-01-03 14:15:51',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product aaa_L_RED created',34,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(713,'713',NULL,1,'2023-01-03 11:15:51','2023-01-03 11:15:51',40,'AC_PRODUCT_MODIFY','Product aaa_L_RED modified','2023-01-03 11:15:51','2023-01-03 14:15:51',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product aaa_L_RED modified',34,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(714,'714',NULL,1,'2023-01-04 13:58:52','2023-01-04 13:58:52',40,'AC_TICKET_ASSIGNED','Ticket TS1911-0004 assigned','2023-01-04 13:58:52','2023-01-04 16:58:52',12,NULL,4,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Ticket TS1911-0004 assigned\nOld user: Commerson Charle1\nNew user: David Doe',6,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(715,'715',NULL,1,'2023-01-04 13:58:57','2023-01-04 13:58:57',40,'AC_TICKET_ASSIGNED','Ticket TS1911-0004 assigned','2023-01-04 13:58:57','2023-01-04 16:58:57',12,NULL,4,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Ticket TS1911-0004 assigned\nOld user: David Doe\nNew user: Pierre Curie',6,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(716,'716',NULL,1,'2023-01-10 12:59:11','2023-01-10 12:59:11',40,'AC_BILL_UNVALIDATE','Invoice FA1212-0009 go back to draft status','2023-01-10 12:59:11','2023-01-10 15:59:11',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice FA1212-0009 go back to draft status',55,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(717,'717',NULL,1,'2023-01-14 07:46:33','2023-01-14 07:46:33',40,'AC_MEMBER_MODIFY','Member Pierre Curie modified','2023-01-14 07:46:33','2023-01-14 10:46:33',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Member Pierre Curie modified\nMember: Pierre Curie\nType: Standard members',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(718,'718',NULL,1,'2023-01-14 07:46:33','2023-01-14 07:46:33',40,'AC_USER_MODIFY','Record 3 modified','2023-01-14 07:46:33','2023-01-14 10:46:33',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 3 modified',3,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(719,'719',NULL,1,NULL,NULL,63,'AC_EO_INDOORBOOTH','aaa','2023-01-14 11:37:25','2023-01-18 22:10:37',12,12,NULL,17,NULL,0,12,0,NULL,0,0,0,NULL,NULL,NULL,'hfghfgfh\r\nfg\r\nhfg\r\nhfg',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(720,'720',NULL,1,'2023-01-16 16:42:03','2023-01-16 16:42:03',40,'AC_PRODUCT_MODIFY','Product aaa_L_RED modified','2023-01-16 16:42:03','2023-01-16 19:42:03',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product aaa_L_RED modified',34,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(721,'721',NULL,1,'2023-01-17 09:33:47','2023-01-17 09:33:47',40,'AC_PROPAL_MODIFY','Proposal PR2001-0034 go back to draft status','2023-01-17 09:33:47','2023-01-17 12:33:47',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Proposal PR2001-0034 go back to draft status',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(722,'722',NULL,1,'2023-01-18 07:54:02','2023-01-18 07:54:02',40,'AC_BILL_VALIDATE','Invoice FA2301-0029 validated','2023-01-18 07:54:02','2023-01-18 10:54:02',12,NULL,NULL,36,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice FA2301-0029 validated',232,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(723,'723',NULL,1,'2023-01-18 07:54:30','2023-01-18 07:54:30',40,'AC_BILL_VALIDATE','Invoice AV2301-0004 validated','2023-01-18 07:54:30','2023-01-18 10:54:30',12,NULL,NULL,36,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice AV2301-0004 validated',233,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(724,'724',NULL,1,'2023-01-19 09:39:56','2023-01-19 09:39:56',40,'AC_CONTRACT_MODIFY','Record CONTRAT1 modified','2023-01-19 09:39:56','2023-01-19 12:39:56',12,NULL,NULL,2,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record CONTRAT1 modified',2,'contract',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(725,'725',NULL,1,'2023-01-24 06:58:57','2023-01-24 06:58:57',40,'AC_MEMBER_MODIFY','Member Vick Smith modified','2023-01-24 06:58:57','2023-01-24 09:58:57',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Member Vick Smith modified\nMember: Vick Smith\nType: Standard members',1,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(726,'726',NULL,1,'2023-01-24 06:58:57','2023-01-24 06:58:57',40,'AC_COMPANY_MODIFY','Third party NLTechno modified','2023-01-24 06:58:57','2023-01-24 09:58:57',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party NLTechno modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(727,'727',NULL,1,'2023-01-24 07:28:30','2023-01-24 07:28:30',40,'AC_PRODUCT_MODIFY','Product PINKDRESS modified','2023-01-24 07:28:30','2023-01-24 10:28:30',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product PINKDRESS modified',1,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(728,'728',NULL,1,'2023-01-31 07:08:36','2023-01-31 07:08:36',40,'AC_HOLIDAY_VALIDATE','Request for leave HL2112-0001 validated','2023-01-31 07:08:36','2023-01-31 10:08:36',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Request for leave HL2112-0001 validated',2,'holiday',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(729,'729',NULL,1,'2023-01-31 07:09:11','2023-01-31 07:09:11',40,'AC_HOLIDAY_CREATE','Request for leave (PROV4) created','2023-01-31 07:09:11','2023-01-31 10:09:11',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Request for leave (PROV4) created',4,'holiday',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(730,'730',NULL,1,'2023-01-31 07:09:13','2023-01-31 07:09:13',40,'AC_HOLIDAY_VALIDATE','Request for leave HL2301-0002 validated','2023-01-31 07:09:13','2023-01-31 10:09:13',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Request for leave HL2301-0002 validated',4,'holiday',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(731,'731',NULL,1,'2023-01-31 07:09:16','2023-01-31 07:09:16',40,'AC_HOLIDAY_APPROVE','Request for leave HL2301-0002 approved','2023-01-31 07:09:16','2023-01-31 10:09:16',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Request for leave HL2301-0002 approved',4,'holiday',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(732,'732',NULL,1,'2023-02-04 12:42:34','2023-02-04 12:42:34',40,'AC_BILL_VALIDATE','Invoice FA1212-0009 validated','2023-02-04 12:42:34','2023-02-04 15:42:34',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice FA1212-0009 validated',55,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(733,'733',NULL,1,'2023-02-06 09:18:44','2023-02-06 09:18:44',40,'AC_USER_MODIFY','Record 12 modified','2023-02-06 09:18:44','2023-02-06 12:18:44',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(734,'734',NULL,1,'2023-02-08 09:45:21','2023-02-08 09:45:21',40,'AC_USER_MODIFY','Record 12 modified','2023-02-08 09:45:21','2023-02-08 12:45:21',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(735,'735',NULL,1,'2023-02-09 15:05:49','2023-02-09 15:05:49',40,'AC_COMPANY_MODIFY','Third party aaaincash modified','2023-02-09 15:05:49','2023-02-09 18:05:49',12,NULL,NULL,34,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaaincash modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(736,'736',NULL,1,'2023-02-09 15:09:09','2023-02-09 15:09:09',40,'AC_COMPANY_MODIFY','Third party aaainlux modified','2023-02-09 15:09:09','2023-02-09 18:09:09',12,NULL,NULL,33,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaainlux modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(737,'737',NULL,1,'2023-02-10 12:56:53','2023-02-10 12:56:53',40,'AC_USER_MODIFY','Record 12 modified','2023-02-10 12:56:53','2023-02-10 15:56:53',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(738,'738',NULL,1,'2023-02-15 13:05:21','2023-02-15 13:05:21',40,'AC_BILL_VALIDATE','Invoice FA2302-0030 validated','2023-02-15 13:05:21','2023-02-15 16:05:21',12,NULL,NULL,34,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice FA2302-0030 validated',235,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(739,'739',NULL,1,'2023-02-15 13:17:31','2023-02-15 13:17:31',40,'AC_BILL_VALIDATE','Invoice FA2302-0031 validated','2023-02-15 13:17:31','2023-02-15 16:17:31',12,NULL,4,34,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice FA2302-0031 validated',236,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(740,'740',NULL,1,'2023-02-15 13:18:30','2023-02-15 13:18:30',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2302-0008 validated','2023-02-15 13:18:30','2023-02-15 16:18:30',12,NULL,4,17,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice SI2302-0008 validated',32,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(741,'741',NULL,1,'2023-02-15 13:54:38','2023-02-15 13:54:38',40,'AC_BILL_SUPPLIER_UNVALIDATE','Invoice SI2302-0008 go back to draft status','2023-02-15 13:54:38','2023-02-15 16:54:38',12,NULL,4,17,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice SI2302-0008 go back to draft status',32,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(742,'742',NULL,1,'2023-02-15 13:54:52','2023-02-15 13:54:52',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2302-0008 validated','2023-02-15 13:54:52','2023-02-15 16:54:52',12,NULL,4,17,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice SI2302-0008 validated',32,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(743,'743',NULL,1,'2023-02-15 20:08:31','2023-02-15 20:08:31',40,'AC_COMPANY_MODIFY','Third party aaaincash modified','2023-02-15 20:08:31','2023-02-15 23:08:31',12,NULL,NULL,34,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaaincash modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(744,'744',NULL,1,'2023-02-19 09:51:33','2023-02-19 09:51:33',40,'AC_PROJECT_MODIFY','Project PROJ2 modified','2023-02-19 09:51:33','2023-02-19 12:51:33',12,NULL,2,13,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Project PROJ2 modified\nLead status: -> 6',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(745,'745',NULL,1,'2023-02-19 09:51:40','2023-02-19 09:51:40',40,'AC_PROJECT_MODIFY','Project PROJ2 modified','2023-02-19 09:51:40','2023-02-19 12:51:40',12,NULL,2,13,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Project PROJ2 modified\nLead status: 6 -> 3',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(746,'746',NULL,1,'2023-02-19 12:27:27','2023-02-19 12:27:27',40,'AC_PROJECT_VALIDATE','Project PJ1912-0007 validated','2023-02-19 12:27:27','2023-02-19 15:27:27',12,NULL,12,4,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Project PJ1912-0007 validated\nProject: PJ1912-0007',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(747,'747',NULL,1,'2023-02-19 12:38:07','2023-02-19 12:38:07',40,'AC_PROJECT_VALIDATE','Project PJ1912-0007 validated','2023-02-19 12:38:07','2023-02-19 15:38:07',12,NULL,12,4,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Project PJ1912-0007 validated\nProject: PJ1912-0007',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(748,'748',NULL,1,'2023-02-19 12:54:30','2023-02-19 12:54:30',40,'AC_PROJECT_MODIFY','Project PJ1912-0007 modified','2023-02-19 12:54:30','2023-02-19 15:54:30',12,NULL,12,4,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Project PJ1912-0007 modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(749,'749',NULL,1,'2023-02-19 12:55:22','2023-02-19 12:55:22',40,'AC_PROJECT_VALIDATE','Project PJ1912-0007 validated','2023-02-19 12:55:22','2023-02-19 15:55:22',12,NULL,12,4,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Project PJ1912-0007 validated\nProject: PJ1912-0007',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(752,'752',NULL,1,'2023-02-19 13:00:55','2023-02-19 13:00:55',40,'AC_PROJECT_VALIDATE','Project PROJ2 validated','2023-02-19 13:00:55','2023-02-19 16:00:55',12,NULL,2,13,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Project PROJ2 validated\nProject: PROJ2',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(753,'753',NULL,1,'2023-02-21 07:51:50','2023-02-21 07:51:50',40,'AC_BILL_SUPPLIER_MODIFY','Record SI1601-0002 modified','2023-02-21 07:51:50','2023-02-21 10:51:50',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record SI1601-0002 modified',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(754,'754',NULL,1,'2023-02-21 07:52:03','2023-02-21 07:52:03',40,'AC_BILL_SUPPLIER_MODIFY','Record SI1601-0002 modified','2023-02-21 07:52:03','2023-02-21 10:52:03',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record SI1601-0002 modified',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(755,'755',NULL,1,'2023-02-21 07:52:10','2023-02-21 07:52:10',40,'AC_BILL_SUPPLIER_MODIFY','Record SI1601-0002 modified','2023-02-21 07:52:10','2023-02-21 10:52:10',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record SI1601-0002 modified',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(756,'756',NULL,1,'2023-02-21 07:52:29','2023-02-21 07:52:29',40,'AC_BILL_SUPPLIER_DELETE','Supplier invoice deleted','2023-02-21 07:52:29','2023-02-21 10:52:29',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Supplier invoice deleted',33,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(757,'757',NULL,1,'2023-02-21 08:14:42','2023-02-21 08:14:42',40,'AC_BILL_SUPPLIER_MODIFY','Record (PROV38) modified','2023-02-21 08:14:42','2023-02-21 11:14:42',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record (PROV38) modified',38,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(758,'758',NULL,1,'2023-02-21 08:14:54','2023-02-21 08:14:54',40,'AC_BILL_SUPPLIER_MODIFY','Record (PROV38) modified','2023-02-21 08:14:54','2023-02-21 11:14:54',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record (PROV38) modified',38,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(759,'759',NULL,1,'2023-02-23 07:59:02','2023-02-23 07:59:02',40,'AC_BILL_MODIFY','Record FA2302-0030 modified','2023-02-23 07:59:02','2023-02-23 10:59:02',12,NULL,NULL,34,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record FA2302-0030 modified',235,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(760,'760',NULL,1,'2023-02-24 09:52:00','2023-02-24 09:52:00',40,'AC_PROPAL_MODIFY','Proposal PR2001-0034 go back to draft status','2023-02-24 09:52:00','2023-02-24 12:52:00',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Proposal PR2001-0034 go back to draft status',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(761,'761',NULL,1,'2023-02-25 12:00:16','2023-02-25 12:00:16',40,'AC_USER_NEW_PASSWORD','Password modified in Dolibarr','2023-02-25 12:00:16','2023-02-25 15:00:16',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Password modified in Dolibarr',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(762,'762',NULL,1,'2023-02-25 12:00:16','2023-02-25 12:00:16',40,'AC_USER_MODIFY','Record 22 modified','2023-02-25 12:00:16','2023-02-25 15:00:16',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(764,'764',NULL,1,'2023-02-25 12:08:43','2023-02-25 12:08:43',40,'AC_USER_CREATE','Record created','2023-02-25 12:08:43','2023-02-25 15:08:43',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record created',29,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(765,'765',NULL,1,'2023-02-25 12:08:43','2023-02-25 12:08:43',40,'AC_USER_NEW_PASSWORD','Password modified in Dolibarr','2023-02-25 12:08:43','2023-02-25 15:08:43',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Password modified in Dolibarr',29,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(766,'766',NULL,1,'2023-02-25 12:08:50','2023-02-25 12:08:50',40,'AC_USER_MODIFY','Record 29 modified','2023-02-25 12:08:50','2023-02-25 15:08:50',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 29 modified',29,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(767,'767',NULL,1,'2023-02-25 12:08:52','2023-02-25 12:08:52',40,'AC_USER_MODIFY','Record 29 modified','2023-02-25 12:08:52','2023-02-25 15:08:52',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 29 modified',29,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(768,'768',NULL,1,'2023-02-25 12:34:59','2023-02-25 12:34:59',40,'AC_USER_MODIFY','Record 29 modified','2023-02-25 12:34:59','2023-02-25 15:34:59',29,NULL,NULL,NULL,NULL,0,29,0,NULL,0,0,-1,'',0,NULL,'Record 29 modified',29,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(769,'769',NULL,1,'2023-02-27 15:29:28','2023-02-27 15:29:28',40,'AC_BOM_UNVALIDATE','Nomenclature (BOM) dévalidée','2023-02-27 15:29:28','2023-02-27 18:29:28',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Nomenclature (BOM) dévalidée',7,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(770,'770',NULL,1,'2023-03-01 14:02:29','2023-03-01 14:02:29',40,'AC_PARTNERSHIP_MODIFY','Enregistrement PSHIP2302-0001 modifié','2023-03-01 14:02:29','2023-03-01 17:02:29',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement PSHIP2302-0001 modifié',1,'partnership@partnership',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(771,'771',NULL,1,'2023-03-01 14:03:20','2023-03-01 14:03:20',40,'AC_PARTNERSHIP_MODIFY','Enregistrement PSHIP2302-0001 modifié','2023-03-01 14:03:20','2023-03-01 17:03:20',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement PSHIP2302-0001 modifié',1,'partnership@partnership',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(772,'772',NULL,1,'2023-03-01 14:03:41','2023-03-01 14:03:41',40,'AC_PARTNERSHIP_MODIFY','Enregistrement PSHIP2302-0001 modifié','2023-03-01 14:03:41','2023-03-01 17:03:41',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement PSHIP2302-0001 modifié',1,'partnership@partnership',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(773,'773',NULL,1,'2023-03-01 14:03:46','2023-03-01 14:03:46',40,'AC_PARTNERSHIP_MODIFY','Enregistrement PSHIP2302-0001 modifié','2023-03-01 14:03:46','2023-03-01 17:03:46',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement PSHIP2302-0001 modifié',1,'partnership@partnership',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(774,'774',NULL,1,'2023-03-01 14:07:59','2023-03-01 14:07:59',40,'AC_PARTNERSHIP_SENTBYMAIL','Mail envoyé par Alice Adminson au Calculation Power','2023-03-01 14:07:59','2023-03-01 17:07:59',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'

      Hello,
      \r\n
      \r\nNous vous informons que votre demande de partenariat a été acceptée.

      \r\n
      \r\n
      \r\nSincèrement
      \r\nMyBigCompany',1,'partnership@partnership','1677690479.phpmail-dolibarr-pship1@c0d6c0956db3b57170498443d16ce126987719e7','[MyBigCompany] - Partenariat accepté','Alice Adminson ',NULL,'Calculation Power ',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(775,'775',NULL,1,'2023-03-01 18:12:37','2023-03-01 18:12:37',40,'AC_PROPAL_MODIFY','Proposition PR2001-0034 de retour au statut de brouillon','2023-03-01 18:12:37','2023-03-01 21:12:37',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Proposition PR2001-0034 de retour au statut de brouillon',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(776,'776',NULL,1,'2023-03-01 18:12:41','2023-03-01 18:12:41',40,'AC_PROPAL_VALIDATE','Proposition PR2001-0034 validée','2023-03-01 18:12:41','2023-03-01 21:12:41',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Proposition PR2001-0034 validée',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(777,'777',NULL,1,'2023-03-01 19:02:40','2023-03-01 19:02:40',40,'AC_COMPANY_MODIFY','Tiers Indian SAS modifié','2023-03-01 19:02:40','2023-03-01 22:02:40',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Tiers Indian SAS modifié',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(778,'778',NULL,1,'2023-03-01 19:29:14','2023-03-01 19:29:14',40,'AC_PROPAL_CLOSE_SIGNED','Proposition PR2001-0034 signée','2023-03-01 19:29:14','2023-03-01 22:29:14',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Proposition PR2001-0034 signée',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(779,'779',NULL,1,'2023-03-01 19:37:33','2023-03-01 19:37:33',40,'AC_ORDER_VALIDATE','Commande CO2201-0028 validée','2023-03-01 19:37:33','2023-03-01 22:37:33',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Commande CO2201-0028 validée',98,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(782,'782',NULL,1,'2023-03-01 19:50:08','2023-03-01 19:50:08',40,'AC_PROPAL_CLOSE_SIGNED','Proposition PR2001-0034 signée','2023-03-01 19:50:08','2023-03-01 22:50:08',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Proposition PR2001-0034 signée',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(783,'783',NULL,1,'2023-03-01 19:50:24','2023-03-01 19:50:24',40,'AC_PROPAL_CLOSE_SIGNED','Proposition PR2001-0034 signée','2023-03-01 19:50:24','2023-03-01 22:50:24',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Proposition PR2001-0034 signée',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(784,'784',NULL,1,'2023-03-02 13:16:15','2023-03-02 13:16:15',40,'AC_BILL_VALIDATE','Facture FA2303-0032 validée','2023-03-02 13:16:15','2023-03-02 16:16:15',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Facture FA2303-0032 validée',237,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(785,'785',NULL,1,'2023-03-02 13:16:15','2023-03-02 13:16:15',40,'AC_BILL_MODIFY','Enregistrement FA2303-0032 modifié','2023-03-02 13:16:15','2023-03-02 16:16:15',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement FA2303-0032 modifié',237,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(786,'786',NULL,1,'2023-03-02 13:21:13','2023-03-02 13:21:13',40,'AC_BILL_VALIDATE','Facture FA2303-0033 validée','2023-03-02 13:21:13','2023-03-02 16:21:13',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Facture FA2303-0033 validée',238,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(787,'787',NULL,1,'2023-03-02 13:21:13','2023-03-02 13:21:13',40,'AC_BILL_MODIFY','Enregistrement FA2303-0033 modifié','2023-03-02 13:21:13','2023-03-02 16:21:13',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement FA2303-0033 modifié',238,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(788,'788',NULL,1,'2023-03-07 22:23:35','2023-03-07 22:23:35',40,'AC_ORDER_SUPPLIER_MODIFY','Enregistrement CF1303-0004 modifié','2023-03-07 22:23:35','2023-03-08 01:23:35',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement CF1303-0004 modifié',13,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(789,'789',NULL,1,'2023-03-07 22:24:28','2023-03-07 22:24:28',40,'AC_ORDER_SUPPLIER_MODIFY','Enregistrement CF1303-0004 modifié','2023-03-07 22:24:28','2023-03-08 01:24:28',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement CF1303-0004 modifié',13,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(790,'790',NULL,1,'2023-03-07 22:24:35','2023-03-07 22:24:35',40,'AC_ORDER_SUPPLIER_MODIFY','Enregistrement CF1303-0004 modifié','2023-03-07 22:24:35','2023-03-08 01:24:35',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement CF1303-0004 modifié',13,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(791,'791',NULL,1,'2023-03-13 06:17:35','2023-03-13 06:17:35',40,'AC_TICKET_CLOSE','Ticket TS1911-0005 fermé','2023-03-13 06:17:35','2023-03-13 09:17:35',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Ticket TS1911-0005 fermé',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(792,'792',NULL,1,'2023-03-13 08:03:08','2023-03-13 08:03:08',40,'AC_USER_MODIFY','Enregistrement 29 modifié','2023-03-13 08:03:08','2023-03-13 11:03:08',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement 29 modifié',29,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(793,'793',NULL,1,'2023-03-13 08:23:30','2023-03-13 08:23:30',40,'AC_USER_MODIFY','Enregistrement 1 modifié','2023-03-13 08:23:30','2023-03-13 11:23:30',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement 1 modifié',1,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(794,'794',NULL,1,'2023-03-13 08:45:21','2023-03-13 08:45:21',40,'AC_USER_MODIFY','Enregistrement 1 modifié','2023-03-13 08:45:21','2023-03-13 11:45:21',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement 1 modifié',1,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(795,'795',NULL,1,'2023-03-13 08:45:30','2023-03-13 08:45:30',40,'AC_USER_MODIFY','Enregistrement 1 modifié','2023-03-13 08:45:30','2023-03-13 11:45:30',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement 1 modifié',1,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(796,'796',NULL,1,'2023-08-13 15:51:26','2023-08-13 15:51:26',40,'AC_PRODUCT_MODIFY','Produit DOLICLOUD modifié','2023-08-13 15:51:26','2023-08-13 15:51:26',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Produit DOLICLOUD modifié',12,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(797,'797',NULL,1,'2023-08-15 09:35:04','2023-08-15 09:35:04',40,'AC_USER_MODIFY','Enregistrement 12 modifié','2023-08-15 09:35:04','2023-08-15 09:35:04',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Enregistrement 12 modifié',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(798,'798',NULL,1,'2023-08-15 09:35:23','2023-08-15 09:35:23',40,'AC_USER_MODIFY','Enregistrement 12 modifié','2023-08-15 09:35:23','2023-08-15 09:35:23',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Enregistrement 12 modifié',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(799,'799',NULL,1,'2023-08-15 10:05:18','2023-08-15 10:05:18',40,'AC_USER_MODIFY','Enregistrement 12 modifié','2023-08-15 10:05:18','2023-08-15 10:05:18',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Enregistrement 12 modifié',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(800,'800',NULL,1,'2023-08-15 10:35:57','2023-08-15 10:35:57',40,'AC_PARTNERSHIP_MODIFY','Enregistrement PSHIP2302-0001 modifié','2023-08-15 10:35:57','2023-08-15 10:35:57',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Enregistrement PSHIP2302-0001 modifié',1,'partnership@partnership',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(801,'801',NULL,1,'2023-08-15 12:18:31','2023-08-15 12:18:31',40,'AC_BILL_SUPPLIER_MODIFY','Enregistrement (PROV36) modifié','2023-08-15 12:18:31','2023-08-15 12:18:31',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Enregistrement (PROV36) modifié',36,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(802,'802',NULL,1,'2023-08-15 12:18:46','2023-08-15 12:18:46',40,'AC_BILL_SUPPLIER_MODIFY','Enregistrement (PROV36) modifié','2023-08-15 12:18:46','2023-08-15 12:18:46',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Enregistrement (PROV36) modifié',36,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL),(803,'803',NULL,1,'2023-08-15 13:29:54','2023-08-15 13:29:54',40,'AC_BILL_VALIDATE','Facture AC2301-0005 validée','2023-08-15 13:29:54','2023-08-15 13:29:54',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Facture AC2301-0005 validée',222,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL); +INSERT INTO `llx_actioncomm` VALUES (1,'1',NULL,1,'2012-07-08 14:21:44','2012-07-08 14:21:44',50,NULL,'Company AAA and Co added into Dolibarr','2012-07-08 14:21:44','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Company AAA and Co added into Dolibarr\nAuthor: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(2,'2',NULL,1,'2012-07-08 14:23:48','2012-07-08 14:23:48',50,NULL,'Company Belin SARL added into Dolibarr','2012-07-08 14:23:48','2021-04-15 10:22:55',1,NULL,NULL,2,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Company Belin SARL added into Dolibarr\nAuthor: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(3,'3',NULL,1,'2012-07-08 22:42:12','2012-07-08 22:42:12',50,NULL,'Company Spanish Comp added into Dolibarr','2012-07-08 22:42:12','2021-04-15 10:22:55',1,NULL,NULL,3,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Company Spanish Comp added into Dolibarr\nAuthor: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(4,'4',NULL,1,'2012-07-08 22:48:18','2012-07-08 22:48:18',50,NULL,'Company Prospector Vaalen added into Dolibarr','2012-07-08 22:48:18','2021-04-15 10:22:55',1,NULL,NULL,4,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Company Prospector Vaalen added into Dolibarr\nAuthor: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(5,'5',NULL,1,'2012-07-08 23:22:57','2012-07-08 23:22:57',50,NULL,'Company NoCountry Co added into Dolibarr','2012-07-08 23:22:57','2021-04-15 10:22:55',1,NULL,NULL,5,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Company NoCountry Co added into Dolibarr\nAuthor: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(6,'6',NULL,1,'2012-07-09 00:15:09','2012-07-09 00:15:09',50,NULL,'Company Swiss customer added into Dolibarr','2012-07-09 00:15:09','2021-04-15 10:22:55',1,NULL,NULL,6,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Company Swiss customer added into Dolibarr\nAuthor: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(7,'7',NULL,1,'2012-07-09 01:24:26','2012-07-09 01:24:26',50,NULL,'Company Generic customer added into Dolibarr','2012-07-09 01:24:26','2021-04-15 10:22:55',1,NULL,NULL,7,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Company Generic customer added into Dolibarr\nAuthor: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(8,'8',NULL,1,'2012-07-10 14:54:27','2012-07-10 14:54:27',50,NULL,'Société Client salon ajoutée dans Dolibarr','2012-07-10 14:54:27','2021-04-15 10:22:55',1,NULL,NULL,8,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Société Client salon ajoutée dans Dolibarr\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(9,'9',NULL,1,'2012-07-10 14:54:44','2012-07-10 14:54:44',50,NULL,'Société Client salon invidivdu ajoutée dans Doliba','2012-07-10 14:54:44','2021-04-15 10:22:55',1,NULL,NULL,9,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Société Client salon invidivdu ajoutée dans Dolibarr\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(10,'10',NULL,1,'2012-07-10 14:56:10','2012-07-10 14:56:10',50,NULL,'Facture FA1007-0001 validée dans Dolibarr','2012-07-10 14:56:10','2021-04-15 10:22:55',1,NULL,NULL,9,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Facture FA1007-0001 validée dans Dolibarr\nAuteur: admin',1,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(11,'11',NULL,1,'2012-07-10 14:58:53','2012-07-10 14:58:53',50,NULL,'Facture FA1007-0001 validée dans Dolibarr','2012-07-10 14:58:53','2021-04-15 10:22:55',1,NULL,NULL,9,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Facture FA1007-0001 validée dans Dolibarr\nAuteur: admin',1,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(12,'12',NULL,1,'2012-07-10 15:00:55','2012-07-10 15:00:55',50,NULL,'Facture FA1007-0001 passée à payée dans Dolibarr','2012-07-10 15:00:55','2021-04-15 10:22:55',1,NULL,NULL,9,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Facture FA1007-0001 passée à payée dans Dolibarr\nAuteur: admin',1,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(13,'13',NULL,1,'2012-07-10 15:13:08','2012-07-10 15:13:08',50,NULL,'Société Smith Vick ajoutée dans Dolibarr','2012-07-10 15:13:08','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Société Smith Vick ajoutée dans Dolibarr\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(14,'14',NULL,1,'2012-07-10 15:21:00','2012-07-10 16:21:00',5,NULL,'RDV avec mon chef','2012-07-10 15:21:48','2021-04-15 10:22:55',1,NULL,NULL,NULL,NULL,0,1,NULL,NULL,0,0,0,'',3600,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(15,'15',NULL,1,'2012-07-10 18:18:16','2012-07-10 18:18:16',50,NULL,'Contrat CONTRAT1 validé dans Dolibarr','2012-07-10 18:18:16','2021-04-15 10:22:55',1,NULL,NULL,2,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Contrat CONTRAT1 validé dans Dolibarr\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(16,'16',NULL,1,'2012-07-10 18:35:57','2012-07-10 18:35:57',50,NULL,'Société Mon client ajoutée dans Dolibarr','2012-07-10 18:35:57','2022-12-27 13:43:41',1,NULL,1,11,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Société Mon client ajoutée dans Dolibarr\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(17,'17',NULL,1,'2012-07-11 16:18:08','2012-07-11 16:18:08',50,NULL,'Société Dupont Alain ajoutée dans Dolibarr','2012-07-11 16:18:08','2021-04-15 10:22:55',1,NULL,NULL,12,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Société Dupont Alain ajoutée dans Dolibarr\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(18,'18',NULL,1,'2012-07-11 17:11:00','2012-07-11 17:17:00',5,NULL,'Rendez-vous','2012-07-11 17:11:22','2021-04-15 10:22:55',1,NULL,NULL,NULL,NULL,0,1,NULL,NULL,0,0,0,'gfgdfgdf',360,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(19,'19',NULL,1,'2012-07-11 17:13:20','2012-07-11 17:13:20',50,NULL,'Société Vendeur de chips ajoutée dans Dolibarr','2012-07-11 17:13:20','2021-04-15 10:22:55',1,NULL,NULL,13,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Société Vendeur de chips ajoutée dans Dolibarr\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(20,'20',NULL,1,'2012-07-11 17:15:42','2012-07-11 17:15:42',50,NULL,'Commande CF1007-0001 validée','2012-07-11 17:15:42','2021-04-15 10:22:55',1,NULL,NULL,13,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Commande CF1007-0001 validée\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(21,'21',NULL,1,'2012-07-11 18:47:33','2012-07-11 18:47:33',50,NULL,'Commande CF1007-0002 validée','2012-07-11 18:47:33','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Commande CF1007-0002 validée\nAuteur: admin',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(22,'22',NULL,1,'2012-07-18 11:36:18','2012-07-18 11:36:18',50,NULL,'Proposition PR1007-0003 validée','2012-07-18 11:36:18','2021-04-15 10:22:55',1,NULL,NULL,4,NULL,0,1,NULL,1,0,0,100,'',NULL,NULL,'Proposition PR1007-0003 validée\nAuteur: admin',3,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(23,'23',NULL,1,'2013-07-18 20:49:58','2013-07-18 20:49:58',50,NULL,'Invoice FA1007-0002 validated in Dolibarr','2013-07-18 20:49:58','2021-04-15 10:22:55',1,NULL,NULL,2,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1007-0002 validated in Dolibarr\nAuthor: admin',2,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(24,'24',NULL,1,'2013-07-28 01:37:00',NULL,1,NULL,'Phone call','2013-07-28 01:37:48','2021-04-15 10:22:55',1,NULL,NULL,NULL,2,0,1,NULL,NULL,0,0,-1,'',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(25,'25',NULL,1,'2013-08-01 02:31:24','2013-08-01 02:31:24',50,NULL,'Company mmm added into Dolibarr','2013-08-01 02:31:24','2021-04-15 10:22:55',1,NULL,NULL,15,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Company mmm added into Dolibarr\nAuthor: admin',15,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(26,'26',NULL,1,'2013-08-01 02:31:43','2013-08-01 02:31:43',50,NULL,'Company ppp added into Dolibarr','2013-08-01 02:31:43','2021-04-15 10:22:55',1,NULL,NULL,16,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Company ppp added into Dolibarr\nAuthor: admin',16,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(27,'27',NULL,1,'2013-08-01 02:41:26','2013-08-01 02:41:26',50,NULL,'Company aaa added into Dolibarr','2013-08-01 02:41:26','2021-04-15 10:22:55',1,NULL,NULL,17,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Company aaa added into Dolibarr\nAuthor: admin',17,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(28,'28',NULL,1,'2013-08-01 03:34:11','2013-08-01 03:34:11',50,NULL,'Invoice FA1108-0003 validated in Dolibarr','2013-08-01 03:34:11','2021-04-15 10:22:55',1,NULL,NULL,7,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1108-0003 validated in Dolibarr\nAuthor: admin',5,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(29,'29',NULL,1,'2013-08-01 03:34:11','2013-08-01 03:34:11',50,NULL,'Invoice FA1108-0003 validated in Dolibarr','2013-08-01 03:34:11','2021-04-15 10:22:55',1,NULL,NULL,7,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1108-0003 changed to paid in Dolibarr\nAuthor: admin',5,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(30,'30',NULL,1,'2013-08-06 20:33:54','2013-08-06 20:33:54',50,NULL,'Invoice FA1108-0004 validated in Dolibarr','2013-08-06 20:33:54','2021-04-15 10:22:55',1,NULL,NULL,7,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1108-0004 validated in Dolibarr\nAuthor: admin',6,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(31,'31',NULL,1,'2013-08-06 20:33:54','2013-08-06 20:33:54',50,NULL,'Invoice FA1108-0004 validated in Dolibarr','2013-08-06 20:33:54','2021-04-15 10:22:55',1,NULL,NULL,7,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1108-0004 changed to paid in Dolibarr\nAuthor: admin',6,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(38,'38',NULL,1,'2013-08-08 02:41:55','2013-08-08 02:41:55',50,NULL,'Invoice FA1108-0005 validated in Dolibarr','2013-08-08 02:41:55','2021-04-15 10:22:55',1,NULL,NULL,2,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1108-0005 validated in Dolibarr\nAuthor: admin',8,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(40,'40',NULL,1,'2013-08-08 02:53:40','2013-08-08 02:53:40',50,NULL,'Invoice FA1108-0005 changed to paid in Dolibarr','2013-08-08 02:53:40','2021-04-15 10:22:55',1,NULL,NULL,2,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1108-0005 changed to paid in Dolibarr\nAuthor: admin',8,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(41,'41',NULL,1,'2013-08-08 02:54:05','2013-08-08 02:54:05',50,NULL,'Invoice FA1007-0002 changed to paid in Dolibarr','2013-08-08 02:54:05','2021-04-15 10:22:55',1,NULL,NULL,2,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1007-0002 changed to paid in Dolibarr\nAuthor: admin',2,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(42,'42',NULL,1,'2013-08-08 02:55:04','2013-08-08 02:55:04',50,NULL,'Invoice FA1107-0006 validated in Dolibarr','2013-08-08 02:55:04','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1107-0006 validated in Dolibarr\nAuthor: admin',3,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(43,'43',NULL,1,'2013-08-08 02:55:26','2013-08-08 02:55:26',50,NULL,'Invoice FA1108-0007 validated in Dolibarr','2013-08-08 02:55:26','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1108-0007 validated in Dolibarr\nAuthor: admin',9,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(44,'44',NULL,1,'2013-08-08 02:55:58','2013-08-08 02:55:58',50,NULL,'Invoice FA1107-0006 changed to paid in Dolibarr','2013-08-08 02:55:58','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Invoice FA1107-0006 changed to paid in Dolibarr\nAuthor: admin',3,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(45,'45',NULL,1,'2013-08-08 03:04:22','2013-08-08 03:04:22',50,NULL,'Order CO1108-0001 validated','2013-08-08 03:04:22','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Order CO1108-0001 validated\nAuthor: admin',5,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(46,'46',NULL,1,'2013-08-08 13:59:09','2013-08-08 13:59:09',50,NULL,'Order CO1107-0002 validated','2013-08-08 13:59:10','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Order CO1107-0002 validated\nAuthor: admin',1,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(47,'47',NULL,1,'2013-08-08 14:24:18','2013-08-08 14:24:18',50,NULL,'Proposal PR1007-0001 validated','2013-08-08 14:24:18','2021-04-15 10:22:55',1,NULL,NULL,2,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Proposal PR1007-0001 validated\nAuthor: admin',1,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(48,'48',NULL,1,'2013-08-08 14:24:24','2013-08-08 14:24:24',50,NULL,'Proposal PR1108-0004 validated','2013-08-08 14:24:24','2021-04-15 10:22:55',1,NULL,NULL,17,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Proposal PR1108-0004 validated\nAuthor: admin',4,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(49,'49',NULL,1,'2013-08-08 15:04:37','2013-08-08 15:04:37',50,NULL,'Order CF1108-0003 validated','2013-08-08 15:04:37','2021-04-15 10:22:55',1,NULL,NULL,17,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Order CF1108-0003 validated\nAuthor: admin',6,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(50,'50',NULL,1,'2014-12-08 17:56:47','2014-12-08 17:56:47',40,NULL,'Facture AV1212-0001 validée dans Dolibarr','2014-12-08 17:56:47','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture AV1212-0001 validée dans Dolibarr\nAuteur: admin',10,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(51,'51',NULL,1,'2014-12-08 17:57:11','2014-12-08 17:57:11',40,NULL,'Facture AV1212-0001 validée dans Dolibarr','2014-12-08 17:57:11','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture AV1212-0001 validée dans Dolibarr\nAuteur: admin',10,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(52,'52',NULL,1,'2014-12-08 17:58:27','2014-12-08 17:58:27',40,NULL,'Facture FA1212-0008 validée dans Dolibarr','2014-12-08 17:58:27','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1212-0008 validée dans Dolibarr\nAuteur: admin',11,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(53,'53',NULL,1,'2014-12-08 18:20:49','2014-12-08 18:20:49',40,NULL,'Facture AV1212-0002 validée dans Dolibarr','2014-12-08 18:20:49','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture AV1212-0002 validée dans Dolibarr\nAuteur: admin',12,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(54,'54',NULL,1,'2014-12-09 18:35:07','2014-12-09 18:35:07',40,NULL,'Facture AV1212-0002 passée à payée dans Dolibarr','2014-12-09 18:35:07','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture AV1212-0002 passée à payée dans Dolibarr\nAuteur: admin',12,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(55,'55',NULL,1,'2014-12-09 20:14:42','2014-12-09 20:14:42',40,NULL,'Société doe john ajoutée dans Dolibarr','2014-12-09 20:14:42','2021-04-15 10:22:55',1,NULL,NULL,18,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Société doe john ajoutée dans Dolibarr\nAuteur: admin',18,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(56,'56',NULL,1,'2014-12-12 18:54:19','2014-12-12 18:54:19',40,NULL,'Facture FA1212-0009 validée dans Dolibarr','2014-12-12 18:54:19','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1212-0009 validée dans Dolibarr\nAuteur: admin',55,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(121,'121',NULL,1,'2014-12-06 10:00:00',NULL,50,NULL,'aaab','2014-12-21 17:48:08','2021-04-15 10:22:55',3,1,NULL,NULL,NULL,0,3,NULL,NULL,1,0,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(122,'122',NULL,1,'2014-12-21 18:09:52','2014-12-21 18:09:52',40,NULL,'Facture client FA1007-0001 envoyée par EMail','2014-12-21 18:09:52','2021-04-15 10:22:55',1,NULL,NULL,9,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Mail envoyé par Firstname SuperAdminName à laurent@mycompany.fr.\nSujet du mail: Envoi facture FA1007-0001\nCorps du mail:\nVeuillez trouver ci-joint la facture FA1007-0001\r\n\r\nVous pouvez cliquer sur le lien sécurisé ci-dessous pour effectuer votre paiement via Paypal\r\n\r\nhttp://localhost/dolibarrnew/public/paypal/newpayment.php?source=invoice&ref=FA1007-0001&securekey=50c82fab36bb3b6aa83e2a50691803b2\r\n\r\nCordialement',1,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(123,'123',NULL,1,'2015-01-06 13:13:57','2015-01-06 13:13:57',40,NULL,'Facture 16 validée dans Dolibarr','2015-01-06 13:13:57','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture 16 validée dans Dolibarr\nAuteur: admin',16,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(124,'124',NULL,1,'2015-01-12 12:23:05','2015-01-12 12:23:05',40,NULL,'Patient aaa ajouté','2015-01-12 12:23:05','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Patient aaa ajouté\nAuteur: admin',19,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(125,'125',NULL,1,'2015-01-12 12:52:20','2015-01-12 12:52:20',40,NULL,'Patient pppoo ajouté','2015-01-12 12:52:20','2021-04-15 10:22:55',1,NULL,NULL,20,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Patient pppoo ajouté\nAuteur: admin',20,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(127,'127',NULL,1,'2015-01-19 18:22:48','2015-01-19 18:22:48',40,NULL,'Facture FS1301-0001 validée dans Dolibarr','2015-01-19 18:22:48','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FS1301-0001 validée dans Dolibarr\nAuteur: admin',148,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(128,'128',NULL,1,'2015-01-19 18:31:10','2015-01-19 18:31:10',40,NULL,'Facture FA6801-0010 validée dans Dolibarr','2015-01-19 18:31:10','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA6801-0010 validée dans Dolibarr\nAuteur: admin',150,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(129,'129',NULL,1,'2015-01-19 18:31:10','2015-01-19 18:31:10',40,NULL,'Facture FA6801-0010 passée à payée dans Dolibarr','2015-01-19 18:31:10','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA6801-0010 passée à payée dans Dolibarr\nAuteur: admin',150,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(130,'130',NULL,1,'2015-01-19 18:31:58','2015-01-19 18:31:58',40,NULL,'Facture FS1301-0002 validée dans Dolibarr','2015-01-19 18:31:58','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FS1301-0002 validée dans Dolibarr\nAuteur: admin',151,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(131,'131',NULL,1,'2015-01-19 18:31:58','2015-01-19 18:31:58',40,NULL,'Facture FS1301-0002 passée à payée dans Dolibarr','2015-01-19 18:31:58','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FS1301-0002 passée à payée dans Dolibarr\nAuteur: admin',151,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(132,'132',NULL,1,'2015-01-23 15:07:54','2015-01-23 15:07:54',50,NULL,'Consultation 24 saisie (aaa)','2015-01-23 15:07:54','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Consultation 24 saisie (aaa)\nAuteur: admin',24,'cabinetmed_cons',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(133,'133',NULL,1,'2015-01-23 16:56:58','2015-01-23 16:56:58',40,NULL,'Patient pa ajouté','2015-01-23 16:56:58','2021-04-15 10:22:55',1,NULL,NULL,21,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Patient pa ajouté\nAuteur: admin',21,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(134,'134',NULL,1,'2015-01-23 17:34:00',NULL,50,NULL,'bbcv','2015-01-23 17:35:21','2021-04-15 10:22:55',1,NULL,1,2,NULL,0,1,NULL,NULL,0,0,-1,'',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(135,'135',NULL,1,'2015-02-12 15:54:00','2015-02-12 15:54:00',40,NULL,'Facture FA1212-0011 validée dans Dolibarr','2015-02-12 15:54:37','2021-04-15 10:22:55',1,1,NULL,7,NULL,0,1,NULL,1,0,0,50,NULL,NULL,NULL,'Facture FA1212-0011 validée dans Dolibarr
      \r\nAuteur: admin',13,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(136,'136',NULL,1,'2015-02-12 17:06:51','2015-02-12 17:06:51',40,NULL,'Commande CO1107-0003 validée','2015-02-12 17:06:51','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Commande CO1107-0003 validée\nAuteur: admin',2,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(137,'137',NULL,1,'2015-02-17 16:22:10','2015-02-17 16:22:10',40,NULL,'Proposition PR1302-0009 validée','2015-02-17 16:22:10','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Proposition PR1302-0009 validée\nAuteur: admin',9,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(138,'138',NULL,1,'2015-02-17 16:27:00','2015-02-17 16:27:00',40,NULL,'Facture FA1302-0012 validée dans Dolibarr','2015-02-17 16:27:00','2021-04-15 10:22:55',1,NULL,NULL,18,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1302-0012 validée dans Dolibarr\nAuteur: admin',152,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(139,'139',NULL,1,'2015-02-17 16:27:29','2015-02-17 16:27:29',40,NULL,'Proposition PR1302-0010 validée','2015-02-17 16:27:29','2021-04-15 10:22:55',1,NULL,NULL,18,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Proposition PR1302-0010 validée\nAuteur: admin',11,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(140,'140',NULL,1,'2015-02-17 18:27:56','2015-02-17 18:27:56',40,NULL,'Commande CO1107-0004 validée','2015-02-17 18:27:56','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Commande CO1107-0004 validée\nAuteur: admin',3,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(141,'141',NULL,1,'2015-02-17 18:38:14','2015-02-17 18:38:14',40,NULL,'Commande CO1302-0005 validée','2015-02-17 18:38:14','2021-04-15 10:22:55',1,NULL,NULL,18,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Commande CO1302-0005 validée\nAuteur: admin',7,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(142,'142',NULL,1,'2015-02-26 22:57:50','2015-02-26 22:57:50',40,NULL,'Company pppp added into Dolibarr','2015-02-26 22:57:50','2021-04-15 10:22:55',1,NULL,NULL,22,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Company pppp added into Dolibarr\nAuthor: admin',22,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(143,'143',NULL,1,'2015-02-26 22:58:13','2015-02-26 22:58:13',40,NULL,'Company ttttt added into Dolibarr','2015-02-26 22:58:13','2021-04-15 10:22:55',1,NULL,NULL,23,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Company ttttt added into Dolibarr\nAuthor: admin',23,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(144,'144',NULL,1,'2015-02-27 10:00:00','2015-02-27 19:20:00',5,NULL,'Rendez-vous','2015-02-27 19:20:53','2021-04-15 10:22:55',1,NULL,NULL,NULL,NULL,0,1,NULL,1,0,0,-1,'',33600,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(145,'145',NULL,1,'2015-02-27 19:28:00',NULL,2,NULL,'fdsfsd','2015-02-27 19:28:48','2021-04-15 10:22:55',1,1,NULL,NULL,NULL,0,1,NULL,1,0,0,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(146,'146',NULL,1,'2015-03-06 10:05:07','2015-03-06 10:05:07',40,NULL,'Contrat (PROV3) validé dans Dolibarr','2015-03-06 10:05:07','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Contrat (PROV3) validé dans Dolibarr\nAuteur: admin',3,'contract',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(147,'147',NULL,1,'2015-03-06 16:43:37','2015-03-06 16:43:37',40,NULL,'Facture FA1307-0013 validée dans Dolibarr','2015-03-06 16:43:37','2021-04-15 10:22:55',1,NULL,NULL,12,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1307-0013 validée dans Dolibarr\nAuteur: admin',158,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(148,'148',NULL,1,'2015-03-06 16:44:12','2015-03-06 16:44:12',40,NULL,'Facture FA1407-0014 validée dans Dolibarr','2015-03-06 16:44:12','2021-04-15 10:22:55',1,NULL,NULL,12,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1407-0014 validée dans Dolibarr\nAuteur: admin',159,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(149,'149',NULL,1,'2015-03-06 16:47:48','2015-03-06 16:47:48',40,NULL,'Facture FA1507-0015 validée dans Dolibarr','2015-03-06 16:47:48','2021-04-15 10:22:55',1,NULL,NULL,12,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1507-0015 validée dans Dolibarr\nAuteur: admin',160,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(150,'150',NULL,1,'2015-03-06 16:48:16','2015-03-06 16:48:16',40,NULL,'Facture FA1607-0016 validée dans Dolibarr','2015-03-06 16:48:16','2021-04-15 10:22:55',1,NULL,NULL,12,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1607-0016 validée dans Dolibarr\nAuteur: admin',161,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(151,'151',NULL,1,'2015-03-06 17:13:59','2015-03-06 17:13:59',40,NULL,'Société smith smith ajoutée dans Dolibarr','2015-03-06 17:13:59','2021-04-15 10:22:55',1,NULL,NULL,24,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Société smith smith ajoutée dans Dolibarr\nAuteur: admin',24,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(152,'152',NULL,1,'2015-03-08 10:02:22','2015-03-08 10:02:22',40,NULL,'Proposition (PROV12) validée dans Dolibarr','2015-03-08 10:02:22','2021-04-15 10:22:55',1,NULL,NULL,23,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Proposition (PROV12) validée dans Dolibarr\nAuteur: admin',12,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(203,'203',NULL,1,'2015-03-09 19:39:27','2015-03-09 19:39:27',40,'AC_ORDER_SUPPLIER_VALIDATE','Commande CF1303-0004 validée','2015-03-09 19:39:27','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Commande CF1303-0004 validée\nAuteur: admin',13,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(204,'204',NULL,1,'2015-03-10 15:47:37','2015-03-10 15:47:37',40,'AC_COMPANY_CREATE','Patient créé','2015-03-10 15:47:37','2021-04-15 10:22:55',1,NULL,NULL,25,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Patient créé\nAuteur: admin',25,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(205,'205',NULL,1,'2015-03-10 15:57:32','2015-03-10 15:57:32',40,'AC_COMPANY_CREATE','Tiers créé','2015-03-10 15:57:32','2021-04-15 10:22:55',1,NULL,NULL,26,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Tiers créé\nAuteur: admin',26,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(206,'206',NULL,1,'2015-03-10 15:58:28','2015-03-10 15:58:28',40,'AC_BILL_VALIDATE','Facture FA1303-0017 validée','2015-03-10 15:58:28','2021-04-15 10:22:55',1,NULL,NULL,26,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1303-0017 validée\nAuteur: admin',208,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(207,'207',NULL,1,'2015-03-19 09:38:10','2015-03-19 09:38:10',40,'AC_BILL_VALIDATE','Facture FA1303-0018 validée','2015-03-19 09:38:10','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1303-0018 validée\nAuteur: admin',209,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(208,'208',NULL,1,'2015-03-20 14:30:11','2015-03-20 14:30:11',40,'AC_BILL_VALIDATE','Facture FA1107-0019 validée','2015-03-20 14:30:11','2021-04-15 10:22:55',1,NULL,NULL,10,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1107-0019 validée\nAuteur: admin',210,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(209,'209',NULL,1,'2015-03-22 09:40:25','2015-03-22 09:40:25',40,'AC_BILL_VALIDATE','Facture FA1303-0020 validée','2015-03-22 09:40:25','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1303-0020 validée\nAuteur: admin',211,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(210,'210',NULL,1,'2015-03-23 17:16:25','2015-03-23 17:16:25',40,'AC_BILL_VALIDATE','Facture FA1303-0020 validée','2015-03-23 17:16:25','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1303-0020 validée\nAuteur: admin',211,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(211,'211',NULL,1,'2015-03-23 18:08:27','2015-03-23 18:08:27',40,'AC_BILL_VALIDATE','Facture FA1307-0013 validée','2015-03-23 18:08:27','2021-04-15 10:22:55',1,NULL,NULL,12,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1307-0013 validée\nAuteur: admin',158,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(212,'212',NULL,1,'2015-03-24 15:54:00','2015-03-24 15:54:00',40,'AC_BILL_VALIDATE','Facture FA1212-0021 validée','2015-03-24 15:54:00','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,NULL,1,0,0,-1,'',NULL,NULL,'Facture FA1212-0021 validée\nAuteur: admin',32,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(213,'213',NULL,1,'2015-11-07 01:02:39','2015-11-07 01:02:39',40,'AC_COMPANY_CREATE','Third party created','2015-11-07 01:02:39','2021-04-15 10:22:55',1,NULL,NULL,27,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Third party created\nAuthor: admin',27,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(214,'214',NULL,1,'2015-11-07 01:05:22','2015-11-07 01:05:22',40,'AC_COMPANY_CREATE','Third party created','2015-11-07 01:05:22','2021-04-15 10:22:55',1,NULL,NULL,28,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Third party created\nAuthor: admin',28,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(215,'215',NULL,1,'2015-11-07 01:07:07','2015-11-07 01:07:07',40,'AC_COMPANY_CREATE','Third party created','2015-11-07 01:07:07','2021-04-15 10:22:55',1,NULL,NULL,29,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Third party created\nAuthor: admin',29,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(216,'216',NULL,1,'2015-11-07 01:07:58','2015-11-07 01:07:58',40,'AC_COMPANY_CREATE','Third party created','2015-11-07 01:07:58','2021-04-15 10:22:55',1,NULL,NULL,30,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Third party created\nAuthor: admin',30,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(217,'217',NULL,1,'2015-11-07 01:10:09','2015-11-07 01:10:09',40,'AC_COMPANY_CREATE','Third party created','2015-11-07 01:10:09','2021-04-15 10:22:55',1,NULL,NULL,31,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Third party created\nAuthor: admin',31,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(218,'218',NULL,1,'2015-11-07 01:15:57','2015-11-07 01:15:57',40,'AC_COMPANY_CREATE','Third party created','2015-11-07 01:15:57','2021-04-15 10:22:55',1,NULL,NULL,32,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Third party created\nAuthor: admin',32,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(219,'219',NULL,1,'2015-11-07 01:16:51','2015-11-07 01:16:51',40,'AC_COMPANY_CREATE','Third party created','2015-11-07 01:16:51','2021-04-15 10:22:55',1,NULL,NULL,33,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Third party created\nAuthor: admin',33,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(220,'220',NULL,1,'2016-03-02 17:24:04','2016-03-02 17:24:04',40,'AC_BILL_VALIDATE','Invoice FA1302-0022 validated','2016-03-02 17:24:04','2021-04-15 10:22:55',1,NULL,NULL,18,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice FA1302-0022 validated\nAuthor: admin',157,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(221,'221',NULL,1,'2016-03-02 17:24:28','2016-03-02 17:24:28',40,'AC_BILL_VALIDATE','Invoice FA1303-0020 validated','2016-03-02 17:24:28','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice FA1303-0020 validated\nAuthor: admin',211,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(222,'222',NULL,1,'2016-03-05 10:00:00','2016-03-05 10:00:00',5,NULL,'RDV John','2016-03-02 19:54:48','2021-04-15 10:22:55',1,1,NULL,NULL,NULL,0,1,0,NULL,0,0,-1,NULL,NULL,NULL,'gfdgdfgdf',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(223,'223',NULL,1,'2016-03-13 10:00:00','2016-03-17 00:00:00',50,NULL,'Congress','2016-03-02 19:55:11','2021-04-15 10:22:55',1,NULL,NULL,NULL,NULL,0,1,0,NULL,0,0,-1,'',309600,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(224,'224',NULL,1,'2016-03-14 10:00:00',NULL,1,NULL,'Call john','2016-03-02 19:55:56','2021-04-15 10:22:55',1,NULL,NULL,NULL,NULL,0,1,0,NULL,0,0,0,'',NULL,NULL,'tttt',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(225,'225',NULL,1,'2016-03-02 20:11:31','2016-03-02 20:11:31',40,'AC_BILL_UNVALIDATE','Invoice FA1303-0020 go back to draft status','2016-03-02 20:11:31','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice FA1303-0020 go back to draft status\nAuthor: admin',211,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(226,'226',NULL,1,'2016-03-02 20:13:39','2016-03-02 20:13:39',40,'AC_BILL_VALIDATE','Invoice FA1303-0020 validated','2016-03-02 20:13:39','2021-04-15 10:22:55',1,NULL,NULL,19,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice FA1303-0020 validated\nAuthor: admin',211,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(227,'227',NULL,1,'2016-03-03 19:20:10','2016-03-03 19:20:10',40,'AC_BILL_VALIDATE','Invoice FA1212-0023 validated','2016-03-03 19:20:10','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice FA1212-0023 validated\nAuthor: admin',33,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(228,'228',NULL,1,'2016-03-03 19:20:25','2016-03-03 19:20:25',40,'AC_BILL_CANCEL','Invoice FA1212-0023 canceled in Dolibarr','2016-03-03 19:20:25','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice FA1212-0023 canceled in Dolibarr\nAuthor: admin',33,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(229,'229',NULL,1,'2016-03-03 19:20:56','2016-03-03 19:20:56',40,'AC_BILL_VALIDATE','Invoice AV1403-0003 validated','2016-03-03 19:20:56','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice AV1403-0003 validated\nAuthor: admin',212,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(230,'230',NULL,1,'2016-03-03 19:21:29','2016-03-03 19:21:29',40,'AC_BILL_UNVALIDATE','Invoice AV1403-0003 go back to draft status','2016-03-03 19:21:29','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice AV1403-0003 go back to draft status\nAuthor: admin',212,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(231,'231',NULL,1,'2016-03-03 19:22:16','2016-03-03 19:22:16',40,'AC_BILL_VALIDATE','Invoice AV1303-0003 validated','2016-03-03 19:22:16','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,1,0,0,-1,'',NULL,NULL,'Invoice AV1303-0003 validated\nAuthor: admin',213,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(232,'232',NULL,1,'2018-01-22 18:54:39','2018-01-22 18:54:39',40,'AC_OTH_AUTO','Invoice 16 validated','2018-01-22 18:54:39','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Invoice 16 validated\nAuthor: admin',16,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(233,'233',NULL,1,'2018-01-22 18:54:46','2018-01-22 18:54:46',40,'AC_OTH_AUTO','Invoice 16 validated','2018-01-22 18:54:46','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Invoice 16 validated\nAuthor: admin',16,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(234,'234',NULL,1,'2018-07-05 10:00:00','2018-07-05 11:19:00',5,'AC_RDV','Meeting with my boss','2018-07-31 18:19:48','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,1,NULL,0,0,-1,'',4740,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(235,'235',NULL,1,'2018-07-13 00:00:00','2018-07-14 23:59:59',50,'AC_OTH','Trip at Las Vegas','2018-07-31 18:20:36','2021-04-15 10:22:55',12,NULL,4,NULL,2,0,12,1,NULL,0,1,-1,'',172799,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(236,'236',NULL,1,'2018-07-29 10:00:00',NULL,4,'AC_EMAIL','Remind to send an email','2018-07-31 18:21:04','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,4,0,NULL,0,0,-1,'',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(237,'237',NULL,1,'2018-07-01 10:00:00',NULL,1,'AC_TEL','Phone call with Mr Vaalen','2018-07-31 18:22:04','2021-04-15 10:22:55',12,NULL,6,4,NULL,0,13,0,NULL,0,0,-1,'',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(238,'238',NULL,1,'2018-08-02 10:00:00','2018-08-02 12:00:00',5,'AC_RDV','Meeting on radium','2018-08-01 01:15:50','2021-04-15 10:22:55',12,NULL,8,10,10,0,12,1,NULL,0,0,-1,'',7200,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(239,'239',NULL,1,'2017-01-29 21:49:33','2017-01-29 21:49:33',40,'AC_OTH_AUTO','Proposal PR1302-0007 validated','2017-01-29 21:49:33','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1302-0007 validated\nAuthor: admin',7,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(240,'240',NULL,1,'2017-01-31 20:52:00',NULL,1,'AC_TEL','Call the boss','2017-01-31 20:52:10','2021-04-15 10:22:55',12,12,6,NULL,NULL,0,12,1,NULL,0,0,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(242,'242',NULL,1,'2017-02-01 18:52:04','2017-02-01 18:52:04',40,'AC_OTH_AUTO','Order CF1007-0001 validated','2017-02-01 18:52:04','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CF1007-0001 validated\nAuthor: admin',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(243,'243',NULL,1,'2017-02-01 18:52:04','2017-02-01 18:52:04',40,'AC_OTH_AUTO','Order CF1007-0001 approved','2017-02-01 18:52:04','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CF1007-0001 approved\nAuthor: admin',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(245,'245',NULL,1,'2017-02-01 18:52:32','2017-02-01 18:52:32',40,'AC_OTH_AUTO','Supplier order CF1007-0001 submited','2017-02-01 18:52:32','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Supplier order CF1007-0001 submited\nAuthor: admin',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(249,'249',NULL,1,'2017-02-01 18:54:01','2017-02-01 18:54:01',40,'AC_OTH_AUTO','Supplier order CF1007-0001 received','2017-02-01 18:54:01','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Supplier order CF1007-0001 received \nAuthor: admin',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(250,'250',NULL,1,'2017-02-01 18:54:42','2017-02-01 18:54:42',40,'AC_OTH_AUTO','Email sent by MyBigCompany To mycustomer@example.com','2017-02-01 18:54:42','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Sender: MyBigCompany <myemail@mybigcompany.com>
      \nReceiver(s): mycustomer@example.com
      \nEMail topic: Submission of order CF1007-0001
      \nEmail body:
      \nYou will find here our order CF1007-0001
      \r\n
      \r\nSincerely
      \n
      \nAttached files and documents: CF1007-0001.pdf',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(251,'251',NULL,1,'2017-02-01 19:02:21','2017-02-01 19:02:21',40,'AC_OTH_AUTO','Invoice SI1702-0001 validated','2017-02-01 19:02:21','2021-04-15 10:22:55',12,NULL,5,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Invoice SI1702-0001 validated\nAuthor: admin',20,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(252,'252',NULL,1,'2017-02-12 23:17:04','2017-02-12 23:17:04',40,'AC_OTH_AUTO','Patient créé','2017-02-12 23:17:04','2021-04-15 10:22:55',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Patient créé\nAuthor: admin',26,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(253,'253',NULL,1,'2017-02-12 23:18:33','2017-02-12 23:18:33',40,'AC_OTH_AUTO','Consultation 2 recorded (aaa)','2017-02-12 23:18:33','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Consultation 2 recorded (aaa)\nAuthor: admin',2,'cabinetmed_cons',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(254,'254',NULL,1,'2017-02-15 23:28:41','2017-02-15 23:28:41',40,'AC_OTH_AUTO','Order CO7001-0005 validated','2017-02-15 23:28:41','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0005 validated\nAuthor: admin',7,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(255,'255',NULL,1,'2017-02-15 23:28:56','2017-02-15 23:28:56',40,'AC_OTH_AUTO','Order CO7001-0006 validated','2017-02-15 23:28:56','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0006 validated\nAuthor: admin',8,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(256,'256',NULL,1,'2017-02-15 23:34:33','2017-02-15 23:34:33',40,'AC_OTH_AUTO','Order CO7001-0007 validated','2017-02-15 23:34:33','2021-04-15 10:22:55',12,NULL,NULL,3,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0007 validated\nAuthor: admin',9,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(257,'257',NULL,1,'2017-02-15 23:35:03','2017-02-15 23:35:03',40,'AC_OTH_AUTO','Order CO7001-0008 validated','2017-02-15 23:35:03','2021-04-15 10:22:55',12,NULL,NULL,3,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0008 validated\nAuthor: admin',10,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(263,'263',NULL,1,'2017-02-15 23:50:34','2017-02-15 23:50:34',40,'AC_OTH_AUTO','Order CO7001-0005 validated','2017-02-15 23:50:34','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0005 validated\nAuthor: admin',17,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(264,'264',NULL,1,'2017-02-15 23:51:23','2017-02-15 23:51:23',40,'AC_OTH_AUTO','Order CO7001-0006 validated','2017-02-15 23:51:23','2021-04-15 10:22:55',12,NULL,NULL,7,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0006 validated\nAuthor: admin',18,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(265,'265',NULL,1,'2017-02-15 23:54:51','2017-02-15 23:54:51',40,'AC_OTH_AUTO','Order CO7001-0007 validated','2017-02-15 23:54:51','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0007 validated\nAuthor: admin',19,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(266,'266',NULL,1,'2017-02-15 23:55:52','2017-02-15 23:55:52',40,'AC_OTH_AUTO','Order CO7001-0007 validated','2017-02-15 23:55:52','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0007 validated\nAuthor: admin',20,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(267,'267',NULL,1,'2017-02-16 00:03:44','2017-02-16 00:03:44',40,'AC_OTH_AUTO','Order CO7001-0008 validated','2017-02-16 00:03:44','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0008 validated\nAuthor: admin',29,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(268,'268',NULL,1,'2017-02-16 00:05:01','2017-02-16 00:05:01',40,'AC_OTH_AUTO','Order CO7001-0009 validated','2017-02-16 00:05:01','2021-04-15 10:22:55',12,NULL,NULL,11,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0009 validated\nAuthor: admin',34,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(269,'269',NULL,1,'2017-02-16 00:05:01','2017-02-16 00:05:01',40,'AC_OTH_AUTO','Order CO7001-0010 validated','2017-02-16 00:05:01','2021-04-15 10:22:55',12,NULL,NULL,3,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0010 validated\nAuthor: admin',38,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(270,'270',NULL,1,'2017-02-16 00:05:11','2017-02-16 00:05:11',40,'AC_OTH_AUTO','Order CO7001-0011 validated','2017-02-16 00:05:11','2021-04-15 10:22:55',12,NULL,NULL,11,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0011 validated\nAuthor: admin',40,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(271,'271',NULL,1,'2017-02-16 00:05:11','2017-02-16 00:05:11',40,'AC_OTH_AUTO','Order CO7001-0012 validated','2017-02-16 00:05:11','2021-04-15 10:22:55',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0012 validated\nAuthor: admin',43,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(272,'272',NULL,1,'2017-02-16 00:05:11','2017-02-16 00:05:11',40,'AC_OTH_AUTO','Order CO7001-0013 validated','2017-02-16 00:05:11','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0013 validated\nAuthor: admin',47,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(273,'273',NULL,1,'2017-02-16 00:05:11','2017-02-16 00:05:11',40,'AC_OTH_AUTO','Order CO7001-0014 validated','2017-02-16 00:05:11','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0014 validated\nAuthor: admin',48,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(274,'274',NULL,1,'2017-02-16 00:05:26','2017-02-16 00:05:26',40,'AC_OTH_AUTO','Order CO7001-0015 validated','2017-02-16 00:05:26','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0015 validated\nAuthor: admin',50,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(275,'275',NULL,1,'2017-02-16 00:05:26','2017-02-16 00:05:26',40,'AC_OTH_AUTO','Order CO7001-0016 validated','2017-02-16 00:05:26','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0016 validated\nAuthor: admin',54,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(277,'277',NULL,1,'2017-02-16 00:05:35','2017-02-16 00:05:35',40,'AC_OTH_AUTO','Order CO7001-0018 validated','2017-02-16 00:05:35','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0018 validated\nAuthor: admin',62,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(278,'278',NULL,1,'2017-02-16 00:05:35','2017-02-16 00:05:35',40,'AC_OTH_AUTO','Order CO7001-0019 validated','2017-02-16 00:05:35','2021-04-15 10:22:55',12,NULL,NULL,3,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0019 validated\nAuthor: admin',68,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(279,'279',NULL,1,'2017-02-16 00:05:36','2017-02-16 00:05:36',40,'AC_OTH_AUTO','Order CO7001-0020 validated','2017-02-16 00:05:36','2021-04-15 10:22:55',12,NULL,NULL,6,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0020 validated\nAuthor: admin',72,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(281,'281',NULL,1,'2017-02-16 00:05:37','2017-02-16 00:05:37',40,'AC_OTH_AUTO','Order CO7001-0022 validated','2017-02-16 00:05:37','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0022 validated\nAuthor: admin',78,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(282,'282',NULL,1,'2017-02-16 00:05:38','2017-02-16 00:05:38',40,'AC_OTH_AUTO','Order CO7001-0023 validated','2017-02-16 00:05:38','2021-04-15 10:22:55',12,NULL,NULL,11,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0023 validated\nAuthor: admin',81,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(283,'283',NULL,1,'2017-02-16 00:05:38','2017-02-16 00:05:38',40,'AC_OTH_AUTO','Order CO7001-0024 validated','2017-02-16 00:05:38','2021-04-15 10:22:55',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0024 validated\nAuthor: admin',83,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(284,'284',NULL,1,'2017-02-16 00:05:38','2017-02-16 00:05:38',40,'AC_OTH_AUTO','Order CO7001-0025 validated','2017-02-16 00:05:38','2021-04-15 10:22:55',12,NULL,NULL,2,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0025 validated\nAuthor: admin',84,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(285,'285',NULL,1,'2017-02-16 00:05:38','2017-02-16 00:05:38',40,'AC_OTH_AUTO','Order CO7001-0026 validated','2017-02-16 00:05:38','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0026 validated\nAuthor: admin',85,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(286,'286',NULL,1,'2017-02-16 00:05:38','2017-02-16 00:05:38',40,'AC_OTH_AUTO','Order CO7001-0027 validated','2017-02-16 00:05:38','2021-04-15 10:22:55',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Order CO7001-0027 validated\nAuthor: admin',88,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(287,'287',NULL,1,'2017-02-16 03:05:56','2017-02-16 03:05:56',40,'AC_OTH_AUTO','Commande CO7001-0016 classée Livrée','2017-02-16 03:05:56','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Commande CO7001-0016 classée Livrée\nAuteur: admin',54,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(288,'288',NULL,1,'2017-02-16 03:06:01','2017-02-16 03:06:01',40,'AC_OTH_AUTO','Commande CO7001-0016 classée Facturée','2017-02-16 03:06:01','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Commande CO7001-0016 classée Facturée\nAuteur: admin',54,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(294,'294',NULL,1,'2017-02-16 03:53:04','2017-02-16 03:53:04',40,'AC_OTH_AUTO','Commande CO7001-0021 validée','2017-02-16 03:53:04','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Commande CO7001-0021 validée\nAuteur: admin',75,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(295,'295',NULL,1,'2017-02-16 03:58:08','2017-02-16 03:58:08',40,'AC_OTH_AUTO','Expédition SH1702-0002 validée','2017-02-16 03:58:08','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Expédition SH1702-0002 validée\nAuteur: admin',3,'shipping',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(296,'296',NULL,1,'2017-02-16 04:12:29','2017-02-16 04:12:29',40,'AC_OTH_AUTO','Commande CO7001-0021 validée','2017-02-16 04:12:29','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Commande CO7001-0021 validée\nAuteur: admin',75,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(297,'297',NULL,1,'2017-02-16 04:14:20','2017-02-16 04:14:20',40,'AC_OTH_AUTO','Commande CO7001-0021 validée','2017-02-16 04:14:20','2021-04-15 10:22:55',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Commande CO7001-0021 validée\nAuteur: admin',75,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(298,'298',NULL,1,'2017-02-16 01:44:58','2017-02-16 01:44:58',40,'AC_OTH_AUTO','Proposal PR1702-0009 validated','2017-02-16 01:44:58','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0009 validated\nAuthor: aeinstein',11,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(299,'299',NULL,1,'2017-02-16 01:45:44','2017-02-16 01:45:44',40,'AC_OTH_AUTO','Proposal PR1702-0010 validated','2017-02-16 01:45:44','2021-04-15 10:22:55',2,NULL,NULL,7,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0010 validated\nAuthor: demo',12,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(300,'300',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0011 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',1,NULL,NULL,26,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0011 validated\nAuthor: aeinstein',13,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(301,'301',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0012 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',2,NULL,NULL,3,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0012 validated\nAuthor: demo',14,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(302,'302',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0013 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',2,NULL,NULL,26,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0013 validated\nAuthor: demo',15,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(303,'303',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0014 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',2,NULL,NULL,1,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0014 validated\nAuthor: demo',16,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(304,'304',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0015 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0015 validated\nAuthor: aeinstein',17,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(305,'305',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0016 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',2,NULL,NULL,26,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0016 validated\nAuthor: demo',18,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(306,'306',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0017 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',2,NULL,NULL,12,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0017 validated\nAuthor: demo',19,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(307,'307',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0018 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',1,NULL,NULL,26,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0018 validated\nAuthor: aeinstein',20,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(308,'308',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0019 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',1,NULL,NULL,1,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0019 validated\nAuthor: aeinstein',21,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(309,'309',NULL,1,'2017-02-16 01:46:15','2017-02-16 01:46:15',40,'AC_OTH_AUTO','Proposal PR1702-0020 validated','2017-02-16 01:46:15','2021-04-15 10:22:55',1,NULL,NULL,26,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0020 validated\nAuthor: aeinstein',22,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(310,'310',NULL,1,'2017-02-16 01:46:17','2017-02-16 01:46:17',40,'AC_OTH_AUTO','Proposal PR1702-0021 validated','2017-02-16 01:46:17','2021-04-15 10:22:55',2,NULL,NULL,12,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0021 validated\nAuthor: demo',23,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(311,'311',NULL,1,'2017-02-16 01:46:17','2017-02-16 01:46:17',40,'AC_OTH_AUTO','Proposal PR1702-0022 validated','2017-02-16 01:46:17','2021-04-15 10:22:55',2,NULL,NULL,7,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0022 validated\nAuthor: demo',24,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(312,'312',NULL,1,'2017-02-16 01:46:17','2017-02-16 01:46:17',40,'AC_OTH_AUTO','Proposal PR1702-0023 validated','2017-02-16 01:46:17','2021-04-15 10:22:55',1,NULL,NULL,3,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0023 validated\nAuthor: aeinstein',25,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(313,'313',NULL,1,'2017-02-16 01:46:18','2017-02-16 01:46:18',40,'AC_OTH_AUTO','Proposal PR1702-0024 validated','2017-02-16 01:46:18','2021-04-15 10:22:55',2,NULL,NULL,1,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0024 validated\nAuthor: demo',26,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(314,'314',NULL,1,'2017-02-16 01:46:18','2017-02-16 01:46:18',40,'AC_OTH_AUTO','Proposal PR1702-0025 validated','2017-02-16 01:46:18','2021-04-15 10:22:55',1,NULL,NULL,6,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0025 validated\nAuthor: aeinstein',27,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(315,'315',NULL,1,'2017-02-16 01:46:18','2017-02-16 01:46:18',40,'AC_OTH_AUTO','Proposal PR1702-0026 validated','2017-02-16 01:46:18','2021-04-15 10:22:55',2,NULL,NULL,19,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0026 validated\nAuthor: demo',28,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(316,'316',NULL,1,'2017-02-16 01:46:18','2017-02-16 01:46:18',40,'AC_OTH_AUTO','Proposal PR1702-0027 validated','2017-02-16 01:46:18','2021-04-15 10:22:55',2,NULL,NULL,1,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0027 validated\nAuthor: demo',29,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(317,'317',NULL,1,'2017-02-16 01:46:18','2017-02-16 01:46:18',40,'AC_OTH_AUTO','Proposal PR1702-0028 validated','2017-02-16 01:46:18','2021-04-15 10:22:55',2,NULL,NULL,1,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0028 validated\nAuthor: demo',30,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(318,'318',NULL,1,'2017-02-16 01:46:18','2017-02-16 01:46:18',40,'AC_OTH_AUTO','Proposal PR1702-0029 validated','2017-02-16 01:46:18','2021-04-15 10:22:55',1,NULL,NULL,11,NULL,0,1,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0029 validated\nAuthor: aeinstein',31,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(319,'319',NULL,1,'2017-02-16 01:46:18','2017-02-16 01:46:18',40,'AC_OTH_AUTO','Proposal PR1702-0030 validated','2017-02-16 01:46:18','2021-04-15 10:22:55',2,NULL,NULL,19,NULL,0,2,0,NULL,0,0,-1,'',NULL,NULL,'Proposal PR1702-0030 validated\nAuthor: demo',32,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(320,'320',NULL,1,'2017-02-16 04:46:31','2017-02-16 04:46:31',40,'AC_OTH_AUTO','Proposition PR1702-0026 signée','2017-02-16 04:46:31','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposition PR1702-0026 signée\nAuteur: admin',28,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(321,'321',NULL,1,'2017-02-16 04:46:37','2017-02-16 04:46:37',40,'AC_OTH_AUTO','Proposition PR1702-0027 signée','2017-02-16 04:46:37','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposition PR1702-0027 signée\nAuteur: admin',29,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(322,'322',NULL,1,'2017-02-16 04:46:42','2017-02-16 04:46:42',40,'AC_OTH_AUTO','Proposition PR1702-0028 refusée','2017-02-16 04:46:42','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposition PR1702-0028 refusée\nAuteur: admin',30,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(323,'323',NULL,1,'2017-02-16 04:47:09','2017-02-16 04:47:09',40,'AC_OTH_AUTO','Proposition PR1702-0019 validée','2017-02-16 04:47:09','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposition PR1702-0019 validée\nAuteur: admin',21,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(324,'324',NULL,1,'2017-02-16 04:47:25','2017-02-16 04:47:25',40,'AC_OTH_AUTO','Proposition PR1702-0023 signée','2017-02-16 04:47:25','2021-04-15 10:22:55',12,NULL,NULL,3,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposition PR1702-0023 signée\nAuteur: admin',25,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(325,'325',NULL,1,'2017-02-16 04:47:29','2017-02-16 04:47:29',40,'AC_OTH_AUTO','Proposition PR1702-0023 classée payée','2017-02-16 04:47:29','2021-04-15 10:22:55',12,NULL,NULL,3,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposition PR1702-0023 classée payée\nAuteur: admin',25,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(326,'326',NULL,1,'2017-02-17 16:07:18','2017-02-17 16:07:18',40,'AC_OTH_AUTO','Proposition PR1702-0021 validée','2017-02-17 16:07:18','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Proposition PR1702-0021 validée\nAuteur: admin',23,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(327,'327',NULL,1,'2017-05-12 13:53:44','2017-05-12 13:53:44',40,'AC_OTH_AUTO','Email sent by MyBigCompany To Einstein','2017-05-12 13:53:44','2021-04-15 10:22:55',12,NULL,NULL,11,12,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Sender: MyBigCompany <myemail@mybigcompany.com>
      \nReceiver(s): Einstein <genius@example.com>
      \nBcc: Einstein <genius@example.com>
      \nEMail topic: Test
      \nEmail body:
      \nTest\nAuthor: admin',11,'societe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(328,'328',NULL,1,'2017-08-29 22:39:09','2017-08-29 22:39:09',40,'AC_OTH_AUTO','Invoice FA1601-0024 validated','2017-08-29 22:39:09','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Invoice FA1601-0024 validated\nAuthor: admin',149,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(329,'329',NULL,1,'2019-09-26 13:38:11','2019-09-26 13:38:11',40,'AC_MEMBER_MODIFY','Member Pierre Curie modified','2019-09-26 13:38:11','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember Pierre Curie modified\nMember: Pierre Curie\nType: Standard members',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(330,'330',NULL,1,'2019-09-26 13:49:21','2019-09-26 13:49:21',40,'AC_MEMBER_MODIFY','Member Pierre Curie modified','2019-09-26 13:49:21','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember Pierre Curie modified\nMember: Pierre Curie\nType: Standard members',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(331,'331',NULL,1,'2019-09-26 17:33:37','2019-09-26 17:33:37',40,'AC_BILL_VALIDATE','Invoice FA1909-0025 validated','2019-09-26 17:33:37','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1909-0025 validated',218,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(333,'333',NULL,1,'2019-09-27 16:54:30','2019-09-27 16:54:30',40,'AC_PROPAL_VALIDATE','Proposal PR1909-0031 validated','2019-09-27 16:54:30','2021-04-15 10:22:55',12,NULL,4,7,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1909-0031 validated',10,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(335,'335',NULL,1,'2019-09-27 17:08:59','2019-09-27 17:08:59',40,'AC_PROPAL_VALIDATE','Proposal PR1909-0032 validated','2019-09-27 17:08:59','2021-04-15 10:22:55',12,NULL,6,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1909-0032 validated',33,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(337,'337',NULL,1,'2019-09-27 17:13:13','2019-09-27 17:13:13',40,'AC_PROPAL_VALIDATE','Proposal PR1909-0033 validated','2019-09-27 17:13:13','2021-04-15 10:22:55',12,NULL,6,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1909-0033 validated',34,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(338,'338',NULL,1,'2019-09-27 17:53:31','2019-09-27 17:53:31',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-09-27 17:53:31','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(339,'339',NULL,1,'2019-09-27 18:15:00','2019-09-27 18:15:00',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-09-27 18:15:00','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(340,'340',NULL,1,'2019-09-27 18:40:32','2019-09-27 18:40:32',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-09-27 18:40:32','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(341,'341',NULL,1,'2019-09-27 19:16:07','2019-09-27 19:16:07',40,'AC_PRODUCT_CREATE','Product ppp created','2019-09-27 19:16:07','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ppp created',14,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(342,'342',NULL,1,'2019-09-27 19:18:01','2019-09-27 19:18:01',40,'AC_PRODUCT_MODIFY','Product ppp modified','2019-09-27 19:18:01','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ppp modified',14,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(343,'343',NULL,1,'2019-09-27 19:31:45','2019-09-27 19:31:45',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-09-27 19:31:45','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(344,'344',NULL,1,'2019-09-27 19:32:12','2019-09-27 19:32:12',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-09-27 19:32:12','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(345,'345',NULL,1,'2019-09-27 19:38:30','2019-09-27 19:38:30',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-09-27 19:38:30','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(346,'346',NULL,1,'2019-09-27 19:38:37','2019-09-27 19:38:37',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-09-27 19:38:37','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(347,'347',NULL,1,'2019-09-30 15:49:52',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #15ff11cay39skiaa] New message','2019-09-30 15:49:52','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'dfsdfds',2,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(348,'348',NULL,1,'2019-10-01 13:48:36','2019-10-01 13:48:36',40,'AC_PROJECT_MODIFY','Project PJ1607-0001 modified','2019-10-01 13:48:36','2021-04-15 10:22:55',12,NULL,6,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1607-0001 modified\nTask: PJ1607-0001',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(349,'349',NULL,1,'2019-10-04 10:10:25','2019-10-04 10:10:25',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI1601-0002 validated','2019-10-04 10:10:25','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI1601-0002 validated',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(350,'350',NULL,1,'2019-10-04 10:10:47','2019-10-04 10:10:47',40,'AC_BILL_SUPPLIER_PAYED','Invoice SI1601-0002 changed to paid','2019-10-04 10:10:47','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI1601-0002 changed to paid',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(351,'351',NULL,1,'2019-10-04 10:26:49','2019-10-04 10:26:49',40,'AC_BILL_UNVALIDATE','Invoice FA6801-0010 go back to draft status','2019-10-04 10:26:49','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA6801-0010 go back to draft status',150,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(352,'352',NULL,1,'2019-10-04 10:27:00','2019-10-04 10:27:00',40,'AC_BILL_VALIDATE','Invoice FA6801-0010 validated','2019-10-04 10:27:00','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA6801-0010 validated',150,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(353,'353',NULL,1,'2019-10-04 10:28:14','2019-10-04 10:28:14',40,'AC_BILL_PAYED','Invoice FA6801-0010 changed to paid','2019-10-04 10:28:14','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA6801-0010 changed to paid',150,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(354,'354',NULL,1,'2019-10-04 10:29:22','2019-10-04 10:29:22',40,'AC_BILL_SUPPLIER_PAYED','Invoice SI1601-0002 changed to paid','2019-10-04 10:29:22','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI1601-0002 changed to paid',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(355,'355',NULL,1,'2019-10-04 10:29:41','2019-10-04 10:29:41',40,'AC_BILL_SUPPLIER_UNVALIDATE','Invoice SI1601-0002 go back to draft status','2019-10-04 10:29:41','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI1601-0002 go back to draft status',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(356,'356',NULL,1,'2019-10-04 10:31:30','2019-10-04 10:31:30',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI1601-0002 validated','2019-10-04 10:31:30','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI1601-0002 validated',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(357,'357',NULL,1,'2019-10-04 16:56:21',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 16:56:21','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'aaaa',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(358,'358',NULL,1,'2019-10-04 17:08:04',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:08:04','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'ddddd',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(359,'359',NULL,1,'2019-10-04 17:25:05',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:25:05','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'aaa',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(360,'360',NULL,1,'2019-10-04 17:26:14',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:26:14','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'aaa',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(361,'361',NULL,1,'2019-10-04 17:30:10',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:30:10','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(362,'362',NULL,1,'2019-10-04 17:51:43',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:51:43','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(363,'363',NULL,1,'2019-10-04 17:52:02',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:52:02','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(364,'364',NULL,1,'2019-10-04 17:52:17',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:52:17','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(365,'365',NULL,1,'2019-10-04 17:52:39',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:52:39','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(366,'366',NULL,1,'2019-10-04 17:52:53',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:52:53','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(367,'367',NULL,1,'2019-10-04 17:53:13',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:53:13','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(368,'368',NULL,1,'2019-10-04 17:53:26',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:53:26','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(369,'369',NULL,1,'2019-10-04 17:53:48',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:53:48','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(370,'370',NULL,1,'2019-10-04 17:54:09',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:54:09','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(371,'371',NULL,1,'2019-10-04 17:54:28',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:54:28','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(372,'372',NULL,1,'2019-10-04 17:55:43',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:55:43','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(373,'373',NULL,1,'2019-10-04 17:56:01',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 17:56:01','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(374,'374',NULL,1,'2019-10-04 18:00:32',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 18:00:32','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(375,'375',NULL,1,'2019-10-04 18:00:58',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 18:00:58','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(376,'376',NULL,1,'2019-10-04 18:11:30',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 18:11:30','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fdsfs',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(377,'377',NULL,1,'2019-10-04 18:12:02',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 18:12:02','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fffffff',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(378,'378',NULL,1,'2019-10-04 18:49:30',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 18:49:30','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'aaa',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(379,'379',NULL,1,'2019-10-04 19:00:22',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 19:00:22','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'fff',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(380,'380',NULL,1,'2019-10-04 19:24:20','2019-10-04 19:24:20',40,'AC_PROPAL_SENTBYMAIL','Email sent by Alice Adminson To NLTechno','2019-10-04 19:24:20','2021-04-15 10:22:55',12,NULL,6,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nSender: Alice Adminson <aadminson@example.com>
      \nReceiver(s): NLTechno <notanemail@nltechno.com>
      \nEmail topic: Envoi de la proposition commerciale PR1909-0032
      \nEmail body:
      \nHello
      \r\n
      \r\nVeuillez trouver, ci-joint, la proposition commerciale PR1909-0032
      \r\n
      \r\n
      \r\nSincerely
      \r\n
      \r\nAlice - 123
      \n
      \nAttached files and documents: PR1909-0032.pdf',33,'propal',NULL,'Envoi de la proposition commerciale PR1909-0032','Alice Adminson ',NULL,'NLTechno ',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(381,'381',NULL,1,'2019-10-04 19:30:13',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 19:30:13','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(382,'382',NULL,1,'2019-10-04 19:32:55',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 19:32:55','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'uuuuuu\n\nAttached files and documents: Array',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(383,'383',NULL,1,'2019-10-04 19:37:16',NULL,50,'TICKET_MSG','','2019-10-04 19:37:16','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,100,'',NULL,NULL,'f\n\nFichiers et documents joints: dolihelp.ico',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(384,'384',NULL,1,'2019-10-04 19:39:07',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #9d85cko5qmmo7qxs] New message','2019-10-04 19:39:07','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'aaafff\n\nAttached files and documents: dolibarr.gif;doliadmin.ico',5,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(385,'385',NULL,1,'2019-10-07 12:17:07','2019-10-07 12:17:07',40,'AC_PRODUCT_DELETE','Product PREF123456 deleted','2019-10-07 12:17:07','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PREF123456 deleted',17,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(386,'386',NULL,1,'2019-10-07 12:17:32','2019-10-07 12:17:32',40,'AC_PRODUCT_DELETE','Product PREF123456 deleted','2019-10-07 12:17:32','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PREF123456 deleted',18,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(387,'387',NULL,1,'2019-10-08 19:21:07','2019-10-08 19:21:07',40,'AC_PRODUCT_MODIFY','Product ROLLUPABC modified','2019-10-08 19:21:07','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ROLLUPABC modified',11,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(388,'388',NULL,1,'2019-10-08 21:01:07','2019-10-08 21:01:07',40,'AC_MEMBER_MODIFY','Member Pierre Curie modified','2019-10-08 21:01:07','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember Pierre Curie modified\nMember: Pierre Curie\nType: Standard members',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(389,'389',NULL,1,'2019-10-08 21:01:22','2019-10-08 21:01:22',40,'AC_MEMBER_MODIFY','Member doe john modified','2019-10-08 21:01:22','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember doe john modified\nMember: doe john\nType: Standard members',3,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(390,'390',NULL,1,'2019-10-08 21:01:45','2019-10-08 21:01:45',40,'AC_MEMBER_MODIFY','Member smith smith modified','2019-10-08 21:01:45','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember smith smith modified\nMember: smith smith\nType: Standard members',4,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(391,'391',NULL,1,'2019-10-08 21:02:18','2019-10-08 21:02:18',40,'AC_MEMBER_MODIFY','Member Vick Smith modified','2019-10-08 21:02:18','2021-04-15 10:22:55',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember Vick Smith modified\nMember: Vick Smith\nType: Standard members',1,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(392,'392',NULL,1,'2019-11-28 15:54:46','2019-11-28 15:54:46',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI1911-0005 validated','2019-11-28 15:54:47','2021-04-15 10:22:55',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI1911-0005 validated',21,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(393,'393',NULL,1,'2019-11-28 16:33:35','2019-11-28 16:33:35',40,'AC_PRODUCT_CREATE','Product FR-CAR created','2019-11-28 16:33:35','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct FR-CAR created',24,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(394,'394',NULL,1,'2019-11-28 16:34:08','2019-11-28 16:34:08',40,'AC_PRODUCT_DELETE','Product ppp deleted','2019-11-28 16:34:08','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct ppp deleted',14,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(395,'395',NULL,1,'2019-11-28 16:34:33','2019-11-28 16:34:33',40,'AC_PRODUCT_MODIFY','Product FR-CAR modified','2019-11-28 16:34:33','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct FR-CAR modified',24,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(396,'396',NULL,1,'2019-11-28 16:34:46','2019-11-28 16:34:46',40,'AC_PRODUCT_MODIFY','Product FR-CAR modified','2019-11-28 16:34:46','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct FR-CAR modified',24,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(397,'397',NULL,1,'2019-11-28 16:36:56','2019-11-28 16:36:56',40,'AC_PRODUCT_MODIFY','Product POS-CAR modified','2019-11-28 16:36:56','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-CAR modified',24,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(398,'398',NULL,1,'2019-11-28 16:37:36','2019-11-28 16:37:36',40,'AC_PRODUCT_CREATE','Product POS-APPLE created','2019-11-28 16:37:36','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-APPLE created',25,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(399,'399',NULL,1,'2019-11-28 16:37:58','2019-11-28 16:37:58',40,'AC_PRODUCT_MODIFY','Product POS-APPLE modified','2019-11-28 16:37:58','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-APPLE modified',25,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(400,'400',NULL,1,'2019-11-28 16:38:44','2019-11-28 16:38:44',40,'AC_PRODUCT_CREATE','Product POS-KIWI created','2019-11-28 16:38:44','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-KIWI created',26,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(401,'401',NULL,1,'2019-11-28 16:39:21','2019-11-28 16:39:21',40,'AC_PRODUCT_CREATE','Product POS-PEACH created','2019-11-28 16:39:21','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-PEACH created',27,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(402,'402',NULL,1,'2019-11-28 16:39:58','2019-11-28 16:39:58',40,'AC_PRODUCT_CREATE','Product POS-ORANGE created','2019-11-28 16:39:58','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-ORANGE created',28,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(403,'403',NULL,1,'2019-11-28 17:00:28','2019-11-28 17:00:28',40,'AC_PRODUCT_MODIFY','Product APPLEPIE modified','2019-11-28 17:00:28','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct APPLEPIE modified',4,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(404,'404',NULL,1,'2019-11-28 17:00:46','2019-11-28 17:00:46',40,'AC_PRODUCT_MODIFY','Product PEARPIE modified','2019-11-28 17:00:46','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PEARPIE modified',2,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(405,'405',NULL,1,'2019-11-28 17:01:57','2019-11-28 17:01:57',40,'AC_PRODUCT_MODIFY','Product POS-APPLE modified','2019-11-28 17:01:57','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-APPLE modified',25,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(406,'406',NULL,1,'2019-11-28 17:03:14','2019-11-28 17:03:14',40,'AC_PRODUCT_CREATE','Product POS-Eggs created','2019-11-28 17:03:14','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-Eggs created',29,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(407,'407',NULL,1,'2019-11-28 17:04:17','2019-11-28 17:04:17',40,'AC_PRODUCT_MODIFY','Product POS-Eggs modified','2019-11-28 17:04:17','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-Eggs modified',29,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(408,'408',NULL,1,'2019-11-28 17:09:14','2019-11-28 17:09:14',40,'AC_PRODUCT_CREATE','Product POS-Chips created','2019-11-28 17:09:14','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-Chips created',30,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(409,'409',NULL,1,'2019-11-28 17:09:54','2019-11-28 17:09:54',40,'AC_PRODUCT_MODIFY','Product POS-Chips modified','2019-11-28 17:09:54','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-Chips modified',30,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(410,'410',NULL,1,'2019-11-28 18:46:20','2019-11-28 18:46:20',40,'AC_PRODUCT_MODIFY','Product POS-APPLE modified','2019-11-28 18:46:20','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-APPLE modified',25,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(411,'411',NULL,1,'2019-11-28 18:59:29','2019-11-28 18:59:29',40,'AC_PRODUCT_MODIFY','Product PEARPIE modified','2019-11-28 18:59:29','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PEARPIE modified',2,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(412,'412',NULL,1,'2019-11-28 19:02:01','2019-11-28 19:02:01',40,'AC_PRODUCT_MODIFY','Product POS-CARROT modified','2019-11-28 19:02:01','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct POS-CARROT modified',24,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(413,'413',NULL,1,'2019-11-28 19:09:50','2019-11-28 19:09:50',40,'AC_PRODUCT_MODIFY','Product PEARPIE modified','2019-11-28 19:09:50','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PEARPIE modified',2,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(414,'414',NULL,1,'2019-11-28 19:12:50','2019-11-28 19:12:50',40,'AC_PRODUCT_MODIFY','Product PEARPIE modified','2019-11-28 19:12:50','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PEARPIE modified',2,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(415,'415',NULL,1,'2019-11-29 12:46:29','2019-11-29 12:46:29',40,'AC_TICKET_CREATE','Ticket TS1911-0004 created','2019-11-29 12:46:29','2021-04-15 10:22:55',12,NULL,4,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nTicket TS1911-0004 created',6,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(416,'416',NULL,1,'2019-11-29 12:46:34','2019-11-29 12:46:34',40,'AC_TICKET_MODIFY','Ticket TS1911-0004 read by Alice Adminson','2019-11-29 12:46:34','2021-04-15 10:22:55',12,NULL,4,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nTicket TS1911-0004 read by Alice Adminson',6,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(417,'417',NULL,1,'2019-11-29 12:46:47','2019-11-29 12:46:47',40,'AC_TICKET_ASSIGNED','Ticket TS1911-0004 assigned','2019-11-29 12:46:47','2021-04-15 10:22:55',12,NULL,4,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nTicket TS1911-0004 assigned\nOld user: None\nNew user: Commerson Charle1',6,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(418,'418',NULL,1,'2019-11-29 12:47:13',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #5gvo9bsjri55zef9] New message','2019-11-29 12:47:13','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'Where do you want to install Dolibarr ?
      \r\nOn-Premise or on the Cloud ?',6,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(419,'419',NULL,1,'2019-11-29 12:50:45','2019-11-29 12:50:45',40,'AC_TICKET_CREATE','Ticket TS1911-0005 créé','2019-11-29 12:50:45','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nTicket TS1911-0005 créé',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(420,'420',NULL,1,'2019-11-29 12:52:32','2019-11-29 12:52:32',40,'AC_TICKET_MODIFY','Ticket TS1911-0005 read by Alice Adminson','2019-11-29 12:52:32','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nTicket TS1911-0005 read by Alice Adminson',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(421,'421',NULL,1,'2019-11-29 12:52:53','2019-11-29 12:52:53',40,'AC_TICKET_ASSIGNED','Ticket TS1911-0005 assigned','2019-11-29 12:52:53','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nTicket TS1911-0005 assigned\nOld user: None\nNew user: Commerson Charle1',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(422,'422',NULL,1,'2019-11-29 12:54:04',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #d51wjy4nym7wltg7] New message','2019-11-29 12:54:04','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'Hi.
      \r\nThanks for your interest in using Dolibarr ERP CRM.
      \r\nI need more information to give you the correct answer : Where do you want to install Dolibarr. On premise or on Cloud',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(423,'423',NULL,1,'2019-11-29 12:54:46',NULL,50,'TICKET_MSG','','2019-11-29 12:54:46','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,100,'',NULL,NULL,'I need it On-Premise.',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(424,'424',NULL,1,'2019-11-29 12:55:42',NULL,50,'TICKET_MSG','[MyBigCompany - ticket #d51wjy4nym7wltg7] New message','2019-11-29 12:55:42','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,100,'',NULL,NULL,'When used on-premise, you can download and install Dolibarr yourself from ou web portal: https://www.dolibarr.org
      \r\nIt is completely free.',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(425,'425',NULL,1,'2019-11-29 12:55:48','2019-11-29 12:55:48',40,'AC_TICKET_CLOSE','Ticket TS1911-0005 closed','2019-11-29 12:55:48','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nTicket TS1911-0005 closed',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(426,'426',NULL,1,'2019-11-29 12:56:47','2019-11-29 12:56:47',40,'AC_BOM_UNVALIDATE','BOM unvalidated','2019-11-29 12:56:47','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM unvalidated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(427,'427',NULL,1,'2019-11-29 12:57:14','2019-11-29 12:57:14',40,'AC_BOM_VALIDATE','BOM validated','2019-11-29 12:57:14','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM validated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(428,'428',NULL,1,'2019-12-20 16:40:14','2019-12-20 16:40:14',40,'AC_MO_DELETE','MO deleted','2019-12-20 16:40:14','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',3,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(429,'429',NULL,1,'2019-12-20 17:00:43','2019-12-20 17:00:43',40,'AC_MO_DELETE','MO deleted','2019-12-20 17:00:43','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',7,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(430,'430',NULL,1,'2019-12-20 17:00:56','2019-12-20 17:00:56',40,'AC_MO_DELETE','MO deleted','2019-12-20 17:00:56','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',6,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(431,'431',NULL,1,'2019-12-20 20:00:03','2019-12-20 20:00:03',40,'AC_MO_DELETE','MO deleted','2019-12-20 20:00:03','2021-04-15 10:22:55',12,NULL,6,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',1,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(432,'432',NULL,1,'2019-12-20 20:22:11','2019-12-20 20:22:11',40,'AC_MO_DELETE','MO deleted','2019-12-20 20:22:11','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',10,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(433,'433',NULL,1,'2019-12-20 20:22:11','2019-12-20 20:22:11',40,'AC_MO_DELETE','MO deleted','2019-12-20 20:22:11','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',12,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(434,'434',NULL,1,'2019-12-20 20:22:20','2019-12-20 20:22:20',40,'AC_MO_DELETE','MO deleted','2019-12-20 20:22:20','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',9,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(435,'435',NULL,1,'2019-12-20 20:27:07','2019-12-20 20:27:07',40,'AC_MO_DELETE','MO deleted','2019-12-20 20:27:07','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO deleted',13,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(436,'436',NULL,1,'2019-12-20 20:42:42','2019-12-20 20:42:42',40,'AC_ORDER_VALIDATE','Order CO7001-0027 validated','2019-12-20 20:42:42','2021-04-15 10:22:55',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nOrder CO7001-0027 validated',88,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(437,'437',NULL,1,'2019-12-20 20:46:25','2019-12-20 20:46:25',40,'AC_ORDER_SUPPLIER_RECEIVE','Purchase Order CF1007-0001 received','2019-12-20 20:46:25','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nPurchase Order CF1007-0001 received ',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(438,'438',NULL,1,'2019-12-20 20:46:45','2019-12-20 20:46:45',40,'AC_ORDER_SUPPLIER_CLASSIFY_BILLED','Purchase Order CF1007-0001 set billed','2019-12-20 20:46:45','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nPurchase Order CF1007-0001 set billed',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(439,'439',NULL,1,'2019-12-20 20:47:02','2019-12-20 20:47:02',40,'AC_ORDER_SUPPLIER_RECEIVE','Purchase Order CF1007-0001 received','2019-12-20 20:47:02','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nPurchase Order CF1007-0001 received ',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(440,'440',NULL,1,'2019-12-20 20:47:44','2019-12-20 20:47:44',40,'AC_ORDER_SUPPLIER_RECEIVE','Purchase Order CF1007-0001 received','2019-12-20 20:47:44','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nPurchase Order CF1007-0001 received ',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(441,'441',NULL,1,'2019-12-20 20:47:53','2019-12-20 20:47:53',40,'AC_ORDER_SUPPLIER_RECEIVE','Purchase Order CF1007-0001 received','2019-12-20 20:47:53','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nPurchase Order CF1007-0001 received ',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(442,'442',NULL,1,'2019-12-20 20:48:05','2019-12-20 20:48:05',40,'AC_ORDER_SUPPLIER_RECEIVE','Purchase Order CF1007-0001 received','2019-12-20 20:48:05','2021-04-15 10:22:55',12,NULL,NULL,13,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nPurchase Order CF1007-0001 received ',1,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(443,'443',NULL,1,'2019-12-20 20:48:45','2019-12-20 20:48:45',40,'AC_ORDER_CLASSIFY_BILLED','Order CO7001-0016 classified billed','2019-12-20 20:48:45','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nOrder CO7001-0016 classified billed',54,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(444,'444',NULL,1,'2019-12-20 20:48:55','2019-12-20 20:48:55',40,'AC_ORDER_CLOSE','Order CO7001-0018 classified delivered','2019-12-20 20:48:55','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nOrder CO7001-0018 classified delivered',62,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(445,'445',NULL,1,'2019-12-20 20:49:43','2019-12-20 20:49:43',40,'AC_PROPAL_CLASSIFY_BILLED','Proposal PR1702-0027 classified billed','2019-12-20 20:49:43','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1702-0027 classified billed',29,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(446,'446',NULL,1,'2019-12-20 20:49:54','2019-12-20 20:49:54',40,'AC_PROPAL_CLOSE_SIGNED','Proposal PR1702-0027 signed','2019-12-20 20:49:54','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1702-0027 signed',29,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(447,'447',NULL,1,'2019-12-20 20:50:14','2019-12-20 20:50:14',40,'AC_PROPAL_CLOSE_REFUSED','Proposal PR1702-0027 refused','2019-12-20 20:50:14','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1702-0027 refused',29,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(448,'448',NULL,1,'2019-12-20 20:50:23','2019-12-20 20:50:23',40,'AC_PROPAL_CLOSE_SIGNED','Proposal PR1702-0027 signed','2019-12-20 20:50:23','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1702-0027 signed',29,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(449,'449',NULL,1,'2019-12-21 17:18:22','2019-12-21 17:18:22',40,'AC_BOM_CLOSE','BOM disabled','2019-12-21 17:18:22','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM disabled',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(450,'450',NULL,1,'2019-12-21 17:18:38','2019-12-21 17:18:38',40,'AC_MEMBER_RESILIATE','Member Vick Smith terminated','2019-12-21 17:18:38','2021-04-15 10:22:55',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember Vick Smith terminated\nMember: Vick Smith\nType: Standard members',1,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(451,'451',NULL,1,'2019-12-21 19:46:33','2019-12-21 19:46:33',40,'AC_PROJECT_CREATE','Project PJ1912-0005 created','2019-12-21 19:46:33','2021-04-15 10:22:55',12,NULL,10,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0005 created\nProject: PJ1912-0005',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(452,'452',NULL,1,'2019-12-21 19:47:03','2019-12-21 19:47:03',40,'AC_PROJECT_MODIFY','Project PJ1912-0005 modified','2019-12-21 19:47:03','2021-04-15 10:22:55',12,NULL,10,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0005 modified\nTask: PJ1912-0005',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(453,'453',NULL,1,'2019-12-21 19:47:24','2019-12-21 19:47:24',40,'AC_PROJECT_MODIFY','Project PJ1912-0005 modified','2019-12-21 19:47:24','2021-04-15 10:22:55',12,NULL,10,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0005 modified\nTask: PJ1912-0005',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(454,'454',NULL,1,'2019-12-21 19:47:52','2019-12-21 19:47:52',40,'AC_PROJECT_MODIFY','Project PJ1912-0005 modified','2019-12-21 19:47:52','2021-04-15 10:22:55',12,NULL,10,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0005 modified\nTask: PJ1912-0005',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(455,'455',NULL,1,'2019-12-21 19:48:06','2019-12-21 19:48:06',40,'AC_PROJECT_MODIFY','Project PJ1912-0005 modified','2019-12-21 19:48:06','2021-04-15 10:22:55',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0005 modified\nTask: PJ1912-0005',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(456,'456',NULL,1,'2019-12-21 19:49:28','2019-12-21 19:49:28',40,'AC_PROJECT_CREATE','Project PJ1912-0006 created','2019-12-21 19:49:28','2021-04-15 10:22:55',12,NULL,11,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0006 created\nProject: PJ1912-0006',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(457,'457',NULL,1,'2019-12-21 19:52:12','2019-12-21 19:52:12',40,'AC_PROJECT_CREATE','Project PJ1912-0007 created','2019-12-21 19:52:12','2021-04-15 10:22:55',12,NULL,12,4,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0007 created\nProject: PJ1912-0007',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(458,'458',NULL,1,'2019-12-21 19:53:21','2019-12-21 19:53:21',40,'AC_PROJECT_CREATE','Project PJ1912-0008 created','2019-12-21 19:53:21','2021-04-15 10:22:55',12,NULL,13,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0008 created\nProject: PJ1912-0008',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(459,'459',NULL,1,'2019-12-21 19:53:42','2019-12-21 19:53:42',40,'AC_PROJECT_MODIFY','Project PJ1912-0008 modified','2019-12-21 19:53:42','2021-04-15 10:22:55',12,NULL,13,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0008 modified\nTask: PJ1912-0008',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(460,'460',NULL,1,'2019-12-21 19:55:23','2019-12-21 19:55:23',40,'AC_PROJECT_MODIFY','Project PJ1912-0006 modified','2019-12-21 19:55:23','2021-04-15 10:22:55',12,NULL,11,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0006 modified\nTask: PJ1912-0006',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(461,'461',NULL,1,'2019-12-21 20:10:21','2019-12-21 20:10:21',40,'AC_PROJECT_MODIFY','Project PJ1912-0006 modified','2019-12-21 20:10:21','2021-04-15 10:22:55',12,NULL,11,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PJ1912-0006 modified\nTask: PJ1912-0006',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(462,'462',NULL,1,'2019-12-11 10:00:00','2019-12-11 10:00:00',5,'AC_RDV','Meeting with all employees','2019-12-21 20:29:32','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,1,NULL,0,0,-1,'',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(463,'463',NULL,1,'2019-12-06 00:00:00',NULL,11,'AC_INT','Intervention on customer site','2019-12-21 20:30:11','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,1,NULL,0,1,-1,'',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(464,'464',NULL,1,'2019-12-23 14:16:59','2019-12-23 14:16:59',40,'AC_BILL_PAYED','Invoice FA1601-0024 changed to paid','2019-12-23 14:16:59','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1601-0024 changed to paid',149,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(465,'465',NULL,1,'2019-12-23 14:17:18','2019-12-23 14:17:18',40,'AC_BILL_PAYED','Invoice FA1601-0024 changed to paid','2019-12-23 14:17:18','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1601-0024 changed to paid',149,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(466,'466',NULL,1,'2019-11-23 14:25:00',NULL,50,'AC_OTH','Test','2019-12-23 17:25:14','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,1,NULL,0,0,-1,'',NULL,NULL,'18/11 17h06 : Message laissé. Me rappeler pour m'en dire plus. 
      \r\n
      \r\n20/11 10h17 "A rappeler suite au msg laissé le 14/11, dit que c'est urgent"
      \r\n12h22 : message laissé. Je lui envoie un sms
      \r\n
      \r\n"Déclaration de sinistre originale" : constat de ce qui s'est passé.
      \r\nElle envoie le chèque de solde dès demain.
      \r\n
      \r\n3/12 : Elle préfère avoir plus d'infos sur le sinistre pour l'assurance.
      \r\nCourrier envoyé le 4/12/19 par mail et par courrier postal
      \r\n
      \r\n6/12 15h02 : ont obtenu le feu vert de l'assurance.
      \r\nOn bloque 16/12 PM à partir de 14h30. ',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(467,'467',NULL,1,'2020-01-01 14:35:47','2020-01-01 14:35:47',40,'AC_MEMBER_VALIDATE','Adhérent aze aze validé','2020-01-01 14:35:47','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent aze aze validé\nAdhérent: aze aze\nType: Board members',5,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(468,'468',NULL,1,'2020-01-01 14:50:59','2020-01-01 14:50:59',40,'AC_MEMBER_VALIDATE','Adhérent azr azr validé','2020-01-01 14:50:59','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent azr azr validé\nAdhérent: azr azr\nType: Board members',6,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(469,'469',NULL,1,'2020-01-01 15:00:16','2020-01-01 15:00:16',40,'AC_MEMBER_VALIDATE','Adhérent azt azt validé','2020-01-01 15:00:16','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent azt azt validé\nAdhérent: azt azt\nType: Board members',7,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(470,'470',NULL,1,'2020-01-01 15:08:20','2020-01-01 15:08:20',40,'AC_MEMBER_VALIDATE','Adhérent azu azu validé','2020-01-01 15:08:20','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent azu azu validé\nAdhérent: azu azu\nType: Board members',8,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(471,'471',NULL,1,'2020-01-01 15:27:24','2020-01-01 15:27:24',40,'AC_MEMBER_VALIDATE','Adhérent azi azi validé','2020-01-01 15:27:24','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent azi azi validé\nAdhérent: azi azi\nType: Board members',9,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(472,'472',NULL,1,'2020-01-01 15:36:29','2020-01-01 15:36:29',40,'AC_MEMBER_VALIDATE','Adhérent azo azo validé','2020-01-01 15:36:29','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent azo azo validé\nAdhérent: azo azo\nType: Board members',10,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(473,'473',NULL,1,'2020-01-01 15:44:25','2020-01-01 15:44:25',40,'AC_MEMBER_VALIDATE','Adhérent azp azp validé','2020-01-01 15:44:25','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent azp azp validé\nAdhérent: azp azp\nType: Board members',11,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(478,'478',NULL,1,'2020-01-01 16:52:32','2020-01-01 16:52:32',40,'AC_MEMBER_VALIDATE','Adhérent azq azq validé','2020-01-01 16:52:32','2021-04-15 10:22:55',NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0,-1,'',NULL,NULL,'Auteur: \nAdhérent azq azq validé\nAdhérent: azq azq\nType: Board members',12,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(483,'483',NULL,1,'2020-01-01 17:49:05','2020-01-01 17:49:05',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2001-0006 validated','2020-01-01 17:49:05','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0006 validated',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(484,'484',NULL,1,'2020-01-01 17:50:41','2020-01-01 17:50:41',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SA2001-0001 validated','2020-01-01 17:50:41','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 validated',23,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(485,'485',NULL,1,'2020-01-01 17:50:44','2020-01-01 17:50:44',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 17:50:44','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',23,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(486,'486',NULL,1,'2020-01-01 17:51:22','2020-01-01 17:51:22',40,'AC_BILL_SUPPLIER_UNVALIDATE','Invoice SI2001-0006 go back to draft status','2020-01-01 17:51:22','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0006 go back to draft status',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(487,'487',NULL,1,'2020-01-01 20:17:00','2020-01-01 20:17:00',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2001-0006 validated','2020-01-01 20:17:00','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0006 validated',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(488,'488',NULL,1,'2020-01-01 20:17:46','2020-01-01 20:17:46',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SA2001-0001 validated','2020-01-01 20:17:46','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 validated',24,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(489,'489',NULL,1,'2020-01-01 20:17:51','2020-01-01 20:17:51',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 20:17:51','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',24,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(490,'490',NULL,1,'2020-01-01 20:20:22','2020-01-01 20:20:22',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SA2001-0001 validated','2020-01-01 20:20:22','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 validated',26,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(491,'491',NULL,1,'2020-01-01 20:20:31','2020-01-01 20:20:31',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 20:20:31','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',26,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(492,'492',NULL,1,'2020-01-01 20:21:35','2020-01-01 20:21:35',40,'AC_BILL_SUPPLIER_UNVALIDATE','Invoice SI2001-0006 go back to draft status','2020-01-01 20:21:35','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0006 go back to draft status',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(493,'493',NULL,1,'2020-01-01 20:21:42','2020-01-01 20:21:42',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2001-0006 validated','2020-01-01 20:21:42','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0006 validated',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(494,'494',NULL,1,'2020-01-01 20:21:55','2020-01-01 20:21:55',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SA2001-0001 validated','2020-01-01 20:21:55','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 validated',27,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(495,'495',NULL,1,'2020-01-01 20:23:02','2020-01-01 20:23:02',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2001-0007 validated','2020-01-01 20:23:02','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0007 validated',28,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(496,'496',NULL,1,'2020-01-01 20:23:17','2020-01-01 20:23:17',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 20:23:17','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',27,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(497,'497',NULL,1,'2020-01-01 20:25:36','2020-01-01 20:25:36',40,'AC_BILL_SUPPLIER_PAYED','Invoice SI2001-0007 changed to paid','2020-01-01 20:25:36','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0007 changed to paid',28,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(498,'498',NULL,1,'2020-01-01 20:51:37','2020-01-01 20:51:37',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SA2001-0002 validated','2020-01-01 20:51:37','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0002 validated',30,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(499,'499',NULL,1,'2020-01-01 20:51:48','2020-01-01 20:51:48',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0002 changed to paid','2020-01-01 20:51:48','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0002 changed to paid',30,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(500,'500',NULL,1,'2020-01-01 21:02:39','2020-01-01 21:02:39',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 21:02:39','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',27,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(501,'501',NULL,1,'2020-01-01 21:03:01','2020-01-01 21:03:01',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 21:03:01','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',27,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(502,'502',NULL,1,'2020-01-01 21:11:10','2020-01-01 21:11:10',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 21:11:10','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',27,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(503,'503',NULL,1,'2020-01-01 21:20:07','2020-01-01 21:20:07',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 21:20:07','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',27,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(504,'504',NULL,1,'2020-01-01 21:21:28','2020-01-01 21:21:28',40,'AC_BILL_SUPPLIER_PAYED','Invoice SI2001-0007 changed to paid','2020-01-01 21:21:28','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0007 changed to paid',28,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(505,'505',NULL,1,'2020-01-01 22:06:30','2020-01-01 22:06:30',40,'AC_BILL_SUPPLIER_PAYED','Invoice SA2001-0001 changed to paid','2020-01-01 22:06:31','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SA2001-0001 changed to paid',27,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(506,'506',NULL,1,'2020-01-01 23:54:16','2020-01-01 23:54:16',40,'AC_PRODUCT_MODIFY','Product APPLEPIE modified','2020-01-01 23:54:16','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct APPLEPIE modified',4,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(507,'507',NULL,1,'2020-01-02 20:49:34','2020-01-02 20:49:34',40,'AC_BILL_PAYED','Invoice FA1601-0024 changed to paid','2020-01-02 20:49:34','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1601-0024 changed to paid',149,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(508,'508',NULL,1,'2020-01-02 23:02:35','2020-01-02 23:02:35',40,'AC_PRODUCT_MODIFY','Product APPLEPIE modified','2020-01-02 23:02:35','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct APPLEPIE modified',4,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(509,'509',NULL,1,'2020-01-02 23:45:01','2020-01-02 23:45:01',40,'AC_BOM_REOPEN','BOM reopen','2020-01-02 23:45:01','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM reopen',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(511,'511',NULL,1,'2020-01-02 23:57:42','2020-01-02 23:57:42',40,'AC_MRP_MO_VALIDATE','MO validated','2020-01-02 23:57:42','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO validated',14,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(512,'512',NULL,1,'2020-01-03 13:33:54','2020-01-03 13:33:54',40,'AC_BOM_UNVALIDATE','BOM unvalidated','2020-01-03 13:33:54','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM unvalidated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(513,'513',NULL,1,'2020-01-03 13:34:11','2020-01-03 13:34:11',40,'AC_BOM_VALIDATE','BOM validated','2020-01-03 13:34:11','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM validated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(514,'514',NULL,1,'2020-01-03 13:35:45','2020-01-03 13:35:45',40,'AC_MRP_MO_VALIDATE','MO validated','2020-01-03 13:35:45','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO validated',18,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(515,'515',NULL,1,'2020-01-03 14:10:41','2020-01-03 14:10:41',40,'AC_MRP_MO_VALIDATE','MO validated','2020-01-03 14:10:41','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO validated',18,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(516,'516',NULL,1,'2020-01-06 00:39:58','2020-01-06 00:39:58',40,'AC_COMPANY_CREATE','Patient créé','2020-01-06 00:39:58','2021-04-15 10:22:55',12,NULL,NULL,29,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nPatient créé',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(517,'517',NULL,1,'2020-01-06 00:49:06','2020-01-06 00:49:06',40,'AC_BILL_SUPPLIER_UNVALIDATE','Invoice SI2001-0006 go back to draft status','2020-01-06 00:49:06','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0006 go back to draft status',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(518,'518',NULL,1,'2020-01-06 06:50:05','2020-01-06 06:50:05',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-06 06:50:05','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',14,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(519,'519',NULL,1,'2020-01-06 20:52:28','2020-01-06 20:52:28',40,'AC_OTH_AUTO','Consultation 2 recorded (Patient)','2020-01-06 20:52:28','2021-04-15 10:22:55',12,NULL,NULL,29,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Consultation 2 recorded (Patient)\nAuthor: admin',2,'cabinetmed_cons',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(520,'520',NULL,1,'2020-01-07 20:25:02','2020-01-07 20:25:02',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 20:25:02','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(521,'521',NULL,1,'2020-01-07 21:12:37','2020-01-07 21:12:37',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:12:37','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(522,'522',NULL,1,'2020-01-07 21:13:00','2020-01-07 21:13:00',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:13:00','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(523,'523',NULL,1,'2020-01-07 21:13:49','2020-01-07 21:13:49',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:13:49','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(524,'524',NULL,1,'2020-01-07 21:46:58','2020-01-07 21:46:58',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:46:58','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(525,'525',NULL,1,'2020-01-07 21:52:34','2020-01-07 21:52:34',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:52:34','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(526,'526',NULL,1,'2020-01-07 21:53:44','2020-01-07 21:53:44',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:53:44','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(527,'527',NULL,1,'2020-01-07 21:53:58','2020-01-07 21:53:58',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:53:58','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(528,'528',NULL,1,'2020-01-07 21:54:12','2020-01-07 21:54:12',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 21:54:12','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(529,'529',NULL,1,'2020-01-07 22:00:55','2020-01-07 22:00:55',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 22:00:55','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(530,'530',NULL,1,'2020-01-07 22:39:52','2020-01-07 22:39:52',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 22:39:52','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',14,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(531,'531',NULL,1,'2020-01-07 23:09:04','2020-01-07 23:09:04',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 23:09:04','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',14,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(532,'532',NULL,1,'2020-01-07 23:39:09','2020-01-07 23:39:09',40,'AC_PROPAL_CLOSE_SIGNED','Proposal PR1909-0033 signed','2020-01-07 23:39:09','2021-04-15 10:22:55',12,NULL,6,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1909-0033 signed',34,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(533,'533',NULL,1,'2020-01-07 23:43:06','2020-01-07 23:43:06',40,'AC_PROPAL_CLOSE_SIGNED','Proposal PR1909-0033 signed','2020-01-07 23:43:06','2021-04-15 10:22:55',12,NULL,6,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR1909-0033 signed',34,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(534,'534',NULL,1,'2020-01-07 23:50:40','2020-01-07 23:50:40',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 23:50:40','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(535,'535',NULL,1,'2020-01-07 23:51:27','2020-01-07 23:51:27',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-07 23:51:27','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(536,'536',NULL,1,'2020-01-08 00:25:23','2020-01-08 00:25:23',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 00:25:23','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(537,'537',NULL,1,'2020-01-08 00:25:43','2020-01-08 00:25:43',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 00:25:43','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(538,'538',NULL,1,'2020-01-08 00:29:24','2020-01-08 00:29:24',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 00:29:24','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(539,'539',NULL,1,'2020-01-08 00:29:43','2020-01-08 00:29:43',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 00:29:43','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(540,'540',NULL,1,'2020-01-08 01:09:15','2020-01-08 01:09:15',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 01:09:15','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(541,'541',NULL,1,'2020-01-08 01:15:02','2020-01-08 01:15:02',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 01:15:02','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(542,'542',NULL,1,'2020-01-08 01:17:16','2020-01-08 01:17:16',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 01:17:16','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(543,'543',NULL,1,'2020-01-08 05:31:44','2020-01-08 05:31:44',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 05:31:44','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(544,'544',NULL,1,'2020-01-08 05:39:46','2020-01-08 05:39:46',40,'AC_BOM_CLOSE','BOM disabled','2020-01-08 05:39:46','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM disabled',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(545,'545',NULL,1,'2020-01-08 05:39:50','2020-01-08 05:39:50',40,'AC_BOM_REOPEN','BOM reopen','2020-01-08 05:39:50','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM reopen',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(546,'546',NULL,1,'2020-01-08 06:06:50','2020-01-08 06:06:50',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 06:06:50','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',14,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(547,'547',NULL,1,'2020-01-08 19:34:53','2020-01-08 19:34:53',40,'AC_BOM_UNVALIDATE','BOM unvalidated','2020-01-08 19:34:53','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM unvalidated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(548,'548',NULL,1,'2020-01-08 19:40:27','2020-01-08 19:40:27',40,'AC_PRODUCT_MODIFY','Product APPLEPIE modified','2020-01-08 19:40:27','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct APPLEPIE modified',4,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(549,'549',NULL,1,'2020-01-08 19:40:46','2020-01-08 19:40:46',40,'AC_PRODUCT_MODIFY','Product PINKDRESS modified','2020-01-08 19:40:46','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PINKDRESS modified',1,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(550,'550',NULL,1,'2020-01-08 19:40:59','2020-01-08 19:40:59',40,'AC_BOM_VALIDATE','BOM validated','2020-01-08 19:40:59','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM validated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(551,'551',NULL,1,'2020-01-08 19:41:11','2020-01-08 19:41:11',40,'AC_BOM_UNVALIDATE','BOM unvalidated','2020-01-08 19:41:11','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM unvalidated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(552,'552',NULL,1,'2020-01-08 19:41:49','2020-01-08 19:41:49',40,'AC_BOM_VALIDATE','BOM validated','2020-01-08 19:41:49','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM validated',6,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(553,'553',NULL,1,'2020-01-08 20:12:55','2020-01-08 20:12:55',40,'AC_MRP_MO_VALIDATE','MO validated','2020-01-08 20:12:55','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO validated',28,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(554,'554',NULL,1,'2020-01-08 20:21:22','2020-01-08 20:21:22',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 20:21:22','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',28,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(555,'555',NULL,1,'2020-01-08 20:41:19','2020-01-08 20:41:19',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-08 20:41:19','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',28,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(556,'556',NULL,1,'2020-01-08 22:25:19','2020-01-08 22:25:19',40,'AC_BOM_DELETE','BOM deleted','2020-01-08 22:25:19','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM deleted',7,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(557,'557',NULL,1,'2020-01-13 15:11:07','2020-01-13 15:11:07',40,'AC_MO_DELETE','MO_DELETEInDolibarr','2020-01-13 15:11:07','2021-04-15 10:22:55',12,NULL,6,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO_DELETEInDolibarr',25,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(558,'558',NULL,1,'2020-01-13 15:11:54','2020-01-13 15:11:54',40,'AC_MRP_MO_VALIDATE','MO validated','2020-01-13 15:11:54','2021-04-15 10:22:55',12,NULL,6,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO validated',24,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(559,'559',NULL,1,'2020-01-13 15:13:19','2020-01-13 15:13:19',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-13 15:13:19','2021-04-15 10:22:55',12,NULL,6,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',24,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(560,'560',NULL,1,'2020-01-13 15:14:15','2020-01-13 15:14:15',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-13 15:14:15','2021-04-15 10:22:55',12,NULL,6,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',24,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(561,'561',NULL,1,'2020-01-13 15:29:30','2020-01-13 15:29:30',40,'AC_MRP_MO_PRODUCED','MO produced','2020-01-13 15:29:30','2021-04-15 10:22:55',12,NULL,7,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMO produced',5,'mo',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(562,'562',NULL,1,'2020-01-13 17:19:24','2020-01-13 17:19:24',40,'AC_COMPANY_CREATE','Third party Italo created','2020-01-13 17:19:24','2021-04-15 10:22:55',12,NULL,NULL,30,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nThird party Italo created',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(563,'563',NULL,1,'2020-01-15 16:27:15','2020-01-15 16:27:15',40,'AC_PROJECT_MODIFY','Project RMLL modified','2020-01-15 16:27:15','2021-04-15 10:22:55',12,NULL,5,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject RMLL modified\nTask: RMLL',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(564,'564',NULL,1,'2020-01-15 16:40:50','2020-01-15 16:40:50',40,'AC_PROJECT_MODIFY','Project PROJINDIAN modified','2020-01-15 16:40:50','2021-04-15 10:22:55',12,NULL,3,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProject PROJINDIAN modified\nTask: PROJINDIAN',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(565,'565',NULL,1,'2020-01-16 02:22:16','2020-01-16 02:22:16',40,'AC_BILL_VALIDATE','Invoice AC2001-0001 validated','2020-01-16 02:22:16','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0001 validated',221,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(566,'566',NULL,1,'2020-01-16 02:22:24','2020-01-16 02:22:24',40,'AC_BILL_UNVALIDATE','Invoice AC2001-0001 go back to draft status','2020-01-16 02:22:24','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0001 go back to draft status',221,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(567,'567',NULL,1,'2020-01-16 02:33:27','2020-01-16 02:33:27',40,'AC_BILL_VALIDATE','Invoice AC2001-0002 validated','2020-01-16 02:33:27','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0002 validated',224,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(568,'568',NULL,1,'2020-01-16 02:36:48','2020-01-16 02:36:48',40,'AC_BILL_PAYED','Invoice AC2001-0002 changed to paid','2020-01-16 02:36:48','2021-04-15 10:22:55',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0002 changed to paid',224,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(569,'569',NULL,1,'2020-01-16 02:42:12','2020-01-16 02:42:12',40,'AC_ORDER_CLASSIFY_BILLED','Order CO7001-0020 classified billed','2020-01-16 02:42:12','2021-04-15 10:22:55',12,NULL,NULL,6,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nOrder CO7001-0020 classified billed',72,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(570,'570',NULL,1,'2020-01-16 02:42:17','2020-01-16 02:42:17',40,'AC_ORDER_CLOSE','Order CO7001-0020 classified delivered','2020-01-16 02:42:17','2021-04-15 10:22:55',12,NULL,NULL,6,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nOrder CO7001-0020 classified delivered',72,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(571,'571',NULL,1,'2020-01-16 02:42:56','2020-01-16 02:42:56',40,'AC_ORDER_CLOSE','Order CO7001-0020 classified delivered','2020-01-16 02:42:56','2021-04-15 10:22:55',12,NULL,NULL,6,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nOrder CO7001-0020 classified delivered',72,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(572,'572',NULL,1,'2020-01-16 18:05:43','2020-01-16 18:05:43',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2001-0006 validated','2020-01-16 18:05:43','2021-04-15 10:22:55',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice SI2001-0006 validated',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(573,'573',NULL,1,'2020-01-17 14:54:18','2020-01-17 14:54:18',40,'AC_PRODUCT_MODIFY','Product PINKDRESS modified','2020-01-17 14:54:18','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PINKDRESS modified',1,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(574,'574',NULL,1,'2020-01-17 15:22:28','2020-01-17 15:22:28',40,'AC_PRODUCT_MODIFY','Product PINKDRESS modified','2020-01-17 15:22:28','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PINKDRESS modified',1,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(575,'575',NULL,1,'2020-01-19 14:22:27','2020-01-19 14:22:27',40,'AC_PROPAL_VALIDATE','Proposal PR2001-0034 validated','2020-01-19 14:22:27','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR2001-0034 validated',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(576,'576',NULL,1,'2020-01-19 14:22:34','2020-01-19 14:22:34',40,'AC_PROPAL_CLOSE_SIGNED','Proposal PR2001-0034 signed','2020-01-19 14:22:34','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR2001-0034 signed',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(577,'577',NULL,1,'2020-01-19 14:24:22','2020-01-19 14:24:22',40,'AC_PROPAL_VALIDATE','Proposal PR2001-0034 validated','2020-01-19 14:24:22','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR2001-0034 validated',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(578,'578',NULL,1,'2020-01-19 14:24:27','2020-01-19 14:24:27',40,'AC_PROPAL_CLOSE_SIGNED','Proposal PR2001-0034 signed','2020-01-19 14:24:27','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProposal PR2001-0034 signed',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(579,'579',NULL,1,'2020-01-19 14:51:43','2020-01-19 14:51:43',40,'AC_BILL_VALIDATE','Invoice AC2001-0003 validated','2020-01-19 14:51:43','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0003 validated',227,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(580,'580',NULL,1,'2020-01-19 14:51:48','2020-01-19 14:51:48',40,'AC_BILL_UNVALIDATE','Invoice AC2001-0003 go back to draft status','2020-01-19 14:51:48','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0003 go back to draft status',227,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(581,'581',NULL,1,'2020-01-19 15:01:26','2020-01-19 15:01:26',40,'AC_BILL_VALIDATE','Invoice AC2001-0004 validated','2020-01-19 15:01:26','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0004 validated',228,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(582,'582',NULL,1,'2020-01-19 15:04:37','2020-01-19 15:04:37',40,'AC_BILL_UNVALIDATE','Invoice AC2001-0004 go back to draft status','2020-01-19 15:04:37','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0004 go back to draft status',228,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(583,'583',NULL,1,'2020-01-19 15:04:53','2020-01-19 15:04:53',40,'AC_BILL_VALIDATE','Invoice AC2001-0004 validated','2020-01-19 15:04:53','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0004 validated',228,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(584,'584',NULL,1,'2020-01-19 15:09:14','2020-01-19 15:09:14',40,'AC_BILL_UNVALIDATE','Invoice AC2001-0004 go back to draft status','2020-01-19 15:09:14','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0004 go back to draft status',228,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(585,'585',NULL,1,'2020-01-19 15:13:07','2020-01-19 15:13:07',40,'AC_BILL_VALIDATE','Invoice AC2001-0004 validated','2020-01-19 15:13:07','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice AC2001-0004 validated',228,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(586,'586',NULL,1,'2020-01-20 12:20:11','2020-01-20 12:20:11',40,'AC_ORDER_SUPPLIER_CREATE','Order (PROV14) created','2020-01-20 12:20:11','2021-04-15 10:22:55',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nOrder (PROV14) created',14,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(588,'588',NULL,1,'2020-01-21 01:02:14','2020-01-21 01:02:14',40,'AC_MEMBER_SUBSCRIPTION_CREATE','Subscription 2 for member Vick Smith added','2020-01-21 01:02:14','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nSubscription 2 for member Vick Smith added\nMember: Vick Smith\nType: 2\nAmount: 50\nPeriod: 07/18/2013 - 07/17/2014',3,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(589,'589',NULL,1,'2020-01-21 10:22:37','2020-01-21 10:22:37',40,'AC_MEMBER_SUBSCRIPTION_CREATE','Subscription 3 for member Vick Smith added','2020-01-21 10:22:37','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nSubscription 3 for member Vick Smith added\nMember: Vick Smith\nType: 2\nAmount: 50\nPeriod: 07/18/2017 - 07/17/2018',4,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(590,'590',NULL,1,'2020-01-21 10:23:17','2020-01-21 10:23:17',40,'AC_MEMBER_SUBSCRIPTION_CREATE','Subscription 4 for member Vick Smith added','2020-01-21 10:23:17','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nSubscription 4 for member Vick Smith added\nMember: Vick Smith\nType: 2\nAmount: 50\nPeriod: 07/18/2017 - 07/17/2018',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(591,'591',NULL,1,'2020-01-21 10:23:17','2020-01-21 10:23:17',40,'AC_BILL_VALIDATE','Invoice FA1707-0026 validated','2020-01-21 10:23:17','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1707-0026 validated',229,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(592,'592',NULL,1,'2020-01-21 10:23:17','2020-01-21 10:23:17',40,'AC_BILL_PAYED','Invoice FA1707-0026 changed to paid','2020-01-21 10:23:17','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1707-0026 changed to paid',229,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(593,'593',NULL,1,'2020-01-21 10:23:28','2020-01-21 10:23:28',40,'AC_MEMBER_SUBSCRIPTION_CREATE','Subscription 5 for member Vick Smith added','2020-01-21 10:23:28','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nSubscription 5 for member Vick Smith added\nMember: Vick Smith\nType: 2\nAmount: 50\nPeriod: 07/18/2018 - 07/17/2019',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(594,'594',NULL,1,'2020-01-21 10:23:28','2020-01-21 10:23:28',40,'AC_BILL_VALIDATE','Invoice FA1807-0027 validated','2020-01-21 10:23:28','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1807-0027 validated',230,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(595,'595',NULL,1,'2020-01-21 10:23:28','2020-01-21 10:23:28',40,'AC_BILL_PAYED','Invoice FA1807-0027 changed to paid','2020-01-21 10:23:28','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1807-0027 changed to paid',230,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(596,'596',NULL,1,'2020-01-21 10:23:49','2020-01-21 10:23:49',40,'AC_MEMBER_SUBSCRIPTION_CREATE','Subscription 6 for member Vick Smith added','2020-01-21 10:23:49','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nSubscription 6 for member Vick Smith added\nMember: Vick Smith\nType: 2\nAmount: 50\nPeriod: 07/18/2019 - 07/17/2020',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(597,'597',NULL,1,'2020-01-21 10:23:49','2020-01-21 10:23:49',40,'AC_BILL_VALIDATE','Invoice FA1907-0028 validated','2020-01-21 10:23:49','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1907-0028 validated',231,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(598,'598',NULL,1,'2020-01-21 10:23:49','2020-01-21 10:23:49',40,'AC_BILL_PAYED','Invoice FA1907-0028 changed to paid','2020-01-21 10:23:49','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nInvoice FA1907-0028 changed to paid',231,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(599,'599',NULL,1,'2020-01-21 10:30:27','2020-01-21 10:30:27',40,'AC_MEMBER_MODIFY','Member Pierre Curie modified','2020-01-21 10:30:27','2021-04-15 10:22:55',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember Pierre Curie modified\nMember: Pierre Curie\nType: Standard members',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(600,'600',NULL,1,'2020-01-21 10:30:36','2020-01-21 10:30:36',40,'AC_MEMBER_MODIFY','Member doe john modified','2020-01-21 10:30:36','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember doe john modified\nMember: doe john\nType: Standard members',3,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(601,'601',NULL,1,'2020-01-21 10:30:42','2020-01-21 10:30:42',40,'AC_MEMBER_MODIFY','Member smith smith modified','2020-01-21 10:30:42','2021-04-15 10:22:55',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember smith smith modified\nMember: smith smith\nType: Standard members',4,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(602,'602',NULL,1,'2020-01-21 10:30:57','2020-01-21 10:30:57',40,'AC_MEMBER_MODIFY','Member Vick Smith modified','2020-01-21 10:30:57','2021-04-15 10:22:55',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nMember Vick Smith modified\nMember: Vick Smith\nType: Standard members',1,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(603,'603',NULL,1,'2020-06-12 10:00:00','2020-06-12 11:30:00',5,'AC_RDV','Meetings','2020-06-12 19:26:44','2021-04-15 10:22:55',12,NULL,3,NULL,NULL,0,12,1,NULL,0,0,-1,'Room 24',5400,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(604,'604',NULL,1,'2020-06-01 10:00:00','2020-06-01 10:27:00',1,'AC_TEL','Called Mr X','2020-06-12 19:28:13','2021-04-15 10:22:55',12,12,3,NULL,NULL,0,12,1,NULL,0,0,100,NULL,1620,NULL,'Customer ask another call.',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(605,'605',NULL,1,'2020-04-15 05:00:00','2020-04-15 06:00:00',5,'AC_RDV','Meet A2','2021-04-15 07:36:31','2021-04-15 10:36:31',12,NULL,NULL,NULL,NULL,0,12,1,NULL,0,0,0,'',3600,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(606,'606',NULL,1,'2021-04-15 08:38:02','2021-04-15 08:38:02',40,'AC_PRODUCT_CREATE','Product PRODSER created','2021-04-15 08:38:02','2021-04-15 11:38:02',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nProduct PRODSER created',31,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(607,'607',NULL,1,'2022-02-07 13:54:11','2022-02-07 13:54:11',40,'AC_BOM_VALIDATE','BOM validated','2022-02-07 13:54:11','2022-02-07 13:54:11',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Author: admin\nBOM validated',7,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(608,'608',NULL,1,'2022-12-13 11:24:28','2022-12-13 11:24:28',40,'AC_USER_MODIFY','Record 12 modified','2022-12-13 11:24:28','2022-12-13 11:24:28',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(609,'609',NULL,1,'2022-12-13 11:24:38','2022-12-13 11:24:38',40,'AC_USER_MODIFY','Record 12 modified','2022-12-13 11:24:38','2022-12-13 11:24:38',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(610,'610',NULL,1,'2022-12-13 11:24:40','2022-12-13 11:24:40',40,'AC_USER_MODIFY','Record 12 modified','2022-12-13 11:24:40','2022-12-13 11:24:40',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(611,'611',NULL,1,'2022-12-13 11:24:47','2022-12-13 11:24:47',40,'AC_USER_MODIFY','Record 12 modified','2022-12-13 11:24:47','2022-12-13 11:24:47',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(612,'612',NULL,1,'2022-12-13 11:24:51','2022-12-13 11:24:51',40,'AC_USER_MODIFY','Record 12 modified','2022-12-13 11:24:51','2022-12-13 11:24:51',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(615,'615',NULL,1,'2022-12-13 11:28:20','2022-12-13 11:28:20',40,'AC_USER_CREATE','Record created','2022-12-13 11:28:20','2022-12-13 11:28:20',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record created',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(616,'616',NULL,1,'2022-12-13 11:28:20','2022-12-13 11:28:20',40,'AC_USER_NEW_PASSWORD','PASSWORDInDolibarr','2022-12-13 11:28:20','2022-12-13 11:28:20',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'PASSWORDInDolibarr',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(617,'617',NULL,1,'2022-12-13 11:49:51','2022-12-13 11:49:51',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:49:51','2022-12-13 11:49:51',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(618,'618',NULL,1,'2022-12-13 11:50:15','2022-12-13 11:50:15',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:15','2022-12-13 11:50:15',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(619,'619',NULL,1,'2022-12-13 11:50:17','2022-12-13 11:50:17',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:17','2022-12-13 11:50:17',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(620,'620',NULL,1,'2022-12-13 11:50:18','2022-12-13 11:50:18',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:18','2022-12-13 11:50:18',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(621,'621',NULL,1,'2022-12-13 11:50:19','2022-12-13 11:50:19',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:19','2022-12-13 11:50:19',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(622,'622',NULL,1,'2022-12-13 11:50:20','2022-12-13 11:50:20',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:20','2022-12-13 11:50:20',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(623,'623',NULL,1,'2022-12-13 11:50:20','2022-12-13 11:50:20',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:20','2022-12-13 11:50:20',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(624,'624',NULL,1,'2022-12-13 11:50:43','2022-12-13 11:50:43',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:43','2022-12-13 11:50:43',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(625,'625',NULL,1,'2022-12-13 11:50:44','2022-12-13 11:50:44',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:50:44','2022-12-13 11:50:44',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(626,'626',NULL,1,'2022-12-13 11:52:00','2022-12-13 11:52:00',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:52:00','2022-12-13 11:52:00',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(627,'627',NULL,1,'2022-12-13 11:54:05','2022-12-13 11:54:05',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:54:05','2022-12-13 11:54:05',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(628,'628',NULL,1,'2022-12-13 11:54:06','2022-12-13 11:54:06',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:54:06','2022-12-13 11:54:06',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(629,'629',NULL,1,'2022-12-13 11:54:32','2022-12-13 11:54:32',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:54:32','2022-12-13 11:54:32',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(630,'630',NULL,1,'2022-12-13 11:55:13','2022-12-13 11:55:13',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 11:55:13','2022-12-13 11:55:13',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(631,'631',NULL,1,'2022-12-13 13:29:38','2022-12-13 13:29:38',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 13:29:38','2022-12-13 13:29:38',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(632,'632',NULL,1,'2022-12-13 13:29:51','2022-12-13 13:29:51',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 13:29:51','2022-12-13 13:29:51',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(633,'633',NULL,1,'2022-12-13 13:30:42','2022-12-13 13:30:42',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 13:30:42','2022-12-13 13:30:42',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(634,'634',NULL,1,'2022-12-13 13:31:39','2022-12-13 13:31:39',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 13:31:39','2022-12-13 13:31:39',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(635,'635',NULL,1,'2022-12-13 13:31:48','2022-12-13 13:31:48',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 13:31:48','2022-12-13 13:31:48',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(636,'636',NULL,1,'2022-12-13 13:31:49','2022-12-13 13:31:49',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 13:31:49','2022-12-13 13:31:49',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(637,'637',NULL,1,'2022-12-13 17:59:06','2022-12-13 17:59:06',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 17:59:06','2022-12-13 17:59:06',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(638,'638',NULL,1,'2022-12-13 17:59:08','2022-12-13 17:59:08',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 17:59:08','2022-12-13 17:59:08',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(639,'639',NULL,1,'2022-12-13 17:59:14','2022-12-13 17:59:14',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 17:59:14','2022-12-13 17:59:14',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(640,'640',NULL,1,'2022-12-13 17:59:15','2022-12-13 17:59:15',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 17:59:15','2022-12-13 17:59:15',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(641,'641',NULL,1,'2022-12-13 17:59:33','2022-12-13 17:59:33',40,'AC_USER_MODIFY','Record 22 modified','2022-12-13 17:59:33','2022-12-13 17:59:33',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(642,'642',NULL,1,'2022-12-16 10:00:14','2022-12-16 10:00:14',40,'AC_PRODUCT_MODIFY','Product DOLIDROID modified','2022-12-16 10:00:14','2022-12-16 10:00:14',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product DOLIDROID modified',5,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(643,'643',NULL,1,'2022-12-16 11:20:27','2022-12-16 11:20:27',40,'AC_COMPANY_MODIFY','Third party Prospector Vaalen modified','2022-12-16 11:20:27','2022-12-16 11:20:27',12,NULL,NULL,4,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party Prospector Vaalen modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(644,'644',NULL,1,'2022-12-16 11:20:53','2022-12-16 11:20:53',40,'AC_COMPANY_MODIFY','Third party Italo modified','2022-12-16 11:20:53','2022-12-16 11:20:53',12,NULL,NULL,30,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party Italo modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(645,'645',NULL,1,'2022-12-16 11:20:59','2022-12-16 11:20:59',40,'AC_COMPANY_MODIFY','Third party Italo modified','2022-12-16 11:20:59','2022-12-16 11:20:59',12,NULL,NULL,30,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party Italo modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(646,'646',NULL,1,'2022-12-26 12:12:11','2022-12-26 12:12:11',40,'AC_COMPANY_CREATE','Third party aaa created','2022-12-26 12:12:11','2022-12-26 12:12:11',12,NULL,NULL,31,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaa created',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(647,'647',NULL,1,'2022-12-26 12:12:43','2022-12-26 12:12:43',40,'AC_COMPANY_CREATE','Third party aaa created','2022-12-26 12:12:43','2022-12-26 12:12:43',12,NULL,NULL,32,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaa created',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(648,'648',NULL,1,'2022-12-26 12:14:10','2022-12-26 12:14:10',40,'AC_COMPANY_CREATE','Third party aaa created','2022-12-26 12:14:10','2022-12-26 12:14:10',12,NULL,NULL,33,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaa created',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(649,'649',NULL,1,'2022-12-26 12:15:09','2022-12-26 12:15:09',40,'AC_COMPANY_CREATE','Third party aaa created','2022-12-26 12:15:09','2022-12-26 12:15:09',12,NULL,NULL,34,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaa created',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(650,'650',NULL,1,'2022-12-26 12:18:03','2022-12-26 12:18:03',40,'AC_COMPANY_CREATE','Third party bbb created','2022-12-26 12:18:03','2022-12-26 12:18:03',12,NULL,NULL,35,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party bbb created',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(651,'651',NULL,1,'2022-12-26 12:21:55','2022-12-26 12:21:55',40,'AC_COMPANY_CREATE','Third party bbb created','2022-12-26 12:21:55','2022-12-26 12:21:55',12,NULL,NULL,36,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party bbb created',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(652,'652',NULL,1,'2022-12-28 00:21:00','2022-12-28 00:21:00',40,'AC_COMPANY_MODIFY','Third party bbb modified','2022-12-28 00:21:00','2022-12-28 00:21:00',12,NULL,NULL,35,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party bbb modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(653,'653',NULL,1,'2022-12-28 00:56:01','2022-12-28 00:56:01',40,'AC_COMPANY_MODIFY','Third party Italo modified','2022-12-28 00:56:01','2022-12-28 00:56:01',12,NULL,NULL,30,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party Italo modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(654,'654',NULL,1,'2022-12-28 00:56:09','2022-12-28 00:56:09',40,'AC_COMPANY_MODIFY','Third party Italo modified','2022-12-28 00:56:09','2022-12-28 00:56:09',12,NULL,NULL,30,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party Italo modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(655,'655',NULL,1,'2022-12-29 18:08:12','2022-12-29 18:08:12',40,'AC_BILL_SUPPLIER_UNVALIDATE','Invoice SI2001-0006 go back to draft status','2022-12-29 18:08:12','2022-12-29 18:08:12',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice SI2001-0006 go back to draft status',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(656,'656',NULL,1,'2022-12-29 18:08:29','2022-12-29 18:08:29',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2001-0006 validated','2022-12-29 18:08:29','2022-12-29 18:08:29',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice SI2001-0006 validated',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(657,'657',NULL,1,'2022-12-29 18:08:42','2022-12-29 18:08:42',40,'AC_BILL_SUPPLIER_UNVALIDATE','Invoice SI2001-0006 go back to draft status','2022-12-29 18:08:42','2022-12-29 18:08:42',12,NULL,NULL,17,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice SI2001-0006 go back to draft status',22,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(658,'658',NULL,1,'2022-12-30 10:44:06','2022-12-30 10:44:06',40,'AC_PRODUCT_CREATE','Product aaa created','2022-12-30 10:44:06','2022-12-30 13:44:06',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product aaa created',32,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(659,'659',NULL,1,'2023-01-02 15:49:54','2023-01-02 15:49:54',40,'AC_COMPANY_MODIFY','Third party aaa modified','2023-01-02 15:49:54','2023-01-02 18:49:54',12,NULL,NULL,31,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaa modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(710,'710',NULL,1,'2023-01-03 11:07:52','2023-01-03 11:07:52',40,'AC_PRODUCT_CREATE','Product aaa_XL_BLUE created','2023-01-03 11:07:52','2023-01-03 14:07:52',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product aaa_XL_BLUE created',33,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(711,'711',NULL,1,'2023-01-03 11:07:52','2023-01-03 11:07:52',40,'AC_PRODUCT_MODIFY','Product aaa_XL_BLUE modified','2023-01-03 11:07:52','2023-01-03 14:07:52',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product aaa_XL_BLUE modified',33,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(712,'712',NULL,1,'2023-01-03 11:15:51','2023-01-03 11:15:51',40,'AC_PRODUCT_CREATE','Product aaa_L_RED created','2023-01-03 11:15:51','2023-01-03 14:15:51',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product aaa_L_RED created',34,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(713,'713',NULL,1,'2023-01-03 11:15:51','2023-01-03 11:15:51',40,'AC_PRODUCT_MODIFY','Product aaa_L_RED modified','2023-01-03 11:15:51','2023-01-03 14:15:51',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product aaa_L_RED modified',34,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(714,'714',NULL,1,'2023-01-04 13:58:52','2023-01-04 13:58:52',40,'AC_TICKET_ASSIGNED','Ticket TS1911-0004 assigned','2023-01-04 13:58:52','2023-01-04 16:58:52',12,NULL,4,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Ticket TS1911-0004 assigned\nOld user: Commerson Charle1\nNew user: David Doe',6,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(715,'715',NULL,1,'2023-01-04 13:58:57','2023-01-04 13:58:57',40,'AC_TICKET_ASSIGNED','Ticket TS1911-0004 assigned','2023-01-04 13:58:57','2023-01-04 16:58:57',12,NULL,4,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Ticket TS1911-0004 assigned\nOld user: David Doe\nNew user: Pierre Curie',6,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(716,'716',NULL,1,'2023-01-10 12:59:11','2023-01-10 12:59:11',40,'AC_BILL_UNVALIDATE','Invoice FA1212-0009 go back to draft status','2023-01-10 12:59:11','2023-01-10 15:59:11',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice FA1212-0009 go back to draft status',55,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(717,'717',NULL,1,'2023-01-14 07:46:33','2023-01-14 07:46:33',40,'AC_MEMBER_MODIFY','Member Pierre Curie modified','2023-01-14 07:46:33','2023-01-14 10:46:33',12,NULL,NULL,12,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Member Pierre Curie modified\nMember: Pierre Curie\nType: Standard members',2,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(718,'718',NULL,1,'2023-01-14 07:46:33','2023-01-14 07:46:33',40,'AC_USER_MODIFY','Record 3 modified','2023-01-14 07:46:33','2023-01-14 10:46:33',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 3 modified',3,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(719,'719',NULL,1,NULL,NULL,63,'AC_EO_INDOORBOOTH','aaa','2023-01-14 11:37:25','2023-01-18 22:10:37',12,12,NULL,17,NULL,0,12,0,NULL,0,0,0,NULL,NULL,NULL,'hfghfgfh\r\nfg\r\nhfg\r\nhfg',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(720,'720',NULL,1,'2023-01-16 16:42:03','2023-01-16 16:42:03',40,'AC_PRODUCT_MODIFY','Product aaa_L_RED modified','2023-01-16 16:42:03','2023-01-16 19:42:03',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product aaa_L_RED modified',34,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(721,'721',NULL,1,'2023-01-17 09:33:47','2023-01-17 09:33:47',40,'AC_PROPAL_MODIFY','Proposal PR2001-0034 go back to draft status','2023-01-17 09:33:47','2023-01-17 12:33:47',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Proposal PR2001-0034 go back to draft status',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(722,'722',NULL,1,'2023-01-18 07:54:02','2023-01-18 07:54:02',40,'AC_BILL_VALIDATE','Invoice FA2301-0029 validated','2023-01-18 07:54:02','2023-01-18 10:54:02',12,NULL,NULL,36,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice FA2301-0029 validated',232,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(723,'723',NULL,1,'2023-01-18 07:54:30','2023-01-18 07:54:30',40,'AC_BILL_VALIDATE','Invoice AV2301-0004 validated','2023-01-18 07:54:30','2023-01-18 10:54:30',12,NULL,NULL,36,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice AV2301-0004 validated',233,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(724,'724',NULL,1,'2023-01-19 09:39:56','2023-01-19 09:39:56',40,'AC_CONTRACT_MODIFY','Record CONTRAT1 modified','2023-01-19 09:39:56','2023-01-19 12:39:56',12,NULL,NULL,2,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record CONTRAT1 modified',2,'contract',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(725,'725',NULL,1,'2023-01-24 06:58:57','2023-01-24 06:58:57',40,'AC_MEMBER_MODIFY','Member Vick Smith modified','2023-01-24 06:58:57','2023-01-24 09:58:57',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Member Vick Smith modified\nMember: Vick Smith\nType: Standard members',1,'member',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(726,'726',NULL,1,'2023-01-24 06:58:57','2023-01-24 06:58:57',40,'AC_COMPANY_MODIFY','Third party NLTechno modified','2023-01-24 06:58:57','2023-01-24 09:58:57',12,NULL,NULL,10,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party NLTechno modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(727,'727',NULL,1,'2023-01-24 07:28:30','2023-01-24 07:28:30',40,'AC_PRODUCT_MODIFY','Product PINKDRESS modified','2023-01-24 07:28:30','2023-01-24 10:28:30',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Product PINKDRESS modified',1,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(728,'728',NULL,1,'2023-01-31 07:08:36','2023-01-31 07:08:36',40,'AC_HOLIDAY_VALIDATE','Request for leave HL2112-0001 validated','2023-01-31 07:08:36','2023-01-31 10:08:36',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Request for leave HL2112-0001 validated',2,'holiday',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(729,'729',NULL,1,'2023-01-31 07:09:11','2023-01-31 07:09:11',40,'AC_HOLIDAY_CREATE','Request for leave (PROV4) created','2023-01-31 07:09:11','2023-01-31 10:09:11',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Request for leave (PROV4) created',4,'holiday',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(730,'730',NULL,1,'2023-01-31 07:09:13','2023-01-31 07:09:13',40,'AC_HOLIDAY_VALIDATE','Request for leave HL2301-0002 validated','2023-01-31 07:09:13','2023-01-31 10:09:13',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Request for leave HL2301-0002 validated',4,'holiday',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(731,'731',NULL,1,'2023-01-31 07:09:16','2023-01-31 07:09:16',40,'AC_HOLIDAY_APPROVE','Request for leave HL2301-0002 approved','2023-01-31 07:09:16','2023-01-31 10:09:16',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Request for leave HL2301-0002 approved',4,'holiday',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(732,'732',NULL,1,'2023-02-04 12:42:34','2023-02-04 12:42:34',40,'AC_BILL_VALIDATE','Invoice FA1212-0009 validated','2023-02-04 12:42:34','2023-02-04 15:42:34',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice FA1212-0009 validated',55,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(733,'733',NULL,1,'2023-02-06 09:18:44','2023-02-06 09:18:44',40,'AC_USER_MODIFY','Record 12 modified','2023-02-06 09:18:44','2023-02-06 12:18:44',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(734,'734',NULL,1,'2023-02-08 09:45:21','2023-02-08 09:45:21',40,'AC_USER_MODIFY','Record 12 modified','2023-02-08 09:45:21','2023-02-08 12:45:21',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(735,'735',NULL,1,'2023-02-09 15:05:49','2023-02-09 15:05:49',40,'AC_COMPANY_MODIFY','Third party aaaincash modified','2023-02-09 15:05:49','2023-02-09 18:05:49',12,NULL,NULL,34,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaaincash modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(736,'736',NULL,1,'2023-02-09 15:09:09','2023-02-09 15:09:09',40,'AC_COMPANY_MODIFY','Third party aaainlux modified','2023-02-09 15:09:09','2023-02-09 18:09:09',12,NULL,NULL,33,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaainlux modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(737,'737',NULL,1,'2023-02-10 12:56:53','2023-02-10 12:56:53',40,'AC_USER_MODIFY','Record 12 modified','2023-02-10 12:56:53','2023-02-10 15:56:53',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 12 modified',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(738,'738',NULL,1,'2023-02-15 13:05:21','2023-02-15 13:05:21',40,'AC_BILL_VALIDATE','Invoice FA2302-0030 validated','2023-02-15 13:05:21','2023-02-15 16:05:21',12,NULL,NULL,34,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice FA2302-0030 validated',235,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(739,'739',NULL,1,'2023-02-15 13:17:31','2023-02-15 13:17:31',40,'AC_BILL_VALIDATE','Invoice FA2302-0031 validated','2023-02-15 13:17:31','2023-02-15 16:17:31',12,NULL,4,34,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice FA2302-0031 validated',236,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(740,'740',NULL,1,'2023-02-15 13:18:30','2023-02-15 13:18:30',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2302-0008 validated','2023-02-15 13:18:30','2023-02-15 16:18:30',12,NULL,4,17,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice SI2302-0008 validated',32,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(741,'741',NULL,1,'2023-02-15 13:54:38','2023-02-15 13:54:38',40,'AC_BILL_SUPPLIER_UNVALIDATE','Invoice SI2302-0008 go back to draft status','2023-02-15 13:54:38','2023-02-15 16:54:38',12,NULL,4,17,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice SI2302-0008 go back to draft status',32,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(742,'742',NULL,1,'2023-02-15 13:54:52','2023-02-15 13:54:52',40,'AC_BILL_SUPPLIER_VALIDATE','Invoice SI2302-0008 validated','2023-02-15 13:54:52','2023-02-15 16:54:52',12,NULL,4,17,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Invoice SI2302-0008 validated',32,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(743,'743',NULL,1,'2023-02-15 20:08:31','2023-02-15 20:08:31',40,'AC_COMPANY_MODIFY','Third party aaaincash modified','2023-02-15 20:08:31','2023-02-15 23:08:31',12,NULL,NULL,34,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Third party aaaincash modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(744,'744',NULL,1,'2023-02-19 09:51:33','2023-02-19 09:51:33',40,'AC_PROJECT_MODIFY','Project PROJ2 modified','2023-02-19 09:51:33','2023-02-19 12:51:33',12,NULL,2,13,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Project PROJ2 modified\nLead status: -> 6',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(745,'745',NULL,1,'2023-02-19 09:51:40','2023-02-19 09:51:40',40,'AC_PROJECT_MODIFY','Project PROJ2 modified','2023-02-19 09:51:40','2023-02-19 12:51:40',12,NULL,2,13,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Project PROJ2 modified\nLead status: 6 -> 3',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(746,'746',NULL,1,'2023-02-19 12:27:27','2023-02-19 12:27:27',40,'AC_PROJECT_VALIDATE','Project PJ1912-0007 validated','2023-02-19 12:27:27','2023-02-19 15:27:27',12,NULL,12,4,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Project PJ1912-0007 validated\nProject: PJ1912-0007',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(747,'747',NULL,1,'2023-02-19 12:38:07','2023-02-19 12:38:07',40,'AC_PROJECT_VALIDATE','Project PJ1912-0007 validated','2023-02-19 12:38:07','2023-02-19 15:38:07',12,NULL,12,4,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Project PJ1912-0007 validated\nProject: PJ1912-0007',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(748,'748',NULL,1,'2023-02-19 12:54:30','2023-02-19 12:54:30',40,'AC_PROJECT_MODIFY','Project PJ1912-0007 modified','2023-02-19 12:54:30','2023-02-19 15:54:30',12,NULL,12,4,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Project PJ1912-0007 modified',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(749,'749',NULL,1,'2023-02-19 12:55:22','2023-02-19 12:55:22',40,'AC_PROJECT_VALIDATE','Project PJ1912-0007 validated','2023-02-19 12:55:22','2023-02-19 15:55:22',12,NULL,12,4,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Project PJ1912-0007 validated\nProject: PJ1912-0007',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(752,'752',NULL,1,'2023-02-19 13:00:55','2023-02-19 13:00:55',40,'AC_PROJECT_VALIDATE','Project PROJ2 validated','2023-02-19 13:00:55','2023-02-19 16:00:55',12,NULL,2,13,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Project PROJ2 validated\nProject: PROJ2',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(753,'753',NULL,1,'2023-02-21 07:51:50','2023-02-21 07:51:50',40,'AC_BILL_SUPPLIER_MODIFY','Record SI1601-0002 modified','2023-02-21 07:51:50','2023-02-21 10:51:50',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record SI1601-0002 modified',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(754,'754',NULL,1,'2023-02-21 07:52:03','2023-02-21 07:52:03',40,'AC_BILL_SUPPLIER_MODIFY','Record SI1601-0002 modified','2023-02-21 07:52:03','2023-02-21 10:52:03',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record SI1601-0002 modified',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(755,'755',NULL,1,'2023-02-21 07:52:10','2023-02-21 07:52:10',40,'AC_BILL_SUPPLIER_MODIFY','Record SI1601-0002 modified','2023-02-21 07:52:10','2023-02-21 10:52:10',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record SI1601-0002 modified',17,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(756,'756',NULL,1,'2023-02-21 07:52:29','2023-02-21 07:52:29',40,'AC_BILL_SUPPLIER_DELETE','Supplier invoice deleted','2023-02-21 07:52:29','2023-02-21 10:52:29',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Supplier invoice deleted',33,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(757,'757',NULL,1,'2023-02-21 08:14:42','2023-02-21 08:14:42',40,'AC_BILL_SUPPLIER_MODIFY','Record (PROV38) modified','2023-02-21 08:14:42','2023-02-21 11:14:42',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record (PROV38) modified',38,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(758,'758',NULL,1,'2023-02-21 08:14:54','2023-02-21 08:14:54',40,'AC_BILL_SUPPLIER_MODIFY','Record (PROV38) modified','2023-02-21 08:14:54','2023-02-21 11:14:54',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record (PROV38) modified',38,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(759,'759',NULL,1,'2023-02-23 07:59:02','2023-02-23 07:59:02',40,'AC_BILL_MODIFY','Record FA2302-0030 modified','2023-02-23 07:59:02','2023-02-23 10:59:02',12,NULL,NULL,34,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record FA2302-0030 modified',235,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(760,'760',NULL,1,'2023-02-24 09:52:00','2023-02-24 09:52:00',40,'AC_PROPAL_MODIFY','Proposal PR2001-0034 go back to draft status','2023-02-24 09:52:00','2023-02-24 12:52:00',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Proposal PR2001-0034 go back to draft status',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(761,'761',NULL,1,'2023-02-25 12:00:16','2023-02-25 12:00:16',40,'AC_USER_NEW_PASSWORD','Password modified in Dolibarr','2023-02-25 12:00:16','2023-02-25 15:00:16',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Password modified in Dolibarr',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(762,'762',NULL,1,'2023-02-25 12:00:16','2023-02-25 12:00:16',40,'AC_USER_MODIFY','Record 22 modified','2023-02-25 12:00:16','2023-02-25 15:00:16',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 22 modified',22,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(764,'764',NULL,1,'2023-02-25 12:08:43','2023-02-25 12:08:43',40,'AC_USER_CREATE','Record created','2023-02-25 12:08:43','2023-02-25 15:08:43',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record created',29,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(765,'765',NULL,1,'2023-02-25 12:08:43','2023-02-25 12:08:43',40,'AC_USER_NEW_PASSWORD','Password modified in Dolibarr','2023-02-25 12:08:43','2023-02-25 15:08:43',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Password modified in Dolibarr',29,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(766,'766',NULL,1,'2023-02-25 12:08:50','2023-02-25 12:08:50',40,'AC_USER_MODIFY','Record 29 modified','2023-02-25 12:08:50','2023-02-25 15:08:50',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 29 modified',29,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(767,'767',NULL,1,'2023-02-25 12:08:52','2023-02-25 12:08:52',40,'AC_USER_MODIFY','Record 29 modified','2023-02-25 12:08:52','2023-02-25 15:08:52',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Record 29 modified',29,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(768,'768',NULL,1,'2023-02-25 12:34:59','2023-02-25 12:34:59',40,'AC_USER_MODIFY','Record 29 modified','2023-02-25 12:34:59','2023-02-25 15:34:59',29,NULL,NULL,NULL,NULL,0,29,0,NULL,0,0,-1,'',0,NULL,'Record 29 modified',29,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(769,'769',NULL,1,'2023-02-27 15:29:28','2023-02-27 15:29:28',40,'AC_BOM_UNVALIDATE','Nomenclature (BOM) dévalidée','2023-02-27 15:29:28','2023-02-27 18:29:28',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Nomenclature (BOM) dévalidée',7,'bom',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(770,'770',NULL,1,'2023-03-01 14:02:29','2023-03-01 14:02:29',40,'AC_PARTNERSHIP_MODIFY','Enregistrement PSHIP2302-0001 modifié','2023-03-01 14:02:29','2023-03-01 17:02:29',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement PSHIP2302-0001 modifié',1,'partnership@partnership',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(771,'771',NULL,1,'2023-03-01 14:03:20','2023-03-01 14:03:20',40,'AC_PARTNERSHIP_MODIFY','Enregistrement PSHIP2302-0001 modifié','2023-03-01 14:03:20','2023-03-01 17:03:20',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement PSHIP2302-0001 modifié',1,'partnership@partnership',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(772,'772',NULL,1,'2023-03-01 14:03:41','2023-03-01 14:03:41',40,'AC_PARTNERSHIP_MODIFY','Enregistrement PSHIP2302-0001 modifié','2023-03-01 14:03:41','2023-03-01 17:03:41',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement PSHIP2302-0001 modifié',1,'partnership@partnership',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(773,'773',NULL,1,'2023-03-01 14:03:46','2023-03-01 14:03:46',40,'AC_PARTNERSHIP_MODIFY','Enregistrement PSHIP2302-0001 modifié','2023-03-01 14:03:46','2023-03-01 17:03:46',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement PSHIP2302-0001 modifié',1,'partnership@partnership',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(774,'774',NULL,1,'2023-03-01 14:07:59','2023-03-01 14:07:59',40,'AC_PARTNERSHIP_SENTBYMAIL','Mail envoyé par Alice Adminson au Calculation Power','2023-03-01 14:07:59','2023-03-01 17:07:59',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'

      Hello,
      \r\n
      \r\nNous vous informons que votre demande de partenariat a été acceptée.

      \r\n
      \r\n
      \r\nSincèrement
      \r\nMyBigCompany',1,'partnership@partnership','1677690479.phpmail-dolibarr-pship1@c0d6c0956db3b57170498443d16ce126987719e7','[MyBigCompany] - Partenariat accepté','Alice Adminson ',NULL,'Calculation Power ',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(775,'775',NULL,1,'2023-03-01 18:12:37','2023-03-01 18:12:37',40,'AC_PROPAL_MODIFY','Proposition PR2001-0034 de retour au statut de brouillon','2023-03-01 18:12:37','2023-03-01 21:12:37',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Proposition PR2001-0034 de retour au statut de brouillon',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(776,'776',NULL,1,'2023-03-01 18:12:41','2023-03-01 18:12:41',40,'AC_PROPAL_VALIDATE','Proposition PR2001-0034 validée','2023-03-01 18:12:41','2023-03-01 21:12:41',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Proposition PR2001-0034 validée',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(777,'777',NULL,1,'2023-03-01 19:02:40','2023-03-01 19:02:40',40,'AC_COMPANY_MODIFY','Tiers Indian SAS modifié','2023-03-01 19:02:40','2023-03-01 22:02:40',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Tiers Indian SAS modifié',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(778,'778',NULL,1,'2023-03-01 19:29:14','2023-03-01 19:29:14',40,'AC_PROPAL_CLOSE_SIGNED','Proposition PR2001-0034 signée','2023-03-01 19:29:14','2023-03-01 22:29:14',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Proposition PR2001-0034 signée',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(779,'779',NULL,1,'2023-03-01 19:37:33','2023-03-01 19:37:33',40,'AC_ORDER_VALIDATE','Commande CO2201-0028 validée','2023-03-01 19:37:33','2023-03-01 22:37:33',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Commande CO2201-0028 validée',98,'order',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(782,'782',NULL,1,'2023-03-01 19:50:08','2023-03-01 19:50:08',40,'AC_PROPAL_CLOSE_SIGNED','Proposition PR2001-0034 signée','2023-03-01 19:50:08','2023-03-01 22:50:08',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Proposition PR2001-0034 signée',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(783,'783',NULL,1,'2023-03-01 19:50:24','2023-03-01 19:50:24',40,'AC_PROPAL_CLOSE_SIGNED','Proposition PR2001-0034 signée','2023-03-01 19:50:24','2023-03-01 22:50:24',12,NULL,10,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Proposition PR2001-0034 signée',36,'propal',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(784,'784',NULL,1,'2023-03-02 13:16:15','2023-03-02 13:16:15',40,'AC_BILL_VALIDATE','Facture FA2303-0032 validée','2023-03-02 13:16:15','2023-03-02 16:16:15',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Facture FA2303-0032 validée',237,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(785,'785',NULL,1,'2023-03-02 13:16:15','2023-03-02 13:16:15',40,'AC_BILL_MODIFY','Enregistrement FA2303-0032 modifié','2023-03-02 13:16:15','2023-03-02 16:16:15',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement FA2303-0032 modifié',237,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(786,'786',NULL,1,'2023-03-02 13:21:13','2023-03-02 13:21:13',40,'AC_BILL_VALIDATE','Facture FA2303-0033 validée','2023-03-02 13:21:13','2023-03-02 16:21:13',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Facture FA2303-0033 validée',238,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(787,'787',NULL,1,'2023-03-02 13:21:13','2023-03-02 13:21:13',40,'AC_BILL_MODIFY','Enregistrement FA2303-0033 modifié','2023-03-02 13:21:13','2023-03-02 16:21:13',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement FA2303-0033 modifié',238,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(788,'788',NULL,1,'2023-03-07 22:23:35','2023-03-07 22:23:35',40,'AC_ORDER_SUPPLIER_MODIFY','Enregistrement CF1303-0004 modifié','2023-03-07 22:23:35','2023-03-08 01:23:35',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement CF1303-0004 modifié',13,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(789,'789',NULL,1,'2023-03-07 22:24:28','2023-03-07 22:24:28',40,'AC_ORDER_SUPPLIER_MODIFY','Enregistrement CF1303-0004 modifié','2023-03-07 22:24:28','2023-03-08 01:24:28',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement CF1303-0004 modifié',13,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(790,'790',NULL,1,'2023-03-07 22:24:35','2023-03-07 22:24:35',40,'AC_ORDER_SUPPLIER_MODIFY','Enregistrement CF1303-0004 modifié','2023-03-07 22:24:35','2023-03-08 01:24:35',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement CF1303-0004 modifié',13,'order_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(791,'791',NULL,1,'2023-03-13 06:17:35','2023-03-13 06:17:35',40,'AC_TICKET_CLOSE','Ticket TS1911-0005 fermé','2023-03-13 06:17:35','2023-03-13 09:17:35',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Ticket TS1911-0005 fermé',7,'ticket',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(792,'792',NULL,1,'2023-03-13 08:03:08','2023-03-13 08:03:08',40,'AC_USER_MODIFY','Enregistrement 29 modifié','2023-03-13 08:03:08','2023-03-13 11:03:08',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement 29 modifié',29,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(793,'793',NULL,1,'2023-03-13 08:23:30','2023-03-13 08:23:30',40,'AC_USER_MODIFY','Enregistrement 1 modifié','2023-03-13 08:23:30','2023-03-13 11:23:30',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement 1 modifié',1,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(794,'794',NULL,1,'2023-03-13 08:45:21','2023-03-13 08:45:21',40,'AC_USER_MODIFY','Enregistrement 1 modifié','2023-03-13 08:45:21','2023-03-13 11:45:21',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement 1 modifié',1,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(795,'795',NULL,1,'2023-03-13 08:45:30','2023-03-13 08:45:30',40,'AC_USER_MODIFY','Enregistrement 1 modifié','2023-03-13 08:45:30','2023-03-13 11:45:30',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',0,NULL,'Enregistrement 1 modifié',1,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(796,'796',NULL,1,'2023-08-13 15:51:26','2023-08-13 15:51:26',40,'AC_PRODUCT_MODIFY','Produit DOLICLOUD modifié','2023-08-13 15:51:26','2023-08-13 15:51:26',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Produit DOLICLOUD modifié',12,'product',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(797,'797',NULL,1,'2023-08-15 09:35:04','2023-08-15 09:35:04',40,'AC_USER_MODIFY','Enregistrement 12 modifié','2023-08-15 09:35:04','2023-08-15 09:35:04',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Enregistrement 12 modifié',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(798,'798',NULL,1,'2023-08-15 09:35:23','2023-08-15 09:35:23',40,'AC_USER_MODIFY','Enregistrement 12 modifié','2023-08-15 09:35:23','2023-08-15 09:35:23',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Enregistrement 12 modifié',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(799,'799',NULL,1,'2023-08-15 10:05:18','2023-08-15 10:05:18',40,'AC_USER_MODIFY','Enregistrement 12 modifié','2023-08-15 10:05:18','2023-08-15 10:05:18',12,NULL,NULL,NULL,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Enregistrement 12 modifié',12,'user',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(800,'800',NULL,1,'2023-08-15 10:35:57','2023-08-15 10:35:57',40,'AC_PARTNERSHIP_MODIFY','Enregistrement PSHIP2302-0001 modifié','2023-08-15 10:35:57','2023-08-15 10:35:57',12,NULL,NULL,26,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Enregistrement PSHIP2302-0001 modifié',1,'partnership@partnership',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(801,'801',NULL,1,'2023-08-15 12:18:31','2023-08-15 12:18:31',40,'AC_BILL_SUPPLIER_MODIFY','Enregistrement (PROV36) modifié','2023-08-15 12:18:31','2023-08-15 12:18:31',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Enregistrement (PROV36) modifié',36,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(802,'802',NULL,1,'2023-08-15 12:18:46','2023-08-15 12:18:46',40,'AC_BILL_SUPPLIER_MODIFY','Enregistrement (PROV36) modifié','2023-08-15 12:18:46','2023-08-15 12:18:46',12,NULL,NULL,1,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Enregistrement (PROV36) modifié',36,'invoice_supplier',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL),(803,'803',NULL,1,'2023-08-15 13:29:54','2023-08-15 13:29:54',40,'AC_BILL_VALIDATE','Facture AC2301-0005 validée','2023-08-15 13:29:54','2023-08-15 13:29:54',12,NULL,NULL,19,NULL,0,12,0,NULL,0,0,-1,'',NULL,NULL,'Facture AC2301-0005 validée',222,'invoice',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'default',NULL,NULL,0,0,NULL,NULL); /*!40000 ALTER TABLE `llx_actioncomm` ENABLE KEYS */; UNLOCK TABLES; @@ -713,7 +715,7 @@ CREATE TABLE `llx_bank` ( LOCK TABLES `llx_bank` WRITE; /*!40000 ALTER TABLE `llx_bank` DISABLE KEYS */; -INSERT INTO `llx_bank` VALUES (2,'2012-07-09 00:00:24','2023-08-13 15:39:14','2023-07-09','2023-07-09',500.00000000,'(Initial balance)',2,NULL,NULL,'SOLD',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(3,'2012-07-10 13:33:42','2023-08-13 15:39:14','2023-07-10','2023-07-10',0.00000000,'(Solde initial)',3,NULL,NULL,'SOLD',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(6,'2013-07-18 20:50:47','2023-08-13 15:39:14','2023-07-08','2023-07-08',10.00000000,'(CustomerInvoicePayment)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(13,'2013-08-06 20:33:54','2023-08-13 15:39:14','2023-08-06','2023-08-06',5.98000000,'(CustomerInvoicePayment)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(14,'2013-08-08 02:53:40','2023-08-13 15:39:14','2023-08-08','2023-08-08',26.10000000,'(CustomerInvoicePayment)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(16,'2014-12-09 15:28:44','2022-12-11 21:23:22','2022-12-09','2022-12-09',2.00000000,'(CustomerInvoicePayment)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(17,'2014-12-09 15:28:53','2022-12-11 21:23:22','2022-12-09','2022-12-09',-2.00000000,'(CustomerInvoicePaymentBack)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(18,'2014-12-09 17:35:55','2022-12-11 21:23:22','2022-12-09','2022-12-09',-2.00000000,'(CustomerInvoicePaymentBack)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(19,'2014-12-09 17:37:02','2022-12-11 21:23:22','2022-12-09','2022-12-09',2.00000000,'(CustomerInvoicePayment)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(20,'2014-12-09 18:35:07','2022-12-11 21:23:22','2022-12-09','2022-12-09',-2.00000000,'(CustomerInvoicePaymentBack)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(22,'2015-03-06 16:48:16','2023-08-13 15:39:14','2023-03-06','2023-03-06',20.00000000,'(SubscriptionPayment)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(26,'2016-03-02 20:01:39','2023-08-13 15:39:14','2023-03-19','2023-03-19',500.00000000,'(CustomerInvoicePayment)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(28,'2016-03-03 19:22:32','2022-12-11 21:23:22','2022-10-03','2022-10-03',-400.00000000,'(CustomerInvoicePaymentBack)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(29,'2016-03-03 19:23:16','2023-08-13 15:39:14','2023-03-10','2023-03-10',-300.00000000,'(CustomerInvoicePaymentBack)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(31,'2018-07-30 22:42:14','2023-08-13 15:39:14','2023-07-30','2023-07-30',0.00000000,'(Initial balance)',4,0,NULL,'SOLD',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(32,'2017-02-01 19:02:44','2023-08-13 15:39:14','2023-02-01','2023-02-01',-200.00000000,'(SupplierInvoicePayment)',3,12,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(36,'2017-02-16 02:22:09','2023-08-13 15:39:14','2023-02-16','2023-02-16',-1.00000000,'(ExpenseReportPayment)',4,12,NULL,'CHQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(38,'2017-09-06 20:08:36','2022-12-11 21:23:22','2022-09-06','2022-09-06',10.00000000,'(DonationPayment)',3,12,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(39,'2018-03-16 13:59:31','2023-08-15 13:00:36','2023-03-16','2023-03-16',10.00000000,'(CustomerInvoicePayment)',4,12,NULL,'CHQ',NULL,NULL,0,NULL,3,NULL,'Indian SAS',NULL,'',NULL,NULL,NULL,NULL,0),(41,'2019-10-04 10:28:14','2023-08-13 15:39:14','2023-01-19','2023-01-19',5.63000000,'(CustomerInvoicePayment)',3,12,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(42,'2019-10-08 13:18:50','2022-12-11 21:23:22','2022-10-08','2022-10-08',-1000.00000000,'Salary payment',4,12,NULL,'VIR',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(43,'2019-12-26 01:48:30','2023-08-13 15:39:14','2022-12-25','2022-12-25',-5.00000000,'(SocialContributionPayment)',4,12,NULL,'VIR',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(44,'2019-12-26 01:48:46','2023-08-13 15:39:14','2022-12-25','2022-12-25',-5.00000000,'(SocialContributionPayment)',3,12,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(47,'2020-01-01 20:28:49','2023-08-13 15:39:14','2023-01-01','2023-01-01',304.69000000,'(SupplierInvoicePayment)',4,12,NULL,'VIR',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(49,'2020-01-10 04:42:47','2023-08-13 15:39:14','2023-01-10','2023-01-10',-10.00000000,'Miscellaneous payment',4,12,NULL,'VIR',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(50,'2020-01-16 02:36:48','2023-08-13 15:39:14','2023-01-16','2023-01-16',20.50000000,'(CustomerInvoicePayment)',4,12,NULL,'VIR',NULL,NULL,0,NULL,0,NULL,'Magic Food Store',NULL,'',NULL,NULL,NULL,NULL,0),(51,'2020-01-21 01:02:14','2023-08-13 15:39:14','2023-07-18','2023-07-18',50.00000000,'Subscription 2013',4,12,NULL,'CB',NULL,'12345',0,NULL,0,'Bank CBN',NULL,NULL,'',NULL,NULL,NULL,NULL,0),(52,'2020-01-21 10:22:37','2023-08-13 15:39:14','2023-01-21','2023-01-21',50.00000000,'Subscription 2017',4,12,NULL,'CHQ',NULL,NULL,0,NULL,0,NULL,'smith smith',NULL,'',NULL,NULL,NULL,NULL,0),(53,'2020-01-21 10:23:17','2023-08-13 15:39:14','2023-01-21','2023-01-21',50.00000000,'(SubscriptionPayment)',4,12,NULL,'CHQ',NULL,NULL,0,NULL,0,NULL,'Pierre Curie',NULL,'',NULL,NULL,NULL,NULL,0),(54,'2020-01-21 10:23:28','2023-08-13 15:39:14','2023-01-21','2023-01-21',50.00000000,'(SubscriptionPayment)',4,12,NULL,'CHQ',NULL,NULL,0,NULL,0,NULL,'Pierre Curie',NULL,'',NULL,NULL,NULL,NULL,0),(55,'2020-01-21 10:23:49','2023-08-13 15:39:14','2023-01-21','2023-01-21',50.00000000,'(SubscriptionPayment)',4,12,NULL,'CB',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(56,'2023-01-06 12:36:21','2023-01-06 15:36:21','2023-01-06','2023-01-06',-100.00000000,'(SalaryPayment)',4,12,NULL,'CB',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(57,'2023-02-06 09:18:07','2023-02-06 12:18:07','2022-12-11','2022-12-11',1.00000000,'(CustomerInvoicePayment)',4,12,NULL,'PRE',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(58,'2023-02-16 07:59:23','2023-02-16 10:59:23','2023-02-16','2023-02-16',-6.00000000,'(LoanPayment)',4,12,NULL,'VIR',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(59,'2023-02-16 08:19:44','2023-02-16 11:19:44','2023-02-16','2023-02-16',-6.00000000,'(LoanPayment)',4,12,NULL,'CB',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(60,'2023-02-16 05:19:57','2023-02-16 11:19:57','2023-02-16','2023-02-16',0.00000000,'(Initial balance)',5,12,NULL,'SOLD',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(61,'2023-02-16 08:20:12','2023-02-16 11:20:12','2023-02-16','2023-02-16',-6.00000000,'(LoanPayment)',5,12,NULL,'VIR',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0); +INSERT INTO `llx_bank` VALUES (2,'2012-07-09 00:00:24','2023-08-13 15:39:14','2023-07-09','2023-07-09',500.00000000,'(Initial balance)',2,NULL,NULL,'SOLD',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(3,'2012-07-10 13:33:42','2023-08-13 15:39:14','2023-07-10','2023-07-10',0.00000000,'(Solde initial)',3,NULL,NULL,'SOLD',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(6,'2013-07-18 20:50:47','2023-08-13 15:39:14','2023-07-08','2023-07-08',10.00000000,'(CustomerInvoicePayment)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(13,'2013-08-06 20:33:54','2023-08-13 15:39:14','2023-08-06','2023-08-06',5.98000000,'(CustomerInvoicePayment)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(14,'2013-08-08 02:53:40','2023-08-13 15:39:14','2023-08-08','2023-08-08',26.10000000,'(CustomerInvoicePayment)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(16,'2014-12-09 15:28:44','2024-01-03 16:32:23','2023-12-09','2023-12-09',2.00000000,'(CustomerInvoicePayment)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(17,'2014-12-09 15:28:53','2024-01-03 16:32:23','2023-12-09','2023-12-09',-2.00000000,'(CustomerInvoicePaymentBack)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(18,'2014-12-09 17:35:55','2024-01-03 16:32:23','2023-12-09','2023-12-09',-2.00000000,'(CustomerInvoicePaymentBack)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(19,'2014-12-09 17:37:02','2024-01-03 16:32:23','2023-12-09','2023-12-09',2.00000000,'(CustomerInvoicePayment)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(20,'2014-12-09 18:35:07','2024-01-03 16:32:23','2023-12-09','2023-12-09',-2.00000000,'(CustomerInvoicePaymentBack)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(22,'2015-03-06 16:48:16','2023-08-13 15:39:14','2023-03-06','2023-03-06',20.00000000,'(SubscriptionPayment)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(26,'2016-03-02 20:01:39','2023-08-13 15:39:14','2023-03-19','2023-03-19',500.00000000,'(CustomerInvoicePayment)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(28,'2016-03-03 19:22:32','2024-01-03 16:32:23','2023-10-03','2023-10-03',-400.00000000,'(CustomerInvoicePaymentBack)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(29,'2016-03-03 19:23:16','2023-08-13 15:39:14','2023-03-10','2023-03-10',-300.00000000,'(CustomerInvoicePaymentBack)',3,1,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(31,'2018-07-30 22:42:14','2023-08-13 15:39:14','2023-07-30','2023-07-30',0.00000000,'(Initial balance)',4,0,NULL,'SOLD',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(32,'2017-02-01 19:02:44','2023-08-13 15:39:14','2023-02-01','2023-02-01',-200.00000000,'(SupplierInvoicePayment)',3,12,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(36,'2017-02-16 02:22:09','2023-08-13 15:39:14','2023-02-16','2023-02-16',-1.00000000,'(ExpenseReportPayment)',4,12,NULL,'CHQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0),(38,'2017-09-06 20:08:36','2024-01-03 16:32:23','2023-09-06','2023-09-06',10.00000000,'(DonationPayment)',3,12,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(39,'2018-03-16 13:59:31','2023-08-15 13:00:36','2023-03-16','2023-03-16',10.00000000,'(CustomerInvoicePayment)',4,12,NULL,'CHQ',NULL,NULL,0,NULL,3,NULL,'Indian SAS',NULL,'',NULL,NULL,NULL,NULL,0),(41,'2019-10-04 10:28:14','2023-08-13 15:39:14','2023-01-19','2023-01-19',5.63000000,'(CustomerInvoicePayment)',3,12,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(42,'2019-10-08 13:18:50','2024-01-03 16:32:23','2023-10-08','2023-10-08',-1000.00000000,'Salary payment',4,12,NULL,'VIR',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(43,'2019-12-26 01:48:30','2024-01-03 16:32:23','2023-12-25','2023-12-25',-5.00000000,'(SocialContributionPayment)',4,12,NULL,'VIR',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(44,'2019-12-26 01:48:46','2024-01-03 16:32:23','2023-12-25','2023-12-25',-5.00000000,'(SocialContributionPayment)',3,12,NULL,'LIQ',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(47,'2020-01-01 20:28:49','2024-01-03 16:32:23','2024-01-01','2024-01-01',304.69000000,'(SupplierInvoicePayment)',4,12,NULL,'VIR',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(49,'2020-01-10 04:42:47','2023-08-13 15:39:14','2023-01-10','2023-01-10',-10.00000000,'Miscellaneous payment',4,12,NULL,'VIR',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(50,'2020-01-16 02:36:48','2023-08-13 15:39:14','2023-01-16','2023-01-16',20.50000000,'(CustomerInvoicePayment)',4,12,NULL,'VIR',NULL,NULL,0,NULL,0,NULL,'Magic Food Store',NULL,'',NULL,NULL,NULL,NULL,0),(51,'2020-01-21 01:02:14','2023-08-13 15:39:14','2023-07-18','2023-07-18',50.00000000,'Subscription 2013',4,12,NULL,'CB',NULL,'12345',0,NULL,0,'Bank CBN',NULL,NULL,'',NULL,NULL,NULL,NULL,0),(52,'2020-01-21 10:22:37','2023-08-13 15:39:14','2023-01-21','2023-01-21',50.00000000,'Subscription 2017',4,12,NULL,'CHQ',NULL,NULL,0,NULL,0,NULL,'smith smith',NULL,'',NULL,NULL,NULL,NULL,0),(53,'2020-01-21 10:23:17','2023-08-13 15:39:14','2023-01-21','2023-01-21',50.00000000,'(SubscriptionPayment)',4,12,NULL,'CHQ',NULL,NULL,0,NULL,0,NULL,'Pierre Curie',NULL,'',NULL,NULL,NULL,NULL,0),(54,'2020-01-21 10:23:28','2023-08-13 15:39:14','2023-01-21','2023-01-21',50.00000000,'(SubscriptionPayment)',4,12,NULL,'CHQ',NULL,NULL,0,NULL,0,NULL,'Pierre Curie',NULL,'',NULL,NULL,NULL,NULL,0),(55,'2020-01-21 10:23:49','2023-08-13 15:39:14','2023-01-21','2023-01-21',50.00000000,'(SubscriptionPayment)',4,12,NULL,'CB',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(56,'2023-01-06 12:36:21','2023-01-06 15:36:21','2023-01-06','2023-01-06',-100.00000000,'(SalaryPayment)',4,12,NULL,'CB',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(57,'2023-02-06 09:18:07','2024-01-03 16:32:23','2023-12-11','2023-12-11',1.00000000,'(CustomerInvoicePayment)',4,12,NULL,'PRE',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(58,'2023-02-16 07:59:23','2023-02-16 10:59:23','2023-02-16','2023-02-16',-6.00000000,'(LoanPayment)',4,12,NULL,'VIR',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(59,'2023-02-16 08:19:44','2023-02-16 11:19:44','2023-02-16','2023-02-16',-6.00000000,'(LoanPayment)',4,12,NULL,'CB',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(60,'2023-02-16 05:19:57','2023-02-16 11:19:57','2023-02-16','2023-02-16',0.00000000,'(Initial balance)',5,12,NULL,'SOLD',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0),(61,'2023-02-16 08:20:12','2023-02-16 11:20:12','2023-02-16','2023-02-16',-6.00000000,'(LoanPayment)',5,12,NULL,'VIR',NULL,NULL,0,NULL,0,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,0); /*!40000 ALTER TABLE `llx_bank` ENABLE KEYS */; UNLOCK TABLES; @@ -737,6 +739,7 @@ CREATE TABLE `llx_bank_account` ( `number` varchar(255) DEFAULT NULL, `cle_rib` varchar(5) DEFAULT NULL, `bic` varchar(11) DEFAULT NULL, + `bic_intermediate` varchar(11) DEFAULT NULL, `iban_prefix` varchar(34) DEFAULT NULL, `country_iban` varchar(2) DEFAULT NULL, `cle_iban` varchar(2) DEFAULT NULL, @@ -781,7 +784,7 @@ CREATE TABLE `llx_bank_account` ( LOCK TABLES `llx_bank_account` WRITE; /*!40000 ALTER TABLE `llx_bank_account` DISABLE KEYS */; -INSERT INTO `llx_bank_account` VALUES (2,'2012-07-09 00:00:24','2020-01-10 00:44:53','SWIBAC2','Swiss bank account old',1,'Switz Silver Bank','','','','','','NL07SNSB0908534915',NULL,NULL,'Road bankrupt\r\nZurich',0,NULL,6,'','',1,1,1,NULL,'503','','EUR',200,400,'',NULL,NULL,NULL,NULL,NULL,NULL,3,NULL,NULL,NULL,NULL,NULL),(3,'2012-07-10 13:33:42','2020-01-10 00:44:32','ACCOUNTCASH','Account for cash',1,'','','','','','','',NULL,NULL,'',0,3,1,'','',2,0,1,NULL,'501','OD','EUR',0,0,'',NULL,NULL,NULL,NULL,NULL,NULL,3,NULL,NULL,NULL,NULL,NULL),(4,'2018-07-30 18:42:14','2021-04-15 13:27:05','LUXBAC','Luxemburg Bank Account',1,'Lux Platinuium Bank','','','','','','NL46INGB0687674581',NULL,NULL,'',0,NULL,140,'','',1,0,1,NULL,'50','','EUR',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,3,'','',NULL,NULL,NULL),(5,'2023-02-16 08:19:57','2023-02-27 14:03:34','ccc','ccc',1,'','','','','','','',NULL,NULL,'',0,NULL,1,'','',1,0,1,NULL,'10',NULL,'EUR',0,0,'',NULL,NULL,NULL,NULL,NULL,NULL,3,'123456789','',NULL,NULL,NULL); +INSERT INTO `llx_bank_account` VALUES (2,'2012-07-09 00:00:24','2020-01-10 00:44:53','SWIBAC2','Swiss bank account old',1,'Switz Silver Bank','','','','','',NULL,'NL07SNSB0908534915',NULL,NULL,'Road bankrupt\r\nZurich',0,NULL,6,'','',1,1,1,NULL,'503','','EUR',200,400,'',NULL,NULL,NULL,NULL,NULL,NULL,3,NULL,NULL,NULL,NULL,NULL),(3,'2012-07-10 13:33:42','2020-01-10 00:44:32','ACCOUNTCASH','Account for cash',1,'','','','','','',NULL,'',NULL,NULL,'',0,3,1,'','',2,0,1,NULL,'501','OD','EUR',0,0,'',NULL,NULL,NULL,NULL,NULL,NULL,3,NULL,NULL,NULL,NULL,NULL),(4,'2018-07-30 18:42:14','2021-04-15 13:27:05','LUXBAC','Luxemburg Bank Account',1,'Lux Platinuium Bank','','','','','',NULL,'NL46INGB0687674581',NULL,NULL,'',0,NULL,140,'','',1,0,1,NULL,'50','','EUR',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,3,'','',NULL,NULL,NULL),(5,'2023-02-16 08:19:57','2023-02-27 14:03:34','ccc','ccc',1,'','','','','','',NULL,'',NULL,NULL,'',0,NULL,1,'','',1,0,1,NULL,'10',NULL,'EUR',0,0,'',NULL,NULL,NULL,NULL,NULL,NULL,3,'123456789','',NULL,NULL,NULL); /*!40000 ALTER TABLE `llx_bank_account` ENABLE KEYS */; UNLOCK TABLES; @@ -911,7 +914,7 @@ CREATE TABLE `llx_bank_url` ( LOCK TABLES `llx_bank_url` WRITE; /*!40000 ALTER TABLE `llx_bank_url` DISABLE KEYS */; -INSERT INTO `llx_bank_url` VALUES (4,5,2,'/comm/card.php?socid=','Belin SARL','company'),(5,6,3,'/compta/paiement/card.php?id=','(paiement)','payment'),(6,6,2,'/comm/card.php?socid=','Belin SARL','company'),(9,8,5,'/compta/paiement/card.php?id=','(paiement)','payment'),(10,8,7,'/comm/card.php?socid=','Generic customer','company'),(17,12,4,'/compta/payment_sc/card.php?id=','(paiement)','payment_sc'),(18,12,4,'/compta/charges.php?id=','Assurance Chomage (fff)','sc'),(19,13,6,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(20,13,7,'/dolibarrnew/comm/card.php?socid=','Generic customer','company'),(21,14,8,'/compta/paiement/card.php?id=','(paiement)','payment'),(22,14,2,'/comm/card.php?socid=','Belin SARL','company'),(23,15,9,'/compta/paiement/card.php?id=','(paiement)','payment'),(24,15,10,'/comm/card.php?socid=','Smith Vick','company'),(25,16,17,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(26,16,10,'/dolibarrnew/comm/card.php?socid=','Smith Vick','company'),(27,17,18,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(28,17,10,'/dolibarrnew/comm/card.php?socid=','Smith Vick','company'),(29,18,19,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(30,18,10,'/dolibarrnew/comm/card.php?socid=','Smith Vick','company'),(31,19,20,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(32,19,10,'/dolibarrnew/comm/card.php?socid=','Smith Vick','company'),(33,20,21,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(34,20,10,'/dolibarrnew/comm/card.php?socid=','Smith Vick','company'),(35,21,23,'/compta/paiement/card.php?id=','(paiement)','payment'),(36,21,1,'/comm/card.php?socid=','ABC and Co','company'),(37,22,24,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(38,22,12,'/dolibarrnew/comm/card.php?socid=','Dupont Alain','company'),(39,23,25,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(40,23,10,'/dolibarrnew/comm/card.php?socid=','Smith Vick','company'),(41,24,26,'/compta/paiement/card.php?id=','(paiement)','payment'),(42,24,1,'/comm/card.php?socid=','ABC and Co','company'),(45,26,29,'/compta/paiement/card.php?id=','(paiement)','payment'),(46,26,1,'/comm/card.php?socid=','ABC and Co','company'),(47,27,30,'/compta/paiement/card.php?id=','(paiement)','payment'),(48,27,1,'/comm/card.php?socid=','ABC and Co','company'),(49,28,32,'/dolibarr_new/compta/paiement/card.php?id=','(paiement)','payment'),(50,28,1,'/dolibarr_new/comm/card.php?socid=','ABC and Co','company'),(51,29,33,'/dolibarr_new/compta/paiement/card.php?id=','(paiement)','payment'),(52,29,1,'/dolibarr_new/comm/card.php?socid=','ABC and Co','company'),(53,30,1,'/dolibarr_3.8/htdocs/fourn/paiement/card.php?id=','(paiement)','payment_supplier'),(54,30,1,'/dolibarr_3.8/htdocs/fourn/card.php?socid=','Indian SAS','company'),(55,32,2,'/dolibarr_5.0/htdocs/fourn/paiement/card.php?id=','(paiement)','payment_supplier'),(56,32,13,'/dolibarr_5.0/htdocs/fourn/card.php?socid=','Company Corp 2','company'),(57,33,34,'/dolibarr_5.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(58,33,19,'/dolibarr_5.0/htdocs/comm/card.php?socid=','Magic Food Store','company'),(59,34,35,'/dolibarr_5.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(60,34,19,'/dolibarr_5.0/htdocs/comm/card.php?socid=','Magic Food Store','company'),(63,36,2,'/dolibarr_5.0/htdocs/expensereport/payment/card.php?rowid=','(paiement)','payment_expensereport'),(64,36,12,'/dolibarr_5.0/htdocs/user/card.php?id=','','user'),(65,37,36,'/dolibarr_5.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(66,37,1,'/dolibarr_5.0/htdocs/compta/prelevement/card.php?id=','T170201','withdraw'),(67,38,1,'/dolibarr_6.0/htdocs/don/payment/card.php?rowid=','(paiement)','payment_donation'),(68,39,38,'/dolibarr_7.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(69,39,1,'/dolibarr_7.0/htdocs/comm/card.php?socid=','Indian SAS','company'),(72,41,39,'/dolibarr_10.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(73,41,1,'/dolibarr_10.0/htdocs/comm/card.php?socid=','Indian SAS','company'),(74,42,1,'/dolibarr_10.0/htdocs/salaries/card.php?id=','(SalaryPayment)','payment_salary'),(75,42,19,'/dolibarr_10.0/htdocs/user/card.php?id=','Alex Boston','user'),(76,43,6,'/dolibarr_11.0/htdocs/compta/payment_sc/card.php?id=','(paiement)','payment_sc'),(77,43,6,'/dolibarr_11.0/htdocs/compta/charges.php?id=','Assurance Chomage (gdfgdf)','sc'),(78,44,7,'/dolibarr_11.0/htdocs/compta/payment_sc/card.php?id=','(paiement)','payment_sc'),(79,44,6,'/dolibarr_11.0/htdocs/compta/charges.php?id=','Assurance Chomage (gdfgdf)','sc'),(84,47,4,'/dolibarr_11.0/htdocs/fourn/paiement/card.php?id=','(paiement)','payment_supplier'),(85,47,17,'/dolibarr_11.0/htdocs/fourn/card.php?socid=','Book Keeping Company','company'),(86,48,2,'/dolibarr_11.0/htdocs/custom/cabinetmed/consultations.php?action=edit&socid=29&id=','Consultation','consultation'),(87,48,29,'','Patient','company'),(88,49,4,'/dolibarr_11.0/htdocs/compta/bank/various_payment/card.php?id=','(VariousPayment)','payment_various'),(89,50,40,'/dolibarr_11.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(90,50,19,'/dolibarr_11.0/htdocs/comm/card.php?socid=','Magic Food Store','company'),(91,51,3,'/dolibarr_11.0/htdocs/adherents/card.php?rowid=','doe john','member'),(92,52,4,'/dolibarr_11.0/htdocs/adherents/card.php?rowid=','smith smith','member'),(93,53,41,'/dolibarr_11.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(94,53,12,'/dolibarr_11.0/htdocs/comm/card.php?socid=','Dupont Alain','company'),(95,54,42,'/dolibarr_11.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(96,54,12,'/dolibarr_11.0/htdocs/comm/card.php?socid=','Dupont Alain','company'),(97,55,43,'/dolibarr_11.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(98,55,12,'/dolibarr_11.0/htdocs/comm/card.php?socid=','Dupont Alain','company'),(99,56,4,'/dolibarr_17.0/htdocs/salaries/payment_salary/card.php?id=','(paiement)','payment_salary'),(100,56,4,'/dolibarr_17.0/htdocs/user/card.php?id=','Bob Bookkeeper','user'),(101,57,45,'/dolibarr_17.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(102,57,1,'/dolibarr_17.0/htdocs/comm/card.php?socid=','Indian SAS','company'),(103,58,1,'/dolibarr_17.0/htdocs/loan/payment/card.php?id=','(payment)','payment_loan'),(104,58,3,'/dolibarr_17.0/htdocs/loan/card.php?id=','aaaa','loan'),(105,59,2,'/dolibarr_17.0/htdocs/loan/payment/card.php?id=','(payment)','payment_loan'),(106,59,3,'/dolibarr_17.0/htdocs/loan/card.php?id=','aaaa','loan'),(107,61,3,'/dolibarr_17.0/htdocs/loan/payment/card.php?id=','(payment)','payment_loan'),(108,61,3,'/dolibarr_17.0/htdocs/loan/card.php?id=','aaaa','loan'); +INSERT INTO `llx_bank_url` VALUES (4,5,2,'/comm/card.php?socid=','Belin SARL','company'),(5,6,3,'/compta/paiement/card.php?id=','(paiement)','payment'),(6,6,2,'/comm/card.php?socid=','Belin SARL','company'),(9,8,5,'/compta/paiement/card.php?id=','(paiement)','payment'),(10,8,7,'/comm/card.php?socid=','Generic customer','company'),(17,12,4,'/compta/payment_sc/card.php?id=','(paiement)','payment_sc'),(18,12,4,'/compta/charges.php?id=','Assurance Chomage (fff)','sc'),(19,13,6,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(20,13,7,'/dolibarrnew/comm/card.php?socid=','Generic customer','company'),(21,14,8,'/compta/paiement/card.php?id=','(paiement)','payment'),(22,14,2,'/comm/card.php?socid=','Belin SARL','company'),(23,15,9,'/compta/paiement/card.php?id=','(paiement)','payment'),(24,15,10,'/comm/card.php?socid=','Smith Vick','company'),(25,16,17,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(26,16,10,'/dolibarrnew/comm/card.php?socid=','Smith Vick','company'),(27,17,18,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(28,17,10,'/dolibarrnew/comm/card.php?socid=','Smith Vick','company'),(29,18,19,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(30,18,10,'/dolibarrnew/comm/card.php?socid=','Smith Vick','company'),(31,19,20,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(32,19,10,'/dolibarrnew/comm/card.php?socid=','Smith Vick','company'),(33,20,21,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(34,20,10,'/dolibarrnew/comm/card.php?socid=','Smith Vick','company'),(35,21,23,'/compta/paiement/card.php?id=','(paiement)','payment'),(36,21,1,'/comm/card.php?socid=','ABC and Co','company'),(37,22,24,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(38,22,12,'/dolibarrnew/comm/card.php?socid=','Dupont Alain','company'),(39,23,25,'/dolibarrnew/compta/paiement/card.php?id=','(paiement)','payment'),(40,23,10,'/dolibarrnew/comm/card.php?socid=','Smith Vick','company'),(41,24,26,'/compta/paiement/card.php?id=','(paiement)','payment'),(42,24,1,'/comm/card.php?socid=','ABC and Co','company'),(45,26,29,'/compta/paiement/card.php?id=','(paiement)','payment'),(46,26,1,'/comm/card.php?socid=','ABC and Co','company'),(47,27,30,'/compta/paiement/card.php?id=','(paiement)','payment'),(48,27,1,'/comm/card.php?socid=','ABC and Co','company'),(49,28,32,'/dolibarr_new/compta/paiement/card.php?id=','(paiement)','payment'),(50,28,1,'/dolibarr_new/comm/card.php?socid=','ABC and Co','company'),(51,29,33,'/dolibarr_new/compta/paiement/card.php?id=','(paiement)','payment'),(52,29,1,'/dolibarr_new/comm/card.php?socid=','ABC and Co','company'),(53,30,1,'/dolibarr_3.8/htdocs/fourn/paiement/card.php?id=','(paiement)','payment_supplier'),(54,30,1,'/dolibarr_3.8/htdocs/fourn/card.php?socid=','Indian SAS','company'),(55,32,2,'/dolibarr_5.0/htdocs/fourn/paiement/card.php?id=','(paiement)','payment_supplier'),(56,32,13,'/dolibarr_5.0/htdocs/fourn/card.php?socid=','Company Corp 2','company'),(57,33,34,'/dolibarr_5.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(58,33,19,'/dolibarr_5.0/htdocs/comm/card.php?socid=','Magic Food Store','company'),(59,34,35,'/dolibarr_5.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(60,34,19,'/dolibarr_5.0/htdocs/comm/card.php?socid=','Magic Food Store','company'),(63,36,2,'/dolibarr_5.0/htdocs/expensereport/payment/card.php?rowid=','(paiement)','payment_expensereport'),(64,36,12,'/dolibarr_5.0/htdocs/user/card.php?id=','','user'),(65,37,36,'/dolibarr_5.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(66,37,1,'/dolibarr_5.0/htdocs/compta/prelevement/card.php?id=','T170201','direct-debit'),(67,38,1,'/dolibarr_6.0/htdocs/don/payment/card.php?rowid=','(paiement)','payment_donation'),(68,39,38,'/dolibarr_7.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(69,39,1,'/dolibarr_7.0/htdocs/comm/card.php?socid=','Indian SAS','company'),(72,41,39,'/dolibarr_10.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(73,41,1,'/dolibarr_10.0/htdocs/comm/card.php?socid=','Indian SAS','company'),(74,42,1,'/dolibarr_10.0/htdocs/salaries/card.php?id=','(SalaryPayment)','payment_salary'),(75,42,19,'/dolibarr_10.0/htdocs/user/card.php?id=','Alex Boston','user'),(76,43,6,'/dolibarr_11.0/htdocs/compta/payment_sc/card.php?id=','(paiement)','payment_sc'),(77,43,6,'/dolibarr_11.0/htdocs/compta/charges.php?id=','Assurance Chomage (gdfgdf)','sc'),(78,44,7,'/dolibarr_11.0/htdocs/compta/payment_sc/card.php?id=','(paiement)','payment_sc'),(79,44,6,'/dolibarr_11.0/htdocs/compta/charges.php?id=','Assurance Chomage (gdfgdf)','sc'),(84,47,4,'/dolibarr_11.0/htdocs/fourn/paiement/card.php?id=','(paiement)','payment_supplier'),(85,47,17,'/dolibarr_11.0/htdocs/fourn/card.php?socid=','Book Keeping Company','company'),(86,48,2,'/dolibarr_11.0/htdocs/custom/cabinetmed/consultations.php?action=edit&socid=29&id=','Consultation','consultation'),(87,48,29,'','Patient','company'),(88,49,4,'/dolibarr_11.0/htdocs/compta/bank/various_payment/card.php?id=','(VariousPayment)','payment_various'),(89,50,40,'/dolibarr_11.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(90,50,19,'/dolibarr_11.0/htdocs/comm/card.php?socid=','Magic Food Store','company'),(91,51,3,'/dolibarr_11.0/htdocs/adherents/card.php?rowid=','doe john','member'),(92,52,4,'/dolibarr_11.0/htdocs/adherents/card.php?rowid=','smith smith','member'),(93,53,41,'/dolibarr_11.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(94,53,12,'/dolibarr_11.0/htdocs/comm/card.php?socid=','Dupont Alain','company'),(95,54,42,'/dolibarr_11.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(96,54,12,'/dolibarr_11.0/htdocs/comm/card.php?socid=','Dupont Alain','company'),(97,55,43,'/dolibarr_11.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(98,55,12,'/dolibarr_11.0/htdocs/comm/card.php?socid=','Dupont Alain','company'),(99,56,4,'/dolibarr_17.0/htdocs/salaries/payment_salary/card.php?id=','(paiement)','payment_salary'),(100,56,4,'/dolibarr_17.0/htdocs/user/card.php?id=','Bob Bookkeeper','user'),(101,57,45,'/dolibarr_17.0/htdocs/compta/paiement/card.php?id=','(paiement)','payment'),(102,57,1,'/dolibarr_17.0/htdocs/comm/card.php?socid=','Indian SAS','company'),(103,58,1,'/dolibarr_17.0/htdocs/loan/payment/card.php?id=','(payment)','payment_loan'),(104,58,3,'/dolibarr_17.0/htdocs/loan/card.php?id=','aaaa','loan'),(105,59,2,'/dolibarr_17.0/htdocs/loan/payment/card.php?id=','(payment)','payment_loan'),(106,59,3,'/dolibarr_17.0/htdocs/loan/card.php?id=','aaaa','loan'),(107,61,3,'/dolibarr_17.0/htdocs/loan/payment/card.php?id=','(payment)','payment_loan'),(108,61,3,'/dolibarr_17.0/htdocs/loan/card.php?id=','aaaa','loan'); /*!40000 ALTER TABLE `llx_bank_url` ENABLE KEYS */; UNLOCK TABLES; @@ -1218,7 +1221,7 @@ CREATE TABLE `llx_boxes` ( KEY `idx_boxes_boxid` (`box_id`), KEY `idx_boxes_fk_user` (`fk_user`), CONSTRAINT `fk_boxes_box_id` FOREIGN KEY (`box_id`) REFERENCES `llx_boxes_def` (`rowid`) -) ENGINE=InnoDB AUTO_INCREMENT=1512 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; +) ENGINE=InnoDB AUTO_INCREMENT=1518 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; -- @@ -1227,7 +1230,7 @@ CREATE TABLE `llx_boxes` ( LOCK TABLES `llx_boxes` WRITE; /*!40000 ALTER TABLE `llx_boxes` DISABLE KEYS */; -INSERT INTO `llx_boxes` VALUES (253,2,323,0,'0',0,NULL,NULL),(304,2,324,0,'0',0,NULL,NULL),(305,2,325,0,'0',0,NULL,NULL),(306,2,326,0,'0',0,NULL,NULL),(307,2,327,0,'0',0,NULL,NULL),(308,2,328,0,'0',0,NULL,NULL),(309,2,329,0,'0',0,NULL,NULL),(310,2,330,0,'0',0,NULL,NULL),(311,2,331,0,'0',0,NULL,NULL),(312,2,332,0,'0',0,NULL,NULL),(313,2,333,0,'0',0,NULL,NULL),(314,1,347,0,'A15',0,NULL,NULL),(315,1,348,0,'A29',0,NULL,NULL),(316,1,349,0,'A25',0,NULL,NULL),(317,1,350,0,'B28',0,NULL,NULL),(344,1,374,0,'B24',0,NULL,NULL),(347,1,377,0,'A27',0,NULL,NULL),(348,1,378,0,'A23',0,NULL,NULL),(358,1,388,0,'B38',0,NULL,NULL),(359,1,389,0,'B08',0,NULL,NULL),(360,1,390,0,'A37',0,NULL,NULL),(362,1,392,0,'A19',0,NULL,NULL),(363,1,393,0,'A07',0,NULL,NULL),(366,1,396,0,'B26',0,NULL,NULL),(387,1,403,0,'B30',0,NULL,NULL),(392,1,409,0,'A09',0,NULL,NULL),(393,1,410,0,'B18',0,NULL,NULL),(394,1,411,0,'B14',0,NULL,NULL),(395,1,412,0,'B34',0,NULL,NULL),(396,1,413,0,'A13',0,NULL,NULL),(397,1,414,0,'A33',0,NULL,NULL),(398,1,415,0,'B12',0,NULL,NULL),(399,1,416,0,'B32',0,NULL,NULL),(400,1,417,0,'A11',0,NULL,NULL),(401,1,418,0,'A31',0,NULL,NULL),(501,1,419,0,'B10',0,NULL,NULL),(1019,1,392,0,'A01',2,NULL,NULL),(1021,1,412,0,'A03',2,NULL,NULL),(1022,1,347,0,'A04',2,NULL,NULL),(1023,1,393,0,'A05',2,NULL,NULL),(1025,1,389,0,'A07',2,NULL,NULL),(1026,1,416,0,'A08',2,NULL,NULL),(1027,1,396,0,'B01',2,NULL,NULL),(1028,1,377,0,'B02',2,NULL,NULL),(1031,1,419,0,'B05',2,NULL,NULL),(1036,1,424,0,'B16',0,NULL,NULL),(1037,1,425,0,'A35',0,NULL,NULL),(1038,1,426,0,'B36',0,NULL,NULL),(1150,1,430,0,'B20',0,NULL,NULL),(1152,1,429,0,'A01',1,NULL,NULL),(1153,1,429,0,'B01',2,NULL,NULL),(1154,1,429,0,'A01',11,NULL,NULL),(1156,1,429,0,'A05',0,NULL,NULL),(1183,1,433,0,'B06',0,NULL,NULL),(1235,1,404,0,'B01',1,NULL,NULL),(1236,1,404,0,'B01',2,NULL,NULL),(1237,1,404,0,'B01',11,NULL,NULL),(1239,1,404,0,'A17',0,NULL,NULL),(1418,1,445,0,'B22',0,NULL,NULL),(1430,1,454,11,'B44',0,NULL,NULL),(1431,1,455,11,'B48',0,NULL,NULL),(1432,1,456,11,'A43',0,NULL,NULL),(1433,1,457,11,'A47',0,NULL,NULL),(1434,1,461,11,'A45',0,NULL,NULL),(1435,1,462,11,'B46',0,NULL,NULL),(1436,1,448,0,'A01',1,NULL,NULL),(1437,1,448,0,'B01',2,NULL,NULL),(1438,1,448,0,'A01',11,NULL,NULL),(1440,1,448,0,'B04',0,NULL,NULL),(1441,1,449,0,'B01',1,NULL,NULL),(1442,1,449,0,'A01',2,NULL,NULL),(1443,1,449,0,'B01',11,NULL,NULL),(1445,1,449,0,'A21',0,NULL,NULL),(1471,1,438,0,'A01',1,NULL,NULL),(1472,1,438,0,'B01',2,NULL,NULL),(1473,1,438,0,'A01',11,NULL,NULL),(1475,1,438,0,'A01',0,NULL,NULL),(1476,1,419,0,'A01',12,NULL,NULL),(1477,1,412,0,'A02',12,NULL,NULL),(1478,1,449,0,'A03',12,NULL,NULL),(1479,1,448,0,'A04',12,NULL,NULL),(1480,1,378,0,'A05',12,NULL,NULL),(1481,1,404,0,'A06',12,NULL,NULL),(1482,1,377,0,'A07',12,NULL,NULL),(1483,1,392,0,'B01',12,NULL,NULL),(1484,1,438,0,'B02',12,NULL,NULL),(1485,1,429,0,'B03',12,NULL,NULL),(1486,1,414,0,'B04',12,NULL,NULL),(1487,1,413,0,'B05',12,NULL,NULL),(1488,1,426,0,'B06',12,NULL,NULL),(1508,1,512,0,'0',0,NULL,NULL),(1509,1,518,0,'0',0,NULL,NULL),(1510,1,519,0,'0',0,NULL,NULL),(1511,1,520,0,'0',0,NULL,NULL); +INSERT INTO `llx_boxes` VALUES (253,2,323,0,'0',0,NULL,NULL),(304,2,324,0,'0',0,NULL,NULL),(305,2,325,0,'0',0,NULL,NULL),(306,2,326,0,'0',0,NULL,NULL),(307,2,327,0,'0',0,NULL,NULL),(308,2,328,0,'0',0,NULL,NULL),(309,2,329,0,'0',0,NULL,NULL),(310,2,330,0,'0',0,NULL,NULL),(311,2,331,0,'0',0,NULL,NULL),(312,2,332,0,'0',0,NULL,NULL),(313,2,333,0,'0',0,NULL,NULL),(314,1,347,0,'A15',0,NULL,NULL),(315,1,348,0,'A29',0,NULL,NULL),(316,1,349,0,'A25',0,NULL,NULL),(317,1,350,0,'B28',0,NULL,NULL),(344,1,374,0,'B24',0,NULL,NULL),(347,1,377,0,'A27',0,NULL,NULL),(348,1,378,0,'A23',0,NULL,NULL),(358,1,388,0,'B38',0,NULL,NULL),(359,1,389,0,'B08',0,NULL,NULL),(360,1,390,0,'A37',0,NULL,NULL),(362,1,392,0,'A19',0,NULL,NULL),(363,1,393,0,'A07',0,NULL,NULL),(366,1,396,0,'B26',0,NULL,NULL),(387,1,403,0,'B30',0,NULL,NULL),(392,1,409,0,'A09',0,NULL,NULL),(393,1,410,0,'B18',0,NULL,NULL),(394,1,411,0,'B14',0,NULL,NULL),(395,1,412,0,'B34',0,NULL,NULL),(396,1,413,0,'A13',0,NULL,NULL),(397,1,414,0,'A33',0,NULL,NULL),(398,1,415,0,'B12',0,NULL,NULL),(399,1,416,0,'B32',0,NULL,NULL),(400,1,417,0,'A11',0,NULL,NULL),(401,1,418,0,'A31',0,NULL,NULL),(501,1,419,0,'B10',0,NULL,NULL),(1019,1,392,0,'A01',2,NULL,NULL),(1021,1,412,0,'A03',2,NULL,NULL),(1022,1,347,0,'A04',2,NULL,NULL),(1023,1,393,0,'A05',2,NULL,NULL),(1025,1,389,0,'A07',2,NULL,NULL),(1026,1,416,0,'A08',2,NULL,NULL),(1027,1,396,0,'B01',2,NULL,NULL),(1028,1,377,0,'B02',2,NULL,NULL),(1031,1,419,0,'B05',2,NULL,NULL),(1036,1,424,0,'B16',0,NULL,NULL),(1037,1,425,0,'A35',0,NULL,NULL),(1038,1,426,0,'B36',0,NULL,NULL),(1150,1,430,0,'B20',0,NULL,NULL),(1152,1,429,0,'A01',1,NULL,NULL),(1153,1,429,0,'B01',2,NULL,NULL),(1154,1,429,0,'A01',11,NULL,NULL),(1156,1,429,0,'A05',0,NULL,NULL),(1183,1,433,0,'B06',0,NULL,NULL),(1235,1,404,0,'B01',1,NULL,NULL),(1236,1,404,0,'B01',2,NULL,NULL),(1237,1,404,0,'B01',11,NULL,NULL),(1239,1,404,0,'A17',0,NULL,NULL),(1418,1,445,0,'B22',0,NULL,NULL),(1430,1,454,11,'B44',0,NULL,NULL),(1431,1,455,11,'B48',0,NULL,NULL),(1432,1,456,11,'A43',0,NULL,NULL),(1433,1,457,11,'A47',0,NULL,NULL),(1434,1,461,11,'A45',0,NULL,NULL),(1435,1,462,11,'B46',0,NULL,NULL),(1436,1,448,0,'A01',1,NULL,NULL),(1437,1,448,0,'B01',2,NULL,NULL),(1438,1,448,0,'A01',11,NULL,NULL),(1440,1,448,0,'B04',0,NULL,NULL),(1441,1,449,0,'B01',1,NULL,NULL),(1442,1,449,0,'A01',2,NULL,NULL),(1443,1,449,0,'B01',11,NULL,NULL),(1445,1,449,0,'A21',0,NULL,NULL),(1471,1,438,0,'A01',1,NULL,NULL),(1472,1,438,0,'B01',2,NULL,NULL),(1473,1,438,0,'A01',11,NULL,NULL),(1475,1,438,0,'A01',0,NULL,NULL),(1476,1,419,0,'A01',12,NULL,NULL),(1477,1,412,0,'A02',12,NULL,NULL),(1478,1,449,0,'A03',12,NULL,NULL),(1479,1,448,0,'A04',12,NULL,NULL),(1480,1,378,0,'A05',12,NULL,NULL),(1481,1,404,0,'A06',12,NULL,NULL),(1482,1,377,0,'A07',12,NULL,NULL),(1483,1,392,0,'B01',12,NULL,NULL),(1484,1,438,0,'B02',12,NULL,NULL),(1485,1,429,0,'B03',12,NULL,NULL),(1486,1,414,0,'B04',12,NULL,NULL),(1487,1,413,0,'B05',12,NULL,NULL),(1488,1,426,0,'B06',12,NULL,NULL),(1508,1,512,0,'0',0,NULL,NULL),(1515,1,524,0,'0',0,NULL,NULL),(1516,1,525,0,'0',0,NULL,NULL),(1517,1,526,0,'0',0,NULL,NULL); /*!40000 ALTER TABLE `llx_boxes` ENABLE KEYS */; UNLOCK TABLES; @@ -1247,7 +1250,7 @@ CREATE TABLE `llx_boxes_def` ( `fk_user` int(11) NOT NULL DEFAULT 0, PRIMARY KEY (`rowid`), UNIQUE KEY `uk_boxes_def` (`file`,`entity`,`note`) -) ENGINE=InnoDB AUTO_INCREMENT=521 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; +) ENGINE=InnoDB AUTO_INCREMENT=527 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; -- @@ -1256,7 +1259,7 @@ CREATE TABLE `llx_boxes_def` ( LOCK TABLES `llx_boxes_def` WRITE; /*!40000 ALTER TABLE `llx_boxes_def` DISABLE KEYS */; -INSERT INTO `llx_boxes_def` VALUES (323,'box_actions.php',2,'2015-03-13 15:29:19',NULL,0),(324,'box_clients.php',2,'2015-03-13 20:21:35',NULL,0),(325,'box_prospect.php',2,'2015-03-13 20:21:35',NULL,0),(326,'box_contacts.php',2,'2015-03-13 20:21:35',NULL,0),(327,'box_activity.php',2,'2015-03-13 20:21:35','(WarningUsingThisBoxSlowDown)',0),(328,'box_propales.php',2,'2015-03-13 20:32:38',NULL,0),(329,'box_comptes.php',2,'2015-03-13 20:33:09',NULL,0),(330,'box_factures_imp.php',2,'2015-03-13 20:33:09',NULL,0),(331,'box_factures.php',2,'2015-03-13 20:33:09',NULL,0),(332,'box_produits.php',2,'2015-03-13 20:33:09',NULL,0),(333,'box_produits_alerte_stock.php',2,'2015-03-13 20:33:09',NULL,0),(347,'box_clients.php',1,'2017-11-15 22:05:57',NULL,0),(348,'box_prospect.php',1,'2017-11-15 22:05:57',NULL,0),(349,'box_contacts.php',1,'2017-11-15 22:05:57',NULL,0),(350,'box_activity.php',1,'2017-11-15 22:05:57','(WarningUsingThisBoxSlowDown)',0),(374,'box_services_contracts.php',1,'2017-11-15 22:38:37',NULL,0),(377,'box_project.php',1,'2017-11-15 22:38:44',NULL,0),(378,'box_task.php',1,'2017-11-15 22:38:44',NULL,0),(388,'box_contracts.php',1,'2017-11-15 22:39:52',NULL,0),(389,'box_services_expired.php',1,'2017-11-15 22:39:52',NULL,0),(390,'box_ficheinter.php',1,'2017-11-15 22:39:56',NULL,0),(392,'box_graph_propales_permonth.php',1,'2017-11-15 22:41:47',NULL,0),(393,'box_propales.php',1,'2017-11-15 22:41:47',NULL,0),(396,'box_graph_product_distribution.php',1,'2017-11-15 22:41:47',NULL,0),(403,'box_goodcustomers.php',1,'2018-07-30 11:13:20','(WarningUsingThisBoxSlowDown)',0),(404,'box_external_rss.php',1,'2018-07-30 11:15:25','1 (Dolibarr.org News)',0),(409,'box_produits.php',1,'2018-07-30 13:38:11',NULL,0),(410,'box_produits_alerte_stock.php',1,'2018-07-30 13:38:11',NULL,0),(411,'box_commandes.php',1,'2018-07-30 13:38:11',NULL,0),(412,'box_graph_orders_permonth.php',1,'2018-07-30 13:38:11',NULL,0),(413,'box_graph_invoices_supplier_permonth.php',1,'2018-07-30 13:38:11',NULL,0),(414,'box_graph_orders_supplier_permonth.php',1,'2018-07-30 13:38:11',NULL,0),(415,'box_fournisseurs.php',1,'2018-07-30 13:38:11',NULL,0),(416,'box_factures_fourn_imp.php',1,'2018-07-30 13:38:11',NULL,0),(417,'box_factures_fourn.php',1,'2018-07-30 13:38:11',NULL,0),(418,'box_supplier_orders.php',1,'2018-07-30 13:38:11',NULL,0),(419,'box_actions.php',1,'2018-07-30 15:42:32',NULL,0),(424,'box_factures_imp.php',1,'2017-02-07 18:56:12',NULL,0),(425,'box_factures.php',1,'2017-02-07 18:56:12',NULL,0),(426,'box_graph_invoices_permonth.php',1,'2017-02-07 18:56:12',NULL,0),(429,'box_lastlogin.php',1,'2017-08-27 13:29:14',NULL,0),(430,'box_bookmarks.php',1,'2018-01-19 11:27:34',NULL,0),(432,'box_birthdays.php',1,'2019-06-05 08:45:40',NULL,0),(433,'box_last_ticket',1,'2019-06-05 09:15:29',NULL,0),(438,'box_supplier_orders_awaiting_reception.php',1,'2019-11-28 11:52:59',NULL,0),(445,'box_shipments.php',1,'2020-01-13 14:38:20',NULL,0),(446,'box_funnel_of_prospection.php',1,'2020-12-10 12:24:40',NULL,0),(447,'box_customers_outstanding_bill_reached.php',1,'2020-12-10 12:24:40',NULL,0),(448,'box_scheduled_jobs.php',1,'2021-04-15 10:22:49',NULL,0),(449,'box_dolibarr_state_board.php',1,'2021-04-15 10:22:54',NULL,0),(454,'box_graph_ticket_by_severity.php',1,'2021-04-15 10:22:55',NULL,0),(455,'box_graph_nb_ticket_last_x_days.php',1,'2021-04-15 10:22:55',NULL,0),(456,'box_graph_nb_tickets_type.php',1,'2021-04-15 10:22:55',NULL,0),(457,'box_graph_new_vs_close_ticket.php',1,'2021-04-15 10:22:55',NULL,0),(461,'box_last_ticket.php',1,'2021-04-15 10:23:01',NULL,0),(462,'box_last_modified_ticket.php',1,'2021-04-15 10:23:01',NULL,0),(470,'box_ticket_by_severity.php',1,'2021-07-11 17:49:47',NULL,0),(471,'box_nb_ticket_last_x_days.php',1,'2021-07-11 17:49:47',NULL,0),(472,'box_nb_tickets_type.php',1,'2021-07-11 17:49:47',NULL,0),(473,'box_new_vs_close_ticket.php',1,'2021-07-11 17:49:47',NULL,0),(496,'box_googlemaps@google',1,'2023-02-22 19:34:58',NULL,0),(497,'box_accountancy_last_manual_entries.php',1,'2023-02-27 01:59:59',NULL,0),(498,'box_accountancy_suspense_account.php',1,'2023-02-27 01:59:59',NULL,0),(499,'box_actions_future.php',1,'2023-08-13 15:39:37',NULL,0),(512,'box_birthdays_members.php',1,'2023-08-15 10:57:22',NULL,0),(513,'box_members_last_modified.php',1,'2023-08-15 10:57:22',NULL,0),(514,'box_members_last_subscriptions.php',1,'2023-08-15 10:57:22',NULL,0),(515,'box_members_subscriptions_by_year.php',1,'2023-08-15 10:57:22',NULL,0),(516,'box_members_by_type.php',1,'2023-08-15 10:57:22',NULL,0),(517,'box_members_by_tags.php',1,'2023-08-15 10:57:22',NULL,0),(518,'box_boms.php',1,'2023-08-15 11:34:12',NULL,0),(519,'box_comptes.php',1,'2023-08-15 11:34:12',NULL,0),(520,'box_mos.php',1,'2023-08-15 11:34:13',NULL,0); +INSERT INTO `llx_boxes_def` VALUES (323,'box_actions.php',2,'2015-03-13 15:29:19',NULL,0),(324,'box_clients.php',2,'2015-03-13 20:21:35',NULL,0),(325,'box_prospect.php',2,'2015-03-13 20:21:35',NULL,0),(326,'box_contacts.php',2,'2015-03-13 20:21:35',NULL,0),(327,'box_activity.php',2,'2015-03-13 20:21:35','(WarningUsingThisBoxSlowDown)',0),(328,'box_propales.php',2,'2015-03-13 20:32:38',NULL,0),(329,'box_comptes.php',2,'2015-03-13 20:33:09',NULL,0),(330,'box_factures_imp.php',2,'2015-03-13 20:33:09',NULL,0),(331,'box_factures.php',2,'2015-03-13 20:33:09',NULL,0),(332,'box_produits.php',2,'2015-03-13 20:33:09',NULL,0),(333,'box_produits_alerte_stock.php',2,'2015-03-13 20:33:09',NULL,0),(347,'box_clients.php',1,'2017-11-15 22:05:57',NULL,0),(348,'box_prospect.php',1,'2017-11-15 22:05:57',NULL,0),(349,'box_contacts.php',1,'2017-11-15 22:05:57',NULL,0),(350,'box_activity.php',1,'2017-11-15 22:05:57','(WarningUsingThisBoxSlowDown)',0),(374,'box_services_contracts.php',1,'2017-11-15 22:38:37',NULL,0),(377,'box_project.php',1,'2017-11-15 22:38:44',NULL,0),(378,'box_task.php',1,'2017-11-15 22:38:44',NULL,0),(388,'box_contracts.php',1,'2017-11-15 22:39:52',NULL,0),(389,'box_services_expired.php',1,'2017-11-15 22:39:52',NULL,0),(390,'box_ficheinter.php',1,'2017-11-15 22:39:56',NULL,0),(392,'box_graph_propales_permonth.php',1,'2017-11-15 22:41:47',NULL,0),(393,'box_propales.php',1,'2017-11-15 22:41:47',NULL,0),(396,'box_graph_product_distribution.php',1,'2017-11-15 22:41:47',NULL,0),(403,'box_goodcustomers.php',1,'2018-07-30 11:13:20','(WarningUsingThisBoxSlowDown)',0),(404,'box_external_rss.php',1,'2018-07-30 11:15:25','1 (Dolibarr.org News)',0),(409,'box_produits.php',1,'2018-07-30 13:38:11',NULL,0),(410,'box_produits_alerte_stock.php',1,'2018-07-30 13:38:11',NULL,0),(411,'box_commandes.php',1,'2018-07-30 13:38:11',NULL,0),(412,'box_graph_orders_permonth.php',1,'2018-07-30 13:38:11',NULL,0),(413,'box_graph_invoices_supplier_permonth.php',1,'2018-07-30 13:38:11',NULL,0),(414,'box_graph_orders_supplier_permonth.php',1,'2018-07-30 13:38:11',NULL,0),(415,'box_fournisseurs.php',1,'2018-07-30 13:38:11',NULL,0),(416,'box_factures_fourn_imp.php',1,'2018-07-30 13:38:11',NULL,0),(417,'box_factures_fourn.php',1,'2018-07-30 13:38:11',NULL,0),(418,'box_supplier_orders.php',1,'2018-07-30 13:38:11',NULL,0),(419,'box_actions.php',1,'2018-07-30 15:42:32',NULL,0),(424,'box_factures_imp.php',1,'2017-02-07 18:56:12',NULL,0),(425,'box_factures.php',1,'2017-02-07 18:56:12',NULL,0),(426,'box_graph_invoices_permonth.php',1,'2017-02-07 18:56:12',NULL,0),(429,'box_lastlogin.php',1,'2017-08-27 13:29:14',NULL,0),(430,'box_bookmarks.php',1,'2018-01-19 11:27:34',NULL,0),(432,'box_birthdays.php',1,'2019-06-05 08:45:40',NULL,0),(433,'box_last_ticket',1,'2019-06-05 09:15:29',NULL,0),(438,'box_supplier_orders_awaiting_reception.php',1,'2019-11-28 11:52:59',NULL,0),(445,'box_shipments.php',1,'2020-01-13 14:38:20',NULL,0),(446,'box_funnel_of_prospection.php',1,'2020-12-10 12:24:40',NULL,0),(447,'box_customers_outstanding_bill_reached.php',1,'2020-12-10 12:24:40',NULL,0),(448,'box_scheduled_jobs.php',1,'2021-04-15 10:22:49',NULL,0),(449,'box_dolibarr_state_board.php',1,'2021-04-15 10:22:54',NULL,0),(454,'box_graph_ticket_by_severity.php',1,'2021-04-15 10:22:55',NULL,0),(455,'box_graph_nb_ticket_last_x_days.php',1,'2021-04-15 10:22:55',NULL,0),(456,'box_graph_nb_tickets_type.php',1,'2021-04-15 10:22:55',NULL,0),(457,'box_graph_new_vs_close_ticket.php',1,'2021-04-15 10:22:55',NULL,0),(461,'box_last_ticket.php',1,'2021-04-15 10:23:01',NULL,0),(462,'box_last_modified_ticket.php',1,'2021-04-15 10:23:01',NULL,0),(470,'box_ticket_by_severity.php',1,'2021-07-11 17:49:47',NULL,0),(471,'box_nb_ticket_last_x_days.php',1,'2021-07-11 17:49:47',NULL,0),(472,'box_nb_tickets_type.php',1,'2021-07-11 17:49:47',NULL,0),(473,'box_new_vs_close_ticket.php',1,'2021-07-11 17:49:47',NULL,0),(496,'box_googlemaps@google',1,'2023-02-22 19:34:58',NULL,0),(497,'box_accountancy_last_manual_entries.php',1,'2023-02-27 01:59:59',NULL,0),(498,'box_accountancy_suspense_account.php',1,'2023-02-27 01:59:59',NULL,0),(499,'box_actions_future.php',1,'2023-08-13 15:39:37',NULL,0),(512,'box_birthdays_members.php',1,'2023-08-15 10:57:22',NULL,0),(513,'box_members_last_modified.php',1,'2023-08-15 10:57:22',NULL,0),(514,'box_members_last_subscriptions.php',1,'2023-08-15 10:57:22',NULL,0),(515,'box_members_subscriptions_by_year.php',1,'2023-08-15 10:57:22',NULL,0),(516,'box_members_by_type.php',1,'2023-08-15 10:57:22',NULL,0),(517,'box_members_by_tags.php',1,'2023-08-15 10:57:22',NULL,0),(524,'box_boms.php',1,'2024-01-03 16:35:44',NULL,0),(525,'box_comptes.php',1,'2024-01-03 16:35:44',NULL,0),(526,'box_mos.php',1,'2024-01-03 16:35:46',NULL,0); /*!40000 ALTER TABLE `llx_boxes_def` ENABLE KEYS */; UNLOCK TABLES; @@ -1377,7 +1380,7 @@ CREATE TABLE `llx_c_action_trigger` ( PRIMARY KEY (`rowid`), UNIQUE KEY `uk_action_trigger_code` (`code`), KEY `idx_action_trigger_rang` (`rang`) -) ENGINE=InnoDB AUTO_INCREMENT=881 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; +) ENGINE=InnoDB AUTO_INCREMENT=889 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; -- @@ -1386,7 +1389,7 @@ CREATE TABLE `llx_c_action_trigger` ( LOCK TABLES `llx_c_action_trigger` WRITE; /*!40000 ALTER TABLE `llx_c_action_trigger` DISABLE KEYS */; -INSERT INTO `llx_c_action_trigger` VALUES (131,'COMPANY_SENTBYMAIL','Mails sent from third party card','Executed when you send email from third party card','societe',1,NULL),(132,'COMPANY_CREATE','Third party created','Executed when a third party is created','societe',1,NULL),(133,'PROPAL_VALIDATE','Customer proposal validated','Executed when a commercial proposal is validated','propal',2,NULL),(134,'PROPAL_SENTBYMAIL','Commercial proposal sent by mail','Executed when a commercial proposal is sent by mail','propal',3,NULL),(135,'ORDER_VALIDATE','Customer order validate','Executed when a customer order is validated','commande',4,NULL),(136,'ORDER_CLOSE','Customer order classify delivered','Executed when a customer order is set delivered','commande',5,NULL),(137,'ORDER_CLASSIFY_BILLED','Customer order classify billed','Executed when a customer order is set to billed','commande',5,NULL),(138,'ORDER_CANCEL','Customer order canceled','Executed when a customer order is canceled','commande',5,NULL),(139,'ORDER_SENTBYMAIL','Customer order sent by mail','Executed when a customer order is sent by mail ','commande',5,NULL),(140,'BILL_VALIDATE','Customer invoice validated','Executed when a customer invoice is approved','facture',6,NULL),(141,'BILL_PAYED','Customer invoice payed','Executed when a customer invoice is payed','facture',7,NULL),(142,'BILL_CANCEL','Customer invoice canceled','Executed when a customer invoice is conceled','facture',8,NULL),(143,'BILL_SENTBYMAIL','Customer invoice sent by mail','Executed when a customer invoice is sent by mail','facture',9,NULL),(144,'BILL_UNVALIDATE','Customer invoice unvalidated','Executed when a customer invoice status set back to draft','facture',9,NULL),(145,'ORDER_SUPPLIER_VALIDATE','Supplier order validated','Executed when a supplier order is validated','order_supplier',11,NULL),(146,'ORDER_SUPPLIER_APPROVE','Supplier order request approved','Executed when a supplier order is approved','order_supplier',12,NULL),(147,'ORDER_SUPPLIER_REFUSE','Supplier order request refused','Executed when a supplier order is refused','order_supplier',13,NULL),(148,'ORDER_SUPPLIER_SENTBYMAIL','Supplier order sent by mail','Executed when a supplier order is sent by mail','order_supplier',14,NULL),(149,'BILL_SUPPLIER_VALIDATE','Supplier invoice validated','Executed when a supplier invoice is validated','invoice_supplier',15,NULL),(150,'BILL_SUPPLIER_PAYED','Supplier invoice payed','Executed when a supplier invoice is payed','invoice_supplier',16,NULL),(151,'BILL_SUPPLIER_SENTBYMAIL','Supplier invoice sent by mail','Executed when a supplier invoice is sent by mail','invoice_supplier',17,NULL),(152,'BILL_SUPPLIER_CANCELED','Supplier invoice cancelled','Executed when a supplier invoice is cancelled','invoice_supplier',17,NULL),(153,'CONTRACT_VALIDATE','Contract validated','Executed when a contract is validated','contrat',18,NULL),(154,'SHIPPING_VALIDATE','Shipping validated','Executed when a shipping is validated','shipping',20,NULL),(155,'SHIPPING_SENTBYMAIL','Shipping sent by mail','Executed when a shipping is sent by mail','shipping',21,NULL),(156,'MEMBER_VALIDATE','Member validated','Executed when a member is validated','member',22,NULL),(158,'MEMBER_RESILIATE','Member resiliated','Executed when a member is resiliated','member',24,NULL),(159,'MEMBER_MODIFY','Member modified','Executed when a member is modified','member',24,NULL),(160,'MEMBER_DELETE','Member deleted','Executed when a member is deleted','member',25,NULL),(161,'FICHINTER_VALIDATE','Intervention validated','Executed when a intervention is validated','ficheinter',19,NULL),(162,'FICHINTER_CLASSIFY_BILLED','Intervention set billed','Executed when a intervention is set to billed (when option FICHINTER_CLASSIFY_BILLED is set)','ficheinter',19,NULL),(163,'FICHINTER_CLASSIFY_UNBILLED','Intervention set unbilled','Executed when a intervention is set to unbilled (when option FICHINTER_CLASSIFY_BILLED is set)','ficheinter',19,NULL),(164,'FICHINTER_REOPEN','Intervention opened','Executed when a intervention is re-opened','ficheinter',19,NULL),(165,'FICHINTER_SENTBYMAIL','Intervention sent by mail','Executed when a intervention is sent by mail','ficheinter',19,NULL),(166,'PROJECT_CREATE','Project creation','Executed when a project is created','project',140,NULL),(167,'PROPAL_CLOSE_SIGNED','Customer proposal closed signed','Executed when a customer proposal is closed signed','propal',2,NULL),(168,'PROPAL_CLOSE_REFUSED','Customer proposal closed refused','Executed when a customer proposal is closed refused','propal',2,NULL),(169,'PROPAL_CLASSIFY_BILLED','Customer proposal set billed','Executed when a customer proposal is set to billed','propal',2,NULL),(170,'TASK_CREATE','Task created','Executed when a project task is created','project',35,NULL),(171,'TASK_MODIFY','Task modified','Executed when a project task is modified','project',36,NULL),(172,'TASK_DELETE','Task deleted','Executed when a project task is deleted','project',37,NULL),(173,'BILL_SUPPLIER_UNVALIDATE','Supplier invoice unvalidated','Executed when a supplier invoice status is set back to draft','invoice_supplier',15,NULL),(174,'PROJECT_MODIFY','Project modified','Executed when a project is modified','project',141,NULL),(175,'PROJECT_DELETE','Project deleted','Executed when a project is deleted','project',142,NULL),(176,'ORDER_SUPPLIER_CREATE','Supplier order validated','Executed when a supplier order is validated','order_supplier',11,NULL),(177,'ORDER_SUPPLIER_SUBMIT','Supplier order request submited','Executed when a supplier order is approved','order_supplier',12,NULL),(178,'ORDER_SUPPLIER_RECEIVE','Supplier order request received','Executed when a supplier order is received','order_supplier',12,NULL),(179,'ORDER_SUPPLIER_CLASSIFY_BILLED','Supplier order set billed','Executed when a supplier order is set as billed','order_supplier',14,NULL),(180,'PRODUCT_CREATE','Product or service created','Executed when a product or sevice is created','product',30,NULL),(181,'PRODUCT_MODIFY','Product or service modified','Executed when a product or sevice is modified','product',30,NULL),(182,'PRODUCT_DELETE','Product or service deleted','Executed when a product or sevice is deleted','product',30,NULL),(183,'EXPENSE_REPORT_CREATE','Expense report created','Executed when an expense report is created','expensereport',201,NULL),(185,'EXPENSE_REPORT_VALIDATE','Expense report validated','Executed when an expense report is validated','expensereport',202,NULL),(186,'EXPENSE_REPORT_APPROVE','Expense report approved','Executed when an expense report is approved','expensereport',203,NULL),(187,'EXPENSE_REPORT_PAID','Expense report billed','Executed when an expense report is set as billed','expensereport',204,NULL),(192,'HOLIDAY_CREATE','Leave request created','Executed when a leave request is created','holiday',221,NULL),(193,'HOLIDAY_VALIDATE','Leave request validated','Executed when a leave request is validated','holiday',222,NULL),(194,'HOLIDAY_APPROVE','Leave request approved','Executed when a leave request is approved','holiday',223,NULL),(210,'MEMBER_SENTBYMAIL','Mails sent from member card','Executed when you send email from member card','member',23,NULL),(211,'CONTRACT_SENTBYMAIL','Contract sent by mail','Executed when a contract is sent by mail','contrat',18,NULL),(212,'PROPOSAL_SUPPLIER_VALIDATE','Price request validated','Executed when a commercial proposal is validated','proposal_supplier',10,NULL),(213,'PROPOSAL_SUPPLIER_SENTBYMAIL','Price request sent by mail','Executed when a commercial proposal is sent by mail','proposal_supplier',10,NULL),(214,'PROPOSAL_SUPPLIER_CLOSE_SIGNED','Price request closed signed','Executed when a customer proposal is closed signed','proposal_supplier',10,NULL),(215,'PROPOSAL_SUPPLIER_CLOSE_REFUSED','Price request closed refused','Executed when a customer proposal is closed refused','proposal_supplier',10,NULL),(216,'MEMBER_SUBSCRIPTION_CREATE','Member subscribtion recorded','Executed when a member subscribtion is deleted','member',24,NULL),(217,'MEMBER_SUBSCRIPTION_MODIFY','Member subscribtion modified','Executed when a member subscribtion is modified','member',24,NULL),(218,'MEMBER_SUBSCRIPTION_DELETE','Member subscribtion deleted','Executed when a member subscribtion is deleted','member',24,NULL),(225,'COMPANY_DELETE','Third party deleted','Executed when you delete third party','societe',1,NULL),(226,'PROPAL_DELETE','Customer proposal deleted','Executed when a customer proposal is deleted','propal',2,NULL),(227,'ORDER_DELETE','Customer order deleted','Executed when a customer order is deleted','commande',5,NULL),(228,'BILL_DELETE','Customer invoice deleted','Executed when a customer invoice is deleted','facture',9,NULL),(229,'PROPOSAL_SUPPLIER_DELETE','Price request deleted','Executed when a customer proposal delete','proposal_supplier',10,NULL),(230,'ORDER_SUPPLIER_DELETE','Supplier order deleted','Executed when a supplier order is deleted','order_supplier',14,NULL),(231,'BILL_SUPPLIER_DELETE','Supplier invoice deleted','Executed when a supplier invoice is deleted','invoice_supplier',17,NULL),(232,'CONTRACT_DELETE','Contract deleted','Executed when a contract is deleted','contrat',18,NULL),(233,'FICHINTER_DELETE','Intervention is deleted','Executed when a intervention is deleted','ficheinter',35,NULL),(234,'EXPENSE_REPORT_DELETE','Expense report deleted','Executed when an expense report is deleted','expensereport',204,NULL),(249,'TICKET_CREATE','Ticket created','Executed when a ticket is created','ticket',161,NULL),(250,'TICKET_MODIFY','Ticket modified','Executed when a ticket is modified','ticket',163,NULL),(251,'TICKET_ASSIGNED','Ticket assigned','Executed when a ticket is assigned to another user','ticket',164,NULL),(252,'TICKET_CLOSE','Ticket closed','Executed when a ticket is closed','ticket',165,NULL),(253,'TICKET_SENTBYMAIL','Ticket message sent by email','Executed when a message is sent from the ticket record','ticket',166,NULL),(254,'TICKET_DELETE','Ticket deleted','Executed when a ticket is deleted','ticket',167,NULL),(261,'USER_SENTBYMAIL','Email sent','Executed when an email is sent from user card','user',300,NULL),(262,'BOM_VALIDATE','BOM validated','Executed when a BOM is validated','bom',650,NULL),(263,'BOM_UNVALIDATE','BOM unvalidated','Executed when a BOM is unvalidated','bom',651,NULL),(264,'BOM_CLOSE','BOM disabled','Executed when a BOM is disabled','bom',652,NULL),(265,'BOM_REOPEN','BOM reopen','Executed when a BOM is re-open','bom',653,NULL),(266,'BOM_DELETE','BOM deleted','Executed when a BOM deleted','bom',654,NULL),(351,'MRP_MO_VALIDATE','MO validated','Executed when a MO is validated','bom',660,NULL),(352,'MRP_MO_PRODUCED','MO produced','Executed when a MO is produced','bom',661,NULL),(353,'MRP_MO_DELETE','MO deleted','Executed when a MO is deleted','bom',662,NULL),(354,'MRP_MO_CANCEL','MO canceled','Executed when a MO is canceled','bom',663,NULL),(365,'CONTACT_CREATE','Contact address created','Executed when a contact is created','contact',50,NULL),(366,'CONTACT_SENTBYMAIL','Mails sent from third party card','Executed when you send email from contact adress card','contact',51,NULL),(367,'CONTACT_DELETE','Contact address deleted','Executed when a contact is deleted','contact',52,NULL),(368,'RECRUITMENTJOBPOSITION_CREATE','Job created','Executed when a job is created','recruitment',7500,NULL),(369,'RECRUITMENTJOBPOSITION_MODIFY','Job modified','Executed when a job is modified','recruitment',7502,NULL),(370,'RECRUITMENTJOBPOSITION_SENTBYMAIL','Mails sent from job record','Executed when you send email from job record','recruitment',7504,NULL),(371,'RECRUITMENTJOBPOSITION_DELETE','Job deleted','Executed when a job is deleted','recruitment',7506,NULL),(372,'RECRUITMENTCANDIDATURE_CREATE','Candidature created','Executed when a candidature is created','recruitment',7510,NULL),(373,'RECRUITMENTCANDIDATURE_MODIFY','Candidature modified','Executed when a candidature is modified','recruitment',7512,NULL),(374,'RECRUITMENTCANDIDATURE_SENTBYMAIL','Mails sent from candidature record','Executed when you send email from candidature record','recruitment',7514,NULL),(375,'RECRUITMENTCANDIDATURE_DELETE','Candidature deleted','Executed when a candidature is deleted','recruitment',7516,NULL),(392,'COMPANY_MODIFY','Third party update','Executed when you update third party','societe',1,NULL),(393,'CONTACT_MODIFY','Contact address update','Executed when a contact is updated','contact',51,NULL),(394,'ORDER_SUPPLIER_CANCEL','Supplier order request canceled','Executed when a supplier order is canceled','order_supplier',13,NULL),(395,'MEMBER_EXCLUDE','Member excluded','Executed when a member is excluded','member',27,NULL),(396,'USER_CREATE','User created','Executed when a user is created','user',301,NULL),(397,'USER_MODIFY','User update','Executed when a user is updated','user',302,NULL),(398,'USER_DELETE','User update','Executed when a user is deleted','user',303,NULL),(399,'USER_NEW_PASSWORD','User update','Executed when a user is change password','user',304,NULL),(400,'USER_ENABLEDISABLE','User update','Executed when a user is enable or disable','user',305,NULL),(402,'HOLIDAY_MODIFY','Holiday modified','Executed when a holiday is modified','holiday',801,NULL),(405,'HOLIDAY_CANCEL','Holiday canceled','Executed when a holiday is canceled','holiday',802,NULL),(406,'HOLIDAY_DELETE','Holiday deleted','Executed when a holiday is deleted','holiday',804,NULL),(407,'PROPAL_MODIFY','Customer proposal modified','Executed when a customer proposal is modified','propal',2,NULL),(408,'ORDER_MODIFY','Customer order modified','Executed when a customer order is set modified','commande',5,NULL),(409,'BILL_MODIFY','Customer invoice modified','Executed when a customer invoice is modified','facture',7,NULL),(410,'PROPOSAL_SUPPLIER_MODIFY','Price request modified','Executed when a commercial proposal is modified','proposal_supplier',10,NULL),(411,'ORDER_SUPPLIER_MODIFY','Supplier order request modified','Executed when a supplier order is modified','order_supplier',13,NULL),(412,'BILL_SUPPLIER_MODIFY','Supplier invoice modified','Executed when a supplier invoice is modified','invoice_supplier',15,NULL),(413,'CONTRACT_MODIFY','Contract modified','Executed when a contract is modified','contrat',18,NULL),(414,'SHIPPING_MODIFY','Shipping modified','Executed when a shipping is modified','shipping',20,NULL),(415,'FICHINTER_MODIFY','Intervention modify','Executed when a intervention is modify','ficheinter',30,NULL),(417,'EXPENSE_REPORT_MODIFY','Expense report modified','Executed when an expense report is modified','expensereport',202,NULL),(455,'PROJECT_SENTBYMAIL','Project sent by mail','Executed when a project is sent by email','project',144,NULL),(511,'SHIPPING_DELETE','Shipping sent is deleted','Executed when a shipping is deleted','shipping',21,NULL),(512,'RECEPTION_VALIDATE','Reception validated','Executed when a reception is validated','reception',22,NULL),(513,'RECEPTION_SENTBYMAIL','Reception sent by mail','Executed when a reception is sent by mail','reception',22,NULL),(543,'PROJECT_VALIDATE','Project validation','Executed when a project is validated','project',141,NULL),(584,'ACTION_CREATE','Action added','Executed when an action is added to the agenda','agenda',700,NULL),(591,'BILLREC_CREATE','Template invoices created','Executed when a Template invoices is created','facturerec',900,NULL),(592,'BILLREC_MODIFY','Template invoices update','Executed when a Template invoices is updated','facturerec',901,NULL),(593,'BILLREC_DELETE','Template invoices deleted','Executed when a Template invoices is deleted','facturerec',902,NULL),(594,'BILLREC_AUTOCREATEBILL','Template invoices use to create invoices with auto batch','Executed when a Template invoices is use to create invoice with auto batch','facturerec',903,NULL),(875,'PARTNERSHIP_CREATE','Partnership created','Executed when a partnership is created','partnership',58000,NULL),(876,'PARTNERSHIP_MODIFY','Partnership modified','Executed when a partnership is modified','partnership',58002,NULL),(877,'PARTNERSHIP_SENTBYMAIL','Mails sent from partnership file','Executed when you send email from partnership file','partnership',58004,NULL),(878,'PARTNERSHIP_DELETE','Partnership deleted','Executed when a partnership is deleted','partnership',58006,NULL),(879,'PROJECT_CLOSE','Project closed','Executed when a project is closed','project',145,NULL); +INSERT INTO `llx_c_action_trigger` VALUES (131,'COMPANY_SENTBYMAIL','Mails sent from third party card','Executed when you send email from third party card','societe',1,NULL),(132,'COMPANY_CREATE','Third party created','Executed when a third party is created','societe',1,NULL),(133,'PROPAL_VALIDATE','Customer proposal validated','Executed when a commercial proposal is validated','propal',2,NULL),(134,'PROPAL_SENTBYMAIL','Commercial proposal sent by mail','Executed when a commercial proposal is sent by mail','propal',3,NULL),(135,'ORDER_VALIDATE','Customer order validate','Executed when a customer order is validated','commande',4,NULL),(136,'ORDER_CLOSE','Customer order classify delivered','Executed when a customer order is set delivered','commande',5,NULL),(137,'ORDER_CLASSIFY_BILLED','Customer order classify billed','Executed when a customer order is set to billed','commande',5,NULL),(138,'ORDER_CANCEL','Customer order canceled','Executed when a customer order is canceled','commande',5,NULL),(139,'ORDER_SENTBYMAIL','Customer order sent by mail','Executed when a customer order is sent by mail ','commande',5,NULL),(140,'BILL_VALIDATE','Customer invoice validated','Executed when a customer invoice is approved','facture',6,NULL),(141,'BILL_PAYED','Customer invoice payed','Executed when a customer invoice is payed','facture',7,NULL),(142,'BILL_CANCEL','Customer invoice canceled','Executed when a customer invoice is conceled','facture',8,NULL),(143,'BILL_SENTBYMAIL','Customer invoice sent by mail','Executed when a customer invoice is sent by mail','facture',9,NULL),(144,'BILL_UNVALIDATE','Customer invoice unvalidated','Executed when a customer invoice status set back to draft','facture',9,NULL),(145,'ORDER_SUPPLIER_VALIDATE','Supplier order validated','Executed when a supplier order is validated','order_supplier',11,NULL),(146,'ORDER_SUPPLIER_APPROVE','Supplier order request approved','Executed when a supplier order is approved','order_supplier',12,NULL),(147,'ORDER_SUPPLIER_REFUSE','Supplier order request refused','Executed when a supplier order is refused','order_supplier',13,NULL),(148,'ORDER_SUPPLIER_SENTBYMAIL','Supplier order sent by mail','Executed when a supplier order is sent by mail','order_supplier',14,NULL),(149,'BILL_SUPPLIER_VALIDATE','Supplier invoice validated','Executed when a supplier invoice is validated','invoice_supplier',15,NULL),(150,'BILL_SUPPLIER_PAYED','Supplier invoice payed','Executed when a supplier invoice is payed','invoice_supplier',16,NULL),(151,'BILL_SUPPLIER_SENTBYMAIL','Supplier invoice sent by mail','Executed when a supplier invoice is sent by mail','invoice_supplier',17,NULL),(152,'BILL_SUPPLIER_CANCELED','Supplier invoice cancelled','Executed when a supplier invoice is cancelled','invoice_supplier',17,NULL),(153,'CONTRACT_VALIDATE','Contract validated','Executed when a contract is validated','contrat',18,NULL),(154,'SHIPPING_VALIDATE','Shipping validated','Executed when a shipping is validated','shipping',20,NULL),(155,'SHIPPING_SENTBYMAIL','Shipping sent by mail','Executed when a shipping is sent by mail','shipping',21,NULL),(156,'MEMBER_VALIDATE','Member validated','Executed when a member is validated','member',22,NULL),(158,'MEMBER_RESILIATE','Member resiliated','Executed when a member is resiliated','member',24,NULL),(159,'MEMBER_MODIFY','Member modified','Executed when a member is modified','member',24,NULL),(160,'MEMBER_DELETE','Member deleted','Executed when a member is deleted','member',25,NULL),(161,'FICHINTER_VALIDATE','Intervention validated','Executed when a intervention is validated','ficheinter',19,NULL),(162,'FICHINTER_CLASSIFY_BILLED','Intervention set billed','Executed when a intervention is set to billed (when option FICHINTER_CLASSIFY_BILLED is set)','ficheinter',19,NULL),(163,'FICHINTER_CLASSIFY_UNBILLED','Intervention set unbilled','Executed when a intervention is set to unbilled (when option FICHINTER_CLASSIFY_BILLED is set)','ficheinter',19,NULL),(164,'FICHINTER_REOPEN','Intervention opened','Executed when a intervention is re-opened','ficheinter',19,NULL),(165,'FICHINTER_SENTBYMAIL','Intervention sent by mail','Executed when a intervention is sent by mail','ficheinter',19,NULL),(166,'PROJECT_CREATE','Project creation','Executed when a project is created','project',140,NULL),(167,'PROPAL_CLOSE_SIGNED','Customer proposal closed signed','Executed when a customer proposal is closed signed','propal',2,NULL),(168,'PROPAL_CLOSE_REFUSED','Customer proposal closed refused','Executed when a customer proposal is closed refused','propal',2,NULL),(169,'PROPAL_CLASSIFY_BILLED','Customer proposal set billed','Executed when a customer proposal is set to billed','propal',2,NULL),(170,'TASK_CREATE','Task created','Executed when a project task is created','project',35,NULL),(171,'TASK_MODIFY','Task modified','Executed when a project task is modified','project',36,NULL),(172,'TASK_DELETE','Task deleted','Executed when a project task is deleted','project',37,NULL),(173,'BILL_SUPPLIER_UNVALIDATE','Supplier invoice unvalidated','Executed when a supplier invoice status is set back to draft','invoice_supplier',15,NULL),(174,'PROJECT_MODIFY','Project modified','Executed when a project is modified','project',141,NULL),(175,'PROJECT_DELETE','Project deleted','Executed when a project is deleted','project',142,NULL),(176,'ORDER_SUPPLIER_CREATE','Supplier order validated','Executed when a supplier order is validated','order_supplier',11,NULL),(177,'ORDER_SUPPLIER_SUBMIT','Supplier order request submited','Executed when a supplier order is approved','order_supplier',12,NULL),(178,'ORDER_SUPPLIER_RECEIVE','Supplier order request received','Executed when a supplier order is received','order_supplier',12,NULL),(179,'ORDER_SUPPLIER_CLASSIFY_BILLED','Supplier order set billed','Executed when a supplier order is set as billed','order_supplier',14,NULL),(180,'PRODUCT_CREATE','Product or service created','Executed when a product or sevice is created','product',30,NULL),(181,'PRODUCT_MODIFY','Product or service modified','Executed when a product or sevice is modified','product',30,NULL),(182,'PRODUCT_DELETE','Product or service deleted','Executed when a product or sevice is deleted','product',30,NULL),(183,'EXPENSE_REPORT_CREATE','Expense report created','Executed when an expense report is created','expensereport',201,NULL),(185,'EXPENSE_REPORT_VALIDATE','Expense report validated','Executed when an expense report is validated','expensereport',202,NULL),(186,'EXPENSE_REPORT_APPROVE','Expense report approved','Executed when an expense report is approved','expensereport',203,NULL),(187,'EXPENSE_REPORT_PAID','Expense report billed','Executed when an expense report is set as billed','expensereport',204,NULL),(192,'HOLIDAY_CREATE','Leave request created','Executed when a leave request is created','holiday',221,NULL),(193,'HOLIDAY_VALIDATE','Leave request validated','Executed when a leave request is validated','holiday',222,NULL),(194,'HOLIDAY_APPROVE','Leave request approved','Executed when a leave request is approved','holiday',223,NULL),(210,'MEMBER_SENTBYMAIL','Mails sent from member card','Executed when you send email from member card','member',23,NULL),(211,'CONTRACT_SENTBYMAIL','Contract sent by mail','Executed when a contract is sent by mail','contrat',18,NULL),(212,'PROPOSAL_SUPPLIER_VALIDATE','Price request validated','Executed when a commercial proposal is validated','proposal_supplier',10,NULL),(213,'PROPOSAL_SUPPLIER_SENTBYMAIL','Price request sent by mail','Executed when a commercial proposal is sent by mail','proposal_supplier',10,NULL),(214,'PROPOSAL_SUPPLIER_CLOSE_SIGNED','Price request closed signed','Executed when a customer proposal is closed signed','proposal_supplier',10,NULL),(215,'PROPOSAL_SUPPLIER_CLOSE_REFUSED','Price request closed refused','Executed when a customer proposal is closed refused','proposal_supplier',10,NULL),(216,'MEMBER_SUBSCRIPTION_CREATE','Member subscribtion recorded','Executed when a member subscribtion is deleted','member',24,NULL),(217,'MEMBER_SUBSCRIPTION_MODIFY','Member subscribtion modified','Executed when a member subscribtion is modified','member',24,NULL),(218,'MEMBER_SUBSCRIPTION_DELETE','Member subscribtion deleted','Executed when a member subscribtion is deleted','member',24,NULL),(225,'COMPANY_DELETE','Third party deleted','Executed when you delete third party','societe',1,NULL),(226,'PROPAL_DELETE','Customer proposal deleted','Executed when a customer proposal is deleted','propal',2,NULL),(227,'ORDER_DELETE','Customer order deleted','Executed when a customer order is deleted','commande',5,NULL),(228,'BILL_DELETE','Customer invoice deleted','Executed when a customer invoice is deleted','facture',9,NULL),(229,'PROPOSAL_SUPPLIER_DELETE','Price request deleted','Executed when a customer proposal delete','proposal_supplier',10,NULL),(230,'ORDER_SUPPLIER_DELETE','Supplier order deleted','Executed when a supplier order is deleted','order_supplier',14,NULL),(231,'BILL_SUPPLIER_DELETE','Supplier invoice deleted','Executed when a supplier invoice is deleted','invoice_supplier',17,NULL),(232,'CONTRACT_DELETE','Contract deleted','Executed when a contract is deleted','contrat',18,NULL),(233,'FICHINTER_DELETE','Intervention is deleted','Executed when a intervention is deleted','ficheinter',35,NULL),(234,'EXPENSE_REPORT_DELETE','Expense report deleted','Executed when an expense report is deleted','expensereport',204,NULL),(249,'TICKET_CREATE','Ticket created','Executed when a ticket is created','ticket',161,NULL),(250,'TICKET_MODIFY','Ticket modified','Executed when a ticket is modified','ticket',163,NULL),(251,'TICKET_ASSIGNED','Ticket assigned','Executed when a ticket is assigned to another user','ticket',164,NULL),(252,'TICKET_CLOSE','Ticket closed','Executed when a ticket is closed','ticket',165,NULL),(253,'TICKET_SENTBYMAIL','Ticket message sent by email','Executed when a message is sent from the ticket record','ticket',166,NULL),(254,'TICKET_DELETE','Ticket deleted','Executed when a ticket is deleted','ticket',167,NULL),(261,'USER_SENTBYMAIL','Email sent','Executed when an email is sent from user card','user',300,NULL),(262,'BOM_VALIDATE','BOM validated','Executed when a BOM is validated','bom',650,NULL),(263,'BOM_UNVALIDATE','BOM unvalidated','Executed when a BOM is unvalidated','bom',651,NULL),(264,'BOM_CLOSE','BOM disabled','Executed when a BOM is disabled','bom',652,NULL),(265,'BOM_REOPEN','BOM reopen','Executed when a BOM is re-open','bom',653,NULL),(266,'BOM_DELETE','BOM deleted','Executed when a BOM deleted','bom',654,NULL),(351,'MRP_MO_VALIDATE','MO validated','Executed when a MO is validated','bom',660,NULL),(352,'MRP_MO_PRODUCED','MO produced','Executed when a MO is produced','bom',661,NULL),(353,'MRP_MO_DELETE','MO deleted','Executed when a MO is deleted','bom',662,NULL),(354,'MRP_MO_CANCEL','MO canceled','Executed when a MO is canceled','bom',663,NULL),(365,'CONTACT_CREATE','Contact address created','Executed when a contact is created','contact',50,NULL),(366,'CONTACT_SENTBYMAIL','Mails sent from third party card','Executed when you send email from contact adress card','contact',51,NULL),(367,'CONTACT_DELETE','Contact address deleted','Executed when a contact is deleted','contact',52,NULL),(368,'RECRUITMENTJOBPOSITION_CREATE','Job created','Executed when a job is created','recruitment',7500,NULL),(369,'RECRUITMENTJOBPOSITION_MODIFY','Job modified','Executed when a job is modified','recruitment',7502,NULL),(370,'RECRUITMENTJOBPOSITION_SENTBYMAIL','Mails sent from job record','Executed when you send email from job record','recruitment',7504,NULL),(371,'RECRUITMENTJOBPOSITION_DELETE','Job deleted','Executed when a job is deleted','recruitment',7506,NULL),(372,'RECRUITMENTCANDIDATURE_CREATE','Candidature created','Executed when a candidature is created','recruitment',7510,NULL),(373,'RECRUITMENTCANDIDATURE_MODIFY','Candidature modified','Executed when a candidature is modified','recruitment',7512,NULL),(374,'RECRUITMENTCANDIDATURE_SENTBYMAIL','Mails sent from candidature record','Executed when you send email from candidature record','recruitment',7514,NULL),(375,'RECRUITMENTCANDIDATURE_DELETE','Candidature deleted','Executed when a candidature is deleted','recruitment',7516,NULL),(392,'COMPANY_MODIFY','Third party update','Executed when you update third party','societe',1,NULL),(393,'CONTACT_MODIFY','Contact address update','Executed when a contact is updated','contact',51,NULL),(394,'ORDER_SUPPLIER_CANCEL','Supplier order request canceled','Executed when a supplier order is canceled','order_supplier',13,NULL),(395,'MEMBER_EXCLUDE','Member excluded','Executed when a member is excluded','member',27,NULL),(396,'USER_CREATE','User created','Executed when a user is created','user',301,NULL),(397,'USER_MODIFY','User update','Executed when a user is updated','user',302,NULL),(398,'USER_DELETE','User update','Executed when a user is deleted','user',303,NULL),(399,'USER_NEW_PASSWORD','User update','Executed when a user is change password','user',304,NULL),(400,'USER_ENABLEDISABLE','User update','Executed when a user is enable or disable','user',305,NULL),(402,'HOLIDAY_MODIFY','Holiday modified','Executed when a holiday is modified','holiday',801,NULL),(405,'HOLIDAY_CANCEL','Holiday canceled','Executed when a holiday is canceled','holiday',802,NULL),(406,'HOLIDAY_DELETE','Holiday deleted','Executed when a holiday is deleted','holiday',804,NULL),(407,'PROPAL_MODIFY','Customer proposal modified','Executed when a customer proposal is modified','propal',2,NULL),(408,'ORDER_MODIFY','Customer order modified','Executed when a customer order is set modified','commande',5,NULL),(409,'BILL_MODIFY','Customer invoice modified','Executed when a customer invoice is modified','facture',7,NULL),(410,'PROPOSAL_SUPPLIER_MODIFY','Price request modified','Executed when a commercial proposal is modified','proposal_supplier',10,NULL),(411,'ORDER_SUPPLIER_MODIFY','Supplier order request modified','Executed when a supplier order is modified','order_supplier',13,NULL),(412,'BILL_SUPPLIER_MODIFY','Supplier invoice modified','Executed when a supplier invoice is modified','invoice_supplier',15,NULL),(413,'CONTRACT_MODIFY','Contract modified','Executed when a contract is modified','contrat',18,NULL),(414,'SHIPPING_MODIFY','Shipping modified','Executed when a shipping is modified','shipping',20,NULL),(415,'FICHINTER_MODIFY','Intervention modify','Executed when a intervention is modify','ficheinter',30,NULL),(417,'EXPENSE_REPORT_MODIFY','Expense report modified','Executed when an expense report is modified','expensereport',202,NULL),(455,'PROJECT_SENTBYMAIL','Project sent by mail','Executed when a project is sent by email','project',144,NULL),(511,'SHIPPING_DELETE','Shipping sent is deleted','Executed when a shipping is deleted','shipping',21,NULL),(512,'RECEPTION_VALIDATE','Reception validated','Executed when a reception is validated','reception',22,NULL),(513,'RECEPTION_SENTBYMAIL','Reception sent by mail','Executed when a reception is sent by mail','reception',22,NULL),(543,'PROJECT_VALIDATE','Project validation','Executed when a project is validated','project',141,NULL),(584,'ACTION_CREATE','Action added','Executed when an action is added to the agenda','agenda',700,NULL),(591,'BILLREC_CREATE','Template invoices created','Executed when a Template invoices is created','facturerec',900,NULL),(592,'BILLREC_MODIFY','Template invoices update','Executed when a Template invoices is updated','facturerec',901,NULL),(593,'BILLREC_DELETE','Template invoices deleted','Executed when a Template invoices is deleted','facturerec',902,NULL),(594,'BILLREC_AUTOCREATEBILL','Template invoices use to create invoices with auto batch','Executed when a Template invoices is use to create invoice with auto batch','facturerec',903,NULL),(875,'PARTNERSHIP_CREATE','Partnership created','Executed when a partnership is created','partnership',58000,NULL),(876,'PARTNERSHIP_MODIFY','Partnership modified','Executed when a partnership is modified','partnership',58002,NULL),(877,'PARTNERSHIP_SENTBYMAIL','Mails sent from partnership file','Executed when you send email from partnership file','partnership',58004,NULL),(878,'PARTNERSHIP_DELETE','Partnership deleted','Executed when a partnership is deleted','partnership',58006,NULL),(879,'PROJECT_CLOSE','Project closed','Executed when a project is closed','project',145,NULL),(881,'COMPANY_RIB_CREATE','Third party payment information created','Executed when a third party payment information is created','societe',1,NULL),(882,'COMPANY_RIB_MODIFY','Third party payment information updated','Executed when a third party payment information is updated','societe',1,NULL),(883,'COMPANY_RIB_DELETE','Third party payment information deleted','Executed when a third party payment information is deleted','societe',1,NULL),(884,'FICHINTER_CLOSE','Intervention is done','Executed when a intervention is done','ficheinter',36,NULL); /*!40000 ALTER TABLE `llx_c_action_trigger` ENABLE KEYS */; UNLOCK TABLES; @@ -1496,7 +1499,7 @@ CREATE TABLE `llx_c_barcode_type` ( `example` varchar(16) NOT NULL, PRIMARY KEY (`rowid`), UNIQUE KEY `uk_c_barcode_type` (`code`,`entity`) -) ENGINE=InnoDB AUTO_INCREMENT=135 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; +) ENGINE=InnoDB AUTO_INCREMENT=151 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; -- @@ -1943,7 +1946,7 @@ CREATE TABLE `llx_c_forme_juridique` ( `position` int(11) NOT NULL DEFAULT 0, PRIMARY KEY (`rowid`), UNIQUE KEY `uk_c_forme_juridique` (`code`) -) ENGINE=InnoDB AUTO_INCREMENT=100318 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; +) ENGINE=InnoDB AUTO_INCREMENT=100320 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; -- @@ -1952,7 +1955,7 @@ CREATE TABLE `llx_c_forme_juridique` ( LOCK TABLES `llx_c_forme_juridique` WRITE; /*!40000 ALTER TABLE `llx_c_forme_juridique` DISABLE KEYS */; -INSERT INTO `llx_c_forme_juridique` VALUES (100001,100001,1,'Etudiant',0,0,'cabinetmed',0),(100002,100002,1,'Retraité',0,0,'cabinetmed',0),(100003,100003,1,'Artisan',0,0,'cabinetmed',0),(100004,100004,1,'Femme de ménage',0,0,'cabinetmed',0),(100005,100005,1,'Professeur',0,0,'cabinetmed',0),(100006,100006,1,'Profession libérale',0,0,'cabinetmed',0),(100007,100007,1,'Informaticien',0,0,'cabinetmed',0),(100009,0,0,'-',0,1,NULL,0),(100010,2301,23,'Monotributista',0,1,NULL,0),(100011,2302,23,'Sociedad Civil',0,1,NULL,0),(100012,2303,23,'Sociedades Comerciales',0,1,NULL,0),(100013,2304,23,'Sociedades de Hecho',0,1,NULL,0),(100014,2305,23,'Sociedades Irregulares',0,1,NULL,0),(100015,2306,23,'Sociedad Colectiva',0,1,NULL,0),(100016,2307,23,'Sociedad en Comandita Simple',0,1,NULL,0),(100017,2308,23,'Sociedad de Capital e Industria',0,1,NULL,0),(100018,2309,23,'Sociedad Accidental o en participación',0,1,NULL,0),(100019,2310,23,'Sociedad de Responsabilidad Limitada',0,1,NULL,0),(100020,2311,23,'Sociedad Anónima',0,1,NULL,0),(100021,2312,23,'Sociedad Anónima con Participación Estatal Mayoritaria',0,1,NULL,0),(100022,2313,23,'Sociedad en Comandita por Acciones (arts. 315 a 324, LSC)',0,1,NULL,0),(100023,11,1,'Artisan Commerçant (EI)',0,1,NULL,0),(100024,12,1,'Commerçant (EI)',0,1,NULL,0),(100025,13,1,'Artisan (EI)',0,1,NULL,0),(100026,14,1,'Officier public ou ministériel',0,1,NULL,0),(100027,15,1,'Profession libérale (EI)',0,1,NULL,0),(100028,16,1,'Exploitant agricole',0,1,NULL,0),(100029,17,1,'Agent commercial',0,1,NULL,0),(100030,18,1,'Associé Gérant de société',0,1,NULL,0),(100031,19,1,'Personne physique',0,1,NULL,0),(100032,21,1,'Indivision',0,1,NULL,0),(100033,22,1,'Société créée de fait',0,1,NULL,0),(100034,23,1,'Société en participation',0,1,NULL,0),(100035,27,1,'Paroisse hors zone concordataire',0,1,NULL,0),(100036,29,1,'Groupement de droit privé non doté de la personnalité morale',0,1,NULL,0),(100037,31,1,'Personne morale de droit étranger, immatriculée au RCS',0,1,NULL,0),(100038,32,1,'Personne morale de droit étranger, non immatriculée au RCS',0,1,NULL,0),(100039,35,1,'Régime auto-entrepreneur',0,1,NULL,0),(100040,41,1,'Etablissement public ou régie à caractère industriel ou commercial',0,1,NULL,0),(100041,51,1,'Société coopérative commerciale particulière',0,1,NULL,0),(100042,52,1,'Société en nom collectif',0,1,NULL,0),(100043,53,1,'Société en commandite',0,1,NULL,0),(100044,54,1,'Société à responsabilité limitée (SARL)',0,1,NULL,0),(100045,55,1,'Société anonyme à conseil d administration',0,1,NULL,0),(100046,56,1,'Société anonyme à directoire',0,1,NULL,0),(100047,57,1,'Société par actions simplifiée (SAS)',0,1,NULL,0),(100048,58,1,'Entreprise Unipersonnelle à Responsabilité Limitée (EURL)',0,1,NULL,0),(100049,59,1,'Société par actions simplifiée unipersonnelle (SASU)',0,1,NULL,0),(100050,60,1,'Entreprise Individuelle à Responsabilité Limitée (EIRL)',0,1,NULL,0),(100051,61,1,'Caisse d\'épargne et de prévoyance',0,1,NULL,0),(100052,62,1,'Groupement d\'intérêt économique (GIE)',0,1,NULL,0),(100053,63,1,'Société coopérative agricole',0,1,NULL,0),(100054,64,1,'Société non commerciale d assurances',0,1,NULL,0),(100055,65,1,'Société civile',0,1,NULL,0),(100056,69,1,'Personnes de droit privé inscrites au RCS',0,1,NULL,0),(100057,71,1,'Administration de l état',0,1,NULL,0),(100058,72,1,'Collectivité territoriale',0,1,NULL,0),(100059,73,1,'Etablissement public administratif',0,1,NULL,0),(100060,74,1,'Personne morale de droit public administratif',0,1,NULL,0),(100061,81,1,'Organisme gérant régime de protection social à adhésion obligatoire',0,1,NULL,0),(100062,82,1,'Organisme mutualiste',0,1,NULL,0),(100063,83,1,'Comité d entreprise',0,1,NULL,0),(100064,84,1,'Organisme professionnel',0,1,NULL,0),(100065,85,1,'Organisme de retraite à adhésion non obligatoire',0,1,NULL,0),(100066,91,1,'Syndicat de propriétaires',0,1,NULL,0),(100067,92,1,'Association loi 1901 ou assimilé',0,1,NULL,0),(100068,93,1,'Fondation',0,1,NULL,0),(100069,99,1,'Personne morale de droit privé',0,1,NULL,0),(100070,200,2,'Indépendant',0,1,NULL,0),(100071,201,2,'SRL - Société à responsabilité limitée',0,1,NULL,0),(100072,202,2,'SA - Société Anonyme',0,1,NULL,0),(100073,203,2,'SCRL - Société coopérative à responsabilité limitée',0,1,NULL,0),(100074,204,2,'ASBL - Association sans but Lucratif',0,1,NULL,0),(100075,205,2,'SCRI - Société coopérative à responsabilité illimitée',0,1,NULL,0),(100076,206,2,'SCS - Société en commandite simple',0,1,NULL,0),(100077,207,2,'SCA - Société en commandite par action',0,1,NULL,0),(100078,208,2,'SNC - Société en nom collectif',0,1,NULL,0),(100079,209,2,'GIE - Groupement d intérêt économique',0,1,NULL,0),(100080,210,2,'GEIE - Groupement européen d intérêt économique',0,1,NULL,0),(100081,220,2,'Eenmanszaak',0,1,NULL,0),(100082,221,2,'BVBA - Besloten vennootschap met beperkte aansprakelijkheid',0,1,NULL,0),(100083,222,2,'NV - Naamloze Vennootschap',0,1,NULL,0),(100084,223,2,'CVBA - Coöperatieve vennootschap met beperkte aansprakelijkheid',0,1,NULL,0),(100085,224,2,'VZW - Vereniging zonder winstoogmerk',0,1,NULL,0),(100086,225,2,'CVOA - Coöperatieve vennootschap met onbeperkte aansprakelijkheid ',0,1,NULL,0),(100087,226,2,'GCV - Gewone commanditaire vennootschap',0,1,NULL,0),(100088,227,2,'Comm.VA - Commanditaire vennootschap op aandelen',0,1,NULL,0),(100089,228,2,'VOF - Vennootschap onder firma',0,1,NULL,0),(100090,229,2,'VS0 - Vennootschap met sociaal oogmerk',0,1,NULL,0),(100091,500,5,'GmbH - Gesellschaft mit beschränkter Haftung',0,1,NULL,0),(100092,501,5,'AG - Aktiengesellschaft ',0,1,NULL,0),(100093,502,5,'GmbH&Co. KG - Gesellschaft mit beschränkter Haftung & Compagnie Kommanditgesellschaft',0,1,NULL,0),(100094,503,5,'Gewerbe - Personengesellschaft',0,1,NULL,0),(100095,504,5,'UG - Unternehmergesellschaft -haftungsbeschränkt-',0,1,NULL,0),(100096,505,5,'GbR - Gesellschaft des bürgerlichen Rechts',0,1,NULL,0),(100097,506,5,'KG - Kommanditgesellschaft',0,1,NULL,0),(100098,507,5,'Ltd. - Limited Company',0,1,NULL,0),(100099,508,5,'OHG - Offene Handelsgesellschaft',0,1,NULL,0),(100100,10201,102,'Ατομική επιχείρηση',0,1,NULL,0),(100101,10202,102,'Εταιρική επιχείρηση',0,1,NULL,0),(100102,10203,102,'Ομόρρυθμη Εταιρεία Ο.Ε',0,1,NULL,0),(100103,10204,102,'Ετερόρρυθμη Εταιρεία Ε.Ε',0,1,NULL,0),(100104,10205,102,'Εταιρεία Περιορισμένης Ευθύνης Ε.Π.Ε',0,1,NULL,0),(100105,10206,102,'Ανώνυμη Εταιρεία Α.Ε',0,1,NULL,0),(100106,10207,102,'Ανώνυμη ναυτιλιακή εταιρεία Α.Ν.Ε',0,1,NULL,0),(100107,10208,102,'Συνεταιρισμός',0,1,NULL,0),(100108,10209,102,'Συμπλοιοκτησία',0,1,NULL,0),(100109,301,3,'Società semplice',0,1,NULL,0),(100110,302,3,'Società in nome collettivo s.n.c.',0,1,NULL,0),(100111,303,3,'Società in accomandita semplice s.a.s.',0,1,NULL,0),(100112,304,3,'Società per azioni s.p.a.',0,1,NULL,0),(100113,305,3,'Società a responsabilità limitata s.r.l.',0,1,NULL,0),(100114,306,3,'Società in accomandita per azioni s.a.p.a.',0,1,NULL,0),(100115,307,3,'Società cooperativa a r.l.',0,1,NULL,0),(100116,308,3,'Società consortile',0,1,NULL,0),(100117,309,3,'Società europea',0,1,NULL,0),(100118,310,3,'Società cooperativa europea',0,1,NULL,0),(100119,311,3,'Società unipersonale',0,1,NULL,0),(100120,312,3,'Società di professionisti',0,1,NULL,0),(100121,313,3,'Società di fatto',0,1,NULL,0),(100122,315,3,'Società apparente',0,1,NULL,0),(100123,316,3,'Impresa individuale ',0,1,NULL,0),(100124,317,3,'Impresa coniugale',0,1,NULL,0),(100125,318,3,'Impresa familiare',0,1,NULL,0),(100126,319,3,'Consorzio cooperativo',0,1,NULL,0),(100127,320,3,'Società cooperativa sociale',0,1,NULL,0),(100128,321,3,'Società cooperativa di consumo',0,1,NULL,0),(100129,322,3,'Società cooperativa agricola',0,1,NULL,0),(100130,323,3,'A.T.I. Associazione temporanea di imprese',0,1,NULL,0),(100131,324,3,'R.T.I. Raggruppamento temporaneo di imprese',0,1,NULL,0),(100132,325,3,'Studio associato',0,1,NULL,0),(100133,600,6,'Raison Individuelle',0,1,NULL,0),(100134,601,6,'Société Simple',0,1,NULL,0),(100135,602,6,'Société en nom collectif',0,1,NULL,0),(100136,603,6,'Société en commandite',0,1,NULL,0),(100137,604,6,'Société anonyme (SA)',0,1,NULL,0),(100138,605,6,'Société en commandite par actions',0,1,NULL,0),(100139,606,6,'Société à responsabilité limitée (SARL)',0,1,NULL,0),(100140,607,6,'Société coopérative',0,1,NULL,0),(100141,608,6,'Association',0,1,NULL,0),(100142,609,6,'Fondation',0,1,NULL,0),(100143,700,7,'Sole Trader',0,1,NULL,0),(100144,701,7,'Partnership',0,1,NULL,0),(100145,702,7,'Private Limited Company by shares (LTD)',0,1,NULL,0),(100146,703,7,'Public Limited Company',0,1,NULL,0),(100147,704,7,'Workers Cooperative',0,1,NULL,0),(100148,705,7,'Limited Liability Partnership',0,1,NULL,0),(100149,706,7,'Franchise',0,1,NULL,0),(100150,1000,10,'Société à responsabilité limitée (SARL)',0,1,NULL,0),(100151,1001,10,'Société en Nom Collectif (SNC)',0,1,NULL,0),(100152,1002,10,'Société en Commandite Simple (SCS)',0,1,NULL,0),(100153,1003,10,'société en participation',0,1,NULL,0),(100154,1004,10,'Société Anonyme (SA)',0,1,NULL,0),(100155,1005,10,'Société Unipersonnelle à Responsabilité Limitée (SUARL)',0,1,NULL,0),(100156,1006,10,'Groupement d\'intérêt économique (GEI)',0,1,NULL,0),(100157,1007,10,'Groupe de sociétés',0,1,NULL,0),(100158,1701,17,'Eenmanszaak',0,1,NULL,0),(100159,1702,17,'Maatschap',0,1,NULL,0),(100160,1703,17,'Vennootschap onder firma',0,1,NULL,0),(100161,1704,17,'Commanditaire vennootschap',0,1,NULL,0),(100162,1705,17,'Besloten vennootschap (BV)',0,1,NULL,0),(100163,1706,17,'Naamloze Vennootschap (NV)',0,1,NULL,0),(100164,1707,17,'Vereniging',0,1,NULL,0),(100165,1708,17,'Stichting',0,1,NULL,0),(100166,1709,17,'Coöperatie met beperkte aansprakelijkheid (BA)',0,1,NULL,0),(100167,1710,17,'Coöperatie met uitgesloten aansprakelijkheid (UA)',0,1,NULL,0),(100168,1711,17,'Coöperatie met wettelijke aansprakelijkheid (WA)',0,1,NULL,0),(100169,1712,17,'Onderlinge waarborgmaatschappij',0,1,NULL,0),(100170,401,4,'Empresario Individual',0,1,NULL,0),(100171,402,4,'Comunidad de Bienes',0,1,NULL,0),(100172,403,4,'Sociedad Civil',0,1,NULL,0),(100173,404,4,'Sociedad Colectiva',0,1,NULL,0),(100174,405,4,'Sociedad Limitada',0,1,NULL,0),(100175,406,4,'Sociedad Anónima',0,1,NULL,0),(100176,407,4,'Sociedad Comanditaria por Acciones',0,1,NULL,0),(100177,408,4,'Sociedad Comanditaria Simple',0,1,NULL,0),(100178,409,4,'Sociedad Laboral',0,1,NULL,0),(100179,410,4,'Sociedad Cooperativa',0,1,NULL,0),(100180,411,4,'Sociedad de Garantía Recíproca',0,1,NULL,0),(100181,412,4,'Entidad de Capital-Riesgo',0,1,NULL,0),(100182,413,4,'Agrupación de Interés Económico',0,1,NULL,0),(100183,414,4,'Sociedad de Inversión Mobiliaria',0,1,NULL,0),(100184,415,4,'Agrupación sin Ánimo de Lucro',0,1,NULL,0),(100185,15201,152,'Mauritius Private Company Limited By Shares',0,1,NULL,0),(100186,15202,152,'Mauritius Company Limited By Guarantee',0,1,NULL,0),(100187,15203,152,'Mauritius Public Company Limited By Shares',0,1,NULL,0),(100188,15204,152,'Mauritius Foreign Company',0,1,NULL,0),(100189,15205,152,'Mauritius GBC1 (Offshore Company)',0,1,NULL,0),(100190,15206,152,'Mauritius GBC2 (International Company)',0,1,NULL,0),(100191,15207,152,'Mauritius General Partnership',0,1,NULL,0),(100192,15208,152,'Mauritius Limited Partnership',0,1,NULL,0),(100193,15209,152,'Mauritius Sole Proprietorship',0,1,NULL,0),(100194,15210,152,'Mauritius Trusts',0,1,NULL,0),(100195,15401,154,'Sociedad en nombre colectivo',0,1,NULL,0),(100196,15402,154,'Sociedad en comandita simple',0,1,NULL,0),(100197,15403,154,'Sociedad de responsabilidad limitada',0,1,NULL,0),(100198,15404,154,'Sociedad anónima',0,1,NULL,0),(100199,15405,154,'Sociedad en comandita por acciones',0,1,NULL,0),(100200,15406,154,'Sociedad cooperativa',0,1,NULL,0),(100201,4100,41,'GmbH - Gesellschaft mit beschränkter Haftung',0,1,NULL,0),(100202,4101,41,'GesmbH - Gesellschaft mit beschränkter Haftung',0,1,NULL,0),(100203,4102,41,'AG - Aktiengesellschaft',0,1,NULL,0),(100204,4103,41,'EWIV - Europäische wirtschaftliche Interessenvereinigung',0,1,NULL,0),(100205,4104,41,'KEG - Kommanditerwerbsgesellschaft',0,1,NULL,0),(100206,4105,41,'OEG - Offene Erwerbsgesellschaft',0,1,NULL,0),(100207,4106,41,'OHG - Offene Handelsgesellschaft',0,1,NULL,0),(100208,4107,41,'AG & Co KG - Kommanditgesellschaft',0,1,NULL,0),(100209,4108,41,'GmbH & Co KG - Kommanditgesellschaft',0,1,NULL,0),(100210,4109,41,'KG - Kommanditgesellschaft',0,1,NULL,0),(100211,4110,41,'OG - Offene Gesellschaft',0,1,NULL,0),(100212,4111,41,'GbR - Gesellschaft nach bürgerlichem Recht',0,1,NULL,0),(100213,4112,41,'GesbR - Gesellschaft nach bürgerlichem Recht',0,1,NULL,0),(100214,4113,41,'GesnbR - Gesellschaft nach bürgerlichem Recht',0,1,NULL,0),(100215,4114,41,'e.U. - eingetragener Einzelunternehmer',0,1,NULL,0),(100216,17801,178,'Empresa individual',0,1,NULL,0),(100217,17802,178,'Asociación General',0,1,NULL,0),(100218,17803,178,'Sociedad de Responsabilidad Limitada',0,1,NULL,0),(100219,17804,178,'Sociedad Civil',0,1,NULL,0),(100220,17805,178,'Sociedad Anónima',0,1,NULL,0),(100221,8001,80,'Aktieselvskab A/S',0,1,NULL,0),(100222,8002,80,'Anparts Selvskab ApS',0,1,NULL,0),(100223,8003,80,'Personlig ejet selvskab',0,1,NULL,0),(100224,8004,80,'Iværksætterselvskab IVS',0,1,NULL,0),(100225,8005,80,'Interessentskab I/S',0,1,NULL,0),(100226,8006,80,'Holdingselskab',0,1,NULL,0),(100227,8007,80,'Selskab Med Begrænset Hæftelse SMBA',0,1,NULL,0),(100228,8008,80,'Kommanditselskab K/S',0,1,NULL,0),(100229,8009,80,'SPE-selskab',0,1,NULL,0),(100230,2001,20,'Aktiebolag',0,1,NULL,0),(100231,2002,20,'Publikt aktiebolag (AB publ)',0,1,NULL,0),(100232,2003,20,'Ekonomisk förening (ek. för.)',0,1,NULL,0),(100233,2004,20,'Bostadsrättsförening (BRF)',0,1,NULL,0),(100234,2005,20,'Hyresrättsförening (HRF)',0,1,NULL,0),(100235,2006,20,'Kooperativ',0,1,NULL,0),(100236,2007,20,'Enskild firma (EF)',0,1,NULL,0),(100237,2008,20,'Handelsbolag (HB)',0,1,NULL,0),(100238,2009,20,'Kommanditbolag (KB)',0,1,NULL,0),(100239,2010,20,'Enkelt bolag',0,1,NULL,0),(100240,2011,20,'Ideell förening',0,1,NULL,0),(100241,2012,20,'Stiftelse',0,1,NULL,0),(100248,15407,154,'610 - Residentes en el Extranjero sin Establecimiento Permanente en México',0,1,NULL,0),(100249,15408,154,'611 - Ingresos por Dividendos (socios y accionistas)',0,1,NULL,0),(100250,15409,154,'612 - Personas Físicas con Actividades Empresariales y Profesionales',0,1,NULL,0),(100251,15410,154,'614 - Ingresos por intereses',0,1,NULL,0),(100252,15411,154,'615 - Régimen de los ingresos por obtención de premios',0,1,NULL,0),(100253,15412,154,'616 - Sin obligaciones fiscales',0,1,NULL,0),(100254,15413,154,'620 - Sociedades Cooperativas de Producción que optan por diferir sus ingresos',0,1,NULL,0),(100255,15414,154,'621 - Incorporación Fiscal',0,1,NULL,0),(100256,15415,154,'622 - Actividades Agrícolas, Ganaderas, Silvícolas y Pesqueras',0,1,NULL,0),(100257,15416,154,'623 - Opcional para Grupos de Sociedades',0,1,NULL,0),(100258,15417,154,'624 - Coordinados',0,1,NULL,0),(100259,15418,154,'625 - Régimen de las Actividades Empresariales con ingresos a través de Plataformas Tecnológicas',0,1,NULL,0),(100260,15419,154,'626 - Régimen Simplificado de Confianza',0,1,NULL,0); +INSERT INTO `llx_c_forme_juridique` VALUES (100001,100001,1,'Etudiant',0,0,'cabinetmed',0),(100002,100002,1,'Retraité',0,0,'cabinetmed',0),(100003,100003,1,'Artisan',0,0,'cabinetmed',0),(100004,100004,1,'Femme de ménage',0,0,'cabinetmed',0),(100005,100005,1,'Professeur',0,0,'cabinetmed',0),(100006,100006,1,'Profession libérale',0,0,'cabinetmed',0),(100007,100007,1,'Informaticien',0,0,'cabinetmed',0),(100009,0,0,'-',0,1,NULL,0),(100010,2301,23,'Monotributista',0,1,NULL,0),(100011,2302,23,'Sociedad Civil',0,1,NULL,0),(100012,2303,23,'Sociedades Comerciales',0,1,NULL,0),(100013,2304,23,'Sociedades de Hecho',0,1,NULL,0),(100014,2305,23,'Sociedades Irregulares',0,1,NULL,0),(100015,2306,23,'Sociedad Colectiva',0,1,NULL,0),(100016,2307,23,'Sociedad en Comandita Simple',0,1,NULL,0),(100017,2308,23,'Sociedad de Capital e Industria',0,1,NULL,0),(100018,2309,23,'Sociedad Accidental o en participación',0,1,NULL,0),(100019,2310,23,'Sociedad de Responsabilidad Limitada',0,1,NULL,0),(100020,2311,23,'Sociedad Anónima',0,1,NULL,0),(100021,2312,23,'Sociedad Anónima con Participación Estatal Mayoritaria',0,1,NULL,0),(100022,2313,23,'Sociedad en Comandita por Acciones (arts. 315 a 324, LSC)',0,1,NULL,0),(100023,11,1,'Artisan Commerçant (EI)',0,1,NULL,0),(100024,12,1,'Commerçant (EI)',0,1,NULL,0),(100025,13,1,'Artisan (EI)',0,1,NULL,0),(100026,14,1,'Officier public ou ministériel',0,1,NULL,0),(100027,15,1,'Profession libérale (EI)',0,1,NULL,0),(100028,16,1,'Exploitant agricole',0,1,NULL,0),(100029,17,1,'Agent commercial',0,1,NULL,0),(100030,18,1,'Associé Gérant de société',0,1,NULL,0),(100031,19,1,'Personne physique',0,1,NULL,0),(100032,21,1,'Indivision',0,1,NULL,0),(100033,22,1,'Société créée de fait',0,1,NULL,0),(100034,23,1,'Société en participation',0,1,NULL,0),(100035,27,1,'Paroisse hors zone concordataire',0,1,NULL,0),(100036,29,1,'Groupement de droit privé non doté de la personnalité morale',0,1,NULL,0),(100037,31,1,'Personne morale de droit étranger, immatriculée au RCS',0,1,NULL,0),(100038,32,1,'Personne morale de droit étranger, non immatriculée au RCS',0,1,NULL,0),(100039,35,1,'Régime auto-entrepreneur',0,1,NULL,0),(100040,41,1,'Etablissement public ou régie à caractère industriel ou commercial',0,1,NULL,0),(100041,51,1,'Société coopérative commerciale particulière',0,1,NULL,0),(100042,52,1,'Société en nom collectif',0,1,NULL,0),(100043,53,1,'Société en commandite',0,1,NULL,0),(100044,54,1,'Société à responsabilité limitée (SARL)',0,1,NULL,0),(100045,55,1,'Société anonyme à conseil d administration',0,1,NULL,0),(100046,56,1,'Société anonyme à directoire',0,1,NULL,0),(100047,57,1,'Société par actions simplifiée (SAS)',0,1,NULL,0),(100048,58,1,'Entreprise Unipersonnelle à Responsabilité Limitée (EURL)',0,1,NULL,0),(100049,59,1,'Société par actions simplifiée unipersonnelle (SASU)',0,1,NULL,0),(100050,60,1,'Entreprise Individuelle à Responsabilité Limitée (EIRL)',0,1,NULL,0),(100051,61,1,'Caisse d\'épargne et de prévoyance',0,1,NULL,0),(100052,62,1,'Groupement d\'intérêt économique (GIE)',0,1,NULL,0),(100053,63,1,'Société coopérative agricole',0,1,NULL,0),(100054,64,1,'Société non commerciale d assurances',0,1,NULL,0),(100055,65,1,'Société civile',0,1,NULL,0),(100056,69,1,'Personnes de droit privé inscrites au RCS',0,1,NULL,0),(100057,71,1,'Administration de l état',0,1,NULL,0),(100058,72,1,'Collectivité territoriale',0,1,NULL,0),(100059,73,1,'Etablissement public administratif',0,1,NULL,0),(100060,74,1,'Personne morale de droit public administratif',0,1,NULL,0),(100061,81,1,'Organisme gérant régime de protection social à adhésion obligatoire',0,1,NULL,0),(100062,82,1,'Organisme mutualiste',0,1,NULL,0),(100063,83,1,'Comité d entreprise',0,1,NULL,0),(100064,84,1,'Organisme professionnel',0,1,NULL,0),(100065,85,1,'Organisme de retraite à adhésion non obligatoire',0,1,NULL,0),(100066,91,1,'Syndicat de propriétaires',0,1,NULL,0),(100067,92,1,'Association loi 1901 ou assimilé',0,1,NULL,0),(100068,93,1,'Fondation',0,1,NULL,0),(100069,99,1,'Personne morale de droit privé',0,1,NULL,0),(100070,200,2,'Indépendant',0,1,NULL,0),(100071,201,2,'SRL - Société à responsabilité limitée',0,1,NULL,0),(100072,202,2,'SA - Société Anonyme',0,1,NULL,0),(100073,203,2,'SCRL - Société coopérative à responsabilité limitée',0,1,NULL,0),(100074,204,2,'ASBL - Association sans but Lucratif',0,1,NULL,0),(100075,205,2,'SCRI - Société coopérative à responsabilité illimitée',0,1,NULL,0),(100076,206,2,'SCS - Société en commandite simple',0,1,NULL,0),(100077,207,2,'SCA - Société en commandite par action',0,1,NULL,0),(100078,208,2,'SNC - Société en nom collectif',0,1,NULL,0),(100079,209,2,'GIE - Groupement d intérêt économique',0,1,NULL,0),(100080,210,2,'GEIE - Groupement européen d intérêt économique',0,1,NULL,0),(100081,220,2,'Eenmanszaak',0,1,NULL,0),(100082,221,2,'BVBA - Besloten vennootschap met beperkte aansprakelijkheid',0,1,NULL,0),(100083,222,2,'NV - Naamloze Vennootschap',0,1,NULL,0),(100084,223,2,'CVBA - Coöperatieve vennootschap met beperkte aansprakelijkheid',0,1,NULL,0),(100085,224,2,'VZW - Vereniging zonder winstoogmerk',0,1,NULL,0),(100086,225,2,'CVOA - Coöperatieve vennootschap met onbeperkte aansprakelijkheid ',0,1,NULL,0),(100087,226,2,'GCV - Gewone commanditaire vennootschap',0,1,NULL,0),(100088,227,2,'Comm.VA - Commanditaire vennootschap op aandelen',0,1,NULL,0),(100089,228,2,'VOF - Vennootschap onder firma',0,1,NULL,0),(100090,229,2,'VS0 - Vennootschap met sociaal oogmerk',0,1,NULL,0),(100091,500,5,'GmbH - Gesellschaft mit beschränkter Haftung',0,1,NULL,0),(100092,501,5,'AG - Aktiengesellschaft ',0,1,NULL,0),(100093,502,5,'GmbH&Co. KG - Gesellschaft mit beschränkter Haftung & Compagnie Kommanditgesellschaft',0,1,NULL,0),(100094,503,5,'Gewerbe - Personengesellschaft',0,1,NULL,0),(100095,504,5,'UG - Unternehmergesellschaft -haftungsbeschränkt-',0,1,NULL,0),(100096,505,5,'GbR - Gesellschaft des bürgerlichen Rechts',0,1,NULL,0),(100097,506,5,'KG - Kommanditgesellschaft',0,1,NULL,0),(100098,507,5,'Ltd. - Limited Company',0,1,NULL,0),(100099,508,5,'OHG - Offene Handelsgesellschaft',0,1,NULL,0),(100100,10201,102,'Ατομική επιχείρηση',0,1,NULL,0),(100101,10202,102,'Εταιρική επιχείρηση',0,1,NULL,0),(100102,10203,102,'Ομόρρυθμη Εταιρεία Ο.Ε',0,1,NULL,0),(100103,10204,102,'Ετερόρρυθμη Εταιρεία Ε.Ε',0,1,NULL,0),(100104,10205,102,'Εταιρεία Περιορισμένης Ευθύνης Ε.Π.Ε',0,1,NULL,0),(100105,10206,102,'Ανώνυμη Εταιρεία Α.Ε',0,1,NULL,0),(100106,10207,102,'Ανώνυμη ναυτιλιακή εταιρεία Α.Ν.Ε',0,1,NULL,0),(100107,10208,102,'Συνεταιρισμός',0,1,NULL,0),(100108,10209,102,'Συμπλοιοκτησία',0,1,NULL,0),(100109,301,3,'Società semplice',0,1,NULL,0),(100110,302,3,'Società in nome collettivo s.n.c.',0,1,NULL,0),(100111,303,3,'Società in accomandita semplice s.a.s.',0,1,NULL,0),(100112,304,3,'Società per azioni s.p.a.',0,1,NULL,0),(100113,305,3,'Società a responsabilità limitata s.r.l.',0,1,NULL,0),(100114,306,3,'Società in accomandita per azioni s.a.p.a.',0,1,NULL,0),(100115,307,3,'Società cooperativa a r.l.',0,1,NULL,0),(100116,308,3,'Società consortile',0,1,NULL,0),(100117,309,3,'Società europea',0,1,NULL,0),(100118,310,3,'Società cooperativa europea',0,1,NULL,0),(100119,311,3,'Società unipersonale',0,1,NULL,0),(100120,312,3,'Società di professionisti',0,1,NULL,0),(100121,313,3,'Società di fatto',0,1,NULL,0),(100122,315,3,'Società apparente',0,1,NULL,0),(100123,316,3,'Impresa individuale ',0,1,NULL,0),(100124,317,3,'Impresa coniugale',0,1,NULL,0),(100125,318,3,'Impresa familiare',0,1,NULL,0),(100126,319,3,'Consorzio cooperativo',0,1,NULL,0),(100127,320,3,'Società cooperativa sociale',0,1,NULL,0),(100128,321,3,'Società cooperativa di consumo',0,1,NULL,0),(100129,322,3,'Società cooperativa agricola',0,1,NULL,0),(100130,323,3,'A.T.I. Associazione temporanea di imprese',0,1,NULL,0),(100131,324,3,'R.T.I. Raggruppamento temporaneo di imprese',0,1,NULL,0),(100132,325,3,'Studio associato',0,1,NULL,0),(100133,600,6,'Raison Individuelle',0,1,NULL,0),(100134,601,6,'Société Simple',0,1,NULL,0),(100135,602,6,'Société en nom collectif',0,1,NULL,0),(100136,603,6,'Société en commandite',0,1,NULL,0),(100137,604,6,'Société anonyme (SA)',0,1,NULL,0),(100138,605,6,'Société en commandite par actions',0,1,NULL,0),(100139,606,6,'Société à responsabilité limitée (SARL)',0,1,NULL,0),(100140,607,6,'Société coopérative',0,1,NULL,0),(100141,608,6,'Association',0,1,NULL,0),(100142,609,6,'Fondation',0,1,NULL,0),(100143,700,7,'Sole Trader',0,1,NULL,0),(100144,701,7,'Partnership',0,1,NULL,0),(100145,702,7,'Private Limited Company by shares (LTD)',0,1,NULL,0),(100146,703,7,'Public Limited Company',0,1,NULL,0),(100147,704,7,'Workers Cooperative',0,1,NULL,0),(100148,705,7,'Limited Liability Partnership',0,1,NULL,0),(100149,706,7,'Franchise',0,1,NULL,0),(100150,1000,10,'Société à responsabilité limitée (SARL)',0,1,NULL,0),(100151,1001,10,'Société en Nom Collectif (SNC)',0,1,NULL,0),(100152,1002,10,'Société en Commandite Simple (SCS)',0,1,NULL,0),(100153,1003,10,'société en participation',0,1,NULL,0),(100154,1004,10,'Société Anonyme (SA)',0,1,NULL,0),(100155,1005,10,'Société Unipersonnelle à Responsabilité Limitée (SUARL)',0,1,NULL,0),(100156,1006,10,'Groupement d\'intérêt économique (GEI)',0,1,NULL,0),(100157,1007,10,'Groupe de sociétés',0,1,NULL,0),(100158,1701,17,'Eenmanszaak',0,1,NULL,0),(100159,1702,17,'Maatschap',0,1,NULL,0),(100160,1703,17,'Vennootschap onder firma',0,1,NULL,0),(100161,1704,17,'Commanditaire vennootschap',0,1,NULL,0),(100162,1705,17,'Besloten vennootschap (BV)',0,1,NULL,0),(100163,1706,17,'Naamloze Vennootschap (NV)',0,1,NULL,0),(100164,1707,17,'Vereniging',0,1,NULL,0),(100165,1708,17,'Stichting',0,1,NULL,0),(100166,1709,17,'Coöperatie met beperkte aansprakelijkheid (BA)',0,1,NULL,0),(100167,1710,17,'Coöperatie met uitgesloten aansprakelijkheid (UA)',0,1,NULL,0),(100168,1711,17,'Coöperatie met wettelijke aansprakelijkheid (WA)',0,1,NULL,0),(100169,1712,17,'Onderlinge waarborgmaatschappij',0,1,NULL,0),(100170,401,4,'Empresario Individual',0,1,NULL,0),(100171,402,4,'Comunidad de Bienes',0,1,NULL,0),(100172,403,4,'Sociedad Civil',0,1,NULL,0),(100173,404,4,'Sociedad Colectiva',0,1,NULL,0),(100174,405,4,'Sociedad Limitada',0,1,NULL,0),(100175,406,4,'Sociedad Anónima',0,1,NULL,0),(100176,407,4,'Sociedad Comanditaria por Acciones',0,1,NULL,0),(100177,408,4,'Sociedad Comanditaria Simple',0,1,NULL,0),(100178,409,4,'Sociedad Laboral',0,1,NULL,0),(100179,410,4,'Sociedad Cooperativa',0,1,NULL,0),(100180,411,4,'Sociedad de Garantía Recíproca',0,1,NULL,0),(100181,412,4,'Entidad de Capital-Riesgo',0,1,NULL,0),(100182,413,4,'Agrupación de Interés Económico',0,1,NULL,0),(100183,414,4,'Sociedad de Inversión Mobiliaria',0,1,NULL,0),(100184,415,4,'Agrupación sin Ánimo de Lucro',0,1,NULL,0),(100185,15201,152,'Mauritius Private Company Limited By Shares',0,1,NULL,0),(100186,15202,152,'Mauritius Company Limited By Guarantee',0,1,NULL,0),(100187,15203,152,'Mauritius Public Company Limited By Shares',0,1,NULL,0),(100188,15204,152,'Mauritius Foreign Company',0,1,NULL,0),(100189,15205,152,'Mauritius GBC1 (Offshore Company)',0,1,NULL,0),(100190,15206,152,'Mauritius GBC2 (International Company)',0,1,NULL,0),(100191,15207,152,'Mauritius General Partnership',0,1,NULL,0),(100192,15208,152,'Mauritius Limited Partnership',0,1,NULL,0),(100193,15209,152,'Mauritius Sole Proprietorship',0,1,NULL,0),(100194,15210,152,'Mauritius Trusts',0,1,NULL,0),(100195,15401,154,'Sociedad en nombre colectivo',0,1,NULL,0),(100196,15402,154,'Sociedad en comandita simple',0,1,NULL,0),(100197,15403,154,'Sociedad de responsabilidad limitada',0,1,NULL,0),(100198,15404,154,'Sociedad anónima',0,1,NULL,0),(100199,15405,154,'Sociedad en comandita por acciones',0,1,NULL,0),(100200,15406,154,'Sociedad cooperativa',0,1,NULL,0),(100201,4100,41,'GmbH - Gesellschaft mit beschränkter Haftung',0,1,NULL,0),(100202,4101,41,'GesmbH - Gesellschaft mit beschränkter Haftung',0,1,NULL,0),(100203,4102,41,'AG - Aktiengesellschaft',0,1,NULL,0),(100204,4103,41,'EWIV - Europäische wirtschaftliche Interessenvereinigung',0,1,NULL,0),(100205,4104,41,'KEG - Kommanditerwerbsgesellschaft',0,1,NULL,0),(100206,4105,41,'OEG - Offene Erwerbsgesellschaft',0,1,NULL,0),(100207,4106,41,'OHG - Offene Handelsgesellschaft',0,1,NULL,0),(100208,4107,41,'AG & Co KG - Kommanditgesellschaft',0,1,NULL,0),(100209,4108,41,'GmbH & Co KG - Kommanditgesellschaft',0,1,NULL,0),(100210,4109,41,'KG - Kommanditgesellschaft',0,1,NULL,0),(100211,4110,41,'OG - Offene Gesellschaft',0,1,NULL,0),(100212,4111,41,'GbR - Gesellschaft nach bürgerlichem Recht',0,1,NULL,0),(100213,4112,41,'GesbR - Gesellschaft nach bürgerlichem Recht',0,1,NULL,0),(100214,4113,41,'GesnbR - Gesellschaft nach bürgerlichem Recht',0,1,NULL,0),(100215,4114,41,'e.U. - eingetragener Einzelunternehmer',0,1,NULL,0),(100216,17801,178,'Empresa individual',0,1,NULL,0),(100217,17802,178,'Asociación General',0,1,NULL,0),(100218,17803,178,'Sociedad de Responsabilidad Limitada',0,1,NULL,0),(100219,17804,178,'Sociedad Civil',0,1,NULL,0),(100220,17805,178,'Sociedad Anónima',0,1,NULL,0),(100221,8001,80,'Aktieselvskab A/S',0,1,NULL,0),(100222,8002,80,'Anparts Selvskab ApS',0,1,NULL,0),(100223,8003,80,'Personlig ejet selvskab',0,1,NULL,0),(100224,8004,80,'Iværksætterselvskab IVS',0,1,NULL,0),(100225,8005,80,'Interessentskab I/S',0,1,NULL,0),(100226,8006,80,'Holdingselskab',0,1,NULL,0),(100227,8007,80,'Selskab Med Begrænset Hæftelse SMBA',0,1,NULL,0),(100228,8008,80,'Kommanditselskab K/S',0,1,NULL,0),(100229,8009,80,'SPE-selskab',0,1,NULL,0),(100230,2001,20,'Aktiebolag',0,1,NULL,0),(100231,2002,20,'Publikt aktiebolag (AB publ)',0,1,NULL,0),(100232,2003,20,'Ekonomisk förening (ek. för.)',0,1,NULL,0),(100233,2004,20,'Bostadsrättsförening (BRF)',0,1,NULL,0),(100234,2005,20,'Hyresrättsförening (HRF)',0,1,NULL,0),(100235,2006,20,'Kooperativ',0,1,NULL,0),(100236,2007,20,'Enskild firma (EF)',0,1,NULL,0),(100237,2008,20,'Handelsbolag (HB)',0,1,NULL,0),(100238,2009,20,'Kommanditbolag (KB)',0,1,NULL,0),(100239,2010,20,'Enkelt bolag',0,1,NULL,0),(100240,2011,20,'Ideell förening',0,1,NULL,0),(100241,2012,20,'Stiftelse',0,1,NULL,0),(100248,15407,154,'610 - Residentes en el Extranjero sin Establecimiento Permanente en México',0,1,NULL,0),(100249,15408,154,'611 - Ingresos por Dividendos (socios y accionistas)',0,1,NULL,0),(100250,15409,154,'612 - Personas Físicas con Actividades Empresariales y Profesionales',0,1,NULL,0),(100251,15410,154,'614 - Ingresos por intereses',0,1,NULL,0),(100252,15411,154,'615 - Régimen de los ingresos por obtención de premios',0,1,NULL,0),(100253,15412,154,'616 - Sin obligaciones fiscales',0,1,NULL,0),(100254,15413,154,'620 - Sociedades Cooperativas de Producción que optan por diferir sus ingresos',0,1,NULL,0),(100255,15414,154,'621 - Incorporación Fiscal',0,1,NULL,0),(100256,15415,154,'622 - Actividades Agrícolas, Ganaderas, Silvícolas y Pesqueras',0,1,NULL,0),(100257,15416,154,'623 - Opcional para Grupos de Sociedades',0,1,NULL,0),(100258,15417,154,'624 - Coordinados',0,1,NULL,0),(100259,15418,154,'625 - Régimen de las Actividades Empresariales con ingresos a través de Plataformas Tecnológicas',0,1,NULL,0),(100260,15419,154,'626 - Régimen Simplificado de Confianza',0,1,NULL,0),(100318,66,1,'Société publique locale',0,1,NULL,0); /*!40000 ALTER TABLE `llx_c_forme_juridique` ENABLE KEYS */; UNLOCK TABLES; @@ -2172,14 +2175,14 @@ DROP TABLE IF EXISTS `llx_c_invoice_subtype`; /*!40101 SET character_set_client = utf8 */; CREATE TABLE `llx_c_invoice_subtype` ( `rowid` int(11) NOT NULL AUTO_INCREMENT, - `entity` int(11) DEFAULT 1, + `entity` int(11) NOT NULL DEFAULT 1, `fk_country` int(11) NOT NULL, - `code` varchar(4) DEFAULT NULL, + `code` varchar(5) NOT NULL, `label` varchar(100) DEFAULT NULL, `active` tinyint(4) NOT NULL DEFAULT 1, PRIMARY KEY (`rowid`), - UNIQUE KEY `uk_c_invoice_subtype` (`entity`,`code`) -) ENGINE=InnoDB AUTO_INCREMENT=64 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; + UNIQUE KEY `uk_c_invoice_subtype` (`entity`,`code`,`fk_country`) +) ENGINE=InnoDB AUTO_INCREMENT=70 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; -- @@ -2188,7 +2191,7 @@ CREATE TABLE `llx_c_invoice_subtype` ( LOCK TABLES `llx_c_invoice_subtype` WRITE; /*!40000 ALTER TABLE `llx_c_invoice_subtype` DISABLE KEYS */; -INSERT INTO `llx_c_invoice_subtype` VALUES (1,1,102,'1.1','Τιμολόγιο Πώλησης',1),(2,1,102,'1.2','Τιμολόγιο Πώλησης / Ενδοκοινοτικές Παραδόσεις',1),(3,1,102,'1.3','Τιμολόγιο Πώλησης / Παραδόσεις Τρίτων Χωρών',1),(4,1,102,'1.4','Τιμολόγιο Πώλησης / Πώληση για Λογαριασμό Τρίτων',0),(5,1,102,'1.5','Τιμολόγιο Πώλησης / Εκκαθάριση Πωλήσεων Τρίτων - Αμοιβή από Πωλήσεις Τρίτων',0),(6,1,102,'1.6','Τιμολόγιο Πώλησης / Συμπληρωματικό Παραστατικό',0),(7,1,102,'2.1','Τιμολόγιο Παροχής',1),(8,1,102,'2.2','Τιμολόγιο Παροχής / Ενδοκοινοτική Παροχή Υπηρεσιών',1),(9,1,102,'2.3','Τιμολόγιο Παροχής / Παροχή Υπηρεσιών σε λήπτη Τρίτης Χώρας',1),(10,1,102,'2.4','Τιμολόγιο Παροχής / Συμπληρωματικό Παραστατικό',0),(11,1,102,'3.1','Τίτλος Κτήσης (μη υπόχρεος Εκδότης)',0),(12,1,102,'3.2','Τίτλος Κτήσης (άρνηση έκδοσης από υπόχρεο Εκδότη)',0),(13,1,102,'6.1','Στοιχείο Αυτοπαράδοσης',0),(14,1,102,'6.2','Στοιχείο Ιδιοχρησιμοποίησης',0),(15,1,102,'7.1','Συμβόλαιο - Έσοδο',0),(16,1,102,'8.1','Ενοίκια - Έσοδο',0),(17,1,102,'8.2','Ειδικό Στοιχείο – Απόδειξης Είσπραξης Φόρου Διαμονής',0),(18,1,102,'11.1','ΑΛΠ',1),(19,1,102,'11.2','ΑΠΥ',1),(20,1,102,'11.3','Απλοποιημένο Τιμολόγιο',0),(21,1,102,'11.5','Απόδειξη Λιανικής Πώλησης για Λογ/σμό Τρίτων',0); +INSERT INTO `llx_c_invoice_subtype` VALUES (1,1,102,'1.1','Τιμολόγιο Πώλησης',1),(2,1,102,'1.2','Τιμολόγιο Πώλησης / Ενδοκοινοτικές Παραδόσεις',1),(3,1,102,'1.3','Τιμολόγιο Πώλησης / Παραδόσεις Τρίτων Χωρών',1),(4,1,102,'1.4','Τιμολόγιο Πώλησης / Πώληση για Λογαριασμό Τρίτων',0),(5,1,102,'1.5','Τιμολόγιο Πώλησης / Εκκαθάριση Πωλήσεων Τρίτων - Αμοιβή από Πωλήσεις Τρίτων',0),(6,1,102,'1.6','Τιμολόγιο Πώλησης / Συμπληρωματικό Παραστατικό',0),(7,1,102,'2.1','Τιμολόγιο Παροχής',1),(8,1,102,'2.2','Τιμολόγιο Παροχής / Ενδοκοινοτική Παροχή Υπηρεσιών',1),(9,1,102,'2.3','Τιμολόγιο Παροχής / Παροχή Υπηρεσιών σε λήπτη Τρίτης Χώρας',1),(10,1,102,'2.4','Τιμολόγιο Παροχής / Συμπληρωματικό Παραστατικό',0),(11,1,102,'3.1','Τίτλος Κτήσης (μη υπόχρεος Εκδότης)',0),(12,1,102,'3.2','Τίτλος Κτήσης (άρνηση έκδοσης από υπόχρεο Εκδότη)',0),(13,1,102,'6.1','Στοιχείο Αυτοπαράδοσης',0),(14,1,102,'6.2','Στοιχείο Ιδιοχρησιμοποίησης',0),(15,1,102,'7.1','Συμβόλαιο - Έσοδο',0),(16,1,102,'8.1','Ενοίκια - Έσοδο',0),(17,1,102,'8.2','Ειδικό Στοιχείο – Απόδειξης Είσπραξης Φόρου Διαμονής',0),(18,1,102,'11.1','ΑΛΠ',1),(19,1,102,'11.2','ΑΠΥ',1),(20,1,102,'11.3','Απλοποιημένο Τιμολόγιο',0),(21,1,102,'11.5','Απόδειξη Λιανικής Πώλησης για Λογ/σμό Τρίτων',0),(64,1,102,'5.1','Πιστωτικό Τιμολόγιο / Συσχετιζόμενο',0),(65,1,102,'5.2','Πιστωτικό Τιμολόγιο / Μη Συσχετιζόμενο',1),(66,1,102,'11.4','Πιστωτικό Στοιχ. Λιανικής',1); /*!40000 ALTER TABLE `llx_c_invoice_subtype` ENABLE KEYS */; UNLOCK TABLES; @@ -2959,6 +2962,7 @@ DROP TABLE IF EXISTS `llx_c_tva`; /*!40101 SET character_set_client = utf8 */; CREATE TABLE `llx_c_tva` ( `rowid` int(11) NOT NULL AUTO_INCREMENT, + `entity` int(11) NOT NULL DEFAULT 1, `fk_pays` int(11) NOT NULL, `code` varchar(10) DEFAULT '', `taux` double NOT NULL, @@ -2973,7 +2977,7 @@ CREATE TABLE `llx_c_tva` ( `accountancy_code_buy` varchar(32) DEFAULT NULL, `use_default` tinyint(4) DEFAULT 0, PRIMARY KEY (`rowid`), - UNIQUE KEY `uk_c_tva_id` (`fk_pays`,`code`,`taux`,`recuperableonly`) + UNIQUE KEY `uk_c_tva_id` (`entity`,`fk_pays`,`code`,`taux`,`recuperableonly`) ) ENGINE=InnoDB AUTO_INCREMENT=2479 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; @@ -2983,7 +2987,7 @@ CREATE TABLE `llx_c_tva` ( LOCK TABLES `llx_c_tva` WRITE; /*!40000 ALTER TABLE `llx_c_tva` DISABLE KEYS */; -INSERT INTO `llx_c_tva` VALUES (11,1,'',20,NULL,'0',NULL,'0',0,'VAT standard rate (France hors DOM-TOM)',1,NULL,NULL,0),(12,1,'',8.5,NULL,'0',NULL,'0',0,'VAT standard rate (DOM sauf Guyane et Saint-Martin)',0,NULL,NULL,0),(13,1,'',8.5,NULL,'0',NULL,'0',1,'VAT standard rate (DOM sauf Guyane et Saint-Martin), non perçu par le vendeur mais récupérable par acheteur',0,NULL,NULL,0),(14,1,'bbb',5.5,'0','0','0','0',0,'VAT reduced rate (France hors DOM-TOM)',1,NULL,NULL,0),(15,1,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0 ou non applicable',1,NULL,NULL,0),(16,1,'',2.1,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(17,1,'',10,'0','0','0','0',0,'VAT reduced rate',1,'109','108',0),(21,2,'',21,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(22,2,'',6,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(23,2,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0 ou non applicable',1,NULL,NULL,0),(24,2,'',12,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(31,3,'',21,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(32,3,'',10,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(33,3,'',4,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(34,3,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(41,4,'',21,'5.2','3','-19:-15:-9','5',0,'VAT standard rate',1,NULL,NULL,0),(42,4,'',10,'1.4','3','-19:-15:-9','5',0,'VAT reduced rate',1,NULL,NULL,0),(43,4,'',4,'0.5','3','-19:-15:-9','5',0,'VAT super-reduced rate',1,NULL,NULL,0),(44,4,'',0,'0','3','-19:-15:-9','5',0,'VAT Rate 0',1,NULL,NULL,0),(51,5,'',19,NULL,'0',NULL,'0',0,'allgemeine Ust.',1,NULL,NULL,0),(52,5,'',7,NULL,'0',NULL,'0',0,'ermäßigte USt.',1,NULL,NULL,0),(53,5,'',0,NULL,'0',NULL,'0',0,'keine USt.',1,NULL,NULL,0),(54,5,'',5.5,NULL,'0',NULL,'0',0,'USt. Forst',0,NULL,NULL,0),(55,5,'',10.7,NULL,'0',NULL,'0',0,'USt. Landwirtschaft',0,NULL,NULL,0),(61,6,'',8,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(62,6,'',3.8,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(63,6,'',2.5,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(64,6,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(71,7,'',20,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(72,7,'',17.5,NULL,'0',NULL,'0',0,'VAT standard rate before 2011',1,NULL,NULL,0),(73,7,'',5,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(74,7,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(81,8,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(82,8,'',23,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(83,8,'',13.5,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(84,8,'',9,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(85,8,'',4.8,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(91,9,'',17,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(92,9,'',13,NULL,'0',NULL,'0',0,'VAT reduced rate 0',1,NULL,NULL,0),(93,9,'',3,NULL,'0',NULL,'0',0,'VAT super reduced rate 0',1,NULL,NULL,0),(94,9,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(101,10,'',6,'1','4','0','0',0,'VAT 6%',1,NULL,NULL,0),(102,10,'',12,'1','4','0','0',0,'VAT 12%',1,NULL,NULL,0),(103,10,'',18,'1','4','0','0',0,'VAT 18%',1,NULL,NULL,0),(104,10,'',7.5,'1','4','0','0',0,'VAT 6% Majoré à 25% (7.5%)',1,NULL,NULL,0),(105,10,'',15,'1','4','0','0',0,'VAT 12% Majoré à 25% (15%)',1,NULL,NULL,0),(106,10,'',22.5,'1','4','0','0',0,'VAT 18% Majoré à 25% (22.5%)',1,NULL,NULL,0),(107,10,'',0,'1','4','0','0',0,'VAT Rate 0',1,NULL,NULL,0),(111,11,'',0,NULL,'0',NULL,'0',0,'No Sales Tax',1,NULL,NULL,0),(112,11,'',4,NULL,'0',NULL,'0',0,'Sales Tax 4%',1,NULL,NULL,0),(113,11,'',6,NULL,'0',NULL,'0',0,'Sales Tax 6%',1,NULL,NULL,0),(121,12,'',20,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(122,12,'',14,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(123,12,'',10,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(124,12,'',7,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(125,12,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(141,14,'',7,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(142,14,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(143,14,'',5,'9.975','1',NULL,'0',0,'GST/TPS and PST/TVQ rate for Province',1,NULL,NULL,0),(171,17,'',19,NULL,'0',NULL,'0',0,'Algemeen BTW tarief',1,NULL,NULL,0),(172,17,'',6,NULL,'0',NULL,'0',0,'Verlaagd BTW tarief',1,NULL,NULL,0),(173,17,'',0,NULL,'0',NULL,'0',0,'0 BTW tarief',1,NULL,NULL,0),(174,17,'',21,NULL,'0',NULL,'0',0,'Algemeen BTW tarief (vanaf 1 oktober 2012)',0,NULL,NULL,0),(201,20,'',25,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(202,20,'',12,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(203,20,'',6,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(204,20,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(211,21,'',0,'0','0','0','0',0,'IVA Rate 0',1,NULL,NULL,0),(212,21,'',18,'7.5','2','0','0',0,'IVA standard rate',1,NULL,NULL,0),(221,22,'',18,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(222,22,'',10,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(223,22,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(231,23,'',21,NULL,'0',NULL,'0',0,'IVA standard rate',1,NULL,NULL,0),(232,23,'',10.5,NULL,'0',NULL,'0',0,'IVA reduced rate',1,NULL,NULL,0),(233,23,'',0,NULL,'0',NULL,'0',0,'IVA Rate 0',1,NULL,NULL,0),(241,24,'',19.25,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(242,24,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(251,25,'',23,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(252,25,'',13,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(253,25,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(254,25,'',6,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(261,26,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(271,27,'',19.6,NULL,'0',NULL,'0',0,'VAT standard rate (France hors DOM-TOM)',1,NULL,NULL,0),(272,27,'',8.5,NULL,'0',NULL,'0',0,'VAT standard rate (DOM sauf Guyane et Saint-Martin)',0,NULL,NULL,0),(273,27,'',8.5,NULL,'0',NULL,'0',1,'VAT standard rate (DOM sauf Guyane et Saint-Martin), non perçu par le vendeur mais récupérable par acheteur',0,NULL,NULL,0),(274,27,'',5.5,NULL,'0',NULL,'0',0,'VAT reduced rate (France hors DOM-TOM)',0,NULL,NULL,0),(275,27,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0 ou non applicable',1,NULL,NULL,0),(276,27,'',2.1,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(277,27,'',7,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(281,28,'',10,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(282,28,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(411,41,'',20,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(412,41,'',10,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(413,41,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(461,46,'',0,NULL,'0',NULL,'0',0,'No VAT',1,NULL,NULL,0),(462,46,'',15,NULL,'0',NULL,'0',0,'VAT 15%',1,NULL,NULL,0),(463,46,'',7.5,NULL,'0',NULL,'0',0,'VAT 7.5%',1,NULL,NULL,0),(561,56,'',0,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(591,59,'',20,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(592,59,'',7,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(593,59,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(671,67,'',19,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(672,67,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(801,80,'',25,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(802,80,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(861,86,'',13,NULL,'0',NULL,'0',0,'IVA 13',1,NULL,NULL,0),(862,86,'',0,NULL,'0',NULL,'0',0,'SIN IVA',1,NULL,NULL,0),(1141,114,'',0,NULL,'0',NULL,'0',0,'No ISV',1,NULL,NULL,0),(1142,114,'',12,NULL,'0',NULL,'0',0,'ISV 12%',1,NULL,NULL,0),(1161,116,'',25.5,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1162,116,'',7,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1163,116,'',0,NULL,'0',NULL,'0',0,'VAT rate 0',1,NULL,NULL,0),(1171,117,'',12.5,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1172,117,'',4,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1173,117,'',1,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(1174,117,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1176,117,'CGST+SGST',0,'9','1','9','1',0,'CGST+SGST - Same state sales',1,NULL,NULL,0),(1177,117,'IGST',18,'0','0','0','0',0,'IGST',1,NULL,NULL,0),(1179,117,'I-28',28,'0','0','0','0',0,'IGST',1,NULL,NULL,0),(1231,123,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1232,123,'',5,NULL,'0',NULL,'0',0,'VAT Rate 5',1,NULL,NULL,0),(1401,140,'',15,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1402,140,'',12,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1403,140,'',6,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1404,140,'',3,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(1405,140,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1481,148,'',18,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1482,148,'',7,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1483,148,'',5,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(1484,148,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1511,151,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1512,151,'',14,NULL,'0',NULL,'0',0,'VAT Rate 14',1,NULL,NULL,0),(1521,152,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1522,152,'',15,NULL,'0',NULL,'0',0,'VAT Rate 15',1,NULL,NULL,0),(1541,154,'',0,NULL,'0',NULL,'0',0,'No VAT',1,NULL,NULL,0),(1542,154,'',16,NULL,'0',NULL,'0',0,'VAT 16%',1,NULL,NULL,0),(1543,154,'',10,NULL,'0',NULL,'0',0,'VAT Frontero',1,NULL,NULL,0),(1662,166,'',15,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1663,166,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1692,169,'',5,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1693,169,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1731,173,'',25,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1732,173,'',14,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1733,173,'',8,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1734,173,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1781,178,'',7,NULL,'0',NULL,'0',0,'ITBMS standard rate',1,NULL,NULL,0),(1782,178,'',0,NULL,'0',NULL,'0',0,'ITBMS Rate 0',1,NULL,NULL,0),(1811,181,'',18,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1812,181,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1841,184,'',20,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1842,184,'',7,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1843,184,'',3,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1844,184,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1881,188,'',24,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1882,188,'',9,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1883,188,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1884,188,'',5,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1931,193,'',0,NULL,'0',NULL,'0',0,'No VAT in SPM',1,NULL,NULL,0),(2011,201,'',19,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(2012,201,'',10,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(2013,201,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(2021,202,'',22,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(2022,202,'',9.5,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(2023,202,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(2051,205,'',0,NULL,'0',NULL,'0',0,'No VAT',1,NULL,NULL,0),(2052,205,'',14,NULL,'0',NULL,'0',0,'VAT 14%',1,NULL,NULL,0),(2131,213,'',5,NULL,'0',NULL,'0',0,'VAT 5%',1,NULL,NULL,0),(2261,226,'',20,NULL,'0',NULL,'0',0,'VAT standart rate',1,NULL,NULL,0),(2262,226,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(2321,232,'',0,NULL,'0',NULL,'0',0,'No VAT',1,NULL,NULL,0),(2322,232,'',12,NULL,'0',NULL,'0',0,'VAT 12%',1,NULL,NULL,0),(2323,232,'',8,NULL,'0',NULL,'0',0,'VAT 8%',1,NULL,NULL,0),(2461,246,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(2462,102,'',23,'0','0','0','0',0,'Κανονικός Φ.Π.Α.',1,NULL,NULL,0),(2463,102,'',0,'0','0','0','0',0,'Μηδενικό Φ.Π.Α.',1,NULL,NULL,0),(2464,102,'',13,'0','0','0','0',0,'Μειωμένος Φ.Π.Α.',1,NULL,NULL,0),(2465,102,'',6.5,'0','0','0','0',0,'Υπερμειωμένος Φ.Π.Α.',1,NULL,NULL,0),(2466,102,'',16,'0','0','0','0',0,'Νήσων κανονικός Φ.Π.Α.',1,NULL,NULL,0),(2467,102,'',9,'0','0','0','0',0,'Νήσων μειωμένος Φ.Π.Α.',1,NULL,NULL,0),(2468,102,'',5,'0','0','0','0',0,'Νήσων υπερμειωμένος Φ.Π.Α.',1,NULL,NULL,0),(2469,1,'85',8.5,NULL,'0',NULL,'0',0,'VAT standard rate (DOM sauf Guyane et Saint-Martin)',0,NULL,NULL,0),(2470,1,'85NPR',8.5,NULL,'0',NULL,'0',1,'VAT standard rate (DOM sauf Guyane et Saint-Martin), non perçu par le vendeur mais récupérable par acheteur',0,NULL,NULL,0),(2471,1,'85NPROM',8.5,'2','3',NULL,'0',1,'VAT standard rate (DOM sauf Guyane et Saint-Martin), NPR, Octroi de Mer',0,NULL,NULL,0),(2472,1,'85NPROMOMR',8.5,'2','3','2.5','3',1,'VAT standard rate (DOM sauf Guyane et Saint-Martin), NPR, Octroi de Mer et Octroi de Mer Regional',0,NULL,NULL,0),(2477,117,'',19.6,'0','0','0','0',0,'aaa',1,'101','10',0),(2478,1,'aaa',5.5,'0','0','0','0',0,NULL,1,NULL,NULL,0); +INSERT INTO `llx_c_tva` VALUES (11,1,1,'',20,NULL,'0',NULL,'0',0,'VAT standard rate (France hors DOM-TOM)',1,NULL,NULL,0),(12,1,1,'',8.5,NULL,'0',NULL,'0',0,'VAT standard rate (DOM sauf Guyane et Saint-Martin)',0,NULL,NULL,0),(13,1,1,'',8.5,NULL,'0',NULL,'0',1,'VAT standard rate (DOM sauf Guyane et Saint-Martin), non perçu par le vendeur mais récupérable par acheteur',0,NULL,NULL,0),(14,1,1,'bbb',5.5,'0','0','0','0',0,'VAT reduced rate (France hors DOM-TOM)',1,NULL,NULL,0),(15,1,1,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0 ou non applicable',1,NULL,NULL,0),(16,1,1,'',2.1,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(17,1,1,'',10,'0','0','0','0',0,'VAT reduced rate',1,'109','108',0),(21,1,2,'',21,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(22,1,2,'',6,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(23,1,2,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0 ou non applicable',1,NULL,NULL,0),(24,1,2,'',12,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(31,1,3,'',21,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(32,1,3,'',10,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(33,1,3,'',4,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(34,1,3,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(41,1,4,'',21,'5.2','3','-19:-15:-9','5',0,'VAT standard rate',1,NULL,NULL,0),(42,1,4,'',10,'1.4','3','-19:-15:-9','5',0,'VAT reduced rate',1,NULL,NULL,0),(43,1,4,'',4,'0.5','3','-19:-15:-9','5',0,'VAT super-reduced rate',1,NULL,NULL,0),(44,1,4,'',0,'0','3','-19:-15:-9','5',0,'VAT Rate 0',1,NULL,NULL,0),(51,1,5,'',19,NULL,'0',NULL,'0',0,'allgemeine Ust.',1,NULL,NULL,0),(52,1,5,'',7,NULL,'0',NULL,'0',0,'ermäßigte USt.',1,NULL,NULL,0),(53,1,5,'',0,NULL,'0',NULL,'0',0,'keine USt.',1,NULL,NULL,0),(54,1,5,'',5.5,NULL,'0',NULL,'0',0,'USt. Forst',0,NULL,NULL,0),(55,1,5,'',10.7,NULL,'0',NULL,'0',0,'USt. Landwirtschaft',0,NULL,NULL,0),(61,1,6,'',8,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(62,1,6,'',3.8,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(63,1,6,'',2.5,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(64,1,6,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(71,1,7,'',20,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(72,1,7,'',17.5,NULL,'0',NULL,'0',0,'VAT standard rate before 2011',1,NULL,NULL,0),(73,1,7,'',5,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(74,1,7,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(81,1,8,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(82,1,8,'',23,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(83,1,8,'',13.5,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(84,1,8,'',9,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(85,1,8,'',4.8,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(91,1,9,'',17,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(92,1,9,'',13,NULL,'0',NULL,'0',0,'VAT reduced rate 0',1,NULL,NULL,0),(93,1,9,'',3,NULL,'0',NULL,'0',0,'VAT super reduced rate 0',1,NULL,NULL,0),(94,1,9,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(101,1,10,'',6,'1','4','0','0',0,'VAT 6%',1,NULL,NULL,0),(102,1,10,'',12,'1','4','0','0',0,'VAT 12%',1,NULL,NULL,0),(103,1,10,'',18,'1','4','0','0',0,'VAT 18%',1,NULL,NULL,0),(104,1,10,'',7.5,'1','4','0','0',0,'VAT 6% Majoré à 25% (7.5%)',1,NULL,NULL,0),(105,1,10,'',15,'1','4','0','0',0,'VAT 12% Majoré à 25% (15%)',1,NULL,NULL,0),(106,1,10,'',22.5,'1','4','0','0',0,'VAT 18% Majoré à 25% (22.5%)',1,NULL,NULL,0),(107,1,10,'',0,'1','4','0','0',0,'VAT Rate 0',1,NULL,NULL,0),(111,1,11,'',0,NULL,'0',NULL,'0',0,'No Sales Tax',1,NULL,NULL,0),(112,1,11,'',4,NULL,'0',NULL,'0',0,'Sales Tax 4%',1,NULL,NULL,0),(113,1,11,'',6,NULL,'0',NULL,'0',0,'Sales Tax 6%',1,NULL,NULL,0),(121,1,12,'',20,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(122,1,12,'',14,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(123,1,12,'',10,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(124,1,12,'',7,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(125,1,12,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(141,1,14,'',7,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(142,1,14,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(143,1,14,'',5,'9.975','1',NULL,'0',0,'GST/TPS and PST/TVQ rate for Province',1,NULL,NULL,0),(171,1,17,'',19,NULL,'0',NULL,'0',0,'Algemeen BTW tarief',1,NULL,NULL,0),(172,1,17,'',6,NULL,'0',NULL,'0',0,'Verlaagd BTW tarief',1,NULL,NULL,0),(173,1,17,'',0,NULL,'0',NULL,'0',0,'0 BTW tarief',1,NULL,NULL,0),(174,1,17,'',21,NULL,'0',NULL,'0',0,'Algemeen BTW tarief (vanaf 1 oktober 2012)',0,NULL,NULL,0),(201,1,20,'',25,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(202,1,20,'',12,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(203,1,20,'',6,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(204,1,20,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(211,1,21,'',0,'0','0','0','0',0,'IVA Rate 0',1,NULL,NULL,0),(212,1,21,'',18,'7.5','2','0','0',0,'IVA standard rate',1,NULL,NULL,0),(221,1,22,'',18,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(222,1,22,'',10,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(223,1,22,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(231,1,23,'',21,NULL,'0',NULL,'0',0,'IVA standard rate',1,NULL,NULL,0),(232,1,23,'',10.5,NULL,'0',NULL,'0',0,'IVA reduced rate',1,NULL,NULL,0),(233,1,23,'',0,NULL,'0',NULL,'0',0,'IVA Rate 0',1,NULL,NULL,0),(241,1,24,'',19.25,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(242,1,24,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(251,1,25,'',23,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(252,1,25,'',13,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(253,1,25,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(254,1,25,'',6,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(261,1,26,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(271,1,27,'',19.6,NULL,'0',NULL,'0',0,'VAT standard rate (France hors DOM-TOM)',1,NULL,NULL,0),(272,1,27,'',8.5,NULL,'0',NULL,'0',0,'VAT standard rate (DOM sauf Guyane et Saint-Martin)',0,NULL,NULL,0),(273,1,27,'',8.5,NULL,'0',NULL,'0',1,'VAT standard rate (DOM sauf Guyane et Saint-Martin), non perçu par le vendeur mais récupérable par acheteur',0,NULL,NULL,0),(274,1,27,'',5.5,NULL,'0',NULL,'0',0,'VAT reduced rate (France hors DOM-TOM)',0,NULL,NULL,0),(275,1,27,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0 ou non applicable',1,NULL,NULL,0),(276,1,27,'',2.1,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(277,1,27,'',7,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(281,1,28,'',10,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(282,1,28,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(411,1,41,'',20,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(412,1,41,'',10,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(413,1,41,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(461,1,46,'',0,NULL,'0',NULL,'0',0,'No VAT',1,NULL,NULL,0),(462,1,46,'',15,NULL,'0',NULL,'0',0,'VAT 15%',1,NULL,NULL,0),(463,1,46,'',7.5,NULL,'0',NULL,'0',0,'VAT 7.5%',1,NULL,NULL,0),(561,1,56,'',0,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(591,1,59,'',20,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(592,1,59,'',7,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(593,1,59,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(671,1,67,'',19,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(672,1,67,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(801,1,80,'',25,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(802,1,80,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(861,1,86,'',13,NULL,'0',NULL,'0',0,'IVA 13',1,NULL,NULL,0),(862,1,86,'',0,NULL,'0',NULL,'0',0,'SIN IVA',1,NULL,NULL,0),(1141,1,114,'',0,NULL,'0',NULL,'0',0,'No ISV',1,NULL,NULL,0),(1142,1,114,'',12,NULL,'0',NULL,'0',0,'ISV 12%',1,NULL,NULL,0),(1161,1,116,'',25.5,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1162,1,116,'',7,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1163,1,116,'',0,NULL,'0',NULL,'0',0,'VAT rate 0',1,NULL,NULL,0),(1171,1,117,'',12.5,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1172,1,117,'',4,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1173,1,117,'',1,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(1174,1,117,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1176,1,117,'CGST+SGST',0,'9','1','9','1',0,'CGST+SGST - Same state sales',1,NULL,NULL,0),(1177,1,117,'IGST',18,'0','0','0','0',0,'IGST',1,NULL,NULL,0),(1179,1,117,'I-28',28,'0','0','0','0',0,'IGST',1,NULL,NULL,0),(1231,1,123,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1232,1,123,'',5,NULL,'0',NULL,'0',0,'VAT Rate 5',1,NULL,NULL,0),(1401,1,140,'',15,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1402,1,140,'',12,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1403,1,140,'',6,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1404,1,140,'',3,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(1405,1,140,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1481,1,148,'',18,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1482,1,148,'',7,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1483,1,148,'',5,NULL,'0',NULL,'0',0,'VAT super-reduced rate',1,NULL,NULL,0),(1484,1,148,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1511,1,151,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1512,1,151,'',14,NULL,'0',NULL,'0',0,'VAT Rate 14',1,NULL,NULL,0),(1521,1,152,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1522,1,152,'',15,NULL,'0',NULL,'0',0,'VAT Rate 15',1,NULL,NULL,0),(1541,1,154,'',0,NULL,'0',NULL,'0',0,'No VAT',1,NULL,NULL,0),(1542,1,154,'',16,NULL,'0',NULL,'0',0,'VAT 16%',1,NULL,NULL,0),(1543,1,154,'',10,NULL,'0',NULL,'0',0,'VAT Frontero',1,NULL,NULL,0),(1662,1,166,'',15,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1663,1,166,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1692,1,169,'',5,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1693,1,169,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1731,1,173,'',25,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1732,1,173,'',14,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1733,1,173,'',8,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1734,1,173,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1781,1,178,'',7,NULL,'0',NULL,'0',0,'ITBMS standard rate',1,NULL,NULL,0),(1782,1,178,'',0,NULL,'0',NULL,'0',0,'ITBMS Rate 0',1,NULL,NULL,0),(1811,1,181,'',18,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1812,1,181,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1841,1,184,'',20,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1842,1,184,'',7,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1843,1,184,'',3,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1844,1,184,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1881,1,188,'',24,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(1882,1,188,'',9,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1883,1,188,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(1884,1,188,'',5,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(1931,1,193,'',0,NULL,'0',NULL,'0',0,'No VAT in SPM',1,NULL,NULL,0),(2011,1,201,'',19,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(2012,1,201,'',10,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(2013,1,201,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(2021,1,202,'',22,NULL,'0',NULL,'0',0,'VAT standard rate',1,NULL,NULL,0),(2022,1,202,'',9.5,NULL,'0',NULL,'0',0,'VAT reduced rate',1,NULL,NULL,0),(2023,1,202,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(2051,1,205,'',0,NULL,'0',NULL,'0',0,'No VAT',1,NULL,NULL,0),(2052,1,205,'',14,NULL,'0',NULL,'0',0,'VAT 14%',1,NULL,NULL,0),(2131,1,213,'',5,NULL,'0',NULL,'0',0,'VAT 5%',1,NULL,NULL,0),(2261,1,226,'',20,NULL,'0',NULL,'0',0,'VAT standart rate',1,NULL,NULL,0),(2262,1,226,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(2321,1,232,'',0,NULL,'0',NULL,'0',0,'No VAT',1,NULL,NULL,0),(2322,1,232,'',12,NULL,'0',NULL,'0',0,'VAT 12%',1,NULL,NULL,0),(2323,1,232,'',8,NULL,'0',NULL,'0',0,'VAT 8%',1,NULL,NULL,0),(2461,1,246,'',0,NULL,'0',NULL,'0',0,'VAT Rate 0',1,NULL,NULL,0),(2462,1,102,'',23,'0','0','0','0',0,'Κανονικός Φ.Π.Α.',1,NULL,NULL,0),(2463,1,102,'',0,'0','0','0','0',0,'Μηδενικό Φ.Π.Α.',1,NULL,NULL,0),(2464,1,102,'',13,'0','0','0','0',0,'Μειωμένος Φ.Π.Α.',1,NULL,NULL,0),(2465,1,102,'',6.5,'0','0','0','0',0,'Υπερμειωμένος Φ.Π.Α.',1,NULL,NULL,0),(2466,1,102,'',16,'0','0','0','0',0,'Νήσων κανονικός Φ.Π.Α.',1,NULL,NULL,0),(2467,1,102,'',9,'0','0','0','0',0,'Νήσων μειωμένος Φ.Π.Α.',1,NULL,NULL,0),(2468,1,102,'',5,'0','0','0','0',0,'Νήσων υπερμειωμένος Φ.Π.Α.',1,NULL,NULL,0),(2469,1,1,'85',8.5,NULL,'0',NULL,'0',0,'VAT standard rate (DOM sauf Guyane et Saint-Martin)',0,NULL,NULL,0),(2470,1,1,'85NPR',8.5,NULL,'0',NULL,'0',1,'VAT standard rate (DOM sauf Guyane et Saint-Martin), non perçu par le vendeur mais récupérable par acheteur',0,NULL,NULL,0),(2471,1,1,'85NPROM',8.5,'2','3',NULL,'0',1,'VAT standard rate (DOM sauf Guyane et Saint-Martin), NPR, Octroi de Mer',0,NULL,NULL,0),(2472,1,1,'85NPROMOMR',8.5,'2','3','2.5','3',1,'VAT standard rate (DOM sauf Guyane et Saint-Martin), NPR, Octroi de Mer et Octroi de Mer Regional',0,NULL,NULL,0),(2477,1,117,'',19.6,'0','0','0','0',0,'aaa',1,'101','10',0),(2478,1,1,'aaa',5.5,'0','0','0','0',0,NULL,1,NULL,NULL,0); /*!40000 ALTER TABLE `llx_c_tva` ENABLE KEYS */; UNLOCK TABLES; @@ -3032,9 +3036,10 @@ CREATE TABLE `llx_c_type_container` ( `label` varchar(128) DEFAULT NULL, `active` tinyint(4) NOT NULL DEFAULT 1, `module` varchar(32) DEFAULT NULL, + `position` int(11) DEFAULT 0, PRIMARY KEY (`rowid`), UNIQUE KEY `uk_c_type_container_id` (`code`,`entity`) -) ENGINE=InnoDB AUTO_INCREMENT=12 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; +) ENGINE=InnoDB AUTO_INCREMENT=22 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; -- @@ -3043,7 +3048,7 @@ CREATE TABLE `llx_c_type_container` ( LOCK TABLES `llx_c_type_container` WRITE; /*!40000 ALTER TABLE `llx_c_type_container` DISABLE KEYS */; -INSERT INTO `llx_c_type_container` VALUES (2,'page',1,'Page',1,'system'),(3,'banner',1,'Banner',1,'system'),(4,'blogpost',1,'BlogPost',1,'system'),(5,'other',1,'Other',1,'system'),(10,'menu',1,'Menu',1,'system'); +INSERT INTO `llx_c_type_container` VALUES (2,'page',1,'Page',1,'system',0),(3,'banner',1,'Banner',1,'system',0),(4,'blogpost',1,'BlogPost',1,'system',0),(5,'other',1,'Other',1,'system',0),(10,'menu',1,'Menu',1,'system',0); /*!40000 ALTER TABLE `llx_c_type_container` ENABLE KEYS */; UNLOCK TABLES; @@ -3204,416 +3209,6 @@ INSERT INTO `llx_c_ziptown` VALUES (45463,NULL,NULL,2,'9800','Meigem',1,NULL),(4 /*!40000 ALTER TABLE `llx_c_ziptown` ENABLE KEYS */; UNLOCK TABLES; --- --- Table structure for table `llx_cabinetmed_c_banques` --- - -DROP TABLE IF EXISTS `llx_cabinetmed_c_banques`; -/*!40101 SET @saved_cs_client = @@character_set_client */; -/*!40101 SET character_set_client = utf8 */; -CREATE TABLE `llx_cabinetmed_c_banques` ( - `rowid` int(11) NOT NULL AUTO_INCREMENT, - `code` varchar(8) NOT NULL, - `label` varchar(64) NOT NULL, - `active` smallint(6) NOT NULL DEFAULT 1, - PRIMARY KEY (`rowid`) -) ENGINE=InnoDB DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; -/*!40101 SET character_set_client = @saved_cs_client */; - --- --- Dumping data for table `llx_cabinetmed_c_banques` --- - -LOCK TABLES `llx_cabinetmed_c_banques` WRITE; -/*!40000 ALTER TABLE `llx_cabinetmed_c_banques` DISABLE KEYS */; -/*!40000 ALTER TABLE `llx_cabinetmed_c_banques` ENABLE KEYS */; -UNLOCK TABLES; - --- --- Table structure for table `llx_cabinetmed_c_examconclusion` --- - -DROP TABLE IF EXISTS `llx_cabinetmed_c_examconclusion`; -/*!40101 SET @saved_cs_client = @@character_set_client */; -/*!40101 SET character_set_client = utf8 */; -CREATE TABLE `llx_cabinetmed_c_examconclusion` ( - `rowid` int(11) NOT NULL AUTO_INCREMENT, - `code` varchar(8) NOT NULL, - `label` varchar(64) NOT NULL, - `position` int(11) DEFAULT 10, - `active` smallint(6) NOT NULL DEFAULT 1, - PRIMARY KEY (`rowid`) -) ENGINE=InnoDB AUTO_INCREMENT=2 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; -/*!40101 SET character_set_client = @saved_cs_client */; - --- --- Dumping data for table `llx_cabinetmed_c_examconclusion` --- - -LOCK TABLES `llx_cabinetmed_c_examconclusion` WRITE; -/*!40000 ALTER TABLE `llx_cabinetmed_c_examconclusion` DISABLE KEYS */; -INSERT INTO `llx_cabinetmed_c_examconclusion` VALUES (1,'AUTRE','Autre',1,1); -/*!40000 ALTER TABLE `llx_cabinetmed_c_examconclusion` ENABLE KEYS */; -UNLOCK TABLES; - --- --- Table structure for table `llx_cabinetmed_cons` --- - -DROP TABLE IF EXISTS `llx_cabinetmed_cons`; -/*!40101 SET @saved_cs_client = @@character_set_client */; -/*!40101 SET character_set_client = utf8 */; -CREATE TABLE `llx_cabinetmed_cons` ( - `rowid` int(11) NOT NULL AUTO_INCREMENT, - `entity` int(11) NOT NULL DEFAULT 1, - `fk_soc` int(11) DEFAULT NULL, - `datecons` date NOT NULL, - `typepriseencharge` varchar(8) DEFAULT NULL, - `motifconsprinc` varchar(64) DEFAULT NULL, - `diaglesprinc` varchar(64) DEFAULT NULL, - `motifconssec` text DEFAULT NULL, - `diaglessec` text DEFAULT NULL, - `hdm` text DEFAULT NULL, - `examenclinique` text DEFAULT NULL, - `examenprescrit` text DEFAULT NULL, - `traitementprescrit` text DEFAULT NULL, - `comment` text DEFAULT NULL, - `typevisit` varchar(8) NOT NULL, - `infiltration` varchar(255) DEFAULT NULL, - `codageccam` varchar(16) DEFAULT NULL, - `montant_cheque` double(24,8) DEFAULT NULL, - `montant_espece` double(24,8) DEFAULT NULL, - `montant_carte` double(24,8) DEFAULT NULL, - `montant_tiers` double(24,8) DEFAULT NULL, - `banque` varchar(128) DEFAULT NULL, - `date_c` datetime NOT NULL, - `tms` timestamp NOT NULL DEFAULT current_timestamp() ON UPDATE current_timestamp(), - `fk_user` int(11) DEFAULT NULL, - `fk_user_creation` int(11) DEFAULT NULL, - `fk_user_m` int(11) DEFAULT NULL, - `fk_agenda` int(11) DEFAULT NULL, - PRIMARY KEY (`rowid`), - KEY `idx_cabinetmed_cons_fk_soc` (`fk_soc`), - KEY `idx_cabinetmed_cons_datecons` (`datecons`), - CONSTRAINT `fk_cabinetmed_cons_fk_soc` FOREIGN KEY (`fk_soc`) REFERENCES `llx_societe` (`rowid`) -) ENGINE=InnoDB DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; -/*!40101 SET character_set_client = @saved_cs_client */; - --- --- Dumping data for table `llx_cabinetmed_cons` --- - -LOCK TABLES `llx_cabinetmed_cons` WRITE; -/*!40000 ALTER TABLE `llx_cabinetmed_cons` DISABLE KEYS */; -/*!40000 ALTER TABLE `llx_cabinetmed_cons` ENABLE KEYS */; -UNLOCK TABLES; - --- --- Table structure for table `llx_cabinetmed_cons_extrafields` --- - -DROP TABLE IF EXISTS `llx_cabinetmed_cons_extrafields`; -/*!40101 SET @saved_cs_client = @@character_set_client */; -/*!40101 SET character_set_client = utf8 */; -CREATE TABLE `llx_cabinetmed_cons_extrafields` ( - `rowid` int(11) NOT NULL AUTO_INCREMENT, - `tms` timestamp NOT NULL DEFAULT current_timestamp() ON UPDATE current_timestamp(), - `fk_object` int(11) NOT NULL, - `import_key` varchar(14) DEFAULT NULL, - PRIMARY KEY (`rowid`), - KEY `idx_cabinetmed_cons_extrafields` (`fk_object`) -) ENGINE=InnoDB DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; -/*!40101 SET character_set_client = @saved_cs_client */; - --- --- Dumping data for table `llx_cabinetmed_cons_extrafields` --- - -LOCK TABLES `llx_cabinetmed_cons_extrafields` WRITE; -/*!40000 ALTER TABLE `llx_cabinetmed_cons_extrafields` DISABLE KEYS */; -/*!40000 ALTER TABLE `llx_cabinetmed_cons_extrafields` ENABLE KEYS */; -UNLOCK TABLES; - --- --- Table structure for table `llx_cabinetmed_diaglec` --- - -DROP TABLE IF EXISTS `llx_cabinetmed_diaglec`; -/*!40101 SET @saved_cs_client = @@character_set_client */; -/*!40101 SET character_set_client = utf8 */; -CREATE TABLE `llx_cabinetmed_diaglec` ( - `rowid` int(11) NOT NULL AUTO_INCREMENT, - `code` varchar(8) NOT NULL, - `label` varchar(64) NOT NULL, - `active` smallint(6) NOT NULL DEFAULT 1, - `icd` varchar(12) DEFAULT NULL, - `position` int(11) DEFAULT 10, - `lang` varchar(12) DEFAULT NULL, - PRIMARY KEY (`rowid`) -) ENGINE=InnoDB AUTO_INCREMENT=42 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; -/*!40101 SET character_set_client = @saved_cs_client */; - --- --- Dumping data for table `llx_cabinetmed_diaglec` --- - -LOCK TABLES `llx_cabinetmed_diaglec` WRITE; -/*!40000 ALTER TABLE `llx_cabinetmed_diaglec` DISABLE KEYS */; -INSERT INTO `llx_cabinetmed_diaglec` VALUES (1,'AUTRE','Autre',1,NULL,1,''),(2,'LOMBL5D','Lombosciatique L5 droite',1,NULL,10,'fr_FR'),(3,'LOMBL5G','Lombosciatique L5 gauche',1,NULL,10,'fr_FR'),(4,'LOMBS1D','Lombosciatique S1 droite',1,NULL,10,'fr_FR'),(5,'LOMBS1G','Lombosciatique S1 gauche',1,NULL,10,'fr_FR'),(6,'NCB','Névralgie cervico-brachiale',1,NULL,10,'fr_FR'),(7,'PR','Polyarthrite rhumatoide',1,NULL,10,'fr_FR'),(8,'SA','Spondylarthrite ankylosante',1,NULL,10,'fr_FR'),(9,'GFTI','Gonarthrose fémoro-tibaile interne',1,NULL,10,'fr_FR'),(10,'GFTE','Gonarthrose fémoro-tibiale externe',1,NULL,10,'fr_FR'),(11,'COX','Coxarthrose',1,NULL,10,'fr_FR'),(12,'CC','Canal Carpien',1,NULL,10,'fr_FR'),(16,'CLER','Canal Lombaire Etroit et/ou Rétréci',1,NULL,10,'fr_FR'),(22,'RH_PSO','Rhumatisme Psoriasique',1,NULL,10,'fr_FR'),(23,'LEAD','Lupus',1,NULL,10,'fr_FR'),(24,'LBDISC','Lombalgie Discale',1,NULL,10,'fr_FR'),(25,'LBRADD','Lomboradiculalgie Discale',1,NULL,10,'fr_FR'),(26,'LBRADND','Lomboradiculalgie Non Discale',1,NULL,10,'fr_FR'),(27,'CH_ROT','Chondropathie Rotulienne',1,NULL,10,'fr_FR'),(28,'AFP','Arthrose FémoroPatellaire',1,NULL,10,'fr_FR'),(29,'PPR','Pseudo Polyarthrite Rhizomélique',1,NULL,10,'fr_FR'),(30,'SHARP','Maladie de Sharp',1,NULL,10,'fr_FR'),(31,'SAPHO','SAPHO',1,NULL,10,'fr_FR'),(32,'OMARTHC','Omarthrose Centrée',1,NULL,10,'fr_FR'),(33,'RH_CCA','Rhumatisme Chondro Calcinosique',1,NULL,10,'fr_FR'),(34,'GOUTTE','Arthrite Goutteuse',1,NULL,10,'fr_FR'),(35,'CCA','Arthrite Chondro Calcinosique',1,NULL,10,'fr_FR'),(36,'ARTH_MCR','Arthrite Microcristalline',1,NULL,10,'fr_FR'),(37,'CSA','Conflit Sous Acromial',1,NULL,10,'fr_FR'),(38,'TDCALCE','Tendinopathie Calcifiante d\'Epaule',1,NULL,10,'fr_FR'),(39,'TDCALCH','Tendinopathie Calcifiante de Hanche',1,NULL,10,'fr_FR'),(40,'TBT','TendinoBursite Trochantérienne',1,NULL,10,'fr_FR'),(41,'OMARTHE','Omarthrose Excentrée',1,NULL,10,'fr_FR'); -/*!40000 ALTER TABLE `llx_cabinetmed_diaglec` ENABLE KEYS */; -UNLOCK TABLES; - --- --- Table structure for table `llx_cabinetmed_examaut` --- - -DROP TABLE IF EXISTS `llx_cabinetmed_examaut`; -/*!40101 SET @saved_cs_client = @@character_set_client */; -/*!40101 SET character_set_client = utf8 */; -CREATE TABLE `llx_cabinetmed_examaut` ( - `rowid` int(11) NOT NULL AUTO_INCREMENT, - `fk_soc` int(11) DEFAULT NULL, - `fk_user` int(11) DEFAULT NULL, - `dateexam` date NOT NULL, - `examprinc` varchar(64) DEFAULT NULL, - `examsec` text DEFAULT NULL, - `concprinc` varchar(64) DEFAULT NULL, - `concsec` text DEFAULT NULL, - `tms` timestamp NOT NULL DEFAULT current_timestamp() ON UPDATE current_timestamp(), - PRIMARY KEY (`rowid`) -) ENGINE=InnoDB DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; -/*!40101 SET character_set_client = @saved_cs_client */; - --- --- Dumping data for table `llx_cabinetmed_examaut` --- - -LOCK TABLES `llx_cabinetmed_examaut` WRITE; -/*!40000 ALTER TABLE `llx_cabinetmed_examaut` DISABLE KEYS */; -/*!40000 ALTER TABLE `llx_cabinetmed_examaut` ENABLE KEYS */; -UNLOCK TABLES; - --- --- Table structure for table `llx_cabinetmed_exambio` --- - -DROP TABLE IF EXISTS `llx_cabinetmed_exambio`; -/*!40101 SET @saved_cs_client = @@character_set_client */; -/*!40101 SET character_set_client = utf8 */; -CREATE TABLE `llx_cabinetmed_exambio` ( - `rowid` int(11) NOT NULL AUTO_INCREMENT, - `fk_soc` int(11) DEFAULT NULL, - `fk_user` int(11) DEFAULT NULL, - `dateexam` date NOT NULL, - `resultat` text DEFAULT NULL, - `conclusion` text DEFAULT NULL, - `comment` text DEFAULT NULL, - `suivipr_ad` int(11) DEFAULT NULL, - `suivipr_ag` int(11) DEFAULT NULL, - `suivipr_vs` int(11) DEFAULT NULL, - `suivipr_eva` int(11) DEFAULT NULL, - `suivipr_das28` double DEFAULT NULL, - `suivipr_err` int(11) DEFAULT NULL, - `suivisa_fat` int(11) DEFAULT NULL, - `suivisa_dax` int(11) DEFAULT NULL, - `suivisa_dpe` int(11) DEFAULT NULL, - `suivisa_dpa` int(11) DEFAULT NULL, - `suivisa_rno` int(11) DEFAULT NULL, - `suivisa_dma` int(11) DEFAULT NULL, - `suivisa_basdai` double DEFAULT NULL, - `tms` timestamp NOT NULL DEFAULT current_timestamp() ON UPDATE current_timestamp(), - PRIMARY KEY (`rowid`) -) ENGINE=InnoDB DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; -/*!40101 SET character_set_client = @saved_cs_client */; - --- --- Dumping data for table `llx_cabinetmed_exambio` --- - -LOCK TABLES `llx_cabinetmed_exambio` WRITE; -/*!40000 ALTER TABLE `llx_cabinetmed_exambio` DISABLE KEYS */; -/*!40000 ALTER TABLE `llx_cabinetmed_exambio` ENABLE KEYS */; -UNLOCK TABLES; - --- --- Table structure for table `llx_cabinetmed_examenprescrit` --- - -DROP TABLE IF EXISTS `llx_cabinetmed_examenprescrit`; -/*!40101 SET @saved_cs_client = @@character_set_client */; -/*!40101 SET character_set_client = utf8 */; -CREATE TABLE `llx_cabinetmed_examenprescrit` ( - `rowid` int(11) NOT NULL AUTO_INCREMENT, - `code` varchar(8) NOT NULL, - `label` varchar(64) NOT NULL, - `biorad` varchar(8) NOT NULL, - `position` int(11) DEFAULT 10, - `active` smallint(6) NOT NULL DEFAULT 1, - PRIMARY KEY (`rowid`) -) ENGINE=InnoDB AUTO_INCREMENT=43 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; -/*!40101 SET character_set_client = @saved_cs_client */; - --- --- Dumping data for table `llx_cabinetmed_examenprescrit` --- - -LOCK TABLES `llx_cabinetmed_examenprescrit` WRITE; -/*!40000 ALTER TABLE `llx_cabinetmed_examenprescrit` DISABLE KEYS */; -INSERT INTO `llx_cabinetmed_examenprescrit` VALUES (1,'AUTRE','Autre','OTHER',1,1),(2,'IRMLOMB','IRM lombaire','RADIO',10,1),(5,'TDMLOMB','TDM lombaires','RADIO',10,1),(6,'RX_BRL','Radios Bassin-Rachis Lombaire','RADIO',10,1),(7,'RX_RL','Radios Rachis Lombaire','RADIO',10,1),(8,'RX_BASS','Radios Bassin','RADIO',10,1),(9,'RX_BH','Radios Bassin et Hanches','RADIO',10,1),(10,'RX_GEN','Radios Genoux','RADIO',10,1),(11,'RX_CHEV','Radios Chevilles','RADIO',10,1),(12,'RX_AVPD','Radios Avants-Pieds','RADIO',10,1),(13,'RX_EP','Radio Epaule','RADIO',10,1),(14,'RX_MAINS','Radios Mains','RADIO',10,1),(15,'RX_COUDE','Radios Coude','RADIO',10,1),(16,'RX_RC','Radios Rachis Cervical','RADIO',10,1),(17,'RX_RD','Radios Rachis Dorsal','RADIO',10,1),(18,'RX_RCD','Radios Rachis CervicoDorsal','RADIO',10,1),(19,'RX_RDL','Radios DorsoLombaire','RADIO',10,1),(20,'RX_SCO','Bilan Radio Scoliose','RADIO',10,1),(21,'RX_RIC','Bilan Radio Rhumatisme Inflammatoire','RADIO',10,1),(22,'TDM_LOMB','Scanner Lombaire','RADIO',10,1),(23,'TDM_DORS','Scanner Dorsal','RADIO',10,1),(24,'TDM_CERV','Scanner Cervical','RADIO',10,1),(25,'TDM_HANC','Scanner Hanche','RADIO',10,1),(26,'TDM_GEN','Scanner Genou','RADIO',10,1),(27,'RX_RDL','Radios Rachis DorsoLombaire','RADIO',10,1),(28,'ARTTDMG','ArthroScanner Genou','RADIO',10,1),(29,'ARTTDME','ArthroScanner Epaule','RADIO',10,1),(30,'ARTTDMH','ArthroScanner Hanche','RADIO',10,1),(31,'IRM_GEN','IRM Genou','RADIO',10,1),(32,'IRM_HANC','IRM Hanche','RADIO',10,1),(33,'IRM_EP','IRM Epaule','RADIO',10,1),(34,'IRM_SIL','IRM SacroIliaques','RADIO',10,1),(35,'IRM_RL','IRM Rachis Lombaire','RADIO',10,1),(36,'IRM_RD','IRM Rachis Dorsal','RADIO',10,1),(37,'IRM_RC','IRM Rachis Cervical','RADIO',10,1),(38,'ELECMI','Electromiogramme','RADIO',10,1),(39,'NFS','NFS','BIO',10,1),(40,'BILPHO','Bilan Phosphocalcique','BIO',10,1),(41,'VSCRP','VS/CRP','BIO',10,1),(42,'EPP','Electrophorèse Protéine Plasmatique','BIO',10,1); -/*!40000 ALTER TABLE `llx_cabinetmed_examenprescrit` ENABLE KEYS */; -UNLOCK TABLES; - --- --- Table structure for table `llx_cabinetmed_motifcons` --- - -DROP TABLE IF EXISTS `llx_cabinetmed_motifcons`; -/*!40101 SET @saved_cs_client = @@character_set_client */; -/*!40101 SET character_set_client = utf8 */; -CREATE TABLE `llx_cabinetmed_motifcons` ( - `rowid` int(11) NOT NULL AUTO_INCREMENT, - `code` varchar(8) NOT NULL, - `label` varchar(64) NOT NULL, - `position` int(11) DEFAULT 10, - `lang` varchar(12) DEFAULT NULL, - `active` smallint(6) NOT NULL DEFAULT 1, - PRIMARY KEY (`rowid`) -) ENGINE=InnoDB AUTO_INCREMENT=54 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; -/*!40101 SET character_set_client = @saved_cs_client */; - --- --- Dumping data for table `llx_cabinetmed_motifcons` --- - -LOCK TABLES `llx_cabinetmed_motifcons` WRITE; -/*!40000 ALTER TABLE `llx_cabinetmed_motifcons` DISABLE KEYS */; -INSERT INTO `llx_cabinetmed_motifcons` VALUES (5,'AUTRE','Autre',1,NULL,1),(6,'DORS','Dorsalgie',10,NULL,1),(7,'DOLMSD','Douleur Membre supérieur Droit',10,NULL,1),(8,'DOLMSG','Douleur Membre supérieur Gauche',10,NULL,1),(9,'DOLMID','Douleur Membre inférieur Droit',10,NULL,1),(10,'DOLMIG','Douleur Membre inférieur Gauche',10,NULL,1),(11,'PARESM','Paresthésie des mains',10,NULL,1),(12,'DOLEPG','Douleur épaule gauche',10,NULL,1),(13,'DOLEPD','Douleur épaule droite',10,NULL,1),(14,'GONAD','Gonaglie droite',10,NULL,1),(15,'GONAG','Gonalgie gauche',10,NULL,1),(16,'DOLPD','Douleur Pied Droit',10,NULL,1),(17,'DOUL_MIN','Douleur Membre Inférieur',10,NULL,1),(18,'POLYAR','Polyarthralgie',10,NULL,1),(19,'SUIVIPR','Suivi PR',10,NULL,1),(20,'SUIVISPA','Suivi SPA',10,NULL,1),(21,'SUIVIRIC','Suivi RI',10,NULL,1),(22,'SUIVIPPR','Suivi PPR',10,NULL,1),(23,'DOLINGD','Douleur inguinale Droit',10,NULL,1),(24,'DOLINGG','Douleur inguinale Gauche',10,NULL,1),(25,'DOLCOUDD','Douleur coude Droit',10,NULL,1),(26,'DOLCOUDG','Douleur coude Gauche',10,NULL,1),(27,'TALAL','Talalgie',10,NULL,1),(28,'DOLTENDC','Douleur tandous Calcanien',10,NULL,1),(29,'DEROB','Dérobement Membres Inférieurs',10,NULL,1),(30,'LOMB_MEC','Lombalgies Mécaniques',10,NULL,1),(31,'LOMB_INF','Lombalgies Inflammatoires',10,NULL,1),(32,'DORS_MEC','Dorsalgies Mécaniques',10,NULL,1),(33,'DORS_INF','Dorsalgies Inflammatoires',10,NULL,1),(34,'CERV_MEC','Cervicalgies Mécaniques',10,NULL,1),(35,'SCIAT','LomboSciatique ',10,NULL,1),(36,'CRUR','LomboCruralgie',10,NULL,1),(37,'DOUL_SUP','Douleur Membre Supérieur',10,NULL,1),(38,'INGUINAL','Inguinalgie',10,NULL,1),(39,'CERV_INF','Cervicalgies Inflammatoires',10,NULL,1),(40,'DOUL_EP','Douleur Epaule',10,NULL,1),(41,'DOUL_POI','Douleur Poignet',10,NULL,1),(42,'DOUL_GEN','Douleur Genou',10,NULL,1),(43,'DOUL_COU','Douleur Coude',10,NULL,1),(44,'DOUL_HAN','Douleur Hanche',10,NULL,1),(45,'PAR_MBRS','Paresthésies Membres Inférieurs',10,NULL,1),(46,'PAR_MBRI','Paresthésies Membres Supérieurs',10,NULL,1),(47,'TR_RACHI','Traumatisme Rachis',10,NULL,1),(48,'TR_MBRS','Traumatisme Membres Supérieurs',10,NULL,1),(49,'TR_MBRI','Traumatisme Membres Inférieurs',10,NULL,1),(50,'FAT_MBRI','Fatiguabilité Membres Inférieurs',10,NULL,1),(51,'DOUL_CHE','Douleur Cheville',10,NULL,1),(52,'DOUL_PD','Douleur Pied',10,NULL,1),(53,'DOUL_MA','Douleur Main',10,NULL,1); -/*!40000 ALTER TABLE `llx_cabinetmed_motifcons` ENABLE KEYS */; -UNLOCK TABLES; - --- --- Table structure for table `llx_cabinetmed_patient` --- - -DROP TABLE IF EXISTS `llx_cabinetmed_patient`; -/*!40101 SET @saved_cs_client = @@character_set_client */; -/*!40101 SET character_set_client = utf8 */; -CREATE TABLE `llx_cabinetmed_patient` ( - `rowid` int(11) NOT NULL AUTO_INCREMENT, - `note_antemed` text DEFAULT NULL, - `note_antechirgen` text DEFAULT NULL, - `note_antechirortho` text DEFAULT NULL, - `note_anterhum` text DEFAULT NULL, - `note_other` text DEFAULT NULL, - `note_traitclass` text DEFAULT NULL, - `note_traitallergie` text DEFAULT NULL, - `note_traitintol` text DEFAULT NULL, - `note_traitspec` text DEFAULT NULL, - `alert_antemed` smallint(6) DEFAULT NULL, - `alert_antechirgen` smallint(6) DEFAULT NULL, - `alert_antechirortho` smallint(6) DEFAULT NULL, - `alert_anterhum` smallint(6) DEFAULT NULL, - `alert_other` smallint(6) DEFAULT NULL, - `alert_traitclass` smallint(6) DEFAULT NULL, - `alert_traitallergie` smallint(6) DEFAULT NULL, - `alert_traitintol` smallint(6) DEFAULT NULL, - `alert_traitspec` smallint(6) DEFAULT NULL, - `alert_note` smallint(6) DEFAULT NULL, - PRIMARY KEY (`rowid`) -) ENGINE=InnoDB DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; -/*!40101 SET character_set_client = @saved_cs_client */; - --- --- Dumping data for table `llx_cabinetmed_patient` --- - -LOCK TABLES `llx_cabinetmed_patient` WRITE; -/*!40000 ALTER TABLE `llx_cabinetmed_patient` DISABLE KEYS */; -/*!40000 ALTER TABLE `llx_cabinetmed_patient` ENABLE KEYS */; -UNLOCK TABLES; - --- --- Table structure for table `llx_cabinetmed_societe` --- - -DROP TABLE IF EXISTS `llx_cabinetmed_societe`; -/*!40101 SET @saved_cs_client = @@character_set_client */; -/*!40101 SET character_set_client = utf8 */; -CREATE TABLE `llx_cabinetmed_societe` ( - `rowid` int(11) NOT NULL AUTO_INCREMENT, - `nom` varchar(60) DEFAULT NULL, - `entity` int(11) NOT NULL DEFAULT 1, - `ref_ext` varchar(128) DEFAULT NULL, - `ref_int` varchar(60) DEFAULT NULL, - `statut` smallint(6) DEFAULT 0, - `parent` int(11) DEFAULT NULL, - `tms` timestamp NOT NULL DEFAULT current_timestamp() ON UPDATE current_timestamp(), - `datec` datetime DEFAULT NULL, - `datea` datetime DEFAULT NULL, - `status` smallint(6) DEFAULT 1, - `code_client` varchar(24) DEFAULT NULL, - `code_fournisseur` varchar(24) DEFAULT NULL, - `code_compta` varchar(24) DEFAULT NULL, - `code_compta_fournisseur` varchar(24) DEFAULT NULL, - `address` varchar(255) DEFAULT NULL, - `cp` varchar(10) DEFAULT NULL, - `ville` varchar(50) DEFAULT NULL, - `fk_departement` int(11) DEFAULT 0, - `fk_pays` int(11) DEFAULT 0, - `tel` varchar(20) DEFAULT NULL, - `fax` varchar(20) DEFAULT NULL, - `url` varchar(255) DEFAULT NULL, - `email` varchar(128) DEFAULT NULL, - `fk_effectif` int(11) DEFAULT 0, - `fk_typent` int(11) DEFAULT 0, - `fk_forme_juridique` int(11) DEFAULT 0, - `fk_currency` int(11) DEFAULT 0, - `siren` varchar(128) DEFAULT NULL, - `siret` varchar(128) DEFAULT NULL, - `ape` varchar(128) DEFAULT NULL, - `idprof4` varchar(128) DEFAULT NULL, - `idprof5` varchar(128) DEFAULT NULL, - `idprof6` varchar(128) DEFAULT NULL, - `tva_intra` varchar(20) DEFAULT NULL, - `capital` double DEFAULT NULL, - `fk_stcomm` int(11) NOT NULL DEFAULT 0, - `note` text DEFAULT NULL, - `prefix_comm` varchar(5) DEFAULT NULL, - `client` smallint(6) DEFAULT 0, - `fournisseur` smallint(6) DEFAULT 0, - `supplier_account` varchar(32) DEFAULT NULL, - `fk_prospectlevel` varchar(12) DEFAULT NULL, - `customer_bad` smallint(6) DEFAULT 0, - `customer_rate` double DEFAULT 0, - `supplier_rate` double DEFAULT 0, - `fk_user_creat` int(11) DEFAULT NULL, - `fk_user_modif` int(11) DEFAULT NULL, - `remise_client` double DEFAULT 0, - `mode_reglement` smallint(6) DEFAULT NULL, - `cond_reglement` smallint(6) DEFAULT NULL, - `tva_assuj` smallint(6) DEFAULT 1, - `localtax1_assuj` smallint(6) DEFAULT 0, - `localtax2_assuj` smallint(6) DEFAULT 0, - `barcode` varchar(255) DEFAULT NULL, - `fk_barcode_type` int(11) DEFAULT 0, - `price_level` int(11) DEFAULT NULL, - `default_lang` varchar(6) DEFAULT NULL, - `logo` varchar(255) DEFAULT NULL, - `canvas` varchar(32) DEFAULT NULL, - `import_key` varchar(14) DEFAULT NULL, - PRIMARY KEY (`rowid`) -) ENGINE=InnoDB DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; -/*!40101 SET character_set_client = @saved_cs_client */; - --- --- Dumping data for table `llx_cabinetmed_societe` --- - -LOCK TABLES `llx_cabinetmed_societe` WRITE; -/*!40000 ALTER TABLE `llx_cabinetmed_societe` DISABLE KEYS */; -/*!40000 ALTER TABLE `llx_cabinetmed_societe` ENABLE KEYS */; -UNLOCK TABLES; - -- -- Table structure for table `llx_categorie` -- @@ -4215,7 +3810,7 @@ CREATE TABLE `llx_commande` ( LOCK TABLES `llx_commande` WRITE; /*!40000 ALTER TABLE `llx_commande` DISABLE KEYS */; -INSERT INTO `llx_commande` VALUES (1,'2023-08-13 15:39:14',1,NULL,'CO1107-0002',1,NULL,NULL,'','2013-07-20 15:23:12','2023-08-08 13:59:09',NULL,'2023-07-20',1,NULL,1,NULL,NULL,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,'','','einstein',0,NULL,NULL,1,NULL,1,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(2,'2023-08-13 15:39:14',1,NULL,'CO1107-0003',1,NULL,NULL,'','2013-07-20 23:20:12','2023-02-12 17:06:51',NULL,'2023-07-21',1,NULL,1,NULL,NULL,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,'','','einstein',0,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(3,'2023-08-13 15:39:14',1,NULL,'CO1107-0004',1,NULL,NULL,'','2013-07-20 23:22:53','2023-02-17 18:27:56',NULL,'2023-07-21',1,NULL,1,NULL,NULL,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,30.00000000,30.00000000,'','','einstein',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(5,'2023-08-13 15:39:14',1,NULL,'CO1108-0001',1,NULL,NULL,'','2013-08-08 03:04:11','2023-08-08 03:04:21',NULL,'2023-08-08',1,NULL,1,NULL,NULL,2,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,'','','einstein',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(6,'2023-08-13 15:39:14',19,NULL,'(PROV6)',1,NULL,NULL,'','2015-02-17 16:22:14',NULL,NULL,'2023-02-17',1,NULL,NULL,NULL,NULL,0,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,'','','einstein',0,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,'commande/(PROV6)/(PROV6).pdf',NULL,NULL),(17,'2023-08-13 15:39:14',4,NULL,'CO7001-0005',1,NULL,NULL,NULL,'2017-02-15 23:50:34','2022-02-15 23:50:34',NULL,'2023-05-13',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,509.00000000,509.00000000,'','','',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,509.00000000,0.00000000,509.00000000,NULL,NULL,NULL),(18,'2023-08-13 15:39:14',7,4,'CO7001-0006',1,NULL,NULL,NULL,'2017-02-15 23:51:23','2022-02-15 23:51:23',NULL,'2023-02-03',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,900.00000000,900.00000000,'','','',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,900.00000000,0.00000000,900.00000000,NULL,NULL,NULL),(20,'2023-08-13 15:39:14',4,NULL,'CO7001-0007',1,NULL,NULL,NULL,'2017-02-15 23:55:52','2022-02-15 23:55:52',NULL,'2023-04-03',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,330.00000000,330.00000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,330.00000000,0.00000000,330.00000000,NULL,NULL,NULL),(29,'2023-08-13 15:39:14',4,NULL,'CO7001-0008',1,NULL,NULL,NULL,'2017-02-16 00:03:44','2023-02-16 00:03:44',NULL,'2023-02-12',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,457.00000000,457.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,2,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,457.00000000,0.00000000,457.00000000,NULL,NULL,NULL),(34,'2023-08-13 15:39:14',11,NULL,'CO7001-0009',1,NULL,NULL,NULL,'2017-02-16 00:05:01','2022-02-16 00:05:01',NULL,'2023-01-03',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,124.00000000,124.00000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,2,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,124.00000000,0.00000000,124.00000000,NULL,NULL,NULL),(38,'2023-08-13 15:39:14',3,NULL,'CO7001-0010',1,NULL,NULL,NULL,'2017-02-16 00:05:01','2022-02-16 00:05:01',NULL,'2023-02-03',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,200.00000000,200.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,2,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,200.00000000,0.00000000,200.00000000,NULL,NULL,NULL),(40,'2023-08-13 15:39:14',11,NULL,'CO7001-0011',1,NULL,NULL,NULL,'2017-02-16 00:05:10','2022-02-16 00:05:11',NULL,'2023-01-23',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,1210.00000000,1210.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,1210.00000000,0.00000000,1210.00000000,NULL,NULL,NULL),(43,'2023-08-13 15:39:14',10,NULL,'CO7001-0012',1,NULL,NULL,NULL,'2017-02-16 00:05:11','2023-02-16 00:05:11',NULL,'2023-02-13',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,478.00000000,478.00000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,2,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,478.00000000,0.00000000,478.00000000,NULL,NULL,NULL),(47,'2022-12-11 21:23:22',1,NULL,'CO7001-0013',1,NULL,NULL,NULL,'2017-02-16 00:05:11','2022-02-16 00:05:11',NULL,'2022-11-13',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,55.00000000,55.00000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,1,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,55.00000000,0.00000000,55.00000000,NULL,NULL,NULL),(48,'2023-08-13 15:39:14',4,NULL,'CO7001-0014',1,NULL,NULL,NULL,'2017-02-16 00:05:11','2023-02-16 00:05:11',NULL,'2023-07-30',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,540.00000000,540.00000000,'','','',0,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,540.00000000,0.00000000,540.00000000,NULL,NULL,NULL),(50,'2023-08-13 15:39:14',1,NULL,'CO7001-0015',1,NULL,NULL,NULL,'2017-02-16 00:05:26','2023-02-16 00:05:26',NULL,'2022-12-12',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,118.00000000,118.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,1,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,118.00000000,0.00000000,118.00000000,NULL,NULL,NULL),(54,'2023-08-13 15:39:14',12,NULL,'CO7001-0016',1,NULL,NULL,NULL,'2017-02-16 00:05:26','2022-02-16 00:05:26','2022-02-16 03:05:56','2023-06-03',12,NULL,12,12,1,3,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,220.00000000,220.00000000,'','','',1,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,220.00000000,0.00000000,220.00000000,NULL,NULL,NULL),(58,'2023-08-13 15:39:14',1,NULL,'CO7001-0017',1,NULL,NULL,NULL,'2017-02-16 00:05:26','2023-02-16 00:05:26',NULL,'2023-07-23',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,436.00000000,436.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,2,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,436.00000000,0.00000000,436.00000000,NULL,NULL,NULL),(62,'2023-08-13 15:39:14',19,NULL,'CO7001-0018',1,NULL,NULL,NULL,'2017-02-16 00:05:35','2022-02-16 00:05:35','2022-12-20 20:48:55','2023-02-23',12,NULL,12,12,1,3,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,410.00000000,410.00000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,1,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,410.00000000,0.00000000,410.00000000,NULL,NULL,NULL),(68,'2023-08-13 15:39:14',3,NULL,'CO7001-0019',1,NULL,NULL,NULL,'2017-02-16 00:05:35','2022-02-16 00:05:35',NULL,'2023-05-19',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,45.00000000,45.00000000,'','','',0,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,45.00000000,0.00000000,45.00000000,NULL,NULL,NULL),(72,'2022-12-11 21:23:22',6,NULL,'CO7001-0020',1,NULL,NULL,NULL,'2017-02-16 00:05:36','2022-02-16 00:05:36','2022-01-16 02:42:56','2022-11-13',12,NULL,12,12,1,3,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,610.00000000,610.00000000,'','','',1,NULL,NULL,NULL,NULL,NULL,NULL,2,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,610.00000000,0.00000000,610.00000000,NULL,NULL,NULL),(75,'2023-08-13 15:39:14',4,NULL,'CO7001-0021',1,NULL,NULL,NULL,'2017-02-16 00:05:37','2022-02-16 04:14:20',NULL,'2023-02-13',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,25.00000000,49.88000000,0.00000000,0.00000000,1200.00000000,1274.88000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,1200.00000000,25.00000000,1274.88000000,NULL,NULL,NULL),(78,'2022-12-11 21:23:22',12,NULL,'CO7001-0022',1,NULL,NULL,NULL,'2017-02-16 00:05:37','2022-02-16 00:05:37',NULL,'2022-10-03',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,928.00000000,928.00000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,2,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,928.00000000,0.00000000,928.00000000,NULL,NULL,NULL),(81,'2023-08-13 15:39:14',11,NULL,'CO7001-0023',1,NULL,NULL,NULL,'2017-02-16 00:05:38','2023-02-16 00:05:38',NULL,'2023-07-03',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,725.00000000,725.00000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,1,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,725.00000000,0.00000000,725.00000000,NULL,NULL,NULL),(83,'2023-08-13 15:39:14',26,NULL,'CO7001-0024',1,NULL,NULL,NULL,'2017-02-16 00:05:38','2022-02-16 00:05:38',NULL,'2023-04-03',12,NULL,12,NULL,1,-1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,105.00000000,105.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,1,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,105.00000000,0.00000000,105.00000000,NULL,NULL,NULL),(84,'2023-08-13 15:39:14',2,NULL,'CO7001-0025',1,NULL,NULL,NULL,'2017-02-16 00:05:38','2023-02-16 00:05:38',NULL,'2023-06-19',12,12,12,NULL,1,0,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,510.00000000,510.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,2,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,510.00000000,0.00000000,510.00000000,'commande/CO7001-0025/CO7001-0025.pdf',NULL,NULL),(85,'2023-08-13 15:39:14',1,NULL,'CO7001-0026',1,NULL,NULL,NULL,'2017-02-16 00:05:38','2022-02-16 00:05:38',NULL,'2023-01-03',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,47.00000000,47.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,47.00000000,0.00000000,47.00000000,NULL,NULL,NULL),(88,'2023-08-13 15:39:14',10,NULL,'CO7001-0027',1,NULL,NULL,NULL,'2017-02-16 00:05:38','2022-12-20 20:42:42',NULL,'2022-12-23',12,12,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,50.00000000,50.00000000,'This is a private note','This is a public note','',0,NULL,NULL,1,NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,50.00000000,0.00000000,50.00000000,'commande/CO7001-0027/CO7001-0027.pdf',NULL,NULL),(90,'2023-08-13 15:39:14',19,NULL,'(PROV90)',1,NULL,NULL,NULL,'2017-02-16 04:46:31',NULL,NULL,'2023-02-16',12,NULL,NULL,NULL,NULL,0,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,440.00000000,440.00000000,'','','',0,NULL,NULL,3,NULL,3,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,440.00000000,0.00000000,440.00000000,NULL,NULL,NULL),(91,'2023-08-13 15:39:14',1,NULL,'(PROV91)',1,NULL,NULL,NULL,'2017-02-16 04:46:37',NULL,NULL,'2023-02-16',12,NULL,NULL,NULL,NULL,0,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,1000.00000000,1000.00000000,'','','',0,NULL,NULL,3,NULL,3,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,1000.00000000,0.00000000,1000.00000000,NULL,NULL,NULL),(92,'2023-08-13 15:39:14',3,NULL,'(PROV92)',1,NULL,NULL,NULL,'2017-02-16 04:47:25',NULL,NULL,'2023-02-16',12,NULL,NULL,NULL,NULL,0,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,1018.00000000,1018.00000000,'','','',0,NULL,NULL,3,NULL,3,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,1018.00000000,0.00000000,1018.00000000,NULL,NULL,NULL),(93,'2022-12-11 21:23:22',10,NULL,'(PROV93)',1,NULL,NULL,NULL,'2019-09-27 19:32:53',NULL,NULL,'2022-09-27',12,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,'','','einstein',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',1,'EUR',1.00000000,0.00000000,0.00000000,0.00000000,'commande/(PROV93)/(PROV93).pdf',NULL,NULL),(94,'2023-08-13 15:39:14',1,NULL,'(PROV94)',1,NULL,NULL,NULL,'2019-12-20 20:49:54',NULL,NULL,'2022-12-20',12,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,1000.00000000,1000.00000000,'','','',0,NULL,NULL,3,NULL,3,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,1000.00000000,0.00000000,1000.00000000,NULL,NULL,NULL),(95,'2023-08-13 15:39:14',1,NULL,'(PROV95)',1,NULL,NULL,NULL,'2019-12-20 20:50:23',NULL,NULL,'2022-12-20',12,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,1000.00000000,1000.00000000,'','','',0,NULL,NULL,3,NULL,3,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,1000.00000000,0.00000000,1000.00000000,NULL,NULL,NULL),(96,'2023-08-13 15:39:14',10,6,'(PROV96)',1,NULL,NULL,NULL,'2020-01-07 23:39:09',NULL,NULL,'2023-01-07',12,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,'aaa','','',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,10.00000000,0.00000000,10.00000000,NULL,NULL,NULL),(97,'2023-08-13 15:39:14',10,6,'(PROV97)',1,NULL,NULL,NULL,'2020-01-07 23:43:06',NULL,NULL,'2023-01-07',12,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,'aaa','','',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,10.00000000,0.00000000,10.00000000,NULL,NULL,NULL),(98,'2023-08-13 15:39:14',1,NULL,'CO2201-0028',1,NULL,NULL,NULL,'2020-01-19 14:22:34','2023-03-01 19:37:33',NULL,'2023-01-19',12,12,12,NULL,NULL,1,NULL,0,NULL,0,0.00000000,0.45000000,0.45000000,0.00000000,3.00000000,3.90000000,'','','',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,3.00000000,0.00000000,3.90000000,'commande/CO2201-0028/CO2201-0028.pdf',NULL,NULL),(99,'2023-08-13 15:39:14',1,NULL,'(PROV99)',1,NULL,NULL,NULL,'2020-01-19 14:24:27',NULL,NULL,'2023-01-19',12,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0.24000000,0.00000000,0.00000000,0.00000000,4.00000000,4.24000000,'','','',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,4.00000000,0.24000000,4.24000000,NULL,NULL,NULL),(100,'2023-03-11 18:54:38',1,NULL,'(PROV100)',1,NULL,NULL,NULL,'2023-03-11 15:54:11',NULL,NULL,'2023-03-11',12,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,1.80000000,0.90000000,0.90000000,0.00000000,20.00000000,23.60000000,'','','einstein',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',1,'EUR',1.00000000,20.00000000,1.80000000,23.60000000,'commande/(PROV100)/(PROV100).pdf',NULL,NULL); +INSERT INTO `llx_commande` VALUES (1,'2023-08-13 15:39:14',1,NULL,'CO1107-0002',1,NULL,NULL,'','2013-07-20 15:23:12','2023-08-08 13:59:09',NULL,'2023-07-20',1,NULL,1,NULL,NULL,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,'','','einstein',0,NULL,NULL,1,NULL,1,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(2,'2023-08-13 15:39:14',1,NULL,'CO1107-0003',1,NULL,NULL,'','2013-07-20 23:20:12','2023-02-12 17:06:51',NULL,'2023-07-21',1,NULL,1,NULL,NULL,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,'','','einstein',0,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(3,'2023-08-13 15:39:14',1,NULL,'CO1107-0004',1,NULL,NULL,'','2013-07-20 23:22:53','2023-02-17 18:27:56',NULL,'2023-07-21',1,NULL,1,NULL,NULL,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,30.00000000,30.00000000,'','','einstein',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(5,'2023-08-13 15:39:14',1,NULL,'CO1108-0001',1,NULL,NULL,'','2013-08-08 03:04:11','2023-08-08 03:04:21',NULL,'2023-08-08',1,NULL,1,NULL,NULL,2,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,'','','einstein',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(6,'2023-08-13 15:39:14',19,NULL,'(PROV6)',1,NULL,NULL,'','2015-02-17 16:22:14',NULL,NULL,'2023-02-17',1,NULL,NULL,NULL,NULL,0,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,'','','einstein',0,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,'commande/(PROV6)/(PROV6).pdf',NULL,NULL),(17,'2023-08-13 15:39:14',4,NULL,'CO7001-0005',1,NULL,NULL,NULL,'2017-02-15 23:50:34','2022-02-15 23:50:34',NULL,'2023-05-13',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,509.00000000,509.00000000,'','','',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,509.00000000,0.00000000,509.00000000,NULL,NULL,NULL),(18,'2023-08-13 15:39:14',7,4,'CO7001-0006',1,NULL,NULL,NULL,'2017-02-15 23:51:23','2022-02-15 23:51:23',NULL,'2023-02-03',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,900.00000000,900.00000000,'','','',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,900.00000000,0.00000000,900.00000000,NULL,NULL,NULL),(20,'2023-08-13 15:39:14',4,NULL,'CO7001-0007',1,NULL,NULL,NULL,'2017-02-15 23:55:52','2022-02-15 23:55:52',NULL,'2023-04-03',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,330.00000000,330.00000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,330.00000000,0.00000000,330.00000000,NULL,NULL,NULL),(29,'2023-08-13 15:39:14',4,NULL,'CO7001-0008',1,NULL,NULL,NULL,'2017-02-16 00:03:44','2023-02-16 00:03:44',NULL,'2023-02-12',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,457.00000000,457.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,2,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,457.00000000,0.00000000,457.00000000,NULL,NULL,NULL),(34,'2024-01-03 16:32:23',11,NULL,'CO7001-0009',1,NULL,NULL,NULL,'2017-02-16 00:05:01','2023-02-16 00:05:01',NULL,'2024-01-03',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,124.00000000,124.00000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,2,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,124.00000000,0.00000000,124.00000000,NULL,NULL,NULL),(38,'2023-08-13 15:39:14',3,NULL,'CO7001-0010',1,NULL,NULL,NULL,'2017-02-16 00:05:01','2022-02-16 00:05:01',NULL,'2023-02-03',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,200.00000000,200.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,2,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,200.00000000,0.00000000,200.00000000,NULL,NULL,NULL),(40,'2023-08-13 15:39:14',11,NULL,'CO7001-0011',1,NULL,NULL,NULL,'2017-02-16 00:05:10','2022-02-16 00:05:11',NULL,'2023-01-23',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,1210.00000000,1210.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,1210.00000000,0.00000000,1210.00000000,NULL,NULL,NULL),(43,'2023-08-13 15:39:14',10,NULL,'CO7001-0012',1,NULL,NULL,NULL,'2017-02-16 00:05:11','2023-02-16 00:05:11',NULL,'2023-02-13',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,478.00000000,478.00000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,2,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,478.00000000,0.00000000,478.00000000,NULL,NULL,NULL),(47,'2024-01-03 16:32:23',1,NULL,'CO7001-0013',1,NULL,NULL,NULL,'2017-02-16 00:05:11','2023-02-16 00:05:11',NULL,'2023-11-13',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,55.00000000,55.00000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,1,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,55.00000000,0.00000000,55.00000000,NULL,NULL,NULL),(48,'2023-08-13 15:39:14',4,NULL,'CO7001-0014',1,NULL,NULL,NULL,'2017-02-16 00:05:11','2023-02-16 00:05:11',NULL,'2023-07-30',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,540.00000000,540.00000000,'','','',0,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,540.00000000,0.00000000,540.00000000,NULL,NULL,NULL),(50,'2024-01-03 16:32:23',1,NULL,'CO7001-0015',1,NULL,NULL,NULL,'2017-02-16 00:05:26','2024-02-16 00:05:26',NULL,'2023-12-12',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,118.00000000,118.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,1,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,118.00000000,0.00000000,118.00000000,NULL,NULL,NULL),(54,'2023-08-13 15:39:14',12,NULL,'CO7001-0016',1,NULL,NULL,NULL,'2017-02-16 00:05:26','2022-02-16 00:05:26','2022-02-16 03:05:56','2023-06-03',12,NULL,12,12,1,3,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,220.00000000,220.00000000,'','','',1,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,220.00000000,0.00000000,220.00000000,NULL,NULL,NULL),(58,'2023-08-13 15:39:14',1,NULL,'CO7001-0017',1,NULL,NULL,NULL,'2017-02-16 00:05:26','2023-02-16 00:05:26',NULL,'2023-07-23',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,436.00000000,436.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,2,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,436.00000000,0.00000000,436.00000000,NULL,NULL,NULL),(62,'2023-08-13 15:39:14',19,NULL,'CO7001-0018',1,NULL,NULL,NULL,'2017-02-16 00:05:35','2022-02-16 00:05:35','2022-12-20 20:48:55','2023-02-23',12,NULL,12,12,1,3,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,410.00000000,410.00000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,1,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,410.00000000,0.00000000,410.00000000,NULL,NULL,NULL),(68,'2023-08-13 15:39:14',3,NULL,'CO7001-0019',1,NULL,NULL,NULL,'2017-02-16 00:05:35','2022-02-16 00:05:35',NULL,'2023-05-19',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,45.00000000,45.00000000,'','','',0,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,45.00000000,0.00000000,45.00000000,NULL,NULL,NULL),(72,'2024-01-03 16:32:23',6,NULL,'CO7001-0020',1,NULL,NULL,NULL,'2017-02-16 00:05:36','2023-02-16 00:05:36','2023-01-16 02:42:56','2023-11-13',12,NULL,12,12,1,3,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,610.00000000,610.00000000,'','','',1,NULL,NULL,NULL,NULL,NULL,NULL,2,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,610.00000000,0.00000000,610.00000000,NULL,NULL,NULL),(75,'2023-08-13 15:39:14',4,NULL,'CO7001-0021',1,NULL,NULL,NULL,'2017-02-16 00:05:37','2022-02-16 04:14:20',NULL,'2023-02-13',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,25.00000000,49.88000000,0.00000000,0.00000000,1200.00000000,1274.88000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,1200.00000000,25.00000000,1274.88000000,NULL,NULL,NULL),(78,'2024-01-03 16:32:23',12,NULL,'CO7001-0022',1,NULL,NULL,NULL,'2017-02-16 00:05:37','2023-02-16 00:05:37',NULL,'2023-10-03',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,928.00000000,928.00000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,2,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,928.00000000,0.00000000,928.00000000,NULL,NULL,NULL),(81,'2023-08-13 15:39:14',11,NULL,'CO7001-0023',1,NULL,NULL,NULL,'2017-02-16 00:05:38','2023-02-16 00:05:38',NULL,'2023-07-03',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,725.00000000,725.00000000,'','','',0,NULL,NULL,2,NULL,NULL,NULL,1,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,725.00000000,0.00000000,725.00000000,NULL,NULL,NULL),(83,'2023-08-13 15:39:14',26,NULL,'CO7001-0024',1,NULL,NULL,NULL,'2017-02-16 00:05:38','2022-02-16 00:05:38',NULL,'2023-04-03',12,NULL,12,NULL,1,-1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,105.00000000,105.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,1,NULL,1,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,105.00000000,0.00000000,105.00000000,NULL,NULL,NULL),(84,'2023-08-13 15:39:14',2,NULL,'CO7001-0025',1,NULL,NULL,NULL,'2017-02-16 00:05:38','2023-02-16 00:05:38',NULL,'2023-06-19',12,12,12,NULL,1,0,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,510.00000000,510.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,2,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,510.00000000,0.00000000,510.00000000,'commande/CO7001-0025/CO7001-0025.pdf',NULL,NULL),(85,'2024-01-03 16:32:23',1,NULL,'CO7001-0026',1,NULL,NULL,NULL,'2017-02-16 00:05:38','2023-02-16 00:05:38',NULL,'2024-01-03',12,NULL,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,47.00000000,47.00000000,'','','',0,NULL,NULL,1,NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,47.00000000,0.00000000,47.00000000,NULL,NULL,NULL),(88,'2024-01-03 16:32:23',10,NULL,'CO7001-0027',1,NULL,NULL,NULL,'2017-02-16 00:05:38','2023-12-20 20:42:42',NULL,'2023-12-23',12,12,12,NULL,1,1,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,50.00000000,50.00000000,'This is a private note','This is a public note','',0,NULL,NULL,1,NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,50.00000000,0.00000000,50.00000000,'commande/CO7001-0027/CO7001-0027.pdf',NULL,NULL),(90,'2023-08-13 15:39:14',19,NULL,'(PROV90)',1,NULL,NULL,NULL,'2017-02-16 04:46:31',NULL,NULL,'2023-02-16',12,NULL,NULL,NULL,NULL,0,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,440.00000000,440.00000000,'','','',0,NULL,NULL,3,NULL,3,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,440.00000000,0.00000000,440.00000000,NULL,NULL,NULL),(91,'2023-08-13 15:39:14',1,NULL,'(PROV91)',1,NULL,NULL,NULL,'2017-02-16 04:46:37',NULL,NULL,'2023-02-16',12,NULL,NULL,NULL,NULL,0,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,1000.00000000,1000.00000000,'','','',0,NULL,NULL,3,NULL,3,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,1000.00000000,0.00000000,1000.00000000,NULL,NULL,NULL),(92,'2023-08-13 15:39:14',3,NULL,'(PROV92)',1,NULL,NULL,NULL,'2017-02-16 04:47:25',NULL,NULL,'2023-02-16',12,NULL,NULL,NULL,NULL,0,0.00000000,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,1018.00000000,1018.00000000,'','','',0,NULL,NULL,3,NULL,3,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,1018.00000000,0.00000000,1018.00000000,NULL,NULL,NULL),(93,'2024-01-03 16:32:23',10,NULL,'(PROV93)',1,NULL,NULL,NULL,'2019-09-27 19:32:53',NULL,NULL,'2023-09-27',12,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,'','','einstein',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',1,'EUR',1.00000000,0.00000000,0.00000000,0.00000000,'commande/(PROV93)/(PROV93).pdf',NULL,NULL),(94,'2024-01-03 16:32:23',1,NULL,'(PROV94)',1,NULL,NULL,NULL,'2019-12-20 20:49:54',NULL,NULL,'2023-12-20',12,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,1000.00000000,1000.00000000,'','','',0,NULL,NULL,3,NULL,3,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,1000.00000000,0.00000000,1000.00000000,NULL,NULL,NULL),(95,'2024-01-03 16:32:23',1,NULL,'(PROV95)',1,NULL,NULL,NULL,'2019-12-20 20:50:23',NULL,NULL,'2023-12-20',12,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,1000.00000000,1000.00000000,'','','',0,NULL,NULL,3,NULL,3,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,1000.00000000,0.00000000,1000.00000000,NULL,NULL,NULL),(96,'2023-08-13 15:39:14',10,6,'(PROV96)',1,NULL,NULL,NULL,'2020-01-07 23:39:09',NULL,NULL,'2023-01-07',12,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,'aaa','','',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,10.00000000,0.00000000,10.00000000,NULL,NULL,NULL),(97,'2023-08-13 15:39:14',10,6,'(PROV97)',1,NULL,NULL,NULL,'2020-01-07 23:43:06',NULL,NULL,'2023-01-07',12,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,'aaa','','',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,10.00000000,0.00000000,10.00000000,NULL,NULL,NULL),(98,'2023-08-13 15:39:14',1,NULL,'CO2201-0028',1,NULL,NULL,NULL,'2020-01-19 14:22:34','2023-03-01 19:37:33',NULL,'2023-01-19',12,12,12,NULL,NULL,1,NULL,0,NULL,0,0.00000000,0.45000000,0.45000000,0.00000000,3.00000000,3.90000000,'','','',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,3.00000000,0.00000000,3.90000000,'commande/CO2201-0028/CO2201-0028.pdf',NULL,NULL),(99,'2023-08-13 15:39:14',1,NULL,'(PROV99)',1,NULL,NULL,NULL,'2020-01-19 14:24:27',NULL,NULL,'2023-01-19',12,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,0.24000000,0.00000000,0.00000000,0.00000000,4.00000000,4.24000000,'','','',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',0,'EUR',1.00000000,4.00000000,0.24000000,4.24000000,NULL,NULL,NULL),(100,'2023-03-11 18:54:38',1,NULL,'(PROV100)',1,NULL,NULL,NULL,'2023-03-11 15:54:11',NULL,NULL,'2023-03-11',12,NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,1.80000000,0.90000000,0.90000000,0.00000000,20.00000000,23.60000000,'','','einstein',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,'',1,'EUR',1.00000000,20.00000000,1.80000000,23.60000000,'commande/(PROV100)/(PROV100).pdf',NULL,NULL); /*!40000 ALTER TABLE `llx_commande` ENABLE KEYS */; UNLOCK TABLES; @@ -4347,9 +3942,11 @@ CREATE TABLE `llx_commande_fournisseur_dispatch` ( `fk_projet` int(11) DEFAULT NULL, `fk_reception` int(11) DEFAULT NULL, `cost_price` double(24,8) DEFAULT 0.00000000, + `element_type` varchar(50) NOT NULL DEFAULT 'supplier_order', PRIMARY KEY (`rowid`), KEY `idx_commande_fournisseur_dispatch_fk_commande` (`fk_commande`), - KEY `idx_commande_fournisseur_dispatch_fk_product` (`fk_product`) + KEY `idx_commande_fournisseur_dispatch_fk_product` (`fk_product`), + KEY `idx_commande_fournisseur_dispatch_fk_commandefourndet` (`fk_commandefourndet`) ) ENGINE=InnoDB AUTO_INCREMENT=2 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; @@ -4359,7 +3956,7 @@ CREATE TABLE `llx_commande_fournisseur_dispatch` ( LOCK TABLES `llx_commande_fournisseur_dispatch` WRITE; /*!40000 ALTER TABLE `llx_commande_fournisseur_dispatch` DISABLE KEYS */; -INSERT INTO `llx_commande_fournisseur_dispatch` VALUES (1,2,4,2,1,20,12,'2021-04-15 08:40:04','',1,'2021-04-15 11:40:04','Lot 2021-02',NULL,NULL,NULL,1,0.00000000); +INSERT INTO `llx_commande_fournisseur_dispatch` VALUES (1,2,4,2,1,20,12,'2021-04-15 08:40:04','',1,'2021-04-15 11:40:04','Lot 2021-02',NULL,NULL,NULL,1,0.00000000,'supplier_order'); /*!40000 ALTER TABLE `llx_commande_fournisseur_dispatch` ENABLE KEYS */; UNLOCK TABLES; @@ -4678,7 +4275,7 @@ CREATE TABLE `llx_const` ( `tms` timestamp NOT NULL DEFAULT current_timestamp() ON UPDATE current_timestamp(), PRIMARY KEY (`rowid`), UNIQUE KEY `uk_const` (`name`,`entity`) -) ENGINE=InnoDB AUTO_INCREMENT=12379 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; +) ENGINE=InnoDB AUTO_INCREMENT=12456 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; -- @@ -4687,7 +4284,7 @@ CREATE TABLE `llx_const` ( LOCK TABLES `llx_const` WRITE; /*!40000 ALTER TABLE `llx_const` DISABLE KEYS */; -INSERT INTO `llx_const` VALUES (8,'MAIN_UPLOAD_DOC',0,'2048','chaine',0,'Max size for file upload (0 means no upload allowed)','2012-07-08 11:17:57'),(9,'MAIN_SEARCHFORM_SOCIETE',0,'1','yesno',0,'Show form for quick company search','2012-07-08 11:17:57'),(10,'MAIN_SEARCHFORM_CONTACT',0,'1','yesno',0,'Show form for quick contact search','2012-07-08 11:17:57'),(11,'MAIN_SEARCHFORM_PRODUITSERVICE',0,'1','yesno',0,'Show form for quick product search','2012-07-08 11:17:58'),(12,'MAIN_SEARCHFORM_ADHERENT',0,'1','yesno',0,'Show form for quick member search','2012-07-08 11:17:58'),(16,'MAIN_SIZE_LISTE_LIMIT',0,'25','chaine',0,'Longueur maximum des listes','2012-07-08 11:17:58'),(29,'MAIN_DELAY_NOT_ACTIVATED_SERVICES',1,'0','chaine',0,'Tolérance de retard avant alerte (en jours) sur services à activer','2012-07-08 11:17:58'),(33,'SOCIETE_NOLIST_COURRIER',0,'1','yesno',0,'Liste les fichiers du repertoire courrier','2012-07-08 11:17:58'),(36,'ADHERENT_MAIL_REQUIRED',1,'1','yesno',0,'EMail required to create a new member','2012-07-08 11:17:58'),(37,'ADHERENT_MAIL_FROM',1,'adherents@domain.com','chaine',0,'Sender EMail for automatic emails','2012-07-08 11:17:58'),(38,'ADHERENT_MAIL_RESIL',1,'Your subscription has been resiliated.\r\nWe hope to see you soon again','html',0,'Mail resiliation','2018-11-23 11:56:07'),(39,'ADHERENT_MAIL_VALID',1,'Your subscription has been validated.\r\nThis is a remind of your personal information :\r\n\r\n%INFOS%\r\n\r\n','html',0,'Mail de validation','2018-11-23 11:56:07'),(40,'ADHERENT_MAIL_COTIS',1,'Hello %PRENOM%,\r\nThanks for your subscription.\r\nThis email confirms that your subscription has been received and processed.\r\n\r\n','html',0,'Mail de validation de cotisation','2018-11-23 11:56:07'),(41,'ADHERENT_MAIL_VALID_SUBJECT',1,'Your subscription has been validated','chaine',0,'Sujet du mail de validation','2012-07-08 11:17:59'),(42,'ADHERENT_MAIL_RESIL_SUBJECT',1,'Resiliating your subscription','chaine',0,'Sujet du mail de resiliation','2012-07-08 11:17:59'),(43,'ADHERENT_MAIL_COTIS_SUBJECT',1,'Receipt of your subscription','chaine',0,'Sujet du mail de validation de cotisation','2012-07-08 11:17:59'),(45,'ADHERENT_USE_MAILMAN',1,'0','yesno',0,'Utilisation de Mailman','2012-07-08 11:17:59'),(46,'ADHERENT_MAILMAN_UNSUB_URL',1,'http://lists.domain.com/cgi-bin/mailman/admin/%LISTE%/members?adminpw=%MAILMAN_ADMINPW%&user=%EMAIL%','chaine',0,'Url de desinscription aux listes mailman','2012-07-08 11:17:59'),(47,'ADHERENT_MAILMAN_URL',1,'http://lists.domain.com/cgi-bin/mailman/admin/%LISTE%/members?adminpw=%MAILMAN_ADMINPW%&send_welcome_msg_to_this_batch=1&subscribees=%EMAIL%','chaine',0,'Url pour les inscriptions mailman','2012-07-08 11:17:59'),(48,'ADHERENT_MAILMAN_LISTS',1,'test-test,test-test2','chaine',0,'Listes auxquelles inscrire les nouveaux adherents','2012-07-08 11:17:59'),(49,'ADHERENT_MAILMAN_ADMIN_PASSWORD',1,'','chaine',0,'Mot de passe Admin des liste mailman','2022-12-11 21:23:35'),(50,'ADHERENT_MAILMAN_SERVER',1,'lists.domain.com','chaine',0,'Serveur hebergeant les interfaces d Admin des listes mailman','2012-07-08 11:17:59'),(51,'ADHERENT_MAILMAN_LISTS_COTISANT',1,'','chaine',0,'Liste(s) auxquelles les nouveaux cotisants sont inscris automatiquement','2012-07-08 11:17:59'),(52,'ADHERENT_USE_SPIP',1,'0','yesno',0,'Utilisation de SPIP ?','2012-07-08 11:17:59'),(53,'ADHERENT_USE_SPIP_AUTO',1,'0','yesno',0,'Utilisation de SPIP automatiquement','2012-07-08 11:17:59'),(54,'ADHERENT_SPIP_USER',1,'user','chaine',0,'user spip','2012-07-08 11:17:59'),(55,'ADHERENT_SPIP_PASS',1,'pass','chaine',0,'Pass de connection','2012-07-08 11:17:59'),(56,'ADHERENT_SPIP_SERVEUR',1,'localhost','chaine',0,'serveur spip','2012-07-08 11:17:59'),(57,'ADHERENT_SPIP_DB',1,'spip','chaine',0,'db spip','2012-07-08 11:17:59'),(61,'FCKEDITOR_ENABLE_USER',1,'1','yesno',0,'Activation fckeditor sur notes utilisateurs','2012-07-08 11:17:59'),(62,'FCKEDITOR_ENABLE_SOCIETE',1,'1','yesno',0,'Activation fckeditor sur notes societe','2012-07-08 11:17:59'),(63,'FCKEDITOR_ENABLE_PRODUCTDESC',1,'1','yesno',0,'Activation fckeditor sur notes produits','2012-07-08 11:17:59'),(64,'FCKEDITOR_ENABLE_MEMBER',1,'1','yesno',0,'Activation fckeditor sur notes adherent','2012-07-08 11:17:59'),(65,'FCKEDITOR_ENABLE_MAILING',1,'1','yesno',0,'Activation fckeditor sur emailing','2012-07-08 11:17:59'),(67,'DON_ADDON_MODEL',1,'html_cerfafr','chaine',0,'','2012-07-08 11:18:00'),(68,'PROPALE_ADDON',1,'mod_propale_marbre','chaine',0,'','2012-07-08 11:18:00'),(69,'PROPALE_ADDON_PDF',1,'azur','chaine',0,'','2012-07-08 11:18:00'),(70,'COMMANDE_ADDON',1,'mod_commande_marbre','chaine',0,'','2012-07-08 11:18:00'),(71,'COMMANDE_ADDON_PDF',1,'einstein','chaine',0,'','2012-07-08 11:18:00'),(72,'COMMANDE_SUPPLIER_ADDON',1,'mod_commande_fournisseur_muguet','chaine',0,'','2012-07-08 11:18:00'),(73,'COMMANDE_SUPPLIER_ADDON_PDF',1,'muscadet','chaine',0,'','2012-07-08 11:18:00'),(74,'EXPEDITION_ADDON',1,'enlevement','chaine',0,'','2012-07-08 11:18:00'),(76,'FICHEINTER_ADDON',1,'pacific','chaine',0,'','2012-07-08 11:18:00'),(77,'FICHEINTER_ADDON_PDF',1,'soleil','chaine',0,'','2012-07-08 11:18:00'),(79,'FACTURE_ADDON_PDF',1,'crabe','chaine',0,'','2012-07-08 11:18:00'),(80,'PROPALE_VALIDITY_DURATION',1,'15','chaine',0,'Durée de validitée des propales','2012-07-08 11:18:00'),(230,'COMPANY_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/thirdparties','chaine',0,NULL,'2012-07-08 11:26:20'),(238,'LIVRAISON_ADDON_PDF',1,'typhon','chaine',0,'Nom du gestionnaire de generation des commandes en PDF','2012-07-08 11:26:27'),(239,'DELIVERY_ADDON_NUMBER',1,'mod_delivery_jade','chaine',0,'Nom du gestionnaire de numerotation des bons de livraison','2020-12-10 12:24:40'),(245,'FACTURE_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/invoices','chaine',0,NULL,'2012-07-08 11:28:53'),(249,'DON_FORM',1,'html_cerfafr','chaine',0,'Nom du gestionnaire de formulaire de dons','2017-09-06 16:12:22'),(254,'ADHERENT_BANK_ACCOUNT',1,'','chaine',0,'ID du Compte banquaire utilise','2012-07-08 11:29:05'),(255,'ADHERENT_BANK_CATEGORIE',1,'','chaine',0,'ID de la categorie banquaire des cotisations','2012-07-08 11:29:05'),(269,'PROJECT_ADDON_PDF',1,'baleine','chaine',0,'Nom du gestionnaire de generation des projets en PDF','2012-07-08 11:29:33'),(270,'PROJECT_ADDON',1,'mod_project_simple','chaine',0,'Nom du gestionnaire de numerotation des projets','2012-07-08 11:29:33'),(369,'EXPEDITION_ADDON_PDF',1,'merou','chaine',0,'','2012-07-08 22:58:07'),(377,'FACTURE_ADDON',1,'mod_facture_terre','chaine',0,'','2012-07-08 23:08:12'),(386,'STOCK_CALCULATE_ON_SHIPMENT',1,'1','chaine',0,'','2012-07-08 23:23:21'),(387,'STOCK_CALCULATE_ON_SUPPLIER_DISPATCH_ORDER',1,'1','chaine',0,'','2012-07-08 23:23:26'),(392,'MAIN_AGENDA_XCAL_EXPORTKEY',1,'dolibarr','chaine',0,'','2012-07-08 23:27:50'),(393,'MAIN_AGENDA_EXPORT_PAST_DELAY',1,'100','chaine',0,'','2012-07-08 23:27:50'),(610,'CASHDESK_ID_THIRDPARTY',1,'7','chaine',0,'','2012-07-11 17:08:18'),(611,'CASHDESK_ID_BANKACCOUNT_CASH',1,'3','chaine',0,'','2012-07-11 17:08:18'),(612,'CASHDESK_ID_BANKACCOUNT_CHEQUE',1,'1','chaine',0,'','2012-07-11 17:08:18'),(613,'CASHDESK_ID_BANKACCOUNT_CB',1,'1','chaine',0,'','2012-07-11 17:08:18'),(614,'CASHDESK_ID_WAREHOUSE',1,'2','chaine',0,'','2012-07-11 17:08:18'),(660,'LDAP_USER_DN',1,'ou=users,dc=my-domain,dc=com','chaine',0,NULL,'2012-07-18 10:25:27'),(661,'LDAP_GROUP_DN',1,'ou=groups,dc=my-domain,dc=com','chaine',0,NULL,'2012-07-18 10:25:27'),(662,'LDAP_FILTER_CONNECTION',1,'&(objectClass=user)(objectCategory=person)','chaine',0,NULL,'2012-07-18 10:25:27'),(663,'LDAP_FIELD_LOGIN',1,'uid','chaine',0,NULL,'2012-07-18 10:25:27'),(664,'LDAP_FIELD_FULLNAME',1,'cn','chaine',0,NULL,'2012-07-18 10:25:27'),(665,'LDAP_FIELD_NAME',1,'sn','chaine',0,NULL,'2012-07-18 10:25:27'),(666,'LDAP_FIELD_FIRSTNAME',1,'givenname','chaine',0,NULL,'2012-07-18 10:25:27'),(667,'LDAP_FIELD_MAIL',1,'mail','chaine',0,NULL,'2012-07-18 10:25:27'),(668,'LDAP_FIELD_PHONE',1,'telephonenumber','chaine',0,NULL,'2012-07-18 10:25:27'),(669,'LDAP_FIELD_FAX',1,'facsimiletelephonenumber','chaine',0,NULL,'2012-07-18 10:25:27'),(670,'LDAP_FIELD_MOBILE',1,'mobile','chaine',0,NULL,'2012-07-18 10:25:27'),(671,'LDAP_SERVER_TYPE',1,'openldap','chaine',0,'','2012-07-18 10:25:46'),(672,'LDAP_SERVER_PROTOCOLVERSION',1,'3','chaine',0,'','2012-07-18 10:25:47'),(673,'LDAP_SERVER_HOST',1,'localhost','chaine',0,'','2012-07-18 10:25:47'),(674,'LDAP_SERVER_PORT',1,'389','chaine',0,'','2012-07-18 10:25:47'),(675,'LDAP_SERVER_USE_TLS',1,'0','chaine',0,'','2012-07-18 10:25:47'),(676,'LDAP_SYNCHRO_ACTIVE',1,'dolibarr2ldap','chaine',0,'','2012-07-18 10:25:47'),(677,'LDAP_CONTACT_ACTIVE',1,'1','chaine',0,'','2012-07-18 10:25:47'),(678,'LDAP_MEMBER_ACTIVE',1,'1','chaine',0,'','2012-07-18 10:25:47'),(974,'MAIN_MODULE_WORKFLOW_TRIGGERS',1,'1','chaine',0,NULL,'2013-07-18 18:02:20'),(975,'WORKFLOW_PROPAL_AUTOCREATE_ORDER',1,'1','chaine',0,'','2013-07-18 18:02:24'),(980,'PRELEVEMENT_NUMERO_NATIONAL_EMETTEUR',1,'1234567','chaine',0,'','2013-07-18 18:05:50'),(983,'FACTURE_RIB_NUMBER',1,'1','chaine',0,'','2013-07-18 18:35:14'),(984,'FACTURE_CHQ_NUMBER',1,'1','chaine',0,'','2013-07-18 18:35:14'),(1016,'GOOGLE_DUPLICATE_INTO_GCAL',1,'1','chaine',0,'','2013-07-18 21:40:20'),(1152,'SOCIETE_CODECLIENT_ADDON',1,'mod_codeclient_monkey','chaine',0,'','2013-07-29 20:50:02'),(1248,'MAIN_LOGEVENTS_GROUP_CREATE',1,'1','chaine',0,'','2013-07-29 21:05:01'),(1249,'MAIN_LOGEVENTS_GROUP_MODIFY',1,'1','chaine',0,'','2013-07-29 21:05:01'),(1250,'MAIN_LOGEVENTS_GROUP_DELETE',1,'1','chaine',0,'','2013-07-29 21:05:01'),(1251,'MAIN_BOXES_MAXLINES',1,'5','',0,'','2013-07-29 21:05:42'),(1482,'EXPEDITION_ADDON_NUMBER',1,'mod_expedition_safor','chaine',0,'Nom du gestionnaire de numerotation des expeditions','2013-08-05 17:53:11'),(1490,'CONTRACT_ADDON',1,'mod_contract_serpis','chaine',0,'Nom du gestionnaire de numerotation des contrats','2013-08-05 18:11:58'),(1677,'COMMANDE_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/orders','chaine',0,NULL,'2014-12-08 13:11:02'),(1724,'PROPALE_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/proposals','chaine',0,NULL,'2014-12-08 13:17:14'),(1730,'OPENSTREETMAP_ENABLE_MAPS',1,'1','chaine',0,'','2014-12-08 13:22:47'),(1731,'OPENSTREETMAP_ENABLE_MAPS_CONTACTS',1,'1','chaine',0,'','2014-12-08 13:22:47'),(1732,'OPENSTREETMAP_ENABLE_MAPS_MEMBERS',1,'1','chaine',0,'','2014-12-08 13:22:47'),(1733,'OPENSTREETMAP_MAPS_ZOOM_LEVEL',1,'15','chaine',0,'','2014-12-08 13:22:47'),(1742,'MAIN_MAIL_EMAIL_FROM',2,'dolibarr-robot@domain.com','chaine',0,'EMail emetteur pour les emails automatiques Dolibarr','2014-12-08 14:08:14'),(1743,'MAIN_MENU_STANDARD',2,'eldy_menu.php','chaine',0,'Module de gestion de la barre de menu du haut pour utilisateurs internes','2015-02-11 19:43:54'),(1744,'MAIN_MENUFRONT_STANDARD',2,'eldy_menu.php','chaine',0,'Module de gestion de la barre de menu du haut pour utilisateurs externes','2015-02-11 19:43:54'),(1745,'MAIN_MENU_SMARTPHONE',2,'iphone_backoffice.php','chaine',0,'Module de gestion de la barre de menu smartphone pour utilisateurs internes','2014-12-08 14:08:14'),(1746,'MAIN_MENUFRONT_SMARTPHONE',2,'iphone_frontoffice.php','chaine',0,'Module de gestion de la barre de menu smartphone pour utilisateurs externes','2014-12-08 14:08:14'),(1747,'MAIN_THEME',2,'eldy','chaine',0,'Default theme','2014-12-08 14:08:14'),(1748,'MAIN_DELAY_ACTIONS_TODO',2,'7','chaine',0,'Tolérance de retard avant alerte (en jours) sur actions planifiées non réalisées','2014-12-08 14:08:14'),(1749,'MAIN_DELAY_ORDERS_TO_PROCESS',2,'2','chaine',0,'Tolérance de retard avant alerte (en jours) sur commandes clients non traitées','2014-12-08 14:08:14'),(1750,'MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS',2,'7','chaine',0,'Tolérance de retard avant alerte (en jours) sur commandes fournisseurs non traitées','2014-12-08 14:08:14'),(1751,'MAIN_DELAY_PROPALS_TO_CLOSE',2,'31','chaine',0,'Tolérance de retard avant alerte (en jours) sur propales à cloturer','2014-12-08 14:08:14'),(1752,'MAIN_DELAY_PROPALS_TO_BILL',2,'7','chaine',0,'Tolérance de retard avant alerte (en jours) sur propales non facturées','2014-12-08 14:08:14'),(1753,'MAIN_DELAY_CUSTOMER_BILLS_UNPAYED',2,'31','chaine',0,'Tolérance de retard avant alerte (en jours) sur factures client impayées','2014-12-08 14:08:14'),(1754,'MAIN_DELAY_SUPPLIER_BILLS_TO_PAY',2,'2','chaine',0,'Tolérance de retard avant alerte (en jours) sur factures fournisseur impayées','2014-12-08 14:08:14'),(1755,'MAIN_DELAY_NOT_ACTIVATED_SERVICES',2,'0','chaine',0,'Tolérance de retard avant alerte (en jours) sur services à activer','2014-12-08 14:08:14'),(1756,'MAIN_DELAY_RUNNING_SERVICES',2,'0','chaine',0,'Tolérance de retard avant alerte (en jours) sur services expirés','2014-12-08 14:08:14'),(1757,'MAIN_DELAY_MEMBERS',2,'31','chaine',0,'Tolérance de retard avant alerte (en jours) sur cotisations adhérent en retard','2014-12-08 14:08:14'),(1758,'MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE',2,'62','chaine',0,'Tolérance de retard avant alerte (en jours) sur rapprochements bancaires à faire','2014-12-08 14:08:14'),(1759,'MAILING_EMAIL_FROM',2,'dolibarr@domain.com','chaine',0,'EMail emmetteur pour les envois d emailings','2014-12-08 14:08:14'),(1760,'MAIN_INFO_SOCIETE_COUNTRY',3,'1:FR:France','chaine',0,'','2015-02-26 21:56:28'),(1761,'MAIN_INFO_SOCIETE_NOM',3,'bbb','chaine',0,'','2014-12-08 14:08:20'),(1762,'MAIN_INFO_SOCIETE_STATE',3,'0','chaine',0,'','2015-02-27 14:20:27'),(1763,'MAIN_MONNAIE',3,'EUR','chaine',0,'','2014-12-08 14:08:20'),(1764,'MAIN_LANG_DEFAULT',3,'auto','chaine',0,'','2014-12-08 14:08:20'),(1765,'MAIN_MAIL_EMAIL_FROM',3,'dolibarr-robot@domain.com','chaine',0,'EMail emetteur pour les emails automatiques Dolibarr','2014-12-08 14:08:20'),(1766,'MAIN_MENU_STANDARD',3,'eldy_menu.php','chaine',0,'Module de gestion de la barre de menu du haut pour utilisateurs internes','2015-02-11 19:43:54'),(1767,'MAIN_MENUFRONT_STANDARD',3,'eldy_menu.php','chaine',0,'Module de gestion de la barre de menu du haut pour utilisateurs externes','2015-02-11 19:43:54'),(1768,'MAIN_MENU_SMARTPHONE',3,'iphone_backoffice.php','chaine',0,'Module de gestion de la barre de menu smartphone pour utilisateurs internes','2014-12-08 14:08:20'),(1769,'MAIN_MENUFRONT_SMARTPHONE',3,'iphone_frontoffice.php','chaine',0,'Module de gestion de la barre de menu smartphone pour utilisateurs externes','2014-12-08 14:08:20'),(1770,'MAIN_THEME',3,'eldy','chaine',0,'Default theme','2014-12-08 14:08:20'),(1771,'MAIN_DELAY_ACTIONS_TODO',3,'7','chaine',0,'Tolérance de retard avant alerte (en jours) sur actions planifiées non réalisées','2014-12-08 14:08:20'),(1772,'MAIN_DELAY_ORDERS_TO_PROCESS',3,'2','chaine',0,'Tolérance de retard avant alerte (en jours) sur commandes clients non traitées','2014-12-08 14:08:20'),(1773,'MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS',3,'7','chaine',0,'Tolérance de retard avant alerte (en jours) sur commandes fournisseurs non traitées','2014-12-08 14:08:20'),(1774,'MAIN_DELAY_PROPALS_TO_CLOSE',3,'31','chaine',0,'Tolérance de retard avant alerte (en jours) sur propales à cloturer','2014-12-08 14:08:20'),(1775,'MAIN_DELAY_PROPALS_TO_BILL',3,'7','chaine',0,'Tolérance de retard avant alerte (en jours) sur propales non facturées','2014-12-08 14:08:20'),(1776,'MAIN_DELAY_CUSTOMER_BILLS_UNPAYED',3,'31','chaine',0,'Tolérance de retard avant alerte (en jours) sur factures client impayées','2014-12-08 14:08:20'),(1777,'MAIN_DELAY_SUPPLIER_BILLS_TO_PAY',3,'2','chaine',0,'Tolérance de retard avant alerte (en jours) sur factures fournisseur impayées','2014-12-08 14:08:20'),(1778,'MAIN_DELAY_NOT_ACTIVATED_SERVICES',3,'0','chaine',0,'Tolérance de retard avant alerte (en jours) sur services à activer','2014-12-08 14:08:20'),(1779,'MAIN_DELAY_RUNNING_SERVICES',3,'0','chaine',0,'Tolérance de retard avant alerte (en jours) sur services expirés','2014-12-08 14:08:20'),(1780,'MAIN_DELAY_MEMBERS',3,'31','chaine',0,'Tolérance de retard avant alerte (en jours) sur cotisations adhérent en retard','2014-12-08 14:08:20'),(1781,'MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE',3,'62','chaine',0,'Tolérance de retard avant alerte (en jours) sur rapprochements bancaires à faire','2014-12-08 14:08:20'),(1782,'MAILING_EMAIL_FROM',3,'dolibarr@domain.com','chaine',0,'EMail emmetteur pour les envois d emailings','2014-12-08 14:08:20'),(1803,'SYSLOG_FILE',1,'DOL_DATA_ROOT/dolibarr.log','chaine',0,'','2014-12-08 14:15:08'),(1804,'SYSLOG_HANDLERS',1,'[\"mod_syslog_file\"]','chaine',0,'','2014-12-08 14:15:08'),(1805,'MAIN_MODULE_SKINCOLOREDITOR',3,'1',NULL,0,NULL,'2014-12-08 14:35:40'),(1929,'PAYPAL_ADD_PAYMENT_URL',1,'1','chaine',0,'','2014-12-12 12:11:05'),(1981,'MAIN_PROFID1_IN_ADDRESS',1,'0','chaine',0,'','2014-12-12 19:58:05'),(1982,'MAIN_PROFID2_IN_ADDRESS',1,'0','chaine',0,'','2014-12-12 19:58:05'),(1983,'MAIN_PROFID3_IN_ADDRESS',1,'0','chaine',0,'','2014-12-12 19:58:05'),(1984,'MAIN_PROFID4_IN_ADDRESS',1,'0','chaine',0,'','2014-12-12 19:58:05'),(1985,'MAIN_GENERATE_DOCUMENTS_WITHOUT_VAT',1,'0','chaine',0,'','2014-12-12 19:58:05'),(2835,'MAIN_USE_CONNECT_TIMEOUT',1,'10','chaine',0,'','2015-01-16 19:28:50'),(2836,'MAIN_USE_RESPONSE_TIMEOUT',1,'30','chaine',0,'','2015-01-16 19:28:50'),(2837,'MAIN_PROXY_USE',1,'0','chaine',0,'','2015-01-16 19:28:50'),(2838,'MAIN_PROXY_HOST',1,'localhost','chaine',0,'','2015-01-16 19:28:50'),(2839,'MAIN_PROXY_PORT',1,'8080','chaine',0,'','2015-01-16 19:28:50'),(2840,'MAIN_PROXY_USER',1,'aaa','chaine',0,'','2015-01-16 19:28:50'),(2841,'MAIN_PROXY_PASS',1,'bbb','chaine',0,'','2015-01-16 19:28:50'),(2854,'THEME_ELDY_RGB',1,'bfbf00','chaine',0,'','2015-01-18 10:02:53'),(2855,'THEME_ELDY_ENABLE_PERSONALIZED',1,'0','chaine',0,'','2015-01-18 10:02:55'),(2858,'MAIN_SESSION_TIMEOUT',1,'2000','chaine',0,'','2015-01-19 17:01:53'),(2868,'POS_SERVICES',1,'0','chaine',0,'','2015-01-19 17:16:51'),(2869,'POS_USE_TICKETS',1,'1','chaine',0,'','2015-01-19 17:16:51'),(2870,'POS_MAX_TTC',1,'100','chaine',0,'','2015-01-19 17:16:51'),(3190,'MAIN_MODULE_HOLIDAY',2,'1',NULL,0,NULL,'2015-02-01 08:52:34'),(3195,'INVOICE_SUPPLIER_ADDON_PDF',1,'canelle','chaine',0,'','2015-02-10 19:50:27'),(3199,'MAIN_FORCE_RELOAD_PAGE',1,'1','chaine',0,NULL,'2015-02-12 16:22:55'),(3223,'OVH_THIRDPARTY_IMPORT',1,'2','chaine',0,'','2015-02-13 16:20:18'),(4013,'MAIN_DELAY_ACTIONS_TODO',1,'7','chaine',0,'','2015-03-06 08:59:12'),(4014,'MAIN_DELAY_PROPALS_TO_CLOSE',1,'31','chaine',0,'','2015-03-06 08:59:12'),(4015,'MAIN_DELAY_PROPALS_TO_BILL',1,'7','chaine',0,'','2015-03-06 08:59:12'),(4016,'MAIN_DELAY_ORDERS_TO_PROCESS',1,'2','chaine',0,'','2015-03-06 08:59:12'),(4017,'MAIN_DELAY_CUSTOMER_BILLS_UNPAYED',1,'31','chaine',0,'','2015-03-06 08:59:12'),(4018,'MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS',1,'7','chaine',0,'','2015-03-06 08:59:12'),(4019,'MAIN_DELAY_SUPPLIER_BILLS_TO_PAY',1,'2','chaine',0,'','2015-03-06 08:59:12'),(4020,'MAIN_DELAY_RUNNING_SERVICES',1,'-15','chaine',0,'','2015-03-06 08:59:12'),(4021,'MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE',1,'62','chaine',0,'','2015-03-06 08:59:13'),(4022,'MAIN_DELAY_MEMBERS',1,'31','chaine',0,'','2015-03-06 08:59:13'),(4023,'MAIN_DISABLE_METEO',1,'0','chaine',0,'','2015-03-06 08:59:13'),(4044,'ADHERENT_VAT_FOR_SUBSCRIPTIONS',1,'0','',0,'','2015-03-06 16:06:38'),(4047,'ADHERENT_BANK_USE',1,'bankviainvoice','',0,'','2015-03-06 16:12:30'),(4049,'PHPSANE_SCANIMAGE',1,'/usr/bin/scanimage','chaine',0,'','2015-03-06 21:54:13'),(4050,'PHPSANE_PNMTOJPEG',1,'/usr/bin/pnmtojpeg','chaine',0,'','2015-03-06 21:54:13'),(4051,'PHPSANE_PNMTOTIFF',1,'/usr/bin/pnmtotiff','chaine',0,'','2015-03-06 21:54:13'),(4052,'PHPSANE_OCR',1,'/usr/bin/gocr','chaine',0,'','2015-03-06 21:54:13'),(4548,'ECM_AUTO_TREE_ENABLED',1,'1','chaine',0,'','2015-03-10 15:57:21'),(4579,'MAIN_MODULE_AGENDA',2,'1',NULL,0,NULL,'2015-03-13 15:29:19'),(4580,'MAIN_AGENDA_ACTIONAUTO_COMPANY_CREATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4581,'MAIN_AGENDA_ACTIONAUTO_CONTRACT_VALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4582,'MAIN_AGENDA_ACTIONAUTO_PROPAL_VALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4583,'MAIN_AGENDA_ACTIONAUTO_PROPAL_SENTBYMAIL',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4584,'MAIN_AGENDA_ACTIONAUTO_ORDER_VALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4585,'MAIN_AGENDA_ACTIONAUTO_ORDER_SENTBYMAIL',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4586,'MAIN_AGENDA_ACTIONAUTO_BILL_VALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4587,'MAIN_AGENDA_ACTIONAUTO_BILL_PAYED',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4588,'MAIN_AGENDA_ACTIONAUTO_BILL_CANCEL',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4589,'MAIN_AGENDA_ACTIONAUTO_BILL_SENTBYMAIL',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4590,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_VALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4591,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_VALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4592,'MAIN_AGENDA_ACTIONAUTO_SHIPPING_VALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4593,'MAIN_AGENDA_ACTIONAUTO_SHIPPING_SENTBYMAIL',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4594,'MAIN_AGENDA_ACTIONAUTO_BILL_UNVALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4688,'GOOGLE_ENABLE_AGENDA',2,'1','chaine',0,'','2015-03-13 15:36:29'),(4696,'GOOGLE_AGENDA_TIMEZONE',2,'Europe/Paris','chaine',0,'','2015-03-13 15:36:29'),(4697,'GOOGLE_AGENDA_NB',2,'5','chaine',0,'','2015-03-13 15:36:29'),(4725,'SOCIETE_CODECLIENT_ADDON',2,'mod_codeclient_leopard','chaine',0,'Module to control third parties codes','2015-03-13 20:21:35'),(4726,'SOCIETE_CODECOMPTA_ADDON',2,'mod_codecompta_panicum','chaine',0,'Module to control third parties codes','2015-03-13 20:21:35'),(4727,'SOCIETE_FISCAL_MONTH_START',2,'','chaine',0,'Mettre le numero du mois du debut d\\\'annee fiscale, ex: 9 pour septembre','2015-03-13 20:21:35'),(4728,'MAIN_SEARCHFORM_SOCIETE',2,'1','yesno',0,'Show form for quick company search','2015-03-13 20:21:35'),(4729,'MAIN_SEARCHFORM_CONTACT',2,'1','yesno',0,'Show form for quick contact search','2015-03-13 20:21:35'),(4730,'COMPANY_ADDON_PDF_ODT_PATH',2,'DOL_DATA_ROOT/doctemplates/thirdparties','chaine',0,NULL,'2015-03-13 20:21:35'),(4743,'MAIN_MODULE_CLICKTODIAL',2,'1',NULL,0,NULL,'2015-03-13 20:30:28'),(4744,'MAIN_MODULE_NOTIFICATION',2,'1',NULL,0,NULL,'2015-03-13 20:30:34'),(4745,'MAIN_MODULE_WEBSERVICES',2,'1',NULL,0,NULL,'2015-03-13 20:30:41'),(4746,'MAIN_MODULE_PROPALE',2,'1',NULL,0,NULL,'2015-03-13 20:32:38'),(4747,'PROPALE_ADDON_PDF',2,'azur','chaine',0,'Nom du gestionnaire de generation des propales en PDF','2015-03-13 20:32:38'),(4748,'PROPALE_ADDON',2,'mod_propale_marbre','chaine',0,'Nom du gestionnaire de numerotation des propales','2015-03-13 20:32:38'),(4749,'PROPALE_VALIDITY_DURATION',2,'15','chaine',0,'Duration of validity of business proposals','2015-03-13 20:32:38'),(4750,'PROPALE_ADDON_PDF_ODT_PATH',2,'DOL_DATA_ROOT/doctemplates/proposals','chaine',0,NULL,'2015-03-13 20:32:38'),(4752,'MAIN_MODULE_TAX',2,'1',NULL,0,NULL,'2015-03-13 20:32:47'),(4753,'MAIN_MODULE_DON',2,'1',NULL,0,NULL,'2015-03-13 20:32:54'),(4754,'DON_ADDON_MODEL',2,'html_cerfafr','chaine',0,'Nom du gestionnaire de generation de recu de dons','2015-03-13 20:32:54'),(4755,'POS_USE_TICKETS',2,'1','chaine',0,'','2015-03-13 20:33:09'),(4756,'POS_MAX_TTC',2,'100','chaine',0,'','2015-03-13 20:33:09'),(4757,'MAIN_MODULE_POS',2,'1',NULL,0,NULL,'2015-03-13 20:33:09'),(4758,'TICKET_ADDON',2,'mod_ticket_avenc','chaine',0,'Nom du gestionnaire de numerotation des tickets','2015-03-13 20:33:09'),(4759,'MAIN_MODULE_BANQUE',2,'1',NULL,0,NULL,'2015-03-13 20:33:09'),(4760,'MAIN_MODULE_FACTURE',2,'1',NULL,0,NULL,'2015-03-13 20:33:09'),(4761,'FACTURE_ADDON_PDF',2,'crabe','chaine',0,'Name of PDF model of invoice','2015-03-13 20:33:09'),(4762,'FACTURE_ADDON',2,'mod_facture_terre','chaine',0,'Name of numbering numerotation rules of invoice','2015-03-13 20:33:09'),(4763,'FACTURE_ADDON_PDF_ODT_PATH',2,'DOL_DATA_ROOT/doctemplates/invoices','chaine',0,NULL,'2015-03-13 20:33:09'),(4764,'MAIN_MODULE_SOCIETE',2,'1',NULL,0,NULL,'2015-03-13 20:33:09'),(4765,'MAIN_MODULE_PRODUCT',2,'1',NULL,0,NULL,'2015-03-13 20:33:09'),(4766,'PRODUCT_CODEPRODUCT_ADDON',2,'mod_codeproduct_leopard','chaine',0,'Module to control product codes','2015-03-13 20:33:09'),(4767,'MAIN_SEARCHFORM_PRODUITSERVICE',2,'1','yesno',0,'Show form for quick product search','2015-03-13 20:33:09'),(4773,'MAIN_MODULE_MAILING',2,'1',NULL,0,NULL,'2015-03-13 20:33:37'),(4774,'MAIN_MODULE_OPENSURVEY',2,'1',NULL,0,NULL,'2015-03-13 20:33:42'),(4782,'AGENDA_USE_EVENT_TYPE',2,'1','chaine',0,'','2015-03-13 20:53:36'),(4884,'AGENDA_DISABLE_EXT',2,'1','chaine',0,'','2015-03-13 22:03:40'),(4928,'COMMANDE_SUPPLIER_ADDON_NUMBER',1,'mod_commande_fournisseur_muguet','chaine',0,'Nom du gestionnaire de numerotation des commandes fournisseur','2015-03-22 09:24:29'),(4929,'INVOICE_SUPPLIER_ADDON_NUMBER',1,'mod_facture_fournisseur_cactus','chaine',0,'Nom du gestionnaire de numerotation des factures fournisseur','2015-03-22 09:24:29'),(5001,'MAIN_CRON_KEY',0,'bc54582fe30d5d4a830c6f582ec28810','chaine',0,'','2015-03-23 17:54:53'),(5009,'CRON_KEY',0,'2c2e755c20be2014098f629865598006','chaine',0,'','2015-03-23 18:06:24'),(5139,'SOCIETE_ADD_REF_IN_LIST',1,'','yesno',0,'Display customer ref into select list','2015-09-08 23:06:08'),(5150,'PROJECT_TASK_ADDON_PDF',1,'','chaine',0,'Name of PDF/ODT tasks manager class','2015-09-08 23:06:14'),(5151,'PROJECT_TASK_ADDON',1,'mod_task_simple','chaine',0,'Name of Numbering Rule task manager class','2015-09-08 23:06:14'),(5152,'PROJECT_TASK_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/tasks','chaine',0,'','2015-09-08 23:06:14'),(5239,'BOOKMARKS_SHOW_IN_MENU',1,'10','chaine',0,'','2016-03-02 15:42:26'),(5271,'DONATION_ART200',1,'','yesno',0,'Option Française - Eligibilité Art200 du CGI','2016-12-21 12:51:28'),(5272,'DONATION_ART238',1,'','yesno',0,'Option Française - Eligibilité Art238 bis du CGI','2016-12-21 12:51:28'),(5274,'DONATION_MESSAGE',1,'Thank you','chaine',0,'Message affiché sur le récépissé de versements ou dons','2016-12-21 12:51:28'),(5349,'MAIN_SEARCHFORM_CONTACT',1,'1','chaine',0,'','2017-10-03 10:11:33'),(5351,'MAIN_SEARCHFORM_PRODUITSERVICE',1,'1','chaine',0,'','2017-10-03 10:11:33'),(5352,'MAIN_SEARCHFORM_PRODUITSERVICE_SUPPLIER',1,'0','chaine',0,'','2017-10-03 10:11:33'),(5353,'MAIN_SEARCHFORM_ADHERENT',1,'1','chaine',0,'','2017-10-03 10:11:33'),(5354,'MAIN_SEARCHFORM_PROJECT',1,'0','chaine',0,'','2017-10-03 10:11:33'),(5394,'FCKEDITOR_ENABLE_DETAILS',1,'1','yesno',0,'WYSIWIG for products details lines for all entities','2017-11-04 15:27:44'),(5395,'FCKEDITOR_ENABLE_USERSIGN',1,'1','yesno',0,'WYSIWIG for user signature','2017-11-04 15:27:44'),(5396,'FCKEDITOR_ENABLE_MAIL',1,'1','yesno',0,'WYSIWIG for products details lines for all entities','2017-11-04 15:27:44'),(5398,'CATEGORIE_RECURSIV_ADD',1,'','yesno',0,'Affect parent categories','2017-11-04 15:27:46'),(5404,'MAIN_MODULE_CATEGORIE',1,'1',NULL,0,NULL,'2017-11-04 15:41:43'),(5415,'EXPEDITION_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/shipment','chaine',0,NULL,'2017-11-15 22:38:28'),(5416,'LIVRAISON_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/delivery','chaine',0,NULL,'2017-11-15 22:38:28'),(5426,'MAIN_MODULE_PROJET',1,'1',NULL,0,NULL,'2017-11-15 22:38:44'),(5427,'PROJECT_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/projects','chaine',0,NULL,'2017-11-15 22:38:44'),(5428,'PROJECT_USE_OPPORTUNIES',1,'1','chaine',0,NULL,'2017-11-15 22:38:44'),(5430,'MAIN_MODULE_EXPORT',1,'1',NULL,0,NULL,'2017-11-15 22:38:56'),(5431,'MAIN_MODULE_IMPORT',1,'1',NULL,0,NULL,'2017-11-15 22:38:58'),(5434,'EXPENSEREPORT_ADDON_PDF',1,'standard','chaine',0,'Name of manager to build PDF expense reports documents','2017-11-15 22:39:05'),(5437,'SALARIES_ACCOUNTING_ACCOUNT_CHARGE',1,'641','chaine',0,NULL,'2017-11-15 22:39:08'),(5443,'MAIN_MODULE_PRELEVEMENT',1,'1',NULL,0,NULL,'2017-11-15 22:39:33'),(5453,'MAIN_MODULE_CONTRAT',1,'1',NULL,0,NULL,'2017-11-15 22:39:52'),(5455,'MAIN_MODULE_FICHEINTER',1,'1',NULL,0,NULL,'2017-11-15 22:39:56'),(5459,'MAIN_MODULE_PAYPAL',1,'1',NULL,0,NULL,'2017-11-15 22:41:02'),(5463,'MAIN_MODULE_PROPALE',1,'1',NULL,0,NULL,'2017-11-15 22:41:47'),(5483,'GENBARCODE_BARCODETYPE_THIRDPARTY',1,'6','chaine',0,'','2018-01-16 15:49:43'),(5484,'PRODUIT_DEFAULT_BARCODE_TYPE',1,'2','chaine',0,'','2018-01-16 15:49:46'),(5586,'MAIN_DELAY_EXPENSEREPORTS_TO_PAY',1,'31','chaine',0,'Tolérance de retard avant alerte (en jours) sur les notes de frais impayées','2018-01-22 17:28:18'),(5587,'MAIN_FIX_FOR_BUGGED_MTA',1,'1','chaine',1,'Set constant to fix email ending from PHP with some linux ike system','2018-01-22 17:28:18'),(5590,'MAIN_VERSION_LAST_INSTALL',0,'3.8.3','chaine',0,'Dolibarr version when install','2018-01-22 17:28:42'),(5614,'MAIN_SIZE_SHORTLISTE_LIMIT',1,'4','chaine',0,'Longueur maximum des listes courtes (fiche client)','2018-03-13 10:54:46'),(5627,'SUPPLIER_PROPOSAL_ADDON_PDF',1,'aurore','chaine',0,'Name of submodule to generate PDF for supplier quotation request','2018-07-30 11:13:20'),(5628,'SUPPLIER_PROPOSAL_ADDON',1,'mod_supplier_proposal_marbre','chaine',0,'Name of submodule to number supplier quotation request','2018-07-30 11:13:20'),(5629,'SUPPLIER_PROPOSAL_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/supplier_proposal','chaine',0,NULL,'2018-07-30 11:13:20'),(5633,'MAIN_MODULE_API',1,'1',NULL,0,NULL,'2018-07-30 11:13:54'),(5634,'MAIN_MODULE_WEBSERVICES',1,'1',NULL,0,NULL,'2018-07-30 11:13:56'),(5635,'WEBSERVICES_KEY',1,'dolibarrkey','chaine',0,'','2018-07-30 11:14:04'),(5638,'MAIN_MODULE_EXTERNALRSS',1,'1',NULL,0,NULL,'2018-07-30 11:15:04'),(5642,'SOCIETE_CODECOMPTA_ADDON',1,'mod_codecompta_aquarium','chaine',0,'','2018-07-30 11:16:42'),(5707,'CASHDESK_NO_DECREASE_STOCK',1,'1','chaine',0,'','2018-07-30 13:38:11'),(5708,'MAIN_MODULE_PRODUCTBATCH',1,'1',NULL,0,NULL,'2018-07-30 13:38:11'),(5710,'MAIN_MODULE_STOCK',1,'1',NULL,0,NULL,'2018-07-30 13:38:11'),(5711,'MAIN_MODULE_PRODUCT',1,'1',NULL,0,NULL,'2018-07-30 13:38:11'),(5808,'MARGIN_TYPE',1,'costprice','chaine',0,'','2018-07-30 16:32:18'),(5809,'DISPLAY_MARGIN_RATES',1,'1','chaine',0,'','2018-07-30 16:32:20'),(5833,'ACCOUNTING_EXPORT_SEPARATORCSV',1,',','string',0,NULL,'2017-01-29 15:11:56'),(5840,'CHARTOFACCOUNTS',1,'2','chaine',0,NULL,'2017-01-29 15:11:56'),(5842,'ACCOUNTING_LENGTH_GACCOUNT',1,'','chaine',0,NULL,'2017-01-29 15:11:56'),(5843,'ACCOUNTING_LENGTH_AACCOUNT',1,'','chaine',0,NULL,'2017-01-29 15:11:56'),(5844,'ACCOUNTING_LIST_SORT_VENTILATION_TODO',1,'1','yesno',0,NULL,'2017-01-29 15:11:56'),(5845,'ACCOUNTING_LIST_SORT_VENTILATION_DONE',1,'1','yesno',0,NULL,'2017-01-29 15:11:56'),(5846,'ACCOUNTING_EXPORT_DATE',1,'%d%m%Y','chaine',0,NULL,'2017-01-29 15:11:56'),(5853,'MAIN_MODULE_WORKFLOW',1,'1',NULL,0,NULL,'2017-01-29 15:12:12'),(5854,'MAIN_MODULE_NOTIFICATION',1,'1',NULL,0,NULL,'2017-01-29 15:12:35'),(5855,'MAIN_MODULE_OAUTH',1,'1',NULL,0,NULL,'2017-01-29 15:12:41'),(5883,'MAILING_LIMIT_SENDBYWEB',0,'15','chaine',1,'Number of targets to defined packet size when sending mass email','2017-01-29 17:36:33'),(5885,'MAIN_SOAP_DEBUG',1,'0','chaine',1,'','2017-01-29 18:53:02'),(5925,'MAIN_AGENDA_ACTIONAUTO_MEMBER_SUBSCRIPTION',1,'1','chaine',0,'','2017-02-01 14:48:55'),(5931,'DATABASE_PWD_ENCRYPTED',1,'1','chaine',0,'','2017-02-01 15:06:04'),(5941,'PRELEVEMENT_ICS',1,'ICS123456','chaine',0,'','2017-02-06 04:04:47'),(5942,'PRELEVEMENT_USER',1,'1','chaine',0,'','2017-02-06 04:04:47'),(5943,'BANKADDON_PDF',1,'sepamandate','chaine',0,'','2017-02-06 04:13:52'),(5947,'CHEQUERECEIPTS_THYME_MASK',1,'CHK{yy}{mm}-{0000@1}','chaine',0,'','2017-02-06 04:16:27'),(5948,'MAIN_MODULE_LOAN',1,'1',NULL,0,NULL,'2017-02-06 19:19:05'),(5954,'MAIN_SUBMODULE_EXPEDITION',1,'1','chaine',0,'','2017-02-06 23:57:37'),(5964,'MAIN_MODULE_TAX',1,'1',NULL,0,NULL,'2017-02-07 18:56:12'),(6019,'MAIN_INFO_SOCIETE_COUNTRY',2,'1:FR:France','chaine',0,'','2017-02-15 17:18:22'),(6020,'MAIN_INFO_SOCIETE_NOM',2,'MySecondCompany','chaine',0,'','2017-02-15 17:18:22'),(6021,'MAIN_INFO_SOCIETE_STATE',2,'0','chaine',0,'','2017-02-15 17:18:22'),(6022,'MAIN_MONNAIE',2,'EUR','chaine',0,'','2017-02-15 17:18:22'),(6023,'MAIN_LANG_DEFAULT',2,'auto','chaine',0,'','2017-02-15 17:18:22'),(6032,'MAIN_MODULE_MULTICURRENCY',1,'1',NULL,0,NULL,'2017-02-15 17:29:59'),(6048,'SYSLOG_FACILITY',0,'LOG_USER','chaine',0,'','2017-02-15 22:37:01'),(6050,'SYSLOG_FILE',0,'DOL_DATA_ROOT/dolibarr.log','chaine',0,'','2017-02-15 22:37:01'),(6052,'SYSLOG_HANDLERS',0,'[\"mod_syslog_file\"]','chaine',0,'','2017-02-15 22:37:01'),(6092,'MAIN_SIZE_SHORTLIST_LIMIT',0,'3','chaine',0,'Max length for small lists (tabs)','2017-05-12 09:02:38'),(6099,'MAIN_MODULE_SKYPE',1,'1',NULL,0,NULL,'2017-05-12 09:03:51'),(6100,'MAIN_MODULE_GRAVATAR',1,'1',NULL,0,NULL,'2017-05-12 09:03:54'),(6102,'PRODUCT_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/products','chaine',0,'','2017-08-27 13:29:07'),(6103,'CONTRACT_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/contracts','chaine',0,'','2017-08-27 13:29:07'),(6104,'USERGROUP_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/usergroups','chaine',0,'','2017-08-27 13:29:07'),(6105,'USER_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/users','chaine',0,'','2017-08-27 13:29:07'),(6106,'MAIN_ENABLE_OVERWRITE_TRANSLATION',1,'1','chaine',0,'Enable overwrote of translation','2017-08-27 13:29:07'),(6377,'COMMANDE_SAPHIR_MASK',1,'{yy}{mm}{000}{ttt}','chaine',0,'','2017-09-06 07:56:25'),(6518,'GOOGLE_DUPLICATE_INTO_THIRDPARTIES',1,'1','chaine',0,'','2017-09-06 19:43:57'),(6519,'GOOGLE_DUPLICATE_INTO_CONTACTS',1,'0','chaine',0,'','2017-09-06 19:43:57'),(6520,'GOOGLE_TAG_PREFIX',1,'Dolibarr (Thirdparties)','chaine',0,'','2017-09-06 19:43:57'),(6521,'GOOGLE_TAG_PREFIX_CONTACTS',1,'Dolibarr (Contacts/Addresses)','chaine',0,'','2017-09-06 19:43:57'),(6522,'GOOGLE_ENABLE_AGENDA',1,'1','chaine',0,'','2017-09-06 19:44:12'),(6523,'GOOGLE_AGENDA_COLOR1',1,'1B887A','chaine',0,'','2017-09-06 19:44:12'),(6524,'GOOGLE_AGENDA_COLOR2',1,'7A367A','chaine',0,'','2017-09-06 19:44:12'),(6525,'GOOGLE_AGENDA_COLOR3',1,'7A367A','chaine',0,'','2017-09-06 19:44:12'),(6526,'GOOGLE_AGENDA_COLOR4',1,'7A367A','chaine',0,'','2017-09-06 19:44:12'),(6527,'GOOGLE_AGENDA_COLOR5',1,'7A367A','chaine',0,'','2017-09-06 19:44:12'),(6528,'GOOGLE_AGENDA_TIMEZONE',1,'Europe/Paris','chaine',0,'','2017-09-06 19:44:12'),(6529,'GOOGLE_AGENDA_NB',1,'5','chaine',0,'','2017-09-06 19:44:12'),(6543,'MAIN_SMS_DEBUG',0,'1','chaine',1,'This is to enable OVH SMS debug','2017-09-06 19:44:34'),(6562,'BLOCKEDLOG_ENTITY_FINGERPRINT',1,'b63e359ffca54d5c2bab869916eaf23d4a736703028ccbf77ce1167c5f830e7b','chaine',0,'Numeric Unique Fingerprint','2018-01-19 11:27:15'),(6564,'BLOCKEDLOG_DISABLE_NOT_ALLOWED_FOR_COUNTRY',1,'FR','chaine',0,'This is list of country code where the module may be mandatory','2018-01-19 11:27:15'),(6565,'MAIN_MODULE_BOOKMARK',1,'1',NULL,0,'{\"authorid\":\"12\",\"ip\":\"82.240.38.230\"}','2018-01-19 11:27:34'),(6567,'ADHERENT_ADDON_PDF',1,'standard','chaine',0,'Name of PDF model of member','2018-01-19 11:27:56'),(6636,'MAIN_MODULE_TICKET_MODELS',1,'1','chaine',0,NULL,'2019-06-05 09:15:29'),(6647,'MAIN_MODULE_SOCIALNETWORKS',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2019-06-05 09:16:49'),(6795,'TICKET_ADDON',1,'mod_ticket_simple','chaine',0,'','2019-09-26 12:07:59'),(6796,'PRODUCT_CODEPRODUCT_ADDON',1,'mod_codeproduct_elephant','chaine',0,'','2019-09-26 12:59:00'),(6800,'CASHDESK_ID_THIRDPARTY1',1,'7','chaine',0,'','2019-09-26 15:30:09'),(6801,'CASHDESK_ID_BANKACCOUNT_CASH1',1,'3','chaine',0,'','2019-09-26 15:30:09'),(6802,'CASHDESK_ID_BANKACCOUNT_CHEQUE1',1,'4','chaine',0,'','2019-09-26 15:30:09'),(6803,'CASHDESK_ID_BANKACCOUNT_CB1',1,'4','chaine',0,'','2019-09-26 15:30:09'),(6804,'CASHDESK_ID_BANKACCOUNT_PRE1',1,'4','chaine',0,'','2019-09-26 15:30:09'),(6805,'CASHDESK_ID_BANKACCOUNT_VIR1',1,'1','chaine',0,'','2019-09-26 15:30:09'),(6806,'CASHDESK_NO_DECREASE_STOCK1',1,'1','chaine',0,'','2019-09-26 15:30:09'),(6811,'FORCEPROJECT_ON_PROPOSAL',1,'1','chaine',0,'','2019-09-27 14:52:57'),(6813,'PROJECT_USE_OPPORTUNITIES',1,'1','chaine',0,'','2019-10-01 11:48:09'),(6814,'PACKTHEMEACTIVATEDTHEME',0,'modOwnTheme','chaine',0,'','2019-10-02 11:41:58'),(6815,'OWNTHEME_COL1',0,'#6a89cc','chaine',0,'','2019-10-02 11:41:58'),(6816,'OWNTHEME_COL2',0,'#60a3bc','chaine',0,'','2019-10-02 11:41:58'),(6817,'DOL_VERSION',0,'10.0.2','chaine',0,'Dolibarr version','2019-10-02 11:41:58'),(6844,'MAIN_THEME',0,'eldy','chaine',0,'','2019-10-02 11:46:02'),(6845,'MAIN_MENU_STANDARD',0,'eldy_menu.php','chaine',0,'','2019-10-02 11:46:02'),(6846,'MAIN_MENUFRONT_STANDARD',0,'eldy_menu.php','chaine',0,'','2019-10-02 11:46:02'),(6847,'MAIN_MENU_SMARTPHONE',0,'eldy_menu.php','chaine',0,'','2019-10-02 11:46:02'),(6848,'MAIN_MENUFRONT_SMARTPHONE',0,'eldy_menu.php','chaine',0,'','2019-10-02 11:46:02'),(6853,'DOL_VERSION',1,'10.0.2','chaine',0,'Dolibarr version','2019-10-02 11:47:10'),(6881,'MAIN_MENU_STANDARD',1,'eldy_menu.php','chaine',0,'','2019-10-02 11:48:49'),(6882,'MAIN_MENUFRONT_STANDARD',1,'eldy_menu.php','chaine',0,'','2019-10-02 11:48:49'),(6883,'MAIN_MENU_SMARTPHONE',1,'eldy_menu.php','chaine',0,'','2019-10-02 11:48:49'),(6884,'MAIN_MENUFRONT_SMARTPHONE',1,'eldy_menu.php','chaine',0,'','2019-10-02 11:48:49'),(6912,'TICKET_ENABLE_PUBLIC_INTERFACE',1,'1','chaine',0,'','2019-10-04 11:44:33'),(7028,'USER_PASSWORD_PATTERN',1,'12;1;0;1;0;1','chaine',0,'','2019-10-07 10:57:03'),(7034,'BOM_ADDON',1,'mod_bom_standard','chaine',0,'Name of numbering rules of BOM','2019-10-08 18:49:41'),(7035,'BOM_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/boms','chaine',0,NULL,'2019-10-08 18:49:41'),(7036,'MAIN_MODULE_GEOIPMAXMIND',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2019-10-08 18:51:54'),(7037,'MAIN_MODULE_DAV',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2019-10-08 18:54:07'),(7122,'BOM_ADDON_PDF',1,'generic_bom_odt','chaine',0,'','2019-11-28 14:00:58'),(7195,'MAIN_AGENDA_ACTIONAUTO_MO_VALIDATE',1,'1','chaine',0,'','2019-11-29 08:44:37'),(7196,'MAIN_AGENDA_ACTIONAUTO_MO_PRODUCED',1,'1','chaine',0,'','2019-11-29 08:44:37'),(7197,'MAIN_AGENDA_ACTIONAUTO_MO_DELETE',1,'1','chaine',0,'','2019-11-29 08:44:37'),(7198,'MAIN_AGENDA_ACTIONAUTO_MO_CANCEL',1,'1','chaine',0,'','2019-11-29 08:44:37'),(7201,'TICKET_PUBLIC_INTERFACE_TOPIC',1,'MyBigCompany public interface for Ticket','chaine',0,'','2019-11-29 08:49:36'),(7202,'TICKET_PUBLIC_TEXT_HOME',1,'You can create a support ticket or view existing from its identifier tracking ticket.','chaine',0,'','2019-11-29 08:49:36'),(7203,'TICKET_PUBLIC_TEXT_HELP_MESSAGE',1,'Please accurately describe the problem. Provide the most information possible to allow us to correctly identify your request.','chaine',0,'','2019-11-29 08:49:36'),(7204,'TICKET_MESSAGE_MAIL_NEW',1,'TicketMessageMailNewText','chaine',0,'','2019-11-29 08:49:36'),(7220,'MRP_MO_ADDON',1,'mod_mo_standard','chaine',0,'Name of numbering rules of MO','2019-11-29 08:57:42'),(7221,'MRP_MO_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/mrps','chaine',0,NULL,'2019-11-29 08:57:42'),(7222,'MRP_MO_ADDON_PDF',1,'generic_mo_odt','chaine',0,'','2019-11-29 08:57:47'),(7254,'MAIN_INFO_OPENINGHOURS_MONDAY',1,'8-12 13-18','chaine',0,'','2019-12-19 11:14:21'),(7255,'MAIN_INFO_OPENINGHOURS_TUESDAY',1,'8-12 13-18','chaine',0,'','2019-12-19 11:14:21'),(7256,'MAIN_INFO_OPENINGHOURS_WEDNESDAY',1,'8-13','chaine',0,'','2019-12-19 11:14:21'),(7257,'MAIN_INFO_OPENINGHOURS_THURSDAY',1,'8-12 13-18','chaine',0,'','2019-12-19 11:14:21'),(7258,'MAIN_INFO_OPENINGHOURS_FRIDAY',1,'8-12 13-18','chaine',0,'','2019-12-19 11:14:21'),(7264,'MAIN_INFO_ACCOUNTANT_NAME',1,'Bob Bookkeeper','chaine',0,'','2019-12-19 11:14:54'),(7265,'MAIN_INFO_ACCOUNTANT_TOWN',1,'Berlin','chaine',0,'','2019-12-19 11:14:54'),(7266,'MAIN_INFO_ACCOUNTANT_STATE',1,'0','chaine',0,'','2019-12-19 11:14:54'),(7267,'MAIN_INFO_ACCOUNTANT_COUNTRY',1,'5','chaine',0,'','2019-12-19 11:14:54'),(7268,'MAIN_INFO_ACCOUNTANT_MAIL',1,'mybookkeeper@example.com','chaine',0,'','2019-12-19 11:14:54'),(7313,'MODULEBUILDER_ASCIIDOCTOR',1,'asciidoctor','chaine',0,'','2019-12-20 10:57:21'),(7314,'MODULEBUILDER_ASCIIDOCTORPDF',1,'asciidoctor-pdf','chaine',0,'','2019-12-20 10:57:21'),(7337,'EXTERNAL_RSS_TITLE_1',1,'Dolibarr.org News','chaine',0,'','2019-12-20 12:10:38'),(7338,'EXTERNAL_RSS_URLRSS_1',1,'https://www.dolibarr.org/rss','chaine',0,'','2019-12-20 12:10:38'),(7339,'EXPENSEREPORT_ADDON',1,'mod_expensereport_jade','chaine',0,'','2019-12-20 16:33:46'),(7378,'COMPANY_USE_SEARCH_TO_SELECT',1,'0','chaine',0,'','2019-12-21 15:54:22'),(7420,'CASHDESK_SERVICES',1,'0','chaine',0,'','2019-12-23 12:15:06'),(7421,'TAKEPOS_ROOT_CATEGORY_ID',1,'31','chaine',0,'','2019-12-23 12:15:06'),(7422,'TAKEPOSCONNECTOR',1,'0','chaine',0,'','2019-12-23 12:15:06'),(7423,'TAKEPOS_BAR_RESTAURANT',1,'0','chaine',0,'','2019-12-23 12:15:06'),(7424,'TAKEPOS_TICKET_VAT_GROUPPED',1,'0','chaine',0,'','2019-12-23 12:15:06'),(7425,'TAKEPOS_AUTO_PRINT_TICKETS',1,'0','int',0,'','2019-12-23 12:15:06'),(7426,'TAKEPOS_NUMPAD',1,'0','chaine',0,'','2019-12-23 12:15:06'),(7427,'TAKEPOS_NUM_TERMINALS',1,'1','chaine',0,'','2019-12-23 12:15:06'),(7428,'TAKEPOS_DIRECT_PAYMENT',1,'0','int',0,'','2019-12-23 12:15:06'),(7429,'TAKEPOS_CUSTOM_RECEIPT',1,'0','int',0,'','2019-12-23 12:15:06'),(7430,'TAKEPOS_EMAIL_TEMPLATE_INVOICE',1,'-1','chaine',0,'','2019-12-23 12:15:06'),(7454,'MEMBER_NEWFORM_EDITAMOUNT',1,'0','chaine',0,'','2020-01-01 10:31:46'),(7470,'STRIPE_TEST_PUBLISHABLE_KEY',1,'pk_test_123456789','chaine',0,'','2020-01-01 11:43:44'),(7471,'STRIPE_TEST_SECRET_KEY',1,'sk_test_123456','chaine',0,'','2020-01-01 11:43:44'),(7472,'STRIPE_BANK_ACCOUNT_FOR_PAYMENTS',1,'4','chaine',0,'','2020-01-01 11:43:44'),(7473,'STRIPE_USER_ACCOUNT_FOR_ACTIONS',1,'1','chaine',0,'','2020-01-01 11:43:44'),(7489,'CAPTURESERVER_SECURITY_KEY',1,'securitykey123','chaine',0,'','2020-01-01 12:00:49'),(8136,'MAIN_AGENDA_ACTIONAUTO_EXPENSE_DELETE',1,'1','chaine',0,'','2020-01-02 19:56:28'),(8190,'ACCOUNTING_PRODUCT_MODE',1,'ACCOUNTANCY_SELL_EXPORT','chaine',0,'','2020-01-06 01:23:30'),(8191,'MAIN_ENABLE_DEFAULT_VALUES',1,'1','chaine',0,'','2020-01-06 16:09:52'),(8210,'CABINETMED_RHEUMATOLOGY_ON',1,'0','texte',0,'','2020-01-06 16:51:43'),(8213,'MAIN_SEARCHFORM_SOCIETE',1,'1','texte',0,'','2020-01-06 16:51:43'),(8214,'CABINETMED_BANK_PATIENT_REQUIRED',1,'0','texte',0,'','2020-01-06 16:51:43'),(8215,'DIAGNOSTIC_IS_NOT_MANDATORY',1,'1','texte',0,'','2020-01-06 16:51:43'),(8216,'USER_ADDON_PDF_ODT',1,'generic_user_odt','chaine',0,'','2020-01-07 13:45:19'),(8217,'USERGROUP_ADDON_PDF_ODT',1,'generic_usergroup_odt','chaine',0,'','2020-01-07 13:45:23'),(8230,'MAIN_MODULE_EMAILCOLLECTOR',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2020-01-12 20:13:55'),(8232,'MAIN_MODULE_SUPPLIERPROPOSAL',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2020-01-13 14:37:09'),(8233,'MAIN_MODULE_EXPEDITION',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2020-01-13 14:38:20'),(8291,'PRODUIT_MULTIPRICES_LIMIT',1,'5','chaine',0,'','2020-01-17 14:21:46'),(8293,'PRODUIT_CUSTOMER_PRICES_BY_QTY',1,'0','chaine',0,'','2020-01-17 14:21:46'),(8306,'PRODUIT_SOUSPRODUITS',1,'0','chaine',0,'','2020-01-17 14:25:30'),(8310,'PRODUIT_FOURN_TEXTS',1,'0','chaine',0,'','2020-01-17 14:25:30'),(8313,'MAIN_MODULE_FCKEDITOR',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2020-01-18 17:13:27'),(8314,'FCKEDITOR_ENABLE_TICKET',1,'1','chaine',0,'','2020-01-18 19:39:54'),(8321,'FCKEDITOR_SKIN',1,'moono-lisa','chaine',0,'','2020-01-18 19:41:15'),(8322,'FCKEDITOR_TEST',1,'Test < aaa
      \r\n
      \r\n\"\"','chaine',0,'','2020-01-18 19:41:15'),(8486,'MAIN_MULTILANGS',1,'1','chaine',0,'','2020-01-21 09:40:00'),(8491,'MAIN_DISABLE_JAVASCRIPT',1,'0','chaine',0,'','2020-01-21 09:40:00'),(8492,'MAIN_BUTTON_HIDE_UNAUTHORIZED',1,'0','chaine',0,'','2020-01-21 09:40:00'),(8496,'MAIN_SHOW_LOGO',1,'1','chaine',0,'','2020-01-21 09:40:00'),(8498,'MAIN_HELPCENTER_DISABLELINK',0,'0','chaine',0,'','2020-01-21 09:40:00'),(8501,'MAIN_BUGTRACK_ENABLELINK',1,'0','chaine',0,'','2020-01-21 09:40:00'),(8554,'MAIN_INFO_SOCIETE_FACEBOOK_URL',1,'dolibarr','chaine',0,'','2020-06-12 17:24:42'),(8555,'MAIN_INFO_SOCIETE_TWITTER_URL',1,'dolibarr','chaine',0,'','2020-06-12 17:24:42'),(8556,'MAIN_INFO_SOCIETE_LINKEDIN_URL',1,'https://www.linkedin.com/company/9400559/admin/','chaine',0,'','2020-06-12 17:24:42'),(8557,'MAIN_INFO_SOCIETE_INSTAGRAM_URL',1,'dolibarr','chaine',0,'','2020-06-12 17:24:42'),(8558,'MAIN_INFO_SOCIETE_YOUTUBE_URL',1,'DolibarrERPCRM','chaine',0,'','2020-06-12 17:24:42'),(8559,'MAIN_INFO_SOCIETE_GITHUB_URL',1,'dolibarr','chaine',0,'','2020-06-12 17:24:42'),(8577,'PRODUCT_PRICE_BASE_TYPE',0,'HT','string',0,NULL,'2020-12-10 12:24:38'),(8633,'MAIN_MODULE_RECEPTION',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2020-12-10 12:30:13'),(8634,'RECEPTION_ADDON_PDF',1,'squille','chaine',0,'Nom du gestionnaire de generation des bons receptions en PDF','2020-12-10 12:30:13'),(8635,'RECEPTION_ADDON_NUMBER',1,'mod_reception_beryl','chaine',0,'Name for numbering manager for receptions','2020-12-10 12:30:13'),(8636,'RECEPTION_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/receptions','chaine',0,NULL,'2020-12-10 12:30:13'),(8637,'MAIN_SUBMODULE_RECEPTION',1,'1','chaine',0,'Enable receptions','2020-12-10 12:30:13'),(8638,'MAIN_MODULE_PAYMENTBYBANKTRANSFER',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2020-12-10 12:30:17'),(8640,'MAIN_MODULE_MARGIN_TABS_0',1,'product:+margin:Margins:margins:$user->rights->margins->liretous:/margin/tabs/productMargins.php?id=__ID__','chaine',0,NULL,'2020-12-10 12:30:20'),(8641,'MAIN_MODULE_MARGIN_TABS_1',1,'thirdparty:+margin:Margins:margins:empty($user->socid) && $user->rights->margins->liretous && ($object->client > 0):/margin/tabs/thirdpartyMargins.php?socid=__ID__','chaine',0,NULL,'2020-12-10 12:30:20'),(8644,'MAIN_MODULE_INCOTERM',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2020-12-10 12:31:36'),(8645,'INCOTERM_ACTIVATE',1,'','chaine',0,'Description de INCOTERM_ACTIVATE','2020-12-10 12:31:36'),(8716,'MAIN_SECURITY_HASH_ALGO',1,'password_hash','chaine',1,'','2021-04-15 10:38:33'),(8760,'MAIN_LANG_DEFAULT',1,'auto','chaine',0,'','2021-04-15 10:56:30'),(8764,'MAIN_SIZE_LISTE_LIMIT',1,'25','chaine',0,'','2021-04-15 10:56:30'),(8765,'MAIN_SIZE_SHORTLIST_LIMIT',1,'3','chaine',0,'','2021-04-15 10:56:30'),(8766,'MAIN_START_WEEK',1,'1','chaine',0,'','2021-04-15 10:56:30'),(8767,'MAIN_DEFAULT_WORKING_DAYS',1,'1-5','chaine',0,'','2021-04-15 10:56:30'),(8768,'MAIN_DEFAULT_WORKING_HOURS',1,'9-18','chaine',0,'','2021-04-15 10:56:30'),(8769,'MAIN_FIRSTNAME_NAME_POSITION',1,'0','chaine',0,'','2021-04-15 10:56:30'),(8877,'AGENDA_REMINDER_BROWSER',1,'1','chaine',0,'','2021-04-15 13:32:29'),(9008,'MAIN_MODULE_KNOWLEDGEMANAGEMENT',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2022-02-07 13:39:27'),(9009,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_TRIGGERS',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9010,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_LOGIN',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9011,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_SUBSTITUTIONS',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9012,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_MENUS',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9013,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_TPL',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9014,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_BARCODE',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9015,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_MODELS',1,'1','chaine',0,NULL,'2022-02-07 13:39:27'),(9016,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_PRINTING',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9017,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_THEME',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9018,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_MODULEFOREXTERNAL',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9022,'PAYMENTBYBANKTRANSFER_ID_BANKACCOUNT',1,'1','chaine',0,'','2022-02-07 14:17:28'),(9023,'PAYMENTBYBANKTRANSFER_USER',1,'13','chaine',0,'','2022-02-07 14:17:28'),(9025,'MAIN_MODULE_BLOCKEDLOG',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2022-02-07 14:32:50'),(9294,'RECRUITMENT_RECRUITMENTCANDIDATURE_ADDON',1,'mod_recruitmentcandidature_standard','chaine',0,'Name of manager to generate recruitment candidature ref number','2022-07-04 01:12:19'),(9451,'MAIN_SECURITY_MAX_IMG_IN_HTML_CONTENT',1,'1000','int',0,NULL,'2022-12-11 21:23:35'),(9520,'USER_PASSWORD_GENERATED',1,'Perso','chaine',0,'','2022-12-12 08:30:14'),(9521,'MAIN_LOGEVENTS_USER_LOGIN',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9522,'MAIN_LOGEVENTS_USER_LOGIN_FAILED',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9523,'MAIN_LOGEVENTS_USER_LOGOUT',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9524,'MAIN_LOGEVENTS_USER_CREATE',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9525,'MAIN_LOGEVENTS_USER_MODIFY',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9526,'MAIN_LOGEVENTS_USER_NEW_PASSWORD',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9527,'MAIN_LOGEVENTS_USER_ENABLEDISABLE',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9528,'MAIN_LOGEVENTS_USER_DELETE',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9529,'MAIN_LOGEVENTS_USERGROUP_CREATE',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9530,'MAIN_LOGEVENTS_USERGROUP_MODIFY',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9531,'MAIN_LOGEVENTS_USERGROUP_DELETE',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9624,'MAILING_EMAIL_FROM',1,'dolibarr@domain.com','chaine',0,'','2022-12-13 14:22:18'),(9625,'MAILING_CONTACT_DEFAULT_BULK_STATUS',1,'0','chaine',0,'','2022-12-13 14:22:18'),(9635,'PRODUIT_LIMIT_SIZE',1,'1000','chaine',0,'','2022-12-16 10:47:29'),(9636,'PRODUCT_PRICE_UNIQ',1,'0','chaine',0,'','2022-12-16 10:47:29'),(9637,'PRODUIT_MULTIPRICES',1,'0','chaine',0,'','2022-12-16 10:47:29'),(9638,'PRODUIT_CUSTOMER_PRICES',1,'1','chaine',0,'','2022-12-16 10:47:29'),(9639,'PRODUCT_PRICE_BASE_TYPE',1,'HT','chaine',0,'','2022-12-16 10:47:29'),(9640,'PRODUIT_DESC_IN_FORM',1,'0','chaine',0,'','2022-12-16 10:47:29'),(9641,'PRODUIT_TEXTS_IN_THIRDPARTY_LANGUAGE',1,'0','chaine',0,'','2022-12-16 10:47:29'),(9642,'PRODUIT_USE_SEARCH_TO_SELECT',1,'1','chaine',0,'','2022-12-16 10:47:29'),(9643,'PRODUIT_AUTOFILL_DESC',1,'0','chaine',0,'','2022-12-16 10:47:29'),(9698,'PROJECT_ENABLE_PUBLIC',1,'1','chaine',0,'','2022-12-19 13:49:30'),(9700,'SYSTEMTOOLS_MYSQLDUMP',1,'/usr/bin/mysqldump','chaine',0,'','2022-12-22 12:19:25'),(9714,'EVENTORGANIZATION_TASK_LABEL',1,'','chaine',0,NULL,'2022-12-22 15:13:46'),(9807,'MAIN_PDF_FORMAT',1,'EUA4','chaine',0,'','2022-12-24 14:05:01'),(9808,'MAIN_PDF_MARGIN_LEFT',1,'10','chaine',0,'','2022-12-24 14:05:01'),(9809,'MAIN_PDF_MARGIN_RIGHT',1,'10','chaine',0,'','2022-12-24 14:05:01'),(9810,'MAIN_PDF_MARGIN_TOP',1,'10','chaine',0,'','2022-12-24 14:05:01'),(9811,'MAIN_PDF_MARGIN_BOTTOM',1,'10','chaine',0,'','2022-12-24 14:05:01'),(9812,'MAIN_DOCUMENTS_LOGO_HEIGHT',1,'20','chaine',0,'','2022-12-24 14:05:01'),(9813,'MAIN_GENERATE_DOCUMENTS_SHOW_FOOT_DETAILS',1,'0','chaine',0,'','2022-12-24 14:05:01'),(9814,'PDF_USE_ALSO_LANGUAGE_CODE',1,'0','chaine',0,'','2022-12-24 14:05:01'),(9815,'PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME',1,'0','chaine',0,'','2022-12-24 14:05:01'),(9816,'PDF_USE_A',1,'0','chaine',0,'','2022-12-24 14:05:01'),(10111,'FTP_PORT_1',1,'21','chaine',0,'','2022-12-27 17:50:00'),(10112,'FTP_SERVER_1',1,'localhost','chaine',0,'','2022-12-27 17:50:00'),(10113,'FTP_USER_1',1,'myftplogin','chaine',0,'','2022-12-27 17:50:00'),(10114,'FTP_PASSWORD_1',1,'myftppassword','chaine',0,'','2022-12-27 17:50:00'),(10115,'FTP_NAME_1',1,'aaa','chaine',0,'','2022-12-27 17:50:00'),(10116,'FTP_PASSIVE_1',1,'0','chaine',0,'','2022-12-27 17:50:00'),(10176,'RECRUITMENT_RECRUITMENTJOBPOSITION_ADDON',1,'mod_recruitmentjobposition_standard','chaine',0,'','2023-01-04 13:13:30'),(10180,'TICKET_NOTIFICATION_EMAIL_FROM',1,'fff','chaine',0,'Sender of ticket replies sent from Dolibarr','2023-01-04 14:07:26'),(10181,'TICKET_NOTIFICATION_EMAIL_TO',1,'ff','chaine',0,'Notified e-mail for ticket replies sent from Dolibarr','2023-01-04 14:07:26'),(10182,'TICKET_MESSAGE_MAIL_INTRO',1,'Hello,
      \r\nA new response was sent on a ticket that you contact. Here is the message:','chaine',0,'Introduction text of ticket replies sent from Dolibarr','2023-01-04 14:07:26'),(10183,'TICKET_MESSAGE_MAIL_SIGNATURE',1,'

      Sincerely,

      \r\n\r\n

      --
      \r\n 

      \r\n','chaine',0,'Signature of ticket replies sent from Dolibarr','2023-01-04 14:07:26'),(10184,'TICKET_UNIVERSAL_MASK',1,'TI{yy}{mm}-{000}','chaine',0,'','2023-01-04 14:07:56'),(10191,'RECRUITMENT_RECRUITMENTJOBPOSITION_ADVANCED_MASK',1,'JBD{yy}{mm}-{0000}','chaine',0,'','2023-01-04 14:24:35'),(10193,'RECRUITMENT_RECRUITMENTCANDIDATURE_ADVANCED_MASK',1,'JOA{yy}{mm}-{0000}','chaine',0,'','2023-01-04 14:25:12'),(10364,'NLTECHNO_NOTE',0,'Welcome to SellYourSaas Home page

      \n Link to the specification: https://framagit.org/eldy/sell-your-saas

      \n ...You can enter content on this page to save any notes/information of your choices.','chaine',0,'This is another constant to add','2023-01-19 12:20:14'),(10365,'CONTRACT_SYNC_PLANNED_DATE_OF_SERVICES',1,'1','chaine',0,'Sync the planned date of services to the same value for all lines in the same contract','2023-01-19 12:20:14'),(10366,'THIRDPARTY_LOGO_ALLOW_EXTERNAL_DOWNLOAD',1,'1','chaine',0,'Allow to access thirdparty logo from external link','2023-01-19 12:20:14'),(10367,'STRIPE_ALLOW_LOCAL_CARD',1,'1','chaine',0,'Allow to save stripe credit card locally','2023-01-19 12:20:14'),(10369,'CONTRACT_DISABLE_AUTOSET_AS_CLIENT_ON_CONTRACT_VALIDATION',1,'1','chaine',0,'Disable autoset of client status on contract validation','2023-01-19 12:20:14'),(10370,'INVOICE_ALLOW_EXTERNAL_DOWNLOAD',1,'1','chaine',0,'Invoice can be downloaded with a public link','2023-01-19 12:20:14'),(10373,'AUDIT_ENABLE_PREFIX_SESSION',1,'1','chaine',1,'Enable column prefix session in audit view','2023-01-19 12:20:14'),(10379,'FCKEDITOR_ENABLE_NOTE_PUBLIC',1,'0','chaine',0,'','2023-01-20 12:41:31'),(10381,'FCKEDITOR_ENABLE_NOTE_PRIVATE',1,'0','chaine',0,'','2023-01-20 12:41:32'),(10383,'MAIN_USE_VAT_COMPANIES_IN_EEC_USE_NO_VAT_EVEN_IF_VAT_ID_UNKNOWN',1,'1','chaine',1,'','2023-01-24 10:39:10'),(10411,'ACCOUNTING_ACCOUNT_CUSTOMER',1,'411','chaine',0,'','2023-01-24 11:09:30'),(10412,'ACCOUNTING_ACCOUNT_SUPPLIER',1,'401','chaine',0,'','2023-01-24 11:09:30'),(10413,'SALARIES_ACCOUNTING_ACCOUNT_PAYMENT',1,'421','chaine',0,'','2023-01-24 11:09:30'),(10414,'ACCOUNTING_PRODUCT_SOLD_ACCOUNT',1,'107','chaine',0,'','2023-01-24 11:09:30'),(10415,'ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT',1,'108','chaine',0,'','2023-01-24 11:09:30'),(10416,'ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT',1,'109','chaine',0,'','2023-01-24 11:09:30'),(10417,'ACCOUNTING_PRODUCT_BUY_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10418,'ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10419,'ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10420,'ACCOUNTING_SERVICE_SOLD_ACCOUNT',1,'107','chaine',0,'','2023-01-24 11:09:30'),(10421,'ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT',1,'108','chaine',0,'','2023-01-24 11:09:30'),(10422,'ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT',1,'109','chaine',0,'','2023-01-24 11:09:30'),(10423,'ACCOUNTING_SERVICE_BUY_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10424,'ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10425,'ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10426,'ACCOUNTING_VAT_BUY_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10427,'ACCOUNTING_VAT_SOLD_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10428,'ACCOUNTING_VAT_PAY_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10429,'ACCOUNTING_ACCOUNT_TRANSFER_CASH',1,'58','chaine',0,'','2023-01-24 11:09:30'),(10430,'DONATION_ACCOUNTINGACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10431,'ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10432,'LOAN_ACCOUNTING_ACCOUNT_CAPITAL',1,'164','chaine',0,'','2023-01-24 11:09:30'),(10433,'LOAN_ACCOUNTING_ACCOUNT_INTEREST',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10434,'LOAN_ACCOUNTING_ACCOUNT_INSURANCE',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10435,'ACCOUNTING_ACCOUNT_SUSPENSE',1,'471','chaine',0,'','2023-01-24 11:09:30'),(10436,'ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10437,'ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10615,'MAIN_ALLOW_SVG_FILES_AS_IMAGES',1,'1','chaine',1,'','2023-01-25 16:12:52'),(10618,'MAIN_HOME',1,'__(NoteSomeFeaturesAreDisabled)__
      \r\n__(SomeTranslationAreUncomplete)__','chaine',0,'','2023-01-30 18:23:00'),(11246,'MEMBER_ENABLE_PUBLIC',1,'1','chaine',0,'','2023-02-09 13:31:03'),(11247,'MEMBER_NEWFORM_AMOUNT',1,'20','chaine',0,'','2023-02-09 13:31:03'),(11248,'MEMBER_MIN_AMOUNT',1,'15','chaine',0,'','2023-02-09 13:31:03'),(11249,'MEMBER_COUNTERS_ARE_PUBLIC',1,'0','chaine',0,'','2023-02-09 13:31:03'),(11250,'MEMBER_NEWFORM_PAYONLINE',1,'all','chaine',0,'','2023-02-09 13:31:03'),(11253,'MAIN_MODULE_MODULEBUILDER',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-02-09 17:37:02'),(11321,'SYSLOG_LEVEL',0,'7','chaine',0,'','2023-02-10 14:27:16'),(11347,'CONTACT_USE_SEARCH_TO_SELECT',1,'2','chaine',0,'','2023-02-10 16:03:10'),(11356,'MAIN_MODULE_HRM',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"192.168.0.254\",\"lastactivationversion\":\"dolibarr\"}','2023-02-11 11:07:50'),(11357,'MAIN_MODULE_HRM_TABS_0',1,'user:+skill_tab:Skills:hrm:1:/hrm/skill_tab.php?id=__ID__&objecttype=user','chaine',0,NULL,'2023-02-11 11:07:50'),(11358,'MAIN_MODULE_HRM_TRIGGERS',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11359,'MAIN_MODULE_HRM_LOGIN',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11360,'MAIN_MODULE_HRM_SUBSTITUTIONS',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11361,'MAIN_MODULE_HRM_MENUS',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11362,'MAIN_MODULE_HRM_TPL',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11363,'MAIN_MODULE_HRM_BARCODE',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11364,'MAIN_MODULE_HRM_MODELS',1,'1','chaine',0,NULL,'2023-02-11 11:07:50'),(11365,'MAIN_MODULE_HRM_PRINTING',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11366,'MAIN_MODULE_HRM_THEME',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11367,'MAIN_MODULE_HRM_MODULEFOREXTERNAL',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11389,'MAIN_UPLOAD_DOC',1,'50000','chaine',0,'','2023-02-17 18:58:22'),(11390,'MAIN_UMASK',1,'0664','chaine',0,'','2023-02-17 18:58:22'),(11391,'MAIN_ANTIVIRUS_PARAM',1,'--fdpass','chaine',0,'','2023-02-17 18:58:22'),(11396,'MAIN_MAIL_DEBUG',1,'1','chaine',1,'','2023-02-18 12:03:32'),(11397,'MAIN_REMOVE_INSTALL_WARNING',1,'2','chaine',1,'','2023-02-18 12:03:32'),(11417,'MAIN_CACHE_COUNT',1,'1','chaine',1,'','2023-02-20 00:04:52'),(11420,'MAIN_MODULE_WEBHOOK',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"experimental\"}','2023-02-20 00:48:16'),(11421,'MAIN_MODULE_WEBHOOK_TRIGGERS',1,'1','chaine',0,NULL,'2023-02-20 00:48:16'),(11422,'MAIN_MODULE_WEBHOOK_LOGIN',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11423,'MAIN_MODULE_WEBHOOK_SUBSTITUTIONS',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11424,'MAIN_MODULE_WEBHOOK_MENUS',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11425,'MAIN_MODULE_WEBHOOK_TPL',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11426,'MAIN_MODULE_WEBHOOK_BARCODE',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11427,'MAIN_MODULE_WEBHOOK_MODELS',1,'1','chaine',0,NULL,'2023-02-20 00:48:16'),(11428,'MAIN_MODULE_WEBHOOK_PRINTING',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11429,'MAIN_MODULE_WEBHOOK_THEME',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11430,'MAIN_MODULE_WEBHOOK_MODULEFOREXTERNAL',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11440,'PARTNERSHIP_ENABLE_PUBLIC',1,'1','chaine',0,'','2023-02-21 09:10:03'),(11444,'THEME_ELDY_USEBORDERONTABLE',1,'1','chaine',0,'','2023-02-21 09:56:21'),(11454,'TICKET_CREATE_THIRD_PARTY_WITH_CONTACT_IF_NOT_EXIST',1,'1','chaine',1,'','2023-02-21 19:37:57'),(11465,'MAIN_MODULE_GOOGLE',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"6.5\"}','2023-02-22 19:34:58'),(11466,'MAIN_MODULE_GOOGLE_TABS_0',1,'agenda:+gcal:MenuAgendaGoogle:google@google:$conf->google->enabled && $conf->global->GOOGLE_ENABLE_AGENDA:/google/index.php','chaine',0,NULL,'2023-02-22 19:34:58'),(11467,'MAIN_MODULE_GOOGLE_TABS_1',1,'user:+gsetup:GoogleUserConf:google@google:$conf->google->enabled && $conf->global->GOOGLE_DUPLICATE_INTO_GCAL:/google/admin/google_calsync_user.php?id=__ID__','chaine',0,NULL,'2023-02-22 19:34:58'),(11468,'MAIN_MODULE_GOOGLE_TRIGGERS',1,'1','chaine',0,NULL,'2023-02-22 19:34:58'),(11469,'MAIN_MODULE_GOOGLE_HOOKS',1,'[\"main\",\"agenda\",\"agendalist\"]','chaine',0,NULL,'2023-02-22 19:34:58'),(11470,'GOOGLE_DEBUG',0,'0','chaine',1,'This is to enable Google debug','2023-02-22 19:34:58'),(11480,'MAIN_MODULE_MAILING',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-02-23 11:11:13'),(11485,'MAIN_MODULE_NUMBERWORDS',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"5.0.2\"}','2023-02-24 13:07:42'),(11486,'MAIN_MODULE_NUMBERWORDS_SUBSTITUTIONS',1,'1','chaine',0,NULL,'2023-02-24 13:07:42'),(11499,'MAIN_COMPANY_CODE_ALWAYS_REQUIRED',1,'1','chaine',0,'With this constants on, third party code is always required whatever is numbering module behaviour','2023-02-27 01:59:59'),(11500,'MAIN_BANK_ACCOUNTANCY_CODE_ALWAYS_REQUIRED',1,'1','chaine',0,'With this constants on, bank account number is always required','2023-02-27 01:59:59'),(11506,'ACCOUNTING_EXPORT_MODELCSV',1,'1000','chaine',0,'','2023-02-27 02:09:06'),(11507,'ACCOUNTING_EXPORT_FORMAT',1,'txt','chaine',0,'','2023-02-27 02:09:06'),(11511,'ACCOUNTING_REEXPORT',1,'1','yesno',0,'','2023-02-27 03:05:51'),(11517,'MAIN_THEME',1,'eldy','chaine',0,'','2023-02-27 13:05:37'),(11519,'THEME_DARKMODEENABLED',1,'1','chaine',0,'','2023-02-27 13:05:38'),(11520,'THEME_ELDY_USE_HOVER',1,'237,244,251','chaine',0,'','2023-02-27 13:05:38'),(11523,'PRELEVEMENT_ID_BANKACCOUNT',1,'5','chaine',0,'','2023-02-27 14:03:10'),(11660,'AGENDA_USE_EVENT_TYPE',0,'1','chaine',0,'','2023-02-28 12:49:59'),(11661,'AGENDA_USE_EVENT_TYPE',1,'1','chaine',0,'','2023-02-28 12:49:59'),(11781,'PARTNERSHIP_IS_MANAGED_FOR',1,'thirdparty','chaine',0,'','2023-03-01 10:01:28'),(11782,'PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL',1,'30','chaine',0,'','2023-03-01 10:01:28'),(11783,'PARTNERSHIP_BACKLINKS_TO_CHECK',1,'dolibarr.org|dolibarr.fr|dolibarr.es','chaine',0,'','2023-03-01 10:01:28'),(11786,'MAIN_AGENDA_ACTIONAUTO_COMPANY_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11787,'MAIN_AGENDA_ACTIONAUTO_COMPANY_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11788,'MAIN_AGENDA_ACTIONAUTO_COMPANY_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11789,'MAIN_AGENDA_ACTIONAUTO_COMPANY_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11790,'MAIN_AGENDA_ACTIONAUTO_PROPAL_CLASSIFY_BILLED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11791,'MAIN_AGENDA_ACTIONAUTO_PROPAL_CLOSE_REFUSED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11792,'MAIN_AGENDA_ACTIONAUTO_PROPAL_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11793,'MAIN_AGENDA_ACTIONAUTO_PROPAL_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11794,'MAIN_AGENDA_ACTIONAUTO_PROPAL_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11795,'MAIN_AGENDA_ACTIONAUTO_PROPAL_CLOSE_SIGNED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11796,'MAIN_AGENDA_ACTIONAUTO_PROPAL_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11797,'MAIN_AGENDA_ACTIONAUTO_ORDER_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11798,'MAIN_AGENDA_ACTIONAUTO_ORDER_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11799,'MAIN_AGENDA_ACTIONAUTO_ORDER_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11800,'MAIN_AGENDA_ACTIONAUTO_ORDER_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11801,'MAIN_AGENDA_ACTIONAUTO_ORDER_CANCEL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11802,'MAIN_AGENDA_ACTIONAUTO_ORDER_CLASSIFY_BILLED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11803,'MAIN_AGENDA_ACTIONAUTO_ORDER_CLOSE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11804,'MAIN_AGENDA_ACTIONAUTO_BILL_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11805,'MAIN_AGENDA_ACTIONAUTO_BILL_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11806,'MAIN_AGENDA_ACTIONAUTO_BILL_PAYED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11807,'MAIN_AGENDA_ACTIONAUTO_BILL_CANCEL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11808,'MAIN_AGENDA_ACTIONAUTO_BILL_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11809,'MAIN_AGENDA_ACTIONAUTO_BILL_UNVALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11810,'MAIN_AGENDA_ACTIONAUTO_BILL_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11811,'MAIN_AGENDA_ACTIONAUTO_PROPOSAL_SUPPLIER_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11812,'MAIN_AGENDA_ACTIONAUTO_PROPOSAL_SUPPLIER_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11813,'MAIN_AGENDA_ACTIONAUTO_PROPOSAL_SUPPLIER_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11814,'MAIN_AGENDA_ACTIONAUTO_PROPOSAL_SUPPLIER_CLOSE_SIGNED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11815,'MAIN_AGENDA_ACTIONAUTO_PROPOSAL_SUPPLIER_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11816,'MAIN_AGENDA_ACTIONAUTO_PROPOSAL_SUPPLIER_CLOSE_REFUSED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11817,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11818,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11819,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_SUBMIT',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11820,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_RECEIVE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11821,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_APPROVE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11822,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_REFUSE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11823,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_CANCEL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11824,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11825,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_CLASSIFY_BILLED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11826,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11827,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11828,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_UNVALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11829,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11830,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11831,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_PAYED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11832,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11833,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_CANCELED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11834,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11835,'MAIN_AGENDA_ACTIONAUTO_CONTRACT_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11836,'MAIN_AGENDA_ACTIONAUTO_CONTRACT_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11837,'MAIN_AGENDA_ACTIONAUTO_CONTRACT_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11838,'MAIN_AGENDA_ACTIONAUTO_CONTRACT_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11839,'MAIN_AGENDA_ACTIONAUTO_FICHINTER_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11840,'MAIN_AGENDA_ACTIONAUTO_FICHINTER_REOPEN',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11841,'MAIN_AGENDA_ACTIONAUTO_FICHINTER_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11842,'MAIN_AGENDA_ACTIONAUTO_SHIPPING_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11843,'MAIN_AGENDA_ACTIONAUTO_SHIPPING_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11844,'MAIN_AGENDA_ACTIONAUTO_SHIPPING_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11845,'MAIN_AGENDA_ACTIONAUTO_SHIPPING_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11846,'MAIN_AGENDA_ACTIONAUTO_RECEPTION_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11847,'MAIN_AGENDA_ACTIONAUTO_RECEPTION_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11848,'MAIN_AGENDA_ACTIONAUTO_MEMBER_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11849,'MAIN_AGENDA_ACTIONAUTO_MEMBER_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11850,'MAIN_AGENDA_ACTIONAUTO_MEMBER_SUBSCRIPTION_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11851,'MAIN_AGENDA_ACTIONAUTO_MEMBER_SUBSCRIPTION_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11852,'MAIN_AGENDA_ACTIONAUTO_MEMBER_RESILIATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11853,'MAIN_AGENDA_ACTIONAUTO_MEMBER_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11854,'MAIN_AGENDA_ACTIONAUTO_MEMBER_SUBSCRIPTION_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11855,'MAIN_AGENDA_ACTIONAUTO_MEMBER_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11856,'MAIN_AGENDA_ACTIONAUTO_MEMBER_EXCLUDE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11857,'MAIN_AGENDA_ACTIONAUTO_PRODUCT_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11858,'MAIN_AGENDA_ACTIONAUTO_FICHINTER_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11859,'MAIN_AGENDA_ACTIONAUTO_PRODUCT_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11860,'MAIN_AGENDA_ACTIONAUTO_PRODUCT_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11861,'MAIN_AGENDA_ACTIONAUTO_FICHINTER_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11862,'MAIN_AGENDA_ACTIONAUTO_TASK_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11863,'MAIN_AGENDA_ACTIONAUTO_TASK_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11864,'MAIN_AGENDA_ACTIONAUTO_TASK_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11865,'MAIN_AGENDA_ACTIONAUTO_CONTACT_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11866,'MAIN_AGENDA_ACTIONAUTO_CONTACT_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11867,'MAIN_AGENDA_ACTIONAUTO_CONTACT_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11868,'MAIN_AGENDA_ACTIONAUTO_CONTACT_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11869,'MAIN_AGENDA_ACTIONAUTO_PROJECT_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11870,'MAIN_AGENDA_ACTIONAUTO_PROJECT_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11871,'MAIN_AGENDA_ACTIONAUTO_PROJECT_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11872,'MAIN_AGENDA_ACTIONAUTO_PROJECT_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11873,'MAIN_AGENDA_ACTIONAUTO_PROJECT_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11874,'MAIN_AGENDA_ACTIONAUTO_TICKET_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11875,'MAIN_AGENDA_ACTIONAUTO_TICKET_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11876,'MAIN_AGENDA_ACTIONAUTO_TICKET_ASSIGNED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11877,'MAIN_AGENDA_ACTIONAUTO_TICKET_CLOSE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11878,'MAIN_AGENDA_ACTIONAUTO_TICKET_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11879,'MAIN_AGENDA_ACTIONAUTO_TICKET_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11880,'MAIN_AGENDA_ACTIONAUTO_EXPENSE_REPORT_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11881,'MAIN_AGENDA_ACTIONAUTO_EXPENSE_REPORT_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11882,'MAIN_AGENDA_ACTIONAUTO_EXPENSE_REPORT_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11883,'MAIN_AGENDA_ACTIONAUTO_EXPENSE_REPORT_APPROVE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11884,'MAIN_AGENDA_ACTIONAUTO_EXPENSE_REPORT_PAID',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11885,'MAIN_AGENDA_ACTIONAUTO_EXPENSE_REPORT_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11886,'MAIN_AGENDA_ACTIONAUTO_HOLIDAY_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11887,'MAIN_AGENDA_ACTIONAUTO_HOLIDAY_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11888,'MAIN_AGENDA_ACTIONAUTO_HOLIDAY_APPROVE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11889,'MAIN_AGENDA_ACTIONAUTO_USER_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11890,'MAIN_AGENDA_ACTIONAUTO_USER_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11891,'MAIN_AGENDA_ACTIONAUTO_USER_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11892,'MAIN_AGENDA_ACTIONAUTO_USER_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11893,'MAIN_AGENDA_ACTIONAUTO_USER_NEW_PASSWORD',1,'dolcrypt:AES-256-CTR:9eebc9ac2c57a4ec:ww==','chaine',0,'','2023-03-01 16:57:33'),(11894,'MAIN_AGENDA_ACTIONAUTO_USER_ENABLEDISABLE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11895,'MAIN_AGENDA_ACTIONAUTO_BOM_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11896,'MAIN_AGENDA_ACTIONAUTO_BOM_UNVALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11897,'MAIN_AGENDA_ACTIONAUTO_BOM_CLOSE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11898,'MAIN_AGENDA_ACTIONAUTO_BOM_REOPEN',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11899,'MAIN_AGENDA_ACTIONAUTO_BOM_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11900,'MAIN_AGENDA_ACTIONAUTO_MRP_MO_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11901,'MAIN_AGENDA_ACTIONAUTO_MRP_MO_PRODUCED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11902,'MAIN_AGENDA_ACTIONAUTO_MRP_MO_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11903,'MAIN_AGENDA_ACTIONAUTO_MRP_MO_CANCEL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11904,'MAIN_AGENDA_ACTIONAUTO_HOLIDAY_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11905,'MAIN_AGENDA_ACTIONAUTO_HOLIDAY_CANCEL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11906,'MAIN_AGENDA_ACTIONAUTO_HOLIDAY_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11907,'MAIN_AGENDA_ACTIONAUTO_BILLREC_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11908,'MAIN_AGENDA_ACTIONAUTO_BILLREC_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11909,'MAIN_AGENDA_ACTIONAUTO_BILLREC_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11910,'MAIN_AGENDA_ACTIONAUTO_BILLREC_AUTOCREATEBILL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11911,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTJOBPOSITION_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11912,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTJOBPOSITION_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11913,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTJOBPOSITION_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11914,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTJOBPOSITION_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11915,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTCANDIDATURE_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11916,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTCANDIDATURE_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11917,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTCANDIDATURE_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11918,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTCANDIDATURE_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11919,'MAIN_AGENDA_ACTIONAUTO_PARTNERSHIP_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11920,'MAIN_AGENDA_ACTIONAUTO_PARTNERSHIP_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11921,'MAIN_AGENDA_ACTIONAUTO_PARTNERSHIP_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11922,'MAIN_AGENDA_ACTIONAUTO_PARTNERSHIP_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11927,'MAIN_SECURITY_FORCECSP',1,'frame-ancestors \'self\'; img-src * data:; font-src *; default-src \'self\' \'unsafe-inline\' \'unsafe-eval\' *.paypal.com *.stripe.com *.google.com *.googleapis.com *.google-analytics.com *.googletagmanager.com;','chaine',1,'','2023-03-01 21:03:49'),(11954,'MAIN_MODULE_CONCATPDF',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"192.168.0.254\",\"lastactivationversion\":\"6.0.3\"}','2023-03-01 22:22:12'),(11955,'MAIN_MODULE_CONCATPDF_HOOKS',1,'[\"invoicecard\",\"propalcard\",\"ordercard\",\"invoicesuppliercard\",\"ordersuppliercard\",\"supplier_proposalcard\",\"contractcard\",\"pdfgeneration\"]','chaine',0,NULL,'2023-03-01 22:22:12'),(11961,'MAIN_DISABLE_ALL_MAILS',1,'0','chaine',0,'','2023-03-02 09:26:23'),(11962,'MAIN_MAIL_ENABLED_USER_DEST_SELECT',1,'0','chaine',0,'','2023-03-02 09:26:23'),(11963,'MAIN_MAIL_SENDMODE',1,'smtps','chaine',0,'','2023-03-02 09:26:23'),(11964,'MAIN_MAIL_SMTP_PORT',1,'465','chaine',0,'','2023-03-02 09:26:23'),(11965,'MAIN_MAIL_SMTP_SERVER',1,'smtp.mail.com','chaine',0,'','2023-03-02 09:26:23'),(11966,'MAIN_MAIL_SMTPS_ID',1,'myemail@example.com','chaine',0,'','2023-03-15 15:18:48'),(11968,'MAIN_MAIL_SMTPS_AUTH_TYPE',1,'LOGIN','chaine',0,'','2023-03-02 09:26:23'),(11970,'MAIN_MAIL_EMAIL_TLS',1,'0','chaine',0,'','2023-03-02 09:26:23'),(11971,'MAIN_MAIL_EMAIL_STARTTLS',1,'0','chaine',0,'','2023-03-02 09:26:23'),(11972,'MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED',1,'0','chaine',0,'','2023-03-02 09:26:23'),(11973,'MAIN_MAIL_EMAIL_FROM',1,'robot@example.com','chaine',0,'','2023-03-02 09:26:23'),(11974,'MAIN_MAIL_DEFAULT_FROMTYPE',1,'user','chaine',0,'','2023-03-02 09:26:23'),(12029,'MAIN_INFO_SOCIETE_COUNTRY',1,'117:IN:Inde','chaine',0,'','2023-03-11 18:23:57'),(12030,'MAIN_INFO_SOCIETE_NOM',1,'MyBigCompany','chaine',0,'','2023-03-11 18:23:57'),(12031,'MAIN_INFO_SOCIETE_ADDRESS',1,'21 Jump street.','chaine',0,'','2023-03-11 18:23:57'),(12032,'MAIN_INFO_SOCIETE_TOWN',1,'MyTown','chaine',0,'','2023-03-11 18:23:57'),(12033,'MAIN_INFO_SOCIETE_ZIP',1,'75500','chaine',0,'','2023-03-11 18:23:57'),(12034,'MAIN_MONNAIE',1,'EUR','chaine',0,'','2023-03-11 18:23:57'),(12035,'MAIN_INFO_SOCIETE_TEL',1,'09123123','chaine',0,'','2023-03-11 18:23:57'),(12036,'MAIN_INFO_SOCIETE_FAX',1,'09123124','chaine',0,'','2023-03-11 18:23:57'),(12037,'MAIN_INFO_SOCIETE_MAIL',1,'myemail@mybigcompany.com','chaine',0,'','2023-03-11 18:23:57'),(12038,'MAIN_INFO_SOCIETE_WEB',1,'https://www.dolibarr.org','chaine',0,'','2023-03-11 18:23:57'),(12039,'MAIN_INFO_SOCIETE_NOTE',1,'This is note about my company','chaine',0,'','2023-03-11 18:23:57'),(12040,'MAIN_INFO_SOCIETE_MANAGERS',1,'Zack Zeceo','chaine',0,'','2023-03-11 18:23:57'),(12041,'MAIN_INFO_GDPR',1,'Zack Zeceo','chaine',0,'','2023-03-11 18:23:57'),(12042,'MAIN_INFO_CAPITAL',1,'10000','chaine',0,'','2023-03-11 18:23:57'),(12043,'MAIN_INFO_SOCIETE_FORME_JURIDIQUE',1,'0','chaine',0,'','2023-03-11 18:23:57'),(12044,'MAIN_INFO_SIREN',1,'123456','chaine',0,'','2023-03-11 18:23:57'),(12045,'MAIN_INFO_SIRET',1,'ABC-DEF','chaine',0,'','2023-03-11 18:23:57'),(12046,'MAIN_INFO_APE',1,'15E-45-8D','chaine',0,'','2023-03-11 18:23:57'),(12047,'MAIN_INFO_TVAINTRA',1,'FR12345678','chaine',0,'','2023-03-11 18:23:57'),(12048,'MAIN_INFO_SOCIETE_OBJECT',1,'A company demo to show how Dolibarr ERP CRM is wonderfull','chaine',0,'','2023-03-11 18:23:57'),(12049,'SOCIETE_FISCAL_MONTH_START',1,'4','chaine',0,'','2023-03-11 18:23:57'),(12050,'FACTURE_TVAOPTION',1,'1','chaine',0,'','2023-03-11 18:23:57'),(12051,'FACTURE_LOCAL_TAX1_OPTION',1,'localtax1on','chaine',0,'','2023-03-11 18:23:57'),(12052,'FACTURE_LOCAL_TAX2_OPTION',1,'localtax2on','chaine',0,'','2023-03-11 18:23:57'),(12053,'MAIN_INFO_VALUE_LOCALTAX1',1,'0','chaine',0,'','2023-03-11 18:23:57'),(12054,'MAIN_INFO_LOCALTAX_CALC1',1,'0','chaine',0,'','2023-03-11 18:23:57'),(12055,'MAIN_INFO_VALUE_LOCALTAX2',1,'0','chaine',0,'','2023-03-11 18:23:57'),(12056,'MAIN_INFO_LOCALTAX_CALC2',1,'0','chaine',0,'','2023-03-11 18:23:57'),(12058,'MAIN_UNIT_PRICE_WITH_TAX_IS_FOR_ALL_TAXES',1,'1','chaine',1,'','2023-03-11 19:19:08'),(12062,'TICKET_SHOW_COMPANY_LOGO',1,'1','chaine',0,'','2023-03-12 20:57:40'),(12071,'BANK_COLORIZE_MOVEMENT',1,'0','chaine',0,'','2023-03-13 18:57:54'),(12073,'BANK_REPORT_LAST_NUM_RELEVE',1,'0','chaine',0,'','2023-03-13 18:57:59'),(12137,'MAIN_VERSION_LAST_UPGRADE',0,'18.0.0','chaine',0,'Dolibarr version for last upgrade','2023-08-13 15:39:41'),(12143,'MAIN_MODULE_WORKSTATION',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"experimental\"}','2023-08-13 15:40:21'),(12144,'MAIN_MODULE_WORKSTATION_TRIGGERS',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12145,'MAIN_MODULE_WORKSTATION_LOGIN',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12146,'MAIN_MODULE_WORKSTATION_SUBSTITUTIONS',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12147,'MAIN_MODULE_WORKSTATION_MENUS',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12148,'MAIN_MODULE_WORKSTATION_TPL',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12149,'MAIN_MODULE_WORKSTATION_BARCODE',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12150,'MAIN_MODULE_WORKSTATION_MODELS',1,'1','chaine',0,NULL,'2023-08-13 15:40:21'),(12151,'MAIN_MODULE_WORKSTATION_PRINTING',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12152,'MAIN_MODULE_WORKSTATION_THEME',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12153,'MAIN_MODULE_WORKSTATION_MODULEFOREXTERNAL',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12157,'MAIN_MODULE_EVENTORGANIZATION',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-13 15:40:29'),(12158,'MAIN_MODULE_EVENTORGANIZATION_TRIGGERS',1,'1','chaine',0,NULL,'2023-08-13 15:40:29'),(12159,'MAIN_MODULE_EVENTORGANIZATION_LOGIN',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12160,'MAIN_MODULE_EVENTORGANIZATION_SUBSTITUTIONS',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12161,'MAIN_MODULE_EVENTORGANIZATION_MENUS',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12162,'MAIN_MODULE_EVENTORGANIZATION_TPL',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12163,'MAIN_MODULE_EVENTORGANIZATION_BARCODE',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12164,'MAIN_MODULE_EVENTORGANIZATION_MODELS',1,'1','chaine',0,NULL,'2023-08-13 15:40:29'),(12165,'MAIN_MODULE_EVENTORGANIZATION_PRINTING',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12166,'MAIN_MODULE_EVENTORGANIZATION_THEME',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12167,'MAIN_MODULE_EVENTORGANIZATION_MODULEFOREXTERNAL',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12168,'EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF',1,'31','chaine',0,'','2023-08-13 15:40:29'),(12169,'EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH',1,'32','chaine',0,'','2023-08-13 15:40:29'),(12170,'EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH',1,'33','chaine',0,'','2023-08-13 15:40:29'),(12171,'EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT',1,'34','chaine',0,'','2023-08-13 15:40:29'),(12231,'MAIN_MODULE_PARTNERSHIP',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"192.168.0.254\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 10:35:26'),(12232,'MAIN_MODULE_PARTNERSHIP_TRIGGERS',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12233,'MAIN_MODULE_PARTNERSHIP_LOGIN',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12234,'MAIN_MODULE_PARTNERSHIP_SUBSTITUTIONS',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12235,'MAIN_MODULE_PARTNERSHIP_MENUS',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12236,'MAIN_MODULE_PARTNERSHIP_TPL',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12237,'MAIN_MODULE_PARTNERSHIP_BARCODE',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12238,'MAIN_MODULE_PARTNERSHIP_MODELS',1,'1','chaine',0,NULL,'2023-08-15 10:35:26'),(12239,'MAIN_MODULE_PARTNERSHIP_PRINTING',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12240,'MAIN_MODULE_PARTNERSHIP_THEME',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12241,'MAIN_MODULE_PARTNERSHIP_MODULEFOREXTERNAL',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12249,'OAUTH_GOOGLE-Login_ID',1,'À compléter','chaine',0,'','2023-08-15 10:37:03'),(12250,'OAUTH_GOOGLE-Login_SCOPE',1,'openid,email','chaine',0,'','2023-08-15 10:37:03'),(12263,'ADHERENT_EMAIL_TEMPLATE_AUTOREGISTER',1,'(SendingEmailOnAutoSubscription)','emailtemplate:member',0,NULL,'2023-08-15 10:38:17'),(12264,'ADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION',1,'(SendingEmailOnNewSubscription)','emailtemplate:member',0,NULL,'2023-08-15 10:38:17'),(12265,'ADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION',1,'(SendingReminderForExpiredSubscription)','emailtemplate:member',0,NULL,'2023-08-15 10:38:17'),(12266,'ADHERENT_EMAIL_TEMPLATE_CANCELATION',1,'(SendingEmailOnCancelation)','emailtemplate:member',0,NULL,'2023-08-15 10:38:17'),(12269,'MEMBER_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/members','chaine',0,NULL,'2023-08-15 10:38:17'),(12272,'ADHERENT_CARD_TYPE',1,'CARD','chaine',0,'','2023-08-15 10:38:56'),(12273,'ADHERENT_CARD_HEADER_TEXT',1,'__YEAR__','chaine',0,'','2023-08-15 10:38:56'),(12274,'ADHERENT_CARD_TEXT',1,'__FULLNAME__\r\nID: __ID__\r\n__EMAIL__\r\n__ADDRESS__\r\n__ZIP__ __TOWN__\r\n__COUNTRY__','chaine',0,'','2023-08-15 10:38:56'),(12275,'ADHERENT_CARD_TEXT_RIGHT',1,'A super member !','chaine',0,'','2023-08-15 10:38:56'),(12276,'ADHERENT_CARD_FOOTER_TEXT',1,'Association AZERTY','chaine',0,'','2023-08-15 10:38:56'),(12283,'MAIN_MODULE_ADHERENT',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"192.168.0.254\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 10:57:22'),(12287,'ADHERENT_ETIQUETTE_TYPE',1,'L7163','chaine',0,'','2023-08-15 10:58:00'),(12288,'ADHERENT_ETIQUETTE_TEXT',1,'__FULLNAME__\r\n__ADDRESS__\r\n__ZIP__ __TOWN__\r\n__COUNTRY__','chaine',0,'','2023-08-15 10:58:00'),(12293,'MAIN_CHECKBOX_LEFT_COLUMN',1,'1','chaine',0,'','2023-08-15 11:06:18'),(12296,'MAIN_MODULE_ACCOUNTING',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:11'),(12297,'MAIN_MODULE_AGENDA',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:11'),(12298,'MAIN_MODULE_BOM',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:12'),(12299,'MAIN_MODULE_BANQUE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:12'),(12300,'MAIN_MODULE_BARCODE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:12'),(12301,'MAIN_MODULE_CRON',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:12'),(12302,'MAIN_MODULE_COMMANDE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:12'),(12303,'MAIN_MODULE_DON',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:12'),(12304,'MAIN_MODULE_ECM',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:12'),(12305,'MAIN_MODULE_EXPENSEREPORT',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:12'),(12306,'MAIN_MODULE_FACTURE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:12'),(12307,'MAIN_MODULE_FOURNISSEUR',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:12'),(12308,'MAIN_MODULE_HOLIDAY',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:12'),(12309,'MAIN_MODULE_MARGIN',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:13'),(12312,'MAIN_MODULE_MRP',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:13'),(12313,'MAIN_MODULE_MRP_TRIGGERS',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12314,'MAIN_MODULE_MRP_LOGIN',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12315,'MAIN_MODULE_MRP_SUBSTITUTIONS',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12316,'MAIN_MODULE_MRP_MENUS',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12317,'MAIN_MODULE_MRP_TPL',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12318,'MAIN_MODULE_MRP_BARCODE',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12319,'MAIN_MODULE_MRP_MODELS',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12320,'MAIN_MODULE_MRP_THEME',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12321,'MAIN_MODULE_MRP_MODULEFOREXTERNAL',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12322,'MAIN_MODULE_OPENSURVEY',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:13'),(12323,'MAIN_MODULE_PRINTING',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:13'),(12324,'MAIN_MODULE_RECRUITMENT',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:13'),(12325,'MAIN_MODULE_RECRUITMENT_TRIGGERS',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12326,'MAIN_MODULE_RECRUITMENT_LOGIN',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12327,'MAIN_MODULE_RECRUITMENT_SUBSTITUTIONS',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12328,'MAIN_MODULE_RECRUITMENT_MENUS',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12329,'MAIN_MODULE_RECRUITMENT_TPL',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12330,'MAIN_MODULE_RECRUITMENT_BARCODE',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12331,'MAIN_MODULE_RECRUITMENT_MODELS',1,'1','chaine',0,NULL,'2023-08-15 11:34:13'),(12332,'MAIN_MODULE_RECRUITMENT_THEME',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12333,'MAIN_MODULE_RECRUITMENT_MODULEFOREXTERNAL',1,'0','chaine',0,NULL,'2023-08-15 11:34:13'),(12334,'MAIN_MODULE_RESOURCE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:13'),(12335,'MAIN_MODULE_SALARIES',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:13'),(12336,'MAIN_MODULE_SERVICE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:13'),(12337,'MAIN_MODULE_SYSLOG',0,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:13'),(12338,'MAIN_MODULE_SOCIETE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:13'),(12339,'MAIN_MODULE_STRIPE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:14'),(12340,'MAIN_MODULE_TICKET',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:14'),(12341,'MAIN_MODULE_TICKET_TABS_0',1,'thirdparty:+ticket:Tickets:ticket:$user->rights->ticket->read:/ticket/list.php?socid=__ID__','chaine',0,NULL,'2023-08-15 11:34:14'),(12342,'MAIN_MODULE_TICKET_TRIGGERS',1,'1','chaine',0,NULL,'2023-08-15 11:34:14'),(12343,'TAKEPOS_PRINT_METHOD',1,'browser','chaine',0,'','2023-08-15 11:34:14'),(12344,'MAIN_MODULE_TAKEPOS',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:14'),(12345,'MAIN_MODULE_TAKEPOS_TRIGGERS',1,'0','chaine',0,NULL,'2023-08-15 11:34:14'),(12346,'MAIN_MODULE_TAKEPOS_LOGIN',1,'0','chaine',0,NULL,'2023-08-15 11:34:14'),(12347,'MAIN_MODULE_TAKEPOS_SUBSTITUTIONS',1,'1','chaine',0,NULL,'2023-08-15 11:34:14'),(12348,'MAIN_MODULE_TAKEPOS_MENUS',1,'0','chaine',0,NULL,'2023-08-15 11:34:14'),(12349,'MAIN_MODULE_TAKEPOS_THEME',1,'0','chaine',0,NULL,'2023-08-15 11:34:14'),(12350,'MAIN_MODULE_TAKEPOS_TPL',1,'0','chaine',0,NULL,'2023-08-15 11:34:14'),(12351,'MAIN_MODULE_TAKEPOS_BARCODE',1,'0','chaine',0,NULL,'2023-08-15 11:34:14'),(12352,'MAIN_MODULE_TAKEPOS_MODELS',1,'0','chaine',0,NULL,'2023-08-15 11:34:14'),(12353,'MAIN_MODULE_USER',0,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:14'),(12354,'MAIN_MODULE_VARIANTS',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 11:34:14'),(12357,'MAIN_FIRST_PING_OK_DATE',1,'20230815113417','chaine',0,'','2023-08-15 11:34:17'),(12358,'MAIN_FIRST_PING_OK_ID',1,'disabled','chaine',0,'','2023-08-15 11:34:17'),(12359,'MAIN_FEATURES_LEVEL',0,'0','chaine',1,'Level of features to show (0=stable only, 1=stable+experimental, 2=stable+experimental+development','2023-08-15 13:04:11'),(12360,'INVOICE_USE_SITUATION',1,'0','chaine',1,'','2023-08-15 13:04:41'),(12372,'MAIN_MODULE_WEBSITE',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 13:47:50'),(12373,'MAIN_IHM_PARAMS_REV',1,'120','chaine',0,'','2023-08-15 13:47:50'),(12377,'WEBSITE_SUBCONTAINERSINLINE',1,'1','chaine',0,'','2023-08-15 13:49:51'),(12378,'MAIN_MODULE_SETUP_ON_LIST_BY_DEFAULT',1,'commonkanban','chaine',0,'','2023-08-15 13:50:49'); +INSERT INTO `llx_const` VALUES (8,'MAIN_UPLOAD_DOC',0,'2048','chaine',0,'Max size for file upload (0 means no upload allowed)','2012-07-08 11:17:57'),(9,'MAIN_SEARCHFORM_SOCIETE',0,'1','yesno',0,'Show form for quick company search','2012-07-08 11:17:57'),(10,'MAIN_SEARCHFORM_CONTACT',0,'1','yesno',0,'Show form for quick contact search','2012-07-08 11:17:57'),(11,'MAIN_SEARCHFORM_PRODUITSERVICE',0,'1','yesno',0,'Show form for quick product search','2012-07-08 11:17:58'),(12,'MAIN_SEARCHFORM_ADHERENT',0,'1','yesno',0,'Show form for quick member search','2012-07-08 11:17:58'),(16,'MAIN_SIZE_LISTE_LIMIT',0,'25','chaine',0,'Longueur maximum des listes','2012-07-08 11:17:58'),(29,'MAIN_DELAY_NOT_ACTIVATED_SERVICES',1,'0','chaine',0,'Tolérance de retard avant alerte (en jours) sur services à activer','2012-07-08 11:17:58'),(33,'SOCIETE_NOLIST_COURRIER',0,'1','yesno',0,'Liste les fichiers du repertoire courrier','2012-07-08 11:17:58'),(36,'ADHERENT_MAIL_REQUIRED',1,'1','yesno',0,'EMail required to create a new member','2012-07-08 11:17:58'),(37,'ADHERENT_MAIL_FROM',1,'adherents@domain.com','chaine',0,'Sender EMail for automatic emails','2012-07-08 11:17:58'),(38,'ADHERENT_MAIL_RESIL',1,'Your subscription has been resiliated.\r\nWe hope to see you soon again','html',0,'Mail resiliation','2018-11-23 11:56:07'),(39,'ADHERENT_MAIL_VALID',1,'Your subscription has been validated.\r\nThis is a remind of your personal information :\r\n\r\n%INFOS%\r\n\r\n','html',0,'Mail de validation','2018-11-23 11:56:07'),(40,'ADHERENT_MAIL_COTIS',1,'Hello %PRENOM%,\r\nThanks for your subscription.\r\nThis email confirms that your subscription has been received and processed.\r\n\r\n','html',0,'Mail de validation de cotisation','2018-11-23 11:56:07'),(41,'ADHERENT_MAIL_VALID_SUBJECT',1,'Your subscription has been validated','chaine',0,'Sujet du mail de validation','2012-07-08 11:17:59'),(42,'ADHERENT_MAIL_RESIL_SUBJECT',1,'Resiliating your subscription','chaine',0,'Sujet du mail de resiliation','2012-07-08 11:17:59'),(43,'ADHERENT_MAIL_COTIS_SUBJECT',1,'Receipt of your subscription','chaine',0,'Sujet du mail de validation de cotisation','2012-07-08 11:17:59'),(45,'ADHERENT_USE_MAILMAN',1,'0','yesno',0,'Utilisation de Mailman','2012-07-08 11:17:59'),(46,'ADHERENT_MAILMAN_UNSUB_URL',1,'http://lists.domain.com/cgi-bin/mailman/admin/%LISTE%/members?adminpw=%MAILMAN_ADMINPW%&user=%EMAIL%','chaine',0,'Url de desinscription aux listes mailman','2012-07-08 11:17:59'),(47,'ADHERENT_MAILMAN_URL',1,'http://lists.domain.com/cgi-bin/mailman/admin/%LISTE%/members?adminpw=%MAILMAN_ADMINPW%&send_welcome_msg_to_this_batch=1&subscribees=%EMAIL%','chaine',0,'Url pour les inscriptions mailman','2012-07-08 11:17:59'),(48,'ADHERENT_MAILMAN_LISTS',1,'test-test,test-test2','chaine',0,'Listes auxquelles inscrire les nouveaux adherents','2012-07-08 11:17:59'),(49,'ADHERENT_MAILMAN_ADMIN_PASSWORD',1,'','chaine',0,'Mot de passe Admin des liste mailman','2022-12-11 21:23:35'),(50,'ADHERENT_MAILMAN_SERVER',1,'lists.domain.com','chaine',0,'Serveur hebergeant les interfaces d Admin des listes mailman','2012-07-08 11:17:59'),(51,'ADHERENT_MAILMAN_LISTS_COTISANT',1,'','chaine',0,'Liste(s) auxquelles les nouveaux cotisants sont inscris automatiquement','2012-07-08 11:17:59'),(52,'ADHERENT_USE_SPIP',1,'0','yesno',0,'Utilisation de SPIP ?','2012-07-08 11:17:59'),(53,'ADHERENT_USE_SPIP_AUTO',1,'0','yesno',0,'Utilisation de SPIP automatiquement','2012-07-08 11:17:59'),(54,'ADHERENT_SPIP_USER',1,'user','chaine',0,'user spip','2012-07-08 11:17:59'),(55,'ADHERENT_SPIP_PASS',1,'pass','chaine',0,'Pass de connection','2012-07-08 11:17:59'),(56,'ADHERENT_SPIP_SERVEUR',1,'localhost','chaine',0,'serveur spip','2012-07-08 11:17:59'),(57,'ADHERENT_SPIP_DB',1,'spip','chaine',0,'db spip','2012-07-08 11:17:59'),(61,'FCKEDITOR_ENABLE_USER',1,'1','yesno',0,'Activation fckeditor sur notes utilisateurs','2012-07-08 11:17:59'),(62,'FCKEDITOR_ENABLE_SOCIETE',1,'1','yesno',0,'Activation fckeditor sur notes societe','2012-07-08 11:17:59'),(63,'FCKEDITOR_ENABLE_PRODUCTDESC',1,'1','yesno',0,'Activation fckeditor sur notes produits','2012-07-08 11:17:59'),(64,'FCKEDITOR_ENABLE_MEMBER',1,'1','yesno',0,'Activation fckeditor sur notes adherent','2012-07-08 11:17:59'),(65,'FCKEDITOR_ENABLE_MAILING',1,'1','yesno',0,'Activation fckeditor sur emailing','2012-07-08 11:17:59'),(67,'DON_ADDON_MODEL',1,'html_cerfafr','chaine',0,'','2012-07-08 11:18:00'),(68,'PROPALE_ADDON',1,'mod_propale_marbre','chaine',0,'','2012-07-08 11:18:00'),(69,'PROPALE_ADDON_PDF',1,'azur','chaine',0,'','2012-07-08 11:18:00'),(70,'COMMANDE_ADDON',1,'mod_commande_marbre','chaine',0,'','2012-07-08 11:18:00'),(71,'COMMANDE_ADDON_PDF',1,'einstein','chaine',0,'','2012-07-08 11:18:00'),(72,'COMMANDE_SUPPLIER_ADDON',1,'mod_commande_fournisseur_muguet','chaine',0,'','2012-07-08 11:18:00'),(73,'COMMANDE_SUPPLIER_ADDON_PDF',1,'muscadet','chaine',0,'','2012-07-08 11:18:00'),(74,'EXPEDITION_ADDON',1,'enlevement','chaine',0,'','2012-07-08 11:18:00'),(76,'FICHEINTER_ADDON',1,'pacific','chaine',0,'','2012-07-08 11:18:00'),(77,'FICHEINTER_ADDON_PDF',1,'soleil','chaine',0,'','2012-07-08 11:18:00'),(79,'FACTURE_ADDON_PDF',1,'crabe','chaine',0,'','2012-07-08 11:18:00'),(80,'PROPALE_VALIDITY_DURATION',1,'15','chaine',0,'Durée de validitée des propales','2012-07-08 11:18:00'),(230,'COMPANY_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/thirdparties','chaine',0,NULL,'2012-07-08 11:26:20'),(238,'LIVRAISON_ADDON_PDF',1,'typhon','chaine',0,'Nom du gestionnaire de generation des commandes en PDF','2012-07-08 11:26:27'),(239,'DELIVERY_ADDON_NUMBER',1,'mod_delivery_jade','chaine',0,'Nom du gestionnaire de numerotation des bons de livraison','2020-12-10 12:24:40'),(245,'FACTURE_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/invoices','chaine',0,NULL,'2012-07-08 11:28:53'),(249,'DON_FORM',1,'html_cerfafr','chaine',0,'Nom du gestionnaire de formulaire de dons','2017-09-06 16:12:22'),(254,'ADHERENT_BANK_ACCOUNT',1,'','chaine',0,'ID du Compte banquaire utilise','2012-07-08 11:29:05'),(255,'ADHERENT_BANK_CATEGORIE',1,'','chaine',0,'ID de la categorie banquaire des cotisations','2012-07-08 11:29:05'),(269,'PROJECT_ADDON_PDF',1,'baleine','chaine',0,'Nom du gestionnaire de generation des projets en PDF','2012-07-08 11:29:33'),(270,'PROJECT_ADDON',1,'mod_project_simple','chaine',0,'Nom du gestionnaire de numerotation des projets','2012-07-08 11:29:33'),(369,'EXPEDITION_ADDON_PDF',1,'merou','chaine',0,'','2012-07-08 22:58:07'),(377,'FACTURE_ADDON',1,'mod_facture_terre','chaine',0,'','2012-07-08 23:08:12'),(386,'STOCK_CALCULATE_ON_SHIPMENT',1,'1','chaine',0,'','2012-07-08 23:23:21'),(387,'STOCK_CALCULATE_ON_SUPPLIER_DISPATCH_ORDER',1,'1','chaine',0,'','2012-07-08 23:23:26'),(392,'MAIN_AGENDA_XCAL_EXPORTKEY',1,'dolibarr','chaine',0,'','2012-07-08 23:27:50'),(393,'MAIN_AGENDA_EXPORT_PAST_DELAY',1,'100','chaine',0,'','2012-07-08 23:27:50'),(610,'CASHDESK_ID_THIRDPARTY',1,'7','chaine',0,'','2012-07-11 17:08:18'),(611,'CASHDESK_ID_BANKACCOUNT_CASH',1,'3','chaine',0,'','2012-07-11 17:08:18'),(612,'CASHDESK_ID_BANKACCOUNT_CHEQUE',1,'1','chaine',0,'','2012-07-11 17:08:18'),(613,'CASHDESK_ID_BANKACCOUNT_CB',1,'1','chaine',0,'','2012-07-11 17:08:18'),(614,'CASHDESK_ID_WAREHOUSE',1,'2','chaine',0,'','2012-07-11 17:08:18'),(660,'LDAP_USER_DN',1,'ou=users,dc=my-domain,dc=com','chaine',0,NULL,'2012-07-18 10:25:27'),(661,'LDAP_GROUP_DN',1,'ou=groups,dc=my-domain,dc=com','chaine',0,NULL,'2012-07-18 10:25:27'),(662,'LDAP_FILTER_CONNECTION',1,'&(objectClass=user)(objectCategory=person)','chaine',0,NULL,'2012-07-18 10:25:27'),(663,'LDAP_FIELD_LOGIN',1,'uid','chaine',0,NULL,'2012-07-18 10:25:27'),(664,'LDAP_FIELD_FULLNAME',1,'cn','chaine',0,NULL,'2012-07-18 10:25:27'),(665,'LDAP_FIELD_NAME',1,'sn','chaine',0,NULL,'2012-07-18 10:25:27'),(666,'LDAP_FIELD_FIRSTNAME',1,'givenname','chaine',0,NULL,'2012-07-18 10:25:27'),(667,'LDAP_FIELD_MAIL',1,'mail','chaine',0,NULL,'2012-07-18 10:25:27'),(668,'LDAP_FIELD_PHONE',1,'telephonenumber','chaine',0,NULL,'2012-07-18 10:25:27'),(669,'LDAP_FIELD_FAX',1,'facsimiletelephonenumber','chaine',0,NULL,'2012-07-18 10:25:27'),(670,'LDAP_FIELD_MOBILE',1,'mobile','chaine',0,NULL,'2012-07-18 10:25:27'),(671,'LDAP_SERVER_TYPE',1,'openldap','chaine',0,'','2012-07-18 10:25:46'),(672,'LDAP_SERVER_PROTOCOLVERSION',1,'3','chaine',0,'','2012-07-18 10:25:47'),(673,'LDAP_SERVER_HOST',1,'localhost','chaine',0,'','2012-07-18 10:25:47'),(674,'LDAP_SERVER_PORT',1,'389','chaine',0,'','2012-07-18 10:25:47'),(675,'LDAP_SERVER_USE_TLS',1,'0','chaine',0,'','2012-07-18 10:25:47'),(676,'LDAP_SYNCHRO_ACTIVE',1,'dolibarr2ldap','chaine',0,'','2012-07-18 10:25:47'),(677,'LDAP_CONTACT_ACTIVE',1,'1','chaine',0,'','2012-07-18 10:25:47'),(678,'LDAP_MEMBER_ACTIVE',1,'1','chaine',0,'','2012-07-18 10:25:47'),(974,'MAIN_MODULE_WORKFLOW_TRIGGERS',1,'1','chaine',0,NULL,'2013-07-18 18:02:20'),(975,'WORKFLOW_PROPAL_AUTOCREATE_ORDER',1,'1','chaine',0,'','2013-07-18 18:02:24'),(980,'PRELEVEMENT_NUMERO_NATIONAL_EMETTEUR',1,'1234567','chaine',0,'','2013-07-18 18:05:50'),(983,'FACTURE_RIB_NUMBER',1,'1','chaine',0,'','2013-07-18 18:35:14'),(984,'FACTURE_CHQ_NUMBER',1,'1','chaine',0,'','2013-07-18 18:35:14'),(1016,'GOOGLE_DUPLICATE_INTO_GCAL',1,'1','chaine',0,'','2013-07-18 21:40:20'),(1152,'SOCIETE_CODECLIENT_ADDON',1,'mod_codeclient_monkey','chaine',0,'','2013-07-29 20:50:02'),(1248,'MAIN_LOGEVENTS_GROUP_CREATE',1,'1','chaine',0,'','2013-07-29 21:05:01'),(1249,'MAIN_LOGEVENTS_GROUP_MODIFY',1,'1','chaine',0,'','2013-07-29 21:05:01'),(1250,'MAIN_LOGEVENTS_GROUP_DELETE',1,'1','chaine',0,'','2013-07-29 21:05:01'),(1251,'MAIN_BOXES_MAXLINES',1,'5','',0,'','2013-07-29 21:05:42'),(1482,'EXPEDITION_ADDON_NUMBER',1,'mod_expedition_safor','chaine',0,'Nom du gestionnaire de numerotation des expeditions','2013-08-05 17:53:11'),(1490,'CONTRACT_ADDON',1,'mod_contract_serpis','chaine',0,'Nom du gestionnaire de numerotation des contrats','2013-08-05 18:11:58'),(1677,'COMMANDE_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/orders','chaine',0,NULL,'2014-12-08 13:11:02'),(1724,'PROPALE_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/proposals','chaine',0,NULL,'2014-12-08 13:17:14'),(1730,'OPENSTREETMAP_ENABLE_MAPS',1,'1','chaine',0,'','2014-12-08 13:22:47'),(1731,'OPENSTREETMAP_ENABLE_MAPS_CONTACTS',1,'1','chaine',0,'','2014-12-08 13:22:47'),(1732,'OPENSTREETMAP_ENABLE_MAPS_MEMBERS',1,'1','chaine',0,'','2014-12-08 13:22:47'),(1733,'OPENSTREETMAP_MAPS_ZOOM_LEVEL',1,'15','chaine',0,'','2014-12-08 13:22:47'),(1742,'MAIN_MAIL_EMAIL_FROM',2,'dolibarr-robot@domain.com','chaine',0,'EMail emetteur pour les emails automatiques Dolibarr','2014-12-08 14:08:14'),(1743,'MAIN_MENU_STANDARD',2,'eldy_menu.php','chaine',0,'Module de gestion de la barre de menu du haut pour utilisateurs internes','2015-02-11 19:43:54'),(1744,'MAIN_MENUFRONT_STANDARD',2,'eldy_menu.php','chaine',0,'Module de gestion de la barre de menu du haut pour utilisateurs externes','2015-02-11 19:43:54'),(1745,'MAIN_MENU_SMARTPHONE',2,'iphone_backoffice.php','chaine',0,'Module de gestion de la barre de menu smartphone pour utilisateurs internes','2014-12-08 14:08:14'),(1746,'MAIN_MENUFRONT_SMARTPHONE',2,'iphone_frontoffice.php','chaine',0,'Module de gestion de la barre de menu smartphone pour utilisateurs externes','2014-12-08 14:08:14'),(1747,'MAIN_THEME',2,'eldy','chaine',0,'Default theme','2014-12-08 14:08:14'),(1748,'MAIN_DELAY_ACTIONS_TODO',2,'7','chaine',0,'Tolérance de retard avant alerte (en jours) sur actions planifiées non réalisées','2014-12-08 14:08:14'),(1749,'MAIN_DELAY_ORDERS_TO_PROCESS',2,'2','chaine',0,'Tolérance de retard avant alerte (en jours) sur commandes clients non traitées','2014-12-08 14:08:14'),(1750,'MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS',2,'7','chaine',0,'Tolérance de retard avant alerte (en jours) sur commandes fournisseurs non traitées','2014-12-08 14:08:14'),(1751,'MAIN_DELAY_PROPALS_TO_CLOSE',2,'31','chaine',0,'Tolérance de retard avant alerte (en jours) sur propales à cloturer','2014-12-08 14:08:14'),(1752,'MAIN_DELAY_PROPALS_TO_BILL',2,'7','chaine',0,'Tolérance de retard avant alerte (en jours) sur propales non facturées','2014-12-08 14:08:14'),(1753,'MAIN_DELAY_CUSTOMER_BILLS_UNPAYED',2,'31','chaine',0,'Tolérance de retard avant alerte (en jours) sur factures client impayées','2014-12-08 14:08:14'),(1754,'MAIN_DELAY_SUPPLIER_BILLS_TO_PAY',2,'2','chaine',0,'Tolérance de retard avant alerte (en jours) sur factures fournisseur impayées','2014-12-08 14:08:14'),(1755,'MAIN_DELAY_NOT_ACTIVATED_SERVICES',2,'0','chaine',0,'Tolérance de retard avant alerte (en jours) sur services à activer','2014-12-08 14:08:14'),(1756,'MAIN_DELAY_RUNNING_SERVICES',2,'0','chaine',0,'Tolérance de retard avant alerte (en jours) sur services expirés','2014-12-08 14:08:14'),(1757,'MAIN_DELAY_MEMBERS',2,'31','chaine',0,'Tolérance de retard avant alerte (en jours) sur cotisations adhérent en retard','2014-12-08 14:08:14'),(1758,'MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE',2,'62','chaine',0,'Tolérance de retard avant alerte (en jours) sur rapprochements bancaires à faire','2014-12-08 14:08:14'),(1759,'MAILING_EMAIL_FROM',2,'dolibarr@domain.com','chaine',0,'EMail emmetteur pour les envois d emailings','2014-12-08 14:08:14'),(1760,'MAIN_INFO_SOCIETE_COUNTRY',3,'1:FR:France','chaine',0,'','2015-02-26 21:56:28'),(1761,'MAIN_INFO_SOCIETE_NOM',3,'bbb','chaine',0,'','2014-12-08 14:08:20'),(1762,'MAIN_INFO_SOCIETE_STATE',3,'0','chaine',0,'','2015-02-27 14:20:27'),(1763,'MAIN_MONNAIE',3,'EUR','chaine',0,'','2014-12-08 14:08:20'),(1764,'MAIN_LANG_DEFAULT',3,'auto','chaine',0,'','2014-12-08 14:08:20'),(1765,'MAIN_MAIL_EMAIL_FROM',3,'dolibarr-robot@domain.com','chaine',0,'EMail emetteur pour les emails automatiques Dolibarr','2014-12-08 14:08:20'),(1766,'MAIN_MENU_STANDARD',3,'eldy_menu.php','chaine',0,'Module de gestion de la barre de menu du haut pour utilisateurs internes','2015-02-11 19:43:54'),(1767,'MAIN_MENUFRONT_STANDARD',3,'eldy_menu.php','chaine',0,'Module de gestion de la barre de menu du haut pour utilisateurs externes','2015-02-11 19:43:54'),(1768,'MAIN_MENU_SMARTPHONE',3,'iphone_backoffice.php','chaine',0,'Module de gestion de la barre de menu smartphone pour utilisateurs internes','2014-12-08 14:08:20'),(1769,'MAIN_MENUFRONT_SMARTPHONE',3,'iphone_frontoffice.php','chaine',0,'Module de gestion de la barre de menu smartphone pour utilisateurs externes','2014-12-08 14:08:20'),(1770,'MAIN_THEME',3,'eldy','chaine',0,'Default theme','2014-12-08 14:08:20'),(1771,'MAIN_DELAY_ACTIONS_TODO',3,'7','chaine',0,'Tolérance de retard avant alerte (en jours) sur actions planifiées non réalisées','2014-12-08 14:08:20'),(1772,'MAIN_DELAY_ORDERS_TO_PROCESS',3,'2','chaine',0,'Tolérance de retard avant alerte (en jours) sur commandes clients non traitées','2014-12-08 14:08:20'),(1773,'MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS',3,'7','chaine',0,'Tolérance de retard avant alerte (en jours) sur commandes fournisseurs non traitées','2014-12-08 14:08:20'),(1774,'MAIN_DELAY_PROPALS_TO_CLOSE',3,'31','chaine',0,'Tolérance de retard avant alerte (en jours) sur propales à cloturer','2014-12-08 14:08:20'),(1775,'MAIN_DELAY_PROPALS_TO_BILL',3,'7','chaine',0,'Tolérance de retard avant alerte (en jours) sur propales non facturées','2014-12-08 14:08:20'),(1776,'MAIN_DELAY_CUSTOMER_BILLS_UNPAYED',3,'31','chaine',0,'Tolérance de retard avant alerte (en jours) sur factures client impayées','2014-12-08 14:08:20'),(1777,'MAIN_DELAY_SUPPLIER_BILLS_TO_PAY',3,'2','chaine',0,'Tolérance de retard avant alerte (en jours) sur factures fournisseur impayées','2014-12-08 14:08:20'),(1778,'MAIN_DELAY_NOT_ACTIVATED_SERVICES',3,'0','chaine',0,'Tolérance de retard avant alerte (en jours) sur services à activer','2014-12-08 14:08:20'),(1779,'MAIN_DELAY_RUNNING_SERVICES',3,'0','chaine',0,'Tolérance de retard avant alerte (en jours) sur services expirés','2014-12-08 14:08:20'),(1780,'MAIN_DELAY_MEMBERS',3,'31','chaine',0,'Tolérance de retard avant alerte (en jours) sur cotisations adhérent en retard','2014-12-08 14:08:20'),(1781,'MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE',3,'62','chaine',0,'Tolérance de retard avant alerte (en jours) sur rapprochements bancaires à faire','2014-12-08 14:08:20'),(1782,'MAILING_EMAIL_FROM',3,'dolibarr@domain.com','chaine',0,'EMail emmetteur pour les envois d emailings','2014-12-08 14:08:20'),(1803,'SYSLOG_FILE',1,'DOL_DATA_ROOT/dolibarr.log','chaine',0,'','2014-12-08 14:15:08'),(1804,'SYSLOG_HANDLERS',1,'[\"mod_syslog_file\"]','chaine',0,'','2014-12-08 14:15:08'),(1805,'MAIN_MODULE_SKINCOLOREDITOR',3,'1',NULL,0,NULL,'2014-12-08 14:35:40'),(1929,'PAYPAL_ADD_PAYMENT_URL',1,'1','chaine',0,'','2014-12-12 12:11:05'),(1981,'MAIN_PROFID1_IN_ADDRESS',1,'0','chaine',0,'','2014-12-12 19:58:05'),(1982,'MAIN_PROFID2_IN_ADDRESS',1,'0','chaine',0,'','2014-12-12 19:58:05'),(1983,'MAIN_PROFID3_IN_ADDRESS',1,'0','chaine',0,'','2014-12-12 19:58:05'),(1984,'MAIN_PROFID4_IN_ADDRESS',1,'0','chaine',0,'','2014-12-12 19:58:05'),(1985,'MAIN_GENERATE_DOCUMENTS_WITHOUT_VAT',1,'0','chaine',0,'','2014-12-12 19:58:05'),(2835,'MAIN_USE_CONNECT_TIMEOUT',1,'10','chaine',0,'','2015-01-16 19:28:50'),(2836,'MAIN_USE_RESPONSE_TIMEOUT',1,'30','chaine',0,'','2015-01-16 19:28:50'),(2837,'MAIN_PROXY_USE',1,'0','chaine',0,'','2015-01-16 19:28:50'),(2838,'MAIN_PROXY_HOST',1,'localhost','chaine',0,'','2015-01-16 19:28:50'),(2839,'MAIN_PROXY_PORT',1,'8080','chaine',0,'','2015-01-16 19:28:50'),(2840,'MAIN_PROXY_USER',1,'aaa','chaine',0,'','2015-01-16 19:28:50'),(2841,'MAIN_PROXY_PASS',1,'bbb','chaine',0,'','2015-01-16 19:28:50'),(2854,'THEME_ELDY_RGB',1,'bfbf00','chaine',0,'','2015-01-18 10:02:53'),(2855,'THEME_ELDY_ENABLE_PERSONALIZED',1,'0','chaine',0,'','2015-01-18 10:02:55'),(2858,'MAIN_SESSION_TIMEOUT',1,'2000','chaine',0,'','2015-01-19 17:01:53'),(2868,'POS_SERVICES',1,'0','chaine',0,'','2015-01-19 17:16:51'),(2869,'POS_USE_TICKETS',1,'1','chaine',0,'','2015-01-19 17:16:51'),(2870,'POS_MAX_TTC',1,'100','chaine',0,'','2015-01-19 17:16:51'),(3190,'MAIN_MODULE_HOLIDAY',2,'1',NULL,0,NULL,'2015-02-01 08:52:34'),(3195,'INVOICE_SUPPLIER_ADDON_PDF',1,'canelle','chaine',0,'','2015-02-10 19:50:27'),(3199,'MAIN_FORCE_RELOAD_PAGE',1,'1','chaine',0,NULL,'2015-02-12 16:22:55'),(3223,'OVH_THIRDPARTY_IMPORT',1,'2','chaine',0,'','2015-02-13 16:20:18'),(4013,'MAIN_DELAY_ACTIONS_TODO',1,'7','chaine',0,'','2015-03-06 08:59:12'),(4014,'MAIN_DELAY_PROPALS_TO_CLOSE',1,'31','chaine',0,'','2015-03-06 08:59:12'),(4015,'MAIN_DELAY_PROPALS_TO_BILL',1,'7','chaine',0,'','2015-03-06 08:59:12'),(4016,'MAIN_DELAY_ORDERS_TO_PROCESS',1,'2','chaine',0,'','2015-03-06 08:59:12'),(4017,'MAIN_DELAY_CUSTOMER_BILLS_UNPAYED',1,'31','chaine',0,'','2015-03-06 08:59:12'),(4018,'MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS',1,'7','chaine',0,'','2015-03-06 08:59:12'),(4019,'MAIN_DELAY_SUPPLIER_BILLS_TO_PAY',1,'2','chaine',0,'','2015-03-06 08:59:12'),(4020,'MAIN_DELAY_RUNNING_SERVICES',1,'-15','chaine',0,'','2015-03-06 08:59:12'),(4021,'MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE',1,'62','chaine',0,'','2015-03-06 08:59:13'),(4022,'MAIN_DELAY_MEMBERS',1,'31','chaine',0,'','2015-03-06 08:59:13'),(4023,'MAIN_DISABLE_METEO',1,'0','chaine',0,'','2015-03-06 08:59:13'),(4044,'ADHERENT_VAT_FOR_SUBSCRIPTIONS',1,'0','',0,'','2015-03-06 16:06:38'),(4047,'ADHERENT_BANK_USE',1,'bankviainvoice','',0,'','2015-03-06 16:12:30'),(4049,'PHPSANE_SCANIMAGE',1,'/usr/bin/scanimage','chaine',0,'','2015-03-06 21:54:13'),(4050,'PHPSANE_PNMTOJPEG',1,'/usr/bin/pnmtojpeg','chaine',0,'','2015-03-06 21:54:13'),(4051,'PHPSANE_PNMTOTIFF',1,'/usr/bin/pnmtotiff','chaine',0,'','2015-03-06 21:54:13'),(4052,'PHPSANE_OCR',1,'/usr/bin/gocr','chaine',0,'','2015-03-06 21:54:13'),(4548,'ECM_AUTO_TREE_ENABLED',1,'1','chaine',0,'','2015-03-10 15:57:21'),(4579,'MAIN_MODULE_AGENDA',2,'1',NULL,0,NULL,'2015-03-13 15:29:19'),(4580,'MAIN_AGENDA_ACTIONAUTO_COMPANY_CREATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4581,'MAIN_AGENDA_ACTIONAUTO_CONTRACT_VALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4582,'MAIN_AGENDA_ACTIONAUTO_PROPAL_VALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4583,'MAIN_AGENDA_ACTIONAUTO_PROPAL_SENTBYMAIL',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4584,'MAIN_AGENDA_ACTIONAUTO_ORDER_VALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4585,'MAIN_AGENDA_ACTIONAUTO_ORDER_SENTBYMAIL',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4586,'MAIN_AGENDA_ACTIONAUTO_BILL_VALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4587,'MAIN_AGENDA_ACTIONAUTO_BILL_PAYED',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4588,'MAIN_AGENDA_ACTIONAUTO_BILL_CANCEL',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4589,'MAIN_AGENDA_ACTIONAUTO_BILL_SENTBYMAIL',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4590,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_VALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4591,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_VALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4592,'MAIN_AGENDA_ACTIONAUTO_SHIPPING_VALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4593,'MAIN_AGENDA_ACTIONAUTO_SHIPPING_SENTBYMAIL',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4594,'MAIN_AGENDA_ACTIONAUTO_BILL_UNVALIDATE',2,'1','chaine',0,NULL,'2015-03-13 15:29:19'),(4688,'GOOGLE_ENABLE_AGENDA',2,'1','chaine',0,'','2015-03-13 15:36:29'),(4696,'GOOGLE_AGENDA_TIMEZONE',2,'Europe/Paris','chaine',0,'','2015-03-13 15:36:29'),(4697,'GOOGLE_AGENDA_NB',2,'5','chaine',0,'','2015-03-13 15:36:29'),(4725,'SOCIETE_CODECLIENT_ADDON',2,'mod_codeclient_leopard','chaine',0,'Module to control third parties codes','2015-03-13 20:21:35'),(4726,'SOCIETE_CODECOMPTA_ADDON',2,'mod_codecompta_panicum','chaine',0,'Module to control third parties codes','2015-03-13 20:21:35'),(4727,'SOCIETE_FISCAL_MONTH_START',2,'','chaine',0,'Mettre le numero du mois du debut d\\\'annee fiscale, ex: 9 pour septembre','2015-03-13 20:21:35'),(4728,'MAIN_SEARCHFORM_SOCIETE',2,'1','yesno',0,'Show form for quick company search','2015-03-13 20:21:35'),(4729,'MAIN_SEARCHFORM_CONTACT',2,'1','yesno',0,'Show form for quick contact search','2015-03-13 20:21:35'),(4730,'COMPANY_ADDON_PDF_ODT_PATH',2,'DOL_DATA_ROOT/doctemplates/thirdparties','chaine',0,NULL,'2015-03-13 20:21:35'),(4743,'MAIN_MODULE_CLICKTODIAL',2,'1',NULL,0,NULL,'2015-03-13 20:30:28'),(4744,'MAIN_MODULE_NOTIFICATION',2,'1',NULL,0,NULL,'2015-03-13 20:30:34'),(4745,'MAIN_MODULE_WEBSERVICES',2,'1',NULL,0,NULL,'2015-03-13 20:30:41'),(4746,'MAIN_MODULE_PROPALE',2,'1',NULL,0,NULL,'2015-03-13 20:32:38'),(4747,'PROPALE_ADDON_PDF',2,'azur','chaine',0,'Nom du gestionnaire de generation des propales en PDF','2015-03-13 20:32:38'),(4748,'PROPALE_ADDON',2,'mod_propale_marbre','chaine',0,'Nom du gestionnaire de numerotation des propales','2015-03-13 20:32:38'),(4749,'PROPALE_VALIDITY_DURATION',2,'15','chaine',0,'Duration of validity of business proposals','2015-03-13 20:32:38'),(4750,'PROPALE_ADDON_PDF_ODT_PATH',2,'DOL_DATA_ROOT/doctemplates/proposals','chaine',0,NULL,'2015-03-13 20:32:38'),(4752,'MAIN_MODULE_TAX',2,'1',NULL,0,NULL,'2015-03-13 20:32:47'),(4753,'MAIN_MODULE_DON',2,'1',NULL,0,NULL,'2015-03-13 20:32:54'),(4754,'DON_ADDON_MODEL',2,'html_cerfafr','chaine',0,'Nom du gestionnaire de generation de recu de dons','2015-03-13 20:32:54'),(4755,'POS_USE_TICKETS',2,'1','chaine',0,'','2015-03-13 20:33:09'),(4756,'POS_MAX_TTC',2,'100','chaine',0,'','2015-03-13 20:33:09'),(4757,'MAIN_MODULE_POS',2,'1',NULL,0,NULL,'2015-03-13 20:33:09'),(4758,'TICKET_ADDON',2,'mod_ticket_avenc','chaine',0,'Nom du gestionnaire de numerotation des tickets','2015-03-13 20:33:09'),(4759,'MAIN_MODULE_BANQUE',2,'1',NULL,0,NULL,'2015-03-13 20:33:09'),(4760,'MAIN_MODULE_FACTURE',2,'1',NULL,0,NULL,'2015-03-13 20:33:09'),(4761,'FACTURE_ADDON_PDF',2,'crabe','chaine',0,'Name of PDF model of invoice','2015-03-13 20:33:09'),(4762,'FACTURE_ADDON',2,'mod_facture_terre','chaine',0,'Name of numbering numerotation rules of invoice','2015-03-13 20:33:09'),(4763,'FACTURE_ADDON_PDF_ODT_PATH',2,'DOL_DATA_ROOT/doctemplates/invoices','chaine',0,NULL,'2015-03-13 20:33:09'),(4764,'MAIN_MODULE_SOCIETE',2,'1',NULL,0,NULL,'2015-03-13 20:33:09'),(4765,'MAIN_MODULE_PRODUCT',2,'1',NULL,0,NULL,'2015-03-13 20:33:09'),(4766,'PRODUCT_CODEPRODUCT_ADDON',2,'mod_codeproduct_leopard','chaine',0,'Module to control product codes','2015-03-13 20:33:09'),(4767,'MAIN_SEARCHFORM_PRODUITSERVICE',2,'1','yesno',0,'Show form for quick product search','2015-03-13 20:33:09'),(4773,'MAIN_MODULE_MAILING',2,'1',NULL,0,NULL,'2015-03-13 20:33:37'),(4774,'MAIN_MODULE_OPENSURVEY',2,'1',NULL,0,NULL,'2015-03-13 20:33:42'),(4782,'AGENDA_USE_EVENT_TYPE',2,'1','chaine',0,'','2015-03-13 20:53:36'),(4884,'AGENDA_DISABLE_EXT',2,'1','chaine',0,'','2015-03-13 22:03:40'),(4928,'COMMANDE_SUPPLIER_ADDON_NUMBER',1,'mod_commande_fournisseur_muguet','chaine',0,'Nom du gestionnaire de numerotation des commandes fournisseur','2015-03-22 09:24:29'),(4929,'INVOICE_SUPPLIER_ADDON_NUMBER',1,'mod_facture_fournisseur_cactus','chaine',0,'Nom du gestionnaire de numerotation des factures fournisseur','2015-03-22 09:24:29'),(5001,'MAIN_CRON_KEY',0,'bc54582fe30d5d4a830c6f582ec28810','chaine',0,'','2015-03-23 17:54:53'),(5009,'CRON_KEY',0,'2c2e755c20be2014098f629865598006','chaine',0,'','2015-03-23 18:06:24'),(5139,'SOCIETE_ADD_REF_IN_LIST',1,'','yesno',0,'Display customer ref into select list','2015-09-08 23:06:08'),(5150,'PROJECT_TASK_ADDON_PDF',1,'','chaine',0,'Name of PDF/ODT tasks manager class','2015-09-08 23:06:14'),(5151,'PROJECT_TASK_ADDON',1,'mod_task_simple','chaine',0,'Name of Numbering Rule task manager class','2015-09-08 23:06:14'),(5152,'PROJECT_TASK_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/tasks','chaine',0,'','2015-09-08 23:06:14'),(5239,'BOOKMARKS_SHOW_IN_MENU',1,'10','chaine',0,'','2016-03-02 15:42:26'),(5271,'DONATION_ART200',1,'','yesno',0,'Option Française - Eligibilité Art200 du CGI','2016-12-21 12:51:28'),(5272,'DONATION_ART238',1,'','yesno',0,'Option Française - Eligibilité Art238 bis du CGI','2016-12-21 12:51:28'),(5274,'DONATION_MESSAGE',1,'Thank you','chaine',0,'Message affiché sur le récépissé de versements ou dons','2016-12-21 12:51:28'),(5349,'MAIN_SEARCHFORM_CONTACT',1,'1','chaine',0,'','2017-10-03 10:11:33'),(5351,'MAIN_SEARCHFORM_PRODUITSERVICE',1,'1','chaine',0,'','2017-10-03 10:11:33'),(5352,'MAIN_SEARCHFORM_PRODUITSERVICE_SUPPLIER',1,'0','chaine',0,'','2017-10-03 10:11:33'),(5353,'MAIN_SEARCHFORM_ADHERENT',1,'1','chaine',0,'','2017-10-03 10:11:33'),(5354,'MAIN_SEARCHFORM_PROJECT',1,'0','chaine',0,'','2017-10-03 10:11:33'),(5394,'FCKEDITOR_ENABLE_DETAILS',1,'1','yesno',0,'WYSIWIG for products details lines for all entities','2017-11-04 15:27:44'),(5395,'FCKEDITOR_ENABLE_USERSIGN',1,'1','yesno',0,'WYSIWIG for user signature','2017-11-04 15:27:44'),(5396,'FCKEDITOR_ENABLE_MAIL',1,'1','yesno',0,'WYSIWIG for products details lines for all entities','2017-11-04 15:27:44'),(5398,'CATEGORIE_RECURSIV_ADD',1,'','yesno',0,'Affect parent categories','2017-11-04 15:27:46'),(5404,'MAIN_MODULE_CATEGORIE',1,'1',NULL,0,NULL,'2017-11-04 15:41:43'),(5415,'EXPEDITION_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/shipment','chaine',0,NULL,'2017-11-15 22:38:28'),(5416,'LIVRAISON_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/delivery','chaine',0,NULL,'2017-11-15 22:38:28'),(5426,'MAIN_MODULE_PROJET',1,'1',NULL,0,NULL,'2017-11-15 22:38:44'),(5427,'PROJECT_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/projects','chaine',0,NULL,'2017-11-15 22:38:44'),(5428,'PROJECT_USE_OPPORTUNIES',1,'1','chaine',0,NULL,'2017-11-15 22:38:44'),(5430,'MAIN_MODULE_EXPORT',1,'1',NULL,0,NULL,'2017-11-15 22:38:56'),(5431,'MAIN_MODULE_IMPORT',1,'1',NULL,0,NULL,'2017-11-15 22:38:58'),(5434,'EXPENSEREPORT_ADDON_PDF',1,'standard','chaine',0,'Name of manager to build PDF expense reports documents','2017-11-15 22:39:05'),(5437,'SALARIES_ACCOUNTING_ACCOUNT_CHARGE',1,'641','chaine',0,NULL,'2017-11-15 22:39:08'),(5443,'MAIN_MODULE_PRELEVEMENT',1,'1',NULL,0,NULL,'2017-11-15 22:39:33'),(5453,'MAIN_MODULE_CONTRAT',1,'1',NULL,0,NULL,'2017-11-15 22:39:52'),(5455,'MAIN_MODULE_FICHEINTER',1,'1',NULL,0,NULL,'2017-11-15 22:39:56'),(5459,'MAIN_MODULE_PAYPAL',1,'1',NULL,0,NULL,'2017-11-15 22:41:02'),(5463,'MAIN_MODULE_PROPALE',1,'1',NULL,0,NULL,'2017-11-15 22:41:47'),(5483,'GENBARCODE_BARCODETYPE_THIRDPARTY',1,'6','chaine',0,'','2018-01-16 15:49:43'),(5484,'PRODUIT_DEFAULT_BARCODE_TYPE',1,'2','chaine',0,'','2018-01-16 15:49:46'),(5586,'MAIN_DELAY_EXPENSEREPORTS_TO_PAY',1,'31','chaine',0,'Tolérance de retard avant alerte (en jours) sur les notes de frais impayées','2018-01-22 17:28:18'),(5587,'MAIN_FIX_FOR_BUGGED_MTA',1,'1','chaine',1,'Set constant to fix email ending from PHP with some linux ike system','2018-01-22 17:28:18'),(5590,'MAIN_VERSION_LAST_INSTALL',0,'3.8.3','chaine',0,'Dolibarr version when install','2018-01-22 17:28:42'),(5614,'MAIN_SIZE_SHORTLISTE_LIMIT',1,'4','chaine',0,'Longueur maximum des listes courtes (fiche client)','2018-03-13 10:54:46'),(5627,'SUPPLIER_PROPOSAL_ADDON_PDF',1,'aurore','chaine',0,'Name of submodule to generate PDF for supplier quotation request','2018-07-30 11:13:20'),(5628,'SUPPLIER_PROPOSAL_ADDON',1,'mod_supplier_proposal_marbre','chaine',0,'Name of submodule to number supplier quotation request','2018-07-30 11:13:20'),(5629,'SUPPLIER_PROPOSAL_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/supplier_proposal','chaine',0,NULL,'2018-07-30 11:13:20'),(5633,'MAIN_MODULE_API',1,'1',NULL,0,NULL,'2018-07-30 11:13:54'),(5634,'MAIN_MODULE_WEBSERVICES',1,'1',NULL,0,NULL,'2018-07-30 11:13:56'),(5635,'WEBSERVICES_KEY',1,'dolibarrkey','chaine',0,'','2018-07-30 11:14:04'),(5638,'MAIN_MODULE_EXTERNALRSS',1,'1',NULL,0,NULL,'2018-07-30 11:15:04'),(5642,'SOCIETE_CODECOMPTA_ADDON',1,'mod_codecompta_aquarium','chaine',0,'','2018-07-30 11:16:42'),(5707,'CASHDESK_NO_DECREASE_STOCK',1,'1','chaine',0,'','2018-07-30 13:38:11'),(5708,'MAIN_MODULE_PRODUCTBATCH',1,'1',NULL,0,NULL,'2018-07-30 13:38:11'),(5710,'MAIN_MODULE_STOCK',1,'1',NULL,0,NULL,'2018-07-30 13:38:11'),(5711,'MAIN_MODULE_PRODUCT',1,'1',NULL,0,NULL,'2018-07-30 13:38:11'),(5808,'MARGIN_TYPE',1,'costprice','chaine',0,'','2018-07-30 16:32:18'),(5809,'DISPLAY_MARGIN_RATES',1,'1','chaine',0,'','2018-07-30 16:32:20'),(5833,'ACCOUNTING_EXPORT_SEPARATORCSV',1,',','string',0,NULL,'2017-01-29 15:11:56'),(5840,'CHARTOFACCOUNTS',1,'2','chaine',0,NULL,'2017-01-29 15:11:56'),(5842,'ACCOUNTING_LENGTH_GACCOUNT',1,'','chaine',0,NULL,'2017-01-29 15:11:56'),(5843,'ACCOUNTING_LENGTH_AACCOUNT',1,'','chaine',0,NULL,'2017-01-29 15:11:56'),(5844,'ACCOUNTING_LIST_SORT_VENTILATION_TODO',1,'1','yesno',0,NULL,'2017-01-29 15:11:56'),(5845,'ACCOUNTING_LIST_SORT_VENTILATION_DONE',1,'1','yesno',0,NULL,'2017-01-29 15:11:56'),(5846,'ACCOUNTING_EXPORT_DATE',1,'%d%m%Y','chaine',0,NULL,'2017-01-29 15:11:56'),(5853,'MAIN_MODULE_WORKFLOW',1,'1',NULL,0,NULL,'2017-01-29 15:12:12'),(5854,'MAIN_MODULE_NOTIFICATION',1,'1',NULL,0,NULL,'2017-01-29 15:12:35'),(5855,'MAIN_MODULE_OAUTH',1,'1',NULL,0,NULL,'2017-01-29 15:12:41'),(5883,'MAILING_LIMIT_SENDBYWEB',0,'15','chaine',1,'Number of targets to defined packet size when sending mass email','2017-01-29 17:36:33'),(5885,'MAIN_SOAP_DEBUG',1,'0','chaine',1,'','2017-01-29 18:53:02'),(5925,'MAIN_AGENDA_ACTIONAUTO_MEMBER_SUBSCRIPTION',1,'1','chaine',0,'','2017-02-01 14:48:55'),(5931,'DATABASE_PWD_ENCRYPTED',1,'1','chaine',0,'','2017-02-01 15:06:04'),(5941,'PRELEVEMENT_ICS',1,'ICS123456','chaine',0,'','2017-02-06 04:04:47'),(5942,'PRELEVEMENT_USER',1,'1','chaine',0,'','2017-02-06 04:04:47'),(5943,'BANKADDON_PDF',1,'sepamandate','chaine',0,'','2017-02-06 04:13:52'),(5947,'CHEQUERECEIPTS_THYME_MASK',1,'CHK{yy}{mm}-{0000@1}','chaine',0,'','2017-02-06 04:16:27'),(5948,'MAIN_MODULE_LOAN',1,'1',NULL,0,NULL,'2017-02-06 19:19:05'),(5954,'MAIN_SUBMODULE_EXPEDITION',1,'1','chaine',0,'','2017-02-06 23:57:37'),(5964,'MAIN_MODULE_TAX',1,'1',NULL,0,NULL,'2017-02-07 18:56:12'),(6019,'MAIN_INFO_SOCIETE_COUNTRY',2,'1:FR:France','chaine',0,'','2017-02-15 17:18:22'),(6020,'MAIN_INFO_SOCIETE_NOM',2,'MySecondCompany','chaine',0,'','2017-02-15 17:18:22'),(6021,'MAIN_INFO_SOCIETE_STATE',2,'0','chaine',0,'','2017-02-15 17:18:22'),(6022,'MAIN_MONNAIE',2,'EUR','chaine',0,'','2017-02-15 17:18:22'),(6023,'MAIN_LANG_DEFAULT',2,'auto','chaine',0,'','2017-02-15 17:18:22'),(6032,'MAIN_MODULE_MULTICURRENCY',1,'1',NULL,0,NULL,'2017-02-15 17:29:59'),(6048,'SYSLOG_FACILITY',0,'LOG_USER','chaine',0,'','2017-02-15 22:37:01'),(6050,'SYSLOG_FILE',0,'DOL_DATA_ROOT/dolibarr.log','chaine',0,'','2017-02-15 22:37:01'),(6052,'SYSLOG_HANDLERS',0,'[\"mod_syslog_file\"]','chaine',0,'','2017-02-15 22:37:01'),(6092,'MAIN_SIZE_SHORTLIST_LIMIT',0,'3','chaine',0,'Max length for small lists (tabs)','2017-05-12 09:02:38'),(6099,'MAIN_MODULE_SKYPE',1,'1',NULL,0,NULL,'2017-05-12 09:03:51'),(6100,'MAIN_MODULE_GRAVATAR',1,'1',NULL,0,NULL,'2017-05-12 09:03:54'),(6102,'PRODUCT_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/products','chaine',0,'','2017-08-27 13:29:07'),(6103,'CONTRACT_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/contracts','chaine',0,'','2017-08-27 13:29:07'),(6104,'USERGROUP_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/usergroups','chaine',0,'','2017-08-27 13:29:07'),(6105,'USER_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/users','chaine',0,'','2017-08-27 13:29:07'),(6106,'MAIN_ENABLE_OVERWRITE_TRANSLATION',1,'1','chaine',0,'Enable overwrote of translation','2017-08-27 13:29:07'),(6377,'COMMANDE_SAPHIR_MASK',1,'{yy}{mm}{000}{ttt}','chaine',0,'','2017-09-06 07:56:25'),(6518,'GOOGLE_DUPLICATE_INTO_THIRDPARTIES',1,'1','chaine',0,'','2017-09-06 19:43:57'),(6519,'GOOGLE_DUPLICATE_INTO_CONTACTS',1,'0','chaine',0,'','2017-09-06 19:43:57'),(6520,'GOOGLE_TAG_PREFIX',1,'Dolibarr (Thirdparties)','chaine',0,'','2017-09-06 19:43:57'),(6521,'GOOGLE_TAG_PREFIX_CONTACTS',1,'Dolibarr (Contacts/Addresses)','chaine',0,'','2017-09-06 19:43:57'),(6522,'GOOGLE_ENABLE_AGENDA',1,'1','chaine',0,'','2017-09-06 19:44:12'),(6523,'GOOGLE_AGENDA_COLOR1',1,'1B887A','chaine',0,'','2017-09-06 19:44:12'),(6524,'GOOGLE_AGENDA_COLOR2',1,'7A367A','chaine',0,'','2017-09-06 19:44:12'),(6525,'GOOGLE_AGENDA_COLOR3',1,'7A367A','chaine',0,'','2017-09-06 19:44:12'),(6526,'GOOGLE_AGENDA_COLOR4',1,'7A367A','chaine',0,'','2017-09-06 19:44:12'),(6527,'GOOGLE_AGENDA_COLOR5',1,'7A367A','chaine',0,'','2017-09-06 19:44:12'),(6528,'GOOGLE_AGENDA_TIMEZONE',1,'Europe/Paris','chaine',0,'','2017-09-06 19:44:12'),(6529,'GOOGLE_AGENDA_NB',1,'5','chaine',0,'','2017-09-06 19:44:12'),(6543,'MAIN_SMS_DEBUG',0,'1','chaine',1,'This is to enable OVH SMS debug','2017-09-06 19:44:34'),(6562,'BLOCKEDLOG_ENTITY_FINGERPRINT',1,'b63e359ffca54d5c2bab869916eaf23d4a736703028ccbf77ce1167c5f830e7b','chaine',0,'Numeric Unique Fingerprint','2018-01-19 11:27:15'),(6564,'BLOCKEDLOG_DISABLE_NOT_ALLOWED_FOR_COUNTRY',1,'FR','chaine',0,'This is list of country code where the module may be mandatory','2018-01-19 11:27:15'),(6565,'MAIN_MODULE_BOOKMARK',1,'1',NULL,0,'{\"authorid\":\"12\",\"ip\":\"82.240.38.230\"}','2018-01-19 11:27:34'),(6567,'ADHERENT_ADDON_PDF',1,'standard','chaine',0,'Name of PDF model of member','2018-01-19 11:27:56'),(6636,'MAIN_MODULE_TICKET_MODELS',1,'1','chaine',0,NULL,'2019-06-05 09:15:29'),(6647,'MAIN_MODULE_SOCIALNETWORKS',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2019-06-05 09:16:49'),(6795,'TICKET_ADDON',1,'mod_ticket_simple','chaine',0,'','2019-09-26 12:07:59'),(6796,'PRODUCT_CODEPRODUCT_ADDON',1,'mod_codeproduct_elephant','chaine',0,'','2019-09-26 12:59:00'),(6800,'CASHDESK_ID_THIRDPARTY1',1,'7','chaine',0,'','2019-09-26 15:30:09'),(6801,'CASHDESK_ID_BANKACCOUNT_CASH1',1,'3','chaine',0,'','2019-09-26 15:30:09'),(6802,'CASHDESK_ID_BANKACCOUNT_CHEQUE1',1,'4','chaine',0,'','2019-09-26 15:30:09'),(6803,'CASHDESK_ID_BANKACCOUNT_CB1',1,'4','chaine',0,'','2019-09-26 15:30:09'),(6804,'CASHDESK_ID_BANKACCOUNT_PRE1',1,'4','chaine',0,'','2019-09-26 15:30:09'),(6805,'CASHDESK_ID_BANKACCOUNT_VIR1',1,'1','chaine',0,'','2019-09-26 15:30:09'),(6806,'CASHDESK_NO_DECREASE_STOCK1',1,'1','chaine',0,'','2019-09-26 15:30:09'),(6811,'FORCEPROJECT_ON_PROPOSAL',1,'1','chaine',0,'','2019-09-27 14:52:57'),(6813,'PROJECT_USE_OPPORTUNITIES',1,'1','chaine',0,'','2019-10-01 11:48:09'),(6814,'PACKTHEMEACTIVATEDTHEME',0,'modOwnTheme','chaine',0,'','2019-10-02 11:41:58'),(6815,'OWNTHEME_COL1',0,'#6a89cc','chaine',0,'','2019-10-02 11:41:58'),(6816,'OWNTHEME_COL2',0,'#60a3bc','chaine',0,'','2019-10-02 11:41:58'),(6817,'DOL_VERSION',0,'10.0.2','chaine',0,'Dolibarr version','2019-10-02 11:41:58'),(6844,'MAIN_THEME',0,'eldy','chaine',0,'','2019-10-02 11:46:02'),(6845,'MAIN_MENU_STANDARD',0,'eldy_menu.php','chaine',0,'','2019-10-02 11:46:02'),(6846,'MAIN_MENUFRONT_STANDARD',0,'eldy_menu.php','chaine',0,'','2019-10-02 11:46:02'),(6847,'MAIN_MENU_SMARTPHONE',0,'eldy_menu.php','chaine',0,'','2019-10-02 11:46:02'),(6848,'MAIN_MENUFRONT_SMARTPHONE',0,'eldy_menu.php','chaine',0,'','2019-10-02 11:46:02'),(6853,'DOL_VERSION',1,'10.0.2','chaine',0,'Dolibarr version','2019-10-02 11:47:10'),(6881,'MAIN_MENU_STANDARD',1,'eldy_menu.php','chaine',0,'','2019-10-02 11:48:49'),(6882,'MAIN_MENUFRONT_STANDARD',1,'eldy_menu.php','chaine',0,'','2019-10-02 11:48:49'),(6883,'MAIN_MENU_SMARTPHONE',1,'eldy_menu.php','chaine',0,'','2019-10-02 11:48:49'),(6884,'MAIN_MENUFRONT_SMARTPHONE',1,'eldy_menu.php','chaine',0,'','2019-10-02 11:48:49'),(6912,'TICKET_ENABLE_PUBLIC_INTERFACE',1,'1','chaine',0,'','2019-10-04 11:44:33'),(7028,'USER_PASSWORD_PATTERN',1,'12;1;0;1;0;1','chaine',0,'','2019-10-07 10:57:03'),(7034,'BOM_ADDON',1,'mod_bom_standard','chaine',0,'Name of numbering rules of BOM','2019-10-08 18:49:41'),(7035,'BOM_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/boms','chaine',0,NULL,'2019-10-08 18:49:41'),(7036,'MAIN_MODULE_GEOIPMAXMIND',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2019-10-08 18:51:54'),(7037,'MAIN_MODULE_DAV',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2019-10-08 18:54:07'),(7122,'BOM_ADDON_PDF',1,'generic_bom_odt','chaine',0,'','2019-11-28 14:00:58'),(7195,'MAIN_AGENDA_ACTIONAUTO_MO_VALIDATE',1,'1','chaine',0,'','2019-11-29 08:44:37'),(7196,'MAIN_AGENDA_ACTIONAUTO_MO_PRODUCED',1,'1','chaine',0,'','2019-11-29 08:44:37'),(7197,'MAIN_AGENDA_ACTIONAUTO_MO_DELETE',1,'1','chaine',0,'','2019-11-29 08:44:37'),(7198,'MAIN_AGENDA_ACTIONAUTO_MO_CANCEL',1,'1','chaine',0,'','2019-11-29 08:44:37'),(7201,'TICKET_PUBLIC_INTERFACE_TOPIC',1,'MyBigCompany public interface for Ticket','chaine',0,'','2019-11-29 08:49:36'),(7202,'TICKET_PUBLIC_TEXT_HOME',1,'You can create a support ticket or view existing from its identifier tracking ticket.','chaine',0,'','2019-11-29 08:49:36'),(7203,'TICKET_PUBLIC_TEXT_HELP_MESSAGE',1,'Please accurately describe the problem. Provide the most information possible to allow us to correctly identify your request.','chaine',0,'','2019-11-29 08:49:36'),(7204,'TICKET_MESSAGE_MAIL_NEW',1,'TicketMessageMailNewText','chaine',0,'','2019-11-29 08:49:36'),(7220,'MRP_MO_ADDON',1,'mod_mo_standard','chaine',0,'Name of numbering rules of MO','2019-11-29 08:57:42'),(7221,'MRP_MO_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/mrps','chaine',0,NULL,'2019-11-29 08:57:42'),(7222,'MRP_MO_ADDON_PDF',1,'generic_mo_odt','chaine',0,'','2019-11-29 08:57:47'),(7254,'MAIN_INFO_OPENINGHOURS_MONDAY',1,'8-12 13-18','chaine',0,'','2019-12-19 11:14:21'),(7255,'MAIN_INFO_OPENINGHOURS_TUESDAY',1,'8-12 13-18','chaine',0,'','2019-12-19 11:14:21'),(7256,'MAIN_INFO_OPENINGHOURS_WEDNESDAY',1,'8-13','chaine',0,'','2019-12-19 11:14:21'),(7257,'MAIN_INFO_OPENINGHOURS_THURSDAY',1,'8-12 13-18','chaine',0,'','2019-12-19 11:14:21'),(7258,'MAIN_INFO_OPENINGHOURS_FRIDAY',1,'8-12 13-18','chaine',0,'','2019-12-19 11:14:21'),(7264,'MAIN_INFO_ACCOUNTANT_NAME',1,'Bob Bookkeeper','chaine',0,'','2019-12-19 11:14:54'),(7265,'MAIN_INFO_ACCOUNTANT_TOWN',1,'Berlin','chaine',0,'','2019-12-19 11:14:54'),(7266,'MAIN_INFO_ACCOUNTANT_STATE',1,'0','chaine',0,'','2019-12-19 11:14:54'),(7267,'MAIN_INFO_ACCOUNTANT_COUNTRY',1,'5','chaine',0,'','2019-12-19 11:14:54'),(7268,'MAIN_INFO_ACCOUNTANT_MAIL',1,'mybookkeeper@example.com','chaine',0,'','2019-12-19 11:14:54'),(7313,'MODULEBUILDER_ASCIIDOCTOR',1,'asciidoctor','chaine',0,'','2019-12-20 10:57:21'),(7314,'MODULEBUILDER_ASCIIDOCTORPDF',1,'asciidoctor-pdf','chaine',0,'','2019-12-20 10:57:21'),(7337,'EXTERNAL_RSS_TITLE_1',1,'Dolibarr.org News','chaine',0,'','2019-12-20 12:10:38'),(7338,'EXTERNAL_RSS_URLRSS_1',1,'https://www.dolibarr.org/rss','chaine',0,'','2019-12-20 12:10:38'),(7339,'EXPENSEREPORT_ADDON',1,'mod_expensereport_jade','chaine',0,'','2019-12-20 16:33:46'),(7378,'COMPANY_USE_SEARCH_TO_SELECT',1,'0','chaine',0,'','2019-12-21 15:54:22'),(7420,'CASHDESK_SERVICES',1,'0','chaine',0,'','2019-12-23 12:15:06'),(7421,'TAKEPOS_ROOT_CATEGORY_ID',1,'31','chaine',0,'','2019-12-23 12:15:06'),(7422,'TAKEPOSCONNECTOR',1,'0','chaine',0,'','2019-12-23 12:15:06'),(7423,'TAKEPOS_BAR_RESTAURANT',1,'0','chaine',0,'','2019-12-23 12:15:06'),(7424,'TAKEPOS_TICKET_VAT_GROUPPED',1,'0','chaine',0,'','2019-12-23 12:15:06'),(7425,'TAKEPOS_AUTO_PRINT_TICKETS',1,'0','int',0,'','2019-12-23 12:15:06'),(7426,'TAKEPOS_NUMPAD',1,'0','chaine',0,'','2019-12-23 12:15:06'),(7427,'TAKEPOS_NUM_TERMINALS',1,'1','chaine',0,'','2019-12-23 12:15:06'),(7428,'TAKEPOS_DIRECT_PAYMENT',1,'0','int',0,'','2019-12-23 12:15:06'),(7429,'TAKEPOS_CUSTOM_RECEIPT',1,'0','int',0,'','2019-12-23 12:15:06'),(7430,'TAKEPOS_EMAIL_TEMPLATE_INVOICE',1,'-1','chaine',0,'','2019-12-23 12:15:06'),(7454,'MEMBER_NEWFORM_EDITAMOUNT',1,'0','chaine',0,'','2020-01-01 10:31:46'),(7470,'STRIPE_TEST_PUBLISHABLE_KEY',1,'pk_test_123456789','chaine',0,'','2020-01-01 11:43:44'),(7471,'STRIPE_TEST_SECRET_KEY',1,'sk_test_123456','chaine',0,'','2020-01-01 11:43:44'),(7472,'STRIPE_BANK_ACCOUNT_FOR_PAYMENTS',1,'4','chaine',0,'','2020-01-01 11:43:44'),(7473,'STRIPE_USER_ACCOUNT_FOR_ACTIONS',1,'1','chaine',0,'','2020-01-01 11:43:44'),(7489,'CAPTURESERVER_SECURITY_KEY',1,'securitykey123','chaine',0,'','2020-01-01 12:00:49'),(8136,'MAIN_AGENDA_ACTIONAUTO_EXPENSE_DELETE',1,'1','chaine',0,'','2020-01-02 19:56:28'),(8190,'ACCOUNTING_PRODUCT_MODE',1,'ACCOUNTANCY_SELL_EXPORT','chaine',0,'','2020-01-06 01:23:30'),(8191,'MAIN_ENABLE_DEFAULT_VALUES',1,'1','chaine',0,'','2020-01-06 16:09:52'),(8210,'CABINETMED_RHEUMATOLOGY_ON',1,'0','texte',0,'','2020-01-06 16:51:43'),(8213,'MAIN_SEARCHFORM_SOCIETE',1,'1','texte',0,'','2020-01-06 16:51:43'),(8214,'CABINETMED_BANK_PATIENT_REQUIRED',1,'0','texte',0,'','2020-01-06 16:51:43'),(8215,'DIAGNOSTIC_IS_NOT_MANDATORY',1,'1','texte',0,'','2020-01-06 16:51:43'),(8216,'USER_ADDON_PDF_ODT',1,'generic_user_odt','chaine',0,'','2020-01-07 13:45:19'),(8217,'USERGROUP_ADDON_PDF_ODT',1,'generic_usergroup_odt','chaine',0,'','2020-01-07 13:45:23'),(8230,'MAIN_MODULE_EMAILCOLLECTOR',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2020-01-12 20:13:55'),(8232,'MAIN_MODULE_SUPPLIERPROPOSAL',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2020-01-13 14:37:09'),(8233,'MAIN_MODULE_EXPEDITION',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2020-01-13 14:38:20'),(8291,'PRODUIT_MULTIPRICES_LIMIT',1,'5','chaine',0,'','2020-01-17 14:21:46'),(8293,'PRODUIT_CUSTOMER_PRICES_BY_QTY',1,'0','chaine',0,'','2020-01-17 14:21:46'),(8306,'PRODUIT_SOUSPRODUITS',1,'0','chaine',0,'','2020-01-17 14:25:30'),(8310,'PRODUIT_FOURN_TEXTS',1,'0','chaine',0,'','2020-01-17 14:25:30'),(8313,'MAIN_MODULE_FCKEDITOR',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2020-01-18 17:13:27'),(8314,'FCKEDITOR_ENABLE_TICKET',1,'1','chaine',0,'','2020-01-18 19:39:54'),(8321,'FCKEDITOR_SKIN',1,'moono-lisa','chaine',0,'','2020-01-18 19:41:15'),(8322,'FCKEDITOR_TEST',1,'Test < aaa
      \r\n
      \r\n\"\"','chaine',0,'','2020-01-18 19:41:15'),(8486,'MAIN_MULTILANGS',1,'1','chaine',0,'','2020-01-21 09:40:00'),(8491,'MAIN_DISABLE_JAVASCRIPT',1,'0','chaine',0,'','2020-01-21 09:40:00'),(8492,'MAIN_BUTTON_HIDE_UNAUTHORIZED',1,'0','chaine',0,'','2020-01-21 09:40:00'),(8496,'MAIN_SHOW_LOGO',1,'1','chaine',0,'','2020-01-21 09:40:00'),(8498,'MAIN_HELPCENTER_DISABLELINK',0,'0','chaine',0,'','2020-01-21 09:40:00'),(8501,'MAIN_BUGTRACK_ENABLELINK',1,'0','chaine',0,'','2020-01-21 09:40:00'),(8554,'MAIN_INFO_SOCIETE_FACEBOOK_URL',1,'dolibarr','chaine',0,'','2020-06-12 17:24:42'),(8555,'MAIN_INFO_SOCIETE_TWITTER_URL',1,'dolibarr','chaine',0,'','2020-06-12 17:24:42'),(8556,'MAIN_INFO_SOCIETE_LINKEDIN_URL',1,'https://www.linkedin.com/company/9400559/admin/','chaine',0,'','2020-06-12 17:24:42'),(8557,'MAIN_INFO_SOCIETE_INSTAGRAM_URL',1,'dolibarr','chaine',0,'','2020-06-12 17:24:42'),(8558,'MAIN_INFO_SOCIETE_YOUTUBE_URL',1,'DolibarrERPCRM','chaine',0,'','2020-06-12 17:24:42'),(8559,'MAIN_INFO_SOCIETE_GITHUB_URL',1,'dolibarr','chaine',0,'','2020-06-12 17:24:42'),(8577,'PRODUCT_PRICE_BASE_TYPE',0,'HT','string',0,NULL,'2020-12-10 12:24:38'),(8633,'MAIN_MODULE_RECEPTION',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2020-12-10 12:30:13'),(8634,'RECEPTION_ADDON_PDF',1,'squille','chaine',0,'Nom du gestionnaire de generation des bons receptions en PDF','2020-12-10 12:30:13'),(8635,'RECEPTION_ADDON_NUMBER',1,'mod_reception_beryl','chaine',0,'Name for numbering manager for receptions','2020-12-10 12:30:13'),(8636,'RECEPTION_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/receptions','chaine',0,NULL,'2020-12-10 12:30:13'),(8637,'MAIN_SUBMODULE_RECEPTION',1,'1','chaine',0,'Enable receptions','2020-12-10 12:30:13'),(8638,'MAIN_MODULE_PAYMENTBYBANKTRANSFER',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2020-12-10 12:30:17'),(8640,'MAIN_MODULE_MARGIN_TABS_0',1,'product:+margin:Margins:margins:$user->rights->margins->liretous:/margin/tabs/productMargins.php?id=__ID__','chaine',0,NULL,'2020-12-10 12:30:20'),(8641,'MAIN_MODULE_MARGIN_TABS_1',1,'thirdparty:+margin:Margins:margins:empty($user->socid) && $user->rights->margins->liretous && ($object->client > 0):/margin/tabs/thirdpartyMargins.php?socid=__ID__','chaine',0,NULL,'2020-12-10 12:30:20'),(8644,'MAIN_MODULE_INCOTERM',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\"}','2020-12-10 12:31:36'),(8645,'INCOTERM_ACTIVATE',1,'','chaine',0,'Description de INCOTERM_ACTIVATE','2020-12-10 12:31:36'),(8716,'MAIN_SECURITY_HASH_ALGO',1,'password_hash','chaine',1,'','2021-04-15 10:38:33'),(8760,'MAIN_LANG_DEFAULT',1,'auto','chaine',0,'','2021-04-15 10:56:30'),(8764,'MAIN_SIZE_LISTE_LIMIT',1,'25','chaine',0,'','2021-04-15 10:56:30'),(8765,'MAIN_SIZE_SHORTLIST_LIMIT',1,'3','chaine',0,'','2021-04-15 10:56:30'),(8766,'MAIN_START_WEEK',1,'1','chaine',0,'','2021-04-15 10:56:30'),(8767,'MAIN_DEFAULT_WORKING_DAYS',1,'1-5','chaine',0,'','2021-04-15 10:56:30'),(8768,'MAIN_DEFAULT_WORKING_HOURS',1,'9-18','chaine',0,'','2021-04-15 10:56:30'),(8769,'MAIN_FIRSTNAME_NAME_POSITION',1,'0','chaine',0,'','2021-04-15 10:56:30'),(8877,'AGENDA_REMINDER_BROWSER',1,'1','chaine',0,'','2021-04-15 13:32:29'),(9008,'MAIN_MODULE_KNOWLEDGEMANAGEMENT',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2022-02-07 13:39:27'),(9009,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_TRIGGERS',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9010,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_LOGIN',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9011,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_SUBSTITUTIONS',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9012,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_MENUS',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9013,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_TPL',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9014,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_BARCODE',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9015,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_MODELS',1,'1','chaine',0,NULL,'2022-02-07 13:39:27'),(9016,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_PRINTING',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9017,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_THEME',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9018,'MAIN_MODULE_KNOWLEDGEMANAGEMENT_MODULEFOREXTERNAL',1,'0','chaine',0,NULL,'2022-02-07 13:39:27'),(9022,'PAYMENTBYBANKTRANSFER_ID_BANKACCOUNT',1,'1','chaine',0,'','2022-02-07 14:17:28'),(9023,'PAYMENTBYBANKTRANSFER_USER',1,'13','chaine',0,'','2022-02-07 14:17:28'),(9025,'MAIN_MODULE_BLOCKEDLOG',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2022-02-07 14:32:50'),(9294,'RECRUITMENT_RECRUITMENTCANDIDATURE_ADDON',1,'mod_recruitmentcandidature_standard','chaine',0,'Name of manager to generate recruitment candidature ref number','2022-07-04 01:12:19'),(9451,'MAIN_SECURITY_MAX_IMG_IN_HTML_CONTENT',1,'1000','int',0,NULL,'2022-12-11 21:23:35'),(9520,'USER_PASSWORD_GENERATED',1,'Perso','chaine',0,'','2022-12-12 08:30:14'),(9521,'MAIN_LOGEVENTS_USER_LOGIN',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9522,'MAIN_LOGEVENTS_USER_LOGIN_FAILED',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9523,'MAIN_LOGEVENTS_USER_LOGOUT',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9524,'MAIN_LOGEVENTS_USER_CREATE',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9525,'MAIN_LOGEVENTS_USER_MODIFY',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9526,'MAIN_LOGEVENTS_USER_NEW_PASSWORD',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9527,'MAIN_LOGEVENTS_USER_ENABLEDISABLE',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9528,'MAIN_LOGEVENTS_USER_DELETE',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9529,'MAIN_LOGEVENTS_USERGROUP_CREATE',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9530,'MAIN_LOGEVENTS_USERGROUP_MODIFY',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9531,'MAIN_LOGEVENTS_USERGROUP_DELETE',1,'1','chaine',0,'','2022-12-12 09:08:15'),(9624,'MAILING_EMAIL_FROM',1,'dolibarr@domain.com','chaine',0,'','2022-12-13 14:22:18'),(9625,'MAILING_CONTACT_DEFAULT_BULK_STATUS',1,'0','chaine',0,'','2022-12-13 14:22:18'),(9635,'PRODUIT_LIMIT_SIZE',1,'1000','chaine',0,'','2022-12-16 10:47:29'),(9636,'PRODUCT_PRICE_UNIQ',1,'0','chaine',0,'','2022-12-16 10:47:29'),(9637,'PRODUIT_MULTIPRICES',1,'0','chaine',0,'','2022-12-16 10:47:29'),(9638,'PRODUIT_CUSTOMER_PRICES',1,'1','chaine',0,'','2022-12-16 10:47:29'),(9639,'PRODUCT_PRICE_BASE_TYPE',1,'HT','chaine',0,'','2022-12-16 10:47:29'),(9640,'PRODUIT_DESC_IN_FORM',1,'0','chaine',0,'','2022-12-16 10:47:29'),(9641,'PRODUIT_TEXTS_IN_THIRDPARTY_LANGUAGE',1,'0','chaine',0,'','2022-12-16 10:47:29'),(9642,'PRODUIT_USE_SEARCH_TO_SELECT',1,'1','chaine',0,'','2022-12-16 10:47:29'),(9643,'PRODUIT_AUTOFILL_DESC',1,'0','chaine',0,'','2022-12-16 10:47:29'),(9698,'PROJECT_ENABLE_PUBLIC',1,'1','chaine',0,'','2022-12-19 13:49:30'),(9700,'SYSTEMTOOLS_MYSQLDUMP',1,'/usr/bin/mysqldump','chaine',0,'','2022-12-22 12:19:25'),(9714,'EVENTORGANIZATION_TASK_LABEL',1,'','chaine',0,NULL,'2022-12-22 15:13:46'),(9807,'MAIN_PDF_FORMAT',1,'EUA4','chaine',0,'','2022-12-24 14:05:01'),(9808,'MAIN_PDF_MARGIN_LEFT',1,'10','chaine',0,'','2022-12-24 14:05:01'),(9809,'MAIN_PDF_MARGIN_RIGHT',1,'10','chaine',0,'','2022-12-24 14:05:01'),(9810,'MAIN_PDF_MARGIN_TOP',1,'10','chaine',0,'','2022-12-24 14:05:01'),(9811,'MAIN_PDF_MARGIN_BOTTOM',1,'10','chaine',0,'','2022-12-24 14:05:01'),(9812,'MAIN_DOCUMENTS_LOGO_HEIGHT',1,'20','chaine',0,'','2022-12-24 14:05:01'),(9813,'MAIN_GENERATE_DOCUMENTS_SHOW_FOOT_DETAILS',1,'0','chaine',0,'','2022-12-24 14:05:01'),(9814,'PDF_USE_ALSO_LANGUAGE_CODE',1,'0','chaine',0,'','2022-12-24 14:05:01'),(9815,'PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME',1,'0','chaine',0,'','2022-12-24 14:05:01'),(9816,'PDF_USE_A',1,'0','chaine',0,'','2022-12-24 14:05:01'),(10111,'FTP_PORT_1',1,'21','chaine',0,'','2022-12-27 17:50:00'),(10112,'FTP_SERVER_1',1,'localhost','chaine',0,'','2022-12-27 17:50:00'),(10113,'FTP_USER_1',1,'myftplogin','chaine',0,'','2022-12-27 17:50:00'),(10114,'FTP_PASSWORD_1',1,'myftppassword','chaine',0,'','2022-12-27 17:50:00'),(10115,'FTP_NAME_1',1,'aaa','chaine',0,'','2022-12-27 17:50:00'),(10116,'FTP_PASSIVE_1',1,'0','chaine',0,'','2022-12-27 17:50:00'),(10176,'RECRUITMENT_RECRUITMENTJOBPOSITION_ADDON',1,'mod_recruitmentjobposition_standard','chaine',0,'','2023-01-04 13:13:30'),(10180,'TICKET_NOTIFICATION_EMAIL_FROM',1,'fff','chaine',0,'Sender of ticket replies sent from Dolibarr','2023-01-04 14:07:26'),(10181,'TICKET_NOTIFICATION_EMAIL_TO',1,'ff','chaine',0,'Notified e-mail for ticket replies sent from Dolibarr','2023-01-04 14:07:26'),(10182,'TICKET_MESSAGE_MAIL_INTRO',1,'Hello,
      \r\nA new response was sent on a ticket that you contact. Here is the message:','chaine',0,'Introduction text of ticket replies sent from Dolibarr','2023-01-04 14:07:26'),(10183,'TICKET_MESSAGE_MAIL_SIGNATURE',1,'

      Sincerely,

      \r\n\r\n

      --
      \r\n 

      \r\n','chaine',0,'Signature of ticket replies sent from Dolibarr','2023-01-04 14:07:26'),(10184,'TICKET_UNIVERSAL_MASK',1,'TI{yy}{mm}-{000}','chaine',0,'','2023-01-04 14:07:56'),(10191,'RECRUITMENT_RECRUITMENTJOBPOSITION_ADVANCED_MASK',1,'JBD{yy}{mm}-{0000}','chaine',0,'','2023-01-04 14:24:35'),(10193,'RECRUITMENT_RECRUITMENTCANDIDATURE_ADVANCED_MASK',1,'JOA{yy}{mm}-{0000}','chaine',0,'','2023-01-04 14:25:12'),(10364,'NLTECHNO_NOTE',0,'Welcome to SellYourSaas Home page

      \n Link to the specification: https://framagit.org/eldy/sell-your-saas

      \n ...You can enter content on this page to save any notes/information of your choices.','chaine',0,'This is another constant to add','2023-01-19 12:20:14'),(10365,'CONTRACT_SYNC_PLANNED_DATE_OF_SERVICES',1,'1','chaine',0,'Sync the planned date of services to the same value for all lines in the same contract','2023-01-19 12:20:14'),(10366,'THIRDPARTY_LOGO_ALLOW_EXTERNAL_DOWNLOAD',1,'1','chaine',0,'Allow to access thirdparty logo from external link','2023-01-19 12:20:14'),(10367,'STRIPE_ALLOW_LOCAL_CARD',1,'1','chaine',0,'Allow to save stripe credit card locally','2023-01-19 12:20:14'),(10369,'CONTRACT_DISABLE_AUTOSET_AS_CLIENT_ON_CONTRACT_VALIDATION',1,'1','chaine',0,'Disable autoset of client status on contract validation','2023-01-19 12:20:14'),(10370,'INVOICE_ALLOW_EXTERNAL_DOWNLOAD',1,'1','chaine',0,'Invoice can be downloaded with a public link','2023-01-19 12:20:14'),(10373,'AUDIT_ENABLE_PREFIX_SESSION',1,'1','chaine',1,'Enable column prefix session in audit view','2023-01-19 12:20:14'),(10379,'FCKEDITOR_ENABLE_NOTE_PUBLIC',1,'0','chaine',0,'','2023-01-20 12:41:31'),(10381,'FCKEDITOR_ENABLE_NOTE_PRIVATE',1,'0','chaine',0,'','2023-01-20 12:41:32'),(10383,'MAIN_USE_VAT_COMPANIES_IN_EEC_USE_NO_VAT_EVEN_IF_VAT_ID_UNKNOWN',1,'1','chaine',1,'','2023-01-24 10:39:10'),(10411,'ACCOUNTING_ACCOUNT_CUSTOMER',1,'411','chaine',0,'','2023-01-24 11:09:30'),(10412,'ACCOUNTING_ACCOUNT_SUPPLIER',1,'401','chaine',0,'','2023-01-24 11:09:30'),(10413,'SALARIES_ACCOUNTING_ACCOUNT_PAYMENT',1,'421','chaine',0,'','2023-01-24 11:09:30'),(10414,'ACCOUNTING_PRODUCT_SOLD_ACCOUNT',1,'107','chaine',0,'','2023-01-24 11:09:30'),(10415,'ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT',1,'108','chaine',0,'','2023-01-24 11:09:30'),(10416,'ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT',1,'109','chaine',0,'','2023-01-24 11:09:30'),(10417,'ACCOUNTING_PRODUCT_BUY_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10418,'ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10419,'ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10420,'ACCOUNTING_SERVICE_SOLD_ACCOUNT',1,'107','chaine',0,'','2023-01-24 11:09:30'),(10421,'ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT',1,'108','chaine',0,'','2023-01-24 11:09:30'),(10422,'ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT',1,'109','chaine',0,'','2023-01-24 11:09:30'),(10423,'ACCOUNTING_SERVICE_BUY_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10424,'ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10425,'ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10426,'ACCOUNTING_VAT_BUY_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10427,'ACCOUNTING_VAT_SOLD_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10428,'ACCOUNTING_VAT_PAY_ACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10429,'ACCOUNTING_ACCOUNT_TRANSFER_CASH',1,'58','chaine',0,'','2023-01-24 11:09:30'),(10430,'DONATION_ACCOUNTINGACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10431,'ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10432,'LOAN_ACCOUNTING_ACCOUNT_CAPITAL',1,'164','chaine',0,'','2023-01-24 11:09:30'),(10433,'LOAN_ACCOUNTING_ACCOUNT_INTEREST',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10434,'LOAN_ACCOUNTING_ACCOUNT_INSURANCE',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10435,'ACCOUNTING_ACCOUNT_SUSPENSE',1,'471','chaine',0,'','2023-01-24 11:09:30'),(10436,'ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10437,'ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT',1,'-1','chaine',0,'','2023-01-24 11:09:30'),(10615,'MAIN_ALLOW_SVG_FILES_AS_IMAGES',1,'1','chaine',1,'','2023-01-25 16:12:52'),(10618,'MAIN_HOME',1,'__(NoteSomeFeaturesAreDisabled)__
      \r\n__(SomeTranslationAreUncomplete)__','chaine',0,'','2023-01-30 18:23:00'),(11246,'MEMBER_ENABLE_PUBLIC',1,'1','chaine',0,'','2023-02-09 13:31:03'),(11247,'MEMBER_NEWFORM_AMOUNT',1,'20','chaine',0,'','2023-02-09 13:31:03'),(11248,'MEMBER_MIN_AMOUNT',1,'15','chaine',0,'','2023-02-09 13:31:03'),(11249,'MEMBER_COUNTERS_ARE_PUBLIC',1,'0','chaine',0,'','2023-02-09 13:31:03'),(11250,'MEMBER_NEWFORM_PAYONLINE',1,'all','chaine',0,'','2023-02-09 13:31:03'),(11253,'MAIN_MODULE_MODULEBUILDER',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-02-09 17:37:02'),(11321,'SYSLOG_LEVEL',0,'7','chaine',0,'','2023-02-10 14:27:16'),(11347,'CONTACT_USE_SEARCH_TO_SELECT',1,'2','chaine',0,'','2023-02-10 16:03:10'),(11356,'MAIN_MODULE_HRM',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"192.168.0.254\",\"lastactivationversion\":\"dolibarr\"}','2023-02-11 11:07:50'),(11357,'MAIN_MODULE_HRM_TABS_0',1,'user:+skill_tab:Skills:hrm:1:/hrm/skill_tab.php?id=__ID__&objecttype=user','chaine',0,NULL,'2023-02-11 11:07:50'),(11358,'MAIN_MODULE_HRM_TRIGGERS',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11359,'MAIN_MODULE_HRM_LOGIN',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11360,'MAIN_MODULE_HRM_SUBSTITUTIONS',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11361,'MAIN_MODULE_HRM_MENUS',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11362,'MAIN_MODULE_HRM_TPL',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11363,'MAIN_MODULE_HRM_BARCODE',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11364,'MAIN_MODULE_HRM_MODELS',1,'1','chaine',0,NULL,'2023-02-11 11:07:50'),(11365,'MAIN_MODULE_HRM_PRINTING',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11366,'MAIN_MODULE_HRM_THEME',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11367,'MAIN_MODULE_HRM_MODULEFOREXTERNAL',1,'0','chaine',0,NULL,'2023-02-11 11:07:50'),(11389,'MAIN_UPLOAD_DOC',1,'50000','chaine',0,'','2023-02-17 18:58:22'),(11390,'MAIN_UMASK',1,'0664','chaine',0,'','2023-02-17 18:58:22'),(11391,'MAIN_ANTIVIRUS_PARAM',1,'--fdpass','chaine',0,'','2023-02-17 18:58:22'),(11396,'MAIN_MAIL_DEBUG',1,'1','chaine',1,'','2023-02-18 12:03:32'),(11397,'MAIN_REMOVE_INSTALL_WARNING',1,'2','chaine',1,'','2023-02-18 12:03:32'),(11417,'MAIN_CACHE_COUNT',1,'1','chaine',1,'','2023-02-20 00:04:52'),(11420,'MAIN_MODULE_WEBHOOK',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"experimental\"}','2023-02-20 00:48:16'),(11421,'MAIN_MODULE_WEBHOOK_TRIGGERS',1,'1','chaine',0,NULL,'2023-02-20 00:48:16'),(11422,'MAIN_MODULE_WEBHOOK_LOGIN',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11423,'MAIN_MODULE_WEBHOOK_SUBSTITUTIONS',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11424,'MAIN_MODULE_WEBHOOK_MENUS',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11425,'MAIN_MODULE_WEBHOOK_TPL',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11426,'MAIN_MODULE_WEBHOOK_BARCODE',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11427,'MAIN_MODULE_WEBHOOK_MODELS',1,'1','chaine',0,NULL,'2023-02-20 00:48:16'),(11428,'MAIN_MODULE_WEBHOOK_PRINTING',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11429,'MAIN_MODULE_WEBHOOK_THEME',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11430,'MAIN_MODULE_WEBHOOK_MODULEFOREXTERNAL',1,'0','chaine',0,NULL,'2023-02-20 00:48:16'),(11440,'PARTNERSHIP_ENABLE_PUBLIC',1,'1','chaine',0,'','2023-02-21 09:10:03'),(11444,'THEME_ELDY_USEBORDERONTABLE',1,'1','chaine',0,'','2023-02-21 09:56:21'),(11454,'TICKET_CREATE_THIRD_PARTY_WITH_CONTACT_IF_NOT_EXIST',1,'1','chaine',1,'','2023-02-21 19:37:57'),(11465,'MAIN_MODULE_GOOGLE',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"6.5\"}','2023-02-22 19:34:58'),(11466,'MAIN_MODULE_GOOGLE_TABS_0',1,'agenda:+gcal:MenuAgendaGoogle:google@google:$conf->google->enabled && $conf->global->GOOGLE_ENABLE_AGENDA:/google/index.php','chaine',0,NULL,'2023-02-22 19:34:58'),(11467,'MAIN_MODULE_GOOGLE_TABS_1',1,'user:+gsetup:GoogleUserConf:google@google:$conf->google->enabled && $conf->global->GOOGLE_DUPLICATE_INTO_GCAL:/google/admin/google_calsync_user.php?id=__ID__','chaine',0,NULL,'2023-02-22 19:34:58'),(11468,'MAIN_MODULE_GOOGLE_TRIGGERS',1,'1','chaine',0,NULL,'2023-02-22 19:34:58'),(11469,'MAIN_MODULE_GOOGLE_HOOKS',1,'[\"main\",\"agenda\",\"agendalist\"]','chaine',0,NULL,'2023-02-22 19:34:58'),(11470,'GOOGLE_DEBUG',0,'0','chaine',1,'This is to enable Google debug','2023-02-22 19:34:58'),(11480,'MAIN_MODULE_MAILING',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-02-23 11:11:13'),(11485,'MAIN_MODULE_NUMBERWORDS',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"5.0.2\"}','2023-02-24 13:07:42'),(11486,'MAIN_MODULE_NUMBERWORDS_SUBSTITUTIONS',1,'1','chaine',0,NULL,'2023-02-24 13:07:42'),(11499,'MAIN_COMPANY_CODE_ALWAYS_REQUIRED',1,'1','chaine',0,'With this constants on, third party code is always required whatever is numbering module behaviour','2023-02-27 01:59:59'),(11500,'MAIN_BANK_ACCOUNTANCY_CODE_ALWAYS_REQUIRED',1,'1','chaine',0,'With this constants on, bank account number is always required','2023-02-27 01:59:59'),(11506,'ACCOUNTING_EXPORT_MODELCSV',1,'1000','chaine',0,'','2023-02-27 02:09:06'),(11507,'ACCOUNTING_EXPORT_FORMAT',1,'txt','chaine',0,'','2023-02-27 02:09:06'),(11511,'ACCOUNTING_REEXPORT',1,'1','yesno',0,'','2023-02-27 03:05:51'),(11517,'MAIN_THEME',1,'eldy','chaine',0,'','2023-02-27 13:05:37'),(11519,'THEME_DARKMODEENABLED',1,'1','chaine',0,'','2023-02-27 13:05:38'),(11520,'THEME_ELDY_USE_HOVER',1,'237,244,251','chaine',0,'','2023-02-27 13:05:38'),(11523,'PRELEVEMENT_ID_BANKACCOUNT',1,'5','chaine',0,'','2023-02-27 14:03:10'),(11660,'AGENDA_USE_EVENT_TYPE',0,'1','chaine',0,'','2023-02-28 12:49:59'),(11661,'AGENDA_USE_EVENT_TYPE',1,'1','chaine',0,'','2023-02-28 12:49:59'),(11781,'PARTNERSHIP_IS_MANAGED_FOR',1,'thirdparty','chaine',0,'','2023-03-01 10:01:28'),(11782,'PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL',1,'30','chaine',0,'','2023-03-01 10:01:28'),(11783,'PARTNERSHIP_BACKLINKS_TO_CHECK',1,'dolibarr.org|dolibarr.fr|dolibarr.es','chaine',0,'','2023-03-01 10:01:28'),(11786,'MAIN_AGENDA_ACTIONAUTO_COMPANY_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11787,'MAIN_AGENDA_ACTIONAUTO_COMPANY_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11788,'MAIN_AGENDA_ACTIONAUTO_COMPANY_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11789,'MAIN_AGENDA_ACTIONAUTO_COMPANY_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11790,'MAIN_AGENDA_ACTIONAUTO_PROPAL_CLASSIFY_BILLED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11791,'MAIN_AGENDA_ACTIONAUTO_PROPAL_CLOSE_REFUSED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11792,'MAIN_AGENDA_ACTIONAUTO_PROPAL_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11793,'MAIN_AGENDA_ACTIONAUTO_PROPAL_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11794,'MAIN_AGENDA_ACTIONAUTO_PROPAL_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11795,'MAIN_AGENDA_ACTIONAUTO_PROPAL_CLOSE_SIGNED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11796,'MAIN_AGENDA_ACTIONAUTO_PROPAL_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11797,'MAIN_AGENDA_ACTIONAUTO_ORDER_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11798,'MAIN_AGENDA_ACTIONAUTO_ORDER_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11799,'MAIN_AGENDA_ACTIONAUTO_ORDER_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11800,'MAIN_AGENDA_ACTIONAUTO_ORDER_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11801,'MAIN_AGENDA_ACTIONAUTO_ORDER_CANCEL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11802,'MAIN_AGENDA_ACTIONAUTO_ORDER_CLASSIFY_BILLED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11803,'MAIN_AGENDA_ACTIONAUTO_ORDER_CLOSE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11804,'MAIN_AGENDA_ACTIONAUTO_BILL_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11805,'MAIN_AGENDA_ACTIONAUTO_BILL_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11806,'MAIN_AGENDA_ACTIONAUTO_BILL_PAYED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11807,'MAIN_AGENDA_ACTIONAUTO_BILL_CANCEL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11808,'MAIN_AGENDA_ACTIONAUTO_BILL_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11809,'MAIN_AGENDA_ACTIONAUTO_BILL_UNVALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11810,'MAIN_AGENDA_ACTIONAUTO_BILL_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11811,'MAIN_AGENDA_ACTIONAUTO_PROPOSAL_SUPPLIER_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11812,'MAIN_AGENDA_ACTIONAUTO_PROPOSAL_SUPPLIER_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11813,'MAIN_AGENDA_ACTIONAUTO_PROPOSAL_SUPPLIER_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11814,'MAIN_AGENDA_ACTIONAUTO_PROPOSAL_SUPPLIER_CLOSE_SIGNED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11815,'MAIN_AGENDA_ACTIONAUTO_PROPOSAL_SUPPLIER_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11816,'MAIN_AGENDA_ACTIONAUTO_PROPOSAL_SUPPLIER_CLOSE_REFUSED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11817,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11818,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11819,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_SUBMIT',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11820,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_RECEIVE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11821,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_APPROVE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11822,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_REFUSE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11823,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_CANCEL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11824,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11825,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_CLASSIFY_BILLED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11826,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11827,'MAIN_AGENDA_ACTIONAUTO_ORDER_SUPPLIER_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11828,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_UNVALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11829,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11830,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11831,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_PAYED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11832,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11833,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_CANCELED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11834,'MAIN_AGENDA_ACTIONAUTO_BILL_SUPPLIER_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11835,'MAIN_AGENDA_ACTIONAUTO_CONTRACT_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11836,'MAIN_AGENDA_ACTIONAUTO_CONTRACT_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11837,'MAIN_AGENDA_ACTIONAUTO_CONTRACT_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11838,'MAIN_AGENDA_ACTIONAUTO_CONTRACT_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11839,'MAIN_AGENDA_ACTIONAUTO_FICHINTER_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11840,'MAIN_AGENDA_ACTIONAUTO_FICHINTER_REOPEN',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11841,'MAIN_AGENDA_ACTIONAUTO_FICHINTER_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11842,'MAIN_AGENDA_ACTIONAUTO_SHIPPING_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11843,'MAIN_AGENDA_ACTIONAUTO_SHIPPING_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11844,'MAIN_AGENDA_ACTIONAUTO_SHIPPING_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11845,'MAIN_AGENDA_ACTIONAUTO_SHIPPING_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11846,'MAIN_AGENDA_ACTIONAUTO_RECEPTION_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11847,'MAIN_AGENDA_ACTIONAUTO_RECEPTION_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11848,'MAIN_AGENDA_ACTIONAUTO_MEMBER_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11849,'MAIN_AGENDA_ACTIONAUTO_MEMBER_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11850,'MAIN_AGENDA_ACTIONAUTO_MEMBER_SUBSCRIPTION_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11851,'MAIN_AGENDA_ACTIONAUTO_MEMBER_SUBSCRIPTION_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11852,'MAIN_AGENDA_ACTIONAUTO_MEMBER_RESILIATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11853,'MAIN_AGENDA_ACTIONAUTO_MEMBER_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11854,'MAIN_AGENDA_ACTIONAUTO_MEMBER_SUBSCRIPTION_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11855,'MAIN_AGENDA_ACTIONAUTO_MEMBER_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11856,'MAIN_AGENDA_ACTIONAUTO_MEMBER_EXCLUDE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11857,'MAIN_AGENDA_ACTIONAUTO_PRODUCT_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11858,'MAIN_AGENDA_ACTIONAUTO_FICHINTER_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11859,'MAIN_AGENDA_ACTIONAUTO_PRODUCT_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11860,'MAIN_AGENDA_ACTIONAUTO_PRODUCT_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11861,'MAIN_AGENDA_ACTIONAUTO_FICHINTER_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11862,'MAIN_AGENDA_ACTIONAUTO_TASK_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11863,'MAIN_AGENDA_ACTIONAUTO_TASK_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11864,'MAIN_AGENDA_ACTIONAUTO_TASK_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11865,'MAIN_AGENDA_ACTIONAUTO_CONTACT_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11866,'MAIN_AGENDA_ACTIONAUTO_CONTACT_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11867,'MAIN_AGENDA_ACTIONAUTO_CONTACT_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11868,'MAIN_AGENDA_ACTIONAUTO_CONTACT_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11869,'MAIN_AGENDA_ACTIONAUTO_PROJECT_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11870,'MAIN_AGENDA_ACTIONAUTO_PROJECT_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11871,'MAIN_AGENDA_ACTIONAUTO_PROJECT_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11872,'MAIN_AGENDA_ACTIONAUTO_PROJECT_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11873,'MAIN_AGENDA_ACTIONAUTO_PROJECT_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11874,'MAIN_AGENDA_ACTIONAUTO_TICKET_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11875,'MAIN_AGENDA_ACTIONAUTO_TICKET_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11876,'MAIN_AGENDA_ACTIONAUTO_TICKET_ASSIGNED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11877,'MAIN_AGENDA_ACTIONAUTO_TICKET_CLOSE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11878,'MAIN_AGENDA_ACTIONAUTO_TICKET_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11879,'MAIN_AGENDA_ACTIONAUTO_TICKET_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11880,'MAIN_AGENDA_ACTIONAUTO_EXPENSE_REPORT_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11881,'MAIN_AGENDA_ACTIONAUTO_EXPENSE_REPORT_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11882,'MAIN_AGENDA_ACTIONAUTO_EXPENSE_REPORT_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11883,'MAIN_AGENDA_ACTIONAUTO_EXPENSE_REPORT_APPROVE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11884,'MAIN_AGENDA_ACTIONAUTO_EXPENSE_REPORT_PAID',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11885,'MAIN_AGENDA_ACTIONAUTO_EXPENSE_REPORT_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11886,'MAIN_AGENDA_ACTIONAUTO_HOLIDAY_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11887,'MAIN_AGENDA_ACTIONAUTO_HOLIDAY_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11888,'MAIN_AGENDA_ACTIONAUTO_HOLIDAY_APPROVE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11889,'MAIN_AGENDA_ACTIONAUTO_USER_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11890,'MAIN_AGENDA_ACTIONAUTO_USER_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11891,'MAIN_AGENDA_ACTIONAUTO_USER_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11892,'MAIN_AGENDA_ACTIONAUTO_USER_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11893,'MAIN_AGENDA_ACTIONAUTO_USER_NEW_PASSWORD',1,'dolcrypt:AES-256-CTR:9eebc9ac2c57a4ec:ww==','chaine',0,'','2023-03-01 16:57:33'),(11894,'MAIN_AGENDA_ACTIONAUTO_USER_ENABLEDISABLE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11895,'MAIN_AGENDA_ACTIONAUTO_BOM_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11896,'MAIN_AGENDA_ACTIONAUTO_BOM_UNVALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11897,'MAIN_AGENDA_ACTIONAUTO_BOM_CLOSE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11898,'MAIN_AGENDA_ACTIONAUTO_BOM_REOPEN',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11899,'MAIN_AGENDA_ACTIONAUTO_BOM_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11900,'MAIN_AGENDA_ACTIONAUTO_MRP_MO_VALIDATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11901,'MAIN_AGENDA_ACTIONAUTO_MRP_MO_PRODUCED',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11902,'MAIN_AGENDA_ACTIONAUTO_MRP_MO_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11903,'MAIN_AGENDA_ACTIONAUTO_MRP_MO_CANCEL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11904,'MAIN_AGENDA_ACTIONAUTO_HOLIDAY_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11905,'MAIN_AGENDA_ACTIONAUTO_HOLIDAY_CANCEL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11906,'MAIN_AGENDA_ACTIONAUTO_HOLIDAY_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11907,'MAIN_AGENDA_ACTIONAUTO_BILLREC_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11908,'MAIN_AGENDA_ACTIONAUTO_BILLREC_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11909,'MAIN_AGENDA_ACTIONAUTO_BILLREC_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11910,'MAIN_AGENDA_ACTIONAUTO_BILLREC_AUTOCREATEBILL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11911,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTJOBPOSITION_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11912,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTJOBPOSITION_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11913,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTJOBPOSITION_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11914,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTJOBPOSITION_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11915,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTCANDIDATURE_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11916,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTCANDIDATURE_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11917,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTCANDIDATURE_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11918,'MAIN_AGENDA_ACTIONAUTO_RECRUITMENTCANDIDATURE_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11919,'MAIN_AGENDA_ACTIONAUTO_PARTNERSHIP_CREATE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11920,'MAIN_AGENDA_ACTIONAUTO_PARTNERSHIP_MODIFY',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11921,'MAIN_AGENDA_ACTIONAUTO_PARTNERSHIP_SENTBYMAIL',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11922,'MAIN_AGENDA_ACTIONAUTO_PARTNERSHIP_DELETE',1,'1','chaine',0,'','2023-03-01 16:57:33'),(11927,'MAIN_SECURITY_FORCECSP',1,'frame-ancestors \'self\'; img-src * data:; font-src *; default-src \'self\' \'unsafe-inline\' \'unsafe-eval\' *.paypal.com *.stripe.com *.google.com *.googleapis.com *.google-analytics.com *.googletagmanager.com;','chaine',1,'','2023-03-01 21:03:49'),(11954,'MAIN_MODULE_CONCATPDF',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"192.168.0.254\",\"lastactivationversion\":\"6.0.3\"}','2023-03-01 22:22:12'),(11955,'MAIN_MODULE_CONCATPDF_HOOKS',1,'[\"invoicecard\",\"propalcard\",\"ordercard\",\"invoicesuppliercard\",\"ordersuppliercard\",\"supplier_proposalcard\",\"contractcard\",\"pdfgeneration\"]','chaine',0,NULL,'2023-03-01 22:22:12'),(11961,'MAIN_DISABLE_ALL_MAILS',1,'0','chaine',0,'','2023-03-02 09:26:23'),(11962,'MAIN_MAIL_ENABLED_USER_DEST_SELECT',1,'0','chaine',0,'','2023-03-02 09:26:23'),(11963,'MAIN_MAIL_SENDMODE',1,'smtps','chaine',0,'','2023-03-02 09:26:23'),(11964,'MAIN_MAIL_SMTP_PORT',1,'465','chaine',0,'','2023-03-02 09:26:23'),(11965,'MAIN_MAIL_SMTP_SERVER',1,'smtp.mail.com','chaine',0,'','2023-03-02 09:26:23'),(11966,'MAIN_MAIL_SMTPS_ID',1,'myemail@example.com','chaine',0,'','2023-03-15 15:18:48'),(11968,'MAIN_MAIL_SMTPS_AUTH_TYPE',1,'LOGIN','chaine',0,'','2023-03-02 09:26:23'),(11970,'MAIN_MAIL_EMAIL_TLS',1,'0','chaine',0,'','2023-03-02 09:26:23'),(11971,'MAIN_MAIL_EMAIL_STARTTLS',1,'0','chaine',0,'','2023-03-02 09:26:23'),(11972,'MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED',1,'0','chaine',0,'','2023-03-02 09:26:23'),(11973,'MAIN_MAIL_EMAIL_FROM',1,'robot@example.com','chaine',0,'','2023-03-02 09:26:23'),(11974,'MAIN_MAIL_DEFAULT_FROMTYPE',1,'user','chaine',0,'','2023-03-02 09:26:23'),(12029,'MAIN_INFO_SOCIETE_COUNTRY',1,'117:IN:Inde','chaine',0,'','2023-03-11 18:23:57'),(12030,'MAIN_INFO_SOCIETE_NOM',1,'MyBigCompany','chaine',0,'','2023-03-11 18:23:57'),(12031,'MAIN_INFO_SOCIETE_ADDRESS',1,'21 Jump street.','chaine',0,'','2023-03-11 18:23:57'),(12032,'MAIN_INFO_SOCIETE_TOWN',1,'MyTown','chaine',0,'','2023-03-11 18:23:57'),(12033,'MAIN_INFO_SOCIETE_ZIP',1,'75500','chaine',0,'','2023-03-11 18:23:57'),(12034,'MAIN_MONNAIE',1,'EUR','chaine',0,'','2023-03-11 18:23:57'),(12035,'MAIN_INFO_SOCIETE_TEL',1,'09123123','chaine',0,'','2023-03-11 18:23:57'),(12036,'MAIN_INFO_SOCIETE_FAX',1,'09123124','chaine',0,'','2023-03-11 18:23:57'),(12037,'MAIN_INFO_SOCIETE_MAIL',1,'myemail@mybigcompany.com','chaine',0,'','2023-03-11 18:23:57'),(12038,'MAIN_INFO_SOCIETE_WEB',1,'https://www.dolibarr.org','chaine',0,'','2023-03-11 18:23:57'),(12039,'MAIN_INFO_SOCIETE_NOTE',1,'This is note about my company','chaine',0,'','2023-03-11 18:23:57'),(12040,'MAIN_INFO_SOCIETE_MANAGERS',1,'Zack Zeceo','chaine',0,'','2023-03-11 18:23:57'),(12041,'MAIN_INFO_GDPR',1,'Zack Zeceo','chaine',0,'','2023-03-11 18:23:57'),(12042,'MAIN_INFO_CAPITAL',1,'10000','chaine',0,'','2023-03-11 18:23:57'),(12043,'MAIN_INFO_SOCIETE_FORME_JURIDIQUE',1,'0','chaine',0,'','2023-03-11 18:23:57'),(12044,'MAIN_INFO_SIREN',1,'123456','chaine',0,'','2023-03-11 18:23:57'),(12045,'MAIN_INFO_SIRET',1,'ABC-DEF','chaine',0,'','2023-03-11 18:23:57'),(12046,'MAIN_INFO_APE',1,'15E-45-8D','chaine',0,'','2023-03-11 18:23:57'),(12047,'MAIN_INFO_TVAINTRA',1,'FR12345678','chaine',0,'','2023-03-11 18:23:57'),(12048,'MAIN_INFO_SOCIETE_OBJECT',1,'A company demo to show how Dolibarr ERP CRM is wonderfull','chaine',0,'','2023-03-11 18:23:57'),(12049,'SOCIETE_FISCAL_MONTH_START',1,'4','chaine',0,'','2023-03-11 18:23:57'),(12050,'FACTURE_TVAOPTION',1,'1','chaine',0,'','2023-03-11 18:23:57'),(12051,'FACTURE_LOCAL_TAX1_OPTION',1,'localtax1on','chaine',0,'','2023-03-11 18:23:57'),(12052,'FACTURE_LOCAL_TAX2_OPTION',1,'localtax2on','chaine',0,'','2023-03-11 18:23:57'),(12053,'MAIN_INFO_VALUE_LOCALTAX1',1,'0','chaine',0,'','2023-03-11 18:23:57'),(12054,'MAIN_INFO_LOCALTAX_CALC1',1,'0','chaine',0,'','2023-03-11 18:23:57'),(12055,'MAIN_INFO_VALUE_LOCALTAX2',1,'0','chaine',0,'','2023-03-11 18:23:57'),(12056,'MAIN_INFO_LOCALTAX_CALC2',1,'0','chaine',0,'','2023-03-11 18:23:57'),(12058,'MAIN_UNIT_PRICE_WITH_TAX_IS_FOR_ALL_TAXES',1,'1','chaine',1,'','2023-03-11 19:19:08'),(12062,'TICKET_SHOW_COMPANY_LOGO',1,'1','chaine',0,'','2023-03-12 20:57:40'),(12071,'BANK_COLORIZE_MOVEMENT',1,'0','chaine',0,'','2023-03-13 18:57:54'),(12073,'BANK_REPORT_LAST_NUM_RELEVE',1,'0','chaine',0,'','2023-03-13 18:57:59'),(12143,'MAIN_MODULE_WORKSTATION',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"experimental\"}','2023-08-13 15:40:21'),(12144,'MAIN_MODULE_WORKSTATION_TRIGGERS',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12145,'MAIN_MODULE_WORKSTATION_LOGIN',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12146,'MAIN_MODULE_WORKSTATION_SUBSTITUTIONS',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12147,'MAIN_MODULE_WORKSTATION_MENUS',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12148,'MAIN_MODULE_WORKSTATION_TPL',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12149,'MAIN_MODULE_WORKSTATION_BARCODE',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12150,'MAIN_MODULE_WORKSTATION_MODELS',1,'1','chaine',0,NULL,'2023-08-13 15:40:21'),(12151,'MAIN_MODULE_WORKSTATION_PRINTING',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12152,'MAIN_MODULE_WORKSTATION_THEME',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12153,'MAIN_MODULE_WORKSTATION_MODULEFOREXTERNAL',1,'0','chaine',0,NULL,'2023-08-13 15:40:21'),(12157,'MAIN_MODULE_EVENTORGANIZATION',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2023-08-13 15:40:29'),(12158,'MAIN_MODULE_EVENTORGANIZATION_TRIGGERS',1,'1','chaine',0,NULL,'2023-08-13 15:40:29'),(12159,'MAIN_MODULE_EVENTORGANIZATION_LOGIN',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12160,'MAIN_MODULE_EVENTORGANIZATION_SUBSTITUTIONS',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12161,'MAIN_MODULE_EVENTORGANIZATION_MENUS',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12162,'MAIN_MODULE_EVENTORGANIZATION_TPL',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12163,'MAIN_MODULE_EVENTORGANIZATION_BARCODE',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12164,'MAIN_MODULE_EVENTORGANIZATION_MODELS',1,'1','chaine',0,NULL,'2023-08-13 15:40:29'),(12165,'MAIN_MODULE_EVENTORGANIZATION_PRINTING',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12166,'MAIN_MODULE_EVENTORGANIZATION_THEME',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12167,'MAIN_MODULE_EVENTORGANIZATION_MODULEFOREXTERNAL',1,'0','chaine',0,NULL,'2023-08-13 15:40:29'),(12168,'EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF',1,'31','chaine',0,'','2023-08-13 15:40:29'),(12169,'EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH',1,'32','chaine',0,'','2023-08-13 15:40:29'),(12170,'EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH',1,'33','chaine',0,'','2023-08-13 15:40:29'),(12171,'EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT',1,'34','chaine',0,'','2023-08-13 15:40:29'),(12231,'MAIN_MODULE_PARTNERSHIP',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"192.168.0.254\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 10:35:26'),(12232,'MAIN_MODULE_PARTNERSHIP_TRIGGERS',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12233,'MAIN_MODULE_PARTNERSHIP_LOGIN',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12234,'MAIN_MODULE_PARTNERSHIP_SUBSTITUTIONS',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12235,'MAIN_MODULE_PARTNERSHIP_MENUS',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12236,'MAIN_MODULE_PARTNERSHIP_TPL',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12237,'MAIN_MODULE_PARTNERSHIP_BARCODE',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12238,'MAIN_MODULE_PARTNERSHIP_MODELS',1,'1','chaine',0,NULL,'2023-08-15 10:35:26'),(12239,'MAIN_MODULE_PARTNERSHIP_PRINTING',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12240,'MAIN_MODULE_PARTNERSHIP_THEME',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12241,'MAIN_MODULE_PARTNERSHIP_MODULEFOREXTERNAL',1,'0','chaine',0,NULL,'2023-08-15 10:35:26'),(12249,'OAUTH_GOOGLE-Login_ID',1,'À compléter','chaine',0,'','2023-08-15 10:37:03'),(12250,'OAUTH_GOOGLE-Login_SCOPE',1,'openid,email','chaine',0,'','2023-08-15 10:37:03'),(12263,'ADHERENT_EMAIL_TEMPLATE_AUTOREGISTER',1,'(SendingEmailOnAutoSubscription)','emailtemplate:member',0,NULL,'2023-08-15 10:38:17'),(12264,'ADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION',1,'(SendingEmailOnNewSubscription)','emailtemplate:member',0,NULL,'2023-08-15 10:38:17'),(12265,'ADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION',1,'(SendingReminderForExpiredSubscription)','emailtemplate:member',0,NULL,'2023-08-15 10:38:17'),(12266,'ADHERENT_EMAIL_TEMPLATE_CANCELATION',1,'(SendingEmailOnCancelation)','emailtemplate:member',0,NULL,'2023-08-15 10:38:17'),(12269,'MEMBER_ADDON_PDF_ODT_PATH',1,'DOL_DATA_ROOT/doctemplates/members','chaine',0,NULL,'2023-08-15 10:38:17'),(12272,'ADHERENT_CARD_TYPE',1,'CARD','chaine',0,'','2023-08-15 10:38:56'),(12273,'ADHERENT_CARD_HEADER_TEXT',1,'__YEAR__','chaine',0,'','2023-08-15 10:38:56'),(12274,'ADHERENT_CARD_TEXT',1,'__FULLNAME__\r\nID: __ID__\r\n__EMAIL__\r\n__ADDRESS__\r\n__ZIP__ __TOWN__\r\n__COUNTRY__','chaine',0,'','2023-08-15 10:38:56'),(12275,'ADHERENT_CARD_TEXT_RIGHT',1,'A super member !','chaine',0,'','2023-08-15 10:38:56'),(12276,'ADHERENT_CARD_FOOTER_TEXT',1,'Association AZERTY','chaine',0,'','2023-08-15 10:38:56'),(12283,'MAIN_MODULE_ADHERENT',1,'1','string',0,'{\"authorid\":\"12\",\"ip\":\"192.168.0.254\",\"lastactivationversion\":\"dolibarr\"}','2023-08-15 10:57:22'),(12287,'ADHERENT_ETIQUETTE_TYPE',1,'L7163','chaine',0,'','2023-08-15 10:58:00'),(12288,'ADHERENT_ETIQUETTE_TEXT',1,'__FULLNAME__\r\n__ADDRESS__\r\n__ZIP__ __TOWN__\r\n__COUNTRY__','chaine',0,'','2023-08-15 10:58:00'),(12293,'MAIN_CHECKBOX_LEFT_COLUMN',1,'1','chaine',0,'','2023-08-15 11:06:18'),(12357,'MAIN_FIRST_PING_OK_DATE',1,'20230815113417','chaine',0,'','2023-08-15 11:34:17'),(12358,'MAIN_FIRST_PING_OK_ID',1,'torefresh','chaine',0,'','2024-01-03 16:32:46'),(12359,'MAIN_FEATURES_LEVEL',0,'0','chaine',1,'Level of features to show (0=stable only, 1=stable+experimental, 2=stable+experimental+development','2023-08-15 13:04:11'),(12360,'INVOICE_USE_SITUATION',1,'0','chaine',1,'','2023-08-15 13:04:41'),(12373,'MAIN_IHM_PARAMS_REV',1,'120','chaine',0,'','2023-08-15 13:47:50'),(12377,'WEBSITE_SUBCONTAINERSINLINE',1,'1','chaine',0,'','2023-08-15 13:49:51'),(12378,'MAIN_MODULE_SETUP_ON_LIST_BY_DEFAULT',1,'commonkanban','chaine',0,'','2023-08-15 13:50:49'),(12379,'PROPOSAL_ALLOW_ONLINESIGN',1,'1','string',0,NULL,'2024-01-03 16:32:40'),(12417,'MAIN_LAST_PING_KO_DATE',1,'20240103163249','chaine',0,'','2024-01-03 16:32:49'),(12419,'MAIN_MODULE_ACCOUNTING',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:44'),(12420,'MAIN_MODULE_AGENDA',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:44'),(12421,'MAIN_MODULE_BOM',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:44'),(12422,'MAIN_MODULE_BANQUE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:44'),(12423,'MAIN_MODULE_BARCODE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:45'),(12424,'MAIN_MODULE_CRON',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:45'),(12425,'MAIN_MODULE_COMMANDE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:45'),(12426,'MAIN_MODULE_DON',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:45'),(12427,'MAIN_MODULE_ECM',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:45'),(12428,'MAIN_MODULE_EXPENSEREPORT',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:45'),(12429,'MAIN_MODULE_FACTURE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:45'),(12430,'MAIN_MODULE_FOURNISSEUR',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:45'),(12431,'MAIN_MODULE_HOLIDAY',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:45'),(12432,'MAIN_MODULE_MARGIN',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:45'),(12435,'MAIN_MODULE_MRP',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:46'),(12436,'MAIN_MODULE_OPENSURVEY',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:46'),(12437,'MAIN_MODULE_PRINTING',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:46'),(12438,'MAIN_MODULE_RECRUITMENT',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:46'),(12439,'MAIN_MODULE_RECRUITMENT_MODELS',1,'1','chaine',0,NULL,'2024-01-03 16:35:46'),(12440,'MAIN_MODULE_RESOURCE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:46'),(12441,'MAIN_MODULE_SALARIES',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:46'),(12442,'MAIN_MODULE_SERVICE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:46'),(12443,'MAIN_MODULE_SYSLOG',0,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:46'),(12444,'MAIN_MODULE_SOCIETE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:46'),(12445,'MAIN_MODULE_STRIPE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:46'),(12446,'MAIN_MODULE_TICKET',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:47'),(12447,'MAIN_MODULE_TICKET_TABS_0',1,'thirdparty:+ticket:Tickets:ticket:$user->rights->ticket->read:/ticket/list.php?socid=__ID__','chaine',0,NULL,'2024-01-03 16:35:47'),(12448,'MAIN_MODULE_TICKET_TRIGGERS',1,'1','chaine',0,NULL,'2024-01-03 16:35:47'),(12449,'TAKEPOS_PRINT_METHOD',1,'browser','chaine',0,'','2024-01-03 16:35:47'),(12450,'MAIN_MODULE_TAKEPOS',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:47'),(12451,'MAIN_MODULE_TAKEPOS_SUBSTITUTIONS',1,'1','chaine',0,NULL,'2024-01-03 16:35:47'),(12452,'MAIN_MODULE_USER',0,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:47'),(12453,'MAIN_MODULE_VARIANTS',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:47'),(12454,'MAIN_MODULE_WEBSITE',1,'1','string',0,'{\"authorid\":0,\"ip\":\"127.0.0.1\",\"lastactivationversion\":\"dolibarr\"}','2024-01-03 16:35:47'),(12455,'MAIN_VERSION_LAST_UPGRADE',0,'19.0.0','chaine',0,'Dolibarr version for last upgrade','2024-01-03 16:35:48'); /*!40000 ALTER TABLE `llx_const` ENABLE KEYS */; UNLOCK TABLES; @@ -5201,7 +4798,7 @@ CREATE TABLE `llx_document_model` ( `description` text DEFAULT NULL, PRIMARY KEY (`rowid`), UNIQUE KEY `uk_document_model` (`nom`,`type`,`entity`) -) ENGINE=InnoDB AUTO_INCREMENT=488 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; +) ENGINE=InnoDB AUTO_INCREMENT=506 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; -- @@ -5210,7 +4807,7 @@ CREATE TABLE `llx_document_model` ( LOCK TABLES `llx_document_model` WRITE; /*!40000 ALTER TABLE `llx_document_model` DISABLE KEYS */; -INSERT INTO `llx_document_model` VALUES (9,'merou',1,'shipping',NULL,NULL),(181,'generic_invoice_odt',1,'invoice','ODT templates','FACTURE_ADDON_PDF_ODT_PATH'),(193,'canelle2',1,'invoice_supplier','canelle2',NULL),(195,'canelle',1,'invoice_supplier','canelle',NULL),(198,'azur',2,'propal',NULL,NULL),(199,'html_cerfafr',2,'donation',NULL,NULL),(200,'crabe',2,'invoice',NULL,NULL),(201,'generic_odt',1,'company','ODT templates','COMPANY_ADDON_PDF_ODT_PATH'),(250,'baleine',1,'project',NULL,NULL),(255,'soleil',1,'ficheinter',NULL,NULL),(256,'azur',1,'propal',NULL,NULL),(273,'beluga',1,'project','beluga',NULL),(281,'sepamandate',1,'bankaccount','sepamandate',NULL),(319,'generic_bom_odt',1,'bom','ODT templates','BOM_ADDON_PDF_ODT_PATH'),(320,'generic_mo_odt',1,'mrp','ODT templates','MRP_MO_ADDON_PDF_ODT_PATH'),(366,'generic_user_odt',1,'user',NULL,NULL),(367,'generic_usergroup_odt',1,'group',NULL,NULL),(370,'aurore',1,'supplier_proposal',NULL,NULL),(371,'rouget',1,'shipping',NULL,NULL),(372,'typhon',1,'delivery',NULL,NULL),(393,'squille',1,'reception',NULL,NULL),(459,'einstein',1,'order',NULL,NULL),(462,'crabe',1,'invoice',NULL,NULL),(463,'muscadet',1,'order_supplier',NULL,NULL),(467,'fiche_equipement',1,'gestionparc',NULL,NULL),(468,'strato',1,'contract','strato',NULL),(479,'standard',1,'member',NULL,NULL),(480,'eratosthene',1,'order',NULL,NULL),(481,'html_cerfafr',1,'donation',NULL,NULL),(482,'standard',1,'expensereport',NULL,NULL),(483,'sponge',1,'invoice',NULL,NULL),(484,'cornas',1,'order_supplier',NULL,NULL),(485,'standard_recruitmentjobposition',1,'recruitmentjobposition',NULL,NULL),(486,'generic_recruitmentjobposition_odt',1,'recruitmentjobposition',NULL,NULL),(487,'TICKET_ADDON_PDF_ODT_PATH',1,'ticket',NULL,NULL); +INSERT INTO `llx_document_model` VALUES (9,'merou',1,'shipping',NULL,NULL),(181,'generic_invoice_odt',1,'invoice','ODT templates','FACTURE_ADDON_PDF_ODT_PATH'),(193,'canelle2',1,'invoice_supplier','canelle2',NULL),(195,'canelle',1,'invoice_supplier','canelle',NULL),(198,'azur',2,'propal',NULL,NULL),(199,'html_cerfafr',2,'donation',NULL,NULL),(200,'crabe',2,'invoice',NULL,NULL),(201,'generic_odt',1,'company','ODT templates','COMPANY_ADDON_PDF_ODT_PATH'),(250,'baleine',1,'project',NULL,NULL),(255,'soleil',1,'ficheinter',NULL,NULL),(256,'azur',1,'propal',NULL,NULL),(273,'beluga',1,'project','beluga',NULL),(281,'sepamandate',1,'bankaccount','sepamandate',NULL),(319,'generic_bom_odt',1,'bom','ODT templates','BOM_ADDON_PDF_ODT_PATH'),(320,'generic_mo_odt',1,'mrp','ODT templates','MRP_MO_ADDON_PDF_ODT_PATH'),(366,'generic_user_odt',1,'user',NULL,NULL),(367,'generic_usergroup_odt',1,'group',NULL,NULL),(370,'aurore',1,'supplier_proposal',NULL,NULL),(371,'rouget',1,'shipping',NULL,NULL),(372,'typhon',1,'delivery',NULL,NULL),(393,'squille',1,'reception',NULL,NULL),(459,'einstein',1,'order',NULL,NULL),(462,'crabe',1,'invoice',NULL,NULL),(463,'muscadet',1,'order_supplier',NULL,NULL),(467,'fiche_equipement',1,'gestionparc',NULL,NULL),(468,'strato',1,'contract','strato',NULL),(479,'standard',1,'member',NULL,NULL),(497,'eratosthene',1,'order',NULL,NULL),(498,'html_cerfafr',1,'donation',NULL,NULL),(499,'standard',1,'expensereport',NULL,NULL),(500,'sponge',1,'invoice',NULL,NULL),(501,'cornas',1,'order_supplier',NULL,NULL),(502,'vinci',1,'mrp',NULL,NULL),(503,'standard_recruitmentjobposition',1,'recruitmentjobposition',NULL,NULL),(504,'generic_recruitmentjobposition_odt',1,'recruitmentjobposition',NULL,NULL),(505,'TICKET_ADDON_PDF_ODT_PATH',1,'ticket',NULL,NULL); /*!40000 ALTER TABLE `llx_document_model` ENABLE KEYS */; UNLOCK TABLES; @@ -6165,6 +5762,7 @@ CREATE TABLE `llx_expeditiondet_batch` ( `batch` varchar(128) DEFAULT NULL, `qty` double NOT NULL DEFAULT 0, `fk_origin_stock` int(11) NOT NULL, + `fk_warehouse` int(11) DEFAULT NULL, PRIMARY KEY (`rowid`), KEY `idx_fk_expeditiondet` (`fk_expeditiondet`), CONSTRAINT `fk_expeditiondet_batch_fk_expeditiondet` FOREIGN KEY (`fk_expeditiondet`) REFERENCES `llx_expeditiondet` (`rowid`) @@ -6267,7 +5865,7 @@ CREATE TABLE `llx_expensereport` ( KEY `idx_expensereport_fk_user_author` (`fk_user_author`), KEY `idx_expensereport_fk_user_valid` (`fk_user_valid`), KEY `idx_expensereport_fk_user_approve` (`fk_user_approve`), - KEY `idx_expensereport_fk_refuse` (`fk_user_approve`) + KEY `idx_expensereport_fk_refuse` (`fk_user_refuse`) ) ENGINE=InnoDB AUTO_INCREMENT=4 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; @@ -6277,7 +5875,7 @@ CREATE TABLE `llx_expensereport` ( LOCK TABLES `llx_expensereport` WRITE; /*!40000 ALTER TABLE `llx_expensereport` DISABLE KEYS */; -INSERT INTO `llx_expensereport` VALUES (1,'ADMIN-ER00002-150101',1,2,NULL,8.33000000,1.67000000,0.00000000,0.00000000,10.00000000,'2023-01-01','2023-01-03','2023-01-22 19:03:37','2023-01-22 19:06:50','2022-02-16 02:12:40',NULL,NULL,'2023-08-13 15:39:14',12,NULL,12,12,12,NULL,NULL,5,NULL,0,'Holidays',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(2,'ER1912-0001',1,NULL,NULL,141.67000000,28.33000000,0.00000000,0.00000000,170.00000000,'2023-02-01','2022-02-28','2023-01-22 19:04:44','2022-12-20 20:34:13','2022-12-20 20:34:19',NULL,'2022-12-21 00:34:26','2023-08-13 15:39:14',12,12,12,12,12,NULL,12,4,NULL,0,'Work on projet X','','','aaaa',NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(3,'(PROV3)',1,NULL,NULL,40.00000000,0.00000000,0.00000000,0.00000000,40.00000000,'2023-02-02','2023-02-02','2023-02-02 03:57:03','2023-02-02 00:00:00',NULL,NULL,NULL,'2023-08-13 15:39:14',19,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'expensereport/(PROV3)/(PROV3).pdf',NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL); +INSERT INTO `llx_expensereport` VALUES (1,'ADMIN-ER00002-150101',1,2,NULL,8.33000000,1.67000000,0.00000000,0.00000000,10.00000000,'2024-01-01','2024-01-03','2023-01-22 19:03:37','2023-01-22 19:06:50','2023-02-16 02:12:40',NULL,NULL,'2024-01-03 16:32:24',12,NULL,12,12,12,NULL,NULL,5,NULL,0,'Holidays',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(2,'ER1912-0001',1,NULL,NULL,141.67000000,28.33000000,0.00000000,0.00000000,170.00000000,'2023-02-01','2022-02-28','2023-01-22 19:04:44','2022-12-20 20:34:13','2022-12-20 20:34:19',NULL,'2022-12-21 00:34:26','2023-08-13 15:39:14',12,12,12,12,12,NULL,12,4,NULL,0,'Work on projet X','','','aaaa',NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(3,'(PROV3)',1,NULL,NULL,40.00000000,0.00000000,0.00000000,0.00000000,40.00000000,'2023-02-02','2023-02-02','2023-02-02 03:57:03','2023-02-02 00:00:00',NULL,NULL,NULL,'2023-08-13 15:39:14',19,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'expensereport/(PROV3)/(PROV3).pdf',NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL); /*!40000 ALTER TABLE `llx_expensereport` ENABLE KEYS */; UNLOCK TABLES; @@ -6638,7 +6236,7 @@ CREATE TABLE `llx_facture` ( LOCK TABLES `llx_facture` WRITE; /*!40000 ALTER TABLE `llx_facture` DISABLE KEYS */; -INSERT INTO `llx_facture` VALUES (2,'FA1007-0002',1,NULL,NULL,0,NULL,NULL,2,'2012-07-10 18:20:13','2023-07-10',NULL,NULL,'2023-08-13 15:39:14',1,NULL,NULL,0,NULL,NULL,NULL,0.10000000,0.00000000,0.00000000,0.00000000,46.00000000,46.10000000,2,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2023-07-10',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,'facture/FA1007-0002/FA1007-0002.pdf',NULL,NULL,NULL,NULL),(3,'FA1107-0006',1,NULL,NULL,0,NULL,NULL,10,'2013-07-18 20:33:35','2023-07-18',NULL,NULL,'2023-08-13 15:39:14',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,15.00000000,15.00000000,2,1,NULL,1,NULL,NULL,1,NULL,NULL,1,0,'2023-07-18',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(5,'FA1108-0003',1,NULL,NULL,0,NULL,NULL,7,'2013-08-01 03:34:11','2023-08-01',NULL,NULL,'2023-08-13 15:39:14',1,NULL,NULL,0,NULL,NULL,NULL,0.63000000,0.00000000,0.00000000,0.00000000,5.00000000,5.63000000,2,1,NULL,1,NULL,NULL,NULL,NULL,NULL,0,6,'2023-08-01',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(6,'FA1108-0004',1,NULL,NULL,0,NULL,NULL,7,'2013-08-06 20:33:53','2023-08-06',NULL,NULL,'2023-08-13 15:39:14',1,NULL,NULL,0,NULL,NULL,NULL,0.98000000,0.00000000,0.00000000,0.00000000,5.00000000,5.98000000,2,1,NULL,1,NULL,NULL,NULL,NULL,NULL,0,4,'2023-08-06','Cash\nReceived : 6 EUR\nRendu : 0.02 EUR\n\n--------------------------------------',NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(8,'FA1108-0005',1,NULL,NULL,3,NULL,NULL,2,'2013-08-08 02:41:44','2023-08-08',NULL,NULL,'2023-08-13 15:39:14',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,2,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2023-08-08',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(9,'FA1108-0007',1,NULL,NULL,3,NULL,NULL,10,'2013-08-08 02:55:14','2023-08-08',NULL,NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,1.96000000,0.00000000,0.00000000,0.00000000,10.00000000,11.96000000,1,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2023-08-08',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(10,'AV1212-0001',1,NULL,NULL,2,NULL,NULL,10,'2014-12-08 17:45:20','2022-12-08','2022-12-08 00:00:00',NULL,'2022-12-11 21:23:22',0,NULL,NULL,0,NULL,NULL,NULL,-0.63000000,0.00000000,0.00000000,0.00000000,-11.00000000,-11.63000000,1,1,NULL,1,NULL,3,NULL,NULL,NULL,0,0,'2022-12-08',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(12,'AV1212-0002',1,NULL,NULL,2,NULL,NULL,10,'2014-12-08 18:20:14','2022-12-08','2022-12-08 00:00:00',NULL,'2022-12-11 21:23:22',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,-5.00000000,-5.00000000,2,1,NULL,1,NULL,3,NULL,NULL,NULL,0,0,'2022-12-08',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(13,'FA1212-0011',1,NULL,NULL,0,NULL,NULL,7,'2014-12-09 20:04:19','2022-12-09','2022-02-12 00:00:00',NULL,'2022-12-11 21:23:22',0,NULL,NULL,0,NULL,NULL,NULL,2.74000000,0.00000000,0.00000000,0.00000000,14.00000000,16.74000000,1,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2022-12-09',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(32,'FA1212-0021',1,NULL,NULL,0,NULL,NULL,1,'2014-12-11 09:34:23','2022-12-11','2022-03-24 00:00:00',NULL,'2022-12-11 21:23:22',0,NULL,NULL,0,NULL,NULL,NULL,90.00000000,0.00000000,0.00000000,0.60000000,520.00000000,610.60000000,1,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2022-12-11','This is a comment (private)','This is a comment (public)','crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(33,'FA1212-0023',1,NULL,NULL,0,NULL,NULL,1,'2014-12-11 09:34:23','2022-12-11','2022-03-03 00:00:00',NULL,'2022-12-11 21:23:22',0,NULL,NULL,0,'abandon',NULL,NULL,0.24000000,0.00000000,0.00000000,0.00000000,2.48000000,2.72000000,3,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2022-12-11','This is a comment (private)','This is a comment (public)','crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(55,'FA1212-0009',1,NULL,NULL,0,NULL,NULL,1,'2014-12-11 09:35:51','2022-12-11','2023-02-04 12:42:34',NULL,'2023-02-08 12:48:41',0,NULL,NULL,0,NULL,NULL,NULL,0.36000000,0.00000000,0.00000000,0.00000000,4.48000000,4.84000000,1,1,NULL,12,NULL,NULL,NULL,NULL,NULL,1,3,'2022-12-11','This is a comment (private)','This is a comment (public)','crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,2.00000000,0.12000000,2.12000000,NULL,NULL,NULL,NULL,NULL,NULL),(148,'FS1301-0001',1,NULL,NULL,0,NULL,NULL,1,'2015-01-19 18:22:48','2023-01-19','2023-01-19 00:00:00',NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,0.63000000,0.00000000,0.00000000,0.00000000,5.00000000,5.63000000,1,1,NULL,1,NULL,NULL,NULL,NULL,NULL,0,1,'2023-01-19',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,'facture/FS1301-0001/FS1301-0001.pdf',NULL,NULL,NULL,NULL),(149,'FA1601-0024',1,NULL,NULL,0,NULL,NULL,1,'2015-01-19 18:30:05','2023-01-19','2022-08-29 00:00:00','2020-01-02 20:49:34','2023-08-13 15:39:14',0,NULL,NULL,0,'other',NULL,'test',1.80000000,0.90000000,0.90000000,0.00000000,20.00000000,23.60000000,2,1,NULL,12,12,NULL,NULL,NULL,NULL,0,0,'2023-01-19',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,20.00000000,1.80000000,23.60000000,NULL,'facture/FA1601-0024/FA1601-0024.pdf',NULL,NULL,NULL,NULL),(150,'FA6801-0010',1,NULL,NULL,0,NULL,NULL,1,'2015-01-19 18:31:10','2023-01-19','2022-10-04 00:00:00',NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,0.63000000,0.00000000,0.00000000,0.00000000,5.00000000,5.63000000,1,1,NULL,12,NULL,NULL,NULL,NULL,NULL,0,1,'2023-01-19',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,5.00000000,0.63000000,5.63000000,NULL,'facture/FA6801-0010/FA6801-0010.pdf',NULL,NULL,NULL,NULL),(151,'FS1301-0002',1,NULL,NULL,0,NULL,NULL,1,'2015-01-19 18:31:58','2023-01-19','2023-01-19 00:00:00',NULL,'2023-08-13 15:39:14',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,2,1,NULL,1,NULL,NULL,NULL,NULL,NULL,0,1,'2023-01-19',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(160,'FA1507-0015',1,NULL,NULL,0,NULL,NULL,12,'2015-03-06 16:47:48','2023-07-18','2023-03-06 00:00:00',NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,1.11000000,0.00000000,0.00000000,0.00000000,8.89000000,10.00000000,1,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2023-07-18',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(210,'FA1107-0019',1,NULL,NULL,0,NULL,NULL,10,'2015-03-20 14:30:11','2023-07-10','2023-03-20 00:00:00',NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,1,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2023-07-10',NULL,NULL,'generic_invoice_odt:/home/ldestailleur/git/dolibarr_3.8/documents/doctemplates/invoices/template_invoice.odt',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(211,'FA1303-0020',1,NULL,NULL,0,NULL,NULL,19,'2015-03-22 09:40:10','2023-03-22','2022-03-02 00:00:00',NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,17.64000000,0.00000000,0.00000000,0.40000000,340.00000000,358.04000000,1,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,3,'2023-03-22',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(213,'AV1303-0003',1,NULL,NULL,2,NULL,NULL,1,'2016-03-03 19:22:03','2023-03-03','2022-03-03 00:00:00',NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,-1000.00000000,-1000.00000000,1,1,NULL,1,NULL,32,NULL,NULL,NULL,0,0,'2023-03-03',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(216,'(PROV216)',1,NULL,NULL,0,NULL,NULL,26,'2017-02-12 23:21:27','2023-02-12',NULL,NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1,0,'2023-02-12',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,0,'',NULL,NULL,0,'EUR',1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(217,'(PROV217)',1,NULL,NULL,0,NULL,NULL,1,'2017-08-31 13:26:17','2022-08-31',NULL,NULL,'2022-12-11 21:23:22',0,NULL,NULL,0,NULL,NULL,NULL,1.13000000,0.00000000,0.00000000,0.00000000,21.00000000,22.13000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1,0,'2022-08-31',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,0,'',NULL,NULL,1,'EUR',1.00000000,21.00000000,1.13000000,22.13000000,NULL,'facture/(PROV217)/(PROV217).pdf',NULL,NULL,NULL,NULL),(218,'FA1909-0025',1,NULL,NULL,0,NULL,NULL,12,'2019-09-26 17:30:14','2022-09-26','2022-09-26 00:00:00',NULL,'2022-12-11 21:23:22',0,NULL,NULL,0,NULL,NULL,NULL,1.08000000,0.00000000,0.00000000,0.00000000,42.50000000,43.58000000,1,12,NULL,12,NULL,NULL,NULL,NULL,NULL,0,0,'2022-09-26',NULL,NULL,'',NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,0,'',NULL,NULL,0,'EUR',1.00000000,42.50000000,1.08000000,43.58000000,NULL,NULL,'takepos','1',NULL,NULL),(219,'(PROV-POS1-0)',1,NULL,NULL,0,NULL,NULL,1,'2019-11-28 19:04:03','2022-11-28',NULL,NULL,'2023-01-31 19:53:15',0,NULL,NULL,0,NULL,NULL,NULL,5.77000000,0.00000000,0.00000000,0.00000000,34.59000000,40.36000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,0,'2022-11-28',NULL,NULL,'',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,0,'USD',1.30000000,44.98000000,7.49000000,52.47000000,NULL,NULL,'takepos','1',NULL,NULL),(220,'(PROV220)',1,NULL,NULL,3,NULL,NULL,19,'2020-01-16 02:03:17','2023-01-16',NULL,NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,100.00000000,100.00000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1,0,'2023-01-16',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,100.00000000,0.00000000,100.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(221,'AC2001-0001',1,NULL,NULL,3,NULL,NULL,19,'2020-01-16 02:21:05','2023-01-16','2023-01-16 00:00:00',NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,123.00000000,123.00000000,0,12,NULL,12,NULL,NULL,NULL,NULL,NULL,1,0,'2023-01-16',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,123.00000000,0.00000000,123.00000000,NULL,'facture/AC2001-0001/AC2001-0001.pdf',NULL,NULL,NULL,NULL),(222,'AC2301-0005',1,NULL,NULL,3,NULL,NULL,19,'2020-01-16 02:21:28','2023-01-16','2023-08-15 13:29:54',NULL,'2023-08-15 13:29:54',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,100.00000000,100.00000000,1,12,NULL,12,NULL,NULL,NULL,NULL,NULL,1,0,'2023-01-16',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,100.00000000,0.00000000,100.00000000,NULL,'facture/AC2301-0005/AC2301-0005.pdf',NULL,NULL,NULL,NULL),(223,'(PROV223)',1,NULL,NULL,0,NULL,NULL,19,'2020-01-16 02:32:04','2023-01-16',NULL,NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,410.00000000,410.00000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,2,0,'2022-02-15',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,410.00000000,0.00000000,410.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(224,'AC2001-0002',1,NULL,NULL,3,NULL,NULL,19,'2020-01-16 02:33:19','2023-01-16','2023-01-16 00:00:00','2020-01-16 02:36:48','2023-08-13 15:39:14',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,20.50000000,20.50000000,2,12,NULL,12,12,NULL,NULL,NULL,NULL,1,0,'2023-01-16',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,20.50000000,0.00000000,20.50000000,NULL,'facture/AC2001-0002/AC2001-0002.pdf',NULL,NULL,NULL,NULL),(225,'(PROV225)',1,NULL,NULL,0,NULL,NULL,19,'2020-01-16 02:37:48','2023-01-16',NULL,NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,389.50000000,389.50000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,2,0,'2022-02-15',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,389.50000000,0.00000000,389.50000000,NULL,'facture/(PROV225)/(PROV225).pdf',NULL,NULL,NULL,NULL),(226,'(PROV226)',1,NULL,NULL,3,NULL,NULL,11,'2020-01-19 14:20:54','2023-01-19',NULL,NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,12.50000000,0.00000000,0.00000000,0.00000000,120.00000000,132.50000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1,0,'2023-01-19',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,120.00000000,12.50000000,132.50000000,NULL,'facture/(PROV226)/(PROV226).pdf',NULL,NULL,NULL,NULL),(227,'AC2001-0003',1,NULL,NULL,3,NULL,NULL,1,'2020-01-19 14:22:54','2023-01-19','2023-01-19 00:00:00',NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,39.20000000,0.00000000,0.00000000,0.00000000,200.00000000,239.20000000,0,12,NULL,12,NULL,NULL,NULL,NULL,NULL,1,0,'2023-01-19',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,200.00000000,39.20000000,239.20000000,NULL,'facture/AC2001-0003/AC2001-0003.pdf',NULL,NULL,NULL,NULL),(228,'AC2001-0004',1,NULL,NULL,3,NULL,NULL,1,'2020-01-19 14:24:49','2023-01-19','2023-01-19 00:00:00',NULL,'2023-08-13 15:39:14',0,NULL,NULL,0,NULL,NULL,NULL,1.94000000,0.00000000,0.00000000,0.00000000,48.60000000,50.54000000,1,12,NULL,12,NULL,NULL,NULL,NULL,NULL,1,0,'2023-01-19',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,48.60000000,1.94000000,50.54000000,NULL,'facture/AC2001-0004/AC2001-0004.pdf',NULL,NULL,NULL,NULL),(229,'FA1707-0026',1,NULL,NULL,0,NULL,NULL,12,'2020-01-21 10:23:17','2023-07-18','2023-01-21 00:00:00','2020-01-21 10:23:17','2023-08-13 15:39:14',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,50.00000000,50.00000000,2,12,NULL,12,12,NULL,NULL,NULL,NULL,1,0,'2023-07-18',NULL,NULL,'',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,0,'EUR',1.00000000,50.00000000,0.00000000,50.00000000,NULL,'facture/FA1707-0026/FA1707-0026.pdf',NULL,NULL,NULL,NULL),(230,'FA1807-0027',1,NULL,NULL,0,NULL,NULL,12,'2020-01-21 10:23:28','2023-07-18','2023-01-21 00:00:00','2020-01-21 10:23:28','2023-08-13 15:39:14',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,50.00000000,50.00000000,2,12,NULL,12,12,NULL,NULL,NULL,NULL,1,0,'2023-07-18',NULL,NULL,'',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,0,'EUR',1.00000000,50.00000000,0.00000000,50.00000000,NULL,'facture/FA1807-0027/FA1807-0027.pdf',NULL,NULL,NULL,NULL),(231,'FA1907-0028',1,NULL,NULL,0,NULL,NULL,12,'2020-01-21 10:23:49','2023-07-18','2023-01-21 00:00:00','2020-01-21 10:23:49','2023-08-13 15:39:14',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,50.00000000,50.00000000,2,12,NULL,12,12,NULL,NULL,NULL,NULL,1,0,'2023-07-18',NULL,NULL,'',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,0,'EUR',1.00000000,50.00000000,0.00000000,50.00000000,NULL,'facture/FA1907-0028/FA1907-0028.pdf',NULL,NULL,NULL,NULL),(232,'FA2301-0029',1,NULL,NULL,0,NULL,NULL,36,'2023-01-18 07:53:53','2023-01-18','2023-01-18 07:54:02',NULL,'2023-01-18 10:54:02',0,NULL,NULL,0,NULL,NULL,NULL,200.00000000,0.00000000,0.00000000,0.00000000,1000.00000000,1200.00000000,1,12,NULL,12,NULL,NULL,NULL,NULL,NULL,1,0,'2023-01-18',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,'2023-01-18',0,0,'',NULL,NULL,1,'EUR',1.00000000,1000.00000000,200.00000000,1200.00000000,NULL,'facture/FA2301-0029/FA2301-0029.pdf',NULL,NULL,NULL,NULL),(233,'AV2301-0004',1,NULL,NULL,2,NULL,NULL,36,'2023-01-18 07:54:15','2023-01-18','2023-01-18 07:54:30',NULL,'2023-01-18 10:54:30',0,NULL,NULL,0,NULL,NULL,NULL,-200.00000000,0.00000000,0.00000000,0.00000000,-1000.00000000,-1200.00000000,1,12,NULL,12,NULL,232,NULL,NULL,NULL,0,0,'2023-01-18',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,-1000.00000000,-200.00000000,-1200.00000000,NULL,'facture/AV2301-0004/AV2301-0004.pdf',NULL,NULL,NULL,NULL),(234,'(PROV-POS1-0-1)',1,NULL,NULL,0,NULL,NULL,7,'2023-01-31 16:48:47','2023-01-31',NULL,NULL,'2023-01-31 19:53:22',0,NULL,NULL,0,NULL,NULL,NULL,8.83000000,0.00000000,0.00000000,0.00000000,44.07000000,52.90000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,0,'2023-01-31',NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,0,'USD',1.30000000,57.32000000,11.45000000,68.77000000,NULL,NULL,'takepos','1',NULL,NULL),(235,'FA2302-0030',1,NULL,NULL,0,'fdfd',NULL,34,'2023-02-15 13:05:13','2023-02-15','2023-02-15 13:05:21',NULL,'2023-02-27 14:40:22',0,NULL,NULL,0,NULL,NULL,NULL,2.00000000,0.00000000,0.00000000,0.00000000,10.00000000,12.00000000,1,12,NULL,12,NULL,NULL,NULL,3,NULL,1,3,'2023-02-15',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,'2023-02-15',0,0,'',NULL,NULL,1,'EUR',1.00000000,10.00000000,2.00000000,12.00000000,NULL,'facture/FA2302-0030/FA2302-0030.pdf',NULL,NULL,NULL,NULL),(236,'FA2302-0031',1,NULL,NULL,0,NULL,NULL,34,'2023-02-15 13:17:22','2023-02-15','2023-02-15 13:17:31',NULL,'2023-02-15 16:17:31',0,NULL,NULL,0,NULL,NULL,NULL,2.00000000,0.00000000,0.00000000,0.00000000,10.00000000,12.00000000,1,12,NULL,12,NULL,NULL,4,3,NULL,1,0,'2023-02-15',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,'2023-02-15',0,0,'',NULL,NULL,1,'EUR',1.00000000,10.00000000,2.00000000,12.00000000,NULL,'facture/FA2302-0031/FA2302-0031.pdf',NULL,NULL,NULL,NULL),(237,'FA2303-0032',1,NULL,NULL,5,NULL,NULL,1,'2023-03-02 13:11:22','2023-03-02','2023-03-02 13:16:15',NULL,'2023-03-02 16:16:15',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,50.00000000,50.00000000,1,12,NULL,12,NULL,NULL,NULL,3,NULL,1,0,'2023-03-02',NULL,NULL,'crabe',NULL,NULL,1,1,0,0,'2023-03-02',0,0,'',NULL,NULL,1,'EUR',1.00000000,50.00000000,0.00000000,50.00000000,NULL,'facture/FA2303-0032/FA2303-0032.pdf',NULL,NULL,NULL,NULL),(238,'FA2303-0033',1,NULL,NULL,5,NULL,NULL,1,'2023-03-02 13:20:59','2023-03-02','2023-03-02 13:21:13',NULL,'2023-03-08 09:40:57',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,30.00000000,30.00000000,1,12,NULL,12,NULL,237,NULL,NULL,NULL,1,3,'2023-03-02',NULL,NULL,'crabe',NULL,NULL,1,2,0,0,'2023-03-02',0,0,'',NULL,NULL,0,'EUR',1.00000000,30.00000000,0.00000000,30.00000000,NULL,'facture/FA2303-0033/FA2303-0033.pdf',NULL,NULL,NULL,NULL),(239,'(PROV239)',1,NULL,NULL,2,NULL,NULL,2,'2023-03-15 08:24:26','2023-03-15',NULL,NULL,'2023-03-15 12:42:01',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.09000000,0.09000000,0.00000000,-1.00000000,-1.18000000,0,12,NULL,NULL,NULL,2,NULL,3,NULL,0,0,'2023-03-15',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,-1.00000000,0.00000000,-1.18000000,NULL,'facture/(PROV239)/(PROV239).pdf',NULL,NULL,NULL,NULL),(240,'(PROV240)',1,NULL,NULL,0,NULL,NULL,2,'2023-03-15 09:42:22','2023-03-15',NULL,NULL,'2023-03-15 12:45:29',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0,12,NULL,NULL,NULL,NULL,NULL,3,NULL,1,0,'2023-03-15',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,'2023-03-15',0,0,'',NULL,NULL,1,'EUR',1.00000000,0.00000000,0.00000000,0.00000000,NULL,'facture/(PROV240)/(PROV240).pdf',NULL,NULL,NULL,NULL); +INSERT INTO `llx_facture` VALUES (2,'FA1007-0002',1,NULL,NULL,0,NULL,NULL,2,'2023-07-10 18:20:13','2034-07-10',NULL,NULL,'2024-01-03 16:32:23',1,NULL,NULL,0,NULL,NULL,NULL,0.10000000,0.00000000,0.00000000,0.00000000,46.00000000,46.10000000,2,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2034-07-10',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,'facture/FA1007-0002/FA1007-0002.pdf',NULL,NULL,NULL,NULL),(3,'FA1107-0006',1,NULL,NULL,0,NULL,NULL,10,'2023-07-18 20:33:35','2033-07-18',NULL,NULL,'2024-01-03 16:32:23',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,15.00000000,15.00000000,2,1,NULL,1,NULL,NULL,1,NULL,NULL,1,0,'2033-07-18',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(5,'FA1108-0003',1,NULL,NULL,0,NULL,NULL,7,'2023-08-01 03:34:11','2033-08-01',NULL,NULL,'2024-01-03 16:32:23',1,NULL,NULL,0,NULL,NULL,NULL,0.63000000,0.00000000,0.00000000,0.00000000,5.00000000,5.63000000,2,1,NULL,1,NULL,NULL,NULL,NULL,NULL,0,6,'2033-08-01',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(6,'FA1108-0004',1,NULL,NULL,0,NULL,NULL,7,'2023-08-06 20:33:53','2033-08-06',NULL,NULL,'2024-01-03 16:32:23',1,NULL,NULL,0,NULL,NULL,NULL,0.98000000,0.00000000,0.00000000,0.00000000,5.00000000,5.98000000,2,1,NULL,1,NULL,NULL,NULL,NULL,NULL,0,4,'2033-08-06','Cash\nReceived : 6 EUR\nRendu : 0.02 EUR\n\n--------------------------------------',NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(8,'FA1108-0005',1,NULL,NULL,3,NULL,NULL,2,'2023-08-08 02:41:44','2033-08-08',NULL,NULL,'2024-01-03 16:32:23',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,2,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2033-08-08',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(9,'FA1108-0007',1,NULL,NULL,3,NULL,NULL,10,'2023-08-08 02:55:14','2033-08-08',NULL,NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,1.96000000,0.00000000,0.00000000,0.00000000,10.00000000,11.96000000,1,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2033-08-08',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(10,'AV1212-0001',1,NULL,NULL,2,NULL,NULL,10,'2023-12-08 17:45:20','2031-12-08','2031-12-08 00:00:00',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,-0.63000000,0.00000000,0.00000000,0.00000000,-11.00000000,-11.63000000,1,1,NULL,1,NULL,3,NULL,NULL,NULL,0,0,'2031-12-08',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(12,'AV1212-0002',1,NULL,NULL,2,NULL,NULL,10,'2023-12-08 18:20:14','2031-12-08','2031-12-08 00:00:00',NULL,'2024-01-03 16:32:23',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,-5.00000000,-5.00000000,2,1,NULL,1,NULL,3,NULL,NULL,NULL,0,0,'2031-12-08',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(13,'FA1212-0011',1,NULL,NULL,0,NULL,NULL,7,'2023-12-09 20:04:19','2031-12-09','2031-02-12 00:00:00',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,2.74000000,0.00000000,0.00000000,0.00000000,14.00000000,16.74000000,1,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2031-12-09',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(32,'FA1212-0021',1,NULL,NULL,0,NULL,NULL,1,'2023-12-11 09:34:23','2031-12-11','2031-03-24 00:00:00',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,90.00000000,0.00000000,0.00000000,0.60000000,520.00000000,610.60000000,1,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2031-12-11','This is a comment (private)','This is a comment (public)','crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(33,'FA1212-0023',1,NULL,NULL,0,NULL,NULL,1,'2023-12-11 09:34:23','2031-12-11','2031-03-03 00:00:00',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,'abandon',NULL,NULL,0.24000000,0.00000000,0.00000000,0.00000000,2.48000000,2.72000000,3,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2031-12-11','This is a comment (private)','This is a comment (public)','crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(55,'FA1212-0009',1,NULL,NULL,0,NULL,NULL,1,'2023-12-11 09:35:51','2031-12-11','2032-02-04 12:42:34',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,0.36000000,0.00000000,0.00000000,0.00000000,4.48000000,4.84000000,1,1,NULL,12,NULL,NULL,NULL,NULL,NULL,1,3,'2031-12-11','This is a comment (private)','This is a comment (public)','crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,2.00000000,0.12000000,2.12000000,NULL,NULL,NULL,NULL,NULL,NULL),(148,'FS1301-0001',1,NULL,NULL,0,NULL,NULL,1,'2023-01-19 18:22:48','2031-01-19','2031-01-19 00:00:00',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,0.63000000,0.00000000,0.00000000,0.00000000,5.00000000,5.63000000,1,1,NULL,1,NULL,NULL,NULL,NULL,NULL,0,1,'2031-01-19',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,'facture/FS1301-0001/FS1301-0001.pdf',NULL,NULL,NULL,NULL),(149,'FA1601-0024',1,NULL,NULL,0,NULL,NULL,1,'2023-01-19 18:30:05','2031-01-19','2030-08-29 00:00:00','2020-01-02 20:49:34','2024-01-03 16:32:23',0,NULL,NULL,0,'other',NULL,'test',1.80000000,0.90000000,0.90000000,0.00000000,20.00000000,23.60000000,2,1,NULL,12,12,NULL,NULL,NULL,NULL,0,0,'2031-01-19',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,20.00000000,1.80000000,23.60000000,NULL,'facture/FA1601-0024/FA1601-0024.pdf',NULL,NULL,NULL,NULL),(150,'FA6801-0010',1,NULL,NULL,0,NULL,NULL,1,'2023-01-19 18:31:10','2031-01-19','2030-10-04 00:00:00',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,0.63000000,0.00000000,0.00000000,0.00000000,5.00000000,5.63000000,1,1,NULL,12,NULL,NULL,NULL,NULL,NULL,0,1,'2031-01-19',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,5.00000000,0.63000000,5.63000000,NULL,'facture/FA6801-0010/FA6801-0010.pdf',NULL,NULL,NULL,NULL),(151,'FS1301-0002',1,NULL,NULL,0,NULL,NULL,1,'2023-01-19 18:31:58','2031-01-19','2031-01-19 00:00:00',NULL,'2024-01-03 16:32:23',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,2,1,NULL,1,NULL,NULL,NULL,NULL,NULL,0,1,'2031-01-19',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(160,'FA1507-0015',1,NULL,NULL,0,NULL,NULL,12,'2023-03-06 16:47:48','2031-07-18','2031-03-06 00:00:00',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,1.11000000,0.00000000,0.00000000,0.00000000,8.89000000,10.00000000,1,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2031-07-18',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(210,'FA1107-0019',1,NULL,NULL,0,NULL,NULL,10,'2023-03-20 14:30:11','2031-07-10','2031-03-20 00:00:00',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,1,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,0,'2031-07-10',NULL,NULL,'generic_invoice_odt:/home/ldestailleur/git/dolibarr_3.8/documents/doctemplates/invoices/template_invoice.odt',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(211,'FA1303-0020',1,NULL,NULL,0,NULL,NULL,19,'2023-03-22 09:40:10','2031-03-22','2030-03-02 00:00:00',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,17.64000000,0.00000000,0.00000000,0.40000000,340.00000000,358.04000000,1,1,NULL,1,NULL,NULL,NULL,NULL,NULL,1,3,'2031-03-22',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(213,'AV1303-0003',1,NULL,NULL,2,NULL,NULL,1,'2023-03-03 19:22:03','2030-03-03','2029-03-03 00:00:00',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,-1000.00000000,-1000.00000000,1,1,NULL,1,NULL,32,NULL,NULL,NULL,0,0,'2030-03-03',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(216,'(PROV216)',1,NULL,NULL,0,NULL,NULL,26,'2023-02-12 23:21:27','2029-02-12',NULL,NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1,0,'2029-02-12',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,0,'',NULL,NULL,0,'EUR',1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(217,'(PROV217)',1,NULL,NULL,0,NULL,NULL,1,'2023-08-31 13:26:17','2028-08-31',NULL,NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,1.13000000,0.00000000,0.00000000,0.00000000,21.00000000,22.13000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1,0,'2028-08-31',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,0,'',NULL,NULL,1,'EUR',1.00000000,21.00000000,1.13000000,22.13000000,NULL,'facture/(PROV217)/(PROV217).pdf',NULL,NULL,NULL,NULL),(218,'FA1909-0025',1,NULL,NULL,0,NULL,NULL,12,'2023-09-26 17:30:14','2026-09-26','2026-09-26 00:00:00',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,1.08000000,0.00000000,0.00000000,0.00000000,42.50000000,43.58000000,1,12,NULL,12,NULL,NULL,NULL,NULL,NULL,0,0,'2026-09-26',NULL,NULL,'',NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,0,'',NULL,NULL,0,'EUR',1.00000000,42.50000000,1.08000000,43.58000000,NULL,NULL,'takepos','1',NULL,NULL),(219,'(PROV-POS1-0)',1,NULL,NULL,0,NULL,NULL,1,'2023-11-28 19:04:03','2026-11-28',NULL,NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,5.77000000,0.00000000,0.00000000,0.00000000,34.59000000,40.36000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,0,'2026-11-28',NULL,NULL,'',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,0,'USD',1.30000000,44.98000000,7.49000000,52.47000000,NULL,NULL,'takepos','1',NULL,NULL),(220,'(PROV220)',1,NULL,NULL,3,NULL,NULL,19,'2023-01-16 02:03:17','2026-01-16',NULL,NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,100.00000000,100.00000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1,0,'2026-01-16',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,100.00000000,0.00000000,100.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(221,'AC2001-0001',1,NULL,NULL,3,NULL,NULL,19,'2023-01-16 02:21:05','2026-01-16','2026-01-16 00:00:00',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,123.00000000,123.00000000,0,12,NULL,12,NULL,NULL,NULL,NULL,NULL,1,0,'2026-01-16',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,123.00000000,0.00000000,123.00000000,NULL,'facture/AC2001-0001/AC2001-0001.pdf',NULL,NULL,NULL,NULL),(222,'AC2301-0005',1,NULL,NULL,3,NULL,NULL,19,'2023-01-16 02:21:28','2026-01-16','2026-08-15 13:29:54',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,100.00000000,100.00000000,1,12,NULL,12,NULL,NULL,NULL,NULL,NULL,1,0,'2026-01-16',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,100.00000000,0.00000000,100.00000000,NULL,'facture/AC2301-0005/AC2301-0005.pdf',NULL,NULL,NULL,NULL),(223,'(PROV223)',1,NULL,NULL,0,NULL,NULL,19,'2023-01-16 02:32:04','2026-01-16',NULL,NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,410.00000000,410.00000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,2,0,'2025-02-15',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,410.00000000,0.00000000,410.00000000,NULL,NULL,NULL,NULL,NULL,NULL),(224,'AC2001-0002',1,NULL,NULL,3,NULL,NULL,19,'2023-01-16 02:33:19','2026-01-16','2026-01-16 00:00:00','2020-01-16 02:36:48','2024-01-03 16:32:23',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,20.50000000,20.50000000,2,12,NULL,12,12,NULL,NULL,NULL,NULL,1,0,'2026-01-16',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,20.50000000,0.00000000,20.50000000,NULL,'facture/AC2001-0002/AC2001-0002.pdf',NULL,NULL,NULL,NULL),(225,'(PROV225)',1,NULL,NULL,0,NULL,NULL,19,'2023-01-16 02:37:48','2026-01-16',NULL,NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,389.50000000,389.50000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,2,0,'2025-02-15',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,389.50000000,0.00000000,389.50000000,NULL,'facture/(PROV225)/(PROV225).pdf',NULL,NULL,NULL,NULL),(226,'(PROV226)',1,NULL,NULL,3,NULL,NULL,11,'2023-01-19 14:20:54','2026-01-19',NULL,NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,12.50000000,0.00000000,0.00000000,0.00000000,120.00000000,132.50000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1,0,'2026-01-19',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,120.00000000,12.50000000,132.50000000,NULL,'facture/(PROV226)/(PROV226).pdf',NULL,NULL,NULL,NULL),(227,'AC2001-0003',1,NULL,NULL,3,NULL,NULL,1,'2023-01-19 14:22:54','2026-01-19','2026-01-19 00:00:00',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,39.20000000,0.00000000,0.00000000,0.00000000,200.00000000,239.20000000,0,12,NULL,12,NULL,NULL,NULL,NULL,NULL,1,0,'2026-01-19',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,200.00000000,39.20000000,239.20000000,NULL,'facture/AC2001-0003/AC2001-0003.pdf',NULL,NULL,NULL,NULL),(228,'AC2001-0004',1,NULL,NULL,3,NULL,NULL,1,'2023-01-19 14:24:49','2026-01-19','2026-01-19 00:00:00',NULL,'2024-01-03 16:32:23',0,NULL,NULL,0,NULL,NULL,NULL,1.94000000,0.00000000,0.00000000,0.00000000,48.60000000,50.54000000,1,12,NULL,12,NULL,NULL,NULL,NULL,NULL,1,0,'2026-01-19',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,48.60000000,1.94000000,50.54000000,NULL,'facture/AC2001-0004/AC2001-0004.pdf',NULL,NULL,NULL,NULL),(229,'FA1707-0026',1,NULL,NULL,0,NULL,NULL,12,'2023-01-21 10:23:17','2026-07-18','2026-01-21 00:00:00','2020-01-21 10:23:17','2024-01-03 16:32:23',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,50.00000000,50.00000000,2,12,NULL,12,12,NULL,NULL,NULL,NULL,1,0,'2026-07-18',NULL,NULL,'',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,0,'EUR',1.00000000,50.00000000,0.00000000,50.00000000,NULL,'facture/FA1707-0026/FA1707-0026.pdf',NULL,NULL,NULL,NULL),(230,'FA1807-0027',1,NULL,NULL,0,NULL,NULL,12,'2023-01-21 10:23:28','2026-07-18','2026-01-21 00:00:00','2020-01-21 10:23:28','2024-01-03 16:32:23',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,50.00000000,50.00000000,2,12,NULL,12,12,NULL,NULL,NULL,NULL,1,0,'2026-07-18',NULL,NULL,'',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,0,'EUR',1.00000000,50.00000000,0.00000000,50.00000000,NULL,'facture/FA1807-0027/FA1807-0027.pdf',NULL,NULL,NULL,NULL),(231,'FA1907-0028',1,NULL,NULL,0,NULL,NULL,12,'2023-01-21 10:23:49','2026-07-18','2026-01-21 00:00:00','2020-01-21 10:23:49','2024-01-03 16:32:23',1,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,50.00000000,50.00000000,2,12,NULL,12,12,NULL,NULL,NULL,NULL,1,0,'2026-07-18',NULL,NULL,'',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,0,'EUR',1.00000000,50.00000000,0.00000000,50.00000000,NULL,'facture/FA1907-0028/FA1907-0028.pdf',NULL,NULL,NULL,NULL),(232,'FA2301-0029',1,NULL,NULL,0,NULL,NULL,36,'2023-01-18 07:53:53','2023-01-18','2023-01-18 07:54:02',NULL,'2023-01-18 10:54:02',0,NULL,NULL,0,NULL,NULL,NULL,200.00000000,0.00000000,0.00000000,0.00000000,1000.00000000,1200.00000000,1,12,NULL,12,NULL,NULL,NULL,NULL,NULL,1,0,'2023-01-18',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,'2023-01-18',0,0,'',NULL,NULL,1,'EUR',1.00000000,1000.00000000,200.00000000,1200.00000000,NULL,'facture/FA2301-0029/FA2301-0029.pdf',NULL,NULL,NULL,NULL),(233,'AV2301-0004',1,NULL,NULL,2,NULL,NULL,36,'2023-01-18 07:54:15','2023-01-18','2023-01-18 07:54:30',NULL,'2023-01-18 10:54:30',0,NULL,NULL,0,NULL,NULL,NULL,-200.00000000,0.00000000,0.00000000,0.00000000,-1000.00000000,-1200.00000000,1,12,NULL,12,NULL,232,NULL,NULL,NULL,0,0,'2023-01-18',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,-1000.00000000,-200.00000000,-1200.00000000,NULL,'facture/AV2301-0004/AV2301-0004.pdf',NULL,NULL,NULL,NULL),(234,'(PROV-POS1-0-1)',1,NULL,NULL,0,NULL,NULL,7,'2023-01-31 16:48:47','2023-01-31',NULL,NULL,'2023-01-31 19:53:22',0,NULL,NULL,0,NULL,NULL,NULL,8.83000000,0.00000000,0.00000000,0.00000000,44.07000000,52.90000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,0,'2023-01-31',NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,0,'USD',1.30000000,57.32000000,11.45000000,68.77000000,NULL,NULL,'takepos','1',NULL,NULL),(235,'FA2302-0030',1,NULL,NULL,0,'fdfd',NULL,34,'2023-02-15 13:05:13','2023-02-15','2023-02-15 13:05:21',NULL,'2023-02-27 14:40:22',0,NULL,NULL,0,NULL,NULL,NULL,2.00000000,0.00000000,0.00000000,0.00000000,10.00000000,12.00000000,1,12,NULL,12,NULL,NULL,NULL,3,NULL,1,3,'2023-02-15',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,'2023-02-15',0,0,'',NULL,NULL,1,'EUR',1.00000000,10.00000000,2.00000000,12.00000000,NULL,'facture/FA2302-0030/FA2302-0030.pdf',NULL,NULL,NULL,NULL),(236,'FA2302-0031',1,NULL,NULL,0,NULL,NULL,34,'2023-02-15 13:17:22','2023-02-15','2023-02-15 13:17:31',NULL,'2023-02-15 16:17:31',0,NULL,NULL,0,NULL,NULL,NULL,2.00000000,0.00000000,0.00000000,0.00000000,10.00000000,12.00000000,1,12,NULL,12,NULL,NULL,4,3,NULL,1,0,'2023-02-15',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,'2023-02-15',0,0,'',NULL,NULL,1,'EUR',1.00000000,10.00000000,2.00000000,12.00000000,NULL,'facture/FA2302-0031/FA2302-0031.pdf',NULL,NULL,NULL,NULL),(237,'FA2303-0032',1,NULL,NULL,5,NULL,NULL,1,'2023-03-02 13:11:22','2023-03-02','2023-03-02 13:16:15',NULL,'2023-03-02 16:16:15',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,50.00000000,50.00000000,1,12,NULL,12,NULL,NULL,NULL,3,NULL,1,0,'2023-03-02',NULL,NULL,'crabe',NULL,NULL,1,1,0,0,'2023-03-02',0,0,'',NULL,NULL,1,'EUR',1.00000000,50.00000000,0.00000000,50.00000000,NULL,'facture/FA2303-0032/FA2303-0032.pdf',NULL,NULL,NULL,NULL),(238,'FA2303-0033',1,NULL,NULL,5,NULL,NULL,1,'2023-03-02 13:20:59','2023-03-02','2023-03-02 13:21:13',NULL,'2023-03-08 09:40:57',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,30.00000000,30.00000000,1,12,NULL,12,NULL,237,NULL,NULL,NULL,1,3,'2023-03-02',NULL,NULL,'crabe',NULL,NULL,1,2,0,0,'2023-03-02',0,0,'',NULL,NULL,0,'EUR',1.00000000,30.00000000,0.00000000,30.00000000,NULL,'facture/FA2303-0033/FA2303-0033.pdf',NULL,NULL,NULL,NULL),(239,'(PROV239)',1,NULL,NULL,2,NULL,NULL,2,'2023-03-15 08:24:26','2023-03-15',NULL,NULL,'2023-03-15 12:42:01',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.09000000,0.09000000,0.00000000,-1.00000000,-1.18000000,0,12,NULL,NULL,NULL,2,NULL,3,NULL,0,0,'2023-03-15',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,NULL,0,0,'',NULL,NULL,1,'EUR',1.00000000,-1.00000000,0.00000000,-1.18000000,NULL,'facture/(PROV239)/(PROV239).pdf',NULL,NULL,NULL,NULL),(240,'(PROV240)',1,NULL,NULL,0,NULL,NULL,2,'2023-03-15 09:42:22','2023-03-15',NULL,NULL,'2023-03-15 12:45:29',0,NULL,NULL,0,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0,12,NULL,NULL,NULL,NULL,NULL,3,NULL,1,0,'2023-03-15',NULL,NULL,'crabe',NULL,NULL,NULL,NULL,0,0,'2023-03-15',0,0,'',NULL,NULL,1,'EUR',1.00000000,0.00000000,0.00000000,0.00000000,NULL,'facture/(PROV240)/(PROV240).pdf',NULL,NULL,NULL,NULL); /*!40000 ALTER TABLE `llx_facture` ENABLE KEYS */; UNLOCK TABLES; @@ -6734,6 +6332,8 @@ CREATE TABLE `llx_facture_fourn` ( `date_valid` date DEFAULT NULL, `date_closing` datetime DEFAULT NULL, `fk_fac_rec_source` int(11) DEFAULT NULL, + `revenuestamp` double(24,8) DEFAULT 0.00000000, + `subtype` smallint(6) DEFAULT NULL, PRIMARY KEY (`rowid`), UNIQUE KEY `uk_facture_fourn_ref` (`ref`,`entity`), UNIQUE KEY `uk_facture_fourn_ref_supplier` (`ref_supplier`,`fk_soc`,`entity`), @@ -6755,7 +6355,7 @@ CREATE TABLE `llx_facture_fourn` ( LOCK TABLES `llx_facture_fourn` WRITE; /*!40000 ALTER TABLE `llx_facture_fourn` DISABLE KEYS */; -INSERT INTO `llx_facture_fourn` VALUES (16,'SI1601-0001','FR70813',1,NULL,0,1,'2014-12-19 15:24:11','2003-04-11','2017-02-06 04:08:22','OVH FR70813',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,829.00000000,162.48000000,991.48000000,1,1,NULL,12,NULL,NULL,NULL,NULL,1,NULL,'2003-04-11','','',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL),(17,'SI1601-0002','FR81385',1,NULL,0,1,'2015-02-13 17:19:35','2003-06-04','2019-10-04 08:31:30','OVH FR81385',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,NULL,NULL,26.00000000,5.10000000,31.10000000,1,1,NULL,12,NULL,NULL,NULL,NULL,4,NULL,'2003-08-03','','','canelle',NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,'2019-10-04',NULL,NULL),(18,'SI1601-0003','FR81385',1,NULL,0,2,'2015-02-13 17:20:25','2003-06-04','2017-02-06 04:08:35','OVH FR81385',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,26.00000000,5.10000000,31.10000000,0,1,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,'2003-06-04','','',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL),(19,'SI1601-0004','FR813852',1,NULL,0,2,'2015-03-16 17:59:02','2015-03-16','2017-02-06 04:08:38','OVH FR81385',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,26.00000000,5.10000000,31.10000000,0,1,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,NULL,'','',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL),(20,'SI1702-0001','INV-AE56ER08',1,NULL,0,13,'2017-02-01 19:00:31','2017-02-01','2017-02-01 15:05:28','',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,200.00000000,39.20000000,239.20000000,1,12,NULL,12,NULL,NULL,5,NULL,1,0,'2017-02-01','The customer has called us the 24th april. He agree us to not pay the remain of invoice due to default.
      \r\nLet\'s see with our book keeper, if we must cancel invoice or ask the supplier a credit note...',NULL,'canelle',NULL,NULL,0,'',NULL,0,'EUR',1.00000000,200.00000000,39.20000000,239.20000000,NULL,NULL,NULL,NULL,NULL),(21,'SI1911-0005','NL-123',1,NULL,0,10,'2019-11-28 15:54:30','2019-11-28','2019-11-28 11:54:46','',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,450.00000000,0.00000000,450.00000000,1,12,NULL,12,NULL,NULL,NULL,NULL,1,NULL,'2019-11-28','','',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,450.00000000,0.00000000,450.00000000,NULL,NULL,'2019-11-28',NULL,NULL),(22,'SI2001-0006','INV20200101',1,NULL,0,17,'2020-01-01 17:48:01','2020-01-01','2023-01-10 16:24:45','',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,361.00000000,70.93000000,431.93000000,0,12,NULL,12,NULL,NULL,NULL,1,1,2,'2020-01-01','','',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,361.00000000,70.93000000,431.93000000,'fournisseur/facture/2/2/SI2001-0006/SI2001-0006.pdf',NULL,'2022-12-29',NULL,NULL),(27,'SA2001-0001','CN01',1,NULL,2,17,'2020-01-01 20:21:51','2020-01-01','2022-02-07 13:38:10','',1,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,-350.00000000,-43.75000000,-393.75000000,2,12,12,12,NULL,22,NULL,NULL,1,NULL,NULL,'','ddd',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,-350.00000000,-43.75000000,-393.75000000,NULL,NULL,'2020-01-01',NULL,NULL),(28,'SI2001-0007','INV02',1,NULL,0,17,'2020-01-01 20:22:48','2020-01-01','2020-01-01 18:06:02','',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,79.17000000,9.89000000,89.06000000,1,12,NULL,12,NULL,NULL,NULL,NULL,1,NULL,'2020-01-01','','',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,79.17000000,9.89000000,89.06000000,NULL,NULL,'2020-01-01',NULL,NULL),(30,'SA2001-0002','555',1,NULL,2,1,'2020-01-01 20:51:32','2020-01-01','2020-01-01 17:15:57','',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,-26.00000000,-5.10000000,-31.10000000,1,12,NULL,12,NULL,17,NULL,NULL,1,NULL,NULL,'','',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,'2020-01-01',NULL,NULL),(31,'(PROV31)','aaaa',1,'',3,13,'2023-02-11 08:27:18','2023-02-11','2023-02-11 11:27:18','',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,2,NULL,'2023-03-13','','',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,0.00000000,0.00000000,0.00000000,'fournisseur/facture/1/3/(PROV31)/(PROV31).pdf',NULL,NULL,NULL,NULL),(32,'SI2302-0008','aaaa',1,'',0,17,'2023-02-15 13:18:16','2023-02-15','2023-02-15 16:54:52','',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,50.00000000,10.00000000,60.00000000,1,12,NULL,12,NULL,NULL,4,NULL,1,4,'2023-02-15','','',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,50.00000000,10.00000000,60.00000000,'fournisseur/facture/2/3/SI2302-0008/SI2302-0008.pdf',NULL,'2023-02-15',NULL,NULL),(34,'(PROV34)','Copy of FR81385',1,'',0,1,'2023-02-21 08:01:43','2023-02-21','2023-02-21 11:01:43','OVH FR81385',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,26.00000000,5.10000000,31.10000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,4,NULL,NULL,'','',NULL,NULL,NULL,0,'',NULL,0,'EUR',1.00000000,26.00000000,5.10000000,31.10000000,NULL,NULL,NULL,NULL,NULL),(38,'(PROV38)','Copy of FR81385c',1,'',0,1,'2023-02-21 08:10:59','2023-02-21','2023-02-21 11:10:59','OVH FR81385',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,NULL,NULL,26.00000000,5.10000000,31.10000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,'2023-02-21','','',NULL,NULL,NULL,0,'',NULL,0,'EUR',1.00000000,26.00000000,5.10000000,31.10000000,NULL,NULL,NULL,NULL,NULL),(39,'(PROV39)','Copy of Copy of FR81385c',1,'',0,1,'2023-02-21 08:14:59','2023-02-21','2023-02-21 11:14:59','OVH FR81385',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,26.00000000,5.10000000,31.10000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,'2023-02-21','','',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,26.00000000,5.10000000,31.10000000,NULL,NULL,NULL,NULL,NULL); +INSERT INTO `llx_facture_fourn` VALUES (16,'SI1601-0001','FR70813',1,NULL,0,1,'2014-12-19 15:24:11','2003-04-11','2017-02-06 04:08:22','OVH FR70813',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,829.00000000,162.48000000,991.48000000,1,1,NULL,12,NULL,NULL,NULL,NULL,1,NULL,'2003-04-11','','',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,0.00000000,NULL),(17,'SI1601-0002','FR81385',1,NULL,0,1,'2015-02-13 17:19:35','2003-06-04','2019-10-04 08:31:30','OVH FR81385',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,NULL,NULL,26.00000000,5.10000000,31.10000000,1,1,NULL,12,NULL,NULL,NULL,NULL,4,NULL,'2003-08-03','','','canelle',NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,'2019-10-04',NULL,NULL,0.00000000,NULL),(18,'SI1601-0003','FR81385',1,NULL,0,2,'2015-02-13 17:20:25','2003-06-04','2017-02-06 04:08:35','OVH FR81385',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,26.00000000,5.10000000,31.10000000,0,1,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,'2003-06-04','','',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,0.00000000,NULL),(19,'SI1601-0004','FR813852',1,NULL,0,2,'2015-03-16 17:59:02','2015-03-16','2017-02-06 04:08:38','OVH FR81385',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,26.00000000,5.10000000,31.10000000,0,1,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,NULL,'','',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,0.00000000,NULL),(20,'SI1702-0001','INV-AE56ER08',1,NULL,0,13,'2017-02-01 19:00:31','2017-02-01','2017-02-01 15:05:28','',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,200.00000000,39.20000000,239.20000000,1,12,NULL,12,NULL,NULL,5,NULL,1,0,'2017-02-01','The customer has called us the 24th april. He agree us to not pay the remain of invoice due to default.
      \r\nLet\'s see with our book keeper, if we must cancel invoice or ask the supplier a credit note...',NULL,'canelle',NULL,NULL,0,'',NULL,0,'EUR',1.00000000,200.00000000,39.20000000,239.20000000,NULL,NULL,NULL,NULL,NULL,0.00000000,NULL),(21,'SI1911-0005','NL-123',1,NULL,0,10,'2019-11-28 15:54:30','2019-11-28','2019-11-28 11:54:46','',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,450.00000000,0.00000000,450.00000000,1,12,NULL,12,NULL,NULL,NULL,NULL,1,NULL,'2019-11-28','','',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,450.00000000,0.00000000,450.00000000,NULL,NULL,'2019-11-28',NULL,NULL,0.00000000,NULL),(22,'SI2001-0006','INV20200101',1,NULL,0,17,'2020-01-01 17:48:01','2020-01-01','2023-01-10 16:24:45','',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,361.00000000,70.93000000,431.93000000,0,12,NULL,12,NULL,NULL,NULL,1,1,2,'2020-01-01','','',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,361.00000000,70.93000000,431.93000000,'fournisseur/facture/2/2/SI2001-0006/SI2001-0006.pdf',NULL,'2022-12-29',NULL,NULL,0.00000000,NULL),(27,'SA2001-0001','CN01',1,NULL,2,17,'2020-01-01 20:21:51','2020-01-01','2022-02-07 13:38:10','',1,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,-350.00000000,-43.75000000,-393.75000000,2,12,12,12,NULL,22,NULL,NULL,1,NULL,NULL,'','ddd',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,-350.00000000,-43.75000000,-393.75000000,NULL,NULL,'2020-01-01',NULL,NULL,0.00000000,NULL),(28,'SI2001-0007','INV02',1,NULL,0,17,'2020-01-01 20:22:48','2020-01-01','2020-01-01 18:06:02','',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,79.17000000,9.89000000,89.06000000,1,12,NULL,12,NULL,NULL,NULL,NULL,1,NULL,'2020-01-01','','',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,79.17000000,9.89000000,89.06000000,NULL,NULL,'2020-01-01',NULL,NULL,0.00000000,NULL),(30,'SA2001-0002','555',1,NULL,2,1,'2020-01-01 20:51:32','2020-01-01','2020-01-01 17:15:57','',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,-26.00000000,-5.10000000,-31.10000000,1,12,NULL,12,NULL,17,NULL,NULL,1,NULL,NULL,'','',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,'2020-01-01',NULL,NULL,0.00000000,NULL),(31,'(PROV31)','aaaa',1,'',3,13,'2023-02-11 08:27:18','2023-02-11','2023-02-11 11:27:18','',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,2,NULL,'2023-03-13','','',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,0.00000000,0.00000000,0.00000000,'fournisseur/facture/1/3/(PROV31)/(PROV31).pdf',NULL,NULL,NULL,NULL,0.00000000,NULL),(32,'SI2302-0008','aaaa',1,'',0,17,'2023-02-15 13:18:16','2023-02-15','2023-02-15 16:54:52','',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,50.00000000,10.00000000,60.00000000,1,12,NULL,12,NULL,NULL,4,NULL,1,4,'2023-02-15','','',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,50.00000000,10.00000000,60.00000000,'fournisseur/facture/2/3/SI2302-0008/SI2302-0008.pdf',NULL,'2023-02-15',NULL,NULL,0.00000000,NULL),(34,'(PROV34)','Copy of FR81385',1,'',0,1,'2023-02-21 08:01:43','2023-02-21','2023-02-21 11:01:43','OVH FR81385',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,26.00000000,5.10000000,31.10000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,4,NULL,NULL,'','',NULL,NULL,NULL,0,'',NULL,0,'EUR',1.00000000,26.00000000,5.10000000,31.10000000,NULL,NULL,NULL,NULL,NULL,0.00000000,NULL),(38,'(PROV38)','Copy of FR81385c',1,'',0,1,'2023-02-21 08:10:59','2023-02-21','2023-02-21 11:10:59','OVH FR81385',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,NULL,NULL,26.00000000,5.10000000,31.10000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,'2023-02-21','','',NULL,NULL,NULL,0,'',NULL,0,'EUR',1.00000000,26.00000000,5.10000000,31.10000000,NULL,NULL,NULL,NULL,NULL,0.00000000,NULL),(39,'(PROV39)','Copy of Copy of FR81385c',1,'',0,1,'2023-02-21 08:14:59','2023-02-21','2023-02-21 11:14:59','OVH FR81385',0,0.00000000,0.00000000,NULL,NULL,NULL,0,0.00000000,0.00000000,0.00000000,26.00000000,5.10000000,31.10000000,0,12,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,'2023-02-21','','',NULL,NULL,NULL,0,'',NULL,1,'EUR',1.00000000,26.00000000,5.10000000,31.10000000,NULL,NULL,NULL,NULL,NULL,0.00000000,NULL); /*!40000 ALTER TABLE `llx_facture_fourn` ENABLE KEYS */; UNLOCK TABLES; @@ -6980,6 +6580,7 @@ CREATE TABLE `llx_facture_fourn_rec` ( `titre` varchar(200) NOT NULL, `ref_supplier` varchar(180) NOT NULL, `entity` int(11) NOT NULL DEFAULT 1, + `subtype` smallint(6) DEFAULT NULL, `fk_soc` int(11) NOT NULL, `datec` datetime DEFAULT NULL, `tms` timestamp NOT NULL DEFAULT current_timestamp() ON UPDATE current_timestamp(), @@ -7037,7 +6638,7 @@ CREATE TABLE `llx_facture_fourn_rec` ( LOCK TABLES `llx_facture_fourn_rec` WRITE; /*!40000 ALTER TABLE `llx_facture_fourn_rec` DISABLE KEYS */; -INSERT INTO `llx_facture_fourn_rec` VALUES (1,'Monthly subscription server OVH','FR81386',1,1,'2023-08-15 12:19:18','2023-08-15 12:19:18',0,'OVH FR81386',0.00000000,0,'',0.00000000,0.00000000,26.00000000,5.10000000,31.10000000,12,NULL,NULL,NULL,4,NULL,NULL,NULL,NULL,'canelle',0,'EUR',1.00000000,26.00000000,5.10000000,31.10000000,0,1,'m','2023-08-15 14:19:00',NULL,0,0,0,1); +INSERT INTO `llx_facture_fourn_rec` VALUES (1,'Monthly subscription server OVH','FR81386',1,NULL,1,'2023-08-15 12:19:18','2023-08-15 12:19:18',0,'OVH FR81386',0.00000000,0,'',0.00000000,0.00000000,26.00000000,5.10000000,31.10000000,12,NULL,NULL,NULL,4,NULL,NULL,NULL,NULL,'canelle',0,'EUR',1.00000000,26.00000000,5.10000000,31.10000000,0,1,'m','2023-08-15 14:19:00',NULL,0,0,0,1); /*!40000 ALTER TABLE `llx_facture_fourn_rec` ENABLE KEYS */; UNLOCK TABLES; @@ -7078,6 +6679,7 @@ CREATE TABLE `llx_facture_rec` ( `rowid` int(11) NOT NULL AUTO_INCREMENT, `titre` varchar(200) NOT NULL, `entity` int(11) NOT NULL DEFAULT 1, + `subtype` smallint(6) DEFAULT NULL, `fk_soc` int(11) NOT NULL, `datec` datetime DEFAULT NULL, `amount` double(24,8) NOT NULL DEFAULT 0.00000000, @@ -7124,6 +6726,7 @@ CREATE TABLE `llx_facture_rec` ( KEY `idx_facture_rec_fk_soc` (`fk_soc`), KEY `idx_facture_rec_fk_user_author` (`fk_user_author`), KEY `idx_facture_rec_fk_projet` (`fk_projet`), + KEY `idx_facture_rec_datec` (`datec`), CONSTRAINT `fk_facture_rec_fk_projet` FOREIGN KEY (`fk_projet`) REFERENCES `llx_projet` (`rowid`), CONSTRAINT `fk_facture_rec_fk_soc` FOREIGN KEY (`fk_soc`) REFERENCES `llx_societe` (`rowid`), CONSTRAINT `fk_facture_rec_fk_user_author` FOREIGN KEY (`fk_user_author`) REFERENCES `llx_user` (`rowid`) @@ -7136,7 +6739,7 @@ CREATE TABLE `llx_facture_rec` ( LOCK TABLES `llx_facture_rec` WRITE; /*!40000 ALTER TABLE `llx_facture_rec` DISABLE KEYS */; -INSERT INTO `llx_facture_rec` VALUES (1,'Template invoice for Alice services',1,10,'2017-02-07 03:47:00',0.00000000,0,0,0,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,12,NULL,1,6,NULL,NULL,NULL,NULL,NULL,'m',NULL,NULL,0,0,1,0,0.00000000,0,1,3,NULL,NULL,1.00000000,10.00000000,0.00000000,10.00000000,12,'2019-12-22 15:29:08','',1),(2,'Template invoice for Alice cooking - Project 1',1,10,'2017-02-07 03:47:58',0.00000000,0,0,0,0.00000000,0.00000000,0.00000000,75.00000000,75.00000000,12,6,1,2,NULL,NULL,NULL,NULL,NULL,'m',NULL,NULL,0,0,0,0,0.00000000,0,1,4,NULL,NULL,1.00000000,75.00000000,0.00000000,75.00000000,12,'2019-12-22 15:30:40','',0); +INSERT INTO `llx_facture_rec` VALUES (1,'Template invoice for Alice services',1,NULL,10,'2017-02-07 03:47:00',0.00000000,0,0,0,0.00000000,0.00000000,0.00000000,10.00000000,10.00000000,12,NULL,1,6,NULL,NULL,NULL,NULL,NULL,'m',NULL,NULL,0,0,1,0,0.00000000,0,1,3,NULL,NULL,1.00000000,10.00000000,0.00000000,10.00000000,12,'2019-12-22 15:29:08','',1),(2,'Template invoice for Alice cooking - Project 1',1,NULL,10,'2017-02-07 03:47:58',0.00000000,0,0,0,0.00000000,0.00000000,0.00000000,75.00000000,75.00000000,12,6,1,2,NULL,NULL,NULL,NULL,NULL,'m',NULL,NULL,0,0,0,0,0.00000000,0,1,4,NULL,NULL,1.00000000,75.00000000,0.00000000,75.00000000,12,'2019-12-22 15:30:40','',0); /*!40000 ALTER TABLE `llx_facture_rec` ENABLE KEYS */; UNLOCK TABLES; @@ -7222,6 +6825,8 @@ CREATE TABLE `llx_facturedet` ( `multicurrency_total_tva` double(24,8) DEFAULT 0.00000000, `multicurrency_total_ttc` double(24,8) DEFAULT 0.00000000, `ref_ext` varchar(255) DEFAULT NULL, + `batch` varchar(128) DEFAULT NULL, + `fk_warehouse` int(11) DEFAULT NULL, PRIMARY KEY (`rowid`), UNIQUE KEY `uk_fk_remise_except` (`fk_remise_except`,`fk_facture`), KEY `idx_facturedet_fk_facture` (`fk_facture`), @@ -7239,7 +6844,7 @@ CREATE TABLE `llx_facturedet` ( LOCK TABLES `llx_facturedet` WRITE; /*!40000 ALTER TABLE `llx_facturedet` DISABLE KEYS */; -INSERT INTO `llx_facturedet` VALUES (3,2,NULL,3,NULL,'Service S1',0.000,'',0.000,'',0.000,'',1,10,4,NULL,40.00000000,36.00000000,36.00000000,0.00000000,0.00000000,0.00000000,36.00000000,1,'2012-07-10 00:00:00',NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(4,2,NULL,NULL,NULL,'Abonnement annuel assurance',1.000,'',0.000,'',0.000,'',1,0,0,NULL,10.00000000,10.00000000,10.00000000,0.10000000,0.00000000,0.00000000,10.10000000,0,'2012-07-10 00:00:00','2013-07-10 00:00:00',0,NULL,0.00000000,0,0,3,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(11,3,NULL,4,NULL,'afsdfsdfsdfsdf',0.000,'',0.000,'',0.000,'',1,0,0,NULL,5.00000000,5.00000000,5.00000000,0.00000000,0.00000000,0.00000000,5.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,0,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(12,3,NULL,NULL,NULL,'dfdfd',0.000,'',0.000,'',0.000,'',1,0,0,NULL,10.00000000,10.00000000,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(13,5,NULL,4,NULL,'Decapsuleur',12.500,'',0.000,'',0.000,'',1,0,0,NULL,5.00000000,5.00000000,5.00000000,0.63000000,0.00000000,0.00000000,5.63000000,0,NULL,NULL,0,NULL,0.00000000,0,0,0,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(14,6,NULL,4,NULL,'Decapsuleur',19.600,'',0.000,'',0.000,'',1,0,0,NULL,5.00000000,5.00000000,5.00000000,0.98000000,0.00000000,0.00000000,5.98000000,0,NULL,NULL,0,NULL,0.00000000,0,0,0,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(21,8,NULL,NULL,NULL,'dddd',0.000,'',0.000,'',0.000,'',1,0,0,NULL,10.00000000,10.00000000,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(22,9,NULL,NULL,NULL,'ggg',19.600,'',0.000,'',0.000,'',1,0,0,NULL,10.00000000,10.00000000,10.00000000,1.96000000,0.00000000,0.00000000,11.96000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(23,10,NULL,4,NULL,'',12.500,'',0.000,'',0.000,'',1,0,0,NULL,-5.00000000,NULL,-5.00000000,-0.63000000,0.00000000,0.00000000,-5.63000000,0,NULL,NULL,0,NULL,12.00000000,394,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(24,10,NULL,1,NULL,'A beatifull pink dress\r\nlkm',0.000,'',0.000,'',0.000,'',1,0,0,NULL,-6.00000000,NULL,-6.00000000,0.00000000,0.00000000,0.00000000,-6.00000000,0,NULL,NULL,0,0,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(26,12,NULL,1,NULL,'A beatifull pink dress\r\nhfghf',0.000,'',0.000,'',0.000,'',1,0,0,NULL,-5.00000000,NULL,-5.00000000,0.00000000,0.00000000,0.00000000,-5.00000000,0,NULL,NULL,0,0,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(27,13,NULL,NULL,NULL,'gdfgdf',19.600,'',0.000,'',0.000,'',1.4,0,0,NULL,10.00000000,NULL,14.00000000,2.74000000,0.00000000,0.00000000,16.74000000,0,NULL,NULL,0,NULL,0.00000000,108,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(137,33,NULL,NULL,NULL,'Desc',10.000,'',0.000,'',0.000,'',1,0,0,NULL,1.24000000,NULL,1.24000000,0.12000000,0.00000000,0.00000000,1.36000000,0,NULL,NULL,0,NULL,0.00000000,110,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(138,33,NULL,NULL,NULL,'Desc',10.000,'',0.000,'',0.000,'',1,0,0,NULL,1.24000000,NULL,1.24000000,0.12000000,0.00000000,0.00000000,1.36000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(256,55,NULL,NULL,NULL,'Desc',10.000,'',0.000,'',0.000,'',1,0,0,NULL,1.24000000,NULL,1.24000000,0.12000000,0.00000000,0.00000000,1.36000000,0,NULL,NULL,0,NULL,0.00000000,110,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(257,55,NULL,NULL,NULL,'Desc',10.000,'',0.000,'',0.000,'',1,0,0,NULL,1.24000000,NULL,1.24000000,0.12000000,0.00000000,0.00000000,1.36000000,0,NULL,NULL,0,NULL,0.00000000,110,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(753,13,NULL,2,NULL,'(Pays d\'origine: Albanie)',0.000,'',0.000,'',0.000,'',1,0,0,NULL,0.00000000,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0,NULL,NULL,0,0,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(754,148,NULL,11,NULL,'hfghf',0.000,'',0.000,'',0.000,'',1,0,0,NULL,0.00000000,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(755,148,NULL,4,NULL,'Decapsuleur',12.500,'',0.000,'',0.000,'',1,0,0,NULL,5.00000000,NULL,5.00000000,0.63000000,0.00000000,0.00000000,5.63000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(757,150,NULL,2,NULL,'Product P1',12.500,'',0.000,'0',0.000,'0',1,0,0,NULL,5.00000000,NULL,5.00000000,0.63000000,0.00000000,0.00000000,5.63000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,NULL,NULL,NULL,5.00000000,5.00000000,0.63000000,5.63000000,NULL),(758,151,NULL,2,NULL,'Product P1',12.500,'',0.000,'',0.000,'',1,0,0,NULL,0.00000000,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(768,32,NULL,NULL,NULL,'mlml',18.000,'',0.000,'',0.000,'',1,0,0,NULL,100.00000000,NULL,100.00000000,18.00000000,0.00000000,0.00000000,118.00000000,0,NULL,NULL,0,NULL,46.00000000,110,0,3,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(769,32,NULL,NULL,NULL,'mlkml',18.000,'',0.000,'',0.000,'',1,0,0,NULL,400.00000000,NULL,400.00000000,72.00000000,0.00000000,0.00000000,472.00000000,0,NULL,NULL,0,NULL,300.00000000,110,0,4,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(772,160,NULL,NULL,NULL,'Adhésion/cotisation 2015',12.500,'',0.000,'',0.000,'',1,0,0,NULL,8.88889000,NULL,8.89000000,1.11000000,0.00000000,0.00000000,10.00000000,1,'2017-07-18 00:00:00','2018-07-17 00:00:00',0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(776,32,NULL,NULL,NULL,'fsdfsdfds',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,10.00000000,NULL,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,110,0,5,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(777,32,NULL,NULL,NULL,'fsdfsdfds',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,10.00000000,NULL,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,110,0,6,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(779,32,NULL,NULL,NULL,'fsdfds',0.000,'',0.000,'0',0.000,'0',0,0,0,NULL,0.00000000,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,9,NULL,NULL,0,0,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(780,32,NULL,NULL,NULL,'ffsdf',0.000,'',0.000,'0',0.000,'0',0,0,0,NULL,0.00000000,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,9,NULL,NULL,0,NULL,0.00000000,0,1790,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(1022,210,NULL,NULL,NULL,'Adhésion/cotisation 2011',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,10.00000000,NULL,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,1,'2013-07-10 00:00:00','2014-07-09 00:00:00',0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(1023,211,NULL,NULL,NULL,'Samsung Android x4',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,250.00000000,NULL,250.00000000,0.00000000,0.00000000,0.00000000,250.00000000,0,NULL,NULL,0,NULL,200.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(1024,211,NULL,1,NULL,'A beatifull pink dress\r\nSize XXL',19.600,'',0.000,'0',0.000,'0',1,10,0,NULL,100.00000000,NULL,90.00000000,17.64000000,0.00000000,0.00000000,107.64000000,0,NULL,NULL,0,NULL,90.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(1026,213,NULL,1,NULL,'A beatifull pink dress',0.000,'',0.000,'0',0.000,'0',10,0,0,NULL,-100.00000000,NULL,-1000.00000000,0.00000000,0.00000000,0.00000000,-1000.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL),(1028,149,NULL,NULL,NULL,'opoo',0.000,'CGST+SGST',9.000,'1',9.000,'1',1,0,0,NULL,10.00000000,NULL,10.00000000,0.00000000,0.90000000,0.90000000,11.80000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,12,12,0,'',10.00000000,10.00000000,0.00000000,11.80000000,NULL),(1029,149,NULL,NULL,NULL,'gdgd',18.000,'IGST',0.000,'0',0.000,'0',1,0,0,NULL,10.00000000,NULL,10.00000000,1.80000000,0.00000000,0.00000000,11.80000000,0,NULL,NULL,0,NULL,0.00000000,0,0,3,NULL,NULL,100,NULL,NULL,12,12,0,'',10.00000000,10.00000000,1.80000000,11.80000000,NULL),(1030,217,NULL,NULL,NULL,'gfdgdf',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,12.00000000,NULL,12.00000000,0.00000000,0.00000000,0.00000000,12.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,0,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',12.00000000,12.00000000,0.00000000,12.00000000,NULL),(1035,218,NULL,12,NULL,'Cloud hosting of Dolibarr ERP and CRM software',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,9.00000000,NULL,9.00000000,0.00000000,0.00000000,0.00000000,9.00000000,1,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',9.00000000,9.00000000,0.00000000,9.00000000,NULL),(1036,218,NULL,5,NULL,'DoliDroid is the Android front-end client for Dolibarr ERP & CRM web software.
      \r\nThis application is not a standalone program. It is a front end to use a online hosted Dolibarr ERP & CRM software (an Open-source web software to manage your business).
      \r\n

      The advantage of DoliDroid are :
      \r\n- DoliDroid is not a duplicate code of Dolibarr, but a front-end of a Dolibarr web installation, so all your online existing features are supported by this application. This is also true for external modules features.
      \r\n- Upgrading Dolibarr will not break DoliDroid.
      \r\n- DoliDroid use embedded image resources to reduce bandwidth usage.
      \r\n- DoliDroid use internal cache for pages that should not change (like menu page)
      \r\n- Connections parameters are saved. No need to enter them each time you use DoliDroid.
      \r\n- Integration with your phone or other applications (Clicking on PDF open PDF reader, clicking onto email or phone launch your email application or launch Android dialer, ...)

      \r\n\r\n

      WARNING ! 

      \r\n\r\n

      This application need Android 4.0+ and a hosted Dolibarr ERP & CRM version 3.5 or newer accessible by internet
      \r\n(For example, when hosted on any SaaS solution like DoliCloud - http://www.dolicloud.com).

      ',19.600,'',0.000,'0',0.000,'0',1,45,0,NULL,10.00000000,NULL,5.50000000,1.08000000,0.00000000,0.00000000,6.58000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',10.00000000,5.50000000,1.08000000,6.58000000,NULL),(1037,218,NULL,12,NULL,'Cloud hosting of Dolibarr ERP and CRM software',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,9.00000000,NULL,9.00000000,0.00000000,0.00000000,0.00000000,9.00000000,1,NULL,NULL,0,NULL,0.00000000,0,0,3,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',9.00000000,9.00000000,0.00000000,9.00000000,NULL),(1039,218,NULL,12,NULL,'Cloud hosting of Dolibarr ERP and CRM software',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,9.00000000,NULL,9.00000000,0.00000000,0.00000000,0.00000000,9.00000000,1,NULL,NULL,0,NULL,0.00000000,0,0,4,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',9.00000000,9.00000000,0.00000000,9.00000000,NULL),(1040,218,NULL,NULL,NULL,'aaa',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,10.00000000,NULL,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,5,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',10.00000000,10.00000000,0.00000000,10.00000000,NULL),(1055,220,NULL,NULL,NULL,'(DEPOSIT) (100.00 €) - CO7001-0018',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,100.00000000,NULL,100.00000000,0.00000000,0.00000000,0.00000000,100.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',100.00000000,100.00000000,0.00000000,100.00000000,NULL),(1056,221,NULL,NULL,NULL,'(DEPOSIT) (30%) - CO7001-0018',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,123.00000000,NULL,123.00000000,0.00000000,0.00000000,0.00000000,123.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',123.00000000,123.00000000,0.00000000,123.00000000,NULL),(1057,222,NULL,NULL,NULL,'(DEPOSIT) (100.00 €) - CO7001-0018',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,100.00000000,NULL,100.00000000,0.00000000,0.00000000,0.00000000,100.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',100.00000000,100.00000000,0.00000000,100.00000000,NULL),(1058,223,NULL,4,NULL,'Nice Bio Apple Pie.
      \r\n ',0.000,'',0.000,'0',0.000,'0',2,0,0,NULL,5.00000000,NULL,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',5.00000000,10.00000000,0.00000000,10.00000000,NULL),(1059,223,NULL,10,NULL,'A powerfull computer XP4523 ',0.000,'',0.000,'0',0.000,'0',2,0,0,NULL,100.00000000,NULL,200.00000000,0.00000000,0.00000000,0.00000000,200.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',100.00000000,200.00000000,0.00000000,200.00000000,NULL),(1060,223,NULL,1,NULL,'A beatifull pink dress',0.000,'',0.000,'0',0.000,'0',2,0,0,NULL,100.00000000,NULL,200.00000000,0.00000000,0.00000000,0.00000000,200.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,3,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',100.00000000,200.00000000,0.00000000,200.00000000,NULL),(1061,224,NULL,NULL,NULL,'(DEPOSIT) (5%) - CO7001-0018',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,20.50000000,NULL,20.50000000,0.00000000,0.00000000,0.00000000,20.50000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',20.50000000,20.50000000,0.00000000,20.50000000,NULL),(1062,225,NULL,4,NULL,'Nice Bio Apple Pie.
      \r\n ',0.000,'',0.000,'0',0.000,'0',2,0,0,NULL,5.00000000,NULL,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',5.00000000,10.00000000,0.00000000,10.00000000,NULL),(1063,225,NULL,10,NULL,'A powerfull computer XP4523 ',0.000,'',0.000,'0',0.000,'0',2,0,0,NULL,100.00000000,NULL,200.00000000,0.00000000,0.00000000,0.00000000,200.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',100.00000000,200.00000000,0.00000000,200.00000000,NULL),(1064,225,NULL,1,NULL,'A beatifull pink dress',0.000,'',0.000,'0',0.000,'0',2,0,0,NULL,100.00000000,NULL,200.00000000,0.00000000,0.00000000,0.00000000,200.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,3,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',100.00000000,200.00000000,0.00000000,200.00000000,NULL),(1065,225,NULL,NULL,NULL,'(DEPOSIT)',0.000,'',0.000,'0',0.000,'0',1,0,0,15,-20.50000000,NULL,-20.50000000,0.00000000,0.00000000,0.00000000,-20.50000000,0,NULL,NULL,2,NULL,0.00000000,0,0,-1,NULL,NULL,100,NULL,NULL,12,12,0,'',-20.50000000,-20.50000000,0.00000000,-20.50000000,NULL),(1066,226,NULL,NULL,NULL,'aaa',12.500,'',0.000,'0',0.000,'0',1,0,0,NULL,100.00000000,NULL,100.00000000,12.50000000,0.00000000,0.00000000,112.50000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',100.00000000,100.00000000,12.50000000,112.50000000,NULL),(1067,226,NULL,NULL,NULL,'bbb',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,20.00000000,NULL,20.00000000,0.00000000,0.00000000,0.00000000,20.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',20.00000000,20.00000000,0.00000000,20.00000000,NULL),(1069,228,NULL,NULL,NULL,'(DEPOSIT) (70%) - PR2001-0034',4.000,'',0.000,'0',0.000,'0',1,0,0,NULL,50.00000000,NULL,50.00000000,2.00000000,0.00000000,0.00000000,52.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',50.00000000,50.00000000,2.00000000,52.00000000,NULL),(1070,228,NULL,NULL,NULL,'(DEPOSIT) (70%) - PR2001-0034',4.000,'',0.000,'0',0.000,'0',1,0,0,NULL,-1.40000000,NULL,-1.40000000,-0.06000000,0.00000000,0.00000000,-1.46000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',-1.40000000,-1.40000000,-0.06000000,-1.46000000,NULL),(1071,227,NULL,NULL,NULL,'gdfgd',19.600,'',0.000,'0',0.000,'0',1,0,0,NULL,200.00000000,NULL,200.00000000,39.20000000,0.00000000,0.00000000,239.20000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',200.00000000,200.00000000,39.20000000,239.20000000,NULL),(1072,217,NULL,1,NULL,'A beatifull pink dress',12.500,'',0.000,'0',0.000,'0',1,0,0,NULL,9.00000000,NULL,9.00000000,1.13000000,0.00000000,0.00000000,10.13000000,0,NULL,NULL,0,NULL,79.16667000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',9.00000000,9.00000000,1.13000000,10.13000000,NULL),(1074,219,NULL,30,NULL,'',20.000,'',0.000,'0',0.000,'0',6,6,0,NULL,4.16667000,NULL,23.50000000,4.70000000,0.00000000,0.00000000,28.20000000,0,NULL,NULL,0,NULL,0.00000000,0,0,5,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',5.41667000,30.55000000,6.11000000,36.66000000,''),(1089,219,NULL,24,NULL,'',20.000,'',0.000,'0',0.000,'0',1,6,0,NULL,0.83333000,NULL,0.78000000,0.16000000,0.00000000,0.00000000,0.94000000,0,NULL,NULL,0,NULL,0.00000000,0,0,20,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',1.08333000,1.02000000,0.20000000,1.22000000,''),(1090,229,NULL,NULL,NULL,'Subscription 2017',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,50.00000000,NULL,50.00000000,0.00000000,0.00000000,0.00000000,50.00000000,1,'2017-07-18 00:00:00',NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',50.00000000,50.00000000,0.00000000,50.00000000,NULL),(1091,230,NULL,NULL,NULL,'Subscription 2018',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,50.00000000,NULL,50.00000000,0.00000000,0.00000000,0.00000000,50.00000000,1,'2018-07-18 00:00:00',NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',50.00000000,50.00000000,0.00000000,50.00000000,NULL),(1092,231,NULL,NULL,NULL,'Subscription 2019',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,50.00000000,NULL,50.00000000,0.00000000,0.00000000,0.00000000,50.00000000,1,'2019-07-18 00:00:00',NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',50.00000000,50.00000000,0.00000000,50.00000000,NULL),(1093,55,NULL,NULL,NULL,'a',5.500,'aaa',0.000,'0',0.000,'0',1,0,0,NULL,1.00000000,NULL,1.00000000,0.06000000,0.00000000,0.00000000,1.06000000,0,NULL,NULL,0,NULL,0.00000000,110,0,3,NULL,NULL,100,NULL,NULL,12,12,0,'',1.00000000,1.00000000,0.06000000,1.06000000,''),(1094,55,NULL,NULL,NULL,'z',5.500,'bbb',0.000,'0',0.000,'0',1,0,0,NULL,1.00000000,NULL,1.00000000,0.06000000,0.00000000,0.00000000,1.06000000,1,NULL,NULL,0,NULL,0.00000000,110,0,4,NULL,NULL,100,NULL,NULL,12,12,0,'',1.00000000,1.00000000,0.06000000,1.06000000,''),(1095,232,NULL,NULL,NULL,'fdsfsdf',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,1000.00000000,NULL,1000.00000000,200.00000000,0.00000000,0.00000000,1200.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',1000.00000000,1000.00000000,200.00000000,1200.00000000,''),(1096,233,NULL,NULL,NULL,'gfdgdfgdf',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,-1000.00000000,NULL,-1000.00000000,-200.00000000,0.00000000,0.00000000,-1200.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',-1000.00000000,-1000.00000000,-200.00000000,-1200.00000000,''),(1097,234,NULL,26,NULL,'',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,1.08333000,NULL,1.08000000,0.22000000,0.00000000,0.00000000,1.30000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',1.40833000,1.41000000,0.28000000,1.69000000,''),(1098,234,NULL,25,NULL,'',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,1.25000000,NULL,1.25000000,0.25000000,0.00000000,0.00000000,1.50000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',1.62500000,1.63000000,0.32000000,1.95000000,''),(1099,234,NULL,25,NULL,'',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,1.25000000,NULL,1.25000000,0.25000000,0.00000000,0.00000000,1.50000000,0,NULL,NULL,0,NULL,0.00000000,0,0,3,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',1.62500000,1.63000000,0.32000000,1.95000000,''),(1100,234,NULL,27,NULL,'',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,38.33333000,NULL,38.33000000,7.67000000,0.00000000,0.00000000,46.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,4,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',49.83333000,49.83000000,9.97000000,59.80000000,''),(1101,234,NULL,27,NULL,'',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,1.08333000,NULL,1.08000000,0.22000000,0.00000000,0.00000000,1.30000000,0,NULL,NULL,0,NULL,0.00000000,0,0,5,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',1.40833000,1.41000000,0.28000000,1.69000000,''),(1102,234,NULL,27,NULL,'',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,1.08333000,NULL,1.08000000,0.22000000,0.00000000,0.00000000,1.30000000,0,NULL,NULL,0,NULL,0.00000000,0,0,6,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',1.40833000,1.41000000,0.28000000,1.69000000,''),(1103,219,NULL,27,NULL,'',0.000,'',0.000,'0',0.000,'0',1,6,0,NULL,1.30000000,NULL,1.22000000,0.00000000,0.00000000,0.00000000,1.22000000,0,NULL,NULL,0,NULL,0.00000000,0,0,21,NULL,NULL,100,NULL,NULL,12,12,0,'USD',1.69000000,1.59000000,0.00000000,1.59000000,''),(1104,219,NULL,NULL,NULL,'kml',10.000,'',0.000,'0',0.000,'0',1,0,0,NULL,9.09091000,NULL,9.09000000,0.91000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,22,NULL,NULL,100,NULL,NULL,12,12,0,'USD',11.81818000,11.82000000,1.18000000,13.00000000,''),(1105,235,NULL,NULL,NULL,'gfdgdfgfd',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,10.00000000,NULL,10.00000000,2.00000000,0.00000000,0.00000000,12.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',10.00000000,10.00000000,2.00000000,12.00000000,''),(1106,236,NULL,NULL,NULL,'hfg',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,10.00000000,NULL,10.00000000,2.00000000,0.00000000,0.00000000,12.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',10.00000000,10.00000000,2.00000000,12.00000000,''),(1108,237,NULL,1,NULL,'A beatifull pink dress',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,100.00000000,NULL,50.00000000,0.00000000,0.00000000,0.00000000,50.00000000,0,NULL,NULL,0,NULL,79.16667000,110,0,2,NULL,NULL,50,NULL,NULL,12,12,1,'EUR',100.00000000,50.00000000,0.00000000,50.00000000,''),(1109,238,NULL,1,NULL,'A beatifull pink dress',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,100.00000000,NULL,80.00000000,0.00000000,0.00000000,0.00000000,80.00000000,0,NULL,NULL,0,NULL,79.16667000,110,0,1,NULL,NULL,80,1108,NULL,12,12,0,'EUR',100.00000000,80.00000000,0.00000000,80.00000000,''),(1111,239,NULL,NULL,NULL,'aaa',0.000,'CGST+SGST',9.000,'1',9.000,'1',1,0,0,NULL,-1.00000000,NULL,-1.00000000,0.00000000,0.09000000,0.09000000,-1.18000000,0,NULL,NULL,0,NULL,100.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',-1.00000000,-1.00000000,0.00000000,-1.18000000,''),(1112,240,NULL,NULL,NULL,'aaa',0.000,'CGST+SGST',9.000,'1',9.000,'1',1,0,0,NULL,0.00000000,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0,NULL,NULL,0,NULL,1.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',0.00000000,0.00000000,0.00000000,0.00000000,''); +INSERT INTO `llx_facturedet` VALUES (3,2,NULL,3,NULL,'Service S1',0.000,'',0.000,'',0.000,'',1,10,4,NULL,40.00000000,36.00000000,36.00000000,0.00000000,0.00000000,0.00000000,36.00000000,1,'2012-07-10 00:00:00',NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(4,2,NULL,NULL,NULL,'Abonnement annuel assurance',1.000,'',0.000,'',0.000,'',1,0,0,NULL,10.00000000,10.00000000,10.00000000,0.10000000,0.00000000,0.00000000,10.10000000,0,'2012-07-10 00:00:00','2013-07-10 00:00:00',0,NULL,0.00000000,0,0,3,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(11,3,NULL,4,NULL,'afsdfsdfsdfsdf',0.000,'',0.000,'',0.000,'',1,0,0,NULL,5.00000000,5.00000000,5.00000000,0.00000000,0.00000000,0.00000000,5.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,0,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(12,3,NULL,NULL,NULL,'dfdfd',0.000,'',0.000,'',0.000,'',1,0,0,NULL,10.00000000,10.00000000,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(13,5,NULL,4,NULL,'Decapsuleur',12.500,'',0.000,'',0.000,'',1,0,0,NULL,5.00000000,5.00000000,5.00000000,0.63000000,0.00000000,0.00000000,5.63000000,0,NULL,NULL,0,NULL,0.00000000,0,0,0,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(14,6,NULL,4,NULL,'Decapsuleur',19.600,'',0.000,'',0.000,'',1,0,0,NULL,5.00000000,5.00000000,5.00000000,0.98000000,0.00000000,0.00000000,5.98000000,0,NULL,NULL,0,NULL,0.00000000,0,0,0,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(21,8,NULL,NULL,NULL,'dddd',0.000,'',0.000,'',0.000,'',1,0,0,NULL,10.00000000,10.00000000,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(22,9,NULL,NULL,NULL,'ggg',19.600,'',0.000,'',0.000,'',1,0,0,NULL,10.00000000,10.00000000,10.00000000,1.96000000,0.00000000,0.00000000,11.96000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(23,10,NULL,4,NULL,'',12.500,'',0.000,'',0.000,'',1,0,0,NULL,-5.00000000,NULL,-5.00000000,-0.63000000,0.00000000,0.00000000,-5.63000000,0,NULL,NULL,0,NULL,12.00000000,394,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(24,10,NULL,1,NULL,'A beatifull pink dress\r\nlkm',0.000,'',0.000,'',0.000,'',1,0,0,NULL,-6.00000000,NULL,-6.00000000,0.00000000,0.00000000,0.00000000,-6.00000000,0,NULL,NULL,0,0,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(26,12,NULL,1,NULL,'A beatifull pink dress\r\nhfghf',0.000,'',0.000,'',0.000,'',1,0,0,NULL,-5.00000000,NULL,-5.00000000,0.00000000,0.00000000,0.00000000,-5.00000000,0,NULL,NULL,0,0,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(27,13,NULL,NULL,NULL,'gdfgdf',19.600,'',0.000,'',0.000,'',1.4,0,0,NULL,10.00000000,NULL,14.00000000,2.74000000,0.00000000,0.00000000,16.74000000,0,NULL,NULL,0,NULL,0.00000000,108,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(137,33,NULL,NULL,NULL,'Desc',10.000,'',0.000,'',0.000,'',1,0,0,NULL,1.24000000,NULL,1.24000000,0.12000000,0.00000000,0.00000000,1.36000000,0,NULL,NULL,0,NULL,0.00000000,110,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(138,33,NULL,NULL,NULL,'Desc',10.000,'',0.000,'',0.000,'',1,0,0,NULL,1.24000000,NULL,1.24000000,0.12000000,0.00000000,0.00000000,1.36000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(256,55,NULL,NULL,NULL,'Desc',10.000,'',0.000,'',0.000,'',1,0,0,NULL,1.24000000,NULL,1.24000000,0.12000000,0.00000000,0.00000000,1.36000000,0,NULL,NULL,0,NULL,0.00000000,110,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(257,55,NULL,NULL,NULL,'Desc',10.000,'',0.000,'',0.000,'',1,0,0,NULL,1.24000000,NULL,1.24000000,0.12000000,0.00000000,0.00000000,1.36000000,0,NULL,NULL,0,NULL,0.00000000,110,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(753,13,NULL,2,NULL,'(Pays d\'origine: Albanie)',0.000,'',0.000,'',0.000,'',1,0,0,NULL,0.00000000,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0,NULL,NULL,0,0,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(754,148,NULL,11,NULL,'hfghf',0.000,'',0.000,'',0.000,'',1,0,0,NULL,0.00000000,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(755,148,NULL,4,NULL,'Decapsuleur',12.500,'',0.000,'',0.000,'',1,0,0,NULL,5.00000000,NULL,5.00000000,0.63000000,0.00000000,0.00000000,5.63000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(757,150,NULL,2,NULL,'Product P1',12.500,'',0.000,'0',0.000,'0',1,0,0,NULL,5.00000000,NULL,5.00000000,0.63000000,0.00000000,0.00000000,5.63000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,NULL,NULL,NULL,5.00000000,5.00000000,0.63000000,5.63000000,NULL,NULL,NULL),(758,151,NULL,2,NULL,'Product P1',12.500,'',0.000,'',0.000,'',1,0,0,NULL,0.00000000,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(768,32,NULL,NULL,NULL,'mlml',18.000,'',0.000,'',0.000,'',1,0,0,NULL,100.00000000,NULL,100.00000000,18.00000000,0.00000000,0.00000000,118.00000000,0,NULL,NULL,0,NULL,46.00000000,110,0,3,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(769,32,NULL,NULL,NULL,'mlkml',18.000,'',0.000,'',0.000,'',1,0,0,NULL,400.00000000,NULL,400.00000000,72.00000000,0.00000000,0.00000000,472.00000000,0,NULL,NULL,0,NULL,300.00000000,110,0,4,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(772,160,NULL,NULL,NULL,'Adhésion/cotisation 2015',12.500,'',0.000,'',0.000,'',1,0,0,NULL,8.88889000,NULL,8.89000000,1.11000000,0.00000000,0.00000000,10.00000000,1,'2017-07-18 00:00:00','2018-07-17 00:00:00',0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(776,32,NULL,NULL,NULL,'fsdfsdfds',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,10.00000000,NULL,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,110,0,5,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(777,32,NULL,NULL,NULL,'fsdfsdfds',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,10.00000000,NULL,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,110,0,6,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(779,32,NULL,NULL,NULL,'fsdfds',0.000,'',0.000,'0',0.000,'0',0,0,0,NULL,0.00000000,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,9,NULL,NULL,0,0,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(780,32,NULL,NULL,NULL,'ffsdf',0.000,'',0.000,'0',0.000,'0',0,0,0,NULL,0.00000000,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,9,NULL,NULL,0,NULL,0.00000000,0,1790,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(1022,210,NULL,NULL,NULL,'Adhésion/cotisation 2011',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,10.00000000,NULL,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,1,'2013-07-10 00:00:00','2014-07-09 00:00:00',0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(1023,211,NULL,NULL,NULL,'Samsung Android x4',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,250.00000000,NULL,250.00000000,0.00000000,0.00000000,0.00000000,250.00000000,0,NULL,NULL,0,NULL,200.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(1024,211,NULL,1,NULL,'A beatifull pink dress\r\nSize XXL',19.600,'',0.000,'0',0.000,'0',1,10,0,NULL,100.00000000,NULL,90.00000000,17.64000000,0.00000000,0.00000000,107.64000000,0,NULL,NULL,0,NULL,90.00000000,0,0,2,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(1026,213,NULL,1,NULL,'A beatifull pink dress',0.000,'',0.000,'0',0.000,'0',10,0,0,NULL,-100.00000000,NULL,-1000.00000000,0.00000000,0.00000000,0.00000000,-1000.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(1028,149,NULL,NULL,NULL,'opoo',0.000,'CGST+SGST',9.000,'1',9.000,'1',1,0,0,NULL,10.00000000,NULL,10.00000000,0.00000000,0.90000000,0.90000000,11.80000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,12,12,0,'',10.00000000,10.00000000,0.00000000,11.80000000,NULL,NULL,NULL),(1029,149,NULL,NULL,NULL,'gdgd',18.000,'IGST',0.000,'0',0.000,'0',1,0,0,NULL,10.00000000,NULL,10.00000000,1.80000000,0.00000000,0.00000000,11.80000000,0,NULL,NULL,0,NULL,0.00000000,0,0,3,NULL,NULL,100,NULL,NULL,12,12,0,'',10.00000000,10.00000000,1.80000000,11.80000000,NULL,NULL,NULL),(1030,217,NULL,NULL,NULL,'gfdgdf',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,12.00000000,NULL,12.00000000,0.00000000,0.00000000,0.00000000,12.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,0,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',12.00000000,12.00000000,0.00000000,12.00000000,NULL,NULL,NULL),(1035,218,NULL,12,NULL,'Cloud hosting of Dolibarr ERP and CRM software',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,9.00000000,NULL,9.00000000,0.00000000,0.00000000,0.00000000,9.00000000,1,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',9.00000000,9.00000000,0.00000000,9.00000000,NULL,NULL,NULL),(1036,218,NULL,5,NULL,'DoliDroid is the Android front-end client for Dolibarr ERP & CRM web software.
      \r\nThis application is not a standalone program. It is a front end to use a online hosted Dolibarr ERP & CRM software (an Open-source web software to manage your business).
      \r\n

      The advantage of DoliDroid are :
      \r\n- DoliDroid is not a duplicate code of Dolibarr, but a front-end of a Dolibarr web installation, so all your online existing features are supported by this application. This is also true for external modules features.
      \r\n- Upgrading Dolibarr will not break DoliDroid.
      \r\n- DoliDroid use embedded image resources to reduce bandwidth usage.
      \r\n- DoliDroid use internal cache for pages that should not change (like menu page)
      \r\n- Connections parameters are saved. No need to enter them each time you use DoliDroid.
      \r\n- Integration with your phone or other applications (Clicking on PDF open PDF reader, clicking onto email or phone launch your email application or launch Android dialer, ...)

      \r\n\r\n

      WARNING ! 

      \r\n\r\n

      This application need Android 4.0+ and a hosted Dolibarr ERP & CRM version 3.5 or newer accessible by internet
      \r\n(For example, when hosted on any SaaS solution like DoliCloud - http://www.dolicloud.com).

      ',19.600,'',0.000,'0',0.000,'0',1,45,0,NULL,10.00000000,NULL,5.50000000,1.08000000,0.00000000,0.00000000,6.58000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',10.00000000,5.50000000,1.08000000,6.58000000,NULL,NULL,NULL),(1037,218,NULL,12,NULL,'Cloud hosting of Dolibarr ERP and CRM software',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,9.00000000,NULL,9.00000000,0.00000000,0.00000000,0.00000000,9.00000000,1,NULL,NULL,0,NULL,0.00000000,0,0,3,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',9.00000000,9.00000000,0.00000000,9.00000000,NULL,NULL,NULL),(1039,218,NULL,12,NULL,'Cloud hosting of Dolibarr ERP and CRM software',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,9.00000000,NULL,9.00000000,0.00000000,0.00000000,0.00000000,9.00000000,1,NULL,NULL,0,NULL,0.00000000,0,0,4,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',9.00000000,9.00000000,0.00000000,9.00000000,NULL,NULL,NULL),(1040,218,NULL,NULL,NULL,'aaa',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,10.00000000,NULL,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,5,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',10.00000000,10.00000000,0.00000000,10.00000000,NULL,NULL,NULL),(1055,220,NULL,NULL,NULL,'(DEPOSIT) (100.00 €) - CO7001-0018',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,100.00000000,NULL,100.00000000,0.00000000,0.00000000,0.00000000,100.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',100.00000000,100.00000000,0.00000000,100.00000000,NULL,NULL,NULL),(1056,221,NULL,NULL,NULL,'(DEPOSIT) (30%) - CO7001-0018',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,123.00000000,NULL,123.00000000,0.00000000,0.00000000,0.00000000,123.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',123.00000000,123.00000000,0.00000000,123.00000000,NULL,NULL,NULL),(1057,222,NULL,NULL,NULL,'(DEPOSIT) (100.00 €) - CO7001-0018',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,100.00000000,NULL,100.00000000,0.00000000,0.00000000,0.00000000,100.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',100.00000000,100.00000000,0.00000000,100.00000000,NULL,NULL,NULL),(1058,223,NULL,4,NULL,'Nice Bio Apple Pie.
      \r\n ',0.000,'',0.000,'0',0.000,'0',2,0,0,NULL,5.00000000,NULL,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',5.00000000,10.00000000,0.00000000,10.00000000,NULL,NULL,NULL),(1059,223,NULL,10,NULL,'A powerfull computer XP4523 ',0.000,'',0.000,'0',0.000,'0',2,0,0,NULL,100.00000000,NULL,200.00000000,0.00000000,0.00000000,0.00000000,200.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',100.00000000,200.00000000,0.00000000,200.00000000,NULL,NULL,NULL),(1060,223,NULL,1,NULL,'A beatifull pink dress',0.000,'',0.000,'0',0.000,'0',2,0,0,NULL,100.00000000,NULL,200.00000000,0.00000000,0.00000000,0.00000000,200.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,3,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',100.00000000,200.00000000,0.00000000,200.00000000,NULL,NULL,NULL),(1061,224,NULL,NULL,NULL,'(DEPOSIT) (5%) - CO7001-0018',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,20.50000000,NULL,20.50000000,0.00000000,0.00000000,0.00000000,20.50000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',20.50000000,20.50000000,0.00000000,20.50000000,NULL,NULL,NULL),(1062,225,NULL,4,NULL,'Nice Bio Apple Pie.
      \r\n ',0.000,'',0.000,'0',0.000,'0',2,0,0,NULL,5.00000000,NULL,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',5.00000000,10.00000000,0.00000000,10.00000000,NULL,NULL,NULL),(1063,225,NULL,10,NULL,'A powerfull computer XP4523 ',0.000,'',0.000,'0',0.000,'0',2,0,0,NULL,100.00000000,NULL,200.00000000,0.00000000,0.00000000,0.00000000,200.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',100.00000000,200.00000000,0.00000000,200.00000000,NULL,NULL,NULL),(1064,225,NULL,1,NULL,'A beatifull pink dress',0.000,'',0.000,'0',0.000,'0',2,0,0,NULL,100.00000000,NULL,200.00000000,0.00000000,0.00000000,0.00000000,200.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,3,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',100.00000000,200.00000000,0.00000000,200.00000000,NULL,NULL,NULL),(1065,225,NULL,NULL,NULL,'(DEPOSIT)',0.000,'',0.000,'0',0.000,'0',1,0,0,15,-20.50000000,NULL,-20.50000000,0.00000000,0.00000000,0.00000000,-20.50000000,0,NULL,NULL,2,NULL,0.00000000,0,0,-1,NULL,NULL,100,NULL,NULL,12,12,0,'',-20.50000000,-20.50000000,0.00000000,-20.50000000,NULL,NULL,NULL),(1066,226,NULL,NULL,NULL,'aaa',12.500,'',0.000,'0',0.000,'0',1,0,0,NULL,100.00000000,NULL,100.00000000,12.50000000,0.00000000,0.00000000,112.50000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',100.00000000,100.00000000,12.50000000,112.50000000,NULL,NULL,NULL),(1067,226,NULL,NULL,NULL,'bbb',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,20.00000000,NULL,20.00000000,0.00000000,0.00000000,0.00000000,20.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',20.00000000,20.00000000,0.00000000,20.00000000,NULL,NULL,NULL),(1069,228,NULL,NULL,NULL,'(DEPOSIT) (70%) - PR2001-0034',4.000,'',0.000,'0',0.000,'0',1,0,0,NULL,50.00000000,NULL,50.00000000,2.00000000,0.00000000,0.00000000,52.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',50.00000000,50.00000000,2.00000000,52.00000000,NULL,NULL,NULL),(1070,228,NULL,NULL,NULL,'(DEPOSIT) (70%) - PR2001-0034',4.000,'',0.000,'0',0.000,'0',1,0,0,NULL,-1.40000000,NULL,-1.40000000,-0.06000000,0.00000000,0.00000000,-1.46000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',-1.40000000,-1.40000000,-0.06000000,-1.46000000,NULL,NULL,NULL),(1071,227,NULL,NULL,NULL,'gdfgd',19.600,'',0.000,'0',0.000,'0',1,0,0,NULL,200.00000000,NULL,200.00000000,39.20000000,0.00000000,0.00000000,239.20000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',200.00000000,200.00000000,39.20000000,239.20000000,NULL,NULL,NULL),(1072,217,NULL,1,NULL,'A beatifull pink dress',12.500,'',0.000,'0',0.000,'0',1,0,0,NULL,9.00000000,NULL,9.00000000,1.13000000,0.00000000,0.00000000,10.13000000,0,NULL,NULL,0,NULL,79.16667000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',9.00000000,9.00000000,1.13000000,10.13000000,NULL,NULL,NULL),(1074,219,NULL,30,NULL,'',20.000,'',0.000,'0',0.000,'0',6,6,0,NULL,4.16667000,NULL,23.50000000,4.70000000,0.00000000,0.00000000,28.20000000,0,NULL,NULL,0,NULL,0.00000000,0,0,5,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',5.41667000,30.55000000,6.11000000,36.66000000,'',NULL,NULL),(1089,219,NULL,24,NULL,'',20.000,'',0.000,'0',0.000,'0',1,6,0,NULL,0.83333000,NULL,0.78000000,0.16000000,0.00000000,0.00000000,0.94000000,0,NULL,NULL,0,NULL,0.00000000,0,0,20,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',1.08333000,1.02000000,0.20000000,1.22000000,'',NULL,NULL),(1090,229,NULL,NULL,NULL,'Subscription 2017',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,50.00000000,NULL,50.00000000,0.00000000,0.00000000,0.00000000,50.00000000,1,'2017-07-18 00:00:00',NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',50.00000000,50.00000000,0.00000000,50.00000000,NULL,NULL,NULL),(1091,230,NULL,NULL,NULL,'Subscription 2018',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,50.00000000,NULL,50.00000000,0.00000000,0.00000000,0.00000000,50.00000000,1,'2018-07-18 00:00:00',NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',50.00000000,50.00000000,0.00000000,50.00000000,NULL,NULL,NULL),(1092,231,NULL,NULL,NULL,'Subscription 2019',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,50.00000000,NULL,50.00000000,0.00000000,0.00000000,0.00000000,50.00000000,1,'2019-07-18 00:00:00',NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',50.00000000,50.00000000,0.00000000,50.00000000,NULL,NULL,NULL),(1093,55,NULL,NULL,NULL,'a',5.500,'aaa',0.000,'0',0.000,'0',1,0,0,NULL,1.00000000,NULL,1.00000000,0.06000000,0.00000000,0.00000000,1.06000000,0,NULL,NULL,0,NULL,0.00000000,110,0,3,NULL,NULL,100,NULL,NULL,12,12,0,'',1.00000000,1.00000000,0.06000000,1.06000000,'',NULL,NULL),(1094,55,NULL,NULL,NULL,'z',5.500,'bbb',0.000,'0',0.000,'0',1,0,0,NULL,1.00000000,NULL,1.00000000,0.06000000,0.00000000,0.00000000,1.06000000,1,NULL,NULL,0,NULL,0.00000000,110,0,4,NULL,NULL,100,NULL,NULL,12,12,0,'',1.00000000,1.00000000,0.06000000,1.06000000,'',NULL,NULL),(1095,232,NULL,NULL,NULL,'fdsfsdf',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,1000.00000000,NULL,1000.00000000,200.00000000,0.00000000,0.00000000,1200.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',1000.00000000,1000.00000000,200.00000000,1200.00000000,'',NULL,NULL),(1096,233,NULL,NULL,NULL,'gfdgdfgdf',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,-1000.00000000,NULL,-1000.00000000,-200.00000000,0.00000000,0.00000000,-1200.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',-1000.00000000,-1000.00000000,-200.00000000,-1200.00000000,'',NULL,NULL),(1097,234,NULL,26,NULL,'',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,1.08333000,NULL,1.08000000,0.22000000,0.00000000,0.00000000,1.30000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',1.40833000,1.41000000,0.28000000,1.69000000,'',NULL,NULL),(1098,234,NULL,25,NULL,'',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,1.25000000,NULL,1.25000000,0.25000000,0.00000000,0.00000000,1.50000000,0,NULL,NULL,0,NULL,0.00000000,0,0,2,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',1.62500000,1.63000000,0.32000000,1.95000000,'',NULL,NULL),(1099,234,NULL,25,NULL,'',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,1.25000000,NULL,1.25000000,0.25000000,0.00000000,0.00000000,1.50000000,0,NULL,NULL,0,NULL,0.00000000,0,0,3,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',1.62500000,1.63000000,0.32000000,1.95000000,'',NULL,NULL),(1100,234,NULL,27,NULL,'',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,38.33333000,NULL,38.33000000,7.67000000,0.00000000,0.00000000,46.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,4,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',49.83333000,49.83000000,9.97000000,59.80000000,'',NULL,NULL),(1101,234,NULL,27,NULL,'',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,1.08333000,NULL,1.08000000,0.22000000,0.00000000,0.00000000,1.30000000,0,NULL,NULL,0,NULL,0.00000000,0,0,5,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',1.40833000,1.41000000,0.28000000,1.69000000,'',NULL,NULL),(1102,234,NULL,27,NULL,'',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,1.08333000,NULL,1.08000000,0.22000000,0.00000000,0.00000000,1.30000000,0,NULL,NULL,0,NULL,0.00000000,0,0,6,NULL,NULL,100,NULL,NULL,12,12,0,'EUR',1.40833000,1.41000000,0.28000000,1.69000000,'',NULL,NULL),(1103,219,NULL,27,NULL,'',0.000,'',0.000,'0',0.000,'0',1,6,0,NULL,1.30000000,NULL,1.22000000,0.00000000,0.00000000,0.00000000,1.22000000,0,NULL,NULL,0,NULL,0.00000000,0,0,21,NULL,NULL,100,NULL,NULL,12,12,0,'USD',1.69000000,1.59000000,0.00000000,1.59000000,'',NULL,NULL),(1104,219,NULL,NULL,NULL,'kml',10.000,'',0.000,'0',0.000,'0',1,0,0,NULL,9.09091000,NULL,9.09000000,0.91000000,0.00000000,0.00000000,10.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,22,NULL,NULL,100,NULL,NULL,12,12,0,'USD',11.81818000,11.82000000,1.18000000,13.00000000,'',NULL,NULL),(1105,235,NULL,NULL,NULL,'gfdgdfgfd',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,10.00000000,NULL,10.00000000,2.00000000,0.00000000,0.00000000,12.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',10.00000000,10.00000000,2.00000000,12.00000000,'',NULL,NULL),(1106,236,NULL,NULL,NULL,'hfg',20.000,'',0.000,'0',0.000,'0',1,0,0,NULL,10.00000000,NULL,10.00000000,2.00000000,0.00000000,0.00000000,12.00000000,0,NULL,NULL,0,NULL,0.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',10.00000000,10.00000000,2.00000000,12.00000000,'',NULL,NULL),(1108,237,NULL,1,NULL,'A beatifull pink dress',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,100.00000000,NULL,50.00000000,0.00000000,0.00000000,0.00000000,50.00000000,0,NULL,NULL,0,NULL,79.16667000,110,0,2,NULL,NULL,50,NULL,NULL,12,12,1,'EUR',100.00000000,50.00000000,0.00000000,50.00000000,'',NULL,NULL),(1109,238,NULL,1,NULL,'A beatifull pink dress',0.000,'',0.000,'0',0.000,'0',1,0,0,NULL,100.00000000,NULL,80.00000000,0.00000000,0.00000000,0.00000000,80.00000000,0,NULL,NULL,0,NULL,79.16667000,110,0,1,NULL,NULL,80,1108,NULL,12,12,0,'EUR',100.00000000,80.00000000,0.00000000,80.00000000,'',NULL,NULL),(1111,239,NULL,NULL,NULL,'aaa',0.000,'CGST+SGST',9.000,'1',9.000,'1',1,0,0,NULL,-1.00000000,NULL,-1.00000000,0.00000000,0.09000000,0.09000000,-1.18000000,0,NULL,NULL,0,NULL,100.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',-1.00000000,-1.00000000,0.00000000,-1.18000000,'',NULL,NULL),(1112,240,NULL,NULL,NULL,'aaa',0.000,'CGST+SGST',9.000,'1',9.000,'1',1,0,0,NULL,0.00000000,NULL,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,0,NULL,NULL,0,NULL,1.00000000,0,0,1,NULL,NULL,100,NULL,NULL,12,12,1,'EUR',0.00000000,0.00000000,0.00000000,0.00000000,'',NULL,NULL); /*!40000 ALTER TABLE `llx_facturedet` ENABLE KEYS */; UNLOCK TABLES; @@ -7653,7 +7258,7 @@ CREATE TABLE `llx_holiday` ( LOCK TABLES `llx_holiday` WRITE; /*!40000 ALTER TABLE `llx_holiday` DISABLE KEYS */; -INSERT INTO `llx_holiday` VALUES (1,1,'2023-02-17 19:06:35','gdf','2023-02-10','2023-02-11',0,3,1,'2023-02-17 19:06:57',1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1,'2023-08-13 15:39:14',1,'1',NULL,NULL,NULL,NULL,'2022-02-17 19:06:57',1,NULL),(2,12,'2023-01-22 19:10:01','','2022-12-28','2023-01-03',0,2,11,'2024-01-31 07:08:36',12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,12,5,'2023-08-13 15:39:14',1,'HL2112-0001',NULL,NULL,NULL,NULL,NULL,NULL,NULL),(3,13,'2023-01-22 19:10:29','','2023-01-11','2023-01-13',0,2,11,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,12,5,'2023-08-13 15:39:14',1,'3',NULL,NULL,NULL,NULL,NULL,NULL,NULL),(4,12,'2023-01-31 07:09:11','','2023-01-31','2023-01-31',0,3,12,'2023-01-31 07:09:13',12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,12,3,'2023-01-31 10:09:16',1,'HL2301-0002',NULL,NULL,NULL,NULL,'2023-01-31 07:09:16',12,NULL); +INSERT INTO `llx_holiday` VALUES (1,1,'2023-02-17 19:06:35','gdf','2023-02-10','2023-02-11',0,3,1,'2023-02-17 19:06:57',1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1,'2023-08-13 15:39:14',1,'1',NULL,NULL,NULL,NULL,'2022-02-17 19:06:57',1,NULL),(2,12,'2024-01-22 19:10:01','','2023-12-28','2024-01-03',0,2,11,'2025-01-31 07:08:36',12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,12,5,'2024-01-03 16:32:23',1,'HL2112-0001',NULL,NULL,NULL,NULL,NULL,NULL,NULL),(3,13,'2023-01-22 19:10:29','','2023-01-11','2023-01-13',0,2,11,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,12,5,'2023-08-13 15:39:14',1,'3',NULL,NULL,NULL,NULL,NULL,NULL,NULL),(4,12,'2023-01-31 07:09:11','','2023-01-31','2023-01-31',0,3,12,'2023-01-31 07:09:13',12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,12,3,'2023-01-31 10:09:16',1,'HL2301-0002',NULL,NULL,NULL,NULL,'2023-01-31 07:09:16',12,NULL); /*!40000 ALTER TABLE `llx_holiday` ENABLE KEYS */; UNLOCK TABLES; @@ -7851,6 +7456,7 @@ CREATE TABLE `llx_hrm_evaluationdet` ( `rankorder` int(11) NOT NULL, `required_rank` int(11) NOT NULL, `import_key` varchar(14) DEFAULT NULL, + `comment` text DEFAULT NULL, PRIMARY KEY (`rowid`), KEY `idx_hrm_evaluationdet_rowid` (`rowid`), KEY `llx_hrm_evaluationdet_fk_user_creat` (`fk_user_creat`), @@ -7867,7 +7473,7 @@ CREATE TABLE `llx_hrm_evaluationdet` ( LOCK TABLES `llx_hrm_evaluationdet` WRITE; /*!40000 ALTER TABLE `llx_hrm_evaluationdet` DISABLE KEYS */; -INSERT INTO `llx_hrm_evaluationdet` VALUES (1,'2023-02-11 08:42:19','2023-02-11 11:42:19',12,12,1,1,2,0,NULL); +INSERT INTO `llx_hrm_evaluationdet` VALUES (1,'2023-02-11 08:42:19','2023-02-11 11:42:19',12,12,1,1,2,0,NULL,NULL); /*!40000 ALTER TABLE `llx_hrm_evaluationdet` ENABLE KEYS */; UNLOCK TABLES; @@ -8381,7 +7987,7 @@ CREATE TABLE `llx_links` ( `objecttype` varchar(255) NOT NULL, `objectid` int(11) NOT NULL, PRIMARY KEY (`rowid`), - UNIQUE KEY `uk_links` (`objectid`,`label`) + UNIQUE KEY `uk_links` (`objectid`,`objecttype`,`label`) ) ENGINE=InnoDB AUTO_INCREMENT=8 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; @@ -8549,6 +8155,8 @@ CREATE TABLE `llx_mailing` ( `extraparams` varchar(255) DEFAULT NULL, `tms` timestamp NOT NULL DEFAULT current_timestamp() ON UPDATE current_timestamp(), `evenunsubscribe` smallint(6) DEFAULT 0, + `note_private` text DEFAULT NULL, + `note_public` text DEFAULT NULL, PRIMARY KEY (`rowid`), UNIQUE KEY `uk_mailing` (`titre`,`entity`) ) ENGINE=InnoDB AUTO_INCREMENT=7 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; @@ -8560,7 +8168,7 @@ CREATE TABLE `llx_mailing` ( LOCK TABLES `llx_mailing` WRITE; /*!40000 ALTER TABLE `llx_mailing` DISABLE KEYS */; -INSERT INTO `llx_mailing` VALUES (3,2,'Commercial emailing January',1,'Buy my product','
      \"\"
      \r\n\"Seguici\"Seguici\"Seguici\"Seguici
      \r\n\r\n\r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n

      DoliCloud is the service to provide you a web hosting solution of Dolibarr ERP CRM in one click. Just enter your email to create your instance and you are ready to work. Backup and full access is to data (SFTP, Mysql) are provided.

      \r\n
      \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      Test Dolibarr ERP CRM on Dolicloud →
      \r\n
      \r\n
      \r\n
      \r\n
      \r\n\r\n\r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      DoliCloud team
      \r\n Unsubscribe   |   View on web browser
      \r\n
      \r\n
      ','','',NULL,26,'dolibarr@domain.com',NULL,'','',NULL,'2012-07-11 13:15:59','2017-01-29 21:33:11',NULL,'2017-01-29 21:36:40',1,NULL,12,NULL,NULL,NULL,NULL,NULL,NULL,'2019-11-28 11:52:54',0),(4,0,'Commercial emailing February',1,'Buy my product','This is a new éEéé\"Mailing content
      \r\n
      \r\n\r\nYou can adit it with the WYSIWYG editor.
      \r\nIt is\r\n
        \r\n
      • \r\n Fast
      • \r\n
      • \r\n Easy to use
      • \r\n
      • \r\n Pretty
      • \r\n
      ','','',NULL,NULL,'dolibarr@domain.com',NULL,'','',NULL,'2013-07-18 20:44:33',NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'2019-11-28 11:52:54',0),(5,1,'Commercial emailing March',1,'Test for free Dolibarr ERP CRM - no credit card required','
      \"\"
      \r\n\"Seguici\"Seguici\"Seguici\"Seguici
      \r\n\r\n\r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n

      DoliCloud is the service to provide you a web hosting solution __EMAIL__ of Dolibarr ERP CRM in one click. Just enter your email to create your instance and you are ready to work. Backup and full access is to data (SFTP, Mysql) are provided.

      \r\n
      \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      Test Dolibarr ERP CRM on Dolicloud →
      \r\n
      \r\n
      \r\n
      \r\n
      \r\n\r\n\r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      DoliCloud team
      \r\n Unsubscribe   |   View on web browser
      \r\n
      \r\n
      ','e5e5e5','',NULL,28,'dolibarr@domain.com',NULL,'','',NULL,'2017-01-29 21:47:37','2019-12-21 20:23:29',NULL,NULL,12,NULL,12,NULL,NULL,NULL,NULL,NULL,NULL,'2019-12-21 16:23:29',0),(6,3,'Copy of Commercial emailing March Feb 24, 2023',1,'Test for free Dolibarr ERP CRM - no credit card required','
      \r\n\r\n
      \r\n
      \r\n

      Parce que votre temps est précieux,
      \r\nDoliCloud établit un partenariat avec MB TanaServices pour vous proposer un service complémentaire...

      \r\n\r\n

       
      \r\nA la recherche de la satisfaction complète de nos clients, DoliCloud et MB TanaServices s’associent dans le but d’unir leurs expertises en Dolibarr en vous offrant des services d’assistance de gestion externalisée.
      \r\n 
      \r\nBasées à Madagascar (pays francophone), les assistantes de gestion de MB TanaServices sont spécialisées sur l’outil Dolibarr. Elles sont disponibles à temps complet ou à temps partiel, pour vous permettre de déléguer vos tâches de gestion quotidiennes fastidieuses et/ou répétitives.
      \r\n
      \r\nMB TanaServices propose également des formations à l’utilisation de Dolibarr et de l’assistance pour le paramétrage ou l’installation des modules complémentaires.
      \r\n 
      \r\nGagner du temps au quotidien et concentrez-vous sur votre cœur de métier.
      \r\n 
      \r\nMB TanaServices offre la mise en place du processus d'assistanat ainsi que le premier mois gratuit (sans engagement) aux premiers inscrits.
      \r\n 
      \r\nPour plus d’informations, suivre le lien :  https://www.dolicloud.com/fr/beneficier-d-une-assistance-de-gestion-pour-dolibarr.php
      \r\nContactez directement Olivier Bayle, gérant de MB TanaServices :  contact@tana-services.com  ou Whatsapp : +261 34 92 623 84

      \r\n
      \r\n
      \r\nPour ne plus recevoir d'information sur nos partenariats: Cliquez ici

      \r\n
      \r\n\r\n
      __SENDEREMAIL_SIGNATURE__
      \r\n
      \r\n__CHECK_READ__
      ','e5e5e5','',NULL,4,'dolibarr@domain.com',NULL,'','',NULL,'2023-02-24 21:37:16','2023-02-25 00:01:46',NULL,'2023-02-25 00:02:21',12,NULL,12,NULL,NULL,NULL,NULL,NULL,NULL,'2023-02-25 03:02:21',0); +INSERT INTO `llx_mailing` VALUES (3,2,'Commercial emailing January',1,'Buy my product','
      \"\"
      \r\n\"Seguici\"Seguici\"Seguici\"Seguici
      \r\n\r\n\r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n

      DoliCloud is the service to provide you a web hosting solution of Dolibarr ERP CRM in one click. Just enter your email to create your instance and you are ready to work. Backup and full access is to data (SFTP, Mysql) are provided.

      \r\n
      \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      Test Dolibarr ERP CRM on Dolicloud →
      \r\n
      \r\n
      \r\n
      \r\n
      \r\n\r\n\r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      DoliCloud team
      \r\n Unsubscribe   |   View on web browser
      \r\n
      \r\n
      ','','',NULL,26,'dolibarr@domain.com',NULL,'','',NULL,'2012-07-11 13:15:59','2017-01-29 21:33:11',NULL,'2017-01-29 21:36:40',1,NULL,12,NULL,NULL,NULL,NULL,NULL,NULL,'2019-11-28 11:52:54',0,NULL,NULL),(4,0,'Commercial emailing February',1,'Buy my product','This is a new éEéé\"Mailing content
      \r\n
      \r\n\r\nYou can adit it with the WYSIWYG editor.
      \r\nIt is\r\n
        \r\n
      • \r\n Fast
      • \r\n
      • \r\n Easy to use
      • \r\n
      • \r\n Pretty
      • \r\n
      ','','',NULL,NULL,'dolibarr@domain.com',NULL,'','',NULL,'2013-07-18 20:44:33',NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'2019-11-28 11:52:54',0,NULL,NULL),(5,1,'Commercial emailing March',1,'Test for free Dolibarr ERP CRM - no credit card required','
      \"\"
      \r\n\"Seguici\"Seguici\"Seguici\"Seguici
      \r\n\r\n\r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n

      DoliCloud is the service to provide you a web hosting solution __EMAIL__ of Dolibarr ERP CRM in one click. Just enter your email to create your instance and you are ready to work. Backup and full access is to data (SFTP, Mysql) are provided.

      \r\n
      \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      Test Dolibarr ERP CRM on Dolicloud →
      \r\n
      \r\n
      \r\n
      \r\n
      \r\n\r\n\r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      \r\n \r\n \r\n \r\n \r\n \r\n \r\n
      DoliCloud team
      \r\n Unsubscribe   |   View on web browser
      \r\n
      \r\n
      ','e5e5e5','',NULL,28,'dolibarr@domain.com',NULL,'','',NULL,'2017-01-29 21:47:37','2019-12-21 20:23:29',NULL,NULL,12,NULL,12,NULL,NULL,NULL,NULL,NULL,NULL,'2019-12-21 16:23:29',0,NULL,NULL),(6,3,'Copy of Commercial emailing March Feb 24, 2023',1,'Test for free Dolibarr ERP CRM - no credit card required','
      \r\n\r\n
      \r\n
      \r\n

      Parce que votre temps est précieux,
      \r\nDoliCloud établit un partenariat avec MB TanaServices pour vous proposer un service complémentaire...

      \r\n\r\n

       
      \r\nA la recherche de la satisfaction complète de nos clients, DoliCloud et MB TanaServices s’associent dans le but d’unir leurs expertises en Dolibarr en vous offrant des services d’assistance de gestion externalisée.
      \r\n 
      \r\nBasées à Madagascar (pays francophone), les assistantes de gestion de MB TanaServices sont spécialisées sur l’outil Dolibarr. Elles sont disponibles à temps complet ou à temps partiel, pour vous permettre de déléguer vos tâches de gestion quotidiennes fastidieuses et/ou répétitives.
      \r\n
      \r\nMB TanaServices propose également des formations à l’utilisation de Dolibarr et de l’assistance pour le paramétrage ou l’installation des modules complémentaires.
      \r\n 
      \r\nGagner du temps au quotidien et concentrez-vous sur votre cœur de métier.
      \r\n 
      \r\nMB TanaServices offre la mise en place du processus d'assistanat ainsi que le premier mois gratuit (sans engagement) aux premiers inscrits.
      \r\n 
      \r\nPour plus d’informations, suivre le lien :  https://www.dolicloud.com/fr/beneficier-d-une-assistance-de-gestion-pour-dolibarr.php
      \r\nContactez directement Olivier Bayle, gérant de MB TanaServices :  contact@tana-services.com  ou Whatsapp : +261 34 92 623 84

      \r\n
      \r\n
      \r\nPour ne plus recevoir d'information sur nos partenariats: Cliquez ici

      \r\n
      \r\n\r\n
      __SENDEREMAIL_SIGNATURE__
      \r\n
      \r\n__CHECK_READ__
      ','e5e5e5','',NULL,4,'dolibarr@domain.com',NULL,'','',NULL,'2023-02-24 21:37:16','2023-02-25 00:01:46',NULL,'2023-02-25 00:02:21',12,NULL,12,NULL,NULL,NULL,NULL,NULL,NULL,'2023-02-25 03:02:21',0,NULL,NULL); /*!40000 ALTER TABLE `llx_mailing` ENABLE KEYS */; UNLOCK TABLES; @@ -8698,7 +8306,7 @@ CREATE TABLE `llx_menu` ( PRIMARY KEY (`rowid`), UNIQUE KEY `idx_menu_uk_menu` (`menu_handler`,`fk_menu`,`position`,`url`,`entity`), KEY `idx_menu_menuhandler_type` (`menu_handler`,`type`) -) ENGINE=InnoDB AUTO_INCREMENT=167748 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; +) ENGINE=InnoDB AUTO_INCREMENT=167846 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; -- @@ -8707,7 +8315,7 @@ CREATE TABLE `llx_menu` ( LOCK TABLES `llx_menu` WRITE; /*!40000 ALTER TABLE `llx_menu` DISABLE KEYS */; -INSERT INTO `llx_menu` VALUES (103094,'all',2,'agenda','top','agenda',0,NULL,NULL,100,'/comm/action/index.php','','Agenda',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103095,'all',2,'agenda','left','agenda',103094,NULL,NULL,100,'/comm/action/index.php?mainmenu=agenda&leftmenu=agenda','','Actions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103096,'all',2,'agenda','left','agenda',103095,NULL,NULL,101,'/comm/action/card.php?mainmenu=agenda&leftmenu=agenda&action=create','','NewAction',NULL,'commercial',NULL,NULL,'($user->rights->agenda->myactions->create||$user->rights->agenda->allactions->create)','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103097,'all',2,'agenda','left','agenda',103095,NULL,NULL,102,'/comm/action/index.php?mainmenu=agenda&leftmenu=agenda','','Calendar',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103098,'all',2,'agenda','left','agenda',103097,NULL,NULL,103,'/comm/action/index.php?mainmenu=agenda&leftmenu=agenda&status=todo&filter=mine','','MenuToDoMyActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103099,'all',2,'agenda','left','agenda',103097,NULL,NULL,104,'/comm/action/index.php?mainmenu=agenda&leftmenu=agenda&status=done&filter=mine','','MenuDoneMyActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103100,'all',2,'agenda','left','agenda',103097,NULL,NULL,105,'/comm/action/index.php?mainmenu=agenda&leftmenu=agenda&status=todo','','MenuToDoActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$user->rights->agenda->allactions->read',2,'2015-03-13 15:29:19'),(103101,'all',2,'agenda','left','agenda',103097,NULL,NULL,106,'/comm/action/index.php?mainmenu=agenda&leftmenu=agenda&status=done','','MenuDoneActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$user->rights->agenda->allactions->read',2,'2015-03-13 15:29:19'),(103102,'all',2,'agenda','left','agenda',103095,NULL,NULL,112,'/comm/action/listactions.php?mainmenu=agenda&leftmenu=agenda','','List',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103103,'all',2,'agenda','left','agenda',103102,NULL,NULL,113,'/comm/action/listactions.php?mainmenu=agenda&leftmenu=agenda&status=todo&filter=mine','','MenuToDoMyActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103104,'all',2,'agenda','left','agenda',103102,NULL,NULL,114,'/comm/action/listactions.php?mainmenu=agenda&leftmenu=agenda&status=done&filter=mine','','MenuDoneMyActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103105,'all',2,'agenda','left','agenda',103102,NULL,NULL,115,'/comm/action/listactions.php?mainmenu=agenda&leftmenu=agenda&status=todo','','MenuToDoActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$user->rights->agenda->allactions->read',2,'2015-03-13 15:29:19'),(103106,'all',2,'agenda','left','agenda',103102,NULL,NULL,116,'/comm/action/listactions.php?mainmenu=agenda&leftmenu=agenda&status=done','','MenuDoneActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$user->rights->agenda->allactions->read',2,'2015-03-13 15:29:19'),(103107,'all',2,'agenda','left','agenda',103095,NULL,NULL,120,'/comm/action/rapport/index.php?mainmenu=agenda&leftmenu=agenda','','Reportings',NULL,'agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103134,'all',2,'opensurvey','top','opensurvey',0,NULL,NULL,200,'/opensurvey/index.php','','Surveys',NULL,'opensurvey',NULL,NULL,'$user->rights->opensurvey->survey->read','$conf->opensurvey->enabled',0,'2015-03-13 20:33:42'),(103135,'all',2,'opensurvey','left','opensurvey',-1,NULL,'opensurvey',200,'/opensurvey/index.php?mainmenu=opensurvey&leftmenu=opensurvey','','Survey',NULL,'opensurvey@opensurvey',NULL,'opensurvey','','$conf->opensurvey->enabled',0,'2015-03-13 20:33:42'),(103136,'all',2,'opensurvey','left','opensurvey',-1,'opensurvey','opensurvey',210,'/opensurvey/public/index.php','_blank','NewSurvey',NULL,'opensurvey@opensurvey',NULL,'opensurvey_new','','$conf->opensurvey->enabled',0,'2015-03-13 20:33:42'),(103137,'all',2,'opensurvey','left','opensurvey',-1,'opensurvey','opensurvey',220,'/opensurvey/list.php','','List',NULL,'opensurvey@opensurvey',NULL,'opensurvey_list','','$conf->opensurvey->enabled',0,'2015-03-13 20:33:42'),(161088,'auguria',1,'','top','home',0,NULL,NULL,10,'/index.php?mainmenu=home&leftmenu=','','Home',NULL,'',-1,'','','1',2,'2017-08-30 15:14:30'),(161089,'auguria',1,'societe|fournisseur','top','companies',0,NULL,NULL,20,'/societe/index.php?mainmenu=companies&leftmenu=','','ThirdParties',NULL,'companies',-1,'','$user->rights->societe->lire || $user->rights->societe->contact->lire','( ! empty($conf->societe->enabled) && (empty($conf->global->SOCIETE_DISABLE_PROSPECTS) || empty($conf->global->SOCIETE_DISABLE_CUSTOMERS))) || ! empty($conf->fournisseur->enabled)',2,'2017-08-30 15:14:30'),(161090,'auguria',1,'product|service','top','products',0,NULL,NULL,30,'/product/index.php?mainmenu=products&leftmenu=','','Products/Services',NULL,'products',-1,'','$user->rights->produit->lire||$user->rights->service->lire','$conf->product->enabled || $conf->service->enabled',0,'2017-08-30 15:14:30'),(161092,'auguria',1,'propal|commande|fournisseur|contrat|ficheinter','top','commercial',0,NULL,NULL,40,'/comm/index.php?mainmenu=commercial&leftmenu=','','Commercial',NULL,'commercial',-1,'','$user->rights->societe->lire || $user->rights->societe->contact->lire','$conf->propal->enabled || $conf->commande->enabled || $conf->supplier_order->enabled || $conf->contrat->enabled || $conf->ficheinter->enabled',2,'2017-08-30 15:14:30'),(161093,'auguria',1,'comptabilite|accounting|facture|don|tax|salaries|loan','top','accountancy',0,NULL,NULL,50,'/compta/index.php?mainmenu=accountancy&leftmenu=','','MenuFinancial',NULL,'compta',-1,'','$user->rights->compta->resultat->lire || $user->rights->accounting->plancompte->lire || $user->rights->facture->lire|| $user->rights->don->lire || $user->rights->tax->charges->lire || $user->rights->salaries->read || $user->rights->loan->read','$conf->comptabilite->enabled || $conf->accounting->enabled || $conf->facture->enabled || $conf->don->enabled || $conf->tax->enabled || $conf->salaries->enabled || $conf->supplier_invoice->enabled || $conf->loan->enabled',2,'2017-08-30 15:14:30'),(161094,'auguria',1,'projet','top','project',0,NULL,NULL,70,'/projet/index.php?mainmenu=project&leftmenu=','','Projects',NULL,'projects',-1,'','$user->rights->projet->lire','$conf->projet->enabled',2,'2017-08-30 15:14:30'),(161095,'auguria',1,'mailing|export|import|opensurvey|resource','top','tools',0,NULL,NULL,90,'/core/tools.php?mainmenu=tools&leftmenu=','','Tools',NULL,'other',-1,'','$user->rights->mailing->lire || $user->rights->export->lire || $user->rights->import->run || $user->rights->opensurvey->read || $user->rights->resource->read','$conf->mailing->enabled || $conf->export->enabled || $conf->import->enabled || $conf->opensurvey->enabled || $conf->resource->enabled',2,'2017-08-30 15:14:30'),(161101,'auguria',1,'banque|prelevement','top','bank',0,NULL,NULL,60,'/compta/bank/index.php?mainmenu=bank&leftmenu=bank','','MenuBankCash',NULL,'banks',-1,'','$user->rights->banque->lire || $user->rights->prelevement->bons->lire','$conf->banque->enabled || $conf->prelevement->enabled',0,'2017-08-30 15:14:30'),(161102,'auguria',1,'hrm|holiday|deplacement|expensereport','top','hrm',0,NULL,NULL,80,'/hrm/index.php?mainmenu=hrm&leftmenu=','','HRM',NULL,'holiday',-1,'','$user->rights->hrm->employee->read || $user->rights->holiday->write || $user->rights->deplacement->lire || $user->rights->expensereport->lire','$conf->hrm->enabled || $conf->holiday->enabled || $conf->deplacement->enabled || $conf->expensereport->enabled',0,'2017-08-30 15:14:30'),(161177,'auguria',1,'','left','home',161088,NULL,NULL,0,'/index.php','','MyDashboard',NULL,'',0,'','','1',2,'2017-08-30 15:14:30'),(161187,'auguria',1,'','left','home',161088,NULL,NULL,1,'/admin/index.php?leftmenu=setup','','Setup',NULL,'admin',0,'setup','','$user->admin',2,'2017-08-30 15:14:30'),(161188,'auguria',1,'','left','home',161187,NULL,NULL,1,'/admin/company.php?leftmenu=setup','','MenuCompanySetup',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161189,'auguria',1,'','left','home',161187,NULL,NULL,4,'/admin/ihm.php?leftmenu=setup','','GUISetup',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161190,'auguria',1,'','left','home',161187,NULL,NULL,2,'/admin/modules.php?leftmenu=setup','','Modules',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161191,'auguria',1,'','left','home',161187,NULL,NULL,6,'/admin/boxes.php?leftmenu=setup','','Boxes',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161192,'auguria',1,'','left','home',161187,NULL,NULL,3,'/admin/menus.php?leftmenu=setup','','Menus',NULL,'admin',1,'','','$leftmenu==\'setup\'',2,'2017-09-06 08:29:47'),(161193,'auguria',1,'','left','home',161187,NULL,NULL,7,'/admin/delais.php?leftmenu=setup','','Alerts',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161194,'auguria',1,'','left','home',161187,NULL,NULL,10,'/admin/pdf.php?leftmenu=setup','','PDF',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161195,'auguria',1,'','left','home',161187,NULL,NULL,8,'/admin/security_other.php?leftmenu=setup','','Security',NULL,'admin',1,'','','$leftmenu==\'setup\'',2,'2017-09-06 08:29:36'),(161196,'auguria',1,'','left','home',161187,NULL,NULL,11,'/admin/mails.php?leftmenu=setup','','Emails',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161197,'auguria',1,'','left','home',161187,NULL,NULL,9,'/admin/limits.php?leftmenu=setup','','MenuLimits',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161198,'auguria',1,'','left','home',161187,NULL,NULL,13,'/admin/dict.php?leftmenu=setup','','Dictionary',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161199,'auguria',1,'','left','home',161187,NULL,NULL,14,'/admin/const.php?leftmenu=setup','','OtherSetup',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161200,'auguria',1,'','left','home',161187,NULL,NULL,12,'/admin/sms.php?leftmenu=setup','','SMS',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161201,'auguria',1,'','left','home',161187,NULL,NULL,4,'/admin/translation.php?leftmenu=setup','','Translation',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161288,'auguria',1,'','left','home',161387,NULL,NULL,0,'/admin/system/dolibarr.php?leftmenu=admintools','','InfoDolibarr',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161289,'auguria',1,'','left','home',161288,NULL,NULL,2,'/admin/system/modules.php?leftmenu=admintools','','Modules',NULL,'admin',2,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161290,'auguria',1,'','left','home',161288,NULL,NULL,3,'/admin/triggers.php?leftmenu=admintools','','Triggers',NULL,'admin',2,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161291,'auguria',1,'','left','home',161288,NULL,NULL,4,'/admin/system/filecheck.php?leftmenu=admintools','','FileCheck',NULL,'admin',2,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161292,'auguria',1,'','left','home',161387,NULL,NULL,1,'/admin/system/browser.php?leftmenu=admintools','','InfoBrowser',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161293,'auguria',1,'','left','home',161387,NULL,NULL,2,'/admin/system/os.php?leftmenu=admintools','','InfoOS',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161294,'auguria',1,'','left','home',161387,NULL,NULL,3,'/admin/system/web.php?leftmenu=admintools','','InfoWebServer',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161295,'auguria',1,'','left','home',161387,NULL,NULL,4,'/admin/system/phpinfo.php?leftmenu=admintools','','InfoPHP',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161297,'auguria',1,'','left','home',161387,NULL,NULL,5,'/admin/system/database.php?leftmenu=admintools','','InfoDatabase',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161387,'auguria',1,'','left','home',161088,NULL,NULL,2,'/admin/tools/index.php?leftmenu=admintools','','AdminTools',NULL,'admin',0,'admintools','','$user->admin',2,'2017-08-30 15:14:30'),(161388,'auguria',1,'','left','home',161387,NULL,NULL,6,'/admin/tools/dolibarr_export.php?leftmenu=admintools','','Backup',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161389,'auguria',1,'','left','home',161387,NULL,NULL,7,'/admin/tools/dolibarr_import.php?leftmenu=admintools','','Restore',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161392,'auguria',1,'','left','home',161387,NULL,NULL,8,'/admin/tools/update.php?leftmenu=admintools','','MenuUpgrade',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161393,'auguria',1,'','left','home',161387,NULL,NULL,9,'/admin/tools/eaccelerator.php?leftmenu=admintools','','EAccelerator',NULL,'admin',1,'','','$leftmenu==\"admintools\" && function_exists(\"eaccelerator_info\")',2,'2017-08-30 15:14:30'),(161394,'auguria',1,'','left','home',161387,NULL,NULL,10,'/admin/tools/listevents.php?leftmenu=admintools','','Audit',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161395,'auguria',1,'','left','home',161387,NULL,NULL,11,'/admin/tools/listsessions.php?leftmenu=admintools','','Sessions',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161396,'auguria',1,'','left','home',161387,NULL,NULL,12,'/admin/tools/purge.php?leftmenu=admintools','','Purge',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161398,'auguria',1,'','left','home',161387,NULL,NULL,14,'/admin/system/about.php?leftmenu=admintools','','ExternalResources',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161407,'auguria',1,'','left','home',161387,NULL,NULL,15,'/product/admin/product_tools.php?mainmenu=home&leftmenu=admintools','','ProductVatMassChange',NULL,'products',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161487,'auguria',1,'','left','home',161088,NULL,NULL,4,'/user/home.php?leftmenu=users','','MenuUsersAndGroups',NULL,'users',0,'users','','1',2,'2017-08-30 15:14:30'),(161488,'auguria',1,'','left','home',161487,NULL,NULL,0,'/user/index.php?leftmenu=users','','Users',NULL,'users',1,'','$user->rights->user->user->lire || $user->admin','$leftmenu==\"users\"',2,'2017-08-30 15:14:30'),(161489,'auguria',1,'','left','home',161488,NULL,NULL,0,'/user/card.php?leftmenu=users&action=create','','NewUser',NULL,'users',2,'','($user->rights->user->user->creer || $user->admin) && !(! empty($conf->multicompany->enabled) && $conf->entity > 1 && $conf->global->MULTICOMPANY_TRANSVERSE_MODE)','$leftmenu==\"users\"',2,'2017-08-30 15:14:30'),(161490,'auguria',1,'','left','home',161487,NULL,NULL,1,'/user/group/index.php?leftmenu=users','','Groups',NULL,'users',1,'','(($conf->global->MAIN_USE_ADVANCED_PERMS?$user->rights->user->group_advance->read:$user->rights->user->user->lire) || $user->admin) && !(! empty($conf->multicompany->enabled) && $conf->entity > 1 && $conf->global->MULTICOMPANY_TRANSVERSE_MODE)','$leftmenu==\"users\"',2,'2017-08-30 15:14:30'),(161491,'auguria',1,'','left','home',161490,NULL,NULL,0,'/user/group/card.php?leftmenu=users&action=create','','NewGroup',NULL,'users',2,'','(($conf->global->MAIN_USE_ADVANCED_PERMS?$user->rights->user->group_advance->write:$user->rights->user->user->creer) || $user->admin) && !(! empty($conf->multicompany->enabled) && $conf->entity > 1 && $conf->global->MULTICOMPANY_TRANSVERSE_MODE)','$leftmenu==\"users\"',2,'2017-08-30 15:14:30'),(161587,'auguria',1,'','left','companies',161089,NULL,NULL,0,'/societe/index.php?leftmenu=thirdparties','','ThirdParty',NULL,'companies',0,'thirdparties','$user->rights->societe->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161588,'auguria',1,'','left','companies',161587,NULL,NULL,0,'/societe/card.php?action=create','','MenuNewThirdParty',NULL,'companies',1,'','$user->rights->societe->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161589,'auguria',1,'','left','companies',161587,NULL,NULL,0,'/societe/list.php?action=create','','List',NULL,'companies',1,'','$user->rights->societe->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161590,'auguria',1,'','left','companies',161587,NULL,NULL,5,'/societe/list.php?type=f&leftmenu=suppliers','','ListSuppliersShort',NULL,'suppliers',1,'','$user->rights->societe->lire && $user->rights->fournisseur->lire','$conf->societe->enabled && $conf->fournisseur->enabled',2,'2017-08-30 15:14:30'),(161591,'auguria',1,'','left','companies',161590,NULL,NULL,0,'/societe/card.php?leftmenu=supplier&action=create&type=f','','NewSupplier',NULL,'suppliers',2,'','$user->rights->societe->creer','$conf->societe->enabled && $conf->fournisseur->enabled',2,'2017-08-30 15:14:30'),(161593,'auguria',1,'','left','companies',161587,NULL,NULL,3,'/societe/list.php?type=p&leftmenu=prospects','','ListProspectsShort',NULL,'companies',1,'','$user->rights->societe->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161594,'auguria',1,'','left','companies',161593,NULL,NULL,0,'/societe/card.php?leftmenu=prospects&action=create&type=p','','MenuNewProspect',NULL,'companies',2,'','$user->rights->societe->creer','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161596,'auguria',1,'','left','companies',161587,NULL,NULL,4,'/societe/list.php?type=c&leftmenu=customers','','ListCustomersShort',NULL,'companies',1,'','$user->rights->societe->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161597,'auguria',1,'','left','companies',161596,NULL,NULL,0,'/societe/card.php?leftmenu=customers&action=create&type=c','','MenuNewCustomer',NULL,'companies',2,'','$user->rights->societe->creer','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161687,'auguria',1,'','left','companies',161089,NULL,NULL,1,'/contact/list.php?leftmenu=contacts','','ContactsAddresses',NULL,'companies',0,'contacts','$user->rights->societe->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161688,'auguria',1,'','left','companies',161687,NULL,NULL,0,'/contact/card.php?leftmenu=contacts&action=create','','NewContactAddress',NULL,'companies',1,'','$user->rights->societe->creer','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161689,'auguria',1,'','left','companies',161687,NULL,NULL,1,'/contact/list.php?leftmenu=contacts','','List',NULL,'companies',1,'','$user->rights->societe->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161691,'auguria',1,'','left','companies',161689,NULL,NULL,1,'/contact/list.php?leftmenu=contacts&type=p','','ThirdPartyProspects',NULL,'companies',2,'','$user->rights->societe->contact->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161692,'auguria',1,'','left','companies',161689,NULL,NULL,2,'/contact/list.php?leftmenu=contacts&type=c','','ThirdPartyCustomers',NULL,'companies',2,'','$user->rights->societe->contact->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161693,'auguria',1,'','left','companies',161689,NULL,NULL,3,'/contact/list.php?leftmenu=contacts&type=f','','ThirdPartySuppliers',NULL,'companies',2,'','$user->rights->societe->contact->lire','$conf->societe->enabled && $conf->fournisseur->enabled',2,'2017-08-30 15:14:30'),(161694,'auguria',1,'','left','companies',161689,NULL,NULL,4,'/contact/list.php?leftmenu=contacts&type=o','','Others',NULL,'companies',2,'','$user->rights->societe->contact->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161737,'auguria',1,'','left','companies',161089,NULL,NULL,3,'/categories/index.php?leftmenu=cat&type=1','','SuppliersCategoriesShort',NULL,'categories',0,'cat','$user->rights->categorie->lire','$conf->societe->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(161738,'auguria',1,'','left','companies',161737,NULL,NULL,0,'/categories/card.php?action=create&type=1','','NewCategory',NULL,'categories',1,'','$user->rights->categorie->creer','$conf->societe->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(161747,'auguria',1,'','left','companies',161089,NULL,NULL,4,'/categories/index.php?leftmenu=cat&type=2','','CustomersProspectsCategoriesShort',NULL,'categories',0,'cat','$user->rights->categorie->lire','$conf->fournisseur->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(161748,'auguria',1,'','left','companies',161747,NULL,NULL,0,'/categories/card.php?action=create&type=2','','NewCategory',NULL,'categories',1,'','$user->rights->categorie->creer','$conf->fournisseur->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(161757,'auguria',1,'','left','companies',161089,NULL,NULL,3,'/categories/index.php?leftmenu=cat&type=4','','ContactCategoriesShort',NULL,'categories',0,'cat','$user->rights->categorie->lire','$conf->societe->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(161758,'auguria',1,'','left','companies',161757,NULL,NULL,0,'/categories/card.php?action=create&type=4','','NewCategory',NULL,'categories',1,'','$user->rights->categorie->creer','$conf->societe->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(162187,'auguria',1,'','left','commercial',161092,NULL,NULL,4,'/comm/propal/index.php?leftmenu=propals','','Prop',NULL,'propal',0,'propals','$user->rights->propale->lire','$conf->propal->enabled',2,'2017-08-30 15:14:30'),(162188,'auguria',1,'','left','commercial',162187,NULL,NULL,0,'/comm/propal/card.php?action=create&leftmenu=propals','','NewPropal',NULL,'propal',1,'','$user->rights->propale->creer','$conf->propal->enabled',2,'2017-08-30 15:14:30'),(162189,'auguria',1,'','left','commercial',162187,NULL,NULL,1,'/comm/propal/list.php?leftmenu=propals','','List',NULL,'propal',1,'','$user->rights->propale->lire','$conf->propal->enabled',2,'2017-08-30 15:14:30'),(162190,'auguria',1,'','left','commercial',162189,NULL,NULL,2,'/comm/propal/list.php?leftmenu=propals&search_status=0','','PropalsDraft',NULL,'propal',1,'','$user->rights->propale->lire','$conf->propal->enabled && $leftmenu==\"propals\"',2,'2017-08-30 15:14:30'),(162191,'auguria',1,'','left','commercial',162189,NULL,NULL,3,'/comm/propal/list.php?leftmenu=propals&search_status=1','','PropalsOpened',NULL,'propal',1,'','$user->rights->propale->lire','$conf->propal->enabled && $leftmenu==\"propals\"',2,'2017-08-30 15:14:30'),(162192,'auguria',1,'','left','commercial',162189,NULL,NULL,4,'/comm/propal/list.php?leftmenu=propals&search_status=2','','PropalStatusSigned',NULL,'propal',1,'','$user->rights->propale->lire','$conf->propal->enabled && $leftmenu==\"propals\"',2,'2017-08-30 15:14:30'),(162193,'auguria',1,'','left','commercial',162189,NULL,NULL,5,'/comm/propal/list.php?leftmenu=propals&search_status=3','','PropalStatusNotSigned',NULL,'propal',1,'','$user->rights->propale->lire','$conf->propal->enabled && $leftmenu==\"propals\"',2,'2017-08-30 15:14:30'),(162194,'auguria',1,'','left','commercial',162189,NULL,NULL,6,'/comm/propal/list.php?leftmenu=propals&search_status=4','','PropalStatusBilled',NULL,'propal',1,'','$user->rights->propale->lire','$conf->propal->enabled && $leftmenu==\"propals\"',2,'2017-08-30 15:14:30'),(162197,'auguria',1,'','left','commercial',162187,NULL,NULL,4,'/comm/propal/stats/index.php?leftmenu=propals','','Statistics',NULL,'propal',1,'','$user->rights->propale->lire','$conf->propal->enabled',2,'2017-08-30 15:14:30'),(162287,'auguria',1,'','left','commercial',161092,NULL,NULL,5,'/commande/index.php?leftmenu=orders','','CustomersOrders',NULL,'orders',0,'orders','$user->rights->commande->lire','$conf->commande->enabled',2,'2017-08-30 15:14:30'),(162288,'auguria',1,'','left','commercial',162287,NULL,NULL,0,'/commande/card.php?action=create&leftmenu=orders','','NewOrder',NULL,'orders',1,'','$user->rights->commande->creer','$conf->commande->enabled',2,'2017-08-30 15:14:30'),(162289,'auguria',1,'','left','commercial',162287,NULL,NULL,1,'/commande/list.php?leftmenu=orders','','List',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled',2,'2017-08-30 15:14:30'),(162290,'auguria',1,'','left','commercial',162289,NULL,NULL,2,'/commande/list.php?leftmenu=orders&search_status=0','','StatusOrderDraftShort',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled && $leftmenu==\"orders\"',2,'2017-08-30 15:14:30'),(162291,'auguria',1,'','left','commercial',162289,NULL,NULL,3,'/commande/list.php?leftmenu=orders&search_status=1','','StatusOrderValidated',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled && $leftmenu==\"orders\"',2,'2017-08-30 15:14:30'),(162292,'auguria',1,'','left','commercial',162289,NULL,NULL,4,'/commande/list.php?leftmenu=orders&search_status=2','','StatusOrderOnProcessShort',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled && $leftmenu==\"orders\"',2,'2017-08-30 15:14:30'),(162293,'auguria',1,'','left','commercial',162289,NULL,NULL,5,'/commande/list.php?leftmenu=orders&search_status=3','','StatusOrderToBill',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled && $leftmenu==\"orders\"',2,'2017-08-30 15:14:30'),(162294,'auguria',1,'','left','commercial',162289,NULL,NULL,6,'/commande/list.php?leftmenu=orders&search_status=4','','StatusOrderProcessed',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled && $leftmenu==\"orders\"',2,'2017-08-30 15:14:30'),(162295,'auguria',1,'','left','commercial',162289,NULL,NULL,7,'/commande/list.php?leftmenu=orders&search_status=-1','','StatusOrderCanceledShort',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled && $leftmenu==\"orders\"',2,'2017-08-30 15:14:30'),(162296,'auguria',1,'','left','commercial',162287,NULL,NULL,4,'/commande/stats/index.php?leftmenu=orders','','Statistics',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled',2,'2017-08-30 15:14:30'),(162387,'auguria',1,'','left','commercial',161090,NULL,NULL,6,'/expedition/index.php?leftmenu=sendings','','Shipments',NULL,'sendings',0,'sendings','$user->rights->expedition->lire','$conf->expedition->enabled',2,'2017-08-30 15:14:30'),(162388,'auguria',1,'','left','commercial',162387,NULL,NULL,0,'/expedition/card.php?action=create2&leftmenu=sendings','','NewSending',NULL,'sendings',1,'','$user->rights->expedition->creer','$conf->expedition->enabled && $leftmenu==\"sendings\"',2,'2017-08-30 15:14:30'),(162389,'auguria',1,'','left','commercial',162387,NULL,NULL,1,'/expedition/list.php?leftmenu=sendings','','List',NULL,'sendings',1,'','$user->rights->expedition->lire','$conf->expedition->enabled && $leftmenu==\"sendings\"',2,'2017-08-30 15:14:30'),(162390,'auguria',1,'','left','commercial',162387,NULL,NULL,2,'/expedition/stats/index.php?leftmenu=sendings','','Statistics',NULL,'sendings',1,'','$user->rights->expedition->lire','$conf->expedition->enabled && $leftmenu==\"sendings\"',2,'2017-08-30 15:14:30'),(162487,'auguria',1,'','left','commercial',161092,NULL,NULL,7,'/contrat/index.php?leftmenu=contracts','','Contracts',NULL,'contracts',0,'contracts','$user->rights->contrat->lire','$conf->contrat->enabled',2,'2017-08-30 15:14:30'),(162488,'auguria',1,'','left','commercial',162487,NULL,NULL,0,'/contrat/card.php?&action=create&leftmenu=contracts','','NewContract',NULL,'contracts',1,'','$user->rights->contrat->creer','$conf->contrat->enabled',2,'2017-08-30 15:14:30'),(162489,'auguria',1,'','left','commercial',162487,NULL,NULL,1,'/contrat/list.php?leftmenu=contracts','','List',NULL,'contracts',1,'','$user->rights->contrat->lire','$conf->contrat->enabled',2,'2017-08-30 15:14:30'),(162490,'auguria',1,'','left','commercial',162487,NULL,NULL,2,'/contrat/services.php?leftmenu=contracts','','MenuServices',NULL,'contracts',1,'','$user->rights->contrat->lire','$conf->contrat->enabled',2,'2017-08-30 15:14:30'),(162491,'auguria',1,'','left','commercial',162490,NULL,NULL,0,'/contrat/services.php?leftmenu=contracts&mode=0','','MenuInactiveServices',NULL,'contracts',2,'','$user->rights->contrat->lire','$conf->contrat->enabled && $leftmenu==\"contracts\"',2,'2017-08-30 15:14:30'),(162492,'auguria',1,'','left','commercial',162490,NULL,NULL,1,'/contrat/services.php?leftmenu=contracts&mode=4','','MenuRunningServices',NULL,'contracts',2,'','$user->rights->contrat->lire','$conf->contrat->enabled && $leftmenu==\"contracts\"',2,'2017-08-30 15:14:30'),(162493,'auguria',1,'','left','commercial',162490,NULL,NULL,2,'/contrat/services.php?leftmenu=contracts&mode=4&filter=expired','','MenuExpiredServices',NULL,'contracts',2,'','$user->rights->contrat->lire','$conf->contrat->enabled && $leftmenu==\"contracts\"',2,'2017-08-30 15:14:30'),(162494,'auguria',1,'','left','commercial',162490,NULL,NULL,3,'/contrat/services.php?leftmenu=contracts&mode=5','','MenuClosedServices',NULL,'contracts',2,'','$user->rights->contrat->lire','$conf->contrat->enabled && $leftmenu==\"contracts\"',2,'2017-08-30 15:14:30'),(162587,'auguria',1,'','left','commercial',161092,NULL,NULL,8,'/fichinter/list.php?leftmenu=ficheinter','','Interventions',NULL,'interventions',0,'ficheinter','$user->rights->ficheinter->lire','$conf->ficheinter->enabled',2,'2017-08-30 15:14:30'),(162588,'auguria',1,'','left','commercial',162587,NULL,NULL,0,'/fichinter/card.php?action=create&leftmenu=ficheinter','','NewIntervention',NULL,'interventions',1,'','$user->rights->ficheinter->creer','$conf->ficheinter->enabled',2,'2017-08-30 15:14:30'),(162589,'auguria',1,'','left','commercial',162587,NULL,NULL,1,'/fichinter/list.php?leftmenu=ficheinter','','List',NULL,'interventions',1,'','$user->rights->ficheinter->lire','$conf->ficheinter->enabled',2,'2017-08-30 15:14:30'),(162590,'auguria',1,'','left','commercial',162587,NULL,NULL,2,'/fichinter/stats/index.php?leftmenu=ficheinter','','Statistics',NULL,'interventions',1,'','$user->rights->ficheinter->lire','$conf->ficheinter->enabled',2,'2017-08-30 15:14:30'),(162687,'auguria',1,'','left','accountancy',161093,NULL,NULL,3,'/fourn/facture/list.php?leftmenu=suppliers_bills','','BillsSuppliers',NULL,'bills',0,'suppliers_bills','$user->rights->fournisseur->facture->lire','$conf->supplier_invoice->enabled',2,'2023-02-27 16:28:21'),(162688,'auguria',1,'','left','accountancy',162687,NULL,NULL,0,'/fourn/facture/card.php?action=create&leftmenu=suppliers_bills','','NewBill',NULL,'bills',1,'','$user->rights->fournisseur->facture->creer','$conf->supplier_invoice->enabled',2,'2017-08-30 15:14:30'),(162689,'auguria',1,'','left','accountancy',162687,NULL,NULL,1,'/fourn/facture/list.php?leftmenu=suppliers_bills','','List',NULL,'bills',1,'','$user->rights->fournisseur->facture->lire','$conf->supplier_invoice->enabled',2,'2017-08-30 15:14:30'),(162690,'auguria',1,'','left','accountancy',162687,NULL,NULL,2,'/fourn/facture/paiement.php?leftmenu=suppliers_bills','','Payments',NULL,'bills',1,'','$user->rights->fournisseur->facture->lire','$conf->supplier_invoice->enabled',2,'2017-08-30 15:14:30'),(162691,'auguria',1,'','left','accountancy',162687,NULL,NULL,8,'/compta/facture/stats/index.php?leftmenu=customers_bills&mode=supplier','','Statistics',NULL,'bills',1,'','$user->rights->fournisseur->facture->lire','$conf->supplier_invoice->enabled',2,'2017-08-30 15:14:30'),(162692,'auguria',1,'','left','accountancy',162690,NULL,NULL,1,'/fourn/facture/rapport.php?leftmenu=suppliers_bills','','Reporting',NULL,'bills',2,'','$user->rights->fournisseur->facture->lire','$conf->supplier_invoice->enabled',2,'2017-08-30 15:14:30'),(162787,'auguria',1,'','left','accountancy',161093,NULL,NULL,3,'/compta/facture/list.php?leftmenu=customers_bills','','BillsCustomers',NULL,'bills',0,'customer_bills','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162788,'auguria',1,'','left','accountancy',162787,NULL,NULL,3,'/compta/facture/card.php?action=create&leftmenu=customers_bills','','NewBill',NULL,'bills',1,'','$user->rights->facture->creer','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162789,'auguria',1,'','left','accountancy',162787,NULL,NULL,5,'/compta/facture/fiche-rec.php?leftmenu=customers_bills','','ListOfTemplates',NULL,'bills',1,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162791,'auguria',1,'','left','accountancy',162787,NULL,NULL,6,'/compta/paiement/list.php?leftmenu=customers_bills','','Payments',NULL,'bills',1,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162792,'auguria',1,'','left','accountancy',162787,NULL,NULL,4,'/compta/facture/list.php?leftmenu=customers_bills','','List',NULL,'bills',1,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162797,'auguria',1,'','left','accountancy',162791,NULL,NULL,1,'/compta/paiement/rapport.php?leftmenu=customers_bills','','Reportings',NULL,'bills',2,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162798,'auguria',1,'','left','accountancy',161101,NULL,NULL,9,'/compta/paiement/cheque/index.php?leftmenu=checks&mainmenu=bank','','MenuChequeDeposits',NULL,'bills',0,'checks','$user->rights->banque->lire','empty($conf->global->BANK_DISABLE_CHECK_DEPOSIT) && ! empty($conf->banque->enabled) && (! empty($conf->facture->enabled) || ! empty($conf->global->MAIN_MENU_CHEQUE_DEPOSIT_ON))',2,'2017-08-30 15:14:30'),(162799,'auguria',1,'','left','accountancy',162798,NULL,NULL,0,'/compta/paiement/cheque/card.php?leftmenu=checks&action=new','','NewCheckDeposit',NULL,'compta',1,'','$user->rights->banque->lire','empty($conf->global->BANK_DISABLE_CHECK_DEPOSIT) && ! empty($conf->banque->enabled) && (! empty($conf->facture->enabled) || ! empty($conf->global->MAIN_MENU_CHEQUE_DEPOSIT_ON))',2,'2017-08-30 15:14:30'),(162800,'auguria',1,'','left','accountancy',162798,NULL,NULL,1,'/compta/paiement/cheque/list.php?leftmenu=checks','','List',NULL,'bills',1,'','$user->rights->banque->lire','empty($conf->global->BANK_DISABLE_CHECK_DEPOSIT) && ! empty($conf->banque->enabled) && (! empty($conf->facture->enabled) || ! empty($conf->global->MAIN_MENU_CHEQUE_DEPOSIT_ON))',2,'2017-08-30 15:14:30'),(162801,'auguria',1,'','left','accountancy',162787,NULL,NULL,8,'/compta/facture/stats/index.php?leftmenu=customers_bills','','Statistics',NULL,'bills',1,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162807,'auguria',1,'','left','accountancy',162792,NULL,NULL,1,'/compta/facture/list.php?leftmenu=customers_bills&search_status=0','','BillShortStatusDraft',NULL,'bills',2,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162808,'auguria',1,'','left','accountancy',162792,NULL,NULL,2,'/compta/facture/list.php?leftmenu=customers_bills&search_status=1','','BillShortStatusNotPaid',NULL,'bills',2,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162809,'auguria',1,'','left','accountancy',162792,NULL,NULL,3,'/compta/facture/list.php?leftmenu=customers_bills&search_status=2','','BillShortStatusPaid',NULL,'bills',2,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162810,'auguria',1,'','left','accountancy',162792,NULL,NULL,4,'/compta/facture/list.php?leftmenu=customers_bills&search_status=3','','BillShortStatusCanceled',NULL,'bills',2,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162987,'auguria',1,'','left','accountancy',161093,NULL,NULL,3,'/commande/list.php?leftmenu=orders&search_status=3','','MenuOrdersToBill',NULL,'orders',0,'orders','$user->rights->commande->lire','$conf->commande->enabled',0,'2017-08-30 15:14:30'),(163087,'auguria',1,'','left','accountancy',161093,NULL,NULL,4,'/don/index.php?leftmenu=donations&mainmenu=accountancy','','Donations',NULL,'donations',0,'donations','$user->rights->don->lire','$conf->don->enabled',2,'2017-08-30 15:14:30'),(163088,'auguria',1,'','left','accountancy',163087,NULL,NULL,0,'/don/card.php?leftmenu=donations&mainmenu=accountancy&action=create','','NewDonation',NULL,'donations',1,'','$user->rights->don->creer','$conf->don->enabled && $leftmenu==\"donations\"',2,'2017-08-30 15:14:30'),(163089,'auguria',1,'','left','accountancy',163087,NULL,NULL,1,'/don/list.php?leftmenu=donations&mainmenu=accountancy','','List',NULL,'donations',1,'','$user->rights->don->lire','$conf->don->enabled && $leftmenu==\"donations\"',2,'2017-08-30 15:14:30'),(163187,'auguria',1,'','left','accountancy',161102,NULL,NULL,5,'/compta/deplacement/index.php?leftmenu=tripsandexpenses','','TripsAndExpenses',NULL,'trips',0,'tripsandexpenses','$user->rights->deplacement->lire','$conf->deplacement->enabled',0,'2017-08-30 15:14:30'),(163188,'auguria',1,'','left','accountancy',163187,NULL,NULL,1,'/compta/deplacement/card.php?action=create&leftmenu=tripsandexpenses','','New',NULL,'trips',1,'','$user->rights->deplacement->creer','$conf->deplacement->enabled',0,'2017-08-30 15:14:30'),(163189,'auguria',1,'','left','accountancy',163187,NULL,NULL,2,'/compta/deplacement/list.php?leftmenu=tripsandexpenses','','List',NULL,'trips',1,'','$user->rights->deplacement->lire','$conf->deplacement->enabled',0,'2017-08-30 15:14:30'),(163190,'auguria',1,'','left','accountancy',163187,NULL,NULL,2,'/compta/deplacement/stats/index.php?leftmenu=tripsandexpenses','','Statistics',NULL,'trips',1,'','$user->rights->deplacement->lire','$conf->deplacement->enabled',0,'2017-08-30 15:14:30'),(163287,'auguria',1,'','left','accountancy',161093,NULL,NULL,6,'/compta/charges/index.php?leftmenu=tax&mainmenu=accountancy','','MenuSpecialExpenses',NULL,'compta',0,'tax','(! empty($conf->tax->enabled) && $user->rights->tax->charges->lire) || (! empty($conf->salaries->enabled) && $user->rights->salaries->read)','$conf->tax->enabled || $conf->salaries->enabled',0,'2017-08-30 15:14:30'),(163297,'auguria',1,'','left','accountancy',163287,NULL,NULL,1,'/compta/salaries/index.php?leftmenu=tax_salary&mainmenu=accountancy','','Salaries',NULL,'salaries',1,'tax_sal','$user->rights->salaries->payment->read','$conf->salaries->enabled',0,'2017-08-30 15:14:30'),(163298,'auguria',1,'','left','accountancy',163297,NULL,NULL,2,'/compta/salaries/card.php?leftmenu=tax_salary&action=create','','NewPayment',NULL,'companies',2,'','$user->rights->salaries->payment->write','$conf->salaries->enabled && $leftmenu==\"tax_salary\"',0,'2017-08-30 15:14:30'),(163299,'auguria',1,'','left','accountancy',163297,NULL,NULL,3,'/compta/salaries/index.php?leftmenu=tax_salary','','Payments',NULL,'companies',2,'','$user->rights->salaries->payment->read','$conf->salaries->enabled && $leftmenu==\"tax_salary\"',0,'2017-08-30 15:14:30'),(163307,'auguria',1,'','left','accountancy',163287,NULL,NULL,1,'/loan/index.php?leftmenu=tax_loan&mainmenu=accountancy','','Loans',NULL,'loan',1,'tax_loan','$user->rights->loan->read','$conf->loan->enabled',0,'2017-08-30 15:14:30'),(163308,'auguria',1,'','left','accountancy',163307,NULL,NULL,2,'/loan/card.php?leftmenu=tax_loan&action=create','','NewLoan',NULL,'loan',2,'','$user->rights->loan->write','$conf->loan->enabled && $leftmenu==\"tax_loan\"',0,'2017-08-30 15:14:30'),(163310,'auguria',1,'','left','accountancy',163307,NULL,NULL,4,'/loan/calc.php?leftmenu=tax_loan','','Calculator',NULL,'companies',2,'','$user->rights->loan->calc','$conf->loan->enabled && $leftmenu==\"tax_loan\" && ! empty($conf->global->LOAN_SHOW_CALCULATOR)',0,'2017-08-30 15:14:30'),(163337,'auguria',1,'','left','accountancy',163287,NULL,NULL,1,'/compta/sociales/index.php?leftmenu=tax_social','','SocialContributions',NULL,'',1,'tax_social','$user->rights->tax->charges->lire','$conf->tax->enabled',0,'2017-08-30 15:14:30'),(163338,'auguria',1,'','left','accountancy',163337,NULL,NULL,2,'/compta/sociales/card.php?leftmenu=tax_social&action=create','','MenuNewSocialContribution',NULL,'',2,'','$user->rights->tax->charges->creer','$conf->tax->enabled && $leftmenu==\"tax_social\"',0,'2017-08-30 15:14:30'),(163339,'auguria',1,'','left','accountancy',163337,NULL,NULL,3,'/compta/sociales/payments.php?leftmenu=tax_social&mainmenu=accountancy&mode=sconly','','Payments',NULL,'',2,'','$user->rights->tax->charges->lire','$conf->tax->enabled && $leftmenu==\"tax_social\"',0,'2017-08-30 15:14:30'),(163387,'auguria',1,'','left','accountancy',163287,NULL,NULL,7,'/compta/tva/index.php?leftmenu=tax_vat&mainmenu=accountancy','','VAT',NULL,'companies',1,'tax_vat','$user->rights->tax->charges->lire','$conf->tax->enabled && empty($conf->global->TAX_DISABLE_VAT_MENUS)',0,'2017-08-30 15:14:30'),(163388,'auguria',1,'','left','accountancy',163387,NULL,NULL,0,'/compta/tva/card.php?leftmenu=tax_vat&action=create','','New',NULL,'companies',2,'','$user->rights->tax->charges->creer','$conf->tax->enabled && empty($conf->global->TAX_DISABLE_VAT_MENUS) && $leftmenu==\"tax_vat\"',0,'2017-08-30 15:14:30'),(163389,'auguria',1,'','left','accountancy',163387,NULL,NULL,1,'/compta/tva/reglement.php?leftmenu=tax_vat','','List',NULL,'companies',2,'','$user->rights->tax->charges->lire','$conf->tax->enabled && empty($conf->global->TAX_DISABLE_VAT_MENUS) && $leftmenu==\"tax_vat\"',0,'2017-08-30 15:14:30'),(163390,'auguria',1,'','left','accountancy',163387,NULL,NULL,2,'/compta/tva/clients.php?leftmenu=tax_vat','','ReportByCustomers',NULL,'companies',2,'','$user->rights->tax->charges->lire','$conf->tax->enabled && empty($conf->global->TAX_DISABLE_VAT_MENUS) && $leftmenu==\"tax_vat\"',0,'2017-08-30 15:14:30'),(163391,'auguria',1,'','left','accountancy',163387,NULL,NULL,3,'/compta/tva/quadri_detail.php?leftmenu=tax_vat','','ReportByQuarter',NULL,'companies',2,'','$user->rights->tax->charges->lire','$conf->tax->enabled && empty($conf->global->TAX_DISABLE_VAT_MENUS) && $leftmenu==\"tax_vat\"',0,'2017-08-30 15:14:30'),(163487,'auguria',1,'','left','accountancy',161093,NULL,NULL,7,'/accountancy/index.php?leftmenu=accountancy','','MenuAccountancy',NULL,'accountancy',0,'accounting','! empty($conf->accounting->enabled) || $user->rights->accounting->bind->write || $user->rights->accounting->bind->write || $user->rights->compta->resultat->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163488,'auguria',1,'','left','accountancy',163487,NULL,NULL,2,'/accountancy/customer/index.php?leftmenu=dispatch_customer','','CustomersVentilation',NULL,'accountancy',1,'dispatch_customer','$user->rights->accounting->bind->write','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163489,'auguria',1,'','left','accountancy',163488,NULL,NULL,3,'/accountancy/customer/list.php','','ToDispatch',NULL,'accountancy',2,'','$user->rights->accounting->bind->write','$conf->accounting->enabled && $leftmenu==\"dispatch_customer\"',0,'2017-08-30 15:14:30'),(163490,'auguria',1,'','left','accountancy',163488,NULL,NULL,4,'/accountancy/customer/lines.php','','Dispatched',NULL,'accountancy',2,'','$user->rights->accounting->bind->write','$conf->accounting->enabled && $leftmenu==\"dispatch_customer\"',0,'2017-08-30 15:14:30'),(163497,'auguria',1,'','left','accountancy',163487,NULL,NULL,5,'/accountancy/supplier/index.php?leftmenu=dispatch_supplier','','SuppliersVentilation',NULL,'accountancy',1,'ventil_supplier','$user->rights->accounting->bind->write','$conf->accounting->enabled && $conf->fournisseur->enabled',0,'2017-08-30 15:14:30'),(163498,'auguria',1,'','left','accountancy',163497,NULL,NULL,6,'/accountancy/supplier/list.php','','ToDispatch',NULL,'accountancy',2,'','$user->rights->accounting->bind->write','$conf->accounting->enabled && $conf->fournisseur->enabled && $leftmenu==\"dispatch_supplier\"',0,'2017-08-30 15:14:30'),(163499,'auguria',1,'','left','accountancy',163497,NULL,NULL,7,'/accountancy/supplier/lines.php','','Dispatched',NULL,'accountancy',2,'','$user->rights->accounting->bind->write','$conf->accounting->enabled && $conf->fournisseur->enabled && $leftmenu==\"dispatch_supplier\"',0,'2017-08-30 15:14:30'),(163507,'auguria',1,'','left','accountancy',163487,NULL,NULL,5,'/accountancy/expensereport/index.php?leftmenu=dispatch_expensereport','','ExpenseReportsVentilation',NULL,'accountancy',1,'ventil_expensereport','$user->rights->accounting->bind->write','$conf->accounting->enabled && $conf->expensereport->enabled',0,'2017-08-30 15:14:30'),(163508,'auguria',1,'','left','accountancy',163507,NULL,NULL,6,'/accountancy/expensereport/list.php','','ToDispatch',NULL,'accountancy',2,'','$user->rights->accounting->bind->write','$conf->accounting->enabled && $conf->expensereport->enabled && $leftmenu==\"dispatch_expensereport\"',0,'2017-08-30 15:14:30'),(163509,'auguria',1,'','left','accountancy',163507,NULL,NULL,7,'/accountancy/expensereport/lines.php','','Dispatched',NULL,'accountancy',2,'','$user->rights->accounting->bind->write','$conf->accounting->enabled && $conf->expensereport->enabled && $leftmenu==\"dispatch_expensereport\"',0,'2017-08-30 15:14:30'),(163517,'auguria',1,'','left','accountancy',163487,NULL,NULL,15,'/accountancy/bookkeeping/list.php','','Bookkeeping',NULL,'accountancy',1,'bookkeeping','$user->rights->accounting->mouvements->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163522,'auguria',1,'','left','accountancy',163487,NULL,NULL,16,'/accountancy/bookkeeping/balance.php','','AccountBalance',NULL,'accountancy',1,'balance','$user->rights->accounting->mouvements->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163527,'auguria',1,'','left','accountancy',163487,NULL,NULL,17,'/accountancy/report/result.php?mainmenu=accountancy&leftmenu=accountancy','','Reportings',NULL,'main',1,'report','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163528,'auguria',1,'','left','accountancy',163527,NULL,NULL,19,'/compta/resultat/index.php?mainmenu=accountancy&leftmenu=accountancy','','ReportInOut',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled && $leftmenu==\"accountancy\"',0,'2017-08-30 15:14:30'),(163529,'auguria',1,'','left','accountancy',163528,NULL,NULL,18,'/accountancy/report/result.php?mainmenu=accountancy&leftmenu=accountancy','','ByAccounts',NULL,'main',3,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled && $leftmenu==\"accountancy\"',0,'2017-08-30 15:14:30'),(163530,'auguria',1,'','left','accountancy',163528,NULL,NULL,20,'/compta/resultat/clientfourn.php?mainmenu=accountancy&leftmenu=accountancy','','ByCompanies',NULL,'main',3,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled && $leftmenu==\"accountancy\"',0,'2017-08-30 15:14:30'),(163531,'auguria',1,'','left','accountancy',163527,NULL,NULL,21,'/compta/stats/index.php?mainmenu=accountancy&leftmenu=accountancy','','ReportTurnover',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled && $leftmenu==\"accountancy\"',0,'2017-08-30 15:14:30'),(163532,'auguria',1,'','left','accountancy',163531,NULL,NULL,22,'/compta/stats/casoc.php?mainmenu=accountancy&leftmenu=accountancy','','ByCompanies',NULL,'main',3,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled && $leftmenu==\"accountancy\"',0,'2017-08-30 15:14:30'),(163533,'auguria',1,'','left','accountancy',163531,NULL,NULL,23,'/compta/stats/cabyuser.php?mainmenu=accountancy&leftmenu=accountancy','','ByUsers',NULL,'main',3,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled && $leftmenu==\"accountancy\"',0,'2017-08-30 15:14:30'),(163534,'auguria',1,'','left','accountancy',163531,NULL,NULL,24,'/compta/stats/cabyprodserv.php?mainmenu=accountancy&leftmenu=accountancy','','ByProductsAndServices',NULL,'main',3,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled && $leftmenu==\"accountancy\"',0,'2017-08-30 15:14:30'),(163537,'auguria',1,'','left','accountancy',163538,NULL,NULL,80,'/accountancy/admin/fiscalyear.php?mainmenu=accountancy&leftmenu=accountancy_admin','','FiscalPeriod',NULL,'admin',1,'accountancy_admin_period','','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\" && $conf->global->MAIN_FEATURES_LEVEL > 0',2,'2017-08-30 15:14:30'),(163538,'auguria',1,'','left','accountancy',163487,NULL,NULL,1,'/accountancy/index.php?mainmenu=accountancy&leftmenu=accountancy_admin','','Setup',NULL,'accountancy',1,'accountancy_admin','$user->rights->accounting->chartofaccount','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163541,'auguria',1,'','left','accountancy',163538,NULL,NULL,10,'/accountancy/admin/journals_list.php?id=35&mainmenu=accountancy&leftmenu=accountancy_admin','','AccountingJournals',NULL,'accountancy',2,'accountancy_admin_journal','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163542,'auguria',1,'','left','accountancy',163538,NULL,NULL,20,'/accountancy/admin/account.php?mainmenu=accountancy&leftmenu=accountancy_admin','','Pcg_version',NULL,'accountancy',2,'accountancy_admin_chartmodel','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163543,'auguria',1,'','left','accountancy',163538,NULL,NULL,30,'/accountancy/admin/account.php?mainmenu=accountancy&leftmenu=accountancy_admin','','Chartofaccounts',NULL,'accountancy',2,'accountancy_admin_chart','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163544,'auguria',1,'','left','accountancy',163538,NULL,NULL,40,'/accountancy/admin/categories_list.php?id=32&mainmenu=accountancy&leftmenu=accountancy_admin','','AccountingCategory',NULL,'accountancy',2,'accountancy_admin_chart_group','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163545,'auguria',1,'','left','accountancy',163538,NULL,NULL,50,'/accountancy/admin/defaultaccounts.php?mainmenu=accountancy&leftmenu=accountancy_admin','','MenuDefaultAccounts',NULL,'accountancy',2,'accountancy_admin_default','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163546,'auguria',1,'','left','accountancy',163538,NULL,NULL,60,'/admin/dict.php?id=10&from=accountancy&search_country_id=__MYCOUNTRYID__&mainmenu=accountancy&leftmenu=accountancy_admin','','MenuVatAccounts',NULL,'accountancy',2,'accountancy_admin_vat','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163547,'auguria',1,'','left','accountancy',163538,NULL,NULL,70,'/admin/dict.php?id=7&from=accountancy&search_country_id=__MYCOUNTRYID__&mainmenu=accountancy&leftmenu=accountancy_admin','','MenuTaxAccounts',NULL,'accountancy',2,'accountancy_admin_tax','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163548,'auguria',1,'','left','accountancy',163538,NULL,NULL,80,'/admin/dict.php?id=17&from=accountancy&mainmenu=accountancy&leftmenu=accountancy_admin','','MenuExpenseReportAccounts',NULL,'accountancy',2,'accountancy_admin_expensereport','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $conf->expensereport->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163549,'auguria',1,'','left','accountancy',163538,NULL,NULL,90,'/accountancy/admin/productaccount.php?mainmenu=accountancy&leftmenu=accountancy_admin','','MenuProductsAccounts',NULL,'accountancy',2,'accountancy_admin_product','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163587,'auguria',1,'','left','accountancy',161101,NULL,NULL,9,'/compta/prelevement/index.php?leftmenu=withdraw&mainmenu=bank','','StandingOrders',NULL,'withdrawals',0,'withdraw','$user->rights->prelevement->bons->lire','$conf->prelevement->enabled',2,'2017-08-30 15:14:30'),(163589,'auguria',1,'','left','accountancy',163587,NULL,NULL,0,'/compta/prelevement/create.php?leftmenu=withdraw','','NewStandingOrder',NULL,'withdrawals',1,'','$user->rights->prelevement->bons->lire','$conf->prelevement->enabled && $leftmenu==\"withdraw\"',2,'2017-08-30 15:14:30'),(163590,'auguria',1,'','left','accountancy',163587,NULL,NULL,2,'/compta/prelevement/bons.php?leftmenu=withdraw','','WithdrawalsReceipts',NULL,'withdrawals',1,'','$user->rights->prelevement->bons->lire','$conf->prelevement->enabled && $leftmenu==\"withdraw\"',2,'2017-08-30 15:14:30'),(163591,'auguria',1,'','left','accountancy',163587,NULL,NULL,3,'/compta/prelevement/list.php?leftmenu=withdraw','','WithdrawalsLines',NULL,'withdrawals',1,'','$user->rights->prelevement->bons->lire','$conf->prelevement->enabled && $leftmenu==\"withdraw\"',2,'2017-08-30 15:14:30'),(163593,'auguria',1,'','left','accountancy',163587,NULL,NULL,5,'/compta/prelevement/rejets.php?leftmenu=withdraw','','Rejects',NULL,'withdrawals',1,'','$user->rights->prelevement->bons->lire','$conf->prelevement->enabled && $leftmenu==\"withdraw\"',2,'2017-08-30 15:14:30'),(163594,'auguria',1,'','left','accountancy',163587,NULL,NULL,6,'/compta/prelevement/stats.php?leftmenu=withdraw','','Statistics',NULL,'withdrawals',1,'','$user->rights->prelevement->bons->lire','$conf->prelevement->enabled && $leftmenu==\"withdraw\"',2,'2017-08-30 15:14:30'),(163687,'auguria',1,'','left','accountancy',161101,NULL,NULL,1,'/compta/bank/index.php?leftmenu=bank&mainmenu=bank','','MenuBankCash',NULL,'banks',0,'bank','$user->rights->banque->lire','$conf->banque->enabled',0,'2017-08-30 15:14:30'),(163688,'auguria',1,'','left','accountancy',163687,NULL,NULL,0,'/compta/bank/card.php?action=create&leftmenu=bank','','MenuNewFinancialAccount',NULL,'banks',1,'','$user->rights->banque->configurer','$conf->banque->enabled && ($leftmenu==\"bank\" || $leftmenu==\"checks\" || $leftmenu==\"withdraw\")',0,'2017-08-30 15:14:30'),(163690,'auguria',1,'','left','accountancy',163687,NULL,NULL,2,'/compta/bank/bankentries.php?leftmenu=bank','','ListTransactions',NULL,'banks',1,'','$user->rights->banque->lire','$conf->banque->enabled && ($leftmenu==\"bank\" || $leftmenu==\"checks\" || $leftmenu==\"withdraw\")',0,'2017-08-30 15:14:30'),(163691,'auguria',1,'','left','accountancy',163687,NULL,NULL,3,'/compta/bank/budget.php?leftmenu=bank','','ListTransactionsByCategory',NULL,'banks',1,'','$user->rights->banque->lire','$conf->banque->enabled && ($leftmenu==\"bank\" || $leftmenu==\"checks\" || $leftmenu==\"withdraw\")',0,'2017-08-30 15:14:30'),(163693,'auguria',1,'','left','accountancy',163687,NULL,NULL,5,'/compta/bank/transfer.php?leftmenu=bank','','BankTransfers',NULL,'banks',1,'','$user->rights->banque->transfer','$conf->banque->enabled && ($leftmenu==\"bank\" || $leftmenu==\"checks\" || $leftmenu==\"withdraw\")',0,'2017-08-30 15:14:30'),(163737,'auguria',1,'','left','accountancy',161101,NULL,NULL,4,'/categories/index.php?leftmenu=bank&type=5','','Categories',NULL,'categories',0,'cat','$user->rights->categorie->lire','$conf->categorie->enabled',2,'2017-08-30 15:14:30'),(163738,'auguria',1,'','left','accountancy',163737,NULL,NULL,0,'/categories/card.php?leftmenu=bank&action=create&type=5','','NewCategory',NULL,'categories',1,'','$user->rights->categorie->creer','$conf->categorie->enabled',2,'2017-08-30 15:14:30'),(163787,'auguria',1,'','left','accountancy',161093,NULL,NULL,11,'/compta/resultat/index.php?leftmenu=ca&mainmenu=accountancy','','Reportings',NULL,'main',0,'ca','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->comptabilite->enabled',0,'2017-08-30 15:14:30'),(163792,'auguria',1,'','left','accountancy',163487,NULL,NULL,1,'','','Journalization',NULL,'main',1,'','$user->rights->accounting->comptarapport->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163793,'auguria',1,'','left','accountancy',163792,NULL,NULL,4,'/accountancy/journal/sellsjournal.php?mainmenu=accountancy&leftmenu=accountancy_journal&id_journal=1','','SellsJournal',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163794,'auguria',1,'','left','accountancy',163792,NULL,NULL,1,'/accountancy/journal/bankjournal.php?mainmenu=accountancy&leftmenu=accountancy_journal&id_journal=3','','BankJournal',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163795,'auguria',1,'','left','accountancy',163792,NULL,NULL,2,'/accountancy/journal/expensereportsjournal.php?mainmenu=accountancy&leftmenu=accountancy_journal&id_journal=6','','ExpenseReportJournal',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163796,'auguria',1,'','left','accountancy',163792,NULL,NULL,3,'/accountancy/journal/purchasesjournal.php?mainmenu=accountancy&leftmenu=accountancy_journal&id_journal=2','','PurchasesJournal',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163798,'auguria',1,'','left','accountancy',163787,NULL,NULL,0,'/compta/resultat/index.php?leftmenu=ca','','ReportInOut',NULL,'main',1,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->comptabilite->enabled && $leftmenu==\"ca\"',0,'2017-08-30 15:14:30'),(163799,'auguria',1,'','left','accountancy',163788,NULL,NULL,0,'/compta/resultat/clientfourn.php?leftmenu=ca','','ByCompanies',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->comptabilite->enabled && $leftmenu==\"ca\"',0,'2017-08-30 15:14:30'),(163800,'auguria',1,'','left','accountancy',163787,NULL,NULL,1,'/compta/stats/index.php?leftmenu=ca','','ReportTurnover',NULL,'main',1,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->comptabilite->enabled && $leftmenu==\"ca\"',0,'2017-08-30 15:14:30'),(163801,'auguria',1,'','left','accountancy',163790,NULL,NULL,0,'/compta/stats/casoc.php?leftmenu=ca','','ByCompanies',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->comptabilite->enabled && $leftmenu==\"ca\"',0,'2017-08-30 15:14:30'),(163802,'auguria',1,'','left','accountancy',163790,NULL,NULL,1,'/compta/stats/cabyuser.php?leftmenu=ca','','ByUsers',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->comptabilite->enabled && $leftmenu==\"ca\"',0,'2017-08-30 15:14:30'),(163803,'auguria',1,'','left','accountancy',163790,NULL,NULL,1,'/compta/stats/cabyprodserv.php?leftmenu=ca','','ByProductsAndServices',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->comptabilite->enabled && $leftmenu==\"ca\"',0,'2017-08-30 15:14:30'),(163887,'auguria',1,'','left','products',161090,NULL,NULL,0,'/product/index.php?leftmenu=product&type=0','','Products',NULL,'products',0,'product','$user->rights->produit->lire','$conf->product->enabled',2,'2017-08-30 15:14:30'),(163888,'auguria',1,'','left','products',163887,NULL,NULL,0,'/product/card.php?leftmenu=product&action=create&type=0','','NewProduct',NULL,'products',1,'','$user->rights->produit->creer','$conf->product->enabled',2,'2017-08-30 15:14:30'),(163889,'auguria',1,'','left','products',163887,NULL,NULL,1,'/product/list.php?leftmenu=product&type=0','','List',NULL,'products',1,'','$user->rights->produit->lire','$conf->product->enabled',2,'2017-08-30 15:14:30'),(163890,'auguria',1,'','left','products',163887,NULL,NULL,4,'/product/reassort.php?type=0','','Stocks',NULL,'products',1,'','$user->rights->produit->lire && $user->rights->stock->lire','$conf->product->enabled',2,'2017-08-30 15:14:30'),(163891,'auguria',1,'','left','products',163887,NULL,NULL,7,'/product/stats/card.php?id=all&leftmenu=stats&type=0','','Statistics',NULL,'main',1,'','$user->rights->produit->lire','$conf->propal->enabled',2,'2017-08-30 15:14:30'),(163892,'auguria',1,'','left','products',163887,NULL,NULL,5,'/product/reassortlot.php?type=0','','StocksByLotSerial',NULL,'products',1,'','$user->rights->produit->lire && $user->rights->stock->lire','$conf->productbatch->enabled',2,'2017-08-30 15:14:30'),(163893,'auguria',1,'','left','products',163887,NULL,NULL,6,'/product/stock/productlot_list.php','','LotSerial',NULL,'products',1,'','$user->rights->produit->lire && $user->rights->stock->lire','$conf->productbatch->enabled',2,'2017-08-30 15:14:30'),(163987,'auguria',1,'','left','products',161090,NULL,NULL,1,'/product/index.php?leftmenu=service&type=1','','Services',NULL,'products',0,'service','$user->rights->service->lire','$conf->service->enabled',2,'2017-08-30 15:14:30'),(163988,'auguria',1,'','left','products',163987,NULL,NULL,0,'/product/card.php?leftmenu=service&action=create&type=1','','NewService',NULL,'products',1,'','$user->rights->service->creer','$conf->service->enabled',2,'2017-08-30 15:14:30'),(163989,'auguria',1,'','left','products',163987,NULL,NULL,1,'/product/list.php?leftmenu=service&type=1','','List',NULL,'products',1,'','$user->rights->service->lire','$conf->service->enabled',2,'2017-08-30 15:14:30'),(163990,'auguria',1,'','left','products',163987,NULL,NULL,5,'/product/stats/card.php?id=all&leftmenu=stats&type=1','','Statistics',NULL,'main',1,'','$user->rights->service->lire','$conf->propal->enabled',2,'2017-08-30 15:14:30'),(164187,'auguria',1,'','left','products',161090,NULL,NULL,3,'/product/stock/index.php?leftmenu=stock','','Stock',NULL,'stocks',0,'stock','$user->rights->stock->lire','$conf->stock->enabled',2,'2017-08-30 15:14:30'),(164188,'auguria',1,'','left','products',164187,NULL,NULL,0,'/product/stock/card.php?action=create','','MenuNewWarehouse',NULL,'stocks',1,'','$user->rights->stock->creer','$conf->stock->enabled',2,'2017-08-30 15:14:30'),(164189,'auguria',1,'','left','products',164187,NULL,NULL,1,'/product/stock/list.php','','List',NULL,'stocks',1,'','$user->rights->stock->lire','$conf->stock->enabled',2,'2017-08-30 15:14:30'),(164191,'auguria',1,'','left','products',164187,NULL,NULL,3,'/product/stock/mouvement.php','','Movements',NULL,'stocks',1,'','$user->rights->stock->mouvement->lire','$conf->stock->enabled',2,'2017-08-30 15:14:30'),(164192,'auguria',1,'','left','products',164187,NULL,NULL,4,'/product/stock/replenish.php','','Replenishments',NULL,'stocks',1,'','$user->rights->stock->mouvement->creer && $user->rights->fournisseur->lire','$conf->stock->enabled && $conf->supplier_order->enabled',2,'2017-08-30 15:14:30'),(164193,'auguria',1,'','left','products',164187,NULL,NULL,5,'/product/stock/massstockmove.php','','MassStockTransferShort',NULL,'stocks',1,'','$user->rights->stock->mouvement->creer','$conf->stock->enabled',2,'2017-08-30 15:14:30'),(164287,'auguria',1,'','left','products',161090,NULL,NULL,4,'/categories/index.php?leftmenu=cat&type=0','','Categories',NULL,'categories',0,'cat','$user->rights->categorie->lire','$conf->categorie->enabled',2,'2017-08-30 15:14:30'),(164288,'auguria',1,'','left','products',164287,NULL,NULL,0,'/categories/card.php?action=create&type=0','','NewCategory',NULL,'categories',1,'','$user->rights->categorie->creer','$conf->categorie->enabled',2,'2017-08-30 15:14:30'),(164487,'auguria',1,'','left','project',161094,NULL,NULL,3,'/projet/activity/perweek.php?leftmenu=projects','','NewTimeSpent',NULL,'projects',0,'','$user->rights->projet->lire','$conf->projet->enabled && $conf->global->PROJECT_USE_TASKS',2,'2017-08-30 15:14:30'),(164687,'auguria',1,'','left','project',161094,NULL,NULL,0,'/projet/index.php?leftmenu=projects','','Projects',NULL,'projects',0,'projects','$user->rights->projet->lire','$conf->projet->enabled',2,'2017-08-30 15:14:30'),(164688,'auguria',1,'','left','project',164687,NULL,NULL,1,'/projet/card.php?leftmenu=projects&action=create','','NewProject',NULL,'projects',1,'','$user->rights->projet->creer','$conf->projet->enabled',2,'2017-08-30 15:14:30'),(164689,'auguria',1,'','left','project',164687,NULL,NULL,2,'/projet/list.php?leftmenu=projects','','List',NULL,'projects',1,'','$user->rights->projet->lire','$conf->projet->enabled',2,'2017-08-30 15:14:30'),(164690,'auguria',1,'','left','project',164687,NULL,NULL,3,'/projet/stats/index.php?leftmenu=projects','','Statistics',NULL,'projects',1,'','$user->rights->projet->lire','$conf->projet->enabled',2,'2017-08-30 15:14:30'),(164787,'auguria',1,'','left','project',161094,NULL,NULL,0,'/projet/activity/index.php?leftmenu=projects','','Activities',NULL,'projects',0,'','$user->rights->projet->lire','$conf->projet->enabled && $conf->global->PROJECT_USE_TASKS',2,'2017-08-30 15:14:30'),(164788,'auguria',1,'','left','project',164787,NULL,NULL,1,'/projet/tasks.php?leftmenu=projects&action=create','','NewTask',NULL,'projects',1,'','$user->rights->projet->creer','$conf->projet->enabled && $conf->global->PROJECT_USE_TASKS',2,'2017-08-30 15:14:30'),(164789,'auguria',1,'','left','project',164787,NULL,NULL,2,'/projet/tasks/list.php?leftmenu=projects','','List',NULL,'projects',1,'','$user->rights->projet->lire','$conf->projet->enabled && $conf->global->PROJECT_USE_TASKS',2,'2017-08-30 15:14:30'),(164791,'auguria',1,'','left','project',164787,NULL,NULL,4,'/projet/tasks/stats/index.php?leftmenu=projects','','Statistics',NULL,'projects',1,'','$user->rights->projet->lire','$conf->projet->enabled && $conf->global->PROJECT_USE_TASKS',2,'2017-08-30 15:14:30'),(164891,'auguria',1,'','left','project',161094,NULL,NULL,4,'/categories/index.php?leftmenu=cat&type=6','','Categories',NULL,'categories',0,'cat','$user->rights->categorie->lire','$conf->categorie->enabled',2,'2017-08-30 15:14:30'),(164892,'auguria',1,'','left','project',164891,NULL,NULL,0,'/categories/card.php?action=create&type=6','','NewCategory',NULL,'categories',1,'','$user->rights->categorie->creer','$conf->categorie->enabled',2,'2017-08-30 15:14:30'),(164987,'auguria',1,'','left','tools',161095,NULL,NULL,0,'/comm/mailing/index.php?leftmenu=mailing','','EMailings',NULL,'mails',0,'mailing','$user->rights->mailing->lire','$conf->mailing->enabled',0,'2017-08-30 15:14:30'),(164988,'auguria',1,'','left','tools',164987,NULL,NULL,0,'/comm/mailing/card.php?leftmenu=mailing&action=create','','NewMailing',NULL,'mails',1,'','$user->rights->mailing->creer','$conf->mailing->enabled',0,'2017-08-30 15:14:30'),(164989,'auguria',1,'','left','tools',164987,NULL,NULL,1,'/comm/mailing/list.php?leftmenu=mailing','','List',NULL,'mails',1,'','$user->rights->mailing->lire','$conf->mailing->enabled',0,'2017-08-30 15:14:30'),(165187,'auguria',1,'','left','tools',161095,NULL,NULL,2,'/exports/index.php?leftmenu=export','','FormatedExport',NULL,'exports',0,'export','$user->rights->export->lire','$conf->export->enabled',2,'2017-08-30 15:14:30'),(165188,'auguria',1,'','left','tools',165187,NULL,NULL,0,'/exports/export.php?leftmenu=export','','NewExport',NULL,'exports',1,'','$user->rights->export->creer','$conf->export->enabled',2,'2017-08-30 15:14:30'),(165217,'auguria',1,'','left','tools',161095,NULL,NULL,2,'/imports/index.php?leftmenu=import','','FormatedImport',NULL,'exports',0,'import','$user->rights->import->run','$conf->import->enabled',2,'2017-08-30 15:14:30'),(165218,'auguria',1,'','left','tools',165217,NULL,NULL,0,'/imports/import.php?leftmenu=import','','NewImport',NULL,'exports',1,'','$user->rights->import->run','$conf->import->enabled',2,'2017-08-30 15:14:30'),(165287,'auguria',1,'','left','members',161100,NULL,NULL,0,'/adherents/index.php?leftmenu=members&mainmenu=members','','Members',NULL,'members',0,'members','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165288,'auguria',1,'','left','members',165287,NULL,NULL,0,'/adherents/card.php?leftmenu=members&action=create','','NewMember',NULL,'members',1,'','$user->rights->adherent->creer','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165289,'auguria',1,'','left','members',165287,NULL,NULL,1,'/adherents/list.php','','List',NULL,'members',1,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165290,'auguria',1,'','left','members',165289,NULL,NULL,2,'/adherents/list.php?leftmenu=members&statut=-1','','MenuMembersToValidate',NULL,'members',2,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165291,'auguria',1,'','left','members',165289,NULL,NULL,3,'/adherents/list.php?leftmenu=members&statut=1','','MenuMembersValidated',NULL,'members',2,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165292,'auguria',1,'','left','members',165289,NULL,NULL,4,'/adherents/list.php?leftmenu=members&statut=1&filter=outofdate','','MenuMembersNotUpToDate',NULL,'members',2,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165293,'auguria',1,'','left','members',165289,NULL,NULL,5,'/adherents/list.php?leftmenu=members&statut=1&filter=uptodate','','MenuMembersUpToDate',NULL,'members',2,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165294,'auguria',1,'','left','members',165289,NULL,NULL,6,'/adherents/list.php?leftmenu=members&statut=0','','MenuMembersResiliated',NULL,'members',2,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165295,'auguria',1,'','left','members',165287,NULL,NULL,7,'/adherents/stats/geo.php?leftmenu=members&mode=memberbycountry','','MenuMembersStats',NULL,'members',1,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165387,'auguria',1,'','left','members',161100,NULL,NULL,1,'/adherents/index.php?leftmenu=members&mainmenu=members','','Subscriptions',NULL,'compta',0,'','$user->rights->adherent->cotisation->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165388,'auguria',1,'','left','members',165387,NULL,NULL,0,'/adherents/list.php?statut=-1&leftmenu=accountancy&mainmenu=members','','NewSubscription',NULL,'compta',1,'','$user->rights->adherent->cotisation->creer','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165389,'auguria',1,'','left','members',165387,NULL,NULL,1,'/adherents/subscription/list.php?leftmenu=members','','List',NULL,'compta',1,'','$user->rights->adherent->cotisation->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165390,'auguria',1,'','left','members',165387,NULL,NULL,7,'/adherents/stats/index.php?leftmenu=members','','MenuMembersStats',NULL,'members',1,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165589,'auguria',1,'','left','members',165287,NULL,NULL,9,'/adherents/htpasswd.php?leftmenu=export','','Filehtpasswd',NULL,'members',1,'','$user->rights->adherent->export','! empty($conf->global->MEMBER_LINK_TO_HTPASSWDFILE) && $conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165590,'auguria',1,'','left','members',165287,NULL,NULL,10,'/adherents/cartes/carte.php?leftmenu=export','','MembersCards',NULL,'members',1,'','$user->rights->adherent->export','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165687,'auguria',1,'','left','hrm',161102,NULL,NULL,1,'/user/index.php?leftmenu=hrm&mode=employee','','Employees',NULL,'hrm',0,'hrm','$user->rights->hrm->employee->read','$conf->hrm->enabled',0,'2017-08-30 15:14:30'),(165688,'auguria',1,'','left','hrm',165687,NULL,NULL,1,'/user/card.php?action=create&employee=1','','NewEmployee',NULL,'hrm',1,'','$user->rights->hrm->employee->write','$conf->hrm->enabled',0,'2017-08-30 15:14:30'),(165689,'auguria',1,'','left','hrm',165687,NULL,NULL,2,'/user/index.php?$leftmenu=hrm&mode=employee&contextpage=employeelist','','List',NULL,'hrm',1,'','$user->rights->hrm->employee->read','$conf->hrm->enabled',0,'2017-08-30 15:14:30'),(165787,'auguria',1,'','left','members',161100,NULL,NULL,5,'/adherents/type.php?leftmenu=setup&mainmenu=members','','MembersTypes',NULL,'members',0,'setup','$user->rights->adherent->configurer','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165788,'auguria',1,'','left','members',165787,NULL,NULL,0,'/adherents/type.php?leftmenu=setup&mainmenu=members&action=create','','New',NULL,'members',1,'','$user->rights->adherent->configurer','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165789,'auguria',1,'','left','members',165787,NULL,NULL,1,'/adherents/type.php?leftmenu=setup&mainmenu=members','','List',NULL,'members',1,'','$user->rights->adherent->configurer','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(166087,'auguria',1,'','left','hrm',161102,NULL,NULL,1,'/holiday/list.php?&leftmenu=hrm','','CPTitreMenu',NULL,'holiday',0,'hrm','$user->rights->holiday->read','$conf->holiday->enabled',0,'2017-08-30 15:14:30'),(166088,'auguria',1,'','left','hrm',166087,NULL,NULL,1,'/holiday/card.php?&action=request','','MenuAddCP',NULL,'holiday',1,'','$user->rights->holiday->write','$conf->holiday->enabled',0,'2017-08-30 15:14:30'),(166089,'auguria',1,'','left','hrm',166087,NULL,NULL,1,'/holiday/list.php?&leftmenu=hrm','','List',NULL,'holiday',1,'','$user->rights->holiday->read','$conf->holiday->enabled',0,'2017-08-30 15:14:30'),(166090,'auguria',1,'','left','hrm',166089,NULL,NULL,1,'/holiday/list.php?select_statut=2&leftmenu=hrm','','ListToApprove',NULL,'trips',2,'','$user->rights->holiday->read','$conf->holiday->enabled',0,'2017-08-30 15:14:30'),(166091,'auguria',1,'','left','hrm',166087,NULL,NULL,2,'/holiday/define_holiday.php?&action=request','','MenuConfCP',NULL,'holiday',1,'','$user->rights->holiday->define_holiday','$conf->holiday->enabled',0,'2017-08-30 15:14:30'),(166092,'auguria',1,'','left','hrm',166087,NULL,NULL,3,'/holiday/view_log.php?&action=request','','MenuLogCP',NULL,'holiday',1,'','$user->rights->holiday->define_holiday','$conf->holiday->enabled',0,'2017-08-30 15:14:30'),(166187,'auguria',1,'','left','commercial',161092,NULL,NULL,6,'/fourn/commande/index.php?leftmenu=orders_suppliers','','SuppliersOrders',NULL,'orders',0,'orders_suppliers','$user->rights->fournisseur->commande->lire','$conf->supplier_order->enabled',2,'2017-08-30 15:14:30'),(166188,'auguria',1,'','left','commercial',166187,NULL,NULL,0,'/fourn/commande/card.php?action=create&leftmenu=orders_suppliers','','NewOrder',NULL,'orders',1,'','$user->rights->fournisseur->commande->creer','$conf->supplier_order->enabled',2,'2017-08-30 15:14:30'),(166189,'auguria',1,'','left','commercial',166187,NULL,NULL,1,'/fourn/commande/list.php?leftmenu=orders_suppliers&search_status=0','','List',NULL,'orders',1,'','$user->rights->fournisseur->commande->lire','$conf->supplier_order->enabled',2,'2017-08-30 15:14:30'),(166195,'auguria',1,'','left','commercial',166187,NULL,NULL,7,'/commande/stats/index.php?leftmenu=orders_suppliers&mode=supplier','','Statistics',NULL,'orders',1,'','$user->rights->fournisseur->commande->lire','$conf->supplier_order->enabled',2,'2017-08-30 15:14:30'),(166287,'auguria',1,'','left','members',161100,NULL,NULL,3,'/categories/index.php?leftmenu=cat&type=3','','MembersCategoriesShort',NULL,'categories',0,'cat','$user->rights->categorie->lire','$conf->adherent->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(166288,'auguria',1,'','left','members',166287,NULL,NULL,0,'/categories/card.php?action=create&type=3','','NewCategory',NULL,'categories',1,'','$user->rights->categorie->creer','$conf->adherent->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(166387,'auguria',1,'','left','hrm',161102,NULL,NULL,5,'/expensereport/index.php?leftmenu=expensereport','','TripsAndExpenses',NULL,'trips',0,'expensereport','$user->rights->expensereport->lire','$conf->expensereport->enabled',0,'2017-08-30 15:14:30'),(166388,'auguria',1,'','left','hrm',166387,NULL,NULL,1,'/expensereport/card.php?action=create&leftmenu=expensereport','','New',NULL,'trips',1,'','$user->rights->expensereport->creer','$conf->expensereport->enabled',0,'2017-08-30 15:14:30'),(166389,'auguria',1,'','left','hrm',166387,NULL,NULL,2,'/expensereport/list.php?leftmenu=expensereport','','List',NULL,'trips',1,'','$user->rights->expensereport->lire','$conf->expensereport->enabled',0,'2017-08-30 15:14:30'),(166390,'auguria',1,'','left','hrm',166389,NULL,NULL,2,'/expensereport/list.php?search_status=2&leftmenu=expensereport','','ListToApprove',NULL,'trips',2,'','$user->rights->expensereport->approve','$conf->expensereport->enabled',0,'2017-08-30 15:14:30'),(166391,'auguria',1,'','left','hrm',166387,NULL,NULL,2,'/expensereport/stats/index.php?leftmenu=expensereport','','Statistics',NULL,'trips',1,'','$user->rights->expensereport->lire','$conf->expensereport->enabled',0,'2017-08-30 15:14:30'),(167182,'all',1,'knowledgemanagement','left','ticket',-1,NULL,'ticket',101,'/knowledgemanagement/knowledgerecord_list.php','','MenuKnowledgeRecord','','knowledgemanagement',NULL,'knowledgemanagement_knowledgerecord','$user->rights->knowledgemanagement->knowledgerecord->read','$conf->knowledgemanagement->enabled',2,'2022-02-07 13:39:27'),(167183,'all',1,'knowledgemanagement','left','ticket',-1,'knowledgemanagement_knowledgerecord','ticket',111,'/knowledgemanagement/knowledgerecord_list.php','','ListKnowledgeRecord','','knowledgemanagement',NULL,'knowledgemanagement_list','$user->rights->knowledgemanagement->knowledgerecord->read','$conf->knowledgemanagement->enabled',2,'2022-02-07 13:39:27'),(167184,'all',1,'knowledgemanagement','left','ticket',-1,'knowledgemanagement_knowledgerecord','ticket',110,'/knowledgemanagement/knowledgerecord_card.php?action=create','','NewKnowledgeRecord','','knowledgemanagement',NULL,'knowledgemanagement_new','$user->rights->knowledgemanagement->knowledgerecord->write','$conf->knowledgemanagement->enabled',2,'2022-02-07 13:39:27'),(167185,'all',1,'knowledgemanagement','left','ticket',-1,'knowledgemanagement_knowledgerecord','ticket',112,'/categories/index.php?type=13','','Categories','','knowledgemanagement',NULL,NULL,'$user->rights->knowledgemanagement->knowledgerecord->read','$conf->knowledgemanagement->enabled',0,'2022-02-07 13:39:27'),(167530,'all',1,'modulebuilder','left','tools',-1,NULL,'tools',100,'/modulebuilder/index.php?mainmenu=tools&leftmenu=devtools','_modulebuilder','ModuleBuilder','','modulebuilder',NULL,'devtools_modulebuilder','$user->hasRight(\"modulebuilder\", \"run\")','isModEnabled(\"modulebuilder\")',0,'2023-02-09 17:37:02'),(167533,'all',1,'aaa','top','aaa',0,NULL,NULL,1001,'/aaa/aaaindex.php','','ModuleAaaName','','aaa@aaa',NULL,NULL,'1','isModEnabled(\"aaa\")',2,'2023-02-09 17:38:11'),(167534,'all',1,'aaa','left','aaa',-1,NULL,'aaa',1102,'/aaa/aao_list.php','','List Aao','','aaa@aaa',NULL,'aaa_aao','1','$conf->aaa->enabled',2,'2023-02-09 17:38:11'),(167535,'all',1,'aaa','left','aaa',-1,'aaa_aao','aaa',1103,'/aaa/aao_card.php?action=create','','New Aao','','aaa@aaa',NULL,'aaa_aao','1','$conf->aaa->enabled',2,'2023-02-09 17:38:11'),(167670,'all',1,'workstation','left','mrp',-1,NULL,'mrp',1101,'','','Workstations','','mrp',NULL,'workstation_workstation','$user->rights->workstation->workstation->read','$conf->workstation->enabled',2,'2023-08-13 15:40:21'),(167671,'all',1,'workstation','left','mrp',-1,'workstation_workstation','mrp',1102,'/workstation/workstation_card.php?action=create','','WorkstationCreate','','mrp',NULL,'workstation_workstation_left_create','$user->rights->workstation->workstation->write','$conf->workstation->enabled',2,'2023-08-13 15:40:21'),(167672,'all',1,'workstation','left','mrp',-1,'workstation_workstation','mrp',1104,'/workstation/workstation_list.php','','List','','mrp',NULL,'workstation_workstation_left_list','$user->rights->workstation->workstation->read','$conf->workstation->enabled',2,'2023-08-13 15:40:21'),(167673,'all',1,'eventorganization','left','project',-1,NULL,'project',1001,'','','EventOrganizationMenuLeft','','eventorganization',NULL,'eventorganization','$user->rights->eventorganization->read','$conf->eventorganization->enabled',2,'2023-08-13 15:40:29'),(167674,'all',1,'eventorganization','left','project',-1,'eventorganization','project',1002,'/projet/list.php?search_usage_event_organization=1&search_status=99&mainmenu=project&contextpage=organizedevents','','List','','eventorganization@eventorganization',NULL,NULL,'$user->rights->eventorganization->read','$conf->eventorganization->enabled',2,'2023-08-13 15:40:29'),(167675,'all',1,'eventorganization','left','project',-1,'eventorganization','project',1003,'/projet/card.php?leftmenu=projects&action=create&usage_organize_event=1&usage_opportunity=0','','New','','eventorganization@eventorganization',NULL,NULL,'$user->rights->eventorganization->write','$conf->eventorganization->enabled',2,'2023-08-13 15:40:29'),(167676,'all',1,'eventorganization','left','project',-1,NULL,'project',1004,'','','ConferenceOrBooth','','eventorganization',NULL,'eventorganizationconforbooth','$user->rights->eventorganization->read','$conf->eventorganization->enabled',2,'2023-08-13 15:40:29'),(167677,'all',1,'eventorganization','left','project',-1,'eventorganizationconforbooth','project',1005,'/eventorganization/conferenceorbooth_list.php?mainmenu=project','','List','','eventorganization',NULL,NULL,'$user->rights->eventorganization->read','$conf->eventorganization->enabled',2,'2023-08-13 15:40:29'),(167678,'all',1,'eventorganization','left','project',-1,'eventorganizationconforbooth','project',1006,'/eventorganization/conferenceorbooth_card.php?leftmenu=projects&action=create','','New','','eventorganization',NULL,NULL,'$user->rights->eventorganization->write','$conf->eventorganization->enabled',2,'2023-08-13 15:40:29'),(167695,'all',1,'partnership','left','companies',-1,NULL,'companies',1101,'/partnership/partnership_list.php','','Partnership','','partnership',NULL,'partnership','$user->rights->partnership->read','$conf->partnership->enabled',2,'2023-08-15 10:35:26'),(167696,'all',1,'partnership','left','companies',-1,'partnership','companies',1102,'/partnership/partnership_card.php?action=create','','NewPartnership','','partnership',NULL,'partnership_new','$user->rights->partnership->write','$conf->partnership->enabled',2,'2023-08-15 10:35:26'),(167697,'all',1,'partnership','left','companies',-1,'partnership','companies',1103,'/partnership/partnership_list.php','','ListOfPartnerships','','partnership',NULL,'partnership_list','$user->rights->partnership->read','$conf->partnership->enabled',2,'2023-08-15 10:35:26'),(167698,'all',1,'agenda','top','agenda',0,NULL,NULL,86,'/comm/action/index.php','','TMenuAgenda','','agenda',NULL,NULL,'$user->rights->agenda->myactions->read || $user->rights->resource->read','isModEnabled(\"agenda\") || isModEnabled(\"resource\")',2,'2023-08-15 11:34:12'),(167699,'all',1,'agenda','left','agenda',167698,NULL,NULL,100,'/comm/action/index.php?mainmenu=agenda&leftmenu=agenda','','Actions','','agenda',NULL,NULL,'$user->rights->agenda->myactions->read','isModEnabled(\"agenda\")',2,'2023-08-15 11:34:12'),(167700,'all',1,'agenda','left','agenda',167699,NULL,NULL,101,'/comm/action/card.php?mainmenu=agenda&leftmenu=agenda&action=create','','NewAction','','commercial',NULL,NULL,'($user->hasRight(\"agenda\", \"myactions\", \"create\")||$user->hasRight(\"agenda\", \"allactions\", \"create\"))','isModEnabled(\"agenda\")',2,'2023-08-15 11:34:12'),(167701,'all',1,'agenda','left','agenda',167699,NULL,NULL,140,'/comm/action/index.php?action=default&mainmenu=agenda&leftmenu=agenda','','Calendar','','agenda',NULL,NULL,'$user->rights->agenda->myactions->read','isModEnabled(\"agenda\")',2,'2023-08-15 11:34:12'),(167702,'all',1,'agenda','left','agenda',167701,NULL,NULL,141,'/comm/action/index.php?action=default&mainmenu=agenda&leftmenu=agenda&status=todo&filter=mine','','MenuToDoMyActions','','agenda',NULL,NULL,'$user->rights->agenda->myactions->read','isModEnabled(\"agenda\")',2,'2023-08-15 11:34:12'),(167703,'all',1,'agenda','left','agenda',167701,NULL,NULL,142,'/comm/action/index.php?action=default&mainmenu=agenda&leftmenu=agenda&status=done&filter=mine','','MenuDoneMyActions','','agenda',NULL,NULL,'$user->rights->agenda->myactions->read','isModEnabled(\"agenda\")',2,'2023-08-15 11:34:12'),(167704,'all',1,'agenda','left','agenda',167701,NULL,NULL,143,'/comm/action/index.php?action=default&mainmenu=agenda&leftmenu=agenda&status=todo&filtert=-1','','MenuToDoActions','','agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$user->rights->agenda->allactions->read',2,'2023-08-15 11:34:12'),(167705,'all',1,'agenda','left','agenda',167701,NULL,NULL,144,'/comm/action/index.php?action=default&mainmenu=agenda&leftmenu=agenda&status=done&filtert=-1','','MenuDoneActions','','agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$user->rights->agenda->allactions->read',2,'2023-08-15 11:34:12'),(167706,'all',1,'agenda','left','agenda',167699,NULL,NULL,110,'/comm/action/list.php?mode=show_list&mainmenu=agenda&leftmenu=agenda','','List','','agenda',NULL,NULL,'$user->rights->agenda->myactions->read','isModEnabled(\"agenda\")',2,'2023-08-15 11:34:12'),(167707,'all',1,'agenda','left','agenda',167706,NULL,NULL,111,'/comm/action/list.php?mode=show_list&mainmenu=agenda&leftmenu=agenda&status=todo&filter=mine','','MenuToDoMyActions','','agenda',NULL,NULL,'$user->rights->agenda->myactions->read','isModEnabled(\"agenda\")',2,'2023-08-15 11:34:12'),(167708,'all',1,'agenda','left','agenda',167706,NULL,NULL,112,'/comm/action/list.php?mode=show_list&mainmenu=agenda&leftmenu=agenda&status=done&filter=mine','','MenuDoneMyActions','','agenda',NULL,NULL,'$user->rights->agenda->myactions->read','isModEnabled(\"agenda\")',2,'2023-08-15 11:34:12'),(167709,'all',1,'agenda','left','agenda',167706,NULL,NULL,113,'/comm/action/list.php?mode=show_list&mainmenu=agenda&leftmenu=agenda&status=todo&filtert=-1','','MenuToDoActions','','agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$user->rights->agenda->allactions->read',2,'2023-08-15 11:34:12'),(167710,'all',1,'agenda','left','agenda',167706,NULL,NULL,114,'/comm/action/list.php?mode=show_list&mainmenu=agenda&leftmenu=agenda&status=done&filtert=-1','','MenuDoneActions','','agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$user->rights->agenda->allactions->read',2,'2023-08-15 11:34:12'),(167711,'all',1,'agenda','left','agenda',167699,NULL,NULL,160,'/comm/action/rapport/index.php?mainmenu=agenda&leftmenu=agenda','','Reportings','','agenda',NULL,NULL,'$user->rights->agenda->allactions->read','isModEnabled(\"agenda\")',2,'2023-08-15 11:34:12'),(167712,'all',1,'agenda','left','agenda',167699,NULL,NULL,170,'/categories/index.php?mainmenu=agenda&leftmenu=agenda&type=10','','Categories','','agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$conf->categorie->enabled',2,'2023-08-15 11:34:12'),(167713,'all',1,'barcode','left','tools',-1,NULL,'tools',200,'/barcode/printsheet.php?mainmenu=tools&leftmenu=barcodeprint','','BarCodePrintsheet','','products',NULL,'barcodeprint','$user->hasRight(\"barcode\", \"read\")','isModEnabled(\"barcode\")',0,'2023-08-15 11:34:12'),(167714,'all',1,'barcode','left','home',-1,'admintools','home',300,'/barcode/codeinit.php?mainmenu=home&leftmenu=admintools','','MassBarcodeInit','','products',NULL,NULL,'$user->admin','isModEnabled(\"barcode\") && preg_match(\'/^(admintools|all)/\',$leftmenu)',0,'2023-08-15 11:34:12'),(167715,'all',1,'cron','left','home',-1,'admintools','home',500,'/cron/list.php?leftmenu=admintools','','CronList','','cron',NULL,NULL,'$user->rights->cron->read','$conf->cron->enabled && preg_match(\'/^(admintools|all)/\', $leftmenu)',2,'2023-08-15 11:34:12'),(167716,'all',1,'blockedlog','left','tools',-1,NULL,'tools',200,'/blockedlog/admin/blockedlog_list.php?mainmenu=tools&leftmenu=blockedlogbrowser','','BrowseBlockedLog','','blockedlog',NULL,'blockedlogbrowser','$user->rights->blockedlog->read','$conf->blockedlog->enabled',2,'2023-08-15 11:34:12'),(167717,'all',1,'ecm','top','ecm',0,NULL,NULL,82,'/ecm/index.php','','MenuECM','','ecm',NULL,NULL,'$user->rights->ecm->read || $user->rights->ecm->upload || $user->rights->ecm->setup','isModEnabled(\"ecm\")',2,'2023-08-15 11:34:12'),(167718,'all',1,'ecm','left','ecm',-1,NULL,'ecm',101,'/ecm/index.php?mainmenu=ecm&leftmenu=ecm','','ECMArea','','ecm',NULL,'ecm','$user->rights->ecm->read || $user->rights->ecm->upload','$user->rights->ecm->read || $user->rights->ecm->upload',2,'2023-08-15 11:34:12'),(167719,'all',1,'ecm','left','ecm',-1,'ecm','ecm',102,'/ecm/index.php?action=file_manager&mainmenu=ecm&leftmenu=ecm','','ECMSectionsManual','','ecm',NULL,'ecm_manual','$user->rights->ecm->read || $user->rights->ecm->upload','$user->rights->ecm->read || $user->rights->ecm->upload',2,'2023-08-15 11:34:12'),(167720,'all',1,'ecm','left','ecm',-1,'ecm','ecm',103,'/ecm/index_auto.php?action=file_manager&mainmenu=ecm&leftmenu=ecm','','ECMSectionsAuto','','ecm',NULL,NULL,'$user->rights->ecm->read || $user->rights->ecm->upload','($user->rights->ecm->read || $user->rights->ecm->upload) && !getDolGlobalInt(\"ECM_AUTO_TREE_HIDEN\")',2,'2023-08-15 11:34:12'),(167721,'all',1,'ecm','left','ecm',-1,'ecm','ecm',104,'/ecm/index_medias.php?action=file_manager&mainmenu=ecm&leftmenu=ecm','','ECMSectionsMedias','','ecm',NULL,NULL,'$user->rights->ecm->read || $user->rights->ecm->upload','($user->rights->ecm->read || $user->rights->ecm->upload) && getDolGlobalInt(\"MAIN_FEATURES_LEVEL\") == 2',2,'2023-08-15 11:34:12'),(167722,'all',1,'margins','left','billing',-1,NULL,'billing',100,'/margin/index.php','','Margins','','margins',NULL,'margins','$user->rights->margins->liretous','isModEnabled(\"margin\")',2,'2023-08-15 11:34:13'),(167723,'all',1,'opensurvey','left','tools',-1,NULL,'tools',200,'/opensurvey/index.php?mainmenu=tools&leftmenu=opensurvey','','Survey','','opensurvey',NULL,'opensurvey','$user->rights->opensurvey->read','$conf->opensurvey->enabled',0,'2023-08-15 11:34:13'),(167724,'all',1,'opensurvey','left','tools',-1,'opensurvey','tools',210,'/opensurvey/wizard/index.php','','NewSurvey','','opensurvey',NULL,'opensurvey_new','$user->rights->opensurvey->write','$conf->opensurvey->enabled',0,'2023-08-15 11:34:13'),(167725,'all',1,'opensurvey','left','tools',-1,'opensurvey','tools',220,'/opensurvey/list.php','','List','','opensurvey',NULL,'opensurvey_list','$user->rights->opensurvey->read','$conf->opensurvey->enabled',0,'2023-08-15 11:34:13'),(167726,'all',1,'printing','left','home',-1,'admintools','home',300,'/printing/index.php?mainmenu=home&leftmenu=admintools','','MenuDirectPrinting','','printing',NULL,NULL,'$user->rights->printing->read','$conf->printing->enabled && preg_match(\'/^(admintools|all)/\', $leftmenu)',0,'2023-08-15 11:34:13'),(167727,'all',1,'recruitment','left','hrm',-1,NULL,'hrm',1001,'/recruitment/index.php','','Recruitment','','recruitment',NULL,'recruitmentjobposition','$user->hasRight(\"recruitment\", \"recruitmentjobposition\", \"read\")','$conf->recruitment->enabled',2,'2023-08-15 11:34:13'),(167728,'all',1,'recruitment','left','hrm',-1,'recruitmentjobposition','hrm',1002,'/recruitment/recruitmentjobposition_card.php?action=create','','NewPositionToBeFilled','','recruitment',NULL,'recruitment_recruitmentjobposition_new','$user->rights->recruitment->recruitmentjobposition->write','$conf->recruitment->enabled',2,'2023-08-15 11:34:13'),(167729,'all',1,'recruitment','left','hrm',-1,'recruitmentjobposition','hrm',1003,'/recruitment/recruitmentjobposition_list.php','','ListOfPositionsToBeFilled','','recruitment',NULL,'recruitment_recruitmentjobposition_list','$user->hasRight(\"recruitment\", \"recruitmentjobposition\", \"read\")','$conf->recruitment->enabled',2,'2023-08-15 11:34:13'),(167730,'all',1,'recruitment','left','hrm',-1,'recruitmentjobposition','hrm',1004,'/recruitment/recruitmentcandidature_card.php?action=create','','NewCandidature','','recruitment',NULL,'recruitment_recruitmentcandidature_new','$user->rights->recruitment->recruitmentjobposition->write','$conf->recruitment->enabled',2,'2023-08-15 11:34:13'),(167731,'all',1,'recruitment','left','hrm',-1,'recruitmentjobposition','hrm',1005,'/recruitment/recruitmentcandidature_list.php','','ListOfCandidatures','','recruitment',NULL,'recruitment_recruitmentcandidature_list','$user->hasRight(\"recruitment\", \"recruitmentjobposition\", \"read\")','$conf->recruitment->enabled',2,'2023-08-15 11:34:13'),(167732,'all',1,'resource','left','agenda',-1,NULL,'agenda',100,'/resource/list.php','','MenuResourceIndex','','resource',NULL,'resource','$user->rights->resource->read','1',0,'2023-08-15 11:34:13'),(167733,'all',1,'resource','left','agenda',-1,'resource','agenda',101,'/resource/card.php?action=create','','MenuResourceAdd','','resource',NULL,'resource_add','$user->rights->resource->write','1',0,'2023-08-15 11:34:13'),(167734,'all',1,'resource','left','agenda',-1,'resource','agenda',102,'/resource/list.php','','List','','resource',NULL,'resource_list','$user->rights->resource->read','1',0,'2023-08-15 11:34:13'),(167735,'all',1,'stripe','left','bank',-1,NULL,'bank',100,'','','StripeAccount','','stripe',NULL,'stripe','$user->rights->banque->lire','isModEnabled(\"stripe\") && isModenabled(\"banque\")',0,'2023-08-15 11:34:14'),(167736,'all',1,'stripe','left','bank',-1,'stripe','bank',102,'/stripe/charge.php','','StripeChargeList','','stripe',NULL,NULL,'$user->rights->banque->lire','isModEnabled(\"stripe\") && isModenabled(\"banque\") && getDolGlobalInt(\"MAIN_FEATURES_LEVEL\") >= 1',0,'2023-08-15 11:34:14'),(167737,'all',1,'stripe','left','bank',-1,'stripe','bank',102,'/stripe/transaction.php','','StripeTransactionList','','stripe',NULL,NULL,'$user->rights->banque->lire','isModEnabled(\"stripe\") && isModenabled(\"banque\") && getDolGlobalInt(\"MAIN_FEATURES_LEVEL\") >= 2',0,'2023-08-15 11:34:14'),(167738,'all',1,'stripe','left','bank',-1,'stripe','bank',103,'/stripe/payout.php','','StripePayoutList','','stripe',NULL,NULL,'$user->rights->banque->lire','isModEnabled(\"stripe\") && isModenabled(\"banque\")',0,'2023-08-15 11:34:14'),(167739,'all',1,'ticket','left','ticket',-1,NULL,'ticket',101,'/ticket/index.php','','Ticket','','ticket',NULL,'ticket','$user->rights->ticket->read','isModEnabled(\"ticket\")',2,'2023-08-15 11:34:14'),(167740,'all',1,'ticket','left','ticket',-1,'ticket','ticket',102,'/ticket/card.php?action=create','','NewTicket','','ticket',NULL,NULL,'$user->rights->ticket->write','isModEnabled(\"ticket\")',2,'2023-08-15 11:34:14'),(167741,'all',1,'ticket','left','ticket',-1,'ticket','ticket',103,'/ticket/list.php?search_fk_status=non_closed','','List','','ticket',NULL,'ticketlist','$user->rights->ticket->read','isModEnabled(\"ticket\")',2,'2023-08-15 11:34:14'),(167742,'all',1,'ticket','left','ticket',-1,'ticket','ticket',105,'/ticket/list.php?mode=mine&search_fk_status=non_closed','','MenuTicketMyAssign','','ticket',NULL,'ticketmy','$user->rights->ticket->read','isModEnabled(\"ticket\")',0,'2023-08-15 11:34:14'),(167743,'all',1,'ticket','left','ticket',-1,'ticket','ticket',107,'/ticket/stats/index.php','','Statistics','','ticket',NULL,NULL,'$user->rights->ticket->read','isModEnabled(\"ticket\")',0,'2023-08-15 11:34:14'),(167744,'all',1,'ticket','left','ticket',-1,'ticket','ticket',107,'/categories/index.php?type=12','','Categories','','ticket',NULL,NULL,'$user->rights->ticket->read','$conf->categorie->enabled',0,'2023-08-15 11:34:14'),(167745,'all',1,'takepos','top','takepos',0,NULL,NULL,1001,'/takepos/index.php','takepos','PointOfSaleShort','','cashdesk',NULL,NULL,'$user->rights->takepos->run','$conf->takepos->enabled',2,'2023-08-15 11:34:14'),(167747,'all',1,'website','top','website',0,NULL,NULL,100,'/website/index.php','','WebSites','','website',NULL,NULL,'$user->rights->website->read','$conf->website->enabled',2,'2023-08-15 13:47:50'); +INSERT INTO `llx_menu` VALUES (103094,'all',2,'agenda','top','agenda',0,NULL,NULL,100,'/comm/action/index.php','','Agenda',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103095,'all',2,'agenda','left','agenda',103094,NULL,NULL,100,'/comm/action/index.php?mainmenu=agenda&leftmenu=agenda','','Actions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103096,'all',2,'agenda','left','agenda',103095,NULL,NULL,101,'/comm/action/card.php?mainmenu=agenda&leftmenu=agenda&action=create','','NewAction',NULL,'commercial',NULL,NULL,'($user->rights->agenda->myactions->create||$user->rights->agenda->allactions->create)','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103097,'all',2,'agenda','left','agenda',103095,NULL,NULL,102,'/comm/action/index.php?mainmenu=agenda&leftmenu=agenda','','Calendar',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103098,'all',2,'agenda','left','agenda',103097,NULL,NULL,103,'/comm/action/index.php?mainmenu=agenda&leftmenu=agenda&status=todo&filter=mine','','MenuToDoMyActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103099,'all',2,'agenda','left','agenda',103097,NULL,NULL,104,'/comm/action/index.php?mainmenu=agenda&leftmenu=agenda&status=done&filter=mine','','MenuDoneMyActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103100,'all',2,'agenda','left','agenda',103097,NULL,NULL,105,'/comm/action/index.php?mainmenu=agenda&leftmenu=agenda&status=todo','','MenuToDoActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$user->rights->agenda->allactions->read',2,'2015-03-13 15:29:19'),(103101,'all',2,'agenda','left','agenda',103097,NULL,NULL,106,'/comm/action/index.php?mainmenu=agenda&leftmenu=agenda&status=done','','MenuDoneActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$user->rights->agenda->allactions->read',2,'2015-03-13 15:29:19'),(103102,'all',2,'agenda','left','agenda',103095,NULL,NULL,112,'/comm/action/listactions.php?mainmenu=agenda&leftmenu=agenda','','List',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103103,'all',2,'agenda','left','agenda',103102,NULL,NULL,113,'/comm/action/listactions.php?mainmenu=agenda&leftmenu=agenda&status=todo&filter=mine','','MenuToDoMyActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103104,'all',2,'agenda','left','agenda',103102,NULL,NULL,114,'/comm/action/listactions.php?mainmenu=agenda&leftmenu=agenda&status=done&filter=mine','','MenuDoneMyActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->myactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103105,'all',2,'agenda','left','agenda',103102,NULL,NULL,115,'/comm/action/listactions.php?mainmenu=agenda&leftmenu=agenda&status=todo','','MenuToDoActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$user->rights->agenda->allactions->read',2,'2015-03-13 15:29:19'),(103106,'all',2,'agenda','left','agenda',103102,NULL,NULL,116,'/comm/action/listactions.php?mainmenu=agenda&leftmenu=agenda&status=done','','MenuDoneActions',NULL,'agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$user->rights->agenda->allactions->read',2,'2015-03-13 15:29:19'),(103107,'all',2,'agenda','left','agenda',103095,NULL,NULL,120,'/comm/action/rapport/index.php?mainmenu=agenda&leftmenu=agenda','','Reportings',NULL,'agenda',NULL,NULL,'$user->rights->agenda->allactions->read','$conf->agenda->enabled',2,'2015-03-13 15:29:19'),(103134,'all',2,'opensurvey','top','opensurvey',0,NULL,NULL,200,'/opensurvey/index.php','','Surveys',NULL,'opensurvey',NULL,NULL,'$user->rights->opensurvey->survey->read','$conf->opensurvey->enabled',0,'2015-03-13 20:33:42'),(103135,'all',2,'opensurvey','left','opensurvey',-1,NULL,'opensurvey',200,'/opensurvey/index.php?mainmenu=opensurvey&leftmenu=opensurvey','','Survey',NULL,'opensurvey@opensurvey',NULL,'opensurvey','','$conf->opensurvey->enabled',0,'2015-03-13 20:33:42'),(103136,'all',2,'opensurvey','left','opensurvey',-1,'opensurvey','opensurvey',210,'/opensurvey/public/index.php','_blank','NewSurvey',NULL,'opensurvey@opensurvey',NULL,'opensurvey_new','','$conf->opensurvey->enabled',0,'2015-03-13 20:33:42'),(103137,'all',2,'opensurvey','left','opensurvey',-1,'opensurvey','opensurvey',220,'/opensurvey/list.php','','List',NULL,'opensurvey@opensurvey',NULL,'opensurvey_list','','$conf->opensurvey->enabled',0,'2015-03-13 20:33:42'),(161088,'auguria',1,'','top','home',0,NULL,NULL,10,'/index.php?mainmenu=home&leftmenu=','','Home',NULL,'',-1,'','','1',2,'2017-08-30 15:14:30'),(161089,'auguria',1,'societe|fournisseur','top','companies',0,NULL,NULL,20,'/societe/index.php?mainmenu=companies&leftmenu=','','ThirdParties',NULL,'companies',-1,'','$user->rights->societe->lire || $user->rights->societe->contact->lire','( ! empty($conf->societe->enabled) && (empty($conf->global->SOCIETE_DISABLE_PROSPECTS) || empty($conf->global->SOCIETE_DISABLE_CUSTOMERS))) || ! empty($conf->fournisseur->enabled)',2,'2017-08-30 15:14:30'),(161090,'auguria',1,'product|service','top','products',0,NULL,NULL,30,'/product/index.php?mainmenu=products&leftmenu=','','Products/Services',NULL,'products',-1,'','$user->rights->produit->lire||$user->rights->service->lire','$conf->product->enabled || $conf->service->enabled',0,'2017-08-30 15:14:30'),(161092,'auguria',1,'propal|commande|fournisseur|contrat|ficheinter','top','commercial',0,NULL,NULL,40,'/comm/index.php?mainmenu=commercial&leftmenu=','','Commercial',NULL,'commercial',-1,'','$user->rights->societe->lire || $user->rights->societe->contact->lire','$conf->propal->enabled || $conf->commande->enabled || $conf->supplier_order->enabled || $conf->contrat->enabled || $conf->ficheinter->enabled',2,'2017-08-30 15:14:30'),(161093,'auguria',1,'comptabilite|accounting|facture|don|tax|salaries|loan','top','accountancy',0,NULL,NULL,50,'/compta/index.php?mainmenu=accountancy&leftmenu=','','MenuFinancial',NULL,'compta',-1,'','$user->rights->compta->resultat->lire || $user->rights->accounting->plancompte->lire || $user->rights->facture->lire|| $user->rights->don->lire || $user->rights->tax->charges->lire || $user->rights->salaries->read || $user->rights->loan->read','$conf->comptabilite->enabled || $conf->accounting->enabled || $conf->facture->enabled || $conf->don->enabled || $conf->tax->enabled || $conf->salaries->enabled || $conf->supplier_invoice->enabled || $conf->loan->enabled',2,'2017-08-30 15:14:30'),(161094,'auguria',1,'projet','top','project',0,NULL,NULL,70,'/projet/index.php?mainmenu=project&leftmenu=','','Projects',NULL,'projects',-1,'','$user->rights->projet->lire','$conf->projet->enabled',2,'2017-08-30 15:14:30'),(161095,'auguria',1,'mailing|export|import|opensurvey|resource','top','tools',0,NULL,NULL,90,'/core/tools.php?mainmenu=tools&leftmenu=','','Tools',NULL,'other',-1,'','$user->rights->mailing->lire || $user->rights->export->lire || $user->rights->import->run || $user->rights->opensurvey->read || $user->rights->resource->read','$conf->mailing->enabled || $conf->export->enabled || $conf->import->enabled || $conf->opensurvey->enabled || $conf->resource->enabled',2,'2017-08-30 15:14:30'),(161101,'auguria',1,'banque|prelevement','top','bank',0,NULL,NULL,60,'/compta/bank/index.php?mainmenu=bank&leftmenu=bank','','MenuBankCash',NULL,'banks',-1,'','$user->rights->banque->lire || $user->rights->prelevement->bons->lire','$conf->banque->enabled || $conf->prelevement->enabled',0,'2017-08-30 15:14:30'),(161102,'auguria',1,'hrm|holiday|deplacement|expensereport','top','hrm',0,NULL,NULL,80,'/hrm/index.php?mainmenu=hrm&leftmenu=','','HRM',NULL,'holiday',-1,'','$user->rights->hrm->employee->read || $user->rights->holiday->write || $user->rights->deplacement->lire || $user->rights->expensereport->lire','$conf->hrm->enabled || $conf->holiday->enabled || $conf->deplacement->enabled || $conf->expensereport->enabled',0,'2017-08-30 15:14:30'),(161177,'auguria',1,'','left','home',161088,NULL,NULL,0,'/index.php','','MyDashboard',NULL,'',0,'','','1',2,'2017-08-30 15:14:30'),(161187,'auguria',1,'','left','home',161088,NULL,NULL,1,'/admin/index.php?leftmenu=setup','','Setup',NULL,'admin',0,'setup','','$user->admin',2,'2017-08-30 15:14:30'),(161188,'auguria',1,'','left','home',161187,NULL,NULL,1,'/admin/company.php?leftmenu=setup','','MenuCompanySetup',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161189,'auguria',1,'','left','home',161187,NULL,NULL,4,'/admin/ihm.php?leftmenu=setup','','GUISetup',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161190,'auguria',1,'','left','home',161187,NULL,NULL,2,'/admin/modules.php?leftmenu=setup','','Modules',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161191,'auguria',1,'','left','home',161187,NULL,NULL,6,'/admin/boxes.php?leftmenu=setup','','Boxes',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161192,'auguria',1,'','left','home',161187,NULL,NULL,3,'/admin/menus.php?leftmenu=setup','','Menus',NULL,'admin',1,'','','$leftmenu==\'setup\'',2,'2017-09-06 08:29:47'),(161193,'auguria',1,'','left','home',161187,NULL,NULL,7,'/admin/delais.php?leftmenu=setup','','Alerts',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161194,'auguria',1,'','left','home',161187,NULL,NULL,10,'/admin/pdf.php?leftmenu=setup','','PDF',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161195,'auguria',1,'','left','home',161187,NULL,NULL,8,'/admin/security_other.php?leftmenu=setup','','Security',NULL,'admin',1,'','','$leftmenu==\'setup\'',2,'2017-09-06 08:29:36'),(161196,'auguria',1,'','left','home',161187,NULL,NULL,11,'/admin/mails.php?leftmenu=setup','','Emails',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161197,'auguria',1,'','left','home',161187,NULL,NULL,9,'/admin/limits.php?leftmenu=setup','','MenuLimits',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161198,'auguria',1,'','left','home',161187,NULL,NULL,13,'/admin/dict.php?leftmenu=setup','','Dictionary',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161199,'auguria',1,'','left','home',161187,NULL,NULL,14,'/admin/const.php?leftmenu=setup','','OtherSetup',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161200,'auguria',1,'','left','home',161187,NULL,NULL,12,'/admin/sms.php?leftmenu=setup','','SMS',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161201,'auguria',1,'','left','home',161187,NULL,NULL,4,'/admin/translation.php?leftmenu=setup','','Translation',NULL,'admin',1,'','','$leftmenu==\"setup\"',2,'2017-08-30 15:14:30'),(161288,'auguria',1,'','left','home',161387,NULL,NULL,0,'/admin/system/dolibarr.php?leftmenu=admintools','','InfoDolibarr',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161289,'auguria',1,'','left','home',161288,NULL,NULL,2,'/admin/system/modules.php?leftmenu=admintools','','Modules',NULL,'admin',2,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161290,'auguria',1,'','left','home',161288,NULL,NULL,3,'/admin/triggers.php?leftmenu=admintools','','Triggers',NULL,'admin',2,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161291,'auguria',1,'','left','home',161288,NULL,NULL,4,'/admin/system/filecheck.php?leftmenu=admintools','','FileCheck',NULL,'admin',2,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161292,'auguria',1,'','left','home',161387,NULL,NULL,1,'/admin/system/browser.php?leftmenu=admintools','','InfoBrowser',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161293,'auguria',1,'','left','home',161387,NULL,NULL,2,'/admin/system/os.php?leftmenu=admintools','','InfoOS',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161294,'auguria',1,'','left','home',161387,NULL,NULL,3,'/admin/system/web.php?leftmenu=admintools','','InfoWebServer',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161295,'auguria',1,'','left','home',161387,NULL,NULL,4,'/admin/system/phpinfo.php?leftmenu=admintools','','InfoPHP',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161297,'auguria',1,'','left','home',161387,NULL,NULL,5,'/admin/system/database.php?leftmenu=admintools','','InfoDatabase',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161387,'auguria',1,'','left','home',161088,NULL,NULL,2,'/admin/tools/index.php?leftmenu=admintools','','AdminTools',NULL,'admin',0,'admintools','','$user->admin',2,'2017-08-30 15:14:30'),(161388,'auguria',1,'','left','home',161387,NULL,NULL,6,'/admin/tools/dolibarr_export.php?leftmenu=admintools','','Backup',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161389,'auguria',1,'','left','home',161387,NULL,NULL,7,'/admin/tools/dolibarr_import.php?leftmenu=admintools','','Restore',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161392,'auguria',1,'','left','home',161387,NULL,NULL,8,'/admin/tools/update.php?leftmenu=admintools','','MenuUpgrade',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161393,'auguria',1,'','left','home',161387,NULL,NULL,9,'/admin/tools/eaccelerator.php?leftmenu=admintools','','EAccelerator',NULL,'admin',1,'','','$leftmenu==\"admintools\" && function_exists(\"eaccelerator_info\")',2,'2017-08-30 15:14:30'),(161394,'auguria',1,'','left','home',161387,NULL,NULL,10,'/admin/tools/listevents.php?leftmenu=admintools','','Audit',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161395,'auguria',1,'','left','home',161387,NULL,NULL,11,'/admin/tools/listsessions.php?leftmenu=admintools','','Sessions',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161396,'auguria',1,'','left','home',161387,NULL,NULL,12,'/admin/tools/purge.php?leftmenu=admintools','','Purge',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161398,'auguria',1,'','left','home',161387,NULL,NULL,14,'/admin/system/about.php?leftmenu=admintools','','ExternalResources',NULL,'admin',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161407,'auguria',1,'','left','home',161387,NULL,NULL,15,'/product/admin/product_tools.php?mainmenu=home&leftmenu=admintools','','ProductVatMassChange',NULL,'products',1,'','','$leftmenu==\"admintools\"',2,'2017-08-30 15:14:30'),(161487,'auguria',1,'','left','home',161088,NULL,NULL,4,'/user/home.php?leftmenu=users','','MenuUsersAndGroups',NULL,'users',0,'users','','1',2,'2017-08-30 15:14:30'),(161488,'auguria',1,'','left','home',161487,NULL,NULL,0,'/user/index.php?leftmenu=users','','Users',NULL,'users',1,'','$user->rights->user->user->lire || $user->admin','$leftmenu==\"users\"',2,'2017-08-30 15:14:30'),(161489,'auguria',1,'','left','home',161488,NULL,NULL,0,'/user/card.php?leftmenu=users&action=create','','NewUser',NULL,'users',2,'','($user->rights->user->user->creer || $user->admin) && !(! empty($conf->multicompany->enabled) && $conf->entity > 1 && $conf->global->MULTICOMPANY_TRANSVERSE_MODE)','$leftmenu==\"users\"',2,'2017-08-30 15:14:30'),(161490,'auguria',1,'','left','home',161487,NULL,NULL,1,'/user/group/index.php?leftmenu=users','','Groups',NULL,'users',1,'','(($conf->global->MAIN_USE_ADVANCED_PERMS?$user->rights->user->group_advance->read:$user->rights->user->user->lire) || $user->admin) && !(! empty($conf->multicompany->enabled) && $conf->entity > 1 && $conf->global->MULTICOMPANY_TRANSVERSE_MODE)','$leftmenu==\"users\"',2,'2017-08-30 15:14:30'),(161491,'auguria',1,'','left','home',161490,NULL,NULL,0,'/user/group/card.php?leftmenu=users&action=create','','NewGroup',NULL,'users',2,'','(($conf->global->MAIN_USE_ADVANCED_PERMS?$user->rights->user->group_advance->write:$user->rights->user->user->creer) || $user->admin) && !(! empty($conf->multicompany->enabled) && $conf->entity > 1 && $conf->global->MULTICOMPANY_TRANSVERSE_MODE)','$leftmenu==\"users\"',2,'2017-08-30 15:14:30'),(161587,'auguria',1,'','left','companies',161089,NULL,NULL,0,'/societe/index.php?leftmenu=thirdparties','','ThirdParty',NULL,'companies',0,'thirdparties','$user->rights->societe->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161588,'auguria',1,'','left','companies',161587,NULL,NULL,0,'/societe/card.php?action=create','','MenuNewThirdParty',NULL,'companies',1,'','$user->rights->societe->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161589,'auguria',1,'','left','companies',161587,NULL,NULL,0,'/societe/list.php?action=create','','List',NULL,'companies',1,'','$user->rights->societe->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161590,'auguria',1,'','left','companies',161587,NULL,NULL,5,'/societe/list.php?type=f&leftmenu=suppliers','','ListSuppliersShort',NULL,'suppliers',1,'','$user->rights->societe->lire && $user->rights->fournisseur->lire','$conf->societe->enabled && $conf->fournisseur->enabled',2,'2017-08-30 15:14:30'),(161591,'auguria',1,'','left','companies',161590,NULL,NULL,0,'/societe/card.php?leftmenu=supplier&action=create&type=f','','NewSupplier',NULL,'suppliers',2,'','$user->rights->societe->creer','$conf->societe->enabled && $conf->fournisseur->enabled',2,'2017-08-30 15:14:30'),(161593,'auguria',1,'','left','companies',161587,NULL,NULL,3,'/societe/list.php?type=p&leftmenu=prospects','','ListProspectsShort',NULL,'companies',1,'','$user->rights->societe->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161594,'auguria',1,'','left','companies',161593,NULL,NULL,0,'/societe/card.php?leftmenu=prospects&action=create&type=p','','MenuNewProspect',NULL,'companies',2,'','$user->rights->societe->creer','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161596,'auguria',1,'','left','companies',161587,NULL,NULL,4,'/societe/list.php?type=c&leftmenu=customers','','ListCustomersShort',NULL,'companies',1,'','$user->rights->societe->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161597,'auguria',1,'','left','companies',161596,NULL,NULL,0,'/societe/card.php?leftmenu=customers&action=create&type=c','','MenuNewCustomer',NULL,'companies',2,'','$user->rights->societe->creer','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161687,'auguria',1,'','left','companies',161089,NULL,NULL,1,'/contact/list.php?leftmenu=contacts','','ContactsAddresses',NULL,'companies',0,'contacts','$user->rights->societe->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161688,'auguria',1,'','left','companies',161687,NULL,NULL,0,'/contact/card.php?leftmenu=contacts&action=create','','NewContactAddress',NULL,'companies',1,'','$user->rights->societe->creer','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161689,'auguria',1,'','left','companies',161687,NULL,NULL,1,'/contact/list.php?leftmenu=contacts','','List',NULL,'companies',1,'','$user->rights->societe->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161691,'auguria',1,'','left','companies',161689,NULL,NULL,1,'/contact/list.php?leftmenu=contacts&type=p','','ThirdPartyProspects',NULL,'companies',2,'','$user->rights->societe->contact->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161692,'auguria',1,'','left','companies',161689,NULL,NULL,2,'/contact/list.php?leftmenu=contacts&type=c','','ThirdPartyCustomers',NULL,'companies',2,'','$user->rights->societe->contact->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161693,'auguria',1,'','left','companies',161689,NULL,NULL,3,'/contact/list.php?leftmenu=contacts&type=f','','ThirdPartySuppliers',NULL,'companies',2,'','$user->rights->societe->contact->lire','$conf->societe->enabled && $conf->fournisseur->enabled',2,'2017-08-30 15:14:30'),(161694,'auguria',1,'','left','companies',161689,NULL,NULL,4,'/contact/list.php?leftmenu=contacts&type=o','','Others',NULL,'companies',2,'','$user->rights->societe->contact->lire','$conf->societe->enabled',2,'2017-08-30 15:14:30'),(161737,'auguria',1,'','left','companies',161089,NULL,NULL,3,'/categories/index.php?leftmenu=cat&type=1','','SuppliersCategoriesShort',NULL,'categories',0,'cat','$user->rights->categorie->lire','$conf->societe->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(161738,'auguria',1,'','left','companies',161737,NULL,NULL,0,'/categories/card.php?action=create&type=1','','NewCategory',NULL,'categories',1,'','$user->rights->categorie->creer','$conf->societe->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(161747,'auguria',1,'','left','companies',161089,NULL,NULL,4,'/categories/index.php?leftmenu=cat&type=2','','CustomersProspectsCategoriesShort',NULL,'categories',0,'cat','$user->rights->categorie->lire','$conf->fournisseur->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(161748,'auguria',1,'','left','companies',161747,NULL,NULL,0,'/categories/card.php?action=create&type=2','','NewCategory',NULL,'categories',1,'','$user->rights->categorie->creer','$conf->fournisseur->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(161757,'auguria',1,'','left','companies',161089,NULL,NULL,3,'/categories/index.php?leftmenu=cat&type=4','','ContactCategoriesShort',NULL,'categories',0,'cat','$user->rights->categorie->lire','$conf->societe->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(161758,'auguria',1,'','left','companies',161757,NULL,NULL,0,'/categories/card.php?action=create&type=4','','NewCategory',NULL,'categories',1,'','$user->rights->categorie->creer','$conf->societe->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(162187,'auguria',1,'','left','commercial',161092,NULL,NULL,4,'/comm/propal/index.php?leftmenu=propals','','Prop',NULL,'propal',0,'propals','$user->rights->propale->lire','$conf->propal->enabled',2,'2017-08-30 15:14:30'),(162188,'auguria',1,'','left','commercial',162187,NULL,NULL,0,'/comm/propal/card.php?action=create&leftmenu=propals','','NewPropal',NULL,'propal',1,'','$user->rights->propale->creer','$conf->propal->enabled',2,'2017-08-30 15:14:30'),(162189,'auguria',1,'','left','commercial',162187,NULL,NULL,1,'/comm/propal/list.php?leftmenu=propals','','List',NULL,'propal',1,'','$user->rights->propale->lire','$conf->propal->enabled',2,'2017-08-30 15:14:30'),(162190,'auguria',1,'','left','commercial',162189,NULL,NULL,2,'/comm/propal/list.php?leftmenu=propals&search_status=0','','PropalsDraft',NULL,'propal',1,'','$user->rights->propale->lire','$conf->propal->enabled && $leftmenu==\"propals\"',2,'2017-08-30 15:14:30'),(162191,'auguria',1,'','left','commercial',162189,NULL,NULL,3,'/comm/propal/list.php?leftmenu=propals&search_status=1','','PropalsOpened',NULL,'propal',1,'','$user->rights->propale->lire','$conf->propal->enabled && $leftmenu==\"propals\"',2,'2017-08-30 15:14:30'),(162192,'auguria',1,'','left','commercial',162189,NULL,NULL,4,'/comm/propal/list.php?leftmenu=propals&search_status=2','','PropalStatusSigned',NULL,'propal',1,'','$user->rights->propale->lire','$conf->propal->enabled && $leftmenu==\"propals\"',2,'2017-08-30 15:14:30'),(162193,'auguria',1,'','left','commercial',162189,NULL,NULL,5,'/comm/propal/list.php?leftmenu=propals&search_status=3','','PropalStatusNotSigned',NULL,'propal',1,'','$user->rights->propale->lire','$conf->propal->enabled && $leftmenu==\"propals\"',2,'2017-08-30 15:14:30'),(162194,'auguria',1,'','left','commercial',162189,NULL,NULL,6,'/comm/propal/list.php?leftmenu=propals&search_status=4','','PropalStatusBilled',NULL,'propal',1,'','$user->rights->propale->lire','$conf->propal->enabled && $leftmenu==\"propals\"',2,'2017-08-30 15:14:30'),(162197,'auguria',1,'','left','commercial',162187,NULL,NULL,4,'/comm/propal/stats/index.php?leftmenu=propals','','Statistics',NULL,'propal',1,'','$user->rights->propale->lire','$conf->propal->enabled',2,'2017-08-30 15:14:30'),(162287,'auguria',1,'','left','commercial',161092,NULL,NULL,5,'/commande/index.php?leftmenu=orders','','CustomersOrders',NULL,'orders',0,'orders','$user->rights->commande->lire','$conf->commande->enabled',2,'2017-08-30 15:14:30'),(162288,'auguria',1,'','left','commercial',162287,NULL,NULL,0,'/commande/card.php?action=create&leftmenu=orders','','NewOrder',NULL,'orders',1,'','$user->rights->commande->creer','$conf->commande->enabled',2,'2017-08-30 15:14:30'),(162289,'auguria',1,'','left','commercial',162287,NULL,NULL,1,'/commande/list.php?leftmenu=orders','','List',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled',2,'2017-08-30 15:14:30'),(162290,'auguria',1,'','left','commercial',162289,NULL,NULL,2,'/commande/list.php?leftmenu=orders&search_status=0','','StatusOrderDraftShort',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled && $leftmenu==\"orders\"',2,'2017-08-30 15:14:30'),(162291,'auguria',1,'','left','commercial',162289,NULL,NULL,3,'/commande/list.php?leftmenu=orders&search_status=1','','StatusOrderValidated',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled && $leftmenu==\"orders\"',2,'2017-08-30 15:14:30'),(162292,'auguria',1,'','left','commercial',162289,NULL,NULL,4,'/commande/list.php?leftmenu=orders&search_status=2','','StatusOrderOnProcessShort',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled && $leftmenu==\"orders\"',2,'2017-08-30 15:14:30'),(162293,'auguria',1,'','left','commercial',162289,NULL,NULL,5,'/commande/list.php?leftmenu=orders&search_status=3','','StatusOrderToBill',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled && $leftmenu==\"orders\"',2,'2017-08-30 15:14:30'),(162294,'auguria',1,'','left','commercial',162289,NULL,NULL,6,'/commande/list.php?leftmenu=orders&search_status=4','','StatusOrderProcessed',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled && $leftmenu==\"orders\"',2,'2017-08-30 15:14:30'),(162295,'auguria',1,'','left','commercial',162289,NULL,NULL,7,'/commande/list.php?leftmenu=orders&search_status=-1','','StatusOrderCanceledShort',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled && $leftmenu==\"orders\"',2,'2017-08-30 15:14:30'),(162296,'auguria',1,'','left','commercial',162287,NULL,NULL,4,'/commande/stats/index.php?leftmenu=orders','','Statistics',NULL,'orders',1,'','$user->rights->commande->lire','$conf->commande->enabled',2,'2017-08-30 15:14:30'),(162387,'auguria',1,'','left','commercial',161090,NULL,NULL,6,'/expedition/index.php?leftmenu=sendings','','Shipments',NULL,'sendings',0,'sendings','$user->rights->expedition->lire','$conf->expedition->enabled',2,'2017-08-30 15:14:30'),(162388,'auguria',1,'','left','commercial',162387,NULL,NULL,0,'/expedition/card.php?action=create2&leftmenu=sendings','','NewSending',NULL,'sendings',1,'','$user->rights->expedition->creer','$conf->expedition->enabled && $leftmenu==\"sendings\"',2,'2017-08-30 15:14:30'),(162389,'auguria',1,'','left','commercial',162387,NULL,NULL,1,'/expedition/list.php?leftmenu=sendings','','List',NULL,'sendings',1,'','$user->rights->expedition->lire','$conf->expedition->enabled && $leftmenu==\"sendings\"',2,'2017-08-30 15:14:30'),(162390,'auguria',1,'','left','commercial',162387,NULL,NULL,2,'/expedition/stats/index.php?leftmenu=sendings','','Statistics',NULL,'sendings',1,'','$user->rights->expedition->lire','$conf->expedition->enabled && $leftmenu==\"sendings\"',2,'2017-08-30 15:14:30'),(162487,'auguria',1,'','left','commercial',161092,NULL,NULL,7,'/contrat/index.php?leftmenu=contracts','','Contracts',NULL,'contracts',0,'contracts','$user->rights->contrat->lire','$conf->contrat->enabled',2,'2017-08-30 15:14:30'),(162488,'auguria',1,'','left','commercial',162487,NULL,NULL,0,'/contrat/card.php?&action=create&leftmenu=contracts','','NewContract',NULL,'contracts',1,'','$user->rights->contrat->creer','$conf->contrat->enabled',2,'2017-08-30 15:14:30'),(162489,'auguria',1,'','left','commercial',162487,NULL,NULL,1,'/contrat/list.php?leftmenu=contracts','','List',NULL,'contracts',1,'','$user->rights->contrat->lire','$conf->contrat->enabled',2,'2017-08-30 15:14:30'),(162490,'auguria',1,'','left','commercial',162487,NULL,NULL,2,'/contrat/services.php?leftmenu=contracts','','MenuServices',NULL,'contracts',1,'','$user->rights->contrat->lire','$conf->contrat->enabled',2,'2017-08-30 15:14:30'),(162491,'auguria',1,'','left','commercial',162490,NULL,NULL,0,'/contrat/services.php?leftmenu=contracts&mode=0','','MenuInactiveServices',NULL,'contracts',2,'','$user->rights->contrat->lire','$conf->contrat->enabled && $leftmenu==\"contracts\"',2,'2017-08-30 15:14:30'),(162492,'auguria',1,'','left','commercial',162490,NULL,NULL,1,'/contrat/services.php?leftmenu=contracts&mode=4','','MenuRunningServices',NULL,'contracts',2,'','$user->rights->contrat->lire','$conf->contrat->enabled && $leftmenu==\"contracts\"',2,'2017-08-30 15:14:30'),(162493,'auguria',1,'','left','commercial',162490,NULL,NULL,2,'/contrat/services.php?leftmenu=contracts&mode=4&filter=expired','','MenuExpiredServices',NULL,'contracts',2,'','$user->rights->contrat->lire','$conf->contrat->enabled && $leftmenu==\"contracts\"',2,'2017-08-30 15:14:30'),(162494,'auguria',1,'','left','commercial',162490,NULL,NULL,3,'/contrat/services.php?leftmenu=contracts&mode=5','','MenuClosedServices',NULL,'contracts',2,'','$user->rights->contrat->lire','$conf->contrat->enabled && $leftmenu==\"contracts\"',2,'2017-08-30 15:14:30'),(162587,'auguria',1,'','left','commercial',161092,NULL,NULL,8,'/fichinter/list.php?leftmenu=ficheinter','','Interventions',NULL,'interventions',0,'ficheinter','$user->rights->ficheinter->lire','$conf->ficheinter->enabled',2,'2017-08-30 15:14:30'),(162588,'auguria',1,'','left','commercial',162587,NULL,NULL,0,'/fichinter/card.php?action=create&leftmenu=ficheinter','','NewIntervention',NULL,'interventions',1,'','$user->rights->ficheinter->creer','$conf->ficheinter->enabled',2,'2017-08-30 15:14:30'),(162589,'auguria',1,'','left','commercial',162587,NULL,NULL,1,'/fichinter/list.php?leftmenu=ficheinter','','List',NULL,'interventions',1,'','$user->rights->ficheinter->lire','$conf->ficheinter->enabled',2,'2017-08-30 15:14:30'),(162590,'auguria',1,'','left','commercial',162587,NULL,NULL,2,'/fichinter/stats/index.php?leftmenu=ficheinter','','Statistics',NULL,'interventions',1,'','$user->rights->ficheinter->lire','$conf->ficheinter->enabled',2,'2017-08-30 15:14:30'),(162687,'auguria',1,'','left','accountancy',161093,NULL,NULL,3,'/fourn/facture/list.php?leftmenu=suppliers_bills','','BillsSuppliers',NULL,'bills',0,'suppliers_bills','$user->rights->fournisseur->facture->lire','$conf->supplier_invoice->enabled',2,'2023-02-27 16:28:21'),(162688,'auguria',1,'','left','accountancy',162687,NULL,NULL,0,'/fourn/facture/card.php?action=create&leftmenu=suppliers_bills','','NewBill',NULL,'bills',1,'','$user->rights->fournisseur->facture->creer','$conf->supplier_invoice->enabled',2,'2017-08-30 15:14:30'),(162689,'auguria',1,'','left','accountancy',162687,NULL,NULL,1,'/fourn/facture/list.php?leftmenu=suppliers_bills','','List',NULL,'bills',1,'','$user->rights->fournisseur->facture->lire','$conf->supplier_invoice->enabled',2,'2017-08-30 15:14:30'),(162690,'auguria',1,'','left','accountancy',162687,NULL,NULL,2,'/fourn/facture/paiement.php?leftmenu=suppliers_bills','','Payments',NULL,'bills',1,'','$user->rights->fournisseur->facture->lire','$conf->supplier_invoice->enabled',2,'2017-08-30 15:14:30'),(162691,'auguria',1,'','left','accountancy',162687,NULL,NULL,8,'/compta/facture/stats/index.php?leftmenu=customers_bills&mode=supplier','','Statistics',NULL,'bills',1,'','$user->rights->fournisseur->facture->lire','$conf->supplier_invoice->enabled',2,'2017-08-30 15:14:30'),(162692,'auguria',1,'','left','accountancy',162690,NULL,NULL,1,'/fourn/facture/rapport.php?leftmenu=suppliers_bills','','Reporting',NULL,'bills',2,'','$user->rights->fournisseur->facture->lire','$conf->supplier_invoice->enabled',2,'2017-08-30 15:14:30'),(162787,'auguria',1,'','left','accountancy',161093,NULL,NULL,3,'/compta/facture/list.php?leftmenu=customers_bills','','BillsCustomers',NULL,'bills',0,'customer_bills','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162788,'auguria',1,'','left','accountancy',162787,NULL,NULL,3,'/compta/facture/card.php?action=create&leftmenu=customers_bills','','NewBill',NULL,'bills',1,'','$user->rights->facture->creer','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162789,'auguria',1,'','left','accountancy',162787,NULL,NULL,5,'/compta/facture/fiche-rec.php?leftmenu=customers_bills','','ListOfTemplates',NULL,'bills',1,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162791,'auguria',1,'','left','accountancy',162787,NULL,NULL,6,'/compta/paiement/list.php?leftmenu=customers_bills','','Payments',NULL,'bills',1,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162792,'auguria',1,'','left','accountancy',162787,NULL,NULL,4,'/compta/facture/list.php?leftmenu=customers_bills','','List',NULL,'bills',1,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162797,'auguria',1,'','left','accountancy',162791,NULL,NULL,1,'/compta/paiement/rapport.php?leftmenu=customers_bills','','Reportings',NULL,'bills',2,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162798,'auguria',1,'','left','accountancy',161101,NULL,NULL,9,'/compta/paiement/cheque/index.php?leftmenu=checks&mainmenu=bank','','MenuChequeDeposits',NULL,'bills',0,'checks','$user->rights->banque->lire','empty($conf->global->BANK_DISABLE_CHECK_DEPOSIT) && ! empty($conf->banque->enabled) && (! empty($conf->facture->enabled) || ! empty($conf->global->MAIN_MENU_CHEQUE_DEPOSIT_ON))',2,'2017-08-30 15:14:30'),(162799,'auguria',1,'','left','accountancy',162798,NULL,NULL,0,'/compta/paiement/cheque/card.php?leftmenu=checks&action=new','','NewCheckDeposit',NULL,'compta',1,'','$user->rights->banque->lire','empty($conf->global->BANK_DISABLE_CHECK_DEPOSIT) && ! empty($conf->banque->enabled) && (! empty($conf->facture->enabled) || ! empty($conf->global->MAIN_MENU_CHEQUE_DEPOSIT_ON))',2,'2017-08-30 15:14:30'),(162800,'auguria',1,'','left','accountancy',162798,NULL,NULL,1,'/compta/paiement/cheque/list.php?leftmenu=checks','','List',NULL,'bills',1,'','$user->rights->banque->lire','empty($conf->global->BANK_DISABLE_CHECK_DEPOSIT) && ! empty($conf->banque->enabled) && (! empty($conf->facture->enabled) || ! empty($conf->global->MAIN_MENU_CHEQUE_DEPOSIT_ON))',2,'2017-08-30 15:14:30'),(162801,'auguria',1,'','left','accountancy',162787,NULL,NULL,8,'/compta/facture/stats/index.php?leftmenu=customers_bills','','Statistics',NULL,'bills',1,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162807,'auguria',1,'','left','accountancy',162792,NULL,NULL,1,'/compta/facture/list.php?leftmenu=customers_bills&search_status=0','','BillShortStatusDraft',NULL,'bills',2,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162808,'auguria',1,'','left','accountancy',162792,NULL,NULL,2,'/compta/facture/list.php?leftmenu=customers_bills&search_status=1','','BillShortStatusNotPaid',NULL,'bills',2,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162809,'auguria',1,'','left','accountancy',162792,NULL,NULL,3,'/compta/facture/list.php?leftmenu=customers_bills&search_status=2','','BillShortStatusPaid',NULL,'bills',2,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162810,'auguria',1,'','left','accountancy',162792,NULL,NULL,4,'/compta/facture/list.php?leftmenu=customers_bills&search_status=3','','BillShortStatusCanceled',NULL,'bills',2,'','$user->rights->facture->lire','$conf->facture->enabled',2,'2017-08-30 15:14:30'),(162987,'auguria',1,'','left','accountancy',161093,NULL,NULL,3,'/commande/list.php?leftmenu=orders&search_status=3','','MenuOrdersToBill',NULL,'orders',0,'orders','$user->rights->commande->lire','$conf->commande->enabled',0,'2017-08-30 15:14:30'),(163087,'auguria',1,'','left','accountancy',161093,NULL,NULL,4,'/don/index.php?leftmenu=donations&mainmenu=accountancy','','Donations',NULL,'donations',0,'donations','$user->rights->don->lire','$conf->don->enabled',2,'2017-08-30 15:14:30'),(163088,'auguria',1,'','left','accountancy',163087,NULL,NULL,0,'/don/card.php?leftmenu=donations&mainmenu=accountancy&action=create','','NewDonation',NULL,'donations',1,'','$user->rights->don->creer','$conf->don->enabled && $leftmenu==\"donations\"',2,'2017-08-30 15:14:30'),(163089,'auguria',1,'','left','accountancy',163087,NULL,NULL,1,'/don/list.php?leftmenu=donations&mainmenu=accountancy','','List',NULL,'donations',1,'','$user->rights->don->lire','$conf->don->enabled && $leftmenu==\"donations\"',2,'2017-08-30 15:14:30'),(163187,'auguria',1,'','left','accountancy',161102,NULL,NULL,5,'/compta/deplacement/index.php?leftmenu=tripsandexpenses','','TripsAndExpenses',NULL,'trips',0,'tripsandexpenses','$user->rights->deplacement->lire','$conf->deplacement->enabled',0,'2017-08-30 15:14:30'),(163188,'auguria',1,'','left','accountancy',163187,NULL,NULL,1,'/compta/deplacement/card.php?action=create&leftmenu=tripsandexpenses','','New',NULL,'trips',1,'','$user->rights->deplacement->creer','$conf->deplacement->enabled',0,'2017-08-30 15:14:30'),(163189,'auguria',1,'','left','accountancy',163187,NULL,NULL,2,'/compta/deplacement/list.php?leftmenu=tripsandexpenses','','List',NULL,'trips',1,'','$user->rights->deplacement->lire','$conf->deplacement->enabled',0,'2017-08-30 15:14:30'),(163190,'auguria',1,'','left','accountancy',163187,NULL,NULL,2,'/compta/deplacement/stats/index.php?leftmenu=tripsandexpenses','','Statistics',NULL,'trips',1,'','$user->rights->deplacement->lire','$conf->deplacement->enabled',0,'2017-08-30 15:14:30'),(163287,'auguria',1,'','left','accountancy',161093,NULL,NULL,6,'/compta/charges/index.php?leftmenu=tax&mainmenu=accountancy','','MenuSpecialExpenses',NULL,'compta',0,'tax','(! empty($conf->tax->enabled) && $user->rights->tax->charges->lire) || (! empty($conf->salaries->enabled) && $user->rights->salaries->read)','$conf->tax->enabled || $conf->salaries->enabled',0,'2017-08-30 15:14:30'),(163297,'auguria',1,'','left','accountancy',163287,NULL,NULL,1,'/compta/salaries/index.php?leftmenu=tax_salary&mainmenu=accountancy','','Salaries',NULL,'salaries',1,'tax_sal','$user->rights->salaries->payment->read','$conf->salaries->enabled',0,'2017-08-30 15:14:30'),(163298,'auguria',1,'','left','accountancy',163297,NULL,NULL,2,'/compta/salaries/card.php?leftmenu=tax_salary&action=create','','NewPayment',NULL,'companies',2,'','$user->rights->salaries->payment->write','$conf->salaries->enabled && $leftmenu==\"tax_salary\"',0,'2017-08-30 15:14:30'),(163299,'auguria',1,'','left','accountancy',163297,NULL,NULL,3,'/compta/salaries/index.php?leftmenu=tax_salary','','Payments',NULL,'companies',2,'','$user->rights->salaries->payment->read','$conf->salaries->enabled && $leftmenu==\"tax_salary\"',0,'2017-08-30 15:14:30'),(163307,'auguria',1,'','left','accountancy',163287,NULL,NULL,1,'/loan/index.php?leftmenu=tax_loan&mainmenu=accountancy','','Loans',NULL,'loan',1,'tax_loan','$user->rights->loan->read','$conf->loan->enabled',0,'2017-08-30 15:14:30'),(163308,'auguria',1,'','left','accountancy',163307,NULL,NULL,2,'/loan/card.php?leftmenu=tax_loan&action=create','','NewLoan',NULL,'loan',2,'','$user->rights->loan->write','$conf->loan->enabled && $leftmenu==\"tax_loan\"',0,'2017-08-30 15:14:30'),(163310,'auguria',1,'','left','accountancy',163307,NULL,NULL,4,'/loan/calc.php?leftmenu=tax_loan','','Calculator',NULL,'companies',2,'','$user->rights->loan->calc','$conf->loan->enabled && $leftmenu==\"tax_loan\" && ! empty($conf->global->LOAN_SHOW_CALCULATOR)',0,'2017-08-30 15:14:30'),(163337,'auguria',1,'','left','accountancy',163287,NULL,NULL,1,'/compta/sociales/index.php?leftmenu=tax_social','','SocialContributions',NULL,'',1,'tax_social','$user->rights->tax->charges->lire','$conf->tax->enabled',0,'2017-08-30 15:14:30'),(163338,'auguria',1,'','left','accountancy',163337,NULL,NULL,2,'/compta/sociales/card.php?leftmenu=tax_social&action=create','','MenuNewSocialContribution',NULL,'',2,'','$user->rights->tax->charges->creer','$conf->tax->enabled && $leftmenu==\"tax_social\"',0,'2017-08-30 15:14:30'),(163339,'auguria',1,'','left','accountancy',163337,NULL,NULL,3,'/compta/sociales/payments.php?leftmenu=tax_social&mainmenu=accountancy&mode=sconly','','Payments',NULL,'',2,'','$user->rights->tax->charges->lire','$conf->tax->enabled && $leftmenu==\"tax_social\"',0,'2017-08-30 15:14:30'),(163387,'auguria',1,'','left','accountancy',163287,NULL,NULL,7,'/compta/tva/index.php?leftmenu=tax_vat&mainmenu=accountancy','','VAT',NULL,'companies',1,'tax_vat','$user->rights->tax->charges->lire','$conf->tax->enabled && empty($conf->global->TAX_DISABLE_VAT_MENUS)',0,'2017-08-30 15:14:30'),(163388,'auguria',1,'','left','accountancy',163387,NULL,NULL,0,'/compta/tva/card.php?leftmenu=tax_vat&action=create','','New',NULL,'companies',2,'','$user->rights->tax->charges->creer','$conf->tax->enabled && empty($conf->global->TAX_DISABLE_VAT_MENUS) && $leftmenu==\"tax_vat\"',0,'2017-08-30 15:14:30'),(163389,'auguria',1,'','left','accountancy',163387,NULL,NULL,1,'/compta/tva/reglement.php?leftmenu=tax_vat','','List',NULL,'companies',2,'','$user->rights->tax->charges->lire','$conf->tax->enabled && empty($conf->global->TAX_DISABLE_VAT_MENUS) && $leftmenu==\"tax_vat\"',0,'2017-08-30 15:14:30'),(163390,'auguria',1,'','left','accountancy',163387,NULL,NULL,2,'/compta/tva/clients.php?leftmenu=tax_vat','','ReportByCustomers',NULL,'companies',2,'','$user->rights->tax->charges->lire','$conf->tax->enabled && empty($conf->global->TAX_DISABLE_VAT_MENUS) && $leftmenu==\"tax_vat\"',0,'2017-08-30 15:14:30'),(163391,'auguria',1,'','left','accountancy',163387,NULL,NULL,3,'/compta/tva/quadri_detail.php?leftmenu=tax_vat','','ReportByQuarter',NULL,'companies',2,'','$user->rights->tax->charges->lire','$conf->tax->enabled && empty($conf->global->TAX_DISABLE_VAT_MENUS) && $leftmenu==\"tax_vat\"',0,'2017-08-30 15:14:30'),(163487,'auguria',1,'','left','accountancy',161093,NULL,NULL,7,'/accountancy/index.php?leftmenu=accountancy','','MenuAccountancy',NULL,'accountancy',0,'accounting','! empty($conf->accounting->enabled) || $user->rights->accounting->bind->write || $user->rights->accounting->bind->write || $user->rights->compta->resultat->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163488,'auguria',1,'','left','accountancy',163487,NULL,NULL,2,'/accountancy/customer/index.php?leftmenu=dispatch_customer','','CustomersVentilation',NULL,'accountancy',1,'dispatch_customer','$user->rights->accounting->bind->write','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163489,'auguria',1,'','left','accountancy',163488,NULL,NULL,3,'/accountancy/customer/list.php','','ToDispatch',NULL,'accountancy',2,'','$user->rights->accounting->bind->write','$conf->accounting->enabled && $leftmenu==\"dispatch_customer\"',0,'2017-08-30 15:14:30'),(163490,'auguria',1,'','left','accountancy',163488,NULL,NULL,4,'/accountancy/customer/lines.php','','Dispatched',NULL,'accountancy',2,'','$user->rights->accounting->bind->write','$conf->accounting->enabled && $leftmenu==\"dispatch_customer\"',0,'2017-08-30 15:14:30'),(163497,'auguria',1,'','left','accountancy',163487,NULL,NULL,5,'/accountancy/supplier/index.php?leftmenu=dispatch_supplier','','SuppliersVentilation',NULL,'accountancy',1,'ventil_supplier','$user->rights->accounting->bind->write','$conf->accounting->enabled && $conf->fournisseur->enabled',0,'2017-08-30 15:14:30'),(163498,'auguria',1,'','left','accountancy',163497,NULL,NULL,6,'/accountancy/supplier/list.php','','ToDispatch',NULL,'accountancy',2,'','$user->rights->accounting->bind->write','$conf->accounting->enabled && $conf->fournisseur->enabled && $leftmenu==\"dispatch_supplier\"',0,'2017-08-30 15:14:30'),(163499,'auguria',1,'','left','accountancy',163497,NULL,NULL,7,'/accountancy/supplier/lines.php','','Dispatched',NULL,'accountancy',2,'','$user->rights->accounting->bind->write','$conf->accounting->enabled && $conf->fournisseur->enabled && $leftmenu==\"dispatch_supplier\"',0,'2017-08-30 15:14:30'),(163507,'auguria',1,'','left','accountancy',163487,NULL,NULL,5,'/accountancy/expensereport/index.php?leftmenu=dispatch_expensereport','','ExpenseReportsVentilation',NULL,'accountancy',1,'ventil_expensereport','$user->rights->accounting->bind->write','$conf->accounting->enabled && $conf->expensereport->enabled',0,'2017-08-30 15:14:30'),(163508,'auguria',1,'','left','accountancy',163507,NULL,NULL,6,'/accountancy/expensereport/list.php','','ToDispatch',NULL,'accountancy',2,'','$user->rights->accounting->bind->write','$conf->accounting->enabled && $conf->expensereport->enabled && $leftmenu==\"dispatch_expensereport\"',0,'2017-08-30 15:14:30'),(163509,'auguria',1,'','left','accountancy',163507,NULL,NULL,7,'/accountancy/expensereport/lines.php','','Dispatched',NULL,'accountancy',2,'','$user->rights->accounting->bind->write','$conf->accounting->enabled && $conf->expensereport->enabled && $leftmenu==\"dispatch_expensereport\"',0,'2017-08-30 15:14:30'),(163517,'auguria',1,'','left','accountancy',163487,NULL,NULL,15,'/accountancy/bookkeeping/list.php','','Bookkeeping',NULL,'accountancy',1,'bookkeeping','$user->rights->accounting->mouvements->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163522,'auguria',1,'','left','accountancy',163487,NULL,NULL,16,'/accountancy/bookkeeping/balance.php','','AccountBalance',NULL,'accountancy',1,'balance','$user->rights->accounting->mouvements->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163527,'auguria',1,'','left','accountancy',163487,NULL,NULL,17,'/accountancy/report/result.php?mainmenu=accountancy&leftmenu=accountancy','','Reportings',NULL,'main',1,'report','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163528,'auguria',1,'','left','accountancy',163527,NULL,NULL,19,'/compta/resultat/index.php?mainmenu=accountancy&leftmenu=accountancy','','ReportInOut',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled && $leftmenu==\"accountancy\"',0,'2017-08-30 15:14:30'),(163529,'auguria',1,'','left','accountancy',163528,NULL,NULL,18,'/accountancy/report/result.php?mainmenu=accountancy&leftmenu=accountancy','','ByAccounts',NULL,'main',3,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled && $leftmenu==\"accountancy\"',0,'2017-08-30 15:14:30'),(163530,'auguria',1,'','left','accountancy',163528,NULL,NULL,20,'/compta/resultat/clientfourn.php?mainmenu=accountancy&leftmenu=accountancy','','ByCompanies',NULL,'main',3,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled && $leftmenu==\"accountancy\"',0,'2017-08-30 15:14:30'),(163531,'auguria',1,'','left','accountancy',163527,NULL,NULL,21,'/compta/stats/index.php?mainmenu=accountancy&leftmenu=accountancy','','ReportTurnover',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled && $leftmenu==\"accountancy\"',0,'2017-08-30 15:14:30'),(163532,'auguria',1,'','left','accountancy',163531,NULL,NULL,22,'/compta/stats/casoc.php?mainmenu=accountancy&leftmenu=accountancy','','ByCompanies',NULL,'main',3,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled && $leftmenu==\"accountancy\"',0,'2017-08-30 15:14:30'),(163533,'auguria',1,'','left','accountancy',163531,NULL,NULL,23,'/compta/stats/cabyuser.php?mainmenu=accountancy&leftmenu=accountancy','','ByUsers',NULL,'main',3,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled && $leftmenu==\"accountancy\"',0,'2017-08-30 15:14:30'),(163534,'auguria',1,'','left','accountancy',163531,NULL,NULL,24,'/compta/stats/cabyprodserv.php?mainmenu=accountancy&leftmenu=accountancy','','ByProductsAndServices',NULL,'main',3,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled && $leftmenu==\"accountancy\"',0,'2017-08-30 15:14:30'),(163537,'auguria',1,'','left','accountancy',163538,NULL,NULL,80,'/accountancy/admin/fiscalyear.php?mainmenu=accountancy&leftmenu=accountancy_admin','','FiscalPeriod',NULL,'admin',1,'accountancy_admin_period','','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\" && $conf->global->MAIN_FEATURES_LEVEL > 0',2,'2017-08-30 15:14:30'),(163538,'auguria',1,'','left','accountancy',163487,NULL,NULL,1,'/accountancy/index.php?mainmenu=accountancy&leftmenu=accountancy_admin','','Setup',NULL,'accountancy',1,'accountancy_admin','$user->rights->accounting->chartofaccount','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163541,'auguria',1,'','left','accountancy',163538,NULL,NULL,10,'/accountancy/admin/journals_list.php?id=35&mainmenu=accountancy&leftmenu=accountancy_admin','','AccountingJournals',NULL,'accountancy',2,'accountancy_admin_journal','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163542,'auguria',1,'','left','accountancy',163538,NULL,NULL,20,'/accountancy/admin/account.php?mainmenu=accountancy&leftmenu=accountancy_admin','','Pcg_version',NULL,'accountancy',2,'accountancy_admin_chartmodel','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163543,'auguria',1,'','left','accountancy',163538,NULL,NULL,30,'/accountancy/admin/account.php?mainmenu=accountancy&leftmenu=accountancy_admin','','Chartofaccounts',NULL,'accountancy',2,'accountancy_admin_chart','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163544,'auguria',1,'','left','accountancy',163538,NULL,NULL,40,'/accountancy/admin/categories_list.php?id=32&mainmenu=accountancy&leftmenu=accountancy_admin','','AccountingCategory',NULL,'accountancy',2,'accountancy_admin_chart_group','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163545,'auguria',1,'','left','accountancy',163538,NULL,NULL,50,'/accountancy/admin/defaultaccounts.php?mainmenu=accountancy&leftmenu=accountancy_admin','','MenuDefaultAccounts',NULL,'accountancy',2,'accountancy_admin_default','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163546,'auguria',1,'','left','accountancy',163538,NULL,NULL,60,'/admin/dict.php?id=10&from=accountancy&search_country_id=__MYCOUNTRYID__&mainmenu=accountancy&leftmenu=accountancy_admin','','MenuVatAccounts',NULL,'accountancy',2,'accountancy_admin_vat','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163547,'auguria',1,'','left','accountancy',163538,NULL,NULL,70,'/admin/dict.php?id=7&from=accountancy&search_country_id=__MYCOUNTRYID__&mainmenu=accountancy&leftmenu=accountancy_admin','','MenuTaxAccounts',NULL,'accountancy',2,'accountancy_admin_tax','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163548,'auguria',1,'','left','accountancy',163538,NULL,NULL,80,'/admin/dict.php?id=17&from=accountancy&mainmenu=accountancy&leftmenu=accountancy_admin','','MenuExpenseReportAccounts',NULL,'accountancy',2,'accountancy_admin_expensereport','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $conf->expensereport->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163549,'auguria',1,'','left','accountancy',163538,NULL,NULL,90,'/accountancy/admin/productaccount.php?mainmenu=accountancy&leftmenu=accountancy_admin','','MenuProductsAccounts',NULL,'accountancy',2,'accountancy_admin_product','$user->rights->accounting->chartofaccount','$conf->accounting->enabled && $leftmenu==\"accountancy_admin\"',0,'2017-08-30 15:14:30'),(163587,'auguria',1,'','left','accountancy',161101,NULL,NULL,9,'/compta/prelevement/index.php?leftmenu=withdraw&mainmenu=bank','','StandingOrders',NULL,'withdrawals',0,'withdraw','$user->rights->prelevement->bons->lire','$conf->prelevement->enabled',2,'2017-08-30 15:14:30'),(163589,'auguria',1,'','left','accountancy',163587,NULL,NULL,0,'/compta/prelevement/create.php?leftmenu=withdraw','','NewStandingOrder',NULL,'withdrawals',1,'','$user->rights->prelevement->bons->lire','$conf->prelevement->enabled && $leftmenu==\"withdraw\"',2,'2017-08-30 15:14:30'),(163590,'auguria',1,'','left','accountancy',163587,NULL,NULL,2,'/compta/prelevement/bons.php?leftmenu=withdraw','','WithdrawalsReceipts',NULL,'withdrawals',1,'','$user->rights->prelevement->bons->lire','$conf->prelevement->enabled && $leftmenu==\"withdraw\"',2,'2017-08-30 15:14:30'),(163591,'auguria',1,'','left','accountancy',163587,NULL,NULL,3,'/compta/prelevement/list.php?leftmenu=withdraw','','WithdrawalsLines',NULL,'withdrawals',1,'','$user->rights->prelevement->bons->lire','$conf->prelevement->enabled && $leftmenu==\"withdraw\"',2,'2017-08-30 15:14:30'),(163593,'auguria',1,'','left','accountancy',163587,NULL,NULL,5,'/compta/prelevement/rejets.php?leftmenu=withdraw','','Rejects',NULL,'withdrawals',1,'','$user->rights->prelevement->bons->lire','$conf->prelevement->enabled && $leftmenu==\"withdraw\"',2,'2017-08-30 15:14:30'),(163594,'auguria',1,'','left','accountancy',163587,NULL,NULL,6,'/compta/prelevement/stats.php?leftmenu=withdraw','','Statistics',NULL,'withdrawals',1,'','$user->rights->prelevement->bons->lire','$conf->prelevement->enabled && $leftmenu==\"withdraw\"',2,'2017-08-30 15:14:30'),(163687,'auguria',1,'','left','accountancy',161101,NULL,NULL,1,'/compta/bank/index.php?leftmenu=bank&mainmenu=bank','','MenuBankCash',NULL,'banks',0,'bank','$user->rights->banque->lire','$conf->banque->enabled',0,'2017-08-30 15:14:30'),(163688,'auguria',1,'','left','accountancy',163687,NULL,NULL,0,'/compta/bank/card.php?action=create&leftmenu=bank','','MenuNewFinancialAccount',NULL,'banks',1,'','$user->rights->banque->configurer','$conf->banque->enabled && ($leftmenu==\"bank\" || $leftmenu==\"checks\" || $leftmenu==\"withdraw\")',0,'2017-08-30 15:14:30'),(163690,'auguria',1,'','left','accountancy',163687,NULL,NULL,2,'/compta/bank/bankentries.php?leftmenu=bank','','ListTransactions',NULL,'banks',1,'','$user->rights->banque->lire','$conf->banque->enabled && ($leftmenu==\"bank\" || $leftmenu==\"checks\" || $leftmenu==\"withdraw\")',0,'2017-08-30 15:14:30'),(163691,'auguria',1,'','left','accountancy',163687,NULL,NULL,3,'/compta/bank/budget.php?leftmenu=bank','','ListTransactionsByCategory',NULL,'banks',1,'','$user->rights->banque->lire','$conf->banque->enabled && ($leftmenu==\"bank\" || $leftmenu==\"checks\" || $leftmenu==\"withdraw\")',0,'2017-08-30 15:14:30'),(163693,'auguria',1,'','left','accountancy',163687,NULL,NULL,5,'/compta/bank/transfer.php?leftmenu=bank','','BankTransfers',NULL,'banks',1,'','$user->rights->banque->transfer','$conf->banque->enabled && ($leftmenu==\"bank\" || $leftmenu==\"checks\" || $leftmenu==\"withdraw\")',0,'2017-08-30 15:14:30'),(163737,'auguria',1,'','left','accountancy',161101,NULL,NULL,4,'/categories/index.php?leftmenu=bank&type=5','','Categories',NULL,'categories',0,'cat','$user->rights->categorie->lire','$conf->categorie->enabled',2,'2017-08-30 15:14:30'),(163738,'auguria',1,'','left','accountancy',163737,NULL,NULL,0,'/categories/card.php?leftmenu=bank&action=create&type=5','','NewCategory',NULL,'categories',1,'','$user->rights->categorie->creer','$conf->categorie->enabled',2,'2017-08-30 15:14:30'),(163787,'auguria',1,'','left','accountancy',161093,NULL,NULL,11,'/compta/resultat/index.php?leftmenu=ca&mainmenu=accountancy','','Reportings',NULL,'main',0,'ca','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->comptabilite->enabled',0,'2017-08-30 15:14:30'),(163792,'auguria',1,'','left','accountancy',163487,NULL,NULL,1,'','','Journalization',NULL,'main',1,'','$user->rights->accounting->comptarapport->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163793,'auguria',1,'','left','accountancy',163792,NULL,NULL,4,'/accountancy/journal/sellsjournal.php?mainmenu=accountancy&leftmenu=accountancy_journal&id_journal=1','','SellsJournal',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163794,'auguria',1,'','left','accountancy',163792,NULL,NULL,1,'/accountancy/journal/bankjournal.php?mainmenu=accountancy&leftmenu=accountancy_journal&id_journal=3','','BankJournal',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163795,'auguria',1,'','left','accountancy',163792,NULL,NULL,2,'/accountancy/journal/expensereportsjournal.php?mainmenu=accountancy&leftmenu=accountancy_journal&id_journal=6','','ExpenseReportJournal',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163796,'auguria',1,'','left','accountancy',163792,NULL,NULL,3,'/accountancy/journal/purchasesjournal.php?mainmenu=accountancy&leftmenu=accountancy_journal&id_journal=2','','PurchasesJournal',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->accounting->enabled',0,'2017-08-30 15:14:30'),(163798,'auguria',1,'','left','accountancy',163787,NULL,NULL,0,'/compta/resultat/index.php?leftmenu=ca','','ReportInOut',NULL,'main',1,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->comptabilite->enabled && $leftmenu==\"ca\"',0,'2017-08-30 15:14:30'),(163799,'auguria',1,'','left','accountancy',163788,NULL,NULL,0,'/compta/resultat/clientfourn.php?leftmenu=ca','','ByCompanies',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->comptabilite->enabled && $leftmenu==\"ca\"',0,'2017-08-30 15:14:30'),(163800,'auguria',1,'','left','accountancy',163787,NULL,NULL,1,'/compta/stats/index.php?leftmenu=ca','','ReportTurnover',NULL,'main',1,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->comptabilite->enabled && $leftmenu==\"ca\"',0,'2017-08-30 15:14:30'),(163801,'auguria',1,'','left','accountancy',163790,NULL,NULL,0,'/compta/stats/casoc.php?leftmenu=ca','','ByCompanies',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->comptabilite->enabled && $leftmenu==\"ca\"',0,'2017-08-30 15:14:30'),(163802,'auguria',1,'','left','accountancy',163790,NULL,NULL,1,'/compta/stats/cabyuser.php?leftmenu=ca','','ByUsers',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->comptabilite->enabled && $leftmenu==\"ca\"',0,'2017-08-30 15:14:30'),(163803,'auguria',1,'','left','accountancy',163790,NULL,NULL,1,'/compta/stats/cabyprodserv.php?leftmenu=ca','','ByProductsAndServices',NULL,'main',2,'','$user->rights->compta->resultat->lire || $user->rights->accounting->comptarapport->lire','$conf->comptabilite->enabled && $leftmenu==\"ca\"',0,'2017-08-30 15:14:30'),(163887,'auguria',1,'','left','products',161090,NULL,NULL,0,'/product/index.php?leftmenu=product&type=0','','Products',NULL,'products',0,'product','$user->rights->produit->lire','$conf->product->enabled',2,'2017-08-30 15:14:30'),(163888,'auguria',1,'','left','products',163887,NULL,NULL,0,'/product/card.php?leftmenu=product&action=create&type=0','','NewProduct',NULL,'products',1,'','$user->rights->produit->creer','$conf->product->enabled',2,'2017-08-30 15:14:30'),(163889,'auguria',1,'','left','products',163887,NULL,NULL,1,'/product/list.php?leftmenu=product&type=0','','List',NULL,'products',1,'','$user->rights->produit->lire','$conf->product->enabled',2,'2017-08-30 15:14:30'),(163890,'auguria',1,'','left','products',163887,NULL,NULL,4,'/product/reassort.php?type=0','','Stocks',NULL,'products',1,'','$user->rights->produit->lire && $user->rights->stock->lire','$conf->product->enabled',2,'2017-08-30 15:14:30'),(163891,'auguria',1,'','left','products',163887,NULL,NULL,7,'/product/stats/card.php?id=all&leftmenu=stats&type=0','','Statistics',NULL,'main',1,'','$user->rights->produit->lire','$conf->propal->enabled',2,'2017-08-30 15:14:30'),(163892,'auguria',1,'','left','products',163887,NULL,NULL,5,'/product/reassortlot.php?type=0','','StocksByLotSerial',NULL,'products',1,'','$user->rights->produit->lire && $user->rights->stock->lire','$conf->productbatch->enabled',2,'2017-08-30 15:14:30'),(163893,'auguria',1,'','left','products',163887,NULL,NULL,6,'/product/stock/productlot_list.php','','LotSerial',NULL,'products',1,'','$user->rights->produit->lire && $user->rights->stock->lire','$conf->productbatch->enabled',2,'2017-08-30 15:14:30'),(163987,'auguria',1,'','left','products',161090,NULL,NULL,1,'/product/index.php?leftmenu=service&type=1','','Services',NULL,'products',0,'service','$user->rights->service->lire','$conf->service->enabled',2,'2017-08-30 15:14:30'),(163988,'auguria',1,'','left','products',163987,NULL,NULL,0,'/product/card.php?leftmenu=service&action=create&type=1','','NewService',NULL,'products',1,'','$user->rights->service->creer','$conf->service->enabled',2,'2017-08-30 15:14:30'),(163989,'auguria',1,'','left','products',163987,NULL,NULL,1,'/product/list.php?leftmenu=service&type=1','','List',NULL,'products',1,'','$user->rights->service->lire','$conf->service->enabled',2,'2017-08-30 15:14:30'),(163990,'auguria',1,'','left','products',163987,NULL,NULL,5,'/product/stats/card.php?id=all&leftmenu=stats&type=1','','Statistics',NULL,'main',1,'','$user->rights->service->lire','$conf->propal->enabled',2,'2017-08-30 15:14:30'),(164187,'auguria',1,'','left','products',161090,NULL,NULL,3,'/product/stock/index.php?leftmenu=stock','','Stock',NULL,'stocks',0,'stock','$user->rights->stock->lire','$conf->stock->enabled',2,'2017-08-30 15:14:30'),(164188,'auguria',1,'','left','products',164187,NULL,NULL,0,'/product/stock/card.php?action=create','','MenuNewWarehouse',NULL,'stocks',1,'','$user->rights->stock->creer','$conf->stock->enabled',2,'2017-08-30 15:14:30'),(164189,'auguria',1,'','left','products',164187,NULL,NULL,1,'/product/stock/list.php','','List',NULL,'stocks',1,'','$user->rights->stock->lire','$conf->stock->enabled',2,'2017-08-30 15:14:30'),(164191,'auguria',1,'','left','products',164187,NULL,NULL,3,'/product/stock/mouvement.php','','Movements',NULL,'stocks',1,'','$user->rights->stock->mouvement->lire','$conf->stock->enabled',2,'2017-08-30 15:14:30'),(164192,'auguria',1,'','left','products',164187,NULL,NULL,4,'/product/stock/replenish.php','','Replenishments',NULL,'stocks',1,'','$user->rights->stock->mouvement->creer && $user->rights->fournisseur->lire','$conf->stock->enabled && $conf->supplier_order->enabled',2,'2017-08-30 15:14:30'),(164193,'auguria',1,'','left','products',164187,NULL,NULL,5,'/product/stock/massstockmove.php','','MassStockTransferShort',NULL,'stocks',1,'','$user->rights->stock->mouvement->creer','$conf->stock->enabled',2,'2017-08-30 15:14:30'),(164287,'auguria',1,'','left','products',161090,NULL,NULL,4,'/categories/index.php?leftmenu=cat&type=0','','Categories',NULL,'categories',0,'cat','$user->rights->categorie->lire','$conf->categorie->enabled',2,'2017-08-30 15:14:30'),(164288,'auguria',1,'','left','products',164287,NULL,NULL,0,'/categories/card.php?action=create&type=0','','NewCategory',NULL,'categories',1,'','$user->rights->categorie->creer','$conf->categorie->enabled',2,'2017-08-30 15:14:30'),(164487,'auguria',1,'','left','project',161094,NULL,NULL,3,'/projet/activity/perweek.php?leftmenu=projects','','NewTimeSpent',NULL,'projects',0,'','$user->rights->projet->lire','$conf->projet->enabled && $conf->global->PROJECT_USE_TASKS',2,'2017-08-30 15:14:30'),(164687,'auguria',1,'','left','project',161094,NULL,NULL,0,'/projet/index.php?leftmenu=projects','','Projects',NULL,'projects',0,'projects','$user->rights->projet->lire','$conf->projet->enabled',2,'2017-08-30 15:14:30'),(164688,'auguria',1,'','left','project',164687,NULL,NULL,1,'/projet/card.php?leftmenu=projects&action=create','','NewProject',NULL,'projects',1,'','$user->rights->projet->creer','$conf->projet->enabled',2,'2017-08-30 15:14:30'),(164689,'auguria',1,'','left','project',164687,NULL,NULL,2,'/projet/list.php?leftmenu=projects','','List',NULL,'projects',1,'','$user->rights->projet->lire','$conf->projet->enabled',2,'2017-08-30 15:14:30'),(164690,'auguria',1,'','left','project',164687,NULL,NULL,3,'/projet/stats/index.php?leftmenu=projects','','Statistics',NULL,'projects',1,'','$user->rights->projet->lire','$conf->projet->enabled',2,'2017-08-30 15:14:30'),(164787,'auguria',1,'','left','project',161094,NULL,NULL,0,'/projet/activity/index.php?leftmenu=projects','','Activities',NULL,'projects',0,'','$user->rights->projet->lire','$conf->projet->enabled && $conf->global->PROJECT_USE_TASKS',2,'2017-08-30 15:14:30'),(164788,'auguria',1,'','left','project',164787,NULL,NULL,1,'/projet/tasks.php?leftmenu=projects&action=create','','NewTask',NULL,'projects',1,'','$user->rights->projet->creer','$conf->projet->enabled && $conf->global->PROJECT_USE_TASKS',2,'2017-08-30 15:14:30'),(164789,'auguria',1,'','left','project',164787,NULL,NULL,2,'/projet/tasks/list.php?leftmenu=projects','','List',NULL,'projects',1,'','$user->rights->projet->lire','$conf->projet->enabled && $conf->global->PROJECT_USE_TASKS',2,'2017-08-30 15:14:30'),(164791,'auguria',1,'','left','project',164787,NULL,NULL,4,'/projet/tasks/stats/index.php?leftmenu=projects','','Statistics',NULL,'projects',1,'','$user->rights->projet->lire','$conf->projet->enabled && $conf->global->PROJECT_USE_TASKS',2,'2017-08-30 15:14:30'),(164891,'auguria',1,'','left','project',161094,NULL,NULL,4,'/categories/index.php?leftmenu=cat&type=6','','Categories',NULL,'categories',0,'cat','$user->rights->categorie->lire','$conf->categorie->enabled',2,'2017-08-30 15:14:30'),(164892,'auguria',1,'','left','project',164891,NULL,NULL,0,'/categories/card.php?action=create&type=6','','NewCategory',NULL,'categories',1,'','$user->rights->categorie->creer','$conf->categorie->enabled',2,'2017-08-30 15:14:30'),(164987,'auguria',1,'','left','tools',161095,NULL,NULL,0,'/comm/mailing/index.php?leftmenu=mailing','','EMailings',NULL,'mails',0,'mailing','$user->rights->mailing->lire','$conf->mailing->enabled',0,'2017-08-30 15:14:30'),(164988,'auguria',1,'','left','tools',164987,NULL,NULL,0,'/comm/mailing/card.php?leftmenu=mailing&action=create','','NewMailing',NULL,'mails',1,'','$user->rights->mailing->creer','$conf->mailing->enabled',0,'2017-08-30 15:14:30'),(164989,'auguria',1,'','left','tools',164987,NULL,NULL,1,'/comm/mailing/list.php?leftmenu=mailing','','List',NULL,'mails',1,'','$user->rights->mailing->lire','$conf->mailing->enabled',0,'2017-08-30 15:14:30'),(165187,'auguria',1,'','left','tools',161095,NULL,NULL,2,'/exports/index.php?leftmenu=export','','FormatedExport',NULL,'exports',0,'export','$user->rights->export->lire','$conf->export->enabled',2,'2017-08-30 15:14:30'),(165188,'auguria',1,'','left','tools',165187,NULL,NULL,0,'/exports/export.php?leftmenu=export','','NewExport',NULL,'exports',1,'','$user->rights->export->creer','$conf->export->enabled',2,'2017-08-30 15:14:30'),(165217,'auguria',1,'','left','tools',161095,NULL,NULL,2,'/imports/index.php?leftmenu=import','','FormatedImport',NULL,'exports',0,'import','$user->rights->import->run','$conf->import->enabled',2,'2017-08-30 15:14:30'),(165218,'auguria',1,'','left','tools',165217,NULL,NULL,0,'/imports/import.php?leftmenu=import','','NewImport',NULL,'exports',1,'','$user->rights->import->run','$conf->import->enabled',2,'2017-08-30 15:14:30'),(165287,'auguria',1,'','left','members',161100,NULL,NULL,0,'/adherents/index.php?leftmenu=members&mainmenu=members','','Members',NULL,'members',0,'members','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165288,'auguria',1,'','left','members',165287,NULL,NULL,0,'/adherents/card.php?leftmenu=members&action=create','','NewMember',NULL,'members',1,'','$user->rights->adherent->creer','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165289,'auguria',1,'','left','members',165287,NULL,NULL,1,'/adherents/list.php','','List',NULL,'members',1,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165290,'auguria',1,'','left','members',165289,NULL,NULL,2,'/adherents/list.php?leftmenu=members&statut=-1','','MenuMembersToValidate',NULL,'members',2,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165291,'auguria',1,'','left','members',165289,NULL,NULL,3,'/adherents/list.php?leftmenu=members&statut=1','','MenuMembersValidated',NULL,'members',2,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165292,'auguria',1,'','left','members',165289,NULL,NULL,4,'/adherents/list.php?leftmenu=members&statut=1&filter=outofdate','','MenuMembersNotUpToDate',NULL,'members',2,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165293,'auguria',1,'','left','members',165289,NULL,NULL,5,'/adherents/list.php?leftmenu=members&statut=1&filter=uptodate','','MenuMembersUpToDate',NULL,'members',2,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165294,'auguria',1,'','left','members',165289,NULL,NULL,6,'/adherents/list.php?leftmenu=members&statut=0','','MenuMembersResiliated',NULL,'members',2,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165295,'auguria',1,'','left','members',165287,NULL,NULL,7,'/adherents/stats/geo.php?leftmenu=members&mode=memberbycountry','','MenuMembersStats',NULL,'members',1,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165387,'auguria',1,'','left','members',161100,NULL,NULL,1,'/adherents/index.php?leftmenu=members&mainmenu=members','','Subscriptions',NULL,'compta',0,'','$user->rights->adherent->cotisation->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165388,'auguria',1,'','left','members',165387,NULL,NULL,0,'/adherents/list.php?statut=-1&leftmenu=accountancy&mainmenu=members','','NewSubscription',NULL,'compta',1,'','$user->rights->adherent->cotisation->creer','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165389,'auguria',1,'','left','members',165387,NULL,NULL,1,'/adherents/subscription/list.php?leftmenu=members','','List',NULL,'compta',1,'','$user->rights->adherent->cotisation->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165390,'auguria',1,'','left','members',165387,NULL,NULL,7,'/adherents/stats/index.php?leftmenu=members','','MenuMembersStats',NULL,'members',1,'','$user->rights->adherent->lire','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165589,'auguria',1,'','left','members',165287,NULL,NULL,9,'/adherents/htpasswd.php?leftmenu=export','','Filehtpasswd',NULL,'members',1,'','$user->rights->adherent->export','! empty($conf->global->MEMBER_LINK_TO_HTPASSWDFILE) && $conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165590,'auguria',1,'','left','members',165287,NULL,NULL,10,'/adherents/cartes/carte.php?leftmenu=export','','MembersCards',NULL,'members',1,'','$user->rights->adherent->export','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165687,'auguria',1,'','left','hrm',161102,NULL,NULL,1,'/user/index.php?leftmenu=hrm&mode=employee','','Employees',NULL,'hrm',0,'hrm','$user->rights->hrm->employee->read','$conf->hrm->enabled',0,'2017-08-30 15:14:30'),(165688,'auguria',1,'','left','hrm',165687,NULL,NULL,1,'/user/card.php?action=create&employee=1','','NewEmployee',NULL,'hrm',1,'','$user->rights->hrm->employee->write','$conf->hrm->enabled',0,'2017-08-30 15:14:30'),(165689,'auguria',1,'','left','hrm',165687,NULL,NULL,2,'/user/index.php?$leftmenu=hrm&mode=employee&contextpage=employeelist','','List',NULL,'hrm',1,'','$user->rights->hrm->employee->read','$conf->hrm->enabled',0,'2017-08-30 15:14:30'),(165787,'auguria',1,'','left','members',161100,NULL,NULL,5,'/adherents/type.php?leftmenu=setup&mainmenu=members','','MembersTypes',NULL,'members',0,'setup','$user->rights->adherent->configurer','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165788,'auguria',1,'','left','members',165787,NULL,NULL,0,'/adherents/type.php?leftmenu=setup&mainmenu=members&action=create','','New',NULL,'members',1,'','$user->rights->adherent->configurer','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(165789,'auguria',1,'','left','members',165787,NULL,NULL,1,'/adherents/type.php?leftmenu=setup&mainmenu=members','','List',NULL,'members',1,'','$user->rights->adherent->configurer','$conf->adherent->enabled',2,'2017-08-30 15:14:30'),(166087,'auguria',1,'','left','hrm',161102,NULL,NULL,1,'/holiday/list.php?&leftmenu=hrm','','CPTitreMenu',NULL,'holiday',0,'hrm','$user->rights->holiday->read','$conf->holiday->enabled',0,'2017-08-30 15:14:30'),(166088,'auguria',1,'','left','hrm',166087,NULL,NULL,1,'/holiday/card.php?&action=request','','MenuAddCP',NULL,'holiday',1,'','$user->rights->holiday->write','$conf->holiday->enabled',0,'2017-08-30 15:14:30'),(166089,'auguria',1,'','left','hrm',166087,NULL,NULL,1,'/holiday/list.php?&leftmenu=hrm','','List',NULL,'holiday',1,'','$user->rights->holiday->read','$conf->holiday->enabled',0,'2017-08-30 15:14:30'),(166090,'auguria',1,'','left','hrm',166089,NULL,NULL,1,'/holiday/list.php?select_statut=2&leftmenu=hrm','','ListToApprove',NULL,'trips',2,'','$user->rights->holiday->read','$conf->holiday->enabled',0,'2017-08-30 15:14:30'),(166091,'auguria',1,'','left','hrm',166087,NULL,NULL,2,'/holiday/define_holiday.php?&action=request','','MenuConfCP',NULL,'holiday',1,'','$user->rights->holiday->define_holiday','$conf->holiday->enabled',0,'2017-08-30 15:14:30'),(166092,'auguria',1,'','left','hrm',166087,NULL,NULL,3,'/holiday/view_log.php?&action=request','','MenuLogCP',NULL,'holiday',1,'','$user->rights->holiday->define_holiday','$conf->holiday->enabled',0,'2017-08-30 15:14:30'),(166187,'auguria',1,'','left','commercial',161092,NULL,NULL,6,'/fourn/commande/index.php?leftmenu=orders_suppliers','','SuppliersOrders',NULL,'orders',0,'orders_suppliers','$user->rights->fournisseur->commande->lire','$conf->supplier_order->enabled',2,'2017-08-30 15:14:30'),(166188,'auguria',1,'','left','commercial',166187,NULL,NULL,0,'/fourn/commande/card.php?action=create&leftmenu=orders_suppliers','','NewOrder',NULL,'orders',1,'','$user->rights->fournisseur->commande->creer','$conf->supplier_order->enabled',2,'2017-08-30 15:14:30'),(166189,'auguria',1,'','left','commercial',166187,NULL,NULL,1,'/fourn/commande/list.php?leftmenu=orders_suppliers&search_status=0','','List',NULL,'orders',1,'','$user->rights->fournisseur->commande->lire','$conf->supplier_order->enabled',2,'2017-08-30 15:14:30'),(166195,'auguria',1,'','left','commercial',166187,NULL,NULL,7,'/commande/stats/index.php?leftmenu=orders_suppliers&mode=supplier','','Statistics',NULL,'orders',1,'','$user->rights->fournisseur->commande->lire','$conf->supplier_order->enabled',2,'2017-08-30 15:14:30'),(166287,'auguria',1,'','left','members',161100,NULL,NULL,3,'/categories/index.php?leftmenu=cat&type=3','','MembersCategoriesShort',NULL,'categories',0,'cat','$user->rights->categorie->lire','$conf->adherent->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(166288,'auguria',1,'','left','members',166287,NULL,NULL,0,'/categories/card.php?action=create&type=3','','NewCategory',NULL,'categories',1,'','$user->rights->categorie->creer','$conf->adherent->enabled && $conf->categorie->enabled',2,'2017-08-30 15:14:30'),(166387,'auguria',1,'','left','hrm',161102,NULL,NULL,5,'/expensereport/index.php?leftmenu=expensereport','','TripsAndExpenses',NULL,'trips',0,'expensereport','$user->rights->expensereport->lire','$conf->expensereport->enabled',0,'2017-08-30 15:14:30'),(166388,'auguria',1,'','left','hrm',166387,NULL,NULL,1,'/expensereport/card.php?action=create&leftmenu=expensereport','','New',NULL,'trips',1,'','$user->rights->expensereport->creer','$conf->expensereport->enabled',0,'2017-08-30 15:14:30'),(166389,'auguria',1,'','left','hrm',166387,NULL,NULL,2,'/expensereport/list.php?leftmenu=expensereport','','List',NULL,'trips',1,'','$user->rights->expensereport->lire','$conf->expensereport->enabled',0,'2017-08-30 15:14:30'),(166390,'auguria',1,'','left','hrm',166389,NULL,NULL,2,'/expensereport/list.php?search_status=2&leftmenu=expensereport','','ListToApprove',NULL,'trips',2,'','$user->rights->expensereport->approve','$conf->expensereport->enabled',0,'2017-08-30 15:14:30'),(166391,'auguria',1,'','left','hrm',166387,NULL,NULL,2,'/expensereport/stats/index.php?leftmenu=expensereport','','Statistics',NULL,'trips',1,'','$user->rights->expensereport->lire','$conf->expensereport->enabled',0,'2017-08-30 15:14:30'),(167182,'all',1,'knowledgemanagement','left','ticket',-1,NULL,'ticket',101,'/knowledgemanagement/knowledgerecord_list.php','','MenuKnowledgeRecord','','knowledgemanagement',NULL,'knowledgemanagement_knowledgerecord','$user->rights->knowledgemanagement->knowledgerecord->read','$conf->knowledgemanagement->enabled',2,'2022-02-07 13:39:27'),(167183,'all',1,'knowledgemanagement','left','ticket',-1,'knowledgemanagement_knowledgerecord','ticket',111,'/knowledgemanagement/knowledgerecord_list.php','','ListKnowledgeRecord','','knowledgemanagement',NULL,'knowledgemanagement_list','$user->rights->knowledgemanagement->knowledgerecord->read','$conf->knowledgemanagement->enabled',2,'2022-02-07 13:39:27'),(167184,'all',1,'knowledgemanagement','left','ticket',-1,'knowledgemanagement_knowledgerecord','ticket',110,'/knowledgemanagement/knowledgerecord_card.php?action=create','','NewKnowledgeRecord','','knowledgemanagement',NULL,'knowledgemanagement_new','$user->rights->knowledgemanagement->knowledgerecord->write','$conf->knowledgemanagement->enabled',2,'2022-02-07 13:39:27'),(167185,'all',1,'knowledgemanagement','left','ticket',-1,'knowledgemanagement_knowledgerecord','ticket',112,'/categories/index.php?type=13','','Categories','','knowledgemanagement',NULL,NULL,'$user->rights->knowledgemanagement->knowledgerecord->read','$conf->knowledgemanagement->enabled',0,'2022-02-07 13:39:27'),(167530,'all',1,'modulebuilder','left','tools',-1,NULL,'tools',100,'/modulebuilder/index.php?mainmenu=tools&leftmenu=devtools','_modulebuilder','ModuleBuilder','','modulebuilder',NULL,'devtools_modulebuilder','$user->hasRight(\"modulebuilder\", \"run\")','isModEnabled(\"modulebuilder\")',0,'2023-02-09 17:37:02'),(167533,'all',1,'aaa','top','aaa',0,NULL,NULL,1001,'/aaa/aaaindex.php','','ModuleAaaName','','aaa@aaa',NULL,NULL,'1','isModEnabled(\"aaa\")',2,'2023-02-09 17:38:11'),(167534,'all',1,'aaa','left','aaa',-1,NULL,'aaa',1102,'/aaa/aao_list.php','','List Aao','','aaa@aaa',NULL,'aaa_aao','1','$conf->aaa->enabled',2,'2023-02-09 17:38:11'),(167535,'all',1,'aaa','left','aaa',-1,'aaa_aao','aaa',1103,'/aaa/aao_card.php?action=create','','New Aao','','aaa@aaa',NULL,'aaa_aao','1','$conf->aaa->enabled',2,'2023-02-09 17:38:11'),(167670,'all',1,'workstation','left','mrp',-1,NULL,'mrp',1101,'','','Workstations','','mrp',NULL,'workstation_workstation','$user->rights->workstation->workstation->read','$conf->workstation->enabled',2,'2023-08-13 15:40:21'),(167671,'all',1,'workstation','left','mrp',-1,'workstation_workstation','mrp',1102,'/workstation/workstation_card.php?action=create','','WorkstationCreate','','mrp',NULL,'workstation_workstation_left_create','$user->rights->workstation->workstation->write','$conf->workstation->enabled',2,'2023-08-13 15:40:21'),(167672,'all',1,'workstation','left','mrp',-1,'workstation_workstation','mrp',1104,'/workstation/workstation_list.php','','List','','mrp',NULL,'workstation_workstation_left_list','$user->rights->workstation->workstation->read','$conf->workstation->enabled',2,'2023-08-13 15:40:21'),(167673,'all',1,'eventorganization','left','project',-1,NULL,'project',1001,'','','EventOrganizationMenuLeft','','eventorganization',NULL,'eventorganization','$user->rights->eventorganization->read','$conf->eventorganization->enabled',2,'2023-08-13 15:40:29'),(167674,'all',1,'eventorganization','left','project',-1,'eventorganization','project',1002,'/projet/list.php?search_usage_event_organization=1&search_status=99&mainmenu=project&contextpage=organizedevents','','List','','eventorganization@eventorganization',NULL,NULL,'$user->rights->eventorganization->read','$conf->eventorganization->enabled',2,'2023-08-13 15:40:29'),(167675,'all',1,'eventorganization','left','project',-1,'eventorganization','project',1003,'/projet/card.php?leftmenu=projects&action=create&usage_organize_event=1&usage_opportunity=0','','New','','eventorganization@eventorganization',NULL,NULL,'$user->rights->eventorganization->write','$conf->eventorganization->enabled',2,'2023-08-13 15:40:29'),(167676,'all',1,'eventorganization','left','project',-1,NULL,'project',1004,'','','ConferenceOrBooth','','eventorganization',NULL,'eventorganizationconforbooth','$user->rights->eventorganization->read','$conf->eventorganization->enabled',2,'2023-08-13 15:40:29'),(167677,'all',1,'eventorganization','left','project',-1,'eventorganizationconforbooth','project',1005,'/eventorganization/conferenceorbooth_list.php?mainmenu=project','','List','','eventorganization',NULL,NULL,'$user->rights->eventorganization->read','$conf->eventorganization->enabled',2,'2023-08-13 15:40:29'),(167678,'all',1,'eventorganization','left','project',-1,'eventorganizationconforbooth','project',1006,'/eventorganization/conferenceorbooth_card.php?leftmenu=projects&action=create','','New','','eventorganization',NULL,NULL,'$user->rights->eventorganization->write','$conf->eventorganization->enabled',2,'2023-08-13 15:40:29'),(167695,'all',1,'partnership','left','companies',-1,NULL,'companies',1101,'/partnership/partnership_list.php','','Partnership','','partnership',NULL,'partnership','$user->rights->partnership->read','$conf->partnership->enabled',2,'2023-08-15 10:35:26'),(167696,'all',1,'partnership','left','companies',-1,'partnership','companies',1102,'/partnership/partnership_card.php?action=create','','NewPartnership','','partnership',NULL,'partnership_new','$user->rights->partnership->write','$conf->partnership->enabled',2,'2023-08-15 10:35:26'),(167697,'all',1,'partnership','left','companies',-1,'partnership','companies',1103,'/partnership/partnership_list.php','','ListOfPartnerships','','partnership',NULL,'partnership_list','$user->rights->partnership->read','$conf->partnership->enabled',2,'2023-08-15 10:35:26'),(167797,'all',1,'agenda','top','agenda',0,NULL,NULL,86,'/comm/action/index.php','','TMenuAgenda','','agenda',NULL,NULL,'$user->hasRight(\"agenda\", \"myactions\", \"read\") || $user->hasRight(\"resource\", \"read\")','isModEnabled(\"agenda\") || isModEnabled(\"resource\")',2,'2024-01-03 16:35:44'),(167798,'all',1,'agenda','left','agenda',167797,NULL,NULL,100,'/comm/action/index.php?mainmenu=agenda&leftmenu=agenda','','Actions','','agenda',NULL,NULL,'$user->hasRight(\"agenda\", \"myactions\", \"read\")','isModEnabled(\"agenda\")',2,'2024-01-03 16:35:44'),(167799,'all',1,'agenda','left','agenda',167798,NULL,NULL,101,'/comm/action/card.php?mainmenu=agenda&leftmenu=agenda&action=create','','NewAction','','commercial',NULL,NULL,'($user->hasRight(\"agenda\", \"myactions\", \"create\") || $user->hasRight(\"agenda\", \"allactions\", \"create\"))','isModEnabled(\"agenda\")',2,'2024-01-03 16:35:44'),(167800,'all',1,'agenda','left','agenda',167798,NULL,NULL,140,'/comm/action/index.php?action=default&mainmenu=agenda&leftmenu=agenda','','Calendar','','agenda',NULL,NULL,'$user->hasRight(\"agenda\", \"myactions\", \"read\")','isModEnabled(\"agenda\")',2,'2024-01-03 16:35:44'),(167801,'all',1,'agenda','left','agenda',167800,NULL,NULL,141,'/comm/action/index.php?action=default&mainmenu=agenda&leftmenu=agenda&status=todo&filter=mine','','MenuToDoMyActions','','agenda',NULL,NULL,'$user->hasRight(\"agenda\", \"myactions\", \"read\")','isModEnabled(\"agenda\")',2,'2024-01-03 16:35:44'),(167802,'all',1,'agenda','left','agenda',167800,NULL,NULL,142,'/comm/action/index.php?action=default&mainmenu=agenda&leftmenu=agenda&status=done&filter=mine','','MenuDoneMyActions','','agenda',NULL,NULL,'$user->hasRight(\"agenda\", \"myactions\", \"read\")','isModEnabled(\"agenda\")',2,'2024-01-03 16:35:44'),(167803,'all',1,'agenda','left','agenda',167800,NULL,NULL,143,'/comm/action/index.php?action=default&mainmenu=agenda&leftmenu=agenda&status=todo&filtert=-1','','MenuToDoActions','','agenda',NULL,NULL,'$user->hasRight(\"agenda\", \"allactions\", \"read\")','isModEnabled(\"agenda\")',2,'2024-01-03 16:35:44'),(167804,'all',1,'agenda','left','agenda',167800,NULL,NULL,144,'/comm/action/index.php?action=default&mainmenu=agenda&leftmenu=agenda&status=done&filtert=-1','','MenuDoneActions','','agenda',NULL,NULL,'$user->hasRight(\"agenda\", \"allactions\", \"read\")','isModEnabled(\"agenda\")',2,'2024-01-03 16:35:44'),(167805,'all',1,'agenda','left','agenda',167798,NULL,NULL,110,'/comm/action/list.php?mode=show_list&mainmenu=agenda&leftmenu=agenda','','List','','agenda',NULL,NULL,'$user->hasRight(\"agenda\", \"myactions\", \"read\")','isModEnabled(\"agenda\")',2,'2024-01-03 16:35:44'),(167806,'all',1,'agenda','left','agenda',167805,NULL,NULL,111,'/comm/action/list.php?mode=show_list&mainmenu=agenda&leftmenu=agenda&status=todo&filter=mine','','MenuToDoMyActions','','agenda',NULL,NULL,'$user->hasRight(\"agenda\", \"myactions\", \"read\")','isModEnabled(\"agenda\")',2,'2024-01-03 16:35:44'),(167807,'all',1,'agenda','left','agenda',167805,NULL,NULL,112,'/comm/action/list.php?mode=show_list&mainmenu=agenda&leftmenu=agenda&status=done&filter=mine','','MenuDoneMyActions','','agenda',NULL,NULL,'$user->hasRight(\"agenda\", \"myactions\", \"read\")','isModEnabled(\"agenda\")',2,'2024-01-03 16:35:44'),(167808,'all',1,'agenda','left','agenda',167805,NULL,NULL,113,'/comm/action/list.php?mode=show_list&mainmenu=agenda&leftmenu=agenda&status=todo&filtert=-1','','MenuToDoActions','','agenda',NULL,NULL,'$user->hasRight(\"agenda\", \"allactions\", \"read\")','isModEnabled(\"agenda\")',2,'2024-01-03 16:35:44'),(167809,'all',1,'agenda','left','agenda',167805,NULL,NULL,114,'/comm/action/list.php?mode=show_list&mainmenu=agenda&leftmenu=agenda&status=done&filtert=-1','','MenuDoneActions','','agenda',NULL,NULL,'$user->hasRight(\"agenda\", \"allactions\", \"read\")','isModEnabled(\"agenda\")',2,'2024-01-03 16:35:44'),(167810,'all',1,'agenda','left','agenda',167798,NULL,NULL,160,'/comm/action/rapport/index.php?mainmenu=agenda&leftmenu=agenda','','Reportings','','agenda',NULL,NULL,'$user->hasRight(\"agenda\", \"allactions\", \"read\")','isModEnabled(\"agenda\")',2,'2024-01-03 16:35:44'),(167811,'all',1,'agenda','left','agenda',167798,NULL,NULL,170,'/categories/index.php?mainmenu=agenda&leftmenu=agenda&type=10','','Categories','','agenda',NULL,NULL,'$user->hasRight(\"agenda\", \"allactions\", \"read\")','isModEnabled(\"categorie\")',2,'2024-01-03 16:35:44'),(167812,'all',1,'barcode','left','tools',-1,NULL,'tools',200,'/barcode/printsheet.php?mainmenu=tools&leftmenu=barcodeprint','','BarCodePrintsheet','','products',NULL,'barcodeprint','$user->hasRight(\"barcode\", \"read\")','isModEnabled(\"barcode\")',0,'2024-01-03 16:35:45'),(167813,'all',1,'barcode','left','home',-1,'admintools','home',300,'/barcode/codeinit.php?mainmenu=home&leftmenu=admintools','','MassBarcodeInit','','products',NULL,NULL,'$user->admin','isModEnabled(\"barcode\") && preg_match(\'/^(admintools|all)/\',$leftmenu)',0,'2024-01-03 16:35:45'),(167814,'all',1,'cron','left','home',-1,'admintools','home',500,'/cron/list.php?leftmenu=admintools','','CronList','','cron',NULL,NULL,'$user->rights->cron->read','$conf->cron->enabled && preg_match(\'/^(admintools|all)/\', $leftmenu)',2,'2024-01-03 16:35:45'),(167815,'all',1,'blockedlog','left','tools',-1,NULL,'tools',200,'/blockedlog/admin/blockedlog_list.php?mainmenu=tools&leftmenu=blockedlogbrowser','','BrowseBlockedLog','','blockedlog',NULL,'blockedlogbrowser','$user->rights->blockedlog->read','$conf->blockedlog->enabled',2,'2024-01-03 16:35:45'),(167816,'all',1,'ecm','top','ecm',0,NULL,NULL,82,'/ecm/index.php','','MenuECM','','ecm',NULL,NULL,'$user->rights->ecm->read || $user->rights->ecm->upload || $user->rights->ecm->setup','isModEnabled(\"ecm\")',2,'2024-01-03 16:35:45'),(167817,'all',1,'ecm','left','ecm',-1,NULL,'ecm',101,'/ecm/index.php?mainmenu=ecm&leftmenu=ecm','','ECMArea','','ecm',NULL,'ecm','$user->rights->ecm->read || $user->rights->ecm->upload','$user->rights->ecm->read || $user->rights->ecm->upload',2,'2024-01-03 16:35:45'),(167818,'all',1,'ecm','left','ecm',-1,'ecm','ecm',102,'/ecm/index.php?action=file_manager&mainmenu=ecm&leftmenu=ecm','','ECMSectionsManual','','ecm',NULL,'ecm_manual','$user->rights->ecm->read || $user->rights->ecm->upload','$user->rights->ecm->read || $user->rights->ecm->upload',2,'2024-01-03 16:35:45'),(167819,'all',1,'ecm','left','ecm',-1,'ecm','ecm',103,'/ecm/index_auto.php?action=file_manager&mainmenu=ecm&leftmenu=ecm','','ECMSectionsAuto','','ecm',NULL,NULL,'$user->rights->ecm->read || $user->rights->ecm->upload','($user->rights->ecm->read || $user->rights->ecm->upload) && !getDolGlobalInt(\"ECM_AUTO_TREE_HIDEN\")',2,'2024-01-03 16:35:45'),(167820,'all',1,'ecm','left','ecm',-1,'ecm','ecm',104,'/ecm/index_medias.php?action=file_manager&mainmenu=ecm&leftmenu=ecm','','ECMSectionsMedias','','ecm',NULL,NULL,'$user->rights->ecm->read || $user->rights->ecm->upload','($user->rights->ecm->read || $user->rights->ecm->upload) && getDolGlobalInt(\"MAIN_FEATURES_LEVEL\") == 2',2,'2024-01-03 16:35:45'),(167821,'all',1,'margins','left','billing',-1,NULL,'billing',100,'/margin/index.php','','Margins','','margins',NULL,'margins','$user->rights->margins->liretous','isModEnabled(\"margin\")',2,'2024-01-03 16:35:45'),(167822,'all',1,'opensurvey','left','tools',-1,NULL,'tools',200,'/opensurvey/index.php?mainmenu=tools&leftmenu=opensurvey','','Survey','','opensurvey',NULL,'opensurvey','$user->rights->opensurvey->read','$conf->opensurvey->enabled',0,'2024-01-03 16:35:46'),(167823,'all',1,'opensurvey','left','tools',-1,'opensurvey','tools',210,'/opensurvey/wizard/index.php','','NewSurvey','','opensurvey',NULL,'opensurvey_new','$user->rights->opensurvey->write','$conf->opensurvey->enabled',0,'2024-01-03 16:35:46'),(167824,'all',1,'opensurvey','left','tools',-1,'opensurvey','tools',220,'/opensurvey/list.php','','List','','opensurvey',NULL,'opensurvey_list','$user->rights->opensurvey->read','$conf->opensurvey->enabled',0,'2024-01-03 16:35:46'),(167825,'all',1,'printing','left','home',-1,'admintools','home',300,'/printing/index.php?mainmenu=home&leftmenu=admintools','','MenuDirectPrinting','','printing',NULL,NULL,'$user->rights->printing->read','$conf->printing->enabled && preg_match(\'/^(admintools|all)/\', $leftmenu)',0,'2024-01-03 16:35:46'),(167826,'all',1,'recruitment','left','hrm',-1,NULL,'hrm',1001,'/recruitment/index.php','','Recruitment','','recruitment',NULL,'recruitmentjobposition','$user->hasRight(\"recruitment\", \"recruitmentjobposition\", \"read\")','$conf->recruitment->enabled',2,'2024-01-03 16:35:46'),(167827,'all',1,'recruitment','left','hrm',-1,'recruitmentjobposition','hrm',1002,'/recruitment/recruitmentjobposition_card.php?action=create','','NewPositionToBeFilled','','recruitment',NULL,'recruitment_recruitmentjobposition_new','$user->rights->recruitment->recruitmentjobposition->write','$conf->recruitment->enabled',2,'2024-01-03 16:35:46'),(167828,'all',1,'recruitment','left','hrm',-1,'recruitmentjobposition','hrm',1003,'/recruitment/recruitmentjobposition_list.php','','ListOfPositionsToBeFilled','','recruitment',NULL,'recruitment_recruitmentjobposition_list','$user->hasRight(\"recruitment\", \"recruitmentjobposition\", \"read\")','$conf->recruitment->enabled',2,'2024-01-03 16:35:46'),(167829,'all',1,'recruitment','left','hrm',-1,'recruitmentjobposition','hrm',1004,'/recruitment/recruitmentcandidature_card.php?action=create','','NewCandidature','','recruitment',NULL,'recruitment_recruitmentcandidature_new','$user->rights->recruitment->recruitmentjobposition->write','$conf->recruitment->enabled',2,'2024-01-03 16:35:46'),(167830,'all',1,'recruitment','left','hrm',-1,'recruitmentjobposition','hrm',1005,'/recruitment/recruitmentcandidature_list.php','','ListOfCandidatures','','recruitment',NULL,'recruitment_recruitmentcandidature_list','$user->hasRight(\"recruitment\", \"recruitmentjobposition\", \"read\")','$conf->recruitment->enabled',2,'2024-01-03 16:35:46'),(167831,'all',1,'resource','left','agenda',-1,NULL,'agenda',100,'/resource/list.php','','MenuResourceIndex','','resource',NULL,'resource','$user->rights->resource->read','1',0,'2024-01-03 16:35:46'),(167832,'all',1,'resource','left','agenda',-1,'resource','agenda',101,'/resource/card.php?action=create','','MenuResourceAdd','','resource',NULL,'resource_add','$user->rights->resource->write','1',0,'2024-01-03 16:35:46'),(167833,'all',1,'resource','left','agenda',-1,'resource','agenda',102,'/resource/list.php','','List','','resource',NULL,'resource_list','$user->rights->resource->read','1',0,'2024-01-03 16:35:46'),(167834,'all',1,'stripe','left','bank',-1,NULL,'bank',100,'','','StripeAccount','','stripe',NULL,'stripe','$user->rights->banque->lire','isModEnabled(\"stripe\") && isModenabled(\"banque\")',0,'2024-01-03 16:35:46'),(167835,'all',1,'stripe','left','bank',-1,'stripe','bank',102,'/stripe/charge.php','','StripeChargeList','','stripe',NULL,NULL,'$user->rights->banque->lire','isModEnabled(\"stripe\") && isModenabled(\"banque\") && getDolGlobalInt(\"MAIN_FEATURES_LEVEL\") >= 1',0,'2024-01-03 16:35:46'),(167836,'all',1,'stripe','left','bank',-1,'stripe','bank',102,'/stripe/transaction.php','','StripeTransactionList','','stripe',NULL,NULL,'$user->rights->banque->lire','isModEnabled(\"stripe\") && isModenabled(\"banque\") && getDolGlobalInt(\"MAIN_FEATURES_LEVEL\") >= 2',0,'2024-01-03 16:35:46'),(167837,'all',1,'stripe','left','bank',-1,'stripe','bank',103,'/stripe/payout.php','','StripePayoutList','','stripe',NULL,NULL,'$user->rights->banque->lire','isModEnabled(\"stripe\") && isModenabled(\"banque\")',0,'2024-01-03 16:35:46'),(167838,'all',1,'ticket','left','ticket',-1,NULL,'ticket',101,'/ticket/index.php','','Ticket','','ticket',NULL,'ticket','$user->rights->ticket->read','isModEnabled(\"ticket\")',2,'2024-01-03 16:35:47'),(167839,'all',1,'ticket','left','ticket',-1,'ticket','ticket',102,'/ticket/card.php?action=create','','NewTicket','','ticket',NULL,NULL,'$user->rights->ticket->write','isModEnabled(\"ticket\")',2,'2024-01-03 16:35:47'),(167840,'all',1,'ticket','left','ticket',-1,'ticket','ticket',103,'/ticket/list.php?search_fk_status=non_closed','','List','','ticket',NULL,'ticketlist','$user->rights->ticket->read','isModEnabled(\"ticket\")',2,'2024-01-03 16:35:47'),(167841,'all',1,'ticket','left','ticket',-1,'ticket','ticket',105,'/ticket/list.php?mode=mine&search_fk_status=non_closed','','MenuTicketMyAssign','','ticket',NULL,'ticketmy','$user->rights->ticket->read','isModEnabled(\"ticket\")',0,'2024-01-03 16:35:47'),(167842,'all',1,'ticket','left','ticket',-1,'ticket','ticket',107,'/ticket/stats/index.php','','Statistics','','ticket',NULL,NULL,'$user->rights->ticket->read','isModEnabled(\"ticket\")',0,'2024-01-03 16:35:47'),(167843,'all',1,'ticket','left','ticket',-1,'ticket','ticket',107,'/categories/index.php?type=12','','Categories','','ticket',NULL,NULL,'$user->rights->ticket->read','$conf->categorie->enabled',0,'2024-01-03 16:35:47'),(167844,'all',1,'takepos','top','takepos',0,NULL,NULL,1001,'/takepos/index.php','takepos','PointOfSaleShort','','cashdesk',NULL,NULL,'$user->rights->takepos->run','$conf->takepos->enabled',2,'2024-01-03 16:35:47'),(167845,'all',1,'website','top','website',0,NULL,NULL,100,'/website/index.php','','WebSites','','website',NULL,NULL,'$user->rights->website->read','$conf->website->enabled',2,'2024-01-03 16:35:47'); /*!40000 ALTER TABLE `llx_menu` ENABLE KEYS */; UNLOCK TABLES; @@ -8824,6 +8432,7 @@ CREATE TABLE `llx_mrp_production` ( `qty_frozen` smallint(6) DEFAULT 0, `disable_stock_change` smallint(6) DEFAULT 0, `fk_default_workstation` int(11) DEFAULT NULL, + `fk_unit` int(11) DEFAULT NULL, PRIMARY KEY (`rowid`), KEY `fk_mrp_production_product` (`fk_product`), KEY `fk_mrp_production_stock_movement` (`fk_stock_movement`), @@ -8840,10 +8449,36 @@ CREATE TABLE `llx_mrp_production` ( LOCK TABLES `llx_mrp_production` WRITE; /*!40000 ALTER TABLE `llx_mrp_production` DISABLE KEYS */; -INSERT INTO `llx_mrp_production` VALUES (13,8,NULL,NULL,1,3,NULL,1,NULL,'toproduce',NULL,NULL,'2019-12-20 17:01:21','2019-12-20 13:01:21',12,NULL,NULL,NULL,NULL,NULL),(14,8,NULL,NULL,0,25,NULL,4,NULL,'toconsume',NULL,NULL,'2019-12-20 17:01:21','2019-12-20 13:01:21',12,NULL,NULL,0,0,NULL),(15,8,NULL,NULL,0,3,NULL,1,NULL,'toconsume',NULL,NULL,'2019-12-20 17:01:21','2019-12-20 13:01:21',12,NULL,NULL,0,1,NULL),(49,5,NULL,NULL,1,4,NULL,3,NULL,'toproduce',NULL,NULL,'2019-12-20 20:32:00','2019-12-20 16:32:00',12,NULL,NULL,NULL,NULL,NULL),(50,5,NULL,NULL,0,25,NULL,12,NULL,'toconsume',NULL,NULL,'2019-12-20 20:32:00','2019-12-20 16:32:00',12,NULL,NULL,0,0,NULL),(51,5,NULL,NULL,0,3,NULL,3,NULL,'toconsume',NULL,NULL,'2019-12-20 20:32:00','2019-12-20 16:32:00',12,NULL,NULL,0,1,NULL),(52,14,NULL,NULL,1,4,NULL,10,NULL,'toproduce',NULL,NULL,'2020-01-02 23:46:54','2020-01-02 19:46:54',12,NULL,NULL,NULL,NULL,NULL),(53,14,NULL,NULL,0,25,NULL,40,NULL,'toconsume',NULL,NULL,'2020-01-02 23:46:54','2020-01-02 19:46:54',12,NULL,NULL,0,0,NULL),(54,14,NULL,NULL,0,3,NULL,10,NULL,'toconsume',NULL,NULL,'2020-01-02 23:46:54','2020-01-02 19:46:54',12,NULL,NULL,0,1,NULL),(68,18,NULL,NULL,1,4,NULL,2,NULL,'toproduce',NULL,NULL,'2020-01-03 14:10:33','2020-01-03 10:10:33',12,NULL,NULL,NULL,NULL,NULL),(69,18,NULL,NULL,1,25,NULL,8,NULL,'toconsume',NULL,NULL,'2020-01-03 14:10:33','2020-01-03 10:10:33',12,NULL,NULL,0,0,NULL),(70,18,NULL,NULL,3,3,NULL,2,NULL,'toconsume',NULL,NULL,'2020-01-03 14:10:33','2020-01-03 10:10:33',12,NULL,NULL,0,1,NULL),(71,18,NULL,NULL,2,2,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-03 14:10:33','2020-01-03 10:10:33',12,NULL,NULL,1,0,NULL),(93,5,NULL,NULL,0,25,1,12,'','consumed',50,23,'2020-01-06 05:44:30','2020-01-06 01:44:30',12,NULL,NULL,NULL,NULL,NULL),(95,5,NULL,NULL,0,4,2,3,'','produced',49,24,'2020-01-06 05:44:30','2020-01-06 01:44:30',12,NULL,NULL,NULL,NULL,NULL),(96,5,NULL,NULL,0,25,1,2,'','consumed',50,25,'2020-01-06 05:54:05','2020-01-06 01:54:05',12,NULL,NULL,NULL,NULL,NULL),(97,5,NULL,NULL,0,3,NULL,2,'','consumed',51,NULL,'2020-01-06 05:54:05','2020-01-06 01:54:05',12,NULL,NULL,NULL,NULL,NULL),(98,5,NULL,NULL,0,4,2,3,'','produced',49,26,'2020-01-06 05:54:05','2020-01-06 01:54:05',12,NULL,NULL,NULL,NULL,NULL),(99,14,NULL,NULL,0,25,1,1,'','consumed',53,27,'2020-01-06 06:44:49','2020-01-06 02:44:49',12,NULL,NULL,NULL,NULL,NULL),(100,14,NULL,NULL,0,3,NULL,10,'','consumed',54,NULL,'2020-01-06 06:44:49','2020-01-06 02:44:49',12,NULL,NULL,NULL,NULL,NULL),(101,14,NULL,NULL,0,4,1,1,'','produced',52,28,'2020-01-06 06:44:49','2020-01-06 02:44:49',12,NULL,NULL,NULL,NULL,NULL),(102,14,NULL,NULL,0,25,1,1,'','consumed',53,29,'2020-01-06 06:46:03','2020-01-06 02:46:03',12,NULL,NULL,NULL,NULL,NULL),(103,14,NULL,NULL,0,3,NULL,1,'','consumed',54,NULL,'2020-01-06 06:46:03','2020-01-06 02:46:03',12,NULL,NULL,NULL,NULL,NULL),(104,14,NULL,NULL,0,4,1,1,'','produced',52,30,'2020-01-06 06:46:03','2020-01-06 02:46:03',12,NULL,NULL,NULL,NULL,NULL),(105,14,NULL,NULL,0,25,1,1,'','consumed',53,31,'2020-01-06 06:48:22','2020-01-06 02:48:22',12,NULL,NULL,NULL,NULL,NULL),(106,14,NULL,NULL,0,3,NULL,1,'','consumed',54,NULL,'2020-01-06 06:48:22','2020-01-06 02:48:22',12,NULL,NULL,NULL,NULL,NULL),(107,14,NULL,NULL,0,4,1,1,'','produced',52,32,'2020-01-06 06:48:22','2020-01-06 02:48:22',12,NULL,NULL,NULL,NULL,NULL),(108,14,NULL,NULL,0,25,1,1,'','consumed',53,33,'2020-01-06 06:50:05','2020-01-06 02:50:05',12,NULL,NULL,NULL,NULL,NULL),(109,14,NULL,NULL,0,3,NULL,1,'','consumed',54,NULL,'2020-01-06 06:50:05','2020-01-06 02:50:05',12,NULL,NULL,NULL,NULL,NULL),(110,14,NULL,NULL,0,4,1,1,'','produced',52,34,'2020-01-06 06:50:05','2020-01-06 02:50:05',12,NULL,NULL,NULL,NULL,NULL),(111,5,NULL,NULL,0,25,1,2,'','consumed',50,35,'2020-01-07 20:25:02','2020-01-07 16:25:02',12,NULL,NULL,NULL,NULL,NULL),(112,5,NULL,NULL,0,3,NULL,1,'','consumed',51,NULL,'2020-01-07 20:25:02','2020-01-07 16:25:02',12,NULL,NULL,NULL,NULL,NULL),(113,5,NULL,NULL,0,4,2,1,'','produced',49,36,'2020-01-07 20:25:02','2020-01-07 16:25:02',12,NULL,NULL,NULL,NULL,NULL),(132,5,NULL,NULL,0,25,1,1,'','consumed',50,46,'2020-01-07 21:53:58','2020-01-07 17:53:58',12,NULL,NULL,NULL,NULL,NULL),(135,5,NULL,NULL,0,25,1,1,'','consumed',50,48,'2020-01-07 21:54:12','2020-01-07 17:54:12',12,NULL,NULL,NULL,NULL,NULL),(140,5,NULL,NULL,0,25,1,1,'','consumed',50,51,'2020-01-07 22:00:55','2020-01-07 18:00:55',12,NULL,NULL,NULL,NULL,NULL),(142,5,NULL,NULL,0,4,1,1,'','produced',49,52,'2020-01-07 22:00:55','2020-01-07 18:00:55',12,NULL,NULL,NULL,NULL,NULL),(143,14,NULL,NULL,0,25,1,1,'','consumed',53,53,'2020-01-07 22:39:52','2020-01-07 18:39:52',12,NULL,NULL,NULL,NULL,NULL),(144,14,NULL,NULL,0,3,NULL,1,'','consumed',54,NULL,'2020-01-07 22:39:52','2020-01-07 18:39:52',12,NULL,NULL,NULL,NULL,NULL),(145,14,NULL,NULL,0,4,1,2,'','produced',52,54,'2020-01-07 22:39:52','2020-01-07 18:39:52',12,NULL,NULL,NULL,NULL,NULL),(146,14,NULL,NULL,0,25,1,2,'','consumed',53,55,'2020-01-07 23:09:04','2020-01-07 19:09:04',12,NULL,NULL,NULL,NULL,NULL),(148,14,NULL,NULL,0,4,1,4,'','produced',52,56,'2020-01-07 23:09:04','2020-01-07 19:09:04',12,NULL,NULL,NULL,NULL,NULL),(149,5,NULL,NULL,0,25,1,1,'','consumed',50,57,'2020-01-07 23:50:40','2020-01-07 19:50:40',12,NULL,NULL,NULL,NULL,NULL),(152,5,NULL,NULL,0,25,1,1,'','consumed',50,59,'2020-01-07 23:51:27','2020-01-07 19:51:27',12,NULL,NULL,NULL,NULL,NULL),(161,5,NULL,NULL,0,25,1,1,'','consumed',50,63,'2020-01-08 00:29:24','2020-01-07 20:29:24',12,NULL,NULL,NULL,NULL,NULL),(167,5,NULL,NULL,0,25,1,1,'','consumed',50,66,'2020-01-08 01:09:15','2020-01-07 21:09:15',12,NULL,NULL,NULL,NULL,NULL),(170,5,NULL,NULL,0,25,1,1,'','consumed',50,68,'2020-01-08 01:15:02','2020-01-07 21:15:02',12,NULL,NULL,NULL,NULL,NULL),(171,5,NULL,NULL,0,25,1,1.1,'','consumed',50,69,'2020-01-08 01:17:16','2020-01-07 21:17:16',12,NULL,NULL,NULL,NULL,NULL),(172,22,NULL,NULL,1,4,NULL,1,NULL,'toproduce',NULL,NULL,'2020-01-08 19:42:15','2020-01-08 15:42:15',12,NULL,NULL,NULL,NULL,NULL),(173,22,NULL,NULL,1,25,NULL,4,NULL,'toconsume',NULL,NULL,'2020-01-08 19:42:15','2020-01-08 15:42:15',12,NULL,NULL,0,0,NULL),(174,22,NULL,NULL,3,3,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:42:15','2020-01-08 15:42:15',12,NULL,NULL,0,1,NULL),(175,22,NULL,NULL,2,2,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:42:15','2020-01-08 15:42:15',12,NULL,NULL,1,0,NULL),(176,22,NULL,NULL,0,1,NULL,3,NULL,'toconsume',NULL,NULL,'2020-01-08 19:42:15','2020-01-08 15:42:15',12,NULL,NULL,0,0,NULL),(177,23,NULL,NULL,1,4,NULL,1,NULL,'toproduce',NULL,NULL,'2020-01-08 19:45:04','2020-01-08 15:45:04',12,NULL,NULL,NULL,NULL,NULL),(178,23,NULL,NULL,1,25,NULL,4,NULL,'toconsume',NULL,NULL,'2020-01-08 19:45:04','2020-01-08 15:45:04',12,NULL,NULL,0,0,NULL),(179,23,NULL,NULL,3,3,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:45:04','2020-01-08 15:45:04',12,NULL,NULL,0,1,NULL),(180,23,NULL,NULL,2,2,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:45:04','2020-01-08 15:45:04',12,NULL,NULL,1,0,NULL),(181,23,NULL,NULL,0,1,NULL,3,NULL,'toconsume',NULL,NULL,'2020-01-08 19:45:04','2020-01-08 15:45:04',12,NULL,NULL,0,0,NULL),(182,24,NULL,NULL,1,4,NULL,1,NULL,'toproduce',NULL,NULL,'2020-01-08 19:46:41','2020-01-08 15:46:41',12,NULL,NULL,NULL,NULL,NULL),(183,24,NULL,NULL,1,25,NULL,4,NULL,'toconsume',NULL,NULL,'2020-01-08 19:46:41','2020-01-08 15:46:41',12,NULL,NULL,0,0,NULL),(184,24,NULL,NULL,3,3,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:46:41','2020-01-08 15:46:41',12,NULL,NULL,0,1,NULL),(185,24,NULL,NULL,2,2,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:46:41','2020-01-08 15:46:41',12,NULL,NULL,1,0,NULL),(186,24,NULL,NULL,0,1,NULL,3,NULL,'toconsume',NULL,NULL,'2020-01-08 19:46:41','2020-01-08 15:46:41',12,NULL,NULL,0,0,NULL),(192,26,NULL,NULL,1,4,NULL,1,NULL,'toproduce',NULL,NULL,'2020-01-08 19:49:22','2020-01-08 15:49:22',12,NULL,NULL,NULL,NULL,NULL),(193,26,NULL,NULL,1,25,NULL,4,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:22','2020-01-08 15:49:22',12,NULL,NULL,0,0,NULL),(194,26,NULL,NULL,3,3,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:22','2020-01-08 15:49:22',12,NULL,NULL,0,1,NULL),(195,26,NULL,NULL,2,2,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:22','2020-01-08 15:49:22',12,NULL,NULL,1,0,NULL),(196,26,NULL,NULL,0,1,NULL,3,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:22','2020-01-08 15:49:22',12,NULL,NULL,0,0,NULL),(197,27,NULL,NULL,1,4,NULL,1,NULL,'toproduce',NULL,NULL,'2020-01-08 19:49:50','2020-01-08 15:49:50',12,NULL,NULL,NULL,NULL,NULL),(198,27,NULL,NULL,1,25,NULL,4,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:50','2020-01-08 15:49:50',12,NULL,NULL,0,0,NULL),(199,27,NULL,NULL,3,3,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:50','2020-01-08 15:49:50',12,NULL,NULL,0,1,NULL),(200,27,NULL,NULL,2,2,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:50','2020-01-08 15:49:50',12,NULL,NULL,1,0,NULL),(201,27,NULL,NULL,0,1,NULL,3,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:50','2020-01-08 15:49:50',12,NULL,NULL,0,0,NULL),(202,28,NULL,NULL,1,4,NULL,1,NULL,'toproduce',NULL,NULL,'2020-01-08 20:09:40','2020-01-08 16:09:40',12,NULL,NULL,NULL,NULL,NULL),(203,28,NULL,NULL,1,25,NULL,4,NULL,'toconsume',NULL,NULL,'2020-01-08 20:09:40','2020-01-08 16:09:40',12,NULL,NULL,0,0,NULL),(204,28,NULL,NULL,3,3,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 20:09:40','2020-01-08 16:09:40',12,NULL,NULL,0,1,NULL),(205,28,NULL,NULL,2,2,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 20:09:40','2020-01-08 16:09:40',12,NULL,NULL,1,0,NULL),(206,28,NULL,NULL,0,1,NULL,3,NULL,'toconsume',NULL,NULL,'2020-01-08 20:09:40','2020-01-08 16:09:40',12,NULL,NULL,0,0,NULL),(207,28,NULL,NULL,0,25,1,1,'','consumed',203,70,'2020-01-08 20:21:22','2020-01-08 16:21:22',12,NULL,NULL,NULL,NULL,NULL),(210,28,NULL,NULL,0,1,1,1.1,'000000','consumed',206,73,'2020-01-08 20:41:18','2020-01-08 16:41:18',12,NULL,NULL,NULL,NULL,NULL),(211,28,NULL,NULL,0,4,1,1.2,'aaa','produced',202,74,'2020-01-08 20:41:19','2020-01-08 16:41:19',12,NULL,NULL,NULL,NULL,NULL),(212,24,NULL,NULL,0,25,1,1,'','consumed',183,75,'2020-01-13 15:13:19','2020-01-13 11:13:19',12,NULL,NULL,NULL,NULL,NULL),(213,24,NULL,NULL,0,1,1,0.1,'000000','consumed',186,76,'2020-01-13 15:14:15','2020-01-13 11:14:15',12,NULL,NULL,NULL,NULL,NULL),(214,22,NULL,'free',0,1,NULL,1,NULL,'toconsume',NULL,NULL,'2022-12-26 11:49:33','2022-12-26 11:49:33',12,NULL,NULL,NULL,NULL,NULL); +INSERT INTO `llx_mrp_production` VALUES (13,8,NULL,NULL,1,3,NULL,1,NULL,'toproduce',NULL,NULL,'2019-12-20 17:01:21','2019-12-20 13:01:21',12,NULL,NULL,NULL,NULL,NULL,NULL),(14,8,NULL,NULL,0,25,NULL,4,NULL,'toconsume',NULL,NULL,'2019-12-20 17:01:21','2019-12-20 13:01:21',12,NULL,NULL,0,0,NULL,NULL),(15,8,NULL,NULL,0,3,NULL,1,NULL,'toconsume',NULL,NULL,'2019-12-20 17:01:21','2019-12-20 13:01:21',12,NULL,NULL,0,1,NULL,NULL),(49,5,NULL,NULL,1,4,NULL,3,NULL,'toproduce',NULL,NULL,'2019-12-20 20:32:00','2019-12-20 16:32:00',12,NULL,NULL,NULL,NULL,NULL,NULL),(50,5,NULL,NULL,0,25,NULL,12,NULL,'toconsume',NULL,NULL,'2019-12-20 20:32:00','2019-12-20 16:32:00',12,NULL,NULL,0,0,NULL,NULL),(51,5,NULL,NULL,0,3,NULL,3,NULL,'toconsume',NULL,NULL,'2019-12-20 20:32:00','2019-12-20 16:32:00',12,NULL,NULL,0,1,NULL,NULL),(52,14,NULL,NULL,1,4,NULL,10,NULL,'toproduce',NULL,NULL,'2020-01-02 23:46:54','2020-01-02 19:46:54',12,NULL,NULL,NULL,NULL,NULL,NULL),(53,14,NULL,NULL,0,25,NULL,40,NULL,'toconsume',NULL,NULL,'2020-01-02 23:46:54','2020-01-02 19:46:54',12,NULL,NULL,0,0,NULL,NULL),(54,14,NULL,NULL,0,3,NULL,10,NULL,'toconsume',NULL,NULL,'2020-01-02 23:46:54','2020-01-02 19:46:54',12,NULL,NULL,0,1,NULL,NULL),(68,18,NULL,NULL,1,4,NULL,2,NULL,'toproduce',NULL,NULL,'2020-01-03 14:10:33','2020-01-03 10:10:33',12,NULL,NULL,NULL,NULL,NULL,NULL),(69,18,NULL,NULL,1,25,NULL,8,NULL,'toconsume',NULL,NULL,'2020-01-03 14:10:33','2020-01-03 10:10:33',12,NULL,NULL,0,0,NULL,NULL),(70,18,NULL,NULL,3,3,NULL,2,NULL,'toconsume',NULL,NULL,'2020-01-03 14:10:33','2020-01-03 10:10:33',12,NULL,NULL,0,1,NULL,NULL),(71,18,NULL,NULL,2,2,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-03 14:10:33','2020-01-03 10:10:33',12,NULL,NULL,1,0,NULL,NULL),(93,5,NULL,NULL,0,25,1,12,'','consumed',50,23,'2020-01-06 05:44:30','2020-01-06 01:44:30',12,NULL,NULL,NULL,NULL,NULL,NULL),(95,5,NULL,NULL,0,4,2,3,'','produced',49,24,'2020-01-06 05:44:30','2020-01-06 01:44:30',12,NULL,NULL,NULL,NULL,NULL,NULL),(96,5,NULL,NULL,0,25,1,2,'','consumed',50,25,'2020-01-06 05:54:05','2020-01-06 01:54:05',12,NULL,NULL,NULL,NULL,NULL,NULL),(97,5,NULL,NULL,0,3,NULL,2,'','consumed',51,NULL,'2020-01-06 05:54:05','2020-01-06 01:54:05',12,NULL,NULL,NULL,NULL,NULL,NULL),(98,5,NULL,NULL,0,4,2,3,'','produced',49,26,'2020-01-06 05:54:05','2020-01-06 01:54:05',12,NULL,NULL,NULL,NULL,NULL,NULL),(99,14,NULL,NULL,0,25,1,1,'','consumed',53,27,'2020-01-06 06:44:49','2020-01-06 02:44:49',12,NULL,NULL,NULL,NULL,NULL,NULL),(100,14,NULL,NULL,0,3,NULL,10,'','consumed',54,NULL,'2020-01-06 06:44:49','2020-01-06 02:44:49',12,NULL,NULL,NULL,NULL,NULL,NULL),(101,14,NULL,NULL,0,4,1,1,'','produced',52,28,'2020-01-06 06:44:49','2020-01-06 02:44:49',12,NULL,NULL,NULL,NULL,NULL,NULL),(102,14,NULL,NULL,0,25,1,1,'','consumed',53,29,'2020-01-06 06:46:03','2020-01-06 02:46:03',12,NULL,NULL,NULL,NULL,NULL,NULL),(103,14,NULL,NULL,0,3,NULL,1,'','consumed',54,NULL,'2020-01-06 06:46:03','2020-01-06 02:46:03',12,NULL,NULL,NULL,NULL,NULL,NULL),(104,14,NULL,NULL,0,4,1,1,'','produced',52,30,'2020-01-06 06:46:03','2020-01-06 02:46:03',12,NULL,NULL,NULL,NULL,NULL,NULL),(105,14,NULL,NULL,0,25,1,1,'','consumed',53,31,'2020-01-06 06:48:22','2020-01-06 02:48:22',12,NULL,NULL,NULL,NULL,NULL,NULL),(106,14,NULL,NULL,0,3,NULL,1,'','consumed',54,NULL,'2020-01-06 06:48:22','2020-01-06 02:48:22',12,NULL,NULL,NULL,NULL,NULL,NULL),(107,14,NULL,NULL,0,4,1,1,'','produced',52,32,'2020-01-06 06:48:22','2020-01-06 02:48:22',12,NULL,NULL,NULL,NULL,NULL,NULL),(108,14,NULL,NULL,0,25,1,1,'','consumed',53,33,'2020-01-06 06:50:05','2020-01-06 02:50:05',12,NULL,NULL,NULL,NULL,NULL,NULL),(109,14,NULL,NULL,0,3,NULL,1,'','consumed',54,NULL,'2020-01-06 06:50:05','2020-01-06 02:50:05',12,NULL,NULL,NULL,NULL,NULL,NULL),(110,14,NULL,NULL,0,4,1,1,'','produced',52,34,'2020-01-06 06:50:05','2020-01-06 02:50:05',12,NULL,NULL,NULL,NULL,NULL,NULL),(111,5,NULL,NULL,0,25,1,2,'','consumed',50,35,'2020-01-07 20:25:02','2020-01-07 16:25:02',12,NULL,NULL,NULL,NULL,NULL,NULL),(112,5,NULL,NULL,0,3,NULL,1,'','consumed',51,NULL,'2020-01-07 20:25:02','2020-01-07 16:25:02',12,NULL,NULL,NULL,NULL,NULL,NULL),(113,5,NULL,NULL,0,4,2,1,'','produced',49,36,'2020-01-07 20:25:02','2020-01-07 16:25:02',12,NULL,NULL,NULL,NULL,NULL,NULL),(132,5,NULL,NULL,0,25,1,1,'','consumed',50,46,'2020-01-07 21:53:58','2020-01-07 17:53:58',12,NULL,NULL,NULL,NULL,NULL,NULL),(135,5,NULL,NULL,0,25,1,1,'','consumed',50,48,'2020-01-07 21:54:12','2020-01-07 17:54:12',12,NULL,NULL,NULL,NULL,NULL,NULL),(140,5,NULL,NULL,0,25,1,1,'','consumed',50,51,'2020-01-07 22:00:55','2020-01-07 18:00:55',12,NULL,NULL,NULL,NULL,NULL,NULL),(142,5,NULL,NULL,0,4,1,1,'','produced',49,52,'2020-01-07 22:00:55','2020-01-07 18:00:55',12,NULL,NULL,NULL,NULL,NULL,NULL),(143,14,NULL,NULL,0,25,1,1,'','consumed',53,53,'2020-01-07 22:39:52','2020-01-07 18:39:52',12,NULL,NULL,NULL,NULL,NULL,NULL),(144,14,NULL,NULL,0,3,NULL,1,'','consumed',54,NULL,'2020-01-07 22:39:52','2020-01-07 18:39:52',12,NULL,NULL,NULL,NULL,NULL,NULL),(145,14,NULL,NULL,0,4,1,2,'','produced',52,54,'2020-01-07 22:39:52','2020-01-07 18:39:52',12,NULL,NULL,NULL,NULL,NULL,NULL),(146,14,NULL,NULL,0,25,1,2,'','consumed',53,55,'2020-01-07 23:09:04','2020-01-07 19:09:04',12,NULL,NULL,NULL,NULL,NULL,NULL),(148,14,NULL,NULL,0,4,1,4,'','produced',52,56,'2020-01-07 23:09:04','2020-01-07 19:09:04',12,NULL,NULL,NULL,NULL,NULL,NULL),(149,5,NULL,NULL,0,25,1,1,'','consumed',50,57,'2020-01-07 23:50:40','2020-01-07 19:50:40',12,NULL,NULL,NULL,NULL,NULL,NULL),(152,5,NULL,NULL,0,25,1,1,'','consumed',50,59,'2020-01-07 23:51:27','2020-01-07 19:51:27',12,NULL,NULL,NULL,NULL,NULL,NULL),(161,5,NULL,NULL,0,25,1,1,'','consumed',50,63,'2020-01-08 00:29:24','2020-01-07 20:29:24',12,NULL,NULL,NULL,NULL,NULL,NULL),(167,5,NULL,NULL,0,25,1,1,'','consumed',50,66,'2020-01-08 01:09:15','2020-01-07 21:09:15',12,NULL,NULL,NULL,NULL,NULL,NULL),(170,5,NULL,NULL,0,25,1,1,'','consumed',50,68,'2020-01-08 01:15:02','2020-01-07 21:15:02',12,NULL,NULL,NULL,NULL,NULL,NULL),(171,5,NULL,NULL,0,25,1,1.1,'','consumed',50,69,'2020-01-08 01:17:16','2020-01-07 21:17:16',12,NULL,NULL,NULL,NULL,NULL,NULL),(172,22,NULL,NULL,1,4,NULL,1,NULL,'toproduce',NULL,NULL,'2020-01-08 19:42:15','2020-01-08 15:42:15',12,NULL,NULL,NULL,NULL,NULL,NULL),(173,22,NULL,NULL,1,25,NULL,4,NULL,'toconsume',NULL,NULL,'2020-01-08 19:42:15','2020-01-08 15:42:15',12,NULL,NULL,0,0,NULL,NULL),(174,22,NULL,NULL,3,3,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:42:15','2020-01-08 15:42:15',12,NULL,NULL,0,1,NULL,NULL),(175,22,NULL,NULL,2,2,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:42:15','2020-01-08 15:42:15',12,NULL,NULL,1,0,NULL,NULL),(176,22,NULL,NULL,0,1,NULL,3,NULL,'toconsume',NULL,NULL,'2020-01-08 19:42:15','2020-01-08 15:42:15',12,NULL,NULL,0,0,NULL,NULL),(177,23,NULL,NULL,1,4,NULL,1,NULL,'toproduce',NULL,NULL,'2020-01-08 19:45:04','2020-01-08 15:45:04',12,NULL,NULL,NULL,NULL,NULL,NULL),(178,23,NULL,NULL,1,25,NULL,4,NULL,'toconsume',NULL,NULL,'2020-01-08 19:45:04','2020-01-08 15:45:04',12,NULL,NULL,0,0,NULL,NULL),(179,23,NULL,NULL,3,3,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:45:04','2020-01-08 15:45:04',12,NULL,NULL,0,1,NULL,NULL),(180,23,NULL,NULL,2,2,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:45:04','2020-01-08 15:45:04',12,NULL,NULL,1,0,NULL,NULL),(181,23,NULL,NULL,0,1,NULL,3,NULL,'toconsume',NULL,NULL,'2020-01-08 19:45:04','2020-01-08 15:45:04',12,NULL,NULL,0,0,NULL,NULL),(182,24,NULL,NULL,1,4,NULL,1,NULL,'toproduce',NULL,NULL,'2020-01-08 19:46:41','2020-01-08 15:46:41',12,NULL,NULL,NULL,NULL,NULL,NULL),(183,24,NULL,NULL,1,25,NULL,4,NULL,'toconsume',NULL,NULL,'2020-01-08 19:46:41','2020-01-08 15:46:41',12,NULL,NULL,0,0,NULL,NULL),(184,24,NULL,NULL,3,3,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:46:41','2020-01-08 15:46:41',12,NULL,NULL,0,1,NULL,NULL),(185,24,NULL,NULL,2,2,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:46:41','2020-01-08 15:46:41',12,NULL,NULL,1,0,NULL,NULL),(186,24,NULL,NULL,0,1,NULL,3,NULL,'toconsume',NULL,NULL,'2020-01-08 19:46:41','2020-01-08 15:46:41',12,NULL,NULL,0,0,NULL,NULL),(192,26,NULL,NULL,1,4,NULL,1,NULL,'toproduce',NULL,NULL,'2020-01-08 19:49:22','2020-01-08 15:49:22',12,NULL,NULL,NULL,NULL,NULL,NULL),(193,26,NULL,NULL,1,25,NULL,4,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:22','2020-01-08 15:49:22',12,NULL,NULL,0,0,NULL,NULL),(194,26,NULL,NULL,3,3,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:22','2020-01-08 15:49:22',12,NULL,NULL,0,1,NULL,NULL),(195,26,NULL,NULL,2,2,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:22','2020-01-08 15:49:22',12,NULL,NULL,1,0,NULL,NULL),(196,26,NULL,NULL,0,1,NULL,3,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:22','2020-01-08 15:49:22',12,NULL,NULL,0,0,NULL,NULL),(197,27,NULL,NULL,1,4,NULL,1,NULL,'toproduce',NULL,NULL,'2020-01-08 19:49:50','2020-01-08 15:49:50',12,NULL,NULL,NULL,NULL,NULL,NULL),(198,27,NULL,NULL,1,25,NULL,4,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:50','2020-01-08 15:49:50',12,NULL,NULL,0,0,NULL,NULL),(199,27,NULL,NULL,3,3,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:50','2020-01-08 15:49:50',12,NULL,NULL,0,1,NULL,NULL),(200,27,NULL,NULL,2,2,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:50','2020-01-08 15:49:50',12,NULL,NULL,1,0,NULL,NULL),(201,27,NULL,NULL,0,1,NULL,3,NULL,'toconsume',NULL,NULL,'2020-01-08 19:49:50','2020-01-08 15:49:50',12,NULL,NULL,0,0,NULL,NULL),(202,28,NULL,NULL,1,4,NULL,1,NULL,'toproduce',NULL,NULL,'2020-01-08 20:09:40','2020-01-08 16:09:40',12,NULL,NULL,NULL,NULL,NULL,NULL),(203,28,NULL,NULL,1,25,NULL,4,NULL,'toconsume',NULL,NULL,'2020-01-08 20:09:40','2020-01-08 16:09:40',12,NULL,NULL,0,0,NULL,NULL),(204,28,NULL,NULL,3,3,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 20:09:40','2020-01-08 16:09:40',12,NULL,NULL,0,1,NULL,NULL),(205,28,NULL,NULL,2,2,NULL,1,NULL,'toconsume',NULL,NULL,'2020-01-08 20:09:40','2020-01-08 16:09:40',12,NULL,NULL,1,0,NULL,NULL),(206,28,NULL,NULL,0,1,NULL,3,NULL,'toconsume',NULL,NULL,'2020-01-08 20:09:40','2020-01-08 16:09:40',12,NULL,NULL,0,0,NULL,NULL),(207,28,NULL,NULL,0,25,1,1,'','consumed',203,70,'2020-01-08 20:21:22','2020-01-08 16:21:22',12,NULL,NULL,NULL,NULL,NULL,NULL),(210,28,NULL,NULL,0,1,1,1.1,'000000','consumed',206,73,'2020-01-08 20:41:18','2020-01-08 16:41:18',12,NULL,NULL,NULL,NULL,NULL,NULL),(211,28,NULL,NULL,0,4,1,1.2,'aaa','produced',202,74,'2020-01-08 20:41:19','2020-01-08 16:41:19',12,NULL,NULL,NULL,NULL,NULL,NULL),(212,24,NULL,NULL,0,25,1,1,'','consumed',183,75,'2020-01-13 15:13:19','2020-01-13 11:13:19',12,NULL,NULL,NULL,NULL,NULL,NULL),(213,24,NULL,NULL,0,1,1,0.1,'000000','consumed',186,76,'2020-01-13 15:14:15','2020-01-13 11:14:15',12,NULL,NULL,NULL,NULL,NULL,NULL),(214,22,NULL,'free',0,1,NULL,1,NULL,'toconsume',NULL,NULL,'2022-12-26 11:49:33','2022-12-26 11:49:33',12,NULL,NULL,NULL,NULL,NULL,NULL); /*!40000 ALTER TABLE `llx_mrp_production` ENABLE KEYS */; UNLOCK TABLES; +-- +-- Table structure for table `llx_mrp_production_extrafields` +-- + +DROP TABLE IF EXISTS `llx_mrp_production_extrafields`; +/*!40101 SET @saved_cs_client = @@character_set_client */; +/*!40101 SET character_set_client = utf8 */; +CREATE TABLE `llx_mrp_production_extrafields` ( + `rowid` int(11) NOT NULL AUTO_INCREMENT, + `tms` timestamp NOT NULL DEFAULT current_timestamp() ON UPDATE current_timestamp(), + `fk_object` int(11) NOT NULL, + `import_key` varchar(14) DEFAULT NULL, + PRIMARY KEY (`rowid`), + KEY `idx_mrp_production_fk_object` (`fk_object`) +) ENGINE=InnoDB DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; +/*!40101 SET character_set_client = @saved_cs_client */; + +-- +-- Dumping data for table `llx_mrp_production_extrafields` +-- + +LOCK TABLES `llx_mrp_production_extrafields` WRITE; +/*!40000 ALTER TABLE `llx_mrp_production_extrafields` DISABLE KEYS */; +/*!40000 ALTER TABLE `llx_mrp_production_extrafields` ENABLE KEYS */; +UNLOCK TABLES; + -- -- Table structure for table `llx_multicurrency` -- @@ -8885,6 +8520,7 @@ CREATE TABLE `llx_multicurrency_rate` ( `rate` double NOT NULL DEFAULT 0, `fk_multicurrency` int(11) NOT NULL, `entity` int(11) DEFAULT 1, + `rate_indirect` double DEFAULT 0, PRIMARY KEY (`rowid`) ) ENGINE=InnoDB AUTO_INCREMENT=5 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; @@ -8895,7 +8531,7 @@ CREATE TABLE `llx_multicurrency_rate` ( LOCK TABLES `llx_multicurrency_rate` WRITE; /*!40000 ALTER TABLE `llx_multicurrency_rate` DISABLE KEYS */; -INSERT INTO `llx_multicurrency_rate` VALUES (1,'2017-02-15 21:17:16',1,1,1),(2,'2020-01-01 19:20:09',1.2,2,1),(3,'2022-12-31 11:35:01',1.2,3,1),(4,'2022-12-31 00:00:00',1.3,2,1); +INSERT INTO `llx_multicurrency_rate` VALUES (1,'2017-02-15 21:17:16',1,1,1,0),(2,'2020-01-01 19:20:09',1.2,2,1,0),(3,'2022-12-31 11:35:01',1.2,3,1,0),(4,'2022-12-31 00:00:00',1.3,2,1,0); /*!40000 ALTER TABLE `llx_multicurrency_rate` ENABLE KEYS */; UNLOCK TABLES; @@ -9327,7 +8963,7 @@ CREATE TABLE `llx_paiement` ( LOCK TABLES `llx_paiement` WRITE; /*!40000 ALTER TABLE `llx_paiement` DISABLE KEYS */; -INSERT INTO `llx_paiement` VALUES (3,'',NULL,1,'2013-07-18 20:50:47','2023-08-13 15:39:14','2023-07-08 12:00:00',10.00000000,4,'','',6,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(5,'',NULL,1,'2013-08-01 03:34:11','2023-08-13 15:39:14','2023-08-01 03:34:11',5.63000000,6,'','Payment Invoice FA1108-0003',8,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(6,'',NULL,1,'2013-08-06 20:33:54','2023-08-13 15:39:14','2023-08-06 20:33:53',5.98000000,4,'','Payment Invoice FA1108-0004',13,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(8,'',NULL,1,'2013-08-08 02:53:40','2023-08-13 15:39:14','2023-08-08 12:00:00',26.10000000,4,'','',14,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(9,'',NULL,1,'2013-08-08 02:55:58','2023-08-13 15:39:14','2023-08-08 12:00:00',26.96000000,1,'','',15,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(17,'',NULL,1,'2014-12-09 15:28:44','2022-12-11 21:23:22','2022-12-09 12:00:00',2.00000000,4,'','',16,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(18,'',NULL,1,'2014-12-09 15:28:53','2022-12-11 21:23:22','2022-12-09 12:00:00',-2.00000000,4,'','',17,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(19,'',NULL,1,'2014-12-09 17:35:55','2022-12-11 21:23:22','2022-12-09 12:00:00',-2.00000000,4,'','',18,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(20,'',NULL,1,'2014-12-09 17:37:02','2022-12-11 21:23:22','2022-12-09 12:00:00',2.00000000,4,'','',19,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(21,'',NULL,1,'2014-12-09 18:35:07','2022-12-11 21:23:22','2022-12-09 12:00:00',-2.00000000,4,'','',20,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(23,'',NULL,1,'2014-12-12 18:54:33','2023-08-13 15:39:14','2022-12-12 12:00:00',1.00000000,1,'','',21,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(24,'',NULL,1,'2015-03-06 16:48:16','2023-08-13 15:39:14','2023-03-06 00:00:00',20.00000000,4,'','Adhésion/cotisation 2016',22,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(25,'',NULL,1,'2015-03-20 14:30:11','2023-08-13 15:39:14','2023-03-20 00:00:00',10.00000000,2,'','Adhésion/cotisation 2011',23,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(26,'',NULL,1,'2016-03-02 19:57:58','2023-08-13 15:39:14','2023-07-09 12:00:00',605.00000000,2,'','',24,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(29,'',NULL,1,'2016-03-02 20:01:39','2023-08-13 15:39:14','2023-03-19 12:00:00',500.00000000,4,'','',26,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(30,'',NULL,1,'2016-03-02 20:02:06','2023-08-13 15:39:14','2023-03-21 12:00:00',400.00000000,2,'','',27,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(32,'',NULL,1,'2016-03-03 19:22:32','2022-12-11 21:23:22','2022-10-03 12:00:00',-400.00000000,4,'','',28,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(33,'',NULL,1,'2016-03-03 19:23:16','2023-08-13 15:39:14','2023-03-10 12:00:00',-300.00000000,4,'','',29,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(34,'PAY1603-0001',NULL,1,'2017-02-06 08:10:24','2023-08-13 15:39:14','2023-03-22 12:00:00',150.00000000,7,'','',33,12,NULL,0,0,0.00000000,150.00000000,NULL,NULL),(35,'PAY1603-0002',NULL,1,'2017-02-06 08:10:50','2023-08-13 15:39:14','2023-03-25 12:00:00',140.00000000,3,'','',34,12,NULL,0,0,0.00000000,140.00000000,NULL,NULL),(36,'PAY1702-0003',NULL,1,'2017-02-21 16:07:43','2023-08-13 15:39:14','2023-02-21 12:00:00',50.00000000,3,'T170201','',37,12,NULL,0,0,0.00000000,50.00000000,NULL,NULL),(38,'PAY1803-0004',NULL,1,'2018-03-16 13:59:31','2023-08-13 15:39:14','2023-03-16 12:00:00',10.00000000,7,'','',39,12,NULL,0,0,0.00000000,10.00000000,NULL,NULL),(39,'PAY1801-0005',NULL,1,'2019-10-04 10:28:14','2023-08-13 15:39:14','2023-01-19 12:00:00',5.63000000,4,'','',41,12,NULL,0,0,0.00000000,5.63000000,NULL,NULL),(40,'PAY2001-0006',NULL,1,'2020-01-16 02:36:48','2023-08-13 15:39:14','2023-01-16 12:00:00',20.50000000,2,'','',50,12,NULL,0,0,0.00000000,20.50000000,NULL,NULL),(41,'PAY2001-0007',NULL,1,'2020-01-21 10:23:17','2023-08-13 15:39:14','2023-01-21 00:00:00',50.00000000,7,'','Subscription 2017',53,12,NULL,0,0,0.00000000,50.00000000,NULL,NULL),(42,'PAY2001-0008',NULL,1,'2020-01-21 10:23:28','2023-08-13 15:39:14','2023-01-21 00:00:00',50.00000000,7,'','Subscription 2018',54,12,NULL,0,0,0.00000000,50.00000000,NULL,NULL),(43,'PAY2001-0009',NULL,1,'2020-01-21 10:23:49','2023-08-13 15:39:14','2023-01-21 00:00:00',50.00000000,6,'','Subscription 2019',55,12,NULL,0,0,0.00000000,50.00000000,NULL,NULL),(45,'PAY2212-0010','',1,'2023-02-06 09:18:07','2023-02-06 12:18:07','2022-12-11 08:00:00',1.00000000,3,'','',57,12,NULL,0,0,0.00000000,1.00000000,NULL,NULL); +INSERT INTO `llx_paiement` VALUES (3,'',NULL,1,'2013-07-18 20:50:47','2023-08-13 15:39:14','2023-07-08 12:00:00',10.00000000,4,'','',6,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(5,'',NULL,1,'2013-08-01 03:34:11','2023-08-13 15:39:14','2023-08-01 03:34:11',5.63000000,6,'','Payment Invoice FA1108-0003',8,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(6,'',NULL,1,'2013-08-06 20:33:54','2023-08-13 15:39:14','2023-08-06 20:33:53',5.98000000,4,'','Payment Invoice FA1108-0004',13,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(8,'',NULL,1,'2013-08-08 02:53:40','2023-08-13 15:39:14','2023-08-08 12:00:00',26.10000000,4,'','',14,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(9,'',NULL,1,'2013-08-08 02:55:58','2023-08-13 15:39:14','2023-08-08 12:00:00',26.96000000,1,'','',15,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(17,'',NULL,1,'2014-12-09 15:28:44','2024-01-03 16:32:23','2023-12-09 12:00:00',2.00000000,4,'','',16,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(18,'',NULL,1,'2014-12-09 15:28:53','2024-01-03 16:32:23','2023-12-09 12:00:00',-2.00000000,4,'','',17,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(19,'',NULL,1,'2014-12-09 17:35:55','2024-01-03 16:32:23','2023-12-09 12:00:00',-2.00000000,4,'','',18,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(20,'',NULL,1,'2014-12-09 17:37:02','2024-01-03 16:32:23','2023-12-09 12:00:00',2.00000000,4,'','',19,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(21,'',NULL,1,'2014-12-09 18:35:07','2024-01-03 16:32:23','2023-12-09 12:00:00',-2.00000000,4,'','',20,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(23,'',NULL,1,'2014-12-12 18:54:33','2024-01-03 16:32:23','2023-12-12 12:00:00',1.00000000,1,'','',21,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(24,'',NULL,1,'2015-03-06 16:48:16','2023-08-13 15:39:14','2023-03-06 00:00:00',20.00000000,4,'','Adhésion/cotisation 2016',22,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(25,'',NULL,1,'2015-03-20 14:30:11','2023-08-13 15:39:14','2023-03-20 00:00:00',10.00000000,2,'','Adhésion/cotisation 2011',23,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(26,'',NULL,1,'2016-03-02 19:57:58','2023-08-13 15:39:14','2023-07-09 12:00:00',605.00000000,2,'','',24,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(29,'',NULL,1,'2016-03-02 20:01:39','2023-08-13 15:39:14','2023-03-19 12:00:00',500.00000000,4,'','',26,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(30,'',NULL,1,'2016-03-02 20:02:06','2023-08-13 15:39:14','2023-03-21 12:00:00',400.00000000,2,'','',27,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(32,'',NULL,1,'2016-03-03 19:22:32','2024-01-03 16:32:23','2023-10-03 12:00:00',-400.00000000,4,'','',28,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(33,'',NULL,1,'2016-03-03 19:23:16','2023-08-13 15:39:14','2023-03-10 12:00:00',-300.00000000,4,'','',29,1,NULL,0,0,0.00000000,0.00000000,NULL,NULL),(34,'PAY1603-0001',NULL,1,'2017-02-06 08:10:24','2023-08-13 15:39:14','2023-03-22 12:00:00',150.00000000,7,'','',33,12,NULL,0,0,0.00000000,150.00000000,NULL,NULL),(35,'PAY1603-0002',NULL,1,'2017-02-06 08:10:50','2023-08-13 15:39:14','2023-03-25 12:00:00',140.00000000,3,'','',34,12,NULL,0,0,0.00000000,140.00000000,NULL,NULL),(36,'PAY1702-0003',NULL,1,'2017-02-21 16:07:43','2023-08-13 15:39:14','2023-02-21 12:00:00',50.00000000,3,'T170201','',37,12,NULL,0,0,0.00000000,50.00000000,NULL,NULL),(38,'PAY1803-0004',NULL,1,'2018-03-16 13:59:31','2023-08-13 15:39:14','2023-03-16 12:00:00',10.00000000,7,'','',39,12,NULL,0,0,0.00000000,10.00000000,NULL,NULL),(39,'PAY1801-0005',NULL,1,'2019-10-04 10:28:14','2023-08-13 15:39:14','2023-01-19 12:00:00',5.63000000,4,'','',41,12,NULL,0,0,0.00000000,5.63000000,NULL,NULL),(40,'PAY2001-0006',NULL,1,'2020-01-16 02:36:48','2023-08-13 15:39:14','2023-01-16 12:00:00',20.50000000,2,'','',50,12,NULL,0,0,0.00000000,20.50000000,NULL,NULL),(41,'PAY2001-0007',NULL,1,'2020-01-21 10:23:17','2023-08-13 15:39:14','2023-01-21 00:00:00',50.00000000,7,'','Subscription 2017',53,12,NULL,0,0,0.00000000,50.00000000,NULL,NULL),(42,'PAY2001-0008',NULL,1,'2020-01-21 10:23:28','2023-08-13 15:39:14','2023-01-21 00:00:00',50.00000000,7,'','Subscription 2018',54,12,NULL,0,0,0.00000000,50.00000000,NULL,NULL),(43,'PAY2001-0009',NULL,1,'2020-01-21 10:23:49','2023-08-13 15:39:14','2023-01-21 00:00:00',50.00000000,6,'','Subscription 2019',55,12,NULL,0,0,0.00000000,50.00000000,NULL,NULL),(45,'PAY2212-0010','',1,'2023-02-06 09:18:07','2024-01-03 16:32:23','2023-12-11 08:00:00',1.00000000,3,'','',57,12,NULL,0,0,0.00000000,1.00000000,NULL,NULL); /*!40000 ALTER TABLE `llx_paiement` ENABLE KEYS */; UNLOCK TABLES; @@ -9923,7 +9559,8 @@ CREATE TABLE `llx_prelevement_demande` ( `type` varchar(12) DEFAULT '', PRIMARY KEY (`rowid`), KEY `idx_prelevement_demande_fk_facture` (`fk_facture`), - KEY `idx_prelevement_demande_fk_facture_fourn` (`fk_facture_fourn`) + KEY `idx_prelevement_demande_fk_facture_fourn` (`fk_facture_fourn`), + KEY `idx_prelevement_demande_ext_payment_id` (`ext_payment_id`) ) ENGINE=InnoDB AUTO_INCREMENT=13 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; @@ -9956,6 +9593,8 @@ CREATE TABLE `llx_prelevement_lignes` ( `number` varchar(255) DEFAULT NULL, `cle_rib` varchar(5) DEFAULT NULL, `note` text DEFAULT NULL, + `fk_user` int(11) DEFAULT NULL, + `tms` timestamp NOT NULL DEFAULT current_timestamp() ON UPDATE current_timestamp(), PRIMARY KEY (`rowid`), KEY `idx_prelevement_lignes_fk_prelevement_bons` (`fk_prelevement_bons`), CONSTRAINT `fk_prelevement_lignes_fk_prelevement_bons` FOREIGN KEY (`fk_prelevement_bons`) REFERENCES `llx_prelevement_bons` (`rowid`) @@ -9968,7 +9607,7 @@ CREATE TABLE `llx_prelevement_lignes` ( LOCK TABLES `llx_prelevement_lignes` WRITE; /*!40000 ALTER TABLE `llx_prelevement_lignes` DISABLE KEYS */; -INSERT INTO `llx_prelevement_lignes` VALUES (1,1,19,2,'Magic Food Store',50.00000000,'','','','',NULL); +INSERT INTO `llx_prelevement_lignes` VALUES (1,1,19,2,'Magic Food Store',50.00000000,'','','','',NULL,NULL,'2024-01-03 16:32:41'); /*!40000 ALTER TABLE `llx_prelevement_lignes` ENABLE KEYS */; UNLOCK TABLES; @@ -10124,6 +9763,7 @@ CREATE TABLE `llx_product` ( `mandatory_period` tinyint(4) DEFAULT 0, `fk_default_bom` int(11) DEFAULT NULL, `fk_default_workstation` int(11) DEFAULT NULL, + `stockable_product` int(11) NOT NULL DEFAULT 1, PRIMARY KEY (`rowid`), UNIQUE KEY `uk_product_ref` (`ref`,`entity`), UNIQUE KEY `uk_product_barcode` (`barcode`,`fk_barcode_type`,`entity`), @@ -10152,7 +9792,7 @@ CREATE TABLE `llx_product` ( LOCK TABLES `llx_product` WRITE; /*!40000 ALTER TABLE `llx_product` DISABLE KEYS */; -INSERT INTO `llx_product` VALUES (1,'2012-07-08 14:33:17','2023-01-24 10:28:30',0,0,'PINKDRESS',1,NULL,'Pink dress','A beatifull pink dress','','',NULL,9.00000000,10.12500000,0.00000000,0.00000000,'HT',12.500,0,0.000,'0',0.000,'0',1,12,1,1,0,1,0,0,'',NULL,NULL,'123456789066',2,'','701','','','','',NULL,670,-3,NULL,0,NULL,0,NULL,0,2.8,0.00000000,NULL,NULL,NULL,1,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,0,NULL,NULL),(2,'2012-07-09 00:30:01','2019-11-28 15:09:50',0,0,'PEARPIE',1,NULL,'Pear Pie','','','',NULL,10.00000000,12.00000000,8.33333000,10.00000000,'TTC',20.000,0,0.000,'0',0.000,'0',1,12,1,1,0,0,0,0,'',NULL,NULL,'123456789077',2,'','','','',NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,NULL,0,998,0.00000000,NULL,NULL,NULL,1,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(3,'2012-07-09 00:30:25','2018-01-16 16:40:03',0,0,'CAKECONTRIB',1,NULL,'Cake making contribution','','','',NULL,0.00000000,0.00000000,0.00000000,0.00000000,'HT',12.500,0,0.000,'0',0.000,'0',1,NULL,1,1,0,0,0,1,'1m',NULL,NULL,'123456789088',2,'701CAKEM',NULL,NULL,'601CAKEM',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,NULL,NULL,NULL,0,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(4,'2012-07-10 14:44:06','2021-04-15 11:40:18',0,0,'APPLEPIE',1,NULL,'Apple Pie','Nice Bio Apple Pie.
      \r\n ','','',NULL,9.00000000,9.00000000,6.00000000,6.00000000,'HT',0.000,0,9.000,'1',9.000,'1',1,12,1,1,0,1,0,0,'',NULL,NULL,'123456789034',2,'701','','','601',NULL,NULL,NULL,500,-3,NULL,0,NULL,0,NULL,0,1021.2,10.00000000,NULL,NULL,NULL,1,0,NULL,NULL,NULL,NULL,NULL,'CGST+SGST',0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(5,'2013-07-20 23:11:38','2022-12-16 10:00:14',0,0,'DOLIDROID',1,NULL,'DoliDroid, Android app for Dolibarr','DoliDroid is the Android front-end client for Dolibarr ERP & CRM web software.
      \r\nThis application is not a standalone program. It is a front end to use a online hosted Dolibarr ERP & CRM software (an Open-source web software to manage your business).
      \r\n

      The advantage of DoliDroid are :
      \r\n- DoliDroid is not a duplicate code of Dolibarr, but a front-end of a Dolibarr web installation, so all your online existing features are supported by this application. This is also true for external modules features.
      \r\n- Upgrading Dolibarr will not break DoliDroid.
      \r\n- DoliDroid use embedded image resources to reduce bandwidth usage.
      \r\n- DoliDroid use internal cache for pages that should not change (like menu page)
      \r\n- Connections parameters are saved. No need to enter them each time you use DoliDroid.
      \r\n- Integration with your phone or other applications (Clicking on PDF open PDF reader, clicking onto email or phone launch your email application or launch Android dialer, ...)

      \r\n\r\n

      WARNING ! 

      \r\n\r\n

      This application need Android 4.0+ and a hosted Dolibarr ERP & CRM version 3.5 or newer accessible by internet
      \r\n(For example, when hosted on any SaaS solution like DoliCloud - http://www.dolicloud.com).

      ','','',NULL,10.00000000,10.00000000,0.00000000,0.00000000,'HT',0.000,0,9.000,'1',9.000,'1',1,12,1,1,0,0,0,0,'',NULL,'https://play.google.com/store/apps/details?id=com.nltechno.dolidroidpro','123456789023',2,'701','','','601','','',NULL,NULL,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,NULL,'CGST+SGST',0,NULL,'',NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,0,NULL,NULL),(10,'2011-12-31 00:00:00','2017-02-16 00:12:09',0,0,'COMP-XP4523',1,NULL,'Computer XP4523','A powerfull computer XP4523 ','This product is imported.
      \r\nWarning: Delay to get it are not reliable.','USXP765',11,100.00000000,110.00000000,0.00000000,0.00000000,'HT',10.000,0,0.000,'0',0.000,'0',NULL,12,1,1,0,1,0,0,'',150,NULL,'123456789055',2,'701OLDC',NULL,NULL,'601OLDC',NULL,NULL,NULL,1.7,0,NULL,0,NULL,0,NULL,0,110,0.00000000,NULL,NULL,NULL,NULL,0,'20110729232310',200,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(11,'2015-01-13 20:24:42','2019-10-08 17:21:07',0,0,'ROLLUPABC',1,NULL,'Rollup Dolibarr','A nice rollup','','',NULL,0.00000000,0.00000000,0.00000000,0.00000000,'HT',0.000,0,0.000,'0',0.000,'0',1,12,1,1,0,0,0,0,'',NULL,NULL,'123456789044',2,'','','','',NULL,NULL,NULL,95,-3,NULL,0,2.34,-4,NULL,0,-1,0.00000000,NULL,NULL,'',1,0,NULL,NULL,NULL,NULL,12.00000000,NULL,0,NULL,'',NULL,8,NULL,8,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(12,'2018-07-30 17:31:29','2023-08-13 15:51:26',0,0,'DOLICLOUD',1,NULL,'Service SaaS Hébergement Dolibarr ERP CRM','Service SaaS d'hébergement de la solution Dolibarr ERP CRM','','',NULL,9.00000000,9.00000000,9.00000000,9.00000000,'HT',0.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,1,'s',NULL,'http://www.dolicloud.com','123456789013',2,'','','','','','',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,8.50000000,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,0,NULL,3),(13,'2017-02-16 03:49:00','2017-02-15 23:49:27',0,0,'COMP-XP4548',1,NULL,'Computer XP4523','A powerfull computer XP4523 ','This product is imported.
      \r\nWarning: Delay to get it are not reliable.','USXP765',11,100.00000000,110.00000000,0.00000000,0.00000000,'HT',10.000,0,0.000,'0',0.000,'0',12,12,1,1,0,1,0,0,'',150,NULL,NULL,2,'',NULL,NULL,'',NULL,NULL,NULL,1.7,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,200,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(23,'2019-10-07 00:00:00','2019-11-28 13:51:35',0,0,'PREF123456',1,NULL,'Product name in default language','Product description in default language','a private note (free text)','customs code',1,100.00000000,110.00000000,100.00000000,110.00000000,'HT',10.000,0,0.000,'0',0.000,'0',12,NULL,0,1,0,0,0,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-3,1,-1,4,-4,5,-3,NULL,0.00000000,NULL,NULL,NULL,0,0,'20191007122224',NULL,NULL,NULL,NULL,NULL,0,'a public note (free text)','',2,-1,3,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(24,'2019-11-28 16:33:35','2019-11-28 15:02:01',0,0,'POS-CARROT',1,NULL,'Carrot','','','',NULL,0.83333000,1.00000000,0.00000000,0.00000000,'TTC',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',NULL,NULL,NULL,2,'','','','',NULL,NULL,NULL,1,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(25,'2019-11-28 16:37:36','2020-01-13 11:13:19',0,0,'POS-APPLE',1,NULL,'Apple','','','',NULL,1.25000000,1.50000000,0.00000000,0.00000000,'TTC',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',NULL,NULL,NULL,2,'','','','',NULL,NULL,NULL,1,0,NULL,0,NULL,0,NULL,0,15.599999999999994,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(26,'2019-11-28 16:38:44','2019-11-28 12:38:44',0,0,'POS-KIWI',1,NULL,'Kiwi','','','',NULL,1.08333000,1.30000000,0.00000000,0.00000000,'TTC',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',NULL,NULL,NULL,2,'','','','',NULL,NULL,NULL,1,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(27,'2019-11-28 16:39:21','2019-11-28 14:57:44',0,0,'POS-PEACH',1,NULL,'Peach','','','',NULL,1.08333000,1.30000000,0.00000000,0.00000000,'TTC',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',NULL,NULL,NULL,2,'','','','',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,NULL,NULL,'',0,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(28,'2019-11-28 16:39:58','2019-11-28 12:39:58',0,0,'POS-ORANGE',1,NULL,'Orange','','','',NULL,2.00000000,2.40000000,0.00000000,0.00000000,'HT',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',NULL,NULL,NULL,2,'','','','',NULL,NULL,NULL,1,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(29,'2019-11-28 17:03:14','2019-11-28 13:03:14',0,0,'POS-Eggs',1,NULL,'Eggs','','','',NULL,1.66667000,2.00000000,0.00000000,0.00000000,'TTC',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',NULL,NULL,NULL,2,'','','','',NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(30,'2019-11-28 17:09:14','2019-11-28 13:09:14',0,0,'POS-Chips',1,NULL,'Chips','','','',NULL,0.41667000,0.50000000,0.00000000,0.00000000,'TTC',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',NULL,NULL,NULL,2,'','','','',NULL,NULL,NULL,30,-3,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(31,'2021-04-15 08:38:02','2021-04-15 11:38:02',0,0,'PRODSER',1,NULL,'Product NFC - Unique','','','',NULL,0.00000000,0.00000000,0.00000000,0.00000000,'HT',19.600,0,0.000,'0',0.000,'0',12,12,1,1,0,2,0,0,'',0,NULL,NULL,2,'','','','','','',NULL,NULL,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,0,NULL,NULL,NULL,NULL,0,NULL,'',NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL),(32,'2022-12-30 10:44:06','2022-12-30 13:55:46',0,0,'aaa',1,NULL,'aaa','','','',NULL,0.00000000,0.00000000,0.00000000,0.00000000,'HT',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',0,NULL,NULL,2,'','','','','','',NULL,NULL,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'aaa@bbb',NULL,0,NULL,0,NULL,NULL,NULL,NULL,0,NULL,'',NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,0,NULL,NULL),(33,'2023-01-03 11:07:52','2023-01-03 14:07:52',0,0,'aaa_XL_BLUE',1,NULL,'aaa Size XL Blue','Size: Size XL
      Color: Blue','','',NULL,0.00000000,0.00000000,0.00000000,0.00000000,'HT',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',0,NULL,NULL,2,'','','','','','',NULL,NULL,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'aaa@bbb',NULL,0,NULL,0,NULL,NULL,NULL,NULL,0,NULL,'',NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,0,NULL,NULL),(34,'2023-01-03 11:15:51','2023-01-16 19:42:03',0,0,'aaa_L_RED',1,NULL,'aaa Size L Red','(discussion, voting, 1+7 CHs, cooperates with HCS 5100Plus series can achieve 8 CHs simultaneous audio, charcoal gray, excl. battery)','','',NULL,0.00000000,0.00000000,0.00000000,0.00000000,'HT',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',0,NULL,NULL,2,'','','','','','',NULL,NULL,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'aaa@bbb',NULL,0,NULL,0,NULL,NULL,NULL,NULL,0,NULL,'',NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,0,NULL,NULL); +INSERT INTO `llx_product` VALUES (1,'2012-07-08 14:33:17','2023-01-24 10:28:30',0,0,'PINKDRESS',1,NULL,'Pink dress','A beatifull pink dress','','',NULL,9.00000000,10.12500000,0.00000000,0.00000000,'HT',12.500,0,0.000,'0',0.000,'0',1,12,1,1,0,1,0,0,'',NULL,NULL,'123456789066',2,'','701','','','','',NULL,670,-3,NULL,0,NULL,0,NULL,0,2.8,0.00000000,NULL,NULL,NULL,1,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,0,NULL,NULL,1),(2,'2012-07-09 00:30:01','2019-11-28 15:09:50',0,0,'PEARPIE',1,NULL,'Pear Pie','','','',NULL,10.00000000,12.00000000,8.33333000,10.00000000,'TTC',20.000,0,0.000,'0',0.000,'0',1,12,1,1,0,0,0,0,'',NULL,NULL,'123456789077',2,'','','','',NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,NULL,0,998,0.00000000,NULL,NULL,NULL,1,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(3,'2012-07-09 00:30:25','2018-01-16 16:40:03',0,0,'CAKECONTRIB',1,NULL,'Cake making contribution','','','',NULL,0.00000000,0.00000000,0.00000000,0.00000000,'HT',12.500,0,0.000,'0',0.000,'0',1,NULL,1,1,0,0,0,1,'1m',NULL,NULL,'123456789088',2,'701CAKEM',NULL,NULL,'601CAKEM',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,NULL,NULL,NULL,0,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(4,'2012-07-10 14:44:06','2021-04-15 11:40:18',0,0,'APPLEPIE',1,NULL,'Apple Pie','Nice Bio Apple Pie.
      \r\n ','','',NULL,9.00000000,9.00000000,6.00000000,6.00000000,'HT',0.000,0,9.000,'1',9.000,'1',1,12,1,1,0,1,0,0,'',NULL,NULL,'123456789034',2,'701','','','601',NULL,NULL,NULL,500,-3,NULL,0,NULL,0,NULL,0,1021.2,10.00000000,NULL,NULL,NULL,1,0,NULL,NULL,NULL,NULL,NULL,'CGST+SGST',0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(5,'2013-07-20 23:11:38','2022-12-16 10:00:14',0,0,'DOLIDROID',1,NULL,'DoliDroid, Android app for Dolibarr','DoliDroid is the Android front-end client for Dolibarr ERP & CRM web software.
      \r\nThis application is not a standalone program. It is a front end to use a online hosted Dolibarr ERP & CRM software (an Open-source web software to manage your business).
      \r\n

      The advantage of DoliDroid are :
      \r\n- DoliDroid is not a duplicate code of Dolibarr, but a front-end of a Dolibarr web installation, so all your online existing features are supported by this application. This is also true for external modules features.
      \r\n- Upgrading Dolibarr will not break DoliDroid.
      \r\n- DoliDroid use embedded image resources to reduce bandwidth usage.
      \r\n- DoliDroid use internal cache for pages that should not change (like menu page)
      \r\n- Connections parameters are saved. No need to enter them each time you use DoliDroid.
      \r\n- Integration with your phone or other applications (Clicking on PDF open PDF reader, clicking onto email or phone launch your email application or launch Android dialer, ...)

      \r\n\r\n

      WARNING ! 

      \r\n\r\n

      This application need Android 4.0+ and a hosted Dolibarr ERP & CRM version 3.5 or newer accessible by internet
      \r\n(For example, when hosted on any SaaS solution like DoliCloud - http://www.dolicloud.com).

      ','','',NULL,10.00000000,10.00000000,0.00000000,0.00000000,'HT',0.000,0,9.000,'1',9.000,'1',1,12,1,1,0,0,0,0,'',NULL,'https://play.google.com/store/apps/details?id=com.nltechno.dolidroidpro','123456789023',2,'701','','','601','','',NULL,NULL,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,NULL,'CGST+SGST',0,NULL,'',NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,0,NULL,NULL,1),(10,'2011-12-31 00:00:00','2017-02-16 00:12:09',0,0,'COMP-XP4523',1,NULL,'Computer XP4523','A powerfull computer XP4523 ','This product is imported.
      \r\nWarning: Delay to get it are not reliable.','USXP765',11,100.00000000,110.00000000,0.00000000,0.00000000,'HT',10.000,0,0.000,'0',0.000,'0',NULL,12,1,1,0,1,0,0,'',150,NULL,'123456789055',2,'701OLDC',NULL,NULL,'601OLDC',NULL,NULL,NULL,1.7,0,NULL,0,NULL,0,NULL,0,110,0.00000000,NULL,NULL,NULL,NULL,0,'20110729232310',200,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(11,'2015-01-13 20:24:42','2019-10-08 17:21:07',0,0,'ROLLUPABC',1,NULL,'Rollup Dolibarr','A nice rollup','','',NULL,0.00000000,0.00000000,0.00000000,0.00000000,'HT',0.000,0,0.000,'0',0.000,'0',1,12,1,1,0,0,0,0,'',NULL,NULL,'123456789044',2,'','','','',NULL,NULL,NULL,95,-3,NULL,0,2.34,-4,NULL,0,-1,0.00000000,NULL,NULL,'',1,0,NULL,NULL,NULL,NULL,12.00000000,NULL,0,NULL,'',NULL,8,NULL,8,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(12,'2018-07-30 17:31:29','2023-08-13 15:51:26',0,0,'DOLICLOUD',1,NULL,'Service SaaS Hébergement Dolibarr ERP CRM','Service SaaS d'hébergement de la solution Dolibarr ERP CRM','','',NULL,9.00000000,9.00000000,9.00000000,9.00000000,'HT',0.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,1,'s',NULL,'http://www.dolicloud.com','123456789013',2,'','','','','','',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,8.50000000,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,0,NULL,3,1),(13,'2017-02-16 03:49:00','2017-02-15 23:49:27',0,0,'COMP-XP4548',1,NULL,'Computer XP4523','A powerfull computer XP4523 ','This product is imported.
      \r\nWarning: Delay to get it are not reliable.','USXP765',11,100.00000000,110.00000000,0.00000000,0.00000000,'HT',10.000,0,0.000,'0',0.000,'0',12,12,1,1,0,1,0,0,'',150,NULL,NULL,2,'',NULL,NULL,'',NULL,NULL,NULL,1.7,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,200,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(23,'2019-10-07 00:00:00','2019-11-28 13:51:35',0,0,'PREF123456',1,NULL,'Product name in default language','Product description in default language','a private note (free text)','customs code',1,100.00000000,110.00000000,100.00000000,110.00000000,'HT',10.000,0,0.000,'0',0.000,'0',12,NULL,0,1,0,0,0,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-3,1,-1,4,-4,5,-3,NULL,0.00000000,NULL,NULL,NULL,0,0,'20191007122224',NULL,NULL,NULL,NULL,NULL,0,'a public note (free text)','',2,-1,3,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(24,'2019-11-28 16:33:35','2019-11-28 15:02:01',0,0,'POS-CARROT',1,NULL,'Carrot','','','',NULL,0.83333000,1.00000000,0.00000000,0.00000000,'TTC',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',NULL,NULL,NULL,2,'','','','',NULL,NULL,NULL,1,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(25,'2019-11-28 16:37:36','2020-01-13 11:13:19',0,0,'POS-APPLE',1,NULL,'Apple','','','',NULL,1.25000000,1.50000000,0.00000000,0.00000000,'TTC',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',NULL,NULL,NULL,2,'','','','',NULL,NULL,NULL,1,0,NULL,0,NULL,0,NULL,0,15.599999999999994,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(26,'2019-11-28 16:38:44','2019-11-28 12:38:44',0,0,'POS-KIWI',1,NULL,'Kiwi','','','',NULL,1.08333000,1.30000000,0.00000000,0.00000000,'TTC',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',NULL,NULL,NULL,2,'','','','',NULL,NULL,NULL,1,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(27,'2019-11-28 16:39:21','2019-11-28 14:57:44',0,0,'POS-PEACH',1,NULL,'Peach','','','',NULL,1.08333000,1.30000000,0.00000000,0.00000000,'TTC',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',NULL,NULL,NULL,2,'','','','',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0.00000000,NULL,NULL,'',0,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(28,'2019-11-28 16:39:58','2019-11-28 12:39:58',0,0,'POS-ORANGE',1,NULL,'Orange','','','',NULL,2.00000000,2.40000000,0.00000000,0.00000000,'HT',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',NULL,NULL,NULL,2,'','','','',NULL,NULL,NULL,1,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(29,'2019-11-28 17:03:14','2019-11-28 13:03:14',0,0,'POS-Eggs',1,NULL,'Eggs','','','',NULL,1.66667000,2.00000000,0.00000000,0.00000000,'TTC',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',NULL,NULL,NULL,2,'','','','',NULL,NULL,NULL,NULL,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(30,'2019-11-28 17:09:14','2019-11-28 13:09:14',0,0,'POS-Chips',1,NULL,'Chips','','','',NULL,0.41667000,0.50000000,0.00000000,0.00000000,'TTC',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',NULL,NULL,NULL,2,'','','','',NULL,NULL,NULL,30,-3,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(31,'2021-04-15 08:38:02','2021-04-15 11:38:02',0,0,'PRODSER',1,NULL,'Product NFC - Unique','','','',NULL,0.00000000,0.00000000,0.00000000,0.00000000,'HT',19.600,0,0.000,'0',0.000,'0',12,12,1,1,0,2,0,0,'',0,NULL,NULL,2,'','','','','','',NULL,NULL,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'',NULL,0,NULL,0,NULL,NULL,NULL,NULL,0,NULL,'',NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,1),(32,'2022-12-30 10:44:06','2022-12-30 13:55:46',0,0,'aaa',1,NULL,'aaa','','','',NULL,0.00000000,0.00000000,0.00000000,0.00000000,'HT',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',0,NULL,NULL,2,'','','','','','',NULL,NULL,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'aaa@bbb',NULL,0,NULL,0,NULL,NULL,NULL,NULL,0,NULL,'',NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,0,NULL,NULL,1),(33,'2023-01-03 11:07:52','2023-01-03 14:07:52',0,0,'aaa_XL_BLUE',1,NULL,'aaa Size XL Blue','Size: Size XL
      Color: Blue','','',NULL,0.00000000,0.00000000,0.00000000,0.00000000,'HT',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',0,NULL,NULL,2,'','','','','','',NULL,NULL,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'aaa@bbb',NULL,0,NULL,0,NULL,NULL,NULL,NULL,0,NULL,'',NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,0,NULL,NULL,1),(34,'2023-01-03 11:15:51','2023-01-16 19:42:03',0,0,'aaa_L_RED',1,NULL,'aaa Size L Red','(discussion, voting, 1+7 CHs, cooperates with HCS 5100Plus series can achieve 8 CHs simultaneous audio, charcoal gray, excl. battery)','','',NULL,0.00000000,0.00000000,0.00000000,0.00000000,'HT',20.000,0,0.000,'0',0.000,'0',12,12,1,1,0,0,0,0,'',0,NULL,NULL,2,'','','','','','',NULL,NULL,0,NULL,0,NULL,0,NULL,0,NULL,0.00000000,NULL,NULL,'aaa@bbb',NULL,0,NULL,0,NULL,NULL,NULL,NULL,0,NULL,'',NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,0,NULL,NULL,1); /*!40000 ALTER TABLE `llx_product` ENABLE KEYS */; UNLOCK TABLES; @@ -10690,6 +10330,8 @@ CREATE TABLE `llx_product_lot` ( `last_main_doc` varchar(255) DEFAULT NULL, `barcode` varchar(180) DEFAULT NULL, `fk_barcode_type` int(11) DEFAULT NULL, + `qc_frequency` int(11) DEFAULT NULL, + `lifetime` int(11) DEFAULT NULL, PRIMARY KEY (`rowid`), UNIQUE KEY `uk_product_lot` (`fk_product`,`batch`) ) ENGINE=InnoDB AUTO_INCREMENT=70 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; @@ -10701,7 +10343,7 @@ CREATE TABLE `llx_product_lot` ( LOCK TABLES `llx_product_lot` WRITE; /*!40000 ALTER TABLE `llx_product_lot` DISABLE KEYS */; -INSERT INTO `llx_product_lot` VALUES (1,1,2,'123456',NULL,NULL,'2018-07-07',NULL,'2018-07-21 20:55:19','2018-12-12 10:53:58',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(2,1,2,'2222',NULL,NULL,'2018-07-08','2018-07-07','2018-07-21 21:00:42','2018-12-12 10:53:58',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(3,1,10,'5599887766452',NULL,NULL,NULL,NULL,'2018-07-30 17:39:31','2018-12-12 10:53:58',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(4,1,10,'4494487766452',NULL,NULL,NULL,NULL,'2018-07-30 17:40:12','2018-12-12 10:53:58',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(39,1,1,'000000',NULL,NULL,NULL,NULL,'2020-01-08 20:41:18','2020-01-08 16:41:18',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(40,1,4,'aaa',NULL,NULL,'2020-01-01',NULL,'2020-01-08 20:41:18','2020-01-13 11:28:05',NULL,12,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(46,1,1,'string',NULL,NULL,NULL,NULL,'2020-01-18 20:16:58','2020-01-18 19:16:58',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(47,1,4,'000000',NULL,NULL,NULL,NULL,'2020-01-08 16:40:27','2020-01-21 10:30:15',1,1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(50,1,4,'Lot 2021-02',NULL,NULL,NULL,NULL,'2021-04-15 08:40:18','2021-04-15 11:40:18',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL); +INSERT INTO `llx_product_lot` VALUES (1,1,2,'123456',NULL,NULL,'2018-07-07',NULL,'2018-07-21 20:55:19','2024-01-03 16:32:40',NULL,NULL,NULL,NULL,'2018-07-21 20:55:19',NULL,NULL,NULL,NULL,NULL,NULL,NULL),(2,1,2,'2222',NULL,NULL,'2018-07-08','2018-07-07','2018-07-21 21:00:42','2024-01-03 16:32:40',NULL,NULL,NULL,NULL,'2018-07-21 21:00:42',NULL,NULL,NULL,NULL,NULL,NULL,NULL),(3,1,10,'5599887766452',NULL,NULL,NULL,NULL,'2018-07-30 17:39:31','2024-01-03 16:32:40',NULL,NULL,NULL,NULL,'2018-07-30 17:39:31',NULL,NULL,NULL,NULL,NULL,NULL,NULL),(4,1,10,'4494487766452',NULL,NULL,NULL,NULL,'2018-07-30 17:40:12','2024-01-03 16:32:40',NULL,NULL,NULL,NULL,'2018-07-30 17:40:12',NULL,NULL,NULL,NULL,NULL,NULL,NULL),(39,1,1,'000000',NULL,NULL,NULL,NULL,'2020-01-08 20:41:18','2024-01-03 16:32:40',NULL,NULL,NULL,NULL,'2020-01-08 20:41:18',NULL,NULL,NULL,NULL,NULL,NULL,NULL),(40,1,4,'aaa',NULL,NULL,'2020-01-01',NULL,'2020-01-08 20:41:18','2024-01-03 16:32:40',NULL,12,NULL,NULL,'2020-01-08 20:41:18',NULL,NULL,NULL,NULL,NULL,NULL,NULL),(46,1,1,'string',NULL,NULL,NULL,NULL,'2020-01-18 20:16:58','2024-01-03 16:32:40',NULL,NULL,NULL,NULL,'2020-01-18 20:16:58',NULL,NULL,NULL,NULL,NULL,NULL,NULL),(47,1,4,'000000',NULL,NULL,NULL,NULL,'2020-01-08 16:40:27','2024-01-03 16:32:40',1,1,NULL,NULL,'2020-01-08 16:40:27',NULL,NULL,NULL,NULL,NULL,NULL,NULL),(50,1,4,'Lot 2021-02',NULL,NULL,NULL,NULL,'2021-04-15 08:40:18','2024-01-03 16:32:40',NULL,NULL,NULL,NULL,'2021-04-15 08:40:18',NULL,NULL,NULL,NULL,NULL,NULL,NULL); /*!40000 ALTER TABLE `llx_product_lot` ENABLE KEYS */; UNLOCK TABLES; @@ -10748,6 +10390,7 @@ CREATE TABLE `llx_product_perentity` ( `accountancy_code_buy` varchar(32) DEFAULT NULL, `accountancy_code_buy_intra` varchar(32) DEFAULT NULL, `accountancy_code_buy_export` varchar(32) DEFAULT NULL, + `pmp` double(24,8) DEFAULT NULL, PRIMARY KEY (`rowid`), UNIQUE KEY `uk_product_perentity` (`fk_product`,`entity`), KEY `idx_product_perentity_fk_product` (`fk_product`) @@ -11215,7 +10858,7 @@ CREATE TABLE `llx_propal` ( LOCK TABLES `llx_propal` WRITE; /*!40000 ALTER TABLE `llx_propal` DISABLE KEYS */; -INSERT INTO `llx_propal` VALUES (1,2,NULL,'2023-08-13 15:39:14','PR1007-0001',1,NULL,NULL,'','2012-07-09 01:33:49','2023-07-09','2022-07-24 12:00:00','2022-08-08 14:24:18',NULL,NULL,1,NULL,1,NULL,NULL,1,0,NULL,NULL,0,30.00000000,3.84000000,0.00000000,0.00000000,33.84000000,NULL,NULL,1,NULL,0,'','','azur',NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(2,1,NULL,'2023-08-13 15:39:14','PR1007-0002',1,NULL,NULL,'','2012-07-10 02:11:44','2023-07-10','2022-07-25 12:00:00','2023-07-10 02:12:55','2020-07-20 15:23:12','2022-07-20 15:23:12',1,NULL,1,1,1,2,0,NULL,NULL,0,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,NULL,NULL,1,NULL,1,'','','azur',NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(3,4,NULL,'2023-08-13 15:39:14','PR1007-0003',1,NULL,NULL,'','2012-07-18 11:35:11','2023-07-18','2023-08-02 12:00:00','2023-07-18 11:36:18','2020-07-20 15:21:15','2023-07-20 15:21:15',1,NULL,1,1,1,2,0,NULL,NULL,0,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,NULL,NULL,1,NULL,0,'','','azur',NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(5,19,NULL,'2023-08-13 15:39:14','PR1302-0005',1,NULL,NULL,'','2015-02-17 15:39:56','2023-02-17','2023-03-04 12:00:00','2022-11-15 23:27:10',NULL,NULL,1,NULL,12,NULL,NULL,1,0,NULL,NULL,0,10.00000000,2.00000000,0.00000000,0.00000000,12.00000000,NULL,NULL,1,NULL,0,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(6,19,NULL,'2023-08-13 15:39:14','PR1302-0006',1,NULL,NULL,'','2015-02-17 15:40:12','2023-02-17','2023-03-04 12:00:00',NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,0,0,NULL,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,1,NULL,0,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(7,19,NULL,'2023-08-13 15:39:14','PR1302-0007',1,NULL,NULL,'','2015-02-17 15:41:15','2023-02-17','2023-03-04 12:00:00','2022-01-29 21:49:33',NULL,NULL,1,NULL,12,NULL,NULL,1,0,NULL,NULL,0,400.00000000,0.00000000,0.00000000,0.00000000,400.00000000,NULL,NULL,1,NULL,0,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,400.00000000,0.00000000,400.00000000,NULL,NULL,NULL),(8,19,NULL,'2023-08-13 15:39:14','PR1302-0008',1,NULL,NULL,'','2015-02-17 15:43:39','2023-02-17','2023-03-04 12:00:00',NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,0,0,NULL,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,1,NULL,0,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(10,7,4,'2022-12-11 21:23:22','PR1909-0031',1,NULL,NULL,'','2017-11-15 23:37:08','2022-11-15','2022-11-30 12:00:00','2022-09-27 16:54:30',NULL,NULL,12,NULL,12,NULL,NULL,1,0,NULL,NULL,0,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,NULL,NULL,1,NULL,3,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',NULL,NULL,1.00000000,10.00000000,0.00000000,10.00000000,'propale/PR1909-0031/PR1909-0031.pdf',NULL,NULL),(11,1,NULL,'2023-08-13 15:39:14','PR1702-0009',1,NULL,NULL,'','2017-02-16 01:44:58','2023-05-13','2023-05-28 12:00:00','2023-02-16 01:44:58',NULL,NULL,1,NULL,1,NULL,NULL,1,0,NULL,NULL,0,60.00000000,0.00000000,0.00000000,0.00000000,60.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,60.00000000,0.00000000,60.00000000,NULL,NULL,NULL),(12,7,NULL,'2023-08-13 15:39:14','PR1702-0010',1,NULL,NULL,'','2017-02-16 01:45:44','2023-06-24','2022-07-09 12:00:00','2023-02-16 01:45:44',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,832.00000000,0.00000000,0.00000000,0.00000000,832.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,832.00000000,0.00000000,832.00000000,NULL,NULL,NULL),(13,26,NULL,'2023-08-13 15:39:14','PR1702-0011',1,NULL,NULL,'','2017-02-16 01:46:15','2023-04-03','2022-04-18 12:00:00','2023-02-16 01:46:15',NULL,NULL,1,NULL,1,NULL,NULL,1,0,NULL,NULL,0,242.00000000,0.00000000,0.00000000,0.00000000,242.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,242.00000000,0.00000000,242.00000000,NULL,NULL,NULL),(14,3,NULL,'2023-08-13 15:39:14','PR1702-0012',1,NULL,NULL,'','2017-02-16 01:46:15','2023-06-19','2022-07-04 12:00:00','2023-02-16 01:46:15',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,245.00000000,0.00000000,0.00000000,0.00000000,245.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,245.00000000,0.00000000,245.00000000,NULL,NULL,NULL),(15,26,NULL,'2023-08-13 15:39:14','PR1702-0013',1,NULL,NULL,'','2017-02-16 01:46:15','2023-05-01','2023-05-16 12:00:00','2022-02-16 01:46:15',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,940.00000000,0.00000000,0.00000000,0.00000000,940.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,940.00000000,0.00000000,940.00000000,NULL,NULL,NULL),(16,1,NULL,'2023-08-13 15:39:14','PR1702-0014',1,NULL,NULL,'','2017-02-16 01:46:15','2023-05-13','2023-05-28 12:00:00','2023-02-16 01:46:15',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,125.00000000,0.00000000,0.00000000,0.00000000,125.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,125.00000000,0.00000000,125.00000000,NULL,NULL,NULL),(17,1,NULL,'2023-08-13 15:39:14','PR1702-0015',1,NULL,NULL,'','2017-02-16 01:46:15','2023-07-23','2023-08-07 12:00:00','2023-02-16 01:46:15',NULL,NULL,1,NULL,1,NULL,NULL,1,0,NULL,NULL,0,163.00000000,0.00000000,0.00000000,0.00000000,163.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,163.00000000,0.00000000,163.00000000,NULL,NULL,NULL),(18,26,NULL,'2023-08-13 15:39:14','PR1702-0016',1,NULL,NULL,'','2017-02-16 01:46:15','2023-02-13','2023-02-28 12:00:00','2023-02-16 01:46:15',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,900.00000000,0.00000000,0.00000000,0.00000000,900.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,900.00000000,0.00000000,900.00000000,NULL,NULL,NULL),(19,12,NULL,'2023-08-13 15:39:14','PR1702-0017',1,NULL,NULL,'','2017-02-16 01:46:15','2023-03-30','2023-04-14 12:00:00','2023-02-16 01:46:15',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,200.00000000,0.00000000,0.00000000,0.00000000,200.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,200.00000000,0.00000000,200.00000000,NULL,NULL,NULL),(20,26,NULL,'2022-12-11 21:23:22','PR1702-0018',1,NULL,NULL,'','2017-02-16 01:46:15','2022-11-13','2022-11-28 12:00:00','2022-02-16 01:46:15',NULL,NULL,1,NULL,1,NULL,NULL,1,0,NULL,NULL,0,830.00000000,0.00000000,0.00000000,0.00000000,830.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,830.00000000,0.00000000,830.00000000,NULL,NULL,NULL),(21,1,NULL,'2022-12-11 21:23:22','PR1702-0019',1,NULL,NULL,'','2017-02-16 01:46:15','2022-09-23','2022-10-08 12:00:00','2022-02-16 04:47:09',NULL,NULL,1,NULL,12,NULL,NULL,1,0,NULL,NULL,0,89.00000000,0.00000000,0.00000000,0.00000000,89.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,89.00000000,0.00000000,89.00000000,NULL,NULL,NULL),(22,26,NULL,'2023-01-10 16:57:19','PR1702-0020',1,NULL,NULL,'','2017-02-16 01:46:15','2022-11-13','2022-11-28 12:00:00','2022-02-16 01:46:15',NULL,NULL,1,NULL,1,NULL,NULL,0,0,NULL,NULL,0,75.00000000,0.30000000,0.00000000,0.00000000,75.30000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,75.00000000,0.30000000,75.30000000,'propale/PR1702-0020/PR1702-0020.pdf',NULL,NULL),(23,12,NULL,'2023-08-13 15:39:14','PR1702-0021',1,NULL,NULL,'','2017-02-16 01:46:17','2023-04-03','2022-04-18 12:00:00','2022-02-17 16:07:18',NULL,NULL,2,NULL,12,NULL,NULL,1,0,NULL,NULL,0,715.00000000,0.00000000,0.00000000,0.00000000,715.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,715.00000000,0.00000000,715.00000000,NULL,NULL,NULL),(24,7,NULL,'2022-12-11 21:23:22','PR1702-0022',1,NULL,NULL,'','2017-02-16 01:46:17','2022-11-13','2022-11-28 12:00:00','2022-02-16 01:46:17',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,250.00000000,0.00000000,0.00000000,0.00000000,250.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,250.00000000,0.00000000,250.00000000,NULL,NULL,NULL),(25,3,NULL,'2023-08-13 15:39:14','PR1702-0023',1,NULL,NULL,'','2017-02-16 01:46:17','2023-07-09','2022-07-24 12:00:00','2023-02-16 01:46:17','2020-02-16 04:47:29','2023-02-16 04:47:29',1,NULL,1,12,12,4,0,NULL,NULL,0,1018.00000000,0.00000000,0.00000000,0.00000000,1018.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,1018.00000000,0.00000000,1018.00000000,NULL,NULL,NULL),(26,1,NULL,'2023-08-13 15:39:14','PR1702-0024',1,NULL,NULL,'','2017-02-16 01:46:17','2023-04-03','2022-04-18 12:00:00','2022-02-16 01:46:18',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,710.00000000,0.00000000,0.00000000,0.00000000,710.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,710.00000000,0.00000000,710.00000000,NULL,NULL,NULL),(27,6,NULL,'2022-12-11 21:23:22','PR1702-0025',1,NULL,NULL,'','2017-02-16 01:46:18','2022-11-12','2022-11-27 12:00:00','2022-02-16 01:46:18',NULL,NULL,1,NULL,1,NULL,NULL,1,0,NULL,NULL,0,300.00000000,0.00000000,0.00000000,0.00000000,300.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,300.00000000,0.00000000,300.00000000,NULL,NULL,NULL),(28,19,NULL,'2023-08-13 15:39:14','PR1702-0026',1,NULL,NULL,'','2017-02-16 01:46:18','2023-07-30','2022-08-14 12:00:00','2023-02-16 01:46:18','2020-02-16 04:46:31','2023-02-16 04:46:31',2,NULL,2,12,12,2,0,NULL,NULL,0,440.00000000,0.00000000,0.00000000,0.00000000,440.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,440.00000000,0.00000000,440.00000000,NULL,NULL,NULL),(29,1,NULL,'2023-08-13 15:39:14','PR1702-0027',1,NULL,NULL,'','2017-02-16 01:46:18','2023-07-23','2023-08-07 12:00:00','2023-02-16 01:46:18','2021-12-20 20:50:23','2022-12-20 20:50:23',2,NULL,2,12,12,2,0,NULL,NULL,0,1000.00000000,0.00000000,0.00000000,0.00000000,1000.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,1000.00000000,0.00000000,1000.00000000,'propale/PR1702-0027/PR1702-0027.pdf',NULL,NULL),(30,1,NULL,'2023-08-13 15:39:14','PR1702-0028',1,NULL,NULL,'','2017-02-16 01:46:18','2023-05-01','2023-05-16 12:00:00','2022-02-16 01:46:18','2019-02-16 04:46:42','2022-02-16 04:46:42',2,NULL,2,12,12,3,0,NULL,NULL,0,1200.00000000,0.00000000,0.00000000,0.00000000,1200.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,1200.00000000,0.00000000,1200.00000000,NULL,NULL,NULL),(31,11,NULL,'2023-08-13 15:39:14','PR1702-0029',1,NULL,NULL,'','2017-02-16 01:46:18','2023-06-24','2022-07-09 12:00:00','2023-02-16 01:46:18',NULL,NULL,1,NULL,1,NULL,NULL,1,0,NULL,NULL,0,720.00000000,0.00000000,0.00000000,0.00000000,720.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,720.00000000,0.00000000,720.00000000,NULL,NULL,NULL),(32,19,NULL,'2022-12-11 21:23:22','PR1702-0030',1,NULL,NULL,'','2017-02-16 01:46:18','2022-11-12','2022-11-27 12:00:00','2022-02-16 01:46:18',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,608.00000000,0.00000000,0.00000000,0.00000000,608.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,608.00000000,0.00000000,608.00000000,NULL,NULL,NULL),(33,10,6,'2022-12-11 21:23:22','PR1909-0032',1,NULL,NULL,'','2019-09-27 17:07:40','2022-09-27','2022-10-12 12:00:00','2022-09-27 17:08:59',NULL,NULL,12,12,12,NULL,NULL,1,0,NULL,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,'This is a private note','This is a public note','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',1,'EUR',1.00000000,0.00000000,0.00000000,0.00000000,'propale/PR1909-0032/PR1909-0032.pdf',NULL,NULL),(34,10,6,'2022-12-11 21:23:22','PR1909-0033',1,NULL,NULL,'','2019-09-27 17:11:21','2022-09-27','2022-10-12 12:00:00','2022-09-27 17:13:13','2020-01-07 23:43:06','2022-01-07 23:43:06',12,12,12,12,12,2,0,NULL,NULL,0,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,NULL,NULL,NULL,NULL,NULL,NULL,'a & a
      \r\nb < r','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',1,'EUR',1.00000000,10.00000000,0.00000000,10.00000000,'propale/PR1909-0033/PR1909-0033.pdf',NULL,NULL),(35,10,NULL,'2022-12-11 21:23:22','(PROV35)',1,NULL,NULL,'','2019-09-27 17:53:44','2022-09-27','2022-10-12 12:00:00',NULL,NULL,NULL,12,NULL,NULL,NULL,NULL,0,0,NULL,NULL,0,5.00000000,0.00000000,0.00000000,0.00000000,5.00000000,NULL,NULL,NULL,NULL,NULL,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',1,'EUR',1.00000000,5.00000000,0.00000000,5.00000000,'propale/(PROV35)/(PROV35).pdf',NULL,NULL),(36,1,10,'2023-08-13 15:39:14','PR2001-0034',1,NULL,NULL,'','2020-01-01 23:55:35','2023-01-01','2023-01-16 12:00:00','2023-03-01 18:12:41','2023-03-01 19:50:24',NULL,12,NULL,12,12,NULL,2,0,NULL,NULL,0,4.00000000,0.24000000,0.00000000,0.00000000,4.24000000,NULL,NULL,NULL,NULL,NULL,'','','azur',NULL,2,NULL,0,NULL,0,NULL,NULL,0,'',1,'EUR',1.00000000,4.00000000,0.24000000,4.24000000,'propale/PR2001-0034/PR2001-0034_signed-20230301195024.pdf','::1',NULL),(37,10,NULL,'2023-08-13 15:39:14','(PROV37)',1,NULL,NULL,'','2020-01-06 00:44:16','2023-01-05','2023-01-20 12:00:00',NULL,NULL,NULL,12,NULL,NULL,NULL,NULL,0,0,NULL,NULL,0,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,NULL,NULL,NULL,NULL,NULL,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',1,'EUR',1.00000000,10.00000000,0.00000000,10.00000000,'propale/(PROV37)/(PROV37).pdf',NULL,NULL),(38,30,NULL,'2023-08-13 15:39:14','(PROV38)',1,NULL,NULL,'','2020-01-13 17:25:28','2023-01-13','2023-01-28 12:00:00',NULL,NULL,NULL,12,NULL,NULL,NULL,NULL,0,0,NULL,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',1,'EUR',1.00000000,0.00000000,0.00000000,0.00000000,'propale/(PROV38)/(PROV38).pdf',NULL,NULL),(39,1,NULL,'2023-03-11 19:20:20','(PROV39)',1,'',NULL,'','2023-03-11 15:30:02','2023-03-11','2023-03-26 12:00:00',NULL,NULL,NULL,12,NULL,NULL,NULL,NULL,0,0,NULL,NULL,0,41.97000000,3.63000000,1.96000000,1.96000000,49.52000000,NULL,NULL,NULL,NULL,NULL,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',1,'EUR',1.00000000,41.97000000,3.63000000,49.52000000,'propale/(PROV39)/(PROV39).pdf',NULL,NULL); +INSERT INTO `llx_propal` VALUES (1,2,NULL,'2023-08-13 15:39:14','PR1007-0001',1,NULL,NULL,'','2012-07-09 01:33:49','2023-07-09','2022-07-24 12:00:00','2022-08-08 14:24:18',NULL,NULL,1,NULL,1,NULL,NULL,1,0,NULL,NULL,0,30.00000000,3.84000000,0.00000000,0.00000000,33.84000000,NULL,NULL,1,NULL,0,'','','azur',NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(2,1,NULL,'2023-08-13 15:39:14','PR1007-0002',1,NULL,NULL,'','2012-07-10 02:11:44','2023-07-10','2022-07-25 12:00:00','2023-07-10 02:12:55','2020-07-20 15:23:12','2022-07-20 15:23:12',1,NULL,1,1,1,2,0,NULL,NULL,0,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,NULL,NULL,1,NULL,1,'','','azur',NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(3,4,NULL,'2023-08-13 15:39:14','PR1007-0003',1,NULL,NULL,'','2012-07-18 11:35:11','2023-07-18','2023-08-02 12:00:00','2023-07-18 11:36:18','2020-07-20 15:21:15','2023-07-20 15:21:15',1,NULL,1,1,1,2,0,NULL,NULL,0,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,NULL,NULL,1,NULL,0,'','','azur',NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(5,19,NULL,'2023-08-13 15:39:14','PR1302-0005',1,NULL,NULL,'','2015-02-17 15:39:56','2023-02-17','2023-03-04 12:00:00','2022-11-15 23:27:10',NULL,NULL,1,NULL,12,NULL,NULL,1,0,NULL,NULL,0,10.00000000,2.00000000,0.00000000,0.00000000,12.00000000,NULL,NULL,1,NULL,0,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(6,19,NULL,'2023-08-13 15:39:14','PR1302-0006',1,NULL,NULL,'','2015-02-17 15:40:12','2023-02-17','2023-03-04 12:00:00',NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,0,0,NULL,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,1,NULL,0,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(7,19,NULL,'2023-08-13 15:39:14','PR1302-0007',1,NULL,NULL,'','2015-02-17 15:41:15','2023-02-17','2023-03-04 12:00:00','2022-01-29 21:49:33',NULL,NULL,1,NULL,12,NULL,NULL,1,0,NULL,NULL,0,400.00000000,0.00000000,0.00000000,0.00000000,400.00000000,NULL,NULL,1,NULL,0,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,400.00000000,0.00000000,400.00000000,NULL,NULL,NULL),(8,19,NULL,'2023-08-13 15:39:14','PR1302-0008',1,NULL,NULL,'','2015-02-17 15:43:39','2023-02-17','2023-03-04 12:00:00',NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,0,0,NULL,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,1,NULL,0,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,1.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL),(10,7,4,'2024-01-03 16:32:23','PR1909-0031',1,NULL,NULL,'','2017-11-15 23:37:08','2023-11-15','2023-11-30 12:00:00','2023-09-27 16:54:30',NULL,NULL,12,NULL,12,NULL,NULL,1,0,NULL,NULL,0,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,NULL,NULL,1,NULL,3,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',NULL,NULL,1.00000000,10.00000000,0.00000000,10.00000000,'propale/PR1909-0031/PR1909-0031.pdf',NULL,NULL),(11,1,NULL,'2023-08-13 15:39:14','PR1702-0009',1,NULL,NULL,'','2017-02-16 01:44:58','2023-05-13','2023-05-28 12:00:00','2023-02-16 01:44:58',NULL,NULL,1,NULL,1,NULL,NULL,1,0,NULL,NULL,0,60.00000000,0.00000000,0.00000000,0.00000000,60.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,60.00000000,0.00000000,60.00000000,NULL,NULL,NULL),(12,7,NULL,'2023-08-13 15:39:14','PR1702-0010',1,NULL,NULL,'','2017-02-16 01:45:44','2023-06-24','2022-07-09 12:00:00','2023-02-16 01:45:44',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,832.00000000,0.00000000,0.00000000,0.00000000,832.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,832.00000000,0.00000000,832.00000000,NULL,NULL,NULL),(13,26,NULL,'2023-08-13 15:39:14','PR1702-0011',1,NULL,NULL,'','2017-02-16 01:46:15','2023-04-03','2022-04-18 12:00:00','2023-02-16 01:46:15',NULL,NULL,1,NULL,1,NULL,NULL,1,0,NULL,NULL,0,242.00000000,0.00000000,0.00000000,0.00000000,242.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,242.00000000,0.00000000,242.00000000,NULL,NULL,NULL),(14,3,NULL,'2023-08-13 15:39:14','PR1702-0012',1,NULL,NULL,'','2017-02-16 01:46:15','2023-06-19','2022-07-04 12:00:00','2023-02-16 01:46:15',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,245.00000000,0.00000000,0.00000000,0.00000000,245.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,245.00000000,0.00000000,245.00000000,NULL,NULL,NULL),(15,26,NULL,'2023-08-13 15:39:14','PR1702-0013',1,NULL,NULL,'','2017-02-16 01:46:15','2023-05-01','2023-05-16 12:00:00','2022-02-16 01:46:15',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,940.00000000,0.00000000,0.00000000,0.00000000,940.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,940.00000000,0.00000000,940.00000000,NULL,NULL,NULL),(16,1,NULL,'2023-08-13 15:39:14','PR1702-0014',1,NULL,NULL,'','2017-02-16 01:46:15','2023-05-13','2023-05-28 12:00:00','2023-02-16 01:46:15',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,125.00000000,0.00000000,0.00000000,0.00000000,125.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,125.00000000,0.00000000,125.00000000,NULL,NULL,NULL),(17,1,NULL,'2023-08-13 15:39:14','PR1702-0015',1,NULL,NULL,'','2017-02-16 01:46:15','2023-07-23','2023-08-07 12:00:00','2023-02-16 01:46:15',NULL,NULL,1,NULL,1,NULL,NULL,1,0,NULL,NULL,0,163.00000000,0.00000000,0.00000000,0.00000000,163.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,163.00000000,0.00000000,163.00000000,NULL,NULL,NULL),(18,26,NULL,'2023-08-13 15:39:14','PR1702-0016',1,NULL,NULL,'','2017-02-16 01:46:15','2023-02-13','2023-02-28 12:00:00','2023-02-16 01:46:15',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,900.00000000,0.00000000,0.00000000,0.00000000,900.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,900.00000000,0.00000000,900.00000000,NULL,NULL,NULL),(19,12,NULL,'2023-08-13 15:39:14','PR1702-0017',1,NULL,NULL,'','2017-02-16 01:46:15','2023-03-30','2023-04-14 12:00:00','2023-02-16 01:46:15',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,200.00000000,0.00000000,0.00000000,0.00000000,200.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,200.00000000,0.00000000,200.00000000,NULL,NULL,NULL),(20,26,NULL,'2024-01-03 16:32:23','PR1702-0018',1,NULL,NULL,'','2017-02-16 01:46:15','2023-11-13','2023-11-28 12:00:00','2023-02-16 01:46:15',NULL,NULL,1,NULL,1,NULL,NULL,1,0,NULL,NULL,0,830.00000000,0.00000000,0.00000000,0.00000000,830.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,830.00000000,0.00000000,830.00000000,NULL,NULL,NULL),(21,1,NULL,'2024-01-03 16:32:23','PR1702-0019',1,NULL,NULL,'','2017-02-16 01:46:15','2023-09-23','2023-10-08 12:00:00','2023-02-16 04:47:09',NULL,NULL,1,NULL,12,NULL,NULL,1,0,NULL,NULL,0,89.00000000,0.00000000,0.00000000,0.00000000,89.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,89.00000000,0.00000000,89.00000000,NULL,NULL,NULL),(22,26,NULL,'2024-01-03 16:32:23','PR1702-0020',1,NULL,NULL,'','2017-02-16 01:46:15','2023-11-13','2023-11-28 12:00:00','2023-02-16 01:46:15',NULL,NULL,1,NULL,1,NULL,NULL,0,0,NULL,NULL,0,75.00000000,0.30000000,0.00000000,0.00000000,75.30000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,75.00000000,0.30000000,75.30000000,'propale/PR1702-0020/PR1702-0020.pdf',NULL,NULL),(23,12,NULL,'2023-08-13 15:39:14','PR1702-0021',1,NULL,NULL,'','2017-02-16 01:46:17','2023-04-03','2022-04-18 12:00:00','2022-02-17 16:07:18',NULL,NULL,2,NULL,12,NULL,NULL,1,0,NULL,NULL,0,715.00000000,0.00000000,0.00000000,0.00000000,715.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,715.00000000,0.00000000,715.00000000,NULL,NULL,NULL),(24,7,NULL,'2024-01-03 16:32:23','PR1702-0022',1,NULL,NULL,'','2017-02-16 01:46:17','2023-11-13','2023-11-28 12:00:00','2023-02-16 01:46:17',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,250.00000000,0.00000000,0.00000000,0.00000000,250.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,250.00000000,0.00000000,250.00000000,NULL,NULL,NULL),(25,3,NULL,'2023-08-13 15:39:14','PR1702-0023',1,NULL,NULL,'','2017-02-16 01:46:17','2023-07-09','2022-07-24 12:00:00','2023-02-16 01:46:17','2020-02-16 04:47:29','2023-02-16 04:47:29',1,NULL,1,12,12,4,0,NULL,NULL,0,1018.00000000,0.00000000,0.00000000,0.00000000,1018.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,1018.00000000,0.00000000,1018.00000000,NULL,NULL,NULL),(26,1,NULL,'2023-08-13 15:39:14','PR1702-0024',1,NULL,NULL,'','2017-02-16 01:46:17','2023-04-03','2022-04-18 12:00:00','2022-02-16 01:46:18',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,710.00000000,0.00000000,0.00000000,0.00000000,710.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,710.00000000,0.00000000,710.00000000,NULL,NULL,NULL),(27,6,NULL,'2024-01-03 16:32:23','PR1702-0025',1,NULL,NULL,'','2017-02-16 01:46:18','2023-11-12','2023-11-27 12:00:00','2023-02-16 01:46:18',NULL,NULL,1,NULL,1,NULL,NULL,1,0,NULL,NULL,0,300.00000000,0.00000000,0.00000000,0.00000000,300.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,300.00000000,0.00000000,300.00000000,NULL,NULL,NULL),(28,19,NULL,'2023-08-13 15:39:14','PR1702-0026',1,NULL,NULL,'','2017-02-16 01:46:18','2023-07-30','2022-08-14 12:00:00','2023-02-16 01:46:18','2020-02-16 04:46:31','2023-02-16 04:46:31',2,NULL,2,12,12,2,0,NULL,NULL,0,440.00000000,0.00000000,0.00000000,0.00000000,440.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,440.00000000,0.00000000,440.00000000,NULL,NULL,NULL),(29,1,NULL,'2023-08-13 15:39:14','PR1702-0027',1,NULL,NULL,'','2017-02-16 01:46:18','2023-07-23','2023-08-07 12:00:00','2023-02-16 01:46:18','2021-12-20 20:50:23','2022-12-20 20:50:23',2,NULL,2,12,12,2,0,NULL,NULL,0,1000.00000000,0.00000000,0.00000000,0.00000000,1000.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,1000.00000000,0.00000000,1000.00000000,'propale/PR1702-0027/PR1702-0027.pdf',NULL,NULL),(30,1,NULL,'2023-08-13 15:39:14','PR1702-0028',1,NULL,NULL,'','2017-02-16 01:46:18','2023-05-01','2023-05-16 12:00:00','2022-02-16 01:46:18','2019-02-16 04:46:42','2022-02-16 04:46:42',2,NULL,2,12,12,3,0,NULL,NULL,0,1200.00000000,0.00000000,0.00000000,0.00000000,1200.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,1200.00000000,0.00000000,1200.00000000,NULL,NULL,NULL),(31,11,NULL,'2023-08-13 15:39:14','PR1702-0029',1,NULL,NULL,'','2017-02-16 01:46:18','2023-06-24','2022-07-09 12:00:00','2023-02-16 01:46:18',NULL,NULL,1,NULL,1,NULL,NULL,1,0,NULL,NULL,0,720.00000000,0.00000000,0.00000000,0.00000000,720.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,720.00000000,0.00000000,720.00000000,NULL,NULL,NULL),(32,19,NULL,'2024-01-03 16:32:23','PR1702-0030',1,NULL,NULL,'','2017-02-16 01:46:18','2023-11-12','2023-11-27 12:00:00','2023-02-16 01:46:18',NULL,NULL,2,NULL,2,NULL,NULL,1,0,NULL,NULL,0,608.00000000,0.00000000,0.00000000,0.00000000,608.00000000,NULL,NULL,3,NULL,3,'','','',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',0,'EUR',1.00000000,608.00000000,0.00000000,608.00000000,NULL,NULL,NULL),(33,10,6,'2024-01-03 16:32:23','PR1909-0032',1,NULL,NULL,'','2019-09-27 17:07:40','2023-09-27','2023-10-12 12:00:00','2023-09-27 17:08:59',NULL,NULL,12,12,12,NULL,NULL,1,0,NULL,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,'This is a private note','This is a public note','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',1,'EUR',1.00000000,0.00000000,0.00000000,0.00000000,'propale/PR1909-0032/PR1909-0032.pdf',NULL,NULL),(34,10,6,'2024-01-03 16:32:23','PR1909-0033',1,NULL,NULL,'','2019-09-27 17:11:21','2023-09-27','2023-10-12 12:00:00','2023-09-27 17:13:13','2020-01-07 23:43:06','2023-01-07 23:43:06',12,12,12,12,12,2,0,NULL,NULL,0,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,NULL,NULL,NULL,NULL,NULL,NULL,'a & a
      \r\nb < r','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',1,'EUR',1.00000000,10.00000000,0.00000000,10.00000000,'propale/PR1909-0033/PR1909-0033.pdf',NULL,NULL),(35,10,NULL,'2024-01-03 16:32:23','(PROV35)',1,NULL,NULL,'','2019-09-27 17:53:44','2023-09-27','2023-10-12 12:00:00',NULL,NULL,NULL,12,NULL,NULL,NULL,NULL,0,0,NULL,NULL,0,5.00000000,0.00000000,0.00000000,0.00000000,5.00000000,NULL,NULL,NULL,NULL,NULL,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',1,'EUR',1.00000000,5.00000000,0.00000000,5.00000000,'propale/(PROV35)/(PROV35).pdf',NULL,NULL),(36,1,10,'2024-01-03 16:32:23','PR2001-0034',1,NULL,NULL,'','2020-01-01 23:55:35','2024-01-01','2023-01-16 12:00:00','2023-03-01 18:12:41','2023-03-01 19:50:24',NULL,12,NULL,12,12,NULL,2,0,NULL,NULL,0,4.00000000,0.24000000,0.00000000,0.00000000,4.24000000,NULL,NULL,NULL,NULL,NULL,'','','azur',NULL,2,NULL,0,NULL,0,NULL,NULL,0,'',1,'EUR',1.00000000,4.00000000,0.24000000,4.24000000,'propale/PR2001-0034/PR2001-0034_signed-20230301195024.pdf','::1',NULL),(37,10,NULL,'2023-08-13 15:39:14','(PROV37)',1,NULL,NULL,'','2020-01-06 00:44:16','2023-01-05','2023-01-20 12:00:00',NULL,NULL,NULL,12,NULL,NULL,NULL,NULL,0,0,NULL,NULL,0,10.00000000,0.00000000,0.00000000,0.00000000,10.00000000,NULL,NULL,NULL,NULL,NULL,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',1,'EUR',1.00000000,10.00000000,0.00000000,10.00000000,'propale/(PROV37)/(PROV37).pdf',NULL,NULL),(38,30,NULL,'2023-08-13 15:39:14','(PROV38)',1,NULL,NULL,'','2020-01-13 17:25:28','2023-01-13','2023-01-28 12:00:00',NULL,NULL,NULL,12,NULL,NULL,NULL,NULL,0,0,NULL,NULL,0,0.00000000,0.00000000,0.00000000,0.00000000,0.00000000,NULL,NULL,NULL,NULL,NULL,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',1,'EUR',1.00000000,0.00000000,0.00000000,0.00000000,'propale/(PROV38)/(PROV38).pdf',NULL,NULL),(39,1,NULL,'2023-03-11 19:20:20','(PROV39)',1,'',NULL,'','2023-03-11 15:30:02','2023-03-11','2023-03-26 12:00:00',NULL,NULL,NULL,12,NULL,NULL,NULL,NULL,0,0,NULL,NULL,0,41.97000000,3.63000000,1.96000000,1.96000000,49.52000000,NULL,NULL,NULL,NULL,NULL,'','','azur',NULL,NULL,NULL,0,NULL,0,NULL,NULL,0,'',1,'EUR',1.00000000,41.97000000,3.63000000,49.52000000,'propale/(PROV39)/(PROV39).pdf',NULL,NULL); /*!40000 ALTER TABLE `llx_propal` ENABLE KEYS */; UNLOCK TABLES; @@ -11641,6 +11284,11 @@ CREATE TABLE `llx_resource` ( `asset_number` varchar(255) DEFAULT NULL, `description` text DEFAULT NULL, `fk_code_type_resource` varchar(32) DEFAULT NULL, + `address` varchar(255) DEFAULT NULL, + `zip` varchar(25) DEFAULT NULL, + `town` varchar(50) DEFAULT NULL, + `photo_filename` varchar(255) DEFAULT NULL, + `max_users` int(11) DEFAULT NULL, `note_public` text DEFAULT NULL, `note_private` text DEFAULT NULL, `tms` timestamp NOT NULL DEFAULT current_timestamp() ON UPDATE current_timestamp(), @@ -11653,10 +11301,12 @@ CREATE TABLE `llx_resource` ( `import_key` varchar(14) DEFAULT NULL, `extraparams` varchar(255) DEFAULT NULL, `fk_country` int(11) DEFAULT NULL, + `fk_state` int(11) DEFAULT NULL, PRIMARY KEY (`rowid`), UNIQUE KEY `uk_resource_ref` (`ref`,`entity`), KEY `fk_code_type_resource_idx` (`fk_code_type_resource`), KEY `idx_resource_fk_country` (`fk_country`), + KEY `idx_resource_fk_state` (`fk_state`), CONSTRAINT `fk_resource_fk_country` FOREIGN KEY (`fk_country`) REFERENCES `llx_c_country` (`rowid`) ) ENGINE=InnoDB AUTO_INCREMENT=5 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; @@ -11667,7 +11317,7 @@ CREATE TABLE `llx_resource` ( LOCK TABLES `llx_resource` WRITE; /*!40000 ALTER TABLE `llx_resource` DISABLE KEYS */; -INSERT INTO `llx_resource` VALUES (1,1,'Car Kangoo 1',NULL,'Car number 1 - Num XDF-45-GH','RES_CARS',NULL,NULL,'2017-02-20 16:44:12',NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL),(2,1,'Car Kangoo 2',NULL,'Car number 2 - Num GHY-78-JJ','RES_CARS',NULL,NULL,'2017-02-20 16:44:01',NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL),(3,1,'Meeting room - 14p',NULL,'Meeting room
      \r\n14 places','RES_ROOMS',NULL,NULL,'2017-02-20 16:44:38',NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL),(4,1,'Meeting room - 8p',NULL,'Meeting room 8 places','RES_ROOMS',NULL,NULL,'2020-06-12 17:14:48',NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL); +INSERT INTO `llx_resource` VALUES (1,1,'Car Kangoo 1',NULL,'Car number 1 - Num XDF-45-GH','RES_CARS',NULL,NULL,NULL,NULL,NULL,NULL,NULL,'2017-02-20 16:44:12',NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL),(2,1,'Car Kangoo 2',NULL,'Car number 2 - Num GHY-78-JJ','RES_CARS',NULL,NULL,NULL,NULL,NULL,NULL,NULL,'2017-02-20 16:44:01',NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL),(3,1,'Meeting room - 14p',NULL,'Meeting room
      \r\n14 places','RES_ROOMS',NULL,NULL,NULL,NULL,NULL,NULL,NULL,'2017-02-20 16:44:38',NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL),(4,1,'Meeting room - 8p',NULL,'Meeting room 8 places','RES_ROOMS',NULL,NULL,NULL,NULL,NULL,NULL,NULL,'2020-06-12 17:14:48',NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL); /*!40000 ALTER TABLE `llx_resource` ENABLE KEYS */; UNLOCK TABLES; @@ -11726,7 +11376,7 @@ CREATE TABLE `llx_rights_def` ( LOCK TABLES `llx_rights_def` WRITE; /*!40000 ALTER TABLE `llx_rights_def` DISABLE KEYS */; -INSERT INTO `llx_rights_def` VALUES (11,'Read invoices','facture',1,'lire',NULL,'a',0,0,0,'2023-08-15 11:34:12'),(11,'Lire les factures','facture',2,'lire',NULL,'a',1,10,0,'2022-12-11 21:23:36'),(12,'Create and update invoices','facture',1,'creer',NULL,'a',0,0,0,'2023-08-15 11:34:12'),(12,'Creer/modifier les factures','facture',2,'creer',NULL,'a',0,10,0,'2022-12-11 21:23:36'),(13,'Devalidate invoices','facture',1,'invoice_advance','unvalidate','a',0,0,0,'2023-08-15 11:34:12'),(13,'Dévalider les factures','facture',2,'invoice_advance','unvalidate','a',0,10,0,'2022-12-11 21:23:36'),(14,'Validate invoices','facture',1,'invoice_advance','validate','a',0,0,0,'2023-08-15 11:34:12'),(14,'Valider les factures','facture',2,'valider',NULL,'a',0,10,0,'2022-12-11 21:23:36'),(15,'Send invoices by email','facture',1,'invoice_advance','send','a',0,0,0,'2023-08-15 11:34:12'),(15,'Envoyer les factures par mail','facture',2,'invoice_advance','send','a',0,10,0,'2022-12-11 21:23:36'),(16,'Issue payments on invoices','facture',1,'paiement',NULL,'a',0,0,0,'2023-08-15 11:34:12'),(16,'Emettre des paiements sur les factures','facture',2,'paiement',NULL,'a',0,10,0,'2022-12-11 21:23:36'),(19,'Delete invoices','facture',1,'supprimer',NULL,'a',0,0,0,'2023-08-15 11:34:12'),(19,'Supprimer les factures','facture',2,'supprimer',NULL,'a',0,10,0,'2022-12-11 21:23:36'),(21,'Lire les propositions commerciales','propale',1,'lire',NULL,'r',1,22,0,'2022-12-11 21:23:36'),(21,'Lire les propositions commerciales','propale',2,'lire',NULL,'r',1,22,0,'2022-12-11 21:23:36'),(22,'Creer/modifier les propositions commerciales','propale',1,'creer',NULL,'w',0,22,0,'2022-12-11 21:23:36'),(22,'Creer/modifier les propositions commerciales','propale',2,'creer',NULL,'w',0,22,0,'2022-12-11 21:23:36'),(24,'Valider les propositions commerciales','propale',1,'propal_advance','validate','d',0,22,0,'2022-12-11 21:23:36'),(24,'Valider les propositions commerciales','propale',2,'valider',NULL,'d',0,22,0,'2022-12-11 21:23:36'),(25,'Envoyer les propositions commerciales aux clients','propale',1,'propal_advance','send','d',0,22,0,'2022-12-11 21:23:36'),(25,'Envoyer les propositions commerciales aux clients','propale',2,'propal_advance','send','d',0,22,0,'2022-12-11 21:23:36'),(26,'Cloturer les propositions commerciales','propale',1,'propal_advance','close','d',0,22,0,'2022-12-11 21:23:36'),(26,'Cloturer les propositions commerciales','propale',2,'propal_advance','close','d',0,22,0,'2022-12-11 21:23:36'),(27,'Supprimer les propositions commerciales','propale',1,'supprimer',NULL,'d',0,22,0,'2022-12-11 21:23:36'),(27,'Supprimer les propositions commerciales','propale',2,'supprimer',NULL,'d',0,22,0,'2022-12-11 21:23:36'),(28,'Exporter les propositions commerciales et attributs','propale',1,'export',NULL,'r',0,22,0,'2022-12-11 21:23:36'),(28,'Exporter les propositions commerciales et attributs','propale',2,'export',NULL,'r',0,22,0,'2022-12-11 21:23:36'),(31,'Lire les produits','produit',1,'lire',NULL,'r',1,25,0,'2022-12-11 21:23:36'),(31,'Lire les produits','produit',2,'lire',NULL,'r',1,25,0,'2022-12-11 21:23:36'),(32,'Creer/modifier les produits','produit',1,'creer',NULL,'w',0,25,0,'2022-12-11 21:23:36'),(32,'Creer/modifier les produits','produit',2,'creer',NULL,'w',0,25,0,'2022-12-11 21:23:36'),(33,'Read prices products','produit',1,'product_advance','read_prices','w',0,26,0,'2022-12-13 11:09:29'),(34,'Supprimer les produits','produit',1,'supprimer',NULL,'d',0,25,0,'2022-12-11 21:23:36'),(34,'Supprimer les produits','produit',2,'supprimer',NULL,'d',0,25,0,'2022-12-11 21:23:36'),(38,'Exporter les produits','produit',1,'export',NULL,'r',0,25,0,'2022-12-11 21:23:36'),(38,'Exporter les produits','produit',2,'export',NULL,'r',0,25,0,'2022-12-11 21:23:36'),(39,'Ignore minimum price','produit',1,'ignore_price_min_advance',NULL,'r',0,25,0,'2022-12-11 21:23:36'),(41,'Read projects and tasks (shared projects or projects I am contact for). Can also enter time consumed on assigned tasks (timesheet)','projet',1,'lire',NULL,'r',1,14,0,'2022-12-11 21:23:36'),(42,'Create/modify projects and tasks (shared projects or projects I am contact for)','projet',1,'creer',NULL,'w',0,14,0,'2022-12-11 21:23:36'),(44,'Delete project and tasks (shared projects or projects I am contact for)','projet',1,'supprimer',NULL,'d',0,14,0,'2022-12-11 21:23:36'),(45,'Export projects','projet',1,'export',NULL,'d',0,14,0,'2022-12-11 21:23:36'),(61,'Lire les fiches d\'intervention','ficheinter',1,'lire',NULL,'r',1,41,0,'2022-12-11 21:23:36'),(62,'Creer/modifier les fiches d\'intervention','ficheinter',1,'creer',NULL,'w',0,41,0,'2022-12-11 21:23:36'),(64,'Supprimer les fiches d\'intervention','ficheinter',1,'supprimer',NULL,'d',0,41,0,'2022-12-11 21:23:36'),(67,'Exporter les fiches interventions','ficheinter',1,'export',NULL,'r',0,41,0,'2022-12-11 21:23:36'),(68,'Envoyer les fiches d\'intervention par courriel','ficheinter',1,'ficheinter_advance','send','r',0,41,0,'2022-12-11 21:23:36'),(69,'Valider les fiches d\'intervention ','ficheinter',1,'ficheinter_advance','validate','a',0,41,0,'2022-12-11 21:23:36'),(70,'Dévalider les fiches d\'intervention','ficheinter',1,'ficheinter_advance','unvalidate','a',0,41,0,'2022-12-11 21:23:36'),(71,'Read members\' card','adherent',1,'lire',NULL,'r',0,0,0,'2023-08-15 10:57:22'),(72,'Create/modify members (need also user module permissions if member linked to a user)','adherent',1,'creer',NULL,'w',0,0,0,'2023-08-15 10:57:22'),(74,'Remove members','adherent',1,'supprimer',NULL,'d',0,0,0,'2023-08-15 10:57:22'),(75,'Setup types of membership','adherent',1,'configurer',NULL,'w',0,0,0,'2023-08-15 10:57:22'),(76,'Export members','adherent',1,'export',NULL,'r',0,0,0,'2023-08-15 10:57:22'),(78,'Read membership fees','adherent',1,'cotisation','lire','r',0,0,0,'2023-08-15 10:57:22'),(79,'Create/modify/remove membership fees','adherent',1,'cotisation','creer','w',0,0,0,'2023-08-15 10:57:22'),(81,'Read sales orders','commande',1,'lire',NULL,'r',0,0,0,'2023-08-15 11:34:12'),(82,'Creeat/modify sales orders','commande',1,'creer',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(84,'Validate sales orders','commande',1,'order_advance','validate','d',0,0,0,'2023-08-15 11:34:12'),(85,'Generate the documents sales orders','commande',1,'order_advance','generetedoc','d',0,0,0,'2023-08-15 11:34:12'),(86,'Send sales orders by email','commande',1,'order_advance','send','d',0,0,0,'2023-08-15 11:34:12'),(87,'Close sale orders','commande',1,'order_advance','close','d',0,0,0,'2023-08-15 11:34:12'),(88,'Cancel sale orders','commande',1,'order_advance','annuler','d',0,0,0,'2023-08-15 11:34:12'),(89,'Delete sales orders','commande',1,'supprimer',NULL,'d',0,0,0,'2023-08-15 11:34:12'),(91,'Lire les charges','tax',1,'charges','lire','r',0,50,0,'2022-12-11 21:23:36'),(91,'Lire les charges','tax',2,'charges','lire','r',1,50,0,'2022-12-11 21:23:36'),(92,'Creer/modifier les charges','tax',1,'charges','creer','w',0,50,0,'2022-12-11 21:23:36'),(92,'Creer/modifier les charges','tax',2,'charges','creer','w',0,50,0,'2022-12-11 21:23:36'),(93,'Supprimer les charges','tax',1,'charges','supprimer','d',0,50,0,'2022-12-11 21:23:36'),(93,'Supprimer les charges','tax',2,'charges','supprimer','d',0,50,0,'2022-12-11 21:23:36'),(94,'Exporter les charges','tax',1,'charges','export','r',0,50,0,'2022-12-11 21:23:36'),(94,'Exporter les charges','tax',2,'charges','export','r',0,50,0,'2022-12-11 21:23:36'),(101,'Lire les expeditions','expedition',1,'lire',NULL,'r',0,40,0,'2022-12-11 21:23:36'),(102,'Creer modifier les expeditions','expedition',1,'creer',NULL,'w',0,40,0,'2022-12-11 21:23:36'),(104,'Valider les expeditions','expedition',1,'shipping_advance','validate','d',0,40,0,'2022-12-11 21:23:36'),(105,'Envoyer les expeditions aux clients','expedition',1,'shipping_advance','send','d',0,40,0,'2022-12-11 21:23:36'),(106,'Exporter les expeditions','expedition',1,'shipment','export','r',0,40,0,'2022-12-11 21:23:36'),(109,'Supprimer les expeditions','expedition',1,'supprimer',NULL,'d',0,40,0,'2022-12-11 21:23:36'),(111,'Read bank account and transactions','banque',1,'lire',NULL,'r',0,0,0,'2023-08-15 11:34:12'),(111,'Lire les comptes bancaires','banque',2,'lire',NULL,'r',1,51,0,'2022-12-11 21:23:36'),(112,'Creer/modifier montant/supprimer ecriture bancaire','banque',1,'modifier',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(112,'Creer/modifier montant/supprimer ecriture bancaire','banque',2,'modifier',NULL,'w',0,51,0,'2022-12-11 21:23:36'),(113,'Configurer les comptes bancaires (creer, gerer categories)','banque',1,'configurer',NULL,'a',0,0,0,'2023-08-15 11:34:12'),(113,'Configurer les comptes bancaires (creer, gerer categories)','banque',2,'configurer',NULL,'a',0,51,0,'2022-12-11 21:23:36'),(114,'Rapprocher les ecritures bancaires','banque',1,'consolidate',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(114,'Rapprocher les ecritures bancaires','banque',2,'consolidate',NULL,'w',0,51,0,'2022-12-11 21:23:36'),(115,'Exporter transactions et releves','banque',1,'export',NULL,'r',0,0,0,'2023-08-15 11:34:12'),(115,'Exporter transactions et releves','banque',2,'export',NULL,'r',0,51,0,'2022-12-11 21:23:36'),(116,'Virements entre comptes','banque',1,'transfer',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(116,'Virements entre comptes','banque',2,'transfer',NULL,'w',0,51,0,'2022-12-11 21:23:36'),(117,'Gerer les envois de cheques','banque',1,'cheque',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(117,'Gerer les envois de cheques','banque',2,'cheque',NULL,'w',0,51,0,'2022-12-11 21:23:36'),(121,'Read third parties','societe',1,'lire',NULL,'r',0,0,0,'2023-08-15 11:34:13'),(121,'Lire les societes','societe',2,'lire',NULL,'r',1,9,0,'2022-12-11 21:23:36'),(122,'Create and update third parties','societe',1,'creer',NULL,'w',0,0,0,'2023-08-15 11:34:13'),(122,'Creer modifier les societes','societe',2,'creer',NULL,'w',0,9,0,'2022-12-11 21:23:36'),(125,'Delete third parties','societe',1,'supprimer',NULL,'d',0,0,0,'2023-08-15 11:34:13'),(125,'Supprimer les societes','societe',2,'supprimer',NULL,'d',0,9,0,'2022-12-11 21:23:36'),(126,'Export third parties','societe',1,'export',NULL,'r',0,0,0,'2023-08-15 11:34:13'),(126,'Exporter les societes','societe',2,'export',NULL,'r',0,9,0,'2022-12-11 21:23:36'),(130,'Modify thirdparty information payment','societe',1,'thirdparty_paymentinformation_advance','write','w',0,0,0,'2023-08-15 11:34:13'),(141,'Read all projects and tasks (also private projects I am not contact for)','projet',1,'all','lire','r',0,14,0,'2022-12-11 21:23:36'),(142,'Create/modify all projects and tasks (also private projects I am not contact for)','projet',1,'all','creer','w',0,14,0,'2022-12-11 21:23:36'),(144,'Delete all projects and tasks (also private projects I am not contact for)','projet',1,'all','supprimer','d',0,14,0,'2022-12-11 21:23:36'),(145,'Can enter time consumed on assigned tasks (timesheet)','projet',1,'time',NULL,'w',0,14,0,'2022-12-12 09:00:28'),(151,'Read withdrawals','prelevement',1,'bons','lire','r',1,52,0,'2022-12-11 21:23:36'),(152,'Create/modify a withdrawals','prelevement',1,'bons','creer','w',0,52,0,'2022-12-11 21:23:36'),(153,'Send withdrawals to bank','prelevement',1,'bons','send','a',0,52,0,'2022-12-11 21:23:36'),(154,'credit/refuse withdrawals','prelevement',1,'bons','credit','a',0,52,0,'2022-12-11 21:23:36'),(161,'Lire les contrats','contrat',1,'lire',NULL,'r',1,35,0,'2022-12-11 21:23:36'),(162,'Creer / modifier les contrats','contrat',1,'creer',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(163,'Activer un service d\'un contrat','contrat',1,'activer',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(164,'Desactiver un service d\'un contrat','contrat',1,'desactiver',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(165,'Supprimer un contrat','contrat',1,'supprimer',NULL,'d',0,35,0,'2022-12-11 21:23:36'),(167,'Export contracts','contrat',1,'export',NULL,'r',0,35,0,'2022-12-11 21:23:36'),(221,'Consulter les mailings','mailing',1,'lire',NULL,'r',0,23,0,'2023-02-25 14:20:31'),(221,'Consulter les mailings','mailing',2,'lire',NULL,'r',1,11,0,'2022-12-11 21:23:36'),(222,'Creer/modifier les mailings (sujet, destinataires...)','mailing',1,'creer',NULL,'w',0,23,0,'2023-02-25 14:20:31'),(222,'Creer/modifier les mailings (sujet, destinataires...)','mailing',2,'creer',NULL,'w',0,11,0,'2022-12-11 21:23:36'),(223,'Valider les mailings (permet leur envoi)','mailing',1,'valider',NULL,'w',0,23,0,'2023-02-25 14:20:31'),(223,'Valider les mailings (permet leur envoi)','mailing',2,'valider',NULL,'w',0,11,0,'2022-12-11 21:23:36'),(229,'Supprimer les mailings','mailing',1,'supprimer',NULL,'d',0,23,0,'2023-02-25 14:20:31'),(229,'Supprimer les mailings','mailing',2,'supprimer',NULL,'d',0,11,0,'2022-12-11 21:23:36'),(237,'View recipients and info','mailing',1,'mailing_advance','recipient','r',0,23,0,'2023-02-25 14:20:31'),(237,'View recipients and info','mailing',2,'mailing_advance','recipient','r',0,11,0,'2022-12-11 21:23:36'),(238,'Manually send mailings','mailing',1,'mailing_advance','send','w',0,23,0,'2023-02-25 14:20:31'),(238,'Manually send mailings','mailing',2,'mailing_advance','send','w',0,11,0,'2022-12-11 21:23:36'),(239,'Delete mailings after validation and/or sent','mailing',1,'mailing_advance','delete','d',0,23,0,'2023-02-25 14:20:31'),(239,'Delete mailings after validation and/or sent','mailing',2,'mailing_advance','delete','d',0,11,0,'2022-12-11 21:23:36'),(241,'Lire les categories','categorie',1,'lire',NULL,'r',1,20,0,'2022-12-11 21:23:36'),(242,'Creer/modifier les categories','categorie',1,'creer',NULL,'w',0,20,0,'2022-12-11 21:23:36'),(243,'Supprimer les categories','categorie',1,'supprimer',NULL,'d',0,20,0,'2022-12-11 21:23:36'),(251,'Read information of other users, groups and permissions','user',1,'user','lire','r',0,0,0,'2023-08-15 11:34:14'),(252,'Read permissions of other users','user',1,'user_advance','readperms','r',0,0,0,'2023-08-15 11:34:14'),(253,'Create/modify internal and external users, groups and permissions','user',1,'user','creer','w',0,0,0,'2023-08-15 11:34:14'),(254,'Create/modify external users only','user',1,'user_advance','write','w',0,0,0,'2023-08-15 11:34:14'),(255,'Modify the password of other users','user',1,'user','password','w',0,0,0,'2023-08-15 11:34:14'),(256,'Delete or disable other users','user',1,'user','supprimer','d',0,0,0,'2023-08-15 11:34:14'),(262,'Read all third parties (and their objects) by internal users (otherwise only if commercial contact). Not effective for external users (limited to themselves).','societe',1,'client','voir','r',0,0,0,'2023-08-15 11:34:14'),(262,'Consulter tous les tiers par utilisateurs internes (sinon uniquement si contact commercial). Non effectif pour utilisateurs externes (tjs limités à eux-meme).','societe',2,'client','voir','r',1,9,0,'2022-12-11 21:23:36'),(281,'Read contacts','societe',1,'contact','lire','r',0,0,0,'2023-08-15 11:34:14'),(281,'Lire les contacts','societe',2,'contact','lire','r',1,9,0,'2022-12-11 21:23:36'),(282,'Create and update contact','societe',1,'contact','creer','w',0,0,0,'2023-08-15 11:34:14'),(282,'Creer modifier les contacts','societe',2,'contact','creer','w',0,9,0,'2022-12-11 21:23:36'),(283,'Delete contacts','societe',1,'contact','supprimer','d',0,0,0,'2023-08-15 11:34:14'),(283,'Supprimer les contacts','societe',2,'contact','supprimer','d',0,9,0,'2022-12-11 21:23:36'),(286,'Export contacts','societe',1,'contact','export','d',0,0,0,'2023-08-15 11:34:14'),(286,'Exporter les contacts','societe',2,'contact','export','d',0,9,0,'2022-12-11 21:23:36'),(301,'Generate PDF sheets of barcodes','barcode',1,'read',NULL,'r',1,0,0,'2023-08-15 11:34:12'),(304,'Read barcodes','barcode',1,'lire_advance',NULL,'r',1,0,0,'2023-08-15 11:34:12'),(305,'Create/modify barcodes','barcode',1,'creer_advance',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(331,'Lire les bookmarks','bookmark',1,'lire',NULL,'r',0,50,0,'2022-12-11 21:23:36'),(332,'Creer/modifier les bookmarks','bookmark',1,'creer',NULL,'r',0,50,0,'2022-12-11 21:23:36'),(333,'Supprimer les bookmarks','bookmark',1,'supprimer',NULL,'r',0,50,0,'2022-12-11 21:23:36'),(341,'Read its own permissions','user',1,'self_advance','readperms','r',0,0,0,'2023-08-15 11:34:14'),(342,'Create/modify of its own user','user',1,'self','creer','w',0,0,0,'2023-08-15 11:34:14'),(343,'Modify its own password','user',1,'self','password','w',0,0,0,'2023-08-15 11:34:14'),(344,'Modify its own permissions','user',1,'self_advance','writeperms','w',0,0,0,'2023-08-15 11:34:14'),(351,'Read groups','user',1,'group_advance','read','r',0,0,0,'2023-08-15 11:34:14'),(352,'Read permissions of groups','user',1,'group_advance','readperms','r',0,0,0,'2023-08-15 11:34:14'),(353,'Create/modify groups and permissions','user',1,'group_advance','write','w',0,0,0,'2023-08-15 11:34:14'),(354,'Delete groups','user',1,'group_advance','delete','d',0,0,0,'2023-08-15 11:34:14'),(358,'Export all users','user',1,'user','export','r',0,0,0,'2023-08-15 11:34:14'),(511,'Read employee salaries and payments (yours and your subordinates)','salaries',1,'read',NULL,'r',0,0,0,'2023-08-15 11:34:13'),(512,'Create/modify payments of empoyee salaries','salaries',1,'write',NULL,'w',0,0,0,'2023-08-15 11:34:13'),(514,'Delete payments of employee salary','salaries',1,'delete',NULL,'d',0,0,0,'2023-08-15 11:34:13'),(517,'Read salaries and payments of all employees','salaries',1,'readall',NULL,'r',0,0,0,'2023-08-15 11:34:13'),(519,'Export payments of employee salaries','salaries',1,'export',NULL,'r',0,0,0,'2023-08-15 11:34:13'),(520,'Read loans','loan',1,'read',NULL,'r',0,50,0,'2022-12-11 21:23:36'),(521,'Read loans','loan',1,'read',NULL,'r',0,50,0,'2022-12-11 21:23:36'),(522,'Create/modify loans','loan',1,'write',NULL,'w',0,50,0,'2022-12-11 21:23:36'),(524,'Delete loans','loan',1,'delete',NULL,'d',0,50,0,'2022-12-11 21:23:36'),(525,'Access loan calculator','loan',1,'calc',NULL,'r',0,50,0,'2022-12-11 21:23:36'),(527,'Export loans','loan',1,'export',NULL,'r',0,50,0,'2022-12-11 21:23:36'),(531,'Read services','service',1,'lire',NULL,'r',0,0,0,'2023-08-15 11:34:13'),(532,'Create/modify services','service',1,'creer',NULL,'w',0,0,0,'2023-08-15 11:34:13'),(533,'Read prices services','service',1,'service_advance','read_prices','w',0,0,0,'2023-08-15 11:34:13'),(534,'Delete les services','service',1,'supprimer',NULL,'d',0,0,0,'2023-08-15 11:34:13'),(538,'Export services','service',1,'export',NULL,'r',0,0,0,'2023-08-15 11:34:13'),(561,'Read bank transfer payment orders','paymentbybanktransfer',1,'read',NULL,'r',0,52,0,'2022-12-11 21:23:36'),(562,'Create/modify a bank transfer payment order','paymentbybanktransfer',1,'create',NULL,'w',0,52,0,'2022-12-11 21:23:36'),(563,'Send/Transmit bank transfer payment order','paymentbybanktransfer',1,'send',NULL,'a',0,52,0,'2022-12-11 21:23:36'),(564,'Record Debits/Rejects of bank transfer payment order','paymentbybanktransfer',1,'debit',NULL,'a',0,52,0,'2022-12-11 21:23:36'),(610,'Read attributes of variants','variants',1,'read',NULL,'w',0,50,0,'2022-12-12 09:00:28'),(611,'Create/Update attributes of variants','variants',1,'write',NULL,'w',0,50,0,'2022-12-12 09:00:28'),(612,'Delete attributes of variants','variants',1,'delete',NULL,'w',0,50,0,'2022-12-12 09:00:28'),(651,'Read bom of Bom','bom',1,'read',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(652,'Create/Update bom of Bom','bom',1,'write',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(653,'Delete bom of Bom','bom',1,'delete',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(661,'Read Manufacturing Order','mrp',1,'read',NULL,'w',0,0,0,'2023-08-15 11:34:13'),(662,'Create/Update Manufacturing Order','mrp',1,'write',NULL,'w',0,0,0,'2023-08-15 11:34:13'),(663,'Delete Manufacturing Order','mrp',1,'delete',NULL,'w',0,0,0,'2023-08-15 11:34:13'),(691,'Read objects of Workstation','workstation',1,'workstation','read','w',0,0,0,'2023-08-13 15:40:21'),(692,'Create/Update objects of Workstation','workstation',1,'workstation','write','w',0,0,0,'2023-08-13 15:40:21'),(693,'Delete objects of Workstation','workstation',1,'workstation','delete','w',0,0,0,'2023-08-13 15:40:21'),(701,'Lire les dons','don',1,'lire',NULL,'r',1,50,0,'2022-12-11 21:23:36'),(701,'Lire les dons','don',2,'lire',NULL,'r',1,50,0,'2022-12-11 21:23:36'),(702,'Creer/modifier les dons','don',1,'creer',NULL,'w',0,50,0,'2022-12-11 21:23:36'),(702,'Creer/modifier les dons','don',2,'creer',NULL,'w',0,50,0,'2022-12-11 21:23:36'),(703,'Supprimer les dons','don',1,'supprimer',NULL,'d',0,50,0,'2022-12-11 21:23:36'),(703,'Supprimer les dons','don',2,'supprimer',NULL,'d',0,50,0,'2022-12-11 21:23:36'),(750,'Read job positions to fill and candidatures','recruitment',1,'recruitmentjobposition','read','w',0,0,0,'2023-08-15 11:34:13'),(751,'Create/Update job positions to fill and candidatures','recruitment',1,'recruitmentjobposition','write','w',0,0,0,'2023-08-15 11:34:13'),(752,'Delete Job positions to fill and candidatures','recruitment',1,'recruitmentjobposition','delete','w',0,0,0,'2023-08-15 11:34:13'),(771,'Read expense reports (yours and your subordinates)','expensereport',1,'lire',NULL,'r',0,0,0,'2023-08-15 11:34:12'),(772,'Create/modify expense reports','expensereport',1,'creer',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(773,'Delete expense reports','expensereport',1,'supprimer',NULL,'d',0,0,0,'2023-08-15 11:34:12'),(775,'Approve expense reports','expensereport',1,'approve',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(776,'Pay expense reports','expensereport',1,'to_paid',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(777,'Read expense reports of everybody','expensereport',1,'readall',NULL,'r',0,0,0,'2023-08-15 11:34:12'),(778,'Create expense reports for everybody','expensereport',1,'writeall_advance',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(779,'Export expense reports','expensereport',1,'export',NULL,'r',0,0,0,'2023-08-15 11:34:12'),(1001,'Lire les stocks','stock',1,'lire',NULL,'r',1,40,0,'2022-12-11 21:23:36'),(1002,'Creer/Modifier les stocks','stock',1,'creer',NULL,'w',0,40,0,'2022-12-11 21:23:36'),(1003,'Supprimer les stocks','stock',1,'supprimer',NULL,'d',0,40,0,'2022-12-11 21:23:36'),(1004,'Lire mouvements de stocks','stock',1,'mouvement','lire','r',1,40,0,'2022-12-11 21:23:36'),(1005,'Creer/modifier mouvements de stocks','stock',1,'mouvement','creer','w',0,40,0,'2022-12-11 21:23:36'),(1011,'inventoryReadPermission','stock',1,'inventory_advance','read','w',0,39,0,'2022-12-11 21:23:36'),(1012,'inventoryCreatePermission','stock',1,'inventory_advance','write','w',0,39,0,'2022-12-11 21:23:36'),(1014,'inventoryValidatePermission','stock',1,'inventory_advance','validate','w',0,39,0,'2023-02-08 12:45:19'),(1015,'inventoryChangePMPPermission','stock',1,'inventory_advance','changePMP','w',0,39,0,'2023-02-08 12:45:19'),(1016,'inventoryDeletePermission','stock',1,'inventory_advance','delete','w',0,39,0,'2023-02-08 12:45:19'),(1101,'Read delivery receipts','expedition',1,'delivery','lire','r',0,40,0,'2022-12-11 21:23:36'),(1102,'Create/modify delivery receipts','expedition',1,'delivery','creer','w',0,40,0,'2022-12-11 21:23:36'),(1104,'Validate delivery receipts','expedition',1,'delivery_advance','validate','d',0,40,0,'2022-12-11 21:23:36'),(1109,'Delete delivery receipts','expedition',1,'delivery','supprimer','d',0,40,0,'2022-12-11 21:23:36'),(1121,'Read supplier proposals','supplier_proposal',1,'lire',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(1122,'Create/modify supplier proposals','supplier_proposal',1,'creer',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(1123,'Validate supplier proposals','supplier_proposal',1,'validate_advance',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(1124,'Envoyer les demandes fournisseurs','supplier_proposal',1,'send_advance',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(1125,'Delete supplier proposals','supplier_proposal',1,'supprimer',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(1126,'Close supplier price requests','supplier_proposal',1,'cloturer',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(1181,'Consulter les fournisseurs','fournisseur',1,'lire',NULL,'r',0,0,0,'2023-08-15 11:34:12'),(1182,'Consulter les commandes fournisseur','fournisseur',1,'commande','lire','r',0,0,0,'2023-08-15 11:34:12'),(1183,'Creer une commande fournisseur','fournisseur',1,'commande','creer','w',0,0,0,'2023-08-15 11:34:12'),(1184,'Valider une commande fournisseur','fournisseur',1,'supplier_order_advance','validate','w',0,0,0,'2023-08-15 11:34:12'),(1185,'Approuver une commande fournisseur','fournisseur',1,'commande','approuver','w',0,0,0,'2023-08-15 11:34:12'),(1186,'Commander une commande fournisseur','fournisseur',1,'commande','commander','w',0,0,0,'2023-08-15 11:34:12'),(1187,'Receptionner une commande fournisseur','fournisseur',1,'commande','receptionner','d',0,0,0,'2023-08-15 11:34:12'),(1188,'Supprimer une commande fournisseur','fournisseur',1,'commande','supprimer','d',0,0,0,'2023-08-15 11:34:12'),(1189,'Check/Uncheck a supplier order reception','fournisseur',1,'commande_advance','check','w',0,0,0,'2023-08-15 11:34:12'),(1191,'Exporter les commande fournisseurs, attributs','fournisseur',1,'commande','export','r',0,0,0,'2023-08-15 11:34:12'),(1201,'Lire les exports','export',1,'lire',NULL,'r',1,72,0,'2022-12-11 21:23:36'),(1202,'Creer/modifier un export','export',1,'creer',NULL,'w',0,72,0,'2022-12-11 21:23:36'),(1231,'Consulter les factures fournisseur','fournisseur',1,'facture','lire','r',0,0,0,'2023-08-15 11:34:12'),(1232,'Creer une facture fournisseur','fournisseur',1,'facture','creer','w',0,0,0,'2023-08-15 11:34:12'),(1233,'Valider une facture fournisseur','fournisseur',1,'supplier_invoice_advance','validate','w',0,0,0,'2023-08-15 11:34:12'),(1234,'Supprimer une facture fournisseur','fournisseur',1,'facture','supprimer','d',0,0,0,'2023-08-15 11:34:12'),(1235,'Envoyer les factures par mail','fournisseur',1,'supplier_invoice_advance','send','a',0,0,0,'2023-08-15 11:34:12'),(1236,'Exporter les factures fournisseurs, attributs et reglements','fournisseur',1,'facture','export','r',0,0,0,'2023-08-15 11:34:12'),(1251,'Run mass imports of external data (data load)','import',1,'run',NULL,'r',0,70,0,'2022-12-11 21:23:36'),(1321,'Export customer invoices, attributes and payments','facture',1,'facture','export','r',0,0,0,'2023-08-15 11:34:12'),(1321,'Exporter les factures clients, attributs et reglements','facture',2,'facture','export','r',0,10,0,'2022-12-11 21:23:36'),(1322,'Re-open a fully paid invoice','facture',1,'invoice_advance','reopen','r',0,0,0,'2023-08-15 11:34:12'),(1421,'Export sales orders and attributes','commande',1,'commande','export','r',0,0,0,'2023-08-15 11:34:12'),(2401,'Read actions/tasks linked to his account','agenda',1,'myactions','read','r',0,0,0,'2023-08-15 11:34:11'),(2401,'Read actions/tasks linked to his account','agenda',2,'myactions','read','r',1,15,0,'2022-12-11 21:23:36'),(2402,'Create/modify actions/tasks linked to his account','agenda',1,'myactions','create','w',0,0,0,'2023-08-15 11:34:11'),(2402,'Create/modify actions/tasks linked to his account','agenda',2,'myactions','create','w',0,15,0,'2022-12-11 21:23:36'),(2403,'Delete actions/tasks linked to his account','agenda',1,'myactions','delete','w',0,0,0,'2023-08-15 11:34:11'),(2403,'Delete actions/tasks linked to his account','agenda',2,'myactions','delete','w',0,15,0,'2022-12-11 21:23:36'),(2411,'Read actions/tasks of others','agenda',1,'allactions','read','r',0,0,0,'2023-08-15 11:34:11'),(2411,'Read actions/tasks of others','agenda',2,'allactions','read','r',0,15,0,'2022-12-11 21:23:36'),(2412,'Create/modify actions/tasks of others','agenda',1,'allactions','create','w',0,0,0,'2023-08-15 11:34:11'),(2412,'Create/modify actions/tasks of others','agenda',2,'allactions','create','w',0,15,0,'2022-12-11 21:23:36'),(2413,'Delete actions/tasks of others','agenda',1,'allactions','delete','w',0,0,0,'2023-08-15 11:34:11'),(2413,'Delete actions/tasks of others','agenda',2,'allactions','delete','w',0,15,0,'2022-12-11 21:23:36'),(2414,'Export actions/tasks of others','agenda',1,'export',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(2451,'Read objects of EventOrganization','eventorganization',1,'read',NULL,'w',0,0,0,'2023-08-13 15:40:29'),(2452,'Create/Update objects of EventOrganization','eventorganization',1,'write',NULL,'w',0,0,0,'2023-08-13 15:40:29'),(2453,'Delete objects of EventOrganization','eventorganization',1,'delete',NULL,'w',0,0,0,'2023-08-13 15:40:29'),(2501,'Read or download documents','ecm',1,'read',NULL,'r',0,0,0,'2023-08-15 11:34:12'),(2503,'Upload a document','ecm',1,'upload',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(2515,'Administer directories of documents','ecm',1,'setup',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(2610,'Générer / modifier la clé API des utilisateurs','api',1,'apikey','generate','w',0,24,0,'2022-12-11 21:23:36'),(3201,'Read archived events and fingerprints','blockedlog',1,'read',NULL,'w',0,76,0,'2022-12-11 21:23:36'),(3301,'Generate new modules','modulebuilder',1,'run',NULL,'a',0,90,0,'2023-02-11 11:40:29'),(4001,'Read skill/job/position','hrm',1,'all','read','w',0,50,0,'2023-02-11 11:40:29'),(4002,'Create/modify skill/job/position','hrm',1,'all','write','w',0,50,0,'2023-02-11 11:40:29'),(4003,'Delete skill/job/position','hrm',1,'all','delete','w',0,50,0,'2023-02-11 11:40:29'),(4021,'Read evaluations','hrm',1,'evaluation','read','w',0,50,0,'2023-02-11 11:40:29'),(4022,'Create/modify your evaluation','hrm',1,'evaluation','write','w',0,50,0,'2023-02-11 11:40:29'),(4023,'Validate evaluation','hrm',1,'evaluation_advance','validate','w',0,50,0,'2023-02-11 11:40:29'),(4025,'Delete evaluations','hrm',1,'evaluation','delete','w',0,50,0,'2023-02-11 11:40:29'),(4028,'See comparison menu','hrm',1,'compare_advance','read','w',0,50,0,'2023-02-11 11:40:29'),(4031,'Read personal information','hrm',1,'read_personal_information','read','w',0,50,0,'2023-02-11 11:40:29'),(4032,'Write personal information','hrm',1,'write_personal_information','write','w',0,50,0,'2023-02-11 11:40:29'),(4033,'Read all evaluations','hrm',1,'evaluation','readall','w',0,50,0,'2023-02-11 11:40:29'),(10001,'Read website content','website',1,'read',NULL,'w',0,0,0,'2023-08-15 13:47:50'),(10002,'Create/modify website content (html and javascript content)','website',1,'write',NULL,'w',0,0,0,'2023-08-15 13:47:50'),(10003,'Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers.','website',1,'writephp',NULL,'w',0,0,0,'2023-08-15 13:47:50'),(10005,'Delete website content','website',1,'delete',NULL,'w',0,0,0,'2023-08-15 13:47:50'),(10008,'Export website content','website',1,'export',NULL,'w',0,0,0,'2023-08-15 13:47:50'),(20001,'Read leave requests (yours and your subordinates)','holiday',1,'read',NULL,'w',0,0,0,'2023-08-15 11:34:13'),(20001,'Créer / Modifier / Lire ses demandes de congés payés','holiday',2,'write',NULL,'w',1,42,0,'2022-12-11 21:23:36'),(20002,'Create/modify leave requests','holiday',1,'write',NULL,'w',0,0,0,'2023-08-15 11:34:13'),(20003,'Delete leave requests','holiday',1,'delete',NULL,'w',0,0,0,'2023-08-15 11:34:13'),(20003,'Supprimer des demandes de congés payés','holiday',2,'delete',NULL,'w',0,42,0,'2022-12-11 21:23:36'),(20004,'Read leave requests for everybody','holiday',1,'readall',NULL,'w',0,0,0,'2023-08-15 11:34:13'),(20004,'Définir les congés payés des utilisateurs','holiday',2,'define_holiday',NULL,'w',0,42,0,'2022-12-11 21:23:36'),(20005,'Create/modify leave requests for everybody','holiday',1,'writeall',NULL,'w',0,0,0,'2023-08-15 11:34:13'),(20005,'Voir les logs de modification des congés payés','holiday',2,'view_log',NULL,'w',0,42,0,'2022-12-11 21:23:36'),(20006,'Setup leave requests of users (setup and update balance)','holiday',1,'define_holiday',NULL,'w',0,0,0,'2023-08-15 11:34:13'),(20006,'Accéder au rapport mensuel des congés payés','holiday',2,'month_report',NULL,'w',0,42,0,'2022-12-11 21:23:36'),(20007,'Approve leave requests','holiday',1,'approve',NULL,'w',0,0,0,'2023-08-15 11:34:13'),(23001,'Read cron jobs','cron',1,'read',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(23002,'Create cron Jobs','cron',1,'create',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(23003,'Delete cron Jobs','cron',1,'delete',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(23004,'Execute cron Jobs','cron',1,'execute',NULL,'w',0,0,0,'2023-08-15 11:34:12'),(50151,'Use Point Of Sale (record a sale, add products, record payment)','takepos',1,'run',NULL,'a',0,0,0,'2023-08-15 11:34:14'),(50152,'Can modify added sales lines (prices, discount)','takepos',1,'editlines',NULL,'a',0,0,0,'2023-08-15 11:34:14'),(50153,'Edit ordered sales lines (useful only when option \"Order printers\" has been enabled). Allow to edit sales lines even after the order has been printed','takepos',1,'editorderedlines',NULL,'a',0,0,0,'2023-08-15 11:34:14'),(50401,'Bind products and invoices with accounting accounts','accounting',1,'bind','write','r',0,61,0,'2023-03-07 17:27:23'),(50411,'Read operations in Ledger','accounting',1,'mouvements','lire','r',0,61,0,'2023-03-07 17:27:23'),(50412,'Write/Edit operations in Ledger','accounting',1,'mouvements','creer','w',0,61,0,'2023-03-07 17:27:23'),(50414,'Delete operations in Ledger','accounting',1,'mouvements','supprimer','d',0,61,0,'2023-03-07 17:27:23'),(50415,'Delete all operations by year and journal in Ledger','accounting',1,'mouvements','supprimer_tous','d',0,61,0,'2023-03-07 17:27:23'),(50418,'Export operations of the Ledger','accounting',1,'mouvements','export','r',0,61,0,'2023-03-07 17:27:23'),(50420,'Report and export reports (turnover, balance, journals, ledger)','accounting',1,'comptarapport','lire','r',0,61,0,'2023-03-07 17:27:23'),(50430,'Manage fiscal periods, validate movements and close periods','accounting',1,'fiscalyear','write','r',0,61,0,'2023-03-07 17:27:23'),(50440,'Manage chart of accounts, setup of accountancy','accounting',1,'chartofaccount',NULL,'r',0,61,0,'2023-03-07 17:27:23'),(55001,'Read surveys','opensurvey',1,'read',NULL,'r',0,0,0,'2023-08-15 11:34:13'),(55002,'Create/modify surveys','opensurvey',1,'write',NULL,'w',0,0,0,'2023-08-15 11:34:13'),(56001,'Read ticket','ticket',1,'read',NULL,'r',0,0,0,'2023-08-15 11:34:14'),(56002,'Create les tickets','ticket',1,'write',NULL,'w',0,0,0,'2023-08-15 11:34:14'),(56003,'Delete les tickets','ticket',1,'delete',NULL,'d',0,0,0,'2023-08-15 11:34:14'),(56004,'Manage tickets','ticket',1,'manage',NULL,'w',0,0,0,'2023-08-15 11:34:14'),(56006,'Export ticket','ticket',1,'export',NULL,'w',0,0,0,'2023-08-15 11:34:14'),(57001,'Read articles','knowledgemanagement',1,'knowledgerecord','read','w',0,90,0,'2022-12-11 21:23:36'),(57002,'Create/Update articles','knowledgemanagement',1,'knowledgerecord','write','w',0,90,0,'2022-12-11 21:23:36'),(57003,'Delete articles','knowledgemanagement',1,'knowledgerecord','delete','w',0,90,0,'2022-12-11 21:23:36'),(58000,'Read objects of Partnership','partnership',1,'read',NULL,'w',0,0,0,'2023-08-15 10:35:26'),(58001,'Create/Update objects of Partnership','partnership',1,'write',NULL,'w',0,0,0,'2023-08-15 10:35:26'),(58002,'Delete objects of Partnership','partnership',1,'delete',NULL,'w',0,0,0,'2023-08-15 10:35:26'),(59001,'Visualiser les marges','margins',1,'liretous',NULL,'r',0,55,0,'2022-12-11 21:23:36'),(59002,'Définir les marges','margins',1,'creer',NULL,'w',0,55,0,'2022-12-11 21:23:36'),(59003,'Read every user margin','margins',1,'read','all','r',0,55,0,'2022-12-11 21:23:36'),(63001,'Read resources','resource',1,'read',NULL,'w',0,16,0,'2022-12-11 21:23:36'),(63002,'Create/Modify resources','resource',1,'write',NULL,'w',0,16,0,'2022-12-11 21:23:36'),(63003,'Delete resources','resource',1,'delete',NULL,'w',0,16,0,'2022-12-11 21:23:36'),(63004,'Link resources to agenda events','resource',1,'link',NULL,'w',0,16,0,'2022-12-11 21:23:36'),(64001,'DirectPrint','printing',1,'read',NULL,'r',0,52,0,'2022-12-11 21:23:36'),(101051,'See SellYourSaas Home area','sellyoursaas',1,'liens','voir','r',0,100050,0,'2023-01-31 14:45:22'),(101060,'Read SellYourSaaS data','sellyoursaas',1,'read',NULL,'w',0,100050,0,'2023-01-31 14:45:22'),(101061,'Create/edit SellYourSaaS data (package, ...)','sellyoursaas',1,'write',NULL,'w',0,100050,0,'2023-01-31 14:45:22'),(101062,'Delete SellYourSaaS data (package, ...)','sellyoursaas',1,'delete',NULL,'w',0,100050,0,'2023-01-31 14:45:22'),(101250,'Read surveys','opensurvey',2,'survey','read','r',0,40,0,'2022-12-11 21:23:36'),(101251,'Create/modify surveys','opensurvey',2,'survey','write','w',0,40,0,'2022-12-11 21:23:36'),(436150,'Access to ScanInvoices functionalities','scaninvoices',1,'read',NULL,'w',0,100090,0,'2023-03-07 17:27:23'),(436151,'Create/Update objects of ScanInvoices','scaninvoices',1,'write',NULL,'w',0,100090,0,'2023-03-07 17:27:23'),(436152,'Delete objects of ScanInvoices','scaninvoices',1,'delete',NULL,'w',0,100090,0,'2023-03-07 17:27:23'),(941601,'Lire les receptions','reception',1,'lire',NULL,'r',0,40,0,'2022-12-11 21:23:36'),(941602,'Creer modifier les receptions','reception',1,'creer',NULL,'w',0,40,0,'2022-12-11 21:23:36'),(941603,'Valider les receptions','reception',1,'reception_advance','validate','d',0,40,0,'2022-12-11 21:23:36'),(941604,'Envoyer les receptions aux clients','reception',1,'reception_advance','send','d',0,40,0,'2022-12-11 21:23:36'),(941605,'Exporter les receptions','reception',1,'reception','export','r',0,40,0,'2022-12-11 21:23:36'),(941606,'Supprimer les receptions','reception',1,'supprimer',NULL,'d',0,40,0,'2022-12-11 21:23:36'),(6830501,'Read objects of Webhook','webhook',1,'webhook_target','read','w',0,90,0,'2023-02-25 14:20:31'),(6830502,'Create/Update objects of Webhook','webhook',1,'webhook_target','write','w',0,90,0,'2023-02-25 14:20:31'),(6830503,'Delete objects of Webhook','webhook',1,'webhook_target','delete','w',0,90,0,'2023-02-25 14:20:31'),(50000001,'Read objects of Aaa','aaa',1,'aao','read','w',0,100090,0,'2023-02-11 11:40:29'),(50000002,'Create/Update objects of Aaa','aaa',1,'aao','write','w',0,100090,0,'2023-02-11 11:40:29'),(50000003,'Delete objects of Aaa','aaa',1,'aao','delete','w',0,100090,0,'2023-02-11 11:40:29'); +INSERT INTO `llx_rights_def` VALUES (11,'Read invoices','facture',1,'lire',NULL,'a',0,0,0,'2024-01-03 16:35:45'),(11,'Lire les factures','facture',2,'lire',NULL,'a',1,10,0,'2022-12-11 21:23:36'),(12,'Create and update invoices','facture',1,'creer',NULL,'a',0,0,0,'2024-01-03 16:35:45'),(12,'Creer/modifier les factures','facture',2,'creer',NULL,'a',0,10,0,'2022-12-11 21:23:36'),(13,'Devalidate invoices','facture',1,'invoice_advance','unvalidate','a',0,0,0,'2024-01-03 16:35:45'),(13,'Dévalider les factures','facture',2,'invoice_advance','unvalidate','a',0,10,0,'2022-12-11 21:23:36'),(14,'Validate invoices','facture',1,'invoice_advance','validate','a',0,0,0,'2024-01-03 16:35:45'),(14,'Valider les factures','facture',2,'valider',NULL,'a',0,10,0,'2022-12-11 21:23:36'),(15,'Send invoices by email','facture',1,'invoice_advance','send','a',0,0,0,'2024-01-03 16:35:45'),(15,'Envoyer les factures par mail','facture',2,'invoice_advance','send','a',0,10,0,'2022-12-11 21:23:36'),(16,'Issue payments on invoices','facture',1,'paiement',NULL,'a',0,0,0,'2024-01-03 16:35:45'),(16,'Emettre des paiements sur les factures','facture',2,'paiement',NULL,'a',0,10,0,'2022-12-11 21:23:36'),(19,'Delete invoices','facture',1,'supprimer',NULL,'a',0,0,0,'2024-01-03 16:35:45'),(19,'Supprimer les factures','facture',2,'supprimer',NULL,'a',0,10,0,'2022-12-11 21:23:36'),(21,'Lire les propositions commerciales','propale',1,'lire',NULL,'r',1,22,0,'2022-12-11 21:23:36'),(21,'Lire les propositions commerciales','propale',2,'lire',NULL,'r',1,22,0,'2022-12-11 21:23:36'),(22,'Creer/modifier les propositions commerciales','propale',1,'creer',NULL,'w',0,22,0,'2022-12-11 21:23:36'),(22,'Creer/modifier les propositions commerciales','propale',2,'creer',NULL,'w',0,22,0,'2022-12-11 21:23:36'),(24,'Valider les propositions commerciales','propale',1,'propal_advance','validate','d',0,22,0,'2022-12-11 21:23:36'),(24,'Valider les propositions commerciales','propale',2,'valider',NULL,'d',0,22,0,'2022-12-11 21:23:36'),(25,'Envoyer les propositions commerciales aux clients','propale',1,'propal_advance','send','d',0,22,0,'2022-12-11 21:23:36'),(25,'Envoyer les propositions commerciales aux clients','propale',2,'propal_advance','send','d',0,22,0,'2022-12-11 21:23:36'),(26,'Cloturer les propositions commerciales','propale',1,'propal_advance','close','d',0,22,0,'2022-12-11 21:23:36'),(26,'Cloturer les propositions commerciales','propale',2,'propal_advance','close','d',0,22,0,'2022-12-11 21:23:36'),(27,'Supprimer les propositions commerciales','propale',1,'supprimer',NULL,'d',0,22,0,'2022-12-11 21:23:36'),(27,'Supprimer les propositions commerciales','propale',2,'supprimer',NULL,'d',0,22,0,'2022-12-11 21:23:36'),(28,'Exporter les propositions commerciales et attributs','propale',1,'export',NULL,'r',0,22,0,'2022-12-11 21:23:36'),(28,'Exporter les propositions commerciales et attributs','propale',2,'export',NULL,'r',0,22,0,'2022-12-11 21:23:36'),(31,'Lire les produits','produit',1,'lire',NULL,'r',1,25,0,'2022-12-11 21:23:36'),(31,'Lire les produits','produit',2,'lire',NULL,'r',1,25,0,'2022-12-11 21:23:36'),(32,'Creer/modifier les produits','produit',1,'creer',NULL,'w',0,25,0,'2022-12-11 21:23:36'),(32,'Creer/modifier les produits','produit',2,'creer',NULL,'w',0,25,0,'2022-12-11 21:23:36'),(33,'Read prices products','produit',1,'product_advance','read_prices','w',0,26,0,'2022-12-13 11:09:29'),(34,'Supprimer les produits','produit',1,'supprimer',NULL,'d',0,25,0,'2022-12-11 21:23:36'),(34,'Supprimer les produits','produit',2,'supprimer',NULL,'d',0,25,0,'2022-12-11 21:23:36'),(38,'Exporter les produits','produit',1,'export',NULL,'r',0,25,0,'2022-12-11 21:23:36'),(38,'Exporter les produits','produit',2,'export',NULL,'r',0,25,0,'2022-12-11 21:23:36'),(39,'Ignore minimum price','produit',1,'ignore_price_min_advance',NULL,'r',0,25,0,'2022-12-11 21:23:36'),(41,'Read projects and tasks (shared projects or projects I am contact for). Can also enter time consumed on assigned tasks (timesheet)','projet',1,'lire',NULL,'r',1,14,0,'2022-12-11 21:23:36'),(42,'Create/modify projects and tasks (shared projects or projects I am contact for)','projet',1,'creer',NULL,'w',0,14,0,'2022-12-11 21:23:36'),(44,'Delete project and tasks (shared projects or projects I am contact for)','projet',1,'supprimer',NULL,'d',0,14,0,'2022-12-11 21:23:36'),(45,'Export projects','projet',1,'export',NULL,'d',0,14,0,'2022-12-11 21:23:36'),(61,'Lire les fiches d\'intervention','ficheinter',1,'lire',NULL,'r',1,41,0,'2022-12-11 21:23:36'),(62,'Creer/modifier les fiches d\'intervention','ficheinter',1,'creer',NULL,'w',0,41,0,'2022-12-11 21:23:36'),(64,'Supprimer les fiches d\'intervention','ficheinter',1,'supprimer',NULL,'d',0,41,0,'2022-12-11 21:23:36'),(67,'Exporter les fiches interventions','ficheinter',1,'export',NULL,'r',0,41,0,'2022-12-11 21:23:36'),(68,'Envoyer les fiches d\'intervention par courriel','ficheinter',1,'ficheinter_advance','send','r',0,41,0,'2022-12-11 21:23:36'),(69,'Valider les fiches d\'intervention ','ficheinter',1,'ficheinter_advance','validate','a',0,41,0,'2022-12-11 21:23:36'),(70,'Dévalider les fiches d\'intervention','ficheinter',1,'ficheinter_advance','unvalidate','a',0,41,0,'2022-12-11 21:23:36'),(71,'Read members\' card','adherent',1,'lire',NULL,'r',0,0,0,'2023-08-15 10:57:22'),(72,'Create/modify members (need also user module permissions if member linked to a user)','adherent',1,'creer',NULL,'w',0,0,0,'2023-08-15 10:57:22'),(74,'Remove members','adherent',1,'supprimer',NULL,'d',0,0,0,'2023-08-15 10:57:22'),(75,'Setup types of membership','adherent',1,'configurer',NULL,'w',0,0,0,'2023-08-15 10:57:22'),(76,'Export members','adherent',1,'export',NULL,'r',0,0,0,'2023-08-15 10:57:22'),(78,'Read membership fees','adherent',1,'cotisation','lire','r',0,0,0,'2023-08-15 10:57:22'),(79,'Create/modify/remove membership fees','adherent',1,'cotisation','creer','w',0,0,0,'2023-08-15 10:57:22'),(81,'Read sales orders','commande',1,'lire',NULL,'r',0,0,0,'2024-01-03 16:35:45'),(82,'Creeat/modify sales orders','commande',1,'creer',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(84,'Validate sales orders','commande',1,'order_advance','validate','d',0,0,0,'2024-01-03 16:35:45'),(85,'Generate the documents sales orders','commande',1,'order_advance','generetedoc','d',0,0,0,'2024-01-03 16:35:45'),(86,'Send sales orders by email','commande',1,'order_advance','send','d',0,0,0,'2024-01-03 16:35:45'),(87,'Close sale orders','commande',1,'order_advance','close','d',0,0,0,'2024-01-03 16:35:45'),(88,'Cancel sale orders','commande',1,'order_advance','annuler','d',0,0,0,'2024-01-03 16:35:45'),(89,'Delete sales orders','commande',1,'supprimer',NULL,'d',0,0,0,'2024-01-03 16:35:45'),(91,'Lire les charges','tax',1,'charges','lire','r',0,50,0,'2022-12-11 21:23:36'),(91,'Lire les charges','tax',2,'charges','lire','r',1,50,0,'2022-12-11 21:23:36'),(92,'Creer/modifier les charges','tax',1,'charges','creer','w',0,50,0,'2022-12-11 21:23:36'),(92,'Creer/modifier les charges','tax',2,'charges','creer','w',0,50,0,'2022-12-11 21:23:36'),(93,'Supprimer les charges','tax',1,'charges','supprimer','d',0,50,0,'2022-12-11 21:23:36'),(93,'Supprimer les charges','tax',2,'charges','supprimer','d',0,50,0,'2022-12-11 21:23:36'),(94,'Exporter les charges','tax',1,'charges','export','r',0,50,0,'2022-12-11 21:23:36'),(94,'Exporter les charges','tax',2,'charges','export','r',0,50,0,'2022-12-11 21:23:36'),(101,'Lire les expeditions','expedition',1,'lire',NULL,'r',0,40,0,'2022-12-11 21:23:36'),(102,'Creer modifier les expeditions','expedition',1,'creer',NULL,'w',0,40,0,'2022-12-11 21:23:36'),(104,'Valider les expeditions','expedition',1,'shipping_advance','validate','d',0,40,0,'2022-12-11 21:23:36'),(105,'Envoyer les expeditions aux clients','expedition',1,'shipping_advance','send','d',0,40,0,'2022-12-11 21:23:36'),(106,'Exporter les expeditions','expedition',1,'shipment','export','r',0,40,0,'2022-12-11 21:23:36'),(109,'Supprimer les expeditions','expedition',1,'supprimer',NULL,'d',0,40,0,'2022-12-11 21:23:36'),(111,'Read bank account and transactions','banque',1,'lire',NULL,'r',0,0,0,'2024-01-03 16:35:44'),(111,'Lire les comptes bancaires','banque',2,'lire',NULL,'r',1,51,0,'2022-12-11 21:23:36'),(112,'Creer/modifier montant/supprimer ecriture bancaire','banque',1,'modifier',NULL,'w',0,0,0,'2024-01-03 16:35:44'),(112,'Creer/modifier montant/supprimer ecriture bancaire','banque',2,'modifier',NULL,'w',0,51,0,'2022-12-11 21:23:36'),(113,'Configurer les comptes bancaires (creer, gerer categories)','banque',1,'configurer',NULL,'a',0,0,0,'2024-01-03 16:35:44'),(113,'Configurer les comptes bancaires (creer, gerer categories)','banque',2,'configurer',NULL,'a',0,51,0,'2022-12-11 21:23:36'),(114,'Rapprocher les ecritures bancaires','banque',1,'consolidate',NULL,'w',0,0,0,'2024-01-03 16:35:44'),(114,'Rapprocher les ecritures bancaires','banque',2,'consolidate',NULL,'w',0,51,0,'2022-12-11 21:23:36'),(115,'Exporter transactions et releves','banque',1,'export',NULL,'r',0,0,0,'2024-01-03 16:35:44'),(115,'Exporter transactions et releves','banque',2,'export',NULL,'r',0,51,0,'2022-12-11 21:23:36'),(116,'Virements entre comptes','banque',1,'transfer',NULL,'w',0,0,0,'2024-01-03 16:35:44'),(116,'Virements entre comptes','banque',2,'transfer',NULL,'w',0,51,0,'2022-12-11 21:23:36'),(117,'Gerer les envois de cheques','banque',1,'cheque',NULL,'w',0,0,0,'2024-01-03 16:35:44'),(117,'Gerer les envois de cheques','banque',2,'cheque',NULL,'w',0,51,0,'2022-12-11 21:23:36'),(121,'Read third parties','societe',1,'lire',NULL,'r',0,0,0,'2024-01-03 16:35:46'),(121,'Lire les societes','societe',2,'lire',NULL,'r',1,9,0,'2022-12-11 21:23:36'),(122,'Create and update third parties','societe',1,'creer',NULL,'w',0,0,0,'2024-01-03 16:35:46'),(122,'Creer modifier les societes','societe',2,'creer',NULL,'w',0,9,0,'2022-12-11 21:23:36'),(125,'Delete third parties','societe',1,'supprimer',NULL,'d',0,0,0,'2024-01-03 16:35:46'),(125,'Supprimer les societes','societe',2,'supprimer',NULL,'d',0,9,0,'2022-12-11 21:23:36'),(126,'Export third parties','societe',1,'export',NULL,'r',0,0,0,'2024-01-03 16:35:46'),(126,'Exporter les societes','societe',2,'export',NULL,'r',0,9,0,'2022-12-11 21:23:36'),(130,'Modify thirdparty information payment','societe',1,'thirdparty_paymentinformation_advance','write','w',0,0,0,'2024-01-03 16:35:46'),(141,'Read all projects and tasks (also private projects I am not contact for)','projet',1,'all','lire','r',0,14,0,'2022-12-11 21:23:36'),(142,'Create/modify all projects and tasks (also private projects I am not contact for)','projet',1,'all','creer','w',0,14,0,'2022-12-11 21:23:36'),(144,'Delete all projects and tasks (also private projects I am not contact for)','projet',1,'all','supprimer','d',0,14,0,'2022-12-11 21:23:36'),(145,'Can enter time consumed on assigned tasks (timesheet)','projet',1,'time',NULL,'w',0,14,0,'2022-12-12 09:00:28'),(151,'Read withdrawals','prelevement',1,'bons','lire','r',1,52,0,'2022-12-11 21:23:36'),(152,'Create/modify a withdrawals','prelevement',1,'bons','creer','w',0,52,0,'2022-12-11 21:23:36'),(153,'Send withdrawals to bank','prelevement',1,'bons','send','a',0,52,0,'2022-12-11 21:23:36'),(154,'credit/refuse withdrawals','prelevement',1,'bons','credit','a',0,52,0,'2022-12-11 21:23:36'),(161,'Lire les contrats','contrat',1,'lire',NULL,'r',1,35,0,'2022-12-11 21:23:36'),(162,'Creer / modifier les contrats','contrat',1,'creer',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(163,'Activer un service d\'un contrat','contrat',1,'activer',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(164,'Desactiver un service d\'un contrat','contrat',1,'desactiver',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(165,'Supprimer un contrat','contrat',1,'supprimer',NULL,'d',0,35,0,'2022-12-11 21:23:36'),(167,'Export contracts','contrat',1,'export',NULL,'r',0,35,0,'2022-12-11 21:23:36'),(221,'Consulter les mailings','mailing',1,'lire',NULL,'r',0,23,0,'2023-02-25 14:20:31'),(221,'Consulter les mailings','mailing',2,'lire',NULL,'r',1,11,0,'2022-12-11 21:23:36'),(222,'Creer/modifier les mailings (sujet, destinataires...)','mailing',1,'creer',NULL,'w',0,23,0,'2023-02-25 14:20:31'),(222,'Creer/modifier les mailings (sujet, destinataires...)','mailing',2,'creer',NULL,'w',0,11,0,'2022-12-11 21:23:36'),(223,'Valider les mailings (permet leur envoi)','mailing',1,'valider',NULL,'w',0,23,0,'2023-02-25 14:20:31'),(223,'Valider les mailings (permet leur envoi)','mailing',2,'valider',NULL,'w',0,11,0,'2022-12-11 21:23:36'),(229,'Supprimer les mailings','mailing',1,'supprimer',NULL,'d',0,23,0,'2023-02-25 14:20:31'),(229,'Supprimer les mailings','mailing',2,'supprimer',NULL,'d',0,11,0,'2022-12-11 21:23:36'),(237,'View recipients and info','mailing',1,'mailing_advance','recipient','r',0,23,0,'2023-02-25 14:20:31'),(237,'View recipients and info','mailing',2,'mailing_advance','recipient','r',0,11,0,'2022-12-11 21:23:36'),(238,'Manually send mailings','mailing',1,'mailing_advance','send','w',0,23,0,'2023-02-25 14:20:31'),(238,'Manually send mailings','mailing',2,'mailing_advance','send','w',0,11,0,'2022-12-11 21:23:36'),(239,'Delete mailings after validation and/or sent','mailing',1,'mailing_advance','delete','d',0,23,0,'2023-02-25 14:20:31'),(239,'Delete mailings after validation and/or sent','mailing',2,'mailing_advance','delete','d',0,11,0,'2022-12-11 21:23:36'),(241,'Lire les categories','categorie',1,'lire',NULL,'r',1,20,0,'2022-12-11 21:23:36'),(242,'Creer/modifier les categories','categorie',1,'creer',NULL,'w',0,20,0,'2022-12-11 21:23:36'),(243,'Supprimer les categories','categorie',1,'supprimer',NULL,'d',0,20,0,'2022-12-11 21:23:36'),(251,'Read information of other users, groups and permissions','user',1,'user','lire','r',0,0,0,'2024-01-03 16:35:47'),(252,'Read permissions of other users','user',1,'user_advance','readperms','r',0,0,0,'2024-01-03 16:35:47'),(253,'Create/modify internal and external users, groups and permissions','user',1,'user','creer','w',0,0,0,'2024-01-03 16:35:47'),(254,'Create/modify external users only','user',1,'user_advance','write','w',0,0,0,'2024-01-03 16:35:47'),(255,'Modify the password of other users','user',1,'user','password','w',0,0,0,'2024-01-03 16:35:47'),(256,'Delete or disable other users','user',1,'user','supprimer','d',0,0,0,'2024-01-03 16:35:47'),(262,'Read all third parties (and their objects) by internal users (otherwise only if commercial contact). Not effective for external users (limited to themselves).','societe',1,'client','voir','r',0,0,0,'2024-01-03 16:35:46'),(262,'Consulter tous les tiers par utilisateurs internes (sinon uniquement si contact commercial). Non effectif pour utilisateurs externes (tjs limités à eux-meme).','societe',2,'client','voir','r',1,9,0,'2022-12-11 21:23:36'),(281,'Read contacts','societe',1,'contact','lire','r',0,0,0,'2024-01-03 16:35:46'),(281,'Lire les contacts','societe',2,'contact','lire','r',1,9,0,'2022-12-11 21:23:36'),(282,'Create and update contact','societe',1,'contact','creer','w',0,0,0,'2024-01-03 16:35:46'),(282,'Creer modifier les contacts','societe',2,'contact','creer','w',0,9,0,'2022-12-11 21:23:36'),(283,'Delete contacts','societe',1,'contact','supprimer','d',0,0,0,'2024-01-03 16:35:46'),(283,'Supprimer les contacts','societe',2,'contact','supprimer','d',0,9,0,'2022-12-11 21:23:36'),(286,'Export contacts','societe',1,'contact','export','d',0,0,0,'2024-01-03 16:35:46'),(286,'Exporter les contacts','societe',2,'contact','export','d',0,9,0,'2022-12-11 21:23:36'),(301,'Generate PDF sheets of barcodes','barcode',1,'read',NULL,'r',0,0,0,'2024-01-03 16:35:45'),(304,'Read barcodes','barcode',1,'lire_advance',NULL,'r',0,0,0,'2024-01-03 16:35:45'),(305,'Create/modify barcodes','barcode',1,'creer_advance',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(331,'Lire les bookmarks','bookmark',1,'lire',NULL,'r',0,50,0,'2022-12-11 21:23:36'),(332,'Creer/modifier les bookmarks','bookmark',1,'creer',NULL,'r',0,50,0,'2022-12-11 21:23:36'),(333,'Supprimer les bookmarks','bookmark',1,'supprimer',NULL,'r',0,50,0,'2022-12-11 21:23:36'),(341,'Read its own permissions','user',1,'self_advance','readperms','r',0,0,0,'2024-01-03 16:35:47'),(342,'Create/modify of its own user','user',1,'self','creer','w',0,0,0,'2024-01-03 16:35:47'),(343,'Modify its own password','user',1,'self','password','w',0,0,0,'2024-01-03 16:35:47'),(344,'Modify its own permissions','user',1,'self_advance','writeperms','w',0,0,0,'2024-01-03 16:35:47'),(351,'Read groups','user',1,'group_advance','read','r',0,0,0,'2024-01-03 16:35:47'),(352,'Read permissions of groups','user',1,'group_advance','readperms','r',0,0,0,'2024-01-03 16:35:47'),(353,'Create/modify groups and permissions','user',1,'group_advance','write','w',0,0,0,'2024-01-03 16:35:47'),(354,'Delete groups','user',1,'group_advance','delete','d',0,0,0,'2024-01-03 16:35:47'),(358,'Export all users','user',1,'user','export','r',0,0,0,'2024-01-03 16:35:47'),(511,'Read employee salaries and payments (yours and your subordinates)','salaries',1,'read',NULL,'r',0,0,0,'2024-01-03 16:35:46'),(512,'Create/modify payments of empoyee salaries','salaries',1,'write',NULL,'w',0,0,0,'2024-01-03 16:35:46'),(514,'Delete payments of employee salary','salaries',1,'delete',NULL,'d',0,0,0,'2024-01-03 16:35:46'),(517,'Read salaries and payments of all employees','salaries',1,'readall',NULL,'r',0,0,0,'2024-01-03 16:35:46'),(519,'Export payments of employee salaries','salaries',1,'export',NULL,'r',0,0,0,'2024-01-03 16:35:46'),(520,'Read loans','loan',1,'read',NULL,'r',0,50,0,'2022-12-11 21:23:36'),(521,'Read loans','loan',1,'read',NULL,'r',0,50,0,'2022-12-11 21:23:36'),(522,'Create/modify loans','loan',1,'write',NULL,'w',0,50,0,'2022-12-11 21:23:36'),(524,'Delete loans','loan',1,'delete',NULL,'d',0,50,0,'2022-12-11 21:23:36'),(525,'Access loan calculator','loan',1,'calc',NULL,'r',0,50,0,'2022-12-11 21:23:36'),(527,'Export loans','loan',1,'export',NULL,'r',0,50,0,'2022-12-11 21:23:36'),(531,'Read services','service',1,'lire',NULL,'r',0,0,0,'2024-01-03 16:35:46'),(532,'Create/modify services','service',1,'creer',NULL,'w',0,0,0,'2024-01-03 16:35:46'),(533,'Read prices services','service',1,'service_advance','read_prices','w',0,0,0,'2024-01-03 16:35:46'),(534,'Delete les services','service',1,'supprimer',NULL,'d',0,0,0,'2024-01-03 16:35:46'),(538,'Export services','service',1,'export',NULL,'r',0,0,0,'2024-01-03 16:35:46'),(561,'Read bank transfer payment orders','paymentbybanktransfer',1,'read',NULL,'r',0,52,0,'2022-12-11 21:23:36'),(562,'Create/modify a bank transfer payment order','paymentbybanktransfer',1,'create',NULL,'w',0,52,0,'2022-12-11 21:23:36'),(563,'Send/Transmit bank transfer payment order','paymentbybanktransfer',1,'send',NULL,'a',0,52,0,'2022-12-11 21:23:36'),(564,'Record Debits/Rejects of bank transfer payment order','paymentbybanktransfer',1,'debit',NULL,'a',0,52,0,'2022-12-11 21:23:36'),(610,'Read attributes of variants','variants',1,'read',NULL,'w',0,50,0,'2022-12-12 09:00:28'),(611,'Create/Update attributes of variants','variants',1,'write',NULL,'w',0,50,0,'2022-12-12 09:00:28'),(612,'Delete attributes of variants','variants',1,'delete',NULL,'w',0,50,0,'2022-12-12 09:00:28'),(651,'Read bom of Bom','bom',1,'read',NULL,'w',0,0,0,'2024-01-03 16:35:44'),(652,'Create/Update bom of Bom','bom',1,'write',NULL,'w',0,0,0,'2024-01-03 16:35:44'),(653,'Delete bom of Bom','bom',1,'delete',NULL,'w',0,0,0,'2024-01-03 16:35:44'),(661,'Read Manufacturing Order','mrp',1,'read',NULL,'w',0,0,0,'2024-01-03 16:35:46'),(662,'Create/Update Manufacturing Order','mrp',1,'write',NULL,'w',0,0,0,'2024-01-03 16:35:46'),(663,'Delete Manufacturing Order','mrp',1,'delete',NULL,'w',0,0,0,'2024-01-03 16:35:46'),(691,'Read objects of Workstation','workstation',1,'workstation','read','w',0,0,0,'2023-08-13 15:40:21'),(692,'Create/Update objects of Workstation','workstation',1,'workstation','write','w',0,0,0,'2023-08-13 15:40:21'),(693,'Delete objects of Workstation','workstation',1,'workstation','delete','w',0,0,0,'2023-08-13 15:40:21'),(701,'Lire les dons','don',1,'lire',NULL,'r',1,50,0,'2022-12-11 21:23:36'),(701,'Lire les dons','don',2,'lire',NULL,'r',1,50,0,'2022-12-11 21:23:36'),(702,'Creer/modifier les dons','don',1,'creer',NULL,'w',0,50,0,'2022-12-11 21:23:36'),(702,'Creer/modifier les dons','don',2,'creer',NULL,'w',0,50,0,'2022-12-11 21:23:36'),(703,'Supprimer les dons','don',1,'supprimer',NULL,'d',0,50,0,'2022-12-11 21:23:36'),(703,'Supprimer les dons','don',2,'supprimer',NULL,'d',0,50,0,'2022-12-11 21:23:36'),(750,'Read job positions to fill and candidatures','recruitment',1,'recruitmentjobposition','read','w',0,0,0,'2024-01-03 16:35:46'),(751,'Create/Update job positions to fill and candidatures','recruitment',1,'recruitmentjobposition','write','w',0,0,0,'2024-01-03 16:35:46'),(752,'Delete Job positions to fill and candidatures','recruitment',1,'recruitmentjobposition','delete','w',0,0,0,'2024-01-03 16:35:46'),(771,'Read expense reports (yours and your subordinates)','expensereport',1,'lire',NULL,'r',0,0,0,'2024-01-03 16:35:45'),(772,'Create/modify expense reports','expensereport',1,'creer',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(773,'Delete expense reports','expensereport',1,'supprimer',NULL,'d',0,0,0,'2024-01-03 16:35:45'),(775,'Approve expense reports','expensereport',1,'approve',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(776,'Pay expense reports','expensereport',1,'to_paid',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(777,'Read expense reports of everybody','expensereport',1,'readall',NULL,'r',0,0,0,'2024-01-03 16:35:45'),(778,'Create expense reports for everybody','expensereport',1,'writeall_advance',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(779,'Export expense reports','expensereport',1,'export',NULL,'r',0,0,0,'2024-01-03 16:35:45'),(1001,'Lire les stocks','stock',1,'lire',NULL,'r',1,40,0,'2022-12-11 21:23:36'),(1002,'Creer/Modifier les stocks','stock',1,'creer',NULL,'w',0,40,0,'2022-12-11 21:23:36'),(1003,'Supprimer les stocks','stock',1,'supprimer',NULL,'d',0,40,0,'2022-12-11 21:23:36'),(1004,'Lire mouvements de stocks','stock',1,'mouvement','lire','r',1,40,0,'2022-12-11 21:23:36'),(1005,'Creer/modifier mouvements de stocks','stock',1,'mouvement','creer','w',0,40,0,'2022-12-11 21:23:36'),(1011,'inventoryReadPermission','stock',1,'inventory_advance','read','w',0,39,0,'2022-12-11 21:23:36'),(1012,'inventoryCreatePermission','stock',1,'inventory_advance','write','w',0,39,0,'2022-12-11 21:23:36'),(1014,'inventoryValidatePermission','stock',1,'inventory_advance','validate','w',0,39,0,'2023-02-08 12:45:19'),(1015,'inventoryChangePMPPermission','stock',1,'inventory_advance','changePMP','w',0,39,0,'2023-02-08 12:45:19'),(1016,'inventoryDeletePermission','stock',1,'inventory_advance','delete','w',0,39,0,'2023-02-08 12:45:19'),(1101,'Read delivery receipts','expedition',1,'delivery','lire','r',0,40,0,'2022-12-11 21:23:36'),(1102,'Create/modify delivery receipts','expedition',1,'delivery','creer','w',0,40,0,'2022-12-11 21:23:36'),(1104,'Validate delivery receipts','expedition',1,'delivery_advance','validate','d',0,40,0,'2022-12-11 21:23:36'),(1109,'Delete delivery receipts','expedition',1,'delivery','supprimer','d',0,40,0,'2022-12-11 21:23:36'),(1121,'Read supplier proposals','supplier_proposal',1,'lire',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(1122,'Create/modify supplier proposals','supplier_proposal',1,'creer',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(1123,'Validate supplier proposals','supplier_proposal',1,'validate_advance',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(1124,'Envoyer les demandes fournisseurs','supplier_proposal',1,'send_advance',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(1125,'Delete supplier proposals','supplier_proposal',1,'supprimer',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(1126,'Close supplier price requests','supplier_proposal',1,'cloturer',NULL,'w',0,35,0,'2022-12-11 21:23:36'),(1181,'Consulter les fournisseurs','fournisseur',1,'lire',NULL,'r',0,0,0,'2024-01-03 16:35:45'),(1182,'Consulter les commandes fournisseur','fournisseur',1,'commande','lire','r',0,0,0,'2024-01-03 16:35:45'),(1183,'Creer une commande fournisseur','fournisseur',1,'commande','creer','w',0,0,0,'2024-01-03 16:35:45'),(1184,'Valider une commande fournisseur','fournisseur',1,'supplier_order_advance','validate','w',0,0,0,'2024-01-03 16:35:45'),(1185,'Approuver une commande fournisseur','fournisseur',1,'commande','approuver','w',0,0,0,'2024-01-03 16:35:45'),(1186,'Commander une commande fournisseur','fournisseur',1,'commande','commander','w',0,0,0,'2024-01-03 16:35:45'),(1187,'Receptionner une commande fournisseur','fournisseur',1,'commande','receptionner','d',0,0,0,'2024-01-03 16:35:45'),(1188,'Supprimer une commande fournisseur','fournisseur',1,'commande','supprimer','d',0,0,0,'2024-01-03 16:35:45'),(1189,'Check/Uncheck a supplier order reception','fournisseur',1,'commande_advance','check','w',0,0,0,'2024-01-03 16:35:45'),(1191,'Exporter les commande fournisseurs, attributs','fournisseur',1,'commande','export','r',0,0,0,'2024-01-03 16:35:45'),(1201,'Lire les exports','export',1,'lire',NULL,'r',1,72,0,'2022-12-11 21:23:36'),(1202,'Creer/modifier un export','export',1,'creer',NULL,'w',0,72,0,'2022-12-11 21:23:36'),(1231,'Consulter les factures fournisseur','fournisseur',1,'facture','lire','r',0,0,0,'2024-01-03 16:35:45'),(1232,'Creer une facture fournisseur','fournisseur',1,'facture','creer','w',0,0,0,'2024-01-03 16:35:45'),(1233,'Valider une facture fournisseur','fournisseur',1,'supplier_invoice_advance','validate','w',0,0,0,'2024-01-03 16:35:45'),(1234,'Supprimer une facture fournisseur','fournisseur',1,'facture','supprimer','d',0,0,0,'2024-01-03 16:35:45'),(1235,'Envoyer les factures par mail','fournisseur',1,'supplier_invoice_advance','send','a',0,0,0,'2024-01-03 16:35:45'),(1236,'Exporter les factures fournisseurs, attributs et reglements','fournisseur',1,'facture','export','r',0,0,0,'2024-01-03 16:35:45'),(1251,'Run mass imports of external data (data load)','import',1,'run',NULL,'r',0,70,0,'2022-12-11 21:23:36'),(1321,'Export customer invoices, attributes and payments','facture',1,'facture','export','r',0,0,0,'2024-01-03 16:35:45'),(1321,'Exporter les factures clients, attributs et reglements','facture',2,'facture','export','r',0,10,0,'2022-12-11 21:23:36'),(1322,'Re-open a fully paid invoice','facture',1,'invoice_advance','reopen','r',0,0,0,'2024-01-03 16:35:45'),(1421,'Export sales orders and attributes','commande',1,'commande','export','r',0,0,0,'2024-01-03 16:35:45'),(2401,'Read actions/tasks linked to his account','agenda',1,'myactions','read','r',0,0,0,'2024-01-03 16:35:44'),(2401,'Read actions/tasks linked to his account','agenda',2,'myactions','read','r',1,15,0,'2022-12-11 21:23:36'),(2402,'Create/modify actions/tasks linked to his account','agenda',1,'myactions','create','w',0,0,0,'2024-01-03 16:35:44'),(2402,'Create/modify actions/tasks linked to his account','agenda',2,'myactions','create','w',0,15,0,'2022-12-11 21:23:36'),(2403,'Delete actions/tasks linked to his account','agenda',1,'myactions','delete','w',0,0,0,'2024-01-03 16:35:44'),(2403,'Delete actions/tasks linked to his account','agenda',2,'myactions','delete','w',0,15,0,'2022-12-11 21:23:36'),(2411,'Read actions/tasks of others','agenda',1,'allactions','read','r',0,0,0,'2024-01-03 16:35:44'),(2411,'Read actions/tasks of others','agenda',2,'allactions','read','r',0,15,0,'2022-12-11 21:23:36'),(2412,'Create/modify actions/tasks of others','agenda',1,'allactions','create','w',0,0,0,'2024-01-03 16:35:44'),(2412,'Create/modify actions/tasks of others','agenda',2,'allactions','create','w',0,15,0,'2022-12-11 21:23:36'),(2413,'Delete actions/tasks of others','agenda',1,'allactions','delete','w',0,0,0,'2024-01-03 16:35:44'),(2413,'Delete actions/tasks of others','agenda',2,'allactions','delete','w',0,15,0,'2022-12-11 21:23:36'),(2414,'Export actions/tasks of others','agenda',1,'export',NULL,'w',0,0,0,'2024-01-03 16:35:44'),(2451,'Read objects of EventOrganization','eventorganization',1,'read',NULL,'w',0,0,0,'2023-08-13 15:40:29'),(2452,'Create/Update objects of EventOrganization','eventorganization',1,'write',NULL,'w',0,0,0,'2023-08-13 15:40:29'),(2453,'Delete objects of EventOrganization','eventorganization',1,'delete',NULL,'w',0,0,0,'2023-08-13 15:40:29'),(2501,'Read or download documents','ecm',1,'read',NULL,'r',0,0,0,'2024-01-03 16:35:45'),(2503,'Upload a document','ecm',1,'upload',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(2515,'Administer directories of documents','ecm',1,'setup',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(2610,'Générer / modifier la clé API des utilisateurs','api',1,'apikey','generate','w',0,24,0,'2022-12-11 21:23:36'),(3201,'Read archived events and fingerprints','blockedlog',1,'read',NULL,'w',0,76,0,'2022-12-11 21:23:36'),(3301,'Generate new modules','modulebuilder',1,'run',NULL,'a',0,90,0,'2023-02-11 11:40:29'),(4001,'Read skill/job/position','hrm',1,'all','read','w',0,50,0,'2023-02-11 11:40:29'),(4002,'Create/modify skill/job/position','hrm',1,'all','write','w',0,50,0,'2023-02-11 11:40:29'),(4003,'Delete skill/job/position','hrm',1,'all','delete','w',0,50,0,'2023-02-11 11:40:29'),(4021,'Read evaluations','hrm',1,'evaluation','read','w',0,50,0,'2023-02-11 11:40:29'),(4022,'Create/modify your evaluation','hrm',1,'evaluation','write','w',0,50,0,'2023-02-11 11:40:29'),(4023,'Validate evaluation','hrm',1,'evaluation_advance','validate','w',0,50,0,'2023-02-11 11:40:29'),(4025,'Delete evaluations','hrm',1,'evaluation','delete','w',0,50,0,'2023-02-11 11:40:29'),(4028,'See comparison menu','hrm',1,'compare_advance','read','w',0,50,0,'2023-02-11 11:40:29'),(4031,'Read personal information','hrm',1,'read_personal_information','read','w',0,50,0,'2023-02-11 11:40:29'),(4032,'Write personal information','hrm',1,'write_personal_information','write','w',0,50,0,'2023-02-11 11:40:29'),(4033,'Read all evaluations','hrm',1,'evaluation','readall','w',0,50,0,'2023-02-11 11:40:29'),(10001,'Read website content','website',1,'read',NULL,'w',0,0,0,'2024-01-03 16:35:47'),(10002,'Create/modify website content (html and javascript content)','website',1,'write',NULL,'w',0,0,0,'2024-01-03 16:35:47'),(10003,'Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers.','website',1,'writephp',NULL,'w',0,0,0,'2024-01-03 16:35:47'),(10005,'Delete website content','website',1,'delete',NULL,'w',0,0,0,'2024-01-03 16:35:47'),(10008,'Export website content','website',1,'export',NULL,'w',0,0,0,'2024-01-03 16:35:47'),(20001,'Read leave requests (yours and your subordinates)','holiday',1,'read',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(20001,'Créer / Modifier / Lire ses demandes de congés payés','holiday',2,'write',NULL,'w',1,42,0,'2022-12-11 21:23:36'),(20002,'Create/modify leave requests','holiday',1,'write',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(20003,'Delete leave requests','holiday',1,'delete',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(20003,'Supprimer des demandes de congés payés','holiday',2,'delete',NULL,'w',0,42,0,'2022-12-11 21:23:36'),(20004,'Read leave requests for everybody','holiday',1,'readall',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(20004,'Définir les congés payés des utilisateurs','holiday',2,'define_holiday',NULL,'w',0,42,0,'2022-12-11 21:23:36'),(20005,'Create/modify leave requests for everybody','holiday',1,'writeall',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(20005,'Voir les logs de modification des congés payés','holiday',2,'view_log',NULL,'w',0,42,0,'2022-12-11 21:23:36'),(20006,'Setup leave requests of users (setup and update balance)','holiday',1,'define_holiday',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(20006,'Accéder au rapport mensuel des congés payés','holiday',2,'month_report',NULL,'w',0,42,0,'2022-12-11 21:23:36'),(20007,'Approve leave requests','holiday',1,'approve',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(23001,'Read cron jobs','cron',1,'read',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(23002,'Create cron Jobs','cron',1,'create',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(23003,'Delete cron Jobs','cron',1,'delete',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(23004,'Execute cron Jobs','cron',1,'execute',NULL,'w',0,0,0,'2024-01-03 16:35:45'),(50151,'Use Point Of Sale (record a sale, add products, record payment)','takepos',1,'run',NULL,'a',0,0,0,'2024-01-03 16:35:47'),(50152,'Can modify added sales lines (prices, discount)','takepos',1,'editlines',NULL,'a',0,0,0,'2024-01-03 16:35:47'),(50153,'Edit ordered sales lines (useful only when option \"Order printers\" has been enabled). Allow to edit sales lines even after the order has been printed','takepos',1,'editorderedlines',NULL,'a',0,0,0,'2024-01-03 16:35:47'),(50401,'Bind products and invoices with accounting accounts','accounting',1,'bind','write','r',0,61,0,'2023-03-07 17:27:23'),(50411,'Read operations in Ledger','accounting',1,'mouvements','lire','r',0,61,0,'2023-03-07 17:27:23'),(50412,'Write/Edit operations in Ledger','accounting',1,'mouvements','creer','w',0,61,0,'2023-03-07 17:27:23'),(50414,'Delete operations in Ledger','accounting',1,'mouvements','supprimer','d',0,61,0,'2023-03-07 17:27:23'),(50415,'Delete all operations by year and journal in Ledger','accounting',1,'mouvements','supprimer_tous','d',0,61,0,'2023-03-07 17:27:23'),(50418,'Export operations of the Ledger','accounting',1,'mouvements','export','r',0,61,0,'2023-03-07 17:27:23'),(50420,'Report and export reports (turnover, balance, journals, ledger)','accounting',1,'comptarapport','lire','r',0,61,0,'2023-03-07 17:27:23'),(50430,'Manage fiscal periods, validate movements and close periods','accounting',1,'fiscalyear','write','r',0,61,0,'2023-03-07 17:27:23'),(50440,'Manage chart of accounts, setup of accountancy','accounting',1,'chartofaccount',NULL,'r',0,61,0,'2023-03-07 17:27:23'),(55001,'Read surveys','opensurvey',1,'read',NULL,'r',0,0,0,'2024-01-03 16:35:46'),(55002,'Create/modify surveys','opensurvey',1,'write',NULL,'w',0,0,0,'2024-01-03 16:35:46'),(56001,'Read ticket','ticket',1,'read',NULL,'r',0,0,0,'2024-01-03 16:35:47'),(56002,'Create les tickets','ticket',1,'write',NULL,'w',0,0,0,'2024-01-03 16:35:47'),(56003,'Delete les tickets','ticket',1,'delete',NULL,'d',0,0,0,'2024-01-03 16:35:47'),(56004,'Manage tickets','ticket',1,'manage',NULL,'w',0,0,0,'2024-01-03 16:35:47'),(56006,'Export ticket','ticket',1,'export',NULL,'w',0,0,0,'2024-01-03 16:35:47'),(57001,'Read articles','knowledgemanagement',1,'knowledgerecord','read','w',0,90,0,'2022-12-11 21:23:36'),(57002,'Create/Update articles','knowledgemanagement',1,'knowledgerecord','write','w',0,90,0,'2022-12-11 21:23:36'),(57003,'Delete articles','knowledgemanagement',1,'knowledgerecord','delete','w',0,90,0,'2022-12-11 21:23:36'),(58000,'Read objects of Partnership','partnership',1,'read',NULL,'w',0,0,0,'2023-08-15 10:35:26'),(58001,'Create/Update objects of Partnership','partnership',1,'write',NULL,'w',0,0,0,'2023-08-15 10:35:26'),(58002,'Delete objects of Partnership','partnership',1,'delete',NULL,'w',0,0,0,'2023-08-15 10:35:26'),(59001,'Visualiser les marges','margins',1,'liretous',NULL,'r',0,55,0,'2022-12-11 21:23:36'),(59002,'Définir les marges','margins',1,'creer',NULL,'w',0,55,0,'2022-12-11 21:23:36'),(59003,'Read every user margin','margins',1,'read','all','r',0,55,0,'2022-12-11 21:23:36'),(63001,'Read resources','resource',1,'read',NULL,'w',0,16,0,'2022-12-11 21:23:36'),(63002,'Create/Modify resources','resource',1,'write',NULL,'w',0,16,0,'2022-12-11 21:23:36'),(63003,'Delete resources','resource',1,'delete',NULL,'w',0,16,0,'2022-12-11 21:23:36'),(63004,'Link resources to agenda events','resource',1,'link',NULL,'w',0,16,0,'2022-12-11 21:23:36'),(64001,'DirectPrint','printing',1,'read',NULL,'r',0,52,0,'2022-12-11 21:23:36'),(101051,'See SellYourSaas Home area','sellyoursaas',1,'liens','voir','r',0,100050,0,'2023-01-31 14:45:22'),(101060,'Read SellYourSaaS data','sellyoursaas',1,'read',NULL,'w',0,100050,0,'2023-01-31 14:45:22'),(101061,'Create/edit SellYourSaaS data (package, ...)','sellyoursaas',1,'write',NULL,'w',0,100050,0,'2023-01-31 14:45:22'),(101062,'Delete SellYourSaaS data (package, ...)','sellyoursaas',1,'delete',NULL,'w',0,100050,0,'2023-01-31 14:45:22'),(101250,'Read surveys','opensurvey',2,'survey','read','r',0,40,0,'2022-12-11 21:23:36'),(101251,'Create/modify surveys','opensurvey',2,'survey','write','w',0,40,0,'2022-12-11 21:23:36'),(436150,'Access to ScanInvoices functionalities','scaninvoices',1,'read',NULL,'w',0,100090,0,'2023-03-07 17:27:23'),(436151,'Create/Update objects of ScanInvoices','scaninvoices',1,'write',NULL,'w',0,100090,0,'2023-03-07 17:27:23'),(436152,'Delete objects of ScanInvoices','scaninvoices',1,'delete',NULL,'w',0,100090,0,'2023-03-07 17:27:23'),(941601,'Lire les receptions','reception',1,'lire',NULL,'r',0,40,0,'2022-12-11 21:23:36'),(941602,'Creer modifier les receptions','reception',1,'creer',NULL,'w',0,40,0,'2022-12-11 21:23:36'),(941603,'Valider les receptions','reception',1,'reception_advance','validate','d',0,40,0,'2022-12-11 21:23:36'),(941604,'Envoyer les receptions aux clients','reception',1,'reception_advance','send','d',0,40,0,'2022-12-11 21:23:36'),(941605,'Exporter les receptions','reception',1,'reception','export','r',0,40,0,'2022-12-11 21:23:36'),(941606,'Supprimer les receptions','reception',1,'supprimer',NULL,'d',0,40,0,'2022-12-11 21:23:36'),(6830501,'Read objects of Webhook','webhook',1,'webhook_target','read','w',0,90,0,'2023-02-25 14:20:31'),(6830502,'Create/Update objects of Webhook','webhook',1,'webhook_target','write','w',0,90,0,'2023-02-25 14:20:31'),(6830503,'Delete objects of Webhook','webhook',1,'webhook_target','delete','w',0,90,0,'2023-02-25 14:20:31'),(50000001,'Read objects of Aaa','aaa',1,'aao','read','w',0,100090,0,'2023-02-11 11:40:29'),(50000002,'Create/Update objects of Aaa','aaa',1,'aao','write','w',0,100090,0,'2023-02-11 11:40:29'),(50000003,'Delete objects of Aaa','aaa',1,'aao','delete','w',0,100090,0,'2023-02-11 11:40:29'); /*!40000 ALTER TABLE `llx_rights_def` ENABLE KEYS */; UNLOCK TABLES; @@ -11760,6 +11410,8 @@ CREATE TABLE `llx_salary` ( `fk_account` int(11) DEFAULT NULL, `fk_user_author` int(11) DEFAULT NULL, `fk_user_modif` int(11) DEFAULT NULL, + `ref_ext` varchar(255) DEFAULT NULL, + `note_public` text DEFAULT NULL, PRIMARY KEY (`rowid`) ) ENGINE=InnoDB AUTO_INCREMENT=5 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; @@ -11770,7 +11422,7 @@ CREATE TABLE `llx_salary` ( LOCK TABLES `llx_salary` WRITE; /*!40000 ALTER TABLE `llx_salary` DISABLE KEYS */; -INSERT INTO `llx_salary` VALUES (1,'1','2023-08-15 10:42:28',NULL,19,NULL,NULL,NULL,1000.00000000,0,2,NULL,'Salary payment','2019-09-01','2019-09-30',1,'',42,1,NULL,0,12),(4,NULL,'2023-08-15 10:42:34','2023-01-06 12:36:21',4,NULL,NULL,NULL,100.00000000,0,6,NULL,'Salary payment','2022-12-01','2022-12-31',1,'',NULL,1,4,12,12); +INSERT INTO `llx_salary` VALUES (1,'1','2023-08-15 10:42:28',NULL,19,NULL,NULL,NULL,1000.00000000,0,2,NULL,'Salary payment','2019-09-01','2019-09-30',1,'',42,1,NULL,0,12,NULL,NULL),(4,NULL,'2023-08-15 10:42:34','2023-01-06 12:36:21',4,NULL,NULL,NULL,100.00000000,0,6,NULL,'Salary payment','2022-12-01','2022-12-31',1,'',NULL,1,4,12,12,NULL,NULL); /*!40000 ALTER TABLE `llx_salary` ENABLE KEYS */; UNLOCK TABLES; @@ -11962,7 +11614,7 @@ CREATE TABLE `llx_societe_account` ( `pass_crypted` varchar(128) DEFAULT NULL, `pass_temp` varchar(128) DEFAULT NULL, `fk_soc` int(11) DEFAULT NULL, - `site` varchar(128) DEFAULT NULL, + `site` varchar(128) NOT NULL, `fk_website` int(11) DEFAULT NULL, `note_private` mediumtext DEFAULT NULL, `date_last_login` datetime DEFAULT NULL, @@ -12345,6 +11997,7 @@ CREATE TABLE `llx_societe_rib` ( `number` varchar(255) DEFAULT NULL, `cle_rib` varchar(5) DEFAULT NULL, `bic` varchar(20) DEFAULT NULL, + `bic_intermediate` varchar(11) DEFAULT NULL, `iban_prefix` varchar(34) DEFAULT NULL, `domiciliation` varchar(255) DEFAULT NULL, `proprio` varchar(60) DEFAULT NULL, @@ -12353,6 +12006,8 @@ CREATE TABLE `llx_societe_rib` ( `state_id` int(11) DEFAULT NULL, `fk_country` int(11) DEFAULT NULL, `currency_code` varchar(3) DEFAULT NULL, + `model_pdf` varchar(255) DEFAULT NULL, + `last_main_doc` varchar(255) DEFAULT NULL, `rum` varchar(32) DEFAULT NULL, `date_rum` date DEFAULT NULL, `frstrecur` varchar(16) DEFAULT 'FRST', @@ -12375,7 +12030,11 @@ CREATE TABLE `llx_societe_rib` ( `comment` varchar(255) DEFAULT NULL, `ipaddress` varchar(68) DEFAULT NULL, `stripe_account` varchar(128) DEFAULT NULL, + `date_signature` datetime DEFAULT NULL, + `online_sign_ip` varchar(48) DEFAULT NULL, + `online_sign_name` varchar(64) DEFAULT NULL, `ext_payment_site` varchar(128) DEFAULT NULL, + `extraparams` varchar(255) DEFAULT NULL, PRIMARY KEY (`rowid`) ) ENGINE=InnoDB AUTO_INCREMENT=6 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; @@ -12386,7 +12045,7 @@ CREATE TABLE `llx_societe_rib` ( LOCK TABLES `llx_societe_rib` WRITE; /*!40000 ALTER TABLE `llx_societe_rib` DISABLE KEYS */; -INSERT INTO `llx_societe_rib` VALUES (1,'ban',19,'2017-02-21 15:50:32','2017-02-21 11:53:08','Morgan Bank','Morgan Bank','','','','','PSPBFIHH','ES80 2310 0001 1800 0001 2345','Royal via,\r\nMadrid','Mr Esposito','10 via ferrata,\r\nMadrid',1,NULL,NULL,NULL,'RUM1301-0008-0',NULL,'FRST',NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,NULL,NULL,NULL),(2,'ban',10,'2023-02-06 14:28:24','2023-02-06 17:28:24','NLTechno','aaaa','','','','','LIABLT2XXXX','FR76 1223 9000 0740 4608 0100 091','','','',1,NULL,NULL,NULL,'UMR-CU1212-0005-2-1675704504',NULL,'FRST',NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,'',1,NULL,NULL,'',NULL),(3,'ban',33,'2023-02-21 21:33:04','2023-02-22 00:33:04','aaainlux','aaa','','','','','aaa','aaa','','','',1,NULL,NULL,NULL,'UMR-2302212133-3-CU2212-00026',NULL,'FRST',NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,'',1,NULL,NULL,'',NULL),(4,'card',33,'2023-02-21 22:26:00','2023-02-22 01:26:00','aa','',NULL,NULL,'',NULL,NULL,NULL,NULL,'aa',NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'',NULL,'',1,2032,'FR',NULL,NULL,NULL,NULL,NULL,NULL,NULL,'',0,NULL,NULL,NULL,NULL),(5,'ban',1,'2023-03-08 06:41:28','2023-03-08 09:41:28','Indian SAS','dfgdfgfd','','','','','LIABLT2XXXX','FR76 1223 9000 0740 4608 0100 091','','','',1,NULL,NULL,NULL,'RUM-2303080641-5-CU1212-0007',NULL,'FRST',NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,'',1,NULL,NULL,'',NULL); +INSERT INTO `llx_societe_rib` VALUES (1,'ban',19,'2017-02-21 15:50:32','2017-02-21 11:53:08','Morgan Bank','Morgan Bank','','','','','PSPBFIHH',NULL,'ES80 2310 0001 1800 0001 2345','Royal via,\r\nMadrid','Mr Esposito','10 via ferrata,\r\nMadrid',1,NULL,NULL,NULL,NULL,NULL,'RUM1301-0008-0',NULL,'FRST',NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(2,'ban',10,'2023-02-06 14:28:24','2023-02-06 17:28:24','NLTechno','aaaa','','','','','LIABLT2XXXX',NULL,'FR76 1223 9000 0740 4608 0100 091','','','',1,NULL,NULL,NULL,NULL,NULL,'UMR-CU1212-0005-2-1675704504',NULL,'FRST',NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,'',1,NULL,NULL,'',NULL,NULL,NULL,NULL,NULL),(3,'ban',33,'2023-02-21 21:33:04','2023-02-22 00:33:04','aaainlux','aaa','','','','','aaa',NULL,'aaa','','','',1,NULL,NULL,NULL,NULL,NULL,'UMR-2302212133-3-CU2212-00026',NULL,'FRST',NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,'',1,NULL,NULL,'',NULL,NULL,NULL,NULL,NULL),(4,'card',33,'2023-02-21 22:26:00','2023-02-22 01:26:00','aa','',NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,'aa',NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'',NULL,'',1,2032,'FR',NULL,NULL,NULL,NULL,NULL,NULL,NULL,'',0,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(5,'ban',1,'2023-03-08 06:41:28','2023-03-08 09:41:28','Indian SAS','dfgdfgfd','','','','','LIABLT2XXXX',NULL,'FR76 1223 9000 0740 4608 0100 091','','','',1,NULL,NULL,NULL,NULL,NULL,'RUM-2303080641-5-CU1212-0007',NULL,'FRST',NULL,NULL,NULL,NULL,NULL,NULL,NULL,0,NULL,NULL,NULL,NULL,NULL,NULL,'',1,NULL,NULL,'',NULL,NULL,NULL,NULL,NULL); /*!40000 ALTER TABLE `llx_societe_rib` ENABLE KEYS */; UNLOCK TABLES; @@ -12818,6 +12477,7 @@ CREATE TABLE `llx_ticket` ( `track_id` varchar(128) NOT NULL, `fk_soc` int(11) DEFAULT 0, `fk_project` int(11) DEFAULT 0, + `fk_contract` int(11) DEFAULT 0, `origin_email` varchar(128) DEFAULT NULL, `fk_user_create` int(11) DEFAULT NULL, `fk_user_assign` int(11) DEFAULT NULL, @@ -12857,7 +12517,7 @@ CREATE TABLE `llx_ticket` ( LOCK TABLES `llx_ticket` WRITE; /*!40000 ALTER TABLE `llx_ticket` DISABLE KEYS */; -INSERT INTO `llx_ticket` VALUES (2,1,'TS1909-0001','15ff11cay39skiaa',NULL,6,NULL,12,12,'Increase memory on server','Pleae increase the memory of server to 164GB',3,NULL,0,NULL,'REQUEST','OTHER','NORMAL','2022-09-26 14:08:46',NULL,NULL,NULL,0,'2022-12-11 21:23:22',NULL,NULL,NULL,NULL),(3,1,'TS1909-0002','r5ya6gdi9f39dcjt',1,NULL,NULL,12,14,'Problem with customer','Please recontact customer.
      \r\nNeed someone speaking chinese...',0,NULL,100,NULL,'ISSUE','OTHER','NORMAL','2022-09-26 14:10:31',NULL,NULL,'2022-10-04 13:05:55',0,'2022-12-11 21:23:22',NULL,NULL,NULL,NULL),(4,1,'TS1910-0003','fdv9wrzcte7b3c8b',NULL,NULL,NULL,12,NULL,'test','test',2,NULL,0,NULL,'COM','OTHER','NORMAL','2022-10-04 12:58:04',NULL,NULL,NULL,0,'2022-12-11 21:23:22',NULL,NULL,NULL,NULL),(6,1,'TS1911-0004','5gvo9bsjri55zef9',NULL,4,NULL,12,3,'What is the price for Dolibarr ERP CRM ?','I need to use it for 10 users.',2,NULL,0,NULL,'COM','OTHER','NORMAL','2022-11-29 12:46:29','2022-11-29 12:46:34',NULL,NULL,0,'2023-01-04 16:58:57',NULL,NULL,NULL,NULL),(7,1,'TS1911-0005','d51wjy4nym7wltg7',NULL,NULL,'customer@customercompany.com',NULL,16,'What is the price for Dolibarr ERP CRM ?','I need it for 10 people...',8,NULL,100,NULL,'COM','OTHER','NORMAL','2022-11-29 12:50:45','2022-11-29 12:52:32',NULL,'2023-03-13 06:17:35',1,'2023-03-13 09:17:35',NULL,NULL,NULL,NULL); +INSERT INTO `llx_ticket` VALUES (2,1,'TS1909-0001','15ff11cay39skiaa',NULL,6,0,NULL,12,12,'Increase memory on server','Pleae increase the memory of server to 164GB',3,NULL,0,NULL,'REQUEST','OTHER','NORMAL','2023-09-26 14:08:46',NULL,NULL,NULL,0,'2024-01-03 16:32:23',NULL,NULL,NULL,NULL),(3,1,'TS1909-0002','r5ya6gdi9f39dcjt',1,NULL,0,NULL,12,14,'Problem with customer','Please recontact customer.
      \r\nNeed someone speaking chinese...',0,NULL,100,NULL,'ISSUE','OTHER','NORMAL','2023-09-26 14:10:31',NULL,NULL,'2023-10-04 13:05:55',0,'2024-01-03 16:32:23',NULL,NULL,NULL,NULL),(4,1,'TS1910-0003','fdv9wrzcte7b3c8b',NULL,NULL,0,NULL,12,NULL,'test','test',2,NULL,0,NULL,'COM','OTHER','NORMAL','2023-10-04 12:58:04',NULL,NULL,NULL,0,'2024-01-03 16:32:23',NULL,NULL,NULL,NULL),(6,1,'TS1911-0004','5gvo9bsjri55zef9',NULL,4,0,NULL,12,3,'What is the price for Dolibarr ERP CRM ?','I need to use it for 10 users.',2,NULL,0,NULL,'COM','OTHER','NORMAL','2023-11-29 12:46:29','2023-11-29 12:46:34',NULL,NULL,0,'2024-01-03 16:32:23',NULL,NULL,NULL,NULL),(7,1,'TS1911-0005','d51wjy4nym7wltg7',NULL,NULL,0,'customer@customercompany.com',NULL,16,'What is the price for Dolibarr ERP CRM ?','I need it for 10 people...',8,NULL,100,NULL,'COM','OTHER','NORMAL','2023-11-29 12:50:45','2023-11-29 12:52:32',NULL,'2024-03-13 06:17:35',1,'2024-01-03 16:32:23',NULL,NULL,NULL,NULL); /*!40000 ALTER TABLE `llx_ticket` ENABLE KEYS */; UNLOCK TABLES; @@ -13011,6 +12671,7 @@ CREATE TABLE `llx_user` ( `national_registration_number` varchar(50) DEFAULT NULL, `birth_place` varchar(64) DEFAULT NULL, `flagdelsessionsbefore` datetime DEFAULT NULL, + `email_oauth2` varchar(255) DEFAULT NULL, PRIMARY KEY (`rowid`), UNIQUE KEY `uk_user_login` (`login`,`entity`), UNIQUE KEY `uk_user_fk_socpeople` (`fk_socpeople`), @@ -13027,7 +12688,7 @@ CREATE TABLE `llx_user` ( LOCK TABLES `llx_user` WRITE; /*!40000 ALTER TABLE `llx_user` DISABLE KEYS */; -INSERT INTO `llx_user` VALUES (1,'2012-07-08 13:20:11','2023-03-13 11:45:20',NULL,NULL,'aeinstein',0,'','',NULL,1,0,NULL,'$2y$10$lIvMb5RJjxqmd6OxnZLqvuLZGOXj3gxIQhZQUqcY8fQTyh0cTtUpa',NULL,'dolcrypt:AES-256-CTR:10fbb3f05469219f:QbKVp8jFpxklPuBYahTv3dEuvrOOB2P2mHRYwhQUdv4=','Einstein','Albert','','123456789','','','','aeinstein@example.com','','[]','',0,NULL,NULL,NULL,'','2017-10-05 08:32:44','2017-10-03 11:43:50',NULL,'',1,'alberteinstein.jpg',NULL,NULL,14,NULL,NULL,NULL,'','','',NULL,NULL,'aaaaff','',NULL,0,0,NULL,NULL,NULL,44.00000000,'man','',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL),(2,'2012-07-08 13:54:48','2021-04-15 10:41:35',NULL,NULL,'demo',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Doe','David','Trainee','09123123','','','','daviddoe@example.com','','[]','',0,NULL,NULL,NULL,'','2018-07-30 23:10:54','2018-07-30 23:04:17',NULL,'',1,'person9.jpeg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,35.00000000,'man',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(3,'2012-07-11 16:18:59','2023-01-14 10:46:33',NULL,NULL,'pcurie',1,'','',NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Curie','Pierre','','','','','','pcurie@example.com','','[]','',0,NULL,NULL,2,'','2014-12-21 17:38:55',NULL,NULL,'',1,'dolicloud_avent_saas.png',NULL,NULL,14,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,39.00000000,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL),(4,'2015-01-23 17:52:27','2021-04-15 10:41:35',NULL,NULL,'bbookkeeper',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Bookkeeper','Bob','Bookkeeper','','','','','bbookkeeper@example.com','','{\"skype\":\"skypebbookkeeper\"}','',0,17,6,NULL,'','2015-02-25 10:18:41','2015-01-23 17:53:20',NULL,'',1,'person8.jpeg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,16.00000000,'man',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(10,'2017-10-03 11:47:41','2023-03-15 15:07:13',NULL,NULL,'mcurie',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Curie','Marie','','','','','','mcurie@example.com','','[]','',0,NULL,NULL,NULL,'',NULL,NULL,NULL,'',1,'mariecurie.jpg',NULL,NULL,14,NULL,NULL,NULL,'','','',NULL,NULL,'ffaaff','',NULL,0,0,NULL,NULL,NULL,44.00000000,'woman',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(11,'2017-10-05 09:07:52','2023-03-15 15:07:13',NULL,NULL,'zzeceo',1,NULL,'',NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Zeceo','Zack','President - CEO','','','','','zzeceo@example.com','','{\"facebook\":\"\",\"skype\":\"\",\"twitter\":\"\",\"linkedin\":\"\",\"instagram\":\"\",\"snapchat\":\"\",\"googleplus\":\"\",\"youtube\":\"\",\"whatsapp\":\"\",\"tumblr\":\"\",\"vero\":\"\",\"viadeo\":\"\",\"slack\":\"\",\"xing\":\"\",\"meetup\":\"\",\"pinterest\":\"\",\"flickr\":\"\",\"500px\":\"\",\"giphy\":\"\",\"gifycat\":\"\",\"dailymotion\":\"\",\"vimeo\":\"\",\"periscope\":\"\",\"twitch\":\"\",\"discord\":\"\",\"wikipedia\":\"\",\"reddit\":\"\",\"quora\":\"\",\"tripadvisor\":\"\",\"mastodon\":\"\",\"diaspora\":\"\",\"viber\":\"\",\"github\":\"\"}','',0,NULL,NULL,NULL,'','2017-10-05 22:48:08','2017-10-05 21:18:46',NULL,'',1,'person4.jpeg',NULL,NULL,NULL,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,39.00000000,NULL,'','2019-06-10 00:00:00',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(12,'2017-10-05 09:09:46','2023-08-15 10:05:18',NULL,12,'admin',0,'','',NULL,1,0,NULL,'$2y$10$5qk/U.aOy.7uBSNxpwiqkOfBlCUop9c2wKWuFZ/wZ2hAC9lriGqnG',NULL,'dolcrypt:AES-256-CTR:10fbb3f05469219f:s11W02eAFqX7YQAA2Sjg8ewGj8DKl0WqDvAE+UlkB98=','Adminson','Alice','Admin Technical','','','','','myemail@mycompany.com','','[]','Alice - 123',1,NULL,NULL,NULL,'kmlk','2023-08-15 11:03:49','2023-08-15 10:30:20',NULL,'',1,'ldestailleur_200x200.jpg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,2700.00000000,NULL,NULL,39.00000000,'woman','',NULL,NULL,'generic_user_odt','1985-09-15',NULL,NULL,NULL,NULL,NULL,'127.0.0.1','192.168.0.254',NULL,NULL,NULL,'',NULL,NULL),(13,'2017-10-05 21:29:35','2023-03-15 15:07:36',NULL,NULL,'ccommercy',1,NULL,'',NULL,1,0,NULL,'$2y$10$KTaKE0NyYyJSCogsxtwR.eADst17XYMrOWlsFfVLR60IbjANIVLHK',NULL,NULL,'Commercy','Coraly','Commercial leader','','','','','ccommercy@example.com','','{\"facebook\":\"\",\"skype\":\"\",\"twitter\":\"\",\"linkedin\":\"\",\"instagram\":\"\",\"snapchat\":\"\",\"googleplus\":\"\",\"youtube\":\"\",\"whatsapp\":\"\",\"tumblr\":\"\",\"vero\":\"\",\"viadeo\":\"\",\"slack\":\"\",\"xing\":\"\",\"meetup\":\"\",\"pinterest\":\"\",\"flickr\":\"\",\"500px\":\"\",\"giphy\":\"\",\"gifycat\":\"\",\"dailymotion\":\"\",\"vimeo\":\"\",\"periscope\":\"\",\"twitch\":\"\",\"discord\":\"\",\"wikipedia\":\"\",\"reddit\":\"\",\"quora\":\"\",\"tripadvisor\":\"\",\"mastodon\":\"\",\"diaspora\":\"\",\"viber\":\"\",\"github\":\"\"}','',0,NULL,NULL,NULL,'',NULL,NULL,NULL,'',1,'person7.jpeg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,1890.00000000,NULL,NULL,25.00000000,'woman','','2018-09-11 00:00:00',NULL,NULL,'1998-12-08',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(14,'2017-10-05 21:33:33','2023-03-15 15:07:36',NULL,NULL,'sscientol',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Scientol','Sam','Scientist leader','','','','','sscientol@example.com','','[]','',0,NULL,NULL,NULL,'',NULL,NULL,NULL,'',1,'person3.jpeg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,3500.00000000,NULL,NULL,39.00000000,NULL,NULL,'2018-07-03 00:00:00',NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(16,'2017-10-05 22:47:52','2023-03-15 15:07:36',NULL,NULL,'ccommerson',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Charle1','Commerson','Sale representative','','','','','ccommerson@example.com','','[]','',0,NULL,NULL,NULL,'','2017-10-05 23:46:24','2017-10-05 23:37:31',NULL,'',1,'person1.jpeg',NULL,NULL,13,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,2900.00000000,NULL,NULL,39.00000000,NULL,NULL,'2019-09-01 00:00:00',NULL,NULL,'1976-02-05',NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(17,'2017-10-05 22:48:39','2023-03-15 15:07:36',NULL,NULL,'aleerfok',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Leerfok','Amanda','Sale representative','','','','','aleerfok@example.com','','[]','',0,NULL,NULL,NULL,'','2017-10-05 23:16:06',NULL,NULL,'',0,'person5.jpeg',NULL,NULL,13,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,39.00000000,'woman',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(18,'2018-01-22 17:27:02','2023-03-15 15:08:17',NULL,NULL,'ldestailleur',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Destailleur','Laurent','Project leader of Dolibarr ERP CRM','','','','','ldestailleur@example.com','','[]','',0,10,10,NULL,'More information on http://www.mydomain.com','2019-10-04 10:06:40','2017-09-06 11:55:30',NULL,'',1,'ldestailleur_200x200.jpg',NULL,NULL,NULL,NULL,NULL,NULL,'','','',NULL,NULL,'007f7f','',NULL,0,0,NULL,NULL,NULL,NULL,'man',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(19,'2017-02-02 03:55:44','2021-04-15 10:41:35',NULL,NULL,'aboston',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Boston','Alex','','','','','','aboston@example.com','','[]','Alex Boston
      \r\nAdmin support service - 555 01 02 03 04',0,NULL,NULL,NULL,'',NULL,NULL,NULL,'',0,'person2.jpeg',NULL,NULL,12,NULL,NULL,25.00000000,'','','',NULL,NULL,'ff00ff','',NULL,0,0,2700.00000000,NULL,NULL,32.00000000,NULL,NULL,'2016-11-04 00:00:00',NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(22,'2022-12-13 11:28:20','2023-02-25 15:00:16',NULL,NULL,'noperm',1,'','',NULL,1,0,NULL,'$2y$10$g.VTJej0pV4ozOY.X/e5muWjbKkayuu6gvf7mVgUqxsArqSoy7qnC',NULL,NULL,'noperm','noperm','','','','','','','','[]','',0,NULL,NULL,NULL,'','2023-02-25 12:00:24','2022-12-13 11:29:23',NULL,'',1,NULL,NULL,NULL,12,12,12,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'127.0.0.1','127.0.0.1',NULL,NULL,NULL,'',NULL,NULL),(29,'2023-02-25 12:08:43','2023-03-15 15:07:36',NULL,NULL,'test',1,'','',NULL,1,0,NULL,'$2y$10$etr5jNn7iShYbwhjcnGq2.QC1UZJfljdt/Y83KkdXya4akasUGgUy',NULL,NULL,'test','test','','','','','','','','[]','',0,NULL,NULL,NULL,'','2023-02-25 12:09:28',NULL,NULL,'',1,NULL,NULL,NULL,12,12,12,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'127.0.0.1',NULL,NULL,NULL,NULL,'',NULL,NULL); +INSERT INTO `llx_user` VALUES (1,'2012-07-08 13:20:11','2023-03-13 11:45:20',NULL,NULL,'aeinstein',0,'','',NULL,1,0,NULL,'$2y$10$lIvMb5RJjxqmd6OxnZLqvuLZGOXj3gxIQhZQUqcY8fQTyh0cTtUpa',NULL,'dolcrypt:AES-256-CTR:10fbb3f05469219f:QbKVp8jFpxklPuBYahTv3dEuvrOOB2P2mHRYwhQUdv4=','Einstein','Albert','','123456789','','','','aeinstein@example.com','','[]','',0,NULL,NULL,NULL,'','2017-10-05 08:32:44','2017-10-03 11:43:50',NULL,'',1,'alberteinstein.jpg',NULL,NULL,14,NULL,NULL,NULL,'','','',NULL,NULL,'aaaaff','',NULL,0,0,NULL,NULL,NULL,44.00000000,'man','',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,NULL),(2,'2012-07-08 13:54:48','2021-04-15 10:41:35',NULL,NULL,'demo',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Doe','David','Trainee','09123123','','','','daviddoe@example.com','','[]','',0,NULL,NULL,NULL,'','2018-07-30 23:10:54','2018-07-30 23:04:17',NULL,'',1,'person9.jpeg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,35.00000000,'man',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(3,'2012-07-11 16:18:59','2023-01-14 10:46:33',NULL,NULL,'pcurie',1,'','',NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Curie','Pierre','','','','','','pcurie@example.com','','[]','',0,NULL,NULL,2,'','2014-12-21 17:38:55',NULL,NULL,'',1,'dolicloud_avent_saas.png',NULL,NULL,14,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,39.00000000,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,NULL),(4,'2015-01-23 17:52:27','2021-04-15 10:41:35',NULL,NULL,'bbookkeeper',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Bookkeeper','Bob','Bookkeeper','','','','','bbookkeeper@example.com','','{\"skype\":\"skypebbookkeeper\"}','',0,17,6,NULL,'','2015-02-25 10:18:41','2015-01-23 17:53:20',NULL,'',1,'person8.jpeg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,16.00000000,'man',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(10,'2017-10-03 11:47:41','2023-03-15 15:07:13',NULL,NULL,'mcurie',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Curie','Marie','','','','','','mcurie@example.com','','[]','',0,NULL,NULL,NULL,'',NULL,NULL,NULL,'',1,'mariecurie.jpg',NULL,NULL,14,NULL,NULL,NULL,'','','',NULL,NULL,'ffaaff','',NULL,0,0,NULL,NULL,NULL,44.00000000,'woman',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(11,'2017-10-05 09:07:52','2023-03-15 15:07:13',NULL,NULL,'zzeceo',1,NULL,'',NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Zeceo','Zack','President - CEO','','','','','zzeceo@example.com','','{\"facebook\":\"\",\"skype\":\"\",\"twitter\":\"\",\"linkedin\":\"\",\"instagram\":\"\",\"snapchat\":\"\",\"googleplus\":\"\",\"youtube\":\"\",\"whatsapp\":\"\",\"tumblr\":\"\",\"vero\":\"\",\"viadeo\":\"\",\"slack\":\"\",\"xing\":\"\",\"meetup\":\"\",\"pinterest\":\"\",\"flickr\":\"\",\"500px\":\"\",\"giphy\":\"\",\"gifycat\":\"\",\"dailymotion\":\"\",\"vimeo\":\"\",\"periscope\":\"\",\"twitch\":\"\",\"discord\":\"\",\"wikipedia\":\"\",\"reddit\":\"\",\"quora\":\"\",\"tripadvisor\":\"\",\"mastodon\":\"\",\"diaspora\":\"\",\"viber\":\"\",\"github\":\"\"}','',0,NULL,NULL,NULL,'','2017-10-05 22:48:08','2017-10-05 21:18:46',NULL,'',1,'person4.jpeg',NULL,NULL,NULL,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,39.00000000,NULL,'','2019-06-10 00:00:00',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(12,'2017-10-05 09:09:46','2023-08-15 10:05:18',NULL,12,'admin',0,'','',NULL,1,0,NULL,'$2y$10$5qk/U.aOy.7uBSNxpwiqkOfBlCUop9c2wKWuFZ/wZ2hAC9lriGqnG',NULL,'dolcrypt:AES-256-CTR:10fbb3f05469219f:s11W02eAFqX7YQAA2Sjg8ewGj8DKl0WqDvAE+UlkB98=','Adminson','Alice','Admin Technical','','','','','myemail@mycompany.com','','[]','Alice - 123',1,NULL,NULL,NULL,'kmlk','2023-08-15 11:03:49','2023-08-15 10:30:20',NULL,'',1,'ldestailleur_200x200.jpg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,2700.00000000,NULL,NULL,39.00000000,'woman','',NULL,NULL,'generic_user_odt','1985-09-15',NULL,NULL,NULL,NULL,NULL,'127.0.0.1','192.168.0.254',NULL,NULL,NULL,'',NULL,NULL,NULL),(13,'2017-10-05 21:29:35','2023-03-15 15:07:36',NULL,NULL,'ccommercy',1,NULL,'',NULL,1,0,NULL,'$2y$10$KTaKE0NyYyJSCogsxtwR.eADst17XYMrOWlsFfVLR60IbjANIVLHK',NULL,NULL,'Commercy','Coraly','Commercial leader','','','','','ccommercy@example.com','','{\"facebook\":\"\",\"skype\":\"\",\"twitter\":\"\",\"linkedin\":\"\",\"instagram\":\"\",\"snapchat\":\"\",\"googleplus\":\"\",\"youtube\":\"\",\"whatsapp\":\"\",\"tumblr\":\"\",\"vero\":\"\",\"viadeo\":\"\",\"slack\":\"\",\"xing\":\"\",\"meetup\":\"\",\"pinterest\":\"\",\"flickr\":\"\",\"500px\":\"\",\"giphy\":\"\",\"gifycat\":\"\",\"dailymotion\":\"\",\"vimeo\":\"\",\"periscope\":\"\",\"twitch\":\"\",\"discord\":\"\",\"wikipedia\":\"\",\"reddit\":\"\",\"quora\":\"\",\"tripadvisor\":\"\",\"mastodon\":\"\",\"diaspora\":\"\",\"viber\":\"\",\"github\":\"\"}','',0,NULL,NULL,NULL,'',NULL,NULL,NULL,'',1,'person7.jpeg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,1890.00000000,NULL,NULL,25.00000000,'woman','','2018-09-11 00:00:00',NULL,NULL,'1998-12-08',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(14,'2017-10-05 21:33:33','2023-03-15 15:07:36',NULL,NULL,'sscientol',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Scientol','Sam','Scientist leader','','','','','sscientol@example.com','','[]','',0,NULL,NULL,NULL,'',NULL,NULL,NULL,'',1,'person3.jpeg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,3500.00000000,NULL,NULL,39.00000000,NULL,NULL,'2018-07-03 00:00:00',NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(16,'2017-10-05 22:47:52','2023-03-15 15:07:36',NULL,NULL,'ccommerson',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Charle1','Commerson','Sale representative','','','','','ccommerson@example.com','','[]','',0,NULL,NULL,NULL,'','2017-10-05 23:46:24','2017-10-05 23:37:31',NULL,'',1,'person1.jpeg',NULL,NULL,13,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,2900.00000000,NULL,NULL,39.00000000,NULL,NULL,'2019-09-01 00:00:00',NULL,NULL,'1976-02-05',NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(17,'2017-10-05 22:48:39','2023-03-15 15:07:36',NULL,NULL,'aleerfok',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Leerfok','Amanda','Sale representative','','','','','aleerfok@example.com','','[]','',0,NULL,NULL,NULL,'','2017-10-05 23:16:06',NULL,NULL,'',0,'person5.jpeg',NULL,NULL,13,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,39.00000000,'woman',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(18,'2018-01-22 17:27:02','2023-03-15 15:08:17',NULL,NULL,'ldestailleur',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Destailleur','Laurent','Project leader of Dolibarr ERP CRM','','','','','ldestailleur@example.com','','[]','',0,10,10,NULL,'More information on http://www.mydomain.com','2019-10-04 10:06:40','2017-09-06 11:55:30',NULL,'',1,'ldestailleur_200x200.jpg',NULL,NULL,NULL,NULL,NULL,NULL,'','','',NULL,NULL,'007f7f','',NULL,0,0,NULL,NULL,NULL,NULL,'man',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(19,'2017-02-02 03:55:44','2021-04-15 10:41:35',NULL,NULL,'aboston',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Boston','Alex','','','','','','aboston@example.com','','[]','Alex Boston
      \r\nAdmin support service - 555 01 02 03 04',0,NULL,NULL,NULL,'',NULL,NULL,NULL,'',0,'person2.jpeg',NULL,NULL,12,NULL,NULL,25.00000000,'','','',NULL,NULL,'ff00ff','',NULL,0,0,2700.00000000,NULL,NULL,32.00000000,NULL,NULL,'2016-11-04 00:00:00',NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(22,'2022-12-13 11:28:20','2023-02-25 15:00:16',NULL,NULL,'noperm',1,'','',NULL,1,0,NULL,'$2y$10$g.VTJej0pV4ozOY.X/e5muWjbKkayuu6gvf7mVgUqxsArqSoy7qnC',NULL,NULL,'noperm','noperm','','','','','','','','[]','',0,NULL,NULL,NULL,'','2023-02-25 12:00:24','2022-12-13 11:29:23',NULL,'',1,NULL,NULL,NULL,12,12,12,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'127.0.0.1','127.0.0.1',NULL,NULL,NULL,'',NULL,NULL,NULL),(29,'2023-02-25 12:08:43','2023-03-15 15:07:36',NULL,NULL,'test',1,'','',NULL,1,0,NULL,'$2y$10$etr5jNn7iShYbwhjcnGq2.QC1UZJfljdt/Y83KkdXya4akasUGgUy',NULL,NULL,'test','test','','','','','','','','[]','',0,NULL,NULL,NULL,'','2023-02-25 12:09:28',NULL,NULL,'',1,NULL,NULL,NULL,12,12,12,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'127.0.0.1',NULL,NULL,NULL,NULL,'',NULL,NULL,NULL); /*!40000 ALTER TABLE `llx_user` ENABLE KEYS */; UNLOCK TABLES; @@ -13201,6 +12862,7 @@ CREATE TABLE `llx_user_rib` ( `number` varchar(255) DEFAULT NULL, `cle_rib` varchar(5) DEFAULT NULL, `bic` varchar(11) DEFAULT NULL, + `bic_intermediate` varchar(11) DEFAULT NULL, `iban_prefix` varchar(34) DEFAULT NULL, `domiciliation` varchar(255) DEFAULT NULL, `proprio` varchar(60) DEFAULT NULL, @@ -13237,7 +12899,7 @@ CREATE TABLE `llx_user_rights` ( UNIQUE KEY `uk_user_rights` (`entity`,`fk_user`,`fk_id`), KEY `fk_user_rights_fk_user_user` (`fk_user`), CONSTRAINT `fk_user_rights_fk_user_user` FOREIGN KEY (`fk_user`) REFERENCES `llx_user` (`rowid`) -) ENGINE=InnoDB AUTO_INCREMENT=24590 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; +) ENGINE=InnoDB AUTO_INCREMENT=25080 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; -- @@ -13246,7 +12908,7 @@ CREATE TABLE `llx_user_rights` ( LOCK TABLES `llx_user_rights` WRITE; /*!40000 ALTER TABLE `llx_user_rights` DISABLE KEYS */; -INSERT INTO `llx_user_rights` VALUES (12402,1,1,11),(12380,1,1,12),(12385,1,1,13),(12389,1,1,14),(12393,1,1,15),(12398,1,1,16),(12404,1,1,19),(9726,1,1,21),(9700,1,1,22),(9706,1,1,24),(9711,1,1,25),(9716,1,1,26),(9722,1,1,27),(9728,1,1,28),(9978,1,1,31),(9968,1,1,32),(9974,1,1,34),(9980,1,1,38),(11573,1,1,41),(11574,1,1,42),(11575,1,1,44),(11576,1,1,45),(7184,1,1,61),(7181,1,1,62),(7183,1,1,64),(7185,1,1,67),(7186,1,1,68),(1678,1,1,71),(1673,1,1,72),(1675,1,1,74),(1679,1,1,75),(1677,1,1,76),(1681,1,1,78),(1682,1,1,79),(12322,1,1,81),(12309,1,1,82),(12312,1,1,84),(12314,1,1,86),(12317,1,1,87),(12320,1,1,88),(12323,1,1,89),(11580,1,1,91),(11581,1,1,92),(11582,1,1,93),(11583,1,1,94),(7139,1,1,101),(7134,1,1,102),(7136,1,1,104),(7137,1,1,105),(7138,1,1,106),(7140,1,1,109),(10229,1,1,111),(10201,1,1,112),(10207,1,1,113),(10213,1,1,114),(10219,1,1,115),(10225,1,1,116),(10231,1,1,117),(12518,1,1,121),(12508,1,1,122),(12514,1,1,125),(12520,1,1,126),(11577,1,1,141),(11578,1,1,142),(11579,1,1,144),(2307,1,1,151),(2304,1,1,152),(2306,1,1,153),(2308,1,1,154),(10092,1,1,161),(10093,1,1,162),(10094,1,1,163),(10095,1,1,164),(10096,1,1,165),(10000,1,1,221),(9990,1,1,222),(9996,1,1,223),(10002,1,1,229),(10007,1,1,237),(10011,1,1,238),(10015,1,1,239),(1686,1,1,241),(1685,1,1,242),(1687,1,1,243),(12604,1,1,251),(12566,1,1,252),(12569,1,1,253),(12572,1,1,254),(12575,1,1,255),(12579,1,1,256),(12525,1,1,262),(12544,1,1,281),(12534,1,1,282),(12540,1,1,283),(12546,1,1,286),(12290,1,1,301),(1763,1,1,331),(1762,1,1,332),(1764,1,1,333),(12582,1,1,341),(12584,1,1,342),(12586,1,1,343),(12588,1,1,344),(12600,1,1,351),(12593,1,1,352),(12597,1,1,353),(12601,1,1,354),(12605,1,1,358),(12560,1,1,531),(12553,1,1,532),(12557,1,1,534),(12561,1,1,538),(12348,1,1,701),(12354,1,1,702),(12360,1,1,703),(1755,1,1,1001),(1754,1,1,1002),(1756,1,1,1003),(1758,1,1,1004),(1759,1,1,1005),(7146,1,1,1101),(7143,1,1,1102),(7145,1,1,1104),(7147,1,1,1109),(12412,1,1,1181),(12458,1,1,1182),(12417,1,1,1183),(12420,1,1,1184),(12423,1,1,1185),(12427,1,1,1186),(12431,1,1,1187),(12437,1,1,1188),(12434,1,1,1189),(1578,1,1,1201),(1579,1,1,1202),(12454,1,1,1231),(12443,1,1,1232),(12446,1,1,1233),(12449,1,1,1234),(12452,1,1,1235),(12455,1,1,1236),(1736,1,1,1251),(12409,1,1,1321),(12326,1,1,1421),(12264,1,1,2401),(12260,1,1,2402),(12266,1,1,2403),(12280,1,1,2411),(12276,1,1,2412),(12282,1,1,2413),(12286,1,1,2414),(12370,1,1,2501),(12367,1,1,2503),(12371,1,1,2515),(12490,1,1,20001),(12474,1,1,20003),(12480,1,1,20004),(12486,1,1,20005),(12492,1,1,20006),(12302,1,1,23001),(12295,1,1,23002),(12299,1,1,23003),(12303,1,1,23004),(4984,1,1,50401),(4987,1,1,50411),(4988,1,1,50412),(4989,1,1,50415),(12498,1,1,55001),(12499,1,1,55002),(9596,1,1,101051),(9604,1,1,101060),(9605,1,1,101061),(10353,1,1,101250),(10355,1,1,101251),(132,1,2,11),(133,1,2,12),(134,1,2,13),(135,1,2,14),(136,1,2,16),(137,1,2,19),(138,1,2,21),(139,1,2,22),(140,1,2,24),(141,1,2,25),(142,1,2,26),(143,1,2,27),(10359,1,2,31),(145,1,2,32),(10361,1,2,34),(147,1,2,41),(148,1,2,42),(149,1,2,44),(150,1,2,61),(151,1,2,62),(152,1,2,64),(153,1,2,71),(154,1,2,72),(155,1,2,74),(156,1,2,75),(157,1,2,78),(158,1,2,79),(159,1,2,81),(160,1,2,82),(161,1,2,84),(162,1,2,86),(163,1,2,87),(164,1,2,88),(165,1,2,89),(166,1,2,91),(167,1,2,92),(168,1,2,93),(169,1,2,101),(170,1,2,102),(171,1,2,104),(172,1,2,109),(173,1,2,111),(174,1,2,112),(175,1,2,113),(176,1,2,114),(177,1,2,116),(178,1,2,117),(179,1,2,121),(180,1,2,122),(181,1,2,125),(182,1,2,141),(183,1,2,142),(184,1,2,144),(2479,1,2,151),(2480,1,2,152),(2481,1,2,153),(2482,1,2,154),(185,1,2,161),(186,1,2,162),(187,1,2,163),(188,1,2,164),(189,1,2,165),(193,1,2,221),(194,1,2,222),(195,1,2,229),(196,1,2,241),(197,1,2,242),(198,1,2,243),(199,1,2,251),(201,1,2,262),(202,1,2,281),(203,1,2,282),(204,1,2,283),(205,1,2,331),(2483,1,2,531),(207,1,2,532),(2484,1,2,534),(210,1,2,701),(211,1,2,702),(2474,1,2,703),(15064,1,2,771),(15057,1,2,772),(15059,1,2,773),(15063,1,2,775),(15065,1,2,776),(212,1,2,1001),(213,1,2,1002),(214,1,2,1003),(215,1,2,1004),(216,1,2,1005),(217,1,2,1101),(218,1,2,1102),(219,1,2,1104),(220,1,2,1109),(15073,1,2,1121),(15074,1,2,1122),(15075,1,2,1123),(15076,1,2,1124),(15077,1,2,1125),(15078,1,2,1126),(221,1,2,1181),(222,1,2,1182),(223,1,2,1183),(224,1,2,1184),(225,1,2,1185),(226,1,2,1186),(227,1,2,1187),(228,1,2,1188),(229,1,2,1201),(230,1,2,1202),(231,1,2,1231),(232,1,2,1232),(233,1,2,1233),(234,1,2,1234),(235,1,2,1421),(236,1,2,2401),(237,1,2,2402),(238,1,2,2403),(239,1,2,2411),(240,1,2,2412),(241,1,2,2413),(2470,1,2,2501),(243,1,2,2515),(10363,1,2,20001),(10365,1,2,20003),(10366,1,2,20004),(10367,1,2,20005),(10368,1,2,20006),(15054,1,2,23001),(15067,1,2,55001),(15066,1,2,59001),(15068,1,2,63001),(15069,1,2,63002),(15070,1,2,63003),(15071,1,2,63004),(10372,1,2,101250),(1807,1,3,11),(1808,1,3,31),(1810,1,3,41),(1811,1,3,61),(1812,1,3,71),(1813,1,3,72),(1814,1,3,74),(1815,1,3,75),(1816,1,3,78),(1817,1,3,79),(1818,1,3,91),(1821,1,3,111),(1822,1,3,121),(1823,1,3,122),(1824,1,3,125),(1825,1,3,161),(1829,1,3,221),(1830,1,3,222),(1831,1,3,229),(1832,1,3,241),(1833,1,3,242),(1834,1,3,243),(1835,1,3,251),(1836,1,3,255),(1837,1,3,256),(1838,1,3,262),(1839,1,3,281),(1840,1,3,282),(1841,1,3,283),(1842,1,3,331),(1843,1,3,531),(1846,1,3,1001),(1847,1,3,1002),(1848,1,3,1003),(1849,1,3,1004),(1850,1,3,1005),(1851,1,3,1181),(1852,1,3,1182),(1853,1,3,1201),(1854,1,3,1202),(1855,1,3,1231),(1856,1,3,2401),(1857,1,3,2402),(1858,1,3,2403),(1859,1,3,2411),(1860,1,3,2412),(1861,1,3,2413),(1863,1,3,2515),(8026,1,4,11),(8027,1,4,21),(8028,1,4,31),(8029,1,4,41),(8030,1,4,61),(8031,1,4,71),(8032,1,4,72),(8033,1,4,74),(8034,1,4,75),(8035,1,4,78),(8036,1,4,79),(8037,1,4,81),(8038,1,4,91),(8041,1,4,101),(8042,1,4,111),(8043,1,4,121),(8044,1,4,151),(8045,1,4,161),(8047,1,4,221),(8048,1,4,222),(8049,1,4,229),(8050,1,4,241),(8051,1,4,242),(8052,1,4,243),(8146,1,4,251),(8147,1,4,253),(8053,1,4,262),(8054,1,4,281),(8055,1,4,331),(8056,1,4,341),(8057,1,4,342),(8058,1,4,343),(8059,1,4,344),(8060,1,4,531),(8062,1,4,1001),(8063,1,4,1002),(8064,1,4,1003),(8065,1,4,1004),(8066,1,4,1005),(8067,1,4,1101),(8068,1,4,1181),(8069,1,4,1182),(8070,1,4,1201),(8071,1,4,1202),(8072,1,4,1231),(8073,1,4,2401),(8074,1,4,2501),(8075,1,4,2503),(8076,1,4,2515),(8077,1,4,20001),(12608,1,10,11),(12609,1,10,21),(12610,1,10,31),(12611,1,10,41),(12612,1,10,61),(12613,1,10,71),(12614,1,10,72),(12615,1,10,74),(12616,1,10,75),(12617,1,10,78),(12618,1,10,79),(12619,1,10,81),(12620,1,10,91),(12623,1,10,101),(12624,1,10,111),(12625,1,10,121),(12626,1,10,151),(12627,1,10,161),(12629,1,10,221),(12630,1,10,222),(12631,1,10,229),(12632,1,10,241),(12633,1,10,242),(12634,1,10,243),(12635,1,10,262),(12636,1,10,281),(12638,1,10,331),(12639,1,10,341),(12640,1,10,342),(12641,1,10,343),(12642,1,10,344),(12643,1,10,531),(12645,1,10,1001),(12646,1,10,1002),(12647,1,10,1003),(12648,1,10,1004),(12649,1,10,1005),(12650,1,10,1101),(12651,1,10,1181),(12652,1,10,1182),(12653,1,10,1201),(12654,1,10,1202),(12655,1,10,1231),(12656,1,10,2401),(12657,1,10,2501),(12658,1,10,2503),(12659,1,10,2515),(12660,1,10,20001),(12662,1,10,23001),(12664,1,11,11),(12665,1,11,21),(12666,1,11,31),(12667,1,11,41),(12668,1,11,61),(12669,1,11,71),(12670,1,11,72),(12671,1,11,74),(12672,1,11,75),(12673,1,11,78),(12674,1,11,79),(12675,1,11,81),(12676,1,11,91),(12679,1,11,101),(12680,1,11,111),(12681,1,11,121),(12682,1,11,151),(12683,1,11,161),(12685,1,11,221),(12686,1,11,222),(12687,1,11,229),(12688,1,11,241),(12689,1,11,242),(12690,1,11,243),(12691,1,11,262),(12692,1,11,281),(12694,1,11,331),(12695,1,11,341),(12696,1,11,342),(12697,1,11,343),(12698,1,11,344),(12699,1,11,531),(12701,1,11,1001),(12702,1,11,1002),(12703,1,11,1003),(12704,1,11,1004),(12705,1,11,1005),(12706,1,11,1101),(12707,1,11,1181),(12708,1,11,1182),(12709,1,11,1201),(12710,1,11,1202),(12711,1,11,1231),(12712,1,11,2401),(12713,1,11,2501),(12714,1,11,2503),(12715,1,11,2515),(12716,1,11,20001),(12718,1,11,23001),(24434,1,12,11),(24428,1,12,12),(24429,1,12,13),(24430,1,12,14),(24431,1,12,15),(24433,1,12,16),(24435,1,12,19),(23583,1,12,21),(23584,1,12,22),(23585,1,12,24),(23586,1,12,25),(23587,1,12,26),(23588,1,12,27),(23589,1,12,28),(23590,1,12,31),(23591,1,12,32),(23592,1,12,33),(23593,1,12,34),(23594,1,12,38),(23595,1,12,39),(23596,1,12,41),(23597,1,12,42),(23598,1,12,44),(23599,1,12,45),(23600,1,12,61),(23601,1,12,62),(23602,1,12,64),(23603,1,12,67),(23604,1,12,68),(23605,1,12,69),(23606,1,12,70),(24331,1,12,71),(24326,1,12,72),(24328,1,12,74),(24332,1,12,75),(24330,1,12,76),(24334,1,12,78),(24335,1,12,79),(24398,1,12,81),(24392,1,12,82),(24393,1,12,84),(24394,1,12,85),(24395,1,12,86),(24396,1,12,87),(24397,1,12,88),(24399,1,12,89),(23622,1,12,91),(23623,1,12,92),(23624,1,12,93),(23625,1,12,94),(23627,1,12,101),(23628,1,12,102),(23629,1,12,104),(23630,1,12,105),(23631,1,12,106),(23632,1,12,109),(24376,1,12,111),(24367,1,12,112),(24369,1,12,113),(24371,1,12,114),(24373,1,12,115),(24375,1,12,116),(24377,1,12,117),(24522,1,12,121),(24519,1,12,122),(24521,1,12,125),(24523,1,12,126),(24524,1,12,130),(23645,1,12,141),(23646,1,12,142),(23647,1,12,144),(23648,1,12,145),(23649,1,12,151),(23650,1,12,152),(23651,1,12,153),(23652,1,12,154),(23653,1,12,161),(23654,1,12,162),(23655,1,12,163),(23656,1,12,164),(23657,1,12,165),(23658,1,12,167),(23906,1,12,221),(23903,1,12,222),(23905,1,12,223),(23907,1,12,229),(23908,1,12,237),(23909,1,12,238),(23910,1,12,239),(23666,1,12,241),(23667,1,12,242),(23668,1,12,243),(24565,1,12,251),(24546,1,12,252),(24548,1,12,253),(24549,1,12,254),(24551,1,12,255),(24553,1,12,256),(24525,1,12,262),(24531,1,12,281),(24528,1,12,282),(24530,1,12,283),(24532,1,12,286),(24381,1,12,301),(24380,1,12,304),(24382,1,12,305),(23683,1,12,331),(23684,1,12,332),(23685,1,12,333),(24554,1,12,341),(24555,1,12,342),(24556,1,12,343),(24557,1,12,344),(24563,1,12,351),(24560,1,12,352),(24562,1,12,353),(24564,1,12,354),(24566,1,12,358),(24507,1,12,511),(24502,1,12,512),(24504,1,12,514),(24506,1,12,517),(24508,1,12,519),(23700,1,12,520),(23701,1,12,521),(23702,1,12,522),(23703,1,12,524),(23704,1,12,525),(23705,1,12,527),(24515,1,12,531),(24511,1,12,532),(24512,1,12,533),(24514,1,12,534),(24516,1,12,538),(23711,1,12,561),(23712,1,12,562),(23713,1,12,563),(23714,1,12,564),(24570,1,12,610),(24569,1,12,611),(24571,1,12,612),(24363,1,12,651),(24362,1,12,652),(24364,1,12,653),(24482,1,12,661),(24481,1,12,662),(24483,1,12,663),(24297,1,12,691),(24296,1,12,692),(24298,1,12,693),(24404,1,12,701),(24403,1,12,702),(24405,1,12,703),(24491,1,12,750),(24490,1,12,751),(24492,1,12,752),(24424,1,12,771),(24413,1,12,772),(24415,1,12,773),(24417,1,12,775),(24419,1,12,776),(24421,1,12,777),(24423,1,12,778),(24425,1,12,779),(23738,1,12,1001),(23739,1,12,1002),(23740,1,12,1003),(23741,1,12,1004),(23742,1,12,1005),(23743,1,12,1011),(23744,1,12,1012),(23745,1,12,1014),(23746,1,12,1015),(23747,1,12,1016),(23748,1,12,1101),(23749,1,12,1102),(23750,1,12,1104),(23751,1,12,1109),(23752,1,12,1121),(23753,1,12,1122),(23754,1,12,1123),(23755,1,12,1124),(23756,1,12,1125),(23757,1,12,1126),(24438,1,12,1181),(24452,1,12,1182),(24441,1,12,1183),(24442,1,12,1184),(24444,1,12,1185),(24446,1,12,1186),(24448,1,12,1187),(24451,1,12,1188),(24449,1,12,1189),(24453,1,12,1191),(23768,1,12,1201),(23769,1,12,1202),(24461,1,12,1231),(24456,1,12,1232),(24457,1,12,1233),(24459,1,12,1234),(24460,1,12,1235),(24462,1,12,1236),(23776,1,12,1251),(24436,1,12,1321),(24437,1,12,1322),(24400,1,12,1421),(24352,1,12,2401),(24351,1,12,2402),(24353,1,12,2403),(24357,1,12,2411),(24356,1,12,2412),(24358,1,12,2413),(24359,1,12,2414),(24302,1,12,2451),(24301,1,12,2452),(24303,1,12,2453),(24409,1,12,2501),(24408,1,12,2503),(24410,1,12,2515),(23793,1,12,2610),(23794,1,12,2801),(23795,1,12,2802),(23796,1,12,3201),(23854,1,12,3301),(23873,1,12,4001),(23872,1,12,4002),(23874,1,12,4003),(23884,1,12,4021),(23877,1,12,4022),(23878,1,12,4023),(23880,1,12,4025),(23881,1,12,4028),(23882,1,12,4031),(23883,1,12,4032),(23885,1,12,4033),(24588,1,12,10001),(24583,1,12,10002),(24585,1,12,10003),(24587,1,12,10005),(24589,1,12,10008),(24474,1,12,20001),(24465,1,12,20002),(24467,1,12,20003),(24471,1,12,20004),(24473,1,12,20005),(24475,1,12,20006),(24469,1,12,20007),(24388,1,12,23001),(24385,1,12,23002),(24387,1,12,23003),(24389,1,12,23004),(24542,1,12,50151),(24543,1,12,50152),(24544,1,12,50153),(24337,1,12,50401),(24345,1,12,50411),(24340,1,12,50412),(24342,1,12,50414),(24344,1,12,50415),(24346,1,12,50418),(24347,1,12,50420),(24348,1,12,50430),(24336,1,12,50440),(24485,1,12,55001),(24486,1,12,55002),(24540,1,12,56001),(24535,1,12,56002),(24537,1,12,56003),(24539,1,12,56004),(24541,1,12,56006),(23833,1,12,57001),(23834,1,12,57002),(23835,1,12,57003),(24310,1,12,58000),(24309,1,12,58001),(24311,1,12,58002),(24476,1,12,59001),(24477,1,12,59002),(24478,1,12,59003),(24498,1,12,63001),(24495,1,12,63002),(24497,1,12,63003),(24499,1,12,63004),(24487,1,12,64001),(23844,1,12,101051),(23845,1,12,101060),(23846,1,12,101061),(23847,1,12,101062),(24305,1,12,101701),(24306,1,12,101702),(23958,1,12,436150),(23957,1,12,436151),(23959,1,12,436152),(23848,1,12,941601),(23849,1,12,941602),(23850,1,12,941603),(23851,1,12,941604),(23852,1,12,941605),(23853,1,12,941606),(23894,1,12,6830501),(23893,1,12,6830502),(23895,1,12,6830503),(23868,1,12,50000001),(23867,1,12,50000002),(23869,1,12,50000003),(12776,1,13,11),(12777,1,13,21),(12778,1,13,31),(12779,1,13,41),(12780,1,13,61),(12781,1,13,71),(12782,1,13,72),(12783,1,13,74),(12784,1,13,75),(12785,1,13,78),(12786,1,13,79),(12787,1,13,81),(12788,1,13,91),(12791,1,13,101),(12792,1,13,111),(12793,1,13,121),(12794,1,13,151),(12795,1,13,161),(12797,1,13,221),(12798,1,13,222),(12799,1,13,229),(12800,1,13,241),(12801,1,13,242),(12802,1,13,243),(12803,1,13,262),(12804,1,13,281),(12806,1,13,331),(12807,1,13,341),(12808,1,13,342),(12809,1,13,343),(12810,1,13,344),(12811,1,13,531),(12813,1,13,1001),(12814,1,13,1002),(12815,1,13,1003),(12816,1,13,1004),(12817,1,13,1005),(12818,1,13,1101),(12819,1,13,1181),(12820,1,13,1182),(12821,1,13,1201),(12822,1,13,1202),(12823,1,13,1231),(12824,1,13,2401),(12825,1,13,2501),(12826,1,13,2503),(12827,1,13,2515),(12828,1,13,20001),(12830,1,13,23001),(12832,1,14,11),(12833,1,14,21),(12834,1,14,31),(12835,1,14,41),(12836,1,14,61),(12837,1,14,71),(12838,1,14,72),(12839,1,14,74),(12840,1,14,75),(12841,1,14,78),(12842,1,14,79),(12843,1,14,81),(12844,1,14,91),(12847,1,14,101),(12848,1,14,111),(12849,1,14,121),(12850,1,14,151),(12851,1,14,161),(12853,1,14,221),(12854,1,14,222),(12855,1,14,229),(12856,1,14,241),(12857,1,14,242),(12858,1,14,243),(12859,1,14,262),(12860,1,14,281),(12862,1,14,331),(12863,1,14,341),(12864,1,14,342),(12865,1,14,343),(12866,1,14,344),(12867,1,14,531),(12869,1,14,1001),(12870,1,14,1002),(12871,1,14,1003),(12872,1,14,1004),(12873,1,14,1005),(12874,1,14,1101),(12875,1,14,1181),(12876,1,14,1182),(12877,1,14,1201),(12878,1,14,1202),(12879,1,14,1231),(12880,1,14,2401),(12881,1,14,2501),(12882,1,14,2503),(12883,1,14,2515),(12884,1,14,20001),(12886,1,14,23001),(12944,1,16,11),(12945,1,16,21),(12946,1,16,31),(13056,1,16,41),(13057,1,16,42),(13058,1,16,44),(13059,1,16,45),(12948,1,16,61),(12949,1,16,71),(12950,1,16,72),(12951,1,16,74),(12952,1,16,75),(12953,1,16,78),(12954,1,16,79),(12955,1,16,81),(12956,1,16,91),(12959,1,16,101),(12960,1,16,111),(12961,1,16,121),(13060,1,16,141),(13061,1,16,142),(13062,1,16,144),(12962,1,16,151),(12963,1,16,161),(12965,1,16,221),(12966,1,16,222),(12967,1,16,229),(12968,1,16,241),(12969,1,16,242),(12970,1,16,243),(13128,1,16,251),(13064,1,16,262),(12972,1,16,281),(12974,1,16,331),(12975,1,16,341),(12976,1,16,342),(12977,1,16,343),(12978,1,16,344),(12979,1,16,531),(12981,1,16,1001),(12982,1,16,1002),(12983,1,16,1003),(12984,1,16,1004),(12985,1,16,1005),(12986,1,16,1101),(12987,1,16,1181),(12988,1,16,1182),(12989,1,16,1201),(12990,1,16,1202),(12991,1,16,1231),(12992,1,16,2401),(12993,1,16,2501),(12994,1,16,2503),(12995,1,16,2515),(12996,1,16,20001),(12998,1,16,23001),(13000,1,17,11),(13001,1,17,21),(13002,1,17,31),(13065,1,17,41),(13066,1,17,42),(13067,1,17,44),(13068,1,17,45),(13004,1,17,61),(13005,1,17,71),(13006,1,17,72),(13007,1,17,74),(13008,1,17,75),(13009,1,17,78),(13010,1,17,79),(13011,1,17,81),(13012,1,17,91),(13015,1,17,101),(13016,1,17,111),(13017,1,17,121),(13069,1,17,141),(13070,1,17,142),(13071,1,17,144),(13018,1,17,151),(13019,1,17,161),(13021,1,17,221),(13022,1,17,222),(13023,1,17,229),(13024,1,17,241),(13025,1,17,242),(13026,1,17,243),(13028,1,17,281),(13030,1,17,331),(13031,1,17,341),(13032,1,17,342),(13033,1,17,343),(13034,1,17,344),(13035,1,17,531),(13037,1,17,1001),(13038,1,17,1002),(13039,1,17,1003),(13040,1,17,1004),(13041,1,17,1005),(13042,1,17,1101),(13043,1,17,1181),(13044,1,17,1182),(13045,1,17,1201),(13046,1,17,1202),(13047,1,17,1231),(13048,1,17,2401),(13049,1,17,2501),(13050,1,17,2503),(13051,1,17,2515),(13052,1,17,20001),(13054,1,17,23001),(14504,1,18,11),(14505,1,18,21),(14506,1,18,31),(14507,1,18,41),(14508,1,18,61),(14509,1,18,71),(14510,1,18,78),(14511,1,18,81),(14512,1,18,91),(14514,1,18,101),(14515,1,18,111),(14516,1,18,121),(14517,1,18,151),(14518,1,18,161),(14519,1,18,221),(14520,1,18,241),(14521,1,18,262),(14522,1,18,281),(14524,1,18,331),(14525,1,18,332),(14526,1,18,333),(14527,1,18,341),(14528,1,18,342),(14529,1,18,343),(14530,1,18,344),(14531,1,18,531),(14532,1,18,701),(14533,1,18,771),(14535,1,18,1001),(14536,1,18,1004),(14537,1,18,1101),(14538,1,18,1181),(14539,1,18,1182),(14540,1,18,1201),(14541,1,18,1231),(14542,1,18,2401),(14543,1,18,2501),(14544,1,18,2503),(14545,1,18,2515),(14546,1,18,20001),(14549,1,18,59001),(15242,1,19,21),(15243,1,19,31),(15244,1,19,41),(15245,1,19,61),(15246,1,19,71),(15247,1,19,78),(15248,1,19,81),(15249,1,19,101),(15250,1,19,121),(15251,1,19,151),(15252,1,19,161),(15253,1,19,221),(15254,1,19,241),(15255,1,19,262),(15256,1,19,281),(15258,1,19,331),(15259,1,19,332),(15260,1,19,341),(15261,1,19,342),(15262,1,19,343),(15263,1,19,344),(15264,1,19,531),(15265,1,19,701),(15266,1,19,771),(15268,1,19,777),(15269,1,19,1001),(15270,1,19,1004),(15271,1,19,1101),(15272,1,19,1121),(15273,1,19,1181),(15274,1,19,1182),(15275,1,19,1201),(15276,1,19,1231),(15277,1,19,2401),(15278,1,19,2501),(15279,1,19,20001),(15282,1,19,59001),(15283,1,19,63001),(22910,1,22,701),(23925,1,29,21),(23926,1,29,31),(23927,1,29,41),(23928,1,29,61),(23929,1,29,151),(23930,1,29,161),(23931,1,29,241),(23940,1,29,251),(23932,1,29,301),(23933,1,29,304),(23939,1,29,342),(23941,1,29,358),(23935,1,29,701),(23936,1,29,1001),(23937,1,29,1004),(23938,1,29,1201); +INSERT INTO `llx_user_rights` VALUES (12402,1,1,11),(12380,1,1,12),(12385,1,1,13),(12389,1,1,14),(12393,1,1,15),(12398,1,1,16),(12404,1,1,19),(9726,1,1,21),(9700,1,1,22),(9706,1,1,24),(9711,1,1,25),(9716,1,1,26),(9722,1,1,27),(9728,1,1,28),(9978,1,1,31),(9968,1,1,32),(9974,1,1,34),(9980,1,1,38),(11573,1,1,41),(11574,1,1,42),(11575,1,1,44),(11576,1,1,45),(7184,1,1,61),(7181,1,1,62),(7183,1,1,64),(7185,1,1,67),(7186,1,1,68),(1678,1,1,71),(1673,1,1,72),(1675,1,1,74),(1679,1,1,75),(1677,1,1,76),(1681,1,1,78),(1682,1,1,79),(12322,1,1,81),(12309,1,1,82),(12312,1,1,84),(12314,1,1,86),(12317,1,1,87),(12320,1,1,88),(12323,1,1,89),(11580,1,1,91),(11581,1,1,92),(11582,1,1,93),(11583,1,1,94),(7139,1,1,101),(7134,1,1,102),(7136,1,1,104),(7137,1,1,105),(7138,1,1,106),(7140,1,1,109),(10229,1,1,111),(10201,1,1,112),(10207,1,1,113),(10213,1,1,114),(10219,1,1,115),(10225,1,1,116),(10231,1,1,117),(12518,1,1,121),(12508,1,1,122),(12514,1,1,125),(12520,1,1,126),(11577,1,1,141),(11578,1,1,142),(11579,1,1,144),(2307,1,1,151),(2304,1,1,152),(2306,1,1,153),(2308,1,1,154),(10092,1,1,161),(10093,1,1,162),(10094,1,1,163),(10095,1,1,164),(10096,1,1,165),(10000,1,1,221),(9990,1,1,222),(9996,1,1,223),(10002,1,1,229),(10007,1,1,237),(10011,1,1,238),(10015,1,1,239),(1686,1,1,241),(1685,1,1,242),(1687,1,1,243),(12604,1,1,251),(12566,1,1,252),(12569,1,1,253),(12572,1,1,254),(12575,1,1,255),(12579,1,1,256),(12525,1,1,262),(12544,1,1,281),(12534,1,1,282),(12540,1,1,283),(12546,1,1,286),(12290,1,1,301),(1763,1,1,331),(1762,1,1,332),(1764,1,1,333),(12582,1,1,341),(12584,1,1,342),(12586,1,1,343),(12588,1,1,344),(12600,1,1,351),(12593,1,1,352),(12597,1,1,353),(12601,1,1,354),(12605,1,1,358),(12560,1,1,531),(12553,1,1,532),(12557,1,1,534),(12561,1,1,538),(12348,1,1,701),(12354,1,1,702),(12360,1,1,703),(1755,1,1,1001),(1754,1,1,1002),(1756,1,1,1003),(1758,1,1,1004),(1759,1,1,1005),(7146,1,1,1101),(7143,1,1,1102),(7145,1,1,1104),(7147,1,1,1109),(12412,1,1,1181),(12458,1,1,1182),(12417,1,1,1183),(12420,1,1,1184),(12423,1,1,1185),(12427,1,1,1186),(12431,1,1,1187),(12437,1,1,1188),(12434,1,1,1189),(1578,1,1,1201),(1579,1,1,1202),(12454,1,1,1231),(12443,1,1,1232),(12446,1,1,1233),(12449,1,1,1234),(12452,1,1,1235),(12455,1,1,1236),(1736,1,1,1251),(12409,1,1,1321),(12326,1,1,1421),(12264,1,1,2401),(12260,1,1,2402),(12266,1,1,2403),(12280,1,1,2411),(12276,1,1,2412),(12282,1,1,2413),(12286,1,1,2414),(12370,1,1,2501),(12367,1,1,2503),(12371,1,1,2515),(12490,1,1,20001),(12474,1,1,20003),(12480,1,1,20004),(12486,1,1,20005),(12492,1,1,20006),(12302,1,1,23001),(12295,1,1,23002),(12299,1,1,23003),(12303,1,1,23004),(4984,1,1,50401),(4987,1,1,50411),(4988,1,1,50412),(4989,1,1,50415),(12498,1,1,55001),(12499,1,1,55002),(9596,1,1,101051),(9604,1,1,101060),(9605,1,1,101061),(10353,1,1,101250),(10355,1,1,101251),(132,1,2,11),(133,1,2,12),(134,1,2,13),(135,1,2,14),(136,1,2,16),(137,1,2,19),(138,1,2,21),(139,1,2,22),(140,1,2,24),(141,1,2,25),(142,1,2,26),(143,1,2,27),(10359,1,2,31),(145,1,2,32),(10361,1,2,34),(147,1,2,41),(148,1,2,42),(149,1,2,44),(150,1,2,61),(151,1,2,62),(152,1,2,64),(153,1,2,71),(154,1,2,72),(155,1,2,74),(156,1,2,75),(157,1,2,78),(158,1,2,79),(159,1,2,81),(160,1,2,82),(161,1,2,84),(162,1,2,86),(163,1,2,87),(164,1,2,88),(165,1,2,89),(166,1,2,91),(167,1,2,92),(168,1,2,93),(169,1,2,101),(170,1,2,102),(171,1,2,104),(172,1,2,109),(173,1,2,111),(174,1,2,112),(175,1,2,113),(176,1,2,114),(177,1,2,116),(178,1,2,117),(179,1,2,121),(180,1,2,122),(181,1,2,125),(182,1,2,141),(183,1,2,142),(184,1,2,144),(2479,1,2,151),(2480,1,2,152),(2481,1,2,153),(2482,1,2,154),(185,1,2,161),(186,1,2,162),(187,1,2,163),(188,1,2,164),(189,1,2,165),(193,1,2,221),(194,1,2,222),(195,1,2,229),(196,1,2,241),(197,1,2,242),(198,1,2,243),(199,1,2,251),(201,1,2,262),(202,1,2,281),(203,1,2,282),(204,1,2,283),(205,1,2,331),(2483,1,2,531),(207,1,2,532),(2484,1,2,534),(210,1,2,701),(211,1,2,702),(2474,1,2,703),(15064,1,2,771),(15057,1,2,772),(15059,1,2,773),(15063,1,2,775),(15065,1,2,776),(212,1,2,1001),(213,1,2,1002),(214,1,2,1003),(215,1,2,1004),(216,1,2,1005),(217,1,2,1101),(218,1,2,1102),(219,1,2,1104),(220,1,2,1109),(15073,1,2,1121),(15074,1,2,1122),(15075,1,2,1123),(15076,1,2,1124),(15077,1,2,1125),(15078,1,2,1126),(221,1,2,1181),(222,1,2,1182),(223,1,2,1183),(224,1,2,1184),(225,1,2,1185),(226,1,2,1186),(227,1,2,1187),(228,1,2,1188),(229,1,2,1201),(230,1,2,1202),(231,1,2,1231),(232,1,2,1232),(233,1,2,1233),(234,1,2,1234),(235,1,2,1421),(236,1,2,2401),(237,1,2,2402),(238,1,2,2403),(239,1,2,2411),(240,1,2,2412),(241,1,2,2413),(2470,1,2,2501),(243,1,2,2515),(10363,1,2,20001),(10365,1,2,20003),(10366,1,2,20004),(10367,1,2,20005),(10368,1,2,20006),(15054,1,2,23001),(15067,1,2,55001),(15066,1,2,59001),(15068,1,2,63001),(15069,1,2,63002),(15070,1,2,63003),(15071,1,2,63004),(10372,1,2,101250),(1807,1,3,11),(1808,1,3,31),(1810,1,3,41),(1811,1,3,61),(1812,1,3,71),(1813,1,3,72),(1814,1,3,74),(1815,1,3,75),(1816,1,3,78),(1817,1,3,79),(1818,1,3,91),(1821,1,3,111),(1822,1,3,121),(1823,1,3,122),(1824,1,3,125),(1825,1,3,161),(1829,1,3,221),(1830,1,3,222),(1831,1,3,229),(1832,1,3,241),(1833,1,3,242),(1834,1,3,243),(1835,1,3,251),(1836,1,3,255),(1837,1,3,256),(1838,1,3,262),(1839,1,3,281),(1840,1,3,282),(1841,1,3,283),(1842,1,3,331),(1843,1,3,531),(1846,1,3,1001),(1847,1,3,1002),(1848,1,3,1003),(1849,1,3,1004),(1850,1,3,1005),(1851,1,3,1181),(1852,1,3,1182),(1853,1,3,1201),(1854,1,3,1202),(1855,1,3,1231),(1856,1,3,2401),(1857,1,3,2402),(1858,1,3,2403),(1859,1,3,2411),(1860,1,3,2412),(1861,1,3,2413),(1863,1,3,2515),(8026,1,4,11),(8027,1,4,21),(8028,1,4,31),(8029,1,4,41),(8030,1,4,61),(8031,1,4,71),(8032,1,4,72),(8033,1,4,74),(8034,1,4,75),(8035,1,4,78),(8036,1,4,79),(8037,1,4,81),(8038,1,4,91),(8041,1,4,101),(8042,1,4,111),(8043,1,4,121),(8044,1,4,151),(8045,1,4,161),(8047,1,4,221),(8048,1,4,222),(8049,1,4,229),(8050,1,4,241),(8051,1,4,242),(8052,1,4,243),(8146,1,4,251),(8147,1,4,253),(8053,1,4,262),(8054,1,4,281),(8055,1,4,331),(8056,1,4,341),(8057,1,4,342),(8058,1,4,343),(8059,1,4,344),(8060,1,4,531),(8062,1,4,1001),(8063,1,4,1002),(8064,1,4,1003),(8065,1,4,1004),(8066,1,4,1005),(8067,1,4,1101),(8068,1,4,1181),(8069,1,4,1182),(8070,1,4,1201),(8071,1,4,1202),(8072,1,4,1231),(8073,1,4,2401),(8074,1,4,2501),(8075,1,4,2503),(8076,1,4,2515),(8077,1,4,20001),(12608,1,10,11),(12609,1,10,21),(12610,1,10,31),(12611,1,10,41),(12612,1,10,61),(12613,1,10,71),(12614,1,10,72),(12615,1,10,74),(12616,1,10,75),(12617,1,10,78),(12618,1,10,79),(12619,1,10,81),(12620,1,10,91),(12623,1,10,101),(12624,1,10,111),(12625,1,10,121),(12626,1,10,151),(12627,1,10,161),(12629,1,10,221),(12630,1,10,222),(12631,1,10,229),(12632,1,10,241),(12633,1,10,242),(12634,1,10,243),(12635,1,10,262),(12636,1,10,281),(12638,1,10,331),(12639,1,10,341),(12640,1,10,342),(12641,1,10,343),(12642,1,10,344),(12643,1,10,531),(12645,1,10,1001),(12646,1,10,1002),(12647,1,10,1003),(12648,1,10,1004),(12649,1,10,1005),(12650,1,10,1101),(12651,1,10,1181),(12652,1,10,1182),(12653,1,10,1201),(12654,1,10,1202),(12655,1,10,1231),(12656,1,10,2401),(12657,1,10,2501),(12658,1,10,2503),(12659,1,10,2515),(12660,1,10,20001),(12662,1,10,23001),(12664,1,11,11),(12665,1,11,21),(12666,1,11,31),(12667,1,11,41),(12668,1,11,61),(12669,1,11,71),(12670,1,11,72),(12671,1,11,74),(12672,1,11,75),(12673,1,11,78),(12674,1,11,79),(12675,1,11,81),(12676,1,11,91),(12679,1,11,101),(12680,1,11,111),(12681,1,11,121),(12682,1,11,151),(12683,1,11,161),(12685,1,11,221),(12686,1,11,222),(12687,1,11,229),(12688,1,11,241),(12689,1,11,242),(12690,1,11,243),(12691,1,11,262),(12692,1,11,281),(12694,1,11,331),(12695,1,11,341),(12696,1,11,342),(12697,1,11,343),(12698,1,11,344),(12699,1,11,531),(12701,1,11,1001),(12702,1,11,1002),(12703,1,11,1003),(12704,1,11,1004),(12705,1,11,1005),(12706,1,11,1101),(12707,1,11,1181),(12708,1,11,1182),(12709,1,11,1201),(12710,1,11,1202),(12711,1,11,1231),(12712,1,11,2401),(12713,1,11,2501),(12714,1,11,2503),(12715,1,11,2515),(12716,1,11,20001),(12718,1,11,23001),(24933,1,12,11),(24927,1,12,12),(24928,1,12,13),(24929,1,12,14),(24930,1,12,15),(24932,1,12,16),(24934,1,12,19),(23583,1,12,21),(23584,1,12,22),(23585,1,12,24),(23586,1,12,25),(23587,1,12,26),(23588,1,12,27),(23589,1,12,28),(23590,1,12,31),(23591,1,12,32),(23592,1,12,33),(23593,1,12,34),(23594,1,12,38),(23595,1,12,39),(23596,1,12,41),(23597,1,12,42),(23598,1,12,44),(23599,1,12,45),(23600,1,12,61),(23601,1,12,62),(23602,1,12,64),(23603,1,12,67),(23604,1,12,68),(23605,1,12,69),(23606,1,12,70),(24331,1,12,71),(24326,1,12,72),(24328,1,12,74),(24332,1,12,75),(24330,1,12,76),(24334,1,12,78),(24335,1,12,79),(24897,1,12,81),(24891,1,12,82),(24892,1,12,84),(24893,1,12,85),(24894,1,12,86),(24895,1,12,87),(24896,1,12,88),(24898,1,12,89),(23622,1,12,91),(23623,1,12,92),(23624,1,12,93),(23625,1,12,94),(23627,1,12,101),(23628,1,12,102),(23629,1,12,104),(23630,1,12,105),(23631,1,12,106),(23632,1,12,109),(24875,1,12,111),(24866,1,12,112),(24868,1,12,113),(24870,1,12,114),(24872,1,12,115),(24874,1,12,116),(24876,1,12,117),(25021,1,12,121),(25018,1,12,122),(25020,1,12,125),(25022,1,12,126),(25023,1,12,130),(23645,1,12,141),(23646,1,12,142),(23647,1,12,144),(23648,1,12,145),(23649,1,12,151),(23650,1,12,152),(23651,1,12,153),(23652,1,12,154),(23653,1,12,161),(23654,1,12,162),(23655,1,12,163),(23656,1,12,164),(23657,1,12,165),(23658,1,12,167),(23906,1,12,221),(23903,1,12,222),(23905,1,12,223),(23907,1,12,229),(23908,1,12,237),(23909,1,12,238),(23910,1,12,239),(23666,1,12,241),(23667,1,12,242),(23668,1,12,243),(25064,1,12,251),(25045,1,12,252),(25047,1,12,253),(25048,1,12,254),(25050,1,12,255),(25052,1,12,256),(25024,1,12,262),(25030,1,12,281),(25027,1,12,282),(25029,1,12,283),(25031,1,12,286),(24880,1,12,301),(24879,1,12,304),(24881,1,12,305),(23683,1,12,331),(23684,1,12,332),(23685,1,12,333),(25053,1,12,341),(25054,1,12,342),(25055,1,12,343),(25056,1,12,344),(25062,1,12,351),(25059,1,12,352),(25061,1,12,353),(25063,1,12,354),(25065,1,12,358),(25006,1,12,511),(25001,1,12,512),(25003,1,12,514),(25005,1,12,517),(25007,1,12,519),(23700,1,12,520),(23701,1,12,521),(23702,1,12,522),(23703,1,12,524),(23704,1,12,525),(23705,1,12,527),(25014,1,12,531),(25010,1,12,532),(25011,1,12,533),(25013,1,12,534),(25015,1,12,538),(23711,1,12,561),(23712,1,12,562),(23713,1,12,563),(23714,1,12,564),(25069,1,12,610),(25068,1,12,611),(25070,1,12,612),(24862,1,12,651),(24861,1,12,652),(24863,1,12,653),(24981,1,12,661),(24980,1,12,662),(24982,1,12,663),(24297,1,12,691),(24296,1,12,692),(24298,1,12,693),(24903,1,12,701),(24902,1,12,702),(24904,1,12,703),(24990,1,12,750),(24989,1,12,751),(24991,1,12,752),(24923,1,12,771),(24912,1,12,772),(24914,1,12,773),(24916,1,12,775),(24918,1,12,776),(24920,1,12,777),(24922,1,12,778),(24924,1,12,779),(23738,1,12,1001),(23739,1,12,1002),(23740,1,12,1003),(23741,1,12,1004),(23742,1,12,1005),(23743,1,12,1011),(23744,1,12,1012),(23745,1,12,1014),(23746,1,12,1015),(23747,1,12,1016),(23748,1,12,1101),(23749,1,12,1102),(23750,1,12,1104),(23751,1,12,1109),(23752,1,12,1121),(23753,1,12,1122),(23754,1,12,1123),(23755,1,12,1124),(23756,1,12,1125),(23757,1,12,1126),(24937,1,12,1181),(24951,1,12,1182),(24940,1,12,1183),(24941,1,12,1184),(24943,1,12,1185),(24945,1,12,1186),(24947,1,12,1187),(24950,1,12,1188),(24948,1,12,1189),(24952,1,12,1191),(23768,1,12,1201),(23769,1,12,1202),(24960,1,12,1231),(24955,1,12,1232),(24956,1,12,1233),(24958,1,12,1234),(24959,1,12,1235),(24961,1,12,1236),(23776,1,12,1251),(24935,1,12,1321),(24936,1,12,1322),(24899,1,12,1421),(24851,1,12,2401),(24850,1,12,2402),(24852,1,12,2403),(24856,1,12,2411),(24855,1,12,2412),(24857,1,12,2413),(24858,1,12,2414),(24302,1,12,2451),(24301,1,12,2452),(24303,1,12,2453),(24908,1,12,2501),(24907,1,12,2503),(24909,1,12,2515),(23793,1,12,2610),(23794,1,12,2801),(23795,1,12,2802),(23796,1,12,3201),(23854,1,12,3301),(23873,1,12,4001),(23872,1,12,4002),(23874,1,12,4003),(23884,1,12,4021),(23877,1,12,4022),(23878,1,12,4023),(23880,1,12,4025),(23881,1,12,4028),(23882,1,12,4031),(23883,1,12,4032),(23885,1,12,4033),(25078,1,12,10001),(25073,1,12,10002),(25075,1,12,10003),(25077,1,12,10005),(25079,1,12,10008),(24973,1,12,20001),(24964,1,12,20002),(24966,1,12,20003),(24970,1,12,20004),(24972,1,12,20005),(24974,1,12,20006),(24968,1,12,20007),(24887,1,12,23001),(24884,1,12,23002),(24886,1,12,23003),(24888,1,12,23004),(25041,1,12,50151),(25042,1,12,50152),(25043,1,12,50153),(24836,1,12,50401),(24844,1,12,50411),(24839,1,12,50412),(24841,1,12,50414),(24843,1,12,50415),(24845,1,12,50418),(24846,1,12,50420),(24847,1,12,50430),(24835,1,12,50440),(24984,1,12,55001),(24985,1,12,55002),(25039,1,12,56001),(25034,1,12,56002),(25036,1,12,56003),(25038,1,12,56004),(25040,1,12,56006),(23833,1,12,57001),(23834,1,12,57002),(23835,1,12,57003),(24310,1,12,58000),(24309,1,12,58001),(24311,1,12,58002),(24975,1,12,59001),(24976,1,12,59002),(24977,1,12,59003),(24997,1,12,63001),(24994,1,12,63002),(24996,1,12,63003),(24998,1,12,63004),(24986,1,12,64001),(23844,1,12,101051),(23845,1,12,101060),(23846,1,12,101061),(23847,1,12,101062),(24305,1,12,101701),(24306,1,12,101702),(23958,1,12,436150),(23957,1,12,436151),(23959,1,12,436152),(23848,1,12,941601),(23849,1,12,941602),(23850,1,12,941603),(23851,1,12,941604),(23852,1,12,941605),(23853,1,12,941606),(23894,1,12,6830501),(23893,1,12,6830502),(23895,1,12,6830503),(23868,1,12,50000001),(23867,1,12,50000002),(23869,1,12,50000003),(12776,1,13,11),(12777,1,13,21),(12778,1,13,31),(12779,1,13,41),(12780,1,13,61),(12781,1,13,71),(12782,1,13,72),(12783,1,13,74),(12784,1,13,75),(12785,1,13,78),(12786,1,13,79),(12787,1,13,81),(12788,1,13,91),(12791,1,13,101),(12792,1,13,111),(12793,1,13,121),(12794,1,13,151),(12795,1,13,161),(12797,1,13,221),(12798,1,13,222),(12799,1,13,229),(12800,1,13,241),(12801,1,13,242),(12802,1,13,243),(12803,1,13,262),(12804,1,13,281),(12806,1,13,331),(12807,1,13,341),(12808,1,13,342),(12809,1,13,343),(12810,1,13,344),(12811,1,13,531),(12813,1,13,1001),(12814,1,13,1002),(12815,1,13,1003),(12816,1,13,1004),(12817,1,13,1005),(12818,1,13,1101),(12819,1,13,1181),(12820,1,13,1182),(12821,1,13,1201),(12822,1,13,1202),(12823,1,13,1231),(12824,1,13,2401),(12825,1,13,2501),(12826,1,13,2503),(12827,1,13,2515),(12828,1,13,20001),(12830,1,13,23001),(12832,1,14,11),(12833,1,14,21),(12834,1,14,31),(12835,1,14,41),(12836,1,14,61),(12837,1,14,71),(12838,1,14,72),(12839,1,14,74),(12840,1,14,75),(12841,1,14,78),(12842,1,14,79),(12843,1,14,81),(12844,1,14,91),(12847,1,14,101),(12848,1,14,111),(12849,1,14,121),(12850,1,14,151),(12851,1,14,161),(12853,1,14,221),(12854,1,14,222),(12855,1,14,229),(12856,1,14,241),(12857,1,14,242),(12858,1,14,243),(12859,1,14,262),(12860,1,14,281),(12862,1,14,331),(12863,1,14,341),(12864,1,14,342),(12865,1,14,343),(12866,1,14,344),(12867,1,14,531),(12869,1,14,1001),(12870,1,14,1002),(12871,1,14,1003),(12872,1,14,1004),(12873,1,14,1005),(12874,1,14,1101),(12875,1,14,1181),(12876,1,14,1182),(12877,1,14,1201),(12878,1,14,1202),(12879,1,14,1231),(12880,1,14,2401),(12881,1,14,2501),(12882,1,14,2503),(12883,1,14,2515),(12884,1,14,20001),(12886,1,14,23001),(12944,1,16,11),(12945,1,16,21),(12946,1,16,31),(13056,1,16,41),(13057,1,16,42),(13058,1,16,44),(13059,1,16,45),(12948,1,16,61),(12949,1,16,71),(12950,1,16,72),(12951,1,16,74),(12952,1,16,75),(12953,1,16,78),(12954,1,16,79),(12955,1,16,81),(12956,1,16,91),(12959,1,16,101),(12960,1,16,111),(12961,1,16,121),(13060,1,16,141),(13061,1,16,142),(13062,1,16,144),(12962,1,16,151),(12963,1,16,161),(12965,1,16,221),(12966,1,16,222),(12967,1,16,229),(12968,1,16,241),(12969,1,16,242),(12970,1,16,243),(13128,1,16,251),(13064,1,16,262),(12972,1,16,281),(12974,1,16,331),(12975,1,16,341),(12976,1,16,342),(12977,1,16,343),(12978,1,16,344),(12979,1,16,531),(12981,1,16,1001),(12982,1,16,1002),(12983,1,16,1003),(12984,1,16,1004),(12985,1,16,1005),(12986,1,16,1101),(12987,1,16,1181),(12988,1,16,1182),(12989,1,16,1201),(12990,1,16,1202),(12991,1,16,1231),(12992,1,16,2401),(12993,1,16,2501),(12994,1,16,2503),(12995,1,16,2515),(12996,1,16,20001),(12998,1,16,23001),(13000,1,17,11),(13001,1,17,21),(13002,1,17,31),(13065,1,17,41),(13066,1,17,42),(13067,1,17,44),(13068,1,17,45),(13004,1,17,61),(13005,1,17,71),(13006,1,17,72),(13007,1,17,74),(13008,1,17,75),(13009,1,17,78),(13010,1,17,79),(13011,1,17,81),(13012,1,17,91),(13015,1,17,101),(13016,1,17,111),(13017,1,17,121),(13069,1,17,141),(13070,1,17,142),(13071,1,17,144),(13018,1,17,151),(13019,1,17,161),(13021,1,17,221),(13022,1,17,222),(13023,1,17,229),(13024,1,17,241),(13025,1,17,242),(13026,1,17,243),(13028,1,17,281),(13030,1,17,331),(13031,1,17,341),(13032,1,17,342),(13033,1,17,343),(13034,1,17,344),(13035,1,17,531),(13037,1,17,1001),(13038,1,17,1002),(13039,1,17,1003),(13040,1,17,1004),(13041,1,17,1005),(13042,1,17,1101),(13043,1,17,1181),(13044,1,17,1182),(13045,1,17,1201),(13046,1,17,1202),(13047,1,17,1231),(13048,1,17,2401),(13049,1,17,2501),(13050,1,17,2503),(13051,1,17,2515),(13052,1,17,20001),(13054,1,17,23001),(14504,1,18,11),(14505,1,18,21),(14506,1,18,31),(14507,1,18,41),(14508,1,18,61),(14509,1,18,71),(14510,1,18,78),(14511,1,18,81),(14512,1,18,91),(14514,1,18,101),(14515,1,18,111),(14516,1,18,121),(14517,1,18,151),(14518,1,18,161),(14519,1,18,221),(14520,1,18,241),(14521,1,18,262),(14522,1,18,281),(14524,1,18,331),(14525,1,18,332),(14526,1,18,333),(14527,1,18,341),(14528,1,18,342),(14529,1,18,343),(14530,1,18,344),(14531,1,18,531),(14532,1,18,701),(14533,1,18,771),(14535,1,18,1001),(14536,1,18,1004),(14537,1,18,1101),(14538,1,18,1181),(14539,1,18,1182),(14540,1,18,1201),(14541,1,18,1231),(14542,1,18,2401),(14543,1,18,2501),(14544,1,18,2503),(14545,1,18,2515),(14546,1,18,20001),(14549,1,18,59001),(15242,1,19,21),(15243,1,19,31),(15244,1,19,41),(15245,1,19,61),(15246,1,19,71),(15247,1,19,78),(15248,1,19,81),(15249,1,19,101),(15250,1,19,121),(15251,1,19,151),(15252,1,19,161),(15253,1,19,221),(15254,1,19,241),(15255,1,19,262),(15256,1,19,281),(15258,1,19,331),(15259,1,19,332),(15260,1,19,341),(15261,1,19,342),(15262,1,19,343),(15263,1,19,344),(15264,1,19,531),(15265,1,19,701),(15266,1,19,771),(15268,1,19,777),(15269,1,19,1001),(15270,1,19,1004),(15271,1,19,1101),(15272,1,19,1121),(15273,1,19,1181),(15274,1,19,1182),(15275,1,19,1201),(15276,1,19,1231),(15277,1,19,2401),(15278,1,19,2501),(15279,1,19,20001),(15282,1,19,59001),(15283,1,19,63001),(22910,1,22,701),(23925,1,29,21),(23926,1,29,31),(23927,1,29,41),(23928,1,29,61),(23929,1,29,151),(23930,1,29,161),(23931,1,29,241),(23940,1,29,251),(23932,1,29,301),(23933,1,29,304),(23939,1,29,342),(23941,1,29,358),(23935,1,29,701),(23936,1,29,1001),(23937,1,29,1004),(23938,1,29,1201); /*!40000 ALTER TABLE `llx_user_rights` ENABLE KEYS */; UNLOCK TABLES; @@ -13744,16 +13406,6 @@ CREATE TABLE `tmp_user` ( ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci; /*!40101 SET character_set_client = @saved_cs_client */; --- --- Dumping data for table `tmp_user` --- - -LOCK TABLES `tmp_user` WRITE; -/*!40000 ALTER TABLE `tmp_user` DISABLE KEYS */; -INSERT INTO `tmp_user` VALUES (1,'2012-07-08 13:20:11','2023-03-13 11:45:20',NULL,NULL,'aeinstein',0,'','',NULL,1,0,NULL,'$2y$10$lIvMb5RJjxqmd6OxnZLqvuLZGOXj3gxIQhZQUqcY8fQTyh0cTtUpa',NULL,'dolcrypt:AES-256-CTR:10fbb3f05469219f:QbKVp8jFpxklPuBYahTv3dEuvrOOB2P2mHRYwhQUdv4=','Einstein','Albert','','123456789','','','','aeinstein@example.com','','[]','',0,NULL,NULL,NULL,'','2017-10-05 08:32:44','2017-10-03 11:43:50',NULL,'',1,'alberteinstein.jpg',NULL,NULL,14,NULL,NULL,NULL,'','','',NULL,NULL,'aaaaff','',NULL,0,0,NULL,NULL,NULL,44.00000000,'man','',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL),(2,'2012-07-08 13:54:48','2021-04-15 10:41:35',NULL,NULL,'demo',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Doe','David','Trainee','09123123','','','','daviddoe@example.com','','[]','',0,NULL,NULL,NULL,'','2018-07-30 23:10:54','2018-07-30 23:04:17',NULL,'',1,'person9.jpeg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,35.00000000,'man',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(3,'2012-07-11 16:18:59','2023-01-14 10:46:33',NULL,NULL,'pcurie',1,'','',NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Curie','Pierre','','','','','','pcurie@example.com','','[]','',0,NULL,NULL,2,'','2014-12-21 17:38:55',NULL,NULL,'',1,'dolicloud_avent_saas.png',NULL,NULL,14,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,39.00000000,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL),(4,'2015-01-23 17:52:27','2021-04-15 10:41:35',NULL,NULL,'bbookkeeper',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Bookkeeper','Bob','Bookkeeper','','','','','bbookkeeper@example.com','','{\"skype\":\"skypebbookkeeper\"}','',0,17,6,NULL,'','2015-02-25 10:18:41','2015-01-23 17:53:20',NULL,'',1,'person8.jpeg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,16.00000000,'man',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(10,'2017-10-03 11:47:41','2023-03-15 15:07:13',NULL,NULL,'mcurie',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Curie','Marie','','','','','','mcurie@example.com','','[]','',0,NULL,NULL,NULL,'',NULL,NULL,NULL,'',1,'mariecurie.jpg',NULL,NULL,14,NULL,NULL,NULL,'','','',NULL,NULL,'ffaaff','',NULL,0,0,NULL,NULL,NULL,44.00000000,'woman',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(11,'2017-10-05 09:07:52','2023-03-15 15:07:13',NULL,NULL,'zzeceo',1,NULL,'',NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Zeceo','Zack','President - CEO','','','','','zzeceo@example.com','','{\"facebook\":\"\",\"skype\":\"\",\"twitter\":\"\",\"linkedin\":\"\",\"instagram\":\"\",\"snapchat\":\"\",\"googleplus\":\"\",\"youtube\":\"\",\"whatsapp\":\"\",\"tumblr\":\"\",\"vero\":\"\",\"viadeo\":\"\",\"slack\":\"\",\"xing\":\"\",\"meetup\":\"\",\"pinterest\":\"\",\"flickr\":\"\",\"500px\":\"\",\"giphy\":\"\",\"gifycat\":\"\",\"dailymotion\":\"\",\"vimeo\":\"\",\"periscope\":\"\",\"twitch\":\"\",\"discord\":\"\",\"wikipedia\":\"\",\"reddit\":\"\",\"quora\":\"\",\"tripadvisor\":\"\",\"mastodon\":\"\",\"diaspora\":\"\",\"viber\":\"\",\"github\":\"\"}','',0,NULL,NULL,NULL,'','2017-10-05 22:48:08','2017-10-05 21:18:46',NULL,'',1,'person4.jpeg',NULL,NULL,NULL,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,39.00000000,NULL,'','2019-06-10 00:00:00',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(12,'2017-10-05 09:09:46','2023-08-15 10:05:18',NULL,12,'admin',0,'','',NULL,1,0,NULL,'$2y$10$5qk/U.aOy.7uBSNxpwiqkOfBlCUop9c2wKWuFZ/wZ2hAC9lriGqnG',NULL,'dolcrypt:AES-256-CTR:10fbb3f05469219f:s11W02eAFqX7YQAA2Sjg8ewGj8DKl0WqDvAE+UlkB98=','Adminson','Alice','Admin Technical','','','','','myemail@mycompany.com','','[]','Alice - 123',1,NULL,NULL,NULL,'kmlk','2023-08-15 11:03:49','2023-08-15 10:30:20',NULL,'',1,'ldestailleur_200x200.jpg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,2700.00000000,NULL,NULL,39.00000000,'woman','',NULL,NULL,'generic_user_odt','1985-09-15',NULL,NULL,NULL,NULL,NULL,'127.0.0.1','192.168.0.254',NULL,NULL,NULL,'',NULL,NULL),(13,'2017-10-05 21:29:35','2023-03-15 15:07:36',NULL,NULL,'ccommercy',1,NULL,'',NULL,1,0,NULL,'$2y$10$KTaKE0NyYyJSCogsxtwR.eADst17XYMrOWlsFfVLR60IbjANIVLHK',NULL,NULL,'Commercy','Coraly','Commercial leader','','','','','ccommercy@example.com','','{\"facebook\":\"\",\"skype\":\"\",\"twitter\":\"\",\"linkedin\":\"\",\"instagram\":\"\",\"snapchat\":\"\",\"googleplus\":\"\",\"youtube\":\"\",\"whatsapp\":\"\",\"tumblr\":\"\",\"vero\":\"\",\"viadeo\":\"\",\"slack\":\"\",\"xing\":\"\",\"meetup\":\"\",\"pinterest\":\"\",\"flickr\":\"\",\"500px\":\"\",\"giphy\":\"\",\"gifycat\":\"\",\"dailymotion\":\"\",\"vimeo\":\"\",\"periscope\":\"\",\"twitch\":\"\",\"discord\":\"\",\"wikipedia\":\"\",\"reddit\":\"\",\"quora\":\"\",\"tripadvisor\":\"\",\"mastodon\":\"\",\"diaspora\":\"\",\"viber\":\"\",\"github\":\"\"}','',0,NULL,NULL,NULL,'',NULL,NULL,NULL,'',1,'person7.jpeg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,1890.00000000,NULL,NULL,25.00000000,'woman','','2018-09-11 00:00:00',NULL,NULL,'1998-12-08',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(14,'2017-10-05 21:33:33','2023-03-15 15:07:36',NULL,NULL,'sscientol',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Scientol','Sam','Scientist leader','','','','','sscientol@example.com','','[]','',0,NULL,NULL,NULL,'',NULL,NULL,NULL,'',1,'person3.jpeg',NULL,NULL,11,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,3500.00000000,NULL,NULL,39.00000000,NULL,NULL,'2018-07-03 00:00:00',NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(16,'2017-10-05 22:47:52','2023-03-15 15:07:36',NULL,NULL,'ccommerson',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Charle1','Commerson','Sale representative','','','','','ccommerson@example.com','','[]','',0,NULL,NULL,NULL,'','2017-10-05 23:46:24','2017-10-05 23:37:31',NULL,'',1,'person1.jpeg',NULL,NULL,13,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,2900.00000000,NULL,NULL,39.00000000,NULL,NULL,'2019-09-01 00:00:00',NULL,NULL,'1976-02-05',NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(17,'2017-10-05 22:48:39','2023-03-15 15:07:36',NULL,NULL,'aleerfok',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Leerfok','Amanda','Sale representative','','','','','aleerfok@example.com','','[]','',0,NULL,NULL,NULL,'','2017-10-05 23:16:06',NULL,NULL,'',0,'person5.jpeg',NULL,NULL,13,NULL,NULL,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,39.00000000,'woman',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(18,'2018-01-22 17:27:02','2023-03-15 15:08:17',NULL,NULL,'ldestailleur',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Destailleur','Laurent','Project leader of Dolibarr ERP CRM','','','','','ldestailleur@example.com','','[]','',0,10,10,NULL,'More information on http://www.mydomain.com','2019-10-04 10:06:40','2017-09-06 11:55:30',NULL,'',1,'ldestailleur_200x200.jpg',NULL,NULL,NULL,NULL,NULL,NULL,'','','',NULL,NULL,'007f7f','',NULL,0,0,NULL,NULL,NULL,NULL,'man',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(19,'2017-02-02 03:55:44','2021-04-15 10:41:35',NULL,NULL,'aboston',1,NULL,NULL,NULL,1,0,NULL,'$2y$10$Hgawd0DFS2bgBiM6rJuAZ.ff250vlm111HVWBJQvRzRq5hNijLxam',NULL,NULL,'Boston','Alex','','','','','','aboston@example.com','','[]','Alex Boston
      \r\nAdmin support service - 555 01 02 03 04',0,NULL,NULL,NULL,'',NULL,NULL,NULL,'',0,'person2.jpeg',NULL,NULL,12,NULL,NULL,25.00000000,'','','',NULL,NULL,'ff00ff','',NULL,0,0,2700.00000000,NULL,NULL,32.00000000,NULL,NULL,'2016-11-04 00:00:00',NULL,NULL,NULL,NULL,NULL,NULL,NULL,-1,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL),(22,'2022-12-13 11:28:20','2023-02-25 15:00:16',NULL,NULL,'noperm',1,'','',NULL,1,0,NULL,'$2y$10$g.VTJej0pV4ozOY.X/e5muWjbKkayuu6gvf7mVgUqxsArqSoy7qnC',NULL,NULL,'noperm','noperm','','','','','','','','[]','',0,NULL,NULL,NULL,'','2023-02-25 12:00:24','2022-12-13 11:29:23',NULL,'',1,NULL,NULL,NULL,12,12,12,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'127.0.0.1','127.0.0.1',NULL,NULL,NULL,'',NULL,NULL),(29,'2023-02-25 12:08:43','2023-03-15 15:07:36',NULL,NULL,'test',1,'','',NULL,1,0,NULL,'$2y$10$etr5jNn7iShYbwhjcnGq2.QC1UZJfljdt/Y83KkdXya4akasUGgUy',NULL,NULL,'test','test','','','','','','','','[]','',0,NULL,NULL,NULL,'','2023-02-25 12:09:28',NULL,NULL,'',1,NULL,NULL,NULL,12,12,12,NULL,'','','',NULL,NULL,'','',NULL,0,0,NULL,NULL,NULL,NULL,NULL,'',NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,NULL,'127.0.0.1',NULL,NULL,NULL,NULL,'',NULL,NULL); -/*!40000 ALTER TABLE `tmp_user` ENABLE KEYS */; -UNLOCK TABLES; -/*!40103 SET TIME_ZONE=@OLD_TIME_ZONE */; /*!40101 SET SQL_MODE=@OLD_SQL_MODE */; /*!40014 SET FOREIGN_KEY_CHECKS=@OLD_FOREIGN_KEY_CHECKS */; @@ -13763,4 +13415,4 @@ UNLOCK TABLES; /*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */; /*!40111 SET SQL_NOTES=@OLD_SQL_NOTES */; --- Dump completed on 2023-08-15 15:52:03 +-- Dump completed on 2024-01-03 17:36:27 diff --git a/dev/initdemo/removeconfdemo.sh b/dev/initdemo/removeconfdemo.sh index b5f76c45205..a076ebc975b 100755 --- a/dev/initdemo/removeconfdemo.sh +++ b/dev/initdemo/removeconfdemo.sh @@ -6,15 +6,15 @@ # Regis Houssin - regis.houssin@inodbox.com # Laurent Destailleur - eldy@users.sourceforge.net #------------------------------------------------------ -# WARNING: This script erase setup of instance, +# WARNING: This script erase setup of instance, # but not the database #------------------------------------------------------ - +# shellcheck disable=2006,2034,2046,2064,2068,2086,2155,2166,2186,2172,2268 export mydir=`echo "$0" | sed -e 's/removedemo.sh//'`; if [ "x$mydir" = "x" ] then - export mydir="./" + export mydir="./" fi export id=`id -u`; @@ -22,8 +22,8 @@ export id=`id -u`; # ----------------------------- check if root if [ "x$id" != "x0" -a "x$id" != "x1001" ] then - echo "Script must be ran as root" - exit + echo "Script must be ran as root" + exit fi @@ -32,15 +32,15 @@ DIALOG="$DIALOG --ascii-lines" fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Remove Dolibarr install" --clear \ - --yesno "Do you confirm ?" 15 40 + --yesno "Do you confirm ?" 15 40 valret=$? case $valret in - 0) -base=`cat $fichtemp`;; - 1) -exit;; - 255) -exit;; + 0) + base=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac # ---------------------------- remove conf file diff --git a/dev/initdemo/savedemo.sh b/dev/initdemo/savedemo.sh index 9f5ea6c42dc..3e1951fe78d 100755 --- a/dev/initdemo/savedemo.sh +++ b/dev/initdemo/savedemo.sh @@ -1,6 +1,6 @@ #!/bin/sh #------------------------------------------------------ -# Script to extrac a database with demo values. +# Script to extract a database with demo values. # Note: "dialog" tool need to be available if no parameter provided. # # Regis Houssin - regis.houssin@inodbox.com @@ -9,12 +9,12 @@ # Usage: savedemo.sh # usage: savedemo.sh mysqldump_dolibarr_x.x.x.sql database port login pass #------------------------------------------------------ - +# shellcheck disable=2012,2006,2034,2046,2064,2086,2155,2166,2186,2172,2268 export mydir=`echo "$0" | sed -e 's/savedemo.sh//'`; if [ "x$mydir" = "x" ] then - export mydir="." + export mydir="." fi export id=`id -u`; @@ -47,97 +47,97 @@ then fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Save Dolibarr with demo values" --clear \ - --inputbox "Output dump file :" 16 55 $dumpfile 2> $fichtemp + --inputbox "Output dump file :" 16 55 $dumpfile 2> $fichtemp valret=$? case $valret in - 0) - dumpfile=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + dumpfile=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac - + # ----------------------------- database name DIALOG=${DIALOG=dialog} DIALOG="$DIALOG --ascii-lines" fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Save Dolibarr with demo values" --clear \ - --inputbox "Mysql database name :" 16 55 dolibarrdemo 2> $fichtemp + --inputbox "Mysql database name :" 16 55 dolibarrdemo 2> $fichtemp valret=$? case $valret in - 0) - base=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + base=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac - + # ---------------------------- database port DIALOG=${DIALOG=dialog} fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Save Dolibarr with demo values" --clear \ - --inputbox "Mysql port (ex: 3306):" 16 55 3306 2> $fichtemp - + --inputbox "Mysql port (ex: 3306):" 16 55 3306 2> $fichtemp + valret=$? - + case $valret in - 0) - port=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + port=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac - + # ---------------------------- compte admin mysql DIALOG=${DIALOG=dialog} fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Save Dolibarr with demo values" --clear \ - --inputbox "Mysql root login (ex: root):" 16 55 root 2> $fichtemp - + --inputbox "Mysql root login (ex: root):" 16 55 root 2> $fichtemp + valret=$? - + case $valret in - 0) - admin=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + admin=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac - - # ---------------------------- mot de passe admin mysql + + # ---------------------------- Password for admin mysql (root) DIALOG=${DIALOG=dialog} fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ trap "rm -f $fichtemp" 0 1 2 5 15 $DIALOG --title "Save Dolibarr with demo values" --clear \ - --passwordbox "Password for Mysql root login :" 16 55 2> $fichtemp - + --passwordbox "Password for Mysql root login :" 16 55 2> $fichtemp + valret=$? - + case $valret in - 0) - passwd=`cat $fichtemp`;; - 1) - exit;; - 255) - exit;; + 0) + passwd=`cat $fichtemp` ;; + 1) + exit ;; + 255) + exit ;; esac - + # ---------------------------- chemin d'acces du repertoire documents #DIALOG=${DIALOG=dialog} #fichtemp=`tempfile 2>/dev/null` || fichtemp=/tmp/test$$ #trap "rm -f $fichtemp" 0 1 2 5 15 #$DIALOG --title "Save Dolibarr with demo values" --clear \ - # --inputbox "Full path to documents directory (ex: /var/www/dolibarr/documents)- no / at end :" 16 55 2> $fichtemp - + # --inputbox "Full path to documents directory (ex: /var/www/dolibarr/documents)- no / at end :" 16 55 2> $fichtemp + #valret=$? - + #case $valret in # 0) #docs=`cat $fichtemp`;; @@ -146,16 +146,16 @@ then # 255) #exit;; #esac - + # ---------------------------- confirmation DIALOG=${DIALOG=dialog} $DIALOG --title "Save Dolibarr with demo values" --clear \ - --yesno "Do you confirm ? \n Dump file : '$dumpfile' \n Dump dir : '$mydir' \n Mysql database : '$base' \n Mysql port : '$port' \n Mysql login: '$admin' \n Mysql password : --hidden--" 15 55 - + --yesno "Do you confirm ? \n Dump file : '$dumpfile' \n Dump dir : '$mydir' \n Mysql database : '$base' \n Mysql port : '$port' \n Mysql login: '$admin' \n Mysql password : --hidden--" 15 55 + case $? in - 0) echo "Ok, start process...";; - 1) exit;; - 255) exit;; + 0) echo "Ok, start process..." ;; + 1) exit ;; + 255) exit ;; esac fi @@ -167,168 +167,180 @@ then export passwd="-p$passwd" fi export list=" - --ignore-table=$base.llx_abonne - --ignore-table=$base.llx_abonne_extrafields - --ignore-table=$base.llx_abonne_type - --ignore-table=$base.llx_abonnement - --ignore-table=$base.llx_accountingaccount - --ignore-table=$base.llx_accountingsystem - --ignore-table=$base.llx_advanced_extrafields - --ignore-table=$base.llx_advanced_extrafields_options - --ignore-table=$base.llx_advanced_extrafields_values - --ignore-table=$base.llx_agefodd_calendrier - --ignore-table=$base.llx_agefodd_certif_state - --ignore-table=$base.llx_agefodd_certificate_type - --ignore-table=$base.llx_agefodd_contact - --ignore-table=$base.llx_agefodd_convention - --ignore-table=$base.llx_agefodd_convention_stagiaire - --ignore-table=$base.llx_agefodd_cursus - --ignore-table=$base.llx_agefodd_cursus_extrafields - --ignore-table=$base.llx_agefodd_formateur - --ignore-table=$base.llx_agefodd_formateur_category - --ignore-table=$base.llx_agefodd_formateur_category_dict - --ignore-table=$base.llx_agefodd_formateur_training - --ignore-table=$base.llx_agefodd_formateur_type - --ignore-table=$base.llx_agefodd_formation_catalogue - --ignore-table=$base.llx_agefodd_formation_catalogue_extrafields - --ignore-table=$base.llx_agefodd_formation_catalogue_modules - --ignore-table=$base.llx_agefodd_formation_catalogue_type - --ignore-table=$base.llx_agefodd_formation_catalogue_type_bpf - --ignore-table=$base.llx_agefodd_formation_cursus - --ignore-table=$base.llx_agefodd_formation_objectifs_peda - --ignore-table=$base.llx_agefodd_opca - --ignore-table=$base.llx_agefodd_place - --ignore-table=$base.llx_agefodd_reg_interieur - --ignore-table=$base.llx_agefodd_session - --ignore-table=$base.llx_agefodd_session_adminsitu - --ignore-table=$base.llx_agefodd_session_admlevel - --ignore-table=$base.llx_agefodd_session_calendrier - --ignore-table=$base.llx_agefodd_session_commercial - --ignore-table=$base.llx_agefodd_session_contact - --ignore-table=$base.llx_agefodd_session_element - --ignore-table=$base.llx_agefodd_session_extrafields - --ignore-table=$base.llx_agefodd_session_formateur - --ignore-table=$base.llx_agefodd_session_formateur_calendrier - --ignore-table=$base.llx_agefodd_session_stagiaire - --ignore-table=$base.llx_agefodd_session_stagiaire_heures - --ignore-table=$base.llx_agefodd_session_status_type - --ignore-table=$base.llx_agefodd_stagiaire - --ignore-table=$base.llx_agefodd_stagiaire_certif - --ignore-table=$base.llx_agefodd_stagiaire_cursus - --ignore-table=$base.llx_agefodd_stagiaire_extrafields - --ignore-table=$base.llx_agefodd_stagiaire_type - --ignore-table=$base.llx_agefodd_training_admlevel - --ignore-table=$base.llx_askpricesupplier - --ignore-table=$base.llx_askpricesupplier_extrafields - --ignore-table=$base.llx_askpricesupplierdet - --ignore-table=$base.llx_askpricesupplierdet_extrafields - --ignore-table=$base.llx_assetOf - --ignore-table=$base.llx_assetOf_line - --ignore-table=$base.llx_asset_workstation_of - --ignore-table=$base.llx_asset_workstation_product - --ignore-table=$base.llx_asset_workstation_task - --ignore-table=$base.llx_assetof_amounts - --ignore-table=$base.llx_asset_workstation_of - --ignore-table=$base.llx_asset_workstation_of - --ignore-table=$base.llx_asset_workstation_of - --ignore-table=$base.llx_bookkeeping - --ignore-table=$base.llx_bootstrap - --ignore-table=$base.llx_bt_namemap - --ignore-table=$base.llx_bt_speedlimit - --ignore-table=$base.llx_bt_summary - --ignore-table=$base.llx_bt_timestamps - --ignore-table=$base.llx_bt_webseedfiles - --ignore-table=$base.llx_c_civilite - --ignore-table=$base.llx_c_dolicloud_plans - --ignore-table=$base.llx_c_pays - --ignore-table=$base.llx_c_source - --ignore-table=$base.llx_c_ticketsup_category - --ignore-table=$base.llx_c_ticketsup_severity - --ignore-table=$base.llx_c_ticketsup_type - --ignore-table=$base.llx_congespayes - --ignore-table=$base.llx_congespayes_config - --ignore-table=$base.llx_congespayes_events - --ignore-table=$base.llx_congespayes_logs - --ignore-table=$base.llx_congespayes_users - --ignore-table=$base.llx_dolicloud_customers - --ignore-table=$base.llx_dolicloud_stats - --ignore-table=$base.llx_dolicloud_emailstemplates - --ignore-table=$base.llx_dolireport_column - --ignore-table=$base.llx_dolireport_criteria - --ignore-table=$base.llx_dolireport_graph - --ignore-table=$base.llx_dolireport_plot - --ignore-table=$base.llx_dolireport_report - --ignore-table=$base.llx_domain - --ignore-table=$base.llx_ecommerce_category - --ignore-table=$base.llx_ecommerce_commande - --ignore-table=$base.llx_ecommerce_facture - --ignore-table=$base.llx_ecommerce_product - --ignore-table=$base.llx_ecommerce_site - --ignore-table=$base.llx_ecommerce_societe - --ignore-table=$base.llx_ecommerce_socpeople - --ignore-table=$base.llx_element_rang - --ignore-table=$base.llx_element_tag - --ignore-table=$base.llx_eleves - --ignore-table=$base.llx_eleves_extrafields - --ignore-table=$base.llx_entity - --ignore-table=$base.llx_entity_extrafields - --ignore-table=$base.llx_entity_thirdparty - --ignore-table=$base.llx_equipement_factory - --ignore-table=$base.llx_factory - --ignore-table=$base.llx_factory_extrafields - --ignore-table=$base.llx_factorydet - --ignore-table=$base.llx_filemanager_roots - --ignore-table=$base.llx_fournisseur_ca - --ignore-table=$base.llx_google_maps - --ignore-table=$base.llx_lead - --ignore-table=$base.llx_lead_extrafields - --ignore-table=$base.llx_milestone - --ignore-table=$base.llx_milestone - --ignore-table=$base.llx_monitoring_probes - --ignore-table=$base.llx_m - --ignore-table=$base.llx_m_extrafields - --ignore-table=$base.llx_monmodule_abcdef - --ignore-table=$base.llx_notes - --ignore-table=$base.llx_packages - --ignore-table=$base.llx_packages_extrafields - --ignore-table=$base.llx_pos_cash - --ignore-table=$base.llx_pos_control_cash - --ignore-table=$base.llx_pos_facture - --ignore-table=$base.llx_pos_moviments - --ignore-table=$base.llx_pos_ticketdet - --ignore-table=$base.llx_pos_paiement_ticket - --ignore-table=$base.llx_pos_places - --ignore-table=$base.llx_pos_ticket - --ignore-table=$base.llx_printer_ipp - --ignore-table=$base.llx_publi_c_contact_list - --ignore-table=$base.llx_publi_c_dnd_list - --ignore-table=$base.llx_publi_c_method_list - --ignore-table=$base.llx_residence - --ignore-table=$base.llx_residence_building - --ignore-table=$base.llx_residence_building_links - --ignore-table=$base.llx_scaninvoices_filestoimport - --ignore-table=$base.llx_scaninvoices_filestoimport_extrafields - --ignore-table=$base.llx_scaninvoices_settings - --ignore-table=$base.llx_scaninvoices_settings_extrafields - --ignore-table=$base.llx_sellyoursaas_blacklistcontent - --ignore-table=$base.llx_sellyoursaas_blacklistdir - --ignore-table=$base.llx_sellyoursaas_blacklistfrom - --ignore-table=$base.llx_sellyoursaas_blacklistip - --ignore-table=$base.llx_sellyoursaas_blacklistmail - --ignore-table=$base.llx_sellyoursaas_blacklistto - --ignore-table=$base.llx_sellyoursaas_deploymentserver - --ignore-table=$base.llx_sellyoursaas_stats - --ignore-table=$base.llx_sellyoursaas_whitelistip - --ignore-table=$base.llx_societe_rib2 - --ignore-table=$base.llx_sellyoursaas_cancellation - --ignore-table=$base.llx_ticketsup - --ignore-table=$base.llx_ultimatepdf - --ignore-table=$base.llx_update_modules - --ignore-table=$base.llx_ventilation_achat - --ignore-table=$base.tmp_llx_accouting_account - --ignore-table=$base.tmp_llx_product_batch - --ignore-table=$base.tmp_llx_product_batch2 - " +--ignore-table=$base.llx_abonne +--ignore-table=$base.llx_abonne_extrafields +--ignore-table=$base.llx_abonne_type +--ignore-table=$base.llx_abonnement +--ignore-table=$base.llx_accountingaccount +--ignore-table=$base.llx_accountingsystem +--ignore-table=$base.llx_advanced_extrafields +--ignore-table=$base.llx_advanced_extrafields_options +--ignore-table=$base.llx_advanced_extrafields_values +--ignore-table=$base.llx_agefodd_calendrier +--ignore-table=$base.llx_agefodd_certif_state +--ignore-table=$base.llx_agefodd_certificate_type +--ignore-table=$base.llx_agefodd_contact +--ignore-table=$base.llx_agefodd_convention +--ignore-table=$base.llx_agefodd_convention_stagiaire +--ignore-table=$base.llx_agefodd_cursus +--ignore-table=$base.llx_agefodd_cursus_extrafields +--ignore-table=$base.llx_agefodd_formateur +--ignore-table=$base.llx_agefodd_formateur_category +--ignore-table=$base.llx_agefodd_formateur_category_dict +--ignore-table=$base.llx_agefodd_formateur_training +--ignore-table=$base.llx_agefodd_formateur_type +--ignore-table=$base.llx_agefodd_formation_catalogue +--ignore-table=$base.llx_agefodd_formation_catalogue_extrafields +--ignore-table=$base.llx_agefodd_formation_catalogue_modules +--ignore-table=$base.llx_agefodd_formation_catalogue_type +--ignore-table=$base.llx_agefodd_formation_catalogue_type_bpf +--ignore-table=$base.llx_agefodd_formation_cursus +--ignore-table=$base.llx_agefodd_formation_objectifs_peda +--ignore-table=$base.llx_agefodd_opca +--ignore-table=$base.llx_agefodd_place +--ignore-table=$base.llx_agefodd_reg_interieur +--ignore-table=$base.llx_agefodd_session +--ignore-table=$base.llx_agefodd_session_adminsitu +--ignore-table=$base.llx_agefodd_session_admlevel +--ignore-table=$base.llx_agefodd_session_calendrier +--ignore-table=$base.llx_agefodd_session_commercial +--ignore-table=$base.llx_agefodd_session_contact +--ignore-table=$base.llx_agefodd_session_element +--ignore-table=$base.llx_agefodd_session_extrafields +--ignore-table=$base.llx_agefodd_session_formateur +--ignore-table=$base.llx_agefodd_session_formateur_calendrier +--ignore-table=$base.llx_agefodd_session_stagiaire +--ignore-table=$base.llx_agefodd_session_stagiaire_heures +--ignore-table=$base.llx_agefodd_session_status_type +--ignore-table=$base.llx_agefodd_stagiaire +--ignore-table=$base.llx_agefodd_stagiaire_certif +--ignore-table=$base.llx_agefodd_stagiaire_cursus +--ignore-table=$base.llx_agefodd_stagiaire_extrafields +--ignore-table=$base.llx_agefodd_stagiaire_type +--ignore-table=$base.llx_agefodd_training_admlevel +--ignore-table=$base.llx_askpricesupplier +--ignore-table=$base.llx_askpricesupplier_extrafields +--ignore-table=$base.llx_askpricesupplierdet +--ignore-table=$base.llx_askpricesupplierdet_extrafields +--ignore-table=$base.llx_assetOf +--ignore-table=$base.llx_assetOf_line +--ignore-table=$base.llx_asset_workstation_of +--ignore-table=$base.llx_asset_workstation_product +--ignore-table=$base.llx_asset_workstation_task +--ignore-table=$base.llx_assetof_amounts +--ignore-table=$base.llx_asset_workstation_of +--ignore-table=$base.llx_asset_workstation_of +--ignore-table=$base.llx_asset_workstation_of +--ignore-table=$base.llx_bookkeeping +--ignore-table=$base.llx_bootstrap +--ignore-table=$base.llx_bt_namemap +--ignore-table=$base.llx_bt_speedlimit +--ignore-table=$base.llx_bt_summary +--ignore-table=$base.llx_bt_timestamps +--ignore-table=$base.llx_bt_webseedfiles +--ignore-table=$base.llx_c_civilite +--ignore-table=$base.llx_c_dolicloud_plans +--ignore-table=$base.llx_c_pays +--ignore-table=$base.llx_c_source +--ignore-table=$base.llx_c_ticketsup_category +--ignore-table=$base.llx_c_ticketsup_severity +--ignore-table=$base.llx_c_ticketsup_type +--ignore-table=$base.llx_cabinetmed_c_banques +--ignore-table=$base.llx_cabinetmed_c_examconclusion +--ignore-table=$base.llx_cabinetmed_cons_extrafields +--ignore-table=$base.llx_cabinetmed_diaglec +--ignore-table=$base.llx_cabinetmed_examaut +--ignore-table=$base.llx_cabinetmed_exambio +--ignore-table=$base.llx_cabinetmed_examenprescrit +--ignore-table=$base.llx_cabinetmed_motifcons +--ignore-table=$base.llx_cabinetmed_patient +--ignore-table=$base.llx_cabinetmed_societe +--ignore-table=$base.llx_congespayes +--ignore-table=$base.llx_congespayes_config +--ignore-table=$base.llx_congespayes_events +--ignore-table=$base.llx_congespayes_logs +--ignore-table=$base.llx_congespayes_users +--ignore-table=$base.llx_dolicloud_customers +--ignore-table=$base.llx_dolicloud_stats +--ignore-table=$base.llx_dolicloud_emailstemplates +--ignore-table=$base.llx_dolireport_column +--ignore-table=$base.llx_dolireport_criteria +--ignore-table=$base.llx_dolireport_graph +--ignore-table=$base.llx_dolireport_plot +--ignore-table=$base.llx_dolireport_report +--ignore-table=$base.llx_domain +--ignore-table=$base.llx_ecommerce_category +--ignore-table=$base.llx_ecommerce_commande +--ignore-table=$base.llx_ecommerce_facture +--ignore-table=$base.llx_ecommerce_product +--ignore-table=$base.llx_ecommerce_site +--ignore-table=$base.llx_ecommerce_societe +--ignore-table=$base.llx_ecommerce_socpeople +--ignore-table=$base.llx_element_rang +--ignore-table=$base.llx_element_tag +--ignore-table=$base.llx_eleves +--ignore-table=$base.llx_eleves_extrafields +--ignore-table=$base.llx_entity +--ignore-table=$base.llx_entity_extrafields +--ignore-table=$base.llx_entity_thirdparty +--ignore-table=$base.llx_equipement_factory +--ignore-table=$base.llx_factory +--ignore-table=$base.llx_factory_extrafields +--ignore-table=$base.llx_factorydet +--ignore-table=$base.llx_filemanager_roots +--ignore-table=$base.llx_fournisseur_ca +--ignore-table=$base.llx_google_maps +--ignore-table=$base.llx_lead +--ignore-table=$base.llx_lead_extrafields +--ignore-table=$base.llx_milestone +--ignore-table=$base.llx_milestone +--ignore-table=$base.llx_monitoring_probes +--ignore-table=$base.llx_m +--ignore-table=$base.llx_m_extrafields +--ignore-table=$base.llx_monmodule_abcdef +--ignore-table=$base.llx_notes +--ignore-table=$base.llx_packages +--ignore-table=$base.llx_packages_extrafields +--ignore-table=$base.llx_pos_cash +--ignore-table=$base.llx_pos_control_cash +--ignore-table=$base.llx_pos_facture +--ignore-table=$base.llx_pos_moviments +--ignore-table=$base.llx_pos_ticketdet +--ignore-table=$base.llx_pos_paiement_ticket +--ignore-table=$base.llx_pos_places +--ignore-table=$base.llx_pos_ticket +--ignore-table=$base.llx_printer_ipp +--ignore-table=$base.llx_publi_c_contact_list +--ignore-table=$base.llx_publi_c_dnd_list +--ignore-table=$base.llx_publi_c_method_list +--ignore-table=$base.llx_residence +--ignore-table=$base.llx_residence_building +--ignore-table=$base.llx_residence_building_links +--ignore-table=$base.llx_scaninvoices_filestoimport +--ignore-table=$base.llx_scaninvoices_filestoimport_extrafields +--ignore-table=$base.llx_scaninvoices_settings +--ignore-table=$base.llx_scaninvoices_settings_extrafields +--ignore-table=$base.llx_sellyoursaas_blacklistcontent +--ignore-table=$base.llx_sellyoursaas_blacklistdir +--ignore-table=$base.llx_sellyoursaas_blacklistfrom +--ignore-table=$base.llx_sellyoursaas_blacklistip +--ignore-table=$base.llx_sellyoursaas_blacklistmail +--ignore-table=$base.llx_sellyoursaas_blacklistto +--ignore-table=$base.llx_sellyoursaas_deploymentserver +--ignore-table=$base.llx_sellyoursaas_stats +--ignore-table=$base.llx_sellyoursaas_whitelistip +--ignore-table=$base.llx_societe_rib2 +--ignore-table=$base.llx_sellyoursaas_cancellation +--ignore-table=$base.llx_ticketsup +--ignore-table=$base.llx_ultimatepdf +--ignore-table=$base.llx_update_modules +--ignore-table=$base.llx_ventilation_achat +--ignore-table=$base.tmp_llx_accouting_account +--ignore-table=$base.tmp_llx_product_batch +--ignore-table=$base.tmp_llx_product_batch2 +--ignore-table=$base.tmp_tmp +--ignore-table=$base.tmp_user +" echo "mysqldump -P$port -u$admin -p***** $list $base > $mydir/$dumpfile" mysqldump -P$port -u$admin $passwd $list $base > $mydir/$dumpfile export res=$? diff --git a/dev/initdemo/sftpget_and_loaddump.php b/dev/initdemo/sftpget_and_loaddump.php index 5c940496f45..530afb7a3e5 100755 --- a/dev/initdemo/sftpget_and_loaddump.php +++ b/dev/initdemo/sftpget_and_loaddump.php @@ -98,7 +98,7 @@ print 'SFTP connect string : '.$sftpconnectstring."\n"; // SFTP connect if (!function_exists("ssh2_connect")) { - dol_print_error('', 'ssh2_connect function does not exists'); + dol_print_error(null, 'ssh2_connect function does not exists'); exit(1); } diff --git a/dev/setup/README.md b/dev/setup/README.md new file mode 100644 index 00000000000..5bc8fc08a99 --- /dev/null +++ b/dev/setup/README.md @@ -0,0 +1,10 @@ +# Setting up for Dolibarr development + +Check out the +[online documentation](https://wiki.dolibarr.org/index.php?title=Environment_and_development_tools) +for recommendations (to be updated). + +If anything, install `pre-commit` - it will help run the tools to format and +make some basic verifications on your submission before committing and pushing +to github for a PR. See [a quick start guide](./pre-commit/README.md) in this +Dolibarr repository. diff --git a/dev/setup/apache/virtualhost b/dev/setup/apache/virtualhost index 7eff1859d4f..798031fb404 100644 --- a/dev/setup/apache/virtualhost +++ b/dev/setup/apache/virtualhost @@ -71,7 +71,7 @@ - # Log directoves + # Log directives ErrorLog /var/log/apache2/myvirtualalias_error_log TransferLog /var/log/apache2/myvirtualalias_access_log @@ -82,7 +82,7 @@ AddEncoding gzip .jgz - # Add cach performance directives + # Add cache performance directives ExpiresActive On ExpiresByType image/x-icon A2592000 ExpiresByType image/gif A2592000 diff --git a/dev/setup/codesniffer/README b/dev/setup/codesniffer/README index 2fdc66b9d1f..940b8db182a 100644 --- a/dev/setup/codesniffer/README +++ b/dev/setup/codesniffer/README @@ -1,7 +1,7 @@ README (English) -------------------------------- -This directory contains ruleset files to use to develop Dolibarr EPR & CRM. +This directory contains ruleset files to use to develop Dolibarr ERP & CRM. To install/upgrade phpcs: > sudo pear upgrade PHP_CodeSniffer @@ -17,5 +17,4 @@ To fix with phpcbf: Note with Eclipse: You must setup the PTI plugin of Eclipse into PHPCodeSniffer menu with: * tab value to 4 -* path of code sniffer standard to dev/codesniffer - +* path of code sniffer standard to dev/codesniffer diff --git a/dev/setup/codesniffer/php.ini b/dev/setup/codesniffer/php.ini index 00f3b2d4efa..6a5fa9b6292 100644 --- a/dev/setup/codesniffer/php.ini +++ b/dev/setup/codesniffer/php.ini @@ -1533,7 +1533,7 @@ session.cache_expire = 180 ; - User may send URL contains active session ID ; to other person via. email/irc/etc. ; - URL that contains active session ID may be stored -; in publically accessible computer. +; in publicly accessible computer. ; - User may access your site with the same session ID ; always using URL stored in browser's history or bookmarks. ; http://php.net/session.use-trans-sid diff --git a/dev/setup/codesniffer/ruleset.xml b/dev/setup/codesniffer/ruleset.xml index e286450f73b..4949fda7800 100644 --- a/dev/setup/codesniffer/ruleset.xml +++ b/dev/setup/codesniffer/ruleset.xml @@ -110,7 +110,7 @@ --> - + '; + +$html .= ''; + +$html .= ''."\n"; + + +// Contributors + +$html .= '
      '."\n"; +$html .= '

      Contributors

      '."\n"; + +$html .= '
      '."\n"; + +$html .= 'TODO...'; + +$html .= '
      '; + +$html .= '
      '."\n"; + + +// Project value + +$html .= '
      '."\n"; +$html .= '

      Project value

      '."\n"; + +$html .= '
      '."\n"; $html .= '
      '; -$html .= 'COCOMO (Basic organic model) value:
      '; +$html .= 'COCOMO value
      (Basic organic model)
      '; $html .= '$'.formatNumber((empty($arraycocomo['proj']['currency']) ? 0 : $arraycocomo['proj']['currency']) + (empty($arraycocomo['dep']['currency']) ? 0 : $arraycocomo['dep']['currency']), 2).''; $html .= '
      '; $html .= '
      '; -$html .= 'COCOMO (Basic organic model) effort
      '; +$html .= 'COCOMO effort
      (Basic organic model)
      '; $html .= ''.formatNumber($arraycocomo['proj']['people'] * $arraycocomo['proj']['effort'] + $arraycocomo['dep']['people'] * $arraycocomo['dep']['effort']); -$html .= ' monthes people
      '; +$html .= ' months people'; +$html .= '
      '; +$html .= '
      '; + $html .= '
      '."\n"; -$html .= '
      '."\n"; -$html .= '

      Technical debt ('.count($output_arrtd).')


      '."\n"; -$html .= '
      '."\n"; -$html .= ''."\n"; -$html .= ''."\n"; +$tmp = ''; +$nblines = 0; foreach ($output_arrtd as $line) { $reg = array(); //print $line."\n"; preg_match('/^::error file=(.*),line=(\d+),col=(\d+)::(.*)$/', $line, $reg); if (!empty($reg[1])) { - $html .= ''."\n"; + if ($nblines < 20) { + $tmp .= ''; + } else { + $tmp .= ''; + } + $tmp .= ''; + $tmp .= ''; + $tmp .= ''; + $tmp .= ''."\n"; + $nblines++; } } + + +// Technical debt + +$html .= '
      '."\n"; +$html .= '

      Technical debt (PHPStan level '.$phpstanlevel.' -> '.$nblines.' warnings)

      '."\n"; + +$html .= '
      '."\n"; +$html .= '
      '."\n"; +$html .= '
      FileLineType
      '.$reg[1].''.$reg[2].''.$reg[4].'
      '."\n"; +$html .= ''."\n"; +$html .= $tmp; +$html .= ''; $html .= '
      FileLineType
      Show all...
      '; $html .= '
      '; +$html .= ''; + $html .= '
      '."\n"; + +// JS code + $html .= ' '."\n"; foreach ($showextcals as $val) { - $htmlname = md5($val['name']); + $htmlname = md5($val['name']); // not used for security purpose, only to get a string with no special char if (!empty($val['default']) || GETPOST('check_ext'.$htmlname, 'int')) { $default = "checked"; @@ -711,15 +711,17 @@ $sql .= ' a.transparency, a.priority, a.fulldayevent, a.location,'; $sql .= ' a.fk_soc, a.fk_contact, a.fk_project, a.fk_bookcal_calendar,'; $sql .= ' a.fk_element, a.elementtype,'; $sql .= ' ca.code as type_code, ca.libelle as type_label, ca.color as type_color, ca.type as type_type, ca.picto as type_picto'; + +$parameters = array(); +$reshook = $hookmanager->executeHooks('printFieldListSelect', $parameters); // Note that $action and $object may have been modified by hook +$sql .= $hookmanager->resPrint; + $sql .= ' FROM '.MAIN_DB_PREFIX.'c_actioncomm as ca, '.MAIN_DB_PREFIX."actioncomm as a"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { - $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe_commerciaux as sc ON a.fk_soc = sc.fk_soc"; -} // We must filter on resource table if ($resourceid > 0) { $sql .= ", ".MAIN_DB_PREFIX."element_resources as r"; } -// We must filter on assignement table +// We must filter on assignment table if ($filtert > 0 || $usergroup > 0) { $sql .= ", ".MAIN_DB_PREFIX."actioncomm_resources as ar"; } @@ -763,13 +765,24 @@ if ($resourceid > 0) { if ($pid) { $sql .= " AND a.fk_project=".((int) $pid); } -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { - $sql .= " AND (a.fk_soc IS NULL OR sc.fk_user = ".((int) $user->id).")"; +// If the internal user must only see his customers, force searching by him +$search_sale = 0; +if (!$user->hasRight('societe', 'client', 'voir')) { + $search_sale = $user->id; } -if ($socid > 0) { +// Search on sale representative +if ($search_sale && $search_sale != '-1') { + if ($search_sale == -2) { + $sql .= " AND NOT EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = a.fk_soc)"; + } elseif ($search_sale > 0) { + $sql .= " AND EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = a.fk_soc AND sc.fk_user = ".((int) $search_sale).")"; + } +} +// Search on socid +if ($socid) { $sql .= " AND a.fk_soc = ".((int) $socid); } -// We must filter on assignement table +// We must filter on assignment table if ($filtert > 0 || $usergroup > 0) { $sql .= " AND ar.fk_actioncomm = a.id AND ar.element_type='user'"; } @@ -819,7 +832,7 @@ if ($status == 'done' || $status == '100') { if ($status == 'todo') { $sql .= " AND (a.percent >= 0 AND a.percent < 100)"; } -// We must filter on assignement table +// We must filter on assignment table if ($filtert > 0 || $usergroup > 0) { $sql .= " AND ("; if ($filtert > 0) { @@ -968,6 +981,14 @@ if ($resql) { //print 'Event '.$i.' id='.$event->id.' (start='.dol_print_date($event->datep).'-end='.dol_print_date($event->datef); //print ' startincalendar='.dol_print_date($event->date_start_in_calendar).'-endincalendar='.dol_print_date($event->date_end_in_calendar).') was added in '.$j.' different index key of array
      '; } + + $parameters['obj'] = $obj; + $reshook = $hookmanager->executeHooks('hookEventElements', $parameters, $event, $action); // Note that $action and $object may have been modified by some hooks + $event = $hookmanager->resPrint; + if ($reshook < 0) { + setEventMessages($hookmanager->error, $hookmanager->errors, 'errors'); + } + $i++; } } else { @@ -1008,7 +1029,7 @@ if ($showbirthday) { $datebirth = dol_stringtotime($obj->birthday, 1); //print 'ee'.$obj->birthday.'-'.$datebirth; $datearray = dol_getdate($datebirth, true); - $event->datep = dol_mktime(0, 0, 0, $datearray['mon'], $datearray['mday'], $year, true); // For full day events, date are also GMT but they wont but converted during output + $event->datep = dol_mktime(0, 0, 0, $datearray['mon'], $datearray['mday'], $year, true); // For full day events, date are also GMT but they won't but converted during output $event->datef = $event->datep; $event->type_code = 'BIRTHDAY'; @@ -1192,7 +1213,7 @@ if (count($listofextcals)) { // datecurstart and datecurend are now GMT date //var_dump($datecurstart); var_dump($datecurend); exit; } else { - // Not a recongized record + // Not a recognized record dol_syslog("Found a not recognized repeatable record with unknown date start", LOG_ERR); continue; } @@ -1222,7 +1243,7 @@ if (count($listofextcals)) { } $moreicalevents[] = $newevent; } - // Jump on next occurence + // Jump on next occurrence $numofevent++; $savdatecurstart = $datecurstart; if ($icalevent['RRULE']['FREQ'] == 'DAILY') { @@ -1264,7 +1285,7 @@ if (count($listofextcals)) { $event = new ActionComm($db); $addevent = false; if (isset($icalevent['DTSTART;VALUE=DATE'])) { // fullday event - // For full day events, date are also GMT but they wont but converted using tz during output + // For full day events, date are also GMT but they won't but converted using tz during output $datestart = dol_stringtotime($icalevent['DTSTART;VALUE=DATE'], 1); if (empty($icalevent['DTEND;VALUE=DATE'])) { $dateend = $datestart + 86400 - 1; @@ -1328,7 +1349,7 @@ if (count($listofextcals)) { $event->icalname = $namecal; $event->icalcolor = $colorcal; - $usertime = 0; // We dont modify date because we want to have date into memory datep and datef stored as GMT date. Compensation will be done during output. + $usertime = 0; // We don't modify date because we want to have date into memory datep and datef stored as GMT date. Compensation will be done during output. $event->datep = $datestart + $usertime; $event->datef = $dateend + $usertime; @@ -1674,7 +1695,7 @@ if (empty($mode) || $mode == 'show_month') { // View by month /* WIP View per hour */ $useviewhour = 0; if ($useviewhour) { - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table $maxheightwin = (isset($_SESSION["dol_screenheight"]) && $_SESSION["dol_screenheight"] > 500) ? ($_SESSION["dol_screenheight"] - 200) : 660; // Also into index.php file @@ -1683,7 +1704,7 @@ if (empty($mode) || $mode == 'show_month') { // View by month $maxnbofchar = 80; - $tmp = explode('-', $conf->global->MAIN_DEFAULT_WORKING_HOURS); + $tmp = explode('-', getDolGlobalString('MAIN_DEFAULT_WORKING_HOURS')); $minhour = round($tmp[0], 0); $maxhour = round($tmp[1], 0); if ($minhour > 23) { @@ -1713,7 +1734,7 @@ if (empty($mode) || $mode == 'show_month') { // View by month print '
      '; } else { - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table show_day_events($db, $day, $month, $year, $month, $style, $eventarray, 0, $maxnbofchar, $newparam, 1, 300, 0, $bookcalcalendars); @@ -1743,8 +1764,8 @@ $db->close(); * @param string $newparam Parameters on current URL * @param int $showinfo Add extended information (used by day and week view) * @param int $minheight Minimum height for each event. 60px by default. - * @param string $nonew 0=Add "new entry button", 1=No "new entry button", -1=Only "new entry button" - * @param string $bookcalcalendarsarray Used for Bookcal module array of calendar of bookcal + * @param int $nonew 0=Add "new entry button", 1=No "new entry button", -1=Only "new entry button" + * @param array $bookcalcalendarsarray Used for Bookcal module array of calendar of bookcal * @return void */ function show_day_events($db, $day, $month, $year, $monthshown, $style, &$eventarray, $maxprint = 0, $maxnbofchar = 16, $newparam = '', $showinfo = 0, $minheight = 60, $nonew = 0, $bookcalcalendarsarray = array()) @@ -1753,6 +1774,7 @@ function show_day_events($db, $day, $month, $year, $monthshown, $style, &$eventa global $action, $mode, $filter, $filtert, $status, $actioncode, $usergroup; // Filters used into search form global $theme_datacolor; global $cachethirdparties, $cachecontacts, $cacheusers, $colorindexused; + global $hookmanager; if ($conf->use_javascript_ajax) { // Enable the "Show more button..." $conf->global->MAIN_JS_SWITCH_AGENDA = 1; @@ -1787,7 +1809,7 @@ function show_day_events($db, $day, $month, $year, $monthshown, $style, &$eventa print ''; print '
      '; if ($user->hasRight('agenda', 'myactions', 'create') || $user->hasRight('agenda', 'allactions', 'create')) { - print ''; // Explicit link, usefull for nojs interfaces + print ''; // Explicit link, useful for nojs interfaces print img_picto($langs->trans("NewAction"), 'edit_add.png'); print ''; } @@ -2049,130 +2071,140 @@ function show_day_events($db, $day, $month, $year, $monthshown, $style, &$eventa $listofusertoshow = ''; $listofusertoshow .= '
      '.$cacheusers[$tmpid]->getNomUrl(-1, '', 0, 0, 0, 0, '', 'paddingright valignmiddle'); print $listofusertoshow; + } + + $parameters = array(); + $reshook = $hookmanager->executeHooks('eventOptions', $parameters, $event, $action); // Note that $action and $object may have been modified by some hooks + if ($reshook < 0) { + setEventMessages($hookmanager->error, $hookmanager->errors, 'errors'); } else { - // Other calendar - if (empty($event->fulldayevent)) { - //print $event->getNomUrl(2).' '; - } + if (empty($reshook)) { + // Other calendar + if (empty($event->fulldayevent)) { + //print $event->getNomUrl(2).' '; + } - // Date - if (empty($event->fulldayevent)) { - // Show hours (start ... end) - $tmpyearstart = dol_print_date($event->date_start_in_calendar, '%Y', 'tzuserrel'); - $tmpmonthstart = dol_print_date($event->date_start_in_calendar, '%m', 'tzuserrel'); - $tmpdaystart = dol_print_date($event->date_start_in_calendar, '%d', 'tzuserrel'); - $tmpyearend = dol_print_date($event->date_end_in_calendar, '%Y', 'tzuserrel'); - $tmpmonthend = dol_print_date($event->date_end_in_calendar, '%m', 'tzuserrel'); - $tmpdayend = dol_print_date($event->date_end_in_calendar, '%d', 'tzuserrel'); + // Date + if (empty($event->fulldayevent)) { + // Show hours (start ... end) + $tmpyearstart = dol_print_date($event->date_start_in_calendar, '%Y', 'tzuserrel'); + $tmpmonthstart = dol_print_date($event->date_start_in_calendar, '%m', 'tzuserrel'); + $tmpdaystart = dol_print_date($event->date_start_in_calendar, '%d', 'tzuserrel'); + $tmpyearend = dol_print_date($event->date_end_in_calendar, '%Y', 'tzuserrel'); + $tmpmonthend = dol_print_date($event->date_end_in_calendar, '%m', 'tzuserrel'); + $tmpdayend = dol_print_date($event->date_end_in_calendar, '%d', 'tzuserrel'); - // Hour start - if ($tmpyearstart == $annee && $tmpmonthstart == $mois && $tmpdaystart == $jour) { - $daterange .= dol_print_date($event->date_start_in_calendar, 'hour', 'tzuserrel'); - if ($event->date_end_in_calendar && $event->date_start_in_calendar != $event->date_end_in_calendar) { - if ($tmpyearstart == $tmpyearend && $tmpmonthstart == $tmpmonthend && $tmpdaystart == $tmpdayend) { - $daterange .= '-'; + // Hour start + if ($tmpyearstart == $annee && $tmpmonthstart == $mois && $tmpdaystart == $jour) { + $daterange .= dol_print_date($event->date_start_in_calendar, 'hour', 'tzuserrel'); + if ($event->date_end_in_calendar && $event->date_start_in_calendar != $event->date_end_in_calendar) { + if ($tmpyearstart == $tmpyearend && $tmpmonthstart == $tmpmonthend && $tmpdaystart == $tmpdayend) { + $daterange .= '-'; + } + //else + //print '...'; } - //else - //print '...'; } - } - if ($event->date_end_in_calendar && $event->date_start_in_calendar != $event->date_end_in_calendar) { - if ($tmpyearstart != $tmpyearend || $tmpmonthstart != $tmpmonthend || $tmpdaystart != $tmpdayend) { - $daterange .= '...'; + if ($event->date_end_in_calendar && $event->date_start_in_calendar != $event->date_end_in_calendar) { + if ($tmpyearstart != $tmpyearend || $tmpmonthstart != $tmpmonthend || $tmpdaystart != $tmpdayend) { + $daterange .= '...'; + } } - } - // Hour end - if ($event->date_end_in_calendar && $event->date_start_in_calendar != $event->date_end_in_calendar) { - if ($tmpyearend == $annee && $tmpmonthend == $mois && $tmpdayend == $jour) { - $daterange .= dol_print_date($event->date_end_in_calendar, 'hour', 'tzuserrel'); + // Hour end + if ($event->date_end_in_calendar && $event->date_start_in_calendar != $event->date_end_in_calendar) { + if ($tmpyearend == $annee && $tmpmonthend == $mois && $tmpdayend == $jour) { + $daterange .= dol_print_date($event->date_end_in_calendar, 'hour', 'tzuserrel'); + } } - } - } else { - if ($showinfo) { - print $langs->trans("EventOnFullDay")."
      \n"; - } - } - - // Show title - $titletoshow = $daterange; - $titletoshow .= ($titletoshow ? ' ' : '').dol_escape_htmltag($event->label ? $event->label : $event->libelle); - - if ($event->type_code != 'ICALEVENT') { - $savlabel = $event->label ? $event->label : $event->libelle; - $event->label = $titletoshow; - $event->libelle = $titletoshow; // deprecatd - // Note: List of users are inside $event->userassigned. Link may be clickable depending on permissions of user. - $titletoshow = (($event->type_picto || $event->type_code) ? $event->getTypePicto() : ''); - $titletoshow .= $event->getNomUrl(0, $maxnbofchar, 'cal_event cal_event_title', '', 0, 0); - $event->label = $savlabel; - $event->libelle = $savlabel; - } - - // Loop on each assigned user - $listofusertoshow = ''; - $posuserassigned = 0; - foreach ($event->userassigned as $tmpid => $tmpdata) { - if (!$posuserassigned && $titletoshow) { - $listofusertoshow .= '
      '; - } - $posuserassigned++; - if (empty($cacheusers[$tmpid])) { - $newuser = new User($db); - $newuser->fetch($tmpid); - $cacheusers[$tmpid] = $newuser; - } - - $listofusertoshow .= $cacheusers[$tmpid]->getNomUrl(-3, '', 0, 0, 0, 0, '', 'valignmiddle'); - } - - print $titletoshow; - print $listofusertoshow; - - if ($event->type_code == 'ICALEVENT') { - print '
      ('.dol_trunc($event->icalname, $maxnbofchar).')'; - } - - $thirdparty_id = ($event->socid > 0 ? $event->socid : ((is_object($event->societe) && $event->societe->id > 0) ? $event->societe->id : 0)); - $contact_id = ($event->contact_id > 0 ? $event->contact_id : ((is_object($event->contact) && $event->contact->id > 0) ? $event->contact->id : 0)); - - // If action related to company / contact - $linerelatedto = ''; - if ($thirdparty_id > 0) { - if (!isset($cachethirdparties[$thirdparty_id]) || !is_object($cachethirdparties[$thirdparty_id])) { - $thirdparty = new Societe($db); - $thirdparty->fetch($thirdparty_id); - $cachethirdparties[$thirdparty_id] = $thirdparty; } else { - $thirdparty = $cachethirdparties[$thirdparty_id]; + if ($showinfo) { + print $langs->trans("EventOnFullDay")."
      \n"; + } } - if (!empty($thirdparty->id)) { - $linerelatedto .= $thirdparty->getNomUrl(1, '', 0); + + // Show title + $titletoshow = $daterange; + $titletoshow .= ($titletoshow ? ' ' : '').dol_escape_htmltag($event->label ? $event->label : $event->libelle); + + if ($event->type_code != 'ICALEVENT') { + $savlabel = $event->label ? $event->label : $event->libelle; + $event->label = $titletoshow; + $event->libelle = $titletoshow; // deprecatd + // Note: List of users are inside $event->userassigned. Link may be clickable depending on permissions of user. + $titletoshow = (($event->type_picto || $event->type_code) ? $event->getTypePicto() : ''); + $titletoshow .= $event->getNomUrl(0, $maxnbofchar, 'cal_event cal_event_title', '', 0, 0); + $event->label = $savlabel; + $event->libelle = $savlabel; } - } - if (!empty($contact_id) && $contact_id > 0) { - if (empty($cachecontacts[$contact_id]) || !is_object($cachecontacts[$contact_id])) { - $contact = new Contact($db); - $contact->fetch($contact_id); - $cachecontacts[$contact_id] = $contact; - } else { - $contact = $cachecontacts[$contact_id]; + + // Loop on each assigned user + $listofusertoshow = ''; + $posuserassigned = 0; + foreach ($event->userassigned as $tmpid => $tmpdata) { + if (!$posuserassigned && $titletoshow) { + $listofusertoshow .= '
      '; + } + $posuserassigned++; + if (empty($cacheusers[$tmpid])) { + $newuser = new User($db); + $newuser->fetch($tmpid); + $cacheusers[$tmpid] = $newuser; + } + + $listofusertoshow .= $cacheusers[$tmpid]->getNomUrl(-3, '', 0, 0, 0, 0, '', 'valignmiddle'); + } + + print $titletoshow; + print $listofusertoshow; + + if ($event->type_code == 'ICALEVENT') { + print '
      ('.dol_trunc($event->icalname, $maxnbofchar).')'; + } + + $thirdparty_id = ($event->socid > 0 ? $event->socid : ((is_object($event->societe) && $event->societe->id > 0) ? $event->societe->id : 0)); + $contact_id = ($event->contact_id > 0 ? $event->contact_id : ((is_object($event->contact) && $event->contact->id > 0) ? $event->contact->id : 0)); + + // If action related to company / contact + $linerelatedto = ''; + if ($thirdparty_id > 0) { + if (!isset($cachethirdparties[$thirdparty_id]) || !is_object($cachethirdparties[$thirdparty_id])) { + $thirdparty = new Societe($db); + $thirdparty->fetch($thirdparty_id); + $cachethirdparties[$thirdparty_id] = $thirdparty; + } else { + $thirdparty = $cachethirdparties[$thirdparty_id]; + } + if (!empty($thirdparty->id)) { + $linerelatedto .= $thirdparty->getNomUrl(1, '', 0); + } + } + if (!empty($contact_id) && $contact_id > 0) { + if (empty($cachecontacts[$contact_id]) || !is_object($cachecontacts[$contact_id])) { + $contact = new Contact($db); + $contact->fetch($contact_id); + $cachecontacts[$contact_id] = $contact; + } else { + $contact = $cachecontacts[$contact_id]; + } + if ($linerelatedto) { + $linerelatedto .= ' '; + } + if (!empty($contact->id)) { + $linerelatedto .= $contact->getNomUrl(1, '', 0); + } + } + if (!empty($event->fk_element) && $event->fk_element > 0 && !empty($event->elementtype) && getDolGlobalString('AGENDA_SHOW_LINKED_OBJECT')) { + include_once DOL_DOCUMENT_ROOT.'/core/lib/functions2.lib.php'; + if ($linerelatedto) { + $linerelatedto .= '
      '; + } + $linerelatedto .= dolGetElementUrl($event->fk_element, $event->elementtype, 1); } if ($linerelatedto) { - $linerelatedto .= ' '; + print ' '.$linerelatedto; } - if (!empty($contact->id)) { - $linerelatedto .= $contact->getNomUrl(1, '', 0); - } - } - if (!empty($event->fk_element) && $event->fk_element > 0 && !empty($event->elementtype) && getDolGlobalString('AGENDA_SHOW_LINKED_OBJECT')) { - include_once DOL_DOCUMENT_ROOT.'/core/lib/functions2.lib.php'; - if ($linerelatedto) { - $linerelatedto .= '
      '; - } - $linerelatedto .= dolGetElementUrl($event->fk_element, $event->elementtype, 1); - } - if ($linerelatedto) { - print ' '.$linerelatedto; + } elseif (!empty($reshook)) { + print $hookmanager->resPrint; } } @@ -2278,7 +2310,7 @@ function dol_color_minus($color, $minus, $minusunit = 16) * * @param object $a Event A * @param object $b Event B - * @return int < 0 if event A should be before event B, > 0 otherwise, 0 if they have the exact same time slot + * @return int Return integer < 0 if event A should be before event B, > 0 otherwise, 0 if they have the exact same time slot */ function sort_events_by_date($a, $b) { @@ -2317,12 +2349,12 @@ function sort_events_by_date($a, $b) * * @param object $a Event A * @param object $b Event B - * @return int < 0 if event A should be before event B, > 0 otherwise, 0 if they have the exact same percentage + * @return int Return integer < 0 if event A should be before event B, > 0 otherwise, 0 if they have the exact same percentage */ function sort_events_by_percentage($a, $b) { // Sort events with no percentage before each other - // (usefull to sort holidays, sick days or similar on the top) + // (useful to sort holidays, sick days or similar on the top) if ($a->percentage < 0) { return -1; diff --git a/htdocs/comm/action/info.php b/htdocs/comm/action/info.php index 9d9baff3c3e..3af992cec85 100644 --- a/htdocs/comm/action/info.php +++ b/htdocs/comm/action/info.php @@ -19,7 +19,7 @@ /** * \file htdocs/comm/action/info.php * \ingroup agenda - * \brief Page des informations d'une action + * \brief Page des information d'une action */ // Load Dolibarr environment @@ -72,31 +72,45 @@ $object->info($object->id); $head = actions_prepare_head($object); print dol_get_fiche_head($head, 'info', $langs->trans("Action"), -1, 'action'); -$linkback = img_picto($langs->trans("BackToList"), 'object_calendarlist', 'class="hideonsmartphone pictoactionview"'); -$linkback .= ''.$langs->trans("BackToList").''; - // Link to other agenda views -$out = ''; -$out .= '
    • '.img_picto($langs->trans("ViewPerUser"), 'object_calendarperuser', 'class="hideonsmartphone pictoactionview"'); -$out .= ''.$langs->trans("ViewPerUser").''; -$out .= '
    • '.img_picto($langs->trans("ViewCal"), 'object_calendarmonth', 'class="hideonsmartphone pictoactionview"'); -$out .= ''.$langs->trans("ViewCal").''; -$out .= '
    • '.img_picto($langs->trans("ViewWeek"), 'object_calendarweek', 'class="hideonsmartphone pictoactionview"'); -$out .= ''.$langs->trans("ViewWeek").''; -$out .= '
    • '.img_picto($langs->trans("ViewDay"), 'object_calendarday', 'class="hideonsmartphone pictoactionview"'); -$out .= ''.$langs->trans("ViewDay").''; +$linkback .= ''; +$linkback .= img_picto($langs->trans("BackToList"), 'object_calendarlist', 'class="pictoactionview pictofixedwidth"'); +$linkback .= ''.$langs->trans("BackToList").''; +$linkback .= ''; +$linkback .= '
    • '; +$linkback .= '
    • '; +$linkback .= ''; +$linkback .= img_picto($langs->trans("ViewCal"), 'object_calendar', 'class="pictoactionview pictofixedwidth"'); +$linkback .= ''.$langs->trans("ViewCal").''; +$linkback .= ''; +$linkback .= '
    • '; +$linkback .= '
    • '; +$linkback .= ''; +$linkback .= img_picto($langs->trans("ViewWeek"), 'object_calendarweek', 'class="pictoactionview pictofixedwidth"'); +$linkback .= ''.$langs->trans("ViewWeek").''; +$linkback .= ''; +$linkback .= '
    • '; +$linkback .= '
    • '; +$linkback .= ''; +$linkback .= img_picto($langs->trans("ViewDay"), 'object_calendarday', 'class="pictoactionview pictofixedwidth"'); +$linkback .= ''.$langs->trans("ViewDay").''; +$linkback .= ''; +$linkback .= '
    • '; +$linkback .= '
    • '; +$linkback .= ''; +$linkback .= img_picto($langs->trans("ViewPerUser"), 'object_calendarperuser', 'class="pictoactionview pictofixedwidth"'); +$linkback .= ''.$langs->trans("ViewPerUser").''; +$linkback .= ''; // Add more views from hooks $parameters = array(); $reshook = $hookmanager->executeHooks('addCalendarView', $parameters, $object, $action); if (empty($reshook)) { - $out .= $hookmanager->resPrint; + $linkback .= $hookmanager->resPrint; } elseif ($reshook > 1) { - $out = $hookmanager->resPrint; + $linkback = $hookmanager->resPrint; } -$linkback .= $out; - $morehtmlref = '
      '; // Project if (isModEnabled('project')) { diff --git a/htdocs/comm/action/list.php b/htdocs/comm/action/list.php index 652f60552ff..9e7faf0f372 100644 --- a/htdocs/comm/action/list.php +++ b/htdocs/comm/action/list.php @@ -349,41 +349,41 @@ if ($search_title != '') { if ($search_note != '') { $param .= '&search_note='.urlencode($search_note); } -if (GETPOST('datestartday_dtstart', 'int')) { - $param .= '&datestartday_dtstart='.GETPOST('datestartday_dtstart', 'int'); +if (GETPOST('datestart_dtstartday', 'int')) { + $param .= '&datestart_dtstartday='.GETPOST('datestart_dtstartday', 'int'); } -if (GETPOST('datestartmonth_dtstart', 'int')) { - $param .= '&datestartmonth_dtstart='.GETPOST('datestartmonth_dtstart', 'int'); +if (GETPOST('datestart_dtstartmonth', 'int')) { + $param .= '&datestart_dtstartmonth='.GETPOST('datestart_dtstartmonth', 'int'); } -if (GETPOST('datestartyear_dtstart', 'int')) { - $param .= '&datestartyear_dtstart='.GETPOST('datestartyear_dtstart', 'int'); +if (GETPOST('datestart_dtstartyear', 'int')) { + $param .= '&datestart_dtstartyear='.GETPOST('datestart_dtstartyear', 'int'); } -if (GETPOST('datestartday_dtend', 'int')) { - $param .= '&datestartday_dtend='.GETPOST('datestartday_dtend', 'int'); +if (GETPOST('datestart_dtendday', 'int')) { + $param .= '&datestart_dtendday='.GETPOST('datestart_dtendday', 'int'); } -if (GETPOST('datestartmonth_dtend', 'int')) { - $param .= '&datestartmonth_dtend='.GETPOST('datestartmonth_dtend', 'int'); +if (GETPOST('datestart_dtendmonth', 'int')) { + $param .= '&datestart_dtendmonth='.GETPOST('datestart_dtendmonth', 'int'); } -if (GETPOST('datestartyear_dtend', 'int')) { - $param .= '&datestartyear_dtend='.GETPOST('datestartyear_dtend', 'int'); +if (GETPOST('datestart_dtendyear', 'int')) { + $param .= '&datestart_dtendyear='.GETPOST('datestart_dtendyear', 'int'); } -if (GETPOST('dateendday_dtstart', 'int')) { - $param .= '&dateendday_dtstart='.GETPOST('dateendday_dtstart', 'int'); +if (GETPOST('dateend_dtstartday', 'int')) { + $param .= '&dateend_dtstartday='.GETPOST('dateend_dtstartday', 'int'); } -if (GETPOST('dateendmonth_dtstart', 'int')) { - $param .= '&dateendmonth_dtstart='.GETPOST('dateendmonth_dtstart', 'int'); +if (GETPOST('dateend_dtstartmonth', 'int')) { + $param .= '&dateend_dtstartmonth='.GETPOST('dateend_dtstartmonth', 'int'); } -if (GETPOST('dateendyear_dtstart', 'int')) { - $param .= '&dateendyear_dtstart='.GETPOST('dateendyear_dtstart', 'int'); +if (GETPOST('dateend_dtstartyear', 'int')) { + $param .= '&dateend_dtstartyear='.GETPOST('dateend_dtstartyear', 'int'); } -if (GETPOST('dateendday_dtend', 'int')) { - $param .= '&dateendday_dtend='.GETPOST('dateendday_dtend', 'int'); +if (GETPOST('dateend_dtendday', 'int')) { + $param .= '&dateend_dtendday='.GETPOST('dateend_dtendday', 'int'); } -if (GETPOST('dateendmonth_dtend', 'int')) { - $param .= '&dateendmonth_dtend='.GETPOST('dateendmonth_dtend', 'int'); +if (GETPOST('dateend_dtendmonth', 'int')) { + $param .= '&dateend_dtendmonth='.GETPOST('dateend_dtendmonth', 'int'); } -if (GETPOST('dateendyear_dtend', 'int')) { - $param .= '&dateendyear_dtend='.GETPOST('dateendyear_dtend', 'int'); +if (GETPOST('dateend_dtendyear', 'int')) { + $param .= '&dateend_dtendyear='.GETPOST('dateend_dtendyear', 'int'); } if ($optioncss != '') { $param .= '&optioncss='.urlencode($optioncss); @@ -438,9 +438,6 @@ $sqlfields = $sql; // $sql fields to remove for count total $sql .= " FROM ".MAIN_DB_PREFIX."actioncomm as a"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."actioncomm_extrafields as ef ON (a.id = ef.fk_object)"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { - $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe_commerciaux as sc ON a.fk_soc = sc.fk_soc"; -} $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe as s ON a.fk_soc = s.rowid"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."socpeople as sp ON a.fk_contact = sp.rowid"; $sql .= " ,".MAIN_DB_PREFIX."c_actioncomm as c"; @@ -448,7 +445,7 @@ $sql .= " ,".MAIN_DB_PREFIX."c_actioncomm as c"; if ($resourceid > 0) { $sql .= ", ".MAIN_DB_PREFIX."element_resources as r"; } -// We must filter on assignement table +// We must filter on assignment table if ($filtert > 0 || $usergroup > 0) { $sql .= ", ".MAIN_DB_PREFIX."actioncomm_resources as ar"; } @@ -492,13 +489,24 @@ if ($resourceid > 0) { if ($pid) { $sql .= " AND a.fk_project=".((int) $pid); } -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { - $sql .= " AND (a.fk_soc IS NULL OR sc.fk_user = ".((int) $user->id).")"; +// If the internal user must only see his customers, force searching by him +$search_sale = 0; +if (!$user->hasRight('societe', 'client', 'voir')) { + $search_sale = $user->id; } -if ($socid > 0) { - $sql .= " AND s.rowid = ".((int) $socid); +// Search on sale representative +if ($search_sale && $search_sale != '-1') { + if ($search_sale == -2) { + $sql .= " AND NOT EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = a.fk_soc)"; + } elseif ($search_sale > 0) { + $sql .= " AND EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = a.fk_soc AND sc.fk_user = ".((int) $search_sale).")"; + } } -// We must filter on assignement table +// Search on socid +if ($socid) { + $sql .= " AND a.fk_soc = ".((int) $socid); +} +// We must filter on assignment table if ($filtert > 0 || $usergroup > 0) { $sql .= " AND ar.fk_actioncomm = a.id AND ar.element_type='user'"; } @@ -532,7 +540,7 @@ if ($search_title) { if ($search_note) { $sql .= natural_search('a.note', $search_note); } -// We must filter on assignement table +// We must filter on assignment table if ($filtert > 0 || $usergroup > 0) { $sql .= " AND ("; if ($filtert > 0) { @@ -575,6 +583,7 @@ if (!getDolGlobalInt('MAIN_DISABLE_FULL_SCANLIST')) { /* The fast and low memory method to get and count full list converts the sql into a sql count */ $sqlforcount = preg_replace('/^'.preg_quote($sqlfields, '/').'/', 'SELECT COUNT(*) as nbtotalofrecords', $sql); $sqlforcount = preg_replace('/GROUP BY .*$/', '', $sqlforcount); + $resql = $db->query($sqlforcount); if ($resql) { $objforcount = $db->fetch_object($resql); diff --git a/htdocs/comm/action/pertype.php b/htdocs/comm/action/pertype.php index 1d3add211ef..40aa0e8ad5d 100644 --- a/htdocs/comm/action/pertype.php +++ b/htdocs/comm/action/pertype.php @@ -522,14 +522,11 @@ $sql .= ' a.transparency, a.priority, a.fulldayevent, a.location,'; $sql .= ' a.fk_soc, a.fk_contact, a.fk_element, a.elementtype, a.fk_project,'; $sql .= ' ca.code, ca.libelle as type_label, ca.color, ca.type as type_type, ca.picto as type_picto'; $sql .= ' FROM '.MAIN_DB_PREFIX.'c_actioncomm as ca, '.MAIN_DB_PREFIX."actioncomm as a"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { - $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe_commerciaux as sc ON a.fk_soc = sc.fk_soc"; -} // We must filter on resource table if ($resourceid > 0) { $sql .= ", ".MAIN_DB_PREFIX."element_resources as r"; } -// We must filter on assignement table +// We must filter on assignment table if ($filtert > 0 || $usergroup > 0) { $sql .= ", ".MAIN_DB_PREFIX."actioncomm_resources as ar"; } @@ -571,15 +568,26 @@ if ($resourceid > 0) { $sql .= " AND r.element_type = 'action' AND r.element_id = a.id AND r.resource_id = ".((int) $resourceid); } if ($pid) { - $sql .= " AND a.fk_project=".((int) $pid); + $sql .= " AND a.fk_project = ".((int) $pid); } -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { - $sql .= " AND (a.fk_soc IS NULL OR sc.fk_user = ".((int) $user->id).")"; +// If the internal user must only see his customers, force searching by him +$search_sale = 0; +if (!$user->hasRight('societe', 'client', 'voir')) { + $search_sale = $user->id; } -if ($socid > 0) { - $sql .= ' AND a.fk_soc = '.((int) $socid); +// Search on sale representative +if ($search_sale && $search_sale != '-1') { + if ($search_sale == -2) { + $sql .= " AND NOT EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = a.fk_soc)"; + } elseif ($search_sale > 0) { + $sql .= " AND EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = a.fk_soc AND sc.fk_user = ".((int) $search_sale).")"; + } } -// We must filter on assignement table +// Search on socid +if ($socid) { + $sql .= " AND a.fk_soc = ".((int) $socid); +} +// We must filter on assignment table if ($filtert > 0 || $usergroup > 0) { $sql .= " AND ar.fk_actioncomm = a.id AND ar.element_type='user'"; } @@ -627,7 +635,7 @@ if ($status == 'done' || $status == '100') { if ($status == 'todo') { $sql .= " AND (a.percent >= 0 AND a.percent < 100)"; } -// We must filter on assignement table +// We must filter on assignment table if ($filtert > 0 || $usergroup > 0) { $sql .= " AND ("; if ($filtert > 0) { diff --git a/htdocs/comm/action/peruser.php b/htdocs/comm/action/peruser.php index 8aa8ac23537..1e480c79a14 100644 --- a/htdocs/comm/action/peruser.php +++ b/htdocs/comm/action/peruser.php @@ -535,14 +535,11 @@ $sql .= " a.transparency, a.priority, a.fulldayevent, a.location,"; $sql .= " a.fk_soc, a.fk_contact, a.fk_element, a.elementtype, a.fk_project,"; $sql .= " ca.code, ca.libelle as type_label, ca.color, ca.type as type_type, ca.picto as type_picto"; $sql .= " FROM ".MAIN_DB_PREFIX."c_actioncomm as ca, ".MAIN_DB_PREFIX."actioncomm as a"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { - $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe_commerciaux as sc ON a.fk_soc = sc.fk_soc"; -} // We must filter on resource table if ($resourceid > 0) { $sql .= ", ".MAIN_DB_PREFIX."element_resources as r"; } -// We must filter on assignement table +// We must filter on assignment table if ($filtert > 0 || $usergroup > 0) { $sql .= " INNER JOIN ".MAIN_DB_PREFIX."actioncomm_resources as ar"; $sql .= " ON ar.fk_actioncomm = a.id AND ar.element_type='user'"; @@ -591,10 +588,21 @@ if ($resourceid > 0) { if ($pid) { $sql .= " AND a.fk_project = ".((int) $pid); } -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { - $sql .= " AND (a.fk_soc IS NULL OR sc.fk_user = ".((int) $user->id).")"; +// If the internal user must only see his customers, force searching by him +$search_sale = 0; +if (!$user->hasRight('societe', 'client', 'voir')) { + $search_sale = $user->id; } -if ($socid > 0) { +// Search on sale representative +if ($search_sale && $search_sale != '-1') { + if ($search_sale == -2) { + $sql .= " AND NOT EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = a.fk_soc)"; + } elseif ($search_sale > 0) { + $sql .= " AND EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = a.fk_soc AND sc.fk_user = ".((int) $search_sale).")"; + } +} +// Search on socid +if ($socid) { $sql .= " AND a.fk_soc = ".((int) $socid); } diff --git a/htdocs/comm/action/rapport/index.php b/htdocs/comm/action/rapport/index.php index 1571061e32c..5ef15ca226a 100644 --- a/htdocs/comm/action/rapport/index.php +++ b/htdocs/comm/action/rapport/index.php @@ -30,7 +30,6 @@ require_once DOL_DOCUMENT_ROOT.'/core/lib/files.lib.php'; require_once DOL_DOCUMENT_ROOT.'/core/class/html.formfile.class.php'; require_once DOL_DOCUMENT_ROOT.'/contact/class/contact.class.php'; require_once DOL_DOCUMENT_ROOT.'/comm/action/class/actioncomm.class.php'; -require_once DOL_DOCUMENT_ROOT.'/core/modules/action/rapport.class.php'; // Load translation files required by the page $langs->loadLangs(array("agenda", "commercial")); @@ -59,7 +58,7 @@ if (!$sortfield) { // Security check //$result = restrictedArea($user, 'agenda', 0, '', 'myactions'); if (!$user->hasRight("agenda", "allactions", "read")) { - accessForbidden(); + accessforbidden(); } @@ -68,8 +67,10 @@ if (!$user->hasRight("agenda", "allactions", "read")) { */ if ($action == 'builddoc') { - $cat = new CommActionRapport($db, $month, $year); - $result = $cat->write_file(GETPOST('id', 'int')); + require_once DOL_DOCUMENT_ROOT.'/core/modules/action/doc/pdf_standard_actions.class.php'; + + $cat = new pdf_standard_actions($db, $month, $year); + $result = $cat->write_file(0, $langs); if ($result < 0) { setEventMessages($cat->error, $cat->errors, 'errors'); } @@ -169,7 +170,7 @@ if ($resql) { $modulepart = 'actionsreport'; $documenturl = DOL_URL_ROOT.'/document.php'; if (isset($conf->global->DOL_URL_ROOT_DOCUMENT_PHP)) { - $documenturl = $conf->global->DOL_URL_ROOT_DOCUMENT_PHP; // To use another wrapper + $documenturl = getDolGlobalString('DOL_URL_ROOT_DOCUMENT_PHP'); // To use another wrapper } if (file_exists($file)) { diff --git a/htdocs/comm/card.php b/htdocs/comm/card.php index 4737ff0d9d4..ded202f899f 100644 --- a/htdocs/comm/card.php +++ b/htdocs/comm/card.php @@ -218,7 +218,7 @@ if (empty($reshook)) { // assujetissement a la TVA if ($action == 'setassujtva' && $user->hasRight('societe', 'creer')) { $object->fetch($id); - $object->tva_assuj = GETPOST('assujtva_value'); + $object->tva_assuj = GETPOSTINT('assujtva_value'); $result = $object->update($object->id); if ($result < 0) { setEventMessages($object->error, $object->errors, 'errors'); @@ -513,7 +513,7 @@ if ($object->id > 0) { if ($object->client) { if (isModEnabled('commande') && getDolGlobalString('ORDER_MANAGE_MIN_AMOUNT')) { - print ''."\n"; + print ''."\n"; print ''; print ''; print $form->editfieldkey("OrderMinAmount", 'order_min_amount', $object->order_min_amount, $object, $user->hasRight('societe', 'creer')); @@ -538,8 +538,8 @@ if ($object->id > 0) { print ''; print $object->price_level; $keyforlabel = 'PRODUIT_MULTIPRICES_LABEL'.$object->price_level; - if (!empty($conf->global->$keyforlabel)) { - print ' - '.$langs->trans($conf->global->$keyforlabel); + if (getDolGlobalString($keyforlabel)) { + print ' - '.$langs->trans(getDolGlobalString($keyforlabel)); } print ""; print ''; @@ -693,7 +693,7 @@ if ($object->id > 0) { $boxstat = ''; // Nbre max d'elements des petites listes - $MAXLIST = $conf->global->MAIN_SIZE_SHORTLIST_LIMIT; + $MAXLIST = getDolGlobalString('MAIN_SIZE_SHORTLIST_LIMIT'); // Lien recap $boxstat .= '
      '; diff --git a/htdocs/comm/contact.php b/htdocs/comm/contact.php index e86a3d10848..255ab70afa7 100644 --- a/htdocs/comm/contact.php +++ b/htdocs/comm/contact.php @@ -80,19 +80,13 @@ if ($type == "f") { * List mode */ -$sql = "SELECT s.rowid, s.nom as name, st.libelle as stcomm"; -$sql .= ", p.rowid as cidp, p.name, p.firstname, p.email, p.phone"; +$sql = "SELECT s.rowid, s.nom as name, st.libelle as stcomm,"; +$sql .= " p.rowid as cidp, p.name, p.firstname, p.email, p.phone"; $sql .= " FROM ".MAIN_DB_PREFIX."c_stcomm as st,"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { - $sql .= " ".MAIN_DB_PREFIX."societe_commerciaux as sc,"; -} $sql .= " ".MAIN_DB_PREFIX."socpeople as p"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe as s ON s.rowid = p.fk_soc"; $sql .= " WHERE s.fk_stcomm = st.id"; $sql .= " AND p.entity IN (".getEntity('contact').")"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { - $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); -} if ($type == "c") { $sql .= " AND s.client IN (1, 3)"; } @@ -102,9 +96,6 @@ if ($type == "p") { if ($type == "f") { $sql .= " AND s.fournisseur = 1"; } -if ($socid) { - $sql .= " AND s.rowid = ".((int) $socid); -} if (!empty($search_lastname)) { $sql .= " AND p.name LIKE '%".$db->escape($search_lastname)."%'"; } @@ -114,11 +105,28 @@ if (!empty($search_firstname)) { if (!empty($search_company)) { $sql .= " AND s.nom LIKE '%".$db->escape($search_company)."%'"; } -if (!empty($contactname)) { // acces a partir du module de recherche +if (!empty($contactname)) { // access a partir du module de recherche $sql .= " AND (p.name LIKE '%".$db->escape($contactname)."%' OR lower(p.firstname) LIKE '%".$db->escape($contactname)."%') "; $sortfield = "p.name"; $sortorder = "ASC"; } +// If the internal user must only see his customers, force searching by him +$search_sale = 0; +if (!$user->hasRight('societe', 'client', 'voir')) { + $search_sale = $user->id; +} +// Search on sale representative +if ($search_sale && $search_sale != '-1') { + if ($search_sale == -2) { + $sql .= " AND NOT EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = p.fk_soc)"; + } elseif ($search_sale > 0) { + $sql .= " AND EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = p.fk_soc AND sc.fk_user = ".((int) $search_sale).")"; + } +} +// Search on socid +if ($socid) { + $sql .= " AND p.fk_soc = ".((int) $socid); +} $sql .= $db->order($sortfield, $sortorder); $sql .= $db->plimit($limit + 1, $offset); diff --git a/htdocs/comm/index.php b/htdocs/comm/index.php index 27ac6154296..a8f940ba16e 100644 --- a/htdocs/comm/index.php +++ b/htdocs/comm/index.php @@ -56,7 +56,7 @@ $langs->loadLangs(array("boxes", "commercial", "contracts", "orders", "propal", $action = GETPOST('action', 'aZ09'); $bid = GETPOST('bid', 'int'); -// Securite acces client +// Securite access client $socid = GETPOST('socid', 'int'); if (isset($user->socid) && $user->socid > 0) { $action = ''; @@ -64,13 +64,13 @@ if (isset($user->socid) && $user->socid > 0) { } -$max = $conf->global->MAIN_SIZE_SHORTLIST_LIMIT; +$max = getDolGlobalInt('MAIN_SIZE_SHORTLIST_LIMIT'); $maxofloop = (!getDolGlobalString('MAIN_MAXLIST_OVERLOAD') ? 500 : $conf->global->MAIN_MAXLIST_OVERLOAD); $now = dol_now(); //restrictedArea($user, 'societe', $socid, '&societe', '', 'fk_soc', 'rowid', 0); if (!$user->hasRight('propal', 'read') && !$user->hasRight('supplier_proposal', 'read') && !$user->hasRight('commande', 'read') && !$user->hasRight('fournisseur', 'commande', 'read') - && !$user->hasRight('supplier_order', 'read') && !$user->hasRight('fichinter', 'read')) { + && !$user->hasRight('supplier_order', 'read') && !$user->hasRight('fichinter', 'read') && !$user->hasRight('contrat', 'read')) { accessforbidden(); } @@ -137,13 +137,13 @@ if (isModEnabled("propal") && $user->hasRight("propal", "lire")) { $sql .= ", s.canvas"; $sql .= " FROM ".MAIN_DB_PREFIX."propal as p,"; $sql .= " ".MAIN_DB_PREFIX."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE p.entity IN (".getEntity($propalstatic->element).")"; $sql .= " AND p.fk_soc = s.rowid"; $sql .= " AND p.fk_statut = ".Propal::STATUS_DRAFT; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { @@ -235,13 +235,13 @@ if (isModEnabled('supplier_proposal') && $user->hasRight("supplier_proposal", "l $sql .= ", s.canvas"; $sql .= " FROM ".MAIN_DB_PREFIX."supplier_proposal as p,"; $sql .= " ".MAIN_DB_PREFIX."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE p.entity IN (".getEntity($supplierproposalstatic->element).")"; $sql .= " AND p.fk_statut = ".SupplierProposal::STATUS_DRAFT; $sql .= " AND p.fk_soc = s.rowid"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { @@ -332,13 +332,13 @@ if (isModEnabled('commande') && $user->hasRight('commande', 'lire')) { $sql .= ", s.canvas"; $sql .= " FROM ".MAIN_DB_PREFIX."commande as c,"; $sql .= " ".MAIN_DB_PREFIX."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE c.entity IN (".getEntity($orderstatic->element).")"; $sql .= " AND c.fk_statut = ".Commande::STATUS_DRAFT; $sql .= " AND c.fk_soc = s.rowid"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { @@ -430,13 +430,13 @@ if ((isModEnabled("fournisseur") && !getDolGlobalString('MAIN_USE_NEW_SUPPLIERMO $sql .= ", s.canvas"; $sql .= " FROM ".MAIN_DB_PREFIX."commande_fournisseur as cf,"; $sql .= " ".MAIN_DB_PREFIX."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE cf.entity IN (".getEntity($supplierorderstatic->element).")"; $sql .= " AND cf.fk_statut = ".CommandeFournisseur::STATUS_DRAFT; $sql .= " AND cf.fk_soc = s.rowid"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { @@ -527,7 +527,7 @@ if (isModEnabled('ficheinter')) { $sql .= ", s.canvas"; $sql .= " FROM ".MAIN_DB_PREFIX."fichinter as f"; $sql .= ", ".MAIN_DB_PREFIX."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE f.entity IN (".getEntity('intervention').")"; @@ -536,7 +536,7 @@ if (isModEnabled('ficheinter')) { if ($socid) { $sql .= " AND f.fk_soc = ".((int) $socid); } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } @@ -608,12 +608,12 @@ if (isModEnabled("societe") && $user->hasRight('societe', 'lire')) { $sql .= ", s.canvas"; $sql .= ", s.datec, s.tms"; $sql .= " FROM ".MAIN_DB_PREFIX."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE s.entity IN (".getEntity($companystatic->element).")"; $sql .= " AND s.client IN (".Societe::CUSTOMER.", ".Societe::PROSPECT.", ".Societe::CUSTOMER_AND_PROSPECT.")"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } // Add where from hooks @@ -714,12 +714,12 @@ if ((isModEnabled("supplier_order") || isModEnabled("supplier_invoice")) && $use $sql .= ", s.canvas"; $sql .= ", s.datec as dc, s.tms as dm"; $sql .= " FROM ".MAIN_DB_PREFIX."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$user->socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE s.entity IN (".getEntity($companystatic->element).")"; $sql .= " AND s.fournisseur = ".Societe::SUPPLIER; - if (!$user->hasRight('societe', 'client', 'voir') && !$user->socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } // Add where from hooks @@ -829,13 +829,13 @@ if (isModEnabled('contrat') && $user->hasRight("contrat", "lire") && 0) { // TOD $sql .= " FROM ".MAIN_DB_PREFIX."societe as s"; $sql .= ", ".MAIN_DB_PREFIX."contrat as c"; $sql .= ", ".MAIN_DB_PREFIX."product as p"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE c.entity IN (".getEntity($staticcontrat->element).")"; $sql .= " AND c.fk_soc = s.rowid"; $sql .= " AND c.fk_product = p.rowid"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { @@ -904,13 +904,13 @@ if (isModEnabled("propal") && $user->hasRight("propal", "lire")) { $sql .= ", s.canvas"; $sql .= " FROM ".MAIN_DB_PREFIX."propal as p"; $sql .= ", ".MAIN_DB_PREFIX."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE p.entity IN (".getEntity($propalstatic->element).")"; $sql .= " AND p.fk_soc = s.rowid"; $sql .= " AND p.fk_statut = ".Propal::STATUS_VALIDATED; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { @@ -1023,13 +1023,13 @@ if (isModEnabled('commande') && $user->hasRight('commande', 'lire')) { $sql .= ", s.canvas"; $sql .= " FROM ".MAIN_DB_PREFIX."commande as c"; $sql .= ", ".MAIN_DB_PREFIX."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE c.entity IN (".getEntity($orderstatic->element).")"; $sql .= " AND c.fk_soc = s.rowid"; $sql .= " AND c.fk_statut IN (".Commande::STATUS_VALIDATED.", ".Commande::STATUS_SHIPMENTONPROCESS.")"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { diff --git a/htdocs/comm/mailing/advtargetemailing.php b/htdocs/comm/mailing/advtargetemailing.php index 71e0f6092a2..fa08d145abf 100644 --- a/htdocs/comm/mailing/advtargetemailing.php +++ b/htdocs/comm/mailing/advtargetemailing.php @@ -1,6 +1,6 @@ - * Copyright (C) 2016 Laurent Destailleur + * Copyright (C) 2016 Laurent Destailleur * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -61,7 +61,7 @@ if (!$sortfield) { $sortfield = "email"; } -$id = GETPOST('id', 'int'); +$id = GETPOSTINT('id'); $rowid = GETPOST('rowid', 'int'); $action = GETPOST('action', 'aZ09'); $search_nom = GETPOST("search_nom"); @@ -256,7 +256,7 @@ if ($action == 'add') { } if ($action == 'clear') { - // Chargement de la classe + // Load a new class instance $classname = "MailingTargets"; $obj = new $classname($db); $obj->clear_target($id); @@ -447,7 +447,7 @@ if ($object->fetch($id) >= 0) { print ''; $nbemail = ($object->nbemail ? $object->nbemail : '0'); if (getDolGlobalString('MAILING_LIMIT_SENDBYWEB') && $conf->global->MAILING_LIMIT_SENDBYWEB < $nbemail) { - $text = $langs->trans('LimitSendingEmailing', $conf->global->MAILING_LIMIT_SENDBYWEB); + $text = $langs->trans('LimitSendingEmailing', getDolGlobalString('MAILING_LIMIT_SENDBYWEB')); print $form->textwithpicto($nbemail, $text, 1, 'warning'); } else { print $nbemail; diff --git a/htdocs/comm/mailing/card.php b/htdocs/comm/mailing/card.php index 40140b43167..3595296fec3 100644 --- a/htdocs/comm/mailing/card.php +++ b/htdocs/comm/mailing/card.php @@ -1,6 +1,6 @@ - * Copyright (C) 2005-2019 Laurent Destailleur + * Copyright (C) 2005-2019 Laurent Destailleur * Copyright (C) 2005-2016 Regis Houssin * Copyright (C) 2021 Waël Almoman * @@ -163,7 +163,7 @@ if (empty($reshook)) { $action = ''; } else { if ($object->statut == 0) { - dol_print_error('', 'ErrorMailIsNotValidated'); + dol_print_error(null, 'ErrorMailIsNotValidated'); exit; } @@ -285,13 +285,13 @@ if (empty($reshook)) { $substitutionarray['__ONLINEPAYMENTLINK_INVOICE__'] = getHtmlOnlinePaymentLink('invoice', $obj->source_id); $substitutionarray['__ONLINEPAYMENTLINK_CONTRACTLINE__'] = getHtmlOnlinePaymentLink('contractline', $obj->source_id); - $substitutionarray['__SECUREKEYPAYMENT__'] = dol_hash($conf->global->PAYMENT_SECURITY_TOKEN, 2); + $substitutionarray['__SECUREKEYPAYMENT__'] = dol_hash(getDolGlobalString('PAYMENT_SECURITY_TOKEN'), 2); if (!getDolGlobalString('PAYMENT_SECURITY_TOKEN_UNIQUE')) { - $substitutionarray['__SECUREKEYPAYMENT_MEMBER__'] = dol_hash($conf->global->PAYMENT_SECURITY_TOKEN, 2); - $substitutionarray['__SECUREKEYPAYMENT_DONATION__'] = dol_hash($conf->global->PAYMENT_SECURITY_TOKEN, 2); - $substitutionarray['__SECUREKEYPAYMENT_ORDER__'] = dol_hash($conf->global->PAYMENT_SECURITY_TOKEN, 2); - $substitutionarray['__SECUREKEYPAYMENT_INVOICE__'] = dol_hash($conf->global->PAYMENT_SECURITY_TOKEN, 2); - $substitutionarray['__SECUREKEYPAYMENT_CONTRACTLINE__'] = dol_hash($conf->global->PAYMENT_SECURITY_TOKEN, 2); + $substitutionarray['__SECUREKEYPAYMENT_MEMBER__'] = dol_hash(getDolGlobalString('PAYMENT_SECURITY_TOKEN'), 2); + $substitutionarray['__SECUREKEYPAYMENT_DONATION__'] = dol_hash(getDolGlobalString('PAYMENT_SECURITY_TOKEN'), 2); + $substitutionarray['__SECUREKEYPAYMENT_ORDER__'] = dol_hash(getDolGlobalString('PAYMENT_SECURITY_TOKEN'), 2); + $substitutionarray['__SECUREKEYPAYMENT_INVOICE__'] = dol_hash(getDolGlobalString('PAYMENT_SECURITY_TOKEN'), 2); + $substitutionarray['__SECUREKEYPAYMENT_CONTRACTLINE__'] = dol_hash(getDolGlobalString('PAYMENT_SECURITY_TOKEN'), 2); } else { $substitutionarray['__SECUREKEYPAYMENT_MEMBER__'] = dol_hash(getDolGlobalString('PAYMENT_SECURITY_TOKEN') . 'member'.$obj->source_id, 2); $substitutionarray['__SECUREKEYPAYMENT_DONATION__'] = dol_hash(getDolGlobalString('PAYMENT_SECURITY_TOKEN') . 'donation'.$obj->source_id, 2); @@ -305,28 +305,28 @@ if (empty($reshook)) { } /* For backward compatibility, deprecated */ if (isModEnabled('paypal') && getDolGlobalString('PAYPAL_SECURITY_TOKEN')) { - $substitutionarray['__SECUREKEYPAYPAL__'] = dol_hash($conf->global->PAYPAL_SECURITY_TOKEN, 2); + $substitutionarray['__SECUREKEYPAYPAL__'] = dol_hash(getDolGlobalString('PAYPAL_SECURITY_TOKEN'), 2); if (!getDolGlobalString('PAYPAL_SECURITY_TOKEN_UNIQUE')) { - $substitutionarray['__SECUREKEYPAYPAL_MEMBER__'] = dol_hash($conf->global->PAYPAL_SECURITY_TOKEN, 2); + $substitutionarray['__SECUREKEYPAYPAL_MEMBER__'] = dol_hash(getDolGlobalString('PAYPAL_SECURITY_TOKEN'), 2); } else { $substitutionarray['__SECUREKEYPAYPAL_MEMBER__'] = dol_hash(getDolGlobalString('PAYPAL_SECURITY_TOKEN') . 'membersubscription'.$obj->source_id, 2); } if (!getDolGlobalString('PAYPAL_SECURITY_TOKEN_UNIQUE')) { - $substitutionarray['__SECUREKEYPAYPAL_ORDER__'] = dol_hash($conf->global->PAYPAL_SECURITY_TOKEN, 2); + $substitutionarray['__SECUREKEYPAYPAL_ORDER__'] = dol_hash(getDolGlobalString('PAYPAL_SECURITY_TOKEN'), 2); } else { $substitutionarray['__SECUREKEYPAYPAL_ORDER__'] = dol_hash(getDolGlobalString('PAYPAL_SECURITY_TOKEN') . 'order'.$obj->source_id, 2); } if (!getDolGlobalString('PAYPAL_SECURITY_TOKEN_UNIQUE')) { - $substitutionarray['__SECUREKEYPAYPAL_INVOICE__'] = dol_hash($conf->global->PAYPAL_SECURITY_TOKEN, 2); + $substitutionarray['__SECUREKEYPAYPAL_INVOICE__'] = dol_hash(getDolGlobalString('PAYPAL_SECURITY_TOKEN'), 2); } else { $substitutionarray['__SECUREKEYPAYPAL_INVOICE__'] = dol_hash(getDolGlobalString('PAYPAL_SECURITY_TOKEN') . 'invoice'.$obj->source_id, 2); } if (!getDolGlobalString('PAYPAL_SECURITY_TOKEN_UNIQUE')) { - $substitutionarray['__SECUREKEYPAYPAL_CONTRACTLINE__'] = dol_hash($conf->global->PAYPAL_SECURITY_TOKEN, 2); + $substitutionarray['__SECUREKEYPAYPAL_CONTRACTLINE__'] = dol_hash(getDolGlobalString('PAYPAL_SECURITY_TOKEN'), 2); } else { $substitutionarray['__SECUREKEYPAYPAL_CONTRACTLINE__'] = dol_hash(getDolGlobalString('PAYPAL_SECURITY_TOKEN') . 'contractline'.$obj->source_id, 2); } @@ -482,7 +482,7 @@ if (empty($reshook)) { if (!$error) { // Is the message in html - $msgishtml = -1; // Unknow = autodetect by default + $msgishtml = -1; // Unknown = autodetect by default if (preg_match('/[\s\t]*/i', $object->body)) { $msgishtml = 1; } @@ -852,10 +852,10 @@ if ($action == 'create') { * View mode mailing */ if ($action == 'sendall') { - // Define message to recommand from command line - $sendingmode = $conf->global->EMAILING_MAIL_SENDMODE; + // Define message to recommend from command line + $sendingmode = getDolGlobalString('EMAILING_MAIL_SENDMODE'); if (empty($sendingmode)) { - $sendingmode = $conf->global->MAIN_MAIL_SENDMODE; + $sendingmode = getDolGlobalString('MAIN_MAIL_SENDMODE'); } if (empty($sendingmode)) { $sendingmode = 'mail'; // If not defined, we use php mail function @@ -863,8 +863,8 @@ if ($action == 'create') { // MAILING_NO_USING_PHPMAIL may be defined or not. // MAILING_LIMIT_SENDBYWEB is always defined to something != 0 (-1=forbidden). - // MAILING_LIMIT_SENDBYCLI may be defined ot not (-1=forbidden, 0 or undefined=no limit). - // MAILING_LIMIT_SENDBYDAY may be defined ot not (0 or undefined=no limit). + // MAILING_LIMIT_SENDBYCLI may be defined or not (-1=forbidden, 0 or undefined=no limit). + // MAILING_LIMIT_SENDBYDAY may be defined or not (0 or undefined=no limit). if (getDolGlobalString('MAILING_NO_USING_PHPMAIL') && $sendingmode == 'mail') { // EMailing feature may be a spam problem, so when you host several users/instance, having this option may force each user to use their own SMTP agent. // You ensure that every user is using its own SMTP server when using the mass emailing module. @@ -879,7 +879,7 @@ if ($action == 'create') { setEventMessages($messagetoshow, null, 'warnings'); if (getDolGlobalString('MAILING_SMTP_SETUP_EMAILS_FOR_QUESTIONS')) { - setEventMessages($langs->trans("MailSendSetupIs3", $conf->global->MAILING_SMTP_SETUP_EMAILS_FOR_QUESTIONS), null, 'warnings'); + setEventMessages($langs->trans("MailSendSetupIs3", getDolGlobalString('MAILING_SMTP_SETUP_EMAILS_FOR_QUESTIONS')), null, 'warnings'); } $_GET["action"] = ''; } elseif (getDolGlobalInt('MAILING_LIMIT_SENDBYWEB') < 0) { @@ -893,7 +893,7 @@ if ($action == 'create') { // The feature is forbidden from GUI, we show just message to use from command line. setEventMessages($langs->trans("MailingNeedCommand"), null, 'warnings'); setEventMessages('', null, 'warnings'); - if ($conf->file->mailing_limit_sendbyweb != '-1') { // MAILING_LIMIT_SENDBYWEB was set to -1 in database, but it is allowed ot increase it. + if ($conf->file->mailing_limit_sendbyweb != '-1') { // MAILING_LIMIT_SENDBYWEB was set to -1 in database, but it is allowed to increase it. setEventMessages($langs->trans("MailingNeedCommand2"), null, 'warnings'); // You can send online with constant... } $_GET["action"] = ''; @@ -907,12 +907,12 @@ if ($action == 'create') { $text = ''; - if (isset($conf->global->MAILING_LIMIT_SENDBYDAY) && getDolGlobalInt('MAILING_LIMIT_SENDBYDAY') >= 0) { - $text .= $langs->trans('WarningLimitSendByDay', $conf->global->MAILING_LIMIT_SENDBYDAY); + if (getDolGlobalInt('MAILING_LIMIT_SENDBYDAY') > 0) { + $text .= $langs->trans('WarningLimitSendByDay', getDolGlobalInt('MAILING_LIMIT_SENDBYDAY')); $text .= '

      '; } $text .= $langs->trans('ConfirmSendingEmailing').'
      '; - $text .= $langs->trans('LimitSendingEmailing', $conf->global->MAILING_LIMIT_SENDBYWEB); + $text .= $langs->trans('LimitSendingEmailing', getDolGlobalString('MAILING_LIMIT_SENDBYWEB')); if (!isset($conf->global->MAILING_LIMIT_SENDBYCLI) || getDolGlobalInt('MAILING_LIMIT_SENDBYCLI') >= 0) { $text .= '

      '; @@ -1000,7 +1000,7 @@ if ($action == 'create') { $text = ''; if ((getDolGlobalString('MAILING_LIMIT_SENDBYWEB') && $conf->global->MAILING_LIMIT_SENDBYWEB < $nbemail) && ($object->statut == 1 || ($object->statut == 2 && $nbtry < $nbemail))) { if (getDolGlobalInt('MAILING_LIMIT_SENDBYWEB') > 0) { - $text .= $langs->trans('LimitSendingEmailing', $conf->global->MAILING_LIMIT_SENDBYWEB); + $text .= $langs->trans('LimitSendingEmailing', getDolGlobalString('MAILING_LIMIT_SENDBYWEB')); } else { $text .= $langs->trans('SendingFromWebInterfaceIsNotAllowed'); } @@ -1147,7 +1147,7 @@ if ($action == 'create') { $formmail->withfrom = 0; $formmail->withto = $user->email ? $user->email : 1; $formmail->withtocc = 0; - $formmail->withtoccc = $conf->global->MAIN_EMAIL_USECCC; + $formmail->withtoccc = getDolGlobalString('MAIN_EMAIL_USECCC'); $formmail->withtopic = 0; $formmail->withtopicreadonly = 1; $formmail->withfile = 0; @@ -1290,7 +1290,7 @@ if ($action == 'create') { $text = ''; if ((getDolGlobalString('MAILING_LIMIT_SENDBYWEB') && $conf->global->MAILING_LIMIT_SENDBYWEB < $nbemail) && ($object->statut == 1 || $object->statut == 2)) { if (getDolGlobalInt('MAILING_LIMIT_SENDBYWEB') > 0) { - $text .= $langs->trans('LimitSendingEmailing', $conf->global->MAILING_LIMIT_SENDBYWEB); + $text .= $langs->trans('LimitSendingEmailing', getDolGlobalString('MAILING_LIMIT_SENDBYWEB')); } else { $text .= $langs->trans('SendingFromWebInterfaceIsNotAllowed'); } diff --git a/htdocs/comm/mailing/cibles.php b/htdocs/comm/mailing/cibles.php index 9139e41d189..cd7593f8e21 100644 --- a/htdocs/comm/mailing/cibles.php +++ b/htdocs/comm/mailing/cibles.php @@ -1,6 +1,6 @@ - * Copyright (C) 2005-2023 Laurent Destailleur + * Copyright (C) 2005-2023 Laurent Destailleur * Copyright (C) 2005-2010 Regis Houssin * Copyright (C) 2014 Florian Henry * @@ -348,7 +348,7 @@ if ($object->fetch($id) >= 0) { $text = ''; if ((getDolGlobalString('MAILING_LIMIT_SENDBYWEB') && $conf->global->MAILING_LIMIT_SENDBYWEB < $nbemail) && ($object->statut == 1 || ($object->statut == 2 && $nbtry < $nbemail))) { if (getDolGlobalInt('MAILING_LIMIT_SENDBYWEB') > 0) { - $text .= $langs->trans('LimitSendingEmailing', $conf->global->MAILING_LIMIT_SENDBYWEB); + $text .= $langs->trans('LimitSendingEmailing', getDolGlobalString('MAILING_LIMIT_SENDBYWEB')); } else { $text .= $langs->trans('SendingFromWebInterfaceIsNotAllowed'); } @@ -430,7 +430,7 @@ if ($object->fetch($id) >= 0) { $handle = @opendir($dir); if (is_resource($handle)) { while (($file = readdir($handle)) !== false) { - if (substr($file, 0, 1) <> '.' && substr($file, 0, 3) <> 'CVS') { + if (substr($file, 0, 1) != '.' && substr($file, 0, 3) != 'CVS') { $reg = array(); if (preg_match("/(.*)\.modules\.php$/i", $file, $reg)) { if ($reg[1] == 'example') { @@ -645,6 +645,7 @@ if ($object->fetch($id) >= 0) { print ''; print ''; print ''; + print ''; $morehtmlcenter = ''; if ($allowaddtarget) { @@ -712,7 +713,7 @@ if ($object->fetch($id) >= 0) { print ' '; print ''; - //Statut + // Status print ''; print $formmailing->selectDestinariesStatus($search_dest_status, 'search_dest_status', 1, 'width100 onrightofpage'); print ''; diff --git a/htdocs/comm/mailing/class/advtargetemailing.class.php b/htdocs/comm/mailing/class/advtargetemailing.class.php index 89bd1a23f19..8c615b0c334 100644 --- a/htdocs/comm/mailing/class/advtargetemailing.class.php +++ b/htdocs/comm/mailing/class/advtargetemailing.class.php @@ -1,5 +1,5 @@ * * This program is free software: you can redistribute it and/or modify @@ -104,7 +104,7 @@ class AdvanceTargetingMailing extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct($db) { @@ -546,10 +546,10 @@ class AdvanceTargetingMailing extends CommonObject if (count($arrayquery) > 0) { if (array_key_exists('cust_saleman', $arrayquery)) { - $sql .= " LEFT OUTER JOIN ".MAIN_DB_PREFIX."societe_commerciaux as saleman ON saleman.fk_soc=t.rowid "; + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe_commerciaux as saleman ON saleman.fk_soc = t.rowid"; } if (array_key_exists('cust_categ', $arrayquery)) { - $sql .= " LEFT OUTER JOIN ".MAIN_DB_PREFIX."categorie_societe as custcateg ON custcateg.fk_soc=t.rowid "; + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."categorie_societe as custcateg ON custcateg.fk_soc = t.rowid"; } if (!empty($arrayquery['cust_name'])) { @@ -787,10 +787,10 @@ class AdvanceTargetingMailing extends CommonObject if (!empty($withThirdpartyFilter)) { if (array_key_exists('cust_saleman', $arrayquery)) { - $sql .= " LEFT OUTER JOIN ".MAIN_DB_PREFIX."societe_commerciaux as saleman ON saleman.fk_soc=ts.rowid "; + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe_commerciaux as saleman ON saleman.fk_soc = ts.rowid"; } if (array_key_exists('cust_categ', $arrayquery)) { - $sql .= " LEFT OUTER JOIN ".MAIN_DB_PREFIX."categorie_societe as custcateg ON custcateg.fk_soc=ts.rowid "; + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."categorie_societe as custcateg ON custcateg.fk_soc = ts.rowid"; } if (!empty($arrayquery['cust_name'])) { @@ -918,12 +918,12 @@ class AdvanceTargetingMailing extends CommonObject /** - * Parse criteria to return a SQL qury formated + * Parse criteria to return a SQL query formatted * * @param string $column_to_test column to test - * @param string $criteria Use %% as magic caracters. For exemple to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, + * @param string $criteria Use %% as magic characters. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, * and use ! for except this value. - * For exemple jean;joe;jim%%;!jimo;!jima%> will target all jean, joe, start with jim but not jimo and not everythnig taht start by jima + * For example jean;joe;jim%%;!jimo;!jima%> will target all jean, joe, start with jim but not jimo and not everythnig that start by jima * @return string Sql to use for the where condition */ public function transformToSQL($column_to_test, $criteria) diff --git a/htdocs/comm/mailing/class/html.formadvtargetemailing.class.php b/htdocs/comm/mailing/class/html.formadvtargetemailing.class.php index c63fad696ee..0cf26f4820b 100644 --- a/htdocs/comm/mailing/class/html.formadvtargetemailing.class.php +++ b/htdocs/comm/mailing/class/html.formadvtargetemailing.class.php @@ -19,7 +19,7 @@ /** * \file comm/mailing/class/html.formadvtargetemailing.class.php * \ingroup mailing - * \brief Fichier de la classe des fonctions predefinies de composant html advtargetemailing + * \brief File for the class with functions for the building of HTML components for advtargetemailing */ /** @@ -165,10 +165,15 @@ class FormAdvTargetEmailing extends Form $sql_usr .= "SELECT DISTINCT u2.rowid, u2.lastname as name, u2.firstname, u2.login"; $sql_usr .= " FROM ".MAIN_DB_PREFIX."user as u2, ".MAIN_DB_PREFIX."societe_commerciaux as sc"; $sql_usr .= " WHERE u2.entity IN (0,".$conf->entity.")"; - $sql_usr .= " AND u2.rowid = sc.fk_user "; - + $sql_usr .= " AND u2.rowid = sc.fk_user"; if (getDolGlobalString('USER_HIDE_INACTIVE_IN_COMBOBOX')) { - $sql_usr .= " AND u2.statut<>0 "; + $sql_usr .= " AND u2.statut <> 0"; + } + if (!empty($conf->global->USER_HIDE_NONEMPLOYEE_IN_COMBOBOX)) { + $sql_usr .= " AND u2.employee<>0 "; + } + if (!empty($conf->global->USER_HIDE_EXTERNAL_IN_COMBOBOX)) { + $sql_usr .= " AND u2.fk_soc IS NULL "; } $sql_usr .= " ORDER BY name ASC"; // print $sql_usr;exit; @@ -340,7 +345,7 @@ class FormAdvTargetEmailing extends Form * Return a combo list to select emailing target selector * * @param string $htmlname control name - * @param integer $selected defaut selected + * @param integer $selected default selected * @param integer $showempty empty lines * @param string $type_element Type element. Example: 'mailing' * @param string $morecss More CSS diff --git a/htdocs/comm/mailing/class/mailing.class.php b/htdocs/comm/mailing/class/mailing.class.php index 3eb58a0a182..e7058d81216 100644 --- a/htdocs/comm/mailing/class/mailing.class.php +++ b/htdocs/comm/mailing/class/mailing.class.php @@ -211,7 +211,7 @@ class Mailing extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct($db) { @@ -308,7 +308,7 @@ class Mailing extends CommonObject * * @param User $user Object of user making change * @param int $notrigger Disable triggers - * @return int < 0 if KO, > 0 if OK + * @return int Return integer < 0 if KO, > 0 if OK */ public function update($user, $notrigger = 0) { @@ -558,7 +558,7 @@ class Mailing extends CommonObject /** * Validate emailing * - * @param User $user Objet user qui valide + * @param User $user Object user qui valide * @return int Return integer <0 if KO, >0 if OK */ public function valid($user) @@ -660,7 +660,7 @@ class Mailing extends CommonObject /** * Change status of each recipient * - * @param User $user Objet user qui valide + * @param User $user Object user qui valide * @return int Return integer <0 if KO, >0 if OK */ public function reset_targets_status($user) diff --git a/htdocs/comm/mailing/index.php b/htdocs/comm/mailing/index.php index cf3d18adbac..1f28a16a9d3 100644 --- a/htdocs/comm/mailing/index.php +++ b/htdocs/comm/mailing/index.php @@ -86,7 +86,7 @@ $handle = opendir($dir); if (is_resource($handle)) { while (($file = readdir($handle)) !== false) { - if (substr($file, 0, 1) <> '.' && substr($file, 0, 3) <> 'CVS') { + if (substr($file, 0, 1) != '.' && substr($file, 0, 3) != 'CVS') { if (preg_match("/(.*)\.(.*)\.(.*)/i", $file, $reg)) { $modulename = $reg[1]; if ($modulename == 'example') { diff --git a/htdocs/comm/multiprix.php b/htdocs/comm/multiprix.php index fe6c733713b..d2729885b96 100644 --- a/htdocs/comm/multiprix.php +++ b/htdocs/comm/multiprix.php @@ -110,8 +110,8 @@ if ($_socid > 0) { } print '>'.$i; $keyforlabel = 'PRODUIT_MULTIPRICES_LABEL'.$i; - if (!empty($conf->global->$keyforlabel)) { - print ' - '.$langs->trans($conf->global->$keyforlabel); + if (getDolGlobalString($keyforlabel)) { + print ' - '.$langs->trans(getDolGlobalString($keyforlabel)); } print ''; } diff --git a/htdocs/comm/propal/agenda.php b/htdocs/comm/propal/agenda.php index 23a17ed5958..bcf710dac81 100644 --- a/htdocs/comm/propal/agenda.php +++ b/htdocs/comm/propal/agenda.php @@ -126,7 +126,7 @@ $form = new Form($db); if ($object->id > 0) { $title = $langs->trans("Agenda"); - //if (!empty($conf->global->MAIN_HTML_TITLE) && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; + //if (getDolGlobalString('MAIN_HTML_TITLE') && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; $help_url = 'EN:Module_Agenda_En|DE:Modul_Terminplanung'; llxHeader('', $title, $help_url); diff --git a/htdocs/comm/propal/card.php b/htdocs/comm/propal/card.php index cd80e636a3e..a0a2a5a4c5f 100644 --- a/htdocs/comm/propal/card.php +++ b/htdocs/comm/propal/card.php @@ -12,10 +12,11 @@ * Copyright (C) 2013-2014 Florian Henry * Copyright (C) 2014 Ferran Marcet * Copyright (C) 2016 Marcos García - * Copyright (C) 2018-2021 Frédéric France + * Copyright (C) 2018-2024 Frédéric France * Copyright (C) 2020 Nicolas ZABOURI * Copyright (C) 2022 Gauthier VERDOL * Copyright (C) 2023 Lenin Rivas + * Copyright (C) 2023 William Mead * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -235,6 +236,16 @@ if (empty($reshook)) { } } } + } elseif ($action == 'confirm_cancel' && $confirm == 'yes' && $usercanclose) { + // Cancel proposal + $result = $object->setCancel($user); + if ($result > 0) { + header('Location: '.$_SERVER["PHP_SELF"].'?id='.$object->id); + exit(); + } else { + $langs->load("errors"); + setEventMessages($object->error, $object->errors, 'errors'); + } } elseif ($action == 'confirm_delete' && $confirm == 'yes' && $usercandelete) { // Delete proposal $result = $object->delete($user); @@ -426,19 +437,19 @@ if (empty($reshook)) { $object->datep = $datep; $object->date = $datep; $object->delivery_date = $date_delivery; - $object->availability_id = GETPOST('availability_id'); - $object->demand_reason_id = GETPOST('demand_reason_id'); - $object->fk_delivery_address = GETPOST('fk_address', 'int'); - $object->shipping_method_id = GETPOST('shipping_method_id', 'int'); - $object->warehouse_id = GETPOST('warehouse_id', 'int'); + $object->availability_id = GETPOSTINT('availability_id'); + $object->demand_reason_id = GETPOSTINT('demand_reason_id'); + $object->fk_delivery_address = GETPOSTINT('fk_address'); + $object->shipping_method_id = GETPOSTINT('shipping_method_id'); + $object->warehouse_id = GETPOSTINT('warehouse_id'); $object->duree_validite = $duration; - $object->cond_reglement_id = GETPOST('cond_reglement_id'); + $object->cond_reglement_id = GETPOSTINT('cond_reglement_id'); $object->deposit_percent = GETPOST('cond_reglement_id_deposit_percent', 'alpha'); - $object->mode_reglement_id = GETPOST('mode_reglement_id', 'int'); - $object->fk_account = GETPOST('fk_account', 'int'); - $object->socid = GETPOST('socid', 'int'); - $object->contact_id = GETPOST('contactid', 'int'); - $object->fk_project = GETPOST('projectid', 'int'); + $object->mode_reglement_id = GETPOSTINT('mode_reglement_id'); + $object->fk_account = GETPOSTINT('fk_account'); + $object->socid = GETPOSTINT('socid'); + $object->contact_id = GETPOSTINT('contactid'); + $object->fk_project = GETPOSTINT('projectid'); $object->model_pdf = GETPOST('model', 'alphanohtml'); $object->author = $user->id; // deprecated $object->user_author_id = $user->id; @@ -446,7 +457,7 @@ if (empty($reshook)) { $object->note_public = GETPOST('note_public', 'restricthtml'); $object->statut = Propal::STATUS_DRAFT; $object->status = Propal::STATUS_DRAFT; - $object->fk_incoterms = GETPOST('incoterm_id', 'int'); + $object->fk_incoterms = GETPOSTINT('incoterm_id'); $object->location_incoterms = GETPOST('location_incoterms', 'alpha'); } else { setEventMessages($langs->trans("ErrorFailedToCopyProposal", GETPOST('copie_propal')), null, 'errors'); @@ -457,27 +468,27 @@ if (empty($reshook)) { $object->datep = $datep; $object->date = $datep; $object->delivery_date = $date_delivery; - $object->availability_id = GETPOST('availability_id', 'int'); - $object->demand_reason_id = GETPOST('demand_reason_id', 'int'); - $object->fk_delivery_address = GETPOST('fk_address', 'int'); - $object->shipping_method_id = GETPOST('shipping_method_id', 'int'); - $object->warehouse_id = GETPOST('warehouse_id', 'int'); + $object->availability_id = GETPOSTINT('availability_id'); + $object->demand_reason_id = GETPOSTINT('demand_reason_id'); + $object->fk_delivery_address = GETPOSTINT('fk_address'); + $object->shipping_method_id = GETPOSTINT('shipping_method_id'); + $object->warehouse_id = GETPOSTINT('warehouse_id'); $object->duree_validite = price2num(GETPOST('duree_validite', 'alpha')); - $object->cond_reglement_id = GETPOST('cond_reglement_id', 'int'); + $object->cond_reglement_id = GETPOSTINT('cond_reglement_id'); $object->deposit_percent = GETPOST('cond_reglement_id_deposit_percent', 'alpha'); - $object->mode_reglement_id = GETPOST('mode_reglement_id', 'int'); - $object->fk_account = GETPOST('fk_account', 'int'); - $object->contact_id = GETPOST('contactid', 'int'); - $object->fk_project = GETPOST('projectid', 'int'); + $object->mode_reglement_id = GETPOSTINT('mode_reglement_id'); + $object->fk_account = GETPOSTINT('fk_account'); + $object->contact_id = GETPOSTINT('contactid'); + $object->fk_project = GETPOSTINT('projectid'); $object->model_pdf = GETPOST('model'); $object->author = $user->id; // deprecated $object->note_private = GETPOST('note_private', 'restricthtml'); $object->note_public = GETPOST('note_public', 'restricthtml'); - $object->fk_incoterms = GETPOST('incoterm_id', 'int'); + $object->fk_incoterms = GETPOSTINT('incoterm_id'); $object->location_incoterms = GETPOST('location_incoterms', 'alpha'); $object->origin = GETPOST('origin'); - $object->origin_id = GETPOST('originid'); + $object->origin_id = GETPOSTINT('originid'); // Multicurrency if (isModEnabled("multicurrency")) { @@ -785,13 +796,17 @@ if (empty($reshook)) { } elseif ($action == 'confirm_reopen' && $usercanclose && !GETPOST('cancel', 'alpha')) { // Reopen proposal // prevent browser refresh from reopening proposal several times - if ($object->statut == Propal::STATUS_SIGNED || $object->statut == Propal::STATUS_NOTSIGNED || $object->statut == Propal::STATUS_BILLED) { + if ($object->statut == Propal::STATUS_SIGNED || $object->statut == Propal::STATUS_NOTSIGNED || $object->statut == Propal::STATUS_BILLED || $object->statut == Propal::STATUS_CANCELED) { $db->begin(); - $result = $object->reopen($user, !getDolGlobalString('PROPAL_SKIP_ACCEPT_REFUSE')); + $newstatus = (getDolGlobalInt('PROPAL_SKIP_ACCEPT_REFUSE') ? Propal::STATUS_DRAFT : Propal::STATUS_VALIDATED); + $result = $object->reopen($user, $newstatus); if ($result < 0) { setEventMessages($object->error, $object->errors, 'errors'); $error++; + } else { + $object->statut = $newstatus; + $object->status = $newstatus; } if (!$error) { @@ -1175,6 +1190,10 @@ if (empty($reshook)) { if (!empty($price_ht) || (string) $price_ht === '0') { $pu_ht = price2num($price_ht, 'MU'); $pu_ttc = price2num($pu_ht * (1 + ((float) $tmpvat / 100)), 'MU'); + } elseif (!empty($price_ht_devise) || (string) $price_ht_devise === '0') { + $pu_ht_devise = price2num($price_ht_devise, 'MU'); + $pu_ht = ''; + $pu_ttc = ''; } elseif (!empty($price_ttc) || (string) $price_ttc === '0') { $pu_ttc = price2num($price_ttc, 'MU'); $pu_ht = price2num($pu_ttc / (1 + ((float) $tmpvat / 100)), 'MU'); @@ -1209,7 +1228,7 @@ if (empty($reshook)) { $desc = $prod->description; } - //If text set in desc is the same as product description (as now it's preloaded) whe add it only one time + //If text set in desc is the same as product description (as now it's preloaded) we add it only one time if ($product_desc==$desc && getDolGlobalString('PRODUIT_AUTOFILL_DESC')) { $product_desc=''; } @@ -1295,7 +1314,7 @@ if (empty($reshook)) { // Margin $fournprice = price2num(GETPOST('fournprice'.$predef) ? GETPOST('fournprice'.$predef) : ''); - $buyingprice = price2num(GETPOST('buying_price'.$predef) != '' ? GETPOST('buying_price'.$predef) : ''); // If buying_price is '0', we muste keep this value + $buyingprice = price2num(GETPOST('buying_price'.$predef) != '' ? GETPOST('buying_price'.$predef) : ''); // If buying_price is '0', we must keep this value $date_start = dol_mktime(GETPOST('date_start'.$predef.'hour'), GETPOST('date_start'.$predef.'min'), GETPOST('date_start'.$predef.'sec'), GETPOST('date_start'.$predef.'month'), GETPOST('date_start'.$predef.'day'), GETPOST('date_start'.$predef.'year')); $date_end = dol_mktime(GETPOST('date_end'.$predef.'hour'), GETPOST('date_end'.$predef.'min'), GETPOST('date_end'.$predef.'sec'), GETPOST('date_end'.$predef.'month'), GETPOST('date_end'.$predef.'day'), GETPOST('date_end'.$predef.'year')); @@ -1424,7 +1443,7 @@ if (empty($reshook)) { // Add buying price $fournprice = price2num(GETPOST('fournprice') ? GETPOST('fournprice') : ''); - $buyingprice = price2num(GETPOST('buying_price') != '' ? GETPOST('buying_price') : ''); // If buying_price is '0', we muste keep this value + $buyingprice = price2num(GETPOST('buying_price') != '' ? GETPOST('buying_price') : ''); // If buying_price is '0', we must keep this value $pu_ht_devise = price2num(GETPOST('multicurrency_subprice'), '', 2); $pu_ttc_devise = price2num(GETPOST('multicurrency_subprice_ttc'), '', 2); @@ -1601,7 +1620,7 @@ if (empty($reshook)) { } } } elseif ($action == 'updateline' && $usercancreate && GETPOST('cancel', 'alpha')) { - header('Location: '.$_SERVER['PHP_SELF'].'?id='.$object->id); // Pour reaffichage de la fiche en cours d'edition + header('Location: '.$_SERVER['PHP_SELF'].'?id='.$object->id); // To re-display card in edit mode exit(); } elseif ($action == 'classin' && $usercancreate) { // Set project @@ -1639,14 +1658,15 @@ if (empty($reshook)) { $result = $object->setWarehouse(GETPOST('warehouse_id', 'int')); } elseif ($action == 'update_extras') { $object->oldcopy = dol_clone($object, 2); + $attribute_name = GETPOST('attribute', 'restricthtml'); // Fill array 'array_options' with data from update form - $ret = $extrafields->setOptionalsFromPost(null, $object, GETPOST('attribute', 'restricthtml')); + $ret = $extrafields->setOptionalsFromPost(null, $object, $attribute_name); if ($ret < 0) { $error++; } if (!$error) { - $result = $object->insertExtraFields('PROPAL_MODIFY'); + $result = $object->updateExtraField($attribute_name, 'PROPAL_MODIFY'); if ($result < 0) { setEventMessages($object->error, $object->errors, 'errors'); $error++; @@ -1840,7 +1860,7 @@ if ($action == 'create') { } if (isModEnabled('stock') && empty($warehouse_id) && getDolGlobalString('WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER')) { if (empty($object->warehouse_id) && getDolGlobalString('MAIN_DEFAULT_WAREHOUSE')) { - $warehouse_id = $conf->global->MAIN_DEFAULT_WAREHOUSE; + $warehouse_id = getDolGlobalString('MAIN_DEFAULT_WAREHOUSE'); } if (empty($object->warehouse_id) && getDolGlobalString('MAIN_DEFAULT_WAREHOUSE_USER')) { $warehouse_id = $user->fk_warehouse; @@ -1893,7 +1913,7 @@ if ($action == 'create') { print ''; $filter = '((s.client:IN:1,2,3) AND (s.status:=:1))'; print img_picto('', 'company', 'class="pictofixedwidth"').$form->select_company('', 'socid', $filter, 'SelectThirdParty', 1, 0, null, 0, 'minwidth300 maxwidth500 widthcentpercentminusxx'); - // reload page to retrieve customer informations + // reload page to retrieve customer information if (!getDolGlobalString('RELOAD_PAGE_ON_CUSTOMER_CHANGE_DISABLED')) { print ''; } -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print ''."\n"; // Fields title search @@ -2636,7 +2660,7 @@ while ($i < $imaxinloop) { } else { // BUGGED CODE. // DOES NOT TAKE INTO ACCOUNT MANUFACTURING. THIS CODE SHOULD BE USELESS. PREVIOUS CODE SEEMS COMPLETE. // COUNT STOCK WHEN WE SHOULD ALREADY HAVE VALUE - // Detailed virtual stock, looks bugged, uncomplete and need heavy load. + // Detailed virtual stock, looks bugged, incomplete and need heavy load. // stock order and stock order_supplier $stock_order = 0; $stock_order_supplier = 0; @@ -2774,7 +2798,7 @@ if ($num == 0) { print ''."\n"; -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/commande/list_det.php b/htdocs/commande/list_det.php index 255dd76614e..4a51d05908d 100644 --- a/htdocs/commande/list_det.php +++ b/htdocs/commande/list_det.php @@ -10,7 +10,7 @@ * Copyright (C) 2015 Marcos García * Copyright (C) 2015 Jean-François Ferry * Copyright (C) 2016-2021 Ferran Marcet - * Copyright (C) 2018 Charlene Benke + * Copyright (C) 2018-2023 Charlene Benke * Copyright (C) 2021-2023 Anthony Berton * * This program is free software; you can redistribute it and/or modify @@ -85,7 +85,7 @@ if (isModEnabled('categorie')) { if (GETPOSTISSET('formfilteraction')) { $searchCategoryProductOperator = GETPOSTINT('search_category_product_operator'); } elseif (getDolGlobalString('MAIN_SEARCH_CAT_OR_BY_DEFAULT')) { - $searchCategoryProductOperator = $conf->global->MAIN_SEARCH_CAT_OR_BY_DEFAULT; + $searchCategoryProductOperator = getDolGlobalString('MAIN_SEARCH_CAT_OR_BY_DEFAULT'); } } @@ -373,7 +373,7 @@ $help_url = "EN:Module_Customers_Orders|FR:Module_Commandes_Clients|ES:Módulo_P // llxHeader('',$title,$help_url); $sql = 'SELECT'; -if ($sall || $search_product_category > 0 || $search_user > 0) { +if ($sall || $search_product_category_array > 0 || $search_user > 0) { $sql = 'SELECT DISTINCT'; } $sql .= ' s.rowid as socid, s.nom as name, s.name_alias as alias, s.email, s.phone, s.fax, s.address, s.town, s.zip, s.fk_pays, s.client, s.code_client,'; @@ -470,12 +470,12 @@ if ($sall) { if ($search_billed != '' && $search_billed >= 0) { $sql .= ' AND c.facture = '.((int) $search_billed); } -if ($search_status <> '') { +if ($search_status != '') { if ($search_status <= 3 && $search_status >= -1) { // status from -1 to 3 are real status (other are virtual combination) if ($search_status == 1 && !isModEnabled('expedition')) { - $sql .= ' AND c.fk_statut IN (1,2)'; // If module expedition disabled, we include order with status 'sending in process' into 'validated' + $sql .= ' AND c.fk_statut IN (1,2)'; // If module expedition disabled, we include order with status "sent" into "validated" } else { - $sql .= ' AND c.fk_statut = '.((int) $search_status); // brouillon, validee, en cours, annulee + $sql .= ' AND c.fk_statut = '.((int) $search_status); // draft, validated, in process or canceled } } if ($search_status == -2) { // To process @@ -1486,6 +1486,7 @@ if ($resql) { $totalarray = array(); $totalarray['nbfield'] = 0; + $subtotalarray['nbfield'] = 0; $totalarray['val']['cdet.total_tva'] = 0; $totalarray['val']['cdet.total_ttc'] = 0; $imaxinloop = ($limit ? min($num, $limit) : $num); @@ -2118,7 +2119,7 @@ if ($resql) { } else { // BUGGED CODE. // DOES NOT TAKE INTO ACCOUNT MANUFACTURING. THIS CODE SHOULD BE USELESS. PREVIOUS CODE SEEMS COMPLETE. // COUNT STOCK WHEN WE SHOULD ALREADY HAVE VALUE - // Detailed virtual stock, looks bugged, uncomplete and need heavy load. + // Detailed virtual stock, looks bugged, incomplete and need heavy load. // stock order and stock order_supplier $stock_order = 0; $stock_order_supplier = 0; diff --git a/htdocs/commande/note.php b/htdocs/commande/note.php index edcd2a14f16..368a8333317 100644 --- a/htdocs/commande/note.php +++ b/htdocs/commande/note.php @@ -83,7 +83,7 @@ if (empty($reshook)) { */ $title = $object->ref." - ".$langs->trans('Notes'); $help_url = 'EN:Customers_Orders|FR:Commandes_Clients|ES:Pedidos de clientes|DE:Modul_Kundenaufträge'; -llxHeader('', $title, $help_url); +llxHeader('', $title, $help_url, '', 0, 0, '', '', '', 'mod-order page-card_notes'); $form = new Form($db); diff --git a/htdocs/commande/stats/index.php b/htdocs/commande/stats/index.php index a909820ae6e..f7da50833e1 100644 --- a/htdocs/commande/stats/index.php +++ b/htdocs/commande/stats/index.php @@ -75,7 +75,7 @@ if ($user->socid > 0) { $nowyear = dol_print_date(dol_now('gmt'), "%Y", 'gmt'); $year = GETPOST('year') > 0 ? GETPOST('year') : $nowyear; -$startyear = $year - (!getDolGlobalString('MAIN_STATS_GRAPHS_SHOW_N_YEARS') ? 2 : max(1, min(10, $conf->global->MAIN_STATS_GRAPHS_SHOW_N_YEARS))); +$startyear = $year - (!getDolGlobalString('MAIN_STATS_GRAPHS_SHOW_N_YEARS') ? 2 : max(1, min(10, getDolGlobalString('MAIN_STATS_GRAPHS_SHOW_N_YEARS')))); $endyear = $year; // Load translation files required by the page @@ -101,7 +101,7 @@ if ($mode == 'supplier') { $dir = $conf->fournisseur->commande->dir_temp; } -llxHeader('', $title); +llxHeader('', $title, '', '', 0, 0, '', '', '', 'mod-order page-stats'); print load_fiche_titre($title, '', $picto); @@ -127,7 +127,7 @@ $data = $stats->getNbByMonthWithPrevYear($endyear, $startyear); // $data = array(array('Lib',val1,val2,val3),...) -if (!$user->hasRight('societe', 'client', 'voir') || $user->socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $filenamenb = $dir.'/ordersnbinyear-'.$user->id.'-'.$year.'.png'; if ($mode == 'customer') { $fileurlnb = DOL_URL_ROOT.'/viewimage.php?modulepart=orderstats&file=ordersnbinyear-'.$user->id.'-'.$year.'.png'; @@ -174,7 +174,7 @@ $data = $stats->getAmountByMonthWithPrevYear($endyear, $startyear); //var_dump($data); // $data = array(array('Lib',val1,val2,val3),...) -if (!$user->hasRight('societe', 'client', 'voir') || $user->socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $filenameamount = $dir.'/ordersamountinyear-'.$user->id.'-'.$year.'.png'; if ($mode == 'customer') { $fileurlamount = DOL_URL_ROOT.'/viewimage.php?modulepart=orderstats&file=ordersamountinyear-'.$user->id.'-'.$year.'.png'; @@ -219,7 +219,7 @@ if (!$mesg) { $data = $stats->getAverageByMonthWithPrevYear($endyear, $startyear); -if (!$user->hasRight('societe', 'client', 'voir') || $user->socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $filename_avg = $dir.'/ordersaverage-'.$user->id.'-'.$year.'.png'; if ($mode == 'customer') { $fileurl_avg = DOL_URL_ROOT.'/viewimage.php?modulepart=orderstats&file=ordersaverage-'.$user->id.'-'.$year.'.png'; diff --git a/htdocs/compta/accounting-files.php b/htdocs/compta/accounting-files.php index d9467795953..6bd2223a627 100644 --- a/htdocs/compta/accounting-files.php +++ b/htdocs/compta/accounting-files.php @@ -261,7 +261,7 @@ if (($action == 'searchfiles' || $action == 'dl')) { $sql .= " FROM ".MAIN_DB_PREFIX."chargesociales as t"; $sql .= " WHERE t.date_ech between ".$wheretail; $sql .= " AND t.entity IN (".$db->sanitize($entity == 1 ? '0,1' : $entity).')'; - //$sql.=" AND fk_statut <> ".ChargeSociales::STATUS_DRAFT; + //$sql.=" AND fk_statut <> ".ChargeSociales::STATUS_UNPAID; if (!empty($projectid)) { $sql .= " AND fk_projet = ".((int) $projectid); } @@ -480,7 +480,7 @@ if (($action == 'searchfiles' || $action == 'dl')) { *ZIP creation */ -$dirfortmpfile = ($conf->accounting->dir_temp ? $conf->accounting->dir_temp : $conf->comptabilite->dir_temp); +$dirfortmpfile = (!empty($conf->accounting->dir_temp) ? $conf->accounting->dir_temp : $conf->comptabilite->dir_temp); if (empty($dirfortmpfile)) { setEventMessages($langs->trans("ErrorNoAccountingModuleEnabled"), null, 'errors'); $error++; @@ -727,7 +727,7 @@ if (!empty($date_start) && !empty($date_stop)) { print '
      '; - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '; print ''; print_liste_field_titre($arrayfields['type']['label'], $_SERVER["PHP_SELF"], "item", "", $param, '', $sortfield, $sortorder, 'nowrap '); diff --git a/htdocs/compta/ajaxpayment.php b/htdocs/compta/ajaxpayment.php index 6b62beac5a4..b9e5ac63a7b 100644 --- a/htdocs/compta/ajaxpayment.php +++ b/htdocs/compta/ajaxpayment.php @@ -103,7 +103,7 @@ if ($currentInvId) { // Here to breakdown $result += $currentRemain; } } else { - // Reset the substraction for this amount + // Reset the subtraction for this amount $result += price2num($currentAmount); $currentAmount = 0; @@ -112,7 +112,7 @@ if ($currentInvId) { // Here to breakdown $currentRemain : // Remain can be fully paid $currentRemain + ($result - $currentRemain)); // Remain can only partially be paid $currentAmount = $amountToBreakdown; // In both cases, amount will take breakdown value - $result -= $amountToBreakdown; // And canceled substraction has been replaced by breakdown + $result -= $amountToBreakdown; // And canceled subtraction has been replaced by breakdown } // else there's no need to calc anything, just reset the field (result is still < 0) } $toJsonArray['amount_'.$currentInvId] = price2num($currentAmount); // Param will exist only if an img has been clicked diff --git a/htdocs/compta/bank/annuel.php b/htdocs/compta/bank/annuel.php index ef64c1746f1..ba40644c70c 100644 --- a/htdocs/compta/bank/annuel.php +++ b/htdocs/compta/bank/annuel.php @@ -2,7 +2,7 @@ /* Copyright (C) 2005 Rodolphe Quiedeville * Copyright (C) 2004-2017 Laurent Destailleur * Copyright (C) 2005-2012 Regis Houssin - * Copyright (C) 2013 Charles-Fr BENKE + * Copyright (C) 2013-2023 Charlene BENKE * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -51,7 +51,8 @@ if ($user->socid) { $result = restrictedArea($user, 'banque', $fieldvalue, 'bank_account&bank_account', '', '', $fieldtype); $year_start = GETPOST('year_start'); -$year_current = strftime("%Y", time()); +//$year_current = strftime("%Y", time()); +$year_current = dol_print_date(time(), "%Y"); if (!$year_start) { $year_start = $year_current - 2; $year_end = $year_current; @@ -67,7 +68,7 @@ if (!$year_start) { $form = new Form($db); -// Get account informations +// Get account information $object = new Account($db); if ($id > 0 && !preg_match('/,/', $id)) { // if for a particular account and not a list $result = $object->fetch($id); @@ -176,7 +177,7 @@ print dol_get_fiche_end(); // Affiche tableau print load_fiche_titre('', $link, ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '; print ''; @@ -333,7 +334,7 @@ if ($result < 0) { dol_print_error($db); } } - // Chargement de labels et data_xxx pour tableau 4 Mouvements + // Chargement de labels et data_xxx pour tableau 4 Movements $labels = array(); $data_year_0 = array(); $data_year_1 = array(); @@ -415,7 +416,7 @@ if ($result < 0) { dol_print_error($db); } } - // Chargement de labels et data_xxx pour tableau 4 Mouvements + // Chargement de labels et data_xxx pour tableau 4 Movements $labels = array(); $data_year_0 = array(); $data_year_1 = array(); diff --git a/htdocs/compta/bank/bankentries_list.php b/htdocs/compta/bank/bankentries_list.php index addd041811a..c12b7801f43 100644 --- a/htdocs/compta/bank/bankentries_list.php +++ b/htdocs/compta/bank/bankentries_list.php @@ -66,10 +66,10 @@ $ref = GETPOST('ref', 'alpha'); $action = GETPOST('action', 'aZ09'); $cancel = GETPOST('cancel', 'alpha'); $confirm = GETPOST('confirm', 'alpha'); -$contextpage = 'banktransactionlist'; +$contextpage = 'bankentrieslist'; $massaction = GETPOST('massaction', 'alpha'); $optioncss = GETPOST('optioncss', 'aZ09'); - +$mode = GETPOST('mode', 'aZ'); $dateop = dol_mktime(12, 0, 0, GETPOST("opmonth", 'int'), GETPOST("opday", 'int'), GETPOST("opyear", 'int')); $search_debit = GETPOST("search_debit", 'alpha'); @@ -250,7 +250,7 @@ if ((GETPOST('confirm_savestatement', 'alpha') || GETPOST('confirm_reconcile', ' && (!GETPOSTISSET('pageplusone') || (GETPOST('pageplusone') == GETPOST('pageplusoneold')))) { $error = 0; - // Definition, nettoyage parametres + // Definition, nettoyage parameters $num_releve = GETPOST("num_releve", "alpha"); if ($num_releve) { @@ -342,7 +342,7 @@ if (GETPOST('save') && !$cancel && $user->hasRight('banque', 'modifier')) { if (price2num(GETPOST("addcredit")) > 0) { $amount = price2num(GETPOST("addcredit")); } else { - $amount = - price2num(GETPOST("adddebit")); + $amount = price2num(-1 * (float) price2num(GETPOST("adddebit"))); } $operation = GETPOST("operation", 'alpha'); @@ -722,7 +722,7 @@ if (!getDolGlobalInt('MAIN_DISABLE_FULL_SCANLIST')) { } if (($id > 0 || !empty($ref)) && ((string) $page == '')) { - // We open a list of transaction of a dedicated account and no page was set by defaut + // We open a list of transaction of a dedicated account and no page was set by default // We force on last page. $page = ($nbtotalofpages - 1); $offset = $limit * $page; @@ -1079,7 +1079,7 @@ if ($resql) { } $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; - $selectedfields = ($mode != 'kanban' ? $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')) : ''); // This also change content of $arrayfields + $selectedfields = ($mode != 'kanban' ? $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) : ''); // This also change content of $arrayfields // When action is 'reconcile', we force to have the column num_releve always enabled (otherwise we can't make reconciliation). if ($action == 'reconcile') { $arrayfields['b.num_releve']['checked'] = 1; @@ -1088,12 +1088,16 @@ if ($resql) { print '
      '; print '
      '.$langs->trans("Month").'
      '."\n"; + // Fields title search + // -------------------------------------------------------------------- print ''; // Actions and select if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { print ''; } if (!empty($arrayfields['b.rowid']['checked'])) { @@ -1171,77 +1175,105 @@ if ($resql) { if (!empty($arrayfields['b.fk_bordereau']['checked'])) { print ''; } + // Action edit/delete and select + print ''; // Actions and select if (!getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { print ''; } print "\n"; + $totalarray = array(); + $totalarray['nbfield'] = 0; + // Fields title print ''; // Actions and select if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { - print_liste_field_titre($selectedfields, $_SERVER["PHP_SELF"], "", '', '', '', $sortfield, $sortorder, 'maxwidthsearch center '); + print getTitleFieldOfList($selectedfields, 0, $_SERVER["PHP_SELF"], '', '', '', '', $sortfield, $sortorder, 'center maxwidthsearch ')."\n"; + $totalarray['nbfield']++; } if (!empty($arrayfields['b.rowid']['checked'])) { print_liste_field_titre($arrayfields['b.rowid']['label'], $_SERVER['PHP_SELF'], 'b.rowid', '', $param, '', $sortfield, $sortorder); + $totalarray['nbfield']++; } if (!empty($arrayfields['b.label']['checked'])) { print_liste_field_titre($arrayfields['b.label']['label'], $_SERVER['PHP_SELF'], 'b.label', '', $param, '', $sortfield, $sortorder); + $totalarray['nbfield']++; } if (!empty($arrayfields['b.dateo']['checked'])) { print_liste_field_titre($arrayfields['b.dateo']['label'], $_SERVER['PHP_SELF'], 'b.dateo', '', $param, '', $sortfield, $sortorder, "center "); + $totalarray['nbfield']++; } if (!empty($arrayfields['b.datev']['checked'])) { print_liste_field_titre($arrayfields['b.datev']['label'], $_SERVER['PHP_SELF'], 'b.datev,b.dateo,b.rowid', '', $param, '', $sortfield, $sortorder, 'center '); + $totalarray['nbfield']++; } if (!empty($arrayfields['type']['checked'])) { print_liste_field_titre($arrayfields['type']['label'], $_SERVER['PHP_SELF'], '', '', $param, '', $sortfield, $sortorder, 'center '); + $totalarray['nbfield']++; } if (!empty($arrayfields['b.num_chq']['checked'])) { print_liste_field_titre($arrayfields['b.num_chq']['label'], $_SERVER['PHP_SELF'], 'b.num_chq', '', $param, '', $sortfield, $sortorder, "center "); + $totalarray['nbfield']++; } if (!empty($arrayfields['bu.label']['checked'])) { print_liste_field_titre($arrayfields['bu.label']['label'], $_SERVER['PHP_SELF'], '', '', $param, '', $sortfield, $sortorder); + $totalarray['nbfield']++; } if (!empty($arrayfields['ba.ref']['checked'])) { print_liste_field_titre($arrayfields['ba.ref']['label'], $_SERVER['PHP_SELF'], 'ba.ref', '', $param, '', $sortfield, $sortorder); + $totalarray['nbfield']++; } if (!empty($arrayfields['b.debit']['checked'])) { print_liste_field_titre($arrayfields['b.debit']['label'], $_SERVER['PHP_SELF'], 'b.amount', '', $param, '', $sortfield, $sortorder, "right "); + $totalarray['nbfield']++; } if (!empty($arrayfields['b.credit']['checked'])) { print_liste_field_titre($arrayfields['b.credit']['label'], $_SERVER['PHP_SELF'], 'b.amount', '', $param, '', $sortfield, $sortorder, "right "); + $totalarray['nbfield']++; } if (!empty($arrayfields['balancebefore']['checked'])) { print_liste_field_titre($arrayfields['balancebefore']['label'], $_SERVER['PHP_SELF'], '', '', $param, '', $sortfield, $sortorder, "right "); + $totalarray['nbfield']++; } if (!empty($arrayfields['balance']['checked'])) { print_liste_field_titre($arrayfields['balance']['label'], $_SERVER['PHP_SELF'], '', '', $param, '', $sortfield, $sortorder, "right "); + $totalarray['nbfield']++; } if (!empty($arrayfields['b.num_releve']['checked'])) { print_liste_field_titre($arrayfields['b.num_releve']['label'], $_SERVER['PHP_SELF'], 'b.num_releve', '', $param, '', $sortfield, $sortorder, "center "); + $totalarray['nbfield']++; } if (!empty($arrayfields['b.conciliated']['checked'])) { print_liste_field_titre($arrayfields['b.conciliated']['label'], $_SERVER['PHP_SELF'], 'b.rappro', '', $param, '', $sortfield, $sortorder, "center "); + $totalarray['nbfield']++; } if (!empty($arrayfields['b.fk_bordereau']['checked'])) { print_liste_field_titre($arrayfields['b.fk_bordereau']['label'], $_SERVER['PHP_SELF'], 'b.fk_bordereau', '', $param, '', $sortfield, $sortorder, "center "); + $totalarray['nbfield']++; } // Extra fields include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_title.tpl.php'; // Hook fields - $parameters = array('arrayfields'=>$arrayfields, 'param'=>$param, 'sortfield'=>$sortfield, 'sortorder'=>$sortorder); + $parameters = array('arrayfields'=>$arrayfields, 'param'=>$param, 'sortfield'=>$sortfield, 'sortorder'=>$sortorder, 'totalarray'=>&$totalarray); $reshook = $hookmanager->executeHooks('printFieldListTitle', $parameters); // Note that $action and $object may have been modified by hook print $hookmanager->resPrint; + // Action edit/delete and select + print ''; + $totalarray['nbfield']++; // Actions and select if (!getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { + //print getTitleFieldOfList($selectedfields, 0, $_SERVER["PHP_SELF"], '', '', '', '', $sortfield, $sortorder, 'center maxwidthsearch ')."\n"; print_liste_field_titre($selectedfields, $_SERVER["PHP_SELF"], "", '', '', '', $sortfield, $sortorder, 'maxwidthsearch center '); + $totalarray['nbfield']++; } print "\n"; @@ -1251,17 +1283,25 @@ if ($resql) { $posconciliatecol = 0; $cachebankaccount = array(); - // Loop on each record $sign = 1; - while ($i < min($num, $limit)) { + // Loop on each record + $i = 0; + $savnbfield = $totalarray['nbfield']; + $totalarray = array(); + $totalarray['nbfield'] = 0; + $totalarray['totaldeb'] = 0; + $totalarray['totalcred'] = 0; + + $imaxinloop = ($limit ? min($num, $limit) : $num); + while ($i < $imaxinloop) { $objp = $db->fetch_object($resql); $links = $bankaccountstatic->get_url($objp->rowid); // If we are in a situation where we need/can show balance, we calculate the start of balance if (!$balancecalculated && (!empty($arrayfields['balancebefore']['checked']) || !empty($arrayfields['balance']['checked'])) && ($mode_balance_ok || $search_conciliated === '0')) { if (!$search_account) { - dol_print_error('', 'account is not defined but $mode_balance_ok is true'); + dol_print_error(null, 'account is not defined but $mode_balance_ok is true'); exit; } @@ -1364,13 +1404,17 @@ if ($resql) { '; print ''; } + + // conciliate print ''; + // Action column if (!getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { print ''; } + print ''; } } @@ -1411,6 +1455,7 @@ if ($resql) { // Action column if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { + print ''; + if (!$i) { + $totalarray['nbfield']++; + } // Action column if (!getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { + print ''; if (!$i) { @@ -1872,7 +1922,7 @@ if ($resql) { $colspan++; } } - print ''; + print ''; } print "
      '; - $searchpicto = $form->showFilterAndCheckAddButtons($massactionbutton ? 1 : 0, 'checkforselect', 1); + $searchpicto = $form->showFilterButtons('left'); print $searchpicto; + //$searchpicto = $form->showFilterAndCheckAddButtons($massactionbutton ? 1 : 0, 'checkforselect', 1); + //print $searchpicto; print ''; - $searchpicto = $form->showFilterAndCheckAddButtons($massactionbutton ? 1 : 0, 'checkforselect', 1); + //$searchpicto = $form->showFilterAndCheckAddButtons($massactionbutton ? 1 : 0, 'checkforselect', 1); + //print $searchpicto; + $searchpicto = $form->showFilterButtons(); print $searchpicto; print '
      '; print ' '; print '
      '; if ($massactionbutton || $massaction) { // If we are in select mode (massactionbutton defined) or if we have already selected and sent an action ($massaction) defined $selected = 0; if (in_array($obj->rowid, $arrayofselected)) { @@ -1814,15 +1859,20 @@ if ($resql) { print ''; } } + print ''; if ($massactionbutton || $massaction) { // If we are in select mode (massactionbutton defined) or if we have already selected and sent an action ($massaction) defined $selected = 0; - if (in_array($obj->rowid, $arrayofselected)) { + if (in_array($objp->rowid, $arrayofselected)) { $selected = 1; } - print ''; + print ''; } print '
      '.$langs->trans("NoRecordFound").'
      '.$langs->trans("NoRecordFound").'
      "; diff --git a/htdocs/compta/bank/card.php b/htdocs/compta/bank/card.php index 2ef03285cd4..1030b4b10b5 100644 --- a/htdocs/compta/bank/card.php +++ b/htdocs/compta/bank/card.php @@ -127,8 +127,8 @@ if (empty($reshook)) { $object->ref = dol_string_nospecial(trim(GETPOST('ref', 'alpha'))); $object->label = trim(GETPOST("label", 'alphanohtml')); - $object->courant = GETPOST("type"); - $object->clos = GETPOST("clos"); + $object->courant = GETPOSTINT("type"); + $object->clos = GETPOSTINT("clos"); $object->rappro = (GETPOST("norappro", 'alpha') ? 0 : 1); $object->url = trim(GETPOST("url", 'alpha')); @@ -157,24 +157,24 @@ if (empty($reshook)) { } else { $object->account_number = $account_number; } - $fk_accountancy_journal = GETPOST('fk_accountancy_journal', 'int'); + $fk_accountancy_journal = GETPOSTINT('fk_accountancy_journal'); if ($fk_accountancy_journal <= 0) { $object->fk_accountancy_journal = ''; } else { $object->fk_accountancy_journal = $fk_accountancy_journal; } - $object->solde = price2num(GETPOST("solde", 'alpha')); - $object->balance = price2num(GETPOST("solde", 'alpha')); + $object->solde = GETPOSTFLOAT("solde"); + $object->balance = GETPOSTFLOAT("solde"); $object->date_solde = dol_mktime(12, 0, 0, GETPOST("remonth", 'int'), GETPOST('reday', 'int'), GETPOST("reyear", 'int')); $object->currency_code = trim(GETPOST("account_currency_code")); - $object->state_id = GETPOST("account_state_id", 'int'); - $object->country_id = GETPOST("account_country_id", 'int'); + $object->state_id = GETPOSTINT("account_state_id"); + $object->country_id = GETPOSTINT("account_country_id"); - $object->min_allowed = GETPOST("account_min_allowed", 'int'); - $object->min_desired = GETPOST("account_min_desired", 'int'); + $object->min_allowed = GETPOSTFLOAT("account_min_allowed"); + $object->min_desired = GETPOSTFLOAT("account_min_desired"); $object->comment = trim(GETPOST("account_comment", 'restricthtml')); $object->fk_user_author = $user->id; @@ -240,8 +240,8 @@ if (empty($reshook)) { $object->ref = dol_string_nospecial(trim(GETPOST('ref', 'alpha'))); $object->label = trim(GETPOST("label", 'alphanohtml')); - $object->courant = GETPOST("type"); - $object->clos = GETPOST("clos"); + $object->courant = GETPOSTINT("type"); + $object->clos = GETPOSTINT("clos"); $object->rappro = (GETPOST("norappro", 'alpha') ? 0 : 1); $object->url = trim(GETPOST("url", 'alpha')); @@ -270,7 +270,7 @@ if (empty($reshook)) { } else { $object->account_number = $account_number; } - $fk_accountancy_journal = GETPOST('fk_accountancy_journal', 'int'); + $fk_accountancy_journal = GETPOSTINT('fk_accountancy_journal'); if ($fk_accountancy_journal <= 0) { $object->fk_accountancy_journal = ''; } else { @@ -279,11 +279,11 @@ if (empty($reshook)) { $object->currency_code = trim(GETPOST("account_currency_code")); - $object->state_id = GETPOST("account_state_id", 'int'); - $object->country_id = GETPOST("account_country_id", 'int'); + $object->state_id = GETPOSTINT("account_state_id"); + $object->country_id = GETPOSTINT("account_country_id"); - $object->min_allowed = GETPOST("account_min_allowed", 'int'); - $object->min_desired = GETPOST("account_min_desired", 'int'); + $object->min_allowed = GETPOSTFLOAT("account_min_allowed"); + $object->min_desired = GETPOSTFLOAT("account_min_desired"); $object->comment = trim(GETPOST("account_comment", 'restricthtml')); if ($conf->global->MAIN_BANK_ACCOUNTANCY_CODE_ALWAYS_REQUIRED && empty($object->account_number)) { @@ -808,7 +808,7 @@ if ($action == 'create') { } print ''; - // TODO Add a link "Show more..." for all ohter informations. + // TODO Add a link "Show more..." for all other information. // Show fields of bank account foreach ($object->getFieldsToShow() as $val) { @@ -890,7 +890,7 @@ if ($action == 'create') { print 'id.'">'.$langs->trans("Modify").''; } - $canbedeleted = $object->can_be_deleted(); // Renvoi vrai si compte sans mouvements + $canbedeleted = $object->can_be_deleted(); // Return true if account without movements if ($user->hasRight('banque', 'configurer') && $canbedeleted) { print 'id.'">'.$langs->trans("Delete").''; } diff --git a/htdocs/compta/bank/categ.php b/htdocs/compta/bank/categ.php index 77e0287479e..816b26b3ea4 100644 --- a/htdocs/compta/bank/categ.php +++ b/htdocs/compta/bank/categ.php @@ -109,7 +109,7 @@ print ''; print ''; */ -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print ''; print ''; print ''; diff --git a/htdocs/compta/bank/class/account.class.php b/htdocs/compta/bank/class/account.class.php index b56bdad7eb2..b29d981292a 100644 --- a/htdocs/compta/bank/class/account.class.php +++ b/htdocs/compta/bank/class/account.class.php @@ -266,7 +266,7 @@ class Account extends CommonObject public $balance; /** - * Creditor Identifier CI. Some banks use different ICS for direct debit and bank tranfer + * Creditor Identifier CI. Some banks use different ICS for direct debit and bank transfer * @var string */ public $ics; @@ -289,7 +289,7 @@ class Account extends CommonObject * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' is the CSS style to use on field. For example: 'maxwidth200' @@ -452,7 +452,7 @@ class Account extends CommonObject * @param string $url Url (deprecated, we use now 'url_id' and 'type' instead) * @param string $label Link label * @param string $type Type of link ('payment', 'company', 'member', ...) - * @return int <0 if KO, id line if OK + * @return int Return integer <0 if KO, id line if OK */ public function add_url_line($line_id, $url_id, $url, $label, $type) { @@ -466,7 +466,7 @@ class Account extends CommonObject $sql .= ") VALUES ("; $sql .= " ".((int) $line_id); $sql .= ", ".((int) $url_id); - $sql .= ", '".$this->db->escape($url)."'"; // dperecated + $sql .= ", '".$this->db->escape($url)."'"; // deprecated $sql .= ", '".$this->db->escape($label)."'"; $sql .= ", '".$this->db->escape($type)."'"; $sql .= ")"; @@ -491,7 +491,7 @@ class Account extends CommonObject * @param string $type To search using type * @return array|int Array of links array('url'=>, 'url_id'=>, 'label'=>, 'type'=> 'fk_bank'=> ) or -1 on error */ - public function get_url($fk_bank = '', $url_id = '', $type = '') + public function get_url($fk_bank = 0, $url_id = 0, $type = '') { // phpcs:enable $lines = array(); @@ -543,10 +543,10 @@ class Account extends CommonObject * * @param int $date Date operation * @param string $oper 'VIR','PRE','LIQ','VAD','CB','CHQ'... - * @param string $label Descripton + * @param string $label Description * @param float $amount Amount * @param string $num_chq Numero cheque or transfer - * @param int $categorie Category id (optionnal) + * @param int $categorie Category id (optional) * @param User $user User that create * @param string $emetteur Name of cheque writer * @param string $banque Bank of cheque writer @@ -558,6 +558,8 @@ class Account extends CommonObject */ public function addline($date, $oper, $label, $amount, $num_chq, $categorie, User $user, $emetteur = '', $banque = '', $accountancycode = '', $datev = null, $num_releve = '', $amount_main_currency = null) { + global $langs; + // Deprecation warning if (is_numeric($oper)) { dol_syslog(__METHOD__.": using numeric operations is deprecated", LOG_WARNING); @@ -590,11 +592,11 @@ class Account extends CommonObject // Check parameters if (!$oper) { - $this->error = "oper not defined"; + $this->error = $langs->trans("OperNotDefined"); return -1; } if (!$this->id) { - $this->error = "this->id not defined"; + $this->error = $langs->trans("ThisIdNotDefined"); return -2; } if ($this->courant == Account::TYPE_CASH && $oper != 'LIQ') { @@ -667,7 +669,7 @@ class Account extends CommonObject * * @param User $user Object user making creation * @param int $notrigger 1=Disable triggers - * @return int < 0 if KO, > 0 if OK + * @return int Return integer < 0 if KO, > 0 if OK */ public function create(User $user, $notrigger = 0) { @@ -700,7 +702,16 @@ class Account extends CommonObject return -1; } - // Load librairies to check BAN + // Load libraries to check BAN + $balance = $this->balance; + if (empty($balance) && !empty($this->solde)) { + $balance = $this->solde; + } + if (empty($balance)) { + $balance = 0; + } + + // Load the library to validate/check a BAN account require_once DOL_DOCUMENT_ROOT.'/core/lib/bank.lib.php'; $now = dol_now(); @@ -779,7 +790,7 @@ class Account extends CommonObject $accline = new AccountLine($this->db); $accline->datec = $now; $accline->label = '('.$langs->trans("InitialBankBalance").')'; - $accline->amount = price2num($this->solde); + $accline->amount = price2num($balance); $accline->fk_user_author = $user->id; $accline->fk_account = $this->id; $accline->datev = $this->date_solde; @@ -1209,9 +1220,9 @@ class Account extends CommonObject // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Renvoi si un compte peut etre supprimer ou non (sans mouvements) + * Indicates if an account can be deleted or not (without movements) * - * @return boolean vrai si peut etre supprime, faux sinon + * @return boolean True is the deletion is ok, false if not */ public function can_be_deleted() { @@ -1249,7 +1260,7 @@ class Account extends CommonObject * Return current sold * * @param int $option 1=Exclude future operation date (this is to exclude input made in advance and have real account sold) - * @param int $date_end Date until we want to get bank account sold + * @param int|string $date_end Date until we want to get bank account sold * @param string $field dateo or datev * @return int current sold (value date <= today) */ @@ -1283,9 +1294,9 @@ class Account extends CommonObject /** * Load indicators for dashboard (this->nbtodo and this->nbtodolate) * - * @param User $user Objet user + * @param User $user Object user * @param int $filteraccountid To get info for a particular account id - * @return WorkboardResponse|int <0 if KO, WorkboardResponse if OK + * @return WorkboardResponse|int Return integer <0 if KO, WorkboardResponse if OK */ public function load_board(User $user, $filteraccountid = 0) { @@ -1337,16 +1348,14 @@ class Account extends CommonObject } } - // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Charge indicateurs this->nb de tableau de bord + * Load the indicators this->nb for the state board * * @param int $filteraccountid To get info for a particular account id * @return int Return integer <0 if KO, >0 if OK */ - public function load_state_board($filteraccountid = 0) + public function loadStateBoard($filteraccountid = 0) { - // phpcs:enable global $user; if ($user->socid) { @@ -1775,7 +1784,7 @@ class Account extends CommonObject ); if (getDolGlobalString('BANK_SHOW_ORDER_OPTION')) { - if (is_numeric($conf->global->BANK_SHOW_ORDER_OPTION)) { + if (is_numeric(getDolGlobalString('BANK_SHOW_ORDER_OPTION'))) { if (getDolGlobalString('BANK_SHOW_ORDER_OPTION') == '1') { $fieldlists = array( 'BankCode', @@ -1880,7 +1889,7 @@ class Account extends CommonObject $return .= ''.$langs->trans("Balance").' : '.price(price2num($this->solde(1), 'MT'), 0, $langs, 1, -1, -1, $this->currency_code).''; } if (method_exists($this, 'getLibStatut')) { - $return .= '
      '.$this->getLibStatut(3).'
      '; + $return .= '
      '.$this->getLibStatut(3).'
      '; } $return .= ''; $return .= ''; @@ -2035,7 +2044,7 @@ class AccountLine extends CommonObjectLine * @param int $rowid Id of bank transaction to load * @param string $ref Ref of bank transaction to load * @param string $num External num to load (ex: num of transaction for paypal fee) - * @return int <0 if KO, 0 if OK but not found, >0 if OK and found + * @return int Return integer <0 if KO, 0 if OK but not found, >0 if OK and found */ public function fetch($rowid, $ref = '', $num = '') { @@ -2083,7 +2092,7 @@ class AccountLine extends CommonObjectLine $this->fk_user_rappro = $obj->fk_user_rappro; $this->fk_type = $obj->fk_type; // Type of transaction - $this->rappro = $obj->rappro; + $this->rappro = (int) $obj->rappro; $this->num_releve = $obj->num_releve; $this->num_chq = $obj->num_chq; @@ -2110,7 +2119,7 @@ class AccountLine extends CommonObjectLine /** * Inserts a transaction to a bank account * - * @return int <0 if KO, rowid of the line if OK + * @return int Return integer <0 if KO, rowid of the line if OK */ public function insert() { @@ -2330,7 +2339,7 @@ class AccountLine extends CommonObjectLine /** * Update conciliation field * - * @param User $user Objet user making update + * @param User $user Object user making update * @param int $cat Category id * @param int $conciliated 1=Set transaction to conciliated, 0=Keep transaction non conciliated * @return int Return integer <0 if KO, >0 if OK @@ -2345,7 +2354,7 @@ class AccountLine extends CommonObjectLine // Check statement field if (getDolGlobalString('BANK_STATEMENT_REGEX_RULE')) { if (!preg_match('/' . getDolGlobalString('BANK_STATEMENT_REGEX_RULE').'/', $this->num_releve)) { - $this->errors[] = $langs->trans("ErrorBankStatementNameMustFollowRegex", $conf->global->BANK_STATEMENT_REGEX_RULE); + $this->errors[] = $langs->trans("ErrorBankStatementNameMustFollowRegex", getDolGlobalString('BANK_STATEMENT_REGEX_RULE')); return -1; } } @@ -2677,7 +2686,7 @@ class AccountLine extends CommonObjectLine /** * Return if a bank line was dispatched into bookkeeping * - * @return int <0 if KO, 0=no, 1=yes + * @return int Return integer <0 if KO, 0=no, 1=yes */ public function getVentilExportCompta() { diff --git a/htdocs/compta/bank/class/api_bankaccounts.class.php b/htdocs/compta/bank/class/api_bankaccounts.class.php index 53740922bf5..570eae80e46 100644 --- a/htdocs/compta/bank/class/api_bankaccounts.class.php +++ b/htdocs/compta/bank/class/api_bankaccounts.class.php @@ -58,7 +58,7 @@ class BankAccounts extends DolibarrApi * @param int $page Page number * @param int $category Use this param to filter list by category * @param string $sqlfilters Other criteria to filter answers separated by a comma. Syntax example "(t.ref:like:'SO-%') and (t.import_key:<:'20160101')" - * @param string $properties Restrict the data returned to theses properties. Ignored if empty. Comma separated list of properties names + * @param string $properties Restrict the data returned to these properties. Ignored if empty. Comma separated list of properties names * @return array List of account objects * * @throws RestException @@ -158,6 +158,12 @@ class BankAccounts extends DolibarrApi $account = new Account($this->db); foreach ($request_data as $field => $value) { + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $account->context['caller'] = $request_data['caller']; + continue; + } + $account->$field = $this->_checkValForAPI($field, $value, $account); } // Date of the initial balance (required to create an account). @@ -239,7 +245,7 @@ class BankAccounts extends DolibarrApi $result = 0; $user = DolibarrApiAccess::$user; - // By default, electronic transfert from bank to bank + // By default, electronic transfer from bank to bank $typefrom = 'PRE'; $typeto = 'VIR'; @@ -333,6 +339,12 @@ class BankAccounts extends DolibarrApi if ($field == 'id') { continue; } + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $account->context['caller'] = $request_data['caller']; + continue; + } + $account->$field = $this->_checkValForAPI($field, $value, $account); } @@ -566,4 +578,37 @@ class BankAccounts extends DolibarrApi } return $result; } + + /** + * Get the list of links for a line of the account. + * + * @param int $id ID of account + * @param int $line_id ID of account line + * @return array Array of links + * + * @throws RestException + * + * @url GET {id}/lines/{line_id}/links + * + */ + public function getLinks($id, $line_id) + { + $list = array(); + + if (!DolibarrApiAccess::$user->rights->banque->lire) { + throw new RestException(401); + } + + $account = new Account($this->db); + $result = $account->fetch($id); + if (!$result) { + throw new RestException(404, 'account not found'); + } + $links = $account->get_url($line_id); // Get an array('url'=>, 'url_id'=>, 'label'=>, 'type'=> 'fk_bank'=> ) + foreach ($links as &$link) { + unset($link[0], $link[1], $link[2], $link[3]); // Remove the numeric keys + } + + return $links; + } } diff --git a/htdocs/compta/bank/class/paymentvarious.class.php b/htdocs/compta/bank/class/paymentvarious.class.php index 612aef730d3..5215cb53170 100644 --- a/htdocs/compta/bank/class/paymentvarious.class.php +++ b/htdocs/compta/bank/class/paymentvarious.class.php @@ -153,7 +153,7 @@ class PaymentVarious extends CommonObject * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' is the CSS style to use on field. For example: 'maxwidth200' @@ -379,19 +379,18 @@ class PaymentVarious extends CommonObject public function initAsSpecimen() { $this->id = 0; - - $this->tms = ''; - $this->datep = ''; - $this->datev = ''; - $this->sens = ''; - $this->amount = ''; - $this->label = ''; + $this->tms = dol_now(); + $this->datep = dol_now(); + $this->datev = dol_now(); + $this->sens = 0; + $this->amount = 100; + $this->label = 'Specimen payment'; $this->accountancy_code = ''; $this->subledger_account = ''; $this->note = ''; - $this->fk_bank = ''; - $this->fk_user_author = ''; - $this->fk_user_modif = ''; + $this->fk_bank = 0; + $this->fk_user_author = 0; + $this->fk_user_modif = 0; } /** @@ -760,7 +759,7 @@ class PaymentVarious extends CommonObject /** * Return if a various payment linked to a bank line id was dispatched into bookkeeping * - * @return int <0 if KO, 0=no, 1=yes + * @return int Return integer <0 if KO, 0=no, 1=yes */ public function getVentilExportCompta() { diff --git a/htdocs/compta/bank/document.php b/htdocs/compta/bank/document.php index 0960b984c04..522b2d56939 100644 --- a/htdocs/compta/bank/document.php +++ b/htdocs/compta/bank/document.php @@ -147,7 +147,7 @@ if ($id > 0 || !empty($ref)) { dol_print_error($db); } } else { - Header('Location: index.php'); + header('Location: index.php'); exit; } diff --git a/htdocs/compta/bank/graph.php b/htdocs/compta/bank/graph.php index 490107e4893..3430799ddc6 100644 --- a/htdocs/compta/bank/graph.php +++ b/htdocs/compta/bank/graph.php @@ -188,7 +188,8 @@ if ($result < 0) { $subtotal = 0; $day = dol_mktime(12, 0, 0, $month, 1, $year); - $textdate = strftime("%Y%m%d", $day); + //$textdate = strftime("%Y%m%d", $day); + $textdate = dol_print_date($day, "%Y%m%d"); $xyear = substr($textdate, 0, 4); $xday = substr($textdate, 6, 2); $xmonth = substr($textdate, 4, 2); @@ -207,7 +208,8 @@ if ($result < 0) { $labels[$i] = $xday; $day += 86400; - $textdate = strftime("%Y%m%d", $day); + //$textdate = strftime("%Y%m%d", $day); + $textdate = dol_print_date($day, "%Y%m%d"); $xyear = substr($textdate, 0, 4); $xday = substr($textdate, 6, 2); $xmonth = substr($textdate, 4, 2); @@ -332,7 +334,8 @@ if ($result < 0) { $subtotal = 0; $now = time(); $day = dol_mktime(12, 0, 0, 1, 1, $year); - $textdate = strftime("%Y%m%d", $day); + //$textdate = strftime("%Y%m%d", $day); + $textdate = dol_print_date($day, "%Y%m%d"); $xyear = substr($textdate, 0, 4); $xday = substr($textdate, 6, 2); @@ -352,7 +355,8 @@ if ($result < 0) { }*/ $labels[$i] = dol_print_date($day, "%Y%m"); $day += 86400; - $textdate = strftime("%Y%m%d", $day); + //$textdate = strftime("%Y%m%d", $day); + $textdate = dol_print_date($day, "%Y%m%d"); $xyear = substr($textdate, 0, 4); $xday = substr($textdate, 6, 2); $i++; @@ -449,7 +453,8 @@ if ($result < 0) { $subtotal = 0; $day = $min; - $textdate = strftime("%Y%m%d", $day); + //$textdate = strftime("%Y%m%d", $day); + $textdate = dol_print_date($day, "%Y%m%d"); //print "x".$textdate; $i = 0; while ($day <= ($max + 86400)) { // On va au dela du dernier jour @@ -469,7 +474,8 @@ if ($result < 0) { $labels[$i] = substr($textdate, 0, 6); $day += 86400; - $textdate = strftime("%Y%m%d", $day); + //$textdate = strftime("%Y%m%d", $day); + $textdate = dol_print_date($day, "%Y%m%d"); $i++; } @@ -594,7 +600,7 @@ if ($result < 0) { } - // Chargement de labels et data_xxx pour tableau 4 Mouvements + // Chargement de labels et data_xxx pour tableau 4 Movements $labels = array(); $data_credit = array(); $data_debit = array(); @@ -695,7 +701,7 @@ if ($result < 0) { } - // Chargement de labels et data_xxx pour tableau 4 Mouvements + // Chargement de labels et data_xxx pour tableau 4 Movements $labels = array(); $data_credit = array(); $data_debit = array(); diff --git a/htdocs/compta/bank/line.php b/htdocs/compta/bank/line.php index cda42de38d3..41875945a1b 100644 --- a/htdocs/compta/bank/line.php +++ b/htdocs/compta/bank/line.php @@ -55,9 +55,9 @@ if (isModEnabled('salaries')) { $id = GETPOST('rowid', 'int'); -$rowid = GETPOST("rowid", 'int'); -$accountoldid = GETPOST('account', 'int'); // GETPOST('account') is old account id -$accountid = GETPOST('accountid', 'int'); // GETPOST('accountid') is new account id +$rowid = GETPOSTINT('rowid'); +$accountoldid = GETPOSTINT('account'); // GETPOST('account') is old account id +$accountid = GETPOSTINT('accountid'); // GETPOST('accountid') is new account id $ref = GETPOST('ref', 'alpha'); $action = GETPOST('action', 'aZ09'); $confirm = GETPOST('confirm', 'alpha'); @@ -258,25 +258,38 @@ if ($user->hasRight('banque', 'consolidate') && ($action == 'num_releve' || $act } $sql .= " WHERE rowid = ".((int) $rowid); - dol_syslog("line.php", LOG_DEBUG); + $updatePathFile = true; + $update_dir = true; + + dol_syslog("line.php update bank line to set the new bank receipt number", LOG_DEBUG); + $result = $db->query($sql); + + // We must not rename the directory of the bank receipt when we change 1 line of bank receipt. Other lines may share the same old ref. + // Renaming can be done when we rename globally a bank receipt but not when changing 1 line from one receipt into another one. + /* if ($result) { - $oldfilepath = dol_sanitizePathName("bank/".((int) $id)."/statement/".$oldNum_rel); - $filepath = dol_sanitizePathName("bank/".((int) $id)."/statement/".$num_rel); + if ($oldNum_rel) { + if ($num_rel) { + $oldfilepath = dol_sanitizePathName("bank/".((int) $id)."/statement/".$oldNum_rel); + $filepath = dol_sanitizePathName("bank/".((int) $id)."/statement/".$num_rel); - $sql = "UPDATE ".MAIN_DB_PREFIX."ecm_files"; - $sql .= " SET filepath = '".$db->escape($filepath)."'"; - $sql .= " WHERE filepath = '".$db->escape($oldfilepath)."'"; - $updatePathFile = $db->query($sql); + $sql = "UPDATE ".MAIN_DB_PREFIX."ecm_files"; + $sql .= " SET filepath = '".$db->escape($filepath)."'"; + $sql .= " WHERE filepath = '".$db->escape($oldfilepath)."'"; + $updatePathFile = $db->query($sql); - $srcdir = dol_sanitizePathName(DOL_DATA_ROOT."/bank/".((int) $id)."/statement/".$oldNum_rel); - $destdir = dol_sanitizePathName(DOL_DATA_ROOT."/bank/".((int) $id)."/statement/".$num_rel); + $srcdir = dol_sanitizePathName(DOL_DATA_ROOT."/bank/".((int) $id)."/statement/".$oldNum_rel); + $destdir = dol_sanitizePathName(DOL_DATA_ROOT."/bank/".((int) $id)."/statement/".$num_rel); - $update_dir = true; - if (dol_is_dir($srcdir)) { - $update_dir = dol_move_dir($srcdir, $destdir, 1); + if (dol_is_dir($srcdir)) { + $update_dir = dol_move_dir($srcdir, $destdir, 1); + } + } } } + */ + if ($result && $updatePathFile && $update_dir) { setEventMessages($langs->trans("RecordSaved"), null, 'mesgs'); $db->commit(); @@ -456,7 +469,7 @@ if ($result) { print img_object($langs->trans('Donation'), 'payment').' '; print $langs->trans("DonationPayment"); print ''; - } elseif ($links[$key]['type'] == 'banktransfert') { // transfert between 1 local account and another local account + } elseif ($links[$key]['type'] == 'banktransfert') { // transfer between 1 local account and another local account print ''; print img_object($langs->trans('Transaction'), 'payment').' '; print $langs->trans("TransactionOnTheOtherAccount"); diff --git a/htdocs/compta/bank/list.php b/htdocs/compta/bank/list.php index e0d3f062cf1..cc4c0216a1b 100644 --- a/htdocs/compta/bank/list.php +++ b/htdocs/compta/bank/list.php @@ -52,7 +52,7 @@ $show_files = GETPOST('show_files', 'int'); $confirm = GETPOST('confirm', 'alpha'); $toselect = GETPOST('toselect', 'array'); $contextpage = GETPOST('contextpage', 'aZ') ? GETPOST('contextpage', 'aZ') : 'bankaccountlist'; // To manage different context of search -$mode = GETPOST('mode', 'alpha'); +$mode = GETPOST('mode', 'aZ'); $search_ref = GETPOST('search_ref', 'alpha'); $search_label = GETPOST('search_label', 'alpha'); @@ -71,14 +71,6 @@ if ($user->socid) { $socid = $user->socid; } -$allowed = 0; -if ($user->hasRight('accounting', 'chartofaccount')) { - $allowed = 1; // Dictionary with list of banks accounting account allowed to manager of chart account -} -if (!$allowed) { - $result = restrictedArea($user, 'banque'); -} - $diroutputmassaction = $conf->bank->dir_output.'/temp/massgeneration/'.$user->id; $limit = GETPOST('limit', 'int') ? GETPOST('limit', 'int') : $conf->liste_limit; @@ -137,6 +129,15 @@ $arrayfields = dol_sort_array($arrayfields, 'position'); $permissiontoadd = $user->rights->banque->modifier; $permissiontodelete = $user->rights->banque->configurer; +$allowed = 0; +if ($user->hasRight('accounting', 'chartofaccount')) { + $allowed = 1; // Dictionary with list of banks accounting account allowed to manager of chart account +} +if (!$allowed) { + $result = restrictedArea($user, 'banque'); +} + + /* * Actions */ @@ -181,10 +182,14 @@ if (empty($reshook)) { $form = new FormCategory($db); $title = $langs->trans('BankAccounts'); +$help_url = 'EN:Module_Banks_and_Cash|FR:Module_Banques_et_Caisses|ES:Módulo_Bancos_y_Cajas'; // Load array of financial accounts (opened by default) $accounts = array(); + +// Build and execute select +// -------------------------------------------------------------------- $sql = "SELECT b.rowid, b.label, b.courant, b.rappro, b.account_number, b.fk_accountancy_journal, b.currency_code, b.datec as date_creation, b.tms as date_update"; // Add fields from extrafields if (!empty($extrafields->attributes[$object->table_element]['label'])) { @@ -196,6 +201,7 @@ if (!empty($extrafields->attributes[$object->table_element]['label'])) { $parameters = array(); $reshook = $hookmanager->executeHooks('printFieldListSelect', $parameters, $object, $action); // Note that $action and $object may have been modified by hook $sql .= $hookmanager->resPrint; +$sql = preg_replace('/,\s*$/', '', $sql); $sqlfields = $sql; // $sql fields to remove for count total @@ -270,13 +276,14 @@ if (!getDolGlobalInt('MAIN_DISABLE_FULL_SCANLIST')) { dol_print_error($db); } - if (($page * $limit) > $nbtotalofrecords) { // if total resultset is smaller then paging size (filtering), goto and load page 0 + if (($page * $limit) > $nbtotalofrecords) { // if total resultset is smaller than the paging size (filtering), goto and load page 0 $page = 0; $offset = 0; } $db->free($resql); } +// Complete request and execute it with limit $sql .= $db->order($sortfield, $sortorder); if ($limit) { $sql .= $db->plimit($limit + 1, $offset); @@ -298,8 +305,6 @@ if ($resql) { -$help_url = 'EN:Module_Banks_and_Cash|FR:Module_Banques_et_Caisses|ES:Módulo_Bancos_y_Cajas'; - llxHeader('', $title, $help_url); @@ -315,6 +320,9 @@ if (!empty($contextpage) && $contextpage != $_SERVER["PHP_SELF"]) { if ($limit > 0 && $limit != $conf->liste_limit) { $param .= '&limit='.((int) $limit); } +if ($optioncss != '') { + $param .= '&optioncss='.urlencode($optioncss); +} if ($search_ref != '') { $param .= '&search_ref='.urlencode($search_ref); } @@ -330,9 +338,6 @@ if ($search_status != '') { if ($show_files) { $param .= '&show_files='.urlencode($show_files); } -if ($optioncss != '') { - $param .= '&optioncss='.urlencode($optioncss); -} // Add $param from extra fields include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_param.tpl.php'; // Add $param from hooks @@ -345,7 +350,7 @@ $arrayofmassactions = array( // 'presend'=>img_picto('', 'email', 'class="pictofixedwidth"').$langs->trans("SendByMail"), // 'builddoc'=>img_picto('', 'pdf', 'class="pictofixedwidth"').$langs->trans("PDFMerge"), ); -if ($permissiontodelete) { +if (!empty($permissiontodelete)) { $arrayofmassactions['predelete'] = img_picto('', 'delete', 'class="pictofixedwidth"').$langs->trans("Delete"); } if (isModEnabled('category') && $user->hasRight('banque', 'modifier')) { @@ -365,9 +370,9 @@ print ''; print ''; print ''; -print ''; - print ''; +print ''; +print ''; print ''; print ''; @@ -411,14 +416,17 @@ if (empty($reshook)) { if (!empty($moreforfilter)) { print '
      '; print $moreforfilter; + $parameters = array(); + $reshook = $hookmanager->executeHooks('printFieldPreListTitle', $parameters, $object, $action); // Note that $action and $object may have been modified by hook + print $hookmanager->resPrint; print '
      '; } $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; -$selectedfields = $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')); // This also change content of $arrayfields +$selectedfields = ($mode != 'kanban' ? $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')) : ''); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '.$langs->trans("Ref").''.$langs->trans("Label").'
      '."\n"; // Fields title search @@ -426,7 +434,7 @@ print '
      '; // Action column if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { - print ''; @@ -507,7 +515,7 @@ if (!empty($arrayfields['balance']['checked'])) { } // Action column if (!getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { - print ''; @@ -520,6 +528,7 @@ $totalarray['nbfield'] = 0; // Fields title label // -------------------------------------------------------------------- print ''; +// Action column if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { print_liste_field_titre($selectedfields, $_SERVER["PHP_SELF"], "", '', '', '', $sortfield, $sortorder, 'center maxwidthsearch '); $totalarray['nbfield']++; @@ -578,20 +587,23 @@ if (!empty($arrayfields['balance']['checked'])) { print_liste_field_titre($arrayfields['balance']['label'], $_SERVER["PHP_SELF"], '', '', $param, '', $sortfield, $sortorder, 'right '); $totalarray['nbfield']++; } +// Action column if (!getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { print_liste_field_titre($selectedfields, $_SERVER["PHP_SELF"], "", '', '', '', $sortfield, $sortorder, 'center maxwidthsearch '); $totalarray['nbfield']++; } -print "\n"; +print ''."\n"; +// Loop on record +// -------------------------------------------------------------------- +$i = 0; $savnbfield = $totalarray['nbfield']; $totalarray = array(); $totalarray['nbfield'] = 0; $totalarray['val'] = array('balance'=>0); $total = array(); $found = 0; -$i = 0; $lastcurrencycode = ''; $imaxinloop = ($limit ? min($num, $limit) : $num); @@ -619,13 +631,24 @@ foreach ($accounts as $key => $type) { print '
      '; } // Output Kanban - print $objecttmp->getKanbanView('', array('selected' => in_array($object->id, $arrayofselected))); + $selected = -1; + if ($massactionbutton || $massaction) { // If we are in select mode (massactionbutton defined) or if we have already selected and sent an action ($massaction) defined + $selected = 0; + if (in_array($object->id, $arrayofselected)) { + $selected = 1; + } + } + //print $object->getKanbanView('', array('thirdparty'=>$object->thirdparty, 'selected' => $selected)); + print $objecttmp->getKanbanView('', array('selected' => $selected)); if ($i == ($imaxinloop - 1)) { print '
      '; print ''; } } else { - print '
      '; + // Show line of result + $j = 0; + print ''; + // Action column if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { print ''; + if (!$i) { + $totalarray['nbfield']++; + } } // Ref if (!empty($arrayfields['b.ref']['checked'])) { @@ -830,12 +856,12 @@ foreach ($accounts as $key => $type) { print ''; } print ''; - } - if (!$i) { - $totalarray['nbfield']++; + if (!$i) { + $totalarray['nbfield']++; + } } - print ''; + print ''."\n"; if (empty($total[$objecttmp->currency_code])) { $total[$objecttmp->currency_code] = $solde; @@ -863,10 +889,10 @@ if ($lastcurrencycode != 'various') { // If there is several currency, $lastcurr include DOL_DOCUMENT_ROOT.'/core/tpl/list_print_total.tpl.php'; } -print '
      '; + print ''; $searchpicto = $form->showFilterButtons('left'); print $searchpicto; print ''; + print ''; $searchpicto = $form->showFilterButtons(); print $searchpicto; print '
      '; @@ -637,6 +660,9 @@ foreach ($accounts as $key => $type) { print ''; } print '
      '; -print "
      "; +print ''."\n"; +print '
      '."\n"; -print ""; +print ''."\n"; // End of page llxFooter(); diff --git a/htdocs/compta/bank/releve.php b/htdocs/compta/bank/releve.php index bf0a08f02db..b57e7d5db3a 100644 --- a/htdocs/compta/bank/releve.php +++ b/htdocs/compta/bank/releve.php @@ -528,7 +528,7 @@ if (empty($numref)) { print ''; print ''; $reg = array(); - preg_match('/\((.+)\)/i', $objp->label, $reg); // Si texte entoure de parenthese on tente recherche de traduction + preg_match('/\((.+)\)/i', $objp->label, $reg); // Si texte entoure de parentheses on tente recherche de traduction if ($reg[1] && $langs->trans($reg[1]) != $reg[1]) { print $langs->trans($reg[1]); } else { diff --git a/htdocs/compta/bank/transfer.php b/htdocs/compta/bank/transfer.php index 7ef137de862..178e46e6ce6 100644 --- a/htdocs/compta/bank/transfer.php +++ b/htdocs/compta/bank/transfer.php @@ -154,7 +154,7 @@ if ($action == 'add' && $user->hasRight('banque', 'transfer')) { $bank_line_id_to = 0; $result = 0; - // By default, electronic transfert from bank to bank + // By default, electronic transfer from bank to bank $typefrom = $type[$n]; $typeto = $type[$n]; if ($tmpaccountto->courant == Account::TYPE_CASH || $tmpaccountfrom->courant == Account::TYPE_CASH) { @@ -189,10 +189,10 @@ if ($action == 'add' && $user->hasRight('banque', 'transfer')) { $error++; } if (!$error) { - $mesgs = $langs->trans("TransferFromToDone", '{s1}', '{s2}', $amount[$n], $langs->transnoentitiesnoconv("Currency".$conf->currency)); - $mesgs = str_replace('{s1}', ''.$tmpaccountfrom->label.'', $mesgs); - $mesgs = str_replace('{s2}', ''.$tmpaccountto->label.'', $mesgs); - setEventMessages($mesgs, null, 'mesgs'); + $mesg = $langs->trans("TransferFromToDone", '{s1}', '{s2}', $amount[$n], $langs->transnoentitiesnoconv("Currency".$conf->currency)); + $mesg = str_replace('{s1}', ''.$tmpaccountfrom->label.'', $mesgs); + $mesg = str_replace('{s2}', ''.$tmpaccountto->label.'', $mesgs); + setEventMessages($mesg, null, 'mesgs'); } else { $error++; setEventMessages($tmpaccountfrom->error.' '.$tmpaccountto->error, null, 'errors'); diff --git a/htdocs/compta/bank/various_payment/list.php b/htdocs/compta/bank/various_payment/list.php index 6fe67ca8eda..1e730402fc4 100644 --- a/htdocs/compta/bank/various_payment/list.php +++ b/htdocs/compta/bank/various_payment/list.php @@ -469,7 +469,7 @@ $selectedfields = ($mode != 'kanban' ? $form->multiSelectArrayWithCheckbox('sele $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print ''."\n"; // Fields title search diff --git a/htdocs/compta/cashcontrol/cashcontrol_card.php b/htdocs/compta/cashcontrol/cashcontrol_card.php index c9f4809998c..561ee0ac68c 100644 --- a/htdocs/compta/cashcontrol/cashcontrol_card.php +++ b/htdocs/compta/cashcontrol/cashcontrol_card.php @@ -235,7 +235,7 @@ if ($action == 'confirm_delete' && !empty($permissiontodelete)) { $object->fetch($id); if (!($object->id > 0)) { - dol_print_error('', 'Error, object must be fetched before being deleted'); + dol_print_error(null, 'Error, object must be fetched before being deleted'); exit; } @@ -351,7 +351,7 @@ if ($action == "create" || $action == "start" || $action == 'close') { } elseif ($key == 'card') { $sql .= " AND cp.code = 'CB'"; } else { - dol_print_error('Value for key = '.$key.' not supported'); + dol_print_error(null, 'Value for key = '.$key.' not supported'); exit; } if ($syear && !$smonth) { @@ -416,7 +416,7 @@ if ($action == "create" || $action == "start" || $action == 'close') { print ''."\n"; + print ''."\n"; } if ($_SESSION["nbrecaseshoraires"] < 10) { - print ''."\n"; + print ''."\n"; } print ''."\n"; @@ -555,11 +555,11 @@ if (issetAndNoEmpty('totalchoixjour', $_SESSION) || $erreur) { //affichage des cases d'horaires for ($j = 0; $j < $_SESSION["nbrecaseshoraires"]; $j++) { - //si on voit une erreur, le fond de la case est rouge if (isset($errheure[$i][$j]) && $errheure[$i][$j]) { + // When an error is found, the checkbox background is red print ''."\n"; } else { - //sinon la case est vide normalement + // Else the color is empty (in principle) print ''."\n"; } } @@ -581,7 +581,7 @@ if (issetAndNoEmpty('totalchoixjour', $_SESSION) || $erreur) { print ''."\n"; print '
      '; $array = array(); - $numterminals = max(1, $conf->global->TAKEPOS_NUM_TERMINALS); + $numterminals = max(1, getDolGlobalString('TAKEPOS_NUM_TERMINALS')); for ($i = 1; $i <= $numterminals; $i++) { $array[$i] = $i; } diff --git a/htdocs/compta/cashcontrol/cashcontrol_list.php b/htdocs/compta/cashcontrol/cashcontrol_list.php index cdcb1ecf318..95e39c12eb0 100644 --- a/htdocs/compta/cashcontrol/cashcontrol_list.php +++ b/htdocs/compta/cashcontrol/cashcontrol_list.php @@ -80,7 +80,7 @@ if (!$sortorder) { $sortorder = "ASC"; } -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST('search_all', 'alphanohtml') ? GETPOST('search_all', 'alphanohtml') : GETPOST('sall', 'alphanohtml'); $search = array(); foreach ($object->fields as $key => $val) { @@ -445,7 +445,7 @@ $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; $selectedfields = $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print ''."\n"; @@ -721,7 +721,7 @@ print ''."\n"; print ''."\n"; /* -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/compta/cashcontrol/class/cashcontrol.class.php b/htdocs/compta/cashcontrol/class/cashcontrol.class.php index 6a2233cee9e..88ab3172ad9 100644 --- a/htdocs/compta/cashcontrol/class/cashcontrol.class.php +++ b/htdocs/compta/cashcontrol/class/cashcontrol.class.php @@ -66,7 +66,7 @@ class CashControl extends CommonObject * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'maxwidth200', 'wordbreak', 'tdoverflowmax200' @@ -258,7 +258,7 @@ class CashControl extends CommonObject // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this)."::valid action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this)."::valid action abandoned: already validated", LOG_WARNING); return 0; } @@ -338,10 +338,10 @@ class CashControl extends CommonObject * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -349,11 +349,11 @@ class CashControl extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); //return $this->deleteCommon($user, $notrigger, 1); @@ -507,7 +507,7 @@ class CashControl extends CommonObject $return .= '
      '.$langs->trans("Year").' : '.$this->year_close.''; } if (method_exists($this, 'getLibStatut')) { - $return .= '
      '.$this->getLibStatut(3).'
      '; + $return .= '
      '.$this->getLibStatut(3).'
      '; } $return .= ''; $return .= ''; diff --git a/htdocs/compta/cashcontrol/report.php b/htdocs/compta/cashcontrol/report.php index e702e05ea2c..abf58daf200 100644 --- a/htdocs/compta/cashcontrol/report.php +++ b/htdocs/compta/cashcontrol/report.php @@ -114,7 +114,7 @@ $sql.= " AND f.entity IN (".getEntity('facture').")"; if ($syear && ! $smonth) $sql.= " AND dateo BETWEEN '".$db->idate(dol_get_first_day($syear, 1))."' AND '".$db->idate(dol_get_last_day($syear, 12))."'"; elseif ($syear && $smonth && ! $sday) $sql.= " AND dateo BETWEEN '".$db->idate(dol_get_first_day($syear, $smonth))."' AND '".$db->idate(dol_get_last_day($syear, $smonth))."'"; elseif ($syear && $smonth && $sday) $sql.= " AND dateo BETWEEN '".$db->idate(dol_mktime(0, 0, 0, $smonth, $sday, $syear))."' AND '".$db->idate(dol_mktime(23, 59, 59, $smonth, $sday, $syear))."'"; -else dol_print_error('', 'Year not defined'); +else dol_print_error(null, 'Year not defined'); // Define filter on bank account $sql.=" AND (b.fk_account = ".((int) $conf->global->CASHDESK_ID_BANKACCOUNT_CASH); $sql.=" OR b.fk_account = ".((int) $conf->global->CASHDESK_ID_BANKACCOUNT_CB); @@ -133,7 +133,7 @@ elseif ($key == 'cheque') $sql.=" AND cp.code = 'CHQ'"; elseif ($key == 'card') $sql.=" AND cp.code = 'CB'"; else { - dol_print_error('Value for key = '.$key.' not supported'); + dol_print_error(null, 'Value for key = '.$key.' not supported'); exit; }*/ if ($syear && !$smonth) { @@ -143,7 +143,7 @@ if ($syear && !$smonth) { } elseif ($syear && $smonth && $sday) { $sql .= " AND datef BETWEEN '".$db->idate(dol_mktime(0, 0, 0, $smonth, $sday, $syear))."' AND '".$db->idate(dol_mktime(23, 59, 59, $smonth, $sday, $syear))."'"; } else { - dol_print_error('', 'Year not defined'); + dol_print_error(null, 'Year not defined'); } $resql = $db->query($sql); @@ -281,10 +281,10 @@ if ($resql) { } $transactionspertype[$objp->code] += 1; } else { - if ($conf->global->$var1 == $bankaccount->id) { + if (getDolGlobalString($var1) == $bankaccount->id) { $cash += $objp->amount; - // } elseif ($conf->global->$var2 == $bankaccount->id) $bank+=$objp->amount; - //elseif ($conf->global->$var3 == $bankaccount->id) $cheque+=$objp->amount; + // } elseif (getDolGlobalString($var2) == $bankaccount->id) $bank+=$objp->amount; + //elseif (getDolGlobalString($var3) == $bankaccount->id) $cheque+=$objp->amount; if (empty($transactionspertype['CASH'])) { $transactionspertype['CASH'] = 0; } diff --git a/htdocs/compta/charges/index.php b/htdocs/compta/charges/index.php index c43322eb981..5458cd50301 100644 --- a/htdocs/compta/charges/index.php +++ b/htdocs/compta/charges/index.php @@ -154,7 +154,7 @@ if (isModEnabled('tax') && $user->hasRight('tax', 'charges', 'lire')) { print "\n"; $sql = "SELECT c.id, c.libelle as label,"; - $sql .= " cs.rowid, cs.libelle, cs.fk_type as type, cs.periode, cs.date_ech, cs.amount as total,"; + $sql .= " cs.rowid, cs.libelle, cs.fk_type as type, cs.periode as period, cs.date_ech, cs.amount as total,"; $sql .= " pc.rowid as pid, pc.datep, pc.amount as totalpaid, pc.num_paiement as num_payment, pc.fk_bank,"; $sql .= " pct.code as payment_code,"; $sql .= " ba.rowid as bid, ba.ref as bref, ba.number as bnumber, ba.account_number, ba.fk_accountancy_journal, ba.label as blabel"; @@ -168,8 +168,8 @@ if (isModEnabled('tax') && $user->hasRight('tax', 'charges', 'lire')) { $sql .= " AND cs.entity IN (".getEntity("tax").")"; if ($year > 0) { $sql .= " AND ("; - // Si period renseignee on l'utilise comme critere de date, sinon on prend date echeance, - // ceci afin d'etre compatible avec les cas ou la periode n'etait pas obligatoire + // If period defined, we use it as dat criteria, if not we use date echeance, + // so we are compatible when period is not mandatory $sql .= " (cs.periode IS NOT NULL AND cs.periode between '".$db->idate(dol_get_first_day($year))."' AND '".$db->idate(dol_get_last_day($year))."')"; $sql .= " OR (cs.periode IS NULL AND cs.date_ech between '".$db->idate(dol_get_first_day($year))."' AND '".$db->idate(dol_get_last_day($year))."')"; $sql .= ")"; @@ -184,15 +184,17 @@ if (isModEnabled('tax') && $user->hasRight('tax', 'charges', 'lire')) { $resql = $db->query($sql); if ($resql) { $num = $db->num_rows($resql); - $i = 0; + $total = 0; $totalpaid = 0; + $i = 0; while ($i < min($num, $limit)) { $obj = $db->fetch_object($resql); + print ''; // Date - $date = $obj->periode; + $date = $obj->period; if (empty($date)) { $date = $obj->date_ech; } @@ -250,15 +252,22 @@ if (isModEnabled('tax') && $user->hasRight('tax', 'charges', 'lire')) { $totalpaid = $totalpaid + $obj->totalpaid; $i++; } - print ''; - print ''; // A total here has no sense - print ''; - print ''; - print ''; + print ''; + + print ''; + + // Total here has no sens because we can have several time the same line + //print ''; + print ''; + + print ''; + print ''; + print ''; if (isModEnabled("banque")) { - print ''; + print ''; } print '"; + print ""; } else { dol_print_error($db); @@ -278,14 +287,14 @@ if (isModEnabled('tax') && $user->hasRight('tax', 'charges', 'lire')) { $sql .= " pct.code as payment_code,"; $sql .= " ba.rowid as bid, ba.ref as bref, ba.number as bnumber, ba.account_number, ba.fk_accountancy_journal, ba.label as blabel"; $sql .= " FROM ".MAIN_DB_PREFIX."tva as pv"; - $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."payment_vat as ptva ON (ptva.fk_tva = pv.rowid)"; + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."payment_vat as ptva ON ptva.fk_tva = pv.rowid"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."bank as b ON (ptva.fk_bank = b.rowid)"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."bank_account as ba ON b.fk_account = ba.rowid"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."c_paiement as pct ON ptva.fk_typepaiement = pct.id"; $sql .= " WHERE pv.entity IN (".getEntity("tax").")"; if ($year > 0) { - // Si period renseignee on l'utilise comme critere de date, sinon on prend date echeance, - // ceci afin d'etre compatible avec les cas ou la periode n'etait pas obligatoire + // If period defined, we use it as dat criteria, if not we use date echeance, + // so we are compatible when period is not mandatory $sql .= " AND pv.datev between '".$db->idate(dol_get_first_day($year, 1, false))."' AND '".$db->idate(dol_get_last_day($year, 12, false))."'"; } if (preg_match('/^pv\./', $sortfield) || preg_match('/^ptva\./', $sortfield)) { @@ -295,8 +304,11 @@ if (isModEnabled('tax') && $user->hasRight('tax', 'charges', 'lire')) { $result = $db->query($sql); if ($result) { $num = $db->num_rows($result); + $i = 0; $total = 0; + $totaltopay = 0; + print '
      '.$langs->trans("Total").'   
      '.$langs->trans("Total").''.price($total).'   '.price($totalpaid)."
      '; print ''; print_liste_field_titre("PeriodEndDate", $_SERVER["PHP_SELF"], "pv.datev", "", $param, '', $sortfield, $sortorder, 'nowraponall '); @@ -310,14 +322,16 @@ if (isModEnabled('tax') && $user->hasRight('tax', 'charges', 'lire')) { } print_liste_field_titre("PayedByThisPayment", $_SERVER["PHP_SELF"], "ptva.amount", "", $param, 'class="right"', $sortfield, $sortorder); print "\n"; - $var = 1; + while ($i < $num) { $obj = $db->fetch_object($result); + $totaltopay = $totaltopay + $obj->amount_tva; $total = $total + $obj->amount; print ''; + print ''."\n"; $tva_static->id = $obj->id_tva; @@ -329,7 +343,7 @@ if (isModEnabled('tax') && $user->hasRight('tax', 'charges', 'lire')) { // Ref payment $ptva_static->id = $obj->rowid; $ptva_static->ref = $obj->rowid; - print '\n"; + print '\n"; // Date print '\n"; @@ -366,16 +380,28 @@ if (isModEnabled('tax') && $user->hasRight('tax', 'charges', 'lire')) { $i++; } - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print '"; + print ''; + + print ''; + + // Total here has no sens because we can have several time the same line + //print ''; + print ''; + + print ''; + print ''; + print ''; + + if (isModEnabled("banque")) { + print ''; + } + + print '"; + print ""; print "
      '.dol_print_date($db->jdate($obj->dm), 'day').''.$ptva_static->getNomUrl(1)."'.$ptva_static->getNomUrl(1)."'.dol_print_date($db->jdate($obj->date_payment), 'day')."
      '.$langs->trans("Total").'     '.price($total)."
      '.$langs->trans("Total").''.price($totaltopay).' '.price($total)."
      "; + $db->free($result); } else { dol_print_error($db); @@ -409,8 +435,8 @@ while ($j < $numlt) { $sql .= " FROM ".MAIN_DB_PREFIX."localtax as pv"; $sql .= " WHERE pv.entity = ".$conf->entity." AND localtaxtype = ".((int) $j); if ($year > 0) { - // Si period renseignee on l'utilise comme critere de date, sinon on prend date echeance, - // ceci afin d'etre compatible avec les cas ou la periode n'etait pas obligatoire + // If period defined, we use it as dat criteria, if not we use date echeance, + // so we are compatible when period is not mandatory $sql .= " AND pv.datev between '".$db->idate(dol_get_first_day($year, 1, false))."' AND '".$db->idate(dol_get_last_day($year, 12, false))."'"; } if (preg_match('/^pv/', $sortfield)) { @@ -423,7 +449,7 @@ while ($j < $numlt) { $i = 0; $total = 0; - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print ''; print ''; print_liste_field_titre("PeriodEndDate", $_SERVER["PHP_SELF"], "pv.datev", "", $param, 'width="120"', $sortfield, $sortorder); diff --git a/htdocs/compta/clients.php b/htdocs/compta/clients.php index c747ad745cf..d128197a451 100644 --- a/htdocs/compta/clients.php +++ b/htdocs/compta/clients.php @@ -95,16 +95,16 @@ if ($mode == 'search') { $sql = "SELECT s.rowid, s.nom as name, s.client, s.town, s.datec, s.datea"; $sql .= ", st.libelle as stcomm, s.prefix_comm, s.code_client, s.code_compta "; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", sc.fk_soc, sc.fk_user "; } $sql .= " FROM ".MAIN_DB_PREFIX."societe as s, ".MAIN_DB_PREFIX."c_stcomm as st"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE s.fk_stcomm = st.id AND s.client in (1, 3)"; $sql .= " AND s.entity IN (".getEntity('societe').")"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if (dol_strlen($stcomm)) { diff --git a/htdocs/compta/deplacement/card.php b/htdocs/compta/deplacement/card.php index c673ff2d52d..7d645466d7c 100644 --- a/htdocs/compta/deplacement/card.php +++ b/htdocs/compta/deplacement/card.php @@ -97,7 +97,7 @@ if ($action == 'validate' && $user->hasRight('deplacement', 'creer')) { $error = 0; $object->date = dol_mktime(12, 0, 0, GETPOST('remonth', 'int'), GETPOST('reday', 'int'), GETPOST('reyear', 'int')); - $object->km = price2num(GETPOST('km', 'alpha'), 'MU'); // Not 'int', it may be a formated amount + $object->km = price2num(GETPOST('km', 'alpha'), 'MU'); // Not 'int', it may be a formatted amount $object->type = GETPOST('type', 'alpha'); $object->socid = (int) GETPOST('socid', 'int'); $object->fk_user = (int) GETPOST('fk_user', 'int'); @@ -141,7 +141,7 @@ if ($action == 'validate' && $user->hasRight('deplacement', 'creer')) { $result = $object->fetch($id); $object->date = dol_mktime(12, 0, 0, GETPOST('remonth', 'int'), GETPOST('reday', 'int'), GETPOST('reyear', 'int')); - $object->km = price2num(GETPOST('km', 'alpha'), 'MU'); // Not 'int', it may be a formated amount + $object->km = price2num(GETPOST('km', 'alpha'), 'MU'); // Not 'int', it may be a formatted amount $object->type = GETPOST('type', 'alpha'); $object->socid = (int) GETPOST('socid', 'int'); $object->fk_user = (int) GETPOST('fk_user', 'int'); diff --git a/htdocs/compta/deplacement/class/deplacementstats.class.php b/htdocs/compta/deplacement/class/deplacementstats.class.php index cf712f49333..3515d9a17aa 100644 --- a/htdocs/compta/deplacement/class/deplacementstats.class.php +++ b/htdocs/compta/deplacement/class/deplacementstats.class.php @@ -20,13 +20,13 @@ /** * \file htdocs/compta/deplacement/class/deplacementstats.class.php * \ingroup factures - * \brief Fichier de la classe de gestion des stats des deplacement et notes de frais + * \brief File for class managaging the statistics of travel and expense notes */ include_once DOL_DOCUMENT_ROOT.'/core/class/stats.class.php'; include_once DOL_DOCUMENT_ROOT.'/compta/deplacement/class/deplacement.class.php'; /** - * Classe permettant la gestion des stats des deplacements et notes de frais + * Class to manage the statistics of travel and expense notes */ class DeplacementStats extends Stats { diff --git a/htdocs/compta/deplacement/index.php b/htdocs/compta/deplacement/index.php index 1011937c5a2..e6f5043876d 100644 --- a/htdocs/compta/deplacement/index.php +++ b/htdocs/compta/deplacement/index.php @@ -151,17 +151,25 @@ $langs->load("boxes"); $sql = "SELECT u.rowid as uid, u.lastname, u.firstname, d.rowid, d.dated as date, d.tms as dm, d.km, d.fk_statut"; $sql .= " FROM ".MAIN_DB_PREFIX."deplacement as d, ".MAIN_DB_PREFIX."user as u"; -if (!$user->hasRight('societe', 'client', 'voir') && !$user->socid) { - $sql .= ", ".MAIN_DB_PREFIX."societe as s, ".MAIN_DB_PREFIX."societe_commerciaux as sc"; -} $sql .= " WHERE u.rowid = d.fk_user"; $sql .= " AND d.entity = ".$conf->entity; if (!$user->hasRight('deplacement', 'readall') && !$user->hasRight('deplacement', 'lire_tous')) { $sql .= ' AND d.fk_user IN ('.$db->sanitize(join(',', $childids)).')'; } -if (!$user->hasRight('societe', 'client', 'voir') && !$user->socid) { - $sql .= " AND d.fk_soc = s. rowid AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); +// If the internal user must only see his customers, force searching by him +$search_sale = 0; +if (!$user->hasRight('societe', 'client', 'voir')) { + $search_sale = $user->id; } +// Search on sale representative +if ($search_sale && $search_sale != '-1') { + if ($search_sale == -2) { + $sql .= " AND NOT EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = d.fk_soc)"; + } elseif ($search_sale > 0) { + $sql .= " AND EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = d.fk_soc AND sc.fk_user = ".((int) $search_sale).")"; + } +} +// Search on socid if ($socid) { $sql .= " AND d.fk_soc = ".((int) $socid); } diff --git a/htdocs/compta/deplacement/list.php b/htdocs/compta/deplacement/list.php index dd7a4c26e71..a4599b1c03c 100644 --- a/htdocs/compta/deplacement/list.php +++ b/htdocs/compta/deplacement/list.php @@ -97,19 +97,27 @@ $sql .= " u.lastname, u.firstname"; // Qui $sql .= " FROM ".MAIN_DB_PREFIX."user as u"; $sql .= ", ".MAIN_DB_PREFIX."deplacement as d"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe as s ON d.fk_soc = s.rowid"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { - $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe_commerciaux as sc ON s.rowid = sc.fk_soc"; -} $sql .= " WHERE d.fk_user = u.rowid"; $sql .= " AND d.entity = ".$conf->entity; if (!$user->hasRight('deplacement', 'readall') && !$user->hasRight('deplacement', 'lire_tous')) { $sql .= ' AND d.fk_user IN ('.$db->sanitize(join(',', $childids)).')'; } -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { - $sql .= " AND (sc.fk_user = ".((int) $user->id)." OR d.fk_soc IS NULL) "; +// If the internal user must only see his customers, force searching by him +$search_sale = 0; +if (!$user->hasRight('societe', 'client', 'voir')) { + $search_sale = $user->id; } +// Search on sale representative +if ($search_sale && $search_sale != '-1') { + if ($search_sale == -2) { + $sql .= " AND NOT EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = d.fk_soc)"; + } elseif ($search_sale > 0) { + $sql .= " AND EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = d.fk_soc AND sc.fk_user = ".((int) $search_sale).")"; + } +} +// Search on socid if ($socid) { - $sql .= " AND s.rowid = ".((int) $socid); + $sql .= " AND d.fk_soc = ".((int) $socid); } if ($search_ref) { diff --git a/htdocs/compta/deplacement/stats/index.php b/htdocs/compta/deplacement/stats/index.php index 4e41cfb8a26..18f0544ee06 100644 --- a/htdocs/compta/deplacement/stats/index.php +++ b/htdocs/compta/deplacement/stats/index.php @@ -64,7 +64,7 @@ if ($userid > 0) { $nowyear = dol_print_date(dol_now('gmt'), "%Y", 'gmt'); $year = GETPOST('year') > 0 ? GETPOST('year') : $nowyear; -$startyear = $year - (!getDolGlobalString('MAIN_STATS_GRAPHS_SHOW_N_YEARS') ? 2 : max(1, min(10, $conf->global->MAIN_STATS_GRAPHS_SHOW_N_YEARS))); +$startyear = $year - (!getDolGlobalString('MAIN_STATS_GRAPHS_SHOW_N_YEARS') ? 2 : max(1, min(10, getDolGlobalString('MAIN_STATS_GRAPHS_SHOW_N_YEARS')))); $endyear = $year; $mode = GETPOST("mode") ? GETPOST("mode") : 'customer'; @@ -164,7 +164,7 @@ if (!$mesg) { $data = $stats->getAverageByMonthWithPrevYear($endyear, $startyear); -if (!$user->hasRight('societe', 'client', 'voir') || $user->socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $filename_avg = $dir.'/ordersaverage-'.$user->id.'-'.$year.'.png'; if ($mode == 'customer') { $fileurl_avg = DOL_URL_ROOT.'/viewimage.php?modulepart=orderstats&file=ordersaverage-'.$user->id.'-'.$year.'.png'; diff --git a/htdocs/compta/facture/agenda.php b/htdocs/compta/facture/agenda.php index 769cadede8d..9f3bcc1dea6 100644 --- a/htdocs/compta/facture/agenda.php +++ b/htdocs/compta/facture/agenda.php @@ -126,7 +126,7 @@ $form = new Form($db); if ($object->id > 0) { $title = $langs->trans("Agenda"); - //if (!empty($conf->global->MAIN_HTML_TITLE) && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; + //if (getDolGlobalString('MAIN_HTML_TITLE') && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; $help_url = 'EN:Module_Agenda_En|DE:Modul_Terminplanung'; llxHeader('', $title, $help_url); @@ -144,8 +144,8 @@ if ($object->id > 0) { $morehtmlref = '
      '; // Ref customer - $morehtmlref .= $form->editfieldkey("RefCustomer", 'ref_client', $object->ref_client, $object, 0, 'string', '', 0, 1); - $morehtmlref .= $form->editfieldval("RefCustomer", 'ref_client', $object->ref_client, $object, 0, 'string', '', null, null, '', 1); + $morehtmlref .= $form->editfieldkey("RefCustomer", 'ref_client', $object->ref_customer, $object, 0, 'string', '', 0, 1); + $morehtmlref .= $form->editfieldval("RefCustomer", 'ref_client', $object->ref_customer, $object, 0, 'string', '', null, null, '', 1); // Thirdparty $morehtmlref .= '
      '.$object->thirdparty->getNomUrl(1); // Project diff --git a/htdocs/compta/facture/card-rec.php b/htdocs/compta/facture/card-rec.php index d4690561632..b2aff1082f2 100644 --- a/htdocs/compta/facture/card-rec.php +++ b/htdocs/compta/facture/card-rec.php @@ -57,8 +57,8 @@ $toselect = GETPOST('toselect', 'array'); $contextpage = GETPOST('contextpage', 'aZ') ? GETPOST('contextpage', 'aZ') : 'invoicetemplatelist'; // To manage different context of search // Security check -$id = (GETPOST('facid', 'int') ? GETPOST('facid', 'int') : GETPOST('id', 'int')); -$lineid = GETPOST('lineid', 'int'); +$id = (GETPOSTINT('facid') ? GETPOSTINT('facid') : GETPOSTINT('id')); +$lineid = GETPOSTINT('lineid'); $ref = GETPOST('ref', 'alpha'); if ($user->socid) { $socid = $user->socid; @@ -67,13 +67,13 @@ $objecttype = 'facture_rec'; if ($action == "create" || $action == "add") { $objecttype = ''; } -$projectid = GETPOST('projectid', 'int'); +$projectid = GETPOSTINT('projectid'); $year_date_when = GETPOST('year_date_when'); $month_date_when = GETPOST('month_date_when'); $selectedLines = GETPOST('toselect', 'array'); -$limit = GETPOST('limit', 'int') ? GETPOST('limit', 'int') : $conf->liste_limit; +$limit = GETPOSTINT('limit') ? GETPOSTINT('limit') : $conf->liste_limit; $sortfield = GETPOST('sortfield', 'aZ09comma'); $sortorder = GETPOST('sortorder', 'aZ09comma'); $page = GETPOSTISSET('pageplusone') ? (GETPOST('pageplusone') - 1) : GETPOST("page", 'int'); @@ -181,16 +181,16 @@ if (empty($reshook)) { $error++; } - $frequency = GETPOST('frequency', 'int'); - $reyear = GETPOST('reyear', 'int'); - $remonth = GETPOST('remonth', 'int'); - $reday = GETPOST('reday', 'int'); - $rehour = GETPOST('rehour', 'int'); - $remin = GETPOST('remin', 'int'); - $nb_gen_max = GETPOST('nb_gen_max', 'int'); + $frequency = GETPOSTINT('frequency'); + $reyear = GETPOSTINT('reyear'); + $remonth = GETPOSTINT('remonth'); + $reday = GETPOSTINT('reday'); + $rehour = GETPOSTINT('rehour'); + $remin = GETPOSTINT('remin'); + $nb_gen_max = GETPOSTINT('nb_gen_max'); //if (empty($nb_gen_max)) $nb_gen_max =0; - if (GETPOST('frequency', 'int')) { + if (GETPOSTINT('frequency')) { if (empty($reyear) || empty($remonth) || empty($reday)) { setEventMessages($langs->transnoentities("ErrorFieldRequired", $langs->trans("Date")), null, 'errors'); $action = "create"; @@ -204,21 +204,21 @@ if (empty($reshook)) { } if (!$error) { - $object->subtype = GETPOST('subtype'); + $object->subtype = GETPOSTINT('subtype'); $object->title = GETPOST('title', 'alphanohtml'); $object->note_private = GETPOST('note_private', 'restricthtml'); $object->note_public = GETPOST('note_public', 'restricthtml'); $object->model_pdf = GETPOST('modelpdf', 'alphanohtml'); $object->usenewprice = GETPOST('usenewprice', 'alphanohtml'); - $object->mode_reglement_id = GETPOST('mode_reglement_id', 'int'); - $object->cond_reglement_id = GETPOST('cond_reglement_id', 'int'); + $object->mode_reglement_id = GETPOSTINT('mode_reglement_id'); + $object->cond_reglement_id = GETPOSTINT('cond_reglement_id'); $object->frequency = $frequency; $object->unit_frequency = GETPOST('unit_frequency', 'alpha'); $object->nb_gen_max = $nb_gen_max; - $object->auto_validate = GETPOST('auto_validate', 'int'); - $object->generate_pdf = GETPOST('generate_pdf', 'int'); + $object->auto_validate = GETPOSTINT('auto_validate'); + $object->generate_pdf = GETPOSTINT('generate_pdf'); $object->fk_project = $projectid; $date_next_execution = dol_mktime($rehour, $remin, 0, $remonth, $reday, $reyear); @@ -230,9 +230,9 @@ if (empty($reshook)) { } // Get first contract linked to invoice used to generate template (facid is id of source invoice) - if (GETPOST('facid', 'int') > 0) { + if (GETPOSTINT('facid') > 0) { $srcObject = new Facture($db); - $srcObject->fetch(GETPOST('facid', 'int')); + $srcObject->fetch(GETPOSTINT('facid')); $srcObject->fetchObjectLinked(); @@ -248,7 +248,7 @@ if (empty($reshook)) { $db->begin(); $oldinvoice = new Facture($db); - $oldinvoice->fetch(GETPOST('facid', 'int')); + $oldinvoice->fetch(GETPOSTINT('facid')); $onlylines = GETPOST('toselect', 'array'); @@ -292,15 +292,15 @@ if (empty($reshook)) { if ($action == 'setconditions' && $user->hasRight('facture', 'creer')) { // Set condition $object->context['actionmsg'] = $langs->trans("FieldXModified", $langs->transnoentitiesnoconv("PaymentTerm")); - $result = $object->setPaymentTerms(GETPOST('cond_reglement_id', 'int')); + $result = $object->setPaymentTerms(GETPOSTINT('cond_reglement_id')); } elseif ($action == 'setmode' && $user->hasRight('facture', 'creer')) { // Set mode $object->context['actionmsg'] = $langs->trans("FieldXModified", $langs->transnoentitiesnoconv("PaymentMode")); - $result = $object->setPaymentMethods(GETPOST('mode_reglement_id', 'int')); + $result = $object->setPaymentMethods(GETPOSTINT('mode_reglement_id')); } elseif ($action == 'classin' && $user->hasRight('facture', 'creer')) { // Set project $object->context['actionmsg'] = $langs->trans("FieldXModified", $langs->transnoentitiesnoconv("Project")); - $object->setProject(GETPOST('projectid', 'int')); + $object->setProject(GETPOSTINT('projectid')); } elseif ($action == 'setref' && $user->hasRight('facture', 'creer')) { // Set bank account $object->context['actionmsg'] = $langs->trans("FieldXModifiedFromYToZ", $langs->transnoentitiesnoconv("Title"), $object->title, $ref); @@ -552,7 +552,7 @@ if (empty($reshook)) { $pu_ttc = price2num($pu_ht * (1 + ($tmpvat / 100)), 'MU'); } elseif ($tmpvat != $tmpprodvat) { // On reevalue prix selon taux tva car taux tva transaction peut etre different - // de ceux du produit par defaut (par exemple si pays different entre vendeur et acheteur). + // de ceux du produit par default (par example si pays different entre vendeur et acheteur). if ($price_base_type != 'HT') { $pu_ht = price2num($pu_ttc / (1 + ($tmpvat / 100)), 'MU'); } else { @@ -761,7 +761,7 @@ if (empty($reshook)) { // Add buying price $fournprice = price2num(GETPOST('fournprice') ? GETPOST('fournprice') : ''); - $buyingprice = price2num(GETPOST('buying_price') != '' ? GETPOST('buying_price') : ''); // If buying_price is '0', we muste keep this value + $buyingprice = price2num(GETPOST('buying_price') != '' ? GETPOST('buying_price') : ''); // If buying_price is '0', we must keep this value // Extrafields $extralabelsline = $extrafields->fetch_name_optionals_label($object->table_element_line); @@ -1006,7 +1006,7 @@ if ($action == 'create') { // Invoice subtype if (getDolGlobalInt('INVOICE_SUBTYPE_ENABLED')) { print "
      "; } @@ -1204,7 +1204,7 @@ if ($action == 'create') { print "\n"; } else { - dol_print_error('', "Error, no invoice ".$object->id); + dol_print_error(null, "Error, no invoice ".$object->id); } } else { /* @@ -1254,8 +1254,8 @@ if ($action == 'create') { $morehtmlref .= '
      '; // Ref customer - //$morehtmlref.=$form->editfieldkey("RefCustomer", 'ref_client', $object->ref_client, $object, $user->hasRight('facture', 'creer'), 'string', '', 0, 1); - //$morehtmlref.=$form->editfieldval("RefCustomer", 'ref_client', $object->ref_client, $object, $user->hasRight('facture', 'creer'), 'string', '', null, null, '', 1); + //$morehtmlref.=$form->editfieldkey("RefCustomer", 'ref_client', $object->ref_customer, $object, $user->hasRight('facture', 'creer'), 'string', '', 0, 1); + //$morehtmlref.=$form->editfieldval("RefCustomer", 'ref_client', $object->ref_customer, $object, $user->hasRight('facture', 'creer'), 'string', '', null, null, '', 1); // Thirdparty $morehtmlref .= $object->thirdparty->getNomUrl(1, 'customer'); // Project @@ -1527,7 +1527,7 @@ if ($action == 'create') { print '
      '; - // if "frequency" is empty or = 0, the reccurence is disabled + // if "frequency" is empty or = 0, the recurrence is disabled print ''; + print ''; $arraylistofkey = array('hooks', 'js', 'css'); @@ -1150,13 +1150,13 @@ if ($ok && GETPOST('force_disable_of_modules_not_found', 'alpha')) { } if ($key == 'js') { $value = $obj->value; - $valuearray = json_decode($value); + $valuearray = (array) json_decode($value); // Force cast into array because sometimes it is a stdClass $reloffile = $valuearray[0]; $reloffile = preg_replace('/^\//', '', $valuearray[0]); } if ($key == 'css') { $value = $obj->value; - $valuearray = json_decode($value); + $valuearray = (array) json_decode($value); // Force cast into array because sometimes it is a stdClass if ($value && (!is_array($valuearray) || count($valuearray) == 0)) { $valuearray = array(); $valuearray[0] = $value; // If value was not a json array but a string @@ -1505,7 +1505,7 @@ if ($ok && GETPOST('repair_link_dispatch_lines_supplier_order_lines')) { // s’il y a plusieurs lignes avec le même produit sur cette commande fournisseur, // on divise la ligne de dispatch en autant de lignes qu’on en a sur la commande pour le produit - // et on met la quantité de la ligne dans la limite du "budget" indiqué par dispatch.qty + // et on met la quantité de la ligne dans la limit du "budget" indiqué par dispatch.qty $remaining_qty = $obj_dispatch->qty; $first_iteration = true; @@ -1596,7 +1596,7 @@ if ($ok && GETPOST('repair_link_dispatch_lines_supplier_order_lines')) { echo ''; } -// Repair llx_commande_fournisseur to eleminate duplicate reference +// Repair llx_commande_fournisseur to eliminate duplicate reference if ($ok && GETPOST('repair_supplier_order_duplicate_ref')) { require_once DOL_DOCUMENT_ROOT . '/fourn/class/fournisseur.commande.class.php'; include_once DOL_DOCUMENT_ROOT . '/societe/class/societe.class.php'; diff --git a/htdocs/install/step1.php b/htdocs/install/step1.php index 4ce9551d246..2c53e2e7e9e 100644 --- a/htdocs/install/step1.php +++ b/htdocs/install/step1.php @@ -426,7 +426,7 @@ if (!$error && $db->connected && $action == "set") { } } - // Documents are stored above the web pages root to prevent being downloaded without authentification + // Documents are stored above the web pages root to prevent being downloaded without authentication $dir = array(); $dir[] = $main_data_dir."/mycompany"; $dir[] = $main_data_dir."/medias"; @@ -685,7 +685,7 @@ if (!$error && $db->connected && $action == "set") { // We test access with dolibarr database user (not admin) if (!$error) { dolibarr_install_syslog("step1: connection type=".$conf->db->type." on host=".$conf->db->host." port=".$conf->db->port." user=".$conf->db->user." name=".$conf->db->name); - //print "connexion de type=".$conf->db->type." sur host=".$conf->db->host." port=".$conf->db->port." user=".$conf->db->user." name=".$conf->db->name; + //print "connection de type=".$conf->db->type." sur host=".$conf->db->host." port=".$conf->db->port." user=".$conf->db->user." name=".$conf->db->name; $db = getDoliDBInstance($conf->db->type, $conf->db->host, $conf->db->user, $conf->db->pass, $conf->db->name, (int) $conf->db->port); diff --git a/htdocs/install/step2.php b/htdocs/install/step2.php index 5f78115113b..99170d4c9c6 100644 --- a/htdocs/install/step2.php +++ b/htdocs/install/step2.php @@ -27,6 +27,7 @@ include 'inc.php'; require_once $dolibarr_main_document_root.'/core/class/conf.class.php'; require_once $dolibarr_main_document_root.'/core/lib/admin.lib.php'; +require_once $dolibarr_main_document_root.'/core/lib/security.lib.php'; global $langs; @@ -68,7 +69,7 @@ if ($dolibarr_main_db_type == "sqlite") { if ($dolibarr_main_db_type == "sqlite3") { $choix = 5; } -//if (empty($choix)) dol_print_error('','Database type '.$dolibarr_main_db_type.' not supported into step2.php page'); +//if (empty($choix)) dol_print_error(null,'Database type '.$dolibarr_main_db_type.' not supported into step2.php page'); // Now we load forced values from install.forced.php file. @@ -192,7 +193,7 @@ if ($action == "set") { if ($fp) { while (!feof($fp)) { $buf = fgets($fp, 4096); - if (substr($buf, 0, 2) <> '--') { + if (substr($buf, 0, 2) != '--') { $buf = preg_replace('/--(.+)*/', '', $buf); $buffer .= $buf; } @@ -404,7 +405,7 @@ if ($action == "set") { $buffer = ''; while (!feof($fp)) { $buf = fgets($fp, 4096); - if (substr($buf, 0, 2) <> '--') { + if (substr($buf, 0, 2) != '--') { $buffer .= $buf."§"; } } @@ -584,7 +585,7 @@ dolibarr_install_syslog("- step2: end"); $conf->file->instance_unique_id = (empty($dolibarr_main_instance_unique_id) ? (empty($dolibarr_main_cookie_cryptkey) ? '' : $dolibarr_main_cookie_cryptkey) : $dolibarr_main_instance_unique_id); // Unique id of instance -$hash_unique_id = md5('dolibarr'.$conf->file->instance_unique_id); +$hash_unique_id = dol_hash('dolibarr'.$conf->file->instance_unique_id, 'sha256'); // Note: if the global salt changes, this hash changes too so ping may be counted twice. We don't mind. It is for statistics purpose only. $out = ' '; $out .= ''; diff --git a/htdocs/install/step5.php b/htdocs/install/step5.php index 6e101a7e3c3..a757ceb7c8d 100644 --- a/htdocs/install/step5.php +++ b/htdocs/install/step5.php @@ -103,7 +103,7 @@ $error = 0; // If install, check password and password_verification used to create admin account if ($action == "set") { - if ($pass <> $pass_verif) { + if ($pass != $pass_verif) { header("Location: step4.php?error=1&selectlang=$setuplang".(isset($login) ? '&login='.$login : '')); exit; } @@ -145,7 +145,7 @@ if ($action == "set" || empty($action) || preg_match('/upgrade/i', $action)) { if (!empty($dolibarr_main_db_pass) && preg_match('/crypted:/i', $dolibarr_main_db_pass)) { $dolibarr_main_db_pass = preg_replace('/crypted:/i', '', $dolibarr_main_db_pass); $dolibarr_main_db_pass = dol_decode($dolibarr_main_db_pass); - $dolibarr_main_db_encrypted_pass = $dolibarr_main_db_pass; // We need to set this as it is used to know the password was initially crypted + $dolibarr_main_db_encrypted_pass = $dolibarr_main_db_pass; // We need to set this as it is used to know the password was initially encrypted } else { $dolibarr_main_db_pass = dol_decode($dolibarr_main_db_encrypted_pass); } @@ -192,7 +192,7 @@ if ($action == "set" || empty($action) || preg_match('/upgrade/i', $action)) { // Create admin user include_once DOL_DOCUMENT_ROOT.'/user/class/user.class.php'; - // Set default encryption to yes, generate a salt and set default encryption algorythm (but only if there is no user yet into database) + // Set default encryption to yes, generate a salt and set default encryption algorithm (but only if there is no user yet into database) $sql = "SELECT u.rowid, u.pass, u.pass_crypted"; $sql .= " FROM ".MAIN_DB_PREFIX."user as u"; $resql = $db->query($sql); @@ -389,7 +389,7 @@ if ($action == "set" || empty($action) || preg_match('/upgrade/i', $action)) { // Define if we need to update the MAIN_VERSION_LAST_UPGRADE value in database $tagdatabase = false; if (!getDolGlobalString('MAIN_VERSION_LAST_UPGRADE')) { - $tagdatabase = true; // We don't know what it was before, so now we consider we are version choosed. + $tagdatabase = true; // We don't know what it was before, so now we consider we at the chosen version. } else { $mainversionlastupgradearray = preg_split('/[.-]/', $conf->global->MAIN_VERSION_LAST_UPGRADE); $targetversionarray = preg_split('/[.-]/', $targetversion); @@ -423,7 +423,7 @@ if ($action == "set" || empty($action) || preg_match('/upgrade/i', $action)) { print $langs->trans("ErrorFailedToConnect")."
      "; } } else { - dol_print_error('', 'step5.php: unknown choice of action'); + dol_print_error(null, 'step5.php: unknown choice of action'); } $db->close(); @@ -533,7 +533,7 @@ if ($action == "set") { $morehtml .= ''; } } else { - dol_print_error('', 'step5.php: unknown choice of action='.$action.' in create lock file seaction'); + dol_print_error(null, 'step5.php: unknown choice of action='.$action.' in create lock file seaction'); } // Clear cache files diff --git a/htdocs/install/upgrade.php b/htdocs/install/upgrade.php index 0a0c2d63219..b6d07930c33 100644 --- a/htdocs/install/upgrade.php +++ b/htdocs/install/upgrade.php @@ -123,13 +123,13 @@ if (!GETPOST('action', 'aZ09') || preg_match('/upgrade/i', GETPOST('action', 'aZ if (!empty($dolibarr_main_db_pass) && preg_match('/crypted:/i', $dolibarr_main_db_pass)) { $dolibarr_main_db_pass = preg_replace('/crypted:/i', '', $dolibarr_main_db_pass); $dolibarr_main_db_pass = dol_decode($dolibarr_main_db_pass); - $dolibarr_main_db_encrypted_pass = $dolibarr_main_db_pass; // We need to set this as it is used to know the password was initially crypted + $dolibarr_main_db_encrypted_pass = $dolibarr_main_db_pass; // We need to set this as it is used to know the password was initially encrypted } else { $dolibarr_main_db_pass = dol_decode($dolibarr_main_db_encrypted_pass); } } - // $conf is already instancied inside inc.php + // $conf is already instantiated inside inc.php $conf->db->type = $dolibarr_main_db_type; $conf->db->host = $dolibarr_main_db_host; $conf->db->port = $dolibarr_main_db_port; @@ -255,7 +255,7 @@ if (!GETPOST('action', 'aZ09') || preg_match('/upgrade/i', GETPOST('action', 'aZ dolibarr_install_syslog("Clean database from bad named constraints"); // Suppression vieilles contraintes sans noms et en doubles - // Les contraintes indesirables ont un nom qui commence par 0_ ou se termine par ibfk_999 + // Les contraintes indesirables ont un nom qui commence par 0_ ou se determine par ibfk_999 $listtables = array( MAIN_DB_PREFIX.'adherent_options', MAIN_DB_PREFIX.'bank_class', diff --git a/htdocs/install/upgrade2.php b/htdocs/install/upgrade2.php index 982d46fa4aa..2ba539d80d9 100644 --- a/htdocs/install/upgrade2.php +++ b/htdocs/install/upgrade2.php @@ -130,13 +130,13 @@ if (!GETPOST('action', 'aZ09') || preg_match('/upgrade/i', GETPOST('action', 'aZ if (!empty($dolibarr_main_db_pass) && preg_match('/crypted:/i', $dolibarr_main_db_pass)) { $dolibarr_main_db_pass = preg_replace('/crypted:/i', '', $dolibarr_main_db_pass); $dolibarr_main_db_pass = dol_decode($dolibarr_main_db_pass); - $dolibarr_main_db_encrypted_pass = $dolibarr_main_db_pass; // We need to set this as it is used to know the password was initially crypted + $dolibarr_main_db_encrypted_pass = $dolibarr_main_db_pass; // We need to set this as it is used to know the password was initially encrypted } else { $dolibarr_main_db_pass = dol_decode($dolibarr_main_db_encrypted_pass); } } - // $conf is already instancied inside inc.php + // $conf is already instantiated inside inc.php $conf->db->type = $dolibarr_main_db_type; $conf->db->host = $dolibarr_main_db_host; $conf->db->port = $dolibarr_main_db_port; @@ -530,6 +530,7 @@ if (!GETPOST('action', 'aZ09') || preg_match('/upgrade/i', GETPOST('action', 'aZ 'MAIN_MODULE_EXPENSEREPORT'=>'newboxdefonly', 'MAIN_MODULE_FACTURE'=>'newboxdefonly', 'MAIN_MODULE_FOURNISSEUR'=>'newboxdefonly', + 'MAIN_MODULE_FICHEINTER'=>'newboxdefonly', 'MAIN_MODULE_HOLIDAY'=>'newboxdefonly', 'MAIN_MODULE_MARGIN'=>'menuonly', 'MAIN_MODULE_MRP'=>'menuonly', @@ -2043,7 +2044,7 @@ function migrate_modeles($db, $langs, $conf) include_once DOL_DOCUMENT_ROOT.'/core/modules/facture/modules_facture.php'; $modellist = ModelePDFFactures::liste_modeles($db); if (count($modellist) == 0) { - // Aucun model par defaut. + // Aucun model par default. $sql = " insert into ".MAIN_DB_PREFIX."document_model(nom,type) values('crabe','invoice')"; $resql = $db->query($sql); if (!$resql) { @@ -2056,7 +2057,7 @@ function migrate_modeles($db, $langs, $conf) include_once DOL_DOCUMENT_ROOT.'/core/modules/commande/modules_commande.php'; $modellist = ModelePDFCommandes::liste_modeles($db); if (count($modellist) == 0) { - // Aucun model par defaut. + // Aucun model par default. $sql = " insert into ".MAIN_DB_PREFIX."document_model(nom,type) values('einstein','order')"; $resql = $db->query($sql); if (!$resql) { @@ -2069,7 +2070,7 @@ function migrate_modeles($db, $langs, $conf) include_once DOL_DOCUMENT_ROOT.'/core/modules/expedition/modules_expedition.php'; $modellist = ModelePdfExpedition::liste_modeles($db); if (count($modellist) == 0) { - // Aucun model par defaut. + // Aucun model par default. $sql = " insert into ".MAIN_DB_PREFIX."document_model(nom,type) values('rouget','shipping')"; $resql = $db->query($sql); if (!$resql) { @@ -2083,7 +2084,7 @@ function migrate_modeles($db, $langs, $conf) /** - * Correspondance des expeditions et des commandes clients dans la table llx_co_exp + * Correspondence des expeditions et des commandes clients dans la table llx_co_exp * * @param DoliDB $db Database handler * @param Translate $langs Object langs @@ -2148,7 +2149,7 @@ function migrate_commande_expedition($db, $langs, $conf) } /** - * Correspondance des livraisons et des commandes clients dans la table llx_co_liv + * Correspondence des livraisons et des commandes clients dans la table llx_co_liv * * @param DoliDB $db Database handler * @param Translate $langs Object langs @@ -2534,7 +2535,7 @@ function migrate_commande_deliveryaddress($db, $langs, $conf) * @param DoliDB $db Database handler * @param Translate $langs Object langs * @param Conf $conf Object conf - * @return integer <0 if KO, 0=Bad version, >0 if OK + * @return integer Return integer <0 if KO, 0=Bad version, >0 if OK */ function migrate_restore_missing_links($db, $langs, $conf) { @@ -3432,7 +3433,7 @@ function migrate_clean_association($db, $langs, $conf) $obj = $db->fetch_object($result); if ($obj) { // It table categorie_association exists $couples = array(); - $filles = array(); + $children = array(); $sql = "SELECT fk_categorie_mere, fk_categorie_fille"; $sql .= " FROM ".MAIN_DB_PREFIX."categorie_association"; dolibarr_install_syslog("upgrade: search duplicate"); @@ -3440,9 +3441,9 @@ function migrate_clean_association($db, $langs, $conf) if ($resql) { $num = $db->num_rows($resql); while ($obj = $db->fetch_object($resql)) { - if (!isset($filles[$obj->fk_categorie_fille])) { // Only one record as child (a child has only on parent). + if (!isset($children[$obj->fk_categorie_fille])) { // Only one record as child (a child has only on parent). if ($obj->fk_categorie_mere != $obj->fk_categorie_fille) { - $filles[$obj->fk_categorie_fille] = 1; // Set record for this child + $children[$obj->fk_categorie_fille] = 1; // Set record for this child $couples[$obj->fk_categorie_mere.'_'.$obj->fk_categorie_fille] = array('mere'=>$obj->fk_categorie_mere, 'fille'=>$obj->fk_categorie_fille); } } @@ -3559,7 +3560,7 @@ function migrate_categorie_association($db, $langs, $conf) } /** - * Migrate event assignement to owner + * Migrate event assignment to owner * * @param DoliDB $db Database handler * @param Translate $langs Object langs @@ -3625,7 +3626,7 @@ function migrate_event_assignement($db, $langs, $conf) } /** - * Migrate event assignement to owner + * Migrate event assignment to owner * * @param DoliDB $db Database handler * @param Translate $langs Object langs @@ -4151,9 +4152,9 @@ function migrate_delete_old_files($db, $langs, $conf) '/core/modules/mailings/poire.modules.php', '/core/modules/mailings/kiwi.modules.php', '/core/boxes/box_members.php', - '/includes/restler/framework/Luracast/Restler/Data/Object.php', '/includes/restler/framework/Luracast/Restler/Data/Object.php', + '/includes/nusoap/lib/class.*', '/phenix/inc/triggers/interface_modPhenix_Phenixsynchro.class.php', '/webcalendar/inc/triggers/interface_modWebcalendar_webcalsynchro.class.php', @@ -4163,7 +4164,6 @@ function migrate_delete_old_files($db, $langs, $conf) '/categories/class/api_deprecated_category.class.php', '/compta/facture/class/api_invoice.class.php', '/commande/class/api_commande.class.php', - '/user/class/api_user.class.php', '/partnership/class/api_partnership.class.php', '/product/class/api_product.class.php', '/recruitment/class/api_recruitment.class.php', @@ -4171,6 +4171,7 @@ function migrate_delete_old_files($db, $langs, $conf) '/societe/class/api_thirdparty.class.php', '/support/online.php', '/takepos/class/actions_takepos.class.php', + '/user/class/api_user.class.php', '/install/mysql/tables/llx_c_ticketsup_category.key.sql', '/install/mysql/tables/llx_c_ticketsup_category.sql', @@ -4180,9 +4181,16 @@ function migrate_delete_old_files($db, $langs, $conf) '/install/mysql/tables/llx_c_ticketsup_type.sql' ); + /* + print ''; + */ + foreach ($filetodeletearray as $filetodelete) { //print ''DOL_DOCUMENT_ROOT.$filetodelete."
      \n"; - if (file_exists(DOL_DOCUMENT_ROOT.$filetodelete)) { + if (file_exists(DOL_DOCUMENT_ROOT.$filetodelete) || preg_match('/\*/', $filetodelete)) { + //print "Process file ".$filetodelete."\n"; $result = dol_delete_file(DOL_DOCUMENT_ROOT.$filetodelete, 0, 0, 0, null, true, false); if (!$result) { $langs->load("errors"); @@ -4239,7 +4247,7 @@ function migrate_delete_old_dir($db, $langs, $conf) /** - * Disable/Reenable features modules. + * Disable/Re-enable features modules. * We must do this when internal menu of module or permissions has changed * or when triggers have moved. * @@ -4277,14 +4285,17 @@ function migrate_reload_modules($db, $langs, $conf, $listofmodule = array(), $fo 'MAIN_MODULE_SERVICE' => array('class' => 'modService'), 'MAIN_MODULE_COMMANDE' => array('class' => 'modCommande'), 'MAIN_MODULE_FACTURE' => array('class' => 'modFacture'), + 'MAIN_MODULE_FICHEINTER' => array('class' => 'modFicheinter'), 'MAIN_MODULE_FOURNISSEUR' => array('class' => 'modFournisseur'), 'MAIN_MODULE_HOLIDAY' => array('class' => 'modHoliday', 'remove'=>1), + 'MAIN_MODULE_EXPEDITION' => array('class' => 'modExpedition'), 'MAIN_MODULE_EXPENSEREPORT' => array('class' => 'modExpenseReport'), 'MAIN_MODULE_DON' => array('class' => 'modDon'), 'MAIN_MODULE_ECM' => array('class' => 'modECM', 'remove'=>1), 'MAIN_MODULE_KNOWLEDGEMANAGEMENT' => array('class' => 'modKnowledgeManagement', 'remove'=>1), 'MAIN_MODULE_EVENTORGANIZATION' => array('class' => 'modEventOrganization', 'remove'=>1), 'MAIN_MODULE_PAYBOX' => array('class' => 'modPaybox', 'remove'=>1), + 'MAIN_MODULE_PROPAL' => array('class' => 'modPropale'), 'MAIN_MODULE_SUPPLIERPROPOSAL' => array('class' => 'modSupplierProposal', 'remove'=>1), 'MAIN_MODULE_OPENSURVEY' => array('class' => 'modOpenSurvey', 'remove'=>1), 'MAIN_MODULE_PRODUCTBATCH' => array('class' => 'modProductBatch', 'remove'=>1), diff --git a/htdocs/intracommreport/card.php b/htdocs/intracommreport/card.php index 554be07eb97..c234f22c7e4 100644 --- a/htdocs/intracommreport/card.php +++ b/htdocs/intracommreport/card.php @@ -45,17 +45,20 @@ $langs->loadLangs(array("intracommreport")); // Get Parameters $id = GETPOST('id', 'int'); $action = GETPOST('action'); -$exporttype = GETPOSTISSET('exporttype') ? GETPOST('exporttype', 'alphanohtml') : 'deb'; // DEB or DES $year = GETPOSTINT('year'); $month = GETPOSTINT('month'); $label = (string) GETPOST('label', 'alphanohtml'); -$type_declaration = (string) GETPOST('type_declaration', 'alphanohtml'); + +$exporttype = GETPOSTISSET('exporttype') ? GETPOST('exporttype', 'alphanohtml') : 'deb'; // DEB or DES +$type_declaration = (string) GETPOST('type_declaration', 'alphanohtml'); // 'introduction' or 'expedition' + $backtopage = GETPOST('backtopage', 'alpha'); $declaration = array( "deb" => $langs->trans("DEB"), "des" => $langs->trans("DES"), ); + $typeOfDeclaration = array( "introduction" => $langs->trans("Introduction"), "expedition" => $langs->trans("Expedition"), @@ -121,8 +124,8 @@ if ($permissiontodelete && $action == 'confirm_delete' && $confirm == 'yes') { if ($action == 'add' && $permissiontoadd) { $object->label = trim($label); - $object->type = trim($exporttype); - $object->type_declaration = $type_declaration; + $object->exporttype = trim($exporttype); // 'des' or 'deb' + $object->type_declaration = $type_declaration; // 'introduction' or 'expedition' //$object->subscription = (int) $subscription; // Fill array 'array_options' with data from add form @@ -267,12 +270,12 @@ if ($id > 0 && $action != 'edit') { // Type print '\n"; - // Analysis Period + // Analysis period print ''; print ''; // Type of Declaration - print ''; + print ''; print ''; print "
      ".$langs->trans("InvoiceSubtype").""; - print $form->getSelectInvoiceSubtype(GETPOSTISSET('subtype') ? GETPOST('subtype') : $object->subtype, 'subtype', -1, 0, 0, ''); + print $form->getSelectInvoiceSubtype(GETPOSTISSET('subtype') ? GETPOST('subtype') : $object->subtype, 'subtype', 0, 0, ''); print "
      '.img_picto('', 'recurring', 'class="pictofixedwidth"').$title.'
      '; print ''; print ''; - // Status of generated invoices + // Status of auto generated invoices print ''; // Auto generate documents diff --git a/htdocs/compta/facture/card.php b/htdocs/compta/facture/card.php index cdf811dd5c3..55f4876fee2 100644 --- a/htdocs/compta/facture/card.php +++ b/htdocs/compta/facture/card.php @@ -165,14 +165,14 @@ $permissiontoadd = $usercancreate; // Used by the include of actions_addupdatede // retained warranty invoice available type $retainedWarrantyInvoiceAvailableType = array(); if (getDolGlobalString('INVOICE_USE_RETAINED_WARRANTY')) { - $retainedWarrantyInvoiceAvailableType = explode('+', $conf->global->INVOICE_USE_RETAINED_WARRANTY); + $retainedWarrantyInvoiceAvailableType = explode('+', getDolGlobalString('INVOICE_USE_RETAINED_WARRANTY')); } // Security check if ($user->socid) { $socid = $user->socid; } -$isdraft = (($object->statut == Facture::STATUS_DRAFT) ? 1 : 0); +$isdraft = (($object->status == Facture::STATUS_DRAFT) ? 1 : 0); $result = restrictedArea($user, 'facture', $object->id, '', '', 'fk_soc', 'rowid', $isdraft); @@ -235,7 +235,7 @@ if (empty($reshook)) { } elseif ($action == 'reopen' && $usercanreopen) { $result = $object->fetch($id); - if ($object->statut == Facture::STATUS_CLOSED || ($object->statut == Facture::STATUS_ABANDONED && ($object->close_code != 'replaced' || $object->getIdReplacingInvoice() == 0)) || ($object->statut == Facture::STATUS_VALIDATED && $object->paye == 1)) { // ($object->statut == 1 && $object->paye == 1) should not happened but can be found when data are corrupted + if ($object->status == Facture::STATUS_CLOSED || ($object->status == Facture::STATUS_ABANDONED && ($object->close_code != 'replaced' || $object->getIdReplacingInvoice() == 0)) || ($object->status == Facture::STATUS_VALIDATED && $object->paye == 1)) { // ($object->status == 1 && $object->paye == 1) should not happened but can be found when data are corrupted $result = $object->setUnpaid($user); if ($result > 0) { header('Location: '.$_SERVER["PHP_SELF"].'?facid='.$id); @@ -354,7 +354,7 @@ if (empty($reshook)) { $array_of_total_ht_per_vat_rate = array(); $array_of_total_ht_devise_per_vat_rate = array(); foreach ($object->lines as $line) { - //$vat_src_code_for_line = $line->vat_src_code; // TODO We chek sign of total per vat without taking into account the vat code because for the moment the vat code is lost/unknown when we add a down payment. + //$vat_src_code_for_line = $line->vat_src_code; // TODO We check sign of total per vat without taking into account the vat code because for the moment the vat code is lost/unknown when we add a down payment. $vat_src_code_for_line = ''; if (empty($array_of_total_ht_per_vat_rate[$line->tva_tx.'_'.$vat_src_code_for_line])) { $array_of_total_ht_per_vat_rate[$line->tva_tx.'_'.$vat_src_code_for_line] = 0; @@ -464,7 +464,8 @@ if (empty($reshook)) { } $result = $object->update($user); if ($result < 0) { - dol_print_error($db, $object->error); + setEventMessages($object->error, $object->errors, 'errors'); + $action = 'editinvoicedate'; } } elseif ($action == 'setdate_pointoftax' && $usercancreate) { $object->fetch($id); @@ -527,7 +528,7 @@ if (empty($reshook)) { } } elseif ($action == 'setrevenuestamp' && $usercancreate) { $object->fetch($id); - $object->revenuestamp = GETPOST('revenuestamp'); + $object->revenuestamp = (float) price2num(GETPOST('revenuestamp')); $result = $object->update($user); $object->update_price(1); if ($result < 0) { @@ -795,7 +796,7 @@ if (empty($reshook)) { setEventMessages($object->error, $object->errors, 'errors'); } } elseif ($action == 'confirm_paid_partially' && $confirm == 'yes' && $usercanissuepayment) { - // Classif "paid partialy" + // Classif "paid partially" $object->fetch($id); $close_code = GETPOST("close_code", 'restricthtml'); $close_note = GETPOST("close_note", 'restricthtml'); @@ -832,10 +833,10 @@ if (empty($reshook)) { $canconvert = 0; if ($object->type == Facture::TYPE_DEPOSIT && empty($discountcheck->id)) { - $canconvert = 1; // we can convert deposit into discount if deposit is payed (completely, partially or not at all) and not already converted (see real condition into condition used to show button converttoreduc) + $canconvert = 1; // we can convert deposit into discount if deposit is paid (completely, partially or not at all) and not already converted (see real condition into condition used to show button converttoreduc) } if (($object->type == Facture::TYPE_CREDIT_NOTE || $object->type == Facture::TYPE_STANDARD || $object->type == Facture::TYPE_SITUATION) && $object->paye == 0 && empty($discountcheck->id)) { - $canconvert = 1; // we can convert credit note into discount if credit note is not payed back and not already converted and amount of payment is 0 (see real condition into condition used to show button converttoreduc) + $canconvert = 1; // we can convert credit note into discount if credit note is not paid back and not already converted and amount of payment is 0 (see real condition into condition used to show button converttoreduc) } if ($canconvert) { @@ -966,7 +967,7 @@ if (empty($reshook)) { if (empty($error)) { if ($object->type != Facture::TYPE_DEPOSIT) { - // Classe facture + // Set invoice as paid $result = $object->setPaid($user); if ($result >= 0) { $db->commit(); @@ -985,7 +986,7 @@ if (empty($reshook)) { } elseif ($action == 'confirm_delete_paiement' && $confirm == 'yes' && $usercanissuepayment) { // Delete payment $object->fetch($id); - if ($object->statut == Facture::STATUS_VALIDATED && $object->paye == 0) { + if ($object->status == Facture::STATUS_VALIDATED && $object->paye == 0) { $paiement = new Paiement($db); $result = $paiement->fetch(GETPOST('paiement_id', 'int')); if ($result > 0) { @@ -1002,7 +1003,7 @@ if (empty($reshook)) { } elseif ($action == 'add' && $usercancreate) { // Insert new invoice in database if ($socid > 0) { - $object->socid = GETPOST('socid', 'int'); + $object->socid = GETPOSTINT('socid'); } if (GETPOST('type', 'int') === '') { @@ -1103,7 +1104,7 @@ if (empty($reshook)) { if (!empty($originentity)) { $object->entity = $originentity; } - $object->socid = GETPOST('socid', 'int'); + $object->socid = GETPOSTINT('socid'); $object->subtype = GETPOST('subtype'); $object->ref = GETPOST('ref'); $object->date = $dateinvoice; @@ -1253,7 +1254,7 @@ if (empty($reshook)) { $line->fk_parent_line = $fk_parent_line; $line->subprice = -$line->subprice; // invert price for object - $line->pa_ht = $line->pa_ht; // we choosed to have buy/cost price always positive, so no revert of sign here + $line->pa_ht = $line->pa_ht; // we chose to have buy/cost price always positive, so no revert of sign here $line->total_ht = -$line->total_ht; $line->total_tva = -$line->total_tva; $line->total_ttc = -$line->total_ttc; @@ -1266,7 +1267,7 @@ if (empty($reshook)) { $line->multicurrency_total_ttc = -$line->multicurrency_total_ttc; $line->context['createcreditnotefrominvoice'] = 1; - $result = $line->insert(0, 1); // When creating credit note with same lines than source, we must ignore error if discount alreayd linked + $result = $line->insert(0, 1); // When creating credit note with same lines than source, we must ignore error if discount already linked $object->lines[] = $line; // insert new line in current object @@ -1325,7 +1326,7 @@ if (empty($reshook)) { } if (!$error) { - $object->socid = GETPOST('socid', 'int'); + $object->socid = GETPOSTINT('socid'); $object->type = GETPOST('type'); $object->subtype = GETPOST('subtype'); $object->ref = GETPOST('ref'); @@ -1412,7 +1413,7 @@ if (empty($reshook)) { } if (!$error) { - $object->socid = GETPOST('socid', 'int'); + $object->socid = GETPOSTINT('socid'); $object->type = GETPOST('type'); $object->subtype = GETPOST('subtype'); $object->ref = GETPOST('ref'); @@ -1684,7 +1685,7 @@ if (empty($reshook)) { if (!isset($conf->global->CONTRACT_EXCLUDE_SERVICES_STATUS_FOR_INVOICE)) { $conf->global->CONTRACT_EXCLUDE_SERVICES_STATUS_FOR_INVOICE = '5'; } - if ($srcobject->element == 'contrat' && in_array($lines[$i]->statut, explode(',', $conf->global->CONTRACT_EXCLUDE_SERVICES_STATUS_FOR_INVOICE))) { + if ($srcobject->element == 'contrat' && in_array($lines[$i]->statut, explode(',', getDolGlobalString('CONTRACT_EXCLUDE_SERVICES_STATUS_FOR_INVOICE')))) { continue; } @@ -1723,7 +1724,8 @@ if (empty($reshook)) { } } else { // Positive line - $product_type = ($lines[$i]->product_type ? $lines[$i]->product_type : 0); + // we keep first type from product if exist, otherwise we keep type from line (free line) and at last default Product + $product_type = $lines[$i]->product_type ?? ($lines[$i]->type ?? Product::TYPE_PRODUCT); // Date start $date_start = false; @@ -2216,6 +2218,10 @@ if (empty($reshook)) { if (!empty($price_ht) || $price_ht === '0') { $pu_ht = price2num($price_ht, 'MU'); $pu_ttc = price2num($pu_ht * (1 + ($tmpvat / 100)), 'MU'); + } elseif (!empty($price_ht_devise) || $price_ht_devise === '0') { + $pu_ht_devise = price2num($price_ht_devise, 'MU'); + $pu_ht = ''; + $pu_ttc = ''; } elseif (!empty($price_ttc) || $price_ttc === '0') { $pu_ttc = price2num($price_ttc, 'MU'); $pu_ht = price2num($pu_ttc / (1 + ($tmpvat / 100)), 'MU'); @@ -2251,7 +2257,7 @@ if (empty($reshook)) { $desc = $prod->description; } - //If text set in desc is the same as product descpription (as now it's preloaded) whe add it only one time + //If text set in desc is the same as product descpription (as now it's preloaded) we add it only one time if ($product_desc==$desc && getDolGlobalString('PRODUIT_AUTOFILL_DESC')) { $product_desc=''; } @@ -2307,8 +2313,10 @@ if (empty($reshook)) { $type = $prod->type; $fk_unit = $prod->fk_unit; } else { - $pu_ht = price2num($price_ht, 'MU'); - $pu_ttc = price2num($price_ttc, 'MU'); + if (!empty($price_ht)) $pu_ht = price2num($price_ht, 'MU'); + else $pu_ht = ''; + if (!empty($price_ttc)) $pu_ttc = price2num($price_ttc, 'MU'); + else $pu_ttc = ''; $tva_npr = (preg_match('/\*/', $tva_tx) ? 1 : 0); $tva_tx = str_replace('*', '', $tva_tx); if (empty($tva_tx)) { @@ -2334,8 +2342,8 @@ if (empty($reshook)) { $localtax1_tx = get_localtax($tva_tx, 1, $object->thirdparty, $mysoc, $tva_npr); $localtax2_tx = get_localtax($tva_tx, 2, $object->thirdparty, $mysoc, $tva_npr); - $pu_ht_devise = price2num(GETPOST('multicurrency_subprice'), '', 2); - $pu_ttc_devise = price2num(GETPOST('multicurrency_subprice_ttc'), '', 2); + $pu_ht_devise = price2num($price_ht_devise, '', 2); + $pu_ttc_devise = price2num($price_ttc_devise, '', 2); // Prepare a price equivalent for minimum price check $pu_equivalent = $pu_ht; @@ -2510,7 +2518,7 @@ if (empty($reshook)) { // Add buying price $fournprice = price2num(GETPOST('fournprice') ? GETPOST('fournprice') : ''); - $buyingprice = price2num(GETPOST('buying_price') != '' ? GETPOST('buying_price') : ''); // If buying_price is '0', we muste keep this value + $buyingprice = price2num(GETPOST('buying_price') != '' ? GETPOST('buying_price') : ''); // If buying_price is '0', we must keep this value // Prepare a price equivalent for minimum price check $pu_equivalent = $pu_ht; @@ -2757,7 +2765,7 @@ if (empty($reshook)) { $all_progress = GETPOST('all_progress', 'int'); foreach ($object->lines as $line) { $percent = $line->get_prev_progress($object->id); - if (floatval($all_progress) < floatval($percent)) { + if ((float) $all_progress < (float) $percent) { $mesg = $langs->trans("Line").' '.$i.' : '.$langs->trans("CantBeLessThanMinPercent"); setEventMessages($mesg, null, 'warnings'); $result = -1; @@ -2774,7 +2782,7 @@ if (empty($reshook)) { // Outing situation invoice from cycle $object->fetch($id, '', '', '', true); - if (in_array($object->statut, array(Facture::STATUS_CLOSED, Facture::STATUS_VALIDATED)) + if (in_array($object->status, array(Facture::STATUS_CLOSED, Facture::STATUS_VALIDATED)) && $object->type == Facture::TYPE_SITUATION && $usercancreate && !$objectidnext @@ -2818,7 +2826,7 @@ if (empty($reshook)) { $errors++; } - // Change each progression persent on each lines + // Change each progression percent on each lines foreach ($object->lines as $line) { // no traitement for special product if ($line->product_type == 9) { @@ -2872,7 +2880,7 @@ if (empty($reshook)) { } } elseif ($action == 'import_lines_from_object' && $usercancreate - && $object->statut == Facture::STATUS_DRAFT + && $object->status == Facture::STATUS_DRAFT && ($object->type == Facture::TYPE_STANDARD || $object->type == Facture::TYPE_REPLACEMENT || $object->type == Facture::TYPE_DEPOSIT || $object->type == Facture::TYPE_PROFORMA || $object->type == Facture::TYPE_SITUATION)) { // add lines from objectlinked $fromElement = GETPOST('fromelement'); @@ -3140,7 +3148,7 @@ if ($action == 'create') { $projectid = (!empty($projectid) ? $projectid : $objectsrc->fk_project); $ref_client = (!empty($objectsrc->ref_client) ? $objectsrc->ref_client : (!empty($objectsrc->ref_customer) ? $objectsrc->ref_customer : '')); - // only if socid not filled else it's allready done upper + // only if socid not filled else it's already done above if (empty($socid)) { $soc = $objectsrc->thirdparty; } @@ -3322,7 +3330,7 @@ if ($action == 'create') { print ''; - // Onwer + // Owner print ''; // Label - print ''; + print ''; // Date print '\n"; @@ -1435,14 +1435,14 @@ class FormFile } //print $file['path'].'/'.$smallfile.'
      '; - $urlforhref = getAdvancedPreviewUrl($modulepart, $relativepath.$fileinfo['filename'].'.'.strtolower($fileinfo['extension']), 1, '&entity='.(!empty($object->entity) ? $object->entity : $conf->entity)); + $urlforhref = getAdvancedPreviewUrl($modulepart, $relativepath.$fileinfo['filename'].'.'.strtolower($fileinfo['extension']), 1, '&entity='.(empty($object->entity) ? $conf->entity : $object->entity)); if (empty($urlforhref)) { - $urlforhref = DOL_URL_ROOT.'/viewimage.php?modulepart='.$modulepart.'&entity='.(!empty($object->entity) ? $object->entity : $conf->entity).'&file='.urlencode($relativepath.$fileinfo['filename'].'.'.strtolower($fileinfo['extension'])); + $urlforhref = DOL_URL_ROOT.'/viewimage.php?modulepart='.$modulepart.'&entity='.(empty($object->entity) ? $conf->entity : $object->entity).'&file='.urlencode($relativepath.$fileinfo['filename'].'.'.strtolower($fileinfo['extension'])); print ''; } else { print ''; } - print ''; + print ''; print ''; } else { print ' '; @@ -1643,7 +1643,7 @@ class FormFile * @param int $maxlength Maximum length of file name shown * @param string $url Full url to use for click links ('' = autodetect) * @param int $addfilterfields Add line with filters - * @return int <0 if KO, nb of files shown if OK + * @return int Return integer <0 if KO, nb of files shown if OK * @see list_of_documents() */ public function list_of_autoecmfiles($upload_dir, $filearray, $modulepart, $param, $forcedownload = 0, $relativepath = '', $permissiontodelete = 1, $useinecm = 0, $textifempty = '', $maxlength = 0, $url = '', $addfilterfields = 0) diff --git a/htdocs/core/class/html.formmail.class.php b/htdocs/core/class/html.formmail.class.php index de2086b3b2d..9592ed0a291 100644 --- a/htdocs/core/class/html.formmail.class.php +++ b/htdocs/core/class/html.formmail.class.php @@ -26,13 +26,13 @@ /** * \file htdocs/core/class/html.formmail.class.php * \ingroup core - * \brief Fichier de la classe permettant la generation du formulaire html d'envoi de mail unitaire + * \brief Fichier de la class permettant la generation du formulaire html d'envoi de mail unitaire */ require_once DOL_DOCUMENT_ROOT.'/core/class/html.form.class.php'; /** - * Classe permettant la generation du formulaire html d'envoi de mail unitaire + * Class permettant la generation du formulaire html d'envoi de mail unitaire * Usage: $formail = new FormMail($db) * $formmail->proprietes=1 ou chaine ou tableau de valeurs * $formmail->show_form() affiche le formulaire @@ -440,9 +440,9 @@ class FormMail extends Form if (GETPOST('mode', 'alpha') == 'init' || (GETPOST('modelselected') && GETPOST('modelmailselected', 'alpha') && GETPOST('modelmailselected', 'alpha') != '-1')) { if (!empty($arraydefaultmessage->joinfiles) && !empty($this->param['fileinit']) && is_array($this->param['fileinit'])) { - foreach ($this->param['fileinit'] as $file) { - if (!empty($file)) { - $this->add_attached_files($file, basename($file), dol_mimetype($file)); + foreach ($this->param['fileinit'] as $path) { + if (!empty($path)) { + $this->add_attached_files($path); } } } @@ -631,7 +631,7 @@ class FormMail extends Form // Also add robot email if (!empty($this->fromalsorobot)) { if (getDolGlobalString('MAIN_MAIL_EMAIL_FROM') && getDolGlobalString('MAIN_MAIL_EMAIL_FROM') != getDolGlobalString('MAIN_INFO_SOCIETE_MAIL')) { - $s = $conf->global->MAIN_MAIL_EMAIL_FROM; + $s = getDolGlobalString('MAIN_MAIL_EMAIL_FROM'); if ($this->frommail) { $s .= ' <' . getDolGlobalString('MAIN_MAIL_EMAIL_FROM').'>'; } @@ -708,7 +708,7 @@ class FormMail extends Form $out .= $langs->trans("MailToUsers"); $out .= ''; - // multiselect array convert html entities into options tags, even if we dont want this, so we encode them a second time + // multiselect array convert html entities into options tags, even if we don't want this, so we encode them a second time $tmparray = $this->withtoccuser; foreach ($tmparray as $key => $val) { $tmparray[$key] = dol_htmlentities($tmparray[$key], null, 'UTF-8', true); @@ -792,7 +792,7 @@ class FormMail extends Form // Ask delivery receipt if (!empty($this->withdeliveryreceipt) && getDolGlobalInt('MAIN_EMAIL_SUPPORT_ACK')) { - $out .= $this->getHtmlForDeliveryReceipt(); + $out .= $this->getHtmlForDeliveryreceipt(); } // Topic @@ -887,6 +887,11 @@ class FormMail extends Form $out .= "\n"; } + //input prompt AI + require_once DOL_DOCUMENT_ROOT.'/core/lib/admin.lib.php'; + if (isModEnabled('ai') && getDolGlobalString('AI_CHATGPT_API_KEY')) { + $out .= $this->getHtmlForInstruction(); + } // Message if (!empty($this->withbody)) { $defaultmessage = GETPOST('message', 'restricthtml'); @@ -1123,7 +1128,7 @@ class FormMail extends Form $tmparray[$key]['label'] = $label; $tmparray[$key]['label'] = str_replace(array('<', '>'), array('(', ')'), $tmparray[$key]['label']); - // multiselect array convert html entities into options tags, even if we dont want this, so we encode them a second time + // multiselect array convert html entities into options tags, even if we don't want this, so we encode them a second time $tmparray[$key]['label'] = dol_htmlentities($tmparray[$key]['label'], ENT_QUOTES|ENT_SUBSTITUTE, 'UTF-8', true); $tmparray[$key]['labelhtml'] = $label; @@ -1176,7 +1181,7 @@ class FormMail extends Form $tmparray[$key]['label'] = $label; $tmparray[$key]['label'] = str_replace(array('<', '>'), array('(', ')'), $tmparray[$key]['label']); - // multiselect array convert html entities into options tags, even if we dont want this, so we encode them a second time + // multiselect array convert html entities into options tags, even if we don't want this, so we encode them a second time $tmparray[$key]['label'] = dol_htmlentities($tmparray[$key]['label'], ENT_QUOTES|ENT_SUBSTITUTE, 'UTF-8', true); $tmparray[$key]['labelhtml'] = $label; @@ -1195,12 +1200,14 @@ class FormMail extends Form /** * get html For WithCCC + * This information is show when MAIN_EMAIL_USECCC is set. * * @return string html */ public function getHtmlForWithCcc() { - global $conf, $langs, $form; + global $langs, $form; + $out = ''; + $out .= ''; + + $out .= '\n"; + $out .= " + "; + return $out; + } + + + /** * Return templates of email with type = $type_template or type = 'all'. * This search into table c_email_templates. Used by the get_form function. @@ -1521,7 +1587,7 @@ class FormMail extends Form * @param string $type_template Get message for key module * @param User $user Use template public or limited to this user * @param Translate $outputlangs Output lang object - * @return int <0 if KO, + * @return int Return integer <0 if KO, */ public function isEMailTemplate($type_template, $user, $outputlangs) { @@ -1555,7 +1621,7 @@ class FormMail extends Form * @param User $user Use template public or limited to this user * @param Translate $outputlangs Output lang object * @param int $active 1=Only active template, 0=Only disabled, -1=All - * @return int <0 if KO, nb of records found if OK + * @return int Return integer <0 if KO, nb of records found if OK */ public function fetchAllEMailTemplate($type_template, $user, $outputlangs, $active = 1) { @@ -1721,7 +1787,7 @@ class FormMail extends Form $onlinepaymentenabled++; } if ($onlinepaymentenabled && getDolGlobalString('PAYMENT_SECURITY_TOKEN')) { - $tmparray['__SECUREKEYPAYMENT__'] = $conf->global->PAYMENT_SECURITY_TOKEN; + $tmparray['__SECUREKEYPAYMENT__'] = getDolGlobalString('PAYMENT_SECURITY_TOKEN'); if (getDolGlobalString('PAYMENT_SECURITY_TOKEN_UNIQUE')) { if (isModEnabled('adherent')) { $tmparray['__SECUREKEYPAYMENT_MEMBER__'] = 'SecureKeyPAYMENTUniquePerMember'; diff --git a/htdocs/core/class/html.formmargin.class.php b/htdocs/core/class/html.formmargin.class.php index 688f55aa0cb..fab8416ff2e 100644 --- a/htdocs/core/class/html.formmargin.class.php +++ b/htdocs/core/class/html.formmargin.class.php @@ -18,12 +18,12 @@ /** * \file htdocs/core/class/html.formmargin.class.php * \ingroup core - * \brief Fichier de la classe des fonctions predefinie de composants html autre + * \brief Fichier de la class des functions predefinie de composants html autre */ /** - * Classe permettant la generation de composants html autre + * Class permettant la generation de composants html autre * Only common components are here. */ class FormMargin @@ -98,7 +98,7 @@ class FormMargin } $pv = $line->total_ht; - // We choosed to have line->pa_ht always positive in database, so we guess the correct sign + // We chose to have line->pa_ht always positive in database, so we guess the correct sign $pa_ht = (($pv < 0 || ($pv == 0 && in_array($object->element, array('facture', 'facture_fourn')) && $object->type == $object::TYPE_CREDIT_NOTE)) ? -$line->pa_ht : $line->pa_ht); if (getDolGlobalInt('INVOICE_USE_SITUATION') == 1) { // Special case for old situation mode if (($object->element == 'facture' && $object->type == $object::TYPE_SITUATION) diff --git a/htdocs/core/class/html.formorder.class.php b/htdocs/core/class/html.formorder.class.php index ef4d8d68be7..82d80ba3336 100644 --- a/htdocs/core/class/html.formorder.class.php +++ b/htdocs/core/class/html.formorder.class.php @@ -31,7 +31,7 @@ require_once DOL_DOCUMENT_ROOT.'/core/class/html.form.class.php'; class FormOrder extends Form { /** - * Return combo list of differents status of a orders + * Return combo list of different statuses of orders * * @param string $selected Preselected value * @param int $short Use short labels diff --git a/htdocs/core/class/html.formother.class.php b/htdocs/core/class/html.formother.class.php index 9df01212214..5f4eb854b31 100644 --- a/htdocs/core/class/html.formother.class.php +++ b/htdocs/core/class/html.formother.class.php @@ -28,12 +28,12 @@ /** * \file htdocs/core/class/html.formother.class.php * \ingroup core - * \brief Fichier de la classe des fonctions predefinie de composants html autre + * \brief Fichier de la class des functions predefinie de composants html autre */ /** - * Classe permettant la generation de composants html autre + * Class permettant la generation de composants html autre * Only common components are here. */ class FormOther @@ -522,8 +522,17 @@ class FormOther if (!empty($user->socid)) { $sql_usr .= " AND u.fk_soc = ".((int) $user->socid); } + if (!empty($conf->global->USER_HIDE_NONEMPLOYEE_IN_COMBOBOX)) { + $sql_usr .= " AND u.employee <> 0"; + } + if (!empty($conf->global->USER_HIDE_EXTERNAL_IN_COMBOBOX)) { + $sql_usr .= " AND u.fk_soc IS NULL"; + } + if (!empty($conf->global->USER_HIDE_INACTIVE_IN_COMBOBOX)) { + $sql_usr .= " AND u.statut <> 0"; + } - //Add hook to filter on user (for exemple on usergroup define in custom modules) + //Add hook to filter on user (for example on usergroup define in custom modules) if (!empty($reshook)) { $sql_usr .= $hookmanager->resArray[0]; } @@ -546,7 +555,7 @@ class FormOther $sql_usr .= " AND u2.rowid = sc.fk_user AND sc.fk_soc = ".((int) $user->socid); - //Add hook to filter on user (for exemple on usergroup define in custom modules) + //Add hook to filter on user (for example on usergroup define in custom modules) if (!empty($reshook)) { $sql_usr .= $hookmanager->resArray[1]; } @@ -840,12 +849,12 @@ class FormOther * @param int $showcolorbox 1=Show color code and color box, 0=Show only color code * @param array $arrayofcolors Array of possible colors to choose in the selector. All colors are possible if empty. Example: array('29527A','5229A3','A32929','7A367A','B1365F','0D7813') * @param string $morecss Add css style into input field - * @param string $setpropertyonselect Set this property after selecting a color + * @param string $setpropertyonselect Set this CSS property after selecting a color * @param string $default Default color * @return string * @see showColor() */ - public static function selectColor($set_color = '', $prefix = 'f_color', $form_name = '', $showcolorbox = 1, $arrayofcolors = '', $morecss = '', $setpropertyonselect = '', $default = '') + public static function selectColor($set_color = '', $prefix = 'f_color', $form_name = '', $showcolorbox = 1, $arrayofcolors = array(), $morecss = '', $setpropertyonselect = '', $default = '') { // Deprecation warning if ($form_name) { @@ -1006,16 +1015,16 @@ class FormOther $color = substr($color, 1, 6); - $rouge = hexdec(substr($color, 0, 2)); //conversion du canal rouge - $vert = hexdec(substr($color, 2, 2)); //conversion du canal vert - $bleu = hexdec(substr($color, 4, 2)); //conversion du canal bleu + $red = hexdec(substr($color, 0, 2)); // Red channel conversion + $green = hexdec(substr($color, 2, 2)); // Green channel conversion + $blue = hexdec(substr($color, 4, 2)); // Blue channel conversion - $couleur = imagecolorallocate($image, $rouge, $vert, $bleu); - //print $rouge.$vert.$bleu; - imagefill($image, 0, 0, $couleur); //on remplit l'image - // On cree la couleur et on l'attribue a une variable pour ne pas la perdre - ImagePng($image, $file); //renvoie une image sous format png - ImageDestroy($image); + $couleur = imagecolorallocate($image, $red, $green, $blue); + //print $red.$green.$blue; + imagefill($image, 0, 0, $couleur); // Fill the image + // Create the colr and store it in a variable to maintain it + imagepng($image, $file); // Returns an image in PNG format + imagedestroy($image); } // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps @@ -1216,7 +1225,7 @@ class FormOther $confuserzone = 'MAIN_BOXES_'.$areacode; // $boxactivated will be array of boxes enabled into global setup - // $boxidactivatedforuser will be array of boxes choosed by user + // $boxidactivatedforuser will be array of boxes chose by user $selectboxlist = ''; $boxactivated = InfoBox::listBoxes($db, 'activated', $areacode, (empty($user->conf->$confuserzone) ? null : $user), array(), 0); // Search boxes of common+user (or common only if user has no specific setup) @@ -1364,7 +1373,7 @@ class FormOther // Define $box_max_lines $box_max_lines = 5; if (getDolGlobalString('MAIN_BOXES_MAXLINES')) { - $box_max_lines = $conf->global->MAIN_BOXES_MAXLINES; + $box_max_lines = getDolGlobalString('MAIN_BOXES_MAXLINES'); } $ii = 0; @@ -1469,7 +1478,7 @@ class FormOther } else { print ''; $i++; diff --git a/htdocs/core/class/html.formprojet.class.php b/htdocs/core/class/html.formprojet.class.php index 2c38d45cdd1..6e3f37d824c 100644 --- a/htdocs/core/class/html.formprojet.class.php +++ b/htdocs/core/class/html.formprojet.class.php @@ -186,7 +186,7 @@ class FormProjets extends Form if ($socid > 0) { if (!getDolGlobalString('PROJECT_ALLOW_TO_LINK_FROM_OTHER_COMPANY')) { $sql .= " AND (p.fk_soc=" . ((int) $socid) . " OR p.fk_soc IS NULL)"; - } elseif ($conf->global->PROJECT_ALLOW_TO_LINK_FROM_OTHER_COMPANY != 'all') { // PROJECT_ALLOW_TO_LINK_FROM_OTHER_COMPANY is 'all' or a list of ids separated by coma. + } elseif (getDolGlobalString('PROJECT_ALLOW_TO_LINK_FROM_OTHER_COMPANY') != 'all') { // PROJECT_ALLOW_TO_LINK_FROM_OTHER_COMPANY is 'all' or a list of ids separated by coma. $sql .= " AND (p.fk_soc IN (" . $this->db->sanitize(((int) $socid) . ", " . getDolGlobalString('PROJECT_ALLOW_TO_LINK_FROM_OTHER_COMPANY')) . ") OR p.fk_soc IS NULL)"; } } @@ -760,7 +760,7 @@ class FormProjets extends Form } /** - * Return combo list of differents status of a orders + * Return combo list of different statuses of orders * * @param string $selected Preselected value * @param int $short Use short labels diff --git a/htdocs/core/class/html.formpropal.class.php b/htdocs/core/class/html.formpropal.class.php index ef3312df0f3..3142b991aae 100644 --- a/htdocs/core/class/html.formpropal.class.php +++ b/htdocs/core/class/html.formpropal.class.php @@ -50,7 +50,7 @@ class FormPropal } /** - * Return combo list of differents status of a proposal + * Return combo list of different statuses of a proposal * Values are id of table c_propalst * * @param string $selected Preselected value diff --git a/htdocs/core/class/html.formsetup.class.php b/htdocs/core/class/html.formsetup.class.php index 6ef0df7fb8c..a33e095e116 100644 --- a/htdocs/core/class/html.formsetup.class.php +++ b/htdocs/core/class/html.formsetup.class.php @@ -82,6 +82,7 @@ class FormSetup */ public $errors = array(); + /** * Constructor * @@ -129,14 +130,16 @@ class FormSetup /** - * generateOutput + * Generate the form (in read or edit mode depending on $editMode) * * @param bool $editMode true will display output on edit mod - * @return string html output + * @param bool $hideTitle True to hide the first title line + * @return string Html output */ - public function generateOutput($editMode = false) + public function generateOutput($editMode = false, $hideTitle = false) { - global $hookmanager, $action, $langs; + global $hookmanager, $action; + require_once DOL_DOCUMENT_ROOT.'/core/class/html.form.class.php'; $parameters = array( @@ -165,7 +168,7 @@ class FormSetup } // generate output table - $out .= $this->generateTableOutput($editMode); + $out .= $this->generateTableOutput($editMode, $hideTitle); $reshook = $hookmanager->executeHooks('formSetupBeforeGenerateOutputButton', $parameters, $this, $action); // Note that $action and $object may have been modified by some hooks @@ -176,12 +179,12 @@ class FormSetup if ($reshook > 0) { return $hookmanager->resPrint; } elseif ($editMode) { - $out .= '
      '; // Todo : remove this
      by adding style to form-setup-button-container css class in all themes $out .= '
      '; // Todo : remove .center by adding style to form-setup-button-container css class in all themes $out.= $this->htmlOutputMoreButton; $out .= ''; // Todo fix dolibarr style for
      '; } @@ -198,10 +201,11 @@ class FormSetup /** * generateTableOutput * - * @param bool $editMode true will display output on edit mod - * @return string html output + * @param bool $editMode True will display output on edit modECM + * @param bool $hideTitle True to hide the first title line + * @return string Html output */ - public function generateTableOutput($editMode = false) + public function generateTableOutput($editMode = false, $hideTitle = false) { global $hookmanager, $action; require_once DOL_DOCUMENT_ROOT.'/core/class/html.form.class.php'; @@ -218,12 +222,14 @@ class FormSetup return $hookmanager->resPrint; } else { $out = '
      '; print $langs->trans('Frequency'); @@ -1595,17 +1595,17 @@ if ($action == 'create') { print '
      '; if ($action == 'auto_validate' || $object->frequency > 0) { - print $form->editfieldkey($langs->trans("StatusOfGeneratedInvoices"), 'auto_validate', $object->auto_validate, $object, $user->hasRight('facture', 'creer')); + print $form->editfieldkey($langs->trans("StatusOfAutoGeneratedInvoices"), 'auto_validate', $object->auto_validate, $object, $user->hasRight('facture', 'creer')); } else { - print $langs->trans("StatusOfGeneratedInvoices"); + print $langs->trans("StatusOfAutoGeneratedInvoices"); } print ''; $select = 'select;0:'.$langs->trans('BillStatusDraft').',1:'.$langs->trans('BillStatusValidated'); if ($action == 'auto_validate' || $object->frequency > 0) { - print $form->editfieldval($langs->trans("StatusOfGeneratedInvoices"), 'auto_validate', $object->auto_validate, $object, $user->hasRight('facture', 'creer'), $select); + print $form->editfieldval($langs->trans("StatusOfAutoGeneratedInvoices"), 'auto_validate', $object->auto_validate, $object, $user->hasRight('facture', 'creer'), $select); } print ''; $filter = '((s.client:IN:1,2,3) AND (s.status:=:1))'; print img_picto('', 'company', 'class="pictofixedwidth"').$form->select_company($soc->id, 'socid', $filter, 'SelectThirdParty', 1, 0, null, 0, 'minwidth300 widthcentpercentminusxx maxwidth500'); - // Option to reload page to retrieve customer informations. + // Option to reload page to retrieve customer information. if (!getDolGlobalString('RELOAD_PAGE_ON_CUSTOMER_CHANGE_DISABLED')) { print ''."\n"; * - * @param string $page Url of page to call if confirmation is OK. Can contains parameters (param 'action' and 'confirm' will be reformated) + * @param string $page Url of page to call if confirmation is OK. Can contains parameters (param 'action' and 'confirm' will be reformatted) * @param string $title Title * @param string $question Question * @param string $action Action @@ -5325,7 +5334,7 @@ class Form if ($i == 0) { $more .= '
      ' . $input['label'] . '
      '; } else { - $more .= '
       
      '; + $more .= '
       
      '; } } $more .= '
      0, include payment terms with deposit percentage (for objects other than invoices and invoice templates) - * @param string $deposit_percent < 0 : deposit_percent input makes no sense (for example, in list filters) + * @param int $deposit_percent < 0 : deposit_percent input makes no sense (for example, in list filters) * 0 : use default deposit percentage from entry * > 0 : force deposit percentage (for example, from company object) * @param int $nooutput No print is done. String is returned. @@ -5863,7 +5872,7 @@ class Form * @param array $include List of users id to include * @return void */ - public function form_users($page, $selected = '', $htmlname = 'userid', $exclude = '', $include = '') + public function form_users($page, $selected = '', $htmlname = 'userid', $exclude = array(), $include = array()) { // phpcs:enable global $langs; @@ -5894,7 +5903,7 @@ class Form * Show form with payment mode * * @param string $page Page - * @param int $selected Id mode pre-selectionne + * @param string $selected Id mode pre-selectionne * @param string $htmlname Name of select html field * @param string $filtertype To filter on field type in llx_c_paiement ('CRDT' or 'DBIT' or array('code'=>xx,'label'=>zz)) * @param int $active Active or not, -1 = all @@ -5940,7 +5949,7 @@ class Form * Show form with transport mode * * @param string $page Page - * @param int $selected Id mode pre-select + * @param string $selected Id mode pre-select * @param string $htmlname Name of select html field * @param int $active Active or not, -1 = all * @param int $addempty 1=Add empty entry @@ -6004,7 +6013,7 @@ class Form * @param string $currency Currency code to explain the rate * @return void */ - public function form_multicurrency_rate($page, $rate = '', $htmlname = 'multicurrency_tx', $currency = '') + public function form_multicurrency_rate($page, $rate = 0.0, $htmlname = 'multicurrency_tx', $currency = '') { // phpcs:enable global $langs, $mysoc, $conf; @@ -6039,7 +6048,7 @@ class Form * Show a select box with available absolute discounts * * @param string $page Page URL where form is shown - * @param int $selected Value pre-selected + * @param int $selected Value preselected * @param string $htmlname Name of SELECT component. If 'none', not changeable. Example 'remise_id'. * @param int $socid Third party id * @param float $amount Total amount available @@ -6062,7 +6071,7 @@ class Form if (!empty($discount_type)) { if (getDolGlobalString('FACTURE_SUPPLIER_DEPOSITS_ARE_JUST_PAYMENTS')) { if (!$filter || $filter == "fk_invoice_supplier_source IS NULL") { - $translationKey = 'HasAbsoluteDiscountFromSupplier'; // If we want deposit to be substracted to payments only and not to total of final invoice + $translationKey = 'HasAbsoluteDiscountFromSupplier'; // If we want deposit to be subtracted to payments only and not to total of final invoice } else { $translationKey = 'HasCreditNoteFromSupplier'; } @@ -6076,7 +6085,7 @@ class Form } else { if (getDolGlobalString('FACTURE_DEPOSITS_ARE_JUST_PAYMENTS')) { if (!$filter || $filter == "fk_facture_source IS NULL") { - $translationKey = 'CompanyHasAbsoluteDiscount'; // If we want deposit to be substracted to payments only and not to total of final invoice + $translationKey = 'CompanyHasAbsoluteDiscount'; // If we want deposit to be subtracted to payments only and not to total of final invoice } else { $translationKey = 'CompanyHasCreditNote'; } @@ -6142,7 +6151,7 @@ class Form * * @param string $page Page * @param Societe $societe Filter on third party - * @param int $selected Id contact pre-selectionne + * @param string $selected Id contact pre-selectionne * @param string $htmlname Name of HTML select. If 'none', we just show contact link. * @return void */ @@ -6250,7 +6259,7 @@ class Form * * @param string $selected preselected currency code * @param string $htmlname name of HTML select list - * @param string $mode 0 = Add currency symbol into label, 1 = Add 3 letter iso code + * @param int $mode 0 = Add currency symbol into label, 1 = Add 3 letter iso code * @param string $useempty '1'=Allow empty value * @return string */ @@ -6367,10 +6376,10 @@ class Form // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Load into the cache vat rates of a country + * Load into the cache ->cache_vatrates, all the vat rates of a country * - * @param string $country_code Country code with quotes ("'CA'", or "'CA,IN,...'") - * @return int Nb of loaded lines, 0 if already loaded, <0 if KO + * @param string $country_code Country code with quotes ("'CA'", or "'CA,IN,...'") + * @return int Nb of loaded lines, 0 if already loaded, <0 if KO */ public function load_cache_vatrates($country_code) { @@ -6384,8 +6393,8 @@ class Form dol_syslog(__METHOD__, LOG_DEBUG); - $sql = "SELECT DISTINCT t.rowid, t.code, t.taux, t.localtax1, t.localtax1_type, t.localtax2, t.localtax2_type, t.recuperableonly"; - $sql .= " FROM " . $this->db->prefix() . "c_tva as t, " . $this->db->prefix() . "c_country as c"; + $sql = "SELECT t.rowid, t.type_vat, t.code, t.taux, t.localtax1, t.localtax1_type, t.localtax2, t.localtax2_type, t.recuperableonly"; + $sql .= " FROM ".$this->db->prefix()."c_tva as t, ".$this->db->prefix()."c_country as c"; $sql .= " WHERE t.fk_pays = c.rowid"; $sql .= " AND t.active > 0"; $sql .= " AND t.entity IN (".getEntity('c_tva').")"; @@ -6398,17 +6407,19 @@ class Form if ($num) { for ($i = 0; $i < $num; $i++) { $obj = $this->db->fetch_object($resql); - $this->cache_vatrates[$i]['rowid'] = $obj->rowid; - $this->cache_vatrates[$i]['code'] = $obj->code; - $this->cache_vatrates[$i]['txtva'] = $obj->taux; - $this->cache_vatrates[$i]['nprtva'] = $obj->recuperableonly; - $this->cache_vatrates[$i]['localtax1'] = $obj->localtax1; - $this->cache_vatrates[$i]['localtax1_type'] = $obj->localtax1_type; - $this->cache_vatrates[$i]['localtax2'] = $obj->localtax2; - $this->cache_vatrates[$i]['localtax2_type'] = $obj->localtax1_type; - $this->cache_vatrates[$i]['label'] = $obj->taux . '%' . ($obj->code ? ' (' . $obj->code . ')' : ''); // Label must contains only 0-9 , . % or * - $this->cache_vatrates[$i]['labelallrates'] = $obj->taux . '/' . ($obj->localtax1 ? $obj->localtax1 : '0') . '/' . ($obj->localtax2 ? $obj->localtax2 : '0') . ($obj->code ? ' (' . $obj->code . ')' : ''); // Must never be used as key, only label + $tmparray = array(); + $tmparray['rowid'] = $obj->rowid; + $tmparray['type_vat'] = $obj->type_vat; + $tmparray['code'] = $obj->code; + $tmparray['txtva'] = $obj->taux; + $tmparray['nprtva'] = $obj->recuperableonly; + $tmparray['localtax1'] = $obj->localtax1; + $tmparray['localtax1_type'] = $obj->localtax1_type; + $tmparray['localtax2'] = $obj->localtax2; + $tmparray['localtax2_type'] = $obj->localtax1_type; + $tmparray['label'] = $obj->taux . '%' . ($obj->code ? ' (' . $obj->code . ')' : ''); // Label must contains only 0-9 , . % or * + $tmparray['labelallrates'] = $obj->taux . '/' . ($obj->localtax1 ? $obj->localtax1 : '0') . '/' . ($obj->localtax2 ? $obj->localtax2 : '0') . ($obj->code ? ' (' . $obj->code . ')' : ''); // Must never be used as key, only label $positiverates = ''; if ($obj->taux) { $positiverates .= ($positiverates ? '/' : '') . $obj->taux; @@ -6422,7 +6433,9 @@ class Form if (empty($positiverates)) { $positiverates = '0'; } - $this->cache_vatrates[$i]['labelpositiverates'] = $positiverates . ($obj->code ? ' (' . $obj->code . ')' : ''); // Must never be used as key, only label + $tmparray['labelpositiverates'] = $positiverates . ($obj->code ? ' (' . $obj->code . ')' : ''); // Must never be used as key, only label + + $this->cache_vatrates[$obj->rowid] = $tmparray; } return $num; @@ -6451,24 +6464,25 @@ class Form * Output an HTML select vat rate. * The name of this function should be selectVat. We keep bad name for compatibility purpose. * - * @param string $htmlname Name of HTML select field - * @param float|string $selectedrate Force preselected vat rate. Can be '8.5' or '8.5 (NOO)' for example. Use '' for no forcing. - * @param Societe $societe_vendeuse Thirdparty seller - * @param Societe $societe_acheteuse Thirdparty buyer - * @param int $idprod Id product. O if unknown of NA. - * @param int $info_bits Miscellaneous information on line (1 for NPR) - * @param int|string $type ''=Unknown, 0=Product, 1=Service (Used if idprod not defined) - * Si vendeur non assujeti a TVA, TVA par defaut=0. Fin de regle. - * Si le (pays vendeur = pays acheteur) alors la TVA par defaut=TVA du produit vendu. Fin de regle. - * Si (vendeur et acheteur dans Communaute europeenne) et bien vendu = moyen de transports neuf (auto, bateau, avion), TVA par defaut=0 (La TVA doit etre paye par l'acheteur au centre d'impots de son pays et non au vendeur). Fin de regle. - * Si vendeur et acheteur dans Communauté européenne et acheteur= particulier alors TVA par défaut=TVA du produit vendu. Fin de règle. - * Si vendeur et acheteur dans Communauté européenne et acheteur= entreprise alors TVA par défaut=0. Fin de règle. - * Sinon la TVA proposee par defaut=0. Fin de regle. - * @param bool $options_only Return HTML options lines only (for ajax treatment) - * @param int $mode 0=Use vat rate as key in combo list, 1=Add VAT code after vat rate into key, -1=Use id of vat line as key - * @return string + * @param string $htmlname Name of HTML select field + * @param float|string $selectedrate Force preselected vat rate. Can be '8.5' or '8.5 (NOO)' for example. Use '' for no forcing. + * @param Societe $societe_vendeuse Thirdparty seller + * @param Societe $societe_acheteuse Thirdparty buyer + * @param int $idprod Id product. O if unknown of NA. + * @param int $info_bits Miscellaneous information on line (1 for NPR) + * @param int|string $type ''=Unknown, 0=Product, 1=Service (Used if idprod not defined) + * If seller not subject to VAT, default VAT=0. End of rule. + * If (seller country==buyer country), then default VAT=product's VAT. End of rule. + * If (seller and buyer in EU) and sold product = new means of transportation (car, boat, airplane), default VAT =0 (VAT must be paid by the buyer to his country's tax office and not the seller). End of rule. + * If (seller and buyer in EU) and buyer=private person, then default VAT=VAT of sold product. End of rule. + * If (seller and buyer in EU) and buyer=company then default VAT =0. End of rule. + * Else, default proposed VAT==0. End of rule. + * @param bool $options_only Return HTML options lines only (for ajax treatment) + * @param int $mode 0=Use vat rate as key in combo list, 1=Add VAT code after vat rate into key, -1=Use id of vat line as key + * @param int $type_vat 0=All type, 1=VAT rate sale, 2=VAT rate purchase + * @return string */ - public function load_tva($htmlname = 'tauxtva', $selectedrate = '', $societe_vendeuse = '', $societe_acheteuse = '', $idprod = 0, $info_bits = 0, $type = '', $options_only = false, $mode = 0) + public function load_tva($htmlname = 'tauxtva', $selectedrate = '', $societe_vendeuse = null, $societe_acheteuse = null, $idprod = 0, $info_bits = 0, $type = '', $options_only = false, $mode = 0, $type_vat = 0) { // phpcs:enable global $langs, $conf, $mysoc; @@ -6512,14 +6526,31 @@ class Form } if (getDolGlobalString('SERVICE_ARE_ECOMMERCE_200238EC')) { // If option to have vat for end customer for services is on require_once DOL_DOCUMENT_ROOT . '/core/lib/company.lib.php'; - if (!isInEEC($societe_vendeuse) && (!is_object($societe_acheteuse) || (isInEEC($societe_acheteuse) && !$societe_acheteuse->isACompany()))) { + // If SERVICE_ARE_ECOMMERCE_200238EC=1 combo list vat rate of purchaser and seller countries + // If SERVICE_ARE_ECOMMERCE_200238EC=2 combo list only the vat rate of the purchaser country + $selectVatComboMode = getDolGlobalString('SERVICE_ARE_ECOMMERCE_200238EC'); + if (isInEEC($societe_vendeuse) && isInEEC($societe_acheteuse) && !$societe_acheteuse->isACompany()) { // We also add the buyer country code if (is_numeric($type)) { if ($type == 1) { // We know product is a service - $code_country .= ",'" . $societe_acheteuse->country_code . "'"; + switch ($selectVatComboMode) { + case '1': + $code_country .= ",'" . $societe_acheteuse->country_code . "'"; + break; + case '2': + $code_country = "'" . $societe_acheteuse->country_code . "'"; + break; + } } } elseif (!$idprod) { // We don't know type of product - $code_country .= ",'" . $societe_acheteuse->country_code . "'"; + switch ($selectVatComboMode) { + case '1': + $code_country .= ",'" . $societe_acheteuse->country_code . "'"; + break; + case '2': + $code_country = "'" . $societe_acheteuse->country_code . "'"; + break; + } } else { $prodstatic = new Product($this->db); $prodstatic->fetch($idprod); @@ -6530,8 +6561,18 @@ class Form } } - // Now we get list - $num = $this->load_cache_vatrates($code_country); // If no vat defined, return -1 with message into this->error + // Now we load the list of VAT + $this->load_cache_vatrates($code_country); // If no vat defined, return -1 with message into this->error + + // Keep only the VAT qualified for $type_vat + $arrayofvatrates = array(); + foreach ($this->cache_vatrates as $cachevalue) { + if (empty($cachevalue['type_vat']) || $cachevalue['type_vat'] != $type_vat) { + $arrayofvatrates[] = $cachevalue; + } + } + + $num = count($arrayofvatrates); if ($num > 0) { // Definition du taux a pre-selectionner (si defaulttx non force et donc vaut -1 ou '') @@ -6555,12 +6596,12 @@ class Form if ($defaulttx < 0 || dol_strlen($defaulttx) == 0) { if (!getDolGlobalString('MAIN_VAT_DEFAULT_IF_AUTODETECT_FAILS')) { // We take the last one found in list - $defaulttx = $this->cache_vatrates[$num - 1]['txtva']; + $defaulttx = $arrayofvatrates[$num - 1]['txtva']; } else { // We will use the rate defined into MAIN_VAT_DEFAULT_IF_AUTODETECT_FAILS $defaulttx = ''; - if ($conf->global->MAIN_VAT_DEFAULT_IF_AUTODETECT_FAILS != 'none') { - $defaulttx = $conf->global->MAIN_VAT_DEFAULT_IF_AUTODETECT_FAILS; + if (getDolGlobalString('MAIN_VAT_DEFAULT_IF_AUTODETECT_FAILS') != 'none') { + $defaulttx = getDolGlobalString('MAIN_VAT_DEFAULT_IF_AUTODETECT_FAILS'); } if (preg_match('/\((.*)\)/', $defaulttx, $reg)) { $defaultcode = $reg[1]; @@ -6586,7 +6627,7 @@ class Form } $selectedfound = false; - foreach ($this->cache_vatrates as $rate) { + foreach ($arrayofvatrates as $rate) { // Keep only 0 if seller is not subject to VAT if ($disabled && $rate['txtva'] != 0) { continue; @@ -6647,13 +6688,13 @@ class Form // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Show a HTML widget to input a date or combo list for day, month, years and optionaly hours and minutes. + * Show a HTML widget to input a date or combo list for day, month, years and optionally hours and minutes. * Fields are preselected with : * - set_time date (must be a local PHP server timestamp or string date with format 'YYYY-MM-DD' or 'YYYY-MM-DD HH:MM') * - local date in user area, if set_time is '' (so if set_time is '', output may differs when done from two different location) * - Empty (fields empty), if set_time is -1 (in this case, parameter empty must also have value 1) * - * @param integer $set_time Pre-selected date (must be a local PHP server timestamp), -1 to keep date not preselected, '' to use current date with 00:00 hour (Parameter 'empty' must be 0 or 2). + * @param integer|string $set_time Pre-selected date (must be a local PHP server timestamp), -1 to keep date not preselected, '' to use current date with 00:00 hour (Parameter 'empty' must be 0 or 2). * @param string $prefix Prefix for fields name * @param int $h 1 or 2=Show also hours (2=hours on a new line), -1 has same effect but hour and minutes are prefilled with 23:59 if date is empty, 3 show hour always empty * @param int $m 1=Show also minutes, -1 has same effect but hour and minutes are prefilled with 23:59 if date is empty, 3 show minutes always empty @@ -6670,7 +6711,7 @@ class Form * @deprecated * @see selectDate(), form_date(), select_month(), select_year(), select_dayofweek() */ - public function select_date($set_time = '', $prefix = 're', $h = 0, $m = 0, $empty = 0, $form_name = "", $d = 1, $addnowlink = 0, $nooutput = 0, $disabled = 0, $fullday = '', $addplusone = '', $adddateof = '') + public function select_date($set_time = '', $prefix = 're', $h = 0, $m = 0, $empty = 0, $form_name = "", $d = 1, $addnowlink = 0, $nooutput = 0, $disabled = 0, $fullday = 0, $addplusone = '', $adddateof = '') { // phpcs:enable dol_syslog(__METHOD__ . ': using select_date is deprecated. Use selectDate instead.', LOG_WARNING); @@ -6684,17 +6725,17 @@ class Form } /** - * Show 2 HTML widget to input a date or combo list for day, month, years and optionaly hours and minutes. + * Show 2 HTML widget to input a date or combo list for day, month, years and optionally hours and minutes. * Fields are preselected with : * - set_time date (must be a local PHP server timestamp or string date with format 'YYYY-MM-DD' or 'YYYY-MM-DD HH:MM') * - local date in user area, if set_time is '' (so if set_time is '', output may differs when done from two different location) * - Empty (fields empty), if set_time is -1 (in this case, parameter empty must also have value 1) * - * @param integer $set_time Pre-selected date (must be a local PHP server timestamp), -1 to keep date not preselected, '' to use current date with 00:00 hour (Parameter 'empty' must be 0 or 2). - * @param integer $set_time_end Pre-selected date (must be a local PHP server timestamp), -1 to keep date not preselected, '' to use current date with 00:00 hour (Parameter 'empty' must be 0 or 2). + * @param integer|string $set_time Pre-selected date (must be a local PHP server timestamp), -1 to keep date not preselected, '' to use current date with 00:00 hour (Parameter 'empty' must be 0 or 2). + * @param integer|string $set_time_end Pre-selected date (must be a local PHP server timestamp), -1 to keep date not preselected, '' to use current date with 00:00 hour (Parameter 'empty' must be 0 or 2). * @param string $prefix Prefix for fields name - * @param string $empty 0=Fields required, 1=Empty inputs are allowed, 2=Empty inputs are allowed for hours only - * @param string $forcenewline Force new line between the 2 dates. + * @param int $empty 0=Fields required, 1=Empty inputs are allowed, 2=Empty inputs are allowed for hours only + * @param int $forcenewline Force new line between the 2 dates. * @return string Html for selectDate * @see form_date(), select_month(), select_year(), select_dayofweek() */ @@ -6711,7 +6752,7 @@ class Form } /** - * Show a HTML widget to input a date or combo list for day, month, years and optionaly hours and minutes. + * Show a HTML widget to input a date or combo list for day, month, years and optionally hours and minutes. * Fields are preselected with : * - set_time date (must be a local PHP server timestamp or string date with format 'YYYY-MM-DD' or 'YYYY-MM-DD HH:MM') * - local date in user area, if set_time is '' (so if set_time is '', output may differs when done from two different location) @@ -6726,7 +6767,7 @@ class Form * @param int $d 1=Show days, month, years * @param int $addnowlink Add a link "Now", 1 with server time, 2 with local computer time * @param int $disabled Disable input fields - * @param int $fullday When a checkbox with id #fullday is checked, hours are set with 00:00 (if value if 'fulldaystart') or 23:59 (if value is 'fulldayend') + * @param int|string $fullday When a checkbox with id #fullday is checked, hours are set with 00:00 (if value if 'fulldaystart') or 23:59 (if value is 'fulldayend') * @param string $addplusone Add a link "+1 hour". Value must be name of another selectDate field. * @param int|string|array $adddateof Add a link "Date of ..." using the following date. Must be array(array('adddateof'=>..., 'labeladddateof'=>...)) * @param string $openinghours Specify hour start and hour end for the select ex 8,20 @@ -6823,7 +6864,7 @@ class Form // You can set MAIN_POPUP_CALENDAR to 'eldy' or 'jquery' $usecalendar = 'combo'; - if (!empty($conf->use_javascript_ajax) && (!getDolGlobalString('MAIN_POPUP_CALENDAR') || $conf->global->MAIN_POPUP_CALENDAR != "none")) { + if (!empty($conf->use_javascript_ajax) && (!getDolGlobalString('MAIN_POPUP_CALENDAR') || getDolGlobalString('MAIN_POPUP_CALENDAR') != "none")) { $usecalendar = ((!getDolGlobalString('MAIN_POPUP_CALENDAR') || getDolGlobalString('MAIN_POPUP_CALENDAR') == 'eldy') ? 'jquery' : $conf->global->MAIN_POPUP_CALENDAR); } @@ -7222,7 +7263,7 @@ class Form * Function to show a form to select a duration on a page * * @param string $prefix Prefix for input fields - * @param int $iSecond Default preselected duration (number of seconds or '') + * @param int|string $iSecond Default preselected duration (number of seconds or '') * @param int $disabled Disable the combo box * @param string $typehour If 'select' then input hour and input min is a combo, * If 'text' input hour is in text and input min is a text, @@ -7312,7 +7353,7 @@ class Form /** * Return list of tickets in Ajax if Ajax activated or go to selectTicketsList * - * @param int $selected Preselected tickets + * @param string $selected Preselected tickets * @param string $htmlname Name of HTML select field (must be unique in page). * @param string $filtertype To add a filter * @param int $limit Limit on number of returned lines @@ -7325,7 +7366,7 @@ class Form * @param int $forcecombo Force to use combo box * @param string $morecss Add more css on select * @param array $selected_combinations Selected combinations. Format: array([attrid] => attrval, [...]) - * @param string $nooutput No print, return the output into a string + * @param int $nooutput No print, return the output into a string * @return string */ public function selectTickets($selected = '', $htmlname = 'ticketid', $filtertype = '', $limit = 0, $status = 1, $selected_input_value = '', $hidelabel = 0, $ajaxoptions = array(), $socid = 0, $showempty = '1', $forcecombo = 0, $morecss = '', $selected_combinations = null, $nooutput = 0) @@ -7382,7 +7423,7 @@ class Form * Return list of tickets. * Called by selectTickets. * - * @param int $selected Preselected ticket + * @param string $selected Preselected ticket * @param string $htmlname Name of select html * @param string $filtertype Filter on ticket type * @param int $limit Limit on number of returned lines @@ -7538,7 +7579,7 @@ class Form /** * Return list of projects in Ajax if Ajax activated or go to selectTicketsList * - * @param int $selected Preselected tickets + * @param string $selected Preselected tickets * @param string $htmlname Name of HTML select field (must be unique in page). * @param string $filtertype To add a filter * @param int $limit Limit on number of returned lines @@ -7551,7 +7592,7 @@ class Form * @param int $forcecombo Force to use combo box * @param string $morecss Add more css on select * @param array $selected_combinations Selected combinations. Format: array([attrid] => attrval, [...]) - * @param string $nooutput No print, return the output into a string + * @param int $nooutput No print, return the output into a string * @return string */ public function selectProjects($selected = '', $htmlname = 'projectid', $filtertype = '', $limit = 0, $status = 1, $selected_input_value = '', $hidelabel = 0, $ajaxoptions = array(), $socid = 0, $showempty = '1', $forcecombo = 0, $morecss = '', $selected_combinations = null, $nooutput = 0) @@ -7607,7 +7648,7 @@ class Form * Return list of projects. * Called by selectProjects. * - * @param int $selected Preselected project + * @param string $selected Preselected project * @param string $htmlname Name of select html * @param string $filtertype Filter on project type * @param int $limit Limit on number of returned lines @@ -7767,7 +7808,7 @@ class Form /** * Return list of members in Ajax if Ajax activated or go to selectTicketsList * - * @param int $selected Preselected tickets + * @param string $selected Preselected tickets * @param string $htmlname Name of HTML select field (must be unique in page). * @param string $filtertype To add a filter * @param int $limit Limit on number of returned lines @@ -7780,7 +7821,7 @@ class Form * @param int $forcecombo Force to use combo box * @param string $morecss Add more css on select * @param array $selected_combinations Selected combinations. Format: array([attrid] => attrval, [...]) - * @param string $nooutput No print, return the output into a string + * @param int $nooutput No print, return the output into a string * @return string */ public function selectMembers($selected = '', $htmlname = 'adherentid', $filtertype = '', $limit = 0, $status = 1, $selected_input_value = '', $hidelabel = 0, $ajaxoptions = array(), $socid = 0, $showempty = '1', $forcecombo = 0, $morecss = '', $selected_combinations = null, $nooutput = 0) @@ -7840,7 +7881,7 @@ class Form * Return list of adherents. * Called by selectMembers. * - * @param int $selected Preselected adherent + * @param string $selected Preselected adherent * @param string $htmlname Name of select html * @param string $filtertype Filter on adherent type * @param int $limit Limit on number of returned lines @@ -8000,62 +8041,101 @@ class Form * Can use autocomplete with ajax after x key pressed or a full combo, depending on setup. * This is the generic method that will replace all specific existing methods. * - * @param string $objectdesc ObjectClass:PathToClass[:AddCreateButtonOrNot[:Filter[:Sortfield]]] - * @param string $htmlname Name of HTML select component - * @param int $preselectedvalue Preselected value (ID of element) - * @param string $showempty ''=empty values not allowed, 'string'=value show if we allow empty values (for example 'All', ...) - * @param string $searchkey Search criteria - * @param string $placeholder Place holder - * @param string $morecss More CSS - * @param string $moreparams More params provided to ajax call - * @param int $forcecombo Force to load all values and output a standard combobox (with no beautification) - * @param int $disabled 1=Html component is disabled - * @param string $selected_input_value Value of preselected input text (for use with ajax) - * @return string Return HTML string + * @param string $objectdesc 'ObjectClass:PathToClass[:AddCreateButtonOrNot[:Filter[:Sortfield]]]'. For hard coded custom needs. Try to prefer method using $objectfield instead of $objectdesc. + * @param string $htmlname Name of HTML select component + * @param int $preselectedvalue Preselected value (ID of element) + * @param string $showempty ''=empty values not allowed, 'string'=value show if we allow empty values (for example 'All', ...) + * @param string $searchkey Search criteria + * @param string $placeholder Place holder + * @param string $morecss More CSS + * @param string $moreparams More params provided to ajax call + * @param int $forcecombo Force to load all values and output a standard combobox (with no beautification) + * @param int $disabled 1=Html component is disabled + * @param string $selected_input_value Value of preselected input text (for use with ajax) + * @param string $objectfield Object:Field that contains the definition (in table $fields or $extrafields). Example: 'Object:xxx' or 'Module_Object:xxx' or 'Object:options_xxx' or 'Module_Object:options_xxx' + * @return string Return HTML string * @see selectForFormsList(), select_thirdparty_list() */ - public function selectForForms($objectdesc, $htmlname, $preselectedvalue, $showempty = '', $searchkey = '', $placeholder = '', $morecss = '', $moreparams = '', $forcecombo = 0, $disabled = 0, $selected_input_value = '') + public function selectForForms($objectdesc, $htmlname, $preselectedvalue, $showempty = '', $searchkey = '', $placeholder = '', $morecss = '', $moreparams = '', $forcecombo = 0, $disabled = 0, $selected_input_value = '', $objectfield = '') { - global $conf, $user; + global $conf, $extrafields, $user; + $objectdescorig = $objectdesc; $objecttmp = null; + $InfoFieldList = array(); - // Example of value for $objectdec: - // Bom:bom/class/bom.class.php:0:t.status=1 - // Bom:bom/class/bom.class.php:0:t.status=1:ref - // Bom:bom/class/bom.class.php:0:(t.status:=:1):ref - $InfoFieldList = explode(":", $objectdesc, 4); - $vartmp = (empty($InfoFieldList[3]) ? '' : $InfoFieldList[3]); - $reg = array(); - if (preg_match('/^.*:(\w*)$/', $vartmp, $reg)) { - $InfoFieldList[4] = $reg[1]; // take the sort field - } - $InfoFieldList[3] = preg_replace('/:\w*$/', '', $vartmp); // take the filter field + if ($objectfield) { // We must retrieve the objectdesc from the field or extrafield + // Example: $objectfield = 'product:options_package' + $tmparray = explode(':', $objectfield); + $objectdesc = ''; - $classname = $InfoFieldList[0]; - $classpath = $InfoFieldList[1]; - $addcreatebuttonornot = empty($InfoFieldList[2]) ? 0 : $InfoFieldList[2]; - $filter = empty($InfoFieldList[3]) ? '' : $InfoFieldList[3]; - $sortfield = empty($InfoFieldList[4]) ? '' : $InfoFieldList[4]; + // Load object according to $id and $element + $objectforfieldstmp = fetchObjectByElement(0, strtolower($tmparray[0])); - if (!empty($classpath)) { - dol_include_once($classpath); + $reg = array(); + if (preg_match('/^options_(.*)$/', $tmparray[1], $reg)) { + // For a property in extrafields + $key = $reg[1]; + // fetch optionals attributes and labels + $extrafields->fetch_name_optionals_label($objectforfieldstmp->table_element); - if ($classname && class_exists($classname)) { - $objecttmp = new $classname($this->db); - - // Make some replacement - $sharedentities = getEntity(strtolower($classname)); - $filter = str_replace( - array('__ENTITY__', '__SHARED_ENTITIES__', '__USER_ID__'), - array($conf->entity, $sharedentities, $user->id), - $filter - ); + if (!empty($extrafields->attributes[$objectforfieldstmp->table_element]['type'][$key]) && $extrafields->attributes[$objectforfieldstmp->table_element]['type'][$key] == 'link') { + if (!empty($extrafields->attributes[$objectforfieldstmp->table_element]['param'][$key]['options'])) { + $tmpextrafields = array_keys($extrafields->attributes[$objectforfieldstmp->table_element]['param'][$key]['options']); + $objectdesc = $tmpextrafields[0]; + } + } + } else { + // For a property in ->fields + $objectdesc = $objectforfieldstmp->fields[$tmparray[1]]['type']; + $objectdesc = preg_replace('/^integer[^:]*:/', '', $objectdesc); } } + + if ($objectdesc) { + // Example of value for $objectdesc: + // Bom:bom/class/bom.class.php:0:t.status=1 + // Bom:bom/class/bom.class.php:0:t.status=1:ref + // Bom:bom/class/bom.class.php:0:(t.status:=:1) OR (t.field2:=:2):ref + $InfoFieldList = explode(":", $objectdesc, 4); + $vartmp = (empty($InfoFieldList[3]) ? '' : $InfoFieldList[3]); + $reg = array(); + if (preg_match('/^.*:(\w*)$/', $vartmp, $reg)) { + $InfoFieldList[4] = $reg[1]; // take the sort field + } + $InfoFieldList[3] = preg_replace('/:\w*$/', '', $vartmp); // take the filter field + + $classname = $InfoFieldList[0]; + $classpath = $InfoFieldList[1]; + //$addcreatebuttonornot = empty($InfoFieldList[2]) ? 0 : $InfoFieldList[2]; + $filter = empty($InfoFieldList[3]) ? '' : $InfoFieldList[3]; + $sortfield = empty($InfoFieldList[4]) ? '' : $InfoFieldList[4]; + + // Load object according to $id and $element + $objecttmp = fetchObjectByElement(0, strtolower($InfoFieldList[0])); + + // Fallback to another solution to get $objecttmp + if (empty($objecttmp) && !empty($classpath)) { + dol_include_once($classpath); + + if ($classname && class_exists($classname)) { + $objecttmp = new $classname($this->db); + } + } + } + + // Make some replacement in $filter. May not be used if we used the ajax mode with $objectfield. In such a case + // we propagate the $objectfield and not the filter and replacement is done by the ajax/selectobject.php component. + $sharedentities = getEntity($objecttmp->element); + $filter = str_replace( + array('__ENTITY__', '__SHARED_ENTITIES__', '__USER_ID__'), + array($conf->entity, $sharedentities, $user->id), + $filter + ); + if (!is_object($objecttmp)) { - dol_syslog('Error bad setup of type for field ' . join(',', $InfoFieldList), LOG_WARNING); - return 'Error bad setup of type for field ' . join(',', $InfoFieldList); + dol_syslog('selectForForms: Error bad setup of field objectdescorig=' . $objectdescorig.', objectfield='.$objectfield, LOG_WARNING); + return 'selectForForms: Error bad setup of field objectdescorig=' . $objectdescorig.', objectfield='.$objectfield; } //var_dump($filter); @@ -8069,6 +8149,8 @@ class Form $confkeyforautocompletemode = strtoupper($prefixforautocompletemode) . '_USE_SEARCH_TO_SELECT'; // For example COMPANY_USE_SEARCH_TO_SELECT dol_syslog(get_class($this) . "::selectForForms filter=" . $filter, LOG_DEBUG); + + // Generate the combo HTML component $out = ''; if (!empty($conf->use_javascript_ajax) && getDolGlobalString($confkeyforautocompletemode) && !$forcecombo) { // No immediate load of all database @@ -8079,13 +8161,12 @@ class Form //unset($objecttmp); } - $objectdesc = $classname . ':' . $classpath . ':' . $addcreatebuttonornot . ':' . $filter; + // Set url and param to call to get json of the search results $urlforajaxcall = DOL_URL_ROOT . '/core/ajax/selectobject.php'; + $urloption = 'htmlname=' . urlencode($htmlname) . '&outjson=1&objectdesc=' . urlencode($objectdescorig) . '&objectfield='.urlencode($objectfield) . ($sortfield ? '&sortfield=' . urlencode($sortfield) : ''); - // No immediate load of all database - $urloption = 'htmlname=' . urlencode($htmlname) . '&outjson=1&objectdesc=' . urlencode($objectdesc) . '&filter=' . urlencode($filter) . ($sortfield ? '&sortfield=' . urlencode($sortfield) : ''); // Activate the auto complete using ajax call. - $out .= ajax_autocompleter($preselectedvalue, $htmlname, $urlforajaxcall, $urloption, $conf->global->$confkeyforautocompletemode, 0, array()); + $out .= ajax_autocompleter($preselectedvalue, $htmlname, $urlforajaxcall, $urloption, getDolGlobalString($confkeyforautocompletemode), 0, array()); $out .= ''; $out .= ''; } else { @@ -8101,7 +8182,7 @@ class Form * Output html form to select an object. * Note, this function is called by selectForForms or by ajax selectobject.php * - * @param Object $objecttmp Object to knwo the table to scan for combo. + * @param Object $objecttmp Object to know the table to scan for combo. * @param string $htmlname Name of HTML select component * @param int $preselectedvalue Preselected value (ID of element) * @param string $showempty ''=empty values not allowed, 'string'=value show if we allow empty values (for example 'All', ...) @@ -8113,13 +8194,13 @@ class Form * @param int $outputmode 0=HTML select string, 1=Array * @param int $disabled 1=Html component is disabled * @param string $sortfield Sort field - * @param string $filter Add more filter + * @param string $filter Add more filter (Universal Search Filter) * @return string|array Return HTML string * @see selectForForms() */ public function selectForFormsList($objecttmp, $htmlname, $preselectedvalue, $showempty = '', $searchkey = '', $placeholder = '', $morecss = '', $moreparams = '', $forcecombo = 0, $outputmode = 0, $disabled = 0, $sortfield = '', $filter = '') { - global $conf, $langs, $user, $hookmanager; + global $langs, $user, $hookmanager; //print "$htmlname, $preselectedvalue, $showempty, $searchkey, $placeholder, $morecss, $moreparams, $forcecombo, $outputmode, $disabled"; @@ -8174,7 +8255,7 @@ class Form $sql .= " INNER JOIN " . $this->db->prefix() . $tmparray[1] . " as parenttable ON parenttable.rowid = t." . $tmparray[0]; } if ($objecttmp->ismultientitymanaged === 'fk_soc@societe') { - if (!$user->hasRight('societe', 'client', 'voir') && !$user->socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", " . $this->db->prefix() . "societe_commerciaux as sc"; } } @@ -8208,7 +8289,7 @@ class Form } } if ($objecttmp->ismultientitymanaged === 'fk_soc@societe') { - if (!$user->hasRight('societe', 'client', 'voir') && !$user->socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND t.rowid = sc.fk_soc AND sc.fk_user = " . ((int) $user->id); } } @@ -8233,13 +8314,13 @@ class Form $resql = $this->db->query($sql); if ($resql) { // Construct $out and $outarray - $out .= '' . "\n"; // Warning: Do not use textifempty = ' ' or ' ' here, or search on key will search on ' key'. Seems it is no more true with selec2 v4 $textifempty = ' '; //if (!empty($conf->use_javascript_ajax) || $forcecombo) $textifempty=''; - if (!empty($conf->global->$confkeyforautocompletemode)) { + if (getDolGlobalInt($confkeyforautocompletemode)) { if ($showempty && !is_numeric($showempty)) { $textifempty = $langs->trans($showempty); } else { @@ -8289,7 +8370,7 @@ class Form if (!$forcecombo) { include_once DOL_DOCUMENT_ROOT . '/core/lib/ajax.lib.php'; - $out .= ajax_combobox($htmlname, null, (!empty($conf->global->$confkeyforautocompletemode) ? $conf->global->$confkeyforautocompletemode : 0)); + $out .= ajax_combobox($htmlname, null, getDolGlobalInt($confkeyforautocompletemode, 0)); } } else { dol_print_error($this->db); @@ -8449,10 +8530,6 @@ class Form $out .= ajax_combobox($idname, array(), 0, 0, 'resolve', (((int) $show_empty) < 0 ? (string) $show_empty : '-1'), $morecss); } - - - - return $out; } @@ -8694,7 +8771,7 @@ class Form * @param int $translate Translate and encode value * @param int|string $width Force width of select box. May be used only when using jquery couch. Example: 250, '95%' * @param string $moreattrib Add more options on select component. Example: 'disabled' - * @param string $elemtype Type of element we show ('category', ...). Will execute a formating function on it. To use in readonly mode if js component support HTML formatting. + * @param string $elemtype Type of element we show ('category', ...). Will execute a formatting function on it. To use in readonly mode if js component support HTML formatting. * @param string $placeholder String to use as placeholder * @param int $addjscombo Add js combo * @return string HTML multiselect string @@ -8715,10 +8792,16 @@ class Form } $useenhancedmultiselect = 0; - if (!empty($conf->use_javascript_ajax) && getDolGlobalString('MAIN_USE_JQUERY_MULTISELECT') || defined('REQUIRE_JQUERY_MULTISELECT')) { - $useenhancedmultiselect = 1; + if (!empty($conf->use_javascript_ajax) && (getDolGlobalString('MAIN_USE_JQUERY_MULTISELECT') || defined('REQUIRE_JQUERY_MULTISELECT'))) { + if ($addjscombo) { + $useenhancedmultiselect = 1; // Use the js multiselect in one line. Possible only if $addjscombo not 0. + } } + // We need a hidden field because when using the multiselect, if we unselect all, there is no + // variable submitted at all, so no way to make a difference between variable not submitted and variable + // submitted to nothing. + $out .= ''; // Output select component $out .= ''; + + $out .= ajax_combobox('select_'.$htmlname); } else { dol_print_error($this->db); } @@ -10324,7 +10412,7 @@ class Form * Output a combo list with invoices qualified for a third party * * @param int $socid Id third party (-1=all, 0=only projects not linked to a third party, id=projects not linked or linked to third party id) - * @param int $selected Id invoice preselected + * @param string $selected Id invoice preselected * @param string $htmlname Name of HTML select * @param int $maxlength Maximum length of label * @param int $option_only Return only html options lines without the select tag @@ -10475,7 +10563,7 @@ class Form /** * Output a combo list with invoices qualified for a third party * - * @param int $selected Id invoice preselected + * @param string $selected Id invoice preselected * @param string $htmlname Name of HTML select * @param int $maxlength Maximum length of label * @param int $option_only Return only html options lines without the select tag @@ -10570,10 +10658,10 @@ class Form /** * Output the component to make advanced search criteries * - * @param array $arrayofcriterias Array of available search criterias. Example: array($object->element => $object->fields, 'otherfamily' => otherarrayoffields, ...) - * @param array $search_component_params Array of selected search criterias + * @param array $arrayofcriterias Array of available search criteria. Example: array($object->element => $object->fields, 'otherfamily' => otherarrayoffields, ...) + * @param array $search_component_params Array of selected search criteria * @param array $arrayofinputfieldsalreadyoutput Array of input fields already inform. The component will not generate a hidden input field if it is in this list. - * @param string $search_component_params_hidden String with $search_component_params criterias + * @param string $search_component_params_hidden String with $search_component_params criteria * @return string HTML component for advanced search */ public function searchComponent($arrayofcriterias, $search_component_params, $arrayofinputfieldsalreadyoutput = array(), $search_component_params_hidden = '') @@ -10667,8 +10755,8 @@ class Form // $ret .= ""; // For compatibility with forms that show themself the search criteria in addition of this component, we output these fields - foreach ($arrayofcriterias as $criterias) { - foreach ($criterias as $criteriafamilykey => $criteriafamilyval) { + foreach ($arrayofcriterias as $criteria) { + foreach ($criteria as $criteriafamilykey => $criteriafamilyval) { if (in_array('search_' . $criteriafamilykey, $arrayofinputfieldsalreadyoutput)) { continue; } @@ -10769,7 +10857,7 @@ class Form * @param string $dol_openinpopup If the button are shown in a context of a page shown inside a popup, we put here the string name of popup. * @return string Html code with the buttons */ - public function buttonsSaveCancel($save_label = 'Save', $cancel_label = 'Cancel', $morebuttons = array(), $withoutdiv = 0, $morecss = '', $dol_openinpopup = '') + public function buttonsSaveCancel($save_label = 'Save', $cancel_label = 'Cancel', $morebuttons = array(), $withoutdiv = false, $morecss = '', $dol_openinpopup = '') { global $langs; @@ -10852,7 +10940,7 @@ class Form $obj = $this->db->fetch_object($resql); // If translation exists, we use it, otherwise we take the default wording - $label = ($langs->trans("InvoiceSubtype" . $obj->rowid) != ("InvoiceSubtype" . $obj->rowid)) ? $langs->trans("InvoiceSubtype" . $obj->rowid) : (($obj->label != '-') ? $obj->label : ''); + $label = ($langs->trans("InvoiceSubtype" . $obj->rowid) != "InvoiceSubtype" . $obj->rowid) ? $langs->trans("InvoiceSubtype" . $obj->rowid) : (($obj->label != '-') ? $obj->label : ''); $this->cache_invoice_subtype[$obj->rowid]['rowid'] = $obj->rowid; $this->cache_invoice_subtype[$obj->rowid]['code'] = $obj->code; $this->cache_invoice_subtype[$obj->rowid]['label'] = $label; @@ -10872,12 +10960,12 @@ class Form /** * Return list of invoice subtypes. * - * @param int $selected Id of invoice subtype to preselect by default - * @param string $htmlname Select field name - * @param int $addempty Add an empty entry - * @param int $noinfoadmin 0=Add admin info, 1=Disable admin info - * @param string $morecss Add more CSS on select tag - * @return string String for the HTML select component + * @param int $selected Id of invoice subtype to preselect by default + * @param string $htmlname Select field name + * @param int $addempty Add an empty entry + * @param int $noinfoadmin 0=Add admin info, 1=Disable admin info + * @param string $morecss Add more CSS on select tag + * @return string String for the HTML select component */ public function getSelectInvoiceSubtype($selected = 0, $htmlname = 'subtypeid', $addempty = 0, $noinfoadmin = 0, $morecss = '') { diff --git a/htdocs/core/class/html.formaccounting.class.php b/htdocs/core/class/html.formaccounting.class.php index 6895969f2cb..a2448501e7d 100644 --- a/htdocs/core/class/html.formaccounting.class.php +++ b/htdocs/core/class/html.formaccounting.class.php @@ -77,7 +77,7 @@ class FormAccounting extends Form * @param string $morecss More css non HTML object * @param string $usecache Key to use to store result into a cache. Next call with same key will reuse the cache. * @param int $disabledajaxcombo Disable ajax combo box. - * @return string String with HTML select + * @return string|int String with HTML select, or -1 if error */ public function select_journal($selectid, $htmlname = 'journal', $nature = 0, $showempty = 0, $select_in = 0, $select_out = 0, $morecss = 'maxwidth300 maxwidthonsmartphone', $usecache = '', $disabledajaxcombo = 0) { @@ -157,7 +157,7 @@ class FormAccounting extends Form * @param string $morecss More css non HTML object * @param string $usecache Key to use to store result into a cache. Next call with same key will reuse the cache. * @param int $disabledajaxcombo Disable ajax combo box. - * @return string String with HTML select + * @return string|int String with HTML select, or -1 if error */ public function multi_select_journal($selectedIds = array(), $htmlname = 'journal', $nature = 0, $showempty = 0, $select_in = 0, $select_out = 0, $morecss = '', $usecache = '', $disabledajaxcombo = 0) { @@ -228,7 +228,7 @@ class FormAccounting extends Form * Return list of accounting category. * Use mysoc->country_id or mysoc->country_code so they must be defined. * - * @param string $selected Preselected type + * @param int $selected Preselected type * @param string $htmlname Name of field in form * @param int $useempty Set to 1 if we want an empty value * @param int $maxlen Max length of text in combo box @@ -236,13 +236,13 @@ class FormAccounting extends Form * @param int $allcountries All countries * @return string HTML component with the select */ - public function select_accounting_category($selected = '', $htmlname = 'account_category', $useempty = 0, $maxlen = 0, $help = 1, $allcountries = 0) + public function select_accounting_category($selected = 0, $htmlname = 'account_category', $useempty = 0, $maxlen = 0, $help = 1, $allcountries = 0) { // phpcs:enable global $langs, $mysoc; if (empty($mysoc->country_id) && empty($mysoc->country_code) && empty($allcountries)) { - dol_print_error('', 'Call to select_accounting_account with mysoc country not yet defined'); + dol_print_error(null, 'Call to select_accounting_account with mysoc country not yet defined'); exit; } @@ -292,7 +292,8 @@ class FormAccounting extends Form if ($obj->rowid == $selected) { $out .= ' selected'; } - $out .= ' data-html="'.dol_escape_htmltag(dol_string_onlythesehtmltags($titletoshowhtml, 1, 1, 0, 0, array('span'))).'"'; + //$out .= ' data-html="'.dol_escape_htmltag(dol_string_onlythesehtmltags($titletoshowhtml, 1, 0, 0, 0, array('span'))).'"'; + $out .= ' data-html="'.dolPrintHTMLForAttribute($titletoshowhtml).'"'; $out .= '>'; $out .= dol_escape_htmltag($titletoshow); $out .= ''; @@ -318,7 +319,7 @@ class FormAccounting extends Form * * @param string $htmlname Name of select field * @param string $selectedkey Value - * @return string HTML edit field + * @return string|int HTML edit field, or -1 if error */ public function select_bookkeeping_importkey($htmlname = 'importkey', $selectedkey = '') { @@ -358,7 +359,7 @@ class FormAccounting extends Form * @param string $morecss More css non HTML object * @param string $usecache Key to use to store result into a cache. Next call with same key will reuse the cache. * @param string $active Filter on status active or not: '0', '1' or '' for no filter - * @return string String with HTML select + * @return string|int String with HTML select, or -1 if error */ public function select_account($selectid, $htmlname = 'account', $showempty = 0, $event = array(), $select_in = 0, $select_out = 0, $morecss = 'minwidth100 maxwidth300 maxwidthonsmartphone', $usecache = '', $active = '1') { @@ -458,7 +459,7 @@ class FormAccounting extends Form // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Return list of auxilary accounts. Cumulate list from customers, suppliers and users. + * Return list of auxiliary accounts. Cumulate list from customers, suppliers and users. * * @param string $selectid Preselected pcg_type * @param string $htmlname Name of field in html form @@ -466,7 +467,7 @@ class FormAccounting extends Form * @param string $morecss More css * @param string $usecache Key to use to store result into a cache. Next call with same key will reuse the cache. * @param string $labelhtmlname HTML name of label for autofill of account from name. - * @return string String with HTML select + * @return string|int String with HTML select, or -1 if error */ public function select_auxaccount($selectid, $htmlname = 'account_num_aux', $showempty = 0, $morecss = 'minwidth100 maxwidth300 maxwidthonsmartphone', $usecache = '', $labelhtmlname = '') { @@ -558,8 +559,8 @@ class FormAccounting extends Form * @param string $selected Preselected value * @param string $htmlname Name of HTML select object * @param int $useempty Affiche valeur vide dans liste - * @param string $output_format (html/opton (for option html only)/array (to return options arrays - * @return string|array HTML select component or array of select options + * @param string $output_format (html/option (for option html only)/array (to return options arrays + * @return string|array|int HTML select component || array of select options || - 1 if error */ public function selectyear_accountancy_bookkepping($selected = '', $htmlname = 'yearid', $useempty = 0, $output_format = 'html') { diff --git a/htdocs/core/class/html.formactions.class.php b/htdocs/core/class/html.formactions.class.php index b4d37581ab2..5f78ac336ce 100644 --- a/htdocs/core/class/html.formactions.class.php +++ b/htdocs/core/class/html.formactions.class.php @@ -167,7 +167,7 @@ class FormActions * @param string $moreparambacktopage More param for the backtopage * @param string $morehtmlcenter More html text on center of title line * @param int $assignedtouser Assign event by default to this user id (will be ignored if not enough permissions) - * @return int <0 if KO, >=0 if OK + * @return int Return integer <0 if KO, >=0 if OK */ public function showactions($object, $typeelement, $socid = 0, $forceshowtitle = 0, $morecss = 'listactions', $max = 0, $moreparambacktopage = '', $morehtmlcenter = '', $assignedtouser = 0) { @@ -253,7 +253,7 @@ class FormActions // Ref print '
      '.$actioncomm->getNomUrl(1, -1).''; if (!empty($actioncomm->userownerid)) { if (isset($cacheusers[$actioncomm->userownerid]) && is_object($cacheusers[$actioncomm->userownerid])) { @@ -296,7 +296,9 @@ class FormActions print ''.$actioncomm->getNomUrl(0).''; + print $actioncomm->getNomUrl(0); + print ''.dol_print_date($actioncomm->datep, 'dayhour', 'tzuserrel'); diff --git a/htdocs/core/class/html.formadmin.class.php b/htdocs/core/class/html.formadmin.class.php index c0d6174b1c8..125bb04a30e 100644 --- a/htdocs/core/class/html.formadmin.class.php +++ b/htdocs/core/class/html.formadmin.class.php @@ -29,7 +29,14 @@ */ class FormAdmin { + /** + * @var DoliDB Database handler. + */ public $db; + + /** + * @var string error message + */ public $error; @@ -55,7 +62,7 @@ class FormAdmin * @param int $showwarning Show a warning if language is not complete * @param int $disabled Disable edit of select * @param string $morecss Add more css styles - * @param int $showcode 1=Add language code into label at begining, 2=Add language code into label at end + * @param int $showcode 1=Add language code into label at beginning, 2=Add language code into label at end * @param int $forcecombo Force to use combo box (so no ajax beautify effect) * @param int $multiselect Make the combo a multiselect * @param array $onlykeys Array of language keys to restrict list with the following keys (opposite of $filter). Example array('fr', 'es', ...) @@ -201,7 +208,7 @@ class FormAdmin $handle = opendir($dir); if (is_resource($handle)) { while (($file = readdir($handle)) !== false) { - if (is_file($dir."/".$file) && substr($file, 0, 1) <> '.' && substr($file, 0, 3) <> 'CVS' && substr($file, 0, 5) != 'index') { + if (is_file($dir."/".$file) && substr($file, 0, 1) != '.' && substr($file, 0, 3) != 'CVS' && substr($file, 0, 5) != 'index') { if (preg_match('/lib\.php$/i', $file)) { continue; // We exclude library files } @@ -217,7 +224,7 @@ class FormAdmin $filelib = preg_replace('/\.php$/i', '', $file); $prefix = ''; - // 0=Recommanded, 1=Experimental, 2=Developpement, 3=Other + // 0=Recommended, 1=Experimental, 2=Development, 3=Other if (preg_match('/^eldy/i', $file)) { $prefix = '0'; } elseif (preg_match('/^smartphone/i', $file)) { @@ -273,6 +280,8 @@ class FormAdmin print $val."\n"; // Show menu entry } print ''; + + return; } // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps @@ -301,7 +310,7 @@ class FormAdmin $handle = opendir($dir); if (is_resource($handle)) { while (($file = readdir($handle)) !== false) { - if (is_file($dir."/".$file) && substr($file, 0, 1) <> '.' && substr($file, 0, 3) <> 'CVS') { + if (is_file($dir."/".$file) && substr($file, 0, 1) != '.' && substr($file, 0, 3) != 'CVS') { $filelib = preg_replace('/(_backoffice|_frontoffice)?\.php$/i', '', $file); if (preg_match('/^index/i', $filelib)) { continue; @@ -419,7 +428,7 @@ class FormAdmin * @param int $forcecombo Force to load all values and output a standard combobox (with no beautification) * @return string Return HTML output */ - public function select_paper_format($selected = '', $htmlname = 'paperformat_id', $filter = 0, $showempty = 0, $forcecombo = 0) + public function select_paper_format($selected = '', $htmlname = 'paperformat_id', $filter = '', $showempty = 0, $forcecombo = 0) { // phpcs:enable global $langs; @@ -478,11 +487,11 @@ class FormAdmin /** - * Function to shwo the combo select to chose a type of field (varchar, int, email, ...) + * Function to show the combo select to chose a type of field (varchar, int, email, ...) * * @param string $htmlname Name of HTML select component * @param string $type Type preselected - * @param string $typewecanchangeinto Array of possible switch combination from 1 type to another one. This will grey not possible combinations. + * @param array $typewecanchangeinto Array of possible switch combination from 1 type to another one. This will grey not possible combinations. * @return string The combo HTML select component */ public function selectTypeOfFields($htmlname, $type, $typewecanchangeinto = array()) diff --git a/htdocs/core/class/html.formbarcode.class.php b/htdocs/core/class/html.formbarcode.class.php index e8dd0e9daa9..6d58b9a6198 100644 --- a/htdocs/core/class/html.formbarcode.class.php +++ b/htdocs/core/class/html.formbarcode.class.php @@ -20,7 +20,7 @@ /** * \file htdocs/core/class/html.formbarcode.class.php - * \brief Fichier de la classe des fonctions predefinie de composants html + * \brief Fichier de la class des functions predefinie de composants html */ diff --git a/htdocs/core/class/html.formcategory.class.php b/htdocs/core/class/html.formcategory.class.php index fdf1d504331..6ad18d5034d 100644 --- a/htdocs/core/class/html.formcategory.class.php +++ b/htdocs/core/class/html.formcategory.class.php @@ -85,10 +85,10 @@ class FormCategory extends Form /** * Prints a select form for products categories - * @param string $selected Id category pre-selection + * @param int $selected Id category pre-selection * @param string $htmlname Name of HTML field * @param int $showempty Add an empty field - * @return integer|null + * @return int|null */ public function selectProductCategory($selected = 0, $htmlname = 'product_category_id', $showempty = 0) { @@ -123,6 +123,7 @@ class FormCategory extends Form return $num_rows; } else { dol_print_error($this->db); + return; } } } diff --git a/htdocs/core/class/html.formcompany.class.php b/htdocs/core/class/html.formcompany.class.php index 47d1045b50a..81f01f73815 100644 --- a/htdocs/core/class/html.formcompany.class.php +++ b/htdocs/core/class/html.formcompany.class.php @@ -280,7 +280,7 @@ class FormCompany extends Form $out = ''; - // Serch departements/cantons/province active d'une region et pays actif + // Search departements/cantons/province active d'une region et pays actif $sql = "SELECT d.rowid, d.code_departement as code, d.nom as name, d.active, c.label as country, c.code as country_code, r.nom as region_name FROM"; $sql .= " " . $this->db->prefix() . "c_departements as d, " . $this->db->prefix() . "c_regions as r," . $this->db->prefix() . "c_country as c"; $sql .= " WHERE d.fk_region=r.code_region and r.fk_pays=c.rowid"; @@ -325,7 +325,7 @@ class FormCompany extends Form $out .= ''; $i++; @@ -514,11 +514,11 @@ class FormCompany extends Form // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Retourne la liste deroulante des formes juridiques tous pays confondus ou pour un pays donne. - * Dans le cas d'une liste tous pays confondu, on affiche une rupture sur le pays. + * Return the list of all juridical entity types for all countries or a specific country. + * A country separator is included in case the list for all countries is returned. * - * @param string $selected Code forme juridique a pre-selectionne - * @param mixed $country_codeid 0=liste tous pays confondus, sinon code du pays a afficher + * @param string $selected Preselected code for juridical type + * @param mixed $country_codeid 0=All countries, else the code of the country to display * @param string $filter Add a SQL filter on list * @return void * @deprecated Use print xxx->select_juridicalstatus instead @@ -532,8 +532,8 @@ class FormCompany extends Form // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Retourne la liste deroulante des formes juridiques tous pays confondus ou pour un pays donne. - * Dans le cas d'une liste tous pays confondu, on affiche une rupture sur le pays + * Return the list of all juridical entity types for all countries or a specific country. + * A country separator is included in case the list for all countries is returned. * * @param string $selected Preselected code of juridical type * @param int $country_codeid 0=list for all countries, otherwise list only country requested @@ -550,7 +550,7 @@ class FormCompany extends Form $out = ''; - // On recherche les formes juridiques actives des pays actifs + // Lookup the active juridical types for the active countries $sql = "SELECT f.rowid, f.code as code , f.libelle as label, f.active, c.label as country, c.code as country_code"; $sql .= " FROM " . $this->db->prefix() . "c_forme_juridique as f, " . $this->db->prefix() . "c_country as c"; $sql .= " WHERE f.fk_pays=c.rowid"; @@ -649,7 +649,7 @@ class FormCompany extends Form if (!empty($conf->use_javascript_ajax) && getDolGlobalString('COMPANY_USE_SEARCH_TO_SELECT')) { // Use Ajax search - $minLength = (is_numeric($conf->global->COMPANY_USE_SEARCH_TO_SELECT) ? $conf->global->COMPANY_USE_SEARCH_TO_SELECT : 2); + $minLength = (is_numeric(getDolGlobalString('COMPANY_USE_SEARCH_TO_SELECT')) ? $conf->global->COMPANY_USE_SEARCH_TO_SELECT : 2); $socid = 0; $name = ''; @@ -853,7 +853,7 @@ class FormCompany extends Form * showContactRoles on view and edit mode * * @param string $htmlname Html component name and id - * @param Contact $contact Contact Obejct + * @param Contact $contact Contact Object * @param string $rendermode view, edit * @param array $selected $key=>$val $val is selected Roles for input mode * @param string $morecss More css @@ -1155,7 +1155,7 @@ class FormCompany extends Form * @param string $mode select if we want activate de html part or js * @return void */ - public function selectProspectStatus($htmlname, Societe $prospectstatic, $statusprospect, $idprospect, $mode = "html") + public function selectProspectStatus($htmlname, $prospectstatic, $statusprospect, $idprospect, $mode = "html") { global $langs; diff --git a/htdocs/core/class/html.formcontract.class.php b/htdocs/core/class/html.formcontract.class.php index eef81eb9c6a..fc869901f01 100644 --- a/htdocs/core/class/html.formcontract.class.php +++ b/htdocs/core/class/html.formcontract.class.php @@ -63,7 +63,7 @@ class FormContract * @param string $morecss More CSS * @return int Nbr of contract if OK, <0 if KO */ - public function select_contract($socid = -1, $selected = '', $htmlname = 'contrattid', $maxlength = 16, $showempty = 1, $showRef = 0, $noouput = 0, $morecss = 'minwidth150') + public function select_contract($socid = -1, $selected = 0, $htmlname = 'contrattid', $maxlength = 16, $showempty = 1, $showRef = 0, $noouput = 0, $morecss = 'minwidth150') { // phpcs:enable global $user, $conf, $langs; @@ -85,7 +85,7 @@ class FormContract // CONTRACT_ALLOW_TO_LINK_FROM_OTHER_COMPANY is 'all' or a list of ids separated by coma. if (!getDolGlobalString('CONTRACT_ALLOW_TO_LINK_FROM_OTHER_COMPANY')) { $sql .= " AND (c.fk_soc=".((int) $socid)." OR c.fk_soc IS NULL)"; - } elseif ($conf->global->CONTRACT_ALLOW_TO_LINK_FROM_OTHER_COMPANY != 'all') { + } elseif (getDolGlobalString('CONTRACT_ALLOW_TO_LINK_FROM_OTHER_COMPANY') != 'all') { $sql .= " AND (c.fk_soc IN (".$this->db->sanitize(((int) $socid).",".((int) $conf->global->CONTRACT_ALLOW_TO_LINK_FROM_OTHER_COMPANY)).")"; $sql .= " OR c.fk_soc IS NULL)"; } @@ -190,7 +190,7 @@ class FormContract * @param int $noouput 1=Return the output instead of display * @return string|void html string */ - public function formSelectContract($page, $socid = -1, $selected = '', $htmlname = 'contrattid', $maxlength = 16, $showempty = 1, $showRef = 0, $noouput = 0) + public function formSelectContract($page, $socid = -1, $selected = 0, $htmlname = 'contrattid', $maxlength = 16, $showempty = 1, $showRef = 0, $noouput = 0) { global $langs; diff --git a/htdocs/core/class/html.formcron.class.php b/htdocs/core/class/html.formcron.class.php index 609458ce839..a4484a49dd6 100644 --- a/htdocs/core/class/html.formcron.class.php +++ b/htdocs/core/class/html.formcron.class.php @@ -19,7 +19,7 @@ /** * \file htdocs/core/class/html.formcron.class.php - * \brief Fichier de la classe des fonctions predefinie de composants html cron + * \brief Fichier de la class des functions predefinie de composants html cron */ diff --git a/htdocs/core/class/html.formexpensereport.class.php b/htdocs/core/class/html.formexpensereport.class.php index bcb80a780dd..a94e076a3ba 100644 --- a/htdocs/core/class/html.formexpensereport.class.php +++ b/htdocs/core/class/html.formexpensereport.class.php @@ -50,8 +50,8 @@ class FormExpenseReport /** - * Retourne la liste deroulante des differents etats d'une note de frais. - * Les valeurs de la liste sont les id de la table c_expensereport_statuts + * Return the combobox for the different statuses of an expense report + * The list values are the ids for the table c_expensereport_statuts * * @param int $selected preselect status * @param string $htmlname Name of HTML select @@ -59,7 +59,7 @@ class FormExpenseReport * @param int $useshortlabel Use short labels * @return string HTML select with status */ - public function selectExpensereportStatus($selected = '', $htmlname = 'fk_statut', $useempty = 1, $useshortlabel = 0) + public function selectExpensereportStatus($selected = 0, $htmlname = 'fk_statut', $useempty = 1, $useshortlabel = 0) { global $langs; @@ -74,7 +74,7 @@ class FormExpenseReport $arrayoflabels = $tmpep->labelStatusShort; } foreach ($arrayoflabels as $key => $val) { - if ($selected != '' && $selected == $key) { + if (!empty($selected) && $selected == $key) { $html .= ''; - // multiselect array convert html entities into options tags, even if we dont want this, so we encode them a second time + // multiselect array convert html entities into options tags, even if we don't want this, so we encode them a second time $tmparray = $this->withtouser; foreach ($tmparray as $key => $val) { $tmparray[$key] = dol_htmlentities($tmparray[$key], null, 'UTF-8', true); @@ -755,9 +755,9 @@ class FormMail extends Form if (!empty($this->withtoccuser) && is_array($this->withtoccuser) && getDolGlobalString('MAIN_MAIL_ENABLED_USER_DEST_SELECT')) { $out .= '
      '; $out .= $langs->trans("MailToCCUsers"); - $out .= ''; + $out .= '
      '; $out .= $form->textwithpicto($langs->trans("MailCCC"), $langs->trans("YouCanUseCommaSeparatorForSeveralRecipients")); $out .= ''; @@ -1223,7 +1230,7 @@ class FormMail extends Form $tmparray[$key]['label'] = $label; $tmparray[$key]['label'] = str_replace(array('<', '>'), array('(', ')'), $tmparray[$key]['label']); - // multiselect array convert html entities into options tags, even if we dont want this, so we encode them a second time + // multiselect array convert html entities into options tags, even if we don't want this, so we encode them a second time $tmparray[$key]['label'] = dol_htmlentities($tmparray[$key]['label'], ENT_QUOTES|ENT_SUBSTITUTE, 'UTF-8', true); $tmparray[$key]['labelhtml'] = $label; @@ -1239,25 +1246,31 @@ class FormMail extends Form $showinfobcc = ''; if (getDolGlobalString('MAIN_MAIL_AUTOCOPY_PROPOSAL_TO') && !empty($this->param['models']) && $this->param['models'] == 'propal_send') { - $showinfobcc = $conf->global->MAIN_MAIL_AUTOCOPY_PROPOSAL_TO; + $showinfobcc = getDolGlobalString('MAIN_MAIL_AUTOCOPY_PROPOSAL_TO'); } if (getDolGlobalString('MAIN_MAIL_AUTOCOPY_ORDER_TO') && !empty($this->param['models']) && $this->param['models'] == 'order_send') { - $showinfobcc = $conf->global->MAIN_MAIL_AUTOCOPY_ORDER_TO; + $showinfobcc = getDolGlobalString('MAIN_MAIL_AUTOCOPY_ORDER_TO'); } if (getDolGlobalString('MAIN_MAIL_AUTOCOPY_INVOICE_TO') && !empty($this->param['models']) && $this->param['models'] == 'facture_send') { - $showinfobcc = $conf->global->MAIN_MAIL_AUTOCOPY_INVOICE_TO; + $showinfobcc = getDolGlobalString('MAIN_MAIL_AUTOCOPY_INVOICE_TO'); } if (getDolGlobalString('MAIN_MAIL_AUTOCOPY_SUPPLIER_PROPOSAL_TO') && !empty($this->param['models']) && $this->param['models'] == 'supplier_proposal_send') { - $showinfobcc = $conf->global->MAIN_MAIL_AUTOCOPY_SUPPLIER_PROPOSAL_TO; + $showinfobcc = getDolGlobalString('MAIN_MAIL_AUTOCOPY_SUPPLIER_PROPOSAL_TO'); } if (getDolGlobalString('MAIN_MAIL_AUTOCOPY_SUPPLIER_ORDER_TO') && !empty($this->param['models']) && $this->param['models'] == 'order_supplier_send') { - $showinfobcc = $conf->global->MAIN_MAIL_AUTOCOPY_SUPPLIER_ORDER_TO; + $showinfobcc = getDolGlobalString('MAIN_MAIL_AUTOCOPY_SUPPLIER_ORDER_TO'); } if (getDolGlobalString('MAIN_MAIL_AUTOCOPY_SUPPLIER_INVOICE_TO') && !empty($this->param['models']) && $this->param['models'] == 'invoice_supplier_send') { - $showinfobcc = $conf->global->MAIN_MAIL_AUTOCOPY_SUPPLIER_INVOICE_TO; + $showinfobcc = getDolGlobalString('MAIN_MAIL_AUTOCOPY_SUPPLIER_INVOICE_TO'); } - if (getDolGlobalString('MAIN_MAIL_AUTOCOPY_PROJECT_TO') && !empty($this->param['models']) && $this->param['models'] == 'project') { - $showinfobcc = $conf->global->MAIN_MAIL_AUTOCOPY_PROJECT_TO; + if (getDolGlobalString('MAIN_MAIL_AUTOCOPY_PROJECT_TO') && !empty($this->param['models']) && $this->param['models'] == 'project') { // don't know why there is not '_send' at end of this models name. + $showinfobcc = getDolGlobalString('MAIN_MAIL_AUTOCOPY_PROJECT_TO'); + } + if (getDolGlobalString('MAIN_MAIL_AUTOCOPY_SHIPMENT_TO') && !empty($this->param['models']) && $this->param['models'] == 'shipping_send') { + $showinfobcc = getDolGlobalString('MAIN_MAIL_AUTOCOPY_SHIPMENT_TO'); + } + if (getDolGlobalString('MAIN_MAIL_AUTOCOPY_RECEPTION_TO') && !empty($this->param['models']) && $this->param['models'] == 'reception_send') { + $showinfobcc = getDolGlobalString('MAIN_MAIL_AUTOCOPY_RECEPTION_TO'); } if ($showinfobcc) { $out .= ' + '.$showinfobcc; @@ -1273,7 +1286,8 @@ class FormMail extends Form */ public function getHtmlForWithErrorsTo() { - global $conf, $langs; + global $langs; + //if (! $this->errorstomail) $this->errorstomail=$this->frommail; $errorstomail = getDolGlobalString('MAIN_MAIL_ERRORS_TO', (!empty($this->errorstomail) ? $this->errorstomail : '')); if ($this->witherrorstoreadonly) { @@ -1296,7 +1310,8 @@ class FormMail extends Form */ public function getHtmlForDeliveryreceipt() { - global $conf, $langs; + global $langs; + $out = '
      '; if (!empty($this->withdeliveryreceiptreadonly)) { @@ -1334,7 +1349,7 @@ class FormMail extends Form */ public function getHtmlForTopic($arraydefaultmessage, $helpforsubstitution) { - global $conf, $langs, $form; + global $langs, $form; $defaulttopic = GETPOST('subject', 'restricthtml'); @@ -1363,6 +1378,57 @@ class FormMail extends Form return $out; } + /** + * get Html For instruction of message + * @return string Text for instructions + */ + public function getHtmlForInstruction() + { + global $langs, $form; + + $baseUrl = dol_buildpath('/', 1); + + $out = '
      '; + $out .= $form->textwithpicto($langs->trans('helpWithAi'), $langs->trans("YouCanMakeSomeInstructionForEmail")); + $out .= ''; + $out .= ''; + $out .= ''; + $out .= ''; + $out .= "
      '; - $out .= ''; - $out .= ''; - $out .= ' '; - $out .= ' '; - $out .= ''; - $out .= ''; + if (empty($hideTitle)) { + $out .= ''; + $out .= ''; + $out .= ' '; + $out .= ' '; + $out .= ''; + $out .= ''; + } // Sort items before render $this->sortingItems(); @@ -343,7 +349,7 @@ class FormSetup /** - * Method used to test module builder convertion to this form usage + * Method used to test module builder conversion to this form usage * * @param array $params an array of arrays of params from old modulBuilder params * @return boolean @@ -362,7 +368,7 @@ class FormSetup /** * From old - * Method was used to test module builder convertion to this form usage. + * Method was used to test module builder conversion to this form usage. * * @param string $confKey the conf name to store * @param array $params an array of params from old modulBuilder params @@ -375,7 +381,7 @@ class FormSetup } /* - * Exemple from old module builder setup page + * Example from old module builder setup page * // 'MYMODULE_MYPARAM1'=>array('type'=>'string', 'css'=>'minwidth500' ,'enabled'=>1), // 'MYMODULE_MYPARAM2'=>array('type'=>'textarea','enabled'=>1), //'MYMODULE_MYPARAM3'=>array('type'=>'category:'.Categorie::TYPE_CUSTOMER, 'enabled'=>1), @@ -387,7 +393,7 @@ class FormSetup */ $item = new FormSetupItem($confKey); - // need to be ignored from scrutinizer setTypeFromTypeString was created as deprecated to incite developper to use object oriented usage + // need to be ignored from scrutinizer setTypeFromTypeString was created as deprecated to incite developer to use object oriented usage /** @scrutinizer ignore-deprecated */ $item->setTypeFromTypeString($params['type']); if (!empty($params['enabled'])) { @@ -405,7 +411,7 @@ class FormSetup /** * Used to export param array for /core/actions_setmoduleoptions.inc.php template - * Method exists only for manage setup convertion + * Method exists only for manage setup conversion * * @return array $arrayofparameters for /core/actions_setmoduleoptions.inc.php */ @@ -443,12 +449,12 @@ class FormSetup /** * Create a new item - * the tagret is useful with hooks : that allow externals modules to add setup items on good place + * The target is useful with hooks : that allow externals modules to add setup items on good place * * @param string $confKey the conf key used in database * @param string $targetItemKey target item used to place the new item beside * @param bool $insertAfterTarget insert before or after target item ? - * @return FormSetupItem the new setup item created + * @return FormSetupItem the new setup item created */ public function newItem($confKey, $targetItemKey = '', $insertAfterTarget = false) { @@ -684,7 +690,7 @@ class FormSetupItem } /** - * reload conf value from databases is an aliase of loadValueFromConf + * Reload conf value from databases is an alias of loadValueFromConf * * @deprecated * @return bool @@ -886,6 +892,11 @@ class FormSetupItem $selected = (empty($this->fieldValue) ? '' : $this->fieldValue); $out.= $this->form->select_produits($selected, $this->confKey, '', 0, 0, 1, 2, '', 0, array(), 0, '1', 0, $this->cssClass, 0, '', null, 1); } + } elseif ($this->type == 'selectBankAccount') { + if (isModEnabled("bank")) { + $selected = (empty($this->fieldValue) ? '' : $this->fieldValue); + $out.= $this->form->select_comptes($selected, $this->confKey, 0, '', 0, '', 0, '', 1); + } } else { $out.= $this->generateInputFieldText(); } @@ -900,7 +911,7 @@ class FormSetupItem */ public function generateInputFieldText() { - if (empty($this->fieldAttr)) { + if (empty($this->fieldAttr) || empty($this->fieldAttr['class'])) { $this->fieldAttr['class'] = 'flat '.(empty($this->cssClass) ? 'minwidth200' : $this->cssClass); } return 'fieldAttr).' />'; @@ -934,6 +945,7 @@ class FormSetupItem /** * generate input field for categories + * * @return string */ public function generateInputFieldCategories() @@ -944,7 +956,12 @@ class FormSetupItem $tmp = explode(':', $this->type); $out = img_picto('', 'category', 'class="pictofixedwidth"'); - $out .= $formother->select_categories($tmp[1], $this->fieldValue, $this->confKey, 0, $this->langs->trans('CustomersProspectsCategoriesShort')); + + $label = 'Categories'; + if ($this->type == 'customer') { + $label = 'CustomersProspectsCategoriesShort'; + } + $out .= $formother->select_categories($tmp[1], $this->fieldValue, $this->confKey, 0, $this->langs->trans($label)); return $out; } @@ -1055,7 +1072,7 @@ class FormSetupItem * to be sure we can manage evolution easily * * @param string $type possible values based on old module builder setup : 'string', 'textarea', 'category:'.Categorie::TYPE_CUSTOMER', 'emailtemplate', 'thirdparty_type' - * @deprecated yes this setTypeFromTypeString came deprecated because it exists only for manage setup convertion + * @deprecated yes this setTypeFromTypeString came deprecated because it exists only for manage setup conversion * @return bool */ public function setTypeFromTypeString($type) @@ -1082,6 +1099,7 @@ class FormSetupItem } elseif (!empty($errors)) { $this->errors[] = $errors; } + return; } /** @@ -1147,7 +1165,7 @@ class FormSetupItem if ($result < 0) { $this->setErrors($c->errors); } - $ways = $c->print_all_ways(' >> ', 'none', 0, 1); // $ways[0] = "ccc2 >> ccc2a >> ccc2a1" with html formated text + $ways = $c->print_all_ways(' >> ', 'none', 0, 1); // $ways[0] = "ccc2 >> ccc2a >> ccc2a1" with html formatted text $toprint = array(); foreach ($ways as $way) { $toprint[] = '
    • color ? ' style="background: #' . $c->color . ';"' : ' style="background: #bbb"') . '>' . $way . '
    • '; @@ -1173,6 +1191,16 @@ class FormSetupItem } elseif ($resprod < 0) { $this->setErrors($product->errors); } + } elseif ($this->type == 'selectBankAccount') { + require_once DOL_DOCUMENT_ROOT.'/compta/bank/class/account.class.php'; + + $bankaccount = new Account($this->db); + $resbank = $bankaccount->fetch($this->fieldValue); + if ($resbank > 0) { + $out.= $bankaccount->label; + } elseif ($resbank < 0) { + $this->setErrors($bankaccount->errors); + } } else { $out.= $this->fieldValue; } @@ -1211,8 +1239,13 @@ class FormSetupItem */ public function generateOutputFieldColor() { + global $langs; $this->fieldAttr['disabled']=null; - return $this->generateInputField(); + $color = colorArrayToHex(colorStringToArray($this->fieldValue, array()), ''); + if ($color) { + return ''; + } + return $langs->trans("Default"); } /** * generateInputFieldColor @@ -1222,7 +1255,10 @@ class FormSetupItem public function generateInputFieldColor() { $this->fieldAttr['type']= 'color'; - return $this->generateInputFieldText(); + $default = $this->defaultFieldValue; + include_once DOL_DOCUMENT_ROOT.'/core/class/html.formother.class.php'; + $formother = new FormOther($this->db); + return $formother->selectColor(colorArrayToHex(colorStringToArray($this->fieldAttr['value'], array()), ''), $this->fieldAttr['name'], '', 1, array(), '', '', $default).' '; } /** @@ -1425,4 +1461,15 @@ class FormSetupItem $this->type = 'selectUser'; return $this; } + + /** + * Set type of input as a simple title. No data to store + * + * @return self + */ + public function setAsSelectBankAccount() + { + $this->type = 'selectBankAccount'; + return $this; + } } diff --git a/htdocs/core/class/html.formsms.class.php b/htdocs/core/class/html.formsms.class.php index c2c51d2bb6f..f9cecb96867 100644 --- a/htdocs/core/class/html.formsms.class.php +++ b/htdocs/core/class/html.formsms.class.php @@ -20,13 +20,13 @@ /** * \file htdocs/core/class/html.formsms.class.php * \ingroup core - * \brief Fichier de la classe permettant la generation du formulaire html d'envoi de mail unitaire + * \brief Fichier de la class permettant la generation du formulaire html d'envoi de mail unitaire */ require_once DOL_DOCUMENT_ROOT.'/core/class/html.form.class.php'; /** - * Classe permettant la generation du formulaire d'envoi de Sms + * Class permettant la generation du formulaire d'envoi de Sms * Usage: $formsms = new FormSms($db) * $formsms->proprietes=1 ou chaine ou tableau de valeurs * $formsms->show_form() affiche le formulaire @@ -105,7 +105,7 @@ class FormSms * Show the form to input an sms. * * @param string $morecss Class on first column td - * @param int $showform Show form tags and submit button (recommanded is to use with value 0) + * @param int $showform Show form tags and submit button (recommended is to use with value 0) * @return void */ public function show_form($morecss = 'titlefield', $showform = 1) @@ -207,7 +207,7 @@ function limitChars(textarea, limit, infodiv) $sms->error = 'The SMS manager "'.$classfile.'" defined into SMS setup MAIN_MODULE_'.strtoupper($sendmode).'_SMS is not found'; } } catch (Exception $e) { - dol_print_error('', 'Error to get list of senders: '.$e->getMessage()); + dol_print_error(null, 'Error to get list of senders: '.$e->getMessage()); exit; } } else { @@ -223,7 +223,7 @@ function limitChars(textarea, limit, infodiv) } print ''; } else { - print ''.$langs->trans("SmsNoPossibleSenderFound"); + print ''.$langs->trans("SmsNoPossibleSenderFound"); if (is_object($sms) && !empty($sms->error)) { print ' '.$sms->error; } @@ -244,7 +244,7 @@ function limitChars(textarea, limit, infodiv) if ($this->withtoreadonly) { print (!is_array($this->withto) && !is_numeric($this->withto)) ? $this->withto : ""; } else { - print 'withto) : "+").'">'; + print 'withto) : "+").'">'; if (!empty($this->withtosocid) && $this->withtosocid > 0) { $liste = array(); foreach ($soc->thirdparty_and_contact_phone_array() as $key => $value) { @@ -254,7 +254,7 @@ function limitChars(textarea, limit, infodiv) //var_dump($_REQUEST);exit; print $form->selectarray("receiver", $liste, GETPOST("receiver"), 1); } - print ' '.$langs->trans("SmsInfoNumero").''; + print ' '.$langs->trans("SmsInfoNumero").''; } print "\n"; } diff --git a/htdocs/core/class/html.formticket.class.php b/htdocs/core/class/html.formticket.class.php index fe0f6c71e1f..23c2f0751f6 100644 --- a/htdocs/core/class/html.formticket.class.php +++ b/htdocs/core/class/html.formticket.class.php @@ -845,7 +845,7 @@ class FormTicket } $label = ($arraycategories['label'] != '-' ? $arraycategories['label'] : ''); - if ($outputlangs->trans("TicketCategoryShort".$arraycategories['code']) != ("TicketCategoryShort".$arraycategories['code'])) { + if ($outputlangs->trans("TicketCategoryShort".$arraycategories['code']) != "TicketCategoryShort".$arraycategories['code']) { $label = $outputlangs->trans("TicketCategoryShort".$arraycategories['code']); } elseif ($outputlangs->trans($arraycategories['code']) != $arraycategories['code']) { $label = $outputlangs->trans($arraycategories['code']); @@ -907,7 +907,7 @@ class FormTicket } print ajax_combobox('select'.$htmlname); - } elseif ($htmlname!='') { + } elseif ($htmlname != '') { $selectedgroups = array(); $groupvalue = ""; $groupticket=GETPOST($htmlname, 'aZ09'); @@ -937,11 +937,11 @@ class FormTicket $arraycodenotparent[] = ""; $stringtoprint = ''.$langs->trans("GroupOfTicket").' '; - $stringtoprint .= ''; $stringtoprint .= ''; $sql = "SELECT ctc.rowid, ctc.code, ctc.label, ctc.fk_parent, ctc.public, "; - $sql .= $this->db->ifsql("ctc.rowid NOT IN (SELECT ctcfather.rowid FROM llx_c_ticket_category as ctcfather JOIN llx_c_ticket_category as ctcjoin ON ctcfather.rowid = ctcjoin.fk_parent)", "'NOTPARENT'", "'PARENT'")." as isparent"; + $sql .= $this->db->ifsql("ctc.rowid NOT IN (SELECT ctcfather.rowid FROM llx_c_ticket_category as ctcfather JOIN llx_c_ticket_category as ctcjoin ON ctcfather.rowid = ctcjoin.fk_parent WHERE ctcjoin.active > 0)", "'NOTPARENT'", "'PARENT'")." as isparent"; $sql .= " FROM ".$this->db->prefix()."c_ticket_category as ctc"; $sql .= " WHERE ctc.active > 0 AND ctc.entity = ".((int) $conf->entity); if ($filtertype == 'public=1') { @@ -958,7 +958,7 @@ class FormTicket $obj = $this->db->fetch_object($resql); if ($obj) { $label = ($obj->label != '-' ? $obj->label : ''); - if ($outputlangs->trans("TicketCategoryShort".$obj->code) != ("TicketCategoryShort".$obj->code)) { + if ($outputlangs->trans("TicketCategoryShort".$obj->code) != "TicketCategoryShort".$obj->code) { $label = $outputlangs->trans("TicketCategoryShort".$obj->code); } elseif ($outputlangs->trans($obj->code) != $obj->code) { $label = $outputlangs->trans($obj->code); @@ -989,15 +989,15 @@ class FormTicket if (count($arrayidused) == 1) { return ''; } else { - $stringtoprint .= ''; - $stringtoprint .= ''; + $stringtoprint .= ''; + $stringtoprint .= ''; } $stringtoprint .= ' '; $levelid = 1; // The first combobox while ($levelid <= $use_multilevel) { // Loop to take the child of the combo $tabscript = array(); - $stringtoprint .= ''; $stringtoprint .= ''; $sql = "SELECT ctc.rowid, ctc.code, ctc.label, ctc.fk_parent, ctc.public, ctcjoin.code as codefather"; @@ -1029,7 +1029,7 @@ class FormTicket $obj = $this->db->fetch_object($resql); if ($obj) { $label = ($obj->label != '-' ? $obj->label : ''); - if ($outputlangs->trans("TicketCategoryShort".$obj->code) != ("TicketCategoryShort".$obj->code)) { + if ($outputlangs->trans("TicketCategoryShort".$obj->code) != "TicketCategoryShort".$obj->code) { $label = $outputlangs->trans("TicketCategoryShort".$obj->code); } elseif ($outputlangs->trans($obj->code) != $obj->code) { $label = $outputlangs->trans($obj->code); @@ -1055,10 +1055,10 @@ class FormTicket if (empty($tabscript[$groupcodefather])) { $tabscript[$groupcodefather] = 'if ($("#'.$htmlname.($levelid > 1 ? '_child_'.($levelid-1) : '').'").val() == "'.dol_escape_js($groupcodefather).'"){ $(".'.$htmlname.'_'.dol_escape_htmltag($fatherid).'_child_'.$levelid.'").show() - console.log("We show childs tickets of '.$groupcodefather.' group ticket") + console.log("We show child tickets of '.$groupcodefather.' group ticket") }else{ $(".'.$htmlname.'_'.dol_escape_htmltag($fatherid).'_child_'.$levelid.'").hide() - console.log("We hide childs tickets of '.$groupcodefather.' group ticket") + console.log("We hide child tickets of '.$groupcodefather.' group ticket") }'; } } @@ -1134,6 +1134,10 @@ class FormTicket $stringtoprint .='$("#'.$htmlname.'_child_'.$use_multilevel.'").change(function() { $("#ticketcategory_select").val($(this).val()); $("#ticketcategory_select_child_id").val($(this).attr("child_id")); + tmpvalselect = $("#ticketcategory_select").val(); + if(tmpvalselect == "" && $("#ticketcategory_select_child_id").val() >= 1){ + $("#ticketcategory_select_child_id").val($(this).attr("child_id")-1); + } console.log($("#ticketcategory_select").val()); })'; $stringtoprint .=''; @@ -1335,8 +1339,8 @@ class FormTicket //var_dump($keytoavoidconflict); if (GETPOST('mode', 'alpha') == 'init' || (GETPOST('modelselected') && GETPOST('modelmailselected', 'alpha') && GETPOST('modelmailselected', 'alpha') != '-1')) { if (!empty($arraydefaultmessage->joinfiles) && !empty($this->param['fileinit']) && is_array($this->param['fileinit'])) { - foreach ($this->param['fileinit'] as $file) { - $formmail->add_attached_files($file, basename($file), dol_mimetype($file)); + foreach ($this->param['fileinit'] as $path) { + $formmail->add_attached_files($path, basename($path), dol_mimetype($path)); } } } @@ -1498,7 +1502,7 @@ class FormTicket } print ''; if (empty($topic)) { - print ''; + print ''; } $db->free($result); } else { @@ -1098,7 +1099,7 @@ function show_contacts($conf, $langs, $db, $object, $backtopage = '', $showuserl } } - // Initialize array of search criterias + // Initialize array of search criteria $search = array(); foreach ($arrayfields as $key => $val) { $queryName = 'search_'.substr($key, 2); @@ -1156,7 +1157,7 @@ function show_contacts($conf, $langs, $db, $object, $backtopage = '', $showuserl $selectedfields = ($mode != 'kanban' ? $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')) : ''); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print "\n".'
      ' . $this->langs->trans("Parameter") . '' . $this->langs->trans("Value") . '
      ' . $this->langs->trans("Parameter") . '' . $this->langs->trans("Value") . '
      '.$langs->trans("None").'
      '.$langs->trans("None").'
      '."\n"; $param = "socid=".urlencode($object->id); @@ -1584,7 +1585,7 @@ function show_actions_todo($conf, $langs, $db, $filterobj, $objcon = '', $noprin * @param mixed $filterobj Filter on object Adherent|Societe|Project|Product|CommandeFournisseur|Dolresource|Ticket... to list events linked to an object * @param Contact $objcon Filter on object contact to filter events on a contact * @param int $noprint Return string but does not output it - * @param string $actioncode Filter on actioncode + * @param string|string[] $actioncode Filter on actioncode * @param string $donetodo Filter on event 'done' or 'todo' or ''=nofilter (all). * @param array $filters Filter on other fields * @param string $sortfield Sort field @@ -1621,7 +1622,7 @@ function show_actions_done($conf, $langs, $db, $filterobj, $objcon = '', $noprin // Check parameters if (!is_object($filterobj) && !is_object($objcon)) { - dol_print_error('', 'BadParameter'); + dol_print_error(null, 'BadParameter'); } $out = ''; @@ -1810,13 +1811,10 @@ function show_actions_done($conf, $langs, $db, $filterobj, $objcon = '', $noprin $sql .= ' AND ('; foreach ($actioncode as $key => $code) { if ($key != 0) { - $sql .= "OR ("; + $sql .= " OR "; } if (!empty($code)) { - addEventTypeSQL($sql, $code); - } - if ($key != 0) { - $sql .= ")"; + addEventTypeSQL($sql, $code, ""); } } $sql .= ')'; @@ -1875,7 +1873,7 @@ function show_actions_done($conf, $langs, $db, $filterobj, $objcon = '', $noprin $result = $contactaction->fetchResources(); if ($result < 0) { dol_print_error($db); - setEventMessage("company.lib::show_actions_done Error fetch ressource", 'errors'); + setEventMessage("company.lib::show_actions_done Error fetch resource", 'errors'); } //if ($donetodo == 'todo') $sql.= " AND ((a.percent >= 0 AND a.percent < 100) OR (a.percent = -1 AND a.datep > '".$db->idate($now)."'))"; @@ -2284,7 +2282,7 @@ function show_subsidiaries($conf, $langs, $db, $object) $socstatic->name_alias = $obj->name_alias; $socstatic->email = $obj->email; $socstatic->code_client = $obj->code_client; - $socstatic->code_fournisseur = $obj->code_client; + $socstatic->code_fournisseur = $obj->code_fournisseur; $socstatic->code_compta = $obj->code_compta; $socstatic->code_compta_fournisseur = $obj->code_compta_fournisseur; $socstatic->email = $obj->email; @@ -2334,19 +2332,19 @@ function addEventTypeSQL(&$sql, $actioncode, $sqlANDOR = "AND") if (!getDolGlobalString('AGENDA_USE_EVENT_TYPE')) { if ($actioncode == 'AC_NON_AUTO') { - $sql .= " $sqlANDOR c.type != 'systemauto'"; + $sql .= " $sqlANDOR c.type <> 'systemauto'"; } elseif ($actioncode == 'AC_ALL_AUTO') { $sql .= " $sqlANDOR c.type = 'systemauto'"; } else { if ($actioncode == 'AC_OTH') { - $sql .= " $sqlANDOR c.type != 'systemauto'"; + $sql .= " $sqlANDOR c.type <> 'systemauto'"; } elseif ($actioncode == 'AC_OTH_AUTO') { $sql .= " $sqlANDOR c.type = 'systemauto'"; } } } else { if ($actioncode == 'AC_NON_AUTO') { - $sql .= " $sqlANDOR c.type != 'systemauto'"; + $sql .= " $sqlANDOR c.type <> 'systemauto'"; } elseif ($actioncode == 'AC_ALL_AUTO') { $sql .= " $sqlANDOR c.type = 'systemauto'"; } else { @@ -2363,7 +2361,7 @@ function addEventTypeSQL(&$sql, $actioncode, $sqlANDOR = "AND") * @param string $sql $sql modified * @param string $donetodo donetodo * @param string $now now - * @param string $filters array + * @param array $filters array * @return string sql request */ function addOtherFilterSQL(&$sql, $donetodo, $now, $filters) diff --git a/htdocs/core/lib/contact.lib.php b/htdocs/core/lib/contact.lib.php index d8d74f4056e..c4285d10bda 100644 --- a/htdocs/core/lib/contact.lib.php +++ b/htdocs/core/lib/contact.lib.php @@ -21,7 +21,7 @@ /** * \file htdocs/core/lib/contact.lib.php - * \brief Ensemble de fonctions de base pour les contacts + * \brief Ensemble de functions de base pour les contacts */ /** diff --git a/htdocs/core/lib/contract.lib.php b/htdocs/core/lib/contract.lib.php index edc4c0fa8a4..6b94903e3fc 100644 --- a/htdocs/core/lib/contract.lib.php +++ b/htdocs/core/lib/contract.lib.php @@ -20,7 +20,7 @@ /** * \file htdocs/core/lib/contract.lib.php - * \brief Ensemble de fonctions de base pour le module contrat + * \brief Ensemble de functions de base pour le module contrat */ /** @@ -139,7 +139,7 @@ function contract_prepare_head(Contrat $object) } /** - * Return array head with list of tabs to view object informations. + * Return array head with list of tabs to view object information. * * @return array head array with tabs */ diff --git a/htdocs/core/lib/cron.lib.php b/htdocs/core/lib/cron.lib.php index 0232d0b87f4..ba86ee940ad 100644 --- a/htdocs/core/lib/cron.lib.php +++ b/htdocs/core/lib/cron.lib.php @@ -125,7 +125,7 @@ function dol_print_cron_urls() $pathtoscript = '/pathtoscript'; if (getDolGlobalString('MAIN_DOL_SCRIPTS_ROOT')) { - $pathtoscript = $conf->global->MAIN_DOL_SCRIPTS_ROOT; + $pathtoscript = getDolGlobalString('MAIN_DOL_SCRIPTS_ROOT'); } $file = $pathtoscript.'/scripts/cron/cron_run_jobs.php '.(!getDolGlobalString('CRON_KEY') ? 'securitykey' : '' . getDolGlobalString('CRON_KEY')).' '.$logintouse.' [cronjobid]'; diff --git a/htdocs/core/lib/date.lib.php b/htdocs/core/lib/date.lib.php index 02683de3c61..20849f92ec4 100644 --- a/htdocs/core/lib/date.lib.php +++ b/htdocs/core/lib/date.lib.php @@ -102,7 +102,7 @@ function getServerTimeZoneInt($refgmtdate = 'now') //print $refgmtdate.'='.$tmp; } else { $tmp = 0; - dol_print_error('', 'PHP version must be 5.3+'); + dol_print_error(null, 'PHP version must be 5.3+'); } $tz = round(($tmp < 0 ? 1 : -1) * abs($tmp / 3600)); return $tz; @@ -122,12 +122,12 @@ function getServerTimeZoneInt($refgmtdate = 'now') function dol_time_plus_duree($time, $duration_value, $duration_unit, $ruleforendofmonth = 0) { global $conf; + if (empty($duration_value)) { + return $time; + } if ($duration_unit == 's') { return $time + ($duration_value); } - if ($duration_value == 0) { - return $time; - } if ($duration_unit == 'i') { return $time + (60 * $duration_value); } @@ -233,7 +233,7 @@ function convertTime2Seconds($iHours = 0, $iMinutes = 0, $iSeconds = 0) * - 'year': only year part); * @param int $lengthOfDay Length of day (default 86400 seconds for 1 day, 28800 for 8 hour) * @param int $lengthOfWeek Length of week (default 7) - * @return string Formated text of duration + * @return string Formatted text of duration * Example: 0 return 00:00, 3600 return 1:00, 86400 return 1d, 90000 return 1 Day 01:00 * @see convertTime2Seconds() */ @@ -368,8 +368,9 @@ function convertDurationtoHour($duration_value, $duration_unit) * @param int|string $year_date Year date * @param int $excludefirstand Exclude first and * @param mixed $gm False or 0 or 'tzserver' = Input date fields are date info in the server TZ. True or 1 or 'gmt' = Input are date info in GMT TZ. - * Note: In database, dates are always fot the server TZ. + * Note: In database, dates are always for the server TZ. * @return string $sqldate String with SQL filter + * @see forgeSQLFromUniversalSearchCriteria() */ function dolSqlDateFilter($datefield, $day_date, $month_date, $year_date, $excludefirstand = 0, $gm = false) { @@ -586,7 +587,7 @@ function dol_get_next_week($day, $week, $month, $year) * True or 1 or 'gmt' to compare with GMT date. * Example: dol_get_first_day(1970,1,false) will return -3600 with TZ+1, a dol_print_date on it will return 1970-01-01 00:00:00 * Example: dol_get_first_day(1970,1,true) will return 0 whatever is TZ, a dol_print_date on it will return 1970-01-01 00:00:00 - * @return int Date for first day, '' if error + * @return int|string Date as a timestamp, '' if error */ function dol_get_first_day($year, $month = 1, $gm = false) { @@ -605,7 +606,7 @@ function dol_get_first_day($year, $month = 1, $gm = false) * @param int $month Month * @param mixed $gm False or 0 or 'tzserver' = Return date to compare with server TZ, * True or 1 or 'gmt' to compare with GMT date. - * @return int Date for first day, '' if error + * @return int|string Date as a timestamp, '' if error */ function dol_get_last_day($year, $month = 12, $gm = false) { @@ -646,7 +647,7 @@ function dol_get_last_hour($date, $gm = 'tzserver') * @param int $date Date GMT * @param mixed $gm False or 0 or 'tzserver' = Return date to compare with server TZ, * 'gmt' to compare with GMT date. - * @return int Date for last hour of a given date + * @return int Date for first hour of a given date */ function dol_get_first_hour($date, $gm = 'tzserver') { @@ -764,7 +765,7 @@ function num_public_holiday($timestampStart, $timestampEnd, $country_code = '', $nbFerie = 0; // Check to ensure we use correct parameters - if ((($timestampEnd - $timestampStart) % 86400) != 0) { + if (($timestampEnd - $timestampStart) % 86400 != 0) { return 'Error Dates must use same hours and must be GMT dates'; } @@ -1186,5 +1187,5 @@ function getWeekNumber($day, $month, $year) { $date = new DateTime($year.'-'.$month.'-'.$day); $week = $date->format("W"); - return $week; + return (int) $week; } diff --git a/htdocs/core/lib/doleditor.lib.php b/htdocs/core/lib/doleditor.lib.php index 43e59c01e65..f0ac7aef03d 100644 --- a/htdocs/core/lib/doleditor.lib.php +++ b/htdocs/core/lib/doleditor.lib.php @@ -21,7 +21,7 @@ /** * \file htdocs/core/lib/doleditor.lib.php - * \brief Ensemble de fonctions de base pour la gestion des utilisaterus et groupes + * \brief Ensemble de functions de base pour la gestion des utilisaterus et groups */ /** @@ -87,8 +87,8 @@ function show_skin($fuser, $edit = 0) $handle = opendir($dirskin); if (is_resource($handle)) { while (($subdir = readdir($handle)) !== false) { - if (is_dir($dirskin."/".$subdir) && substr($subdir, 0, 1) <> '.' - && substr($subdir, 0, 3) <> 'CVS' && !preg_match('/common|phones/i', $subdir)) { + if (is_dir($dirskin."/".$subdir) && substr($subdir, 0, 1) != '.' + && substr($subdir, 0, 3) != 'CVS' && !preg_match('/common|phones/i', $subdir)) { // Disable not stable themes (dir ends with _exp or _dev) if (getDolGlobalInt('MAIN_FEATURES_LEVEL') < 2 && preg_match('/_dev$/i', $subdir)) { continue; diff --git a/htdocs/core/lib/ecm.lib.php b/htdocs/core/lib/ecm.lib.php index da3836460e4..cfb3bacff68 100644 --- a/htdocs/core/lib/ecm.lib.php +++ b/htdocs/core/lib/ecm.lib.php @@ -19,7 +19,7 @@ /** * \file htdocs/core/lib/ecm.lib.php - * \brief Ensemble de fonctions de base pour le module ecm + * \brief Ensemble de functions de base pour le module ecm * \ingroup ecm */ @@ -171,7 +171,7 @@ function ecm_prepare_head_fm($object) } /** - * Return array head with list of tabs to view object informations. + * Return array head with list of tabs to view object information. * * @return array head array with tabs */ diff --git a/htdocs/core/lib/expedition.lib.php b/htdocs/core/lib/expedition.lib.php index 76f060d627f..f431a292704 100644 --- a/htdocs/core/lib/expedition.lib.php +++ b/htdocs/core/lib/expedition.lib.php @@ -67,7 +67,7 @@ function expedition_prepare_head(Expedition $object) } /** - * Return array head with list of tabs to view object informations. + * Return array head with list of tabs to view object information. * * @return array head array with tabs */ diff --git a/htdocs/core/lib/expensereport.lib.php b/htdocs/core/lib/expensereport.lib.php index 0bd84fc02f3..be79e4ecb03 100644 --- a/htdocs/core/lib/expensereport.lib.php +++ b/htdocs/core/lib/expensereport.lib.php @@ -124,7 +124,7 @@ function payment_expensereport_prepare_head(PaymentExpenseReport $object) } /** - * Return array head with list of tabs to view object informations. + * Return array head with list of tabs to view object information. * * @return array head array with tabs */ diff --git a/htdocs/core/lib/fichinter.lib.php b/htdocs/core/lib/fichinter.lib.php index 53d3e944e69..2045003d1c0 100644 --- a/htdocs/core/lib/fichinter.lib.php +++ b/htdocs/core/lib/fichinter.lib.php @@ -23,7 +23,7 @@ /** * \file htdocs/core/lib/fichinter.lib.php - * \brief Ensemble de fonctions de base pour le module fichinter + * \brief Ensemble de functions de base pour le module fichinter * \ingroup fichinter */ @@ -162,7 +162,7 @@ function fichinter_prepare_head($object) } /** - * Return array head with list of tabs to view object informations. + * Return array head with list of tabs to view object information. * * @return array head array with tabs */ diff --git a/htdocs/core/lib/files.lib.php b/htdocs/core/lib/files.lib.php index aff76b1ac9e..f5d930f26b6 100644 --- a/htdocs/core/lib/files.lib.php +++ b/htdocs/core/lib/files.lib.php @@ -4,7 +4,7 @@ * Copyright (C) 2012-2016 Juanjo Menent * Copyright (C) 2015 Marcos García * Copyright (C) 2016 Raphaël Doursenaud - * Copyright (C) 2019 Frédéric France + * Copyright (C) 2019-2024 Frédéric France * Copyright (C) 2023 Lenin Rivas * * This program is free software; you can redistribute it and/or modify @@ -29,7 +29,7 @@ /** * Make a basename working with all page code (default PHP basenamed fails with cyrillic). - * We supose dir separator for input is '/'. + * We suppose dir separator for input is '/'. * * @param string $pathfile String to find basename. * @return string Basename of input @@ -50,12 +50,12 @@ function dol_basename($pathfile) * but must not contains the start and end '/'. Filter is checked into basename only. * @param array $excludefilter Array of Regex for exclude filter (example: array('(\.meta|_preview.*\.png)$','^\.')). Exclude is checked both into fullpath and into basename (So '^xxx' may exclude 'xxx/dirscanned/...' and dirscanned/xxx'). * @param string $sortcriteria Sort criteria ('','fullname','relativename','name','date','size') - * @param string $sortorder Sort order (SORT_ASC, SORT_DESC) + * @param int $sortorder Sort order (SORT_ASC, SORT_DESC) * @param int $mode 0=Return array minimum keys loaded (faster), 1=Force all keys like date and size to be loaded (slower), 2=Force load of date only, 3=Force load of size only, 4=Force load of perm * @param int $nohook Disable all hooks * @param string $relativename For recursive purpose only. Must be "" at first call. - * @param string $donotfollowsymlinks Do not follow symbolic links - * @param string $nbsecondsold Only files older than $nbsecondsold + * @param int $donotfollowsymlinks Do not follow symbolic links + * @param int $nbsecondsold Only files older than $nbsecondsold * @return array Array of array('name'=>'xxx','fullname'=>'/abc/xxx','date'=>'yyy','size'=>99,'type'=>'dir|file',...) * @see dol_dir_list_in_database() */ @@ -113,7 +113,7 @@ function dol_dir_list($path, $types = "all", $recursive = 0, $filter = "", $excl $fileperm = ''; while (false !== ($file = readdir($dir))) { // $file is always a basename (into directory $newpath) if (!utf8_check($file)) { - $file = utf8_encode($file); // To be sure data is stored in utf8 in memory + $file = mb_convert_encoding($file, 'UTF-8', 'ISO-8859-1'); // To be sure data is stored in utf8 in memory } $fullpathfile = ($newpath ? $newpath.'/' : '').$file; @@ -292,7 +292,7 @@ function dol_dir_list_in_database($path, $filter = "", $excludefilter = null, $s } // Sort the data if ($sortorder) { - array_multisort($myarray, $sortorder, $file_list); + array_multisort($myarray, $sortorder, SORT_REGULAR, $file_list); } } @@ -306,7 +306,7 @@ function dol_dir_list_in_database($path, $filter = "", $excludefilter = null, $s /** * Complete $filearray with data from database. - * This will call doldir_list_indatabase to complate filearray. + * This will call doldir_list_indatabase to complete filearray. * * @param array $filearray Array of files obtained using dol_dir_list * @param string $relativedir Relative dir from DOL_DATA_ROOT @@ -364,6 +364,7 @@ function completeFileArrayWithDatabaseInfo(&$filearray, $relativedir) $filearray[$key]['position'] = '999999'; // File not indexed are at end. So if we add a file, it will not replace an existing position $filearray[$key]['cover'] = 0; $filearray[$key]['acl'] = ''; + $filearray[$key]['share'] = 0; $rel_filename = preg_replace('/^'.preg_quote(DOL_DATA_ROOT, '/').'/', '', $filearray[$key]['fullname']); @@ -550,7 +551,7 @@ function dol_dir_is_emtpy($folder) * Count number of lines in a file * * @param string $file Filename - * @return int <0 if KO, Number of lines in files if OK + * @return int Return integer <0 if KO, Number of lines in files if OK * @see dol_nboflines() */ function dol_count_nb_of_line($file) @@ -622,8 +623,8 @@ function dol_fileperm($pathoffile) * @param string $destfile Destination file (can't be a directory). If empty, will be same than source file. * @param int $newmask Mask for new file (0 by default means $conf->global->MAIN_UMASK). Example: '0666' * @param int $indexdatabase 1=index new file into database. - * @param int $arrayreplacementisregex 1=Array of replacement is regex - * @return int <0 if error, 0 if nothing done (dest file already exists), >0 if OK + * @param int $arrayreplacementisregex 1=Array of replacement is already an array with key that is a regex. Warning: the key must be escaped with preg_quote for '/' + * @return int Return integer <0 if error, 0 if nothing done (dest file already exists), >0 if OK * @see dol_copy() */ function dolReplaceInFile($srcfile, $arrayreplacement, $destfile = '', $newmask = 0, $indexdatabase = 0, $arrayreplacementisregex = 0) @@ -689,7 +690,7 @@ function dolReplaceInFile($srcfile, $arrayreplacement, $destfile = '', $newmask return -3; } if (empty($newmask) && getDolGlobalString('MAIN_UMASK')) { - $newmask = $conf->global->MAIN_UMASK; + $newmask = getDolGlobalString('MAIN_UMASK'); } if (empty($newmask)) { // This should no happen dol_syslog("Warning: dolReplaceInFile called with empty value for newmask and no default value defined", LOG_WARNING); @@ -711,12 +712,12 @@ function dolReplaceInFile($srcfile, $arrayreplacement, $destfile = '', $newmask * @param int $overwriteifexists Overwrite file if exists (1 by default) * @param int $testvirus Do an antivirus test. Move is canceled if a virus is found. * @param int $indexdatabase Index new file into database. - * @return int <0 if error, 0 if nothing done (dest file already exists and overwriteifexists=0), >0 if OK + * @return int Return integer <0 if error, 0 if nothing done (dest file already exists and overwriteifexists=0), >0 if OK * @see dol_delete_file() dolCopyDir() */ function dol_copy($srcfile, $destfile, $newmask = 0, $overwriteifexists = 1, $testvirus = 0, $indexdatabase = 0) { - global $conf, $db, $user; + global $db, $user; dol_syslog("files.lib.php::dol_copy srcfile=".$srcfile." destfile=".$destfile." newmask=".$newmask." overwriteifexists=".$overwriteifexists); @@ -745,7 +746,7 @@ function dol_copy($srcfile, $destfile, $newmask = 0, $overwriteifexists = 1, $te // Check virus $testvirusarray = array(); if ($testvirus) { - $testvirusarray = dolCheckVirus($srcfile); + $testvirusarray = dolCheckVirus($srcfile, $destfile); if (count($testvirusarray)) { dol_syslog("files.lib.php::dol_copy canceled because a virus was found into source file. we ignore the copy request.", LOG_WARNING); return -3; @@ -760,7 +761,7 @@ function dol_copy($srcfile, $destfile, $newmask = 0, $overwriteifexists = 1, $te return -3; } if (empty($newmask) && getDolGlobalString('MAIN_UMASK')) { - $newmask = $conf->global->MAIN_UMASK; + $newmask = getDolGlobalString('MAIN_UMASK'); } if (empty($newmask)) { // This should no happen dol_syslog("Warning: dol_copy called with empty value for newmask and no default value defined", LOG_WARNING); @@ -839,7 +840,7 @@ function dol_copy($srcfile, $destfile, $newmask = 0, $overwriteifexists = 1, $te * @param array $arrayreplacement Array to use to replace filenames with another one during the copy (works only on file names, not on directory names). * @param int $excludesubdir 0=Do not exclude subdirectories, 1=Exclude subdirectories, 2=Exclude subdirectories if name is not a 2 chars (used for country codes subdirectories). * @param array $excludefileext Exclude some file extensions - * @return int <0 if error, 0 if nothing done (all files already exists and overwriteifexists=0), >0 if OK + * @return int Return integer <0 if error, 0 if nothing done (all files already exists and overwriteifexists=0), >0 if OK * @see dol_copy() */ function dolCopyDir($srcfile, $destfile, $newmask, $overwriteifexists, $arrayreplacement = null, $excludesubdir = 0, $excludefileext = null) @@ -858,7 +859,7 @@ function dolCopyDir($srcfile, $destfile, $newmask, $overwriteifexists, $arrayrep //if (! $overwriteifexists && $destexists) return 0; // The overwriteifexists is for files only, so propagated to dol_copy only. if (!$destexists) { - // We must set mask just before creating dir, becaause it can be set differently by dol_copy + // We must set mask just before creating dir, because it can be set differently by dol_copy umask(0); $dirmaskdec = octdec($newmask); if (empty($newmask) && getDolGlobalString('MAIN_UMASK')) { @@ -966,7 +967,7 @@ function dol_move($srcfile, $destfile, $newmask = 0, $overwriteifexists = 1, $te // Check virus $testvirusarray = array(); if ($testvirus) { - $testvirusarray = dolCheckVirus($newpathofsrcfile); + $testvirusarray = dolCheckVirus($newpathofsrcfile, $newpathofdestfile); if (count($testvirusarray)) { dol_syslog("files.lib.php::dol_move canceled because a virus was found into source file. we ignore the move request.", LOG_WARNING); return false; @@ -1083,7 +1084,7 @@ function dol_move($srcfile, $destfile, $newmask = 0, $overwriteifexists = 1, $te } // Currently method is restricted to files (dol_delete_files previously used is for files, and mask usage if for files too) - // to allow mask usage for dir, we shoul introduce a new param "isdir" to 1 to complete newmask like this + // to allow mask usage for dir, we should introduce a new param "isdir" to 1 to complete newmask like this // if ($isdir) $newmaskdec |= octdec('0111'); // Set x bit required for directories dolChmod($newpathofdestfile, $newmask); } @@ -1175,11 +1176,22 @@ function dol_unescapefile($filename) * Check virus into a file * * @param string $src_file Source file to check - * @return array Array of errors or empty array if not virus found + * @param string $dest_file Destination file name (to know the expected type) + * @return array Array of errors, or empty array if not virus found */ -function dolCheckVirus($src_file) +function dolCheckVirus($src_file, $dest_file = '') { - global $conf, $db; + global $db; + + if (preg_match('/\.pdf$/i', $dest_file)) { + dol_syslog("dolCheckVirus Check pdf does not contains js file"); + if (!getDolGlobalString('MAIN_ANTIVIRUS_ALLOW_JS_IN_PDF')) { + $tmp = file_get_contents(trim($src_file)); + if (preg_match('/[\n\s]+\/JavaScript[\n\s]+/m', $tmp)) { + return array('File is a PDF with javascript inside'); + } + } + } if (getDolGlobalString('MAIN_ANTIVIRUS_COMMAND')) { if (!class_exists('AntiVir')) { @@ -1256,7 +1268,7 @@ function dol_move_uploaded_file($src_file, $dest_file, $allowoverwrite, $disable // Security: // If we need to make a virus scan if (empty($disablevirusscan) && file_exists($src_file)) { - $checkvirusarray = dolCheckVirus($src_file); + $checkvirusarray = dolCheckVirus($src_file, $dest_file); if (count($checkvirusarray)) { dol_syslog('Files.lib::dol_move_uploaded_file File "'.$src_file.'" (target name "'.$dest_file.'") KO with antivirus: errors='.join(',', $checkvirusarray), LOG_WARNING); return 'ErrorFileIsInfectedWithAVirus: '.join(',', $checkvirusarray); @@ -1515,7 +1527,7 @@ function dol_delete_dir_recursive($dir, $count = 0, $nophperrors = 0, $onlysub = if ($handle = opendir("$dir_osencoded")) { while (false !== ($item = readdir($handle))) { if (!utf8_check($item)) { - $item = utf8_encode($item); // should be useless + $item = mb_convert_encoding($item, 'UTF-8', 'ISO-8859-1'); // should be useless } if ($item != "." && $item != "..") { @@ -1755,7 +1767,7 @@ function dol_init_file_process($pathtoscan = '', $trackid = '') * @param string $trackid Track id (used to prefix name of session vars to avoid conflict) * @param int $generatethumbs 1=Generate also thumbs for uploaded image files * @param Object $object Object used to set 'src_object_*' fields - * @return int <=0 if KO, >0 if OK + * @return int Return integer <=0 if KO, >0 if OK * @see dol_remove_file_process() */ function dol_add_file_process($upload_dir, $allowoverwrite = 0, $donotupdatesession = 0, $varfiles = 'addedfile', $savingdocmask = '', $link = null, $trackid = '', $generatethumbs = 1, $object = null) @@ -1884,10 +1896,14 @@ function dol_add_file_process($upload_dir, $allowoverwrite = 0, $donotupdatesess $nbok++; } else { $langs->load("errors"); - if ($resupload < 0) { // Unknown error + if (is_numeric($resupload) && $resupload < 0) { // Unknown error setEventMessages($langs->trans("ErrorFileNotUploaded"), null, 'errors'); } elseif (preg_match('/ErrorFileIsInfectedWithAVirus/', $resupload)) { // Files infected by a virus - setEventMessages($langs->trans("ErrorFileIsInfectedWithAVirus"), null, 'errors'); + if (preg_match('/File is a PDF with javascript inside/', $resupload)) { + setEventMessages($langs->trans("ErrorFileIsAnInfectedPDFWithJSInside"), null, 'errors'); + } else { + setEventMessages($langs->trans("ErrorFileIsInfectedWithAVirus"), null, 'errors'); + } } else { // Known error setEventMessages($langs->trans($resupload), null, 'errors'); } @@ -1991,7 +2007,7 @@ function dol_remove_file_process($filenb, $donotupdatesession = 0, $donotdeletef * @param string $mode How file was created ('uploaded', 'generated', ...) * @param int $setsharekey Set also the share key * @param Object $object Object used to set 'src_object_*' fields - * @return int <0 if KO, 0 if nothing done, >0 if OK + * @return int Return integer <0 if KO, 0 if nothing done, >0 if OK */ function addFileIntoDatabaseIndex($dir, $file, $fullpathorig = '', $mode = 'uploaded', $setsharekey = 0, $object = null) { @@ -2051,12 +2067,12 @@ function addFileIntoDatabaseIndex($dir, $file, $fullpathorig = '', $mode = 'uplo } /** - * Delete files into database index using search criterias. + * Delete files into database index using search criteria. * * @param string $dir Directory name (full real path without ending /) * @param string $file File name * @param string $mode How file was created ('uploaded', 'generated', ...) - * @return int <0 if KO, 0 if nothing done, >0 if OK + * @return int Return integer <0 if KO, 0 if nothing done, >0 if OK */ function deleteFilesIntoDatabaseIndex($dir, $file, $mode = 'uploaded') { @@ -2114,7 +2130,7 @@ function deleteFilesIntoDatabaseIndex($dir, $file, $mode = 'uploaded') * @param string $ext Format of target file (It is also extension added to file if fileoutput is not provided). * @param string $fileoutput Output filename * @param string $page Page number if we convert a PDF into png - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK * @see dol_imageResizeOrCrop() */ function dol_convert_file($fileinput, $ext = 'png', $fileoutput = '', $page = '') @@ -2127,7 +2143,7 @@ function dol_convert_file($fileinput, $ext = 'png', $fileoutput = '', $page = '' $ret = $image->readImage($filetoconvert); } catch (Exception $e) { $ext = pathinfo($fileinput, PATHINFO_EXTENSION); - dol_syslog("Failed to read image using Imagick (Try to install package 'apt-get install php-imagick ghostscript' and check there is no policy to disable ".$ext." convertion in /etc/ImageMagick*/policy.xml): ".$e->getMessage(), LOG_WARNING); + dol_syslog("Failed to read image using Imagick (Try to install package 'apt-get install php-imagick ghostscript' and check there is no policy to disable ".$ext." conversion in /etc/ImageMagick*/policy.xml): ".$e->getMessage(), LOG_WARNING); return 0; } if ($ret) { @@ -2178,9 +2194,8 @@ function dol_convert_file($fileinput, $ext = 'png', $fileoutput = '', $page = '' */ function dol_compress_file($inputfile, $outputfile, $mode = "gz", &$errorstring = null) { - global $conf; - $foundhandler = 0; + //var_dump(basename($inputfile)); exit; try { dol_syslog("dol_compress_file mode=".$mode." inputfile=".$inputfile." outputfile=".$outputfile); @@ -2217,7 +2232,7 @@ function dol_compress_file($inputfile, $outputfile, $mode = "gz", &$errorstring // Create recursive directory iterator /** @var SplFileInfo[] $files */ $files = new RecursiveIteratorIterator( - new RecursiveDirectoryIterator($rootPath), + new RecursiveDirectoryIterator($rootPath, FilesystemIterator::UNIX_PATHS), RecursiveIteratorIterator::LEAVES_ONLY ); @@ -2249,6 +2264,7 @@ function dol_compress_file($inputfile, $outputfile, $mode = "gz", &$errorstring include_once ODTPHP_PATHTOPCLZIP.'/pclzip.lib.php'; $archive = new PclZip($outputfile); + $result = $archive->add($inputfile, PCLZIP_OPT_REMOVE_PATH, dirname($inputfile)); if ($result === 0) { @@ -2423,7 +2439,7 @@ function dol_uncompress($inputfile, $outputdir) * @param string $inputdir Source dir name * @param string $outputfile Target file name (output directory must exists and be writable) * @param string $mode 'zip' - * @param string $excludefiles A regex pattern. For example: '/\.log$|\/temp\//' + * @param string $excludefiles A regex pattern to exclude files. For example: '/\.log$|\/temp\//' * @param string $rootdirinzip Add a root dir level in zip file * @param string $newmask Mask for new file (0 by default means $conf->global->MAIN_UMASK). Example: '0666' * @return int Return integer <0 if KO, >0 if OK @@ -2431,8 +2447,6 @@ function dol_uncompress($inputfile, $outputdir) */ function dol_compress_dir($inputdir, $outputfile, $mode = "zip", $excludefiles = '', $rootdirinzip = '', $newmask = 0) { - global $conf; - $foundhandler = 0; dol_syslog("Try to zip dir ".$inputdir." into ".$outputfile." mode=".$mode); @@ -2480,7 +2494,7 @@ function dol_compress_dir($inputdir, $outputfile, $mode = "zip", $excludefiles = // This does not return symbolic links /** @var SplFileInfo[] $files */ $files = new RecursiveIteratorIterator( - new RecursiveDirectoryIterator($inputdir), + new RecursiveDirectoryIterator($inputdir, FilesystemIterator::UNIX_PATHS), RecursiveIteratorIterator::LEAVES_ONLY ); @@ -2508,7 +2522,7 @@ function dol_compress_dir($inputdir, $outputfile, $mode = "zip", $excludefiles = $zip->close(); if (empty($newmask) && getDolGlobalString('MAIN_UMASK')) { - $newmask = $conf->global->MAIN_UMASK; + $newmask = getDolGlobalString('MAIN_UMASK'); } if (empty($newmask)) { // This should no happen dol_syslog("Warning: dol_copy called with empty value for newmask and no default value defined", LOG_WARNING); @@ -2559,7 +2573,7 @@ function dol_most_recent_file($dir, $regexfilter = '', $excludefilter = array('( * Security check when accessing to a document (used by document.php, viewimage.php and webservices to get documents). * TODO Replace code that set $accessallowed by a call to restrictedArea() * - * @param string $modulepart Module of document ('module', 'module_user_temp', 'module_user' or 'module_temp'). Exemple: 'medias', 'invoice', 'logs', 'tax-vat', ... + * @param string $modulepart Module of document ('module', 'module_user_temp', 'module_user' or 'module_temp'). Example: 'medias', 'invoice', 'logs', 'tax-vat', ... * @param string $original_file Relative path with filename, relative to modulepart. * @param string $entity Restrict onto entity (0=no restriction) * @param User $fuser User object (forced) @@ -2628,7 +2642,11 @@ function dol_check_secure_access_document($modulepart, $original_file, $entity, } // Wrapping for miscellaneous medias files - if ($modulepart == 'medias' && !empty($dolibarr_main_data_root)) { + if ($modulepart == 'common') { + // Wrapping for some images + $accessallowed = 1; + $original_file = DOL_DOCUMENT_ROOT.'/public/theme/common/'.$original_file; + } elseif ($modulepart == 'medias' && !empty($dolibarr_main_data_root)) { if (empty($entity) || empty($conf->medias->multidir_output[$entity])) { return array('accessallowed'=>0, 'error'=>'Value entity must be provided'); } @@ -2646,7 +2664,7 @@ function dol_check_secure_access_document($modulepart, $original_file, $entity, // Wrapping for doctemplates of websites $accessallowed = ($fuser->rights->website->write && preg_match('/\.jpg$/i', basename($original_file))); $original_file = $dolibarr_main_data_root.'/doctemplates/websites/'.$original_file; - } elseif ($modulepart == 'packages' && !empty($dolibarr_main_data_root)) { + } elseif ($modulepart == 'packages' && !empty($dolibarr_main_data_root)) { // To download zip of modules // Wrapping for *.zip package files, like when used with url http://.../document.php?modulepart=packages&file=module_myfile.zip // Dir for custom dirs $tmp = explode(',', $dolibarr_main_document_root_alt); @@ -2671,14 +2689,15 @@ function dol_check_secure_access_document($modulepart, $original_file, $entity, $accessok = false; $reg = array(); if (preg_match('/^(\d+)\/photos\//', $original_file, $reg)) { - if ($reg[0]) { + if ($reg[1]) { $tmpobject = new User($db); - $tmpobject->fetch($reg[0], '', '', 1); + $tmpobject->fetch($reg[1], '', '', 1); if (getDolUserInt('USER_ENABLE_PUBLIC', 0, $tmpobject)) { $securekey = GETPOST('securekey', 'alpha', 1); // Security check - global $dolibarr_main_instance_unique_id; - $encodedsecurekey = dol_hash($dolibarr_main_instance_unique_id.'uservirtualcard'.$tmpobject->id.'-'.$tmpobject->login, 'md5'); + global $dolibarr_main_cookie_cryptkey, $dolibarr_main_instance_unique_id; + $valuetouse = $dolibarr_main_instance_unique_id ? $dolibarr_main_instance_unique_id : $dolibarr_main_cookie_cryptkey; // Use $dolibarr_main_instance_unique_id first then $dolibarr_main_cookie_cryptkey + $encodedsecurekey = dol_hash($valuetouse.'uservirtualcard'.$tmpobject->id.'-'.$tmpobject->login, 'md5'); if ($encodedsecurekey == $securekey) { $accessok = true; } @@ -3014,7 +3033,7 @@ function dol_check_secure_access_document($modulepart, $original_file, $entity, $original_file = $conf->commande->multidir_output[$entity].'/'.$original_file; $sqlprotectagainstexternals = "SELECT fk_soc as fk_soc FROM ".MAIN_DB_PREFIX."commande WHERE ref='".$db->escape($refname)."' AND entity IN (".getEntity('order').")"; } elseif ($modulepart == 'project' && !empty($conf->project->multidir_output[$entity])) { - // Wrapping pour les projets + // Wrapping pour les projects if ($fuser->hasRight('projet', $lire) || preg_match('/^specimen/i', $original_file)) { $accessallowed = 1; // If we known $id of project, call checkUserAccessToObject to check permission on properties and contact of project @@ -3243,7 +3262,7 @@ function dol_check_secure_access_document($modulepart, $original_file, $entity, if (preg_match('/^([a-z]+)_user_temp$/i', $modulepart, $reg)) { $tmpmodule = $reg[1]; if (empty($conf->$tmpmodule->dir_temp)) { // modulepart not supported - dol_print_error('', 'Error call dol_check_secure_access_document with not supported value for modulepart parameter ('.$modulepart.')'); + dol_print_error(null, 'Error call dol_check_secure_access_document with not supported value for modulepart parameter ('.$modulepart.')'); exit; } if ($fuser->hasRight($tmpmodule, $lire) || $fuser->hasRight($tmpmodule, $read) || $fuser->hasRight($tmpmodule, $download)) { @@ -3253,7 +3272,7 @@ function dol_check_secure_access_document($modulepart, $original_file, $entity, } elseif (preg_match('/^([a-z]+)_temp$/i', $modulepart, $reg)) { $tmpmodule = $reg[1]; if (empty($conf->$tmpmodule->dir_temp)) { // modulepart not supported - dol_print_error('', 'Error call dol_check_secure_access_document with not supported value for modulepart parameter ('.$modulepart.')'); + dol_print_error(null, 'Error call dol_check_secure_access_document with not supported value for modulepart parameter ('.$modulepart.')'); exit; } if ($fuser->hasRight($tmpmodule, $lire) || $fuser->hasRight($tmpmodule, $read) || $fuser->hasRight($tmpmodule, $download)) { @@ -3263,7 +3282,7 @@ function dol_check_secure_access_document($modulepart, $original_file, $entity, } elseif (preg_match('/^([a-z]+)_user$/i', $modulepart, $reg)) { $tmpmodule = $reg[1]; if (empty($conf->$tmpmodule->dir_output)) { // modulepart not supported - dol_print_error('', 'Error call dol_check_secure_access_document with not supported value for modulepart parameter ('.$modulepart.')'); + dol_print_error(null, 'Error call dol_check_secure_access_document with not supported value for modulepart parameter ('.$modulepart.')'); exit; } if ($fuser->hasRight($tmpmodule, $lire) || $fuser->hasRight($tmpmodule, $read) || $fuser->hasRight($tmpmodule, $download)) { @@ -3273,7 +3292,7 @@ function dol_check_secure_access_document($modulepart, $original_file, $entity, } elseif (preg_match('/^massfilesarea_([a-z]+)$/i', $modulepart, $reg)) { $tmpmodule = $reg[1]; if (empty($conf->$tmpmodule->dir_output)) { // modulepart not supported - dol_print_error('', 'Error call dol_check_secure_access_document with not supported value for modulepart parameter ('.$modulepart.')'); + dol_print_error(null, 'Error call dol_check_secure_access_document with not supported value for modulepart parameter ('.$modulepart.')'); exit; } if ($fuser->hasRight($tmpmodule, $lire) || preg_match('/^specimen/i', $original_file)) { @@ -3282,7 +3301,7 @@ function dol_check_secure_access_document($modulepart, $original_file, $entity, $original_file = $conf->$tmpmodule->dir_output.'/temp/massgeneration/'.$user->id.'/'.$original_file; } else { if (empty($conf->$modulepart->dir_output)) { // modulepart not supported - dol_print_error('', 'Error call dol_check_secure_access_document with not supported value for modulepart parameter ('.$modulepart.'). The module for this modulepart value may not be activated.'); + dol_print_error(null, 'Error call dol_check_secure_access_document with not supported value for modulepart parameter ('.$modulepart.'). The module for this modulepart value may not be activated.'); exit; } diff --git a/htdocs/core/lib/fourn.lib.php b/htdocs/core/lib/fourn.lib.php index 921d31af701..44981c12b3e 100644 --- a/htdocs/core/lib/fourn.lib.php +++ b/htdocs/core/lib/fourn.lib.php @@ -165,7 +165,7 @@ function ordersupplier_prepare_head(CommandeFournisseur $object) $head[$h][0] = DOL_URL_ROOT.'/fourn/commande/dispatch.php?id='.$object->id; $head[$h][1] = $langs->trans("OrderDispatch"); - //If dispach process running we add the number of item to dispatch into the head + //If dispatch process running we add the number of item to dispatch into the head if (in_array($object->statut, array($object::STATUS_ORDERSENT, $object::STATUS_RECEIVED_PARTIALLY, $object::STATUS_RECEIVED_COMPLETELY))) { $sumQtyAllreadyDispatched = 0; $sumQtyOrdered = 0; @@ -246,7 +246,7 @@ function ordersupplier_prepare_head(CommandeFournisseur $object) } /** - * Return array head with list of tabs to view object informations. + * Return array head with list of tabs to view object information. * * @return array head array with tabs */ diff --git a/htdocs/core/lib/ftp.lib.php b/htdocs/core/lib/ftp.lib.php index fb0c0e104c9..89a36297e39 100644 --- a/htdocs/core/lib/ftp.lib.php +++ b/htdocs/core/lib/ftp.lib.php @@ -71,7 +71,7 @@ function dol_ftp_connect($ftp_server, $ftp_port, $ftp_user, $ftp_password, $sect //if ($ftp_passive) ftp_pasv($connect_id, true); // Change the dir - $newsectioniso = utf8_decode($section); + $newsectioniso = mb_convert_encoding($section, 'ISO-8859-1'); //ftp_chdir($connect_id, $newsectioniso); $connect_id = ssh2_sftp($tmp_conn_id); if (!$connect_id) { @@ -94,7 +94,7 @@ function dol_ftp_connect($ftp_server, $ftp_port, $ftp_user, $ftp_password, $sect } // Change the dir - $newsectioniso = utf8_decode($section); + $newsectioniso = mb_convert_encoding($section, 'ISO-8859-1'); ftp_chdir($connect_id, $newsectioniso); } else { $mesg = $langs->transnoentitiesnoconv("FailedToConnectToFTPServerWithCredentials"); @@ -173,7 +173,7 @@ function dol_ftp_delete($connect_id, $file, $newsection) // Remote file $filename = $file; $remotefile = $newsection.(preg_match('@[\\\/]$@', $newsection) ? '' : '/').$file; - $newremotefileiso = utf8_decode($remotefile); + $newremotefileiso = mb_convert_encoding($remotefile, 'ISO-8859-1'); //print "x".$newremotefileiso; dol_syslog("ftp/index.php ftp_delete ".$newremotefileiso); @@ -204,7 +204,7 @@ function dol_ftp_get($connect_id, $localfile, $file, $newsection) // Remote file $filename = $file; $remotefile = $newsection.(preg_match('@[\\\/]$@', $newsection) ? '' : '/').$file; - $newremotefileiso = utf8_decode($remotefile); + $newremotefileiso = mb_convert_encoding($remotefile, 'ISO-8859-1'); if (getDolGlobalString('FTP_CONNECT_WITH_SFTP')) { return fopen('ssh2.sftp://'.intval($connect_id).$newremotefileiso, 'r'); @@ -233,7 +233,7 @@ function dol_ftp_put($connect_id, $file, $localfile, $newsection) // Remote file $filename = $file; $remotefile = $newsection.(preg_match('@[\\\/]$@', $newsection) ? '' : '/').$file; - $newremotefileiso = utf8_decode($remotefile); + $newremotefileiso = mb_convert_encoding($remotefile, 'ISO-8859-1'); if (getDolGlobalString('FTP_CONNECT_WITH_SFTP')) { return ssh2_scp_send($connect_id, $localfile, $newremotefileiso, 0644); @@ -261,7 +261,7 @@ function dol_ftp_rmdir($connect_id, $file, $newsection) // Remote file $filename = $file; $remotefile = $newsection.(preg_match('@[\\\/]$@', $newsection) ? '' : '/').$file; - $newremotefileiso = utf8_decode($remotefile); + $newremotefileiso = mb_convert_encoding($remotefile, 'ISO-8859-1'); if (getDolGlobalString('FTP_CONNECT_WITH_SFTP')) { return ssh2_sftp_rmdir($connect_id, $newremotefileiso); @@ -289,7 +289,7 @@ function dol_ftp_mkdir($connect_id, $newdir, $newsection) // Remote file $newremotefileiso = $newsection.(preg_match('@[\\\/]$@', $newsection) ? '' : '/').$newdir; - $newremotefileiso = utf8_decode($newremotefileiso); + $newremotefileiso = mb_convert_encoding($newremotefileiso, 'ISO-8859-1'); if (getDolGlobalString('FTP_CONNECT_WITH_SFTP')) { return ssh2_sftp_mkdir($connect_id, $newremotefileiso, 0777); diff --git a/htdocs/core/lib/functions.lib.php b/htdocs/core/lib/functions.lib.php index a5f519375b3..37c95a9574e 100644 --- a/htdocs/core/lib/functions.lib.php +++ b/htdocs/core/lib/functions.lib.php @@ -13,7 +13,7 @@ * Copyright (C) 2014 Cédric GROSS * Copyright (C) 2014-2015 Marcos García * Copyright (C) 2015 Jean-François Ferry - * Copyright (C) 2018-2023 Frédéric France + * Copyright (C) 2018-2024 Frédéric France * Copyright (C) 2019-2023 Thibault Foucart * Copyright (C) 2020 Open-Dsi * Copyright (C) 2021 Gauthier VERDOL @@ -134,10 +134,10 @@ function getMultidirOutput($object, $module = '') if ($module == 'fichinter') { $module = 'ficheinter'; } - if (isset($conf->$module)) { - return $conf->$module->multidir_output[(!empty($object->entity) ? $object->entity : $conf->entity)]; + if (isset($conf->$module) && property_exists($conf->$module, 'multidir_output')) { + return $conf->$module->multidir_output[(empty($object->entity) ? $conf->entity : $object->entity)]; } else { - return 'error-diroutput-not-defined-ffor-this-object='.$module; + return 'error-diroutput-not-defined-for-this-object='.$module; } } @@ -151,7 +151,6 @@ function getMultidirOutput($object, $module = '') function getDolGlobalString($key, $default = '') { global $conf; - // return $conf->global->$key ?? $default; return (string) (isset($conf->global->$key) ? $conf->global->$key : $default); } @@ -166,7 +165,6 @@ function getDolGlobalString($key, $default = '') function getDolGlobalInt($key, $default = 0) { global $conf; - // return $conf->global->$key ?? $default; return (int) (isset($conf->global->$key) ? $conf->global->$key : $default); } @@ -185,7 +183,6 @@ function getDolUserString($key, $default = '', $tmpuser = null) $tmpuser = $user; } - // return $conf->global->$key ?? $default; return (string) (empty($tmpuser->conf->$key) ? $default : $tmpuser->conf->$key); } @@ -204,7 +201,6 @@ function getDolUserInt($key, $default = 0, $tmpuser = null) $tmpuser = $user; } - // return $conf->global->$key ?? $default; return (int) (empty($tmpuser->conf->$key) ? $default : $tmpuser->conf->$key); } @@ -238,6 +234,25 @@ function isModEnabled($module) //return !empty($conf->$module->enabled); } +/** + * isDolTms check if a timestamp is valid. + * + * @param int|string|null $timestamp timestamp to check + * @return bool + */ +function isDolTms($timestamp) +{ + if ($timestamp === '') { + dol_syslog('Using empty string for a timestamp is deprecated, prefer use of null when calling page '.$_SERVER["PHP_SELF"], LOG_NOTICE); + return false; + } + if (is_null($timestamp) || !is_numeric($timestamp)) { + return false; + } + + return true; +} + /** * Return a DoliDB instance (database handler). * @@ -254,8 +269,8 @@ function getDoliDBInstance($type, $host, $user, $pass, $name, $port) require_once DOL_DOCUMENT_ROOT."/core/db/".$type.'.class.php'; $class = 'DoliDB'.ucfirst($type); - $dolidb = new $class($type, $host, $user, $pass, $name, $port); - return $dolidb; + $db = new $class($type, $host, $user, $pass, $name, $port); + return $db; } /** @@ -516,7 +531,7 @@ function dol_shutdown() /** * Return true if we are in a context of submitting the parameter $paramname from a POST of a form. * Warning: - * For action=add, use: $var = GETPOST('var'); // No GETPOSTISSET, so GETPOST always called and default value is retreived if not a form POST, and value of form is retreived if it is a form POST. + * For action=add, use: $var = GETPOST('var'); // No GETPOSTISSET, so GETPOST always called and default value is retrieved if not a form POST, and value of form is retrieved if it is a form POST. * For action=update, use: $var = GETPOSTISSET('var') ? GETPOST('var') : $object->var; * * @param string $paramname Name or parameter to test @@ -630,7 +645,7 @@ function GETPOST($paramname, $check = 'alphanohtml', $method = 0, $filter = null return 'BadFirstParameterForGETPOST'; } if (empty($check)) { - dol_syslog("Deprecated use of GETPOST, called with 1st param = ".$paramname." and 2nd param is '', when calling page ".$_SERVER["PHP_SELF"], LOG_WARNING); + dol_syslog("Deprecated use of GETPOST, called with 1st param = ".$paramname." and a 2nd param that is '', when calling page ".$_SERVER["PHP_SELF"], LOG_WARNING); // Enable this line to know who call the GETPOST with '' $check parameter. //var_dump(debug_backtrace()[0]); } @@ -659,7 +674,7 @@ function GETPOST($paramname, $check = 'alphanohtml', $method = 0, $filter = null //var_dump($user->default_values); // Code for search criteria persistence. - // Retrieve values if restore_lastsearch_values + // Retrieve saved values if restore_lastsearch_values is set if (!empty($_GET['restore_lastsearch_values'])) { // Use $_GET here and not GETPOST if (!empty($_SESSION['lastsearch_values_'.$relativepathstring])) { // If there is saved values $tmp = json_decode($_SESSION['lastsearch_values_'.$relativepathstring], true); @@ -766,7 +781,7 @@ function GETPOST($paramname, $check = 'alphanohtml', $method = 0, $filter = null $out .= dol_string_nospecial($val, '', $forbidden_chars_to_replace); } } - //break; // No break for sortfield and sortorder so we can cumulate fields (is it realy usefull ?) + //break; // No break for sortfield and sortorder so we can cumulate fields (is it really useful ?) } } } @@ -815,7 +830,7 @@ function GETPOST($paramname, $check = 'alphanohtml', $method = 0, $filter = null } } - // Substitution variables for GETPOST (used to get final url with variable parameters or final default value with variable parameters) + // Substitution variables for GETPOST (used to get final url with variable parameters or final default value, when using variable parameters __XXX__ in the GET URL) // Example of variables: __DAY__, __MONTH__, __YEAR__, __MYCOMPANY_COUNTRY_ID__, __USER_ID__, ... // We do this only if var is a GET. If it is a POST, may be we want to post the text with vars as the setup text. if (!is_array($out) && empty($_POST[$paramname]) && empty($noreplace)) { @@ -873,7 +888,7 @@ function GETPOST($paramname, $check = 'alphanohtml', $method = 0, $filter = null } } - // Check rule + // Check type of variable and make sanitization according to this if (preg_match('/^array/', $check)) { // If 'array' or 'array:restricthtml' or 'array:aZ09' or 'array:intcomma' if (!is_array($out) || empty($out)) { $out = array(); @@ -902,7 +917,7 @@ function GETPOST($paramname, $check = 'alphanohtml', $method = 0, $filter = null // Note: There is no reason to allow the backtopage, backtolist or backtourl parameter to contains an external URL. Only relative URLs are allowed. if ($paramname == 'backtopage' || $paramname == 'backtolist' || $paramname == 'backtourl') { $out = str_replace('\\', '/', $out); // Can be before the loop because only 1 char is replaced. No risk to get it after other replacements. - $out = str_replace(array(':', ';', '@', "\t", ' '), '', $out); // Can be before the loop because only 1 char is replaced. No risk to retreive it after other replacements. + $out = str_replace(array(':', ';', '@', "\t", ' '), '', $out); // Can be before the loop because only 1 char is replaced. No risk to retrieve it after other replacements. do { $oldstringtoclean = $out; $out = str_ireplace(array('javascript', 'vbscript', '&colon', '&#'), '', $out); @@ -931,13 +946,13 @@ function GETPOST($paramname, $check = 'alphanohtml', $method = 0, $filter = null } /** - * Return value of a param into GET or POST supervariable. + * Return the value of a $_GET or $_POST supervariable, converted into integer. * Use the property $user->default_values[path]['creatform'] and/or $user->default_values[path]['filters'] and/or $user->default_values[path]['sortorder'] * Note: The property $user->default_values is loaded by main.php when loading the user. * - * @param string $paramname Name of parameter to found - * @param int $method Type of method (0 = get then post, 1 = only get, 2 = only post, 3 = post then get) - * @return int Value found (int) + * @param string $paramname Name of the $_GET or $_POST parameter + * @param int $method Type of method (0 = $_GET then $_POST, 1 = only $_GET, 2 = only $_POST, 3 = $_POST then $_GET) + * @return int Value converted into integer */ function GETPOSTINT($paramname, $method = 0) { @@ -945,6 +960,21 @@ function GETPOSTINT($paramname, $method = 0) } +/** + * Return the value of a $_GET or $_POST supervariable, converted into float. + * + * @param string $paramname Name of the $_GET or $_POST parameter + * @param string|int $rounding Type of rounding ('', 'MU', 'MT, 'MS', 'CU', 'CT', integer) {@see price2num()} + * @return float Value converted into float + * @since Dolibarr V20 + */ +function GETPOSTFLOAT($paramname, $rounding = '') +{ + // price2num() is used to sanitize any valid user input (such as "1 234.5", "1 234,5", "1'234,5", "1·234,5", "1,234.5", etc.) + return (float) price2num(GETPOST($paramname), $rounding, 2); +} + + /** * Return a sanitized or empty value after checking value against a rule. * @@ -1075,6 +1105,10 @@ function sanitizeVal($out = '', $check = 'alphanohtml', $filter = null, $options $out = filter_var($out, $filter, $options); } break; + default: + dol_syslog("Error, you call sanitizeVal() with a bad value for the check type. Data will be sanitized with alphanohtml.", LOG_ERR); + $out = GETPOST($out, 'alphanohtml'); + break; } return $out; @@ -1098,7 +1132,7 @@ if (!function_exists('dol_getprefix')) { global $conf; if (getDolGlobalString('MAIL_PREFIX_FOR_EMAIL_ID')) { // If MAIL_PREFIX_FOR_EMAIL_ID is set - if ($conf->global->MAIL_PREFIX_FOR_EMAIL_ID != 'SERVER_NAME') { + if (getDolGlobalString('MAIL_PREFIX_FOR_EMAIL_ID') != 'SERVER_NAME') { return $conf->global->MAIL_PREFIX_FOR_EMAIL_ID; } elseif (isset($_SERVER["SERVER_NAME"])) { // If MAIL_PREFIX_FOR_EMAIL_ID is set to 'SERVER_NAME' return $_SERVER["SERVER_NAME"]; @@ -1217,10 +1251,10 @@ function dol_buildpath($path, $type = 0, $returnemptyifnotfound = 0) foreach ($conf->file->dol_document_root as $key => $dirroot) { // ex: array(["main"]=>"/home/main/htdocs", ["alt0"]=>"/home/dirmod/htdocs", ...) if ($key == 'main') { if ($type == 3) { - global $dolibarr_main_url_root; + /*global $dolibarr_main_url_root;*/ // Define $urlwithroot - $urlwithouturlroot = preg_replace('/'.preg_quote(DOL_URL_ROOT, '/').'$/i', '', trim($dolibarr_main_url_root)); + $urlwithouturlroot = preg_replace('/'.preg_quote(DOL_URL_ROOT, '/').'$/i', '', trim($conf->file->dol_main_url_root)); $urlwithroot = $urlwithouturlroot.DOL_URL_ROOT; // This is to use external domain name found into config file //$urlwithroot=DOL_MAIN_URL_ROOT; // This is to use same domain name than current @@ -1241,10 +1275,10 @@ function dol_buildpath($path, $type = 0, $returnemptyifnotfound = 0) $res = (preg_match('/^http/i', $conf->file->dol_url_root[$key]) ? '' : DOL_MAIN_URL_ROOT).$conf->file->dol_url_root[$key].'/'.$path; } if ($type == 3) { - global $dolibarr_main_url_root; + /*global $dolibarr_main_url_root;*/ // Define $urlwithroot - $urlwithouturlroot = preg_replace('/'.preg_quote(DOL_URL_ROOT, '/').'$/i', '', trim($dolibarr_main_url_root)); + $urlwithouturlroot = preg_replace('/'.preg_quote(DOL_URL_ROOT, '/').'$/i', '', trim($conf->file->dol_main_url_root)); $urlwithroot = $urlwithouturlroot.DOL_URL_ROOT; // This is to use external domain name found into config file //$urlwithroot=DOL_MAIN_URL_ROOT; // This is to use same domain name than current @@ -1298,7 +1332,7 @@ function dol_clone($object, $native = 0) } } } else { - $myclone = clone $object; // PHP clone is a shallow copy only, not a real clone, so properties of references will keep the reference (refering to the same target/variable) + $myclone = clone $object; // PHP clone is a shallow copy only, not a real clone, so properties of references will keep the reference (referring to the same target/variable) } return $myclone; @@ -1343,7 +1377,7 @@ function dol_sanitizeFileName($str, $newstr = '_', $unaccent = 1) // List of special chars for filenames in windows are defined on page https://docs.microsoft.com/en-us/windows/win32/fileio/naming-a-file // Char '>' '<' '|' '$' and ';' are special chars for shells. // Char '/' and '\' are file delimiters. - // Chars '--' can be used into filename to inject special paramaters like --use-compress-program to make command with file as parameter making remote execution of command + // Chars '--' can be used into filename to inject special parameters like --use-compress-program to make command with file as parameter making remote execution of command $filesystem_forbidden_chars = array('<', '>', '/', '\\', '?', '*', '|', '"', ':', '°', '$', ';', '`'); $tmp = dol_string_nospecial($unaccent ? dol_string_unaccent($str) : $str, $newstr, $filesystem_forbidden_chars); $tmp = preg_replace('/\-\-+/', '_', $tmp); @@ -1353,8 +1387,9 @@ function dol_sanitizeFileName($str, $newstr = '_', $unaccent = 1) return $tmp; } + /** - * Clean a string to use it as a path name. + * Clean a string to use it as a path name. Similare to dol_sanitizeFileName but accept / and \ chars. * Replace also '--' and ' -' strings, they are used for parameters separation (Note: ' - ' is allowed). * * @param string $str String to clean @@ -1368,7 +1403,7 @@ function dol_sanitizePathName($str, $newstr = '_', $unaccent = 1) { // List of special chars for filenames in windows are defined on page https://docs.microsoft.com/en-us/windows/win32/fileio/naming-a-file // Char '>' '<' '|' '$' and ';' are special chars for shells. - // Chars '--' can be used into filename to inject special paramaters like --use-compress-program to make command with file as parameter making remote execution of command + // Chars '--' can be used into filename to inject special parameters like --use-compress-program to make command with file as parameter making remote execution of command $filesystem_forbidden_chars = array('<', '>', '?', '*', '|', '"', '°', '$', ';', '`'); $tmp = dol_string_nospecial($unaccent ? dol_string_unaccent($str) : $str, $newstr, $filesystem_forbidden_chars); $tmp = preg_replace('/\-\-+/', '_', $tmp); @@ -1648,7 +1683,7 @@ function dolPrintHTML($s, $allowiframe = 0) } /** - * Return a string ready to be output on an HTML attribute (alt, title, ...) + * Return a string ready to be output on an HTML attribute (alt, title, data-html, ...) * * @param string $s String to print * @return string String ready for HTML output @@ -1657,7 +1692,7 @@ function dolPrintHTMLForAttribute($s) { // The dol_htmlentitiesbr will convert simple text into html // The dol_escape_htmltag will escape html chars. - return dol_escape_htmltag(dol_htmlentitiesbr($s), 1, -1); + return dol_escape_htmltag(dol_string_onlythesehtmltags(dol_htmlentitiesbr($s), 1, 0, 0, 0, array('br', 'b', 'font', 'span')), 1, -1, '', 0, 1); } /** @@ -1843,7 +1878,7 @@ function dol_ucwords($string, $encoding = "UTF-8") * @param int $ident 1=Increase ident of 1 (after log), -1=Decrease ident of 1 (before log) * @param string $suffixinfilename When output is a file, append this suffix into default log filename. Example '_stripe', '_mail' * @param string $restricttologhandler Force output of log only to this log handler - * @param array|null $logcontext If defined, an array with extra informations (can be used by some log handlers) + * @param array|null $logcontext If defined, an array with extra information (can be used by some log handlers) * @return void */ function dol_syslog($message, $level = LOG_INFO, $ident = 0, $suffixinfilename = '', $restricttologhandler = '', $logcontext = null) @@ -1928,7 +1963,7 @@ function dol_syslog($message, $level = LOG_INFO, $ident = 0, $suffixinfilename = // This is when PHP session is ran outside a web server, like from Windows command line (Not always defined, but useful if OS defined it). $data['ip'] = $_SERVER['COMPUTERNAME'].(empty($_SERVER['USERNAME']) ? '' : '@'.$_SERVER['USERNAME']); } elseif (!empty($_SERVER['LOGNAME'])) { - // This is when PHP session is ran outside a web server, like from Linux command line (Not always defined, but usefull if OS defined it). + // This is when PHP session is ran outside a web server, like from Linux command line (Not always defined, but useful if OS defined it). $data['ip'] = '???@'.$_SERVER['LOGNAME']; } @@ -2005,8 +2040,8 @@ function dolButtonToOpenUrlInDialogPopup($name, $label, $buttonstring, $url, $di $out .= '>'.$buttonstring.''; if (!empty($conf->use_javascript_ajax)) { - // Add code to open url using the popup. Add also hidden field to retreive the returned variables - $out .= ''; + // Add code to open url using the popup. Add also hidden field to retrieve the returned variables + $out .= ''; $out .= ''; $out .= ''; $out .= ''; @@ -2297,12 +2332,12 @@ function dol_get_fiche_end($notab = 0) * Show tab footer of a card. * Note: $object->next_prev_filter can be set to restrict select to find next or previous record by $form->showrefnav. * - * @param Object $object Object to show + * @param CommonObject $object Object to show * @param string $paramid Name of parameter to use to name the id into the URL next/previous link * @param string $morehtml More html content to output just before the nav bar * @param int $shownav Show Condition (navigation is shown if value is 1) - * @param string $fieldid Nom du champ en base a utiliser pour select next et previous (we make the select max and min on this field). Use 'none' for no prev/next search. - * @param string $fieldref Nom du champ objet ref (object->ref) a utiliser pour select next et previous + * @param string $fieldid Name of the field in DB to use to select next et previous (we make the select max and min on this field). Use 'none' for no prev/next search. + * @param string $fieldref Name of the field (object->ref) to use to select next et previous * @param string $morehtmlref More html to show after the ref (see $morehtmlleft for before) * @param string $moreparam More param to add in nav link url. * @param int $nodbprefix Do not include DB prefix to forge table name @@ -2327,7 +2362,7 @@ function dol_banner_tab($object, $paramid, $morehtml = '', $shownav = 1, $fieldi } $modulepart = 'unknown'; - if ($object->element == 'societe' || $object->element == 'contact' || $object->element == 'product' || $object->element == 'ticket') { + if (in_array($object->element, ['societe', 'contact', 'product', 'ticket', 'bom'])) { $modulepart = $object->element; } elseif ($object->element == 'member') { $modulepart = 'memberphoto'; @@ -2350,10 +2385,11 @@ function dol_banner_tab($object, $paramid, $morehtml = '', $shownav = 1, $fieldi } if ($object->element == 'product') { + /** @var Product $object */ $width = 80; $cssclass = 'photowithmargin photoref'; $showimage = $object->is_photo_available($conf->product->multidir_output[$entity]); - $maxvisiblephotos = (isset($conf->global->PRODUCT_MAX_VISIBLE_PHOTO) ? $conf->global->PRODUCT_MAX_VISIBLE_PHOTO : 5); + $maxvisiblephotos = getDolGlobalInt('PRODUCT_MAX_VISIBLE_PHOTO', 5); if ($conf->browser->layout == 'phone') { $maxvisiblephotos = 1; } @@ -2368,11 +2404,31 @@ function dol_banner_tab($object, $paramid, $morehtml = '', $shownav = 1, $fieldi $morehtmlleft .= '
      transnoentitiesnoconv("Documents"))).'" alt="No photo"'.($width ? ' style="width: '.$width.'px"' : '').' src="'.DOL_URL_ROOT.$nophoto.'">
      '; } } + } elseif ($object->element == 'bom') { + /** @var Bom $object */ + $width = 80; + $cssclass = 'photowithmargin photoref'; + $showimage = $object->is_photo_available($conf->bom->multidir_output[$entity]); + $maxvisiblephotos = getDolGlobalInt('BOM_MAX_VISIBLE_PHOTO', 5); + if ($conf->browser->layout == 'phone') { + $maxvisiblephotos = 1; + } + if ($showimage) { + $morehtmlleft .= '
      '.$object->show_photos('bom', $conf->bom->multidir_output[$entity], 'small', $maxvisiblephotos, 0, 0, 0, 0, $width, 0, '').'
      '; + } else { + if (getDolGlobalString('BOM_NODISPLAYIFNOPHOTO')) { + $nophoto = ''; + $morehtmlleft .= '
      '; + } else { // Show no photo link + $nophoto = '/public/theme/common/nophoto.png'; + $morehtmlleft .= '
      transnoentitiesnoconv("Documents"))).'" alt="No photo"'.($width ? ' style="width: '.$width.'px"' : '').' src="'.DOL_URL_ROOT.$nophoto.'">
      '; + } + } } elseif ($object->element == 'ticket') { $width = 80; $cssclass = 'photoref'; $showimage = $object->is_photo_available($conf->ticket->multidir_output[$entity].'/'.$object->ref); - $maxvisiblephotos = (isset($conf->global->TICKET_MAX_VISIBLE_PHOTO) ? $conf->global->TICKET_MAX_VISIBLE_PHOTO : 2); + $maxvisiblephotos = getDolGlobalInt('TICKET_MAX_VISIBLE_PHOTO', 2); if ($conf->browser->layout == 'phone') { $maxvisiblephotos = 1; } @@ -2428,7 +2484,7 @@ function dol_banner_tab($object, $paramid, $morehtml = '', $shownav = 1, $fieldi // If PDF file exists if ($pdfexists) { - // Conversion du PDF en image png si fichier png non existant + // Conversion du PDF en image png si fichier png non existent if (!file_exists($fileimage) || (filemtime($fileimage) < filemtime($filepdf))) { if (!getDolGlobalString('MAIN_DISABLE_PDF_THUMBS')) { // If you experience trouble with pdf thumb generation and imagick, you can disable here. include_once DOL_DOCUMENT_ROOT.'/core/lib/files.lib.php'; @@ -2514,7 +2570,13 @@ function dol_banner_tab($object, $paramid, $morehtml = '', $shownav = 1, $fieldi } else { $morehtmlstatus .= ''.$object->getLibStatut(6, 1).''; } - } elseif (in_array($object->element, array('facture', 'invoice', 'invoice_supplier', 'chargesociales', 'loan', 'tva', 'salary'))) { + } elseif (in_array($object->element, array('salary'))) { + $tmptxt = $object->getLibStatut(6, $object->alreadypaid); + if (empty($tmptxt) || $tmptxt == $object->getLibStatut(3)) { + $tmptxt = $object->getLibStatut(5, $object->alreadypaid); + } + $morehtmlstatus .= $tmptxt; + } elseif (in_array($object->element, array('facture', 'invoice', 'invoice_supplier', 'chargesociales', 'loan', 'tva'))) { // TODO Move this to use ->alreadypaid $tmptxt = $object->getLibStatut(6, $object->totalpaid); if (empty($tmptxt) || $tmptxt == $object->getLibStatut(3)) { $tmptxt = $object->getLibStatut(5, $object->totalpaid); @@ -2648,7 +2710,7 @@ function dol_bc($var, $moreclass = '') } /** - * Return a formated address (part address/zip/town/state) according to country rules. + * Return a formatted address (part address/zip/town/state) according to country rules. * See https://en.wikipedia.org/wiki/Address * * @param Object $object A company or contact object @@ -2657,10 +2719,10 @@ function dol_bc($var, $moreclass = '') * @param Translate $outputlangs Object lang that contains language for text translation. * @param int $mode 0=Standard output, 1=Remove address * @param string $extralangcode User extralanguage $langcode as values for address, town - * @return string Formated string + * @return string Formatted string * @see dol_print_address() */ -function dol_format_address($object, $withcountry = 0, $sep = "\n", $outputlangs = '', $mode = 0, $extralangcode = '') +function dol_format_address($object, $withcountry = 0, $sep = "\n", $outputlangs = null, $mode = 0, $extralangcode = '') { global $conf, $langs, $hookmanager; @@ -2748,16 +2810,16 @@ function dol_format_address($object, $withcountry = 0, $sep = "\n", $outputlangs * Format a string. * * @param string $fmt Format of strftime function (http://php.net/manual/fr/function.strftime.php) - * @param int $ts Timesamp (If is_gmt is true, timestamp is already includes timezone and daylight saving offset, if is_gmt is false, timestamp is a GMT timestamp and we must compensate with server PHP TZ) - * @param int $is_gmt See comment of timestamp parameter + * @param int $ts Timestamp (If is_gmt is true, timestamp is already includes timezone and daylight saving offset, if is_gmt is false, timestamp is a GMT timestamp and we must compensate with server PHP TZ) + * @param bool $is_gmt See comment of timestamp parameter * @return string A formatted string */ function dol_strftime($fmt, $ts = false, $is_gmt = false) { if ((abs($ts) <= 0x7FFFFFFF)) { // check if number in 32-bit signed range - return ($is_gmt) ? @gmstrftime($fmt, $ts) : @strftime($fmt, $ts); + return dol_print_date($ts, $fmt, $is_gmt); } else { - return 'Error date into a not supported range'; + return 'Error date outside supported range'; } } @@ -2772,17 +2834,17 @@ function dol_strftime($fmt, $ts = false, $is_gmt = false) * "%d/%m/%Y %H:%M:%S", * "%B"=Long text of month, "%A"=Long text of day, "%b"=Short text of month, "%a"=Short text of day * "day", "daytext", "dayhour", "dayhourldap", "dayhourtext", "dayrfc", "dayhourrfc", "...inputnoreduce", "...reduceformat" - * @param string $tzoutput true or 'gmt' => string is for Greenwich location + * @param string|bool $tzoutput true or 'gmt' => string is for Greenwich location * false or 'tzserver' => output string is for local PHP server TZ usage * 'tzuser' => output string is for user TZ (current browser TZ with current dst) => In a future, we should have same behaviour than 'tzuserrel' * 'tzuserrel' => output string is for user TZ (current browser TZ with dst or not, depending on date position) * @param Translate $outputlangs Object lang that contains language for text translation. * @param boolean $encodetooutput false=no convert into output pagecode - * @return string Formated date or '' if time is null + * @return string Formatted date or '' if time is null * * @see dol_mktime(), dol_stringtotime(), dol_getdate(), selectDate() */ -function dol_print_date($time, $format = '', $tzoutput = 'auto', $outputlangs = '', $encodetooutput = false) +function dol_print_date($time, $format = '', $tzoutput = 'auto', $outputlangs = null, $encodetooutput = false) { global $conf, $langs; @@ -2900,7 +2962,7 @@ function dol_print_date($time, $format = '', $tzoutput = 'auto', $outputlangs = // Analyze date $reg = array(); if (preg_match('/^([0-9][0-9][0-9][0-9])([0-9][0-9])([0-9][0-9])([0-9][0-9])([0-9][0-9])([0-9][0-9])$/i', $time, $reg)) { // Deprecated. Ex: 1970-01-01, 1970-01-01 01:00:00, 19700101010000 - dol_print_error('', "Functions.lib::dol_print_date function called with a bad value from page ".(empty($_SERVER["PHP_SELF"]) ? 'unknown' : $_SERVER["PHP_SELF"])); + dol_print_error(null, "Functions.lib::dol_print_date function called with a bad value from page ".(empty($_SERVER["PHP_SELF"]) ? 'unknown' : $_SERVER["PHP_SELF"])); return ''; } elseif (preg_match('/^([0-9]+)\-([0-9]+)\-([0-9]+) ?([0-9]+)?:?([0-9]+)?:?([0-9]+)?/i', $time, $reg)) { // Still available to solve problems in extrafields of type date // This part of code should not be used anymore. @@ -3016,13 +3078,13 @@ function dol_print_date($time, $format = '', $tzoutput = 'auto', $outputlangs = /** * Return an array with locale date info. - * WARNING: This function use PHP server timezone by default to return locale informations. + * WARNING: This function use PHP server timezone by default to return locale information. * Be aware to add the third parameter to "UTC" if you need to work on UTC. * * @param int $timestamp Timestamp * @param boolean $fast Fast mode. deprecated. * @param string $forcetimezone '' to use the PHP server timezone. Or use a form like 'gmt', 'Europe/Paris' or '+0200' to force timezone. - * @return array Array of informations + * @return array Array of information * 'seconds' => $secs, * 'minutes' => $min, * 'hours' => $hour, @@ -3061,7 +3123,7 @@ function dol_getdate($timestamp, $fast = false, $forcetimezone = '') } /** - * Return a timestamp date built from detailed informations (by default a local PHP server timestamp) + * Return a timestamp date built from detailed information (by default a local PHP server timestamp) * Replace function mktime not available under Windows if year < 1970 * PHP mktime is restricted to the years 1901-2038 on Unix and 1970-2038 on Windows * @@ -3071,14 +3133,14 @@ function dol_getdate($timestamp, $fast = false, $forcetimezone = '') * @param int $month Month (1 to 12) * @param int $day Day (1 to 31) * @param int $year Year - * @param mixed $gm True or 1 or 'gmt'=Input informations are GMT values + * @param mixed $gm True or 1 or 'gmt'=Input information are GMT values * False or 0 or 'tzserver' = local to server TZ * 'auto' * 'tzuser' = local to user TZ taking dst into account at the current date. Not yet implemented. * 'tzuserrel' = local to user TZ taking dst into account at the given date. Use this one to convert date input from user into a GMT date. * 'tz,TimeZone' = use specified timezone * @param int $check 0=No check on parameters (Can use day 32, etc...) - * @return int|string Date as a timestamp, '' or false if error + * @return int|string Date as a timestamp, '' if error * @see dol_print_date(), dol_stringtotime(), dol_getdate() */ function dol_mktime($hour, $minute, $second, $month, $day, $year, $gm = 'auto', $check = 1) @@ -3201,7 +3263,7 @@ function dol_now($mode = 'auto') /** - * Return string with formated size + * Return string with formatted size * * @param int $size Size to print * @param int $shortvalue Tell if we want long value to use another unit (Ex: 1.5Kb instead of 1500b) @@ -3479,7 +3541,7 @@ function dol_print_socialnetworks($value, $cid, $socid, $type, $dictsocialnetwor * @param string $profIDtype Type of profID to format ('1', '2', '3', '4', '5', '6' or 'VAT') * @param string $countrycode Country code to use for formatting * @param int $addcpButton Add button to copy to clipboard (1 => show only on hoover ; 2 => always display ) - * @return string Formated profID + * @return string Formatted profID */ function dol_print_profids($profID, $profIDtype, $countrycode = '', $addcpButton = 1) { @@ -3535,7 +3597,7 @@ function dol_print_profids($profID, $profIDtype, $countrycode = '', $addcpButton * @param string $withpicto Show picto ('fax', 'phone', 'mobile') * @param string $titlealt Text to show on alt * @param int $adddivfloat Add div float around phone. - * @return string Formated phone number + * @return string Formatted phone number */ function dol_print_phone($phone, $countrycode = '', $cid = 0, $socid = 0, $addlink = '', $separ = " ", $withpicto = '', $titlealt = '', $adddivfloat = 0) { @@ -3547,7 +3609,7 @@ function dol_print_phone($phone, $countrycode = '', $cid = 0, $socid = 0, $addli return ''; } if (getDolGlobalString('MAIN_PHONE_SEPAR')) { - $separ = $conf->global->MAIN_PHONE_SEPAR; + $separ = getDolGlobalString('MAIN_PHONE_SEPAR'); } if (empty($countrycode) && is_object($mysoc)) { $countrycode = $mysoc->country_code; @@ -3727,11 +3789,11 @@ function dol_print_phone($phone, $countrycode = '', $cid = 0, $socid = 0, $addli } } elseif (strtoupper($countrycode) == "LU") { // Luxembourg - if (dol_strlen($phone) == 10) {// fixe 6 chiffres +352_AA_BB_CC + if (dol_strlen($phone) == 10) {// fix 6 digits +352_AA_BB_CC $newphone = substr($newphone, 0, 4).$separ.substr($newphone, 4, 2).$separ.substr($newphone, 6, 2).$separ.substr($newphone, 8, 2); - } elseif (dol_strlen($phone) == 11) {// fixe 7 chiffres +352_AA_BB_CC_D + } elseif (dol_strlen($phone) == 11) {// fix 7 digits +352_AA_BB_CC_D $newphone = substr($newphone, 0, 4).$separ.substr($newphone, 4, 2).$separ.substr($newphone, 6, 2).$separ.substr($newphone, 8, 2).$separ.substr($newphone, 10, 1); - } elseif (dol_strlen($phone) == 12) {// fixe 8 chiffres +352_AA_BB_CC_DD + } elseif (dol_strlen($phone) == 12) {// fix 8 digits +352_AA_BB_CC_DD $newphone = substr($newphone, 0, 4).$separ.substr($newphone, 4, 2).$separ.substr($newphone, 6, 2).$separ.substr($newphone, 8, 2).$separ.substr($newphone, 10, 2); } elseif (dol_strlen($phone) == 13) {// mobile +352_AAA_BB_CC_DD $newphone = substr($newphone, 0, 4).$separ.substr($newphone, 4, 3).$separ.substr($newphone, 7, 2).$separ.substr($newphone, 9, 2).$separ.substr($newphone, 11, 2); @@ -3766,7 +3828,7 @@ function dol_print_phone($phone, $countrycode = '', $cid = 0, $socid = 0, $addli '__PASS__'=>$clicktodial_password); $url = make_substitutions($url, $substitarray); if (!getDolGlobalString('CLICKTODIAL_DO_NOT_USE_AJAX_CALL')) { - // Default and recommended: New method using ajax without submiting a page making a javascript history.go(-1) back + // Default and recommended: New method using ajax without submitting a page making a javascript history.go(-1) back $newphoneastart = ''; // Call of ajax is handled by the lib_foot.js.php on class 'cssforclicktodial' $newphoneaend = ''; } else { @@ -3843,11 +3905,11 @@ function dol_print_phone($phone, $countrycode = '', $cid = 0, $socid = 0, $addli } /** - * Return an IP formated to be shown on screen + * Return an IP formatted to be shown on screen * * @param string $ip IP * @param int $mode 0=return IP + country/flag, 1=return only country/flag, 2=return only IP - * @return string Formated IP, with country if GeoIP module is enabled + * @return string Formatted IP, with country if GeoIP module is enabled */ function dol_print_ip($ip, $mode = 0) { @@ -3902,7 +3964,7 @@ function getUserRemoteIP() } /** - * Return if we are using a HTTPS connexion + * Return if we are using a HTTPS connection * Check HTTPS (no way to be modified by user but may be empty or wrong if user is using a proxy) * Take HTTP_X_FORWARDED_PROTO (defined when using proxy) * Then HTTP_X_FORWARDED_SSL @@ -3976,7 +4038,7 @@ function dol_user_country() * * @param string $address Address string, already formatted with dol_format_address() * @param int $htmlid Html ID (for example 'gmap') - * @param int $element 'thirdparty'|'contact'|'member'|'other' + * @param int $element 'thirdparty'|'contact'|'member'|'user'|'other' * @param int $id Id of object * @param int $noprint No output. Result is the function return * @param string $charfornl Char to use instead of nl2br. '' means we use a standad nl2br. @@ -4013,6 +4075,9 @@ function dol_print_address($address, $htmlid, $element, $id, $noprint = 0, $char if ($element == 'member' && isModEnabled('google') && getDolGlobalString('GOOGLE_ENABLE_GMAPS_MEMBERS')) { $showgmap = 1; } + if ($element == 'user' && isModEnabled('google') && getDolGlobalString('GOOGLE_ENABLE_GMAPS_USERS')) { + $showgmap = 1; + } if (($element == 'thirdparty' || $element == 'societe') && isModEnabled('openstreetmap') && getDolGlobalString('OPENSTREETMAP_ENABLE_MAPS')) { $showomap = 1; } @@ -4022,6 +4087,9 @@ function dol_print_address($address, $htmlid, $element, $id, $noprint = 0, $char if ($element == 'member' && isModEnabled('openstreetmap') && getDolGlobalString('OPENSTREETMAP_ENABLE_MAPS_MEMBERS')) { $showomap = 1; } + if ($element == 'user' && isModEnabled('openstreetmap') && getDolGlobalString('OPENSTREETMAP_ENABLE_MAPS_USERS')) { + $showomap = 1; + } if ($showgmap) { $url = dol_buildpath('/google/gmaps.php?mode='.$element.'&id='.$id, 1); $out .= ' '; @@ -4043,7 +4111,7 @@ function dol_print_address($address, $htmlid, $element, $id, $noprint = 0, $char /** * Return true if email syntax is ok. * - * @param string $address email (Ex: "toto@examle.com". Long form "John Do " will be false) + * @param string $address email (Ex: "toto@example.com". Long form "John Do " will be false) * @param int $acceptsupervisorkey If 1, the special string '__SUPERVISOREMAIL__' is also accepted as valid * @param int $acceptuserkey If 1, the special string '__USER_EMAIL__' is also accepted as valid * @return boolean true if email syntax is OK, false if KO or empty string @@ -4155,7 +4223,7 @@ function dol_strlen($string, $stringencoding = 'UTF-8') * Make a substring. Works even if mbstring module is not enabled for better compatibility. * * @param string $string String to scan - * @param string $start Start position + * @param string $start Start position (0 for first char) * @param int|null $length Length (in nb of characters or nb of bytes depending on trunconbytes param) * @param string $stringencoding Page code used for input string encoding * @param int $trunconbytes 1=Length is max of bytes instead of max of characters @@ -4320,7 +4388,7 @@ function getPictoForType($key) */ function img_picto($titlealt, $picto, $moreatt = '', $pictoisfullpath = false, $srconly = 0, $notitle = 0, $alt = '', $morecss = '', $marginleftonlyshort = 2) { - global $conf, $langs; + global $conf; // We forge fullpathpicto for image to $path/img/$picto. By default, we take DOL_URL_ROOT/theme/$conf->theme/img/$picto $url = DOL_URL_ROOT; @@ -4429,7 +4497,8 @@ function img_picto($titlealt, $picto, $moreatt = '', $pictoisfullpath = false, $ 'timespent', 'title_setup', 'title_accountancy', 'title_bank', 'title_hrm', 'title_agenda', 'uncheck', 'url', 'user-cog', 'user-injured', 'user-md', 'vat', 'website', 'workstation', 'webhook', 'world', 'private', 'conferenceorbooth', 'eventorganization', - 'stamp', 'signature' + 'stamp', 'signature', + 'webportal' ))) { $fakey = $pictowithouttext; $facolor = ''; @@ -4481,7 +4550,8 @@ function img_picto($titlealt, $picto, $moreatt = '', $pictoisfullpath = false, $ 'uncheck'=>'times', 'uparrow'=>'share', 'url'=>'external-link-alt', 'vat'=>'money-check-alt', 'vcard'=>'arrow-alt-circle-down', 'jabber'=>'comment-o', 'website'=>'globe-americas', 'workstation'=>'pallet', 'webhook'=>'bullseye', 'world'=>'globe', 'private'=>'user-lock', - 'conferenceorbooth'=>'chalkboard-teacher', 'eventorganization'=>'project-diagram' + 'conferenceorbooth'=>'chalkboard-teacher', 'eventorganization'=>'project-diagram', + 'webportal'=>'door-open' ); if ($conf->currency == 'EUR') { $arrayconvpictotofa['currency'] = 'euro-sign'; @@ -4640,7 +4710,7 @@ function img_picto($titlealt, $picto, $moreatt = '', $pictoisfullpath = false, $ if ($type == 'main') { continue; } - // This need a lot of time, that's why enabling alternative dir like "custom" dir is not recommanded + // This need a lot of time, that's why enabling alternative dir like "custom" dir is not recommended if (file_exists($dirroot.'/'.$path.'/img/'.$picto)) { $url = DOL_URL_ROOT.$conf->file->dol_url_root[$type]; break; @@ -4844,7 +4914,7 @@ function img_edit_remove($titlealt = 'default', $other = '') } /** - * Show logo editer/modifier fiche + * Show logo edit/modify fiche * * @param string $titlealt Text on alt and title of image. Alt only if param notitle is set to 1. If text is "TextA:TextB", use Text A on alt and Text B on title. * @param integer $float If you have to put the style "float: right" @@ -5300,13 +5370,13 @@ function info_admin($text, $infoonimgalt = 0, $nodiv = 0, $admin = '1', $morecss * This function must be called when a blocking technical error is encountered. * However, one must try to call it only within php pages, classes must return their error through their property "error". * - * @param DoliDB|string $db Database handler + * @param DoliDB|null $db Database handler * @param string|string[] $error String or array of errors strings to show - * @param array $errors Array of errors + * @param string[]|null $errors Array of errors * @return void * @see dol_htmloutput_errors() */ -function dol_print_error($db = '', $error = '', $errors = null) +function dol_print_error($db = null, $error = '', $errors = null) { global $conf, $langs, $argv; global $dolibarr_main_prod; @@ -5410,7 +5480,7 @@ function dol_print_error($db = '', $error = '', $errors = null) } if (empty($dolibarr_main_prod) && $_SERVER['DOCUMENT_ROOT'] && function_exists('xdebug_print_function_stack') && function_exists('xdebug_call_file')) { xdebug_print_function_stack(); - $out .= 'XDebug informations:'."
      \n"; + $out .= 'XDebug information:'."
      \n"; $out .= 'File: '.xdebug_call_file()."
      \n"; $out .= 'Line: '.xdebug_call_line()."
      \n"; $out .= 'Function: '.xdebug_call_function()."
      \n"; @@ -5422,8 +5492,8 @@ function dol_print_error($db = '', $error = '', $errors = null) if (function_exists('top_httphead')) { // In CLI context, the method does not exists top_httphead(); } - //http_response_code(500); // If we use 500, message is not ouput with some command line tools - http_response_code(202); // If we use 202, this is not really an error message, but this allow to ouput message on command line tools + //http_response_code(500); // If we use 500, message is not output with some command line tools + http_response_code(202); // If we use 202, this is not really an error message, but this allow to output message on command line tools } if (empty($dolibarr_main_prod)) { @@ -5434,7 +5504,7 @@ function dol_print_error($db = '', $error = '', $errors = null) } $langs->loadLangs(array("main", "errors")); // Reload main because language may have been set only on previous line so we have to reload files we need. // This should not happen, except if there is a bug somewhere. Enabled and check log in such case. - print 'This website or feature is currently temporarly not available or failed after a technical error.

      This may be due to a maintenance operation. Current status of operation ('.dol_print_date(dol_now(), 'dayhourrfc').') are on next line...

      '."\n"; + print 'This website or feature is currently temporarily not available or failed after a technical error.

      This may be due to a maintenance operation. Current status of operation ('.dol_print_date(dol_now(), 'dayhourrfc').') are on next line...

      '."\n"; print $langs->trans("DolibarrHasDetectedError").'. '; print $langs->trans("YouCanSetOptionDolibarrMainProdToZero"); if (!defined("MAIN_CORE_ERROR")) { @@ -5460,7 +5530,7 @@ function dol_print_error_email($prefixcode, $errormessage = '', $errormessages = global $langs, $conf; if (empty($email)) { - $email = $conf->global->MAIN_INFO_SOCIETE_MAIL; + $email = getDolGlobalString('MAIN_INFO_SOCIETE_MAIL'); } $langs->load("errors"); @@ -5485,9 +5555,9 @@ function dol_print_error_email($prefixcode, $errormessage = '', $errormessages = * @param string $name Label of field * @param string $file Url used when we click on sort picto * @param string $field Field to use for new sorting - * @param string $begin ("" by defaut) + * @param string $begin ("" by default) * @param string $moreparam Add more parameters on sort url links ("" by default) - * @param string $moreattrib Options of attribute td ("" by defaut) + * @param string $moreattrib Options of attribute td ("" by default) * @param string $sortfield Current field used to sort * @param string $sortorder Current sort order * @param string $prefix Prefix for css. Use space after prefix to add your own CSS tag, for example 'mycss '. @@ -5507,9 +5577,9 @@ function print_liste_field_titre($name, $file = "", $field = "", $begin = "", $m * @param int $thead 0=To use with standard table format, 1=To use inside
      , 2=To use with
      * @param string $file Url used when we click on sort picto * @param string $field Field to use for new sorting. Empty if this field is not sortable. Example "t.abc" or "t.abc,t.def" - * @param string $begin ("" by defaut) + * @param string $begin ("" by default) * @param string $moreparam Add more parameters on sort url links ("" by default) - * @param string $moreattrib Add more attributes on th ("" by defaut). To add more css class, use param $prefix. + * @param string $moreattrib Add more attributes on th ("" by default). To add more css class, use param $prefix. * @param string $sortfield Current field used to sort (Ex: 'd.datep,d.id') * @param string $sortorder Current sort order (Ex: 'asc,desc') * @param string $prefix Prefix for css. Use space after prefix to add your own CSS tag, for example 'mycss '. @@ -5716,7 +5786,7 @@ function load_fiche_titre($titre, $morehtmlright = '', $picto = 'generic', $pict * @param string $options More parameters for links ('' by default, does not include sortfield neither sortorder). Value must be 'urlencoded' before calling function. * @param string $sortfield Field to sort on ('' by default) * @param string $sortorder Order to sort ('' by default) - * @param string $morehtmlcenter String in the middle ('' by default). We often find here string $massaction comming from $form->selectMassAction() + * @param string $morehtmlcenter String in the middle ('' by default). We often find here string $massaction coming from $form->selectMassAction() * @param int $num Number of records found by select with limit+1 * @param int|string $totalnboflines Total number of records/lines for all pages (if known). Use a negative value of number to not show number. Use '' if unknown. * @param string $picto Icon to use before title (should be a 32x32 transparent png file) @@ -5807,11 +5877,11 @@ function print_barre_liste($titre, $page, $file, $options = '', $sortfield = '', if ($cpt >= 1) { if (empty($pagenavastextinput)) { - $pagelist .= ''; + $pagelist .= ''; if ($cpt > 2) { $pagelist .= ''; } elseif ($cpt == 2) { - $pagelist .= ''; + $pagelist .= ''; } } } @@ -5826,7 +5896,7 @@ function print_barre_liste($titre, $page, $file, $options = '', $sortfield = '', if ($cpt == $page) { $pagelist .= ''; } else { - $pagelist .= ''; + $pagelist .= ''; } } $cpt++; @@ -5837,13 +5907,13 @@ function print_barre_liste($titre, $page, $file, $options = '', $sortfield = '', if ($cpt < $nbpages - 2) { $pagelist .= ''; } elseif ($cpt == $nbpages - 2) { - $pagelist .= ''; + $pagelist .= ''; } - $pagelist .= ''; + $pagelist .= ''; } } else { //var_dump($page.' '.$cpt.' '.$nbpages); - $pagelist .= ''; + $pagelist .= ''; } } else { $pagelist .= '"; @@ -5906,7 +5976,7 @@ function print_fleche_navigation($page, $file, $options = '', $nextpage = 0, $be //$pagesizechoices.=',0:'.$langs->trans("All"); // Not yet supported //$pagesizechoices.=',2:2'; if (getDolGlobalString('MAIN_PAGESIZE_CHOICES')) { - $pagesizechoices = $conf->global->MAIN_PAGESIZE_CHOICES; + $pagesizechoices = getDolGlobalString('MAIN_PAGESIZE_CHOICES'); } print ''; } if ($page > 0) { - print ''; + print ''; } if ($betweenarrows) { print ''; @@ -5957,7 +6027,7 @@ function print_fleche_navigation($page, $file, $options = '', $nextpage = 0, $be print ''; } if ($nextpage > 0) { - print ''; + print ''; } if ($afterarrows) { print '
    • '; @@ -5970,7 +6040,7 @@ function print_fleche_navigation($page, $file, $options = '', $nextpage = 0, $be /** - * Return a string with VAT rate label formated for view output + * Return a string with VAT rate label formatted for view output * Used into pdf and HTML pages * * @param string $rate Rate value to format ('19.6', '19,6', '19.6%', '19,6%', '19.6 (CODEX)', ...) @@ -5978,7 +6048,7 @@ function print_fleche_navigation($page, $file, $options = '', $nextpage = 0, $be * @param int $info_bits Miscellaneous information on vat (0=Default, 1=French NPR vat) * @param int $usestarfornpr -1=Never show, 0 or 1=Use '*' for NPR vat rates * @param int $html Used for html output - * @return string String with formated amounts ('19,6' or '19,6%' or '8.5% (NPR)' or '8.5% *' or '19,6 (CODEX)') + * @return string String with formatted amounts ('19,6' or '19,6%' or '8.5% (NPR)' or '8.5% *' or '19,6 (CODEX)') */ function vatrate($rate, $addpercent = false, $info_bits = 0, $usestarfornpr = 0, $html = 0) { @@ -6021,11 +6091,11 @@ function vatrate($rate, $addpercent = false, $info_bits = 0, $usestarfornpr = 0, * @param float $amount Amount to format * @param integer $form Type of format, HTML or not (not by default) * @param Translate|string $outlangs Object langs for output. '' use default lang. 'none' use international separators. - * @param int $trunc 1=Truncate if there is more decimals than MAIN_MAX_DECIMALS_SHOWN (default), 0=Does not truncate. Deprecated because amount are rounded (to unit or total amount accurancy) before beeing inserted into database or after a computation, so this parameter should be useless. + * @param int $trunc 1=Truncate if there is more decimals than MAIN_MAX_DECIMALS_SHOWN (default), 0=Does not truncate. Deprecated because amount are rounded (to unit or total amount accuracy) before being inserted into database or after a computation, so this parameter should be useless. * @param int $rounding MINIMUM number of decimal to show: 0=no change, -1=we use min($conf->global->MAIN_MAX_DECIMALS_UNIT,$conf->global->MAIN_MAX_DECIMALS_TOT) * @param int|string $forcerounding MAXIMUM number of decimal to forcerounding decimal: -1=no change, 'MU' or 'MT' or numeric to round to MU or MT or to a given number of decimal * @param string $currency_code To add currency symbol (''=add nothing, 'auto'=Use default currency, 'XXX'=add currency symbols for XXX currency) - * @return string String with formated amount + * @return string String with formatted amount * * @see price2num() Revert function of price */ @@ -6037,9 +6107,9 @@ function price($amount, $form = 0, $outlangs = '', $trunc = 1, $rounding = -1, $ if (empty($amount)) { $amount = 0; // To have a numeric value if amount not defined or = '' } - $amount = (is_numeric($amount) ? $amount : 0); // Check if amount is numeric, for example, an error occured when amount value = o (letter) instead 0 (number) + $amount = (is_numeric($amount) ? $amount : 0); // Check if amount is numeric, for example, an error occurred when amount value = o (letter) instead 0 (number) if ($rounding == -1) { - $rounding = min($conf->global->MAIN_MAX_DECIMALS_UNIT, $conf->global->MAIN_MAX_DECIMALS_TOT); + $rounding = min(getDolGlobalString('MAIN_MAX_DECIMALS_UNIT'), getDolGlobalString('MAIN_MAX_DECIMALS_TOT')); } $nbdecimal = $rounding; @@ -6074,8 +6144,8 @@ function price($amount, $form = 0, $outlangs = '', $trunc = 1, $rounding = -1, $ //print "amount=".$amount."-"; $amount = str_replace(',', '.', $amount); // should be useless //print $amount."-"; - $datas = explode('.', $amount); - $decpart = isset($datas[1]) ? $datas[1] : ''; + $data = explode('.', $amount); + $decpart = isset($data[1]) ? $data[1] : ''; $decpart = preg_replace('/0+$/i', '', $decpart); // Supprime les 0 de fin de partie decimale //print "decpart=".$decpart."
      "; $end = ''; @@ -6086,7 +6156,7 @@ function price($amount, $form = 0, $outlangs = '', $trunc = 1, $rounding = -1, $ } // Si on depasse max if ($trunc && $nbdecimal > $conf->global->MAIN_MAX_DECIMALS_SHOWN) { - $nbdecimal = $conf->global->MAIN_MAX_DECIMALS_SHOWN; + $nbdecimal = getDolGlobalString('MAIN_MAX_DECIMALS_SHOWN'); if (preg_match('/\.\.\./i', $conf->global->MAIN_MAX_DECIMALS_SHOWN)) { // Si un affichage est tronque, on montre des ... $end = '...'; @@ -6096,9 +6166,9 @@ function price($amount, $form = 0, $outlangs = '', $trunc = 1, $rounding = -1, $ // If force rounding if ((string) $forcerounding != '-1') { if ($forcerounding === 'MU') { - $nbdecimal = $conf->global->MAIN_MAX_DECIMALS_UNIT; + $nbdecimal = getDolGlobalString('MAIN_MAX_DECIMALS_UNIT'); } elseif ($forcerounding === 'MT') { - $nbdecimal = $conf->global->MAIN_MAX_DECIMALS_TOT; + $nbdecimal = getDolGlobalString('MAIN_MAX_DECIMALS_TOT'); } elseif ($forcerounding >= 0) { $nbdecimal = $forcerounding; } @@ -6227,15 +6297,15 @@ function price2num($amount, $rounding = '', $option = 0) if ($rounding) { $nbofdectoround = ''; if ($rounding == 'MU') { - $nbofdectoround = $conf->global->MAIN_MAX_DECIMALS_UNIT; + $nbofdectoround = getDolGlobalString('MAIN_MAX_DECIMALS_UNIT'); } elseif ($rounding == 'MT') { - $nbofdectoround = $conf->global->MAIN_MAX_DECIMALS_TOT; + $nbofdectoround = getDolGlobalString('MAIN_MAX_DECIMALS_TOT'); } elseif ($rounding == 'MS') { $nbofdectoround = isset($conf->global->MAIN_MAX_DECIMALS_STOCK) ? $conf->global->MAIN_MAX_DECIMALS_STOCK : 5; } elseif ($rounding == 'CU') { - $nbofdectoround = max($conf->global->MAIN_MAX_DECIMALS_UNIT, 8); // TODO Use param of currency + $nbofdectoround = max(getDolGlobalString('MAIN_MAX_DECIMALS_UNIT'), 8); // TODO Use param of currency } elseif ($rounding == 'CT') { - $nbofdectoround = max($conf->global->MAIN_MAX_DECIMALS_TOT, 8); // TODO Use param of currency + $nbofdectoround = max(getDolGlobalString('MAIN_MAX_DECIMALS_TOT'), 8); // TODO Use param of currency } elseif (is_numeric($rounding)) { $nbofdectoround = (int) $rounding; } @@ -6698,7 +6768,7 @@ function get_product_vat_for_country($idprod, $thirdpartytouse, $idprodfournpric $found = 1; } } else { - // TODO Read default product vat according to product and another countrycode. + // TODO Read default product vat according to product and an other countrycode. // Vat for couple anothercountrycode/product is data that is not managed and store yet, so we will fallback on next rule. } } @@ -6731,8 +6801,8 @@ function get_product_vat_for_country($idprod, $thirdpartytouse, $idprodfournpric // '1.23' // or '1.23 (CODE)' $defaulttx = ''; - if ($conf->global->MAIN_VAT_DEFAULT_IF_AUTODETECT_FAILS != 'none') { - $defaulttx = $conf->global->MAIN_VAT_DEFAULT_IF_AUTODETECT_FAILS; + if (getDolGlobalString('MAIN_VAT_DEFAULT_IF_AUTODETECT_FAILS') != 'none') { + $defaulttx = getDolGlobalString('MAIN_VAT_DEFAULT_IF_AUTODETECT_FAILS'); } /*if (preg_match('/\((.*)\)/', $defaulttx, $reg)) { $defaultcode = $reg[1]; @@ -6753,7 +6823,7 @@ function get_product_vat_for_country($idprod, $thirdpartytouse, $idprodfournpric * @param int $idprod Id of product * @param int $local 1 for localtax1, 2 for localtax 2 * @param Societe $thirdpartytouse Thirdparty with a ->country_code defined (FR, US, IT, ...) - * @return int <0 if KO, Vat rate if OK + * @return int Return integer <0 if KO, Vat rate if OK * @see get_product_vat_for_country() */ function get_product_localtax_for_country($idprod, $local, $thirdpartytouse) @@ -6821,8 +6891,8 @@ function get_product_localtax_for_country($idprod, $local, $thirdpartytouse) * VATRULE 5: If (seller and buyer in European Community) and (buyer = company) then VAT by default=0. End of rule * VATRULE 6: Otherwise the VAT proposed by default=0. End of rule. * - * @param Societe $thirdparty_seller Objet societe vendeuse - * @param Societe $thirdparty_buyer Objet societe acheteuse + * @param Societe $thirdparty_seller Object Seller company + * @param Societe $thirdparty_buyer Object Buyer company * @param int $idprod Id product * @param int $idprodfournprice Id product_fournisseur_price (for supplier order/invoice) * @return float|string Vat rate to use with format 5.0 or '5.0 (XXX)', -1 if we can't guess it @@ -6967,15 +7037,15 @@ function get_default_npr(Societe $thirdparty_seller, Societe $thirdparty_buyer, /** * Function that return localtax of a product line (according to seller, buyer and product vat rate) - * Si vendeur non assujeti a TVA, TVA par defaut=0. Fin de regle. - * Si le (pays vendeur = pays acheteur) alors TVA par defaut=TVA du produit vendu. Fin de regle. - * Sinon TVA proposee par defaut=0. Fin de regle. + * If the seller is not subject to VAT, then default VAT=0. Rule/Test ends. + * If (seller country == buyer country) default VAT=sold product VAT. Rule/Test ends. + * Else, default VAT=0. Rule/Test ends * - * @param Societe $thirdparty_seller Thirdparty seller - * @param Societe $thirdparty_buyer Thirdparty buyer + * @param Societe $thirdparty_seller Third party seller + * @param Societe $thirdparty_buyer Third party buyer * @param int $local Localtax to process (1 or 2) * @param int $idprod Id product - * @return integer localtax, -1 si ne peut etre determine + * @return int localtax, -1 if it can not be determined * @see get_default_tva(), get_default_npr() */ function get_default_localtax($thirdparty_seller, $thirdparty_buyer, $local, $idprod = 0) @@ -7025,7 +7095,7 @@ function get_default_localtax($thirdparty_seller, $thirdparty_buyer, $local, $id * * @param string|int $yesno Value to test (1, 'yes', 'true' or 0, 'no', 'false') * @param integer $case 1=Yes/No, 0=yes/no, 2=Disabled checkbox, 3=Disabled checkbox + Yes/No - * @param int $color 0=texte only, 1=Text is formated with a color font style ('ok' or 'error'), 2=Text is formated with 'ok' color. + * @param int $color 0=texte only, 1=Text is formatted with a color font style ('ok' or 'error'), 2=Text is formatted with 'ok' color. * @return string HTML string */ function yn($yesno, $case = 1, $color = 0) @@ -7034,7 +7104,7 @@ function yn($yesno, $case = 1, $color = 0) $result = 'unknown'; $classname = ''; - if ($yesno == 1 || (isset($yesno) && (strtolower($yesno) == 'yes' || strtolower($yesno) == 'true'))) { // A mettre avant test sur no a cause du == 0 + if ($yesno == 1 || (isset($yesno) && (strtolower($yesno) == 'yes' || strtolower($yesno) == 'true'))) { // To set to 'no' before the test because of the '== 0' $result = $langs->trans('yes'); if ($case == 1 || $case == 3) { $result = $langs->trans("Yes"); @@ -7080,7 +7150,7 @@ function yn($yesno, $case = 1, $color = 0) * * @param string|int $num Id of object (deprecated, $object will be used in future) * @param int $level Level of subdirs to return (1, 2 or 3 levels). (deprecated, global option will be used in future) - * @param int $alpha 0=Keep number only to forge path, 1=Use alpha part afer the - (By default, use 0). (deprecated, global option will be used in future) + * @param int $alpha 0=Keep number only to forge path, 1=Use alpha part after the - (By default, use 0). (deprecated, global option will be used in future) * @param int $withoutslash 0=With slash at end (except if '/', we return ''), 1=without slash at end * @param Object $object Object to use to get ref to forge the path. * @param string $modulepart Type of object ('invoice_supplier, 'donation', 'invoice', ...'). Use '' for autodetect from $object. @@ -7138,7 +7208,7 @@ function get_exdir($num, $level, $alpha, $withoutslash, $object, $modulepart = ' * @param string $dir Directory to create (Separator must be '/'. Example: '/mydir/mysubdir') * @param string $dataroot Data root directory (To avoid having the data root in the loop. Using this will also lost the warning, on first dir, saying PHP has no permission when open_basedir is used) * @param string $newmask Mask for new file (Defaults to $conf->global->MAIN_UMASK or 0755 if unavailable). Example: '0444' - * @return int < 0 if KO, 0 = already exists, > 0 if OK + * @return int Return integer < 0 if KO, 0 = already exists, > 0 if OK */ function dol_mkdir($dir, $dataroot = '', $newmask = '') { @@ -7171,11 +7241,11 @@ function dol_mkdir($dir, $dataroot = '', $newmask = '') } $regs = array(); if (preg_match("/^.:$/", $ccdir, $regs)) { - continue; // Si chemin Windows incomplet, on poursuit par rep suivant + continue; // If the Windows path is incomplete, continue with next directory } - // Attention, le is_dir() peut echouer bien que le rep existe. - // (ex selon config de open_basedir) + // Attention, is_dir() can fail event if the directory exists + // (i.e. according the open_basedir configuration) if ($ccdir) { $ccdir_osencoded = dol_osencode($ccdir); if (!@is_dir($ccdir_osencoded)) { @@ -7193,11 +7263,11 @@ function dol_mkdir($dir, $dataroot = '', $newmask = '') $nberr++; } else { dol_syslog("functions.lib::dol_mkdir: Directory '".$ccdir."' created", LOG_DEBUG); - $nberr = 0; // On remet a zero car si on arrive ici, cela veut dire que les echecs precedents peuvent etre ignore + $nberr = 0; // At this point in the code, the previous failures can be ignored -> set $nberr to 0 $nbcreated++; } } else { - $nberr = 0; // On remet a zero car si on arrive ici, cela veut dire que les echecs precedents peuvent etre ignores + $nberr = 0; // At this point in the code, the previous failures can be ignored -> set $nberr to 0 } } } @@ -7270,7 +7340,7 @@ function dol_string_nohtmltag($stringtoclean, $removelinefeed = 1, $pagecodeto = if ($strip_tags) { $temp = strip_tags($temp); } else { - // Remove '<' into remainging, so remove non closing html tags like '0000-021 // pass 1 - $temp after pass 1: 0000-021 @@ -7315,7 +7385,7 @@ function dol_string_nohtmltag($stringtoclean, $removelinefeed = 1, $pagecodeto = * @param string $stringtoclean String to clean * @param int $cleanalsosomestyles Remove absolute/fixed positioning from inline styles * @param int $removeclassattribute 1=Remove the class attribute from tags - * @param int $cleanalsojavascript Remove also occurence of 'javascript:'. + * @param int $cleanalsojavascript Remove also occurrence of 'javascript:'. * @param int $allowiframe Allow iframe tags. * @param array $allowed_tags List of allowed tags to replace the default list * @param int $allowlink Allow "link" tags. @@ -7583,7 +7653,7 @@ function dol_nl2br($stringtoencode, $nl2brmode = 0, $forxml = false) } /** - * Sanitize a HTML to remove js and dangerous content. + * Sanitize a HTML to remove js, dangerous content and external link. * This function is used by dolPrintHTML... function for example. * * @param string $stringtoencode String to encode @@ -7608,17 +7678,23 @@ function dol_htmlwithnojs($stringtoencode, $nouseofiframesandbox = 0, $check = ' if (!empty($out) && getDolGlobalString('MAIN_RESTRICTHTML_ONLY_VALID_HTML') && $check != 'restricthtmlallowunvalid') { try { libxml_use_internal_errors(false); // Avoid to fill memory with xml errors + if (LIBXML_VERSION < 20900) { + // Avoid load of external entities (security problem). + // Required only if LIBXML_VERSION < 20900 + libxml_disable_entity_loader(true); + } $dom = new DOMDocument(); // Add a trick to solve pb with text without parent tag // like '

      Foo

      bar

      ' that wrongly ends up, without the trick, with '

      Foo

      bar

      ' // like 'abc' that wrongly ends up, without the trick, with '

      abc

      ' - $out = '
      '.$out.'
      '; + + $out = '
      '.$out.'
      '; $dom->loadHTML($out, LIBXML_HTML_NODEFDTD|LIBXML_ERR_NONE|LIBXML_HTML_NOIMPLIED|LIBXML_NONET|LIBXML_NOWARNING|LIBXML_NOXMLDECL); $out = trim($dom->saveHTML()); // Remove the trick added to solve pb with text without parent tag - $out = preg_replace('/^
      /', '', $out); + $out = preg_replace('/^<\?xml encoding="UTF-8">
      /', '', $out); $out = preg_replace('/<\/div>$/', '', $out); } catch (Exception $e) { // If error, invalid HTML string with no way to clean it @@ -7704,11 +7780,30 @@ function dol_htmlwithnojs($stringtoencode, $nouseofiframesandbox = 0, $check = ' if ($nblinks > getDolGlobalInt("MAIN_SECURITY_MAX_IMG_IN_HTML_CONTENT", 1000)) { $out = 'ErrorTooManyLinksIntoHTMLString'; } - // - if (getDolGlobalString('MAIN_DISALLOW_URL_INTO_DESCRIPTIONS') || $check == 'restricthtmlnolink') { + + if (getDolGlobalInt('MAIN_DISALLOW_URL_INTO_DESCRIPTIONS') == 2 || $check == 'restricthtmlnolink') { if ($nblinks > 0) { $out = 'ErrorHTMLLinksNotAllowed'; } + } elseif (getDolGlobalInt('MAIN_DISALLOW_URL_INTO_DESCRIPTIONS') == 1) { + $nblinks = 0; + // Loop on each url in src= and url( + $pattern = '/src=["\']?(http[^"\']+)|url\(["\']?(http[^\)]+)/'; + + $matches = array(); + if (preg_match_all($pattern, $out, $matches)) { + // URLs are into $matches[1] + $urls = $matches[1]; + + // Affiche les URLs + foreach ($urls as $url) { + $nblinks++; + echo "Found url = ".$url . "\n"; + } + if ($nblinks > 0) { + $out = 'ErrorHTMLExternalLinksNotAllowed'; + } + } } return $out; @@ -7832,12 +7927,14 @@ function dol_htmlentities($string, $flags = ENT_QUOTES|ENT_SUBSTITUTE, $encoding /** * Check if a string is a correct iso string - * If not, it will we considered not HTML encoded even if it is by FPDF. + * If not, it will not be considered as HTML encoded even if it is by FPDF. * Example, if string contains euro symbol that has ascii code 128 * * @param string $s String to check - * @param string $clean Clean if it is not an ISO. Warning, if file is utf8, you will get a bad formated file. + * @param string $clean Clean if it is not an ISO. Warning, if file is utf8, you will get a bad formatted file. * @return int|string 0 if bad iso, 1 if good iso, Or the clean string if $clean is 1 + * @deprecated Duplicate of ascii_check() + * @see ascii_check() */ function dol_string_is_good_iso($s, $clean = 0) { @@ -7884,10 +7981,10 @@ function dol_nboflines($s, $maxchar = 0) /** - * Return nb of lines of a formated text with \n and
      (WARNING: string must not have mixed \n and br separators) + * Return nb of lines of a formatted text with \n and
      (WARNING: string must not have mixed \n and br separators) * * @param string $text Text - * @param int $maxlinesize Largeur de ligne en caracteres (ou 0 si pas de limite - defaut) + * @param int $maxlinesize Linewidth in character count (default = 0 == nolimit) * @param string $charset Give the charset used to encode the $text variable in memory. * @return int Number of lines * @see dol_nboflines(), dolGetFirstLineOfText() @@ -8078,6 +8175,10 @@ function getCommonSubstitutionArray($outputlangs, $onlykey = 0, $exclude = null, '__MYCOMPANY_PROFID4__' => $mysoc->idprof4, '__MYCOMPANY_PROFID5__' => $mysoc->idprof5, '__MYCOMPANY_PROFID6__' => $mysoc->idprof6, + '__MYCOMPANY_PROFID7__' => $mysoc->idprof7, + '__MYCOMPANY_PROFID8__' => $mysoc->idprof8, + '__MYCOMPANY_PROFID9__' => $mysoc->idprof9, + '__MYCOMPANY_PROFID10__' => $mysoc->idprof10, '__MYCOMPANY_CAPITAL__' => $mysoc->capital, '__MYCOMPANY_FULLADDRESS__' => (method_exists($mysoc, 'getFullAddress') ? $mysoc->getFullAddress(1, ', ') : ''), // $mysoc may be stdClass '__MYCOMPANY_ADDRESS__' => $mysoc->address, @@ -8120,6 +8221,10 @@ function getCommonSubstitutionArray($outputlangs, $onlykey = 0, $exclude = null, $substitutionarray['__THIRDPARTY_IDPROF4__'] = '__THIRDPARTY_IDPROF4__'; $substitutionarray['__THIRDPARTY_IDPROF5__'] = '__THIRDPARTY_IDPROF5__'; $substitutionarray['__THIRDPARTY_IDPROF6__'] = '__THIRDPARTY_IDPROF6__'; + $substitutionarray['__MYCOMPANY_PROFID7__'] = '__MYCOMPANY_PROFID7__'; + $substitutionarray['__MYCOMPANY_PROFID8__'] = '__MYCOMPANY_PROFID8__'; + $substitutionarray['__MYCOMPANY_PROFID9__'] = '__MYCOMPANY_PROFID9__'; + $substitutionarray['__MYCOMPANY_PROFID10__'] = '__MYCOMPANY_PROFID10__'; $substitutionarray['__THIRDPARTY_TVAINTRA__'] = '__THIRDPARTY_TVAINTRA__'; $substitutionarray['__THIRDPARTY_NOTE_PUBLIC__'] = '__THIRDPARTY_NOTE_PUBLIC__'; $substitutionarray['__THIRDPARTY_NOTE_PRIVATE__'] = '__THIRDPARTY_NOTE_PRIVATE__'; @@ -8133,7 +8238,7 @@ function getCommonSubstitutionArray($outputlangs, $onlykey = 0, $exclude = null, /*$substitutionarray['__MEMBER_NOTE_PUBLIC__'] = '__MEMBER_NOTE_PUBLIC__'; $substitutionarray['__MEMBER_NOTE_PRIVATE__'] = '__MEMBER_NOTE_PRIVATE__';*/ } - // add variables subtitutions ticket + // add substitution variables for ticket if (isModEnabled('ticket') && (!is_object($object) || $object->element == 'ticket') && (empty($exclude) || !in_array('ticket', $exclude)) && (empty($include) || in_array('ticket', $include))) { $substitutionarray['__TICKET_TRACKID__'] = '__TICKET_TRACKID__'; $substitutionarray['__TICKET_SUBJECT__'] = '__TICKET_SUBJECT__'; @@ -8216,7 +8321,7 @@ function getCommonSubstitutionArray($outputlangs, $onlykey = 0, $exclude = null, $substitutionarray['__REFCLIENT__'] = (isset($object->ref_client) ? $object->ref_client : (isset($object->ref_customer) ? $object->ref_customer : null)); $substitutionarray['__REFSUPPLIER__'] = (isset($object->ref_supplier) ? $object->ref_supplier : null); $substitutionarray['__SUPPLIER_ORDER_DATE_DELIVERY__'] = (isset($object->delivery_date) ? dol_print_date($object->delivery_date, 'day', 0, $outputlangs) : ''); - $substitutionarray['__SUPPLIER_ORDER_DELAY_DELIVERY__'] = (isset($object->availability_code) ? ($outputlangs->transnoentities("AvailabilityType".$object->availability_code) != ('AvailabilityType'.$object->availability_code) ? $outputlangs->transnoentities("AvailabilityType".$object->availability_code) : $outputlangs->convToOutputCharset(isset($object->availability) ? $object->availability : '')) : ''); + $substitutionarray['__SUPPLIER_ORDER_DELAY_DELIVERY__'] = (isset($object->availability_code) ? ($outputlangs->transnoentities("AvailabilityType".$object->availability_code) != 'AvailabilityType'.$object->availability_code ? $outputlangs->transnoentities("AvailabilityType".$object->availability_code) : $outputlangs->convToOutputCharset(isset($object->availability) ? $object->availability : '')) : ''); $substitutionarray['__EXPIRATION_DATE__'] = (isset($object->fin_validite) ? dol_print_date($object->fin_validite, 'daytext') : ''); if (is_object($object) && ($object->element == 'adherent' || $object->element == 'member') && $object->id > 0) { @@ -8371,7 +8476,7 @@ function getCommonSubstitutionArray($outputlangs, $onlykey = 0, $exclude = null, $substitutionarray['__CONTRACT_LOWEST_EXPIRATION_DATE__'] = dol_print_date($datenextexpiration, 'dayrfc'); $substitutionarray['__CONTRACT_LOWEST_EXPIRATION_DATETIME__'] = dol_print_date($datenextexpiration, 'standard'); } - // add substition variable for ticket + // add substitution variables for ticket if (is_object($object) && $object->element == 'ticket') { $substitutionarray['__TICKET_TRACKID__'] = $object->track_id; $substitutionarray['__REF__'] = $object->ref; @@ -8499,7 +8604,7 @@ function getCommonSubstitutionArray($outputlangs, $onlykey = 0, $exclude = null, if (is_object($object) && $object->element == 'propal') { $substitutionarray['__URL_PROPOSAL__'] = DOL_MAIN_URL_ROOT."/comm/propal/card.php?id=".$object->id; require_once DOL_DOCUMENT_ROOT.'/core/lib/signature.lib.php'; - $substitutionarray['__ONLINE_SIGN_URL__'] = getOnlineSignatureUrl(0, 'proposal', $object->ref); + $substitutionarray['__ONLINE_SIGN_URL__'] = getOnlineSignatureUrl(0, 'proposal', $object->ref, 1, $object); } if (is_object($object) && $object->element == 'commande') { $substitutionarray['__URL_ORDER__'] = DOL_MAIN_URL_ROOT."/commande/card.php?id=".$object->id; @@ -8510,12 +8615,12 @@ function getCommonSubstitutionArray($outputlangs, $onlykey = 0, $exclude = null, if (is_object($object) && $object->element == 'contrat') { $substitutionarray['__URL_CONTRACT__'] = DOL_MAIN_URL_ROOT."/contrat/card.php?id=".$object->id; require_once DOL_DOCUMENT_ROOT.'/core/lib/signature.lib.php'; - $substitutionarray['__ONLINE_SIGN_URL__'] = getOnlineSignatureUrl(0, 'contract', $object->ref); + $substitutionarray['__ONLINE_SIGN_URL__'] = getOnlineSignatureUrl(0, 'contract', $object->ref, 1, $object); } if (is_object($object) && $object->element == 'fichinter') { $substitutionarray['__URL_FICHINTER__'] = DOL_MAIN_URL_ROOT."/fichinter/card.php?id=".$object->id; require_once DOL_DOCUMENT_ROOT.'/core/lib/signature.lib.php'; - $substitutionarray['__ONLINE_SIGN_FICHINTER_URL__'] = getOnlineSignatureUrl(0, 'fichinter', $object->ref); + $substitutionarray['__ONLINE_SIGN_FICHINTER_URL__'] = getOnlineSignatureUrl(0, 'fichinter', $object->ref, 1, $object); } if (is_object($object) && $object->element == 'supplier_proposal') { $substitutionarray['__URL_SUPPLIER_PROPOSAL__'] = DOL_MAIN_URL_ROOT."/supplier_proposal/card.php?id=".$object->id; @@ -8563,7 +8668,7 @@ function getCommonSubstitutionArray($outputlangs, $onlykey = 0, $exclude = null, $substitutionarray['__AMOUNT_TAX3__'] = is_object($object) ? $object->total_localtax2 : ''; } - // Amount keys formated in a currency + // Amount keys formatted in a currency $substitutionarray['__AMOUNT_EXCL_TAX_FORMATED__'] = is_object($object) ? ($object->total_ht ? price($object->total_ht, 0, $outputlangs, 0, -1, -1, $conf->currency) : null) : ''; $substitutionarray['__AMOUNT_FORMATED__'] = is_object($object) ? ($object->total_ttc ? price($object->total_ttc, 0, $outputlangs, 0, -1, -1, $conf->currency) : null) : ''; $substitutionarray['__AMOUNT_REMAIN_FORMATED__'] = is_object($object) ? ($object->total_ttc ? price($object->total_ttc - $already_payed_all, 0, $outputlangs, 0, -1, -1, $conf->currency) : null) : ''; @@ -8895,7 +9000,7 @@ function complete_substitutions_array(&$substitutionarray, $outputlangs, $object * @param Translate $outputlangs Output language * @return void */ -function print_date_range($date_start, $date_end, $format = '', $outputlangs = '') +function print_date_range($date_start, $date_end, $format = '', $outputlangs = null) { print get_date_range($date_start, $date_end, $format, $outputlangs); } @@ -8910,7 +9015,7 @@ function print_date_range($date_start, $date_end, $format = '', $outputlangs = ' * @param integer $withparenthesis 1=Add parenthesis, 0=no parenthesis * @return string String */ -function get_date_range($date_start, $date_end, $format = '', $outputlangs = '', $withparenthesis = 1) +function get_date_range($date_start, $date_end, $format = '', $outputlangs = null, $withparenthesis = 1) { global $langs; @@ -8992,7 +9097,8 @@ function setEventMessage($mesgs, $style = 'mesgs', $noduplicate = 0) { //dol_syslog(__FUNCTION__ . " is deprecated", LOG_WARNING); This is not deprecated, it is used by setEventMessages function if (!is_array($mesgs)) { - // If mesgs is a string + $mesgs = trim((string) $mesgs); + // If mesgs is a not an empty string if ($mesgs) { if (!empty($noduplicate) && isset($_SESSION['dol_events'][$style]) && in_array($mesgs, $_SESSION['dol_events'][$style])) { return; @@ -9002,6 +9108,7 @@ function setEventMessage($mesgs, $style = 'mesgs', $noduplicate = 0) } else { // If mesgs is an array foreach ($mesgs as $mesg) { + $mesg = trim((string) $mesg); if ($mesg) { if (!empty($noduplicate) && isset($_SESSION['dol_events'][$style]) && in_array($mesg, $_SESSION['dol_events'][$style])) { return; @@ -9036,7 +9143,7 @@ function setEventMessages($mesg, $mesgs, $style = 'mesgs', $messagekey = '', $no } if (empty($messagekey) || empty($_COOKIE["DOLHIDEMESSAGE".$messagekey])) { if (!in_array((string) $style, array('mesgs', 'warnings', 'errors'))) { - dol_print_error('', 'Bad parameter style='.$style.' for setEventMessages'); + dol_print_error(null, 'Bad parameter style='.$style.' for setEventMessages'); } if (empty($mesgs)) { setEventMessage($mesg, $style, $noduplicate); @@ -9051,11 +9158,11 @@ function setEventMessages($mesg, $mesgs, $style = 'mesgs', $messagekey = '', $no } /** - * Print formated messages to output (Used to show messages on html output). + * Print formatted messages to output (Used to show messages on html output). * Note: Calling dol_htmloutput_events is done into pages by standard llxFooter() function, so there is - * no need to call it explicitely. + * no need to call it explicitly. * - * @param int $disabledoutputofmessages Clear all messages stored into session without diplaying them + * @param int $disabledoutputofmessages Clear all messages stored into session without displaying them * @return void * @see dol_htmloutput_mesg() */ @@ -9086,7 +9193,7 @@ function dol_htmloutput_events($disabledoutputofmessages = 0) } /** - * Get formated messages to output (Used to show messages on html output). + * Get formatted messages to output (Used to show messages on html output). * This include also the translation of the message key. * * @param string $mesgstring Message string or message key @@ -9158,7 +9265,7 @@ function get_htmloutput_mesg($mesgstring = '', $mesgarray = '', $style = 'ok', $ } /** - * Get formated error messages to output (Used to show messages on html output). + * Get formatted error messages to output (Used to show messages on html output). * * @param string $mesgstring Error message * @param array $mesgarray Error messages array @@ -9174,7 +9281,7 @@ function get_htmloutput_errors($mesgstring = '', $mesgarray = array(), $keepembe } /** - * Print formated messages to output (Used to show messages on html output). + * Print formatted messages to output (Used to show messages on html output). * * @param string $mesgstring Message string or message key * @param string[] $mesgarray Array of message strings or message keys @@ -9244,7 +9351,7 @@ function dol_htmloutput_mesg($mesgstring = '', $mesgarray = array(), $style = 'o } /** - * Print formated error messages to output (Used to show messages on html output). + * Print formatted error messages to output (Used to show messages on html output). * * @param string $mesgstring Error message * @param array $mesgarray Error messages array @@ -9420,7 +9527,7 @@ function dol_osencode($str) $tmp = 'utf-8'; // By default for other } if (getDolGlobalString('MAIN_FILESYSTEM_ENCODING')) { - $tmp = $conf->global->MAIN_FILESYSTEM_ENCODING; + $tmp = getDolGlobalString('MAIN_FILESYSTEM_ENCODING'); } if ($tmp == 'iso-8859-1') { @@ -9441,7 +9548,7 @@ function dol_osencode($str) * @param string $fieldid Field to get * @param int $entityfilter Filter by entity * @param string $filters Filters to add. WARNING: string must be escaped for SQL and not coming from user input. - * @return int <0 if KO, Id of code if OK + * @return int Return integer <0 if KO, Id of code if OK * @see $langs->getLabelFromKey */ function dol_getIdFromCode($db, $key, $tablename, $fieldkey = 'code', $fieldid = 'id', $entityfilter = 0, $filters = '') @@ -9516,16 +9623,19 @@ function isStringVarMatching($var, $regextext, $matchrule = 1) * Verify if condition in string is ok or not * * @param string $strToEvaluate String with condition to check + * @param string $onlysimplestring '0' (deprecated, used for computed property of extrafields)=Accept all chars, + * '1' (most common use)=Accept only simple string with char 'a-z0-9\s^$_+-.*>&|=!?():"\',/@';', + * '2' (rarely used)=Accept also '[]' * @return boolean True or False. Note: It returns also True if $strToEvaluate is ''. False if error */ -function verifCond($strToEvaluate) +function verifCond($strToEvaluate, $onlysimplestring = '1') { //print $strToEvaluate."
      \n"; $rights = true; if (isset($strToEvaluate) && $strToEvaluate !== '') { //var_dump($strToEvaluate); //$rep = dol_eval($strToEvaluate, 1, 0, '1'); // to show the error - $rep = dol_eval($strToEvaluate, 1, 1, '1'); // The dol_eval() must contains all the "global $xxx;" for all variables $xxx found into the string condition + $rep = dol_eval($strToEvaluate, 1, 1, $onlysimplestring); // The dol_eval() must contains all the "global $xxx;" for all variables $xxx found into the string condition $rights = $rep && (!is_string($rep) || strpos($rep, 'Bad string syntax to evaluate') === false); //var_dump($rights); } @@ -9753,8 +9863,15 @@ function picto_from_langcode($codelang, $moreatt = '', $notitlealt = 0) $flagImage = empty($tmparray[1]) ? $tmparray[0] : $tmparray[1]; } + $morecss = ''; + $reg = array(); + if (preg_match('/class="([^"]+)"/', $moreatt, $reg)) { + $morecss = $reg[1]; + $moreatt = ""; + } + // return img_picto_common($codelang, 'flags/'.strtolower($flagImage).'.png', $moreatt, 0, $notitlealt); - return ''; + return ''; } /** @@ -10005,12 +10122,12 @@ function getLanguageCodeFromCountryCode($countrycode) * 'supplier_invoice' to add a tab in purchase invoice view * 'invoice' to add a tab in sales invoice view * 'order' to add a tab in sales order view - * 'contract' to add a tabl in contract view + * 'contract' to add a table in contract view * 'product' to add a tab in product view * 'propal' to add a tab in propal view * 'user' to add a tab in user view * 'group' to add a tab in group view - * 'member' to add a tab in fundation member view + * 'member' to add a tab in foundation member view * 'categories_x' to add a tab in category view ('x': type of category (0=product, 1=supplier, 2=customer, 3=member) * 'ecm' to add a tab for another ecm view * 'stock' to add a tab for warehouse view @@ -10051,7 +10168,7 @@ function complete_head_from_modules($conf, $langs, $object, &$head, &$h, $type, continue; } - if (verifCond($values[4])) { + if (verifCond($values[4], '2')) { if ($values[3]) { if ($filterorigmodule) { // If a filter of module origin has been requested if (strpos($values[3], '@')) { // This is an external module @@ -10138,7 +10255,7 @@ function complete_head_from_modules($conf, $langs, $object, &$head, &$h, $type, } $tabname = str_replace('-', '', $values[1]); foreach ($head as $key => $val) { - $condition = (!empty($values[3]) ? verifCond($values[3]) : 1); + $condition = (!empty($values[3]) ? verifCond($values[3], '2') : 1); //var_dump($key.' - '.$tabname.' - '.$head[$key][2].' - '.$values[3].' - '.$condition); if ($head[$key][2] == $tabname && $condition) { unset($head[$key]); @@ -10198,7 +10315,7 @@ function printCommonFooter($zone = 'private') print "\n"; if (!empty($conf->use_javascript_ajax)) { - print "\n\n"; + print "\n\n"; print ''; } - } elseif (!is_numeric($conf->global->HOLIDAY_HIDE_BALANCE)) { + } elseif (!is_numeric(getDolGlobalString('HOLIDAY_HIDE_BALANCE'))) { print '
      '; - print $langs->trans($conf->global->HOLIDAY_HIDE_BALANCE); + print $langs->trans(getDolGlobalString('HOLIDAY_HIDE_BALANCE')); print '
      '; } @@ -1162,7 +1162,7 @@ if ((empty($id) && empty($ref)) || $action == 'create' || $action == 'add') { // Note: This use will be set only if the deinfed approvr has permission to approve so is inside include_users $defaultselectuser = (empty($user->fk_user_holiday_validator) ? $user->fk_user : $user->fk_user_holiday_validator); if (getDolGlobalString('HOLIDAY_DEFAULT_VALIDATOR')) { - $defaultselectuser = $conf->global->HOLIDAY_DEFAULT_VALIDATOR; // Can force default approver + $defaultselectuser = getDolGlobalString('HOLIDAY_DEFAULT_VALIDATOR'); // Can force default approver } if (GETPOST('valideur', 'int') > 0) { $defaultselectuser = GETPOST('valideur', 'int'); @@ -1349,8 +1349,8 @@ if ((empty($id) && empty($ref)) || $action == 'create' || $action == 'add') { print '
    • '; print ''; + print ''; } print "
      '; $htmlhelp = $langs->trans('NbUseDaysCPHelp'); - $includesaturday = (isset($conf->global->MAIN_NON_WORKING_DAYS_INCLUDE_SATURDAY) ? $conf->global->MAIN_NON_WORKING_DAYS_INCLUDE_SATURDAY : 1); - $includesunday = (isset($conf->global->MAIN_NON_WORKING_DAYS_INCLUDE_SUNDAY) ? $conf->global->MAIN_NON_WORKING_DAYS_INCLUDE_SUNDAY : 1); + $includesaturday = getDolGlobalInt('MAIN_NON_WORKING_DAYS_INCLUDE_SATURDAY', 1); + $includesunday = getDolGlobalInt('MAIN_NON_WORKING_DAYS_INCLUDE_SUNDAY', 1); if ($includesaturday) { $htmlhelp .= '
      '.$langs->trans("DayIsANonWorkingDay", $langs->trans("Saturday")); } @@ -1559,7 +1559,7 @@ if ((empty($id) && empty($ref)) || $action == 'create' || $action == 'add') { // Button Cancel (because we can't approve) if ($cancreate || $cancreateall) { - if (($object->date_debut > dol_now()) || !empty($user->admin)) { + if (($object->date_fin > dol_now()) || !empty($user->admin)) { print ''.$langs->trans("ActionCancelCP").''; } else { print 'trans("NotAllowed").'">'.$langs->trans("ActionCancelCP").''; @@ -1569,7 +1569,7 @@ if ((empty($id) && empty($ref)) || $action == 'create' || $action == 'add') { } if ($object->statut == Holiday::STATUS_APPROVED) { // If validated and approved if ($user->id == $object->fk_validator || $user->id == $object->fk_user_approve || $cancreate || $cancreateall) { - if (($object->date_debut > dol_now()) || !empty($user->admin) || $user->id == $object->fk_user_approve) { + if (($object->date_fin > dol_now()) || !empty($user->admin) || $user->id == $object->fk_user_approve) { print ''.$langs->trans("ActionCancelCP").''; } else { print 'trans("NotAllowed").'">'.$langs->trans("ActionCancelCP").''; diff --git a/htdocs/holiday/card_group.php b/htdocs/holiday/card_group.php index 4faa5734851..cbe1aaaf1b5 100644 --- a/htdocs/holiday/card_group.php +++ b/htdocs/holiday/card_group.php @@ -8,6 +8,7 @@ * Copyright (C) 2018 Frédéric France * Copyright (C) 2020-2021 Udo Tamm * Copyright (C) 2022 Anthony Berton + * Copyright (C) 2024 MDW * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -183,7 +184,7 @@ if (empty($reshook)) { $halfday = 1; } - $approverid = GETPOST('valideur', 'int'); + $approverid = GETPOSTINT('valideur'); $description = trim(GETPOST('description', 'restricthtml')); // Check that leave is for a user inside the hierarchy or advanced permission for all is set @@ -596,7 +597,7 @@ if ((empty($id) && empty($ref)) || $action == 'create' || $action == 'add') { // Note: This use will be set only if the deinfed approvr has permission to approve so is inside include_users $defaultselectuser = (empty($user->fk_user_holiday_validator) ? $user->fk_user : $user->fk_user_holiday_validator); if (getDolGlobalString('HOLIDAY_DEFAULT_VALIDATOR')) { - $defaultselectuser = $conf->global->HOLIDAY_DEFAULT_VALIDATOR; // Can force default approver + $defaultselectuser = getDolGlobalString('HOLIDAY_DEFAULT_VALIDATOR'); // Can force default approver } if (GETPOST('valideur', 'int') > 0) { $defaultselectuser = GETPOST('valideur', 'int'); @@ -700,7 +701,7 @@ function sendMail($id, $cancreate, $now, $autoValidation) dol_syslog("Expected validator has no email, so we redirect directly to finished page without sending email"); $objStd->error++; - $objStd->msg = $langs->trans('ErroremailTo'); + $objStd->msg = $langs->trans('ErrorMailRecipientIsEmpty'); $objStd->status = 'error'; $objStd->style="warnings"; return $objStd; @@ -710,12 +711,12 @@ function sendMail($id, $cancreate, $now, $autoValidation) $expediteur = new User($db); $expediteur->fetch($object->fk_user); //$emailFrom = $expediteur->email; Email of user can be an email into another company. Sending will fails, we must use the generic email. - $emailFrom = $conf->global->MAIN_MAIL_EMAIL_FROM; + $emailFrom = getDolGlobalString('MAIN_MAIL_EMAIL_FROM'); // Subject - $societeName = $conf->global->MAIN_INFO_SOCIETE_NOM; + $societeName = getDolGlobalString('MAIN_INFO_SOCIETE_NOM'); if (getDolGlobalString('MAIN_APPLICATION_TITLE')) { - $societeName = $conf->global->MAIN_APPLICATION_TITLE; + $societeName = getDolGlobalString('MAIN_APPLICATION_TITLE'); } $subject = $societeName." - ".$langs->transnoentitiesnoconv("HolidaysToValidate"); @@ -782,17 +783,17 @@ function sendMail($id, $cancreate, $now, $autoValidation) if (!$result) { $objStd->error++; - $objStd->msg = $langs->trans('ErroreSendmail'); + $objStd->msg = $langs->trans('ErrorMailNotSend'); $objStd->style="warnings"; $objStd->status = 'error'; } else { - $objStd->msg = $langs->trans('mailSended'); + $objStd->msg = $langs->trans('MailSent'); } return $objStd; } else { $objStd->error++; - $objStd->msg = $langs->trans('ErroreVerif'); + $objStd->msg = $langs->trans('ErrorVerif'); $objStd->status = 'error'; $objStd->style="errors"; return $objStd; diff --git a/htdocs/holiday/class/holiday.class.php b/htdocs/holiday/class/holiday.class.php index 9c460550e85..fee8f136d41 100644 --- a/htdocs/holiday/class/holiday.class.php +++ b/htdocs/holiday/class/holiday.class.php @@ -76,7 +76,12 @@ class Holiday extends CommonObject public $date_debut_gmt = ''; // Date start in GMT public $date_fin_gmt = ''; // Date end in GMT public $halfday = ''; // 0:Full days, 2:Start afternoon end morning, -1:Start afternoon end afternoon, 1:Start morning end morning - public $statut = ''; // 1=draft, 2=validated, 3=approved + + /** + * @var int + * @deprecated + */ + public $statut = 0; // 1=draft, 2=validated, 3=approved /** * @var int ID of user that must approve. Real user for approval is fk_user_valid (old version) or fk_user_approve (new versions) @@ -114,12 +119,12 @@ class Holiday extends CommonObject public $fk_user_refuse; /** - * @var int Date for cancelation + * @var int Date for cancellation */ public $date_cancel = ''; /** - * @var int ID for cancelation + * @var int ID for cancellation */ public $fk_user_cancel; @@ -197,7 +202,7 @@ class Holiday extends CommonObject $mybool = false; $file = getDolGlobalString('HOLIDAY_ADDON') . ".php"; - $classname = $conf->global->HOLIDAY_ADDON; + $classname = getDolGlobalString('HOLIDAY_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -209,7 +214,7 @@ class Holiday extends CommonObject } if ($mybool === false) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -376,8 +381,6 @@ class Holiday extends CommonObject */ public function fetch($id, $ref = '') { - global $langs; - $sql = "SELECT"; $sql .= " cp.rowid,"; $sql .= " cp.ref,"; @@ -387,7 +390,7 @@ class Holiday extends CommonObject $sql .= " cp.date_debut,"; $sql .= " cp.date_fin,"; $sql .= " cp.halfday,"; - $sql .= " cp.statut,"; + $sql .= " cp.statut as status,"; $sql .= " cp.fk_validator,"; $sql .= " cp.date_valid,"; $sql .= " cp.fk_user_valid,"; @@ -426,7 +429,8 @@ class Holiday extends CommonObject $this->date_debut_gmt = $this->db->jdate($obj->date_debut, 1); $this->date_fin_gmt = $this->db->jdate($obj->date_fin, 1); $this->halfday = $obj->halfday; - $this->statut = $obj->statut; + $this->statut = $obj->status; + $this->status = $obj->status; $this->fk_validator = $obj->fk_validator; $this->date_valid = $this->db->jdate($obj->date_valid); $this->fk_user_valid = $obj->fk_user_valid; @@ -469,8 +473,6 @@ class Holiday extends CommonObject */ public function fetchByUser($user_id, $order = '', $filter = '') { - global $langs, $conf; - $sql = "SELECT"; $sql .= " cp.rowid,"; $sql .= " cp.ref,"; @@ -482,7 +484,7 @@ class Holiday extends CommonObject $sql .= " cp.date_debut,"; $sql .= " cp.date_fin,"; $sql .= " cp.halfday,"; - $sql .= " cp.statut,"; + $sql .= " cp.statut as status,"; $sql .= " cp.fk_validator,"; $sql .= " cp.date_valid,"; $sql .= " cp.fk_user_valid,"; @@ -497,13 +499,13 @@ class Holiday extends CommonObject $sql .= " uu.lastname as user_lastname,"; $sql .= " uu.firstname as user_firstname,"; $sql .= " uu.login as user_login,"; - $sql .= " uu.statut as user_statut,"; + $sql .= " uu.statut as user_status,"; $sql .= " uu.photo as user_photo,"; $sql .= " ua.lastname as validator_lastname,"; $sql .= " ua.firstname as validator_firstname,"; $sql .= " ua.login as validator_login,"; - $sql .= " ua.statut as validator_statut,"; + $sql .= " ua.statut as validator_status,"; $sql .= " ua.photo as validator_photo"; $sql .= " FROM ".MAIN_DB_PREFIX."holiday as cp, ".MAIN_DB_PREFIX."user as uu, ".MAIN_DB_PREFIX."user as ua"; @@ -552,7 +554,8 @@ class Holiday extends CommonObject $tab_result[$i]['date_debut_gmt'] = $this->db->jdate($obj->date_debut, 1); $tab_result[$i]['date_fin_gmt'] = $this->db->jdate($obj->date_fin, 1); $tab_result[$i]['halfday'] = $obj->halfday; - $tab_result[$i]['statut'] = $obj->statut; + $tab_result[$i]['statut'] = $obj->status; + $tab_result[$i]['status'] = $obj->status; $tab_result[$i]['fk_validator'] = $obj->fk_validator; $tab_result[$i]['date_valid'] = $this->db->jdate($obj->date_valid); $tab_result[$i]['fk_user_valid'] = $obj->fk_user_valid; @@ -567,13 +570,15 @@ class Holiday extends CommonObject $tab_result[$i]['user_firstname'] = $obj->user_firstname; $tab_result[$i]['user_lastname'] = $obj->user_lastname; $tab_result[$i]['user_login'] = $obj->user_login; - $tab_result[$i]['user_statut'] = $obj->user_statut; + $tab_result[$i]['user_statut'] = $obj->user_status; + $tab_result[$i]['user_status'] = $obj->user_status; $tab_result[$i]['user_photo'] = $obj->user_photo; $tab_result[$i]['validator_firstname'] = $obj->validator_firstname; $tab_result[$i]['validator_lastname'] = $obj->validator_lastname; $tab_result[$i]['validator_login'] = $obj->validator_login; - $tab_result[$i]['validator_statut'] = $obj->validator_statut; + $tab_result[$i]['validator_statut'] = $obj->validator_status; + $tab_result[$i]['validator_status'] = $obj->validator_status; $tab_result[$i]['validator_photo'] = $obj->validator_photo; $i++; @@ -598,12 +603,9 @@ class Holiday extends CommonObject */ public function fetchAll($order, $filter) { - global $langs; - $sql = "SELECT"; $sql .= " cp.rowid,"; $sql .= " cp.ref,"; - $sql .= " cp.fk_user,"; $sql .= " cp.fk_type,"; $sql .= " cp.date_create,"; @@ -612,7 +614,7 @@ class Holiday extends CommonObject $sql .= " cp.date_debut,"; $sql .= " cp.date_fin,"; $sql .= " cp.halfday,"; - $sql .= " cp.statut,"; + $sql .= " cp.statut as status,"; $sql .= " cp.fk_validator,"; $sql .= " cp.date_valid,"; $sql .= " cp.fk_user_valid,"; @@ -627,13 +629,13 @@ class Holiday extends CommonObject $sql .= " uu.lastname as user_lastname,"; $sql .= " uu.firstname as user_firstname,"; $sql .= " uu.login as user_login,"; - $sql .= " uu.statut as user_statut,"; + $sql .= " uu.statut as user_status,"; $sql .= " uu.photo as user_photo,"; $sql .= " ua.lastname as validator_lastname,"; $sql .= " ua.firstname as validator_firstname,"; $sql .= " ua.login as validator_login,"; - $sql .= " ua.statut as validator_statut,"; + $sql .= " ua.statut as validator_status,"; $sql .= " ua.photo as validator_photo"; $sql .= " FROM ".MAIN_DB_PREFIX."holiday as cp, ".MAIN_DB_PREFIX."user as uu, ".MAIN_DB_PREFIX."user as ua"; @@ -682,7 +684,8 @@ class Holiday extends CommonObject $tab_result[$i]['date_debut_gmt'] = $this->db->jdate($obj->date_debut, 1); $tab_result[$i]['date_fin_gmt'] = $this->db->jdate($obj->date_fin, 1); $tab_result[$i]['halfday'] = $obj->halfday; - $tab_result[$i]['statut'] = $obj->statut; + $tab_result[$i]['statut'] = $obj->status; + $tab_result[$i]['status'] = $obj->status; $tab_result[$i]['fk_validator'] = $obj->fk_validator; $tab_result[$i]['date_valid'] = $this->db->jdate($obj->date_valid); $tab_result[$i]['fk_user_valid'] = $obj->fk_user_valid; @@ -697,13 +700,15 @@ class Holiday extends CommonObject $tab_result[$i]['user_firstname'] = $obj->user_firstname; $tab_result[$i]['user_lastname'] = $obj->user_lastname; $tab_result[$i]['user_login'] = $obj->user_login; - $tab_result[$i]['user_statut'] = $obj->user_statut; + $tab_result[$i]['user_statut'] = $obj->user_status; + $tab_result[$i]['user_status'] = $obj->user_status; $tab_result[$i]['user_photo'] = $obj->user_photo; $tab_result[$i]['validator_firstname'] = $obj->validator_firstname; $tab_result[$i]['validator_lastname'] = $obj->validator_lastname; $tab_result[$i]['validator_login'] = $obj->validator_login; - $tab_result[$i]['validator_statut'] = $obj->validator_statut; + $tab_result[$i]['validator_statut'] = $obj->validator_status; + $tab_result[$i]['validator_status'] = $obj->validator_status; $tab_result[$i]['validator_photo'] = $obj->validator_photo; $i++; @@ -1233,7 +1238,7 @@ class Holiday extends CommonObject } } } else { - dol_print_error('', 'Bad value of parameter halfday when calling function verifDateHolidayCP'); + dol_print_error(null, 'Bad value of parameter halfday when calling function verifDateHolidayCP'); } } @@ -1252,13 +1257,11 @@ class Holiday extends CommonObject */ public function verifDateHolidayForTimestamp($fk_user, $timestamp, $status = '-1') { - global $langs, $conf; - $isavailablemorning = true; $isavailableafternoon = true; // Check into leave requests - $sql = "SELECT cp.rowid, cp.date_debut as date_start, cp.date_fin as date_end, cp.halfday, cp.statut"; + $sql = "SELECT cp.rowid, cp.date_debut as date_start, cp.date_fin as date_end, cp.halfday, cp.statut as status"; $sql .= " FROM ".MAIN_DB_PREFIX."holiday as cp"; $sql .= " WHERE cp.entity IN (".getEntity('holiday').")"; $sql .= " AND cp.fk_user = ".(int) $fk_user; @@ -1276,8 +1279,8 @@ class Holiday extends CommonObject while ($i < $num_rows) { $obj = $this->db->fetch_object($resql); - // Note: $obj->halfday is 0:Full days, 2:Sart afternoon end morning, -1:Start afternoon, 1:End morning - $arrayofrecord[$obj->rowid] = array('date_start'=>$this->db->jdate($obj->date_start), 'date_end'=>$this->db->jdate($obj->date_end), 'halfday'=>$obj->halfday); + // Note: $obj->halfday is 0:Full days, 2:Start afternoon end morning, -1:Start afternoon, 1:End morning + $arrayofrecord[$obj->rowid] = array('date_start'=>$this->db->jdate($obj->date_start), 'date_end'=>$this->db->jdate($obj->date_end), 'halfday'=>$obj->halfday, 'status'=>$obj->status); $i++; } @@ -1328,7 +1331,7 @@ class Holiday extends CommonObject */ public function getTooltipContentArray($params) { - global $conf, $langs; + global $langs; $langs->load('holiday'); $nofetch = !empty($params['nofetch']); @@ -1909,7 +1912,7 @@ class Holiday extends CommonObject if (isModEnabled('multicompany') && getDolGlobalString('MULTICOMPANY_TRANSVERSE_MODE')) { $sql .= " DISTINCT"; } - $sql .= " u.rowid, u.lastname, u.firstname, u.gender, u.photo, u.employee, u.statut, u.fk_user"; + $sql .= " u.rowid, u.lastname, u.firstname, u.gender, u.photo, u.employee, u.statut as status, u.fk_user"; $sql .= " FROM ".MAIN_DB_PREFIX."user as u"; if (isModEnabled('multicompany') && getDolGlobalString('MULTICOMPANY_TRANSVERSE_MODE')) { @@ -1945,7 +1948,7 @@ class Holiday extends CommonObject $tab_result[$i]['lastname'] = $obj->lastname; $tab_result[$i]['firstname'] = $obj->firstname; $tab_result[$i]['gender'] = $obj->gender; - $tab_result[$i]['status'] = $obj->statut; + $tab_result[$i]['status'] = $obj->status; $tab_result[$i]['employee'] = $obj->employee; $tab_result[$i]['photo'] = $obj->photo; $tab_result[$i]['fk_user'] = $obj->fk_user; // rowid of manager @@ -1963,7 +1966,7 @@ class Holiday extends CommonObject } } else { // List of vacation balance users - $sql = "SELECT cpu.fk_type, cpu.nb_holiday, u.rowid, u.lastname, u.firstname, u.gender, u.photo, u.employee, u.statut, u.fk_user"; + $sql = "SELECT cpu.fk_type, cpu.nb_holiday, u.rowid, u.lastname, u.firstname, u.gender, u.photo, u.employee, u.statut as status, u.fk_user"; $sql .= " FROM ".MAIN_DB_PREFIX."holiday_users as cpu, ".MAIN_DB_PREFIX."user as u"; $sql .= " WHERE cpu.fk_user = u.rowid"; if ($filters) { @@ -1988,7 +1991,7 @@ class Holiday extends CommonObject $tab_result[$i]['lastname'] = $obj->lastname; $tab_result[$i]['firstname'] = $obj->firstname; $tab_result[$i]['gender'] = $obj->gender; - $tab_result[$i]['status'] = $obj->statut; + $tab_result[$i]['status'] = $obj->status; $tab_result[$i]['employee'] = $obj->employee; $tab_result[$i]['photo'] = $obj->photo; $tab_result[$i]['fk_user'] = $obj->fk_user; // rowid of manager @@ -2062,9 +2065,9 @@ class Holiday extends CommonObject $sql .= " WHERE u.statut > 0"; $result = $this->db->query($sql); - $objet = $this->db->fetch_object($result); + $object = $this->db->fetch_object($result); - return $objet->compteur; + return $object->compteur; } /** * Compte le nombre d'utilisateur actifs dans Dolibarr sans CP @@ -2078,9 +2081,9 @@ class Holiday extends CommonObject $sql .= " WHERE u.statut > 0 AND hu.fk_user IS NULL"; $result = $this->db->query($sql); - $objet = $this->db->fetch_object($result); + $object = $this->db->fetch_object($result); - return $objet->compteur; + return $object->compteur; } /** @@ -2360,17 +2363,16 @@ class Holiday extends CommonObject $this->halfday = 0; $this->fk_type = 1; $this->statut = Holiday::STATUS_VALIDATED; + $this->status = Holiday::STATUS_VALIDATED; } - // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** * Load this->nb for dashboard * * @return int Return integer <0 if KO, >0 if OK */ - public function load_state_board() + public function loadStateBoard() { - // phpcs:enable global $user; $this->nb = array(); @@ -2403,8 +2405,8 @@ class Holiday extends CommonObject /** * Load indicators for dashboard (this->nbtodo and this->nbtodolate) * - * @param User $user Objet user - * @return WorkboardResponse|int <0 if KO, WorkboardResponse if OK + * @param User $user Object user + * @return WorkboardResponse|int Return integer <0 if KO, WorkboardResponse if OK */ public function load_board($user) { @@ -2490,7 +2492,7 @@ class Holiday extends CommonObject } } if (method_exists($this, 'getLibStatut')) { - $return .= '
      '.$this->getLibStatut(3).'
      '; + $return .= '
      '.$this->getLibStatut(3).'
      '; } $return .= ''; $return .= ''; diff --git a/htdocs/holiday/define_holiday.php b/htdocs/holiday/define_holiday.php index d50c088c161..98cc43c2faa 100644 --- a/htdocs/holiday/define_holiday.php +++ b/htdocs/holiday/define_holiday.php @@ -291,7 +291,7 @@ print "
      \n"; $filters = ''; -// Filter on array of ids of all childs +// Filter on array of ids of all children $userchilds = array(); if (!$user->hasRight('holiday', 'readall')) { $userchilds = $user->getAllChildIds(1); @@ -534,7 +534,7 @@ if (count($typeleaves) == 0) { foreach ($arrayfields as $key => $val) { if (!empty($val['checked'])) { if ($key == 'cp.nbHoliday') { - foreach ($typeleaves as $key => $val) { + foreach ($typeleaves as $leave_key => $leave_val) { $colspan++; } } else { diff --git a/htdocs/holiday/list.php b/htdocs/holiday/list.php index 7ac443caf33..6e11b214bc8 100644 --- a/htdocs/holiday/list.php +++ b/htdocs/holiday/list.php @@ -147,7 +147,7 @@ $permissiontoread = $user->hasRight('holiday', 'read'); $permissiontodelete = $user->hasRight('holiday', 'delete'); $permissiontoapprove = $user->hasRight('holiday', 'approve'); -if (!ismodEnabled('holiday')) { +if (!isModEnabled('holiday')) { accessforbidden('Module holiday not enabled'); } @@ -590,7 +590,7 @@ if (!$user->hasRight('holiday', 'readall')) { $include = 'hierarchyme'; // Can see only its hierarchyl } -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print ''."\n"; // Fields title search @@ -691,7 +691,7 @@ if (!empty($arrayfields['cp.date_valid']['checked'])) { print ''; } -// Date appoval +// Date approval if (!empty($arrayfields['cp.date_approval']['checked'])) { print ''; diff --git a/htdocs/hrm/admin/admin_establishment.php b/htdocs/hrm/admin/admin_establishment.php index e15e7485cc5..9c0a8dad19a 100644 --- a/htdocs/hrm/admin/admin_establishment.php +++ b/htdocs/hrm/admin/admin_establishment.php @@ -127,7 +127,7 @@ if ($result) { $num = $db->num_rows($result); $i = 0; - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '; print '
      '; print ''; print_liste_field_titre("Ref", $_SERVER["PHP_SELF"], "e.ref", "", "", "", $sortfield, $sortorder); diff --git a/htdocs/hrm/class/establishment.class.php b/htdocs/hrm/class/establishment.class.php index 2594d26f26b..291546f253b 100644 --- a/htdocs/hrm/class/establishment.class.php +++ b/htdocs/hrm/class/establishment.class.php @@ -285,7 +285,7 @@ class Establishment extends CommonObject * Load an object from database * * @param int $id Id of record to load - * @return int <0 if KO, >=0 if OK + * @return int Return integer <0 if KO, >=0 if OK */ public function fetch($id) { @@ -423,7 +423,7 @@ class Establishment extends CommonObject } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) diff --git a/htdocs/hrm/class/evaluation.class.php b/htdocs/hrm/class/evaluation.class.php index f2bdfc2021c..7f752387952 100644 --- a/htdocs/hrm/class/evaluation.class.php +++ b/htdocs/hrm/class/evaluation.class.php @@ -79,14 +79,14 @@ class Evaluation extends CommonObject * Note: Filter can be a string like "(t.ref:like:'SO-%') or (t.date_creation:<:'20160101') or (t.nature:is:NULL)" * 'label' the translation key. * 'picto' is code of a picto to show before value in forms - * 'enabled' is a condition when the field must be managed (Example: 1 or '$conf->global->MY_SETUP_PARAM) + * 'enabled' is a condition when the field must be managed (Example: 1 or 'getDolGlobalString("MY_SETUP_PARAM")') * 'position' is the sort order of field. * 'notnull' is set to 1 if not null in database. Set to -1 if we must set data to null if empty ('' or 0). * 'visible' says if field is visible in list (Examples: 0=Not visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). 5=Visible on list and view only (not create/not update). Using a negative value means field is not shown by default on list but can be selected for viewing) * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'css'=>'minwidth300 maxwidth500 widthcentpercentminusx', 'cssview'=>'wordbreak', 'csslist'=>'tdoverflowmax200' @@ -178,7 +178,7 @@ class Evaluation extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -222,10 +222,10 @@ class Evaluation extends CommonObject * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { $resultcreate = $this->createCommon($user, $notrigger); @@ -467,10 +467,10 @@ class Evaluation extends CommonObject * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -478,11 +478,11 @@ class Evaluation extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); //return $this->deleteCommon($user, $notrigger, 1); @@ -493,10 +493,10 @@ class Evaluation extends CommonObject * * @param User $user User that delete * @param int $idline Id of line to delete - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int >0 if OK, <0 if KO */ - public function deleteLine(User $user, $idline, $notrigger = false) + public function deleteLine(User $user, $idline, $notrigger = 0) { if ($this->status < 0) { $this->error = 'ErrorDeleteLineNotAllowedByObjectStatus'; @@ -512,7 +512,7 @@ class Evaluation extends CommonObject * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function validate($user, $notrigger = 0) { @@ -524,7 +524,7 @@ class Evaluation extends CommonObject // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this)."::validate action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this)."::validate action abandoned: already validated", LOG_WARNING); return 0; } @@ -686,7 +686,7 @@ class Evaluation extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function cancel($user, $notrigger = 0) { @@ -703,7 +703,7 @@ class Evaluation extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function reopen($user, $notrigger = 0) { @@ -716,7 +716,7 @@ class Evaluation extends CommonObject } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -958,7 +958,7 @@ class Evaluation extends CommonObject $mybool = false; $file = getDolGlobalString('HRMTEST_EVALUATION_ADDON') . ".php"; - $classname = $conf->global->HRMTEST_EVALUATION_ADDON; + $classname = getDolGlobalString('HRMTEST_EVALUATION_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -970,7 +970,7 @@ class Evaluation extends CommonObject } if ($mybool === false) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -999,7 +999,7 @@ class Evaluation extends CommonObject * Create a document onto disk according to template module. * * @param string $modele Force template to use ('' to not force) - * @param Translate $outputlangs objet lang a utiliser pour traduction + * @param Translate $outputlangs object lang a utiliser pour traduction * @param int $hidedetails Hide details of lines * @param int $hidedesc Hide description * @param int $hideref Hide ref @@ -1020,7 +1020,7 @@ class Evaluation extends CommonObject if (!empty($this->model_pdf)) { $modele = $this->model_pdf; } elseif (getDolGlobalString('EVALUATION_ADDON_PDF')) { - $modele = $conf->global->EVALUATION_ADDON_PDF; + $modele = getDolGlobalString('EVALUATION_ADDON_PDF'); } } @@ -1091,7 +1091,7 @@ class Evaluation extends CommonObject $return .= '
      '.$arraydata['job'].''; } if (method_exists($this, 'getLibStatut')) { - $return .= '
      '.$this->getLibStatut(3).'
      '; + $return .= '
      '.$this->getLibStatut(3).'
      '; } $return .= ''; $return .= ''; diff --git a/htdocs/hrm/class/evaluationdet.class.php b/htdocs/hrm/class/evaluationdet.class.php index d20877abb4f..f1e8f2b006d 100644 --- a/htdocs/hrm/class/evaluationdet.class.php +++ b/htdocs/hrm/class/evaluationdet.class.php @@ -78,14 +78,14 @@ class EvaluationLine extends CommonObjectLine * Note: Filter can be a string like "(t.ref:like:'SO-%') or (t.date_creation:<:'20160101') or (t.nature:is:NULL)" * 'label' the translation key. * 'picto' is code of a picto to show before value in forms - * 'enabled' is a condition when the field must be managed (Example: 1 or '$conf->global->MY_SETUP_PARAM) + * 'enabled' is a condition when the field must be managed (Example: 1 or 'getDolGlobalString("MY_SETUP_PARAM")') * 'position' is the sort order of field. * 'notnull' is set to 1 if not null in database. Set to -1 if we must set data to null if empty ('' or 0). * 'visible' says if field is visible in list (Examples: 0=Not visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). 5=Visible on list and view only (not create/not update). Using a negative value means field is not shown by default on list but can be selected for viewing) * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'css'=>'minwidth300 maxwidth500 widthcentpercentminusx', 'cssview'=>'wordbreak', 'csslist'=>'tdoverflowmax200' @@ -166,7 +166,7 @@ class EvaluationLine extends CommonObjectLine /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -210,10 +210,10 @@ class EvaluationLine extends CommonObjectLine * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { $resultcreate = $this->createCommon($user, $notrigger); @@ -433,10 +433,10 @@ class EvaluationLine extends CommonObjectLine * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -444,11 +444,11 @@ class EvaluationLine extends CommonObjectLine /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { if ($this->fk_rank) { $skillRank = new SkillRank($this->db); @@ -464,10 +464,10 @@ class EvaluationLine extends CommonObjectLine * * @param User $user User that delete * @param int $idline Id of line to delete - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int >0 if OK, <0 if KO */ - public function deleteLine(User $user, $idline, $notrigger = false) + public function deleteLine(User $user, $idline, $notrigger = 0) { if ($this->status < 0) { $this->error = 'ErrorDeleteLineNotAllowedByObjectStatus'; @@ -483,7 +483,7 @@ class EvaluationLine extends CommonObjectLine * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function validate($user, $notrigger = 0) { @@ -495,7 +495,7 @@ class EvaluationLine extends CommonObjectLine // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this)."::validate action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this)."::validate action abandoned: already validated", LOG_WARNING); return 0; } @@ -640,7 +640,7 @@ class EvaluationLine extends CommonObjectLine * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function cancel($user, $notrigger = 0) { @@ -664,7 +664,7 @@ class EvaluationLine extends CommonObjectLine * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function reopen($user, $notrigger = 0) { @@ -684,7 +684,7 @@ class EvaluationLine extends CommonObjectLine } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -926,7 +926,7 @@ class EvaluationLine extends CommonObjectLine $mybool = false; $file = getDolGlobalString('hrm_EVALUATIONLINE_ADDON') . ".php"; - $classname = $conf->global->hrm_EVALUATIONLINE_ADDON; + $classname = getDolGlobalString('hrm_EVALUATIONLINE_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -938,7 +938,7 @@ class EvaluationLine extends CommonObjectLine } if ($mybool === false) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -967,7 +967,7 @@ class EvaluationLine extends CommonObjectLine * Create a document onto disk according to template module. * * @param string $modele Force template to use ('' to not force) - * @param Translate $outputlangs objet lang a utiliser pour traduction + * @param Translate $outputlangs object lang a utiliser pour traduction * @param int $hidedetails Hide details of lines * @param int $hidedesc Hide description * @param int $hideref Hide ref @@ -989,7 +989,7 @@ class EvaluationLine extends CommonObjectLine if (!empty($this->model_pdf)) { $modele = $this->model_pdf; } elseif (getDolGlobalString('EVALUATIONLINE_ADDON_PDF')) { - $modele = $conf->global->EVALUATIONLINE_ADDON_PDF; + $modele = getDolGlobalString('EVALUATIONLINE_ADDON_PDF'); } } diff --git a/htdocs/hrm/class/job.class.php b/htdocs/hrm/class/job.class.php index 67b513f745e..7f3f8ef399c 100644 --- a/htdocs/hrm/class/job.class.php +++ b/htdocs/hrm/class/job.class.php @@ -77,14 +77,14 @@ class Job extends CommonObject * Note: Filter can be a string like "(t.ref:like:'SO-%') or (t.date_creation:<:'20160101') or (t.nature:is:NULL)" * 'label' the translation key. * 'picto' is code of a picto to show before value in forms - * 'enabled' is a condition when the field must be managed (Example: 1 or '$conf->global->MY_SETUP_PARAM) + * 'enabled' is a condition when the field must be managed (Example: 1 or 'getDolGlobalString("MY_SETUP_PARAM")') * 'position' is the sort order of field. * 'notnull' is set to 1 if not null in database. Set to -1 if we must set data to null if empty ('' or 0). * 'visible' says if field is visible in list (Examples: 0=Not visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). 5=Visible on list and view only (not create/not update). Using a negative value means field is not shown by default on list but can be selected for viewing) * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'css'=>'minwidth300 maxwidth500 widthcentpercentminusx', 'cssview'=>'wordbreak', 'csslist'=>'tdoverflowmax200' @@ -167,7 +167,7 @@ class Job extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -211,10 +211,10 @@ class Job extends CommonObject * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { $resultcreate = $this->createCommon($user, $notrigger); @@ -436,10 +436,10 @@ class Job extends CommonObject * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -447,11 +447,11 @@ class Job extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); //return $this->deleteCommon($user, $notrigger, 1); @@ -462,10 +462,10 @@ class Job extends CommonObject * * @param User $user User that delete * @param int $idline Id of line to delete - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int >0 if OK, <0 if KO */ - public function deleteLine(User $user, $idline, $notrigger = false) + public function deleteLine(User $user, $idline, $notrigger = 0) { if ($this->status < 0) { $this->error = 'ErrorDeleteLineNotAllowedByObjectStatus'; @@ -481,7 +481,7 @@ class Job extends CommonObject * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function validate($user, $notrigger = 0) { @@ -493,7 +493,7 @@ class Job extends CommonObject // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this)."::validate action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this)."::validate action abandoned: already validated", LOG_WARNING); return 0; } @@ -675,7 +675,7 @@ class Job extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function cancel($user, $notrigger = 0) { @@ -699,7 +699,7 @@ class Job extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function reopen($user, $notrigger = 0) { @@ -719,7 +719,7 @@ class Job extends CommonObject } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -965,7 +965,7 @@ class Job extends CommonObject $mybool = false; $file = getDolGlobalString('hrm_JOB_ADDON') . ".php"; - $classname = $conf->global->hrm_JOB_ADDON; + $classname = getDolGlobalString('hrm_JOB_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -977,7 +977,7 @@ class Job extends CommonObject } if ($mybool === false) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -1006,7 +1006,7 @@ class Job extends CommonObject * Create a document onto disk according to template module. * * @param string $modele Force template to use ('' to not force) - * @param Translate $outputlangs objet lang a utiliser pour traduction + * @param Translate $outputlangs object lang a utiliser pour traduction * @param int $hidedetails Hide details of lines * @param int $hidedesc Hide description * @param int $hideref Hide ref @@ -1028,7 +1028,7 @@ class Job extends CommonObject if (!empty($this->model_pdf)) { $modele = $this->model_pdf; } elseif (getDolGlobalString('JOB_ADDON_PDF')) { - $modele = $conf->global->JOB_ADDON_PDF; + $modele = getDolGlobalString('JOB_ADDON_PDF'); } } @@ -1158,7 +1158,7 @@ class JobLine extends CommonObjectLine /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { diff --git a/htdocs/hrm/class/position.class.php b/htdocs/hrm/class/position.class.php index cdb8a18e1d8..7b3a9a5681c 100644 --- a/htdocs/hrm/class/position.class.php +++ b/htdocs/hrm/class/position.class.php @@ -77,14 +77,14 @@ class Position extends CommonObject * Note: Filter can be a string like "(t.ref:like:'SO-%') or (t.date_creation:<:'20160101') or (t.nature:is:NULL)" * 'label' the translation key. * 'picto' is code of a picto to show before value in forms - * 'enabled' is a condition when the field must be managed (Example: 1 or '$conf->global->MY_SETUP_PARAM) + * 'enabled' is a condition when the field must be managed (Example: 1 or 'getDolGlobalString("MY_SETUP_PARAM")') * 'position' is the sort order of field. * 'notnull' is set to 1 if not null in database. Set to -1 if we must set data to null if empty ('' or 0). * 'visible' says if field is visible in list (Examples: 0=Not visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). 5=Visible on list and view only (not create/not update). Using a negative value means field is not shown by default on list but can be selected for viewing) * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'css'=>'minwidth300 maxwidth500 widthcentpercentminusx', 'cssview'=>'wordbreak', 'csslist'=>'tdoverflowmax200' @@ -177,7 +177,7 @@ class Position extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -220,11 +220,11 @@ class Position extends CommonObject /** * Create object into database * - * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, Id of created object if OK + * @param User $user User that creates + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { $resultcreate = $this->createCommon($user, $notrigger); @@ -445,11 +445,11 @@ class Position extends CommonObject /** * Update object into database * - * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that modifies + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -457,11 +457,11 @@ class Position extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); //return $this->deleteCommon($user, $notrigger, 1); @@ -470,12 +470,12 @@ class Position extends CommonObject /** * Delete a line of object in database * - * @param User $user User that delete - * @param int $idline Id of line to delete - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int >0 if OK, <0 if KO + * @param User $user User that delete + * @param int $idline Id of line to delete + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return >0 if OK, <0 if KO */ - public function deleteLine(User $user, $idline, $notrigger = false) + public function deleteLine(User $user, $idline, $notrigger = 0) { if ($this->status < 0) { $this->error = 'ErrorDeleteLineNotAllowedByObjectStatus'; @@ -491,7 +491,7 @@ class Position extends CommonObject * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function validate($user, $notrigger = 0) { @@ -503,7 +503,7 @@ class Position extends CommonObject // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this) . "::validate action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this) . "::validate action abandoned: already validated", LOG_WARNING); return 0; } @@ -648,7 +648,7 @@ class Position extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function cancel($user, $notrigger = 0) { @@ -672,7 +672,7 @@ class Position extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function reopen($user, $notrigger = 0) { @@ -692,7 +692,7 @@ class Position extends CommonObject } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -905,7 +905,7 @@ class Position extends CommonObject * @param array $val Array of properties of field to show * @param string $key Key of attribute * @param string $value Preselected value to show (for date type it must be in timestamp format, for amount or price it must be a php numeric value) - * @param string $moreparam To add more parametes on html input tag + * @param string $moreparam To add more parameters on html input tag * @param string $keysuffix Prefix string to add into name and id of field (can be used to avoid duplicate names) * @param string $keyprefix Suffix string to add into name and id of field (can be used to avoid duplicate names) * @param mixed $morecss Value for css to define size. May also be a numeric. @@ -1008,7 +1008,7 @@ class Position extends CommonObject $mybool = false; $file = getDolGlobalString('hrm_POSITION_ADDON') . ".php"; - $classname = $conf->global->hrm_POSITION_ADDON; + $classname = getDolGlobalString('hrm_POSITION_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -1020,7 +1020,7 @@ class Position extends CommonObject } if ($mybool === false) { - dol_print_error('', "Failed to include file " . $file); + dol_print_error(null, "Failed to include file " . $file); return ''; } @@ -1064,7 +1064,7 @@ class Position extends CommonObject * Create a document onto disk according to template module. * * @param string $modele Force template to use ('' to not force) - * @param Translate $outputlangs objet lang a utiliser pour traduction + * @param Translate $outputlangs object lang a utiliser pour traduction * @param int $hidedetails Hide details of lines * @param int $hidedesc Hide description * @param int $hideref Hide ref @@ -1086,7 +1086,7 @@ class Position extends CommonObject if (!empty($this->model_pdf)) { $modele = $this->model_pdf; } elseif (getDolGlobalString('POSITION_ADDON_PDF')) { - $modele = $conf->global->POSITION_ADDON_PDF; + $modele = getDolGlobalString('POSITION_ADDON_PDF'); } } @@ -1158,7 +1158,7 @@ class Position extends CommonObject $return .= '
      '.$arraydata['job'].''; } if (property_exists($this, 'date_start') && property_exists($this, 'date_end')) { - $return .= '
      '.dol_print_date($this->db->jdate($this->date_start), 'day').''; + $return .= '
      '.dol_print_date($this->db->jdate($this->date_start), 'day').''; $return .= ' - '.dol_print_date($this->db->jdate($this->date_end), 'day').'
      '; } $return .= '
      '; @@ -1187,7 +1187,7 @@ class PositionLine extends CommonObjectLine /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { diff --git a/htdocs/hrm/class/skill.class.php b/htdocs/hrm/class/skill.class.php index e38a6c5915b..82d151b49cb 100644 --- a/htdocs/hrm/class/skill.class.php +++ b/htdocs/hrm/class/skill.class.php @@ -20,7 +20,7 @@ */ /** - * \file class/skill.class.php + * \file htdocs/hrm/class/skill.class.php * \ingroup hrm * \brief This file is a CRUD class file for Skill (Create/Read/Update/Delete) */ @@ -83,14 +83,14 @@ class Skill extends CommonObject * Note: Filter can be a string like "(t.ref:like:'SO-%') or (t.date_creation:<:'20160101') or (t.nature:is:NULL)" * 'label' the translation key. * 'picto' is code of a picto to show before value in forms - * 'enabled' is a condition when the field must be managed (Example: 1 or '$conf->global->MY_SETUP_PARAM) + * 'enabled' is a condition when the field must be managed (Example: 1 or 'getDolGlobalString("MY_SETUP_PARAM")') * 'position' is the sort order of field. * 'notnull' is set to 1 if not null in database. Set to -1 if we must set data to null if empty ('' or 0). * 'visible' says if field is visible in list (Examples: 0=Not visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). 5=Visible on list and view only (not create/not update). Using a negative value means field is not shown by default on list but can be selected for viewing) * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'css'=>'minwidth300 maxwidth500 widthcentpercentminusx', 'cssview'=>'wordbreak', 'csslist'=>'tdoverflowmax200' @@ -178,7 +178,7 @@ class Skill extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -222,10 +222,10 @@ class Skill extends CommonObject * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { global $langs,$conf; @@ -243,15 +243,15 @@ class Skill extends CommonObject /** * createSkills * - * @param int $i Rank from which we want to create skilldets (level $i to HRM_MAXRANK wil be created) - * @return null + * @param int $i Rank from which we want to create skilldets (level $i to HRM_MAXRANK will be created) + * @return int Return integer <0 if KO, Id of created object if OK */ public function createSkills($i = 1) { global $conf, $user, $langs; - $MaxNumberSkill = isset($conf->global->HRM_MAXRANK) ? $conf->global->HRM_MAXRANK : self::DEFAULT_MAX_RANK_PER_SKILL; - $defaultSkillDesc = getDolGlobalString('HRM_DEFAULT_SKILL_DESCRIPTION') ? $conf->global->HRM_DEFAULT_SKILL_DESCRIPTION : $langs->trans("NoDescription"); + $MaxNumberSkill = getDolGlobalInt('HRM_MAXRANK', self::DEFAULT_MAX_RANK_PER_SKILL); + $defaultSkillDesc = getDolGlobalString('HRM_DEFAULT_SKILL_DESCRIPTION', $langs->trans("NoDescription")); $error = 0; @@ -401,7 +401,7 @@ class Skill extends CommonObject /** * Load object lines in memory from the database * - * @return array|int <0 if KO, array of skill level found + * @return array|int Return integer <0 if KO, array of skill level found */ public function fetchLines() { @@ -505,10 +505,10 @@ class Skill extends CommonObject * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -516,11 +516,11 @@ class Skill extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); } @@ -530,10 +530,10 @@ class Skill extends CommonObject * * @param User $user User that delete * @param int $idline Id of line to delete - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int >0 if OK, <0 if KO + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return >0 if OK, <0 if KO */ - public function deleteLine(User $user, $idline, $notrigger = false) + public function deleteLine(User $user, $idline, $notrigger = 0) { if ($this->status < 0) { $this->error = 'ErrorDeleteLineNotAllowedByObjectStatus'; @@ -549,7 +549,7 @@ class Skill extends CommonObject * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function validate($user, $notrigger = 0) { @@ -561,7 +561,7 @@ class Skill extends CommonObject // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this)."::validate action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this)."::validate action abandoned: already validated", LOG_WARNING); return 0; } @@ -706,7 +706,7 @@ class Skill extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function cancel($user, $notrigger = 0) { @@ -730,7 +730,7 @@ class Skill extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function reopen($user, $notrigger = 0) { @@ -750,7 +750,7 @@ class Skill extends CommonObject } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -760,7 +760,7 @@ class Skill extends CommonObject * @return string String with URL */ /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -1007,7 +1007,7 @@ class Skill extends CommonObject $mybool = false; $file = getDolGlobalString('hrm_SKILL_ADDON') . ".php"; - $classname = $conf->global->hrm_SKILL_ADDON; + $classname = getDolGlobalString('hrm_SKILL_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -1019,7 +1019,7 @@ class Skill extends CommonObject } if ($mybool === false) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -1048,7 +1048,7 @@ class Skill extends CommonObject * Create a document onto disk according to template module. * * @param string $modele Force template to use ('' to not force) - * @param Translate $outputlangs objet lang a utiliser pour traduction + * @param Translate $outputlangs object lang a utiliser pour traduction * @param int $hidedetails Hide details of lines * @param int $hidedesc Hide description * @param int $hideref Hide ref @@ -1070,7 +1070,7 @@ class Skill extends CommonObject if (!empty($this->model_pdf)) { $modele = $this->model_pdf; } elseif (getDolGlobalString('SKILL_ADDON_PDF')) { - $modele = $conf->global->SKILL_ADDON_PDF; + $modele = getDolGlobalString('SKILL_ADDON_PDF'); } } diff --git a/htdocs/hrm/class/skilldet.class.php b/htdocs/hrm/class/skilldet.class.php index 8aa70255356..762352f8d74 100644 --- a/htdocs/hrm/class/skilldet.class.php +++ b/htdocs/hrm/class/skilldet.class.php @@ -77,14 +77,14 @@ class Skilldet extends CommonObjectLine * Note: Filter can be a string like "(t.ref:like:'SO-%') or (t.date_creation:<:'20160101') or (t.nature:is:NULL)" * 'label' the translation key. * 'picto' is code of a picto to show before value in forms - * 'enabled' is a condition when the field must be managed (Example: 1 or '$conf->global->MY_SETUP_PARAM) + * 'enabled' is a condition when the field must be managed (Example: 1 or 'getDolGlobalString("MY_SETUP_PARAM")') * 'position' is the sort order of field. * 'notnull' is set to 1 if not null in database. Set to -1 if we must set data to null if empty ('' or 0). * 'visible' says if field is visible in list (Examples: 0=Not visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). 5=Visible on list and view only (not create/not update). Using a negative value means field is not shown by default on list but can be selected for viewing) * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'css'=>'minwidth300 maxwidth500 widthcentpercentminusx', 'cssview'=>'wordbreak', 'csslist'=>'tdoverflowmax200' @@ -158,7 +158,7 @@ class Skilldet extends CommonObjectLine /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -202,10 +202,10 @@ class Skilldet extends CommonObjectLine * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { $resultcreate = $this->createCommon($user, $notrigger); @@ -427,10 +427,10 @@ class Skilldet extends CommonObjectLine * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -438,11 +438,11 @@ class Skilldet extends CommonObjectLine /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); //return $this->deleteCommon($user, $notrigger, 1); @@ -453,10 +453,10 @@ class Skilldet extends CommonObjectLine * * @param User $user User that delete * @param int $idline Id of line to delete - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int >0 if OK, <0 if KO + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return >0 if OK, <0 if KO */ - public function deleteLine(User $user, $idline, $notrigger = false) + public function deleteLine(User $user, $idline, $notrigger = 0) { if ($this->status < 0) { $this->error = 'ErrorDeleteLineNotAllowedByObjectStatus'; @@ -472,7 +472,7 @@ class Skilldet extends CommonObjectLine * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function validate($user, $notrigger = 0) { @@ -484,7 +484,7 @@ class Skilldet extends CommonObjectLine // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this)."::validate action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this)."::validate action abandoned: already validated", LOG_WARNING); return 0; } @@ -629,7 +629,7 @@ class Skilldet extends CommonObjectLine * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function cancel($user, $notrigger = 0) { @@ -653,7 +653,7 @@ class Skilldet extends CommonObjectLine * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function reopen($user, $notrigger = 0) { @@ -673,7 +673,7 @@ class Skilldet extends CommonObjectLine } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -894,7 +894,7 @@ class Skilldet extends CommonObjectLine $mybool = false; $file = getDolGlobalString('hrm_SKILLDET_ADDON') . ".php"; - $classname = $conf->global->hrm_SKILLDET_ADDON; + $classname = getDolGlobalString('hrm_SKILLDET_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -906,7 +906,7 @@ class Skilldet extends CommonObjectLine } if ($mybool === false) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -935,7 +935,7 @@ class Skilldet extends CommonObjectLine * Create a document onto disk according to template module. * * @param string $modele Force template to use ('' to not force) - * @param Translate $outputlangs objet lang a utiliser pour traduction + * @param Translate $outputlangs object lang a utiliser pour traduction * @param int $hidedetails Hide details of lines * @param int $hidedesc Hide description * @param int $hideref Hide ref @@ -957,7 +957,7 @@ class Skilldet extends CommonObjectLine if (!empty($this->model_pdf)) { $modele = $this->model_pdf; } elseif (getDolGlobalString('SKILLDET_ADDON_PDF')) { - $modele = $conf->global->SKILLDET_ADDON_PDF; + $modele = getDolGlobalString('SKILLDET_ADDON_PDF'); } } diff --git a/htdocs/hrm/class/skillrank.class.php b/htdocs/hrm/class/skillrank.class.php index 74a97d7c732..860e1daa80c 100644 --- a/htdocs/hrm/class/skillrank.class.php +++ b/htdocs/hrm/class/skillrank.class.php @@ -79,14 +79,14 @@ class SkillRank extends CommonObject * Note: Filter can be a string like "(t.ref:like:'SO-%') or (t.date_creation:<:'20160101') or (t.nature:is:NULL)" * 'label' the translation key. * 'picto' is code of a picto to show before value in forms - * 'enabled' is a condition when the field must be managed (Example: 1 or '$conf->global->MY_SETUP_PARAM) + * 'enabled' is a condition when the field must be managed (Example: 1 or 'getDolGlobalString("MY_SETUP_PARAM")') * 'position' is the sort order of field. * 'notnull' is set to 1 if not null in database. Set to -1 if we must set data to null if empty ('' or 0). * 'visible' says if field is visible in list (Examples: 0=Not visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). 5=Visible on list and view only (not create/not update). Using a negative value means field is not shown by default on list but can be selected for viewing) * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'css'=>'minwidth300 maxwidth500 widthcentpercentminusx', 'cssview'=>'wordbreak', 'csslist'=>'tdoverflowmax200' @@ -167,7 +167,7 @@ class SkillRank extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -211,10 +211,10 @@ class SkillRank extends CommonObject * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { global $langs; @@ -476,10 +476,10 @@ class SkillRank extends CommonObject * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -487,11 +487,11 @@ class SkillRank extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); //return $this->deleteCommon($user, $notrigger, 1); @@ -502,10 +502,10 @@ class SkillRank extends CommonObject * * @param User $user User that delete * @param int $idline Id of line to delete - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int >0 if OK, <0 if KO + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return >0 if OK, <0 if KO */ - public function deleteLine(User $user, $idline, $notrigger = false) + public function deleteLine(User $user, $idline, $notrigger = 0) { if ($this->status < 0) { $this->error = 'ErrorDeleteLineNotAllowedByObjectStatus'; @@ -521,7 +521,7 @@ class SkillRank extends CommonObject * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function validate($user, $notrigger = 0) { @@ -533,7 +533,7 @@ class SkillRank extends CommonObject // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this)."::validate action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this)."::validate action abandoned: already validated", LOG_WARNING); return 0; } @@ -678,7 +678,7 @@ class SkillRank extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function cancel($user, $notrigger = 0) { @@ -702,7 +702,7 @@ class SkillRank extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function reopen($user, $notrigger = 0) { @@ -722,7 +722,7 @@ class SkillRank extends CommonObject } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -968,7 +968,7 @@ class SkillRank extends CommonObject $mybool = false; $file = getDolGlobalString('hrm_SKILLRANK_ADDON') . ".php"; - $classname = $conf->global->hrm_SKILLRANK_ADDON; + $classname = getDolGlobalString('hrm_SKILLRANK_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -980,7 +980,7 @@ class SkillRank extends CommonObject } if ($mybool === false) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -1009,7 +1009,7 @@ class SkillRank extends CommonObject * Create a document onto disk according to template module. * * @param string $modele Force template to use ('' to not force) - * @param Translate $outputlangs objet lang a utiliser pour traduction + * @param Translate $outputlangs object lang a utiliser pour traduction * @param int $hidedetails Hide details of lines * @param int $hidedesc Hide description * @param int $hideref Hide ref @@ -1031,7 +1031,7 @@ class SkillRank extends CommonObject if (!empty($this->model_pdf)) { $modele = $this->model_pdf; } elseif (getDolGlobalString('SKILLRANK_ADDON_PDF')) { - $modele = $conf->global->SKILLRANK_ADDON_PDF; + $modele = getDolGlobalString('SKILLRANK_ADDON_PDF'); } } diff --git a/htdocs/hrm/compare.php b/htdocs/hrm/compare.php index 135e93671de..a75965f797e 100644 --- a/htdocs/hrm/compare.php +++ b/htdocs/hrm/compare.php @@ -318,7 +318,7 @@ function diff(&$TMergedSkills) } /** - * Return a html list with rank informations + * Return a html list with rank information * @param array $TMergedSkills skill list for display * @param string $field which column of comparison we are working with * @return string @@ -379,7 +379,7 @@ function skillList(&$TMergedSkills) } /** - * create an array of lines [ skillLabel,dscription, maxrank on group1 , minrank needed for this skill ] + * create an array of lines [ skillLabel,description, maxrank on group1 , minrank needed for this skill ] * * @param array $TSkill1 skill list of first column * @param array $TSkill2 skill list of second column diff --git a/htdocs/hrm/establishment/card.php b/htdocs/hrm/establishment/card.php index 9c0a33ce4c6..904627e7cfb 100644 --- a/htdocs/hrm/establishment/card.php +++ b/htdocs/hrm/establishment/card.php @@ -96,8 +96,8 @@ if ($action == 'confirm_delete' && $confirm == "yes") { $object->address = GETPOST('address', 'alpha'); $object->zip = GETPOST('zipcode', 'alpha'); $object->town = GETPOST('town', 'alpha'); - $object->country_id = GETPOST("country_id", 'int'); - $object->status = GETPOST('status', 'int'); + $object->country_id = GETPOSTINT("country_id"); + $object->status = GETPOSTINT('status'); $object->fk_user_author = $user->id; $object->datec = dol_now(); $object->entity = GETPOST('entity', 'int') > 0 ? GETPOST('entity', 'int') : $conf->entity; @@ -133,9 +133,9 @@ if ($action == 'confirm_delete' && $confirm == "yes") { $object->address = GETPOST('address', 'alpha'); $object->zip = GETPOST('zipcode', 'alpha'); $object->town = GETPOST('town', 'alpha'); - $object->country_id = GETPOST('country_id', 'int'); + $object->country_id = GETPOSTINT('country_id'); $object->fk_user_mod = $user->id; - $object->status = GETPOST('status', 'int'); + $object->status = GETPOSTINT('status'); $object->entity = GETPOST('entity', 'int') > 0 ? GETPOST('entity', 'int') : $conf->entity; $result = $object->update($user); diff --git a/htdocs/hrm/establishment/info.php b/htdocs/hrm/establishment/info.php index 1c5a730e5ca..d879cf0dea9 100644 --- a/htdocs/hrm/establishment/info.php +++ b/htdocs/hrm/establishment/info.php @@ -128,7 +128,7 @@ $form = new Form($db); if ($object->id > 0) { $title = $langs->trans("Agenda"); - //if (!empty($conf->global->MAIN_HTML_TITLE) && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; + //if (getDolGlobalString('MAIN_HTML_TITLE') && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; $help_url = ''; llxHeader('', $title, $help_url); diff --git a/htdocs/hrm/evaluation_agenda.php b/htdocs/hrm/evaluation_agenda.php index 2a2e47d999d..44437c1a6fa 100644 --- a/htdocs/hrm/evaluation_agenda.php +++ b/htdocs/hrm/evaluation_agenda.php @@ -140,7 +140,7 @@ $form = new Form($db); if ($object->id > 0) { $title = $langs->trans("Agenda"); - //if (!empty($conf->global->MAIN_HTML_TITLE) && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; + //if (getDolGlobalString('MAIN_HTML_TITLE') && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; $help_url = 'EN:Module_Agenda_En|DE:Modul_Terminplanung'; llxHeader('', $title, $help_url); diff --git a/htdocs/hrm/evaluation_card.php b/htdocs/hrm/evaluation_card.php index 0c5353ef7cd..e7681e75b6c 100644 --- a/htdocs/hrm/evaluation_card.php +++ b/htdocs/hrm/evaluation_card.php @@ -64,7 +64,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alpha'); $search = array(); foreach ($object->fields as $key => $val) { diff --git a/htdocs/hrm/evaluation_list.php b/htdocs/hrm/evaluation_list.php index 7c22551dfae..78e8681216e 100644 --- a/htdocs/hrm/evaluation_list.php +++ b/htdocs/hrm/evaluation_list.php @@ -91,7 +91,7 @@ if (!$sortorder) { $sortorder = "ASC"; } -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST('search_all', 'alphanohtml') ? GETPOST('search_all', 'alphanohtml') : GETPOST('sall', 'alphanohtml'); $search = array(); foreach ($object->fields as $key => $val) { @@ -498,7 +498,7 @@ $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; $selectedfields = ($mode != 'kanban' ? $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')) : ''); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '."\n"; // Fields title search @@ -782,7 +782,7 @@ print ''."\n"; print ''."\n"; -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/hrm/index.php b/htdocs/hrm/index.php index fe8b86c78b6..1c05ce8b7cc 100644 --- a/htdocs/hrm/index.php +++ b/htdocs/hrm/index.php @@ -72,7 +72,7 @@ if (!getDolGlobalString('MAIN_INFO_SOCIETE_NOM') || !getDolGlobalString('MAIN_IN $setupcompanynotcomplete = 1; } -$max = $conf->global->MAIN_SIZE_SHORTLIST_LIMIT; +$max = getDolGlobalInt('MAIN_SIZE_SHORTLIST_LIMIT'); /* @@ -90,6 +90,8 @@ if (isModEnabled('holiday') && !empty($setupcompanynotcomplete)) { * View */ +$listofsearchfields = array(); + $childids = $user->getAllChildIds(); $childids[] = $user->id; @@ -177,8 +179,8 @@ if (isModEnabled('holiday')) { print ''; print ''; print '

      '; - } elseif (!is_numeric($conf->global->HOLIDAY_HIDE_BALANCE)) { - print $langs->trans($conf->global->HOLIDAY_HIDE_BALANCE).'
      '; + } elseif (!is_numeric(getDolGlobalString('HOLIDAY_HIDE_BALANCE'))) { + print $langs->trans(getDolGlobalString('HOLIDAY_HIDE_BALANCE')).'
      '; } } @@ -187,7 +189,7 @@ print '
      '; -// Latest leave requests +// Latest modified leave requests if (isModEnabled('holiday') && $user->hasRight('holiday', 'read')) { $sql = "SELECT u.rowid as uid, u.lastname, u.firstname, u.login, u.email, u.photo, u.statut as user_status,"; $sql .= " x.rowid, x.ref, x.fk_type, x.date_debut as date_start, x.date_fin as date_end, x.halfday, x.tms as dm, x.statut as status"; @@ -271,7 +273,7 @@ if (isModEnabled('holiday') && $user->hasRight('holiday', 'read')) { } -// Latest expense report +// Latest modified expense report if (isModEnabled('expensereport') && $user->hasRight('expensereport', 'read')) { $sql = "SELECT u.rowid as uid, u.lastname, u.firstname, u.login, u.email, u.statut as user_status, u.photo,"; $sql .= " x.rowid, x.ref, x.date_debut as date, x.tms as dm, x.total_ttc, x.fk_statut as status"; @@ -406,7 +408,7 @@ if (isModEnabled('recruitment') && $user->hasRight('recruitment', 'recruitmentjo $db->free($resql); } else { - print '
      '.$langs->trans("None").'
      '.$langs->trans("None").'
      "; print ""; diff --git a/htdocs/hrm/job_agenda.php b/htdocs/hrm/job_agenda.php index 6345d087041..671d10c8a74 100644 --- a/htdocs/hrm/job_agenda.php +++ b/htdocs/hrm/job_agenda.php @@ -138,7 +138,7 @@ $form = new Form($db); if ($object->id > 0) { $title = $langs->trans("Agenda"); - //if (!empty($conf->global->MAIN_HTML_TITLE) && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; + //if (getDolGlobalString('MAIN_HTML_TITLE') && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; $help_url = 'EN:Module_Agenda_En|DE:Modul_Terminplanung'; llxHeader('', $title, $help_url); diff --git a/htdocs/hrm/job_card.php b/htdocs/hrm/job_card.php index d9f432fd7f2..3ca13ca1b77 100644 --- a/htdocs/hrm/job_card.php +++ b/htdocs/hrm/job_card.php @@ -61,7 +61,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alpha'); $search = array(); foreach ($object->fields as $key => $val) { @@ -166,7 +166,8 @@ if (empty($reshook)) { $object->fetch($id); $skillRequire = $object->getSkillRankForJob($originalId); if ($object->id > 0) { - $object->id = $object->ref = null; + $object->id = 0; + $object->ref = ''; if (GETPOST('clone_label', 'alphanohtml')) { $object->label = GETPOST('clone_label', 'alphanohtml'); diff --git a/htdocs/hrm/job_list.php b/htdocs/hrm/job_list.php index 074293417b2..aa66d55dd4a 100644 --- a/htdocs/hrm/job_list.php +++ b/htdocs/hrm/job_list.php @@ -90,7 +90,7 @@ if (!$sortorder) { $sortorder = "ASC"; } -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST('search_all', 'alphanohtml') ? GETPOST('search_all', 'alphanohtml') : GETPOST('sall', 'alphanohtml'); $search = array(); foreach ($object->fields as $key => $val) { @@ -473,7 +473,7 @@ $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; $selectedfields = $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print ''."\n"; @@ -748,7 +748,7 @@ print ''."\n"; print ''."\n"; -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/hrm/lib/hrm_evaluation.lib.php b/htdocs/hrm/lib/hrm_evaluation.lib.php index 3b2606e3f4a..d4b99471087 100644 --- a/htdocs/hrm/lib/hrm_evaluation.lib.php +++ b/htdocs/hrm/lib/hrm_evaluation.lib.php @@ -135,6 +135,7 @@ function GetLegendSkills() function getRankOrderResults($obj) { global $langs; + $results = array( 'greater' => array( 'title' => $langs->trans('MaxlevelGreaterThanShort'), @@ -157,7 +158,7 @@ function getRankOrderResults($obj) } elseif ($obj->rankorder < $obj->required_rank) { $key = 'lesser'; } - return '' . strtoupper(substr($obj->label, 0, 3)) .(strlen($obj->label) > 3 ? '..' : '').''; + return '' . dol_trunc($obj->label, 4).''; } /** diff --git a/htdocs/hrm/position.php b/htdocs/hrm/position.php index bf5043af97b..7ef6bf1c24c 100644 --- a/htdocs/hrm/position.php +++ b/htdocs/hrm/position.php @@ -97,7 +97,7 @@ if (!$sortorder) { $sortorder = "ASC"; } -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST('search_all', 'alphanohtml') ? GETPOST('search_all', 'alphanohtml') : GETPOST('sall', 'alphanohtml'); $search = array(); foreach ($objectposition->fields as $key => $val) { @@ -542,7 +542,7 @@ if ($job->id > 0 && (empty($action) || ($action != 'edit' && $action != 'create' $selectedfields = $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      ' . "\n"; // Fields title search @@ -745,7 +745,7 @@ if ($job->id > 0 && (empty($action) || ($action != 'edit' && $action != 'create' print '' . "\n"; - if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { + if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; @@ -766,7 +766,6 @@ if ($job->id > 0 && (empty($action) || ($action != 'edit' && $action != 'create' } } - // End of page llxFooter(); $db->close(); diff --git a/htdocs/hrm/position_agenda.php b/htdocs/hrm/position_agenda.php index 8947203fe60..b1534dc9787 100644 --- a/htdocs/hrm/position_agenda.php +++ b/htdocs/hrm/position_agenda.php @@ -141,7 +141,7 @@ $form = new Form($db); if ($object->id > 0) { $title = $langs->trans("Agenda"); - //if (!empty($conf->global->MAIN_HTML_TITLE) && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; + //if (getDolGlobalString('MAIN_HTML_TITLE') && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; $help_url = 'EN:Module_Agenda_En|DE:Modul_Terminplanung'; llxHeader('', $title, $help_url); @@ -231,7 +231,7 @@ if ($object->id > 0) { $filters['search_agenda_label'] = $search_agenda_label; $filters['search_rowid'] = $search_rowid; - $object->fields['label']=array(); // Usefull to get only agenda events linked to position (this object doesn't need label of ref field, but show_actions_done() needs it to work correctly) + $object->fields['label']=array(); // Useful to get only agenda events linked to position (this object doesn't need label of ref field, but show_actions_done() needs it to work correctly) // TODO Replace this with same code than into list.php show_actions_done($conf, $langs, $db, $object, null, 0, $actioncode, '', $filters, $sortfield, $sortorder, $object->module); diff --git a/htdocs/hrm/position_card.php b/htdocs/hrm/position_card.php index 4d12c002748..0dda7f0bea1 100644 --- a/htdocs/hrm/position_card.php +++ b/htdocs/hrm/position_card.php @@ -104,7 +104,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alpha'); $search = array(); foreach ($object->fields as $key => $val) { diff --git a/htdocs/hrm/position_list.php b/htdocs/hrm/position_list.php index 2a9e1f1031e..bb9c888f93a 100644 --- a/htdocs/hrm/position_list.php +++ b/htdocs/hrm/position_list.php @@ -91,7 +91,7 @@ if (!$sortorder) { $sortorder = "ASC"; } -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST('search_all', 'alphanohtml') ? GETPOST('search_all', 'alphanohtml') : GETPOST('sall', 'alphanohtml'); $search = array(); foreach ($object->fields as $key => $val) { @@ -484,7 +484,7 @@ $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; $selectedfields = $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '."\n"; @@ -774,7 +774,7 @@ print ''."\n"; print ''."\n"; -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/hrm/skill_agenda.php b/htdocs/hrm/skill_agenda.php index 5302783a2ec..a2899731f8d 100644 --- a/htdocs/hrm/skill_agenda.php +++ b/htdocs/hrm/skill_agenda.php @@ -140,7 +140,7 @@ $form = new Form($db); if ($object->id > 0) { $title = $langs->trans("Agenda"); - //if (!empty($conf->global->MAIN_HTML_TITLE) && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; + //if (getDolGlobalString('MAIN_HTML_TITLE') && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; $help_url = 'EN:Module_Agenda_En|DE:Modul_Terminplanung'; llxHeader('', $title, $help_url); diff --git a/htdocs/hrm/skill_card.php b/htdocs/hrm/skill_card.php index 199f113fbd9..434b6b49979 100644 --- a/htdocs/hrm/skill_card.php +++ b/htdocs/hrm/skill_card.php @@ -62,7 +62,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alpha'); $search = array(); foreach ($object->fields as $key => $val) { @@ -540,7 +540,7 @@ if ($action != "create" && $action != "edit") { $sortorder = "ASC"; } - // Initialize array of search criterias + // Initialize array of search criteria $search_all = GETPOST('search_all', 'alphanohtml') ? GETPOST('search_all', 'alphanohtml') : GETPOST('sall', 'alphanohtml'); $search = array(); foreach ($objectline->fields as $key => $val) { @@ -671,7 +671,7 @@ if ($action != "create" && $action != "edit") { // $selectedfields = $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage); // This also change content of $arrayfields // $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      ' . "\n"; @@ -829,7 +829,7 @@ if ($action != "create" && $action != "edit") { print '' . "\n"; - // if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { + // if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { // $hidegeneratedfilelistifempty = 1; // if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { // $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/hrm/skill_list.php b/htdocs/hrm/skill_list.php index 4078e13f63e..604a288843a 100644 --- a/htdocs/hrm/skill_list.php +++ b/htdocs/hrm/skill_list.php @@ -91,7 +91,7 @@ if (!$sortorder) { $sortorder = "ASC"; } -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST('search_all', 'alphanohtml') ? GETPOST('search_all', 'alphanohtml') : GETPOST('sall', 'alphanohtml'); $search = array(); foreach ($object->fields as $key => $val) { @@ -486,7 +486,7 @@ $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; $selectedfields = ($mode != 'kanban' ? $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')) : ''); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '."\n"; @@ -767,7 +767,7 @@ print ''."\n"; print ''."\n"; -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/hrm/skill_tab.php b/htdocs/hrm/skill_tab.php index 1d9f16b55e4..4a1026a475d 100644 --- a/htdocs/hrm/skill_tab.php +++ b/htdocs/hrm/skill_tab.php @@ -474,7 +474,13 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea $resql = $db->query($sql); $num = $db->num_rows($resql); - print_barre_liste($langs->trans("Evaluations"), $page, $_SERVER["PHP_SELF"], '', '', '', '', $num, $num, $evaltmp->picto, 0); + //num of evaluations for each user + $sqlEval = "SELECT rowid FROM ".MAIN_DB_PREFIX."hrm_evaluation as e"; + $sqlEval .= " WHERE e.fk_user = ".((int) $id); + $rslt = $db->query($sqlEval); + $numEval = $db->num_rows($sqlEval); + + print_barre_liste($langs->trans("Evaluations"), $page, $_SERVER["PHP_SELF"], '', '', '', '', $numEval, $numEval, $evaltmp->picto, 0); print '
      '; print '
      '; @@ -524,6 +530,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea print $evaltmp->getLibStatut(2); print ''; print '", 3); + $buffer .= '
      '; + if (!is_array($object)) { print $object->result; } else { diff --git a/htdocs/imports/class/import.class.php b/htdocs/imports/class/import.class.php index 28bf51fa4e0..0687650ce8a 100644 --- a/htdocs/imports/class/import.class.php +++ b/htdocs/imports/class/import.class.php @@ -186,9 +186,9 @@ class Import $this->array_import_fields[$i] = $module->import_fields_array[$r]; // Array of hidden fields to import (key=field, value=label) $this->array_import_fieldshidden[$i] = (isset($module->import_fieldshidden_array[$r]) ? $module->import_fieldshidden_array[$r] : ''); - // Tableau des entites a exporter (cle=champ, valeur=entite) + // Array of entiteis to export (key=field, value=entity) $this->array_import_entities[$i] = $module->import_entities_array[$r]; - // Tableau des alias a exporter (cle=champ, valeur=alias) + // Array of aliases to export (key=field, value=alias) $this->array_import_regex[$i] = (isset($module->import_regex_array[$r]) ? $module->import_regex_array[$r] : ''); // Array of columns allowed as UPDATE options $this->array_import_updatekeys[$i] = (isset($module->import_updatekeys_array[$r]) ? $module->import_updatekeys_array[$r] : ''); @@ -235,7 +235,7 @@ class Import dol_syslog(get_class($this)."::build_example_file ".$model); - // Creation de la classe d'import du model Import_XXX + // Create the import class for the model Import_XXX $dir = DOL_DOCUMENT_ROOT."/core/modules/import/"; $file = "import_".$model.".modules.php"; $classname = "Import".$model; diff --git a/htdocs/imports/import.php b/htdocs/imports/import.php index a8d4000bef2..4eb466dbf76 100644 --- a/htdocs/imports/import.php +++ b/htdocs/imports/import.php @@ -292,7 +292,7 @@ if ($step == 3 && $datatoimport) { } else { setEventMessages($langs->trans("ErrorFailToDeleteFile", GETPOST('urlfile')), null, 'errors'); } - Header('Location: '.$_SERVER["PHP_SELF"].'?step='.$step.$param); + header('Location: '.$_SERVER["PHP_SELF"].'?step='.$step.$param); exit; } } @@ -379,7 +379,7 @@ if ($step == 1 || !$datatoimport) { print '
      '.$langs->trans("SelectImportDataSet").'

      '; // Affiche les modules d'imports - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print ''; print ''; print ''; @@ -486,12 +486,12 @@ if ($step == 2 && $datatoimport) { print '
      '; - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '.$langs->trans("Module").'
      '; $filetoimport = ''; - // Add format informations and link to download example + // Add format information and link to download example print ''; @@ -646,7 +646,7 @@ if ($step == 3 && $datatoimport) { print ''; $out = ''; if (getDolGlobalString('MAIN_UPLOAD_DOC')) { - $max = $conf->global->MAIN_UPLOAD_DOC; // In Kb + $max = getDolGlobalString('MAIN_UPLOAD_DOC'); // In Kb $maxphp = @ini_get('upload_max_filesize'); // In unknown if (preg_match('/k$/i', $maxphp)) { $maxphp = (int) substr($maxphp, 0, -1); @@ -701,7 +701,7 @@ if ($step == 3 && $datatoimport) { // Search available imports $filearray = dol_dir_list($conf->import->dir_temp, 'files', 0, '', '', 'name', SORT_DESC); if (count($filearray) > 0) { - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '; print $langs->trans("FileMustHaveOneOfFollowingFormat"); print '
      '; $dir = $conf->import->dir_temp; @@ -713,7 +713,7 @@ if ($step == 3 && $datatoimport) { // readdir return value in ISO and we want UTF8 in memory if (!utf8_check($file)) { - $file = utf8_encode($file); + $file = mb_convert_encoding($file, 'UTF-8', 'ISO-8859-1'); } if (preg_match('/^\./', $file)) { @@ -803,7 +803,7 @@ if ($step == 4 && $datatoimport) { // The value to use $separator_used = str_replace('\t', "\t", $separator); - // Create classe to use for import + // Create class to use for import $dir = DOL_DOCUMENT_ROOT."/core/modules/import/"; $file = "import_".$model.".modules.php"; $classname = "Import".ucfirst($model); @@ -1061,7 +1061,7 @@ if ($step == 4 && $datatoimport) { print ''; // Title of array with fields - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '; print ''; print ''; @@ -1084,10 +1084,9 @@ if ($step == 4 && $datatoimport) { // List of source fields - $var = false; $lefti = 1; foreach ($fieldssource as $key => $val) { - show_elem($fieldssource, $key, $val, $var); // key is field number in source file + show_elem($fieldssource, $key, $val); // key is field number in source file $listofkeys[$key] = 1; $fieldsplaced[$key] = 1; $valforsourcefieldnb[$lefti] = $key; @@ -1190,7 +1189,7 @@ if ($step == 4 && $datatoimport) { $filecolumn = ($i + 1); // Source field info - if (empty($objimport->array_import_convertvalue[0][$tmpcode])) { // If source file does not need convertion + if (empty($objimport->array_import_convertvalue[0][$tmpcode])) { // If source file does not need conversion $filecolumntoshow = num2Alpha($i); } else { if ($objimport->array_import_convertvalue[0][$tmpcode]['rule'] == 'fetchidfromref') { @@ -1203,7 +1202,7 @@ if ($step == 4 && $datatoimport) { // Source required $example = !empty($objimport->array_import_examplevalues[0][$tmpcode]) ? $objimport->array_import_examplevalues[0][$tmpcode] : ""; // Example - if (empty($objimport->array_import_convertvalue[0][$tmpcode])) { // If source file does not need convertion + if (empty($objimport->array_import_convertvalue[0][$tmpcode])) { // If source file does not need conversion if ($example) { $htmltext .= $langs->trans("SourceExample").': '.str_replace('"', '', $example).'
      '; } @@ -1481,7 +1480,7 @@ if ($step == 4 && $datatoimport) { print ''; print ''; - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '.$langs->trans("FieldsInSourceFile").'
      '; print ''; print ''; @@ -1490,7 +1489,7 @@ if ($step == 4 && $datatoimport) { print ''; $nameofimportprofile = str_replace(' ', '-', $langs->trans("ImportProfile").' '.$titleofmodule.' '.dol_print_date(dol_now('gmt'), 'dayxcard')); - if (GETPOST('import_name')) { // If we have submited a form, we take value used fot the update try + if (GETPOST('import_name')) { // If we have submitted a form, we take value used for the update try $nameofimportprofile = $import_name; } @@ -1564,7 +1563,7 @@ if ($step == 5 && $datatoimport) { $model = $format; $list = $objmodelimport->listOfAvailableImportFormat($db); - // Create classe to use for import + // Create class to use for import $dir = DOL_DOCUMENT_ROOT."/core/modules/import/"; $file = "import_".$model.".modules.php"; $classname = "Import".ucfirst($model); @@ -2054,7 +2053,7 @@ if ($step == 6 && $datatoimport) { $importid = GETPOST("importid", 'alphanohtml'); - // Create classe to use for import + // Create class to use for import $dir = DOL_DOCUMENT_ROOT."/core/modules/import/"; $file = "import_".$model.".modules.php"; $classname = "Import".ucfirst($model); @@ -2406,11 +2405,9 @@ $db->close(); * @param array $fieldssource List of source fields * @param int $pos Pos * @param string $key Key - * @param boolean $var Line style (odd or not). No more used. - * @param int $nostyle Hide style * @return void */ -function show_elem($fieldssource, $pos, $key, $var, $nostyle = '') +function show_elem($fieldssource, $pos, $key) { global $conf, $langs; @@ -2451,7 +2448,7 @@ function show_elem($fieldssource, $pos, $key, $var, $nostyle = '') // Print field of source file print ''; print ''; @@ -2468,7 +2465,7 @@ function show_elem($fieldssource, $pos, $key, $var, $nostyle = '') } if ($example) { if (!utf8_check($example)) { - $example = utf8_encode($example); + $example = mb_convert_encoding($example, 'UTF-8', 'ISO-8859-1'); } if (!empty($conf->dol_optimize_smallscreen)) { //print '
      '; @@ -2520,7 +2517,7 @@ function getnewkey(&$fieldssource, &$listofkey) * Return array with element inserted in it at position $position * * @param array $array Array of field source - * @param mixed $position key of postion to insert to + * @param mixed $position key of position to insert to * @param array $insertArray Array to insert * @return array */ diff --git a/htdocs/includes/ace/src/worker-html.js b/htdocs/includes/ace/src/worker-html.js index 7344b4aac5d..578c42e42e7 100644 --- a/htdocs/includes/ace/src/worker-html.js +++ b/htdocs/includes/ace/src/worker-html.js @@ -10803,6 +10803,7 @@ process.nextTick = (function () { if (canPost) { var queue = []; window.addEventListener('message', function (ev) { + console.log("postMessage sent"+ev.data); /* Added by LDR to track postMessage event coming from same or other web page/sites */ var source = ev.source; if ((source === window || source === null) && ev.data === 'process-tick') { ev.stopPropagation(); diff --git a/htdocs/includes/jstz/jstz.js b/htdocs/includes/jstz/jstz.js deleted file mode 100644 index 89edbde6c25..00000000000 --- a/htdocs/includes/jstz/jstz.js +++ /dev/null @@ -1,1433 +0,0 @@ -(function (root) {/*global exports, Intl*/ -/** - * This script gives you the zone info key representing your device's time zone setting. - * - * @name jsTimezoneDetect - * @version 1.0.6 - * @author Jon Nylander - * @license MIT License - https://bitbucket.org/pellepim/jstimezonedetect/src/default/LICENCE.txt - * - * For usage and examples, visit: - * http://pellepim.bitbucket.org/jstz/ - * - * Copyright (c) Jon Nylander - */ - - -/** - * Namespace to hold all the code for timezone detection. - */ -var jstz = (function () { - 'use strict'; - var HEMISPHERE_SOUTH = 's', - - consts = { - DAY: 86400000, - HOUR: 3600000, - MINUTE: 60000, - SECOND: 1000, - BASELINE_YEAR: 2014, - MAX_SCORE: 864000000, // 10 days - AMBIGUITIES: { - 'America/Denver': ['America/Mazatlan'], - 'Europe/London': ['Africa/Casablanca'], - 'America/Chicago': ['America/Mexico_City'], - 'America/Asuncion': ['America/Campo_Grande', 'America/Santiago'], - 'America/Montevideo': ['America/Sao_Paulo', 'America/Santiago'], - // Europe/Minsk should not be in this list... but Windows. - 'Asia/Beirut': ['Asia/Amman', 'Asia/Jerusalem', 'Europe/Helsinki', 'Asia/Damascus', 'Africa/Cairo', 'Asia/Gaza', 'Europe/Minsk'], - 'Pacific/Auckland': ['Pacific/Fiji'], - 'America/Los_Angeles': ['America/Santa_Isabel'], - 'America/New_York': ['America/Havana'], - 'America/Halifax': ['America/Goose_Bay'], - 'America/Godthab': ['America/Miquelon'], - 'Asia/Dubai': ['Asia/Yerevan'], - 'Asia/Jakarta': ['Asia/Krasnoyarsk'], - 'Asia/Shanghai': ['Asia/Irkutsk', 'Australia/Perth'], - 'Australia/Sydney': ['Australia/Lord_Howe'], - 'Asia/Tokyo': ['Asia/Yakutsk'], - 'Asia/Dhaka': ['Asia/Omsk'], - // In the real world Yerevan is not ambigous for Baku... but Windows. - 'Asia/Baku': ['Asia/Yerevan'], - 'Australia/Brisbane': ['Asia/Vladivostok'], - 'Pacific/Noumea': ['Asia/Vladivostok'], - 'Pacific/Majuro': ['Asia/Kamchatka', 'Pacific/Fiji'], - 'Pacific/Tongatapu': ['Pacific/Apia'], - 'Asia/Baghdad': ['Europe/Minsk', 'Europe/Moscow'], - 'Asia/Karachi': ['Asia/Yekaterinburg'], - 'Africa/Johannesburg': ['Asia/Gaza', 'Africa/Cairo'] - } - }, - - /** - * Gets the offset in minutes from UTC for a certain date. - * @param {Date} date - * @returns {Number} - */ - get_date_offset = function get_date_offset(date) { - var offset = -date.getTimezoneOffset(); - return (offset !== null ? offset : 0); - }, - - /** - * This function does some basic calculations to create information about - * the user's timezone. It uses REFERENCE_YEAR as a solid year for which - * the script has been tested rather than depend on the year set by the - * client device. - * - * Returns a key that can be used to do lookups in jstz.olson.timezones. - * eg: "720,1,2". - * - * @returns {String} - */ - lookup_key = function lookup_key() { - var january_offset = get_date_offset(new Date(consts.BASELINE_YEAR, 0, 2)), - june_offset = get_date_offset(new Date(consts.BASELINE_YEAR, 5, 2)), - diff = january_offset - june_offset; - - if (diff < 0) { - return january_offset + ",1"; - } else if (diff > 0) { - return june_offset + ",1," + HEMISPHERE_SOUTH; - } - - return january_offset + ",0"; - }, - - - /** - * Tries to get the time zone key directly from the operating system for those - * environments that support the ECMAScript Internationalization API. - */ - get_from_internationalization_api = function get_from_internationalization_api() { - var format, timezone; - if (typeof Intl === "undefined" || typeof Intl.DateTimeFormat === "undefined") { - return; - } - - format = Intl.DateTimeFormat(); - - if (typeof format === "undefined" || typeof format.resolvedOptions === "undefined") { - return; - } - - timezone = format.resolvedOptions().timeZone; - - if (timezone && (timezone.indexOf("/") > -1 || timezone === 'UTC')) { - return timezone; - } - - }, - - /** - * Starting point for getting all the DST rules for a specific year - * for the current timezone (as described by the client system). - * - * Returns an object with start and end attributes, or false if no - * DST rules were found for the year. - * - * @param year - * @returns {Object} || {Boolean} - */ - dst_dates = function dst_dates(year) { - var yearstart = new Date(year, 0, 1, 0, 0, 1, 0).getTime(); - var yearend = new Date(year, 12, 31, 23, 59, 59).getTime(); - var current = yearstart; - var offset = (new Date(current)).getTimezoneOffset(); - var dst_start = null; - var dst_end = null; - - while (current < yearend - 86400000) { - var dateToCheck = new Date(current); - var dateToCheckOffset = dateToCheck.getTimezoneOffset(); - - if (dateToCheckOffset !== offset) { - if (dateToCheckOffset < offset) { - dst_start = dateToCheck; - } - if (dateToCheckOffset > offset) { - dst_end = dateToCheck; - } - offset = dateToCheckOffset; - } - - current += 86400000; - } - - if (dst_start && dst_end) { - return { - s: find_dst_fold(dst_start).getTime(), - e: find_dst_fold(dst_end).getTime() - }; - } - - return false; - }, - - /** - * Probably completely unnecessary function that recursively finds the - * exact (to the second) time when a DST rule was changed. - * - * @param a_date - The candidate Date. - * @param padding - integer specifying the padding to allow around the candidate - * date for finding the fold. - * @param iterator - integer specifying how many milliseconds to iterate while - * searching for the fold. - * - * @returns {Date} - */ - find_dst_fold = function find_dst_fold(a_date, padding, iterator) { - if (typeof padding === 'undefined') { - padding = consts.DAY; - iterator = consts.HOUR; - } - - var date_start = new Date(a_date.getTime() - padding).getTime(); - var date_end = a_date.getTime() + padding; - var offset = new Date(date_start).getTimezoneOffset(); - - var current = date_start; - - var dst_change = null; - while (current < date_end - iterator) { - var dateToCheck = new Date(current); - var dateToCheckOffset = dateToCheck.getTimezoneOffset(); - - if (dateToCheckOffset !== offset) { - dst_change = dateToCheck; - break; - } - current += iterator; - } - - if (padding === consts.DAY) { - return find_dst_fold(dst_change, consts.HOUR, consts.MINUTE); - } - - if (padding === consts.HOUR) { - return find_dst_fold(dst_change, consts.MINUTE, consts.SECOND); - } - - return dst_change; - }, - - windows7_adaptations = function windows7_adaptions(rule_list, preliminary_timezone, score, sample) { - if (score !== 'N/A') { - return score; - } - if (preliminary_timezone === 'Asia/Beirut') { - if (sample.name === 'Africa/Cairo') { - if (rule_list[6].s === 1398376800000 && rule_list[6].e === 1411678800000) { - return 0; - } - } - if (sample.name === 'Asia/Jerusalem') { - if (rule_list[6].s === 1395964800000 && rule_list[6].e === 1411858800000) { - return 0; - } - } - } else if (preliminary_timezone === 'America/Santiago') { - if (sample.name === 'America/Asuncion') { - if (rule_list[6].s === 1412481600000 && rule_list[6].e === 1397358000000) { - return 0; - } - } - if (sample.name === 'America/Campo_Grande') { - if (rule_list[6].s === 1413691200000 && rule_list[6].e === 1392519600000) { - return 0; - } - } - } else if (preliminary_timezone === 'America/Montevideo') { - if (sample.name === 'America/Sao_Paulo') { - if (rule_list[6].s === 1413687600000 && rule_list[6].e === 1392516000000) { - return 0; - } - } - } else if (preliminary_timezone === 'Pacific/Auckland') { - if (sample.name === 'Pacific/Fiji') { - if (rule_list[6].s === 1414245600000 && rule_list[6].e === 1396101600000) { - return 0; - } - } - } - - return score; - }, - - /** - * Takes the DST rules for the current timezone, and proceeds to find matches - * in the jstz.olson.dst_rules.zones array. - * - * Compares samples to the current timezone on a scoring basis. - * - * Candidates are ruled immediately if either the candidate or the current zone - * has a DST rule where the other does not. - * - * Candidates are ruled out immediately if the current zone has a rule that is - * outside the DST scope of the candidate. - * - * Candidates are included for scoring if the current zones rules fall within the - * span of the samples rules. - * - * Low score is best, the score is calculated by summing up the differences in DST - * rules and if the consts.MAX_SCORE is overreached the candidate is ruled out. - * - * Yah follow? :) - * - * @param rule_list - * @param preliminary_timezone - * @returns {*} - */ - best_dst_match = function best_dst_match(rule_list, preliminary_timezone) { - var score_sample = function score_sample(sample) { - var score = 0; - - for (var j = 0; j < rule_list.length; j++) { - - // Both sample and current time zone report DST during the year. - if (!!sample.rules[j] && !!rule_list[j]) { - - // The current time zone's DST rules are inside the sample's. Include. - if (rule_list[j].s >= sample.rules[j].s && rule_list[j].e <= sample.rules[j].e) { - score = 0; - score += Math.abs(rule_list[j].s - sample.rules[j].s); - score += Math.abs(sample.rules[j].e - rule_list[j].e); - - // The current time zone's DST rules are outside the sample's. Discard. - } else { - score = 'N/A'; - break; - } - - // The max score has been reached. Discard. - if (score > consts.MAX_SCORE) { - score = 'N/A'; - break; - } - } - } - - score = windows7_adaptations(rule_list, preliminary_timezone, score, sample); - - return score; - }; - var scoreboard = {}; - var dst_zones = jstz.olson.dst_rules.zones; - var dst_zones_length = dst_zones.length; - var ambiguities = consts.AMBIGUITIES[preliminary_timezone]; - - for (var i = 0; i < dst_zones_length; i++) { - var sample = dst_zones[i]; - var score = score_sample(dst_zones[i]); - - if (score !== 'N/A') { - scoreboard[sample.name] = score; - } - } - - for (var tz in scoreboard) { - if (scoreboard.hasOwnProperty(tz)) { - for (var j = 0; j < ambiguities.length; j++) { - if (ambiguities[j] === tz) { - return tz; - } - } - } - } - - return preliminary_timezone; - }, - - /** - * Takes the preliminary_timezone as detected by lookup_key(). - * - * Builds up the current timezones DST rules for the years defined - * in the jstz.olson.dst_rules.years array. - * - * If there are no DST occurences for those years, immediately returns - * the preliminary timezone. Otherwise proceeds and tries to solve - * ambiguities. - * - * @param preliminary_timezone - * @returns {String} timezone_name - */ - get_by_dst = function get_by_dst(preliminary_timezone) { - var get_rules = function get_rules() { - var rule_list = []; - for (var i = 0; i < jstz.olson.dst_rules.years.length; i++) { - var year_rules = dst_dates(jstz.olson.dst_rules.years[i]); - rule_list.push(year_rules); - } - return rule_list; - }; - var check_has_dst = function check_has_dst(rules) { - for (var i = 0; i < rules.length; i++) { - if (rules[i] !== false) { - return true; - } - } - return false; - }; - var rules = get_rules(); - var has_dst = check_has_dst(rules); - - if (has_dst) { - return best_dst_match(rules, preliminary_timezone); - } - - return preliminary_timezone; - }, - - /** - * Uses get_timezone_info() to formulate a key to use in the olson.timezones dictionary. - * - * Returns an object with one function ".name()" - * - * @returns Object - */ - determine = function determine() { - var preliminary_tz = get_from_internationalization_api(); - - if (!preliminary_tz) { - preliminary_tz = jstz.olson.timezones[lookup_key()]; - - if (typeof consts.AMBIGUITIES[preliminary_tz] !== 'undefined') { - preliminary_tz = get_by_dst(preliminary_tz); - } - } - - return { - name: function () { - return preliminary_tz; - } - }; - }; - - return { - determine: determine - }; -}()); - - -jstz.olson = jstz.olson || {}; - -/** - * The keys in this dictionary are comma separated as such: - * - * First the offset compared to UTC time in minutes. - * - * Then a flag which is 0 if the timezone does not take daylight savings into account and 1 if it - * does. - * - * Thirdly an optional 's' signifies that the timezone is in the southern hemisphere, - * only interesting for timezones with DST. - * - * The mapped arrays is used for constructing the jstz.TimeZone object from within - * jstz.determine(); - */ -jstz.olson.timezones = { - '-720,0': 'Etc/GMT+12', - '-660,0': 'Pacific/Pago_Pago', - '-660,1,s': 'Pacific/Apia', // Why? Because windows... cry! - '-600,1': 'America/Adak', - '-600,0': 'Pacific/Honolulu', - '-570,0': 'Pacific/Marquesas', - '-540,0': 'Pacific/Gambier', - '-540,1': 'America/Anchorage', - '-480,1': 'America/Los_Angeles', - '-480,0': 'Pacific/Pitcairn', - '-420,0': 'America/Phoenix', - '-420,1': 'America/Denver', - '-360,0': 'America/Guatemala', - '-360,1': 'America/Chicago', - '-360,1,s': 'Pacific/Easter', - '-300,0': 'America/Bogota', - '-300,1': 'America/New_York', - '-270,0': 'America/Caracas', - '-240,1': 'America/Halifax', - '-240,0': 'America/Santo_Domingo', - '-240,1,s': 'America/Asuncion', - '-210,1': 'America/St_Johns', - '-180,1': 'America/Godthab', - '-180,0': 'America/Argentina/Buenos_Aires', - '-180,1,s': 'America/Montevideo', - '-120,0': 'America/Noronha', - '-120,1': 'America/Noronha', - '-60,1': 'Atlantic/Azores', - '-60,0': 'Atlantic/Cape_Verde', - '0,0': 'UTC', - '0,1': 'Europe/London', - '60,1': 'Europe/Berlin', - '60,0': 'Africa/Lagos', - '60,1,s': 'Africa/Windhoek', - '120,1': 'Asia/Beirut', - '120,0': 'Africa/Johannesburg', - '180,0': 'Asia/Baghdad', - '180,1': 'Europe/Moscow', - '210,1': 'Asia/Tehran', - '240,0': 'Asia/Dubai', - '240,1': 'Asia/Baku', - '270,0': 'Asia/Kabul', - '300,1': 'Asia/Yekaterinburg', - '300,0': 'Asia/Karachi', - '330,0': 'Asia/Kolkata', - '345,0': 'Asia/Kathmandu', - '360,0': 'Asia/Dhaka', - '360,1': 'Asia/Omsk', - '390,0': 'Asia/Rangoon', - '420,1': 'Asia/Krasnoyarsk', - '420,0': 'Asia/Jakarta', - '480,0': 'Asia/Shanghai', - '480,1': 'Asia/Irkutsk', - '525,0': 'Australia/Eucla', - '525,1,s': 'Australia/Eucla', - '540,1': 'Asia/Yakutsk', - '540,0': 'Asia/Tokyo', - '570,0': 'Australia/Darwin', - '570,1,s': 'Australia/Adelaide', - '600,0': 'Australia/Brisbane', - '600,1': 'Asia/Vladivostok', - '600,1,s': 'Australia/Sydney', - '630,1,s': 'Australia/Lord_Howe', - '660,1': 'Asia/Kamchatka', - '660,0': 'Pacific/Noumea', - '690,0': 'Pacific/Norfolk', - '720,1,s': 'Pacific/Auckland', - '720,0': 'Pacific/Majuro', - '765,1,s': 'Pacific/Chatham', - '780,0': 'Pacific/Tongatapu', - '780,1,s': 'Pacific/Apia', - '840,0': 'Pacific/Kiritimati' -}; - -/* Build time: 2015-11-02 13:01:00Z Build by invoking python utilities/dst.py generate */ -jstz.olson.dst_rules = { - "years": [ - 2008, - 2009, - 2010, - 2011, - 2012, - 2013, - 2014 - ], - "zones": [ - { - "name": "Africa/Cairo", - "rules": [ - { - "e": 1219957200000, - "s": 1209074400000 - }, - { - "e": 1250802000000, - "s": 1240524000000 - }, - { - "e": 1285880400000, - "s": 1284069600000 - }, - false, - false, - false, - { - "e": 1411678800000, - "s": 1406844000000 - } - ] - }, - { - "name": "Africa/Casablanca", - "rules": [ - { - "e": 1220223600000, - "s": 1212278400000 - }, - { - "e": 1250809200000, - "s": 1243814400000 - }, - { - "e": 1281222000000, - "s": 1272758400000 - }, - { - "e": 1312066800000, - "s": 1301788800000 - }, - { - "e": 1348970400000, - "s": 1345428000000 - }, - { - "e": 1382839200000, - "s": 1376100000000 - }, - { - "e": 1414288800000, - "s": 1406944800000 - } - ] - }, - { - "name": "America/Asuncion", - "rules": [ - { - "e": 1205031600000, - "s": 1224388800000 - }, - { - "e": 1236481200000, - "s": 1255838400000 - }, - { - "e": 1270954800000, - "s": 1286078400000 - }, - { - "e": 1302404400000, - "s": 1317528000000 - }, - { - "e": 1333854000000, - "s": 1349582400000 - }, - { - "e": 1364094000000, - "s": 1381032000000 - }, - { - "e": 1395543600000, - "s": 1412481600000 - } - ] - }, - { - "name": "America/Campo_Grande", - "rules": [ - { - "e": 1203217200000, - "s": 1224388800000 - }, - { - "e": 1234666800000, - "s": 1255838400000 - }, - { - "e": 1266721200000, - "s": 1287288000000 - }, - { - "e": 1298170800000, - "s": 1318737600000 - }, - { - "e": 1330225200000, - "s": 1350792000000 - }, - { - "e": 1361070000000, - "s": 1382241600000 - }, - { - "e": 1392519600000, - "s": 1413691200000 - } - ] - }, - { - "name": "America/Goose_Bay", - "rules": [ - { - "e": 1225594860000, - "s": 1205035260000 - }, - { - "e": 1257044460000, - "s": 1236484860000 - }, - { - "e": 1289098860000, - "s": 1268539260000 - }, - { - "e": 1320555600000, - "s": 1299988860000 - }, - { - "e": 1352005200000, - "s": 1331445600000 - }, - { - "e": 1383454800000, - "s": 1362895200000 - }, - { - "e": 1414904400000, - "s": 1394344800000 - } - ] - }, - { - "name": "America/Havana", - "rules": [ - { - "e": 1224997200000, - "s": 1205643600000 - }, - { - "e": 1256446800000, - "s": 1236488400000 - }, - { - "e": 1288501200000, - "s": 1268542800000 - }, - { - "e": 1321160400000, - "s": 1300597200000 - }, - { - "e": 1352005200000, - "s": 1333256400000 - }, - { - "e": 1383454800000, - "s": 1362891600000 - }, - { - "e": 1414904400000, - "s": 1394341200000 - } - ] - }, - { - "name": "America/Mazatlan", - "rules": [ - { - "e": 1225008000000, - "s": 1207472400000 - }, - { - "e": 1256457600000, - "s": 1238922000000 - }, - { - "e": 1288512000000, - "s": 1270371600000 - }, - { - "e": 1319961600000, - "s": 1301821200000 - }, - { - "e": 1351411200000, - "s": 1333270800000 - }, - { - "e": 1382860800000, - "s": 1365325200000 - }, - { - "e": 1414310400000, - "s": 1396774800000 - } - ] - }, - { - "name": "America/Mexico_City", - "rules": [ - { - "e": 1225004400000, - "s": 1207468800000 - }, - { - "e": 1256454000000, - "s": 1238918400000 - }, - { - "e": 1288508400000, - "s": 1270368000000 - }, - { - "e": 1319958000000, - "s": 1301817600000 - }, - { - "e": 1351407600000, - "s": 1333267200000 - }, - { - "e": 1382857200000, - "s": 1365321600000 - }, - { - "e": 1414306800000, - "s": 1396771200000 - } - ] - }, - { - "name": "America/Miquelon", - "rules": [ - { - "e": 1225598400000, - "s": 1205038800000 - }, - { - "e": 1257048000000, - "s": 1236488400000 - }, - { - "e": 1289102400000, - "s": 1268542800000 - }, - { - "e": 1320552000000, - "s": 1299992400000 - }, - { - "e": 1352001600000, - "s": 1331442000000 - }, - { - "e": 1383451200000, - "s": 1362891600000 - }, - { - "e": 1414900800000, - "s": 1394341200000 - } - ] - }, - { - "name": "America/Santa_Isabel", - "rules": [ - { - "e": 1225011600000, - "s": 1207476000000 - }, - { - "e": 1256461200000, - "s": 1238925600000 - }, - { - "e": 1288515600000, - "s": 1270375200000 - }, - { - "e": 1319965200000, - "s": 1301824800000 - }, - { - "e": 1351414800000, - "s": 1333274400000 - }, - { - "e": 1382864400000, - "s": 1365328800000 - }, - { - "e": 1414314000000, - "s": 1396778400000 - } - ] - }, - { - "name": "America/Santiago", - "rules": [ - { - "e": 1206846000000, - "s": 1223784000000 - }, - { - "e": 1237086000000, - "s": 1255233600000 - }, - { - "e": 1270350000000, - "s": 1286683200000 - }, - { - "e": 1304823600000, - "s": 1313899200000 - }, - { - "e": 1335668400000, - "s": 1346558400000 - }, - { - "e": 1367118000000, - "s": 1378612800000 - }, - { - "e": 1398567600000, - "s": 1410062400000 - } - ] - }, - { - "name": "America/Sao_Paulo", - "rules": [ - { - "e": 1203213600000, - "s": 1224385200000 - }, - { - "e": 1234663200000, - "s": 1255834800000 - }, - { - "e": 1266717600000, - "s": 1287284400000 - }, - { - "e": 1298167200000, - "s": 1318734000000 - }, - { - "e": 1330221600000, - "s": 1350788400000 - }, - { - "e": 1361066400000, - "s": 1382238000000 - }, - { - "e": 1392516000000, - "s": 1413687600000 - } - ] - }, - { - "name": "Asia/Amman", - "rules": [ - { - "e": 1225404000000, - "s": 1206655200000 - }, - { - "e": 1256853600000, - "s": 1238104800000 - }, - { - "e": 1288303200000, - "s": 1269554400000 - }, - { - "e": 1319752800000, - "s": 1301608800000 - }, - false, - false, - { - "e": 1414706400000, - "s": 1395957600000 - } - ] - }, - { - "name": "Asia/Damascus", - "rules": [ - { - "e": 1225486800000, - "s": 1207260000000 - }, - { - "e": 1256850000000, - "s": 1238104800000 - }, - { - "e": 1288299600000, - "s": 1270159200000 - }, - { - "e": 1319749200000, - "s": 1301608800000 - }, - { - "e": 1351198800000, - "s": 1333058400000 - }, - { - "e": 1382648400000, - "s": 1364508000000 - }, - { - "e": 1414702800000, - "s": 1395957600000 - } - ] - }, - { - "name": "Asia/Dubai", - "rules": [ - false, - false, - false, - false, - false, - false, - false - ] - }, - { - "name": "Asia/Gaza", - "rules": [ - { - "e": 1219957200000, - "s": 1206655200000 - }, - { - "e": 1252015200000, - "s": 1238104800000 - }, - { - "e": 1281474000000, - "s": 1269640860000 - }, - { - "e": 1312146000000, - "s": 1301608860000 - }, - { - "e": 1348178400000, - "s": 1333058400000 - }, - { - "e": 1380229200000, - "s": 1364508000000 - }, - { - "e": 1414098000000, - "s": 1395957600000 - } - ] - }, - { - "name": "Asia/Irkutsk", - "rules": [ - { - "e": 1224957600000, - "s": 1206813600000 - }, - { - "e": 1256407200000, - "s": 1238263200000 - }, - { - "e": 1288461600000, - "s": 1269712800000 - }, - false, - false, - false, - false - ] - }, - { - "name": "Asia/Jerusalem", - "rules": [ - { - "e": 1223161200000, - "s": 1206662400000 - }, - { - "e": 1254006000000, - "s": 1238112000000 - }, - { - "e": 1284246000000, - "s": 1269561600000 - }, - { - "e": 1317510000000, - "s": 1301616000000 - }, - { - "e": 1348354800000, - "s": 1333065600000 - }, - { - "e": 1382828400000, - "s": 1364515200000 - }, - { - "e": 1414278000000, - "s": 1395964800000 - } - ] - }, - { - "name": "Asia/Kamchatka", - "rules": [ - { - "e": 1224943200000, - "s": 1206799200000 - }, - { - "e": 1256392800000, - "s": 1238248800000 - }, - { - "e": 1288450800000, - "s": 1269698400000 - }, - false, - false, - false, - false - ] - }, - { - "name": "Asia/Krasnoyarsk", - "rules": [ - { - "e": 1224961200000, - "s": 1206817200000 - }, - { - "e": 1256410800000, - "s": 1238266800000 - }, - { - "e": 1288465200000, - "s": 1269716400000 - }, - false, - false, - false, - false - ] - }, - { - "name": "Asia/Omsk", - "rules": [ - { - "e": 1224964800000, - "s": 1206820800000 - }, - { - "e": 1256414400000, - "s": 1238270400000 - }, - { - "e": 1288468800000, - "s": 1269720000000 - }, - false, - false, - false, - false - ] - }, - { - "name": "Asia/Vladivostok", - "rules": [ - { - "e": 1224950400000, - "s": 1206806400000 - }, - { - "e": 1256400000000, - "s": 1238256000000 - }, - { - "e": 1288454400000, - "s": 1269705600000 - }, - false, - false, - false, - false - ] - }, - { - "name": "Asia/Yakutsk", - "rules": [ - { - "e": 1224954000000, - "s": 1206810000000 - }, - { - "e": 1256403600000, - "s": 1238259600000 - }, - { - "e": 1288458000000, - "s": 1269709200000 - }, - false, - false, - false, - false - ] - }, - { - "name": "Asia/Yekaterinburg", - "rules": [ - { - "e": 1224968400000, - "s": 1206824400000 - }, - { - "e": 1256418000000, - "s": 1238274000000 - }, - { - "e": 1288472400000, - "s": 1269723600000 - }, - false, - false, - false, - false - ] - }, - { - "name": "Asia/Yerevan", - "rules": [ - { - "e": 1224972000000, - "s": 1206828000000 - }, - { - "e": 1256421600000, - "s": 1238277600000 - }, - { - "e": 1288476000000, - "s": 1269727200000 - }, - { - "e": 1319925600000, - "s": 1301176800000 - }, - false, - false, - false - ] - }, - { - "name": "Australia/Lord_Howe", - "rules": [ - { - "e": 1207407600000, - "s": 1223134200000 - }, - { - "e": 1238857200000, - "s": 1254583800000 - }, - { - "e": 1270306800000, - "s": 1286033400000 - }, - { - "e": 1301756400000, - "s": 1317483000000 - }, - { - "e": 1333206000000, - "s": 1349537400000 - }, - { - "e": 1365260400000, - "s": 1380987000000 - }, - { - "e": 1396710000000, - "s": 1412436600000 - } - ] - }, - { - "name": "Australia/Perth", - "rules": [ - { - "e": 1206813600000, - "s": 1224957600000 - }, - false, - false, - false, - false, - false, - false - ] - }, - { - "name": "Europe/Helsinki", - "rules": [ - { - "e": 1224982800000, - "s": 1206838800000 - }, - { - "e": 1256432400000, - "s": 1238288400000 - }, - { - "e": 1288486800000, - "s": 1269738000000 - }, - { - "e": 1319936400000, - "s": 1301187600000 - }, - { - "e": 1351386000000, - "s": 1332637200000 - }, - { - "e": 1382835600000, - "s": 1364691600000 - }, - { - "e": 1414285200000, - "s": 1396141200000 - } - ] - }, - { - "name": "Europe/Minsk", - "rules": [ - { - "e": 1224979200000, - "s": 1206835200000 - }, - { - "e": 1256428800000, - "s": 1238284800000 - }, - { - "e": 1288483200000, - "s": 1269734400000 - }, - false, - false, - false, - false - ] - }, - { - "name": "Europe/Moscow", - "rules": [ - { - "e": 1224975600000, - "s": 1206831600000 - }, - { - "e": 1256425200000, - "s": 1238281200000 - }, - { - "e": 1288479600000, - "s": 1269730800000 - }, - false, - false, - false, - false - ] - }, - { - "name": "Pacific/Apia", - "rules": [ - false, - false, - false, - { - "e": 1301752800000, - "s": 1316872800000 - }, - { - "e": 1333202400000, - "s": 1348927200000 - }, - { - "e": 1365256800000, - "s": 1380376800000 - }, - { - "e": 1396706400000, - "s": 1411826400000 - } - ] - }, - { - "name": "Pacific/Fiji", - "rules": [ - false, - false, - { - "e": 1269698400000, - "s": 1287842400000 - }, - { - "e": 1327154400000, - "s": 1319292000000 - }, - { - "e": 1358604000000, - "s": 1350741600000 - }, - { - "e": 1390050000000, - "s": 1382796000000 - }, - { - "e": 1421503200000, - "s": 1414850400000 - } - ] - }, - { - "name": "Europe/London", - "rules": [ - { - "e": 1224982800000, - "s": 1206838800000 - }, - { - "e": 1256432400000, - "s": 1238288400000 - }, - { - "e": 1288486800000, - "s": 1269738000000 - }, - { - "e": 1319936400000, - "s": 1301187600000 - }, - { - "e": 1351386000000, - "s": 1332637200000 - }, - { - "e": 1382835600000, - "s": 1364691600000 - }, - { - "e": 1414285200000, - "s": 1396141200000 - } - ] - } - ] -}; -if (typeof module !== 'undefined' && typeof module.exports !== 'undefined') { - module.exports = jstz; -} else if ((typeof define !== 'undefined' && define !== null) && (define.amd != null)) { - define([], function() { - return jstz; - }); -} else { - if (typeof root === 'undefined') { - window.jstz = jstz; - } else { - root.jstz = jstz; - } -} -}()); \ No newline at end of file diff --git a/htdocs/includes/jstz/jstz.min.js b/htdocs/includes/jstz/jstz.min.js deleted file mode 100644 index a6be0f665e2..00000000000 --- a/htdocs/includes/jstz/jstz.min.js +++ /dev/null @@ -1,2 +0,0 @@ -/* jstz.min.js Version: 1.0.6 Build date: 2015-11-04 */ -!function(e){var a=function(){"use strict";var e="s",s={DAY:864e5,HOUR:36e5,MINUTE:6e4,SECOND:1e3,BASELINE_YEAR:2014,MAX_SCORE:864e6,AMBIGUITIES:{"America/Denver":["America/Mazatlan"],"Europe/London":["Africa/Casablanca"],"America/Chicago":["America/Mexico_City"],"America/Asuncion":["America/Campo_Grande","America/Santiago"],"America/Montevideo":["America/Sao_Paulo","America/Santiago"],"Asia/Beirut":["Asia/Amman","Asia/Jerusalem","Europe/Helsinki","Asia/Damascus","Africa/Cairo","Asia/Gaza","Europe/Minsk"],"Pacific/Auckland":["Pacific/Fiji"],"America/Los_Angeles":["America/Santa_Isabel"],"America/New_York":["America/Havana"],"America/Halifax":["America/Goose_Bay"],"America/Godthab":["America/Miquelon"],"Asia/Dubai":["Asia/Yerevan"],"Asia/Jakarta":["Asia/Krasnoyarsk"],"Asia/Shanghai":["Asia/Irkutsk","Australia/Perth"],"Australia/Sydney":["Australia/Lord_Howe"],"Asia/Tokyo":["Asia/Yakutsk"],"Asia/Dhaka":["Asia/Omsk"],"Asia/Baku":["Asia/Yerevan"],"Australia/Brisbane":["Asia/Vladivostok"],"Pacific/Noumea":["Asia/Vladivostok"],"Pacific/Majuro":["Asia/Kamchatka","Pacific/Fiji"],"Pacific/Tongatapu":["Pacific/Apia"],"Asia/Baghdad":["Europe/Minsk","Europe/Moscow"],"Asia/Karachi":["Asia/Yekaterinburg"],"Africa/Johannesburg":["Asia/Gaza","Africa/Cairo"]}},i=function(e){var a=-e.getTimezoneOffset();return null!==a?a:0},r=function(){var a=i(new Date(s.BASELINE_YEAR,0,2)),r=i(new Date(s.BASELINE_YEAR,5,2)),n=a-r;return 0>n?a+",1":n>0?r+",1,"+e:a+",0"},n=function(){var e,a;if("undefined"!=typeof Intl&&"undefined"!=typeof Intl.DateTimeFormat&&(e=Intl.DateTimeFormat(),"undefined"!=typeof e&&"undefined"!=typeof e.resolvedOptions))return a=e.resolvedOptions().timeZone,a&&(a.indexOf("/")>-1||"UTC"===a)?a:void 0},o=function(e){for(var a=new Date(e,0,1,0,0,1,0).getTime(),s=new Date(e,12,31,23,59,59).getTime(),i=a,r=new Date(i).getTimezoneOffset(),n=null,o=null;s-864e5>i;){var t=new Date(i),A=t.getTimezoneOffset();A!==r&&(r>A&&(n=t),A>r&&(o=t),r=A),i+=864e5}return n&&o?{s:u(n).getTime(),e:u(o).getTime()}:!1},u=function l(e,a,i){"undefined"==typeof a&&(a=s.DAY,i=s.HOUR);for(var r=new Date(e.getTime()-a).getTime(),n=e.getTime()+a,o=new Date(r).getTimezoneOffset(),u=r,t=null;n-i>u;){var A=new Date(u),c=A.getTimezoneOffset();if(c!==o){t=A;break}u+=i}return a===s.DAY?l(t,s.HOUR,s.MINUTE):a===s.HOUR?l(t,s.MINUTE,s.SECOND):t},t=function(e,a,s,i){if("N/A"!==s)return s;if("Asia/Beirut"===a){if("Africa/Cairo"===i.name&&13983768e5===e[6].s&&14116788e5===e[6].e)return 0;if("Asia/Jerusalem"===i.name&&13959648e5===e[6].s&&14118588e5===e[6].e)return 0}else if("America/Santiago"===a){if("America/Asuncion"===i.name&&14124816e5===e[6].s&&1397358e6===e[6].e)return 0;if("America/Campo_Grande"===i.name&&14136912e5===e[6].s&&13925196e5===e[6].e)return 0}else if("America/Montevideo"===a){if("America/Sao_Paulo"===i.name&&14136876e5===e[6].s&&1392516e6===e[6].e)return 0}else if("Pacific/Auckland"===a&&"Pacific/Fiji"===i.name&&14142456e5===e[6].s&&13961016e5===e[6].e)return 0;return s},A=function(e,i){for(var r=function(a){for(var r=0,n=0;n=a.rules[n].s&&e[n].e<=a.rules[n].e)){r="N/A";break}if(r=0,r+=Math.abs(e[n].s-a.rules[n].s),r+=Math.abs(a.rules[n].e-e[n].e),r>s.MAX_SCORE){r="N/A";break}}return r=t(e,i,r,a)},n={},o=a.olson.dst_rules.zones,u=o.length,A=s.AMBIGUITIES[i],c=0;u>c;c++){var m=o[c],l=r(o[c]);"N/A"!==l&&(n[m.name]=l)}for(var f in n)if(n.hasOwnProperty(f))for(var d=0;dNuSOAP + +

      +NuSOAP is a rewrite of SOAPx4, provided by NuSphere and Dietrich Ayala. It is a set of PHP classes - no PHP extensions required - that allow developers to create and consume web services based on SOAP 1.1, WSDL 1.1 and HTTP 1.0/1.1. +

      + +

      +🕹 f3l1x.io | 💻 f3l1x | 🐦 @xf3l1x +

      + +

      + All credits belongs to official authors, take a look at sourceforge.net/projects/nusoap/ +

      + +

      + + + + + +

      + +----- + +## Info + +- Supported PHP: [5.4 - 8.2](https://packagist.org/packages/econea/nusoap) +- Official project: https://sourceforge.net/projects/nusoap/ + +## Installation + +To install this library use [Composer](https://getcomposer.org/). + +``` +composer require econea/nusoap +``` + +## Usage + +```php +// Config +$client = new nusoap_client('example.com/api/v1', 'wsdl'); +$client->soap_defencoding = 'UTF-8'; +$client->decode_utf8 = FALSE; + +// Calls +$result = $client->call($action, $data); +``` + +## Development + +See [how to contribute](https://contributte.org/contributing.html) to this package. + +This package is currently maintained by these authors. + + + + + +----- + +Consider to [support](https://github.com/sponsors/f3l1x) **f3l1x**. Also thank you for using this package. diff --git a/htdocs/includes/nusoap/lib/changelog b/htdocs/includes/nusoap/lib/changelog deleted file mode 100644 index b76580e2d18..00000000000 --- a/htdocs/includes/nusoap/lib/changelog +++ /dev/null @@ -1,648 +0,0 @@ -2003-07-21, version 0.6.5 -- soap_transport_http: SOAPAction header is quoted again, fixes problem w/ Weblogic Server -- applied Jason Levitt patch for proper array serialization, fixes problem w/ Amazon shopping cart services -- fixed null value serialization -- applied patch from "BZC ToOn'S" - fixes wsdl serialization when no parameters -- applied John's patch, implementing compression for the server - -2003-07-22, version 0.6.5 -- soap_server: fixed bug causing charset encoding not to be passed to the parser -- soap_fault: added default encoding to the fault serialization -- soap_parser: changed the parser to pre-load the parent's result array when processing scalar values. This increases parsing speed. - -2003-07-23, version 0.6.5 -- soap_base: fix code that overwrites user-supplied attributes in serialize_val -- soap_base: use arrays-of-arrays rather than attempting multi-dimensional in serialize_val -- xmlschema: emit import statements and qualify all elements with prefix in serializeSchema (better interop with validation tools) -- soapclient: get xml character encoding from HTTP Content-Type header if provided, e.g. text/xml;charset="UTF-8" -- soapclient: use headers in call if provided (previously ignored this parameter) -- soap_server: in parse_request, if neither getallheaders nor $_SERVER are available, use $HTTP_SERVER_VARS to get SOAPAction and xml encoding - -2003-07-24, version 0.6.5 -- soap_transport_http: apply patch from Steven Brown "if the server closes connection prematurely, nusoap would spin trying to read data that isn't there" - -2003-07-25, version 0.6.5 -- wsdl: apply patch from Sven to workaround single schema limitation -- wsdl: apply a variant of the patch from Holger to handle empty values for array by serializing an array with 0 elements -- xmlschema: remove the redundant default namespace attribute on the schema element; everything in xsd is explicitly specified as being from xsd -- soap_transport_http: fix setCredentials and add TODO comments in sendHTTPS about what to change if this setCredentials stays - -2003-07-30, version 0.6.5 -- nusoap_base: change documentation of soap_defencoding to specify it is the encoding for outgoing messages -- nusoap_base: only change &, <, > to entities, not all HTML entities -- soap_transport_http: update the Content-Type header in sendRequest, since soap_defencoding could be changed after ctor is called -- soap_server: use soap_defencoding instead of charset_encoding -- soap_server: read encoding from _SERVER if available -- nusoap_base: do entity translation for string parameters with an xsd type specified (thanks David Derr) - -2003-07-31, version 0.6.5 -- soap_transport_http: add proxy authentication -- soap_transport_http: build payload the same way for http and https -- wsdl: add proxy authentication -- soapclient: add proxy authentication -- soapclient: allow proxy information in ctor, so that it can be used for wsdl - -2003-08-01, version 0.6.5 -- soap_transport_http: close a persistent connection that's at EOF -- soap_transport_http: prevent conflicts between setEncoding and usePersistentConnection -- soap_transport_http: fix use of $headers instead of $this->incoming_headers in getResponse -- soapclient: improve handling of persistent connections -- soapclient: force xml_encoding to upper case -- soap_server: let the Web server decide whether to close the connection (no Connection: close header) -- soap_server: force xml_encoding to upper case - -2003-08-04, version 0.6.5 -- soap_parser: use XML type information to pick a PHP data type; also decode base64 -- soap_server: read all HTTP headers when using _SERVER or HTTP_SERVER_VARS -- soap_server: add gzip encoding support for outgoing messages -- soap_transport_http: deflate is gzcompress/gzuncompress (cf. http://archive.develooper.com/libwww@perl.org/msg04650.html) -- soap_transport_http: clean use of persistentConnection so it's always a set boolean -- soapclient: add responseData member to access deflated/gunzipped payload - -2003-08-05, version 0.6.5 -- soap_server: look multiple places when setting debug_flag - -2003-08-07, version 0.6.5 -- nusoap_base: serialize specified type (e.g. ArrayOfString) even for simple array -- wsdl: only specify encodingStyle in the input/output soap bindings when it is not empty (thanks Guillaume) - -2003-08-15, version 0.6.5 -- soap_parser: fix parsing of elements with no XSD type specified -- soap_parser: use PHP string type for XSD long and unsignedLong types - -2003-08-16, version 0.6.5 -- soap_parser: fix code generating warning (thanks Torsten) - -2003-08-19, version 0.6.5 -- soap_parser: fix another line of code generating a warning (thanks Torsten) - -2003-08-22, version 0.6.5 -- soap_server: remove all '--' from debug_str; previous code changed '---' to '- --' -- wsdl, soapclient, soap_parser: patch submitted by Mark Spavin as described by - the following... -> Changes for the multiple/nested imports from the wsdl file. This builds an -> array of files not just the last one and also checks for relative paths to -> the parent. This will then get the imported files from the remote site -> instead of your local disk. Local wsdl files should still work (untested). -> -> Changes for multiple encoding sytles as previously posted - -2003-08-24, version 0.6.5 -- wsdl, soapclient: fix some PHP notices from previous update - -2003-08-26, version 0.6.5 -- wsdl: support multiple SOAP ports -- soapclient, soap_server: when no charset is specified, use UTF-8, even though HTTP specifies US-ASCII. -- soap_transport_http: do not prepend $host with 'ssl://' for https (is this required for older cURL versions?) - -2003-08-27, version 0.6.5 -- soap_server: support compressed request messages (thanks John Huong) -- soap_parser: deserialize Apache Vector as an array -- xmlschema: use $this->typemap in getPHPType (which is not used) -- soapclient, wsdl: check for WSDL errors after serializing parameters -- nusoap_base: add serialization of Apache Map (when not using WSDL) -- wsdl: add serialization of Apache Map (when using WSDL) -- wsdl: only change &, <, > to entities, not all HTML entities - -2003-08-28, version 0.6.5 -- soap_transport_http: disable cURL verification of peer and server (formerly the cURL default) -- soap_transport_http: mingle cURL code with straight http, so sendHTTP is no longer needed - -2003-08-29, version 0.6.6 -- soap_transport_http: add setContentType -- soapclient: call setContentType using new getHTTPContentType and getHTTPContentTypeCharset - -2003-09-05, version 0.6.6 -- wsdl: add some more code to handle null/nil values (but there's still a way to go) - -2003-10-21, version 0.6.6 -- soap_transport_http: only include port in Host header if it was specified in the URL -- soap_transport_http: add some code to use OpenSSL for PHP ssl:// scheme, but comment out since it's not ready -- soap_server: use $_SERVER['PHP_SELF'] if $GLOBALS['PHP_SELF'] is not set -- wsdl: add WSDL request and response and transport debug to debug -- wsdl: handle custom type extending xmlschema namespace (GLUE ... Thanks Matt) -- soap_parser: add param to docs -- soapclient: add getHTTPBody, getHTTPContentType, getHTTPContentTypeCharset (anticipating MIME subclass) - -2003-10-28, version 0.6.6 -- nusoap_base: add expandEntities method -- wsdl: use expandEntities -- soap_fault: use expandEntities -- soap_transport_http: Allow credentials to be included in URL, rather than requiring setCredentials -- soap_transport_http: Merge HTTP headers that span multiple lines -- soap_parser: Properly set errors in ctor -- soapclient: Pass headers to parseResponse and parse them in that method - -2003-10-30, version 0.6.6 -- xmlschema: Add some information for the related type to an element - -2003-12-09, version 0.6.6 -- nusoap_base: Add some namespace methods previously in xmlschema -- xmlschema: Improve parsing of complexType, element and simpleType -- xmlschema: Improve serialization -- xmlschema: Track imports -- xmlschema: Track elementFormDefault and form attributes -- wsdl: Support multiple (note that setting $server->wsdl->schemaTargetNamespace no longer does anything! Use configureWSDL instead.) -- wsdl: Use form attribute of element to control namespace specification -- wsdl: Support chained imports (A imports B which imports C) -- wsdl: Include port in endpoint address when serializing -- soap_server: Fix use of style (rpc|document) and use (encoded|literal) -- soap_server: Support _SERVER[CONTENT_TYPE] in addition to _SERVER[HTTP_CONTENT_TYPE] -- soap_server: Support wsdl with multiple -- soap_client: Remove a var_dump -- soap_client: Add style and use parameters to call method to support doc/lit without WSDL -- soap_transport_http: Check that $this->fp exists when doing persistent connections - -2003-12-17, version 0.6.6 -- soap_server: pass namespaces to xmlschema constructor -- wsdl: post-process after all imports -- wsdl: remove some debug, add some error handling -- xmlschema: allow enclosing namespaces to be specified in constructor -- xmlschema: improve handling of compositors and simple types - -2004-01-08, version 0.6.6 -- soap_server: when requested WSDL is in a file, return to client using passthru (thanks Ingo Fischer) -- soapclient: have proxy inherit more client state -- soapclient: allow timeout and response timeout to be specified in the constructor -- wsdl: allow timeout and response timeout to be specified in the constructor -- soap_transport_http: allow response timeout to be specified in send and sendHTTPS - -2004-01-28, version 0.6.6 -- wsdl: add namespace for array and scalar when form is qualified -- wsdl: fix a bug in which data type of complexType elements were ignored in serialization -- wsdl: enhance handling of URLs with file scheme -- wsdl: add addSimpleType -- xmlschema: add addSimpleType -- xmlschema: always set phpType elements -- soapclient: allow a wsdl instance to be specified in constructor -- soap_server: allow a wsdl instance to be specified in constructor (not tested!) -- soap_server: fix default SOAPAction created in register method -- soap_transport_http: accept chunking with LF separators in addition to CRLF. -- wsdlcache: added class -- nusoapmime: fix comments - -2004-02-23, version 0.6.6 -- soap_transport_http: don't try to unchunk cURL data, since cURL already does it -- soap_transport_http: append CVS revision to version in User-Agent -- wsdl: serialize boolean as true|false, not 1|0, to agree with XML Schema -- soap_server: always exit() after returning WSDL -- soap_server: use the WSDL URL scheme as the default endpoint URL scheme -- soap_server: append CVS revision to version in X-SOAP-Server -- nusoap_base: add (CVS) revision -- wsdlcache: synchronize using a per-WSDL lock file (Thanks Ingo) -- wsdlcache: add cache lifetime, after which cache contents are invalidated (Thanks Ingo) - -2004-03-15, version 0.6.6 -- nusoap_base: add isArraySimpleOrStruct method -- soap_server: improve WSDL URL scheme determination -- soap_server: only deflate/gzip payloads > 1024 bytes -- soap_server: fix parameter order in fault method (always used as faultcode, faultstring) -- soap_server: refactor parse_request into multiple functions (for sanity) -- soap_server: set the namespace on the Response element to the same as the request -- soap_server: name the return value element 'return' by default -- soap_server: added and documented data fields, so that service programmers can use them if desired -- soap_parser: standardize parsing error message -- soap_parser: fix document and responseHeaders so they are the correct XML text (as documented) -- soap_transport_http: fix read from persistent connection -- soapclient: clean up debugging for persistent connection -- wsdl: enforce correct naming of messages parts when an associative array is used for parameters -- wsdl: better serialization of null values -- wsdl: standardize parsing error message -- xmlschema: standardize parsing error message - -2004-03-24, version 0.6.7 -- soap_transport_http: add digest authentication (based on code by Kevin A. Miller) -- xmlschema: improve parsing of import elements -- wsdl: do schema imports even if there are no wsdl imports - -2004-04-12, version 0.6.7 -- wsdl: serialize multiple elements when maxOccurs="unbounded" and value is an array -- wsdl: serialize soapval values (used to force an XML type, e.g. when WSDL uses an abstract type) -- nusoapmime: do not require nusoap.php (it is now the programmer's responsibility) - -2004-04-21, version 0.6.7 -- soap_parser: parse repeated element name into an array (de-serializes doc/lit array into a PHP array when there is more than 1 array element) -- soap_server: do not wrap response in a response element for a document style service - -2004-04-30, version 0.6.7 -- soap_transport_http: allow digest auth params to be separated by "," as well as ", " -- soap_transport_http: re-initialize incoming headers for each response -- soap_server: add methodreturnisliteralxml property to allow service function to return XML as a string -- soapclient: improve rpc/literal support -- soapclient: allow XML string as call params in addition to array -- soapclient: support document style and literal encoding when not using WSDL - -2004-05-05, version 0.6.7 -- wsdl: serialize PHP objects for WSDL XML Schema complexTypes, in addition to associative arrays -- wsdl: fix WSDL generation when there is no encodingStyle -- soap_transport_http: suppress fsockopen warnings -- soap_transport_http: detect socket timeouts when reading (0 bytes returned) -- soap_transport_http: read chunked content "in-line" so it works on a persistent connection -- nusoap_base: serialize boolean as true|false, not 1|0, to agree with XML Schema -- nusoap_base: serialize array of struct differently than array of array - -2004-06-25, version 0.6.8 -- soap_server: prefer gzip to deflate, since IE does not like our deflate -- soap_server: move webDescription to the wsdl class -- soap_server: allow class and instance method calls for service (thanks Ingo Fischer and Roland Knall) -- wsdl: get webDescription from the soap_server class -- wsdl: allow compression from the server -- wsdl: fix serialization of soapval without a type -- wsdl: propagate debug value from query string to SOAP endpoint in programmatic WSDL generation -- nusoap_base: add anyType, anySimpleType for 2001 XML Schema -- nusoap_base: provide additional debug functions -- soap_transport_http: ignore Content-Length when chunked encoding is used -- soap_transport_http: remove ':' from username for Basic authentication (cf. RFC 2617) -- soap_transport_http: urldecode username and password taken from URL -- soap_transport_http: use raw inflate/deflate for IE/IIS compatibility, rather than having Zlib headers according to HTTP 1.1 spec -- soap_transport_http: attempt to handle the case when both the service application and Web server compress the response -- soapclient: when creating proxy methods, replace '.' in operation name with '__' in function name -- soapclient: initialize requestHeaders in proxy -- general: use new debug methods; never access debug_str directly - -2004-09-30, version 0.6.8 -- soapclient: do not allow getProxy call when WSDL is not used -- soapclient: use ISO-8859-1 as the charset if not specified in the Content-Type header -- soapclient: when an empty string is specified for the call namespace, do not put the method element in a namespace -- soapclient: let soap_transport_http check for SSL support -- soapclient: have proxy inherit soap_defencoding from the client from which it is generated -- soapclient: do not assume that 'ns1' is an unused namespace prefix; always generate namespace prefixes randomly -- soap_parser: compare any encoding in the XML declaration to the charset from the HTTP Content-Type header (thanks Ingo Fischer) -- soap_parser: improve parse repeated element name into an array (de-serializes doc/lit array into a PHP array when there is more than 1 array element) -- soap_server: use ISO-8859-1 as the charset if not specified in the Content-Type header -- soap_server: allow suppression of automatic UTF-8 decoding -- soap_server: fix a bug when call_user_func_array() is used -- soap_transport_http: correct digest authentication through a proxy -- wsdl: serialize SOAP-ENC types similarly to XSD types -- xmlschema: force unprefixed type into default namespace -- xmlschema: fix serialization of definition of simple types - -2004-10-01, version 0.6.8 -- soap_parser: handle default namespace attributes -- soap_server: add default_utf8 field -- soap_server: support literal encoding (with RPC style) -- soap_transport_http: parse HTTP status and generate error for 300, 302-307, 400, 401-417, 501-505 (thanks for the idea Ghislain) -- soap_transport_http: follow HTTP redirection (HTTP status 301 and Location header) (thanks for the idea Ghislain) -- xmlschema: allow any attributes to be specified in an element of a complexType, e.g., abstract, default, form, minOccurs, maxOccurs, nillable (thanks Jirka Pech for the original patch) - -2004-10-02, version 0.6.8 -- soapclient: read/write cookies (thanks Ingo) -- soap_server: change faultcode on non-resendable faults to Client -- soap_transport_http: read/write cookies (thanks Ingo) - -2004-10-05, version 0.6.8 -- wsdl: add addElement method -- wsdl: support the document style in the register method -- xmlschema: parse unnamed simpleTypes, rather than ignoring them -- xmlschema: include untyped elements when parsing a complexType -- xmlschema: add addElement method - -2004-10-14, version 0.6.8 -- soapclient: support client certificates -- soap_parser: deserialize attributes, prefixing names with "!" -- soap_server: notify the client with HTML when WSDL is requested but not supported by service -- soap_transport_http: support client certificates -- wsdl: support defaults for elements of a complexType -- wsdl: serialize elements from complexType extension base -- wsdl: serialize data (associative array elements) as attributes according to XML Schema -- xmlschema: record extension base if present for a complexType - -2004-12-15, version 0.6.8 -- nusoap_base: add 2000 XML Schema (rare, but used by Akamai) -- soap_parser: avoid deserializing more common attributes that are not data -- soap_parser: be lax when HTTP specifies ISO-8859-1 (the default) and XML specifies UTF-8 (the norm) -- soap_server: account for the fact that get_class_methods returns methods in all lower case (thanks Steve Haldane) -- soap_transport_http: parse digest info that includes '=' in the data (thanks Jinsuk Kim) -- wsdl: feably handle some cases for literal serialization of form="unqualified" elements -- wsdl: don't serialize the decimal portion of a PHP double when the XML type is long -- wsdl: fix serialization of attributes for complexType that is an extension -- wsdlcache: enhance diagnostics -- xmlschema: handle untyped elements -- xmlschema: handle WSDL for SOAP Array that uses the base attribute plus a sequence of element - -2005-01-22, version 0.6.8 -- wsdl: allow an element in one schema to have a type from another schema - -2005-01-24, version 0.6.8 -- xmlschema: correctly parse nested complexType definitions - -2005-02-14, version 0.6.8 -- nusoap_base: fix a bug in which attributes were sometimes not serialized with a value -- nusoap_base: improve serialization of null values (thanks Dominique Stender) -- soap_parser: parse null values by handling the nil attribute (thanks Dominique Stender) -- soap_server: set character encoding for a fault to be the same as for the server (thanks Mark Scott) -- soap_server: correctly check for null value returned from method when WSDL is used (without WSDL, cannot distinguish whether NULL or void return is desired) -- soapclient: for document style, call should always return an array rooted at the response part (all bets are off when there are multiple parts) -- xmlschema: save enumeration values parsed from WSDL - -2005-02-10, version 0.6.9 -- soapclient: only set SOAP headers when they are specified in call params (so setHeaders still works) - -2005-04-04, version 0.6.9 -- soap_server: use get_class instead of is_a (thanks Thomas Noel) -- soapclient: use get_class instead of is_a (thanks Thomas Noel) -- soapclient: add setEndpoint method -- soap_transport_http: fix client certificates (thanks Doug Anarino and Eryan Eriobowo) - -2005-04-29, version 0.6.9 -- nusoap_base: add global variable and methods for setting debug level -- nusoap_base: use xsd:anyType instead of xsd:ur-type to serialize arrays with multiple element types (thanks Ingo Fischer) -- nusoap_base: expand entities in attributes (thanks Gaetano Giunta) -- soapclient: call parent constructor -- soapval: call parent constructor -- soap_fault: call parent constructor -- soap_parser: call parent constructor -- soap_server: assume get_class_methods always returns lower case for PHP 4.x only -- soap_server: call parent constructor -- soap_transport_http: do nothing in setEncoding if gzdeflate is not present (thanks Franck Touanen for pointing this out) -- soap_transport_http: fix check for server request for digest authentication (thanks Mark Spavin) -- soap_transport_http: call parent constructor -- wsdl: fix documentation page popup of one method after another (thanks Owen) -- wsdl: call parent constructor -- wsdl: expand entities in attributes (thanks Gaetano Giunta) -- xmlschema: call parent constructor - -2005-06-03, version 0.6.9 -- nusoap_base: serialize empty arrays as having elements xsd:anyType[0] -- nusoap_base: add encodingStyle parameter to serializeEnvelope -- nusoap_base: serialize xsi:type with nil values -- nusoap_base: improve debug and comments -- soap_parser: correctly parse an empty array to an empty array, not an empty string -- soap_parser: improve debug and comments -- soap_server: specify encodingStyle for envelope when WSDL is used -- soapclient: factor out new getProxyClassCode method -- soapclient: specify encodingStyle for envelope -- soapclient: improve debug and comments -- wsdl: add namespace for Apache SOAP types if a variable of such type is serialized -- wsdl: serialize nil value for nillable elements when no value is provided -- wsdl: serialize xsi:type with nil values -- wsdl: copy attributes as well as elements to an element from its complexType -- wsdl: specify encodingStyle for operations -- wsdl: improve debug and comments -- xmlschema: improve debug and comments - -2005-06-03, version 0.7.0 -- nusoap_base: improve debug and comments -- nusoap_base: fix version, which should have been 0.7.0 since 2005-03-04 - -2005-06-06, version 0.7.1 -- nusoap_base: adjust numeric element names for serialization, instead of forcing them to 'soapVal' -- nusoapmime: add type=text/xml to multipart/related (thanks Emmanuel Cordonnier) -- soap_fault: fix serialization of detail -- soap_server: check required parameters for register method -- soap_server: when getallheaders is used, massage header names -- soap_server: use SOAPAction to determine operation when doc/lit service does not wrap parameters in an element with the method name (thanks Peter Hrastnik) -- soap_transport_http: correctly handle multiple HTTP/1.1 100 responses for https (thanks Jan Slabon) -- wsdl: fixed documentation for addComplexType (thanks Csintalan dm) -- wsdl: serialize array data when maxOccurs = 'unbounded' OR maxOccurs > 1 (thanks Dominique Schreckling) -- wsdl: when serializing a string == 'false' as a boolean, set the value to false -- wsdl: when serializing a complexType, require the PHP value supplied to be an array - -2005-07-01, version 0.7.1 -- nusoap_base: Allow SOAP headers to be supplied as an array like parameters -- soap_parser: de-serialize simpleContent that accompanies complexContent -- soap_server: append debug information when programmatically-defined WSDL is returned -- soap_transport_http: Add debug when an outgoing header is set -- soapclient: Allow SOAP headers to be supplied as an array like parameters -- xmlschema: serialize attributes more generally, rather than assuming they are for SOAP 1.1 Array -- wsdl: when serializing, look up types by namespace, not prefix (simple programmatic doc/lit WSDL now seems to work) -- wsdl: process namespace declarations first when parsing an element - -2005-07-27, version 0.7.1 -- nusoap_base: do not override supplied element name with class name when serializing an object in serialize_val -- nusoap_base: remove http://soapinterop.org/xsd (si) from namespaces array -- nusoapmime: add nusoapservermime class to implement MIME attachments on the server -- soap_fault: improve documentation -- soap_server: improve documentation -- soap_server: make consistent use of _SERVER and HTTP_SERVER_VARS -- soap_server: make all incoming HTTP header keys lower case -- soap_server: add hook functions to support subclassing for MIME attachments -- soap_transport_http: remove an unnecessary global statement -- soapclient: when creating a proxy, make $params within each function an associative array -- soapval: improve documentation -- wsdl: when serializing complexType elements, used typed serialization if there is either a type or a reference for the element -- wsdl: allow PHP objects to be serialized as SOAP structs in serializeType -- wsdl: for WSDL and XML Schema imports, don't forget to use the TCP port number (thanks Luca GIOPPO) -- wsdl: make consistent use of _SERVER and HTTP_SERVER_VARS -- xmlschema: improve documentation - -2005-07-31, version 0.7.2 -- nusoap_base: correctly serialize attributes in serialize_val (thanks Hidran Arias) -- soap_parser: when resolving references, do not assume that buildVal returns an array (thanks Akshell) -- soap_parser: removed decode_entities, which does not work (thanks Martin Sarsale) -- soap_server: fix a bug parsing headers from _SERVER and HTTP_SERVER_VARS (thanks Bert Catsburg) -- soap_server: parse all "headers" from HTTP_SERVER_VARS (not just HTTP_*) -- soap_server: use PHP_SELF instead of SCRIPT_NAME for WSDL endpoint -- soap_server: when generating a fault while debug_flag is true, put debug into faultdetail -- wsdl: add enumeration parameter to addSimpleType -- xmlschema: add enumeration parameter to addSimpleType - -2006-02-02, version 0.7.2 -- soapclient: initialize paramArrayStr to improve proxy generation -- soap_parser: handle PHP5 soapclient's incorrect transmission of WSDL-described SOAP encoded arrays. -- soap_server: don't assume _SERVER['HTTPS'] is set; try HTTP_SERVER_VARS['HTTPS'] if it is not -- soap_server: "flatten out" the parameter array to call_user_func_array (thanks Andr Mamitzsch) -- soap_server: make thrown exceptions conform to specs -- wsdl: use serialize_val to serialize an array when the XSD type is soapenc:Array (JBoss/Axis does this) -- wsdl: change formatting of serialized XML for the WSDL -- xmlschema: change formatting of namespaces when serializing XML for the schema - -2006-04-07, version 0.7.2 -- soap_server: if methodparams is not an array, call call_user_func_array with an empty array (thanks Eric Grossi) -- wsdl: distinguish parts with element specified from those with type specified by suffixing element names with ^ -- wsdl: do a case-insensitive match on schema URI when looking for type -- xmlschema: only get element (not type) when name has ^ suffix - -2006-05-16, version 0.7.2 -- soapclient: add getHeader to get parsed SOAP Header -- soap_parser: check status when receiving Header or Body element -- soap_parser: add soapheader -- soap_server: add requestHeader with parsed SOAP Header - -2006-06-15, version 0.7.2 -- wsdl: fix bug in addComplexType (thanks Maarten Meijer) -- soap_transport_http: change cURL message - -2007-03-19, version 0.7.2 -- soapclient: declare as nusoapclient, then also subclass soapclient if SOAP extension not loaded -- soapclientmime: declare as nusoapclientmime, then also subclass soapclientmime if SOAP extension not loaded - -2007-03-28, version 0.7.2 -- nusoap_base: fix serialization of a soapval when its value is a soapval -- soapval: fix serialization of a soapval when its value is a soapval -- soapval: add __toString (cf. http://article.gmane.org/gmane.comp.php.nusoap.general/2776) -- nusoapclient: use lazy retrieval of WSDL instead of always getting it in the constructor -- nusoapclient: fix getProxy that was broken in last revision -- wsdl: add ability to set authorization credentials and retrieve WSDL outside of constructor - -2007-04-05, version 0.7.2 -- nusoapclientmime: don't rely exclusively on Content-Disposition to distinguish the root part from attachment; also check Content-Type (thanks Ben Bosman) -- nusoapclientmime: obey RFC 2045 Section 5.1 (thanks Chris Butler) -- nusoapservermime: don't rely exclusively on Content-Disposition to distinguish the root part from attachment; also check Content-Type (thanks Ben Bosman) -- nusoapservermime: obey RFC 2045 Section 5.1 (thanks Chris Butler) -- nusoap_base: remove extra whitespace from some XML elements -- nusoap_base: allow SOAP headers to be specified as an associative array (thanks Unique) -- nusoap_base: implement __toString -- nusoap_base: improve doc accuracy and consistency (thanks Martin K?gler) -- iso8601_to_timestamp: avoid problem with negative hours after calculation, etc. (thanks Guntram Trebs) -- nusoapclient: support user-settable cURL options (thanks Ciprian Popovici) -- nusoapclient: call SOAP 1.2 binding operations if no SOAP 1.1 present (there is no reason to believe this will always work!) -- nusoapclient: improve doc accuracy and consistency (thanks Martin K?gler) -- soap_server: don't try to use eval to call function when any parameter is an object -- soap_server: don't print return value within debug string; returned objects would need __toString in PHP 5.2 -- soap_server: use URL scheme for WSDL access as the scheme in SOAPAction -- soap_server: strip port number from server name (some FastCGI implementations include port in server name) -- soap_transport_http: support user-settable cURL options (thanks Ciprian Popovici) -- soap_transport_http: use cURL for NTLM authentication -- soap_transport_http: make digest authentication work for GET as well as POST -- soap_transport_http: improve doc accuracy and consistency (thanks Martin K?gler) -- soapval: remove __toString -- wsdl: set operation style if necessary, but do not override one already provided (thanks Raffaele Capobianco) -- wsdl: check SOAP 1.2 binding operations if no SOAP 1.1 present -- wsdl: improve doc accuracy and consistency (thanks Martin K?gler) -- xmlschema: fix simpleType serialization -- xmlschema: improve doc accuracy and consistency (thanks Martin K?gler) - -2007-04-09, version 0.7.2 -- nusoapclient: set decode_utf8 when creating a proxy (thanks Dmitri Dmitrienko) -- nusoapclient: rename class to nusoap_client -- soap_fault: also provide a class named nusoap_fault -- soap_parser: also provide a class named nusoap_parser -- soap_server: also provide a class named nusoap_server -- soap_transport_http: skip HTTP responses 301 and 401 when using cURL -- soap_transport_http: don't force HTTP Connection header when using cURL -- soap_transport_http: don't set HTTP Host and Content-Length headers when using cURL -- soap_transport_http: support CURLOPT_SSLCERTPASSWD (thanks David Blanco) -- wsdl: support user-settable cURL options (thanks Ciprian Popovici) -- wsdl: serialize parameters for non-SOAP 1.1 binding operations (there is no reason to believe this will always work!) -- xmlschema: also provide a class named nusoap_xmlschema -- nusoapclientmime: rename class to nusoap_client_mime -- nusoapservermime: rename class to nusoap_server_mime - -2007-04-11, version 0.7.2 -- nusoap_client: enable cURL usage to be forced (thanks Giunta Gaetano) -- soap_transport_http: enable cURL proxy usage (thanks Giunta Gaetano) -- soap_transport_http: enable cURL usage to be forced (thanks Giunta Gaetano) -- soap_transport_http: use cURL's HTTP authentication options for basic, digest -- wsdl: enable cURL usage to be forced (thanks Giunta Gaetano) - -2007-04-12, version 0.7.2 -- nusoap_client: add debug -- nusoap_xmlschema: don't add elements of complexTypes to elements array (thanks Heiko Hund) -- soap_transport_http: set cURL connection timeout if supported -- soap_transport_http: add debug when setting cURL option -- soap_transport_http: fix digest authentication broken in previous revision -- wsdl: add debug -- wsdlcache: address some issues with non-existing cache-files and PHP Warnings which came in such cases (thanks Ingo Fischer) -- wsdlcache: change class name to nusoap_wsdlcache - -2007-04-13, version 0.7.2 -- wsdl: wrap parameters if unwrapped values are supplied and WSDL specifies Microsoft-style wrapping - -2007-04-16, version 0.7.2 -- nusoap_base: avoid warning in getDebugAsXMLComment -- nusoap_client: small debug change -- nusoap_client_mime: set responseData when the root part is found - -2007-04-17, version 0.7.2 -- soap_transport_http: improve detection of undefined cURL options (thanks Ingo Fischer) - -2007-05-28, version 0.7.2 -- soap_transport_http: support digest authentication opaque feature (cf. RFC 2617) (thanks Daniel Lacroix) -- soap_transport_http: check safe_mode and open_basedir before setting CURLOPT_FOLLOWLOCATION -- soap_transport_http: skip "HTTP/1.0 200 Connection established" header when cURL returns it (thanks Raimund Jacob) -- nusoap_client: improve handling when getProxy is called and WSDL is not being used -- nusoap_base: add comments about which specifications are used/implemented by NuSOAP -- nusoap_xmlschema: create names for unnamed types that are unique by scope within XML Schema - -2007-06-11, version 0.7.2 -- wsdl: wrap return value if unwrapped value is supplied and WSDL specifies Microsoft-style wrapping - -2007-06-22, version 0.7.2 -- nusoap_xmlschema: fix serialization of simpleType restriction (thanks Rizwan Tejpar) - -2007-07-30, version 0.7.2 -- nusoap_server: Per http://www.ws-i.org/Profiles/BasicProfile-1.1-2004-08-24.html R2735, rpc/literal accessor elements should not be in a namespace (thanks Kostas Kalevras) -- nusoap_client: Per http://www.ws-i.org/Profiles/BasicProfile-1.1-2004-08-24.html R2735, rpc/literal accessor elements should not be in a namespace (thanks Kostas Kalevras) - -2007-10-21, version 0.7.2 -- nusoap_server: Per http://www.ws-i.org/Profiles/BasicProfile-1.1-2004-08-24.html R2735, rpc/literal accessor elements should not be in a namespace (thanks Kostas Kalevras) -- nusoap_client: Per http://www.ws-i.org/Profiles/BasicProfile-1.1-2004-08-24.html R2735, rpc/literal accessor elements should not be in a namespace (thanks Kostas Kalevras) - -2007-10-26, version 0.7.2 -- nusoap_server: Fix munging of _SERVER variables that start with HTTP_ (thanks Thomas Wieczorek) - -2007-10-30, version 0.7.2 -- nusoap_xmlschema: Serialize values for elementFormDefault, attributeFormDefault -- wsdl: Improve consistency between doc/lit schema auto-wrapping and client's parsed schema -- nusoap_server: Correct bug that placed encodingType in Envelope for doc/lit -- nusoap_server: Specify elementFormDefault for schema within doc/lit wsdl - -2007-10-31, version 0.7.2 -- wsdl: Fix typo in parametersMatchWrapped (thanks Sam Stepanyan) -- soap_transport_http: Fix three typos in setProxy (thanks Sam Stepanyan) -- nusoap_xmlschema: Fix typo in serializeTypeDef (thanks Sam Stepanyan) - -2007-11-06, version 1.0rc1 -- wsdl: Improve handling of return values from doc/lit methods -- nusoap_server: Handle case when method is not in a namespace - -2007-11-27, version 1.0rc1 -- nusoap_server: always try to invoke service for a POST -- nusoap_server: only return Location: for WSDL at http://... -- nusoap_base: change some syntax associated with globalDebugLevel - -2008-01-08, version 1.0rc1 -- nusoap_server: fix a typo where = was used instead of == (thanks J. (Johan) Bosma) - -2008-01-10, version 1.0rc1 -- nusoap_client: handle case where request or response has no content-type header (thanks Ingo Fischer) -- nusoap_server: handle case where request or response has no content-type header (thanks Ingo Fischer) -- wsdl: change CSS for .title in webDescription (thanks Marcus Uy) - -2008-01-25, version 1.0rc1 -- nusoap_xmlschema: when an element is of a complexType that is an extension, copy extensionBase from the type -- nusoap_xmlschema: do not apply elementFormDefault to globally defined elements - -2008-02-11, version 1.0rc1 -- wsdl: internally set form of wrapped parameter elements to unqualified (so server handles correctly) - -2008-03-03, version 1.0.rc1 -- nusoap_xmlschema: fix extension when base type has no explicit prefix -- nusoap_xmlschema: support XML Schema include -- wsdl: improve support for sequence by serializing inherited attributes and elements first - -2008-03-04, version 1.0.rc1 -- wsdl: allow WSDL port name to be specified in getOperations -- nusoap_client: allow WSDL port name to be specified in ctor - -2008-03-06, version 1.0rc1 -- wsdl: fix some port name variable references -- nusoap_base: change comments regarding preferred mode of support -- wsdl2nusoap: initial revision - -2008-03-14, version 1.0rc1 -- nusoap_base: fix timezone offset in timestamp_to_iso8601 (thanks Mario Trojan) - -2008-03-27, version 1.0rc1 -- nusoap_server: fix bug setting encodingStyle in serialize_return (thanks Luca Gobbo) - -2008-05-15, version 1.0rc1 -- nusoap_parser: handle case where Header or Body tags are used within SOAP messages (thanks Sergey Zhuravlev) - -2008-08-26, version 1.0rc1 -- wsdl: serialize simpleContent for complexType -- wsdl: avoid serializing complexType elements with no value and minOccurs = 0 regardless of nillability - -2010-04-26, version 0.9.5 -- nusoap_xmlschema: replace regex function calls (ereg, eregi, split) with PCRE calls (preg_match, preg_split) (thanks Pier-Luc Duchaine) -- wsdl: replace regex function calls (ereg, eregi, split) with PCRE calls (preg_match, preg_split) (thanks Pier-Luc Duchaine) -- soap_transport_http: replace regex function calls (ereg, eregi, split) with PCRE calls (preg_match, preg_split) (thanks Pier-Luc Duchaine) -- soap_transport_http: remove call to deprecated function set_magic_quotes_runtime -- nusoap_server: replace regex function calls (ereg, eregi, split) with PCRE calls (preg_match, preg_split) (thanks Pier-Luc Duchaine) -- nusoap_server: check that value is an object before calling get_class (thanks Pier-Luc Duchaine) -- nusoap_parser: replace regex function calls (ereg, eregi, split) with PCRE calls (preg_match, preg_split) (thanks Pier-Luc Duchaine) -- nusoap_client: replace regex function calls (ereg, eregi, split) with PCRE calls (preg_match, preg_split) (thanks Pier-Luc Duchaine) -- nusoap_client: do not assign the return value of new by reference (it is deprecated) (thanks Pier-Luc Duchaine) -- nusoap_base: replace regex function calls (ereg, eregi, split) with PCRE calls (preg_match, preg_split) (thanks Pier-Luc Duchaine) -- nusoapmime: do not assign the return value of new by reference (it is deprecated) diff --git a/htdocs/includes/nusoap/lib/class.nusoap_base.php b/htdocs/includes/nusoap/lib/class.nusoap_base.php deleted file mode 100644 index 4a33d7e491b..00000000000 --- a/htdocs/includes/nusoap/lib/class.nusoap_base.php +++ /dev/null @@ -1,993 +0,0 @@ -. - -The NuSOAP project home is: -http://sourceforge.net/projects/nusoap/ - -The primary support for NuSOAP is the Help forum on the project home page. - -If you have any questions or comments, please email: - -Dietrich Ayala -dietrich@ganx4.com -http://dietrich.ganx4.com/nusoap - -NuSphere Corporation -http://www.nusphere.com - -*/ - -/* - * Some of the standards implmented in whole or part by NuSOAP: - * - * SOAP 1.1 (http://www.w3.org/TR/2000/NOTE-SOAP-20000508/) - * WSDL 1.1 (http://www.w3.org/TR/2001/NOTE-wsdl-20010315) - * SOAP Messages With Attachments (http://www.w3.org/TR/SOAP-attachments) - * XML 1.0 (http://www.w3.org/TR/2006/REC-xml-20060816/) - * Namespaces in XML 1.0 (http://www.w3.org/TR/2006/REC-xml-names-20060816/) - * XML Schema 1.0 (http://www.w3.org/TR/xmlschema-0/) - * RFC 2045 Multipurpose Internet Mail Extensions (MIME) Part One: Format of Internet Message Bodies - * RFC 2068 Hypertext Transfer Protocol -- HTTP/1.1 - * RFC 2617 HTTP Authentication: Basic and Digest Access Authentication - */ - -/* load classes - -// necessary classes -require_once('class.soapclient.php'); -require_once('class.soap_val.php'); -require_once('class.soap_parser.php'); -require_once('class.soap_fault.php'); - -// transport classes -require_once('class.soap_transport_http.php'); - -// optional add-on classes -require_once('class.xmlschema.php'); -require_once('class.wsdl.php'); - -// server class -require_once('class.soap_server.php');*/ - -// class variable emulation -// cf. http://www.webkreator.com/php/techniques/php-static-class-variables.html -$GLOBALS['_transient']['static']['nusoap_base']['globalDebugLevel'] = 9; - -/** -* -* nusoap_base -* -* @author Dietrich Ayala -* @author Scott Nichol -* @access public -*/ -class nusoap_base { - /** - * Identification for HTTP headers. - * - * @var string - * @access private - */ - var $title = 'NuSOAP'; - /** - * Version for HTTP headers. - * - * @var string - * @access private - */ - var $version = '0.9.5'; - /** - * CVS revision for HTTP headers. - * - * @var string - * @access private - */ - var $revision = '1.7'; - /** - * Current error string (manipulated by getError/setError) - * - * @var string - * @access private - */ - var $error_str = ''; - /** - * Current debug string (manipulated by debug/appendDebug/clearDebug/getDebug/getDebugAsXMLComment) - * - * @var string - * @access private - */ - var $debug_str = ''; - /** - * toggles automatic encoding of special characters as entities - * (should always be true, I think) - * - * @var boolean - * @access private - */ - var $charencoding = true; - /** - * the debug level for this instance - * - * @var integer - * @access private - */ - var $debugLevel; - - /** - * set schema version - * - * @var string - * @access public - */ - var $XMLSchemaVersion = 'http://www.w3.org/2001/XMLSchema'; - - /** - * charset encoding for outgoing messages - * - * @var string - * @access public - */ - var $soap_defencoding = 'ISO-8859-1'; - //var $soap_defencoding = 'UTF-8'; - - /** - * namespaces in an array of prefix => uri - * - * this is "seeded" by a set of constants, but it may be altered by code - * - * @var array - * @access public - */ - var $namespaces = array( - 'SOAP-ENV' => 'http://schemas.xmlsoap.org/soap/envelope/', - 'xsd' => 'http://www.w3.org/2001/XMLSchema', - 'xsi' => 'http://www.w3.org/2001/XMLSchema-instance', - 'SOAP-ENC' => 'http://schemas.xmlsoap.org/soap/encoding/' - ); - - /** - * namespaces used in the current context, e.g. during serialization - * - * @var array - * @access private - */ - var $usedNamespaces = array(); - - /** - * XML Schema types in an array of uri => (array of xml type => php type) - * is this legacy yet? - * no, this is used by the nusoap_xmlschema class to verify type => namespace mappings. - * @var array - * @access public - */ - var $typemap = array( - 'http://www.w3.org/2001/XMLSchema' => array( - 'string'=>'string','boolean'=>'boolean','float'=>'double','double'=>'double','decimal'=>'double', - 'duration'=>'','dateTime'=>'string','time'=>'string','date'=>'string','gYearMonth'=>'', - 'gYear'=>'','gMonthDay'=>'','gDay'=>'','gMonth'=>'','hexBinary'=>'string','base64Binary'=>'string', - // abstract "any" types - 'anyType'=>'string','anySimpleType'=>'string', - // derived datatypes - 'normalizedString'=>'string','token'=>'string','language'=>'','NMTOKEN'=>'','NMTOKENS'=>'','Name'=>'','NCName'=>'','ID'=>'', - 'IDREF'=>'','IDREFS'=>'','ENTITY'=>'','ENTITIES'=>'','integer'=>'integer','nonPositiveInteger'=>'integer', - 'negativeInteger'=>'integer','long'=>'integer','int'=>'integer','short'=>'integer','byte'=>'integer','nonNegativeInteger'=>'integer', - 'unsignedLong'=>'','unsignedInt'=>'','unsignedShort'=>'','unsignedByte'=>'','positiveInteger'=>''), - 'http://www.w3.org/2000/10/XMLSchema' => array( - 'i4'=>'','int'=>'integer','boolean'=>'boolean','string'=>'string','double'=>'double', - 'float'=>'double','dateTime'=>'string', - 'timeInstant'=>'string','base64Binary'=>'string','base64'=>'string','ur-type'=>'array'), - 'http://www.w3.org/1999/XMLSchema' => array( - 'i4'=>'','int'=>'integer','boolean'=>'boolean','string'=>'string','double'=>'double', - 'float'=>'double','dateTime'=>'string', - 'timeInstant'=>'string','base64Binary'=>'string','base64'=>'string','ur-type'=>'array'), - 'http://soapinterop.org/xsd' => array('SOAPStruct'=>'struct'), - 'http://schemas.xmlsoap.org/soap/encoding/' => array('base64'=>'string','array'=>'array','Array'=>'array'), - 'http://xml.apache.org/xml-soap' => array('Map') - ); - - /** - * XML entities to convert - * - * @var array - * @access public - * @deprecated - * @see expandEntities - */ - var $xmlEntities = array('quot' => '"','amp' => '&', - 'lt' => '<','gt' => '>','apos' => "'"); - - /** - * constructor - * - * @access public - */ - function __construct() { - $this->debugLevel = $GLOBALS['_transient']['static']['nusoap_base']['globalDebugLevel']; - } - - /** - * gets the global debug level, which applies to future instances - * - * @return integer Debug level 0-9, where 0 turns off - * @access public - */ - function getGlobalDebugLevel() { - return $GLOBALS['_transient']['static']['nusoap_base']['globalDebugLevel']; - } - - /** - * sets the global debug level, which applies to future instances - * - * @param int $level Debug level 0-9, where 0 turns off - * @access public - */ - function setGlobalDebugLevel($level) { - $GLOBALS['_transient']['static']['nusoap_base']['globalDebugLevel'] = $level; - } - - /** - * gets the debug level for this instance - * - * @return int Debug level 0-9, where 0 turns off - * @access public - */ - function getDebugLevel() { - return $this->debugLevel; - } - - /** - * sets the debug level for this instance - * - * @param int $level Debug level 0-9, where 0 turns off - * @access public - */ - function setDebugLevel($level) { - $this->debugLevel = $level; - } - - /** - * adds debug data to the instance debug string with formatting - * - * @param string $string debug data - * @access private - */ - function debug($string){ - if ($this->debugLevel > 0) { - $this->appendDebug($this->getmicrotime().' '.get_class($this).": $string\n"); - } - } - - /** - * adds debug data to the instance debug string without formatting - * - * @param string $string debug data - * @access public - */ - function appendDebug($string){ - if ($this->debugLevel > 0) { - // it would be nice to use a memory stream here to use - // memory more efficiently - $this->debug_str .= $string; - } - } - - /** - * clears the current debug data for this instance - * - * @access public - */ - function clearDebug() { - // it would be nice to use a memory stream here to use - // memory more efficiently - $this->debug_str = ''; - } - - /** - * gets the current debug data for this instance - * - * @return debug data - * @access public - */ - function &getDebug() { - // it would be nice to use a memory stream here to use - // memory more efficiently - return $this->debug_str; - } - - /** - * gets the current debug data for this instance as an XML comment - * this may change the contents of the debug data - * - * @return debug data as an XML comment - * @access public - */ - function &getDebugAsXMLComment() { - // it would be nice to use a memory stream here to use - // memory more efficiently - while (strpos($this->debug_str, '--')) { - $this->debug_str = str_replace('--', '- -', $this->debug_str); - } - $ret = ""; - return $ret; - } - - /** - * expands entities, e.g. changes '<' to '<'. - * - * @param string $val The string in which to expand entities. - * @access private - */ - function expandEntities($val) { - if ($this->charencoding) { - $val = str_replace('&', '&', $val); - $val = str_replace("'", ''', $val); - $val = str_replace('"', '"', $val); - $val = str_replace('<', '<', $val); - $val = str_replace('>', '>', $val); - } - return $val; - } - - /** - * returns error string if present - * - * @return mixed error string or false - * @access public - */ - function getError(){ - if($this->error_str != ''){ - return $this->error_str; - } - return false; - } - - /** - * sets error string - * - * @return boolean $string error string - * @access private - */ - function setError($str){ - $this->error_str = $str; - } - - /** - * detect if array is a simple array or a struct (associative array) - * - * @param mixed $val The PHP array - * @return string (arraySimple|arrayStruct) - * @access private - */ - function isArraySimpleOrStruct($val) { - $keyList = array_keys($val); - foreach ($keyList as $keyListValue) { - if (!is_int($keyListValue)) { - return 'arrayStruct'; - } - } - return 'arraySimple'; - } - - /** - * serializes PHP values in accordance w/ section 5. Type information is - * not serialized if $use == 'literal'. - * - * @param mixed $val The value to serialize - * @param string $name The name (local part) of the XML element - * @param string $type The XML schema type (local part) for the element - * @param string $name_ns The namespace for the name of the XML element - * @param string $type_ns The namespace for the type of the element - * @param array $attributes The attributes to serialize as name=>value pairs - * @param string $use The WSDL "use" (encoded|literal) - * @param boolean $soapval Whether this is called from soapval. - * @return string The serialized element, possibly with child elements - * @access public - */ - function serialize_val($val,$name=false,$type=false,$name_ns=false,$type_ns=false,$attributes=false,$use='encoded',$soapval=false) { - $this->debug("in serialize_val: name=$name, type=$type, name_ns=$name_ns, type_ns=$type_ns, use=$use, soapval=$soapval"); - $this->appendDebug('value=' . $this->varDump($val)); - $this->appendDebug('attributes=' . $this->varDump($attributes)); - - if (is_object($val) && get_class($val) == 'soapval' && (! $soapval)) { - $this->debug("serialize_val: serialize soapval"); - $xml = $val->serialize($use); - $this->appendDebug($val->getDebug()); - $val->clearDebug(); - $this->debug("serialize_val of soapval returning $xml"); - return $xml; - } - // force valid name if necessary - if (is_numeric($name)) { - $name = '__numeric_' . $name; - } elseif (! $name) { - $name = 'noname'; - } - // if name has ns, add ns prefix to name - $xmlns = ''; - if($name_ns){ - $prefix = 'nu'.rand(1000,9999); - $name = $prefix.':'.$name; - $xmlns .= " xmlns:$prefix=\"$name_ns\""; - } - // if type is prefixed, create type prefix - if($type_ns != '' && $type_ns == $this->namespaces['xsd']){ - // need to fix this. shouldn't default to xsd if no ns specified - // w/o checking against typemap - $type_prefix = 'xsd'; - } elseif($type_ns){ - $type_prefix = 'ns'.rand(1000,9999); - $xmlns .= " xmlns:$type_prefix=\"$type_ns\""; - } - // serialize attributes if present - $atts = ''; - if($attributes){ - foreach($attributes as $k => $v){ - $atts .= " $k=\"".$this->expandEntities($v).'"'; - } - } - // serialize null value - if (is_null($val)) { - $this->debug("serialize_val: serialize null"); - if ($use == 'literal') { - // TODO: depends on minOccurs - $xml = "<$name$xmlns$atts/>"; - $this->debug("serialize_val returning $xml"); - return $xml; - } else { - if (isset($type) && isset($type_prefix)) { - $type_str = " xsi:type=\"$type_prefix:$type\""; - } else { - $type_str = ''; - } - $xml = "<$name$xmlns$type_str$atts xsi:nil=\"true\"/>"; - $this->debug("serialize_val returning $xml"); - return $xml; - } - } - // serialize if an xsd built-in primitive type - if($type != '' && isset($this->typemap[$this->XMLSchemaVersion][$type])){ - $this->debug("serialize_val: serialize xsd built-in primitive type"); - if (is_bool($val)) { - if ($type == 'boolean') { - $val = $val ? 'true' : 'false'; - } elseif (! $val) { - $val = 0; - } - } else if (is_string($val)) { - $val = $this->expandEntities($val); - } - if ($use == 'literal') { - $xml = "<$name$xmlns$atts>$val"; - $this->debug("serialize_val returning $xml"); - return $xml; - } else { - $xml = "<$name$xmlns xsi:type=\"xsd:$type\"$atts>$val"; - $this->debug("serialize_val returning $xml"); - return $xml; - } - } - // detect type and serialize - $xml = ''; - switch(true) { - case (is_bool($val) || $type == 'boolean'): - $this->debug("serialize_val: serialize boolean"); - if ($type == 'boolean') { - $val = $val ? 'true' : 'false'; - } elseif (! $val) { - $val = 0; - } - if ($use == 'literal') { - $xml .= "<$name$xmlns$atts>$val"; - } else { - $xml .= "<$name$xmlns xsi:type=\"xsd:boolean\"$atts>$val"; - } - break; - case (is_int($val) || is_long($val) || $type == 'int'): - $this->debug("serialize_val: serialize int"); - if ($use == 'literal') { - $xml .= "<$name$xmlns$atts>$val"; - } else { - $xml .= "<$name$xmlns xsi:type=\"xsd:int\"$atts>$val"; - } - break; - case (is_float($val)|| is_double($val) || $type == 'float'): - $this->debug("serialize_val: serialize float"); - if ($use == 'literal') { - $xml .= "<$name$xmlns$atts>$val"; - } else { - $xml .= "<$name$xmlns xsi:type=\"xsd:float\"$atts>$val"; - } - break; - case (is_string($val) || $type == 'string'): - $this->debug("serialize_val: serialize string"); - $val = $this->expandEntities($val); - if ($use == 'literal') { - $xml .= "<$name$xmlns$atts>$val"; - } else { - $xml .= "<$name$xmlns xsi:type=\"xsd:string\"$atts>$val"; - } - break; - case is_object($val): - $this->debug("serialize_val: serialize object"); - if (get_class($val) == 'soapval') { - $this->debug("serialize_val: serialize soapval object"); - $pXml = $val->serialize($use); - $this->appendDebug($val->getDebug()); - $val->clearDebug(); - } else { - if (! $name) { - $name = get_class($val); - $this->debug("In serialize_val, used class name $name as element name"); - } else { - $this->debug("In serialize_val, do not override name $name for element name for class " . get_class($val)); - } - foreach(get_object_vars($val) as $k => $v){ - $pXml = isset($pXml) ? $pXml.$this->serialize_val($v,$k,false,false,false,false,$use) : $this->serialize_val($v,$k,false,false,false,false,$use); - } - } - if(isset($type) && isset($type_prefix)){ - $type_str = " xsi:type=\"$type_prefix:$type\""; - } else { - $type_str = ''; - } - if ($use == 'literal') { - $xml .= "<$name$xmlns$atts>$pXml"; - } else { - $xml .= "<$name$xmlns$type_str$atts>$pXml"; - } - break; - break; - case (is_array($val) || $type): - // detect if struct or array - $valueType = $this->isArraySimpleOrStruct($val); - if($valueType=='arraySimple' || preg_match('/^ArrayOf/',$type)){ - $this->debug("serialize_val: serialize array"); - $i = 0; - if(is_array($val) && count($val)> 0){ - foreach($val as $v){ - if(is_object($v) && get_class($v) == 'soapval'){ - $tt_ns = $v->type_ns; - $tt = $v->type; - } elseif (is_array($v)) { - $tt = $this->isArraySimpleOrStruct($v); - } else { - $tt = gettype($v); - } - $array_types[$tt] = 1; - // TODO: for literal, the name should be $name - $xml .= $this->serialize_val($v,'item',false,false,false,false,$use); - ++$i; - } - if(count($array_types) > 1){ - $array_typename = 'xsd:anyType'; - } elseif(isset($tt) && isset($this->typemap[$this->XMLSchemaVersion][$tt])) { - if ($tt == 'integer') { - $tt = 'int'; - } - $array_typename = 'xsd:'.$tt; - } elseif(isset($tt) && $tt == 'arraySimple'){ - $array_typename = 'SOAP-ENC:Array'; - } elseif(isset($tt) && $tt == 'arrayStruct'){ - $array_typename = 'unnamed_struct_use_soapval'; - } else { - // if type is prefixed, create type prefix - if ($tt_ns != '' && $tt_ns == $this->namespaces['xsd']){ - $array_typename = 'xsd:' . $tt; - } elseif ($tt_ns) { - $tt_prefix = 'ns' . rand(1000, 9999); - $array_typename = "$tt_prefix:$tt"; - $xmlns .= " xmlns:$tt_prefix=\"$tt_ns\""; - } else { - $array_typename = $tt; - } - } - $array_type = $i; - if ($use == 'literal') { - $type_str = ''; - } else if (isset($type) && isset($type_prefix)) { - $type_str = " xsi:type=\"$type_prefix:$type\""; - } else { - $type_str = " xsi:type=\"SOAP-ENC:Array\" SOAP-ENC:arrayType=\"".$array_typename."[$array_type]\""; - } - // empty array - } else { - if ($use == 'literal') { - $type_str = ''; - } else if (isset($type) && isset($type_prefix)) { - $type_str = " xsi:type=\"$type_prefix:$type\""; - } else { - $type_str = " xsi:type=\"SOAP-ENC:Array\" SOAP-ENC:arrayType=\"xsd:anyType[0]\""; - } - } - // TODO: for array in literal, there is no wrapper here - $xml = "<$name$xmlns$type_str$atts>".$xml.""; - } else { - // got a struct - $this->debug("serialize_val: serialize struct"); - if(isset($type) && isset($type_prefix)){ - $type_str = " xsi:type=\"$type_prefix:$type\""; - } else { - $type_str = ''; - } - if ($use == 'literal') { - $xml .= "<$name$xmlns$atts>"; - } else { - $xml .= "<$name$xmlns$type_str$atts>"; - } - foreach($val as $k => $v){ - // Apache Map - if ($type == 'Map' && $type_ns == 'http://xml.apache.org/xml-soap') { - $xml .= ''; - $xml .= $this->serialize_val($k,'key',false,false,false,false,$use); - $xml .= $this->serialize_val($v,'value',false,false,false,false,$use); - $xml .= ''; - } else { - $xml .= $this->serialize_val($v,$k,false,false,false,false,$use); - } - } - $xml .= ""; - } - break; - default: - $this->debug("serialize_val: serialize unknown"); - $xml .= 'not detected, got '.gettype($val).' for '.$val; - break; - } - $this->debug("serialize_val returning $xml"); - return $xml; - } - - /** - * serializes a message - * - * @param string $body the XML of the SOAP body - * @param mixed $headers optional string of XML with SOAP header content, or array of soapval objects for SOAP headers, or associative array - * @param array $namespaces optional the namespaces used in generating the body and headers - * @param string $style optional (rpc|document) - * @param string $use optional (encoded|literal) - * @param string $encodingStyle optional (usually 'http://schemas.xmlsoap.org/soap/encoding/' for encoded) - * @return string the message - * @access public - */ - function serializeEnvelope($body,$headers=false,$namespaces=array(),$style='rpc',$use='encoded',$encodingStyle='http://schemas.xmlsoap.org/soap/encoding/'){ - // TODO: add an option to automatically run utf8_encode on $body and $headers - // if $this->soap_defencoding is UTF-8. Not doing this automatically allows - // one to send arbitrary UTF-8 characters, not just characters that map to ISO-8859-1 - - $this->debug("In serializeEnvelope length=" . strlen($body) . " body (max 1000 characters)=" . substr($body, 0, 1000) . " style=$style use=$use encodingStyle=$encodingStyle"); - $this->debug("headers:"); - $this->appendDebug($this->varDump($headers)); - $this->debug("namespaces:"); - $this->appendDebug($this->varDump($namespaces)); - - // serialize namespaces - $ns_string = ''; - foreach(array_merge($this->namespaces,$namespaces) as $k => $v){ - $ns_string .= " xmlns:$k=\"$v\""; - } - if($encodingStyle) { - $ns_string = " SOAP-ENV:encodingStyle=\"$encodingStyle\"$ns_string"; - } - - // serialize headers - if($headers){ - if (is_array($headers)) { - $xml = ''; - foreach ($headers as $k => $v) { - if (is_object($v) && get_class($v) == 'soapval') { - $xml .= $this->serialize_val($v, false, false, false, false, false, $use); - } else { - $xml .= $this->serialize_val($v, $k, false, false, false, false, $use); - } - } - $headers = $xml; - $this->debug("In serializeEnvelope, serialized array of headers to $headers"); - } - $headers = "".$headers.""; - } - // serialize envelope - return - 'soap_defencoding .'"?'.">". - '". - $headers. - "". - $body. - "". - ""; - } - - /** - * formats a string to be inserted into an HTML stream - * - * @param string $str The string to format - * @return string The formatted string - * @access public - * @deprecated - */ - function formatDump($str){ - $str = htmlspecialchars($str); - return nl2br($str); - } - - /** - * contracts (changes namespace to prefix) a qualified name - * - * @param string $qname qname - * @return string contracted qname - * @access private - */ - function contractQname($qname){ - // get element namespace - //$this->xdebug("Contract $qname"); - if (strrpos($qname, ':')) { - // get unqualified name - $name = substr($qname, strrpos($qname, ':') + 1); - // get ns - $ns = substr($qname, 0, strrpos($qname, ':')); - $p = $this->getPrefixFromNamespace($ns); - if ($p) { - return $p . ':' . $name; - } - return $qname; - } else { - return $qname; - } - } - - /** - * expands (changes prefix to namespace) a qualified name - * - * @param string $qname qname - * @return string expanded qname - * @access private - */ - function expandQname($qname){ - // get element prefix - if(strpos($qname,':') && !preg_match('/^http:\/\//',$qname)){ - // get unqualified name - $name = substr(strstr($qname,':'),1); - // get ns prefix - $prefix = substr($qname,0,strpos($qname,':')); - if(isset($this->namespaces[$prefix])){ - return $this->namespaces[$prefix].':'.$name; - } else { - return $qname; - } - } else { - return $qname; - } - } - - /** - * returns the local part of a prefixed string - * returns the original string, if not prefixed - * - * @param string $str The prefixed string - * @return string The local part - * @access public - */ - function getLocalPart($str){ - if($sstr = strrchr($str,':')){ - // get unqualified name - return substr( $sstr, 1 ); - } else { - return $str; - } - } - - /** - * returns the prefix part of a prefixed string - * returns false, if not prefixed - * - * @param string $str The prefixed string - * @return mixed The prefix or false if there is no prefix - * @access public - */ - function getPrefix($str){ - if($pos = strrpos($str,':')){ - // get prefix - return substr($str,0,$pos); - } - return false; - } - - /** - * pass it a prefix, it returns a namespace - * - * @param string $prefix The prefix - * @return mixed The namespace, false if no namespace has the specified prefix - * @access public - */ - function getNamespaceFromPrefix($prefix){ - if (isset($this->namespaces[$prefix])) { - return $this->namespaces[$prefix]; - } - //$this->setError("No namespace registered for prefix '$prefix'"); - return false; - } - - /** - * returns the prefix for a given namespace (or prefix) - * or false if no prefixes registered for the given namespace - * - * @param string $ns The namespace - * @return mixed The prefix, false if the namespace has no prefixes - * @access public - */ - function getPrefixFromNamespace($ns) { - foreach ($this->namespaces as $p => $n) { - if ($ns == $n || $ns == $p) { - $this->usedNamespaces[$p] = $n; - return $p; - } - } - return false; - } - - /** - * returns the time in ODBC canonical form with microseconds - * - * @return string The time in ODBC canonical form with microseconds - * @access public - */ - function getmicrotime() { - if (function_exists('gettimeofday')) { - $tod = gettimeofday(); - $sec = $tod['sec']; - $usec = $tod['usec']; - } else { - $sec = time(); - $usec = 0; - } - return strftime('%Y-%m-%d %H:%M:%S', $sec) . '.' . sprintf('%06d', $usec); - } - - /** - * Returns a string with the output of var_dump - * - * @param mixed $data The variable to var_dump - * @return string The output of var_dump - * @access public - */ - function varDump($data) { - ob_start(); - var_dump($data); - $ret_val = ob_get_contents(); - ob_end_clean(); - return $ret_val; - } - - /** - * represents the object as a string - * - * @return string - * @access public - */ - function __toString() { - return $this->varDump($this); - } -} - -// XML Schema Datatype Helper Functions - -//xsd:dateTime helpers - -/** -* convert unix timestamp to ISO 8601 compliant date string -* -* @param int $timestamp Unix time stamp -* @param boolean $utc Whether the time stamp is UTC or local -* @return mixed ISO 8601 date string or false -* @access public -*/ -function timestamp_to_iso8601($timestamp,$utc=true){ - $datestr = date('Y-m-d\TH:i:sO',$timestamp); - $pos = strrpos($datestr, "+"); - if ($pos === FALSE) { - $pos = strrpos($datestr, "-"); - } - if ($pos !== FALSE) { - if (strlen($datestr) == $pos + 5) { - $datestr = substr($datestr, 0, $pos + 3) . ':' . substr($datestr, -2); - } - } - if($utc){ - $pattern = '/'. - '([0-9]{4})-'. // centuries & years CCYY- - '([0-9]{2})-'. // months MM- - '([0-9]{2})'. // days DD - 'T'. // separator T - '([0-9]{2}):'. // hours hh: - '([0-9]{2}):'. // minutes mm: - '([0-9]{2})(\.[0-9]*)?'. // seconds ss.ss... - '(Z|[+\-][0-9]{2}:?[0-9]{2})?'. // Z to indicate UTC, -/+HH:MM:SS.SS... for local tz's - '/'; - - if(preg_match($pattern,$datestr,$regs)){ - return sprintf('%04d-%02d-%02dT%02d:%02d:%02dZ',$regs[1],$regs[2],$regs[3],$regs[4],$regs[5],$regs[6]); - } - return false; - } else { - return $datestr; - } -} - -/** -* convert ISO 8601 compliant date string to unix timestamp -* -* @param string $datestr ISO 8601 compliant date string -* @return mixed Unix timestamp (int) or false -* @access public -*/ -function iso8601_to_timestamp($datestr){ - $pattern = '/'. - '([0-9]{4})-'. // centuries & years CCYY- - '([0-9]{2})-'. // months MM- - '([0-9]{2})'. // days DD - 'T'. // separator T - '([0-9]{2}):'. // hours hh: - '([0-9]{2}):'. // minutes mm: - '([0-9]{2})(\.[0-9]+)?'. // seconds ss.ss... - '(Z|[+\-][0-9]{2}:?[0-9]{2})?'. // Z to indicate UTC, -/+HH:MM:SS.SS... for local tz's - '/'; - if(preg_match($pattern,$datestr,$regs)){ - // not utc - if($regs[8] != 'Z'){ - $op = substr($regs[8],0,1); - $h = substr($regs[8],1,2); - $m = substr($regs[8],strlen($regs[8])-2,2); - if($op == '-'){ - $regs[4] = $regs[4] + $h; - $regs[5] = $regs[5] + $m; - } elseif($op == '+'){ - $regs[4] = $regs[4] - $h; - $regs[5] = $regs[5] - $m; - } - } - return gmmktime($regs[4], $regs[5], $regs[6], $regs[2], $regs[3], $regs[1]); -// return strtotime("$regs[1]-$regs[2]-$regs[3] $regs[4]:$regs[5]:$regs[6]Z"); - } else { - return false; - } -} - -/** -* sleeps some number of microseconds -* -* @param string $usec the number of microseconds to sleep -* @access public -* @deprecated -*/ -function usleepWindows($usec) -{ - $start = gettimeofday(); - - do - { - $stop = gettimeofday(); - $timePassed = 1000000 * ($stop['sec'] - $start['sec']) - + $stop['usec'] - $start['usec']; - } - while ($timePassed < $usec); -} - - -?> diff --git a/htdocs/includes/nusoap/lib/class.soap_fault.php b/htdocs/includes/nusoap/lib/class.soap_fault.php deleted file mode 100644 index 9dca5160c9b..00000000000 --- a/htdocs/includes/nusoap/lib/class.soap_fault.php +++ /dev/null @@ -1,89 +0,0 @@ - -* @access public -*/ -class nusoap_fault extends nusoap_base { - /** - * The fault code (client|server) - * @var string - * @access private - */ - var $faultcode; - /** - * The fault actor - * @var string - * @access private - */ - var $faultactor; - /** - * The fault string, a description of the fault - * @var string - * @access private - */ - var $faultstring; - /** - * The fault detail, typically a string or array of string - * @var mixed - * @access private - */ - var $faultdetail; - - /** - * constructor - * - * @param string $faultcode (SOAP-ENV:Client | SOAP-ENV:Server) - * @param string $faultactor only used when msg routed between multiple actors - * @param string $faultstring human readable error message - * @param mixed $faultdetail detail, typically a string or array of string - */ - function __construct($faultcode,$faultactor='',$faultstring='',$faultdetail=''){ - parent::__construct(); - $this->faultcode = $faultcode; - $this->faultactor = $faultactor; - $this->faultstring = $faultstring; - $this->faultdetail = $faultdetail; - } - - /** - * serialize a fault - * - * @return string The serialization of the fault instance. - * @access public - */ - function serialize(){ - $ns_string = ''; - foreach($this->namespaces as $k => $v){ - $ns_string .= "\n xmlns:$k=\"$v\""; - } - $return_msg = - 'soap_defencoding.'"?>'. - '\n". - ''. - ''. - $this->serialize_val($this->faultcode, 'faultcode'). - $this->serialize_val($this->faultactor, 'faultactor'). - $this->serialize_val($this->faultstring, 'faultstring'). - $this->serialize_val($this->faultdetail, 'detail'). - ''. - ''. - ''; - return $return_msg; - } -} - -/** - * Backward compatibility - */ -class soap_fault extends nusoap_fault { -} - - -?> \ No newline at end of file diff --git a/htdocs/includes/nusoap/lib/class.soap_parser.php b/htdocs/includes/nusoap/lib/class.soap_parser.php deleted file mode 100644 index db0342af83c..00000000000 --- a/htdocs/includes/nusoap/lib/class.soap_parser.php +++ /dev/null @@ -1,642 +0,0 @@ - -* @author Scott Nichol -* @access public -*/ -class nusoap_parser extends nusoap_base { - - var $xml = ''; - var $xml_encoding = ''; - var $method = ''; - var $root_struct = ''; - var $root_struct_name = ''; - var $root_struct_namespace = ''; - var $root_header = ''; - var $document = ''; // incoming SOAP body (text) - // determines where in the message we are (envelope,header,body,method) - var $status = ''; - var $position = 0; - var $depth = 0; - var $default_namespace = ''; - var $namespaces = array(); - var $message = array(); - var $parent = ''; - var $fault = false; - var $fault_code = ''; - var $fault_str = ''; - var $fault_detail = ''; - var $depth_array = array(); - var $debug_flag = true; - var $soapresponse = NULL; // parsed SOAP Body - var $soapheader = NULL; // parsed SOAP Header - var $responseHeaders = ''; // incoming SOAP headers (text) - var $body_position = 0; - // for multiref parsing: - // array of id => pos - var $ids = array(); - // array of id => hrefs => pos - var $multirefs = array(); - // toggle for auto-decoding element content - var $decode_utf8 = true; - - /** - * constructor that actually does the parsing - * - * @param string $xml SOAP message - * @param string $encoding character encoding scheme of message - * @param string $method method for which XML is parsed (unused?) - * @param string $decode_utf8 whether to decode UTF-8 to ISO-8859-1 - * @access public - */ - function __construct($xml,$encoding='UTF-8',$method='',$decode_utf8=true){ - parent::__construct(); - $this->xml = $xml; - $this->xml_encoding = $encoding; - $this->method = $method; - $this->decode_utf8 = $decode_utf8; - - // Check whether content has been read. - if(!empty($xml)){ - // Check XML encoding - $pos_xml = strpos($xml, '', $pos_xml + 2) - $pos_xml + 1); - if (preg_match("/encoding=[\"']([^\"']*)[\"']/", $xml_decl, $res)) { - $xml_encoding = $res[1]; - if (strtoupper($xml_encoding) != $encoding) { - $err = "Charset from HTTP Content-Type '" . $encoding . "' does not match encoding from XML declaration '" . $xml_encoding . "'"; - $this->debug($err); - if ($encoding != 'ISO-8859-1' || strtoupper($xml_encoding) != 'UTF-8') { - $this->setError($err); - return; - } - // when HTTP says ISO-8859-1 (the default) and XML says UTF-8 (the typical), assume the other endpoint is just sloppy and proceed - } else { - $this->debug('Charset from HTTP Content-Type matches encoding from XML declaration'); - } - } else { - $this->debug('No encoding specified in XML declaration'); - } - } else { - $this->debug('No XML declaration'); - } - $this->debug('Entering nusoap_parser(), length='.strlen($xml).', encoding='.$encoding); - // Create an XML parser - why not xml_parser_create_ns? - $this->parser = xml_parser_create($this->xml_encoding); - // Set the options for parsing the XML data. - //xml_parser_set_option($parser, XML_OPTION_SKIP_WHITE, 1); - xml_parser_set_option($this->parser, XML_OPTION_CASE_FOLDING, 0); - xml_parser_set_option($this->parser, XML_OPTION_TARGET_ENCODING, $this->xml_encoding); - // Set the object for the parser. - xml_set_object($this->parser, $this); - // Set the element handlers for the parser. - xml_set_element_handler($this->parser, 'start_element','end_element'); - xml_set_character_data_handler($this->parser,'character_data'); - - // Parse the XML file. - if(!xml_parse($this->parser,$xml,true)){ - // Display an error message. - $err = sprintf('XML error parsing SOAP payload on line %d: %s', - xml_get_current_line_number($this->parser), - xml_error_string(xml_get_error_code($this->parser))); - $this->debug($err); - $this->debug("XML payload:\n" . $xml); - $this->setError($err); - } else { - $this->debug('in nusoap_parser ctor, message:'); - $this->appendDebug($this->varDump($this->message)); - $this->debug('parsed successfully, found root struct: '.$this->root_struct.' of name '.$this->root_struct_name); - // get final value - $this->soapresponse = $this->message[$this->root_struct]['result']; - // get header value - if($this->root_header != '' && isset($this->message[$this->root_header]['result'])){ - $this->soapheader = $this->message[$this->root_header]['result']; - } - // resolve hrefs/ids - if(sizeof($this->multirefs) > 0){ - foreach($this->multirefs as $id => $hrefs){ - $this->debug('resolving multirefs for id: '.$id); - $idVal = $this->buildVal($this->ids[$id]); - if (is_array($idVal) && isset($idVal['!id'])) { - unset($idVal['!id']); - } - foreach($hrefs as $refPos => $ref){ - $this->debug('resolving href at pos '.$refPos); - $this->multirefs[$id][$refPos] = $idVal; - } - } - } - } - xml_parser_free($this->parser); - } else { - $this->debug('xml was empty, didn\'t parse!'); - $this->setError('xml was empty, didn\'t parse!'); - } - } - - /** - * start-element handler - * - * @param resource $parser XML parser object - * @param string $name element name - * @param array $attrs associative array of attributes - * @access private - */ - function start_element($parser, $name, $attrs) { - // position in a total number of elements, starting from 0 - // update class level pos - $pos = $this->position++; - // and set mine - $this->message[$pos] = array('pos' => $pos,'children'=>'','cdata'=>''); - // depth = how many levels removed from root? - // set mine as current global depth and increment global depth value - $this->message[$pos]['depth'] = $this->depth++; - - // else add self as child to whoever the current parent is - if($pos != 0){ - $this->message[$this->parent]['children'] .= '|'.$pos; - } - // set my parent - $this->message[$pos]['parent'] = $this->parent; - // set self as current parent - $this->parent = $pos; - // set self as current value for this depth - $this->depth_array[$this->depth] = $pos; - // get element prefix - if(strpos($name,':')){ - // get ns prefix - $prefix = substr($name,0,strpos($name,':')); - // get unqualified name - $name = substr(strstr($name,':'),1); - } - // set status - if ($name == 'Envelope' && $this->status == '') { - $this->status = 'envelope'; - } elseif ($name == 'Header' && $this->status == 'envelope') { - $this->root_header = $pos; - $this->status = 'header'; - } elseif ($name == 'Body' && $this->status == 'envelope'){ - $this->status = 'body'; - $this->body_position = $pos; - // set method - } elseif($this->status == 'body' && $pos == ($this->body_position+1)) { - $this->status = 'method'; - $this->root_struct_name = $name; - $this->root_struct = $pos; - $this->message[$pos]['type'] = 'struct'; - $this->debug("found root struct $this->root_struct_name, pos $this->root_struct"); - } - // set my status - $this->message[$pos]['status'] = $this->status; - // set name - $this->message[$pos]['name'] = htmlspecialchars($name); - // set attrs - $this->message[$pos]['attrs'] = $attrs; - - // loop through atts, logging ns and type declarations - $attstr = ''; - foreach($attrs as $key => $value){ - $key_prefix = $this->getPrefix($key); - $key_localpart = $this->getLocalPart($key); - // if ns declarations, add to class level array of valid namespaces - if($key_prefix == 'xmlns'){ - if(preg_match('/^http:\/\/www.w3.org\/[0-9]{4}\/XMLSchema$/',$value)){ - $this->XMLSchemaVersion = $value; - $this->namespaces['xsd'] = $this->XMLSchemaVersion; - $this->namespaces['xsi'] = $this->XMLSchemaVersion.'-instance'; - } - $this->namespaces[$key_localpart] = $value; - // set method namespace - if($name == $this->root_struct_name){ - $this->methodNamespace = $value; - } - // if it's a type declaration, set type - } elseif($key_localpart == 'type'){ - if (isset($this->message[$pos]['type']) && $this->message[$pos]['type'] == 'array') { - // do nothing: already processed arrayType - } else { - $value_prefix = $this->getPrefix($value); - $value_localpart = $this->getLocalPart($value); - $this->message[$pos]['type'] = $value_localpart; - $this->message[$pos]['typePrefix'] = $value_prefix; - if(isset($this->namespaces[$value_prefix])){ - $this->message[$pos]['type_namespace'] = $this->namespaces[$value_prefix]; - } else if(isset($attrs['xmlns:'.$value_prefix])) { - $this->message[$pos]['type_namespace'] = $attrs['xmlns:'.$value_prefix]; - } - // should do something here with the namespace of specified type? - } - } elseif($key_localpart == 'arrayType'){ - $this->message[$pos]['type'] = 'array'; - /* do arrayType ereg here - [1] arrayTypeValue ::= atype asize - [2] atype ::= QName rank* - [3] rank ::= '[' (',')* ']' - [4] asize ::= '[' length~ ']' - [5] length ::= nextDimension* Digit+ - [6] nextDimension ::= Digit+ ',' - */ - $expr = '/([A-Za-z0-9_]+):([A-Za-z]+[A-Za-z0-9_]+)\[([0-9]+),?([0-9]*)\]/'; - if(preg_match($expr,$value,$regs)){ - $this->message[$pos]['typePrefix'] = $regs[1]; - $this->message[$pos]['arrayTypePrefix'] = $regs[1]; - if (isset($this->namespaces[$regs[1]])) { - $this->message[$pos]['arrayTypeNamespace'] = $this->namespaces[$regs[1]]; - } else if (isset($attrs['xmlns:'.$regs[1]])) { - $this->message[$pos]['arrayTypeNamespace'] = $attrs['xmlns:'.$regs[1]]; - } - $this->message[$pos]['arrayType'] = $regs[2]; - $this->message[$pos]['arraySize'] = $regs[3]; - $this->message[$pos]['arrayCols'] = $regs[4]; - } - // specifies nil value (or not) - } elseif ($key_localpart == 'nil'){ - $this->message[$pos]['nil'] = ($value == 'true' || $value == '1'); - // some other attribute - } elseif ($key != 'href' && $key != 'xmlns' && $key_localpart != 'encodingStyle' && $key_localpart != 'root') { - $this->message[$pos]['xattrs']['!' . $key] = $value; - } - - if ($key == 'xmlns') { - $this->default_namespace = $value; - } - // log id - if($key == 'id'){ - $this->ids[$value] = $pos; - } - // root - if($key_localpart == 'root' && $value == 1){ - $this->status = 'method'; - $this->root_struct_name = $name; - $this->root_struct = $pos; - $this->debug("found root struct $this->root_struct_name, pos $pos"); - } - // for doclit - $attstr .= " $key=\"$value\""; - } - // get namespace - must be done after namespace atts are processed - if(isset($prefix)){ - $this->message[$pos]['namespace'] = $this->namespaces[$prefix]; - $this->default_namespace = $this->namespaces[$prefix]; - } else { - $this->message[$pos]['namespace'] = $this->default_namespace; - } - if($this->status == 'header'){ - if ($this->root_header != $pos) { - $this->responseHeaders .= "<" . (isset($prefix) ? $prefix . ':' : '') . "$name$attstr>"; - } - } elseif($this->root_struct_name != ''){ - $this->document .= "<" . (isset($prefix) ? $prefix . ':' : '') . "$name$attstr>"; - } - } - - /** - * end-element handler - * - * @param resource $parser XML parser object - * @param string $name element name - * @access private - */ - function end_element($parser, $name) { - // position of current element is equal to the last value left in depth_array for my depth - $pos = $this->depth_array[$this->depth--]; - - // get element prefix - if(strpos($name,':')){ - // get ns prefix - $prefix = substr($name,0,strpos($name,':')); - // get unqualified name - $name = substr(strstr($name,':'),1); - } - - // build to native type - if(isset($this->body_position) && $pos > $this->body_position){ - // deal w/ multirefs - if(isset($this->message[$pos]['attrs']['href'])){ - // get id - $id = substr($this->message[$pos]['attrs']['href'],1); - // add placeholder to href array - $this->multirefs[$id][$pos] = 'placeholder'; - // add set a reference to it as the result value - $this->message[$pos]['result'] =& $this->multirefs[$id][$pos]; - // build complexType values - } elseif($this->message[$pos]['children'] != ''){ - // if result has already been generated (struct/array) - if(!isset($this->message[$pos]['result'])){ - $this->message[$pos]['result'] = $this->buildVal($pos); - } - // build complexType values of attributes and possibly simpleContent - } elseif (isset($this->message[$pos]['xattrs'])) { - if (isset($this->message[$pos]['nil']) && $this->message[$pos]['nil']) { - $this->message[$pos]['xattrs']['!'] = null; - } elseif (isset($this->message[$pos]['cdata']) && trim($this->message[$pos]['cdata']) != '') { - if (isset($this->message[$pos]['type'])) { - $this->message[$pos]['xattrs']['!'] = $this->decodeSimple($this->message[$pos]['cdata'], $this->message[$pos]['type'], isset($this->message[$pos]['type_namespace']) ? $this->message[$pos]['type_namespace'] : ''); - } else { - $parent = $this->message[$pos]['parent']; - if (isset($this->message[$parent]['type']) && ($this->message[$parent]['type'] == 'array') && isset($this->message[$parent]['arrayType'])) { - $this->message[$pos]['xattrs']['!'] = $this->decodeSimple($this->message[$pos]['cdata'], $this->message[$parent]['arrayType'], isset($this->message[$parent]['arrayTypeNamespace']) ? $this->message[$parent]['arrayTypeNamespace'] : ''); - } else { - $this->message[$pos]['xattrs']['!'] = $this->message[$pos]['cdata']; - } - } - } - $this->message[$pos]['result'] = $this->message[$pos]['xattrs']; - // set value of simpleType (or nil complexType) - } else { - //$this->debug('adding data for scalar value '.$this->message[$pos]['name'].' of value '.$this->message[$pos]['cdata']); - if (isset($this->message[$pos]['nil']) && $this->message[$pos]['nil']) { - $this->message[$pos]['xattrs']['!'] = null; - } elseif (isset($this->message[$pos]['type'])) { - $this->message[$pos]['result'] = $this->decodeSimple($this->message[$pos]['cdata'], $this->message[$pos]['type'], isset($this->message[$pos]['type_namespace']) ? $this->message[$pos]['type_namespace'] : ''); - } else { - $parent = $this->message[$pos]['parent']; - if (isset($this->message[$parent]['type']) && ($this->message[$parent]['type'] == 'array') && isset($this->message[$parent]['arrayType'])) { - $this->message[$pos]['result'] = $this->decodeSimple($this->message[$pos]['cdata'], $this->message[$parent]['arrayType'], isset($this->message[$parent]['arrayTypeNamespace']) ? $this->message[$parent]['arrayTypeNamespace'] : ''); - } else { - $this->message[$pos]['result'] = $this->message[$pos]['cdata']; - } - } - - /* add value to parent's result, if parent is struct/array - $parent = $this->message[$pos]['parent']; - if($this->message[$parent]['type'] != 'map'){ - if(strtolower($this->message[$parent]['type']) == 'array'){ - $this->message[$parent]['result'][] = $this->message[$pos]['result']; - } else { - $this->message[$parent]['result'][$this->message[$pos]['name']] = $this->message[$pos]['result']; - } - } - */ - } - } - - // for doclit - if($this->status == 'header'){ - if ($this->root_header != $pos) { - $this->responseHeaders .= ""; - } - } elseif($pos >= $this->root_struct){ - $this->document .= ""; - } - // switch status - if ($pos == $this->root_struct){ - $this->status = 'body'; - $this->root_struct_namespace = $this->message[$pos]['namespace']; - } elseif ($pos == $this->root_header) { - $this->status = 'envelope'; - } elseif ($name == 'Body' && $this->status == 'body') { - $this->status = 'envelope'; - } elseif ($name == 'Header' && $this->status == 'header') { // will never happen - $this->status = 'envelope'; - } elseif ($name == 'Envelope' && $this->status == 'envelope') { - $this->status = ''; - } - // set parent back to my parent - $this->parent = $this->message[$pos]['parent']; - } - - /** - * element content handler - * - * @param resource $parser XML parser object - * @param string $data element content - * @access private - */ - function character_data($parser, $data){ - $pos = $this->depth_array[$this->depth]; - if ($this->xml_encoding=='UTF-8'){ - // TODO: add an option to disable this for folks who want - // raw UTF-8 that, e.g., might not map to iso-8859-1 - // TODO: this can also be handled with xml_parser_set_option($this->parser, XML_OPTION_TARGET_ENCODING, "ISO-8859-1"); - if($this->decode_utf8){ - $data = utf8_decode($data); - } - } - $this->message[$pos]['cdata'] .= $data; - // for doclit - if($this->status == 'header'){ - $this->responseHeaders .= $data; - } else { - $this->document .= $data; - } - } - - /** - * get the parsed message (SOAP Body) - * - * @return mixed - * @access public - * @deprecated use get_soapbody instead - */ - function get_response(){ - return $this->soapresponse; - } - - /** - * get the parsed SOAP Body (NULL if there was none) - * - * @return mixed - * @access public - */ - function get_soapbody(){ - return $this->soapresponse; - } - - /** - * get the parsed SOAP Header (NULL if there was none) - * - * @return mixed - * @access public - */ - function get_soapheader(){ - return $this->soapheader; - } - - /** - * get the unparsed SOAP Header - * - * @return string XML or empty if no Header - * @access public - */ - function getHeaders(){ - return $this->responseHeaders; - } - - /** - * decodes simple types into PHP variables - * - * @param string $value value to decode - * @param string $type XML type to decode - * @param string $typens XML type namespace to decode - * @return mixed PHP value - * @access private - */ - function decodeSimple($value, $type, $typens) { - // TODO: use the namespace! - if ((!isset($type)) || $type == 'string' || $type == 'long' || $type == 'unsignedLong') { - return (string) $value; - } - if ($type == 'int' || $type == 'integer' || $type == 'short' || $type == 'byte') { - return (int) $value; - } - if ($type == 'float' || $type == 'double' || $type == 'decimal') { - return (double) $value; - } - if ($type == 'boolean') { - if (strtolower($value) == 'false' || strtolower($value) == 'f') { - return false; - } - return (boolean) $value; - } - if ($type == 'base64' || $type == 'base64Binary') { - $this->debug('Decode base64 value'); - return base64_decode($value); - } - // obscure numeric types - if ($type == 'nonPositiveInteger' || $type == 'negativeInteger' - || $type == 'nonNegativeInteger' || $type == 'positiveInteger' - || $type == 'unsignedInt' - || $type == 'unsignedShort' || $type == 'unsignedByte') { - return (int) $value; - } - // bogus: parser treats array with no elements as a simple type - if ($type == 'array') { - return array(); - } - // everything else - return (string) $value; - } - - /** - * builds response structures for compound values (arrays/structs) - * and scalars - * - * @param integer $pos position in node tree - * @return mixed PHP value - * @access private - */ - function buildVal($pos){ - if(!isset($this->message[$pos]['type'])){ - $this->message[$pos]['type'] = ''; - } - $this->debug('in buildVal() for '.$this->message[$pos]['name']."(pos $pos) of type ".$this->message[$pos]['type']); - // if there are children... - if($this->message[$pos]['children'] != ''){ - $this->debug('in buildVal, there are children'); - $children = explode('|',$this->message[$pos]['children']); - array_shift($children); // knock off empty - // md array - if(isset($this->message[$pos]['arrayCols']) && $this->message[$pos]['arrayCols'] != ''){ - $r=0; // rowcount - $c=0; // colcount - foreach($children as $child_pos){ - $this->debug("in buildVal, got an MD array element: $r, $c"); - $params[$r][] = $this->message[$child_pos]['result']; - $c++; - if($c == $this->message[$pos]['arrayCols']){ - $c = 0; - $r++; - } - } - // array - } elseif($this->message[$pos]['type'] == 'array' || $this->message[$pos]['type'] == 'Array'){ - $this->debug('in buildVal, adding array '.$this->message[$pos]['name']); - foreach($children as $child_pos){ - $params[] = &$this->message[$child_pos]['result']; - } - // apache Map type: java hashtable - } elseif($this->message[$pos]['type'] == 'Map' && $this->message[$pos]['type_namespace'] == 'http://xml.apache.org/xml-soap'){ - $this->debug('in buildVal, Java Map '.$this->message[$pos]['name']); - foreach($children as $child_pos){ - $kv = explode("|",$this->message[$child_pos]['children']); - $params[$this->message[$kv[1]]['result']] = &$this->message[$kv[2]]['result']; - } - // generic compound type - //} elseif($this->message[$pos]['type'] == 'SOAPStruct' || $this->message[$pos]['type'] == 'struct') { - } else { - // Apache Vector type: treat as an array - $this->debug('in buildVal, adding Java Vector or generic compound type '.$this->message[$pos]['name']); - if ($this->message[$pos]['type'] == 'Vector' && $this->message[$pos]['type_namespace'] == 'http://xml.apache.org/xml-soap') { - $notstruct = 1; - } else { - $notstruct = 0; - } - // - foreach($children as $child_pos){ - if($notstruct){ - $params[] = &$this->message[$child_pos]['result']; - } else { - if (isset($params[$this->message[$child_pos]['name']])) { - // de-serialize repeated element name into an array - if ((!is_array($params[$this->message[$child_pos]['name']])) || (!isset($params[$this->message[$child_pos]['name']][0]))) { - $params[$this->message[$child_pos]['name']] = array($params[$this->message[$child_pos]['name']]); - } - $params[$this->message[$child_pos]['name']][] = &$this->message[$child_pos]['result']; - } else { - $params[$this->message[$child_pos]['name']] = &$this->message[$child_pos]['result']; - } - } - } - } - if (isset($this->message[$pos]['xattrs'])) { - $this->debug('in buildVal, handling attributes'); - foreach ($this->message[$pos]['xattrs'] as $n => $v) { - $params[$n] = $v; - } - } - // handle simpleContent - if (isset($this->message[$pos]['cdata']) && trim($this->message[$pos]['cdata']) != '') { - $this->debug('in buildVal, handling simpleContent'); - if (isset($this->message[$pos]['type'])) { - $params['!'] = $this->decodeSimple($this->message[$pos]['cdata'], $this->message[$pos]['type'], isset($this->message[$pos]['type_namespace']) ? $this->message[$pos]['type_namespace'] : ''); - } else { - $parent = $this->message[$pos]['parent']; - if (isset($this->message[$parent]['type']) && ($this->message[$parent]['type'] == 'array') && isset($this->message[$parent]['arrayType'])) { - $params['!'] = $this->decodeSimple($this->message[$pos]['cdata'], $this->message[$parent]['arrayType'], isset($this->message[$parent]['arrayTypeNamespace']) ? $this->message[$parent]['arrayTypeNamespace'] : ''); - } else { - $params['!'] = $this->message[$pos]['cdata']; - } - } - } - $ret = is_array($params) ? $params : array(); - $this->debug('in buildVal, return:'); - $this->appendDebug($this->varDump($ret)); - return $ret; - } else { - $this->debug('in buildVal, no children, building scalar'); - $cdata = isset($this->message[$pos]['cdata']) ? $this->message[$pos]['cdata'] : ''; - if (isset($this->message[$pos]['type'])) { - $ret = $this->decodeSimple($cdata, $this->message[$pos]['type'], isset($this->message[$pos]['type_namespace']) ? $this->message[$pos]['type_namespace'] : ''); - $this->debug("in buildVal, return: $ret"); - return $ret; - } - $parent = $this->message[$pos]['parent']; - if (isset($this->message[$parent]['type']) && ($this->message[$parent]['type'] == 'array') && isset($this->message[$parent]['arrayType'])) { - $ret = $this->decodeSimple($cdata, $this->message[$parent]['arrayType'], isset($this->message[$parent]['arrayTypeNamespace']) ? $this->message[$parent]['arrayTypeNamespace'] : ''); - $this->debug("in buildVal, return: $ret"); - return $ret; - } - $ret = $this->message[$pos]['cdata']; - $this->debug("in buildVal, return: $ret"); - return $ret; - } - } -} - -/** - * Backward compatibility - */ -class soap_parser extends nusoap_parser { -} - - -?> \ No newline at end of file diff --git a/htdocs/includes/nusoap/lib/class.soap_server.php b/htdocs/includes/nusoap/lib/class.soap_server.php deleted file mode 100644 index 8145219acdb..00000000000 --- a/htdocs/includes/nusoap/lib/class.soap_server.php +++ /dev/null @@ -1,1126 +0,0 @@ - -* @author Scott Nichol -* @access public -*/ -class nusoap_server extends nusoap_base { - /** - * HTTP headers of request - * @var array - * @access private - */ - var $headers = array(); - /** - * HTTP request - * @var string - * @access private - */ - var $request = ''; - /** - * SOAP headers from request (incomplete namespace resolution; special characters not escaped) (text) - * @var string - * @access public - */ - var $requestHeaders = ''; - /** - * SOAP Headers from request (parsed) - * @var mixed - * @access public - */ - var $requestHeader = NULL; - /** - * SOAP body request portion (incomplete namespace resolution; special characters not escaped) (text) - * @var string - * @access public - */ - var $document = ''; - /** - * SOAP payload for request (text) - * @var string - * @access public - */ - var $requestSOAP = ''; - /** - * requested method namespace URI - * @var string - * @access private - */ - var $methodURI = ''; - /** - * name of method requested - * @var string - * @access private - */ - var $methodname = ''; - /** - * method parameters from request - * @var array - * @access private - */ - var $methodparams = array(); - /** - * SOAP Action from request - * @var string - * @access private - */ - var $SOAPAction = ''; - /** - * character set encoding of incoming (request) messages - * @var string - * @access public - */ - var $xml_encoding = ''; - /** - * toggles whether the parser decodes element content w/ utf8_decode() - * @var boolean - * @access public - */ - var $decode_utf8 = true; - - /** - * HTTP headers of response - * @var array - * @access public - */ - var $outgoing_headers = array(); - /** - * HTTP response - * @var string - * @access private - */ - var $response = ''; - /** - * SOAP headers for response (text or array of soapval or associative array) - * @var mixed - * @access public - */ - var $responseHeaders = ''; - /** - * SOAP payload for response (text) - * @var string - * @access private - */ - var $responseSOAP = ''; - /** - * method return value to place in response - * @var mixed - * @access private - */ - var $methodreturn = false; - /** - * whether $methodreturn is a string of literal XML - * @var boolean - * @access public - */ - var $methodreturnisliteralxml = false; - /** - * SOAP fault for response (or false) - * @var mixed - * @access private - */ - var $fault = false; - /** - * text indication of result (for debugging) - * @var string - * @access private - */ - var $result = 'successful'; - - /** - * assoc array of operations => opData; operations are added by the register() - * method or by parsing an external WSDL definition - * @var array - * @access private - */ - var $operations = array(); - /** - * wsdl instance (if one) - * @var mixed - * @access private - */ - var $wsdl = false; - /** - * URL for WSDL (if one) - * @var mixed - * @access private - */ - var $externalWSDLURL = false; - /** - * whether to append debug to response as XML comment - * @var boolean - * @access public - */ - var $debug_flag = false; - - - /** - * constructor - * the optional parameter is a path to a WSDL file that you'd like to bind the server instance to. - * - * @param mixed $wsdl file path or URL (string), or wsdl instance (object) - * @access public - */ - function __construct($wsdl=false){ - parent::__construct(); - // turn on debugging? - global $debug; - global $HTTP_SERVER_VARS; - - if (isset($_SERVER)) { - $this->debug("_SERVER is defined:"); - $this->appendDebug($this->varDump($_SERVER)); - } elseif (isset($HTTP_SERVER_VARS)) { - $this->debug("HTTP_SERVER_VARS is defined:"); - $this->appendDebug($this->varDump($HTTP_SERVER_VARS)); - } else { - $this->debug("Neither _SERVER nor HTTP_SERVER_VARS is defined."); - } - - if (isset($debug)) { - $this->debug("In nusoap_server, set debug_flag=$debug based on global flag"); - $this->debug_flag = $debug; - } elseif (isset($_SERVER['QUERY_STRING'])) { - $qs = explode('&', $_SERVER['QUERY_STRING']); - foreach ($qs as $v) { - if (substr($v, 0, 6) == 'debug=') { - $this->debug("In nusoap_server, set debug_flag=" . substr($v, 6) . " based on query string #1"); - $this->debug_flag = substr($v, 6); - } - } - } elseif (isset($HTTP_SERVER_VARS['QUERY_STRING'])) { - $qs = explode('&', $HTTP_SERVER_VARS['QUERY_STRING']); - foreach ($qs as $v) { - if (substr($v, 0, 6) == 'debug=') { - $this->debug("In nusoap_server, set debug_flag=" . substr($v, 6) . " based on query string #2"); - $this->debug_flag = substr($v, 6); - } - } - } - - // wsdl - if($wsdl){ - $this->debug("In nusoap_server, WSDL is specified"); - if (is_object($wsdl) && (get_class($wsdl) == 'wsdl')) { - $this->wsdl = $wsdl; - $this->externalWSDLURL = $this->wsdl->wsdl; - $this->debug('Use existing wsdl instance from ' . $this->externalWSDLURL); - } else { - $this->debug('Create wsdl from ' . $wsdl); - $this->wsdl = new wsdl($wsdl); - $this->externalWSDLURL = $wsdl; - } - $this->appendDebug($this->wsdl->getDebug()); - $this->wsdl->clearDebug(); - if($err = $this->wsdl->getError()){ - die('WSDL ERROR: '.$err); - } - } - } - - /** - * processes request and returns response - * - * @param string $data usually is the value of $HTTP_RAW_POST_DATA - * @access public - */ - function service($data){ - global $HTTP_SERVER_VARS; - - if (isset($_SERVER['REQUEST_METHOD'])) { - $rm = $_SERVER['REQUEST_METHOD']; - } elseif (isset($HTTP_SERVER_VARS['REQUEST_METHOD'])) { - $rm = $HTTP_SERVER_VARS['REQUEST_METHOD']; - } else { - $rm = ''; - } - - if (isset($_SERVER['QUERY_STRING'])) { - $qs = $_SERVER['QUERY_STRING']; - } elseif (isset($HTTP_SERVER_VARS['QUERY_STRING'])) { - $qs = $HTTP_SERVER_VARS['QUERY_STRING']; - } else { - $qs = ''; - } - $this->debug("In service, request method=$rm query string=$qs strlen(\$data)=" . strlen($data)); - - if ($rm == 'POST') { - $this->debug("In service, invoke the request"); - $this->parse_request($data); - if (! $this->fault) { - $this->invoke_method(); - } - if (! $this->fault) { - $this->serialize_return(); - } - $this->send_response(); - } elseif (preg_match('/wsdl/', $qs) ){ - $this->debug("In service, this is a request for WSDL"); - if ($this->externalWSDLURL){ - if (strpos($this->externalWSDLURL, "http://") !== false) { // assume URL - $this->debug("In service, re-direct for WSDL"); - header('Location: '.$this->externalWSDLURL); - } else { // assume file - $this->debug("In service, use file passthru for WSDL"); - header("Content-Type: text/xml\r\n"); - $pos = strpos($this->externalWSDLURL, "file://"); - if ($pos === false) { - $filename = $this->externalWSDLURL; - } else { - $filename = substr($this->externalWSDLURL, $pos + 7); - } - $fp = fopen($this->externalWSDLURL, 'r'); - fpassthru($fp); - } - } elseif ($this->wsdl) { - $this->debug("In service, serialize WSDL"); - header("Content-Type: text/xml; charset=ISO-8859-1\r\n"); - print $this->wsdl->serialize($this->debug_flag); - if ($this->debug_flag) { - $this->debug('wsdl:'); - $this->appendDebug($this->varDump($this->wsdl)); - print $this->getDebugAsXMLComment(); - } - } else { - $this->debug("In service, there is no WSDL"); - header("Content-Type: text/html; charset=ISO-8859-1\r\n"); - print "This service does not provide WSDL"; - } - } elseif ($this->wsdl) { - $this->debug("In service, return Web description"); - print $this->wsdl->webDescription(); - } else { - $this->debug("In service, no Web description"); - header("Content-Type: text/html; charset=ISO-8859-1\r\n"); - print "This service does not provide a Web description"; - } - } - - /** - * parses HTTP request headers. - * - * The following fields are set by this function (when successful) - * - * headers - * request - * xml_encoding - * SOAPAction - * - * @access private - */ - function parse_http_headers() { - global $HTTP_SERVER_VARS; - - $this->request = ''; - $this->SOAPAction = ''; - if(function_exists('getallheaders')){ - $this->debug("In parse_http_headers, use getallheaders"); - $headers = getallheaders(); - foreach($headers as $k=>$v){ - $k = strtolower($k); - $this->headers[$k] = $v; - $this->request .= "$k: $v\r\n"; - $this->debug("$k: $v"); - } - // get SOAPAction header - if(isset($this->headers['soapaction'])){ - $this->SOAPAction = str_replace('"','',$this->headers['soapaction']); - } - // get the character encoding of the incoming request - if(isset($this->headers['content-type']) && strpos($this->headers['content-type'],'=')){ - $enc = str_replace('"','',substr(strstr($this->headers["content-type"],'='),1)); - if(preg_match('/^(ISO-8859-1|US-ASCII|UTF-8)$/i',$enc)){ - $this->xml_encoding = strtoupper($enc); - } else { - $this->xml_encoding = 'US-ASCII'; - } - } else { - // should be US-ASCII for HTTP 1.0 or ISO-8859-1 for HTTP 1.1 - $this->xml_encoding = 'ISO-8859-1'; - } - } elseif(isset($_SERVER) && is_array($_SERVER)){ - $this->debug("In parse_http_headers, use _SERVER"); - foreach ($_SERVER as $k => $v) { - if (substr($k, 0, 5) == 'HTTP_') { - $k = str_replace(' ', '-', strtolower(str_replace('_', ' ', substr($k, 5)))); - } else { - $k = str_replace(' ', '-', strtolower(str_replace('_', ' ', $k))); - } - if ($k == 'soapaction') { - // get SOAPAction header - $k = 'SOAPAction'; - $v = str_replace('"', '', $v); - $v = str_replace('\\', '', $v); - $this->SOAPAction = $v; - } else if ($k == 'content-type') { - // get the character encoding of the incoming request - if (strpos($v, '=')) { - $enc = substr(strstr($v, '='), 1); - $enc = str_replace('"', '', $enc); - $enc = str_replace('\\', '', $enc); - if (preg_match('/^(ISO-8859-1|US-ASCII|UTF-8)$/i',$enc)) { - $this->xml_encoding = strtoupper($enc); - } else { - $this->xml_encoding = 'US-ASCII'; - } - } else { - // should be US-ASCII for HTTP 1.0 or ISO-8859-1 for HTTP 1.1 - $this->xml_encoding = 'ISO-8859-1'; - } - } - $this->headers[$k] = $v; - $this->request .= "$k: $v\r\n"; - $this->debug("$k: $v"); - } - } elseif (is_array($HTTP_SERVER_VARS)) { - $this->debug("In parse_http_headers, use HTTP_SERVER_VARS"); - foreach ($HTTP_SERVER_VARS as $k => $v) { - if (substr($k, 0, 5) == 'HTTP_') { - $k = str_replace(' ', '-', strtolower(str_replace('_', ' ', substr($k, 5)))); $k = strtolower(substr($k, 5)); - } else { - $k = str_replace(' ', '-', strtolower(str_replace('_', ' ', $k))); $k = strtolower($k); - } - if ($k == 'soapaction') { - // get SOAPAction header - $k = 'SOAPAction'; - $v = str_replace('"', '', $v); - $v = str_replace('\\', '', $v); - $this->SOAPAction = $v; - } else if ($k == 'content-type') { - // get the character encoding of the incoming request - if (strpos($v, '=')) { - $enc = substr(strstr($v, '='), 1); - $enc = str_replace('"', '', $enc); - $enc = str_replace('\\', '', $enc); - if (preg_match('/^(ISO-8859-1|US-ASCII|UTF-8)$/i',$enc)) { - $this->xml_encoding = strtoupper($enc); - } else { - $this->xml_encoding = 'US-ASCII'; - } - } else { - // should be US-ASCII for HTTP 1.0 or ISO-8859-1 for HTTP 1.1 - $this->xml_encoding = 'ISO-8859-1'; - } - } - $this->headers[$k] = $v; - $this->request .= "$k: $v\r\n"; - $this->debug("$k: $v"); - } - } else { - $this->debug("In parse_http_headers, HTTP headers not accessible"); - $this->setError("HTTP headers not accessible"); - } - } - - /** - * parses a request - * - * The following fields are set by this function (when successful) - * - * headers - * request - * xml_encoding - * SOAPAction - * request - * requestSOAP - * methodURI - * methodname - * methodparams - * requestHeaders - * document - * - * This sets the fault field on error - * - * @param string $data XML string - * @access private - */ - function parse_request($data='') { - $this->debug('entering parse_request()'); - $this->parse_http_headers(); - $this->debug('got character encoding: '.$this->xml_encoding); - // uncompress if necessary - if (isset($this->headers['content-encoding']) && $this->headers['content-encoding'] != '') { - $this->debug('got content encoding: ' . $this->headers['content-encoding']); - if ($this->headers['content-encoding'] == 'deflate' || $this->headers['content-encoding'] == 'gzip') { - // if decoding works, use it. else assume data wasn't gzencoded - if (function_exists('gzuncompress')) { - if ($this->headers['content-encoding'] == 'deflate' && $degzdata = @gzuncompress($data)) { - $data = $degzdata; - } elseif ($this->headers['content-encoding'] == 'gzip' && $degzdata = gzinflate(substr($data, 10))) { - $data = $degzdata; - } else { - $this->fault('SOAP-ENV:Client', 'Errors occurred when trying to decode the data'); - return; - } - } else { - $this->fault('SOAP-ENV:Client', 'This Server does not support compressed data'); - return; - } - } - } - $this->request .= "\r\n".$data; - $data = $this->parseRequest($this->headers, $data); - $this->requestSOAP = $data; - $this->debug('leaving parse_request'); - } - - /** - * invokes a PHP function for the requested SOAP method - * - * The following fields are set by this function (when successful) - * - * methodreturn - * - * Note that the PHP function that is called may also set the following - * fields to affect the response sent to the client - * - * responseHeaders - * outgoing_headers - * - * This sets the fault field on error - * - * @access private - */ - function invoke_method() { - $this->debug('in invoke_method, methodname=' . $this->methodname . ' methodURI=' . $this->methodURI . ' SOAPAction=' . $this->SOAPAction); - - // - // if you are debugging in this area of the code, your service uses a class to implement methods, - // you use SOAP RPC, and the client is .NET, please be aware of the following... - // when the .NET wsdl.exe utility generates a proxy, it will remove the '.' or '..' from the - // method name. that is fine for naming the .NET methods. it is not fine for properly constructing - // the XML request and reading the XML response. you need to add the RequestElementName and - // ResponseElementName to the System.Web.Services.Protocols.SoapRpcMethodAttribute that wsdl.exe - // generates for the method. these parameters are used to specify the correct XML element names - // for .NET to use, i.e. the names with the '.' in them. - // - $orig_methodname = $this->methodname; - if ($this->wsdl) { - if ($this->opData = $this->wsdl->getOperationData($this->methodname)) { - $this->debug('in invoke_method, found WSDL operation=' . $this->methodname); - $this->appendDebug('opData=' . $this->varDump($this->opData)); - } elseif ($this->opData = $this->wsdl->getOperationDataForSoapAction($this->SOAPAction)) { - // Note: hopefully this case will only be used for doc/lit, since rpc services should have wrapper element - $this->debug('in invoke_method, found WSDL soapAction=' . $this->SOAPAction . ' for operation=' . $this->opData['name']); - $this->appendDebug('opData=' . $this->varDump($this->opData)); - $this->methodname = $this->opData['name']; - } else { - $this->debug('in invoke_method, no WSDL for operation=' . $this->methodname); - $this->fault('SOAP-ENV:Client', "Operation '" . $this->methodname . "' is not defined in the WSDL for this service"); - return; - } - } else { - $this->debug('in invoke_method, no WSDL to validate method'); - } - - // if a . is present in $this->methodname, we see if there is a class in scope, - // which could be referred to. We will also distinguish between two deliminators, - // to allow methods to be called a the class or an instance - if (strpos($this->methodname, '..') > 0) { - $delim = '..'; - } else if (strpos($this->methodname, '.') > 0) { - $delim = '.'; - } else { - $delim = ''; - } - $this->debug("in invoke_method, delim=$delim"); - - $class = ''; - $method = ''; - if (strlen($delim) > 0 && substr_count($this->methodname, $delim) == 1) { - $try_class = substr($this->methodname, 0, strpos($this->methodname, $delim)); - if (class_exists($try_class)) { - // get the class and method name - $class = $try_class; - $method = substr($this->methodname, strpos($this->methodname, $delim) + strlen($delim)); - $this->debug("in invoke_method, class=$class method=$method delim=$delim"); - } else { - $this->debug("in invoke_method, class=$try_class not found"); - } - } else { - $try_class = ''; - $this->debug("in invoke_method, no class to try"); - } - - // does method exist? - if ($class == '') { - if (!function_exists($this->methodname)) { - $this->debug("in invoke_method, function '$this->methodname' not found!"); - $this->result = 'fault: method not found'; - $this->fault('SOAP-ENV:Client',"method '$this->methodname'('$orig_methodname') not defined in service('$try_class' '$delim')"); - return; - } - } else { - $method_to_compare = (substr(phpversion(), 0, 2) == '4.') ? strtolower($method) : $method; - if (!in_array($method_to_compare, get_class_methods($class))) { - $this->debug("in invoke_method, method '$this->methodname' not found in class '$class'!"); - $this->result = 'fault: method not found'; - $this->fault('SOAP-ENV:Client',"method '$this->methodname'/'$method_to_compare'('$orig_methodname') not defined in service/'$class'('$try_class' '$delim')"); - return; - } - } - - // evaluate message, getting back parameters - // verify that request parameters match the method's signature - if(! $this->verify_method($this->methodname,$this->methodparams)){ - // debug - $this->debug('ERROR: request not verified against method signature'); - $this->result = 'fault: request failed validation against method signature'; - // return fault - $this->fault('SOAP-ENV:Client',"Operation '$this->methodname' not defined in service."); - return; - } - - // if there are parameters to pass - $this->debug('in invoke_method, params:'); - $this->appendDebug($this->varDump($this->methodparams)); - $this->debug("in invoke_method, calling '$this->methodname'"); - if (!function_exists('call_user_func_array')) { - if ($class == '') { - $this->debug('in invoke_method, calling function using eval()'); - $funcCall = "\$this->methodreturn = $this->methodname("; - } else { - if ($delim == '..') { - $this->debug('in invoke_method, calling class method using eval()'); - $funcCall = "\$this->methodreturn = ".$class."::".$method."("; - } else { - $this->debug('in invoke_method, calling instance method using eval()'); - // generate unique instance name - $instname = "\$inst_".time(); - $funcCall = $instname." = new ".$class."(); "; - $funcCall .= "\$this->methodreturn = ".$instname."->".$method."("; - } - } - if ($this->methodparams) { - foreach ($this->methodparams as $param) { - if (is_array($param) || is_object($param)) { - $this->fault('SOAP-ENV:Client', 'NuSOAP does not handle complexType parameters correctly when using eval; call_user_func_array must be available'); - return; - } - $funcCall .= "\"$param\","; - } - $funcCall = substr($funcCall, 0, -1); - } - $funcCall .= ');'; - $this->debug('in invoke_method, function call: '.$funcCall); - @eval($funcCall); - } else { - if ($class == '') { - $this->debug('in invoke_method, calling function using call_user_func_array()'); - $call_arg = "$this->methodname"; // straight assignment changes $this->methodname to lower case after call_user_func_array() - } elseif ($delim == '..') { - $this->debug('in invoke_method, calling class method using call_user_func_array()'); - $call_arg = array ($class, $method); - } else { - $this->debug('in invoke_method, calling instance method using call_user_func_array()'); - $instance = new $class (); - $call_arg = array(&$instance, $method); - } - if (is_array($this->methodparams)) { - $this->methodreturn = call_user_func_array($call_arg, array_values($this->methodparams)); - } else { - $this->methodreturn = call_user_func_array($call_arg, array()); - } - } - $this->debug('in invoke_method, methodreturn:'); - $this->appendDebug($this->varDump($this->methodreturn)); - $this->debug("in invoke_method, called method $this->methodname, received data of type ".gettype($this->methodreturn)); - } - - /** - * serializes the return value from a PHP function into a full SOAP Envelope - * - * The following fields are set by this function (when successful) - * - * responseSOAP - * - * This sets the fault field on error - * - * @access private - */ - function serialize_return() { - $this->debug('Entering serialize_return methodname: ' . $this->methodname . ' methodURI: ' . $this->methodURI); - // if fault - if (isset($this->methodreturn) && is_object($this->methodreturn) && ((get_class($this->methodreturn) == 'soap_fault') || (get_class($this->methodreturn) == 'nusoap_fault'))) { - $this->debug('got a fault object from method'); - $this->fault = $this->methodreturn; - return; - } elseif ($this->methodreturnisliteralxml) { - $return_val = $this->methodreturn; - // returned value(s) - } else { - $this->debug('got a(n) '.gettype($this->methodreturn).' from method'); - $this->debug('serializing return value'); - if($this->wsdl){ - if (sizeof($this->opData['output']['parts']) > 1) { - $this->debug('more than one output part, so use the method return unchanged'); - $opParams = $this->methodreturn; - } elseif (sizeof($this->opData['output']['parts']) == 1) { - $this->debug('exactly one output part, so wrap the method return in a simple array'); - // TODO: verify that it is not already wrapped! - //foreach ($this->opData['output']['parts'] as $name => $type) { - // $this->debug('wrap in element named ' . $name); - //} - $opParams = array($this->methodreturn); - } - $return_val = $this->wsdl->serializeRPCParameters($this->methodname,'output',$opParams); - $this->appendDebug($this->wsdl->getDebug()); - $this->wsdl->clearDebug(); - if($errstr = $this->wsdl->getError()){ - $this->debug('got wsdl error: '.$errstr); - $this->fault('SOAP-ENV:Server', 'unable to serialize result'); - return; - } - } else { - if (isset($this->methodreturn)) { - $return_val = $this->serialize_val($this->methodreturn, 'return'); - } else { - $return_val = ''; - $this->debug('in absence of WSDL, assume void return for backward compatibility'); - } - } - } - $this->debug('return value:'); - $this->appendDebug($this->varDump($return_val)); - - $this->debug('serializing response'); - if ($this->wsdl) { - $this->debug('have WSDL for serialization: style is ' . $this->opData['style']); - if ($this->opData['style'] == 'rpc') { - $this->debug('style is rpc for serialization: use is ' . $this->opData['output']['use']); - if ($this->opData['output']['use'] == 'literal') { - // http://www.ws-i.org/Profiles/BasicProfile-1.1-2004-08-24.html R2735 says rpc/literal accessor elements should not be in a namespace - if ($this->methodURI) { - $payload = 'methodname.'Response xmlns:ns1="'.$this->methodURI.'">'.$return_val.'methodname."Response>"; - } else { - $payload = '<'.$this->methodname.'Response>'.$return_val.'methodname.'Response>'; - } - } else { - if ($this->methodURI) { - $payload = 'methodname.'Response xmlns:ns1="'.$this->methodURI.'">'.$return_val.'methodname."Response>"; - } else { - $payload = '<'.$this->methodname.'Response>'.$return_val.'methodname.'Response>'; - } - } - } else { - $this->debug('style is not rpc for serialization: assume document'); - $payload = $return_val; - } - } else { - $this->debug('do not have WSDL for serialization: assume rpc/encoded'); - $payload = 'methodname.'Response xmlns:ns1="'.$this->methodURI.'">'.$return_val.'methodname."Response>"; - } - $this->result = 'successful'; - if($this->wsdl){ - //if($this->debug_flag){ - $this->appendDebug($this->wsdl->getDebug()); - // } - if (isset($this->opData['output']['encodingStyle'])) { - $encodingStyle = $this->opData['output']['encodingStyle']; - } else { - $encodingStyle = ''; - } - // Added: In case we use a WSDL, return a serialized env. WITH the usedNamespaces. - $this->responseSOAP = $this->serializeEnvelope($payload,$this->responseHeaders,$this->wsdl->usedNamespaces,$this->opData['style'],$this->opData['output']['use'],$encodingStyle); - } else { - $this->responseSOAP = $this->serializeEnvelope($payload,$this->responseHeaders); - } - $this->debug("Leaving serialize_return"); - } - - /** - * sends an HTTP response - * - * The following fields are set by this function (when successful) - * - * outgoing_headers - * response - * - * @access private - */ - function send_response() { - $this->debug('Enter send_response'); - if ($this->fault) { - $payload = $this->fault->serialize(); - $this->outgoing_headers[] = "HTTP/1.0 500 Internal Server Error"; - $this->outgoing_headers[] = "Status: 500 Internal Server Error"; - } else { - $payload = $this->responseSOAP; - // Some combinations of PHP+Web server allow the Status - // to come through as a header. Since OK is the default - // just do nothing. - // $this->outgoing_headers[] = "HTTP/1.0 200 OK"; - // $this->outgoing_headers[] = "Status: 200 OK"; - } - // add debug data if in debug mode - if(isset($this->debug_flag) && $this->debug_flag){ - $payload .= $this->getDebugAsXMLComment(); - } - $this->outgoing_headers[] = "Server: $this->title Server v$this->version"; - preg_match('/\$Revisio' . 'n: ([^ ]+)/', $this->revision, $rev); - $this->outgoing_headers[] = "X-SOAP-Server: $this->title/$this->version (".$rev[1].")"; - // Let the Web server decide about this - //$this->outgoing_headers[] = "Connection: Close\r\n"; - $payload = $this->getHTTPBody($payload); - $type = $this->getHTTPContentType(); - $charset = $this->getHTTPContentTypeCharset(); - $this->outgoing_headers[] = "Content-Type: $type" . ($charset ? '; charset=' . $charset : ''); - //begin code to compress payload - by John - // NOTE: there is no way to know whether the Web server will also compress - // this data. - if (strlen($payload) > 1024 && isset($this->headers) && isset($this->headers['accept-encoding'])) { - if (strstr($this->headers['accept-encoding'], 'gzip')) { - if (function_exists('gzencode')) { - if (isset($this->debug_flag) && $this->debug_flag) { - $payload .= ""; - } - $this->outgoing_headers[] = "Content-Encoding: gzip"; - $payload = gzencode($payload); - } else { - if (isset($this->debug_flag) && $this->debug_flag) { - $payload .= ""; - } - } - } elseif (strstr($this->headers['accept-encoding'], 'deflate')) { - // Note: MSIE requires gzdeflate output (no Zlib header and checksum), - // instead of gzcompress output, - // which conflicts with HTTP 1.1 spec (http://www.w3.org/Protocols/rfc2616/rfc2616-sec3.html#sec3.5) - if (function_exists('gzdeflate')) { - if (isset($this->debug_flag) && $this->debug_flag) { - $payload .= ""; - } - $this->outgoing_headers[] = "Content-Encoding: deflate"; - $payload = gzdeflate($payload); - } else { - if (isset($this->debug_flag) && $this->debug_flag) { - $payload .= ""; - } - } - } - } - //end code - $this->outgoing_headers[] = "Content-Length: ".strlen($payload); - reset($this->outgoing_headers); - foreach($this->outgoing_headers as $hdr){ - header($hdr, false); - } - print $payload; - $this->response = join("\r\n",$this->outgoing_headers)."\r\n\r\n".$payload; - } - - /** - * takes the value that was created by parsing the request - * and compares to the method's signature, if available. - * - * @param string $operation The operation to be invoked - * @param array $request The array of parameter values - * @return boolean Whether the operation was found - * @access private - */ - function verify_method($operation,$request){ - if(isset($this->wsdl) && is_object($this->wsdl)){ - if($this->wsdl->getOperationData($operation)){ - return true; - } - } elseif(isset($this->operations[$operation])){ - return true; - } - return false; - } - - /** - * processes SOAP message received from client - * - * @param array $headers The HTTP headers - * @param string $data unprocessed request data from client - * @return mixed value of the message, decoded into a PHP type - * @access private - */ - function parseRequest($headers, $data) { - $this->debug('Entering parseRequest() for data of length ' . strlen($data) . ' headers:'); - $this->appendDebug($this->varDump($headers)); - if (!isset($headers['content-type'])) { - $this->setError('Request not of type text/xml (no content-type header)'); - return false; - } - if (!strstr($headers['content-type'], 'text/xml')) { - $this->setError('Request not of type text/xml'); - return false; - } - if (strpos($headers['content-type'], '=')) { - $enc = str_replace('"', '', substr(strstr($headers["content-type"], '='), 1)); - $this->debug('Got response encoding: ' . $enc); - if(preg_match('/^(ISO-8859-1|US-ASCII|UTF-8)$/i',$enc)){ - $this->xml_encoding = strtoupper($enc); - } else { - $this->xml_encoding = 'US-ASCII'; - } - } else { - // should be US-ASCII for HTTP 1.0 or ISO-8859-1 for HTTP 1.1 - $this->xml_encoding = 'ISO-8859-1'; - } - $this->debug('Use encoding: ' . $this->xml_encoding . ' when creating nusoap_parser'); - // parse response, get soap parser obj - $parser = new nusoap_parser($data,$this->xml_encoding,'',$this->decode_utf8); - // parser debug - $this->debug("parser debug: \n".$parser->getDebug()); - // if fault occurred during message parsing - if($err = $parser->getError()){ - $this->result = 'fault: error in msg parsing: '.$err; - $this->fault('SOAP-ENV:Client',"error in msg parsing:\n".$err); - // else successfully parsed request into soapval object - } else { - // get/set methodname - $this->methodURI = $parser->root_struct_namespace; - $this->methodname = $parser->root_struct_name; - $this->debug('methodname: '.$this->methodname.' methodURI: '.$this->methodURI); - $this->debug('calling parser->get_soapbody()'); - $this->methodparams = $parser->get_soapbody(); - // get SOAP headers - $this->requestHeaders = $parser->getHeaders(); - // get SOAP Header - $this->requestHeader = $parser->get_soapheader(); - // add document for doclit support - $this->document = $parser->document; - } - } - - /** - * gets the HTTP body for the current response. - * - * @param string $soapmsg The SOAP payload - * @return string The HTTP body, which includes the SOAP payload - * @access private - */ - function getHTTPBody($soapmsg) { - return $soapmsg; - } - - /** - * gets the HTTP content type for the current response. - * - * Note: getHTTPBody must be called before this. - * - * @return string the HTTP content type for the current response. - * @access private - */ - function getHTTPContentType() { - return 'text/xml'; - } - - /** - * gets the HTTP content type charset for the current response. - * returns false for non-text content types. - * - * Note: getHTTPBody must be called before this. - * - * @return string the HTTP content type charset for the current response. - * @access private - */ - function getHTTPContentTypeCharset() { - return $this->soap_defencoding; - } - - /** - * add a method to the dispatch map (this has been replaced by the register method) - * - * @param string $methodname - * @param string $in array of input values - * @param string $out array of output values - * @access public - * @deprecated - */ - function add_to_map($methodname,$in,$out){ - $this->operations[$methodname] = array('name' => $methodname,'in' => $in,'out' => $out); - } - - /** - * register a service function with the server - * - * @param string $name the name of the PHP function, class.method or class..method - * @param array $in assoc array of input values: key = param name, value = param type - * @param array $out assoc array of output values: key = param name, value = param type - * @param mixed $namespace the element namespace for the method or false - * @param mixed $soapaction the soapaction for the method or false - * @param mixed $style optional (rpc|document) or false Note: when 'document' is specified, parameter and return wrappers are created for you automatically - * @param mixed $use optional (encoded|literal) or false - * @param string $documentation optional Description to include in WSDL - * @param string $encodingStyle optional (usually 'http://schemas.xmlsoap.org/soap/encoding/' for encoded) - * @access public - */ - function register($name,$in=array(),$out=array(),$namespace=false,$soapaction=false,$style=false,$use=false,$documentation='',$encodingStyle=''){ - global $HTTP_SERVER_VARS; - - if($this->externalWSDLURL){ - die('You cannot bind to an external WSDL file, and register methods outside of it! Please choose either WSDL or no WSDL.'); - } - if (! $name) { - die('You must specify a name when you register an operation'); - } - if (!is_array($in)) { - die('You must provide an array for operation inputs'); - } - if (!is_array($out)) { - die('You must provide an array for operation outputs'); - } - if(false == $namespace) { - } - if(false == $soapaction) { - if (isset($_SERVER)) { - $SERVER_NAME = $_SERVER['SERVER_NAME']; - $SCRIPT_NAME = isset($_SERVER['PHP_SELF']) ? $_SERVER['PHP_SELF'] : $_SERVER['SCRIPT_NAME']; - $HTTPS = isset($_SERVER['HTTPS']) ? $_SERVER['HTTPS'] : (isset($HTTP_SERVER_VARS['HTTPS']) ? $HTTP_SERVER_VARS['HTTPS'] : 'off'); - } elseif (isset($HTTP_SERVER_VARS)) { - $SERVER_NAME = $HTTP_SERVER_VARS['SERVER_NAME']; - $SCRIPT_NAME = isset($HTTP_SERVER_VARS['PHP_SELF']) ? $HTTP_SERVER_VARS['PHP_SELF'] : $HTTP_SERVER_VARS['SCRIPT_NAME']; - $HTTPS = isset($HTTP_SERVER_VARS['HTTPS']) ? $HTTP_SERVER_VARS['HTTPS'] : 'off'; - } else { - $this->setError("Neither _SERVER nor HTTP_SERVER_VARS is available"); - } - if ($HTTPS == '1' || $HTTPS == 'on') { - $SCHEME = 'https'; - } else { - $SCHEME = 'http'; - } - $soapaction = "$SCHEME://$SERVER_NAME$SCRIPT_NAME/$name"; - } - if(false == $style) { - $style = "rpc"; - } - if(false == $use) { - $use = "encoded"; - } - if ($use == 'encoded' && $encodingStyle == '') { - $encodingStyle = 'http://schemas.xmlsoap.org/soap/encoding/'; - } - - $this->operations[$name] = array( - 'name' => $name, - 'in' => $in, - 'out' => $out, - 'namespace' => $namespace, - 'soapaction' => $soapaction, - 'style' => $style); - if($this->wsdl){ - $this->wsdl->addOperation($name,$in,$out,$namespace,$soapaction,$style,$use,$documentation,$encodingStyle); - } - return true; - } - - /** - * Specify a fault to be returned to the client. - * This also acts as a flag to the server that a fault has occured. - * - * @param string $faultcode - * @param string $faultstring - * @param string $faultactor - * @param string $faultdetail - * @access public - */ - function fault($faultcode,$faultstring,$faultactor='',$faultdetail=''){ - if ($faultdetail == '' && $this->debug_flag) { - $faultdetail = $this->getDebug(); - } - $this->fault = new nusoap_fault($faultcode,$faultactor,$faultstring,$faultdetail); - $this->fault->soap_defencoding = $this->soap_defencoding; - } - - /** - * Sets up wsdl object. - * Acts as a flag to enable internal WSDL generation - * - * @param string $serviceName, name of the service - * @param mixed $namespace optional 'tns' service namespace or false - * @param mixed $endpoint optional URL of service endpoint or false - * @param string $style optional (rpc|document) WSDL style (also specified by operation) - * @param string $transport optional SOAP transport - * @param mixed $schemaTargetNamespace optional 'types' targetNamespace for service schema or false - */ - function configureWSDL($serviceName,$namespace = false,$endpoint = false,$style='rpc', $transport = 'http://schemas.xmlsoap.org/soap/http', $schemaTargetNamespace = false) - { - global $HTTP_SERVER_VARS; - - if (isset($_SERVER)) { - $SERVER_NAME = $_SERVER['SERVER_NAME']; - $SERVER_PORT = $_SERVER['SERVER_PORT']; - $SCRIPT_NAME = isset($_SERVER['PHP_SELF']) ? $_SERVER['PHP_SELF'] : $_SERVER['SCRIPT_NAME']; - $HTTPS = isset($_SERVER['HTTPS']) ? $_SERVER['HTTPS'] : (isset($HTTP_SERVER_VARS['HTTPS']) ? $HTTP_SERVER_VARS['HTTPS'] : 'off'); - } elseif (isset($HTTP_SERVER_VARS)) { - $SERVER_NAME = $HTTP_SERVER_VARS['SERVER_NAME']; - $SERVER_PORT = $HTTP_SERVER_VARS['SERVER_PORT']; - $SCRIPT_NAME = isset($HTTP_SERVER_VARS['PHP_SELF']) ? $HTTP_SERVER_VARS['PHP_SELF'] : $HTTP_SERVER_VARS['SCRIPT_NAME']; - $HTTPS = isset($HTTP_SERVER_VARS['HTTPS']) ? $HTTP_SERVER_VARS['HTTPS'] : 'off'; - } else { - $this->setError("Neither _SERVER nor HTTP_SERVER_VARS is available"); - } - // If server name has port number attached then strip it (else port number gets duplicated in WSDL output) (occurred using lighttpd and FastCGI) - $colon = strpos($SERVER_NAME,":"); - if ($colon) { - $SERVER_NAME = substr($SERVER_NAME, 0, $colon); - } - if ($SERVER_PORT == 80) { - $SERVER_PORT = ''; - } else { - $SERVER_PORT = ':' . $SERVER_PORT; - } - if(false == $namespace) { - $namespace = "http://$SERVER_NAME/soap/$serviceName"; - } - - if(false == $endpoint) { - if ($HTTPS == '1' || $HTTPS == 'on') { - $SCHEME = 'https'; - } else { - $SCHEME = 'http'; - } - $endpoint = "$SCHEME://$SERVER_NAME$SERVER_PORT$SCRIPT_NAME"; - } - - if(false == $schemaTargetNamespace) { - $schemaTargetNamespace = $namespace; - } - - $this->wsdl = new wsdl; - $this->wsdl->serviceName = $serviceName; - $this->wsdl->endpoint = $endpoint; - $this->wsdl->namespaces['tns'] = $namespace; - $this->wsdl->namespaces['soap'] = 'http://schemas.xmlsoap.org/wsdl/soap/'; - $this->wsdl->namespaces['wsdl'] = 'http://schemas.xmlsoap.org/wsdl/'; - if ($schemaTargetNamespace != $namespace) { - $this->wsdl->namespaces['types'] = $schemaTargetNamespace; - } - $this->wsdl->schemas[$schemaTargetNamespace][0] = new nusoap_xmlschema('', '', $this->wsdl->namespaces); - if ($style == 'document') { - $this->wsdl->schemas[$schemaTargetNamespace][0]->schemaInfo['elementFormDefault'] = 'qualified'; - } - $this->wsdl->schemas[$schemaTargetNamespace][0]->schemaTargetNamespace = $schemaTargetNamespace; - $this->wsdl->schemas[$schemaTargetNamespace][0]->imports['http://schemas.xmlsoap.org/soap/encoding/'][0] = array('location' => '', 'loaded' => true); - $this->wsdl->schemas[$schemaTargetNamespace][0]->imports['http://schemas.xmlsoap.org/wsdl/'][0] = array('location' => '', 'loaded' => true); - $this->wsdl->bindings[$serviceName.'Binding'] = array( - 'name'=>$serviceName.'Binding', - 'style'=>$style, - 'transport'=>$transport, - 'portType'=>$serviceName.'PortType'); - $this->wsdl->ports[$serviceName.'Port'] = array( - 'binding'=>$serviceName.'Binding', - 'location'=>$endpoint, - 'bindingType'=>'http://schemas.xmlsoap.org/wsdl/soap/'); - } -} - -/** - * Backward compatibility - */ -class soap_server extends nusoap_server { -} - - -?> \ No newline at end of file diff --git a/htdocs/includes/nusoap/lib/class.soap_transport_http.php b/htdocs/includes/nusoap/lib/class.soap_transport_http.php deleted file mode 100644 index 4ff49345083..00000000000 --- a/htdocs/includes/nusoap/lib/class.soap_transport_http.php +++ /dev/null @@ -1,1306 +0,0 @@ - -* @author Scott Nichol -* @access public -*/ -class soap_transport_http extends nusoap_base { - - var $url = ''; - var $uri = ''; - var $digest_uri = ''; - var $scheme = ''; - var $host = ''; - var $port = ''; - var $path = ''; - var $request_method = 'POST'; - var $protocol_version = '1.0'; - var $encoding = ''; - var $outgoing_headers = array(); - var $incoming_headers = array(); - var $incoming_cookies = array(); - var $outgoing_payload = ''; - var $incoming_payload = ''; - var $response_status_line; // HTTP response status line - var $useSOAPAction = true; - var $persistentConnection = false; - var $ch = false; // cURL handle - var $ch_options = array(); // cURL custom options - var $use_curl = false; // force cURL use - var $proxy = null; // proxy information (associative array) - var $username = ''; - var $password = ''; - var $authtype = ''; - var $digestRequest = array(); - var $certRequest = array(); // keys must be cainfofile (optional), sslcertfile, sslkeyfile, passphrase, certpassword (optional), verifypeer (optional), verifyhost (optional) - // cainfofile: certificate authority file, e.g. '$pathToPemFiles/rootca.pem' - // sslcertfile: SSL certificate file, e.g. '$pathToPemFiles/mycert.pem' - // sslkeyfile: SSL key file, e.g. '$pathToPemFiles/mykey.pem' - // passphrase: SSL key password/passphrase - // certpassword: SSL certificate password - // verifypeer: default is 1 - // verifyhost: default is 1 - - /** - * constructor - * - * @param string $url The URL to which to connect - * @param array $curl_options User-specified cURL options - * @param boolean $use_curl Whether to try to force cURL use - * @access public - */ - function __construct($url, $curl_options = NULL, $use_curl = false){ - parent::__construct(); - $this->debug("ctor url=$url use_curl=$use_curl curl_options:"); - $this->appendDebug($this->varDump($curl_options)); - $this->setURL($url); - if (is_array($curl_options)) { - $this->ch_options = $curl_options; - } - $this->use_curl = $use_curl; - preg_match('/\$Revisio' . 'n: ([^ ]+)/', $this->revision, $rev); - $this->setHeader('User-Agent', $this->title.'/'.$this->version.' ('.$rev[1].')'); - } - - /** - * sets a cURL option - * - * @param mixed $option The cURL option (always integer?) - * @param mixed $value The cURL option value - * @access private - */ - function setCurlOption($option, $value) { - $this->debug("setCurlOption option=$option, value="); - $this->appendDebug($this->varDump($value)); - curl_setopt($this->ch, $option, $value); - } - - /** - * sets an HTTP header - * - * @param string $name The name of the header - * @param string $value The value of the header - * @access private - */ - function setHeader($name, $value) { - $this->outgoing_headers[$name] = $value; - $this->debug("set header $name: $value"); - } - - /** - * unsets an HTTP header - * - * @param string $name The name of the header - * @access private - */ - function unsetHeader($name) { - if (isset($this->outgoing_headers[$name])) { - $this->debug("unset header $name"); - unset($this->outgoing_headers[$name]); - } - } - - /** - * sets the URL to which to connect - * - * @param string $url The URL to which to connect - * @access private - */ - function setURL($url) { - $this->url = $url; - - $u = parse_url($url); - foreach($u as $k => $v){ - $this->debug("parsed URL $k = $v"); - $this->$k = $v; - } - - // add any GET params to path - if(isset($u['query']) && $u['query'] != ''){ - $this->path .= '?' . $u['query']; - } - - // set default port - if(!isset($u['port'])){ - if($u['scheme'] == 'https'){ - $this->port = 443; - } else { - $this->port = 80; - } - } - - $this->uri = $this->path; - $this->digest_uri = $this->uri; - - // build headers - if (!isset($u['port'])) { - $this->setHeader('Host', $this->host); - } else { - $this->setHeader('Host', $this->host.':'.$this->port); - } - - if (isset($u['user']) && $u['user'] != '') { - $this->setCredentials(urldecode($u['user']), isset($u['pass']) ? urldecode($u['pass']) : ''); - } - } - - /** - * gets the I/O method to use - * - * @return string I/O method to use (socket|curl|unknown) - * @access private - */ - function io_method() { - if ($this->use_curl || ($this->scheme == 'https') || ($this->scheme == 'http' && $this->authtype == 'ntlm') || ($this->scheme == 'http' && is_array($this->proxy) && $this->proxy['authtype'] == 'ntlm')) - return 'curl'; - if (($this->scheme == 'http' || $this->scheme == 'ssl') && $this->authtype != 'ntlm' && (!is_array($this->proxy) || $this->proxy['authtype'] != 'ntlm')) - return 'socket'; - return 'unknown'; - } - - /** - * establish an HTTP connection - * - * @param integer $timeout set connection timeout in seconds - * @param integer $response_timeout set response timeout in seconds - * @return boolean true if connected, false if not - * @access private - */ - function connect($connection_timeout=0,$response_timeout=30){ - // For PHP 4.3 with OpenSSL, change https scheme to ssl, then treat like - // "regular" socket. - // TODO: disabled for now because OpenSSL must be *compiled* in (not just - // loaded), and until PHP5 stream_get_wrappers is not available. -// if ($this->scheme == 'https') { -// if (version_compare(phpversion(), '4.3.0') >= 0) { -// if (extension_loaded('openssl')) { -// $this->scheme = 'ssl'; -// $this->debug('Using SSL over OpenSSL'); -// } -// } -// } - $this->debug("connect connection_timeout $connection_timeout, response_timeout $response_timeout, scheme $this->scheme, host $this->host, port $this->port"); - if ($this->io_method() == 'socket') { - if (!is_array($this->proxy)) { - $host = $this->host; - $port = $this->port; - } else { - $host = $this->proxy['host']; - $port = $this->proxy['port']; - } - - // use persistent connection - if($this->persistentConnection && isset($this->fp) && is_resource($this->fp)){ - if (!feof($this->fp)) { - $this->debug('Re-use persistent connection'); - return true; - } - fclose($this->fp); - $this->debug('Closed persistent connection at EOF'); - } - - // munge host if using OpenSSL - if ($this->scheme == 'ssl') { - $host = 'ssl://' . $host; - } - $this->debug('calling fsockopen with host ' . $host . ' connection_timeout ' . $connection_timeout); - - // open socket - if($connection_timeout > 0){ - $this->fp = @fsockopen( $host, $this->port, $this->errno, $this->error_str, $connection_timeout); - } else { - $this->fp = @fsockopen( $host, $this->port, $this->errno, $this->error_str); - } - - // test pointer - if(!$this->fp) { - $msg = 'Couldn\'t open socket connection to server ' . $this->url; - if ($this->errno) { - $msg .= ', Error ('.$this->errno.'): '.$this->error_str; - } else { - $msg .= ' prior to connect(). This is often a problem looking up the host name.'; - } - $this->debug($msg); - $this->setError($msg); - return false; - } - - // set response timeout - $this->debug('set response timeout to ' . $response_timeout); - socket_set_timeout( $this->fp, $response_timeout); - - $this->debug('socket connected'); - return true; - } else if ($this->io_method() == 'curl') { - if (!extension_loaded('curl')) { -// $this->setError('cURL Extension, or OpenSSL extension w/ PHP version >= 4.3 is required for HTTPS'); - $this->setError('The PHP cURL Extension is required for HTTPS or NLTM. You will need to re-build or update your PHP to include cURL or change php.ini to load the PHP cURL extension.'); - return false; - } - // Avoid warnings when PHP does not have these options - if (defined('CURLOPT_CONNECTIONTIMEOUT')) - $CURLOPT_CONNECTIONTIMEOUT = CURLOPT_CONNECTIONTIMEOUT; - else - $CURLOPT_CONNECTIONTIMEOUT = 78; - if (defined('CURLOPT_HTTPAUTH')) - $CURLOPT_HTTPAUTH = CURLOPT_HTTPAUTH; - else - $CURLOPT_HTTPAUTH = 107; - if (defined('CURLOPT_PROXYAUTH')) - $CURLOPT_PROXYAUTH = CURLOPT_PROXYAUTH; - else - $CURLOPT_PROXYAUTH = 111; - if (defined('CURLAUTH_BASIC')) - $CURLAUTH_BASIC = CURLAUTH_BASIC; - else - $CURLAUTH_BASIC = 1; - if (defined('CURLAUTH_DIGEST')) - $CURLAUTH_DIGEST = CURLAUTH_DIGEST; - else - $CURLAUTH_DIGEST = 2; - if (defined('CURLAUTH_NTLM')) - $CURLAUTH_NTLM = CURLAUTH_NTLM; - else - $CURLAUTH_NTLM = 8; - - $this->debug('connect using cURL'); - // init CURL - $this->ch = curl_init(); - // set url - $hostURL = ($this->port != '') ? "$this->scheme://$this->host:$this->port" : "$this->scheme://$this->host"; - // add path - $hostURL .= $this->path; - $this->setCurlOption(CURLOPT_URL, $hostURL); - // follow location headers (re-directs) - if (ini_get('safe_mode') || ini_get('open_basedir')) { - $this->debug('safe_mode or open_basedir set, so do not set CURLOPT_FOLLOWLOCATION'); - $this->debug('safe_mode = '); - $this->appendDebug($this->varDump(ini_get('safe_mode'))); - $this->debug('open_basedir = '); - $this->appendDebug($this->varDump(ini_get('open_basedir'))); - } else { - $this->setCurlOption(CURLOPT_FOLLOWLOCATION, 1); - } - // ask for headers in the response output - $this->setCurlOption(CURLOPT_HEADER, 1); - // ask for the response output as the return value - $this->setCurlOption(CURLOPT_RETURNTRANSFER, 1); - // encode - // We manage this ourselves through headers and encoding -// if(function_exists('gzuncompress')){ -// $this->setCurlOption(CURLOPT_ENCODING, 'deflate'); -// } - // persistent connection - if ($this->persistentConnection) { - // I believe the following comment is now bogus, having applied to - // the code when it used CURLOPT_CUSTOMREQUEST to send the request. - // The way we send data, we cannot use persistent connections, since - // there will be some "junk" at the end of our request. - //$this->setCurlOption(CURL_HTTP_VERSION_1_1, true); - $this->persistentConnection = false; - $this->setHeader('Connection', 'close'); - } - // set timeouts - if ($connection_timeout != 0) { - $this->setCurlOption($CURLOPT_CONNECTIONTIMEOUT, $connection_timeout); - } - if ($response_timeout != 0) { - $this->setCurlOption(CURLOPT_TIMEOUT, $response_timeout); - } - - if ($this->scheme == 'https') { - $this->debug('set cURL SSL verify options'); - // recent versions of cURL turn on peer/host checking by default, - // while PHP binaries are not compiled with a default location for the - // CA cert bundle, so disable peer/host checking. - //$this->setCurlOption(CURLOPT_CAINFO, 'f:\php-4.3.2-win32\extensions\curl-ca-bundle.crt'); - $this->setCurlOption(CURLOPT_SSL_VERIFYPEER, 0); - $this->setCurlOption(CURLOPT_SSL_VERIFYHOST, 0); - - // support client certificates (thanks Tobias Boes, Doug Anarino, Eryan Ariobowo) - if ($this->authtype == 'certificate') { - $this->debug('set cURL certificate options'); - if (isset($this->certRequest['cainfofile'])) { - $this->setCurlOption(CURLOPT_CAINFO, $this->certRequest['cainfofile']); - } - if (isset($this->certRequest['verifypeer'])) { - $this->setCurlOption(CURLOPT_SSL_VERIFYPEER, $this->certRequest['verifypeer']); - } else { - $this->setCurlOption(CURLOPT_SSL_VERIFYPEER, 1); - } - if (isset($this->certRequest['verifyhost'])) { - $this->setCurlOption(CURLOPT_SSL_VERIFYHOST, $this->certRequest['verifyhost']); - } else { - $this->setCurlOption(CURLOPT_SSL_VERIFYHOST, 1); - } - if (isset($this->certRequest['sslcertfile'])) { - $this->setCurlOption(CURLOPT_SSLCERT, $this->certRequest['sslcertfile']); - } - if (isset($this->certRequest['sslkeyfile'])) { - $this->setCurlOption(CURLOPT_SSLKEY, $this->certRequest['sslkeyfile']); - } - if (isset($this->certRequest['passphrase'])) { - $this->setCurlOption(CURLOPT_SSLKEYPASSWD, $this->certRequest['passphrase']); - } - if (isset($this->certRequest['certpassword'])) { - $this->setCurlOption(CURLOPT_SSLCERTPASSWD, $this->certRequest['certpassword']); - } - } - } - if ($this->authtype && ($this->authtype != 'certificate')) { - if ($this->username) { - $this->debug('set cURL username/password'); - $this->setCurlOption(CURLOPT_USERPWD, "$this->username:$this->password"); - } - if ($this->authtype == 'basic') { - $this->debug('set cURL for Basic authentication'); - $this->setCurlOption($CURLOPT_HTTPAUTH, $CURLAUTH_BASIC); - } - if ($this->authtype == 'digest') { - $this->debug('set cURL for digest authentication'); - $this->setCurlOption($CURLOPT_HTTPAUTH, $CURLAUTH_DIGEST); - } - if ($this->authtype == 'ntlm') { - $this->debug('set cURL for NTLM authentication'); - $this->setCurlOption($CURLOPT_HTTPAUTH, $CURLAUTH_NTLM); - } - } - if (is_array($this->proxy)) { - $this->debug('set cURL proxy options'); - if ($this->proxy['port'] != '') { - $this->setCurlOption(CURLOPT_PROXY, $this->proxy['host'].':'.$this->proxy['port']); - } else { - $this->setCurlOption(CURLOPT_PROXY, $this->proxy['host']); - } - if ($this->proxy['username'] || $this->proxy['password']) { - $this->debug('set cURL proxy authentication options'); - $this->setCurlOption(CURLOPT_PROXYUSERPWD, $this->proxy['username'].':'.$this->proxy['password']); - if ($this->proxy['authtype'] == 'basic') { - $this->setCurlOption($CURLOPT_PROXYAUTH, $CURLAUTH_BASIC); - } - if ($this->proxy['authtype'] == 'ntlm') { - $this->setCurlOption($CURLOPT_PROXYAUTH, $CURLAUTH_NTLM); - } - } - } - $this->debug('cURL connection set up'); - return true; - } else { - $this->setError('Unknown scheme ' . $this->scheme); - $this->debug('Unknown scheme ' . $this->scheme); - return false; - } - } - - /** - * sends the SOAP request and gets the SOAP response via HTTP[S] - * - * @param string $data message data - * @param integer $timeout set connection timeout in seconds - * @param integer $response_timeout set response timeout in seconds - * @param array $cookies cookies to send - * @return string data - * @access public - */ - function send($data, $timeout=0, $response_timeout=30, $cookies=NULL) { - - $this->debug('entered send() with data of length: '.strlen($data)); - - $this->tryagain = true; - $tries = 0; - while ($this->tryagain) { - $this->tryagain = false; - if ($tries++ < 2) { - // make connnection - if (!$this->connect($timeout, $response_timeout)){ - return false; - } - - // send request - if (!$this->sendRequest($data, $cookies)){ - return false; - } - - // get response - $respdata = $this->getResponse(); - } else { - $this->setError("Too many tries to get an OK response ($this->response_status_line)"); - } - } - $this->debug('end of send()'); - return $respdata; - } - - - /** - * sends the SOAP request and gets the SOAP response via HTTPS using CURL - * - * @param string $data message data - * @param integer $timeout set connection timeout in seconds - * @param integer $response_timeout set response timeout in seconds - * @param array $cookies cookies to send - * @return string data - * @access public - * @deprecated - */ - function sendHTTPS($data, $timeout=0, $response_timeout=30, $cookies) { - return $this->send($data, $timeout, $response_timeout, $cookies); - } - - /** - * if authenticating, set user credentials here - * - * @param string $username - * @param string $password - * @param string $authtype (basic|digest|certificate|ntlm) - * @param array $digestRequest (keys must be nonce, nc, realm, qop) - * @param array $certRequest (keys must be cainfofile (optional), sslcertfile, sslkeyfile, passphrase, certpassword (optional), verifypeer (optional), verifyhost (optional): see corresponding options in cURL docs) - * @access public - */ - function setCredentials($username, $password, $authtype = 'basic', $digestRequest = array(), $certRequest = array()) { - $this->debug("setCredentials username=$username authtype=$authtype digestRequest="); - $this->appendDebug($this->varDump($digestRequest)); - $this->debug("certRequest="); - $this->appendDebug($this->varDump($certRequest)); - // cf. RFC 2617 - if ($authtype == 'basic') { - $this->setHeader('Authorization', 'Basic '.base64_encode(str_replace(':','',$username).':'.$password)); - } elseif ($authtype == 'digest') { - if (isset($digestRequest['nonce'])) { - $digestRequest['nc'] = isset($digestRequest['nc']) ? $digestRequest['nc']++ : 1; - - // calculate the Digest hashes (calculate code based on digest implementation found at: http://www.rassoc.com/gregr/weblog/stories/2002/07/09/webServicesSecurityHttpDigestAuthenticationWithoutActiveDirectory.html) - - // A1 = unq(username-value) ":" unq(realm-value) ":" passwd - $A1 = $username. ':' . (isset($digestRequest['realm']) ? $digestRequest['realm'] : '') . ':' . $password; - - // H(A1) = MD5(A1) - $HA1 = md5($A1); - - // A2 = Method ":" digest-uri-value - $A2 = $this->request_method . ':' . $this->digest_uri; - - // H(A2) - $HA2 = md5($A2); - - // KD(secret, data) = H(concat(secret, ":", data)) - // if qop == auth: - // request-digest = <"> < KD ( H(A1), unq(nonce-value) - // ":" nc-value - // ":" unq(cnonce-value) - // ":" unq(qop-value) - // ":" H(A2) - // ) <"> - // if qop is missing, - // request-digest = <"> < KD ( H(A1), unq(nonce-value) ":" H(A2) ) > <"> - - $unhashedDigest = ''; - $nonce = isset($digestRequest['nonce']) ? $digestRequest['nonce'] : ''; - $cnonce = $nonce; - if ($digestRequest['qop'] != '') { - $unhashedDigest = $HA1 . ':' . $nonce . ':' . sprintf("%08d", $digestRequest['nc']) . ':' . $cnonce . ':' . $digestRequest['qop'] . ':' . $HA2; - } else { - $unhashedDigest = $HA1 . ':' . $nonce . ':' . $HA2; - } - - $hashedDigest = md5($unhashedDigest); - - $opaque = ''; - if (isset($digestRequest['opaque'])) { - $opaque = ', opaque="' . $digestRequest['opaque'] . '"'; - } - - $this->setHeader('Authorization', 'Digest username="' . $username . '", realm="' . $digestRequest['realm'] . '", nonce="' . $nonce . '", uri="' . $this->digest_uri . $opaque . '", cnonce="' . $cnonce . '", nc=' . sprintf("%08x", $digestRequest['nc']) . ', qop="' . $digestRequest['qop'] . '", response="' . $hashedDigest . '"'); - } - } elseif ($authtype == 'certificate') { - $this->certRequest = $certRequest; - $this->debug('Authorization header not set for certificate'); - } elseif ($authtype == 'ntlm') { - // do nothing - $this->debug('Authorization header not set for ntlm'); - } - $this->username = $username; - $this->password = $password; - $this->authtype = $authtype; - $this->digestRequest = $digestRequest; - } - - /** - * set the soapaction value - * - * @param string $soapaction - * @access public - */ - function setSOAPAction($soapaction) { - $this->setHeader('SOAPAction', '"' . $soapaction . '"'); - } - - /** - * use http encoding - * - * @param string $enc encoding style. supported values: gzip, deflate, or both - * @access public - */ - function setEncoding($enc='gzip, deflate') { - if (function_exists('gzdeflate')) { - $this->protocol_version = '1.1'; - $this->setHeader('Accept-Encoding', $enc); - if (!isset($this->outgoing_headers['Connection'])) { - $this->setHeader('Connection', 'close'); - $this->persistentConnection = false; - } - // deprecated as of PHP 5.3.0 - //set_magic_quotes_runtime(0); - $this->encoding = $enc; - } - } - - /** - * set proxy info here - * - * @param string $proxyhost use an empty string to remove proxy - * @param string $proxyport - * @param string $proxyusername - * @param string $proxypassword - * @param string $proxyauthtype (basic|ntlm) - * @access public - */ - function setProxy($proxyhost, $proxyport, $proxyusername = '', $proxypassword = '', $proxyauthtype = 'basic') { - if ($proxyhost) { - $this->proxy = array( - 'host' => $proxyhost, - 'port' => $proxyport, - 'username' => $proxyusername, - 'password' => $proxypassword, - 'authtype' => $proxyauthtype - ); - if ($proxyusername != '' && $proxypassword != '' && $proxyauthtype = 'basic') { - $this->setHeader('Proxy-Authorization', ' Basic '.base64_encode($proxyusername.':'.$proxypassword)); - } - } else { - $this->debug('remove proxy'); - $proxy = null; - unsetHeader('Proxy-Authorization'); - } - } - - - /** - * Test if the given string starts with a header that is to be skipped. - * Skippable headers result from chunked transfer and proxy requests. - * - * @param string $data The string to check. - * @returns boolean Whether a skippable header was found. - * @access private - */ - function isSkippableCurlHeader(&$data) { - $skipHeaders = array( 'HTTP/1.1 100', - 'HTTP/1.0 301', - 'HTTP/1.1 301', - 'HTTP/1.0 302', - 'HTTP/1.1 302', - 'HTTP/1.0 401', - 'HTTP/1.1 401', - 'HTTP/1.0 200 Connection established'); - foreach ($skipHeaders as $hd) { - $prefix = substr($data, 0, strlen($hd)); - if ($prefix == $hd) return true; - } - - return false; - } - - /** - * decode a string that is encoded w/ "chunked' transfer encoding - * as defined in RFC2068 19.4.6 - * - * @param string $buffer - * @param string $lb - * @returns string - * @access public - * @deprecated - */ - function decodeChunked($buffer, $lb){ - // length := 0 - $length = 0; - $new = ''; - - // read chunk-size, chunk-extension (if any) and CRLF - // get the position of the linebreak - $chunkend = strpos($buffer, $lb); - if ($chunkend == FALSE) { - $this->debug('no linebreak found in decodeChunked'); - return $new; - } - $temp = substr($buffer,0,$chunkend); - $chunk_size = hexdec( trim($temp) ); - $chunkstart = $chunkend + strlen($lb); - // while (chunk-size > 0) { - while ($chunk_size > 0) { - $this->debug("chunkstart: $chunkstart chunk_size: $chunk_size"); - $chunkend = strpos( $buffer, $lb, $chunkstart + $chunk_size); - - // Just in case we got a broken connection - if ($chunkend == FALSE) { - $chunk = substr($buffer,$chunkstart); - // append chunk-data to entity-body - $new .= $chunk; - $length += strlen($chunk); - break; - } - - // read chunk-data and CRLF - $chunk = substr($buffer,$chunkstart,$chunkend-$chunkstart); - // append chunk-data to entity-body - $new .= $chunk; - // length := length + chunk-size - $length += strlen($chunk); - // read chunk-size and CRLF - $chunkstart = $chunkend + strlen($lb); - - $chunkend = strpos($buffer, $lb, $chunkstart) + strlen($lb); - if ($chunkend == FALSE) { - break; //Just in case we got a broken connection - } - $temp = substr($buffer,$chunkstart,$chunkend-$chunkstart); - $chunk_size = hexdec( trim($temp) ); - $chunkstart = $chunkend; - } - return $new; - } - - /** - * Writes the payload, including HTTP headers, to $this->outgoing_payload. - * - * @param string $data HTTP body - * @param string $cookie_str data for HTTP Cookie header - * @return void - * @access private - */ - function buildPayload($data, $cookie_str = '') { - // Note: for cURL connections, $this->outgoing_payload is ignored, - // as is the Content-Length header, but these are still created as - // debugging guides. - - // add content-length header - if ($this->request_method != 'GET') { - $this->setHeader('Content-Length', strlen($data)); - } - - // start building outgoing payload: - if ($this->proxy) { - $uri = $this->url; - } else { - $uri = $this->uri; - } - $req = "$this->request_method $uri HTTP/$this->protocol_version"; - $this->debug("HTTP request: $req"); - $this->outgoing_payload = "$req\r\n"; - - // loop thru headers, serializing - foreach($this->outgoing_headers as $k => $v){ - $hdr = $k.': '.$v; - $this->debug("HTTP header: $hdr"); - $this->outgoing_payload .= "$hdr\r\n"; - } - - // add any cookies - if ($cookie_str != '') { - $hdr = 'Cookie: '.$cookie_str; - $this->debug("HTTP header: $hdr"); - $this->outgoing_payload .= "$hdr\r\n"; - } - - // header/body separator - $this->outgoing_payload .= "\r\n"; - - // add data - $this->outgoing_payload .= $data; - } - - /** - * sends the SOAP request via HTTP[S] - * - * @param string $data message data - * @param array $cookies cookies to send - * @return boolean true if OK, false if problem - * @access private - */ - function sendRequest($data, $cookies = NULL) { - // build cookie string - $cookie_str = $this->getCookiesForRequest($cookies, (($this->scheme == 'ssl') || ($this->scheme == 'https'))); - - // build payload - $this->buildPayload($data, $cookie_str); - - if ($this->io_method() == 'socket') { - // send payload - if(!fputs($this->fp, $this->outgoing_payload, strlen($this->outgoing_payload))) { - $this->setError('couldn\'t write message data to socket'); - $this->debug('couldn\'t write message data to socket'); - return false; - } - $this->debug('wrote data to socket, length = ' . strlen($this->outgoing_payload)); - return true; - } else if ($this->io_method() == 'curl') { - // set payload - // cURL does say this should only be the verb, and in fact it - // turns out that the URI and HTTP version are appended to this, which - // some servers refuse to work with (so we no longer use this method!) - //$this->setCurlOption(CURLOPT_CUSTOMREQUEST, $this->outgoing_payload); - $curl_headers = array(); - foreach($this->outgoing_headers as $k => $v){ - if ($k == 'Connection' || $k == 'Content-Length' || $k == 'Host' || $k == 'Authorization' || $k == 'Proxy-Authorization') { - $this->debug("Skip cURL header $k: $v"); - } else { - $curl_headers[] = "$k: $v"; - } - } - if ($cookie_str != '') { - $curl_headers[] = 'Cookie: ' . $cookie_str; - } - $this->setCurlOption(CURLOPT_HTTPHEADER, $curl_headers); - $this->debug('set cURL HTTP headers'); - if ($this->request_method == "POST") { - $this->setCurlOption(CURLOPT_POST, 1); - $this->setCurlOption(CURLOPT_POSTFIELDS, $data); - $this->debug('set cURL POST data'); - } else { - } - // insert custom user-set cURL options - foreach ($this->ch_options as $key => $val) { - $this->setCurlOption($key, $val); - } - - $this->debug('set cURL payload'); - return true; - } - } - - /** - * gets the SOAP response via HTTP[S] - * - * @return string the response (also sets member variables like incoming_payload) - * @access private - */ - function getResponse(){ - $this->incoming_payload = ''; - - if ($this->io_method() == 'socket') { - // loop until headers have been retrieved - $data = ''; - while (!isset($lb)){ - - // We might EOF during header read. - if(feof($this->fp)) { - $this->incoming_payload = $data; - $this->debug('found no headers before EOF after length ' . strlen($data)); - $this->debug("received before EOF:\n" . $data); - $this->setError('server failed to send headers'); - return false; - } - - $tmp = fgets($this->fp, 256); - $tmplen = strlen($tmp); - $this->debug("read line of $tmplen bytes: " . trim($tmp)); - - if ($tmplen == 0) { - $this->incoming_payload = $data; - $this->debug('socket read of headers timed out after length ' . strlen($data)); - $this->debug("read before timeout: " . $data); - $this->setError('socket read of headers timed out'); - return false; - } - - $data .= $tmp; - $pos = strpos($data,"\r\n\r\n"); - if($pos > 1){ - $lb = "\r\n"; - } else { - $pos = strpos($data,"\n\n"); - if($pos > 1){ - $lb = "\n"; - } - } - // remove 100 headers - if (isset($lb) && preg_match('/^HTTP\/1.1 100/',$data)) { - unset($lb); - $data = ''; - }// - } - // store header data - $this->incoming_payload .= $data; - $this->debug('found end of headers after length ' . strlen($data)); - // process headers - $header_data = trim(substr($data,0,$pos)); - $header_array = explode($lb,$header_data); - $this->incoming_headers = array(); - $this->incoming_cookies = array(); - foreach($header_array as $header_line){ - $arr = explode(':',$header_line, 2); - if(count($arr) > 1){ - $header_name = strtolower(trim($arr[0])); - $this->incoming_headers[$header_name] = trim($arr[1]); - if ($header_name == 'set-cookie') { - // TODO: allow multiple cookies from parseCookie - $cookie = $this->parseCookie(trim($arr[1])); - if ($cookie) { - $this->incoming_cookies[] = $cookie; - $this->debug('found cookie: ' . $cookie['name'] . ' = ' . $cookie['value']); - } else { - $this->debug('did not find cookie in ' . trim($arr[1])); - } - } - } else if (isset($header_name)) { - // append continuation line to previous header - $this->incoming_headers[$header_name] .= $lb . ' ' . $header_line; - } - } - - // loop until msg has been received - if (isset($this->incoming_headers['transfer-encoding']) && strtolower($this->incoming_headers['transfer-encoding']) == 'chunked') { - $content_length = 2147483647; // ignore any content-length header - $chunked = true; - $this->debug("want to read chunked content"); - } elseif (isset($this->incoming_headers['content-length'])) { - $content_length = $this->incoming_headers['content-length']; - $chunked = false; - $this->debug("want to read content of length $content_length"); - } else { - $content_length = 2147483647; - $chunked = false; - $this->debug("want to read content to EOF"); - } - $data = ''; - do { - if ($chunked) { - $tmp = fgets($this->fp, 256); - $tmplen = strlen($tmp); - $this->debug("read chunk line of $tmplen bytes"); - if ($tmplen == 0) { - $this->incoming_payload = $data; - $this->debug('socket read of chunk length timed out after length ' . strlen($data)); - $this->debug("read before timeout:\n" . $data); - $this->setError('socket read of chunk length timed out'); - return false; - } - $content_length = hexdec(trim($tmp)); - $this->debug("chunk length $content_length"); - } - $strlen = 0; - while (($strlen < $content_length) && (!feof($this->fp))) { - $readlen = min(8192, $content_length - $strlen); - $tmp = fread($this->fp, $readlen); - $tmplen = strlen($tmp); - $this->debug("read buffer of $tmplen bytes"); - if (($tmplen == 0) && (!feof($this->fp))) { - $this->incoming_payload = $data; - $this->debug('socket read of body timed out after length ' . strlen($data)); - $this->debug("read before timeout:\n" . $data); - $this->setError('socket read of body timed out'); - return false; - } - $strlen += $tmplen; - $data .= $tmp; - } - if ($chunked && ($content_length > 0)) { - $tmp = fgets($this->fp, 256); - $tmplen = strlen($tmp); - $this->debug("read chunk terminator of $tmplen bytes"); - if ($tmplen == 0) { - $this->incoming_payload = $data; - $this->debug('socket read of chunk terminator timed out after length ' . strlen($data)); - $this->debug("read before timeout:\n" . $data); - $this->setError('socket read of chunk terminator timed out'); - return false; - } - } - } while ($chunked && ($content_length > 0) && (!feof($this->fp))); - if (feof($this->fp)) { - $this->debug('read to EOF'); - } - $this->debug('read body of length ' . strlen($data)); - $this->incoming_payload .= $data; - $this->debug('received a total of '.strlen($this->incoming_payload).' bytes of data from server'); - - // close filepointer - if( - (isset($this->incoming_headers['connection']) && strtolower($this->incoming_headers['connection']) == 'close') || - (! $this->persistentConnection) || feof($this->fp)){ - fclose($this->fp); - $this->fp = false; - $this->debug('closed socket'); - } - - // connection was closed unexpectedly - if($this->incoming_payload == ''){ - $this->setError('no response from server'); - return false; - } - - // decode transfer-encoding -// if(isset($this->incoming_headers['transfer-encoding']) && strtolower($this->incoming_headers['transfer-encoding']) == 'chunked'){ -// if(!$data = $this->decodeChunked($data, $lb)){ -// $this->setError('Decoding of chunked data failed'); -// return false; -// } - //print "
      \nde-chunked:\n---------------\n$data\n\n---------------\n
      "; - // set decoded payload -// $this->incoming_payload = $header_data.$lb.$lb.$data; -// } - - } else if ($this->io_method() == 'curl') { - // send and receive - $this->debug('send and receive with cURL'); - $this->incoming_payload = curl_exec($this->ch); - $data = $this->incoming_payload; - - $cErr = curl_error($this->ch); - if ($cErr != '') { - $err = 'cURL ERROR: '.curl_errno($this->ch).': '.$cErr.'
      '; - // TODO: there is a PHP bug that can cause this to SEGV for CURLINFO_CONTENT_TYPE - foreach(curl_getinfo($this->ch) as $k => $v){ - $err .= "$k: $v
      "; - } - $this->debug($err); - $this->setError($err); - curl_close($this->ch); - return false; - } else { - //echo '
      ';
      -			//var_dump(curl_getinfo($this->ch));
      -			//echo '
      '; - } - // close curl - $this->debug('No cURL error, closing cURL'); - curl_close($this->ch); - - // try removing skippable headers - $savedata = $data; - while ($this->isSkippableCurlHeader($data)) { - $this->debug("Found HTTP header to skip"); - if ($pos = strpos($data,"\r\n\r\n")) { - $data = ltrim(substr($data,$pos)); - } elseif($pos = strpos($data,"\n\n") ) { - $data = ltrim(substr($data,$pos)); - } - } - - if ($data == '') { - // have nothing left; just remove 100 header(s) - $data = $savedata; - while (preg_match('/^HTTP\/1.1 100/',$data)) { - if ($pos = strpos($data,"\r\n\r\n")) { - $data = ltrim(substr($data,$pos)); - } elseif($pos = strpos($data,"\n\n") ) { - $data = ltrim(substr($data,$pos)); - } - } - } - - // separate content from HTTP headers - if ($pos = strpos($data,"\r\n\r\n")) { - $lb = "\r\n"; - } elseif( $pos = strpos($data,"\n\n")) { - $lb = "\n"; - } else { - $this->debug('no proper separation of headers and document'); - $this->setError('no proper separation of headers and document'); - return false; - } - $header_data = trim(substr($data,0,$pos)); - $header_array = explode($lb,$header_data); - $data = ltrim(substr($data,$pos)); - $this->debug('found proper separation of headers and document'); - $this->debug('cleaned data, stringlen: '.strlen($data)); - // clean headers - foreach ($header_array as $header_line) { - $arr = explode(':',$header_line,2); - if(count($arr) > 1){ - $header_name = strtolower(trim($arr[0])); - $this->incoming_headers[$header_name] = trim($arr[1]); - if ($header_name == 'set-cookie') { - // TODO: allow multiple cookies from parseCookie - $cookie = $this->parseCookie(trim($arr[1])); - if ($cookie) { - $this->incoming_cookies[] = $cookie; - $this->debug('found cookie: ' . $cookie['name'] . ' = ' . $cookie['value']); - } else { - $this->debug('did not find cookie in ' . trim($arr[1])); - } - } - } else if (isset($header_name)) { - // append continuation line to previous header - $this->incoming_headers[$header_name] .= $lb . ' ' . $header_line; - } - } - } - - $this->response_status_line = $header_array[0]; - $arr = explode(' ', $this->response_status_line, 3); - $http_version = $arr[0]; - $http_status = intval($arr[1]); - $http_reason = count($arr) > 2 ? $arr[2] : ''; - - // see if we need to resend the request with http digest authentication - if (isset($this->incoming_headers['location']) && ($http_status == 301 || $http_status == 302)) { - $this->debug("Got $http_status $http_reason with Location: " . $this->incoming_headers['location']); - $this->setURL($this->incoming_headers['location']); - $this->tryagain = true; - return false; - } - - // see if we need to resend the request with http digest authentication - if (isset($this->incoming_headers['www-authenticate']) && $http_status == 401) { - $this->debug("Got 401 $http_reason with WWW-Authenticate: " . $this->incoming_headers['www-authenticate']); - if (strstr($this->incoming_headers['www-authenticate'], "Digest ")) { - $this->debug('Server wants digest authentication'); - // remove "Digest " from our elements - $digestString = str_replace('Digest ', '', $this->incoming_headers['www-authenticate']); - - // parse elements into array - $digestElements = explode(',', $digestString); - foreach ($digestElements as $val) { - $tempElement = explode('=', trim($val), 2); - $digestRequest[$tempElement[0]] = str_replace("\"", '', $tempElement[1]); - } - - // should have (at least) qop, realm, nonce - if (isset($digestRequest['nonce'])) { - $this->setCredentials($this->username, $this->password, 'digest', $digestRequest); - $this->tryagain = true; - return false; - } - } - $this->debug('HTTP authentication failed'); - $this->setError('HTTP authentication failed'); - return false; - } - - if ( - ($http_status >= 300 && $http_status <= 307) || - ($http_status >= 400 && $http_status <= 417) || - ($http_status >= 501 && $http_status <= 505) - ) { - $this->setError("Unsupported HTTP response status $http_status $http_reason (soapclient->response has contents of the response)"); - return false; - } - - // decode content-encoding - if(isset($this->incoming_headers['content-encoding']) && $this->incoming_headers['content-encoding'] != ''){ - if(strtolower($this->incoming_headers['content-encoding']) == 'deflate' || strtolower($this->incoming_headers['content-encoding']) == 'gzip'){ - // if decoding works, use it. else assume data wasn't gzencoded - if(function_exists('gzinflate')){ - //$timer->setMarker('starting decoding of gzip/deflated content'); - // IIS 5 requires gzinflate instead of gzuncompress (similar to IE 5 and gzdeflate v. gzcompress) - // this means there are no Zlib headers, although there should be - $this->debug('The gzinflate function exists'); - $datalen = strlen($data); - if ($this->incoming_headers['content-encoding'] == 'deflate') { - if ($degzdata = @gzinflate($data)) { - $data = $degzdata; - $this->debug('The payload has been inflated to ' . strlen($data) . ' bytes'); - if (strlen($data) < $datalen) { - // test for the case that the payload has been compressed twice - $this->debug('The inflated payload is smaller than the gzipped one; try again'); - if ($degzdata = @gzinflate($data)) { - $data = $degzdata; - $this->debug('The payload has been inflated again to ' . strlen($data) . ' bytes'); - } - } - } else { - $this->debug('Error using gzinflate to inflate the payload'); - $this->setError('Error using gzinflate to inflate the payload'); - } - } elseif ($this->incoming_headers['content-encoding'] == 'gzip') { - if ($degzdata = @gzinflate(substr($data, 10))) { // do our best - $data = $degzdata; - $this->debug('The payload has been un-gzipped to ' . strlen($data) . ' bytes'); - if (strlen($data) < $datalen) { - // test for the case that the payload has been compressed twice - $this->debug('The un-gzipped payload is smaller than the gzipped one; try again'); - if ($degzdata = @gzinflate(substr($data, 10))) { - $data = $degzdata; - $this->debug('The payload has been un-gzipped again to ' . strlen($data) . ' bytes'); - } - } - } else { - $this->debug('Error using gzinflate to un-gzip the payload'); - $this->setError('Error using gzinflate to un-gzip the payload'); - } - } - //$timer->setMarker('finished decoding of gzip/deflated content'); - //print "\nde-inflated:\n---------------\n$data\n-------------\n"; - // set decoded payload - $this->incoming_payload = $header_data.$lb.$lb.$data; - } else { - $this->debug('The server sent compressed data. Your php install must have the Zlib extension compiled in to support this.'); - $this->setError('The server sent compressed data. Your php install must have the Zlib extension compiled in to support this.'); - } - } else { - $this->debug('Unsupported Content-Encoding ' . $this->incoming_headers['content-encoding']); - $this->setError('Unsupported Content-Encoding ' . $this->incoming_headers['content-encoding']); - } - } else { - $this->debug('No Content-Encoding header'); - } - - if(strlen($data) == 0){ - $this->debug('no data after headers!'); - $this->setError('no data present after HTTP headers'); - return false; - } - - return $data; - } - - /** - * sets the content-type for the SOAP message to be sent - * - * @param string $type the content type, MIME style - * @param mixed $charset character set used for encoding (or false) - * @access public - */ - function setContentType($type, $charset = false) { - $this->setHeader('Content-Type', $type . ($charset ? '; charset=' . $charset : '')); - } - - /** - * specifies that an HTTP persistent connection should be used - * - * @return boolean whether the request was honored by this method. - * @access public - */ - function usePersistentConnection(){ - if (isset($this->outgoing_headers['Accept-Encoding'])) { - return false; - } - $this->protocol_version = '1.1'; - $this->persistentConnection = true; - $this->setHeader('Connection', 'Keep-Alive'); - return true; - } - - /** - * parse an incoming Cookie into it's parts - * - * @param string $cookie_str content of cookie - * @return array with data of that cookie - * @access private - */ - /* - * TODO: allow a Set-Cookie string to be parsed into multiple cookies - */ - function parseCookie($cookie_str) { - $cookie_str = str_replace('; ', ';', $cookie_str) . ';'; - $data = preg_split('/;/', $cookie_str); - $value_str = $data[0]; - - $cookie_param = 'domain='; - $start = strpos($cookie_str, $cookie_param); - if ($start > 0) { - $domain = substr($cookie_str, $start + strlen($cookie_param)); - $domain = substr($domain, 0, strpos($domain, ';')); - } else { - $domain = ''; - } - - $cookie_param = 'expires='; - $start = strpos($cookie_str, $cookie_param); - if ($start > 0) { - $expires = substr($cookie_str, $start + strlen($cookie_param)); - $expires = substr($expires, 0, strpos($expires, ';')); - } else { - $expires = ''; - } - - $cookie_param = 'path='; - $start = strpos($cookie_str, $cookie_param); - if ( $start > 0 ) { - $path = substr($cookie_str, $start + strlen($cookie_param)); - $path = substr($path, 0, strpos($path, ';')); - } else { - $path = '/'; - } - - $cookie_param = ';secure;'; - if (strpos($cookie_str, $cookie_param) !== FALSE) { - $secure = true; - } else { - $secure = false; - } - - $sep_pos = strpos($value_str, '='); - - if ($sep_pos) { - $name = substr($value_str, 0, $sep_pos); - $value = substr($value_str, $sep_pos + 1); - $cookie= array( 'name' => $name, - 'value' => $value, - 'domain' => $domain, - 'path' => $path, - 'expires' => $expires, - 'secure' => $secure - ); - return $cookie; - } - return false; - } - - /** - * sort out cookies for the current request - * - * @param array $cookies array with all cookies - * @param boolean $secure is the send-content secure or not? - * @return string for Cookie-HTTP-Header - * @access private - */ - function getCookiesForRequest($cookies, $secure=false) { - $cookie_str = ''; - if ((! is_null($cookies)) && (is_array($cookies))) { - foreach ($cookies as $cookie) { - if (! is_array($cookie)) { - continue; - } - $this->debug("check cookie for validity: ".$cookie['name'].'='.$cookie['value']); - if ((isset($cookie['expires'])) && (! empty($cookie['expires']))) { - if (strtotime($cookie['expires']) <= time()) { - $this->debug('cookie has expired'); - continue; - } - } - if ((isset($cookie['domain'])) && (! empty($cookie['domain']))) { - $domain = preg_quote($cookie['domain']); - if (! preg_match("'.*$domain$'i", $this->host)) { - $this->debug('cookie has different domain'); - continue; - } - } - if ((isset($cookie['path'])) && (! empty($cookie['path']))) { - $path = preg_quote($cookie['path']); - if (! preg_match("'^$path.*'i", $this->path)) { - $this->debug('cookie is for a different path'); - continue; - } - } - if ((! $secure) && (isset($cookie['secure'])) && ($cookie['secure'])) { - $this->debug('cookie is secure, transport is not'); - continue; - } - $cookie_str .= $cookie['name'] . '=' . $cookie['value'] . '; '; - $this->debug('add cookie to Cookie-String: ' . $cookie['name'] . '=' . $cookie['value']); - } - } - return $cookie_str; - } -} - - -?> \ No newline at end of file diff --git a/htdocs/includes/nusoap/lib/class.soap_val.php b/htdocs/includes/nusoap/lib/class.soap_val.php deleted file mode 100644 index 003375fda84..00000000000 --- a/htdocs/includes/nusoap/lib/class.soap_val.php +++ /dev/null @@ -1,106 +0,0 @@ - -* @access public -*/ -class soapval extends nusoap_base { - /** - * The XML element name - * - * @var string - * @access private - */ - var $name; - /** - * The XML type name (string or false) - * - * @var mixed - * @access private - */ - var $type; - /** - * The PHP value - * - * @var mixed - * @access private - */ - var $value; - /** - * The XML element namespace (string or false) - * - * @var mixed - * @access private - */ - var $element_ns; - /** - * The XML type namespace (string or false) - * - * @var mixed - * @access private - */ - var $type_ns; - /** - * The XML element attributes (array or false) - * - * @var mixed - * @access private - */ - var $attributes; - - /** - * constructor - * - * @param string $name optional name - * @param mixed $type optional type name - * @param mixed $value optional value - * @param mixed $element_ns optional namespace of value - * @param mixed $type_ns optional namespace of type - * @param mixed $attributes associative array of attributes to add to element serialization - * @access public - */ - function __construct($name='soapval',$type=false,$value=-1,$element_ns=false,$type_ns=false,$attributes=false) { - parent::__construct(); - $this->name = $name; - $this->type = $type; - $this->value = $value; - $this->element_ns = $element_ns; - $this->type_ns = $type_ns; - $this->attributes = $attributes; - } - - /** - * return serialized value - * - * @param string $use The WSDL use value (encoded|literal) - * @return string XML data - * @access public - */ - function serialize($use='encoded') { - return $this->serialize_val($this->value, $this->name, $this->type, $this->element_ns, $this->type_ns, $this->attributes, $use, true); - } - - /** - * decodes a soapval object into a PHP native type - * - * @return mixed - * @access public - */ - function decode(){ - return $this->value; - } -} - - - - -?> \ No newline at end of file diff --git a/htdocs/includes/nusoap/lib/class.soapclient.php b/htdocs/includes/nusoap/lib/class.soapclient.php deleted file mode 100644 index de0ca3c9882..00000000000 --- a/htdocs/includes/nusoap/lib/class.soapclient.php +++ /dev/null @@ -1,990 +0,0 @@ -call( string methodname [ ,array parameters] ); -* -* // bye bye client -* unset($soapclient); -* -* @author Dietrich Ayala -* @author Scott Nichol -* @access public -*/ -class nusoap_client extends nusoap_base { - - var $username = ''; // Username for HTTP authentication - var $password = ''; // Password for HTTP authentication - var $authtype = ''; // Type of HTTP authentication - var $certRequest = array(); // Certificate for HTTP SSL authentication - var $requestHeaders = false; // SOAP headers in request (text) - var $responseHeaders = ''; // SOAP headers from response (incomplete namespace resolution) (text) - var $responseHeader = NULL; // SOAP Header from response (parsed) - var $document = ''; // SOAP body response portion (incomplete namespace resolution) (text) - var $endpoint; - var $forceEndpoint = ''; // overrides WSDL endpoint - var $proxyhost = ''; - var $proxyport = ''; - var $proxyusername = ''; - var $proxypassword = ''; - var $portName = ''; // port name to use in WSDL - var $xml_encoding = ''; // character set encoding of incoming (response) messages - var $http_encoding = false; - var $timeout = 0; // HTTP connection timeout - var $response_timeout = 30; // HTTP response timeout - var $endpointType = ''; // soap|wsdl, empty for WSDL initialization error - var $persistentConnection = false; - var $defaultRpcParams = false; // This is no longer used - var $request = ''; // HTTP request - var $response = ''; // HTTP response - var $responseData = ''; // SOAP payload of response - var $cookies = array(); // Cookies from response or for request - var $decode_utf8 = true; // toggles whether the parser decodes element content w/ utf8_decode() - var $operations = array(); // WSDL operations, empty for WSDL initialization error - var $curl_options = array(); // User-specified cURL options - var $bindingType = ''; // WSDL operation binding type - var $use_curl = false; // whether to always try to use cURL - - /* - * fault related variables - */ - /** - * @var fault - * @access public - */ - var $fault; - /** - * @var faultcode - * @access public - */ - var $faultcode; - /** - * @var faultstring - * @access public - */ - var $faultstring; - /** - * @var faultdetail - * @access public - */ - var $faultdetail; - - /** - * constructor - * - * @param mixed $endpoint SOAP server or WSDL URL (string), or wsdl instance (object) - * @param mixed $wsdl optional, set to 'wsdl' or true if using WSDL - * @param string $proxyhost optional - * @param string $proxyport optional - * @param string $proxyusername optional - * @param string $proxypassword optional - * @param integer $timeout set the connection timeout - * @param integer $response_timeout set the response timeout - * @param string $portName optional portName in WSDL document - * @access public - */ - function __construct($endpoint,$wsdl = false,$proxyhost = false,$proxyport = false,$proxyusername = false, $proxypassword = false, $timeout = 0, $response_timeout = 30, $portName = ''){ - parent::__construct(); - $this->endpoint = $endpoint; - $this->proxyhost = $proxyhost; - $this->proxyport = $proxyport; - $this->proxyusername = $proxyusername; - $this->proxypassword = $proxypassword; - $this->timeout = $timeout; - $this->response_timeout = $response_timeout; - $this->portName = $portName; - - $this->debug("ctor wsdl=$wsdl timeout=$timeout response_timeout=$response_timeout"); - $this->appendDebug('endpoint=' . $this->varDump($endpoint)); - - // make values - if($wsdl){ - if (is_object($endpoint) && (get_class($endpoint) == 'wsdl')) { - $this->wsdl = $endpoint; - $this->endpoint = $this->wsdl->wsdl; - $this->wsdlFile = $this->endpoint; - $this->debug('existing wsdl instance created from ' . $this->endpoint); - $this->checkWSDL(); - } else { - $this->wsdlFile = $this->endpoint; - $this->wsdl = null; - $this->debug('will use lazy evaluation of wsdl from ' . $this->endpoint); - } - $this->endpointType = 'wsdl'; - } else { - $this->debug("instantiate SOAP with endpoint at $endpoint"); - $this->endpointType = 'soap'; - } - } - - /** - * calls method, returns PHP native type - * - * @param string $operation SOAP server URL or path - * @param mixed $params An array, associative or simple, of the parameters - * for the method call, or a string that is the XML - * for the call. For rpc style, this call will - * wrap the XML in a tag named after the method, as - * well as the SOAP Envelope and Body. For document - * style, this will only wrap with the Envelope and Body. - * IMPORTANT: when using an array with document style, - * in which case there - * is really one parameter, the root of the fragment - * used in the call, which encloses what programmers - * normally think of parameters. A parameter array - * *must* include the wrapper. - * @param string $namespace optional method namespace (WSDL can override) - * @param string $soapAction optional SOAPAction value (WSDL can override) - * @param mixed $headers optional string of XML with SOAP header content, or array of soapval objects for SOAP headers, or associative array - * @param boolean $rpcParams optional (no longer used) - * @param string $style optional (rpc|document) the style to use when serializing parameters (WSDL can override) - * @param string $use optional (encoded|literal) the use when serializing parameters (WSDL can override) - * @return mixed response from SOAP call, normally an associative array mirroring the structure of the XML response, false for certain fatal errors - * @access public - */ - function call($operation,$params=array(),$namespace='http://tempuri.org',$soapAction='',$headers=false,$rpcParams=null,$style='rpc',$use='encoded'){ - $this->operation = $operation; - $this->fault = false; - $this->setError(''); - $this->request = ''; - $this->response = ''; - $this->responseData = ''; - $this->faultstring = ''; - $this->faultcode = ''; - $this->opData = array(); - - $this->debug("call: operation=$operation, namespace=$namespace, soapAction=$soapAction, rpcParams=$rpcParams, style=$style, use=$use, endpointType=$this->endpointType"); - $this->appendDebug('params=' . $this->varDump($params)); - $this->appendDebug('headers=' . $this->varDump($headers)); - if ($headers) { - $this->requestHeaders = $headers; - } - if ($this->endpointType == 'wsdl' && is_null($this->wsdl)) { - $this->loadWSDL(); - if ($this->getError()) - return false; - } - // serialize parameters - if($this->endpointType == 'wsdl' && $opData = $this->getOperationData($operation)){ - // use WSDL for operation - $this->opData = $opData; - $this->debug("found operation"); - $this->appendDebug('opData=' . $this->varDump($opData)); - if (isset($opData['soapAction'])) { - $soapAction = $opData['soapAction']; - } - if (! $this->forceEndpoint) { - $this->endpoint = $opData['endpoint']; - } else { - $this->endpoint = $this->forceEndpoint; - } - $namespace = isset($opData['input']['namespace']) ? $opData['input']['namespace'] : $namespace; - $style = $opData['style']; - $use = $opData['input']['use']; - // add ns to ns array - if($namespace != '' && !isset($this->wsdl->namespaces[$namespace])){ - $nsPrefix = 'ns' . rand(1000, 9999); - $this->wsdl->namespaces[$nsPrefix] = $namespace; - } - $nsPrefix = $this->wsdl->getPrefixFromNamespace($namespace); - // serialize payload - if (is_string($params)) { - $this->debug("serializing param string for WSDL operation $operation"); - $payload = $params; - } elseif (is_array($params)) { - $this->debug("serializing param array for WSDL operation $operation"); - $payload = $this->wsdl->serializeRPCParameters($operation,'input',$params,$this->bindingType); - } else { - $this->debug('params must be array or string'); - $this->setError('params must be array or string'); - return false; - } - $usedNamespaces = $this->wsdl->usedNamespaces; - if (isset($opData['input']['encodingStyle'])) { - $encodingStyle = $opData['input']['encodingStyle']; - } else { - $encodingStyle = ''; - } - $this->appendDebug($this->wsdl->getDebug()); - $this->wsdl->clearDebug(); - if ($errstr = $this->wsdl->getError()) { - $this->debug('got wsdl error: '.$errstr); - $this->setError('wsdl error: '.$errstr); - return false; - } - } elseif($this->endpointType == 'wsdl') { - // operation not in WSDL - $this->appendDebug($this->wsdl->getDebug()); - $this->wsdl->clearDebug(); - $this->setError('operation '.$operation.' not present in WSDL.'); - $this->debug("operation '$operation' not present in WSDL."); - return false; - } else { - // no WSDL - //$this->namespaces['ns1'] = $namespace; - $nsPrefix = 'ns' . rand(1000, 9999); - // serialize - $payload = ''; - if (is_string($params)) { - $this->debug("serializing param string for operation $operation"); - $payload = $params; - } elseif (is_array($params)) { - $this->debug("serializing param array for operation $operation"); - foreach($params as $k => $v){ - $payload .= $this->serialize_val($v,$k,false,false,false,false,$use); - } - } else { - $this->debug('params must be array or string'); - $this->setError('params must be array or string'); - return false; - } - $usedNamespaces = array(); - if ($use == 'encoded') { - $encodingStyle = 'http://schemas.xmlsoap.org/soap/encoding/'; - } else { - $encodingStyle = ''; - } - } - // wrap RPC calls with method element - if ($style == 'rpc') { - if ($use == 'literal') { - $this->debug("wrapping RPC request with literal method element"); - if ($namespace) { - // http://www.ws-i.org/Profiles/BasicProfile-1.1-2004-08-24.html R2735 says rpc/literal accessor elements should not be in a namespace - $payload = "<$nsPrefix:$operation xmlns:$nsPrefix=\"$namespace\">" . - $payload . - ""; - } else { - $payload = "<$operation>" . $payload . ""; - } - } else { - $this->debug("wrapping RPC request with encoded method element"); - if ($namespace) { - $payload = "<$nsPrefix:$operation xmlns:$nsPrefix=\"$namespace\">" . - $payload . - ""; - } else { - $payload = "<$operation>" . - $payload . - ""; - } - } - } - // serialize envelope - $soapmsg = $this->serializeEnvelope($payload,$this->requestHeaders,$usedNamespaces,$style,$use,$encodingStyle); - $this->debug("endpoint=$this->endpoint, soapAction=$soapAction, namespace=$namespace, style=$style, use=$use, encodingStyle=$encodingStyle"); - $this->debug('SOAP message length=' . strlen($soapmsg) . ' contents (max 1000 bytes)=' . substr($soapmsg, 0, 1000)); - // send - $return = $this->send($this->getHTTPBody($soapmsg),$soapAction,$this->timeout,$this->response_timeout); - if($errstr = $this->getError()){ - $this->debug('Error: '.$errstr); - return false; - } else { - $this->return = $return; - $this->debug('sent message successfully and got a(n) '.gettype($return)); - $this->appendDebug('return=' . $this->varDump($return)); - - // fault? - if(is_array($return) && isset($return['faultcode'])){ - $this->debug('got fault'); - $this->setError($return['faultcode'].': '.$return['faultstring']); - $this->fault = true; - foreach($return as $k => $v){ - $this->$k = $v; - $this->debug("$k = $v
      "); - } - return $return; - } elseif ($style == 'document') { - // NOTE: if the response is defined to have multiple parts (i.e. unwrapped), - // we are only going to return the first part here...sorry about that - return $return; - } else { - // array of return values - if(is_array($return)){ - // multiple 'out' parameters, which we return wrapped up - // in the array - if(sizeof($return) > 1){ - return $return; - } - // single 'out' parameter (normally the return value) - $return = array_shift($return); - $this->debug('return shifted value: '); - $this->appendDebug($this->varDump($return)); - return $return; - // nothing returned (ie, echoVoid) - } else { - return ""; - } - } - } - } - - /** - * check WSDL passed as an instance or pulled from an endpoint - * - * @access private - */ - function checkWSDL() { - $this->appendDebug($this->wsdl->getDebug()); - $this->wsdl->clearDebug(); - $this->debug('checkWSDL'); - // catch errors - if ($errstr = $this->wsdl->getError()) { - $this->appendDebug($this->wsdl->getDebug()); - $this->wsdl->clearDebug(); - $this->debug('got wsdl error: '.$errstr); - $this->setError('wsdl error: '.$errstr); - } elseif ($this->operations = $this->wsdl->getOperations($this->portName, 'soap')) { - $this->appendDebug($this->wsdl->getDebug()); - $this->wsdl->clearDebug(); - $this->bindingType = 'soap'; - $this->debug('got '.count($this->operations).' operations from wsdl '.$this->wsdlFile.' for binding type '.$this->bindingType); - } elseif ($this->operations = $this->wsdl->getOperations($this->portName, 'soap12')) { - $this->appendDebug($this->wsdl->getDebug()); - $this->wsdl->clearDebug(); - $this->bindingType = 'soap12'; - $this->debug('got '.count($this->operations).' operations from wsdl '.$this->wsdlFile.' for binding type '.$this->bindingType); - $this->debug('**************** WARNING: SOAP 1.2 BINDING *****************'); - } else { - $this->appendDebug($this->wsdl->getDebug()); - $this->wsdl->clearDebug(); - $this->debug('getOperations returned false'); - $this->setError('no operations defined in the WSDL document!'); - } - } - - /** - * instantiate wsdl object and parse wsdl file - * - * @access public - */ - function loadWSDL() { - $this->debug('instantiating wsdl class with doc: '.$this->wsdlFile); - $this->wsdl = new wsdl('',$this->proxyhost,$this->proxyport,$this->proxyusername,$this->proxypassword,$this->timeout,$this->response_timeout,$this->curl_options,$this->use_curl); - $this->wsdl->setCredentials($this->username, $this->password, $this->authtype, $this->certRequest); - $this->wsdl->fetchWSDL($this->wsdlFile); - $this->checkWSDL(); - } - - /** - * get available data pertaining to an operation - * - * @param string $operation operation name - * @return array array of data pertaining to the operation - * @access public - */ - function getOperationData($operation){ - if ($this->endpointType == 'wsdl' && is_null($this->wsdl)) { - $this->loadWSDL(); - if ($this->getError()) - return false; - } - if(isset($this->operations[$operation])){ - return $this->operations[$operation]; - } - $this->debug("No data for operation: $operation"); - } - - /** - * send the SOAP message - * - * Note: if the operation has multiple return values - * the return value of this method will be an array - * of those values. - * - * @param string $msg a SOAPx4 soapmsg object - * @param string $soapaction SOAPAction value - * @param integer $timeout set connection timeout in seconds - * @param integer $response_timeout set response timeout in seconds - * @return mixed native PHP types. - * @access private - */ - function send($msg, $soapaction = '', $timeout=0, $response_timeout=30) { - $this->checkCookies(); - // detect transport - switch(true){ - // http(s) - case preg_match('/^http/',$this->endpoint): - $this->debug('transporting via HTTP'); - if($this->persistentConnection == true && is_object($this->persistentConnection)){ - $http =& $this->persistentConnection; - } else { - $http = new soap_transport_http($this->endpoint, $this->curl_options, $this->use_curl); - if ($this->persistentConnection) { - $http->usePersistentConnection(); - } - } - $http->setContentType($this->getHTTPContentType(), $this->getHTTPContentTypeCharset()); - $http->setSOAPAction($soapaction); - if($this->proxyhost && $this->proxyport){ - $http->setProxy($this->proxyhost,$this->proxyport,$this->proxyusername,$this->proxypassword); - } - if($this->authtype != '') { - $http->setCredentials($this->username, $this->password, $this->authtype, array(), $this->certRequest); - } - if($this->http_encoding != ''){ - $http->setEncoding($this->http_encoding); - } - $this->debug('sending message, length='.strlen($msg)); - if(preg_match('/^http:/',$this->endpoint)){ - //if(strpos($this->endpoint,'http:')){ - $this->responseData = $http->send($msg,$timeout,$response_timeout,$this->cookies); - } elseif(preg_match('/^https/',$this->endpoint)){ - //} elseif(strpos($this->endpoint,'https:')){ - //if(phpversion() == '4.3.0-dev'){ - //$response = $http->send($msg,$timeout,$response_timeout); - //$this->request = $http->outgoing_payload; - //$this->response = $http->incoming_payload; - //} else - $this->responseData = $http->sendHTTPS($msg,$timeout,$response_timeout,$this->cookies); - } else { - $this->setError('no http/s in endpoint url'); - } - $this->request = $http->outgoing_payload; - $this->response = $http->incoming_payload; - $this->appendDebug($http->getDebug()); - $this->UpdateCookies($http->incoming_cookies); - - // save transport object if using persistent connections - if ($this->persistentConnection) { - $http->clearDebug(); - if (!is_object($this->persistentConnection)) { - $this->persistentConnection = $http; - } - } - - if($err = $http->getError()){ - $this->setError('HTTP Error: '.$err); - return false; - } elseif($this->getError()){ - return false; - } else { - $this->debug('got response, length='. strlen($this->responseData).' type='.$http->incoming_headers['content-type']); - return $this->parseResponse($http->incoming_headers, $this->responseData); - } - break; - default: - $this->setError('no transport found, or selected transport is not yet supported!'); - return false; - break; - } - } - - /** - * processes SOAP message returned from server - * - * @param array $headers The HTTP headers - * @param string $data unprocessed response data from server - * @return mixed value of the message, decoded into a PHP type - * @access private - */ - function parseResponse($headers, $data) { - $this->debug('Entering parseResponse() for data of length ' . strlen($data) . ' headers:'); - $this->appendDebug($this->varDump($headers)); - if (!isset($headers['content-type'])) { - $this->setError('Response not of type text/xml (no content-type header)'); - return false; - } - if (!strstr($headers['content-type'], 'text/xml')) { - $this->setError('Response not of type text/xml: ' . $headers['content-type']); - return false; - } - if (strpos($headers['content-type'], '=')) { - $enc = str_replace('"', '', substr(strstr($headers["content-type"], '='), 1)); - $this->debug('Got response encoding: ' . $enc); - if(preg_match('/^(ISO-8859-1|US-ASCII|UTF-8)$/i',$enc)){ - $this->xml_encoding = strtoupper($enc); - } else { - $this->xml_encoding = 'US-ASCII'; - } - } else { - // should be US-ASCII for HTTP 1.0 or ISO-8859-1 for HTTP 1.1 - $this->xml_encoding = 'ISO-8859-1'; - } - $this->debug('Use encoding: ' . $this->xml_encoding . ' when creating nusoap_parser'); - $parser = new nusoap_parser($data,$this->xml_encoding,$this->operation,$this->decode_utf8); - // add parser debug data to our debug - $this->appendDebug($parser->getDebug()); - // if parse errors - if($errstr = $parser->getError()){ - $this->setError( $errstr); - // destroy the parser object - unset($parser); - return false; - } else { - // get SOAP headers - $this->responseHeaders = $parser->getHeaders(); - // get SOAP headers - $this->responseHeader = $parser->get_soapheader(); - // get decoded message - $return = $parser->get_soapbody(); - // add document for doclit support - $this->document = $parser->document; - // destroy the parser object - unset($parser); - // return decode message - return $return; - } - } - - /** - * sets user-specified cURL options - * - * @param mixed $option The cURL option (always integer?) - * @param mixed $value The cURL option value - * @access public - */ - function setCurlOption($option, $value) { - $this->debug("setCurlOption option=$option, value="); - $this->appendDebug($this->varDump($value)); - $this->curl_options[$option] = $value; - } - - /** - * sets the SOAP endpoint, which can override WSDL - * - * @param string $endpoint The endpoint URL to use, or empty string or false to prevent override - * @access public - */ - function setEndpoint($endpoint) { - $this->debug("setEndpoint(\"$endpoint\")"); - $this->forceEndpoint = $endpoint; - } - - /** - * set the SOAP headers - * - * @param mixed $headers String of XML with SOAP header content, or array of soapval objects for SOAP headers - * @access public - */ - function setHeaders($headers){ - $this->debug("setHeaders headers="); - $this->appendDebug($this->varDump($headers)); - $this->requestHeaders = $headers; - } - - /** - * get the SOAP response headers (namespace resolution incomplete) - * - * @return string - * @access public - */ - function getHeaders(){ - return $this->responseHeaders; - } - - /** - * get the SOAP response Header (parsed) - * - * @return mixed - * @access public - */ - function getHeader(){ - return $this->responseHeader; - } - - /** - * set proxy info here - * - * @param string $proxyhost - * @param string $proxyport - * @param string $proxyusername - * @param string $proxypassword - * @access public - */ - function setHTTPProxy($proxyhost, $proxyport, $proxyusername = '', $proxypassword = '') { - $this->proxyhost = $proxyhost; - $this->proxyport = $proxyport; - $this->proxyusername = $proxyusername; - $this->proxypassword = $proxypassword; - } - - /** - * if authenticating, set user credentials here - * - * @param string $username - * @param string $password - * @param string $authtype (basic|digest|certificate|ntlm) - * @param array $certRequest (keys must be cainfofile (optional), sslcertfile, sslkeyfile, passphrase, verifypeer (optional), verifyhost (optional): see corresponding options in cURL docs) - * @access public - */ - function setCredentials($username, $password, $authtype = 'basic', $certRequest = array()) { - $this->debug("setCredentials username=$username authtype=$authtype certRequest="); - $this->appendDebug($this->varDump($certRequest)); - $this->username = $username; - $this->password = $password; - $this->authtype = $authtype; - $this->certRequest = $certRequest; - } - - /** - * use HTTP encoding - * - * @param string $enc HTTP encoding - * @access public - */ - function setHTTPEncoding($enc='gzip, deflate'){ - $this->debug("setHTTPEncoding(\"$enc\")"); - $this->http_encoding = $enc; - } - - /** - * Set whether to try to use cURL connections if possible - * - * @param boolean $use Whether to try to use cURL - * @access public - */ - function setUseCURL($use) { - $this->debug("setUseCURL($use)"); - $this->use_curl = $use; - } - - /** - * use HTTP persistent connections if possible - * - * @access public - */ - function useHTTPPersistentConnection(){ - $this->debug("useHTTPPersistentConnection"); - $this->persistentConnection = true; - } - - /** - * gets the default RPC parameter setting. - * If true, default is that call params are like RPC even for document style. - * Each call() can override this value. - * - * This is no longer used. - * - * @return boolean - * @access public - * @deprecated - */ - function getDefaultRpcParams() { - return $this->defaultRpcParams; - } - - /** - * sets the default RPC parameter setting. - * If true, default is that call params are like RPC even for document style - * Each call() can override this value. - * - * This is no longer used. - * - * @param boolean $rpcParams - * @access public - * @deprecated - */ - function setDefaultRpcParams($rpcParams) { - $this->defaultRpcParams = $rpcParams; - } - - /** - * dynamically creates an instance of a proxy class, - * allowing user to directly call methods from wsdl - * - * @return object soap_proxy object - * @access public - */ - function getProxy() { - $r = rand(); - $evalStr = $this->_getProxyClassCode($r); - //$this->debug("proxy class: $evalStr"); - if ($this->getError()) { - $this->debug("Error from _getProxyClassCode, so return NULL"); - return null; - } - // eval the class - eval($evalStr); - // instantiate proxy object - eval("\$proxy = new nusoap_proxy_$r('');"); - // transfer current wsdl data to the proxy thereby avoiding parsing the wsdl twice - $proxy->endpointType = 'wsdl'; - $proxy->wsdlFile = $this->wsdlFile; - $proxy->wsdl = $this->wsdl; - $proxy->operations = $this->operations; - $proxy->defaultRpcParams = $this->defaultRpcParams; - // transfer other state - $proxy->soap_defencoding = $this->soap_defencoding; - $proxy->username = $this->username; - $proxy->password = $this->password; - $proxy->authtype = $this->authtype; - $proxy->certRequest = $this->certRequest; - $proxy->requestHeaders = $this->requestHeaders; - $proxy->endpoint = $this->endpoint; - $proxy->forceEndpoint = $this->forceEndpoint; - $proxy->proxyhost = $this->proxyhost; - $proxy->proxyport = $this->proxyport; - $proxy->proxyusername = $this->proxyusername; - $proxy->proxypassword = $this->proxypassword; - $proxy->http_encoding = $this->http_encoding; - $proxy->timeout = $this->timeout; - $proxy->response_timeout = $this->response_timeout; - $proxy->persistentConnection = &$this->persistentConnection; - $proxy->decode_utf8 = $this->decode_utf8; - $proxy->curl_options = $this->curl_options; - $proxy->bindingType = $this->bindingType; - $proxy->use_curl = $this->use_curl; - return $proxy; - } - - /** - * dynamically creates proxy class code - * - * @return string PHP/NuSOAP code for the proxy class - * @access private - */ - function _getProxyClassCode($r) { - $this->debug("in getProxy endpointType=$this->endpointType"); - $this->appendDebug("wsdl=" . $this->varDump($this->wsdl)); - if ($this->endpointType != 'wsdl') { - $evalStr = 'A proxy can only be created for a WSDL client'; - $this->setError($evalStr); - $evalStr = "echo \"$evalStr\";"; - return $evalStr; - } - if ($this->endpointType == 'wsdl' && is_null($this->wsdl)) { - $this->loadWSDL(); - if ($this->getError()) { - return "echo \"" . $this->getError() . "\";"; - } - } - $evalStr = ''; - foreach ($this->operations as $operation => $opData) { - if ($operation != '') { - // create param string and param comment string - if (sizeof($opData['input']['parts']) > 0) { - $paramStr = ''; - $paramArrayStr = ''; - $paramCommentStr = ''; - foreach ($opData['input']['parts'] as $name => $type) { - $paramStr .= "\$$name, "; - $paramArrayStr .= "'$name' => \$$name, "; - $paramCommentStr .= "$type \$$name, "; - } - $paramStr = substr($paramStr, 0, strlen($paramStr)-2); - $paramArrayStr = substr($paramArrayStr, 0, strlen($paramArrayStr)-2); - $paramCommentStr = substr($paramCommentStr, 0, strlen($paramCommentStr)-2); - } else { - $paramStr = ''; - $paramArrayStr = ''; - $paramCommentStr = 'void'; - } - $opData['namespace'] = !isset($opData['namespace']) ? 'http://testuri.com' : $opData['namespace']; - $evalStr .= "// $paramCommentStr - function " . str_replace('.', '__', $operation) . "($paramStr) { - \$params = array($paramArrayStr); - return \$this->call('$operation', \$params, '".$opData['namespace']."', '".(isset($opData['soapAction']) ? $opData['soapAction'] : '')."'); - } - "; - unset($paramStr); - unset($paramCommentStr); - } - } - $evalStr = 'class nusoap_proxy_'.$r.' extends nusoap_client { - '.$evalStr.' -}'; - return $evalStr; - } - - /** - * dynamically creates proxy class code - * - * @return string PHP/NuSOAP code for the proxy class - * @access public - */ - function getProxyClassCode() { - $r = rand(); - return $this->_getProxyClassCode($r); - } - - /** - * gets the HTTP body for the current request. - * - * @param string $soapmsg The SOAP payload - * @return string The HTTP body, which includes the SOAP payload - * @access private - */ - function getHTTPBody($soapmsg) { - return $soapmsg; - } - - /** - * gets the HTTP content type for the current request. - * - * Note: getHTTPBody must be called before this. - * - * @return string the HTTP content type for the current request. - * @access private - */ - function getHTTPContentType() { - return 'text/xml'; - } - - /** - * gets the HTTP content type charset for the current request. - * returns false for non-text content types. - * - * Note: getHTTPBody must be called before this. - * - * @return string the HTTP content type charset for the current request. - * @access private - */ - function getHTTPContentTypeCharset() { - return $this->soap_defencoding; - } - - /* - * whether or not parser should decode utf8 element content - * - * @return always returns true - * @access public - */ - function decodeUTF8($bool){ - $this->decode_utf8 = $bool; - return true; - } - - /** - * adds a new Cookie into $this->cookies array - * - * @param string $name Cookie Name - * @param string $value Cookie Value - * @return boolean if cookie-set was successful returns true, else false - * @access public - */ - function setCookie($name, $value) { - if (strlen($name) == 0) { - return false; - } - $this->cookies[] = array('name' => $name, 'value' => $value); - return true; - } - - /** - * gets all Cookies - * - * @return array with all internal cookies - * @access public - */ - function getCookies() { - return $this->cookies; - } - - /** - * checks all Cookies and delete those which are expired - * - * @return boolean always return true - * @access private - */ - function checkCookies() { - if (sizeof($this->cookies) == 0) { - return true; - } - $this->debug('checkCookie: check ' . sizeof($this->cookies) . ' cookies'); - $curr_cookies = $this->cookies; - $this->cookies = array(); - foreach ($curr_cookies as $cookie) { - if (! is_array($cookie)) { - $this->debug('Remove cookie that is not an array'); - continue; - } - if ((isset($cookie['expires'])) && (! empty($cookie['expires']))) { - if (strtotime($cookie['expires']) > time()) { - $this->cookies[] = $cookie; - } else { - $this->debug('Remove expired cookie ' . $cookie['name']); - } - } else { - $this->cookies[] = $cookie; - } - } - $this->debug('checkCookie: '.sizeof($this->cookies).' cookies left in array'); - return true; - } - - /** - * updates the current cookies with a new set - * - * @param array $cookies new cookies with which to update current ones - * @return boolean always return true - * @access private - */ - function UpdateCookies($cookies) { - if (sizeof($this->cookies) == 0) { - // no existing cookies: take whatever is new - if (sizeof($cookies) > 0) { - $this->debug('Setting new cookie(s)'); - $this->cookies = $cookies; - } - return true; - } - if (sizeof($cookies) == 0) { - // no new cookies: keep what we've got - return true; - } - // merge - foreach ($cookies as $newCookie) { - if (!is_array($newCookie)) { - continue; - } - if ((!isset($newCookie['name'])) || (!isset($newCookie['value']))) { - continue; - } - $newName = $newCookie['name']; - - $found = false; - for ($i = 0; $i < count($this->cookies); $i++) { - $cookie = $this->cookies[$i]; - if (!is_array($cookie)) { - continue; - } - if (!isset($cookie['name'])) { - continue; - } - if ($newName != $cookie['name']) { - continue; - } - $newDomain = isset($newCookie['domain']) ? $newCookie['domain'] : 'NODOMAIN'; - $domain = isset($cookie['domain']) ? $cookie['domain'] : 'NODOMAIN'; - if ($newDomain != $domain) { - continue; - } - $newPath = isset($newCookie['path']) ? $newCookie['path'] : 'NOPATH'; - $path = isset($cookie['path']) ? $cookie['path'] : 'NOPATH'; - if ($newPath != $path) { - continue; - } - $this->cookies[$i] = $newCookie; - $found = true; - $this->debug('Update cookie ' . $newName . '=' . $newCookie['value']); - break; - } - if (! $found) { - $this->debug('Add cookie ' . $newName . '=' . $newCookie['value']); - $this->cookies[] = $newCookie; - } - } - return true; - } -} - -if (!extension_loaded('soap')) { - /** - * For backwards compatiblity, define soapclient unless the PHP SOAP extension is loaded. - */ - class soapclient extends nusoap_client { - } -} -?> diff --git a/htdocs/includes/nusoap/lib/class.wsdl.php b/htdocs/includes/nusoap/lib/class.wsdl.php deleted file mode 100644 index 691426a2a0f..00000000000 --- a/htdocs/includes/nusoap/lib/class.wsdl.php +++ /dev/null @@ -1,1937 +0,0 @@ - -* @author Scott Nichol -* @access public -*/ -class wsdl extends nusoap_base { - // URL or filename of the root of this WSDL - var $wsdl; - // define internal arrays of bindings, ports, operations, messages, etc. - var $schemas = array(); - var $currentSchema; - var $message = array(); - var $complexTypes = array(); - var $messages = array(); - var $currentMessage; - var $currentOperation; - var $portTypes = array(); - var $currentPortType; - var $bindings = array(); - var $currentBinding; - var $ports = array(); - var $currentPort; - var $opData = array(); - var $status = ''; - var $documentation = false; - var $endpoint = ''; - // array of wsdl docs to import - var $import = array(); - // parser vars - var $parser; - var $position = 0; - var $depth = 0; - var $depth_array = array(); - // for getting wsdl - var $proxyhost = ''; - var $proxyport = ''; - var $proxyusername = ''; - var $proxypassword = ''; - var $timeout = 0; - var $response_timeout = 30; - var $curl_options = array(); // User-specified cURL options - var $use_curl = false; // whether to always try to use cURL - // for HTTP authentication - var $username = ''; // Username for HTTP authentication - var $password = ''; // Password for HTTP authentication - var $authtype = ''; // Type of HTTP authentication - var $certRequest = array(); // Certificate for HTTP SSL authentication - - /** - * constructor - * - * @param string $wsdl WSDL document URL - * @param string $proxyhost - * @param string $proxyport - * @param string $proxyusername - * @param string $proxypassword - * @param integer $timeout set the connection timeout - * @param integer $response_timeout set the response timeout - * @param array $curl_options user-specified cURL options - * @param boolean $use_curl try to use cURL - * @access public - */ - function __construct($wsdl = '',$proxyhost=false,$proxyport=false,$proxyusername=false,$proxypassword=false,$timeout=0,$response_timeout=30,$curl_options=null,$use_curl=false){ - parent::__construct(); - $this->debug("ctor wsdl=$wsdl timeout=$timeout response_timeout=$response_timeout"); - $this->proxyhost = $proxyhost; - $this->proxyport = $proxyport; - $this->proxyusername = $proxyusername; - $this->proxypassword = $proxypassword; - $this->timeout = $timeout; - $this->response_timeout = $response_timeout; - if (is_array($curl_options)) - $this->curl_options = $curl_options; - $this->use_curl = $use_curl; - $this->fetchWSDL($wsdl); - } - - /** - * fetches the WSDL document and parses it - * - * @access public - */ - function fetchWSDL($wsdl) { - $this->debug("parse and process WSDL path=$wsdl"); - $this->wsdl = $wsdl; - // parse wsdl file - if ($this->wsdl != "") { - $this->parseWSDL($this->wsdl); - } - // imports - // TODO: handle imports more properly, grabbing them in-line and nesting them - $imported_urls = array(); - $imported = 1; - while ($imported > 0) { - $imported = 0; - // Schema imports - foreach ($this->schemas as $ns => $list) { - foreach ($list as $xs) { - $wsdlparts = parse_url($this->wsdl); // this is bogusly simple! - foreach ($xs->imports as $ns2 => $list2) { - for ($ii = 0; $ii < count($list2); $ii++) { - if (! $list2[$ii]['loaded']) { - $this->schemas[$ns]->imports[$ns2][$ii]['loaded'] = true; - $url = $list2[$ii]['location']; - if ($url != '') { - $urlparts = parse_url($url); - if (!isset($urlparts['host'])) { - $url = $wsdlparts['scheme'] . '://' . $wsdlparts['host'] . (isset($wsdlparts['port']) ? ':' .$wsdlparts['port'] : '') . - substr($wsdlparts['path'],0,strrpos($wsdlparts['path'],'/') + 1) .$urlparts['path']; - } - if (! in_array($url, $imported_urls)) { - $this->parseWSDL($url); - $imported++; - $imported_urls[] = $url; - } - } else { - $this->debug("Unexpected scenario: empty URL for unloaded import"); - } - } - } - } - } - } - // WSDL imports - $wsdlparts = parse_url($this->wsdl); // this is bogusly simple! - foreach ($this->import as $ns => $list) { - for ($ii = 0; $ii < count($list); $ii++) { - if (! $list[$ii]['loaded']) { - $this->import[$ns][$ii]['loaded'] = true; - $url = $list[$ii]['location']; - if ($url != '') { - $urlparts = parse_url($url); - if (!isset($urlparts['host'])) { - $url = $wsdlparts['scheme'] . '://' . $wsdlparts['host'] . (isset($wsdlparts['port']) ? ':' . $wsdlparts['port'] : '') . - substr($wsdlparts['path'],0,strrpos($wsdlparts['path'],'/') + 1) .$urlparts['path']; - } - if (! in_array($url, $imported_urls)) { - $this->parseWSDL($url); - $imported++; - $imported_urls[] = $url; - } - } else { - $this->debug("Unexpected scenario: empty URL for unloaded import"); - } - } - } - } - } - // add new data to operation data - foreach($this->bindings as $binding => $bindingData) { - if (isset($bindingData['operations']) && is_array($bindingData['operations'])) { - foreach($bindingData['operations'] as $operation => $data) { - $this->debug('post-parse data gathering for ' . $operation); - $this->bindings[$binding]['operations'][$operation]['input'] = - isset($this->bindings[$binding]['operations'][$operation]['input']) ? - array_merge($this->bindings[$binding]['operations'][$operation]['input'], $this->portTypes[ $bindingData['portType'] ][$operation]['input']) : - $this->portTypes[ $bindingData['portType'] ][$operation]['input']; - $this->bindings[$binding]['operations'][$operation]['output'] = - isset($this->bindings[$binding]['operations'][$operation]['output']) ? - array_merge($this->bindings[$binding]['operations'][$operation]['output'], $this->portTypes[ $bindingData['portType'] ][$operation]['output']) : - $this->portTypes[ $bindingData['portType'] ][$operation]['output']; - if(isset($this->messages[ $this->bindings[$binding]['operations'][$operation]['input']['message'] ])){ - $this->bindings[$binding]['operations'][$operation]['input']['parts'] = $this->messages[ $this->bindings[$binding]['operations'][$operation]['input']['message'] ]; - } - if(isset($this->messages[ $this->bindings[$binding]['operations'][$operation]['output']['message'] ])){ - $this->bindings[$binding]['operations'][$operation]['output']['parts'] = $this->messages[ $this->bindings[$binding]['operations'][$operation]['output']['message'] ]; - } - // Set operation style if necessary, but do not override one already provided - if (isset($bindingData['style']) && !isset($this->bindings[$binding]['operations'][$operation]['style'])) { - $this->bindings[$binding]['operations'][$operation]['style'] = $bindingData['style']; - } - $this->bindings[$binding]['operations'][$operation]['transport'] = isset($bindingData['transport']) ? $bindingData['transport'] : ''; - $this->bindings[$binding]['operations'][$operation]['documentation'] = isset($this->portTypes[ $bindingData['portType'] ][$operation]['documentation']) ? $this->portTypes[ $bindingData['portType'] ][$operation]['documentation'] : ''; - $this->bindings[$binding]['operations'][$operation]['endpoint'] = isset($bindingData['endpoint']) ? $bindingData['endpoint'] : ''; - } - } - } - } - - /** - * parses the wsdl document - * - * @param string $wsdl path or URL - * @access private - */ - function parseWSDL($wsdl = '') { - $this->debug("parse WSDL at path=$wsdl"); - - if ($wsdl == '') { - $this->debug('no wsdl passed to parseWSDL()!!'); - $this->setError('no wsdl passed to parseWSDL()!!'); - return false; - } - - // parse $wsdl for url format - $wsdl_props = parse_url($wsdl); - - if (isset($wsdl_props['scheme']) && ($wsdl_props['scheme'] == 'http' || $wsdl_props['scheme'] == 'https')) { - $this->debug('getting WSDL http(s) URL ' . $wsdl); - // get wsdl - $tr = new soap_transport_http($wsdl, $this->curl_options, $this->use_curl); - $tr->request_method = 'GET'; - $tr->useSOAPAction = false; - if($this->proxyhost && $this->proxyport){ - $tr->setProxy($this->proxyhost,$this->proxyport,$this->proxyusername,$this->proxypassword); - } - if ($this->authtype != '') { - $tr->setCredentials($this->username, $this->password, $this->authtype, array(), $this->certRequest); - } - $tr->setEncoding('gzip, deflate'); - $wsdl_string = $tr->send('', $this->timeout, $this->response_timeout); - //$this->debug("WSDL request\n" . $tr->outgoing_payload); - //$this->debug("WSDL response\n" . $tr->incoming_payload); - $this->appendDebug($tr->getDebug()); - // catch errors - if($err = $tr->getError() ){ - $errstr = 'Getting ' . $wsdl . ' - HTTP ERROR: '.$err; - $this->debug($errstr); - $this->setError($errstr); - unset($tr); - return false; - } - unset($tr); - $this->debug("got WSDL URL"); - } else { - // $wsdl is not http(s), so treat it as a file URL or plain file path - if (isset($wsdl_props['scheme']) && ($wsdl_props['scheme'] == 'file') && isset($wsdl_props['path'])) { - $path = isset($wsdl_props['host']) ? ($wsdl_props['host'] . ':' . $wsdl_props['path']) : $wsdl_props['path']; - } else { - $path = $wsdl; - } - $this->debug('getting WSDL file ' . $path); - if ($fp = @fopen($path, 'r')) { - $wsdl_string = ''; - while ($data = fread($fp, 32768)) { - $wsdl_string .= $data; - } - fclose($fp); - } else { - $errstr = "Bad path to WSDL file $path"; - $this->debug($errstr); - $this->setError($errstr); - return false; - } - } - $this->debug('Parse WSDL'); - // end new code added - // Create an XML parser. - $this->parser = xml_parser_create(); - // Set the options for parsing the XML data. - // xml_parser_set_option($parser, XML_OPTION_SKIP_WHITE, 1); - xml_parser_set_option($this->parser, XML_OPTION_CASE_FOLDING, 0); - // Set the object for the parser. - xml_set_object($this->parser, $this); - // Set the element handlers for the parser. - xml_set_element_handler($this->parser, 'start_element', 'end_element'); - xml_set_character_data_handler($this->parser, 'character_data'); - // Parse the XML file. - if (!xml_parse($this->parser, $wsdl_string, true)) { - // Display an error message. - $errstr = sprintf( - 'XML error parsing WSDL from %s on line %d: %s', - $wsdl, - xml_get_current_line_number($this->parser), - xml_error_string(xml_get_error_code($this->parser)) - ); - $this->debug($errstr); - $this->debug("XML payload:\n" . $wsdl_string); - $this->setError($errstr); - return false; - } - // free the parser - xml_parser_free($this->parser); - $this->debug('Parsing WSDL done'); - // catch wsdl parse errors - if($this->getError()){ - return false; - } - return true; - } - - /** - * start-element handler - * - * @param string $parser XML parser object - * @param string $name element name - * @param string $attrs associative array of attributes - * @access private - */ - function start_element($parser, $name, $attrs) - { - if ($this->status == 'schema') { - $this->currentSchema->schemaStartElement($parser, $name, $attrs); - $this->appendDebug($this->currentSchema->getDebug()); - $this->currentSchema->clearDebug(); - } elseif (preg_match('/schema$/', $name)) { - $this->debug('Parsing WSDL schema'); - // $this->debug("startElement for $name ($attrs[name]). status = $this->status (".$this->getLocalPart($name).")"); - $this->status = 'schema'; - $this->currentSchema = new nusoap_xmlschema('', '', $this->namespaces); - $this->currentSchema->schemaStartElement($parser, $name, $attrs); - $this->appendDebug($this->currentSchema->getDebug()); - $this->currentSchema->clearDebug(); - } else { - // position in the total number of elements, starting from 0 - $pos = $this->position++; - $depth = $this->depth++; - // set self as current value for this depth - $this->depth_array[$depth] = $pos; - $this->message[$pos] = array('cdata' => ''); - // process attributes - if (count($attrs) > 0) { - // register namespace declarations - foreach($attrs as $k => $v) { - if (preg_match('/^xmlns/',$k)) { - if ($ns_prefix = substr(strrchr($k, ':'), 1)) { - $this->namespaces[$ns_prefix] = $v; - } else { - $this->namespaces['ns' . (count($this->namespaces) + 1)] = $v; - } - if ($v == 'http://www.w3.org/2001/XMLSchema' || $v == 'http://www.w3.org/1999/XMLSchema' || $v == 'http://www.w3.org/2000/10/XMLSchema') { - $this->XMLSchemaVersion = $v; - $this->namespaces['xsi'] = $v . '-instance'; - } - } - } - // expand each attribute prefix to its namespace - foreach($attrs as $k => $v) { - $k = strpos($k, ':') ? $this->expandQname($k) : $k; - if ($k != 'location' && $k != 'soapAction' && $k != 'namespace') { - $v = strpos($v, ':') ? $this->expandQname($v) : $v; - } - $eAttrs[$k] = $v; - } - $attrs = $eAttrs; - } else { - $attrs = array(); - } - // get element prefix, namespace and name - if (preg_match('/:/', $name)) { - // get ns prefix - $prefix = substr($name, 0, strpos($name, ':')); - // get ns - $namespace = isset($this->namespaces[$prefix]) ? $this->namespaces[$prefix] : ''; - // get unqualified name - $name = substr(strstr($name, ':'), 1); - } - // process attributes, expanding any prefixes to namespaces - // find status, register data - switch ($this->status) { - case 'message': - if ($name == 'part') { - if (isset($attrs['type'])) { - $this->debug("msg " . $this->currentMessage . ": found part (with type) $attrs[name]: " . implode(',', $attrs)); - $this->messages[$this->currentMessage][$attrs['name']] = $attrs['type']; - } - if (isset($attrs['element'])) { - $this->debug("msg " . $this->currentMessage . ": found part (with element) $attrs[name]: " . implode(',', $attrs)); - $this->messages[$this->currentMessage][$attrs['name']] = $attrs['element'] . '^'; - } - } - break; - case 'portType': - switch ($name) { - case 'operation': - $this->currentPortOperation = $attrs['name']; - $this->debug("portType $this->currentPortType operation: $this->currentPortOperation"); - if (isset($attrs['parameterOrder'])) { - $this->portTypes[$this->currentPortType][$attrs['name']]['parameterOrder'] = $attrs['parameterOrder']; - } - break; - case 'documentation': - $this->documentation = true; - break; - // merge input/output data - default: - $m = isset($attrs['message']) ? $this->getLocalPart($attrs['message']) : ''; - $this->portTypes[$this->currentPortType][$this->currentPortOperation][$name]['message'] = $m; - break; - } - break; - case 'binding': - switch ($name) { - case 'binding': - // get ns prefix - if (isset($attrs['style'])) { - $this->bindings[$this->currentBinding]['prefix'] = $prefix; - } - $this->bindings[$this->currentBinding] = array_merge($this->bindings[$this->currentBinding], $attrs); - break; - case 'header': - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus]['headers'][] = $attrs; - break; - case 'operation': - if (isset($attrs['soapAction'])) { - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['soapAction'] = $attrs['soapAction']; - } - if (isset($attrs['style'])) { - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['style'] = $attrs['style']; - } - if (isset($attrs['name'])) { - $this->currentOperation = $attrs['name']; - $this->debug("current binding operation: $this->currentOperation"); - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['name'] = $attrs['name']; - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['binding'] = $this->currentBinding; - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['endpoint'] = isset($this->bindings[$this->currentBinding]['endpoint']) ? $this->bindings[$this->currentBinding]['endpoint'] : ''; - } - break; - case 'input': - $this->opStatus = 'input'; - break; - case 'output': - $this->opStatus = 'output'; - break; - case 'body': - if (isset($this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus])) { - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus] = array_merge($this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus], $attrs); - } else { - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus] = $attrs; - } - break; - } - break; - case 'service': - switch ($name) { - case 'port': - $this->currentPort = $attrs['name']; - $this->debug('current port: ' . $this->currentPort); - $this->ports[$this->currentPort]['binding'] = $this->getLocalPart($attrs['binding']); - - break; - case 'address': - $this->ports[$this->currentPort]['location'] = $attrs['location']; - $this->ports[$this->currentPort]['bindingType'] = $namespace; - $this->bindings[ $this->ports[$this->currentPort]['binding'] ]['bindingType'] = $namespace; - $this->bindings[ $this->ports[$this->currentPort]['binding'] ]['endpoint'] = $attrs['location']; - break; - } - break; - } - // set status - switch ($name) { - case 'import': - if (isset($attrs['location'])) { - $this->import[$attrs['namespace']][] = array('location' => $attrs['location'], 'loaded' => false); - $this->debug('parsing import ' . $attrs['namespace']. ' - ' . $attrs['location'] . ' (' . count($this->import[$attrs['namespace']]).')'); - } else { - $this->import[$attrs['namespace']][] = array('location' => '', 'loaded' => true); - if (! $this->getPrefixFromNamespace($attrs['namespace'])) { - $this->namespaces['ns'.(count($this->namespaces)+1)] = $attrs['namespace']; - } - $this->debug('parsing import ' . $attrs['namespace']. ' - [no location] (' . count($this->import[$attrs['namespace']]).')'); - } - break; - //wait for schema - //case 'types': - // $this->status = 'schema'; - // break; - case 'message': - $this->status = 'message'; - $this->messages[$attrs['name']] = array(); - $this->currentMessage = $attrs['name']; - break; - case 'portType': - $this->status = 'portType'; - $this->portTypes[$attrs['name']] = array(); - $this->currentPortType = $attrs['name']; - break; - case "binding": - if (isset($attrs['name'])) { - // get binding name - if (strpos($attrs['name'], ':')) { - $this->currentBinding = $this->getLocalPart($attrs['name']); - } else { - $this->currentBinding = $attrs['name']; - } - $this->status = 'binding'; - $this->bindings[$this->currentBinding]['portType'] = $this->getLocalPart($attrs['type']); - $this->debug("current binding: $this->currentBinding of portType: " . $attrs['type']); - } - break; - case 'service': - $this->serviceName = $attrs['name']; - $this->status = 'service'; - $this->debug('current service: ' . $this->serviceName); - break; - case 'definitions': - foreach ($attrs as $name => $value) { - $this->wsdl_info[$name] = $value; - } - break; - } - } - } - - /** - * end-element handler - * - * @param string $parser XML parser object - * @param string $name element name - * @access private - */ - function end_element($parser, $name){ - // unset schema status - if (/*preg_match('/types$/', $name) ||*/ preg_match('/schema$/', $name)) { - $this->status = ""; - $this->appendDebug($this->currentSchema->getDebug()); - $this->currentSchema->clearDebug(); - $this->schemas[$this->currentSchema->schemaTargetNamespace][] = $this->currentSchema; - $this->debug('Parsing WSDL schema done'); - } - if ($this->status == 'schema') { - $this->currentSchema->schemaEndElement($parser, $name); - } else { - // bring depth down a notch - $this->depth--; - } - // end documentation - if ($this->documentation) { - //TODO: track the node to which documentation should be assigned; it can be a part, message, etc. - //$this->portTypes[$this->currentPortType][$this->currentPortOperation]['documentation'] = $this->documentation; - $this->documentation = false; - } - } - - /** - * element content handler - * - * @param string $parser XML parser object - * @param string $data element content - * @access private - */ - function character_data($parser, $data) - { - $pos = isset($this->depth_array[$this->depth]) ? $this->depth_array[$this->depth] : 0; - if (isset($this->message[$pos]['cdata'])) { - $this->message[$pos]['cdata'] .= $data; - } - if ($this->documentation) { - $this->documentation .= $data; - } - } - - /** - * if authenticating, set user credentials here - * - * @param string $username - * @param string $password - * @param string $authtype (basic|digest|certificate|ntlm) - * @param array $certRequest (keys must be cainfofile (optional), sslcertfile, sslkeyfile, passphrase, certpassword (optional), verifypeer (optional), verifyhost (optional): see corresponding options in cURL docs) - * @access public - */ - function setCredentials($username, $password, $authtype = 'basic', $certRequest = array()) { - $this->debug("setCredentials username=$username authtype=$authtype certRequest="); - $this->appendDebug($this->varDump($certRequest)); - $this->username = $username; - $this->password = $password; - $this->authtype = $authtype; - $this->certRequest = $certRequest; - } - - function getBindingData($binding) - { - if (is_array($this->bindings[$binding])) { - return $this->bindings[$binding]; - } - } - - /** - * returns an assoc array of operation names => operation data - * - * @param string $portName WSDL port name - * @param string $bindingType eg: soap, smtp, dime (only soap and soap12 are currently supported) - * @return array - * @access public - */ - function getOperations($portName = '', $bindingType = 'soap') { - $ops = array(); - if ($bindingType == 'soap') { - $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap/'; - } elseif ($bindingType == 'soap12') { - $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap12/'; - } else { - $this->debug("getOperations bindingType $bindingType may not be supported"); - } - $this->debug("getOperations for port '$portName' bindingType $bindingType"); - // loop thru ports - foreach($this->ports as $port => $portData) { - $this->debug("getOperations checking port $port bindingType " . $portData['bindingType']); - if ($portName == '' || $port == $portName) { - // binding type of port matches parameter - if ($portData['bindingType'] == $bindingType) { - $this->debug("getOperations found port $port bindingType $bindingType"); - //$this->debug("port data: " . $this->varDump($portData)); - //$this->debug("bindings: " . $this->varDump($this->bindings[ $portData['binding'] ])); - // merge bindings - if (isset($this->bindings[ $portData['binding'] ]['operations'])) { - $ops = array_merge ($ops, $this->bindings[ $portData['binding'] ]['operations']); - } - } - } - } - if (count($ops) == 0) { - $this->debug("getOperations found no operations for port '$portName' bindingType $bindingType"); - } - return $ops; - } - - /** - * returns an associative array of data necessary for calling an operation - * - * @param string $operation name of operation - * @param string $bindingType type of binding eg: soap, soap12 - * @return array - * @access public - */ - function getOperationData($operation, $bindingType = 'soap') - { - if ($bindingType == 'soap') { - $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap/'; - } elseif ($bindingType == 'soap12') { - $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap12/'; - } - // loop thru ports - foreach($this->ports as $port => $portData) { - // binding type of port matches parameter - if ($portData['bindingType'] == $bindingType) { - // get binding - //foreach($this->bindings[ $portData['binding'] ]['operations'] as $bOperation => $opData) { - foreach(array_keys($this->bindings[ $portData['binding'] ]['operations']) as $bOperation) { - // note that we could/should also check the namespace here - if ($operation == $bOperation) { - $opData = $this->bindings[ $portData['binding'] ]['operations'][$operation]; - return $opData; - } - } - } - } - } - - /** - * returns an associative array of data necessary for calling an operation - * - * @param string $soapAction soapAction for operation - * @param string $bindingType type of binding eg: soap, soap12 - * @return array - * @access public - */ - function getOperationDataForSoapAction($soapAction, $bindingType = 'soap') { - if ($bindingType == 'soap') { - $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap/'; - } elseif ($bindingType == 'soap12') { - $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap12/'; - } - // loop thru ports - foreach($this->ports as $port => $portData) { - // binding type of port matches parameter - if ($portData['bindingType'] == $bindingType) { - // loop through operations for the binding - foreach ($this->bindings[ $portData['binding'] ]['operations'] as $bOperation => $opData) { - if ($opData['soapAction'] == $soapAction) { - return $opData; - } - } - } - } - } - - /** - * returns an array of information about a given type - * returns false if no type exists by the given name - * - * typeDef = array( - * 'elements' => array(), // refs to elements array - * 'restrictionBase' => '', - * 'phpType' => '', - * 'order' => '(sequence|all)', - * 'attrs' => array() // refs to attributes array - * ) - * - * @param string $type the type - * @param string $ns namespace (not prefix) of the type - * @return mixed - * @access public - * @see nusoap_xmlschema - */ - function getTypeDef($type, $ns) { - $this->debug("in getTypeDef: type=$type, ns=$ns"); - if ((! $ns) && isset($this->namespaces['tns'])) { - $ns = $this->namespaces['tns']; - $this->debug("in getTypeDef: type namespace forced to $ns"); - } - if (!isset($this->schemas[$ns])) { - foreach ($this->schemas as $ns0 => $schema0) { - if (strcasecmp($ns, $ns0) == 0) { - $this->debug("in getTypeDef: replacing schema namespace $ns with $ns0"); - $ns = $ns0; - break; - } - } - } - if (isset($this->schemas[$ns])) { - $this->debug("in getTypeDef: have schema for namespace $ns"); - for ($i = 0; $i < count($this->schemas[$ns]); $i++) { - $xs = &$this->schemas[$ns][$i]; - $t = $xs->getTypeDef($type); - $this->appendDebug($xs->getDebug()); - $xs->clearDebug(); - if ($t) { - $this->debug("in getTypeDef: found type $type"); - if (!isset($t['phpType'])) { - // get info for type to tack onto the element - $uqType = substr($t['type'], strrpos($t['type'], ':') + 1); - $ns = substr($t['type'], 0, strrpos($t['type'], ':')); - $etype = $this->getTypeDef($uqType, $ns); - if ($etype) { - $this->debug("found type for [element] $type:"); - $this->debug($this->varDump($etype)); - if (isset($etype['phpType'])) { - $t['phpType'] = $etype['phpType']; - } - if (isset($etype['elements'])) { - $t['elements'] = $etype['elements']; - } - if (isset($etype['attrs'])) { - $t['attrs'] = $etype['attrs']; - } - } else { - $this->debug("did not find type for [element] $type"); - } - } - return $t; - } - } - $this->debug("in getTypeDef: did not find type $type"); - } else { - $this->debug("in getTypeDef: do not have schema for namespace $ns"); - } - return false; - } - - /** - * prints html description of services - * - * @access private - */ - function webDescription(){ - global $HTTP_SERVER_VARS; - - if (isset($_SERVER)) { - $PHP_SELF = $_SERVER['PHP_SELF']; - } elseif (isset($HTTP_SERVER_VARS)) { - $PHP_SELF = $HTTP_SERVER_VARS['PHP_SELF']; - } else { - $this->setError("Neither _SERVER nor HTTP_SERVER_VARS is available"); - } - - $b = ' - NuSOAP: '.$this->serviceName.' - - - - -
      -

      -
      '.$this->serviceName.'
      - -
      '; - return $b; - } - - /** - * serialize the parsed wsdl - * - * @param mixed $debug whether to put debug=1 in endpoint URL - * @return string serialization of WSDL - * @access public - */ - function serialize($debug = 0) - { - $xml = ''; - $xml .= "\nnamespaces as $k => $v) { - $xml .= " xmlns:$k=\"$v\""; - } - // 10.9.02 - add poulter fix for wsdl and tns declarations - if (isset($this->namespaces['wsdl'])) { - $xml .= " xmlns=\"" . $this->namespaces['wsdl'] . "\""; - } - if (isset($this->namespaces['tns'])) { - $xml .= " targetNamespace=\"" . $this->namespaces['tns'] . "\""; - } - $xml .= '>'; - // imports - if (sizeof($this->import) > 0) { - foreach($this->import as $ns => $list) { - foreach ($list as $ii) { - if ($ii['location'] != '') { - $xml .= ''; - } else { - $xml .= ''; - } - } - } - } - // types - if (count($this->schemas)>=1) { - $xml .= "\n\n"; - foreach ($this->schemas as $ns => $list) { - foreach ($list as $xs) { - $xml .= $xs->serializeSchema(); - } - } - $xml .= ''; - } - // messages - if (count($this->messages) >= 1) { - foreach($this->messages as $msgName => $msgParts) { - $xml .= "\n'; - if(is_array($msgParts)){ - foreach($msgParts as $partName => $partType) { - // print 'serializing '.$partType.', sv: '.$this->XMLSchemaVersion.'
      '; - if (strpos($partType, ':')) { - $typePrefix = $this->getPrefixFromNamespace($this->getPrefix($partType)); - } elseif (isset($this->typemap[$this->namespaces['xsd']][$partType])) { - // print 'checking typemap: '.$this->XMLSchemaVersion.'
      '; - $typePrefix = 'xsd'; - } else { - foreach($this->typemap as $ns => $types) { - if (isset($types[$partType])) { - $typePrefix = $this->getPrefixFromNamespace($ns); - } - } - if (!isset($typePrefix)) { - die("$partType has no namespace!"); - } - } - $ns = $this->getNamespaceFromPrefix($typePrefix); - $localPart = $this->getLocalPart($partType); - $typeDef = $this->getTypeDef($localPart, $ns); - if ($typeDef['typeClass'] == 'element') { - $elementortype = 'element'; - if (substr($localPart, -1) == '^') { - $localPart = substr($localPart, 0, -1); - } - } else { - $elementortype = 'type'; - } - $xml .= "\n" . ' '; - } - } - $xml .= '
      '; - } - } - // bindings & porttypes - if (count($this->bindings) >= 1) { - $binding_xml = ''; - $portType_xml = ''; - foreach($this->bindings as $bindingName => $attrs) { - $binding_xml .= "\n'; - $binding_xml .= "\n" . ' '; - $portType_xml .= "\n'; - foreach($attrs['operations'] as $opName => $opParts) { - $binding_xml .= "\n" . ' '; - $binding_xml .= "\n" . ' '; - if (isset($opParts['input']['encodingStyle']) && $opParts['input']['encodingStyle'] != '') { - $enc_style = ' encodingStyle="' . $opParts['input']['encodingStyle'] . '"'; - } else { - $enc_style = ''; - } - $binding_xml .= "\n" . ' '; - if (isset($opParts['output']['encodingStyle']) && $opParts['output']['encodingStyle'] != '') { - $enc_style = ' encodingStyle="' . $opParts['output']['encodingStyle'] . '"'; - } else { - $enc_style = ''; - } - $binding_xml .= "\n" . ' '; - $binding_xml .= "\n" . ' '; - $portType_xml .= "\n" . ' ' . htmlspecialchars($opParts['documentation']) . ''; - } - $portType_xml .= "\n" . ' '; - $portType_xml .= "\n" . ' '; - $portType_xml .= "\n" . ' '; - } - $portType_xml .= "\n" . ''; - $binding_xml .= "\n" . ''; - } - $xml .= $portType_xml . $binding_xml; - } - // services - $xml .= "\nserviceName . '">'; - if (count($this->ports) >= 1) { - foreach($this->ports as $pName => $attrs) { - $xml .= "\n" . ' '; - $xml .= "\n" . ' '; - $xml .= "\n" . ' '; - } - } - $xml .= "\n" . ''; - return $xml . "\n"; - } - - /** - * determine whether a set of parameters are unwrapped - * when they are expect to be wrapped, Microsoft-style. - * - * @param string $type the type (element name) of the wrapper - * @param array $parameters the parameter values for the SOAP call - * @return boolean whether they parameters are unwrapped (and should be wrapped) - * @access private - */ - function parametersMatchWrapped($type, &$parameters) { - $this->debug("in parametersMatchWrapped type=$type, parameters="); - $this->appendDebug($this->varDump($parameters)); - - // split type into namespace:unqualified-type - if (strpos($type, ':')) { - $uqType = substr($type, strrpos($type, ':') + 1); - $ns = substr($type, 0, strrpos($type, ':')); - $this->debug("in parametersMatchWrapped: got a prefixed type: $uqType, $ns"); - if ($this->getNamespaceFromPrefix($ns)) { - $ns = $this->getNamespaceFromPrefix($ns); - $this->debug("in parametersMatchWrapped: expanded prefixed type: $uqType, $ns"); - } - } else { - // TODO: should the type be compared to types in XSD, and the namespace - // set to XSD if the type matches? - $this->debug("in parametersMatchWrapped: No namespace for type $type"); - $ns = ''; - $uqType = $type; - } - - // get the type information - if (!$typeDef = $this->getTypeDef($uqType, $ns)) { - $this->debug("in parametersMatchWrapped: $type ($uqType) is not a supported type."); - return false; - } - $this->debug("in parametersMatchWrapped: found typeDef="); - $this->appendDebug($this->varDump($typeDef)); - if (substr($uqType, -1) == '^') { - $uqType = substr($uqType, 0, -1); - } - $phpType = $typeDef['phpType']; - $arrayType = (isset($typeDef['arrayType']) ? $typeDef['arrayType'] : ''); - $this->debug("in parametersMatchWrapped: uqType: $uqType, ns: $ns, phptype: $phpType, arrayType: $arrayType"); - - // we expect a complexType or element of complexType - if ($phpType != 'struct') { - $this->debug("in parametersMatchWrapped: not a struct"); - return false; - } - - // see whether the parameter names match the elements - if (isset($typeDef['elements']) && is_array($typeDef['elements'])) { - $elements = 0; - $matches = 0; - foreach ($typeDef['elements'] as $name => $attrs) { - if (isset($parameters[$name])) { - $this->debug("in parametersMatchWrapped: have parameter named $name"); - $matches++; - } else { - $this->debug("in parametersMatchWrapped: do not have parameter named $name"); - } - $elements++; - } - - $this->debug("in parametersMatchWrapped: $matches parameter names match $elements wrapped parameter names"); - if ($matches == 0) { - return false; - } - return true; - } - - // since there are no elements for the type, if the user passed no - // parameters, the parameters match wrapped. - $this->debug("in parametersMatchWrapped: no elements type $ns:$uqType"); - return count($parameters) == 0; - } - - /** - * serialize PHP values according to a WSDL message definition - * contrary to the method name, this is not limited to RPC - * - * TODO - * - multi-ref serialization - * - validate PHP values against type definitions, return errors if invalid - * - * @param string $operation operation name - * @param string $direction (input|output) - * @param mixed $parameters parameter value(s) - * @param string $bindingType (soap|soap12) - * @return mixed parameters serialized as XML or false on error (e.g. operation not found) - * @access public - */ - function serializeRPCParameters($operation, $direction, $parameters, $bindingType = 'soap') { - $this->debug("in serializeRPCParameters: operation=$operation, direction=$direction, XMLSchemaVersion=$this->XMLSchemaVersion, bindingType=$bindingType"); - $this->appendDebug('parameters=' . $this->varDump($parameters)); - - if ($direction != 'input' && $direction != 'output') { - $this->debug('The value of the \$direction argument needs to be either "input" or "output"'); - $this->setError('The value of the \$direction argument needs to be either "input" or "output"'); - return false; - } - if (!$opData = $this->getOperationData($operation, $bindingType)) { - $this->debug('Unable to retrieve WSDL data for operation: ' . $operation . ' bindingType: ' . $bindingType); - $this->setError('Unable to retrieve WSDL data for operation: ' . $operation . ' bindingType: ' . $bindingType); - return false; - } - $this->debug('in serializeRPCParameters: opData:'); - $this->appendDebug($this->varDump($opData)); - - // Get encoding style for output and set to current - $encodingStyle = 'http://schemas.xmlsoap.org/soap/encoding/'; - if(($direction == 'input') && isset($opData['output']['encodingStyle']) && ($opData['output']['encodingStyle'] != $encodingStyle)) { - $encodingStyle = $opData['output']['encodingStyle']; - $enc_style = $encodingStyle; - } - - // set input params - $xml = ''; - if (isset($opData[$direction]['parts']) && sizeof($opData[$direction]['parts']) > 0) { - $parts = &$opData[$direction]['parts']; - $part_count = sizeof($parts); - $style = $opData['style']; - $use = $opData[$direction]['use']; - $this->debug("have $part_count part(s) to serialize using $style/$use"); - if (is_array($parameters)) { - $parametersArrayType = $this->isArraySimpleOrStruct($parameters); - $parameter_count = count($parameters); - $this->debug("have $parameter_count parameter(s) provided as $parametersArrayType to serialize"); - // check for Microsoft-style wrapped parameters - if ($style == 'document' && $use == 'literal' && $part_count == 1 && isset($parts['parameters'])) { - $this->debug('check whether the caller has wrapped the parameters'); - if ($direction == 'output' && $parametersArrayType == 'arraySimple' && $parameter_count == 1) { - // TODO: consider checking here for double-wrapping, when - // service function wraps, then NuSOAP wraps again - $this->debug("change simple array to associative with 'parameters' element"); - $parameters['parameters'] = $parameters[0]; - unset($parameters[0]); - } - if (($parametersArrayType == 'arrayStruct' || $parameter_count == 0) && !isset($parameters['parameters'])) { - $this->debug('check whether caller\'s parameters match the wrapped ones'); - if ($this->parametersMatchWrapped($parts['parameters'], $parameters)) { - $this->debug('wrap the parameters for the caller'); - $parameters = array('parameters' => $parameters); - $parameter_count = 1; - } - } - } - foreach ($parts as $name => $type) { - $this->debug("serializing part $name of type $type"); - // Track encoding style - if (isset($opData[$direction]['encodingStyle']) && $encodingStyle != $opData[$direction]['encodingStyle']) { - $encodingStyle = $opData[$direction]['encodingStyle']; - $enc_style = $encodingStyle; - } else { - $enc_style = false; - } - // NOTE: add error handling here - // if serializeType returns false, then catch global error and fault - if ($parametersArrayType == 'arraySimple') { - $p = array_shift($parameters); - $this->debug('calling serializeType w/indexed param'); - $xml .= $this->serializeType($name, $type, $p, $use, $enc_style); - } elseif (isset($parameters[$name])) { - $this->debug('calling serializeType w/named param'); - $xml .= $this->serializeType($name, $type, $parameters[$name], $use, $enc_style); - } else { - // TODO: only send nillable - $this->debug('calling serializeType w/null param'); - $xml .= $this->serializeType($name, $type, null, $use, $enc_style); - } - } - } else { - $this->debug('no parameters passed.'); - } - } - $this->debug("serializeRPCParameters returning: $xml"); - return $xml; - } - - /** - * serialize a PHP value according to a WSDL message definition - * - * TODO - * - multi-ref serialization - * - validate PHP values against type definitions, return errors if invalid - * - * @param string $operation operation name - * @param string $direction (input|output) - * @param mixed $parameters parameter value(s) - * @return mixed parameters serialized as XML or false on error (e.g. operation not found) - * @access public - * @deprecated - */ - function serializeParameters($operation, $direction, $parameters) - { - $this->debug("in serializeParameters: operation=$operation, direction=$direction, XMLSchemaVersion=$this->XMLSchemaVersion"); - $this->appendDebug('parameters=' . $this->varDump($parameters)); - - if ($direction != 'input' && $direction != 'output') { - $this->debug('The value of the \$direction argument needs to be either "input" or "output"'); - $this->setError('The value of the \$direction argument needs to be either "input" or "output"'); - return false; - } - if (!$opData = $this->getOperationData($operation)) { - $this->debug('Unable to retrieve WSDL data for operation: ' . $operation); - $this->setError('Unable to retrieve WSDL data for operation: ' . $operation); - return false; - } - $this->debug('opData:'); - $this->appendDebug($this->varDump($opData)); - - // Get encoding style for output and set to current - $encodingStyle = 'http://schemas.xmlsoap.org/soap/encoding/'; - if(($direction == 'input') && isset($opData['output']['encodingStyle']) && ($opData['output']['encodingStyle'] != $encodingStyle)) { - $encodingStyle = $opData['output']['encodingStyle']; - $enc_style = $encodingStyle; - } - - // set input params - $xml = ''; - if (isset($opData[$direction]['parts']) && sizeof($opData[$direction]['parts']) > 0) { - - $use = $opData[$direction]['use']; - $this->debug("use=$use"); - $this->debug('got ' . count($opData[$direction]['parts']) . ' part(s)'); - if (is_array($parameters)) { - $parametersArrayType = $this->isArraySimpleOrStruct($parameters); - $this->debug('have ' . $parametersArrayType . ' parameters'); - foreach($opData[$direction]['parts'] as $name => $type) { - $this->debug('serializing part "'.$name.'" of type "'.$type.'"'); - // Track encoding style - if(isset($opData[$direction]['encodingStyle']) && $encodingStyle != $opData[$direction]['encodingStyle']) { - $encodingStyle = $opData[$direction]['encodingStyle']; - $enc_style = $encodingStyle; - } else { - $enc_style = false; - } - // NOTE: add error handling here - // if serializeType returns false, then catch global error and fault - if ($parametersArrayType == 'arraySimple') { - $p = array_shift($parameters); - $this->debug('calling serializeType w/indexed param'); - $xml .= $this->serializeType($name, $type, $p, $use, $enc_style); - } elseif (isset($parameters[$name])) { - $this->debug('calling serializeType w/named param'); - $xml .= $this->serializeType($name, $type, $parameters[$name], $use, $enc_style); - } else { - // TODO: only send nillable - $this->debug('calling serializeType w/null param'); - $xml .= $this->serializeType($name, $type, null, $use, $enc_style); - } - } - } else { - $this->debug('no parameters passed.'); - } - } - $this->debug("serializeParameters returning: $xml"); - return $xml; - } - - /** - * serializes a PHP value according a given type definition - * - * @param string $name name of value (part or element) - * @param string $type XML schema type of value (type or element) - * @param mixed $value a native PHP value (parameter value) - * @param string $use use for part (encoded|literal) - * @param string $encodingStyle SOAP encoding style for the value (if different than the enclosing style) - * @param boolean $unqualified a kludge for what should be XML namespace form handling - * @return string value serialized as an XML string - * @access private - */ - function serializeType($name, $type, $value, $use='encoded', $encodingStyle=false, $unqualified=false) - { - $this->debug("in serializeType: name=$name, type=$type, use=$use, encodingStyle=$encodingStyle, unqualified=" . ($unqualified ? "unqualified" : "qualified")); - $this->appendDebug("value=" . $this->varDump($value)); - if($use == 'encoded' && $encodingStyle) { - $encodingStyle = ' SOAP-ENV:encodingStyle="' . $encodingStyle . '"'; - } - - // if a soapval has been supplied, let its type override the WSDL - if (is_object($value) && get_class($value) == 'soapval') { - if ($value->type_ns) { - $type = $value->type_ns . ':' . $value->type; - $forceType = true; - $this->debug("in serializeType: soapval overrides type to $type"); - } elseif ($value->type) { - $type = $value->type; - $forceType = true; - $this->debug("in serializeType: soapval overrides type to $type"); - } else { - $forceType = false; - $this->debug("in serializeType: soapval does not override type"); - } - $attrs = $value->attributes; - $value = $value->value; - $this->debug("in serializeType: soapval overrides value to $value"); - if ($attrs) { - if (!is_array($value)) { - $value['!'] = $value; - } - foreach ($attrs as $n => $v) { - $value['!' . $n] = $v; - } - $this->debug("in serializeType: soapval provides attributes"); - } - } else { - $forceType = false; - } - - $xml = ''; - if (strpos($type, ':')) { - $uqType = substr($type, strrpos($type, ':') + 1); - $ns = substr($type, 0, strrpos($type, ':')); - $this->debug("in serializeType: got a prefixed type: $uqType, $ns"); - if ($this->getNamespaceFromPrefix($ns)) { - $ns = $this->getNamespaceFromPrefix($ns); - $this->debug("in serializeType: expanded prefixed type: $uqType, $ns"); - } - - if($ns == $this->XMLSchemaVersion || $ns == 'http://schemas.xmlsoap.org/soap/encoding/'){ - $this->debug('in serializeType: type namespace indicates XML Schema or SOAP Encoding type'); - if ($unqualified && $use == 'literal') { - $elementNS = " xmlns=\"\""; - } else { - $elementNS = ''; - } - if (is_null($value)) { - if ($use == 'literal') { - // TODO: depends on minOccurs - $xml = "<$name$elementNS/>"; - } else { - // TODO: depends on nillable, which should be checked before calling this method - $xml = "<$name$elementNS xsi:nil=\"true\" xsi:type=\"" . $this->getPrefixFromNamespace($ns) . ":$uqType\"/>"; - } - $this->debug("in serializeType: returning: $xml"); - return $xml; - } - if ($uqType == 'Array') { - // JBoss/Axis does this sometimes - return $this->serialize_val($value, $name, false, false, false, false, $use); - } - if ($uqType == 'boolean') { - if ((is_string($value) && $value == 'false') || (! $value)) { - $value = 'false'; - } else { - $value = 'true'; - } - } - if ($uqType == 'string' && gettype($value) == 'string') { - $value = $this->expandEntities($value); - } - if (($uqType == 'long' || $uqType == 'unsignedLong') && gettype($value) == 'double') { - $value = sprintf("%.0lf", $value); - } - // it's a scalar - // TODO: what about null/nil values? - // check type isn't a custom type extending xmlschema namespace - if (!$this->getTypeDef($uqType, $ns)) { - if ($use == 'literal') { - if ($forceType) { - $xml = "<$name$elementNS xsi:type=\"" . $this->getPrefixFromNamespace($ns) . ":$uqType\">$value"; - } else { - $xml = "<$name$elementNS>$value"; - } - } else { - $xml = "<$name$elementNS xsi:type=\"" . $this->getPrefixFromNamespace($ns) . ":$uqType\"$encodingStyle>$value"; - } - $this->debug("in serializeType: returning: $xml"); - return $xml; - } - $this->debug('custom type extends XML Schema or SOAP Encoding namespace (yuck)'); - } else if ($ns == 'http://xml.apache.org/xml-soap') { - $this->debug('in serializeType: appears to be Apache SOAP type'); - if ($uqType == 'Map') { - $tt_prefix = $this->getPrefixFromNamespace('http://xml.apache.org/xml-soap'); - if (! $tt_prefix) { - $this->debug('in serializeType: Add namespace for Apache SOAP type'); - $tt_prefix = 'ns' . rand(1000, 9999); - $this->namespaces[$tt_prefix] = 'http://xml.apache.org/xml-soap'; - // force this to be added to usedNamespaces - $tt_prefix = $this->getPrefixFromNamespace('http://xml.apache.org/xml-soap'); - } - $contents = ''; - foreach($value as $k => $v) { - $this->debug("serializing map element: key $k, value $v"); - $contents .= ''; - $contents .= $this->serialize_val($k,'key',false,false,false,false,$use); - $contents .= $this->serialize_val($v,'value',false,false,false,false,$use); - $contents .= ''; - } - if ($use == 'literal') { - if ($forceType) { - $xml = "<$name xsi:type=\"" . $tt_prefix . ":$uqType\">$contents"; - } else { - $xml = "<$name>$contents"; - } - } else { - $xml = "<$name xsi:type=\"" . $tt_prefix . ":$uqType\"$encodingStyle>$contents"; - } - $this->debug("in serializeType: returning: $xml"); - return $xml; - } - $this->debug('in serializeType: Apache SOAP type, but only support Map'); - } - } else { - // TODO: should the type be compared to types in XSD, and the namespace - // set to XSD if the type matches? - $this->debug("in serializeType: No namespace for type $type"); - $ns = ''; - $uqType = $type; - } - if(!$typeDef = $this->getTypeDef($uqType, $ns)){ - $this->setError("$type ($uqType) is not a supported type."); - $this->debug("in serializeType: $type ($uqType) is not a supported type."); - return false; - } else { - $this->debug("in serializeType: found typeDef"); - $this->appendDebug('typeDef=' . $this->varDump($typeDef)); - if (substr($uqType, -1) == '^') { - $uqType = substr($uqType, 0, -1); - } - } - if (!isset($typeDef['phpType'])) { - $this->setError("$type ($uqType) has no phpType."); - $this->debug("in serializeType: $type ($uqType) has no phpType."); - return false; - } - $phpType = $typeDef['phpType']; - $this->debug("in serializeType: uqType: $uqType, ns: $ns, phptype: $phpType, arrayType: " . (isset($typeDef['arrayType']) ? $typeDef['arrayType'] : '') ); - // if php type == struct, map value to the element names - if ($phpType == 'struct') { - if (isset($typeDef['typeClass']) && $typeDef['typeClass'] == 'element') { - $elementName = $uqType; - if (isset($typeDef['form']) && ($typeDef['form'] == 'qualified')) { - $elementNS = " xmlns=\"$ns\""; - } else { - $elementNS = " xmlns=\"\""; - } - } else { - $elementName = $name; - if ($unqualified) { - $elementNS = " xmlns=\"\""; - } else { - $elementNS = ''; - } - } - if (is_null($value)) { - if ($use == 'literal') { - // TODO: depends on minOccurs and nillable - $xml = "<$elementName$elementNS/>"; - } else { - $xml = "<$elementName$elementNS xsi:nil=\"true\" xsi:type=\"" . $this->getPrefixFromNamespace($ns) . ":$uqType\"/>"; - } - $this->debug("in serializeType: returning: $xml"); - return $xml; - } - if (is_object($value)) { - $value = get_object_vars($value); - } - if (is_array($value)) { - $elementAttrs = $this->serializeComplexTypeAttributes($typeDef, $value, $ns, $uqType); - if ($use == 'literal') { - if ($forceType) { - $xml = "<$elementName$elementNS$elementAttrs xsi:type=\"" . $this->getPrefixFromNamespace($ns) . ":$uqType\">"; - } else { - $xml = "<$elementName$elementNS$elementAttrs>"; - } - } else { - $xml = "<$elementName$elementNS$elementAttrs xsi:type=\"" . $this->getPrefixFromNamespace($ns) . ":$uqType\"$encodingStyle>"; - } - - if (isset($typeDef['simpleContent']) && $typeDef['simpleContent'] == 'true') { - if (isset($value['!'])) { - $xml .= $value['!']; - $this->debug("in serializeType: serialized simpleContent for type $type"); - } else { - $this->debug("in serializeType: no simpleContent to serialize for type $type"); - } - } else { - // complexContent - $xml .= $this->serializeComplexTypeElements($typeDef, $value, $ns, $uqType, $use, $encodingStyle); - } - $xml .= ""; - } else { - $this->debug("in serializeType: phpType is struct, but value is not an array"); - $this->setError("phpType is struct, but value is not an array: see debug output for details"); - $xml = ''; - } - } elseif ($phpType == 'array') { - if (isset($typeDef['form']) && ($typeDef['form'] == 'qualified')) { - $elementNS = " xmlns=\"$ns\""; - } else { - if ($unqualified) { - $elementNS = " xmlns=\"\""; - } else { - $elementNS = ''; - } - } - if (is_null($value)) { - if ($use == 'literal') { - // TODO: depends on minOccurs - $xml = "<$name$elementNS/>"; - } else { - $xml = "<$name$elementNS xsi:nil=\"true\" xsi:type=\"" . - $this->getPrefixFromNamespace('http://schemas.xmlsoap.org/soap/encoding/') . - ":Array\" " . - $this->getPrefixFromNamespace('http://schemas.xmlsoap.org/soap/encoding/') . - ':arrayType="' . - $this->getPrefixFromNamespace($this->getPrefix($typeDef['arrayType'])) . - ':' . - $this->getLocalPart($typeDef['arrayType'])."[0]\"/>"; - } - $this->debug("in serializeType: returning: $xml"); - return $xml; - } - if (isset($typeDef['multidimensional'])) { - $nv = array(); - foreach($value as $v) { - $cols = ',' . sizeof($v); - $nv = array_merge($nv, $v); - } - $value = $nv; - } else { - $cols = ''; - } - if (is_array($value) && sizeof($value) >= 1) { - $rows = sizeof($value); - $contents = ''; - foreach($value as $k => $v) { - $this->debug("serializing array element: $k, $v of type: $typeDef[arrayType]"); - //if (strpos($typeDef['arrayType'], ':') ) { - if (!in_array($typeDef['arrayType'],$this->typemap['http://www.w3.org/2001/XMLSchema'])) { - $contents .= $this->serializeType('item', $typeDef['arrayType'], $v, $use); - } else { - $contents .= $this->serialize_val($v, 'item', $typeDef['arrayType'], null, $this->XMLSchemaVersion, false, $use); - } - } - } else { - $rows = 0; - $contents = null; - } - // TODO: for now, an empty value will be serialized as a zero element - // array. Revisit this when coding the handling of null/nil values. - if ($use == 'literal') { - $xml = "<$name$elementNS>" - .$contents - .""; - } else { - $xml = "<$name$elementNS xsi:type=\"".$this->getPrefixFromNamespace('http://schemas.xmlsoap.org/soap/encoding/').':Array" '. - $this->getPrefixFromNamespace('http://schemas.xmlsoap.org/soap/encoding/') - .':arrayType="' - .$this->getPrefixFromNamespace($this->getPrefix($typeDef['arrayType'])) - .":".$this->getLocalPart($typeDef['arrayType'])."[$rows$cols]\">" - .$contents - .""; - } - } elseif ($phpType == 'scalar') { - if (isset($typeDef['form']) && ($typeDef['form'] == 'qualified')) { - $elementNS = " xmlns=\"$ns\""; - } else { - if ($unqualified) { - $elementNS = " xmlns=\"\""; - } else { - $elementNS = ''; - } - } - if ($use == 'literal') { - if ($forceType) { - $xml = "<$name$elementNS xsi:type=\"" . $this->getPrefixFromNamespace($ns) . ":$uqType\">$value"; - } else { - $xml = "<$name$elementNS>$value"; - } - } else { - $xml = "<$name$elementNS xsi:type=\"" . $this->getPrefixFromNamespace($ns) . ":$uqType\"$encodingStyle>$value"; - } - } - $this->debug("in serializeType: returning: $xml"); - return $xml; - } - - /** - * serializes the attributes for a complexType - * - * @param array $typeDef our internal representation of an XML schema type (or element) - * @param mixed $value a native PHP value (parameter value) - * @param string $ns the namespace of the type - * @param string $uqType the local part of the type - * @return string value serialized as an XML string - * @access private - */ - function serializeComplexTypeAttributes($typeDef, $value, $ns, $uqType) { - $this->debug("serializeComplexTypeAttributes for XML Schema type $ns:$uqType"); - $xml = ''; - if (isset($typeDef['extensionBase'])) { - $nsx = $this->getPrefix($typeDef['extensionBase']); - $uqTypex = $this->getLocalPart($typeDef['extensionBase']); - if ($this->getNamespaceFromPrefix($nsx)) { - $nsx = $this->getNamespaceFromPrefix($nsx); - } - if ($typeDefx = $this->getTypeDef($uqTypex, $nsx)) { - $this->debug("serialize attributes for extension base $nsx:$uqTypex"); - $xml .= $this->serializeComplexTypeAttributes($typeDefx, $value, $nsx, $uqTypex); - } else { - $this->debug("extension base $nsx:$uqTypex is not a supported type"); - } - } - if (isset($typeDef['attrs']) && is_array($typeDef['attrs'])) { - $this->debug("serialize attributes for XML Schema type $ns:$uqType"); - if (is_array($value)) { - $xvalue = $value; - } elseif (is_object($value)) { - $xvalue = get_object_vars($value); - } else { - $this->debug("value is neither an array nor an object for XML Schema type $ns:$uqType"); - $xvalue = array(); - } - foreach ($typeDef['attrs'] as $aName => $attrs) { - if (isset($xvalue['!' . $aName])) { - $xname = '!' . $aName; - $this->debug("value provided for attribute $aName with key $xname"); - } elseif (isset($xvalue[$aName])) { - $xname = $aName; - $this->debug("value provided for attribute $aName with key $xname"); - } elseif (isset($attrs['default'])) { - $xname = '!' . $aName; - $xvalue[$xname] = $attrs['default']; - $this->debug('use default value of ' . $xvalue[$aName] . ' for attribute ' . $aName); - } else { - $xname = ''; - $this->debug("no value provided for attribute $aName"); - } - if ($xname) { - $xml .= " $aName=\"" . $this->expandEntities($xvalue[$xname]) . "\""; - } - } - } else { - $this->debug("no attributes to serialize for XML Schema type $ns:$uqType"); - } - return $xml; - } - - /** - * serializes the elements for a complexType - * - * @param array $typeDef our internal representation of an XML schema type (or element) - * @param mixed $value a native PHP value (parameter value) - * @param string $ns the namespace of the type - * @param string $uqType the local part of the type - * @param string $use use for part (encoded|literal) - * @param string $encodingStyle SOAP encoding style for the value (if different than the enclosing style) - * @return string value serialized as an XML string - * @access private - */ - function serializeComplexTypeElements($typeDef, $value, $ns, $uqType, $use='encoded', $encodingStyle=false) { - $this->debug("in serializeComplexTypeElements for XML Schema type $ns:$uqType"); - $xml = ''; - if (isset($typeDef['extensionBase'])) { - $nsx = $this->getPrefix($typeDef['extensionBase']); - $uqTypex = $this->getLocalPart($typeDef['extensionBase']); - if ($this->getNamespaceFromPrefix($nsx)) { - $nsx = $this->getNamespaceFromPrefix($nsx); - } - if ($typeDefx = $this->getTypeDef($uqTypex, $nsx)) { - $this->debug("serialize elements for extension base $nsx:$uqTypex"); - $xml .= $this->serializeComplexTypeElements($typeDefx, $value, $nsx, $uqTypex, $use, $encodingStyle); - } else { - $this->debug("extension base $nsx:$uqTypex is not a supported type"); - } - } - if (isset($typeDef['elements']) && is_array($typeDef['elements'])) { - $this->debug("in serializeComplexTypeElements, serialize elements for XML Schema type $ns:$uqType"); - if (is_array($value)) { - $xvalue = $value; - } elseif (is_object($value)) { - $xvalue = get_object_vars($value); - } else { - $this->debug("value is neither an array nor an object for XML Schema type $ns:$uqType"); - $xvalue = array(); - } - // toggle whether all elements are present - ideally should validate against schema - if (count($typeDef['elements']) != count($xvalue)){ - $optionals = true; - } - foreach ($typeDef['elements'] as $eName => $attrs) { - if (!isset($xvalue[$eName])) { - if (isset($attrs['default'])) { - $xvalue[$eName] = $attrs['default']; - $this->debug('use default value of ' . $xvalue[$eName] . ' for element ' . $eName); - } - } - // if user took advantage of a minOccurs=0, then only serialize named parameters - if (isset($optionals) - && (!isset($xvalue[$eName])) - && ( (!isset($attrs['nillable'])) || $attrs['nillable'] != 'true') - ){ - if (isset($attrs['minOccurs']) && $attrs['minOccurs'] <> '0') { - $this->debug("apparent error: no value provided for element $eName with minOccurs=" . $attrs['minOccurs']); - } - // do nothing - $this->debug("no value provided for complexType element $eName and element is not nillable, so serialize nothing"); - } else { - // get value - if (isset($xvalue[$eName])) { - $v = $xvalue[$eName]; - } else { - $v = null; - } - if (isset($attrs['form'])) { - $unqualified = ($attrs['form'] == 'unqualified'); - } else { - $unqualified = false; - } - if (isset($attrs['maxOccurs']) && ($attrs['maxOccurs'] == 'unbounded' || $attrs['maxOccurs'] > 1) && isset($v) && is_array($v) && $this->isArraySimpleOrStruct($v) == 'arraySimple') { - $vv = $v; - foreach ($vv as $k => $v) { - if (isset($attrs['type']) || isset($attrs['ref'])) { - // serialize schema-defined type - $xml .= $this->serializeType($eName, isset($attrs['type']) ? $attrs['type'] : $attrs['ref'], $v, $use, $encodingStyle, $unqualified); - } else { - // serialize generic type (can this ever really happen?) - $this->debug("calling serialize_val() for $v, $eName, false, false, false, false, $use"); - $xml .= $this->serialize_val($v, $eName, false, false, false, false, $use); - } - } - } else { - if (is_null($v) && isset($attrs['minOccurs']) && $attrs['minOccurs'] == '0') { - // do nothing - } elseif (is_null($v) && isset($attrs['nillable']) && $attrs['nillable'] == 'true') { - // TODO: serialize a nil correctly, but for now serialize schema-defined type - $xml .= $this->serializeType($eName, isset($attrs['type']) ? $attrs['type'] : $attrs['ref'], $v, $use, $encodingStyle, $unqualified); - } elseif (isset($attrs['type']) || isset($attrs['ref'])) { - // serialize schema-defined type - $xml .= $this->serializeType($eName, isset($attrs['type']) ? $attrs['type'] : $attrs['ref'], $v, $use, $encodingStyle, $unqualified); - } else { - // serialize generic type (can this ever really happen?) - $this->debug("calling serialize_val() for $v, $eName, false, false, false, false, $use"); - $xml .= $this->serialize_val($v, $eName, false, false, false, false, $use); - } - } - } - } - } else { - $this->debug("no elements to serialize for XML Schema type $ns:$uqType"); - } - return $xml; - } - - /** - * adds an XML Schema complex type to the WSDL types - * - * @param string $name - * @param string $typeClass (complexType|simpleType|attribute) - * @param string $phpType currently supported are array and struct (php assoc array) - * @param string $compositor (all|sequence|choice) - * @param string $restrictionBase namespace:name (http://schemas.xmlsoap.org/soap/encoding/:Array) - * @param array $elements e.g. array ( name => array(name=>'',type=>'') ) - * @param array $attrs e.g. array(array('ref'=>'SOAP-ENC:arrayType','wsdl:arrayType'=>'xsd:string[]')) - * @param string $arrayType as namespace:name (xsd:string) - * @see nusoap_xmlschema - * @access public - */ - function addComplexType($name,$typeClass='complexType',$phpType='array',$compositor='',$restrictionBase='',$elements=array(),$attrs=array(),$arrayType='') { - if (count($elements) > 0) { - $eElements = array(); - foreach($elements as $n => $e){ - // expand each element - $ee = array(); - foreach ($e as $k => $v) { - $k = strpos($k,':') ? $this->expandQname($k) : $k; - $v = strpos($v,':') ? $this->expandQname($v) : $v; - $ee[$k] = $v; - } - $eElements[$n] = $ee; - } - $elements = $eElements; - } - - if (count($attrs) > 0) { - foreach($attrs as $n => $a){ - // expand each attribute - foreach ($a as $k => $v) { - $k = strpos($k,':') ? $this->expandQname($k) : $k; - $v = strpos($v,':') ? $this->expandQname($v) : $v; - $aa[$k] = $v; - } - $eAttrs[$n] = $aa; - } - $attrs = $eAttrs; - } - - $restrictionBase = strpos($restrictionBase,':') ? $this->expandQname($restrictionBase) : $restrictionBase; - $arrayType = strpos($arrayType,':') ? $this->expandQname($arrayType) : $arrayType; - - $typens = isset($this->namespaces['types']) ? $this->namespaces['types'] : $this->namespaces['tns']; - $this->schemas[$typens][0]->addComplexType($name,$typeClass,$phpType,$compositor,$restrictionBase,$elements,$attrs,$arrayType); - } - - /** - * adds an XML Schema simple type to the WSDL types - * - * @param string $name - * @param string $restrictionBase namespace:name (http://schemas.xmlsoap.org/soap/encoding/:Array) - * @param string $typeClass (should always be simpleType) - * @param string $phpType (should always be scalar) - * @param array $enumeration array of values - * @see nusoap_xmlschema - * @access public - */ - function addSimpleType($name, $restrictionBase='', $typeClass='simpleType', $phpType='scalar', $enumeration=array()) { - $restrictionBase = strpos($restrictionBase,':') ? $this->expandQname($restrictionBase) : $restrictionBase; - - $typens = isset($this->namespaces['types']) ? $this->namespaces['types'] : $this->namespaces['tns']; - $this->schemas[$typens][0]->addSimpleType($name, $restrictionBase, $typeClass, $phpType, $enumeration); - } - - /** - * adds an element to the WSDL types - * - * @param array $attrs attributes that must include name and type - * @see nusoap_xmlschema - * @access public - */ - function addElement($attrs) { - $typens = isset($this->namespaces['types']) ? $this->namespaces['types'] : $this->namespaces['tns']; - $this->schemas[$typens][0]->addElement($attrs); - } - - /** - * register an operation with the server - * - * @param string $name operation (method) name - * @param array $in assoc array of input values: key = param name, value = param type - * @param array $out assoc array of output values: key = param name, value = param type - * @param string $namespace optional The namespace for the operation - * @param string $soapaction optional The soapaction for the operation - * @param string $style (rpc|document) optional The style for the operation Note: when 'document' is specified, parameter and return wrappers are created for you automatically - * @param string $use (encoded|literal) optional The use for the parameters (cannot mix right now) - * @param string $documentation optional The description to include in the WSDL - * @param string $encodingStyle optional (usually 'http://schemas.xmlsoap.org/soap/encoding/' for encoded) - * @access public - */ - function addOperation($name, $in = false, $out = false, $namespace = false, $soapaction = false, $style = 'rpc', $use = 'encoded', $documentation = '', $encodingStyle = ''){ - if ($use == 'encoded' && $encodingStyle == '') { - $encodingStyle = 'http://schemas.xmlsoap.org/soap/encoding/'; - } - - if ($style == 'document') { - $elements = array(); - foreach ($in as $n => $t) { - $elements[$n] = array('name' => $n, 'type' => $t, 'form' => 'unqualified'); - } - $this->addComplexType($name . 'RequestType', 'complexType', 'struct', 'all', '', $elements); - $this->addElement(array('name' => $name, 'type' => $name . 'RequestType')); - $in = array('parameters' => 'tns:' . $name . '^'); - - $elements = array(); - foreach ($out as $n => $t) { - $elements[$n] = array('name' => $n, 'type' => $t, 'form' => 'unqualified'); - } - $this->addComplexType($name . 'ResponseType', 'complexType', 'struct', 'all', '', $elements); - $this->addElement(array('name' => $name . 'Response', 'type' => $name . 'ResponseType', 'form' => 'qualified')); - $out = array('parameters' => 'tns:' . $name . 'Response' . '^'); - } - - // get binding - $this->bindings[ $this->serviceName . 'Binding' ]['operations'][$name] = - array( - 'name' => $name, - 'binding' => $this->serviceName . 'Binding', - 'endpoint' => $this->endpoint, - 'soapAction' => $soapaction, - 'style' => $style, - 'input' => array( - 'use' => $use, - 'namespace' => $namespace, - 'encodingStyle' => $encodingStyle, - 'message' => $name . 'Request', - 'parts' => $in), - 'output' => array( - 'use' => $use, - 'namespace' => $namespace, - 'encodingStyle' => $encodingStyle, - 'message' => $name . 'Response', - 'parts' => $out), - 'namespace' => $namespace, - 'transport' => 'http://schemas.xmlsoap.org/soap/http', - 'documentation' => $documentation); - // add portTypes - // add messages - if($in) - { - foreach($in as $pName => $pType) - { - if(strpos($pType,':')) { - $pType = $this->getNamespaceFromPrefix($this->getPrefix($pType)).":".$this->getLocalPart($pType); - } - $this->messages[$name.'Request'][$pName] = $pType; - } - } else { - $this->messages[$name.'Request']= '0'; - } - if($out) - { - foreach($out as $pName => $pType) - { - if(strpos($pType,':')) { - $pType = $this->getNamespaceFromPrefix($this->getPrefix($pType)).":".$this->getLocalPart($pType); - } - $this->messages[$name.'Response'][$pName] = $pType; - } - } else { - $this->messages[$name.'Response']= '0'; - } - return true; - } -} - -?> \ No newline at end of file diff --git a/htdocs/includes/nusoap/lib/class.wsdlcache.php b/htdocs/includes/nusoap/lib/class.wsdlcache.php deleted file mode 100644 index 8468850eb90..00000000000 --- a/htdocs/includes/nusoap/lib/class.wsdlcache.php +++ /dev/null @@ -1,208 +0,0 @@ - -* @author Ingo Fischer -* @access public -*/ -class nusoap_wsdlcache { - /** - * @var resource - * @access private - */ - var $fplock; - /** - * @var integer - * @access private - */ - var $cache_lifetime; - /** - * @var string - * @access private - */ - var $cache_dir; - /** - * @var string - * @access public - */ - var $debug_str = ''; - - /** - * constructor - * - * @param string $cache_dir directory for cache-files - * @param integer $cache_lifetime lifetime for caching-files in seconds or 0 for unlimited - * @access public - */ - function __construct($cache_dir='.', $cache_lifetime=0) { - $this->fplock = array(); - $this->cache_dir = $cache_dir != '' ? $cache_dir : '.'; - $this->cache_lifetime = $cache_lifetime; - } - - /** - * creates the filename used to cache a wsdl instance - * - * @param string $wsdl The URL of the wsdl instance - * @return string The filename used to cache the instance - * @access private - */ - function createFilename($wsdl) { - return $this->cache_dir.'/wsdlcache-' . md5($wsdl); - } - - /** - * adds debug data to the class level debug string - * - * @param string $string debug data - * @access private - */ - function debug($string){ - $this->debug_str .= get_class($this).": $string\n"; - } - - /** - * gets a wsdl instance from the cache - * - * @param string $wsdl The URL of the wsdl instance - * @return object wsdl The cached wsdl instance, null if the instance is not in the cache - * @access public - */ - function get($wsdl) { - $filename = $this->createFilename($wsdl); - if ($this->obtainMutex($filename, "r")) { - // check for expired WSDL that must be removed from the cache - if ($this->cache_lifetime > 0) { - if (file_exists($filename) && (time() - filemtime($filename) > $this->cache_lifetime)) { - unlink($filename); - $this->debug("Expired $wsdl ($filename) from cache"); - $this->releaseMutex($filename); - return null; - } - } - // see what there is to return - if (!file_exists($filename)) { - $this->debug("$wsdl ($filename) not in cache (1)"); - $this->releaseMutex($filename); - return null; - } - $fp = @fopen($filename, "r"); - if ($fp) { - $s = implode("", @file($filename)); - fclose($fp); - $this->debug("Got $wsdl ($filename) from cache"); - } else { - $s = null; - $this->debug("$wsdl ($filename) not in cache (2)"); - } - $this->releaseMutex($filename); - return (!is_null($s)) ? unserialize($s) : null; - } else { - $this->debug("Unable to obtain mutex for $filename in get"); - } - return null; - } - - /** - * obtains the local mutex - * - * @param string $filename The Filename of the Cache to lock - * @param string $mode The open-mode ("r" or "w") or the file - affects lock-mode - * @return boolean Lock successfully obtained ?! - * @access private - */ - function obtainMutex($filename, $mode) { - if (isset($this->fplock[md5($filename)])) { - $this->debug("Lock for $filename already exists"); - return false; - } - $this->fplock[md5($filename)] = fopen($filename.".lock", "w"); - if ($mode == "r") { - return flock($this->fplock[md5($filename)], LOCK_SH); - } else { - return flock($this->fplock[md5($filename)], LOCK_EX); - } - } - - /** - * adds a wsdl instance to the cache - * - * @param object wsdl $wsdl_instance The wsdl instance to add - * @return boolean WSDL successfully cached - * @access public - */ - function put($wsdl_instance) { - $filename = $this->createFilename($wsdl_instance->wsdl); - $s = serialize($wsdl_instance); - if ($this->obtainMutex($filename, "w")) { - $fp = fopen($filename, "w"); - if (! $fp) { - $this->debug("Cannot write $wsdl_instance->wsdl ($filename) in cache"); - $this->releaseMutex($filename); - return false; - } - fputs($fp, $s); - fclose($fp); - $this->debug("Put $wsdl_instance->wsdl ($filename) in cache"); - $this->releaseMutex($filename); - return true; - } else { - $this->debug("Unable to obtain mutex for $filename in put"); - } - return false; - } - - /** - * releases the local mutex - * - * @param string $filename The Filename of the Cache to lock - * @return boolean Lock successfully released - * @access private - */ - function releaseMutex($filename) { - $ret = flock($this->fplock[md5($filename)], LOCK_UN); - fclose($this->fplock[md5($filename)]); - unset($this->fplock[md5($filename)]); - if (! $ret) { - $this->debug("Not able to release lock for $filename"); - } - return $ret; - } - - /** - * removes a wsdl instance from the cache - * - * @param string $wsdl The URL of the wsdl instance - * @return boolean Whether there was an instance to remove - * @access public - */ - function remove($wsdl) { - $filename = $this->createFilename($wsdl); - if (!file_exists($filename)) { - $this->debug("$wsdl ($filename) not in cache to be removed"); - return false; - } - // ignore errors obtaining mutex - $this->obtainMutex($filename, "w"); - $ret = unlink($filename); - $this->debug("Removed ($ret) $wsdl ($filename) from cache"); - $this->releaseMutex($filename); - return $ret; - } -} - -/** - * For backward compatibility - */ -class wsdlcache extends nusoap_wsdlcache { -} -?> diff --git a/htdocs/includes/nusoap/lib/class.xmlschema.php b/htdocs/includes/nusoap/lib/class.xmlschema.php deleted file mode 100644 index 3934453f8d2..00000000000 --- a/htdocs/includes/nusoap/lib/class.xmlschema.php +++ /dev/null @@ -1,972 +0,0 @@ - -* @author Scott Nichol -* @access public -*/ -class nusoap_xmlschema extends nusoap_base { - - // files - var $schema = ''; - var $xml = ''; - // namespaces - var $enclosingNamespaces; - // schema info - var $schemaInfo = array(); - var $schemaTargetNamespace = ''; - // types, elements, attributes defined by the schema - var $attributes = array(); - var $complexTypes = array(); - var $complexTypeStack = array(); - var $currentComplexType = null; - var $elements = array(); - var $elementStack = array(); - var $currentElement = null; - var $simpleTypes = array(); - var $simpleTypeStack = array(); - var $currentSimpleType = null; - // imports - var $imports = array(); - // parser vars - var $parser; - var $position = 0; - var $depth = 0; - var $depth_array = array(); - var $message = array(); - var $defaultNamespace = array(); - - /** - * constructor - * - * @param string $schema schema document URI - * @param string $xml xml document URI - * @param string $namespaces namespaces defined in enclosing XML - * @access public - */ - function __construct($schema='',$xml='',$namespaces=array()){ - parent::__construct(); - $this->debug('nusoap_xmlschema class instantiated, inside constructor'); - // files - $this->schema = $schema; - $this->xml = $xml; - - // namespaces - $this->enclosingNamespaces = $namespaces; - $this->namespaces = array_merge($this->namespaces, $namespaces); - - // parse schema file - if($schema != ''){ - $this->debug('initial schema file: '.$schema); - $this->parseFile($schema, 'schema'); - } - - // parse xml file - if($xml != ''){ - $this->debug('initial xml file: '.$xml); - $this->parseFile($xml, 'xml'); - } - - } - - /** - * parse an XML file - * - * @param string $xml path/URL to XML file - * @param string $type (schema | xml) - * @return boolean - * @access public - */ - function parseFile($xml,$type){ - // parse xml file - if($xml != ""){ - $xmlStr = @join("",@file($xml)); - if($xmlStr == ""){ - $msg = 'Error reading XML from '.$xml; - $this->setError($msg); - $this->debug($msg); - return false; - } else { - $this->debug("parsing $xml"); - $this->parseString($xmlStr,$type); - $this->debug("done parsing $xml"); - return true; - } - } - return false; - } - - /** - * parse an XML string - * - * @param string $xml path or URL - * @param string $type (schema|xml) - * @access private - */ - function parseString($xml,$type){ - // parse xml string - if($xml != ""){ - - // Create an XML parser. - $this->parser = xml_parser_create(); - // Set the options for parsing the XML data. - xml_parser_set_option($this->parser, XML_OPTION_CASE_FOLDING, 0); - - // Set the object for the parser. - xml_set_object($this->parser, $this); - - // Set the element handlers for the parser. - if($type == "schema"){ - xml_set_element_handler($this->parser, 'schemaStartElement','schemaEndElement'); - xml_set_character_data_handler($this->parser,'schemaCharacterData'); - } elseif($type == "xml"){ - xml_set_element_handler($this->parser, 'xmlStartElement','xmlEndElement'); - xml_set_character_data_handler($this->parser,'xmlCharacterData'); - } - - // Parse the XML file. - if(!xml_parse($this->parser,$xml,true)){ - // Display an error message. - $errstr = sprintf('XML error parsing XML schema on line %d: %s', - xml_get_current_line_number($this->parser), - xml_error_string(xml_get_error_code($this->parser)) - ); - $this->debug($errstr); - $this->debug("XML payload:\n" . $xml); - $this->setError($errstr); - } - - xml_parser_free($this->parser); - } else{ - $this->debug('no xml passed to parseString()!!'); - $this->setError('no xml passed to parseString()!!'); - } - } - - /** - * gets a type name for an unnamed type - * - * @param string Element name - * @return string A type name for an unnamed type - * @access private - */ - function CreateTypeName($ename) { - $scope = ''; - for ($i = 0; $i < count($this->complexTypeStack); $i++) { - $scope .= $this->complexTypeStack[$i] . '_'; - } - return $scope . $ename . '_ContainedType'; - } - - /** - * start-element handler - * - * @param string $parser XML parser object - * @param string $name element name - * @param string $attrs associative array of attributes - * @access private - */ - function schemaStartElement($parser, $name, $attrs) { - - // position in the total number of elements, starting from 0 - $pos = $this->position++; - $depth = $this->depth++; - // set self as current value for this depth - $this->depth_array[$depth] = $pos; - $this->message[$pos] = array('cdata' => ''); - if ($depth > 0) { - $this->defaultNamespace[$pos] = $this->defaultNamespace[$this->depth_array[$depth - 1]]; - } else { - $this->defaultNamespace[$pos] = false; - } - - // get element prefix - if($prefix = $this->getPrefix($name)){ - // get unqualified name - $name = $this->getLocalPart($name); - } else { - $prefix = ''; - } - - // loop thru attributes, expanding, and registering namespace declarations - if(count($attrs) > 0){ - foreach($attrs as $k => $v){ - // if ns declarations, add to class level array of valid namespaces - if(preg_match('/^xmlns/',$k)){ - //$this->xdebug("$k: $v"); - //$this->xdebug('ns_prefix: '.$this->getPrefix($k)); - if($ns_prefix = substr(strrchr($k,':'),1)){ - //$this->xdebug("Add namespace[$ns_prefix] = $v"); - $this->namespaces[$ns_prefix] = $v; - } else { - $this->defaultNamespace[$pos] = $v; - if (! $this->getPrefixFromNamespace($v)) { - $this->namespaces['ns'.(count($this->namespaces)+1)] = $v; - } - } - if($v == 'http://www.w3.org/2001/XMLSchema' || $v == 'http://www.w3.org/1999/XMLSchema' || $v == 'http://www.w3.org/2000/10/XMLSchema'){ - $this->XMLSchemaVersion = $v; - $this->namespaces['xsi'] = $v.'-instance'; - } - } - } - foreach($attrs as $k => $v){ - // expand each attribute - $k = strpos($k,':') ? $this->expandQname($k) : $k; - $v = strpos($v,':') ? $this->expandQname($v) : $v; - $eAttrs[$k] = $v; - } - $attrs = $eAttrs; - } else { - $attrs = array(); - } - // find status, register data - switch($name){ - case 'all': // (optional) compositor content for a complexType - case 'choice': - case 'group': - case 'sequence': - //$this->xdebug("compositor $name for currentComplexType: $this->currentComplexType and currentElement: $this->currentElement"); - $this->complexTypes[$this->currentComplexType]['compositor'] = $name; - //if($name == 'all' || $name == 'sequence'){ - // $this->complexTypes[$this->currentComplexType]['phpType'] = 'struct'; - //} - break; - case 'attribute': // complexType attribute - //$this->xdebug("parsing attribute $attrs[name] $attrs[ref] of value: ".$attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']); - $this->xdebug("parsing attribute:"); - $this->appendDebug($this->varDump($attrs)); - if (!isset($attrs['form'])) { - // TODO: handle globals - $attrs['form'] = $this->schemaInfo['attributeFormDefault']; - } - if (isset($attrs['http://schemas.xmlsoap.org/wsdl/:arrayType'])) { - $v = $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']; - if (!strpos($v, ':')) { - // no namespace in arrayType attribute value... - if ($this->defaultNamespace[$pos]) { - // ...so use the default - $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType'] = $this->defaultNamespace[$pos] . ':' . $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']; - } - } - } - if(isset($attrs['name'])){ - $this->attributes[$attrs['name']] = $attrs; - $aname = $attrs['name']; - } elseif(isset($attrs['ref']) && $attrs['ref'] == 'http://schemas.xmlsoap.org/soap/encoding/:arrayType'){ - if (isset($attrs['http://schemas.xmlsoap.org/wsdl/:arrayType'])) { - $aname = $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']; - } else { - $aname = ''; - } - } elseif(isset($attrs['ref'])){ - $aname = $attrs['ref']; - $this->attributes[$attrs['ref']] = $attrs; - } - - if($this->currentComplexType){ // This should *always* be - $this->complexTypes[$this->currentComplexType]['attrs'][$aname] = $attrs; - } - // arrayType attribute - if(isset($attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']) || $this->getLocalPart($aname) == 'arrayType'){ - $this->complexTypes[$this->currentComplexType]['phpType'] = 'array'; - $prefix = $this->getPrefix($aname); - if(isset($attrs['http://schemas.xmlsoap.org/wsdl/:arrayType'])){ - $v = $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']; - } else { - $v = ''; - } - if(strpos($v,'[,]')){ - $this->complexTypes[$this->currentComplexType]['multidimensional'] = true; - } - $v = substr($v,0,strpos($v,'[')); // clip the [] - if(!strpos($v,':') && isset($this->typemap[$this->XMLSchemaVersion][$v])){ - $v = $this->XMLSchemaVersion.':'.$v; - } - $this->complexTypes[$this->currentComplexType]['arrayType'] = $v; - } - break; - case 'complexContent': // (optional) content for a complexType - $this->xdebug("do nothing for element $name"); - break; - case 'complexType': - array_push($this->complexTypeStack, $this->currentComplexType); - if(isset($attrs['name'])){ - // TODO: what is the scope of named complexTypes that appear - // nested within other c complexTypes? - $this->xdebug('processing named complexType '.$attrs['name']); - //$this->currentElement = false; - $this->currentComplexType = $attrs['name']; - $this->complexTypes[$this->currentComplexType] = $attrs; - $this->complexTypes[$this->currentComplexType]['typeClass'] = 'complexType'; - // This is for constructs like - // - // - // - // - // - if(isset($attrs['base']) && preg_match('/:Array$/',$attrs['base'])){ - $this->xdebug('complexType is unusual array'); - $this->complexTypes[$this->currentComplexType]['phpType'] = 'array'; - } else { - $this->complexTypes[$this->currentComplexType]['phpType'] = 'struct'; - } - } else { - $name = $this->CreateTypeName($this->currentElement); - $this->xdebug('processing unnamed complexType for element ' . $this->currentElement . ' named ' . $name); - $this->currentComplexType = $name; - //$this->currentElement = false; - $this->complexTypes[$this->currentComplexType] = $attrs; - $this->complexTypes[$this->currentComplexType]['typeClass'] = 'complexType'; - // This is for constructs like - // - // - // - // - // - if(isset($attrs['base']) && preg_match('/:Array$/',$attrs['base'])){ - $this->xdebug('complexType is unusual array'); - $this->complexTypes[$this->currentComplexType]['phpType'] = 'array'; - } else { - $this->complexTypes[$this->currentComplexType]['phpType'] = 'struct'; - } - } - $this->complexTypes[$this->currentComplexType]['simpleContent'] = 'false'; - break; - case 'element': - array_push($this->elementStack, $this->currentElement); - if (!isset($attrs['form'])) { - if ($this->currentComplexType) { - $attrs['form'] = $this->schemaInfo['elementFormDefault']; - } else { - // global - $attrs['form'] = 'qualified'; - } - } - if(isset($attrs['type'])){ - $this->xdebug("processing typed element ".$attrs['name']." of type ".$attrs['type']); - if (! $this->getPrefix($attrs['type'])) { - if ($this->defaultNamespace[$pos]) { - $attrs['type'] = $this->defaultNamespace[$pos] . ':' . $attrs['type']; - $this->xdebug('used default namespace to make type ' . $attrs['type']); - } - } - // This is for constructs like - // - // - // - // - // - if ($this->currentComplexType && $this->complexTypes[$this->currentComplexType]['phpType'] == 'array') { - $this->xdebug('arrayType for unusual array is ' . $attrs['type']); - $this->complexTypes[$this->currentComplexType]['arrayType'] = $attrs['type']; - } - $this->currentElement = $attrs['name']; - $ename = $attrs['name']; - } elseif(isset($attrs['ref'])){ - $this->xdebug("processing element as ref to ".$attrs['ref']); - $this->currentElement = "ref to ".$attrs['ref']; - $ename = $this->getLocalPart($attrs['ref']); - } else { - $type = $this->CreateTypeName($this->currentComplexType . '_' . $attrs['name']); - $this->xdebug("processing untyped element " . $attrs['name'] . ' type ' . $type); - $this->currentElement = $attrs['name']; - $attrs['type'] = $this->schemaTargetNamespace . ':' . $type; - $ename = $attrs['name']; - } - if (isset($ename) && $this->currentComplexType) { - $this->xdebug("add element $ename to complexType $this->currentComplexType"); - $this->complexTypes[$this->currentComplexType]['elements'][$ename] = $attrs; - } elseif (!isset($attrs['ref'])) { - $this->xdebug("add element $ename to elements array"); - $this->elements[ $attrs['name'] ] = $attrs; - $this->elements[ $attrs['name'] ]['typeClass'] = 'element'; - } - break; - case 'enumeration': // restriction value list member - $this->xdebug('enumeration ' . $attrs['value']); - if ($this->currentSimpleType) { - $this->simpleTypes[$this->currentSimpleType]['enumeration'][] = $attrs['value']; - } elseif ($this->currentComplexType) { - $this->complexTypes[$this->currentComplexType]['enumeration'][] = $attrs['value']; - } - break; - case 'extension': // simpleContent or complexContent type extension - $this->xdebug('extension ' . $attrs['base']); - if ($this->currentComplexType) { - $ns = $this->getPrefix($attrs['base']); - if ($ns == '') { - $this->complexTypes[$this->currentComplexType]['extensionBase'] = $this->schemaTargetNamespace . ':' . $attrs['base']; - } else { - $this->complexTypes[$this->currentComplexType]['extensionBase'] = $attrs['base']; - } - } else { - $this->xdebug('no current complexType to set extensionBase'); - } - break; - case 'import': - if (isset($attrs['schemaLocation'])) { - $this->xdebug('import namespace ' . $attrs['namespace'] . ' from ' . $attrs['schemaLocation']); - $this->imports[$attrs['namespace']][] = array('location' => $attrs['schemaLocation'], 'loaded' => false); - } else { - $this->xdebug('import namespace ' . $attrs['namespace']); - $this->imports[$attrs['namespace']][] = array('location' => '', 'loaded' => true); - if (! $this->getPrefixFromNamespace($attrs['namespace'])) { - $this->namespaces['ns'.(count($this->namespaces)+1)] = $attrs['namespace']; - } - } - break; - case 'include': - if (isset($attrs['schemaLocation'])) { - $this->xdebug('include into namespace ' . $this->schemaTargetNamespace . ' from ' . $attrs['schemaLocation']); - $this->imports[$this->schemaTargetNamespace][] = array('location' => $attrs['schemaLocation'], 'loaded' => false); - } else { - $this->xdebug('ignoring invalid XML Schema construct: include without schemaLocation attribute'); - } - break; - case 'list': // simpleType value list - $this->xdebug("do nothing for element $name"); - break; - case 'restriction': // simpleType, simpleContent or complexContent value restriction - $this->xdebug('restriction ' . $attrs['base']); - if($this->currentSimpleType){ - $this->simpleTypes[$this->currentSimpleType]['type'] = $attrs['base']; - } elseif($this->currentComplexType){ - $this->complexTypes[$this->currentComplexType]['restrictionBase'] = $attrs['base']; - if(strstr($attrs['base'],':') == ':Array'){ - $this->complexTypes[$this->currentComplexType]['phpType'] = 'array'; - } - } - break; - case 'schema': - $this->schemaInfo = $attrs; - $this->schemaInfo['schemaVersion'] = $this->getNamespaceFromPrefix($prefix); - if (isset($attrs['targetNamespace'])) { - $this->schemaTargetNamespace = $attrs['targetNamespace']; - } - if (!isset($attrs['elementFormDefault'])) { - $this->schemaInfo['elementFormDefault'] = 'unqualified'; - } - if (!isset($attrs['attributeFormDefault'])) { - $this->schemaInfo['attributeFormDefault'] = 'unqualified'; - } - break; - case 'simpleContent': // (optional) content for a complexType - if ($this->currentComplexType) { // This should *always* be - $this->complexTypes[$this->currentComplexType]['simpleContent'] = 'true'; - } else { - $this->xdebug("do nothing for element $name because there is no current complexType"); - } - break; - case 'simpleType': - array_push($this->simpleTypeStack, $this->currentSimpleType); - if(isset($attrs['name'])){ - $this->xdebug("processing simpleType for name " . $attrs['name']); - $this->currentSimpleType = $attrs['name']; - $this->simpleTypes[ $attrs['name'] ] = $attrs; - $this->simpleTypes[ $attrs['name'] ]['typeClass'] = 'simpleType'; - $this->simpleTypes[ $attrs['name'] ]['phpType'] = 'scalar'; - } else { - $name = $this->CreateTypeName($this->currentComplexType . '_' . $this->currentElement); - $this->xdebug('processing unnamed simpleType for element ' . $this->currentElement . ' named ' . $name); - $this->currentSimpleType = $name; - //$this->currentElement = false; - $this->simpleTypes[$this->currentSimpleType] = $attrs; - $this->simpleTypes[$this->currentSimpleType]['phpType'] = 'scalar'; - } - break; - case 'union': // simpleType type list - $this->xdebug("do nothing for element $name"); - break; - default: - $this->xdebug("do not have any logic to process element $name"); - } - } - - /** - * end-element handler - * - * @param string $parser XML parser object - * @param string $name element name - * @access private - */ - function schemaEndElement($parser, $name) { - // bring depth down a notch - $this->depth--; - // position of current element is equal to the last value left in depth_array for my depth - if(isset($this->depth_array[$this->depth])){ - $pos = $this->depth_array[$this->depth]; - } - // get element prefix - if ($prefix = $this->getPrefix($name)){ - // get unqualified name - $name = $this->getLocalPart($name); - } else { - $prefix = ''; - } - // move on... - if($name == 'complexType'){ - $this->xdebug('done processing complexType ' . ($this->currentComplexType ? $this->currentComplexType : '(unknown)')); - $this->xdebug($this->varDump($this->complexTypes[$this->currentComplexType])); - $this->currentComplexType = array_pop($this->complexTypeStack); - //$this->currentElement = false; - } - if($name == 'element'){ - $this->xdebug('done processing element ' . ($this->currentElement ? $this->currentElement : '(unknown)')); - $this->currentElement = array_pop($this->elementStack); - } - if($name == 'simpleType'){ - $this->xdebug('done processing simpleType ' . ($this->currentSimpleType ? $this->currentSimpleType : '(unknown)')); - $this->xdebug($this->varDump($this->simpleTypes[$this->currentSimpleType])); - $this->currentSimpleType = array_pop($this->simpleTypeStack); - } - } - - /** - * element content handler - * - * @param string $parser XML parser object - * @param string $data element content - * @access private - */ - function schemaCharacterData($parser, $data){ - $pos = $this->depth_array[$this->depth - 1]; - $this->message[$pos]['cdata'] .= $data; - } - - /** - * serialize the schema - * - * @access public - */ - function serializeSchema(){ - - $schemaPrefix = $this->getPrefixFromNamespace($this->XMLSchemaVersion); - $xml = ''; - // imports - if (sizeof($this->imports) > 0) { - foreach($this->imports as $ns => $list) { - foreach ($list as $ii) { - if ($ii['location'] != '') { - $xml .= " <$schemaPrefix:import location=\"" . $ii['location'] . '" namespace="' . $ns . "\" />\n"; - } else { - $xml .= " <$schemaPrefix:import namespace=\"" . $ns . "\" />\n"; - } - } - } - } - // complex types - foreach($this->complexTypes as $typeName => $attrs){ - $contentStr = ''; - // serialize child elements - if(isset($attrs['elements']) && (count($attrs['elements']) > 0)){ - foreach($attrs['elements'] as $element => $eParts){ - if(isset($eParts['ref'])){ - $contentStr .= " <$schemaPrefix:element ref=\"$element\"/>\n"; - } else { - $contentStr .= " <$schemaPrefix:element name=\"$element\" type=\"" . $this->contractQName($eParts['type']) . "\""; - foreach ($eParts as $aName => $aValue) { - // handle, e.g., abstract, default, form, minOccurs, maxOccurs, nillable - if ($aName != 'name' && $aName != 'type') { - $contentStr .= " $aName=\"$aValue\""; - } - } - $contentStr .= "/>\n"; - } - } - // compositor wraps elements - if (isset($attrs['compositor']) && ($attrs['compositor'] != '')) { - $contentStr = " <$schemaPrefix:$attrs[compositor]>\n".$contentStr." \n"; - } - } - // attributes - if(isset($attrs['attrs']) && (count($attrs['attrs']) >= 1)){ - foreach($attrs['attrs'] as $attr => $aParts){ - $contentStr .= " <$schemaPrefix:attribute"; - foreach ($aParts as $a => $v) { - if ($a == 'ref' || $a == 'type') { - $contentStr .= " $a=\"".$this->contractQName($v).'"'; - } elseif ($a == 'http://schemas.xmlsoap.org/wsdl/:arrayType') { - $this->usedNamespaces['wsdl'] = $this->namespaces['wsdl']; - $contentStr .= ' wsdl:arrayType="'.$this->contractQName($v).'"'; - } else { - $contentStr .= " $a=\"$v\""; - } - } - $contentStr .= "/>\n"; - } - } - // if restriction - if (isset($attrs['restrictionBase']) && $attrs['restrictionBase'] != ''){ - $contentStr = " <$schemaPrefix:restriction base=\"".$this->contractQName($attrs['restrictionBase'])."\">\n".$contentStr." \n"; - // complex or simple content - if ((isset($attrs['elements']) && count($attrs['elements']) > 0) || (isset($attrs['attrs']) && count($attrs['attrs']) > 0)){ - $contentStr = " <$schemaPrefix:complexContent>\n".$contentStr." \n"; - } - } - // finalize complex type - if($contentStr != ''){ - $contentStr = " <$schemaPrefix:complexType name=\"$typeName\">\n".$contentStr." \n"; - } else { - $contentStr = " <$schemaPrefix:complexType name=\"$typeName\"/>\n"; - } - $xml .= $contentStr; - } - // simple types - if(isset($this->simpleTypes) && count($this->simpleTypes) > 0){ - foreach($this->simpleTypes as $typeName => $eParts){ - $xml .= " <$schemaPrefix:simpleType name=\"$typeName\">\n <$schemaPrefix:restriction base=\"".$this->contractQName($eParts['type'])."\">\n"; - if (isset($eParts['enumeration'])) { - foreach ($eParts['enumeration'] as $e) { - $xml .= " <$schemaPrefix:enumeration value=\"$e\"/>\n"; - } - } - $xml .= " \n "; - } - } - // elements - if(isset($this->elements) && count($this->elements) > 0){ - foreach($this->elements as $element => $eParts){ - $xml .= " <$schemaPrefix:element name=\"$element\" type=\"".$this->contractQName($eParts['type'])."\"/>\n"; - } - } - // attributes - if(isset($this->attributes) && count($this->attributes) > 0){ - foreach($this->attributes as $attr => $aParts){ - $xml .= " <$schemaPrefix:attribute name=\"$attr\" type=\"".$this->contractQName($aParts['type'])."\"\n/>"; - } - } - // finish 'er up - $attr = ''; - foreach ($this->schemaInfo as $k => $v) { - if ($k == 'elementFormDefault' || $k == 'attributeFormDefault') { - $attr .= " $k=\"$v\""; - } - } - $el = "<$schemaPrefix:schema$attr targetNamespace=\"$this->schemaTargetNamespace\"\n"; - foreach (array_diff($this->usedNamespaces, $this->enclosingNamespaces) as $nsp => $ns) { - $el .= " xmlns:$nsp=\"$ns\""; - } - $xml = $el . ">\n".$xml."\n"; - return $xml; - } - - /** - * adds debug data to the clas level debug string - * - * @param string $string debug data - * @access private - */ - function xdebug($string){ - $this->debug('<' . $this->schemaTargetNamespace . '> '.$string); - } - - /** - * get the PHP type of a user defined type in the schema - * PHP type is kind of a misnomer since it actually returns 'struct' for assoc. arrays - * returns false if no type exists, or not w/ the given namespace - * else returns a string that is either a native php type, or 'struct' - * - * @param string $type name of defined type - * @param string $ns namespace of type - * @return mixed - * @access public - * @deprecated - */ - function getPHPType($type,$ns){ - if(isset($this->typemap[$ns][$type])){ - //print "found type '$type' and ns $ns in typemap
      "; - return $this->typemap[$ns][$type]; - } elseif(isset($this->complexTypes[$type])){ - //print "getting type '$type' and ns $ns from complexTypes array
      "; - return $this->complexTypes[$type]['phpType']; - } - return false; - } - - /** - * returns an associative array of information about a given type - * returns false if no type exists by the given name - * - * For a complexType typeDef = array( - * 'restrictionBase' => '', - * 'phpType' => '', - * 'compositor' => '(sequence|all)', - * 'elements' => array(), // refs to elements array - * 'attrs' => array() // refs to attributes array - * ... and so on (see addComplexType) - * ) - * - * For simpleType or element, the array has different keys. - * - * @param string $type - * @return mixed - * @access public - * @see addComplexType - * @see addSimpleType - * @see addElement - */ - function getTypeDef($type){ - //$this->debug("in getTypeDef for type $type"); - if (substr($type, -1) == '^') { - $is_element = 1; - $type = substr($type, 0, -1); - } else { - $is_element = 0; - } - - if((! $is_element) && isset($this->complexTypes[$type])){ - $this->xdebug("in getTypeDef, found complexType $type"); - return $this->complexTypes[$type]; - } elseif((! $is_element) && isset($this->simpleTypes[$type])){ - $this->xdebug("in getTypeDef, found simpleType $type"); - if (!isset($this->simpleTypes[$type]['phpType'])) { - // get info for type to tack onto the simple type - // TODO: can this ever really apply (i.e. what is a simpleType really?) - $uqType = substr($this->simpleTypes[$type]['type'], strrpos($this->simpleTypes[$type]['type'], ':') + 1); - $ns = substr($this->simpleTypes[$type]['type'], 0, strrpos($this->simpleTypes[$type]['type'], ':')); - $etype = $this->getTypeDef($uqType); - if ($etype) { - $this->xdebug("in getTypeDef, found type for simpleType $type:"); - $this->xdebug($this->varDump($etype)); - if (isset($etype['phpType'])) { - $this->simpleTypes[$type]['phpType'] = $etype['phpType']; - } - if (isset($etype['elements'])) { - $this->simpleTypes[$type]['elements'] = $etype['elements']; - } - } - } - return $this->simpleTypes[$type]; - } elseif(isset($this->elements[$type])){ - $this->xdebug("in getTypeDef, found element $type"); - if (!isset($this->elements[$type]['phpType'])) { - // get info for type to tack onto the element - $uqType = substr($this->elements[$type]['type'], strrpos($this->elements[$type]['type'], ':') + 1); - $ns = substr($this->elements[$type]['type'], 0, strrpos($this->elements[$type]['type'], ':')); - $etype = $this->getTypeDef($uqType); - if ($etype) { - $this->xdebug("in getTypeDef, found type for element $type:"); - $this->xdebug($this->varDump($etype)); - if (isset($etype['phpType'])) { - $this->elements[$type]['phpType'] = $etype['phpType']; - } - if (isset($etype['elements'])) { - $this->elements[$type]['elements'] = $etype['elements']; - } - if (isset($etype['extensionBase'])) { - $this->elements[$type]['extensionBase'] = $etype['extensionBase']; - } - } elseif ($ns == 'http://www.w3.org/2001/XMLSchema') { - $this->xdebug("in getTypeDef, element $type is an XSD type"); - $this->elements[$type]['phpType'] = 'scalar'; - } - } - return $this->elements[$type]; - } elseif(isset($this->attributes[$type])){ - $this->xdebug("in getTypeDef, found attribute $type"); - return $this->attributes[$type]; - } elseif (preg_match('/_ContainedType$/', $type)) { - $this->xdebug("in getTypeDef, have an untyped element $type"); - $typeDef['typeClass'] = 'simpleType'; - $typeDef['phpType'] = 'scalar'; - $typeDef['type'] = 'http://www.w3.org/2001/XMLSchema:string'; - return $typeDef; - } - $this->xdebug("in getTypeDef, did not find $type"); - return false; - } - - /** - * returns a sample serialization of a given type, or false if no type by the given name - * - * @param string $type name of type - * @return mixed - * @access public - * @deprecated - */ - function serializeTypeDef($type){ - //print "in sTD() for type $type
      "; - if($typeDef = $this->getTypeDef($type)){ - $str .= '<'.$type; - if(is_array($typeDef['attrs'])){ - foreach($typeDef['attrs'] as $attName => $data){ - $str .= " $attName=\"{type = ".$data['type']."}\""; - } - } - $str .= " xmlns=\"".$this->schema['targetNamespace']."\""; - if(count($typeDef['elements']) > 0){ - $str .= ">"; - foreach($typeDef['elements'] as $element => $eData){ - $str .= $this->serializeTypeDef($element); - } - $str .= ""; - } elseif($typeDef['typeClass'] == 'element') { - $str .= ">"; - } else { - $str .= "/>"; - } - return $str; - } - return false; - } - - /** - * returns HTML form elements that allow a user - * to enter values for creating an instance of the given type. - * - * @param string $name name for type instance - * @param string $type name of type - * @return string - * @access public - * @deprecated - */ - function typeToForm($name,$type){ - // get typedef - if($typeDef = $this->getTypeDef($type)){ - // if struct - if($typeDef['phpType'] == 'struct'){ - $buffer .= '
      '.$langs->trans("ImportModelName").'
      '; - // The image must have the class 'boxhandle' beause it's value used in DOM draggable objects to define the area used to catch the full object + // The image must have the class 'boxhandle' because it's value used in DOM draggable objects to define the area used to catch the full object //print img_picto($langs->trans("MoveField", $pos), 'grip_title', 'class="boxhandle" style="cursor:move;"'); print img_picto($langs->trans("Column").' '.num2Alpha($pos - 1), 'file', 'class="pictofixedwith"'); print '
      '; - foreach($typeDef['elements'] as $child => $childDef){ - $buffer .= " - - "; - } - $buffer .= '
      $childDef[name] (type: ".$this->getLocalPart($childDef['type'])."):
      '; - // if array - } elseif($typeDef['phpType'] == 'array'){ - $buffer .= ''; - for($i=0;$i < 3; $i++){ - $buffer .= " - - "; - } - $buffer .= '
      array item (type: $typeDef[arrayType]):
      '; - // if scalar - } else { - $buffer .= ""; - } - } else { - $buffer .= ""; - } - return $buffer; - } - - /** - * adds a complex type to the schema - * - * example: array - * - * addType( - * 'ArrayOfstring', - * 'complexType', - * 'array', - * '', - * 'SOAP-ENC:Array', - * array('ref'=>'SOAP-ENC:arrayType','wsdl:arrayType'=>'string[]'), - * 'xsd:string' - * ); - * - * example: PHP associative array ( SOAP Struct ) - * - * addType( - * 'SOAPStruct', - * 'complexType', - * 'struct', - * 'all', - * array('myVar'=> array('name'=>'myVar','type'=>'string') - * ); - * - * @param name - * @param typeClass (complexType|simpleType|attribute) - * @param phpType: currently supported are array and struct (php assoc array) - * @param compositor (all|sequence|choice) - * @param restrictionBase namespace:name (http://schemas.xmlsoap.org/soap/encoding/:Array) - * @param elements = array ( name = array(name=>'',type=>'') ) - * @param attrs = array( - * array( - * 'ref' => "http://schemas.xmlsoap.org/soap/encoding/:arrayType", - * "http://schemas.xmlsoap.org/wsdl/:arrayType" => "string[]" - * ) - * ) - * @param arrayType: namespace:name (http://www.w3.org/2001/XMLSchema:string) - * @access public - * @see getTypeDef - */ - function addComplexType($name,$typeClass='complexType',$phpType='array',$compositor='',$restrictionBase='',$elements=array(),$attrs=array(),$arrayType=''){ - $this->complexTypes[$name] = array( - 'name' => $name, - 'typeClass' => $typeClass, - 'phpType' => $phpType, - 'compositor'=> $compositor, - 'restrictionBase' => $restrictionBase, - 'elements' => $elements, - 'attrs' => $attrs, - 'arrayType' => $arrayType - ); - - $this->xdebug("addComplexType $name:"); - $this->appendDebug($this->varDump($this->complexTypes[$name])); - } - - /** - * adds a simple type to the schema - * - * @param string $name - * @param string $restrictionBase namespace:name (http://schemas.xmlsoap.org/soap/encoding/:Array) - * @param string $typeClass (should always be simpleType) - * @param string $phpType (should always be scalar) - * @param array $enumeration array of values - * @access public - * @see nusoap_xmlschema - * @see getTypeDef - */ - function addSimpleType($name, $restrictionBase='', $typeClass='simpleType', $phpType='scalar', $enumeration=array()) { - $this->simpleTypes[$name] = array( - 'name' => $name, - 'typeClass' => $typeClass, - 'phpType' => $phpType, - 'type' => $restrictionBase, - 'enumeration' => $enumeration - ); - - $this->xdebug("addSimpleType $name:"); - $this->appendDebug($this->varDump($this->simpleTypes[$name])); - } - - /** - * adds an element to the schema - * - * @param array $attrs attributes that must include name and type - * @see nusoap_xmlschema - * @access public - */ - function addElement($attrs) { - if (! $this->getPrefix($attrs['type'])) { - $attrs['type'] = $this->schemaTargetNamespace . ':' . $attrs['type']; - } - $this->elements[ $attrs['name'] ] = $attrs; - $this->elements[ $attrs['name'] ]['typeClass'] = 'element'; - - $this->xdebug("addElement " . $attrs['name']); - $this->appendDebug($this->varDump($this->elements[ $attrs['name'] ])); - } -} - -/** - * Backward compatibility - */ -class XMLSchema extends nusoap_xmlschema { -} - - -?> \ No newline at end of file diff --git a/htdocs/includes/nusoap/lib/nusoap.php b/htdocs/includes/nusoap/lib/nusoap.php index 7e0ebd94da4..143503e77af 100644 --- a/htdocs/includes/nusoap/lib/nusoap.php +++ b/htdocs/includes/nusoap/lib/nusoap.php @@ -1,6 +1,7 @@ . +License along with this library; if not, write to the Free Software +Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA The NuSOAP project home is: http://sourceforge.net/projects/nusoap/ @@ -71,822 +73,856 @@ require_once('class.soap_server.php');*/ // cf. http://www.webkreator.com/php/techniques/php-static-class-variables.html $GLOBALS['_transient']['static']['nusoap_base']['globalDebugLevel'] = 9; + /** -* -* nusoap_base -* -* @author Dietrich Ayala -* @author Scott Nichol -* @access public -*/ -class nusoap_base { - /** - * Identification for HTTP headers. - * - * @var string - * @access private - */ - var $title = 'NuSOAP'; - /** - * Version for HTTP headers. - * - * @var string - * @access private - */ - var $version = '0.9.5'; - /** - * CVS revision for HTTP headers. - * - * @var string - * @access private - */ - var $revision = '1.15'; + * + * nusoap_base + * + * @author Dietrich Ayala + * @author Scott Nichol + * @version $Id: nusoap.php,v 1.123 2010/04/26 20:15:08 snichol Exp $ + * @access public + */ +class nusoap_base +{ + /** + * Identification for HTTP headers. + * + * @var string + * @access private + */ + var $title = 'NuSOAP'; + /** + * Version for HTTP headers. + * + * @var string + * @access private + */ + var $version = '0.9.11'; + /** + * CVS revision for HTTP headers. + * + * @var string + * @access private + */ + var $revision = '$Revision: 1.123 $'; /** * Current error string (manipulated by getError/setError) - * - * @var string - * @access private - */ - var $error_str = ''; + * + * @var string + * @access private + */ + var $error_str = ''; /** * Current debug string (manipulated by debug/appendDebug/clearDebug/getDebug/getDebugAsXMLComment) - * - * @var string - * @access private - */ + * + * @var string + * @access private + */ var $debug_str = ''; /** - * toggles automatic encoding of special characters as entities - * (should always be true, I think) - * - * @var boolean - * @access private - */ - var $charencoding = true; - /** - * the debug level for this instance - * - * @var integer - * @access private - */ - var $debugLevel; + * toggles automatic encoding of special characters as entities + * (should always be true, I think) + * + * @var boolean + * @access private + */ + var $charencoding = true; + /** + * the debug level for this instance + * + * @var integer + * @access private + */ + var $debugLevel; /** - * set schema version - * - * @var string - * @access public - */ - var $XMLSchemaVersion = 'http://www.w3.org/2001/XMLSchema'; + * set schema version + * + * @var string + * @access public + */ + var $XMLSchemaVersion = 'http://www.w3.org/2001/XMLSchema'; /** - * charset encoding for outgoing messages - * - * @var string - * @access public - */ + * charset encoding for outgoing messages + * + * @var string + * @access public + */ var $soap_defencoding = 'ISO-8859-1'; - //var $soap_defencoding = 'UTF-8'; + //var $soap_defencoding = 'UTF-8'; - /** - * namespaces in an array of prefix => uri - * - * this is "seeded" by a set of constants, but it may be altered by code - * - * @var array - * @access public - */ - var $namespaces = array( - 'SOAP-ENV' => 'http://schemas.xmlsoap.org/soap/envelope/', - 'xsd' => 'http://www.w3.org/2001/XMLSchema', - 'xsi' => 'http://www.w3.org/2001/XMLSchema-instance', - 'SOAP-ENC' => 'http://schemas.xmlsoap.org/soap/encoding/' - ); + /** + * namespaces in an array of prefix => uri + * + * this is "seeded" by a set of constants, but it may be altered by code + * + * @var array + * @access public + */ + var $namespaces = array( + 'SOAP-ENV' => 'http://schemas.xmlsoap.org/soap/envelope/', + 'xsd' => 'http://www.w3.org/2001/XMLSchema', + 'xsi' => 'http://www.w3.org/2001/XMLSchema-instance', + 'SOAP-ENC' => 'http://schemas.xmlsoap.org/soap/encoding/' + ); - /** - * namespaces used in the current context, e.g. during serialization - * - * @var array - * @access private - */ - var $usedNamespaces = array(); + /** + * namespaces used in the current context, e.g. during serialization + * + * @var array + * @access private + */ + var $usedNamespaces = array(); - /** - * XML Schema types in an array of uri => (array of xml type => php type) - * is this legacy yet? - * no, this is used by the nusoap_xmlschema class to verify type => namespace mappings. - * @var array - * @access public - */ - var $typemap = array( - 'http://www.w3.org/2001/XMLSchema' => array( - 'string'=>'string','boolean'=>'boolean','float'=>'double','double'=>'double','decimal'=>'double', - 'duration'=>'','dateTime'=>'string','time'=>'string','date'=>'string','gYearMonth'=>'', - 'gYear'=>'','gMonthDay'=>'','gDay'=>'','gMonth'=>'','hexBinary'=>'string','base64Binary'=>'string', - // abstract "any" types - 'anyType'=>'string','anySimpleType'=>'string', - // derived datatypes - 'normalizedString'=>'string','token'=>'string','language'=>'','NMTOKEN'=>'','NMTOKENS'=>'','Name'=>'','NCName'=>'','ID'=>'', - 'IDREF'=>'','IDREFS'=>'','ENTITY'=>'','ENTITIES'=>'','integer'=>'integer','nonPositiveInteger'=>'integer', - 'negativeInteger'=>'integer','long'=>'integer','int'=>'integer','short'=>'integer','byte'=>'integer','nonNegativeInteger'=>'integer', - 'unsignedLong'=>'','unsignedInt'=>'','unsignedShort'=>'','unsignedByte'=>'','positiveInteger'=>''), - 'http://www.w3.org/2000/10/XMLSchema' => array( - 'i4'=>'','int'=>'integer','boolean'=>'boolean','string'=>'string','double'=>'double', - 'float'=>'double','dateTime'=>'string', - 'timeInstant'=>'string','base64Binary'=>'string','base64'=>'string','ur-type'=>'array'), - 'http://www.w3.org/1999/XMLSchema' => array( - 'i4'=>'','int'=>'integer','boolean'=>'boolean','string'=>'string','double'=>'double', - 'float'=>'double','dateTime'=>'string', - 'timeInstant'=>'string','base64Binary'=>'string','base64'=>'string','ur-type'=>'array'), - 'http://soapinterop.org/xsd' => array('SOAPStruct'=>'struct'), - 'http://schemas.xmlsoap.org/soap/encoding/' => array('base64'=>'string','array'=>'array','Array'=>'array'), - 'http://xml.apache.org/xml-soap' => array('Map') - ); + /** + * XML Schema types in an array of uri => (array of xml type => php type) + * is this legacy yet? + * no, this is used by the nusoap_xmlschema class to verify type => namespace mappings. + * + * @var array + * @access public + */ + var $typemap = array( + 'http://www.w3.org/2001/XMLSchema' => array( + 'string' => 'string', 'boolean' => 'boolean', 'float' => 'double', 'double' => 'double', 'decimal' => 'double', + 'duration' => '', 'dateTime' => 'string', 'time' => 'string', 'date' => 'string', 'gYearMonth' => '', + 'gYear' => '', 'gMonthDay' => '', 'gDay' => '', 'gMonth' => '', 'hexBinary' => 'string', 'base64Binary' => 'string', + // abstract "any" types + 'anyType' => 'string', 'anySimpleType' => 'string', + // derived datatypes + 'normalizedString' => 'string', 'token' => 'string', 'language' => '', 'NMTOKEN' => '', 'NMTOKENS' => '', 'Name' => '', 'NCName' => '', 'ID' => '', + 'IDREF' => '', 'IDREFS' => '', 'ENTITY' => '', 'ENTITIES' => '', 'integer' => 'integer', 'nonPositiveInteger' => 'integer', + 'negativeInteger' => 'integer', 'long' => 'integer', 'int' => 'integer', 'short' => 'integer', 'byte' => 'integer', 'nonNegativeInteger' => 'integer', + 'unsignedLong' => '', 'unsignedInt' => '', 'unsignedShort' => '', 'unsignedByte' => '', 'positiveInteger' => ''), + 'http://www.w3.org/2000/10/XMLSchema' => array( + 'i4' => '', 'int' => 'integer', 'boolean' => 'boolean', 'string' => 'string', 'double' => 'double', + 'float' => 'double', 'dateTime' => 'string', + 'timeInstant' => 'string', 'base64Binary' => 'string', 'base64' => 'string', 'ur-type' => 'array'), + 'http://www.w3.org/1999/XMLSchema' => array( + 'i4' => '', 'int' => 'integer', 'boolean' => 'boolean', 'string' => 'string', 'double' => 'double', + 'float' => 'double', 'dateTime' => 'string', + 'timeInstant' => 'string', 'base64Binary' => 'string', 'base64' => 'string', 'ur-type' => 'array'), + 'http://soapinterop.org/xsd' => array('SOAPStruct' => 'struct'), + 'http://schemas.xmlsoap.org/soap/encoding/' => array('base64' => 'string', 'array' => 'array', 'Array' => 'array'), + 'http://xml.apache.org/xml-soap' => array('Map') + ); - /** - * XML entities to convert - * - * @var array - * @access public - * @deprecated - * @see expandEntities - */ - var $xmlEntities = array('quot' => '"','amp' => '&', - 'lt' => '<','gt' => '>','apos' => "'"); + /** + * XML entities to convert + * + * @var array + * @access public + * @deprecated + * @see expandEntities + */ + var $xmlEntities = array('quot' => '"', 'amp' => '&', + 'lt' => '<', 'gt' => '>', 'apos' => "'"); - /** - * constructor - * - * @access public - */ - function __construct() { - $this->debugLevel = $GLOBALS['_transient']['static']['nusoap_base']['globalDebugLevel']; - } + /** + * HTTP Content-type to be used for SOAP calls and responses + * + * @var string + */ + var $contentType = "text/xml"; - /** - * gets the global debug level, which applies to future instances - * - * @return integer Debug level 0-9, where 0 turns off - * @access public - */ - function getGlobalDebugLevel() { - return $GLOBALS['_transient']['static']['nusoap_base']['globalDebugLevel']; - } - /** - * sets the global debug level, which applies to future instances - * - * @param int $level Debug level 0-9, where 0 turns off - * @access public - */ - function setGlobalDebugLevel($level) { - $GLOBALS['_transient']['static']['nusoap_base']['globalDebugLevel'] = $level; - } + /** + * constructor + * + * @access public + */ + function __construct() + { + $this->debugLevel = $GLOBALS['_transient']['static']['nusoap_base']['globalDebugLevel']; + } - /** - * gets the debug level for this instance - * - * @return int Debug level 0-9, where 0 turns off - * @access public - */ - function getDebugLevel() { - return $this->debugLevel; - } + /** + * gets the global debug level, which applies to future instances + * + * @return integer Debug level 0-9, where 0 turns off + * @access public + */ + function getGlobalDebugLevel() + { + return $GLOBALS['_transient']['static']['nusoap_base']['globalDebugLevel']; + } - /** - * sets the debug level for this instance - * - * @param int $level Debug level 0-9, where 0 turns off - * @access public - */ - function setDebugLevel($level) { - $this->debugLevel = $level; - } + /** + * sets the global debug level, which applies to future instances + * + * @param int $level Debug level 0-9, where 0 turns off + * @access public + */ + function setGlobalDebugLevel($level) + { + $GLOBALS['_transient']['static']['nusoap_base']['globalDebugLevel'] = $level; + } - /** - * adds debug data to the instance debug string with formatting - * - * @param string $string debug data - * @access private - */ - function debug($string){ - if ($this->debugLevel > 0) { - $this->appendDebug($this->getmicrotime().' '.get_class($this).": $string\n"); - } - } + /** + * gets the debug level for this instance + * + * @return int Debug level 0-9, where 0 turns off + * @access public + */ + function getDebugLevel() + { + return $this->debugLevel; + } - /** - * adds debug data to the instance debug string without formatting - * - * @param string $string debug data - * @access public - */ - function appendDebug($string){ - if ($this->debugLevel > 0) { - // it would be nice to use a memory stream here to use - // memory more efficiently - $this->debug_str .= $string; - } - } + /** + * sets the debug level for this instance + * + * @param int $level Debug level 0-9, where 0 turns off + * @access public + */ + function setDebugLevel($level) + { + $this->debugLevel = $level; + } - /** - * clears the current debug data for this instance - * - * @access public - */ - function clearDebug() { - // it would be nice to use a memory stream here to use - // memory more efficiently - $this->debug_str = ''; - } + /** + * adds debug data to the instance debug string with formatting + * + * @param string $string debug data + * @access private + */ + function debug($string) + { + if ($this->debugLevel > 0) { + $this->appendDebug($this->getmicrotime() . ' ' . get_class($this) . ": $string\n"); + } + } - /** - * gets the current debug data for this instance - * - * @return debug data - * @access public - */ - function &getDebug() { - // it would be nice to use a memory stream here to use - // memory more efficiently - return $this->debug_str; - } + /** + * adds debug data to the instance debug string without formatting + * + * @param string $string debug data + * @access public + */ + function appendDebug($string) + { + if ($this->debugLevel > 0) { + // it would be nice to use a memory stream here to use + // memory more efficiently + $this->debug_str .= $string; + } + } - /** - * gets the current debug data for this instance as an XML comment - * this may change the contents of the debug data - * - * @return debug data as an XML comment - * @access public - */ - function &getDebugAsXMLComment() { - // it would be nice to use a memory stream here to use - // memory more efficiently - while (strpos($this->debug_str, '--')) { - $this->debug_str = str_replace('--', '- -', $this->debug_str); - } - $ret = ""; - return $ret; - } + /** + * clears the current debug data for this instance + * + * @access public + */ + function clearDebug() + { + // it would be nice to use a memory stream here to use + // memory more efficiently + $this->debug_str = ''; + } - /** - * expands entities, e.g. changes '<' to '<'. - * - * @param string $val The string in which to expand entities. - * @access private - */ - function expandEntities($val) { - if ($this->charencoding) { - $val = str_replace('&', '&', $val); - $val = str_replace("'", ''', $val); - $val = str_replace('"', '"', $val); - $val = str_replace('<', '<', $val); - $val = str_replace('>', '>', $val); - } - return $val; - } + /** + * gets the current debug data for this instance + * + * @return string data + * @access public + */ + function &getDebug() + { + // it would be nice to use a memory stream here to use + // memory more efficiently + return $this->debug_str; + } - /** - * returns error string if present - * - * @return mixed error string or false - * @access public - */ - function getError(){ - if($this->error_str != ''){ - return $this->error_str; - } - return false; - } + /** + * gets the current debug data for this instance as an XML comment + * this may change the contents of the debug data + * + * @return string data as an XML comment + * @access public + */ + function &getDebugAsXMLComment() + { + // it would be nice to use a memory stream here to use + // memory more efficiently + while (strpos($this->debug_str, '--')) { + $this->debug_str = str_replace('--', '- -', $this->debug_str); + } + $ret = ""; + return $ret; + } - /** - * sets error string - * - * @return boolean $string error string - * @access private - */ - function setError($str){ - $this->error_str = $str; - } + /** + * expands entities, e.g. changes '<' to '<'. + * + * @param string $val The string in which to expand entities. + * @access private + */ + function expandEntities($val) + { + if ($this->charencoding) { + $val = str_replace('&', '&', $val); + $val = str_replace("'", ''', $val); + $val = str_replace('"', '"', $val); + $val = str_replace('<', '<', $val); + $val = str_replace('>', '>', $val); + } + return $val; + } - /** - * detect if array is a simple array or a struct (associative array) - * - * @param mixed $val The PHP array - * @return string (arraySimple|arrayStruct) - * @access private - */ - function isArraySimpleOrStruct($val) { + /** + * returns error string if present + * + * @return false|string error string or false + * @access public + */ + function getError() + { + if ($this->error_str != '') { + return $this->error_str; + } + return false; + } + + /** + * sets error string + * + * @return void + * @access private + */ + function setError($str) + { + $this->error_str = $str; + } + + /** + * detect if array is a simple array or a struct (associative array) + * + * @param mixed $val The PHP array + * @return string (arraySimple|arrayStruct) + * @access private + */ + function isArraySimpleOrStruct($val) + { $keyList = array_keys($val); - foreach ($keyList as $keyListValue) { - if (!is_int($keyListValue)) { - return 'arrayStruct'; - } - } - return 'arraySimple'; - } - - /** - * serializes PHP values in accordance w/ section 5. Type information is - * not serialized if $use == 'literal'. - * - * @param mixed $val The value to serialize - * @param string $name The name (local part) of the XML element - * @param string $type The XML schema type (local part) for the element - * @param string $name_ns The namespace for the name of the XML element - * @param string $type_ns The namespace for the type of the element - * @param array $attributes The attributes to serialize as name=>value pairs - * @param string $use The WSDL "use" (encoded|literal) - * @param boolean $soapval Whether this is called from soapval. - * @return string The serialized element, possibly with child elements - * @access public - */ - function serialize_val($val,$name=false,$type=false,$name_ns=false,$type_ns=false,$attributes=false,$use='encoded',$soapval=false) { - $this->debug("in serialize_val: name=$name, type=$type, name_ns=$name_ns, type_ns=$type_ns, use=$use, soapval=$soapval"); - $this->appendDebug('value=' . $this->varDump($val)); - $this->appendDebug('attributes=' . $this->varDump($attributes)); - - if (is_object($val) && get_class($val) == 'soapval' && (! $soapval)) { - $this->debug("serialize_val: serialize soapval"); - $xml = $val->serialize($use); - $this->appendDebug($val->getDebug()); - $val->clearDebug(); - $this->debug("serialize_val of soapval returning $xml"); - return $xml; + foreach ($keyList as $keyListValue) { + if (!is_int($keyListValue)) { + return 'arrayStruct'; + } + } + return 'arraySimple'; + } + + /** + * serializes PHP values in accordance w/ section 5. Type information is + * not serialized if $use == 'literal'. + * + * @param mixed $val The value to serialize + * @param string $name The name (local part) of the XML element + * @param string $type The XML schema type (local part) for the element + * @param string $name_ns The namespace for the name of the XML element + * @param string $type_ns The namespace for the type of the element + * @param array $attributes The attributes to serialize as name=>value pairs + * @param string $use The WSDL "use" (encoded|literal) + * @param boolean $soapval Whether this is called from soapval. + * @return string The serialized element, possibly with child elements + * @access public + */ + function serialize_val($val, $name = false, $type = false, $name_ns = false, $type_ns = false, $attributes = false, $use = 'encoded', $soapval = false) + { + $this->debug("in serialize_val: name=$name, type=$type, name_ns=$name_ns, type_ns=$type_ns, use=$use, soapval=$soapval"); + $this->appendDebug('value=' . $this->varDump($val)); + $this->appendDebug('attributes=' . $this->varDump($attributes)); + + if (is_object($val) && get_class($val) == 'soapval' && (!$soapval)) { + $this->debug("serialize_val: serialize soapval"); + $xml = $val->serialize($use); + $this->appendDebug($val->getDebug()); + $val->clearDebug(); + $this->debug("serialize_val of soapval returning $xml"); + return $xml; + } + // force valid name if necessary + if (is_numeric($name)) { + $name = '__numeric_' . $name; + } elseif (!$name) { + $name = 'noname'; + } + // if name has ns, add ns prefix to name + $xmlns = ''; + if ($name_ns) { + $prefix = 'nu' . rand(1000, 9999); + $name = $prefix . ':' . $name; + $xmlns .= " xmlns:$prefix=\"$name_ns\""; + } + // if type is prefixed, create type prefix + if ($type_ns != '' && $type_ns == $this->namespaces['xsd']) { + // need to fix this. shouldn't default to xsd if no ns specified + // w/o checking against typemap + $type_prefix = 'xsd'; + } elseif ($type_ns) { + $type_prefix = 'ns' . rand(1000, 9999); + $xmlns .= " xmlns:$type_prefix=\"$type_ns\""; + } + // serialize attributes if present + $atts = ''; + if ($attributes) { + foreach ($attributes as $k => $v) { + $atts .= " $k=\"" . $this->expandEntities($v) . '"'; + } + } + // serialize null value + if (is_null($val)) { + $this->debug("serialize_val: serialize null"); + if ($use == 'literal') { + // TODO: depends on minOccurs + $xml = "<$name$xmlns$atts/>"; + } else { + if (isset($type) && isset($type_prefix)) { + $type_str = " xsi:type=\"$type_prefix:$type\""; + } else { + $type_str = ''; + } + $xml = "<$name$xmlns$type_str$atts xsi:nil=\"true\"/>"; + } + $this->debug("serialize_val returning $xml"); + return $xml; } - // force valid name if necessary - if (is_numeric($name)) { - $name = '__numeric_' . $name; - } elseif (! $name) { - $name = 'noname'; - } - // if name has ns, add ns prefix to name - $xmlns = ''; - if($name_ns){ - $prefix = 'nu'.rand(1000,9999); - $name = $prefix.':'.$name; - $xmlns .= " xmlns:$prefix=\"$name_ns\""; - } - // if type is prefixed, create type prefix - if($type_ns != '' && $type_ns == $this->namespaces['xsd']){ - // need to fix this. shouldn't default to xsd if no ns specified - // w/o checking against typemap - $type_prefix = 'xsd'; - } elseif($type_ns){ - $type_prefix = 'ns'.rand(1000,9999); - $xmlns .= " xmlns:$type_prefix=\"$type_ns\""; - } - // serialize attributes if present - $atts = ''; - if($attributes){ - foreach($attributes as $k => $v){ - $atts .= " $k=\"".$this->expandEntities($v).'"'; - } - } - // serialize null value - if (is_null($val)) { - $this->debug("serialize_val: serialize null"); - if ($use == 'literal') { - // TODO: depends on minOccurs - $xml = "<$name$xmlns$atts/>"; - $this->debug("serialize_val returning $xml"); - return $xml; - } else { - if (isset($type) && isset($type_prefix)) { - $type_str = " xsi:type=\"$type_prefix:$type\""; - } else { - $type_str = ''; - } - $xml = "<$name$xmlns$type_str$atts xsi:nil=\"true\"/>"; - $this->debug("serialize_val returning $xml"); - return $xml; - } - } // serialize if an xsd built-in primitive type - if($type != '' && isset($this->typemap[$this->XMLSchemaVersion][$type])){ - $this->debug("serialize_val: serialize xsd built-in primitive type"); - if (is_bool($val)) { - if ($type == 'boolean') { - $val = $val ? 'true' : 'false'; - } elseif (! $val) { - $val = 0; - } - } else if (is_string($val)) { - $val = $this->expandEntities($val); - } - if ($use == 'literal') { - $xml = "<$name$xmlns$atts>$val"; - $this->debug("serialize_val returning $xml"); - return $xml; - } else { - $xml = "<$name$xmlns xsi:type=\"xsd:$type\"$atts>$val"; - $this->debug("serialize_val returning $xml"); - return $xml; - } + if ($type != '' && isset($this->typemap[$this->XMLSchemaVersion][$type])) { + $this->debug("serialize_val: serialize xsd built-in primitive type"); + if (is_bool($val)) { + if ($type == 'boolean') { + $val = $val ? 'true' : 'false'; + } elseif (!$val) { + $val = 0; + } + } elseif (is_string($val)) { + $val = $this->expandEntities($val); + } + if ($use == 'literal') { + $xml = "<$name$xmlns$atts>$val"; + } else { + $xml = "<$name$xmlns xsi:type=\"xsd:$type\"$atts>$val"; + } + $this->debug("serialize_val returning $xml"); + return $xml; } - // detect type and serialize - $xml = ''; - switch(true) { - case (is_bool($val) || $type == 'boolean'): - $this->debug("serialize_val: serialize boolean"); - if ($type == 'boolean') { - $val = $val ? 'true' : 'false'; - } elseif (! $val) { - $val = 0; - } - if ($use == 'literal') { - $xml .= "<$name$xmlns$atts>$val"; - } else { - $xml .= "<$name$xmlns xsi:type=\"xsd:boolean\"$atts>$val"; - } - break; - case (is_int($val) || is_long($val) || $type == 'int'): - $this->debug("serialize_val: serialize int"); - if ($use == 'literal') { - $xml .= "<$name$xmlns$atts>$val"; - } else { - $xml .= "<$name$xmlns xsi:type=\"xsd:int\"$atts>$val"; - } - break; - case (is_float($val)|| is_double($val) || $type == 'float'): - $this->debug("serialize_val: serialize float"); - if ($use == 'literal') { - $xml .= "<$name$xmlns$atts>$val"; - } else { - $xml .= "<$name$xmlns xsi:type=\"xsd:float\"$atts>$val"; - } - break; - case (is_string($val) || $type == 'string'): - $this->debug("serialize_val: serialize string"); - $val = $this->expandEntities($val); - if ($use == 'literal') { - $xml .= "<$name$xmlns$atts>$val"; - } else { - $xml .= "<$name$xmlns xsi:type=\"xsd:string\"$atts>$val"; - } - break; - case is_object($val): - $this->debug("serialize_val: serialize object"); - if (get_class($val) == 'soapval') { - $this->debug("serialize_val: serialize soapval object"); - $pXml = $val->serialize($use); - $this->appendDebug($val->getDebug()); - $val->clearDebug(); - } else { - if (! $name) { - $name = get_class($val); - $this->debug("In serialize_val, used class name $name as element name"); - } else { - $this->debug("In serialize_val, do not override name $name for element name for class " . get_class($val)); - } - foreach(get_object_vars($val) as $k => $v){ - $pXml = isset($pXml) ? $pXml.$this->serialize_val($v,$k,false,false,false,false,$use) : $this->serialize_val($v,$k,false,false,false,false,$use); - } - } - if(isset($type) && isset($type_prefix)){ - $type_str = " xsi:type=\"$type_prefix:$type\""; - } else { - $type_str = ''; - } - if ($use == 'literal') { - $xml .= "<$name$xmlns$atts>$pXml"; - } else { - $xml .= "<$name$xmlns$type_str$atts>$pXml"; - } - break; - break; - case (is_array($val) || $type): - // detect if struct or array - $valueType = $this->isArraySimpleOrStruct($val); - if($valueType=='arraySimple' || preg_match('/^ArrayOf/',$type)){ - $this->debug("serialize_val: serialize array"); - $i = 0; - if(is_array($val) && count($val)> 0){ - foreach($val as $v){ - if(is_object($v) && get_class($v) == 'soapval'){ - $tt_ns = $v->type_ns; - $tt = $v->type; - } elseif (is_array($v)) { - $tt = $this->isArraySimpleOrStruct($v); - } else { - $tt = gettype($v); - } - $array_types[$tt] = 1; - // TODO: for literal, the name should be $name - // @CHANGE This is to have tag name with name reported by wsdl and not "item" - //$xml .= $this->serialize_val($v,'item',false,false,false,false,$use); - $tmp=preg_replace('/s$/i','',$name); - $xml .= $this->serialize_val($v,$tmp?$tmp:'item',false,false,false,false,$use); + // detect type and serialize + $xml = ''; + switch (true) { + case (is_bool($val) || $type == 'boolean'): + $this->debug("serialize_val: serialize boolean"); + if ($type == 'boolean') { + $val = $val ? 'true' : 'false'; + } elseif (!$val) { + $val = 0; + } + if ($use == 'literal') { + $xml .= "<$name$xmlns$atts>$val"; + } else { + $xml .= "<$name$xmlns xsi:type=\"xsd:boolean\"$atts>$val"; + } + break; + case (is_int($val) || is_long($val) || $type == 'int'): + $this->debug("serialize_val: serialize int"); + if ($use == 'literal') { + $xml .= "<$name$xmlns$atts>$val"; + } else { + $xml .= "<$name$xmlns xsi:type=\"xsd:int\"$atts>$val"; + } + break; + case (is_float($val) || is_double($val) || $type == 'float'): + $this->debug("serialize_val: serialize float"); + if ($use == 'literal') { + $xml .= "<$name$xmlns$atts>$val"; + } else { + $xml .= "<$name$xmlns xsi:type=\"xsd:float\"$atts>$val"; + } + break; + case (is_string($val) || $type == 'string'): + $this->debug("serialize_val: serialize string"); + $val = $this->expandEntities($val); + if ($use == 'literal') { + $xml .= "<$name$xmlns$atts>$val"; + } else { + $xml .= "<$name$xmlns xsi:type=\"xsd:string\"$atts>$val"; + } + break; + case is_object($val): + $this->debug("serialize_val: serialize object"); + $pXml = ""; + if (get_class($val) == 'soapval') { + $this->debug("serialize_val: serialize soapval object"); + $pXml = $val->serialize($use); + $this->appendDebug($val->getDebug()); + $val->clearDebug(); + } else { + if (!$name) { + $name = get_class($val); + $this->debug("In serialize_val, used class name $name as element name"); + } else { + $this->debug("In serialize_val, do not override name $name for element name for class " . get_class($val)); + } + foreach (get_object_vars($val) as $k => $v) { + $pXml = isset($pXml) ? $pXml . $this->serialize_val($v, $k, false, false, false, false, $use) : $this->serialize_val($v, $k, false, false, false, false, $use); + } + } + if (isset($type) && isset($type_prefix)) { + $type_str = " xsi:type=\"$type_prefix:$type\""; + } else { + $type_str = ''; + } + if ($use == 'literal') { + $xml .= "<$name$xmlns$atts>$pXml"; + } else { + $xml .= "<$name$xmlns$type_str$atts>$pXml"; + } + break; + case (is_array($val) || $type): + // detect if struct or array + $valueType = $this->isArraySimpleOrStruct($val); + if ($valueType == 'arraySimple' || preg_match('/^ArrayOf/', $type)) { + $this->debug("serialize_val: serialize array"); + $i = 0; + if (is_array($val) && count($val) > 0) { + $array_types = array (); + $tt_ns = ""; + $tt = ""; + foreach ($val as $v) { + if (is_object($v) && get_class($v) == 'soapval') { + $tt_ns = $v->type_ns; + $tt = $v->type; + } elseif (is_array($v)) { + $tt = $this->isArraySimpleOrStruct($v); + } else { + $tt = gettype($v); + } + $array_types[$tt] = 1; + // TODO: for literal, the name should be $name + $xml .= $this->serialize_val($v, 'item', false, false, false, false, $use); ++$i; - } - if(count($array_types) > 1){ - $array_typename = 'xsd:anyType'; - } elseif(isset($tt) && isset($this->typemap[$this->XMLSchemaVersion][$tt])) { - if ($tt == 'integer') { - $tt = 'int'; - } - $array_typename = 'xsd:'.$tt; - } elseif(isset($tt) && $tt == 'arraySimple'){ - $array_typename = 'SOAP-ENC:Array'; - } elseif(isset($tt) && $tt == 'arrayStruct'){ - $array_typename = 'unnamed_struct_use_soapval'; - } else { - // if type is prefixed, create type prefix - if ($tt_ns != '' && $tt_ns == $this->namespaces['xsd']){ - $array_typename = 'xsd:' . $tt; - } elseif ($tt_ns) { - $tt_prefix = 'ns' . rand(1000, 9999); - $array_typename = "$tt_prefix:$tt"; - $xmlns .= " xmlns:$tt_prefix=\"$tt_ns\""; - } else { - $array_typename = $tt; - } - } - $array_type = $i; - if ($use == 'literal') { - $type_str = ''; - } else if (isset($type) && isset($type_prefix)) { - $type_str = " xsi:type=\"$type_prefix:$type\""; - } else { - $type_str = " xsi:type=\"SOAP-ENC:Array\" SOAP-ENC:arrayType=\"".$array_typename."[$array_type]\""; - } - // empty array - } else { - if ($use == 'literal') { - $type_str = ''; - } else if (isset($type) && isset($type_prefix)) { - $type_str = " xsi:type=\"$type_prefix:$type\""; - } else { - $type_str = " xsi:type=\"SOAP-ENC:Array\" SOAP-ENC:arrayType=\"xsd:anyType[0]\""; - } - } - // TODO: for array in literal, there is no wrapper here - $xml = "<$name$xmlns$type_str$atts>".$xml.""; - } else { - // got a struct - $this->debug("serialize_val: serialize struct"); - if(isset($type) && isset($type_prefix)){ - $type_str = " xsi:type=\"$type_prefix:$type\""; - } else { - $type_str = ''; - } - if ($use == 'literal') { - $xml .= "<$name$xmlns$atts>"; - } else { - $xml .= "<$name$xmlns$type_str$atts>"; - } - foreach($val as $k => $v){ - // Apache Map - if ($type == 'Map' && $type_ns == 'http://xml.apache.org/xml-soap') { - $xml .= ''; - $xml .= $this->serialize_val($k,'key',false,false,false,false,$use); - $xml .= $this->serialize_val($v,'value',false,false,false,false,$use); - $xml .= ''; - } else { - $xml .= $this->serialize_val($v,$k,false,false,false,false,$use); - } - } - $xml .= ""; - } - break; - default: - $this->debug("serialize_val: serialize unknown"); - $xml .= 'not detected, got '.gettype($val).' for '.$val; - break; - } - $this->debug("serialize_val returning $xml"); - return $xml; - } + } + if (count($array_types) > 1) { + $array_typename = 'xsd:anyType'; + } elseif (isset($tt) && isset($this->typemap[$this->XMLSchemaVersion][$tt])) { + if ($tt == 'integer') { + $tt = 'int'; + } + $array_typename = 'xsd:' . $tt; + } elseif (isset($tt) && $tt == 'arraySimple') { + $array_typename = 'SOAP-ENC:Array'; + } elseif (isset($tt) && $tt == 'arrayStruct') { + $array_typename = 'unnamed_struct_use_soapval'; + } else { + // if type is prefixed, create type prefix + if ($tt_ns != '' && $tt_ns == $this->namespaces['xsd']) { + $array_typename = 'xsd:' . $tt; + } elseif ($tt_ns) { + $tt_prefix = 'ns' . rand(1000, 9999); + $array_typename = "$tt_prefix:$tt"; + $xmlns .= " xmlns:$tt_prefix=\"$tt_ns\""; + } else { + $array_typename = $tt; + } + } + $array_type = $i; + if ($use == 'literal') { + $type_str = ''; + } elseif (isset($type) && isset($type_prefix)) { + $type_str = " xsi:type=\"$type_prefix:$type\""; + } else { + $type_str = " xsi:type=\"SOAP-ENC:Array\" SOAP-ENC:arrayType=\"" . $array_typename . "[$array_type]\""; + } + // empty array + } else { + if ($use == 'literal') { + $type_str = ''; + } elseif (isset($type) && isset($type_prefix)) { + $type_str = " xsi:type=\"$type_prefix:$type\""; + } else { + $type_str = " xsi:type=\"SOAP-ENC:Array\" SOAP-ENC:arrayType=\"xsd:anyType[0]\""; + } + } + // TODO: for array in literal, there is no wrapper here + $xml = "<$name$xmlns$type_str$atts>" . $xml . ""; + } else { + // got a struct + $this->debug("serialize_val: serialize struct"); + if (isset($type) && isset($type_prefix)) { + $type_str = " xsi:type=\"$type_prefix:$type\""; + } else { + $type_str = ''; + } + if ($use == 'literal') { + $xml .= "<$name$xmlns$atts>"; + } else { + $xml .= "<$name$xmlns$type_str$atts>"; + } + foreach ($val as $k => $v) { + // Apache Map + if ($type == 'Map' && $type_ns == 'http://xml.apache.org/xml-soap') { + $xml .= ''; + $xml .= $this->serialize_val($k, 'key', false, false, false, false, $use); + $xml .= $this->serialize_val($v, 'value', false, false, false, false, $use); + $xml .= ''; + } else { + $xml .= $this->serialize_val($v, $k, false, false, false, false, $use); + } + } + $xml .= ""; + } + break; + default: + $this->debug("serialize_val: serialize unknown"); + $xml .= 'not detected, got ' . gettype($val) . ' for ' . $val; + break; + } + $this->debug("serialize_val returning $xml"); + return $xml; + } /** - * serializes a message - * - * @param string $body the XML of the SOAP body - * @param mixed $headers optional string of XML with SOAP header content, or array of soapval objects for SOAP headers, or associative array - * @param array $namespaces optional the namespaces used in generating the body and headers - * @param string $style optional (rpc|document) - * @param string $use optional (encoded|literal) - * @param string $encodingStyle optional (usually 'http://schemas.xmlsoap.org/soap/encoding/' for encoded) - * @return string the message - * @access public - */ - function serializeEnvelope($body,$headers=false,$namespaces=array(),$style='rpc',$use='encoded',$encodingStyle='http://schemas.xmlsoap.org/soap/encoding/'){ - // TODO: add an option to automatically run utf8_encode on $body and $headers - // if $this->soap_defencoding is UTF-8. Not doing this automatically allows - // one to send arbitrary UTF-8 characters, not just characters that map to ISO-8859-1 + * serializes a message + * + * @param string $body the XML of the SOAP body + * @param mixed $headers optional string of XML with SOAP header content, or array of soapval objects for SOAP headers, or associative array + * @param array $namespaces optional the namespaces used in generating the body and headers + * @param string $style optional (rpc|document) + * @param string $use optional (encoded|literal) + * @param string $encodingStyle optional (usually 'http://schemas.xmlsoap.org/soap/encoding/' for encoded) + * @return string the message + * @access public + */ + function serializeEnvelope($body, $headers = false, $namespaces = array(), $style = 'rpc', $use = 'encoded', $encodingStyle = 'http://schemas.xmlsoap.org/soap/encoding/') + { + // TODO: add an option to automatically run utf8_encode on $body and $headers + // if $this->soap_defencoding is UTF-8. Not doing this automatically allows + // one to send arbitrary UTF-8 characters, not just characters that map to ISO-8859-1 - $this->debug("In serializeEnvelope length=" . strlen($body) . " body (max 1000 characters)=" . substr($body, 0, 1000) . " style=$style use=$use encodingStyle=$encodingStyle"); - $this->debug("headers:"); - $this->appendDebug($this->varDump($headers)); - $this->debug("namespaces:"); - $this->appendDebug($this->varDump($namespaces)); + $this->debug("In serializeEnvelope length=" . strlen($body) . " body (max 1000 characters)=" . substr($body, 0, 1000) . " style=$style use=$use encodingStyle=$encodingStyle"); + $this->debug("headers:"); + $this->appendDebug($this->varDump($headers)); + $this->debug("namespaces:"); + $this->appendDebug($this->varDump($namespaces)); - // serialize namespaces - $ns_string = ''; - foreach(array_merge($this->namespaces,$namespaces) as $k => $v){ - $ns_string .= " xmlns:$k=\"$v\""; - } - if($encodingStyle) { - $ns_string = " SOAP-ENV:encodingStyle=\"$encodingStyle\"$ns_string"; - } + // serialize namespaces + $ns_string = ''; + foreach (array_merge($this->namespaces, $namespaces) as $k => $v) { + $ns_string .= " xmlns:$k=\"$v\""; + } + if ($encodingStyle) { + $ns_string = " SOAP-ENV:encodingStyle=\"$encodingStyle\"$ns_string"; + } - // serialize headers - if($headers){ - if (is_array($headers)) { - $xml = ''; - foreach ($headers as $k => $v) { - if (is_object($v) && get_class($v) == 'soapval') { - $xml .= $this->serialize_val($v, false, false, false, false, false, $use); - } else { - $xml .= $this->serialize_val($v, $k, false, false, false, false, $use); - } - } - $headers = $xml; - $this->debug("In serializeEnvelope, serialized array of headers to $headers"); - } - $headers = "".$headers.""; - } - // serialize envelope + // serialize headers + if ($headers) { + if (is_array($headers)) { + $xml = ''; + foreach ($headers as $k => $v) { + if (is_object($v) && get_class($v) == 'soapval') { + $xml .= $this->serialize_val($v, false, false, false, false, false, $use); + } else { + $xml .= $this->serialize_val($v, $k, false, false, false, false, $use); + } + } + $headers = $xml; + $this->debug("In serializeEnvelope, serialized array of headers to $headers"); + } + $headers = "" . $headers . ""; + } + // serialize envelope + return + 'soap_defencoding . '"?' . ">" . + '" . + $headers . + "" . + $body . + "" . + ""; + } + + /** + * formats a string to be inserted into an HTML stream + * + * @param string $str The string to format + * @return string The formatted string + * @access public + * @deprecated + */ + function formatDump($str) + { + $str = htmlspecialchars($str); + return nl2br($str); + } + + /** + * contracts (changes namespace to prefix) a qualified name + * + * @param string $qname qname + * @return string contracted qname + * @access private + */ + function contractQname($qname) + { + // get element namespace + //$this->xdebug("Contract $qname"); + if (strrpos($qname, ':')) { + // get unqualified name + $name = substr($qname, strrpos($qname, ':') + 1); + // get ns + $ns = substr($qname, 0, strrpos($qname, ':')); + $p = $this->getPrefixFromNamespace($ns); + if ($p) { + return $p . ':' . $name; + } + } + return $qname; + } + + /** + * expands (changes prefix to namespace) a qualified name + * + * @param string $qname qname + * @return string expanded qname + * @access private + */ + function expandQname($qname) + { + // get element prefix + if (strpos($qname, ':') && !preg_match('/^http:\/\//', $qname)) { + // get unqualified name + $name = substr(strstr($qname, ':'), 1); + // get ns prefix + $prefix = substr($qname, 0, strpos($qname, ':')); + if (isset($this->namespaces[$prefix])) { + return $this->namespaces[$prefix] . ':' . $name; + } else { + return $qname; + } + } else { + return $qname; + } + } + + /** + * returns the local part of a prefixed string + * returns the original string, if not prefixed + * + * @param string $str The prefixed string + * @return string The local part + * @access public + */ + function getLocalPart($str) + { + if ($sstr = strrchr($str, ':')) { + // get unqualified name + return substr($sstr, 1); + } else { + return $str; + } + } + + /** + * returns the prefix part of a prefixed string + * returns false, if not prefixed + * + * @param string $str The prefixed string + * @return false|string The prefix or false if there is no prefix + * @access public + */ + function getPrefix($str) + { + if ($pos = strrpos($str, ':')) { + // get prefix + return substr($str, 0, $pos); + } + return false; + } + + /** + * pass it a prefix, it returns a namespace + * + * @param string $prefix The prefix + * @return mixed The namespace, false if no namespace has the specified prefix + * @access public + */ + function getNamespaceFromPrefix($prefix) + { + if (isset($this->namespaces[$prefix])) { + return $this->namespaces[$prefix]; + } + //$this->setError("No namespace registered for prefix '$prefix'"); + return false; + } + + /** + * returns the prefix for a given namespace (or prefix) + * or false if no prefixes registered for the given namespace + * + * @param string $ns The namespace + * @return false|string The prefix, false if the namespace has no prefixes + * @access public + */ + function getPrefixFromNamespace($ns) + { + foreach ($this->namespaces as $p => $n) { + if ($ns == $n || $ns == $p) { + $this->usedNamespaces[$p] = $n; + return $p; + } + } + return false; + } + + /** + * returns the time in ODBC canonical form with microseconds + * + * @return string The time in ODBC canonical form with microseconds + * @access public + */ + function getmicrotime() + { + if (function_exists('gettimeofday')) { + $tod = gettimeofday(); + $sec = $tod['sec']; + $usec = $tod['usec']; + } else { + $sec = time(); + $usec = 0; + } + $dtx = new DateTime("@$sec"); return - 'soap_defencoding .'"?'.">". - '". - $headers. - "". - $body. - "". - ""; + date_format($dtx, 'Y-m-d H:i:s') . '.' . sprintf('%06d', $usec); } - /** - * formats a string to be inserted into an HTML stream - * - * @param string $str The string to format - * @return string The formatted string - * @access public - * @deprecated - */ - function formatDump($str){ - $str = htmlspecialchars($str); - return nl2br($str); - } - - /** - * contracts (changes namespace to prefix) a qualified name - * - * @param string $qname qname - * @return string contracted qname - * @access private - */ - function contractQname($qname){ - // get element namespace - //$this->xdebug("Contract $qname"); - if (strrpos($qname, ':')) { - // get unqualified name - $name = substr($qname, strrpos($qname, ':') + 1); - // get ns - $ns = substr($qname, 0, strrpos($qname, ':')); - $p = $this->getPrefixFromNamespace($ns); - if ($p) { - return $p . ':' . $name; - } - return $qname; - } else { - return $qname; - } - } - - /** - * expands (changes prefix to namespace) a qualified name - * - * @param string $qname qname - * @return string expanded qname - * @access private - */ - function expandQname($qname){ - // get element prefix - if(strpos($qname,':') && !preg_match('/^http:\/\//',$qname)){ - // get unqualified name - $name = substr(strstr($qname,':'),1); - // get ns prefix - $prefix = substr($qname,0,strpos($qname,':')); - if(isset($this->namespaces[$prefix])){ - return $this->namespaces[$prefix].':'.$name; - } else { - return $qname; - } - } else { - return $qname; - } - } - /** - * returns the local part of a prefixed string - * returns the original string, if not prefixed - * - * @param string $str The prefixed string - * @return string The local part - * @access public - */ - function getLocalPart($str){ - if($sstr = strrchr($str,':')){ - // get unqualified name - return substr( $sstr, 1 ); - } else { - return $str; - } - } + * Returns a string with the output of var_dump + * + * @param mixed $data The variable to var_dump + * @return string The output of var_dump + * @access public + */ + function varDump($data) + { + ob_start(); + var_dump($data); + $ret_val = ob_get_contents(); + ob_end_clean(); + return $ret_val; + } - /** - * returns the prefix part of a prefixed string - * returns false, if not prefixed - * - * @param string $str The prefixed string - * @return mixed The prefix or false if there is no prefix - * @access public - */ - function getPrefix($str){ - if($pos = strrpos($str,':')){ - // get prefix - return substr($str,0,$pos); - } - return false; - } - - /** - * pass it a prefix, it returns a namespace - * - * @param string $prefix The prefix - * @return mixed The namespace, false if no namespace has the specified prefix - * @access public - */ - function getNamespaceFromPrefix($prefix){ - if (isset($this->namespaces[$prefix])) { - return $this->namespaces[$prefix]; - } - //$this->setError("No namespace registered for prefix '$prefix'"); - return false; - } - - /** - * returns the prefix for a given namespace (or prefix) - * or false if no prefixes registered for the given namespace - * - * @param string $ns The namespace - * @return mixed The prefix, false if the namespace has no prefixes - * @access public - */ - function getPrefixFromNamespace($ns) { - foreach ($this->namespaces as $p => $n) { - if ($ns == $n || $ns == $p) { - $this->usedNamespaces[$p] = $n; - return $p; - } - } - return false; - } - - /** - * returns the time in ODBC canonical form with microseconds - * - * @return string The time in ODBC canonical form with microseconds - * @access public - */ - function getmicrotime() { - if (function_exists('gettimeofday')) { - $tod = gettimeofday(); - $sec = $tod['sec']; - $usec = $tod['usec']; - } else { - $sec = time(); - $usec = 0; - } - return strftime('%Y-%m-%d %H:%M:%S', $sec) . '.' . sprintf('%06d', $usec); - } - - /** - * Returns a string with the output of var_dump - * - * @param mixed $data The variable to var_dump - * @return string The output of var_dump - * @access public - */ - function varDump($data) { - ob_start(); - var_dump($data); - $ret_val = ob_get_contents(); - ob_end_clean(); - return $ret_val; - } - - /** - * represents the object as a string - * - * @return string - * @access public - */ - function __toString() { - return $this->varDump($this); - } + /** + * represents the object as a string + * + * @return string + * @access public + */ + function __toString() + { + return $this->varDump($this); + } } // XML Schema Datatype Helper Functions @@ -894,1441 +930,1460 @@ class nusoap_base { //xsd:dateTime helpers /** -* convert unix timestamp to ISO 8601 compliant date string -* -* @param int $timestamp Unix time stamp -* @param boolean $utc Whether the time stamp is UTC or local -* @return mixed ISO 8601 date string or false -* @access public -*/ -function timestamp_to_iso8601($timestamp,$utc=true){ - $datestr = date('Y-m-d\TH:i:sO',$timestamp); - $pos = strrpos($datestr, "+"); - if ($pos === FALSE) { - $pos = strrpos($datestr, "-"); - } - if ($pos !== FALSE) { - if (strlen($datestr) == $pos + 5) { - $datestr = substr($datestr, 0, $pos + 3) . ':' . substr($datestr, -2); - } - } - if($utc){ - $pattern = '/'. - '([0-9]{4})-'. // centuries & years CCYY- - '([0-9]{2})-'. // months MM- - '([0-9]{2})'. // days DD - 'T'. // separator T - '([0-9]{2}):'. // hours hh: - '([0-9]{2}):'. // minutes mm: - '([0-9]{2})(\.[0-9]*)?'. // seconds ss.ss... - '(Z|[+\-][0-9]{2}:?[0-9]{2})?'. // Z to indicate UTC, -/+HH:MM:SS.SS... for local tz's - '/'; + * convert unix timestamp to ISO 8601 compliant date string + * + * @param int $timestamp Unix time stamp + * @param boolean $utc Whether the time stamp is UTC or local + * @return false|string ISO 8601 date string or false + * @access public + */ +function timestamp_to_iso8601($timestamp, $utc = true) +{ + $datestr = date('Y-m-d\TH:i:sO', $timestamp); + $pos = strrpos($datestr, "+"); + if ($pos === false) { + $pos = strrpos($datestr, "-"); + } + if ($pos !== false) { + if (strlen($datestr) == $pos + 5) { + $datestr = substr($datestr, 0, $pos + 3) . ':' . substr($datestr, -2); + } + } + if ($utc) { + $pattern = '/' . + '([0-9]{4})-' . // centuries & years CCYY- + '([0-9]{2})-' . // months MM- + '([0-9]{2})' . // days DD + 'T' . // separator T + '([0-9]{2}):' . // hours hh: + '([0-9]{2}):' . // minutes mm: + '([0-9]{2})(\.[0-9]*)?' . // seconds ss.ss... + '(Z|[+\-][0-9]{2}:?[0-9]{2})?' . // Z to indicate UTC, -/+HH:MM:SS.SS... for local tz's + '/'; - if(preg_match($pattern,$datestr,$regs)){ - return sprintf('%04d-%02d-%02dT%02d:%02d:%02dZ',$regs[1],$regs[2],$regs[3],$regs[4],$regs[5],$regs[6]); - } - return false; - } else { - return $datestr; - } + if (preg_match($pattern, $datestr, $regs)) { + return sprintf('%04d-%02d-%02dT%02d:%02d:%02dZ', $regs[1], $regs[2], $regs[3], $regs[4], $regs[5], $regs[6]); + } + return false; + } else { + return $datestr; + } } /** -* convert ISO 8601 compliant date string to unix timestamp -* -* @param string $datestr ISO 8601 compliant date string -* @return mixed Unix timestamp (int) or false -* @access public -*/ -function iso8601_to_timestamp($datestr){ - $pattern = '/'. - '([0-9]{4})-'. // centuries & years CCYY- - '([0-9]{2})-'. // months MM- - '([0-9]{2})'. // days DD - 'T'. // separator T - '([0-9]{2}):'. // hours hh: - '([0-9]{2}):'. // minutes mm: - '([0-9]{2})(\.[0-9]+)?'. // seconds ss.ss... - '(Z|[+\-][0-9]{2}:?[0-9]{2})?'. // Z to indicate UTC, -/+HH:MM:SS.SS... for local tz's - '/'; - if(preg_match($pattern,$datestr,$regs)){ - // not utc - if($regs[8] != 'Z'){ - $op = substr($regs[8],0,1); - $h = substr($regs[8],1,2); - $m = substr($regs[8],strlen($regs[8])-2,2); - if($op == '-'){ - $regs[4] = $regs[4] + $h; - $regs[5] = $regs[5] + $m; - } elseif($op == '+'){ - $regs[4] = $regs[4] - $h; - $regs[5] = $regs[5] - $m; - } - } - return gmmktime($regs[4], $regs[5], $regs[6], $regs[2], $regs[3], $regs[1]); + * convert ISO 8601 compliant date string to unix timestamp + * + * @param string $datestr ISO 8601 compliant date string + * @return false|int Unix timestamp (int) or false + * @access public + */ +function iso8601_to_timestamp($datestr) +{ + $pattern = '/' . + '([0-9]{4})-' . // centuries & years CCYY- + '([0-9]{2})-' . // months MM- + '([0-9]{2})' . // days DD + 'T' . // separator T + '([0-9]{2}):' . // hours hh: + '([0-9]{2}):' . // minutes mm: + '([0-9]{2})(\.[0-9]+)?' . // seconds ss.ss... + '(Z|[+\-][0-9]{2}:?[0-9]{2})?' . // Z to indicate UTC, -/+HH:MM:SS.SS... for local tz's + '/'; + if (preg_match($pattern, $datestr, $regs)) { + // not utc + if ($regs[8] != 'Z') { + $op = substr($regs[8], 0, 1); + $h = substr($regs[8], 1, 2); + $m = substr($regs[8], strlen($regs[8]) - 2, 2); + if ($op == '-') { + $regs[4] = intval ($regs[4]) + intval ($h); + $regs[5] = intval ($regs[5]) + intval ($m); + } elseif ($op == '+') { + $regs[4] = intval ($regs[4]) - intval ($h); + $regs[5] = intval ($regs[5]) - intval ($m); + } + } + return gmmktime($regs[4], $regs[5], $regs[6], $regs[2], $regs[3], $regs[1]); // return strtotime("$regs[1]-$regs[2]-$regs[3] $regs[4]:$regs[5]:$regs[6]Z"); - } else { - return false; - } + } else { + return false; + } } /** -* sleeps some number of microseconds -* -* @param string $usec the number of microseconds to sleep -* @access public -* @deprecated -*/ + * sleeps some number of microseconds + * + * @param string $usec the number of microseconds to sleep + * @access public + * @deprecated + */ function usleepWindows($usec) { - $start = gettimeofday(); + $start = gettimeofday(); - do - { - $stop = gettimeofday(); - $timePassed = 1000000 * ($stop['sec'] - $start['sec']) - + $stop['usec'] - $start['usec']; - } - while ($timePassed < $usec); + do { + $stop = gettimeofday(); + $timePassed = 1000000 * ($stop['sec'] - $start['sec']) + + $stop['usec'] - $start['usec']; + } while ($timePassed < $usec); } -?> -* @access public -*/ -class nusoap_fault extends nusoap_base { - /** - * The fault code (client|server) - * @var string - * @access private - */ - var $faultcode; - /** - * The fault actor - * @var string - * @access private - */ - var $faultactor; - /** - * The fault string, a description of the fault - * @var string - * @access private - */ - var $faultstring; - /** - * The fault detail, typically a string or array of string - * @var mixed - * @access private - */ - var $faultdetail; + * Contains information for a SOAP fault. + * Mainly used for returning faults from deployed functions + * in a server instance. + * + * @author Dietrich Ayala + * @version $Id: nusoap.php,v 1.123 2010/04/26 20:15:08 snichol Exp $ + * @access public + */ +class nusoap_fault extends nusoap_base +{ + /** + * The fault code (client|server) + * + * @var string + * @access private + */ + var $faultcode; + /** + * The fault actor + * + * @var string + * @access private + */ + var $faultactor; + /** + * The fault string, a description of the fault + * + * @var string + * @access private + */ + var $faultstring; + /** + * The fault detail, typically a string or array of string + * + * @var mixed + * @access private + */ + var $faultdetail; - /** - * constructor - * - * @param string $faultcode (SOAP-ENV:Client | SOAP-ENV:Server) - * @param string $faultactor only used when msg routed between multiple actors - * @param string $faultstring human readable error message - * @param mixed $faultdetail detail, typically a string or array of string - */ - function __construct($faultcode,$faultactor='',$faultstring='',$faultdetail=''){ - parent::__construct(); - $this->faultcode = $faultcode; - $this->faultactor = $faultactor; - $this->faultstring = $faultstring; - $this->faultdetail = $faultdetail; - } + /** + * constructor + * + * @param string $faultcode (SOAP-ENV:Client | SOAP-ENV:Server) + * @param string $faultactor only used when msg routed between multiple actors + * @param string $faultstring human readable error message + * @param mixed $faultdetail detail, typically a string or array of string + */ + function __construct($faultcode, $faultactor = '', $faultstring = '', $faultdetail = '') + { + parent::__construct(); + $this->faultcode = $faultcode; + $this->faultactor = $faultactor; + $this->faultstring = $faultstring; + $this->faultdetail = $faultdetail; + } - /** - * serialize a fault - * - * @return string The serialization of the fault instance. - * @access public - */ - function serialize(){ - $ns_string = ''; - foreach($this->namespaces as $k => $v){ - $ns_string .= "\n xmlns:$k=\"$v\""; - } - $return_msg = - 'soap_defencoding.'"?>'. - '\n". - ''. - ''. - $this->serialize_val($this->faultcode, 'faultcode'). - $this->serialize_val($this->faultactor, 'faultactor'). - $this->serialize_val($this->faultstring, 'faultstring'). - $this->serialize_val($this->faultdetail, 'detail'). - ''. - ''. - ''; - return $return_msg; - } + /** + * serialize a fault + * + * @return string The serialization of the fault instance. + * @access public + */ + function serialize() + { + $ns_string = ''; + foreach ($this->namespaces as $k => $v) { + $ns_string .= "\n xmlns:$k=\"$v\""; + } + + return 'soap_defencoding . '"?>' . + '\n" . + '' . + '' . + $this->serialize_val($this->faultcode, 'faultcode') . + $this->serialize_val($this->faultstring, 'faultstring') . + $this->serialize_val($this->faultactor, 'faultactor') . + $this->serialize_val($this->faultdetail, 'detail') . + '' . + '' . + ''; + } } + /** * Backward compatibility */ -class soap_fault extends nusoap_fault { +class soap_fault extends nusoap_fault +{ } -?> -* @author Scott Nichol -* @access public -*/ -class nusoap_xmlschema extends nusoap_base { + * parses an XML Schema, allows access to it's data, other utility methods. + * imperfect, no validation... yet, but quite functional. + * + * @author Dietrich Ayala + * @author Scott Nichol + * @version $Id: nusoap.php,v 1.123 2010/04/26 20:15:08 snichol Exp $ + * @access public + */ +class nusoap_xmlschema extends nusoap_base +{ - // files - var $schema = ''; - var $xml = ''; - // namespaces - var $enclosingNamespaces; - // schema info - var $schemaInfo = array(); - var $schemaTargetNamespace = ''; - // types, elements, attributes defined by the schema - var $attributes = array(); - var $complexTypes = array(); - var $complexTypeStack = array(); - var $currentComplexType = null; - var $elements = array(); - var $elementStack = array(); - var $currentElement = null; - var $simpleTypes = array(); - var $simpleTypeStack = array(); - var $currentSimpleType = null; - // imports - var $imports = array(); - // parser vars - var $parser; - var $position = 0; - var $depth = 0; - var $depth_array = array(); - var $message = array(); - var $defaultNamespace = array(); - - /** - * constructor - * - * @param string $schema schema document URI - * @param string $xml xml document URI - * @param string $namespaces namespaces defined in enclosing XML - * @access public - */ - function __construct($schema='',$xml='',$namespaces=array()){ - parent::__construct(); - $this->debug('nusoap_xmlschema class instantiated, inside constructor'); - // files - $this->schema = $schema; - $this->xml = $xml; - - // namespaces - $this->enclosingNamespaces = $namespaces; - $this->namespaces = array_merge($this->namespaces, $namespaces); - - // parse schema file - if($schema != ''){ - $this->debug('initial schema file: '.$schema); - $this->parseFile($schema, 'schema'); - } - - // parse xml file - if($xml != ''){ - $this->debug('initial xml file: '.$xml); - $this->parseFile($xml, 'xml'); - } - - } + // files + var $schema = ''; + var $xml = ''; + // namespaces + var $enclosingNamespaces; + // schema info + var $schemaInfo = array(); + var $schemaTargetNamespace = ''; + // types, elements, attributes defined by the schema + var $attributes = array(); + var $complexTypes = array(); + var $complexTypeStack = array(); + var $currentComplexType = null; + var $elements = array(); + var $elementStack = array(); + var $currentElement = null; + var $simpleTypes = array(); + var $simpleTypeStack = array(); + var $currentSimpleType = null; + // imports + var $imports = array(); + // parser vars + var $parser; + var $position = 0; + var $depth = 0; + var $depth_array = array(); + var $message = array(); + var $defaultNamespace = array(); /** - * parse an XML file - * - * @param string $xml path/URL to XML file - * @param string $type (schema | xml) - * @return boolean - * @access public - */ - function parseFile($xml,$type){ - // parse xml file - if($xml != ""){ - $xmlStr = @join("",@file($xml)); - if($xmlStr == ""){ - $msg = 'Error reading XML from '.$xml; - $this->setError($msg); - $this->debug($msg); - return false; - } else { - $this->debug("parsing $xml"); - $this->parseString($xmlStr,$type); - $this->debug("done parsing $xml"); - return true; - } - } - return false; - } + * constructor + * + * @param string $schema schema document URI + * @param string $xml xml document URI + * @param string $namespaces namespaces defined in enclosing XML + * @access public + */ + function __construct($schema = '', $xml = '', $namespaces = array()) + { + parent::__construct(); + $this->debug('nusoap_xmlschema class instantiated, inside constructor'); + // files + $this->schema = $schema; + $this->xml = $xml; - /** - * parse an XML string - * - * @param string $xml path or URL - * @param string $type (schema|xml) - * @access private - */ - function parseString($xml,$type){ - // parse xml string - if($xml != ""){ + // namespaces + $this->enclosingNamespaces = $namespaces; + $this->namespaces = array_merge($this->namespaces, $namespaces); - // Create an XML parser. - $this->parser = xml_parser_create(); - // Set the options for parsing the XML data. - xml_parser_set_option($this->parser, XML_OPTION_CASE_FOLDING, 0); + // parse schema file + if ($schema != '') { + $this->debug('initial schema file: ' . $schema); + $this->parseFile($schema, 'schema'); + } - // Set the object for the parser. - xml_set_object($this->parser, $this); + // parse xml file + if ($xml != '') { + $this->debug('initial xml file: ' . $xml); + $this->parseFile($xml, 'xml'); + } - // Set the element handlers for the parser. - if($type == "schema"){ - xml_set_element_handler($this->parser, 'schemaStartElement','schemaEndElement'); - xml_set_character_data_handler($this->parser,'schemaCharacterData'); - } elseif($type == "xml"){ - xml_set_element_handler($this->parser, 'xmlStartElement','xmlEndElement'); - xml_set_character_data_handler($this->parser,'xmlCharacterData'); - } + } - // Parse the XML file. - if(!xml_parse($this->parser,$xml,true)){ - // Display an error message. - $errstr = sprintf('XML error parsing XML schema on line %d: %s', - xml_get_current_line_number($this->parser), - xml_error_string(xml_get_error_code($this->parser)) - ); - $this->debug($errstr); - $this->debug("XML payload:\n" . $xml); - $this->setError($errstr); - } + /** + * parse an XML file + * + * @param string $xml path/URL to XML file + * @param string $type (schema | xml) + * @return boolean + * @access public + */ + function parseFile($xml, $type) + { + // parse xml file + if ($xml != "") { + $xmlStr = @join("", @file($xml)); + if ($xmlStr == "") { + $msg = 'Error reading XML from ' . $xml; + $this->setError($msg); + $this->debug($msg); + return false; + } else { + $this->debug("parsing $xml"); + $this->parseString($xmlStr, $type); + $this->debug("done parsing $xml"); + return true; + } + } + return false; + } - xml_parser_free($this->parser); - } else{ - $this->debug('no xml passed to parseString()!!'); - $this->setError('no xml passed to parseString()!!'); - } - } + /** + * parse an XML string + * + * @param string $xml path or URL + * @param string $type (schema|xml) + * @access private + */ + function parseString($xml, $type) + { + // parse xml string + if ($xml != "") { - /** - * gets a type name for an unnamed type - * - * @param string Element name - * @return string A type name for an unnamed type - * @access private - */ - function CreateTypeName($ename) { - $scope = ''; - for ($i = 0; $i < count($this->complexTypeStack); $i++) { - $scope .= $this->complexTypeStack[$i] . '_'; - } - return $scope . $ename . '_ContainedType'; - } + // Create an XML parser. + $this->parser = xml_parser_create(); + // Set the options for parsing the XML data. + xml_parser_set_option($this->parser, XML_OPTION_CASE_FOLDING, 0); - /** - * start-element handler - * - * @param string $parser XML parser object - * @param string $name element name - * @param string $attrs associative array of attributes - * @access private - */ - function schemaStartElement($parser, $name, $attrs) { + // Set the object for the parser. + xml_set_object($this->parser, $this); - // position in the total number of elements, starting from 0 - $pos = $this->position++; - $depth = $this->depth++; - // set self as current value for this depth - $this->depth_array[$depth] = $pos; - $this->message[$pos] = array('cdata' => ''); - if ($depth > 0) { - $this->defaultNamespace[$pos] = $this->defaultNamespace[$this->depth_array[$depth - 1]]; - } else { - $this->defaultNamespace[$pos] = false; - } + // Set the element handlers for the parser. + if ($type == "schema") { + xml_set_element_handler($this->parser, 'schemaStartElement', 'schemaEndElement'); + xml_set_character_data_handler($this->parser, 'schemaCharacterData'); + } elseif ($type == "xml") { + xml_set_element_handler($this->parser, 'xmlStartElement', 'xmlEndElement'); + xml_set_character_data_handler($this->parser, 'xmlCharacterData'); + } - // get element prefix - if($prefix = $this->getPrefix($name)){ - // get unqualified name - $name = $this->getLocalPart($name); - } else { - $prefix = ''; + libxml_disable_entity_loader(true); // Avoid load of external entities (security problem). Required only for libxml < 2. + + // Parse the XML file. + if (!xml_parse($this->parser, $xml, true)) { + // Display an error message. + $errstr = sprintf('XML error parsing XML schema on line %d: %s', + xml_get_current_line_number($this->parser), + xml_error_string(xml_get_error_code($this->parser)) + ); + $this->debug($errstr); + $this->debug("XML payload:\n" . $xml); + $this->setError($errstr); + } + + xml_parser_free($this->parser); + unset($this->parser); + } else { + $this->debug('no xml passed to parseString()!!'); + $this->setError('no xml passed to parseString()!!'); + } + } + + /** + * gets a type name for an unnamed type + * + * @param string $ename Element name + * @return string A type name for an unnamed type + * @access private + */ + function CreateTypeName($ename) + { + $scope = ''; + for ($i = 0; $i < count($this->complexTypeStack); $i++) { + $scope .= $this->complexTypeStack[$i] . '_'; + } + return $scope . $ename . '_ContainedType'; + } + + /** + * start-element handler + * + * @param string $parser XML parser object + * @param string $name element name + * @param array $attrs associative array of attributes + * @access private + */ + function schemaStartElement($parser, $name, $attrs) + { + + // position in the total number of elements, starting from 0 + $pos = $this->position++; + $depth = $this->depth++; + // set self as current value for this depth + $this->depth_array[$depth] = $pos; + $this->message[$pos] = array('cdata' => ''); + if ($depth > 0) { + $this->defaultNamespace[$pos] = $this->defaultNamespace[$this->depth_array[$depth - 1]]; + } else { + $this->defaultNamespace[$pos] = false; + } + + // get element prefix + if ($prefix = $this->getPrefix($name)) { + // get unqualified name + $name = $this->getLocalPart($name); + } else { + $prefix = ''; } // loop thru attributes, expanding, and registering namespace declarations - if(count($attrs) > 0){ - foreach($attrs as $k => $v){ + if (count($attrs) > 0) { + foreach ($attrs as $k => $v) { // if ns declarations, add to class level array of valid namespaces - if(preg_match('/^xmlns/',$k)){ - //$this->xdebug("$k: $v"); - //$this->xdebug('ns_prefix: '.$this->getPrefix($k)); - if($ns_prefix = substr(strrchr($k,':'),1)){ - //$this->xdebug("Add namespace[$ns_prefix] = $v"); - $this->namespaces[$ns_prefix] = $v; - } else { - $this->defaultNamespace[$pos] = $v; - if (! $this->getPrefixFromNamespace($v)) { - $this->namespaces['ns'.(count($this->namespaces)+1)] = $v; - } - } - if($v == 'http://www.w3.org/2001/XMLSchema' || $v == 'http://www.w3.org/1999/XMLSchema' || $v == 'http://www.w3.org/2000/10/XMLSchema'){ - $this->XMLSchemaVersion = $v; - $this->namespaces['xsi'] = $v.'-instance'; - } - } - } - foreach($attrs as $k => $v){ + if (preg_match('/^xmlns/', $k)) { + //$this->xdebug("$k: $v"); + //$this->xdebug('ns_prefix: '.$this->getPrefix($k)); + if ($ns_prefix = substr(strrchr($k, ':'), 1)) { + //$this->xdebug("Add namespace[$ns_prefix] = $v"); + $this->namespaces[$ns_prefix] = $v; + } else { + $this->defaultNamespace[$pos] = $v; + if (!$this->getPrefixFromNamespace($v)) { + $this->namespaces['ns' . (count($this->namespaces) + 1)] = $v; + } + } + if ($v == 'http://www.w3.org/2001/XMLSchema' || $v == 'http://www.w3.org/1999/XMLSchema' || $v == 'http://www.w3.org/2000/10/XMLSchema') { + $this->XMLSchemaVersion = $v; + $this->namespaces['xsi'] = $v . '-instance'; + } + } + } + $eAttrs = array (); + foreach ($attrs as $k => $v) { // expand each attribute - $k = strpos($k,':') ? $this->expandQname($k) : $k; - $v = strpos($v,':') ? $this->expandQname($v) : $v; - $eAttrs[$k] = $v; - } - $attrs = $eAttrs; + $k = strpos($k, ':') ? $this->expandQname($k) : $k; + $v = strpos($v, ':') ? $this->expandQname($v) : $v; + $eAttrs[$k] = $v; + } + $attrs = $eAttrs; } else { - $attrs = array(); + $attrs = array(); } - // find status, register data - switch($name){ - case 'all': // (optional) compositor content for a complexType - case 'choice': - case 'group': - case 'sequence': - //$this->xdebug("compositor $name for currentComplexType: $this->currentComplexType and currentElement: $this->currentElement"); - $this->complexTypes[$this->currentComplexType]['compositor'] = $name; - //if($name == 'all' || $name == 'sequence'){ - // $this->complexTypes[$this->currentComplexType]['phpType'] = 'struct'; - //} - break; - case 'attribute': // complexType attribute - //$this->xdebug("parsing attribute $attrs[name] $attrs[ref] of value: ".$attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']); - $this->xdebug("parsing attribute:"); - $this->appendDebug($this->varDump($attrs)); - if (!isset($attrs['form'])) { - // TODO: handle globals - $attrs['form'] = $this->schemaInfo['attributeFormDefault']; - } - if (isset($attrs['http://schemas.xmlsoap.org/wsdl/:arrayType'])) { - $v = $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']; - if (!strpos($v, ':')) { - // no namespace in arrayType attribute value... - if ($this->defaultNamespace[$pos]) { - // ...so use the default - $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType'] = $this->defaultNamespace[$pos] . ':' . $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']; - } - } - } - if(isset($attrs['name'])){ - $this->attributes[$attrs['name']] = $attrs; - $aname = $attrs['name']; - } elseif(isset($attrs['ref']) && $attrs['ref'] == 'http://schemas.xmlsoap.org/soap/encoding/:arrayType'){ - if (isset($attrs['http://schemas.xmlsoap.org/wsdl/:arrayType'])) { - $aname = $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']; - } else { - $aname = ''; - } - } elseif(isset($attrs['ref'])){ - $aname = $attrs['ref']; + // find status, register data + switch ($name) { + case 'all': // (optional) compositor content for a complexType + case 'choice': + case 'group': + case 'sequence': + //$this->xdebug("compositor $name for currentComplexType: $this->currentComplexType and currentElement: $this->currentElement"); + $this->complexTypes[$this->currentComplexType]['compositor'] = $name; + //if($name == 'all' || $name == 'sequence'){ + // $this->complexTypes[$this->currentComplexType]['phpType'] = 'struct'; + //} + break; + case 'attribute': // complexType attribute + //$this->xdebug("parsing attribute $attrs[name] $attrs[ref] of value: ".$attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']); + $this->xdebug("parsing attribute:"); + $this->appendDebug($this->varDump($attrs)); + if (!isset($attrs['form'])) { + // TODO: handle globals + $attrs['form'] = $this->schemaInfo['attributeFormDefault']; + } + if (isset($attrs['http://schemas.xmlsoap.org/wsdl/:arrayType'])) { + $v = $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']; + if (!strpos($v, ':')) { + // no namespace in arrayType attribute value... + if ($this->defaultNamespace[$pos]) { + // ...so use the default + $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType'] = $this->defaultNamespace[$pos] . ':' . $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']; + } + } + } + if (isset($attrs['name'])) { + $this->attributes[$attrs['name']] = $attrs; + $aname = $attrs['name']; + } elseif (isset($attrs['ref']) && $attrs['ref'] == 'http://schemas.xmlsoap.org/soap/encoding/:arrayType') { + if (isset($attrs['http://schemas.xmlsoap.org/wsdl/:arrayType'])) { + $aname = $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']; + } else { + $aname = ''; + } + } elseif (isset($attrs['ref'])) { + $aname = $attrs['ref']; $this->attributes[$attrs['ref']] = $attrs; - } + } else { + $aname = ''; + } - if($this->currentComplexType){ // This should *always* be - $this->complexTypes[$this->currentComplexType]['attrs'][$aname] = $attrs; - } - // arrayType attribute - if(isset($attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']) || $this->getLocalPart($aname) == 'arrayType'){ - $this->complexTypes[$this->currentComplexType]['phpType'] = 'array'; - $prefix = $this->getPrefix($aname); - if(isset($attrs['http://schemas.xmlsoap.org/wsdl/:arrayType'])){ - $v = $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']; - } else { - $v = ''; - } - if(strpos($v,'[,]')){ + if ($this->currentComplexType) { // This should *always* be + $this->complexTypes[$this->currentComplexType]['attrs'][$aname] = $attrs; + } + // arrayType attribute + if (isset($attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']) || $this->getLocalPart($aname) == 'arrayType') { + $this->complexTypes[$this->currentComplexType]['phpType'] = 'array'; + if (isset($attrs['http://schemas.xmlsoap.org/wsdl/:arrayType'])) { + $v = $attrs['http://schemas.xmlsoap.org/wsdl/:arrayType']; + } else { + $v = ''; + } + if (strpos($v, '[,]')) { $this->complexTypes[$this->currentComplexType]['multidimensional'] = true; } - $v = substr($v,0,strpos($v,'[')); // clip the [] - if(!strpos($v,':') && isset($this->typemap[$this->XMLSchemaVersion][$v])){ - $v = $this->XMLSchemaVersion.':'.$v; + $v = substr($v, 0, strpos($v, '[')); // clip the [] + if (!strpos($v, ':') && isset($this->typemap[$this->XMLSchemaVersion][$v])) { + $v = $this->XMLSchemaVersion . ':' . $v; } $this->complexTypes[$this->currentComplexType]['arrayType'] = $v; - } - break; - case 'complexContent': // (optional) content for a complexType - $this->xdebug("do nothing for element $name"); - break; - case 'complexType': - array_push($this->complexTypeStack, $this->currentComplexType); - if(isset($attrs['name'])){ - // TODO: what is the scope of named complexTypes that appear - // nested within other c complexTypes? - $this->xdebug('processing named complexType '.$attrs['name']); - //$this->currentElement = false; - $this->currentComplexType = $attrs['name']; - $this->complexTypes[$this->currentComplexType] = $attrs; - $this->complexTypes[$this->currentComplexType]['typeClass'] = 'complexType'; - // This is for constructs like - // - // - // - // - // - if(isset($attrs['base']) && preg_match('/:Array$/',$attrs['base'])){ - $this->xdebug('complexType is unusual array'); - $this->complexTypes[$this->currentComplexType]['phpType'] = 'array'; - } else { - $this->complexTypes[$this->currentComplexType]['phpType'] = 'struct'; - } - } else { - $name = $this->CreateTypeName($this->currentElement); - $this->xdebug('processing unnamed complexType for element ' . $this->currentElement . ' named ' . $name); - $this->currentComplexType = $name; - //$this->currentElement = false; - $this->complexTypes[$this->currentComplexType] = $attrs; - $this->complexTypes[$this->currentComplexType]['typeClass'] = 'complexType'; - // This is for constructs like - // - // - // - // - // - if(isset($attrs['base']) && preg_match('/:Array$/',$attrs['base'])){ - $this->xdebug('complexType is unusual array'); - $this->complexTypes[$this->currentComplexType]['phpType'] = 'array'; - } else { - $this->complexTypes[$this->currentComplexType]['phpType'] = 'struct'; - } - } - $this->complexTypes[$this->currentComplexType]['simpleContent'] = 'false'; - break; - case 'element': - array_push($this->elementStack, $this->currentElement); - if (!isset($attrs['form'])) { - if ($this->currentComplexType) { - $attrs['form'] = $this->schemaInfo['elementFormDefault']; - } else { - // global - $attrs['form'] = 'qualified'; - } - } - if(isset($attrs['type'])){ - $this->xdebug("processing typed element ".$attrs['name']." of type ".$attrs['type']); - if (! $this->getPrefix($attrs['type'])) { - if ($this->defaultNamespace[$pos]) { - $attrs['type'] = $this->defaultNamespace[$pos] . ':' . $attrs['type']; - $this->xdebug('used default namespace to make type ' . $attrs['type']); - } - } - // This is for constructs like - // - // - // - // - // - if ($this->currentComplexType && $this->complexTypes[$this->currentComplexType]['phpType'] == 'array') { - $this->xdebug('arrayType for unusual array is ' . $attrs['type']); - $this->complexTypes[$this->currentComplexType]['arrayType'] = $attrs['type']; - } - $this->currentElement = $attrs['name']; - $ename = $attrs['name']; - } elseif(isset($attrs['ref'])){ - $this->xdebug("processing element as ref to ".$attrs['ref']); - $this->currentElement = "ref to ".$attrs['ref']; - $ename = $this->getLocalPart($attrs['ref']); - } else { - $type = $this->CreateTypeName($this->currentComplexType . '_' . $attrs['name']); - $this->xdebug("processing untyped element " . $attrs['name'] . ' type ' . $type); - $this->currentElement = $attrs['name']; - $attrs['type'] = $this->schemaTargetNamespace . ':' . $type; - $ename = $attrs['name']; - } - if (isset($ename) && $this->currentComplexType) { - $this->xdebug("add element $ename to complexType $this->currentComplexType"); - $this->complexTypes[$this->currentComplexType]['elements'][$ename] = $attrs; - } elseif (!isset($attrs['ref'])) { - $this->xdebug("add element $ename to elements array"); - $this->elements[ $attrs['name'] ] = $attrs; - $this->elements[ $attrs['name'] ]['typeClass'] = 'element'; - } - break; - case 'enumeration': // restriction value list member - $this->xdebug('enumeration ' . $attrs['value']); - if ($this->currentSimpleType) { - $this->simpleTypes[$this->currentSimpleType]['enumeration'][] = $attrs['value']; - } elseif ($this->currentComplexType) { - $this->complexTypes[$this->currentComplexType]['enumeration'][] = $attrs['value']; - } - break; - case 'extension': // simpleContent or complexContent type extension - $this->xdebug('extension ' . $attrs['base']); - if ($this->currentComplexType) { - $ns = $this->getPrefix($attrs['base']); - if ($ns == '') { - $this->complexTypes[$this->currentComplexType]['extensionBase'] = $this->schemaTargetNamespace . ':' . $attrs['base']; - } else { - $this->complexTypes[$this->currentComplexType]['extensionBase'] = $attrs['base']; - } - } else { - $this->xdebug('no current complexType to set extensionBase'); - } - break; - case 'import': - if (isset($attrs['schemaLocation'])) { - $this->xdebug('import namespace ' . $attrs['namespace'] . ' from ' . $attrs['schemaLocation']); + } + break; + case 'complexContent': // (optional) content for a complexType + $this->xdebug("do nothing for element $name"); + break; + case 'complexType': + $this->complexTypeStack[] = $this->currentComplexType; + if (isset($attrs['name'])) { + // TODO: what is the scope of named complexTypes that appear + // nested within other c complexTypes? + $this->xdebug('processing named complexType ' . $attrs['name']); + //$this->currentElement = false; + $this->currentComplexType = $attrs['name']; + } else { + $name = $this->CreateTypeName($this->currentElement); + $this->xdebug('processing unnamed complexType for element ' . $this->currentElement . ' named ' . $name); + $this->currentComplexType = $name; + //$this->currentElement = false; + } + $this->complexTypes[$this->currentComplexType] = $attrs; + $this->complexTypes[$this->currentComplexType]['typeClass'] = 'complexType'; + // This is for constructs like + // + // + // + // + // + if (isset($attrs['base']) && preg_match('/:Array$/', $attrs['base'])) { + $this->xdebug('complexType is unusual array'); + $this->complexTypes[$this->currentComplexType]['phpType'] = 'array'; + } else { + $this->complexTypes[$this->currentComplexType]['phpType'] = 'struct'; + } + $this->complexTypes[$this->currentComplexType]['simpleContent'] = 'false'; + break; + case 'element': + $this->elementStack[] = $this->currentElement; + if (!isset($attrs['form'])) { + if ($this->currentComplexType) { + $attrs['form'] = $this->schemaInfo['elementFormDefault']; + } else { + // global + $attrs['form'] = 'qualified'; + } + } + if (isset($attrs['type'])) { + $this->xdebug("processing typed element " . $attrs['name'] . " of type " . $attrs['type']); + if (!$this->getPrefix($attrs['type'])) { + if ($this->defaultNamespace[$pos]) { + $attrs['type'] = $this->defaultNamespace[$pos] . ':' . $attrs['type']; + $this->xdebug('used default namespace to make type ' . $attrs['type']); + } + } + // This is for constructs like + // + // + // + // + // + if ($this->currentComplexType && $this->complexTypes[$this->currentComplexType]['phpType'] == 'array') { + $this->xdebug('arrayType for unusual array is ' . $attrs['type']); + $this->complexTypes[$this->currentComplexType]['arrayType'] = $attrs['type']; + } + $this->currentElement = $attrs['name']; + $ename = $attrs['name']; + } elseif (isset($attrs['ref'])) { + $this->xdebug("processing element as ref to " . $attrs['ref']); + $this->currentElement = "ref to " . $attrs['ref']; + $ename = $this->getLocalPart($attrs['ref']); + } else { + $type = $this->CreateTypeName($this->currentComplexType . '_' . $attrs['name']); + $this->xdebug("processing untyped element " . $attrs['name'] . ' type ' . $type); + $this->currentElement = $attrs['name']; + $attrs['type'] = $this->schemaTargetNamespace . ':' . $type; + $ename = $attrs['name']; + } + if (isset($ename) && $this->currentComplexType) { + $this->xdebug("add element $ename to complexType $this->currentComplexType"); + $this->complexTypes[$this->currentComplexType]['elements'][$ename] = $attrs; + } elseif (!isset($attrs['ref'])) { + $this->xdebug("add element $ename to elements array"); + $this->elements[$attrs['name']] = $attrs; + $this->elements[$attrs['name']]['typeClass'] = 'element'; + } + break; + case 'enumeration': // restriction value list member + $this->xdebug('enumeration ' . $attrs['value']); + if ($this->currentSimpleType) { + $this->simpleTypes[$this->currentSimpleType]['enumeration'][] = $attrs['value']; + } elseif ($this->currentComplexType) { + $this->complexTypes[$this->currentComplexType]['enumeration'][] = $attrs['value']; + } + break; + case 'extension': // simpleContent or complexContent type extension + $this->xdebug('extension ' . $attrs['base']); + if ($this->currentComplexType) { + $ns = $this->getPrefix($attrs['base']); + if ($ns == '') { + $this->complexTypes[$this->currentComplexType]['extensionBase'] = $this->schemaTargetNamespace . ':' . $attrs['base']; + } else { + $this->complexTypes[$this->currentComplexType]['extensionBase'] = $attrs['base']; + } + } else { + $this->xdebug('no current complexType to set extensionBase'); + } + break; + case 'import': + if (isset($attrs['schemaLocation'])) { + $this->xdebug('import namespace ' . $attrs['namespace'] . ' from ' . $attrs['schemaLocation']); $this->imports[$attrs['namespace']][] = array('location' => $attrs['schemaLocation'], 'loaded' => false); - } else { - $this->xdebug('import namespace ' . $attrs['namespace']); + } else { + $this->xdebug('import namespace ' . $attrs['namespace']); $this->imports[$attrs['namespace']][] = array('location' => '', 'loaded' => true); - if (! $this->getPrefixFromNamespace($attrs['namespace'])) { - $this->namespaces['ns'.(count($this->namespaces)+1)] = $attrs['namespace']; - } - } - break; - case 'include': - if (isset($attrs['schemaLocation'])) { - $this->xdebug('include into namespace ' . $this->schemaTargetNamespace . ' from ' . $attrs['schemaLocation']); + if (!$this->getPrefixFromNamespace($attrs['namespace'])) { + $this->namespaces['ns' . (count($this->namespaces) + 1)] = $attrs['namespace']; + } + } + break; + case 'include': + if (isset($attrs['schemaLocation'])) { + $this->xdebug('include into namespace ' . $this->schemaTargetNamespace . ' from ' . $attrs['schemaLocation']); $this->imports[$this->schemaTargetNamespace][] = array('location' => $attrs['schemaLocation'], 'loaded' => false); - } else { - $this->xdebug('ignoring invalid XML Schema construct: include without schemaLocation attribute'); - } - break; - case 'list': // simpleType value list - $this->xdebug("do nothing for element $name"); - break; - case 'restriction': // simpleType, simpleContent or complexContent value restriction - $this->xdebug('restriction ' . $attrs['base']); - if($this->currentSimpleType){ - $this->simpleTypes[$this->currentSimpleType]['type'] = $attrs['base']; - } elseif($this->currentComplexType){ - $this->complexTypes[$this->currentComplexType]['restrictionBase'] = $attrs['base']; - if(strstr($attrs['base'],':') == ':Array'){ - $this->complexTypes[$this->currentComplexType]['phpType'] = 'array'; - } - } - break; - case 'schema': - $this->schemaInfo = $attrs; - $this->schemaInfo['schemaVersion'] = $this->getNamespaceFromPrefix($prefix); - if (isset($attrs['targetNamespace'])) { - $this->schemaTargetNamespace = $attrs['targetNamespace']; - } - if (!isset($attrs['elementFormDefault'])) { - $this->schemaInfo['elementFormDefault'] = 'unqualified'; - } - if (!isset($attrs['attributeFormDefault'])) { - $this->schemaInfo['attributeFormDefault'] = 'unqualified'; - } - break; - case 'simpleContent': // (optional) content for a complexType - if ($this->currentComplexType) { // This should *always* be - $this->complexTypes[$this->currentComplexType]['simpleContent'] = 'true'; - } else { - $this->xdebug("do nothing for element $name because there is no current complexType"); - } - break; - case 'simpleType': - array_push($this->simpleTypeStack, $this->currentSimpleType); - if(isset($attrs['name'])){ - $this->xdebug("processing simpleType for name " . $attrs['name']); - $this->currentSimpleType = $attrs['name']; - $this->simpleTypes[ $attrs['name'] ] = $attrs; - $this->simpleTypes[ $attrs['name'] ]['typeClass'] = 'simpleType'; - $this->simpleTypes[ $attrs['name'] ]['phpType'] = 'scalar'; - } else { - $name = $this->CreateTypeName($this->currentComplexType . '_' . $this->currentElement); - $this->xdebug('processing unnamed simpleType for element ' . $this->currentElement . ' named ' . $name); - $this->currentSimpleType = $name; - //$this->currentElement = false; - $this->simpleTypes[$this->currentSimpleType] = $attrs; - $this->simpleTypes[$this->currentSimpleType]['phpType'] = 'scalar'; - } - break; - case 'union': // simpleType type list - $this->xdebug("do nothing for element $name"); - break; - default: - $this->xdebug("do not have any logic to process element $name"); - } - } - - /** - * end-element handler - * - * @param string $parser XML parser object - * @param string $name element name - * @access private - */ - function schemaEndElement($parser, $name) { - // bring depth down a notch - $this->depth--; - // position of current element is equal to the last value left in depth_array for my depth - if(isset($this->depth_array[$this->depth])){ - $pos = $this->depth_array[$this->depth]; + } else { + $this->xdebug('ignoring invalid XML Schema construct: include without schemaLocation attribute'); + } + break; + case 'list': // simpleType value list + $this->xdebug("do nothing for element $name"); + break; + case 'restriction': // simpleType, simpleContent or complexContent value restriction + $this->xdebug('restriction ' . $attrs['base']); + if ($this->currentSimpleType) { + $this->simpleTypes[$this->currentSimpleType]['type'] = $attrs['base']; + } elseif ($this->currentComplexType) { + $this->complexTypes[$this->currentComplexType]['restrictionBase'] = $attrs['base']; + if (strstr($attrs['base'], ':') == ':Array') { + $this->complexTypes[$this->currentComplexType]['phpType'] = 'array'; + } + } + break; + case 'schema': + $this->schemaInfo = $attrs; + $this->schemaInfo['schemaVersion'] = $this->getNamespaceFromPrefix($prefix); + if (isset($attrs['targetNamespace'])) { + $this->schemaTargetNamespace = $attrs['targetNamespace']; + } + if (!isset($attrs['elementFormDefault'])) { + $this->schemaInfo['elementFormDefault'] = 'unqualified'; + } + if (!isset($attrs['attributeFormDefault'])) { + $this->schemaInfo['attributeFormDefault'] = 'unqualified'; + } + break; + case 'simpleContent': // (optional) content for a complexType + if ($this->currentComplexType) { // This should *always* be + $this->complexTypes[$this->currentComplexType]['simpleContent'] = 'true'; + } else { + $this->xdebug("do nothing for element $name because there is no current complexType"); + } + break; + case 'simpleType': + $this->simpleTypeStack[] = $this->currentSimpleType; + if (isset($attrs['name'])) { + $this->xdebug("processing simpleType for name " . $attrs['name']); + $this->currentSimpleType = $attrs['name']; + $this->simpleTypes[$attrs['name']] = $attrs; + $this->simpleTypes[$attrs['name']]['typeClass'] = 'simpleType'; + $this->simpleTypes[$attrs['name']]['phpType'] = 'scalar'; + } else { + $name = $this->CreateTypeName($this->currentComplexType . '_' . $this->currentElement); + $this->xdebug('processing unnamed simpleType for element ' . $this->currentElement . ' named ' . $name); + $this->currentSimpleType = $name; + //$this->currentElement = false; + $this->simpleTypes[$this->currentSimpleType] = $attrs; + $this->simpleTypes[$this->currentSimpleType]['phpType'] = 'scalar'; + } + break; + case 'union': // simpleType type list + $this->xdebug("do nothing for element $name"); + break; + default: + $this->xdebug("do not have any logic to process element $name"); } - // get element prefix - if ($prefix = $this->getPrefix($name)){ - // get unqualified name - $name = $this->getLocalPart($name); - } else { - $prefix = ''; - } - // move on... - if($name == 'complexType'){ - $this->xdebug('done processing complexType ' . ($this->currentComplexType ? $this->currentComplexType : '(unknown)')); - $this->xdebug($this->varDump($this->complexTypes[$this->currentComplexType])); - $this->currentComplexType = array_pop($this->complexTypeStack); - //$this->currentElement = false; - } - if($name == 'element'){ - $this->xdebug('done processing element ' . ($this->currentElement ? $this->currentElement : '(unknown)')); - $this->currentElement = array_pop($this->elementStack); - } - if($name == 'simpleType'){ - $this->xdebug('done processing simpleType ' . ($this->currentSimpleType ? $this->currentSimpleType : '(unknown)')); - $this->xdebug($this->varDump($this->simpleTypes[$this->currentSimpleType])); - $this->currentSimpleType = array_pop($this->simpleTypeStack); - } - } - - /** - * element content handler - * - * @param string $parser XML parser object - * @param string $data element content - * @access private - */ - function schemaCharacterData($parser, $data){ - $pos = $this->depth_array[$this->depth - 1]; - $this->message[$pos]['cdata'] .= $data; - } - - /** - * serialize the schema - * - * @access public - */ - function serializeSchema(){ - - $schemaPrefix = $this->getPrefixFromNamespace($this->XMLSchemaVersion); - $xml = ''; - // imports - if (sizeof($this->imports) > 0) { - foreach($this->imports as $ns => $list) { - foreach ($list as $ii) { - if ($ii['location'] != '') { - $xml .= " <$schemaPrefix:import location=\"" . $ii['location'] . '" namespace="' . $ns . "\" />\n"; - } else { - $xml .= " <$schemaPrefix:import namespace=\"" . $ns . "\" />\n"; - } - } - } - } - // complex types - foreach($this->complexTypes as $typeName => $attrs){ - $contentStr = ''; - // serialize child elements - if(isset($attrs['elements']) && (count($attrs['elements']) > 0)){ - foreach($attrs['elements'] as $element => $eParts){ - if(isset($eParts['ref'])){ - $contentStr .= " <$schemaPrefix:element ref=\"$element\"/>\n"; - } else { - $contentStr .= " <$schemaPrefix:element name=\"$element\" type=\"" . $this->contractQName($eParts['type']) . "\""; - foreach ($eParts as $aName => $aValue) { - // handle, e.g., abstract, default, form, minOccurs, maxOccurs, nillable - if ($aName != 'name' && $aName != 'type') { - $contentStr .= " $aName=\"$aValue\""; - } - } - $contentStr .= "/>\n"; - } - } - // compositor wraps elements - if (isset($attrs['compositor']) && ($attrs['compositor'] != '')) { - $contentStr = " <$schemaPrefix:$attrs[compositor]>\n".$contentStr." \n"; - } - } - // attributes - if(isset($attrs['attrs']) && (count($attrs['attrs']) >= 1)){ - foreach($attrs['attrs'] as $attr => $aParts){ - $contentStr .= " <$schemaPrefix:attribute"; - foreach ($aParts as $a => $v) { - if ($a == 'ref' || $a == 'type') { - $contentStr .= " $a=\"".$this->contractQName($v).'"'; - } elseif ($a == 'http://schemas.xmlsoap.org/wsdl/:arrayType') { - $this->usedNamespaces['wsdl'] = $this->namespaces['wsdl']; - $contentStr .= ' wsdl:arrayType="'.$this->contractQName($v).'"'; - } else { - $contentStr .= " $a=\"$v\""; - } - } - $contentStr .= "/>\n"; - } - } - // if restriction - if (isset($attrs['restrictionBase']) && $attrs['restrictionBase'] != ''){ - $contentStr = " <$schemaPrefix:restriction base=\"".$this->contractQName($attrs['restrictionBase'])."\">\n".$contentStr." \n"; - // complex or simple content - if ((isset($attrs['elements']) && count($attrs['elements']) > 0) || (isset($attrs['attrs']) && count($attrs['attrs']) > 0)){ - $contentStr = " <$schemaPrefix:complexContent>\n".$contentStr." \n"; - } - } - // finalize complex type - if($contentStr != ''){ - $contentStr = " <$schemaPrefix:complexType name=\"$typeName\">\n".$contentStr." \n"; - } else { - $contentStr = " <$schemaPrefix:complexType name=\"$typeName\"/>\n"; - } - $xml .= $contentStr; - } - // simple types - if(isset($this->simpleTypes) && count($this->simpleTypes) > 0){ - foreach($this->simpleTypes as $typeName => $eParts){ - $xml .= " <$schemaPrefix:simpleType name=\"$typeName\">\n <$schemaPrefix:restriction base=\"".$this->contractQName($eParts['type'])."\">\n"; - if (isset($eParts['enumeration'])) { - foreach ($eParts['enumeration'] as $e) { - $xml .= " <$schemaPrefix:enumeration value=\"$e\"/>\n"; - } - } - $xml .= " \n "; - } - } - // elements - if(isset($this->elements) && count($this->elements) > 0){ - foreach($this->elements as $element => $eParts){ - $xml .= " <$schemaPrefix:element name=\"$element\" type=\"".$this->contractQName($eParts['type'])."\"/>\n"; - } - } - // attributes - if(isset($this->attributes) && count($this->attributes) > 0){ - foreach($this->attributes as $attr => $aParts){ - $xml .= " <$schemaPrefix:attribute name=\"$attr\" type=\"".$this->contractQName($aParts['type'])."\"\n/>"; - } - } - // finish 'er up - $attr = ''; - foreach ($this->schemaInfo as $k => $v) { - if ($k == 'elementFormDefault' || $k == 'attributeFormDefault') { - $attr .= " $k=\"$v\""; - } - } - $el = "<$schemaPrefix:schema$attr targetNamespace=\"$this->schemaTargetNamespace\"\n"; - foreach (array_diff($this->usedNamespaces, $this->enclosingNamespaces) as $nsp => $ns) { - $el .= " xmlns:$nsp=\"$ns\""; - } - $xml = $el . ">\n".$xml."\n"; - return $xml; - } - - /** - * adds debug data to the clas level debug string - * - * @param string $string debug data - * @access private - */ - function xdebug($string){ - $this->debug('<' . $this->schemaTargetNamespace . '> '.$string); - } - - /** - * get the PHP type of a user defined type in the schema - * PHP type is kind of a misnomer since it actually returns 'struct' for assoc. arrays - * returns false if no type exists, or not w/ the given namespace - * else returns a string that is either a native php type, or 'struct' - * - * @param string $type name of defined type - * @param string $ns namespace of type - * @return mixed - * @access public - * @deprecated - */ - function getPHPType($type,$ns){ - if(isset($this->typemap[$ns][$type])){ - //print "found type '$type' and ns $ns in typemap
      "; - return $this->typemap[$ns][$type]; - } elseif(isset($this->complexTypes[$type])){ - //print "getting type '$type' and ns $ns from complexTypes array
      "; - return $this->complexTypes[$type]['phpType']; - } - return false; - } - - /** - * returns an associative array of information about a given type - * returns false if no type exists by the given name - * - * For a complexType typeDef = array( - * 'restrictionBase' => '', - * 'phpType' => '', - * 'compositor' => '(sequence|all)', - * 'elements' => array(), // refs to elements array - * 'attrs' => array() // refs to attributes array - * ... and so on (see addComplexType) - * ) - * - * For simpleType or element, the array has different keys. - * - * @param string $type - * @return mixed - * @access public - * @see addComplexType - * @see addSimpleType - * @see addElement - */ - function getTypeDef($type){ - //$this->debug("in getTypeDef for type $type"); - if (substr($type, -1) == '^') { - $is_element = 1; - $type = substr($type, 0, -1); - } else { - $is_element = 0; - } - - if((! $is_element) && isset($this->complexTypes[$type])){ - $this->xdebug("in getTypeDef, found complexType $type"); - return $this->complexTypes[$type]; - } elseif((! $is_element) && isset($this->simpleTypes[$type])){ - $this->xdebug("in getTypeDef, found simpleType $type"); - if (!isset($this->simpleTypes[$type]['phpType'])) { - // get info for type to tack onto the simple type - // TODO: can this ever really apply (i.e. what is a simpleType really?) - $uqType = substr($this->simpleTypes[$type]['type'], strrpos($this->simpleTypes[$type]['type'], ':') + 1); - $ns = substr($this->simpleTypes[$type]['type'], 0, strrpos($this->simpleTypes[$type]['type'], ':')); - $etype = $this->getTypeDef($uqType); - if ($etype) { - $this->xdebug("in getTypeDef, found type for simpleType $type:"); - $this->xdebug($this->varDump($etype)); - if (isset($etype['phpType'])) { - $this->simpleTypes[$type]['phpType'] = $etype['phpType']; - } - if (isset($etype['elements'])) { - $this->simpleTypes[$type]['elements'] = $etype['elements']; - } - } - } - return $this->simpleTypes[$type]; - } elseif(isset($this->elements[$type])){ - $this->xdebug("in getTypeDef, found element $type"); - if (!isset($this->elements[$type]['phpType'])) { - // get info for type to tack onto the element - $uqType = substr($this->elements[$type]['type'], strrpos($this->elements[$type]['type'], ':') + 1); - $ns = substr($this->elements[$type]['type'], 0, strrpos($this->elements[$type]['type'], ':')); - $etype = $this->getTypeDef($uqType); - if ($etype) { - $this->xdebug("in getTypeDef, found type for element $type:"); - $this->xdebug($this->varDump($etype)); - if (isset($etype['phpType'])) { - $this->elements[$type]['phpType'] = $etype['phpType']; - } - if (isset($etype['elements'])) { - $this->elements[$type]['elements'] = $etype['elements']; - } - if (isset($etype['extensionBase'])) { - $this->elements[$type]['extensionBase'] = $etype['extensionBase']; - } - } elseif ($ns == 'http://www.w3.org/2001/XMLSchema') { - $this->xdebug("in getTypeDef, element $type is an XSD type"); - $this->elements[$type]['phpType'] = 'scalar'; - } - } - return $this->elements[$type]; - } elseif(isset($this->attributes[$type])){ - $this->xdebug("in getTypeDef, found attribute $type"); - return $this->attributes[$type]; - } elseif (preg_match('/_ContainedType$/', $type)) { - $this->xdebug("in getTypeDef, have an untyped element $type"); - $typeDef['typeClass'] = 'simpleType'; - $typeDef['phpType'] = 'scalar'; - $typeDef['type'] = 'http://www.w3.org/2001/XMLSchema:string'; - return $typeDef; - } - $this->xdebug("in getTypeDef, did not find $type"); - return false; - } - - /** - * returns a sample serialization of a given type, or false if no type by the given name - * - * @param string $type name of type - * @return mixed - * @access public - * @deprecated - */ - function serializeTypeDef($type){ - //print "in sTD() for type $type
      "; - if($typeDef = $this->getTypeDef($type)){ - $str .= '<'.$type; - if(is_array($typeDef['attrs'])){ - foreach($typeDef['attrs'] as $attName => $data){ - $str .= " $attName=\"{type = ".$data['type']."}\""; - } - } - $str .= " xmlns=\"".$this->schema['targetNamespace']."\""; - if(count($typeDef['elements']) > 0){ - $str .= ">"; - foreach($typeDef['elements'] as $element => $eData){ - $str .= $this->serializeTypeDef($element); - } - $str .= ""; - } elseif($typeDef['typeClass'] == 'element') { - $str .= ">"; - } else { - $str .= "/>"; - } - return $str; - } - return false; } /** - * returns HTML form elements that allow a user - * to enter values for creating an instance of the given type. - * - * @param string $name name for type instance - * @param string $type name of type - * @return string - * @access public - * @deprecated - */ - function typeToForm($name,$type){ - // get typedef - if($typeDef = $this->getTypeDef($type)){ - // if struct - if($typeDef['phpType'] == 'struct'){ - $buffer .= ''; - foreach($typeDef['elements'] as $child => $childDef){ - $buffer .= " - - "; - } - $buffer .= '
      $childDef[name] (type: ".$this->getLocalPart($childDef['type'])."):
      '; - // if array - } elseif($typeDef['phpType'] == 'array'){ - $buffer .= ''; - for($i=0;$i < 3; $i++){ - $buffer .= " + * end-element handler + * + * @param string $parser XML parser object + * @param string $name element name + * @access private + */ + function schemaEndElement($parser, $name) + { + // bring depth down a notch + $this->depth--; + // get element prefix + if ($this->getPrefix($name)) { + // get unqualified name + $name = $this->getLocalPart($name); + } + // move on... + if ($name == 'complexType') { + $this->xdebug('done processing complexType ' . ($this->currentComplexType ?: '(unknown)')); + $this->xdebug($this->varDump($this->complexTypes[$this->currentComplexType])); + $this->currentComplexType = array_pop($this->complexTypeStack); + //$this->currentElement = false; + } + if ($name == 'element') { + $this->xdebug('done processing element ' . ($this->currentElement ?: '(unknown)')); + $this->currentElement = array_pop($this->elementStack); + } + if ($name == 'simpleType') { + $this->xdebug('done processing simpleType ' . ($this->currentSimpleType ?: '(unknown)')); + $this->xdebug($this->varDump($this->simpleTypes[$this->currentSimpleType])); + $this->currentSimpleType = array_pop($this->simpleTypeStack); + } + } + + /** + * element content handler + * + * @param string $parser XML parser object + * @param string $data element content + * @access private + */ + function schemaCharacterData($parser, $data) + { + $pos = $this->depth_array[$this->depth - 1]; + $this->message[$pos]['cdata'] .= $data; + } + + /** + * serialize the schema + * + * @access public + */ + function serializeSchema() + { + + $schemaPrefix = $this->getPrefixFromNamespace($this->XMLSchemaVersion); + $xml = ''; + // imports + if (sizeof($this->imports) > 0) { + foreach ($this->imports as $ns => $list) { + foreach ($list as $ii) { + if ($ii['location'] != '') { + $xml .= " <$schemaPrefix:import location=\"" . $ii['location'] . '" namespace="' . $ns . "\" />\n"; + } else { + $xml .= " <$schemaPrefix:import namespace=\"" . $ns . "\" />\n"; + } + } + } + } + // complex types + foreach ($this->complexTypes as $typeName => $attrs) { + $contentStr = ''; + // serialize child elements + if (isset($attrs['elements']) && (count($attrs['elements']) > 0)) { + foreach ($attrs['elements'] as $element => $eParts) { + if (isset($eParts['ref'])) { + $contentStr .= " <$schemaPrefix:element ref=\"$element\"/>\n"; + } else { + $contentStr .= " <$schemaPrefix:element name=\"$element\" type=\"" . $this->contractQName($eParts['type']) . "\""; + foreach ($eParts as $aName => $aValue) { + // handle, e.g., abstract, default, form, minOccurs, maxOccurs, nillable + if ($aName != 'name' && $aName != 'type') { + $contentStr .= " $aName=\"$aValue\""; + } + } + $contentStr .= "/>\n"; + } + } + // compositor wraps elements + if (isset($attrs['compositor']) && ($attrs['compositor'] != '')) { + $contentStr = " <$schemaPrefix:$attrs[compositor]>\n" . $contentStr . " \n"; + } + } + // attributes + if (isset($attrs['attrs']) && (count($attrs['attrs']) >= 1)) { + foreach ($attrs['attrs'] as $aParts) { + $contentStr .= " <$schemaPrefix:attribute"; + foreach ($aParts as $a => $v) { + if ($a == 'ref' || $a == 'type') { + $contentStr .= " $a=\"" . $this->contractQName($v) . '"'; + } elseif ($a == 'http://schemas.xmlsoap.org/wsdl/:arrayType') { + $this->usedNamespaces['wsdl'] = $this->namespaces['wsdl']; + $contentStr .= ' wsdl:arrayType="' . $this->contractQName($v) . '"'; + } else { + $contentStr .= " $a=\"$v\""; + } + } + $contentStr .= "/>\n"; + } + } + // if restriction + if (isset($attrs['restrictionBase']) && $attrs['restrictionBase'] != '') { + $contentStr = " <$schemaPrefix:restriction base=\"" . $this->contractQName($attrs['restrictionBase']) . "\">\n" . $contentStr . " \n"; + // complex or simple content + if ((isset($attrs['elements']) && count($attrs['elements']) > 0) || (isset($attrs['attrs']) && count($attrs['attrs']) > 0)) { + $contentStr = " <$schemaPrefix:complexContent>\n" . $contentStr . " \n"; + } + } + // finalize complex type + if ($contentStr != '') { + $contentStr = " <$schemaPrefix:complexType name=\"$typeName\">\n" . $contentStr . " \n"; + } else { + $contentStr = " <$schemaPrefix:complexType name=\"$typeName\"/>\n"; + } + $xml .= $contentStr; + } + // simple types + if (isset($this->simpleTypes) && count($this->simpleTypes) > 0) { + foreach ($this->simpleTypes as $typeName => $eParts) { + $xml .= " <$schemaPrefix:simpleType name=\"$typeName\">\n <$schemaPrefix:restriction base=\"" . $this->contractQName($eParts['type']) . "\">\n"; + if (isset($eParts['enumeration'])) { + foreach ($eParts['enumeration'] as $e) { + $xml .= " <$schemaPrefix:enumeration value=\"$e\"/>\n"; + } + } + $xml .= " \n "; + } + } + // elements + if (isset($this->elements) && count($this->elements) > 0) { + foreach ($this->elements as $element => $eParts) { + $xml .= " <$schemaPrefix:element name=\"$element\" type=\"" . $this->contractQName($eParts['type']) . "\"/>\n"; + } + } + // attributes + if (isset($this->attributes) && count($this->attributes) > 0) { + foreach ($this->attributes as $attr => $aParts) { + $xml .= " <$schemaPrefix:attribute name=\"$attr\" type=\"" . $this->contractQName($aParts['type']) . "\"\n/>"; + } + } + // finish 'er up + $attr = ''; + foreach ($this->schemaInfo as $k => $v) { + if ($k == 'elementFormDefault' || $k == 'attributeFormDefault') { + $attr .= " $k=\"$v\""; + } + } + $el = "<$schemaPrefix:schema$attr targetNamespace=\"$this->schemaTargetNamespace\"\n"; + foreach (array_diff($this->usedNamespaces, $this->enclosingNamespaces) as $nsp => $ns) { + $el .= " xmlns:$nsp=\"$ns\""; + } + + return $el . ">\n" . $xml . "\n"; + } + + /** + * adds debug data to the clas level debug string + * + * @param string $string debug data + * @access private + */ + function xdebug($string) + { + $this->debug('<' . $this->schemaTargetNamespace . '> ' . $string); + } + + /** + * get the PHP type of a user defined type in the schema + * PHP type is kind of a misnomer since it actually returns 'struct' for assoc. arrays + * returns false if no type exists, or not w/ the given namespace + * else returns a string that is either a native php type, or 'struct' + * + * @param string $type name of defined type + * @param string $ns namespace of type + * @return mixed + * @access public + * @deprecated + */ + function getPHPType($type, $ns) + { + if (isset($this->typemap[$ns][$type])) { + //print "found type '$type' and ns $ns in typemap
      "; + return $this->typemap[$ns][$type]; + } elseif (isset($this->complexTypes[$type])) { + //print "getting type '$type' and ns $ns from complexTypes array
      "; + return $this->complexTypes[$type]['phpType']; + } + return false; + } + + /** + * returns an associative array of information about a given type + * returns false if no type exists by the given name + * + * For a complexType typeDef = array( + * 'restrictionBase' => '', + * 'phpType' => '', + * 'compositor' => '(sequence|all)', + * 'elements' => array(), // refs to elements array + * 'attrs' => array() // refs to attributes array + * ... and so on (see addComplexType) + * ) + * + * For simpleType or element, the array has different keys. + * + * @param string $type + * @return mixed + * @access public + * @see addComplexType + * @see addSimpleType + * @see addElement + */ + function getTypeDef($type) + { + //$this->debug("in getTypeDef for type $type"); + if (substr($type, -1) == '^') { + $is_element = 1; + $type = substr($type, 0, -1); + } else { + $is_element = 0; + } + + if ((!$is_element) && isset($this->complexTypes[$type])) { + $this->xdebug("in getTypeDef, found complexType $type"); + return $this->complexTypes[$type]; + } elseif ((!$is_element) && isset($this->simpleTypes[$type])) { + $this->xdebug("in getTypeDef, found simpleType $type"); + if (!isset($this->simpleTypes[$type]['phpType'])) { + // get info for type to tack onto the simple type + // TODO: can this ever really apply (i.e. what is a simpleType really?) + $uqType = substr($this->simpleTypes[$type]['type'], strrpos($this->simpleTypes[$type]['type'], ':') + 1); + $etype = $this->getTypeDef($uqType); + if ($etype) { + $this->xdebug("in getTypeDef, found type for simpleType $type:"); + $this->xdebug($this->varDump($etype)); + if (isset($etype['phpType'])) { + $this->simpleTypes[$type]['phpType'] = $etype['phpType']; + } + if (isset($etype['elements'])) { + $this->simpleTypes[$type]['elements'] = $etype['elements']; + } + } + } + return $this->simpleTypes[$type]; + } elseif (isset($this->elements[$type])) { + $this->xdebug("in getTypeDef, found element $type"); + if (!isset($this->elements[$type]['phpType'])) { + // get info for type to tack onto the element + $uqType = substr($this->elements[$type]['type'], strrpos($this->elements[$type]['type'], ':') + 1); + $ns = substr($this->elements[$type]['type'], 0, strrpos($this->elements[$type]['type'], ':')); + $etype = $this->getTypeDef($uqType); + if ($etype) { + $this->xdebug("in getTypeDef, found type for element $type:"); + $this->xdebug($this->varDump($etype)); + if (isset($etype['phpType'])) { + $this->elements[$type]['phpType'] = $etype['phpType']; + } + if (isset($etype['elements'])) { + $this->elements[$type]['elements'] = $etype['elements']; + } + if (isset($etype['extensionBase'])) { + $this->elements[$type]['extensionBase'] = $etype['extensionBase']; + } + } elseif ($ns == 'http://www.w3.org/2001/XMLSchema') { + $this->xdebug("in getTypeDef, element $type is an XSD type"); + $this->elements[$type]['phpType'] = 'scalar'; + } + } + return $this->elements[$type]; + } elseif (isset($this->attributes[$type])) { + $this->xdebug("in getTypeDef, found attribute $type"); + return $this->attributes[$type]; + } elseif (preg_match('/_ContainedType$/', $type)) { + $this->xdebug("in getTypeDef, have an untyped element $type"); + $typeDef['typeClass'] = 'simpleType'; + $typeDef['phpType'] = 'scalar'; + $typeDef['type'] = 'http://www.w3.org/2001/XMLSchema:string'; + return $typeDef; + } + $this->xdebug("in getTypeDef, did not find $type"); + return false; + } + + /** + * returns a sample serialization of a given type, or false if no type by the given name + * + * @param string $type name of type + * @return false|string + * @access public + */ + function serializeTypeDef($type) + { + $str = ''; + //print "in sTD() for type $type
      "; + if ($typeDef = $this->getTypeDef($type)) { + $str .= '<' . $type; + if (is_array($typeDef['attrs'])) { + foreach ($typeDef['attrs'] as $attName => $data) { + $str .= " $attName=\"{type = " . $data['type'] . "}\""; + } + } + $str .= " xmlns=\"" . $this->schema['targetNamespace'] . "\""; + if (count($typeDef['elements']) > 0) { + $str .= ">"; + foreach ($typeDef['elements'] as $element => $eData) { + $str .= $this->serializeTypeDef($element); + } + $str .= ""; + } elseif ($typeDef['typeClass'] == 'element') { + $str .= ">"; + } else { + $str .= "/>"; + } + return $str; + } + return false; + } + + /** + * returns HTML form elements that allow a user + * to enter values for creating an instance of the given type. + * + * @param string $name name for type instance + * @param string $type name of type + * @return string + * @access public + * @deprecated + */ + function typeToForm($name, $type) + { + $buffer = ''; + // get typedef + if ($typeDef = $this->getTypeDef($type)) { + // if struct + if ($typeDef['phpType'] == 'struct') { + $buffer .= '
      '; + foreach ($typeDef['elements'] as $childDef) { + $buffer .= " + + "; + } + $buffer .= '
      $childDef[name] (type: " . $this->getLocalPart($childDef['type']) . "):
      '; + // if array + } elseif ($typeDef['phpType'] == 'array') { + $buffer .= ''; + $buffer .= str_repeat (" - "; - } - $buffer .= '
      array item (type: $typeDef[arrayType]):
      '; - // if scalar - } else { - $buffer .= ""; - } - } else { - $buffer .= ""; - } - return $buffer; - } +
      '; + // if scalar + } else { + $buffer .= ""; + } + } else { + $buffer .= ""; + } + return $buffer; + } - /** - * adds a complex type to the schema - * - * example: array - * - * addType( - * 'ArrayOfstring', - * 'complexType', - * 'array', - * '', - * 'SOAP-ENC:Array', - * array('ref'=>'SOAP-ENC:arrayType','wsdl:arrayType'=>'string[]'), - * 'xsd:string' - * ); - * - * example: PHP associative array ( SOAP Struct ) - * - * addType( - * 'SOAPStruct', - * 'complexType', - * 'struct', - * 'all', - * array('myVar'=> array('name'=>'myVar','type'=>'string') - * ); - * - * @param name - * @param typeClass (complexType|simpleType|attribute) - * @param phpType: currently supported are array and struct (php assoc array) - * @param compositor (all|sequence|choice) - * @param restrictionBase namespace:name (http://schemas.xmlsoap.org/soap/encoding/:Array) - * @param elements = array ( name = array(name=>'',type=>'') ) - * @param attrs = array( - * array( - * 'ref' => "http://schemas.xmlsoap.org/soap/encoding/:arrayType", - * "http://schemas.xmlsoap.org/wsdl/:arrayType" => "string[]" - * ) - * ) - * @param arrayType: namespace:name (http://www.w3.org/2001/XMLSchema:string) - * @access public - * @see getTypeDef - */ - function addComplexType($name,$typeClass='complexType',$phpType='array',$compositor='',$restrictionBase='',$elements=array(),$attrs=array(),$arrayType=''){ - $this->complexTypes[$name] = array( - 'name' => $name, - 'typeClass' => $typeClass, - 'phpType' => $phpType, - 'compositor'=> $compositor, - 'restrictionBase' => $restrictionBase, - 'elements' => $elements, - 'attrs' => $attrs, - 'arrayType' => $arrayType - ); + /** + * adds a complex type to the schema + * example: array + * addType( + * 'ArrayOfstring', + * 'complexType', + * 'array', + * '', + * 'SOAP-ENC:Array', + * array('ref'=>'SOAP-ENC:arrayType','wsdl:arrayType'=>'string[]'), + * 'xsd:string' + * ); + * example: PHP associative array ( SOAP Struct ) + * addType( + * 'SOAPStruct', + * 'complexType', + * 'struct', + * 'all', + * array('myVar'=> array('name'=>'myVar','type'=>'string') + * ); + * + * @param string $name + * @param string $typeClass (complexType|simpleType|attribute) + * @param string $phpType : currently supported are array and struct (php assoc array) + * @param string $compositor (all|sequence|choice) + * @param string $restrictionBase namespace:name (http://schemas.xmlsoap.org/soap/encoding/:Array) + * @param array $elements = array ( name = array(name=>'',type=>'') ) + * @param array $attrs = array( + * array( + * 'ref' => "http://schemas.xmlsoap.org/soap/encoding/:arrayType", + * "http://schemas.xmlsoap.org/wsdl/:arrayType" => "string[]" + * ) + * ) + * @param array $arrayType : namespace:name (http://www.w3.org/2001/XMLSchema:string) + * + * @access public + * @see getTypeDef + */ + function addComplexType($name, $typeClass = 'complexType', $phpType = 'array', $compositor = '', $restrictionBase = '', $elements = array(), $attrs = array(), $arrayType = '') + { + $this->complexTypes[$name] = array( + 'name' => $name, + 'typeClass' => $typeClass, + 'phpType' => $phpType, + 'compositor' => $compositor, + 'restrictionBase' => $restrictionBase, + 'elements' => $elements, + 'attrs' => $attrs, + 'arrayType' => $arrayType + ); - $this->xdebug("addComplexType $name:"); - $this->appendDebug($this->varDump($this->complexTypes[$name])); - } + $this->xdebug("addComplexType $name:"); + $this->appendDebug($this->varDump($this->complexTypes[$name])); + } - /** - * adds a simple type to the schema - * - * @param string $name - * @param string $restrictionBase namespace:name (http://schemas.xmlsoap.org/soap/encoding/:Array) - * @param string $typeClass (should always be simpleType) - * @param string $phpType (should always be scalar) - * @param array $enumeration array of values - * @access public - * @see nusoap_xmlschema - * @see getTypeDef - */ - function addSimpleType($name, $restrictionBase='', $typeClass='simpleType', $phpType='scalar', $enumeration=array()) { - $this->simpleTypes[$name] = array( - 'name' => $name, - 'typeClass' => $typeClass, - 'phpType' => $phpType, - 'type' => $restrictionBase, - 'enumeration' => $enumeration - ); + /** + * adds a simple type to the schema + * + * @param string $name + * @param string $restrictionBase namespace:name (http://schemas.xmlsoap.org/soap/encoding/:Array) + * @param string $typeClass (should always be simpleType) + * @param string $phpType (should always be scalar) + * @param array $enumeration array of values + * @access public + * @see nusoap_xmlschema + * @see getTypeDef + */ + function addSimpleType($name, $restrictionBase = '', $typeClass = 'simpleType', $phpType = 'scalar', $enumeration = array()) + { + $this->simpleTypes[$name] = array( + 'name' => $name, + 'typeClass' => $typeClass, + 'phpType' => $phpType, + 'type' => $restrictionBase, + 'enumeration' => $enumeration + ); - $this->xdebug("addSimpleType $name:"); - $this->appendDebug($this->varDump($this->simpleTypes[$name])); - } + $this->xdebug("addSimpleType $name:"); + $this->appendDebug($this->varDump($this->simpleTypes[$name])); + } - /** - * adds an element to the schema - * - * @param array $attrs attributes that must include name and type - * @see nusoap_xmlschema - * @access public - */ - function addElement($attrs) { - if (! $this->getPrefix($attrs['type'])) { - $attrs['type'] = $this->schemaTargetNamespace . ':' . $attrs['type']; - } - $this->elements[ $attrs['name'] ] = $attrs; - $this->elements[ $attrs['name'] ]['typeClass'] = 'element'; + /** + * adds an element to the schema + * + * @param array $attrs attributes that must include name and type + * @see nusoap_xmlschema + * @access public + */ + function addElement($attrs) + { + if (!$this->getPrefix($attrs['type'])) { + $attrs['type'] = $this->schemaTargetNamespace . ':' . $attrs['type']; + } + $this->elements[$attrs['name']] = $attrs; + $this->elements[$attrs['name']]['typeClass'] = 'element'; - $this->xdebug("addElement " . $attrs['name']); - $this->appendDebug($this->varDump($this->elements[ $attrs['name'] ])); - } + $this->xdebug("addElement " . $attrs['name']); + $this->appendDebug($this->varDump($this->elements[$attrs['name']])); + } } /** * Backward compatibility */ -class XMLSchema extends nusoap_xmlschema { -} - -?> -* @access public -*/ -class soapval extends nusoap_base { - /** - * The XML element name - * - * @var string - * @access private - */ - var $name; - /** - * The XML type name (string or false) - * - * @var mixed - * @access private - */ - var $type; - /** - * The PHP value - * - * @var mixed - * @access private - */ - var $value; - /** - * The XML element namespace (string or false) - * - * @var mixed - * @access private - */ - var $element_ns; - /** - * The XML type namespace (string or false) - * - * @var mixed - * @access private - */ - var $type_ns; - /** - * The XML element attributes (array or false) - * - * @var mixed - * @access private - */ - var $attributes; - - /** - * constructor - * - * @param string $name optional name - * @param mixed $type optional type name - * @param mixed $value optional value - * @param mixed $element_ns optional namespace of value - * @param mixed $type_ns optional namespace of type - * @param mixed $attributes associative array of attributes to add to element serialization - * @access public - */ - function __construct($name='soapval',$type=false,$value=-1,$element_ns=false,$type_ns=false,$attributes=false) { - parent::__construct(); - $this->name = $name; - $this->type = $type; - $this->value = $value; - $this->element_ns = $element_ns; - $this->type_ns = $type_ns; - $this->attributes = $attributes; - } - - /** - * return serialized value - * - * @param string $use The WSDL use value (encoded|literal) - * @return string XML data - * @access public - */ - function serialize($use='encoded') { - return $this->serialize_val($this->value, $this->name, $this->type, $this->element_ns, $this->type_ns, $this->attributes, $use, true); - } - - /** - * decodes a soapval object into a PHP native type - * - * @return mixed - * @access public - */ - function decode(){ - return $this->value; - } +class XMLSchema extends nusoap_xmlschema +{ } +/** + * For creating serializable abstractions of native PHP types. This class + * allows element name/namespace, XSD type, and XML attributes to be + * associated with a value. This is extremely useful when WSDL is not + * used, but is also useful when WSDL is used with polymorphic types, including + * xsd:anyType and user-defined types. + * + * @author Dietrich Ayala + * @version $Id: nusoap.php,v 1.123 2010/04/26 20:15:08 snichol Exp $ + * @access public + */ +class soapval extends nusoap_base +{ + /** + * The XML element name + * + * @var string + * @access private + */ + var $name; + /** + * The XML type name (string or false) + * + * @var mixed + * @access private + */ + var $type; + /** + * The PHP value + * + * @var mixed + * @access private + */ + var $value; + /** + * The XML element namespace (string or false) + * + * @var mixed + * @access private + */ + var $element_ns; + /** + * The XML type namespace (string or false) + * + * @var mixed + * @access private + */ + var $type_ns; + /** + * The XML element attributes (array or false) + * + * @var mixed + * @access private + */ + var $attributes; -?>name = $name; + $this->type = $type; + $this->value = $value; + $this->element_ns = $element_ns; + $this->type_ns = $type_ns; + $this->attributes = $attributes; + } + + /** + * return serialized value + * + * @param string $use The WSDL use value (encoded|literal) + * @return string XML data + * @access public + */ + function serialize($use = 'encoded') + { + return $this->serialize_val($this->value, $this->name, $this->type, $this->element_ns, $this->type_ns, $this->attributes, $use, true); + } + + /** + * decodes a soapval object into a PHP native type + * + * @return mixed + * @access public + */ + function decode() + { + return $this->value; + } +} /** -* transport class for sending/receiving data via HTTP and HTTPS -* NOTE: PHP must be compiled with the CURL extension for HTTPS support -* -* @author Dietrich Ayala -* @author Scott Nichol -* @access public -*/ -class soap_transport_http extends nusoap_base { + * transport class for sending/receiving data via HTTP and HTTPS + * NOTE: PHP must be compiled with the CURL extension for HTTPS support + * + * @author Dietrich Ayala + * @author Scott Nichol + * @version $Id: nusoap.php,v 1.123 2010/04/26 20:15:08 snichol Exp $ + * @access public + */ +class soap_transport_http extends nusoap_base +{ - var $url = ''; - var $uri = ''; - var $digest_uri = ''; - var $scheme = ''; - var $host = ''; - var $port = ''; - var $path = ''; - var $request_method = 'POST'; - var $protocol_version = '1.0'; - var $encoding = ''; - var $outgoing_headers = array(); - var $incoming_headers = array(); - var $incoming_cookies = array(); - var $outgoing_payload = ''; - var $incoming_payload = ''; - var $response_status_line; // HTTP response status line - var $useSOAPAction = true; - var $persistentConnection = false; - var $ch = false; // cURL handle - var $ch_options = array(); // cURL custom options - var $use_curl = false; // force cURL use - var $proxy = null; // proxy information (associative array) - var $username = ''; - var $password = ''; - var $authtype = ''; - var $digestRequest = array(); - var $certRequest = array(); // keys must be cainfofile (optional), sslcertfile, sslkeyfile, passphrase, certpassword (optional), verifypeer (optional), verifyhost (optional) - // cainfofile: certificate authority file, e.g. '$pathToPemFiles/rootca.pem' - // sslcertfile: SSL certificate file, e.g. '$pathToPemFiles/mycert.pem' - // sslkeyfile: SSL key file, e.g. '$pathToPemFiles/mykey.pem' - // passphrase: SSL key password/passphrase - // certpassword: SSL certificate password - // verifypeer: default is 1 - // verifyhost: default is 1 + var $query = ''; + var $tryagain = false; + var $url = ''; + var $uri = ''; + var $digest_uri = ''; + var $scheme = ''; + var $host = ''; + var $port = ''; + var $path = ''; + var $request_method = 'POST'; + var $protocol_version = '1.0'; + var $encoding = ''; + var $outgoing_headers = array(); + var $incoming_headers = array(); + var $incoming_cookies = array(); + var $outgoing_payload = ''; + var $incoming_payload = ''; + var $response_status_line; // HTTP response status line + var $useSOAPAction = true; + var $persistentConnection = false; + var $ch = false; // cURL handle + var $ch_options = array(); // cURL custom options + var $use_curl = false; // force cURL use + var $proxy = null; // proxy information (associative array) + var $username = ''; + var $password = ''; + var $authtype = ''; + var $digestRequest = array(); + var $certRequest = array(); // keys must be cainfofile (optional), sslcertfile, sslkeyfile, passphrase, certpassword (optional), verifypeer (optional), verifyhost (optional) + // cainfofile: certificate authority file, e.g. '$pathToPemFiles/rootca.pem' + // sslcertfile: SSL certificate file, e.g. '$pathToPemFiles/mycert.pem' + // sslkeyfile: SSL key file, e.g. '$pathToPemFiles/mykey.pem' + // passphrase: SSL key password/passphrase + // certpassword: SSL certificate password + // verifypeer: default is 1 + // verifyhost: default is 1 - /** - * constructor - * - * @param string $url The URL to which to connect - * @param array $curl_options User-specified cURL options - * @param boolean $use_curl Whether to try to force cURL use - * @access public - */ - function __construct($url, $curl_options = NULL, $use_curl = false){ - parent::__construct(); - $this->debug("ctor url=$url use_curl=$use_curl curl_options:"); - $this->appendDebug($this->varDump($curl_options)); - $this->setURL($url); - if (is_array($curl_options)) { - $this->ch_options = $curl_options; - } - $this->use_curl = $use_curl; - preg_match('/\$Revisio' . 'n: ([^ ]+)/', $this->revision, $rev); - $this->setHeader('User-Agent', $this->title.'/'.$this->version.(isset($rev[1])?' ('.$rev[1].')':'')); - } + /** @var false|resource */ + var $fp; + var $errno; - /** - * sets a cURL option - * - * @param mixed $option The cURL option (always integer?) - * @param mixed $value The cURL option value - * @access private - */ - function setCurlOption($option, $value) { - $this->debug("setCurlOption option=$option, value="); - $this->appendDebug($this->varDump($value)); - curl_setopt($this->ch, $option, $value); - } + /** + * constructor + * + * @param string $url The URL to which to connect + * @param array $curl_options User-specified cURL options + * @param boolean $use_curl Whether to try to force cURL use + * @access public + */ + function __construct($url, $curl_options = null, $use_curl = false) + { + parent::__construct(); + $this->debug("ctor url=$url use_curl=$use_curl curl_options:"); + $this->appendDebug($this->varDump($curl_options)); + $this->setURL($url); + if (is_array($curl_options)) { + $this->ch_options = $curl_options; + } + $this->use_curl = $use_curl; + preg_match('/\$Revisio' . 'n: ([^ ]+)/', $this->revision, $rev); + $this->setHeader('User-Agent', $this->title . '/' . $this->version . ' (' . $rev[1] . ')'); + } - /** - * sets an HTTP header - * - * @param string $name The name of the header - * @param string $value The value of the header - * @access private - */ - function setHeader($name, $value) { - $this->outgoing_headers[$name] = $value; - $this->debug("set header $name: $value"); - } + /** + * sets a cURL option + * + * @param mixed $option The cURL option (always integer?) + * @param mixed $value The cURL option value + * @access private + */ + function setCurlOption($option, $value) + { + $this->debug("setCurlOption option=$option, value="); + $this->appendDebug($this->varDump($value)); + curl_setopt($this->ch, $option, $value); + } - /** - * unsets an HTTP header - * - * @param string $name The name of the header - * @access private - */ - function unsetHeader($name) { - if (isset($this->outgoing_headers[$name])) { - $this->debug("unset header $name"); - unset($this->outgoing_headers[$name]); - } - } + /** + * sets an HTTP header + * + * @param string $name The name of the header + * @param string $value The value of the header + * @access private + */ + function setHeader($name, $value) + { + $this->outgoing_headers[$name] = $value; + $this->debug("set header $name: $value"); + } - /** - * sets the URL to which to connect - * - * @param string $url The URL to which to connect - * @access private - */ - function setURL($url) { - $this->url = $url; + /** + * unsets an HTTP header + * + * @param string $name The name of the header + * @access private + */ + function unsetHeader($name) + { + if (isset($this->outgoing_headers[$name])) { + $this->debug("unset header $name"); + unset($this->outgoing_headers[$name]); + } + } - $u = parse_url($url); - foreach($u as $k => $v){ - $this->debug("parsed URL $k = $v"); - $this->$k = $v; - } + /** + * sets the URL to which to connect + * + * @param string $url The URL to which to connect + * @access private + */ + function setURL($url) + { + $this->url = $url; - // add any GET params to path - if(isset($u['query']) && $u['query'] != ''){ + $u = parse_url($url); + foreach ($u as $k => $v) { + $this->debug("parsed URL $k = $v"); + $this->$k = $v; + } + + // add any GET params to path + if (isset($u['query']) && $u['query'] != '') { $this->path .= '?' . $u['query']; - } + } - // set default port - if(!isset($u['port'])){ - if($u['scheme'] == 'https'){ - $this->port = 443; - } else { - $this->port = 80; - } - } + // set default port + if (!isset($u['port'])) { + if ($u['scheme'] == 'https') { + $this->port = 443; + } else { + $this->port = 80; + } + } - $this->uri = $this->path; - $this->digest_uri = $this->uri; + $this->uri = $this->path; + $this->digest_uri = $this->uri; - // build headers - if (!isset($u['port'])) { - $this->setHeader('Host', $this->host); - } else { - $this->setHeader('Host', $this->host.':'.$this->port); - } + // build headers + if (!isset($u['port'])) { + $this->setHeader('Host', $this->host); + } else { + $this->setHeader('Host', $this->host . ':' . $this->port); + } - if (isset($u['user']) && $u['user'] != '') { - $this->setCredentials(urldecode($u['user']), isset($u['pass']) ? urldecode($u['pass']) : ''); - } - } + if (isset($u['user']) && $u['user'] != '') { + $this->setCredentials(urldecode($u['user']), isset($u['pass']) ? urldecode($u['pass']) : ''); + } + } - /** - * gets the I/O method to use - * - * @return string I/O method to use (socket|curl|unknown) - * @access private - */ - function io_method() { - if ($this->use_curl || ($this->scheme == 'https') || ($this->scheme == 'http' && $this->authtype == 'ntlm') || ($this->scheme == 'http' && is_array($this->proxy) && $this->proxy['authtype'] == 'ntlm')) - return 'curl'; - if (($this->scheme == 'http' || $this->scheme == 'ssl') && $this->authtype != 'ntlm' && (!is_array($this->proxy) || $this->proxy['authtype'] != 'ntlm')) - return 'socket'; - return 'unknown'; - } + /** + * gets the I/O method to use + * + * @return string I/O method to use (socket|curl|unknown) + * @access private + */ + function io_method() + { + if ($this->use_curl || ($this->scheme == 'https') || ($this->scheme == 'http' && $this->authtype == 'ntlm') || ($this->scheme == 'http' && is_array($this->proxy) && $this->proxy['authtype'] == 'ntlm')) { + return 'curl'; + } + if (($this->scheme == 'http' || $this->scheme == 'ssl') && $this->authtype != 'ntlm' && (!is_array($this->proxy) || $this->proxy['authtype'] != 'ntlm')) { + return 'socket'; + } + return 'unknown'; + } - /** - * establish an HTTP connection - * - * @param integer $timeout set connection timeout in seconds - * @param integer $response_timeout set response timeout in seconds - * @return boolean true if connected, false if not - * @access private - */ - function connect($connection_timeout=0,$response_timeout=30){ - // For PHP 4.3 with OpenSSL, change https scheme to ssl, then treat like - // "regular" socket. - // TODO: disabled for now because OpenSSL must be *compiled* in (not just - // loaded), and until PHP5 stream_get_wrappers is not available. + /** + * establish an HTTP connection + * + * @param integer $connection_timeout set connection timeout in seconds + * @param integer $response_timeout set response timeout in seconds + * @return boolean true if connected, false if not + * @access private + */ + function connect($connection_timeout = 0, $response_timeout = 30) + { + // For PHP 4.3 with OpenSSL, change https scheme to ssl, then treat like + // "regular" socket. + // TODO: disabled for now because OpenSSL must be *compiled* in (not just + // loaded), and until PHP5 stream_get_wrappers is not available. // if ($this->scheme == 'https') { // if (version_compare(phpversion(), '4.3.0') >= 0) { // if (extension_loaded('openssl')) { @@ -2337,2261 +2392,2355 @@ class soap_transport_http extends nusoap_base { // } // } // } - $this->debug("connect connection_timeout $connection_timeout, response_timeout $response_timeout, scheme $this->scheme, host $this->host, port $this->port"); - if ($this->io_method() == 'socket') { - if (!is_array($this->proxy)) { - $host = $this->host; - $port = $this->port; - } else { - $host = $this->proxy['host']; - $port = $this->proxy['port']; - } + $this->debug("connect connection_timeout $connection_timeout, response_timeout $response_timeout, scheme $this->scheme, host $this->host, port $this->port"); + if ($this->io_method() == 'socket') { + if (!is_array($this->proxy)) { + $host = $this->host; + } else { + $host = $this->proxy['host']; + } - // use persistent connection - if($this->persistentConnection && isset($this->fp) && is_resource($this->fp)){ - if (!feof($this->fp)) { - $this->debug('Re-use persistent connection'); - return true; - } - fclose($this->fp); - $this->debug('Closed persistent connection at EOF'); - } + // use persistent connection + if ($this->persistentConnection && isset($this->fp) && is_resource($this->fp)) { + if (!feof($this->fp)) { + $this->debug('Re-use persistent connection'); + return true; + } + fclose($this->fp); + $this->debug('Closed persistent connection at EOF'); + } - // munge host if using OpenSSL - if ($this->scheme == 'ssl') { - $host = 'ssl://' . $host; - } - $this->debug('calling fsockopen with host ' . $host . ' connection_timeout ' . $connection_timeout); + // munge host if using OpenSSL + if ($this->scheme == 'ssl') { + $host = 'ssl://' . $host; + } + $this->debug('calling fsockopen with host ' . $host . ' connection_timeout ' . $connection_timeout); - // open socket - if($connection_timeout > 0){ - $this->fp = @fsockopen( $host, $this->port, $this->errno, $this->error_str, $connection_timeout); - } else { - $this->fp = @fsockopen( $host, $this->port, $this->errno, $this->error_str); - } + // open socket + if ($connection_timeout > 0) { + $this->fp = @fsockopen($host, $this->port, $this->errno, $this->error_str, $connection_timeout); + } else { + $this->fp = @fsockopen($host, $this->port, $this->errno, $this->error_str); + } - // test pointer - if(!$this->fp) { - $msg = 'Couldn\'t open socket connection to server ' . $this->url; - if ($this->errno) { - $msg .= ', Error ('.$this->errno.'): '.$this->error_str; - } else { - $msg .= ' prior to connect(). This is often a problem looking up the host name.'; - } - $this->debug($msg); - $this->setError($msg); - return false; - } + // test pointer + if (!$this->fp) { + $msg = 'Couldn\'t open socket connection to server ' . $this->url; + if ($this->errno) { + $msg .= ', Error (' . $this->errno . '): ' . $this->error_str; + } else { + $msg .= ' prior to connect(). This is often a problem looking up the host name.'; + } + $this->debug($msg); + $this->setError($msg); + return false; + } - // set response timeout - $this->debug('set response timeout to ' . $response_timeout); - socket_set_timeout( $this->fp, $response_timeout); + // set response timeout + $this->debug('set response timeout to ' . $response_timeout); + socket_set_timeout($this->fp, $response_timeout, 0); - $this->debug('socket connected'); - return true; - } else if ($this->io_method() == 'curl') { - if (!extension_loaded('curl')) { + $this->debug('socket connected'); + return true; + } elseif ($this->io_method() == 'curl') { + if (!extension_loaded('curl')) { // $this->setError('cURL Extension, or OpenSSL extension w/ PHP version >= 4.3 is required for HTTPS'); - $this->setError('The PHP cURL Extension is required for HTTPS or NLTM. You will need to re-build or update your PHP to include cURL or change php.ini to load the PHP cURL extension.'); - return false; - } - // Avoid warnings when PHP does not have these options - if (defined('CURLOPT_CONNECTIONTIMEOUT')) - $CURLOPT_CONNECTIONTIMEOUT = CURLOPT_CONNECTIONTIMEOUT; - else - $CURLOPT_CONNECTIONTIMEOUT = 78; - if (defined('CURLOPT_HTTPAUTH')) - $CURLOPT_HTTPAUTH = CURLOPT_HTTPAUTH; - else - $CURLOPT_HTTPAUTH = 107; - if (defined('CURLOPT_PROXYAUTH')) - $CURLOPT_PROXYAUTH = CURLOPT_PROXYAUTH; - else - $CURLOPT_PROXYAUTH = 111; - if (defined('CURLAUTH_BASIC')) - $CURLAUTH_BASIC = CURLAUTH_BASIC; - else - $CURLAUTH_BASIC = 1; - if (defined('CURLAUTH_DIGEST')) - $CURLAUTH_DIGEST = CURLAUTH_DIGEST; - else - $CURLAUTH_DIGEST = 2; - if (defined('CURLAUTH_NTLM')) - $CURLAUTH_NTLM = CURLAUTH_NTLM; - else - $CURLAUTH_NTLM = 8; + $this->setError('The PHP cURL Extension is required for HTTPS or NLTM. You will need to re-build or update your PHP to include cURL or change php.ini to load the PHP cURL extension.'); + return false; + } + // Avoid warnings when PHP does not have these options + if (defined('CURLOPT_CONNECTIONTIMEOUT')) { + $CURLOPT_CONNECTIONTIMEOUT = CURLOPT_CONNECTIONTIMEOUT; + } else { + $CURLOPT_CONNECTIONTIMEOUT = 78; + } + if (defined('CURLOPT_HTTPAUTH')) { + $CURLOPT_HTTPAUTH = CURLOPT_HTTPAUTH; + } else { + $CURLOPT_HTTPAUTH = 107; + } + if (defined('CURLOPT_PROXYAUTH')) { + $CURLOPT_PROXYAUTH = CURLOPT_PROXYAUTH; + } else { + $CURLOPT_PROXYAUTH = 111; + } + if (defined('CURLAUTH_BASIC')) { + $CURLAUTH_BASIC = CURLAUTH_BASIC; + } else { + $CURLAUTH_BASIC = 1; + } + if (defined('CURLAUTH_DIGEST')) { + $CURLAUTH_DIGEST = CURLAUTH_DIGEST; + } else { + $CURLAUTH_DIGEST = 2; + } + if (defined('CURLAUTH_NTLM')) { + $CURLAUTH_NTLM = CURLAUTH_NTLM; + } else { + $CURLAUTH_NTLM = 8; + } - $this->debug('connect using cURL'); - // init CURL - $this->ch = curl_init(); - // set url - $hostURL = ($this->port != '') ? "$this->scheme://$this->host:$this->port" : "$this->scheme://$this->host"; - // add path - $hostURL .= $this->path; - $this->setCurlOption(CURLOPT_URL, $hostURL); - // follow location headers (re-directs) - if (ini_get('safe_mode') || ini_get('open_basedir')) { - $this->debug('safe_mode or open_basedir set, so do not set CURLOPT_FOLLOWLOCATION'); - $this->debug('safe_mode = '); - $this->appendDebug($this->varDump(ini_get('safe_mode'))); - $this->debug('open_basedir = '); - $this->appendDebug($this->varDump(ini_get('open_basedir'))); - } else { - $this->setCurlOption(CURLOPT_FOLLOWLOCATION, 1); - } - // ask for headers in the response output - $this->setCurlOption(CURLOPT_HEADER, 1); - // ask for the response output as the return value - $this->setCurlOption(CURLOPT_RETURNTRANSFER, 1); - // encode - // We manage this ourselves through headers and encoding + $this->debug('connect using cURL'); + // init CURL + $this->ch = curl_init(); + // set url + $hostURL = ($this->port != '') ? "$this->scheme://$this->host:$this->port" : "$this->scheme://$this->host"; + // add path + $hostURL .= $this->path; + $this->setCurlOption(CURLOPT_URL, $hostURL); + // follow location headers (re-directs) + if (ini_get('safe_mode') || ini_get('open_basedir')) { + $this->debug('safe_mode or open_basedir set, so do not set CURLOPT_FOLLOWLOCATION'); + $this->debug('safe_mode = '); + $this->appendDebug($this->varDump(ini_get('safe_mode'))); + $this->debug('open_basedir = '); + $this->appendDebug($this->varDump(ini_get('open_basedir'))); + } else { + $this->setCurlOption(CURLOPT_FOLLOWLOCATION, 1); + } + // ask for headers in the response output + $this->setCurlOption(CURLOPT_HEADER, 1); + // ask for the response output as the return value + $this->setCurlOption(CURLOPT_RETURNTRANSFER, 1); + // encode + // We manage this ourselves through headers and encoding // if(function_exists('gzuncompress')){ // $this->setCurlOption(CURLOPT_ENCODING, 'deflate'); // } - // persistent connection - if ($this->persistentConnection) { - // I believe the following comment is now bogus, having applied to - // the code when it used CURLOPT_CUSTOMREQUEST to send the request. - // The way we send data, we cannot use persistent connections, since - // there will be some "junk" at the end of our request. - //$this->setCurlOption(CURL_HTTP_VERSION_1_1, true); - $this->persistentConnection = false; - $this->setHeader('Connection', 'close'); - } - // set timeouts - if ($connection_timeout != 0) { - $this->setCurlOption($CURLOPT_CONNECTIONTIMEOUT, $connection_timeout); - } - if ($response_timeout != 0) { - $this->setCurlOption(CURLOPT_TIMEOUT, $response_timeout); - } + // persistent connection + if ($this->persistentConnection) { + // I believe the following comment is now bogus, having applied to + // the code when it used CURLOPT_CUSTOMREQUEST to send the request. + // The way we send data, we cannot use persistent connections, since + // there will be some "junk" at the end of our request. + //$this->setCurlOption(CURL_HTTP_VERSION_1_1, true); + $this->persistentConnection = false; + $this->setHeader('Connection', 'close'); + } + // set timeouts + if ($connection_timeout != 0) { + $this->setCurlOption($CURLOPT_CONNECTIONTIMEOUT, $connection_timeout); + } + if ($response_timeout != 0) { + $this->setCurlOption(CURLOPT_TIMEOUT, $response_timeout); + } - if ($this->scheme == 'https') { - $this->debug('set cURL SSL verify options'); - // recent versions of cURL turn on peer/host checking by default, - // while PHP binaries are not compiled with a default location for the - // CA cert bundle, so disable peer/host checking. - //$this->setCurlOption(CURLOPT_CAINFO, 'f:\php-4.3.2-win32\extensions\curl-ca-bundle.crt'); - $this->setCurlOption(CURLOPT_SSL_VERIFYPEER, 0); - $this->setCurlOption(CURLOPT_SSL_VERIFYHOST, 0); + if ($this->scheme == 'https') { + $this->debug('set cURL SSL verify options'); + // recent versions of cURL turn on peer/host checking by default, + // while PHP binaries are not compiled with a default location for the + // CA cert bundle, so disable peer/host checking. + //$this->setCurlOption(CURLOPT_CAINFO, 'f:\php-4.3.2-win32\extensions\curl-ca-bundle.crt'); + $this->setCurlOption(CURLOPT_SSL_VERIFYPEER, 0); + $this->setCurlOption(CURLOPT_SSL_VERIFYHOST, 0); - // support client certificates (thanks Tobias Boes, Doug Anarino, Eryan Ariobowo) - if ($this->authtype == 'certificate') { - $this->debug('set cURL certificate options'); - if (isset($this->certRequest['cainfofile'])) { - $this->setCurlOption(CURLOPT_CAINFO, $this->certRequest['cainfofile']); - } - if (isset($this->certRequest['verifypeer'])) { - $this->setCurlOption(CURLOPT_SSL_VERIFYPEER, $this->certRequest['verifypeer']); - } else { - $this->setCurlOption(CURLOPT_SSL_VERIFYPEER, 1); - } - if (isset($this->certRequest['verifyhost'])) { - $this->setCurlOption(CURLOPT_SSL_VERIFYHOST, $this->certRequest['verifyhost']); - } else { - $this->setCurlOption(CURLOPT_SSL_VERIFYHOST, 1); - } - if (isset($this->certRequest['sslcertfile'])) { - $this->setCurlOption(CURLOPT_SSLCERT, $this->certRequest['sslcertfile']); - } - if (isset($this->certRequest['sslkeyfile'])) { - $this->setCurlOption(CURLOPT_SSLKEY, $this->certRequest['sslkeyfile']); - } - if (isset($this->certRequest['passphrase'])) { - $this->setCurlOption(CURLOPT_SSLKEYPASSWD, $this->certRequest['passphrase']); - } - if (isset($this->certRequest['certpassword'])) { - $this->setCurlOption(CURLOPT_SSLCERTPASSWD, $this->certRequest['certpassword']); - } - } - } - if ($this->authtype && ($this->authtype != 'certificate')) { - if ($this->username) { - $this->debug('set cURL username/password'); - $this->setCurlOption(CURLOPT_USERPWD, "$this->username:$this->password"); - } - if ($this->authtype == 'basic') { - $this->debug('set cURL for Basic authentication'); - $this->setCurlOption($CURLOPT_HTTPAUTH, $CURLAUTH_BASIC); - } - if ($this->authtype == 'digest') { - $this->debug('set cURL for digest authentication'); - $this->setCurlOption($CURLOPT_HTTPAUTH, $CURLAUTH_DIGEST); - } - if ($this->authtype == 'ntlm') { - $this->debug('set cURL for NTLM authentication'); - $this->setCurlOption($CURLOPT_HTTPAUTH, $CURLAUTH_NTLM); - } - } - if (is_array($this->proxy)) { - $this->debug('set cURL proxy options'); - if ($this->proxy['port'] != '') { - $this->setCurlOption(CURLOPT_PROXY, $this->proxy['host'].':'.$this->proxy['port']); - } else { - $this->setCurlOption(CURLOPT_PROXY, $this->proxy['host']); - } - if ($this->proxy['username'] || $this->proxy['password']) { - $this->debug('set cURL proxy authentication options'); - $this->setCurlOption(CURLOPT_PROXYUSERPWD, $this->proxy['username'].':'.$this->proxy['password']); - if ($this->proxy['authtype'] == 'basic') { - $this->setCurlOption($CURLOPT_PROXYAUTH, $CURLAUTH_BASIC); - } - if ($this->proxy['authtype'] == 'ntlm') { - $this->setCurlOption($CURLOPT_PROXYAUTH, $CURLAUTH_NTLM); - } - } - } - $this->debug('cURL connection set up'); - return true; - } else { - $this->setError('Unknown scheme ' . $this->scheme); - $this->debug('Unknown scheme ' . $this->scheme); - return false; - } - } + // support client certificates (thanks Tobias Boes, Doug Anarino, Eryan Ariobowo) + if ($this->authtype == 'certificate') { + $this->debug('set cURL certificate options'); + if (isset($this->certRequest['cainfofile'])) { + $this->setCurlOption(CURLOPT_CAINFO, $this->certRequest['cainfofile']); + } + if (isset($this->certRequest['verifypeer'])) { + $this->setCurlOption(CURLOPT_SSL_VERIFYPEER, $this->certRequest['verifypeer']); + } else { + $this->setCurlOption(CURLOPT_SSL_VERIFYPEER, 1); + } + if (isset($this->certRequest['verifyhost'])) { + $this->setCurlOption(CURLOPT_SSL_VERIFYHOST, $this->certRequest['verifyhost']); + } else { + $this->setCurlOption(CURLOPT_SSL_VERIFYHOST, 1); + } + if (isset($this->certRequest['sslcertfile'])) { + $this->setCurlOption(CURLOPT_SSLCERT, $this->certRequest['sslcertfile']); + } + if (isset($this->certRequest['sslkeyfile'])) { + $this->setCurlOption(CURLOPT_SSLKEY, $this->certRequest['sslkeyfile']); + } + if (isset($this->certRequest['passphrase'])) { + $this->setCurlOption(CURLOPT_SSLKEYPASSWD, $this->certRequest['passphrase']); + } + if (isset($this->certRequest['certpassword'])) { + $this->setCurlOption(CURLOPT_SSLCERTPASSWD, $this->certRequest['certpassword']); + } + } + } + if ($this->authtype && ($this->authtype != 'certificate')) { + if ($this->username) { + $this->debug('set cURL username/password'); + $this->setCurlOption(CURLOPT_USERPWD, "$this->username:$this->password"); + } + if ($this->authtype == 'basic') { + $this->debug('set cURL for Basic authentication'); + $this->setCurlOption($CURLOPT_HTTPAUTH, $CURLAUTH_BASIC); + } + if ($this->authtype == 'digest') { + $this->debug('set cURL for digest authentication'); + $this->setCurlOption($CURLOPT_HTTPAUTH, $CURLAUTH_DIGEST); + } + if ($this->authtype == 'ntlm') { + $this->debug('set cURL for NTLM authentication'); + $this->setCurlOption($CURLOPT_HTTPAUTH, $CURLAUTH_NTLM); + } + } + if (is_array($this->proxy)) { + $this->debug('set cURL proxy options'); + if ($this->proxy['port'] != '') { + $this->setCurlOption(CURLOPT_PROXY, $this->proxy['host'] . ':' . $this->proxy['port']); + } else { + $this->setCurlOption(CURLOPT_PROXY, $this->proxy['host']); + } + if ($this->proxy['username'] || $this->proxy['password']) { + $this->debug('set cURL proxy authentication options'); + $this->setCurlOption(CURLOPT_PROXYUSERPWD, $this->proxy['username'] . ':' . $this->proxy['password']); + if ($this->proxy['authtype'] == 'basic') { + $this->setCurlOption($CURLOPT_PROXYAUTH, $CURLAUTH_BASIC); + } + if ($this->proxy['authtype'] == 'ntlm') { + $this->setCurlOption($CURLOPT_PROXYAUTH, $CURLAUTH_NTLM); + } + } + } + $this->debug('cURL connection set up'); + return true; + } else { + $this->setError('Unknown scheme ' . $this->scheme); + $this->debug('Unknown scheme ' . $this->scheme); + return false; + } + } - /** - * sends the SOAP request and gets the SOAP response via HTTP[S] - * - * @param string $data message data - * @param integer $timeout set connection timeout in seconds - * @param integer $response_timeout set response timeout in seconds - * @param array $cookies cookies to send - * @return string data - * @access public - */ - function send($data, $timeout=0, $response_timeout=30, $cookies=NULL) { + /** + * sends the SOAP request and gets the SOAP response via HTTP[S] + * + * @param string $data message data + * @param integer $timeout set connection timeout in seconds + * @param integer $response_timeout set response timeout in seconds + * @param array $cookies cookies to send + * @return string data + * @access public + */ + function send($data, $timeout = 0, $response_timeout = 30, $cookies = null) + { + $this->debug('entered send() with data of length: ' . strlen($data)); - $this->debug('entered send() with data of length: '.strlen($data)); + $respdata = ""; + $this->tryagain = true; + $tries = 0; + while ($this->tryagain) { + $this->tryagain = false; + if ($tries++ < 2) { + // make connnection + if (!$this->connect($timeout, $response_timeout)) { + return false; + } - $this->tryagain = true; - $tries = 0; - while ($this->tryagain) { - $this->tryagain = false; - if ($tries++ < 2) { - // make connnection - if (!$this->connect($timeout, $response_timeout)){ - return false; - } + // send request + if (!$this->sendRequest($data, $cookies)) { + return false; + } - // send request - if (!$this->sendRequest($data, $cookies)){ - return false; - } - - // get response - $respdata = $this->getResponse(); - } else { - $this->setError("Too many tries to get an OK response ($this->response_status_line)"); - } - } - $this->debug('end of send()'); - return $respdata; - } + // get response + $respdata = $this->getResponse(); + } else { + $this->setError("Too many tries to get an OK response ($this->response_status_line)"); + } + } + $this->debug('end of send()'); + return $respdata; + } - /** - * sends the SOAP request and gets the SOAP response via HTTPS using CURL - * - * @param string $data message data - * @param integer $timeout set connection timeout in seconds - * @param integer $response_timeout set response timeout in seconds - * @param array $cookies cookies to send - * @return string data - * @access public - * @deprecated - */ - function sendHTTPS($data, $timeout=0, $response_timeout=30, $cookies) { - return $this->send($data, $timeout, $response_timeout, $cookies); - } + /** + * sends the SOAP request and gets the SOAP response via HTTPS using CURL + * + * @param string $data message data + * @param integer $timeout set connection timeout in seconds + * @param integer $response_timeout set response timeout in seconds + * @param array $cookies cookies to send + * @return string data + * @access public + */ + function sendHTTPS($data, $timeout = 0, $response_timeout = 30, $cookies = NULL) + { + return $this->send($data, $timeout, $response_timeout, $cookies); + } - /** - * if authenticating, set user credentials here - * - * @param string $username - * @param string $password - * @param string $authtype (basic|digest|certificate|ntlm) - * @param array $digestRequest (keys must be nonce, nc, realm, qop) - * @param array $certRequest (keys must be cainfofile (optional), sslcertfile, sslkeyfile, passphrase, certpassword (optional), verifypeer (optional), verifyhost (optional): see corresponding options in cURL docs) - * @access public - */ - function setCredentials($username, $password, $authtype = 'basic', $digestRequest = array(), $certRequest = array()) { - $this->debug("setCredentials username=$username authtype=$authtype digestRequest="); - $this->appendDebug($this->varDump($digestRequest)); - $this->debug("certRequest="); - $this->appendDebug($this->varDump($certRequest)); - // cf. RFC 2617 - if ($authtype == 'basic') { - $this->setHeader('Authorization', 'Basic '.base64_encode(str_replace(':','',$username).':'.$password)); - } elseif ($authtype == 'digest') { - if (isset($digestRequest['nonce'])) { - $digestRequest['nc'] = isset($digestRequest['nc']) ? $digestRequest['nc']++ : 1; + /** + * if authenticating, set user credentials here + * + * @param string $username + * @param string $password + * @param string $authtype (basic|digest|certificate|ntlm) + * @param array $digestRequest (keys must be nonce, nc, realm, qop) + * @param array $certRequest (keys must be cainfofile (optional), sslcertfile, sslkeyfile, passphrase, certpassword (optional), verifypeer (optional), verifyhost (optional): see corresponding options in cURL docs) + * @access public + */ + function setCredentials($username, $password, $authtype = 'basic', $digestRequest = array(), $certRequest = array()) + { + $this->debug("setCredentials username=$username authtype=$authtype digestRequest="); + $this->appendDebug($this->varDump($digestRequest)); + $this->debug("certRequest="); + $this->appendDebug($this->varDump($certRequest)); + // cf. RFC 2617 + if ($authtype == 'basic') { + $this->setHeader('Authorization', 'Basic ' . base64_encode(str_replace(':', '', $username) . ':' . $password)); + } elseif ($authtype == 'digest') { + if (isset($digestRequest['nonce'])) { + $digestRequest['nc'] = isset($digestRequest['nc']) ? $digestRequest['nc']++ : 1; - // calculate the Digest hashes (calculate code based on digest implementation found at: http://www.rassoc.com/gregr/weblog/stories/2002/07/09/webServicesSecurityHttpDigestAuthenticationWithoutActiveDirectory.html) + // calculate the Digest hashes (calculate code based on digest implementation found at: http://www.rassoc.com/gregr/weblog/stories/2002/07/09/webServicesSecurityHttpDigestAuthenticationWithoutActiveDirectory.html) - // A1 = unq(username-value) ":" unq(realm-value) ":" passwd - $A1 = $username. ':' . (isset($digestRequest['realm']) ? $digestRequest['realm'] : '') . ':' . $password; + // A1 = unq(username-value) ":" unq(realm-value) ":" passwd + $A1 = $username . ':' . (isset($digestRequest['realm']) ? $digestRequest['realm'] : '') . ':' . $password; - // H(A1) = MD5(A1) - $HA1 = md5($A1); + // H(A1) = MD5(A1) + $HA1 = md5($A1); - // A2 = Method ":" digest-uri-value - $A2 = $this->request_method . ':' . $this->digest_uri; + // A2 = Method ":" digest-uri-value + $A2 = $this->request_method . ':' . $this->digest_uri; - // H(A2) - $HA2 = md5($A2); + // H(A2) + $HA2 = md5($A2); - // KD(secret, data) = H(concat(secret, ":", data)) - // if qop == auth: - // request-digest = <"> < KD ( H(A1), unq(nonce-value) - // ":" nc-value - // ":" unq(cnonce-value) - // ":" unq(qop-value) - // ":" H(A2) - // ) <"> - // if qop is missing, - // request-digest = <"> < KD ( H(A1), unq(nonce-value) ":" H(A2) ) > <"> + // KD(secret, data) = H(concat(secret, ":", data)) + // if qop == auth: + // request-digest = <"> < KD ( H(A1), unq(nonce-value) + // ":" nc-value + // ":" unq(cnonce-value) + // ":" unq(qop-value) + // ":" H(A2) + // ) <"> + // if qop is missing, + // request-digest = <"> < KD ( H(A1), unq(nonce-value) ":" H(A2) ) > <"> - $unhashedDigest = ''; - $nonce = isset($digestRequest['nonce']) ? $digestRequest['nonce'] : ''; - $cnonce = $nonce; - if ($digestRequest['qop'] != '') { - $unhashedDigest = $HA1 . ':' . $nonce . ':' . sprintf("%08d", $digestRequest['nc']) . ':' . $cnonce . ':' . $digestRequest['qop'] . ':' . $HA2; - } else { - $unhashedDigest = $HA1 . ':' . $nonce . ':' . $HA2; - } + $nonce = $digestRequest['nonce']; + $cnonce = $nonce; + if ($digestRequest['qop'] != '') { + $unhashedDigest = $HA1 . ':' . $nonce . ':' . sprintf("%08d", $digestRequest['nc']) . ':' . $cnonce . ':' . $digestRequest['qop'] . ':' . $HA2; + } else { + $unhashedDigest = $HA1 . ':' . $nonce . ':' . $HA2; + } - $hashedDigest = md5($unhashedDigest); + $hashedDigest = md5($unhashedDigest); - $opaque = ''; - if (isset($digestRequest['opaque'])) { - $opaque = ', opaque="' . $digestRequest['opaque'] . '"'; - } + $opaque = ''; + if (isset($digestRequest['opaque'])) { + $opaque = ', opaque="' . $digestRequest['opaque'] . '"'; + } - $this->setHeader('Authorization', 'Digest username="' . $username . '", realm="' . $digestRequest['realm'] . '", nonce="' . $nonce . '", uri="' . $this->digest_uri . $opaque . '", cnonce="' . $cnonce . '", nc=' . sprintf("%08x", $digestRequest['nc']) . ', qop="' . $digestRequest['qop'] . '", response="' . $hashedDigest . '"'); - } - } elseif ($authtype == 'certificate') { - $this->certRequest = $certRequest; - $this->debug('Authorization header not set for certificate'); - } elseif ($authtype == 'ntlm') { - // do nothing - $this->debug('Authorization header not set for ntlm'); - } - $this->username = $username; - $this->password = $password; - $this->authtype = $authtype; - $this->digestRequest = $digestRequest; - } + $this->setHeader('Authorization', 'Digest username="' . $username . '", realm="' . $digestRequest['realm'] . '", nonce="' . $nonce . '", uri="' . $this->digest_uri . $opaque . '", cnonce="' . $cnonce . '", nc=' . sprintf("%08x", $digestRequest['nc']) . ', qop="' . $digestRequest['qop'] . '", response="' . $hashedDigest . '"'); + } + } elseif ($authtype == 'certificate') { + $this->certRequest = $certRequest; + $this->debug('Authorization header not set for certificate'); + } elseif ($authtype == 'ntlm') { + // do nothing + $this->debug('Authorization header not set for ntlm'); + } + $this->username = $username; + $this->password = $password; + $this->authtype = $authtype; + $this->digestRequest = $digestRequest; + } - /** - * set the soapaction value - * - * @param string $soapaction - * @access public - */ - function setSOAPAction($soapaction) { - $this->setHeader('SOAPAction', '"' . $soapaction . '"'); - } + /** + * set the soapaction value + * + * @param string $soapaction + * @access public + */ + function setSOAPAction($soapaction) + { + $this->setHeader('SOAPAction', '"' . $soapaction . '"'); + } - /** - * use http encoding - * - * @param string $enc encoding style. supported values: gzip, deflate, or both - * @access public - */ - function setEncoding($enc='gzip, deflate') { - if (function_exists('gzdeflate')) { - $this->protocol_version = '1.1'; - $this->setHeader('Accept-Encoding', $enc); - if (!isset($this->outgoing_headers['Connection'])) { - $this->setHeader('Connection', 'close'); - $this->persistentConnection = false; - } - // deprecated as of PHP 5.3.0 - //set_magic_quotes_runtime(0); - $this->encoding = $enc; - } - } + /** + * use http encoding + * + * @param string $enc encoding style. supported values: gzip, deflate, or both + * @access public + */ + function setEncoding($enc = 'gzip, deflate') + { + if (function_exists('gzdeflate')) { + $this->protocol_version = '1.1'; + $this->setHeader('Accept-Encoding', $enc); + if (!isset($this->outgoing_headers['Connection'])) { + $this->setHeader('Connection', 'close'); + $this->persistentConnection = false; + } + // deprecated as of PHP 5.3.0 + //set_magic_quotes_runtime(0); + $this->encoding = $enc; + } + } - /** - * set proxy info here - * - * @param string $proxyhost use an empty string to remove proxy - * @param string $proxyport - * @param string $proxyusername - * @param string $proxypassword - * @param string $proxyauthtype (basic|ntlm) - * @access public - */ - function setProxy($proxyhost, $proxyport, $proxyusername = '', $proxypassword = '', $proxyauthtype = 'basic') { - if ($proxyhost) { - $this->proxy = array( - 'host' => $proxyhost, - 'port' => $proxyport, - 'username' => $proxyusername, - 'password' => $proxypassword, - 'authtype' => $proxyauthtype - ); - if ($proxyusername != '' && $proxypassword != '' && $proxyauthtype = 'basic') { - $this->setHeader('Proxy-Authorization', ' Basic '.base64_encode($proxyusername.':'.$proxypassword)); - } - } else { - $this->debug('remove proxy'); - $proxy = null; - unsetHeader('Proxy-Authorization'); - } - } + /** + * set proxy info here + * + * @param string $proxyhost use an empty string to remove proxy + * @param string $proxyport + * @param string $proxyusername + * @param string $proxypassword + * @param string $proxyauthtype (basic|ntlm) + * @access public + */ + function setProxy($proxyhost, $proxyport, $proxyusername = '', $proxypassword = '', $proxyauthtype = 'basic') + { + if ($proxyhost) { + $this->proxy = array( + 'host' => $proxyhost, + 'port' => $proxyport, + 'username' => $proxyusername, + 'password' => $proxypassword, + 'authtype' => $proxyauthtype + ); + if ($proxyusername != '' && $proxypassword != '' && $proxyauthtype == 'basic') { + $this->setHeader('Proxy-Authorization', ' Basic ' . base64_encode($proxyusername . ':' . $proxypassword)); + } + } else { + $this->debug('remove proxy'); + $this->unsetHeader('Proxy-Authorization'); + } + } - /** - * Test if the given string starts with a header that is to be skipped. - * Skippable headers result from chunked transfer and proxy requests. - * - * @param string $data The string to check. - * @returns boolean Whether a skippable header was found. - * @access private - */ - function isSkippableCurlHeader(&$data) { - $skipHeaders = array( 'HTTP/1.1 100', - 'HTTP/1.0 301', - 'HTTP/1.1 301', - 'HTTP/1.0 302', - 'HTTP/1.1 302', - 'HTTP/1.0 401', - 'HTTP/1.1 401', - 'HTTP/1.0 200 Connection established'); - foreach ($skipHeaders as $hd) { - $prefix = substr($data, 0, strlen($hd)); - if ($prefix == $hd) return true; - } + /** + * Test if the given string starts with a header that is to be skipped. + * Skippable headers result from chunked transfer and proxy requests. + * + * @param string $data The string to check. + * @returns boolean Whether a skippable header was found. + * @access private + */ + function isSkippableCurlHeader($data) + { + $skipHeaders = array('HTTP/1.1 100', + 'HTTP/1.0 301', + 'HTTP/1.1 301', + 'HTTP/1.0 302', + 'HTTP/1.1 302', + 'HTTP/1.0 401', + 'HTTP/1.1 401', + 'HTTP/1.0 200 Connection established', + 'HTTP/1.1 200 Connection established'); + foreach ($skipHeaders as $hd) { + $prefix = substr($data, 0, strlen($hd)); + if ($prefix == $hd) { + return true; + } + } - return false; - } + return false; + } - /** - * decode a string that is encoded w/ "chunked' transfer encoding - * as defined in RFC2068 19.4.6 - * - * @param string $buffer - * @param string $lb - * @returns string - * @access public - * @deprecated - */ - function decodeChunked($buffer, $lb){ - // length := 0 - $length = 0; - $new = ''; + /** + * decode a string that is encoded w/ "chunked' transfer encoding + * as defined in RFC2068 19.4.6 + * + * @param string $buffer + * @param string $lb + * @returns string + * @access public + * @deprecated + */ + function decodeChunked($buffer, $lb) + { + $new = ''; - // read chunk-size, chunk-extension (if any) and CRLF - // get the position of the linebreak - $chunkend = strpos($buffer, $lb); - if ($chunkend == FALSE) { - $this->debug('no linebreak found in decodeChunked'); - return $new; - } - $temp = substr($buffer,0,$chunkend); - $chunk_size = hexdec( trim($temp) ); - $chunkstart = $chunkend + strlen($lb); - // while (chunk-size > 0) { - while ($chunk_size > 0) { - $this->debug("chunkstart: $chunkstart chunk_size: $chunk_size"); - $chunkend = strpos( $buffer, $lb, $chunkstart + $chunk_size); + // read chunk-size, chunk-extension (if any) and CRLF + // get the position of the linebreak + $chunkend = strpos($buffer, $lb); + if (!$chunkend) { + $this->debug('no linebreak found in decodeChunked'); + return $new; + } + $temp = substr($buffer, 0, $chunkend); + $chunk_size = hexdec(trim($temp)); + $chunkstart = $chunkend + strlen($lb); + // while (chunk-size > 0) { + while ($chunk_size > 0) { + $this->debug("chunkstart: $chunkstart chunk_size: $chunk_size"); + $chunkend = strpos($buffer, $lb, $chunkstart + $chunk_size); - // Just in case we got a broken connection - if ($chunkend == FALSE) { - $chunk = substr($buffer,$chunkstart); - // append chunk-data to entity-body - $new .= $chunk; - $length += strlen($chunk); - break; - } + // Just in case we got a broken connection + if (!$chunkend) { + $chunk = substr($buffer, $chunkstart); + // append chunk-data to entity-body + $new .= $chunk; + break; + } - // read chunk-data and CRLF - $chunk = substr($buffer,$chunkstart,$chunkend-$chunkstart); - // append chunk-data to entity-body - $new .= $chunk; - // length := length + chunk-size - $length += strlen($chunk); - // read chunk-size and CRLF - $chunkstart = $chunkend + strlen($lb); + // read chunk-data and CRLF + $chunk = substr($buffer, $chunkstart, $chunkend - $chunkstart); + // append chunk-data to entity-body + $new .= $chunk; + // length := length + chunk-size + // read chunk-size and CRLF + $chunkstart = $chunkend + strlen($lb); - $chunkend = strpos($buffer, $lb, $chunkstart) + strlen($lb); - if ($chunkend == FALSE) { - break; //Just in case we got a broken connection - } - $temp = substr($buffer,$chunkstart,$chunkend-$chunkstart); - $chunk_size = hexdec( trim($temp) ); - $chunkstart = $chunkend; - } - return $new; - } + $chunkend = strpos($buffer, $lb, $chunkstart) + strlen($lb); + if (!$chunkend) { + break; //Just in case we got a broken connection + } + $temp = substr($buffer, $chunkstart, $chunkend - $chunkstart); + $chunk_size = hexdec(trim($temp)); + $chunkstart = $chunkend; + } + return $new; + } - /** - * Writes the payload, including HTTP headers, to $this->outgoing_payload. - * - * @param string $data HTTP body - * @param string $cookie_str data for HTTP Cookie header - * @return void - * @access private - */ - function buildPayload($data, $cookie_str = '') { - // Note: for cURL connections, $this->outgoing_payload is ignored, - // as is the Content-Length header, but these are still created as - // debugging guides. + /** + * Writes the payload, including HTTP headers, to $this->outgoing_payload. + * + * @param string $data HTTP body + * @param string $cookie_str data for HTTP Cookie header + * @return void + * @access private + */ + function buildPayload($data, $cookie_str = '') + { + // Note: for cURL connections, $this->outgoing_payload is ignored, + // as is the Content-Length header, but these are still created as + // debugging guides. - // add content-length header - if ($this->request_method != 'GET') { - $this->setHeader('Content-Length', strlen($data)); - } + // add content-length header + if ($this->request_method != 'GET') { + $this->setHeader('Content-Length', strlen($data)); + } - // start building outgoing payload: - if ($this->proxy) { - $uri = $this->url; - } else { - $uri = $this->uri; - } - $req = "$this->request_method $uri HTTP/$this->protocol_version"; - $this->debug("HTTP request: $req"); - $this->outgoing_payload = "$req\r\n"; + // start building outgoing payload: + if ($this->proxy) { + $uri = $this->url; + } else { + $uri = $this->uri; + } + $req = "$this->request_method $uri HTTP/$this->protocol_version"; + $this->debug("HTTP request: $req"); + $this->outgoing_payload = "$req\r\n"; - // loop thru headers, serializing - foreach($this->outgoing_headers as $k => $v){ - $hdr = $k.': '.$v; - $this->debug("HTTP header: $hdr"); - $this->outgoing_payload .= "$hdr\r\n"; - } + // loop thru headers, serializing + foreach ($this->outgoing_headers as $k => $v) { + $hdr = $k . ': ' . $v; + $this->debug("HTTP header: $hdr"); + $this->outgoing_payload .= "$hdr\r\n"; + } - // add any cookies - if ($cookie_str != '') { - $hdr = 'Cookie: '.$cookie_str; - $this->debug("HTTP header: $hdr"); - $this->outgoing_payload .= "$hdr\r\n"; - } + // add any cookies + if ($cookie_str != '') { + $hdr = 'Cookie: ' . $cookie_str; + $this->debug("HTTP header: $hdr"); + $this->outgoing_payload .= "$hdr\r\n"; + } - // header/body separator - $this->outgoing_payload .= "\r\n"; + // header/body separator + $this->outgoing_payload .= "\r\n"; - // add data - $this->outgoing_payload .= $data; - } + // add data + $this->outgoing_payload .= $data; + } - /** - * sends the SOAP request via HTTP[S] - * - * @param string $data message data - * @param array $cookies cookies to send - * @return boolean true if OK, false if problem - * @access private - */ - function sendRequest($data, $cookies = NULL) { - // build cookie string - $cookie_str = $this->getCookiesForRequest($cookies, (($this->scheme == 'ssl') || ($this->scheme == 'https'))); + /** + * sends the SOAP request via HTTP[S] + * + * @param string $data message data + * @param array $cookies cookies to send + * @return boolean true if OK, false if problem + * @access private + */ + function sendRequest($data, $cookies = null) + { + // build cookie string + $cookie_str = $this->getCookiesForRequest($cookies, (($this->scheme == 'ssl') || ($this->scheme == 'https'))); - // build payload - $this->buildPayload($data, $cookie_str); + // build payload + $this->buildPayload($data, $cookie_str); - if ($this->io_method() == 'socket') { - // send payload - if(!fputs($this->fp, $this->outgoing_payload, strlen($this->outgoing_payload))) { - $this->setError('couldn\'t write message data to socket'); - $this->debug('couldn\'t write message data to socket'); - return false; - } - $this->debug('wrote data to socket, length = ' . strlen($this->outgoing_payload)); - return true; - } else if ($this->io_method() == 'curl') { - // set payload - // cURL does say this should only be the verb, and in fact it - // turns out that the URI and HTTP version are appended to this, which - // some servers refuse to work with (so we no longer use this method!) - //$this->setCurlOption(CURLOPT_CUSTOMREQUEST, $this->outgoing_payload); - $curl_headers = array(); - foreach($this->outgoing_headers as $k => $v){ - if ($k == 'Connection' || $k == 'Content-Length' || $k == 'Host' || $k == 'Authorization' || $k == 'Proxy-Authorization') { - $this->debug("Skip cURL header $k: $v"); - } else { - $curl_headers[] = "$k: $v"; - } - } - if ($cookie_str != '') { - $curl_headers[] = 'Cookie: ' . $cookie_str; - } - $this->setCurlOption(CURLOPT_HTTPHEADER, $curl_headers); - $this->debug('set cURL HTTP headers'); - if ($this->request_method == "POST") { - $this->setCurlOption(CURLOPT_POST, 1); - $this->setCurlOption(CURLOPT_POSTFIELDS, $data); - $this->debug('set cURL POST data'); - } else { - } - // insert custom user-set cURL options - foreach ($this->ch_options as $key => $val) { - $this->setCurlOption($key, $val); - } + if ($this->io_method() == 'socket') { + // send payload + if (!fputs($this->fp, $this->outgoing_payload, strlen($this->outgoing_payload))) { + $this->setError('couldn\'t write message data to socket'); + $this->debug('couldn\'t write message data to socket'); + return false; + } + $this->debug('wrote data to socket, length = ' . strlen($this->outgoing_payload)); + return true; + } elseif ($this->io_method() == 'curl') { + // set payload + // cURL does say this should only be the verb, and in fact it + // turns out that the URI and HTTP version are appended to this, which + // some servers refuse to work with (so we no longer use this method!) + //$this->setCurlOption(CURLOPT_CUSTOMREQUEST, $this->outgoing_payload); + $curl_headers = array(); + foreach ($this->outgoing_headers as $k => $v) { + if ($k == 'Connection' || $k == 'Content-Length' || $k == 'Host' || $k == 'Authorization' || $k == 'Proxy-Authorization') { + $this->debug("Skip cURL header $k: $v"); + } else { + $curl_headers[] = "$k: $v"; + } + } + if ($cookie_str != '') { + $curl_headers[] = 'Cookie: ' . $cookie_str; + } + $this->setCurlOption(CURLOPT_HTTPHEADER, $curl_headers); + $this->debug('set cURL HTTP headers'); + if ($this->request_method == "POST") { + $this->setCurlOption(CURLOPT_POST, 1); + $this->setCurlOption(CURLOPT_POSTFIELDS, $data); + $this->debug('set cURL POST data'); + } + // insert custom user-set cURL options + foreach ($this->ch_options as $key => $val) { + $this->setCurlOption($key, $val); + } - $this->debug('set cURL payload'); - return true; - } - } + $this->debug('set cURL payload'); + return true; + } + return false; + } - /** - * gets the SOAP response via HTTP[S] - * - * @return string the response (also sets member variables like incoming_payload) - * @access private - */ - function getResponse(){ - $this->incoming_payload = ''; + /** + * gets the SOAP response via HTTP[S] + * + * @return string the response (also sets member variables like incoming_payload) + * @access private + */ + function getResponse() + { + $this->incoming_payload = ''; + $header_array = array (); + $data = ''; - if ($this->io_method() == 'socket') { - // loop until headers have been retrieved - $data = ''; - while (!isset($lb)){ + if ($this->io_method() == 'socket') { + // loop until headers have been retrieved + $pos = 0; + while (!isset($lb)) { + // We might EOF during header read. + if (feof($this->fp)) { + $this->incoming_payload = $data; + $this->debug('found no headers before EOF after length ' . strlen($data)); + $this->debug("received before EOF:\n" . $data); + $this->setError('server failed to send headers'); + return false; + } - // We might EOF during header read. - if(feof($this->fp)) { - $this->incoming_payload = $data; - $this->debug('found no headers before EOF after length ' . strlen($data)); - $this->debug("received before EOF:\n" . $data); - $this->setError('server failed to send headers'); - return false; - } + $tmp = fgets($this->fp, 256); + $tmplen = strlen($tmp); + $this->debug("read line of $tmplen bytes: " . trim($tmp)); - $tmp = fgets($this->fp, 256); - $tmplen = strlen($tmp); - $this->debug("read line of $tmplen bytes: " . trim($tmp)); + if ($tmplen == 0) { + $this->incoming_payload = $data; + $this->debug('socket read of headers timed out after length ' . strlen($data)); + $this->debug("read before timeout: " . $data); + $this->setError('socket read of headers timed out'); + return false; + } - if ($tmplen == 0) { - $this->incoming_payload = $data; - $this->debug('socket read of headers timed out after length ' . strlen($data)); - $this->debug("read before timeout: " . $data); - $this->setError('socket read of headers timed out'); - return false; - } + $data .= $tmp; + $pos = strpos($data, "\r\n\r\n"); + if ($pos > 1) { + $lb = "\r\n"; + } else { + $pos = strpos($data, "\n\n"); + if ($pos > 1) { + $lb = "\n"; + } + } + // remove 100 headers + if (isset($lb) && preg_match('/^HTTP\/1.1 100/', $data)) { + unset($lb); + $data = ''; + }// + } + // store header data + $this->incoming_payload .= $data; + $this->debug('found end of headers after length ' . strlen($data)); + // process headers + $header_data = trim(substr($data, 0, $pos)); + $header_array = explode($lb, $header_data); + $this->incoming_headers = array(); + $this->incoming_cookies = array(); + foreach ($header_array as $header_line) { + $arr = explode(':', $header_line, 2); + if (count($arr) > 1) { + $header_name = strtolower(trim($arr[0])); + $this->incoming_headers[$header_name] = trim($arr[1]); + if ($header_name == 'set-cookie') { + // TODO: allow multiple cookies from parseCookie + $cookie = $this->parseCookie(trim($arr[1])); + if ($cookie) { + $this->incoming_cookies[] = $cookie; + $this->debug('found cookie: ' . $cookie['name'] . ' = ' . $cookie['value']); + } else { + $this->debug('did not find cookie in ' . trim($arr[1])); + } + } + } elseif (isset($header_name)) { + // append continuation line to previous header + $this->incoming_headers[$header_name] .= $lb . ' ' . $header_line; + } + } - $data .= $tmp; - $pos = strpos($data,"\r\n\r\n"); - if($pos > 1){ - $lb = "\r\n"; - } else { - $pos = strpos($data,"\n\n"); - if($pos > 1){ - $lb = "\n"; - } - } - // remove 100 headers - if (isset($lb) && preg_match('/^HTTP\/1.1 100/',$data)) { - unset($lb); - $data = ''; - }// - } - // store header data - $this->incoming_payload .= $data; - $this->debug('found end of headers after length ' . strlen($data)); - // process headers - $header_data = trim(substr($data,0,$pos)); - $header_array = explode($lb,$header_data); - $this->incoming_headers = array(); - $this->incoming_cookies = array(); - foreach($header_array as $header_line){ - $arr = explode(':',$header_line, 2); - if(count($arr) > 1){ - $header_name = strtolower(trim($arr[0])); - $this->incoming_headers[$header_name] = trim($arr[1]); - if ($header_name == 'set-cookie') { - // TODO: allow multiple cookies from parseCookie - $cookie = $this->parseCookie(trim($arr[1])); - if ($cookie) { - $this->incoming_cookies[] = $cookie; - $this->debug('found cookie: ' . $cookie['name'] . ' = ' . $cookie['value']); - } else { - $this->debug('did not find cookie in ' . trim($arr[1])); - } - } - } else if (isset($header_name)) { - // append continuation line to previous header - $this->incoming_headers[$header_name] .= $lb . ' ' . $header_line; - } - } + // loop until msg has been received + if (isset($this->incoming_headers['transfer-encoding']) && strtolower($this->incoming_headers['transfer-encoding']) == 'chunked') { + $content_length = 2147483647; // ignore any content-length header + $chunked = true; + $this->debug("want to read chunked content"); + } elseif (isset($this->incoming_headers['content-length'])) { + $content_length = $this->incoming_headers['content-length']; + $chunked = false; + $this->debug("want to read content of length $content_length"); + } else { + $content_length = 2147483647; + $chunked = false; + $this->debug("want to read content to EOF"); + } + $data = ''; + do { + if ($chunked) { + $tmp = fgets($this->fp, 256); + $tmplen = strlen($tmp); + $this->debug("read chunk line of $tmplen bytes"); + if ($tmplen == 0) { + $this->incoming_payload = $data; + $this->debug('socket read of chunk length timed out after length ' . strlen($data)); + $this->debug("read before timeout:\n" . $data); + $this->setError('socket read of chunk length timed out'); + return false; + } + $content_length = hexdec(trim($tmp)); + $this->debug("chunk length $content_length"); + } + $strlen = 0; + while (($strlen < $content_length) && (!feof($this->fp))) { + $readlen = min(8192, $content_length - $strlen); + $tmp = fread($this->fp, $readlen); + $tmplen = strlen($tmp); + $this->debug("read buffer of $tmplen bytes"); + if (($tmplen == 0) && (!feof($this->fp))) { + $this->incoming_payload = $data; + $this->debug('socket read of body timed out after length ' . strlen($data)); + $this->debug("read before timeout:\n" . $data); + $this->setError('socket read of body timed out'); + return false; + } + $strlen += $tmplen; + $data .= $tmp; + } + if ($chunked && ($content_length > 0)) { + $tmp = fgets($this->fp, 256); + $tmplen = strlen($tmp); + $this->debug("read chunk terminator of $tmplen bytes"); + if ($tmplen == 0) { + $this->incoming_payload = $data; + $this->debug('socket read of chunk terminator timed out after length ' . strlen($data)); + $this->debug("read before timeout:\n" . $data); + $this->setError('socket read of chunk terminator timed out'); + return false; + } + } + } while ($chunked && ($content_length > 0) && (!feof($this->fp))); + if (feof($this->fp)) { + $this->debug('read to EOF'); + } + $this->debug('read body of length ' . strlen($data)); + $this->incoming_payload .= $data; + $this->debug('received a total of ' . strlen($this->incoming_payload) . ' bytes of data from server'); - // loop until msg has been received - if (isset($this->incoming_headers['transfer-encoding']) && strtolower($this->incoming_headers['transfer-encoding']) == 'chunked') { - $content_length = 2147483647; // ignore any content-length header - $chunked = true; - $this->debug("want to read chunked content"); - } elseif (isset($this->incoming_headers['content-length'])) { - $content_length = $this->incoming_headers['content-length']; - $chunked = false; - $this->debug("want to read content of length $content_length"); - } else { - $content_length = 2147483647; - $chunked = false; - $this->debug("want to read content to EOF"); - } - $data = ''; - do { - if ($chunked) { - $tmp = fgets($this->fp, 256); - $tmplen = strlen($tmp); - $this->debug("read chunk line of $tmplen bytes"); - if ($tmplen == 0) { - $this->incoming_payload = $data; - $this->debug('socket read of chunk length timed out after length ' . strlen($data)); - $this->debug("read before timeout:\n" . $data); - $this->setError('socket read of chunk length timed out'); - return false; - } - $content_length = hexdec(trim($tmp)); - $this->debug("chunk length $content_length"); - } - $strlen = 0; - while (($strlen < $content_length) && (!feof($this->fp))) { - $readlen = min(8192, $content_length - $strlen); - $tmp = fread($this->fp, $readlen); - $tmplen = strlen($tmp); - $this->debug("read buffer of $tmplen bytes"); - if (($tmplen == 0) && (!feof($this->fp))) { - $this->incoming_payload = $data; - $this->debug('socket read of body timed out after length ' . strlen($data)); - $this->debug("read before timeout:\n" . $data); - $this->setError('socket read of body timed out'); - return false; - } - $strlen += $tmplen; - $data .= $tmp; - } - if ($chunked && ($content_length > 0)) { - $tmp = fgets($this->fp, 256); - $tmplen = strlen($tmp); - $this->debug("read chunk terminator of $tmplen bytes"); - if ($tmplen == 0) { - $this->incoming_payload = $data; - $this->debug('socket read of chunk terminator timed out after length ' . strlen($data)); - $this->debug("read before timeout:\n" . $data); - $this->setError('socket read of chunk terminator timed out'); - return false; - } - } - } while ($chunked && ($content_length > 0) && (!feof($this->fp))); - if (feof($this->fp)) { - $this->debug('read to EOF'); - } - $this->debug('read body of length ' . strlen($data)); - $this->incoming_payload .= $data; - $this->debug('received a total of '.strlen($this->incoming_payload).' bytes of data from server'); + // close filepointer + if ( + (isset($this->incoming_headers['connection']) && strtolower($this->incoming_headers['connection']) == 'close') || + (!$this->persistentConnection) || feof($this->fp) + ) { + fclose($this->fp); + $this->fp = false; + $this->debug('closed socket'); + } - // close filepointer - if( - (isset($this->incoming_headers['connection']) && strtolower($this->incoming_headers['connection']) == 'close') || - (! $this->persistentConnection) || feof($this->fp)){ - fclose($this->fp); - $this->fp = false; - $this->debug('closed socket'); - } + // connection was closed unexpectedly + if ($this->incoming_payload == '') { + $this->setError('no response from server'); + return false; + } - // connection was closed unexpectedly - if($this->incoming_payload == ''){ - $this->setError('no response from server'); - return false; - } - - // decode transfer-encoding + // decode transfer-encoding // if(isset($this->incoming_headers['transfer-encoding']) && strtolower($this->incoming_headers['transfer-encoding']) == 'chunked'){ // if(!$data = $this->decodeChunked($data, $lb)){ // $this->setError('Decoding of chunked data failed'); // return false; // } - //print "
      \nde-chunked:\n---------------\n$data\n\n---------------\n
      "; - // set decoded payload + //print "
      \nde-chunked:\n---------------\n$data\n\n---------------\n
      "; + // set decoded payload // $this->incoming_payload = $header_data.$lb.$lb.$data; // } - } else if ($this->io_method() == 'curl') { - // send and receive - $this->debug('send and receive with cURL'); - $this->incoming_payload = curl_exec($this->ch); - $data = $this->incoming_payload; + } elseif ($this->io_method() == 'curl') { + // send and receive + $this->debug('send and receive with cURL'); + $this->incoming_payload = curl_exec($this->ch); + $data = $this->incoming_payload; - $cErr = curl_error($this->ch); - if ($cErr != '') { - $err = 'cURL ERROR: '.curl_errno($this->ch).': '.$cErr.'
      '; - // TODO: there is a PHP bug that can cause this to SEGV for CURLINFO_CONTENT_TYPE - foreach(curl_getinfo($this->ch) as $k => $v){ - $err .= "$k: $v
      "; - } - $this->debug($err); - $this->setError($err); - curl_close($this->ch); - return false; - } else { - //echo '
      ';
      -			//var_dump(curl_getinfo($this->ch));
      -			//echo '
      '; - } - // close curl - $this->debug('No cURL error, closing cURL'); - curl_close($this->ch); + $cErr = curl_error($this->ch); + if ($cErr != '') { + $err = 'cURL ERROR: ' . curl_errno($this->ch) . ': ' . $cErr . '
      '; + // TODO: there is a PHP bug that can cause this to SEGV for CURLINFO_CONTENT_TYPE + foreach (curl_getinfo($this->ch) as $k => $v) { + if (is_array($v)) { + $this->debug("$k: " . json_encode($v)); + } else { + $this->debug("$k: $v
      "); + } + } + $this->debug($err); + $this->setError($err); + curl_close($this->ch); + return false; + } + // close curl + $this->debug('No cURL error, closing cURL'); + curl_close($this->ch); - // try removing skippable headers - $savedata = $data; - while ($this->isSkippableCurlHeader($data)) { - $this->debug("Found HTTP header to skip"); - if ($pos = strpos($data,"\r\n\r\n")) { - $data = ltrim(substr($data,$pos)); - } elseif($pos = strpos($data,"\n\n") ) { - $data = ltrim(substr($data,$pos)); - } - } + // try removing skippable headers + $savedata = $data; + while ($this->isSkippableCurlHeader($data)) { + $this->debug("Found HTTP header to skip"); + if ($pos = strpos($data, "\r\n\r\n")) { + $data = ltrim(substr($data, $pos)); + } elseif ($pos = strpos($data, "\n\n")) { + $data = ltrim(substr($data, $pos)); + } + } - if ($data == '') { - // have nothing left; just remove 100 header(s) - $data = $savedata; - while (preg_match('/^HTTP\/1.1 100/',$data)) { - if ($pos = strpos($data,"\r\n\r\n")) { - $data = ltrim(substr($data,$pos)); - } elseif($pos = strpos($data,"\n\n") ) { - $data = ltrim(substr($data,$pos)); - } - } - } + if ($data == '') { + // have nothing left; just remove 100 header(s) + $data = $savedata; + while (preg_match('/^HTTP\/1.1 100/', $data)) { + if ($pos = strpos($data, "\r\n\r\n")) { + $data = ltrim(substr($data, $pos)); + } elseif ($pos = strpos($data, "\n\n")) { + $data = ltrim(substr($data, $pos)); + } + } + } - // separate content from HTTP headers - if ($pos = strpos($data,"\r\n\r\n")) { - $lb = "\r\n"; - } elseif( $pos = strpos($data,"\n\n")) { - $lb = "\n"; - } else { - $this->debug('no proper separation of headers and document'); - $this->setError('no proper separation of headers and document'); - return false; - } - $header_data = trim(substr($data,0,$pos)); - $header_array = explode($lb,$header_data); - $data = ltrim(substr($data,$pos)); - $this->debug('found proper separation of headers and document'); - $this->debug('cleaned data, stringlen: '.strlen($data)); - // clean headers - foreach ($header_array as $header_line) { - $arr = explode(':',$header_line,2); - if(count($arr) > 1){ - $header_name = strtolower(trim($arr[0])); - $this->incoming_headers[$header_name] = trim($arr[1]); - if ($header_name == 'set-cookie') { - // TODO: allow multiple cookies from parseCookie - $cookie = $this->parseCookie(trim($arr[1])); - if ($cookie) { - $this->incoming_cookies[] = $cookie; - $this->debug('found cookie: ' . $cookie['name'] . ' = ' . $cookie['value']); - } else { - $this->debug('did not find cookie in ' . trim($arr[1])); - } - } - } else if (isset($header_name)) { - // append continuation line to previous header - $this->incoming_headers[$header_name] .= $lb . ' ' . $header_line; - } - } - } + // separate content from HTTP headers + if ($pos = strpos($data, "\r\n\r\n")) { + $lb = "\r\n"; + } elseif ($pos = strpos($data, "\n\n")) { + $lb = "\n"; + } else { + $this->debug('no proper separation of headers and document'); + $this->setError('no proper separation of headers and document'); + return false; + } + $header_data = trim(substr($data, 0, $pos)); + $header_array = explode($lb, $header_data); + $data = ltrim(substr($data, $pos)); + $this->debug('found proper separation of headers and document'); + $this->debug('cleaned data, stringlen: ' . strlen($data)); + // clean headers + foreach ($header_array as $header_line) { + $arr = explode(':', $header_line, 2); + if (count($arr) > 1) { + $header_name = strtolower(trim($arr[0])); + $this->incoming_headers[$header_name] = trim($arr[1]); + if ($header_name == 'set-cookie') { + // TODO: allow multiple cookies from parseCookie + $cookie = $this->parseCookie(trim($arr[1])); + if ($cookie) { + $this->incoming_cookies[] = $cookie; + $this->debug('found cookie: ' . $cookie['name'] . ' = ' . $cookie['value']); + } else { + $this->debug('did not find cookie in ' . trim($arr[1])); + } + } + } elseif (isset($header_name)) { + // append continuation line to previous header + $this->incoming_headers[$header_name] .= $lb . ' ' . $header_line; + } + } + } - $this->response_status_line = $header_array[0]; - $arr = explode(' ', $this->response_status_line, 3); - $http_version = $arr[0]; - $http_status = intval($arr[1]); - $http_reason = count($arr) > 2 ? $arr[2] : ''; + $this->response_status_line = $header_array[0]; + $arr = explode(' ', $this->response_status_line, 3); + $http_status = intval($arr[1]); + $http_reason = count($arr) > 2 ? $arr[2] : ''; - // see if we need to resend the request with http digest authentication - if (isset($this->incoming_headers['location']) && ($http_status == 301 || $http_status == 302)) { - $this->debug("Got $http_status $http_reason with Location: " . $this->incoming_headers['location']); - $this->setURL($this->incoming_headers['location']); - $this->tryagain = true; - return false; - } + // see if we need to resend the request with http digest authentication + if (isset($this->incoming_headers['location']) && ($http_status == 301 || $http_status == 302)) { + $this->debug("Got $http_status $http_reason with Location: " . $this->incoming_headers['location']); + $this->setURL($this->incoming_headers['location']); + $this->tryagain = true; + return false; + } - // see if we need to resend the request with http digest authentication - if (isset($this->incoming_headers['www-authenticate']) && $http_status == 401) { - $this->debug("Got 401 $http_reason with WWW-Authenticate: " . $this->incoming_headers['www-authenticate']); - if (strstr($this->incoming_headers['www-authenticate'], "Digest ")) { - $this->debug('Server wants digest authentication'); - // remove "Digest " from our elements - $digestString = str_replace('Digest ', '', $this->incoming_headers['www-authenticate']); + // see if we need to resend the request with http digest authentication + if (isset($this->incoming_headers['www-authenticate']) && $http_status == 401) { + $this->debug("Got 401 $http_reason with WWW-Authenticate: " . $this->incoming_headers['www-authenticate']); + if (strstr($this->incoming_headers['www-authenticate'], "Digest ")) { + $this->debug('Server wants digest authentication'); + // remove "Digest " from our elements + $digestString = str_replace('Digest ', '', $this->incoming_headers['www-authenticate']); - // parse elements into array - $digestElements = explode(',', $digestString); - foreach ($digestElements as $val) { - $tempElement = explode('=', trim($val), 2); - $digestRequest[$tempElement[0]] = str_replace("\"", '', $tempElement[1]); - } + // parse elements into array + $digestElements = explode(',', $digestString); + foreach ($digestElements as $val) { + $tempElement = explode('=', trim($val), 2); + $digestRequest[$tempElement[0]] = str_replace("\"", '', $tempElement[1]); + } - // should have (at least) qop, realm, nonce - if (isset($digestRequest['nonce'])) { - $this->setCredentials($this->username, $this->password, 'digest', $digestRequest); - $this->tryagain = true; - return false; - } - } - $this->debug('HTTP authentication failed'); - $this->setError('HTTP authentication failed'); - return false; - } + // should have (at least) qop, realm, nonce + if (isset($digestRequest['nonce'])) { + $this->setCredentials($this->username, $this->password, 'digest', $digestRequest); + $this->tryagain = true; + return false; + } + } + $this->debug('HTTP authentication failed'); + $this->setError('HTTP authentication failed'); + return false; + } - if ( - ($http_status >= 300 && $http_status <= 307) || - ($http_status >= 400 && $http_status <= 417) || - ($http_status >= 501 && $http_status <= 505) - ) { - $this->setError("Unsupported HTTP response status $http_status $http_reason (soapclient->response has contents of the response)"); - return false; - } + if ( + ($http_status >= 300 && $http_status <= 307) || + ($http_status >= 400 && $http_status <= 417) || + ($http_status >= 501 && $http_status <= 505) + ) { + $this->setError("Unsupported HTTP response status $http_status $http_reason (soapclient->response has contents of the response)"); + return false; + } - // decode content-encoding - if(isset($this->incoming_headers['content-encoding']) && $this->incoming_headers['content-encoding'] != ''){ - if(strtolower($this->incoming_headers['content-encoding']) == 'deflate' || strtolower($this->incoming_headers['content-encoding']) == 'gzip'){ - // if decoding works, use it. else assume data wasn't gzencoded - if(function_exists('gzinflate')){ - //$timer->setMarker('starting decoding of gzip/deflated content'); - // IIS 5 requires gzinflate instead of gzuncompress (similar to IE 5 and gzdeflate v. gzcompress) - // this means there are no Zlib headers, although there should be - $this->debug('The gzinflate function exists'); - $datalen = strlen($data); - if ($this->incoming_headers['content-encoding'] == 'deflate') { - if ($degzdata = @gzinflate($data)) { - $data = $degzdata; - $this->debug('The payload has been inflated to ' . strlen($data) . ' bytes'); - if (strlen($data) < $datalen) { - // test for the case that the payload has been compressed twice - $this->debug('The inflated payload is smaller than the gzipped one; try again'); - if ($degzdata = @gzinflate($data)) { - $data = $degzdata; - $this->debug('The payload has been inflated again to ' . strlen($data) . ' bytes'); - } - } - } else { - $this->debug('Error using gzinflate to inflate the payload'); - $this->setError('Error using gzinflate to inflate the payload'); - } - } elseif ($this->incoming_headers['content-encoding'] == 'gzip') { - if ($degzdata = @gzinflate(substr($data, 10))) { // do our best - $data = $degzdata; - $this->debug('The payload has been un-gzipped to ' . strlen($data) . ' bytes'); - if (strlen($data) < $datalen) { - // test for the case that the payload has been compressed twice - $this->debug('The un-gzipped payload is smaller than the gzipped one; try again'); - if ($degzdata = @gzinflate(substr($data, 10))) { - $data = $degzdata; - $this->debug('The payload has been un-gzipped again to ' . strlen($data) . ' bytes'); - } - } - } else { - $this->debug('Error using gzinflate to un-gzip the payload'); - $this->setError('Error using gzinflate to un-gzip the payload'); - } - } - //$timer->setMarker('finished decoding of gzip/deflated content'); - //print "\nde-inflated:\n---------------\n$data\n-------------\n"; - // set decoded payload - $this->incoming_payload = $header_data.$lb.$lb.$data; - } else { - $this->debug('The server sent compressed data. Your php install must have the Zlib extension compiled in to support this.'); - $this->setError('The server sent compressed data. Your php install must have the Zlib extension compiled in to support this.'); - } - } else { - $this->debug('Unsupported Content-Encoding ' . $this->incoming_headers['content-encoding']); - $this->setError('Unsupported Content-Encoding ' . $this->incoming_headers['content-encoding']); - } - } else { - $this->debug('No Content-Encoding header'); - } + // decode content-encoding + if (isset($this->incoming_headers['content-encoding']) && $this->incoming_headers['content-encoding'] != '') { + if (strtolower($this->incoming_headers['content-encoding']) == 'deflate' || strtolower($this->incoming_headers['content-encoding']) == 'gzip') { + $header_data = ""; + // if decoding works, use it. else assume data wasn't gzencoded + if (function_exists('gzinflate')) { + //$timer->setMarker('starting decoding of gzip/deflated content'); + // IIS 5 requires gzinflate instead of gzuncompress (similar to IE 5 and gzdeflate v. gzcompress) + // this means there are no Zlib headers, although there should be + $this->debug('The gzinflate function exists'); + $datalen = strlen($data); + if ($this->incoming_headers['content-encoding'] == 'deflate') { + if ($degzdata = @gzinflate($data)) { + $data = $degzdata; + $this->debug('The payload has been inflated to ' . strlen($data) . ' bytes'); + if (strlen($data) < $datalen) { + // test for the case that the payload has been compressed twice + $this->debug('The inflated payload is smaller than the gzipped one; try again'); + if ($degzdata = @gzinflate($data)) { + $data = $degzdata; + $this->debug('The payload has been inflated again to ' . strlen($data) . ' bytes'); + } + } + } else { + $this->debug('Error using gzinflate to inflate the payload'); + $this->setError('Error using gzinflate to inflate the payload'); + } + } elseif ($this->incoming_headers['content-encoding'] == 'gzip') { + if ($degzdata = @gzinflate(substr($data, 10))) { // do our best + $data = $degzdata; + $this->debug('The payload has been un-gzipped to ' . strlen($data) . ' bytes'); + if (strlen($data) < $datalen) { + // test for the case that the payload has been compressed twice + $this->debug('The un-gzipped payload is smaller than the gzipped one; try again'); + if ($degzdata = @gzinflate(substr($data, 10))) { + $data = $degzdata; + $this->debug('The payload has been un-gzipped again to ' . strlen($data) . ' bytes'); + } + } + } else { + $this->debug('Error using gzinflate to un-gzip the payload'); + $this->setError('Error using gzinflate to un-gzip the payload'); + } + } + //$timer->setMarker('finished decoding of gzip/deflated content'); + //print "\nde-inflated:\n---------------\n$data\n-------------\n"; + // set decoded payload + $this->incoming_payload = $header_data . (isset ($lb) ? $lb : "") . (isset ($lb) ? $lb : "") . $data; + } else { + $this->debug('The server sent compressed data. Your php install must have the Zlib extension compiled in to support this.'); + $this->setError('The server sent compressed data. Your php install must have the Zlib extension compiled in to support this.'); + } + } else { + $this->debug('Unsupported Content-Encoding ' . $this->incoming_headers['content-encoding']); + $this->setError('Unsupported Content-Encoding ' . $this->incoming_headers['content-encoding']); + } + } else { + $this->debug('No Content-Encoding header'); + } - if(strlen($data) == 0){ - $this->debug('no data after headers!'); - $this->setError('no data present after HTTP headers'); - return false; - } + if (strlen($data) == 0) { + $this->debug('no data after headers!'); + $this->setError('no data present after HTTP headers'); + return false; + } - return $data; - } + return $data; + } - /** - * sets the content-type for the SOAP message to be sent - * - * @param string $type the content type, MIME style - * @param mixed $charset character set used for encoding (or false) - * @access public - */ - function setContentType($type, $charset = false) { - $this->setHeader('Content-Type', $type . ($charset ? '; charset=' . $charset : '')); - } + /** + * sets the content-type for the SOAP message to be sent + * + * @param string $type the content type, MIME style + * @param mixed $charset character set used for encoding (or false) + * @access public + */ + function setContentType($type, $charset = false) + { + $this->setHeader('Content-Type', $type . ($charset ? '; charset=' . $charset : '')); + } - /** - * specifies that an HTTP persistent connection should be used - * - * @return boolean whether the request was honored by this method. - * @access public - */ - function usePersistentConnection(){ - if (isset($this->outgoing_headers['Accept-Encoding'])) { - return false; - } - $this->protocol_version = '1.1'; - $this->persistentConnection = true; - $this->setHeader('Connection', 'Keep-Alive'); - return true; - } + /** + * specifies that an HTTP persistent connection should be used + * + * @return boolean whether the request was honored by this method. + * @access public + */ + function usePersistentConnection() + { + if (isset($this->outgoing_headers['Accept-Encoding'])) { + return false; + } + $this->protocol_version = '1.1'; + $this->persistentConnection = true; + $this->setHeader('Connection', 'Keep-Alive'); + return true; + } - /** - * parse an incoming Cookie into it's parts - * - * @param string $cookie_str content of cookie - * @return array with data of that cookie - * @access private - */ - /* + /** + * parse an incoming Cookie into it's parts + * + * @param string $cookie_str content of cookie + * @return array with data of that cookie + * @access private + */ + /* * TODO: allow a Set-Cookie string to be parsed into multiple cookies */ - function parseCookie($cookie_str) { - $cookie_str = str_replace('; ', ';', $cookie_str) . ';'; - $data = preg_split('/;/', $cookie_str); - $value_str = $data[0]; + function parseCookie($cookie_str) + { + $cookie_str = str_replace('; ', ';', $cookie_str) . ';'; + $data = explode (';', $cookie_str); + $value_str = $data[0]; - $cookie_param = 'domain='; - $start = strpos($cookie_str, $cookie_param); - if ($start > 0) { - $domain = substr($cookie_str, $start + strlen($cookie_param)); - $domain = substr($domain, 0, strpos($domain, ';')); - } else { - $domain = ''; - } + $cookie_param = 'domain='; + $start = strpos($cookie_str, $cookie_param); + if ($start > 0) { + $domain = substr($cookie_str, $start + strlen($cookie_param)); + $domain = substr($domain, 0, strpos($domain, ';')); + } else { + $domain = ''; + } - $cookie_param = 'expires='; - $start = strpos($cookie_str, $cookie_param); - if ($start > 0) { - $expires = substr($cookie_str, $start + strlen($cookie_param)); - $expires = substr($expires, 0, strpos($expires, ';')); - } else { - $expires = ''; - } + $cookie_param = 'expires='; + $start = strpos($cookie_str, $cookie_param); + if ($start > 0) { + $expires = substr($cookie_str, $start + strlen($cookie_param)); + $expires = substr($expires, 0, strpos($expires, ';')); + } else { + $expires = ''; + } - $cookie_param = 'path='; - $start = strpos($cookie_str, $cookie_param); - if ( $start > 0 ) { - $path = substr($cookie_str, $start + strlen($cookie_param)); - $path = substr($path, 0, strpos($path, ';')); - } else { - $path = '/'; - } + $cookie_param = 'path='; + $start = strpos($cookie_str, $cookie_param); + if ($start > 0) { + $path = substr($cookie_str, $start + strlen($cookie_param)); + $path = substr($path, 0, strpos($path, ';')); + } else { + $path = '/'; + } - $cookie_param = ';secure;'; - if (strpos($cookie_str, $cookie_param) !== FALSE) { - $secure = true; - } else { - $secure = false; - } + $cookie_param = ';secure;'; + if (strpos($cookie_str, $cookie_param) !== false) { + $secure = true; + } else { + $secure = false; + } - $sep_pos = strpos($value_str, '='); + $sep_pos = strpos($value_str, '='); - if ($sep_pos) { - $name = substr($value_str, 0, $sep_pos); - $value = substr($value_str, $sep_pos + 1); - $cookie= array( 'name' => $name, - 'value' => $value, - 'domain' => $domain, - 'path' => $path, - 'expires' => $expires, - 'secure' => $secure - ); - return $cookie; - } - return false; - } + if ($sep_pos) { + $name = substr($value_str, 0, $sep_pos); + $value = substr($value_str, $sep_pos + 1); - /** - * sort out cookies for the current request - * - * @param array $cookies array with all cookies - * @param boolean $secure is the send-content secure or not? - * @return string for Cookie-HTTP-Header - * @access private - */ - function getCookiesForRequest($cookies, $secure=false) { - $cookie_str = ''; - if ((! is_null($cookies)) && (is_array($cookies))) { - foreach ($cookies as $cookie) { - if (! is_array($cookie)) { - continue; - } - $this->debug("check cookie for validity: ".$cookie['name'].'='.$cookie['value']); - if ((isset($cookie['expires'])) && (! empty($cookie['expires']))) { - if (strtotime($cookie['expires']) <= time()) { - $this->debug('cookie has expired'); - continue; - } - } - if ((isset($cookie['domain'])) && (! empty($cookie['domain']))) { - $domain = preg_quote($cookie['domain']); - if (! preg_match("'.*$domain$'i", $this->host)) { - $this->debug('cookie has different domain'); - continue; - } - } - if ((isset($cookie['path'])) && (! empty($cookie['path']))) { - $path = preg_quote($cookie['path']); - if (! preg_match("'^$path.*'i", $this->path)) { - $this->debug('cookie is for a different path'); - continue; - } - } - if ((! $secure) && (isset($cookie['secure'])) && ($cookie['secure'])) { - $this->debug('cookie is secure, transport is not'); - continue; - } - $cookie_str .= $cookie['name'] . '=' . $cookie['value'] . '; '; - $this->debug('add cookie to Cookie-String: ' . $cookie['name'] . '=' . $cookie['value']); - } - } - return $cookie_str; - } + return array('name' => $name, + 'value' => $value, + 'domain' => $domain, + 'path' => $path, + 'expires' => $expires, + 'secure' => $secure + ); + } + return array (); + } + + /** + * sort out cookies for the current request + * + * @param array $cookies array with all cookies + * @param boolean $secure is the send-content secure or not? + * @return string for Cookie-HTTP-Header + * @access private + */ + function getCookiesForRequest($cookies, $secure = false) + { + $cookie_str = ''; + if ((is_array($cookies))) { + foreach ($cookies as $cookie) { + if (!is_array($cookie)) { + continue; + } + $this->debug("check cookie for validity: " . $cookie['name'] . '=' . $cookie['value']); + if ((isset($cookie['expires'])) && (!empty($cookie['expires']))) { + if (strtotime($cookie['expires']) <= time()) { + $this->debug('cookie has expired'); + continue; + } + } + if ((isset($cookie['domain'])) && (!empty($cookie['domain']))) { + $domain = preg_quote($cookie['domain'], "'"); + if (!preg_match("'.*$domain$'i", $this->host)) { + $this->debug('cookie has different domain'); + continue; + } + } + if ((isset($cookie['path'])) && (!empty($cookie['path']))) { + $path = preg_quote($cookie['path'], "'"); + if (!preg_match("'^$path.*'i", $this->path)) { + $this->debug('cookie is for a different path'); + continue; + } + } + if ((!$secure) && (isset($cookie['secure'])) && ($cookie['secure'])) { + $this->debug('cookie is secure, transport is not'); + continue; + } + $cookie_str .= $cookie['name'] . '=' . $cookie['value'] . '; '; + $this->debug('add cookie to Cookie-String: ' . $cookie['name'] . '=' . $cookie['value']); + } + } + return $cookie_str; + } } -?> -* @author Scott Nichol -* @access public -*/ -class nusoap_server extends nusoap_base { - /** - * HTTP headers of request - * @var array - * @access private - */ - var $headers = array(); - /** - * HTTP request - * @var string - * @access private - */ - var $request = ''; - /** - * SOAP headers from request (incomplete namespace resolution; special characters not escaped) (text) - * @var string - * @access public - */ - var $requestHeaders = ''; - /** - * SOAP Headers from request (parsed) - * @var mixed - * @access public - */ - var $requestHeader = NULL; - /** - * SOAP body request portion (incomplete namespace resolution; special characters not escaped) (text) - * @var string - * @access public - */ - var $document = ''; - /** - * SOAP payload for request (text) - * @var string - * @access public - */ - var $requestSOAP = ''; - /** - * requested method namespace URI - * @var string - * @access private - */ - var $methodURI = ''; - /** - * name of method requested - * @var string - * @access private - */ - var $methodname = ''; - /** - * method parameters from request - * @var array - * @access private - */ - var $methodparams = array(); - /** - * SOAP Action from request - * @var string - * @access private - */ - var $SOAPAction = ''; - /** - * character set encoding of incoming (request) messages - * @var string - * @access public - */ - var $xml_encoding = ''; - /** - * toggles whether the parser decodes element content w/ utf8_decode() - * @var boolean - * @access public - */ + * + * nusoap_server allows the user to create a SOAP server + * that is capable of receiving messages and returning responses + * + * @author Dietrich Ayala + * @author Scott Nichol + * @version $Id: nusoap.php,v 1.123 2010/04/26 20:15:08 snichol Exp $ + * @access public + */ +class nusoap_server extends nusoap_base +{ + /** + * HTTP headers of request + * + * @var array + * @access private + */ + var $headers = array(); + /** + * HTTP request + * + * @var string + * @access private + */ + var $request = ''; + /** + * SOAP headers from request (incomplete namespace resolution; special characters not escaped) (text) + * + * @var string + * @access public + */ + var $requestHeaders = ''; + /** + * SOAP Headers from request (parsed) + * + * @var mixed + * @access public + */ + var $requestHeader = null; + /** + * SOAP body request portion (incomplete namespace resolution; special characters not escaped) (text) + * + * @var string + * @access public + */ + var $document = ''; + /** + * SOAP payload for request (text) + * + * @var string + * @access public + */ + var $requestSOAP = ''; + /** + * requested method namespace URI + * + * @var string + * @access private + */ + var $methodURI = ''; + /** + * name of method requested + * + * @var string + * @access private + */ + var $methodname = ''; + /** + * name of the response tag name + * + * @var string + * @access private + */ + var $responseTagName = ''; + /** + * method parameters from request + * + * @var array + * @access private + */ + var $methodparams = array(); + /** + * SOAP Action from request + * + * @var string + * @access private + */ + var $SOAPAction = ''; + /** + * character set encoding of incoming (request) messages + * + * @var string + * @access public + */ + var $xml_encoding = ''; + /** + * toggles whether the parser decodes element content w/ utf8_decode() + * + * @var boolean + * @access public + */ var $decode_utf8 = true; - /** - * HTTP headers of response - * @var array - * @access public - */ - var $outgoing_headers = array(); - /** - * HTTP response - * @var string - * @access private - */ - var $response = ''; - /** - * SOAP headers for response (text or array of soapval or associative array) - * @var mixed - * @access public - */ - var $responseHeaders = ''; - /** - * SOAP payload for response (text) - * @var string - * @access private - */ - var $responseSOAP = ''; - /** - * method return value to place in response - * @var mixed - * @access private - */ - var $methodreturn = false; - /** - * whether $methodreturn is a string of literal XML - * @var boolean - * @access public - */ - var $methodreturnisliteralxml = false; - /** - * SOAP fault for response (or false) - * @var mixed - * @access private - */ - var $fault = false; - /** - * text indication of result (for debugging) - * @var string - * @access private - */ - var $result = 'successful'; - - /** - * assoc array of operations => opData; operations are added by the register() - * method or by parsing an external WSDL definition - * @var array - * @access private - */ - var $operations = array(); - /** - * wsdl instance (if one) - * @var mixed - * @access private - */ - var $wsdl = false; - /** - * URL for WSDL (if one) - * @var mixed - * @access private - */ - var $externalWSDLURL = false; - /** - * whether to append debug to response as XML comment - * @var boolean - * @access public - */ - var $debug_flag = false; - - - /** - * constructor - * the optional parameter is a path to a WSDL file that you'd like to bind the server instance to. - * - * @param mixed $wsdl file path or URL (string), or wsdl instance (object) - * @access public - */ - function __construct($wsdl=false) { - parent::__construct(); - // turn on debugging? - global $debug; - global $HTTP_SERVER_VARS; - - if (isset($_SERVER)) { - $this->debug("_SERVER is defined:"); - $this->appendDebug($this->varDump($_SERVER)); - } elseif (isset($HTTP_SERVER_VARS)) { - $this->debug("HTTP_SERVER_VARS is defined:"); - $this->appendDebug($this->varDump($HTTP_SERVER_VARS)); - } else { - $this->debug("Neither _SERVER nor HTTP_SERVER_VARS is defined."); - } - - if (isset($debug)) { - $this->debug("In nusoap_server, set debug_flag=$debug based on global flag"); - $this->debug_flag = $debug; - } elseif (isset($_SERVER['QUERY_STRING'])) { - $qs = explode('&', $_SERVER['QUERY_STRING']); - foreach ($qs as $v) { - if (substr($v, 0, 6) == 'debug=') { - $this->debug("In nusoap_server, set debug_flag=" . substr($v, 6) . " based on query string #1"); - $this->debug_flag = substr($v, 6); - } - } - } elseif (isset($HTTP_SERVER_VARS['QUERY_STRING'])) { - $qs = explode('&', $HTTP_SERVER_VARS['QUERY_STRING']); - foreach ($qs as $v) { - if (substr($v, 0, 6) == 'debug=') { - $this->debug("In nusoap_server, set debug_flag=" . substr($v, 6) . " based on query string #2"); - $this->debug_flag = substr($v, 6); - } - } - } - - // wsdl - if($wsdl){ - $this->debug("In nusoap_server, WSDL is specified"); - if (is_object($wsdl) && (get_class($wsdl) == 'wsdl')) { - $this->wsdl = $wsdl; - $this->externalWSDLURL = $this->wsdl->wsdl; - $this->debug('Use existing wsdl instance from ' . $this->externalWSDLURL); - } else { - $this->debug('Create wsdl from ' . $wsdl); - $this->wsdl = new wsdl($wsdl); - $this->externalWSDLURL = $wsdl; - } - $this->appendDebug($this->wsdl->getDebug()); - $this->wsdl->clearDebug(); - if($err = $this->wsdl->getError()){ - die('WSDL ERROR: '.$err); - } - } - } - - /** - * processes request and returns response - * - * @param string $data usually is the value of $HTTP_RAW_POST_DATA - * @access public - */ - function service($data){ - global $HTTP_SERVER_VARS; - - if (isset($_SERVER['REQUEST_METHOD'])) { - $rm = $_SERVER['REQUEST_METHOD']; - } elseif (isset($HTTP_SERVER_VARS['REQUEST_METHOD'])) { - $rm = $HTTP_SERVER_VARS['REQUEST_METHOD']; - } else { - $rm = ''; - } - - if (isset($_SERVER['QUERY_STRING'])) { - $qs = $_SERVER['QUERY_STRING']; - } elseif (isset($HTTP_SERVER_VARS['QUERY_STRING'])) { - $qs = $HTTP_SERVER_VARS['QUERY_STRING']; - } else { - $qs = ''; - } - $this->debug("In service, request method=$rm query string=$qs strlen(\$data)=" . strlen($data)); - - if ($rm == 'POST') { - $this->debug("In service, invoke the request"); - $this->parse_request($data); - if (! $this->fault) { - $this->invoke_method(); - } - if (! $this->fault) { - $this->serialize_return(); - } - $this->send_response(); - } elseif (preg_match('/wsdl/', $qs) ){ - $this->debug("In service, this is a request for WSDL"); - if ($this->externalWSDLURL){ - if (strpos($this->externalWSDLURL, "http://") !== false) { // assume URL - $this->debug("In service, re-direct for WSDL"); - header('Location: '.$this->externalWSDLURL); - } else { // assume file - $this->debug("In service, use file passthru for WSDL"); - header("Content-Type: text/xml\r\n"); - $pos = strpos($this->externalWSDLURL, "file://"); - if ($pos === false) { - $filename = $this->externalWSDLURL; - } else { - $filename = substr($this->externalWSDLURL, $pos + 7); - } - $fp = fopen($this->externalWSDLURL, 'r'); - fpassthru($fp); - } - } elseif ($this->wsdl) { - $this->debug("In service, serialize WSDL"); - header("Content-Type: text/xml; charset=ISO-8859-1\r\n"); - print $this->wsdl->serialize($this->debug_flag); - if ($this->debug_flag) { - $this->debug('wsdl:'); - $this->appendDebug($this->varDump($this->wsdl)); - print $this->getDebugAsXMLComment(); - } - } else { - $this->debug("In service, there is no WSDL"); - header("Content-Type: text/html; charset=ISO-8859-1\r\n"); - print "This service does not provide WSDL"; - } - } elseif ($this->wsdl) { - $this->debug("In service, return Web description"); - print $this->wsdl->webDescription(); - } else { - $this->debug("In service, no Web description"); - header("Content-Type: text/html; charset=ISO-8859-1\r\n"); - print "This service does not provide a Web description"; - } - } - - /** - * parses HTTP request headers. - * - * The following fields are set by this function (when successful) - * - * headers - * request - * xml_encoding - * SOAPAction - * - * @access private - */ - function parse_http_headers() { - global $HTTP_SERVER_VARS; - - $this->request = ''; - $this->SOAPAction = ''; - if(function_exists('getallheaders')){ - $this->debug("In parse_http_headers, use getallheaders"); - $headers = getallheaders(); - foreach($headers as $k=>$v){ - $k = strtolower($k); - $this->headers[$k] = $v; - $this->request .= "$k: $v\r\n"; - $this->debug("$k: $v"); - } - // get SOAPAction header - if(isset($this->headers['soapaction'])){ - $this->SOAPAction = str_replace('"','',$this->headers['soapaction']); - } - // get the character encoding of the incoming request - if(isset($this->headers['content-type']) && strpos($this->headers['content-type'],'=')){ - $enc = str_replace('"','',substr(strstr($this->headers["content-type"],'='),1)); - if(preg_match('/^(ISO-8859-1|US-ASCII|UTF-8)$/i',$enc)){ - $this->xml_encoding = strtoupper($enc); - } else { - $this->xml_encoding = 'US-ASCII'; - } - } else { - // should be US-ASCII for HTTP 1.0 or ISO-8859-1 for HTTP 1.1 - $this->xml_encoding = 'ISO-8859-1'; - } - } elseif(isset($_SERVER) && is_array($_SERVER)){ - $this->debug("In parse_http_headers, use _SERVER"); - foreach ($_SERVER as $k => $v) { - if (substr($k, 0, 5) == 'HTTP_') { - $k = str_replace(' ', '-', strtolower(str_replace('_', ' ', substr($k, 5)))); - } else { - $k = str_replace(' ', '-', strtolower(str_replace('_', ' ', $k))); - } - if ($k == 'soapaction') { - // get SOAPAction header - $k = 'SOAPAction'; - $v = str_replace('"', '', $v); - $v = str_replace('\\', '', $v); - $this->SOAPAction = $v; - } else if ($k == 'content-type') { - // get the character encoding of the incoming request - if (strpos($v, '=')) { - $enc = substr(strstr($v, '='), 1); - $enc = str_replace('"', '', $enc); - $enc = str_replace('\\', '', $enc); - if (preg_match('/^(ISO-8859-1|US-ASCII|UTF-8)$/i',$enc)) { - $this->xml_encoding = strtoupper($enc); - } else { - $this->xml_encoding = 'US-ASCII'; - } - } else { - // should be US-ASCII for HTTP 1.0 or ISO-8859-1 for HTTP 1.1 - $this->xml_encoding = 'ISO-8859-1'; - } - } - $this->headers[$k] = $v; - $this->request .= "$k: $v\r\n"; - $this->debug("$k: $v"); - } - } elseif (is_array($HTTP_SERVER_VARS)) { - $this->debug("In parse_http_headers, use HTTP_SERVER_VARS"); - foreach ($HTTP_SERVER_VARS as $k => $v) { - if (substr($k, 0, 5) == 'HTTP_') { - $k = str_replace(' ', '-', strtolower(str_replace('_', ' ', substr($k, 5)))); $k = strtolower(substr($k, 5)); - } else { - $k = str_replace(' ', '-', strtolower(str_replace('_', ' ', $k))); $k = strtolower($k); - } - if ($k == 'soapaction') { - // get SOAPAction header - $k = 'SOAPAction'; - $v = str_replace('"', '', $v); - $v = str_replace('\\', '', $v); - $this->SOAPAction = $v; - } else if ($k == 'content-type') { - // get the character encoding of the incoming request - if (strpos($v, '=')) { - $enc = substr(strstr($v, '='), 1); - $enc = str_replace('"', '', $enc); - $enc = str_replace('\\', '', $enc); - if (preg_match('/^(ISO-8859-1|US-ASCII|UTF-8)$/i',$enc)) { - $this->xml_encoding = strtoupper($enc); - } else { - $this->xml_encoding = 'US-ASCII'; - } - } else { - // should be US-ASCII for HTTP 1.0 or ISO-8859-1 for HTTP 1.1 - $this->xml_encoding = 'ISO-8859-1'; - } - } - $this->headers[$k] = $v; - $this->request .= "$k: $v\r\n"; - $this->debug("$k: $v"); - } - } else { - $this->debug("In parse_http_headers, HTTP headers not accessible"); - $this->setError("HTTP headers not accessible"); - } - } - - /** - * parses a request - * - * The following fields are set by this function (when successful) - * - * headers - * request - * xml_encoding - * SOAPAction - * request - * requestSOAP - * methodURI - * methodname - * methodparams - * requestHeaders - * document - * - * This sets the fault field on error - * - * @param string $data XML string - * @access private - */ - function parse_request($data='') { - $this->debug('entering parse_request()'); - $this->parse_http_headers(); - $this->debug('got character encoding: '.$this->xml_encoding); - // uncompress if necessary - if (isset($this->headers['content-encoding']) && $this->headers['content-encoding'] != '') { - $this->debug('got content encoding: ' . $this->headers['content-encoding']); - if ($this->headers['content-encoding'] == 'deflate' || $this->headers['content-encoding'] == 'gzip') { - // if decoding works, use it. else assume data wasn't gzencoded - if (function_exists('gzuncompress')) { - if ($this->headers['content-encoding'] == 'deflate' && $degzdata = @gzuncompress($data)) { - $data = $degzdata; - } elseif ($this->headers['content-encoding'] == 'gzip' && $degzdata = gzinflate(substr($data, 10))) { - $data = $degzdata; - } else { - $this->fault('SOAP-ENV:Client', 'Errors occurred when trying to decode the data'); - return; - } - } else { - $this->fault('SOAP-ENV:Client', 'This Server does not support compressed data'); - return; - } - } - } - $this->request .= "\r\n".$data; - $data = $this->parseRequest($this->headers, $data); - $this->requestSOAP = $data; - $this->debug('leaving parse_request'); - } - - /** - * invokes a PHP function for the requested SOAP method - * - * The following fields are set by this function (when successful) - * - * methodreturn - * - * Note that the PHP function that is called may also set the following - * fields to affect the response sent to the client - * - * responseHeaders - * outgoing_headers - * - * This sets the fault field on error - * - * @access private - */ - function invoke_method() { - $this->debug('in invoke_method, methodname=' . $this->methodname . ' methodURI=' . $this->methodURI . ' SOAPAction=' . $this->SOAPAction); - - // - // if you are debugging in this area of the code, your service uses a class to implement methods, - // you use SOAP RPC, and the client is .NET, please be aware of the following... - // when the .NET wsdl.exe utility generates a proxy, it will remove the '.' or '..' from the - // method name. that is fine for naming the .NET methods. it is not fine for properly constructing - // the XML request and reading the XML response. you need to add the RequestElementName and - // ResponseElementName to the System.Web.Services.Protocols.SoapRpcMethodAttribute that wsdl.exe - // generates for the method. these parameters are used to specify the correct XML element names - // for .NET to use, i.e. the names with the '.' in them. - // - $orig_methodname = $this->methodname; - if ($this->wsdl) { - if ($this->opData = $this->wsdl->getOperationData($this->methodname)) { - $this->debug('in invoke_method, found WSDL operation=' . $this->methodname); - $this->appendDebug('opData=' . $this->varDump($this->opData)); - } elseif ($this->opData = $this->wsdl->getOperationDataForSoapAction($this->SOAPAction)) { - // Note: hopefully this case will only be used for doc/lit, since rpc services should have wrapper element - $this->debug('in invoke_method, found WSDL soapAction=' . $this->SOAPAction . ' for operation=' . $this->opData['name']); - $this->appendDebug('opData=' . $this->varDump($this->opData)); - $this->methodname = $this->opData['name']; - } else { - $this->debug('in invoke_method, no WSDL for operation=' . $this->methodname); - $this->fault('SOAP-ENV:Client', "Operation '" . $this->methodname . "' is not defined in the WSDL for this service"); - return; - } - } else { - $this->debug('in invoke_method, no WSDL to validate method'); - } - - // if a . is present in $this->methodname, we see if there is a class in scope, - // which could be referred to. We will also distinguish between two deliminators, - // to allow methods to be called a the class or an instance - if (strpos($this->methodname, '..') > 0) { - $delim = '..'; - } else if (strpos($this->methodname, '.') > 0) { - $delim = '.'; - } else { - $delim = ''; - } - $this->debug("in invoke_method, delim=$delim"); - - $class = ''; - $method = ''; - if (strlen($delim) > 0 && substr_count($this->methodname, $delim) == 1) { - $try_class = substr($this->methodname, 0, strpos($this->methodname, $delim)); - if (class_exists($try_class)) { - // get the class and method name - $class = $try_class; - $method = substr($this->methodname, strpos($this->methodname, $delim) + strlen($delim)); - $this->debug("in invoke_method, class=$class method=$method delim=$delim"); - } else { - $this->debug("in invoke_method, class=$try_class not found"); - } - } else { - $try_class = ''; - $this->debug("in invoke_method, no class to try"); - } - - // does method exist? - if ($class == '') { - if (!function_exists($this->methodname)) { - $this->debug("in invoke_method, function '$this->methodname' not found!"); - $this->result = 'fault: method not found'; - $this->fault('SOAP-ENV:Client',"method '$this->methodname'('$orig_methodname') not defined in service('$try_class' '$delim')"); - return; - } - } else { - $method_to_compare = (substr(phpversion(), 0, 2) == '4.') ? strtolower($method) : $method; - if (!in_array($method_to_compare, get_class_methods($class))) { - $this->debug("in invoke_method, method '$this->methodname' not found in class '$class'!"); - $this->result = 'fault: method not found'; - $this->fault('SOAP-ENV:Client',"method '$this->methodname'/'$method_to_compare'('$orig_methodname') not defined in service/'$class'('$try_class' '$delim')"); - return; - } - } - - // evaluate message, getting back parameters - // verify that request parameters match the method's signature - if(! $this->verify_method($this->methodname,$this->methodparams)){ - // debug - $this->debug('ERROR: request not verified against method signature'); - $this->result = 'fault: request failed validation against method signature'; - // return fault - $this->fault('SOAP-ENV:Client',"Operation '$this->methodname' not defined in service."); - return; - } - - // if there are parameters to pass - $this->debug('in invoke_method, params:'); - $this->appendDebug($this->varDump($this->methodparams)); - $this->debug("in invoke_method, calling '$this->methodname'"); - if (!function_exists('call_user_func_array')) { - if ($class == '') { - $this->debug('in invoke_method, calling function using eval()'); - $funcCall = "\$this->methodreturn = $this->methodname("; - } else { - if ($delim == '..') { - $this->debug('in invoke_method, calling class method using eval()'); - $funcCall = "\$this->methodreturn = ".$class."::".$method."("; - } else { - $this->debug('in invoke_method, calling instance method using eval()'); - // generate unique instance name - $instname = "\$inst_".time(); - $funcCall = $instname." = new ".$class."(); "; - $funcCall .= "\$this->methodreturn = ".$instname."->".$method."("; - } - } - if ($this->methodparams) { - foreach ($this->methodparams as $param) { - if (is_array($param) || is_object($param)) { - $this->fault('SOAP-ENV:Client', 'NuSOAP does not handle complexType parameters correctly when using eval; call_user_func_array must be available'); - return; - } - $funcCall .= "\"$param\","; - } - $funcCall = substr($funcCall, 0, -1); - } - $funcCall .= ');'; - $this->debug('in invoke_method, function call: '.$funcCall); - @eval($funcCall); - } else { - if ($class == '') { - $this->debug('in invoke_method, calling function using call_user_func_array()'); - $call_arg = "$this->methodname"; // straight assignment changes $this->methodname to lower case after call_user_func_array() - } elseif ($delim == '..') { - $this->debug('in invoke_method, calling class method using call_user_func_array()'); - $call_arg = array ($class, $method); - } else { - $this->debug('in invoke_method, calling instance method using call_user_func_array()'); - $instance = new $class (); - $call_arg = array(&$instance, $method); - } - if (is_array($this->methodparams)) { - $this->methodreturn = call_user_func_array($call_arg, array_values($this->methodparams)); - } else { - $this->methodreturn = call_user_func_array($call_arg, array()); - } - } - $this->debug('in invoke_method, methodreturn:'); - $this->appendDebug($this->varDump($this->methodreturn)); - $this->debug("in invoke_method, called method $this->methodname, received data of type ".gettype($this->methodreturn)); - } - - /** - * serializes the return value from a PHP function into a full SOAP Envelope - * - * The following fields are set by this function (when successful) - * - * responseSOAP - * - * This sets the fault field on error - * - * @access private - */ - function serialize_return() { - $this->debug('Entering serialize_return methodname: ' . $this->methodname . ' methodURI: ' . $this->methodURI); - // if fault - if (isset($this->methodreturn) && is_object($this->methodreturn) && ((get_class($this->methodreturn) == 'soap_fault') || (get_class($this->methodreturn) == 'nusoap_fault'))) { - $this->debug('got a fault object from method'); - $this->fault = $this->methodreturn; - return; - } elseif ($this->methodreturnisliteralxml) { - $return_val = $this->methodreturn; - // returned value(s) - } else { - $this->debug('got a(n) '.gettype($this->methodreturn).' from method'); - $this->debug('serializing return value'); - if($this->wsdl){ - if (sizeof($this->opData['output']['parts']) > 1) { - $this->debug('more than one output part, so use the method return unchanged'); - $opParams = $this->methodreturn; - } elseif (sizeof($this->opData['output']['parts']) == 1) { - $this->debug('exactly one output part, so wrap the method return in a simple array'); - // TODO: verify that it is not already wrapped! - //foreach ($this->opData['output']['parts'] as $name => $type) { - // $this->debug('wrap in element named ' . $name); - //} - $opParams = array($this->methodreturn); - } - $return_val = $this->wsdl->serializeRPCParameters($this->methodname,'output',$opParams); - $this->appendDebug($this->wsdl->getDebug()); - $this->wsdl->clearDebug(); - if($errstr = $this->wsdl->getError()){ - $this->debug('got wsdl error: '.$errstr); - $this->fault('SOAP-ENV:Server', 'unable to serialize result'); - return; - } - } else { - if (isset($this->methodreturn)) { - $return_val = $this->serialize_val($this->methodreturn, 'return'); - } else { - $return_val = ''; - $this->debug('in absence of WSDL, assume void return for backward compatibility'); - } - } - } - $this->debug('return value:'); - $this->appendDebug($this->varDump($return_val)); - - $this->debug('serializing response'); - if ($this->wsdl) { - $this->debug('have WSDL for serialization: style is ' . $this->opData['style']); - if ($this->opData['style'] == 'rpc') { - $this->debug('style is rpc for serialization: use is ' . $this->opData['output']['use']); - if ($this->opData['output']['use'] == 'literal') { - // http://www.ws-i.org/Profiles/BasicProfile-1.1-2004-08-24.html R2735 says rpc/literal accessor elements should not be in a namespace - if ($this->methodURI) { - $payload = 'methodname.'Response xmlns:ns1="'.$this->methodURI.'">'.$return_val.'methodname."Response>"; - } else { - $payload = '<'.$this->methodname.'Response>'.$return_val.'methodname.'Response>'; - } - } else { - if ($this->methodURI) { - $payload = 'methodname.'Response xmlns:ns1="'.$this->methodURI.'">'.$return_val.'methodname."Response>"; - } else { - $payload = '<'.$this->methodname.'Response>'.$return_val.'methodname.'Response>'; - } - } - } else { - $this->debug('style is not rpc for serialization: assume document'); - $payload = $return_val; - } - } else { - $this->debug('do not have WSDL for serialization: assume rpc/encoded'); - $payload = 'methodname.'Response xmlns:ns1="'.$this->methodURI.'">'.$return_val.'methodname."Response>"; - } - $this->result = 'successful'; - if($this->wsdl){ - //if($this->debug_flag){ - $this->appendDebug($this->wsdl->getDebug()); - // } - if (isset($this->opData['output']['encodingStyle'])) { - $encodingStyle = $this->opData['output']['encodingStyle']; - } else { - $encodingStyle = ''; - } - // Added: In case we use a WSDL, return a serialized env. WITH the usedNamespaces. - $this->responseSOAP = $this->serializeEnvelope($payload,$this->responseHeaders,$this->wsdl->usedNamespaces,$this->opData['style'],$this->opData['output']['use'],$encodingStyle); - } else { - $this->responseSOAP = $this->serializeEnvelope($payload,$this->responseHeaders); - } - $this->debug("Leaving serialize_return"); - } - - /** - * sends an HTTP response - * - * The following fields are set by this function (when successful) - * - * outgoing_headers - * response - * - * @access private - */ - function send_response() { - $this->debug('Enter send_response'); - if ($this->fault) { - $payload = $this->fault->serialize(); - $this->outgoing_headers[] = "HTTP/1.0 500 Internal Server Error"; - $this->outgoing_headers[] = "Status: 500 Internal Server Error"; - } else { - $payload = $this->responseSOAP; - // Some combinations of PHP+Web server allow the Status - // to come through as a header. Since OK is the default - // just do nothing. - // $this->outgoing_headers[] = "HTTP/1.0 200 OK"; - // $this->outgoing_headers[] = "Status: 200 OK"; - } - // add debug data if in debug mode - if(isset($this->debug_flag) && $this->debug_flag){ - $payload .= $this->getDebugAsXMLComment(); - } - $this->outgoing_headers[] = "Server: $this->title Server v$this->version"; - // @CHANGE Fix for php8 - $rev = array(); - preg_match('/\$Revision: ([^ ]+)/', $this->revision, $rev); - $this->outgoing_headers[] = "X-SOAP-Server: $this->title/$this->version (".(isset($rev[1]) ? $rev[1] : '').")"; - // Let the Web server decide about this - //$this->outgoing_headers[] = "Connection: Close\r\n"; - $payload = $this->getHTTPBody($payload); - $type = $this->getHTTPContentType(); - $charset = $this->getHTTPContentTypeCharset(); - $this->outgoing_headers[] = "Content-Type: $type" . ($charset ? '; charset=' . $charset : ''); - //begin code to compress payload - by John - // NOTE: there is no way to know whether the Web server will also compress - // this data. - if (strlen($payload) > 1024 && isset($this->headers) && isset($this->headers['accept-encoding'])) { - if (strstr($this->headers['accept-encoding'], 'gzip')) { - if (function_exists('gzencode')) { - if (isset($this->debug_flag) && $this->debug_flag) { - $payload .= ""; - } - $this->outgoing_headers[] = "Content-Encoding: gzip"; - $payload = gzencode($payload); - } else { - if (isset($this->debug_flag) && $this->debug_flag) { - $payload .= ""; - } - } - } elseif (strstr($this->headers['accept-encoding'], 'deflate')) { - // Note: MSIE requires gzdeflate output (no Zlib header and checksum), - // instead of gzcompress output, - // which conflicts with HTTP 1.1 spec (http://www.w3.org/Protocols/rfc2616/rfc2616-sec3.html#sec3.5) - if (function_exists('gzdeflate')) { - if (isset($this->debug_flag) && $this->debug_flag) { - $payload .= ""; - } - $this->outgoing_headers[] = "Content-Encoding: deflate"; - $payload = gzdeflate($payload); - } else { - if (isset($this->debug_flag) && $this->debug_flag) { - $payload .= ""; - } - } - } - } - //end code - $this->outgoing_headers[] = "Content-Length: ".strlen($payload); - reset($this->outgoing_headers); - foreach($this->outgoing_headers as $hdr){ - header($hdr, false); - } - print $payload; - $this->response = join("\r\n",$this->outgoing_headers)."\r\n\r\n".$payload; - } - - /** - * takes the value that was created by parsing the request - * and compares to the method's signature, if available. - * - * @param string $operation The operation to be invoked - * @param array $request The array of parameter values - * @return boolean Whether the operation was found - * @access private - */ - function verify_method($operation,$request){ - if(isset($this->wsdl) && is_object($this->wsdl)){ - if($this->wsdl->getOperationData($operation)){ - return true; - } - } elseif(isset($this->operations[$operation])){ - return true; - } - return false; - } - - /** - * processes SOAP message received from client - * - * @param array $headers The HTTP headers - * @param string $data unprocessed request data from client - * @return mixed value of the message, decoded into a PHP type - * @access private - */ - function parseRequest($headers, $data) { - $this->debug('Entering parseRequest() for data of length ' . strlen($data) . ' headers:'); - $this->appendDebug($this->varDump($headers)); - if (!isset($headers['content-type'])) { - $this->setError('Request not of type text/xml (no content-type header)'); - return false; - } - if (!strstr($headers['content-type'], 'text/xml')) { - $this->setError('Request not of type text/xml'); - return false; - } - if (strpos($headers['content-type'], '=')) { - $enc = str_replace('"', '', substr(strstr($headers["content-type"], '='), 1)); - $this->debug('Got response encoding: ' . $enc); - if(preg_match('/^(ISO-8859-1|US-ASCII|UTF-8)$/i',$enc)){ - $this->xml_encoding = strtoupper($enc); - } else { - $this->xml_encoding = 'US-ASCII'; - } - } else { - // should be US-ASCII for HTTP 1.0 or ISO-8859-1 for HTTP 1.1 - $this->xml_encoding = 'ISO-8859-1'; - } - $this->debug('Use encoding: ' . $this->xml_encoding . ' when creating nusoap_parser'); - // parse response, get soap parser obj - $parser = new nusoap_parser($data,$this->xml_encoding,'',$this->decode_utf8); - // parser debug - $this->debug("parser debug: \n".$parser->getDebug()); - // if fault occurred during message parsing - if($err = $parser->getError()){ - $this->result = 'fault: error in msg parsing: '.$err; - $this->fault('SOAP-ENV:Client',"error in msg parsing:\n".$err); - // else successfully parsed request into soapval object - } else { - // get/set methodname - $this->methodURI = $parser->root_struct_namespace; - $this->methodname = $parser->root_struct_name; - $this->debug('methodname: '.$this->methodname.' methodURI: '.$this->methodURI); - $this->debug('calling parser->get_soapbody()'); - $this->methodparams = $parser->get_soapbody(); - // get SOAP headers - $this->requestHeaders = $parser->getHeaders(); - // get SOAP Header - $this->requestHeader = $parser->get_soapheader(); - // add document for doclit support - $this->document = $parser->document; - } - } - - /** - * gets the HTTP body for the current response. - * - * @param string $soapmsg The SOAP payload - * @return string The HTTP body, which includes the SOAP payload - * @access private - */ - function getHTTPBody($soapmsg) { - return $soapmsg; - } - - /** - * gets the HTTP content type for the current response. - * - * Note: getHTTPBody must be called before this. - * - * @return string the HTTP content type for the current response. - * @access private - */ - function getHTTPContentType() { - return 'text/xml'; - } - - /** - * gets the HTTP content type charset for the current response. - * returns false for non-text content types. - * - * Note: getHTTPBody must be called before this. - * - * @return string the HTTP content type charset for the current response. - * @access private - */ - function getHTTPContentTypeCharset() { - return $this->soap_defencoding; - } - - /** - * add a method to the dispatch map (this has been replaced by the register method) - * - * @param string $methodname - * @param string $in array of input values - * @param string $out array of output values - * @access public - * @deprecated - */ - function add_to_map($methodname,$in,$out){ - $this->operations[$methodname] = array('name' => $methodname,'in' => $in,'out' => $out); - } - - /** - * register a service function with the server - * - * @param string $name the name of the PHP function, class.method or class..method - * @param array $in assoc array of input values: key = param name, value = param type - * @param array $out assoc array of output values: key = param name, value = param type - * @param mixed $namespace the element namespace for the method or false - * @param mixed $soapaction the soapaction for the method or false - * @param mixed $style optional (rpc|document) or false Note: when 'document' is specified, parameter and return wrappers are created for you automatically - * @param mixed $use optional (encoded|literal) or false - * @param string $documentation optional Description to include in WSDL - * @param string $encodingStyle optional (usually 'http://schemas.xmlsoap.org/soap/encoding/' for encoded) - * @access public - */ - function register($name,$in=array(),$out=array(),$namespace=false,$soapaction=false,$style=false,$use=false,$documentation='',$encodingStyle=''){ - global $HTTP_SERVER_VARS; - - if($this->externalWSDLURL){ - die('You cannot bind to an external WSDL file, and register methods outside of it! Please choose either WSDL or no WSDL.'); - } - if (! $name) { - die('You must specify a name when you register an operation'); - } - if (!is_array($in)) { - die('You must provide an array for operation inputs'); - } - if (!is_array($out)) { - die('You must provide an array for operation outputs'); - } - if(false == $namespace) { - } - if(false == $soapaction) { - if (isset($_SERVER)) { - $SERVER_NAME = $_SERVER['SERVER_NAME']; - $SCRIPT_NAME = isset($_SERVER['PHP_SELF']) ? $_SERVER['PHP_SELF'] : $_SERVER['SCRIPT_NAME']; - $HTTPS = isset($_SERVER['HTTPS']) ? $_SERVER['HTTPS'] : (isset($HTTP_SERVER_VARS['HTTPS']) ? $HTTP_SERVER_VARS['HTTPS'] : 'off'); - } elseif (isset($HTTP_SERVER_VARS)) { - $SERVER_NAME = $HTTP_SERVER_VARS['SERVER_NAME']; - $SCRIPT_NAME = isset($HTTP_SERVER_VARS['PHP_SELF']) ? $HTTP_SERVER_VARS['PHP_SELF'] : $HTTP_SERVER_VARS['SCRIPT_NAME']; - $HTTPS = isset($HTTP_SERVER_VARS['HTTPS']) ? $HTTP_SERVER_VARS['HTTPS'] : 'off'; - } else { - $this->setError("Neither _SERVER nor HTTP_SERVER_VARS is available"); - } - if ($HTTPS == '1' || $HTTPS == 'on') { - $SCHEME = 'https'; - } else { - $SCHEME = 'http'; - } - $soapaction = "$SCHEME://$SERVER_NAME$SCRIPT_NAME/$name"; - } - if(false == $style) { - $style = "rpc"; - } - if(false == $use) { - $use = "encoded"; - } - if ($use == 'encoded' && $encodingStyle == '') { - $encodingStyle = 'http://schemas.xmlsoap.org/soap/encoding/'; - } - - $this->operations[$name] = array( - 'name' => $name, - 'in' => $in, - 'out' => $out, - 'namespace' => $namespace, - 'soapaction' => $soapaction, - 'style' => $style); - if($this->wsdl){ - $this->wsdl->addOperation($name,$in,$out,$namespace,$soapaction,$style,$use,$documentation,$encodingStyle); - } - return true; - } - - /** - * Specify a fault to be returned to the client. - * This also acts as a flag to the server that a fault has occured. - * - * @param string $faultcode - * @param string $faultstring - * @param string $faultactor - * @param string $faultdetail - * @access public - */ - function fault($faultcode,$faultstring,$faultactor='',$faultdetail=''){ - if ($faultdetail == '' && $this->debug_flag) { - $faultdetail = $this->getDebug(); - } - $this->fault = new nusoap_fault($faultcode,$faultactor,$faultstring,$faultdetail); - $this->fault->soap_defencoding = $this->soap_defencoding; - } + /** + * HTTP headers of response + * + * @var array + * @access public + */ + var $outgoing_headers = array(); + /** + * HTTP response + * + * @var string + * @access private + */ + var $response = ''; + /** + * SOAP headers for response (text or array of soapval or associative array) + * + * @var mixed + * @access public + */ + var $responseHeaders = ''; + /** + * SOAP payload for response (text) + * + * @var string + * @access private + */ + var $responseSOAP = ''; + /** + * SOAP attachments in response + * + * @var string + * @access private + */ + var $attachments= ''; + /** + * method return value to place in response + * + * @var mixed + * @access private + */ + var $methodreturn = false; + /** + * whether $methodreturn is a string of literal XML + * + * @var boolean + * @access public + */ + var $methodreturnisliteralxml = false; + /** + * SOAP fault for response (or false) + * + * @var mixed + * @access private + */ + var $fault = false; + /** + * text indication of result (for debugging) + * + * @var string + * @access private + */ + var $result = 'successful'; /** - * Sets up wsdl object. - * Acts as a flag to enable internal WSDL generation - * - * @param string $serviceName, name of the service - * @param mixed $namespace optional 'tns' service namespace or false - * @param mixed $endpoint optional URL of service endpoint or false - * @param string $style optional (rpc|document) WSDL style (also specified by operation) - * @param string $transport optional SOAP transport - * @param mixed $schemaTargetNamespace optional 'types' targetNamespace for service schema or false - */ - function configureWSDL($serviceName,$namespace = false,$endpoint = false,$style='rpc', $transport = 'http://schemas.xmlsoap.org/soap/http', $schemaTargetNamespace = false) - { - global $HTTP_SERVER_VARS; + * assoc array of operations => opData; operations are added by the register() + * method or by parsing an external WSDL definition + * + * @var array + * @access private + */ + var $operations = array(); + /** + * wsdl instance (if one) + * + * @var mixed + * @access private + */ + var $wsdl = false; + /** + * URL for WSDL (if one) + * + * @var mixed + * @access private + */ + var $externalWSDLURL = false; + /** + * whether to append debug to response as XML comment + * + * @var boolean + * @access public + */ + var $debug_flag = false; - if (isset($_SERVER)) { - $SERVER_NAME = $_SERVER['SERVER_NAME']; - $SERVER_PORT = $_SERVER['SERVER_PORT']; - $SCRIPT_NAME = isset($_SERVER['PHP_SELF']) ? $_SERVER['PHP_SELF'] : $_SERVER['SCRIPT_NAME']; - $HTTPS = isset($_SERVER['HTTPS']) ? $_SERVER['HTTPS'] : (isset($HTTP_SERVER_VARS['HTTPS']) ? $HTTP_SERVER_VARS['HTTPS'] : 'off'); - } elseif (isset($HTTP_SERVER_VARS)) { - $SERVER_NAME = $HTTP_SERVER_VARS['SERVER_NAME']; - $SERVER_PORT = $HTTP_SERVER_VARS['SERVER_PORT']; - $SCRIPT_NAME = isset($HTTP_SERVER_VARS['PHP_SELF']) ? $HTTP_SERVER_VARS['PHP_SELF'] : $HTTP_SERVER_VARS['SCRIPT_NAME']; - $HTTPS = isset($HTTP_SERVER_VARS['HTTPS']) ? $HTTP_SERVER_VARS['HTTPS'] : 'off'; - } else { - $this->setError("Neither _SERVER nor HTTP_SERVER_VARS is available"); - } - // If server name has port number attached then strip it (else port number gets duplicated in WSDL output) (occurred using lighttpd and FastCGI) - $colon = strpos($SERVER_NAME,":"); - if ($colon) { - $SERVER_NAME = substr($SERVER_NAME, 0, $colon); - } - if ($SERVER_PORT == 80) { - $SERVER_PORT = ''; - } else { - $SERVER_PORT = ':' . $SERVER_PORT; - } - if(false == $namespace) { + /** @var array */ + var $opData; + + + /** + * constructor + * the optional parameter is a path to a WSDL file that you'd like to bind the server instance to. + * + * @param mixed $wsdl file path or URL (string), or wsdl instance (object) + * @access public + */ + function __construct($wsdl = false) + { + parent::__construct(); + // turn on debugging? + global $debug; + global $HTTP_SERVER_VARS; + + if (isset($_SERVER)) { + $this->debug("_SERVER is defined:"); + $this->appendDebug($this->varDump($_SERVER)); + } elseif (isset($HTTP_SERVER_VARS)) { + $this->debug("HTTP_SERVER_VARS is defined:"); + $this->appendDebug($this->varDump($HTTP_SERVER_VARS)); + } else { + $this->debug("Neither _SERVER nor HTTP_SERVER_VARS is defined."); + } + + if (isset($debug)) { + $this->debug("In nusoap_server, set debug_flag=$debug based on global flag"); + $this->debug_flag = $debug; + } elseif (isset($_SERVER['QUERY_STRING'])) { + $qs = explode('&', $_SERVER['QUERY_STRING']); + foreach ($qs as $v) { + if (substr($v, 0, 6) == 'debug=') { + $this->debug("In nusoap_server, set debug_flag=" . substr($v, 6) . " based on query string #1"); + $this->debug_flag = substr($v, 6); + } + } + } elseif (isset($HTTP_SERVER_VARS['QUERY_STRING'])) { + $qs = explode('&', $HTTP_SERVER_VARS['QUERY_STRING']); + foreach ($qs as $v) { + if (substr($v, 0, 6) == 'debug=') { + $this->debug("In nusoap_server, set debug_flag=" . substr($v, 6) . " based on query string #2"); + $this->debug_flag = substr($v, 6); + } + } + } + + // wsdl + if ($wsdl) { + $this->debug("In nusoap_server, WSDL is specified"); + if (is_object($wsdl) && (get_class($wsdl) == 'wsdl')) { + $this->wsdl = $wsdl; + $this->externalWSDLURL = $this->wsdl->wsdl; + $this->debug('Use existing wsdl instance from ' . $this->externalWSDLURL); + } else { + $this->debug('Create wsdl from ' . $wsdl); + $this->wsdl = new wsdl($wsdl); + $this->externalWSDLURL = $wsdl; + } + $this->appendDebug($this->wsdl->getDebug()); + $this->wsdl->clearDebug(); + if ($err = $this->wsdl->getError()) { + die('WSDL ERROR: ' . $err); + } + } + } + + /** + * processes request and returns response + * + * @param string $data usually is the value of $HTTP_RAW_POST_DATA + * @access public + */ + function service($data) + { + global $HTTP_SERVER_VARS; + + if (isset($_SERVER['REQUEST_METHOD'])) { + $rm = $_SERVER['REQUEST_METHOD']; + } elseif (isset($HTTP_SERVER_VARS['REQUEST_METHOD'])) { + $rm = $HTTP_SERVER_VARS['REQUEST_METHOD']; + } else { + $rm = ''; + } + + if (isset($_SERVER['QUERY_STRING'])) { + $qs = $_SERVER['QUERY_STRING']; + } elseif (isset($HTTP_SERVER_VARS['QUERY_STRING'])) { + $qs = $HTTP_SERVER_VARS['QUERY_STRING']; + } else { + $qs = ''; + } + $this->debug("In service, request method=$rm query string=$qs strlen(\$data)=" . strlen($data)); + + if ($rm == 'POST') { + $this->debug("In service, invoke the request"); + $this->parse_request($data); + if (!$this->fault) { + $this->invoke_method(); + } + if (!$this->fault) { + $this->serialize_return(); + } + $this->send_response(); + } elseif (preg_match('/wsdl/', $qs)) { + $this->debug("In service, this is a request for WSDL"); + if ($this->externalWSDLURL) { + if (strpos($this->externalWSDLURL, "http://") !== false) { // assume URL + $this->debug("In service, re-direct for WSDL"); + header('Location: ' . $this->externalWSDLURL); + } else { // assume file + $this->debug("In service, use file passthru for WSDL"); + header("Content-Type: text/xml\r\n"); + $fp = fopen($this->externalWSDLURL, 'r'); + fpassthru($fp); + } + } elseif ($this->wsdl) { + $this->debug("In service, serialize WSDL"); + header("Content-Type: text/xml; charset=ISO-8859-1\r\n"); + print $this->wsdl->serialize($this->debug_flag); + if ($this->debug_flag) { + $this->debug('wsdl:'); + $this->appendDebug($this->varDump($this->wsdl)); + print $this->getDebugAsXMLComment(); + } + } else { + $this->debug("In service, there is no WSDL"); + header("Content-Type: text/html; charset=ISO-8859-1\r\n"); + print "This service does not provide WSDL"; + } + } elseif ($this->wsdl) { + $this->debug("In service, return Web description"); + print $this->wsdl->webDescription(); + } else { + $this->debug("In service, no Web description"); + header("Content-Type: text/html; charset=ISO-8859-1\r\n"); + print "This service does not provide a Web description"; + } + } + + /** + * parses HTTP request headers. + * + * The following fields are set by this function (when successful) + * + * headers + * request + * xml_encoding + * SOAPAction + * + * @access private + */ + function parse_http_headers() + { + global $HTTP_SERVER_VARS; + + $this->request = ''; + $this->SOAPAction = ''; + if (function_exists('getallheaders')) { + $this->debug("In parse_http_headers, use getallheaders"); + $headers = getallheaders(); + foreach ($headers as $k => $v) { + $k = strtolower($k); + $this->headers[$k] = $v; + $this->request .= "$k: $v\r\n"; + $this->debug("$k: $v"); + } + // get SOAPAction header + if (isset($this->headers['soapaction'])) { + $this->SOAPAction = str_replace('"', '', $this->headers['soapaction']); + } + // get the character encoding of the incoming request + if (isset($this->headers['content-type']) && strpos($this->headers['content-type'], '=')) { + $enc = str_replace('"', '', substr(strstr($this->headers["content-type"], '='), 1)); + if (preg_match('/^(ISO-8859-1|US-ASCII|UTF-8)$/i', $enc)) { + $this->xml_encoding = strtoupper($enc); + } else { + $this->xml_encoding = 'US-ASCII'; + } + } else { + // should be US-ASCII for HTTP 1.0 or ISO-8859-1 for HTTP 1.1 + $this->xml_encoding = 'ISO-8859-1'; + } + } elseif (isset($_SERVER) && is_array($_SERVER)) { + $this->debug("In parse_http_headers, use _SERVER"); + foreach ($_SERVER as $k => $v) { + if (substr($k, 0, 5) == 'HTTP_') { + $k = str_replace(' ', '-', strtolower(str_replace('_', ' ', substr($k, 5)))); + } else { + $k = str_replace(' ', '-', strtolower(str_replace('_', ' ', $k))); + } + if ($k == 'soapaction') { + // get SOAPAction header + $k = 'SOAPAction'; + $v = str_replace('"', '', $v); + $v = str_replace('\\', '', $v); + $this->SOAPAction = $v; + } elseif ($k == 'content-type') { + // get the character encoding of the incoming request + if (strpos($v, '=')) { + $enc = substr(strstr($v, '='), 1); + $enc = str_replace('"', '', $enc); + $enc = str_replace('\\', '', $enc); + if (preg_match('/^(ISO-8859-1|US-ASCII|UTF-8)$/i', $enc)) { + $this->xml_encoding = strtoupper($enc); + } else { + $this->xml_encoding = 'US-ASCII'; + } + } else { + // should be US-ASCII for HTTP 1.0 or ISO-8859-1 for HTTP 1.1 + $this->xml_encoding = 'ISO-8859-1'; + } + } + $this->headers[$k] = $v; + if (is_array($v)) { + $this->request .= "$k: " . json_encode($v) . "\r\n"; + $this->debug("$k: " . json_encode($v)); + } else { + $this->request .= "$k: $v\r\n"; + $this->debug("$k: $v"); + } + } + } elseif (is_array($HTTP_SERVER_VARS)) { + $this->debug("In parse_http_headers, use HTTP_SERVER_VARS"); + foreach ($HTTP_SERVER_VARS as $k => $v) { + if (substr($k, 0, 5) == 'HTTP_') { + $k = str_replace(' ', '-', strtolower(str_replace('_', ' ', substr($k, 5)))); + $k = strtolower(substr($k, 5)); + } else { + $k = str_replace(' ', '-', strtolower(str_replace('_', ' ', $k))); + $k = strtolower($k); + } + if ($k == 'soapaction') { + // get SOAPAction header + $k = 'SOAPAction'; + $v = str_replace('"', '', $v); + $v = str_replace('\\', '', $v); + $this->SOAPAction = $v; + } elseif ($k == 'content-type') { + // get the character encoding of the incoming request + if (strpos($v, '=')) { + $enc = substr(strstr($v, '='), 1); + $enc = str_replace('"', '', $enc); + $enc = str_replace('\\', '', $enc); + if (preg_match('/^(ISO-8859-1|US-ASCII|UTF-8)$/i', $enc)) { + $this->xml_encoding = strtoupper($enc); + } else { + $this->xml_encoding = 'US-ASCII'; + } + } else { + // should be US-ASCII for HTTP 1.0 or ISO-8859-1 for HTTP 1.1 + $this->xml_encoding = 'ISO-8859-1'; + } + } + $this->headers[$k] = $v; + $this->request .= "$k: $v\r\n"; + $this->debug("$k: $v"); + } + } else { + $this->debug("In parse_http_headers, HTTP headers not accessible"); + $this->setError("HTTP headers not accessible"); + } + } + + /** + * parses a request + * + * The following fields are set by this function (when successful) + * + * headers + * request + * xml_encoding + * SOAPAction + * request + * requestSOAP + * methodURI + * methodname + * methodparams + * requestHeaders + * document + * + * This sets the fault field on error + * + * @param string $data XML string + * @access private + */ + function parse_request($data = '') + { + $this->debug('entering parse_request()'); + $this->parse_http_headers(); + $this->debug('got character encoding: ' . $this->xml_encoding); + // uncompress if necessary + if (isset($this->headers['content-encoding']) && $this->headers['content-encoding'] != '') { + $this->debug('got content encoding: ' . $this->headers['content-encoding']); + if ($this->headers['content-encoding'] == 'deflate' || $this->headers['content-encoding'] == 'gzip') { + // if decoding works, use it. else assume data wasn't gzencoded + if (function_exists('gzuncompress')) { + if ($this->headers['content-encoding'] == 'deflate' && $degzdata = @gzuncompress($data)) { + $data = $degzdata; + } elseif ($this->headers['content-encoding'] == 'gzip' && $degzdata = gzinflate(substr($data, 10))) { + $data = $degzdata; + } else { + $this->fault('SOAP-ENV:Client', 'Errors occurred when trying to decode the data'); + return; + } + } else { + $this->fault('SOAP-ENV:Client', 'This Server does not support compressed data'); + return; + } + } + } + $this->request .= "\r\n" . $data; + $data = $this->parseRequest($this->headers, $data); + $this->requestSOAP = $data; + $this->debug('leaving parse_request'); + } + + /** + * invokes a PHP function for the requested SOAP method + * + * The following fields are set by this function (when successful) + * + * methodreturn + * + * Note that the PHP function that is called may also set the following + * fields to affect the response sent to the client + * + * responseHeaders + * outgoing_headers + * + * This sets the fault field on error + * + * @access private + */ + function invoke_method() + { + $this->debug('in invoke_method, methodname=' . $this->methodname . ' methodURI=' . $this->methodURI . ' SOAPAction=' . $this->SOAPAction); + + // + // if you are debugging in this area of the code, your service uses a class to implement methods, + // you use SOAP RPC, and the client is .NET, please be aware of the following... + // when the .NET wsdl.exe utility generates a proxy, it will remove the '.' or '..' from the + // method name. that is fine for naming the .NET methods. it is not fine for properly constructing + // the XML request and reading the XML response. you need to add the RequestElementName and + // ResponseElementName to the System.Web.Services.Protocols.SoapRpcMethodAttribute that wsdl.exe + // generates for the method. these parameters are used to specify the correct XML element names + // for .NET to use, i.e. the names with the '.' in them. + // + $orig_methodname = $this->methodname; + if ($this->wsdl) { + if ($this->opData = $this->wsdl->getOperationData($this->methodname)) { + $this->debug('in invoke_method, found WSDL operation=' . $this->methodname); + $this->appendDebug('opData=' . $this->varDump($this->opData)); + } elseif ($this->opData = $this->wsdl->getOperationDataForSoapAction($this->SOAPAction)) { + // Note: hopefully this case will only be used for doc/lit, since rpc services should have wrapper element + $this->debug('in invoke_method, found WSDL soapAction=' . $this->SOAPAction . ' for operation=' . $this->opData['name']); + $this->appendDebug('opData=' . $this->varDump($this->opData)); + $this->methodname = $this->opData['name']; + } else { + $this->debug('in invoke_method, no WSDL for operation=' . $this->methodname); + $this->fault('SOAP-ENV:Client', "Operation '" . $this->methodname . "' is not defined in the WSDL for this service"); + return; + } + } else { + $this->debug('in invoke_method, no WSDL to validate method'); + } + + // if a . is present in $this->methodname, we see if there is a class in scope, + // which could be referred to. We will also distinguish between two deliminators, + // to allow methods to be called a the class or an instance + if (strpos($this->methodname, '..') > 0) { + $delim = '..'; + } elseif (strpos($this->methodname, '.') > 0) { + $delim = '.'; + } else { + $delim = ''; + } + $this->debug("in invoke_method, delim=$delim"); + + $class = ''; + $method = ''; + $try_class = ''; + if (strlen($delim) > 0 && substr_count($this->methodname, $delim) == 1) { + $try_class = substr($this->methodname, 0, strpos($this->methodname, $delim)); + if (class_exists($try_class)) { + // get the class and method name + $class = $try_class; + $method = substr($this->methodname, strpos($this->methodname, $delim) + strlen($delim)); + $this->debug("in invoke_method, class=$class method=$method delim=$delim"); + } else { + $this->debug("in invoke_method, class=$try_class not found"); + } + } elseif (strlen($delim) > 0 && substr_count($this->methodname, $delim) > 1) { + $split = explode($delim, $this->methodname); + $method = array_pop($split); + $class = implode('\\', $split); + } else { + $this->debug("in invoke_method, no class to try"); + } + + // does method exist? + if ($class == '') { + if (!function_exists($this->methodname)) { + $this->debug("in invoke_method, function '$this->methodname' not found!"); + $this->result = 'fault: method not found'; + $this->fault('SOAP-ENV:Client', "method '$this->methodname'('$orig_methodname') not defined in service('$try_class' '$delim')"); + return; + } + } else { + $method_to_compare = (substr(phpversion(), 0, 2) == '4.') ? strtolower($method) : $method; + if (!in_array($method_to_compare, get_class_methods($class))) { + $this->debug("in invoke_method, method '$this->methodname' not found in class '$class'!"); + $this->result = 'fault: method not found'; + $this->fault('SOAP-ENV:Client', "method '$this->methodname'/'$method_to_compare'('$orig_methodname') not defined in service/'$class'('$try_class' '$delim')"); + return; + } + } + + // evaluate message, getting back parameters + // verify that request parameters match the method's signature + if (!$this->verify_method($this->methodname, $this->methodparams)) { + // debug + $this->debug('ERROR: request not verified against method signature'); + $this->result = 'fault: request failed validation against method signature'; + // return fault + $this->fault('SOAP-ENV:Client', "Operation '$this->methodname' not defined in service."); + return; + } + + // if there are parameters to pass + $this->debug('in invoke_method, params:'); + $this->appendDebug($this->varDump($this->methodparams)); + $this->debug("in invoke_method, calling '$this->methodname'"); + if (!function_exists('call_user_func_array')) { + if ($class == '') { + $this->debug('in invoke_method, calling function using eval()'); + $funcCall = "\$this->methodreturn = $this->methodname("; + } else { + if ($delim == '..') { + $this->debug('in invoke_method, calling class method using eval()'); + $funcCall = "\$this->methodreturn = " . $class . "::" . $method . "("; + } else { + $this->debug('in invoke_method, calling instance method using eval()'); + // generate unique instance name + $instname = "\$inst_" . time(); + $funcCall = $instname . " = new " . $class . "(); "; + $funcCall .= "\$this->methodreturn = " . $instname . "->" . $method . "("; + } + } + if ($this->methodparams) { + foreach ($this->methodparams as $param) { + if (is_array($param) || is_object($param)) { + $this->fault('SOAP-ENV:Client', 'NuSOAP does not handle complexType parameters correctly when using eval; call_user_func_array must be available'); + return; + } + $funcCall .= "\"$param\","; + } + $funcCall = substr($funcCall, 0, -1); + } + $funcCall .= ');'; + $this->debug('in invoke_method, function call: ' . $funcCall); + @eval($funcCall); + } else { + if ($class == '') { + $this->debug('in invoke_method, calling function using call_user_func_array()'); + $call_arg = "$this->methodname"; // straight assignment changes $this->methodname to lower case after call_user_func_array() + } elseif ($delim == '..') { + $this->debug('in invoke_method, calling class method using call_user_func_array()'); + $call_arg = array($class, $method); + } else { + $this->debug('in invoke_method, calling instance method using call_user_func_array()'); + $instance = new $class (); + $call_arg = array(&$instance, $method); + } + if (is_array($this->methodparams)) { + $this->methodreturn = call_user_func_array($call_arg, array_values($this->methodparams)); + } else { + $this->methodreturn = call_user_func_array($call_arg, array()); + } + } + $this->debug('in invoke_method, methodreturn:'); + $this->appendDebug($this->varDump($this->methodreturn)); + $this->debug("in invoke_method, called method $this->methodname, received data of type " . gettype($this->methodreturn)); + } + + /** + * serializes the return value from a PHP function into a full SOAP Envelope + * + * The following fields are set by this function (when successful) + * + * responseSOAP + * + * This sets the fault field on error + * + * @access private + */ + function serialize_return() + { + $this->debug('Entering serialize_return methodname: ' . $this->methodname . ' methodURI: ' . $this->methodURI); + // if fault + if (isset($this->methodreturn) && is_object($this->methodreturn) && ((get_class($this->methodreturn) == 'soap_fault') || (get_class($this->methodreturn) == 'nusoap_fault'))) { + $this->debug('got a fault object from method'); + $this->fault = $this->methodreturn; + return; + } elseif ($this->methodreturnisliteralxml) { + $return_val = $this->methodreturn; + // returned value(s) + } else { + $this->debug('got a(n) ' . gettype($this->methodreturn) . ' from method'); + $this->debug('serializing return value'); + if ($this->wsdl) { + if (sizeof($this->opData['output']['parts']) > 1) { + $this->debug('more than one output part, so use the method return unchanged'); + $opParams = $this->methodreturn; + } elseif (sizeof($this->opData['output']['parts']) == 1) { + $this->debug('exactly one output part, so wrap the method return in a simple array'); + // TODO: verify that it is not already wrapped! + //foreach ($this->opData['output']['parts'] as $name => $type) { + // $this->debug('wrap in element named ' . $name); + //} + $opParams = array($this->methodreturn); + } + $opParams = isset($opParams) ? $opParams : []; + $return_val = $this->wsdl->serializeRPCParameters($this->methodname, 'output', $opParams); + $this->appendDebug($this->wsdl->getDebug()); + $this->wsdl->clearDebug(); + if ($errstr = $this->wsdl->getError()) { + $this->debug('got wsdl error: ' . $errstr); + $this->fault('SOAP-ENV:Server', 'unable to serialize result'); + return; + } + } else { + if (isset($this->methodreturn)) { + $return_val = $this->serialize_val($this->methodreturn, 'return'); + } else { + $return_val = ''; + $this->debug('in absence of WSDL, assume void return for backward compatibility'); + } + } + } + $this->debug('return value:'); + $this->appendDebug($this->varDump($return_val)); + + $this->debug('serializing response'); + if ($this->wsdl) { + $this->debug('have WSDL for serialization: style is ' . $this->opData['style']); + if ($this->opData['style'] == 'rpc') { + $this->debug('style is rpc for serialization: use is ' . $this->opData['output']['use']); + if ($this->opData['output']['use'] == 'literal') { + // http://www.ws-i.org/Profiles/BasicProfile-1.1-2004-08-24.html R2735 says rpc/literal accessor elements should not be in a namespace + if ($this->methodURI) { + $payload = 'responseTagName . ' xmlns:ns1="' . $this->methodURI . '">' . $return_val . 'responseTagName . ">"; + } else { + $payload = '<' . $this->responseTagName . '>' . $return_val . 'responseTagName . 'Response>'; + } + } else { + if ($this->methodURI) { + $payload = 'responseTagName . ' xmlns:ns1="' . $this->methodURI . '">' . $return_val . 'responseTagName . ">"; + } else { + $payload = '<' . $this->responseTagName . '>' . $return_val . 'responseTagName . '>'; + } + } + } else { + $this->debug('style is not rpc for serialization: assume document'); + $payload = $return_val; + } + } else { + $this->debug('do not have WSDL for serialization: assume rpc/encoded'); + $payload = 'responseTagName . ' xmlns:ns1="' . $this->methodURI . '">' . $return_val . 'responseTagName . ">"; + } + $this->result = 'successful'; + if ($this->wsdl) { + //if($this->debug_flag){ + $this->appendDebug($this->wsdl->getDebug()); + // } + if (isset($this->opData['output']['encodingStyle'])) { + $encodingStyle = $this->opData['output']['encodingStyle']; + } else { + $encodingStyle = ''; + } + // Added: In case we use a WSDL, return a serialized env. WITH the usedNamespaces. + $this->responseSOAP = $this->serializeEnvelope($payload, $this->responseHeaders, $this->wsdl->usedNamespaces, $this->opData['style'], $this->opData['output']['use'], $encodingStyle); + } else { + $this->responseSOAP = $this->serializeEnvelope($payload, $this->responseHeaders); + } + $this->debug("Leaving serialize_return"); + } + + /** + * sends an HTTP response + * + * The following fields are set by this function (when successful) + * + * outgoing_headers + * response + * + * @access private + */ + function send_response() + { + $this->debug('Enter send_response'); + if ($this->fault) { + $payload = $this->fault->serialize(); + $this->outgoing_headers[] = "HTTP/1.0 500 Internal Server Error"; + $this->outgoing_headers[] = "Status: 500 Internal Server Error"; + } else { + $payload = $this->responseSOAP; + // Some combinations of PHP+Web server allow the Status + // to come through as a header. Since OK is the default + // just do nothing. + // $this->outgoing_headers[] = "HTTP/1.0 200 OK"; + // $this->outgoing_headers[] = "Status: 200 OK"; + } + // add debug data if in debug mode + if (isset($this->debug_flag) && $this->debug_flag) { + $payload .= $this->getDebugAsXMLComment(); + } + $this->outgoing_headers[] = "Server: $this->title Server v$this->version"; + $rev = array(); + preg_match('/\$Revisio' . 'n: ([^ ]+)/', $this->revision, $rev); + $this->outgoing_headers[] = "X-SOAP-Server: $this->title/$this->version (" . (isset($rev[1]) ? $rev[1] : '') . ")"; + // Let the Web server decide about this + //$this->outgoing_headers[] = "Connection: Close\r\n"; + $payload = $this->getHTTPBody($payload); + $type = $this->getHTTPContentType(); + $charset = $this->getHTTPContentTypeCharset(); + $this->outgoing_headers[] = "Content-Type: $type" . ($charset ? '; charset=' . $charset : ''); + //begin code to compress payload - by John + // NOTE: there is no way to know whether the Web server will also compress + // this data. + if (strlen($payload) > 1024 && isset($this->headers) && isset($this->headers['accept-encoding'])) { + if (strstr($this->headers['accept-encoding'], 'gzip')) { + if (function_exists('gzencode')) { + if (isset($this->debug_flag) && $this->debug_flag) { + $payload .= ""; + } + $this->outgoing_headers[] = "Content-Encoding: gzip"; + $payload = gzencode($payload); + } else { + if (isset($this->debug_flag) && $this->debug_flag) { + $payload .= ""; + } + } + } elseif (strstr($this->headers['accept-encoding'], 'deflate')) { + // Note: MSIE requires gzdeflate output (no Zlib header and checksum), + // instead of gzcompress output, + // which conflicts with HTTP 1.1 spec (http://www.w3.org/Protocols/rfc2616/rfc2616-sec3.html#sec3.5) + if (function_exists('gzdeflate')) { + if (isset($this->debug_flag) && $this->debug_flag) { + $payload .= ""; + } + $this->outgoing_headers[] = "Content-Encoding: deflate"; + $payload = gzdeflate($payload); + } else { + if (isset($this->debug_flag) && $this->debug_flag) { + $payload .= ""; + } + } + } + } + //end code + $this->outgoing_headers[] = "Content-Length: " . strlen($payload); + reset($this->outgoing_headers); + foreach ($this->outgoing_headers as $hdr) { + header($hdr, false); + } + print $payload; + $this->response = join("\r\n", $this->outgoing_headers) . "\r\n\r\n" . $payload; + } + + /** + * takes the value that was created by parsing the request + * and compares to the method's signature, if available. + * + * @param string $operation The operation to be invoked + * @param array $request The array of parameter values + * @return boolean Whether the operation was found + * @access private + */ + function verify_method($operation, $request) + { + if (isset($this->wsdl) && is_object($this->wsdl)) { + if ($this->wsdl->getOperationData($operation)) { + return true; + } + } elseif (isset($this->operations[$operation])) { + return true; + } + return false; + } + + /** + * processes SOAP message received from client + * + * @param array $headers The HTTP headers + * @param string $data unprocessed request data from client + * @return false|void void or false on error + * @access private + */ + function parseRequest($headers, $data) + { + $this->debug('Entering parseRequest() for data of length ' . strlen($data) . ' headers:'); + $this->appendDebug($this->varDump($headers)); + if (!isset($headers['content-type'])) { + $this->setError('Request not of type '.$this->contentType.' (no content-type header)'); + return false; + } + if (!strstr($headers['content-type'], $this->contentType)) { + $this->setError('Request not of type '.$this->contentType.': ' . $headers['content-type']); + return false; + } + if (strpos($headers['content-type'], '=')) { + $enc = str_replace('"', '', substr(strstr($headers["content-type"], '='), 1)); + $this->debug('Got response encoding: ' . $enc); + if (preg_match('/^(ISO-8859-1|US-ASCII|UTF-8)$/i', $enc)) { + $this->xml_encoding = strtoupper($enc); + } else { + $this->xml_encoding = 'US-ASCII'; + } + } else { + // should be US-ASCII for HTTP 1.0 or ISO-8859-1 for HTTP 1.1 + $this->xml_encoding = 'ISO-8859-1'; + } + $this->debug('Use encoding: ' . $this->xml_encoding . ' when creating nusoap_parser'); + // parse response, get soap parser obj + $parser = new nusoap_parser($data, $this->xml_encoding, '', $this->decode_utf8); + // parser debug + $this->debug("parser debug: \n" . $parser->getDebug()); + // if fault occurred during message parsing + if ($err = $parser->getError()) { + $this->result = 'fault: error in msg parsing: ' . $err; + $this->fault('SOAP-ENV:Client', "error in msg parsing:\n" . $err); + // else successfully parsed request into soapval object + } else { + // get/set methodname + $this->methodURI = $parser->root_struct_namespace; + $this->methodname = $parser->root_struct_name; + $this->debug('methodname: ' . $this->methodname . ' methodURI: ' . $this->methodURI); + + // get/set custom response tag name + $outputMessage = $this->wsdl->getOperationData($this->methodname)['output']['message']; + $this->responseTagName = $outputMessage; + $this->debug('responseTagName: ' . $this->responseTagName . ' methodURI: ' . $this->methodURI); + + $this->debug('calling parser->get_soapbody()'); + $this->methodparams = $parser->get_soapbody(); + // get SOAP headers + $this->requestHeaders = $parser->getHeaders(); + // get SOAP Header + $this->requestHeader = $parser->get_soapheader(); + // add document for doclit support + $this->document = $parser->document; + } + } + + /** + * gets the HTTP body for the current response. + * + * @param string $soapmsg The SOAP payload + * @return string The HTTP body, which includes the SOAP payload + * @access private + */ + function getHTTPBody($soapmsg) + { + return $soapmsg; + } + + /** + * gets the HTTP content type for the current response. + * + * Note: getHTTPBody must be called before this. + * + * @return string the HTTP content type for the current response. + * @access private + */ + function getHTTPContentType() + { + return 'text/xml'; + } + + /** + * gets the HTTP content type charset for the current response. + * returns false for non-text content types. + * + * Note: getHTTPBody must be called before this. + * + * @return string the HTTP content type charset for the current response. + * @access private + */ + function getHTTPContentTypeCharset() + { + return $this->soap_defencoding; + } + + /** + * add a method to the dispatch map (this has been replaced by the register method) + * + * @param string $methodname + * @param string $in array of input values + * @param string $out array of output values + * @access public + * @deprecated + */ + function add_to_map($methodname, $in, $out) + { + $this->operations[$methodname] = array('name' => $methodname, 'in' => $in, 'out' => $out); + } + + /** + * register a service function with the server + * + * @param string $name the name of the PHP function, class.method or class..method + * @param array $in assoc array of input values: key = param name, value = param type + * @param array $out assoc array of output values: key = param name, value = param type + * @param mixed $namespace the element namespace for the method or false + * @param mixed $soapaction the soapaction for the method or false + * @param mixed $style optional (rpc|document) or false Note: when 'document' is specified, parameter and return wrappers are created for you automatically + * @param mixed $use optional (encoded|literal) or false + * @param string $documentation optional Description to include in WSDL + * @param string $encodingStyle optional (usually 'http://schemas.xmlsoap.org/soap/encoding/' for encoded) + * @param string $customResponseTagName optional Name of the outgoing response, default $name . 'Response' + * @access public + */ + function register($name, $in = array(), $out = array(), $namespace = false, $soapaction = false, $style = false, $use = false, $documentation = '', $encodingStyle = '', $customResponseTagName = '') + { + global $HTTP_SERVER_VARS; + + if ($this->externalWSDLURL) { + die('You cannot bind to an external WSDL file, and register methods outside of it! Please choose either WSDL or no WSDL.'); + } + if (!$name) { + die('You must specify a name when you register an operation'); + } + if (!is_array($in)) { + die('You must provide an array for operation inputs'); + } + if (!is_array($out)) { + die('You must provide an array for operation outputs'); + } + if (!$soapaction) { + if (isset($_SERVER)) { + $SERVER_NAME = $_SERVER['SERVER_NAME']; + $SCRIPT_NAME = $_SERVER['SCRIPT_NAME']; + $HTTPS = isset($_SERVER['HTTPS']) ? $_SERVER['HTTPS'] : (isset($HTTP_SERVER_VARS['HTTPS']) ? $HTTP_SERVER_VARS['HTTPS'] : 'off'); + } elseif (isset($HTTP_SERVER_VARS)) { + $SERVER_NAME = $HTTP_SERVER_VARS['SERVER_NAME']; + $SCRIPT_NAME = $HTTP_SERVER_VARS['SCRIPT_NAME']; + $HTTPS = isset($HTTP_SERVER_VARS['HTTPS']) ? $HTTP_SERVER_VARS['HTTPS'] : 'off'; + } else { + $this->setError("Neither _SERVER nor HTTP_SERVER_VARS is available"); + $HTTPS = ''; + $SERVER_NAME = ''; + $SCRIPT_NAME = ''; + } + if ($HTTPS == '1' || $HTTPS == 'on') { + $SCHEME = 'https'; + } else { + $SCHEME = 'http'; + } + $soapaction = "$SCHEME://$SERVER_NAME$SCRIPT_NAME/$name"; + } + if (!$style) { + $style = "rpc"; + } + if (!$use) { + $use = "encoded"; + } + if ($use == 'encoded' && $encodingStyle == '') { + $encodingStyle = 'http://schemas.xmlsoap.org/soap/encoding/'; + } + if (!$customResponseTagName) { + $customResponseTagName = $name . 'Response'; + } + + $this->operations[$name] = array( + 'name' => $name, + 'in' => $in, + 'out' => $out, + 'namespace' => $namespace, + 'soapaction' => $soapaction, + 'style' => $style, + 'outputMessage' => $customResponseTagName, + ); + if ($this->wsdl) { + $this->wsdl->addOperation($name, $in, $out, $namespace, $soapaction, $style, $use, $documentation, $encodingStyle, $customResponseTagName); + } + return true; + } + + /** + * Specify a fault to be returned to the client. + * This also acts as a flag to the server that a fault has occured. + * + * @param string $faultcode + * @param string $faultstring + * @param string $faultactor + * @param string $faultdetail + * @access public + */ + function fault($faultcode, $faultstring, $faultactor = '', $faultdetail = '') + { + if ($faultdetail == '' && $this->debug_flag) { + $faultdetail = $this->getDebug(); + } + $this->fault = new nusoap_fault($faultcode, $faultactor, $faultstring, $faultdetail); + $this->fault->soap_defencoding = $this->soap_defencoding; + } + + /** + * Sets up wsdl object. + * Acts as a flag to enable internal WSDL generation + * + * @param string $serviceName , name of the service + * @param mixed $namespace optional 'tns' service namespace or false + * @param mixed $endpoint optional URL of service endpoint or false + * @param string $style optional (rpc|document) WSDL style (also specified by operation) + * @param string $transport optional SOAP transport + * @param mixed $schemaTargetNamespace optional 'types' targetNamespace for service schema or false + */ + function configureWSDL($serviceName, $namespace = false, $endpoint = false, $style = 'rpc', $transport = 'http://schemas.xmlsoap.org/soap/http', $schemaTargetNamespace = false) + { + global $HTTP_SERVER_VARS; + + if (isset($_SERVER)) { + $SERVER_NAME = $_SERVER['SERVER_NAME']; + $SERVER_PORT = $_SERVER['SERVER_PORT']; + $SCRIPT_NAME = $_SERVER['SCRIPT_NAME']; + $HTTPS = isset($_SERVER['HTTPS']) ? $_SERVER['HTTPS'] : (isset($HTTP_SERVER_VARS['HTTPS']) ? $HTTP_SERVER_VARS['HTTPS'] : 'off'); + } elseif (isset($HTTP_SERVER_VARS)) { + $SERVER_NAME = $HTTP_SERVER_VARS['SERVER_NAME']; + $SERVER_PORT = $HTTP_SERVER_VARS['SERVER_PORT']; + $SCRIPT_NAME = $HTTP_SERVER_VARS['SCRIPT_NAME']; + $HTTPS = isset($HTTP_SERVER_VARS['HTTPS']) ? $HTTP_SERVER_VARS['HTTPS'] : 'off'; + } else { + $this->setError("Neither _SERVER nor HTTP_SERVER_VARS is available"); + $SERVER_PORT = ''; + $SERVER_NAME = ''; + $SCRIPT_NAME = ''; + $HTTPS = ''; + } + // If server name has port number attached then strip it (else port number gets duplicated in WSDL output) (occurred using lighttpd and FastCGI) + $colon = strpos($SERVER_NAME, ":"); + if ($colon) { + $SERVER_NAME = substr($SERVER_NAME, 0, $colon); + } + if ($SERVER_PORT == 80) { + $SERVER_PORT = ''; + } else { + $SERVER_PORT = ':' . $SERVER_PORT; + } + if (!$namespace) { $namespace = "http://$SERVER_NAME/soap/$serviceName"; } - if(false == $endpoint) { - if ($HTTPS == '1' || $HTTPS == 'on') { - $SCHEME = 'https'; - } else { - $SCHEME = 'http'; - } + if (!$endpoint) { + if ($HTTPS == '1' || $HTTPS == 'on') { + $SCHEME = 'https'; + } else { + $SCHEME = 'http'; + } $endpoint = "$SCHEME://$SERVER_NAME$SERVER_PORT$SCRIPT_NAME"; } - if(false == $schemaTargetNamespace) { + if (!$schemaTargetNamespace) { $schemaTargetNamespace = $namespace; } - $this->wsdl = new wsdl; - $this->wsdl->serviceName = $serviceName; + $this->wsdl = new wsdl; + $this->wsdl->serviceName = $serviceName; $this->wsdl->endpoint = $endpoint; - $this->wsdl->namespaces['tns'] = $namespace; - $this->wsdl->namespaces['soap'] = 'http://schemas.xmlsoap.org/wsdl/soap/'; - $this->wsdl->namespaces['wsdl'] = 'http://schemas.xmlsoap.org/wsdl/'; - if ($schemaTargetNamespace != $namespace) { - $this->wsdl->namespaces['types'] = $schemaTargetNamespace; - } + $this->wsdl->namespaces['tns'] = $namespace; + $this->wsdl->namespaces['soap'] = 'http://schemas.xmlsoap.org/wsdl/soap/'; + $this->wsdl->namespaces['wsdl'] = 'http://schemas.xmlsoap.org/wsdl/'; + if ($schemaTargetNamespace != $namespace) { + $this->wsdl->namespaces['types'] = $schemaTargetNamespace; + } $this->wsdl->schemas[$schemaTargetNamespace][0] = new nusoap_xmlschema('', '', $this->wsdl->namespaces); if ($style == 'document') { - $this->wsdl->schemas[$schemaTargetNamespace][0]->schemaInfo['elementFormDefault'] = 'qualified'; + $this->wsdl->schemas[$schemaTargetNamespace][0]->schemaInfo['elementFormDefault'] = 'qualified'; } $this->wsdl->schemas[$schemaTargetNamespace][0]->schemaTargetNamespace = $schemaTargetNamespace; $this->wsdl->schemas[$schemaTargetNamespace][0]->imports['http://schemas.xmlsoap.org/soap/encoding/'][0] = array('location' => '', 'loaded' => true); $this->wsdl->schemas[$schemaTargetNamespace][0]->imports['http://schemas.xmlsoap.org/wsdl/'][0] = array('location' => '', 'loaded' => true); - $this->wsdl->bindings[$serviceName.'Binding'] = array( - 'name'=>$serviceName.'Binding', - 'style'=>$style, - 'transport'=>$transport, - 'portType'=>$serviceName.'PortType'); - $this->wsdl->ports[$serviceName.'Port'] = array( - 'binding'=>$serviceName.'Binding', - 'location'=>$endpoint, - 'bindingType'=>'http://schemas.xmlsoap.org/wsdl/soap/'); + $this->wsdl->bindings[$serviceName . 'Binding'] = array( + 'name' => $serviceName . 'Binding', + 'style' => $style, + 'transport' => $transport, + 'portType' => $serviceName . 'PortType'); + $this->wsdl->ports[$serviceName . 'Port'] = array( + 'binding' => $serviceName . 'Binding', + 'location' => $endpoint, + 'bindingType' => 'http://schemas.xmlsoap.org/wsdl/soap/'); } } /** * Backward compatibility */ -class soap_server extends nusoap_server { +class soap_server extends nusoap_server +{ } -?> -* @author Scott Nichol -* @access public -*/ -class wsdl extends nusoap_base { - // URL or filename of the root of this WSDL + * parses a WSDL file, allows access to it's data, other utility methods. + * also builds WSDL structures programmatically. + * + * @author Dietrich Ayala + * @author Scott Nichol + * @version $Id: nusoap.php,v 1.123 2010/04/26 20:15:08 snichol Exp $ + * @access public + */ +class wsdl extends nusoap_base +{ + // URL or filename of the root of this WSDL var $wsdl; // define internal arrays of bindings, ports, operations, messages, etc. var $schemas = array(); @@ -4618,151 +4767,162 @@ class wsdl extends nusoap_base { var $position = 0; var $depth = 0; var $depth_array = array(); - // for getting wsdl - var $proxyhost = ''; + // for getting wsdl + var $proxyhost = ''; var $proxyport = ''; - var $proxyusername = ''; - var $proxypassword = ''; - var $timeout = 0; - var $response_timeout = 30; - var $curl_options = array(); // User-specified cURL options - var $use_curl = false; // whether to always try to use cURL - // for HTTP authentication - var $username = ''; // Username for HTTP authentication - var $password = ''; // Password for HTTP authentication - var $authtype = ''; // Type of HTTP authentication - var $certRequest = array(); // Certificate for HTTP SSL authentication + var $proxyusername = ''; + var $proxypassword = ''; + var $timeout = 0; + var $response_timeout = 30; + var $curl_options = array(); // User-specified cURL options + var $use_curl = false; // whether to always try to use cURL + // for HTTP authentication + var $username = ''; // Username for HTTP authentication + var $password = ''; // Password for HTTP authentication + var $authtype = ''; // Type of HTTP authentication + var $certRequest = array(); // Certificate for HTTP SSL authentication + + /** @var mixed */ + var $currentPortOperation; + /** @var string */ + var $opStatus; + /** @var mixed */ + var $serviceName; + var $wsdl_info; /** * constructor * * @param string $wsdl WSDL document URL - * @param string $proxyhost - * @param string $proxyport - * @param string $proxyusername - * @param string $proxypassword - * @param integer $timeout set the connection timeout - * @param integer $response_timeout set the response timeout - * @param array $curl_options user-specified cURL options - * @param boolean $use_curl try to use cURL + * @param string $proxyhost + * @param string $proxyport + * @param string $proxyusername + * @param string $proxypassword + * @param integer $timeout set the connection timeout + * @param integer $response_timeout set the response timeout + * @param array $curl_options user-specified cURL options + * @param boolean $use_curl try to use cURL * @access public */ - function __construct($wsdl = '',$proxyhost=false,$proxyport=false,$proxyusername=false,$proxypassword=false,$timeout=0,$response_timeout=30,$curl_options=null,$use_curl=false){ - parent::__construct(); - $this->debug("ctor wsdl=$wsdl timeout=$timeout response_timeout=$response_timeout"); + function __construct($wsdl = '', $proxyhost = false, $proxyport = false, $proxyusername = false, $proxypassword = false, $timeout = 0, $response_timeout = 30, $curl_options = null, $use_curl = false) + { + parent::__construct(); + $this->debug("ctor wsdl=$wsdl timeout=$timeout response_timeout=$response_timeout"); $this->proxyhost = $proxyhost; $this->proxyport = $proxyport; - $this->proxyusername = $proxyusername; - $this->proxypassword = $proxypassword; - $this->timeout = $timeout; - $this->response_timeout = $response_timeout; - if (is_array($curl_options)) - $this->curl_options = $curl_options; - $this->use_curl = $use_curl; - $this->fetchWSDL($wsdl); + $this->proxyusername = $proxyusername; + $this->proxypassword = $proxypassword; + $this->timeout = $timeout; + $this->response_timeout = $response_timeout; + if (is_array($curl_options)) { + $this->curl_options = $curl_options; + } + $this->use_curl = $use_curl; + $this->fetchWSDL($wsdl); } - /** - * fetches the WSDL document and parses it - * - * @access public - */ - function fetchWSDL($wsdl) { - $this->debug("parse and process WSDL path=$wsdl"); - $this->wsdl = $wsdl; + /** + * fetches the WSDL document and parses it + * + * @access public + */ + function fetchWSDL($wsdl) + { + $this->debug("parse and process WSDL path=$wsdl"); + $this->wsdl = $wsdl; // parse wsdl file if ($this->wsdl != "") { $this->parseWSDL($this->wsdl); } // imports // TODO: handle imports more properly, grabbing them in-line and nesting them - $imported_urls = array(); - $imported = 1; - while ($imported > 0) { - $imported = 0; - // Schema imports - foreach ($this->schemas as $ns => $list) { - foreach ($list as $xs) { - $wsdlparts = parse_url($this->wsdl); // this is bogusly simple! - foreach ($xs->imports as $ns2 => $list2) { - for ($ii = 0; $ii < count($list2); $ii++) { - if (! $list2[$ii]['loaded']) { - $this->schemas[$ns]->imports[$ns2][$ii]['loaded'] = true; - $url = $list2[$ii]['location']; - if ($url != '') { - $urlparts = parse_url($url); - if (!isset($urlparts['host'])) { - $url = $wsdlparts['scheme'] . '://' . $wsdlparts['host'] . (isset($wsdlparts['port']) ? ':' .$wsdlparts['port'] : '') . - substr($wsdlparts['path'],0,strrpos($wsdlparts['path'],'/') + 1) .$urlparts['path']; - } - if (! in_array($url, $imported_urls)) { - $this->parseWSDL($url); - $imported++; - $imported_urls[] = $url; - } - } else { - $this->debug("Unexpected scenario: empty URL for unloaded import"); - } - } - } - } - } - } - // WSDL imports - $wsdlparts = parse_url($this->wsdl); // this is bogusly simple! + $imported_urls = array(); + $imported = 1; + while ($imported > 0) { + $imported = 0; + // Schema imports + foreach ($this->schemas as $ns => $list) { + foreach ($list as $xsKey => $xs) { + $wsdlparts = parse_url($this->wsdl); // this is bogusly simple! + foreach ($xs->imports as $ns2 => $list2) { + for ($ii = 0; $ii < count($list2); $ii++) { + if (array_key_exists($ii, $list2) && (!isset($list2[$ii]['loaded']) || !$list2[$ii]['loaded'])) { + @$this->schemas[$ns][$xsKey]->imports[$ns2][$ii]['loaded'] = true; + $url = $list2[$ii]['location']; + if ($url != '') { + $urlparts = parse_url($url); + if (!isset($urlparts['host'])) { + $url = $wsdlparts['scheme'] . '://' . $wsdlparts['host'] . (isset($wsdlparts['port']) ? ':' . $wsdlparts['port'] : '') . + substr($wsdlparts['path'], 0, strrpos($wsdlparts['path'], '/') + 1) . $urlparts['path']; + } + if (!in_array($url, $imported_urls)) { + $this->parseWSDL($url); + $imported++; + $imported_urls[] = $url; + } + } else { + $this->debug("Unexpected scenario: empty URL for unloaded import"); + } + } + } + } + } + } + // WSDL imports + $wsdlparts = parse_url($this->wsdl); // this is bogusly simple! foreach ($this->import as $ns => $list) { for ($ii = 0; $ii < count($list); $ii++) { - if (! $list[$ii]['loaded']) { - $this->import[$ns][$ii]['loaded'] = true; - $url = $list[$ii]['location']; - if ($url != '') { - $urlparts = parse_url($url); - if (!isset($urlparts['host'])) { - $url = $wsdlparts['scheme'] . '://' . $wsdlparts['host'] . (isset($wsdlparts['port']) ? ':' . $wsdlparts['port'] : '') . - substr($wsdlparts['path'],0,strrpos($wsdlparts['path'],'/') + 1) .$urlparts['path']; - } - if (! in_array($url, $imported_urls)) { - $this->parseWSDL($url); - $imported++; - $imported_urls[] = $url; - } - } else { - $this->debug("Unexpected scenario: empty URL for unloaded import"); - } - } - } + if (!$list[$ii]['loaded']) { + $this->import[$ns][$ii]['loaded'] = true; + $url = $list[$ii]['location']; + if ($url != '') { + $urlparts = parse_url($url); + if (!isset($urlparts['host'])) { + $url = $wsdlparts['scheme'] . '://' . $wsdlparts['host'] . (isset($wsdlparts['port']) ? ':' . $wsdlparts['port'] : '') . + substr($wsdlparts['path'], 0, strrpos($wsdlparts['path'], '/') + 1) . $urlparts['path']; + } + if (!in_array($url, $imported_urls)) { + $this->parseWSDL($url); + $imported++; + $imported_urls[] = $url; + } + } else { + $this->debug("Unexpected scenario: empty URL for unloaded import"); + } + } + } } - } + } // add new data to operation data - foreach($this->bindings as $binding => $bindingData) { + foreach ($this->bindings as $binding => $bindingData) { if (isset($bindingData['operations']) && is_array($bindingData['operations'])) { - foreach($bindingData['operations'] as $operation => $data) { + foreach ($bindingData['operations'] as $operation => $data) { $this->debug('post-parse data gathering for ' . $operation); $this->bindings[$binding]['operations'][$operation]['input'] = - isset($this->bindings[$binding]['operations'][$operation]['input']) ? - array_merge($this->bindings[$binding]['operations'][$operation]['input'], $this->portTypes[ $bindingData['portType'] ][$operation]['input']) : - $this->portTypes[ $bindingData['portType'] ][$operation]['input']; + isset($this->bindings[$binding]['operations'][$operation]['input']) ? + array_merge($this->bindings[$binding]['operations'][$operation]['input'], $this->portTypes[$bindingData['portType']][$operation]['input']) : + $this->portTypes[$bindingData['portType']][$operation]['input']; $this->bindings[$binding]['operations'][$operation]['output'] = - isset($this->bindings[$binding]['operations'][$operation]['output']) ? - array_merge($this->bindings[$binding]['operations'][$operation]['output'], $this->portTypes[ $bindingData['portType'] ][$operation]['output']) : - $this->portTypes[ $bindingData['portType'] ][$operation]['output']; - if(isset($this->messages[ $this->bindings[$binding]['operations'][$operation]['input']['message'] ])){ - $this->bindings[$binding]['operations'][$operation]['input']['parts'] = $this->messages[ $this->bindings[$binding]['operations'][$operation]['input']['message'] ]; - } - if(isset($this->messages[ $this->bindings[$binding]['operations'][$operation]['output']['message'] ])){ - $this->bindings[$binding]['operations'][$operation]['output']['parts'] = $this->messages[ $this->bindings[$binding]['operations'][$operation]['output']['message'] ]; + isset($this->bindings[$binding]['operations'][$operation]['output']) ? + array_merge($this->bindings[$binding]['operations'][$operation]['output'], $this->portTypes[$bindingData['portType']][$operation]['output']) : + $this->portTypes[$bindingData['portType']][$operation]['output']; + if (isset($this->messages[$this->bindings[$binding]['operations'][$operation]['input']['message']])) { + $this->bindings[$binding]['operations'][$operation]['input']['parts'] = $this->messages[$this->bindings[$binding]['operations'][$operation]['input']['message']]; + } + if (isset($this->messages[$this->bindings[$binding]['operations'][$operation]['output']['message']])) { + $this->bindings[$binding]['operations'][$operation]['output']['parts'] = $this->messages[$this->bindings[$binding]['operations'][$operation]['output']['message']]; } // Set operation style if necessary, but do not override one already provided - if (isset($bindingData['style']) && !isset($this->bindings[$binding]['operations'][$operation]['style'])) { + if (isset($bindingData['style']) && !isset($this->bindings[$binding]['operations'][$operation]['style'])) { $this->bindings[$binding]['operations'][$operation]['style'] = $bindingData['style']; } $this->bindings[$binding]['operations'][$operation]['transport'] = isset($bindingData['transport']) ? $bindingData['transport'] : ''; - $this->bindings[$binding]['operations'][$operation]['documentation'] = isset($this->portTypes[ $bindingData['portType'] ][$operation]['documentation']) ? $this->portTypes[ $bindingData['portType'] ][$operation]['documentation'] : ''; + $this->bindings[$binding]['operations'][$operation]['documentation'] = isset($this->portTypes[$bindingData['portType']][$operation]['documentation']) ? $this->portTypes[$bindingData['portType']][$operation]['documentation'] : ''; $this->bindings[$binding]['operations'][$operation]['endpoint'] = isset($bindingData['endpoint']) ? $bindingData['endpoint'] : ''; } } } - } + } /** * parses the wsdl document @@ -4770,8 +4930,9 @@ class wsdl extends nusoap_base { * @param string $wsdl path or URL * @access private */ - function parseWSDL($wsdl = '') { - $this->debug("parse WSDL at path=$wsdl"); + function parseWSDL($wsdl = '') + { + $this->debug("parse WSDL at path=$wsdl"); if ($wsdl == '') { $this->debug('no wsdl passed to parseWSDL()!!'); @@ -4784,38 +4945,38 @@ class wsdl extends nusoap_base { if (isset($wsdl_props['scheme']) && ($wsdl_props['scheme'] == 'http' || $wsdl_props['scheme'] == 'https')) { $this->debug('getting WSDL http(s) URL ' . $wsdl); - // get wsdl - $tr = new soap_transport_http($wsdl, $this->curl_options, $this->use_curl); - $tr->request_method = 'GET'; - $tr->useSOAPAction = false; - if($this->proxyhost && $this->proxyport){ - $tr->setProxy($this->proxyhost,$this->proxyport,$this->proxyusername,$this->proxypassword); - } - if ($this->authtype != '') { - $tr->setCredentials($this->username, $this->password, $this->authtype, array(), $this->certRequest); - } - $tr->setEncoding('gzip, deflate'); - $wsdl_string = $tr->send('', $this->timeout, $this->response_timeout); - //$this->debug("WSDL request\n" . $tr->outgoing_payload); - //$this->debug("WSDL response\n" . $tr->incoming_payload); - $this->appendDebug($tr->getDebug()); - // catch errors - if($err = $tr->getError() ){ - $errstr = 'Getting ' . $wsdl . ' - HTTP ERROR: '.$err; - $this->debug($errstr); - $this->setError($errstr); - unset($tr); - return false; - } - unset($tr); - $this->debug("got WSDL URL"); + // get wsdl + $tr = new soap_transport_http($wsdl, $this->curl_options, $this->use_curl); + $tr->request_method = 'GET'; + $tr->useSOAPAction = false; + if ($this->proxyhost && $this->proxyport) { + $tr->setProxy($this->proxyhost, $this->proxyport, $this->proxyusername, $this->proxypassword); + } + if ($this->authtype != '') { + $tr->setCredentials($this->username, $this->password, $this->authtype, array(), $this->certRequest); + } + $tr->setEncoding(); + $wsdl_string = $tr->send('', $this->timeout, $this->response_timeout); + //$this->debug("WSDL request\n" . $tr->outgoing_payload); + //$this->debug("WSDL response\n" . $tr->incoming_payload); + $this->appendDebug($tr->getDebug()); + // catch errors + if ($err = $tr->getError()) { + $errstr = 'Getting ' . $wsdl . ' - HTTP ERROR: ' . $err; + $this->debug($errstr); + $this->setError($errstr); + unset($tr); + return false; + } + unset($tr); + $this->debug("got WSDL URL"); } else { // $wsdl is not http(s), so treat it as a file URL or plain file path - if (isset($wsdl_props['scheme']) && ($wsdl_props['scheme'] == 'file') && isset($wsdl_props['path'])) { - $path = isset($wsdl_props['host']) ? ($wsdl_props['host'] . ':' . $wsdl_props['path']) : $wsdl_props['path']; - } else { - $path = $wsdl; - } + if (isset($wsdl_props['scheme']) && ($wsdl_props['scheme'] == 'file') && isset($wsdl_props['path'])) { + $path = isset($wsdl_props['host']) ? ($wsdl_props['host'] . ':' . $wsdl_props['path']) : $wsdl_props['path']; + } else { + $path = $wsdl; + } $this->debug('getting WSDL file ' . $path); if ($fp = @fopen($path, 'r')) { $wsdl_string = ''; @@ -4824,8 +4985,8 @@ class wsdl extends nusoap_base { } fclose($fp); } else { - $errstr = "Bad path to WSDL file $path"; - $this->debug($errstr); + $errstr = "Bad path to WSDL file $path"; + $this->debug($errstr); $this->setError($errstr); return false; } @@ -4846,23 +5007,26 @@ class wsdl extends nusoap_base { if (!xml_parse($this->parser, $wsdl_string, true)) { // Display an error message. $errstr = sprintf( - 'XML error parsing WSDL from %s on line %d: %s', - $wsdl, + 'XML error parsing WSDL from %s on line %d: %s', + $wsdl, xml_get_current_line_number($this->parser), xml_error_string(xml_get_error_code($this->parser)) - ); + ); $this->debug($errstr); - $this->debug("XML payload:\n" . $wsdl_string); + $this->debug("XML payload:\n" . $wsdl_string); $this->setError($errstr); + xml_parser_free($this->parser); + unset($this->parser); return false; } - // free the parser + // free the parser xml_parser_free($this->parser); + unset($this->parser); $this->debug('Parsing WSDL done'); - // catch wsdl parse errors - if($this->getError()){ - return false; - } + // catch wsdl parse errors + if ($this->getError()) { + return false; + } return true; } @@ -4871,7 +5035,7 @@ class wsdl extends nusoap_base { * * @param string $parser XML parser object * @param string $name element name - * @param string $attrs associative array of attributes + * @param array $attrs associative array of attributes * @access private */ function start_element($parser, $name, $attrs) @@ -4881,7 +5045,7 @@ class wsdl extends nusoap_base { $this->appendDebug($this->currentSchema->getDebug()); $this->currentSchema->clearDebug(); } elseif (preg_match('/schema$/', $name)) { - $this->debug('Parsing WSDL schema'); + $this->debug('Parsing WSDL schema'); // $this->debug("startElement for $name ($attrs[name]). status = $this->status (".$this->getLocalPart($name).")"); $this->status = 'schema'; $this->currentSchema = new nusoap_xmlschema('', '', $this->namespaces); @@ -4897,9 +5061,9 @@ class wsdl extends nusoap_base { $this->message[$pos] = array('cdata' => ''); // process attributes if (count($attrs) > 0) { - // register namespace declarations - foreach($attrs as $k => $v) { - if (preg_match('/^xmlns/',$k)) { + // register namespace declarations + foreach ($attrs as $k => $v) { + if (preg_match('/^xmlns/', $k)) { if ($ns_prefix = substr(strrchr($k, ':'), 1)) { $this->namespaces[$ns_prefix] = $v; } else { @@ -4912,7 +5076,8 @@ class wsdl extends nusoap_base { } } // expand each attribute prefix to its namespace - foreach($attrs as $k => $v) { + $eAttrs = array (); + foreach ($attrs as $k => $v) { $k = strpos($k, ':') ? $this->expandQname($k) : $k; if ($k != 'location' && $k != 'soapAction' && $k != 'namespace') { $v = strpos($v, ':') ? $this->expandQname($v) : $v; @@ -4923,6 +5088,10 @@ class wsdl extends nusoap_base { } else { $attrs = array(); } + // Set default prefix and namespace + // to prevent error Undefined variable $prefix and $namespace if (preg_match('/:/', $name)) return 0 or FALSE + $prefix = ''; + $namespace = ''; // get element prefix, namespace and name if (preg_match('/:/', $name)) { // get ns prefix @@ -4932,418 +5101,427 @@ class wsdl extends nusoap_base { // get unqualified name $name = substr(strstr($name, ':'), 1); } - // process attributes, expanding any prefixes to namespaces + // process attributes, expanding any prefixes to namespaces // find status, register data switch ($this->status) { case 'message': if ($name == 'part') { - if (isset($attrs['type'])) { - $this->debug("msg " . $this->currentMessage . ": found part (with type) $attrs[name]: " . implode(',', $attrs)); - $this->messages[$this->currentMessage][$attrs['name']] = $attrs['type']; - } - if (isset($attrs['element'])) { - $this->debug("msg " . $this->currentMessage . ": found part (with element) $attrs[name]: " . implode(',', $attrs)); - $this->messages[$this->currentMessage][$attrs['name']] = $attrs['element'] . '^'; - } - } - break; - case 'portType': - switch ($name) { - case 'operation': - $this->currentPortOperation = $attrs['name']; - $this->debug("portType $this->currentPortType operation: $this->currentPortOperation"); - if (isset($attrs['parameterOrder'])) { - $this->portTypes[$this->currentPortType][$attrs['name']]['parameterOrder'] = $attrs['parameterOrder']; - } - break; - case 'documentation': - $this->documentation = true; - break; - // merge input/output data - default: - $m = isset($attrs['message']) ? $this->getLocalPart($attrs['message']) : ''; - $this->portTypes[$this->currentPortType][$this->currentPortOperation][$name]['message'] = $m; - break; - } - break; - case 'binding': - switch ($name) { - case 'binding': - // get ns prefix - if (isset($attrs['style'])) { - $this->bindings[$this->currentBinding]['prefix'] = $prefix; - } - $this->bindings[$this->currentBinding] = array_merge($this->bindings[$this->currentBinding], $attrs); - break; - case 'header': - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus]['headers'][] = $attrs; - break; - case 'operation': - if (isset($attrs['soapAction'])) { - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['soapAction'] = $attrs['soapAction']; - } - if (isset($attrs['style'])) { - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['style'] = $attrs['style']; - } - if (isset($attrs['name'])) { - $this->currentOperation = $attrs['name']; - $this->debug("current binding operation: $this->currentOperation"); - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['name'] = $attrs['name']; - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['binding'] = $this->currentBinding; - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['endpoint'] = isset($this->bindings[$this->currentBinding]['endpoint']) ? $this->bindings[$this->currentBinding]['endpoint'] : ''; - } - break; - case 'input': - $this->opStatus = 'input'; - break; - case 'output': - $this->opStatus = 'output'; - break; - case 'body': - if (isset($this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus])) { - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus] = array_merge($this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus], $attrs); - } else { - $this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus] = $attrs; - } - break; - } - break; - case 'service': - switch ($name) { - case 'port': - $this->currentPort = $attrs['name']; - $this->debug('current port: ' . $this->currentPort); - $this->ports[$this->currentPort]['binding'] = $this->getLocalPart($attrs['binding']); + if (isset($attrs['type'])) { + $this->debug("msg " . $this->currentMessage . ": found part (with type) $attrs[name]: " . implode(',', $attrs)); + $this->messages[$this->currentMessage][$attrs['name']] = $attrs['type']; + } + if (isset($attrs['element'])) { + $this->debug("msg " . $this->currentMessage . ": found part (with element) $attrs[name]: " . implode(',', $attrs)); + $this->messages[$this->currentMessage][$attrs['name']] = $attrs['element'] . '^'; + } + } + break; + case 'portType': + switch ($name) { + case 'operation': + $this->currentPortOperation = $attrs['name']; + $this->debug("portType $this->currentPortType operation: $this->currentPortOperation"); + if (isset($attrs['parameterOrder'])) { + $this->portTypes[$this->currentPortType][$attrs['name']]['parameterOrder'] = $attrs['parameterOrder']; + } + break; + case 'documentation': + $this->documentation = true; + break; + // merge input/output data + default: + $m = isset($attrs['message']) ? $this->getLocalPart($attrs['message']) : ''; + $this->portTypes[$this->currentPortType][$this->currentPortOperation][$name]['message'] = $m; + break; + } + break; + case 'binding': + switch ($name) { + case 'binding': + // get ns prefix + if (isset($attrs['style'])) { + $this->bindings[$this->currentBinding]['prefix'] = $prefix; + } + $this->bindings[$this->currentBinding] = array_merge($this->bindings[$this->currentBinding], $attrs); + break; + case 'header': + $this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus]['headers'][] = $attrs; + break; + case 'operation': + if (isset($attrs['soapAction'])) { + $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['soapAction'] = $attrs['soapAction']; + } + if (isset($attrs['style'])) { + $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['style'] = $attrs['style']; + } + if (isset($attrs['name'])) { + $this->currentOperation = $attrs['name']; + $this->debug("current binding operation: $this->currentOperation"); + $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['name'] = $attrs['name']; + $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['binding'] = $this->currentBinding; + $this->bindings[$this->currentBinding]['operations'][$this->currentOperation]['endpoint'] = isset($this->bindings[$this->currentBinding]['endpoint']) ? $this->bindings[$this->currentBinding]['endpoint'] : ''; + } + break; + case 'input': + $this->opStatus = 'input'; + break; + case 'output': + $this->opStatus = 'output'; + break; + case 'body': + if (isset($this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus])) { + $this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus] = array_merge($this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus], $attrs); + } else { + $this->bindings[$this->currentBinding]['operations'][$this->currentOperation][$this->opStatus] = $attrs; + } + break; + } + break; + case 'service': + switch ($name) { + case 'port': + $this->currentPort = $attrs['name']; + $this->debug('current port: ' . $this->currentPort); + $this->ports[$this->currentPort]['binding'] = $this->getLocalPart($attrs['binding']); - break; - case 'address': - $this->ports[$this->currentPort]['location'] = $attrs['location']; - $this->ports[$this->currentPort]['bindingType'] = $namespace; - $this->bindings[ $this->ports[$this->currentPort]['binding'] ]['bindingType'] = $namespace; - $this->bindings[ $this->ports[$this->currentPort]['binding'] ]['endpoint'] = $attrs['location']; - break; - } - break; - } - // set status - switch ($name) { - case 'import': - if (isset($attrs['location'])) { - $this->import[$attrs['namespace']][] = array('location' => $attrs['location'], 'loaded' => false); - $this->debug('parsing import ' . $attrs['namespace']. ' - ' . $attrs['location'] . ' (' . count($this->import[$attrs['namespace']]).')'); - } else { - $this->import[$attrs['namespace']][] = array('location' => '', 'loaded' => true); - if (! $this->getPrefixFromNamespace($attrs['namespace'])) { - $this->namespaces['ns'.(count($this->namespaces)+1)] = $attrs['namespace']; - } - $this->debug('parsing import ' . $attrs['namespace']. ' - [no location] (' . count($this->import[$attrs['namespace']]).')'); - } - break; - //wait for schema - //case 'types': - // $this->status = 'schema'; - // break; - case 'message': - $this->status = 'message'; - $this->messages[$attrs['name']] = array(); - $this->currentMessage = $attrs['name']; - break; - case 'portType': - $this->status = 'portType'; - $this->portTypes[$attrs['name']] = array(); - $this->currentPortType = $attrs['name']; - break; - case "binding": - if (isset($attrs['name'])) { - // get binding name - if (strpos($attrs['name'], ':')) { - $this->currentBinding = $this->getLocalPart($attrs['name']); - } else { - $this->currentBinding = $attrs['name']; - } - $this->status = 'binding'; - $this->bindings[$this->currentBinding]['portType'] = $this->getLocalPart($attrs['type']); - $this->debug("current binding: $this->currentBinding of portType: " . $attrs['type']); - } - break; - case 'service': - $this->serviceName = $attrs['name']; - $this->status = 'service'; - $this->debug('current service: ' . $this->serviceName); - break; - case 'definitions': - foreach ($attrs as $name => $value) { - $this->wsdl_info[$name] = $value; - } - break; - } - } - } - - /** - * end-element handler - * - * @param string $parser XML parser object - * @param string $name element name - * @access private - */ - function end_element($parser, $name){ - // unset schema status - if (/*preg_match('/types$/', $name) ||*/ preg_match('/schema$/', $name)) { - $this->status = ""; - $this->appendDebug($this->currentSchema->getDebug()); - $this->currentSchema->clearDebug(); - $this->schemas[$this->currentSchema->schemaTargetNamespace][] = $this->currentSchema; - $this->debug('Parsing WSDL schema done'); - } - if ($this->status == 'schema') { - $this->currentSchema->schemaEndElement($parser, $name); - } else { - // bring depth down a notch - $this->depth--; - } - // end documentation - if ($this->documentation) { - //TODO: track the node to which documentation should be assigned; it can be a part, message, etc. - //$this->portTypes[$this->currentPortType][$this->currentPortOperation]['documentation'] = $this->documentation; - $this->documentation = false; - } - } - - /** - * element content handler - * - * @param string $parser XML parser object - * @param string $data element content - * @access private - */ - function character_data($parser, $data) - { - $pos = isset($this->depth_array[$this->depth]) ? $this->depth_array[$this->depth] : 0; - if (isset($this->message[$pos]['cdata'])) { - $this->message[$pos]['cdata'] .= $data; - } - if ($this->documentation) { - $this->documentation .= $data; - } - } - - /** - * if authenticating, set user credentials here - * - * @param string $username - * @param string $password - * @param string $authtype (basic|digest|certificate|ntlm) - * @param array $certRequest (keys must be cainfofile (optional), sslcertfile, sslkeyfile, passphrase, certpassword (optional), verifypeer (optional), verifyhost (optional): see corresponding options in cURL docs) - * @access public - */ - function setCredentials($username, $password, $authtype = 'basic', $certRequest = array()) { - $this->debug("setCredentials username=$username authtype=$authtype certRequest="); - $this->appendDebug($this->varDump($certRequest)); - $this->username = $username; - $this->password = $password; - $this->authtype = $authtype; - $this->certRequest = $certRequest; - } - - function getBindingData($binding) - { - if (is_array($this->bindings[$binding])) { - return $this->bindings[$binding]; - } - } - - /** - * returns an assoc array of operation names => operation data - * - * @param string $portName WSDL port name - * @param string $bindingType eg: soap, smtp, dime (only soap and soap12 are currently supported) - * @return array - * @access public - */ - function getOperations($portName = '', $bindingType = 'soap') { - $ops = array(); - if ($bindingType == 'soap') { - $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap/'; - } elseif ($bindingType == 'soap12') { - $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap12/'; - } else { - $this->debug("getOperations bindingType $bindingType may not be supported"); - } - $this->debug("getOperations for port '$portName' bindingType $bindingType"); - // loop thru ports - foreach($this->ports as $port => $portData) { - $this->debug("getOperations checking port $port bindingType " . $portData['bindingType']); - if ($portName == '' || $port == $portName) { - // binding type of port matches parameter - if ($portData['bindingType'] == $bindingType) { - $this->debug("getOperations found port $port bindingType $bindingType"); - //$this->debug("port data: " . $this->varDump($portData)); - //$this->debug("bindings: " . $this->varDump($this->bindings[ $portData['binding'] ])); - // merge bindings - if (isset($this->bindings[ $portData['binding'] ]['operations'])) { - $ops = array_merge ($ops, $this->bindings[ $portData['binding'] ]['operations']); - } - } - } - } - if (count($ops) == 0) { - $this->debug("getOperations found no operations for port '$portName' bindingType $bindingType"); - } - return $ops; - } - - /** - * returns an associative array of data necessary for calling an operation - * - * @param string $operation name of operation - * @param string $bindingType type of binding eg: soap, soap12 - * @return array - * @access public - */ - function getOperationData($operation, $bindingType = 'soap') - { - if ($bindingType == 'soap') { - $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap/'; - } elseif ($bindingType == 'soap12') { - $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap12/'; - } - // loop thru ports - foreach($this->ports as $port => $portData) { - // binding type of port matches parameter - if ($portData['bindingType'] == $bindingType) { - // get binding - //foreach($this->bindings[ $portData['binding'] ]['operations'] as $bOperation => $opData) { - foreach(array_keys($this->bindings[ $portData['binding'] ]['operations']) as $bOperation) { - // note that we could/should also check the namespace here - if ($operation == $bOperation) { - $opData = $this->bindings[ $portData['binding'] ]['operations'][$operation]; - return $opData; - } - } - } - } - } - - /** - * returns an associative array of data necessary for calling an operation - * - * @param string $soapAction soapAction for operation - * @param string $bindingType type of binding eg: soap, soap12 - * @return array - * @access public - */ - function getOperationDataForSoapAction($soapAction, $bindingType = 'soap') { - if ($bindingType == 'soap') { - $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap/'; - } elseif ($bindingType == 'soap12') { - $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap12/'; - } - // loop thru ports - foreach($this->ports as $port => $portData) { - // binding type of port matches parameter - if ($portData['bindingType'] == $bindingType) { - // loop through operations for the binding - foreach ($this->bindings[ $portData['binding'] ]['operations'] as $bOperation => $opData) { - if ($opData['soapAction'] == $soapAction) { - return $opData; - } - } - } - } - } - - /** - * returns an array of information about a given type - * returns false if no type exists by the given name - * - * typeDef = array( - * 'elements' => array(), // refs to elements array - * 'restrictionBase' => '', - * 'phpType' => '', - * 'order' => '(sequence|all)', - * 'attrs' => array() // refs to attributes array - * ) - * - * @param string $type the type - * @param string $ns namespace (not prefix) of the type - * @return mixed - * @access public - * @see nusoap_xmlschema - */ - function getTypeDef($type, $ns) { - $this->debug("in getTypeDef: type=$type, ns=$ns"); - if ((! $ns) && isset($this->namespaces['tns'])) { - $ns = $this->namespaces['tns']; - $this->debug("in getTypeDef: type namespace forced to $ns"); - } - if (!isset($this->schemas[$ns])) { - foreach ($this->schemas as $ns0 => $schema0) { - if (strcasecmp($ns, $ns0) == 0) { - $this->debug("in getTypeDef: replacing schema namespace $ns with $ns0"); - $ns = $ns0; - break; - } - } - } - if (isset($this->schemas[$ns])) { - $this->debug("in getTypeDef: have schema for namespace $ns"); - for ($i = 0; $i < count($this->schemas[$ns]); $i++) { - $xs = &$this->schemas[$ns][$i]; - $t = $xs->getTypeDef($type); - $this->appendDebug($xs->getDebug()); - $xs->clearDebug(); - if ($t) { - $this->debug("in getTypeDef: found type $type"); - if (!isset($t['phpType'])) { - // get info for type to tack onto the element - $uqType = substr($t['type'], strrpos($t['type'], ':') + 1); - $ns = substr($t['type'], 0, strrpos($t['type'], ':')); - $etype = $this->getTypeDef($uqType, $ns); - if ($etype) { - $this->debug("found type for [element] $type:"); - $this->debug($this->varDump($etype)); - if (isset($etype['phpType'])) { - $t['phpType'] = $etype['phpType']; - } - if (isset($etype['elements'])) { - $t['elements'] = $etype['elements']; - } - if (isset($etype['attrs'])) { - $t['attrs'] = $etype['attrs']; - } - } else { - $this->debug("did not find type for [element] $type"); - } - } - return $t; - } - } - $this->debug("in getTypeDef: did not find type $type"); - } else { - $this->debug("in getTypeDef: do not have schema for namespace $ns"); - } - return false; - } + break; + case 'address': + $this->ports[$this->currentPort]['location'] = $attrs['location']; + $this->ports[$this->currentPort]['bindingType'] = $namespace; + $this->bindings[$this->ports[$this->currentPort]['binding']]['bindingType'] = $namespace; + $this->bindings[$this->ports[$this->currentPort]['binding']]['endpoint'] = $attrs['location']; + break; + } + break; + } + // set status + switch ($name) { + case 'import': + if (isset($attrs['location'])) { + $this->import[$attrs['namespace']][] = array('location' => $attrs['location'], 'loaded' => false); + $this->debug('parsing import ' . $attrs['namespace'] . ' - ' . $attrs['location'] . ' (' . count($this->import[$attrs['namespace']]) . ')'); + } else { + $this->import[$attrs['namespace']][] = array('location' => '', 'loaded' => true); + if (!$this->getPrefixFromNamespace($attrs['namespace'])) { + $this->namespaces['ns' . (count($this->namespaces) + 1)] = $attrs['namespace']; + } + $this->debug('parsing import ' . $attrs['namespace'] . ' - [no location] (' . count($this->import[$attrs['namespace']]) . ')'); + } + break; + //wait for schema + //case 'types': + // $this->status = 'schema'; + // break; + case 'message': + $this->status = 'message'; + $this->messages[$attrs['name']] = array(); + $this->currentMessage = $attrs['name']; + break; + case 'portType': + $this->status = 'portType'; + $this->portTypes[$attrs['name']] = array(); + $this->currentPortType = $attrs['name']; + break; + case "binding": + if (isset($attrs['name'])) { + // get binding name + if (strpos($attrs['name'], ':')) { + $this->currentBinding = $this->getLocalPart($attrs['name']); + } else { + $this->currentBinding = $attrs['name']; + } + $this->status = 'binding'; + $this->bindings[$this->currentBinding]['portType'] = $this->getLocalPart($attrs['type']); + $this->debug("current binding: $this->currentBinding of portType: " . $attrs['type']); + } + break; + case 'service': + $this->serviceName = $attrs['name']; + $this->status = 'service'; + $this->debug('current service: ' . $this->serviceName); + break; + case 'definitions': + foreach ($attrs as $name => $value) { + $this->wsdl_info[$name] = $value; + } + break; + } + } + } /** - * prints html description of services - * - * @access private - */ - function webDescription(){ - global $HTTP_SERVER_VARS; + * end-element handler + * + * @param string $parser XML parser object + * @param string $name element name + * @access private + */ + function end_element($parser, $name) + { + // unset schema status + if (/*preg_match('/types$/', $name) ||*/ + preg_match('/schema$/', $name) + ) { + $this->status = ""; + $this->appendDebug($this->currentSchema->getDebug()); + $this->currentSchema->clearDebug(); + $this->schemas[$this->currentSchema->schemaTargetNamespace][] = $this->currentSchema; + $this->debug('Parsing WSDL schema done'); + } + if ($this->status == 'schema') { + $this->currentSchema->schemaEndElement($parser, $name); + } else { + // bring depth down a notch + $this->depth--; + } + // end documentation + if ($this->documentation) { + //TODO: track the node to which documentation should be assigned; it can be a part, message, etc. + //$this->portTypes[$this->currentPortType][$this->currentPortOperation]['documentation'] = $this->documentation; + $this->documentation = false; + } + } - if (isset($_SERVER)) { - $PHP_SELF = $_SERVER['PHP_SELF']; - } elseif (isset($HTTP_SERVER_VARS)) { - $PHP_SELF = $HTTP_SERVER_VARS['PHP_SELF']; - } else { - $this->setError("Neither _SERVER nor HTTP_SERVER_VARS is available"); - } + /** + * element content handler + * + * @param string $parser XML parser object + * @param string $data element content + * @access private + */ + function character_data($parser, $data) + { + $pos = isset($this->depth_array[$this->depth]) ? $this->depth_array[$this->depth] : 0; + if (isset($this->message[$pos]['cdata'])) { + $this->message[$pos]['cdata'] .= $data; + } + if ($this->documentation) { + $this->documentation .= $data; + } + } - $b = ' - NuSOAP: '.$this->serviceName.' + /** + * if authenticating, set user credentials here + * + * @param string $username + * @param string $password + * @param string $authtype (basic|digest|certificate|ntlm) + * @param array $certRequest (keys must be cainfofile (optional), sslcertfile, sslkeyfile, passphrase, certpassword (optional), verifypeer (optional), verifyhost (optional): see corresponding options in cURL docs) + * @access public + */ + function setCredentials($username, $password, $authtype = 'basic', $certRequest = array()) + { + $this->debug("setCredentials username=$username authtype=$authtype certRequest="); + $this->appendDebug($this->varDump($certRequest)); + $this->username = $username; + $this->password = $password; + $this->authtype = $authtype; + $this->certRequest = $certRequest; + } + + function getBindingData($binding) + { + if (is_array($this->bindings[$binding])) { + return $this->bindings[$binding]; + } + return false; + } + + /** + * returns an assoc array of operation names => operation data + * + * @param string $portName WSDL port name + * @param string $bindingType eg: soap, smtp, dime (only soap and soap12 are currently supported) + * @return array + * @access public + */ + function getOperations($portName = '', $bindingType = 'soap') + { + $ops = array(); + if ($bindingType == 'soap') { + $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap/'; + } elseif ($bindingType == 'soap12') { + $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap12/'; + } else { + $this->debug("getOperations bindingType $bindingType may not be supported"); + } + $this->debug("getOperations for port '$portName' bindingType $bindingType"); + // loop thru ports + foreach ($this->ports as $port => $portData) { + $this->debug("getOperations checking port $port bindingType " . $portData['bindingType']); + if ($portName == '' || $port == $portName) { + // binding type of port matches parameter + if ($portData['bindingType'] == $bindingType) { + $this->debug("getOperations found port $port bindingType $bindingType"); + //$this->debug("port data: " . $this->varDump($portData)); + //$this->debug("bindings: " . $this->varDump($this->bindings[ $portData['binding'] ])); + // merge bindings + if (isset($this->bindings[$portData['binding']]['operations'])) { + $ops = array_merge($ops, $this->bindings[$portData['binding']]['operations']); + } + } + } + } + if (count($ops) == 0) { + $this->debug("getOperations found no operations for port '$portName' bindingType $bindingType"); + } + return $ops; + } + + /** + * returns an associative array of data necessary for calling an operation + * + * @param string $operation name of operation + * @param string $bindingType type of binding eg: soap, soap12 + * @return array + * @access public + */ + function getOperationData($operation, $bindingType = 'soap') + { + if ($bindingType == 'soap') { + $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap/'; + } elseif ($bindingType == 'soap12') { + $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap12/'; + } + // loop thru ports + foreach ($this->ports as $portData) { + // binding type of port matches parameter + if ($portData['bindingType'] == $bindingType) { + // get binding + //foreach($this->bindings[ $portData['binding'] ]['operations'] as $bOperation => $opData) { + // note that we could/should also check the namespace here + if (in_array ($operation, array_keys ($this->bindings[$portData['binding']]['operations']))) + { + return $this->bindings[$portData['binding']]['operations'][$operation]; + } + } + } + return array (); + } + + /** + * returns an associative array of data necessary for calling an operation + * + * @param string $soapAction soapAction for operation + * @param string $bindingType type of binding eg: soap, soap12 + * @return array + * @access public + */ + function getOperationDataForSoapAction($soapAction, $bindingType = 'soap') + { + if ($bindingType == 'soap') { + $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap/'; + } elseif ($bindingType == 'soap12') { + $bindingType = 'http://schemas.xmlsoap.org/wsdl/soap12/'; + } + // loop thru ports + foreach ($this->ports as $portData) { + // binding type of port matches parameter + if ($portData['bindingType'] == $bindingType) { + // loop through operations for the binding + foreach ($this->bindings[$portData['binding']]['operations'] as $opData) { + if ($opData['soapAction'] == $soapAction) { + return $opData; + } + } + } + } + return array (); + } + + /** + * returns an array of information about a given type + * returns false if no type exists by the given name + * typeDef = array( + * 'elements' => array(), // refs to elements array + * 'restrictionBase' => '', + * 'phpType' => '', + * 'order' => '(sequence|all)', + * 'attrs' => array() // refs to attributes array + * ) + * + * @param string $type the type + * @param string $ns namespace (not prefix) of the type + * @return false + * @access public + * @see nusoap_xmlschema + */ + function getTypeDef($type, $ns) + { + $this->debug("in getTypeDef: type=$type, ns=$ns"); + if ((!$ns) && isset($this->namespaces['tns'])) { + $ns = $this->namespaces['tns']; + $this->debug("in getTypeDef: type namespace forced to $ns"); + } + if (!isset($this->schemas[$ns])) { + foreach ($this->schemas as $ns0 => $schema0) { + if (strcasecmp($ns, $ns0) == 0) { + $this->debug("in getTypeDef: replacing schema namespace $ns with $ns0"); + $ns = $ns0; + break; + } + } + } + if (isset($this->schemas[$ns])) { + $this->debug("in getTypeDef: have schema for namespace $ns"); + for ($i = 0; $i < count($this->schemas[$ns]); $i++) { + $xs = &$this->schemas[$ns][$i]; + $t = $xs->getTypeDef($type); + $this->appendDebug($xs->getDebug()); + $xs->clearDebug(); + if ($t) { + $this->debug("in getTypeDef: found type $type"); + if (!isset($t['phpType'])) { + // get info for type to tack onto the element + $uqType = substr($t['type'], strrpos($t['type'], ':') + 1); + $ns = substr($t['type'], 0, strrpos($t['type'], ':')); + $etype = $this->getTypeDef($uqType, $ns); + if ($etype) { + $this->debug("found type for [element] $type:"); + $this->debug($this->varDump($etype)); + if (isset($etype['phpType'])) { + $t['phpType'] = $etype['phpType']; + } + if (isset($etype['elements'])) { + $t['elements'] = $etype['elements']; + } + if (isset($etype['attrs'])) { + $t['attrs'] = $etype['attrs']; + } + } else { + $this->debug("did not find type for [element] $type"); + } + } + return $t; + } + } + $this->debug("in getTypeDef: did not find type $type"); + } else { + $this->debug("in getTypeDef: do not have schema for namespace $ns"); + } + return false; + } + + /** + * prints html description of services + * + * @access private + */ + function webDescription() + { + global $HTTP_SERVER_VARS; + + if (isset($_SERVER)) { + $PHP_SELF = $_SERVER['PHP_SELF']; + } elseif (isset($HTTP_SERVER_VARS)) { + $PHP_SELF = $HTTP_SERVER_VARS['PHP_SELF']; + } else { + $this->setError("Neither _SERVER nor HTTP_SERVER_VARS is available"); + $PHP_SELF = ''; + } + + $b = ' + NuSOAP: ' . $this->serviceName . ' __N__
      __N__
      __N__ __N__ __N__ __N__ __N____N____N__ __N__ __N__ __N__
      __N__
      __N__
      __N__

      Reserve a table

      __N____N__ __N__
      __N____N__ __N__
      __N__ __N__ \" />__N__ __N__
      __N__
      __N____N__
      __N__
      __N____N__
      __N__
      __N____N__
      __N__
      __N____N__
      __N__
      __N____N__
      __N__
      __N____N__
      __N__
      __N____N__
      __N__ __N__
      __N__ __N__
      __N__
      __N____N__
      __N__
      __N__ __N__ __N____N____N____N____N____N____N__', '', 0); +INSERT INTO llx_website_page(rowid, fk_page, fk_website, pageurl, aliasalt, title, description, lang, image, keywords, status, date_creation, tms, import_key, grabbed_from, type_container, htmlheader, content, author_alias, allowed_in_frames) VALUES(2__+MAX_llx_website_page__, null, __WEBSITE_ID__, 'contact', '', 'Contact us', '', '', '', '', '1', '2022-08-16 14:40:51', '2022-11-20 14:50:10', null, '', 'page', '', '__N__email;__N__ $message = GETPOST(\'message\', \'alpha\');__N__ $cmail = new CMailFile(\'Contact from website\', $to, $from, $message);__N__ if ($cmail->sendfile()) {__N__ ?>__N__ __N__ trans(\"ErrorFailedToSendMail\", $from, $to).\'. \'.$cmail->error;__N__ }__N__}__N__?>__N____N____N____N____N__
      __N__
      __N__
      __N__
      __N__
      __N__
      __N__

      Say Hi

      __N____N__ We are happy to get in touch with you__N__
      __N__
      __N__
      __N____N__
      __N__
      __N____N__

      __N__ __N__
      __N__
      __N__
      __N__
      __N__

      Leave a message

      __N__
      __N____N__
      __N__ __N__ __N__ \">__N__ __N__
      __N__
      __N____N__
      __N__ trans(\"Phone\"); ?>__N____N__ __N__
      __N____N__
      __N__ trans(\"Email\"); ?>__N____N__ __N____N__ trans(\"Message\"); ?>__N____N__ __N__
      __N____N__
      __N__ __N__
      __N__ __N__
      __N____N__
      __N__
      Weekdays
      __N____N__
      __N__ $day : \" .getDolGlobalString(\"MAIN_INFO_OPENINGHOURS_$day\") .\"

      \"; __N__ }__N__ ?>__N__
      __N____N__
      Weekends
      __N____N__
      __N__

      Saturday and Sunday

      __N____N__

      to be determined !

      __N__
      __N__
      __N____N__
      __N__

      __N__ __N__

      __N__ getFullAddress() ?>__N__

      __N____N__ __N__
      __N__
      __N__ __N__
      __N__
      __N__
      __N__
      __N__
      __N__
      __N____N____N__ __N__ __N__ __N__
      __N__
      __N__
      __N__

      Reserve a table

      __N____N__ __N__
      __N____N__ __N__
      __N__ __N__ \" />__N__ __N__
      __N__
      __N____N__
      __N__
      __N____N__
      __N__
      __N____N__
      __N__
      __N____N__
      __N__
      __N____N__
      __N__
      __N____N__
      __N__
      __N____N__
      __N__ __N__
      __N__ __N__
      __N__
      __N____N__
      __N__
      __N__ __N__ __N____N__
      __N____N____N____N____N__', '', 0); -- File generated by Dolibarr 17.0.0-beta -- 2022-11-20 14:10:56 UTC --; -- Page ID 252 -> 3__+MAX_llx_website_page__ - Aliases footer --; INSERT INTO llx_website_page(rowid, fk_page, fk_website, pageurl, aliasalt, title, description, lang, image, keywords, status, date_creation, tms, import_key, grabbed_from, type_container, htmlheader, content, author_alias, allowed_in_frames) VALUES(3__+MAX_llx_website_page__, null, __WEBSITE_ID__, 'footer', '', 'Footer', '', '', '', '', '1', '2022-11-20 12:51:50', '2022-11-20 14:07:39', null, '', 'other', '', '__N__
      __N__ __N__ __N__
      __N__', '', 0); diff --git a/htdocs/install/doctemplates/websites/website_template-stellar/containers/page23.tpl.php b/htdocs/install/doctemplates/websites/website_template-stellar/containers/page23.tpl.php index 43664b7984b..bd1eda51e55 100644 --- a/htdocs/install/doctemplates/websites/website_template-stellar/containers/page23.tpl.php +++ b/htdocs/install/doctemplates/websites/website_template-stellar/containers/page23.tpl.php @@ -126,7 +126,7 @@ ob_start(); 1,024 Nullam -

      Nam elementum nisl et mi a commodo porttitor. Morbi sit amet nisl eu arcu faucibus hendrerit vel a risus. Nam a orci mi, elementum ac arcu sit amet, fermentum pellentesque et purus. Integer maximus varius lorem, sed convallis diam accumsan sed. Etiam porttitor placerat sapien, sed eleifend a enim pulvinar faucibus semper quis ut arcu. Ut non nisl a mollis est efficitur vestibulum. Integer eget purus nec nulla mattis et accumsan ut magna libero. Morbi auctor iaculis porttitor. Sed ut magna ac risus et hendrerit scelerisque. Praesent eleifend lacus in lectus aliquam porta. Cras eu ornare dui curabitur lacinia.

      +

      Nim elementum nisl et mi a commodo porttitor. Morbi sit amet nisl eu arcu faucibus hendrerit vel a risus. Nim a orci mi, elementum ac arcu sit amet, fermentum pellentesque et purus. Integer maximus varias lorem, sed convallis diam accumsan sed. Etiam porttitor placerat sapien, sed eleifend a enim pulvinar faucibus semper quis ut arcu. Ut non nisl a mollis est efficitur vestibulum. Integer eget purus nec nulla mattis et accumsan ut magna libero. Morbi auctor iaculis porttitor. Sed ut magna ac risus et hendrerit scelerisque. Praesent eleifend lacus in lectus aliquam porta. Cras eu ornare dui curabitur lacinia.

      • Learn More
      • diff --git a/htdocs/install/fileconf.php b/htdocs/install/fileconf.php index 5a2dcbc0c77..7d211faae21 100644 --- a/htdocs/install/fileconf.php +++ b/htdocs/install/fileconf.php @@ -94,7 +94,7 @@ if (@file_exists($forcedfile)) { * View */ -session_start(); // To be able to keep info into session (used for not losing pass during navigation. pass must not transit through parmaeters) +session_start(); // To be able to keep info into session (used for not losing pass during navigation. pass must not transit through parameters) pHeader($langs->trans("ConfigurationFile"), "step1", "set", "", (empty($force_dolibarr_js_JQUERY) ? '' : $force_dolibarr_js_JQUERY.'/'), 'main-inside-bis'); @@ -322,7 +322,6 @@ if (!empty($force_install_noedit)) { } // Version min of database - $versionbasemin = explode('.', $class::VERSIONMIN); $note = '('.$class::LABEL.' >= '.$class::VERSIONMIN.')'; // Switch to mysql if mysqli is not present @@ -731,7 +730,7 @@ jQuery(document).ready(function() { // TODO Test $( window ).load(function() to close(); Not database connexion yet +// $db->close(); Not database connection yet dolibarr_install_syslog("- fileconf: end"); pFooter($err, $setuplang, 'jscheckparam'); diff --git a/htdocs/install/inc.php b/htdocs/install/inc.php index 5080b8c05fb..e488120440b 100644 --- a/htdocs/install/inc.php +++ b/htdocs/install/inc.php @@ -248,7 +248,7 @@ if (!isset($dolibarr_main_db_prefix) || !$dolibarr_main_db_prefix) { } define('MAIN_DB_PREFIX', (isset($dolibarr_main_db_prefix) ? $dolibarr_main_db_prefix : '')); -define('DOL_CLASS_PATH', 'class/'); // Filsystem path to class dir +define('DOL_CLASS_PATH', 'class/'); // Filesystem path to class dir define('DOL_DATA_ROOT', (isset($dolibarr_main_data_root) ? $dolibarr_main_data_root : DOL_DOCUMENT_ROOT.'/../documents')); define('DOL_MAIN_URL_ROOT', (isset($dolibarr_main_url_root) ? $dolibarr_main_url_root : '')); // URL relative root $uri = preg_replace('/^http(s?):\/\//i', '', constant('DOL_MAIN_URL_ROOT')); // $uri contains url without http* diff --git a/htdocs/install/install.forced.sample.php b/htdocs/install/install.forced.sample.php index 1e986e4a446..a2dfc8f95e9 100644 --- a/htdocs/install/install.forced.sample.php +++ b/htdocs/install/install.forced.sample.php @@ -15,7 +15,7 @@ * along with this program. If not, see . */ -/** @var boolean $force_install_nophpinfo Hide PHP informations */ +/** @var boolean $force_install_nophpinfo Hide PHP information */ $force_install_nophpinfo = true; /** @var int $force_install_noedit 1 = Lock and hide environment variables, 2 = Lock all set variables */ diff --git a/htdocs/install/mysql/data/llx_c_forme_juridique.sql b/htdocs/install/mysql/data/llx_c_forme_juridique.sql index f17ba7b1b21..fd094e387ef 100644 --- a/htdocs/install/mysql/data/llx_c_forme_juridique.sql +++ b/htdocs/install/mysql/data/llx_c_forme_juridique.sql @@ -110,7 +110,7 @@ insert into llx_c_forme_juridique (fk_pays, code, libelle) values (2, '229', 'VS -- France: Catégories niveau II - Extrait de https://www.insee.fr/fr/information/2028129 - Dernière mise à jour Septembre 2022 -insert into llx_c_forme_juridique (fk_pays, code, libelle) values (1,'00','Organisme de placement collectif en valeurs mobilières sans personnalité morale'); +insert into llx_c_forme_juridique (fk_pays, code, libelle) values (1,'09','Organisme de placement collectif en valeurs mobilières sans personnalité morale'); insert into llx_c_forme_juridique (fk_pays, code, libelle) values (1,'10','Entrepreneur individuel'); insert into llx_c_forme_juridique (fk_pays, code, libelle) values (1,'21','Indivision'); insert into llx_c_forme_juridique (fk_pays, code, libelle) values (1,'22','Société créée de fait'); diff --git a/htdocs/install/mysql/data/llx_c_tva.sql b/htdocs/install/mysql/data/llx_c_tva.sql index d41b7311075..1ce92de287f 100644 --- a/htdocs/install/mysql/data/llx_c_tva.sql +++ b/htdocs/install/mysql/data/llx_c_tva.sql @@ -316,9 +316,9 @@ insert into llx_c_tva(rowid,fk_pays,taux,recuperableonly,note,active) values ( 2 -- SWITZERLAND (id country=6) insert into llx_c_tva(rowid,fk_pays,taux,recuperableonly,note,active) values ( 61, 6, '0','0','VAT rate 0', 1); -insert into llx_c_tva(rowid,fk_pays,taux,recuperableonly,note,active) values ( 62, 6, '3.7','0','VAT rate - reduced',1); -insert into llx_c_tva(rowid,fk_pays,taux,recuperableonly,note,active) values ( 63, 6, '2.5','0','VAT rate - super-reduced',1); -insert into llx_c_tva(rowid,fk_pays,taux,recuperableonly,note,active) values ( 64, 6, '7.7','0','VAT rate - standard',1); +insert into llx_c_tva(rowid,fk_pays,taux,recuperableonly,note,active) values ( 62, 6, '3.8','0','VAT rate - reduced',1); +insert into llx_c_tva(rowid,fk_pays,taux,recuperableonly,note,active) values ( 63, 6, '2.6','0','VAT rate - super-reduced',1); +insert into llx_c_tva(rowid,fk_pays,taux,recuperableonly,note,active) values ( 64, 6, '8.1','0','VAT rate - standard',1); -- SRI LANKA (id country=207) insert into llx_c_tva(rowid,fk_pays,taux,recuperableonly,note,active) values (2071, 207, '0','0','VAT 0', 1); diff --git a/htdocs/install/mysql/migration/17.0.0-18.0.0.sql b/htdocs/install/mysql/migration/17.0.0-18.0.0.sql index a0bb45ae935..ce9b4481518 100644 --- a/htdocs/install/mysql/migration/17.0.0-18.0.0.sql +++ b/htdocs/install/mysql/migration/17.0.0-18.0.0.sql @@ -2,6 +2,7 @@ -- Be carefull to requests order. -- This file must be loaded by calling /install/index.php page -- when current version is 18.0.0 or higher. + -- -- To restrict request to Mysql version x.y minimum use -- VMYSQLx.y -- To restrict request to Pgsql version x.y minimum use -- VPGSQLx.y @@ -32,13 +33,15 @@ -- -- VPGSQL8.2 SELECT dol_util_rebuild_sequences(); --- v17 +-- Missing in v17 or lower -- VMYSQL4.3 ALTER TABLE llx_emailcollector_emailcollector MODIFY COLUMN tms timestamp DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP; -- VMYSQL4.3 ALTER TABLE llx_hrm_skillrank CHANGE COLUMN `rank` rankorder integer; -- VPGSQL8.2 ALTER TABLE llx_hrm_skillrank CHANGE COLUMN rank rankorder integer; +ALTER TABLE llx_projet_task ADD COLUMN fk_user_modif integer after fk_user_creat; + ALTER TABLE llx_accounting_system CHANGE COLUMN fk_pays fk_country integer; ALTER TABLE llx_commande_fournisseurdet MODIFY COLUMN ref varchar(128); @@ -86,7 +89,6 @@ ALTER TABLE llx_payment_salary MODIFY COLUMN datep datetime; INSERT INTO llx_c_tva(rowid,fk_pays,code,taux,localtax1,localtax1_type,localtax2,localtax2_type,recuperableonly,note,active) values (1179, 117, 'I-28' , 28, 0, '0', 0, '0', 0, 'IGST', 1); INSERT INTO llx_c_tva(rowid,fk_pays,code,taux,localtax1,localtax1_type,localtax2,localtax2_type,recuperableonly,note,active) values (1176, 117, 'C+S-18', 0, 9, '1', 9, '1', 0, 'CGST+SGST - Same state sales', 1); - ALTER TABLE llx_user ADD COLUMN flagdelsessionsbefore datetime DEFAULT NULL; ALTER TABLE llx_website ADD COLUMN pageviews_previous_month BIGINT UNSIGNED DEFAULT 0; diff --git a/htdocs/install/mysql/migration/18.0.0-19.0.0.sql b/htdocs/install/mysql/migration/18.0.0-19.0.0.sql index 2461ed733cb..6a136fdfc4b 100644 --- a/htdocs/install/mysql/migration/18.0.0-19.0.0.sql +++ b/htdocs/install/mysql/migration/18.0.0-19.0.0.sql @@ -38,6 +38,8 @@ ALTER TABLE llx_product_perentity ADD COLUMN pmp double(24,8); +ALTER TABLE llx_projet_task ADD COLUMN fk_user_modif integer after fk_user_creat; + -- v19 @@ -145,6 +147,7 @@ UPDATE llx_product set stockable_product = 0 WHERE type = 1; ALTER TABLE llx_prelevement_lignes ADD COLUMN fk_user integer NULL; +ALTER TABLE llx_hrm_evaluation ADD COLUMN last_main_doc varchar(255); ALTER TABLE llx_hrm_evaluationdet ADD COLUMN comment TEXT; ALTER TABLE llx_resource ADD COLUMN address varchar(255) DEFAULT NULL AFTER fk_code_type_resource; @@ -201,3 +204,7 @@ ALTER TABLE llx_commande_fournisseur_dispatch ADD COLUMN element_type varchar(50 ALTER TABLE llx_expensereport DROP INDEX idx_expensereport_fk_refuse, ADD INDEX idx_expensereport_fk_refuse(fk_user_refuse); INSERT INTO llx_c_forme_juridique (fk_pays, code, libelle) VALUES (1,'66','Société publique locale'); + +ALTER TABLE llx_prelevement_lignes ADD COLUMN tms timestamp DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP; + +ALTER TABLE llx_bom_bomline ADD COLUMN tms timestamp DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP; diff --git a/htdocs/install/mysql/migration/19.0.0-20.0.0.sql b/htdocs/install/mysql/migration/19.0.0-20.0.0.sql new file mode 100644 index 00000000000..d1f6998aa2e --- /dev/null +++ b/htdocs/install/mysql/migration/19.0.0-20.0.0.sql @@ -0,0 +1,213 @@ +-- +-- This file is executed by calling /install/index.php page +-- when current version is higher than the name of this file. +-- Be carefull in the position of each SQL request. +-- +-- To restrict request to Mysql version x.y minimum use -- VMYSQLx.y +-- To restrict request to Pgsql version x.y minimum use -- VPGSQLx.y +-- To rename a table: ALTER TABLE llx_table RENAME TO llx_table_new; +-- To add a column: ALTER TABLE llx_table ADD COLUMN newcol varchar(60) NOT NULL DEFAULT '0' AFTER existingcol; +-- To rename a column: ALTER TABLE llx_table CHANGE COLUMN oldname newname varchar(60); +-- To drop a column: ALTER TABLE llx_table DROP COLUMN oldname; +-- To change type of field: ALTER TABLE llx_table MODIFY COLUMN name varchar(60); +-- To drop a foreign key: ALTER TABLE llx_table DROP FOREIGN KEY fk_name; +-- To create a unique index ALTER TABLE llx_table ADD UNIQUE INDEX uk_table_field (field); +-- To drop an index: -- VMYSQL4.1 DROP INDEX nomindex ON llx_table; +-- To drop an index: -- VPGSQL8.2 DROP INDEX nomindex; +-- To make pk to be auto increment (mysql): +-- -- VMYSQL4.3 ALTER TABLE llx_table ADD PRIMARY KEY(rowid); +-- -- VMYSQL4.3 ALTER TABLE llx_table CHANGE COLUMN rowid rowid INTEGER NOT NULL AUTO_INCREMENT; +-- To make pk to be auto increment (postgres): +-- -- VPGSQL8.2 CREATE SEQUENCE llx_table_rowid_seq OWNED BY llx_table.rowid; +-- -- VPGSQL8.2 ALTER TABLE llx_table ADD PRIMARY KEY (rowid); +-- -- VPGSQL8.2 ALTER TABLE llx_table ALTER COLUMN rowid SET DEFAULT nextval('llx_table_rowid_seq'); +-- -- VPGSQL8.2 SELECT setval('llx_table_rowid_seq', MAX(rowid)) FROM llx_table; +-- To set a field as NULL: -- VMYSQL4.3 ALTER TABLE llx_table MODIFY COLUMN name varchar(60) NULL; +-- To set a field as NULL: -- VPGSQL8.2 ALTER TABLE llx_table ALTER COLUMN name DROP NOT NULL; +-- To set a field as NOT NULL: -- VMYSQL4.3 ALTER TABLE llx_table MODIFY COLUMN name varchar(60) NOT NULL; +-- To set a field as NOT NULL: -- VPGSQL8.2 ALTER TABLE llx_table ALTER COLUMN name SET NOT NULL; +-- To set a field as default NULL: -- VPGSQL8.2 ALTER TABLE llx_table ALTER COLUMN name SET DEFAULT NULL; +-- Note: fields with type BLOB/TEXT can't have default value. +-- To rebuild sequence for postgresql after insert, by forcing id autoincrement fields: +-- -- VPGSQL8.2 SELECT dol_util_rebuild_sequences(); + +-- Use unique keys for extrafields +ALTER TABLE llx_actioncomm_extrafields DROP INDEX idx_actioncomm_extrafields; +ALTER TABLE llx_actioncomm_extrafields ADD UNIQUE INDEX uk_actioncomm_extrafields (fk_object); +ALTER TABLE llx_adherent_extrafields DROP INDEX idx_adherent_extrafields; +ALTER TABLE llx_adherent_extrafields ADD UNIQUE INDEX uk_adherent_extrafields (fk_object); +ALTER TABLE llx_adherent_type_extrafields DROP INDEX idx_adherent_type_extrafields; +ALTER TABLE llx_adherent_type_extrafields ADD UNIQUE INDEX uk_adherent_type_extrafields (fk_object); +ALTER TABLE llx_asset_model_extrafields DROP INDEX idx_asset_model_extrafields; +ALTER TABLE llx_asset_model_extrafields ADD UNIQUE INDEX uk_asset_model_extrafields (fk_object); +ALTER TABLE llx_bank_account_extrafields DROP INDEX idx_bank_account_extrafields; +ALTER TABLE llx_bank_account_extrafields ADD UNIQUE INDEX uk_bank_account_extrafields (fk_object); +ALTER TABLE llx_bank_extrafields DROP INDEX idx_bank_extrafields; +ALTER TABLE llx_bank_extrafields ADD UNIQUE INDEX uk_bank_extrafields (fk_object); +ALTER TABLE llx_bom_bom_extrafields DROP INDEX idx_bom_bom_extrafields_fk_object; +ALTER TABLE llx_bom_bom_extrafields ADD UNIQUE INDEX uk_bom_bom_extrafields_fk_object (fk_object); +ALTER TABLE llx_categories_extrafields DROP INDEX idx_categories_extrafields; +ALTER TABLE llx_categories_extrafields ADD UNIQUE INDEX uk_categories_extrafields (fk_object); +ALTER TABLE llx_commande_extrafields DROP INDEX idx_commande_extrafields; +ALTER TABLE llx_commande_extrafields ADD UNIQUE INDEX uk_commande_extrafields (fk_object); +ALTER TABLE llx_commande_fournisseur_dispatch_extrafields DROP INDEX idx_commande_fournisseur_dispatch_extrafields; +ALTER TABLE llx_commande_fournisseur_dispatch_extrafields ADD UNIQUE INDEX uk_commande_fournisseur_dispatch_extrafields (fk_object); +ALTER TABLE llx_commande_fournisseur_extrafields DROP INDEX idx_commande_fournisseur_extrafields; +ALTER TABLE llx_commande_fournisseur_extrafields ADD UNIQUE INDEX uk_commande_fournisseur_extrafields (fk_object); +ALTER TABLE llx_commande_fournisseurdet_extrafields DROP INDEX idx_commande_fournisseurdet_extrafields; +ALTER TABLE llx_commande_fournisseurdet_extrafields ADD UNIQUE INDEX uk_commande_fournisseurdet_extrafields (fk_object); +ALTER TABLE llx_commandedet_extrafields DROP INDEX idx_commandedet_extrafields; +ALTER TABLE llx_commandedet_extrafields ADD UNIQUE INDEX uk_commandedet_extrafields (fk_object); +ALTER TABLE llx_contrat_extrafields DROP INDEX idx_contrat_extrafields; +ALTER TABLE llx_contrat_extrafields ADD UNIQUE INDEX uk_contrat_extrafields (fk_object); +ALTER TABLE llx_contratdet_extrafields DROP INDEX idx_contratdet_extrafields; +ALTER TABLE llx_contratdet_extrafields ADD UNIQUE INDEX uk_contratdet_extrafields (fk_object); +ALTER TABLE llx_delivery_extrafields DROP INDEX idx_delivery_extrafields; +ALTER TABLE llx_delivery_extrafields ADD UNIQUE INDEX uk_delivery_extrafields (fk_object); +ALTER TABLE llx_deliverydet_extrafields DROP INDEX idx_deliverydet_extrafields; +ALTER TABLE llx_deliverydet_extrafields ADD UNIQUE INDEX uk_deliverydet_extrafields (fk_object); +ALTER TABLE llx_ecm_directories_extrafields DROP INDEX idx_ecm_directories_extrafields; +ALTER TABLE llx_ecm_directories_extrafields ADD UNIQUE INDEX uk_ecm_directories_extrafields (fk_object); +ALTER TABLE llx_ecm_files_extrafields DROP INDEX idx_ecm_files_extrafields; +ALTER TABLE llx_ecm_files_extrafields ADD UNIQUE INDEX uk_ecm_files_extrafields (fk_object); +ALTER TABLE llx_entrepot_extrafields DROP INDEX idx_entrepot_extrafields; +ALTER TABLE llx_entrepot_extrafields ADD UNIQUE INDEX uk_entrepot_extrafields (fk_object); +ALTER TABLE llx_eventorganization_conferenceorboothattendee_extrafields DROP INDEX idx_conferenceorboothattendee_fk_object; +ALTER TABLE llx_eventorganization_conferenceorboothattendee_extrafields ADD UNIQUE INDEX uk_conferenceorboothattendee_fk_object (fk_object); +ALTER TABLE llx_expedition_extrafields DROP INDEX idx_expedition_extrafields; +ALTER TABLE llx_expedition_extrafields ADD UNIQUE INDEX uk_expedition_extrafields (fk_object); +ALTER TABLE llx_expeditiondet_extrafields DROP INDEX idx_expeditiondet_extrafields; +ALTER TABLE llx_expeditiondet_extrafields ADD UNIQUE INDEX uk_expeditiondet_extrafields (fk_object); +ALTER TABLE llx_expensereport_extrafields DROP INDEX idx_expensereport_extrafields; +ALTER TABLE llx_expensereport_extrafields ADD UNIQUE INDEX uk_expensereport_extrafields (fk_object); +ALTER TABLE llx_facture_extrafields DROP INDEX idx_facture_extrafields; +ALTER TABLE llx_facture_extrafields ADD UNIQUE INDEX uk_facture_extrafields (fk_object); +ALTER TABLE llx_facture_fourn_det_extrafields DROP INDEX idx_facture_fourn_det_extrafields; +ALTER TABLE llx_facture_fourn_det_extrafields ADD UNIQUE INDEX uk_facture_fourn_det_extrafields (fk_object); +ALTER TABLE llx_facture_fourn_det_rec_extrafields DROP INDEX idx_facture_fourn_det_rec_extrafields; +ALTER TABLE llx_facture_fourn_det_rec_extrafields ADD UNIQUE INDEX uk_facture_fourn_det_rec_extrafields (fk_object); +ALTER TABLE llx_facture_fourn_extrafields DROP INDEX idx_facture_fourn_extrafields; +ALTER TABLE llx_facture_fourn_extrafields ADD UNIQUE INDEX uk_facture_fourn_extrafields (fk_object); +ALTER TABLE llx_facture_fourn_rec_extrafields DROP INDEX idx_facture_fourn_rec_extrafields; +ALTER TABLE llx_facture_fourn_rec_extrafields ADD UNIQUE INDEX uk_facture_fourn_rec_extrafields (fk_object); +ALTER TABLE llx_facture_rec_extrafields DROP INDEX idx_facture_rec_extrafields; +ALTER TABLE llx_facture_rec_extrafields ADD UNIQUE INDEX uk_facture_rec_extrafields (fk_object); +ALTER TABLE llx_facturedet_extrafields DROP INDEX idx_facturedet_extrafields; +ALTER TABLE llx_facturedet_extrafields ADD UNIQUE INDEX uk_facturedet_extrafields (fk_object); +ALTER TABLE llx_facturedet_rec_extrafields DROP INDEX idx_facturedet_rec_extrafields; +ALTER TABLE llx_facturedet_rec_extrafields ADD UNIQUE INDEX uk_facturedet_rec_extrafields (fk_object); +ALTER TABLE llx_fichinter_extrafields DROP INDEX idx_ficheinter_extrafields; +ALTER TABLE llx_fichinter_extrafields ADD UNIQUE INDEX uk_ficheinter_extrafields (fk_object); +ALTER TABLE llx_fichinterdet_extrafields DROP INDEX idx_ficheinterdet_extrafields; +ALTER TABLE llx_fichinterdet_extrafields ADD UNIQUE INDEX uk_ficheinterdet_extrafields (fk_object); +ALTER TABLE llx_holiday_extrafields DROP INDEX idx_holiday_extrafields; +ALTER TABLE llx_holiday_extrafields ADD UNIQUE INDEX uk_holiday_extrafields (fk_object); +ALTER TABLE llx_hrm_evaluation_extrafields DROP INDEX idx_evaluation_fk_object; +ALTER TABLE llx_hrm_evaluation_extrafields ADD UNIQUE INDEX uk_evaluation_fk_object (fk_object); +ALTER TABLE llx_hrm_evaluationdet_extrafields DROP INDEX idx_evaluationdet_fk_object; +ALTER TABLE llx_hrm_evaluationdet_extrafields ADD UNIQUE INDEX uk_evaluationdet_fk_object (fk_object); +ALTER TABLE llx_hrm_job_extrafields DROP INDEX idx_job_fk_object; +ALTER TABLE llx_hrm_job_extrafields ADD UNIQUE INDEX uk_job_fk_object (fk_object); +ALTER TABLE llx_hrm_skill_extrafields DROP INDEX idx_skill_fk_object; +ALTER TABLE llx_hrm_skill_extrafields ADD UNIQUE INDEX uk_skill_fk_object (fk_object); +ALTER TABLE llx_inventory_extrafields DROP INDEX idx_inventory_extrafields; +ALTER TABLE llx_inventory_extrafields ADD UNIQUE INDEX uk_inventory_extrafields (fk_object); +ALTER TABLE llx_knowledgemanagement_knowledgerecord_extrafields DROP INDEX idx_knowledgerecord_fk_object; +ALTER TABLE llx_knowledgemanagement_knowledgerecord_extrafields ADD UNIQUE INDEX uk_knowledgerecord_fk_object (fk_object); +ALTER TABLE llx_mrp_mo_extrafields DROP INDEX idx_mrp_mo_fk_object; +ALTER TABLE llx_mrp_mo_extrafields ADD UNIQUE INDEX uk_mrp_mo_fk_object (fk_object); +ALTER TABLE llx_mrp_production_extrafields DROP INDEX idx_mrp_production_fk_object; +ALTER TABLE llx_mrp_production_extrafields ADD UNIQUE INDEX uk_mrp_production_fk_object (fk_object); +ALTER TABLE llx_partnership_extrafields DROP INDEX idx_partnership_extrafields; +ALTER TABLE llx_partnership_extrafields ADD UNIQUE INDEX uk_partnership_extrafields (fk_object); +ALTER TABLE llx_product_extrafields DROP INDEX idx_product_extrafields; +ALTER TABLE llx_product_extrafields ADD UNIQUE INDEX uk_product_extrafields (fk_object); +ALTER TABLE llx_product_fournisseur_price_extrafields DROP INDEX idx_product_fournisseur_price_extrafields; +ALTER TABLE llx_product_fournisseur_price_extrafields ADD UNIQUE INDEX uk_product_fournisseur_price_extrafields (fk_object); +ALTER TABLE llx_product_lot_extrafields DROP INDEX idx_product_lot_extrafields; +ALTER TABLE llx_product_lot_extrafields ADD UNIQUE INDEX uk_product_lot_extrafields (fk_object); +ALTER TABLE llx_projet_extrafields DROP INDEX idx_projet_extrafields; +ALTER TABLE llx_projet_extrafields ADD UNIQUE INDEX uk_projet_extrafields (fk_object); +ALTER TABLE llx_projet_task_extrafields DROP INDEX idx_projet_task_extrafields; +ALTER TABLE llx_projet_task_extrafields ADD UNIQUE INDEX uk_projet_task_extrafields (fk_object); +ALTER TABLE llx_propal_extrafields DROP INDEX idx_propal_extrafields; +ALTER TABLE llx_propal_extrafields ADD UNIQUE INDEX uk_propal_extrafields (fk_object); +ALTER TABLE llx_propaldet_extrafields DROP INDEX idx_propaldet_extrafields; +ALTER TABLE llx_propaldet_extrafields ADD UNIQUE INDEX uk_propaldet_extrafields (fk_object); +ALTER TABLE llx_reception_extrafields DROP INDEX idx_reception_extrafields; +ALTER TABLE llx_reception_extrafields ADD UNIQUE INDEX uk_reception_extrafields (fk_object); +ALTER TABLE llx_recruitment_recruitmentcandidature_extrafields DROP INDEX idx_recruitmentcandidature_fk_object; +ALTER TABLE llx_recruitment_recruitmentcandidature_extrafields ADD UNIQUE INDEX uk_recruitmentcandidature_fk_object (fk_object); +ALTER TABLE llx_recruitment_recruitmentjobposition_extrafields DROP INDEX idx_recruitmentjobposition_fk_object; +ALTER TABLE llx_recruitment_recruitmentjobposition_extrafields ADD UNIQUE INDEX uk_recruitmentjobposition_fk_object (fk_object); +ALTER TABLE llx_resource_extrafields DROP INDEX idx_resource_extrafields; +ALTER TABLE llx_resource_extrafields ADD UNIQUE INDEX uk_resource_extrafields (fk_object); +ALTER TABLE llx_salary_extrafields DROP INDEX idx_salary_extrafields; +ALTER TABLE llx_salary_extrafields ADD UNIQUE INDEX uk_salary_extrafields (fk_object); +ALTER TABLE llx_socpeople_extrafields DROP INDEX idx_socpeople_extrafields; +ALTER TABLE llx_socpeople_extrafields ADD UNIQUE INDEX uk_socpeople_extrafields (fk_object); +ALTER TABLE llx_stock_mouvement_extrafields DROP INDEX idx_stock_mouvement_extrafields; +ALTER TABLE llx_stock_mouvement_extrafields ADD UNIQUE INDEX uk_stock_mouvement_extrafields (fk_object); +ALTER TABLE llx_supplier_proposal_extrafields DROP INDEX idx_supplier_proposal_extrafields; +ALTER TABLE llx_supplier_proposal_extrafields ADD UNIQUE INDEX uk_supplier_proposal_extrafields (fk_object); +ALTER TABLE llx_supplier_proposaldet_extrafields DROP INDEX idx_supplier_proposaldet_extrafields; +ALTER TABLE llx_supplier_proposaldet_extrafields ADD UNIQUE INDEX uk_supplier_proposaldet_extrafields (fk_object); +ALTER TABLE llx_ticket_extrafields DROP INDEX idx_ticket_extrafields; +ALTER TABLE llx_ticket_extrafields ADD UNIQUE INDEX uk_ticket_extrafields (fk_object); +ALTER TABLE llx_user_extrafields DROP INDEX idx_user_extrafields; +ALTER TABLE llx_user_extrafields ADD UNIQUE INDEX uk_user_extrafields (fk_object); +ALTER TABLE llx_usergroup_extrafields DROP INDEX idx_usergroup_extrafields; +ALTER TABLE llx_usergroup_extrafields ADD UNIQUE INDEX uk_usergroup_extrafields (fk_object); + +ALTER TABLE llx_website ADD COLUMN name_template varchar(255) NULL; + +UPDATE llx_categorie SET date_creation = tms, tms = tms WHERE date_creation IS NULL AND tms IS NOT NULL; + +ALTER TABLE llx_product_price ADD COLUMN price_label varchar(255) AFTER fk_user_author; +ALTER TABLE llx_product_customer_price_log ADD COLUMN price_label varchar(255) AFTER fk_user; +ALTER TABLE llx_product_customer_price ADD COLUMN price_label varchar(255) AFTER fk_user; +ALTER TABLE llx_product ADD COLUMN price_label varchar(255) AFTER price_base_type; + + +CREATE TABLE llx_product_thirdparty +( + rowid integer AUTO_INCREMENT PRIMARY KEY NOT NULL, + fk_product integer NOT NULL, + fk_soc integer NOT NULL, + fk_product_thirdparty_relation_type integer NOT NULL, + date_start datetime, + date_end datetime, + fk_project integer, + description text, + note_public text, + note_private text, + date_creation datetime NOT NULL, + tms timestamp DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP, + fk_user_creat integer NOT NULL, + fk_user_modif integer, + last_main_doc varchar(255), + import_key varchar(14), + model_pdf varchar(255), + status integer DEFAULT 1 NOT NULL +) ENGINE = innodb; + + +CREATE TABLE llx_c_product_thirdparty_relation_type +( + rowid integer AUTO_INCREMENT PRIMARY KEY NOT NULL, + code varchar(24) NOT NULL, + label varchar(128), + active tinyint default 1 NOT NULL +) ENGINE = innodb; + + +ALTER TABLE llx_c_tva ADD COLUMN type_vat smallint NOT NULL DEFAULT 0 AFTER fk_pays; + +ALTER TABLE llx_categorie ADD COLUMN position integer DEFAULT 0 AFTER color; + +ALTER TABLE llx_product DROP COLUMN onportal; + +ALTER TABLE llx_knowledgemanagement_knowledgerecord MODIFY COLUMN answer longtext; + +-- Rename const to add customer categories on not customer/prospect third-party if enabled +UPDATE llx_const SET name = 'THIRDPARTY_CAN_HAVE_CUSTOMER_CATEGORY_EVEN_IF_NOT_CUSTOMER_PROSPECT' WHERE name = 'THIRDPARTY_CAN_HAVE_CATEGORY_EVEN_IF_NOT_CUSTOMER_PROSPECT_SUPPLIER'; diff --git a/htdocs/install/mysql/migration/repair.sql b/htdocs/install/mysql/migration/repair.sql index d7fba7d6918..6b48ef5ac16 100644 --- a/htdocs/install/mysql/migration/repair.sql +++ b/htdocs/install/mysql/migration/repair.sql @@ -316,6 +316,15 @@ delete from llx_accounting_account where (rowid) in (select max_rowid from tmp_a drop table tmp_accounting_account_double; +-- Sequence to removed duplicated values of llx_commande_extrafields. Run several times if you still have duplicate. +drop table tmp_commande_extrafields_double; +--select fk_object, max(rowid) as max_rowid, count(rowid) as count_rowid from llx_links where label is not null group by fk_object having count(rowid) >= 2; +create table tmp_commande_extrafields_double as (select fk_object, max(rowid) as max_rowid, count(rowid) as count_rowid from llx_commande_extrafields group by fk_object having count(rowid) >= 2); +--select * from tmp_links_double; +delete from llx_commande_extrafields where (rowid) in (select max_rowid from tmp_commande_extrafields_double); --update to avoid duplicate, delete to delete +drop table tmp_commande_extrafields_double; + + UPDATE llx_projet_task SET fk_task_parent = 0 WHERE fk_task_parent = rowid; diff --git a/htdocs/install/mysql/tables/llx_actioncomm_extrafields.key.sql b/htdocs/install/mysql/tables/llx_actioncomm_extrafields.key.sql index ab27788abc8..842d5bb9aa3 100644 --- a/htdocs/install/mysql/tables/llx_actioncomm_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_actioncomm_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_actioncomm_extrafields ADD INDEX idx_actioncomm_extrafields (fk_object); +ALTER TABLE llx_actioncomm_extrafields ADD UNIQUE INDEX uk_actioncomm_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_adherent_extrafields.key.sql b/htdocs/install/mysql/tables/llx_adherent_extrafields.key.sql index 190d802395d..5429f5f8a89 100644 --- a/htdocs/install/mysql/tables/llx_adherent_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_adherent_extrafields.key.sql @@ -20,4 +20,4 @@ -- =================================================================== -ALTER TABLE llx_adherent_extrafields ADD INDEX idx_adherent_extrafields (fk_object); +ALTER TABLE llx_adherent_extrafields ADD UNIQUE INDEX uk_adherent_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_adherent_type_extrafields.key.sql b/htdocs/install/mysql/tables/llx_adherent_type_extrafields.key.sql index 0a0b336a7f0..e4ba9608c76 100644 --- a/htdocs/install/mysql/tables/llx_adherent_type_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_adherent_type_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_adherent_type_extrafields ADD INDEX idx_adherent_type_extrafields (fk_object); +ALTER TABLE llx_adherent_type_extrafields ADD UNIQUE INDEX uk_adherent_type_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_bank_account_extrafields.key.sql b/htdocs/install/mysql/tables/llx_bank_account_extrafields.key.sql index 62b06778564..c5fed5aad0d 100644 --- a/htdocs/install/mysql/tables/llx_bank_account_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_bank_account_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_bank_account_extrafields ADD INDEX idx_bank_account_extrafields (fk_object); +ALTER TABLE llx_bank_account_extrafields ADD UNIQUE INDEX uk_bank_account_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_bank_extrafields.key.sql b/htdocs/install/mysql/tables/llx_bank_extrafields.key.sql index 3d308e79684..296b62d3c7f 100644 --- a/htdocs/install/mysql/tables/llx_bank_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_bank_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_bank_extrafields ADD INDEX idx_bank_extrafields (fk_object); +ALTER TABLE llx_bank_extrafields ADD UNIQUE INDEX uk_bank_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_bom_bom_extrafields.key.sql b/htdocs/install/mysql/tables/llx_bom_bom_extrafields.key.sql index e0b217c2917..ce2a5a8b448 100644 --- a/htdocs/install/mysql/tables/llx_bom_bom_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_bom_bom_extrafields.key.sql @@ -17,5 +17,4 @@ -- =================================================================== -ALTER TABLE llx_bom_bom_extrafields ADD INDEX idx_bom_bom_extrafields_fk_object (fk_object); - +ALTER TABLE llx_bom_bom_extrafields ADD UNIQUE INDEX uk_bom_bom_extrafields_fk_object (fk_object); diff --git a/htdocs/install/mysql/tables/llx_bom_bomline.sql b/htdocs/install/mysql/tables/llx_bom_bomline.sql index 27f22e5c07e..54eb738ad94 100644 --- a/htdocs/install/mysql/tables/llx_bom_bomline.sql +++ b/htdocs/install/mysql/tables/llx_bom_bomline.sql @@ -19,6 +19,7 @@ CREATE TABLE llx_bom_bomline( fk_bom integer NOT NULL, fk_product integer NOT NULL, fk_bom_child integer NULL, + tms timestamp DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP, description text, import_key varchar(14), qty double(24,8) NOT NULL, diff --git a/htdocs/install/mysql/tables/llx_c_product_thirdparty_relation_type.sql b/htdocs/install/mysql/tables/llx_c_product_thirdparty_relation_type.sql new file mode 100644 index 00000000000..9ec6c29a652 --- /dev/null +++ b/htdocs/install/mysql/tables/llx_c_product_thirdparty_relation_type.sql @@ -0,0 +1,27 @@ +-- ============================================================================ +-- Copyright (C) 2024 Laurent Destailleur +-- Copyright (C) 2023 Florian Henry + +-- +-- This program is free software; you can redistribute it and/or modify +-- it under the terms of the GNU General Public License as published by +-- the Free Software Foundation; either version 3 of the License, or +-- (at your option) any later version. +-- +-- This program is distributed in the hope that it will be useful, +-- but WITHOUT ANY WARRANTY; without even the implied warranty of +-- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +-- GNU General Public License for more details. +-- +-- You should have received a copy of the GNU General Public License +-- along with this program. If not, see . +-- +-- ============================================================================ + +CREATE TABLE llx_c_product_thirdparty_relation_type +( + rowid integer AUTO_INCREMENT PRIMARY KEY NOT NULL, + code varchar(24) NOT NULL, + label varchar(128), + active tinyint default 1 NOT NULL +)ENGINE=innodb; diff --git a/htdocs/install/mysql/tables/llx_c_tva.sql b/htdocs/install/mysql/tables/llx_c_tva.sql index 496cda4161a..97c1d5e3071 100644 --- a/htdocs/install/mysql/tables/llx_c_tva.sql +++ b/htdocs/install/mysql/tables/llx_c_tva.sql @@ -20,20 +20,21 @@ create table llx_c_tva ( - rowid integer NOT NULL AUTO_INCREMENT PRIMARY KEY, - entity integer DEFAULT 1 NOT NULL, - fk_pays integer NOT NULL, - code varchar(10) DEFAULT '', -- a key to describe vat entry, for example FR20 - taux double NOT NULL, - localtax1 varchar(20) NOT NULL DEFAULT '0', - localtax1_type varchar(10) NOT NULL DEFAULT '0', - localtax2 varchar(20) NOT NULL DEFAULT '0', - localtax2_type varchar(10) NOT NULL DEFAULT '0', - use_default tinyint DEFAULT 0, -- set to 1 to be the default vat when no vat defined on product - recuperableonly integer NOT NULL DEFAULT 0, - note varchar(128), - active tinyint DEFAULT 1 NOT NULL, - accountancy_code_sell varchar(32) DEFAULT NULL, + rowid integer NOT NULL AUTO_INCREMENT PRIMARY KEY, + entity integer DEFAULT 1 NOT NULL, + fk_pays integer NOT NULL, + type_vat smallint NOT NULL DEFAULT 0, -- 0: all, 1: sell, 2: purchase + code varchar(10) DEFAULT '', -- a key to describe vat entry, for example FR20 + taux double NOT NULL, + localtax1 varchar(20) NOT NULL DEFAULT '0', + localtax1_type varchar(10) NOT NULL DEFAULT '0', + localtax2 varchar(20) NOT NULL DEFAULT '0', + localtax2_type varchar(10) NOT NULL DEFAULT '0', + use_default tinyint DEFAULT 0, -- set to 1 to be the default vat when no vat defined on product + recuperableonly integer NOT NULL DEFAULT 0, + note varchar(128), + active tinyint DEFAULT 1 NOT NULL, + accountancy_code_sell varchar(32) DEFAULT NULL, accountancy_code_buy varchar(32) DEFAULT NULL )ENGINE=innodb; diff --git a/htdocs/install/mysql/tables/llx_categorie.sql b/htdocs/install/mysql/tables/llx_categorie.sql index 29cb5a260e6..9c8f8beb186 100644 --- a/htdocs/install/mysql/tables/llx_categorie.sql +++ b/htdocs/install/mysql/tables/llx_categorie.sql @@ -29,6 +29,7 @@ create table llx_categorie type integer DEFAULT 1 NOT NULL, -- category type (product, supplier, customer, member) description text, -- description of the category color varchar(8), -- color + position integer DEFAULT 0, -- position fk_soc integer DEFAULT NULL, -- not used by default. Used when option CATEGORY_ASSIGNED_TO_A_CUSTOMER is set. visible tinyint DEFAULT 1 NOT NULL, -- determine if the products are visible or not date_creation datetime, -- date creation diff --git a/htdocs/install/mysql/tables/llx_categories_extrafields.key.sql b/htdocs/install/mysql/tables/llx_categories_extrafields.key.sql index 9e358e90f33..a652bf89605 100644 --- a/htdocs/install/mysql/tables/llx_categories_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_categories_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_categories_extrafields ADD INDEX idx_categories_extrafields (fk_object); +ALTER TABLE llx_categories_extrafields ADD UNIQUE INDEX uk_categories_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_commande.sql b/htdocs/install/mysql/tables/llx_commande.sql index e64ce7ff14f..93176fd5438 100644 --- a/htdocs/install/mysql/tables/llx_commande.sql +++ b/htdocs/install/mysql/tables/llx_commande.sql @@ -59,8 +59,8 @@ create table llx_commande model_pdf varchar(255), last_main_doc varchar(255), -- relative filepath+filename of last main generated document - module_source varchar(32), -- name of module when order generated by a dedicated module (POS, ...) - pos_source varchar(32), -- numero of POS terminal when order is generated by a POS module, IDsession@IDwebsite when order is generated for a website basket. + module_source varchar(32), -- name of module when order generated by a dedicated module (POS, ecommerce...) + pos_source varchar(32), -- numero of POS terminal when order is generated by a POS module, IDsession@IDwebsite when order is generated for a website basket. facture tinyint default 0, fk_account integer, -- bank account fk_currency varchar(3), -- currency code diff --git a/htdocs/install/mysql/tables/llx_commande_extrafields.key.sql b/htdocs/install/mysql/tables/llx_commande_extrafields.key.sql index 0f52468a15c..4ef0800a900 100644 --- a/htdocs/install/mysql/tables/llx_commande_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_commande_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_commande_extrafields ADD INDEX idx_commande_extrafields (fk_object); +ALTER TABLE llx_commande_extrafields ADD UNIQUE INDEX uk_commande_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_commande_fournisseur_dispatch_extrafields.key.sql b/htdocs/install/mysql/tables/llx_commande_fournisseur_dispatch_extrafields.key.sql index 7cd1a344b7e..09b50db8e3a 100644 --- a/htdocs/install/mysql/tables/llx_commande_fournisseur_dispatch_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_commande_fournisseur_dispatch_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_commande_fournisseur_dispatch_extrafields ADD INDEX idx_commande_fournisseur_dispatch_extrafields (fk_object); +ALTER TABLE llx_commande_fournisseur_dispatch_extrafields ADD UNIQUE INDEX uk_commande_fournisseur_dispatch_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_commande_fournisseur_extrafields.key.sql b/htdocs/install/mysql/tables/llx_commande_fournisseur_extrafields.key.sql index 88871b93c7f..811a7c0fc34 100644 --- a/htdocs/install/mysql/tables/llx_commande_fournisseur_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_commande_fournisseur_extrafields.key.sql @@ -16,4 +16,4 @@ -- -- ============================================================================ -ALTER TABLE llx_commande_fournisseur_extrafields ADD INDEX idx_commande_fournisseur_extrafields (fk_object); +ALTER TABLE llx_commande_fournisseur_extrafields ADD UNIQUE INDEX uk_commande_fournisseur_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_commande_fournisseurdet_extrafields.key.sql b/htdocs/install/mysql/tables/llx_commande_fournisseurdet_extrafields.key.sql index 9df77d2aedd..57681730aa7 100644 --- a/htdocs/install/mysql/tables/llx_commande_fournisseurdet_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_commande_fournisseurdet_extrafields.key.sql @@ -16,4 +16,4 @@ -- -- ============================================================================ -ALTER TABLE llx_commande_fournisseurdet_extrafields ADD INDEX idx_commande_fournisseurdet_extrafields (fk_object); +ALTER TABLE llx_commande_fournisseurdet_extrafields ADD UNIQUE INDEX uk_commande_fournisseurdet_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_commandedet_extrafields.key.sql b/htdocs/install/mysql/tables/llx_commandedet_extrafields.key.sql index 1d4913a8d88..70780a20fa5 100644 --- a/htdocs/install/mysql/tables/llx_commandedet_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_commandedet_extrafields.key.sql @@ -21,4 +21,4 @@ -- =================================================================== -ALTER TABLE llx_commandedet_extrafields ADD INDEX idx_commandedet_extrafields (fk_object); +ALTER TABLE llx_commandedet_extrafields ADD UNIQUE INDEX uk_commandedet_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_contrat_extrafields.key.sql b/htdocs/install/mysql/tables/llx_contrat_extrafields.key.sql index 78d0d1bc07c..9c0ddd10f65 100644 --- a/htdocs/install/mysql/tables/llx_contrat_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_contrat_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_contrat_extrafields ADD INDEX idx_contrat_extrafields (fk_object); +ALTER TABLE llx_contrat_extrafields ADD UNIQUE INDEX uk_contrat_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_contratdet_extrafields.key.sql b/htdocs/install/mysql/tables/llx_contratdet_extrafields.key.sql index da61a502d7d..fc6d651075d 100644 --- a/htdocs/install/mysql/tables/llx_contratdet_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_contratdet_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_contratdet_extrafields ADD INDEX idx_contratdet_extrafields (fk_object); +ALTER TABLE llx_contratdet_extrafields ADD UNIQUE INDEX uk_contratdet_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_delivery_extrafields.key.sql b/htdocs/install/mysql/tables/llx_delivery_extrafields.key.sql index a9118a2493b..b72cea56384 100644 --- a/htdocs/install/mysql/tables/llx_delivery_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_delivery_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_delivery_extrafields ADD INDEX idx_delivery_extrafields (fk_object); +ALTER TABLE llx_delivery_extrafields ADD UNIQUE INDEX uk_delivery_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_deliverydet_extrafields.key.sql b/htdocs/install/mysql/tables/llx_deliverydet_extrafields.key.sql index 3bce2b47a3b..3efd031932c 100644 --- a/htdocs/install/mysql/tables/llx_deliverydet_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_deliverydet_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_deliverydet_extrafields ADD INDEX idx_deliverydet_extrafields (fk_object); +ALTER TABLE llx_deliverydet_extrafields ADD UNIQUE INDEX uk_deliverydet_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_ecm_directories_extrafields.key.sql b/htdocs/install/mysql/tables/llx_ecm_directories_extrafields.key.sql index a84fa2c845c..54a6552cc5e 100644 --- a/htdocs/install/mysql/tables/llx_ecm_directories_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_ecm_directories_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_ecm_directories_extrafields ADD INDEX idx_ecm_directories_extrafields (fk_object); +ALTER TABLE llx_ecm_directories_extrafields ADD UNIQUE INDEX uk_ecm_directories_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_ecm_files_extrafields.key.sql b/htdocs/install/mysql/tables/llx_ecm_files_extrafields.key.sql index 3ebd3712184..e2d8419647a 100644 --- a/htdocs/install/mysql/tables/llx_ecm_files_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_ecm_files_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_ecm_files_extrafields ADD INDEX idx_ecm_files_extrafields (fk_object); +ALTER TABLE llx_ecm_files_extrafields ADD UNIQUE INDEX uk_ecm_files_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_entrepot_extrafields.key.sql b/htdocs/install/mysql/tables/llx_entrepot_extrafields.key.sql index aba40034b3f..2a401a5b1a4 100644 --- a/htdocs/install/mysql/tables/llx_entrepot_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_entrepot_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_entrepot_extrafields ADD INDEX idx_entrepot_extrafields (fk_object); +ALTER TABLE llx_entrepot_extrafields ADD UNIQUE INDEX uk_entrepot_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_eventorganization_conferenceorboothattendee_extrafields.key.sql b/htdocs/install/mysql/tables/llx_eventorganization_conferenceorboothattendee_extrafields.key.sql index 5fa3554fae3..36b09cbd08f 100644 --- a/htdocs/install/mysql/tables/llx_eventorganization_conferenceorboothattendee_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_eventorganization_conferenceorboothattendee_extrafields.key.sql @@ -15,5 +15,5 @@ -- BEGIN MODULEBUILDER INDEXES -ALTER TABLE llx_eventorganization_conferenceorboothattendee_extrafields ADD INDEX idx_conferenceorboothattendee_fk_object(fk_object); +ALTER TABLE llx_eventorganization_conferenceorboothattendee_extrafields ADD UNIQUE INDEX uk_conferenceorboothattendee_fk_object (fk_object); -- END MODULEBUILDER INDEXES diff --git a/htdocs/install/mysql/tables/llx_expedition_extrafields.key.sql b/htdocs/install/mysql/tables/llx_expedition_extrafields.key.sql index 365265fe606..08d8fd9e5e0 100644 --- a/htdocs/install/mysql/tables/llx_expedition_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_expedition_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_expedition_extrafields ADD INDEX idx_expedition_extrafields (fk_object); +ALTER TABLE llx_expedition_extrafields ADD UNIQUE INDEX uk_expedition_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_expeditiondet_extrafields.key.sql b/htdocs/install/mysql/tables/llx_expeditiondet_extrafields.key.sql index 67c5c6af925..51b73ce36c3 100644 --- a/htdocs/install/mysql/tables/llx_expeditiondet_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_expeditiondet_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_expeditiondet_extrafields ADD INDEX idx_expeditiondet_extrafields (fk_object); +ALTER TABLE llx_expeditiondet_extrafields ADD UNIQUE INDEX uk_expeditiondet_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_expensereport_extrafields.key.sql b/htdocs/install/mysql/tables/llx_expensereport_extrafields.key.sql index f59b1d5594e..7f27302bc49 100644 --- a/htdocs/install/mysql/tables/llx_expensereport_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_expensereport_extrafields.key.sql @@ -17,5 +17,5 @@ -- =================================================================== -ALTER TABLE llx_expensereport_extrafields ADD INDEX idx_expensereport_extrafields (fk_object); +ALTER TABLE llx_expensereport_extrafields ADD UNIQUE INDEX uk_expensereport_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_facture.sql b/htdocs/install/mysql/tables/llx_facture.sql index 623c5347cbc..b5a1f95db90 100644 --- a/htdocs/install/mysql/tables/llx_facture.sql +++ b/htdocs/install/mysql/tables/llx_facture.sql @@ -66,7 +66,7 @@ create table llx_facture fk_user_valid integer, -- user validating fk_user_closing integer, -- user closing - module_source varchar(32), -- name of module when invoice generated by a dedicated module (POS, ...) + module_source varchar(32), -- name of module when invoice generated by a dedicated module (POS, ecommerce...) pos_source varchar(32), -- numero of POS terminal when order is generated by a POS module, IDsession@IDwebsite when order is generated for a website basket. fk_fac_rec_source integer, -- facture rec source fk_facture_source integer, -- facture origin if credit notes or replacement invoice diff --git a/htdocs/install/mysql/tables/llx_facture_extrafields.key.sql b/htdocs/install/mysql/tables/llx_facture_extrafields.key.sql index b86a4605877..1bb6c0833be 100644 --- a/htdocs/install/mysql/tables/llx_facture_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_facture_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_facture_extrafields ADD INDEX idx_facture_extrafields (fk_object); +ALTER TABLE llx_facture_extrafields ADD UNIQUE INDEX uk_facture_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_facture_fourn_det_extrafields.key.sql b/htdocs/install/mysql/tables/llx_facture_fourn_det_extrafields.key.sql index b2256902ca7..7d8feb777c2 100644 --- a/htdocs/install/mysql/tables/llx_facture_fourn_det_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_facture_fourn_det_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_facture_fourn_det_extrafields ADD INDEX idx_facture_fourn_det_extrafields (fk_object); +ALTER TABLE llx_facture_fourn_det_extrafields ADD UNIQUE INDEX uk_facture_fourn_det_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_facture_fourn_extrafields.key.sql b/htdocs/install/mysql/tables/llx_facture_fourn_extrafields.key.sql index a5bf351d348..57edfa546e7 100644 --- a/htdocs/install/mysql/tables/llx_facture_fourn_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_facture_fourn_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_facture_fourn_extrafields ADD INDEX idx_facture_fourn_extrafields (fk_object); +ALTER TABLE llx_facture_fourn_extrafields ADD UNIQUE INDEX uk_facture_fourn_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_facture_fourn_rec_extrafields.key.sql b/htdocs/install/mysql/tables/llx_facture_fourn_rec_extrafields.key.sql index 86dddf51624..bbd58ebf902 100644 --- a/htdocs/install/mysql/tables/llx_facture_fourn_rec_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_facture_fourn_rec_extrafields.key.sql @@ -16,4 +16,4 @@ -- =================================================================== -ALTER TABLE llx_facture_fourn_rec_extrafields ADD INDEX idx_facture_fourn_rec_extrafields (fk_object); +ALTER TABLE llx_facture_fourn_rec_extrafields ADD UNIQUE INDEX uk_facture_fourn_rec_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_facture_rec_extrafields.key.sql b/htdocs/install/mysql/tables/llx_facture_rec_extrafields.key.sql index a139284d04a..40a7f604437 100644 --- a/htdocs/install/mysql/tables/llx_facture_rec_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_facture_rec_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_facture_rec_extrafields ADD INDEX idx_facture_rec_extrafields (fk_object); +ALTER TABLE llx_facture_rec_extrafields ADD UNIQUE INDEX uk_facture_rec_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_facturedet_extrafields.key.sql b/htdocs/install/mysql/tables/llx_facturedet_extrafields.key.sql index 1a7d3a0d04e..e770287b4fa 100644 --- a/htdocs/install/mysql/tables/llx_facturedet_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_facturedet_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_facturedet_extrafields ADD INDEX idx_facturedet_extrafields (fk_object); +ALTER TABLE llx_facturedet_extrafields ADD UNIQUE INDEX uk_facturedet_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_facturedet_rec_extrafields.key.sql b/htdocs/install/mysql/tables/llx_facturedet_rec_extrafields.key.sql index 800f1aea2ab..8ae86221362 100644 --- a/htdocs/install/mysql/tables/llx_facturedet_rec_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_facturedet_rec_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_facturedet_rec_extrafields ADD INDEX idx_facturedet_rec_extrafields (fk_object); +ALTER TABLE llx_facturedet_rec_extrafields ADD UNIQUE INDEX uk_facturedet_rec_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_fichinter_extrafields.key.sql b/htdocs/install/mysql/tables/llx_fichinter_extrafields.key.sql index 6205d642090..16ded4a8801 100644 --- a/htdocs/install/mysql/tables/llx_fichinter_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_fichinter_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_fichinter_extrafields ADD INDEX idx_ficheinter_extrafields (fk_object); +ALTER TABLE llx_fichinter_extrafields ADD UNIQUE INDEX uk_ficheinter_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_fichinterdet_extrafields.key.sql b/htdocs/install/mysql/tables/llx_fichinterdet_extrafields.key.sql index a63d789bd13..608a0fa439f 100644 --- a/htdocs/install/mysql/tables/llx_fichinterdet_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_fichinterdet_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_fichinterdet_extrafields ADD INDEX idx_ficheinterdet_extrafields (fk_object); +ALTER TABLE llx_fichinterdet_extrafields ADD UNIQUE INDEX uk_ficheinterdet_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_holiday_extrafields.key.sql b/htdocs/install/mysql/tables/llx_holiday_extrafields.key.sql index 6558fdef503..894c57ff0da 100644 --- a/htdocs/install/mysql/tables/llx_holiday_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_holiday_extrafields.key.sql @@ -17,5 +17,5 @@ -- =================================================================== -ALTER TABLE llx_holiday_extrafields ADD INDEX idx_holiday_extrafields (fk_object); +ALTER TABLE llx_holiday_extrafields ADD UNIQUE INDEX uk_holiday_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_hrm_evaluation_extrafields-hrm.key.sql b/htdocs/install/mysql/tables/llx_hrm_evaluation_extrafields-hrm.key.sql index ff9ba9d6cb6..d5f1efd9283 100644 --- a/htdocs/install/mysql/tables/llx_hrm_evaluation_extrafields-hrm.key.sql +++ b/htdocs/install/mysql/tables/llx_hrm_evaluation_extrafields-hrm.key.sql @@ -17,5 +17,5 @@ -- BEGIN MODULEBUILDER INDEXES -ALTER TABLE llx_hrm_evaluation_extrafields ADD INDEX idx_evaluation_fk_object(fk_object); +ALTER TABLE llx_hrm_evaluation_extrafields ADD UNIQUE INDEX uk_evaluation_fk_object (fk_object); -- END MODULEBUILDER INDEXES diff --git a/htdocs/install/mysql/tables/llx_hrm_evaluationdet_extrafields-hrm.key.sql b/htdocs/install/mysql/tables/llx_hrm_evaluationdet_extrafields-hrm.key.sql index 5072e2eb67b..43b6f589ffb 100644 --- a/htdocs/install/mysql/tables/llx_hrm_evaluationdet_extrafields-hrm.key.sql +++ b/htdocs/install/mysql/tables/llx_hrm_evaluationdet_extrafields-hrm.key.sql @@ -17,5 +17,5 @@ -- BEGIN MODULEBUILDER INDEXES -ALTER TABLE llx_hrm_evaluationdet_extrafields ADD INDEX idx_evaluationdet_fk_object(fk_object); +ALTER TABLE llx_hrm_evaluationdet_extrafields ADD UNIQUE INDEX uk_evaluationdet_fk_object (fk_object); -- END MODULEBUILDER INDEXES diff --git a/htdocs/install/mysql/tables/llx_hrm_job_extrafields-hrm.key.sql b/htdocs/install/mysql/tables/llx_hrm_job_extrafields-hrm.key.sql index b5226dc4c38..fa6ab585349 100644 --- a/htdocs/install/mysql/tables/llx_hrm_job_extrafields-hrm.key.sql +++ b/htdocs/install/mysql/tables/llx_hrm_job_extrafields-hrm.key.sql @@ -17,5 +17,5 @@ -- BEGIN MODULEBUILDER INDEXES -ALTER TABLE llx_hrm_job_extrafields ADD INDEX idx_job_fk_object(fk_object); +ALTER TABLE llx_hrm_job_extrafields ADD UNIQUE INDEX uk_job_fk_object (fk_object); -- END MODULEBUILDER INDEXES diff --git a/htdocs/install/mysql/tables/llx_knowledgemanagement_knowledgerecord-knowledgemanagement.sql b/htdocs/install/mysql/tables/llx_knowledgemanagement_knowledgerecord-knowledgemanagement.sql index a12c73b9cde..f3aca05c1e8 100644 --- a/htdocs/install/mysql/tables/llx_knowledgemanagement_knowledgerecord-knowledgemanagement.sql +++ b/htdocs/install/mysql/tables/llx_knowledgemanagement_knowledgerecord-knowledgemanagement.sql @@ -29,7 +29,7 @@ CREATE TABLE llx_knowledgemanagement_knowledgerecord( import_key varchar(14), model_pdf varchar(255), question text NOT NULL, - answer text, + answer longtext, url varchar(255), fk_ticket integer, fk_c_ticket_category integer, diff --git a/htdocs/install/mysql/tables/llx_knowledgemanagement_knowledgerecord_extrafields-knowledgemanagement.key.sql b/htdocs/install/mysql/tables/llx_knowledgemanagement_knowledgerecord_extrafields-knowledgemanagement.key.sql index 1174eb67df5..84e8cc454f7 100644 --- a/htdocs/install/mysql/tables/llx_knowledgemanagement_knowledgerecord_extrafields-knowledgemanagement.key.sql +++ b/htdocs/install/mysql/tables/llx_knowledgemanagement_knowledgerecord_extrafields-knowledgemanagement.key.sql @@ -15,5 +15,5 @@ -- BEGIN MODULEBUILDER INDEXES -ALTER TABLE llx_knowledgemanagement_knowledgerecord_extrafields ADD INDEX idx_knowledgerecord_fk_object(fk_object); +ALTER TABLE llx_knowledgemanagement_knowledgerecord_extrafields ADD UNIQUE INDEX uk_knowledgerecord_fk_object (fk_object); -- END MODULEBUILDER INDEXES diff --git a/htdocs/install/mysql/tables/llx_mailing-mailing.sql b/htdocs/install/mysql/tables/llx_mailing-mailing.sql index 2632d1505c7..809054cc879 100644 --- a/htdocs/install/mysql/tables/llx_mailing-mailing.sql +++ b/htdocs/install/mysql/tables/llx_mailing-mailing.sql @@ -55,6 +55,6 @@ create table llx_mailing joined_file2 varchar(255), joined_file3 varchar(255), joined_file4 varchar(255), - note_private text, -- - note_public text, -- + note_private text, + note_public text )ENGINE=innodb; diff --git a/htdocs/install/mysql/tables/llx_mrp_mo_extrafields.key.sql b/htdocs/install/mysql/tables/llx_mrp_mo_extrafields.key.sql index b77c81aa7f1..cad0d9ffd79 100644 --- a/htdocs/install/mysql/tables/llx_mrp_mo_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_mrp_mo_extrafields.key.sql @@ -15,5 +15,5 @@ -- BEGIN MODULEBUILDER INDEXES -ALTER TABLE llx_mrp_mo_extrafields ADD INDEX idx_mrp_mo_fk_object(fk_object); +ALTER TABLE llx_mrp_mo_extrafields ADD UNIQUE INDEX uk_mrp_mo_fk_object (fk_object); -- END MODULEBUILDER INDEXES diff --git a/htdocs/install/mysql/tables/llx_mrp_production_extrafields.key.sql b/htdocs/install/mysql/tables/llx_mrp_production_extrafields.key.sql index e2a44414e61..1354a13bc7d 100644 --- a/htdocs/install/mysql/tables/llx_mrp_production_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_mrp_production_extrafields.key.sql @@ -14,4 +14,4 @@ -- along with this program. If not, see http://www.gnu.org/licenses/. -ALTER TABLE llx_mrp_production_extrafields ADD INDEX idx_mrp_production_fk_object(fk_object); +ALTER TABLE llx_mrp_production_extrafields ADD UNIQUE INDEX uk_mrp_production_fk_object(fk_object); diff --git a/htdocs/install/mysql/tables/llx_prelevement_lignes.sql b/htdocs/install/mysql/tables/llx_prelevement_lignes.sql index be55cab9638..f3de4f8f780 100644 --- a/htdocs/install/mysql/tables/llx_prelevement_lignes.sql +++ b/htdocs/install/mysql/tables/llx_prelevement_lignes.sql @@ -32,5 +32,6 @@ create table llx_prelevement_lignes number varchar(255), cle_rib varchar(5), - note text + note text, + tms timestamp DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP )ENGINE=innodb; diff --git a/htdocs/install/mysql/tables/llx_product.sql b/htdocs/install/mysql/tables/llx_product.sql index bbe9af415d7..0dd84d550f5 100644 --- a/htdocs/install/mysql/tables/llx_product.sql +++ b/htdocs/install/mysql/tables/llx_product.sql @@ -46,6 +46,7 @@ create table llx_product price_min double(24,8) DEFAULT 0, price_min_ttc double(24,8) DEFAULT 0, price_base_type varchar(3) DEFAULT 'HT', + price_label varchar(255), cost_price double(24,8) DEFAULT NULL, -- Cost price without tax. Can be used for margin calculation. default_vat_code varchar(10), -- Same code than into table llx_c_tva (but no constraints). Should be used in priority to find default vat, npr, localtaxes for product. tva_tx double(7,4), -- Default VAT rate of product @@ -58,7 +59,6 @@ create table llx_product fk_user_modif integer, -- user making last change tosell tinyint DEFAULT 1, -- Product you sell tobuy tinyint DEFAULT 1, -- Product you buy - onportal tinyint DEFAULT 0, -- If it is a product you sell and you want to sell it from internal portal (module 'portal') tobatch tinyint DEFAULT 0 NOT NULL, -- Is it a product that need a batch management (eat-by or lot management) sell_or_eat_by_mandatory tinyint DEFAULT 0 NOT NULL, -- Make sell-by or eat-by date mandatory batch_mask varchar(32) DEFAULT NULL, -- If the product has batch feature, you may want to use a batch mask per product diff --git a/htdocs/install/mysql/tables/llx_product_customer_price.sql b/htdocs/install/mysql/tables/llx_product_customer_price.sql index 7f843a8784e..bc25a0f0b2d 100644 --- a/htdocs/install/mysql/tables/llx_product_customer_price.sql +++ b/htdocs/install/mysql/tables/llx_product_customer_price.sql @@ -29,18 +29,19 @@ create table llx_product_customer_price fk_product integer NOT NULL, fk_soc integer NOT NULL, ref_customer varchar(128), - price double(24,8) DEFAULT 0, - price_ttc double(24,8) DEFAULT 0, - price_min double(24,8) DEFAULT 0, - price_min_ttc double(24,8) DEFAULT 0, - price_base_type varchar(3) DEFAULT 'HT', - default_vat_code varchar(10), -- Same code than into table llx_c_tva (but no constraints). Should be used in priority to find default vat, npr, localtaxes for product. - tva_tx double(7,4), - recuperableonly integer NOT NULL DEFAULT '0', -- Other NPR VAT - localtax1_tx double(7,4) DEFAULT 0, -- Other local VAT 1 - localtax1_type varchar(10) NOT NULL DEFAULT '0', - localtax2_tx double(7,4) DEFAULT 0, -- Other local VAT 2 - localtax2_type varchar(10) NOT NULL DEFAULT '0', + price double(24,8) DEFAULT 0, + price_ttc double(24,8) DEFAULT 0, + price_min double(24,8) DEFAULT 0, + price_min_ttc double(24,8) DEFAULT 0, + price_base_type varchar(3) DEFAULT 'HT', + default_vat_code varchar(10), -- Same code than into table llx_c_tva (but no constraints). Should be used in priority to find default vat, npr, localtaxes for product. + tva_tx double(7,4), + recuperableonly integer NOT NULL DEFAULT '0', -- Other NPR VAT + localtax1_tx double(7,4) DEFAULT 0, -- Other local VAT 1 + localtax1_type varchar(10) NOT NULL DEFAULT '0', + localtax2_tx double(7,4) DEFAULT 0, -- Other local VAT 2 + localtax2_type varchar(10) NOT NULL DEFAULT '0', fk_user integer, + price_label varchar(255), import_key varchar(14) -- Import key )ENGINE=innodb; diff --git a/htdocs/install/mysql/tables/llx_product_customer_price_log.sql b/htdocs/install/mysql/tables/llx_product_customer_price_log.sql index cd591b41099..43f70f4f984 100644 --- a/htdocs/install/mysql/tables/llx_product_customer_price_log.sql +++ b/htdocs/install/mysql/tables/llx_product_customer_price_log.sql @@ -22,24 +22,25 @@ create table llx_product_customer_price_log ( - rowid integer AUTO_INCREMENT PRIMARY KEY, + rowid integer AUTO_INCREMENT PRIMARY KEY, entity integer DEFAULT 1 NOT NULL, -- multi company id - datec datetime, + datec datetime, fk_product integer NOT NULL, fk_soc integer DEFAULT 0 NOT NULL, ref_customer varchar(30), - price double(24,8) DEFAULT 0, - price_ttc double(24,8) DEFAULT 0, - price_min double(24,8) DEFAULT 0, - price_min_ttc double(24,8) DEFAULT 0, - price_base_type varchar(3) DEFAULT 'HT', - default_vat_code varchar(10), -- Same code than into table llx_c_tva (but no constraints). Should be used in priority to find default vat, npr, localtaxes for product. - tva_tx double(7,4), - recuperableonly integer NOT NULL DEFAULT '0', -- Other NPR VAT - localtax1_tx double(7,4) DEFAULT 0, -- Other local VAT 1 - localtax1_type varchar(10) NOT NULL DEFAULT '0', - localtax2_tx double(7,4) DEFAULT 0, -- Other local VAT 2 - localtax2_type varchar(10) NOT NULL DEFAULT '0', + price double(24,8) DEFAULT 0, + price_ttc double(24,8) DEFAULT 0, + price_min double(24,8) DEFAULT 0, + price_min_ttc double(24,8) DEFAULT 0, + price_base_type varchar(3) DEFAULT 'HT', + default_vat_code varchar(10), -- Same code than into table llx_c_tva (but no constraints). Should be used in priority to find default vat, npr, localtaxes for product. + tva_tx double(7,4), + recuperableonly integer NOT NULL DEFAULT '0', -- Other NPR VAT + localtax1_tx double(7,4) DEFAULT 0, -- Other local VAT 1 + localtax1_type varchar(10) NOT NULL DEFAULT '0', + localtax2_tx double(7,4) DEFAULT 0, -- Other local VAT 2 + localtax2_type varchar(10) NOT NULL DEFAULT '0', fk_user integer, - import_key varchar(14) -- Import key + price_label varchar(255), + import_key varchar(14) -- Import key )ENGINE=innodb; diff --git a/htdocs/install/mysql/tables/llx_product_extrafields.key.sql b/htdocs/install/mysql/tables/llx_product_extrafields.key.sql index 114c4565632..eaf49bec8f7 100644 --- a/htdocs/install/mysql/tables/llx_product_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_product_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_product_extrafields ADD INDEX idx_product_extrafields (fk_object); +ALTER TABLE llx_product_extrafields ADD UNIQUE INDEX uk_product_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_product_fournisseur_price_extrafields.key.sql b/htdocs/install/mysql/tables/llx_product_fournisseur_price_extrafields.key.sql index b0d9345b604..327652556b1 100644 --- a/htdocs/install/mysql/tables/llx_product_fournisseur_price_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_product_fournisseur_price_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_product_fournisseur_price_extrafields ADD INDEX idx_product_fournisseur_price_extrafields (fk_object); +ALTER TABLE llx_product_fournisseur_price_extrafields ADD UNIQUE INDEX uk_product_fournisseur_price_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_product_lot_extrafields.key.sql b/htdocs/install/mysql/tables/llx_product_lot_extrafields.key.sql index 50edf5506ed..ba10e6f863f 100644 --- a/htdocs/install/mysql/tables/llx_product_lot_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_product_lot_extrafields.key.sql @@ -17,5 +17,5 @@ -- =================================================================== -ALTER TABLE llx_product_lot_extrafields ADD INDEX idx_product_lot_extrafields (fk_object); +ALTER TABLE llx_product_lot_extrafields ADD UNIQUE INDEX uk_product_lot_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_product_price.sql b/htdocs/install/mysql/tables/llx_product_price.sql index 2a64fc92c30..56457ab7bc4 100644 --- a/htdocs/install/mysql/tables/llx_product_price.sql +++ b/htdocs/install/mysql/tables/llx_product_price.sql @@ -23,35 +23,33 @@ create table llx_product_price ( - rowid integer AUTO_INCREMENT PRIMARY KEY, - entity integer DEFAULT 1 NOT NULL, -- Multi company id - tms timestamp DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP, - fk_product integer NOT NULL, - date_price datetime NOT NULL, - price_level smallint NULL DEFAULT 1, - price double(24,8) DEFAULT NULL, -- price without tax - price_ttc double(24,8) DEFAULT NULL, -- price inc vat (but not localtax1 nor localtax2) - price_min double(24,8) default NULL, - price_min_ttc double(24,8) default NULL, - price_base_type varchar(3) DEFAULT 'HT', - default_vat_code varchar(10), -- Same code than into table llx_c_tva (but no constraints). Should be used in priority to find default vat, npr, localtaxes for product. - tva_tx double(7,4) DEFAULT 0 NOT NULL, -- Used only when option PRODUIT_MULTIPRICES_USE_VAT_PER_LEVEL is on (not supported) - recuperableonly integer NOT NULL DEFAULT '0', - localtax1_tx double(7,4) DEFAULT 0, - localtax1_type varchar(10) NOT NULL DEFAULT '0', - localtax2_tx double(7,4) DEFAULT 0, - localtax2_type varchar(10) NOT NULL DEFAULT '0', - fk_user_author integer, - tosell tinyint DEFAULT 1, - price_by_qty integer NOT NULL DEFAULT 0, - fk_price_expression integer, -- Link to the rule for dynamic price calculation - import_key varchar(14), - + rowid integer AUTO_INCREMENT PRIMARY KEY, + entity integer DEFAULT 1 NOT NULL, -- Multi company id + tms timestamp DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP, + fk_product integer NOT NULL, + date_price datetime NOT NULL, + price_level smallint NULL DEFAULT 1, + price double(24,8) DEFAULT NULL, -- price without tax + price_ttc double(24,8) DEFAULT NULL, -- price inc vat (but not localtax1 nor localtax2) + price_min double(24,8) default NULL, + price_min_ttc double(24,8) default NULL, + price_base_type varchar(3) DEFAULT 'HT', + default_vat_code varchar(10), -- Same code than into table llx_c_tva (but no constraints). Should be used in priority to find default vat, npr, localtaxes for product. + tva_tx double(7,4) DEFAULT 0 NOT NULL, -- Used only when option PRODUIT_MULTIPRICES_USE_VAT_PER_LEVEL is on (not supported) + recuperableonly integer NOT NULL DEFAULT '0', + localtax1_tx double(7,4) DEFAULT 0, + localtax1_type varchar(10) NOT NULL DEFAULT '0', + localtax2_tx double(7,4) DEFAULT 0, + localtax2_type varchar(10) NOT NULL DEFAULT '0', + fk_user_author integer, + price_label varchar(255), + tosell tinyint DEFAULT 1, + price_by_qty integer NOT NULL DEFAULT 0, + fk_price_expression integer, -- Link to the rule for dynamic price calculation + import_key varchar(14), fk_multicurrency integer, multicurrency_code varchar(3), - multicurrency_tx double(24,8) DEFAULT 1, + multicurrency_tx double(24,8) DEFAULT 1, multicurrency_price double(24,8) DEFAULT NULL, multicurrency_price_ttc double(24,8) DEFAULT NULL - )ENGINE=innodb; - diff --git a/htdocs/install/mysql/tables/llx_product_thirdparty.sql b/htdocs/install/mysql/tables/llx_product_thirdparty.sql new file mode 100644 index 00000000000..a941eccd2d1 --- /dev/null +++ b/htdocs/install/mysql/tables/llx_product_thirdparty.sql @@ -0,0 +1,40 @@ +-- ============================================================================ +-- Copyright (C) 2024 Laurent Destailleur +-- Copyright (C) 2023 Florian Henry +-- +-- This program is free software; you can redistribute it and/or modify +-- it under the terms of the GNU General Public License as published by +-- the Free Software Foundation; either version 3 of the License, or +-- (at your option) any later version. +-- +-- This program is distributed in the hope that it will be useful, +-- but WITHOUT ANY WARRANTY; without even the implied warranty of +-- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +-- GNU General Public License for more details. +-- +-- You should have received a copy of the GNU General Public License +-- along with this program. If not, see . +-- +-- ============================================================================ + +CREATE TABLE llx_product_thirdparty +( + rowid integer AUTO_INCREMENT PRIMARY KEY NOT NULL, + fk_product integer NOT NULL, + fk_soc integer NOT NULL, + fk_product_thirdparty_relation_type integer NOT NULL, + date_start datetime, + date_end datetime, + fk_project integer, + description text, + note_public text, + note_private text, + date_creation datetime NOT NULL, + tms timestamp DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP, + fk_user_creat integer NOT NULL, + fk_user_modif integer, + last_main_doc varchar(255), + import_key varchar(14), + model_pdf varchar(255), + status integer DEFAULT 1 NOT NULL +)ENGINE=innodb; diff --git a/htdocs/install/mysql/tables/llx_projet_extrafields.key.sql b/htdocs/install/mysql/tables/llx_projet_extrafields.key.sql index 86a60bb820d..91a92c30ce0 100644 --- a/htdocs/install/mysql/tables/llx_projet_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_projet_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_projet_extrafields ADD INDEX idx_projet_extrafields (fk_object); +ALTER TABLE llx_projet_extrafields ADD UNIQUE INDEX uk_projet_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_projet_task_extrafields.key.sql b/htdocs/install/mysql/tables/llx_projet_task_extrafields.key.sql index 346d8d2cb22..4c7e834cf35 100644 --- a/htdocs/install/mysql/tables/llx_projet_task_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_projet_task_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_projet_task_extrafields ADD INDEX idx_projet_task_extrafields (fk_object); +ALTER TABLE llx_projet_task_extrafields ADD UNIQUE INDEX uk_projet_task_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_propal_extrafields.key.sql b/htdocs/install/mysql/tables/llx_propal_extrafields.key.sql index 8759d7deb1e..f05a434b793 100644 --- a/htdocs/install/mysql/tables/llx_propal_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_propal_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_propal_extrafields ADD INDEX idx_propal_extrafields (fk_object); +ALTER TABLE llx_propal_extrafields ADD UNIQUE INDEX uk_propal_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_propaldet_extrafields.key.sql b/htdocs/install/mysql/tables/llx_propaldet_extrafields.key.sql index 1ab062a83cd..2e70fd43469 100644 --- a/htdocs/install/mysql/tables/llx_propaldet_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_propaldet_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_propaldet_extrafields ADD INDEX idx_propaldet_extrafields (fk_object); +ALTER TABLE llx_propaldet_extrafields ADD UNIQUE INDEX uk_propaldet_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_reception_extrafields.key.sql b/htdocs/install/mysql/tables/llx_reception_extrafields.key.sql index 9b5c6f5c466..f496faf4ab6 100644 --- a/htdocs/install/mysql/tables/llx_reception_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_reception_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_reception_extrafields ADD INDEX idx_reception_extrafields (fk_object); +ALTER TABLE llx_reception_extrafields ADD UNIQUE INDEX uk_reception_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_recruitment_recruitmentcandidature_extrafields-recruitment.key.sql b/htdocs/install/mysql/tables/llx_recruitment_recruitmentcandidature_extrafields-recruitment.key.sql index 72a90391471..acf7c2dd345 100644 --- a/htdocs/install/mysql/tables/llx_recruitment_recruitmentcandidature_extrafields-recruitment.key.sql +++ b/htdocs/install/mysql/tables/llx_recruitment_recruitmentcandidature_extrafields-recruitment.key.sql @@ -15,5 +15,5 @@ -- BEGIN MODULEBUILDER INDEXES -ALTER TABLE llx_recruitment_recruitmentcandidature_extrafields ADD INDEX idx_recruitmentcandidature_fk_object(fk_object); +ALTER TABLE llx_recruitment_recruitmentcandidature_extrafields ADD UNIQUE INDEX uk_recruitmentcandidature_fk_object (fk_object); -- END MODULEBUILDER INDEXES diff --git a/htdocs/install/mysql/tables/llx_recruitment_recruitmentjobposition_extrafields-recruitment.key.sql b/htdocs/install/mysql/tables/llx_recruitment_recruitmentjobposition_extrafields-recruitment.key.sql index dfb495c3efc..886c74986be 100644 --- a/htdocs/install/mysql/tables/llx_recruitment_recruitmentjobposition_extrafields-recruitment.key.sql +++ b/htdocs/install/mysql/tables/llx_recruitment_recruitmentjobposition_extrafields-recruitment.key.sql @@ -15,5 +15,5 @@ -- BEGIN MODULEBUILDER INDEXES -ALTER TABLE llx_recruitment_recruitmentjobposition_extrafields ADD INDEX idx_recruitmentjobposition_fk_object(fk_object); +ALTER TABLE llx_recruitment_recruitmentjobposition_extrafields ADD UNIQUE INDEX uk_recruitmentjobposition_fk_object (fk_object); -- END MODULEBUILDER INDEXES diff --git a/htdocs/install/mysql/tables/llx_resource_extrafields.key.sql b/htdocs/install/mysql/tables/llx_resource_extrafields.key.sql index d69755dacfd..738327b1454 100644 --- a/htdocs/install/mysql/tables/llx_resource_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_resource_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_resource_extrafields ADD INDEX idx_resource_extrafields (fk_object); +ALTER TABLE llx_resource_extrafields ADD UNIQUE INDEX uk_resource_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_salary_extrafields.key.sql b/htdocs/install/mysql/tables/llx_salary_extrafields.key.sql index 9c6e047d9ee..1fea4d2f6b0 100644 --- a/htdocs/install/mysql/tables/llx_salary_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_salary_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_salary_extrafields ADD INDEX idx_salary_extrafields (fk_object); +ALTER TABLE llx_salary_extrafields ADD UNIQUE INDEX uk_salary_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_socpeople_extrafields.key.sql b/htdocs/install/mysql/tables/llx_socpeople_extrafields.key.sql index c5d531058e3..a2cf158f4e5 100644 --- a/htdocs/install/mysql/tables/llx_socpeople_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_socpeople_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_socpeople_extrafields ADD INDEX idx_socpeople_extrafields (fk_object); +ALTER TABLE llx_socpeople_extrafields ADD UNIQUE INDEX uk_socpeople_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_stock_mouvement_extrafields.key.sql b/htdocs/install/mysql/tables/llx_stock_mouvement_extrafields.key.sql index 61909435b00..726408f8e21 100644 --- a/htdocs/install/mysql/tables/llx_stock_mouvement_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_stock_mouvement_extrafields.key.sql @@ -18,4 +18,4 @@ -- ============================================================================ -ALTER TABLE llx_stock_mouvement_extrafields ADD INDEX idx_stock_mouvement_extrafields (fk_object); +ALTER TABLE llx_stock_mouvement_extrafields ADD UNIQUE INDEX uk_stock_mouvement_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_supplier_proposal_extrafields.key.sql b/htdocs/install/mysql/tables/llx_supplier_proposal_extrafields.key.sql index 4f365d85f55..40a1889ea69 100644 --- a/htdocs/install/mysql/tables/llx_supplier_proposal_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_supplier_proposal_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_supplier_proposal_extrafields ADD INDEX idx_supplier_proposal_extrafields (fk_object); +ALTER TABLE llx_supplier_proposal_extrafields ADD UNIQUE INDEX uk_supplier_proposal_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_supplier_proposaldet_extrafields.key.sql b/htdocs/install/mysql/tables/llx_supplier_proposaldet_extrafields.key.sql index 278bda52c63..7b39f137b7c 100644 --- a/htdocs/install/mysql/tables/llx_supplier_proposaldet_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_supplier_proposaldet_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_supplier_proposaldet_extrafields ADD INDEX idx_supplier_proposaldet_extrafields (fk_object); +ALTER TABLE llx_supplier_proposaldet_extrafields ADD UNIQUE INDEX uk_supplier_proposaldet_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_user_extrafields.key.sql b/htdocs/install/mysql/tables/llx_user_extrafields.key.sql index 92d5ce47f22..a6e06dd9337 100644 --- a/htdocs/install/mysql/tables/llx_user_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_user_extrafields.key.sql @@ -20,4 +20,4 @@ -- =================================================================== -ALTER TABLE llx_user_extrafields ADD INDEX idx_user_extrafields (fk_object); +ALTER TABLE llx_user_extrafields ADD UNIQUE INDEX uk_user_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_usergroup_extrafields.key.sql b/htdocs/install/mysql/tables/llx_usergroup_extrafields.key.sql index 6b73467018c..4214e6a7883 100644 --- a/htdocs/install/mysql/tables/llx_usergroup_extrafields.key.sql +++ b/htdocs/install/mysql/tables/llx_usergroup_extrafields.key.sql @@ -17,4 +17,4 @@ -- =================================================================== -ALTER TABLE llx_usergroup_extrafields ADD INDEX idx_usergroup_extrafields (fk_object); +ALTER TABLE llx_usergroup_extrafields ADD UNIQUE INDEX uk_usergroup_extrafields (fk_object); diff --git a/htdocs/install/mysql/tables/llx_website-website.sql b/htdocs/install/mysql/tables/llx_website-website.sql index 8ac580919aa..7380fe678df 100644 --- a/htdocs/install/mysql/tables/llx_website-website.sql +++ b/htdocs/install/mysql/tables/llx_website-website.sql @@ -41,5 +41,6 @@ CREATE TABLE llx_website pageviews_month BIGINT UNSIGNED DEFAULT 0, -- increased by 1 at each page access, saved into pageviews_previous_month when on different month than lastaccess pageviews_total BIGINT UNSIGNED DEFAULT 0, -- increased by 1 at each page access, no reset tms timestamp DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP, - import_key varchar(14) -- import key + import_key varchar(14), -- import key + name_template varchar(255) NULL --name of template imported ) ENGINE=innodb; diff --git a/htdocs/install/mysql/tables/llx_workstation_workstation-workstation.key.sql b/htdocs/install/mysql/tables/llx_workstation_workstation-workstation.key.sql old mode 100755 new mode 100644 diff --git a/htdocs/install/mysql/tables/llx_workstation_workstation-workstation.sql b/htdocs/install/mysql/tables/llx_workstation_workstation-workstation.sql old mode 100755 new mode 100644 diff --git a/htdocs/install/mysql/tables/llx_workstation_workstation_resource-workstation.sql b/htdocs/install/mysql/tables/llx_workstation_workstation_resource-workstation.sql old mode 100755 new mode 100644 diff --git a/htdocs/install/mysql/tables/llx_workstation_workstation_usergroup-workstation.sql b/htdocs/install/mysql/tables/llx_workstation_workstation_usergroup-workstation.sql old mode 100755 new mode 100644 diff --git a/htdocs/install/pgsql/functions/functions.sql b/htdocs/install/pgsql/functions/functions.sql index 6727d486d35..dacec28bd89 100644 --- a/htdocs/install/pgsql/functions/functions.sql +++ b/htdocs/install/pgsql/functions/functions.sql @@ -105,6 +105,7 @@ CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_cronjob FOR EACH ROW CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_ecm_directories FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_ecm_files FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_element_resources FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); +CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_element_time FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_emailcollector_emailcollector FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_emailcollector_emailcollectoraction FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_emailcollector_emailcollectorfilter FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); @@ -140,6 +141,7 @@ CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_payment_donation FOR CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_payment_expensereport FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_payment_loan FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_payment_salary FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); +CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_prelevement_lignes FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_printing FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_product FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_product_batch FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); @@ -153,7 +155,6 @@ CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_projet FOR EACH ROW CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_projet_extrafields FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_projet_task FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_projet_task_extrafields FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); -CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_element_time FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_propal FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_propal_extrafields FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); CREATE TRIGGER update_customer_modtime BEFORE UPDATE ON llx_propal_merge_pdf_product FOR EACH ROW EXECUTE PROCEDURE update_modified_column_tms(); diff --git a/htdocs/install/repair.php b/htdocs/install/repair.php index 4d3e7adfbcb..05a35144b7d 100644 --- a/htdocs/install/repair.php +++ b/htdocs/install/repair.php @@ -111,7 +111,7 @@ if (preg_match('/crypted:/i', $dolibarr_main_db_pass) || !empty($dolibarr_main_d if (preg_match('/crypted:/i', $dolibarr_main_db_pass)) { $dolibarr_main_db_pass = preg_replace('/crypted:/i', '', $dolibarr_main_db_pass); $dolibarr_main_db_pass = dol_decode($dolibarr_main_db_pass); - $dolibarr_main_db_encrypted_pass = $dolibarr_main_db_pass; // We need to set this as it is used to know the password was initially crypted + $dolibarr_main_db_encrypted_pass = $dolibarr_main_db_pass; // We need to set this as it is used to know the password was initially encrypted } else { $dolibarr_main_db_pass = dol_decode($dolibarr_main_db_encrypted_pass); } @@ -1113,7 +1113,7 @@ if ($ok && GETPOST('set_empty_time_spent_amount', 'alpha')) { // force_disable_of_modules_not_found if ($ok && GETPOST('force_disable_of_modules_not_found', 'alpha')) { - print '

      *** Force modules not found physicaly to be disabled (only modules adding js, css or hooks can be detected as removed physicaly)

      *** Force modules not found physically to be disabled (only modules adding js, css or hooks can be detected as removed physically)
      '.join('
      ', $errors).'
      '; + print ''.$langs->trans('DeleteOldFiles')."
      \n"; + print '
      '.$langs->trans("Type").''.$object->declaration."
      '.$langs->trans("AnalysisPeriod").''.$object->period.'
      '.$langs->trans("TypeOfDeclaration").''.$object->type_declaration.'
      '.$langs->trans("TypeOfDeclaration").''.$object->exporttype.'
      \n"; @@ -283,101 +286,6 @@ if ($id > 0 && $action != 'edit') { print dol_get_fiche_end(); } - /* - switch($action) { - case 'generateXML': - $obj = new TDebProdouane($PDOdb); - $obj->load($PDOdb, GETPOST('id_declaration')); - $obj->generateXMLFile(); - break; - case 'list': - _liste($exporttype); - break; - case 'export': - if ($exporttype == 'deb') _export_xml_deb($type_declaration, $year, str_pad($month, 2, 0, STR_PAD_LEFT)); - else _export_xml_des($type_declaration, $year, str_pad($month, 2, 0, STR_PAD_LEFT)); - default: - if ($exporttype == 'deb') _print_form_deb(); - else _print_form_des(); - break; - } - - function _print_form_des() - { - global $langs, $formother, $year, $month, $type_declaration; - - print load_fiche_titre($langs->trans("IntracommReportDESTitle")); - - print dol_get_fiche_head(); - - print '
      '; - print ''; - print ''; - print ''; - print ''; // Permet d'utiliser le bon select de la requête sql - - print ''; - - print ''; - - print ''; - print ''; - print ''; - print ''; - - print '
      '; - print 'Paramètres de l\'export'; - print '
      Période d\'analyse'; - $TabMonth = array(); - for($i=1;$i<=12;$i++) $TabMonth[$i] = $langs->trans('Month'.str_pad($i, 2, 0, STR_PAD_LEFT)); - //print $ATMform->combo('','month', $TabMonth, empty($month) ? date('m') : $month); - print $formother->selectyear(empty($year) ? date('Y') : $year,'year',0, 20, 5); - print '
      '; - - print '
      '; - print ''; - print '
      '; - - print '
      '; - } - - function _export_xml_deb($type_declaration, $period_year, $period_month) { - - global $db, $conf; - - $obj = new TDebProdouane($db); - $obj->entity = $conf->entity; - $obj->mode = 'O'; - $obj->periode = $period_year.'-'.$period_month; - $obj->type_declaration = $type_declaration; - $obj->numero_declaration = $obj->getNextNumeroDeclaration(); - $obj->content_xml = $obj->getXML('O', $type_declaration, $period_year.'-'.$period_month); - if(empty($obj->errors)) { - $obj->save($PDOdb); - $obj->generateXMLFile(); - } - else setEventMessage($obj->errors, 'warnings'); - } - - function _export_xml_des($type_declaration, $period_year, $period_month) { - - global $PDOdb, $conf; - - $obj = new TDebProdouane($PDOdb); - $obj->entity = $conf->entity; - $obj->periode = $period_year.'-'.$period_month; - $obj->type_declaration = $type_declaration; - $obj->exporttype = 'des'; - $obj->numero_declaration = $obj->getNextNumeroDeclaration(); - $obj->content_xml = $obj->getXMLDes($period_year, $period_month, $type_declaration); - if(empty($obj->errors)) { - $obj->save($PDOdb); - $obj->generateXMLFile(); - } - else setEventMessage($obj->errors, 'warnings'); - } - */ - // End of page llxFooter(); $db->close(); diff --git a/htdocs/intracommreport/class/intracommreport.class.php b/htdocs/intracommreport/class/intracommreport.class.php index 28efdbf08fd..3d76b5034d2 100644 --- a/htdocs/intracommreport/class/intracommreport.class.php +++ b/htdocs/intracommreport/class/intracommreport.class.php @@ -1,7 +1,7 @@ * Copyright (C) 2019-2020 Open-DSI - * Copyright (C) 2020 Frédéric France + * Copyright (C) 2020-2024 Frédéric France * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -67,7 +67,9 @@ class IntracommReport extends CommonObject */ public $declaration_number; - public $type_declaration; // deb or des + public $exporttype; // deb or des + public $type_declaration; // 'introduction' or 'expedition' + public $numero_declaration; /** @@ -136,7 +138,7 @@ class IntracommReport extends CommonObject /** * Generate XML file * - * @param int $mode O for create, R for regenerate (Look always 0 ment toujours 0 within the framework of XML exchanges according to documentation) + * @param string $mode 'O' for create, R for regenerate (Look always 0 meant toujours 0 within the framework of XML exchanges according to documentation) * @param string $type Declaration type by default - introduction or expedition (always 'expedition' for Des) * @param string $period_reference Period of reference * @return SimpleXMLElement|int @@ -154,21 +156,21 @@ class IntracommReport extends CommonObject /**************Construction du fichier XML***************************/ $e = new SimpleXMLElement(''); - $enveloppe = $e->addChild('Envelope'); - $enveloppe->addChild('envelopeId', $conf->global->INTRACOMMREPORT_NUM_AGREMENT); - $date_time = $enveloppe->addChild('DateTime'); + $envelope = $e->addChild('Envelope'); + $envelope->addChild('envelopeId', $conf->global->INTRACOMMREPORT_NUM_AGREMENT); + $date_time = $envelope->addChild('DateTime'); $date_time->addChild('date', date('Y-m-d')); $date_time->addChild('time', date('H:i:s')); - $party = $enveloppe->addChild('Party'); + $party = $envelope->addChild('Party'); $party->addAttribute('partyType', $conf->global->INTRACOMMREPORT_TYPE_ACTEUR); $party->addAttribute('partyRole', $conf->global->INTRACOMMREPORT_ROLE_ACTEUR); $party->addChild('partyId', $party_id); $party->addChild('partyName', $declarant); - $enveloppe->addChild('softwareUsed', 'Dolibarr'); - $declaration = $enveloppe->addChild('Declaration'); + $envelope->addChild('softwareUsed', 'Dolibarr'); + $declaration = $envelope->addChild('Declaration'); $declaration->addChild('declarationId', $id_declaration); $declaration->addChild('referencePeriod', $period_reference); - if ($conf->global->INTRACOMMREPORT_TYPE_ACTEUR === 'PSI') { + if (getDolGlobalString('INTRACOMMREPORT_TYPE_ACTEUR') === 'PSI') { $psiId = $party_id; } else { $psiId = 'NA'; @@ -199,7 +201,7 @@ class IntracommReport extends CommonObject * * @param int $period_year Year of declaration * @param int $period_month Month of declaration - * @param string $type_declaration Declaration type by default - introduction or expedition (always 'expedition' for Des) + * @param string $type_declaration Declaration type by default - 'introduction' or 'expedition' (always 'expedition' for Des) * @return SimpleXMLElement|int */ public function getXMLDes($period_year, $period_month, $type_declaration = 'expedition') @@ -214,9 +216,8 @@ class IntracommReport extends CommonObject $declaration_des->addChild('mois_des', $period_month); $declaration_des->addChild('an_des', $period_year); - /**************Ajout des lignes de factures**************************/ + // Add invoice lines $res = $this->addItemsFact($declaration_des, $type_declaration, $period_year.'-'.$period_month, 'des'); - /********************************************************************/ $this->errors = array_unique($this->errors); @@ -231,9 +232,9 @@ class IntracommReport extends CommonObject * Add line from invoice * * @param SimpleXMLElement $declaration Reference declaration - * @param string $type Declaration type by default - introduction or expedition (always 'expedition' for Des) + * @param string $type Declaration type by default - 'introduction' or 'expedition' (always 'expedition' for Des) * @param int $period_reference Reference period - * @param string $exporttype deb=DEB, des=DES + * @param string $exporttype 'deb' for DEB, 'des' for DES * @return int Return integer <0 if KO, >0 if OK */ public function addItemsFact(&$declaration, $type, $period_reference, $exporttype = 'deb') @@ -256,7 +257,7 @@ class IntracommReport extends CommonObject if ($exporttype == 'deb' && getDolGlobalInt('INTRACOMMREPORT_CATEG_FRAISDEPORT') > 0) { $categ_fraisdeport = new Categorie($this->db); - $categ_fraisdeport->fetch($conf->global->INTRACOMMREPORT_CATEG_FRAISDEPORT); + $categ_fraisdeport->fetch(getDolGlobalString('INTRACOMMREPORT_CATEG_FRAISDEPORT')); $TLinesFraisDePort = array(); } @@ -297,7 +298,7 @@ class IntracommReport extends CommonObject * @param string $type Declaration type by default - introduction or expedition (always 'expedition' for Des) * @param int $period_reference Reference declaration * @param string $exporttype deb=DEB, des=DES - * @return string Return integer <0 if KO, >0 if OK + * @return string Return integer <0 if KO, >0 if OK */ public function getSQLFactLines($type, $period_reference, $exporttype = 'deb') { @@ -454,7 +455,8 @@ class IntracommReport extends CommonObject */ public function getNextDeclarationNumber() { - $sql = "SELECT MAX(numero_declaration) as max_declaration_number FROM ".MAIN_DB_PREFIX.$this->table_element; + $sql = "SELECT MAX(numero_declaration) as max_declaration_number"; + $sql .= " FROM ".MAIN_DB_PREFIX.$this->table_element; $sql .= " WHERE exporttype = '".$this->db->escape($this->exporttype)."'"; $resql = $this->db->query($sql); if ($resql) { @@ -478,14 +480,18 @@ class IntracommReport extends CommonObject /** * Generate XML file * + * @param string $content_xml Content * @return void */ - public function generateXMLFile() + public function generateXMLFile($content_xml) { - $name = $this->periode.'.xml'; + $name = $this->period.'.xml'; + + // TODO Must be stored into a dolibarr temp directory $fname = sys_get_temp_dir().'/'.$name; + $f = fopen($fname, 'w+'); - fwrite($f, $this->content_xml); + fwrite($f, $content_xml); fclose($f); header('Content-Description: File Transfer'); @@ -495,6 +501,7 @@ class IntracommReport extends CommonObject header('Cache-Control: must-revalidate'); header('Pragma: public'); header('Content-Length: '.filesize($fname)); + readfile($fname); exit; } diff --git a/htdocs/knowledgemanagement/README.md b/htdocs/knowledgemanagement/README.md index 406e9032154..16454e21114 100644 --- a/htdocs/knowledgemanagement/README.md +++ b/htdocs/knowledgemanagement/README.md @@ -3,7 +3,7 @@ Knowledge Management base A complete knowledge database inside your application. -Store, search and retreive any article to keep your knowledge into a database. It can be used to manage a list of FAQ, or a database +Store, search and retrieve any article to keep your knowledge into a database. It can be used to manage a list of FAQ, or a database of process, or solutions of common problems. If you are using the Ticket module, you can also link each article of your knowledge management database to the main diff --git a/htdocs/knowledgemanagement/class/api_knowledgemanagement.class.php b/htdocs/knowledgemanagement/class/api_knowledgemanagement.class.php index c4847c219d8..0a93db98404 100644 --- a/htdocs/knowledgemanagement/class/api_knowledgemanagement.class.php +++ b/htdocs/knowledgemanagement/class/api_knowledgemanagement.class.php @@ -58,7 +58,7 @@ class KnowledgeManagement extends DolibarrApi /** * Get properties of a knowledgerecord object * - * Return an array with knowledgerecord informations + * Return an array with knowledgerecord information * * @param int $id ID of knowledgerecord * @return Object Object with cleaned properties @@ -109,10 +109,6 @@ class KnowledgeManagement extends DolibarrApi $result = $categories->getListForItem($id, 'knowledgemanagement', $sortfield, $sortorder, $limit, $page); - if (empty($result)) { - throw new RestException(404, 'No category found'); - } - if ($result < 0) { throw new RestException(503, 'Error when retrieve category list : '.join(',', array_merge(array($categories->error), $categories->errors))); } @@ -131,7 +127,7 @@ class KnowledgeManagement extends DolibarrApi * @param int $page Page number * @param int $category Use this param to filter list by category * @param string $sqlfilters Other criteria to filter answers separated by a comma. Syntax example "(t.ref:like:'SO-%') and (t.date_creation:<:'20160101')" - * @param string $properties Restrict the data returned to theses properties. Ignored if empty. Comma separated list of properties names + * @param string $properties Restrict the data returned to these properties. Ignored if empty. Comma separated list of properties names * @return array Array of order objects * * @throws RestException @@ -140,8 +136,6 @@ class KnowledgeManagement extends DolibarrApi */ public function index($sortfield = "t.rowid", $sortorder = 'ASC', $limit = 100, $page = 0, $category = 0, $sqlfilters = '', $properties = '') { - global $db, $conf; - $obj_ret = array(); $tmpobject = new KnowledgeRecord($this->db); @@ -149,7 +143,7 @@ class KnowledgeManagement extends DolibarrApi throw new RestException(401); } - $socid = DolibarrApiAccess::$user->socid ? DolibarrApiAccess::$user->socid : ''; + $socid = DolibarrApiAccess::$user->socid ? DolibarrApiAccess::$user->socid : 0; $restrictonsocid = 0; // Set to 1 if there is a field socid in table of object @@ -160,38 +154,25 @@ class KnowledgeManagement extends DolibarrApi } $sql = "SELECT t.rowid"; - if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) { - $sql .= ", sc.fk_soc, sc.fk_user"; // We need these fields in order to filter by sale (including the case where the user can only see his prospects) - } - $sql .= " FROM ".MAIN_DB_PREFIX.$tmpobject->table_element." AS t LEFT JOIN ".MAIN_DB_PREFIX.$tmpobject->table_element."_extrafields AS ef ON (ef.fk_object = t.rowid)"; // Modification VMR Global Solutions to include extrafields as search parameters in the API GET call, so we will be able to filter on extrafields - - if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) { - $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; // We need this table joined to the select in order to filter by sale - } + $sql .= " FROM ".MAIN_DB_PREFIX.$tmpobject->table_element." AS t"; + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX.$tmpobject->table_element."_extrafields AS ef ON (ef.fk_object = t.rowid)"; // Modification VMR Global Solutions to include extrafields as search parameters in the API GET call, so we will be able to filter on extrafields if ($category > 0) { $sql .= ", ".$this->db->prefix()."categorie_knowledgemanagement as c"; } $sql .= " WHERE 1 = 1"; - - // Example of use $mode - //if ($mode == 1) $sql.= " AND s.client IN (1, 3)"; - //if ($mode == 2) $sql.= " AND s.client IN (2, 3)"; - if ($tmpobject->ismultientitymanaged) { $sql .= ' AND t.entity IN ('.getEntity($tmpobject->element).')'; } - if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) { - $sql .= " AND t.fk_soc = sc.fk_soc"; - } if ($restrictonsocid && $socid) { $sql .= " AND t.fk_soc = ".((int) $socid); } - if ($restrictonsocid && $search_sale > 0) { - $sql .= " AND t.rowid = sc.fk_soc"; // Join for the needed table to filter by sale - } - // Insert sale filter - if ($restrictonsocid && $search_sale > 0) { - $sql .= " AND sc.fk_user = ".((int) $search_sale); + // Search on sale representative + if ($search_sale && $search_sale != '-1') { + if ($search_sale == -2) { + $sql .= " AND NOT EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = t.fk_soc)"; + } elseif ($search_sale > 0) { + $sql .= " AND EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = t.fk_soc AND sc.fk_user = ".((int) $search_sale).")"; + } } // Select products of given category if ($category > 0) { @@ -231,9 +212,7 @@ class KnowledgeManagement extends DolibarrApi } else { throw new RestException(503, 'Error when retrieving knowledgerecord list: '.$this->db->lasterror()); } - if (!count($obj_ret)) { - throw new RestException(404, 'No knowledgerecord found'); - } + return $obj_ret; } @@ -257,6 +236,12 @@ class KnowledgeManagement extends DolibarrApi $result = $this->_validate($request_data); foreach ($request_data as $field => $value) { + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $this->knowledgerecord->context['caller'] = $request_data['caller']; + continue; + } + $this->knowledgerecord->$field = $this->_checkValForAPI($field, $value, $this->knowledgerecord); } @@ -299,6 +284,12 @@ class KnowledgeManagement extends DolibarrApi if ($field == 'id') { continue; } + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $this->knowledgerecord->context['caller'] = $request_data['caller']; + continue; + } + $this->knowledgerecord->$field = $this->_checkValForAPI($field, $value, $this->knowledgerecord); } diff --git a/htdocs/knowledgemanagement/class/knowledgerecord.class.php b/htdocs/knowledgemanagement/class/knowledgerecord.class.php index b140916d559..f4c1871401b 100644 --- a/htdocs/knowledgemanagement/class/knowledgerecord.class.php +++ b/htdocs/knowledgemanagement/class/knowledgerecord.class.php @@ -80,7 +80,7 @@ class KnowledgeRecord extends CommonObject * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'maxwidth200', 'wordbreak', 'tdoverflowmax200' @@ -184,7 +184,7 @@ class KnowledgeRecord extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -228,10 +228,10 @@ class KnowledgeRecord extends CommonObject * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { return $this->createCommon($user, $notrigger); } @@ -450,10 +450,10 @@ class KnowledgeRecord extends CommonObject * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -461,11 +461,11 @@ class KnowledgeRecord extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { $error = 0; $sql = "DELETE FROM ".MAIN_DB_PREFIX."categorie_knowledgemanagement WHERE fk_knowledgemanagement = ".((int) $this->id); @@ -503,10 +503,10 @@ class KnowledgeRecord extends CommonObject * * @param User $user User that delete * @param int $idline Id of line to delete - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int >0 if OK, <0 if KO + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return >0 if OK, <0 if KO */ - public function deleteLine(User $user, $idline, $notrigger = false) + public function deleteLine(User $user, $idline, $notrigger = 0) { if ($this->status < 0) { $this->error = 'ErrorDeleteLineNotAllowedByObjectStatus'; @@ -522,7 +522,7 @@ class KnowledgeRecord extends CommonObject * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function validate($user, $notrigger = 0) { @@ -534,7 +534,7 @@ class KnowledgeRecord extends CommonObject // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this)."::validate action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this)."::validate action abandoned: already validated", LOG_WARNING); return 0; } @@ -679,7 +679,7 @@ class KnowledgeRecord extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function cancel($user, $notrigger = 0) { @@ -703,7 +703,7 @@ class KnowledgeRecord extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function reopen($user, $notrigger = 0) { @@ -757,7 +757,7 @@ class KnowledgeRecord extends CommonObject } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -1007,7 +1007,7 @@ class KnowledgeRecord extends CommonObject $mybool = false; $file = getDolGlobalString('KNOWLEDGEMANAGEMENT_KNOWLEDGERECORD_ADDON') . ".php"; - $classname = $conf->global->KNOWLEDGEMANAGEMENT_KNOWLEDGERECORD_ADDON; + $classname = getDolGlobalString('KNOWLEDGEMANAGEMENT_KNOWLEDGERECORD_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -1019,7 +1019,7 @@ class KnowledgeRecord extends CommonObject } if ($mybool === false) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -1048,7 +1048,7 @@ class KnowledgeRecord extends CommonObject * Create a document onto disk according to template module. * * @param string $modele Force template to use ('' to not force) - * @param Translate $outputlangs objet lang a utiliser pour traduction + * @param Translate $outputlangs object lang a utiliser pour traduction * @param int $hidedetails Hide details of lines * @param int $hidedesc Hide description * @param int $hideref Hide ref @@ -1070,7 +1070,7 @@ class KnowledgeRecord extends CommonObject if (!empty($this->model_pdf)) { $modele = $this->model_pdf; } elseif (getDolGlobalString('KNOWLEDGERECORD_ADDON_PDF')) { - $modele = $conf->global->KNOWLEDGERECORD_ADDON_PDF; + $modele = getDolGlobalString('KNOWLEDGERECORD_ADDON_PDF'); } } @@ -1158,7 +1158,7 @@ class KnowledgeRecord extends CommonObject $return .= ''.dolGetFirstLineOfText($this->question).''; } if (method_exists($this, 'getLibStatut')) { - $return .= '
      '.$this->getLibStatut(3).'
      '; + $return .= '
      '.$this->getLibStatut(3).'
      '; } $return .= '
      '; $return .= '
      '; @@ -1186,7 +1186,7 @@ class KnowledgeRecordLine extends CommonObjectLine /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { diff --git a/htdocs/knowledgemanagement/core/modules/knowledgemanagement/mod_knowledgerecord_standard.php b/htdocs/knowledgemanagement/core/modules/knowledgemanagement/mod_knowledgerecord_standard.php index a94ab504be1..20ba2817501 100644 --- a/htdocs/knowledgemanagement/core/modules/knowledgemanagement/mod_knowledgerecord_standard.php +++ b/htdocs/knowledgemanagement/core/modules/knowledgemanagement/mod_knowledgerecord_standard.php @@ -149,7 +149,7 @@ class mod_knowledgerecord_standard extends ModeleNumRefKnowledgeRecord //$date=time(); $date = $object->date_creation; - $yymm = strftime("%y%m", $date); + $yymm = dol_print_date($date, "%y%m"); if ($max >= (pow(10, 4) - 1)) { $num = $max + 1; // If counter > 9999, we do not format on 4 chars, we take number as it is diff --git a/htdocs/knowledgemanagement/knowledgerecord_agenda.php b/htdocs/knowledgemanagement/knowledgerecord_agenda.php index fadb2ccde95..3d4445518ee 100644 --- a/htdocs/knowledgemanagement/knowledgerecord_agenda.php +++ b/htdocs/knowledgemanagement/knowledgerecord_agenda.php @@ -128,7 +128,7 @@ $form = new Form($db); if ($object->id > 0) { $title = $langs->trans("Agenda"); - //if (!empty($conf->global->MAIN_HTML_TITLE) && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; + //if (getDolGlobalString('MAIN_HTML_TITLE') && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; $help_url = ''; llxHeader('', $title, $help_url); diff --git a/htdocs/knowledgemanagement/knowledgerecord_card.php b/htdocs/knowledgemanagement/knowledgerecord_card.php index dcb743f5a6a..23f09690b09 100644 --- a/htdocs/knowledgemanagement/knowledgerecord_card.php +++ b/htdocs/knowledgemanagement/knowledgerecord_card.php @@ -57,7 +57,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alpha'); $search = array(); foreach ($object->fields as $key => $val) { diff --git a/htdocs/knowledgemanagement/knowledgerecord_list.php b/htdocs/knowledgemanagement/knowledgerecord_list.php index 33c134a6ddd..1146776872a 100644 --- a/htdocs/knowledgemanagement/knowledgerecord_list.php +++ b/htdocs/knowledgemanagement/knowledgerecord_list.php @@ -61,7 +61,7 @@ $searchCategoryKnowledgemanagementOperator = 0; if (GETPOSTISSET('formfilteraction')) { $searchCategoryKnowledgemanagementOperator = GETPOST('search_category_knowledgemanagement_operator', 'int'); } elseif (getDolGlobalString('MAIN_SEARCH_CAT_OR_BY_DEFAULT')) { - $searchCategoryKnowledgemanagementOperator = $conf->global->MAIN_SEARCH_CAT_OR_BY_DEFAULT; + $searchCategoryKnowledgemanagementOperator = getDolGlobalString('MAIN_SEARCH_CAT_OR_BY_DEFAULT'); } // Load variable for pagination $limit = GETPOST('limit', 'int') ? GETPOST('limit', 'int') : $conf->liste_limit; @@ -97,12 +97,12 @@ if (!$sortorder) { $sortorder = "ASC"; } -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST('search_all', 'alphanohtml'); $search = array(); foreach ($object->fields as $key => $val) { if ($key == "lang") { - $search[$key] = GETPOST('search_'.$key, 'alpha')!='0' ? GETPOST('search_'.$key, 'alpha') : ''; + $search[$key] = GETPOST('search_'.$key, 'alpha') != '0' ? GETPOST('search_'.$key, 'alpha') : ''; } else { $search[$key] = GETPOST('search_'.$key, 'alpha'); } @@ -529,7 +529,7 @@ $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; $selectedfields = $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print ''."\n"; @@ -839,7 +839,7 @@ print ''."\n"; print ''."\n"; -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/langs/am_ET/accountancy.lang b/htdocs/langs/am_ET/accountancy.lang index 8bc4b54a090..e416c2c3c7c 100644 --- a/htdocs/langs/am_ET/accountancy.lang +++ b/htdocs/langs/am_ET/accountancy.lang @@ -1,437 +1,518 @@ # Dolibarr language file - en_US - Accountancy (Double entries) -Accountancy=Accountancy -Accounting=Accounting -ACCOUNTING_EXPORT_SEPARATORCSV=Column separator for export file -ACCOUNTING_EXPORT_DATE=Date format for export file -ACCOUNTING_EXPORT_PIECE=Export the number of piece -ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Export with global account -ACCOUNTING_EXPORT_LABEL=Export label -ACCOUNTING_EXPORT_AMOUNT=Export amount -ACCOUNTING_EXPORT_DEVISE=Export currency -Selectformat=Select the format for the file -ACCOUNTING_EXPORT_FORMAT=Select the format for the file -ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type -ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name -ThisService=This service -ThisProduct=This product -DefaultForService=Default for service -DefaultForProduct=Default for product -ProductForThisThirdparty=Product for this thirdparty -ServiceForThisThirdparty=Service for this thirdparty -CantSuggest=Can't suggest -AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s -ConfigAccountingExpert=Configuration of the module accounting (double entry) -Journalization=Journalization -Journals=Journals -JournalFinancial=Financial journals -BackToChartofaccounts=Return chart of accounts -Chartofaccounts=Chart of accounts -ChartOfSubaccounts=Chart of individual accounts -ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger -CurrentDedicatedAccountingAccount=Current dedicated account -AssignDedicatedAccountingAccount=New account to assign -InvoiceLabel=Invoice label -OverviewOfAmountOfLinesNotBound=Overview of amount of lines not bound to an accounting account -OverviewOfAmountOfLinesBound=Overview of amount of lines already bound to an accounting account -OtherInfo=Other information -DeleteCptCategory=Remove accounting account from group -ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group? -JournalizationInLedgerStatus=Status of journalization -AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger -GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group -DetailByAccount=Show detail by account -AccountWithNonZeroValues=Accounts with non-zero values -ListOfAccounts=List of accounts -CountriesInEEC=Countries in EEC -CountriesNotInEEC=Countries not in EEC -CountriesInEECExceptMe=Countries in EEC except %s -CountriesExceptMe=All countries except %s -AccountantFiles=Export source documents -ExportAccountingSourceDocHelp=With this tool, you can export the source events (list in CSV and PDFs) that are used to generate your accountancy. -ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. -VueByAccountAccounting=View by accounting account -VueBySubAccountAccounting=View by accounting subaccount +Accountancy=የሂሳብ አያያዝ +Accounting=የሂሳብ አያያዝ +ACCOUNTING_EXPORT_SEPARATORCSV=ወደ ውጭ የሚላክ ፋይል የአምድ መለያ +ACCOUNTING_EXPORT_DATE=ወደ ውጭ የሚላክ ፋይል የቀን ቅርጸት +ACCOUNTING_EXPORT_PIECE=የቁራጩን ቁጥር ወደ ውጭ ላክ +ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=በአለምአቀፍ መለያ ወደ ውጭ ላክ +ACCOUNTING_EXPORT_LABEL=መለያ ወደ ውጪ ላክ +ACCOUNTING_EXPORT_AMOUNT=ወደ ውጭ መላኪያ መጠን +ACCOUNTING_EXPORT_DEVISE=ምንዛሬ ወደ ውጪ ላክ +Selectformat=ለፋይሉ ቅርጸቱን ይምረጡ +ACCOUNTING_EXPORT_FORMAT=ለፋይሉ ቅርጸቱን ይምረጡ +ACCOUNTING_EXPORT_ENDLINE=የማጓጓዣ መመለሻ አይነትን ይምረጡ +ACCOUNTING_EXPORT_PREFIX_SPEC=ለፋይል ስም ቅድመ ቅጥያውን ይግለጹ +ThisService=ይህ አገልግሎት +ThisProduct=ይህ ምርት +DefaultForService=ለአገልግሎቶች ነባሪ +DefaultForProduct=ለምርቶች ነባሪ +ProductForThisThirdparty=የዚህ ሶስተኛ ወገን ምርት +ServiceForThisThirdparty=የዚህ ሶስተኛ ወገን አገልግሎት +CantSuggest=መጠቆም አይቻልም +AccountancySetupDoneFromAccountancyMenu=አብዛኛው የሂሳብ አደረጃጀት የሚከናወነው ከምናሌው %s ነው +ConfigAccountingExpert=የሞጁሉ የሂሳብ አያያዝ ውቅር (ድርብ ግቤት) +Journalization=ጋዜጠኝነት +Journals=መጽሔቶች +JournalFinancial=የፋይናንስ መጽሔቶች +BackToChartofaccounts=የመለያዎች ገበታ መመለስ +Chartofaccounts=የመለያዎች ገበታ +ChartOfSubaccounts=የግለሰብ መለያዎች ገበታ +ChartOfIndividualAccountsOfSubsidiaryLedger=የቅርንጫፍ ደብተር የግል መለያዎች ገበታ +CurrentDedicatedAccountingAccount=የአሁኑ የተወሰነ መለያ +AssignDedicatedAccountingAccount=አዲስ መለያ ለመመደብ +InvoiceLabel=የክፍያ መጠየቂያ መለያ +OverviewOfAmountOfLinesNotBound=ከሂሳብ መዝገብ ጋር ያልተያያዙ የመስመሮች ብዛት አጠቃላይ እይታ +OverviewOfAmountOfLinesBound=ቀደም ሲል ወደ ሂሳብ አካውንት የታሰሩ የመስመሮች ብዛት አጠቃላይ እይታ +OtherInfo=ሌላ መረጃ +DeleteCptCategory=የሂሳብ መለያን ከቡድን ያስወግዱ +ConfirmDeleteCptCategory=እርግጠኛ ነዎት ይህን የሂሳብ አያያዝ መለያ ከሂሳብ ቡድኑ ውስጥ ማስወገድ ይፈልጋሉ? +JournalizationInLedgerStatus=የጋዜጠኝነት ሁኔታ +AlreadyInGeneralLedger=ቀድሞውኑ ወደ የሂሳብ መጽሔቶች እና የሂሳብ ደብተሮች ተላልፏል +NotYetInGeneralLedger=ገና ወደ የሂሳብ መጽሔቶች እና ደብተሮች አልተላለፈም +GroupIsEmptyCheckSetup=ቡድን ባዶ ነው፣ ግላዊ የሆነ የሂሳብ ቡድን ማዋቀሩን ያረጋግጡ +DetailByAccount=ዝርዝሩን በመለያ አሳይ +DetailBy=ዝርዝር በ +AccountWithNonZeroValues=ዜሮ ያልሆኑ እሴቶች ያላቸው መለያዎች +ListOfAccounts=የመለያዎች ዝርዝር +CountriesInEEC=በ EEC ውስጥ ያሉ አገሮች +CountriesNotInEEC=በ EEC ውስጥ የሌሉ አገሮች +CountriesInEECExceptMe=ከ%s በስተቀር በEEC ውስጥ ያሉ አገሮች +CountriesExceptMe=ከ%s በስተቀር ሁሉም አገሮች +AccountantFiles=የምንጭ ሰነዶችን ወደ ውጭ ላክ +ExportAccountingSourceDocHelp=በዚህ መሣሪያ አማካኝነት የእርስዎን ሂሳብ ለማመንጨት ጥቅም ላይ የሚውሉትን የምንጭ ክስተቶችን መፈለግ እና ወደ ውጭ መላክ ይችላሉ።
      የተላከው ዚፕ ፋይል በCSV ውስጥ የተጠየቁ ንጥሎችን ዝርዝር እና ተያያዥ ፋይሎቻቸውን በመጀመሪያው ቅርጸታቸው (PDF፣ ODT፣ DOCX...) ይይዛል። +ExportAccountingSourceDocHelp2=መጽሔቶችዎን ወደ ውጭ ለመላክ፣ የሜኑ ግቤት %s - %s ይጠቀሙ። +ExportAccountingProjectHelp=ለአንድ የተወሰነ ፕሮጀክት ብቻ የሂሳብ ሪፖርት ከፈለጉ ፕሮጀክት ይግለጹ. የወጪ ሪፖርቶች እና የብድር ክፍያዎች በፕሮጀክት ሪፖርቶች ውስጥ አይካተቱም. +ExportAccountancy=የሂሳብ አያያዝን ወደ ውጭ ላክ +WarningDataDisappearsWhenDataIsExported=ማስጠንቀቂያ፣ ይህ ዝርዝር አስቀድሞ ወደ ውጭ ያልተላኩ የሂሳብ ግቤቶችን ብቻ ይይዛል (የመላክ ቀን ባዶ ነው።) አስቀድመው ወደ ውጭ የተላኩትን የሂሳብ ግቤቶችን ማካተት ከፈለጉ, ከላይ ያለውን አዝራር ጠቅ ያድርጉ. +VueByAccountAccounting=በሂሳብ መዝገብ ይመልከቱ +VueBySubAccountAccounting=በአካውንቲንግ ንዑስ መለያ ይመልከቱ -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup -MainAccountForUsersNotDefined=Main accounting account for users not defined in setup -MainAccountForVatPaymentNotDefined=Main accounting account for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Main accounting account for subscription payment not defined in setup +MainAccountForCustomersNotDefined=በማዋቀር ውስጥ ላልተገለጸ ደንበኞች ዋና መለያ (ከመለያ ገበታ) +MainAccountForSuppliersNotDefined=በማዋቀር ላይ ላልተገለጹ ሻጮች ዋና መለያ (ከመለያ ገበታ) +MainAccountForUsersNotDefined=በማዋቀር ውስጥ ላልተገለጸ ተጠቃሚዎች ዋና መለያ (ከመለያ ገበታ) +MainAccountForVatPaymentNotDefined=ለተጨማሪ እሴት ታክስ ክፍያ መለያ (ከሂሳብ ገበታ) በማዋቀር ላይ አልተገለጸም። +MainAccountForSubscriptionPaymentNotDefined=በማዋቀር ላይ ያልተገለጸ የአባልነት ክፍያ መለያ (ከሂሳብ ገበታ) +MainAccountForRetainedWarrantyNotDefined=በማዋቀር ላይ ላልተገለፀው ዋስትና መለያ (ከመለያ ገበታ) +UserAccountNotDefined=ለተጠቃሚው የሂሳብ አያያዝ መለያ በማዋቀር ውስጥ አልተገለጸም። -AccountancyArea=Accounting area -AccountancyAreaDescIntro=Usage of the accountancy module is done in several step: -AccountancyAreaDescActionOnce=The following actions are usually executed one time only, or once per year... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you the correct default accounting account when making the journalization (writing record in Journals and General ledger) -AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... +AccountancyArea=የሂሳብ አያያዝ አካባቢ +AccountancyAreaDescIntro=የሂሳብ ሞጁል አጠቃቀም በበርካታ ደረጃዎች ይከናወናል- +AccountancyAreaDescActionOnce=የሚከተሉት ድርጊቶች ብዙውን ጊዜ የሚፈጸሙት አንድ ጊዜ ብቻ ነው፣ ወይም በዓመት አንድ ጊዜ... +AccountancyAreaDescActionOnceBis=በሂሳብ አያያዝ ውስጥ ውሂብን በሚያስተላልፉበት ጊዜ ትክክለኛውን ነባሪ የሂሳብ መለያ በራስ-ሰር በመጠቆም ጊዜዎን ለመቆጠብ ቀጣይ እርምጃዎች መደረግ አለባቸው +AccountancyAreaDescActionFreq=የሚከተሉት ድርጊቶች በየወሩ፣ሳምንት ወይም ቀን የሚፈጸሙት በጣም ትልቅ ለሆኑ ኩባንያዎች... -AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s -AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescJournalSetup=ደረጃ %s፡ የመጽሔት ዝርዝርዎን ይዘት ከምናሌው ይመልከቱ %s +AccountancyAreaDescChartModel=ደረጃ %s፡ የመለያ ገበታ ሞዴል መኖሩን ያረጋግጡ ወይም ከምናሌው %s ፍጠር። +AccountancyAreaDescChart=ደረጃ %s፡ ይምረጡ እና|የመለያ ገበታዎን ከምናሌው%s ይሙሉ። -AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. -AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. -AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expenses (miscellaneous taxes). For this, use the menu entry %s. -AccountancyAreaDescDonation=STEP %s: Define default accounting accounts for donation. For this, use the menu entry %s. -AccountancyAreaDescSubscription=STEP %s: Define default accounting accounts for member subscription. For this, use the menu entry %s. -AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. -AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your products/services. For this, use the menu entry %s. +AccountancyAreaDescFiscalPeriod=ደረጃ %s: የሂሳብ ግቤቶችዎን የሚያዋህዱበትን የበጀት ዓመት በነባሪ ይግለጹ። ለዚህ፣ የምናሌ ግቤት %s ይጠቀሙ። +AccountancyAreaDescVat=ደረጃ %s፡ ለእያንዳንዱ የተእታ ተመኖች የሂሳብ ሒሳቦችን ይግለጹ። ለዚህ፣ የምናሌ ግቤት %s ይጠቀሙ። +AccountancyAreaDescDefault=ደረጃ %s፡ ነባሪ የሂሳብ መለያዎችን ይግለጹ። ለዚህ፣ የምናሌ ግቤት %s ይጠቀሙ። +AccountancyAreaDescExpenseReport=ደረጃ %s፡ ለእያንዳንዱ የወጪ ሪፖርት አይነት ነባሪ የሂሳብ መለያዎችን ይግለጹ። ለዚህ፣ የምናሌ ግቤት %s ይጠቀሙ። +AccountancyAreaDescSal=ደረጃ %s፡ ለደሞዝ ክፍያ ነባሪ የሂሳብ ሒሳቦችን ይግለጹ። ለዚህ፣ የምናሌ ግቤት %s ይጠቀሙ። +AccountancyAreaDescContrib=ደረጃ %s፡ ነባሪ የግብር ሂሳቦችን ይግለጹ (ልዩ ወጪዎች)። ለዚህ፣ የምናሌ ግቤት %s ይጠቀሙ። +AccountancyAreaDescDonation=ደረጃ %s፡ የልገሳ ነባሪ የሂሳብ ሒሳቦችን ይግለጹ። ለዚህ፣ የምናሌ ግቤት %s ይጠቀሙ። +AccountancyAreaDescSubscription=ደረጃ %s፡ ለአባላት ምዝገባ ነባሪ የሂሳብ መለያዎችን ይግለጹ። ለዚህ፣ የምናሌ ግቤት %s ይጠቀሙ። +AccountancyAreaDescMisc=ደረጃ %s፡ ለተለያዩ ግብይቶች የግዴታ ነባሪ ሂሳቦችን እና ነባሪ የሂሳብ መለያዎችን ይግለጹ። ለዚህ፣ የምናሌ ግቤት %s ይጠቀሙ። +AccountancyAreaDescLoan=ደረጃ %s፡ የብድር ነባሪ የሂሳብ ሒሳቦችን ይግለጹ። ለዚህ፣ የምናሌ ግቤት %s ይጠቀሙ። +AccountancyAreaDescBank=ደረጃ %s፡ ለእያንዳንዱ የባንክ እና የፋይናንሺያል ሂሳቦች የሂሳብ መዝገብ እና የመጽሔት ኮድ ይግለጹ። ለዚህ፣ የምናሌ ግቤት %s ይጠቀሙ። +AccountancyAreaDescProd=ደረጃ %s፡ በምርቶችዎ/አገልግሎቶችዎ ላይ ያለውን የሂሳብ መዝገብ ይግለጹ። ለዚህ፣ የምናሌ ግቤት %s ይጠቀሙ። -AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. -AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and generate reports and exports. +AccountancyAreaDescBind=ደረጃ %s፡ ባሉት %s መስመሮች እና የሂሳብ አካውንት መካከል ያለውን ትስስር ያረጋግጡ፣ ስለዚህ አፕሊኬሽኑ በሌድገር ውስጥ ግብይቶችን ለማስመዝገብ ይችላል። በአንድ ጠቅታ. የጎደሉ ማሰሪያዎችን ያጠናቅቁ። ለዚህ፣ የምናሌ ግቤት %s ይጠቀሙ። +AccountancyAreaDescWriteRecords=ደረጃ %s፡ ግብይቶችን ወደ ደብተር ይፃፉ። ለዚህም ወደ ሜኑ ይሂዱ %s የሚለውን አዝራር ጠቅ ያድርጉ እና ወደ ውስጥ ይንኩ። %s። +AccountancyAreaDescAnalyze=ደረጃ %s፡ ሪፖርቶችን ያንብቡ ወይም ለሌሎች ደብተር ጠባቂዎች ወደ ውጭ የሚላኩ ፋይሎችን ያመነጩ። +AccountancyAreaDescClosePeriod=ደረጃ %s: ለወደፊቱ በተመሳሳይ ጊዜ ውስጥ ውሂብ ማስተላለፍ እንዳንችል ጊዜን ዝጋ። -AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. - -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) -Selectchartofaccounts=Select active chart of accounts -ChangeAndLoad=Change and load -Addanaccount=Add an accounting account -AccountAccounting=Accounting account -AccountAccountingShort=Account -SubledgerAccount=Subledger account -SubledgerAccountLabel=Subledger account label -ShowAccountingAccount=Show accounting account -ShowAccountingJournal=Show accounting journal -ShowAccountingAccountInLedger=Show accounting account in ledger -ShowAccountingAccountInJournals=Show accounting account in journals -AccountAccountingSuggest=Accounting account suggested -MenuDefaultAccounts=Default accounts -MenuBankAccounts=Bank accounts -MenuVatAccounts=Vat accounts -MenuTaxAccounts=Tax accounts -MenuExpenseReportAccounts=Expense report accounts -MenuLoanAccounts=Loan accounts -MenuProductsAccounts=Product accounts -MenuClosureAccounts=Closure accounts -MenuAccountancyClosure=Closure -MenuAccountancyValidationMovements=Validate movements -ProductsBinding=Products accounts -TransferInAccounting=Transfer in accounting -RegistrationInAccounting=Registration in accounting -Binding=Binding to accounts -CustomersVentilation=Customer invoice binding -SuppliersVentilation=Vendor invoice binding -ExpenseReportsVentilation=Expense report binding -CreateMvts=Create new transaction -UpdateMvts=Modification of a transaction -ValidTransaction=Validate transaction -WriteBookKeeping=Register transactions in accounting -Bookkeeping=Ledger +TheFiscalPeriodIsNotDefined=የማዋቀር አስገዳጅ ደረጃ አልተጠናቀቀም (የፊስካል ጊዜ አልተገለጸም) +TheJournalCodeIsNotDefinedOnSomeBankAccount=የማዋቀር አስገዳጅ ደረጃ አልተጠናቀቀም (የሂሳብ ኮድ ጆርናል ለሁሉም የባንክ ሂሳቦች አልተገለጸም) +Selectchartofaccounts=ንቁ የመለያዎች ገበታ ይምረጡ +CurrentChartOfAccount=የአሁኑ ንቁ የመለያ ገበታ +ChangeAndLoad=መለወጥ እና መጫን +Addanaccount=የሂሳብ መዝገብ ያክሉ +AccountAccounting=የሂሳብ አያያዝ መለያ +AccountAccountingShort=መለያ +SubledgerAccount=Subledger መለያ +SubledgerAccountLabel=Subledger መለያ መለያ +ShowAccountingAccount=የሂሳብ መዝገብ አሳይ +ShowAccountingJournal=የሂሳብ መጽሔት አሳይ +ShowAccountingAccountInLedger=የሂሳብ መዝገብ በሂሳብ መዝገብ ውስጥ አሳይ +ShowAccountingAccountInJournals=በመጽሔቶች ውስጥ የሂሳብ አካውንት አሳይ +DataUsedToSuggestAccount=መለያ ለመጠቆም ጥቅም ላይ የዋለ ውሂብ +AccountAccountingSuggest=መለያ ተጠቆመ +MenuDefaultAccounts=ነባሪ መለያዎች +MenuBankAccounts=የባንክ ሂሳቦች +MenuVatAccounts=የቫት መለያዎች +MenuTaxAccounts=የግብር መለያዎች +MenuExpenseReportAccounts=የወጪ ሪፖርት መለያዎች +MenuLoanAccounts=የብድር ሂሳቦች +MenuProductsAccounts=የምርት መለያዎች +MenuClosureAccounts=መለያዎችን መዝጋት +MenuAccountancyClosure=መዘጋት +MenuExportAccountancy=የሂሳብ አያያዝን ወደ ውጭ ላክ +MenuAccountancyValidationMovements=እንቅስቃሴዎችን ያረጋግጡ +ProductsBinding=የምርት መለያዎች +TransferInAccounting=በሂሳብ አያያዝ ውስጥ ማስተላለፍ +RegistrationInAccounting=በሂሳብ አያያዝ ውስጥ መቅዳት +Binding=ከመለያዎች ጋር መያያዝ +CustomersVentilation=የደንበኛ ደረሰኝ ማሰሪያ +SuppliersVentilation=የአቅራቢ ክፍያ መጠየቂያ ማሰር +ExpenseReportsVentilation=የወጪ ሪፖርት ማሰር +CreateMvts=አዲስ ግብይት ይፍጠሩ +UpdateMvts=የግብይት ለውጥ +ValidTransaction=ግብይቱን ያረጋግጡ +WriteBookKeeping=በሂሳብ አያያዝ ውስጥ ግብይቶችን ይመዝግቡ +Bookkeeping=ደብተር BookkeepingSubAccount=Subledger -AccountBalance=Account balance -ObjectsRef=Source object ref -CAHTF=Total purchase vendor before tax -TotalExpenseReport=Total expense report -InvoiceLines=Lines of invoices to bind -InvoiceLinesDone=Bound lines of invoices -ExpenseReportLines=Lines of expense reports to bind -ExpenseReportLinesDone=Bound lines of expense reports -IntoAccount=Bind line with the accounting account -TotalForAccount=Total accounting account +AccountBalance=የሂሳብ ቀሪ ሒሳብ +AccountBalanceSubAccount=ንዑስ መለያዎች ሚዛን +ObjectsRef=ምንጭ ነገር ማጣቀሻ +CAHTF=ከታክስ በፊት ጠቅላላ የግዢ ሻጭ +TotalExpenseReport=ጠቅላላ ወጪ ሪፖርት +InvoiceLines=ለማሰር የክፍያ መጠየቂያዎች መስመሮች +InvoiceLinesDone=የታሰሩ የክፍያ መጠየቂያዎች መስመሮች +ExpenseReportLines=ለማሰር የወጪ ሪፖርቶች መስመሮች +ExpenseReportLinesDone=የወጪ ሪፖርቶች የታሰሩ መስመሮች +IntoAccount=መስመርን ከሂሳብ መዝገብ ጋር ያገናኙ +TotalForAccount=ጠቅላላ የሂሳብ መዝገብ -Ventilate=Bind -LineId=Id line -Processing=Processing -EndProcessing=Process terminated. -SelectedLines=Selected lines -Lineofinvoice=Line of invoice -LineOfExpenseReport=Line of expense report -NoAccountSelected=No accounting account selected -VentilatedinAccount=Binded successfully to the accounting account -NotVentilatedinAccount=Not bound to the accounting account -XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account -XLineFailedToBeBinded=%s products/services were not bound to any accounting account +Ventilate=ማሰር +LineId=የመታወቂያ መስመር +Processing=በማቀነባበር ላይ +EndProcessing=ሂደቱ ተቋርጧል። +SelectedLines=የተመረጡ መስመሮች +Lineofinvoice=የክፍያ መጠየቂያ መስመር +LineOfExpenseReport=የወጪ ሪፖርት መስመር +NoAccountSelected=ምንም የሂሳብ መለያ አልተመረጠም። +VentilatedinAccount=በተሳካ ሁኔታ ከሂሳብ መዝገብ ጋር ተጣብቋል +NotVentilatedinAccount=ከሂሳብ መዝገብ ጋር አይያያዝም +XLineSuccessfullyBinded=%s ምርቶች/አገልግሎቶች በተሳካ ሁኔታ ከሂሳብ አያያዝ ጋር የተያያዙ +XLineFailedToBeBinded=%s ምርቶች/አገልግሎቶች ከማንኛውም የሂሳብ መዝገብ ጋር አልተያያዙም -ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50) -ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements -ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements +ACCOUNTING_LIMIT_LIST_VENTILATION=በዝርዝሩ ላይ ያለው ከፍተኛው የመስመሮች ብዛት እና ማሰሪያ ገጽ (የሚመከር፡ 50) +ACCOUNTING_LIST_SORT_VENTILATION_TODO=የገጹን "ማስገደድ" በቅርብ ጊዜ አካላት መደርደር ጀምር +ACCOUNTING_LIST_SORT_VENTILATION_DONE=የገጹን "ማሰር ተፈፅሟል" በጣም በቅርብ ጊዜ አካላት መደርደር ጀምር -ACCOUNTING_LENGTH_DESCRIPTION=Truncate product & services description in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncate product & services account description form in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set value to 6 here, the account '706' will appear like '706000' on screen) -ACCOUNTING_LENGTH_AACCOUNT=Length of the third-party accounting accounts (If you set value to 6 here, the account '401' will appear like '401000' on screen) -ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of an accounting account. Needed by some countries (like Switzerland). If set to off (default), you can set the following two parameters to ask the application to add virtual zeros. -BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account -ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal -ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, select period show by default +ACCOUNTING_LENGTH_DESCRIPTION=ከ x chars በኋላ ባሉት ዝርዝሮች ውስጥ የምርት እና አገልግሎቶችን መግለጫ ይቁረጡ (ምርጥ = 50) +ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=የምርት እና አገልግሎቶች መለያ መግለጫ ቅጽ ከ x chars በኋላ ባሉት ዝርዝሮች ይቁረጡ (ምርጥ = 50) +ACCOUNTING_LENGTH_GACCOUNT=የአጠቃላይ የሂሳብ ሒሳቦች ርዝመት (እሴቱን ወደ 6 ካዘጋጁ፣ መለያ '706' በስክሪኑ ላይ እንደ '706000' ይመስላል) +ACCOUNTING_LENGTH_AACCOUNT=የሶስተኛ ወገን የሂሳብ አያያዝ መለያዎች ርዝመት (እሴቱን ወደ 6 ካዘጋጁ፣ መለያ '401' በስክሪኑ ላይ እንደ '401000' ይመስላል) +ACCOUNTING_MANAGE_ZERO=በሂሳብ መዝገብ መጨረሻ ላይ የተለያዩ የዜሮዎችን ብዛት ለማስተዳደር ይፍቀዱ። በአንዳንድ አገሮች (እንደ ስዊዘርላንድ ያሉ) ያስፈልጋል። እንዲጠፋ ከተዋቀረ (ነባሪ) አፕሊኬሽኑ ምናባዊ ዜሮዎችን እንዲጨምር ለመጠየቅ የሚከተሉትን ሁለት መለኪያዎች ማቀናበር ይችላሉ። +BANK_DISABLE_DIRECT_INPUT=በባንክ ሒሳብ ውስጥ የግብይቱን ቀጥተኛ ቀረጻ አሰናክል +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=በመጽሔት ላይ ረቂቅ ወደ ውጭ መላክን አንቃ +ACCOUNTANCY_COMBO_FOR_AUX=ለቅርንጫፍ መለያ ጥምር ዝርዝርን ያንቁ (ብዙ ሶስተኛ ወገኖች ካሉዎት ቀርፋፋ ሊሆን ይችላል፣ በእሴት ክፍል ላይ የመፈለግ ችሎታን ይሰብራል) +ACCOUNTING_DATE_START_BINDING=ቀኑ ከዚህ ቀን በታች ከሆነ በሂሳብ አያያዝ ውስጥ ማሰር እና ማስተላለፍን ያሰናክሉ (ከዚህ ቀን በፊት የተደረጉ ግብይቶች በነባሪነት ይገለላሉ) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=በገጹ ላይ መረጃን ወደ ሂሳብ ለማስተላለፍ በነባሪነት የተመረጠው ጊዜ ምንድነው? -ACCOUNTING_SELL_JOURNAL=Sell journal -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal -ACCOUNTING_MISCELLANEOUS_JOURNAL=Miscellaneous journal -ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal -ACCOUNTING_SOCIAL_JOURNAL=Social journal -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal +ACCOUNTING_SELL_JOURNAL=የሽያጭ መጽሔት - ሽያጭ እና ተመላሾች +ACCOUNTING_PURCHASE_JOURNAL=የግዢ መጽሔት - ግዢ እና ተመላሾች +ACCOUNTING_BANK_JOURNAL=የገንዘብ መጽሔት - ደረሰኞች እና ክፍያዎች +ACCOUNTING_EXPENSEREPORT_JOURNAL=የወጪ ሪፖርት መጽሔት +ACCOUNTING_MISCELLANEOUS_JOURNAL=አጠቃላይ ጆርናል +ACCOUNTING_HAS_NEW_JOURNAL=አዲስ ጆርናል አለው። +ACCOUNTING_INVENTORY_JOURNAL=ኢንቬንቶሪ ጆርናል +ACCOUNTING_SOCIAL_JOURNAL=ማህበራዊ መጽሔት -ACCOUNTING_RESULT_PROFIT=Result accounting account (Profit) -ACCOUNTING_RESULT_LOSS=Result accounting account (Loss) -ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal of closure +ACCOUNTING_RESULT_PROFIT=የውጤት የሂሳብ አያያዝ መለያ (ትርፍ) +ACCOUNTING_RESULT_LOSS=የውጤት ሂሳብ (ኪሳራ) +ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=የመዘጋት ጆርናል +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=ለሒሳብ ሒሳብ የሚያገለግሉ የሂሳብ ቡድኖች (በነጠላ ሰረዝ የተለዩ) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=ለገቢ መግለጫው የሚያገለግሉ የሂሳብ ቡድኖች (በነጠላ ሰረዝ የተለዩ) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Accounting account of transitional bank transfer -TransitionalAccount=Transitional bank transfer account +ACCOUNTING_ACCOUNT_TRANSFER_CASH=ለሽግግር የባንክ ዝውውሮች መለያ ሆኖ የሚያገለግል መለያ (ከሂሳብ ገበታ) +TransitionalAccount=የሽግግር የባንክ ሂሳብ -ACCOUNTING_ACCOUNT_SUSPENSE=Accounting account of wait -DONATION_ACCOUNTINGACCOUNT=Accounting account to register donations -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Accounting account to register subscriptions +ACCOUNTING_ACCOUNT_SUSPENSE=አካውንት (ከሂሳብ ገበታ) ላልተመደቡ ገንዘቦች እንደ ሒሳቡ የሚያገለግል ወይም ለተቀበሉት ወይም ለተከፈለው ገንዘብ ማለትም በ"መጠበቅ[ing]" ውስጥ ያሉ ገንዘቦች። +DONATION_ACCOUNTINGACCOUNT=ልገሳዎችን ለመመዝገብ (የልገሳ ሞጁል) መለያ (ከሂሳብ ገበታ) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=የአባልነት ምዝገባዎችን ለመመዝገብ የሚያገለግል መለያ (ከሂሳብ ገበታ) (የአባልነት ሞጁል - አባልነት ያለክፍያ ከተመዘገበ) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Accounting account by default to register customer deposit +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=የደንበኛ ተቀማጭ ለመመዝገብ እንደ ነባሪ መለያ (ከሂሳብ ገበታ) መለያ (ከሂሳብ ገበታ) +UseAuxiliaryAccountOnCustomerDeposit=ለቅድመ ክፍያ መስመሮች የደንበኛ መለያን እንደ ግለሰብ መለያ በንዑስ ደብተር ውስጥ ያከማቹ (ከተሰናከለ፣ የቅድሚያ ክፍያ መስመሮች የግለሰብ መለያ ባዶ ሆኖ ይቆያል) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=መለያ (ከመለያ ገበታ) እንደ ነባሪ ጥቅም ላይ ይውላል +UseAuxiliaryAccountOnSupplierDeposit=ለቅድመ ክፍያ መስመሮች የአቅራቢ አካውንት እንደ ግለሰብ ሂሳብ በንዑስ ደብተር መዝገብ ያከማቹ (ከተሰናከለ፣ ለቅድመ ክፍያ መስመሮች የግለሰብ መለያ ባዶ ሆኖ ይቆያል) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=የደንበኞችን ዋስትና ለመመዝገብ በነባሪ የሂሳብ አያያዝ መለያ -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Accounting account by default for the bought products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Accounting account by default for the bought products in EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought products and imported out of EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Accounting account by default for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Accounting account by default for the products sold in EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Accounting account by default for the products sold and exported out of EEC (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=መለያ (ከመለያ ገበታ) በተመሳሳይ አገር ውስጥ ለተገዙ ምርቶች እንደ ነባሪ መለያ ጥቅም ላይ የሚውል (በምርት ሉህ ውስጥ ካልተገለፀ ጥቅም ላይ ይውላል) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=መለያ (ከመለያ ገበታ) ወደ ሌላ EEC አገር ለተገዙ ምርቶች እንደ ነባሪ መለያ ጥቅም ላይ የሚውል (በምርት ሉህ ውስጥ ካልተገለፀ ጥቅም ላይ ይውላል) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=መለያ (ከሂሳብ ገበታ) ከማንኛውም ሌላ የውጭ ሀገር ለተገዙ እና ለመጡ ምርቶች እንደ ነባሪ መለያ የሚያገለግል (በምርት ሉህ ውስጥ ካልተገለፀ ጥቅም ላይ ይውላል) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=መለያ (ከመለያ ገበታ) ለተሸጡ ምርቶች እንደ ነባሪ መለያ (በምርት ሉህ ውስጥ ካልተገለፀ ጥቅም ላይ ይውላል) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=መለያ (ከመለያ ገበታ) ወደ ሌላ EEC አገር ለሚሸጡ ምርቶች እንደ ነባሪ መለያ ጥቅም ላይ የሚውል (በምርት ሉህ ውስጥ ካልተገለፀ ጥቅም ላይ ይውላል) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=መለያ (ከሂሳብ ገበታ) ወደ ሌላ የውጭ ሀገር ለሚሸጡ እና ለሚላኩ ምርቶች እንደ ነባሪ መለያ (በምርት ሉህ ውስጥ ካልተገለፀ ጥቅም ላይ ይውላል) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Accounting account by default for the bought services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Accounting account by default for the bought services in EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought services and imported out of EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Accounting account by default for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Accounting account by default for the services sold in EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Accounting account by default for the services sold and exported out of EEC (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=መለያ (ከመለያ ገበታ) በተመሳሳይ ሀገር ውስጥ ለሚገዙ አገልግሎቶች እንደ ነባሪ መለያ ጥቅም ላይ ይውላል (በአገልግሎት ሉህ ውስጥ ካልተገለፀ ጥቅም ላይ ይውላል) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=መለያ (ከመለያ ገበታ) ከ EEC ወደ ሌላ EEC ሀገር ለሚገዙ አገልግሎቶች እንደ ነባሪ መለያ ጥቅም ላይ ይውላል (በአገልግሎት ሉህ ውስጥ ካልተገለፀ ጥቅም ላይ ይውላል) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=መለያ (ከሂሳብ ገበታ) ከሌላ የውጭ ሀገር ለተገዙ እና ለመጡ አገልግሎቶች እንደ ነባሪ መለያ (በአገልግሎት ሉህ ውስጥ ካልተገለፀ ጥቅም ላይ ይውላል) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=መለያ (ከሂሳብ ገበታ) ለተሸጡት አገልግሎቶች እንደ ነባሪ መለያ (በአገልግሎት ሉህ ውስጥ ካልተገለጸ ጥቅም ላይ ይውላል) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=መለያ (ከሂሳብ ገበታ) ከ EEC ወደ ሌላ EEC ሀገር ለሚሸጡ አገልግሎቶች እንደ ነባሪ መለያ ጥቅም ላይ ይውላል (በአገልግሎት ሉህ ውስጥ ካልተገለፀ ጥቅም ላይ ይውላል) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=መለያ (ከሂሳብ ገበታ) ወደ ሌላ የውጭ ሀገር ለሚሸጡ እና ለሚላኩ አገልግሎቶች እንደ ነባሪ መለያ (በአገልግሎት ሉህ ውስጥ ካልተገለፀ ጥቅም ላይ ይውላል) -Doctype=Type of document -Docdate=Date -Docref=Reference -LabelAccount=Label account -LabelOperation=Label operation -Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
      For an accounting account of a supplier, use Debit to record a payment you made -LetteringCode=Lettering code -Lettering=Lettering -Codejournal=Journal -JournalLabel=Journal label -NumPiece=Piece number -TransactionNumShort=Num. transaction -AccountingCategory=Custom group -GroupByAccountAccounting=Group by general ledger account -GroupBySubAccountAccounting=Group by subledger account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. -ByAccounts=By accounts -ByPredefinedAccountGroups=By predefined groups -ByPersonalizedAccountGroups=By personalized groups -ByYear=By year -NotMatch=Not Set -DeleteMvt=Delete some operation lines from accounting -DelMonth=Month to delete -DelYear=Year to delete -DelJournal=Journal to delete -ConfirmDeleteMvt=This will delete all operation lines of the accounting for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all operation lines related to the same transaction will be deleted) -FinanceJournal=Finance journal -ExpenseReportsJournal=Expense reports journal -DescFinanceJournal=Finance journal including all the types of payments by bank account -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. -VATAccountNotDefined=Account for VAT not defined -ThirdpartyAccountNotDefined=Account for third party not defined -ProductAccountNotDefined=Account for product not defined -FeeAccountNotDefined=Account for fee not defined -BankAccountNotDefined=Account for bank not defined -CustomerInvoicePayment=Payment of invoice customer -ThirdPartyAccount=Third-party account -NewAccountingMvt=New transaction -NumMvts=Numero of transaction -ListeMvts=List of movements -ErrorDebitCredit=Debit and Credit cannot have a value at the same time -AddCompteFromBK=Add accounting accounts to the group -ReportThirdParty=List third-party account -DescThirdPartyReport=Consult here the list of third-party customers and vendors and their accounting accounts -ListAccounts=List of the accounting accounts -UnknownAccountForThirdparty=Unknown third-party account. We will use %s -UnknownAccountForThirdpartyBlocking=Unknown third-party account. Blocking error -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Third-party unknown and subledger not defined on the payment. We will keep the subledger account value empty. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger account not defined or third party or user unknown. Blocking error. -UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third-party account and waiting account not defined. Blocking error -PaymentsNotLinkedToProduct=Payment not linked to any product / service -OpeningBalance=Opening balance -ShowOpeningBalance=Show opening balance -HideOpeningBalance=Hide opening balance -ShowSubtotalByGroup=Show subtotal by level +Doctype=የሰነድ አይነት +Docdate=ቀን +Docref=ማጣቀሻ +LabelAccount=መለያ መለያ +LabelOperation=መሰየሚያ ክወና +Sens=አቅጣጫ +AccountingDirectionHelp=ለደንበኛው የሂሳብ መዝገብ፣ የተቀበሉትን ክፍያ ለመመዝገብ ክሬዲት ይጠቀሙ
      ለአቅራቢው የሂሳብ መዝገብ የከፈሉትን ክፍያ ለመመዝገብ ዴቢት ይጠቀሙ +LetteringCode=የደብዳቤ ኮድ +Lettering=ደብዳቤ +Codejournal=ጆርናል +JournalLabel=የጆርናል መለያ +NumPiece=ቁራጭ ቁጥር +TransactionNumShort=ቁጥር. ግብይት +AccountingCategory=ብጁ የመለያዎች ቡድን +AccountingCategories=ብጁ የመለያዎች ቡድኖች +GroupByAccountAccounting=በአጠቃላይ ደብተር መለያ ቡድን +GroupBySubAccountAccounting=ቡድን በ subleger መለያ +AccountingAccountGroupsDesc=አንዳንድ የሂሳብ አያያዝ መለያ ቡድኖችን እዚህ መግለፅ ይችላሉ። ለግል የተበጁ የሂሳብ ሪፖርቶች ጥቅም ላይ ይውላሉ. +ByAccounts=በሂሳብ +ByPredefinedAccountGroups=አስቀድሞ በተገለጹ ቡድኖች +ByPersonalizedAccountGroups=በግል በተበጁ ቡድኖች +ByYear=በዓመት +NotMatch=አልተዘጋጀም። +DeleteMvt=አንዳንድ መስመሮችን ከሂሳብ አጥፋ +DelMonth=የሚሰረዝ ወር +DelYear=የሚሰረዝበት ዓመት +DelJournal=የሚሰረዝ ጆርናል +ConfirmDeleteMvt=ይህ ለዓመት/ወር እና/ወይም ለአንድ የተወሰነ ጆርናል (ቢያንስ አንድ መስፈርት ያስፈልጋል) ሁሉንም በሂሳብ አያያዝ ውስጥ ያሉትን ሁሉንም መስመሮች ይሰርዛል። የተሰረዘውን መዝገብ ወደ ደብተር ለመመለስ '%s የሚለውን ባህሪ እንደገና መጠቀም አለብህ። +ConfirmDeleteMvtPartial=ይህ ግብይቱን ከሂሳብ አያያዝ ይሰርዛል (ከተመሳሳይ ግብይት ጋር የተያያዙ ሁሉም መስመሮች ይሰረዛሉ) +FinanceJournal=የፋይናንስ መጽሔት +ExpenseReportsJournal=የወጪ ሪፖርቶች መጽሔት +InventoryJournal=ኢንቬንቶሪ ጆርናል +DescFinanceJournal=በባንክ ሒሳብ ሁሉንም ዓይነት የክፍያ ዓይነቶችን ጨምሮ የፋይናንስ መጽሔት +DescJournalOnlyBindedVisible=ይህ ከሂሳብ አያያዝ ጋር የተያያዘ እና በጆርናልስ እና ደብተር ውስጥ ሊመዘገብ የሚችል የመዝገብ እይታ ነው። +VATAccountNotDefined=የተጨማሪ እሴት ታክስ መለያ አልተገለጸም። +ThirdpartyAccountNotDefined=የሶስተኛ ወገን መለያ አልተገለጸም። +ProductAccountNotDefined=የምርት መለያ አልተገለጸም። +FeeAccountNotDefined=የክፍያ መለያ አልተገለጸም። +BankAccountNotDefined=የባንክ ሂሳብ አልተገለጸም። +CustomerInvoicePayment=የክፍያ መጠየቂያ ደንበኛ ክፍያ +ThirdPartyAccount=የሶስተኛ ወገን መለያ +NewAccountingMvt=አዲስ ግብይት +NumMvts=የግብይት ብዛት +ListeMvts=የእንቅስቃሴዎች ዝርዝር +ErrorDebitCredit=ዴቢት እና ክሬዲት በተመሳሳይ ጊዜ ዋጋ ሊኖራቸው አይችልም። +AddCompteFromBK=በቡድኑ ውስጥ የሂሳብ መለያዎችን ያክሉ +ReportThirdParty=የሶስተኛ ወገን መለያ ይዘርዝሩ +DescThirdPartyReport=የሶስተኛ ወገን ደንበኞችን እና ሻጮችን ዝርዝር እና የሂሳብ ሂሳቦቻቸውን እዚህ ያማክሩ +ListAccounts=የሂሳብ መለያዎች ዝርዝር +UnknownAccountForThirdparty=ያልታወቀ የሶስተኛ ወገን መለያ። %sን እንጠቀማለን +UnknownAccountForThirdpartyBlocking=ያልታወቀ የሶስተኛ ወገን መለያ። የማገድ ስህተት +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger መለያ አልተገለጸም ወይም የሶስተኛ ወገን ወይም ተጠቃሚ ያልታወቀ። %sን እንጠቀማለን +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=የሶስተኛ ወገን ያልታወቀ እና ተከፋይ በክፍያው ላይ አልተገለጸም። የንዑስ ተቀባዩ መለያ ዋጋ ባዶ እንዲሆን እናደርጋለን። +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger መለያ አልተገለጸም ወይም የሶስተኛ ወገን ወይም ተጠቃሚ ያልታወቀ። የማገድ ስህተት። +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=ያልታወቀ የሶስተኛ ወገን መለያ እና የመቆያ መለያ አልተገለጸም። የማገድ ስህተት +PaymentsNotLinkedToProduct=ክፍያ ከማንኛውም ምርት/አገልግሎት ጋር አልተገናኘም። +OpeningBalance=የመክፈቻ ሚዛን +ShowOpeningBalance=የመክፈቻ ቀሪ ሂሳብ አሳይ +HideOpeningBalance=የመክፈቻ ሚዛን ደብቅ +ShowSubtotalByGroup=ንዑስ ድምርን በደረጃ አሳይ -Pcgtype=Group of account -PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. +Pcgtype=የመለያ ቡድን +PcgtypeDesc=ቡድን ኦፍ ሒሳብ ለአንዳንድ የሂሳብ ሪፖርቶች አስቀድሞ እንደተገለፀው 'ማጣሪያ' እና 'የቡድን' መስፈርት ሆነው ያገለግላሉ። ለምሳሌ፣ 'INCOME' ወይም 'EXPENSE' የወጪ/የገቢ ሪፖርትን ለመገንባት ለምርቶች የሂሳብ መዝገብ እንደ ቡድን ያገለግላሉ። +AccountingCategoriesDesc=ብጁ የመለያዎች ቡድን ማጣሪያን መጠቀም ወይም ብጁ ሪፖርቶችን መገንባትን ለማቃለል የሂሳብ አካውንቶችን በአንድ ስም ለመቧደን ሊያገለግል ይችላል። -Reconcilable=Reconcilable +Reconcilable=የሚታረቅ -TotalVente=Total turnover before tax -TotalMarge=Total sales margin +TotalVente=ከታክስ በፊት ጠቅላላ ገቢ +TotalMarge=ጠቅላላ የሽያጭ ህዳግ -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product accounting account -DescVentilMore=In most cases, if you use predefined products or services and you set the account number on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product accounting account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product accounting account -ChangeAccount=Change the product/service accounting account for selected lines with the following accounting account: +DescVentilCustomer=ከመለያው ገበታ ወደ ምርት መለያ የታሰሩ (ወይም ያልሆኑ) የደንበኛ የክፍያ መጠየቂያ መስመሮችን ዝርዝር እዚህ ይመልከቱ +DescVentilMore=በአብዛኛዎቹ ሁኔታዎች አስቀድሞ የተገለጹ ምርቶችን ወይም አገልግሎቶችን ከተጠቀሙ እና መለያውን (ከሂሳብ ሠንጠረዥ) በምርት/አገልግሎት ካርዱ ላይ ካስቀመጡት አፕሊኬሽኑ በሂሳብ መጠየቂያ መስመሮችዎ እና በገበታዎ የሂሳብ መዝገብ መካከል ያሉትን ሁሉንም ግንኙነቶች ማድረግ ይችላል። የመለያዎች፣ ልክ በአንድ ጠቅታ "%s"b0a65d071f6f6 >. መለያ በምርት/አገልግሎት ካርዶች ላይ ካልተዋቀረ ወይም አሁንም አንዳንድ ከመለያ ጋር ያልተያያዙ መስመሮች ካሉዎት ከ"%s"። +DescVentilDoneCustomer=የክፍያ መጠየቂያ ደረሰኞች ደንበኞችን ዝርዝር እና የምርት መለያቸውን ከመለያ ገበታ ይመልከቱ +DescVentilTodoCustomer=የክፍያ መጠየቂያ መስመሮች አስቀድመው ከምርት መለያ ጋር ከመለያ ገበታ ላይ ያልታሰሩ +ChangeAccount=ለተመረጡት መስመሮች የምርት/አገልግሎት መለያውን (ከሂሳብ ገበታ) በሚከተለው መለያ ይቀይሩ፡ Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product accounting account (only record not already transfered in accountancy are visible) -DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account -DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account -DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account -DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s". -DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account +DescVentilSupplier=ከሂሳብ ገበታው ወደ ምርት መለያ የታሰሩ ወይም ገና ያልተያያዙ የአቅራቢዎች የክፍያ መጠየቂያ መስመሮችን ዝርዝር እዚህ ይመልከቱ (በሂሳብ መዝገብ ውስጥ ያልተላለፈ መዝገብ ብቻ ነው የሚታየው) +DescVentilDoneSupplier=የሻጭ ደረሰኞችን መስመሮች እና የሂሳብ ሒሳባቸውን ዝርዝር እዚህ ይመልከቱ +DescVentilTodoExpenseReport=የወጪ ሪፖርት መስመሮች አስቀድመው ከክፍያ ሂሳብ ሂሳብ ጋር ያልተያያዙ ናቸው። +DescVentilExpenseReport=ከክፍያ ሂሳብ ሒሳብ ጋር የተያያዙ (ወይም ያልሆኑ) የወጪ ሪፖርት መስመሮችን ዝርዝር እዚህ ይመልከቱ +DescVentilExpenseReportMore=በወጪ ሪፖርት መስመሮች አይነት የሂሳብ አያያዝን ካዋቀሩ፣ አፕሊኬሽኑ በወጪ ሪፖርት መስመሮችዎ እና በሂሳብዎ ገበታ የሂሳብ መዝገብ መካከል ያለውን ግንኙነት በአንድ ጠቅታ ብቻ በ"%s"። መለያ በክፍያ መዝገበ-ቃላት ላይ ካልተዋቀረ ወይም አሁንም ለማንኛዉም መለያ ያልተያያዙ መስመሮች ካሉዎት፣ ከምናሌው "%s"። +DescVentilDoneExpenseReport=የወጪ ሪፖርቶችን መስመሮች እና የክፍያ ሂሳባቸውን ዝርዝር እዚህ ይመልከቱ -Closure=Annual closure -DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open -OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year) -AllMovementsWereRecordedAsValidated=All movements were recorded as validated -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated -ValidateMovements=Validate movements -DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible +Closure=አመታዊ መዘጋት +AccountancyClosureStep1Desc=በወር እስካሁን ያልተረጋገጠ እና ያልተቆለፈ የእንቅስቃሴዎች ብዛት እዚህ ይመልከቱ +OverviewOfMovementsNotValidated=ያልተረጋገጡ እና የተቆለፉ የእንቅስቃሴዎች አጠቃላይ እይታ +AllMovementsWereRecordedAsValidated=ሁሉም እንቅስቃሴዎች እንደተረጋገጠ እና እንደተቆለፉ ተመዝግበዋል +NotAllMovementsCouldBeRecordedAsValidated=ሁሉም እንቅስቃሴዎች እንደተረጋገጠ እና እንደተቆለፉ ሊመዘገቡ አይችሉም +ValidateMovements=እንቅስቃሴዎችን ያረጋግጡ እና ይቆልፉ +DescValidateMovements=ማንኛውም ማሻሻያ ወይም መሰረዝ መጻፍ, ፊደል እና መሰረዝ የተከለከለ ነው. ሁሉም የልምምድ ግቤቶች መረጋገጥ አለባቸው አለበለዚያ መዝጋት አይቻልም -ValidateHistory=Bind Automatically -AutomaticBindingDone=Automatic bindings done (%s) - Automatic binding not possible for some record (%s) +ValidateHistory=በራስ-ሰር ማሰር +AutomaticBindingDone=ራስ-ሰር ማሰሪያዎች ተከናውነዋል (%s) - ለአንዳንድ መዛግብት በራስ ሰር ማሰር አይቻልም (%s) +DoManualBindingForFailedRecord=በራስ-ሰር ላልተገናኘው የ%s ረድፍ(ዎች) በእጅ ማገናኛ ማድረግ አለቦት። -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot delete this accounting account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s | Credit = %s -Balancing=Balancing -FicheVentilation=Binding card -GeneralLedgerIsWritten=Transactions are written in the Ledger -GeneralLedgerSomeRecordWasNotRecorded=Some of the transactions could not be journalized. If there is no other error message, this is probably because they were already journalized. -NoNewRecordSaved=No more record to journalize -ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account -ChangeBinding=Change the binding -Accounted=Accounted in ledger -NotYetAccounted=Not yet transferred to accounting -ShowTutorial=Show Tutorial -NotReconciled=Not reconciled -WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view +ErrorAccountancyCodeIsAlreadyUse=ስህተት፣ ይህን የመለያ ገበታ አካውንት ስራ ላይ ስለዋለ ማስወገድ ወይም ማሰናከል አይችሉም +MvtNotCorrectlyBalanced=እንቅስቃሴው በትክክል ሚዛናዊ አይደለም. ዴቢት = %s እና ክሬዲት = %s +Balancing=ማመጣጠን +FicheVentilation=የማስያዣ ካርድ +GeneralLedgerIsWritten=ግብይቶች በሂሳብ መዝገብ ውስጥ ተጽፈዋል +GeneralLedgerSomeRecordWasNotRecorded=አንዳንድ ግብይቶች በጋዜጠኝነት ሊያዙ አልቻሉም። ሌላ የስህተት መልእክት ከሌለ ይህ ምናልባት ቀደም ሲል በጋዜጠኝነት ስለተመዘገቡ ሊሆን ይችላል። +NoNewRecordSaved=የሚተላለፍ ምንም ተጨማሪ መዝገብ የለም። +ListOfProductsWithoutAccountingAccount=ከማንኛውም የመለያ ገበታ መለያ ጋር የማይገናኙ ምርቶች ዝርዝር +ChangeBinding=ማሰሪያውን ይቀይሩ +Accounted=በሂሳብ መዝገብ ተቆጥሯል። +NotYetAccounted=እስካሁን ወደ ሒሳብ አልተላለፈም። +ShowTutorial=አጋዥ ስልጠና አሳይ +NotReconciled=አልታረቅም። +WarningRecordWithoutSubledgerAreExcluded=ማስጠንቀቂያ፣ ንዑስ መለያ የሌላቸው ሁሉም መስመሮች ተጣርተው ከዚህ እይታ የተገለሉ ናቸው። +AccountRemovedFromCurrentChartOfAccount=አሁን ባለው የመለያዎች ገበታ ውስጥ የማይገኝ የሂሳብ አያያዝ ## Admin -BindingOptions=Binding options -ApplyMassCategories=Apply mass categories -AddAccountFromBookKeepingWithNoCategories=Available account not yet in the personalized group -CategoryDeleted=Category for the accounting account has been removed -AccountingJournals=Accounting journals -AccountingJournal=Accounting journal -NewAccountingJournal=New accounting journal -ShowAccountingJournal=Show accounting journal -NatureOfJournal=Nature of Journal -AccountingJournalType1=Miscellaneous operations -AccountingJournalType2=Sales -AccountingJournalType3=Purchases -AccountingJournalType4=Bank -AccountingJournalType5=Expenses report -AccountingJournalType8=Inventory -AccountingJournalType9=Has-new -ErrorAccountingJournalIsAlreadyUse=This journal is already use -AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s -NumberOfAccountancyEntries=Number of entries -NumberOfAccountancyMovements=Number of movements -ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) +BindingOptions=የማስያዣ አማራጮች +ApplyMassCategories=የጅምላ ምድቦችን ተግብር +AddAccountFromBookKeepingWithNoCategories=የሚገኝ መለያ ገና በግላዊ ቡድን ውስጥ የለም። +CategoryDeleted=የሒሳብ መለያው ምድብ ተወግዷል +AccountingJournals=የሂሳብ መጽሔቶች +AccountingJournal=የሂሳብ መጽሔት +NewAccountingJournal=አዲስ የሂሳብ ጆርናል +ShowAccountingJournal=የሂሳብ መጽሔት አሳይ +NatureOfJournal=የጆርናል ተፈጥሮ +AccountingJournalType1=የተለያዩ ስራዎች +AccountingJournalType2=ሽያጭ +AccountingJournalType3=ግዢዎች +AccountingJournalType4=ባንክ +AccountingJournalType5=የወጪ ሪፖርቶች +AccountingJournalType8=ቆጠራ +AccountingJournalType9=የተያዙ ገቢዎች +GenerationOfAccountingEntries=የሂሳብ ግቤቶች ማመንጨት +ErrorAccountingJournalIsAlreadyUse=ይህ መጽሔት አስቀድሞ ጥቅም ላይ ውሏል +AccountingAccountForSalesTaxAreDefinedInto=ማስታወሻ፡ ለሽያጭ ታክስ የሂሳብ አያያዝ መለያ በምናሌ ውስጥ ይገለጻል %s9a4b739f17f8z0 - %s +NumberOfAccountancyEntries=የመግቢያ ብዛት +NumberOfAccountancyMovements=የእንቅስቃሴዎች ብዛት +ACCOUNTING_DISABLE_BINDING_ON_SALES=በሽያጭ ላይ የሂሳብ አያያዝ እና ማስተላለፍን ያሰናክሉ (የደንበኛ ደረሰኞች በሂሳብ አያያዝ ውስጥ አይገቡም) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=በግዢዎች ላይ በሂሳብ አያያዝ ውስጥ ማሰር እና ማስተላለፍን ያሰናክሉ (የሻጭ ደረሰኞች በሂሳብ አያያዝ ውስጥ አይወሰዱም) +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=በወጪ ሪፖርቶች ላይ የሂሳብ አያያዝ እና ማስተላለፍን ያሰናክሉ (የወጪ ሪፖርቶች በሂሳብ አያያዙም) +ACCOUNTING_ENABLE_LETTERING=በሂሳብ አያያዝ ውስጥ የፊደል አጻጻፍ ተግባርን ያንቁ +ACCOUNTING_ENABLE_LETTERING_DESC=እነዚህ አማራጮች ሲነቁ በእያንዳንዱ የሂሳብ መዝገብ ላይ የተለያዩ የሂሳብ እንቅስቃሴዎችን በአንድ ላይ ማቧደን እንዲችሉ ኮድ መግለፅ ይችላሉ። ቀደም ባሉት ጊዜያት, የተለያዩ መጽሔቶች በተናጥል ሲተዳደሩ, ይህ ባህሪ የተለያዩ መጽሔቶችን የመንቀሳቀስ መስመሮችን በአንድ ላይ ማቧደን አስፈላጊ ነበር. ነገር ግን፣ በዶሊባርር አካውንቲንግ፣ እንደዚህ ያለ የመከታተያ ኮድ፣ "%sb09a4b78z09f17 span>" አስቀድሞ በራስ ሰር ተቀምጧል፣ ስለዚህ አውቶማቲክ ፊደላት አስቀድሞ ተከናውኗል፣ የስህተት ስጋት የለውም፣ ስለዚህ ይህ ባህሪ ለጋራ አጠቃቀም የማይጠቅም ሆኗል። በእጅ የፊደል አጻጻፍ ባህሪ በሂሳብ መዝገብ ውስጥ መረጃን ለማስተላለፍ የሚያደርገውን የኮምፒተር ሞተር ለማያምኑ ለዋና ተጠቃሚዎች ይሰጣል። +EnablingThisFeatureIsNotNecessary=ይህንን ባህሪ ማንቃት ለጠንካራ የሂሳብ አያያዝ አስተዳደር አስፈላጊ አይሆንም። +ACCOUNTING_ENABLE_AUTOLETTERING=ወደ አካውንቲንግ ሲተላለፉ አውቶማቲክ ፊደላትን አንቃ +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=የደብዳቤው ኮድ በራስ-ሰር ይፈልቃል እና ይጨምራል እናም በዋና ተጠቃሚ አልተመረጠም። +ACCOUNTING_LETTERING_NBLETTERS=የፊደል አጻጻፍ ኮድ በሚፈጥሩበት ጊዜ የፊደሎች ብዛት (ነባሪ 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=አንዳንድ የሂሳብ ሶፍትዌሮች ባለ ሁለት ፊደል ኮድ ብቻ ነው የሚቀበሉት። ይህ ግቤት ይህንን ገጽታ እንዲያዘጋጁ ያስችልዎታል. የነባሪ ፊደሎች ቁጥር ሦስት ነው። +OptionsAdvanced=የላቁ አማራጮች +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=በአቅራቢዎች ግዢ ላይ የተጨማሪ እሴት ታክስ አስተዳደርን ያግብሩ +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=ይህ አማራጭ ሲነቃ፣ አቅራቢው ወይም የተሰጠው የአቅራቢ ደረሰኝ ወደ ሂሳብ ሒሳብ በተለየ መንገድ መተላለፍ እንዳለበት መግለፅ ይችላሉ፡ ተጨማሪ ዴቢት እና ክሬዲት መስመር በሂሳብ መዝገብ ውስጥ በ2 የተሰጡ ሂሳቦች በ‹‹< ውስጥ ከተገለፀው የመለያ ገበታው ላይ ይወጣሉ። span class='notranslate'>%s" ማዋቀር ገጽ። ## Export -NotifiedExportDate=Flag exported lines as exported (modification of the lines will not be possible) -NotifiedValidationDate=Validate the exported entries (modification or deletion of the lines will not be possible) -ConfirmExportFile=Confirmation of the generation of the accounting export file ? -ExportDraftJournal=Export draft journal -Modelcsv=Model of export -Selectmodelcsv=Select a model of export -Modelcsv_normal=Classic export -Modelcsv_CEGID=Export for CEGID Expert Comptabilité -Modelcsv_COALA=Export for Sage Coala -Modelcsv_bob50=Export for Sage BOB 50 -Modelcsv_ciel=Export for Sage50, Ciel Compta or Compta Evo. (Format XIMPORT) -Modelcsv_quadratus=Export for Quadratus QuadraCompta -Modelcsv_ebp=Export for EBP -Modelcsv_cogilog=Export for Cogilog -Modelcsv_agiris=Export for Agiris Isacompta -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) -Modelcsv_openconcerto=Export for OpenConcerto (Test) -Modelcsv_configurable=Export CSV Configurable -Modelcsv_FEC=Export FEC -Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed) -Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland -Modelcsv_winfic=Export for Winfic - eWinfic - WinSis Compta -Modelcsv_Gestinumv3=Export for Gestinum (v3) -Modelcsv_Gestinumv5=Export for Gestinum (v5) -Modelcsv_charlemagne=Export for Aplim Charlemagne -ChartofaccountsId=Chart of accounts Id +NotExportLettering=ፋይሉን በሚፈጥሩበት ጊዜ ፊደሉን ወደ ውጭ አይላኩ +NotifiedExportDate=እንደ ተላኩ እስካሁን መስመሮችን ወደ ውጭ አልተላከም (እንደተላከ የተጠቆመውን መስመር ለመቀየር ሙሉውን ግብይት መሰረዝ እና እንደገና ወደ ሂሳብ ማስተላለፍ ያስፈልግዎታል) +NotifiedValidationDate=ወደ ውጭ የተላኩትን ግቤቶች እስካሁን ያልተቆለፉትን ያጽዱ እና ይቆልፉ (ከ"%s" ባህሪ፣ ማሻሻያ እና መሰረዝ ጋር ተመሳሳይ ውጤት መስመሮች በእርግጠኝነት አይቻልም) +NotifiedExportFull=ሰነዶች ወደ ውጭ ይላኩ? +DateValidationAndLock=የቀን ማረጋገጫ እና መቆለፊያ +ConfirmExportFile=የሂሳብ ኤክስፖርት ፋይል ማመንጨት ማረጋገጫ? +ExportDraftJournal=ረቂቅ መጽሔት ወደ ውጪ ላክ +Modelcsv=የኤክስፖርት ሞዴል +Selectmodelcsv=የመላክ ሞዴል ይምረጡ +Modelcsv_normal=ክላሲክ ወደ ውጭ መላክ +Modelcsv_CEGID=ለCEGID ኤክስፐርት Comptabilité ወደ ውጪ ላክ +Modelcsv_COALA=ለ Sage Coala ወደ ውጭ ይላኩ +Modelcsv_bob50=ለ Sage BOB 50 ወደ ውጪ ላክ +Modelcsv_ciel=ለ Sage50፣ Ciel Compta ወይም Compta Evo ወደ ውጪ ላክ። (XIMPORT ቅርጸት) +Modelcsv_quadratus=ለ Quadratus QuadraCompta ወደ ውጪ ላክ +Modelcsv_ebp=ለኢ.ቢ.ፒ +Modelcsv_cogilog=ለኮጊሎግ ወደ ውጭ ላክ +Modelcsv_agiris=ለአግሪስ ኢሳኮምፕታ ወደ ውጭ ላክ +Modelcsv_LDCompta=ለኤልዲ Compta (v9) ወደ ውጪ ላክ (ሙከራ) +Modelcsv_LDCompta10=ለኤልዲ Compta (v10 እና ከዚያ በላይ) ወደ ውጭ ላክ +Modelcsv_openconcerto=ለክፍት ኮንሰርቶ (ሙከራ) ወደ ውጭ ላክ +Modelcsv_configurable=CSV ሊዋቀር የሚችል +Modelcsv_FEC=FEC ወደ ውጪ ላክ +Modelcsv_FEC2=FEC ወደ ውጪ ላክ (በቀናት መፃፍ/ሰነድ ተቀልብሷል) +Modelcsv_Sage50_Swiss=ለ Sage 50 ስዊዘርላንድ ወደ ውጭ ይላኩ +Modelcsv_winfic=ለዊንፊክ ወደ ውጪ ላክ - eWinfic - WinSis Compta +Modelcsv_Gestinumv3=ለጌስቲንየም ላክ (v3) +Modelcsv_Gestinumv5=ለጌስቲንየም ላክ (v5) +Modelcsv_charlemagne=ለአፕሊም ሻርለማኝ ወደ ውጪ ላክ +ChartofaccountsId=የመለያዎች ገበታ መታወቂያ ## Tools - Init accounting account on product / service -InitAccountancy=Init accountancy -InitAccountancyDesc=This page can be used to initialize an accounting account on products and services that does not have accounting account defined for sales and purchases. -DefaultBindingDesc=This page can be used to set a default account to use to link transactions record about payment salaries, donation, taxes and vat when no specific accounting account were already set. -DefaultClosureDesc=This page can be used to set parameters used for accounting closures. -Options=Options -OptionModeProductSell=Mode sales -OptionModeProductSellIntra=Mode sales exported in EEC -OptionModeProductSellExport=Mode sales exported in other countries -OptionModeProductBuy=Mode purchases -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries -OptionModeProductSellDesc=Show all products with accounting account for sales. -OptionModeProductSellIntraDesc=Show all products with accounting account for sales in EEC. -OptionModeProductSellExportDesc=Show all products with accounting account for other foreign sales. -OptionModeProductBuyDesc=Show all products with accounting account for purchases. -OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC. -OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases. -CleanFixHistory=Remove accounting code from lines that not exists into charts of account -CleanHistory=Reset all bindings for selected year -PredefinedGroups=Predefined groups -WithoutValidAccount=Without valid dedicated account -WithValidAccount=With valid dedicated account -ValueNotIntoChartOfAccount=This value of accounting account does not exist into chart of account -AccountRemovedFromGroup=Account removed from group -SaleLocal=Local sale -SaleExport=Export sale -SaleEEC=Sale in EEC -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fallback on the product account for standard sales. You can fix the VAT ID of thirdparty or the product account if needed. -ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. -ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. +InitAccountancy=ኢንት ሒሳብ +InitAccountancyDesc=ይህ ገጽ ለሽያጭ እና ለግዢዎች የተገለጸ የሂሳብ አካውንት በሌላቸው ምርቶች እና አገልግሎቶች ላይ የሂሳብ አካውንት ለመጀመር ሊያገለግል ይችላል። +DefaultBindingDesc=ይህ ገጽ ምንም የተለየ ሒሳብ ሳይዘጋጅ የቢዝነስ ዕቃዎችን እንደ የክፍያ ደመወዝ፣ ልገሳ፣ ታክስ እና ተ.እ.ታን የመሳሰሉ ነባሪ ሂሳቦችን (ከሂሳብ ገበታው ላይ) ለማገናኘት ጥቅም ላይ ሊውል ይችላል። +DefaultClosureDesc=ይህ ገጽ ለሂሳብ መዝጊያዎች የሚያገለግሉ መለኪያዎችን ለማዘጋጀት ሊያገለግል ይችላል። +Options=አማራጮች +OptionModeProductSell=ሁነታ ሽያጭ +OptionModeProductSellIntra=የሞድ ሽያጭ በEEC ውስጥ ወደ ውጭ ተልኳል። +OptionModeProductSellExport=ሁነታ ሽያጭ በሌሎች አገሮች ወደ ውጭ ተልኳል። +OptionModeProductBuy=ሁነታ ግዢዎች +OptionModeProductBuyIntra=በEEC ውስጥ የገቡ ሁነታ ግዢዎች +OptionModeProductBuyExport=ከሌሎች አገሮች የተገዛ ሁነታ +OptionModeProductSellDesc=ሁሉንም ምርቶች በሂሳብ አያያዝ ለሽያጭ አሳይ። +OptionModeProductSellIntraDesc=በEEC ውስጥ ለሽያጭ የሂሳብ መለያ ያላቸው ሁሉንም ምርቶች ያሳዩ። +OptionModeProductSellExportDesc=ለሌሎች የውጭ ሽያጮች ሁሉንም ምርቶች በሂሳብ አያያዝ ያሳዩ። +OptionModeProductBuyDesc=ሁሉንም ምርቶች በሂሳብ አያያዝ ለግዢዎች አሳይ። +OptionModeProductBuyIntraDesc=በEEC ውስጥ ለግዢዎች የሂሳብ አካውንት ያላቸውን ሁሉንም ምርቶች አሳይ። +OptionModeProductBuyExportDesc=ለሌሎች የውጭ ግዢዎች ሁሉንም ምርቶች በሂሳብ አያያዝ ያሳዩ. +CleanFixHistory=በሂሳብ ገበታዎች ውስጥ ከሌሉ መስመሮች የሂሳብ ኮድ ያስወግዱ +CleanHistory=ለተመረጠው ዓመት ሁሉንም ማሰሪያዎች ዳግም ያስጀምሩ +PredefinedGroups=አስቀድሞ የተገለጹ ቡድኖች +WithoutValidAccount=ያለ ትክክለኛ መለያ +WithValidAccount=በሚሰራ መለያ +ValueNotIntoChartOfAccount=ይህ የሂሳብ አያያዝ ሂሳብ በሂሳብ ገበታ ውስጥ የለም። +AccountRemovedFromGroup=መለያ ከቡድን ተወግዷል +SaleLocal=የአካባቢ ሽያጭ +SaleExport=ወደ ውጭ መላክ ሽያጭ +SaleEEC=በ EEC ውስጥ ሽያጭ +SaleEECWithVAT=በEC ሽያጭ ከተጨማሪ እሴት ታክስ ጋር ዋጋ የለውም፣ስለዚህ ይህ የጋራ ሽያጭ አይደለም እና የተጠቆመው መለያ መደበኛ የምርት መለያ ነው ብለን እናስባለን። +SaleEECWithoutVATNumber=በEC ሽያጭ ያለ ተ.እ.ታ ነገር ግን የሶስተኛ ወገን የቫት መታወቂያ አልተገለጸም። ለመደበኛ ሽያጭ በመለያው ላይ እንመለሳለን። የሶስተኛ ወገን የተጨማሪ እሴት ታክስ መታወቂያን ማስተካከል ወይም አስፈላጊ ከሆነ ለማሰር የተጠቆመውን የምርት መለያ መቀየር ይችላሉ። +ForbiddenTransactionAlreadyExported=የተከለከለ፡ ግብይቱ የተረጋገጠ እና/ወይም ወደ ውጭ ተልኳል። +ForbiddenTransactionAlreadyValidated=የተከለከለ፡ ግብይቱ ተረጋግጧል። ## Dictionary -Range=Range of accounting account -Calculated=Calculated -Formula=Formula +Range=የሂሳብ መዝገብ ክልል +Calculated=የተሰላ +Formula=ፎርሙላ + +## Reconcile +LetteringAuto=አውቶማቲክን አስታርቅ +LetteringManual=ማኑዋልን ማስታረቅ +Unlettering=አልታረቅም። +UnletteringAuto=የማይታረቅ መኪና +UnletteringManual=የማይታረቅ መመሪያ +AccountancyNoLetteringModified=ምንም የተሻሻለ እርቅ የለም። +AccountancyOneLetteringModifiedSuccessfully=አንድ ማስታረቅ በተሳካ ሁኔታ ተስተካክሏል። +AccountancyLetteringModifiedSuccessfully=%s ማስታረቅ በተሳካ ሁኔታ ተቀይሯል +AccountancyNoUnletteringModified=ያልታረቀ የተሻሻለ የለም። +AccountancyOneUnletteringModifiedSuccessfully=አንድ ያልታረቀ በተሳካ ሁኔታ ተስተካክሏል። +AccountancyUnletteringModifiedSuccessfully=%s ያልታረቀ በተሳካ ሁኔታ ተቀይሯል + +## Closure +AccountancyClosureStep1=ደረጃ 1 እንቅስቃሴዎችን ያረጋግጡ እና ይቆልፉ +AccountancyClosureStep2=ደረጃ 2፡ የበጀት ጊዜውን ዝጋ +AccountancyClosureStep3=ደረጃ 3፡ ግቤቶችን ያውጡ (አማራጭ) +AccountancyClosureClose=የበጀት ጊዜን ዝጋ +AccountancyClosureAccountingReversal="የተያዙ ገቢዎችን" ያውጡ እና ይመዝግቡ +AccountancyClosureStep3NewFiscalPeriod=የሚቀጥለው የበጀት ወቅት +AccountancyClosureGenerateClosureBookkeepingRecords=በሚቀጥለው የበጀት ወቅት "የተያዙ ገቢዎች" ግቤቶችን ይፍጠሩ +AccountancyClosureSeparateAuxiliaryAccounts="የተያዙ ገቢዎች" ግቤቶችን በሚያመነጩበት ጊዜ፣ የንዑስ-መሪ ሂሳቦቹን ይዘርዝሩ +AccountancyClosureCloseSuccessfully=የበጀት ጊዜ በተሳካ ሁኔታ ተዘግቷል። +AccountancyClosureInsertAccountingReversalSuccessfully=ለ"የተያዙ ገቢዎች" የሂሳብ አያያዝ ግቤቶች በተሳካ ሁኔታ ገብተዋል። + +## Confirm box +ConfirmMassUnletteringAuto=የጅምላ ራስ የማይታረቅ ማረጋገጫ +ConfirmMassUnletteringManual=የጅምላ ማኑዋል ያልታረቀ ማረጋገጫ +ConfirmMassUnletteringQuestion=እርግጠኛ ነዎት %s የተመረጡ ሪኮርዶችን ማስታረቅ ይፈልጋሉ? +ConfirmMassDeleteBookkeepingWriting=የጅምላ ሰርዝ ማረጋገጫ +ConfirmMassDeleteBookkeepingWritingQuestion=ይህ ግብይቱን ከሂሳብ አያያዝ ይሰርዛል (ከተመሳሳይ ግብይት ጋር የተያያዙ ሁሉም የመስመር ግቤቶች ይሰረዛሉ). እርግጠኛ ነህ የ%sን መሰረዝ ትፈልጋለህ? +AccountancyClosureConfirmClose=እርግጠኛ ነዎት የአሁኑን የበጀት ጊዜ መዝጋት ይፈልጋሉ? የበጀት ጊዜውን መዝጋት የማይቀለበስ ተግባር መሆኑን ተረድተሃል እና በዚህ ጊዜ ውስጥ ማንኛውንም ማሻሻያ ወይም መሰረዝን እንደሚያግድ ተረድተሃል . +AccountancyClosureConfirmAccountingReversal=እርግጠኛ ነዎት ለ"የተያዙ ገቢዎች" ግቤቶችን መመዝገብ ይፈልጋሉ? ## Error -SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them -ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) -ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused. -ErrorInvoiceContainsLinesNotYetBoundedShort=Some lines on invoice are not bound to accounting account. -ExportNotSupported=The export format setuped is not supported into this page -BookeppingLineAlreayExists=Lines already existing into bookkeeping -NoJournalDefined=No journal defined -Binded=Lines bound -ToBind=Lines to bind -UseMenuToSetBindindManualy=Lines not yet bound, use menu %s to make the binding manually -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Sorry this module is not compatible with the experimental feature of situation invoices +SomeMandatoryStepsOfSetupWereNotDone=አንዳንድ አስገዳጅ የማዋቀር ደረጃዎች አልተደረጉም፣ እባክዎ ያጠናቅቁዋቸው +ErrorNoAccountingCategoryForThisCountry=ለአገር ምንም የሂሳብ አያያዝ ቡድን የለም %s (%s ይመልከቱ - b0ecb2ec87f49fez0s %s) +ErrorInvoiceContainsLinesNotYetBounded=አንዳንድ የክፍያ መጠየቂያ መጠየቂያ ደረሰኞችን %sb0a65d071f6fc9 ግን ለመመዝገብ ይሞክራሉ። አንዳንድ ሌሎች መስመሮች በሂሳብ አያያዝ መለያ ላይ ገና አልተገደቡም። ለዚህ ደረሰኝ የሁሉም የክፍያ መጠየቂያ መስመሮች ጋዜጠኝነት ውድቅ ተደርጓል። +ErrorInvoiceContainsLinesNotYetBoundedShort=በክፍያ መጠየቂያ ላይ ያሉ አንዳንድ መስመሮች ከሂሳብ መዝገብ ጋር የተገናኙ አይደሉም። +ExportNotSupported=የተቀናበረው ወደ ውጭ መላኪያ ቅርጸት በዚህ ገጽ ላይ አይደገፍም። +BookeppingLineAlreayExists=በሂሳብ አያያዝ ውስጥ ቀድሞውኑ ያሉ መስመሮች +NoJournalDefined=ምንም ጆርናል አልተገለጸም። +Binded=መስመሮች ተያይዘዋል። +ToBind=ለማሰር መስመሮች +UseMenuToSetBindindManualy=መስመሮች ገና አልተጣመሩም ፣ ምናሌን ይጠቀሙ %s binding> ለማድረግ በእጅ +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=ማስታወሻ፡ ይህ ሞጁል ወይም ገጽ ከሁኔታ ደረሰኞች የሙከራ ባህሪ ጋር ሙሉ ለሙሉ ተኳሃኝ አይደለም። አንዳንድ መረጃዎች የተሳሳቱ ሊሆኑ ይችላሉ። +AccountancyErrorMismatchLetterCode=በማስታረቅ ኮድ ውስጥ አለመዛመድ +AccountancyErrorMismatchBalanceAmount=ቀሪው (%s) ከ 0 ጋር እኩል አይደለም +AccountancyErrorLetteringBookkeeping=ግብይቶቹን በሚመለከት ስህተቶች ተከስተዋል፡ %s +ErrorAccountNumberAlreadyExists=የሒሳብ ቁጥር %s አስቀድሞ አለ። +ErrorArchiveAddFile="%s" ፋይልን በማህደር ውስጥ ማስቀመጥ አይቻልም +ErrorNoFiscalPeriodActiveFound=ምንም ገቢር የበጀት ጊዜ አልተገኘም። +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=የሒሳብ አያያዝ ሰነዱ በገቢር የበጀት ጊዜ ውስጥ አይደለም። +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=የሂሳብ አያያዝ ሰነዱ ቀኑ በተዘጋ የበጀት ጊዜ ውስጥ ነው። ## Import -ImportAccountingEntries=Accounting entries -ImportAccountingEntriesFECFormat=Accounting entries - FEC format -FECFormatJournalCode=Code journal (JournalCode) -FECFormatJournalLabel=Label journal (JournalLib) -FECFormatEntryNum=Piece number (EcritureNum) -FECFormatEntryDate=Piece date (EcritureDate) -FECFormatGeneralAccountNumber=General account number (CompteNum) -FECFormatGeneralAccountLabel=General account label (CompteLib) -FECFormatSubledgerAccountNumber=Subledger account number (CompAuxNum) -FECFormatSubledgerAccountLabel=Subledger account number (CompAuxLib) -FECFormatPieceRef=Piece ref (PieceRef) -FECFormatPieceDate=Piece date creation (PieceDate) -FECFormatLabelOperation=Label operation (EcritureLib) -FECFormatDebit=Debit (Debit) -FECFormatCredit=Credit (Credit) -FECFormatReconcilableCode=Reconcilable code (EcritureLet) -FECFormatReconcilableDate=Reconcilable date (DateLet) -FECFormatValidateDate=Piece date validated (ValidDate) -FECFormatMulticurrencyAmount=Multicurrency amount (Montantdevise) -FECFormatMulticurrencyCode=Multicurrency code (Idevise) +ImportAccountingEntries=የሂሳብ ግቤቶች +ImportAccountingEntriesFECFormat=የሂሳብ ግቤቶች - FEC ቅርጸት +FECFormatJournalCode=ኮድ መጽሔት (ጆርናል ኮድ) +FECFormatJournalLabel=የመለያ ጆርናል (ጆርናል ሊብ) +FECFormatEntryNum=ቁራጭ ቁጥር (EcritureNum) +FECFormatEntryDate=ቁራጭ ቀን (EcritureDate) +FECFormatGeneralAccountNumber=አጠቃላይ መለያ ቁጥር (CompteNum) +FECFormatGeneralAccountLabel=አጠቃላይ መለያ መለያ (CompteLib) +FECFormatSubledgerAccountNumber=Subledger መለያ ቁጥር (CompAuxNum) +FECFormatSubledgerAccountLabel=Subledger መለያ ቁጥር (CompAuxLib) +FECFormatPieceRef=ቁራጭ ማጣቀሻ (PieceRef) +FECFormatPieceDate=ቁራጭ ቀን መፍጠር (PieceDate) +FECFormatLabelOperation=የመለያ ስራ (EcritureLib) +FECFormatDebit=ዴቢት (ዴቢት) +FECFormatCredit=ክሬዲት (ክሬዲት) +FECFormatReconcilableCode=ሊታረቅ የሚችል ኮድ (EcritureLet) +FECFormatReconcilableDate=ሊታረቅ የሚችል ቀን (DateLet) +FECFormatValidateDate=የተወሰነ ቀን የተረጋገጠ (ValidDate) +FECFormatMulticurrencyAmount=ባለብዙ ምንዛሪ መጠን (ሞንታንትዴቪዝ) +FECFormatMulticurrencyCode=ባለብዙ ምንዛሪ ኮድ (ይቅረጹ) -DateExport=Date export -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contains transaction modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. -ExpenseReportJournal=Expense Report Journal -InventoryJournal=Inventory Journal +DateExport=ወደ ውጭ የሚላክበት ቀን +WarningReportNotReliable=ማስጠንቀቂያ፣ ይህ ሪፖርት በመመዝገቢያ ደብተር ላይ የተመሰረተ አይደለም፣ ስለዚህ በእጅ የተሻሻሉ ግብይቶችን በመዝገብ ውስጥ አልያዘም። የጋዜጠኝነት ስራዎ ወቅታዊ ከሆነ፣ የሂሳብ አያያዝ እይታ የበለጠ ትክክለኛ ነው። +ExpenseReportJournal=የወጪ ሪፖርት ጆርናል +DocsAlreadyExportedAreIncluded=ወደ ውጭ የተላኩ ሰነዶች ተካትተዋል። +ClickToShowAlreadyExportedLines=አስቀድመው ወደ ውጭ የተላኩ መስመሮችን ለማሳየት ጠቅ ያድርጉ -NAccounts=%s accounts +NAccounts=%s መለያዎች diff --git a/htdocs/langs/am_ET/admin.lang b/htdocs/langs/am_ET/admin.lang index d79adb1e960..9987b60c959 100644 --- a/htdocs/langs/am_ET/admin.lang +++ b/htdocs/langs/am_ET/admin.lang @@ -1,2222 +1,2442 @@ # Dolibarr language file - Source file is en_US - admin -BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF -BoldLabelOnPDF=Print label of product item in Bold in PDF -Foundation=Foundation -Version=Version -Publisher=Publisher -VersionProgram=Version program -VersionLastInstall=Initial install version -VersionLastUpgrade=Latest version upgrade -VersionExperimental=Experimental -VersionDevelopment=Development -VersionUnknown=Unknown -VersionRecommanded=Recommended -FileCheck=Fileset Integrity Checks -FileCheckDesc=This tool allows you to check the integrity of files and the setup of your application, comparing each file with the official one. The value of some setup constants may also be checked. You can use this tool to determine if any files have been modified (e.g by a hacker). -FileIntegrityIsStrictlyConformedWithReference=Files integrity is strictly conformed with the reference. -FileIntegrityIsOkButFilesWereAdded=Files integrity check has passed, however some new files have been added. -FileIntegritySomeFilesWereRemovedOrModified=Files integrity check has failed. Some files were modified, removed or added. -GlobalChecksum=Global checksum -MakeIntegrityAnalysisFrom=Make integrity analysis of application files from -LocalSignature=Embedded local signature (less reliable) -RemoteSignature=Remote distant signature (more reliable) -FilesMissing=Missing Files -FilesUpdated=Updated Files -FilesModified=Modified Files -FilesAdded=Added Files -FileCheckDolibarr=Check integrity of application files -AvailableOnlyOnPackagedVersions=The local file for integrity checking is only available when the application is installed from an official package -XmlNotFound=Xml Integrity File of application not found -SessionId=Session ID -SessionSaveHandler=Handler to save sessions -SessionSavePath=Session save location -PurgeSessions=Purge of sessions -ConfirmPurgeSessions=Do you really want to purge all sessions? This will disconnect every user (except yourself). -NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow listing all running sessions. -LockNewSessions=Lock new connections -ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself? Only user %s will be able to connect after that. -UnlockNewSessions=Remove connection lock -YourSession=Your session -Sessions=Users Sessions -WebUserGroup=Web server user/group -PermissionsOnFiles=Permissions on files -PermissionsOnFilesInWebRoot=Permissions on files in web root directory -PermissionsOnFile=Permissions on file %s -NoSessionFound=Your PHP configuration seems to not allow listing of active sessions. The directory used to save sessions (%s) may be protected (for example by OS permissions or by PHP directive open_basedir). -DBStoringCharset=Database charset to store data -DBSortingCharset=Database charset to sort data -HostCharset=Host charset -ClientCharset=Client charset -ClientSortingCharset=Client collation -WarningModuleNotActive=Module %s must be enabled -WarningOnlyPermissionOfActivatedModules=Only permissions related to activated modules are shown here. You can activate other modules in the Home->Setup->Modules page. -DolibarrSetup=Dolibarr install or upgrade -InternalUser=Internal user -ExternalUser=External user -InternalUsers=Internal users -ExternalUsers=External users -UserInterface=User interface -GUISetup=Display -SetupArea=Setup -UploadNewTemplate=Upload new template(s) -FormToTestFileUploadForm=Form to test file upload (according to setup) -ModuleMustBeEnabled=The module/application %s must be enabled -ModuleIsEnabled=The module/application %s has been enabled -IfModuleEnabled=Note: yes is effective only if module %s is enabled -RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool. -RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. -SecuritySetup=Security setup -PHPSetup=PHP setup -OSSetup=OS setup -SecurityFilesDesc=Define here options related to security about uploading files. -ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher -ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher -ErrorDecimalLargerThanAreForbidden=Error, a precision higher than %s is not supported. -DictionarySetup=Dictionary setup -Dictionary=Dictionaries -ErrorReservedTypeSystemSystemAuto=Value 'system' and 'systemauto' for type is reserved. You can use 'user' as value to add your own record -ErrorCodeCantContainZero=Code can't contain value 0 -DisableJavascript=Disable JavaScript and Ajax functions -DisableJavascriptNote=Note: For test or debug purpose only. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user -UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -DelaiedFullListToSelectCompany=Wait until a key is pressed before loading content of Third Parties combo list.
      This may increase performance if you have a large number of third parties, but it is less convenient. -DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list.
      This may increase performance if you have a large number of contacts, but it is less convenient. -NumberOfKeyToSearch=Number of characters to trigger search: %s -NumberOfBytes=Number of Bytes -SearchString=Search string -NotAvailableWhenAjaxDisabled=Not available when Ajax disabled -AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party -TimesheetPreventAfterFollowingMonths=Prevent recording time spent after the following number of months -JavascriptDisabled=JavaScript disabled -UsePreviewTabs=Use preview tabs -ShowPreview=Show preview -ShowHideDetails=Show-Hide details -PreviewNotAvailable=Preview not available -ThemeCurrentlyActive=Theme currently active -MySQLTimeZone=TimeZone MySql (database) -TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered). -Space=Space -Table=Table -Fields=Fields -Index=Index -Mask=Mask -NextValue=Next value -NextValueForInvoices=Next value (invoices) -NextValueForCreditNotes=Next value (credit notes) -NextValueForDeposit=Next value (down payment) -NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration -MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page -AntiVirusCommand=Full path to antivirus command -AntiVirusCommandExample=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
      Example for ClamWin (very very slow): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe -AntiVirusParam= More parameters on command line -AntiVirusParamExample=Example for ClamAv Daemon: --fdpass
      Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" -ComptaSetup=Accounting module setup -UserSetup=User management setup -MultiCurrencySetup=Multi-currency setup -MenuLimits=Limits and accuracy -MenuIdParent=Parent menu ID -DetailMenuIdParent=ID of parent menu (empty for a top menu) -ParentID=Parent ID -DetailPosition=Sort number to define menu position -AllMenus=All -NotConfigured=Module/Application not configured -Active=Active -SetupShort=Setup -OtherOptions=Other options -OtherSetup=Other Setup -CurrentValueSeparatorDecimal=Decimal separator -CurrentValueSeparatorThousand=Thousand separator -Destination=Destination -IdModule=Module ID -IdPermissions=Permissions ID -LanguageBrowserParameter=Parameter %s -LocalisationDolibarrParameters=Localization parameters -ClientHour=Client time (user) -OSTZ=Server OS Time Zone -PHPTZ=PHP server Time Zone -DaylingSavingTime=Daylight saving time -CurrentHour=PHP Time (server) -CurrentSessionTimeOut=Current session timeout -YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a .htaccess file with a line like this "SetEnv TZ Europe/Paris" -HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but of the timezone of the server. -Box=Widget -Boxes=Widgets -MaxNbOfLinesForBoxes=Max. number of lines for widgets -AllWidgetsWereEnabled=All available widgets are enabled -PositionByDefault=Default order -Position=Position -MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical). -MenusEditorDesc=The menu editor allows you to define custom menu entries. Use it carefully to avoid instability and permanently unreachable menu entries.
      Some modules add menu entries (in menu All mostly). If you remove some of these entries by mistake, you can restore them disabling and reenabling the module. -MenuForUsers=Menu for users -LangFile=.lang file -Language_en_US_es_MX_etc=Language (en_US, es_MX, ...) -System=System -SystemInfo=System information -SystemToolsArea=System tools area -SystemToolsAreaDesc=This area provides administration functions. Use the menu to choose the required feature. -Purge=Purge -PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server. -PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data) -PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Parameter can be 'tempfilesold', 'logfiles' or both 'tempfilesold+logfiles'. Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files (no risk of losing data) -PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s.
      This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files. -PurgeRunNow=Purge now -PurgeNothingToDelete=No directory or files to delete. -PurgeNDirectoriesDeleted=%s files or directories deleted. -PurgeNDirectoriesFailed=Failed to delete %s files or directories. -PurgeAuditEvents=Purge all security events -ConfirmPurgeAuditEvents=Are you sure you want to purge all security events? All security logs will be deleted, no other data will be removed. -GenerateBackup=Generate backup -Backup=Backup -Restore=Restore -RunCommandSummary=Backup has been launched with the following command -BackupResult=Backup result -BackupFileSuccessfullyCreated=Backup file successfully generated -YouCanDownloadBackupFile=The generated file can now be downloaded -NoBackupFileAvailable=No backup files available. -ExportMethod=Export method -ImportMethod=Import method -ToBuildBackupFileClickHere=To build a backup file, click here. -ImportMySqlDesc=To import a MySQL backup file, you may use phpMyAdmin via your hosting or use the mysql command from the Command line.
      For example: -ImportPostgreSqlDesc=To import a backup file, you must use pg_restore command from command line: +BoldRefAndPeriodOnPDF=ማጣቀሻ እና የምርት ንጥል ጊዜ በፒዲኤፍ ያትሙ +BoldLabelOnPDF=የምርቱን ንጥል ነገር በBold in PDF ያትሙ +Foundation=ፋውንዴሽን +Version=ሥሪት +Publisher=አታሚ +VersionProgram=የስሪት ፕሮግራም +VersionLastInstall=የመጀመሪያው የመጫኛ ስሪት +VersionLastUpgrade=የቅርብ ጊዜ ስሪት አሻሽል። +VersionExperimental=የሙከራ +VersionDevelopment=ልማት +VersionUnknown=ያልታወቀ +VersionRecommanded=የሚመከር +FileCheck=የፋይልሴት ትክክለኛነት ፍተሻዎች +FileCheckDesc=ይህ መሳሪያ እያንዳንዱን ፋይል ከኦፊሴላዊው ጋር በማነፃፀር የፋይሎችን ትክክለኛነት እና የመተግበሪያዎን አቀማመጥ ለመፈተሽ ያስችልዎታል። የአንዳንድ ማዋቀር ቋሚዎች ዋጋም ሊረጋገጥ ይችላል። ማንኛቸውም ፋይሎች የተስተካከሉ መሆናቸውን ለማወቅ ይህንን መሳሪያ መጠቀም ይችላሉ (ለምሳሌ በጠላፊ)። +FileIntegrityIsStrictlyConformedWithReference=የፋይሎች ትክክለኛነት ከማጣቀሻው ጋር በጥብቅ የተከበረ ነው። +FileIntegrityIsOkButFilesWereAdded=የፋይሎች ትክክለኛነት ፍተሻ አልፏል፣ ነገር ግን አንዳንድ አዲስ ፋይሎች ታክለዋል። +FileIntegritySomeFilesWereRemovedOrModified=የፋይሎች ትክክለኛነት ማረጋገጥ አልተሳካም። አንዳንድ ፋይሎች ተስተካክለዋል፣ ተወግደዋል ወይም ታክለዋል። +GlobalChecksum=ዓለም አቀፍ ቼክ +MakeIntegrityAnalysisFrom=የመተግበሪያ ፋይሎችን ታማኝነት ትንተና ያድርጉ +LocalSignature=የተከተተ የአካባቢ ፊርማ (አስተማማኝ ያነሰ) +RemoteSignature=የርቀት ፊርማ (ይበልጥ አስተማማኝ) +FilesMissing=የጎደሉ ፋይሎች +FilesUpdated=የተሻሻሉ ፋይሎች +FilesModified=የተሻሻሉ ፋይሎች +FilesAdded=የታከሉ ፋይሎች +FileCheckDolibarr=የመተግበሪያ ፋይሎችን ትክክለኛነት ያረጋግጡ +AvailableOnlyOnPackagedVersions=የአከባቢ ፋይል ለንጹህነት ማረጋገጫ የሚገኘው አፕሊኬሽኑ ከኦፊሴላዊ ፓኬጅ ሲጫን ብቻ ነው። +XmlNotFound=የኤክስኤምኤል ኢንተግሪቲ የመተግበሪያ ፋይል አልተገኘም። +SessionId=የክፍለ ጊዜ መታወቂያ +SessionSaveHandler=ክፍለ ጊዜዎችን ለማስቀመጥ ተቆጣጣሪ +SessionSavePath=የክፍለ-ጊዜ መገኛ ቦታ +PurgeSessions=የክፍለ-ጊዜዎችን ማጽዳት +ConfirmPurgeSessions=በእርግጥ ሁሉንም ክፍለ-ጊዜዎች ማጽዳት ይፈልጋሉ? ይህ እያንዳንዱን ተጠቃሚ ያቋርጣል (ከራስዎ በስተቀር)። +NoSessionListWithThisHandler=በእርስዎ ፒኤችፒ ውስጥ የተዋቀረው የክፍለ-ጊዜ ተቆጣጣሪን ያስቀምጡ ሁሉንም አሂድ ክፍለ-ጊዜዎች መዘርዘር አይፈቅድም። +LockNewSessions=አዳዲስ ግንኙነቶችን ቆልፍ +ConfirmLockNewSessions=እርግጠኛ ነዎት ማንኛውንም አዲስ የዶሊባር ግንኙነት በራስዎ ላይ መገደብ ይፈልጋሉ? ከዚያ በኋላ መገናኘት የሚችለው ተጠቃሚ %s ብቻ ነው። +UnlockNewSessions=የግንኙነት መቆለፊያን ያስወግዱ +YourSession=የእርስዎ ክፍለ ጊዜ +Sessions=የተጠቃሚ ክፍለ-ጊዜዎች +WebUserGroup=የድር አገልጋይ ተጠቃሚ/ቡድን። +PermissionsOnFiles=በፋይሎች ላይ ፍቃዶች +PermissionsOnFilesInWebRoot=በድር ስር ማውጫ ውስጥ ባሉ ፋይሎች ላይ ፈቃዶች +PermissionsOnFile=ፈቃዶች በፋይል %s +NoSessionFound=የእርስዎ ፒኤችፒ ውቅር የንቁ ክፍለ-ጊዜዎችን መዘርዘር የማይፈቅድ አይመስልም። ክፍለ ጊዜዎችን ለማስቀመጥ የሚያገለግለው ማውጫ (%s የተጠበቀ ሊሆን ይችላል (ለምሳሌ በስርዓተ ክወና ፍቃዶች ወይም በPHP መመሪያ open_basedir)። +DBStoringCharset=የውሂብ ጎታ ቻርሴት ውሂብ ለማከማቸት +DBSortingCharset=ውሂብ ለመደርደር የውሂብ ጎታ ቻርሴት +HostCharset=ቻርሴት አስተናጋጅ +ClientCharset=የደንበኛ ቻርሴት +ClientSortingCharset=የደንበኛ ስብስብ +WarningModuleNotActive=ሞጁል %s መንቃት አለበት +WarningOnlyPermissionOfActivatedModules=ከነቃ ሞጁሎች ጋር የሚዛመዱ ፈቃዶች ብቻ እዚህ ይታያሉ። በHome-> Setup->Modules ገጽ ውስጥ ሌሎች ሞጁሎችን ማግበር ይችላሉ። +DolibarrSetup=Dolibarr መጫን ወይም ማሻሻል +DolibarrUpgrade=Dolibarr ማሻሻል +DolibarrAddonInstall=የአዶን/ውጫዊ ሞጁሎች መጫን (የተሰቀለ ወይም የመነጨ) +InternalUsers=የውስጥ ተጠቃሚዎች +ExternalUsers=የውጭ ተጠቃሚዎች +UserInterface=የተጠቃሚ በይነገጽ +GUISetup=ማሳያ +SetupArea=አዘገጃጀት +UploadNewTemplate=አዲስ አብነት(ዎች) ይስቀሉ +FormToTestFileUploadForm=የፋይል ሰቀላን ለመፈተሽ ቅፅ (በማዋቀሩ መሰረት) +ModuleMustBeEnabled=ሞጁሉ/መተግበሪያው %s መንቃት አለበት +ModuleIsEnabled=ሞጁሉ/መተግበሪያው %s ነቅቷል +IfModuleEnabled=ማስታወሻ፡ አዎ ውጤታማ የሚሆነው ሞጁል %s ከነቃ ብቻ ነው +RemoveLock=ፋይሉን አስወግድ/ እንደገና ሰይም %s ካለ እንዲጠቀም ይፍቀዱ የዝማኔ / የመጫኛ መሳሪያ. +RestoreLock=ከማንኛውም ፍቃድ ጋር %sን ወደነበረበት መልስ የዝማኔ/የጭነት መሣሪያን የበለጠ መጠቀም። +SecuritySetup=የደህንነት ማዋቀር +PHPSetup=ፒኤችፒ ማዋቀር +OSSetup=የስርዓተ ክወና ማዋቀር +SecurityFilesDesc=ፋይሎችን ስለመስቀል ከደህንነት ጋር የተያያዙ አማራጮችን እዚህ ይግለጹ። +ErrorModuleRequirePHPVersion=ስህተት፣ ይህ ሞጁል የPHP ስሪት %s ወይም ከዚያ በላይ ያስፈልገዋል +ErrorModuleRequireDolibarrVersion=ስህተት፣ ይህ ሞጁል የዶሊባርር ስሪት %s ወይም ከዚያ በላይ ይፈልጋል። +ErrorDecimalLargerThanAreForbidden=ስህተት፣ ትክክለኛነት ከ%s አይደገፍም
      100 000) ካሉዎት፣ ቋሚ COMPANY_DONOTSEARCH_ANYWHEREን በ Setup->ሌ 1 በማቀናበር ፍጥነት መጨመር ይችላሉ። ፍለጋ በሕብረቁምፊ መጀመሪያ ላይ ብቻ የተገደበ ይሆናል። +UseSearchToSelectContactTooltip=እንዲሁም ብዙ የሶስተኛ ወገኖች (> 100 000) ካሉዎት፣ በቋሚ CONTACT_DONOTSEARCH_ANYWHERE ወደ 1 በማዋቀር ->ሌላ በማዘጋጀት ፍጥነትን ማሳደግ ይችላሉ። ፍለጋ በሕብረቁምፊ መጀመሪያ ላይ ብቻ የተገደበ ይሆናል። +DelaiedFullListToSelectCompany=የሶስተኛ ወገኖች ጥምር ዝርዝር ይዘት ከመጫንዎ በፊት ቁልፉ እስኪጫን ድረስ ይጠብቁ።
      ይህ ብዙ የሶስተኛ ወገኖች ካሉ አፈጻጸምን ሊጨምር ይችላል፣ነገር ግን ብዙም ምቹ አይደለም። +DelaiedFullListToSelectContact=የእውቂያ ጥምር ዝርዝር ይዘት ከመጫንዎ በፊት ቁልፉ እስኪጫን ይጠብቁ።
      ይህ ብዙ ቁጥር ያላቸው እውቂያዎች ካሉ አፈጻጸምን ሊጨምር ይችላል፣ነገር ግን ብዙም ምቹ አይደለም። +NumberOfKeyToSearch=ፍለጋ ለመቀስቀስ የቁምፊዎች ብዛት፡ %s +NumberOfBytes=የባይቶች ብዛት +SearchString=የፍለጋ ሕብረቁምፊ +NotAvailableWhenAjaxDisabled=አጃክስ ሲሰናከል አይገኝም +AllowToSelectProjectFromOtherCompany=በሶስተኛ ወገን ሰነድ ላይ ከሌላ ሶስተኛ ወገን ጋር የተገናኘ ፕሮጀክት መምረጥ ይችላል። +TimesheetPreventAfterFollowingMonths=ከሚከተለው የወራት ብዛት በኋላ የሚጠፋውን የመቅጃ ጊዜን አግድ +JavascriptDisabled=ጃቫስክሪፕት ተሰናክሏል። +UsePreviewTabs=የቅድመ እይታ ትሮችን ተጠቀም +ShowPreview=ቅድመ እይታ አሳይ +ShowHideDetails=አሳይ - ዝርዝሮችን ደብቅ +PreviewNotAvailable=ቅድመ እይታ አይገኝም +ThemeCurrentlyActive=ጭብጥ በአሁኑ ጊዜ ንቁ ነው። +MySQLTimeZone=TimeZone MySql (መረጃ ቋት) +TZHasNoEffect=ቀናቶች ተከማችተው በመረጃ ቋት አገልጋይ ይመለሳሉ። የሰዓት ሰቅ የ UNIX_TIMESTAMP ተግባርን ሲጠቀሙ ብቻ ነው (ያ በ Dolibarr ጥቅም ላይ መዋል የለበትም, ስለዚህ የውሂብ ጎታ TZ ምንም ውጤት ሊኖረው አይገባም, ምንም እንኳን ውሂብ ከገባ በኋላ ቢቀየርም). +Space=ክፍተት +Table=ጠረጴዛ +Fields=መስኮች +Index=መረጃ ጠቋሚ +Mask=ጭንብል +NextValue=ቀጣይ እሴት +NextValueForInvoices=ቀጣይ ዋጋ (ደረሰኞች) +NextValueForCreditNotes=ቀጣይ እሴት (የክሬዲት ማስታወሻዎች) +NextValueForDeposit=ቀጣይ ዋጋ (ቅድመ ክፍያ) +NextValueForReplacements=ቀጣይ እሴት (ምትክ) +MustBeLowerThanPHPLimit=ማሳሰቢያ፡ የእርስዎ ፒኤችፒ ውቅር በአሁኑ ጊዜ ወደ %sb09a4b739f17f17f17f ለመስቀል ከፍተኛውን የፋይል መጠን ይገድባል። span> %s፣ የዚህ ግቤት ዋጋ ምንም ይሁን ምን +NoMaxSizeByPHPLimit=ማስታወሻ፡ በእርስዎ ፒኤችፒ ውቅር ውስጥ ምንም ገደብ አልተዘጋጀም። +MaxSizeForUploadedFiles=ለተሰቀሉ ፋይሎች ከፍተኛው መጠን (ማንኛውንም ሰቀላ ላለመፍቀድ 0) +UseCaptchaCode=በግራፊክ ኮድ (CAPTCHA) በመግቢያ ገፅ እና አንዳንድ የህዝብ ገፆች ላይ ተጠቀም +AntiVirusCommand=ወደ ፀረ-ቫይረስ ትእዛዝ ሙሉ መንገድ +AntiVirusCommandExample=ምሳሌ ለ ClamAv Daemon (clamav-daemon ያስፈልገዋል): /usr/bin/clamdscan
      ምሳሌ ለ ClamWin (በጣም ቀርፋፋ): c:\\Progra~1\\ClamWin\\bin\\ clamscan.exe +AntiVirusParam= በትእዛዝ መስመር ላይ ተጨማሪ መለኪያዎች +AntiVirusParamExample=ምሳሌ ለ ClamAv Daemon፡ --fdpass
      ምሳሌ ለ ClamWin፡ --database="C:\\Program Files (x86)\\ClamWin\\lib" +ComptaSetup=የሂሳብ ሞጁል ማዋቀር +UserSetup=የተጠቃሚ አስተዳደር ማዋቀር +MultiCurrencySetup=ባለብዙ ገንዘብ ማዋቀር +MenuLimits=ገደቦች እና ትክክለኛነት +MenuIdParent=የወላጅ ምናሌ መታወቂያ +DetailMenuIdParent=የወላጅ ምናሌ መታወቂያ (ለላይ ምናሌ ባዶ) +ParentID=የወላጅ መታወቂያ +DetailPosition=የምናሌ ቦታን ለመወሰን ቁጥር ደርድር +AllMenus=ሁሉም +NotConfigured=ሞጁል/መተግበሪያ አልተዋቀረም። +Active=ንቁ +SetupShort=አዘገጃጀት +OtherOptions=ሌሎች አማራጮች +OtherSetup=ሌላ ማዋቀር +CurrentValueSeparatorDecimal=የአስርዮሽ መለያየት +CurrentValueSeparatorThousand=ሺህ መለያየት +Destination=መድረሻ +IdModule=የሞዱል መታወቂያ +IdPermissions=የፍቃዶች መታወቂያ +LanguageBrowserParameter=መለኪያ %s +LocalisationDolibarrParameters=አካባቢያዊነት መለኪያዎች +ClientHour=የደንበኛ ጊዜ (ተጠቃሚ) +OSTZ=የአገልጋይ ስርዓተ ክወና የሰዓት ሰቅ +PHPTZ=ፒኤችፒ አገልጋይ የሰዓት ሰቅ +DaylingSavingTime=የቀን ብርሃን ቆጣቢ ጊዜ +CurrentHour=ፒኤችፒ ሰዓት (አገልጋይ) +CurrentSessionTimeOut=የአሁኑ ክፍለ ጊዜ ማብቂያ ጊዜ +YouCanEditPHPTZ=የተለየ ፒኤችፒ የሰዓት ሰቅ ለማዘጋጀት (አያስፈልግም)፣ እንደ "SetEnv TZ Europe/Paris" ባለ መስመር .htaccess ፋይል ለመጨመር መሞከር ይችላሉ። +HoursOnThisPageAreOnServerTZ=ማስጠንቀቂያ፣ ከሌሎች ስክሪኖች በተቃራኒ፣ በዚህ ገጽ ላይ ያሉ ሰዓቶች በአካባቢዎ የሰዓት ሰቅ ውስጥ አይደሉም፣ ነገር ግን የአገልጋዩ የሰዓት ሰቅ ናቸው። +Box=መግብር +Boxes=መግብሮች +MaxNbOfLinesForBoxes=ከፍተኛ. ለመግብሮች የመስመሮች ብዛት +AllWidgetsWereEnabled=ሁሉም የሚገኙ መግብሮች ነቅተዋል። +WidgetAvailable=መግብር ይገኛል። +PositionByDefault=ነባሪ ትእዛዝ +Position=አቀማመጥ +MenusDesc=የምናሌ አስተዳዳሪዎች የሁለቱን ምናሌ አሞሌዎች (አግድም እና አቀባዊ) ይዘት ያዘጋጃሉ። +MenusEditorDesc=የምናሌ አርታዒው ብጁ የምናሌ ግቤቶችን እንዲገልጹ ይፈቅድልዎታል. አለመረጋጋትን እና በቋሚነት የማይደረስ የሜኑ ግቤቶችን ለማስወገድ በጥንቃቄ ይጠቀሙ።
      አንዳንድ ሞጁሎች የምናሌ ግቤቶችን ይጨምራሉ (በምናሌው ሁሉም
      በብዛት)። ከእነዚህ ግቤቶች አንዳንዶቹን በስህተት ካስወገዱ፣ ሞጁሉን ማሰናከል እና እንደገና ማንቃትን ወደነበሩበት መመለስ ይችላሉ። +MenuForUsers=ለተጠቃሚዎች ምናሌ +LangFile=.lang ፋይል +Language_en_US_es_MX_etc=ቋንቋ (en_US፣ es_MX፣ ...) +System=ስርዓት +SystemInfo=የስርዓት መረጃ +SystemToolsArea=የስርዓት መሳሪያዎች አካባቢ +SystemToolsAreaDesc=ይህ አካባቢ የአስተዳደር ተግባራትን ያቀርባል. አስፈላጊውን ባህሪ ለመምረጥ ምናሌውን ይጠቀሙ. +Purge=ማጽዳት +PurgeAreaDesc=ይህ ገጽ በዶሊባርር የተፈጠሩትን ወይም የተከማቹ ፋይሎችን በሙሉ (ጊዜያዊ ፋይሎች ወይም በ%s
      ማውጫ)። ይህንን ባህሪ መጠቀም በተለምዶ አስፈላጊ አይደለም. ዶሊባርር በድር አገልጋይ የተፈጠሩ ፋይሎችን ለመሰረዝ ፍቃድ በማይሰጥ አገልግሎት አቅራቢ ለተስተናገደላቸው ተጠቃሚዎች እንደ መፍትሄ ሆኖ ቀርቧል። +PurgeDeleteLogFile=የምዝግብ ማስታወሻ ፋይሎችን ይሰርዙ፣ %s ሞጁል ለSpanys የተገለጸ ውሂብ የማጣት አደጋ) +PurgeDeleteTemporaryFiles=ሁሉንም የምዝግብ ማስታወሻዎች እና ጊዜያዊ ፋይሎችን ሰርዝ (ውሂብ የማጣት አደጋ የለም)። መለኪያ 'tempfilesold'፣ 'logfiles' ወይም ሁለቱም 'tempfilesold+logfiles' ሊሆን ይችላል። ማሳሰቢያ፡- ጊዜያዊ ፋይሎችን መሰረዝ የሚደረገው የቴምፕ ዳይሬክተሩ ከ24 ሰአት በፊት ከተፈጠረ ብቻ ነው። +PurgeDeleteTemporaryFilesShort=ሎግ እና ጊዜያዊ ፋይሎችን ሰርዝ (ውሂብ የማጣት አደጋ የለም) +PurgeDeleteAllFilesInDocumentsDir=በማውጫው ውስጥ ያሉትን ሁሉንም ፋይሎች ይሰርዙ፡ %s። 'notranslate'>
      ይህ ከኤለመንቶች (ሶስተኛ ወገኖች፣ ደረሰኞች ወዘተ...)፣ ወደ ኢሲኤም ሞጁል የተሰቀሉ ፋይሎችን፣ የውሂብ ጎታ መጠባበቂያ ክምችቶችን እና ጊዜያዊ ፋይሎች ጋር የተያያዙ ሁሉንም የመነጩ ሰነዶችን ይሰርዛል። +PurgeRunNow=አሁን ያጽዱ +PurgeNothingToDelete=ምንም ማውጫ ወይም የሚሰረዙ ፋይሎች የሉም። +PurgeNDirectoriesDeleted=%s ፋይሎች ወይም ማውጫዎች ተሰርዘዋል። +PurgeNDirectoriesFailed=%s ፋይሎችን ወይም ማውጫዎችን መሰረዝ አልተሳካም። +PurgeAuditEvents=ሁሉንም የደህንነት ክስተቶች አጽዳ +ConfirmPurgeAuditEvents=እርግጠኛ ነዎት ሁሉንም የደህንነት ክስተቶች ማጽዳት ይፈልጋሉ? ሁሉም የደህንነት ምዝግብ ማስታወሻዎች ይሰረዛሉ፣ ሌላ ምንም ውሂብ አይወገድም። +GenerateBackup=ምትኬን ይፍጠሩ +Backup=ምትኬ +Restore=እነበረበት መልስ +RunCommandSummary=ምትኬ በሚከተለው ትዕዛዝ ተጀምሯል። +BackupResult=የመጠባበቂያ ውጤት +BackupFileSuccessfullyCreated=የመጠባበቂያ ፋይል በተሳካ ሁኔታ ተፈጥሯል። +YouCanDownloadBackupFile=የተፈጠረው ፋይል አሁን ሊወርድ ይችላል። +NoBackupFileAvailable=ምንም የምትኬ ፋይሎች አይገኙም። +ExportMethod=የመላክ ዘዴ +ImportMethod=የማስመጣት ዘዴ +ToBuildBackupFileClickHere=የመጠባበቂያ ፋይል ለመገንባት እዚህን ጠቅ ያድርጉ። +ImportMySqlDesc=የ MySQL ምትኬ ፋይል ለማስመጣት phpMyAdminን በእርስዎ ማስተናገጃ በኩል መጠቀም ወይም mysql ትዕዛዝን ከትእዛዝ መስመሩ መጠቀም ይችላሉ።
      ለምሳሌ፡- +ImportPostgreSqlDesc=የመጠባበቂያ ፋይል ለማስመጣት ከትእዛዝ መስመር የpg_restore ትዕዛዝን መጠቀም አለቦት፡- ImportMySqlCommand=%s %s < mybackupfile.sql ImportPostgreSqlCommand=%s %s mybackupfile.sql -FileNameToGenerate=Filename for backup: -Compression=Compression -CommandsToDisableForeignKeysForImport=Command to disable foreign keys on import -CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later -ExportCompatibility=Compatibility of generated export file -ExportUseMySQLQuickParameter=Use the --quick parameter -ExportUseMySQLQuickParameterHelp=The '--quick' parameter helps limit RAM consumption for large tables. -MySqlExportParameters=MySQL export parameters -PostgreSqlExportParameters= PostgreSQL export parameters -UseTransactionnalMode=Use transactional mode -FullPathToMysqldumpCommand=Full path to mysqldump command -FullPathToPostgreSQLdumpCommand=Full path to pg_dump command -AddDropDatabase=Add DROP DATABASE command -AddDropTable=Add DROP TABLE command -ExportStructure=Structure -NameColumn=Name columns -ExtendedInsert=Extended INSERT -NoLockBeforeInsert=No lock commands around INSERT -DelayedInsert=Delayed insert -EncodeBinariesInHexa=Encode binary data in hexadecimal -IgnoreDuplicateRecords=Ignore errors of duplicate record (INSERT IGNORE) -AutoDetectLang=Autodetect (browser language) -FeatureDisabledInDemo=Feature disabled in demo -FeatureAvailableOnlyOnStable=Feature only available on official stable versions -BoxesDesc=Widgets are components showing some information that you can add to personalize some pages. You can choose between showing the widget or not by selecting target page and clicking 'Activate', or by clicking the trashcan to disable it. -OnlyActiveElementsAreShown=Only elements from enabled modules are shown. -ModulesDesc=The modules/applications determine which features are available in the software. Some modules require permissions to be granted to users after activating the module. Click the on/off button %s of each module to enable or disable a module/application. -ModulesDesc2=Click the wheel button %s to configure the module/application. -ModulesMarketPlaceDesc=You can find more modules to download on external websites on the Internet... -ModulesDeployDesc=If permissions on your file system allow it, you can use this tool to deploy an external module. The module will then be visible on the tab %s. -ModulesMarketPlaces=Find external app/modules -ModulesDevelopYourModule=Develop your own app/modules -ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. -DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New module -FreeModule=Free -CompatibleUpTo=Compatible with version %s -NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). -CompatibleAfterUpdate=This module requires an update to your Dolibarr %s (Min %s - Max %s). -SeeInMarkerPlace=See in Market place -SeeSetupOfModule=See setup of module %s -SetOptionTo=Set option %s to %s -Updated=Updated -AchatTelechargement=Buy / Download -GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. -DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
      Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. -WebSiteDesc=External websites for more add-on (non-core) modules... -DevelopYourModuleDesc=Some solutions to develop your own module... +FileNameToGenerate=ለመጠባበቂያ የሚሆን ፋይል ስም፡- +Compression=መጨናነቅ +CommandsToDisableForeignKeysForImport=ከውጭ በሚገቡበት ጊዜ የውጭ ቁልፎችን ለማሰናከል ትእዛዝ ይስጡ +CommandsToDisableForeignKeysForImportWarning=የእርስዎን sql መጣያ በኋላ ወደነበረበት መመለስ መቻል ከፈለጉ ግዴታ ነው። +ExportCompatibility=የመነጨ የኤክስፖርት ፋይል ተኳሃኝነት +ExportUseMySQLQuickParameter=ፈጣን መለኪያውን ተጠቀም +ExportUseMySQLQuickParameterHelp=የ'-ፈጣን' መለኪያ ለትልቅ ጠረጴዛዎች የ RAM ፍጆታን ለመገደብ ይረዳል። +MySqlExportParameters=MySQL ወደ ውጪ መላክ መለኪያዎች +PostgreSqlExportParameters= PostgreSQL ወደ ውጭ መላኪያ መለኪያዎች +UseTransactionnalMode=የግብይት ሁነታን ተጠቀም +FullPathToMysqldumpCommand=ወደ mysqldump ትዕዛዝ ሙሉ መንገድ +FullPathToPostgreSQLdumpCommand=ወደ pg_dump ትዕዛዝ ሙሉ ዱካ +AddDropDatabase=የ DROP DATABASE ትዕዛዝ ያክሉ +AddDropTable=የ DROP TABLE ትዕዛዝ ያክሉ +ExportStructure=መዋቅር +NameColumn=ዓምዶችን ይሰይሙ +ExtendedInsert=የተራዘመ INSERT +NoLockBeforeInsert=በ INSERT አካባቢ ምንም የመቆለፊያ ትዕዛዞች የሉም +DelayedInsert=የዘገየ ማስገቢያ +EncodeBinariesInHexa=የሁለትዮሽ ውሂብ በሄክሳዴሲማል +IgnoreDuplicateRecords=የተባዛ መዝገብ ስህተቶችን ችላ በል (INSERT IGNORE) +AutoDetectLang=ራስ-አግኝ (የአሳሽ ቋንቋ) +FeatureDisabledInDemo=ባህሪ በማሳያ ውስጥ ተሰናክሏል። +FeatureAvailableOnlyOnStable=ባህሪ የሚገኘው በይፋ በተረጋጋ ስሪቶች ላይ ብቻ ነው። +BoxesDesc=መግብሮች አንዳንድ ገጾችን ለግል ለማበጀት ማከል የምትችላቸውን አንዳንድ መረጃዎችን የሚያሳዩ አካላት ናቸው። ኢላማውን ገጽ በመምረጥ እና 'አግብር' የሚለውን ጠቅ በማድረግ ወይም የቆሻሻ መጣያውን ለማሰናከል መግብርን ከማሳየት ወይም ላለማድረግ መምረጥ ይችላሉ። +OnlyActiveElementsAreShown=የየነቁ ሞጁሎች አባሎች ብቻ ናቸው የሚታየው። +ModulesDesc=ሞጁሎቹ/መተግበሪያዎቹ የትኞቹ ባህሪያት በሶፍትዌሩ ውስጥ እንደሚገኙ ይወስናሉ። አንዳንድ ሞጁሎች ሞጁሉን ካነቃቁ በኋላ ለተጠቃሚዎች ፈቃድ እንዲሰጡ ይፈልጋሉ። የእያንዳንዱን ሞጁል ለማንቃት %s የሚለውን ቁልፍ ጠቅ ያድርጉ። ወይም ሞጁል/መተግበሪያን አሰናክል። +ModulesDesc2=ሞጁሉን ለማዋቀር የዊል አዝራሩን %sን ጠቅ ያድርጉ። +ModulesMarketPlaceDesc=በበይነመረቡ ላይ በውጫዊ ድረ-ገጾች ላይ የሚወርዱ ተጨማሪ ሞጁሎችን ማግኘት ይችላሉ... +ModulesDeployDesc=በፋይል ስርዓትዎ ላይ ያሉ ፈቃዶች የሚፈቅዱ ከሆነ ውጫዊ ሞጁሉን ለማሰማራት ይህንን መሳሪያ መጠቀም ይችላሉ። ከዚያ ሞጁሉ በትር ላይ ይታያል %swww.dolistore.com ድህረ ገጽን ከማብራት ይልቅ ይህን የተከተተ መሳሪያ መጠቀም ትችላለህ ፍለጋውን በውጪው የገበያ ቦታ ያከናውንልዎታል (ቀርፋፋ ሊሆን ይችላል፣ የኢንተርኔት አገልግሎት ያስፈልገዋል)... +NewModule=አዲስ ሞጁል +FreeModule=ፍርይ +CompatibleUpTo=ከስሪት %s ጋር ተኳሃኝ +NotCompatible=ይህ ሞጁል ከእርስዎ Dolibarr ጋር የሚስማማ አይመስልም %s (ደቂቃ %s - ከፍተኛ b0ecb2fz0 span>) +CompatibleAfterUpdate=ይህ ሞጁል የእርስዎን Dolibarr ማሻሻያ ይፈልጋል %s (Min %s - ከፍተኛ b0ecb2ec87fe49fe >) +SeeInMarkerPlace=በገበያ ቦታ ይመልከቱ +SeeSetupOfModule=የሞጁሉን ማዋቀር ይመልከቱ %s +SeeSetupPage=የማዋቀር ገጽ በ%s ላይ ይመልከቱ። +SeeReportPage=የሪፖርት ገጹን በ%s ላይ ይመልከቱ። +SetOptionTo=አማራጭ %s ወደ አዋቅር %s +Updated=ተዘምኗል +AchatTelechargement=ይግዙ/ ያውርዱ +GoModuleSetupArea=አዲስ ሞጁል ለማሰማራት/ለመጫን ወደ ሞጁል ማቀናበሪያ ቦታ ይሂዱ፡%sb0e40dc658d +DoliStoreDesc=DoliStore፣ ለ Dolibarr ERP/CRM ውጫዊ ሞጁሎች ይፋዊ የገበያ ቦታ +DoliPartnersDesc=ብጁ-የተገነቡ ሞጁሎችን ወይም ባህሪያትን የሚያቀርቡ ኩባንያዎች ዝርዝር።
      ማስታወሻ፡ ዶሊባርር ክፍት ምንጭ መተግበሪያ ስለሆነ፣ ማንኛውም ሰውበ PHP ፕሮግራሚንግ ልምድ ያለው ሞጁል ማዘጋጀት መቻል አለበት። +WebSiteDesc=ለተጨማሪ ተጨማሪ (ኮር-ያልሆኑ) ሞጁሎች ውጫዊ ድር ጣቢያዎች... +DevelopYourModuleDesc=የራስዎን ሞጁል ለማዘጋጀት አንዳንድ መፍትሄዎች ... URL=URL -RelativeURL=Relative URL -BoxesAvailable=Widgets available -BoxesActivated=Widgets activated -ActivateOn=Activate on -ActiveOn=Activated on -ActivatableOn=Activatable on -SourceFile=Source file -AvailableOnlyIfJavascriptAndAjaxNotDisabled=Available only if JavaScript is not disabled -Required=Required -UsedOnlyWithTypeOption=Used by some agenda option only -Security=Security -Passwords=Passwords -DoNotStoreClearPassword=Encrypt passwords stored in database (NOT as plain-text). It is strongly recommended to activate this option. -MainDbPasswordFileConfEncrypted=Encrypt database password stored in conf.php. It is strongly recommended to activate this option. -InstrucToEncodePass=To have password encoded into the conf.php file, replace the line
      $dolibarr_main_db_pass="...";
      by
      $dolibarr_main_db_pass="crypted:%s"; -InstrucToClearPass=To have password decoded (clear) into the conf.php file, replace the line
      $dolibarr_main_db_pass="crypted:...";
      by
      $dolibarr_main_db_pass="%s"; -ProtectAndEncryptPdfFiles=Protect generated PDF files. This is NOT recommended as it breaks bulk PDF generation. -ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature makes building of a global merged PDFs not working. -Feature=Feature -DolibarrLicense=License -Developpers=Developers/contributors -OfficialWebSite=Dolibarr official web site -OfficialWebSiteLocal=Local web site (%s) -OfficialWiki=Dolibarr documentation / Wiki -OfficialDemo=Dolibarr online demo -OfficialMarketPlace=Official market place for external modules/addons -OfficialWebHostingService=Referenced web hosting services (Cloud hosting) -ReferencedPreferredPartners=Preferred Partners -OtherResources=Other resources -ExternalResources=External Resources -SocialNetworks=Social Networks -SocialNetworkId=Social Network ID -ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),
      take a look at the Dolibarr Wiki:
      %s -ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:
      %s -HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr. -HelpCenterDesc2=Some of these resources are only available in english. -CurrentMenuHandler=Current menu handler -MeasuringUnit=Measuring unit -LeftMargin=Left margin -TopMargin=Top margin -PaperSize=Paper type -Orientation=Orientation +RelativeURL=አንጻራዊ ዩአርኤል +BoxesAvailable=መግብሮች ይገኛሉ +BoxesActivated=መግብሮች ነቅተዋል። +ActivateOn=አንቃ በርቷል። +ActiveOn=ነቅቷል +ActivatableOn=ሊነቃ የሚችል በርቷል። +SourceFile=ምንጭ ፋይል +AvailableOnlyIfJavascriptAndAjaxNotDisabled=ጃቫ ስክሪፕት ካልተሰናከለ ብቻ ይገኛል። +Required=ያስፈልጋል +UsedOnlyWithTypeOption=በአንዳንድ አጀንዳዎች ምርጫ ብቻ ጥቅም ላይ ይውላል +Security=ደህንነት +Passwords=የይለፍ ቃሎች +DoNotStoreClearPassword=በመረጃ ቋት ውስጥ የተከማቹ የይለፍ ቃላትን ኢንክሪፕት ያድርጉ (እንደ ግልጽ ጽሑፍ አይደለም)። ይህንን አማራጭ ለማንቃት በጥብቅ ይመከራል. +MainDbPasswordFileConfEncrypted=በ conf.php ውስጥ የተከማቸ የውሂብ ጎታ ይለፍ ቃል ያመስጥር። ይህንን አማራጭ ለማንቃት በጥብቅ ይመከራል. +InstrucToEncodePass=በconf.php ፋይል ውስጥ የይለፍ ቃል እንዲቀመጥ ለማድረግ የb0342fccfda /span>$dolibarr_main_db_pass...";b0342fcc0 > በ
      $dolibarr_main_db_pass="crypted:b0ecb9>fz0"b0ecb2ec8fe span class='notranslate'>
      +InstrucToClearPass=በconf.php ፋይል ውስጥ የይለፍ ቃል ዲኮድ ለማድረግ (ግልጽ)፣ የ
      $dolibarr_main_db_pass="crypted:...";b09a4b739f17f8zlate'=notranslate'>b09a4b739f17f8zlate' >

      $dolibarr_main_db_pass=" +ProtectAndEncryptPdfFiles=የተፈጠሩ ፒዲኤፍ ፋይሎችን ይጠብቁ። የጅምላ ፒዲኤፍ መፈጠርን ስለሚሰብር ይህ አይመከርም። +ProtectAndEncryptPdfFilesDesc=የፒዲኤፍ ሰነድ ጥበቃ በማንኛውም ፒዲኤፍ አሳሽ ለማንበብ እና ለማተም ያስችላል። ሆኖም፣ ማረም እና መቅዳት ከአሁን በኋላ አይቻልም። ይህን ባህሪ መጠቀም አለምአቀፍ የተዋሃዱ ፒዲኤፎችን መገንባት አይሰራም። +Feature=ባህሪ +DolibarrLicense=ፈቃድ +Developpers=ገንቢዎች/አዋጪዎች +OfficialWebSite=ዶሊባርር ኦፊሴላዊ ድር ጣቢያ +OfficialWebSiteLocal=አካባቢያዊ ድር ጣቢያ (%s) +OfficialWiki=Dolibarr ሰነድ / ዊኪ +OfficialDemo=Dolibarr የመስመር ላይ ማሳያ +OfficialMarketPlace=ለውጫዊ ሞጁሎች/አዶኖች ኦፊሴላዊ የገበያ ቦታ +OfficialWebHostingService=ዋቢ የድር ማስተናገጃ አገልግሎቶች (ክላውድ ማስተናገጃ) +ReferencedPreferredPartners=ተመራጭ አጋሮች +OtherResources=ሌሎች ሀብቶች +ExternalResources=የውጭ ሀብቶች +SocialNetworks=ማህበራዊ አውታረ መረቦች +SocialNetworkId=የማህበራዊ አውታረ መረብ መታወቂያ +ForDocumentationSeeWiki=ለተጠቃሚ ወይም ለገንቢ ሰነድ (ሰነድ፣ ተደጋጋሚ ጥያቄዎች...)፣
      Dolibarr Wikiን ይመልከቱ፡
      %sc6570ec6570e +ForAnswersSeeForum=ለማንኛውም ሌላ ጥያቄ/እገዛ የዶሊባርር መድረክን መጠቀም ትችላለህ፡
      b00fab50ead932z /span>%s
      +HelpCenterDesc1=በ Dolibarr እርዳታ እና ድጋፍ ለማግኘት አንዳንድ ግብዓቶች እዚህ አሉ። +HelpCenterDesc2=ከእነዚህ ሃብቶች ውስጥ አንዳንዶቹ የሚገኙት በamharic ውስጥ ብቻ ነው። +CurrentMenuHandler=የአሁኑ ምናሌ ተቆጣጣሪ +MeasuringUnit=የመለኪያ ክፍል +LeftMargin=የግራ ህዳግ +TopMargin=ከፍተኛ ህዳግ +PaperSize=የወረቀት ዓይነት +Orientation=አቀማመጥ SpaceX=Space X -SpaceY=Space Y -FontSize=Font size -Content=Content -ContentForLines=Content to display for each product or service (from variable __LINES__ of Content) -NoticePeriod=Notice period -NewByMonth=New by month -Emails=Emails -EMailsSetup=Emails setup -EMailsDesc=This page allows you to set parameters or options for email sending. -EmailSenderProfiles=Emails sender profiles -EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. -MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (default value in php.ini: %s) -MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (default value in php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix-like systems) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix-like systems) -MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (default value in php.ini: %s) -MAIN_MAIL_ERRORS_TO=Email used for error returns emails (fields 'Errors-To' in emails sent) -MAIN_MAIL_AUTOCOPY_TO= Copy (Bcc) all sent emails to -MAIN_DISABLE_ALL_MAILS=Disable all email sending (for test purposes or demos) -MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email -MAIN_MAIL_SENDMODE=Email sending method -MAIN_MAIL_SMTPS_ID=SMTP ID (if sending server requires authentication) -MAIN_MAIL_SMTPS_PW=SMTP Password (if sending server requires authentication) -MAIN_MAIL_EMAIL_TLS=Use TLS (SSL) encryption -MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés -MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature -MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim -MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector -MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing -MAIN_DISABLE_ALL_SMS=Disable all SMS sending (for test purposes or demos) -MAIN_SMS_SENDMODE=Method to use to send SMS -MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending -MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email) -UserEmail=User email -CompanyEmail=Company Email -FeatureNotAvailableOnLinux=Feature not available on Unix like systems. Test your sendmail program locally. -FixOnTransifex=Fix the translation on the online translation platform of project -SubmitTranslation=If the translation for this language is not complete or you find errors, you can correct this by editing files in directory langs/%s and submit your change to www.transifex.com/dolibarr-association/dolibarr/ -SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or, if you are a developer, with a PR on github.com/Dolibarr/dolibarr -ModuleSetup=Module setup -ModulesSetup=Modules/Application setup -ModuleFamilyBase=System -ModuleFamilyCrm=Customer Relationship Management (CRM) -ModuleFamilySrm=Vendor Relationship Management (VRM) -ModuleFamilyProducts=Product Management (PM) -ModuleFamilyHr=Human Resource Management (HR) -ModuleFamilyProjects=Projects/Collaborative work -ModuleFamilyOther=Other -ModuleFamilyTechnic=Multi-modules tools -ModuleFamilyExperimental=Experimental modules -ModuleFamilyFinancial=Financial Modules (Accounting/Treasury) -ModuleFamilyECM=Electronic Content Management (ECM) -ModuleFamilyPortal=Websites and other frontal application -ModuleFamilyInterface=Interfaces with external systems -MenuHandlers=Menu handlers -MenuAdmin=Menu editor -DoNotUseInProduction=Do not use in production -ThisIsProcessToFollow=Upgrade procedure: -ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: -StepNb=Step %s -FindPackageFromWebSite=Find a package that provides the features you need (for example on the official web site %s). -DownloadPackageFromWebSite=Download package (for example from the official web site %s). -UnpackPackageInDolibarrRoot=Unpack/unzip the packaged files into your Dolibarr server directory: %s -UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s -SetupIsReadyForUse=Module deployment is finished. You must however enable and setup the module in your application by going to the page setup modules: %s. -NotExistsDirect=The alternative root directory is not defined to an existing directory.
      -InfDirAlt=Since version 3, it is possible to define an alternative root directory. This allows you to store, into a dedicated directory, plug-ins and custom templates.
      Just create a directory at the root of Dolibarr (eg: custom).
      -InfDirExample=
      Then declare it in the file conf.php
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
      If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. -YouCanSubmitFile=You can upload the .zip file of module package from here: -CurrentVersion=Dolibarr current version -CallUpdatePage=Browse to the page that updates the database structure and data: %s. -LastStableVersion=Latest stable version -LastActivationDate=Latest activation date -LastActivationAuthor=Latest activation author -LastActivationIP=Latest activation IP -LastActivationVersion=Latest activation version -UpdateServerOffline=Update server offline -WithCounter=Manage a counter -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      -GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      -GenericMaskCodes3=All other characters in the mask will remain intact.
      Spaces are not allowed.
      -GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
      Spaces are not allowed.
      In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2007-01-31:
      -GenericMaskCodes4b=Example on third party created on 2007-03-01:
      -GenericMaskCodes4c=Example on product created on 2007-03-01:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC0701-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN0701-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' -GenericNumRefModelDesc=Returns a customizable number according to a defined mask. -ServerAvailableOnIPOrPort=Server is available at address %s on port %s -ServerNotAvailableOnIPOrPort=Server is not available at address %s on port %s -DoTestServerAvailability=Test server connectivity -DoTestSend=Test sending -DoTestSendHTML=Test sending HTML -ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. -ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, can't use option @ if sequence {yy}{mm} or {yyyy}{mm} is not in mask. -UMask=UMask parameter for new files on Unix/Linux/BSD/Mac file system. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone).
      This parameter is useless on a Windows server. -SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization -UseACacheDelay= Delay for caching export response in seconds (0 or empty for no cache) -DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page -DisableLinkToHelp=Hide the link to the online help "%s" -AddCRIfTooLong=There is no automatic text wrapping, text that is too long will not display on documents. Please add carriage returns in the text area if needed. -ConfirmPurge=Are you sure you want to execute this purge?
      This will permanently delete all your data files with no way to restore them (ECM files, attached files...). -MinLength=Minimum length -LanguageFilesCachedIntoShmopSharedMemory=Files .lang loaded in shared memory -LanguageFile=Language file -ExamplesWithCurrentSetup=Examples with current configuration -ListOfDirectories=List of OpenDocument templates directories -ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.

      Put here full path of directories.
      Add a carriage return between eah directory.
      To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.

      Files in those directories must end with .odt or .ods. -NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories -ExampleOfDirectoriesForModelGen=Examples of syntax:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir -FollowingSubstitutionKeysCanBeUsed=
      To know how to create your odt document templates, before storing them in those directories, read wiki documentation: -FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template -FirstnameNamePosition=Position of Name/Lastname -DescWeather=The following images will be shown on the dashboard when the number of late actions reach the following values: -KeyForWebServicesAccess=Key to use Web Services (parameter "dolibarrkey" in webservices) -TestSubmitForm=Input test form -ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever the user choice. Also this menu manager specialized for smartphones does not work on all smartphone. Use another menu manager if you experience problems with yours. -ThemeDir=Skins directory -ConnectionTimeout=Connection timeout -ResponseTimeout=Response timeout -SmsTestMessage=Test message from __PHONEFROM__ to __PHONETO__ -ModuleMustBeEnabledFirst=Module %s must be enabled first if you need this feature. -SecurityToken=Key to secure URLs -NoSmsEngine=No SMS sender manager available. A SMS sender manager is not installed with the default distribution because they depend on an external vendor, but you can find some on %s -PDF=PDF -PDFDesc=Global options for PDF generation -PDFOtherDesc=PDF Option specific to some modules -PDFAddressForging=Rules for address section -HideAnyVATInformationOnPDF=Hide all information related to Sales Tax / VAT -PDFRulesForSalesTax=Rules for Sales Tax / VAT -PDFLocaltax=Rules for %s -HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT -HideDescOnPDF=Hide products description -HideRefOnPDF=Hide products ref. -HideDetailsOnPDF=Hide product lines details -PlaceCustomerAddressToIsoLocation=Use french standard position (La Poste) for customer address position -Library=Library -UrlGenerationParameters=Parameters to secure URLs -SecurityTokenIsUnique=Use a unique securekey parameter for each URL -EnterRefToBuildUrl=Enter reference for object %s -GetSecuredUrl=Get calculated URL -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) -OldVATRates=Old VAT rate -NewVATRates=New VAT rate -PriceBaseTypeToChange=Modify on prices with base reference value defined on -MassConvert=Launch bulk conversion -PriceFormatInCurrentLanguage=Price Format In Current Language -String=String -String1Line=String (1 line) -TextLong=Long text -TextLongNLines=Long text (n lines) -HtmlText=Html text -Int=Integer -Float=Float -DateAndTime=Date and hour -Unique=Unique -Boolean=Boolean (one checkbox) -ExtrafieldPhone = Phone -ExtrafieldPrice = Price -ExtrafieldMail = Email -ExtrafieldUrl = Url -ExtrafieldSelect = Select list -ExtrafieldSelectList = Select from table -ExtrafieldSeparator=Separator (not a field) -ExtrafieldPassword=Password -ExtrafieldRadio=Radio buttons (one choice only) -ExtrafieldCheckBox=Checkboxes -ExtrafieldCheckBoxFromList=Checkboxes from table -ExtrafieldLink=Link to an object -ComputedFormula=Computed field -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $object.
      WARNING: Only some properties of $object may be available. If you need a properties not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $object->id < 10 ? round($object->id / 2, 2): ($object->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($obj->id ? $obj->id: ($obj->rowid ? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' -Computedpersistent=Store computed field -ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!! -ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored without encryption (field must be only hidden with star on screen).
      Set 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retrieve original value) -ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      In order to have the list depending on another list:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key -ExtrafieldParamHelpcheckbox=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpradio=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath -ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) -LibraryToBuildPDF=Library used for PDF generation -LocalTaxDesc=Some countries may apply two or three taxes on each invoice line. If this is the case, choose the type for the second and third tax and its rate. Possible type are:
      1: local tax apply on products and services without vat (localtax is calculated on amount without tax)
      2: local tax apply on products and services including vat (localtax is calculated on amount + main tax)
      3: local tax apply on products without vat (localtax is calculated on amount without tax)
      4: local tax apply on products including vat (localtax is calculated on amount + main vat)
      5: local tax apply on services without vat (localtax is calculated on amount without tax)
      6: local tax apply on services including vat (localtax is calculated on amount + tax) -SMS=SMS -LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user %s -RefreshPhoneLink=Refresh link -LinkToTest=Clickable link generated for user %s (click phone number to test) -KeepEmptyToUseDefault=Keep empty to use default value -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. -DefaultLink=Default link -SetAsDefault=Set as default -ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) -ExternalModule=External module -InstalledInto=Installed into directory %s -BarcodeInitForThirdparties=Mass barcode init for third-parties -BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services -CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. -InitEmptyBarCode=Init value for next %s empty records -EraseAllCurrentBarCode=Erase all current barcode values -ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values? -AllBarcodeReset=All barcode values have been removed -NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled in the Barcode module setup. -EnableFileCache=Enable file cache -ShowDetailsInPDFPageFoot=Add more details into footer, such as company address or manager names (in addition to professional ids, company capital and VAT number). -NoDetails=No additional details in footer -DisplayCompanyInfo=Display company address -DisplayCompanyManagers=Display manager names -DisplayCompanyInfoAndManagers=Display company address and manager names -EnableAndSetupModuleCron=If you want to have this recurring invoice generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template using the *Create* button. Note that even if you enabled automatic generation, you can still safely launch manual generation. Generation of duplicates for the same period is not possible. -ModuleCompanyCodeCustomerAquarium=%s followed by customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by vendor code for a vendor accounting code -ModuleCompanyCodePanicum=Return an empty accounting code. -ModuleCompanyCodeDigitaria=Returns a compound accounting code according to the name of the third party. The code consists of a prefix that can be defined in the first position followed by the number of characters defined in the third party code. -ModuleCompanyCodeCustomerDigitaria=%s followed by the truncated customer name by the number of characters: %s for the customer accounting code. -ModuleCompanyCodeSupplierDigitaria=%s followed by the truncated supplier name by the number of characters: %s for the supplier accounting code. -Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
      Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. -UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... -WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons: -WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM -WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota). -WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox. -WarningPHPMailD=Also, it is therefore recommended to change the sending method of e-mails to the value "SMTP". If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by setting the MAIN_HIDE_WARNING_TO_ENCOURAGE_SMTP_SETUP constant to 1 in Home - Setup - Other. -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask your domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. -ActualMailSPFRecordFound=Actual SPF record found : %s -ClickToShowDescription=Click to show description -DependsOn=This module needs the module(s) -RequiredBy=This module is required by module(s) -TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. Technical knowledge is required to read the content of the HTML page to get the key name of a field. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, the default values will be effective if all parameters are set to same value. -PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) -EnableDefaultValues=Enable customization of default values -EnableOverwriteTranslation=Enable usage of overwritten translation -GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation. -WarningSettingSortOrder=Warning, setting a default sort order may result in a technical error when going on the list page if field is an unknown field. If you experience such an error, come back to this page to remove the default sort order and restore default behavior. -Field=Field -ProductDocumentTemplates=Document templates to generate product document -FreeLegalTextOnExpenseReports=Free legal text on expense reports -WatermarkOnDraftExpenseReports=Watermark on draft expense reports -ProjectIsRequiredOnExpenseReports=The project is mandatory for entering an expense report -PrefillExpenseReportDatesWithCurrentMonth=Pre-fill start and end dates of new expense report with start and end dates of the current month -ForceExpenseReportsLineAmountsIncludingTaxesOnly=Force the entry of expense report amounts always in amount with taxes -AttachMainDocByDefault=Set this to 1 if you want to attach main document to email by default (if applicable) -FilesAttachedToEmail=Attach file -SendEmailsReminders=Send agenda reminders by emails -davDescription=Setup a WebDAV server -DAVSetup=Setup of module DAV -DAV_ALLOW_PRIVATE_DIR=Enable the generic private directory (WebDAV dedicated directory named "private" - login required) -DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory anybody can access with its application login/pass. -DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). -DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. -# Modules -Module0Name=Users & Groups -Module0Desc=Users / Employees and Groups management -Module1Name=Third Parties -Module1Desc=Companies and contacts management (customers, prospects...) -Module2Name=Commercial -Module2Desc=Commercial management -Module10Name=Accounting (simplified) -Module10Desc=Simple accounting reports (journals, turnover) based on database content. Does not use any ledger table. -Module20Name=Proposals -Module20Desc=Commercial proposal management -Module22Name=Mass Emailings -Module22Desc=Manage bulk emailing -Module23Name=Energy -Module23Desc=Monitoring the consumption of energies -Module25Name=Sales Orders -Module25Desc=Sales order management -Module30Name=Invoices -Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers -Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) -Module42Name=Debug Logs -Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. -Module43Name=Debug Bar -Module43Desc=A tool for developper adding a debug bar in your browser. -Module49Name=Editors -Module49Desc=Editor management -Module50Name=Products -Module50Desc=Management of Products -Module51Name=Mass mailings -Module51Desc=Mass paper mailing management -Module52Name=Stocks -Module52Desc=Stock management -Module53Name=Services -Module53Desc=Management of Services -Module54Name=Contracts/Subscriptions -Module54Desc=Management of contracts (services or recurring subscriptions) -Module55Name=Barcodes -Module55Desc=Barcode or QR code management -Module56Name=Payment by credit transfer -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. -Module57Name=Payments by Direct Debit -Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. -Module58Name=ClickToDial -Module58Desc=Integration of a ClickToDial system (Asterisk, ...) -Module60Name=Stickers -Module60Desc=Management of stickers -Module70Name=Interventions -Module70Desc=Intervention management -Module75Name=Expense and trip notes -Module75Desc=Expense and trip notes management -Module80Name=Shipments -Module80Desc=Shipments and delivery note management -Module85Name=Banks & Cash -Module85Desc=Management of bank or cash accounts -Module100Name=External Site -Module100Desc=Add a link to an external website as a main menu icon. Website is shown in a frame under the top menu. -Module105Name=Mailman and SPIP -Module105Desc=Mailman or SPIP interface for member module +SpaceY=ክፍተት Y +FontSize=የቅርጸ ቁምፊ መጠን +Content=ይዘት +ContentForLines=ለእያንዳንዱ ምርት ወይም አገልግሎት የሚታይ ይዘት (ከተለዋዋጭ __LINES__ የይዘት) +NoticePeriod=የማስታወቂያ ጊዜ +NewByMonth=በወር አዲስ +Emails=ኢሜይሎች +EMailsSetup=ኢሜይሎች ማዋቀር +EMailsDesc=ይህ ገጽ ኢሜል ለመላክ መለኪያዎችን ወይም አማራጮችን እንዲያዘጋጁ ይፈቅድልዎታል። +EmailSenderProfiles=ኢሜይሎች ላኪ መገለጫዎች +EMailsSenderProfileDesc=ይህንን ክፍል ባዶ ማድረግ ይችላሉ. አንዳንድ ኢሜይሎችን እዚህ ካስገቡ፣ አዲስ ኢሜል ሲጽፉ ወደ ጥምር ሳጥን ውስጥ ሊሆኑ ከሚችሉ ላኪዎች ዝርዝር ውስጥ ይታከላሉ። +MAIN_MAIL_SMTP_PORT=SMTP/SMTPS ወደብ (ነባሪው ዋጋ በphp.ini ውስጥ፡ %sb09a4b739f >> +MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS አስተናጋጅ (ነባሪ እሴት በphp.ini ውስጥ፡ %sb09a4f738f >> +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS ወደብ +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS አስተናጋጅ +MAIN_MAIL_EMAIL_FROM=ለራስ ሰር ኢሜይሎች ላኪ +EMailHelpMsgSPFDKIM=የዶሊባርር ኢሜይሎች እንደ አይፈለጌ መልዕክት እንዳይመደቡ ለመከላከል አገልጋዩ በዚህ መለያ ኢሜይሎችን ለመላክ ስልጣን እንዳለው ያረጋግጡ (የጎራ ስሙን SPF እና DKIM ውቅር በመፈተሽ) +MAIN_MAIL_ERRORS_TO=ኢሜል ለስህተት ኢሜይሎችን ይመልሳል (በኢሜይሎች ውስጥ 'ስህተቶች-ወደ' ያሉ መስኮች) +MAIN_MAIL_AUTOCOPY_TO= ሁሉንም ኢሜይሎች ይቅዱ (ቢሲሲ) +MAIN_DISABLE_ALL_MAILS=ሁሉንም ኢሜል መላክ ያሰናክሉ (ለሙከራ ዓላማዎች ወይም ማሳያዎች) +MAIN_MAIL_FORCE_SENDTO=ሁሉንም ኢሜይሎች ይላኩ (ከእውነተኛ ተቀባዮች ይልቅ ለሙከራ ዓላማ) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=አዲስ ኢሜል በሚጽፉበት ጊዜ የሰራተኞች ኢሜይሎችን (ከተብራራ) ወደ ተቀባይ ተቀባይ ዝርዝር ይጠቁሙ +MAIN_MAIL_NO_WITH_TO_SELECTED=የሚቻለው 1 ምርጫ ብቻ ቢኖርም ነባሪ ተቀባይ አይምረጡ +MAIN_MAIL_SENDMODE=የኢሜል መላኪያ ዘዴ +MAIN_MAIL_SMTPS_ID=የSMTP መታወቂያ (አገልጋይ መላክ ማረጋገጥ ከፈለገ) +MAIN_MAIL_SMTPS_PW=የSMTP ይለፍ ቃል (አገልጋይ መላክ ማረጋገጥ ከፈለገ) +MAIN_MAIL_EMAIL_TLS=TLS (SSL) ምስጠራን ተጠቀም +MAIN_MAIL_EMAIL_STARTTLS=TLS (STARTTLS) ምስጠራን ተጠቀም +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=በራስ የተፈረሙ የምስክር ወረቀቶችን ፍቀድ +MAIN_MAIL_EMAIL_DKIM_ENABLED=የኢሜል ፊርማ ለማመንጨት DKIM ይጠቀሙ +MAIN_MAIL_EMAIL_DKIM_DOMAIN=ከዲኪም ጋር ለመጠቀም የኢሜል ጎራ +MAIN_MAIL_EMAIL_DKIM_SELECTOR=የዲኪም መራጭ ስም +MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=ለድኪም መፈረም የግል ቁልፍ +MAIN_DISABLE_ALL_SMS=ሁሉንም የኤስኤምኤስ መላክ ያሰናክሉ (ለሙከራ ዓላማዎች ወይም ማሳያዎች) +MAIN_SMS_SENDMODE=ኤስኤምኤስ ለመላክ የሚጠቀሙበት ዘዴ +MAIN_MAIL_SMS_FROM=ለኤስኤምኤስ መላኪያ ነባሪ ላኪ ስልክ ቁጥር +MAIN_MAIL_DEFAULT_FROMTYPE=ነባሪ ላኪ ኢሜይል ኢሜይሎችን ለመላክ በቅጾች ላይ አስቀድሞ ተመርጧል +UserEmail=የተጠቃሚ ኢሜይል +CompanyEmail=የኩባንያ ኢሜይል +FeatureNotAvailableOnLinux=ባህሪ በዩኒክስ መሰል ስርዓቶች ላይ አይገኝም። የመላክ ፕሮግራምዎን በአገር ውስጥ ይሞክሩት። +FixOnTransifex=በፕሮጀክት የመስመር ላይ የትርጉም መድረክ ላይ ትርጉሙን ያስተካክሉ +SubmitTranslation=የዚህ ቋንቋ ትርጉም ካልተጠናቀቀ ወይም ስህተቶች ካገኙ፣ ፋይሎችን በማውጫው ውስጥ በማረም langs/%sእና ለውጥህን ወደ www.transifex.com/dolibarr-association/dolibarr/ አስረክብ +SubmitTranslationENUS=የዚህ ቋንቋ ትርጉም ካልተጠናቀቀ ወይም ስህተቶች ካገኙ፣ ፋይሎችን ወደ ማውጫ ውስጥ በማርትዕ ይህንን ማስተካከል ይችላሉ langs/%s እና የተሻሻሉ ፋይሎችን በ dolibarr.org/forum ላይ አስገባ ወይም ገንቢ ከሆንክ በ github.com/Dolibarr/dolibarr ላይ ከPR ጋር +ModuleSetup=ሞጁል ማዋቀር +ModulesSetup=ሞጁሎች/መተግበሪያ ማዋቀር +ModuleFamilyBase=ስርዓት +ModuleFamilyCrm=የደንበኛ ግንኙነት አስተዳደር (CRM) +ModuleFamilySrm=የአቅራቢ ግንኙነት አስተዳደር (VRM) +ModuleFamilyProducts=የምርት አስተዳደር (PM) +ModuleFamilyHr=የሰው ሀብት አስተዳደር (HR) +ModuleFamilyProjects=ፕሮጀክቶች / የትብብር ስራዎች +ModuleFamilyOther=ሌላ +ModuleFamilyTechnic=ባለብዙ ሞጁሎች መሳሪያዎች +ModuleFamilyExperimental=የሙከራ ሞጁሎች +ModuleFamilyFinancial=የፋይናንስ ሞጁሎች (የሂሳብ አያያዝ/ግምጃ ቤት) +ModuleFamilyECM=የኤሌክትሮኒክ ይዘት አስተዳደር (ኢ.ሲ.ኤም.) +ModuleFamilyPortal=ድር ጣቢያዎች እና ሌሎች የፊት መተግበሪያ +ModuleFamilyInterface=ከውጫዊ ስርዓቶች ጋር በይነገጾች +MenuHandlers=የምናሌ ተቆጣጣሪዎች +MenuAdmin=ምናሌ አርታዒ +DoNotUseInProduction=በምርት ውስጥ አይጠቀሙ +ThisIsProcessToFollow=የማሻሻል ሂደት፡- +ThisIsAlternativeProcessToFollow=ይህ በእጅ ለማስኬድ አማራጭ ማዋቀር ነው፡- +StepNb=ደረጃ %s +FindPackageFromWebSite=የሚፈልጉትን ባህሪያት የሚያቀርብ ጥቅል ያግኙ (ለምሳሌ በኦፊሴላዊው ድረ-ገጽ %s ላይ)። +DownloadPackageFromWebSite=ጥቅል አውርድ (ለምሳሌ ከኦፊሴላዊው ድረ-ገጽ %s)። +UnpackPackageInDolibarrRoot=የታሸጉትን ፋይሎች ወደ Dolibarr አገልጋይ ማውጫዎ ይንቀሉ/ይንቀሏቸው፡ %sb09a4b738 > +UnpackPackageInModulesRoot=ውጫዊ ሞጁሉን ለማሰማራት/ለመጫን የማህደር ፋይሉን ለውጫዊ ሞጁሎች ወደተዘጋጀው የአገልጋይ ማውጫ ውስጥ መንቀል/መፍታት አለብህ፡
      %s +SetupIsReadyForUse=የሞዱል ዝርጋታ አልቋል። ነገር ግን ወደ ገጹ ማቀናበሪያ ሞጁሎች በመሄድ ሞጁሉን በመተግበሪያዎ ውስጥ ማንቃት እና ማዋቀር አለብዎት፡ %s። +NotExistsDirect=ተለዋጭ ስርወ ማውጫው አሁን ላለው ማውጫ አልተገለጸም።
      +InfDirAlt=ከስሪት 3 ጀምሮ፣ አማራጭ ስርወ ማውጫን መግለፅ ይቻላል። ይህ ወደ ተለየ ማውጫ፣ ተሰኪዎች እና ብጁ አብነቶች እንዲያከማቹ ያስችልዎታል።
      በ Dolibarr ስር ማውጫ ላይ (ለምሳሌ፡ ብጁ) ብቻ ፍጠር።
      +InfDirExample=
      ከዚያ በፋይሉ ውስጥ አውጁት conf.phpb0a65d071f6fc9z class='notranslate'>
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt/h. 'notranslate'>
      እነዚህ መስመሮች በ"#" አስተያየት ከተሰጡ እነሱን ለማስቻል የ"#" ቁምፊን በማስወገድ አስተያየት አይስጡ። +YouCanSubmitFile=የሞጁሉን ጥቅል የዚፕ ፋይል ከዚህ መስቀል ይችላሉ፡- +CurrentVersion=Dolibarr የአሁኑ ስሪት +CallUpdatePage=የውሂብ ጎታውን አወቃቀር እና ውሂብ ወደሚያዘምነው ገጽ አስስ፡ %s። +LastStableVersion=የቅርብ ጊዜ የተረጋጋ ስሪት +LastActivationDate=የቅርብ ጊዜ ገቢር ቀን +LastActivationAuthor=የቅርብ ጊዜ ገቢር ደራሲ +LastActivationIP=የቅርብ ጊዜ ማግበር አይፒ +LastActivationVersion=የቅርብ ጊዜ ማግበር ስሪት +UpdateServerOffline=አገልጋዩን ከመስመር ውጭ ያዘምኑ +WithCounter=ቆጣሪ ያስተዳድሩ +GenericMaskCodes=ማንኛውንም የቁጥር ጭንብል ማስገባት ይችላሉ። በዚህ ጭንብል ውስጥ፣ የሚከተሉትን መለያዎች መጠቀም ይቻላል፡
      {000000}b09a17389 /span> በእያንዳንዱ %s ላይ ከሚጨመር ቁጥር ጋር ይዛመዳል። የሚፈለገውን ያህል የቆጣሪው ርዝመት ያህል ዜሮዎችን አስገባ። እንደ ጭምብሉ ብዙ ዜሮዎች እንዲኖረው ቆጣሪው ከግራ በኩል በዜሮዎች ይጠናቀቃል።
      {000000+000}b09a4b739f17f80 ጋር ተመሳሳይ ነው ከ+ ምልክቱ በስተቀኝ ካለው ቁጥር ጋር የሚዛመድ ማካካሻ ከመጀመሪያው %s ጀምሮ ይተገበራል።
      {000000@x} ከቀዳሚው ጋር ግን ተመሳሳይ ነው ወር x ሲደርስ ቆጣሪው ወደ ዜሮ ይጀመራል (x በ 1 እና 12 መካከል፣ ወይም 0 በእርስዎ ውቅር ውስጥ የተገለጹትን የበጀት ዓመት የመጀመሪያ ወራት ለመጠቀም ፣ ወይም 99 በየወሩ ወደ ዜሮ ለማስጀመር)። ይህ አማራጭ ጥቅም ላይ የሚውል ከሆነ እና x 2 ወይም ከዚያ በላይ ከሆነ፣ ቅደም ተከተል {yy}{mm} ወይም {yyyy}{mm}ም ያስፈልጋል።
      {dd} ቀን (ከ 01 እስከ 01)። span class='notranslate'>
      {mm} ወር (01 እስከ 1)። class='notranslate'>
      {yy}, {yyyy}
      ወይም {y}b09a4b78zpan ከ 2 ፣ 4 ወይም 1 ቁጥሮች በላይ ዓመት።
      +GenericMaskCodes2={cccc}የደንበኛ ኮድ በ ns ላይ
      {cccc000}b030f17f ደንበኛ በ n ቁምፊዎች ላይ ለደንበኛው የተሰጠ ቆጣሪ ይከተላል. ይህ ለደንበኛ የተወሰነ ቆጣሪ ከዓለም አቀፉ ቆጣሪ ጋር በተመሳሳይ ጊዜ ዳግም ይጀመራል።
      b06a5f4510419e በ n ቁምፊዎች ላይ የሶስተኛ ወገን አይነት ኮድ (ሜኑ ይመልከቱ - ማዋቀር - መዝገበ ቃላት - የሶስተኛ ወገኖች አይነቶች)። ይህን መለያ ካከሉ፣ ቆጣሪው ለእያንዳንዱ የሶስተኛ ወገን አይነት የተለየ ይሆናል።
      +GenericMaskCodes3=በጭምብሉ ውስጥ ያሉት ሁሉም ሌሎች ቁምፊዎች ሳይበላሹ ይቆያሉ።
      Spaces አይፈቀዱም።
      +GenericMaskCodes3EAN=በጭምብሉ ውስጥ ያሉት ሁሉም ሌሎች ቁምፊዎች ሳይበላሹ ይቆያሉ (ከ* ወይም ? በ EAN13 13ኛ ቦታ ላይ)።
      Spaces አይፈቀዱም።
      በEAN13 ውስጥ፣ ከመጨረሻው በኋላ ያለው የመጨረሻው ቁምፊ በ13ኛ ደረጃ * ወይም ? . በተሰላው ቁልፍ ይተካል።
      +GenericMaskCodes4a=ምሳሌ በሶስተኛ ወገን TheCompany 99ኛው %s ላይ ከ2023-01-31:

      +GenericMaskCodes4b=ምሳሌ በሶስተኛ ወገን ላይ የተፈጠረው በ2023-01-31፡b0342fccfda19 > +GenericMaskCodes4c=በ2023-01-31 የተፈጠረ ምርት ላይ ምሳሌ፡b0342fccfda19b> +GenericMaskCodes5=ABC{yy}{mm}-{000000} ለb05837fz. span>ABC2301-000099

      b0aee8336583f>b0aee8336583 }-ZZZ/{dd}/XXX
      0199-ZZZ/31/XXX

      IN{yy}{mm}-{0000}-{t} class='notranslate'>
      IN2301-0099-Ab09a4b739f17f>የኩባንያው አይነት ከሆነይሰጠዋል። 'ተጠያቂ ኢንስክሪፕቶ' ከአይነት ኮድ ጋር 'A_RI' +GenericNumRefModelDesc=በተወሰነ ጭምብል መሰረት ሊበጅ የሚችል ቁጥር ይመልሳል። +ServerAvailableOnIPOrPort=አገልጋይ በ%s=span> ወደቦች ላይ ይገኛል። 'notranslate'>%s +ServerNotAvailableOnIPOrPort=አገልጋይ በ%s ወደብ ላይ አይገኝም። ='notranslate'>%s +DoTestServerAvailability=የአገልጋይ ግንኙነትን ይሞክሩ +DoTestSend=የመላክ ሙከራ +DoTestSendHTML=HTML መላክን ይሞክሩ +ErrorCantUseRazIfNoYearInMask=ስህተት፣ ተከታታይ {yy} ወይም {yyyy} ጭንብል ውስጥ ካልሆነ በየዓመቱ ቆጣሪን እንደገና ለማስጀመር አማራጭ @ መጠቀም አይቻልም። +ErrorCantUseRazInStartedYearIfNoYearMonthInMask=ስህተት፣ ቅደም ተከተል ከሆነ አማራጭ @ መጠቀም አይቻልም {yy}{mm} ወይም {yyyy} {mm} ጭንብል ውስጥ የለም። +UMask=በዩኒክስ/ሊኑክስ/ቢኤስዲ/ማክ ፋይል ስርዓት ላይ ለአዳዲስ ፋይሎች የUMask መለኪያ። +UMaskExplanation=ይህ መመዘኛ በአገልጋዩ ላይ በዶሊባርር በተፈጠሩ ፋይሎች ላይ በነባሪ የተቀመጡ ፈቃዶችን እንዲገልጹ ያስችልዎታል (ለምሳሌ በሚሰቀልበት ጊዜ)
      የስምንትዮሽ እሴት መሆን አለበት (ለምሳሌ 0666 ማንበብ ማለት ነው) እና ለሁሉም ሰው ይፃፉ.) የሚመከር እሴት 0600 ወይም 0660
      ይህ ግቤት በዊንዶውስ አገልጋይ ላይ ምንም ፋይዳ የለውም። +SeeWikiForAllTeam=አስተዋጽዖ አበርካቾችን እና ድርጅታቸውን ዝርዝር ለማግኘት የዊኪን ገጽ ይመልከቱ +UseACacheDelay= ወደ ውጭ የመላክ ምላሽ በሰከንዶች ውስጥ ለመሸጎጥ ዘግይቷል (0 ወይም መሸጎጫ ከሌለ ባዶ) +DisableLinkToHelpCenter=በመግቢያ ገጹ ላይ "እርዳታ ወይም ድጋፍ ይፈልጋሉ የሚለውን አገናኝ ደብቅ +DisableLinkToHelp=የመስመር ላይ እገዛን "%sን ደብቅ +AddCRIfTooLong=አውቶማቲክ የጽሑፍ መጠቅለያ የለም፣ በጣም ረጅም የሆነ ጽሑፍ በሰነዶች ላይ አይታይም። አስፈላጊ ከሆነ እባክዎ በጽሑፍ ቦታ ላይ የመጓጓዣ ተመላሾችን ያክሉ። +ConfirmPurge=እርግጠኛ ነዎት ይህን ማጽጃ ማስፈጸም ይፈልጋሉ?
      ይህ ሁሉንም የውሂብ ፋይሎችዎን ወደነበሩበት ለመመለስ (ECM ፋይሎች፣ የተያያዙ ፋይሎች...) በቋሚነት ይሰርዛቸዋል። +MinLength=ዝቅተኛው ርዝመት +LanguageFilesCachedIntoShmopSharedMemory=ፋይሎች .lang በጋራ ማህደረ ትውስታ ውስጥ ተጭነዋል +LanguageFile=የቋንቋ ፋይል +ExamplesWithCurrentSetup=ምሳሌዎች ከአሁኑ ውቅር ጋር +ListOfDirectories=የOpenDocument አብነት ማውጫዎች ዝርዝር +ListOfDirectoriesForModelGenODT=OpenDocument ቅርጸት ያላቸው የአብነት ፋይሎችን የያዙ የማውጫ ማውጫዎች ዝርዝር።

      ሙሉ የማውጫ መንገዶችን እዚህ አስቀምጥ።
      በeah ማውጫ መካከል የመጓጓዣ ተመላሽ ጨምር።
      የGED ሞጁሉን ማውጫ ለመጨመር እዚህ b0aee8336583 > DOL_DATA_ROOT/ecm/የእርስዎ ማዘዣ ስም

      b03192fccfda በ.odt ወይም b0aee833365837fz0 ክፍል ማለቅ አለበት ='notranslate'>። +NumberOfModelFilesFound=በእነዚህ ማውጫዎች ውስጥ የሚገኙት የኦዲቲ/ኦዲኤስ አብነት ፋይሎች ብዛት +ExampleOfDirectoriesForModelGen=የአገባብ ምሳሌዎች፡
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mydocumentdir/mysubdir 'notranslate'>
      DOL_DATA_ROOT/ecm/ecmdir +FollowingSubstitutionKeysCanBeUsed=
      የእርስዎን የ odt ሰነድ አብነቶች እንዴት መፍጠር እንደሚችሉ ለማወቅ በእነዚያ ማውጫዎች ውስጥ ከማስቀመጥዎ በፊት የዊኪ ሰነዶችን ያንብቡ፡- +FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template +FirstnameNamePosition=የስም / የአያት ስም አቀማመጥ +DescWeather=የዘገዩ ድርጊቶች ብዛት የሚከተሉት እሴቶች ላይ ሲደርሱ የሚከተሉት ምስሎች በዳሽቦርዱ ላይ ይታያሉ። +KeyForWebServicesAccess=የድር አገልግሎቶችን ለመጠቀም ቁልፍ (መለኪያ "dolibarrkey" በድር አገልግሎቶች ውስጥ) +TestSubmitForm=የግቤት ሙከራ ቅጽ +ThisForceAlsoTheme=ይህንን የምናሌ አቀናባሪ መጠቀም ተጠቃሚው የፈለገውን ያህል የራሱን ጭብጥ ይጠቀማል። እንዲሁም ለስማርትፎኖች ልዩ የሆነው ይህ ምናሌ አስተዳዳሪ በሁሉም ስማርትፎኖች ላይ አይሰራም። ከእርስዎ ጋር ችግሮች ካጋጠሙዎት ሌላ ምናሌ አስተዳዳሪን ይጠቀሙ። +ThemeDir=የቆዳ ማውጫ +ConnectionTimeout=የግንኙነት ጊዜ አልቋል +ResponseTimeout=የምላሽ ጊዜ አልቋል +SmsTestMessage=ከ__PHONEFROM__ ወደ __PHONETO__ መልእክት ይሞክሩ +ModuleMustBeEnabledFirst=ሞጁል %s ይህ ባህሪ በመጀመሪያ መንቃት አለቦት። +SecurityToken=ዩአርኤሎችን ለመጠበቅ ቁልፍ +NoSmsEngine=ምንም የኤስኤምኤስ ላኪ አስተዳዳሪ አይገኝም። የኤስኤምኤስ ላኪ አስተዳዳሪ በነባሪ ስርጭት አልተጫነም ምክንያቱም በውጫዊ አቅራቢ ላይ ስለሚመሰረቱ ነገር ግን የተወሰነውን በ%s ላይ ማግኘት ይችላሉ +PDF=ፒዲኤፍ +PDFDesc=ለፒዲኤፍ ትውልድ ዓለም አቀፍ አማራጮች +PDFOtherDesc=ለአንዳንድ ሞጁሎች የተወሰነ የፒዲኤፍ አማራጭ +PDFAddressForging=የአድራሻ ክፍል ደንቦች +HideAnyVATInformationOnPDF=ከሽያጭ ታክስ/ተእታ ጋር የተያያዙ ሁሉንም መረጃዎች ደብቅ +PDFRulesForSalesTax=ለሽያጭ ታክስ/ተ.እ.ታ +PDFLocaltax=የ%s ደንቦች +HideLocalTaxOnPDF=ደብቅ %s ዋጋ በአምድ የሽያጭ ታክስ / ተ.እ.ታ. +HideDescOnPDF=የምርት መግለጫን ደብቅ +HideRefOnPDF=ምርቶችን ደብቅ ማጣቀሻ +ShowProductBarcodeOnPDF=የምርቶቹን ባርኮድ ቁጥር አሳይ +HideDetailsOnPDF=የምርት መስመሮች ዝርዝሮችን ደብቅ +PlaceCustomerAddressToIsoLocation=ለደንበኛ አድራሻ ቦታ የፈረንሳይ መደበኛ አቀማመጥ (ላ ፖስት) ይጠቀሙ +Library=ቤተ መፃህፍት +UrlGenerationParameters=ዩአርኤሎችን ለመጠበቅ መለኪያዎች +SecurityTokenIsUnique=ለእያንዳንዱ ዩአርኤል ልዩ የሆነ ደህንነቱ የተጠበቀ ቁልፍ መለኪያ ይጠቀሙ +EnterRefToBuildUrl=የነገር ማጣቀሻ አስገባ %s +GetSecuredUrl=የተሰላ URL ያግኙ +ButtonHideUnauthorized=ለውስጣዊ ተጠቃሚዎች ያልተፈቀዱ የእርምጃ ቁልፎችን ደብቅ (በሌላ መልኩ ግራጫማ) +OldVATRates=የድሮ የተእታ ተመን +NewVATRates=አዲስ የተእታ ተመን +PriceBaseTypeToChange=በመሠረታዊ ማመሳከሪያ ዋጋ በተገለጸው ዋጋዎች ላይ ያስተካክሉ +MassConvert=የጅምላ ልወጣን አስጀምር +PriceFormatInCurrentLanguage=የዋጋ ቅርጸት በአሁኑ ቋንቋ +String=ሕብረቁምፊ +String1Line=ሕብረቁምፊ (1 መስመር) +TextLong=ረጅም ጽሑፍ +TextLongNLines=ረጅም ጽሑፍ (n መስመሮች) +HtmlText=የኤችቲኤምኤል ጽሑፍ +Int=ኢንቲጀር +Float=ተንሳፋፊ +DateAndTime=ቀን እና ሰዓት +Unique=ልዩ +Boolean=ቡሊያን (አንድ አመልካች ሳጥን) +ExtrafieldPhone = ስልክ +ExtrafieldPrice = ዋጋ +ExtrafieldPriceWithCurrency=ዋጋ ከምንዛሪ ጋር +ExtrafieldMail = ኢሜይል +ExtrafieldUrl = ዩአርኤል +ExtrafieldIP = አይፒ +ExtrafieldSelect = ዝርዝር ይምረጡ +ExtrafieldSelectList = ከጠረጴዛው ውስጥ ይምረጡ +ExtrafieldSeparator=መለያ (ሜዳ አይደለም) +ExtrafieldPassword=የይለፍ ቃል +ExtrafieldRadio=የሬዲዮ ቁልፎች (አንድ ምርጫ ብቻ) +ExtrafieldCheckBox=አመልካች ሳጥኖች +ExtrafieldCheckBoxFromList=አመልካች ሳጥኖች ከጠረጴዛ +ExtrafieldLink=ከአንድ ነገር ጋር አገናኝ +ComputedFormula=የተሰላ መስክ +ComputedFormulaDesc=ተለዋዋጭ የተሰላ እሴት ለማግኘት ሌሎች የነገሮችን ወይም ማንኛውንም ፒኤችፒ ኮድ በመጠቀም ቀመር ማስገባት ይችላሉ። "?" ን ጨምሮ ማንኛውንም ፒኤችፒ ተስማሚ ቀመሮችን መጠቀም ትችላለህ። ሁኔታ ኦፕሬተር፣ እና የሚከተለው አለምአቀፍ ነገር፡- $db, $conf, $langs, $mysoc, $user, $objectoffield.
      ማስጠንቀቂያንብረቶቹን ከፈለጉ አልተጫነም ፣ ልክ እንደ ሁለተኛው ምሳሌ እራስዎ ነገሩን ወደ ቀመርዎ ያቅርቡ።
      የተሰላ መስክ መጠቀም ማለት ምንም አይነት ዋጋ ከበይነገጽ ማስገባት አይችሉም ማለት ነው። እንዲሁም የአገባብ ስህተት ካለ ቀመሩ ምንም ነገር ሊመልስ አይችልም።

      የቀመር ምሳሌ፡
      $objectoffield-> id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield-> id + 2 * $user->መታወቂያ) * ( int) substr($mysoc->zip, 1, 2)

      ነገርን እንደገና ለመጫን
      (($reloadedobj = አዲስ ሶሺየት($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0? $reloadedobj->array_options['options_extrafield key'] * $reloadedobj- > ዋና / 5: '-1')

      የነገሮችን እና የወላጅ ቁስን ለመጫን የሚያስገድድ ሌላ የቀመር ምሳሌ፡-
      (($reloadedobj = አዲስ ተግባር($db)) && ($reloadedobj->fetchNoCompute($objectoffield-> id) > 0) && ($secondloadedobj = አዲስ ፕሮጀክት( $db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0))? $secondloadedobj->ref: 'የወላጅ ፕሮጀክት አልተገኘም' +Computedpersistent=የተሰላ መስክ ያከማቹ +ComputedpersistentDesc=የተሰሉ ተጨማሪ መስኮች በመረጃ ቋቱ ውስጥ ይቀመጣሉ፣ ነገር ግን እሴቱ የሚሰላው የዚህ መስክ ነገር ሲቀየር ብቻ ነው። የተሰላው መስክ በሌሎች ነገሮች ወይም በአለምአቀፍ መረጃ ላይ የሚመረኮዝ ከሆነ ይህ ዋጋ የተሳሳተ ሊሆን ይችላል!! +ExtrafieldParamHelpPassword=ይህንን መስክ ባዶ መተው ማለት ይህ ዋጋ ያለ ማመስጠር ይከማቻል ማለት ነው (መስክ በስክሪኑ ላይ በኮከቦች ተደብቋል)።

      አስገባ እሴት 'ዶልክሪፕት' እሴትን በሚቀለበስ ምስጠራ ስልተቀመር ለመመስረት። አጽዳ ውሂብ አሁንም ሊታወቅ እና ሊስተካከል ይችላል ነገር ግን ወደ የውሂብ ጎታ የተመሰጠረ ነው።

      'auto' (ወይም 'md5') አስገባ፣ 'sha256'፣ 'password_hash'፣ ...) የማይቀለበስ የሃሽ ይለፍ ቃል ወደ ዳታቤዝ ለማስቀመጥ ነባሪውን የይለፍ ቃል ምስጠራ አልጎሪዝም ለመጠቀም (ወይም md5፣ sha256፣ password_hash...) ለመጠቀም (የመጀመሪያውን እሴት ለማውጣት ምንም መንገድ የለም) +ExtrafieldParamHelpselect=የእሴቶቹ ዝርዝር የቅርጸት ቁልፍ፣ እሴት (ቁልፉ '0' ሊሆን የማይችልበት) መስመሮች መሆን አለባቸው

      ለምሳሌ :
      1,value1
      2,value2b0342fccfda19bz30,value2b0342fccfda19bz30
      ...

      ዝርዝሩን በሌላ ላይ በመመስረት እንዲኖረን የተጨማሪ ባህሪ ዝርዝር፡
      1,value1|አማራጮች_parent_list_code350a parent_key
      2,value2|አማራጮች_parent_list_codeb0ae63750 class='notranslate'>

      ዝርዝሩን በሌላ ዝርዝር ለማግኘት፡
      1, value1|የወላጅ_ዝርዝር_code:parent_keyb0342fccvalue'>b0342fccfvaluepan12| class='notranslate'>parent_list_code:parent_key +ExtrafieldParamHelpcheckbox=የእሴቶቹ ዝርዝር የቅርጸት ቁልፍ፣ እሴት (ቁልፉ '0' ሊሆን የማይችልበት) መስመሮች መሆን አለባቸው

      ለምሳሌ :
      1,value1
      2,value2b0342fccfda19bzvaluepan<30s span class='notranslate'>
      ... +ExtrafieldParamHelpradio=የእሴቶቹ ዝርዝር የቅርጸት ቁልፍ፣ እሴት (ቁልፉ '0' ሊሆን የማይችልበት) መስመሮች መሆን አለባቸው

      ለምሳሌ :
      1,value1
      2,value2b0342fccfda19bzvaluepan<30s span class='notranslate'>
      ... +ExtrafieldParamHelpsellist=የእሴቶቹ ዝርዝር ከሠንጠረዥ ነው የሚመጣው
      አገባብ፡ table_name:label_field:id_field::filtersql
      ምሳሌ፡ c_typent:lib ::filtersql

      - id_field የግድ ዋና የ int ቁልፍ ነውb0342fccfda19 - filtersql የ SQL ሁኔታ ነው። ገባሪ እሴትን ብቻ ለማሳየት ቀላል ሙከራ (ለምሳሌ active=1) ሊሆን ይችላል። ='notranslate'>
      በማጣሪያው ውስጥ SELECTን ለመጠቀም የፀረ-መርፌ ጥበቃን ለማለፍ $SEL$ የሚለውን ቁልፍ ይጠቀሙ።
      በተጨማሪ ሜዳዎች ላይ ማጣራት ከፈለጉ use syntax extra.fieldcode=... (የመስክ ኮድ የኤክስትራፊልድ ኮድ በሆነበት)

      ለመሆኑ ዝርዝር እንደ ሌላ ማሟያ አይነታ ዝርዝር፡
      c_typent:libelle:id:options_parent_list_code
      |parent_column:filter

      ዝርዝሩን በሌላ ዝርዝር ለማግኘት
      c_typent:libelle:id:parent_list_code0 +ExtrafieldParamHelpchkbxlst=የእሴቶቹ ዝርዝር ከሠንጠረዥ ነው የሚመጣው
      አገባብ፡ table_name:label_field:id_field::filtersql
      ምሳሌ: c_typent:lib ::filtersql

      ማጣሪያ ገባሪ እሴትን ብቻ ለማሳየት ቀላል ሙከራ (ለምሳሌ active=1) ሊሆን ይችላል
      እንዲሁም $ID$ን በማጣሪያ ጠንቋይ መጠቀም ትችላለህ የአሁኑ ነገር መታወቂያ
      በማጣሪያ ውስጥ ምረጥን ለማድረግ $SEL$
      extrafields ላይ ማጣራት ከፈለግክ syntax extra.fieldcode=... (የመስክ ኮድ የኤክስትራፊልድ ኮድ የሆነበት)

      ዝርዝሩን በሌላ ተጨማሪ የባህሪ ዝርዝር ላይ በመመስረት እንዲኖርዎት፡
      c_typent:libelle:id:options_parent_list_code|parent_column:filter b0342fccfda19z0>b0342fccfda19z0' z0 ዝርዝሩ እንደሌላው ዝርዝር እንዲኖር፡
      c_typent:libelle:id:parent_list_code|የወላጅ_ዓምድ: ማጣሪያ +ExtrafieldParamHelplink=መለኪያዎች ObjectName:Classpath
      አገባብ መሆን አለባቸው የነገር ስም: ክፍል +ExtrafieldParamHelpSeparator=ለቀላል መለያየት ባዶ ያቆዩ
      ለሚሰበሰብ መለያየት ይህንን ወደ 1 ያዋቅሩት (ለአዲስ ክፍለ ጊዜ በነባሪነት ክፈት፣ ከዚያ ለእያንዳንዱ ክፍለ ጊዜ ሁኔታ ይቀመጣል)
      ይህን ወደ 2 አዘጋጅ ለሚፈርስ መለያየት (ለአዲስ ክፍለ ጊዜ በነባሪነት ወድቋል፣ ከዚያ ሁኔታ ለእያንዳንዱ ተጠቃሚ ክፍለ ጊዜ ይጠበቃል) +LibraryToBuildPDF=ለፒዲኤፍ ማመንጨት የሚያገለግል ላይብረሪ +LocalTaxDesc=አንዳንድ አገሮች በእያንዳንዱ የክፍያ መጠየቂያ መስመር ላይ ሁለት ወይም ሦስት ግብሮችን ሊያመለክቱ ይችላሉ። ጉዳዩ ይህ ከሆነ ለሁለተኛው እና ለሦስተኛው ታክስ አይነት እና መጠኑን ይምረጡ። ሊሆኑ የሚችሉ ዓይነቶች፡
      1፡ የሀገር ውስጥ ታክስ ያለ ቫት ምርቶች እና አገልግሎቶች ላይ ተግባራዊ ይሆናል (አካባቢያዊ ታክስ ያለ ታክስ መጠን ይሰላል)
      2፦ የሀገር ውስጥ ታክስ ቫትን ጨምሮ በምርቶች እና አገልግሎቶች ላይ ተፈጻሚ ይሆናል (localtax የሚሰላው በገንዘብ + ዋና ታክስ ነው)
      3፡ የሀገር ውስጥ ታክስ ቫት በሌለባቸው ምርቶች ላይ ተፈጻሚ ይሆናል (አካባቢያዊ ታክስ የሚሰላው ያለ ክፍያ መጠን ነው) ግብር)
      4፡ የሀገር ውስጥ ግብር ቫትን ጨምሮ ምርቶች ላይ ይተገበራል (አካባቢያዊ ታክስ በዋጋ + ዋና vat ላይ ይሰላል)
      5፡ አካባቢያዊ ታክስ ቫት በሌለባቸው አገልግሎቶች ላይ ተግባራዊ ይሆናል (አካባቢያዊ ታክስ ያለ ታክስ መጠን ይሰላል)
      6፡ የሀገር ውስጥ ታክስ ቫትን ጨምሮ በአገልግሎቶች ላይ ተግባራዊ ይሆናል (አካባቢ ታክስ በሂሳብ + ታክስ ይሰላል) +SMS=ኤስኤምኤስ +LinkToTestClickToDial=ለተጠቃሚው ClickToDial url ለመፈተሽ ስልክ ቁጥር አስገባ %s +RefreshPhoneLink=ማገናኛን አድስ +LinkToTest=ጠቅ ሊደረግ የሚችል አገናኝ ለተጠቃሚ የመነጨ %sለመሞከር ) +KeepEmptyToUseDefault=ነባሪ እሴት ለመጠቀም ባዶ ያስቀምጡ +KeepThisEmptyInMostCases=በአብዛኛዎቹ ሁኔታዎች፣ ይህንን መስክ ባዶ ማድረግ ይችላሉ። +DefaultLink=ነባሪ አገናኝ +SetAsDefault=እንደ ነባሪ አዘጋጅ +ValueOverwrittenByUserSetup=ማስጠንቀቂያ፣ ይህ እሴት በተጠቃሚ ልዩ ማዋቀር ሊተካ ይችላል (እያንዳንዱ ተጠቃሚ የራሱን የጠቅታ ዩአርኤል ማዘጋጀት ይችላል) +ExternalModule=ውጫዊ ሞጁል +InstalledInto=ወደ ማውጫ %s ተጭኗል +BarcodeInitForThirdparties=ለሶስተኛ ወገኖች የጅምላ ባርኮድ መግቢያ +BarcodeInitForProductsOrServices=ለምርቶች ወይም አገልግሎቶች የጅምላ ባር ኮድ መግቢያ ወይም ዳግም ያስጀምሩ +CurrentlyNWithoutBarCode=በአሁኑ ጊዜ %s=' ሪከርድ አለህ። notranslate'>%s bardet2'>
      bard . +InitEmptyBarCode=Init ዋጋ ለ%s ባዶ ባርኮዶች +EraseAllCurrentBarCode=ሁሉንም የባርኮድ ዋጋዎች ደምስስ +ConfirmEraseAllCurrentBarCode=እርግጠኛ ነዎት ሁሉንም የባርኮድ እሴቶች መሰረዝ ይፈልጋሉ? +AllBarcodeReset=ሁሉም የአሞሌ ኮድ እሴቶች ተወግደዋል። +NoBarcodeNumberingTemplateDefined=በባርኮድ ሞጁል ማዋቀር ውስጥ ምንም የቁጥር ባርኮድ አብነት አልነቃም። +EnableFileCache=የፋይል መሸጎጫ አንቃ +ShowDetailsInPDFPageFoot=እንደ የኩባንያ አድራሻ ወይም የአስተዳዳሪ ስሞች (ከፕሮፌሽናል መታወቂያዎች፣ የኩባንያ ካፒታል እና የተእታ ቁጥር በተጨማሪ) በግርጌ ላይ ተጨማሪ ዝርዝሮችን ያክሉ። +NoDetails=በግርጌው ውስጥ ምንም ተጨማሪ ዝርዝሮች የሉም +DisplayCompanyInfo=የኩባንያውን አድራሻ አሳይ +DisplayCompanyManagers=የአስተዳዳሪ ስሞችን አሳይ +DisplayCompanyInfoAndManagers=የኩባንያውን አድራሻ እና የአስተዳዳሪ ስሞችን አሳይ +EnableAndSetupModuleCron=ይህ ተደጋጋሚ ደረሰኝ በራስ ሰር እንዲፈጠር ከፈለጉ፣ ሞጁል *%s* መንቃት እና በትክክል ማዋቀር አለበት። ያለበለዚያ የክፍያ መጠየቂያዎችን ማመንጨት * ፍጠር * ቁልፍን በመጠቀም ከዚህ አብነት በእጅ መከናወን አለበት። አውቶማቲክ ማመንጨትን ቢያነቁ እንኳን በእጅ ማመንጨትን ደህንነቱ በተጠበቀ ሁኔታ ማስጀመር እንደሚችሉ ልብ ይበሉ። ለተመሳሳይ ጊዜ ብዜቶች ማመንጨት አይቻልም. +ModuleCompanyCodeCustomerAquarium=%s የደንበኛ መለያ ኮድ ተከትሎ +ModuleCompanyCodeSupplierAquarium=%s በመቀጠል የሻጭ መለያ ኮድ +ModuleCompanyCodePanicum=ባዶ የሂሳብ ኮድ ይመልሱ። +ModuleCompanyCodeDigitaria=በሶስተኛ ወገን ስም መሰረት የተዋሃደ የሂሳብ ኮድ ያወጣል። ኮዱ በመጀመሪያ ቦታ ሊገለጽ የሚችል ቅድመ ቅጥያ ያለው ሲሆን ከዚያም በሶስተኛ ወገን ኮድ ውስጥ የተገለጹ የቁምፊዎች ብዛት። +ModuleCompanyCodeCustomerDigitaria=%s በመቀጠል የተቆረጠው የደንበኛ ስም በቁምፊዎች ብዛት፡ %s ለደንበኛ የሂሳብ ኮድ። +ModuleCompanyCodeSupplierDigitaria=%s በመቀጠል የተቆራረጠው የአቅራቢ ስም በቁምፊዎች ብዛት፡ %s ለአቅራቢው የሂሳብ ኮድ። +Use3StepsApproval=በነባሪ የግዢ ትዕዛዞች በ2 የተለያዩ ተጠቃሚዎች (አንድ እርምጃ/ተጠቃሚ ለመፍጠር እና አንድ እርምጃ/ተጠቃሚ ለማጽደቅ። ተጠቃሚው ለመፍጠር እና ለማጽደቅ ሁለቱንም ፍቃድ ካለው አንድ እርምጃ/ተጠቃሚ በቂ እንደሚሆን ልብ ይበሉ) . በዚህ አማራጭ የሶስተኛ ደረጃ/የተጠቃሚ ማጽደቅን ለማስተዋወቅ መጠየቅ ይችላሉ፣ መጠኑ ከተለየ እሴት ከፍ ያለ ከሆነ (ስለዚህ 3 እርምጃዎች አስፈላጊ ይሆናሉ፡ 1=ማረጋገጫ፣ 2=የመጀመሪያ ማፅደቅ እና መጠኑ በቂ ከሆነ 3=ሁለተኛ ማረጋገጫ)።
      ይህን አንድ ማጽደቅ (2 እርምጃዎች) በቂ ከሆነ ወደ ባዶ ያዋቅሩት፣ ሁልጊዜ ሁለተኛ ማጽደቅ (3 እርምጃዎች) የሚያስፈልግ ከሆነ በጣም ዝቅተኛ እሴት (0.1) ያቀናብሩት። +UseDoubleApproval=መጠኑ (ያለ ታክስ) ከ... +WarningPHPMail=ማስጠንቀቂያ፡ ከመተግበሪያው ኢሜይሎችን ለመላክ ማዋቀሩ ነባሪውን አጠቃላይ ማዋቀር እየተጠቀመ ነው። ብዙውን ጊዜ የወጪ ኢሜይሎችን በማዋቀር የኢሜል አገልግሎት አቅራቢዎን የኢሜል አገልጋይ በበርካታ ምክንያቶች ከነባሪው ማዋቀር ይልቅ መጠቀም የተሻለ ነው። +WarningPHPMailA=- የኢሜል አገልግሎት አቅራቢውን አገልጋይ መጠቀም የኢሜልዎን ታማኝነት ይጨምራል ፣ ስለሆነም እንደ አይፈለጌ መልእክት ሳይጠቁሙ የማድረስ ችሎታን ይጨምራል ። +WarningPHPMailB=- አንዳንድ የኢሜል አገልግሎት አቅራቢዎች (እንደ ያሁ ያሉ) ከሌላ አገልጋይ ከራሳቸው አገልጋይ ኢሜይል እንዲልኩ አይፈቅዱም። አሁን ያላችሁት ዝግጅት የኢሜል አቅራቢዎን አገልጋይ ሳይሆን ኢሜል ለመላክ የመተግበሪያውን አገልጋይ ይጠቀማል ስለዚህ አንዳንድ ተቀባዮች (ከዲኤምአርሲ ገዳቢ ፕሮቶኮል ጋር የሚስማማው) ኢሜልዎን እና አንዳንድ የኢሜል አቅራቢዎችን መቀበል ይችሉ እንደሆነ የኢሜል አቅራቢዎን ይጠይቃሉ ። (እንደ ያሁ አይነት) አገልጋዩ የእነሱ ስላልሆነ "አይ" የሚል ምላሽ ሊሰጥ ይችላል፣ ስለዚህ ከተላኩ ኢሜይሎችዎ ውስጥ ጥቂቶቹ ለማድረስ ተቀባይነት ላይኖራቸው ይችላል (የኢሜል አቅራቢዎን የመላኪያ ኮታም ይጠንቀቁ)። +WarningPHPMailC=- የእራስዎን የኢሜል አገልግሎት አቅራቢ SMTP አገልጋይ ኢሜይሎችን ለመላክ እንዲሁ አስደሳች ነው ስለዚህ ከመተግበሪያው የተላኩ ኢሜይሎች በሙሉ ወደ የመልእክት ሳጥንዎ "የተላኩ" ማውጫ ውስጥ ይቀመጣሉ። +WarningPHPMailD=ስለዚህ የኢሜል መላኪያ ዘዴን ወደ "SMTP" እሴት ለመቀየር ይመከራል. +WarningPHPMailDbis=ኢሜይሎችን ለመላክ ነባሪውን የ"PHP" ዘዴ ማቆየት ከፈለግክ ይህን ማስጠንቀቂያ ችላ በል ወይም በ%sእዚህ ጠቅ በማድረግ ያስወግዱት%s%s +WarningPHPMail2=የኢሜል SMTP አቅራቢዎ የኢሜል ደንበኛን ለአንዳንድ የአይፒ አድራሻዎች መገደብ ካለበት (በጣም አልፎ አልፎ) ይህ የመልእክት ተጠቃሚ ወኪሉ (MUA) ለኢአርፒ CRM መተግበሪያዎ የአይፒ አድራሻ ነው፡ %s። +WarningPHPMailSPF=በላኪ ኢሜል አድራሻዎ ውስጥ ያለው የጎራ ስም በSPF መዝገብ ከተጠበቀ (የእርስዎን የጎራ ስም ሬጅስትር ይጠይቁ) በጎራዎ ዲ ኤን ኤስ የ SPF መዝገብ ውስጥ የሚከተሉትን አይፒዎች ማከል አለብዎት: %s። +ActualMailSPFRecordFound=ትክክለኛው የSPF መዝገብ ተገኝቷል (ለኢሜል %s): %s +ClickToShowDescription=መግለጫ ለማሳየት ጠቅ ያድርጉ +DependsOn=ይህ ሞጁል ሞጁሉን ያስፈልገዋል +RequiredBy=ይህ ሞጁል በሞጁል(ዎች) ያስፈልጋል +TheKeyIsTheNameOfHtmlField=ይህ የኤችቲኤምኤል መስክ ስም ነው። የመስክ ቁልፍ ስም ለማግኘት የኤችቲኤምኤል ገጹን ይዘት ለማንበብ የቴክኒክ እውቀት ያስፈልጋል። +PageUrlForDefaultValues=የገጹን URL አንጻራዊ መንገድ ማስገባት አለብህ። በዩአርኤል ውስጥ ግቤቶችን ካካተቱ፣ በአሰሳ URL ውስጥ ያሉ ሁሉም መመዘኛዎች እዚህ ላይ የተገለጸው ዋጋ ካላቸው ውጤታማ ይሆናል። +PageUrlForDefaultValuesCreate=
      ምሳሌ፡
      ቅጹ አዲስ ሶስተኛ ወገን ለመፍጠር b0e7843947c06 ነው። /span>%s
      .
      ወደ ውጫዊ ሞጁሎች URL ተጭኗል። ብጁ ማውጫ፣ "ብጁ/"ን አያካትቱ፣ስለዚህ እንደ mymodule/mypage.php ያለውን መንገድ ተጠቀም እንጂ ብጁ አትሁን። /mymodule/mypage.php.
      ነባሪ እሴት ከፈለጉ url የተወሰነ መለኪያ ካለው ብቻ %s +PageUrlForDefaultValuesList=
      ምሳሌ፡
      የሦስተኛ ወገኖችን ዝርዝር ለሚያካሂደው ገጽ b0e7843947c06 >%s.
      ወደ ብጁ ዳይሬክተሮች ውጫዊ ሞጁሎች ተጭኗል። "ብጁ/"ን አያካትቱ ስለዚህ እንደ mymodule/mypagelist.php ሳይሆን ብጁ/mymodule ይጠቀሙ። /mypagelist.php.
      ነባሪ እሴት ከፈለጉ url የተወሰነ መለኪያ ካለው ብቻ %s +AlsoDefaultValuesAreEffectiveForActionCreate=እንዲሁም ለቅጽ አፈጣጠር ነባሪ ዋጋዎችን እንደገና መፃፍ በትክክል ለተዘጋጁ ገፆች ብቻ እንደሚሰራ (ስለዚህ በመለኪያ ድርጊት = መፍጠር ወይም ማቅረብ...) +EnableDefaultValues=ነባሪ እሴቶችን ማበጀትን ያንቁ +EnableOverwriteTranslation=ትርጉሞችን ማበጀት ፍቀድ +GoIntoTranslationMenuToChangeThis=በዚህ ኮድ ለቁልፍ ትርጉም ተገኝቷል። ይህን እሴት ለመለወጥ ከHome-Setup-translation ሆነው ማርትዕ አለብዎት። +WarningSettingSortOrder=ማስጠንቀቂያ፣ መስክ ያልታወቀ መስክ ከሆነ ነባሪ ቅደም ተከተል ማቀናበር ወደ ዝርዝር ገጹ ሲሄድ ቴክኒካዊ ስህተትን ሊያስከትል ይችላል። እንደዚህ አይነት ስህተት ካጋጠመዎት ነባሪውን የመደርደር ቅደም ተከተል ለማስወገድ እና ነባሪ ባህሪን ለመመለስ ወደዚህ ገጽ ይመለሱ። +Field=መስክ +ProductDocumentTemplates=የምርት ሰነድ ለማመንጨት የሰነድ አብነቶች +ProductBatchDocumentTemplates=የምርት ብዙ ሰነድ ለማመንጨት አብነቶችን ይመዝግቡ +FreeLegalTextOnExpenseReports=በወጪ ሪፖርቶች ላይ ነፃ የሕግ ጽሑፍ +WatermarkOnDraftExpenseReports=በረቂቅ ወጪ ሪፖርቶች ላይ የውሃ ምልክት +ProjectIsRequiredOnExpenseReports=የወጪ ሪፖርትን ለማስገባት ፕሮጀክቱ ግዴታ ነው +PrefillExpenseReportDatesWithCurrentMonth=የአዲሱ የወጪ ሪፖርት የመጀመሪያ እና የመጨረሻ ቀናት ከአሁኑ ወር የመጀመሪያ እና የመጨረሻ ቀናት ጋር አስቀድመው ይሙሉ +ForceExpenseReportsLineAmountsIncludingTaxesOnly=የወጪ ሪፖርት መጠን ሁልጊዜ ከቀረጥ ጋር እንዲገባ ያስገድዱ +AttachMainDocByDefault=ዋናውን ሰነድ ከኢሜል ጋር በነባሪ ማያያዝ ከፈለጉ ይህንን ወደ አዎ ያዋቅሩት (የሚመለከተው ከሆነ) +FilesAttachedToEmail=ፋይል አያይዝ +SendEmailsReminders=የአጀንዳ አስታዋሾችን በኢሜል ይላኩ። +davDescription=WebDAV አገልጋይ ያዋቅሩ +DAVSetup=የሞዱል DAV ማዋቀር +DAV_ALLOW_PRIVATE_DIR=አጠቃላይ የግል ማውጫውን ያንቁ (WebDAV የተወሰነ ማውጫ "የግል" - መግባት ያስፈልጋል) +DAV_ALLOW_PRIVATE_DIRTooltip=አጠቃላይ የግል ማውጫው ማንኛውም ሰው በመተግበሪያው መግቢያ/ማለፊያ ማግኘት የሚችለው WebDAV ማውጫ ነው። +DAV_ALLOW_PUBLIC_DIR=አጠቃላይ የህዝብ ማውጫን ያንቁ (WebDAV የተወሰነ ማውጫ "ይፋዊ" የሚል ስም ያለው - መግባት አያስፈልግም) +DAV_ALLOW_PUBLIC_DIRTooltip=አጠቃላይ ህዝባዊ ዳይሬክተሩ ማንም ሰው ሊደርስበት የሚችለው (በንባብ እና መፃፍ ሁነታ) ያለ ምንም ፍቃድ (የመግቢያ/የይለፍ ቃል መለያ) የዌብDAV ማውጫ ነው። +DAV_ALLOW_ECM_DIR=የዲኤምኤስ/ECM የግል ማውጫን አንቃ (የዲኤምኤስ/ECM ሞጁል ስር ማውጫ - መግባት ያስፈልጋል) +DAV_ALLOW_ECM_DIRTooltip=የዲኤምኤስ/ኢሲኤም ሞጁሉን ሲጠቀሙ ሁሉም ፋይሎች በእጅ የሚሰቀሉበት የስር ማውጫ። በተመሳሳይ ከድር በይነገጽ እንደመዳረስ፣ እሱን ለመድረስ በቂ ፍቃድ ያለው ትክክለኛ መግቢያ/ይለፍ ቃል ያስፈልግዎታል። +##### Modules ##### +Module0Name=ተጠቃሚዎች እና ቡድኖች +Module0Desc=ተጠቃሚዎች / ሰራተኞች እና ቡድኖች አስተዳደር +Module1Name=ሦስተኛ ወገኖች +Module1Desc=የኩባንያዎች እና የእውቂያዎች አስተዳደር (ደንበኞች ፣ ተስፋዎች…) +Module2Name=ንግድ +Module2Desc=የንግድ አስተዳደር +Module10Name=የሂሳብ አያያዝ (ቀላል) +Module10Desc=በመረጃ ቋት ይዘት ላይ በመመስረት ቀላል የሂሳብ ዘገባዎች (መጽሔቶች ፣ ማዞሪያ)። ምንም የሂሳብ ደብተር አይጠቀምም. +Module20Name=ፕሮፖዛል +Module20Desc=የንግድ ፕሮፖዛል አስተዳደር +Module22Name=የጅምላ ኢሜይሎች +Module22Desc=የጅምላ ኢሜል መላክን ያስተዳድሩ +Module23Name=ጉልበት +Module23Desc=የኃይል ፍጆታን መከታተል +Module25Name=የሽያጭ ትዕዛዞች +Module25Desc=የሽያጭ ማዘዣ አስተዳደር +Module30Name=ደረሰኞች +Module30Desc=ለደንበኞች የክፍያ መጠየቂያዎች እና የብድር ማስታወሻዎች አስተዳደር. ለአቅራቢዎች የክፍያ መጠየቂያዎች እና የብድር ማስታወሻዎች አስተዳደር +Module40Name=ሻጮች +Module40Desc=ሻጮች እና የግዢ አስተዳደር (የግዢ ትዕዛዞች እና የአቅራቢ ደረሰኞች ክፍያ) +Module42Name=የማረም ምዝግብ ማስታወሻዎች +Module42Desc=የመመዝገቢያ መገልገያዎች (ፋይል, syslog, ...). እንደነዚህ ያሉ ምዝግብ ማስታወሻዎች ለቴክኒካል / ለማረም ዓላማዎች ናቸው. +Module43Name=ማረም አሞሌ +Module43Desc=በአሳሽዎ ውስጥ የአራሚ አሞሌን ማከል ለገንቢዎች መሣሪያ። +Module49Name=አዘጋጆች +Module49Desc=የአርታዒ አስተዳደር +Module50Name=ምርቶች +Module50Desc=የምርቶች አስተዳደር +Module51Name=የጅምላ መልእክቶች +Module51Desc=የጅምላ ወረቀት መላኪያ አስተዳደር +Module52Name=አክሲዮኖች +Module52Desc=የአክሲዮን አስተዳደር (የአክሲዮን እንቅስቃሴ ክትትል እና ቆጠራ) +Module53Name=አገልግሎቶች +Module53Desc=የአገልግሎቶች አስተዳደር +Module54Name=ኮንትራቶች / የደንበኝነት ምዝገባዎች +Module54Desc=የኮንትራቶች አስተዳደር (አገልግሎቶች ወይም ተደጋጋሚ ምዝገባዎች) +Module55Name=ባርኮዶች +Module55Desc=የአሞሌ ወይም የQR ኮድ አስተዳደር +Module56Name=በዱቤ ማስተላለፍ ክፍያ +Module56Desc=በክሬዲት ማስተላለፍ ትዕዛዞች የአቅራቢዎች ወይም የደመወዝ ክፍያ አስተዳደር. ለአውሮፓ ሀገራት የ SEPA ፋይል ማመንጨትን ያካትታል። +Module57Name=ክፍያዎች በቀጥታ ዴቢት +Module57Desc=የቀጥታ ዴቢት ትዕዛዞች አስተዳደር. ለአውሮፓ ሀገራት የ SEPA ፋይል ማመንጨትን ያካትታል። +Module58Name=ለመደወል ጠቅ ያድርጉ +Module58Desc=የ ClickToDial ስርዓት ውህደት (አስቴሪስ, ...) +Module60Name=ተለጣፊዎች +Module60Desc=ተለጣፊዎች አስተዳደር +Module70Name=ጣልቃገብነቶች +Module70Desc=ጣልቃ-ገብ አስተዳደር +Module75Name=ወጪ እና የጉዞ ማስታወሻዎች +Module75Desc=ወጪ እና የጉዞ ማስታወሻዎች አስተዳደር +Module80Name=ማጓጓዣዎች +Module80Desc=የመላኪያ እና የመላኪያ ማስታወሻ አስተዳደር +Module85Name=ባንኮች እና ጥሬ ገንዘብ +Module85Desc=የባንክ ወይም የገንዘብ ሂሳቦች አስተዳደር +Module100Name=ውጫዊ ጣቢያ +Module100Desc=እንደ ዋና ምናሌ አዶ ወደ ውጫዊ ድር ጣቢያ አገናኝ ያክሉ። ድር ጣቢያ ከላይኛው ምናሌ ስር ባለው ክፈፍ ውስጥ ይታያል. +Module105Name=መልእክተኛ እና SPIP +Module105Desc=የመልእክተኛ ወይም የSPIP በይነገጽ ለአባል ሞጁል Module200Name=LDAP -Module200Desc=LDAP directory synchronization +Module200Desc=የኤልዲኤፒ ማውጫ ማመሳሰል Module210Name=PostNuke -Module210Desc=PostNuke integration -Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistance) -Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistance) -Module310Name=Members -Module310Desc=Foundation members management -Module320Name=RSS Feed -Module320Desc=Add a RSS feed to Dolibarr pages -Module330Name=Bookmarks & Shortcuts -Module330Desc=Create shortcuts, always accessible, to the internal or external pages to which you frequently access -Module400Name=Projects or Leads -Module400Desc=Management of projects, leads/opportunities and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. -Module410Name=Webcalendar -Module410Desc=Webcalendar integration -Module500Name=Taxes & Special Expenses -Module500Desc=Management of other expenses (sales taxes, social or fiscal taxes, dividends, ...) -Module510Name=Salaries -Module510Desc=Record and track employee payments -Module520Name=Loans -Module520Desc=Management of loans -Module600Name=Notifications on business event -Module600Desc=Send email notifications triggered by a business event: per user (setup defined on each user), per third-party contacts (setup defined on each third party) or by specific emails -Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. -Module610Name=Product Variants -Module610Desc=Creation of product variants (color, size etc.) -Module700Name=Donations -Module700Desc=Donation management -Module770Name=Expense Reports -Module770Desc=Manage expense reports claims (transportation, meal, ...) -Module1120Name=Vendor Commercial Proposals -Module1120Desc=Request vendor commercial proposal and prices -Module1200Name=Mantis -Module1200Desc=Mantis integration -Module1520Name=Document Generation -Module1520Desc=Mass email document generation -Module1780Name=Tags/Categories -Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members) -Module2000Name=WYSIWYG editor -Module2000Desc=Allow text fields to be edited/formatted using CKEditor (html) -Module2200Name=Dynamic Prices -Module2200Desc=Use maths expressions for auto-generation of prices -Module2300Name=Scheduled jobs -Module2300Desc=Scheduled jobs management (alias cron or chrono table) -Module2400Name=Events/Agenda -Module2400Desc=Track events. Log automatic events for tracking purposes or record manual events or meetings. This is the principal module for good Customer or Vendor Relationship Management. -Module2500Name=DMS / ECM -Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. -Module2600Name=API/Web services (SOAP server) -Module2600Desc=Enable the Dolibarr SOAP server providing API services -Module2610Name=API/Web services (REST server) -Module2610Desc=Enable the Dolibarr REST server providing API services -Module2660Name=Call WebServices (SOAP client) -Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Only Purchase orders are currently supported.) -Module2700Name=Gravatar -Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Needs Internet access -Module2800Desc=FTP Client +Module210Desc=PostNuke ውህደት +Module240Name=ውሂብ ወደ ውጭ መላክ +Module240Desc=የዶሊባርር መረጃን ወደ ውጭ ለመላክ (ከእርዳታ ጋር) +Module250Name=የውሂብ ማስመጣት +Module250Desc=ወደ ዶሊባርር ውሂብ ለማስመጣት መሳሪያ (ከእርዳታ ጋር) +Module310Name=አባላት +Module310Desc=የፋውንዴሽን አባላት አስተዳደር +Module320Name=RSS ምግብ +Module320Desc=የአርኤስኤስ ምግብን ወደ ዶሊባርር ገፆች ያክሉ +Module330Name=ዕልባቶች እና አቋራጮች +Module330Desc=አዘውትረው ወደ ሚደርሱባቸው የውስጥ ወይም የውጭ ገፆች አቋራጮችን ይፍጠሩ፣ ሁል ጊዜ ተደራሽ ያድርጉ +Module400Name=ፕሮጀክቶች ወይም እርሳሶች +Module400Desc=የፕሮጀክቶች, መሪዎች / እድሎች እና / ወይም ተግባራት አስተዳደር. እንዲሁም ማንኛውንም አካል (ክፍያ መጠየቂያ, ትዕዛዝ, ፕሮፖዛል, ጣልቃገብነት, ...) ለፕሮጀክት መመደብ እና ከፕሮጀክቱ እይታ ተሻጋሪ እይታ ማግኘት ይችላሉ. +Module410Name=የድር ቀን መቁጠሪያ +Module410Desc=የድር የቀን መቁጠሪያ ውህደት +Module500Name=ግብሮች እና ልዩ ወጪዎች +Module500Desc=የሌሎች ወጪዎች አስተዳደር (የሽያጭ ግብሮች፣ ማህበራዊ ወይም የፊስካል ታክሶች፣ የትርፍ ክፍፍል፣...) +Module510Name=ደሞዝ +Module510Desc=የሰራተኛ ክፍያዎችን ይመዝግቡ እና ይከታተሉ +Module520Name=ብድሮች +Module520Desc=የብድር አስተዳደር +Module600Name=የንግድ ክስተት ላይ ማሳወቂያዎች +Module600Desc=በንግድ ክስተት የተቀሰቀሱ የኢሜል ማሳወቂያዎችን ይላኩ፡ በተጠቃሚ (በእያንዳንዱ ተጠቃሚ ላይ የተገለፀ)፣ በሶስተኛ ወገን እውቂያዎች (በእያንዳንዱ የሶስተኛ ወገን ላይ የተገለጸ ማዋቀር) ወይም በተወሰኑ ኢሜይሎች። +Module600Long=ይህ ሞጁል አንድ የተወሰነ የንግድ ክስተት ሲከሰት ኢሜይሎችን እንደሚልክ ልብ ይበሉ። ለአጀንዳ ዝግጅቶች የኢሜል አስታዋሾችን ለመላክ ባህሪን እየፈለጉ ከሆነ ወደ ሞጁል አጀንዳ ማዋቀር ይሂዱ። +Module610Name=የምርት ልዩነቶች +Module610Desc=የምርት ልዩነቶችን መፍጠር (ቀለም ፣ መጠን ፣ ወዘተ.) +Module650Name=የቁሳቁስ ሂሳቦች (BOM) +Module650Desc=የእርስዎን የሂሳብ መጠየቂያ ቁሳቁሶች (BOM) ለመወሰን ሞጁል። በሞጁሉ የማምረቻ ትዕዛዞች (MO) ለምርት ግብዓት እቅድ መጠቀም ይቻላል +Module660Name=የማምረት ሃብት እቅድ (MRP) +Module660Desc=የማምረቻ ትዕዛዞችን (MO) ለማስተዳደር ሞጁል +Module700Name=ልገሳ +Module700Desc=የልገሳ አስተዳደር +Module770Name=የወጪ ሪፖርቶች +Module770Desc=የወጪ ሪፖርቶችን ያቀናብሩ (መጓጓዣ፣ ምግብ፣...) +Module1120Name=የአቅራቢ ንግድ ፕሮፖዛል +Module1120Desc=የአቅራቢ ንግድ ፕሮፖዛል እና ዋጋዎችን ይጠይቁ +Module1200Name=ማንቲስ +Module1200Desc=የማንቲስ ውህደት +Module1520Name=ሰነድ ማመንጨት +Module1520Desc=የጅምላ ኢሜይል ሰነድ ማመንጨት +Module1780Name=መለያዎች / ምድቦች +Module1780Desc=መለያዎች/ምድብ (ምርቶች፣ ደንበኞች፣ አቅራቢዎች፣ አድራሻዎች ወይም አባላት) ይፍጠሩ +Module2000Name=WYSIWYG አርታዒ +Module2000Desc=የጽሑፍ መስኮች CKEditor (ኤችቲኤምኤል) በመጠቀም እንዲስተካከሉ/እንዲቀርጹ ይፍቀዱ +Module2200Name=ተለዋዋጭ ዋጋዎች +Module2200Desc=ዋጋዎችን በራስ-ሰር ለማመንጨት የሂሳብ መግለጫዎችን ይጠቀሙ +Module2300Name=የታቀዱ ስራዎች +Module2300Desc=የታቀዱ ስራዎች አስተዳደር (ተለዋጭ ስም ክሮን ወይም ክሮኖ ሠንጠረዥ) +Module2400Name=ዝግጅቶች/አጀንዳ +Module2400Desc=ክስተቶችን ይከታተሉ። ለክትትል ዓላማዎች አውቶማቲክ ክስተቶችን ይመዝገቡ ወይም በእጅ የተያዙ ክስተቶችን ወይም ስብሰባዎችን ይመዝግቡ። ይህ ለጥሩ ደንበኛ ወይም የአቅራቢ ግንኙነት አስተዳደር ዋና ሞጁል ነው። +Module2430Name=የመስመር ላይ ቀጠሮ መርሐግብር +Module2430Desc=የመስመር ላይ የቀጠሮ ማስያዣ ስርዓት ያቀርባል። ይህ ማንኛውም ሰው rendez-vous እንዲይዝ ያስችለዋል፣ አስቀድሞ በተገለጹት ክልሎች ወይም አቅርቦቶች። +Module2500Name=ዲኤምኤስ / ኢ.ሲ.ኤም +Module2500Desc=የሰነድ አስተዳደር ስርዓት / ኤሌክትሮኒክ ይዘት አስተዳደር. የመነጩ ወይም የተከማቹ ሰነዶች ራስ-ሰር አደረጃጀት። በሚፈልጉበት ጊዜ ያካፍሏቸው። +Module2600Name=ኤፒአይ/ድር አገልግሎቶች (SOAP አገልጋይ) +Module2600Desc=የኤፒአይ አገልግሎቶችን የሚያቀርብ የዶሊባርር SOAP አገልጋይን አንቃ +Module2610Name=ኤፒአይ/ድር አገልግሎቶች (REST አገልጋይ) +Module2610Desc=የኤፒአይ አገልግሎቶችን የሚያቀርብ የ Dolibarr REST አገልጋይን አንቃ +Module2660Name=ለዌብ ሰርቪስ (የሶፕ ደንበኛ) ይደውሉ +Module2660Desc=የዶሊባርር ድር አገልግሎቶች ደንበኛን አንቃ (ውሂብን/ጥያቄዎችን ወደ ውጫዊ አገልጋዮች ለመግፋት ጥቅም ላይ ሊውል ይችላል። በአሁኑ ጊዜ የግዢ ትዕዛዞች ብቻ ናቸው የሚደገፉት።) +Module2700Name=ግራቫታር +Module2700Desc=የተጠቃሚዎችን/የአባላትን ፎቶ ለማሳየት (በኢሜይላቸው የተገኘ) የመስመር ላይ የግራቫታር አገልግሎትን (www.gravatar.com) ይጠቀሙ። የበይነመረብ መዳረሻ ይፈልጋል +Module2800Desc=የኤፍቲፒ ደንበኛ Module2900Name=GeoIPMaxmind -Module2900Desc=GeoIP Maxmind conversions capabilities -Module3200Name=Unalterable Archives -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. -Module3400Name=Social Networks -Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). +Module2900Desc=GeoIP Maxmind የመቀየር ችሎታዎች +Module3200Name=የማይለወጡ ማህደሮች +Module3200Desc=የማይለወጥ የንግድ ሥራ መዝገብ አንቃ። ክስተቶች በቅጽበት ውስጥ ተቀምጠዋል። ምዝግብ ማስታወሻው ወደ ውጭ ሊላክ የሚችል በሰንሰለት የታሰሩ ክስተቶች ተነባቢ-ብቻ ሰንጠረዥ ነው። ይህ ሞጁል ለአንዳንድ አገሮች የግዴታ ሊሆን ይችላል። +Module3300Name=ሞጁል ገንቢ +Module3300Desc=ገንቢዎች ወይም የላቀ ተጠቃሚዎች የራሳቸውን ሞጁል/መተግበሪያ እንዲገነቡ ለመርዳት RAD (ፈጣን የመተግበሪያ ልማት - ዝቅተኛ ኮድ እና ኮድ የሌለው) መሣሪያ። +Module3400Name=ማህበራዊ አውታረ መረቦች +Module3400Desc=ማህበራዊ አውታረ መረቦችን ወደ ሶስተኛ ወገኖች እና አድራሻዎች (ስካይፕ ፣ ትዊተር ፣ ፌስቡክ ፣ ...) ያንቁ። Module4000Name=HRM -Module4000Desc=Human resources management (management of department, employee contracts and feelings) -Module5000Name=Multi-company -Module5000Desc=Allows you to manage multiple companies -Module6000Name=Inter-modules Workflow -Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) -Module10000Name=Websites -Module10000Desc=Create websites (public) with a WYSIWYG editor. This is a webmaster or developer oriented CMS (it is better to know HTML and CSS language). Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the internet with your own domain name. -Module20000Name=Leave Request Management -Module20000Desc=Define and track employee leave requests -Module39000Name=Product Lots -Module39000Desc=Lots, serial numbers, eat-by/sell-by date management for products -Module40000Name=Multicurrency -Module40000Desc=Use alternative currencies in prices and documents +Module4000Desc=የሰው ሃይል አስተዳደር (የመምሪያው አስተዳደር፣ የሰራተኛ ውል፣ የክህሎት አስተዳደር እና ቃለ መጠይቅ) +Module5000Name=ባለብዙ ኩባንያ +Module5000Desc=ብዙ ኩባንያዎችን እንዲያስተዳድሩ ይፈቅድልዎታል +Module6000Name=የኢንተር ሞጁሎች የስራ ፍሰት +Module6000Desc=በተለያዩ ሞጁሎች መካከል የስራ ፍሰት አስተዳደር (የነገር በራስ-ሰር መፍጠር እና/ወይም ራስ-ሰር የሁኔታ ለውጥ) +Module10000Name=ድር ጣቢያዎች +Module10000Desc=ከWYSIWYG አርታዒ ጋር ድረ-ገጾችን (ይፋዊ) ይፍጠሩ። ይህ የድር አስተዳዳሪ ወይም ገንቢ ተኮር ሲኤምኤስ ነው (ኤችቲኤምኤል እና ሲኤስኤስ ቋንቋን ማወቅ የተሻለ ነው።) በራስዎ የጎራ ስም በይነመረቡ ላይ እንዲኖር የወሰኑትን ዶሊባርር ማውጫ ለመጠቆም የድር አገልጋይዎን (Apache, Nginx, ...) ያዋቅሩ። +Module20000Name=የጥያቄ አስተዳደርን ይተዉ +Module20000Desc=የሰራተኛ ፈቃድ ጥያቄዎችን ይግለጹ እና ይከታተሉ +Module39000Name=የምርት ዕጣዎች +Module39000Desc=ብዙ፣ ተከታታይ ቁጥሮች፣ መብላት-በ/መሸጥ-ቀን ለምርቶች አስተዳደር +Module40000Name=ባለብዙ ምንዛሬ +Module40000Desc=በዋጋ እና በሰነዶች ውስጥ አማራጭ ምንዛሬዎችን ይጠቀሙ Module50000Name=PayBox -Module50000Desc=Offer customers a PayBox online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50000Desc=ለደንበኞች የ PayBox የመስመር ላይ ክፍያ ገጽ (ክሬዲት/ዴቢት ካርዶች) ያቅርቡ። ይህ ደንበኞችዎ የማስታወቂያ ሆክ ክፍያዎችን ወይም ከአንድ የተወሰነ የዶሊባርር ነገር ጋር የተያያዙ ክፍያዎችን (ክፍያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ ማዘዣ ወዘተ...) እንዲከፍሉ ለማስቻል ሊያገለግል ይችላል። Module50100Name=POS SimplePOS -Module50100Desc=Point of Sale module SimplePOS (simple POS). +Module50100Desc=የሽያጭ ነጥብ ሞጁል SimplePOS (ቀላል POS)። Module50150Name=POS TakePOS -Module50150Desc=Point of Sale module TakePOS (touchscreen POS, for shops, bars or restaurants). +Module50150Desc=የሽያጭ ነጥብ ሞጁል TakePOS (የንክኪ ማያ ገጽ POS፣ ለሱቆች፣ ቡና ቤቶች ወይም ሬስቶራንቶች)። Module50200Name=Paypal -Module50200Desc=Offer customers a PayPal online payment page (PayPal account or credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50300Name=Stripe -Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50400Name=Accounting (double entry) -Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats. -Module54000Name=PrintIPP -Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installed on server). -Module55000Name=Poll, Survey or Vote -Module55000Desc=Create online polls, surveys or votes (like Doodle, Studs, RDVz etc...) -Module59000Name=Margins -Module59000Desc=Module to follow margins -Module60000Name=Commissions -Module60000Desc=Module to manage commissions -Module62000Name=Incoterms -Module62000Desc=Add features to manage Incoterms -Module63000Name=Resources -Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to events -Permission11=Read customer invoices -Permission12=Create/modify customer invoices -Permission13=Invalidate customer invoices -Permission14=Validate customer invoices -Permission15=Send customer invoices by email -Permission16=Create payments for customer invoices -Permission19=Delete customer invoices -Permission21=Read commercial proposals -Permission22=Create/modify commercial proposals -Permission24=Validate commercial proposals -Permission25=Send commercial proposals -Permission26=Close commercial proposals -Permission27=Delete commercial proposals -Permission28=Export commercial proposals -Permission31=Read products -Permission32=Create/modify products -Permission34=Delete products -Permission36=See/manage hidden products -Permission38=Export products -Permission39=Ignore minimum price -Permission41=Read projects and tasks (shared project and projects I'm contact for). Can also enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) -Permission42=Create/modify projects (shared project and projects I'm contact for). Can also create tasks and assign users to project and tasks -Permission44=Delete projects (shared project and projects I'm contact for) -Permission45=Export projects -Permission61=Read interventions -Permission62=Create/modify interventions -Permission64=Delete interventions -Permission67=Export interventions -Permission68=Send interventions by email -Permission69=Validate interventions -Permission70=Invalidate interventions -Permission71=Read members -Permission72=Create/modify members -Permission74=Delete members -Permission75=Setup types of membership -Permission76=Export data -Permission78=Read subscriptions -Permission79=Create/modify subscriptions -Permission81=Read customers orders -Permission82=Create/modify customers orders -Permission84=Validate customers orders -Permission86=Send customers orders -Permission87=Close customers orders -Permission88=Cancel customers orders -Permission89=Delete customers orders -Permission91=Read social or fiscal taxes and vat -Permission92=Create/modify social or fiscal taxes and vat -Permission93=Delete social or fiscal taxes and vat -Permission94=Export social or fiscal taxes -Permission95=Read reports -Permission101=Read sendings -Permission102=Create/modify sendings -Permission104=Validate sendings -Permission105=Send sendings by email -Permission106=Export sendings -Permission109=Delete sendings -Permission111=Read financial accounts -Permission112=Create/modify/delete and compare transactions -Permission113=Setup financial accounts (create, manage categories of bank transactions) -Permission114=Reconcile transactions -Permission115=Export transactions and account statements -Permission116=Transfers between accounts -Permission117=Manage checks dispatching -Permission121=Read third parties linked to user -Permission122=Create/modify third parties linked to user -Permission125=Delete third parties linked to user -Permission126=Export third parties -Permission130=Create/modify third parties payment information -Permission141=Read all projects and tasks (also private projects for which I am not a contact) -Permission142=Create/modify all projects and tasks (also private projects for which I am not a contact) -Permission144=Delete all projects and tasks (also private projects i am not contact for) -Permission146=Read providers -Permission147=Read stats -Permission151=Read direct debit payment orders -Permission152=Create/modify a direct debit payment orders -Permission153=Send/Transmit direct debit payment orders -Permission154=Record Credits/Rejections of direct debit payment orders -Permission161=Read contracts/subscriptions -Permission162=Create/modify contracts/subscriptions -Permission163=Activate a service/subscription of a contract -Permission164=Disable a service/subscription of a contract -Permission165=Delete contracts/subscriptions -Permission167=Export contracts -Permission171=Read trips and expenses (yours and your subordinates) -Permission172=Create/modify trips and expenses -Permission173=Delete trips and expenses -Permission174=Read all trips and expenses -Permission178=Export trips and expenses -Permission180=Read suppliers -Permission181=Read purchase orders -Permission182=Create/modify purchase orders -Permission183=Validate purchase orders -Permission184=Approve purchase orders -Permission185=Order or cancel purchase orders -Permission186=Receive purchase orders -Permission187=Close purchase orders -Permission188=Cancel purchase orders -Permission192=Create lines -Permission193=Cancel lines -Permission194=Read the bandwidth lines -Permission202=Create ADSL connections -Permission203=Order connections orders -Permission204=Order connections -Permission205=Manage connections -Permission206=Read connections -Permission211=Read Telephony -Permission212=Order lines -Permission213=Activate line -Permission214=Setup Telephony -Permission215=Setup providers -Permission221=Read emailings -Permission222=Create/modify emailings (topic, recipients...) -Permission223=Validate emailings (allows sending) -Permission229=Delete emailings -Permission237=View recipients and info -Permission238=Manually send mailings -Permission239=Delete mailings after validation or sent -Permission241=Read categories -Permission242=Create/modify categories -Permission243=Delete categories -Permission244=See the contents of the hidden categories -Permission251=Read other users and groups -PermissionAdvanced251=Read other users -Permission252=Read permissions of other users -Permission253=Create/modify other users, groups and permissions -PermissionAdvanced253=Create/modify internal/external users and permissions -Permission254=Create/modify external users only -Permission255=Modify other users password -Permission256=Delete or disable other users -Permission262=Extend access to all third parties AND their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission263=Extend access to all third parties WITHOUT their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission271=Read CA -Permission272=Read invoices -Permission273=Issue invoices -Permission281=Read contacts -Permission282=Create/modify contacts -Permission283=Delete contacts -Permission286=Export contacts -Permission291=Read tariffs -Permission292=Set permissions on the tariffs -Permission293=Modify customer's tariffs -Permission300=Read barcodes -Permission301=Create/modify barcodes -Permission302=Delete barcodes -Permission311=Read services -Permission312=Assign service/subscription to contract -Permission331=Read bookmarks -Permission332=Create/modify bookmarks -Permission333=Delete bookmarks -Permission341=Read its own permissions -Permission342=Create/modify his own user information -Permission343=Modify his own password -Permission344=Modify its own permissions -Permission351=Read groups -Permission352=Read groups permissions -Permission353=Create/modify groups -Permission354=Delete or disable groups -Permission358=Export users -Permission401=Read discounts -Permission402=Create/modify discounts -Permission403=Validate discounts -Permission404=Delete discounts -Permission430=Use Debug Bar -Permission511=Read salaries and payments (yours and subordinates) -Permission512=Create/modify salaries and payments -Permission514=Delete salaries and payments -Permission517=Read salaries and payments everybody -Permission519=Export salaries -Permission520=Read Loans -Permission522=Create/modify loans -Permission524=Delete loans -Permission525=Access loan calculator -Permission527=Export loans -Permission531=Read services -Permission532=Create/modify services -Permission534=Delete services -Permission536=See/manage hidden services -Permission538=Export services -Permission561=Read payment orders by credit transfer -Permission562=Create/modify payment order by credit transfer -Permission563=Send/Transmit payment order by credit transfer -Permission564=Record Debits/Rejections of credit transfer -Permission601=Read stickers -Permission602=Create/modify stickers -Permission609=Delete stickers -Permission650=Read Bills of Materials -Permission651=Create/Update Bills of Materials -Permission652=Delete Bills of Materials -Permission660=Read Manufacturing Order (MO) -Permission661=Create/Update Manufacturing Order (MO) -Permission662=Delete Manufacturing Order (MO) -Permission701=Read donations -Permission702=Create/modify donations -Permission703=Delete donations -Permission771=Read expense reports (yours and your subordinates) -Permission772=Create/modify expense reports (for you and your subordinates) -Permission773=Delete expense reports -Permission775=Approve expense reports -Permission776=Pay expense reports -Permission777=Read all expense reports (even those of user not subordinates) -Permission778=Create/modify expense reports of everybody -Permission779=Export expense reports -Permission1001=Read stocks -Permission1002=Create/modify warehouses -Permission1003=Delete warehouses -Permission1004=Read stock movements -Permission1005=Create/modify stock movements -Permission1011=View inventories -Permission1012=Create new inventory -Permission1014=Validate inventory -Permission1015=Allow to change PMP value for a product -Permission1016=Delete inventory -Permission1101=Read delivery receipts -Permission1102=Create/modify delivery receipts -Permission1104=Validate delivery receipts -Permission1109=Delete delivery receipts -Permission1121=Read supplier proposals -Permission1122=Create/modify supplier proposals -Permission1123=Validate supplier proposals -Permission1124=Send supplier proposals -Permission1125=Delete supplier proposals -Permission1126=Close supplier price requests -Permission1181=Read suppliers -Permission1182=Read purchase orders -Permission1183=Create/modify purchase orders -Permission1184=Validate purchase orders -Permission1185=Approve purchase orders -Permission1186=Order purchase orders -Permission1187=Acknowledge receipt of purchase orders -Permission1188=Delete purchase orders -Permission1189=Check/Uncheck a purchase order reception -Permission1190=Approve (second approval) purchase orders -Permission1191=Export supplier orders and their attributes -Permission1201=Get result of an export -Permission1202=Create/Modify an export -Permission1231=Read vendor invoices -Permission1232=Create/modify vendor invoices -Permission1233=Validate vendor invoices -Permission1234=Delete vendor invoices -Permission1235=Send vendor invoices by email -Permission1236=Export vendor invoices, attributes and payments -Permission1237=Export purchase orders and their details -Permission1251=Run mass imports of external data into database (data load) -Permission1321=Export customer invoices, attributes and payments -Permission1322=Reopen a paid bill -Permission1421=Export sales orders and attributes -Permission1521=Read documents -Permission1522=Delete documents -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) -Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) -Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) -Permission2411=Read actions (events or tasks) of others -Permission2412=Create/modify actions (events or tasks) of others -Permission2413=Delete actions (events or tasks) of others -Permission2414=Export actions/tasks of others -Permission2501=Read/Download documents -Permission2502=Download documents -Permission2503=Submit or delete documents -Permission2515=Setup documents directories -Permission2801=Use FTP client in read mode (browse and download only) -Permission2802=Use FTP client in write mode (delete or upload files) -Permission3200=Read archived events and fingerprints -Permission3301=Generate new modules -Permission4001=Read skill/job/position -Permission4002=Create/modify skill/job/position -Permission4003=Delete skill/job/position -Permission4020=Read evaluations -Permission4021=Create/modify your evaluation -Permission4022=Validate evaluation -Permission4023=Delete evaluation -Permission4030=See comparison menu -Permission10001=Read website content -Permission10002=Create/modify website content (html and javascript content) -Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. -Permission10005=Delete website content -Permission20001=Read leave requests (your leave and those of your subordinates) -Permission20002=Create/modify your leave requests (your leave and those of your subordinates) -Permission20003=Delete leave requests -Permission20004=Read all leave requests (even those of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) -Permission20006=Administer leave requests (setup and update balance) -Permission20007=Approve leave requests -Permission23001=Read Scheduled job -Permission23002=Create/update Scheduled job -Permission23003=Delete Scheduled job -Permission23004=Execute Scheduled job -Permission50101=Use Point of Sale (SimplePOS) -Permission50151=Use Point of Sale (TakePOS) -Permission50152=Edit sales lines -Permission50153=Edit ordered sales lines -Permission50201=Read transactions -Permission50202=Import transactions -Permission50330=Read objects of Zapier -Permission50331=Create/Update objects of Zapier -Permission50332=Delete objects of Zapier -Permission50401=Bind products and invoices with accounting accounts -Permission50411=Read operations in ledger -Permission50412=Write/Edit operations in ledger -Permission50414=Delete operations in ledger -Permission50415=Delete all operations by year and journal in ledger -Permission50418=Export operations of the ledger -Permission50420=Report and export reports (turnover, balance, journals, ledger) -Permission50430=Define fiscal periods. Validate transactions and close fiscal periods. -Permission50440=Manage chart of accounts, setup of accountancy -Permission51001=Read assets -Permission51002=Create/Update assets -Permission51003=Delete assets -Permission51005=Setup types of asset -Permission54001=Print -Permission55001=Read polls -Permission55002=Create/modify polls -Permission59001=Read commercial margins -Permission59002=Define commercial margins -Permission59003=Read every user margin -Permission63001=Read resources -Permission63002=Create/modify resources -Permission63003=Delete resources -Permission63004=Link resources to agenda events -Permission64001=Allow direct printing -Permission67000=Allow printing of receipts -Permission68001=Read intracomm report -Permission68002=Create/modify intracomm report -Permission68004=Delete intracomm report -Permission941601=Read receipts -Permission941602=Create and modify receipts -Permission941603=Validate receipts -Permission941604=Send receipts by email -Permission941605=Export receipts -Permission941606=Delete receipts -DictionaryCompanyType=Third-party types -DictionaryCompanyJuridicalType=Third-party legal entities -DictionaryProspectLevel=Prospect potential level for companies -DictionaryProspectContactLevel=Prospect potential level for contacts -DictionaryCanton=States/Provinces -DictionaryRegion=Regions -DictionaryCountry=Countries -DictionaryCurrency=Currencies -DictionaryCivility=Honorific titles -DictionaryActions=Types of agenda events -DictionarySocialContributions=Types of social or fiscal taxes -DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of tax stamps -DictionaryPaymentConditions=Payment Terms -DictionaryPaymentModes=Payment Modes -DictionaryTypeContact=Contact/Address types -DictionaryTypeOfContainer=Website - Type of website pages/containers -DictionaryEcotaxe=Ecotax (WEEE) -DictionaryPaperFormat=Paper formats -DictionaryFormatCards=Card formats -DictionaryFees=Expense report - Types of expense report lines -DictionarySendingMethods=Shipping methods -DictionaryStaff=Number of Employees -DictionaryAvailability=Delivery delay -DictionaryOrderMethods=Order methods -DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups for reports -DictionaryAccountancysystem=Models for chart of accounts -DictionaryAccountancyJournal=Accounting journals -DictionaryEMailTemplates=Email Templates -DictionaryUnits=Units -DictionaryMeasuringUnits=Measuring Units -DictionarySocialNetworks=Social Networks -DictionaryProspectStatus=Prospect status for companies -DictionaryProspectContactStatus=Prospect status for contacts -DictionaryHolidayTypes=Leave - Types of leave -DictionaryOpportunityStatus=Lead status for project/lead -DictionaryExpenseTaxCat=Expense report - Transportation categories -DictionaryExpenseTaxRange=Expense report - Range by transportation category -DictionaryTransportMode=Intracomm report - Transport mode -DictionaryBatchStatus=Product lot/serial Quality Control status -TypeOfUnit=Type of unit -SetupSaved=Setup saved -SetupNotSaved=Setup not saved -BackToModuleList=Back to Module list -BackToDictionaryList=Back to Dictionaries list -TypeOfRevenueStamp=Type of tax stamp -VATManagement=Sales Tax Management -VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. -VATIsNotUsedDesc=By default the proposed Sales tax is 0 which can be used for cases like associations, individuals or small companies. -VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. -VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +Module50200Desc=ለደንበኞች የፔይፓል የመስመር ላይ የክፍያ ገጽ (የPayPal መለያ ወይም የክሬዲት/ዴቢት ካርዶች) ያቅርቡ። ይህ ደንበኞችዎ የማስታወቂያ ሆክ ክፍያዎችን ወይም ከአንድ የተወሰነ የዶሊባርር ነገር ጋር የተያያዙ ክፍያዎችን (ክፍያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ ማዘዣ ወዘተ...) እንዲከፍሉ ለማስቻል ሊያገለግል ይችላል። +Module50300Name=ጭረት +Module50300Desc=ለደንበኞች Stripe የመስመር ላይ ክፍያ ገጽ (ክሬዲት/ዴቢት ካርዶች) ያቅርቡ። ይህ ደንበኞችዎ የማስታወቂያ ሆክ ክፍያዎችን ወይም ከአንድ የተወሰነ የዶሊባርር ነገር ጋር የተያያዙ ክፍያዎችን (ክፍያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ ማዘዣ ወዘተ...) እንዲከፍሉ ለማስቻል ሊያገለግል ይችላል። +Module50400Name=የሂሳብ አያያዝ (ድርብ ግቤት) +Module50400Desc=የሂሳብ አያያዝ አስተዳደር (ድርብ ግቤቶች ፣ የድጋፍ አጠቃላይ እና ንዑስ ደብተሮች)። የሂሳብ ደብተሩን በበርካታ ሌሎች የሂሳብ አያያዝ ሶፍትዌር ቅርጸቶች ወደ ውጭ ላክ። +Module54000Name=የህትመት አይፒፒ +Module54000Desc=በቀጥታ ማተም (ሰነዶቹን ሳይከፍቱ) Cups IPP በይነገጽን በመጠቀም (አታሚ ከአገልጋዩ መታየት አለበት, እና CUPS በአገልጋዩ ላይ መጫን አለበት). +Module55000Name=የሕዝብ አስተያየት፣ የዳሰሳ ጥናት ወይም ድምጽ ይስጡ +Module55000Desc=የመስመር ላይ ምርጫዎችን፣ የዳሰሳ ጥናቶችን ወይም ድምጾችን (እንደ Doodle፣ Studs፣ RDVz ወዘተ...) ይፍጠሩ +Module59000Name=ህዳጎች +Module59000Desc=ህዳጎችን ለመከተል ሞጁል። +Module60000Name=ኮሚሽኖች +Module60000Desc=ኮሚሽኖችን ለማስተዳደር ሞጁል +Module62000Name=ኢንኮተርምስ +Module62000Desc=Incotermsን ለማስተዳደር ባህሪያትን ያክሉ +Module63000Name=መርጃዎች +Module63000Desc=ለክስተቶች ለመመደብ ግብዓቶችን (አታሚዎችን፣ መኪናዎችን፣ ክፍሎች፣ ...) ያቀናብሩ +Module66000Name=OAuth2 ማስመሰያ አስተዳደር +Module66000Desc=የOAuth2 ቶከኖችን ለማመንጨት እና ለማስተዳደር መሳሪያ ያቅርቡ። ማስመሰያው ከዚያም በአንዳንድ ሌሎች ሞጁሎች መጠቀም ይቻላል. +Module94160Name=አቀባበል +ModuleBookCalName=የቀን መቁጠሪያ ስርዓት ማስያዝ +ModuleBookCalDesc=ቀጠሮዎችን ለማስያዝ የቀን መቁጠሪያን ያስተዳድሩ +##### Permissions ##### +Permission11=የደንበኛ ደረሰኞችን (እና ክፍያዎችን) ያንብቡ +Permission12=የደንበኛ ደረሰኞችን ይፍጠሩ / ያሻሽሉ +Permission13=የደንበኛ ደረሰኞችን ዋጋ ያጥፉ +Permission14=የደንበኛ ደረሰኞችን ያረጋግጡ +Permission15=የደንበኛ ደረሰኞችን በኢሜል ይላኩ። +Permission16=ለደንበኛ ደረሰኞች ክፍያዎችን ይፍጠሩ +Permission19=የደንበኛ ደረሰኞችን ሰርዝ +Permission21=የንግድ ፕሮፖዛል ያንብቡ +Permission22=የንግድ ሀሳቦችን ይፍጠሩ / ያሻሽሉ +Permission24=የንግድ ሀሳቦችን ያረጋግጡ +Permission25=የንግድ ፕሮፖዛል ይላኩ። +Permission26=የንግድ ፕሮፖዛል ዝጋ +Permission27=የንግድ ሀሳቦችን ሰርዝ +Permission28=የንግድ ፕሮፖዛል ወደ ውጭ ላክ +Permission31=ምርቶችን ያንብቡ +Permission32=ምርቶችን ይፍጠሩ / ያሻሽሉ +Permission33=የዋጋ ምርቶችን ያንብቡ +Permission34=ምርቶችን ሰርዝ +Permission36=የተደበቁ ምርቶችን ይመልከቱ/ያቀናብሩ +Permission38=ምርቶችን ወደ ውጭ ላክ +Permission39=ዝቅተኛውን ዋጋ ችላ ይበሉ +Permission41=ፕሮጀክቶችን እና ተግባሮችን አንብብ (የጋራ ፕሮጀክቶች እና ፕሮጄክቶች እኔ እውቂያ የሆንኩባቸው)። +Permission42=ፕሮጀክቶችን መፍጠር/አሻሽል (የጋራ ፕሮጀክቶች እና ፕሮጄክቶች እኔ እውቂያ የሆንኩባቸው)። ተጠቃሚዎችን ለፕሮጀክቶች እና ተግባሮች መመደብ ይችላል። +Permission44=ፕሮጀክቶችን ሰርዝ (የጋራ ፕሮጄክቶች እና ፕሮጄክቶች እኔ የማገኛቸው) +Permission45=ፕሮጀክቶችን ወደ ውጭ መላክ +Permission61=ጣልቃገብነቶችን ያንብቡ +Permission62=ጣልቃ-ገብነቶችን ይፍጠሩ / ያሻሽሉ +Permission64=ጣልቃ-ገብነቶችን ሰርዝ +Permission67=ወደ ውጭ መላክ ጣልቃገብነቶች +Permission68=ጣልቃ-ገብነቶችን በኢሜል ይላኩ። +Permission69=ጣልቃገብነቶችን ያረጋግጡ +Permission70=ትክክል ያልሆኑ ጣልቃ ገብነቶች +Permission71=አባላትን ያንብቡ +Permission72=አባላትን ይፍጠሩ / ይቀይሩ +Permission74=አባላትን ሰርዝ +Permission75=የአባልነት ዓይነቶችን ማዋቀር +Permission76=ውሂብ ወደ ውጪ ላክ +Permission78=የደንበኝነት ምዝገባዎችን ያንብቡ +Permission79=የደንበኝነት ምዝገባዎችን ይፍጠሩ / ያሻሽሉ +Permission81=የደንበኞችን ትዕዛዝ ያንብቡ +Permission82=የደንበኞችን ትዕዛዞችን ይፍጠሩ / ያሻሽሉ +Permission84=የደንበኞችን ትዕዛዞች ያረጋግጡ +Permission85=ሰነዶችን የሽያጭ ትዕዛዞችን ይፍጠሩ +Permission86=የደንበኞችን ትዕዛዝ ይላኩ። +Permission87=የደንበኞችን ትዕዛዞች ዝጋ +Permission88=የደንበኞችን ትዕዛዝ ሰርዝ +Permission89=የደንበኞችን ትዕዛዞች ሰርዝ +Permission91=ማህበራዊ ወይም ፊስካል ታክስ እና ቫት ያንብቡ +Permission92=ማህበራዊ ወይም ፊስካል ታክሶችን መፍጠር/ማሻሻል እና ቫት +Permission93=ማህበራዊ ወይም ፊስካል ታክሶችን እና ቫት ሰርዝ +Permission94=ማህበራዊ ወይም ፊስካል ታክሶችን ወደ ውጭ ላክ +Permission95=ሪፖርቶችን ያንብቡ +Permission101=መልእክቶችን ያንብቡ +Permission102=መላኪያዎችን ይፍጠሩ/ያስተካክሉ +Permission104=መላኪያዎችን ያረጋግጡ +Permission105=መልእክቶችን በኢሜል ይላኩ። +Permission106=መላኪያዎችን ወደ ውጪ ላክ +Permission109=መላኪያዎችን ሰርዝ +Permission111=የፋይናንስ ሂሳቦችን ያንብቡ +Permission112=ግብይቶችን ይፍጠሩ / ያሻሽሉ / ይሰርዙ እና ያወዳድሩ +Permission113=የገንዘብ ሂሳቦችን ማዋቀር (የባንክ ግብይቶች ምድቦችን መፍጠር ፣ ማስተዳደር) +Permission114=ግብይቶችን ማስታረቅ +Permission115=ግብይቶችን እና የመለያ መግለጫዎችን ወደ ውጭ ላክ +Permission116=በመለያዎች መካከል የሚደረግ ሽግግር +Permission117=ቼኮች መላክን ያስተዳድሩ +Permission121=ከተጠቃሚ ጋር የተገናኙ ሶስተኛ ወገኖችን ያንብቡ +Permission122=ከተጠቃሚ ጋር የተገናኙ ሶስተኛ ወገኖችን ይፍጠሩ/ያሻሽሉ። +Permission125=ከተጠቃሚ ጋር የተገናኙ ሶስተኛ ወገኖችን ሰርዝ +Permission126=ሶስተኛ ወገኖችን ወደ ውጭ ላክ +Permission130=የሶስተኛ ወገን የክፍያ መረጃ ይፍጠሩ/ ያስተካክሉ +Permission141=ሁሉንም ፕሮጀክቶች እና ተግባራት አንብብ (እንዲሁም እኔ የማልገናኝባቸውን የግል ፕሮጀክቶች) +Permission142=ሁሉንም ፕሮጄክቶች እና ተግባራትን (እንዲሁም እኔ የማልገናኝባቸውን የግል ፕሮጄክቶች) መፍጠር/ማሻሻል +Permission144=ሁሉንም ፕሮጀክቶች እና ተግባሮች ሰርዝ (እንዲሁም እኔ እውቂያ አይደለሁም የግል ፕሮጀክቶች) +Permission145=ለእኔ ወይም ለኔ ተዋረድ የተመደበውን ጊዜ በተመደቡ ተግባራት (የጊዜ ሉህ) ላይ ማስገባት ይችላል። +Permission146=አቅራቢዎችን ያንብቡ +Permission147=ስታቲስቲክስን ያንብቡ +Permission151=ቀጥታ የዴቢት ክፍያ ትዕዛዞችን ያንብቡ +Permission152=የቀጥታ ዴቢት ክፍያ ትዕዛዞችን ይፍጠሩ/ያሻሽሉ። +Permission153=የቀጥታ ዴቢት ክፍያ ትዕዛዞችን ላክ/አስተላልፍ +Permission154=ክሬዲት ይመዝግቡ/የቀጥታ ዴቢት ክፍያ ትዕዛዞችን ውድቅ ያድርጉ +Permission161=ውሎችን/የደንበኝነት ምዝገባዎችን ያንብቡ +Permission162=ኮንትራቶችን/የደንበኝነት ምዝገባዎችን መፍጠር/ማሻሻል +Permission163=የኮንትራት አገልግሎት/የደንበኝነት ምዝገባን ያግብሩ +Permission164=የኮንትራት አገልግሎት/የደንበኝነት ምዝገባን አሰናክል +Permission165=ኮንትራቶችን/የደንበኝነት ምዝገባዎችን ሰርዝ +Permission167=ኮንትራቶችን ወደ ውጭ መላክ +Permission171=ጉዞዎችን እና ወጪዎችን ያንብቡ (የእርስዎ እና የበታችዎ) +Permission172=ጉዞዎችን እና ወጪዎችን ይፍጠሩ / ያሻሽሉ +Permission173=ጉዞዎችን እና ወጪዎችን ሰርዝ +Permission174=ሁሉንም ጉዞዎች እና ወጪዎች ያንብቡ +Permission178=ጉዞዎችን እና ወጪዎችን ወደ ውጭ ይላኩ +Permission180=አቅራቢዎችን ያንብቡ +Permission181=የግዢ ትዕዛዞችን ያንብቡ +Permission182=የግዢ ትዕዛዞችን ይፍጠሩ/ያስተካክሉ +Permission183=የግዢ ትዕዛዞችን ያረጋግጡ +Permission184=የግዢ ትዕዛዞችን ያጽድቁ +Permission185=የግዢ ትዕዛዞችን ይዘዙ ወይም ይሰርዙ +Permission186=የግዢ ትዕዛዞችን ይቀበሉ +Permission187=የግዢ ትዕዛዞችን ዝጋ +Permission188=የግዢ ትዕዛዞችን ሰርዝ +Permission192=መስመሮችን ይፍጠሩ +Permission193=መስመሮችን ሰርዝ +Permission194=የመተላለፊያ መስመሮቹን ያንብቡ +Permission202=የ ADSL ግንኙነቶችን ይፍጠሩ +Permission203=የግንኙነት ትዕዛዞችን ይዘዙ +Permission204=ማዘዣ ግንኙነቶች +Permission205=ግንኙነቶችን ያስተዳድሩ +Permission206=ግንኙነቶችን ያንብቡ +Permission211=ቴሌፎን ያንብቡ +Permission212=የትእዛዝ መስመሮች +Permission213=መስመር አግብር +Permission214=ስልክ ያዋቅሩ +Permission215=አቅራቢዎችን ያዋቅሩ +Permission221=ኢሜይሎችን ያንብቡ +Permission222=ኢሜይሎችን ይፍጠሩ/ያሻሽሉ (ርዕስ፣ ተቀባዮች...) +Permission223=ኢሜይሎችን አረጋግጥ (መላክን ይፈቅዳል) +Permission229=ኢሜይሎችን ሰርዝ +Permission237=ተቀባዮችን እና መረጃን ይመልከቱ +Permission238=ደብዳቤዎችን በእጅ ይላኩ። +Permission239=ከተረጋገጠ ወይም ከተላኩ በኋላ መልእክቶችን ሰርዝ +Permission241=ምድቦችን ያንብቡ +Permission242=ምድቦችን ይፍጠሩ / ያሻሽሉ +Permission243=ምድቦችን ሰርዝ +Permission244=የተደበቁ ምድቦችን ይዘቶች ተመልከት +Permission251=ሌሎች ተጠቃሚዎችን እና ቡድኖችን ያንብቡ +PermissionAdvanced251=ሌሎች ተጠቃሚዎችን ያንብቡ +Permission252=የሌሎች ተጠቃሚዎችን ፈቃዶች ያንብቡ +Permission253=ሌሎች ተጠቃሚዎችን፣ ቡድኖችን እና ፈቃዶችን ይፍጠሩ/ ያሻሽሉ። +PermissionAdvanced253=የውስጥ / የውጭ ተጠቃሚዎችን እና ፈቃዶችን ይፍጠሩ / ያሻሽሉ +Permission254=የውጪ ተጠቃሚዎችን ብቻ ይፍጠሩ/ ያስተካክሉ +Permission255=የሌሎች ተጠቃሚዎችን የይለፍ ቃል ቀይር +Permission256=ሌሎች ተጠቃሚዎችን ይሰርዙ ወይም ያሰናክሉ። +Permission262=የሁሉም ሶስተኛ ወገኖች እና የእቃዎቻቸው መዳረሻን ያራዝሙ (ተጠቃሚው የሽያጭ ተወካይ የሆነባቸው ሶስተኛ ወገኖች ብቻ አይደሉም)
      ለውጭ ተጠቃሚዎች ውጤታማ አይደለም (ሁልጊዜ ለራሳቸው ብቻ የተገደቡ ሀሳቦች፣ ትዕዛዞች፣ ደረሰኞች፣ ኮንትራቶች፣ ወዘተ)።
      ለፕሮጀክቶች ውጤታማ አይደለም (የፕሮጀክት ፈቃዶች፣ የታይነት እና የምደባ ጉዳዮች ላይ ያሉ ህጎች ብቻ)። +Permission263=የሁሉንም ሶስተኛ ወገኖች ያለእቃዎቻቸው መዳረሻን ያራዝሙ (ተጠቃሚው የሽያጭ ተወካይ የሆነባቸው ሶስተኛ ወገኖች ብቻ አይደሉም)
      ለውጭ ተጠቃሚዎች ውጤታማ አይደለም (ሁልጊዜ ለውሳኔ ሃሳቦች በራሳቸው ብቻ የተገደቡ፣ ትዕዛዞች፣ ደረሰኞች፣ ኮንትራቶች፣ ወዘተ)።
      ለፕሮጀክቶች ውጤታማ አይደለም (የፕሮጀክት ፈቃዶች፣ የታይነት እና የምደባ ጉዳዮች ላይ ያሉ ህጎች ብቻ)። +Permission271=CA አንብብ +Permission272=ደረሰኞች ያንብቡ +Permission273=የክፍያ መጠየቂያዎችን ማውጣት +Permission281=እውቂያዎችን ያንብቡ +Permission282=እውቂያዎችን ይፍጠሩ / ያሻሽሉ +Permission283=እውቂያዎችን ሰርዝ +Permission286=እውቂያዎችን ወደ ውጪ ላክ +Permission291=ታሪፎችን ያንብቡ +Permission292=በታሪፎች ላይ ፈቃዶችን ያዘጋጁ +Permission293=የደንበኞችን ታሪፍ ያስተካክሉ +Permission301=የባርኮድ ፒዲኤፍ ሉሆችን ይፍጠሩ +Permission304=የአሞሌ ኮድ ይፍጠሩ/ያሻሽሉ። +Permission305=ባርኮዶችን ሰርዝ +Permission311=አገልግሎቶችን ያንብቡ +Permission312=ለኮንትራት አገልግሎት/ደንበኝነት መመዝገብ +Permission331=ዕልባቶችን ያንብቡ +Permission332=ዕልባቶችን ፍጠር/አስተካክል። +Permission333=ዕልባቶችን ሰርዝ +Permission341=የራሱን ፍቃዶች ያንብቡ +Permission342=የራሱን የተጠቃሚ መረጃ ይፍጠሩ / ያሻሽሉ +Permission343=የራሱን የይለፍ ቃል አስተካክል። +Permission344=የራሱን ፈቃዶች አስተካክል። +Permission351=ቡድኖችን ያንብቡ +Permission352=የቡድን ፈቃዶችን ያንብቡ +Permission353=ቡድኖችን ይፍጠሩ / ይቀይሩ +Permission354=ቡድኖችን ይሰርዙ ወይም ያሰናክሉ። +Permission358=ተጠቃሚዎችን ወደ ውጭ ላክ +Permission401=ቅናሾችን ያንብቡ +Permission402=ቅናሾችን ይፍጠሩ/ ያስተካክሉ +Permission403=ቅናሾችን ያረጋግጡ +Permission404=ቅናሾችን ሰርዝ +Permission430=ማረም አሞሌን ተጠቀም +Permission511=ደሞዞችን እና ክፍያዎችን ያንብቡ (የእርስዎ እና የበታች ሰራተኞች) +Permission512=ደሞዞችን እና ክፍያዎችን ይፍጠሩ / ያሻሽሉ +Permission514=ደሞዝ እና ክፍያዎችን ሰርዝ +Permission517=ደሞዝ እና ክፍያዎችን ለሁሉም ያንብቡ +Permission519=ደሞዝ ወደ ውጪ ላክ +Permission520=ብድሮችን ያንብቡ +Permission522=ብድሮችን ይፍጠሩ / ያሻሽሉ +Permission524=ብድሮችን ሰርዝ +Permission525=የመዳረሻ ብድር ማስያ +Permission527=ብድር ወደ ውጪ ላክ +Permission531=አገልግሎቶችን ያንብቡ +Permission532=አገልግሎቶችን ይፍጠሩ/ያሻሽሉ። +Permission533=የዋጋ አገልግሎቶችን ያንብቡ +Permission534=አገልግሎቶችን ሰርዝ +Permission536=የተደበቁ አገልግሎቶችን ይመልከቱ/ያቀናብሩ +Permission538=ወደ ውጪ መላክ አገልግሎቶች +Permission561=የክፍያ ትዕዛዞችን በዱቤ ማስተላለፍ ያንብቡ +Permission562=የክፍያ ትዕዛዝ በክሬዲት ማስተላለፍ ይፍጠሩ/ ያስተካክሉ +Permission563=የክፍያ ትዕዛዝ በዱቤ ማስተላለፍ ላክ/አስተላልፍ +Permission564=የዱቤ ዝውውሮችን/የክሬዲት ማስተላለፍ ውድቅዎችን ይመዝግቡ +Permission601=ተለጣፊዎችን ያንብቡ +Permission602=ተለጣፊዎችን ይፍጠሩ/ያስተካክሉ +Permission609=ተለጣፊዎችን ሰርዝ +Permission611=የተለዋዋጮችን ባህሪዎች ያንብቡ +Permission612=የተለዋዋጮችን ባህሪያት ይፍጠሩ/አዘምኑ +Permission613=የተለዋዋጮችን ባህሪያት ሰርዝ +Permission650=የፍጆታ ሂሳቦችን ያንብቡ +Permission651=የቁሳቁስ ሂሳቦችን ይፍጠሩ/ያዘምኑ +Permission652=የፍጆታ ሂሳቦችን ሰርዝ +Permission660=የማምረቻ ትዕዛዝ (MO) አንብብ +Permission661=የማምረቻ ትዕዛዝ (MO) ይፍጠሩ/አዘምኑ +Permission662=የማምረቻ ትእዛዝ (MO) ሰርዝ +Permission701=ልገሳዎችን ያንብቡ +Permission702=ልገሳዎችን ይፍጠሩ/ ያስተካክሉ +Permission703=ልገሳዎችን ሰርዝ +Permission771=የወጪ ሪፖርቶችን ያንብቡ (የእርስዎ እና የበታችዎ) +Permission772=የወጪ ሪፖርቶችን ይፍጠሩ/ያሻሽሉ (ለእርስዎ እና ለበታቾችዎ) +Permission773=የወጪ ሪፖርቶችን ሰርዝ +Permission775=የወጪ ሪፖርቶችን ያጽድቁ +Permission776=የወጪ ሪፖርቶችን ይክፈሉ። +Permission777=ሁሉንም የወጪ ሪፖርቶች ያንብቡ (የተጠቃሚው የበታች ያልሆኑትም ጭምር) +Permission778=የሁሉንም ሰው የወጪ ሪፖርቶችን ይፍጠሩ/ ያስተካክሉ +Permission779=የወጪ ሪፖርቶችን ወደ ውጪ ላክ +Permission1001=አክሲዮኖችን ያንብቡ +Permission1002=መጋዘኖችን ይፍጠሩ / ያሻሽሉ +Permission1003=መጋዘኖችን ሰርዝ +Permission1004=የአክሲዮን እንቅስቃሴዎችን ያንብቡ +Permission1005=የአክሲዮን እንቅስቃሴዎችን ይፍጠሩ/ ያስተካክሉ +Permission1011=እቃዎችን ይመልከቱ +Permission1012=አዲስ ክምችት ይፍጠሩ +Permission1014=ቆጠራን ያረጋግጡ +Permission1015=ለአንድ ምርት የPMP ዋጋ እንዲለውጥ ፍቀድ +Permission1016=ቆጠራን ሰርዝ +Permission1101=የመላኪያ ደረሰኞችን ያንብቡ +Permission1102=የመላኪያ ደረሰኞችን ይፍጠሩ/ያስተካክሉ +Permission1104=የመላኪያ ደረሰኞችን ያረጋግጡ +Permission1109=የመላኪያ ደረሰኞችን ሰርዝ +Permission1121=የአቅራቢዎችን ሀሳቦች ያንብቡ +Permission1122=የአቅራቢ ሀሳቦችን ይፍጠሩ/ ያሻሽሉ። +Permission1123=የአቅራቢ ሃሳቦችን ያረጋግጡ +Permission1124=የአቅራቢ ሀሳቦችን ይላኩ። +Permission1125=የአቅራቢዎችን ሀሳቦች ይሰርዙ +Permission1126=የአቅራቢ ዋጋ ጥያቄዎችን ዝጋ +Permission1181=አቅራቢዎችን ያንብቡ +Permission1182=የግዢ ትዕዛዞችን ያንብቡ +Permission1183=የግዢ ትዕዛዞችን ይፍጠሩ/ያስተካክሉ +Permission1184=የግዢ ትዕዛዞችን ያረጋግጡ +Permission1185=የግዢ ትዕዛዞችን ያጽድቁ +Permission1186=የግዢ ትዕዛዞችን ይዘዙ +Permission1187=የግዢ ትዕዛዞችን ደረሰኝ እውቅና ይስጡ +Permission1188=የግዢ ትዕዛዞችን ሰርዝ +Permission1189=የግዢ ማዘዣ መቀበልን ያረጋግጡ/ያንሱ +Permission1190=የግዢ ትዕዛዞችን ማጽደቅ (ሁለተኛ ማጽደቅ) +Permission1191=የአቅራቢ ትዕዛዞችን እና ባህሪያቸውን ወደ ውጭ ይላኩ። +Permission1201=የኤክስፖርት ውጤት ያግኙ +Permission1202=ወደ ውጭ መላክ ፍጠር/አስተካክል። +Permission1231=የሻጭ ደረሰኞችን (እና ክፍያዎችን) ያንብቡ +Permission1232=የሻጭ ደረሰኞችን ይፍጠሩ/ያስተካክሉ +Permission1233=የአቅራቢ ደረሰኞችን ያረጋግጡ +Permission1234=የሻጭ ደረሰኞችን ሰርዝ +Permission1235=የሻጭ ደረሰኞችን በኢሜል ይላኩ። +Permission1236=የአቅራቢ ደረሰኞችን፣ ባህሪያትን እና ክፍያዎችን ወደ ውጭ ላክ +Permission1237=የግዢ ትዕዛዞችን እና ዝርዝሮቻቸውን ወደ ውጪ ላክ +Permission1251=የጅምላ ውጫዊ ውሂብን ወደ ዳታቤዝ (የውሂብ ጭነት) ማስመጣት +Permission1321=የደንበኛ ደረሰኞችን፣ ባህሪያትን እና ክፍያዎችን ወደ ውጭ ላክ +Permission1322=የተከፈለ ሂሳብ እንደገና ይክፈቱ +Permission1421=የሽያጭ ትዕዛዞችን እና ባህሪያትን ወደ ውጪ ላክ +Permission1521=ሰነዶችን ያንብቡ +Permission1522=ሰነዶችን ሰርዝ +Permission2401=ከተጠቃሚ መለያው ጋር የተገናኙ ድርጊቶችን (ክስተቶችን ወይም ተግባሮችን) አንብብ (የዝግጅቱ ባለቤት ከሆነ ወይም አሁን የተመደበለት) +Permission2402=ከተጠቃሚ መለያው ጋር የተገናኙ ድርጊቶችን (ክስተቶችን ወይም ተግባራትን) ይፍጠሩ/ያሻሽሉ (የዝግጅቱ ባለቤት ከሆነ) +Permission2403=ከተጠቃሚ መለያው ጋር የተገናኙ ድርጊቶችን (ክስተቶችን ወይም ተግባሮችን) ሰርዝ (የክስተቱ ባለቤት ከሆነ) +Permission2411=የሌሎችን ድርጊቶች (ክስተቶች ወይም ተግባሮች) ያንብቡ +Permission2412=የሌሎችን ድርጊቶች (ክስተቶች ወይም ተግባሮች) ይፍጠሩ/ያሻሽሉ። +Permission2413=የሌሎችን ድርጊቶች (ክስተቶች ወይም ተግባሮች) ሰርዝ +Permission2414=የሌሎችን ተግባራት/ተግባራት ወደ ውጭ ላክ +Permission2501=ሰነዶችን ያንብቡ / ያውርዱ +Permission2502=ሰነዶችን አውርድ +Permission2503=ሰነዶችን ያስገቡ ወይም ይሰርዙ +Permission2515=የሰነዶች ማውጫዎችን ያዋቅሩ +Permission2610=የተጠቃሚዎችን ኤፒአይ ቁልፍ ይፍጠሩ/ ያስተካክሉ +Permission2801=በንባብ ሁነታ የኤፍቲፒ ደንበኛን ተጠቀም (ማሰስ እና ማውረድ ብቻ) +Permission2802=በጽሑፍ ሁነታ የኤፍቲፒ ደንበኛን ይጠቀሙ (ፋይሎችን ይሰርዙ ወይም ይስቀሉ) +Permission3200=በማህደር የተቀመጡ ክስተቶችን እና የጣት አሻራዎችን ያንብቡ +Permission3301=አዲስ ሞጁሎችን ይፍጠሩ +Permission4001=ችሎታ/ስራ/አቀማመጥ አንብብ +Permission4002=ክህሎትን/ስራ/ቦታን መፍጠር/ማሻሻል +Permission4003=ችሎታ/ስራ/ቦታን ሰርዝ +Permission4021=ግምገማዎችን ያንብቡ (የእርስዎ እና የበታችዎ) +Permission4022=ግምገማዎችን ይፍጠሩ / ያሻሽሉ +Permission4023=ግምገማን ያረጋግጡ +Permission4025=ግምገማን ሰርዝ +Permission4028=የንጽጽር ሜኑ ይመልከቱ +Permission4031=የግል መረጃን ያንብቡ +Permission4032=የግል መረጃ ይጻፉ +Permission4033=ሁሉንም ግምገማዎች ያንብቡ (የተጠቃሚው የበታች ያልሆኑትን እንኳን) +Permission10001=የድር ጣቢያ ይዘት ያንብቡ +Permission10002=የድር ጣቢያ ይዘት ፍጠር/አሻሽል (ኤችቲኤምኤል እና ጃቫስክሪፕት ይዘት) +Permission10003=የድር ጣቢያ ይዘትን ይፍጠሩ/አሻሽል (ተለዋዋጭ ፒፒ ኮድ)። አደገኛ፣ ለተገደቡ ገንቢዎች መቀመጥ አለበት። +Permission10005=የድር ጣቢያ ይዘትን ሰርዝ +Permission20001=የእረፍት ጥያቄዎችን አንብብ (የእርስዎ ፈቃድ እና የበታች ሰራተኞች) +Permission20002=የእረፍት ጥያቄዎችዎን ይፍጠሩ/ያሻሽሉ (የእርስዎን ፈቃድ እና የበታች ሰራተኞችን) +Permission20003=የእረፍት ጥያቄዎችን ሰርዝ +Permission20004=ሁሉንም የእረፍት ጥያቄዎች አንብብ (የተጠቃሚው የበታች ያልሆኑትን እንኳን) +Permission20005=ለሁሉም ሰው (የተጠቃሚው የበታች ያልሆኑትን እንኳን) የእረፍት ጥያቄዎችን ይፍጠሩ/ ያስተካክሉ +Permission20006=የእረፍት ጥያቄዎችን ያስተዳድሩ (ሚዛን ማዋቀር እና ማዘመን) +Permission20007=የእረፍት ጥያቄዎችን አጽድቅ +Permission23001=የታቀደውን ሥራ ያንብቡ +Permission23002=የታቀደ ሥራን ይፍጠሩ / ያዘምኑ +Permission23003=የታቀደውን ሥራ ሰርዝ +Permission23004=የታቀደውን ሥራ ያከናውኑ +Permission40001=ምንዛሬዎችን እና ዋጋቸውን ያንብቡ +Permission40002=ምንዛሬዎችን እና ዋጋቸውን ይፍጠሩ/ያዘምኑ +Permission40003=ምንዛሬዎችን እና ዋጋቸውን ይሰርዙ +Permission50101=የመሸጫ ቦታ ተጠቀም (ቀላል POS) +Permission50151=የመሸጫ ቦታ ተጠቀም (TakePOS) +Permission50152=የሽያጭ መስመሮችን ያርትዑ +Permission50153=የታዘዙ የሽያጭ መስመሮችን ያርትዑ +Permission50201=ግብይቶችን ያንብቡ +Permission50202=ግብይቶችን አስመጣ +Permission50330=የ Zapier ዕቃዎችን ያንብቡ +Permission50331=የ Zapier ነገሮችን ይፍጠሩ/ያዘምኑ +Permission50332=የ Zapier ነገሮችን ሰርዝ +Permission50401=ምርቶችን እና ደረሰኞችን በሂሳብ አያያዝ መለያዎች ያስሩ +Permission50411=ክዋኔዎችን በሂሳብ መዝገብ ውስጥ ያንብቡ +Permission50412=ስራዎችን በሂሳብ መዝገብ ውስጥ ይፃፉ/ያርትዑ +Permission50414=በሂሳብ መዝገብ ውስጥ ያሉ ስራዎችን ሰርዝ +Permission50415=ሁሉንም ስራዎች በዓመት ሰርዝ እና በመጽሔት መዝገብ ውስጥ +Permission50418=የመመዝገቢያ ደብተር ወደ ውጭ መላክ ስራዎች +Permission50420=ሪፖርት ያድርጉ እና ወደ ውጪ መላክ ሪፖርቶች (መዞር፣ ሚዛን፣ መጽሔቶች፣ ደብተር) +Permission50430=የበጀት ወቅቶችን ይግለጹ. ግብይቶችን ያረጋግጡ እና የበጀት ጊዜን ይዝጉ። +Permission50440=የሂሳብ ቻርትን ፣ የሂሳብ አያያዝን ያቀናብሩ +Permission51001=ንብረቶችን ያንብቡ +Permission51002=ንብረቶችን ይፍጠሩ/ያዘምኑ +Permission51003=ንብረቶችን ሰርዝ +Permission51005=የንብረት ዓይነቶችን ማዘጋጀት +Permission54001=አትም +Permission55001=ምርጫዎችን ያንብቡ +Permission55002=ምርጫዎችን ይፍጠሩ/ያሻሽሉ። +Permission59001=የንግድ ህዳጎችን ያንብቡ +Permission59002=የንግድ ህዳጎችን ይግለጹ +Permission59003=እያንዳንዱን የተጠቃሚ ህዳግ ያንብቡ +Permission63001=ምንጮችን ያንብቡ +Permission63002=ምንጮችን ይፍጠሩ/ያሻሽሉ። +Permission63003=መርጃዎችን ሰርዝ +Permission63004=ምንጮችን ከአጀንዳ ክስተቶች ጋር ያገናኙ +Permission64001=ቀጥታ ማተምን ፍቀድ +Permission67000=ደረሰኞች ማተምን ፍቀድ +Permission68001=የ intracomm ዘገባ ያንብቡ +Permission68002=የኢንተርኮም ሪፖርት ፍጠር/አስተካክል። +Permission68004=የ intracomm ሪፖርትን ሰርዝ +Permission941601=ደረሰኞች ያንብቡ +Permission941602=ደረሰኞችን ይፍጠሩ እና ያሻሽሉ +Permission941603=ደረሰኞችን ያረጋግጡ +Permission941604=ደረሰኞችን በኢሜል ይላኩ። +Permission941605=ደረሰኞችን ወደ ውጭ ላክ +Permission941606=ደረሰኞችን ሰርዝ +DictionaryCompanyType=የሶስተኛ ወገን ዓይነቶች +DictionaryCompanyJuridicalType=የሶስተኛ ወገን ህጋዊ አካላት +DictionaryProspectLevel=ለኩባንያዎች እምቅ ደረጃ +DictionaryProspectContactLevel=ለእውቂያዎች እምቅ ደረጃ +DictionaryCanton=ክልሎች/አውራጃዎች +DictionaryRegion=ክልሎች +DictionaryCountry=አገሮች +DictionaryCurrency=ምንዛሬዎች +DictionaryCivility=የተከበሩ ርዕሶች +DictionaryActions=የአጀንዳ ክስተቶች ዓይነቶች +DictionarySocialContributions=የማህበራዊ ወይም የፊስካል ታክስ ዓይነቶች +DictionaryVAT=የተ.እ.ታ ተመኖች ወይም የሽያጭ ታክስ ተመኖች +DictionaryRevenueStamp=የታክስ ማህተም መጠን +DictionaryPaymentConditions=የክፍያ ውል +DictionaryPaymentModes=የክፍያ ሁነታዎች +DictionaryTypeContact=የእውቂያ/የአድራሻ ዓይነቶች +DictionaryTypeOfContainer=ድህረ ገጽ - የድርጣቢያ ገፆች/መያዣዎች አይነት +DictionaryEcotaxe=ኢኮታክስ (WEEE) +DictionaryPaperFormat=የወረቀት ቅርጸቶች +DictionaryFormatCards=የካርድ ቅርጸቶች +DictionaryFees=የወጪ ሪፖርት - የወጪ ሪፖርት መስመሮች ዓይነቶች +DictionarySendingMethods=የማጓጓዣ ዘዴዎች +DictionaryStaff=የሰራተኞች ብዛት +DictionaryAvailability=የማድረስ መዘግየት +DictionaryOrderMethods=የትዕዛዝ ዘዴዎች +DictionarySource=የውሳኔ ሃሳቦች / ትዕዛዞች አመጣጥ +DictionaryAccountancyCategory=ለሪፖርቶች ግላዊ ቡድኖች +DictionaryAccountancysystem=የመለያዎች ሰንጠረዥ ሞዴሎች +DictionaryAccountancyJournal=የሂሳብ መጽሔቶች +DictionaryEMailTemplates=የኢሜል አብነቶች +DictionaryUnits=ክፍሎች +DictionaryMeasuringUnits=የመለኪያ ክፍሎች +DictionarySocialNetworks=ማህበራዊ አውታረ መረቦች +DictionaryProspectStatus=ለኩባንያዎች የወደፊት ሁኔታ +DictionaryProspectContactStatus=ለእውቂያዎች የወደፊት ሁኔታ +DictionaryHolidayTypes=ፈቃድ - የእረፍት ዓይነቶች +DictionaryOpportunityStatus=የፕሮጀክት/የመሪነት ደረጃ +DictionaryExpenseTaxCat=የወጪ ሪፖርት - የመጓጓዣ ምድቦች +DictionaryExpenseTaxRange=የወጪ ሪፖርት - በመጓጓዣ ምድብ ክልል +DictionaryTransportMode=Intracomm ሪፖርት - የትራንስፖርት ሁነታ +DictionaryBatchStatus=የምርት ዕጣ/ተከታታይ የጥራት ቁጥጥር ሁኔታ +DictionaryAssetDisposalType=የንብረት አወጋገድ አይነት +DictionaryInvoiceSubtype=የክፍያ መጠየቂያ ንዑስ ዓይነቶች +TypeOfUnit=የክፍል አይነት +SetupSaved=ማዋቀር ተቀምጧል +SetupNotSaved=ማዋቀር አልተቀመጠም። +OAuthServiceConfirmDeleteTitle=የOAuth ግቤትን ሰርዝ +OAuthServiceConfirmDeleteMessage=እርግጠኛ ነዎት ይህን የOAuth ግቤት መሰረዝ ይፈልጋሉ? ለእሱ ያሉት ሁሉም ቶከኖች እንዲሁ ይሰረዛሉ። +ErrorInEntryDeletion=የመግቢያ ስረዛ ላይ ስህተት +EntryDeleted=መግባት ተሰርዟል። +BackToModuleList=ወደ ሞጁል ዝርዝር ተመለስ +BackToDictionaryList=ወደ መዝገበ ቃላት ዝርዝር ተመለስ +TypeOfRevenueStamp=የግብር ማህተም አይነት +VATManagement=የሽያጭ ታክስ አስተዳደር +VATIsUsedDesc=በነባሪነት ግምቶችን፣ ደረሰኞችን፣ ትዕዛዞችን ወዘተ ሲፈጥሩ የሽያጭ ታክስ ታሪፍ የነቃ መደበኛ ህግን ይከተላል፡
      ሻጩ ለሽያጭ ታክስ የማይገዛ ከሆነ፣ የሽያጭ ታክስ ነባሪው 0 ነው። የደንቡ መጨረሻ።
      ከ (የሻጭ ሀገር = የገዢ ሀገር) ከሆነ፣ የሽያጭ ታክስ በነባሪነት በሻጩ አገር ውስጥ ካለው ምርት የሽያጭ ታክስ ጋር እኩል ነው። የደንቡ መጨረሻ።
      ሻጩ እና ገዥው ሁለቱም በአውሮፓ ማህበረሰብ ውስጥ ከሆኑ እና እቃዎች ከትራንስፖርት ጋር የተያያዙ ምርቶች (ማጓጓዣ፣ ማጓጓዣ፣ አየር መንገድ) ከሆኑ ነባሪው ተ.እ.ታ.0 ነው። ደንቡ በሻጩ አገር ላይ የተመሰረተ ነው - እባክዎን ከሂሳብ ባለሙያዎ ጋር ያማክሩ. ተ.እ.ታ መከፈል ያለበት ገዢው በአገራቸው ላለው የጉምሩክ ቢሮ እንጂ ለሻጩ አይደለም። የደንቡ መጨረሻ።
      ሻጩ እና ገዢው ሁለቱም በአውሮፓ ማህበረሰብ ውስጥ ከሆኑ እና ገዥው ኩባንያ ካልሆነ (በማህበረሰብ ውስጥ የተመዘገበ የተጨማሪ እሴት ታክስ ቁጥር) ከዚያም ተ.እ.ታ. የሻጩ ሀገር የቫት መጠን። የደንቡ መጨረሻ።
      ሻጩ እና ገዢው ሁለቱም በአውሮፓ ማህበረሰብ ውስጥ ከሆኑ እና ገዥው ኩባንያ ከሆነ (በማህበረሰብ ውስጥ የተመዘገበ የተጨማሪ እሴት ታክስ ቁጥር)፣ ከዚያም ተ.እ.ታ 0 ነው። በነባሪ. የደንቡ መጨረሻ።
      በሌላ ሁኔታ የታቀደው ነባሪ የሽያጭ ታክስ=0 ነው። የአገዛዝ መጨረሻ. +VATIsNotUsedDesc=በነባሪነት የታቀደው የሽያጭ ታክስ 0 ነው ይህም እንደ ማህበራት፣ ግለሰቦች ወይም ትናንሽ ኩባንያዎች ላሉ ጉዳዮች ሊያገለግል ይችላል። +VATIsUsedExampleFR=በፈረንሳይ ማለት እውነተኛ የፊስካል ሥርዓት ያላቸው ኩባንያዎች ወይም ድርጅቶች ማለት ነው (ቀላል እውነተኛ ወይም መደበኛ እውነተኛ)። ተ.እ.ታ የታወጀበት ሥርዓት። +VATIsNotUsedExampleFR=በፈረንሣይ ውስጥ፣ የሽያጭ ታክስ ያልታወቁ ማኅበራት ወይም ኩባንያዎች፣ ድርጅቶች ወይም ሊበራል ሙያዎች ማይክሮ ኢንተርፕራይዝ የፊስካል ሥርዓትን (የሽያጭ ታክስ በፍራንቻይዝ) የመረጡ እና ያለ ምንም የሽያጭ ታክስ መግለጫ የፍራንቻይዝ የሽያጭ ታክስ የከፈሉ ማኅበራት ማለት ነው። ይህ ምርጫ "ተገቢ ያልሆነ የሽያጭ ታክስ - art-293B of CGI" የሚለውን ማጣቀሻ በደረሰኞች ላይ ያሳያል። +VATType=የተ.እ.ታ ዓይነት ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax -LTRate=Rate -LocalTax1IsNotUsed=Do not use second tax -LocalTax1IsUsedDesc=Use a second type of tax (other than first one) -LocalTax1IsNotUsedDesc=Do not use other type of tax (other than first one) -LocalTax1Management=Second type of tax +TypeOfSaleTaxes=የሽያጭ ታክስ ዓይነት +LTRate=ደረጃ ይስጡ +LocalTax1IsNotUsed=ሁለተኛ ግብር አይጠቀሙ +LocalTax1IsUsedDesc=ሁለተኛ ዓይነት ታክስ ይጠቀሙ (ከመጀመሪያው ሌላ) +LocalTax1IsNotUsedDesc=ሌላ ዓይነት ግብር አይጠቀሙ (ከመጀመሪያው በስተቀር) +LocalTax1Management=ሁለተኛው የግብር ዓይነት LocalTax1IsUsedExample= LocalTax1IsNotUsedExample= -LocalTax2IsNotUsed=Do not use third tax -LocalTax2IsUsedDesc=Use a third type of tax (other than first one) -LocalTax2IsNotUsedDesc=Do not use other type of tax (other than first one) -LocalTax2Management=Third type of tax +LocalTax2IsNotUsed=ሶስተኛ ግብር አይጠቀሙ +LocalTax2IsUsedDesc=ሶስተኛውን የግብር አይነት ይጠቀሙ (ከመጀመሪያው ሌላ) +LocalTax2IsNotUsedDesc=ሌላ ዓይነት ግብር አይጠቀሙ (ከመጀመሪያው በስተቀር) +LocalTax2Management=ሦስተኛው የግብር ዓይነት LocalTax2IsUsedExample= LocalTax2IsNotUsedExample= -LocalTax1ManagementES=RE Management -LocalTax1IsUsedDescES=The RE rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the buyer is not subjected to RE, RE by default=0. End of rule.
      If the buyer is subjected to RE then the RE by default. End of rule.
      -LocalTax1IsNotUsedDescES=By default the proposed RE is 0. End of rule. -LocalTax1IsUsedExampleES=In Spain they are professionals subject to some specific sections of the Spanish IAE. -LocalTax1IsNotUsedExampleES=In Spain they are professional and societies and subject to certain sections of the Spanish IAE. -LocalTax2ManagementES=IRPF Management -LocalTax2IsUsedDescES=The IRPF rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.
      If the seller is subjected to IRPF then the IRPF by default. End of rule.
      -LocalTax2IsNotUsedDescES=By default the proposed IRPF is 0. End of rule. -LocalTax2IsUsedExampleES=In Spain, freelancers and independent professionals who provide services and companies who have chosen the tax system of modules. -LocalTax2IsNotUsedExampleES=In Spain they are businesses not subject to tax system of modules. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) -CalcLocaltax=Reports on local taxes -CalcLocaltax1=Sales - Purchases -CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases -CalcLocaltax2=Purchases -CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases -CalcLocaltax3=Sales -CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax -LabelUsedByDefault=Label used by default if no translation can be found for code -LabelOnDocuments=Label on documents -LabelOrTranslationKey=Label or translation key -ValueOfConstantKey=Value of a configuration constant -ConstantIsOn=Option %s is on -NbOfDays=No. of days -AtEndOfMonth=At end of month -CurrentNext=Current/Next -Offset=Offset -AlwaysActive=Always active -Upgrade=Upgrade -MenuUpgrade=Upgrade / Extend -AddExtensionThemeModuleOrOther=Deploy/install external app/module -WebServer=Web server -DocumentRootServer=Web server's root directory -DataRootServer=Data files directory -IP=IP -Port=Port -VirtualServerName=Virtual server name -OS=OS -PhpWebLink=Web-Php link -Server=Server -Database=Database -DatabaseServer=Database host -DatabaseName=Database name -DatabasePort=Database port -DatabaseUser=Database user -DatabasePassword=Database password -Tables=Tables -TableName=Table name -NbOfRecord=No. of records -Host=Server -DriverType=Driver type -SummarySystem=System information summary -SummaryConst=List of all Dolibarr setup parameters -MenuCompanySetup=Company/Organization -DefaultMenuManager= Standard menu manager -DefaultMenuSmartphoneManager=Smartphone menu manager -Skin=Skin theme -DefaultSkin=Default skin theme -MaxSizeList=Max length for list -DefaultMaxSizeList=Default max length for lists -DefaultMaxSizeShortList=Default max length for short lists (i.e. in customer card) -MessageOfDay=Message of the day -MessageLogin=Login page message -LoginPage=Login page -BackgroundImageLogin=Background image -PermanentLeftSearchForm=Permanent search form on left menu -DefaultLanguage=Default language -EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships -EnableShowLogo=Show the company logo in the menu -CompanyInfo=Company/Organization -CompanyIds=Company/Organization identities -CompanyName=Name -CompanyAddress=Address -CompanyZip=Zip -CompanyTown=Town -CompanyCountry=Country -CompanyCurrency=Main currency -CompanyObject=Object of the company -IDCountry=ID country -Logo=Logo -LogoDesc=Main logo of company. Will be used into generated documents (PDF, ...) -LogoSquarred=Logo (squarred) -LogoSquarredDesc=Must be a squarred icon (width = height). This logo will be used as the favorite icon or other need like for the top menu bar (if not disabled into display setup). -DoNotSuggestPaymentMode=Do not suggest -NoActiveBankAccountDefined=No active bank account defined -OwnerOfBankAccount=Owner of bank account %s -BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show the link "%s" -ShowBugTrackLinkDesc=Keep empty to not display this link, use value 'github' for the link to the Dolibarr project or define directly an url 'https://...' -Alerts=Alerts -DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: -DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. -Delays_MAIN_DELAY_ACTIONS_TODO=Planned events (agenda events) not completed -Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Project not closed in time -Delays_MAIN_DELAY_TASKS_TODO=Planned task (project tasks) not completed -Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Order not processed -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Purchase order not processed -Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Proposal not closed -Delays_MAIN_DELAY_PROPALS_TO_BILL=Proposal not billed -Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Service to activate -Delays_MAIN_DELAY_RUNNING_SERVICES=Expired service -Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Unpaid vendor invoice -Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Unpaid customer invoice -Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Pending bank reconciliation -Delays_MAIN_DELAY_MEMBERS=Delayed membership fee -Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Check deposit not done -Delays_MAIN_DELAY_EXPENSEREPORTS=Expense report to approve -Delays_MAIN_DELAY_HOLIDAYS=Leave requests to approve -SetupDescription1=Before starting to use Dolibarr some initial parameters must be defined and modules enabled/configured. -SetupDescription2=The following two sections are mandatory (the two first entries in the Setup menu): -SetupDescription3=%s -> %s

      Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4=%s -> %s

      This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. -SetupDescription5=Other Setup menu entries manage optional parameters. -SetupDescriptionLink=%s - %s -SetupDescription3b=Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s -Audit=Security events -InfoDolibarr=About Dolibarr -InfoBrowser=About Browser -InfoOS=About OS -InfoWebServer=About Web Server -InfoDatabase=About Database -InfoPHP=About PHP -InfoPerf=About Performances -InfoSecurity=About Security -BrowserName=Browser name -BrowserOS=Browser OS -ListOfSecurityEvents=List of Dolibarr security events -SecurityEventsPurged=Security events purged -LogEventDesc=Enable logging for specific security events. Administrators the log via menu %s - %s. Warning, this feature can generate a large amount of data in the database. -AreaForAdminOnly=Setup parameters can be set by administrator users only. -SystemInfoDesc=System information is miscellaneous technical information you get in read only mode and visible for administrators only. -SystemAreaForAdminOnly=This area is available to administrator users only. Dolibarr user permissions cannot change this restriction. -CompanyFundationDesc=Edit the information of your company/organization. Click on "%s" button at the bottom of the page when done. -AccountantDesc=If you have an external accountant/bookkeeper, you can edit here its information. -AccountantFileNumber=Accountant code -DisplayDesc=Parameters affecting the look and presentation of the application can be modified here. -AvailableModules=Available app/modules -ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). -SessionTimeOut=Time out for session -SessionExplanation=This number guarantees that the session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guarantee that the session will expire after this delay. It will expire, after this delay, and when the session cleaner is run, so every %s/%s access, but only during access made by other sessions (if value is 0, it means clearing of session is done only by an external process).
      Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by an external setup, no matter what the value entered here is. -SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. -TriggersAvailable=Available triggers -TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). -TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. -TriggerDisabledAsModuleDisabled=Triggers in this file are disabled as module %s is disabled. -TriggerAlwaysActive=Triggers in this file are always active, whatever are the activated Dolibarr modules. -TriggerActiveAsModuleActive=Triggers in this file are active as module %s is enabled. -GeneratedPasswordDesc=Choose the method to be used for auto-generated passwords. -DictionaryDesc=Insert all reference data. You can add your values to the default. -ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting only. -MiscellaneousDesc=All other security related parameters are defined here. -LimitsSetup=Limits/Precision setup -LimitsDesc=You can define limits, precisions and optimizations used by Dolibarr here -MAIN_MAX_DECIMALS_UNIT=Max. decimals for unit prices -MAIN_MAX_DECIMALS_TOT=Max. decimals for total prices -MAIN_MAX_DECIMALS_SHOWN=Max. decimals for prices shown on screen. Add an ellipsis ... after this parameter (e.g. "2...") if you want to see "..." suffixed to the truncated price. -MAIN_ROUNDING_RULE_TOT=Step of rounding range (for countries where rounding is done on something other than base 10. For example, put 0.05 if rounding is done by 0.05 steps) -UnitPriceOfProduct=Net unit price of a product -TotalPriceAfterRounding=Total price (excl/vat/incl tax) after rounding -ParameterActiveForNextInputOnly=Parameter effective for next input only -NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit has not been enabled in the "Setup - Security - Events" page. -NoEventFoundWithCriteria=No security event has been found for this search criteria. -SeeLocalSendMailSetup=See your local sendmail setup -BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. -BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. -BackupDescX=The archived directory should be stored in a secure place. -BackupDescY=The generated dump file should be stored in a secure place. -BackupPHPWarning=Backup cannot be guaranteed with this method. Previous one recommended. -RestoreDesc=To restore a Dolibarr backup, two steps are required. -RestoreDesc2=Restore the backup file (zip file for example) of the "documents" directory to a new Dolibarr installation or into this current documents directory (%s). -RestoreDesc3=Restore the database structure and data from a backup dump file into the database of the new Dolibarr installation or into the database of this current installation (%s). Warning, once the restore is complete, you must use a login/password, that existed from the backup time/installation to connect again.
      To restore a backup database into this current installation, you can follow this assistant. -RestoreMySQL=MySQL import -ForcedToByAModule=This rule is forced to %s by an activated module -ValueIsForcedBySystem=This value is forced by the system. You can't change it. -PreviousDumpFiles=Existing backup files -PreviousArchiveFiles=Existing archive files -WeekStartOnDay=First day of the week -RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) -YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. -YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP -DownloadMoreSkins=More skins to download -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset -ShowProfIdInAddress=Show professional ID with addresses -ShowVATIntaInAddress=Hide intra-Community VAT number -TranslationUncomplete=Partial translation -MAIN_DISABLE_METEO=Disable weather thumb -MeteoStdMod=Standard mode -MeteoStdModEnabled=Standard mode enabled -MeteoPercentageMod=Percentage mode -MeteoPercentageModEnabled=Percentage mode enabled -MeteoUseMod=Click to use %s -TestLoginToAPI=Test login to API -ProxyDesc=Some features of Dolibarr require internet access. Define here the internet connection parameters such as access through a proxy server if necessary. -ExternalAccess=External/Internet Access -MAIN_PROXY_USE=Use a proxy server (otherwise access is direct to the internet) -MAIN_PROXY_HOST=Proxy server: Name/Address -MAIN_PROXY_PORT=Proxy server: Port -MAIN_PROXY_USER=Proxy server: Login/User -MAIN_PROXY_PASS=Proxy server: Password -DefineHereComplementaryAttributes=Define any additional / custom attributes that must be added to: %s -ExtraFields=Complementary attributes -ExtraFieldsLines=Complementary attributes (lines) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) -ExtraFieldsSupplierOrdersLines=Complementary attributes (order lines) -ExtraFieldsSupplierInvoicesLines=Complementary attributes (invoice lines) -ExtraFieldsThirdParties=Complementary attributes (third party) -ExtraFieldsContacts=Complementary attributes (contacts/address) -ExtraFieldsMember=Complementary attributes (member) -ExtraFieldsMemberType=Complementary attributes (member type) -ExtraFieldsCustomerInvoices=Complementary attributes (invoices) -ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) -ExtraFieldsSupplierOrders=Complementary attributes (orders) -ExtraFieldsSupplierInvoices=Complementary attributes (invoices) -ExtraFieldsProject=Complementary attributes (projects) -ExtraFieldsProjectTask=Complementary attributes (tasks) -ExtraFieldsSalaries=Complementary attributes (salaries) -ExtraFieldHasWrongValue=Attribute %s has a wrong value. -AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space -SendmailOptionNotComplete=Warning, on some Linux systems, to send email from your email, sendmail execution setup must contains option -ba (parameter mail.force_extra_parameters into your php.ini file). If some recipients never receive emails, try to edit this PHP parameter with mail.force_extra_parameters = -ba). -PathToDocuments=Path to documents -PathDirectory=Directory -SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might not be parsed correctly by some receiving mail servers. The result is that some mails can't be read by people hosted by those bugged platforms. This is the case for some Internet providers (Ex: Orange in France). This is not a problem with Dolibarr or PHP but with the receiving mail server. You can however add an option MAIN_FIX_FOR_BUGGED_MTA to 1 in Setup - Other to modify Dolibarr to avoid this. However, you may experience problems with other servers that strictly use the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" which has no disadvantages. -TranslationSetup=Setup of translation -TranslationKeySearch=Search a translation key or string -TranslationOverwriteKey=Overwrite a translation string -TranslationDesc=How to set the display language:
      * Default/Systemwide: menu Home -> Setup -> Display
      * Per user: Click on the username at the top of the screen and modify the User Display Setup tab on the user card. -TranslationOverwriteDesc=You can also override strings filling the following table. Choose your language from "%s" dropdown, insert the translation key string into "%s" and your new translation into "%s" -TranslationOverwriteDesc2=You can use the other tab to help you know which translation key to use -TranslationString=Translation string -CurrentTranslationString=Current translation string -WarningAtLeastKeyOrTranslationRequired=A search criteria is required at least for key or translation string -NewTranslationStringToShow=New translation string to show -OriginalValueWas=The original translation is overwritten. Original value was:

      %s -TransKeyWithoutOriginalValue=You forced a new translation for the translation key '%s' that does not exist in any language files -TitleNumberOfActivatedModules=Activated modules -TotalNumberOfActivatedModules=Activated modules: %s / %s -YouMustEnableOneModule=You must at least enable 1 module -ClassNotFoundIntoPathWarning=Class %s not found in PHP path -YesInSummer=Yes in summer -OnlyFollowingModulesAreOpenedToExternalUsers=Note, only the following modules are available to external users (irrespective of the permissions of such users) and only if permissions are granted:
      -SuhosinSessionEncrypt=Session storage encrypted by Suhosin -ConditionIsCurrently=Condition is currently %s -YouUseBestDriver=You use driver %s which is the best driver currently available. -YouDoNotUseBestDriver=You use driver %s but driver %s is recommended. -NbOfObjectIsLowerThanNoPb=You have only %s %s in the database. This does not require any particular optimization. -ComboListOptim=Combo list loading optimization -SearchOptim=Search optimization -YouHaveXObjectUseComboOptim=You have %s %s in the database. You can go into setup of module to enable loading of combo list on key pressed event. -YouHaveXObjectUseSearchOptim=You have %s %s in the database. You can add the constant %s to 1 in Home-Setup-Other. -YouHaveXObjectUseSearchOptimDesc=This limits the search to the beginning of strings which makes it possible for the database to use indexes and you should get an immediate response. -YouHaveXObjectAndSearchOptimOn=You have %s %s in the database and constant %s is set to %s in Home-Setup-Other. -BrowserIsOK=You are using the %s web browser. This browser is ok for security and performance. -BrowserIsKO=You are using the %s web browser. This browser is known to be a bad choice for security, performance and reliability. We recommend using Firefox, Chrome, Opera or Safari. -PHPModuleLoaded=PHP component %s is loaded -PreloadOPCode=Preloaded OPCode is used -AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". -AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". -AskForPreferredShippingMethod=Ask for preferred shipping method for Third Parties. -FieldEdition=Edition of field %s -FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) -GetBarCode=Get barcode -NumberingModules=Numbering models -DocumentModules=Document models +LocalTax1ManagementES=RE አስተዳደር +LocalTax1IsUsedDescES=ግምቶችን፣ ደረሰኞችን፣ ትዕዛዞችን ወዘተ ሲፈጥሩ የRE ተመን በነባሪነት ንቁውን መደበኛ ህግ ይከተሉ፡
      ገዢው ለ RE ካልተገዛ፣ RE በነባሪ=0። የደንቡ መጨረሻ።
      ገዢው ለ RE የተገዛ ከሆነ በነባሪነት RE። የደንቡ መጨረሻ።
      +LocalTax1IsNotUsedDescES=በነባሪነት የቀረበው RE 0. የደንቡ መጨረሻ ነው። +LocalTax1IsUsedExampleES=በስፔን ውስጥ ለአንዳንድ የተወሰኑ የስፔን IAE ክፍሎች ተገዢ የሆኑ ባለሙያዎች ናቸው። +LocalTax1IsNotUsedExampleES=በስፔን እነሱ ሙያዊ እና ማህበረሰቦች ናቸው እና ለተወሰኑ የስፔን IAE ክፍሎች ተገዢ ናቸው። +LocalTax2ManagementES=የ IRPF አስተዳደር +LocalTax2IsUsedDescES=የ IRPF ዋጋ በነባሪነት ተስፋዎችን ፣ ደረሰኞችን ፣ ትዕዛዞችን ወዘተ ሲፈጥር ንቁውን መደበኛ ደንብ ይከተሉ፡
      ሻጩ ለ IRPF ካልተገዛ፣ ከዚያ IRPF በነባሪ=0። የደንቡ መጨረሻ።
      ሻጩ ለ IRPF ከተገዛለት በነባሪነት IRPF። የደንቡ መጨረሻ።
      +LocalTax2IsNotUsedDescES=በነባሪነት የቀረበው IRPF 0. የደንቡ መጨረሻ ነው። +LocalTax2IsUsedExampleES=በስፔን, ነፃ ባለሙያዎችን እና አገልግሎቶችን የሚሰጡ ገለልተኛ ባለሙያዎች እና የሞጁሎችን የግብር ስርዓት የመረጡ ኩባንያዎች. +LocalTax2IsNotUsedExampleES=በስፔን ውስጥ ለሞጁሎች የግብር ስርዓት የማይገዙ ንግዶች ናቸው። +RevenueStampDesc="የታክስ ማህተም" ወይም "የገቢ ማህተም" በክፍያ መጠየቂያዎ የሚከፈል ቋሚ ታክስ ነው (በደረሰኝ መጠን ላይ የተመካ አይደለም)። በመቶ ታክስም ሊሆን ይችላል ነገርግን ሁለተኛውን ወይም ሶስተኛውን የታክስ አይነት መጠቀም ለፐርሰንት ታክሶች የተሻለ ነው ምክንያቱም የታክስ ማህተም ምንም አይነት ሪፖርት አያቀርብም። ይህን የግብር አይነት የሚጠቀሙት ጥቂት አገሮች ብቻ ናቸው። +UseRevenueStamp=የግብር ማህተም ይጠቀሙ +UseRevenueStampExample=የግብር ማህተም ዋጋ በነባሪነት በመዝገበ-ቃላት ማዋቀር (%s - %s - %s) +CalcLocaltax=በአካባቢው ታክሶች ላይ ሪፖርቶች +CalcLocaltax1=ሽያጭ - ግዢዎች +CalcLocaltax1Desc=የአካባቢ ታክስ ሪፖርቶች በአካባቢ ታክስ ሽያጭ እና በአገር ውስጥ ታክስ ግዢዎች መካከል ባለው ልዩነት ይሰላሉ +CalcLocaltax2=ግዢዎች +CalcLocaltax2Desc=የአካባቢ ታክስ ሪፖርቶች አጠቃላይ የሀገር ውስጥ የታክስ ግዢዎች ናቸው። +CalcLocaltax3=ሽያጭ +CalcLocaltax3Desc=የአካባቢ ታክስ ሪፖርቶች አጠቃላይ የአካባቢ ታክስ ሽያጮች ናቸው። +NoLocalTaxXForThisCountry=በግብር አወቃቀሩ መሰረት (%s ይመልከቱ - %s - b0ecb2ec87f49fez0 ሀገርዎ እንደዚህ አይነት የታክስ አይነት መጠቀም አያስፈልግም +LabelUsedByDefault=ለኮድ ምንም ትርጉም ካልተገኘ በነባሪነት ጥቅም ላይ የዋለ መለያ +LabelOnDocuments=በሰነዶች ላይ መለያ +LabelOrTranslationKey=መለያ ወይም የትርጉም ቁልፍ +ValueOfConstantKey=የአንድ ውቅር ቋሚ ዋጋ +ConstantIsOn=አማራጭ %s በርቷል +NbOfDays=የቀናት ብዛት +AtEndOfMonth=በወሩ መጨረሻ +CurrentNext=በወር ውስጥ የተሰጠ ቀን +Offset=ማካካሻ +AlwaysActive=ሁልጊዜ ንቁ +Upgrade=አሻሽል። +MenuUpgrade=አሻሽል/ማራዘም +AddExtensionThemeModuleOrOther=ውጫዊ መተግበሪያ/ሞጁል አሰማር/ጫን +WebServer=የድር አገልጋይ +DocumentRootServer=የድር አገልጋይ ስርወ ማውጫ +DataRootServer=የውሂብ ፋይሎች ማውጫ +IP=አይፒ +Port=ወደብ +VirtualServerName=ምናባዊ አገልጋይ ስም +OS=ስርዓተ ክወና +PhpWebLink=የድር-ፒኤችፒ አገናኝ +Server=አገልጋይ +Database=የውሂብ ጎታ +DatabaseServer=የውሂብ ጎታ አስተናጋጅ +DatabaseName=የውሂብ ጎታ ስም +DatabasePort=የውሂብ ጎታ ወደብ +DatabaseUser=የውሂብ ጎታ ተጠቃሚ +DatabasePassword=የውሂብ ጎታ ይለፍ ቃል +Tables=ጠረጴዛዎች +TableName=የጠረጴዛ ስም +NbOfRecord=መዝገቦች ቁጥር +Host=አገልጋይ +DriverType=የአሽከርካሪ አይነት +SummarySystem=የስርዓት መረጃ ማጠቃለያ +SummaryConst=የሁሉም የ Dolibarr ማዋቀር መለኪያዎች ዝርዝር +MenuCompanySetup=ኩባንያ / ድርጅት +DefaultMenuManager= መደበኛ ምናሌ አስተዳዳሪ +DefaultMenuSmartphoneManager=የስማርትፎን ምናሌ አስተዳዳሪ +Skin=የቆዳ ጭብጥ +DefaultSkin=ነባሪ የቆዳ ገጽታ +MaxSizeList=ለዝርዝር ከፍተኛው ርዝመት +DefaultMaxSizeList=ለዝርዝሮች ነባሪ ከፍተኛ ርዝመት +DefaultMaxSizeShortList=ለአጭር ዝርዝሮች ነባሪ ከፍተኛ ርዝመት (ማለትም በደንበኛ ካርድ ውስጥ) +MessageOfDay=የእለቱ መልእክት +MessageLogin=የመግቢያ ገጽ መልእክት +LoginPage=የመግቢያ ገጽ +BackgroundImageLogin=የበስተጀርባ ምስል +PermanentLeftSearchForm=በግራ ምናሌው ላይ ቋሚ የፍለጋ ቅጽ +DefaultLanguage=ነባሪ ቋንቋ +EnableMultilangInterface=ለደንበኛ ወይም ለሻጭ ግንኙነቶች የባለብዙ ቋንቋ ድጋፍን አንቃ +EnableShowLogo=በምናሌው ውስጥ የኩባንያውን አርማ አሳይ +CompanyInfo=ኩባንያ / ድርጅት +CompanyIds=የድርጅት/የድርጅት መለያዎች +CompanyName=ስም +CompanyAddress=አድራሻ +CompanyZip=ዚፕ +CompanyTown=ከተማ +CompanyCountry=ሀገር +CompanyCurrency=ዋና ምንዛሬ +CompanyObject=የኩባንያው ነገር +IDCountry=መታወቂያ ሀገር +Logo=አርማ +LogoDesc=የኩባንያው ዋና አርማ. ወደ ተፈጠሩ ሰነዶች (PDF, ...) ጥቅም ላይ ይውላል. +LogoSquarred=አርማ (ካሬ) +LogoSquarredDesc=አራት ማዕዘን ቅርጽ ያለው አዶ (ስፋት = ቁመት) መሆን አለበት. ይህ አርማ እንደ ተወዳጅ አዶ ወይም እንደ የላይኛው ምናሌ አሞሌ (ወደ ማሳያ ማዋቀር ካልተሰናከለ) ጥቅም ላይ ይውላል። +DoNotSuggestPaymentMode=አትጠቁም +NoActiveBankAccountDefined=ምንም ገቢር የባንክ ሂሳብ አልተገለጸም። +OwnerOfBankAccount=የባንክ ሂሳብ ባለቤት %s +BankModuleNotActive=የባንክ ሂሳቦች ሞጁል አልነቃም። +ShowBugTrackLink=አገናኙን አሳይ "%s" +ShowBugTrackLinkDesc=ይህንን ሊንክ ላለማሳየት ባዶ አቆይ፣ እሴትን 'github' ለ Dolibarr ፕሮጀክት ማገናኛ ተጠቀም ወይም በቀጥታ URL 'https://...' ግለጽ። +Alerts=ማንቂያዎች +DelaysOfToleranceBeforeWarning=የማስጠንቀቂያ ማንቂያ በማሳየት ላይ ለ... +DelaysOfToleranceDesc=የማንቂያ አዶ %s ለኋለኛው አካል ከመታየቱ በፊት መዘግየቱን ያቀናብሩ። +Delays_MAIN_DELAY_ACTIONS_TODO=የታቀዱ ዝግጅቶች (የአጀንዳ ዝግጅቶች) አልተጠናቀቁም። +Delays_MAIN_DELAY_PROJECT_TO_CLOSE=ፕሮጀክቱ በጊዜ አልተዘጋም። +Delays_MAIN_DELAY_TASKS_TODO=የታቀደ ተግባር (የፕሮጀክት ተግባራት) አልተጠናቀቀም +Delays_MAIN_DELAY_ORDERS_TO_PROCESS=ትዕዛዝ አልተሰራም። +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=የግዢ ትዕዛዝ አልተሰራም። +Delays_MAIN_DELAY_PROPALS_TO_CLOSE=ፕሮፖዛል አልተዘጋም። +Delays_MAIN_DELAY_PROPALS_TO_BILL=ፕሮፖዛል አልተከፈለም። +Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=ለማግበር አገልግሎት +Delays_MAIN_DELAY_RUNNING_SERVICES=የአገልግሎት ጊዜው ያለፈበት +Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=ያልተከፈለ የአቅራቢ ደረሰኝ +Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=ያልተከፈለ የደንበኛ ደረሰኝ +Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=በመጠባበቅ ላይ ያለ የባንክ ማስታረቅ +Delays_MAIN_DELAY_MEMBERS=የአባልነት ክፍያ ዘግይቷል። +Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=ተቀማጭ ገንዘብ እንዳልተከናወነ ያረጋግጡ +Delays_MAIN_DELAY_EXPENSEREPORTS=ለማጽደቅ የወጪ ሪፖርት +Delays_MAIN_DELAY_HOLIDAYS=ለማጽደቅ ጥያቄዎችን ይተዉ +SetupDescription1=ዶሊባርርን መጠቀም ከመጀመርዎ በፊት አንዳንድ የመጀመሪያ መለኪያዎች መገለጽ እና ሞጁሎች መንቃት/መዋቀር አለባቸው። +SetupDescription2=የሚከተሉት ሁለት ክፍሎች የግዴታ ናቸው (በማዋቀር ምናሌ ውስጥ ያሉት ሁለቱ የመጀመሪያ ግቤቶች) +SetupDescription3=%s -> %scz0040

      የመተግበሪያዎን ነባሪ ባህሪ ለማበጀት የሚያገለግሉ መሰረታዊ መለኪያዎች (ለምሳሌ ከአገር ጋር የተገናኙ ባህሪያት)። +SetupDescription4=
      %s -> %scz0040

      ይህ ሶፍትዌር የበርካታ ሞጁሎች/መተግበሪያዎች ስብስብ ነው። ከእርስዎ ፍላጎቶች ጋር የተያያዙ ሞጁሎች መንቃት እና መዋቀር አለባቸው። እነዚህ ሞጁሎች ሲነቁ የምናሌ ግቤቶች ይታያሉ። +SetupDescription5=ሌሎች የማዋቀር ምናሌ ግቤቶች የአማራጭ መለኪያዎችን ያስተዳድራሉ። +SetupDescriptionLink=
      %s - %s / span> +SetupDescription3b=የመተግበሪያዎን ነባሪ ባህሪ ለማበጀት የሚያገለግሉ መሰረታዊ መለኪያዎች (ለምሳሌ ከአገር ጋር ለተያያዙ ባህሪያት)። +SetupDescription4b=ይህ ሶፍትዌር የበርካታ ሞጁሎች/መተግበሪያዎች ስብስብ ነው። ከእርስዎ ፍላጎቶች ጋር የተያያዙ ሞጁሎች መንቃት አለባቸው. እነዚህ ሞጁሎች ሲነቁ የምናሌ ግቤቶች ይታያሉ። +AuditedSecurityEvents=ኦዲት የተደረጉ የደህንነት ክስተቶች +NoSecurityEventsAreAduited=ምንም የደህንነት ክስተቶች ኦዲት አይደረጉም። ከምናሌው %s ልታነቃቸው ትችላለህ +Audit=የደህንነት ክስተቶች +InfoDolibarr=ስለ ዶሊባርር +InfoBrowser=ስለ አሳሽ +InfoOS=ስለ OS +InfoWebServer=ስለ ድር አገልጋይ +InfoDatabase=ስለ ዳታቤዝ +InfoPHP=ስለ PHP +InfoPerf=ስለ አፈፃፀሞች +InfoSecurity=ስለ ደህንነት +BrowserName=የአሳሽ ስም +BrowserOS=አሳሽ OS +ListOfSecurityEvents=የዶሊባርር የደህንነት ክስተቶች ዝርዝር +SecurityEventsPurged=የደህንነት ክስተቶች ጸድተዋል። +TrackableSecurityEvents=መከታተል የሚችሉ የደህንነት ክስተቶች +LogEventDesc=ለተወሰኑ የደህንነት ክስተቶች መግባትን አንቃ። ምዝግብ ማስታወሻውን በምናሌ በኩል ያስተዳድራሉ %s - %s notranslate'>። ማስጠንቀቂያ፣ ይህ ባህሪ በመረጃ ቋቱ ውስጥ ከፍተኛ መጠን ያለው ውሂብ ሊያመነጭ ይችላል። +AreaForAdminOnly=የማዋቀር መለኪያዎች በአስተዳዳሪ ተጠቃሚዎች ብቻ ሊቀናበሩ ይችላሉ። +SystemInfoDesc=የስርዓት መረጃ በንባብ ብቻ ሁነታ የሚያገኙት ልዩ ልዩ ቴክኒካዊ መረጃ እና ለአስተዳዳሪዎች ብቻ የሚታይ ነው። +SystemAreaForAdminOnly=ይህ አካባቢ ለአስተዳዳሪ ተጠቃሚዎች ብቻ ይገኛል። የዶሊባርር ተጠቃሚ ፈቃዶች ይህንን ገደብ መለወጥ አይችሉም። +CompanyFundationDesc=የድርጅትዎን/የድርጅትዎን መረጃ ያርትዑ። ሲጨርሱ ከገጹ ግርጌ ላይ ያለውን "%s" የሚለውን ቁልፍ ጠቅ ያድርጉ። +MoreNetworksAvailableWithModule=ሞጁሉን "ማህበራዊ አውታረ መረቦች" በማንቃት ተጨማሪ ማህበራዊ አውታረ መረቦች ሊኖሩ ይችላሉ. +AccountantDesc=የውጭ አካውንታንት/ያዥ ካልዎት፣ መረጃውን እዚህ ማርትዕ ይችላሉ። +AccountantFileNumber=የሂሳብ ሠራተኛ ኮድ +DisplayDesc=የመተግበሪያውን ገጽታ እና አቀራረብ የሚነኩ መለኪያዎች እዚህ ሊሻሻሉ ይችላሉ። +AvailableModules=የሚገኝ መተግበሪያ/ሞዱሎች +ToActivateModule=ሞጁሎችን ለማግበር ወደ ማቀናበሪያ ቦታ ይሂዱ (ቤት -> ማዋቀር -> ሞጁሎች)። +SessionTimeOut=ለክፍለ ጊዜ ጊዜው አልፏል +SessionExplanation=የክፍለ-ጊዜው ማጽጃ የሚከናወነው በInternal PHP ክፍለ ጊዜ ማጽጃ (እና ምንም ካልሆነ) ይህ ቁጥር ከዚህ መዘግየት በፊት ክፍለ ጊዜው እንደማያልቅ ዋስትና ይሰጣል። የውስጥ ፒኤችፒ ክፍለ ጊዜ ማጽጃ ክፍለ ጊዜው ከዚህ መዘግየት በኋላ ጊዜው እንደሚያልፍ ዋስትና አይሰጥም። ከዚህ መዘግየት በኋላ እና የክፍለ-ጊዜ ማጽጃው ሲሰራ ጊዜው ያበቃል፣ ስለዚህ እያንዳንዱ %s/%sመዳረሻ፣ ነገር ግን በሌሎች ክፍለ-ጊዜዎች በሚደረግ መዳረሻ ጊዜ ብቻ (እሴቱ 0 ከሆነ፣ ክፍለ-ጊዜውን ማጽዳት በውጫዊ ሂደት ብቻ ነው የሚከናወነው) .
      ማስታወሻ፡ በአንዳንድ የውጫዊ ክፍለ ጊዜ ማጽጃ ዘዴ ባላቸው አገልጋዮች ላይ (ክሮን በዴቢያን፣ ubuntu ...)፣ ክፍለ-ጊዜዎቹ በውጫዊ ማዋቀር ከተወሰነ ጊዜ በኋላ ሊጠፉ ይችላሉ። እዚህ የገባው ዋጋ ምንም ይሁን ምን. +SessionsPurgedByExternalSystem=በዚህ አገልጋይ ላይ ያሉ ክፍለ-ጊዜዎች በውጫዊ ዘዴ (ክሮን በዴቢያን፣ ubuntu ...)፣ ምናልባት እያንዳንዱ %s
      ሰከንድ (= የመለኪያ እሴት session.gc_maxlifetimeb09a4b173) , ስለዚህ እዚህ ያለውን ዋጋ መቀየር ምንም ውጤት የለውም. የክፍለ ጊዜ መዘግየትን እንዲቀይር የአገልጋይ አስተዳዳሪን መጠየቅ አለብህ። +TriggersAvailable=የሚገኙ ቀስቅሴዎች +TriggersDesc=ቀስቅሴዎች ወደ ማውጫ htdocs/core/triggers ማውጫ ውስጥ አንዴ ከተገለበጡ የዶሊባርር የስራ ፍሰት ባህሪን የሚቀይሩ ፋይሎች ናቸው። አዳዲስ ድርጊቶችን ይገነዘባሉ, በ Dolibarr ክስተቶች (አዲስ ኩባንያ ፈጠራ, የክፍያ መጠየቂያ ማረጋገጫ, ...) ላይ ነቅተዋል. +TriggerDisabledByName=በዚህ ፋይል ውስጥ ያሉ ቀስቅሴዎች በስማቸው በ-NORUN ቅጥያ ተሰናክለዋል። +TriggerDisabledAsModuleDisabled=በዚህ ፋይል ውስጥ ያሉ ቀስቅሴዎች እንደ ሞጁል %s ሊሰናከል አይችልም። +TriggerAlwaysActive=በዚህ ፋይል ውስጥ ያሉ ቀስቅሴዎች ምንጊዜም ንቁ ናቸው፣ ምንም አይነት የነቃው የ Dolibarr ሞጁሎች። +TriggerActiveAsModuleActive=በዚህ ፋይል ውስጥ ያሉ ቀስቅሴዎች እንደ ሞጁል %s የነቃ ነውበስክሪኑ ላይ ይታያል። ከዚህ ግቤት በኋላ (ለምሳሌ "2...") ማየት ከፈለጉ ellipsis ያክሉ... ..." ከተቆረጠ ዋጋ ጋር ተቀጥሏል። +MAIN_ROUNDING_RULE_TOT=የማጠጋጋት ደረጃ (ከቤዝ 10 ሌላ ነገር ላይ ማጠጋጋት ለሚደረግባቸው አገሮች። ለምሳሌ ማጠጋጋት በ0.05 እርከኖች ከሆነ 0.05 አስቀምጥ) +UnitPriceOfProduct=የአንድ ምርት የተጣራ አሃድ ዋጋ +TotalPriceAfterRounding=ከተጠጋጋ በኋላ ጠቅላላ ዋጋ (ከእንግዲህ ውጪ/ቫት/ታክስን ጨምሮ) +ParameterActiveForNextInputOnly=ግቤት ለቀጣይ ግቤት ብቻ ውጤታማ ነው። +NoEventOrNoAuditSetup=ምንም የደህንነት ክስተት አልተመዘገበም። በ"Setup - Security - Events" ገጽ ላይ ኦዲት ካልነቃ ይህ የተለመደ ነው። +NoEventFoundWithCriteria=ለዚህ የፍለጋ መስፈርት ምንም የደህንነት ክስተት አልተገኘም። +SeeLocalSendMailSetup=የአካባቢዎን የመልእክት መልእክት ማዋቀር ይመልከቱ +BackupDesc=የሙሉ የ Dolibarr ጭነት ምትኬ ሁለት ደረጃዎችን ይፈልጋል። +BackupDesc2=የ"ሰነዶች" ማውጫ ይዘቶችን ምትኬ ያስቀምጡ (%sb09a4b739f17f>b09a4b739f17f> ሁሉንም የተሰቀሉ እና የተፈጠሩ ፋይሎችን የያዘ። ይህ ደግሞ በደረጃ 1 ውስጥ የተፈጠሩትን ሁሉንም የቆሻሻ ፋይሎች ያካትታል። ይህ ክዋኔ ለብዙ ደቂቃዎች ሊቆይ ይችላል። +BackupDesc3=የውሂብ ጎታህን አወቃቀር እና ይዘቶች (%s ወደ ውስጥ አስቀምጥ የቆሻሻ መጣያ ፋይል. ለዚህም, የሚከተለውን ረዳት መጠቀም ይችላሉ. +BackupDescX=በማህደር የተቀመጠው ማውጫ ደህንነቱ በተጠበቀ ቦታ መቀመጥ አለበት። +BackupDescY=የተፈጠረው የቆሻሻ መጣያ ፋይል ደህንነቱ በተጠበቀ ቦታ መቀመጥ አለበት። +BackupPHPWarning=ምትኬ በዚህ ዘዴ ሊረጋገጥ አይችልም። ቀዳሚው ይመከራል። +RestoreDesc=የዶሊባርር ምትኬን ወደነበረበት ለመመለስ ሁለት ደረጃዎች ያስፈልጋሉ። +RestoreDesc2=የ"ሰነዶች" ማውጫን ምትኬ ፋይል (ለምሳሌ ዚፕ ፋይል) ወደ አዲስ የዶሊባርር ጭነት ወይም ወደዚህ የሰነዶች ማውጫ (%s ወደነበረበት ይመልሱ። )። +RestoreDesc3=የውሂብ ጎታውን መዋቅር እና ውሂቡን ከመጠባበቂያ ክምችት ፋይል ወደ አዲሱ የዶሊባርር መጫኛ የውሂብ ጎታ ወይም አሁን ባለው ጭነት (%s ወደነበረበት ይመልሱ )። ማስጠንቀቂያ፣ መልሶ ማግኘቱ እንደተጠናቀቀ፣ እንደገና ለመገናኘት ከመጠባበቂያ ጊዜ/ጭነት ጊዜ ጀምሮ የነበረውን መግቢያ/የይለፍ ቃል መጠቀም አለቦት።
      የመጠባበቂያ ዳታቤዝ ወደዚህ ጭነት ለመመለስ , ይህን ረዳት መከተል ይችላሉ. +RestoreMySQL=MySQL ማስመጣት። +ForcedToByAModule=ይህ ህግ %s ሞጁል በነቃ ተገድዷል። +ValueIsForcedBySystem=ይህ ዋጋ በስርዓቱ ተገዷል. ልትለውጠው አትችልም። +PreviousDumpFiles=ነባር የመጠባበቂያ ፋይሎች +PreviousArchiveFiles=ነባር የማህደር ፋይሎች +WeekStartOnDay=የሳምንቱ የመጀመሪያ ቀን +RunningUpdateProcessMayBeRequired=የማሻሻያ ሂደቱን ማካሄድ የሚያስፈልግ ይመስላል (የፕሮግራም ሥሪት %s ከመረጃ ቋት ስሪት %s ይለያል) +YouMustRunCommandFromCommandLineAfterLoginToUser=በተጠቃሚ %sb09a4b739f17f ወደ ሼል ከገቡ በኋላ ከትእዛዝ መስመር ማሄድ አለቦት። ወይም %s ለማቅረብ በትእዛዝ መስመር መጨረሻ ላይ -W አማራጭ ማከል አለብህ። > የይለፍ ቃል። +YourPHPDoesNotHaveSSLSupport=የኤስኤስኤል ተግባራት በእርስዎ ፒኤችፒ ውስጥ አይገኙም። +DownloadMoreSkins=የሚወርዱ ተጨማሪ ቆዳዎች +SimpleNumRefModelDesc=የማመሳከሪያ ቁጥሩን በ%syymm-nnn yy አመት በሆነበት፣ mm ወር ሲሆን እና nnn ምንም ዳግም ማስጀመር የሌለበት ተከታታይ በራስ-የሚጨምር ቁጥር ይመልሳል። +SimpleRefNumRefModelDesc=የማመሳከሪያ ቁጥሩን በቅርጸት ይመልሳል n ምንም ዳግም ማስጀመር የሌለበት ተከታታይ በራስ-የሚጨምር ቁጥር ነው። +AdvancedNumRefModelDesc=የማመሳከሪያ ቁጥሩን በ%syymm-nnn yy አመት በሆነበት፣ mm ወር ሲሆን እና nnn ምንም ዳግም ማስጀመር የሌለበት ተከታታይ በራስ-የሚጨምር ቁጥር ይመልሳል። +SimpleNumRefNoDateModelDesc=የማጣቀሻ ቁጥሩን በ%s-nnnn ቅርጸት ይመልሳል nnnn ምንም ዳግም ማስጀመር የሌለበት ተከታታይ በራስ-የሚጨምር ቁጥር ነው። +ShowProfIdInAddress=የባለሙያ መታወቂያ ከአድራሻዎች ጋር አሳይ +ShowVATIntaInAddress=በማህበረሰብ ውስጥ የተጨማሪ እሴት ታክስ ቁጥርን ደብቅ +TranslationUncomplete=ከፊል ትርጉም +MAIN_DISABLE_METEO=የአየር ሁኔታ አውራ ጣትን አሰናክል +MeteoStdMod=መደበኛ ሁነታ +MeteoStdModEnabled=መደበኛ ሁነታ ነቅቷል። +MeteoPercentageMod=የመቶኛ ሁነታ +MeteoPercentageModEnabled=የመቶኛ ሁነታ ነቅቷል። +MeteoUseMod=%s ለመጠቀም ጠቅ ያድርጉ +TestLoginToAPI=ወደ ኤፒአይ ለመግባት ይሞክሩ +ProxyDesc=አንዳንድ የዶሊባርር ባህሪያት የበይነመረብ መዳረሻ ያስፈልጋቸዋል። አስፈላጊ ከሆነ በፕሮክሲ አገልጋይ በኩል መድረስን የመሳሰሉ የበይነመረብ ግንኙነት መለኪያዎችን እዚህ ይግለጹ። +ExternalAccess=ውጫዊ / የበይነመረብ መዳረሻ +MAIN_PROXY_USE=ተኪ አገልጋይ ይጠቀሙ (አለበለዚያ መዳረሻ ወደ በይነመረብ በቀጥታ ነው) +MAIN_PROXY_HOST=ተኪ አገልጋይ፡ ስም/አድራሻ +MAIN_PROXY_PORT=ተኪ አገልጋይ፡ ወደብ +MAIN_PROXY_USER=ተኪ አገልጋይ፡ ግባ/ተጠቃሚ +MAIN_PROXY_PASS=ተኪ አገልጋይ፡ የይለፍ ቃል +DefineHereComplementaryAttributes=መታከል ያለበትን ማንኛውንም ተጨማሪ/ብጁ ባህሪያትን ይግለጹ፡- %s +ExtraFields=ተጨማሪ ባህሪያት +ExtraFieldsLines=ተጨማሪ ባህሪያት (መስመሮች) +ExtraFieldsLinesRec=ተጨማሪ ባህሪያት (የአብነት ደረሰኞች መስመሮች) +ExtraFieldsSupplierOrdersLines=ተጨማሪ ባህሪያት (የትእዛዝ መስመሮች) +ExtraFieldsSupplierInvoicesLines=ተጨማሪ ባህሪያት (የክፍያ መጠየቂያ መስመሮች) +ExtraFieldsThirdParties=ተጨማሪ ባህሪያት (ሶስተኛ ወገን) +ExtraFieldsContacts=ተጨማሪ ባህሪያት (እውቂያዎች/አድራሻ) +ExtraFieldsMember=ተጨማሪ ባህሪያት (አባል) +ExtraFieldsMemberType=ተጨማሪ ባህሪያት (የአባል ዓይነት) +ExtraFieldsCustomerInvoices=ተጨማሪ ባህሪያት (ደረሰኞች) +ExtraFieldsCustomerInvoicesRec=ተጨማሪ ባህሪያት (የአብነት ደረሰኞች) +ExtraFieldsSupplierOrders=ተጨማሪ ባህሪያት (ትዕዛዞች) +ExtraFieldsSupplierInvoices=ተጨማሪ ባህሪያት (ደረሰኞች) +ExtraFieldsProject=ተጨማሪ ባህሪያት (ፕሮጀክቶች) +ExtraFieldsProjectTask=ተጨማሪ ባህሪያት (ተግባራት) +ExtraFieldsSalaries=ተጨማሪ ባህሪያት (ደሞዝ) +ExtraFieldHasWrongValue=ባህሪ %s የተሳሳተ እሴት አለው። +AlphaNumOnlyLowerCharsAndNoSpace=ቦታ የሌላቸው ፊደላት እና ትናንሽ ሆሄያት ብቻ +SendmailOptionNotComplete=ማስጠንቀቂያ፣ በአንዳንድ የሊኑክስ ስርዓቶች ላይ፣ ከኢሜልዎ ኢሜይል ለመላክ፣ የመልዕክት ማስፈጸሚያ ማዋቀር አማራጭ -ba (parameter mail.force_extra_parameters into your php.ini ፋይል) መያዝ አለበት። አንዳንድ ተቀባዮች ኢሜይሎች የማይቀበሉ ከሆነ፣ ይህን የPHP መለኪያ በ mail.force_extra_parameters = -ba) ለማስተካከል ይሞክሩ። +PathToDocuments=ወደ ሰነዶች መንገድ +PathDirectory=ማውጫ +SendmailOptionMayHurtBuggedMTA="PHP mail direct" ዘዴን በመጠቀም መልዕክቶችን የመላክ ባህሪ በአንዳንድ ተቀባይ ሜይል አገልጋዮች በትክክል የማይተነተን የመልእክት መልእክት ያመነጫል። ውጤቱም አንዳንድ መልዕክቶች በእነዚያ የተበላሹ መድረኮች በተስተናገዱ ሰዎች ሊነበቡ አይችሉም። ይህ ለአንዳንድ የኢንተርኔት አገልግሎት አቅራቢዎች ነው (ለምሳሌ፡ ብርቱካን በፈረንሳይ)። ይህ የዶሊባርር ወይም ፒኤችፒ ችግር አይደለም ነገር ግን በተቀባዩ የፖስታ አገልጋይ ላይ ነው። ሆኖም ይህንን ለማስቀረት Dolibarrን ለመቀየር MAIN_FIX_FOR_BUGGED_MTA ወደ 1 በማዋቀር - ሌላ ማከል ይችላሉ። ሆኖም፣ የSMTP መስፈርትን በጥብቅ ከሚጠቀሙ ሌሎች አገልጋዮች ጋር ችግሮች ሊያጋጥምዎት ይችላል። ሌላው መፍትሔ (የሚመከር) ምንም ጉዳት የሌለበትን ዘዴ "SMTP socket Library" መጠቀም ነው. +TranslationSetup=የትርጉም ማዋቀር +TranslationKeySearch=የትርጉም ቁልፍ ወይም ሕብረቁምፊ ይፈልጉ +TranslationOverwriteKey=የትርጉም ሕብረቁምፊን ይፃፉ +TranslationDesc=የማሳያ ቋንቋን እንዴት ማዋቀር እንደሚቻል፡
      * ነባሪ/ስርዓት ሰፊ፡ ሜኑ ቤት -> ማዋቀር -> አሳይ
      * በእያንዳንዱ ተጠቃሚ፡ በማያ ገጹ ላይኛው ክፍል ላይ ያለውን የተጠቃሚ ስም ጠቅ ያድርጉ እና b0e784394006 span>የተጠቃሚ ማሳያ ማዋቀር በተጠቃሚ ካርዱ ላይ። +TranslationOverwriteDesc=እንዲሁም የሚከተለውን ሰንጠረዥ የሚሞሉ ሕብረቁምፊዎችን መሻር ይችላሉ። ቋንቋህን ከ"%s" ተቆልቋይ ምረጥ፣ የትርጉም ቁልፍ ሕብረቁምፊውን ወደ "%s" እና አዲሱ ትርጉምህን ወደ " አስገባ class='notranslate'>%s" +TranslationOverwriteDesc2=የትኛውን የትርጉም ቁልፍ መጠቀም እንዳለቦት ለማወቅ እንዲረዳህ ሌላኛውን ትር መጠቀም ትችላለህ +TranslationString=የትርጉም ሕብረቁምፊ +CurrentTranslationString=የአሁኑ የትርጉም ሕብረቁምፊ +WarningAtLeastKeyOrTranslationRequired=ቢያንስ ለቁልፍ ወይም ለትርጉም ሕብረቁምፊ የፍለጋ መስፈርት ያስፈልጋል +NewTranslationStringToShow=ለማሳየት አዲስ የትርጉም ሕብረቁምፊ +OriginalValueWas=ዋናው ትርጉም ተጽፏል። ዋናው ዋጋ፡

      %s ነበር +TransKeyWithoutOriginalValue=ለትርጉም ቁልፍ '%sss 65d071f6fc9z0s አስገድደሃል። በየትኛውም የቋንቋ ፋይሎች ውስጥ የማይገኝ +TitleNumberOfActivatedModules=የነቁ ሞጁሎች +TotalNumberOfActivatedModules=የነቁ ሞጁሎች፡ %s /span >%s +YouMustEnableOneModule=ቢያንስ 1 ሞጁል ማንቃት አለብህ +YouMustEnableTranslationOverwriteBefore=ትርጉሙን ለመተካት በመጀመሪያ የትርጉም ጽሑፍን ማንቃት አለብዎት +ClassNotFoundIntoPathWarning=ክፍል %s በPHP ዱካ አልተገኘም +YesInSummer=አዎ በበጋ +OnlyFollowingModulesAreOpenedToExternalUsers=ማስታወሻ፣ የሚከተሉት ሞጁሎች ብቻ ለውጭ ተጠቃሚዎች ይገኛሉ (የዚህ አይነት ተጠቃሚዎች ፈቃዶች ምንም ቢሆኑም) እና ፍቃዶች ከተሰጡ ብቻ፡
      +SuhosinSessionEncrypt=የክፍለ-ጊዜ ማከማቻ በሱሆሲን የተመሰጠረ +ConditionIsCurrently=ሁኔታው በአሁኑ ጊዜ %s ነው +YouUseBestDriver=አሁን ያለው ምርጥ አሽከርካሪ %sን ትጠቀማለህ። +YouDoNotUseBestDriver=ሾፌርን ትጠቀማለህ %s ነገር ግን ሹፌር %s ይመከራል። +NbOfObjectIsLowerThanNoPb=በመረጃ ቋቱ ውስጥ %s %s ብቻ ነው ያለህ። ይህ የተለየ ማመቻቸትን አይፈልግም። +ComboListOptim=ጥምር ዝርዝር የመጫን ማመቻቸት +SearchOptim=የፍለጋ ማመቻቸት +YouHaveXObjectUseComboOptim=በመረጃ ቋቱ ውስጥ %s %s አለህ። በተጫኑ ቁልፍ ክስተቶች ላይ ጥምር ዝርዝርን ለመጫን ወደ ሞጁል ማዋቀር መሄድ ይችላሉ። +YouHaveXObjectUseSearchOptim=በመረጃ ቋቱ ውስጥ %s %s አለህ። በHome-Setup-Other ውስጥ ቋሚውን %s ወደ 1 ማከል ትችላለህ። +YouHaveXObjectUseSearchOptimDesc=ይህ ፍለጋውን ወደ ሕብረቁምፊዎች መጀመሪያ ይገድባል ይህም የመረጃ ቋቱ መረጃ ጠቋሚዎችን እንዲጠቀም ያደርገዋል እና ፈጣን ምላሽ ማግኘት አለብዎት። +YouHaveXObjectAndSearchOptimOn=በመረጃ ቋቱ ውስጥ %s %s አለህ እና ቋሚ %s ተቀናብሯል span class='notranslate'>%s
      በቤት-ማዋቀር-ሌላ። +BrowserIsOK=የ %s የድር አሳሽ እየተጠቀምክ ነው። ይህ አሳሽ ለደህንነት እና አፈጻጸም ደህና ነው። +BrowserIsKO=የ %s የድር አሳሽ እየተጠቀምክ ነው። ይህ አሳሽ ለደህንነት፣ አፈጻጸም እና አስተማማኝነት መጥፎ ምርጫ እንደሆነ ይታወቃል። ፋየርፎክስ፣ ክሮም፣ ኦፔራ ወይም ሳፋሪ እንዲጠቀሙ እንመክራለን። +PHPModuleLoaded=የPHP ክፍል %s ተጭኗል +PreloadOPCode=ቀድሞ የተጫነ OPcode ጥቅም ላይ ይውላል +AddRefInList=አሳይ ደንበኛ/አቅራቢ ማጣቀሻ. ወደ ጥምር ዝርዝሮች።
      የሦስተኛ ወገኖች የ"CC12345 - SC45678 - The Big Company corp" የሚል የስም ቅርጸት ይዘው ይመጣሉ። ከ "The Big Company corp" ይልቅ. +AddVatInList=የደንበኛ/ሻጭ ተእታ ቁጥር ወደ ጥምር ዝርዝሮች አሳይ። +AddAdressInList=የደንበኛ/የአቅራቢውን አድራሻ ወደ ጥምር ዝርዝሮች አሳይ።
      ሦስተኛ ወገኖች በ« «The Big Company corp. - 21 jump street 123456 Big Town - USA» የሚል የስም ፎርማት ይዘው ብቅ ይላሉ። ቢግ ኩባንያ ኮርፖሬሽን". +AddEmailPhoneTownInContactList=የዕውቂያ ኢሜል (ወይም ስልኮች ካልተገለጸ) እና የከተማ መረጃ ዝርዝር (ዝርዝር ወይም ጥምር ሳጥን ይምረጡ)
      ዕውቂያዎች በ"ዱፖንድ ዱራንድ - dupond.durand@example" የስም ቅርጸት ይታያሉ። .com - ፓሪስ" ወይም "ዱፖንድ ዱራንድ - 06 07 59 65 66 - ፓሪስ" ከ "ዱፖንድ ዱራንድ" ይልቅ. +AskForPreferredShippingMethod=ለሶስተኛ ወገኖች ተመራጭ የማጓጓዣ ዘዴን ይጠይቁ። +FieldEdition=የመስክ እትም %s +FillThisOnlyIfRequired=ምሳሌ፡ +2 (የጊዜ ሰቅ ማካካሻ ችግሮች ካጋጠሙ ብቻ ይሙሉ) +GetBarCode=የአሞሌ ኮድ ያግኙ +NumberingModules=የቁጥር ሞዴሎች +DocumentModules=የሰነድ ሞዴሎች ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters in lowercase. -PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. -PasswordGenerationPerso=Return a password according to your personally defined configuration. -SetupPerso=According to your configuration -PasswordPatternDesc=Password pattern description +PasswordGenerationStandard=በውስጣዊ Dolibarr ስልተ ቀመር መሰረት የመነጨ የይለፍ ቃል ይመልሱ፡ %s የተጋሩ ቁጥሮችን እና ቁምፊዎችን የያዙ ቁምፊዎች። +PasswordGenerationNone=የመነጨ የይለፍ ቃል አይጠቁሙ። የይለፍ ቃል በእጅ መተየብ አለበት። +PasswordGenerationPerso=በግል በተገለጸው ውቅር መሰረት የይለፍ ቃል ይመልሱ። +SetupPerso=በእርስዎ ውቅር መሠረት +PasswordPatternDesc=የይለፍ ቃል ንድፍ መግለጫ ##### Users setup ##### -RuleForGeneratedPasswords=Rules to generate and validate passwords -DisableForgetPasswordLinkOnLogonPage=Do not show the "Password Forgotten" link on the Login page -UsersSetup=Users module setup -UserMailRequired=Email required to create a new user -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) -UsersDocModules=Document templates for documents generated from user record -GroupsDocModules=Document templates for documents generated from a group record +RuleForGeneratedPasswords=የይለፍ ቃሎችን የማመንጨት እና የማረጋገጥ ህጎች +DisableForgetPasswordLinkOnLogonPage=በመግቢያ ገጹ ላይ "የተረሳ የይለፍ ቃል" የሚለውን አገናኝ አታሳይ +UsersSetup=የተጠቃሚ ሞጁል ማዋቀር +UserMailRequired=አዲስ ተጠቃሚ ለመፍጠር ኢሜይል ያስፈልጋል +UserHideInactive=የቦዘኑ ተጠቃሚዎችን ከሁሉም የተጠቃሚዎች ጥምር ዝርዝሮች ደብቅ (የማይመከር፡ ይህ ማለት በአንዳንድ ገጾች ላይ የቆዩ ተጠቃሚዎችን ማጣራት ወይም መፈለግ አትችልም ማለት ነው) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) +UsersDocModules=ከተጠቃሚ መዝገብ ለተፈጠሩ ሰነዶች የሰነድ አብነቶች +GroupsDocModules=ከቡድን መዝገብ ለተፈጠሩ ሰነዶች የሰነድ አብነቶች ##### HRM setup ##### -HRMSetup=HRM module setup +HRMSetup=HRM ሞጁል ማዋቀር ##### Company setup ##### -CompanySetup=Companies module setup -CompanyCodeChecker=Options for automatic generation of customer/vendor codes -AccountCodeManager=Options for automatic generation of customer/vendor accounting codes -NotificationsDesc=Email notifications can be sent automatically for some Dolibarr events.
      Recipients of notifications can be defined: -NotificationsDescUser=* per user, one user at a time. -NotificationsDescContact=* per third-party contacts (customers or vendors), one contact at a time. -NotificationsDescGlobal=* or by setting global email addresses in the setup page of the module. -ModelModules=Document Templates -DocumentModelOdt=Generate documents from OpenDocument templates (.ODT / .ODS files from LibreOffice, OpenOffice, KOffice, TextEdit,...) -WatermarkOnDraft=Watermark on draft document -JSOnPaimentBill=Activate feature to autofill payment lines on payment form -CompanyIdProfChecker=Rules for Professional IDs -MustBeUnique=Must be unique? -MustBeMandatory=Mandatory to create third parties (if VAT number or type of company defined) ? -MustBeInvoiceMandatory=Mandatory to validate invoices? -TechnicalServicesProvided=Technical services provided -#####DAV ##### -WebDAVSetupDesc=This is the link to access the WebDAV directory. It contains a "public" dir open to any user knowing the URL (if public directory access allowed) and a "private" directory that needs an existing login account/password for access. -WebDavServer=Root URL of %s server: %s -##### Webcal setup ##### -WebCalUrlForVCalExport=An export link to %s format is available at following link: %s +CompanySetup=የኩባንያዎች ሞጁል ማዋቀር +CompanyCodeChecker=የደንበኛ/የሻጭ ኮዶችን በራስ ሰር የማመንጨት አማራጮች +AccountCodeManager=የደንበኛ/ሻጭ የሂሳብ ኮዶችን በራስ ሰር የማመንጨት አማራጮች +NotificationsDesc=ለአንዳንድ የዶሊባር ክስተቶች የኢሜይል ማሳወቂያዎች በራስ ሰር ሊላኩ ይችላሉ።
      የማሳወቂያ ተቀባዮች፡- +NotificationsDescUser=* በአንድ ተጠቃሚ፣ አንድ ተጠቃሚ በአንድ ጊዜ። +NotificationsDescContact=* በሶስተኛ ወገን እውቂያዎች (ደንበኞች ወይም ሻጮች) ፣ በአንድ ጊዜ አንድ እውቂያ። +NotificationsDescGlobal=* ወይም በአለምአቀፍ የኢሜል አድራሻዎች በሞጁሉ ማዋቀር ገጽ ላይ በማዘጋጀት. +ModelModules=የሰነድ አብነቶች +DocumentModelOdt=ሰነዶችን ከOpenDocument አብነቶች (.ODT/.ODS ፋይሎች ከLibreOffice፣ OpenOffice፣ KOffice፣ TextEdit፣...) ያመንጩ። +WatermarkOnDraft=በረቂቅ ሰነድ ላይ የውሃ ምልክት +JSOnPaimentBill=የክፍያ መስመሮችን በክፍያ ቅጽ ላይ በራስ-ሰር ለመሙላት ባህሪን ያግብሩ +CompanyIdProfChecker=ለሙያዊ መታወቂያዎች ደንቦች +MustBeUnique=ልዩ መሆን አለበት? +MustBeMandatory=ሶስተኛ ወገኖችን መፍጠር ግዴታ ነው (የተእታ ቁጥር ወይም የድርጅት አይነት ከተገለጸ)? +MustBeInvoiceMandatory=ደረሰኞችን ማረጋገጥ ግዴታ ነው? +TechnicalServicesProvided=የቴክኒክ አገልግሎቶች ተሰጥተዋል። +##### WebDAV ##### +WebDAVSetupDesc=የWebDAV ማውጫን ለመድረስ ይህ አገናኝ ነው። ዩአርኤሉን ለሚያውቅ ለማንኛውም ተጠቃሚ ክፍት የሆነ "ይፋዊ" ዲር (የሕዝብ ማውጫ መዳረሻ ከተፈቀደ) እና አሁን ያለ የመግቢያ መለያ/የይለፍ ቃል መዳረሻ የሚያስፈልገው "የግል" ማውጫ ይዟል። +WebDavServer=የ%s አገልጋይ ስር ዩአርኤል፡ %s +##### WebCAL setup ##### +WebCalUrlForVCalExport=የመላክ አገናኝ ወደ %s ቅርጸት በሚከተለው ማገናኛ ላይ ይገኛል %s ##### Invoices ##### -BillsSetup=Invoices module setup -BillsNumberingModule=Invoices and credit notes numbering model -BillsPDFModules=Invoice documents models -BillsPDFModulesAccordindToInvoiceType=Invoice documents models according to invoice type -PaymentsPDFModules=Payment documents models -ForceInvoiceDate=Force invoice date to validation date -SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined on the invoice -SuggestPaymentByRIBOnAccount=Suggest payment by withdrawal on account -SuggestPaymentByChequeToAddress=Suggest payment by check to -FreeLegalTextOnInvoices=Free text on invoices -WatermarkOnDraftInvoices=Watermark on draft invoices (none if empty) -PaymentsNumberingModule=Payments numbering model -SuppliersPayment=Vendor payments -SupplierPaymentSetup=Vendor payments setup +BillsSetup=የክፍያ መጠየቂያዎች ሞጁል ማዋቀር +BillsNumberingModule=ደረሰኞች እና የክሬዲት ማስታወሻዎች የቁጥር ሞዴል +BillsPDFModules=የክፍያ መጠየቂያ ሰነዶች ሞዴሎች +BillsPDFModulesAccordindToInvoiceType=የክፍያ መጠየቂያ ሰነዶች ሞዴሎች እንደ ደረሰኝ ዓይነት +PaymentsPDFModules=የክፍያ ሰነዶች ሞዴሎች +ForceInvoiceDate=የክፍያ መጠየቂያ ቀንን እስከ ማረጋገጫ ቀን አስገድድ +SuggestedPaymentModesIfNotDefinedInInvoice=በክፍያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ መጠየቂያ ደረሰኝ ላይ በነባሪነት ካልተገለጸ የክፍያ ሁኔታ +SuggestPaymentByRIBOnAccount=በመለያው ላይ በማውጣት ክፍያን ይጠቁሙ +SuggestPaymentByChequeToAddress=ክፍያ በቼክ ይጠቁሙ ወደ +FreeLegalTextOnInvoices=በክፍያ መጠየቂያዎች ላይ ነፃ ጽሑፍ +WatermarkOnDraftInvoices=በረቂቅ ደረሰኞች ላይ ያለው የውሃ ምልክት (ባዶ ከሆነ ምንም) +PaymentsNumberingModule=የክፍያዎች ቁጥር አሰጣጥ ሞዴል +SuppliersPayment=የአቅራቢ ክፍያዎች +SupplierPaymentSetup=የአቅራቢ ክፍያዎች ማዋቀር +InvoiceCheckPosteriorDate=ከማረጋገጫው በፊት የእውነታውን ቀን ያረጋግጡ +InvoiceCheckPosteriorDateHelp=የክፍያ መጠየቂያ ደረሰኝን ማረጋገጥ የተከለከለ ነው። +InvoiceOptionCategoryOfOperations=በክፍያ መጠየቂያው ላይ "የኦፕሬሽኖች ምድብ" መጠቀሱን ያሳዩ. +InvoiceOptionCategoryOfOperationsHelp=እንደ ሁኔታው መጠቀሱ በቅጹ ይታያል፡
      - የክወናዎች ምድብ፡ የሸቀጦች አቅርቦት
      - ምድብ ኦፕሬሽኖች፡ የአገልግሎቶች አቅርቦት
      - የክዋኔዎች ምድብ፡ ቅይጥ - የሸቀጦች አቅርቦት እና አገልግሎቶች አቅርቦት +InvoiceOptionCategoryOfOperationsYes1=አዎ፣ ከአድራሻ እገዳ በታች +InvoiceOptionCategoryOfOperationsYes2=አዎ ፣ በታችኛው ግራ ጥግ ላይ ##### Proposals ##### -PropalSetup=Commercial proposals module setup -ProposalsNumberingModules=Commercial proposal numbering models -ProposalsPDFModules=Commercial proposal documents models -SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined on the proposal -FreeLegalTextOnProposal=Free text on commercial proposals -WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty) -BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal +PropalSetup=የንግድ ፕሮፖዛል ሞጁል ማዋቀር +ProposalsNumberingModules=የንግድ ፕሮፖዛል የቁጥር ሞዴሎች +ProposalsPDFModules=የንግድ ፕሮፖዛል ሰነዶች ሞዴሎች +SuggestedPaymentModesIfNotDefinedInProposal=በአስተያየቱ ላይ የተጠቆመ የክፍያ ሁነታ በነባሪነት በፕሮፖዛሉ ላይ ካልተገለጸ +FreeLegalTextOnProposal=በንግድ ሀሳቦች ላይ ነፃ ጽሑፍ +WatermarkOnDraftProposal=በረቂቅ የንግድ ሀሳቦች ላይ የውሃ ምልክት (ባዶ ከሆነ ምንም) +BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=የፕሮፖዛል መድረሻ የባንክ ሂሳብ ይጠይቁ ##### SupplierProposal ##### -SupplierProposalSetup=Price requests suppliers module setup -SupplierProposalNumberingModules=Price requests suppliers numbering models -SupplierProposalPDFModules=Price requests suppliers documents models -FreeLegalTextOnSupplierProposal=Free text on price requests suppliers -WatermarkOnDraftSupplierProposal=Watermark on draft price requests suppliers (none if empty) -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Ask for bank account destination of price request -WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Ask for Warehouse Source for order +SupplierProposalSetup=የዋጋ ጥያቄ አቅራቢዎች ሞጁል ማዋቀር +SupplierProposalNumberingModules=የዋጋ ጥያቄ አቅራቢዎችን ቁጥር መስጠት ሞዴሎች +SupplierProposalPDFModules=የዋጋ ጥያቄ አቅራቢዎች ሰነዶች ሞዴሎች +FreeLegalTextOnSupplierProposal=የዋጋ ጥያቄ አቅራቢዎች ላይ ነፃ ጽሑፍ +WatermarkOnDraftSupplierProposal=በረቂቅ የዋጋ ጥያቄ አቅራቢዎች ላይ የውሃ ምልክት (ባዶ ከሆነ ምንም) +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=የዋጋ ጥያቄ መድረሻ የባንክ ሂሳብ ይጠይቁ +WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=ለትዕዛዝ የመጋዘን ምንጭ ይጠይቁ ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=የባንክ ሂሳብ የግዢ ትዕዛዝ መድረሻ ይጠይቁ ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sales order by default if not defined on the order -OrdersSetup=Sales Orders management setup -OrdersNumberingModules=Orders numbering models -OrdersModelModule=Order documents models -FreeLegalTextOnOrders=Free text on orders -WatermarkOnDraftOrders=Watermark on draft orders (none if empty) -ShippableOrderIconInList=Add an icon in Orders list which indicate if order is shippable -BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ask for bank account destination of order +SuggestedPaymentModesIfNotDefinedInOrder=በትእዛዙ ላይ ካልተገለጸ በነባሪነት በሽያጭ ትዕዛዝ ላይ የተጠቆሙ የክፍያዎች ሁነታ +OrdersSetup=የሽያጭ ትዕዛዞች አስተዳደር ማዋቀር +OrdersNumberingModules=የቁጥር ሞዴሎችን ያዛል +OrdersModelModule=ሰነዶችን ሞዴሎችን ይዘዙ +FreeLegalTextOnOrders=በትእዛዞች ላይ ነፃ ጽሑፍ +WatermarkOnDraftOrders=በረቂቅ ትዕዛዞች ላይ ያለው የውሃ ምልክት (ባዶ ከሆነ ምንም) +ShippableOrderIconInList=በትእዛዞች ዝርዝር ውስጥ ትዕዛዙ መጓጓዝ የሚችል መሆኑን የሚያመለክት አዶ ያክሉ +BANK_ASK_PAYMENT_BANK_DURING_ORDER=የባንክ ሂሳብ የትዕዛዝ መድረሻ ይጠይቁ ##### Interventions ##### -InterventionsSetup=Interventions module setup -FreeLegalTextOnInterventions=Free text on intervention documents -FicheinterNumberingModules=Intervention numbering models -TemplatePDFInterventions=Intervention card documents models -WatermarkOnDraftInterventionCards=Watermark on intervention card documents (none if empty) +InterventionsSetup=ጣልቃ-ገብነት ሞጁል ማዋቀር +FreeLegalTextOnInterventions=በጣልቃ ገብነት ሰነዶች ላይ ነፃ ጽሑፍ +FicheinterNumberingModules=የጣልቃ ገብነት ቁጥሮች ሞዴሎች +TemplatePDFInterventions=የጣልቃ ገብነት ካርድ ሰነዶች ሞዴሎች +WatermarkOnDraftInterventionCards=በጣልቃ ገብነት ካርድ ሰነዶች ላይ የውሃ ምልክት (ባዶ ከሆነ ምንም) ##### Contracts ##### -ContractsSetup=Contracts/Subscriptions module setup -ContractsNumberingModules=Contracts numbering modules -TemplatePDFContracts=Contracts documents models -FreeLegalTextOnContracts=Free text on contracts -WatermarkOnDraftContractCards=Watermark on draft contracts (none if empty) +ContractsSetup=ኮንትራቶች/የደንበኝነት ምዝገባዎች ሞጁል ማዋቀር +ContractsNumberingModules=ኮንትራቶች ቁጥር መስጫ ሞጁሎች +TemplatePDFContracts=የኮንትራት ሰነዶች ሞዴሎች +FreeLegalTextOnContracts=በኮንትራቶች ላይ ነፃ ጽሑፍ +WatermarkOnDraftContractCards=በረቂቅ ኮንትራቶች ላይ ያለው የውሃ ምልክት (ባዶ ከሆነ ምንም) ##### Members ##### -MembersSetup=Members module setup -MemberMainOptions=Main options -AdherentLoginRequired= Manage a Login for each member -AdherentMailRequired=Email required to create a new member -MemberSendInformationByMailByDefault=Checkbox to send mail confirmation to members (validation or new subscription) is on by default -MemberCreateAnExternalUserForSubscriptionValidated=Create an external user login for each new member subscription validated -VisitorCanChooseItsPaymentMode=Visitor can choose from available payment modes -MEMBER_REMINDER_EMAIL=Enable automatic reminder by email of expired subscriptions. Note: Module %s must be enabled and correctly setup to send reminders. -MembersDocModules=Document templates for documents generated from member record +MembersSetup=የአባላት ሞጁል ማዋቀር +MemberMainOptions=ዋና አማራጮች +MemberCodeChecker=የአባል ኮዶችን በራስ ሰር የማመንጨት አማራጮች +AdherentLoginRequired=ለእያንዳንዱ አባል የመግቢያ/የይለፍ ቃል ያስተዳድሩ +AdherentLoginRequiredDesc=በአባል ፋይሉ ላይ ለመግቢያ ዋጋ እና የይለፍ ቃል ያክሉ። አባሉ ከተጠቃሚ ጋር የተገናኘ ከሆነ የአባላቱን መግቢያ እና የይለፍ ቃል ማዘመን የተጠቃሚውን መግቢያ እና የይለፍ ቃልም ያሻሽላል። +AdherentMailRequired=አዲስ አባል ለመፍጠር ኢሜይል ያስፈልጋል +MemberSendInformationByMailByDefault=ለአባላት የመልእክት ማረጋገጫ (ማረጋገጫ ወይም አዲስ ምዝገባ) ለመላክ አመልካች ሳጥን በነባሪነት በርቷል። +MemberCreateAnExternalUserForSubscriptionValidated=ለእያንዳንዱ አዲስ አባል ምዝገባ የተረጋገጠ የውጭ ተጠቃሚ መግቢያ ይፍጠሩ +VisitorCanChooseItsPaymentMode=ጎብኚ ከማንኛውም የሚገኙ የክፍያ ሁነታዎች መምረጥ ይችላል። +MEMBER_REMINDER_EMAIL=አውቶማቲክ አስታዋሽ በኢሜል ጊዜ ያለፈባቸው የደንበኝነት ምዝገባዎችን አንቃ። ማስታወሻ፡ ሞዱል %s በትክክል ለመላክ መንቃት አለበት አስታዋሾች. +MembersDocModules=ከአባላት መዝገብ ለተፈጠሩ ሰነዶች የሰነድ አብነቶች ##### LDAP setup ##### -LDAPSetup=LDAP Setup -LDAPGlobalParameters=Global parameters -LDAPUsersSynchro=Users -LDAPGroupsSynchro=Groups -LDAPContactsSynchro=Contacts -LDAPMembersSynchro=Members -LDAPMembersTypesSynchro=Members types -LDAPSynchronization=LDAP synchronisation -LDAPFunctionsNotAvailableOnPHP=LDAP functions are not available on your PHP -LDAPToDolibarr=LDAP -> Dolibarr -DolibarrToLDAP=Dolibarr -> LDAP -LDAPNamingAttribute=Key in LDAP -LDAPSynchronizeUsers=Organization of users in LDAP -LDAPSynchronizeGroups=Organization of groups in LDAP -LDAPSynchronizeContacts=Organization of contacts in LDAP -LDAPSynchronizeMembers=Organization of foundation's members in LDAP -LDAPSynchronizeMembersTypes=Organization of foundation's members types in LDAP -LDAPPrimaryServer=Primary server -LDAPSecondaryServer=Secondary server -LDAPServerPort=Server port -LDAPServerPortExample=Standard or StartTLS: 389, LDAPs: 636 -LDAPServerProtocolVersion=Protocol version -LDAPServerUseTLS=Use TLS -LDAPServerUseTLSExample=Your LDAP server use StartTLS -LDAPServerDn=Server DN -LDAPAdminDn=Administrator DN -LDAPAdminDnExample=Complete DN (ex: cn=admin,dc=example,dc=com or cn=Administrator,cn=Users,dc=example,dc=com for active directory) -LDAPPassword=Administrator password -LDAPUserDn=Users' DN -LDAPUserDnExample=Complete DN (ex: ou=users,dc=example,dc=com) -LDAPGroupDn=Groups' DN -LDAPGroupDnExample=Complete DN (ex: ou=groups,dc=example,dc=com) -LDAPServerExample=Server address (ex: localhost, 192.168.0.2, ldaps://ldap.example.com/) -LDAPServerDnExample=Complete DN (ex: dc=example,dc=com) -LDAPDnSynchroActive=Users and groups synchronization -LDAPDnSynchroActiveExample=LDAP to Dolibarr or Dolibarr to LDAP synchronization -LDAPDnContactActive=Contacts' synchronization -LDAPDnContactActiveExample=Activated/Unactivated synchronization -LDAPDnMemberActive=Members' synchronization -LDAPDnMemberActiveExample=Activated/Unactivated synchronization -LDAPDnMemberTypeActive=Members types' synchronization -LDAPDnMemberTypeActiveExample=Activated/Unactivated synchronization -LDAPContactDn=Dolibarr contacts' DN -LDAPContactDnExample=Complete DN (ex: ou=contacts,dc=example,dc=com) -LDAPMemberDn=Dolibarr members DN -LDAPMemberDnExample=Complete DN (ex: ou=members,dc=example,dc=com) -LDAPMemberObjectClassList=List of objectClass -LDAPMemberObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPMemberTypeDn=Dolibarr members types DN -LDAPMemberTypepDnExample=Complete DN (ex: ou=memberstypes,dc=example,dc=com) -LDAPMemberTypeObjectClassList=List of objectClass -LDAPMemberTypeObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames) -LDAPUserObjectClassList=List of objectClass -LDAPUserObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPGroupObjectClassList=List of objectClass -LDAPGroupObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames) -LDAPContactObjectClassList=List of objectClass -LDAPContactObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPTestConnect=Test LDAP connection -LDAPTestSynchroContact=Test contacts synchronization -LDAPTestSynchroUser=Test user synchronization -LDAPTestSynchroGroup=Test group synchronization -LDAPTestSynchroMember=Test member synchronization -LDAPTestSynchroMemberType=Test member type synchronization -LDAPTestSearch= Test a LDAP search -LDAPSynchroOK=Synchronization test successful -LDAPSynchroKO=Failed synchronization test -LDAPSynchroKOMayBePermissions=Failed synchronization test. Check that the connection to the server is correctly configured and allows LDAP updates -LDAPTCPConnectOK=TCP connect to LDAP server successful (Server=%s, Port=%s) -LDAPTCPConnectKO=TCP connect to LDAP server failed (Server=%s, Port=%s) -LDAPBindOK=Connect/Authenticate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s) -LDAPBindKO=Connect/Authenticate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=%s) -LDAPSetupForVersion3=LDAP server configured for version 3 -LDAPSetupForVersion2=LDAP server configured for version 2 -LDAPDolibarrMapping=Dolibarr Mapping -LDAPLdapMapping=LDAP Mapping -LDAPFieldLoginUnix=Login (unix) -LDAPFieldLoginExample=Example: uid -LDAPFilterConnection=Search filter -LDAPFilterConnectionExample=Example: &(objectClass=inetOrgPerson) -LDAPGroupFilterExample=Example: &(objectClass=groupOfUsers) -LDAPFieldLoginSamba=Login (samba, activedirectory) -LDAPFieldLoginSambaExample=Example: samaccountname -LDAPFieldFullname=Full name -LDAPFieldFullnameExample=Example: cn -LDAPFieldPasswordNotCrypted=Password not encrypted -LDAPFieldPasswordCrypted=Password encrypted -LDAPFieldPasswordExample=Example: userPassword -LDAPFieldCommonNameExample=Example: cn -LDAPFieldName=Name -LDAPFieldNameExample=Example: sn -LDAPFieldFirstName=First name -LDAPFieldFirstNameExample=Example: givenName -LDAPFieldMail=Email address -LDAPFieldMailExample=Example: mail -LDAPFieldPhone=Professional phone number -LDAPFieldPhoneExample=Example: telephonenumber -LDAPFieldHomePhone=Personal phone number -LDAPFieldHomePhoneExample=Example: homephone -LDAPFieldMobile=Cellular phone -LDAPFieldMobileExample=Example: mobile -LDAPFieldFax=Fax number -LDAPFieldFaxExample=Example: facsimiletelephonenumber -LDAPFieldAddress=Street -LDAPFieldAddressExample=Example: street -LDAPFieldZip=Zip -LDAPFieldZipExample=Example: postalcode -LDAPFieldTown=Town -LDAPFieldTownExample=Example: l -LDAPFieldCountry=Country -LDAPFieldDescription=Description -LDAPFieldDescriptionExample=Example: description -LDAPFieldNotePublic=Public Note -LDAPFieldNotePublicExample=Example: publicnote -LDAPFieldGroupMembers= Group members -LDAPFieldGroupMembersExample= Example: uniqueMember -LDAPFieldBirthdate=Birthdate -LDAPFieldCompany=Company -LDAPFieldCompanyExample=Example: o +LDAPSetup=የኤልዲኤፒ ማዋቀር +LDAPGlobalParameters=ዓለም አቀፍ መለኪያዎች +LDAPUsersSynchro=ተጠቃሚዎች +LDAPGroupsSynchro=ቡድኖች +LDAPContactsSynchro=እውቂያዎች +LDAPMembersSynchro=አባላት +LDAPMembersTypesSynchro=የአባላት ዓይነቶች +LDAPSynchronization=የኤልዲኤፒ ማመሳሰል +LDAPFunctionsNotAvailableOnPHP=የኤልዲኤፒ ተግባራት በእርስዎ ፒኤችፒ ላይ አይገኙም። +LDAPToDolibarr=LDAP -> ዶሊባርር +DolibarrToLDAP=ዶሊባርር -> ኤልዲኤፒ +LDAPNamingAttribute=በኤልዲኤፒ ውስጥ ቁልፍ +LDAPSynchronizeUsers=በኤልዲኤፒ ውስጥ የተጠቃሚዎች አደረጃጀት +LDAPSynchronizeGroups=በኤልዲኤፒ ውስጥ የቡድኖች አደረጃጀት +LDAPSynchronizeContacts=በኤልዲኤፒ ውስጥ የእውቂያዎች አደረጃጀት +LDAPSynchronizeMembers=በኤልዲኤፒ ውስጥ የመሠረት አባላትን ማደራጀት። +LDAPSynchronizeMembersTypes=የፋውንዴሽን አባላትን ማደራጀት በኤልዲኤፒ +LDAPPrimaryServer=ዋና አገልጋይ +LDAPSecondaryServer=ሁለተኛ ደረጃ አገልጋይ +LDAPServerPort=የአገልጋይ ወደብ +LDAPServerPortExample=መደበኛ ወይም StartTLS፡ 389፣ LDAPs፡ 636 +LDAPServerProtocolVersion=የፕሮቶኮል ስሪት +LDAPServerUseTLS=TLS ተጠቀም +LDAPServerUseTLSExample=የእርስዎ LDAP አገልጋይ StartTLSን ይጠቀማል +LDAPServerDn=አገልጋይ ዲ.ኤን +LDAPAdminDn=አስተዳዳሪ ዲ.ኤን +LDAPAdminDnExample=ሙሉ ዲኤን (ለምሳሌ፦ cn=admin,dc=example,dc=com or cn=አስተዳዳሪ,cn=ተጠቃሚዎች,dc=example,dc=com ለገቢር ማውጫ) +LDAPPassword=የአስተዳዳሪ የይለፍ ቃል +LDAPUserDn=የተጠቃሚዎች ዲ.ኤን +LDAPUserDnExample=ሙሉ ዲኤን (ለምሳሌ፡ ou=ተጠቃሚዎች፣dc=example፣dc=com) +LDAPGroupDn=የቡድኖች ዲ.ኤን +LDAPGroupDnExample=ሙሉ ዲኤን (ለምሳሌ፡ ou=ቡድኖች፣dc=example፣dc=com) +LDAPServerExample=የአገልጋይ አድራሻ (ለምሳሌ፡ localhost፣ 192.168.0.2፣ ldaps://ldap.example.com/) +LDAPServerDnExample=ሙሉ ዲኤን (ለምሳሌ: dc=example,dc=com) +LDAPDnSynchroActive=የተጠቃሚዎች እና ቡድኖች ማመሳሰል +LDAPDnSynchroActiveExample=LDAP ከ Dolibarr ወይም Dolibarr ወደ LDAP ማመሳሰል +LDAPDnContactActive=የእውቂያዎች ማመሳሰል +LDAPDnContactActiveExample=የነቃ/የማይነቃ ማመሳሰል +LDAPDnMemberActive=የአባላት ማመሳሰል +LDAPDnMemberActiveExample=የነቃ/የማይነቃ ማመሳሰል +LDAPDnMemberTypeActive=የአባላት ዓይነቶች ማመሳሰል +LDAPDnMemberTypeActiveExample=የነቃ/የማይነቃ ማመሳሰል +LDAPContactDn=የዶሊባርር እውቂያዎች ዲኤን +LDAPContactDnExample=ሙሉ ዲኤን (ለምሳሌ: ou=እውቂያዎች,dc=example,dc=com) +LDAPMemberDn=ዶሊባርር አባላት ዲ.ኤን +LDAPMemberDnExample=ሙሉ ዲኤን (ለምሳሌ፡ ou=አባላት፣dc=example፣dc=com) +LDAPMemberObjectClassList=የነገር ምድብ ዝርዝር +LDAPMemberObjectClassListExample=የነገር ክፍል የመዝገብ ባህሪያትን የሚገልጽ ዝርዝር (ለምሳሌ፡ ከላይ፣ inetOrgPerson ወይም ከፍተኛ፣ ለገቢር ማውጫ ተጠቃሚ) +LDAPMemberTypeDn=Dolibarr አባላት DN አይነቶች +LDAPMemberTypepDnExample=ሙሉ ዲኤን (ለምሳሌ፡ ou=memberstypes,dc=example,dc=com) +LDAPMemberTypeObjectClassList=የነገር ምድብ ዝርዝር +LDAPMemberTypeObjectClassListExample=የነገር ምድብ የመዝገብ ባህሪያትን የሚገልጽ ዝርዝር (ለምሳሌ፡ ከፍተኛ፣ የቡድን ልዩ ስሞች) +LDAPUserObjectClassList=የነገር ምድብ ዝርዝር +LDAPUserObjectClassListExample=የነገር ክፍል የመዝገብ ባህሪያትን የሚገልጽ ዝርዝር (ለምሳሌ፡ ከላይ፣ inetOrgPerson ወይም ከፍተኛ፣ ለገቢር ማውጫ ተጠቃሚ) +LDAPGroupObjectClassList=የነገር ምድብ ዝርዝር +LDAPGroupObjectClassListExample=የነገር ምድብ የመዝገብ ባህሪያትን የሚገልጽ ዝርዝር (ለምሳሌ፡ ከፍተኛ፣ የቡድን ልዩ ስሞች) +LDAPContactObjectClassList=የነገር ምድብ ዝርዝር +LDAPContactObjectClassListExample=የነገር ክፍል የመዝገብ ባህሪያትን የሚገልጽ ዝርዝር (ለምሳሌ፡ ከላይ፣ inetOrgPerson ወይም ከፍተኛ፣ ለገቢር ማውጫ ተጠቃሚ) +LDAPTestConnect=የኤልዲኤፒ ግንኙነትን ይሞክሩ +LDAPTestSynchroContact=የእውቂያዎችን ማመሳሰልን ሞክር +LDAPTestSynchroUser=የተጠቃሚ ማመሳሰልን ሞክር +LDAPTestSynchroGroup=የቡድን ማመሳሰልን ሞክር +LDAPTestSynchroMember=የአባላትን ማመሳሰልን ሞክር +LDAPTestSynchroMemberType=የሙከራ አባል አይነት ማመሳሰል +LDAPTestSearch= የኤልዲኤፒ ፍለጋን ይሞክሩ +LDAPSynchroOK=የማመሳሰል ሙከራ ተሳክቷል። +LDAPSynchroKO=የማመሳሰል ሙከራ አልተሳካም። +LDAPSynchroKOMayBePermissions=የማመሳሰል ሙከራ አልተሳካም። ከአገልጋዩ ጋር ያለው ግንኙነት በትክክል መዋቀሩን ያረጋግጡ እና የኤልዲኤፒ ማሻሻያዎችን ይፈቅዳል +LDAPTCPConnectOK=TCP ከኤልዲኤፒ አገልጋይ ጋር ተገናኝቷል ስኬታማ (አገልጋይ=%s, Port=%s) +LDAPTCPConnectKO=TCP ከ LDAP አገልጋይ ጋር መገናኘት አልተሳካም (አገልጋይ=%s, Port=%s) +LDAPBindOK=ከኤልዲኤፒ አገልጋይ ጋር ተገናኝ/ አረጋግጥ (Server=%s, Port=%s, Admin= %s, የይለፍ ቃል=%s) +LDAPBindKO=ከኤልዲኤፒ አገልጋይ ጋር መገናኘት/ማረጋገጥ አልተሳካም (አገልጋይ=%s, Port=%s, Admin= %s, የይለፍ ቃል=%s) +LDAPSetupForVersion3=LDAP አገልጋይ ለስሪት 3 ተዋቅሯል። +LDAPSetupForVersion2=LDAP አገልጋይ ለስሪት 2 ተዋቅሯል። +LDAPDolibarrMapping=ዶሊባርር ካርታ +LDAPLdapMapping=የኤልዲኤፒ ካርታ ስራ +LDAPFieldLoginUnix=ግባ (ዩኒክስ) +LDAPFieldLoginExample=ምሳሌ፡ uid +LDAPFilterConnection=የፍለጋ ማጣሪያ +LDAPFilterConnectionExample=ምሳሌ፡ &(objectClass=inetOrgPerson) +LDAPGroupFilterExample=ምሳሌ፡ &(objectClass=groupOfUsers) +LDAPFieldLoginSamba=ግባ (ሳምባ፣ ንቁ ማውጫ) +LDAPFieldLoginSambaExample=ምሳሌ፡ samaccountname +LDAPFieldFullname=ሙሉ ስም +LDAPFieldFullnameExample=ምሳሌ፡ cn +LDAPFieldPasswordNotCrypted=የይለፍ ቃል አልተመሰጠረም። +LDAPFieldPasswordCrypted=የይለፍ ቃል ተመስጥሯል። +LDAPFieldPasswordExample=ምሳሌ፡ የተጠቃሚ የይለፍ ቃል +LDAPFieldCommonNameExample=ምሳሌ፡ cn +LDAPFieldName=ስም +LDAPFieldNameExample=ምሳሌ: sn +LDAPFieldFirstName=የመጀመሪያ ስም +LDAPFieldFirstNameExample=ምሳሌ፡ የተሰጠ ስም +LDAPFieldMail=የ ኢሜል አድራሻ +LDAPFieldMailExample=ምሳሌ፡ ሜይል +LDAPFieldPhone=የባለሙያ ስልክ ቁጥር +LDAPFieldPhoneExample=ምሳሌ፡ ስልክ ቁጥር +LDAPFieldHomePhone=የግል ስልክ ቁጥር +LDAPFieldHomePhoneExample=ምሳሌ፡- የቤት ስልክ +LDAPFieldMobile=ተንቀሳቃሽ ስልክ +LDAPFieldMobileExample=ምሳሌ፡ ሞባይል +LDAPFieldFax=የፋክስ ቁጥር +LDAPFieldFaxExample=ምሳሌ፡ ፋሲሚሌቴሌፎን ቁጥር +LDAPFieldAddress=ጎዳና +LDAPFieldAddressExample=ምሳሌ፡ ጎዳና +LDAPFieldZip=ዚፕ +LDAPFieldZipExample=ምሳሌ፡ የፖስታ ኮድ +LDAPFieldTown=ከተማ +LDAPFieldTownExample=ምሳሌ፡ l +LDAPFieldCountry=ሀገር +LDAPFieldDescription=መግለጫ +LDAPFieldDescriptionExample=ምሳሌ፡ መግለጫ +LDAPFieldNotePublic=የህዝብ ማስታወሻ +LDAPFieldNotePublicExample=ምሳሌ፡ የህዝብ ማስታወሻ +LDAPFieldGroupMembers= የቡድን አባላት +LDAPFieldGroupMembersExample= ምሳሌ፡-ልዩ አባል +LDAPFieldBirthdate=የልደት ቀን +LDAPFieldCompany=ኩባንያ +LDAPFieldCompanyExample=ምሳሌ፡ o LDAPFieldSid=SID -LDAPFieldSidExample=Example: objectsid -LDAPFieldEndLastSubscription=Date of subscription end -LDAPFieldTitle=Job position -LDAPFieldTitleExample=Example: title -LDAPFieldGroupid=Group id -LDAPFieldGroupidExample=Exemple : gidnumber -LDAPFieldUserid=User id -LDAPFieldUseridExample=Exemple : uidnumber -LDAPFieldHomedirectory=Home directory -LDAPFieldHomedirectoryExample=Exemple : homedirectory -LDAPFieldHomedirectoryprefix=Home directory prefix -LDAPSetupNotComplete=LDAP setup not complete (go on others tabs) -LDAPNoUserOrPasswordProvidedAccessIsReadOnly=No administrator or password provided. LDAP access will be anonymous and in read only mode. -LDAPDescContact=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr contacts. -LDAPDescUsers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr users. -LDAPDescGroups=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr groups. -LDAPDescMembers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members module. -LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. -LDAPDescValues=Example values are designed for OpenLDAP with following loaded schemas: core.schema, cosine.schema, inetorgperson.schema). If you use thoose values and OpenLDAP, modify your LDAP config file slapd.conf to have all thoose schemas loaded. -ForANonAnonymousAccess=For an authenticated access (for a write access for example) -PerfDolibarr=Performance setup/optimizing report -YouMayFindPerfAdviceHere=This page provides some checks or advice related to performance. -NotInstalled=Not installed. -NotSlowedDownByThis=Not slowed down by this. -NotRiskOfLeakWithThis=Not risk of leak with this. -ApplicativeCache=Applicative cache -MemcachedNotAvailable=No applicative cache found. You can enhance performance by installing a cache server Memcached and a module able to use this cache server.
      More information here
      http://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      Note that a lot of web hosting provider does not provide such cache server. -MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete. -MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled. -OPCodeCache=OPCode cache -NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad). -HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript) -FilesOfTypeCached=Files of type %s are cached by HTTP server -FilesOfTypeNotCached=Files of type %s are not cached by HTTP server -FilesOfTypeCompressed=Files of type %s are compressed by HTTP server -FilesOfTypeNotCompressed=Files of type %s are not compressed by HTTP server -CacheByServer=Cache by server -CacheByServerDesc=For example using the Apache directive "ExpiresByType image/gif A2592000" -CacheByClient=Cache by browser -CompressionOfResources=Compression of HTTP responses -CompressionOfResourcesDesc=For example using the Apache directive "AddOutputFilterByType DEFLATE" -TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers -DefaultValuesDesc=Here you may define the default value you wish to use when creating a new record, and/or default filters or the sort order when you list records. -DefaultCreateForm=Default values (to use on forms) -DefaultSearchFilters=Default search filters -DefaultSortOrder=Default sort orders -DefaultFocus=Default focus fields -DefaultMandatory=Mandatory form fields +LDAPFieldSidExample=ምሳሌ፡ objectsid +LDAPFieldEndLastSubscription=የምዝገባ ማብቂያ ቀን +LDAPFieldTitle=የሥራ ቦታ +LDAPFieldTitleExample=ምሳሌ፡ ርእስ +LDAPFieldGroupid=የቡድን መታወቂያ +LDAPFieldGroupidExample=ምሳሌ: የጂድ ቁጥር +LDAPFieldUserid=የተጠቃሚው መለያ +LDAPFieldUseridExample=ምሳሌ: uid number +LDAPFieldHomedirectory=የቤት ማውጫ +LDAPFieldHomedirectoryExample=ምሳሌ: የቤት ማውጫ +LDAPFieldHomedirectoryprefix=የቤት ማውጫ ቅድመ ቅጥያ +LDAPSetupNotComplete=የኤልዲኤፒ ማዋቀር አልተጠናቀቀም (በሌሎች ትሮች ላይ ይሂዱ) +LDAPNoUserOrPasswordProvidedAccessIsReadOnly=ምንም አስተዳዳሪ ወይም የይለፍ ቃል አልተሰጠም። የኤልዲኤፒ መዳረሻ ማንነቱ የማይታወቅ እና በንባብ ብቻ ሁነታ ይሆናል። +LDAPDescContact=ይህ ገጽ በዶሊባርር እውቂያዎች ላይ ላለው እያንዳንዱ ውሂብ በኤልዲኤፒ ዛፍ ውስጥ ያለውን የኤልዲኤፒ ባህሪያት ስም እንዲገልጹ ያስችልዎታል። +LDAPDescUsers=ይህ ገጽ በ LDAP ዛፍ ውስጥ የኤልዲኤፒ ባህሪያትን ስም በዶሊባር ተጠቃሚዎች ላይ ላለው እያንዳንዱ ውሂብ እንዲገልጹ ያስችልዎታል። +LDAPDescGroups=ይህ ገጽ በ LDAP ዛፍ ውስጥ የኤልዲኤፒ ባህሪያትን ስም በዶሊባርር ቡድኖች ላይ ላለው እያንዳንዱ መረጃ እንዲገልጹ ያስችልዎታል። +LDAPDescMembers=ይህ ገጽ በ LDAP ዛፍ ውስጥ የኤልዲኤፒ ባህሪያትን ስም በዶሊባርር አባላት ሞጁል ላይ ላለው እያንዳንዱ መረጃ እንዲገልጹ ያስችልዎታል። +LDAPDescMembersTypes=ይህ ገጽ በ LDAP ዛፍ ውስጥ የኤልዲኤፒ ባህሪያትን ስም በዶሊባርር አባላት አይነቶች ላይ ላለው እያንዳንዱ መረጃ እንዲገልጹ ያስችልዎታል። +LDAPDescValues=የምሳሌ ዋጋዎች የተነደፉት ለOpenLDAP በሚከተለው የተጫኑ መርሃ ግብሮች ነው፡ 360ee365ee core.schema, cosine.schema, inetorgperson.schema
      )። እሴቶችን እና ክፈት LDAPን ከተጠቀሙ፣ ሁሉም የተጫኑ መርሃግብሮችን ለመምረጥ የኤልዲኤፒ ማዋቀሪያ ፋይልዎን slapd.conf ያሻሽሉ። +ForANonAnonymousAccess=ለተረጋገጠ መዳረሻ (ለመፃፍ መዳረሻ ለምሳሌ) +PerfDolibarr=የአፈጻጸም ማዋቀር/አሳቢ ሪፖርት +YouMayFindPerfAdviceHere=ይህ ገጽ ከአፈጻጸም ጋር የተያያዙ አንዳንድ ቼኮችን ወይም ምክሮችን ይሰጣል። +NotInstalled=አልተጫነም። +NotSlowedDownByThis=በዚህ አልቀዘቀዘም። +NotRiskOfLeakWithThis=ከዚህ ጋር የመፍሰስ አደጋ አይደለም. +ApplicativeCache=አመልካች መሸጎጫ +MemcachedNotAvailable=ምንም ተግባራዊ መሸጎጫ አልተገኘም። መሸጎጫ አገልጋይ Memcached እና ይህን መሸጎጫ አገልጋይ መጠቀም የሚችል ሞጁል በመጫን አፈጻጸሙን ማሳደግ ይችላሉ።
      ተጨማሪ መረጃ እዚህ http ://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      ብዙ የድር አስተናጋጅ እንደሚሠራ አስተውል እንዲህ ዓይነቱን መሸጎጫ አገልጋይ አያቅርቡ. +MemcachedModuleAvailableButNotSetup=ለትግበራ መሸጎጫ መሸጎጫ ሞጁል ተገኝቷል ነገር ግን የሞጁል ማዋቀር አልተጠናቀቀም። +MemcachedAvailableAndSetup=memcached አገልጋይ ለመጠቀም የተወሰነ ሞጁል ነቅቷል። +OPCodeCache=የኦፒኮድ መሸጎጫ +NoOPCodeCacheFound=ምንም OPCode መሸጎጫ አልተገኘም። ምናልባት ከXCache ወይም eAccelerator (ጥሩ) ሌላ የኦፒኮድ መሸጎጫ እየተጠቀሙ ሊሆን ይችላል፣ ወይም ምናልባት የኦፒኮድ መሸጎጫ የለዎትም (በጣም መጥፎ)። +HTTPCacheStaticResources=የኤችቲቲፒ መሸጎጫ ለስታቲክ ሃብቶች (css፣ img፣ JavaScript) +FilesOfTypeCached=የ%s አይነት ፋይሎች በኤችቲቲፒ አገልጋይ ተደብቀዋል። +FilesOfTypeNotCached=አይነት %s ፋይሎች በ HTTP አገልጋይ አልተሸጎጡም +FilesOfTypeCompressed=አይነት %s ፋይሎች በኤችቲቲፒ አገልጋይ ተጨምቀዋል። +FilesOfTypeNotCompressed=የ%s አይነት ፋይሎች በኤችቲቲፒ አገልጋይ አልተጨመቁም። +CacheByServer=መሸጎጫ በአገልጋይ +CacheByServerDesc=ለምሳሌ የ Apache መመሪያን በመጠቀም "ExpiresByType image/gif A2592000" +CacheByClient=መሸጎጫ በአሳሽ +CompressionOfResources=የኤችቲቲፒ ምላሾች መጨናነቅ +CompressionOfResourcesDesc=ለምሳሌ የ Apache መመሪያን በመጠቀም "AddOutputFilterByType DEFLATE" +TestNotPossibleWithCurrentBrowsers=አሁን ባለው አሳሾች እንዲህ ዓይነቱን ራስ-ሰር ማግኘት አይቻልም +DefaultValuesDesc=አዲስ መዝገብ ሲፈጥሩ ለመጠቀም የሚፈልጉትን ነባሪ እሴት፣ እና/ወይም ነባሪ ማጣሪያዎችን ወይም መዝገቦችን ሲዘረዝሩ የመደርደር ቅደም ተከተል እዚህ ሊገልጹ ይችላሉ። +DefaultCreateForm=ነባሪ እሴቶች (በቅጾች ላይ ለመጠቀም) +DefaultSearchFilters=ነባሪ የፍለጋ ማጣሪያዎች +DefaultSortOrder=ነባሪ የመደርደር ትዕዛዞች +DefaultFocus=ነባሪ የትኩረት መስኮች +DefaultMandatory=የግዴታ ቅጽ መስኮች ##### Products ##### -ProductSetup=Products module setup -ServiceSetup=Services module setup -ProductServiceSetup=Products and Services modules setup -NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) -ViewProductDescInFormAbility=Display product descriptions in lines of items (otherwise show description in a tooltip popup) -OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document -AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product -DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. -DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents -MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) -UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) -SetDefaultBarcodeTypeProducts=Default barcode type to use for products -SetDefaultBarcodeTypeThirdParties=Default barcode type to use for third parties -UseUnits=Define a unit of measure for Quantity during order, proposal or invoice lines edition -ProductCodeChecker= Module for product code generation and checking (product or service) -ProductOtherConf= Product / Service configuration -IsNotADir=is not a directory! +ProductSetup=ምርቶች ሞጁል ማዋቀር +ServiceSetup=አገልግሎቶች ሞጁል ማዋቀር +ProductServiceSetup=ምርቶች እና አገልግሎቶች ሞጁሎች ማዋቀር +NumberOfProductShowInSelect=በጥምረት ምርጫ ዝርዝሮች ውስጥ የሚታዩት ከፍተኛው የምርት ብዛት (0=ምንም ገደብ የለም) +ViewProductDescInFormAbility=የምርት መግለጫዎችን በንጥሎች መስመሮች ውስጥ አሳይ (አለበለዚያ በመሳሪያ ጥቆማ ብቅ-ባይ መግለጫ አሳይ) +OnProductSelectAddProductDesc=ምርትን እንደ የሰነድ መስመር ሲጨምሩ የምርቶቹን መግለጫ እንዴት መጠቀም እንደሚቻል +AutoFillFormFieldBeforeSubmit=በራስ-ሰር የመግለጫ ግቤት መስኩን ከምርቱ መግለጫ ጋር ይሙሉ +DoNotAutofillButAutoConcat=የግቤት መስኩን በምርቱ መግለጫ በራስ-አይሙላ። የምርቱ መግለጫ ከገባው መግለጫ ጋር በቀጥታ ይጣመራል። +DoNotUseDescriptionOfProdut=የምርት መግለጫው በሰነዶች መስመሮች መግለጫ ውስጥ ፈጽሞ አይካተትም +MergePropalProductCard=ምርት/አገልግሎት በፕሮፖዛሉ ውስጥ ከሆነ ምርት/አገልግሎት አግብር ፒዲኤፍ ሰነድ ለማዋሃድ አማራጭ +ViewProductDescInThirdpartyLanguageAbility=የምርት መግለጫዎችን በሶስተኛ ወገን ቋንቋ (አለበለዚያ በተጠቃሚው ቋንቋ) በቅጾች አሳይ +UseSearchToSelectProductTooltip=እንዲሁም ብዙ ቁጥር ያላቸው ምርቶች (> 100 000) ካሉዎት፣ ቋሚ PRODUCT_DONOTSEARCH_ANYWHEREን በማዋቀር->ሌላ ወደ 1 በማቀናበር ፍጥነትን ማሳደግ ይችላሉ። ፍለጋ በሕብረቁምፊ መጀመሪያ ላይ ብቻ የተገደበ ይሆናል። +UseSearchToSelectProduct=የምርት ጥምር ዝርዝር ይዘትን ከመጫንዎ በፊት ቁልፍን እስኪጫኑ ድረስ ይጠብቁ (ብዙ ምርቶች ካሉዎት ይህ አፈፃፀምን ሊጨምር ይችላል ፣ ግን ብዙም ምቹ አይደለም) +SetDefaultBarcodeTypeProducts=ለምርቶች የሚውል ነባሪ የአሞሌ ኮድ አይነት +SetDefaultBarcodeTypeThirdParties=ለሶስተኛ ወገኖች ጥቅም ላይ የሚውለው ነባሪ የአሞሌ ኮድ አይነት +UseUnits=በትዕዛዝ፣ በፕሮፖዛል ወይም በክፍያ መጠየቂያ መስመሮች እትም ወቅት የመለኪያ አሃድ ይግለጹ +ProductCodeChecker= የምርት ኮድ ማመንጨት እና መፈተሽ (ምርት ወይም አገልግሎት) ሞጁል +ProductOtherConf= የምርት / አገልግሎት ውቅር +IsNotADir=ማውጫ አይደለም! ##### Syslog ##### -SyslogSetup=Logs module setup -SyslogOutput=Logs outputs -SyslogFacility=Facility -SyslogLevel=Level -SyslogFilename=File name and path -YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. -ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant -OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported -CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) -SyslogFileNumberOfSaves=Number of backup logs to keep -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +SyslogSetup=የምዝግብ ማስታወሻዎች ሞጁል ማዋቀር +SyslogOutput=የምዝግብ ማስታወሻዎች ውጤቶች +SyslogFacility=መገልገያ +SyslogLevel=ደረጃ +SyslogFilename=የፋይል ስም እና መንገድ +YouCanUseDOL_DATA_ROOT=በ Dolibarr "ሰነዶች" ማውጫ ውስጥ ላለ የምዝግብ ማስታወሻ ፋይል DOL_DATA_ROOT/dolibarr.logን መጠቀም ትችላለህ። ይህን ፋይል ለማከማቸት የተለየ መንገድ ማዘጋጀት ይችላሉ። +ErrorUnknownSyslogConstant=ቋሚ %s የሚታወቅ የሲስሎግ ቋሚ አይደለም +OnlyWindowsLOG_USER=በዊንዶውስ ላይ የLOG_USER መገልገያ ብቻ ነው የሚደገፈው +CompressSyslogs=የማረም ምዝግብ ማስታወሻ ፋይሎችን መጭመቅ እና ምትኬ (በሞዱል ሎግ ለማረም የተፈጠረ) +SyslogFileNumberOfSaves=የሚቀመጡ የመጠባበቂያ ምዝግብ ማስታወሻዎች ብዛት +ConfigureCleaningCronjobToSetFrequencyOfSaves=የምዝግብ ማስታወሻ ምትኬን ድግግሞሽ ለማዘጋጀት የጽዳት የታቀደ ሥራን ያዋቅሩ ##### Donations ##### -DonationsSetup=Donation module setup -DonationsReceiptModel=Template of donation receipt +DonationsSetup=የልገሳ ሞጁል ማዋቀር +DonationsReceiptModel=የልገሳ ደረሰኝ አብነት ##### Barcode ##### -BarcodeSetup=Barcode setup -PaperFormatModule=Print format module -BarcodeEncodeModule=Barcode encoding type -CodeBarGenerator=Barcode generator -ChooseABarCode=No generator defined -FormatNotSupportedByGenerator=Format not supported by this generator -BarcodeDescEAN8=Barcode of type EAN8 -BarcodeDescEAN13=Barcode of type EAN13 -BarcodeDescUPC=Barcode of type UPC -BarcodeDescISBN=Barcode of type ISBN -BarcodeDescC39=Barcode of type C39 -BarcodeDescC128=Barcode of type C128 -BarcodeDescDATAMATRIX=Barcode of type Datamatrix -BarcodeDescQRCODE=Barcode of type QR code -GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".
      For example: /usr/local/bin/genbarcode -BarcodeInternalEngine=Internal engine -BarCodeNumberManager=Manager to auto define barcode numbers +BarcodeSetup=የአሞሌ ኮድ ማዋቀር +PaperFormatModule=የህትመት ቅርጸት ሞጁል +BarcodeEncodeModule=የአሞሌ ኮድ ኮድ አይነት +CodeBarGenerator=ባርኮድ ጀነሬተር +ChooseABarCode=ጄኔሬተር አልተገለጸም። +FormatNotSupportedByGenerator=ቅርጸት በዚህ ጄኔሬተር አይደገፍም። +BarcodeDescEAN8=የአሞሌ ኮድ አይነት EAN8 +BarcodeDescEAN13=የአሞሌ ኮድ አይነት EAN13 +BarcodeDescUPC=የ UPC ዓይነት ባር ኮድ +BarcodeDescISBN=የ ISBN ዓይነት ባር ኮድ +BarcodeDescC39=የ C39 ዓይነት ባርኮድ +BarcodeDescC128=ዓይነት C128 ባር ኮድ +BarcodeDescDATAMATRIX=የአሞሌ አይነት Datamatrix +BarcodeDescQRCODE=የ QR ኮድ ዓይነት +GenbarcodeLocation=የባር ኮድ ማመንጨት የትዕዛዝ መስመር መሳሪያ (ለአንዳንድ የባር ኮድ አይነቶች በውስጣዊ ሞተር ጥቅም ላይ ይውላል)። ከ"genbarcode" ጋር ተኳሃኝ መሆን አለበት።
      ለምሳሌ፡ /usr/local/bin/genbarcode +BarcodeInternalEngine=የውስጥ ሞተር +BarCodeNumberManager=የአሞሌ ቁጥሮችን በራስ-ሰር ለመወሰን አስተዳዳሪ ##### Prelevements ##### -WithdrawalsSetup=Setup of module Direct Debit payments +WithdrawalsSetup=የሞዱል ቀጥታ ዴቢት ክፍያዎችን ማዋቀር ##### ExternalRSS ##### -ExternalRSSSetup=External RSS imports setup -NewRSS=New RSS Feed +ExternalRSSSetup=የውጭ RSS ማስመጣት ማዋቀር +NewRSS=አዲስ RSS ምግብ RSSUrl=RSS URL -RSSUrlExample=An interesting RSS feed +RSSUrlExample=አስደሳች የአርኤስኤስ ምግብ ##### Mailing ##### -MailingSetup=EMailing module setup -MailingEMailFrom=Sender email (From) for emails sent by emailing module -MailingEMailError=Return Email (Errors-to) for emails with errors -MailingDelay=Seconds to wait after sending next message +MailingSetup=የኢሜል ሞጁል ማዋቀር +MailingEMailFrom=በኢሜል ሞጁል ለተላኩ ኢሜይሎች ላኪ ኢሜል (ከ) +MailingEMailError=ስህተቶች ላሏቸው ኢሜይሎች (ስህተቶችን ወደ) ይመልሱ +MailingDelay=የሚቀጥለውን መልእክት ከላኩ በኋላ ለመጠበቅ ሰከንዶች ##### Notification ##### -NotificationSetup=Email Notification module setup -NotificationEMailFrom=Sender email (From) for emails sent by the Notifications module -FixedEmailTarget=Recipient -NotificationDisableConfirmMessageContact=Hide the list of recipients (subscribed as contact) of notifications into the confirmation message -NotificationDisableConfirmMessageUser=Hide the list of recipients (subscribed as user) of notifications into the confirmation message -NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as global email) of notifications into the confirmation message +NotificationSetup=የኢሜል ማሳወቂያ ሞጁል ማዋቀር +NotificationEMailFrom=በማሳወቂያዎች ሞጁል ለተላኩ ኢሜይሎች ላኪ ኢሜይል (ከ) +FixedEmailTarget=ተቀባይ +NotificationDisableConfirmMessageContact=በማረጋገጫ መልእክቱ ውስጥ የተቀባዮቹን ዝርዝር (እንደ አድራሻ የተመዘገቡ) ማሳወቂያዎችን ደብቅ +NotificationDisableConfirmMessageUser=በማረጋገጫ መልእክቱ ውስጥ የተቀባዮቹን ዝርዝር (በተጠቃሚ የተመዘገቡ) ማሳወቂያዎችን ደብቅ +NotificationDisableConfirmMessageFix=በማረጋገጫ መልእክቱ ውስጥ የተቀባዮቹን ዝርዝር (እንደ አለምአቀፍ ኢሜል የተመዘገቡ) ማሳወቂያዎችን ደብቅ ##### Sendings ##### -SendingsSetup=Shipping module setup -SendingsReceiptModel=Sending receipt model -SendingsNumberingModules=Sendings numbering modules -SendingsAbility=Support shipping sheets for customer deliveries -NoNeedForDeliveryReceipts=In most cases, shipping sheets are used both as sheets for customer deliveries (list of products to send) and sheets that are received and signed by customer. Hence the product deliveries receipt is a duplicated feature and is rarely activated. -FreeLegalTextOnShippings=Free text on shipments +SendingsSetup=የማጓጓዣ ሞጁል ማዋቀር +SendingsReceiptModel=ደረሰኝ ሞዴል በመላክ ላይ +SendingsNumberingModules=የቁጥር ሞጁሎችን በመላክ ላይ +SendingsAbility=ለደንበኛ ማቅረቢያዎች የመላኪያ ወረቀቶችን ይደግፉ +NoNeedForDeliveryReceipts=በአብዛኛዎቹ ሁኔታዎች የማጓጓዣ ሉሆች ለደንበኞች ማቅረቢያ (የሚላኩ ምርቶች ዝርዝር) እና በደንበኛ ለተቀበሉ እና ለተፈረሙ ሉሆች ያገለግላሉ። ስለዚህ የምርት ማቅረቢያ ደረሰኝ የተባዛ ባህሪ ነው እና ብዙም አይነቃም። +FreeLegalTextOnShippings=በመላክ ላይ ነፃ ጽሑፍ ##### Deliveries ##### -DeliveryOrderNumberingModules=Products deliveries receipt numbering module -DeliveryOrderModel=Products deliveries receipt model -DeliveriesOrderAbility=Support products deliveries receipts -FreeLegalTextOnDeliveryReceipts=Free text on delivery receipts +DeliveryOrderNumberingModules=የምርት ማቅረቢያ ደረሰኝ ቁጥር መስጫ ሞጁል +DeliveryOrderModel=ምርቶች ማቅረቢያ ደረሰኝ ሞዴል +DeliveriesOrderAbility=የምርት ማቅረቢያ ደረሰኞችን ይደግፉ +FreeLegalTextOnDeliveryReceipts=በመላኪያ ደረሰኞች ላይ ነፃ ጽሑፍ ##### FCKeditor ##### -AdvancedEditor=Advanced editor -ActivateFCKeditor=Activate advanced editor for: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProduct=WYSIWIG creation/edition of the field description of products/services -FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG creation/edition for mass eMailings (Tools->eMailing) -FCKeditorForUserSignature=WYSIWIG creation/edition of user signature -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +AdvancedEditor=የላቀ አርታዒ +ActivateFCKeditor=የላቀ አርታዒን ያግብሩ ለ፡- +FCKeditorForNotePublic=WYSIWYG የመስክ መፍጠር/እትም “የሕዝብ ማስታወሻዎች” ንጥረ ነገሮች +FCKeditorForNotePrivate=WYSIWYG የመስክ መፍጠር/እትም “የግል ማስታወሻዎች” ንጥረ ነገሮች +FCKeditorForCompany=WYSIWYG የንጥረ ነገሮች መስክ መግለጫ መፍጠር/እትም (ከምርቶች/አገልግሎቶች በስተቀር) +FCKeditorForProductDetails=WYSIWYG የምርት መግለጫ ወይም የነገሮች መስመሮች መፍጠር/እትም (የፕሮፖዛል መስመሮች፣ ትዕዛዞች፣ ደረሰኞች፣ ወዘተ...)። +FCKeditorForProductDetails2=ማስጠንቀቂያ፡ ይህንን አማራጭ ለዚህ ጉዳይ መጠቀም የፒዲኤፍ ፋይሎችን በሚገነቡበት ጊዜ በልዩ ቁምፊዎች እና በገጽ ቅርጸት ላይ ችግር ሊፈጥር ስለሚችል በቁም ነገር አይመከርም። +FCKeditorForMailing= WYSIWYG ለጅምላ ኢሜይሎች መፍጠር/እትም (መሳሪያዎች->ኢሜይል መላኪያ) +FCKeditorForUserSignature=WYSIWYG የተጠቃሚ ፊርማ መፍጠር/ እትም። +FCKeditorForMail=ለሁሉም ደብዳቤዎች WYSIWYG መፍጠር/እትም (ከመሳሪያዎች->ኢሜል መላኪያ በስተቀር) +FCKeditorForTicket=WYSIWYG መፍጠር/ትኬት ለቲኬቶች ##### Stock ##### -StockSetup=Stock module setup -IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. +StockSetup=የአክሲዮን ሞጁል ማዋቀር +IfYouUsePointOfSaleCheckModule=በነባሪ የቀረበውን የሽያጭ ነጥብ ሞጁል (POS) ከተጠቀሙ ወይም ውጫዊ ሞጁል፣ ይህ ማዋቀር በእርስዎ POS ሞጁል ችላ ሊባል ይችላል። አብዛኛዎቹ የPOS ሞጁሎች በነባሪነት የተቀየሱት ደረሰኝ ወዲያው እንዲፈጥሩ እና እዚህ ያሉት አማራጮች ምንም ቢሆኑም ክምችት እንዲቀንስ ነው። ስለዚህ ከPOSዎ ሽያጭ ሲመዘገቡ የአክሲዮን ቅነሳ ከፈለጉ ወይም ካልፈለጉ፣ የPOS ሞጁሉን ማዋቀርም ያረጋግጡ። ##### Menu ##### -MenuDeleted=Menu deleted -Menu=Menu -Menus=Menus -TreeMenuPersonalized=Personalized menus -NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry -NewMenu=New menu -MenuHandler=Menu handler -MenuModule=Source module -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) -DetailId=Id menu -DetailMenuHandler=Menu handler where to show new menu -DetailMenuModule=Module name if menu entry come from a module -DetailType=Type of menu (top or left) -DetailTitre=Menu label or label code for translation -DetailUrl=URL where menu send you (Absolute URL link or external link with http://) -DetailEnabled=Condition to show or not entry -DetailRight=Condition to display unauthorized grey menus -DetailLangs=Lang file name for label code translation -DetailUser=Intern / Extern / All -Target=Target -DetailTarget=Target for links (_blank top opens a new window) -DetailLevel=Level (-1:top menu, 0:header menu, >0 menu and sub menu) -ModifMenu=Menu change -DeleteMenu=Delete menu entry -ConfirmDeleteMenu=Are you sure you want to delete menu entry %s? -FailedToInitializeMenu=Failed to initialize menu +MenuDeleted=ምናሌ ተሰርዟል። +Menu=ምናሌ +Menus=ምናሌዎች +TreeMenuPersonalized=ለግል የተበጁ ምናሌዎች +NotTopTreeMenuPersonalized=ለግል የተበጁ ምናሌዎች ከከፍተኛ ምናሌ ግቤት ጋር አልተገናኙም። +NewMenu=አዲስ ምናሌ +MenuHandler=የምናሌ ተቆጣጣሪ +MenuModule=ምንጭ ሞጁል +HideUnauthorizedMenu=ለውስጣዊ ተጠቃሚዎች ያልተፈቀዱ ምናሌዎችን ደብቅ (በሌላ መልኩ ግራጫማ) +DetailId=የመታወቂያ ምናሌ +DetailMenuHandler=አዲስ ምናሌ የት እንደሚታይ የምናሌ ተቆጣጣሪ +DetailMenuModule=የምናሌ ግቤት ከአንድ ሞጁል የመጣ ከሆነ የሞዱል ስም +DetailType=የምናሌ አይነት (ከላይ ወይም ግራ) +DetailTitre=ለትርጉም የምናሌ መለያ ወይም የመለያ ኮድ +DetailUrl=ሜኑ የሚልክበት ዩአርኤል (አንጻራዊ ዩአርኤል አገናኝ ወይም ውጫዊ አገናኝ ከ https:// ጋር) +DetailEnabled=የማሳየት ወይም የመግባት ሁኔታ +DetailRight=ያልተፈቀዱ ግራጫ ምናሌዎችን ለማሳየት ሁኔታ +DetailLangs=የላንግ ፋይል ስም ለመለያ ኮድ ትርጉም +DetailUser=ተለማማጅ / ውጫዊ / ሁሉም +Target=ዒላማ +DetailTarget=የአገናኞች ዒላማ (_ባዶ ከላይ አዲስ መስኮት ይከፍታል) +DetailLevel=ደረጃ (-1፡ የላይኛው ሜኑ፣ 0፡ራስጌ ሜኑ፣>0 ሜኑ እና ንዑስ ሜኑ) +ModifMenu=የምናሌ ለውጥ +DeleteMenu=የምናሌ ግቤትን ሰርዝ +ConfirmDeleteMenu=እርግጠኛ ነህ የምናሌ ግቤት %s? +FailedToInitializeMenu=ምናሌን ማስጀመር አልተሳካም። ##### Tax ##### -TaxSetup=Taxes, social or fiscal taxes and dividends module setup -OptionVatMode=VAT due -OptionVATDefault=Standard basis -OptionVATDebitOption=Accrual basis -OptionVatDefaultDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on payments for services -OptionVatDebitOptionDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on invoice (debit) for services -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
      - on payment for goods
      - on payments for services -SummaryOfVatExigibilityUsedByDefault=Time of VAT eligibility by default according to chosen option: -OnDelivery=On delivery -OnPayment=On payment -OnInvoice=On invoice -SupposedToBePaymentDate=Payment date used -SupposedToBeInvoiceDate=Invoice date used -Buy=Buy -Sell=Sell -InvoiceDateUsed=Invoice date used -YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organization), so there is no VAT options to setup. -AccountancyCode=Accounting Code -AccountancyCodeSell=Sale account. code -AccountancyCodeBuy=Purchase account. code -CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Keep the checkbox “Automatically create the payment” empty by default when creating a new tax +TaxSetup=ግብሮች፣ ማህበራዊ ወይም ፊስካል ታክሶች እና የትርፍ ክፍፍል ሞጁል ማዋቀር +OptionVatMode=ተ.እ.ታ መከፈል አለበት። +OptionVATDefault=መደበኛ መሠረት +OptionVATDebitOption=የተጠራቀመ መሠረት +OptionVatDefaultDesc=ተ.እ.ታ የሚከፈለው፡
      - ዕቃዎችን ለማድረስ (በክፍያ መጠየቂያ ቀን ላይ በመመስረት)
      - ለአገልግሎቶች ክፍያዎች +OptionVatDebitOptionDesc=ተ.እ.ታ መከፈል ያለበት፡
      - ዕቃዎችን በማድረስ (በክፍያ መጠየቂያ ቀን ላይ በመመስረት)
      - በአገልግሎቶች ደረሰኝ (ዴቢት) +OptionPaymentForProductAndServices=ለምርቶች እና አገልግሎቶች የገንዘብ መሠረት +OptionPaymentForProductAndServicesDesc=ተእታ የሚከፈለው፡
      - ለዕቃዎች ክፍያ
      - ለአገልግሎቶች ክፍያዎች +SummaryOfVatExigibilityUsedByDefault=በተመረጠው አማራጭ መሰረት በነባሪነት የተ.እ.ታ ብቁነት ጊዜ፡- +OnDelivery=በማስረከብ ላይ +OnPayment=በክፍያ ላይ +OnInvoice=ደረሰኝ ላይ +SupposedToBePaymentDate=ጥቅም ላይ የዋለው የክፍያ ቀን +SupposedToBeInvoiceDate=ጥቅም ላይ የዋለው የክፍያ መጠየቂያ ቀን +Buy=ግዛ +Sell=መሸጥ +InvoiceDateUsed=ጥቅም ላይ የዋለው የክፍያ መጠየቂያ ቀን +YourCompanyDoesNotUseVAT=ኩባንያዎ ተ.እ.ታን (ቤት - ማዋቀር - ኩባንያ/ድርጅት) እንደማይጠቀም ተገልጿል፣ ስለዚህ ለማዋቀር ምንም የተእታ አማራጮች የሉም። +AccountancyCode=የሂሳብ ኮድ +AccountancyCodeSell=የሽያጭ መለያ። ኮድ +AccountancyCodeBuy=መለያ ይግዙ። ኮድ +CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=አዲስ ግብር በሚፈጥሩበት ጊዜ "ክፍያውን በራስ-ሰር ፍጠር" የሚለውን አመልካች ሳጥኑ በነባሪነት ባዶ ያድርጉት ##### Agenda ##### -AgendaSetup=Events and agenda module setup -PasswordTogetVCalExport=Key to authorize export link -SecurityKey = Security Key -PastDelayVCalExport=Do not export event older than -AGENDA_USE_EVENT_TYPE=Use events types (managed in menu Setup -> Dictionaries -> Type of agenda events) -AGENDA_USE_EVENT_TYPE_DEFAULT=Automatically set this default value for type of event in event create form -AGENDA_DEFAULT_FILTER_TYPE=Automatically set this type of event in search filter of agenda view -AGENDA_DEFAULT_FILTER_STATUS=Automatically set this status for events in search filter of agenda view -AGENDA_DEFAULT_VIEW=Which view do you want to open by default when selecting menu Agenda -AGENDA_REMINDER_BROWSER=Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). -AGENDA_REMINDER_BROWSER_SOUND=Enable sound notification -AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event). -AGENDA_REMINDER_EMAIL_NOTE=Note: The frequency of the scheduled job %s must be enough to be sure that the remind are sent at the correct moment. -AGENDA_SHOW_LINKED_OBJECT=Show linked object into agenda view -##### Clicktodial ##### -ClickToDialSetup=Click To Dial module setup -ClickToDialUrlDesc=Url called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). -ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. -ClickToDialUseTelLink=Use just a link "tel:" on phone numbers -ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface, installed on the same computer as the browser, and called when you click on a link starting with "tel:" in your browser. If you need a link that start with "sip:" or a full server solution (no need of local software installation), you must set this to "No" and fill the next field. +AgendaSetup = ክስተቶች እና አጀንዳ ሞጁል ማዋቀር +AGENDA_DEFAULT_FILTER_TYPE = በአጀንዳ እይታ ማጣሪያ ውስጥ የዚህ አይነት ክስተት በራስ-ሰር ያዘጋጁ +AGENDA_DEFAULT_FILTER_STATUS = በአጀንዳ እይታ ማጣሪያ ውስጥ ለክስተቶች ይህንን ሁኔታ በራስ-ሰር ያዘጋጁ +AGENDA_DEFAULT_VIEW = ምናሌ አጀንዳን በሚመርጡበት ጊዜ በነባሪነት የትኛውን እይታ መክፈት ይፈልጋሉ? +AGENDA_EVENT_PAST_COLOR = ያለፈው ክስተት ቀለም +AGENDA_EVENT_CURRENT_COLOR = የአሁኑ ክስተት ቀለም +AGENDA_EVENT_FUTURE_COLOR = የወደፊት ክስተት ቀለም +AGENDA_REMINDER_BROWSER = የክስተቱን አስታዋሽ አንቃ በተጠቃሚ አሳሽ (የማስታወስ ቀን ሲደርስ ብቅ ባይ በአሳሹ ይታያል። እያንዳንዱ ተጠቃሚ ይችላል። ከአሳሹ ማሳወቂያ ማዋቀሩ ውስጥ እንደዚህ ያሉ ማሳወቂያዎችን ያሰናክሉ)። +AGENDA_REMINDER_BROWSER_SOUND = የድምጽ ማሳወቂያን አንቃ +AGENDA_REMINDER_EMAIL = የክስተት አስታዋሽ አንቃ በኢሜል (አስታውስ አማራጭ/መዘግየት በእያንዳንዱ ክስተት ሊገለጽ ይችላል)። +AGENDA_REMINDER_EMAIL_NOTE = ማሳሰቢያ፡ አስታዋሹ በትክክለኛው ጊዜ መላኩን ለማረጋገጥ የታቀደው ስራ ድግግሞሽ %s በቂ መሆን አለበት። +AGENDA_SHOW_LINKED_OBJECT = የተገናኘውን ነገር ወደ አጀንዳ እይታ አሳይ +AGENDA_USE_EVENT_TYPE = የክስተቶች አይነቶችን ተጠቀም (በምናሌ ማዋቀር -> መዝገበ-ቃላት -> የአጀንዳ ክስተቶች አይነት) +AGENDA_USE_EVENT_TYPE_DEFAULT = የክስተት ፍጠር ቅጽ ላይ ለክስተቱ አይነት ይህን ነባሪ እሴት በራስ ሰር ያዋቅሩት +PasswordTogetVCalExport = ወደ ውጪ መላክ አገናኝን የመፍቀድ ቁልፍ +PastDelayVCalExport=ያለፈውን ክስተት ወደ ውጭ አትላክ +SecurityKey = የሚስጥራዊ ቁልፍ +##### ClickToDial ##### +ClickToDialSetup=ሞጁል ማዋቀርን ለመደወል ጠቅ ያድርጉ +ClickToDialUrlDesc=በስልክ ፒክቶ ላይ ጠቅ ሲደረግ URL ይጠራል። በዩአርኤል ውስጥ፣ መለያዎችን መጠቀም ትችላለህ
      __PHONETO__b09a4b739f17f8z ያደርጋል በሚደውለው ሰው ስልክ ቁጥር ተተክቷል
      __PHONEFROM__b09a4b739f17f>ያ በሚደውለው ሰው (የእርስዎ) ስልክ ቁጥር ይተካዋል
      __LOGIN__b09a4b73z span> በ clicktodial login የሚተካ (በተጠቃሚ ካርድ ላይ የተገለጸ)
      __PASS__ በጠቅታ ይለፍ ቃል የሚተካ (በተጠቃሚ ካርድ ላይ የተገለጸ)። +ClickToDialDesc=ይህ ሞጁል የዴስክቶፕ ኮምፒዩተር ሲጠቀሙ ስልክ ቁጥሮችን ወደ ጠቅ ሊደረጉ የሚችሉ አገናኞች ይለውጣል። አንድ ጠቅታ ቁጥሩን ይደውላል. ይህ በዴስክቶፕዎ ላይ ለስላሳ ስልክ ሲጠቀሙ ወይም ለምሳሌ በ SIP ፕሮቶኮል ላይ የተመሰረተ የሲቲኤ ሲስተም ሲጠቀሙ የስልክ ጥሪውን ለመጀመር ሊያገለግል ይችላል። ማስታወሻ: ስማርትፎን ሲጠቀሙ, የስልክ ቁጥሮች ሁልጊዜ ጠቅ ሊደረጉ ይችላሉ. +ClickToDialUseTelLink=በስልክ ቁጥሮች ላይ "tel:" የሚለውን አገናኝ ብቻ ይጠቀሙ +ClickToDialUseTelLinkDesc=ተጠቃሚዎችዎ ሶፍት ፎን ወይም የሶፍትዌር በይነገጽ ካላቸው፣ በአሳሹ ውስጥ በተመሳሳይ ኮምፒዩተር ላይ የተጫነ እና በአሳሽዎ ውስጥ በ"ቴል:" የሚጀምር ሊንክ ሲጫኑ ይደውሉ። በ"sIP:" የሚጀምር አገናኝ ወይም ሙሉ የአገልጋይ መፍትሄ (የአገር ውስጥ ሶፍትዌር መጫን አያስፈልግም) ከፈለጉ ይህንን ወደ "አይ" ማዘጋጀት እና ቀጣዩን መስክ መሙላት አለብዎት። ##### Point Of Sale (CashDesk) ##### -CashDesk=Point of Sale -CashDeskSetup=Point of Sales module setup -CashDeskThirdPartyForSell=Default generic third party to use for sales -CashDeskBankAccountForSell=Default account to use to receive cash payments -CashDeskBankAccountForCheque=Default account to use to receive payments by check -CashDeskBankAccountForCB=Default account to use to receive payments by credit cards -CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). -CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease -StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled -StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. -CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sale from Point of Sale. Hence a warehouse is required. -CashDeskForceDecreaseStockLabel=Stock decrease for batch products was forced. -CashDeskForceDecreaseStockDesc=Decrease first by the oldest eatby and sellby dates. -CashDeskReaderKeyCodeForEnter=Key code for "Enter" defined in barcode reader (Example: 13) +CashDesk=የመሸጫ ቦታ +CashDeskSetup=የሽያጭ ሞዱል ማዋቀር ነጥብ +CashDeskThirdPartyForSell=ለሽያጭ የሚውል ነባሪ አጠቃላይ ሶስተኛ ወገን +CashDeskBankAccountForSell=የገንዘብ ክፍያዎችን ለመቀበል ነባሪ መለያ +CashDeskBankAccountForCheque=በቼክ ክፍያዎችን ለመቀበል የሚጠቀሙበት ነባሪ መለያ +CashDeskBankAccountForCB=በክሬዲት ካርዶች ክፍያዎችን ለመቀበል የሚጠቀሙበት ነባሪ መለያ +CashDeskBankAccountForSumup=በ SumUp ክፍያዎችን ለመቀበል የሚጠቀምበት ነባሪ የባንክ ሂሳብ +CashDeskDoNotDecreaseStock=ከሽያጭ ቦታ ሽያጭ ሲደረግ የአክሲዮን ቅነሳን ያሰናክሉ። +CashDeskDoNotDecreaseStockHelp=በሞጁል አክሲዮን ላይ የተቀመጠው አማራጭ ምንም ይሁን ምን የአክሲዮን ቅነሳ የሚከናወነው ከPOS ለሚደረግ ለእያንዳንዱ ሽያጭ ነው። +CashDeskIdWareHouse=መጋዘንን ለክምችት መቀነስ እንዲጠቀም ያስገድዱ እና ይገድቡ +StockDecreaseForPointOfSaleDisabled=የአክሲዮን ቅነሳ ከሽያጭ ቦታ ተሰናክሏል። +StockDecreaseForPointOfSaleDisabledbyBatch=በPOS ውስጥ ያለው የአክሲዮን ቅነሳ ከሞዱል ተከታታይ/ሎጥ አስተዳደር (በአሁኑ ጊዜ ንቁ) ጋር ተኳሃኝ ስላልሆነ የአክሲዮን ቅነሳ ተሰናክሏል። +CashDeskYouDidNotDisableStockDecease=ከሽያጭ ነጥብ ሽያጭ ሲያደርጉ የአክሲዮን ቅነሳን አላሰናከሉም። ስለዚህ መጋዘን ያስፈልጋል. +CashDeskForceDecreaseStockLabel=ለቡድን ምርቶች የአክሲዮን ቅነሳ ተገዷል። +CashDeskForceDecreaseStockDesc=በመጀመሪያ በጣም ጥንታዊ በሆነው በመብላት እና በሚሸጥባቸው ቀናት ቀንስ። +CashDeskReaderKeyCodeForEnter=ቁልፍ ASCII ኮድ ለ "Enter" በባርኮድ አንባቢ ውስጥ ይገለጻል (ምሳሌ፡ 13) ##### Bookmark ##### -BookmarkSetup=Bookmark module setup -BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or external web sites on your left menu. -NbOfBoomarkToShow=Maximum number of bookmarks to show in left menu +BookmarkSetup=የዕልባት ሞዱል ማዋቀር +BookmarkDesc=ይህ ሞጁል ዕልባቶችን እንዲያስተዳድሩ ይፈቅድልዎታል. በግራ ምናሌዎ ላይ በማንኛውም የዶሊባርር ገፆች ወይም ውጫዊ ድረ-ገጾች ላይ አቋራጮችን ማከል ይችላሉ። +NbOfBoomarkToShow=በግራ ምናሌው ውስጥ የሚታዩ ከፍተኛው የዕልባቶች ብዛት ##### WebServices ##### -WebServicesSetup=Webservices module setup -WebServicesDesc=By enabling this module, Dolibarr become a web service server to provide miscellaneous web services. -WSDLCanBeDownloadedHere=WSDL descriptor files of provided services can be download here -EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at URL +WebServicesSetup=የዌብ ሰርቪስ ሞጁል ማዋቀር +WebServicesDesc=ይህንን ሞጁል በማንቃት ዶሊባር የተለያዩ የድር አገልግሎቶችን ለማቅረብ የድር አገልግሎት አገልጋይ ሆነ። +WSDLCanBeDownloadedHere=የተሰጡ አገልግሎቶች WSDL ገላጭ ፋይሎች እዚህ ማውረድ ይችላሉ። +EndPointIs=የሶፕ ደንበኞች ጥያቄዎቻቸውን በዩአርኤል ወደሚገኘው ዶሊባርር የመጨረሻ ነጥብ መላክ አለባቸው ##### API #### -ApiSetup=API module setup -ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services. -ApiProductionMode=Enable production mode (this will activate use of a cache for services management) -ApiExporerIs=You can explore and test the APIs at URL -OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed -ApiKey=Key for API -WarningAPIExplorerDisabled=The API explorer has been disabled. API explorer is not required to provide API services. It is a tool for developer to find/test REST APIs. If you need this tool, go into setup of module API REST to activate it. +ApiSetup=የኤፒአይ ሞዱል ማዋቀር +ApiDesc=ይህንን ሞጁል በማንቃት ዶሊባር የተለያዩ የድር አገልግሎቶችን ለማቅረብ የREST አገልጋይ ሆነ። +ApiProductionMode=የምርት ሁነታን አንቃ (ይህ ለአገልግሎቶች አስተዳደር መሸጎጫ መጠቀምን ያነቃቃል) +ApiExporerIs=በዩአርኤል ላይ ኤፒአይዎችን ማሰስ እና መሞከር ይችላሉ። +OnlyActiveElementsAreExposed=የነቁ ሞጁሎች አካላት ብቻ ይጋለጣሉ +ApiKey=ቁልፍ ለኤፒአይ +WarningAPIExplorerDisabled=የኤፒአይ አሳሽ ተሰናክሏል። የኤፒአይ አገልግሎቶችን ለመስጠት የኤፒአይ አሳሽ አያስፈልግም። REST APIsን ለማግኘት/ለመሞከር ለገንቢው መሳሪያ ነው። ይህን መሳሪያ ከፈለጉ እሱን ለማግበር ወደ ሞጁል ኤፒአይ REST ማዋቀር ይሂዱ። ##### Bank ##### -BankSetupModule=Bank module setup -FreeLegalTextOnChequeReceipts=Free text on check receipts -BankOrderShow=Display order of bank accounts for countries using "detailed bank number" -BankOrderGlobal=General -BankOrderGlobalDesc=General display order -BankOrderES=Spanish -BankOrderESDesc=Spanish display order -ChequeReceiptsNumberingModule=Check Receipts Numbering Module +BankSetupModule=የባንክ ሞጁል ማዋቀር +FreeLegalTextOnChequeReceipts=በቼክ ደረሰኞች ላይ ነፃ ጽሑፍ +BankOrderShow="ዝርዝር የባንክ ቁጥር" በመጠቀም ለአገሮች የባንክ ሂሳቦችን ቅደም ተከተል አሳይ +BankOrderGlobal=አጠቃላይ +BankOrderGlobalDesc=አጠቃላይ የማሳያ ቅደም ተከተል +BankOrderES=ስፓንኛ +BankOrderESDesc=የስፔን ማሳያ ቅደም ተከተል +ChequeReceiptsNumberingModule=ደረሰኞች ቁጥር መቁጠርያ ሞጁሉን ያረጋግጡ ##### Multicompany ##### -MultiCompanySetup=Multi-company module setup +MultiCompanySetup=ባለብዙ ኩባንያ ሞጁል ማዋቀር ##### Suppliers ##### -SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of Purchase Order -SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template) -SuppliersInvoiceModel=Complete template of Vendor Invoice -SuppliersInvoiceNumberingModel=Vendor invoices numbering models -IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval +SuppliersSetup=የአቅራቢ ሞጁል ማዋቀር +SuppliersCommandModel=የግዢ ትዕዛዝ ሙሉ አብነት +SuppliersCommandModelMuscadet=የግዢ ትዕዛዝ ሙሉ አብነት (የኮርናስ አብነት የቆየ ትግበራ) +SuppliersInvoiceModel=የአቅራቢ ክፍያ መጠየቂያ ሙሉ አብነት +SuppliersInvoiceNumberingModel=የሻጭ ደረሰኞች የቁጥር ሞዴሎች +IfSetToYesDontForgetPermission=ወደ ባዶ ያልሆነ እሴት ከተዋቀረ ለሁለተኛው ማጽደቅ ለተፈቀዱ ቡድኖች ወይም ተጠቃሚዎች ፈቃዶችን መስጠትን አይርሱ ##### GeoIPMaxmind ##### -GeoIPMaxmindSetup=GeoIP Maxmind module setup -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation.
      Examples:
      /usr/local/share/GeoIP/GeoIP.dat
      /usr/share/GeoIP/GeoIP.dat
      /usr/share/GeoIP/GeoLite2-Country.mmdb -NoteOnPathLocation=Note that your ip to country data file must be inside a directory your PHP can read (Check your PHP open_basedir setup and filesystem permissions). -YouCanDownloadFreeDatFileTo=You can download a free demo version of the Maxmind GeoIP country file at %s. -YouCanDownloadAdvancedDatFileTo=You can also download a more complete version, with updates, of the Maxmind GeoIP country file at %s. -TestGeoIPResult=Test of a conversion IP -> country +GeoIPMaxmindSetup=GeoIP Maxmind ሞጁል ማዋቀር +PathToGeoIPMaxmindCountryDataFile=ወደ አገር ትርጉም Maxmind ip ን የያዘ ወደ ፋይል የሚወስድበት መንገድ +NoteOnPathLocation=የእርስዎ የአይ ፒ ወደ ሀገር ውሂብ ፋይል ፒኤችፒ ሊያነበው በሚችለው ማውጫ ውስጥ መሆን እንዳለበት ልብ ይበሉ (የ PHP open_basedir ማዋቀር እና የፋይል ስርዓት ፈቃዶችን ያረጋግጡ)። +YouCanDownloadFreeDatFileTo=የ Maxmind GeoIP የሀገር ፋይል ነጻ ማሳያ ስሪትን የማክስmind ጂኦአይፒ የሀገር ፋይል በ b0ecb2ecbz07 ላይ ማውረድ ትችላለህ። / span> +YouCanDownloadAdvancedDatFileTo=ተጨማሪ ሙሉ ስሪት ከዝማኔዎች ጋር የ Maxmind GeoIP የሀገር ፋይል በ%s። +TestGeoIPResult=የልወጣ IP -> አገር ሙከራ ##### Projects ##### -ProjectsNumberingModules=Projects numbering module -ProjectsSetup=Project module setup -ProjectsModelModule=Project reports document model -TasksNumberingModules=Tasks numbering module -TaskModelModule=Tasks reports document model -UseSearchToSelectProject=Wait until a key is pressed before loading content of Project combo list.
      This may improve performance if you have a large number of projects, but it is less convenient. +ProjectsNumberingModules=የፕሮጀክቶች ቁጥር መስጫ ሞጁል +ProjectsSetup=የፕሮጀክት ሞጁል ማዋቀር +ProjectsModelModule=የፕሮጀክት ሪፖርቶች ሰነድ ሞዴል +TasksNumberingModules=ተግባራት ቁጥር መስጠት ሞጁል +TaskModelModule=ተግባራት ሰነድ ሞዴል ሪፖርት +UseSearchToSelectProject=የፕሮጀክት ጥምር ዝርዝር ይዘት ከመጫንዎ በፊት ቁልፉ እስኪጫን ድረስ ይጠብቁ።
      ይህ ብዙ ፕሮጄክቶች ካሉዎት አፈፃፀሙን ሊያሻሽል ይችላል፣ ነገር ግን ብዙም ምቹ አይደለም። ##### ECM (GED) ##### ##### Fiscal Year ##### -AccountingPeriods=Accounting periods -AccountingPeriodCard=Accounting period -NewFiscalYear=New accounting period -OpenFiscalYear=Open accounting period -CloseFiscalYear=Close accounting period -DeleteFiscalYear=Delete accounting period -ConfirmDeleteFiscalYear=Are you sure to delete this accounting period? -ShowFiscalYear=Show accounting period -AlwaysEditable=Can always be edited -MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application) -NbMajMin=Minimum number of uppercase characters -NbNumMin=Minimum number of numeric characters -NbSpeMin=Minimum number of special characters -NbIteConsecutive=Maximum number of repeating same characters -NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation -SalariesSetup=Setup of module salaries -SortOrder=Sort order -Format=Format -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and suppliers payment type -IncludePath=Include path (defined into variable %s) -ExpenseReportsSetup=Setup of module Expense Reports -TemplatePDFExpenseReports=Document templates to generate expense report document -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules -ExpenseReportNumberingModules=Expense reports numbering module -NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only. -YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification". -TemplatesForNotifications=Templates for notifications -ListOfNotificationsPerUser=List of automatic notifications per user* -ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** -ListOfFixedNotifications=List of automatic fixed notifications -GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses -Threshold=Threshold -BackupDumpWizard=Wizard to build the database dump file -BackupZipWizard=Wizard to build the archive of documents directory -SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: -SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. -InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. -ConfFileMustContainCustom=Installing or building an external module from application need to save the module files into directory %s. To have this directory processed by Dolibarr, you must setup your conf/conf.php to add the 2 directive lines:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; -HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over -HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) -HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) -BtnActionColor=Color of the action button -TextBtnActionColor=Text color of the action button -TextTitleColor=Text color of Page title -LinkColor=Color of links -PressF5AfterChangingThis=Press CTRL+F5 on keyboard or clear your browser cache after changing this value to have it effective -NotSupportedByAllThemes=Will works with core themes, may not be supported by external themes -BackgroundColor=Background color -TopMenuBackgroundColor=Background color for Top menu -TopMenuDisableImages=Hide images in Top menu -LeftMenuBackgroundColor=Background color for Left menu -BackgroundTableTitleColor=Background color for Table title line -BackgroundTableTitleTextColor=Text color for Table title line -BackgroundTableTitleTextlinkColor=Text color for Table title link line -BackgroundTableLineOddColor=Background color for odd table lines -BackgroundTableLineEvenColor=Background color for even table lines -MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay) -NbAddedAutomatically=Number of days added to counters of users (automatically) each month -EnterAnyCode=This field contains a reference to identify the line. Enter any value of your choice, but without special characters. -Enter0or1=Enter 0 or 1 -UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] -ColorFormat=The RGB color is in HEX format, eg: FF0000 -PictoHelp=Icon name in dolibarr format ('image.png' if into the current theme directory, 'image.png@nom_du_module' if into the directory /img/ of a module) -PositionIntoComboList=Position of line into combo lists -SellTaxRate=Sales tax rate -RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. +AccountingPeriods=የሂሳብ ጊዜያት +AccountingPeriodCard=የሂሳብ ጊዜ +NewFiscalYear=አዲስ የሂሳብ ጊዜ +OpenFiscalYear=ክፍት የሂሳብ ጊዜ +CloseFiscalYear=የሂሳብ ጊዜን ዝጋ +DeleteFiscalYear=የሂሳብ ጊዜን ሰርዝ +ConfirmDeleteFiscalYear=ይህን የሂሳብ ጊዜ መሰረዝ እርግጠኛ ነዎት? +ShowFiscalYear=የሂሳብ ጊዜን አሳይ +AlwaysEditable=ሁልጊዜ ሊስተካከል ይችላል። +MAIN_APPLICATION_TITLE=የሚታይን የመተግበሪያ ስም ያስገድዱ (ማስጠንቀቂያ፡ የእራስዎን ስም እዚህ ማዋቀር DoliDroid ሞባይል መተግበሪያን ሲጠቀሙ በራስ-ሙላ የመግባት ባህሪን ሊሰብር ይችላል) +NbMajMin=ዝቅተኛው የአቢይ ሆሄያት ብዛት +NbNumMin=ዝቅተኛው የቁጥር ቁምፊዎች ብዛት +NbSpeMin=ዝቅተኛው የልዩ ቁምፊዎች ብዛት +NbIteConsecutive=ከፍተኛው የሚደጋገሙ ተመሳሳይ ቁምፊዎች ብዛት +NoAmbiCaracAutoGeneration=አሻሚ ቁምፊዎችን ("1""l""i""""""0""ኦ")ን በራስ ሰር ለማመንጨት አይጠቀሙ +SalariesSetup=የሞጁል ደመወዝ ማዋቀር +SortOrder=ቅደም ተከተል ደርድር +Format=ቅርጸት +TypePaymentDesc=0: የደንበኛ ክፍያ ዓይነት፣ 1: የአቅራቢ ክፍያ ዓይነት፣ 2: ሁለቱም ደንበኞች እና አቅራቢዎች የክፍያ ዓይነት +IncludePath=ዱካ አካትት (በተለዋዋጭ %s ይገለጻል) +ExpenseReportsSetup=የሞጁል የወጪ ሪፖርቶች ማዋቀር +TemplatePDFExpenseReports=የወጪ ሪፖርት ሰነድ ለማመንጨት የሰነድ አብነቶች +ExpenseReportsRulesSetup=የሞጁል የወጪ ሪፖርቶች ማዋቀር - ደንቦች +ExpenseReportNumberingModules=የወጪ ሪፖርቶች የቁጥር ሞጁል +NoModueToManageStockIncrease=በራስ ሰር የአክሲዮን ጭማሪን ማስተዳደር የሚችል ምንም ሞጁል አልነቃም። የአክሲዮን ጭማሪ የሚከናወነው በእጅ ግብዓት ላይ ብቻ ነው። +YouMayFindNotificationsFeaturesIntoModuleNotification=ሞጁሉን "ማሳወቂያ" በማንቃት እና በማዋቀር ለኢሜል ማሳወቂያዎች አማራጮችን ልታገኝ ትችላለህ። +TemplatesForNotifications=የማሳወቂያዎች አብነቶች +ListOfNotificationsPerUser=በአንድ ተጠቃሚ ራስ-ሰር ማሳወቂያዎች ዝርዝር* +ListOfNotificationsPerUserOrContact=ሊሆኑ የሚችሉ ራስ-ሰር ማሳወቂያዎች ዝርዝር (በንግድ ስራ ላይ) በተጠቃሚ* ወይም በእውቂያዎች ይገኛሉ** +ListOfFixedNotifications=ራስ-ሰር ቋሚ ማሳወቂያዎች ዝርዝር +GoOntoUserCardToAddMore=ለተጠቃሚዎች ማሳወቂያዎችን ለመጨመር ወይም ለማስወገድ ወደ ተጠቃሚው ትር "ማሳወቂያዎች" ይሂዱ +GoOntoContactCardToAddMore=የእውቂያዎች/አድራሻዎች ማሳወቂያዎችን ለማከል ወይም ለማስወገድ ወደ የሶስተኛ ወገን ማሳወቂያዎች ትር ይሂዱ። +Threshold=ገደብ +BackupDumpWizard=የመረጃ ቋቱን መጣያ ፋይል ለመገንባት አዋቂ +BackupZipWizard=የሰነዶች መዝገብ ቤት ለመገንባት ጠንቋይ +SomethingMakeInstallFromWebNotPossible=በሚከተሉት ምክንያቶች የውጭ ሞጁል መጫን ከድር በይነገጽ የማይቻል ነው. +SomethingMakeInstallFromWebNotPossible2=በዚህ ምክንያት፣ እዚህ ላይ የተገለጸው የማሻሻል ሂደት አንድ ልዩ ተጠቃሚ ሊያደርገው የሚችለው በእጅ የሚሰራ ሂደት ነው። +InstallModuleFromWebHasBeenDisabledContactUs=የውጫዊ ሞጁሎችን ወይም ተለዋዋጭ ድር ጣቢያዎችን መጫን ወይም ማልማት፣ ከመተግበሪያው፣ በአሁኑ ጊዜ ለደህንነት ዓላማ ተቆልፏል። ይህንን ባህሪ ማንቃት ከፈለጉ እባክዎ ያነጋግሩን። +InstallModuleFromWebHasBeenDisabledByFile=የውጫዊ ሞጁል ከመተግበሪያው መጫን በአስተዳዳሪዎ ተሰናክሏል። ይህንን እንዲፈቅድ %s ፋይሉን እንዲያስወግድ መጠየቅ አለብህ። ባህሪ. +ConfFileMustContainCustom=ከመተግበሪያው ውጫዊ ሞጁል መጫን ወይም መገንባት የሞጁሉን ፋይሎች ወደ ማውጫ ውስጥ ማስቀመጥ አለበት %s ። ይህንን ማውጫ በDolibarr ለማስኬድ፣ 2 የመመሪያ መስመሮችን ለመጨመር የእርስዎን conf/conf.php ማዋቀር አለብህ፡
      $dolibarr_main_url_root_alt='/custom';b710 class='notranslate'>b7010 ='notranslate'>
      $dolibarr_main_document_root_alt='b0ecb2ecztomlate'>b0ecb2ecztomtom07fe/span > +HighlightLinesOnMouseHover=የመዳፊት እንቅስቃሴ ሲያልፍ የጠረጴዛ መስመሮችን ያድምቁ +HighlightLinesColor=አይጤው ሲያልፍ የመስመሩን ቀለም ያድምቁ (ያለ ድምቀት 'ffffff' ይጠቀሙ) +HighlightLinesChecked=ሲፈተሽ የመስመሩን ቀለም ያድምቁ (ያለ ድምቀት 'ffffff' ይጠቀሙ) +UseBorderOnTable=በጠረጴዛዎች ላይ የግራ-ቀኝ ድንበሮችን አሳይ +TableLineHeight=የጠረጴዛ መስመር ቁመት +BtnActionColor=የተግባር አዝራር ቀለም +TextBtnActionColor=የድርጊት አዝራሩ የጽሑፍ ቀለም +TextTitleColor=የገጽ ርዕስ ጽሑፍ ቀለም +LinkColor=የአገናኞች ቀለም +PressF5AfterChangingThis=በቁልፍ ሰሌዳው ላይ CTRL + F5 ን ይጫኑ ወይም ይህን እሴት ከቀየሩ በኋላ ውጤታማ እንዲሆን የአሳሽ መሸጎጫዎን ያጽዱ +NotSupportedByAllThemes=ፈቃድ ከዋና ገጽታዎች ጋር ይሰራል፣ በውጫዊ ገጽታዎች ላይደገፍ ይችላል። +BackgroundColor=የበስተጀርባ ቀለም +TopMenuBackgroundColor=የበስተጀርባ ቀለም ለላይ ምናሌ +TopMenuDisableImages=አዶ ወይም ጽሑፍ በከፍተኛ ምናሌ ውስጥ +LeftMenuBackgroundColor=የጀርባ ቀለም ለግራ ምናሌ +BackgroundTableTitleColor=ለሠንጠረዥ ርዕስ መስመር የጀርባ ቀለም +BackgroundTableTitleTextColor=ለሠንጠረዥ ርዕስ መስመር የጽሑፍ ቀለም +BackgroundTableTitleTextlinkColor=የጽሑፍ ቀለም ለሠንጠረዥ ርዕስ አገናኝ መስመር +BackgroundTableLineOddColor=ያልተለመደ የጠረጴዛ መስመሮች የጀርባ ቀለም +BackgroundTableLineEvenColor=የበስተጀርባ ቀለም ለእኩል የጠረጴዛ መስመሮች +MinimumNoticePeriod=ዝቅተኛው የማሳወቂያ ጊዜ (የእርስዎ የእረፍት ጥያቄ ከዚህ መዘግየት በፊት መደረግ አለበት) +NbAddedAutomatically=በየወሩ ወደ ተጠቃሚዎች ቆጣሪዎች (በራስ ሰር) የተጨመሩ የቀኖች ብዛት +EnterAnyCode=ይህ መስክ መስመሩን ለመለየት ማጣቀሻ ይዟል. የመረጡትን ማንኛውንም እሴት ያስገቡ ፣ ግን ያለ ልዩ ቁምፊዎች። +Enter0or1=0 ወይም 1 ያስገቡ +UnicodeCurrency=እዚህ በቅንፍ መካከል ያስገቡ፣ የምንዛሬ ምልክቱን የሚወክል ባይት ቁጥር ዝርዝር። ለምሳሌ፡ ለ$፣ አስገባ [36] - ለብራዚል እውነተኛ R$ [82,36] - ለ€፣ አስገባ [8364] +ColorFormat=የ RGB ቀለም በHEX ቅርጸት ነው፣ ለምሳሌ፡ FF0000 +PictoHelp=የአዶ ስም በቅርጸት፡
      - image.png ለምስል ፋይል አሁን ባለው የገጽታ ማውጫ ውስጥ
      - image.png@module ፋይል ወደ ሞጁሉ ማውጫ /img/ ከሆነ
      - fa-xxx ለ FontAwesome fa-xxx picto
      - - fontawesome_xxx_fa_color_size ለFontAwesome fa-xxx picto (ከቅድመ ቅጥያ፣ ቀለም እና መጠን ስብስብ ጋር) +PositionIntoComboList=ወደ ጥምር ዝርዝሮች ውስጥ የመስመር አቀማመጥ +SellTaxRate=የሽያጭ ታክስ መጠን +RecuperableOnly=አዎ ለተጨማሪ እሴት ታክስ "ያልተገነዘበ ነገር ግን ሊታደስ የሚችል" በፈረንሳይ ውስጥ ላለ ለተወሰነ ግዛት የተሰጠ። በሌሎች በሁሉም ጉዳዮች እሴቱን ወደ "አይ" ያቆዩት። UrlTrackingDesc=If the provider or transport service offers a page or web site to check the status of your shipments, you may enter it here. You can use the key {TRACKID} in the URL parameters so the system will replace it with the tracking number the user entered into the shipment card. -OpportunityPercent=When you create a lead, you will define an estimated amount of project/lead. According to status of the lead, this amount may be multiplied by this rate to evaluate a total amount all your leads may generate. Value is a percentage (between 0 and 100). -TemplateForElement=This mail template is related to what type of object? An email template is available only when using the "Send Email" button from the related object. -TypeOfTemplate=Type of template -TemplateIsVisibleByOwnerOnly=Template is visible to owner only -VisibleEverywhere=Visible everywhere -VisibleNowhere=Visible nowhere -FixTZ=TimeZone fix -FillFixTZOnlyIfRequired=Example: +2 (fill only if problem experienced) -ExpectedChecksum=Expected Checksum -CurrentChecksum=Current Checksum -ExpectedSize=Expected size -CurrentSize=Current size -ForcedConstants=Required constant values -MailToSendProposal=Customer proposals -MailToSendOrder=Sales orders -MailToSendInvoice=Customer invoices -MailToSendShipment=Shipments -MailToSendIntervention=Interventions -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices -MailToSendContract=Contracts -MailToSendReception=Receptions -MailToThirdparty=Third parties -MailToMember=Members -MailToUser=Users -MailToProject=Projects -MailToTicket=Tickets -ByDefaultInList=Show by default on list view -YouUseLastStableVersion=You use the latest stable version -TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) -TitleExampleForMaintenanceRelease=Example of message you can use to announce this maintenance release (feel free to use it on your web sites) -ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s is available. Version %s is a major release with a lot of new features for both users and developers. You can download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read ChangeLog for complete list of changes. -ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is available. Version %s is a maintenance version, so contains only bug fixes. We recommend all users to upgrade to this version. A maintenance release does not introduce new features or changes to the database. You may download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read the ChangeLog for complete list of changes. -MultiPriceRuleDesc=When option "Several levels of prices per product/service" is enabled, you can define different prices (one per price level) for each product. To save you time, here you may enter a rule to autocalculate a price for each level based on the price of the first level, so you will have to only enter a price for the first level for each product. This page is designed to save you time but is useful only if your prices for each level are relative to first level. You can ignore this page in most cases. -ModelModulesProduct=Templates for product documents -WarehouseModelModules=Templates for documents of warehouses -ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate codes automatically, you must first define a manager to auto-define the barcode number. -SeeSubstitutionVars=See * note for list of possible substitution variables -SeeChangeLog=See ChangeLog file (english only) -AllPublishers=All publishers -UnknownPublishers=Unknown publishers -AddRemoveTabs=Add or remove tabs -AddDataTables=Add object tables -AddDictionaries=Add dictionaries tables -AddData=Add objects or dictionaries data -AddBoxes=Add widgets -AddSheduledJobs=Add scheduled jobs -AddHooks=Add hooks -AddTriggers=Add triggers -AddMenus=Add menus -AddPermissions=Add permissions -AddExportProfiles=Add export profiles -AddImportProfiles=Add import profiles -AddOtherPagesOrServices=Add other pages or services -AddModels=Add document or numbering templates -AddSubstitutions=Add keys substitutions -DetectionNotPossible=Detection not possible -UrlToGetKeyToUseAPIs=Url to get token to use API (once token has been received it is saved in database user table and must be provided on each API call) -ListOfAvailableAPIs=List of available APIs -activateModuleDependNotSatisfied=Module "%s" depends on module "%s", that is missing, so module "%1$s" may not work correctly. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise -CommandIsNotInsideAllowedCommands=The command you are trying to run is not in the list of allowed commands defined in parameter $dolibarr_main_restrict_os_commands in the conf.php file. -LandingPage=Landing page -SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", the price will also be the same for all companies if products are shared between environments -ModuleEnabledAdminMustCheckRights=Module has been activated. Permissions for activated module(s) were given to admin users only. You may need to grant permissions to other users or groups manually if necessary. -UserHasNoPermissions=This user has no permissions defined -TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "%s")
      Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "%s" in days)
      Use "Current/Next" to have payment term date being the first Nth of the month after delta (delta is field "%s", N is stored into field "%s") -BaseCurrency=Reference currency of the company (go into setup of company to change this) -WarningNoteModuleInvoiceForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016). -WarningNoteModulePOSForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016) because module Non Reversible Logs is automatically activated. -WarningInstallationMayBecomeNotCompliantWithLaw=You are trying to install module %s that is an external module. Activating an external module means you trust the publisher of that module and that you are sure that this module does not adversely impact the behavior of your application, and is compliant with laws of your country (%s). If the module introduces an illegal feature, you become responsible for the use of illegal software. -MAIN_PDF_MARGIN_LEFT=Left margin on PDF -MAIN_PDF_MARGIN_RIGHT=Right margin on PDF -MAIN_PDF_MARGIN_TOP=Top margin on PDF -MAIN_PDF_MARGIN_BOTTOM=Bottom margin on PDF -MAIN_DOCUMENTS_LOGO_HEIGHT=Height for logo on PDF -MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Add column for picture on proposal lines -MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Width of the column if a picture is added on lines -MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame -MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code -MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block -PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions -PROPOSAL_PDF_HIDE_PAYMENTMODE=Hide payment mode -MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Add electronic sign in PDF -NothingToSetup=There is no specific setup required for this module. -SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes.
      For example:
      CODEGRP1+CODEGRP2 -SeveralLangugeVariatFound=Several language variants found -RemoveSpecialChars=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_DIGITARIA_CLEAN_REGEX=Regex filter to clean value (COMPANY_DIGITARIA_CLEAN_REGEX) -COMPANY_DIGITARIA_UNIQUE_CODE=Duplicate not allowed -GDPRContact=Data Protection Officer (DPO, Data Privacy or GDPR contact) -GDPRContactDesc=If you store data about European companies/citizens, you can name the contact who is responsible for the General Data Protection Regulation here -HelpOnTooltip=Help text to show on tooltip -HelpOnTooltipDesc=Put text or a translation key here for the text to show in a tooltip when this field appears in a form -YouCanDeleteFileOnServerWith=You can delete this file on the server with Command Line:
      %s -ChartLoaded=Chart of account loaded -SocialNetworkSetup=Setup of module Social Networks -EnableFeatureFor=Enable features for %s -VATIsUsedIsOff=Note: The option to use Sales Tax or VAT has been set to Off in the menu %s - %s, so Sales tax or Vat used will always be 0 for sales. -SwapSenderAndRecipientOnPDF=Swap sender and recipient address position on PDF documents -FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields and combo lists only. Also an URL parameter action=create or action=edit must be set OR page name must end with 'new.php' to trigger this feature. -EmailCollector=Email collector -EmailCollectorDescription=Add a scheduled job and a setup page to scan regularly email boxes (using IMAP protocol) and record emails received into your application, at the right place and/or create some records automatically (like leads). -NewEmailCollector=New Email Collector -EMailHost=Host of email IMAP server -MailboxSourceDirectory=Mailbox source directory -MailboxTargetDirectory=Mailbox target directory -EmailcollectorOperations=Operations to do by collector -EmailcollectorOperationsDesc=Operations are executed from top to bottom order -MaxEmailCollectPerCollect=Max number of emails collected per collect -CollectNow=Collect now -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ? -DateLastCollectResult=Date of latest collect try -DateLastcollectResultOk=Date of latest collect success -LastResult=Latest result -EmailCollectorConfirmCollectTitle=Email collect confirmation -EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ? -NoNewEmailToProcess=No new email (matching filters) to process -NothingProcessed=Nothing done -XEmailsDoneYActionsDone=%s emails qualified, %s emails successfully processed (for %s record/actions done) -RecordEvent=Record an event in agenda (with type Email sent or received) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation, with no third party otherwise) -CodeLastResult=Latest result code -NbOfEmailsInInbox=Number of emails in source directory -LoadThirdPartyFromName=Load third party searching on %s (load only) -LoadThirdPartyFromNameOrCreate=Load third party searching on %s (create if not found) -AttachJoinedDocumentsToObject=Save attached files into object documents if a ref of an object is found into email topic. -WithDolTrackingID=Message from a conversation initiated by a first email sent from Dolibarr -WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr -WithDolTrackingIDInMsgId=Message sent from Dolibarr -WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr -CreateCandidature=Create job application -FormatZip=Zip -MainMenuCode=Menu entry code (mainmenu) -ECMAutoTree=Show automatic ECM tree -OperationParamDesc=Define the rules to use to extract or set values.
      Example for operations that need to extract a name from email subject:
      name=EXTRACT:SUBJECT:Message from company ([^\n]*)
      Example for operations that create objects:
      objproperty1=SET:the value to set
      objproperty2=SET:a value including value of __objproperty1__
      objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a ; char as separator to extract or set several properties. -OpeningHours=Opening hours -OpeningHoursDesc=Enter here the regular opening hours of your company. -ResourceSetup=Configuration of Resource module -UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). -DisabledResourceLinkUser=Disable feature to link a resource to users -DisabledResourceLinkContact=Disable feature to link a resource to contacts -EnableResourceUsedInEventCheck=Enable feature to check if a resource is in use in an event -ConfirmUnactivation=Confirm module reset -OnMobileOnly=On small screen (smartphone) only -DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be "Prospect" or "Customer", but can't be both) -MAIN_OPTIMIZEFORTEXTBROWSER=Simplify interface for blind person -MAIN_OPTIMIZEFORTEXTBROWSERDesc=Enable this option if you are a blind person, or if you use the application from a text browser like Lynx or Links. -MAIN_OPTIMIZEFORCOLORBLIND=Change interface's color for color blind person -MAIN_OPTIMIZEFORCOLORBLINDDesc=Enable this option if you are a color blind person, in some case interface will change color setup to increase contrast. -Protanopia=Protanopia +OpportunityPercent=መሪ ሲፈጥሩ የሚገመተውን የፕሮጀክት/የእርሳስ መጠን ይገልፃሉ። እንደ መሪው ሁኔታ፣ ሁሉም የእርስዎ መሪዎች ሊያመነጩ የሚችሉትን አጠቃላይ መጠን ለመገምገም ይህ መጠን በዚህ መጠን ሊባዛ ይችላል። እሴት መቶኛ ነው (በ0 እና በ100 መካከል)። +TemplateForElement=ይህ የደብዳቤ አብነት ከምን ዓይነት ነገር ጋር ይዛመዳል? የኢሜል አብነት የሚገኘው ከተዛማጅ ነገር "ኢሜል ላክ" የሚለውን ቁልፍ ሲጠቀሙ ብቻ ነው። +TypeOfTemplate=የአብነት አይነት +TemplateIsVisibleByOwnerOnly=አብነት ለባለቤቱ ብቻ ነው የሚታየው +VisibleEverywhere=በሁሉም ቦታ የሚታይ +VisibleNowhere=የትም አይታይም። +FixTZ=TimeZone ማስተካከል +FillFixTZOnlyIfRequired=ምሳሌ፡ +2 (ችግር ካጋጠመ ብቻ ሙላ) +ExpectedChecksum=የሚጠበቀው Checksum +CurrentChecksum=የአሁኑ Checksum +ExpectedSize=የሚጠበቀው መጠን +CurrentSize=የአሁኑ መጠን +ForcedConstants=የሚፈለጉ ቋሚ እሴቶች +MailToSendProposal=የደንበኛ ሀሳቦች +MailToSendOrder=የሽያጭ ትዕዛዞች +MailToSendInvoice=የደንበኛ ደረሰኞች +MailToSendShipment=ማጓጓዣዎች +MailToSendIntervention=ጣልቃገብነቶች +MailToSendSupplierRequestForQuotation=የጥቅስ ጥያቄ +MailToSendSupplierOrder=የግዢ ትዕዛዞች +MailToSendSupplierInvoice=የአቅራቢ ደረሰኞች +MailToSendContract=ኮንትራቶች +MailToSendReception=አቀባበል +MailToExpenseReport=የወጪ ሪፖርቶች +MailToThirdparty=ሦስተኛ ወገኖች +MailToMember=አባላት +MailToUser=ተጠቃሚዎች +MailToProject=ፕሮጀክቶች +MailToTicket=ቲኬቶች +ByDefaultInList=በነባሪ ዝርዝር እይታ ላይ አሳይ +YouUseLastStableVersion=የቅርብ ጊዜውን የተረጋጋ ስሪት ትጠቀማለህ +TitleExampleForMajorRelease=ይህን ዋና ልቀት ለማሳወቅ ልትጠቀምበት የምትችለው የመልእክት ምሳሌ (በድረ-ገጾችህ ላይ ለመጠቀም ነፃነት ይሰማህ) +TitleExampleForMaintenanceRelease=ይህንን የጥገና ልቀት ለማሳወቅ ሊጠቀሙበት የሚችሉት የመልእክት ምሳሌ (በድረ-ገጾችዎ ላይ ለመጠቀም ነፃነት ይሰማዎ) +ExampleOfNewsMessageForMajorRelease=Dolibarr ERP እና CRM %s ይገኛል። ሥሪት %s ለሁለቱም ተጠቃሚዎች እና ገንቢዎች ብዙ አዳዲስ ባህሪያት ያለው ዋና ልቀት ነው። https://www.dolibarr.org ፖርታል (ንዑስ ማውጫ የተረጋጋ ስሪቶች) ከሚወርድበት ቦታ ማውረድ ይችላሉ። ለተሟላ ለውጦች ዝርዝር ChangeLogን ማንበብ ትችላለህ። +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP እና CRM %s ይገኛል። ስሪት %s የጥገና ስሪት ነው፣ ስለዚህ የሳንካ ጥገናዎችን ብቻ ይዟል። ሁሉም ተጠቃሚዎች ወደዚህ ስሪት እንዲያሻሽሉ እንመክራለን። የጥገና ልቀት በመረጃ ቋቱ ላይ አዳዲስ ባህሪያትን ወይም ለውጦችን አያስተዋውቅም። https://www.dolibarr.org ፖርታል (ንዑስ ማውጫ የተረጋጋ ስሪቶች) ከሚወርድበት ቦታ ሊያወርዱት ይችላሉ። ለተሟላ ለውጦች ዝርዝር ChangeLogን ማንበብ ትችላለህ። +MultiPriceRuleDesc=አማራጭ "በርካታ የዋጋ ደረጃዎች በአንድ ምርት/አገልግሎት" ሲነቃ ለእያንዳንዱ ምርት የተለያዩ ዋጋዎችን (በዋጋ ደረጃ አንድ) መግለፅ ይችላሉ። ጊዜዎን ለመቆጠብ ፣በመጀመሪያው ደረጃ ዋጋ ላይ በመመርኮዝ ለእያንዳንዱ ደረጃ ዋጋን በራስ-ሰር ለማስላት አንድ ደንብ እዚህ ማስገባት ይችላሉ ፣ ስለዚህ ለእያንዳንዱ ምርት የመጀመሪያ ደረጃ ዋጋ ብቻ ማስገባት አለብዎት። ይህ ገጽ ጊዜዎን ለመቆጠብ የተነደፈ ነው ነገር ግን ጠቃሚ የሚሆነው ለእያንዳንዱ ደረጃ ዋጋዎችዎ ከመጀመሪያው ደረጃ አንጻራዊ ከሆኑ ብቻ ነው። ይህንን ገጽ በአብዛኛዎቹ ሁኔታዎች ችላ ማለት ይችላሉ። +ModelModulesProduct=ለምርት ሰነዶች አብነቶች +WarehouseModelModules=የመጋዘን ሰነዶች አብነቶች +ToGenerateCodeDefineAutomaticRuleFirst=ኮዶችን በራስ-ሰር ለማመንጨት በመጀመሪያ የአሞሌ ቁጥሩን በራስ-የሚወስን አስተዳዳሪን መወሰን አለቦት። +SeeSubstitutionVars=ሊሆኑ የሚችሉ ተለዋዋጮችን ዝርዝር ለማግኘት * ማስታወሻ ይመልከቱ +SeeChangeLog=ChangeLog ፋይልን ይመልከቱ (እንግሊዝኛ ብቻ) +AllPublishers=ሁሉም አታሚዎች +UnknownPublishers=ያልታወቁ አታሚዎች +AddRemoveTabs=ትሮችን ያክሉ ወይም ያስወግዱ +AddDataTables=የነገር ጠረጴዛዎችን አክል +AddDictionaries=መዝገበ ቃላት ሠንጠረዦችን ያክሉ +AddData=የነገሮች ወይም የመዝገበ-ቃላት ውሂብ ያክሉ +AddBoxes=መግብሮችን ያክሉ +AddSheduledJobs=የታቀዱ ስራዎችን ያክሉ +AddHooks=መንጠቆዎችን ይጨምሩ +AddTriggers=ቀስቅሴዎችን ያክሉ +AddMenus=ምናሌዎችን ያክሉ +AddPermissions=ፈቃዶችን ያክሉ +AddExportProfiles=ወደ ውጭ መላኪያ መገለጫዎችን ያክሉ +AddImportProfiles=የማስመጣት መገለጫዎችን ያክሉ +AddOtherPagesOrServices=ሌሎች ገጾችን ወይም አገልግሎቶችን ያክሉ +AddModels=ሰነድ ወይም የቁጥር አብነቶችን ያክሉ +AddSubstitutions=የቁልፍ መተኪያዎችን ያክሉ +DetectionNotPossible=ማወቅ አይቻልም +UrlToGetKeyToUseAPIs=ኤፒአይን ለመጠቀም ማስመሰያ ለማግኘት ዩአርኤል (አንድ ጊዜ ማስመሰያ ከደረሰ በኋላ በመረጃ ቋት የተጠቃሚ ሠንጠረዥ ውስጥ ይቀመጣል እና በእያንዳንዱ የኤፒአይ ጥሪ ላይ መቅረብ አለበት) +ListOfAvailableAPIs=የሚገኙ APIs ዝርዝር +activateModuleDependNotSatisfied=ሞጁል "%s" በሞጁል "%s" ላይ የተመሰረተ ነው, ይህ ጠፍቷል, ስለዚህ ሞጁል " %1$s" በትክክል ላይሰራ ይችላል። እባክህ ሞጁሉን ጫን "%2$s" ወይም ሞጁሉን አሰናክል "%1$s" ከማንኛውም አስገራሚ ነገር መጠበቅ ከፈለጉ +CommandIsNotInsideAllowedCommands=ለማስኬድ እየሞከሩት ያለው ትእዛዝ በፓራሜትር $dolibarr_main_restrict_os_commandsb0a65d071f6fc9z>በመለኪያ የተገለጹ የተፈቀደላቸው ትዕዛዞች ዝርዝር ውስጥ የለም። class='notranslate'>conf.php ፋይል። +LandingPage=ማረፊያ ገጽ +SamePriceAlsoForSharedCompanies=የባለብዙ ኩባንያ ሞጁሉን ከተጠቀሙ በምርጫው "ነጠላ ዋጋ" ምርቶች በአካባቢው መካከል የሚጋሩ ከሆነ ዋጋው ለሁሉም ኩባንያዎች ተመሳሳይ ይሆናል. +ModuleEnabledAdminMustCheckRights=ሞዱል ነቅቷል። የነቃ ሞጁል(ዎች) ፈቃዶች የተሰጡት ለአስተዳዳሪ ተጠቃሚዎች ብቻ ነው። አስፈላጊ ከሆነ ለሌሎች ተጠቃሚዎች ወይም ቡድኖች ፈቃዶችን በእጅ መስጠት ሊኖርብዎ ይችላል። +UserHasNoPermissions=ይህ ተጠቃሚ ምንም የተገለጹ ፈቃዶች የሉትም። +TypeCdr=የመክፈያ ጊዜው የክፍያ ቀን እና በቀን ውስጥ ዴልታ ከሆነ "ምንም" ይጠቀሙ (ዴልታ መስክ "%s")
      span>"በወሩ መጨረሻ" ተጠቀም፣ ከዴልታ በኋላ፣ ቀኑ እስከ ወር መጨረሻ ድረስ መጨመር ካለበት (+ አማራጭ "%s" በቀናት ውስጥ)
      የክፍያ ጊዜ ቀን ከዴልታ በኋላ የወሩ የመጀመሪያ Nth እንዲሆን "አሁን/ቀጣይ" ተጠቀም (ዴልታ መስክ "%s" , N በመስክ ውስጥ ተከማችቷል "%s") +BaseCurrency=የኩባንያው የማጣቀሻ ምንዛሪ (ይህንን ለመለወጥ ወደ ኩባንያው ማዋቀር ይሂዱ) +WarningNoteModuleInvoiceForFrenchLaw=ይህ ሞጁል %s የፈረንሳይ ህጎችን ያከብራል (Loi Finance 2016)። +WarningNoteModulePOSForFrenchLaw=ይህ ሞጁል %s የፈረንሳይ ህጎችን (Loi Finance 2016) ያከብራል ምክንያቱም ሞጁል የማይቀለበስ ምዝግብ ማስታወሻዎች በራስ ሰር ስለሚነቃ ነው። +WarningInstallationMayBecomeNotCompliantWithLaw=ውጫዊ ሞጁል የሆነውን ሞጁል %s ለመጫን እየሞከርክ ነው። ውጫዊ ሞጁል ማግበር ማለት የዚያን ሞጁል አታሚ ያምናሉ እና ይህ ሞጁል በማመልከቻዎ ባህሪ ላይ አሉታዊ ተጽዕኖ እንደማይኖረው እና በአገርዎ ህግጋት (%s) ያከብራል ማለት ነው። span>) ሞጁሉ ሕገ-ወጥ ባህሪን ካስተዋወቀ, ለህገ-ወጥ ሶፍትዌር አጠቃቀም ተጠያቂ ይሆናሉ. + +MAIN_PDF_MARGIN_LEFT=የግራ ህዳግ በፒዲኤፍ ላይ +MAIN_PDF_MARGIN_RIGHT=የቀኝ ህዳግ በፒዲኤፍ ላይ +MAIN_PDF_MARGIN_TOP=በፒዲኤፍ ላይ ከፍተኛ ህዳግ +MAIN_PDF_MARGIN_BOTTOM=የታችኛው ህዳግ በፒዲኤፍ ላይ +MAIN_DOCUMENTS_LOGO_HEIGHT=በፒዲኤፍ ላይ ለአርማ ቁመት +DOC_SHOW_FIRST_SALES_REP=የመጀመሪያውን የሽያጭ ተወካይ አሳይ +MAIN_GENERATE_PROPOSALS_WITH_PICTURE=በፕሮፖዛል መስመሮች ላይ ለሥዕል አምድ ጨምር +MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=ስዕል በመስመሮች ላይ ከተጨመረ የአምዱ ስፋት +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=በጥቅስ ጥያቄዎች ላይ የንጥል ዋጋ አምድ ደብቅ +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=በጥቅስ ጥያቄዎች ላይ አጠቃላይ የዋጋ አምድ ደብቅ +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=በግዢ ትዕዛዞች ላይ ያለውን የዋጋ አምድ ደብቅ +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=በግዢ ትዕዛዞች ላይ ያለውን አጠቃላይ የዋጋ አምድ ደብቅ +MAIN_PDF_NO_SENDER_FRAME=በላኪ አድራሻ ፍሬም ላይ ድንበሮችን ደብቅ +MAIN_PDF_NO_RECIPENT_FRAME=በተቀባይ አድራሻ ፍሬም ላይ ድንበሮችን ደብቅ +MAIN_PDF_HIDE_CUSTOMER_CODE=የደንበኛ ኮድ ደብቅ +MAIN_PDF_HIDE_SENDER_NAME=የላኪ/የኩባንያውን ስም በአድራሻ ብሎክ ደብቅ +PROPOSAL_PDF_HIDE_PAYMENTTERM=የክፍያ ሁኔታዎችን ደብቅ +PROPOSAL_PDF_HIDE_PAYMENTMODE=የክፍያ ሁነታን ደብቅ +MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=በፒዲኤፍ ውስጥ የኤሌክትሮኒክ ምልክት ያክሉ +NothingToSetup=ለዚህ ሞጁል ምንም የተለየ ማዋቀር አያስፈልግም። +SetToYesIfGroupIsComputationOfOtherGroups=ይህ ቡድን የሌሎች ቡድኖች ስሌት ከሆነ ይህንን ወደ አዎ ያቀናብሩት። +EnterCalculationRuleIfPreviousFieldIsYes=የቀደመ መስክ ወደ አዎ ከተዋቀረ የስሌት ህግ አስገባ።
      ለምሳሌ፡
      CODEGRP1+CODEGRP2 +SeveralLangugeVariatFound=በርካታ የቋንቋ ልዩነቶች ተገኝተዋል +RemoveSpecialChars=ልዩ ቁምፊዎችን ያስወግዱ +COMPANY_AQUARIUM_CLEAN_REGEX=የ Regex ማጣሪያ ዋጋን ለማፅዳት (COMPANY_AQUARIUM_CLEAN_REGEX) +COMPANY_AQUARIUM_NO_PREFIX=ቅድመ ቅጥያ አይጠቀሙ፣ ደንበኛን ወይም የአቅራቢውን ኮድ ብቻ ይቅዱ +COMPANY_DIGITARIA_CLEAN_REGEX=የሬጌክስ ማጣሪያ ዋጋን ለማፅዳት (COMPANY_DIGITARIA_CLEAN_REGEX) +COMPANY_DIGITARIA_UNIQUE_CODE=ማባዛት አይፈቀድም። +RemoveSpecialWords=ለደንበኞች ወይም አቅራቢዎች ንዑስ መለያዎችን ሲያመነጩ የተወሰኑ ቃላትን ያጽዱ +RemoveSpecialWordsHelp=የደንበኛውን ወይም የአቅራቢውን ሂሳብ ከማስላትዎ በፊት የሚጸዱትን ቃላት ይግለጹ። ";" ይጠቀሙ በእያንዳንዱ ቃል መካከል +GDPRContact=የውሂብ ጥበቃ ኦፊሰር (DPO፣ የውሂብ ግላዊነት ወይም የGDPR እውቂያ) +GDPRContactDesc=በመረጃ ስርዓትዎ ውስጥ የግል መረጃን ካከማቻሉ፣ ለአጠቃላይ የውሂብ ጥበቃ ደንብ ኃላፊነት ያለበትን አድራሻ እዚህ መሰየም ይችላሉ። +HelpOnTooltip=በመሳሪያ ጫፍ ላይ እንዲታይ የእገዛ ጽሑፍ +HelpOnTooltipDesc=ይህ መስክ በቅጽ ላይ ሲታይ ጽሑፉ በመሳሪያ ጥቆማ ውስጥ እንዲታይ የጽሁፍ ወይም የትርጉም ቁልፍ እዚህ ያስቀምጡ +YouCanDeleteFileOnServerWith=ይህንን ፋይል በአገልጋዩ ላይ በትእዛዝ መስመር መሰረዝ ይችላሉ፡
      %s +ChartLoaded=የመለያ ገበታ ተጭኗል +SocialNetworkSetup=የሞዱል ማህበራዊ አውታረ መረቦች ማዋቀር +EnableFeatureFor=ለ%s ባህሪያትን አንቃ +VATIsUsedIsOff=ማሳሰቢያ፡ የሽያጭ ታክስን ወይም ተ.እ.ታን የመጠቀም አማራጩ ወደ ጠፍቷል በምናሌው - %s፣ ስለዚህ ጥቅም ላይ የሚውለው የሽያጭ ታክስ ወይም ቫት ሁልጊዜ ለሽያጭ 0 ይሆናል። +SwapSenderAndRecipientOnPDF=በፒዲኤፍ ሰነዶች ላይ የላኪ እና የተቀባይ አድራሻ ቦታ ይቀያይሩ +FeatureSupportedOnTextFieldsOnly=ማስጠንቀቂያ፣ ባህሪ የሚደገፈው በጽሑፍ መስኮች እና ጥምር ዝርዝሮች ላይ ብቻ ነው። እንዲሁም የዩአርኤል መለኪያ action=create or action=edit መዘጋጀት አለበት ወይም ይህን ባህሪ ለመቀስቀስ የገጽ ስም በ'new.php' ያበቃል። +EmailCollector=ኢሜል ሰብሳቢ +EmailCollectors=ኢሜል ሰብሳቢዎች +EmailCollectorDescription=በመደበኛነት የኢሜል ሳጥኖችን ለመቃኘት (የ IMAP ፕሮቶኮልን በመጠቀም) እና የተቀበሉትን ኢሜይሎች በትክክለኛው ቦታ ላይ ለመመዝገብ እና / ወይም አንዳንድ መዝገቦችን በራስ-ሰር ለመፍጠር የታቀደ ሥራ እና የማዋቀር ገጽ ያክሉ። +NewEmailCollector=አዲስ ኢሜል ሰብሳቢ +EMailHost=የኢሜል IMAP አገልጋይ አስተናጋጅ +EMailHostPort=የኢሜል IMAP አገልጋይ ወደብ +loginPassword=መግቢያ/የይለፍ ቃል +oauthToken=OAuth2 ማስመሰያ +accessType=የመዳረሻ አይነት +oauthService=የውሀ አገልግሎት +TokenMustHaveBeenCreated=ሞዱል OAuth2 መንቃት አለበት እና የ oauth2 ማስመሰያ በትክክለኛ ፍቃዶች መፈጠር አለበት (ለምሳሌ "gmail_full" ከ OAuth ለጂሜይል ጋር)። +ImapEncryption = የ IMAP ምስጠራ ዘዴ +ImapEncryptionHelp = ምሳሌ፡ የለም፣ ssl፣ tls፣ notls +NoRSH = የNoRSH አወቃቀሩን ተጠቀም +NoRSHHelp = የIMAP ቅድመ መታወቂያ ክፍለ ጊዜ ለመመስረት RSH ወይም SSH ፕሮቶኮሎችን አይጠቀሙ +MailboxSourceDirectory=የመልእክት ሳጥን ምንጭ ማውጫ +MailboxTargetDirectory=የመልእክት ሳጥን ኢላማ ማውጫ +EmailcollectorOperations=በአሰባሳቢ የሚደረጉ ክዋኔዎች +EmailcollectorOperationsDesc=ክዋኔዎች ከላይ ወደ ታች ቅደም ተከተል ይከናወናሉ +MaxEmailCollectPerCollect=በአንድ ስብስብ የሚሰበሰቡ ከፍተኛው የኢሜይሎች ብዛት +TestCollectNow=ሙከራ መሰብሰብ +CollectNow=አሁን ሰብስብ +ConfirmCloneEmailCollector=እርግጠኛ ነዎት ኢሜይል ሰብሳቢውን %sን መዝጋት ይፈልጋሉ? +DateLastCollectResult=የቅርብ ጊዜ የመሰብሰብ ሙከራ ቀን +DateLastcollectResultOk=የቅርብ ጊዜ የስብስብ ስኬት ቀን +LastResult=የቅርብ ጊዜ ውጤት +EmailCollectorHideMailHeaders=በተሰበሰቡ ኢሜይሎች ውስጥ በተቀመጡት የኢሜል ራስጌ ይዘት ውስጥ አታካትቱ +EmailCollectorHideMailHeadersHelp=ሲነቃ የኢሜል ራስጌዎች እንደ አጀንዳ ክስተት በተቀመጠው የኢሜል ይዘት መጨረሻ ላይ አይታከሉም። +EmailCollectorConfirmCollectTitle=የኢሜል መሰብሰብ ማረጋገጫ +EmailCollectorConfirmCollect=ይህን ሰብሳቢ አሁን ማስኬድ ይፈልጋሉ? +EmailCollectorExampleToCollectTicketRequestsDesc=ከአንዳንድ ሕጎች ጋር የሚዛመዱ ኢሜይሎችን ይሰብስቡ እና በራስ ሰር ቲኬት ይፍጠሩ (የሞዱል ቲኬት መንቃት አለበት) ከኢሜል መረጃ ጋር። አንዳንድ ድጋፍ በኢሜል ከሰጡ ይህንን ሰብሳቢ መጠቀም ይችላሉ፣ ስለዚህ የቲኬት ጥያቄዎ በራስ-ሰር ይወጣል። እንዲሁም የደንበኛዎን መልሶች በቀጥታ በትኬት እይታ ለመሰብሰብ ምላሾችን ይሰብስቡ (ከዶሊባር መልስ መስጠት አለብዎት)። +EmailCollectorExampleToCollectTicketRequests=የቲኬት ጥያቄን መሰብሰብ ምሳሌ (የመጀመሪያ መልእክት ብቻ) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=ለሌላ ኢሜይል መልስ ከዶሊባርር ሳይሆን በቀጥታ ከኢሜል ሶፍትዌር የተላኩ ኢሜሎችን ለማግኘት "የተላከ" የሚለውን የመልዕክት ሳጥንዎን ይቃኙ። እንደዚህ አይነት ኢሜል ከተገኘ, የመልሱ ክስተት ወደ ዶሊባርር ይመዘገባል +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=ከውጫዊ ኢ-ሜል ሶፍትዌር የተላኩ የኢ-ሜይል መልሶችን መሰብሰብ ምሳሌ +EmailCollectorExampleToCollectDolibarrAnswersDesc=ከማመልከቻዎ የተላከ የኢሜል መልስ የሆኑትን ሁሉንም ኢሜይሎች ይሰብስቡ። የኢሜል ምላሽ ያለው ክስተት (ሞዱል አጀንዳ መንቃት አለበት) በጥሩ ቦታ ላይ ይመዘገባል። ለምሳሌ፣ ከመተግበሪያው በኢሜል ለትኬት የንግድ ፕሮፖዛል፣ ትዕዛዝ፣ ደረሰኝ ወይም መልእክት ከላኩ እና ተቀባዩ ኢሜልዎን ከመለሰ ስርዓቱ መልሱን ወዲያውኑ ይይዛል እና ወደ ኢአርፒዎ ውስጥ ይጨምራል። +EmailCollectorExampleToCollectDolibarrAnswers=ከዶሊባርር ለተላኩ መልእክቶች መልስ በመሆን ሁሉንም ገቢ መልእክቶች መሰብሰብ ምሳሌ +EmailCollectorExampleToCollectLeadsDesc=ከአንዳንድ ሕጎች ጋር የሚዛመዱ ኢሜይሎችን ይሰብስቡ እና ከኢሜል መረጃ ጋር በራስ ሰር መሪ ይፍጠሩ (ሞዱል ፕሮጀክት መንቃት አለበት)። ሞጁሉን ፕሮጀክት (1 ሊድ = 1 ፕሮጀክት) በመጠቀም መሪዎን ለመከተል ከፈለጉ ይህንን ሰብሳቢ ሊጠቀሙበት ይችላሉ, ስለዚህ የእርስዎ እርሳሶች በራስ-ሰር ይፈጠራሉ. ሰብሳቢው የነቃ ከሆነ፣ ከእርስዎ መሪዎች፣ ፕሮፖዛል ወይም ሌላ ማንኛውም ነገር ኢሜይል ሲልኩ፣ የደንበኞችዎን ወይም የአጋሮቻችሁን መልሶች በቀጥታ በማመልከቻው ላይ ማየት ይችላሉ።
      ማስታወሻ፡ በዚህ የመነሻ ምሳሌ፣ የመሪነት ርዕስ ኢሜይሉን ጨምሮ ይፈጠራል። ሶስተኛው አካል በመረጃ ቋት (አዲስ ደንበኛ) ውስጥ ካልተገኘ መሪው መታወቂያ 1 ካለው ሶስተኛ ወገን ጋር ይያያዛል። +EmailCollectorExampleToCollectLeads=እርሳሶችን መሰብሰብ ምሳሌ +EmailCollectorExampleToCollectJobCandidaturesDesc=ለስራ ቅናሾች የሚያመለክቱ ኢሜይሎችን ይሰብስቡ (የሞጁል ምልመላ መንቃት አለበት። ለስራ ጥያቄ እጩዎችን በራስ ሰር መፍጠር ከፈለጉ ይህንን ሰብሳቢ ማጠናቀቅ ይችላሉ። ማሳሰቢያ፡ በዚህ የመጀመሪያ ምሳሌ፣ የእጩነት ርዕስ ኢሜልን ጨምሮ ተፈጠረ። +EmailCollectorExampleToCollectJobCandidatures=በኢሜል የተቀበሉ እጩዎችን የመሰብሰብ ምሳሌ +NoNewEmailToProcess=ምንም አዲስ ኢሜይል (ተዛማጅ ማጣሪያዎች) ለማስኬድ የለም። +NothingProcessed=ምንም አልተሰራም። +RecordEvent=በአጀንዳ ውስጥ አንድ ክስተት ይቅረጹ (ኢሜል የተላከ ወይም የተቀበለው ዓይነት) +CreateLeadAndThirdParty=መሪ ይፍጠሩ (እና አስፈላጊ ከሆነ ሶስተኛ ወገን) +CreateTicketAndThirdParty=ትኬት ይፍጠሩ (ሦስተኛ ወገን በቀድሞው ኦፕሬሽን ከተጫነ ወይም በኢሜል ራስጌ ውስጥ ካለው መከታተያ ከተገመተ፣ ያለሶስተኛ ወገን ከሶስተኛ ወገን ጋር የተገናኘ) +CodeLastResult=የቅርብ ጊዜ የውጤት ኮድ +NbOfEmailsInInbox=በምንጭ ማውጫ ውስጥ የኢሜይሎች ብዛት +LoadThirdPartyFromName=በ%s ላይ የሶስተኛ ወገን ፍለጋን ጫን (ጭነት ብቻ) +LoadThirdPartyFromNameOrCreate=በ%s ላይ የሶስተኛ ወገን ፍለጋን ጫን (ካልተገኘ ፍጠር) +LoadContactFromEmailOrCreate=የእውቂያ ፍለጋን በ%s ላይ ጫን (ካልተገኘ ፍጠር) +AttachJoinedDocumentsToObject=የአንድ ነገር ማጣቀሻ በኢሜል ርዕስ ውስጥ ከተገኘ ተያያዥ ፋይሎችን ወደ ዕቃ ሰነዶች አስቀምጥ። +WithDolTrackingID=ከዶሊባር በተላከ የመጀመሪያ ኢሜይል ከተጀመረ ውይይት የመጣ መልእክት +WithoutDolTrackingID=ከዶሊባርር ያልተላከ የመጀመሪያ ኢሜይል ከተጀመረ ውይይት የመጣ መልእክት +WithDolTrackingIDInMsgId=መልእክት ከዶሊባር ተልኳል። +WithoutDolTrackingIDInMsgId=መልእክት ከዶሊባር አልተላከም። +CreateCandidature=የሥራ ማመልከቻ ይፍጠሩ +FormatZip=ዚፕ +MainMenuCode=የምናሌ መግቢያ ኮድ (ዋና ምናሌ) +ECMAutoTree=ራስ-ሰር የ ECM ዛፍን አሳይ +OperationParamDesc=አንዳንድ ውሂብ ለማውጣት የሚጠቀሙባቸውን ደንቦች ይግለጹ ወይም ለስራ የሚውሉ እሴቶችን ያቀናብሩ።

      የኩባንያውን ስም ለማውጣት ምሳሌ ኢሜል ርእሱን ወደ ጊዜያዊ ተለዋዋጭ፡
      tmp_var=EXTRACT:SUBJECT:መልዕክት ከኩባንያ ([^])\n]*)

      የአንድን ነገር ባህሪ ለመፍጠር ምሳሌዎች፡
      /span>objproperty1=SET:ሃርድ ኮድ የተደረገ እሴት
      objproperty2=SET:__tmp_var__
      obj valuepropertyFE የሚዋቀረው ንብረት አስቀድሞ ካልተገለጸ ብቻ ነው)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^& # 92;n]*)
      object.objproperty5=EXTRACT:BODY:የእኔ ኩባንያ s([^\\s]*)

      ብዙ ንብረቶችን ለማውጣት ወይም ለማዘጋጀት አዲስ መስመር ይጠቀሙ። +OpeningHours=ክፍት የሚሆንበት ሰዓቶች +OpeningHoursDesc=የድርጅትዎን መደበኛ የስራ ሰዓቶች እዚህ ያስገቡ። +ResourceSetup=የመርጃ ሞጁል ውቅር +UseSearchToSelectResource=ሀብትን ለመምረጥ የፍለጋ ቅጽ ይጠቀሙ (ከተቆልቋይ ዝርዝር ይልቅ)። +DisabledResourceLinkUser=ሀብትን ከተጠቃሚዎች ጋር ለማገናኘት ባህሪን ያሰናክሉ። +DisabledResourceLinkContact=ሀብትን ከእውቂያዎች ጋር ለማገናኘት ባህሪን ያሰናክሉ። +EnableResourceUsedInEventCheck=በአጀንዳው ውስጥ አንድ አይነት ሀብትን በተመሳሳይ ጊዜ መጠቀምን ይከለክላል +ConfirmUnactivation=የሞዱል ዳግም ማስጀመርን ያረጋግጡ +OnMobileOnly=በትንሽ ስክሪን (ስማርትፎን) ላይ ብቻ +DisableProspectCustomerType=የ"Prospect + ደንበኛ" የሶስተኛ ወገን አይነት አሰናክል (ስለዚህ ሶስተኛ ወገን "ፕሮስፔክ" ወይም "ደንበኛ" መሆን አለበት፣ ነገር ግን ሁለቱም ሊሆኑ አይችሉም) +MAIN_OPTIMIZEFORTEXTBROWSER=ለዓይነ ስውራን በይነገጽ ቀለል ያድርጉት +MAIN_OPTIMIZEFORTEXTBROWSERDesc=ዓይነ ስውር ከሆንክ ወይም እንደ Lynx ወይም Links ካሉ የጽሑፍ አሳሽ አፕሊኬሽኑን የምትጠቀም ከሆነ ይህን አማራጭ አንቃ። +MAIN_OPTIMIZEFORCOLORBLIND=ለቀለም ዓይነ ስውር ሰው የበይነገጽን ቀለም ቀይር +MAIN_OPTIMIZEFORCOLORBLINDDesc=የቀለም ዓይነ ስውር ከሆኑ ይህን አማራጭ ያንቁት፣ በአንዳንድ አጋጣሚዎች ንፅፅርን ለመጨመር በይነገጹ የቀለም ቅንብርን ይቀይራል። +Protanopia=ፕሮታኖፒያ Deuteranopes=Deuteranopes -Tritanopes=Tritanopes -ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' -DefaultCustomerType=Default thirdparty type for "New customer" creation form -ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. -RootCategoryForProductsToSell=Root category of products to sell -RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale -DebugBar=Debug Bar -DebugBarDesc=Toolbar that comes with a plenty of tools to simplify debugging -DebugBarSetup=DebugBar Setup -GeneralOptions=General Options -LogsLinesNumber=Number of lines to show on logs tab -UseDebugBar=Use the debug bar -DEBUGBAR_LOGS_LINES_NUMBER=Number of last log lines to keep in console -WarningValueHigherSlowsDramaticalyOutput=Warning, higher values slows dramaticaly output -ModuleActivated=Module %s is activated and slows the interface -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) -IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. -AntivirusEnabledOnUpload=Antivirus enabled on uploaded files -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode -EXPORTS_SHARE_MODELS=Export models are share with everybody -ExportSetup=Setup of module Export -ImportSetup=Setup of module Import -InstanceUniqueID=Unique ID of the instance -SmallerThan=Smaller than -LargerThan=Larger than -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -EndPointFor=End point for %s : %s -DeleteEmailCollector=Delete email collector -ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? -RecipientEmailsWillBeReplacedWithThisValue=Recipient emails will be always replaced with this value -AtLeastOneDefaultBankAccountMandatory=At least 1 default bank account must be defined -RESTRICT_ON_IP=Allow access to some host IP only (wildcard not allowed, use space between values). Empty means every hosts can access. +Tritanopes=ትሪታኖፕስ +ThisValueCanOverwrittenOnUserLevel=ይህ ዋጋ በእያንዳንዱ ተጠቃሚ ከተጠቃሚ ገፁ ላይ ሊፃፍ ይችላል - ትር '%s' +DefaultCustomerType=ለ"አዲስ ደንበኛ" የመፍጠር ቅጽ ነባሪ የሶስተኛ ወገን አይነት +ABankAccountMustBeDefinedOnPaymentModeSetup=ማስታወሻ፡ ይህ ባህሪ እንዲሰራ የባንክ ሂሳቡ በእያንዳንዱ የክፍያ ሁነታ (Paypal, Stripe, ...) ሞጁል ላይ መገለጽ አለበት. +RootCategoryForProductsToSell=የሚሸጡ ምርቶች ሥር ምድብ +RootCategoryForProductsToSellDesc=ከተገለጸ፣ በዚህ ምድብ ውስጥ ያሉ ምርቶች ወይም የዚህ ምድብ ልጆች ብቻ በሽያጭ ነጥብ ውስጥ ይገኛሉ +DebugBar=ማረም አሞሌ +DebugBarDesc=ማረምን ለማቃለል ከብዙ መሳሪያዎች ጋር አብሮ የሚመጣው የመሳሪያ አሞሌ +DebugBarSetup=DebugBar ማዋቀር +GeneralOptions=አጠቃላይ አማራጮች +LogsLinesNumber=በምዝግብ ማስታወሻዎች ትር ላይ የሚታዩ የመስመሮች ብዛት +UseDebugBar=የማረም አሞሌን ተጠቀም +DEBUGBAR_LOGS_LINES_NUMBER=በኮንሶል ውስጥ የሚቀመጡ የመጨረሻ የምዝግብ ማስታወሻዎች ብዛት +WarningValueHigherSlowsDramaticalyOutput=ማስጠንቀቂያ፣ ከፍተኛ ዋጋዎች በሚያስደንቅ ሁኔታ ውፅዓትን ይቀንሳል +ModuleActivated=ሞዱል %s ነቅቷል እና በይነገጹን ይቀንሳል +ModuleActivatedWithTooHighLogLevel=ሞዱል %s የሚነቃው በጣም ከፍተኛ በሆነ የምዝግብ ማስታወሻ ደረጃ ነው (ለተሻለ አፈጻጸም እና ደህንነት ዝቅተኛ ደረጃ ለመጠቀም ይሞክሩ) +ModuleSyslogActivatedButLevelNotTooVerbose=ሞጁል %s ነቅቷል እና የምዝግብ ማስታወሻ ደረጃ (%s) ትክክል ነው (በጣም የቃላት አይደለም) +IfYouAreOnAProductionSetThis=በምርት አካባቢ ላይ ከሆኑ፣ ይህንን ንብረት ወደ %s ማዋቀር አለብዎት። +AntivirusEnabledOnUpload=በተሰቀሉ ፋይሎች ላይ ጸረ-ቫይረስ ነቅቷል። +SomeFilesOrDirInRootAreWritable=አንዳንድ ፋይሎች ወይም ማውጫዎች በተነባቢ-ብቻ ሁነታ ላይ አይደሉም +EXPORTS_SHARE_MODELS=ወደ ውጭ የሚላኩ ሞዴሎች ለሁሉም ሰው ይጋራሉ። +ExportSetup=የሞጁል ወደ ውጭ መላክ ማዋቀር +ImportSetup=የሞዱል ማስመጣት ማዋቀር +InstanceUniqueID=የምሳሌው ልዩ መታወቂያ +SmallerThan=ያነሰ +LargerThan=ይበልጣል +IfTrackingIDFoundEventWillBeLinked=የአንድ ነገር መከታተያ መታወቂያ በኢሜል ውስጥ ከተገኘ ወይም ኢሜይሉ አስቀድሞ የተሰበሰበ እና ከአንድ ነገር ጋር የተገናኘ ኢሜይል መልስ ከሆነ የተፈጠረው ክስተት በቀጥታ ከሚታወቀው ተዛማጅ ነገር ጋር ይገናኛል። +WithGMailYouCanCreateADedicatedPassword=በጂሜይል መለያ፣ የ2 ደረጃዎች ማረጋገጫን ካነቁ፣ ከhttps://myaccount.google.com/ የራስዎን መለያ ይለፍ ቃል ከመጠቀም ለመተግበሪያው የተለየ ሁለተኛ የይለፍ ቃል መፍጠር ይመከራል። +EmailCollectorTargetDir=ኢሜይሉን በተሳካ ሁኔታ ሲሰራ ወደ ሌላ መለያ/ማውጫ መውሰድ የሚፈለግ ባህሪ ሊሆን ይችላል። ይህንን ባህሪ ለመጠቀም የማውጫውን ስም ብቻ ያዘጋጁ (በስም ልዩ ቁምፊዎችን አይጠቀሙ)። የመግቢያ/የመፃፍ መለያ መጠቀም እንዳለቦት ልብ ይበሉ። +EmailCollectorLoadThirdPartyHelp=ይህን እርምጃ የኢሜል ይዘቱን ተጠቅመው በውሂብ ጎታዎ ውስጥ ያለውን የሶስተኛ ወገን ለማግኘት እና ለመጫን (ፍለጋ በ'መታወቂያ'፣ 'ስም'፣ 'name_alias'፣'email' መካከል በተገለጸው ንብረት ላይ ይከናወናል)። የተገኘው (ወይም የተፈጠረ) ሶስተኛ ወገን እሱን ለሚፈልጉ እርምጃዎች ይጠቅማል።
      ለምሳሌ ከሕብረቁምፊ የወጣ ስም ያለው ሶስተኛ ወገን መፍጠር ከፈለጉ ' ስም፡ ስም ለማግኘት' በሰውነት ውስጥ ይገኛል፣ የላኪውን ኢሜል እንደ ኢሜል ይጠቀሙ፣ የመለኪያ መስኩን እንደዚህ ማዘጋጀት ይችላሉ፡
      'email=HEADER:^ከ:(. *);ስም=የወጣ፡አካል፡ስም፡\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=ማስጠንቀቂያ፡ ብዙ የኢሜል አገልጋዮች (እንደ ጂሜይል ያሉ) ሕብረቁምፊ ላይ ሲፈልጉ ሙሉ የቃላት ፍለጋ እያደረጉ ነው እና ሕብረቁምፊው በከፊል በአንድ ቃል ውስጥ ብቻ ከተገኘ ውጤቱን አይመልሱም። በዚህ ምክንያት ልዩ ቁምፊዎችን ተጠቀም በፍለጋ መስፈርት ውስጥ የነባር ቃላት አካል ካልሆኑ ችላ ይባላሉ።
      በአንድ ቃል ላይ ፍለጋን ለማግለል (ቃል ከሆነ ኢሜይል ይመልሱ አልተገኘም) ፣ መጠቀም ይችላሉ! ከቃሉ በፊት ቁምፊ (በአንዳንድ የመልዕክት አገልጋዮች ላይ ላይሰራ ይችላል). +EndPointFor=የመጨረሻ ነጥብ ለ%s : %s +DeleteEmailCollector=ኢሜል ሰብሳቢውን ሰርዝ +ConfirmDeleteEmailCollector=እርግጠኛ ነዎት ይህን ኢሜይል ሰብሳቢ መሰረዝ ይፈልጋሉ? +RecipientEmailsWillBeReplacedWithThisValue=የተቀባይ ኢሜይሎች ሁልጊዜ በዚህ እሴት ይተካሉ +AtLeastOneDefaultBankAccountMandatory=ቢያንስ 1 ነባሪ የባንክ ሂሳብ መገለጽ አለበት። +RESTRICT_ON_IP=የኤፒአይ መዳረሻ ለተወሰኑ የደንበኛ አይፒዎች ብቻ ፍቀድ (የዱር ካርድ አይፈቀድም፣ በእሴቶች መካከል ያለውን ክፍተት ይጠቀሙ)። ባዶ ማለት እያንዳንዱ ደንበኛ መድረስ ይችላል። IPListExample=127.0.0.1 192.168.0.2 [::1] -BaseOnSabeDavVersion=Based on the library SabreDAV version -NotAPublicIp=Not a public IP -MakeAnonymousPing=Make an anonymous Ping '+1' to the Dolibarr foundation server (done 1 time only after installation) to allow the foundation to count the number of Dolibarr installation. -FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled -EmailTemplate=Template for email -EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF -FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. -RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard -JumpToBoxes=Jump to Setup -> Widgets -MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" -MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values. -TemplateAdded=Template added -TemplateUpdated=Template updated -TemplateDeleted=Template deleted -MailToSendEventPush=Event reminder email -SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security -DictionaryProductNature= Nature of product -CountryIfSpecificToOneCountry=Country (if specific to a given country) -YouMayFindSecurityAdviceHere=You may find security advisory here -ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. -ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. -CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples -SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. -AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only -ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. -MailToSendEventOrganization=Event Organization -MailToPartnership=Partnership -AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an anitivurs program), you must keep PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s -Recommended=Recommended -NotRecommended=Not recommended -ARestrictedPath=Some restricted path -CheckForModuleUpdate=Check for external modules updates -CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. -ModuleUpdateAvailable=An update is available -NoExternalModuleWithUpdate=No updates found for external modules -SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) -YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=You enabled deprecated WS API. You should use REST API instead. -RandomlySelectedIfSeveral=Randomly selected if several pictures are available -DatabasePasswordObfuscated=Database password is obfuscated in conf file -DatabasePasswordNotObfuscated=Database password is NOT obfuscated in conf file -APIsAreNotEnabled=APIs modules are not enabled -YouShouldSetThisToOff=You should set this to 0 or off -InstallAndUpgradeLockedBy=Install and upgrades are locked by the file %s -OldImplementation=Old implementation -PDF_SHOW_LINK_TO_ONLINE_PAYMENT=If some online payment modules are enabled (Paypal, Stripe, ...), add a link on the PDF to make the online payment -DashboardDisableGlobal=Disable globally all the thumbs of open objects -BoxstatsDisableGlobal=Disable totally box statistics -DashboardDisableBlocks=Thumbs of open objects (to process or late) on main dashboard -DashboardDisableBlockAgenda=Disable the thumb for agenda -DashboardDisableBlockProject=Disable the thumb for projects -DashboardDisableBlockCustomer=Disable the thumb for customers -DashboardDisableBlockSupplier=Disable the thumb for suppliers -DashboardDisableBlockContract=Disable the thumb for contracts -DashboardDisableBlockTicket=Disable the thumb for tickets -DashboardDisableBlockBank=Disable the thumb for banks -DashboardDisableBlockAdherent=Disable the thumb for memberships -DashboardDisableBlockExpenseReport=Disable the thumb for expense reports -DashboardDisableBlockHoliday=Disable the thumb for leaves -EnabledCondition=Condition to have field enabled (if not enabled, visibility will always be off) -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sale tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sale tax -LanguageAndPresentation=Language and presentation -SkinAndColors=Skin and colors -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sale tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sale tax -PDF_USE_1A=Generate PDF with PDF/A-1b format -MissingTranslationForConfKey = Missing translation for %s -NativeModules=Native modules -NoDeployedModulesFoundWithThisSearchCriteria=No modules found for these search criteria -API_DISABLE_COMPRESSION=Disable compression of API responses -EachTerminalHasItsOwnCounter=Each terminal use its own counter. -FillAndSaveAccountIdAndSecret=Fill and save account ID and secret first -PreviousHash=Previous hash +BaseOnSabeDavVersion=በSabreDAV ቤተ-መጽሐፍት ላይ የተመሠረተ +NotAPublicIp=ይፋዊ አይፒ አይደለም። +MakeAnonymousPing=መሰረቱን የዶሊባርር ጭነት ቁጥር እንዲቆጥር ለዶሊባርር ፋውንዴሽን አገልጋይ የማይታወቅ ፒንግ '+1' ይስሩ (ከተጫነ በኋላ 1 ጊዜ ብቻ ተከናውኗል)። +FeatureNotAvailableWithReceptionModule=ሞጁል መቀበያ ሲነቃ ባህሪ አይገኝም +EmailTemplate=የኢሜል አብነት +EMailsWillHaveMessageID=ኢሜይሎች ከዚህ አገባብ ጋር የሚዛመድ 'ማጣቀሻዎች' የሚል መለያ ይኖራቸዋል +PDF_SHOW_PROJECT=በሰነድ ላይ ፕሮጀክት አሳይ +ShowProjectLabel=የፕሮጀክት መለያ +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=በሶስተኛ ወገን ስም ተለዋጭ ስም ያካትቱ +THIRDPARTY_ALIAS=የሶስተኛ ወገን ስም - የሶስተኛ ወገን ስም +ALIAS_THIRDPARTY=የሶስተኛ ወገን ተለዋጭ ስም - የሶስተኛ ወገን ስም +PDFIn2Languages=በፒዲኤፍ ውስጥ መለያዎችን በ2 የተለያዩ ቋንቋዎች አሳይ (ይህ ባህሪ ለተወሰኑ ሁለት ቋንቋዎች ላይሰራ ይችላል) +PDF_USE_ALSO_LANGUAGE_CODE=በፒዲኤፍዎ ውስጥ አንዳንድ ጽሑፎች በ2 የተለያዩ ቋንቋዎች በተመሳሳይ የመነጨ ፒዲኤፍ እንዲባዙ ከፈለጉ፣ እዚህ ሁለተኛ ቋንቋ ማዘጋጀት አለብዎት ስለዚህ የመነጨ ፒዲኤፍ በተመሳሳይ ገጽ ውስጥ 2 የተለያዩ ቋንቋዎችን ይይዛል ፣ ፒዲኤፍ ሲያመነጭ የሚመረጠው እና ይህ (() ይህንን የሚደግፉት ጥቂት የፒዲኤፍ አብነቶች ብቻ ናቸው)። ለ 1 ቋንቋ በፒዲኤፍ ባዶ ያስቀምጡ። +PDF_USE_A=በነባሪ ቅርጸት ፒዲኤፍ ፋንታ የፒዲኤፍ ሰነዶችን በፒዲኤፍ/ኤ ቅርጸት ይፍጠሩ +FafaIconSocialNetworksDesc=የFontAwesome አዶ ኮድ እዚህ ያስገቡ። FontAwesome ምን እንደሆነ ካላወቁ፣ አጠቃላይ ዋጋ ያለው የ fa-address-book መጠቀም ይችላሉ። +RssNote=ማሳሰቢያ፡ እያንዳንዱ የአርኤስኤስ መጋቢ ፍቺ በዳሽቦርድ ውስጥ እንዲገኝ ማንቃት ያለብዎትን መግብር ያቀርባል +JumpToBoxes=ወደ ማዋቀር ይዝለሉ -> መግብሮች +MeasuringUnitTypeDesc=እንደ "መጠን"፣ "ገጽታ"፣ "ድምጽ"፣ "ክብደት"፣ "ጊዜ" ያለ ዋጋ እዚህ ተጠቀም +MeasuringScaleDesc=ሚዛኑ ነባሪውን የማጣቀሻ ክፍል ለማዛመድ የአስርዮሽ ክፍሉን ለማንቀሳቀስ ያለብዎት የቦታዎች ብዛት ነው። ለ "ጊዜ" አሃድ አይነት የሰከንዶች ብዛት ነው። በ80 እና 99 መካከል ያሉ እሴቶች የተጠበቁ ናቸው። +TemplateAdded=አብነት ታክሏል። +TemplateUpdated=አብነት ተዘምኗል +TemplateDeleted=አብነት ተሰርዟል። +MailToSendEventPush=የክስተት አስታዋሽ ኢሜይል +SwitchThisForABetterSecurity=ይህንን እሴት ወደ %s መቀየር ለበለጠ ደህንነት ይመከራል +DictionaryProductNature= የምርት ተፈጥሮ +CountryIfSpecificToOneCountry=ሀገር (ለአንድ ሀገር የተወሰነ ከሆነ) +YouMayFindSecurityAdviceHere=የደህንነት ምክር እዚህ ማግኘት ይችላሉ። +ModuleActivatedMayExposeInformation=ይህ የPHP ቅጥያ ሚስጥራዊነት ያለው መረጃን ሊያጋልጥ ይችላል። ካላስፈለገዎት ያሰናክሉት። +ModuleActivatedDoNotUseInProduction=ለልማቱ የተነደፈ ሞጁል ነቅቷል። በማምረት አካባቢ ላይ አታድርጉት። +CombinationsSeparator=ለምርት ውህዶች መለያ ባህሪ +SeeLinkToOnlineDocumentation=ለምሳሌዎች ከላይ ባለው ምናሌ ላይ ወደ የመስመር ላይ ሰነዶች አገናኝ ይመልከቱ +SHOW_SUBPRODUCT_REF_IN_PDF=ባህሪው "%s የሞጁል %s=span> ጥቅም ላይ ይውላል፣ የኪት ንዑስ ምርቶች ዝርዝሮችን በፒዲኤፍ አሳይ። +AskThisIDToYourBank=ይህን መታወቂያ ለማግኘት ባንክዎን ያነጋግሩ +AdvancedModeOnly=ፍቃድ በላቁ የፍቃድ ሁነታ ብቻ ይገኛል። +ConfFileIsReadableOrWritableByAnyUsers=የ conf ፋይል በማንኛውም ተጠቃሚ ሊነበብ ወይም ሊፃፍ ይችላል። ለድር አገልጋይ ተጠቃሚ እና ቡድን ብቻ ፍቃድ ይስጡ። +MailToSendEventOrganization=የክስተት ድርጅት +MailToPartnership=አጋርነት +AGENDA_EVENT_DEFAULT_STATUS=ከቅጹ ላይ ክስተት ሲፈጥሩ ነባሪ የክስተት ሁኔታ +YouShouldDisablePHPFunctions=የ PHP ተግባራትን ማሰናከል አለብዎት +IfCLINotRequiredYouShouldDisablePHPFunctions=በብጁ ኮድ ውስጥ የስርዓት ትዕዛዞችን ማስኬድ ካላስፈለገዎት በስተቀር የ PHP ተግባራትን ማሰናከል አለብዎት +PHPFunctionsRequiredForCLI=ለሼል ዓላማ (እንደ መርሐግብር የተያዘለት የሥራ ቦታ ወይም የጸረ-ቫይረስ ፕሮግራም ማስኬድ) የPHP ተግባራትን ማቆየት አለብዎት +NoWritableFilesFoundIntoRootDir=በስር ማውጫዎ ውስጥ ምንም ሊፃፉ የሚችሉ ፋይሎች ወይም የተለመዱ ፕሮግራሞች ማውጫዎች አልተገኙም (ጥሩ) +RecommendedValueIs=የሚመከር፡ %s +Recommended=የሚመከር +NotRecommended=አይመከርም +ARestrictedPath=አንዳንድ የተገደበ የውሂብ ፋይሎች ዱካ +CheckForModuleUpdate=የውጪ ሞጁሎች ዝማኔዎችን ያረጋግጡ +CheckForModuleUpdateHelp=ይህ እርምጃ አዲስ ስሪት መኖሩን ለማረጋገጥ ከውጫዊ ሞጁሎች አርታዒዎች ጋር ይገናኛል። +ModuleUpdateAvailable=ማሻሻያ አለ። +NoExternalModuleWithUpdate=ለውጫዊ ሞጁሎች ምንም ዝማኔዎች አልተገኙም። +SwaggerDescriptionFile=የSwagger API መግለጫ ፋይል (ለምሳሌ ከ redoc ጋር ለመጠቀም) +YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=የተቋረጠ WS API አንቃችኋል። በምትኩ REST API መጠቀም አለብህ። +RandomlySelectedIfSeveral=ብዙ ሥዕሎች ካሉ በዘፈቀደ ተመርጠዋል +SalesRepresentativeInfo=ለፕሮፖዛል፣ ትእዛዝ፣ ደረሰኞች። +DatabasePasswordObfuscated=የውሂብ ጎታ ይለፍ ቃል conf ፋይል ውስጥ ተደብቋል +DatabasePasswordNotObfuscated=የውሂብ ጎታ ይለፍ ቃል conf ፋይል ውስጥ አልተደበቀም። +APIsAreNotEnabled=የኤፒአይዎች ሞጁሎች አልነቁም። +YouShouldSetThisToOff=ይህንን ወደ 0 ወይም አጥፋ ማዋቀር አለብዎት +InstallAndUpgradeLockedBy=መጫን እና ማሻሻያ በፋይሉ ተቆልፏል %s +InstallLockedBy=ጫን/እንደገና መጫን በፋይሉ ተቆልፏል %s +InstallOfAddonIsNotBlocked=የ addons ጭነቶች አልተቆለፉም። ፋይል ይፍጠሩ installmodules.lock ወደ ማውጫ b0aee83365837f ='notranslate'>%s
      የውጭ addons/modules ጭነቶችን ለማገድ። +OldImplementation=የድሮ አተገባበር +PDF_SHOW_LINK_TO_ONLINE_PAYMENT=አንዳንድ የመስመር ላይ ክፍያ ሞጁሎች ከነቃ (Paypal፣ Stripe፣...)፣ የመስመር ላይ ክፍያ ለመፈጸም በፒዲኤፍ ላይ አገናኝ ያክሉ +DashboardDisableGlobal=ሁሉንም የተከፈቱ ነገሮች አውራ ጣትን በአለምአቀፍ ደረጃ አሰናክል +BoxstatsDisableGlobal=ሙሉ በሙሉ የሳጥን ስታቲስቲክስን አሰናክል +DashboardDisableBlocks=በዋናው ዳሽቦርድ ላይ ክፍት የሆኑ ነገሮች (ለመሰራት ወይም ዘግይተው) አውራ ጣት +DashboardDisableBlockAgenda=የአጀንዳውን አውራ ጣት አሰናክል +DashboardDisableBlockProject=ለፕሮጀክቶች አውራ ጣትን ያሰናክሉ። +DashboardDisableBlockCustomer=ለደንበኞች አውራ ጣትን ያሰናክሉ። +DashboardDisableBlockSupplier=ለአቅራቢዎች አውራ ጣትን ያሰናክሉ። +DashboardDisableBlockContract=ለኮንትራቶች አውራ ጣትን ያሰናክሉ። +DashboardDisableBlockTicket=ለቲኬቶች አውራ ጣትን ያሰናክሉ። +DashboardDisableBlockBank=ለባንኮች አውራ ጣትን ያሰናክሉ። +DashboardDisableBlockAdherent=ለአባልነቶች አውራ ጣትን ያሰናክሉ። +DashboardDisableBlockExpenseReport=ለወጪ ሪፖርቶች አውራ ጣትን ያሰናክሉ። +DashboardDisableBlockHoliday=ለቅጠሎቹ አውራ ጣትን ያሰናክሉ። +EnabledCondition=መስክ የሚነቃበት ሁኔታ (ካልነቃ ታይነት ሁልጊዜ ይጠፋል) +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=ሁለተኛ ግብር ለመጠቀም ከፈለጉ የመጀመሪያውን የሽያጭ ታክስ ማንቃት አለብዎት +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=ሶስተኛ ግብር ለመጠቀም ከፈለጉ የመጀመሪያውን የሽያጭ ታክስ ማንቃት አለብዎት +LanguageAndPresentation=ቋንቋ እና አቀራረብ +SkinAndColors=ቆዳ እና ቀለሞች +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=ሁለተኛ ግብር ለመጠቀም ከፈለጉ የመጀመሪያውን የሽያጭ ታክስ ማንቃት አለብዎት +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=ሶስተኛ ግብር ለመጠቀም ከፈለጉ የመጀመሪያውን የሽያጭ ታክስ ማንቃት አለብዎት +PDF_USE_1A=ፒዲኤፍ በፒዲኤፍ/A-1b ቅርጸት ይፍጠሩ +MissingTranslationForConfKey = ለ%s ትርጉም ይጎድላል +NativeModules=ቤተኛ ሞጁሎች +NoDeployedModulesFoundWithThisSearchCriteria=ለእነዚህ የፍለጋ መስፈርቶች ምንም ሞጁሎች አልተገኙም። +API_DISABLE_COMPRESSION=የኤፒአይ ምላሾችን መጭመቅ አሰናክል +EachTerminalHasItsOwnCounter=እያንዳንዱ ተርሚናል የራሱን ቆጣሪ ይጠቀማል። +FillAndSaveAccountIdAndSecret=መጀመሪያ የመለያ መታወቂያ እና ሚስጥሮችን ይሙሉ እና ያስቀምጡ +PreviousHash=ቀዳሚ ሃሽ +LateWarningAfter="ዘግይቶ" ማስጠንቀቂያ በኋላ +TemplateforBusinessCards=በተለያየ መጠን ያለው የንግድ ካርድ አብነት +InventorySetup= የእቃ ዝርዝር ማዋቀር +ExportUseLowMemoryMode=ዝቅተኛ ማህደረ ትውስታ ሁነታን ይጠቀሙ +ExportUseLowMemoryModeHelp=የቆሻሻ ፋይሉን ለማመንጨት ዝቅተኛውን የማህደረ ትውስታ ሁነታን ይጠቀሙ (መጭመቂያው ወደ ፒኤችፒ ማህደረ ትውስታ ከመሆን ይልቅ በፓይፕ በኩል ይከናወናል)። ይህ ዘዴ ፋይሉ መጠናቀቁን ለማረጋገጥ አይፈቅድም እና የስህተት መልእክት ካልተሳካ ሪፖርት ሊደረግ አይችልም። በቂ የማህደረ ትውስታ ስህተቶች ካጋጠሙዎት ይጠቀሙበት። + +ModuleWebhookName = የድር መንጠቆ +ModuleWebhookDesc = የዶሊባርር ቀስቅሴዎችን ለመያዝ እና የዝግጅቱን ውሂብ ወደ URL ለመላክ በይነገጽ +WebhookSetup = Webhook ማዋቀር +Settings = ቅንብሮች +WebhookSetupPage = Webhook ማዋቀር ገጽ +ShowQuickAddLink=በላይኛው ቀኝ ምናሌ ውስጥ አንድ አካል በፍጥነት ለመጨመር አንድ አዝራር አሳይ +ShowSearchAreaInTopMenu=በላይኛው ምናሌ ውስጥ የፍለጋ ቦታውን አሳይ +HashForPing=ሃሽ ለፒንግ ጥቅም ላይ ይውላል +ReadOnlyMode=ለምሳሌ በ"ተነባቢ ብቻ" ሁነታ ላይ ነው። +DEBUGBAR_USE_LOG_FILE=የምዝግብ ማስታወሻዎችን ለማጥመድ የdolibarr.log ፋይል ይጠቀሙ +UsingLogFileShowAllRecordOfSubrequestButIsSlower=የቀጥታ ማህደረ ትውስታን ከመያዝ ይልቅ ሎጎችን ለማጥመድ dolibarr.log ፋይልን ይጠቀሙ። የአሁኑን ሂደት መዝገብ ብቻ ከመያዝ ይልቅ ሁሉንም ምዝግብ ማስታወሻዎች ለመያዝ ያስችላል (ስለዚህ የአጃክስ የንዑስ መጠየቂያ ገጾችን ጨምሮ) ግን ምሳሌዎን በጣም ቀርፋፋ ያደርገዋል። አይመከርም። +FixedOrPercent=ቋሚ (ቁልፍ ቃል 'ቋሚ' ተጠቀም) ወይም በመቶ (ቁልፍ ቃል 'ፐርሰንት' ተጠቀም) +DefaultOpportunityStatus=ነባሪ የዕድል ሁኔታ (ሊድ ሲፈጠር የመጀመሪያ ደረጃ) + +IconAndText=አዶ እና ጽሑፍ +TextOnly=ጽሑፍ ብቻ +IconOnlyAllTextsOnHover=አዶ ብቻ - ሁሉም ጽሑፎች በምናሌ አሞሌ ላይ በመዳፊት ላይ ባለው አዶ ስር ይታያሉ +IconOnlyTextOnHover=አዶ ብቻ - የአዶ ጽሑፍ በአዶው ላይ በመዳፊት ላይ ባለው አዶ ስር ይታያል +IconOnly=አዶ ብቻ - ጽሑፍ በመሳሪያ ጫፍ ላይ ብቻ +INVOICE_ADD_ZATCA_QR_CODE=የZATCA QR ኮድ በደረሰኞች ላይ አሳይ +INVOICE_ADD_ZATCA_QR_CODEMore=አንዳንድ የአረብ ሀገራት ይህን የQR ኮድ በክፍያ መጠየቂያቸው ላይ ይፈልጋሉ +INVOICE_ADD_SWISS_QR_CODE=የስዊስ QR-ቢል ኮድ በደረሰኞች ላይ አሳይ +INVOICE_ADD_SWISS_QR_CODEMore=የክፍያ መጠየቂያዎች የስዊዘርላንድ ደረጃ; ዚፕ እና ከተማ መሞላታቸውን እና ሂሳቦቹ ትክክለኛ የስዊስ/ሊችተንስታይን IBANs እንዳላቸው ያረጋግጡ። +INVOICE_SHOW_SHIPPING_ADDRESS=የመላኪያ አድራሻ አሳይ +INVOICE_SHOW_SHIPPING_ADDRESSMore=በአንዳንድ አገሮች ውስጥ አስገዳጅ ምልክት (ፈረንሳይ, ...) +UrlSocialNetworksDesc=የማህበራዊ አውታረ መረብ ዩአርኤል አገናኝ። የማህበራዊ አውታረ መረብ መታወቂያ ለያዘው ተለዋዋጭ ክፍል {socialid}ን ይጠቀሙ። +IfThisCategoryIsChildOfAnother=ይህ ምድብ የሌላ ሰው ልጅ ከሆነ +DarkThemeMode=የጨለማ ገጽታ ሁነታ +AlwaysDisabled=ሁልጊዜ ተሰናክሏል። +AccordingToBrowser=በአሳሹ መሰረት +AlwaysEnabled=ሁልጊዜ ነቅቷል። +DoesNotWorkWithAllThemes=ከሁሉም ገጽታዎች ጋር አይሰራም +NoName=ስም የለም። +ShowAdvancedOptions= የላቁ አማራጮችን አሳይ +HideAdvancedoptions= የላቁ አማራጮችን ደብቅ +CIDLookupURL=ሞጁሉ የሶስተኛ ወገን ስም ወይም አድራሻ ከስልክ ቁጥሩ ለማግኘት በውጫዊ መሳሪያ ሊጠቀምበት የሚችል ዩአርኤል ያመጣል። ጥቅም ላይ የሚውለው ዩአርኤል፡- +OauthNotAvailableForAllAndHadToBeCreatedBefore=የOAUTH2 ማረጋገጫ ለሁሉም አስተናጋጆች አይገኝም፣ እና ትክክለኛ ፍቃዶች ያለው ማስመሰያ በOAUTH ሞጁል ወደ ላይ መፈጠር አለበት። +MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 የማረጋገጫ አገልግሎት +DontForgetCreateTokenOauthMod=ትክክለኛ ፍቃዶች ያለው ማስመሰያ በOAUTH ሞጁል ወደላይ መፈጠር አለበት። +MAIN_MAIL_SMTPS_AUTH_TYPE=የማረጋገጫ ዘዴ +UsePassword=የይለፍ ቃል ተጠቀም +UseOauth=የOAUTH ማስመሰያ ይጠቀሙ +Images=ምስሎች +MaxNumberOfImagesInGetPost=በኤችቲኤምኤል መስክ ውስጥ የሚፈቀደው ከፍተኛው የምስሎች ብዛት በቅጽ +MaxNumberOfPostOnPublicPagesByIP=በአንድ ወር ውስጥ ተመሳሳይ አይፒ አድራሻ ባላቸው ይፋዊ ገፆች ላይ ከፍተኛው የልጥፎች ብዛት +CIDLookupURL=ሞጁሉ የሶስተኛ ወገን ስም ወይም አድራሻ ከስልክ ቁጥሩ ለማግኘት በውጫዊ መሳሪያ ሊጠቀምበት የሚችል ዩአርኤል ያመጣል። ጥቅም ላይ የሚውለው ዩአርኤል፡- +ScriptIsEmpty=ስክሪፕቱ ባዶ ነው። +ShowHideTheNRequests=የ%s የSQL ጥያቄ(ዎች) አሳይ/ደብቅ +DefinedAPathForAntivirusCommandIntoSetup=የጸረ-ቫይረስ ፕሮግራም ወደ %sየሚደርስበትን መንገድ ይግለጹ። +TriggerCodes=ቀስቃሽ ክስተቶች +TriggerCodeInfo=የድር ጥያቄ ልጥፍ ማመንጨት ያለበት ቀስቅሴ ኮድ(ዎች) እዚህ ያስገቡ (የውጭ ዩአርኤል ብቻ ነው የሚፈቀደው)። በነጠላ ሰረዝ የተለዩ በርካታ ቀስቅሴዎችን ማስገባት ትችላለህ። +EditableWhenDraftOnly=ካልተመረጠ እሴቱ መቀየር የሚቻለው እቃው ረቂቅ ሁኔታ ሲኖረው ብቻ ነው። +CssOnEdit=CSS በአርትዖት ገጾች ላይ +CssOnView=CSS በእይታ ገጾች ላይ +CssOnList=በዝርዝሮች ላይ CSS +HelpCssOnEditDesc=CSS የሚጠቀመው መስኩን ሲስተካከል ነው።
      ምሳሌ፡ "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=መስኩን ሲመለከቱ ጥቅም ላይ የዋለው CSS። +HelpCssOnListDesc=CSS የሚጠቀመው መስክ በዝርዝር ሠንጠረዥ ውስጥ ነው።
      ምሳሌ፡ "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=ለእንግዶች በተፈጠሩት ሰነዶች ላይ የታዘዘውን መጠን ደብቅ +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=ለመቀበያ በተዘጋጁ ሰነዶች ላይ ዋጋውን ያሳዩ +WarningDisabled=ማስጠንቀቂያ ተሰናክሏል። +LimitsAndMitigation=የመዳረሻ ገደቦች እና ቅነሳ +RecommendMitigationOnURL=በወሳኝ ዩአርኤል ላይ ቅነሳን ለማንቃት ይመከራል። ይህ ለዋና አስፈላጊ ዩአርኤሎች ሊጠቀሙባቸው የሚችሏቸው የ fail2ban ህጎች ዝርዝር ነው። +DesktopsOnly=ዴስክቶፖች ብቻ +DesktopsAndSmartphones=ዴስክቶፖች እና ስማርትፎኖች +AllowOnlineSign=በመስመር ላይ መፈረም ፍቀድ +AllowExternalDownload=ውጫዊ ማውረድ ፍቀድ (ያለመግባት፣ የተጋራ አገናኝ በመጠቀም) +DeadlineDayVATSubmission=በሚቀጥለው ወር የቫት ማስረከቢያ የመጨረሻ ቀን +MaxNumberOfAttachementOnForms=በቅጽ ከፍተኛው የተቀላቀሉ ፋይሎች ብዛት +IfDefinedUseAValueBeetween=ከተገለጸ በ%s እና %s መካከል ያለውን እሴት ተጠቀም። +Reload=ዳግም ጫን +ConfirmReload=ሞጁል ዳግም መጫንን ያረጋግጡ +WarningModuleHasChangedLastVersionCheckParameter=ማስጠንቀቂያ፡ ሞጁሉ %s በእያንዳንዱ ገጽ መዳረሻ ላይ ስሪቱን ለመፈተሽ መለኪያ አዘጋጅቷል። ይህ ገፁን ሞጁሎችን የሚያስተዳድርበት ያልተረጋጋ እንዲሆን የሚያደርግ መጥፎ እና ያልተፈቀደ አሰራር ነው። ይህንን ለማስተካከል እባክዎ የሞጁሉን ደራሲ ያነጋግሩ። +WarningModuleHasChangedSecurityCsrfParameter=ማስጠንቀቂያ፡ ሞጁሉ %s የአብነትዎን የCSRF ደህንነት አሰናክሏል። ይህ እርምጃ ተጠርጣሪ ነው እና የእርስዎ ጭነት ከአሁን በኋላ ደህንነቱ ላይጠበቅ ይችላል። እባክዎን ማብራሪያ ለማግኘት የሞጁሉን ደራሲ ያነጋግሩ። +EMailsInGoingDesc=ገቢ ኢሜይሎች የሚተዳደሩት በሞጁሉ %s ነው። የሚገቡ ኢሜይሎችን መደገፍ ከፈለጉ ማንቃት እና ማዋቀር አለብዎት። +MAIN_IMAP_USE_PHPIMAP=ቤተኛ ከPHP IMAP ይልቅ የPHP-IMAP ቤተ-መጽሐፍትን ለIMAP ተጠቀም። ይህ ለIMAP የOAuth2 ግንኙነትንም ይፈቅዳል (ሞዱል OAuth እንዲሁ መንቃት አለበት።) +MAIN_CHECKBOX_LEFT_COLUMN=በግራ በኩል የመስክ እና የመስመር ምርጫን አምድ አሳይ (በቀኝ በኩል በነባሪ) +NotAvailableByDefaultEnabledOnModuleActivation=በነባሪነት አልተፈጠረም። በሞጁል ማግበር ላይ ብቻ የተፈጠረ። +CSSPage=የሲኤስኤስ ዘይቤ +Defaultfortype=ነባሪ +DefaultForTypeDesc=ለአብነት አይነት አዲስ ኢሜይል ሲፈጥሩ በነባሪነት ጥቅም ላይ የሚውለው አብነት +OptionXShouldBeEnabledInModuleY=አማራጭ "%sወደ ሞጁል ውስጥ መንቃት አለበት ='notranslate'>
      %s +OptionXIsCorrectlyEnabledInModuleY=አማራጭ "%ss ሞጁል ውስጥ ነቅቷል 'notranslate'>
      %s +AllowOnLineSign=የመስመር ላይ ፊርማ ፍቀድ +AtBottomOfPage=ከገጹ ግርጌ +FailedAuth=ያልተሳኩ ማረጋገጫዎች +MaxNumberOfFailedAuth=መግባትን ለመከልከል በ24 ሰአት ውስጥ ከፍተኛው ያልተሳካ የማረጋገጫ ቁጥር። +AllowPasswordResetBySendingANewPassByEmail=አንድ ተጠቃሚ A ይህ ፈቃድ ካለው፣ እና ተጠቃሚው A የ"አስተዳዳሪ" ተጠቃሚ ባይሆንም እንኳ፣ ሀ የሌላ ተጠቃሚ B የይለፍ ቃል ዳግም እንዲያስጀምር ተፈቅዶለታል፣ አዲሱ ይለፍ ቃል ወደ ሌላኛው ተጠቃሚ B ግን ይላካል። ለ A አይታይም. ተጠቃሚው A የ"አስተዳዳሪ" ባንዲራ ካለው፣ እንዲሁም የ B ተጠቃሚ መለያውን ለመቆጣጠር እንዲችል አዲሱ የመነጨው የይለፍ ቃል ምን እንደሆነ ማወቅ ይችላል። +AllowAnyPrivileges=አንድ ተጠቃሚ A ይህ ፈቃድ ካለው፣ ሁሉንም መብቶች ያለው ተጠቃሚ B መፍጠር ይችላል ከዚያም ይህንን ተጠቃሚ ቢ መጠቀም ወይም በማንኛውም ፍቃድ ለሌላ ቡድን መስጠት ይችላል። ስለዚህ ተጠቃሚ A የሁሉም የንግድ መብቶች ባለቤት ነው ማለት ነው (የስርዓት ገፆችን ማዋቀር ብቻ የተከለከለ ነው) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=የእርስዎ ምሳሌ በምርት ሁነታ ላይ ስላልተዘጋጀ ይህ ዋጋ ሊነበብ ይችላል። +SeeConfFile=የ conf.php ፋይልን በአገልጋዩ ላይ ይመልከቱ +ReEncryptDesc=ገና ካልተመሰጠረ ውሂብን እንደገና አመስጥር +PasswordFieldEncrypted=%s አዲስ መዝገብ ይህ መስክ ተመስጥሯል +ExtrafieldsDeleted=Extrafields %s ተሰርዟል +LargeModern=ትልቅ - ዘመናዊ +SpecialCharActivation=ልዩ ቁምፊዎችን ለማስገባት ምናባዊ የቁልፍ ሰሌዳ ለመክፈት ቁልፉን ያንቁ +DeleteExtrafield=ተጨማሪ መስክ ሰርዝ +ConfirmDeleteExtrafield=የመስክ መሰረዙን አረጋግጠዋል %s? በዚህ መስክ ላይ የተቀመጠው ሁሉም ውሂብ በእርግጠኝነት ይሰረዛል +ExtraFieldsSupplierInvoicesRec=ተጨማሪ ባህሪያት (የአብነት ደረሰኞች) +ExtraFieldsSupplierInvoicesLinesRec=ተጨማሪ ባህሪያት (የአብነት የክፍያ መጠየቂያ መስመሮች) +ParametersForTestEnvironment=ለሙከራ አካባቢ መለኪያዎች +TryToKeepOnly=%sን ብቻ ለማቆየት ይሞክሩ +RecommendedForProduction=ለማምረት የሚመከር +RecommendedForDebug=ለማረም የሚመከር diff --git a/htdocs/langs/am_ET/cashdesk.lang b/htdocs/langs/am_ET/cashdesk.lang index f99600c2aca..dfcc14ced41 100644 --- a/htdocs/langs/am_ET/cashdesk.lang +++ b/htdocs/langs/am_ET/cashdesk.lang @@ -1,136 +1,155 @@ # Language file - Source file is en_US - cashdesk -CashDeskMenu=Point of sale -CashDesk=Point of sale -CashDeskBankCash=Bank account (cash) -CashDeskBankCB=Bank account (card) -CashDeskBankCheque=Bank account (cheque) -CashDeskWarehouse=Warehouse -CashdeskShowServices=Selling services -CashDeskProducts=Products -CashDeskStock=Stock -CashDeskOn=on -CashDeskThirdParty=Third party -ShoppingCart=Shopping cart -NewSell=New sell -AddThisArticle=Add this article -RestartSelling=Go back on sell -SellFinished=Sale complete -PrintTicket=Print ticket -SendTicket=Send ticket -NoProductFound=No article found -ProductFound=product found -NoArticle=No article -Identification=Identification -Article=Article -Difference=Difference -TotalTicket=Total ticket -NoVAT=No VAT for this sale -Change=Excess received -BankToPay=Account for payment -ShowCompany=Show company -ShowStock=Show warehouse -DeleteArticle=Click to remove this article -FilterRefOrLabelOrBC=Search (Ref/Label) -UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. -DolibarrReceiptPrinter=Dolibarr Receipt Printer -PointOfSale=Point of Sale +CashDeskMenu=የሽያጭ ቦታ +CashDesk=የሽያጭ ቦታ +CashDeskBankCash=የባንክ ሂሳብ (ጥሬ ገንዘብ) +CashDeskBankCB=የባንክ ሂሳብ (ካርድ) +CashDeskBankCheque=የባንክ ሂሳብ (ቼክ) +CashDeskWarehouse=መጋዘን +CashdeskShowServices=የሽያጭ አገልግሎቶች +CashDeskProducts=ምርቶች +CashDeskStock=አክሲዮን +CashDeskOn=ላይ +CashDeskThirdParty=ሶስተኛ ወገን +ShoppingCart=የግዢ ጋሪ +NewSell=አዲስ ሽያጭ +AddThisArticle=ይህን ጽሑፍ ያክሉ +RestartSelling=ወደ መሸጥ ይመለሱ +SellFinished=ሽያጩ ተጠናቅቋል +PrintTicket=ቲኬት አትም +SendTicket=ትኬት ላክ +NoProductFound=ምንም ጽሑፍ አልተገኘም። +ProductFound=ምርት ተገኝቷል +NoArticle=ጽሁፍ የለም። +Identification=መለየት +Article=አንቀጽ +Difference=ልዩነት +TotalTicket=ጠቅላላ ትኬት +NoVAT=ለዚህ ሽያጭ ምንም ተእታ የለም። +Change=ከመጠን በላይ ደረሰ +BankToPay=ለክፍያ መለያ +ShowCompany=ኩባንያ አሳይ +ShowStock=መጋዘን አሳይ +DeleteArticle=ይህን ጽሑፍ ለማስወገድ ጠቅ ያድርጉ +FilterRefOrLabelOrBC=ፈልግ (ማጣቀሻ/መለያ) +UserNeedPermissionToEditStockToUsePos=የክፍያ መጠየቂያ ፍጥረት ላይ ክምችት እንዲቀንስ ይጠይቃሉ፣ ስለዚህ POSን የሚጠቀም ተጠቃሚ አክሲዮን ለማርትዕ ፈቃድ ሊኖረው ይገባል። +DolibarrReceiptPrinter=ዶሊባርር ደረሰኝ አታሚ +PointOfSale=የመሸጫ ቦታ PointOfSaleShort=POS -CloseBill=Close Bill -Floors=Floors -Floor=Floor -AddTable=Add table -Place=Place -TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) -NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser -SearchProduct=Search product -Receipt=Receipt -Header=Header -Footer=Footer -AmountAtEndOfPeriod=Amount at end of period (day, month or year) -TheoricalAmount=Theorical amount -RealAmount=Real amount -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period -NbOfInvoices=Nb of invoices -Paymentnumpad=Type of Pad to enter payment -Numberspad=Numbers Pad -BillsCoinsPad=Coins and banknotes Pad -DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work -TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work -OrderNotes=Can add some notes to each ordered items -CashDeskBankAccountFor=Default account to use for payments in -NoPaimementModesDefined=No paiment mode defined in TakePOS configuration -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts -EnableBarOrRestaurantFeatures=Enable features for Bar or Restaurant -ConfirmDeletionOfThisPOSSale=Do your confirm the deletion of this current sale ? -ConfirmDiscardOfThisPOSSale=Do you want to discard this current sale ? -History=History -ValidateAndClose=Validate and close -Terminal=Terminal -NumberOfTerminals=Number of Terminals -TerminalSelect=Select terminal you want to use: -POSTicket=POS Ticket -POSTerminal=POS Terminal -POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones -SetupOfTerminalNotComplete=Setup of terminal %s is not complete -DirectPayment=Direct payment -DirectPaymentButton=Add a "Direct cash payment" button -InvoiceIsAlreadyValidated=Invoice is already validated -NoLinesToBill=No lines to bill -CustomReceipt=Custom Receipt -ReceiptName=Receipt Name -ProductSupplements=Manage supplements of products -SupplementCategory=Supplement category -ColorTheme=Color theme -Colorful=Colorful -HeadBar=Head Bar -SortProductField=Field for sorting products -Browser=Browser -BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. -PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad -CashDeskRefNumberingModules=Numbering module for POS sales -CashDeskGenericMaskCodes6 =
      {TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -SaleStartedAt=Sale started at %s -ControlCashOpening=Open the "Control cash" popup when opening the POS -CloseCashFence=Close cash desk control -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use -BarRestaurant=Bar Restaurant -AutoOrder=Order by the customer himself -RestaurantMenu=Menu -CustomerMenu=Customer menu -ScanToMenu=Scan QR code to see the menu -ScanToOrder=Scan QR code to order -Appearance=Appearance -HideCategoryImages=Hide Category Images -HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show -DefineTablePlan=Define tables plan -GiftReceiptButton=Add a "Gift receipt" button -GiftReceipt=Gift receipt -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first -AllowDelayedPayment=Allow delayed payment -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts -WeighingScale=Weighing scale -ShowPriceHT = Display the column with the price excluding tax (on screen) -ShowPriceHTOnReceipt = Display the column with the price excluding tax (on the receipt) -CustomerDisplay=Customer display -SplitSale=Split sale -PrintWithoutDetailsButton=Add "Print without details" button -PrintWithoutDetailsLabelDefault=Line label by default on printing without details -PrintWithoutDetails=Print without details -YearNotDefined=Year is not defined +CloseBill=ቢል ዝጋ +Floors=ወለሎች +Floor=ወለል +AddTable=ጠረጴዛ ጨምር +Place=ቦታ +TakeposConnectorNecesary='TakePOS አያያዥ' ያስፈልጋል +OrderPrinters=ያለምንም ክፍያ (ለምሳሌ ወደ ኩሽና ትእዛዝ ለመላክ) ትዕዛዙን ለተወሰኑ አታሚዎች ለመላክ አንድ ቁልፍ ያክሉ +NotAvailableWithBrowserPrinter=ደረሰኝ አታሚ ወደ አሳሽ ሲዋቀር አይገኝም +SearchProduct=ምርትን ይፈልጉ +Receipt=ደረሰኝ +Header=ራስጌ +Footer=ግርጌ +AmountAtEndOfPeriod=በጊዜ ማብቂያ ላይ ያለው መጠን (ቀን, ወር ወይም ዓመት) +TheoricalAmount=የንድፈ ሐሳብ መጠን +RealAmount=እውነተኛ መጠን +CashFence=የገንዘብ ሣጥን መዝጋት +CashFenceDone=የገንዘብ ሣጥን መዝጋት ለክፍለ-ጊዜው ተከናውኗል +NbOfInvoices=ደረሰኞች Nb +Paymentnumpad=ክፍያ ለማስገባት የፓድ አይነት +Numberspad=የቁጥሮች ፓድ +BillsCoinsPad=ሳንቲሞች እና የባንክ ኖቶች ፓድ +DolistorePosCategory=የ TakePOS ሞጁሎች እና ሌሎች የ POS መፍትሄዎች ለ Dolibarr +TakeposNeedsCategories=TakePOS ለመስራት ቢያንስ አንድ የምርት ምድብ ያስፈልገዋል +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS በ%s ምድብ ስር ቢያንስ 1 የምርት ምድብ ያስፈልገዋል። ሥራ +OrderNotes=በእያንዳንዱ የታዘዙ ዕቃዎች ላይ አንዳንድ ማስታወሻዎችን ማከል ይችላል። +CashDeskBankAccountFor=ለክፍያዎች የሚውል ነባሪ መለያ +NoPaimementModesDefined=በ TakePOS ውቅረት ውስጥ ምንም ዓይነት የመዳኛ ሁነታ አልተገለጸም። +TicketVatGrouped=የቡድን ቫት በቲኬቶች|ደረሰኞች +AutoPrintTickets=ትኬቶችን|ደረሰኞችን በራስ-ሰር ያትሙ +PrintCustomerOnReceipts=ደንበኛን በቲኬቶች ላይ ያትሙ|ደረሰኞች +EnableBarOrRestaurantFeatures=ለባር ወይም ሬስቶራንት ባህሪያትን አንቃ +ConfirmDeletionOfThisPOSSale=የአሁኑ ሽያጭ መሰረዙን አረጋግጠዋል? +ConfirmDiscardOfThisPOSSale=ይህን የአሁኑን ሽያጭ ማስወገድ ይፈልጋሉ? +History=ታሪክ +ValidateAndClose=አረጋግጥ እና ዝጋ +Terminal=ተርሚናል +NumberOfTerminals=የተርሚናሎች ብዛት +TerminalSelect=ለመጠቀም የሚፈልጉትን ተርሚናል ይምረጡ፡- +POSTicket=የPOS ትኬት +POSTerminal=የPOS ተርሚናል +POSModule=POS ሞዱል +BasicPhoneLayout=በስልኮች ላይ POSን በትንሽ አቀማመጥ ይቀይሩት (ትዕዛዞችን ይመዝግቡ ብቻ፣ ምንም ደረሰኝ ማተም የለም) +SetupOfTerminalNotComplete=የተርሚናል %s ማዋቀር አልተጠናቀቀም +DirectPayment=ቀጥተኛ ክፍያ +DirectPaymentButton="ቀጥታ የገንዘብ ክፍያ" ቁልፍን ያክሉ +InvoiceIsAlreadyValidated=ደረሰኝ አስቀድሞ ተረጋግጧል +NoLinesToBill=የሚከፈልባቸው መስመሮች የሉም +CustomReceipt=ብጁ ደረሰኝ +ReceiptName=ደረሰኝ ስም +ProductSupplements=የምርት ማሟያዎችን ያስተዳድሩ +SupplementCategory=የማሟያ ምድብ +ColorTheme=የቀለም ገጽታ +Colorful=ባለቀለም +HeadBar=የጭንቅላት ባር +SortProductField=ምርቶችን ለመደርደር መስክ +Browser=አሳሽ +BrowserMethodDescription=ቀላል እና ቀላል ደረሰኝ ማተም. ደረሰኙን ለማዋቀር ጥቂት መለኪያዎች ብቻ። በአሳሽ በኩል ያትሙ። +TakeposConnectorMethodDescription=ውጫዊ ሞጁል ከተጨማሪ ባህሪዎች ጋር። ከደመና ላይ የማተም እድል. +PrintMethod=የህትመት ዘዴ +ReceiptPrinterMethodDescription=ብዙ መለኪያዎች ያሉት ኃይለኛ ዘዴ. ከአብነት ጋር ሙሉ ለሙሉ ሊበጅ የሚችል። አፕሊኬሽኑን የሚያስተናግደው አገልጋይ በክላውድ ውስጥ መሆን አይችልም (በአውታረ መረብዎ ውስጥ ያሉትን አታሚዎች ማግኘት መቻል አለበት)። +ByTerminal=በተርሚናል +TakeposNumpadUsePaymentIcon=በቁጥር መክፈያ ቁልፎች ላይ ከጽሁፍ ይልቅ አዶን ተጠቀም +CashDeskRefNumberingModules=የቁጥር ሞጁል ለPOS ሽያጭ +CashDeskGenericMaskCodes6 =
      {TN}
      refb09a4f739f ፡ የምርት ማጣቀሻ
      qus ንጥል (ዩኒቶች) በሚያስገቡበት ጊዜ ያቀናብሩ
      qdb09a4b739f17f80: qud ንጥል ሲያስገቡ ይዘጋጃሉ (አስርዮሽ)
      ሌላb09a4b739f17f>ሌሎችም:09a4b739f17f8z +AlreadyPrinted=አስቀድሞ ታትሟል +HideCategories=የምድብ ምርጫውን ሙሉውን ክፍል ደብቅ +HideStockOnLine=በመስመር ላይ ክምችትን ደብቅ +ShowOnlyProductInStock=በክምችት ውስጥ ያሉትን ምርቶች ብቻ አሳይ +ShowCategoryDescription=የምድቦችን መግለጫ አሳይ +ShowProductReference=የምርት ማጣቀሻ ወይም መለያ አሳይ +UsePriceHT=ከዋጋ ውጪ ተጠቀም። ግብር እና ዋጋ አይደለም ጨምሮ. ዋጋን በሚቀይሩበት ጊዜ ታክሶች +TerminalName=ተርሚናል %s +TerminalNameDesc=የተርሚናል ስም +DefaultPOSThirdLabel=የ TakePOS አጠቃላይ ደንበኛ +DefaultPOSCatLabel=የሽያጭ ነጥብ (POS) ምርቶች +DefaultPOSProductLabel=ለ TakePOS የምርት ምሳሌ +TakeposNeedsPayment=TakePOS ለመስራት የመክፈያ ዘዴ ያስፈልገዋል፣ የመክፈያ ዘዴውን 'ጥሬ ገንዘብ' መፍጠር ይፈልጋሉ? +LineDiscount=የመስመር ቅናሽ +LineDiscountShort=የመስመር ዲስክ. +InvoiceDiscount=የክፍያ መጠየቂያ ቅናሽ +InvoiceDiscountShort=የክፍያ መጠየቂያ ዲስክ. diff --git a/htdocs/langs/am_ET/donations.lang b/htdocs/langs/am_ET/donations.lang index de4bdf68f03..fc725495c27 100644 --- a/htdocs/langs/am_ET/donations.lang +++ b/htdocs/langs/am_ET/donations.lang @@ -1,34 +1,36 @@ # Dolibarr language file - Source file is en_US - donations -Donation=Donation -Donations=Donations -DonationRef=Donation ref. -Donor=Donor -AddDonation=Create a donation -NewDonation=New donation -DeleteADonation=Delete a donation -ConfirmDeleteADonation=Are you sure you want to delete this donation? -PublicDonation=Public donation -DonationsArea=Donations area -DonationStatusPromiseNotValidated=Draft promise -DonationStatusPromiseValidated=Validated promise -DonationStatusPaid=Donation received -DonationStatusPromiseNotValidatedShort=Draft -DonationStatusPromiseValidatedShort=Validated -DonationStatusPaidShort=Received -DonationTitle=Donation receipt -DonationDate=Donation date -DonationDatePayment=Payment date -ValidPromess=Validate promise -DonationReceipt=Donation receipt -DonationsModels=Documents models for donation receipts -LastModifiedDonations=Latest %s modified donations -DonationRecipient=Donation recipient -IConfirmDonationReception=The recipient declare reception, as a donation, of the following amount -MinimumAmount=Minimum amount is %s -FreeTextOnDonations=Free text to show in footer -FrenchOptions=Options for France -DONATION_ART200=Show article 200 from CGI if you are concerned -DONATION_ART238=Show article 238 from CGI if you are concerned -DONATION_ART885=Show article 885 from CGI if you are concerned -DonationPayment=Donation payment -DonationValidated=Donation %s validated +Donation=ልገሳ +Donations=ልገሳ +DonationRef=ልገሳ ማጣቀሻ. +Donor=ለጋሽ +AddDonation=ልገሳ ይፍጠሩ +NewDonation=አዲስ ልገሳ +DeleteADonation=አንድ ልገሳ ሰርዝ +ConfirmDeleteADonation=እርግጠኛ ነዎት ይህን ልገሳ መሰረዝ ይፈልጋሉ? +PublicDonation=የህዝብ ልገሳ +DonationsArea=የመዋጮ ቦታ +DonationStatusPromiseNotValidated=ረቂቅ ተስፋ +DonationStatusPromiseValidated=የተረጋገጠ ቃል ኪዳን +DonationStatusPaid=ልገሳ ተቀብሏል። +DonationStatusPromiseNotValidatedShort=ረቂቅ +DonationStatusPromiseValidatedShort=ተረጋግጧል +DonationStatusPaidShort=ተቀብሏል +DonationTitle=የልገሳ ደረሰኝ +DonationDate=የልገሳ ቀን +DonationDatePayment=የክፍያ ቀን +ValidPromess=ቃል ኪዳንን ያረጋግጡ +DonationReceipt=የልገሳ ደረሰኝ +DonationsModels=የልገሳ ደረሰኞችን ሞዴሎችን ሰነዶች +LastModifiedDonations=የቅርብ ጊዜ %s የተሻሻሉ ልገሳዎች +DonationRecipient=ልገሳ ተቀባይ +IConfirmDonationReception=ተቀባዩ የሚከተለውን መጠን እንደ መዋጮ መቀበልን ያውጃል። +MinimumAmount=ዝቅተኛው መጠን %s ነው +FreeTextOnDonations=በግርጌ ለማሳየት ነፃ ጽሑፍ +FrenchOptions=ለፈረንሳይ አማራጮች +DONATION_ART200=የሚያሳስብዎት ከሆነ ከ CGI አንቀጽ 200 ያሳዩ +DONATION_ART238=የሚያሳስብዎት ከሆነ ከ CGI አንቀጽ 238 ን አሳይ +DONATION_ART978=የሚያሳስብዎት ከሆነ ከ CGI አንቀጽ 978 አሳይ +DonationPayment=የልገሳ ክፍያ +DonationValidated=ልገሳ %s የተረጋገጠ +DonationUseThirdparties=የነባር የሶስተኛ ወገን አድራሻን እንደ ለጋሹ አድራሻ ይጠቀሙ +DonationsStatistics=የልገሳ ስታቲስቲክስ diff --git a/htdocs/langs/am_ET/errors.lang b/htdocs/langs/am_ET/errors.lang index 20f5b6f264a..205be7cc593 100644 --- a/htdocs/langs/am_ET/errors.lang +++ b/htdocs/langs/am_ET/errors.lang @@ -1,334 +1,406 @@ # Dolibarr language file - Source file is en_US - errors # No errors -NoErrorCommitIsDone=No error, we commit +NoErrorCommitIsDone=ምንም ስህተት የለም, እንሰራለን # Errors -ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is incorrect -ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) -ErrorBadUrl=Url %s is incorrect -ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. -ErrorRefAlreadyExists=Reference %s already exists. -ErrorLoginAlreadyExists=Login %s already exists. -ErrorGroupAlreadyExists=Group %s already exists. -ErrorEmailAlreadyExists=Email %s already exists. -ErrorRecordNotFound=Record not found. -ErrorFailToCopyFile=Failed to copy file '%s' into '%s'. -ErrorFailToCopyDir=Failed to copy directory '%s' into '%s'. -ErrorFailToRenameFile=Failed to rename file '%s' into '%s'. -ErrorFailToDeleteFile=Failed to remove file '%s'. -ErrorFailToCreateFile=Failed to create file '%s'. -ErrorFailToRenameDir=Failed to rename directory '%s' into '%s'. -ErrorFailToCreateDir=Failed to create directory '%s'. -ErrorFailToDeleteDir=Failed to delete directory '%s'. -ErrorFailToMakeReplacementInto=Failed to make replacement into file '%s'. -ErrorFailToGenerateFile=Failed to generate file '%s'. -ErrorThisContactIsAlreadyDefinedAsThisType=This contact is already defined as contact for this type. -ErrorCashAccountAcceptsOnlyCashMoney=This bank account is a cash account, so it accepts payments of type cash only. -ErrorFromToAccountsMustDiffers=Source and targets bank accounts must be different. -ErrorBadThirdPartyName=Bad value for third-party name -ForbiddenBySetupRules=Forbidden by setup rules -ErrorProdIdIsMandatory=The %s is mandatory -ErrorAccountancyCodeCustomerIsMandatory=The accountancy code of customer %s is mandatory -ErrorBadCustomerCodeSyntax=Bad syntax for customer code -ErrorBadBarCodeSyntax=Bad syntax for barcode. May be you set a bad barcode type or you defined a barcode mask for numbering that does not match value scanned. -ErrorCustomerCodeRequired=Customer code required -ErrorBarCodeRequired=Barcode required -ErrorCustomerCodeAlreadyUsed=Customer code already used -ErrorBarCodeAlreadyUsed=Barcode already used -ErrorPrefixRequired=Prefix required -ErrorBadSupplierCodeSyntax=Bad syntax for vendor code -ErrorSupplierCodeRequired=Vendor code required -ErrorSupplierCodeAlreadyUsed=Vendor code already used -ErrorBadParameters=Bad parameters -ErrorWrongParameters=Wrong or missing parameters -ErrorBadValueForParameter=Wrong value '%s' for parameter '%s' -ErrorBadImageFormat=Image file has not a supported format (Your PHP does not support functions to convert images of this format) -ErrorBadDateFormat=Value '%s' has wrong date format -ErrorWrongDate=Date is not correct! -ErrorFailedToWriteInDir=Failed to write in directory %s -ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) -ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields have been left blank. -ErrorSubjectIsRequired=The email subject is required -ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). -ErrorNoMailDefinedForThisUser=No mail defined for this user -ErrorSetupOfEmailsNotComplete=Setup of emails is not complete -ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display. -ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'. -ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id. -ErrorFileNotFound=File %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter) -ErrorDirNotFound=Directory %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter) -ErrorFunctionNotAvailableInPHP=Function %s is required for this feature but is not available in this version/setup of PHP. -ErrorDirAlreadyExists=A directory with this name already exists. -ErrorFileAlreadyExists=A file with this name already exists. -ErrorDestinationAlreadyExists=Another file with the name %s already exists. -ErrorPartialFile=File not received completely by server. -ErrorNoTmpDir=Temporary directy %s does not exists. -ErrorUploadBlockedByAddon=Upload blocked by a PHP/Apache plugin. -ErrorFileSizeTooLarge=File size is too large. -ErrorFieldTooLong=Field %s is too long. -ErrorSizeTooLongForIntType=Size too long for int type (%s digits maximum) -ErrorSizeTooLongForVarcharType=Size too long for string type (%s chars maximum) -ErrorNoValueForSelectType=Please fill value for select list -ErrorNoValueForCheckBoxType=Please fill value for checkbox list -ErrorNoValueForRadioType=Please fill value for radio list -ErrorBadFormatValueList=The list value cannot have more than one comma: %s, but need at least one: key,value -ErrorFieldCanNotContainSpecialCharacters=The field %s must not contains special characters. -ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters and cannot contain only numbers. -ErrorFieldMustHaveXChar=The field %s must have at least %s characters. -ErrorNoAccountancyModuleLoaded=No accountancy module activated -ErrorExportDuplicateProfil=This profile name already exists for this export set. -ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete. -ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors. -ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled. -ErrorRefAlreadyExists=Reference %s already exists. -ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD) -ErrorRecordHasChildren=Failed to delete record since it has some child records. -ErrorRecordHasAtLeastOneChildOfType=Object %s has at least one child of type %s -ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into another object. -ErrorModuleRequireJavascript=Javascript must not be disabled to have this feature working. To enable/disable Javascript, go to menu Home->Setup->Display. -ErrorPasswordsMustMatch=Both typed passwords must match each other -ErrorContactEMail=A technical error occured. Please, contact administrator to following email %s and provide the error code %s in your message, or add a screen copy of this page. -ErrorWrongValueForField=Field %s: '%s' does not match regex rule %s -ErrorFieldValueNotIn=Field %s: '%s' is not a value found in field %s of %s -ErrorFieldRefNotIn=Field %s: '%s' is not a %s existing ref -ErrorsOnXLines=%s errors found -ErrorFileIsInfectedWithAVirus=The antivirus program was not able to validate the file (file might be infected by a virus) -ErrorSpecialCharNotAllowedForField=Special characters are not allowed for field "%s" -ErrorNumRefModel=A reference exists into database (%s) and is not compatible with this numbering rule. Remove record or renamed reference to activate this module. -ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this vendor -ErrorOrdersNotCreatedQtyTooLow=Some orders haven't been created because of too-low quantities -ErrorModuleSetupNotComplete=Setup of module %s looks to be uncomplete. Go on Home - Setup - Modules to complete. -ErrorBadMask=Error on mask -ErrorBadMaskFailedToLocatePosOfSequence=Error, mask without sequence number -ErrorBadMaskBadRazMonth=Error, bad reset value -ErrorMaxNumberReachForThisMask=Maximum number reached for this mask -ErrorCounterMustHaveMoreThan3Digits=Counter must have more than 3 digits -ErrorSelectAtLeastOne=Error, select at least one entry. -ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transaction that is conciliated -ErrorProdIdAlreadyExist=%s is assigned to another third -ErrorFailedToSendPassword=Failed to send password -ErrorFailedToLoadRSSFile=Fails to get RSS feed. Try to add constant MAIN_SIMPLEXMLLOAD_DEBUG if error messages does not provide enough information. -ErrorForbidden=Access denied.
      You try to access to a page, area or feature of a disabled module or without being in an authenticated session or that is not allowed to your user. -ErrorForbidden2=Permission for this login can be defined by your Dolibarr administrator from menu %s->%s. -ErrorForbidden3=It seems that Dolibarr is not used through an authenticated session. Take a look at Dolibarr setup documentation to know how to manage authentications (htaccess, mod_auth or other...). -ErrorForbidden4=Note: clear your browser cookies to destroy existing sessions for this login. -ErrorNoImagickReadimage=Class Imagick is not found in this PHP. No preview can be available. Administrators can disable this tab from menu Setup - Display. -ErrorRecordAlreadyExists=Record already exists -ErrorLabelAlreadyExists=This label already exists -ErrorCantReadFile=Failed to read file '%s' -ErrorCantReadDir=Failed to read directory '%s' -ErrorBadLoginPassword=Bad value for login or password -ErrorLoginDisabled=Your account has been disabled -ErrorFailedToRunExternalCommand=Failed to run external command. Check it is available and runnable by your PHP server user. Check also the command is not protected on shell level by a security layer like apparmor. -ErrorFailedToChangePassword=Failed to change password -ErrorLoginDoesNotExists=User with login %s could not be found. -ErrorLoginHasNoEmail=This user has no email address. Process aborted. -ErrorBadValueForCode=Bad value for security code. Try again with new value... -ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines (net of tax) can't be negative for a given not null VAT rate (Found a negative total for VAT rate %s%%). -ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. -ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative -ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that -ErrorNoActivatedBarcode=No barcode type activated -ErrUnzipFails=Failed to unzip %s with ZipArchive -ErrNoZipEngine=No engine to zip/unzip %s file in this PHP -ErrorFileMustBeADolibarrPackage=The file %s must be a Dolibarr zip package -ErrorModuleFileRequired=You must select a Dolibarr module package file -ErrorPhpCurlNotInstalled=The PHP CURL is not installed, this is essential to talk with Paypal -ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP base -ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base -ErrorNewValueCantMatchOldValue=New value can't be equal to old one -ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process. -ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check database server is running (for example, with mysql/mariadb, you can launch it from command line with 'sudo service mysql start'). -ErrorFailedToAddContact=Failed to add contact -ErrorDateMustBeBeforeToday=The date must be lower than today -ErrorDateMustBeInFuture=The date must be greater than today -ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode. -ErrorPHPNeedModule=Error, your PHP must have module %s installed to use this feature. -ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s -ErrorWarehouseMustDiffers=Source and target warehouses must differs -ErrorBadFormat=Bad format! -ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any third party. Link member to an existing third party or create a new third party before creating subscription with invoice. -ErrorThereIsSomeDeliveries=Error, there is some deliveries linked to this shipment. Deletion refused. -ErrorCantDeletePaymentReconciliated=Can't delete a payment that had generated a bank entry that was reconciled -ErrorCantDeletePaymentSharedWithPayedInvoice=Can't delete a payment shared by at least one invoice with status Paid -ErrorPriceExpression1=Cannot assign to constant '%s' -ErrorPriceExpression2=Cannot redefine built-in function '%s' -ErrorPriceExpression3=Undefined variable '%s' in function definition -ErrorPriceExpression4=Illegal character '%s' -ErrorPriceExpression5=Unexpected '%s' -ErrorPriceExpression6=Wrong number of arguments (%s given, %s expected) -ErrorPriceExpression8=Unexpected operator '%s' -ErrorPriceExpression9=An unexpected error occured -ErrorPriceExpression10=Operator '%s' lacks operand -ErrorPriceExpression11=Expecting '%s' -ErrorPriceExpression14=Division by zero -ErrorPriceExpression17=Undefined variable '%s' -ErrorPriceExpression19=Expression not found -ErrorPriceExpression20=Empty expression -ErrorPriceExpression21=Empty result '%s' -ErrorPriceExpression22=Negative result '%s' -ErrorPriceExpression23=Unknown or non set variable '%s' in %s -ErrorPriceExpression24=Variable '%s' exists but has no value -ErrorPriceExpressionInternal=Internal error '%s' -ErrorPriceExpressionUnknown=Unknown error '%s' -ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs -ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on product '%s' requiring lot/serial information -ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=All recorded receptions must first be verified (approved or denied) before being allowed to do this action -ErrorCantSetReceptionToTotalDoneWithReceptionDenied=All recorded receptions must first be verified (approved) before being allowed to do this action -ErrorGlobalVariableUpdater0=HTTP request failed with error '%s' -ErrorGlobalVariableUpdater1=Invalid JSON format '%s' -ErrorGlobalVariableUpdater2=Missing parameter '%s' -ErrorGlobalVariableUpdater3=The requested data was not found in result -ErrorGlobalVariableUpdater4=SOAP client failed with error '%s' -ErrorGlobalVariableUpdater5=No global variable selected -ErrorFieldMustBeANumeric=Field %s must be a numeric value -ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided -ErrorOppStatusRequiredIfAmount=You set an estimated amount for this lead. So you must also enter it's status. -ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s -ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu) -ErrorSavingChanges=An error has occurred when saving the changes -ErrorWarehouseRequiredIntoShipmentLine=Warehouse is required on the line to ship -ErrorFileMustHaveFormat=File must have format %s -ErrorFilenameCantStartWithDot=Filename can't start with a '.' -ErrorSupplierCountryIsNotDefined=Country for this vendor is not defined. Correct this first. -ErrorsThirdpartyMerge=Failed to merge the two records. Request canceled. -ErrorStockIsNotEnoughToAddProductOnOrder=Stock is not enough for product %s to add it into a new order. -ErrorStockIsNotEnoughToAddProductOnInvoice=Stock is not enough for product %s to add it into a new invoice. -ErrorStockIsNotEnoughToAddProductOnShipment=Stock is not enough for product %s to add it into a new shipment. -ErrorStockIsNotEnoughToAddProductOnProposal=Stock is not enough for product %s to add it into a new proposal. -ErrorFailedToLoadLoginFileForMode=Failed to get the login key for mode '%s'. -ErrorModuleNotFound=File of module was not found. -ErrorFieldAccountNotDefinedForBankLine=Value for Accounting account not defined for source line id %s (%s) -ErrorFieldAccountNotDefinedForInvoiceLine=Value for Accounting account not defined for invoice id %s (%s) -ErrorFieldAccountNotDefinedForLine=Value for Accounting account not defined for the line (%s) -ErrorBankStatementNameMustFollowRegex=Error, bank statement name must follow the following syntax rule %s -ErrorPhpMailDelivery=Check that you don't use a too high number of recipients and that your email content is not similar to a Spam. Ask also your administrator to check firewall and server logs files for a more complete information. -ErrorUserNotAssignedToTask=User must be assigned to task to be able to enter time consumed. -ErrorTaskAlreadyAssigned=Task already assigned to user -ErrorModuleFileSeemsToHaveAWrongFormat=The module package seems to have a wrong format. -ErrorModuleFileSeemsToHaveAWrongFormat2=At least one mandatory directory must exists into zip of module: %s or %s -ErrorFilenameDosNotMatchDolibarrPackageRules=The name of the module package (%s) does not match expected name syntax: %s -ErrorDuplicateTrigger=Error, duplicate trigger name %s. Already loaded from %s. -ErrorNoWarehouseDefined=Error, no warehouses defined. -ErrorBadLinkSourceSetButBadValueForRef=The link you use is not valid. A 'source' for payment is defined, but value for 'ref' is not valid. -ErrorTooManyErrorsProcessStopped=Too many errors. Process was stopped. -ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Mass validation is not possible when option to increase/decrease stock is set on this action (you must validate one by one so you can define the warehouse to increase/decrease) -ErrorObjectMustHaveStatusDraftToBeValidated=Object %s must have status 'Draft' to be validated. -ErrorObjectMustHaveLinesToBeValidated=Object %s must have lines to be validated. -ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Only validated invoices can be sent using the "Send by email" mass action. -ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a predefined product or not -ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before. -ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently. -ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference. -ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number. -ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product -ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use -ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually. -ErrorBadSyntaxForParamKeyForContent=Bad syntax for param keyforcontent. Must have a value starting with %s or %s -ErrorVariableKeyForContentMustBeSet=Error, the constant with name %s (with text content to show) or %s (with external url to show) must be set. -ErrorURLMustEndWith=URL %s must end %s -ErrorURLMustStartWithHttp=URL %s must start with http:// or https:// -ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// -ErrorNewRefIsAlreadyUsed=Error, the new reference is already used -ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible. -ErrorSearchCriteriaTooSmall=Search criteria too small. -ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to be disabled -ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled -ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. -ErrorFieldRequiredForProduct=Field '%s' is required for product %s -ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. -ErrorAddAtLeastOneLineFirst=Add at least one line first -ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, record is already transferred in accounting, deletion is not possible. -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one. -ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s". -ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty -ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number -ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number -ErrorFailedToReadObject=Error, failed to read object of type %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler -ErrorLoginDateValidity=Error, this login is outside the validity date range -ErrorValueLength=Length of field '%s' must be higher than '%s' -ErrorReservedKeyword=The word '%s' is a reserved keyword -ErrorNotAvailableWithThisDistribution=Not available with this distribution -ErrorPublicInterfaceNotEnabled=Public interface was not enabled -ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page -ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page -ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation -ErrorDateIsInFuture=Error, the date can't be in the future -ErrorAnAmountWithoutTaxIsRequired=Error, amount is mandatory -ErrorAPercentIsRequired=Error, please fill in the percentage correctly -ErrorYouMustFirstSetupYourChartOfAccount=You must first setup your chart of account -ErrorFailedToFindEmailTemplate=Failed to find template with code name %s -ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Duration not defined on service. No way to calculate the hourly price. -ErrorActionCommPropertyUserowneridNotDefined=User's owner is required -ErrorActionCommBadType=Selected event type (id: %s, code: %s) do not exist in Event Type dictionary -CheckVersionFail=Version check fail -ErrorWrongFileName=Name of the file cannot have __SOMETHING__ in it -ErrorNotInDictionaryPaymentConditions=Not in Payment Terms Dictionary, please modify. -ErrorIsNotADraft=%s is not a draft -ErrorExecIdFailed=Can't execute command "id" -ErrorBadCharIntoLoginName=Unauthorized character in the login name -ErrorRequestTooLarge=Error, request too large +ErrorButCommitIsDone=ስህተቶች ተገኝተዋል ነገርግን ይህ ቢሆንም አረጋግጠናል። +ErrorBadEMail=የኢሜል አድራሻ %s ትክክል አይደለም +ErrorBadMXDomain=ኢሜል %s የተሳሳተ ይመስላል (ጎራ ምንም የሚሰራ MX መዝገብ የለውም) +ErrorBadUrl=ዩአርኤል %s ትክክል አይደለም +ErrorBadValueForParamNotAString=ለእርስዎ መለኪያ መጥፎ ዋጋ። በአጠቃላይ ትርጉሙ ሲጠፋ ይያያዛል። +ErrorRefAlreadyExists=ማጣቀሻ %s አስቀድሞ አለ። +ErrorTitleAlreadyExists=ርዕስ %s አስቀድሞ አለ። +ErrorLoginAlreadyExists=ግባ %s አስቀድሞ አለ። +ErrorGroupAlreadyExists=ቡድን %s አስቀድሞ አለ። +ErrorEmailAlreadyExists=ኢሜይል %s አስቀድሞ አለ። +ErrorRecordNotFound=መዝገብ አልተገኘም። +ErrorRecordNotFoundShort=አልተገኘም +ErrorFailToCopyFile=ፋይል '%s ወደ "መቅዳት አልተሳካም ='notranslate'>
      %s'። +ErrorFailToCopyDir=ማውጫ '%s ወደ 'ክፍል መቅዳት አልተሳካም ='notranslate'>
      %s'። +ErrorFailToRenameFile=የፋይሉን ስም መቀየር አልተሳካም %s ወደ 'ክፍል' ='notranslate'>
      %s'። +ErrorFailToDeleteFile=ፋይል '%s' ማስወገድ አልተሳካም። +ErrorFailToCreateFile=ፋይል መፍጠር አልተሳካም '%s'። +ErrorFailToRenameDir=ማውጫ '%s ክፍል ውስጥ እንደገና መሰየም አልተሳካም ='notranslate'>
      %s'። +ErrorFailToCreateDir=ማውጫ '%s' ማውጫ መፍጠር አልተሳካም። +ErrorFailToDeleteDir=ማውጫ '%s' መሰረዝ አልተሳካም። +ErrorFailToMakeReplacementInto=በፋይል '%s' ፋይል ማድረግ አልተሳካም። +ErrorFailToGenerateFile=ፋይል '%s' ፋይል ማመንጨት አልተሳካም። +ErrorThisContactIsAlreadyDefinedAsThisType=ይህ እውቂያ አስቀድሞ የዚህ አይነት ግንኙነት ተብሎ ይገለጻል። +ErrorCashAccountAcceptsOnlyCashMoney=ይህ የባንክ ሒሳብ የገንዘብ ሒሳብ ነው፣ ስለዚህ የሚቀበለው የገንዘብ ዓይነት ብቻ ነው። +ErrorFromToAccountsMustDiffers=ምንጭ እና ኢላማዎች የባንክ ሂሳቦች የተለያዩ መሆን አለባቸው። +ErrorBadThirdPartyName=ለሶስተኛ ወገን ስም መጥፎ እሴት +ForbiddenBySetupRules=በማዋቀር ደንቦች የተከለከለ +ErrorProdIdIsMandatory=የ%s ግዴታ ነው +ErrorAccountancyCodeCustomerIsMandatory=የደንበኛ የሂሳብ አያያዝ ኮድ %s ግዴታ ነው +ErrorAccountancyCodeSupplierIsMandatory=የአቅራቢው የሂሳብ አያያዝ ኮድ %s ግዴታ ነው +ErrorBadCustomerCodeSyntax=ለደንበኛ ኮድ መጥፎ አገባብ +ErrorBadBarCodeSyntax=ለባርኮድ መጥፎ አገባብ። ምናልባት መጥፎ የአሞሌ አይነት አዘጋጅተው ሊሆን ይችላል ወይም ከተቃኘው እሴት ጋር የማይዛመድ የባርኮድ ጭንብል ለቁጥር ገለጽከው። +ErrorCustomerCodeRequired=የደንበኛ ኮድ ያስፈልጋል +ErrorBarCodeRequired=የአሞሌ ኮድ ያስፈልጋል +ErrorCustomerCodeAlreadyUsed=የደንበኛ ኮድ አስቀድሞ ጥቅም ላይ ውሏል +ErrorBarCodeAlreadyUsed=ባርኮድ አስቀድሞ ጥቅም ላይ ውሏል +ErrorPrefixRequired=ቅድመ ቅጥያ ያስፈልጋል +ErrorBadSupplierCodeSyntax=ለሻጭ ኮድ መጥፎ አገባብ +ErrorSupplierCodeRequired=የአቅራቢ ኮድ ያስፈልጋል +ErrorSupplierCodeAlreadyUsed=የአቅራቢ ኮድ አስቀድሞ ጥቅም ላይ ውሏል +ErrorBadParameters=መጥፎ መለኪያዎች +ErrorWrongParameters=የተሳሳቱ ወይም የጠፉ መለኪያዎች +ErrorBadValueForParameter=የተሳሳተ እሴት '%s' ለመለኪያ ''%s' +ErrorBadImageFormat=የምስል ፋይል የሚደገፍ ቅርጸት የለውም (የእርስዎ ፒኤችፒ የዚህን ቅርጸት ምስሎች ለመለወጥ ተግባራትን አይደግፍም) +ErrorBadDateFormat=እሴት %s የተሳሳተ የቀን ቅርጸት አለው +ErrorWrongDate=ቀኑ ትክክል አይደለም! +ErrorFailedToWriteInDir=ማውጫ %s ውስጥ መጻፍ አልተሳካም +ErrorFailedToBuildArchive=የማህደር ፋይል %s መገንባት አልተሳካም +ErrorFoundBadEmailInFile=በፋይል ውስጥ ለ%s መስመሮች ትክክል ያልሆነ የኢሜይል አገባብ ተገኝቷል (ምሳሌ መስመር %sከኢሜይል ጋር=b0ecb42ec / span>) +ErrorUserCannotBeDelete=ተጠቃሚ ሊሰረዝ አይችልም። ምናልባት ከዶሊባርር አካላት ጋር የተያያዘ ሊሆን ይችላል. +ErrorFieldsRequired=አንዳንድ አስፈላጊ መስኮች ባዶ ቀርተዋል። +ErrorSubjectIsRequired=የኢሜል ርዕሰ ጉዳይ ያስፈልጋል +ErrorFailedToCreateDir=ማውጫ መፍጠር አልተሳካም። የድር አገልጋይ ተጠቃሚ ወደ Dolibarr ሰነዶች ማውጫ ውስጥ የመፃፍ ፍቃድ እንዳለው ያረጋግጡ። ፓራሜትር safe_mode በዚህ ፒኤችፒ ላይ ከነቃ የዶሊባርር php ፋይሎች ባለቤት መሆናቸውን ያረጋግጡ የድር አገልጋይ ተጠቃሚ (ወይም ቡድን)። +ErrorNoMailDefinedForThisUser=ለዚህ ተጠቃሚ ምንም ደብዳቤ አልተገለጸም። +ErrorSetupOfEmailsNotComplete=ኢሜይሎችን ማዋቀር አልተጠናቀቀም። +ErrorFeatureNeedJavascript=ይህ ባህሪ ለመስራት ጃቫስክሪፕት እንዲነቃ ያስፈልገዋል። ይህንን በማዋቀር - ማሳያ ይለውጡ። +ErrorTopMenuMustHaveAParentWithId0=የ«ከፍተኛ» ዓይነት ምናሌ የወላጅ ምናሌ ሊኖረው አይችልም። በወላጅ ምናሌ ውስጥ 0 ን ያስቀምጡ ወይም የ'ግራ' አይነት ምናሌን ይምረጡ። +ErrorLeftMenuMustHaveAParentId=የ'ግራ' አይነት ሜኑ የወላጅ መታወቂያ ሊኖረው ይገባል። +ErrorFileNotFound=ፋይል %s አልተገኘም (መጥፎ ወይም የመድረሻ ፍቃድ በ PHP openbasedir ወይም safe_mode መለኪያ ተከልክሏል) +ErrorDirNotFound=ማውጫ %s አልተገኘም (መጥፎ ዱካ ወይም የመዳረሻ ፍቃድ በ PHP openbasedir ወይም safe_mode መለኪያ ተከልክሏል) +ErrorFunctionNotAvailableInPHP=ተግባር %s ለዚህ ባህሪ አያስፈልግም ግን የለም ይህ የ PHP ስሪት / ማዋቀር። +ErrorDirAlreadyExists=ይህ ስም ያለው ማውጫ አስቀድሞ አለ። +ErrorDirNotWritable=ማውጫ %s መጻፍ አይቻልም። +ErrorFileAlreadyExists=ይህ ስም ያለው ፋይል አስቀድሞ አለ። +ErrorDestinationAlreadyExists=ሌላ ስም ያለው ፋይል %s አስቀድሞ አለ። +ErrorPartialFile=ፋይል ሙሉ በሙሉ በአገልጋይ አልደረሰም። +ErrorNoTmpDir=ጊዜያዊ ማውጫ %s የለም። +ErrorUploadBlockedByAddon=ሰቀላ በPHP/Apache ተሰኪ ታግዷል። +ErrorFileSizeTooLarge=የፋይል መጠን በጣም ትልቅ ነው ወይም ፋይል አልተሰጠም። +ErrorFieldTooLong=መስክ %s በጣም ረጅም ነው። +ErrorSizeTooLongForIntType=ለ int አይነት መጠኑ በጣም ረጅም ነው (%s ከፍተኛ አሃዞች) +ErrorSizeTooLongForVarcharType=ለሕብረቁምፊ አይነት መጠኑ በጣም ረጅም ነው (%s ቻርልስ ከፍተኛ) +ErrorNoValueForSelectType=እባክዎ ለተመረጠው ዝርዝር ዋጋ ይሙሉ +ErrorNoValueForCheckBoxType=እባክዎን የአመልካች ሳጥን ዝርዝር ዋጋ ይሙሉ +ErrorNoValueForRadioType=እባክዎ ለሬዲዮ ዝርዝር ዋጋ ይሙሉ +ErrorBadFormatValueList=የዝርዝሩ እሴት ከአንድ በላይ ነጠላ ሰረዝ ሊኖረው አይችልም፡ %s, ግን ቢያንስ አንድ ያስፈልግዎታል: ቁልፍ ፣ እሴት +ErrorFieldCanNotContainSpecialCharacters=መስኩ %s ልዩ ቁምፊዎችን መያዝ የለበትም። +ErrorFieldCanNotContainSpecialNorUpperCharacters=መስኩ %s ልዩ ቁምፊዎችን መያዝ የለበትም ቁምፊዎች፣ እና በፊደል ፊደል (a-z) መጀመር አለበት። +ErrorFieldMustHaveXChar=መስኩ %s ቢያንስ %s ቁምፊዎች። +ErrorNoAccountancyModuleLoaded=ምንም የሂሳብ ሞጁል አልነቃም። +ErrorExportDuplicateProfil=ይህ የመገለጫ ስም አስቀድሞ ለዚህ ወደ ውጭ መላኪያ ስብስብ አለ። +ErrorLDAPSetupNotComplete=Dolibarr-LDAP ማዛመድ አልተጠናቀቀም። +ErrorLDAPMakeManualTest=የ .ldif ፋይል በማውጫው %s ውስጥ ተፈጥሯል። በስህተቶች ላይ ተጨማሪ መረጃ ለማግኘት ከትእዛዝ መስመር እራስዎ ለመጫን ይሞክሩ። +ErrorCantSaveADoneUserWithZeroPercentage=በ"የተሰራ" መስክ ከተሞላ "ሁኔታ አልተጀመረም" ያለው ድርጊት ማስቀመጥ አይቻልም። +ErrorRefAlreadyExists=ማጣቀሻ %s አስቀድሞ አለ። +ErrorPleaseTypeBankTransactionReportName=እባክዎ የመግቢያው መዘግየት ያለበትን የባንክ መግለጫ ስም ያስገቡ (ቅርጸት yyyym ወይም yyyymdam) +ErrorRecordHasChildren=አንዳንድ የልጅ መዝገቦች ስላሉት መዝገብ መሰረዝ አልተሳካም። +ErrorRecordHasAtLeastOneChildOfType=ነገር %s ቢያንስ አንድ አይነት ልጅ አለው %s +ErrorRecordIsUsedCantDelete=መዝገብ መሰረዝ አልተቻለም። አስቀድሞ ጥቅም ላይ ውሏል ወይም ወደ ሌላ ነገር ተካቷል. +ErrorModuleRequireJavascript=ይህ ባህሪ እንዲሰራ JavaScript መሰናከል የለበትም። ጃቫ ስክሪፕትን ለማንቃት/ለማሰናከል ወደ ሜኑ መነሻ->ማዋቀር->ማሳያ ይሂዱ። +ErrorPasswordsMustMatch=ሁለቱም የተተየቡ የይለፍ ቃሎች እርስ በእርስ መመሳሰል አለባቸው +ErrorContactEMail=የቴክኒክ ስህተት ተከስቷል። እባኮትን ለሚከተለው ኢሜል አስተዳዳሪን ያግኙ %sእና ስህተቱን ያቅርቡ code %sበመልዕክትህ ውስጥ ወይም ስክሪን ኮፒ ጨምር። ይህ ገጽ. +ErrorWrongValueForField=መስክ %s: '%s' የማይፈቀድ ተንኮል አዘል ውሂብ ይዟል። +ErrorFieldValueNotIn=መስክ %s: '%s የ b0aee833365837fz0%s ነባር ማጣቀሻ +ErrorMultipleRecordFoundFromRef=ከ ref %ss ሲፈለግ ብዙ ሪከርዶች ተገኝተዋል። የትኛውን መታወቂያ መጠቀም እንዳለብን ለማወቅ ምንም መንገድ የለም። +ErrorsOnXLines=%s ስህተቶች ተገኝተዋል +ErrorFileIsInfectedWithAVirus=የጸረ-ቫይረስ ፕሮግራሙ ፋይሉን ማረጋገጥ አልቻለም (ፋይሉ በቫይረስ ሊጠቃ ይችላል) +ErrorFileIsAnInfectedPDFWithJSInside=ፋይሉ በውስጡ በአንዳንድ ጃቫ ስክሪፕት የተበከለ ፒዲኤፍ ነው። +ErrorNumRefModel=ማጣቀሻ ወደ ዳታቤዝ (%s) አለ እና ከዚህ የቁጥር ህግ ጋር ተኳሃኝ አይደለም። ይህንን ሞጁል ለማንቃት መዝገብን ያስወግዱ ወይም እንደገና የተሰየመውን ማጣቀሻ ያስወግዱ። +ErrorQtyTooLowForThisSupplier=ለዚህ አቅራቢ መጠኑ በጣም ዝቅተኛ ነው ወይም ለዚህ አቅራቢ በዚህ ምርት ላይ ያልተገለፀ ዋጋ የለም። +ErrorOrdersNotCreatedQtyTooLow=በጣም ዝቅተኛ መጠን ስላላቸው አንዳንድ ትዕዛዞች አልተፈጠሩም። +ErrorOrderStatusCantBeSetToDelivered=የትዕዛዝ ሁኔታ ለማድረስ ሊቀናበር አይችልም። +ErrorModuleSetupNotComplete=የሞዱል ማዋቀር %s ያልተሟላ ይመስላል። ለማጠናቀቅ ወደ መነሻ - ማዋቀር - ሞጁሎች ይሂዱ። +ErrorBadMask=ጭንብል ላይ ስህተት +ErrorBadMaskFailedToLocatePosOfSequence=ስህተት፣ ያለ ተከታታይ ቁጥር ጭምብል +ErrorBadMaskBadRazMonth=ስህተት፣ መጥፎ ዳግም ማስጀመር ዋጋ +ErrorMaxNumberReachForThisMask=ለዚህ ጭንብል ከፍተኛው ቁጥር ደርሷል +ErrorCounterMustHaveMoreThan3Digits=ቆጣሪ ከ 3 አሃዞች በላይ ሊኖረው ይገባል። +ErrorSelectAtLeastOne=ስህተት፣ ቢያንስ አንድ ግቤት ይምረጡ። +ErrorDeleteNotPossibleLineIsConsolidated=መሰረዝ አይቻልም ምክንያቱም መዝገብ ከታረቀ የባንክ ግብይት ጋር የተገናኘ ነው። +ErrorProdIdAlreadyExist=%s ለሌላ ሶስተኛ ተመድቧል +ErrorFailedToSendPassword=የይለፍ ቃል መላክ አልተሳካም። +ErrorFailedToLoadRSSFile=RSS ምግብ ማግኘት አልተሳካም። የስህተት መልዕክቶች በቂ መረጃ የማይሰጡ ከሆነ የማያቋርጥ MAIN_SIMPLEXMLLOAD_DEBUG ለመጨመር ይሞክሩ። +ErrorForbidden=መዳረሻ ተከልክሏል።
      ወደ አካል ጉዳተኛ ሞጁል ገጽ፣ አካባቢ ወይም ባህሪ ወይም የተረጋገጠ ክፍለ-ጊዜ ውስጥ ሳይሆኑ ወይም ለተጠቃሚዎ ያልተፈቀደውን ለመድረስ ይሞክራሉ። +ErrorForbidden2=የዚህ መግቢያ ፍቃድ በዶሊባርር አስተዳዳሪ ከምናሌ %s->%s ሊገለጽ ይችላል። +ErrorForbidden3=ዶሊባርር በተረጋገጠ ክፍለ ጊዜ ጥቅም ላይ የማይውል ይመስላል። ማረጋገጫዎችን (htaccess፣ mod_auth ወይም ሌላ...) እንዴት ማስተዳደር እንደሚቻል ለማወቅ የዶሊባርር ማዋቀሪያ ሰነድን ይመልከቱ። +ErrorForbidden4=ማስታወሻ፡ ለእዚህ መግቢያ ያሉትን ክፍለ ጊዜዎች ለማጥፋት የአሳሽ ኩኪዎችን ያጽዱ። +ErrorNoImagickReadimage=Class Imagick በዚህ ፒኤችፒ ውስጥ አይገኝም። ምንም ቅድመ እይታ ሊገኝ አይችልም። አስተዳዳሪዎች ይህን ትር ከምናሌ ማዋቀር - ማሳያ ማሰናከል ይችላሉ። +ErrorRecordAlreadyExists=መዝገብ አስቀድሞ አለ። +ErrorLabelAlreadyExists=ይህ መለያ አስቀድሞ አለ። +ErrorCantReadFile=ፋይል '%s' ማንበብ አልተሳካም +ErrorCantReadDir=ማውጫ '%s' ማንበብ አልተሳካም +ErrorBadLoginPassword=ለመግቢያ ወይም የይለፍ ቃል መጥፎ እሴት +ErrorLoginDisabled=መለያህ ተሰናክሏል። +ErrorFailedToRunExternalCommand=የውጭ ትእዛዝን ማስኬድ አልተሳካም። በእርስዎ ፒኤችፒ አገልጋይ ተጠቃሚ የሚገኝ እና የሚሰራ መሆኑን ያረጋግጡ። እንዲሁም ትዕዛዙ በሼል ደረጃ ላይ በደህንነት ንብርብር ልክ እንደ apparmor እንደማይጠበቅ ያረጋግጡ። +ErrorFailedToChangePassword=የይለፍ ቃል መቀየር አልተሳካም። +ErrorLoginDoesNotExists=መግቢያ ያለው ተጠቃሚ %s ሊገኝ አልቻለም። +ErrorLoginHasNoEmail=ይህ ተጠቃሚ ምንም ኢሜይል አድራሻ የለውም። ሂደት ተቋርጧል። +ErrorBadValueForCode=ለደህንነት ኮድ መጥፎ እሴት። በአዲስ ዋጋ እንደገና ይሞክሩ... +ErrorBothFieldCantBeNegative=መስኮች %s እና %s ሁለቱም አሉታዊ ሊሆኑ አይችሉም +ErrorFieldCantBeNegativeOnInvoice=መስክ %s በዚህ አይነት ላይ አሉታዊ ሊሆን አይችልም። የቅናሽ መስመር ማከል ከፈለጉ መጀመሪያ ቅናሹን ይፍጠሩ (ከመስክ '%s በሶስተኛ ወገን ካርድ ውስጥ) እና በክፍያ መጠየቂያው ላይ ይተግብሩ። +ErrorLinesCantBeNegativeForOneVATRate=የመስመሮች ጠቅላላ (የታክስ የተጣራ) ለተሰጠ ዋጋ ቢስ ያልሆነ የተጨማሪ እሴት ታክስ ዋጋ አሉታዊ ሊሆን አይችልም (ለተእታ መጠን አሉታዊ ድምር ተገኝቷል %s %%)። +ErrorLinesCantBeNegativeOnDeposits=መስመሮች በተቀማጭ ገንዘብ ውስጥ አሉታዊ ሊሆኑ አይችሉም። ይህን ካደረግክ በመጨረሻ ደረሰኝ ላይ ተቀማጩን መጠቀም ስትፈልግ ችግሮች ያጋጥሙሃል። +ErrorQtyForCustomerInvoiceCantBeNegative=የደንበኛ ደረሰኞች የመስመር መጠን አሉታዊ ሊሆን አይችልም። +ErrorWebServerUserHasNotPermission=የተጠቃሚ መለያ %sየድር አገልጋይ ለማስፈጸም ምንም ፍቃድ የለውም የሚለውን ነው። +ErrorNoActivatedBarcode=ምንም አይነት የአሞሌ ኮድ አልነቃም። +ErrUnzipFails=በዚፕ ማህደር %sን ዚፕ መክፈት አልተሳካም +ErrNoZipEngine=በዚህ ፒኤችፒ ውስጥ %s ፋይል የሚከፍት/የሚከፍት ሞተር የለም +ErrorFileMustBeADolibarrPackage=ፋይሉ %s የዶሊባርር ዚፕ ጥቅል መሆን አለበት +ErrorModuleFileRequired=የዶሊባርር ሞጁል ጥቅል ፋይል መምረጥ አለብህ +ErrorPhpCurlNotInstalled=PHP CURL አልተጫነም ከ Paypal ጋር ለመነጋገር ይህ አስፈላጊ ነው። +ErrorFailedToAddToMailmanList=መዝገብ %s ወደ የመልእክተኛ ዝርዝር %s ወይም SPIP ቤዝ ማከል አልተሳካም +ErrorFailedToRemoveToMailmanList=የደብዳቤ መላኪያ ዝርዝር %s ወይም SPIP መሰረትን %s ማስወገድ አልተሳካም +ErrorNewValueCantMatchOldValue=አዲስ እሴት ከአሮጌው ጋር እኩል ሊሆን አይችልም። +ErrorFailedToValidatePasswordReset=የይለፍ ቃል እንደገና ማስጀመር አልተሳካም። ዳግም ማስጀመር ተከናውኗል (ይህ አገናኝ አንድ ጊዜ ብቻ መጠቀም ይቻላል)። ካልሆነ የዳግም ማስጀመር ሂደቱን እንደገና ለማስጀመር ይሞክሩ። +ErrorToConnectToMysqlCheckInstance=ወደ ዳታቤዝ ማገናኘት አልተሳካም። ዳታቤዝ አገልጋይ እየሰራ መሆኑን ያረጋግጡ (ለምሳሌ በ mysql/mariadb ከትእዛዝ መስመር 'sudo service mysql start') ማስጀመር ይችላሉ። +ErrorFailedToAddContact=እውቂያ ማከል አልተሳካም። +ErrorDateMustBeBeforeToday=ቀኑ ከዛሬ ያነሰ መሆን አለበት። +ErrorDateMustBeInFuture=ቀኑ ከዛሬ የበለጠ መሆን አለበት። +ErrorStartDateGreaterEnd=የመጀመርያው ቀን ከመጨረሻው ቀን ይበልጣል +ErrorPaymentModeDefinedToWithoutSetup=የመክፈያ ሁነታ %s ለመተየብ ተቀናብሯል ነገር ግን ለዚህ የክፍያ ሁነታ መረጃን ለመለየት የሞጁል መጠየቂያ ደረሰኝ ማዋቀር አልተጠናቀቀም። +ErrorPHPNeedModule=ስህተት፣ ይህን ለመጠቀም ፒኤችፒ ሞጁል %s ሊኖረው ይገባል ባህሪ. +ErrorOpenIDSetupNotComplete=የክፍት መታወቂያ ማረጋገጫን ለመፍቀድ የዶሊባርር ማዋቀር ፋይል አዋቅረዋል፣ ነገር ግን የOpenID አገልግሎት URL በቋሚ %s አልተገለጸም +ErrorWarehouseMustDiffers=የምንጭ እና የዒላማ መጋዘኖች ሊለያዩ ይገባል +ErrorBadFormat=መጥፎ ቅርጸት! +ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=ስህተት፣ ይህ አባል እስካሁን ከሶስተኛ ወገን ጋር አልተገናኘም። በክፍያ መጠየቂያ ምዝገባ ከመፍጠርዎ በፊት አባልን ከሶስተኛ ወገን ጋር ያገናኙ ወይም አዲስ ሶስተኛ ወገን ይፍጠሩ። +ErrorThereIsSomeDeliveries=ስህተት፣ ከዚህ ጭነት ጋር የተገናኙ አንዳንድ መላኪያዎች አሉ። መሰረዝ ተቀባይነት አላገኘም። +ErrorCantDeletePaymentReconciliated=የታረቀ የባንክ ግቤት የፈጠረውን ክፍያ መሰረዝ አልተቻለም +ErrorCantDeletePaymentSharedWithPayedInvoice=ቢያንስ በአንድ ደረሰኝ የተጋራውን ክፍያ ከክፍያ ሁኔታ ጋር መሰረዝ አይቻልም +ErrorPriceExpression1=ለቋሚ '%s' መመደብ አይቻልም +ErrorPriceExpression2=አብሮ የተሰራውን ተግባር '%s' እንደገና መወሰን አልተቻለም +ErrorPriceExpression3=ያልተገለፀ ተለዋዋጭ '%s በተግባር ፍቺ +ErrorPriceExpression4=ህገወጥ ቁምፊ '%s' +ErrorPriceExpression5=ያልተጠበቀ '%s' +ErrorPriceExpression6=የተሳሳቱ ነጋሪ እሴቶች ቁጥር (%s የተሰጠው፣ %s ይጠበቃል) +ErrorPriceExpression8=ያልተጠበቀ ከዋኝ '%s' +ErrorPriceExpression9=ያልተጠበቀ ስህተት ተከስቷል። +ErrorPriceExpression10=ኦፕሬተር %s ኦፔራ የለውም +ErrorPriceExpression11='%sን በመጠበቅ ላይ +ErrorPriceExpression14=በዜሮ መከፋፈል +ErrorPriceExpression17=ያልተገለጸ ተለዋዋጭ '%s' +ErrorPriceExpression19=መግለጫ አልተገኘም። +ErrorPriceExpression20=ባዶ አገላለጽ +ErrorPriceExpression21=ባዶ ውጤት '%s' +ErrorPriceExpression22=አሉታዊ ውጤት '%s' +ErrorPriceExpression23=ያልታወቀ ወይም ያልተዋቀረ ተለዋዋጭ '%s በ%s ውስጥ +ErrorPriceExpression24=ተለዋዋጭ '%s አለ ግን ዋጋ የለውም +ErrorPriceExpressionInternal=የውስጥ ስህተት '%s' +ErrorPriceExpressionUnknown=ያልታወቀ ስህተት '%s' +ErrorSrcAndTargetWarehouseMustDiffers=የምንጭ እና የዒላማ መጋዘኖች ሊለያዩ ይገባል +ErrorTryToMakeMoveOnProductRequiringBatchData=የዕጣ/ተከታታይ መረጃ ያለ የአክሲዮን እንቅስቃሴ ለማድረግ በመሞከር ላይ ስህተት፣ በ%s ምርት ላይ ብዙ/ተከታታይ መረጃ የሚያስፈልገው +ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=ይህን እርምጃ እንዲወስዱ ከመፈቀዱ በፊት ሁሉም የተመዘገቡት መስተንግዶዎች መጀመሪያ መረጋገጥ (መፈቀዱ ወይም መከልከል) አለባቸው +ErrorCantSetReceptionToTotalDoneWithReceptionDenied=ይህን ድርጊት እንዲፈጽሙ ከመፈቀዱ በፊት ሁሉም የተቀዳው መቀበያ መጀመሪያ መረጋገጥ (መፈቀዱ) አለበት። +ErrorGlobalVariableUpdater0=የኤችቲቲፒ ጥያቄ በስህተት '%s' አልተሳካም +ErrorGlobalVariableUpdater1=ልክ ያልሆነ የJSON ቅርጸት '%s' +ErrorGlobalVariableUpdater2=የጠፋ መለኪያ '%s' +ErrorGlobalVariableUpdater3=የተጠየቀው ውሂብ በውጤቱ አልተገኘም። +ErrorGlobalVariableUpdater4=የሶፕ ደንበኛ በስህተት '%s' አልተሳካም +ErrorGlobalVariableUpdater5=ምንም አለምአቀፍ ተለዋዋጭ አልተመረጠም። +ErrorFieldMustBeANumeric=መስክ %s የቁጥር እሴት መሆን አለበት +ErrorMandatoryParametersNotProvided=የግዴታ መለኪያ(ዎች) አልቀረበም። +ErrorOppStatusRequiredIfUsage=በዚህ ፕሮጀክት ውስጥ ያለውን እድል ለመከተል መርጠዋል፣ ስለዚህ የመሪነት ሁኔታን መሙላት አለብዎት። +ErrorOppStatusRequiredIfAmount=ለዚህ እርሳስ ግምታዊ መጠን አዘጋጅተዋል። ስለዚህ የእሱን ሁኔታ ማስገባት አለብዎት። +ErrorFailedToLoadModuleDescriptorForXXX=ሞጁሉን ገላጭ ክፍል ለ%s መጫን አልተሳካም +ErrorBadDefinitionOfMenuArrayInModuleDescriptor=በሞዱል ገላጭ ውስጥ የምናሌ ድርድር መጥፎ ትርጉም (የ fk_menu ቁልፍ መጥፎ እሴት) +ErrorSavingChanges=ለውጦቹን በማስቀመጥ ላይ ስህተት ተከስቷል። +ErrorWarehouseRequiredIntoShipmentLine=ለመርከብ መስመር ላይ መጋዘን ያስፈልጋል +ErrorFileMustHaveFormat=ፋይሉ ቅርጸት ሊኖረው ይገባል %s +ErrorFilenameCantStartWithDot=የፋይል ስም በ' መጀመር አይችልም። +ErrorSupplierCountryIsNotDefined=የዚህ አቅራቢ አገር አልተገለጸም። መጀመሪያ ይህንን አስተካክል። +ErrorsThirdpartyMerge=ሁለቱን መዝገቦች ማዋሃድ አልተሳካም። ጥያቄ ተሰርዟል። +ErrorStockIsNotEnoughToAddProductOnOrder=አዲስ ትዕዛዝ ለመጨመር አክሲዮን ለምርት %s በቂ አይደለም። +ErrorStockIsNotEnoughToAddProductOnInvoice=አዲስ ደረሰኝ ውስጥ ለመጨመር አክሲዮን ለምርት %s በቂ አይደለም። +ErrorStockIsNotEnoughToAddProductOnShipment=አዲስ ጭነት ውስጥ ለመጨመር አክሲዮን ለምርት %s በቂ አይደለም። +ErrorStockIsNotEnoughToAddProductOnProposal=አዲስ ፕሮፖዛል ውስጥ ለመጨመር አክሲዮን ለምርት %s በቂ አይደለም። +ErrorFailedToLoadLoginFileForMode=የመግቢያ ቁልፉን ለሞድ '%s ማግኘት አልተሳካም። +ErrorModuleNotFound=የሞዱል ፋይል አልተገኘም። +ErrorFieldAccountNotDefinedForBankLine=ዋጋ ለአካውንቲንግ መለያ የምንጭ መስመር መታወቂያ %s (%s) አልተገለጸም +ErrorFieldAccountNotDefinedForInvoiceLine=ዋጋ ለሂሳብ አያያዝ ደረሰኝ መታወቂያ %s (%s) አልተገለጸም +ErrorFieldAccountNotDefinedForLine=ዋጋ ለሂሳብ አያያዝ ለመስመሩ አልተገለጸም (%s) +ErrorBankStatementNameMustFollowRegex=ስህተት፣ የባንክ መግለጫ ስም የሚከተለውን የአገባብ ህግ መከተል አለበት %s +ErrorPhpMailDelivery=በጣም ብዙ የተቀባዮችን ቁጥር እንደማይጠቀሙ እና የኢሜልዎ ይዘት ከአይፈለጌ መልእክት ጋር የማይመሳሰል መሆኑን ያረጋግጡ። ለበለጠ የተሟላ መረጃ አስተዳዳሪዎን የፋየርዎል እና የአገልጋይ ምዝግብ ማስታወሻ ፋይሎችን እንዲያጣራ ይጠይቁ። +ErrorUserNotAssignedToTask=ተጠቃሚው የሚፈጀውን ጊዜ ማስገባት እንዲችል ለተግባር መመደብ አለበት። +ErrorTaskAlreadyAssigned=ተግባር አስቀድሞ ለተጠቃሚ ተሰጥቷል። +ErrorModuleFileSeemsToHaveAWrongFormat=የሞጁሉ ጥቅል የተሳሳተ ቅርጸት ያለው ይመስላል። +ErrorModuleFileSeemsToHaveAWrongFormat2=ቢያንስ አንድ የግዴታ ማውጫ ወደ ሞጁል ዚፕ ውስጥ መኖር አለበት፡ %sb0a65d09z071fs > ወይም %s +ErrorFilenameDosNotMatchDolibarrPackageRules=የሞጁሉ ጥቅል ስም (%s አይመሳሰልም የሚጠበቀው ስም አገባብ፡ %s +ErrorDuplicateTrigger=ስህተት፣ የተባዛ የማስነሻ ስም %s። ቀድሞውንም ከ%s ተጭኗል። +ErrorNoWarehouseDefined=ስህተት፣ ምንም መጋዘኖች አልተገለጹም። +ErrorBadLinkSourceSetButBadValueForRef=የሚጠቀሙበት አገናኝ ልክ አይደለም። የመክፈያ 'ምንጭ' ይገለጻል፣ የ'ref' ዋጋ ግን ልክ አይደለም። +ErrorTooManyErrorsProcessStopped=በጣም ብዙ ስህተቶች። ሂደቱ ቆሟል። +ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=በዚህ ድርጊት ላይ አክሲዮን የመጨመር/መቀነስ አማራጭ ሲዘጋጅ የጅምላ ማረጋገጥ አይቻልም (መጋዘኑን ለመጨመር/ለመቀነስ መወሰን እንድትችሉ አንድ በአንድ ማረጋገጥ አለባችሁ) +ErrorObjectMustHaveStatusDraftToBeValidated=ነገር %s ለመረጋገጥ 'ረቂቅ' ደረጃ ሊኖረው ይገባል። +ErrorObjectMustHaveLinesToBeValidated=ነገር %s ለመረጋገጥ መስመሮች ሊኖሩት ይገባል። +ErrorOnlyInvoiceValidatedCanBeSentInMassAction=የተረጋገጡ ደረሰኞች ብቻ "በኢሜል ላክ" የጅምላ እርምጃን በመጠቀም መላክ ይቻላል. +ErrorChooseBetweenFreeEntryOrPredefinedProduct=ጽሑፉ አስቀድሞ የተወሰነ ምርት መሆኑን ወይም አለመሆኑን መምረጥ አለብዎት +ErrorDiscountLargerThanRemainToPaySplitItBefore=ለማመልከት የሞከሩት ቅናሽ ለመክፈል ከቀረው ይበልጣል። ከዚህ በፊት ቅናሹን በ2 ትናንሽ ቅናሾች ይከፋፍሉ። +ErrorFileNotFoundWithSharedLink=ፋይል አልተገኘም። የማጋሪያ ቁልፉ ተስተካክሏል ወይም ፋይሉ በቅርቡ ተወግዶ ሊሆን ይችላል። +ErrorProductBarCodeAlreadyExists=የምርት ባርኮድ %s አስቀድሞ በሌላ የምርት ማጣቀሻ ላይ አለ። +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=ቢያንስ አንድ ንዑስ ምርት (ወይም የንዑስ ምርቶች ንዑስ ምርቶች) ተከታታይ/ሎጥ ቁጥር ሲፈልግ ኪት በመጠቀም የንዑስ ምርቶችን በራስ-ሰር ለመጨመር/መቀነስ እንደማይቻል ልብ ይበሉ። +ErrorDescRequiredForFreeProductLines=ነጻ ምርት ላላቸው መስመሮች መግለጫው ግዴታ ነው +ErrorAPageWithThisNameOrAliasAlreadyExists=ገጹ/ኮንቴይነር %s አንድ አይነት ስም አለው ለመጠቀም የሞከሩትን +ErrorDuringChartLoad=የመለያዎች ገበታ ሲጫኑ ስህተት። ጥቂት መለያዎች ካልተጫኑ አሁንም እራስዎ ማስገባት ይችላሉ። +ErrorBadSyntaxForParamKeyForContent=ለይዘት ፓራም ቁልፍ መጥፎ አገባብ። በ%s ወይም %s የሚጀምር እሴት ሊኖረው ይገባል። +ErrorVariableKeyForContentMustBeSet=ስህተት፣ ቋሚ ስም %s (ከጽሑፍ ይዘት ጋር) ወይም %s (ከውጫዊ ዩአርኤል ጋር ለማሳየት) መዋቀር አለበት። . +ErrorURLMustEndWith=URL %s ማለቅ አለበት %s +ErrorURLMustStartWithHttp=URL %s በ http:// ወይም https:// መጀመር አለበት +ErrorHostMustNotStartWithHttp=የአስተናጋጅ ስም %s በhttp:// ወይም https:// መጀመር የለበትም +ErrorNewRefIsAlreadyUsed=ስህተት፣ አዲሱ ማጣቀሻ አስቀድሞ ጥቅም ላይ ውሏል +ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=ስህተት፣ ከተዘጋ ደረሰኝ ጋር የተገናኘ ክፍያ መሰረዝ አይቻልም። +ErrorSearchCriteriaTooSmall=የፍለጋ መስፈርት በጣም አጭር ነው። +ErrorObjectMustHaveStatusActiveToBeDisabled=ነገሮች ለመሰናከል 'ገባሪ' ሁኔታ ሊኖራቸው ይገባል። +ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=ነገሮች ለመንቃት 'ረቂቅ' ወይም 'Disabled' ደረጃ ሊኖራቸው ይገባል። +ErrorNoFieldWithAttributeShowoncombobox=ምንም መስክ 'showoncombobox' የነገሮች ፍቺ የ%s የለውም። ኮምቦሊስትን ለማሳየት ምንም መንገድ የለም። +ErrorFieldRequiredForProduct=ለምርት %s መስክ '%s ያስፈልጋል +AlreadyTooMuchPostOnThisIPAdress=በዚህ አይፒ አድራሻ ላይ በጣም ብዙ ለጥፈዋል። +ProblemIsInSetupOfTerminal=ችግሩ ተርሚናል %s በማዋቀር ላይ ነው። +ErrorAddAtLeastOneLineFirst=መጀመሪያ ቢያንስ አንድ መስመር ያክሉ +ErrorRecordAlreadyInAccountingDeletionNotPossible=ስህተት፣ መዝገብ አስቀድሞ በሂሳብ አያያዝ ተላልፏል፣ መሰረዝ አይቻልም። +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=ስህተት፣ ገጹን እንደ ሌላ ትርጉም ካዘጋጁት ቋንቋ ግዴታ ነው። +ErrorLanguageOfTranslatedPageIsSameThanThisPage=ስህተት፣ የተተረጎመ ገጽ ቋንቋ ከዚህኛው ጋር ተመሳሳይ ነው። +ErrorBatchNoFoundForProductInWarehouse=ለምርት "%s" በመጋዘን ውስጥ "%s" ምንም ዕጣ/ተከታታይ አልተገኘም። +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=ለዚህ ሎጥ/ተከታታይ ምርት "%s" በመጋዘን ውስጥ "%s" ምንም በቂ መጠን የለም። +ErrorOnlyOneFieldForGroupByIsPossible=ለ'ግሩፕ በ' 1 መስክ ብቻ ይቻላል (ሌሎች ይጣላሉ) +ErrorTooManyDifferentValueForSelectedGroupBy=በጣም ብዙ የተለያዩ እሴቶች ተገኝተዋል (ከ%s ለ) መስክ '%s' ስለዚህ ልንጠቀምበት አንችልም። ለግራፊክስ እንደ 'ቡድን'። መስክ 'Group By' ተወግዷል። እንደ X-Axis ሊጠቀሙበት ይፈልጉ ይሆናል? +ErrorReplaceStringEmpty=ስህተት፣ የሚተካው ሕብረቁምፊ ባዶ ነው። +ErrorProductNeedBatchNumber=ስህተት፣ ምርት '%sቁጥር ብዙ ያስፈልገዋል +ErrorProductDoesNotNeedBatchNumber=ስህተት፣ ምርት '%sዕጣ አይቀበልም ተከታታይ ቁጥር +ErrorFailedToReadObject=ስህተት፣ የነገር አይነት ማንበብ አልተሳካም %s +ErrorParameterMustBeEnabledToAllwoThisFeature=ስህተት፣ ፓራሜትር %s=span> ክፍል መንቃት አለበት 'notranslate'>conf/conf.php<> የትእዛዝ መስመር በይነገጽን በውስጣዊ የስራ መርሐግብር ለመጠቀም ያስችላል። +ErrorLoginDateValidity=ስህተት፣ ይህ መግቢያ ከትክክለኛው የቀን ክልል ውጭ ነው። +ErrorValueLength=የመስክ ርዝመት '%sከ'' በላይ መሆን አለበት span class='notranslate'>%s' +ErrorReservedKeyword=%s የሚለው ቃል የተያዘ ቁልፍ ቃል ነው። +ErrorFilenameReserved=የፋይል ስም %s ጥቅም ላይ ሊውል አይችልም. የተጠበቀ እና የተጠበቀ ትእዛዝ. +ErrorNotAvailableWithThisDistribution=በዚህ ስርጭት አይገኝም +ErrorPublicInterfaceNotEnabled=ይፋዊ በይነገጽ አልነቃም። +ErrorLanguageRequiredIfPageIsTranslationOfAnother=የአዲሱ ገጽ ቋንቋ እንደ ሌላ ገጽ ትርጉም ከተዋቀረ መገለጽ አለበት። +ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=የአዲሱ ገጽ ቋንቋ እንደ ሌላ ገጽ ትርጉም ከተዋቀረ የመነሻ ቋንቋ መሆን የለበትም +ErrorAParameterIsRequiredForThisOperation=ለዚህ ክዋኔ መለኪያው ግዴታ ነው +ErrorDateIsInFuture=ስህተት፣ ቀኑ ወደፊት ሊሆን አይችልም። +ErrorAnAmountWithoutTaxIsRequired=ስህተት፣ መጠኑ ግዴታ ነው። +ErrorAPercentIsRequired=ስህተት፣ እባክዎን መቶኛ በትክክል ይሙሉ +ErrorYouMustFirstSetupYourChartOfAccount=መጀመሪያ የመለያ ገበታን ማዋቀር አለብህ +ErrorFailedToFindEmailTemplate=አብነት በኮድ ስም ማግኘት አልተሳካም %s +ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=የቆይታ ጊዜ በአገልግሎት ላይ አልተገለጸም። የሰዓት ዋጋን ለማስላት ምንም መንገድ የለም። +ErrorActionCommPropertyUserowneridNotDefined=የተጠቃሚው ባለቤት ያስፈልጋል +ErrorActionCommBadType=የተመረጠው የክስተት አይነት (መታወቂያ፡ %s፣ ኮድ፡ %s) የክስተት አይነት መዝገበ ቃላት ውስጥ የለም። +CheckVersionFail=የስሪት ማረጋገጫ አልተሳካም። +ErrorWrongFileName=የፋይሉ ስም __SOMETHING__ ሊኖረው አይችልም። +ErrorNotInDictionaryPaymentConditions=በክፍያ ውል መዝገበ ቃላት ውስጥ የለም፣ እባክዎ ያሻሽሉ። +ErrorIsNotADraft=%s ረቂቅ አይደለም +ErrorExecIdFailed=ትዕዛዙን "መታወቂያ" ማስፈጸም አልተቻለም +ErrorBadCharIntoLoginName=በመስክ ላይ ያልተፈቀደ ቁምፊ %s +ErrorRequestTooLarge=ስህተት፣ ጥያቄው በጣም ትልቅ ነው ወይም ክፍለ ጊዜው አልፎበታል። +ErrorNotApproverForHoliday=የዕረፍት ጊዜ አጽዳቂው እርስዎ አይደሉም %s +ErrorAttributeIsUsedIntoProduct=ይህ ባህሪ በአንድ ወይም በብዙ የምርት ልዩነቶች ውስጥ ጥቅም ላይ ይውላል +ErrorAttributeValueIsUsedIntoProduct=ይህ የባህሪ እሴት በአንድ ወይም በብዙ የምርት ልዩነቶች ውስጥ ጥቅም ላይ ይውላል +ErrorPaymentInBothCurrency=ስህተት፣ ሁሉም መጠኖች በተመሳሳይ አምድ ውስጥ መግባት አለባቸው +ErrorYouTryToPayInvoicesInACurrencyFromBankWithAnotherCurrency=ደረሰኞችን በምንዛሪው %s ምንዛሪ ካለው መለያ %s ለመክፈል ትሞክራለህ። +ErrorInvoiceLoadThirdParty=ለክፍያ መጠየቂያ የሶስተኛ ወገን ነገር መጫን አልተቻለም "%s" +ErrorInvoiceLoadThirdPartyKey=የሶስተኛ ወገን ቁልፍ "%s" ምንም ደረሰኝ አልተዘጋጀም "%s" +ErrorDeleteLineNotAllowedByObjectStatus=መስመርን ሰርዝ አሁን ባለው የነገር ሁኔታ አይፈቀድም። +ErrorAjaxRequestFailed=ጥያቄው አልተሳካም። +ErrorThirpdartyOrMemberidIsMandatory=የሶስተኛ ወገን ወይም የአጋርነት አባል ግዴታ ነው። +ErrorFailedToWriteInTempDirectory=በ temp ማውጫ ውስጥ መፃፍ አልተሳካም። +ErrorQuantityIsLimitedTo=መጠኑ በ%s የተገደበ ነው። +ErrorFailedToLoadThirdParty=ከ id=%s, email=%s, name= ማግኘት/ መጫን አልተቻለም %s +ErrorThisPaymentModeIsNotSepa=ይህ የክፍያ ሁነታ የባንክ ሂሳብ አይደለም። +ErrorStripeCustomerNotFoundCreateFirst=Stripe ደንበኛ ለዚህ ሶስተኛ አካል አልተዘጋጀም (ወይንም በ Stripe በኩል ወደ ተሰረዘ እሴት ተቀናብሯል)። መጀመሪያ ይፍጠሩ (ወይም እንደገና አያይዘው)። +ErrorCharPlusNotSupportedByImapForSearch=የIMAP ፍለጋ ቁምፊ + የያዘ ሕብረቁምፊ ላኪ ወይም ተቀባይ መፈለግ አይችልም። +ErrorTableNotFound=ሰንጠረዥ %s አልተገኘም +ErrorRefNotFound=ማጣቀሻ %s አልተገኘም +ErrorValueForTooLow=ዋጋ ለ%s በጣም ዝቅተኛ ነው +ErrorValueCantBeNull=የ%s ዋጋ ሊሆን አይችልም +ErrorDateOfMovementLowerThanDateOfFileTransmission=የባንክ ግብይቱ ቀን ፋይሉ ከተላለፈበት ቀን ያነሰ ሊሆን አይችልም። +ErrorTooMuchFileInForm=በጣም ብዙ ፋይሎች በቅጽ፣ ከፍተኛው ቁጥር %s ፋይል(ዎች) ነው። +ErrorSessionInvalidatedAfterPasswordChange=የይለፍ ቃል፣ ኢሜል፣ ሁኔታ ወይም የሚጸናበት ቀን ከተለወጠ በኋላ ክፍለ-ጊዜው ተሰርዟል። እባክዎ እንደገና ይግቡ። +ErrorExistingPermission = ፍቃድ %s ለዕቃ %s አስቀድሞ አለ +ErrorFieldExist=የ%s ዋጋ አስቀድሞ አለ። +ErrorEqualModule=ሞጁል ልክ ያልሆነ በ%s +ErrorFieldValue=ዋጋ ለ%s የተሳሳተ ነው +ErrorCoherenceMenu=%s ሲያስፈልግ ይህንን እዚህ አስተካክል +ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=ስህተት፡ የአሁን ምሳሌህ (%s) በእርስዎ OAuth2 መግቢያ ማዋቀር (%s) ላይ ከተገለጸው ዩአርኤል ጋር አይዛመድም። በእንደዚህ አይነት ውቅር ውስጥ OAuth2 መግባት አይፈቀድም። +ErrorMenuExistValue=ከዚህ ርዕስ ወይም URL ያለው ምናሌ አስቀድሞ አለ። +ErrorSVGFilesNotAllowedAsLinksWithout=የኤስቪጂ ፋይሎች ያለ አማራጭ %s እንደ ውጫዊ አገናኞች አይፈቀዱም +ErrorTypeMenu=በ navbar ላይ ለተመሳሳይ ሞጁል ሌላ ምናሌ ማከል አይቻልም፣ እስካሁን አያያዘም። +ErrorObjectNotFound = ነገሩ %s አልተገኘም እባኮትን የእርስዎን url ያረጋግጡ። +ErrorCountryCodeMustBe2Char=የአገር ኮድ ባለ 2 ቁምፊ ሕብረቁምፊ መሆን አለበት። + +ErrorTableExist=ሰንጠረዥ %s አስቀድሞ አለ +ErrorDictionaryNotFound=መዝገበ ቃላት %s አልተገኘም +ErrorFailedToCreateSymLinkToMedias=ወደ %s ለመጠቆም የ%s ተምሳሌታዊ አገናኝ መፍጠር አልተሳካም +ErrorCheckTheCommandInsideTheAdvancedOptions=ወደ ውጭ ለመላክ ጥቅም ላይ የዋለውን ትዕዛዝ ወደ ውጭ የላቁ አማራጮች ያረጋግጡ # Warnings -WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. -WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. -WarningMandatorySetupNotComplete=Click here to setup mandatory parameters -WarningEnableYourModulesApplications=Click here to enable your modules and applications -WarningSafeModeOnCheckExecDir=Warning, PHP option safe_mode is on so command must be stored inside a directory declared by php parameter safe_mode_exec_dir. -WarningBookmarkAlreadyExists=A bookmark with this title or this target (URL) already exists. -WarningPassIsEmpty=Warning, database password is empty. This is a security hole. You should add a password to your database and change your conf.php file to reflect this. -WarningConfFileMustBeReadOnly=Warning, your config file (htdocs/conf/conf.php) can be overwritten by the web server. This is a serious security hole. Modify permissions on file to be in read only mode for operating system user used by Web server. If you use Windows and FAT format for your disk, you must know that this file system does not allow to add permissions on file, so can't be completely safe. -WarningsOnXLines=Warnings on %s source record(s) -WarningNoDocumentModelActivated=No model, for document generation, has been activated. A model will be chosen by default until you check your module setup. -WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable the installation/migration tools by adding a file install.lock into directory %s. Omitting the creation of this file is a grave security risk. -WarningUntilDirRemoved=All security warnings (visible by admin users only) will remain active as long as the vulnerability is present (or that constant MAIN_REMOVE_INSTALL_WARNING is added in Setup->Other Setup). -WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution. -WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box. -WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card). -WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers. -WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s. -WarningTooManyDataPleaseUseMoreFilters=Too many data (more than %s lines). Please use more filters or set the constant %s to a higher limit. -WarningSomeLinesWithNullHourlyRate=Some times were recorded by some users while their hourly rate was not defined. A value of 0 %s per hour was used but this may result in wrong valuation of time spent. -WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security purpose you will have to login with your new login before next action. -WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language -WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists -WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report -WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks. -WarningProjectClosed=Project is closed. You must re-open it first. -WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. -WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table -WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on. -WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list -WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection. -WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. -WarningPaypalPaymentNotCompatibleWithStrict=The value 'Strict' makes the online payment features not working correctly. Use 'Lax' instead. +WarningParamUploadMaxFileSizeHigherThanPostMaxSize=የእርስዎ ፒኤችፒ መለኪያ upload_max_filesize (%s) ከPHP መለኪያ post_max_size (%s) ከፍ ያለ ነው። ይህ ወጥነት ያለው ማዋቀር አይደለም። +WarningPasswordSetWithNoAccount=ለዚህ አባል የይለፍ ቃል ተቀናብሯል። ሆኖም የተጠቃሚ መለያ አልተፈጠረም። ስለዚህ ይህ የይለፍ ቃል ተከማችቷል ነገር ግን ወደ ዶሊባርር ለመግባት መጠቀም አይቻልም። በውጫዊ ሞጁል/በይነገጽ ጥቅም ላይ ሊውል ይችላል ነገር ግን ለአባል ምንም አይነት መግቢያም ሆነ የይለፍ ቃል መግለጽ ካላስፈለገዎት ከአባላት ሞጁል ቅንብር "ለእያንዳንዱ አባል መግቢያን ያስተዳድሩ" የሚለውን አማራጭ ማሰናከል ይችላሉ። መግቢያን ማስተዳደር ከፈለጉ ነገር ግን ምንም የይለፍ ቃል የማይፈልጉ ከሆነ ይህንን ማስጠንቀቂያ ለማስወገድ ይህንን መስክ ባዶ ማቆየት ይችላሉ። ማሳሰቢያ፡ አባሉ ከተጠቃሚ ጋር የተገናኘ ከሆነ ኢሜል እንደ መግቢያ መጠቀምም ይችላል። +WarningMandatorySetupNotComplete=ዋና መለኪያዎችን ለማዘጋጀት እዚህ ጠቅ ያድርጉ +WarningEnableYourModulesApplications=የእርስዎን ሞጁሎች እና መተግበሪያዎች ለማንቃት እዚህ ጠቅ ያድርጉ +WarningSafeModeOnCheckExecDir=ማስጠንቀቂያ፣ የPHP አማራጭ safe_mode ስላለ ትዕዛዙ በ php መለኪያ በተገለጸው ማውጫ ውስጥ መቀመጥ አለበት safe_mode_exec_dir። +WarningBookmarkAlreadyExists=ይህ ርዕስ ወይም ይህ ኢላማ (ዩአርኤል) ያለው ዕልባት አስቀድሞ አለ። +WarningPassIsEmpty=ማስጠንቀቂያ፣ የውሂብ ጎታ ይለፍ ቃል ባዶ ነው። ይህ የደህንነት ጉድጓድ ነው. ይህንን ለማንፀባረቅ የይለፍ ቃል ወደ የውሂብ ጎታዎ ማከል እና የእርስዎን conf.php ፋይል መለወጥ አለብዎት። +WarningConfFileMustBeReadOnly=ማስጠንቀቂያ፣ የእርስዎ የማዋቀር ፋይል (htdocs/conf/conf.php) በድር አገልጋይ ሊገለበጥ ይችላል። ይህ ከባድ የደህንነት ጉድጓድ ነው. በድር አገልጋይ ለሚጠቀመው የስርዓተ ክወና ተጠቃሚ የፋይል ፈቃዶችን በንባብ ብቻ ሁነታ ላይ ቀይር። ለዲስክዎ ዊንዶውስ እና ፋት (FAT) ቅርፀትን የሚጠቀሙ ከሆነ ይህ የፋይል ስርዓት በፋይል ላይ ፍቃዶችን ለመጨመር እንደማይፈቅድ ማወቅ አለብዎት ስለዚህ ሙሉ በሙሉ ደህንነቱ የተጠበቀ ሊሆን አይችልም. +WarningsOnXLines=ማስጠንቀቂያዎች በ%sምንጭ መዝገቦች(ዎች) +WarningNoDocumentModelActivated=ለሰነድ ማመንጨት ምንም ሞዴል አልነቃም። የሞጁሉን ማዋቀር እስኪያረጋግጡ ድረስ ሞዴል በነባሪነት ይመረጣል። +WarningLockFileDoesNotExists=ማስጠንቀቂያ፣ አንዴ ማዋቀሩ እንደጨረሰ፣ ፋይል install.lock ወደ ማውጫ ውስጥ በማከል የመጫኛ/ፍልሰት መሳሪያዎችን ማሰናከል አለቦት። %s። የዚህ ፋይል መፈጠርን መተው ከባድ የደህንነት አደጋ ነው። +WarningUntilDirRemoved=ይህ የደህንነት ማስጠንቀቂያ ተጋላጭነቱ እስካለ ድረስ ንቁ ሆኖ ይቆያል። +WarningCloseAlways=ማስጠንቀቂያ፣ መጠኑ በምንጭ እና በዒላማ አካላት መካከል ቢለያይም መዝጋት ይከናወናል። ይህን ባህሪ በጥንቃቄ አንቃው። +WarningUsingThisBoxSlowDown=ማስጠንቀቂያ፣ ይህን ሳጥን በመጠቀም ሳጥኑን የሚያሳዩ ሁሉንም ገጾች በቁም ነገር ይቀንሱ። +WarningClickToDialUserSetupNotComplete=ለተጠቃሚዎ የ ClickToDial መረጃ ማዋቀር አልተጠናቀቀም (በተጠቃሚ ካርድዎ ላይ ጠቅ ለማድረግ ጠቅ ያድርጉ)። +WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=የማሳያ ማዋቀር ለዓይነ ስውራን ወይም ለጽሑፍ አሳሾች ሲመቻች ባህሪው ተሰናክሏል። +WarningPaymentDateLowerThanInvoiceDate=የክፍያ ቀን (%s) ከክፍያ መጠየቂያ ቀን (%s) ለክፍያ መጠየቂያ b0ecb2fz007fe span> +WarningTooManyDataPleaseUseMoreFilters=በጣም ብዙ ውሂብ (ከ%s መስመሮች በላይ)። እባክዎ ተጨማሪ ማጣሪያዎችን ይጠቀሙ ወይም ቋሚውን %s ወደ ከፍተኛ ገደብ ያቀናብሩ። +WarningSomeLinesWithNullHourlyRate=አንዳንድ ጊዜ በአንዳንድ ተጠቃሚዎች የተመዘገቡ ሲሆን የሰዓት ታሪካቸው አልተገለጸም። በሰዓት 0 %s ዋጋ ጥቅም ላይ ውሏል ነገር ግን ይህ ያጠፋውን ጊዜ የተሳሳተ ግምትን ሊያስከትል ይችላል። +WarningYourLoginWasModifiedPleaseLogin=መግቢያህ ተስተካክሏል። ለደህንነት አላማ ከሚቀጥለው እርምጃ በፊት በአዲሱ መግቢያህ መግባት አለብህ። +WarningYourPasswordWasModifiedPleaseLogin=የይለፍ ቃልህ ተስተካክሏል። ለደህንነት ሲባል በአዲሱ የይለፍ ቃልዎ አሁን መግባት ይኖርብዎታል። +WarningAnEntryAlreadyExistForTransKey=ለዚህ ቋንቋ ለትርጉም ቁልፍ መግቢያ አስቀድሞ አለ። +WarningNumberOfRecipientIsRestrictedInMassAction=ማስጠንቀቂያ፣ የተለያዩ ተቀባይዎች ቁጥር በ%sb09a4b739f17f80 በመጠቀም የተገደበ ነው። በዝርዝሮች ላይ የጅምላ ድርጊቶች +WarningDateOfLineMustBeInExpenseReportRange=ማስጠንቀቂያ፣ የመስመሩ ቀን በወጪ ሪፖርቱ ክልል ውስጥ አይደለም። +WarningProjectDraft=ፕሮጀክቱ አሁንም በረቂቅ ሁነታ ላይ ነው። ተግባሮችን ለመጠቀም ካቀዱ ማረጋገጥዎን አይርሱ። +WarningProjectClosed=ፕሮጀክቱ ተዘግቷል። መጀመሪያ እንደገና መክፈት አለብህ። +WarningSomeBankTransactionByChequeWereRemovedAfter=አንዳንድ የባንክ ግብይቶች ተወግደዋል ከዚያ በኋላ እነሱን ጨምሮ ደረሰኙ ተፈጠረ። ስለዚህ nb ቼኮች እና አጠቃላይ ደረሰኝ ከቁጥር እና ከጠቅላላው ዝርዝር ውስጥ ሊለያዩ ይችላሉ። +WarningFailedToAddFileIntoDatabaseIndex=ማስጠንቀቂያ፣ የፋይል ግቤት ወደ ECM የውሂብ ጎታ ማውጫ ሰንጠረዥ ማከል አልተሳካም። +WarningTheHiddenOptionIsOn=ማስጠንቀቂያ፣ የተደበቀው አማራጭ %s በርቷል። +WarningCreateSubAccounts=ማስጠንቀቂያ፣ በቀጥታ ንዑስ መለያ መፍጠር አይችሉም፣ በዚህ ዝርዝር ውስጥ ለማግኘት ሶስተኛ ወገን ወይም ተጠቃሚ መፍጠር እና የሒሳብ ኮድ መመደብ አለቦት። +WarningAvailableOnlyForHTTPSServers=በኤችቲቲፒኤስ ደህንነቱ የተጠበቀ ግንኙነት ሲጠቀሙ ብቻ ይገኛል። +WarningModuleXDisabledSoYouMayMissEventHere=ሞዱል %s አልነቃም። ስለዚህ እዚህ ብዙ ክስተት ሊያመልጥዎት ይችላል። +WarningPaypalPaymentNotCompatibleWithStrict=እሴቱ 'ጥብብ' የመስመር ላይ ክፍያ ባህሪያቱን በትክክል እንዳይሰራ ያደርገዋል። በምትኩ 'ላክስ' ይጠቀሙ። +WarningThemeForcedTo=ማስጠንቀቂያ፣ ጭብጥ %sበቋሚ ተደብቆ እንዲሄድ ተገድዷል። +WarningPagesWillBeDeleted=ማስጠንቀቂያ፣ ይሄ ሁሉንም የድረ-ገጹን ገፆች/መያዣዎች ይሰርዛል። ድህረ ገጽህን ከዚህ በፊት ወደ ውጭ መላክ አለብህ፣ ስለዚህ በኋላ እንደገና ለማስመጣት መጠባበቂያ ይኖርሃል። +WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=አክሲዮን የመቀነስ አማራጭ "የክፍያ መጠየቂያ ማረጋገጫ" ላይ ሲዘጋጅ ራስ-ሰር ማረጋገጫ ይሰናከላል። +WarningModuleNeedRefresh = ሞጁል %s ተሰናክሏል። እሱን ማንቃትን አይርሱ +WarningPermissionAlreadyExist=ለዚህ ነገር ነባር ፈቃዶች +WarningGoOnAccountancySetupToAddAccounts=ይህ ዝርዝር ባዶ ከሆነ ወደ ሜኑ ይሂዱ %s - %s - %s ለመለያ ገበታዎ መለያዎችን ለመጫን ወይም ለመፍጠር። +WarningCorrectedInvoiceNotFound=የተስተካከለ ደረሰኝ አልተገኘም። +WarningCommentNotFound=እባክዎ ለ%s ውስጥ ለአስተያየቶች አቀማመጥን ያረጋግጡ። እርምጃዎን ከማስገባትዎ በፊት ፋይል %s +WarningAlreadyReverse=የአክሲዮን እንቅስቃሴ አስቀድሞ ተቀልብሷል + +SwissQrOnlyVIR = የስዊስQR ደረሰኝ በክሬዲት ማስተላለፍ ክፍያዎች እንዲከፈሉ በተዘጋጁ ደረሰኞች ላይ ብቻ መጨመር ይችላል። +SwissQrCreditorAddressInvalid = የአበዳሪው አድራሻ ልክ ያልሆነ ነው (ዚፕ እና ከተማ ተቀናብረዋል? (%s) +SwissQrCreditorInformationInvalid = የአበዳሪው መረጃ ለ IBAN (%s) ልክ ያልሆነ ነው፡ %s +SwissQrIbanNotImplementedYet = QR-IBAN እስካሁን አልተተገበረም። +SwissQrPaymentInformationInvalid = የክፍያ መረጃ ለጠቅላላ %s : %s ልክ ያልሆነ ነበር +SwissQrDebitorAddressInvalid = የተበዳሪው መረጃ ልክ ያልሆነ ነበር (%s) # Validate -RequireValidValue = Value not valid -RequireAtLeastXString = Requires at least %s character(s) -RequireXStringMax = Requires %s character(s) max -RequireAtLeastXDigits = Requires at least %s digit(s) -RequireXDigitsMax = Requires %s digit(s) max -RequireValidNumeric = Requires a numeric value -RequireValidEmail = Email address is not valid -RequireMaxLength = Length must be less than %s chars -RequireMinLength = Length must be more than %s char(s) -RequireValidUrl = Require valid URL -RequireValidDate = Require a valid date -RequireANotEmptyValue = Is required -RequireValidDuration = Require a valid duration -RequireValidExistingElement = Require an existing value -RequireValidBool = Require a valid boolean -BadSetupOfField = Error bad setup of field -BadSetupOfFieldClassNotFoundForValidation = Error bad setup of field : Class not found for validation -BadSetupOfFieldFileNotFound = Error bad setup of field : File not found for inclusion -BadSetupOfFieldFetchNotCallable = Error bad setup of field : Fetch not callable on class +RequireValidValue = ዋጋ ልክ አይደለም። +RequireAtLeastXString = ቢያንስ %s ቁምፊ(ዎች) ይፈልጋል +RequireXStringMax = ከፍተኛው %s ቁምፊ(ዎች) ይፈልጋል +RequireAtLeastXDigits = ቢያንስ %s አሃዝ(ዎች) ያስፈልገዋል። +RequireXDigitsMax = ከፍተኛው %s አሃዝ(ዎች) ይፈልጋል +RequireValidNumeric = የቁጥር እሴት ያስፈልገዋል +RequireValidEmail = የኢሜል አድራሻ ልክ ያልሆነ ነው። +RequireMaxLength = ርዝመቱ ከ%s chars ያነሰ መሆን አለበት። +RequireMinLength = ርዝመቱ ከ%s ቻር(ዎች) በላይ መሆን አለበት። +RequireValidUrl = የሚሰራ URL ጠይቅ +RequireValidDate = የሚሰራ ቀን ጠይቅ +RequireANotEmptyValue = ያስፈልጋል +RequireValidDuration = የሚሰራ ቆይታ ያስፈልጋል +RequireValidExistingElement = ነባር እሴት ጠይቅ +RequireValidBool = የሚሰራ ቡሊያን ጠይቅ +BadSetupOfField = የተሳሳተ የመስክ ማዋቀር ላይ ስህተት +BadSetupOfFieldClassNotFoundForValidation = ስህተት የመስክ ማዋቀር ስህተት፡ ክፍል ለማረጋገጫ አልተገኘም። +BadSetupOfFieldFileNotFound = ስህተት የመስክ ማዋቀር ስህተት፡ ፋይሉ ለመካተት አልተገኘም። +BadSetupOfFieldFetchNotCallable = ስህተት የመስክ ማዋቀር ስህተት፡ በክፍል ውስጥ መጥራት አይቻልም +ErrorTooManyAttempts= በጣም ብዙ ሙከራዎች፣ እባክዎ ቆይተው እንደገና ይሞክሩ diff --git a/htdocs/langs/am_ET/holiday.lang b/htdocs/langs/am_ET/holiday.lang index 3d0ae64be0f..d5285b38b97 100644 --- a/htdocs/langs/am_ET/holiday.lang +++ b/htdocs/langs/am_ET/holiday.lang @@ -1,139 +1,157 @@ # Dolibarr language file - Source file is en_US - holiday HRM=HRM -Holidays=Leave -CPTitreMenu=Leave -MenuReportMonth=Monthly statement -MenuAddCP=New leave request -NotActiveModCP=You must enable the module Leave to view this page. -AddCP=Make a leave request -DateDebCP=Start date -DateFinCP=End date -DraftCP=Draft -ToReviewCP=Awaiting approval -ApprovedCP=Approved -CancelCP=Canceled -RefuseCP=Refused -ValidatorCP=Approver -ListeCP=List of leave -Leave=Leave request -LeaveId=Leave ID -ReviewedByCP=Will be approved by -UserID=User ID -UserForApprovalID=User for approval ID -UserForApprovalFirstname=First name of approval user -UserForApprovalLastname=Last name of approval user -UserForApprovalLogin=Login of approval user -DescCP=Description -SendRequestCP=Create leave request -DelayToRequestCP=Leave requests must be made at least %s day(s) before them. -MenuConfCP=Balance of leave -SoldeCPUser=Leave balance (in days) %s -ErrorEndDateCP=You must select an end date greater than the start date. -ErrorSQLCreateCP=An SQL error occurred during the creation: -ErrorIDFicheCP=An error has occurred, the leave request does not exist. -ReturnCP=Return to previous page -ErrorUserViewCP=You are not authorized to read this leave request. -InfosWorkflowCP=Information Workflow -RequestByCP=Requested by -TitreRequestCP=Leave request -TypeOfLeaveId=Type of leave ID -TypeOfLeaveCode=Type of leave code -TypeOfLeaveLabel=Type of leave label -NbUseDaysCP=Number of days of leave used -NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. -NbUseDaysCPShort=Days of leave -NbUseDaysCPShortInMonth=Days of leave in month -DayIsANonWorkingDay=%s is a non-working day -DateStartInMonth=Start date in month -DateEndInMonth=End date in month -EditCP=Edit -DeleteCP=Delete -ActionRefuseCP=Refuse -ActionCancelCP=Cancel -StatutCP=Status -TitleDeleteCP=Delete the leave request -ConfirmDeleteCP=Confirm the deletion of this leave request? -ErrorCantDeleteCP=Error you don't have the right to delete this leave request. -CantCreateCP=You don't have the right to make leave requests. -InvalidValidatorCP=You must choose the approver for your leave request. -NoDateDebut=You must select a start date. -NoDateFin=You must select an end date. -ErrorDureeCP=Your leave request does not contain working day. -TitleValidCP=Approve the leave request -ConfirmValidCP=Are you sure you want to approve the leave request? -DateValidCP=Date approved -TitleToValidCP=Send leave request -ConfirmToValidCP=Are you sure you want to send the leave request? -TitleRefuseCP=Refuse the leave request -ConfirmRefuseCP=Are you sure you want to refuse the leave request? -NoMotifRefuseCP=You must choose a reason for refusing the request. -TitleCancelCP=Cancel the leave request -ConfirmCancelCP=Are you sure you want to cancel the leave request? -DetailRefusCP=Reason for refusal -DateRefusCP=Date of refusal -DateCancelCP=Date of cancellation -DefineEventUserCP=Assign an exceptional leave for a user -addEventToUserCP=Assign leave -NotTheAssignedApprover=You are not the assigned approver -MotifCP=Reason -UserCP=User -ErrorAddEventToUserCP=An error occurred while adding the exceptional leave. -AddEventToUserOkCP=The addition of the exceptional leave has been completed. -MenuLogCP=View change logs -LogCP=Log of all updates made to "Balance of Leave" -ActionByCP=Updated by -UserUpdateCP=Updated for -PrevSoldeCP=Previous Balance -NewSoldeCP=New Balance -alreadyCPexist=A leave request has already been done on this period. -FirstDayOfHoliday=Beginning day of leave request -LastDayOfHoliday=Ending day of leave request -BoxTitleLastLeaveRequests=Latest %s modified leave requests -HolidaysMonthlyUpdate=Monthly update -ManualUpdate=Manual update -HolidaysCancelation=Leave request cancelation -EmployeeLastname=Employee last name -EmployeeFirstname=Employee first name -TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests -HalfDay=Half day -NotTheAssignedApprover=You are not the assigned approver -LEAVE_PAID=Paid vacation -LEAVE_SICK=Sick leave -LEAVE_OTHER=Other leave -LEAVE_PAID_FR=Paid vacation +Holidays=ቅጠሎች +Holiday=ተወው +CPTitreMenu=ተወው +MenuReportMonth=ወርሃዊ መግለጫ +MenuAddCP=አዲስ የእረፍት ጥያቄ +MenuCollectiveAddCP=አዲስ የጋራ ፈቃድ +NotActiveModCP=ይህን ገጽ ለማየት ሞጁሉን ፈቃድ ማንቃት አለብህ። +AddCP=የእረፍት ጥያቄ አቅርቡ +DateDebCP=የመጀመሪያ ቀን +DateFinCP=የመጨረሻ ቀን +DraftCP=ረቂቅ +ToReviewCP=መጽደቅን በመጠባበቅ ላይ +ApprovedCP=ጸድቋል +CancelCP=ተሰርዟል። +RefuseCP=እምቢ አለ። +ValidatorCP=አጽዳቂ +ListeCP=የእረፍት ዝርዝር +Leave=ጥያቄ ይተው +LeaveId=መታወቂያ ይተዉት። +ReviewedByCP=በ ይፀድቃል +UserID=የተጠቃሚው መለያ +UserForApprovalID=ለማጽደቅ መታወቂያ ተጠቃሚ +UserForApprovalFirstname=የተፈቀደ ተጠቃሚ የመጀመሪያ ስም +UserForApprovalLastname=የተፈቀደ ተጠቃሚ የመጨረሻ ስም +UserForApprovalLogin=የፍቃድ ተጠቃሚ መግቢያ +DescCP=መግለጫ +SendRequestCP=የእረፍት ጥያቄ ፍጠር +DelayToRequestCP=የመልቀቅ ጥያቄ ቢያንስ %s ቀን(ዎች)b09a4b739f17f80 ከነሱ በፊት. +MenuConfCP=የእረፍት ጊዜ ሚዛን +SoldeCPUser=ቀሪ ሂሳብን ይተው (በቀናት ውስጥ)፡ %s +ErrorEndDateCP=ከመጀመሪያው ቀን የሚበልጥ የመጨረሻ ቀን መምረጥ አለብህ። +ErrorSQLCreateCP=በሚፈጠርበት ጊዜ የSQL ስህተት ተከስቷል፡- +ErrorIDFicheCP=ስህተት ተከስቷል፣ የእረፍት ጥያቄው የለም። +ReturnCP=ወደ ቀዳሚው ገጽ ተመለስ +ErrorUserViewCP=ይህን የእረፍት ጥያቄ ለማንበብ አልተፈቀደልዎትም። +InfosWorkflowCP=የመረጃ የስራ ፍሰት +RequestByCP=የተጠየቀው በ +TitreRequestCP=ጥያቄ ይተው +TypeOfLeaveId=የመልቀቂያ መታወቂያ አይነት +TypeOfLeaveCode=የፍቃድ ኮድ አይነት +TypeOfLeaveLabel=የእረፍት መለያ አይነት +NbUseDaysCP=ያገለገሉ የእረፍት ቀናት ብዛት +NbUseDaysCPHelp=ስሌቱ የሥራ ያልሆኑትን ቀናት እና በመዝገበ-ቃላቱ ውስጥ የተገለጹትን በዓላት ግምት ውስጥ ያስገባል. +NbUseDaysCPShort=የእረፍት ቀናት +NbUseDaysCPShortInMonth=በወር ውስጥ የእረፍት ቀናት +DayIsANonWorkingDay=%s የማይሰራ ቀን ነው +DateStartInMonth=መጀመሪያ ቀን በወር +DateEndInMonth=የማለቂያ ቀን በወር +EditCP=አርትዕ +DeleteCP=ሰርዝ +ActionRefuseCP=እምቢ +ActionCancelCP=ሰርዝ +StatutCP=ሁኔታ +TitleDeleteCP=የእረፍት ጥያቄውን ሰርዝ +ConfirmDeleteCP=የዚህ ፈቃድ ጥያቄ መሰረዙ ይረጋገጥ? +ErrorCantDeleteCP=ስህተት ይህንን የእረፍት ጥያቄ የመሰረዝ መብት የለዎትም። +CantCreateCP=የዕረፍት ጊዜ ጥያቄዎችን የማቅረብ መብት የለዎትም። +InvalidValidatorCP=ለእረፍት ጥያቄዎ አጽዳቂውን መምረጥ አለቦት። +InvalidValidator=የተመረጠው ተጠቃሚ አጽዳቂ አይደለም። +NoDateDebut=መጀመሪያ ቀን መምረጥ አለብህ። +NoDateFin=የማለቂያ ቀን መምረጥ አለብህ። +ErrorDureeCP=የእረፍት ጥያቄዎ የስራ ቀንን አልያዘም። +TitleValidCP=የእረፍት ጥያቄውን ያጽድቁ +ConfirmValidCP=እርግጠኛ ነዎት የእረፍት ጥያቄውን ማጽደቅ ይፈልጋሉ? +DateValidCP=የጸደቀበት ቀን +TitleToValidCP=የእረፍት ጥያቄ ላክ +ConfirmToValidCP=እርግጠኛ ነህ የእረፍት ጥያቄውን መላክ ትፈልጋለህ? +TitleRefuseCP=የእረፍት ጥያቄውን ውድቅ ያድርጉ +ConfirmRefuseCP=እርግጠኛ ነህ የእረፍት ጥያቄውን አለመቀበል ትፈልጋለህ? +NoMotifRefuseCP=ጥያቄውን ውድቅ ለማድረግ ምክንያት መምረጥ አለብህ። +TitleCancelCP=የእረፍት ጥያቄውን ሰርዝ +ConfirmCancelCP=እርግጠኛ ነህ የእረፍት ጥያቄውን መሰረዝ ትፈልጋለህ? +DetailRefusCP=እምቢ የማለት ምክንያት +DateRefusCP=ውድቅ የተደረገበት ቀን +DateCancelCP=የተሰረዘበት ቀን +DefineEventUserCP=ለአንድ ተጠቃሚ ልዩ ፈቃድ መድቡ +addEventToUserCP=ፈቃድ መድብ +NotTheAssignedApprover=እርስዎ የተመደቡት አጽዳቂ አይደሉም +MotifCP=ምክንያት +UserCP=ተጠቃሚ +ErrorAddEventToUserCP=ልዩ ፈቃድ በማከል ላይ ስህተት ተከስቷል። +AddEventToUserOkCP=ልዩ የእረፍት ጊዜ መጨመር ተጠናቅቋል. +ErrorFieldRequiredUserOrGroup=የ"ቡድን" መስኩ ወይም "ተጠቃሚ" መስኩ መሞላት አለበት። +fusionGroupsUsers=የቡድኖች መስክ እና የተጠቃሚው መስክ ይዋሃዳሉ +MenuLogCP=የለውጥ ምዝግብ ማስታወሻዎችን ይመልከቱ +LogCP=በ"Balance of Leave" ላይ የተደረጉ የሁሉም ዝመናዎች ምዝግብ ማስታወሻ +ActionByCP=የዘመነው በ +UserUpdateCP=ተዘምኗል ለ +PrevSoldeCP=የቀደመ ሚዛን +NewSoldeCP=አዲስ ሚዛን +alreadyCPexist=የዕረፍት ጊዜ ጥያቄ አስቀድሞ በዚህ ጊዜ ተከናውኗል። +UseralreadyCPexist=ለ%s በዚህ ጊዜ የእረፍት ጥያቄ ቀርቧል። +groups=ቡድኖች +users=ተጠቃሚዎች +AutoSendMail=አውቶማቲክ የፖስታ መላኪያ +NewHolidayForGroup=አዲስ የጋራ ፈቃድ +SendRequestCollectiveCP=የጋራ ፈቃድ ይፍጠሩ +AutoValidationOnCreate=ራስ-ሰር ማረጋገጫ +FirstDayOfHoliday=የፍቃድ ጥያቄ መጀመሪያ ቀን +LastDayOfHoliday=የእረፍት ጥያቄ ማብቂያ ቀን +HolidaysMonthlyUpdate=ወርሃዊ ዝማኔ +ManualUpdate=በእጅ ዝማኔ +HolidaysCancelation=የጥያቄ ስረዛን ይተው +EmployeeLastname=የሰራተኛ ስም +EmployeeFirstname=የሰራተኛ ስም +TypeWasDisabledOrRemoved=የመልቀቅ አይነት (id %s) ተሰናክሏል ወይም ተወግዷል። +LastHolidays=የቅርብ ጊዜ %s የመልቀቂያ ጥያቄዎች +AllHolidays=ሁሉም የመልቀቅ ጥያቄዎች +HalfDay=ግማሽ ቀን +NotTheAssignedApprover=እርስዎ የተመደቡት አጽዳቂ አይደሉም +LEAVE_PAID=የሚከፈልበት የእረፍት ጊዜ +LEAVE_SICK=የህመም ጊዜ የስራ ዕረፍት ፍቃድ +LEAVE_OTHER=ሌላ ዕረፍት +LEAVE_PAID_FR=የሚከፈልበት የእረፍት ጊዜ ## Configuration du Module ## -LastUpdateCP=Last automatic update of leave allocation -MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation -UpdateConfCPOK=Updated successfully. -Module27130Name= Management of leave requests -Module27130Desc= Management of leave requests -ErrorMailNotSend=An error occurred while sending email: -NoticePeriod=Notice period +LastUpdateCP=የእረፍት ምደባ የመጨረሻው ራስ-ሰር ዝማኔ +MonthOfLastMonthlyUpdate=የእረፍት ድልድል የመጨረሻ አውቶማቲክ ዝማኔ ወር +UpdateConfCPOK=በተሳካ ሁኔታ ተዘምኗል። +Module27130Name= የእረፍት ጥያቄዎች አስተዳደር +Module27130Desc= የእረፍት ጥያቄዎች አስተዳደር +ErrorMailNotSend=ኢሜል በመላክ ላይ ስህተት ተከስቷል፡- +NoticePeriod=የማስታወቂያ ጊዜ #Messages -HolidaysToValidate=Validate leave requests -HolidaysToValidateBody=Below is a leave request to validate -HolidaysToValidateDelay=This leave request will take place within a period of less than %s days. -HolidaysToValidateAlertSolde=The user who made this leave request does not have enough available days. -HolidaysValidated=Validated leave requests -HolidaysValidatedBody=Your leave request for %s to %s has been validated. -HolidaysRefused=Request denied -HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason: -HolidaysCanceled=Canceled leaved request -HolidaysCanceledBody=Your leave request for %s to %s has been canceled. -FollowedByACounter=1: This type of leave need to be followed by a counter. Counter is incremented manually or automatically and when a leave request is validated, counter is decremented.
      0: Not followed by a counter. -NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter -GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leave to setup the different types of leaves. -HolidaySetup=Setup of module Leave -HolidaysNumberingModules=Numbering models for leave requests -TemplatePDFHolidays=Template for leave requests PDF -FreeLegalTextOnHolidays=Free text on PDF -WatermarkOnDraftHolidayCards=Watermarks on draft leave requests -HolidaysToApprove=Holidays to approve -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays -HolidayBalanceMonthlyUpdate=Monthly update of holiday balance -XIsAUsualNonWorkingDay=%s is usualy a NON working day -BlockHolidayIfNegative=Block if balance negative -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative -ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted +HolidaysToValidate=የእረፍት ጥያቄዎችን ያረጋግጡ +HolidaysToValidateBody=ከዚህ በታች የማረጋገጫ ጥያቄ አለ። +HolidaysToValidateDelay=ይህ የእረፍት ጥያቄ ከ%s ቀናት ባነሰ ጊዜ ውስጥ ይካሄዳል። +HolidaysToValidateAlertSolde=ይህን የእረፍት ጥያቄ ያቀረበ ተጠቃሚ በቂ የሚገኙ ቀናት የሉትም። +HolidaysValidated=የተረጋገጡ የእረፍት ጥያቄዎች +HolidaysValidatedBody=ለ%s ወደ %s ያቀረቡት የእረፍት ጥያቄ ተረጋግጧል። +HolidaysRefused=ጥያቄ ውድቅ ተደርጓል +HolidaysRefusedBody=ለ%s ወደ %s ያቀረቡት የዕረፍት ጊዜ በሚከተለው ምክንያት ተከልክሏል፡ +HolidaysCanceled=የመልቀቅ ጥያቄ ተሰርዟል። +HolidaysCanceledBody=የ%s ወደ %s ያቀረቡት የዕረፍት ጊዜ ተሰርዟል። +FollowedByACounter=1: የዚህ አይነት ፍቃድ በቆጣሪ መከተል ያስፈልገዋል. ቆጣሪ በእጅ ወይም በራስ-ሰር ይጨምራል እና የእረፍት ጥያቄ ሲረጋገጥ ቆጣሪ ይቀንሳል።
      0፡ በቆጣሪ አይከተልም። +NoLeaveWithCounterDefined=ቆጣሪ መከተል ያለባቸው ምንም ዓይነት የእረፍት ዓይነቶች የሉም +GoIntoDictionaryHolidayTypes=የተለያዩ አይነት ቅጠሎችን ለማዘጋጀት ወደ ቤት - ማዋቀር - መዝገበ ቃላት - የእረፍት አይነት ይሂዱ። +HolidaySetup=የሞጁል ፈቃድ ማዋቀር +HolidaysNumberingModules=ለእረፍት ጥያቄዎች የቁጥር ሞዴሎች +TemplatePDFHolidays=የዕረፍት ጊዜ ጥያቄዎች PDF +FreeLegalTextOnHolidays=በፒዲኤፍ ላይ ነፃ ጽሑፍ +WatermarkOnDraftHolidayCards=በረቂቅ ፈቃድ ጥያቄዎች ላይ የውሃ ምልክቶች +HolidaysToApprove=ለማጽደቅ በዓላት +NobodyHasPermissionToValidateHolidays=ማንም ሰው የእረፍት ጥያቄዎችን ለማረጋገጥ ፍቃድ የለውም +HolidayBalanceMonthlyUpdate=የእረፍት ቀሪ ሂሳብ ወርሃዊ ዝማኔ +XIsAUsualNonWorkingDay=%s ብዙ ጊዜ የማይሰራ የስራ ቀን ነው። +BlockHolidayIfNegative=ሚዛን አሉታዊ ከሆነ አግድ +LeaveRequestCreationBlockedBecauseBalanceIsNegative=ቀሪ ሒሳብዎ አሉታዊ ስለሆነ የዚህ ፈቃድ ጥያቄ መፍጠር ታግዷል +ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=የመልቀቅ ጥያቄ %s ረቂቅ፣ መሰረዝ ወይም ለመሰረዝ እምቢ ማለት አለበት +IncreaseHolidays=የእረፍት ቀሪ ሂሳብን ይጨምሩ +HolidayRecordsIncreased= %s ቀሪ ሂሳቦች ጨምረዋል +HolidayRecordIncreased=ቀሪ ሂሳብ ጨምሯል። +ConfirmMassIncreaseHoliday=የጅምላ ፈቃድ ቀሪ ሒሳብ ይጨምራል +NumberDayAddMass=ወደ ምርጫው የሚታከልበት ቀን ቁጥር +ConfirmMassIncreaseHolidayQuestion=እርግጠኛ ነዎት የ%s የተመረጡ ሪከርዶችን ማሳደግ ይፈልጋሉ? +HolidayQtyNotModified=ለ%s የቀሩት ቀናት ሒሳብ አልተለወጠም diff --git a/htdocs/langs/am_ET/main.lang b/htdocs/langs/am_ET/main.lang index 2d850927782..fa36fedbc52 100644 --- a/htdocs/langs/am_ET/main.lang +++ b/htdocs/langs/am_ET/main.lang @@ -1,10 +1,16 @@ # Dolibarr language file - Source file is en_US - main DIRECTION=ltr +# Default for FONTFORPDF=helvetica # Note for Chinese: -# msungstdlight or cid0ct are for traditional Chinese (traditional does not render with Ubuntu pdf reader) -# stsongstdlight or cid0cs are for simplified Chinese +# msungstdlight or cid0ct are for traditional Chinese zh_TW (traditional does not render with Ubuntu pdf reader) +# stsongstdlight or cid0cs are for simplified Chinese zh_CN # To read Chinese pdf with Linux: sudo apt-get install poppler-data -FONTFORPDF=helvetica +# cid0jp is for Japanish +# cid0kr is for Korean +# DejaVuSans is for some Eastern languages, some Asian languages and some Arabic languages +# freemono is for ru_RU or uk_UA, uz_UZ +# freeserif is for Tamil and Ethiopian +FONTFORPDF=freeserif FONTSIZEFORPDF=10 SeparatorDecimal=. SeparatorThousand=, @@ -23,1144 +29,1234 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p -DatabaseConnection=Database connection -NoTemplateDefined=No template available for this email type -AvailableVariables=Available substitution variables -NoTranslation=No translation -Translation=Translation -CurrentTimeZone=TimeZone PHP (server) -EmptySearchString=Enter non empty search criterias -EnterADateCriteria=Enter a date criteria -NoRecordFound=No record found -NoRecordDeleted=No record deleted -NotEnoughDataYet=Not enough data -NoError=No error -Error=Error -Errors=Errors -ErrorFieldRequired=Field '%s' is required -ErrorFieldFormat=Field '%s' has a bad value -ErrorFileDoesNotExists=File %s does not exist -ErrorFailedToOpenFile=Failed to open file %s -ErrorCanNotCreateDir=Cannot create dir %s -ErrorCanNotReadDir=Cannot read dir %s -ErrorConstantNotDefined=Parameter %s not defined -ErrorUnknown=Unknown error -ErrorSQL=SQL Error -ErrorLogoFileNotFound=Logo file '%s' was not found -ErrorGoToGlobalSetup=Go to 'Company/Organization' setup to fix this -ErrorGoToModuleSetup=Go to Module setup to fix this -ErrorFailedToSendMail=Failed to send mail (sender=%s, receiver=%s) -ErrorFileNotUploaded=File was not uploaded. Check that size does not exceed maximum allowed, that free space is available on disk and that there is not already a file with same name in this directory. -ErrorInternalErrorDetected=Error detected -ErrorWrongHostParameter=Wrong host parameter -ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post the form again. -ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child record. -ErrorWrongValue=Wrong value -ErrorWrongValueForParameterX=Wrong value for parameter %s -ErrorNoRequestInError=No request in error -ErrorServiceUnavailableTryLater=Service not available at the moment. Try again later. -ErrorDuplicateField=Duplicate value in a unique field -ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. Changes have been rolled back. -ErrorConfigParameterNotDefined=Parameter %s is not defined in the Dolibarr config file conf.php. -ErrorCantLoadUserFromDolibarrDatabase=Failed to find user %s in Dolibarr database. -ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'. -ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'. -ErrorFailedToSaveFile=Error, failed to save file. -ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of a existing warehouse -FieldCannotBeNegative=Field "%s" cannot be negative -MaxNbOfRecordPerPage=Max. number of records per page -NotAuthorized=You are not authorized to do that. -SetDate=Set date -SelectDate=Select a date -SeeAlso=See also %s -SeeHere=See here -ClickHere=Click here -Here=Here -Apply=Apply -BackgroundColorByDefault=Default background color -FileRenamed=The file was successfully renamed -FileGenerated=The file was successfully generated -FileSaved=The file was successfully saved -FileUploaded=The file was successfully uploaded -FileTransferComplete=File(s) uploaded successfully -FilesDeleted=File(s) successfully deleted -FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. Click on "Attach file" for this. -NbOfEntries=No. of entries -GoToWikiHelpPage=Read online help (Internet access needed) -GoToHelpPage=Read help -DedicatedPageAvailable=Dedicated help page related to your current screen -HomePage=Home Page -RecordSaved=Record saved -RecordDeleted=Record deleted -RecordGenerated=Record generated -LevelOfFeature=Level of features -NotDefined=Not defined -DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is set to %s in configuration file conf.php.
      This means that the password database is external to Dolibarr, so changing this field may have no effect. -Administrator=Administrator -Undefined=Undefined -PasswordForgotten=Password forgotten? -NoAccount=No account? -SeeAbove=See above -HomeArea=Home -LastConnexion=Last login -PreviousConnexion=Previous login -PreviousValue=Previous value -ConnectedOnMultiCompany=Connected on environment -ConnectedSince=Connected since -AuthenticationMode=Authentication mode -RequestedUrl=Requested URL -DatabaseTypeManager=Database type manager -RequestLastAccessInError=Latest database access request error -ReturnCodeLastAccessInError=Return code for latest database access request error -InformationLastAccessInError=Information for latest database access request error -DolibarrHasDetectedError=Dolibarr has detected a technical error -YouCanSetOptionDolibarrMainProdToZero=You can read log file or set option $dolibarr_main_prod to '0' in your config file to get more information. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) -MoreInformation=More information -TechnicalInformation=Technical information -TechnicalID=Technical ID -LineID=Line ID -NotePublic=Note (public) -NotePrivate=Note (private) -PrecisionUnitIsLimitedToXDecimals=Dolibarr was setup to limit precision of unit prices to %s decimals. -DoTest=Test -ToFilter=Filter -NoFilter=No filter -WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance time. -yes=yes -Yes=Yes -no=no -No=No -All=All -Home=Home -Help=Help -OnlineHelp=Online help -PageWiki=Wiki page -MediaBrowser=Media browser -Always=Always -Never=Never -Under=under -Period=Period -PeriodEndDate=End date for period -SelectedPeriod=Selected period -PreviousPeriod=Previous period -Activate=Activate -Activated=Activated -Closed=Closed -Closed2=Closed -NotClosed=Not closed -Enabled=Enabled -Enable=Enable -Deprecated=Deprecated -Disable=Disable -Disabled=Disabled -Add=Add -AddLink=Add link -RemoveLink=Remove link -AddToDraft=Add to draft -Update=Update -Close=Close -CloseAs=Set status to -CloseBox=Remove widget from your dashboard -Confirm=Confirm -ConfirmSendCardByMail=Do you really want to send the content of this card by mail to %s? -Delete=Delete -Remove=Remove -Resiliate=Terminate -Cancel=Cancel -Modify=Modify -Edit=Edit -Validate=Validate -ValidateAndApprove=Validate and Approve -ToValidate=To validate -NotValidated=Not validated -Save=Save -SaveAs=Save As -SaveAndStay=Save and stay -SaveAndNew=Save and new -TestConnection=Test connection -ToClone=Clone -ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose the data you want to clone: -NoCloneOptionsSpecified=No data to clone defined. -Of=of -Go=Go -Run=Run -CopyOf=Copy of -Show=Show -Hide=Hide -ShowCardHere=Show card -Search=Search -SearchOf=Search -SearchMenuShortCut=Ctrl + shift + f -QuickAdd=Quick add -QuickAddMenuShortCut=Ctrl + shift + l -Valid=Valid -Approve=Approve -Disapprove=Disapprove -ReOpen=Re-Open -Upload=Upload -ToLink=Link -Select=Select -SelectAll=Select all -Choose=Choose -Resize=Resize -ResizeOrCrop=Resize or Crop -Recenter=Recenter -Author=Author -User=User -Users=Users -Group=Group -Groups=Groups -UserGroup=User group -UserGroups=User groups -NoUserGroupDefined=No user group defined -Password=Password -PasswordRetype=Retype your password -NoteSomeFeaturesAreDisabled=Note that a lot of features/modules are disabled in this demonstration. -Name=Name -NameSlashCompany=Name / Company -Person=Person -Parameter=Parameter -Parameters=Parameters -Value=Value -PersonalValue=Personal value -NewObject=New %s -NewValue=New value -OldValue=Old value %s -CurrentValue=Current value -Code=Code -Type=Type -Language=Language -MultiLanguage=Multi-language -Note=Note -Title=Title -Label=Label -RefOrLabel=Ref. or label -Info=Log -Family=Family -Description=Description -Designation=Description -DescriptionOfLine=Description of line -DateOfLine=Date of line -DurationOfLine=Duration of line -Model=Doc template -DefaultModel=Default doc template -Action=Event -About=About -Number=Number -NumberByMonth=Total reports by month -AmountByMonth=Amount by month -Numero=Number -Limit=Limit -Limits=Limits -Logout=Logout -NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode %s -Connection=Login -Setup=Setup -Alert=Alert -MenuWarnings=Alerts -Previous=Previous -Next=Next -Cards=Cards -Card=Card -Now=Now -HourStart=Start hour -Deadline=Deadline -Date=Date -DateAndHour=Date and hour -DateToday=Today's date -DateReference=Reference date -DateStart=Start date -DateEnd=End date -DateCreation=Creation date -DateCreationShort=Creat. date -IPCreation=Creation IP -DateModification=Modification date -DateModificationShort=Modif. date -IPModification=Modification IP -DateLastModification=Latest modification date -DateValidation=Validation date -DateSigning=Signing date -DateClosing=Closing date -DateDue=Due date -DateValue=Value date -DateValueShort=Value date -DateOperation=Operation date -DateOperationShort=Oper. Date -DateLimit=Limit date -DateRequest=Request date -DateProcess=Process date -DateBuild=Report build date -DatePayment=Date of payment -DateApprove=Approving date -DateApprove2=Approving date (second approval) -RegistrationDate=Registration date -UserCreation=Creation user -UserModification=Modification user -UserValidation=Validation user -UserCreationShort=Creat. user -UserModificationShort=Modif. user -UserValidationShort=Valid. user -DurationYear=year -DurationMonth=month -DurationWeek=week -DurationDay=day -DurationYears=years -DurationMonths=months -DurationWeeks=weeks -DurationDays=days -Year=Year -Month=Month -Week=Week -WeekShort=Week -Day=Day -Hour=Hour -Minute=Minute -Second=Second -Years=Years -Months=Months -Days=Days -days=days -Hours=Hours -Minutes=Minutes -Seconds=Seconds -Weeks=Weeks -Today=Today -Yesterday=Yesterday -Tomorrow=Tomorrow -Morning=Morning -Afternoon=Afternoon -Quadri=Quadri -MonthOfDay=Month of the day -DaysOfWeek=Days of week -HourShort=H +DatabaseConnection=የውሂብ ጎታ ግንኙነት +NoTemplateDefined=ለዚህ ኢሜይል አይነት ምንም አብነት የለም። +AvailableVariables=የሚገኙ ተለዋዋጮች +NoTranslation=ምንም ትርጉም የለም +Translation=ትርጉም +Translations=ትርጉሞች +CurrentTimeZone=TimeZone PHP (አገልጋይ) +EmptySearchString=ባዶ ያልሆነ የፍለጋ መስፈርት ያስገቡ +EnterADateCriteria=የቀን መስፈርት ያስገቡ +NoRecordFound=ምንም መዝገብ አልተገኘም። +NoRecordDeleted=ምንም መዝገብ አልተሰረዘም +NotEnoughDataYet=በቂ መረጃ የለም። +NoError=ምንም ስህተት የለም። +Error=ስህተት +Errors=ስህተቶች +ErrorFieldRequired=መስክ '%s ያስፈልጋል +ErrorFieldFormat=መስክ '%s መጥፎ እሴት አለው +ErrorFileDoesNotExists=ፋይል %s የለም +ErrorFailedToOpenFile=ፋይልን መክፈት አልተሳካም %s +ErrorCanNotCreateDir=dir %s መፍጠር አይቻልም +ErrorCanNotReadDir=dir %s ማንበብ አይቻልም +ErrorConstantNotDefined=መለኪያ %s አልተገለጸም +ErrorUnknown=ያልታወቀ ስህተት +ErrorSQL=የ SQL ስህተት +ErrorLogoFileNotFound=የሎጎ ፋይል %s አልተገኘም +ErrorGoToGlobalSetup=ይህንን ለማስተካከል ወደ 'ኩባንያ/ድርጅት' ማዋቀር ይሂዱ +ErrorGoToModuleSetup=ይህንን ለማስተካከል ወደ ሞጁል ማዋቀር ይሂዱ +ErrorFailedToSendMail=ደብዳቤ መላክ አልተሳካም (ላኪ=%s, receiver=%s) +ErrorFileNotUploaded=ፋይል አልተጫነም። መጠኑ ከሚፈቀደው ከፍተኛው በላይ እንዳልሆነ፣ ነፃ ቦታ በዲስክ ላይ እንዳለ እና በዚህ ማውጫ ውስጥ ተመሳሳይ ስም ያለው ፋይል እንደሌለ ያረጋግጡ። +ErrorInternalErrorDetected=ስህተት ተገኝቷል +ErrorWrongHostParameter=የተሳሳተ የአስተናጋጅ መለኪያ +ErrorYourCountryIsNotDefined=አገርህ አልተገለጸም። ወደ Home-Setup-Company/Foundation ይሂዱ እና ቅጹን እንደገና ይለጥፉ። +ErrorRecordIsUsedByChild=ይህን መዝገብ መሰረዝ አልተሳካም። ይህ መዝገብ ቢያንስ በአንድ የልጅ መዝገብ ጥቅም ላይ ይውላል። +ErrorWrongValue=የተሳሳተ እሴት +ErrorWrongValueForParameterX=ለፓራሜትር የተሳሳተ ዋጋ %s +ErrorNoRequestInError=ምንም ጥያቄ በስህተት የለም። +ErrorServiceUnavailableTryLater=አገልግሎቱ በአሁኑ ጊዜ አይገኝም። ቆይተው እንደገና ይሞክሩ። +ErrorDuplicateField=በልዩ መስክ ውስጥ የተባዛ እሴት +ErrorSomeErrorWereFoundRollbackIsDone=አንዳንድ ስህተቶች ተገኝተዋል። ለውጦች ወደ ኋላ ተመልሰዋል። +ErrorConfigParameterNotDefined=መለኪያ %s በዶሊ ፓንባር ፋይሉ ውስጥ አልተገለጸም class='notranslate'>
      conf.php። +ErrorCantLoadUserFromDolibarrDatabase=ተጠቃሚን ማግኘት አልተሳካም %s በ Dolibarr. +ErrorNoVATRateDefinedForSellerCountry=ስህተት፣ ለአገር '%s' የተገለጹ የቫት ተመኖች የሉም። +ErrorNoSocialContributionForSellerCountry=ስህተት፣ ለሀገር '%s' የተገለጸ የማህበራዊ/የፋይስካል ታክስ አይነት የለም። +ErrorFailedToSaveFile=ስህተት፣ ፋይል ማስቀመጥ አልተሳካም። +ErrorCannotAddThisParentWarehouse=ቀድሞውኑ ያለ መጋዘን ልጅ የሆነ የወላጅ መጋዘን ለመጨመር እየሞከርክ ነው። +ErrorInvalidSubtype=የተመረጠ ንዑስ ዓይነት አይፈቀድም። +FieldCannotBeNegative=መስክ "%s" አሉታዊ ሊሆን አይችልም +MaxNbOfRecordPerPage=ከፍተኛ. በአንድ ገጽ የመዝገብ ብዛት +NotAuthorized=ያንን ለማድረግ ስልጣን የለዎትም። +SetDate=ቀን አዘጋጅ +SelectDate=ቀን ይምረጡ +SeeAlso=በተጨማሪ ይመልከቱ %s +SeeHere=እዚ እዩ። +ClickHere=እዚህ ጠቅ ያድርጉ +Here=እዚህ +Apply=ያመልክቱ +BackgroundColorByDefault=ነባሪ የበስተጀርባ ቀለም +FileRenamed=የፋይሉ ስም በተሳካ ሁኔታ ተቀይሯል። +FileGenerated=ፋይሉ በተሳካ ሁኔታ ተፈጥሯል። +FileSaved=ፋይሉ በተሳካ ሁኔታ ተቀምጧል +FileUploaded=ፋይሉ በተሳካ ሁኔታ ተሰቅሏል። +FileTransferComplete=ፋይል(ዎች) በተሳካ ሁኔታ ተሰቅሏል። +FilesDeleted=ፋይል(ዎች) በተሳካ ሁኔታ ተሰርዟል። +FileWasNotUploaded=አንድ ፋይል ለአባሪ ተመርጧል ነገር ግን ገና አልተጫነም። ለዚህ "ፋይል አያይዝ" የሚለውን ጠቅ ያድርጉ. +NbOfEntries=የመግቢያ ብዛት +GoToWikiHelpPage=የመስመር ላይ እገዛን ያንብቡ (የበይነመረብ መዳረሻ ያስፈልጋል) +GoToHelpPage=እገዛ ያንብቡ +DedicatedPageAvailable=ከአሁኑ ማያ ገጽዎ ጋር የሚዛመድ ልዩ የእገዛ ገጽ +HomePage=መነሻ ገጽ +RecordSaved=መዝገብ ተቀምጧል +RecordDeleted=መዝገብ ተሰርዟል። +RecordGenerated=መዝገብ ተፈጠረ +LevelOfFeature=የባህሪዎች ደረጃ +NotDefined=አልተገለጸም። +DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr የማረጋገጫ ሁነታ ወደ %sb09a4b739f17f80 ፋይል ውቅር ተቀናብሯል class='notranslate'>conf.php.
      ይህ ማለት የውሂብ ጎታው ውጫዊ ነው ማለት ነው. ዶሊባርር, ስለዚህ ይህንን መስክ መቀየር ምንም ውጤት ላይኖረው ይችላል. +Administrator=የስርዓት አስተዳዳሪ +AdministratorDesc=የስርዓት አስተዳዳሪ (ተጠቃሚን ፣ ፈቃዶችን ግን የስርዓት ማዋቀር እና የሞጁሎችን ውቅር ማስተዳደር ይችላል) +Undefined=ያልተገለጸ +PasswordForgotten=የይለፍ ቃል ተረሳ? +NoAccount=መለያ የለም? +SeeAbove=ከላይ ይመልከቱ +HomeArea=ቤት +LastConnexion=የመጨረሻ መግቢያ +PreviousConnexion=ቀዳሚ መግቢያ +PreviousValue=ቀዳሚ እሴት +ConnectedOnMultiCompany=በአካባቢ ላይ ተገናኝቷል +ConnectedSince=ጀምሮ ተገናኝቷል። +AuthenticationMode=የማረጋገጫ ሁነታ +RequestedUrl=የተጠየቀ ዩአርኤል +DatabaseTypeManager=የውሂብ ጎታ አይነት አስተዳዳሪ +RequestLastAccessInError=የቅርብ ጊዜ የውሂብ ጎታ መዳረሻ ጥያቄ ስህተት +ReturnCodeLastAccessInError=ለቅርብ ጊዜ የውሂብ ጎታ መዳረሻ ጥያቄ ስህተት ኮድ ተመለስ +InformationLastAccessInError=የቅርብ ጊዜ የውሂብ ጎታ መዳረሻ ጥያቄ ስህተት መረጃ +DolibarrHasDetectedError=ዶሊባርር ቴክኒካዊ ስህተት አግኝቷል +YouCanSetOptionDolibarrMainProdToZero=ተጨማሪ መረጃ ለማግኘት የሎግ ፋይሉን ማንበብ ወይም አማራጭ $dolibarr_main_prod ወደ '0' ማቀናበር ይችላሉ። +InformationToHelpDiagnose=ይህ መረጃ ለምርመራ ዓላማዎች ጠቃሚ ሊሆን ይችላል (ሚስጥራዊነት ያለው መረጃ ለመደበቅ $dolibarr_main_prod ወደ '1' አማራጭ ማቀናበር ይችላሉ) +MoreInformation=ተጨማሪ መረጃ +TechnicalInformation=ቴክኒካዊ መረጃ +TechnicalID=የቴክኒክ መታወቂያ +LineID=የመስመር መታወቂያ +NotePublic=ማስታወሻ (ይፋዊ) +NotePrivate=ማስታወሻ (የግል) +PrecisionUnitIsLimitedToXDecimals=ዶሊባር የተዋቀረው የዋጋ ትክክለኝነት ወደ %sb09a4b739f17f>b09a4b739f17f . +DoTest=ሙከራ +ToFilter=አጣራ +NoFilter=ማጣሪያ የለም። +WarningYouHaveAtLeastOneTaskLate=ማስጠንቀቂያ፣ ከመቻቻል ጊዜ ያለፈ ቢያንስ አንድ አካል አለዎት። +yes=አዎ +Yes=አዎ +no=አይ +No=አይ +All=ሁሉም +Home=ቤት +Help=እገዛ +OnlineHelp=የመስመር ላይ እገዛ +PageWiki=የዊኪ ገጽ +MediaBrowser=የሚዲያ አሳሽ +Always=ሁሌም +Never=በጭራሽ +Under=ስር +Period=ጊዜ +PeriodEndDate=የጊዜ ማብቂያ ቀን +SelectedPeriod=የተመረጠ ክፍለ ጊዜ +PreviousPeriod=ያለፈ ጊዜ +Activate=አግብር +Activated=ነቅቷል +Closed=ዝግ +Closed2=ዝግ +NotClosed=አልተዘጋም። +Enabled=ነቅቷል +Enable=አንቃ +Deprecated=ተቋርጧል +Disable=አሰናክል +Disabled=ተሰናክሏል። +Add=አክል +AddLink=አገናኝ ጨምር +RemoveLink=አገናኝ አስወግድ +AddToDraft=ወደ ረቂቅ ጨምር +Update=አዘምን +Close=ገጠመ +CloseAs=ሁኔታ አቀናብር ወደ +CloseBox=መግብርን ከዳሽቦርድዎ ያስወግዱ +Confirm=አረጋግጥ +ConfirmSendCardByMail=የምር የዚህን ካርድ ይዘት በደብዳቤ ወደ %sb09a4b739f17f17f መላክ ይፈልጋሉ? /ስፓን>? +Delete=ሰርዝ +Remove=አስወግድ +Resiliate=አቋርጥ +Cancel=ሰርዝ +Modify=አስተካክል። +Edit=አርትዕ +Validate=አረጋግጥ +ValidateAndApprove=አረጋግጥ እና አጽድቅ +ToValidate=ለማረጋገጥ +NotValidated=አልተረጋገጠም። +Save=አስቀምጥ +SaveAs=አስቀምጥ እንደ +SaveAndStay=ያስቀምጡ እና ይቆዩ +SaveAndNew=አስቀምጥ እና አዲስ +TestConnection=ግንኙነትን ይሞክሩ +ToClone=ክሎን +ConfirmCloneAsk=እርግጠኛ ነህ ነገሩን %s +ConfirmClone=ለመቅዳት የሚፈልጉትን ውሂብ ይምረጡ፡- +NoCloneOptionsSpecified=የሚገለጽ ውሂብ የለም። +Of=የ +Go=ሂድ +Run=ሩጡ +CopyOf=ቅጂ የ +Show=አሳይ +Hide=ደብቅ +ShowCardHere=ካርድ አሳይ +Search=ፈልግ +SearchOf=ፈልግ +QuickAdd=በፍጥነት ይጨምሩ +Valid=የሚሰራ +Approve=አጽድቅ +Disapprove=አልቀበልም። +ReOpen=እንደገና ክፈት +OpenVerb=ክፈት +Upload=ስቀል +ToLink=አገናኝ +Select=ይምረጡ +SelectAll=ሁሉንም ምረጥ +Choose=ይምረጡ +Resize=መጠን ቀይር +Crop=ሰብል +ResizeOrCrop=መጠን ይቀይሩ ወይም ይከርክሙ +Author=ደራሲ +User=ተጠቃሚ +Users=ተጠቃሚዎች +Group=ቡድን +Groups=ቡድኖች +UserGroup=የተጠቃሚ ቡድን +UserGroups=የተጠቃሚ ቡድኖች +NoUserGroupDefined=ምንም የተጠቃሚ ቡድን አልተገለጸም። +Password=የይለፍ ቃል +PasswordRetype=የይለፍ ቃልዎን ይድገሙት +NoteSomeFeaturesAreDisabled=በዚህ ማሳያ ላይ ብዙ ባህሪያት/ሞዱሎች እንደተሰናከሉ ልብ ይበሉ። +YourUserFile=የተጠቃሚ ፋይልህ +Name=ስም +NameSlashCompany=ስም / ኩባንያ +Person=ሰው +Parameter=መለኪያ +Parameters=መለኪያዎች +Value=ዋጋ +PersonalValue=የግል ዋጋ +NewObject=አዲስ %s +NewValue=አዲስ እሴት +OldValue=የድሮ እሴት %s +FieldXModified=መስክ %s ተቀይሯል +FieldXModifiedFromYToZ=መስክ %s ከ%s ወደ %s የተቀየረ +CurrentValue=የአሁኑ ዋጋ +Code=ኮድ +Type=ዓይነት +Language=ቋንቋ +MultiLanguage=ባለብዙ ቋንቋ +Note=ማስታወሻ +Title=ርዕስ +Label=መለያ +RefOrLabel=ማጣቀሻ. ወይም መለያ +Info=መዝገብ +Family=ቤተሰብ +Description=መግለጫ +Designation=መግለጫ +DescriptionOfLine=የመስመር መግለጫ +DateOfLine=የመስመሩ ቀን +DurationOfLine=የመስመር ቆይታ +ParentLine=የወላጅ መስመር መታወቂያ +Model=የሰነድ አብነት +DefaultModel=ነባሪ የሰነድ አብነት +Action=ክስተት +About=ስለ +Number=ቁጥር +NumberByMonth=ጠቅላላ ሪፖርቶች በወር +AmountByMonth=መጠን በወር +Numero=ቁጥር +Limit=ገደብ +Limits=ገደቦች +Logout=ውጣ +NoLogoutProcessWithAuthMode=ከማረጋገጫ ሁነታ ጋር ምንም አይነት የሚተገበር የማቋረጥ ባህሪ የለም %s9a4b739f17f8z +Connection=ግባ +Setup=አዘገጃጀት +Alert=ማንቂያ +MenuWarnings=ማንቂያዎች +Previous=ቀዳሚ +Next=ቀጥሎ +Cards=ካርዶች +Card=ካርድ +Now=አሁን +HourStart=የመጀመሪያ ሰዓት +Deadline=ማለቂያ ሰአት +Date=ቀን +DateAndHour=ቀን እና ሰዓት +DateToday=የዛሬው ቀን +DateReference=የማጣቀሻ ቀን +DateStart=የመጀመሪያ ቀን +DateEnd=የመጨረሻ ቀን +DateCreation=የተፈጠረበት ቀን +DateCreationShort=ፍጠር። ቀን +IPCreation=ፍጥረት አይፒ +DateModification=የማሻሻያ ቀን +DateModificationShort=ሞዲፍ ቀን +IPModification=ማሻሻያ አይፒ +DateLastModification=የቅርብ ጊዜ ማሻሻያ ቀን +DateValidation=የማረጋገጫ ቀን +DateSigning=የተፈረመበት ቀን +DateClosing=መዝጊያ ቀን +DateDue=የመጨረሻ ማስረከቢያ ቀን +DateValue=ዋጋ ቀን +DateValueShort=ዋጋ ቀን +DateOperation=የስራ ቀን +DateOperationShort=ኦፔር ቀን +DateLimit=ቀን ገደብ +DateRequest=የጥያቄ ቀን +DateProcess=የሂደቱ ቀን +DateBuild=የግንባታ ቀን ሪፖርት ያድርጉ +DatePayment=የሚከፈልበት ቀን +DateApprove=የፀደቀበት ቀን +DateApprove2=የጸደቀበት ቀን (ሁለተኛ ማረጋገጫ) +RegistrationDate=የምዝገባ ቀን +UserCreation=የፍጥረት ተጠቃሚ +UserModification=የማሻሻያ ተጠቃሚ +UserValidation=የማረጋገጫ ተጠቃሚ +UserCreationShort=ፍጠር። ተጠቃሚ +UserModificationShort=ሞዲፍ ተጠቃሚ +UserValidationShort=የሚሰራ። ተጠቃሚ +UserClosing=ተጠቃሚን በመዝጋት ላይ +UserClosingShort=ተጠቃሚን በመዝጋት ላይ +DurationYear=አመት +DurationMonth=ወር +DurationWeek=ሳምንት +DurationDay=ቀን +DurationYears=ዓመታት +DurationMonths=ወራት +DurationWeeks=ሳምንታት +DurationDays=ቀናት +Year=አመት +Month=ወር +Week=ሳምንት +WeekShort=ሳምንት +Day=ቀን +Hour=ሰአት +Minute=ደቂቃ +Second=ሁለተኛ +Years=ዓመታት +Months=ወራት +Days=ቀናት +days=ቀናት +Hours=ሰዓታት +Minutes=ደቂቃዎች +Seconds=ሰከንዶች +Weeks=ሳምንታት +Today=ዛሬ +Yesterday=ትናንት +Tomorrow=ነገ +Morning=ጠዋት +Afternoon=ከሰአት +Quadri=ኳድሪ +MonthOfDay=የቀኑ ወር +DaysOfWeek=የሳምንቱ ቀናት +HourShort=ኤች MinuteShort=mn -Rate=Rate -CurrencyRate=Currency conversion rate -UseLocalTax=Include tax -Bytes=Bytes -KiloBytes=Kilobytes -MegaBytes=Megabytes -GigaBytes=Gigabytes -TeraBytes=Terabytes -UserAuthor=Ceated by -UserModif=Updated by -b=b. -Kb=Kb -Mb=Mb -Gb=Gb -Tb=Tb -Cut=Cut -Copy=Copy -Paste=Paste -Default=Default -DefaultValue=Default value -DefaultValues=Default values/filters/sorting -Price=Price -PriceCurrency=Price (currency) -UnitPrice=Unit price -UnitPriceHT=Unit price (excl.) -UnitPriceHTCurrency=Unit price (excl.) (currency) -UnitPriceTTC=Unit price -PriceU=U.P. -PriceUHT=U.P. (net) -PriceUHTCurrency=U.P (net) (currency) -PriceUTTC=U.P. (inc. tax) -Amount=Amount -AmountInvoice=Invoice amount -AmountInvoiced=Amount invoiced -AmountInvoicedHT=Amount invoiced (excl. tax) -AmountInvoicedTTC=Amount invoiced (inc. tax) -AmountPayment=Payment amount -AmountHTShort=Amount (excl.) -AmountTTCShort=Amount (inc. tax) -AmountHT=Amount (excl. tax) -AmountTTC=Amount (inc. tax) -AmountVAT=Amount tax -MulticurrencyAlreadyPaid=Already paid, original currency -MulticurrencyRemainderToPay=Remain to pay, original currency -MulticurrencyPaymentAmount=Payment amount, original currency -MulticurrencyAmountHT=Amount (excl. tax), original currency -MulticurrencyAmountTTC=Amount (inc. of tax), original currency -MulticurrencyAmountVAT=Amount tax, original currency -MulticurrencySubPrice=Amount sub price multi currency -AmountLT1=Amount tax 2 -AmountLT2=Amount tax 3 -AmountLT1ES=Amount RE -AmountLT2ES=Amount IRPF -AmountTotal=Total amount -AmountAverage=Average amount -PriceQtyMinHT=Price quantity min. (excl. tax) -PriceQtyMinHTCurrency=Price quantity min. (excl. tax) (currency) -PercentOfOriginalObject=Percent of original object -AmountOrPercent=Amount or percent -Percentage=Percentage -Total=Total -SubTotal=Subtotal -TotalHTShort=Total (excl.) -TotalHT100Short=Total 100%% (excl.) -TotalHTShortCurrency=Total (excl. in currency) -TotalTTCShort=Total (inc. tax) -TotalHT=Total (excl. tax) -TotalHTforthispage=Total (excl. tax) for this page -Totalforthispage=Total for this page -TotalTTC=Total (inc. tax) -TotalTTCToYourCredit=Total (inc. tax) to your credit -TotalVAT=Total tax -TotalVATIN=Total IGST -TotalLT1=Total tax 2 -TotalLT2=Total tax 3 -TotalLT1ES=Total RE -TotalLT2ES=Total IRPF -TotalLT1IN=Total CGST -TotalLT2IN=Total SGST -HT=Excl. tax -TTC=Inc. tax -INCVATONLY=Inc. VAT -INCT=Inc. all taxes -VAT=Sales tax +SecondShort=ሰከንድ +Rate=ደረጃ ይስጡ +CurrencyRate=የምንዛሬ ልወጣ መጠን +UseLocalTax=ግብርን ያካትቱ +Bytes=ባይት +KiloBytes=ኪሎባይትስ +MegaBytes=ሜጋባይት +GigaBytes=ጊጋባይት +TeraBytes=ቴራባይት +UserAuthor=የተፈጠረ +UserModif=የዘመነው በ +b=ለ. +Kb=ኪ.ቢ +Mb=ሜቢ +Gb=ጂቢ +Tb=ቲ.ቢ +Cut=ቁረጥ +Copy=ቅዳ +Paste=ለጥፍ +Default=ነባሪ +DefaultValue=ነባሪ እሴት +DefaultValues=ነባሪ እሴቶች/ማጣሪያዎች/መደርደር +Price=ዋጋ +PriceCurrency=ዋጋ (ምንዛሪ) +UnitPrice=ነጠላ ዋጋ +UnitPriceHT=የክፍል ዋጋ (ከዚህ ውጪ) +UnitPriceHTCurrency=የአሃድ ዋጋ (ከዚህ ውጪ) (ምንዛሪ) +UnitPriceTTC=ነጠላ ዋጋ +PriceU=ዩ.ፒ. +PriceUHT=ዩ.ፒ. (መረብ) +PriceUHTCurrency=U.P (የተጣራ) (ምንዛሪ) +PriceUTTC=ዩ.ፒ. (ግብርን ጨምሮ) +Amount=መጠን +AmountInvoice=የክፍያ መጠየቂያ መጠን +AmountInvoiced=የተከፈለው መጠን +AmountInvoicedHT=የተከፈለው መጠን (ከግብር በስተቀር) +AmountInvoicedTTC=የተከፈለበት መጠን (ግብርን ጨምሮ) +AmountPayment=የክፍያ መጠን +AmountHTShort=መጠን (ከዚህ ውጪ) +AmountTTCShort=መጠን (ግብርን ጨምሮ) +AmountHT=መጠን (ከግብር በስተቀር) +AmountTTC=መጠን (ግብርን ጨምሮ) +AmountVAT=መጠን ግብር +MulticurrencyAlreadyPaid=አስቀድሞ የተከፈለ፣ የመጀመሪያ ምንዛሬ +MulticurrencyRemainderToPay=ለመክፈል ቀርቷል፣ ኦሪጅናል ምንዛሬ +MulticurrencyPaymentAmount=የክፍያ መጠን፣ የመጀመሪያው ምንዛሬ +MulticurrencyAmountHT=መጠን (ከግብር በስተቀር)፣ የመጀመሪያው ምንዛሬ +MulticurrencyAmountTTC=መጠን (የታክስ መጠን)፣ የመጀመሪያ ምንዛሬ +MulticurrencyAmountVAT=መጠን ግብር፣ ኦሪጅናል ምንዛሬ +MulticurrencySubPrice=መጠን ንዑስ ዋጋ ባለብዙ ምንዛሪ +AmountLT1=የግብር መጠን 2 +AmountLT2=የግብር መጠን 3 +AmountLT1ES=መጠን RE +AmountLT2ES=የ IRPF መጠን +AmountTotal=አጠቃላይ ድምሩ +AmountAverage=አማካይ መጠን +PriceQtyMinHT=የዋጋ ብዛት ደቂቃ (ከግብር በስተቀር) +PriceQtyMinHTCurrency=የዋጋ ብዛት ደቂቃ (ከግብር በስተቀር) (ምንዛሬ) +PercentOfOriginalObject=የዋናው ነገር መቶኛ +AmountOrPercent=መጠን ወይም መቶኛ +Percentage=መቶኛ +Total=ጠቅላላ +SubTotal=ንዑስ ድምር +TotalHTShort=ጠቅላላ (ከዚህ ውጪ) +TotalHT100Short=ጠቅላላ 100%% (ከዚህ ውጪ) +TotalHTShortCurrency=ጠቅላላ (በምንዛሬ በስተቀር) +TotalTTCShort=ጠቅላላ (ግብርን ጨምሮ) +TotalHT=ጠቅላላ (ከግብር በስተቀር) +TotalHTforthispage=ጠቅላላ (ከግብር በስተቀር) ለዚህ ገጽ +Totalforthispage=ለዚህ ገጽ አጠቃላይ +TotalTTC=ጠቅላላ (ግብርን ጨምሮ) +TotalTTCToYourCredit=ጠቅላላ (ግብርን ጨምሮ) ለእርስዎ ክሬዲት +TotalVAT=ጠቅላላ ግብር +TotalVATIN=ጠቅላላ IGST +TotalLT1=ጠቅላላ ግብር 2 +TotalLT2=ጠቅላላ ግብር 3 +TotalLT1ES=ጠቅላላ RE +TotalLT2ES=ጠቅላላ IRPF +TotalLT1IN=ጠቅላላ CGST +TotalLT2IN=ጠቅላላ SGST +HT=ማክላ ግብር +TTC=Inc. ታክስ +INCVATONLY=ተ.እ.ታ +INCT=ሁሉንም ግብሮች Inc +VAT=የሽያጭ ቀረጥ VATIN=IGST -VATs=Sales taxes -VATINs=IGST taxes -LT1=Sales tax 2 -LT1Type=Sales tax 2 type -LT2=Sales tax 3 -LT2Type=Sales tax 3 type +VATs=የሽያጭ ግብሮች +VATINs=IGST ግብሮች +LT1=የሽያጭ ታክስ 2 +LT1Type=የሽያጭ ታክስ 2 ዓይነት +LT2=የሽያጭ ግብር 3 +LT2Type=የሽያጭ ታክስ 3 ዓይነት LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Additionnal cents -VATRate=Tax Rate -RateOfTaxN=Rate of tax %s -VATCode=Tax Rate code -VATNPR=Tax Rate NPR -DefaultTaxRate=Default tax rate -Average=Average -Sum=Sum -Delta=Delta -StatusToPay=To pay -RemainToPay=Remain to pay -Module=Module/Application -Modules=Modules/Applications -Option=Option -Filters=Filters -List=List -FullList=Full list -FullConversation=Full conversation -Statistics=Statistics -OtherStatistics=Other statistics -Status=Status -Favorite=Favorite -ShortInfo=Info. -Ref=Ref. -ExternalRef=Ref. extern -RefSupplier=Ref. vendor -RefPayment=Ref. payment -CommercialProposalsShort=Commercial proposals -Comment=Comment -Comments=Comments -ActionsToDo=Events to do -ActionsToDoShort=To do -ActionsDoneShort=Done -ActionNotApplicable=Not applicable -ActionRunningNotStarted=To start -ActionRunningShort=In progress -ActionDoneShort=Finished -ActionUncomplete=Incomplete -LatestLinkedEvents=Latest %s linked events -CompanyFoundation=Company/Organization -Accountant=Accountant -ContactsForCompany=Contacts for this third party -ContactsAddressesForCompany=Contacts/addresses for this third party -AddressesForCompany=Addresses for this third party -ActionsOnCompany=Events for this third party -ActionsOnContact=Events for this contact/address -ActionsOnContract=Events for this contract -ActionsOnMember=Events about this member -ActionsOnProduct=Events about this product -NActionsLate=%s late -ToDo=To do -Completed=Completed -Running=In progress -RequestAlreadyDone=Request already recorded -Filter=Filter -FilterOnInto=Search criteria '%s' into fields %s -RemoveFilter=Remove filter -ChartGenerated=Chart generated -ChartNotGenerated=Chart not generated -GeneratedOn=Build on %s -Generate=Generate -Duration=Duration -TotalDuration=Total duration -Summary=Summary -DolibarrStateBoard=Database Statistics -DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No open element to process -Available=Available -NotYetAvailable=Not yet available -NotAvailable=Not available -Categories=Tags/categories -Category=Tag/category -By=By -From=From -FromDate=From -FromLocation=From -to=to -To=to -ToDate=to -ToLocation=to -at=at -and=and -or=or -Other=Other -Others=Others -OtherInformations=Other information -Quantity=Quantity -Qty=Qty -ChangedBy=Changed by -ApprovedBy=Approved by -ApprovedBy2=Approved by (second approval) -Approved=Approved -Refused=Refused -ReCalculate=Recalculate -ResultKo=Failure -Reporting=Reporting -Reportings=Reporting -Draft=Draft -Drafts=Drafts -StatusInterInvoiced=Invoiced -Validated=Validated -ValidatedToProduce=Validated (To produce) -Opened=Open -OpenAll=Open (All) -ClosedAll=Closed (All) -New=New -Discount=Discount -Unknown=Unknown -General=General -Size=Size -OriginalSize=Original size -Received=Received -Paid=Paid -Topic=Subject -ByCompanies=By third parties -ByUsers=By user -Links=Links -Link=Link -Rejects=Rejects -Preview=Preview -NextStep=Next step -Datas=Data -None=None -NoneF=None -NoneOrSeveral=None or several -Late=Late -LateDesc=An item is defined as Delayed as per the system configuration in menu Home - Setup - Alerts. -NoItemLate=No late item -Photo=Picture -Photos=Pictures -AddPhoto=Add picture -DeletePicture=Picture delete -ConfirmDeletePicture=Confirm picture deletion? -Login=Login -LoginEmail=Login (email) -LoginOrEmail=Login or Email -CurrentLogin=Current login -EnterLoginDetail=Enter login details -January=January -February=February -March=March -April=April -May=May -June=June -July=July -August=August -September=September -October=October -November=November -December=December -Month01=January -Month02=February -Month03=March -Month04=April -Month05=May -Month06=June -Month07=July -Month08=August -Month09=September -Month10=October -Month11=November -Month12=December -MonthShort01=Jan -MonthShort02=Feb -MonthShort03=Mar -MonthShort04=Apr -MonthShort05=May -MonthShort06=Jun -MonthShort07=Jul -MonthShort08=Aug -MonthShort09=Sep -MonthShort10=Oct -MonthShort11=Nov -MonthShort12=Dec -MonthVeryShort01=J -MonthVeryShort02=F -MonthVeryShort03=M -MonthVeryShort04=A -MonthVeryShort05=M -MonthVeryShort06=J -MonthVeryShort07=J -MonthVeryShort08=A -MonthVeryShort09=S -MonthVeryShort10=O -MonthVeryShort11=N -MonthVeryShort12=D -AttachedFiles=Attached files and documents -JoinMainDoc=Join main document -DateFormatYYYYMM=YYYY-MM -DateFormatYYYYMMDD=YYYY-MM-DD -DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS -ReportName=Report name -ReportPeriod=Report period -ReportDescription=Description -Report=Report -Keyword=Keyword -Origin=Origin -Legend=Legend -Fill=Fill -Reset=Reset -File=File -Files=Files -NotAllowed=Not allowed -ReadPermissionNotAllowed=Read permission not allowed -AmountInCurrency=Amount in %s currency -Example=Example -Examples=Examples -NoExample=No example -FindBug=Report a bug -NbOfThirdParties=Number of third parties -NbOfLines=Number of lines -NbOfObjects=Number of objects -NbOfObjectReferers=Number of related items -Referers=Related items -TotalQuantity=Total quantity -DateFromTo=From %s to %s -DateFrom=From %s -DateUntil=Until %s -Check=Check -Uncheck=Uncheck -Internal=Internal -External=External -Internals=Internal -Externals=External -Warning=Warning -Warnings=Warnings -BuildDoc=Build Doc -Entity=Environment -Entities=Entities -CustomerPreview=Customer preview -SupplierPreview=Vendor preview -ShowCustomerPreview=Show customer preview -ShowSupplierPreview=Show vendor preview -RefCustomer=Ref. customer -InternalRef=Internal ref. -Currency=Currency -InfoAdmin=Information for administrators -Undo=Undo -Redo=Redo -ExpandAll=Expand all -UndoExpandAll=Undo expand -SeeAll=See all -Reason=Reason -FeatureNotYetSupported=Feature not yet supported -CloseWindow=Close window -Response=Response -Priority=Priority -SendByMail=Send by email -MailSentBy=Email sent by -NotSent=Not sent -TextUsedInTheMessageBody=Email body -SendAcknowledgementByMail=Send confirmation email -SendMail=Send email -Email=Email -NoEMail=No email -AlreadyRead=Already read -NotRead=Unread -NoMobilePhone=No mobile phone -Owner=Owner -FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. -Refresh=Refresh -BackToList=Back to list -BackToTree=Back to tree -GoBack=Go back -CanBeModifiedIfOk=Can be modified if valid -CanBeModifiedIfKo=Can be modified if not valid -ValueIsValid=Value is valid -ValueIsNotValid=Value is not valid -RecordCreatedSuccessfully=Record created successfully -RecordModifiedSuccessfully=Record modified successfully -RecordsModified=%s record(s) modified -RecordsDeleted=%s record(s) deleted -RecordsGenerated=%s record(s) generated -AutomaticCode=Automatic code -FeatureDisabled=Feature disabled -MoveBox=Move widget -Offered=Offered -NotEnoughPermissions=You don't have permission for this action -SessionName=Session name -Method=Method -Receive=Receive -CompleteOrNoMoreReceptionExpected=Complete or nothing more expected -ExpectedValue=Expected Value -ExpectedQty=Expected Qty -PartialWoman=Partial -TotalWoman=Total -NeverReceived=Never received -Canceled=Canceled -YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu Setup - Dictionaries -YouCanChangeValuesForThisListFrom=You can change values for this list from menu %s -YouCanSetDefaultValueInModuleSetup=You can set the default value used when creating a new record in module setup -Color=Color -Documents=Linked files -Documents2=Documents -UploadDisabled=Upload disabled -MenuAccountancy=Accounting -MenuECM=Documents -MenuAWStats=AWStats -MenuMembers=Members -MenuAgendaGoogle=Google agenda -MenuTaxesAndSpecialExpenses=Taxes | Special expenses -ThisLimitIsDefinedInSetup=Dolibarr limit (Menu home-setup-security): %s Kb, PHP limit: %s Kb -ThisLimitIsDefinedInSetupAt=Dolibarr limit (Menu %s): %s Kb, PHP limit (Param %s): %s Kb -NoFileFound=No documents uploaded -CurrentUserLanguage=Current language -CurrentTheme=Current theme -CurrentMenuManager=Current menu manager -Browser=Browser -Layout=Layout -Screen=Screen -DisabledModules=Disabled modules -For=For -ForCustomer=For customer -Signature=Signature -DateOfSignature=Date of signature -HidePassword=Show command with password hidden -UnHidePassword=Show real command with clear password -Root=Root -RootOfMedias=Root of public medias (/medias) -Informations=Information -Page=Page -Notes=Notes -AddNewLine=Add new line -AddFile=Add file -FreeZone=Free-text product -FreeLineOfType=Free-text item, type: -CloneMainAttributes=Clone object with its main attributes -ReGeneratePDF=Re-generate PDF -PDFMerge=PDF Merge -Merge=Merge -DocumentModelStandardPDF=Standard PDF template -PrintContentArea=Show page to print main content area -MenuManager=Menu manager -WarningYouAreInMaintenanceMode=Warning, you are in maintenance mode: only login %s is allowed to use the application in this mode. -CoreErrorTitle=System error -CoreErrorMessage=Sorry, an error occurred. Contact your system administrator to check the logs or disable $dolibarr_main_prod=1 to get more information. -CreditCard=Credit card -ValidatePayment=Validate payment -CreditOrDebitCard=Credit or debit card -FieldsWithAreMandatory=Fields with %s are mandatory -FieldsWithIsForPublic=Fields with %s are shown in public list of members. If you don't want this, uncheck the "public" box. -AccordingToGeoIPDatabase=(according to GeoIP conversion) -Line=Line -NotSupported=Not supported -RequiredField=Required field -Result=Result -ToTest=Test -ValidateBefore=Item must be validated before using this feature -Visibility=Visibility -Totalizable=Totalizable -TotalizableDesc=This field is totalizable in list -Private=Private -Hidden=Hidden -Resources=Resources -Source=Source -Prefix=Prefix -Before=Before -After=After -IPAddress=IP address -Frequency=Frequency -IM=Instant messaging -NewAttribute=New attribute -AttributeCode=Attribute code -URLPhoto=URL of photo/logo -SetLinkToAnotherThirdParty=Link to another third party -LinkTo=Link to -LinkToProposal=Link to proposal -LinkToOrder=Link to order -LinkToInvoice=Link to invoice -LinkToTemplateInvoice=Link to template invoice -LinkToSupplierOrder=Link to purchase order -LinkToSupplierProposal=Link to vendor proposal -LinkToSupplierInvoice=Link to vendor invoice -LinkToContract=Link to contract -LinkToIntervention=Link to intervention -LinkToTicket=Link to ticket -LinkToMo=Link to Mo -CreateDraft=Create draft -SetToDraft=Back to draft -ClickToEdit=Click to edit -ClickToRefresh=Click to refresh -EditWithEditor=Edit with CKEditor -EditWithTextEditor=Edit with Text editor -EditHTMLSource=Edit HTML Source -ObjectDeleted=Object %s deleted -ByCountry=By country -ByTown=By town -ByDate=By date -ByMonthYear=By month/year -ByYear=By year -ByMonth=By month -ByDay=By day -BySalesRepresentative=By sales representative -LinkedToSpecificUsers=Linked to a particular user contact -NoResults=No results -AdminTools=Admin Tools -SystemTools=System tools -ModulesSystemTools=Modules tools -Test=Test -Element=Element -NoPhotoYet=No pictures available yet -Dashboard=Dashboard -MyDashboard=My Dashboard -Deductible=Deductible -from=from -toward=toward -Access=Access -SelectAction=Select action -SelectTargetUser=Select target user/employee -HelpCopyToClipboard=Use Ctrl+C to copy to clipboard -SaveUploadedFileWithMask=Save file on server with name "%s" (otherwise "%s") -OriginFileName=Original filename -SetDemandReason=Set source -SetBankAccount=Define Bank Account -AccountCurrency=Account currency -ViewPrivateNote=View notes -XMoreLines=%s line(s) hidden -ShowMoreLines=Show more/less lines -PublicUrl=Public URL -AddBox=Add box -SelectElementAndClick=Select an element and click on %s -PrintFile=Print File %s -ShowTransaction=Show entry on bank account -ShowIntervention=Show intervention -ShowContract=Show contract -GoIntoSetupToChangeLogo=Go to Home - Setup - Company to change logo or go to Home - Setup - Display to hide. -Deny=Deny -Denied=Denied -ListOf=List of %s -ListOfTemplates=List of templates -Gender=Gender -Genderman=Male -Genderwoman=Female -Genderother=Other -ViewList=List view -ViewGantt=Gantt view -ViewKanban=Kanban view -Mandatory=Mandatory -Hello=Hello -GoodBye=GoodBye -Sincerely=Sincerely -ConfirmDeleteObject=Are you sure you want to delete this object? -DeleteLine=Delete line -ConfirmDeleteLine=Are you sure you want to delete this line? -ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. -NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record -TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. -NoRecordSelected=No record selected -MassFilesArea=Area for files built by mass actions -ShowTempMassFilesArea=Show area of files built by mass actions -ConfirmMassDeletion=Bulk Delete confirmation -ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record(s)? -RelatedObjects=Related Objects -ClassifyBilled=Classify billed -ClassifyUnbilled=Classify unbilled -Progress=Progress -ProgressShort=Progr. -FrontOffice=Front office -BackOffice=Back office -Submit=Submit -View=View -Export=Export -Exports=Exports -ExportFilteredList=Export filtered list -ExportList=Export list -ExportOptions=Export Options -IncludeDocsAlreadyExported=Include docs already exported -ExportOfPiecesAlreadyExportedIsEnable=Export of pieces already exported is enable -ExportOfPiecesAlreadyExportedIsDisable=Export of pieces already exported is disable -AllExportedMovementsWereRecordedAsExported=All exported movements were recorded as exported -NotAllExportedMovementsCouldBeRecordedAsExported=Not all exported movements could be recorded as exported -Miscellaneous=Miscellaneous -Calendar=Calendar -GroupBy=Group by... -ViewFlatList=View flat list -ViewAccountList=View ledger -ViewSubAccountList=View subaccount ledger -RemoveString=Remove string '%s' -SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. -DirectDownloadLink=Public download link -PublicDownloadLinkDesc=Only the link is required to download the file -DirectDownloadInternalLink=Private download link -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file -Download=Download -DownloadDocument=Download document -ActualizeCurrency=Update currency rate -Fiscalyear=Fiscal year -ModuleBuilder=Module and Application Builder -SetMultiCurrencyCode=Set currency -BulkActions=Bulk actions -ClickToShowHelp=Click to show tooltip help -WebSite=Website -WebSites=Websites -WebSiteAccounts=Website accounts -ExpenseReport=Expense report -ExpenseReports=Expense reports +LT1GC=ተጨማሪ ሳንቲሞች +VATRate=የግብር ተመን +RateOfTaxN=የግብር ተመን %s +VATCode=የግብር ተመን ኮድ +VATNPR=የግብር ተመን NPR +DefaultTaxRate=ነባሪ የግብር ተመን +Average=አማካኝ +Sum=ድምር +Delta=ዴልታ +StatusToPay=መክፈል +RemainToPay=ለመክፈል ይቆዩ +Module=ሞጁል/መተግበሪያ +Modules=ሞጁሎች / መተግበሪያዎች +Option=አማራጭ +Filters=ማጣሪያዎች +List=ዝርዝር +FullList=ሙሉ ዝርዝር +FullConversation=ሙሉ ውይይት +Statistics=ስታትስቲክስ +OtherStatistics=ሌሎች ስታቲስቲክስ +Status=ሁኔታ +Favorite=የሚወደድ +ShortInfo=መረጃ +Ref=ማጣቀሻ. +ExternalRef=ማጣቀሻ. ውጫዊ +RefSupplier=ማጣቀሻ. ሻጭ +RefPayment=ማጣቀሻ. ክፍያ +CommercialProposalsShort=የንግድ ፕሮፖዛል +Comment=አስተያየት +Comments=አስተያየቶች +ActionsToDo=የሚደረጉ ክስተቶች +ActionsToDoShort=ለመስራት +ActionsDoneShort=ተከናውኗል +ActionNotApplicable=ተፈፃሚ የማይሆን +ActionRunningNotStarted=መጀመር +ActionRunningShort=በሂደት ላይ +ActionDoneShort=ጨርሷል +ActionUncomplete=ያልተሟላ +LatestLinkedEvents=የቅርብ ጊዜ %s የተገናኙ ክስተቶች +CompanyFoundation=ኩባንያ / ድርጅት +Accountant=አካውንታንት +ContactsForCompany=የዚህ ሶስተኛ ወገን እውቂያዎች +ContactsAddressesForCompany=የዚህ ሶስተኛ ወገን እውቂያዎች/አድራሻዎች +AddressesForCompany=የዚህ ሶስተኛ ወገን አድራሻዎች +ActionsOnCompany=የዚህ ሶስተኛ ወገን ክስተቶች +ActionsOnContact=የዚህ እውቂያ/አድራሻ ክስተቶች +ActionsOnContract=ለዚህ ውል ዝግጅቶች +ActionsOnMember=ስለዚህ አባል ክስተቶች +ActionsOnProduct=ስለዚህ ምርት ክስተቶች +ActionsOnAsset=ለዚህ ቋሚ ንብረት ክስተቶች +NActionsLate=%s ዘግይቷል +ToDo=ለመስራት +Completed=ተጠናቀቀ +Running=በሂደት ላይ +RequestAlreadyDone=ጥያቄ አስቀድሞ ተመዝግቧል +Filter=አጣራ +FilterOnInto=የፍለጋ መስፈርት '%s=span> ወደ መስኮች notranslate'>%s +RemoveFilter=ማጣሪያን ያስወግዱ +ChartGenerated=ገበታ ተፈጥሯል። +ChartNotGenerated=ገበታ አልተፈጠረም። +GeneratedOn=በ%s ላይ ይገንቡ +Generate=ማመንጨት +Duration=ቆይታ +TotalDuration=ጠቅላላ ቆይታ +Summary=ማጠቃለያ +DolibarrStateBoard=የውሂብ ጎታ ስታቲስቲክስ +DolibarrWorkBoard=ንጥሎችን ክፈት +NoOpenedElementToProcess=ለማስኬድ ምንም ክፍት አካል የለም። +Available=ይገኛል። +NotYetAvailable=እስካሁን አልተገኘም። +NotAvailable=አይገኝም +Categories=መለያዎች / ምድቦች +Category=መለያ / ምድብ +SelectTheTagsToAssign=ለመመደብ መለያዎችን/ምድቦችን ይምረጡ +By=በ +From=ከ +FromDate=ከ +FromLocation=ከ +to=ወደ +To=ወደ +ToDate=ወደ +ToLocation=ወደ +at=በ +and=እና +or=ወይም +Other=ሌላ +Others=ሌሎች +OtherInformations=ሌላ መረጃ +Workflow=የስራ ፍሰት +Quantity=ብዛት +Qty=ብዛት +ChangedBy=የተለወጠው በ +ApprovedBy=ያረጋገጠው ሰው +ApprovedBy2=የጸደቀው በ (ሁለተኛ ማረጋገጫ) +Approved=ጸድቋል +Refused=እምቢ አለ። +ReCalculate=እንደገና አስላ +ResultKo=ውድቀት +Reporting=ሪፖርት ማድረግ +Reportings=ሪፖርት ማድረግ +Draft=ረቂቅ +Drafts=ረቂቆች +StatusInterInvoiced=የክፍያ መጠየቂያ ደረሰኝ +Done=ተከናውኗል +Validated=ተረጋግጧል +ValidatedToProduce=የተረጋገጠ (ለማምረት) +Opened=ክፈት +OpenAll=ክፍት (ሁሉም) +ClosedAll=ተዘግቷል (ሁሉም) +New=አዲስ +Discount=ቅናሽ +Unknown=ያልታወቀ +General=አጠቃላይ +Size=መጠን +OriginalSize=ኦሪጅናል መጠን +RotateImage=90° አሽከርክር +Received=ተቀብሏል +Paid=የተከፈለ +Topic=ርዕሰ ጉዳይ +ByCompanies=በሶስተኛ ወገኖች +ByUsers=በተጠቃሚ +Links=አገናኞች +Link=አገናኝ +Rejects=ውድቅ ያደርጋል +Preview=ቅድመ እይታ +NextStep=ቀጣዩ ደረጃ +Datas=ውሂብ +None=ምንም +NoneF=ምንም +NoneOrSeveral=ምንም ወይም ብዙ +Late=ረፍዷል +LateDesc=በምናሌው ውስጥ ባለው የስርዓት ውቅር መሠረት አንድ ንጥል እንደ ዘገየ ይገለጻል መነሻ - ማዋቀር - ማንቂያዎች። +NoItemLate=ምንም የዘገየ ንጥል ነገር የለም። +Photo=ምስል +Photos=ስዕሎች +AddPhoto=ስዕል ጨምር +DeletePicture=ስዕል ሰርዝ +ConfirmDeletePicture=የምስል ስረዛ ይረጋገጥ? +Login=ግባ +LoginEmail=ግባ (ኢሜል) +LoginOrEmail=ይግቡ ወይም ኢሜይል ያድርጉ +CurrentLogin=የአሁኑ መግቢያ +EnterLoginDetail=የመግቢያ ዝርዝሮችን ያስገቡ +January=ጥር +February=የካቲት +March=መጋቢት +April=ሚያዚያ +May=ግንቦት +June=ሰኔ +July=ሀምሌ +August=ነሐሴ +September=መስከረም +October=ጥቅምት +November=ህዳር +December=ታህሳስ +Month01=ጥር +Month02=የካቲት +Month03=መጋቢት +Month04=ሚያዚያ +Month05=ግንቦት +Month06=ሰኔ +Month07=ሀምሌ +Month08=ነሐሴ +Month09=መስከረም +Month10=ጥቅምት +Month11=ህዳር +Month12=ታህሳስ +MonthShort01=ጥር +MonthShort02=የካቲት +MonthShort03=ማር +MonthShort04=ኤፕሪል +MonthShort05=ግንቦት +MonthShort06=ሰኔ +MonthShort07=ጁል +MonthShort08=ኦገስት +MonthShort09=ሴፕቴምበር +MonthShort10=ኦክቶበር +MonthShort11=ህዳር +MonthShort12=ዲሴምበር +MonthVeryShort01=ጄ +MonthVeryShort02=ኤፍ +MonthVeryShort03=ኤም +MonthVeryShort04=ሀ +MonthVeryShort05=ኤም +MonthVeryShort06=ጄ +MonthVeryShort07=ጄ +MonthVeryShort08=ሀ +MonthVeryShort09=ኤስ +MonthVeryShort10=ኦ +MonthVeryShort11=ኤን +MonthVeryShort12=ዲ +AttachedFiles=የተያያዙ ሰነዶች እና ሰነዶች +JoinMainDoc=ዋናውን ሰነድ ይቀላቀሉ +JoinMainDocOrLastGenerated=ዋናውን ሰነድ ወይም የመጨረሻውን ካልተገኘ ይላኩ። +DateFormatYYYYMM=ዓዓዓ-ወወ +DateFormatYYYYMMDD=ዓዓዓ-ወወ-ቀን +DateFormatYYYYMMDDHHMM=ዓዓዓ-ወወ-ዲኤችኤች፡ኤስኤስ +ReportName=ስም ሪፖርት አድርግ +ReportPeriod=የሪፖርት ጊዜ +ReportDescription=መግለጫ +Report=ሪፖርት አድርግ +Keyword=ቁልፍ ቃል +Origin=መነሻ +Legend=አፈ ታሪክ +Fill=ሙላ +Reset=ዳግም አስጀምር +File=ፋይል +Files=ፋይሎች +NotAllowed=አይፈቀድም +ReadPermissionNotAllowed=የማንበብ ፍቃድ አይፈቀድም። +AmountInCurrency=በ%s ምንዛሪ ውስጥ ያለው መጠን +Example=ለምሳሌ +Examples=ምሳሌዎች +NoExample=ምሳሌ የለም። +FindBug=ሳንካ ሪፖርት አድርግ +NbOfThirdParties=የሶስተኛ ወገኖች ብዛት +NbOfLines=የመስመሮች ብዛት +NbOfObjects=የነገሮች ብዛት +NbOfObjectReferers=ተዛማጅ እቃዎች ብዛት +Referers=ተዛማጅ እቃዎች +TotalQuantity=አጠቃላይ ብዛት +DateFromTo=ከ%s ወደ %s +DateFrom=ከ%s +DateUntil=እስከ %s +Check=ይፈትሹ +Uncheck=ምልክት ያንሱ +Internal=ውስጣዊ +External=ውጫዊ +Internals=ውስጣዊ +Externals=ውጫዊ +Warning=ማስጠንቀቂያ +Warnings=ማስጠንቀቂያዎች +BuildDoc=ሰነድ ይገንቡ +Entity=አካባቢ +Entities=አካላት +CustomerPreview=የደንበኛ ቅድመ እይታ +SupplierPreview=የአቅራቢ ቅድመ እይታ +ShowCustomerPreview=የደንበኛ ቅድመ እይታ አሳይ +ShowSupplierPreview=የአቅራቢ ቅድመ እይታ አሳይ +RefCustomer=ማጣቀሻ. ደንበኛ +InternalRef=የውስጥ ማጣቀሻ. +Currency=ምንዛሪ +InfoAdmin=ለአስተዳዳሪዎች መረጃ +Undo=ቀልብስ +Redo=ድገም +ExpandAll=ሁሉንም ዘርጋ +UndoExpandAll=መስፋፋትን ቀልብስ +SeeAll=ሁሉም ይዩ +Reason=ምክንያት +FeatureNotYetSupported=ባህሪ ገና አልተደገፈም። +CloseWindow=መስኮት ዝጋ +Response=ምላሽ +Priority=ቅድሚያ +SendByMail=በኢሜል ላክ +MailSentBy=ኢሜል የተላከው በ +MailSentByTo=ኢሜል በ%s ወደ %s ተልኳል +NotSent=አልተላከም። +TextUsedInTheMessageBody=የኢሜል አካል +SendAcknowledgementByMail=የማረጋገጫ ኢሜይል ላክ +SendMail=ኢሜይል ላክ +Email=ኢሜይል +NoEMail=ኢሜይል የለም። +AlreadyRead=አስቀድመው አንብበዋል +NotRead=ያልተነበበ +NoMobilePhone=ሞባይል ስልክ የለም። +Owner=ባለቤት +FollowingConstantsWillBeSubstituted=የሚከተሉት ቋሚዎች በተዛማጅ እሴት ይተካሉ. +Refresh=አድስ +BackToList=ወደ ዝርዝር ተመለስ +BackToTree=ወደ ዛፍ ተመለስ +GoBack=ተመለስ +CanBeModifiedIfOk=ልክ ከሆነ ሊሻሻል ይችላል። +CanBeModifiedIfKo=ልክ ካልሆነ ሊሻሻል ይችላል። +ValueIsValid=ዋጋ ልክ ነው። +ValueIsNotValid=ዋጋ ልክ አይደለም። +RecordCreatedSuccessfully=መዝገብ በተሳካ ሁኔታ ተፈጥሯል። +RecordModifiedSuccessfully=መዝገብ በተሳካ ሁኔታ ተስተካክሏል። +RecordsModified=%s መዝገብ(ዎች) ተቀይሯል +RecordsDeleted=%s መዝገብ(ዎች) ተሰርዟል +RecordsGenerated=%s መዝገብ(ዎች) ተፈጥሯል +ValidatedRecordWhereFound = ከተመረጡት መዝገቦች መካከል አንዳንዶቹ ቀድሞውኑ ተረጋግጠዋል። ምንም መዝገቦች አልተሰረዙም። +AutomaticCode=ራስ-ሰር ኮድ +FeatureDisabled=ባህሪው ተሰናክሏል። +MoveBox=መግብርን አንቀሳቅስ +Offered=አቅርቧል +NotEnoughPermissions=ለዚህ እርምጃ ፍቃድ የለዎትም። +UserNotInHierachy=ይህ እርምጃ ለዚህ ተጠቃሚ ተቆጣጣሪዎች የተጠበቀ ነው። +SessionName=የክፍለ ጊዜ ስም +Method=ዘዴ +Receive=ተቀበል +CompleteOrNoMoreReceptionExpected=የተሟላ ወይም ምንም ተጨማሪ የሚጠበቅ ነገር የለም። +ExpectedValue=የሚጠበቀው ዋጋ +ExpectedQty=የሚጠበቀው Qty +PartialWoman=ከፊል +TotalWoman=ጠቅላላ +NeverReceived=በጭራሽ አልተቀበለም። +Canceled=ተሰርዟል። +YouCanChangeValuesForThisListFromDictionarySetup=ለዚህ ዝርዝር እሴቶችን ከምናሌው ማዋቀር - መዝገበ ቃላት መቀየር ይችላሉ። +YouCanChangeValuesForThisListFrom=የዚህን ዝርዝር ዋጋዎች ከምናሌው መቀየር ይችላሉ %s +YouCanSetDefaultValueInModuleSetup=በሞጁል ማዋቀር ውስጥ አዲስ መዝገብ ሲፈጥሩ ጥቅም ላይ የዋለውን ነባሪ እሴት ማቀናበር ይችላሉ። +Color=ቀለም +Documents=የተገናኙ ፋይሎች +Documents2=ሰነዶች +UploadDisabled=ሰቀላ ተሰናክሏል። +MenuAccountancy=የሂሳብ አያያዝ +MenuECM=ሰነዶች +MenuAWStats=AWSstats +MenuMembers=አባላት +MenuAgendaGoogle=ጉግል አጀንዳ +MenuTaxesAndSpecialExpenses=ግብር | ልዩ ወጪዎች +ThisLimitIsDefinedInSetup=Dolibarr ገደብ (ሜኑ home-setup-security)፡ %s Kb፣ PHP ገደብ፡ %s Kb +ThisLimitIsDefinedInSetupAt=Dolibarr ገደብ (ምናሌ %s): %s Kb፣ PHP ገደብ (Param b0ecb2ecz807fespan >): %s ኪባ +NoFileFound=ምንም ሰነዶች አልተሰቀሉም። +CurrentUserLanguage=የአሁኑ ቋንቋ +CurrentTheme=የአሁኑ ጭብጥ +CurrentMenuManager=የአሁኑ ምናሌ አስተዳዳሪ +Browser=አሳሽ +Layout=አቀማመጥ +Screen=ስክሪን +DisabledModules=የተሰናከሉ ሞጁሎች +For=ለ +ForCustomer=ለደንበኛ +Signature=ፊርማ +HidePassword=በይለፍ ቃል የተደበቀ ትዕዛዝ አሳይ +UnHidePassword=ግልጽ በሆነ የይለፍ ቃል እውነተኛ ትእዛዝ አሳይ +Root=ሥር +RootOfMedias=የህዝብ ሚዲያ (/ሚዲያዎች) ስር +Informations=መረጃ +Page=ገጽ +Notes=ማስታወሻዎች +AddNewLine=አዲስ መስመር ያክሉ +AddFile=ፋይል አክል +FreeZone=ነፃ የጽሑፍ ምርት +FreeLineOfType=የነጻ ጽሑፍ ንጥል፣ አይነት፡ +CloneMainAttributes=ክሎን ነገር ከዋና ዋና ባህሪያቱ ጋር +ReGeneratePDF=ፒዲኤፍን እንደገና ፍጠር +PDFMerge=ፒዲኤፍ ውህደት +Merge=አዋህድ +DocumentModelStandardPDF=መደበኛ ፒዲኤፍ አብነት +PrintContentArea=ዋናውን የይዘት ቦታ ለማተም ገጽ አሳይ +MenuManager=የምናሌ አስተዳዳሪ +WarningYouAreInMaintenanceMode=ማስጠንቀቂያ፣ የጥገና ሁነታ ላይ ነዎት፡ መግቢያ ብቻ %s መተግበሪያውን በዚህ ሁነታ እንዲጠቀም ተፈቅዶለታል። +CoreErrorTitle=የስርዓት ስህተት +CoreErrorMessage=ይቅርታ፣ ስህተት ተፈጥሯል። መዝገቦቹን ለመፈተሽ የስርዓት አስተዳዳሪዎን ያግኙ ወይም ተጨማሪ መረጃ ለማግኘት $dolibarr_main_prod=1ን ያሰናክሉ። +CreditCard=የዱቤ ካርድ +ValidatePayment=ክፍያ ያረጋግጡ +CreditOrDebitCard=ክሬዲት ወይም ዴቢት ካርድ +FieldsWithAreMandatory=%s ያላቸው መስኮች ግዴታ ናቸው +FieldsWithIsForPublic=%s ያላቸው መስኮች በአደባባይ የአባላት ዝርዝር ውስጥ ይታያሉ። ይህን የማይፈልጉ ከሆነ "የህዝብ" የሚለውን ሳጥን ምልክት ያንሱ። +AccordingToGeoIPDatabase=(በጂኦአይፒ ልወጣ መሠረት) +Line=መስመር +NotSupported=አይደገፍም +RequiredField=መሞላት ያለበት +Result=ውጤት +ToTest=ሙከራ +ValidateBefore=ይህን ባህሪ ከመጠቀምዎ በፊት ንጥሉ መረጋገጥ አለበት። +Visibility=ታይነት +Totalizable=ሊሟላ የሚችል +TotalizableDesc=ይህ መስክ በዝርዝሩ ውስጥ ሊጠቃለል የሚችል ነው። +Private=የግል +Hidden=ተደብቋል +Resources=መርጃዎች +Source=ምንጭ +Prefix=ቅድመ ቅጥያ +Before=ከዚህ በፊት +After=በኋላ +IPAddress=የአይፒ አድራሻ +Frequency=ድግግሞሽ +IM=ፈጣን መልዕክት +NewAttribute=አዲስ ባህሪ +AttributeCode=የባህሪ ኮድ +URLPhoto=የፎቶ/አርማ URL +SetLinkToAnotherThirdParty=ከሌላ ሶስተኛ ወገን ጋር አገናኝ +LinkTo=አገናኝ ወደ +LinkToProposal=ወደ ፕሮፖዛል አገናኝ +LinkToExpedition= የጉዞ አገናኝ +LinkToOrder=ለማዘዝ አገናኝ +LinkToInvoice=ወደ ደረሰኝ አገናኝ +LinkToTemplateInvoice=ወደ አብነት ደረሰኝ አገናኝ +LinkToSupplierOrder=የግዢ ማዘዣ አገናኝ +LinkToSupplierProposal=የአቅራቢ ፕሮፖዛል አገናኝ +LinkToSupplierInvoice=ወደ ሻጭ ደረሰኝ አገናኝ +LinkToContract=ከኮንትራት ጋር ግንኙነት +LinkToIntervention=ወደ ጣልቃገብነት ግንኙነት +LinkToTicket=ወደ ቲኬት አገናኝ +LinkToMo=ወደ ሞ አገናኝ +CreateDraft=ረቂቅ ፍጠር +SetToDraft=ወደ ረቂቅ ተመለስ +ClickToEdit=ለማርትዕ ጠቅ ያድርጉ +ClickToRefresh=ለማደስ ጠቅ ያድርጉ +EditWithEditor=በCKEditor ያርትዑ +EditWithTextEditor=በጽሑፍ አርታዒ ያርትዑ +EditHTMLSource=የኤችቲኤምኤል ምንጭ አርትዕ +ObjectDeleted=ነገር %s ተሰርዟል +ByCountry=በአገር +ByTown=በከተማ +ByDate=በቀን +ByMonthYear=በወር/ዓመት +ByYear=በዓመት +ByMonth=በወር +ByDay=በቀን +BySalesRepresentative=በሽያጭ ተወካይ +LinkedToSpecificUsers=ከአንድ የተወሰነ የተጠቃሚ እውቂያ ጋር ተገናኝቷል። +NoResults=ምንም ውጤት የለም። +AdminTools=የአስተዳዳሪ መሳሪያዎች +SystemTools=የስርዓት መሳሪያዎች +ModulesSystemTools=ሞጁሎች መሳሪያዎች +Test=ሙከራ +Element=ንጥረ ነገር +NoPhotoYet=እስካሁን ምንም ሥዕሎች የሉም +Dashboard=ዳሽቦርድ +MyDashboard=የእኔ ዳሽቦርድ +Deductible=የሚቀነስ +from=ከ +toward=ወደ +Access=መዳረሻ +SelectAction=እርምጃ ይምረጡ +SelectTargetUser=ኢላማ ተጠቃሚ/ሰራተኛ ይምረጡ +HelpCopyToClipboard=ወደ ቅንጥብ ሰሌዳ ለመቅዳት Ctrl+C ይጠቀሙ +SaveUploadedFileWithMask=ፋይሉን በአገልጋዩ ላይ አስቀምጥ "%s (አለበለዚያ") %s") +OriginFileName=ኦሪጅናል የፋይል ስም +SetDemandReason=ምንጭ አዘጋጅ +SetBankAccount=የባንክ ሂሳብን ይግለጹ +AccountCurrency=የመለያ ምንዛሬ +ViewPrivateNote=ማስታወሻዎችን ይመልከቱ +XMoreLines=%s መስመር(ዎች) ተደብቋል +ShowMoreLines=ብዙ/ያነሱ መስመሮችን አሳይ +PublicUrl=ይፋዊ ዩአርኤል +AddBox=ሳጥን አክል +SelectElementAndClick=አንድ አካል ይምረጡ እና %s ላይ ጠቅ ያድርጉ። +PrintFile=የህትመት ፋይል %s +ShowTransaction=በባንክ ሂሳብ ላይ ግቤት አሳይ +ShowIntervention=ጣልቃ ገብነት አሳይ +ShowContract=ውል አሳይ +GoIntoSetupToChangeLogo=ወደ መነሻ - ማዋቀር - ኩባንያ ሎጎ ለመቀየር ወይም ወደ ቤት - ማዋቀር - ለመደበቅ ማሳያ ይሂዱ። +Deny=መካድ +Denied=ተከልክሏል። +ListOf=የ%s ዝርዝር +ListOfTemplates=የአብነት ዝርዝር +Gender=ጾታ +Genderman=ወንድ +Genderwoman=ሴት +Genderother=ሌላ +ViewList=የዝርዝር እይታ +ViewGantt=የጋንት እይታ +ViewKanban=የካንባን እይታ +Mandatory=የግዴታ +Hello=ሀሎ +GoodBye=በህና ሁን +Sincerely=ከልብ +ConfirmDeleteObject=እርግጠኛ ነዎት ይህን ነገር መሰረዝ ይፈልጋሉ? +DeleteLine=መስመር ሰርዝ +ConfirmDeleteLine=እርግጠኛ ነዎት ይህን መስመር መሰረዝ ይፈልጋሉ? +ErrorPDFTkOutputFileNotFound=ስህተት፡ ፋይሉ አልተፈጠረም። እባክዎ የ'pdftk' ትዕዛዝ በ$PATH አካባቢ ተለዋዋጭ (ሊኑክስ/ዩኒክስ ብቻ) ውስጥ በተካተተ ማውጫ ውስጥ መጫኑን ያረጋግጡ ወይም የስርዓት አስተዳዳሪዎን ያግኙ። +NoPDFAvailableForDocGenAmongChecked=ከተመዘገበው መዝገብ መካከል ለሰነድ ማመንጨት ምንም ፒዲኤፍ አልተገኘም። +TooManyRecordForMassAction=ለጅምላ ተግባር በጣም ብዙ መዝገቦች ተመርጠዋል። እርምጃው በ%s መዝገቦች ዝርዝር ውስጥ የተገደበ ነው። +NoRecordSelected=ምንም መዝገብ አልተመረጠም። +MassFilesArea=በጅምላ ድርጊቶች ለተገነቡ ፋይሎች አካባቢ +ShowTempMassFilesArea=በጅምላ ድርጊቶች የተገነቡ የፋይሎች አካባቢ አሳይ +ConfirmMassDeletion=የጅምላ ሰርዝ ማረጋገጫ +ConfirmMassDeletionQuestion=እርግጠኛ ነዎት %s የተመረጠውን መዝገብ(ዎች) መሰረዝ ይፈልጋሉ? +ConfirmMassClone=የጅምላ ክሎኑ ማረጋገጫ +ConfirmMassCloneQuestion=ለመዝለል ፕሮጀክት ይምረጡ +ConfirmMassCloneToOneProject=ክሎኑን ወደ ፕሮጀክት %s +RelatedObjects=ተዛማጅ ነገሮች +ClassifyBilled=የሚከፈልበትን መድብ +ClassifyUnbilled=ያልተከፈለበትን መድብ +Progress=እድገት +ProgressShort=ፕሮግ. +FrontOffice=የፊት ቢሮ +BackOffice=የኋላ ቢሮ +Submit=አስገባ +View=ይመልከቱ +Export=ወደ ውጪ ላክ +Import=አስመጣ +Exports=ወደ ውጭ መላክ +ExportFilteredList=የተጣራ ዝርዝር ወደ ውጭ ላክ +ExportList=ወደ ውጪ መላክ ዝርዝር +ExportOptions=የመላክ አማራጮች +IncludeDocsAlreadyExported=አስቀድመው ወደ ውጭ የተላኩ ሰነዶችን ያካትቱ +ExportOfPiecesAlreadyExportedIsEnable=ወደ ውጭ የተላኩ ሰነዶች የሚታዩ ናቸው እና ወደ ውጭ ይላካሉ +ExportOfPiecesAlreadyExportedIsDisable=ወደ ውጭ የተላኩ ሰነዶች ተደብቀዋል እና ወደ ውጭ አይላኩም +AllExportedMovementsWereRecordedAsExported=ሁሉም ወደ ውጭ የተላኩ እንቅስቃሴዎች ወደ ውጭ እንደተላኩ ተመዝግበዋል +NotAllExportedMovementsCouldBeRecordedAsExported=ሁሉም ወደ ውጭ የተላኩ እንቅስቃሴዎች ወደ ውጭ እንደተላኩ ሊመዘገቡ አይችሉም +Miscellaneous=የተለያዩ +Calendar=የቀን መቁጠሪያ +GroupBy=ቡድን በ... +GroupByX=ቡድን በ %s +ViewFlatList=ጠፍጣፋ ዝርዝር ይመልከቱ +ViewAccountList=መዝገብ ይመልከቱ +ViewSubAccountList=የንዑስ አካውንት መዝገብ ይመልከቱ +RemoveString=ሕብረቁምፊን አስወግድ '%s' +SomeTranslationAreUncomplete=የሚቀርቡት አንዳንድ ቋንቋዎች በከፊል ብቻ ሊተረጎሙ ወይም ስህተቶችን ሊይዙ ይችላሉ። እባኮትን በhttps://transifex.com/projects/p/dolibarr/ ላይ በመመዝገብ ቋንቋዎን ለማስተካከል ያግዙ። ማሻሻያዎን ያክሉ። +DirectDownloadLink=ይፋዊ የማውረድ አገናኝ +PublicDownloadLinkDesc=ፋይሉን ለማውረድ አገናኙ ብቻ ያስፈልጋል +DirectDownloadInternalLink=የግል ማውረድ አገናኝ +PrivateDownloadLinkDesc=መግባት አለብህ እና ፋይሉን ለማየት ወይም ለማውረድ ፍቃዶች ያስፈልግሃል +Download=አውርድ +DownloadDocument=ሰነድ አውርድ +DownloadSignedDocument=የተፈረመ ሰነድ ያውርዱ +ActualizeCurrency=የምንዛሬ ተመን ያዘምኑ +Fiscalyear=የበጀት ዓመት +ModuleBuilder=ሞጁል እና መተግበሪያ ገንቢ +SetMultiCurrencyCode=ምንዛሬ አዘጋጅ +BulkActions=የጅምላ ድርጊቶች +ClickToShowHelp=የመሳሪያ ምክር እገዛን ለማሳየት ጠቅ ያድርጉ +WebSite=ድህረገፅ +WebSites=ድር ጣቢያዎች +WebSiteAccounts=የድር መዳረሻ መለያዎች +ExpenseReport=የወጪ ሪፖርት +ExpenseReports=የወጪ ሪፖርቶች HR=HR -HRAndBank=HR and Bank -AutomaticallyCalculated=Automatically calculated -TitleSetToDraft=Go back to draft -ConfirmSetToDraft=Are you sure you want to go back to Draft status? -ImportId=Import id -Events=Events -EMailTemplates=Email templates -FileNotShared=File not shared to external public -Project=Project -Projects=Projects -LeadOrProject=Lead | Project -LeadsOrProjects=Leads | Projects -Lead=Lead -Leads=Leads -ListOpenLeads=List open leads -ListOpenProjects=List open projects -NewLeadOrProject=New lead or project -Rights=Permissions -LineNb=Line no. -IncotermLabel=Incoterms -TabLetteringCustomer=Customer lettering -TabLetteringSupplier=Vendor lettering -Monday=Monday -Tuesday=Tuesday -Wednesday=Wednesday -Thursday=Thursday -Friday=Friday -Saturday=Saturday -Sunday=Sunday -MondayMin=Mo -TuesdayMin=Tu -WednesdayMin=We -ThursdayMin=Th -FridayMin=Fr -SaturdayMin=Sa -SundayMin=Su -Day1=Monday -Day2=Tuesday -Day3=Wednesday -Day4=Thursday -Day5=Friday -Day6=Saturday -Day0=Sunday -ShortMonday=M -ShortTuesday=T -ShortWednesday=W -ShortThursday=T -ShortFriday=F -ShortSaturday=S -ShortSunday=S -one=one -two=two -three=three -four=four -five=five -six=six -seven=seven -eight=eight -nine=nine -ten=ten -eleven=eleven -twelve=twelve -thirteen=thirdteen -fourteen=fourteen -fifteen=fifteen -sixteen=sixteen -seventeen=seventeen -eighteen=eighteen -nineteen=nineteen -twenty=twenty -thirty=thirty -forty=forty -fifty=fifty -sixty=sixty -seventy=seventy -eighty=eighty -ninety=ninety -hundred=hundred -thousand=thousand -million=million -billion=billion -trillion=trillion -quadrillion=quadrillion -SelectMailModel=Select an email template -SetRef=Set ref -Select2ResultFoundUseArrows=Some results found. Use arrows to select. -Select2NotFound=No result found -Select2Enter=Enter -Select2MoreCharacter=or more character -Select2MoreCharacters=or more characters -Select2MoreCharactersMore=Search syntax:
      | OR (a|b)
      * Any character (a*b)
      ^ Start with (^ab)
      $ End with (ab$)
      -Select2LoadingMoreResults=Loading more results... -Select2SearchInProgress=Search in progress... -SearchIntoThirdparties=Third parties -SearchIntoContacts=Contacts -SearchIntoMembers=Members -SearchIntoUsers=Users -SearchIntoProductsOrServices=Products or services -SearchIntoBatch=Lots / Serials -SearchIntoProjects=Projects -SearchIntoMO=Manufacturing Orders -SearchIntoTasks=Tasks -SearchIntoCustomerInvoices=Customer invoices -SearchIntoSupplierInvoices=Vendor invoices -SearchIntoCustomerOrders=Sales orders -SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Commercial proposals -SearchIntoSupplierProposals=Vendor proposals -SearchIntoInterventions=Interventions -SearchIntoContracts=Contracts -SearchIntoCustomerShipments=Customer shipments -SearchIntoExpenseReports=Expense reports -SearchIntoLeaves=Leave -SearchIntoTickets=Tickets -SearchIntoCustomerPayments=Customer payments -SearchIntoVendorPayments=Vendor payments -SearchIntoMiscPayments=Miscellaneous payments -CommentLink=Comments -NbComments=Number of comments -CommentPage=Comments space -CommentAdded=Comment added -CommentDeleted=Comment deleted -Everybody=Everybody -PayedBy=Paid by -PayedTo=Paid to -Monthly=Monthly -Quarterly=Quarterly -Annual=Annual -Local=Local -Remote=Remote -LocalAndRemote=Local and Remote -KeyboardShortcut=Keyboard shortcut -AssignedTo=Assigned to -Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft mass delete confirmation -FileSharedViaALink=File shared with a public link -SelectAThirdPartyFirst=Select a third party first... -YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode -Inventory=Inventory -AnalyticCode=Analytic code -TMenuMRP=MRP -ShowCompanyInfos=Show company infos -ShowMoreInfos=Show More Infos -NoFilesUploadedYet=Please upload a document first -SeePrivateNote=See private note -PaymentInformation=Payment information -ValidFrom=Valid from -ValidUntil=Valid until -NoRecordedUsers=No users -ToClose=To close -ToRefuse=To refuse -ToProcess=To process -ToApprove=To approve -GlobalOpenedElemView=Global view -NoArticlesFoundForTheKeyword=No article found for the keyword '%s' -NoArticlesFoundForTheCategory=No article found for the category -ToAcceptRefuse=To accept | refuse -ContactDefault_agenda=Event -ContactDefault_commande=Order -ContactDefault_contrat=Contract -ContactDefault_facture=Invoice -ContactDefault_fichinter=Intervention -ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Purchase Order -ContactDefault_project=Project -ContactDefault_project_task=Task -ContactDefault_propal=Proposal -ContactDefault_supplier_proposal=Supplier Proposal -ContactDefault_ticket=Ticket -ContactAddedAutomatically=Contact added from contact thirdparty roles -More=More -ShowDetails=Show details -CustomReports=Custom reports -StatisticsOn=Statistics on -SelectYourGraphOptionsFirst=Select your graph options to build a graph -Measures=Measures -XAxis=X-Axis -YAxis=Y-Axis -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? -ShowOtherLanguages=Show other languages -SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language -NotUsedForThisCustomer=Not used for this customer -AmountMustBePositive=Amount must be positive -ByStatus=By status -InformationMessage=Information -Used=Used -ASAP=As Soon As Possible -CREATEInDolibarr=Record %s created -MODIFYInDolibarr=Record %s modified -DELETEInDolibarr=Record %s deleted -VALIDATEInDolibarr=Record %s validated -APPROVEDInDolibarr=Record %s approved -DefaultMailModel=Default Mail Model -PublicVendorName=Public name of vendor -DateOfBirth=Date of birth -SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again. -UpToDate=Up-to-date -OutOfDate=Out-of-date -EventReminder=Event Reminder -UpdateForAllLines=Update for all lines -OnHold=On hold -Civility=Civility -AffectTag=Affect Tag -CreateExternalUser=Create external user -ConfirmAffectTag=Bulk Tag Affect -ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records -CopiedToClipboard=Copied to clipboard -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. -ConfirmCancel=Are you sure you want to cancel -EmailMsgID=Email MsgID -SetToEnabled=Set to enabled -SetToDisabled=Set to disabled -ConfirmMassEnabling=mass enabling confirmation -ConfirmMassEnablingQuestion=Are you sure you want to enable the %s selected record(s)? -ConfirmMassDisabling=mass disabling confirmation -ConfirmMassDisablingQuestion=Are you sure you want to disable the %s selected record(s)? -RecordsEnabled=%s record(s) enabled -RecordsDisabled=%s record(s) disabled -RecordEnabled=Record enabled -RecordDisabled=Record disabled -Forthcoming=Forthcoming -Currently=Currently -ConfirmMassLeaveApprovalQuestion=Are you sure you want to approve the %s selected record(s)? -ConfirmMassLeaveApproval=Mass leave approval confirmation -RecordAproved=Record approved -RecordsApproved=%s Record(s) approved -Properties=Properties -hasBeenValidated=%s has been validated -ClientTZ=Client Time Zone (user) -NotClosedYet=Not yet closed -ClearSignature=Reset signature -CanceledHidden=Canceled hidden -CanceledShown=Canceled shown +HRAndBank=የሰው ኃይል እና ባንክ +AutomaticallyCalculated=በራስ-ሰር ይሰላል +TitleSetToDraft=ወደ ረቂቅ ተመለስ +ConfirmSetToDraft=እርግጠኛ ነህ ወደ ረቂቅ ሁኔታ መመለስ ትፈልጋለህ? +ImportId=የማስመጣት መታወቂያ +Events=ክስተቶች +EMailTemplates=የኢሜል አብነቶች +FileNotShared=ፋይል ለውጭ ህዝብ አልተጋራም። +Project=ፕሮጀክት +Projects=ፕሮጀክቶች +LeadOrProject=መሪ | ፕሮጀክት +LeadsOrProjects=ይመራል | ፕሮጀክቶች +Lead=መራ +Leads=ይመራል +ListOpenLeads=ክፍት እርሳሶችን ይዘርዝሩ +ListOpenProjects=ክፍት ፕሮጀክቶችን ይዘርዝሩ +NewLeadOrProject=አዲስ መሪ ወይም ፕሮጀክት +Rights=ፈቃዶች +LineNb=መስመር ቁ. +IncotermLabel=ኢንኮተርምስ +TabLetteringCustomer=የደንበኛ ፊደል +TabLetteringSupplier=የአቅራቢ ደብዳቤ +Monday=ሰኞ +Tuesday=ማክሰኞ +Wednesday=እሮብ +Thursday=ሐሙስ +Friday=አርብ +Saturday=ቅዳሜ +Sunday=እሁድ +MondayMin=ሞ +TuesdayMin=ቱ +WednesdayMin=እኛ +ThursdayMin=ት +FridayMin=አብ +SaturdayMin=ሳ +SundayMin=ሱ +Day1=ሰኞ +Day2=ማክሰኞ +Day3=እሮብ +Day4=ሐሙስ +Day5=አርብ +Day6=ቅዳሜ +Day0=እሁድ +ShortMonday=ኤም +ShortTuesday=ቲ +ShortWednesday=ወ +ShortThursday=ቲ +ShortFriday=ኤፍ +ShortSaturday=ኤስ +ShortSunday=ኤስ +one=አንድ +two=ሁለት +three=ሶስት +four=አራት +five=አምስት +six=ስድስት +seven=ሰባት +eight=ስምት +nine=ዘጠኝ +ten=አስር +eleven=አስራ አንድ +twelve=አስራ ሁለት +thirteen=አስራ ሦስተኛ +fourteen=አስራ አራት +fifteen=አስራ አምስት +sixteen=አስራ ስድስት +seventeen=አስራ ሰባት +eighteen=አስራ ስምንት +nineteen=አስራ ዘጠኝ +twenty=ሃያ +thirty=ሰላሳ +forty=አርባ +fifty=ሃምሳ +sixty=ስልሳ +seventy=ሰባ +eighty=ሰማንያ +ninety=ዘጠና +hundred=መቶ +thousand=ሺህ +million=ሚሊዮን +billion=ቢሊዮን +trillion=ትሪሊዮን +quadrillion=ኳድሪሊየን +SelectMailModel=የኢሜል አብነት ይምረጡ +SetRef=ማጣቀሻ አዘጋጅ +Select2ResultFoundUseArrows=አንዳንድ ውጤቶች ተገኝተዋል። ለመምረጥ ቀስቶችን ይጠቀሙ። +Select2NotFound=ምንም ውጤት አልተገኘም። +Select2Enter=አስገባ +Select2MoreCharacter=ወይም ተጨማሪ ባህሪ +Select2MoreCharacters=ወይም ተጨማሪ ቁምፊዎች +Select2MoreCharactersMore=አገባብ ይፈልጉ፡
      >
      |b0460de notranslate'> ወይም (a|b)
      *='span> ማንኛውም ቁምፊ (a*b)
      በ (^ab)
      27060ec $ በ(ab$)
      ያበቃል +Select2LoadingMoreResults=ተጨማሪ ውጤቶችን በመጫን ላይ... +Select2SearchInProgress=ፍለጋ በሂደት ላይ... +SearchIntoThirdparties=ሦስተኛ ወገኖች +SearchIntoContacts=እውቂያዎች +SearchIntoMembers=አባላት +SearchIntoUsers=ተጠቃሚዎች +SearchIntoProductsOrServices=ምርቶች ወይም አገልግሎቶች +SearchIntoBatch=ብዙ / ተከታታይ +SearchIntoProjects=ፕሮጀክቶች +SearchIntoMO=የማምረት ትዕዛዞች +SearchIntoTasks=ተግባራት +SearchIntoCustomerInvoices=የደንበኛ ደረሰኞች +SearchIntoSupplierInvoices=የአቅራቢ ደረሰኞች +SearchIntoCustomerOrders=የሽያጭ ትዕዛዞች +SearchIntoSupplierOrders=የግዢ ትዕዛዞች +SearchIntoCustomerProposals=የንግድ ፕሮፖዛል +SearchIntoSupplierProposals=የአቅራቢ ሀሳቦች +SearchIntoInterventions=ጣልቃገብነቶች +SearchIntoContracts=ኮንትራቶች +SearchIntoCustomerShipments=የደንበኛ መላኪያዎች +SearchIntoExpenseReports=የወጪ ሪፖርቶች +SearchIntoLeaves=ተወው +SearchIntoKM=እውቀት መሰረት +SearchIntoTickets=ቲኬቶች +SearchIntoCustomerPayments=የደንበኛ ክፍያዎች +SearchIntoVendorPayments=የአቅራቢ ክፍያዎች +SearchIntoMiscPayments=የተለያዩ ክፍያዎች +CommentLink=አስተያየቶች +NbComments=የአስተያየቶች ብዛት +CommentPage=የአስተያየቶች ቦታ +CommentAdded=አስተያየት ታክሏል። +CommentDeleted=አስተያየት ተሰርዟል። +Everybody=ሁሉም ሰው +EverybodySmall=ሁሉም ሰው +PayedBy=የተከፈለው በ +PayedTo=ተከፍሏል። +Monthly=ወርሃዊ +Quarterly=በየሩብ ዓመቱ +Annual=አመታዊ +Local=አካባቢያዊ +Remote=የርቀት +LocalAndRemote=አካባቢያዊ እና የርቀት +KeyboardShortcut=የቁልፍ ሰሌዳ አቋራጭ +AssignedTo=ተመድቧል +Deletedraft=ረቂቅ ሰርዝ +ConfirmMassDraftDeletion=የጅምላ መሰረዝ ማረጋገጫ +FileSharedViaALink=ይፋዊ ፋይል በአገናኝ ተጋርቷል። +SelectAThirdPartyFirst=መጀመሪያ ሶስተኛ ወገን ይምረጡ... +YouAreCurrentlyInSandboxMode=በአሁኑ ጊዜ በ%s "ማጠሪያ" ሁነታ ላይ ነዎት +Inventory=ቆጠራ +AnalyticCode=የትንታኔ ኮድ +TMenuMRP=ኤምአርፒ +ShowCompanyInfos=የኩባንያ መረጃ አሳይ +ShowMoreInfos=ተጨማሪ መረጃ አሳይ +NoFilesUploadedYet=እባክዎ መጀመሪያ ሰነድ ይስቀሉ። +SeePrivateNote=የግል ማስታወሻ ይመልከቱ +PaymentInformation=የክፍያ መረጃ +ValidFrom=የሚሰራው ከ +ValidUntil=የሚያገለግለው እስከ +NoRecordedUsers=ተጠቃሚዎች የሉም +ToClose=መዝጋት +ToRefuse=እምቢ ለማለት +ToProcess=ለማስኬድ +ToApprove=ለማጽደቅ +GlobalOpenedElemView=ዓለም አቀፍ እይታ +NoArticlesFoundForTheKeyword=ለቁልፍ ቃል '%sምንም መጣጥፍ አልተገኘም +NoArticlesFoundForTheCategory=ለምድቡ ምንም መጣጥፍ አልተገኘም። +ToAcceptRefuse=ለመቀበል | እምቢ ማለት +ContactDefault_agenda=ክስተት +ContactDefault_commande=ማዘዝ +ContactDefault_contrat=ውል +ContactDefault_facture=ደረሰኝ +ContactDefault_fichinter=ጣልቃ መግባት +ContactDefault_invoice_supplier=የአቅራቢ ደረሰኝ +ContactDefault_order_supplier=ትእዛዝዎን ይግዙ +ContactDefault_project=ፕሮጀክት +ContactDefault_project_task=ተግባር +ContactDefault_propal=ፕሮፖዛል +ContactDefault_supplier_proposal=የአቅራቢ ፕሮፖዛል +ContactDefault_ticket=ትኬት +ContactAddedAutomatically=እውቂያ ከሶስተኛ ወገን የእውቂያ ሚናዎች ታክሏል። +More=ተጨማሪ +ShowDetails=ዝርዝሩን አሳይ +CustomReports=ብጁ ሪፖርቶች +StatisticsOn=ስታቲስቲክስ በርቷል። +SelectYourGraphOptionsFirst=ግራፍ ለመገንባት የግራፍ አማራጮችን ይምረጡ +Measures=መለኪያዎች +XAxis=ኤክስ-ዘንግ +YAxis=Y-ዘንግ +StatusOfRefMustBe=የ%s ሁኔታ %s መሆን አለበት +DeleteFileHeader=የፋይል መሰረዝን ያረጋግጡ +DeleteFileText=ይህን ፋይል በእውነት መሰረዝ ይፈልጋሉ? +ShowOtherLanguages=ሌሎች ቋንቋዎችን አሳይ +SwitchInEditModeToAddTranslation=ለዚህ ቋንቋ ትርጉሞችን ለመጨመር በአርትዖት ሁነታ ይቀይሩ +NotUsedForThisCustomer=ለዚህ ደንበኛ ጥቅም ላይ አልዋለም +NotUsedForThisVendor=ለዚህ ሻጭ ጥቅም ላይ አልዋለም +AmountMustBePositive=መጠኑ አዎንታዊ መሆን አለበት። +ByStatus=በሁኔታ +InformationMessage=መረጃ +Used=ጥቅም ላይ የዋለ +ASAP=በተቻለ ፍጥነት +CREATEInDolibarr=መዝገብ %s ተፈጥሯል +MODIFYInDolibarr=መዝገብ %s ተቀይሯል +DELETEInDolibarr=መዝገብ %s ተሰርዟል +VALIDATEInDolibarr=መዝገብ %s ተረጋግጧል +APPROVEDInDolibarr=መዝገብ %s ጸድቋል +DefaultMailModel=ነባሪ የደብዳቤ ሞዴል +PublicVendorName=የአቅራቢው የህዝብ ስም +DateOfBirth=የተወለደበት ቀን +SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=የደህንነት ማስመሰያ ጊዜው አልፎበታል፣ ስለዚህ እርምጃ ተሰርዟል። እባክዎ ዳግም ይሞክሩ. +UpToDate=እስካሁን +OutOfDate=ቀኑ ያለፈበት +EventReminder=የክስተት አስታዋሽ +UpdateForAllLines=ለሁሉም መስመሮች አዘምን +OnHold=በተጠንቀቅ +Civility=ስልጣኔ +AffectTag=መለያ ስጥ +AffectUser=ተጠቃሚ መድብ +SetSupervisor=ተቆጣጣሪውን ያዘጋጁ +CreateExternalUser=የውጭ ተጠቃሚን ይፍጠሩ +ConfirmAffectTag=የጅምላ መለያ ምደባ +ConfirmAffectUser=የጅምላ ተጠቃሚ ምደባ +ProjectRole=በእያንዳንዱ ፕሮጀክት/እድል ላይ የተሰጠ ሚና +TasksRole=በእያንዳንዱ ተግባር ላይ የተሰጠ ሚና (ጥቅም ላይ ከዋለ) +ConfirmSetSupervisor=የጅምላ ሱፐርቫይዘር አዘጋጅ +ConfirmUpdatePrice=የዋጋ ጭማሪ/መቀነስ ይምረጡ +ConfirmAffectTagQuestion=እርግጠኛ ነህ ለተመረጠው መዝገብ(ዎች) %s መለያዎችን መስጠት ትፈልጋለህ? +ConfirmAffectUserQuestion=እርግጠኛ ነዎት ተጠቃሚዎችን ለተመረጠው መዝገብ(ዎች) %s ለመመደብ ይፈልጋሉ? +ConfirmSetSupervisorQuestion=እርግጠኛ ኖት ሱፐርቫይዘርን ወደ %s የተመረጡ መዝገብ(ዎች) ማዋቀር ይፈልጋሉ? +ConfirmUpdatePriceQuestion=እርግጠኛ ነዎት የ%s የተመረጡ ሪኮርዶችን ዋጋ ማዘመን ይፈልጋሉ? +CategTypeNotFound=ለመዝገቦች አይነት ምንም የመለያ አይነት አልተገኘም። +Rate=ደረጃ ይስጡ +SupervisorNotFound=ተቆጣጣሪ አልተገኘም። +CopiedToClipboard=ወደ ቅንጥብ ሰሌዳ ተቀድቷል። +InformationOnLinkToContract=ይህ መጠን የውሉ መስመሮች አጠቃላይ ድምር ብቻ ነው። የጊዜ ፅንሰ-ሀሳብ ግምት ውስጥ አይገቡም. +ConfirmCancel=እርግጠኛ ነህ መሰረዝ ትፈልጋለህ +EmailMsgID=የMsgID ኢሜይል ያድርጉ +EmailDate=የኢሜል ቀን +SetToStatus=ወደ %s ሁኔታ አቀናብር +SetToEnabled=እንዲነቃ አቀናብር +SetToDisabled=ወደ ተሰናከለ +ConfirmMassEnabling=የጅምላ ማንቃት ማረጋገጫ +ConfirmMassEnablingQuestion=እርግጠኛ ነዎት %s የተመረጡ ሪኮርዶችን ማንቃት ይፈልጋሉ? +ConfirmMassDisabling=የጅምላ ማሰናከል ማረጋገጫ +ConfirmMassDisablingQuestion=እርግጠኛ ነዎት %s የተመረጠውን መዝገብ(ዎች) ማሰናከል ይፈልጋሉ? +RecordsEnabled=%s መዝገብ(ዎች) ነቅቷል +RecordsDisabled=%s መዝገብ(ዎች) ተሰናክሏል +RecordEnabled=መዝገብ ነቅቷል። +RecordDisabled=መዝገብ ተሰናክሏል። +Forthcoming=ወደፊት +Currently=በአሁኑ ግዜ +ConfirmMassLeaveApprovalQuestion=እርግጠኛ ነዎት %s የተመረጠውን መዝገብ(ዎች) ማጽደቅ ይፈልጋሉ? +ConfirmMassLeaveApproval=የጅምላ ፈቃድ ማረጋገጫ ማረጋገጫ +RecordAproved=መዝገብ ጸድቋል +RecordsApproved=%s መዝገብ(ዎች) ጸድቋል +Properties=ንብረቶች +hasBeenValidated=%s ተረጋግጧል +ClientTZ=የደንበኛ የሰዓት ሰቅ (ተጠቃሚ) +NotClosedYet=እስካሁን አልተዘጋም። +ClearSignature=ፊርማውን ዳግም አስጀምር +CanceledHidden=ተሰርዟል ተደብቋል +CanceledShown=ተሰርዟል። +Terminate=አቋርጥ +Terminated=ተቋርጧል +AddLineOnPosition=በአቀማመጥ ላይ መስመር አክል (ባዶ ከሆነ መጨረሻ ላይ) +ConfirmAllocateCommercial=የሽያጭ ተወካይ ማረጋገጫ ይመድቡ +ConfirmAllocateCommercialQuestion=እርግጠኛ ነዎት %s የተመረጠውን መዝገብ(ዎች) መመደብ ይፈልጋሉ? +CommercialsAffected=የሽያጭ ተወካዮች ተመድበዋል +CommercialAffected=የሽያጭ ተወካይ ተመድቧል +YourMessage=መልእክትህ +YourMessageHasBeenReceived=መልእክትህ ደርሷል። በተቻለ ፍጥነት መልስ እንሰጥዎታለን ወይም እናገኝዎታለን። +UrlToCheck=ለመፈተሽ ዩአርኤል +Automation=አውቶማቲክ +CreatedByEmailCollector=በኢሜል ሰብሳቢ የተፈጠረ +CreatedByPublicPortal=ከህዝብ ፖርታል የተፈጠረ +UserAgent=የተጠቃሚ ወኪል +InternalUser=የውስጥ ተጠቃሚ +ExternalUser=የውጭ ተጠቃሚ +NoSpecificContactAddress=የተለየ አድራሻ ወይም አድራሻ የለም። +NoSpecificContactAddressBis=ይህ ትር የተወሰኑ እውቂያዎችን ወይም አድራሻዎችን አሁን ላለው ነገር ለማስገደድ የተነደፈ ነው። በሶስተኛ ወገን ላይ ያለው መረጃ በቂ ካልሆነ ወይም ትክክለኛ ካልሆነ ለዕቃው አንድ ወይም ብዙ የተወሰኑ እውቂያዎችን ወይም አድራሻዎችን ለመግለጽ ከፈለጉ ብቻ ይጠቀሙበት። +HideOnVCard=ደብቅ %s +AddToContacts=አድራሻዬን ወደ እውቂያዎቼ ጨምር +LastAccess=የመጨረሻ መዳረሻ +UploadAnImageToSeeAPhotoHere=እዚህ ፎቶ ለማየት ከትር %s ላይ ምስል ይስቀሉ +LastPasswordChangeDate=የመጨረሻው የይለፍ ቃል ለውጥ ቀን +PublicVirtualCardUrl=ምናባዊ የንግድ ካርድ ገጽ URL +PublicVirtualCard=ምናባዊ የንግድ ካርድ +TreeView=የዛፍ እይታ +DropFileToAddItToObject=ወደዚህ ነገር ለማከል ፋይል ጣል ያድርጉ +UploadFileDragDropSuccess=ፋይሉ በተሳካ ሁኔታ ተሰቅሏል። +SearchSyntaxTooltipForStringOrNum=በጽሑፍ መስክ ውስጥ ለመፈለግ፣ 'በመጀመር ወይም በመጨረስ' ለመፈለግ ወይም ለመጠቀም ^ ወይም $ ቁምፊዎችን መጠቀም ትችላለህ። 'አልያዘም' ሙከራ ለማድረግ። መጠቀም ይችላሉ | ከ'AND' ይልቅ ለ'OR' ሁኔታ ከጠፈር ይልቅ በሁለት ሕብረቁምፊዎች መካከል። ለቁጥር እሴቶች፣ ከዋጋው በፊት የሂሳብ ንፅፅርን ተጠቅመው ለማጣራት ኦፕሬተሩን <, >፣ <=, >= ወይም != መጠቀም ትችላለህ። +InProgress=በሂደት ላይ +DateOfPrinting=የታተመበት ቀን +ClickFullScreenEscapeToLeave=ወደ ሙሉ ስክሪን ሁነታ ለመቀየር እዚህ ጠቅ ያድርጉ። ከሙሉ ማያ ገጽ ሁነታ ለመውጣት ESCAPE ን ይጫኑ። +UserNotYetValid=እስካሁን የሚሰራ አይደለም። +UserExpired=ጊዜው አልፎበታል። +LinkANewFile=አዲስ ፋይል/ሰነድ ያገናኙ +LinkedFiles=የተገናኙ ሰነዶች እና ሰነዶች +NoLinkFound=ምንም የተመዘገቡ አገናኞች የሉም +LinkComplete=ፋይሉ በተሳካ ሁኔታ ተገናኝቷል። +ErrorFileNotLinked=ፋይሉ ሊገናኝ አልቻለም +LinkRemoved=አገናኙ %s ተወግዷል +ErrorFailedToDeleteLink= ማገናኛን ማስወገድ አልተሳካም '%s' +ErrorFailedToUpdateLink= ማገናኛን ማዘመን አልተሳካም '%s' +URLToLink=ለማገናኘት URL +OverwriteIfExists=ፋይሉ ካለ እንደገና ይፃፉ +AmountSalary=የደመወዝ መጠን +InvoiceSubtype=የክፍያ መጠየቂያ ንዑስ ዓይነት +ConfirmMassReverse=የጅምላ ተገላቢጦሽ ማረጋገጫ +ConfirmMassReverseQuestion=እርግጠኛ ነዎት %s የተመረጠውን መዝገብ(ዎች) መቀልበስ ይፈልጋሉ? + diff --git a/htdocs/langs/am_ET/modulebuilder.lang b/htdocs/langs/am_ET/modulebuilder.lang index 61b5c939d12..623c8a4d7ac 100644 --- a/htdocs/langs/am_ET/modulebuilder.lang +++ b/htdocs/langs/am_ET/modulebuilder.lang @@ -1,147 +1,189 @@ # Dolibarr language file - Source file is en_US - loan -ModuleBuilderDesc=This tool must be used only by experienced users or developers. It provides utilities to build or edit your own module. Documentation for alternative manual development is here. -EnterNameOfModuleDesc=Enter name of the module/application to create with no spaces. Use uppercase to separate words (For example: MyModule, EcommerceForShop, SyncWithMySystem...) -EnterNameOfObjectDesc=Enter name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, but also API file, pages to list/add/edit/delete object and SQL files will be generated. -ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s -ModuleBuilderDesc3=Generated/editable modules found: %s -ModuleBuilderDesc4=A module is detected as 'editable' when the file %s exists in root of module directory -NewModule=New module -NewObjectInModulebuilder=New object -ModuleKey=Module key -ObjectKey=Object key -ModuleInitialized=Module initialized -FilesForObjectInitialized=Files for new object '%s' initialized -FilesForObjectUpdated=Files for object '%s' updated (.sql files and .class.php file) -ModuleBuilderDescdescription=Enter here all general information that describe your module. -ModuleBuilderDescspecifications=You can enter here a detailed description of the specifications of your module that is not already structured into other tabs. So you have within easy reach all the rules to develop. Also this text content will be included into the generated documentation (see last tab). You can use Markdown format, but it is recommended to use Asciidoc format (comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). -ModuleBuilderDescobjects=Define here the objects you want to manage with your module. A CRUD DAO class, SQL files, page to list record of objects, to create/edit/view a record and an API will be generated. -ModuleBuilderDescmenus=This tab is dedicated to define menu entries provided by your module. -ModuleBuilderDescpermissions=This tab is dedicated to define the new permissions you want to provide with your module. -ModuleBuilderDesctriggers=This is the view of triggers provided by your module. To include code executed when a triggered business event is launched, just edit this file. -ModuleBuilderDeschooks=This tab is dedicated to hooks. -ModuleBuilderDescwidgets=This tab is dedicated to manage/build widgets. -ModuleBuilderDescbuildpackage=You can generate here a "ready to distribute" package file (a normalized .zip file) of your module and a "ready to distribute" documentation file. Just click on button to build the package or documentation file. -EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: All coding files of module (generated or created manually) AND structured data and documentation will be deleted! -EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All coding files (generated or created manually) related to object will be deleted! -DangerZone=Danger zone -BuildPackage=Build package -BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. -BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here -ModuleIsLive=This module has been activated. Any change may break a current live feature. -DescriptionLong=Long description -EditorName=Name of editor -EditorUrl=URL of editor -DescriptorFile=Descriptor file of module -ClassFile=File for PHP DAO CRUD class -ApiClassFile=File for PHP API class -PageForList=PHP page for list of record -PageForCreateEditView=PHP page to create/edit/view a record -PageForAgendaTab=PHP page for event tab -PageForDocumentTab=PHP page for document tab -PageForNoteTab=PHP page for note tab -PageForContactTab=PHP page for contact tab -PathToModulePackage=Path to zip of module/application package -PathToModuleDocumentation=Path to file of module/application documentation (%s) -SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed. -FileNotYetGenerated=File not yet generated -RegenerateClassAndSql=Force update of .class and .sql files -RegenerateMissingFiles=Generate missing files -SpecificationFile=File of documentation -LanguageFile=File for language -ObjectProperties=Object Properties -ConfirmDeleteProperty=Are you sure you want to delete the property %s? This will change code in PHP class but also remove column from table definition of object. -NotNull=Not NULL -NotNullDesc=1=Set database to NOT NULL. -1=Allow null values and force value to NULL if empty ('' or 0). -SearchAll=Used for 'search all' -DatabaseIndex=Database index -FileAlreadyExists=File %s already exists -TriggersFile=File for triggers code -HooksFile=File for hooks code -ArrayOfKeyValues=Array of key-val -ArrayOfKeyValuesDesc=Array of keys and values if field is a combo list with fixed values -WidgetFile=Widget file -CSSFile=CSS file -JSFile=Javascript file -ReadmeFile=Readme file -ChangeLog=ChangeLog file -TestClassFile=File for PHP Unit Test class -SqlFile=Sql file -PageForLib=File for the common PHP library -PageForObjLib=File for the PHP library dedicated to object -SqlFileExtraFields=Sql file for complementary attributes -SqlFileKey=Sql file for keys -SqlFileKeyExtraFields=Sql file for keys of complementary attributes -AnObjectAlreadyExistWithThisNameAndDiffCase=An object already exists with this name and a different case -UseAsciiDocFormat=You can use Markdown format, but it is recommended to use Asciidoc format (omparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) -IsAMeasure=Is a measure -DirScanned=Directory scanned -NoTrigger=No trigger -NoWidget=No widget -GoToApiExplorer=API explorer -ListOfMenusEntries=List of menu entries -ListOfDictionariesEntries=List of dictionaries entries -ListOfPermissionsDefined=List of defined permissions -SeeExamples=See examples here -EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update).

      Using a negative value means field is not shown by default on list but can be selected for viewing).

      It can be an expression, for example:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      ($user->rights->holiday->define_holiday ? 1 : 0) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
      Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

      For document :
      0 = not displayed
      1 = display
      2 = display only if not empty

      For document lines :
      0 = not displayed
      1 = displayed in a column
      3 = display in line description column after the description
      4 = display in description column after the description only if not empty -DisplayOnPdf=Display on PDF -IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) -SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) -SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. -LanguageDefDesc=Enter in this files, all the key and the translation for each language file. -MenusDefDesc=Define here the menus provided by your module -DictionariesDefDesc=Define here the dictionaries provided by your module -PermissionsDefDesc=Define here the new permissions provided by your module -MenusDefDescTooltip=The menus provided by your module/application are defined into the array $this->menus into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), menus are also visible into the menu editor available to administrator users on %s. -DictionariesDefDescTooltip=The dictionaries provided by your module/application are defined into the array $this->dictionaries into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), dictionaries are also visible into the setup area to administrator users on %s. -PermissionsDefDescTooltip=The permissions provided by your module/application are defined into the array $this->rights into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), permissions are visible into the default permissions setup %s. -HooksDefDesc=Define in the module_parts['hooks'] property, in the module descriptor, the context of hooks you want to manage (list of contexts can be found by a search on 'initHooks(' in core code).
      Edit the hook file to add code of your hooked functions (hookable functions can be found by a search on 'executeHooks' in core code). -TriggerDefDesc=Define in the trigger file the code that you want to execute when a business event external to your module is executed (events triggered by other modules). -SeeIDsInUse=See IDs in use in your installation -SeeReservedIDsRangeHere=See range of reserved IDs -ToolkitForDevelopers=Toolkit for Dolibarr developers -TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the native module builder wizard.
      Enable the module %s and use the wizard by clicking the on the top right menu.
      Warning: This is an advanced developer feature, do not experiment on your production site! -SeeTopRightMenu=See on the top right menu -AddLanguageFile=Add language file -YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages") -DropTableIfEmpty=(Destroy table if empty) -TableDoesNotExists=The table %s does not exists -TableDropped=Table %s deleted -InitStructureFromExistingTable=Build the structure array string of an existing table -UseAboutPage=Disable the about page -UseDocFolder=Disable the documentation folder -UseSpecificReadme=Use a specific ReadMe -ContentOfREADMECustomized=Note: The content of the README.md file has been replaced with the specific value defined into setup of ModuleBuilder. -RealPathOfModule=Real path of module -ContentCantBeEmpty=Content of file can't be empty -WidgetDesc=You can generate and edit here the widgets that will be embedded with your module. -CSSDesc=You can generate and edit here a file with personalized CSS embedded with your module. -JSDesc=You can generate and edit here a file with personalized Javascript embedded with your module. -CLIDesc=You can generate here some command line scripts you want to provide with your module. -CLIFile=CLI File -NoCLIFile=No CLI files -UseSpecificEditorName = Use a specific editor name -UseSpecificEditorURL = Use a specific editor URL -UseSpecificFamily = Use a specific family -UseSpecificAuthor = Use a specific author -UseSpecificVersion = Use a specific initial version -IncludeRefGeneration=The reference of object must be generated automatically -IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference -IncludeDocGeneration=I want to generate some documents from the object -IncludeDocGenerationHelp=If you check this, some code will be generated to add a "Generate document" box on the record. -ShowOnCombobox=Show value into combobox -KeyForTooltip=Key for tooltip -CSSClass=CSS for edit/create form -CSSViewClass=CSS for read form -CSSListClass=CSS for list -NotEditable=Not editable -ForeignKey=Foreign key -TypeOfFieldsHelp=Type of fields:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) -AsciiToHtmlConverter=Ascii to HTML converter -AsciiToPdfConverter=Ascii to PDF converter -TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. -ModuleBuilderNotAllowed=The module builder is available but not allowed to your user. -ImportExportProfiles=Import and export profiles -ValidateModBuilderDesc=Put 1 if this field need to be validated with $this->validateField() or 0 if validation required +IdModule= የሞዱል መታወቂያ +ModuleBuilderDesc=ይህ መሳሪያ ልምድ ባላቸው ተጠቃሚዎች ወይም ገንቢዎች ብቻ መጠቀም አለበት። የእራስዎን ሞጁል ለመገንባት ወይም ለማረም መገልገያዎችን ያቀርባል. ለአማራጭ የእጅ ልማት ሰነድ እዚህ አለ። +EnterNameOfModuleDesc=ባዶ ቦታ ለመፍጠር የሞጁሉን/መተግበሪያውን ስም ያስገቡ። ቃላትን ለመለየት አቢይ ሆሄ ይጠቀሙ (ለምሳሌ፡ MyModule፣ EcommerceForShop፣ SyncWithMySystem...) +EnterNameOfObjectDesc=ክፍተቶች ሳይኖሩበት ለመፍጠር የነገሩን ስም ያስገቡ። ቃላትን ለመለየት አቢይ ሆሄ ይጠቀሙ (ለምሳሌ፡ MyObject፣ Student፣ Teacher...)። የCRUD ክፍል ፋይሉ፣ ነገሩን ለመዘርዘር/ለመጨመር/ለማርትዕ/የሚሰርዙ ገፆች እና የSQL ፋይሎች ይፈጠራሉ። +EnterNameOfDictionaryDesc=ክፍተቶች ሳይኖሩበት ለመፍጠር የመዝገበ-ቃላቱን ስም ያስገቡ። ቃላትን ለመለየት አቢይ ሆሄ ይጠቀሙ (ለምሳሌ፡ MyDico...)። የክፍል ፋይሉ፣ ግን ደግሞ SQL ፋይል ይፈጠራል። +ModuleBuilderDesc2=ሞጁሎች የሚፈጠሩበት/የሚታረሙበት መንገድ (የውጫዊ ሞጁሎች የመጀመሪያ ማውጫ በ%s የተገለፀ)፡ %s +ModuleBuilderDesc3=የሚመነጩ/የሚስተካከል ሞጁሎች ተገኝተዋል፡ %s +ModuleBuilderDesc4=ሞጁል እንደ 'ሞዱል ለሞዱል ገንቢ' ተገኝቷል ፋይሉ %sb0a6f09 በሞጁል ማውጫው ስር አለ። +NewModule=አዲስ ሞጁል +NewObjectInModulebuilder=አዲስ ነገር +NewDictionary=አዲስ መዝገበ ቃላት +ModuleName=የሞዱል ስም +ModuleKey=የሞዱል ቁልፍ +ObjectKey=የነገር ቁልፍ +DicKey=መዝገበ ቃላት ቁልፍ +ModuleInitialized=ሞጁል ተጀምሯል። +FilesForObjectInitialized=ፋይሎች ለአዲስ ነገር '%s' ተጀምረዋል +FilesForObjectUpdated=ፋይሎች ለነገር '%s' ተዘምነዋል (.sql ፋይሎች እና .class.php ፋይል) +ModuleBuilderDescdescription=የእርስዎን ሞጁል የሚገልጹትን ሁሉንም አጠቃላይ መረጃዎች እዚህ ያስገቡ። +ModuleBuilderDescspecifications=ወደ ሌሎች ትሮች ያልተዋቀረ የሞዱልዎን ዝርዝር መግለጫ እዚህ ማስገባት ይችላሉ። ስለዚህ ለማዳበር ሁሉንም ህጎች በቀላሉ ማግኘት ይችላሉ። እንዲሁም ይህ የጽሑፍ ይዘት በተፈጠረው ሰነድ ውስጥ ይካተታል (የመጨረሻውን ትር ይመልከቱ)። የማርክዳውን ፎርማት መጠቀም ትችላለህ፣ነገር ግን Asciidoc ፎርማትን ለመጠቀም ይመከራል (በ.md እና .asciidoc መካከል ንፅፅር፡ http://asciidoctor.org/docs/user-manual/#compared-to-markdown)። +ModuleBuilderDescobjects=በሞጁልዎ ለማስተዳደር የሚፈልጓቸውን ነገሮች እዚህ ይግለጹ። የ CRUD DAO ክፍል ፣ SQL ፋይሎች ፣ የነገሮችን መዝገብ ለመዘርዘር ፣ መዝገብ ለመፍጠር/ለማረም/ ለማየት እና ኤፒአይ ይፈጠራል። +ModuleBuilderDescmenus=ይህ ትር በሞጁልዎ የቀረቡትን የምናሌ ግቤቶችን ለመግለጽ የተነደፈ ነው። +ModuleBuilderDescpermissions=ይህ ትር በሞጁልዎ ሊሰጡዋቸው የሚፈልጓቸውን አዲስ ፈቃዶች ለመግለጽ የተነደፈ ነው። +ModuleBuilderDesctriggers=ይህ በሞጁልዎ የቀረቡ ቀስቅሴዎች እይታ ነው። የተቀሰቀሰ የንግድ ክስተት ሲጀመር የሚሰራውን ኮድ ለማካተት ይህን ፋይል በቀላሉ ያርትዑ። +ModuleBuilderDeschooks=ይህ ትር ለ መንጠቆዎች የተወሰነ ነው። +ModuleBuilderDescwidgets=ይህ ትር መግብሮችን ለማስተዳደር/ግንባታ የተዘጋጀ ነው። +ModuleBuilderDescbuildpackage=የሞጁሉን "ለመከፋፈል ዝግጁ" ጥቅል ፋይል (የተለመደ የዚፕ ፋይል) እና "ለማሰራጨት ዝግጁ" የሰነድ ፋይል እዚህ ማመንጨት ይችላሉ። የጥቅሉን ወይም የሰነድ ፋይሉን ለመገንባት በቀላሉ አዝራሩን ጠቅ ያድርጉ። +EnterNameOfModuleToDeleteDesc=ሞጁሉን መሰረዝ ይችላሉ. ማስጠንቀቂያ፡ ሁሉም የሞጁል ኮድ አድራጊ ፋይሎች (በእጅ የተፈጠሩ ወይም የተፈጠሩ) እና የተዋቀሩ መረጃዎች እና ሰነዶች ይሰረዛሉ! +EnterNameOfObjectToDeleteDesc=አንድ ነገር መሰረዝ ይችላሉ። ማስጠንቀቂያ፡ ከነገር ጋር የተያያዙ ሁሉም የኮድ ማድረጊያ ፋይሎች (የተፈጠሩ ወይም በእጅ የተፈጠሩ) ይሰረዛሉ! +EnterNameOfObjectToDeleteDesc=አንድ ነገር መሰረዝ ይችላሉ። ማስጠንቀቂያ፡ ከነገር ጋር የተያያዙ ሁሉም የኮድ ማድረጊያ ፋይሎች (የተፈጠሩ ወይም በእጅ የተፈጠሩ) ይሰረዛሉ! +DangerZone=አደገኛ ዞን +BuildPackage=ጥቅል ገንቡ +BuildPackageDesc=በማንኛውም ዶሊባር ላይ ለማሰራጨት ዝግጁ እንዲሆኑ የመተግበሪያዎን ዚፕ ፓኬጅ ማመንጨት ይችላሉ። እንዲሁም እንደ DoliStore.com ባሉ የገበያ ቦታዎች ላይ ማሰራጨት ወይም መሸጥ ትችላለህ። +BuildDocumentation=ሰነዶችን ይገንቡ +ModuleIsNotActive=ይህ ሞጁል እስካሁን አልነቃም። ቀጥታ ለማድረግ ወደ %s ይሂዱ ወይም እዚህ ጠቅ ያድርጉ +ModuleIsLive=ይህ ሞጁል ነቅቷል። ማንኛውም ለውጥ የአሁኑን የቀጥታ ባህሪን ሊሰብር ይችላል። +DescriptionLong=ረጅም መግለጫ +EditorName=የአርታዒ ስም +EditorUrl=የአርታዒ ዩአርኤል +DescriptorFile=የሞዱል ገላጭ ፋይል +ClassFile=ፋይል ለPHP DAO CRUD ክፍል +ApiClassFile=የሞጁል ኤፒአይ ፋይል +PageForList=ፒኤችፒ ገጽ ለመዝገብ ዝርዝር +PageForCreateEditView=መዝገብ ለመፍጠር/ለማረም/ ለማየት የPHP ገጽ +PageForAgendaTab=የ PHP ገጽ ለክስተት ትር +PageForDocumentTab=የ PHP ገጽ ለሰነድ ትር +PageForNoteTab=የማስታወሻ ትር ፒኤችፒ ገጽ +PageForContactTab=የእውቂያ ትር ፒኤችፒ ገጽ +PathToModulePackage=የሞዱል/የመተግበሪያ ጥቅል ወደ ዚፕ የሚወስድ መንገድ +PathToModuleDocumentation=ወደ ሞጁል/የመተግበሪያ ሰነድ ፋይል የሚወስድበት መንገድ (%s) +SpaceOrSpecialCharAreNotAllowed=ክፍተቶች ወይም ልዩ ቁምፊዎች አይፈቀዱም. +FileNotYetGenerated=ፋይል ገና አልተፈጠረም። +GenerateCode=ኮድ ይፍጠሩ +RegenerateClassAndSql=የ.ክፍል እና .sql ፋይሎችን አስገድድ +RegenerateMissingFiles=የጎደሉ ፋይሎችን ይፍጠሩ +SpecificationFile=የሰነድ ሰነድ +LanguageFile=ለቋንቋ ፋይል ያድርጉ +ObjectProperties=የነገር ባህሪያት +Property=ንብረት +PropertyDesc=ንብረት የአንድን ነገር የሚለይ ባህሪ ነው። ይህ ባህሪ ኮድ፣ መለያ እና ብዙ አማራጮች ያሉት አይነት አለው። +ConfirmDeleteProperty=እርግጠኛ ነህ %sንብረቱን መሰረዝ ትፈልጋለህ? ይህ በPHP ክፍል ውስጥ ያለውን ኮድ ይለውጣል ነገር ግን ዓምድ ከሠንጠረዥ ፍቺ ላይ ያስወግዳል። +NotNull=ባዶ አይደለም። +NotNullDesc=1=ዳታቤዝ ወደ NOT NULL አቀናብር፣ 0= null values ፍቀድ፣ -1= ባዶ ከሆነ ዋጋ ወደ NULL ('' ወይም 0) በማስገደድ ባዶ እሴቶችን ፍቀድ። +SearchAll=ሁሉንም ለመፈለግ ጥቅም ላይ ይውላል +DatabaseIndex=የውሂብ ጎታ መረጃ ጠቋሚ +FileAlreadyExists=ፋይል %s አስቀድሞ አለ +TriggersFile=ቀስቅሴዎች ኮድ ፋይል ያድርጉ +HooksFile=ለ መንጠቆዎች ኮድ ፋይል ያድርጉ +ArrayOfKeyValues=የቁልፍ-ቫል ድርድር +ArrayOfKeyValuesDesc=መስክ ቋሚ እሴቶች ያለው ጥምር ዝርዝር ከሆነ የቁልፎች እና የእሴቶች ድርድር +WidgetFile=መግብር ፋይል +CSSFile=CSS ፋይል +JSFile=ጃቫስክሪፕት ፋይል +ReadmeFile=Readme ፋይል +ChangeLog=ለውጥ Log ፋይል +TestClassFile=ፋይል ለPHP ክፍል የሙከራ ክፍል +SqlFile=Sql ፋይል +PageForLib=ለተለመደው ፒኤችፒ ቤተ-መጽሐፍት ፋይል ያድርጉ +PageForObjLib=ለዕቃው ለተዘጋጀው የPHP ቤተ-መጽሐፍት ፋይል ያድርጉ +SqlFileExtraFields=Sql ፋይል ለተጨማሪ ባህሪዎች +SqlFileKey=Sql ፋይል ለቁልፍ +SqlFileKeyExtraFields=Sql ፋይል ለተጨማሪ ባህሪዎች ቁልፎች +AnObjectAlreadyExistWithThisNameAndDiffCase=በዚህ ስም እና የተለየ ጉዳይ ያለው ነገር አስቀድሞ አለ። +UseAsciiDocFormat=የማርክዳውን ፎርማት መጠቀም ትችላለህ፣ ግን Asciidoc ፎርማትን ለመጠቀም ይመከራል (በ .md እና .asciidoc መካከል emparison፡ http://asciidoctor.org/docs/user-manual/#compared-to-markdown) +IsAMeasure=መለኪያ ነው። +DirScanned=ማውጫ ተቃኝቷል። +NoTrigger=ቀስቅሴ የለም። +NoWidget=ምንም መግብር የለም። +ApiExplorer=ኤፒአይ አሳሽ +ListOfMenusEntries=የምናሌ ግቤቶች ዝርዝር +ListOfDictionariesEntries=የመዝገበ-ቃላት ግቤቶች ዝርዝር +ListOfPermissionsDefined=የተገለጹ ፈቃዶች ዝርዝር +SeeExamples=ምሳሌዎችን እዚህ ይመልከቱ +EnabledDesc=ይህ መስክ ገቢር ለማድረግ ሁኔታ።

      ምሳሌዎች፡

      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=ሜዳው ይታያል? (ምሳሌዎች፡- 0=በፍፁም የማይታይ፣ 1=በዝርዝር ውስጥ የሚታይ እና ቅጾችን መፍጠር/ማዘመን/ዕይታ፣ 2=በዝርዝር ላይ ብቻ የሚታይ፣ 3=በፍጠር/ማዘመን/በእይታ ቅጽ ላይ ብቻ (በዝርዝሮች ላይ ያልሆነ)፣ 4=በዝርዝሮች ላይ የሚታየው እና ማዘመን/ዕይታ ቅጽ ብቻ (አይፈጠርም)፣ 5=በዝርዝር ላይ የሚታየው እና ቅጽ ብቻ (አይፈጥርም፣ አይዘምንም)።

      አሉታዊ እሴትን መጠቀም ማለት መስክ በነባሪ ዝርዝር ውስጥ አይታይም ነገር ግን ለዕይታ ሊመረጥ ይችላል)። +ItCanBeAnExpression=መግለጫ ሊሆን ይችላል። ምሳሌ፡
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user -> መብት አለው ('በዓል'፣ 'በዓልን_መግለፅ')?1፡5 +DisplayOnPdfDesc=ይህንን መስክ በተመጣጣኝ የፒዲኤፍ ሰነዶች ላይ አሳይ፣ ቦታን በ"Position" መስክ ማስተዳደር ይችላሉ።
      ለሰነድ፡
      0 = አልታየም
      1 = ማሳያ
      2 = ማሳያ ባዶ ካልሆነ ብቻ ነው

      40478ለሰነድ መስመሮች፡

      0 = አልታየም
      = በአምድ ውስጥ ይታያል
      3 = ከመግለጫው በኋላ በመስመር መግለጫ አምድ ላይ አሳይ
      4 = ከማብራሪያው በኋላ በመግለጫ አምድ ውስጥ አሳይ ባዶ ካልሆነ ብቻ +DisplayOnPdf=በፒዲኤፍ ላይ +IsAMeasureDesc=አጠቃላይ ወደ ዝርዝር ውስጥ ለመግባት የመስክ ዋጋ ሊጠራቀም ይችላል? (ምሳሌ፡ 1 ወይም 0) +SearchAllDesc=መስኩ ከፈጣን መፈለጊያ መሳሪያ ለመፈለግ ጥቅም ላይ ይውላል? (ምሳሌ፡ 1 ወይም 0) +SpecDefDesc=አስቀድመው በሌሎች ትሮች ያልተገለጹ ከሞጁልዎ ጋር ለማቅረብ የሚፈልጉትን ሁሉንም ሰነዶች እዚህ ያስገቡ። .md ወይም የተሻለ መጠቀም ትችላለህ ሀብታሙ .asciidoc አገባብ። +LanguageDefDesc=በዚህ ፋይሎች ውስጥ ያስገቡ ፣ ሁሉንም ቁልፍ እና ለእያንዳንዱ የቋንቋ ፋይል ትርጉም። +MenusDefDesc=በሞጁልዎ የቀረቡትን ምናሌዎች እዚህ ይግለጹ +DictionariesDefDesc=በሞጁልዎ የቀረቡትን መዝገበ ቃላት እዚህ ይግለጹ +PermissionsDefDesc=በሞጁልዎ የቀረቡትን አዲስ ፈቃዶች እዚህ ይግለጹ +MenusDefDescTooltip=በእርስዎ ሞጁል/መተግበሪያ የቀረቡት ምናሌዎች ወደ ሞጁል ገላጭ ፋይል ወደ ድርድር $this->ሜኑስ ተገልጸዋል። ይህን ፋይል እራስዎ ማርትዕ ወይም የተከተተ አርታዒን መጠቀም ይችላሉ።

      ማስታወሻ፡ አንዴ ከተገለጸ (እና ሞጁሉ እንደገና ገቢር ሆኗል) ፣ ሜኑዎቹ በአስተዳዳሪ ተጠቃሚዎች በ%s ላይ ባለው ምናሌ አርታኢ ውስጥም ይታያሉ። +DictionariesDefDescTooltip=በእርስዎ ሞጁል/መተግበሪያ የቀረቡት መዝገበ-ቃላት የተገለጹት በድርድር $this->መዝገበ ቃላት ወደ ሞጁል ገላጭ ፋይል ነው። ይህን ፋይል እራስዎ ማርትዕ ወይም የተከተተ አርታዒን መጠቀም ይችላሉ።

      ማስታወሻ፡ አንዴ ከተገለጸ (እና ሞጁሉ እንደገና እንዲሰራ) መዝገበ-ቃላት እንዲሁ በማዋቀሪያው አካባቢ ለአስተዳዳሪ ተጠቃሚዎች በ%s ላይ ይታያሉ። +PermissionsDefDescTooltip=በእርስዎ ሞጁል/መተግበሪያ የቀረቡት ፍቃዶች በድርድር $this->መብቶች ወደ ሞጁል ገላጭ ፋይል ተገልጸዋል። ይህን ፋይል እራስዎ ማርትዕ ወይም የተከተተ አርታዒን መጠቀም ይችላሉ።

      ማስታወሻ፡ አንዴ ከተገለጸ (እና ሞጁሉ እንደገና እንዲሰራ) ፍቃዶች በነባሪ የፍቃዶች ማዋቀር %s ላይ ይታያሉ። +HooksDefDesc=በንብረቱ ውስጥ ይግለጹ module_parts['hooks'] በሞጁል ገላጭ ፋይል ውስጥ ሲጠመቁ የአውዶች ዝርዝር መፈፀም አለበት (የሚቻሉትን አውዶች ዝርዝር በinitHooks(' በኮር ኮድ ውስጥ) .
      ከዚያም ፋይሉን ከ መንጠቆዎች ኮድ ጋር ከተያያዙት ተግባራት ኮድ ጋር ያርትዑ (የ hookable ተግባራት ዝርዝር በ ፍለጋ ሊገኝ ይችላል executeHooksበኮር ኮድ)። +TriggerDefDesc=ከሞጁልዎ ውጪ የሆነ የንግድ ክስተት ሲፈፀም (በሌሎች ሞጁሎች የተቀሰቀሱ ክስተቶች) ለማስፈጸም የሚፈልጉትን ኮድ በመቀስቀሻ ፋይሉ ውስጥ ይግለጹ። +SeeIDsInUse=በእርስዎ ጭነት ላይ ጥቅም ላይ የዋሉ መታወቂያዎችን ይመልከቱ +SeeReservedIDsRangeHere=የተያዙ መታወቂያዎችን ክልል ይመልከቱ +ToolkitForDevelopers=ለ Dolibarr ገንቢዎች መሣሪያ ስብስብ +TryToUseTheModuleBuilder=የSQL እና ፒኤችፒ እውቀት ካሎት ቤተኛ ሞጁል ገንቢ ዊዛርድን መጠቀም ይችላሉ።
      ሞጁሉን %sእና ='span> በላይኛው ቀኝ ምናሌ ላይ።
      ማስጠንቀቂያ፡ ይህ የላቀ የገንቢ ባህሪ ነው፣ b0aee83365837fz<0አይደረግም span class='notranslate'>
      በምርት ቦታህ ላይ ሙከራ አድርግ! +SeeTopRightMenu=ከላይ በቀኝ ሜኑ ላይ ን ይመልከቱ +AddLanguageFile=የቋንቋ ፋይል ያክሉ +YouCanUseTranslationKey=በቋንቋ ፋይል ውስጥ የሚገኘውን የትርጉም ቁልፍ የሆነውን ቁልፍ እዚህ መጠቀም ትችላለህ ("ቋንቋዎች" የሚለውን ትር ተመልከት) +DropTableIfEmpty=(ጠረጴዛው ባዶ ከሆነ ያጥፉት) +TableDoesNotExists=ሠንጠረዡ %s የለም +TableDropped=ሠንጠረዥ %s ተሰርዟል +InitStructureFromExistingTable=የአንድ ነባር ሰንጠረዥ የመዋቅር አደራደር ሕብረቁምፊ ይገንቡ +UseAboutPage=ስለ ገጽ አታመነጭ +UseDocFolder=የሰነድ ማህደሩን አሰናክል +UseSpecificReadme=የተወሰነ ReadMe ይጠቀሙ +ContentOfREADMECustomized=ማስታወሻ፡ የ README.md ፋይል ይዘት በModuleBuilder ማዋቀር ውስጥ በተገለጸው የተወሰነ እሴት ተተክቷል። +RealPathOfModule=የሞጁል ትክክለኛ መንገድ +ContentCantBeEmpty=የፋይሉ ይዘት ባዶ ሊሆን አይችልም። +WidgetDesc=በሞጁልዎ ውስጥ የሚካተቱትን መግብሮች እዚህ ማመንጨት እና ማርትዕ ይችላሉ። +CSSDesc=እዚህ በሞጁልዎ የተካተተ የግል CSS ፋይል መፍጠር እና ማርትዕ ይችላሉ። +JSDesc=እዚህ በሞጁልዎ የተካተተ የግል ጃቫስክሪፕት ፋይል መፍጠር እና ማርትዕ ይችላሉ። +CLIDesc=በሞጁልዎ ለማቅረብ የሚፈልጓቸውን አንዳንድ የትዕዛዝ መስመር ስክሪፕቶችን እዚህ መፍጠር ይችላሉ። +CLIFile=CLI ፋይል +NoCLIFile=ምንም የCLI ፋይሎች የሉም +UseSpecificEditorName = የተወሰነ የአርታዒ ስም ተጠቀም +UseSpecificEditorURL = የተወሰነ አርታኢ ዩአርኤል ይጠቀሙ +UseSpecificFamily = አንድ የተወሰነ ቤተሰብ ተጠቀም +UseSpecificAuthor = አንድ የተወሰነ ደራሲ ተጠቀም +UseSpecificVersion = የተወሰነ የመነሻ ስሪት ይጠቀሙ +IncludeRefGeneration=የዚህ ነገር ማጣቀሻ በብጁ የቁጥር ደንቦች በራስ-ሰር መፈጠር አለበት። +IncludeRefGenerationHelp=ብጁ የቁጥር ደንቦችን በመጠቀም የማጣቀሻውን ማመንጨት በራስ-ሰር ለማስተዳደር ኮድ ማካተት ከፈለጉ ይህንን ያረጋግጡ +IncludeDocGeneration=ባህሪው ለዚህ ነገር አንዳንድ ሰነዶችን (ፒዲኤፍ፣ ODT) ከአብነት እንዲያወጣ እፈልጋለሁ +IncludeDocGenerationHelp=ይህንን ካረጋገጡ፣ በመዝገቡ ላይ "ሰነድ ፍጠር" የሚለውን ሳጥን ለመጨመር አንዳንድ ኮድ ይወጣል። +ShowOnCombobox=ወደ ጥምር ሳጥኖች እሴት አሳይ +KeyForTooltip=የመገልገያ ቁልፍ +CSSClass=CSS ለአርትዖት/ቅጽ ፍጠር +CSSViewClass=CSS ለንባብ ቅጽ +CSSListClass=CSS ለዝርዝር +NotEditable=ሊስተካከል የማይችል +ForeignKey=የውጭ ቁልፍ +ForeignKeyDesc=የዚህ መስክ ዋጋ ወደ ሌላ ሠንጠረዥ መኖሩን ማረጋገጥ ካለበት. እዚህ ጋር የሚዛመድ አገባብ ያስገቡ፡ tablename.parentfieldtocheck +TypeOfFieldsHelp=ምሳሌ፡
      varchar(99)
      email
      s ='notranslate'>
      ip
      url
      የይለፍ ቃል
      ቀን
      datetime
      የጊዜ ማህተም
      ኢንቲጀር
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]b0341 /span>
      '1' ማለት መዝገቡን ለመፍጠር ከተጣመሩ በኋላ የ+ አዝራር እንጨምራለን
      'filter' is an ሁለንተናዊ የማጣሪያ አገባብ ሁኔታ፡ ለምሳሌ፡ '((ሁኔታ፡=፡1) እና (fk_user==__USER_ID__) እና (ህጋዊ አካል፡ ውስጥ፡(__SHARED_ENTITIES__)))' +TypeOfFieldsHelpIntro=ይህ የመስክ/የባህሪው አይነት ነው። +AsciiToHtmlConverter=Ascii ወደ HTML መቀየሪያ +AsciiToPdfConverter=Ascii ወደ ፒዲኤፍ መቀየሪያ +TableNotEmptyDropCanceled=ጠረጴዛው ባዶ አይደለም. መጣል ተሰርዟል። +ModuleBuilderNotAllowed=ሞጁል ገንቢው አለ ግን ለተጠቃሚዎ አይፈቀድም። +ImportExportProfiles=መገለጫዎችን አስመጣ እና ወደ ውጪ ላክ +ValidateModBuilderDesc=የማስገባት ወይም የማዘመን ጊዜ የመስኩን ይዘት ለማረጋገጥ የሚጠራው ነገር $this->validateField() ዘዴ እንዲኖርዎት ከፈለጉ ይህንን ወደ 1 ያዋቅሩት። ምንም ማረጋገጫ ከሌለ 0 ያዘጋጁ። +WarningDatabaseIsNotUpdated=ማስጠንቀቂያ፡ ዳታቤዙ በራስ ሰር የተዘመነ አይደለም፣ ሰንጠረዦችን ማጥፋት እና ሞጁሉን ማሰናከል አለቦት ሰንጠረዦች እንደገና እንዲፈጠሩ +LinkToParentMenu=የወላጅ ምናሌ (fk_xxxxmenu) +ListOfTabsEntries=የትር ግቤቶች ዝርዝር +TabsDefDesc=በሞጁልዎ የቀረቡትን ትሮች እዚህ ይግለጹ +TabsDefDescTooltip=በእርስዎ ሞጁል/መተግበሪያ የቀረቡት ትሮች ወደ ሞጁል ገላጭ ፋይል ወደ ድርድር $this->tabs ተገልጸዋል። ይህን ፋይል እራስዎ ማርትዕ ወይም የተከተተ አርታዒን መጠቀም ይችላሉ። +BadValueForType=ለአይነት መጥፎ እሴት %s +DefinePropertiesFromExistingTable=መስኮችን/ንብረቶቹን ከነባር ሠንጠረዥ ይግለጹ +DefinePropertiesFromExistingTableDesc=በመረጃ ቋቱ ውስጥ ሰንጠረዥ (ለዕቃው እንዲፈጠር) ቀድሞውኑ ካለ, የነገሩን ባህሪያት ለመወሰን ሊጠቀሙበት ይችላሉ. +DefinePropertiesFromExistingTableDesc2=ጠረጴዛው እስካሁን ከሌለ ባዶ ያስቀምጡ. በኋላ ላይ አርትዖት ሊያደርጉት የሚችሉትን የሠንጠረዥ ምሳሌ ለመገንባት የኮድ ጀነሬተር የተለያዩ አይነት መስኮችን ይጠቀማል። +GeneratePermissions=በዚህ ነገር ላይ ፈቃዶችን ማስተዳደር እፈልጋለሁ +GeneratePermissionsHelp=ይህንን ካረጋገጡ የነገሮችን የማንበብ፣ የመጻፍ እና የመሰረዝ ፍቃዶችን ለማስተዳደር አንዳንድ ኮድ ይታከላል። +PermissionDeletedSuccesfuly=ፈቃዱ በተሳካ ሁኔታ ተወግዷል +PermissionUpdatedSuccesfuly=ፍቃድ በተሳካ ሁኔታ ዘምኗል +PermissionAddedSuccesfuly=ፍቃድ በተሳካ ሁኔታ ታክሏል። +MenuDeletedSuccessfuly=ምናሌ በተሳካ ሁኔታ ተሰርዟል። +MenuAddedSuccessfuly=ምናሌ በተሳካ ሁኔታ ታክሏል። +MenuUpdatedSuccessfuly=ምናሌ በተሳካ ሁኔታ ዘምኗል +ApiObjectDeleted=ኤፒአይ ለነገር %s በተሳካ ሁኔታ ተሰርዟል +CRUDRead=አንብብ +CRUDCreateWrite=ይፍጠሩ ወይም ያዘምኑ +FailedToAddCodeIntoDescriptor=ኮድ ወደ ገላጭ ማከል አልተሳካም። የሕብረቁምፊው አስተያየት "%s" አሁንም በፋይሉ ውስጥ እንዳለ ያረጋግጡ። +DictionariesCreated=መዝገበ ቃላት %s በተሳካ ሁኔታ ተፈጥሯል +DictionaryDeleted=መዝገበ ቃላት %s በተሳካ ሁኔታ ተወግዷል +PropertyModuleUpdated=ንብረት %s በተሳካ ሁኔታ ተዘምኗል +InfoForApiFile=* ለመጀመሪያ ጊዜ ፋይል ሲያመነጩ ሁሉም ዘዴዎች ይፈጠራሉ ለእያንዳንዱ ነገር።
      * ን ጠቅ ሲያደርጉ ሁሉንም ዘዴዎች ያስወግዳል ='notranslate'>
      የተመረጠ ነገር። +SetupFile=ለሞጁል ማዋቀር ገጽ +EmailingSelectors=ኢሜል መራጮች +EmailingSelectorDesc=ለጅምላ ኢሜል መላላኪያ ሞጁል አዲስ የኢሜል ኢላማ መራጮችን ለማቅረብ የክፍል ፋይሎችን እዚህ ማመንጨት እና ማርትዕ ይችላሉ። +EmailingSelectorFile=ኢሜይሎች መራጭ ፋይል +NoEmailingSelector=ኢሜይሎች መራጭ ፋይል የለም። diff --git a/htdocs/langs/am_ET/oauth.lang b/htdocs/langs/am_ET/oauth.lang index 075ff49a895..173aebfdec5 100644 --- a/htdocs/langs/am_ET/oauth.lang +++ b/htdocs/langs/am_ET/oauth.lang @@ -1,32 +1,42 @@ # Dolibarr language file - Source file is en_US - oauth -ConfigOAuth=OAuth Configuration -OAuthServices=OAuth Services -ManualTokenGeneration=Manual token generation -TokenManager=Token Manager -IsTokenGenerated=Is token generated ? -NoAccessToken=No access token saved into local database -HasAccessToken=A token was generated and saved into local database -NewTokenStored=Token received and saved -ToCheckDeleteTokenOnProvider=Click here to check/delete authorization saved by %s OAuth provider -TokenDeleted=Token deleted -RequestAccess=Click here to request/renew access and receive a new token to save -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider: -ListOfSupportedOauthProviders=Enter the credentials provided by your OAuth2 provider. Only supported OAuth2 providers are listedd here. These services may be used by other modules that need OAuth2 authentication. -OAuthSetupForLogin=Page to generate an OAuth token -SeePreviousTab=See previous tab -OAuthIDSecret=OAuth ID and Secret -TOKEN_REFRESH=Token Refresh Present -TOKEN_EXPIRED=Token expired -TOKEN_EXPIRE_AT=Token expire at -TOKEN_DELETE=Delete saved token -OAUTH_GOOGLE_NAME=OAuth Google service -OAUTH_GOOGLE_ID=OAuth Google Id -OAUTH_GOOGLE_SECRET=OAuth Google Secret -OAUTH_GOOGLE_DESC=Go to this page then "Credentials" to create OAuth credentials -OAUTH_GITHUB_NAME=OAuth GitHub service -OAUTH_GITHUB_ID=OAuth GitHub Id -OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_GITHUB_DESC=Go to this page then "Register a new application" to create OAuth credentials -OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test -OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live +ConfigOAuth=የOAuth ውቅር +OAuthServices=OAuth አገልግሎቶች +ManualTokenGeneration=በእጅ ማስመሰያ ትውልድ +TokenManager=ማስመሰያ አስተዳዳሪ +IsTokenGenerated=ማስመሰያ የተፈጠረ ነው? +NoAccessToken=ምንም የመዳረሻ ማስመሰያ በአካባቢው የውሂብ ጎታ ውስጥ አልተቀመጠም። +HasAccessToken=ማስመሰያ ተፈጥሯል እና በአካባቢው የውሂብ ጎታ ውስጥ ተቀምጧል +NewTokenStored=ቶከን ተቀብሎ ተቀምጧል +ToCheckDeleteTokenOnProvider=በ%s OAuth አቅራቢ የተቀመጠውን ፍቃድ ለመፈተሽ/ለመሰረዝ እዚህ ጠቅ ያድርጉ +TokenDeleted=ማስመሰያ ተሰርዟል። +GetAccess=ማስመሰያ ለማግኘት እዚህ ጠቅ ያድርጉ +RequestAccess=መዳረሻን ለመጠየቅ/ለማደስ እና አዲስ ማስመሰያ ለመቀበል እዚህ ጠቅ ያድርጉ +DeleteAccess=ማስመሰያውን ለመሰረዝ እዚህ ጠቅ ያድርጉ +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider +ListOfSupportedOauthProviders=የእርስዎን OAuth2 ማስመሰያ አቅራቢዎች ያክሉ። ከዚያ፣ የOAuth መታወቂያ እና ሚስጥር ለመፍጠር/ ለማግኘት እና እዚህ ለማስቀመጥ ወደ OAuth አቅራቢዎ አስተዳዳሪ ገጽ ይሂዱ። አንዴ ከጨረሱ በኋላ ማስመሰያዎን ለማመንጨት ሌላኛውን ትር ያብሩ። +OAuthSetupForLogin=OAuth ቶከኖችን ለማስተዳደር (ማመንጨት/ሰርዝ) ገጽ +SeePreviousTab=የቀደመውን ትር ይመልከቱ +OAuthProvider=OAuth አቅራቢ +OAuthIDSecret=OAuth መታወቂያ እና ምስጢር +TOKEN_REFRESH=ማስመሰያ እድሳት ቀርቧል +TOKEN_EXPIRED=ማስመሰያ ጊዜው አልፎበታል። +TOKEN_EXPIRE_AT=ማስመሰያ ጊዜው የሚያበቃው በ +TOKEN_DELETE=የተቀመጠ ማስመሰያ ሰርዝ +OAUTH_GOOGLE_NAME=OAuth ጉግል አገልግሎት +OAUTH_GOOGLE_ID=OAuth ጉግል መታወቂያ +OAUTH_GOOGLE_SECRET=OAuth ጉግል ሚስጥር +OAUTH_GITHUB_NAME=OAuth GitHub አገልግሎት +OAUTH_GITHUB_ID=OAuth GitHub መታወቂያ +OAUTH_GITHUB_SECRET=OAuth GitHub ምስጢር +OAUTH_URL_FOR_CREDENTIAL=ወደ ይህ ገጽ='span> የእርስዎን OAuth መታወቂያ እና ምስጢር ለመፍጠር ወይም ለማግኘት +OAUTH_STRIPE_TEST_NAME=የOAuth ስትሪፕ ሙከራ +OAUTH_STRIPE_LIVE_NAME=OAuth ስትሪፕ ቀጥታ ስርጭት +OAUTH_ID=የOAuth ደንበኛ መታወቂያ +OAUTH_SECRET=የOAuth ሚስጥር +OAUTH_TENANT=OAuth ተከራይ +OAuthProviderAdded=OAuth አቅራቢ ታክሏል። +AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=ለዚህ አቅራቢ የOAuth ግቤት እና መለያ አስቀድሞ አለ። +URLOfServiceForAuthorization=ለማረጋገጫ በOAuth አገልግሎት የቀረበ URL +Scopes=ፈቃዶች (ወሰን) +ScopeUndefined=ፈቃዶች (ወሰን) ያልተገለጹ (የቀደመውን ትር ይመልከቱ) diff --git a/htdocs/langs/am_ET/projects.lang b/htdocs/langs/am_ET/projects.lang index ff542521afe..4a3151fdaf1 100644 --- a/htdocs/langs/am_ET/projects.lang +++ b/htdocs/langs/am_ET/projects.lang @@ -1,289 +1,304 @@ # Dolibarr language file - Source file is en_US - projects -RefProject=Ref. project -ProjectRef=Project ref. -ProjectId=Project Id -ProjectLabel=Project label -ProjectsArea=Projects Area -ProjectStatus=Project status -SharedProject=Everybody -PrivateProject=Project contacts -ProjectsImContactFor=Projects for which I am explicitly a contact -AllAllowedProjects=All project I can read (mine + public) -AllProjects=All projects -MyProjectsDesc=This view is limited to the projects that you are a contact for -ProjectsPublicDesc=This view presents all projects you are allowed to read. -TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. -ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. -ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). -TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to the projects or tasks that you are a contact for -OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). -ClosedProjectsAreHidden=Closed projects are not visible. -TasksPublicDesc=This view presents all projects and tasks you are allowed to read. -TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). -AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. -ImportDatasetTasks=Tasks of projects -ProjectCategories=Project tags/categories -NewProject=New project -AddProject=Create project -DeleteAProject=Delete a project -DeleteATask=Delete a task -ConfirmDeleteAProject=Are you sure you want to delete this project? -ConfirmDeleteATask=Are you sure you want to delete this task? -OpenedProjects=Open projects -OpenedTasks=Open tasks -OpportunitiesStatusForOpenedProjects=Leads amount of open projects by status -OpportunitiesStatusForProjects=Leads amount of projects by status -ShowProject=Show project -ShowTask=Show task -SetProject=Set project -NoProject=No project defined or owned -NbOfProjects=Number of projects -NbOfTasks=Number of tasks -TimeSpent=Time spent -TimeSpentByYou=Time spent by you -TimeSpentByUser=Time spent by user -TimesSpent=Time spent -TaskId=Task ID -RefTask=Task ref. -LabelTask=Task label -TaskTimeSpent=Time spent on tasks -TaskTimeUser=User -TaskTimeNote=Note -TaskTimeDate=Date -TasksOnOpenedProject=Tasks on open projects -WorkloadNotDefined=Workload not defined -NewTimeSpent=Time spent -MyTimeSpent=My time spent -BillTime=Bill the time spent -BillTimeShort=Bill time -TimeToBill=Time not billed -TimeBilled=Time billed -Tasks=Tasks -Task=Task -TaskDateStart=Task start date -TaskDateEnd=Task end date -TaskDescription=Task description -NewTask=New task -AddTask=Create task -AddTimeSpent=Create time spent -AddHereTimeSpentForDay=Add here time spent for this day/task -AddHereTimeSpentForWeek=Add here time spent for this week/task -Activity=Activity -Activities=Tasks/activities -MyActivities=My tasks/activities -MyProjects=My projects -MyProjectsArea=My projects Area -DurationEffective=Effective duration -ProgressDeclared=Declared real progress -TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently open tasks -TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption -ProgressCalculated=Progress on consumption -WhichIamLinkedTo=which I'm linked to -WhichIamLinkedToProject=which I'm linked to project -Time=Time -TimeConsumed=Consumed -ListOfTasks=List of tasks -GoToListOfTimeConsumed=Go to list of time consumed -GanttView=Gantt View -ListWarehouseAssociatedProject=List of warehouses associated to the project -ListProposalsAssociatedProject=List of the commercial proposals related to the project -ListOrdersAssociatedProject=List of sales orders related to the project -ListInvoicesAssociatedProject=List of customer invoices related to the project -ListPredefinedInvoicesAssociatedProject=List of customer template invoices related to the project -ListSupplierOrdersAssociatedProject=List of purchase orders related to the project -ListSupplierInvoicesAssociatedProject=List of vendor invoices related to the project -ListContractAssociatedProject=List of contracts related to the project -ListShippingAssociatedProject=List of shippings related to the project -ListFichinterAssociatedProject=List of interventions related to the project -ListExpenseReportsAssociatedProject=List of expense reports related to the project -ListDonationsAssociatedProject=List of donations related to the project -ListVariousPaymentsAssociatedProject=List of miscellaneous payments related to the project -ListSalariesAssociatedProject=List of payments of salaries related to the project -ListActionsAssociatedProject=List of events related to the project -ListMOAssociatedProject=List of manufacturing orders related to the project -ListTaskTimeUserProject=List of time consumed on tasks of project -ListTaskTimeForTask=List of time consumed on task -ActivityOnProjectToday=Activity on project today -ActivityOnProjectYesterday=Activity on project yesterday -ActivityOnProjectThisWeek=Activity on project this week -ActivityOnProjectThisMonth=Activity on project this month -ActivityOnProjectThisYear=Activity on project this year -ChildOfProjectTask=Child of project/task -ChildOfTask=Child of task -TaskHasChild=Task has child -NotOwnerOfProject=Not owner of this private project -AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=Validate projet -ConfirmValidateProject=Are you sure you want to validate this project? -CloseAProject=Close project -ConfirmCloseAProject=Are you sure you want to close this project? -AlsoCloseAProject=Also close project (keep it open if you still need to follow production tasks on it) -ReOpenAProject=Open project -ConfirmReOpenAProject=Are you sure you want to re-open this project? -ProjectContact=Contacts of project -TaskContact=Task contacts -ActionsOnProject=Events on project -YouAreNotContactOfProject=You are not a contact of this private project -UserIsNotContactOfProject=User is not a contact of this private project -DeleteATimeSpent=Delete time spent -ConfirmDeleteATimeSpent=Are you sure you want to delete this time spent? -DoNotShowMyTasksOnly=See also tasks not assigned to me -ShowMyTasksOnly=View only tasks assigned to me -TaskRessourceLinks=Contacts of task -ProjectsDedicatedToThisThirdParty=Projects dedicated to this third party -NoTasks=No tasks for this project -LinkedToAnotherCompany=Linked to other third party -TaskIsNotAssignedToUser=Task not assigned to user. Use button '%s' to assign task now. -ErrorTimeSpentIsEmpty=Time spent is empty -TimeRecordingRestrictedToNMonthsBack=Time recording is restricted to %s months back -ThisWillAlsoRemoveTasks=This action will also delete all tasks of project (%s tasks at the moment) and all inputs of time spent. -IfNeedToUseOtherObjectKeepEmpty=If some objects (invoice, order, ...), belonging to another third party, must be linked to the project to create, keep this empty to have the project being multi third parties. -CloneTasks=Clone tasks -CloneContacts=Clone contacts -CloneNotes=Clone notes -CloneProjectFiles=Clone project joined files -CloneTaskFiles=Clone task(s) joined files (if task(s) cloned) -CloneMoveDate=Update project/tasks dates from now? -ConfirmCloneProject=Are you sure to clone this project? -ProjectReportDate=Change task dates according to new project start date -ErrorShiftTaskDate=Impossible to shift task date according to new project start date -ProjectsAndTasksLines=Projects and tasks -ProjectCreatedInDolibarr=Project %s created -ProjectValidatedInDolibarr=Project %s validated -ProjectModifiedInDolibarr=Project %s modified -TaskCreatedInDolibarr=Task %s created -TaskModifiedInDolibarr=Task %s modified -TaskDeletedInDolibarr=Task %s deleted -OpportunityStatus=Lead status -OpportunityStatusShort=Lead status -OpportunityProbability=Lead probability -OpportunityProbabilityShort=Lead probab. -OpportunityAmount=Lead amount -OpportunityAmountShort=Lead amount -OpportunityWeightedAmount=Opportunity weighted amount -OpportunityWeightedAmountShort=Opp. weighted amount -OpportunityAmountAverageShort=Average lead amount -OpportunityAmountWeigthedShort=Weighted lead amount -WonLostExcluded=Won/Lost excluded +RefProject=ማጣቀሻ. ፕሮጀክት +ProjectRef=የፕሮጀክት ማጣቀሻ. +ProjectId=የፕሮጀክት መታወቂያ +ProjectLabel=የፕሮጀክት መለያ +ProjectsArea=የፕሮጀክቶች አካባቢ +ProjectStatus=የፕሮጀክት ሁኔታ +SharedProject=ሁሉም ሰው +PrivateProject=የተመደቡ እውቂያዎች +ProjectsImContactFor=በግልፅ የማገኛቸው ፕሮጀክቶች +AllAllowedProjects=ሁሉም ማንበብ የምችለው ፕሮጀክት (የእኔ + የህዝብ) +AllProjects=ሁሉም ፕሮጀክቶች +MyProjectsDesc=ይህ እይታ እርስዎ እውቂያ ለሆኑባቸው ፕሮጀክቶች ብቻ የተገደበ ነው። +ProjectsPublicDesc=ይህ እይታ እንዲያነቡ የተፈቀደልዎትን ሁሉንም ፕሮጀክቶች ያቀርባል። +TasksOnProjectsPublicDesc=ይህ እይታ እንዲያነቡ በተፈቀደልዎት ፕሮጀክቶች ላይ ያሉትን ሁሉንም ተግባራት ያቀርባል። +ProjectsPublicTaskDesc=ይህ እይታ እንዲያነቧቸው የተፈቀደልዎትን ሁሉንም ፕሮጀክቶች እና ተግባሮች ያቀርባል። +ProjectsDesc=ይህ እይታ ሁሉንም ፕሮጀክቶች ያቀርባል (የእርስዎ የተጠቃሚ ፈቃዶች ሁሉንም ነገር ለማየት ፍቃድ ይሰጡዎታል)። +TasksOnProjectsDesc=ይህ እይታ በሁሉም ፕሮጀክቶች ላይ ያሉትን ሁሉንም ተግባራት ያቀርባል (የእርስዎ የተጠቃሚ ፈቃዶች ሁሉንም ነገር ለማየት ፍቃድ ይሰጡዎታል)። +MyTasksDesc=ይህ እይታ እርስዎ እውቂያ ለሆኑባቸው ፕሮጀክቶች ወይም ተግባራት የተገደበ ነው። +OnlyOpenedProject=ክፍት ፕሮጀክቶች ብቻ ናቸው የሚታዩት (በረቂቅ ውስጥ ያሉ ፕሮጀክቶች ወይም የተዘጉ ሁኔታዎች አይታዩም). +ClosedProjectsAreHidden=የተዘጉ ፕሮጀክቶች አይታዩም። +TasksPublicDesc=ይህ እይታ እንዲያነቧቸው የተፈቀደልዎትን ሁሉንም ፕሮጀክቶች እና ተግባሮች ያቀርባል። +TasksDesc=ይህ እይታ ሁሉንም ፕሮጀክቶች እና ተግባሮች ያቀርባል (የእርስዎ የተጠቃሚ ፈቃዶች ሁሉንም ነገር ለማየት ፍቃድ ይሰጡዎታል)። +AllTaskVisibleButEditIfYouAreAssigned=ብቁ ለሆኑ ፕሮጀክቶች ሁሉም ተግባራት የሚታዩ ናቸው፣ ግን ጊዜ ማስገባት የሚችሉት ለተመረጠው ተጠቃሚ ለተመደበው ተግባር ብቻ ነው። በእሱ ላይ ጊዜ ማስገባት ከፈለጉ ተግባር ይመድቡ. +OnlyYourTaskAreVisible=ለእርስዎ የተሰጡ ስራዎች ብቻ ናቸው የሚታዩት። በአንድ ተግባር ላይ ጊዜ ማስገባት ከፈለጉ እና ስራው እዚህ የማይታይ ከሆነ ስራውን ለራስዎ መመደብ ያስፈልግዎታል. +ImportDatasetProjects=ፕሮጀክቶች ወይም እድሎች +ImportDatasetTasks=የፕሮጀክቶች ተግባራት +ProjectCategories=የፕሮጀክት መለያዎች / ምድቦች +NewProject=አዲስ ፕሮጀክት +AddProject=ፕሮጀክት ፍጠር +DeleteAProject=ፕሮጀክት ሰርዝ +DeleteATask=አንድ ተግባር ሰርዝ +ConfirmDeleteAProject=እርግጠኛ ነዎት ይህን ፕሮጀክት መሰረዝ ይፈልጋሉ? +ConfirmDeleteATask=እርግጠኛ ነዎት ይህን ተግባር መሰረዝ ይፈልጋሉ? +OpenedProjects=ፕሮጀክቶችን ይክፈቱ +OpenedProjectsOpportunities=እድሎችን ይክፈቱ +OpenedTasks=ተግባራትን ክፈት +OpportunitiesStatusForOpenedProjects=የክፍት ፕሮጀክቶችን መጠን በሁኔታ ይመራል። +OpportunitiesStatusForProjects=የፕሮጀክቶችን መጠን በሁኔታ ይመራል። +ShowProject=ፕሮጀክት አሳይ +ShowTask=ተግባር አሳይ +SetThirdParty=ሶስተኛ ወገን አዘጋጅ +SetProject=ፕሮጀክት አዘጋጅ +OutOfProject=ከፕሮጀክት ውጪ +NoProject=የተገለጸ ወይም በባለቤትነት የተያዘ ምንም ፕሮጀክት የለም። +NbOfProjects=የፕሮጀክቶች ብዛት +NbOfTasks=የተግባሮች ብዛት +TimeEntry=ጊዜ መከታተል +TimeSpent=የጠፋው ጊዜ +TimeSpentSmall=Time spent +TimeSpentByYou=ባንተ ያሳለፍከው ጊዜ +TimeSpentByUser=በተጠቃሚ የሚጠፋ ጊዜ +TaskId=የተግባር መታወቂያ +RefTask=ተግባር ማጣቀሻ. +LabelTask=የተግባር መለያ +TaskTimeSpent=በተግባሮች ላይ የሚጠፋ ጊዜ +TaskTimeUser=ተጠቃሚ +TaskTimeNote=ማስታወሻ +TaskTimeDate=ቀን +TasksOnOpenedProject=በክፍት ፕሮጀክቶች ላይ ተግባራት +WorkloadNotDefined=የስራ ጫና አልተገለጸም። +NewTimeSpent=የጠፋው ጊዜ +MyTimeSpent=የእኔ ጊዜ አሳልፈዋል +BillTime=ያጠፋውን ጊዜ ክፈሉ። +BillTimeShort=የክፍያ ጊዜ +TimeToBill=ጊዜ አልተከፈለም። +TimeBilled=ጊዜ ተከፍሏል። +Tasks=ተግባራት +Task=ተግባር +TaskDateStart=የተግባር መጀመሪያ ቀን +TaskDateEnd=የተግባር ማብቂያ ቀን +TaskDescription=የተግባር መግለጫ +NewTask=አዲስ ተግባር +AddTask=ተግባር ፍጠር +AddTimeSpent=ያጠፋውን ጊዜ ይፍጠሩ +AddHereTimeSpentForDay=ለዚህ ቀን/ተግባር የጠፋውን ጊዜ እዚህ ጨምር +AddHereTimeSpentForWeek=ለዚህ ሳምንት/ተግባር የጠፋውን ጊዜ እዚህ ጨምር +Activity=እንቅስቃሴ +Activities=ተግባራት / ተግባራት +MyActivities=የእኔ ተግባራት/ተግባራት +MyProjects=የእኔ ፕሮጀክቶች +MyProjectsArea=የእኔ ፕሮጀክቶች አካባቢ +DurationEffective=ውጤታማ ቆይታ +ProgressDeclared=እውነተኛ እድገት ተገለጸ +TaskProgressSummary=የተግባር ሂደት +CurentlyOpenedTasks=በአሁኑ ጊዜ ክፍት ተግባራት +TheReportedProgressIsLessThanTheCalculatedProgressionByX=የተገለጸው እውነተኛ ግስጋሴ በፍጆታ ላይ ካለው እድገት ያነሰ %s ነው +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=የተገለጸው እውነተኛ ግስጋሴ በፍጆታ ላይ ካለው እድገት የበለጠ %s ነው +ProgressCalculated=በፍጆታ ላይ እድገት +WhichIamLinkedTo=እኔ የተገናኘሁት +WhichIamLinkedToProject=ከፕሮጀክት ጋር የተገናኘሁት +Time=ጊዜ +TimeConsumed=ተበላ +ListOfTasks=የተግባሮች ዝርዝር +GoToListOfTimeConsumed=ወደ የተጠቀሙበት ጊዜ ዝርዝር ይሂዱ +GanttView=የጋንት እይታ +ListWarehouseAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ መጋዘኖች ዝርዝር +ListProposalsAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ የንግድ ሀሳቦች ዝርዝር +ListOrdersAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ የሽያጭ ትዕዛዞች ዝርዝር +ListInvoicesAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ የደንበኛ ደረሰኞች ዝርዝር +ListPredefinedInvoicesAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ የደንበኛ አብነት ደረሰኞች ዝርዝር +ListSupplierOrdersAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ የግዢ ትዕዛዞች ዝርዝር +ListSupplierInvoicesAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ የአቅራቢዎች ደረሰኞች ዝርዝር +ListContractAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ ውሎች ዝርዝር +ListShippingAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ የማጓጓዣዎች ዝርዝር +ListFichinterAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ ጣልቃገብነቶች ዝርዝር +ListExpenseReportsAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ የወጪ ሪፖርቶች ዝርዝር +ListDonationsAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ ልገሳዎች ዝርዝር +ListVariousPaymentsAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ የተለያዩ ክፍያዎች ዝርዝር +ListSalariesAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ የደመወዝ ክፍያዎች ዝርዝር +ListActionsAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ ክስተቶች ዝርዝር +ListMOAssociatedProject=ከፕሮጀክቱ ጋር የተያያዙ የማምረቻ ትዕዛዞች ዝርዝር +ListTaskTimeUserProject=በፕሮጀክቱ ተግባራት ላይ የሚፈጀው ጊዜ ዝርዝር +ListTaskTimeForTask=በሥራ ላይ የሚፈጀው ጊዜ ዝርዝር +ActivityOnProjectToday=ዛሬ በፕሮጀክት ላይ ያለው እንቅስቃሴ +ActivityOnProjectYesterday=ትናንት በፕሮጀክት ላይ ያለው እንቅስቃሴ +ActivityOnProjectThisWeek=በዚህ ሳምንት በፕሮጀክት ላይ ያለ እንቅስቃሴ +ActivityOnProjectThisMonth=በዚህ ወር በፕሮጀክት ላይ ያለ እንቅስቃሴ +ActivityOnProjectThisYear=በዚህ አመት በፕሮጀክት ላይ ያለ እንቅስቃሴ +ChildOfProjectTask=የፕሮጀክት/የተግባር ልጅ +ChildOfTask=የተግባር ልጅ +TaskHasChild=ተግባር ልጅ አለው። +NotOwnerOfProject=የዚህ የግል ፕሮጀክት ባለቤት አይደሉም +AffectedTo=ተመድቧል +CantRemoveProject=ይህ ፕሮጀክት በሌሎች ነገሮች (ደረሰኝ፣ ትዕዛዝ ወይም ሌላ) ስለተጠቀሰ ሊወገድ አይችልም። ትር '%s' ይመልከቱ። +ValidateProject=ፕሮጀክት አረጋግጥ +ConfirmValidateProject=እርግጠኛ ነዎት ይህን ፕሮጀክት ማረጋገጥ ይፈልጋሉ? +CloseAProject=ፕሮጀክት ዝጋ +ConfirmCloseAProject=እርግጠኛ ነዎት ይህን ፕሮጀክት መዝጋት ይፈልጋሉ? +AlsoCloseAProject=እንዲሁም ፕሮጀክት ዝጋ +AlsoCloseAProjectTooltip=አሁንም በእሱ ላይ የምርት ስራዎችን መከተል ካስፈለገዎት ክፍት ያድርጉት +ReOpenAProject=ክፍት ፕሮጀክት +ConfirmReOpenAProject=እርግጠኛ ነዎት ይህን ፕሮጀክት እንደገና መክፈት ይፈልጋሉ? +ProjectContact=የፕሮጀክት እውቂያዎች +TaskContact=የተግባር እውቂያዎች +ActionsOnProject=በፕሮጀክቱ ላይ ያሉ ክስተቶች +YouAreNotContactOfProject=እርስዎ የዚህ የግል ፕሮጀክት እውቂያ አይደሉም +UserIsNotContactOfProject=ተጠቃሚ የዚህ የግል ፕሮጀክት እውቂያ አይደለም። +DeleteATimeSpent=ያጠፋውን ጊዜ ሰርዝ +ConfirmDeleteATimeSpent=እርግጠኛ ነዎት ይህን ጊዜ ያለፈውን መሰረዝ ይፈልጋሉ? +DoNotShowMyTasksOnly=ለእኔ ያልተሰጡ ስራዎችንም ይመልከቱ +ShowMyTasksOnly=ለእኔ የተሰጡ ስራዎችን ብቻ ይመልከቱ +TaskRessourceLinks=የተግባር እውቂያዎች +ProjectsDedicatedToThisThirdParty=ለዚህ ሶስተኛ ወገን የተሰጡ ፕሮጀክቶች +NoTasks=ለዚህ ፕሮጀክት ምንም ተግባራት የሉም +LinkedToAnotherCompany=ከሌላ ሶስተኛ ወገን ጋር ተገናኝቷል። +TaskIsNotAssignedToUser=ተግባር ለተጠቃሚ አልተሰጠም። አሁን ተግባር ለመመደብ '%s የሚለውን ቁልፍ ተጠቀም። +ErrorTimeSpentIsEmpty=ያጠፋው ጊዜ ባዶ ነው። +TimeRecordingRestrictedToNMonthsBack=የጊዜ ቀረጻ በ%s ወራት የተገደበ ነው +ThisWillAlsoRemoveTasks=ይህ እርምጃ ሁሉንም የፕሮጀክት ተግባራት ይሰርዛል (%ss
      s በአሁኑ ጊዜ) እና ሁሉም ጊዜ ያለፈባቸው ግብዓቶች። +IfNeedToUseOtherObjectKeepEmpty=የሌላ ሶስተኛ ወገን ንብረት የሆኑ አንዳንድ ነገሮች (ደረሰኝ፣ ትዕዛዝ፣...) ከፕሮጀክቱ ጋር መያያዝ ካለባቸው ፕሮጀክቱ ብዙ ሶስተኛ ወገኖች እንዲሆን ባዶ ያድርጉት። +CloneTasks=Clone ተግባራት +CloneContacts=ክሎን እውቂያዎች +CloneNotes=Clone ማስታወሻዎች +CloneProjectFiles=ክሎን ፕሮጀክት ፋይሎችን ተቀላቅሏል። +CloneTaskFiles=ክሎን ተግባር(ዎች) የተቀላቀሉ ፋይሎች (ተግባር(ዎች) ከተዘጋ) +CloneMoveDate=የፕሮጀክት/የተግባር ቀኖች ከአሁን በኋላ ይዘምን? +ConfirmCloneProject=ይህን ፕሮጀክት ለመዝጋት እርግጠኛ ነዎት? +ProjectReportDate=በአዲሱ የፕሮጀክት መጀመሪያ ቀን መሠረት የተግባር ቀናትን ይለውጡ +ErrorShiftTaskDate=በአዲሱ የፕሮጀክት መጀመሪያ ቀን መሰረት የተግባር ቀንን መቀየር አይቻልም +ProjectsAndTasksLines=ፕሮጀክቶች እና ተግባራት +ProjectCreatedInDolibarr=ፕሮጀክት %s ተፈጥሯል +ProjectValidatedInDolibarr=ፕሮጀክት %s ተረጋግጧል +ProjectModifiedInDolibarr=ፕሮጀክት %s ተቀይሯል +TaskCreatedInDolibarr=ተግባር %s ተፈጥሯል +TaskModifiedInDolibarr=ተግባር %s ተቀይሯል +TaskDeletedInDolibarr=ተግባር %s ተሰርዟል +OpportunityStatus=የመሪነት ሁኔታ +OpportunityStatusShort=የመሪነት ሁኔታ +OpportunityProbability=የመሪነት ዕድል +OpportunityProbabilityShort=ሊድ ፕሮባብ። +OpportunityAmount=የእርሳስ መጠን +OpportunityAmountShort=የእርሳስ መጠን +OpportunityWeightedAmount=የዕድል መጠን፣ በችሎታ የተመዘነ +OpportunityWeightedAmountShort=ኦፕ. የክብደት መጠን +OpportunityAmountAverageShort=አማካይ የእርሳስ መጠን +OpportunityAmountWeigthedShort=የክብደት እርሳስ መጠን +WonLostExcluded=አሸነፈ/የጠፋ አልተካተተም። ##### Types de contacts ##### -TypeContact_project_internal_PROJECTLEADER=Project leader -TypeContact_project_external_PROJECTLEADER=Project leader -TypeContact_project_internal_PROJECTCONTRIBUTOR=Contributor -TypeContact_project_external_PROJECTCONTRIBUTOR=Contributor -TypeContact_project_task_internal_TASKEXECUTIVE=Task executive -TypeContact_project_task_external_TASKEXECUTIVE=Task executive -TypeContact_project_task_internal_TASKCONTRIBUTOR=Contributor -TypeContact_project_task_external_TASKCONTRIBUTOR=Contributor -SelectElement=Select element -AddElement=Link to element -LinkToElementShort=Link to +TypeContact_project_internal_PROJECTLEADER=የፕሮጀክት መሪ +TypeContact_project_external_PROJECTLEADER=የፕሮጀክት መሪ +TypeContact_project_internal_PROJECTCONTRIBUTOR=አበርካች +TypeContact_project_external_PROJECTCONTRIBUTOR=አበርካች +TypeContact_project_task_internal_TASKEXECUTIVE=ተግባር አስፈፃሚ +TypeContact_project_task_external_TASKEXECUTIVE=ተግባር አስፈፃሚ +TypeContact_project_task_internal_TASKCONTRIBUTOR=አበርካች +TypeContact_project_task_external_TASKCONTRIBUTOR=አበርካች +SelectElement=አባል ይምረጡ +AddElement=ወደ ኤለመንት አገናኝ +LinkToElementShort=አገናኝ ወደ # Documents models -DocumentModelBeluga=Project document template for linked objects overview -DocumentModelBaleine=Project document template for tasks -DocumentModelTimeSpent=Project report template for time spent -PlannedWorkload=Planned workload -PlannedWorkloadShort=Workload -ProjectReferers=Related items -ProjectMustBeValidatedFirst=Project must be validated first -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time -InputPerDay=Input per day -InputPerWeek=Input per week -InputPerMonth=Input per month -InputDetail=Input detail -TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s -ProjectsWithThisUserAsContact=Projects with this user as contact -ProjectsWithThisContact=Projects with this contact -TasksWithThisUserAsContact=Tasks assigned to this user -ResourceNotAssignedToProject=Not assigned to project -ResourceNotAssignedToTheTask=Not assigned to the task -NoUserAssignedToTheProject=No users assigned to this project -TimeSpentBy=Time spent by -TasksAssignedTo=Tasks assigned to -AssignTaskToMe=Assign task to myself -AssignTaskToUser=Assign task to %s -SelectTaskToAssign=Select task to assign... -AssignTask=Assign -ProjectOverview=Overview -ManageTasks=Use projects to follow tasks and/or report time spent (timesheets) -ManageOpportunitiesStatus=Use projects to follow leads/opportinuties -ProjectNbProjectByMonth=No. of created projects by month -ProjectNbTaskByMonth=No. of created tasks by month -ProjectOppAmountOfProjectsByMonth=Amount of leads by month -ProjectWeightedOppAmountOfProjectsByMonth=Weighted amount of leads by month -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads -TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. -IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX -OpenedProjectsByThirdparties=Open projects by third parties -OnlyOpportunitiesShort=Only leads -OpenedOpportunitiesShort=Open leads -NotOpenedOpportunitiesShort=Not an open lead -NotAnOpportunityShort=Not a lead -OpportunityTotalAmount=Total amount of leads -OpportunityPonderatedAmount=Weighted amount of leads -OpportunityPonderatedAmountDesc=Leads amount weighted with probability -OppStatusPROSP=Prospection -OppStatusQUAL=Qualification -OppStatusPROPO=Proposal -OppStatusNEGO=Negociation -OppStatusPENDING=Pending -OppStatusWON=Won -OppStatusLOST=Lost -Budget=Budget -AllowToLinkFromOtherCompany=Allow to link project from other company

      Supported values:
      - Keep empty: Can link any project of the company (default)
      - "all": Can link any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
      -LatestProjects=Latest %s projects -LatestModifiedProjects=Latest %s modified projects -OtherFilteredTasks=Other filtered tasks -NoAssignedTasks=No assigned tasks found (assign project/tasks to the current user from the top select box to enter time on it) -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ChooseANotYetAssignedTask=Choose a task not yet assigned to you +DocumentModelBeluga=ለተገናኙ ነገሮች አጠቃላይ እይታ የፕሮጀክት ሰነድ አብነት +DocumentModelBaleine=ለተግባሮች የፕሮጀክት ሰነድ አብነት +DocumentModelTimeSpent=ለጠፋ ጊዜ የፕሮጀክት ሪፖርት አብነት +PlannedWorkload=የታቀደ የሥራ ጫና +PlannedWorkloadShort=የሥራ ጫና +ProjectReferers=ተዛማጅ እቃዎች +ProjectMustBeValidatedFirst=ፕሮጀክቱ መጀመሪያ መረጋገጥ አለበት። +MustBeValidatedToBeSigned=%s ወደ ተፈረመ ለመዋቀር መጀመሪያ መረጋገጥ አለበት። +FirstAddRessourceToAllocateTime=ጊዜ ለመመደብ የተጠቃሚን ምንጭ እንደ የፕሮጀክት እውቂያ መድብ +InputPerDay=ግቤት በቀን +InputPerWeek=ግብዓት በሳምንት +InputPerMonth=ግቤት በወር +InputDetail=የግቤት ዝርዝር +TimeAlreadyRecorded=ይህ ለዚህ ተግባር/ቀን አስቀድሞ የተቀዳ ጊዜ ያለፈበት እና ተጠቃሚ %s +ProjectsWithThisUserAsContact=ከዚህ ተጠቃሚ ጋር እንደ ግንኙነት ያሉ ፕሮጀክቶች +ProjectsWithThisContact=ከዚህ የሶስተኛ ወገን ግንኙነት ጋር ፕሮጀክቶች +TasksWithThisUserAsContact=ለዚህ ተጠቃሚ የተመደቡ ተግባራት +ResourceNotAssignedToProject=ለፕሮጀክት አልተሰጠም። +ResourceNotAssignedToTheTask=ለሥራው አልተመደበም +NoUserAssignedToTheProject=ለዚህ ፕሮጀክት ምንም ተጠቃሚ አልተመደበም። +TimeSpentBy=ጊዜ ያሳለፈው በ +TasksAssignedTo=የተሰጡ ተግባራት +AssignTaskToMe=ለራሴ ተግባር መድቡ +AssignTaskToUser=ተግባርን ለ%s መድቡ +SelectTaskToAssign=ለመመደብ ተግባር ምረጥ... +AssignTask=መድብ +ProjectOverview=አጠቃላይ እይታ +ManageTasks=ስራዎችን ለመከታተል እና/ወይም ያጠፋውን ጊዜ (የጊዜ ሰሌዳዎች) ሪፖርት ለማድረግ ፕሮጀክቶችን ተጠቀም +ManageOpportunitiesStatus=አመራር/እድሎችን ለመከተል ፕሮጀክቶችን ተጠቀም +ProjectNbProjectByMonth=በወር የተፈጠሩ ፕሮጀክቶች ቁጥር +ProjectNbTaskByMonth=በወር የተፈጠሩ ተግባራት ቁጥር +ProjectOppAmountOfProjectsByMonth=የመሪዎቹ መጠን በወር +ProjectWeightedOppAmountOfProjectsByMonth=የሚመዝን መጠን በወር +ProjectOpenedProjectByOppStatus=ክፍት ፕሮጀክት|በመሪነት ደረጃ +ProjectsStatistics=በፕሮጀክቶች ወይም እርሳሶች ላይ ስታትስቲክስ +TasksStatistics=በፕሮጀክቶች ወይም እርሳሶች ተግባራት ላይ ስታትስቲክስ +TaskAssignedToEnterTime=ተግባር ተመድቧል። በዚህ ተግባር ላይ ጊዜ ማስገባት መቻል አለበት. +IdTaskTime=የመታወቂያ ተግባር ጊዜ +YouCanCompleteRef=ሪፉን ከአንዳንድ ቅጥያ ጋር ማጠናቀቅ ከፈለጉ ለመለየት ሀ - ቁምፊን ለመጨመር ይመከራል ስለዚህ አውቶማቲክ ቁጥሮች አሁንም ለቀጣይ ፕሮጀክቶች በትክክል ይሰራሉ. ለምሳሌ %s-MYSUFFIX +OpenedProjectsByThirdparties=ፕሮጀክቶችን በሶስተኛ ወገኖች ክፈት +OnlyOpportunitiesShort=ብቻ ይመራል። +OpenedOpportunitiesShort=እርሳሶችን ይክፈቱ +NotOpenedOpportunitiesShort=ክፍት መሪ አይደለም። +NotAnOpportunityShort=መሪ አይደለም። +OpportunityTotalAmount=ጠቅላላ የእርሳስ መጠን +OpportunityPonderatedAmount=ክብደት ያለው የእርሳስ መጠን +OpportunityPonderatedAmountDesc=የእርሳስ መጠን በችሎታ ይመዝናል። +OppStatusPROSP=ቅድመ እይታ +OppStatusQUAL=ብቃት +OppStatusPROPO=ፕሮፖዛል +OppStatusNEGO=ድርድር +OppStatusPENDING=በመጠባበቅ ላይ +OppStatusWON=አሸነፈ +OppStatusLOST=የጠፋ +Budget=በጀት +AllowToLinkFromOtherCompany=አንድን አካል ከሌላ ኩባንያ ፕሮጀክት ጋር ለማገናኘት ይፍቀዱ

      የሚደገፉ እሴቶች፡
      - ባዶ አቆይ፡ ክፍሎችን በአንድ ኩባንያ ውስጥ ካሉ ከማንኛውም ፕሮጀክቶች ጋር ማገናኘት ይችላል (ነባሪ)
      - "ሁሉም": ክፍሎችን ከማንኛውም ፕሮጀክቶች ጋር ማገናኘት ይችላል, ሌላው ቀርቶ የሌሎች ኩባንያዎች ፕሮጀክቶች
      - በነጠላ ሰረዝ የተለዩ የሶስተኛ ወገን መታወቂያዎች ዝርዝር ኤለመንቶችን ከእነዚህ የሶስተኛ ወገኖች ማናቸውም ፕሮጀክቶች ጋር ማገናኘት ይችላል (ለምሳሌ፡ 123,4795,53)
      +LatestProjects=የቅርብ ጊዜ %s ፕሮጀክቶች +LatestModifiedProjects=የቅርብ ጊዜ %s የተሻሻሉ ፕሮጀክቶች +OtherFilteredTasks=ሌሎች የተጣሩ ተግባራት +NoAssignedTasks=ምንም የተመደቡ ተግባራት አልተገኙም (ጊዜ ለማስገባት ከላይ ከተመረጠው ሳጥን ውስጥ ፕሮጀክት/ተግባራትን ለአሁኑ ተጠቃሚ መድቡ) +ThirdPartyRequiredToGenerateInvoice=ደረሰኝ ለመጠየቅ ሶስተኛ ወገን በፕሮጀክቱ ላይ መገለጽ አለበት። +ThirdPartyRequiredToGenerateInvoice=ደረሰኝ ለመጠየቅ ሶስተኛ ወገን በፕሮጀክቱ ላይ መገለጽ አለበት። +ChooseANotYetAssignedTask=እስካሁን ያልተመደበልህን ተግባር ምረጥ # Comments trans -AllowCommentOnTask=Allow user comments on tasks -AllowCommentOnProject=Allow user comments on projects -DontHavePermissionForCloseProject=You do not have permissions to close the project %s -DontHaveTheValidateStatus=The project %s must be open to be closed -RecordsClosed=%s project(s) closed -SendProjectRef=Information project %s -ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized -NewTaskRefSuggested=Task ref already used, a new task ref is required -TimeSpentInvoiced=Time spent billed -TimeSpentForIntervention=Time spent -TimeSpentForInvoice=Time spent -OneLinePerUser=One line per user -ServiceToUseOnLines=Service to use on lines -InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. -ProjectFollowOpportunity=Follow opportunity -ProjectFollowTasks=Follow tasks or time spent -Usage=Usage -UsageOpportunity=Usage: Opportunity -UsageTasks=Usage: Tasks -UsageBillTimeShort=Usage: Bill time -InvoiceToUse=Draft invoice to use -InterToUse=Draft intervention to use -NewInvoice=New invoice -NewInter=New intervention -OneLinePerTask=One line per task -OneLinePerPeriod=One line per period -OneLinePerTimeSpentLine=One line for each time spent declaration -AddDetailDateAndDuration=With date and duration into line description -RefTaskParent=Ref. Parent Task -ProfitIsCalculatedWith=Profit is calculated using -AddPersonToTask=Add also to tasks -UsageOrganizeEvent=Usage: Event Organization -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks at 100 %% progress won't be affected: you will have to close them manually. This option only affects open projects. -SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them -ProjectTasksWithoutTimeSpent=Project tasks without time spent -FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. -ProjectsHavingThisContact=Projects having this contact -StartDateCannotBeAfterEndDate=End date cannot be before start date +AllowCommentOnTask=ተጠቃሚው በተግባሮች ላይ አስተያየት እንዲሰጥ ፍቀድ +AllowCommentOnProject=በፕሮጀክቶች ላይ የተጠቃሚ አስተያየቶችን ፍቀድ +DontHavePermissionForCloseProject=ፕሮጀክቱን ለመዝጋት ፍቃድ የለህም %s +DontHaveTheValidateStatus=ፕሮጀክቱ %s ለመዘጋት ክፍት መሆን አለበት. +RecordsClosed=%s ፕሮጀክት(ዎች) ተዘግቷል +SendProjectRef=የመረጃ ፕሮጀክት %s +ModuleSalaryToDefineHourlyRateMustBeEnabled=ሞጁል 'ደሞዝ' የሰራተኛ ሰዓቱን ዋጋ ለመወሰን መንቃት አለበት። +NewTaskRefSuggested=Task ref አስቀድሞ ጥቅም ላይ የዋለ፣ አዲስ የተግባር ማጣቀሻ ያስፈልጋል +NumberOfTasksCloned=%s ተግባር(ዎች) ተዘግቷል +TimeSpentInvoiced=የጠፋው ጊዜ ተከፍሏል። +TimeSpentForIntervention=የጠፋው ጊዜ +TimeSpentForInvoice=የጠፋው ጊዜ +OneLinePerUser=አንድ መስመር በተጠቃሚ +ServiceToUseOnLines=በመስመሮች ላይ በነባሪነት ለመጠቀም አገልግሎት +InvoiceGeneratedFromTimeSpent=ደረሰኝ %s በፕሮጀክት ላይ ከጠፋው ጊዜ የመነጨ ነው +InterventionGeneratedFromTimeSpent=ጣልቃ ገብነት %s የተፈጠረው በፕሮጀክት ላይ ከጠፋው ጊዜ ነው. +ProjectBillTimeDescription=በፕሮጀክት ተግባራት ላይ የሰዓት ሉህ ያስገቡ ከሆነ ያረጋግጡ እና የፕሮጀክቱን ደንበኛ ለማስከፈል ደረሰኝ(ዎች) ለማመንጨት ካቀዱ (በገቡት የሰዓት ሉሆች ላይ ያልተመሠረተ ደረሰኝ ለመፍጠር እንዳሰቡ ያረጋግጡ)። ማስታወሻ፡ ደረሰኝ ለማመንጨት የፕሮጀክቱን 'የጠፋው ጊዜ' የሚለውን ትር ይሂዱ እና የሚጨምሩትን መስመሮች ይምረጡ። +ProjectFollowOpportunity=አጋጣሚውን ተከታተል። +ProjectFollowTasks=ስራዎችን ወይም ጊዜውን ያጠፋውን ይከተሉ +Usage=አጠቃቀም +UsageOpportunity=አጠቃቀም: ዕድል +UsageTasks=አጠቃቀም: ተግባራት +UsageBillTimeShort=አጠቃቀም: የክፍያ ጊዜ +InvoiceToUse=ለመጠቀም ረቂቅ ደረሰኝ +InterToUse=ለመጠቀም ረቂቅ ጣልቃ ገብነት +NewInvoice=አዲስ ደረሰኝ +NewInter=አዲስ ጣልቃ ገብነት +OneLinePerTask=በአንድ ተግባር አንድ መስመር +OneLinePerPeriod=በወር አንድ መስመር +OneLinePerTimeSpentLine=ለእያንዳንዱ ጊዜ ለጠፋ መግለጫ አንድ መስመር +AddDetailDateAndDuration=ከቀን እና ቆይታ ጋር ወደ መስመር መግለጫ +RefTaskParent=ማጣቀሻ. የወላጅ ተግባር +ProfitIsCalculatedWith=ትርፍ የሚሰላው በመጠቀም ነው። +AddPersonToTask=ወደ ተግባራትም ያክሉ +UsageOrganizeEvent=አጠቃቀም፡ የክስተት ድርጅት +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=ሁሉም ተግባሮቹ ሲጠናቀቁ ፕሮጀክቱን እንደተዘጋ መድበው (100%%ሂደት) +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=ማሳሰቢያ፡ ሁሉም ተግባራት ያሏቸው ነባር ፕሮጀክቶች ወደ 100%% እድገት አይነኩም፡ በእጅ መዝጋት አለቦት። ይህ አማራጭ ክፍት ፕሮጀክቶችን ብቻ ነው የሚነካው። +SelectLinesOfTimeSpentToInvoice=ያልተከፈሉትን የጊዜ መስመሮችን ምረጥ እና እነሱን ለማስከፈል የጅምላ እርምጃ "ክፍያ መጠየቂያ ፍጠር" +ProjectTasksWithoutTimeSpent=ጊዜ ሳያጠፉ የፕሮጀክት ተግባራት +FormForNewLeadDesc=እኛን ለማግኘት የሚከተለውን ቅጽ ስለሞሉ እናመሰግናለን። እንዲሁም በቀጥታ ወደ %s ሊልኩልን ይችላሉ። +ProjectsHavingThisContact=ይህ ግንኙነት ያላቸው ፕሮጀክቶች +StartDateCannotBeAfterEndDate=የማለቂያ ቀን ከመጀመሪያው ቀን በፊት ሊሆን አይችልም +ErrorPROJECTLEADERRoleMissingRestoreIt=የ"PROJECTLEADER" ሚና ጎድሏል ወይም አልነቃም፣እባክዎ የእውቂያ አይነቶች መዝገበ ቃላት ውስጥ ይመልሱ +LeadPublicFormDesc=ከህዝባዊ የመስመር ላይ ቅጽ ላይ የእርስዎን ተስፋዎች ከእርስዎ ጋር የመጀመሪያ ግንኙነት እንዲያደርጉ እዚህ ይፋዊ ገጽ ማንቃት ይችላሉ። +EnablePublicLeadForm=ለግንኙነት ይፋዊ ቅጽን አንቃ +NewLeadbyWeb=መልእክትህ ወይም ጥያቄህ ተመዝግቧል። በቅርቡ መልስ እንሰጥዎታለን ወይም እናነጋግርዎታለን። +NewLeadForm=አዲስ የእውቂያ ቅጽ +LeadFromPublicForm=የመስመር ላይ መሪ ከህዝብ ቅፅ +ExportAccountingReportButtonLabel=ሪፖርት ያግኙ diff --git a/htdocs/langs/am_ET/propal.lang b/htdocs/langs/am_ET/propal.lang index db7b559a8a7..44978a4195f 100644 --- a/htdocs/langs/am_ET/propal.lang +++ b/htdocs/langs/am_ET/propal.lang @@ -1,99 +1,124 @@ # Dolibarr language file - Source file is en_US - propal -Proposals=Commercial proposals -Proposal=Commercial proposal -ProposalShort=Proposal -ProposalsDraft=Draft commercial proposals -ProposalsOpened=Open commercial proposals -CommercialProposal=Commercial proposal -PdfCommercialProposalTitle=Proposal -ProposalCard=Proposal card -NewProp=New commercial proposal -NewPropal=New proposal -Prospect=Prospect -DeleteProp=Delete commercial proposal -ValidateProp=Validate commercial proposal -AddProp=Create proposal -ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? -ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? -LastPropals=Latest %s proposals -LastModifiedProposals=Latest %s modified proposals -AllPropals=All proposals -SearchAProposal=Search a proposal -NoProposal=No proposal -ProposalsStatistics=Commercial proposal's statistics -NumberOfProposalsByMonth=Number by month -AmountOfProposalsByMonthHT=Amount by month (excl. tax) -NbOfProposals=Number of commercial proposals -ShowPropal=Show proposal -PropalsDraft=Drafts -PropalsOpened=Open -PropalStatusDraft=Draft (needs to be validated) -PropalStatusValidated=Validated (proposal is open) -PropalStatusSigned=Signed (needs billing) -PropalStatusNotSigned=Not signed (closed) -PropalStatusBilled=Billed -PropalStatusDraftShort=Draft -PropalStatusValidatedShort=Validated (open) -PropalStatusClosedShort=Closed -PropalStatusSignedShort=Signed -PropalStatusNotSignedShort=Not signed -PropalStatusBilledShort=Billed -PropalsToClose=Commercial proposals to close -PropalsToBill=Signed commercial proposals to bill -ListOfProposals=List of commercial proposals -ActionsOnPropal=Events on proposal -RefProposal=Commercial proposal ref -SendPropalByMail=Send commercial proposal by mail -DatePropal=Date of proposal -DateEndPropal=Validity ending date -ValidityDuration=Validity duration -SetAcceptedRefused=Set accepted/refused -ErrorPropalNotFound=Propal %s not found -AddToDraftProposals=Add to draft proposal -NoDraftProposals=No draft proposals -CopyPropalFrom=Create commercial proposal by copying existing proposal -CreateEmptyPropal=Create empty commercial proposal or from list of products/services -DefaultProposalDurationValidity=Default commercial proposal validity duration (in days) -UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address -ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? -ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? -ProposalsAndProposalsLines=Commercial proposal and lines -ProposalLine=Proposal line -ProposalLines=Proposal lines -AvailabilityPeriod=Availability delay -SetAvailability=Set availability delay -AfterOrder=after order -OtherProposals=Other proposals +Proposals=የንግድ ፕሮፖዛል +Proposal=የንግድ ፕሮፖዛል +ProposalShort=ፕሮፖዛል +ProposalsDraft=የንግድ ፕሮፖዛል ረቂቅ +ProposalsOpened=የንግድ ፕሮፖዛል ክፈት +CommercialProposal=የንግድ ፕሮፖዛል +PdfCommercialProposalTitle=ፕሮፖዛል +ProposalCard=የፕሮፖዛል ካርድ +NewProp=አዲስ የንግድ ፕሮፖዛል +NewPropal=አዲስ ፕሮፖዛል +Prospect=ተስፋ +DeleteProp=የንግድ ፕሮፖዛል ሰርዝ +ValidateProp=የንግድ ፕሮፖዛል አረጋግጥ +CancelPropal=ሰርዝ +AddProp=ፕሮፖዛል ፍጠር +ConfirmDeleteProp=እርግጠኛ ነዎት ይህን የንግድ ፕሮፖዛል መሰረዝ ይፈልጋሉ? +ConfirmValidateProp=እርግጠኛ ነዎት ይህን የንግድ ፕሮፖዛል በስም %sb09a4b739f17f17f >? +ConfirmCancelPropal=እርግጠኛ ነህ የንግድ ፕሮፖዛል %s? +LastPropals=የቅርብ ጊዜ %s ሀሳቦች +LastModifiedProposals=የቅርብ ጊዜ %s የተሻሻሉ ሀሳቦች +AllPropals=ሁሉም ሀሳቦች +SearchAProposal=ፕሮፖዛል ፈልግ +NoProposal=ምንም ፕሮፖዛል የለም። +ProposalsStatistics=የንግድ ፕሮፖዛል ስታቲስቲክስ +NumberOfProposalsByMonth=ቁጥር በወር +AmountOfProposalsByMonthHT=መጠን በወር (ከግብር በስተቀር) +NbOfProposals=የንግድ ፕሮፖዛል ብዛት +ShowPropal=ፕሮፖዛል አሳይ +PropalsDraft=ረቂቆች +PropalsOpened=ክፈት +PropalStatusCanceled=ተሰርዟል (የተተወ) +PropalStatusDraft=ረቂቅ (መረጋገጥ አለበት) +PropalStatusValidated=የተረጋገጠ (ሐሳቡ ክፍት ነው) +PropalStatusSigned=የተፈረመ (የሂሳብ አከፋፈል ያስፈልገዋል) +PropalStatusNotSigned=ያልተፈረመ (የተዘጋ) +PropalStatusBilled=ተከፍሏል። +PropalStatusCanceledShort=ተሰርዟል። +PropalStatusDraftShort=ረቂቅ +PropalStatusValidatedShort=የተረጋገጠ (ክፍት) +PropalStatusClosedShort=ዝግ +PropalStatusSignedShort=ተፈርሟል +PropalStatusNotSignedShort=አልተፈረመም። +PropalStatusBilledShort=ተከፍሏል። +PropalsToClose=ለመዝጋት የንግድ ሀሳቦች +PropalsToBill=ለክፍያ መጠየቂያ ሀሳቦች የተፈረሙ +ListOfProposals=የንግድ ፕሮፖዛል ዝርዝር +ActionsOnPropal=በፕሮፖዛል ላይ ያሉ ክስተቶች +RefProposal=የንግድ ፕሮፖዛል ማጣቀሻ +SendPropalByMail=የንግድ ፕሮፖዛል በፖስታ ይላኩ። +DatePropal=ሀሳብ የቀረበበት ቀን +DateEndPropal=ትክክለኛነት የሚያበቃበት ቀን +ValidityDuration=ተቀባይነት ያለው ቆይታ +SetAcceptedRefused=ተቀባይነት አላገኘም/አዘጋጅ +ErrorPropalNotFound=ፕሮፓል %s አልተገኘም +AddToDraftProposals=ወደ ረቂቅ ሀሳብ ጨምር +NoDraftProposals=ምንም ረቂቅ ሀሳቦች የሉም +CopyPropalFrom=ያለውን ፕሮፖዛል በመቅዳት የንግድ ፕሮፖዛል ይፍጠሩ +CreateEmptyPropal=ባዶ የንግድ ፕሮፖዛል ወይም ከምርቶች/አገልግሎቶች ዝርዝር ይፍጠሩ +DefaultProposalDurationValidity=ነባሪ የንግድ ፕሮፖዛል የሚቆይበት ጊዜ (በቀናት ውስጥ) +DefaultPuttingPricesUpToDate=በነባሪነት የፕሮፖዛልን ክሎኒንግ ላይ ከታወቁት ዋጋዎች ጋር ዋጋዎችን ያዘምኑ +DefaultPuttingDescUpToDate=በነባሪነት ፕሮፖዛልን በመዝጋት ላይ ከሚታወቁት መግለጫዎች ጋር መግለጫዎችን ያዘምኑ +UseCustomerContactAsPropalRecipientIfExist=ከሶስተኛ ወገን አድራሻ ይልቅ እንደ ሀሳብ ተቀባይ አድራሻ ከተገለጸ 'የእውቂያ ተከታይ ሀሳብ' አይነት ጋር እውቂያ/አድራሻ ይጠቀሙ +ConfirmClonePropal=እርግጠኛ ነዎት የንግድ ፕሮፖዛሉን %sb09a4b739f17f80? +ConfirmReOpenProp=እርግጠኛ ነዎት የንግድ ፕሮፖዛሉን %sb09a4b739f17f80 ? +ProposalsAndProposalsLines=የንግድ ፕሮፖዛል እና መስመሮች +ProposalLine=የፕሮፖዛል መስመር +ProposalLines=የፕሮፖዛል መስመሮች +AvailabilityPeriod=የተገኝነት መዘግየት +SetAvailability=የተገኝነት መዘግየት ያዘጋጁ +AfterOrder=ከትእዛዝ በኋላ +OtherProposals=ሌሎች ሀሳቦች + ##### Availability ##### -AvailabilityTypeAV_NOW=Immediate -AvailabilityTypeAV_1W=1 week -AvailabilityTypeAV_2W=2 weeks -AvailabilityTypeAV_3W=3 weeks -AvailabilityTypeAV_1M=1 month -##### Types de contacts ##### -TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal -TypeContact_propal_external_BILLING=Customer invoice contact -TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal -TypeContact_propal_external_SHIPPING=Customer contact for delivery +AvailabilityTypeAV_NOW=ወዲያውኑ +AvailabilityTypeAV_1W=1 ሳምንት +AvailabilityTypeAV_2W=2 ሳምንታት +AvailabilityTypeAV_3W=3 ሳምንታት +AvailabilityTypeAV_1M=1 ወር + +##### Types ofe contacts ##### +TypeContact_propal_internal_SALESREPFOLL=የክትትል ፕሮፖዛል ተወካይ +TypeContact_propal_external_BILLING=የደንበኛ የክፍያ መጠየቂያ እውቂያ +TypeContact_propal_external_CUSTOMER=የደንበኛ ግንኙነት ተከታይ ሀሳብ +TypeContact_propal_external_SHIPPING=ለማድረስ የደንበኛ ግንኙነት + # Document models -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model -DefaultModelPropalCreate=Default model creation -DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) -DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) -ProposalCustomerSignature=Written acceptance, company stamp, date and signature -ProposalsStatisticsSuppliers=Vendor proposals statistics -CaseFollowedBy=Case followed by -SignedOnly=Signed only -IdProposal=Proposal ID -IdProduct=Product ID -PrParentLine=Proposal Parent Line -LineBuyPriceHT=Buy Price Amount net of tax for line -SignPropal=Accept proposal -RefusePropal=Refuse proposal -Sign=Sign -PropalAlreadySigned=Proposal already accepted -PropalAlreadyRefused=Proposal already refused -PropalSigned=Proposal accepted -PropalRefused=Proposal refused -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +CantBeNoSign=አልተፈረመም ሊዘጋጅ አይችልም +CaseFollowedBy=ጉዳይ ተከትሎ +ConfirmMassNoSignature=በጅምላ ያልተፈረመ ማረጋገጫ +ConfirmMassNoSignatureQuestion=እርግጠኛ ነዎት ያልተፈረሙ መዝገቦችን ማዘጋጀት ይፈልጋሉ? +ConfirmMassSignature=የጅምላ ፊርማ ማረጋገጫ +ConfirmMassSignatureQuestion=እርግጠኛ ነዎት የተመረጡትን መዝገቦች መፈረም ይፈልጋሉ? +ConfirmMassValidation=የጅምላ ማረጋገጫ +ConfirmMassValidationQuestion=እርግጠኛ ነዎት የተመረጡትን መዝገቦች ማረጋገጥ ይፈልጋሉ? +ConfirmRefusePropal=እርግጠኛ ነዎት ይህን የንግድ ፕሮፖዛል አለመቀበል ይፈልጋሉ? +ContractSigned=ውል ተፈራርሟል +DefaultModelPropalClosed=የንግድ ፕሮፖዛል በሚዘጋበት ጊዜ ነባሪ አብነት (ያልተከፈለ) +DefaultModelPropalCreate=ነባሪ ሞዴል መፍጠር +DefaultModelPropalToBill=የንግድ ፕሮፖዛል በሚዘጋበት ጊዜ ነባሪ አብነት (የክፍያ መጠየቂያ) +DocModelAzurDescription=የተሟላ የፕሮፖዛል ሞዴል (የሳይያን አብነት የድሮ ትግበራ) +DocModelCyanDescription=የተሟላ የፕሮፖዛል ሞዴል +FichinterSigned=ጣልቃ ገብነት ተፈርሟል +IdProduct=የምርት መታወቂያ +IdProposal=የፕሮፖዛል መታወቂያ +IsNotADraft=ረቂቅ አይደለም +LineBuyPriceHT=ለመስመር የታክስ የተጣራ የዋጋ መጠን ይግዙ +NoSign=እምቢ +NoSigned=ስብስብ አልተፈረመም። +PassedInOpenStatus=ተረጋግጧል +PropalAlreadyRefused=ፕሮፖዛል አስቀድሞ ተቀባይነት አላገኘም። +PropalAlreadySigned=ፕሮፖዛል አስቀድሞ ተቀባይነት አግኝቷል +PropalRefused=ሃሳብ ውድቅ አደረገ +PropalSigned=የቀረበው ሀሳብ ተቀባይነት አግኝቷል +ProposalCustomerSignature=የጽሁፍ ተቀባይነት, የኩባንያ ማህተም, ቀን እና ፊርማ +ProposalsStatisticsSuppliers=የአቅራቢዎች ሀሳቦች ስታቲስቲክስ +RefusePropal=ሃሳብ እምቢ ማለት +Sign=ይፈርሙ +SignContract=ውል ይፈርሙ +SignFichinter=ምልክት ጣልቃ ገብነት +SignSociete_rib=የመፈረም ሥልጣን +SignPropal=ሀሳብ ተቀበል +Signed=ተፈራረመ +SignedOnly=ብቻ የተፈረመ diff --git a/htdocs/langs/am_ET/stripe.lang b/htdocs/langs/am_ET/stripe.lang index 2c95bcfce27..17d9951512b 100644 --- a/htdocs/langs/am_ET/stripe.lang +++ b/htdocs/langs/am_ET/stripe.lang @@ -1,71 +1,80 @@ # Dolibarr language file - Source file is en_US - stripe -StripeSetup=Stripe module setup -StripeDesc=Offer your customers an online payment page for payments with credit/debit cards via Stripe. This can be used to allow your customers to make ad-hoc payments or for payments related to a particular Dolibarr object (invoice, order, ...) -StripeOrCBDoPayment=Pay with credit card or Stripe -FollowingUrlAreAvailableToMakePayments=Following URLs are available to offer a page to a customer to make a payment on Dolibarr objects -PaymentForm=Payment form -WelcomeOnPaymentPage=Welcome to our online payment service -ThisScreenAllowsYouToPay=This screen allow you to make an online payment to %s. -ThisIsInformationOnPayment=This is information on payment to do -ToComplete=To complete -YourEMail=Email to receive payment confirmation -STRIPE_PAYONLINE_SENDEMAIL=Email notification after a payment attempt (success or fail) -Creditor=Creditor -PaymentCode=Payment code -StripeDoPayment=Pay with Stripe -YouWillBeRedirectedOnStripe=You will be redirected on secured Stripe page to input you credit card information -Continue=Next -ToOfferALinkForOnlinePayment=URL for %s payment -ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order -ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice -ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line -ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment page of any amount with no existing object -ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment page for a member subscription -ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation -YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag.
      For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter) -SetupStripeToHavePaymentCreatedAutomatically=Setup your Stripe with url %s to have payment created automatically when validated by Stripe. -AccountParameter=Account parameters -UsageParameter=Usage parameters -InformationToFindParameters=Help to find your %s account information -STRIPE_CGI_URL_V2=Url of Stripe CGI module for payment -CSSUrlForPaymentForm=CSS style sheet url for payment form -NewStripePaymentReceived=New Stripe payment received -NewStripePaymentFailed=New Stripe payment tried but failed -FailedToChargeCard=Failed to charge card -STRIPE_TEST_SECRET_KEY=Secret test key -STRIPE_TEST_PUBLISHABLE_KEY=Publishable test key -STRIPE_TEST_WEBHOOK_KEY=Webhook test key -STRIPE_LIVE_SECRET_KEY=Secret live key -STRIPE_LIVE_PUBLISHABLE_KEY=Publishable live key -STRIPE_LIVE_WEBHOOK_KEY=Webhook live key -ONLINE_PAYMENT_WAREHOUSE=Stock to use for stock decrease when online payment is done
      (TODO When option to decrease stock is done on an action on invoice and the online payment generate itself the invoice ?) -StripeLiveEnabled=Stripe live enabled (otherwise test/sandbox mode) -StripeImportPayment=Import Stripe payments -ExampleOfTestCreditCard=Example of credit card for test: %s => valid, %s => error CVC, %s => expired, %s => charge fails -StripeGateways=Stripe gateways +StripeSetup=የጭረት ሞጁል ማዋቀር +StripeDesc=በStripe በኩል በክሬዲት/ዴቢት ካርዶች ለሚደረጉ ክፍያዎች የመስመር ላይ ክፍያ ለደንበኞችዎ ያቅርቡ። ይህ ደንበኞችዎ የአድ-ሆክ ክፍያዎችን እንዲፈጽሙ ወይም ከአንድ የተወሰነ የዶሊባርር ነገር ጋር ለተያያዙ ክፍያዎች (ክፍያ መጠየቂያ፣ ትዕዛዝ፣ ...) ለመፍቀድ ሊያገለግል ይችላል። +StripeOrCBDoPayment=በክሬዲት ካርድ ወይም Stripe ይክፈሉ። +FollowingUrlAreAvailableToMakePayments=የሚከተሉት ዩአርኤሎች በዶሊባርር ዕቃዎች ላይ ክፍያ ለመፈጸም ለደንበኛ አንድ ገጽ ለማቅረብ ይገኛሉ +PaymentForm=የክፍያ ቅጽ +WelcomeOnPaymentPage=ወደ የመስመር ላይ ክፍያ አገልግሎታችን እንኳን በደህና መጡ +ThisScreenAllowsYouToPay=ይህ ስክሪን ለ%s የመስመር ላይ ክፍያ እንድትከፍል ያስችልሃል። +ThisIsInformationOnPayment=ይህ በክፍያ ላይ መረጃ ነው +ToComplete=ለማጠናቀቅ +YourEMail=የክፍያ ማረጋገጫ ለመቀበል ኢሜይል ያድርጉ +STRIPE_PAYONLINE_SENDEMAIL=ከክፍያ ሙከራ በኋላ የኢሜል ማሳወቂያ (ስኬት ወይም ውድቀት) +Creditor=አበዳሪ +PaymentCode=የክፍያ ኮድ +StripeDoPayment=በ Stripe ይክፈሉ +YouWillBeRedirectedOnStripe=የክሬዲት ካርድ መረጃን ለማስገባት ደህንነቱ በተጠበቀው Stripe ገጽ ላይ ይዛወራሉ። +Continue=ቀጥሎ +ToOfferALinkForOnlinePayment=URL ለ%s ክፍያ +ToOfferALinkForOnlinePaymentOnOrder=ዩአርኤል ለሽያጭ ማዘዣ %s የመስመር ላይ ክፍያ ገጽ ለማቅረብ +ToOfferALinkForOnlinePaymentOnInvoice=ለደንበኛ ደረሰኝ %s የመስመር ላይ መክፈያ ገጽ ለማቅረብ URL. +ToOfferALinkForOnlinePaymentOnContractLine=ዩአርኤል ለኮንትራት መስመር %s የመስመር ላይ ክፍያ ገጽ ለማቅረብ +ToOfferALinkForOnlinePaymentOnFreeAmount=ምንም አይነት ነገር ሳይኖር የ%s የመስመር ላይ ክፍያ ገጽ ለማቅረብ URL. +ToOfferALinkForOnlinePaymentOnMemberSubscription=ለአባል ምዝገባ %s የመስመር ላይ ክፍያ ገጽ ለማቅረብ URL. +ToOfferALinkForOnlinePaymentOnDonation=ዩአርኤል ለልገሳ ክፍያ %s የመስመር ላይ መክፈያ ገጽ ለማቅረብ +YouCanAddTagOnUrl=እንዲሁም url መለኪያ ማከል ይችላሉ &tag=እሴትb0ae647358bac class='notranslate'> ወደ ማንኛቸውም ዩአርኤል (ከነገር ጋር ያልተገናኘ ክፍያ ብቻ የግዴታ) የራስዎን የክፍያ አስተያየት መለያ ለመጨመር።
      ለ የክፍያ ዩአርኤል ያለ ምንም ነባር ነገር፣ ልኬቱን ማከል ይችላሉ &noidempotency=1 ስለዚህ ተመሳሳይ አገናኝ ከተመሳሳይ መለያ ጋር ብዙ ጊዜ ጥቅም ላይ ሊውል ይችላል (አንዳንድ የክፍያ ሁነታ ያለዚህ ግቤት ለእያንዳንዱ የተለየ አገናኝ ክፍያውን 1 ሊገድበው ይችላል) +SetupStripeToHavePaymentCreatedAutomatically=ስትሪፕህን በ url %s ለመክፈል በራስ ሰር ያዋቅሩ። በ Stripe የተረጋገጠ. +AccountParameter=የመለያ መለኪያዎች +UsageParameter=የአጠቃቀም መለኪያዎች +InformationToFindParameters=የእርስዎን %s መለያ መረጃ ለማግኘት ያግዙ +STRIPE_CGI_URL_V2=Url of Stripe CGI ሞጁል ለክፍያ +CSSUrlForPaymentForm=ለክፍያ ቅጽ የCSS ቅጥ ሉህ ዩአርኤል +NewStripePaymentReceived=አዲስ ስትሪፕ ክፍያ ተቀብሏል። +NewStripePaymentFailed=አዲስ ስትሪፕ ክፍያ ሞክሮ አልተሳካም። +FailedToChargeCard=ካርድ መሙላት አልተሳካም። +STRIPE_TEST_SECRET_KEY=የምስጢር ሙከራ ቁልፍ +STRIPE_TEST_PUBLISHABLE_KEY=ሊታተም የሚችል የሙከራ ቁልፍ +STRIPE_TEST_WEBHOOK_KEY=Webhook የሙከራ ቁልፍ +STRIPE_LIVE_SECRET_KEY=ሚስጥራዊ የቀጥታ ቁልፍ +STRIPE_LIVE_PUBLISHABLE_KEY=ሊታተም የሚችል የቀጥታ ቁልፍ +STRIPE_LIVE_WEBHOOK_KEY=Webhook የቀጥታ ቁልፍ +ONLINE_PAYMENT_WAREHOUSE=የመስመር ላይ ክፍያ ሲፈፀም ለአክሲዮን ጥቅም ላይ የሚውለው አክሲዮን ይቀንሳል
      (TODO አክሲዮን የመቀነስ አማራጭ በክፍያ መጠየቂያ ደረሰኝ ላይ ሲደረግ እና የመስመር ላይ ክፍያ ራሱ ደረሰኝ ያመነጫል?) +StripeLiveEnabled=ስትሪፕ ቀጥታ ነቅቷል (አለበለዚያ የሙከራ/ማጠሪያ ሁነታ) +StripeImportPayment=የStripe ክፍያዎችን ያስመጡ +ExampleOfTestCreditCard=ለሙከራ ክፍያ የክሬዲት ካርድ ምሳሌ፡ %s => የሚሰራ፣ %s =>ስህተት CVC፣ %s => ጊዜው አልፎበታል፣ %s => ክፍያ አልተሳካም +ExampleOfTestBankAcountForSEPA=የባንክ ሂሳብ BAN ምሳሌ ለቀጥታ ዴቢት ሙከራ፡ %s +StripeGateways=የጭረት በሮች OAUTH_STRIPE_TEST_ID=Stripe Connect Client ID (ca_...) OAUTH_STRIPE_LIVE_ID=Stripe Connect Client ID (ca_...) -BankAccountForBankTransfer=Bank account for fund payouts -StripeAccount=Stripe account -StripeChargeList=List of Stripe charges -StripeTransactionList=List of Stripe transactions -StripeCustomerId=Stripe customer id -StripePaymentModes=Stripe payment modes -LocalID=Local ID -StripeID=Stripe ID -NameOnCard=Name on card -CardNumber=Card Number -ExpiryDate=Expiry Date -CVN=CVN -DeleteACard=Delete Card -ConfirmDeleteCard=Are you sure you want to delete this Credit or Debit card? -CreateCustomerOnStripe=Create customer on Stripe -CreateCardOnStripe=Create card on Stripe -ShowInStripe=Show in Stripe -StripeUserAccountForActions=User account to use for email notification of some Stripe events (Stripe payouts) -StripePayoutList=List of Stripe payouts -ToOfferALinkForTestWebhook=Link to setup Stripe WebHook to call the IPN (test mode) -ToOfferALinkForLiveWebhook=Link to setup Stripe WebHook to call the IPN (live mode) -PaymentWillBeRecordedForNextPeriod=Payment will be recorded for the next period. -ClickHereToTryAgain=Click here to try again... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s +BankAccountForBankTransfer=ለገንዘብ ክፍያዎች የባንክ ሂሳብ +StripeAccount=የጭረት መለያ +StripeChargeList=የ Stripe ክፍያዎች ዝርዝር +StripeTransactionList=የ Stripe ግብይቶች ዝርዝር +StripeCustomerId=የደንበኛ መታወቂያ +StripePaymentId=የጭረት ክፍያ መታወቂያ +StripePaymentModes=የጭረት ክፍያ ሁነታዎች +LocalID=የአካባቢ መታወቂያ +StripeID=የጭረት መታወቂያ +NameOnCard=በካርድ ላይ ስም +CardNumber=የካርታ ቁጥር +ExpiryDate=የአገልግሎት ማብቂያ ጊዜ +CVN=ሲቪኤን +DeleteACard=ካርድ ሰርዝ +ConfirmDeleteCard=እርግጠኛ ነዎት ይህን ክሬዲት ወይም ዴቢት ካርድ መሰረዝ ይፈልጋሉ? +CreateCustomerOnStripe=በ Stripe ላይ ደንበኛን ይፍጠሩ +CreateCardOnStripe=በ Stripe ላይ ካርድ ይፍጠሩ +CreateBANOnStripe=በ Stripe ላይ ባንክ ይፍጠሩ +ShowInStripe=በ Stripe ውስጥ አሳይ +StripeUserAccountForActions=የተጠቃሚ መለያ ለአንዳንድ የStripe ክስተቶች የኢሜይል ማሳወቂያ (Stripe ክፍያዎች) +StripePayoutList=የ Stripe ክፍያዎች ዝርዝር +ToOfferALinkForTestWebhook=ወደ IPN (የሙከራ ሁነታ) ለመደወል Stripe WebHook የማዋቀር አገናኝ +ToOfferALinkForLiveWebhook=ወደ IPN (ቀጥታ ሁነታ) ለመደወል Stripe WebHook የማዋቀር አገናኝ +PaymentWillBeRecordedForNextPeriod=ክፍያ ለሚቀጥለው ጊዜ ይመዘገባል. +ClickHereToTryAgain=እንደገና ለመሞከር እዚህ ጠቅ ያድርጉ... +CreationOfPaymentModeMustBeDoneFromStripeInterface=በጠንካራ የደንበኛ ማረጋገጫ ደንቦች ምክንያት፣ ካርድ መፍጠር ከStripe back office መሆን አለበት። Stripe የደንበኛ መዝገብን ለማብራት እዚህ ጠቅ ማድረግ ይችላሉ፡ %s +STRIPE_CARD_PRESENT=ካርድ ለ Stripe ተርሚናሎች ቀርቧል +TERMINAL_LOCATION=ለ Stripe ተርሚናሎች ቦታ (አድራሻ) +RequestDirectDebitWithStripe=ቀጥታ ዴቢትን በ Stripe ይጠይቁ +RequesCreditTransferWithStripe=በ Stripe የብድር ማስተላለፍ ይጠይቁ +STRIPE_SEPA_DIRECT_DEBIT=የቀጥታ ዴቢት ክፍያዎችን በStripe በኩል ያንቁ +StripeConnect_Mode=Stripe Connect ሁነታ diff --git a/htdocs/langs/am_ET/website.lang b/htdocs/langs/am_ET/website.lang index dc2ec2c0b3d..9ff631ee295 100644 --- a/htdocs/langs/am_ET/website.lang +++ b/htdocs/langs/am_ET/website.lang @@ -1,147 +1,166 @@ # Dolibarr language file - Source file is en_US - website -Shortname=Code -WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them. -DeleteWebsite=Delete website -ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. -WEBSITE_TYPE_CONTAINER=Type of page/container -WEBSITE_PAGE_EXAMPLE=Web page to use as example -WEBSITE_PAGENAME=Page name/alias -WEBSITE_ALIASALT=Alternative page names/aliases -WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
      alternativename1, alternativename2, ... -WEBSITE_CSS_URL=URL of external CSS file -WEBSITE_CSS_INLINE=CSS file content (common to all pages) -WEBSITE_JS_INLINE=Javascript file content (common to all pages) -WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) -WEBSITE_ROBOT=Robot file (robots.txt) -WEBSITE_HTACCESS=Website .htaccess file -WEBSITE_MANIFEST_JSON=Website manifest.json file -WEBSITE_README=README.md file -WEBSITE_KEYWORDSDesc=Use a comma to separate values -EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. -HtmlHeaderPage=HTML header (specific to this page only) -PageNameAliasHelp=Name or alias of the page.
      This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. -EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. -MediaFiles=Media library -EditCss=Edit website properties -EditMenu=Edit menu -EditMedias=Edit medias -EditPageMeta=Edit page/container properties -EditInLine=Edit inline -AddWebsite=Add website -Webpage=Web page/container -AddPage=Add page/container -PageContainer=Page -PreviewOfSiteNotYetAvailable=The preview of your website %s is not yet available. You must first 'Import a full website template' or just 'Add a page/container'. -RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this. -SiteDeleted=Web site '%s' deleted -PageContent=Page/Contenair -PageDeleted=Page/Contenair '%s' of website %s deleted -PageAdded=Page/Contenair '%s' added -ViewSiteInNewTab=View site in new tab -ViewPageInNewTab=View page in new tab -SetAsHomePage=Set as Home page -RealURL=Real URL -ViewWebsiteInProduction=View web site using home URLs -SetHereVirtualHost=Use with Apache/NGinx/...
      Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
      %s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: -YouCanAlsoTestWithPHPS=Use with PHP embedded server
      On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
      php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
      If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org -CheckVirtualHostPerms=Check also that the virtual host user (for example www-data) has %s permissions on files into
      %s -ReadPerm=Read -WritePerm=Write -TestDeployOnWeb=Test/deploy on web -PreviewSiteServedByWebServer=Preview %s in a new tab.

      The %s will be served by an external web server (like Apache, Nginx, IIS). You must install and setup this server before to point to directory:
      %s
      URL served by external server:
      %s -PreviewSiteServedByDolibarr=Preview %s in a new tab.

      The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed.
      The inconvenient is that the URLs of pages are not user friendly and start with the path of your Dolibarr.
      URL served by Dolibarr:
      %s

      To use your own external web server to serve this web site, create a virtual host on your web server that points on directory
      %s
      then enter the name of this virtual server in the properties of this website and click on the link "Test/Deploy on the web". -VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined -NoPageYet=No pages yet -YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template -SyntaxHelp=Help on specific syntax tips -YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . -ClonePage=Clone page/container -CloneSite=Clone site -SiteAdded=Website added -ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page. -PageIsANewTranslation=The new page is a translation of the current page ? -LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page. -ParentPageId=Parent page ID -WebsiteId=Website ID -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... -OrEnterPageInfoManually=Or create page from scratch or from a page template... -FetchAndCreate=Fetch and Create -ExportSite=Export website -ImportSite=Import website template -IDOfPage=Id of page -Banner=Banner -BlogPost=Blog post -WebsiteAccount=Website account -WebsiteAccounts=Website accounts -AddWebsiteAccount=Create web site account -BackToListForThirdParty=Back to list for the third-party -DisableSiteFirst=Disable website first -MyContainerTitle=My web site title -AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists) -SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please comme back later... -WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table -WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party -YouMustDefineTheHomePage=You must first define the default Home page -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correclty when used on a grabbed external page. -OnlyEditionOfSourceForGrabbedContent=Only edition of HTML source is possible when content was grabbed from an external site -GrabImagesInto=Grab also images found into css and page. -ImagesShouldBeSavedInto=Images should be saved into directory -WebsiteRootOfImages=Root directory for website images -SubdirOfPage=Sub-directory dedicated to page -AliasPageAlreadyExists=Alias page %s already exists -CorporateHomePage=Corporate Home page -EmptyPage=Empty page -ExternalURLMustStartWithHttp=External URL must start with http:// or https:// -ZipOfWebsitePackageToImport=Upload the Zip file of the website template package -ZipOfWebsitePackageToLoad=or Choose an available embedded website template package -ShowSubcontainers=Show dynamic content -InternalURLOfPage=Internal URL of page -ThisPageIsTranslationOf=This page/container is a translation of -ThisPageHasTranslationPages=This page/container has translation -NoWebSiteCreateOneFirst=No website has been created yet. Create one first. -GoTo=Go to -DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). -NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. -ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? -MyWebsitePages=My website pages -SearchReplaceInto=Search | Replace into -ReplaceString=New string -CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. -Dynamiccontent=Sample of a page with dynamic content -ImportSite=Import website template -EditInLineOnOff=Mode 'Edit inline' is %s -ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s -GlobalCSSorJS=Global CSS/JS/Header file of web site -BackToHomePage=Back to home page... -TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
      (ref=%s, type=%s, status=%s) -UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters -MainLanguage=Main language -OtherLanguages=Other languages -UseManifest=Provide a manifest.json file -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers -RSSFeed=RSS Feed -RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL -PagesRegenerated=%s page(s)/container(s) regenerated -RegenerateWebsiteContent=Regenerate web site cache files -AllowedInFrames=Allowed in Frames -DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties. -GenerateSitemaps=Generate website sitemap file -ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... -ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap file %s generated -ImportFavicon=Favicon -ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 -FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) +Shortname=ኮድ +WebsiteName=የድረ-ገጹ ስም +WebsiteSetupDesc=ለመጠቀም የሚፈልጓቸውን ድህረ ገጾች እዚህ ይፍጠሩ። ከዚያ እነሱን ለማረም ወደ ምናሌ ድረ-ገጾች ይሂዱ። +DeleteWebsite=ድር ጣቢያ ሰርዝ +ConfirmDeleteWebsite=እርግጠኛ ነዎት ይህን ድረ-ገጽ መሰረዝ ይፈልጋሉ? ሁሉም ገጾቹ እና ይዘቶቹ እንዲሁ ይወገዳሉ። የተሰቀሉት ፋይሎች (እንደ ወደሚዲያዎች ማውጫ፣ የECM ሞጁል፣ ...) ይቀራሉ። +WEBSITE_TYPE_CONTAINER=የገጽ/የመያዣ አይነት +WEBSITE_PAGE_EXAMPLE=እንደ ምሳሌ ለመጠቀም ድረ-ገጽ +WEBSITE_PAGENAME=የገጽ ስም/ተለዋጭ ስም +WEBSITE_ALIASALT=ተለዋጭ የገጽ ስሞች/ተለዋጭ ስሞች +WEBSITE_ALIASALTDesc=ሌሎች ስሞችን/ተለዋጭ ስሞችን (ለምሳሌ በአሮጌው አገናኝ/ስም ላይ የጀርባ ማገናኛን ለማስቀጠል የድሮውን ስም ከመሰየም በኋላ) ገጹን ማግኘት እንዲቻል የሌሎች ስም/ተለዋጭ ስሞች ዝርዝር እዚህ ይጠቀሙ። አገባብ፡-
      አማራጭ ስም1፣አማራጭ ስም2፣... +WEBSITE_CSS_URL=የውጪ የሲኤስኤስ ፋይል URL +WEBSITE_CSS_INLINE=የሲኤስኤስ ፋይል ይዘት (ለሁሉም ገጾች የተለመደ) +WEBSITE_JS_INLINE=የጃቫስክሪፕት ፋይል ይዘት (ለሁሉም ገጾች የተለመደ) +WEBSITE_HTML_HEADER=በኤችቲኤምኤል ራስጌ ስር መደመር (ለሁሉም ገጾች የተለመደ) +WEBSITE_ROBOT=ሮቦት ፋይል (robots.txt) +WEBSITE_HTACCESS=የድር ጣቢያ .htaccess ፋይል +WEBSITE_MANIFEST_JSON=የድረ-ገጽ manifest.json ፋይል +WEBSITE_KEYWORDSDesc=እሴቶችን ለመለየት ኮማ ይጠቀሙ +EnterHereReadmeInformation=የድረ-ገጹን መግለጫ እዚህ ያስገቡ። ድር ጣቢያዎን እንደ አብነት ካሰራጩት ፋይሉ በፈተና ጥቅል ውስጥ ይካተታል። +EnterHereLicenseInformation=የድረ-ገጹን ኮድ LICENSE እዚህ ያስገቡ። ድር ጣቢያዎን እንደ አብነት ካሰራጩት ፋይሉ በፈተና ጥቅል ውስጥ ይካተታል። +HtmlHeaderPage=HTML ራስጌ (ለዚህ ገጽ ብቻ የተወሰነ) +PageNameAliasHelp=የገጹ ስም ወይም ተለዋጭ ስም።
      ይህ ተለዋጭ ስም እንዲሁ ድህረ ገጽ ከድር አገልጋይ ምናባዊ አስተናጋጅ (እንደ Apacke, Nginx, ..) ሲሄድ SEO URL ለመመስረት ይጠቅማል። .) ይህንን ለማስተካከል "%ss የሚለውን ቁልፍ ተጠቀም። +EditTheWebSiteForACommonHeader=ማሳሰቢያ፡ ለሁሉም ገፆች ለግል የተበጀ ራስጌን መግለፅ ከፈለግክ በገጹ/በመያዣው ላይ ሳይሆን በጣቢያ ደረጃ ላይ ያለውን ርእስ አርትዕ አድርግ። +MediaFiles=የሚዲያ ቤተ-መጽሐፍት +EditCss=የድር ጣቢያ ባህሪያትን ያርትዑ +EditMenu=ምናሌን ያርትዑ +EditMedias=ሚዲያ አርትዕ +EditPageMeta=የገጽ/የመያዣ ባህሪያትን ያርትዑ +EditInLine=በመስመር ውስጥ ያርትዑ +AddWebsite=ድር ጣቢያ ያክሉ +Webpage=ድረ-ገጽ/መያዣ +AddPage=ገጽ/መያዣ ያክሉ +PageContainer=ገጽ +PreviewOfSiteNotYetAvailable=የድረ-ገጽህ ቅድመ እይታ %s ገና አይገኝም። መጀመሪያ 'ሙሉ ድህረ ገጽ አብነት አስመጣ' ወይም ልክ 'b0eገጽ/ኮንቴይነር አክል
      ' +RequestedPageHasNoContentYet=የተጠየቀው ገጽ መታወቂያ %s እስካሁን ምንም ይዘት የለውም፣ ወይም የመሸጎጫ ፋይል .tpl.php ተወግዷል። ይህንን ለመፍታት የገጹን ይዘት ያርትዑ። +SiteDeleted=ድር ጣቢያ '%s ተሰርዟል +PageContent=ገጽ/ኮንቴናየር +PageDeleted=የድረ-ገጽ ገፅ/Contenair '%s %s ተሰርዟል +PageAdded=ገጽ/ኮንቴናየር '%s' ታክሏል +ViewSiteInNewTab=በአዲስ ትር ውስጥ ጣቢያን ይመልከቱ +ViewPageInNewTab=በአዲስ ትር ውስጥ ገጽ ይመልከቱ +SetAsHomePage=እንደ መነሻ ገጽ አዘጋጅ +RealURL=እውነተኛ ዩአርኤል +ViewWebsiteInProduction=የቤት ዩአርኤሎችን በመጠቀም ድረ-ገጽን ይመልከቱ +Virtualhost=ምናባዊ አስተናጋጅ ወይም የጎራ ስም +VirtualhostDesc=የቨርቹዋል አስተናጋጅ ወይም ጎራ ስም (ለምሳሌ፡ www.mywebsite.com፣ mybigcompany.net፣ ...) +SetHereVirtualHost=በApache/NGinx/...
      በ ላይCrete የእርስዎ የድር አገልጋይ (Apache, Nginx, ...) የተወሰነ ምናባዊ አስተናጋጅ በ PHP የነቃ እና በ
      ላይ ያለው Root directory %s +ExampleToUseInApacheVirtualHostConfig=በApache ምናባዊ አስተናጋጅ ማዋቀር ውስጥ ለመጠቀም ምሳሌ፡- +YouCanAlsoTestWithPHPS=በPHP ከተከተተ አገልጋይ ጋር ተጠቀም
      አካባቢን ማዳበር ትችላለህ።
      php -S 0.0.0.0 ን በማሄድ ጣቢያውን በPHP በተካተተ የድር አገልጋይ (PHP 5.5 ያስፈልጋል) መሞከርን እመርጣለሁ። :8080 -t %s +YouCanAlsoDeployToAnotherWHP=የእርስዎን ድረ-ገጽ ከሌላ Dolibarr ማስተናገጃ አቅራቢ ጋር ያሂዱ
      ከሆነ
      https://saas.dolibarr.org ላይ ማግኘት ትችላለህ +CheckVirtualHostPerms=የቨርቹዋል አስተናጋጅ ተጠቃሚ (ለምሳሌ www-data) %sb0a65d071f6fc9 እንዳለው ያረጋግጡ። ፈቃዶች በፋይሎች ላይ ወደ
      %s +ReadPerm=አንብብ +WritePerm=ጻፍ +TestDeployOnWeb=በድር ላይ ሞክር/አሰማር +PreviewSiteServedByWebServer=ቅድመ እይታ %s በአዲስ ትር ውስጥ።

      የ %s በውጫዊ የድር አገልጋይ (እንደ Apache, Nginx ያሉ) ይቀርባል. ). ወደ ማውጫው ከመጠቆምዎ በፊት ይህን አገልጋይ መጫን እና ማዋቀር አለብዎት፡
      b0ecb2ec87f49fez0 span>
      ዩአርኤል በውጫዊ አገልጋይ የቀረበ፡
      %s +PreviewSiteServedByDolibarr=ቅድመ እይታ %s በአዲስ ትር ውስጥ።

      የ%s በዶሊባርር አገልጋይ ስለሚቀርብ ምንም ተጨማሪ የድር አገልጋይ አያስፈልገውም። (እንደ Apache, Nginx, IIS) መጫን አለበት.
      የማይመችው የገጾቹ ዩአርኤሎች ለተጠቃሚ ምቹ አለመሆኑ እና በዶሊባርር መንገድ መጀመራቸው ነው።
      ዩአርኤል በ Dolibarr የቀረበ፡


      የራስህን ውጫዊ ድር አገልጋይ ለመጠቀም ይህንን ድረ-ገጽ አገልግሉ፣ በድር አገልጋይዎ ላይ ማውጫ ላይ የሚጠቁም ምናባዊ አስተናጋጅ ይፍጠሩ
      %s
      ከዚያም የዚህን ቨርቹዋል አገልጋይ ስም በዚህ ድህረ ገጽ ባህሪያት ውስጥ አስገባና ጠቅ አድርግ። አገናኝ "ሙከራ/በድሩ ላይ አሰማራ"። +VirtualHostUrlNotDefined=በውጫዊ የድር አገልጋይ የሚቀርበው የቨርቹዋል አስተናጋጅ ዩአርኤል አልተገለጸም። +NoPageYet=እስካሁን ምንም ገጾች የሉም +YouCanCreatePageOrImportTemplate=አዲስ ገጽ መፍጠር ወይም ሙሉ የድር ጣቢያ አብነት ማስመጣት ይችላሉ። +SyntaxHelp=በተወሰኑ የአገባብ ምክሮች ላይ እገዛ +YouCanEditHtmlSourceckeditor=በአርታዒ ውስጥ ያለውን "ምንጭ" ቁልፍን በመጠቀም የኤችቲኤምኤል ምንጭ ኮድን ማርትዕ ይችላሉ። +YouCanEditHtmlSource=
      ወደዚህ ምንጭ በመጠቀም PHP ኮድ ማካተት ትችላለህ span class='notranslate'><?php ?><? የሚከተሉት አለምአቀፍ ተለዋዋጮች ይገኛሉ፡$conf፣$db፣$mysoc፣$user፣$website፣$websitepage፣$weblangs፣$pagelangs።

      <? php መያዣ_('alias_of) ?>
      fczda49 /span> በሚከተለው አገባብ ወደ ሌላ ገጽ/መያዣ ማዘዋወር ይችላሉ (ማስታወሻ፡ ምንም አታስወጡ ይዘት ከመዛወሪያ በፊት):
      <የቀጥታ መመሪያ? የመያዣው_ቅፅል_ወደ_መምራት_); ?>
      fczda49 /span> ወደ ሌላ ገጽ አገናኝ ለማከል አገባቡን ይጠቀሙ፡b0342fccfda1 <a href="alias_of_page_to_link_to.php"700 >mylink<a>='span>
      b014f1b507d ወደb014f1b507d ='notranslate'>
      የማውረድ አገናኝ ፋይል ወደ notranslate'> ማውጫ፣ የdocument ይጠቀሙ። >
      ለምሳሌ፣ ለሰነድ/ኢ.ሲ.ኤም ፋይል (መመዝገብ አለበት)፣ አገባብ የሚከተለው ነው፡
      b0e7843947c06 ><a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext"b0012c><7dcbe087z0 class='notranslate'>

      ለሰነድ/ሚዲያ (ክፍት ማውጫ ለሕዝብ መዳረሻ)፣ አገባብ እንዲህ ነው፡
      <a href="/document.php?modulepart=media&fiative. ext">
      ለፋይል ማጋራት የፋይል መጋሪያ ሃሽ ቁልፍን በመጠቀም ክፈት መዳረሻ)፣ አገባብ ነው፡
      b03900df07d /span>a href="/document.php?hashp=publicharekeyoffile">
      +YouCanEditHtmlSource1=
      ለማካተት ክፍል='notranslate' image ወደ ሰነዶች706ዳይሬክተር=06ዳይሬክተር=069992226 , የviewimage.php wrapper ይጠቀሙ።b0342fccfda19b>b0342fccfda19 ምስል ወደ ሰነዶች/መገናኛዎች (ክፍት ማውጫ ለህዝብ ተደራሽነት)፣ አገባብ ነው፡
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext"
      +YouCanEditHtmlSource3=የPHP ነገርን ምስል URL ለማግኘት
      < ይጠቀሙ span>img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>span class='notranslate'>>
      +YouCanEditHtmlSourceMore=
      ተጨማሪ የኤችቲኤምኤል ምሳሌዎች ወይም ተለዋዋጭ ኮድ በthe wiki documentationb0e40dc607d.
      +ClonePage=ክሎን ገጽ/መያዣ +CloneSite=Clone ጣቢያ +SiteAdded=ድህረ ገጽ ታክሏል። +ConfirmClonePage=እባክዎ የአዲሱ ገጽ ኮድ/ተለዋጭ ስም ያስገቡ እና የተከለለ ገጽ ትርጉም ከሆነ። +PageIsANewTranslation=አዲሱ ገጽ የአሁኑ ገጽ ትርጉም ነው? +LanguageMustNotBeSameThanClonedPage=አንድን ገጽ እንደ ትርጉም ይዘጋሉ። የአዲሱ ገጽ ቋንቋ ከምንጩ ገጽ ቋንቋ የተለየ መሆን አለበት። +ParentPageId=የወላጅ ገጽ መታወቂያ +WebsiteId=የድር ጣቢያ መታወቂያ +CreateByFetchingExternalPage=ገጽ/ኮንቴይነር ከውጫዊ ዩአርኤል ገጽ በማምጣት ይፍጠሩ... +OrEnterPageInfoManually=ወይም ከባዶ ወይም ከገጽ አብነት ገጽ ይፍጠሩ... +FetchAndCreate=አምጣ እና ፍጠር +ExportSite=ድር ጣቢያ ወደ ውጪ ላክ +ImportSite=የድር ጣቢያ አብነት አስመጣ +IDOfPage=የገጽ መታወቂያ +Banner=ባነር +BlogPost=ብሎግ ልጥፍ +WebsiteAccount=የድር ጣቢያ መለያ +WebsiteAccounts=የድር ጣቢያ መለያዎች +AddWebsiteAccount=የድር ጣቢያ መለያ ይፍጠሩ +BackToListForThirdParty=ለሶስተኛ ወገኖች ወደ ዝርዝር ተመለስ +DisableSiteFirst=መጀመሪያ ድር ጣቢያ አሰናክል +MyContainerTitle=የእኔ የድር ጣቢያ ርዕስ +AnotherContainer=የሌላ ገጽ/ኮንቴይነር ይዘትን እንዴት ማካተት እንደሚቻል ነው (የተቀየረ ንኡስ ኮንቴይነር ላይኖር ስለሚችል ተለዋዋጭ ኮድ ካነቁ እዚህ ስህተት ሊኖርዎት ይችላል) +SorryWebsiteIsCurrentlyOffLine=ይቅርታ፣ ይህ ድር ጣቢያ በአሁኑ ጊዜ ከመስመር ውጭ ነው። እባክህ በኋላ ተመለስ... +WEBSITE_USE_WEBSITE_ACCOUNTS=የድር ጣቢያ መለያ ሰንጠረዥን አንቃ +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=ለእያንዳንዱ ድር ጣቢያ / ሶስተኛ ወገን የድረ-ገጽ መለያዎችን (መግባት / ማለፊያ) ለማከማቸት ሰንጠረዡን ያንቁ +YouMustDefineTheHomePage=መጀመሪያ ነባሪውን መነሻ ገጽ መግለፅ አለብህ +OnlyEditionOfSourceForGrabbedContentFuture=ማስጠንቀቂያ፡- የውጭ ድረ-ገጽን በማስመጣት ድረ-ገጽ መፍጠር ልምድ ላላቸው ተጠቃሚዎች የተጠበቀ ነው። እንደ ምንጭ ገጽ ውስብስብነት፣ የማስመጣት ውጤት ከመጀመሪያው ሊለያይ ይችላል። እንዲሁም የምንጭ ገጹ የተለመዱ የሲኤስኤስ ስታይል ወይም እርስ በርስ የሚጋጩ ጃቫስክሪፕት የሚጠቀም ከሆነ በዚህ ገጽ ላይ ሲሰራ የድረ-ገጽ አርታኢውን ገጽታ ወይም ገፅታዎች ሊሰብር ይችላል። ይህ ዘዴ ገጽ ለመፍጠር ፈጣኑ መንገድ ነው ነገር ግን አዲሱን ገጽዎን ከባዶ ወይም ከተጠቆመው ገጽ አብነት ለመፍጠር ይመከራል።
      እንዲሁም የውስጠ-መስመር አርታኢው ላይሰራ እንደሚችል ልብ ይበሉ። በተያዘ ውጫዊ ገጽ ላይ ጥቅም ላይ ሲውል ትክክለኛነት. +OnlyEditionOfSourceForGrabbedContent=ይዘት ከውጭ ጣቢያ ሲነጠቅ የኤችቲኤምኤል ምንጭ እትም ብቻ ነው የሚቻለው +GrabImagesInto=እንዲሁም በ css እና ገጽ ላይ የተገኙ ምስሎችን ይያዙ። +ImagesShouldBeSavedInto=ምስሎች ወደ ማውጫ ውስጥ መቀመጥ አለባቸው +WebsiteRootOfImages=ለድር ጣቢያ ምስሎች ስርወ ማውጫ +SubdirOfPage=ለገጽ የተዘጋጀ ንዑስ ማውጫ +AliasPageAlreadyExists=ቅጽል ገጽ %s አስቀድሞ አለ +CorporateHomePage=የኮርፖሬት መነሻ ገጽ +EmptyPage=ባዶ ገጽ +ExternalURLMustStartWithHttp=ውጫዊ ዩአርኤል በ http:// ወይም https:// መጀመር አለበት +ZipOfWebsitePackageToImport=የድር ጣቢያ አብነት ጥቅል ዚፕ ፋይል ይስቀሉ። +ZipOfWebsitePackageToLoad=ወይም የሚገኝ የተከተተ የድር ጣቢያ አብነት ጥቅል ይምረጡ +ShowSubcontainers=ተለዋዋጭ ይዘት አሳይ +InternalURLOfPage=የገጽ ውስጣዊ ዩአርኤል +ThisPageIsTranslationOf=ይህ ገጽ/ኮንቴይነር ትርጉም ነው። +ThisPageHasTranslationPages=ይህ ገጽ/ኮንቴይነር ትርጉም አለው። +NoWebSiteCreateOneFirst=እስካሁን ምንም ድር ጣቢያ አልተፈጠረም። መጀመሪያ አንድ ይፍጠሩ. +GoTo=መሄድ +DynamicPHPCodeContainsAForbiddenInstruction=የPHP መመሪያን የያዘ ተለዋዋጭ ፒኤችፒ ኮድ አክለዋል '%sb0a65d071f6fc9z በነባሪነት እንደ ተለዋዋጭ ይዘት የተከለከለ ነው (የተፈቀዱትን ትዕዛዞች ዝርዝር ለመጨመር የተደበቁ አማራጮችን WEBSITE_PHP_ALLOW_xxx ይመልከቱ)። +NotAllowedToAddDynamicContent=በድር ጣቢያዎች ውስጥ የPHP ተለዋዋጭ ይዘትን ለመጨመር ወይም ለማርትዕ ፍቃድ የለዎትም። ፍቃድ ይጠይቁ ወይም ኮድ ሳይሻሻል በ php መለያዎች ውስጥ ያስቀምጡ። +ReplaceWebsiteContent=የድር ጣቢያ ይዘት ይፈልጉ ወይም ይተኩ +DeleteAlsoJs=እንዲሁም ለዚህ ድህረ ገጽ የተለዩ ሁሉም የጃቫ ስክሪፕት ፋይሎች ይሰረዙ? +DeleteAlsoMedias=እንዲሁም ለዚህ ድህረ ገጽ የተለዩ ሁሉንም የሚዲያ ፋይሎች ይሰረዙ? +MyWebsitePages=የእኔ ድረ-ገጽ ገፆች +SearchReplaceInto=ፍለጋ | ወደ ውስጥ ይተኩ +ReplaceString=አዲስ ሕብረቁምፊ +CSSContentTooltipHelp=እዚህ የሲኤስኤስ ይዘት ያስገቡ። ከማመልከቻው CSS ጋር ምንም አይነት ግጭት ለማስቀረት፣ ሁሉንም መግለጫዎች ከ.bodywebsite ክፍል ጋር አስቀድመው ማዘጋጀትዎን ያረጋግጡ። ለምሳሌ፡

      #mycssselector, input.myclass:ማንዣበብ { ... }
      መሆን አለበት
      .bodywebsite #mycssselector, .bodywebsite input.myclass:ማንዣበብ { ... }b0342fb0342f
      ማስታወሻ፡ ያለዚህ ቅድመ ቅጥያ ትልቅ ፋይል ካለህ የ .bodywebsite ቅድመ ቅጥያ በሁሉም ቦታ ላይ ለመጨመር 'lessc' ን መጠቀም ትችላለህ። +LinkAndScriptsHereAreNotLoadedInEditor=ማስጠንቀቂያ፡ ይህ ይዘት የሚወጣው ጣቢያ ከአገልጋይ ሲደረስ ብቻ ነው። በአርትዖት ሁነታ ላይ ጥቅም ላይ አይውልም ስለዚህ የጃቫ ስክሪፕት ፋይሎችን በአርትዖት ሁነታ ላይ መጫን ከፈለጉ በቀላሉ 'script src=...' መለያዎን ወደ ገጹ ያክሉት። +Dynamiccontent=ተለዋዋጭ ይዘት ያለው ገጽ ናሙና +ImportSite=የድር ጣቢያ አብነት አስመጣ +EditInLineOnOff=ሁነታ 'ኢንላይን አርትዕ' %s ነው +ShowSubContainersOnOff=ተለዋዋጭ ይዘትን ለማስፈጸም ሁነታ %s ነው +GlobalCSSorJS=ዓለም አቀፍ CSS/JS/የድር ጣቢያ ራስጌ ፋይል +BackToHomePage=ወደ መነሻ ገጽ ተመለስ... +TranslationLinks=የትርጉም ማገናኛዎች +YouTryToAccessToAFileThatIsNotAWebsitePage=ወደማይገኝ ገጽ ለመድረስ ይሞክራሉ።
      (ref=%s, type=%s, status=%s) +UseTextBetween5And70Chars=ለጥሩ SEO ልምዶች በ5 እና በ70 ቁምፊዎች መካከል ያለ ጽሑፍ ይጠቀሙ +MainLanguage=ዋና ቋንቋ +OtherLanguages=ሌሎች ቋንቋዎች +UseManifest=የ manifest.json ፋይል ያቅርቡ +PublicAuthorAlias=የህዝብ ደራሲ ተለዋጭ ስም +AvailableLanguagesAreDefinedIntoWebsiteProperties=የሚገኙ ቋንቋዎች በድር ጣቢያ ባህሪያት ተገልጸዋል። +ReplacementDoneInXPages=በ%s ገጾች ወይም መያዣዎች ውስጥ መተካት ተከናውኗል +RSSFeed=RSS ምግብ +RSSFeedDesc=ይህንን ዩአርኤል በመጠቀም የቅርብ ጊዜ መጣጥፎችን የአርኤስኤስ ምግብ ማግኘት ይችላሉ። +PagesRegenerated=%s ገጽ(ዎች)/መያዣ(ዎች) ታደሰ +RegenerateWebsiteContent=የድር ጣቢያ መሸጎጫ ፋይሎችን እንደገና ያድሱ +AllowedInFrames=በፍሬም ውስጥ ተፈቅዷል +DefineListOfAltLanguagesInWebsiteProperties=ሁሉንም የሚገኙትን ቋንቋዎች ዝርዝር ወደ ድር ጣቢያ ባህሪያት ይግለጹ። +GenerateSitemaps=የድር ጣቢያ sitemap.xml ፋይል ይፍጠሩ +ConfirmGenerateSitemaps=ካረጋገጡ፣ ያለውን የጣቢያ ካርታ ፋይል ይሰርዛሉ... +ConfirmSitemapsCreation=የጣቢያ ካርታ ማመንጨትን ያረጋግጡ +SitemapGenerated=የጣቢያ ካርታ ፋይል %s ተፈጥሯል +ImportFavicon=ፋቪኮን +ErrorFaviconType=ፋቪኮን png መሆን አለበት። +ErrorFaviconSize=ፋቪኮን መጠን 16x16፣ 32x32 ወይም 64x64 መሆን አለበት። +FaviconTooltip=ፒንግ (16x16፣ 32x32 ወይም 64x64) መሆን ያለበትን ምስል ይስቀሉ +NextContainer=ቀጣይ ገጽ/መያዣ +PreviousContainer=ቀዳሚ ገጽ/መያዣ +WebsiteMustBeDisabled=ድር ጣቢያው "%s" ሁኔታ ሊኖረው ይገባል. +WebpageMustBeDisabled=ድረ-ገጹ የ"%s" ሁኔታ ሊኖረው ይገባል። +SetWebsiteOnlineBefore=ድር ጣቢያው ከመስመር ውጭ ሲሆን ሁሉም ገጾች ከመስመር ውጭ ናቸው። መጀመሪያ የድረ-ገጹን ሁኔታ ይቀይሩ። +Booking=ቦታ ማስያዝ +Reservation=ቦታ ማስያዝ +PagesViewedPreviousMonth=የታዩ ገጾች (ያለፈው ወር) +PagesViewedTotal=የታዩ ገጾች (ጠቅላላ) +Visibility=ታይነት +Everyone=ሁሉም ሰው +AssignedContacts=የተመደቡ እውቂያዎች +WebsiteTypeLabel=የድረ-ገጽ አይነት +WebsiteTypeDolibarrWebsite=ድር ጣቢያ (ሲኤምኤስ ዶሊባርር) +WebsiteTypeDolibarrPortal=ቤተኛ የዶሊባርር ፖርታል diff --git a/htdocs/langs/ar_EG/workflow.lang b/htdocs/langs/ar_EG/workflow.lang index 45447603a22..5e1b6c3a99a 100644 --- a/htdocs/langs/ar_EG/workflow.lang +++ b/htdocs/langs/ar_EG/workflow.lang @@ -6,12 +6,5 @@ descWORKFLOW_PROPAL_AUTOCREATE_ORDER=إنشاء أمر مبيعات تلقائي descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=إنشاء فاتورة عملاء تلقائيًا بعد توقيع عرض تجاري (سيكون للفاتورة الجديدة نفس مبلغ الاقتراح) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=إنشاء فاتورة العميل تلقائيًا بعد التحقق من إعتماد العقد descWORKFLOW_ORDER_AUTOCREATE_INVOICE=إنشاء فاتورة عملاء تلقائيًا بعد إغلاق أمر المبيعات (سيكون للفاتورة الجديدة نفس مبلغ الأمر) -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=إعتبار العرض الأصلي مفوتر عند فوترت أمر المبيعات (وإذا كان مبلغ الأمر هو نفس المبلغ الإجمالي للاقتراح المرتبط الموقع) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=إعتبار العرض الأصلي مفوتر عند اعتماد فاتورة العميل (وإذا كان مبلغ الفاتورة هو نفس المبلغ الإجمالي للعرض الاصلى الموقع) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=تصنيف أمر مبيعات الاصلى مفوتر عند اعتماد من فاتورة العميل (وإذا كان مبلغ الفاتورة هو نفس المبلغ الإجمالي للأمر المرتبط) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=تصنيف أمر المبيعات الأصلي على أنه فاتورة عند تسجيل دفع العميل للفاتورة (وإذا كان مبلغ الفاتورة هو نفس المبلغ الإجمالي للأمر المرتبط) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=تصنيف أمر مبيعات الاصلى على أنه مشحون عند التحقق من صحة الشحنة (وإذا كانت الكمية المشحونة بواسطة جميع الشحنات هي نفسها كما في طلب التحديث) -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=تصنيف عرض المورد الاصلى على أنه فاتورة عند التحقق من صحة فاتورة البائع (وإذا كان مبلغ الفاتورة هو نفس المبلغ الإجمالي للعرض المرتبط) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=تصنيف أمر الشراء الاصلى على أنه فاتورة عند التحقق من صحة فاتورة البائع (وإذا كان مبلغ الفاتورة هو نفس المبلغ الإجمالي للطلب المرتبط) AutomaticCreation=الإنشاء الأوتوماتيكي AutomaticClassification=التصنيف الأوتوماتيكي diff --git a/htdocs/langs/ar_SA/accountancy.lang b/htdocs/langs/ar_SA/accountancy.lang index a2372830672..d7b781edb94 100644 --- a/htdocs/langs/ar_SA/accountancy.lang +++ b/htdocs/langs/ar_SA/accountancy.lang @@ -16,7 +16,7 @@ ThisService=هذه الخدمة ThisProduct=هذا المنتج DefaultForService=افتراضي للخدمة DefaultForProduct=افتراضي للمنتج -ProductForThisThirdparty=منتج لهذا الطرف الثالث +ProductForThisThirdparty=المنتج لهذا الطرف الثالث ServiceForThisThirdparty=خدمة لهذا الطرف الثالث CantSuggest=لا أستطيع أن أقترح AccountancySetupDoneFromAccountancyMenu=تم إجراء معظم عمليات الإعداد المحاسبي من القائمة %s @@ -38,7 +38,7 @@ DeleteCptCategory=إزالة حساب المحاسبة من المجموعة ConfirmDeleteCptCategory=هل أنت متأكد أنك تريد إزالة هذا الحساب المحاسبي من مجموعة حسابات المحاسبة؟ JournalizationInLedgerStatus=حالة اليوميات AlreadyInGeneralLedger=تم نقلها بالفعل إلى دفاتر اليومية المحاسبية ودفتر الأستاذ -NotYetInGeneralLedger=لم يتم نقلها بعد إلى المجلات ودفتر الأستاذ +NotYetInGeneralLedger=لم يتم النقل بعد إلى دفتر الأستاذ و دفاتر الأستاذ GroupIsEmptyCheckSetup=المجموعة فارغة ، تحقق من إعداد مجموعة المحاسبة المخصصة DetailByAccount=إظهار التفاصيل حسب الحساب DetailBy=التفاصيل بواسطة @@ -53,30 +53,29 @@ ExportAccountingSourceDocHelp=باستخدام هذه الأداة ، يمكنك ExportAccountingSourceDocHelp2=لتصدير دفاترك المحاسبية ، إستخدم القائمة %s - %s . ExportAccountingProjectHelp=حدد مشروعًا إذا كنت بحاجة إلى تقرير محاسبة لمشروع معين فقط. لا يتم تضمين تقارير المصروفات ودفعات القرض في تقارير المشروع. ExportAccountancy=تصدير المحاسبة -WarningDataDisappearsWhenDataIsExported=تحذير ، تحتوي هذه القائمة فقط على إدخالات المحاسبة التي لم يتم تصديرها بالفعل (تاريخ التصدير فارغ). إذا كنت تريد تضمين إدخالات المحاسبة التي تم تصديرها بالفعل لإعادة تصديرها ، فانقر فوق الزر أعلاه. +WarningDataDisappearsWhenDataIsExported=تحذير، تحتوي هذه القائمة فقط على الإدخالات المحاسبية التي لم يتم تصديرها بالفعل (تاريخ التصدير فارغ). إذا كنت تريد تضمين إدخالات المحاسبة التي تم تصديرها بالفعل، فانقر فوق الزر أعلاه. VueByAccountAccounting=عرض حسب الحساب المحاسبي VueBySubAccountAccounting=عرض حسب الحساب المحاسبة الفرعي -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup +MainAccountForCustomersNotDefined=الحساب الرئيسي (من دليل الحساب) للعملاء غير المحددين في الإعداد +MainAccountForSuppliersNotDefined=الحساب الرئيسي (من دليل الحساب) للموردين غير المحددين في الإعداد +MainAccountForUsersNotDefined=الحساب الرئيسي (من دليل الحساب) للمستخدمين غير المحددين في الإعداد +MainAccountForVatPaymentNotDefined=الحساب (من مخطط الحساب) لدفع ضريبة القيمة المضافة غير محدد في الإعداد +MainAccountForSubscriptionPaymentNotDefined=الحساب (من مخطط الحساب) لدفع العضوية غير محدد في الإعداد +MainAccountForRetainedWarrantyNotDefined=الحساب (من دليل الحساب) للضمان المحتفظ به غير محدد في الإعداد UserAccountNotDefined=لم يتم تعريف حساب في الحسابات في الاعدادات AccountancyArea=منطقة المحاسبة AccountancyAreaDescIntro=استخدام وحدة المحاسبة تم في عدة خطوات: AccountancyAreaDescActionOnce=عادة ما يتم تنفيذ الإجراءات التالية مرة واحدة فقط ، أو مرة واحدة في السنة. -AccountancyAreaDescActionOnceBis=يجب القيام بالخطوات التالية لتوفير الوقت في المستقبل من خلال اقتراح حساب المحاسبة الافتراضي الصحيح تلقائيًا عند نقل البيانات في المحاسبة +AccountancyAreaDescActionOnceBis=يجب تنفيذ الخطوات التالية لتوفير الوقت في المستقبل من خلال اقتراح حساب المحاسبة الافتراضي الصحيح تلقائيًا عند نقل البيانات في المحاسبة AccountancyAreaDescActionFreq=يتم تنفيذ الإجراءات التالية عادةً كل شهر أو أسبوع أو كل يوم للشركات الكبيرة جدًا . AccountancyAreaDescJournalSetup=الخطوة %s: تحقق من محتوى قائمة مجلاتك من القائمة %s AccountancyAreaDescChartModel=الخطوة %s: تحقق من وجود نموذج لمخطط الحساب أو قم بإنشاء نموذج من القائمة %s AccountancyAreaDescChart=الخطوة %s : حدد و / أو أكمل مخطط حسابك من القائمة %s +AccountancyAreaDescFiscalPeriod=الخطوة %s: حدد سنة مالية افتراضيًا لدمج إدخالاتك المحاسبية. للقيام بذلك، استخدم إدخال القائمة %s. AccountancyAreaDescVat=الخطوة %s: تحديد حسابات المحاسبة لكل معدلات ضريبة القيمة المضافة. لهذا ، استخدم إدخال القائمة %s. AccountancyAreaDescDefault=الخطوة %s: تحديد حسابات المحاسبة الافتراضية. لهذا ، استخدم إدخال القائمة %s. AccountancyAreaDescExpenseReport=الخطوة %s: تحديد حسابات المحاسبة الافتراضية لكل نوع من أنواع تقرير المصاريف. لهذا ، استخدم إدخال القائمة %s. @@ -84,19 +83,20 @@ AccountancyAreaDescSal=الخطوة %s: تحديد حسابات المحاسبة AccountancyAreaDescContrib=الخطوة %s: تحديد حسابات المحاسبة الافتراضية للضرائب (نفقات خاصة). لهذا ، استخدم إدخال القائمة %s. AccountancyAreaDescDonation=الخطوة %s: تحديد حسابات المحاسبة الافتراضية للتبرع. لهذا ، استخدم إدخال القائمة %s. AccountancyAreaDescSubscription=الخطوة %s: تحديد حسابات المحاسبة الافتراضية لاشتراك الأعضاء. لهذا ، استخدم إدخال القائمة %s. -AccountancyAreaDescMisc=الخطوة %s: تحديد الحساب الافتراضي الإلزامي وحسابات المحاسبة الافتراضية للمعاملات المتنوعة. لهذا ، استخدم إدخال القائمة %s. +AccountancyAreaDescMisc=الخطوة %s: تحديد الحسابات الافتراضية الإلزامية و الافتراضية حساب للمعاملات المتنوعة. للقيام بذلك، استخدم إدخال القائمة %s. AccountancyAreaDescLoan=الخطوة %s: تحديد حسابات المحاسبة الافتراضية للقروض. لهذا ، استخدم إدخال القائمة %s. AccountancyAreaDescBank=الخطوة %s: تحديد الحسابات المحاسبية ورمز دفتر اليومية لكل حساب بنكي والحسابات المالية. لهذا ، استخدم إدخال القائمة %s. AccountancyAreaDescProd=الخطوة %s: تحديد حسابات المحاسبة لمنتجاتك / خدماتك. لهذا ، استخدم إدخال القائمة %s. AccountancyAreaDescBind=الخطوة %s: تحقق من الربط بين سطور %s الحالية وحساب المحاسبة ، لتمكين التطبيق من تسجيل المعاملات في دفتر الأستاذ بنقرة واحدة. إكمال الارتباطات المفقودة. لهذا ، استخدم إدخال القائمة %s. AccountancyAreaDescWriteRecords=الخطوة %s: اكتب المعاملات في دفتر الأستاذ. لهذا ، انتقل إلى القائمة %s ، وانقر فوق الزر %s . -AccountancyAreaDescAnalyze=الخطوة %s: إضافة أو تحرير المعاملات الحالية وإنشاء التقارير والصادرات. - -AccountancyAreaDescClosePeriod=الخطوة %s: إغلاق الفترة لذا لا يمكننا إجراء تعديل في المستقبل. +AccountancyAreaDescAnalyze=الخطوة %s: قراءة التقارير أو إنشاء ملفات تصدير لمحاسبين آخرين. +AccountancyAreaDescClosePeriod=الخطوة %s: إغلاق الفترة حتى لا نتمكن من نقل المزيد من البيانات في نفس الفترة في المستقبل. +TheFiscalPeriodIsNotDefined=لم يتم إكمال خطوة إلزامية في الإعداد (لم يتم تحديد الفترة المالية) TheJournalCodeIsNotDefinedOnSomeBankAccount=لم تكتمل الخطوة الإلزامية في الإعداد (لم يتم تحديد رمز دفتر يومية المحاسبة لجميع الحسابات البنكية) Selectchartofaccounts=حدد مخطط الحسابات النشط +CurrentChartOfAccount=الرسم البياني النشط الحالي للحساب ChangeAndLoad=تغيير و تحميل Addanaccount=إضافة حساب محاسبي AccountAccounting=حساب محاسبي @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=السماح بإدارة عدد مختلف من الأص BANK_DISABLE_DIRECT_INPUT=تعطيل التسجيل المباشر للمعاملة في الحساب المصرفي ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=إتاحة تصدير المسودة الى الدفتر اليومي\n ACCOUNTANCY_COMBO_FOR_AUX=تمكين قائمة التحرير والسرد للحساب الفرعي (قد يكون بطيئًا إذا كان لديك الكثير من الأطراف الثالثة ، أو كسر القدرة على البحث عن جزء من القيمة) -ACCOUNTING_DATE_START_BINDING=تحديد موعد لبدء الربط والتحويل في المحاسبة. بعد هذا التاريخ ، لن يتم تحويل المعاملات إلى المحاسبة. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=في تحويل المحاسبة ، ما هي الفترة المحددة افتراضيا +ACCOUNTING_DATE_START_BINDING=تعطيل الربط والتحويل في المحاسبة عندما يكون التاريخ أقل من هذا التاريخ (سيتم استبعاد المعاملات قبل هذا التاريخ بشكل افتراضي) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=في صفحة نقل البيانات إلى المحاسبة، ما هي الفترة المحددة افتراضيا ACCOUNTING_SELL_JOURNAL=المبيعات في اليومية العامة - المبيعات و المرتجعات ACCOUNTING_PURCHASE_JOURNAL=المشتريات في اليومية العامة - المشتريات و المرتجعات @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=دفتر اليومية الاجتماعي ACCOUNTING_RESULT_PROFIT=نتيجة حساب المحاسبي (الربح) ACCOUNTING_RESULT_LOSS=نتيجة حساب المحاسبي (الخسارة) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=دقتر الإغلاق +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=مجموعات المحاسبة المستخدمة لحساب الورقة الرصيد (مفصولة بفاصلة) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=المجموعات المحاسبية المستخدمة في قائمة الدخل (مفصولة بفاصلة) ACCOUNTING_ACCOUNT_TRANSFER_CASH=الحساب (من دليل الحساب) لاستخدامه كحساب للتحويلات المصرفية الانتقالية TransitionalAccount=حساب التحويل البنكي الانتقالي @@ -290,7 +292,7 @@ DescVentilDoneCustomer=استشر هنا قائمة سطور فواتير الع DescVentilTodoCustomer=ربط سطور الفاتورة غير المرتبطة بالفعل بحساب منتج من مخطط الحساب ChangeAccount=قم بتغيير حساب المنتج / الخدمة (من مخطط الحساب) للخطوط المحددة بالحساب التالي: Vide=- -DescVentilSupplier=استشر هنا قائمة سطور فاتورة البائع المرتبطة أو غير المرتبطة بعد بحساب منتج من مخطط الحساب (يظهر فقط السجل الذي لم يتم نقله بالفعل في المحاسبة) +DescVentilSupplier=راجع هنا قائمة خطوط فاتورة مورد المرتبطة أو غير المرتبطة بعد بحساب منتج من دليل الحساب (يظهر فقط السجل الذي لم يتم نقله بالفعل في المحاسبة) DescVentilDoneSupplier=راجع هنا قائمة بنود فواتير البائعين وحساباتهم DescVentilTodoExpenseReport=ربط بنود تقرير المصروفات غير المرتبطة بحساب الرسوم DescVentilExpenseReport=راجع هنا قائمة بنود تقرير المصروفات المرتبطة (أو غير المرتبطة) بحساب الرسوم @@ -298,8 +300,8 @@ DescVentilExpenseReportMore=إذا قمت بإعداد حساب على نوع ب DescVentilDoneExpenseReport=راجع هنا قائمة بنود تقارير المصروفات وحساب رسومها Closure=الإغلاق السنوي -DescClosure=استشر هنا عدد الحركات حسب الشهر التي لم يتم التحقق من صحتها وإغلاقها -OverviewOfMovementsNotValidated=نظرة عامة على الحركات التي لم يتم التحقق من صحتها وإغلاقها +AccountancyClosureStep1Desc=راجع هنا عدد الحركات حسب الشهر التي لم يتم التحقق من صحتها أو قفلها بعد +OverviewOfMovementsNotValidated=نظرة عامة على الحركات التي لم يتم التحقق من صحتها و مقفلة AllMovementsWereRecordedAsValidated=تم تسجيل جميع الحركات على أنها محققة ومغلقة NotAllMovementsCouldBeRecordedAsValidated=لا يمكن تسجيل جميع الحركات على أنها تم التحقق من صحتها وقفلها ValidateMovements=تحقق من صحة الحركات وقفلها @@ -341,7 +343,7 @@ AccountingJournalType3=مشتريات AccountingJournalType4=بنك AccountingJournalType5=تقارير المصاريف AccountingJournalType8=الجرد -AccountingJournalType9=Has-new +AccountingJournalType9=الأرباح المحتجزة GenerationOfAccountingEntries=توليد القيود المحاسبية ErrorAccountingJournalIsAlreadyUse=هذه الدفتر مستخدم بالفعل AccountingAccountForSalesTaxAreDefinedInto=ملاحظة: تم تعريف حساب ضريبة المبيعات في القائمة %s - %s @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=تعطيل الربط والتحويل ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=تعطيل الربط والتحويل في المحاسبة على تقارير المصروفات (لن يتم أخذ تقارير المصروفات في الاعتبار في المحاسبة) ACCOUNTING_ENABLE_LETTERING=تمكين وظيفة الحروف في المحاسبة ACCOUNTING_ENABLE_LETTERING_DESC=عند تمكين هذه الخيارات ، يمكنك تحديد رمز في كل إدخال محاسبة حتى تتمكن من تجميع حركات محاسبية مختلفة معًا. في الماضي ، عندما كانت المجلات المختلفة تُدار بشكل مستقل ، كانت هذه الميزة ضرورية لتجميع خطوط الحركة في المجلات المختلفة معًا. ومع ذلك ، مع Dolibarr Accountancy ، يتم حفظ رمز التتبع هذا ، المسمى "%s" بالفعل ، تلقائيًا ، لذلك تم بالفعل كتابة الحروف التلقائية ، دون خطر حدوث خطأ ، لذا أصبحت هذه الميزة عديمة الفائدة للاستخدام الشائع. يتم توفير ميزة الكتابة اليدوية للمستخدمين النهائيين الذين لا يثقون حقًا في محرك الكمبيوتر الذي يقوم بنقل البيانات في المحاسبة. -EnablingThisFeatureIsNotNecessary=لم يعد تمكين هذه الميزة ضروريًا لإدارة محاسبية صارمة. +EnablingThisFeatureIsNotNecessary=لم يعد تمكين هذه الميزة ضروريًا لإدارة المحاسبة الصارمة. ACCOUNTING_ENABLE_AUTOLETTERING=تمكين الكتابة التلقائية عند التحويل إلى المحاسبة -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=يتم إنشاء رمز الحروف تلقائيًا وزيادة ولا يتم اختياره من قبل المستخدم النهائي +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=يتم إنشاء رمز الحروف تلقائيًا و بشكل متزايد و ولم يتم اختياره بواسطة المستخدم النهائي +ACCOUNTING_LETTERING_NBLETTERS=عدد الحروف عند إنشاء رمز الحروف (الافتراضي 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=تقبل بعض برامج المحاسبة رمزًا مكونًا من حرفين فقط. تتيح لك هذه المعلمة ضبط هذا الجانب. العدد الافتراضي للأحرف هو ثلاثة. OptionsAdvanced=خيارات متقدمة ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=تفعيل إدارة ضريبة القيمة المضافة العكسية على مشتريات الموردين -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=عند تمكين هذا الخيار ، يمكنك تحديد أنه يجب تحويل فاتورة مورد أو فاتورة بائع معين إلى محاسبة بشكل مختلف: سيتم إنشاء خصم إضافي وحد ائتمان في المحاسبة على حسابين محددين من مخطط الحساب المحدد في صفحة الإعداد "%s". +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=عند تمكين هذا الخيار، يمكنك تحديد أنه يجب تحويل مورد أو فاتورة مورد إلى المحاسبة بشكل مختلف: خصم إضافي و سيتم إنشاء حد ائتمان في المحاسبة لحسابين محددين من دليل الحساب المحدد في صفحة الإعداد "%s" . ## Export NotExportLettering=لا تقم بتصدير الحروف عند إنشاء الملف @@ -420,7 +424,7 @@ SaleLocal=بيع محلي SaleExport=بيع تصدير SaleEEC=بيع في الاتحاد الاوروبي SaleEECWithVAT=البيع في EEC مع ضريبة القيمة المضافة ليست فارغة ، لذلك نفترض أن هذا ليس بيعًا داخل الاتحاد والحساب المقترح هو حساب المنتج القياسي. -SaleEECWithoutVATNumber=البيع في دول المجموعة الاقتصادية الأوروبية EEC بدون ضريبة القيمة المضافة ولكن لم يتم تحديد معرف ضريبة القيمة المضافة للطرف الثالث. نعود إلى حساب المبيعات القياسية. يمكنك إصلاح معرف ضريبة القيمة المضافة للطرف الثالث ، أو تغيير حساب المنتج المقترح للربط إذا لزم الأمر. +SaleEECWithoutVATNumber=البيع في EEC بدون ضريبة القيمة المضافة ولكن لم يتم تحديد معرف ضريبة القيمة المضافة للطرف الثالث. نحن نعود إلى حساب المبيعات القياسية. يمكنك إصلاح معرف ضريبة القيمة المضافة الخاص بالطرف الثالث، أو تغيير حساب المنتج المقترح للربط إذا لزم الأمر. ForbiddenTransactionAlreadyExported=ممنوع: تم التحقق من صحة المعاملة و / أو تصديرها. ForbiddenTransactionAlreadyValidated=ممنوع: تم التحقق من صحة المعاملة. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=لم يتم تعديل عدم التوفيق ب AccountancyOneUnletteringModifiedSuccessfully=تم تعديل أحد ملفات التوفيق بنجاح AccountancyUnletteringModifiedSuccessfully=تم تعديل %s بنجاح +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period +AccountancyClosureStep3=الخطوة 3: استخراج الإدخالات (اختياري) +AccountancyClosureClose=إغلاق الفترة المالية +AccountancyClosureAccountingReversal=استخرج و سجل إدخالات "الأرباح المحتجزة" +AccountancyClosureStep3NewFiscalPeriod=الفترة المالية القادمة +AccountancyClosureGenerateClosureBookkeepingRecords=إنشاء إدخالات "الأرباح المحتجزة" في الفترة المالية التالية +AccountancyClosureSeparateAuxiliaryAccounts=عند إنشاء إدخالات "الأرباح المحتجزة"، قم بتفصيل حسابات دفتر الأستاذ الفرعي +AccountancyClosureCloseSuccessfully=تم إغلاق الفترة المالية بنجاح +AccountancyClosureInsertAccountingReversalSuccessfully=تم إدخال إدخالات مسك الدفاتر الخاصة بـ "الأرباح المحتجزة" بنجاح + ## Confirm box ConfirmMassUnletteringAuto=تأكيد عدم التسوية التلقائي للجميع ConfirmMassUnletteringManual=تأكيد عدم التسوية اليدوي للجميع ConfirmMassUnletteringQuestion=هل أنت متأكد أنك تريد عدم التسوية بين السجل (السجلات) %s المحددة ؟ ConfirmMassDeleteBookkeepingWriting=تأكيد الحذف الضخم ConfirmMassDeleteBookkeepingWritingQuestion=سيؤدي هذا إلى حذف المعاملة من المحاسبة (سيتم حذف جميع إدخالات السطر المتعلقة بنفس المعاملة). هل أنت متأكد أنك تريد حذف الإدخالات %s المحددة؟ +AccountancyClosureConfirmClose=هل أنت متأكد أنك تريد إغلاق الفترة المالية الحالية؟ أنت تدرك أن إغلاق الفترة المالية هو إجراء لا رجعة فيه و سيمنع بشكل دائم أي تعديل أو حذف للإدخالات خلال هذه الفترة. +AccountancyClosureConfirmAccountingReversal=هل أنت متأكد أنك تريد تسجيل قيود "الأرباح المحتجزة"؟ ## Error SomeMandatoryStepsOfSetupWereNotDone=لم يتم تنفيذ بعض خطوات الإعداد الإلزامية ، يرجى إكمالها -ErrorNoAccountingCategoryForThisCountry=لا توجد مجموعة حسابات متاحة للبلد %s (انظر الصفحة الرئيسية - الإعداد - القواميس) +ErrorNoAccountingCategoryForThisCountry=لا توجد مجموعة حسابات محاسبية متاحة للبلد %s (راجع %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=تحاول تسجيل بعض بنود الفاتورة %s في دفتر اليومية ، ولكن لم يتم تقييد بعض البنود الأخرى حتى الآن للحساب. تم رفض تسجيل جميع سطور الفاتورة في هذه الفاتورة. ErrorInvoiceContainsLinesNotYetBoundedShort=بعض البنود في الفاتورة غير مرتبطة بحساب. ExportNotSupported=تنسيق التصدير الذي تم إعداده غير مدعوم في هذه الصفحة @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=الرصيد (%s) لا يساوي 0 AccountancyErrorLetteringBookkeeping=حدثت أخطاء بخصوص المعاملات: %s ErrorAccountNumberAlreadyExists=رقم المحاسبة %s موجود بالفعل ErrorArchiveAddFile=لا يمكن وضع الملف "%s" في الأرشيف +ErrorNoFiscalPeriodActiveFound=لم يتم العثور على فترة مالية نشطة +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=تاريخ مستند مسك الدفاتر ليس داخل الفترة المالية النشطة +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=يقع تاريخ مستند مسك الدفاتر داخل فترة مالية مغلقة ## Import ImportAccountingEntries=مداخيل حسابية diff --git a/htdocs/langs/ar_SA/admin.lang b/htdocs/langs/ar_SA/admin.lang index eb0cd900a4a..9739bbd80ad 100644 --- a/htdocs/langs/ar_SA/admin.lang +++ b/htdocs/langs/ar_SA/admin.lang @@ -51,8 +51,8 @@ ClientSortingCharset=ترتيب العميل WarningModuleNotActive=يجب أن يكون النموذج %s مفعل WarningOnlyPermissionOfActivatedModules=فقط التصاريح المتعلقة بالنماذج المنشطة تظهر هنا. يمكنك تفعيل نماذج أخرى في الصفحة الرئيسية-> لإعداد ت-> صفحة النماذج DolibarrSetup=تركيب أو تحديث دوليبار -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=ترقية دوليبار +DolibarrAddonInstall=تثبيت الوحدات الإضافية/الخارجية (التي تم تحميلها أو إنشاؤها) InternalUsers=مستخدمين داخليين ExternalUsers=مستخدمين خارجيين UserInterface=الواجهة العامة @@ -147,7 +147,7 @@ Box=بريمج Boxes=بريمجات MaxNbOfLinesForBoxes=الحد الأعلى لعدد أسطر البريمجات AllWidgetsWereEnabled=جميع البريمجات المتاحة ممكنة -WidgetAvailable=Widget available +WidgetAvailable=القطعة المتاحة PositionByDefault=الطلبية الإفتراضية Position=الوضع MenusDesc=يقوم مديرو القائمة بتعيين محتوى شريطي القائمة (الأفقي والعمودي). @@ -227,6 +227,8 @@ NotCompatible=لا تبدو هذه الوحدة متوافقة مع Dolibarr %s CompatibleAfterUpdate=تتطلب هذه الوحدة تحديثًا لـ Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=انظر في السوق SeeSetupOfModule=انظر إعداد وحدة٪ الصورة +SeeSetupPage=راجع صفحة الإعداد على %s +SeeReportPage=راجع صفحة التقرير على %s SetOptionTo=اضبط الخيار %s على %s Updated=محدث AchatTelechargement=شراء / تنزيل @@ -292,22 +294,22 @@ EmailSenderProfiles=ملفات تعريف مرسلي رسائل البريد ا EMailsSenderProfileDesc=يمكنك ان تبقي هذا القسم فارغاً. اذا ادخلت عناوين بريد إلكتروني هنا سيتم اضافتهم الى قائمة المرسلين المحتملين كخيار عندما تنشئ رسائل بريد إلكترونية جديدة MAIN_MAIL_SMTP_PORT=منفذ SMTP / SMTPS (القيمة الافتراضية في php.ini: %s ) MAIN_MAIL_SMTP_SERVER=مضيف SMTP / SMTPS (القيمة الافتراضية في php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=منفذ SMTP / SMTPS (غير معرّف في PHP على أنظمة شبيهة بنظام Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=مضيف SMTP / SMTPS (غير معرّف في PHP على أنظمة شبيهة بنظام Unix) -MAIN_MAIL_EMAIL_FROM=عنوان بريد المرسل لرسائل البريد الإلكترونية التلقائية (القيمة الاولية في ملف اعدادات لغة بي اتش بي %s ) -EMailHelpMsgSPFDKIM=لكي لا يتم وضع البريد من المرسل من نظام دوليبار ضمن البريد الضار ,تأكد ان الخادم مخول بأرسال البريد من هذا العنوان من خلال عدادات SPF & DKIM . +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=منفذ SMTP/SMTPS +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=مضيف SMTP/SMTPS +MAIN_MAIL_EMAIL_FROM=البريد الإلكتروني للمرسل لرسائل البريد الإلكتروني التلقائية +EMailHelpMsgSPFDKIM=لمنع تصنيف رسائل البريد الإلكتروني Dolibarr كرسائل غير مرغوب فيها، تأكد من أن الخادم مخول بإرسال رسائل بريد إلكتروني بهذه الهوية (عن طريق التحقق من تكوين SPF و DKIM لاسم المجال) MAIN_MAIL_ERRORS_TO=عنوان رسائل البريد الإلكترونية المرجعي لأخطاء الارسال (الحقل "الاخطاء إلى" ) في البريد المرسل MAIN_MAIL_AUTOCOPY_TO= نسخ (نسخة كربونية) كل رسائل البريد الإلكترونية المرسلة الى MAIN_DISABLE_ALL_MAILS=تعطيل جميع عمليات إرسال البريد الإلكتروني (لأغراض الاختبار أو العروض التوضيحية) MAIN_MAIL_FORCE_SENDTO=إرسال جميع رسائل البريد الإلكترونية الى (بدلا عن المستلم الحقيقي لاغراض التطوير والتجربة) MAIN_MAIL_ENABLED_USER_DEST_SELECT=اقتراح عناوين بريد الموظفين الإلكتروني (إذا كان موجودا) في حقل المستلمين عند ارنشاء رسالة بريد جديدة -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=لا تحدد مستلمًا افتراضيًا حتى لو كان هناك خيار واحد فقط ممكن MAIN_MAIL_SENDMODE=طريقة إرسال البريد الإلكتروني MAIN_MAIL_SMTPS_ID=معرف SMTP (إذا كان خادم الإرسال يتطلب مصادقة) MAIN_MAIL_SMTPS_PW=كلمة مرور SMTP (إذا كان خادم الإرسال يتطلب مصادقة) MAIN_MAIL_EMAIL_TLS=استخدم تشفير TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=استخدم تشفير TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=تفويض التوقيع التلقائي للشهادات +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=تفويض الشهادات الموقعة ذاتيا MAIN_MAIL_EMAIL_DKIM_ENABLED=استخدم DKIM لإنشاء توقيع البريد الإلكتروني MAIN_MAIL_EMAIL_DKIM_DOMAIN=مجال البريد الإلكتروني للاستخدام مع dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=اسم محدد dkim @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=المفتاح الخاص لتوقيع dkim MAIN_DISABLE_ALL_SMS=تعطيل كافة الرسائل النصية القصيرة (لأغراض التجربة و التطوير) MAIN_SMS_SENDMODE=طريقة إرسال الرسائل النصية القصيرة MAIN_MAIL_SMS_FROM=رقم هاتف المرسل الاولي لارسال الرسائل النصية القصيرة -MAIN_MAIL_DEFAULT_FROMTYPE=البريد الإلكتروني المرسل الافتراضي للإرسال اليدوي (البريد الإلكتروني للمستخدم أو البريد الإلكتروني للشركة) +MAIN_MAIL_DEFAULT_FROMTYPE=تم تحديد البريد الإلكتروني للمرسل الافتراضي مسبقًا في النماذج لإرسال رسائل البريد الإلكتروني UserEmail=البريد الالكتروني للمستخدم CompanyEmail=البريد الإلكتروني للشركة FeatureNotAvailableOnLinux=ميزة لا تتوفر على مثل أنظمة يونكس. sendmail برنامج الاختبار الخاص بك محليا. @@ -365,10 +367,10 @@ GenericMaskCodes=يمكنك إدخال أي قناع ترقيم. في هذا ا GenericMaskCodes2= {cccc} رمز العميل على أحرف n
      {cccc000} a09a4b739 هو الرمز المخصص للعميل a09a4b739 متبوعًا برمز العميل a09a4b739. يتم إعادة تعيين هذا العداد المخصص للعميل في نفس الوقت مع العداد العالمي.
      {tttt} رمز نوع الطرف الثالث على أحرف n (انظر القائمة الصفحة الرئيسية - الإعداد - القاموس - أنواع الأطراف الثالثة). إذا أضفت هذه العلامة ، فسيكون العداد مختلفًا لكل نوع من أنواع الجهات الخارجية.
      GenericMaskCodes3=جميع الشخصيات الاخرى في قناع سوف تظل سليمة.
      المساحات غير مسموح بها.
      GenericMaskCodes3EAN=ستبقى جميع الأحرف الأخرى في القناع سليمة (باستثناء * أو؟ في المركز الثالث عشر في EAN13).
      غير مسموح بالمسافات.
      في EAN13 ، يجب أن يكون الحرف الأخير بعد الأخير} في الموضع الثالث عشر * أو؟ . سيتم استبداله بالمفتاح المحسوب.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes4a=مثال على اليوم التاسع والتسعين من %s للطرف الثالث TheCompany، بتاريخ 31-01-2023:
      +GenericMaskCodes4b=مثال على جهة خارجية تم إنشاؤها بتاريخ 31-01-2023:
      +GenericMaskCodes4c=مثال على المنتج الذي تم إنشاؤه بتاريخ 31-01-2023:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000 سيعطي ABC2301-000099
      {0000+100@1 }-ZZZ/{dd}/XXX سيعطي 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} سيعطي IN2301-0099-A إذا كان نوع شركة هو 'Responsable Inscripto' مع رمز للنوع 'A_RI' GenericNumRefModelDesc=العودة للتخصيص وفقا لعدد محدد القناع. ServerAvailableOnIPOrPort=الخدمة متاحة في معالجة ٪ ق %s على الميناء ServerNotAvailableOnIPOrPort=الخدمة غير متاحة في التصدي ٪ ق %s على الميناء @@ -378,7 +380,7 @@ DoTestSendHTML=اختبار ارسال هتمل ErrorCantUseRazIfNoYearInMask=خطأ، لا يمكن استخدام الخيار @ لإعادة تعيين عداد سنويا إذا تسلسل {} أو {yyyy إنهاء س س س س} ليس في قناع. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=خطأ ، لا يمكن للمستخدم الخيار في حال تسلسل @ (ذ ذ م م)) ((سنة أو ملم)) (لا تخفي. UMask=معلمة جديدة UMask صورة يونيكس / لينكس / بي إس دي نظام الملفات. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. +UMaskExplanation=تتيح لك هذه المعلمة تحديد الأذونات المعينة افتراضيًا على الملفات التي تم إنشاؤها بواسطة Dolibarr على الخادم (أثناء التحميل على سبيل المثال).
      يجب أن تكون القيمة الثمانية (على سبيل المثال، 0666 تعني قراءة و اكتب للجميع.). القيمة الموصى بها هي 0600 أو 0660
      هذه المعلمة غير مجدية على خادم Windows. SeeWikiForAllTeam=قم بإلقاء نظرة على صفحة Wiki للحصول على قائمة بالمساهمين ومنظمتهم UseACacheDelay= التخزين المؤقت للتأخير في الرد على الصادرات ثانية (0 فارغة أو لا مخبأ) DisableLinkToHelpCenter=إخفاء الارتباط " بحاجة إلى مساعدة أو دعم " في صفحة تسجيل الدخول @@ -417,6 +419,7 @@ PDFLocaltax=قواعد %s HideLocalTaxOnPDF=إخفاء معدل %s في العمود ضريبة البيع / ضريبة القيمة المضافة HideDescOnPDF=إخفاء وصف المنتجات HideRefOnPDF=إخفاء المنتجات المرجع. +ShowProductBarcodeOnPDF=عرض رقم الباركود الخاص بالمنتجات HideDetailsOnPDF=إخفاء تفاصيل خطوط الإنتاج PlaceCustomerAddressToIsoLocation=استخدم الوضع القياسي الفرنسي (La Poste) لموقف عنوان العميل Library=المكتبة @@ -455,14 +458,14 @@ ExtrafieldCheckBox=مربعات الاختيار ExtrafieldCheckBoxFromList=مربعات الاختيار من الجدول ExtrafieldLink=رابط إلى كائن ComputedFormula=المجال المحسوب -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' +ComputedFormulaDesc=يمكنك إدخال صيغة هنا باستخدام خصائص أخرى للكائن أو أي ترميز PHP للحصول على قيمة محسوبة ديناميكية. يمكنك استخدام أي صيغ متوافقة مع PHP بما في ذلك "؟" عامل تشغيل الحالة، و الكائن العام التالي: $db, $conf, $langs, $mysoc, $user, $objectoffield .
      تحذير : إذا كنت بحاجة إلى خصائص كائن لم يتم تحميله، فما عليك سوى جلب الكائن إلى الصيغة الخاصة بك كما في المثال الثاني.
      يعني استخدام حقل محسوب أنه يمكنك' أدخل بنفسك أي قيمة من الواجهة. وأيضًا، إذا كان هناك خطأ في بناء الجملة، فقد لا تُرجع الصيغة شيئًا.

      مثال على الصيغة:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      مثال لإعادة تحميل الكائن
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj- >capital / 5: '-1')

      مثال آخر لصيغة فرض تحميل الكائن و كائنه الأصلي:
      (($reloadedobj = new مهمة($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($ Secondloadedobj = جديد مشروع($db)) && ($ Secondloadedobj->fetchNoCompute($reloadedobj) ->fk_project) > 0)) ؟ $ Secondloadedobj->ref: 'لم يتم العثور على الأصل مشروع' Computedpersistent=تخزين المجال المحسوب ComputedpersistentDesc=سيتم تخزين الحقول الإضافية المحسوبة في قاعدة البيانات ، ومع ذلك ، سيتم إعادة حساب القيمة فقط عند تغيير كائن هذا الحقل. إذا كان الحقل المحسوب يعتمد على كائنات أخرى أو بيانات عالمية ، فقد تكون هذه القيمة خاطئة !! -ExtrafieldParamHelpPassword=يعني ترك هذا الحقل فارغًا أنه سيتم تخزين هذه القيمة بدون تشفير (يجب إخفاء الحقل فقط بنجمة على الشاشة).
      اضبط "تلقائي" لاستخدام قاعدة التشفير الافتراضية لحفظ كلمة المرور في قاعدة البيانات (عندئذٍ ستكون القيمة المقروءة هي التجزئة فقط ، ولا توجد طريقة لاسترداد القيمة الأصلية) +ExtrafieldParamHelpPassword=ترك هذا الحقل فارغًا يعني أنه سيتم تخزين هذه القيمة بدون تشفير (يتم إخفاء الحقل فقط بالنجوم على الشاشة).

      أدخل القيمة "dolcrypt" لتشفير القيمة باستخدام خوارزمية تشفير قابلة للعكس. لا يزال من الممكن معرفة البيانات الواضحة و وتحريرها ولكن يتم تشفيرها في قاعدة البيانات.

      أدخل "تلقائي" (أو "md5"، "sha256"، "password_hash"، ...) لاستخدام خوارزمية تشفير كلمة المرور الافتراضية (أو md5، sha256،password_hash...) لحفظ كلمة المرور المجزأة غير القابلة للعكس في قاعدة البيانات (لا توجد طريقة لاسترداد القيمة الأصلية) ExtrafieldParamHelpselect=يجب أن تكون قائمة القيم أسطرًا بها مفتاح تنسيق ، القيمة (حيث لا يمكن أن يكون المفتاح "0")

      على سبيل المثال:
      1 ، value1
      2 ، value2 a0342fccfda19bda019b code3f list depending on another complementary attribute list:
      1,value1|options_ parent_list_code :parent_key
      2,value2|options_ parent_list_code :parent_key

      In order to have the list depending on another list:
      1,value1| parent_list_code : parent_key
      2 ، value2 | parent_list_code : parent_key ExtrafieldParamHelpcheckbox=يجب أن تكون قائمة القيم أسطرًا تحتوي على مفتاح تنسيق ، القيمة (حيث لا يمكن أن يكون المفتاح "0")

      على سبيل المثال:
      1 ، value1
      2 ، value2 a0342fccfda19bda19b342 ... ExtrafieldParamHelpradio=يجب أن تكون قائمة القيم أسطرًا تحتوي على مفتاح تنسيق ، القيمة (حيث لا يمكن أن يكون المفتاح '0')

      على سبيل المثال:
      1 ، value1
      2 ، value2 a0342fccfda19bda19b342 ... -ExtrafieldParamHelpsellist=قائمة القيم تأتي من جدول
      التركيب: table_name: label_field: id_field :: Filtersql
      مثال: c_typent: libelle: id :: Filtersql

      -
      19 يمكن أن يكون اختبارًا بسيطًا (على سبيل المثال active = 1) لعرض القيمة النشطة فقط
      يمكنك أيضًا استخدام مرشح $ ID $ in وهو المعرف الحالي للكائن الحالي
      لاستخدام SELECT في الفلتر ، استخدم الكلمة الأساسية $ SEL $ to تجاوز الحماية المضادة للحقن.
      إذا كنت تريد التصفية على الحقول الإضافية ، استخدم بناء الجملة extra.fieldcode = ... (حيث يكون رمز الحقل هو رمز الحقل الإضافي)

      من أجل الحصول على القائمة اعتمادًا على قائمة السمات التكميلية الأخرى: parent_list_code | parent_column: filter

      من أجل الحصول على القائمة اعتمادًا على قائمة أخرى: a0342fccfda1958bz0 c_typent: libelle: a08 +ExtrafieldParamHelpsellist=تأتي قائمة القيم من جدول
      بناء الجملة: table_name:label_field:id_field::filtersql
      مثال: c_typent:libelle:id ::filtersql

      - id_field هو بالضرورة مفتاح int أساسي
      - Filtersql هو شرط SQL. يمكن أن يكون اختبارًا بسيطًا (على سبيل المثال active=1) لعرض القيمة النشطة فقط
      يمكنك أيضًا استخدام $ID$ في الفلتر وهو المعرف الحالي للكائن الحالي
      لاستخدام SELECT في الفلتر، استخدم الكلمة الأساسية $SEL$ لتجاوز الحماية ضد الحقن.
      إذا كنت تريد التصفية على الحقول الإضافية استخدم بناء الجملة extra.fieldcode=... (حيث رمز الحقل هو رمز الحقل الإضافي)

      في طلب للحصول على القائمة اعتمادًا على قائمة سمات تكميلية أخرى:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      في طلب للحصول على القائمة اعتمادًا على قائمة أخرى:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=قائمة القيم تأتي من جدول
      التركيب: table_name: label_field: id_field :: Filtersql
      مثال: c_typent: libelle: id :: Filtersql

      filter يمكن أن يكون عامل التصفية النشط a034b
      فقط يمكن أيضًا استخدام $ ID $ in filter witch هو المعرف الحالي للكائن الحالي
      للقيام بتحديد في عامل التصفية ، استخدم $ SEL $
      إذا كنت تريد التصفية على الحقول الإضافية ، استخدم بناء الجملة extra.fieldcode = ... (حيث يكون رمز الحقل هو code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_ parent_list_code |parent_column:filter

      In order to have the list depending on another list:
      c_typent: libelle: id: parent_list_code | parent_column: مرشح ExtrafieldParamHelplink=يجب أن تكون المعلمات ObjectName: Classpath
      البنية: اسم الكائن: Classpath ExtrafieldParamHelpSeparator=احتفظ به فارغًا لفاصل بسيط
      اضبط هذا على 1 لفاصل مطوي (يفتح افتراضيًا للجلسة الجديدة ، ثم يتم الاحتفاظ بالحالة لكل جلسة مستخدم)
      اضبط هذا على 2 لفاصل مطوي (مطوي افتراضيًا لجلسة جديدة ، ثم يتم الاحتفاظ بالحالة قبل كل جلسة مستخدم) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value -KeepThisEmptyInMostCases=في معظم الحالات ، يمكنك الاحتفاظ بهذا المجال. +KeepThisEmptyInMostCases=في معظم الحالات، يمكنك إبقاء هذا الحقل فارغًا. DefaultLink=Default link SetAsDefault=تعيين كافتراضي ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) @@ -506,8 +509,8 @@ WarningPHPMail=تحذير: يستخدم الإعداد لإرسال رسائل WarningPHPMailA=- يزيد استخدام خادم مزود خدمة البريد الإلكتروني من مصداقية بريدك الإلكتروني ، لذا فهو يزيد من إمكانية التسليم دون أن يتم وضع علامة عليه كرسائل اقتحامية WarningPHPMailB=- لا يسمح لك بعض مزودي خدمة البريد الإلكتروني (مثل Yahoo) بإرسال بريد إلكتروني من خادم آخر غير الخادم الخاص بهم. يستخدم الإعداد الحالي الخاص بك خادم التطبيق لإرسال بريد إلكتروني وليس خادم مزود البريد الإلكتروني الخاص بك ، لذلك سيطلب بعض المستلمين (المتوافق مع بروتوكول DMARC المقيد) ، مزود البريد الإلكتروني الخاص بك ما إذا كان بإمكانهم قبول بريدك الإلكتروني وبعض موفري البريد الإلكتروني (مثل Yahoo) قد تستجيب بـ "لا" لأن الخادم ليس خادمهم ، لذلك قد لا يتم قبول عدد قليل من رسائل البريد الإلكتروني المرسلة للتسليم (كن حذرًا أيضًا من حصة الإرسال لمزود البريد الإلكتروني الخاص بك). WarningPHPMailC=- يعد استخدام خادم SMTP الخاص بموفر خدمة البريد الإلكتروني الخاص بك لإرسال رسائل البريد الإلكتروني أمرًا مثيرًا للاهتمام أيضًا ، لذا سيتم أيضًا حفظ جميع رسائل البريد الإلكتروني المرسلة من التطبيق في دليل "البريد المرسل" الخاص بصندوق البريد الخاص بك. -WarningPHPMailD=It is therefore recommended to change the sending method of e-mails to the value "SMTP". -WarningPHPMailDbis=If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by %sclicking here%s. +WarningPHPMailD=ولذلك يوصى بتغيير طريقة إرسال رسائل البريد الإلكتروني إلى القيمة "SMTP". +WarningPHPMailDbis=إذا كنت تريد حقًا الاحتفاظ بطريقة "PHP" الافتراضية لإرسال رسائل البريد الإلكتروني، فما عليك سوى تجاهل هذا التحذير، أو إزالته عن طريق %sالنقر هنا%s< /فترة>. WarningPHPMail2=إذا كان موفر البريد الإلكتروني SMTP بحاجة إلى تقييد عميل البريد الإلكتروني لبعض عناوين IP (نادر جدًا) ، فهذا هو عنوان IP الخاص بوكيل مستخدم البريد (MUA) لتطبيق ERP CRM الخاص بك: %s . WarningPHPMailSPF=إذا كان اسم المجال في عنوان البريد الإلكتروني الخاص بالمرسل محميًا بسجل SPF (اسأل مسجل اسم المجال الخاص بك) ، يجب عليك إضافة عناوين IP التالية في سجل SPF الخاص بـ DNS لمجالك: %s . ActualMailSPFRecordFound=تم العثور على سجل SPF الفعلي (للبريد الإلكتروني %s): %s @@ -515,23 +518,23 @@ ClickToShowDescription=انقر لإظهار الوصف DependsOn=تحتاج هذه الوحدة إلى الوحدة (الوحدات) RequiredBy=هذه الوحدة مطلوبة من قبل الوحدة (الوحدات) TheKeyIsTheNameOfHtmlField=هذا هو اسم حقل HTML. المعرفة التقنية مطلوبة لقراءة محتوى صفحة HTML للحصول على اسم المفتاح للحقل. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. +PageUrlForDefaultValues=يجب عليك إدخال المسار النسبي لعنوان URL للصفحة. إذا قمت بتضمين معلمات في عنوان URL، فسيكون ذلك فعالاً إذا كانت جميع المعلمات في عنوان URL المستعرض لها القيمة المحددة هنا. PageUrlForDefaultValuesCreate=
      مثال:
      لكي يقوم النموذج بإنشاء طرف ثالث جديد ، يكون %s .
      بالنسبة لعنوان URL للوحدات الخارجية المثبتة في الدليل المخصص ، لا تقم بتضمين "custom /" ، لذا استخدم المسار مثل mymodule / mypage.php وليس custom / mymodule / mypage.php.
      إذا كنت تريد القيمة الافتراضية فقط إذا كان عنوان url يحتوي على بعض المعلمات ، فيمكنك استخدام %s PageUrlForDefaultValuesList=
      مثال:
      بالنسبة للصفحة التي تسرد جهات خارجية ، فهي %s .
      بالنسبة لعنوان URL للوحدات الخارجية المثبتة في الدليل المخصص ، لا تقم بتضمين "custom /" لذا استخدم مسارًا مثل mymodule / mypagelist.php وليس custom / mymodule / mypagelist.php.
      إذا كنت تريد القيمة الافتراضية فقط إذا كان عنوان url يحتوي على بعض المعلمات ، فيمكنك استخدام %s -AlsoDefaultValuesAreEffectiveForActionCreate=لاحظ أيضًا أن الكتابة فوق القيم الافتراضية لإنشاء النموذج تعمل فقط للصفحات التي تم تصميمها بشكل صحيح (لذلك مع إجراء المعلمة = إنشاء أو تقديم ...) +AlsoDefaultValuesAreEffectiveForActionCreate=لاحظ أيضًا أن الكتابة فوق القيم الافتراضية لإنشاء النموذج تعمل فقط مع الصفحات التي تم تصميمها بشكل صحيح (لذلك باستخدام المعلمة action=create أو presend...) EnableDefaultValues=تفعيل تخصيص القيم الافتراضية -EnableOverwriteTranslation=Allow customization of translations +EnableOverwriteTranslation=السماح بتخصيص الترجمات GoIntoTranslationMenuToChangeThis=تم العثور على ترجمة للمفتاح بهذا الرمز. لتغيير هذه القيمة ، يجب عليك تحريرها من Home-Setup-translation. WarningSettingSortOrder=تحذير ، قد يؤدي تعيين ترتيب فرز افتراضي إلى حدوث خطأ تقني عند الانتقال إلى صفحة القائمة إذا كان الحقل حقلاً غير معروف. إذا واجهت مثل هذا الخطأ ، فارجع إلى هذه الصفحة لإزالة ترتيب الفرز الافتراضي واستعادة السلوك الافتراضي. Field=حقل ProductDocumentTemplates=قوالب المستندات لإنشاء مستند المنتج -ProductBatchDocumentTemplates=Document templates to generate product lots document +ProductBatchDocumentTemplates=قوالب المستندات لإنشاء مستند الكثير من المنتجات FreeLegalTextOnExpenseReports=نص قانوني مجاني على تقارير النفقات WatermarkOnDraftExpenseReports=علامة مائية على مسودة تقارير المصروفات ProjectIsRequiredOnExpenseReports=المشروع إلزامي لإدخال تقرير المصاريف PrefillExpenseReportDatesWithCurrentMonth=قم بملء تاريخي البدء والانتهاء لتقرير المصاريف الجديد مسبقًا بتواريخ البدء والانتهاء للشهر الحالي ForceExpenseReportsLineAmountsIncludingTaxesOnly=فرض إدخال مبالغ تقرير المصاريف دائمًا مع الضرائب -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) +AttachMainDocByDefault=اضبط هذا على نعم إذا كنت تريد إرفاق المستند الرئيسي افتراضيًا بالبريد الإلكتروني (إن أمكن) FilesAttachedToEmail=أرفق ملف SendEmailsReminders=إرسال تذكير جدول الأعمال عن طريق رسائل البريد الإلكتروني davDescription=قم بإعداد خادم WebDAV @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=الدليل الخاص العام هو دليل We DAV_ALLOW_PUBLIC_DIR=تمكين الدليل العام العام (يسمى دليل WebDAV المخصص باسم "عام" - لا يلزم تسجيل الدخول) DAV_ALLOW_PUBLIC_DIRTooltip=الدليل العام العام هو دليل WebDAV يمكن لأي شخص الوصول إليه (في وضع القراءة والكتابة) ، بدون إذن مطلوب (حساب تسجيل الدخول / كلمة المرور). DAV_ALLOW_ECM_DIR=تمكين الدليل الخاص DMS / ECM (الدليل الجذر لوحدة DMS / ECM - يلزم تسجيل الدخول) -DAV_ALLOW_ECM_DIRTooltip=الدليل الجذر حيث يتم تحميل جميع الملفات يدويًا عند استخدام وحدة DMS / ECM. مثل الوصول من واجهة الويب ، ستحتاج إلى تسجيل دخول / كلمة مرور صالحة مع أذونات مخصصة للوصول إليها. +DAV_ALLOW_ECM_DIRTooltip=الدليل الجذر حيث يتم تحميل جميع الملفات يدويًا عند استخدام DMS/ECM نموذج. كما هو الحال مع الوصول من واجهة الويب، ستحتاج إلى تسجيل دخول/كلمة مرور صالحة مع أذونات كافية للوصول إليها. ##### Modules ##### Module0Name=مجموعات المستخدمين Module0Desc=المستخدمون / الموظفون وإدارة المجموعات @@ -566,7 +569,7 @@ Module40Desc=إدارة البائعين والمشتريات (أوامر الش Module42Name=سجلات التصحيح Module42Desc=تسهيلات التسجيل (ملف ، سجل نظام ، ...). هذه السجلات لأغراض فنية / تصحيح الأخطاء. Module43Name=شريط التصحيح -Module43Desc=أداة للمطورين تضيف شريط تصحيح الأخطاء في متصفحك. +Module43Desc=أداة للمطورين، تضيف شريط تصحيح في متصفحك. Module49Name=المحررين Module49Desc=المحررين إدارة Module50Name=المنتجات @@ -574,7 +577,7 @@ Module50Desc=إدارة المنتجات Module51Name=الرسائل الجماعية Module51Desc=الدمار ورقة الرسائل الإدارية Module52Name=الاسهم -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Desc=إدارة المخزون (تتبع حركة المخزون و المخزون) Module53Name=الخدمات Module53Desc=إدارة الخدمات Module54Name=Contracts/Subscriptions @@ -582,7 +585,7 @@ Module54Desc=إدارة العقود (الخدمات أو الاشتراكات Module55Name=Barcodes Module55Desc=إدارة الباركود أو رمز الاستجابة السريعة Module56Name=الدفع عن طريق تحويل من الرصيد -Module56Desc=إدارة مدفوعات الموردين بأوامر تحويل دائنة. يتضمن إنشاء ملف SEPA للدول الأوروبية. +Module56Desc=إدارة الدفع للموردين أو رواتب عن طريق أوامر تحويل الرصيد. ويتضمن إنشاء ملف SEPA للدول الأوروبية. Module57Name=المدفوعات عن طريق الخصم المباشر Module57Desc=إدارة أوامر الخصم المباشر. يتضمن إنشاء ملف SEPA للدول الأوروبية. Module58Name=انقر للاتصال @@ -630,6 +633,10 @@ Module600Desc=إرسال إشعارات البريد الإلكتروني الت Module600Long=لاحظ أن هذه الوحدة ترسل رسائل بريد إلكتروني في الوقت الفعلي عند حدوث حدث عمل معين. إذا كنت تبحث عن ميزة لإرسال تذكيرات بالبريد الإلكتروني لأحداث جدول الأعمال ، فانتقل إلى إعداد جدول أعمال الوحدة. Module610Name=متغيرات المنتج Module610Desc=إنشاء متغيرات المنتج (اللون والحجم وما إلى ذلك) +Module650Name=فواتير المواد (BOM) +Module650Desc=نموذج لتحديد قائمة المواد (BOM) الخاصة بك. يمكن استخدامه لتخطيط موارد التصنيع من خلال نموذج أوامر التصنيع (MO) +Module660Name=تخطيط موارد التصنيع (MRP) +Module660Desc=نموذج لإدارة أوامر التصنيع (MO) Module700Name=التبرعات Module700Desc=التبرعات إدارة Module770Name=تقارير النفقات @@ -650,13 +657,13 @@ Module2300Name=المهام المجدولة Module2300Desc=إدارة الوظائف المجدولة (الاسم المستعار كرون أو جدول كرونو) Module2400Name=الأحداث / الأجندة Module2400Desc=تتبع الأحداث. سجل الأحداث التلقائية لأغراض التتبع أو سجل الأحداث أو الاجتماعات اليدوية. هذه هي الوحدة الرئيسية للإدارة الجيدة لعلاقات العملاء أو البائعين. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=جدولة المواعيد عبر الإنترنت +Module2430Desc=يوفر نظام حجز المواعيد عبر الإنترنت. يتيح ذلك لأي شخص حجز موعد، وفقًا للنطاقات أو التوفر المحدد مسبقًا. Module2500Name=DMS / ECM Module2500Desc=نظام إدارة الوثائق / إدارة المحتوى الإلكتروني. التنظيم التلقائي للمستندات التي تم إنشاؤها أو تخزينها. شاركهم عند الحاجة. -Module2600Name=API / Web services (SOAP server) +Module2600Name=واجهة برمجة التطبيقات / خدمات الويب (خادم SOAP) Module2600Desc=تمكين الخدمات API Dolibarr الخادم SOAP توفير -Module2610Name=API / Web services (REST server) +Module2610Name=واجهة برمجة التطبيقات / خدمات الويب (خادم REST) Module2610Desc=تمكين الخادم تقديم الخدمات API Dolibarr REST Module2660Name=WebServices الدعوة (العميل SOAP) Module2660Desc=تمكين عميل خدمات الويب Dolibarr (يمكن استخدامه لإرسال البيانات / الطلبات إلى خوادم خارجية. يتم دعم أوامر الشراء فقط حاليًا.) @@ -667,12 +674,12 @@ Module2900Name=GeoIPMaxmind Module2900Desc=GeoIP التحويلات Maxmind القدرات Module3200Name=المحفوظات غير القابلة للتغيير Module3200Desc=تمكين سجل غير قابل للتغيير لأحداث العمل. يتم أرشفة الأحداث في الوقت الحقيقي. السجل هو جدول للقراءة فقط للأحداث المتسلسلة التي يمكن تصديرها. قد تكون هذه الوحدة إلزامية لبعض البلدان. -Module3300Name=Module Builder -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. +Module3300Name=نموذج منشئ +Module3300Desc=أداة RAD (التطوير السريع للتطبيقات - و بدون كود) لمساعدة المطورين أو المستخدمين المتقدمين على إنشاء نموذج/تطبيق. Module3400Name=الشبكات الاجتماعية Module3400Desc=قم بتمكين حقول الشبكات الاجتماعية في عناوين وعناوين الأطراف الثالثة (سكايب ، تويتر ، فيسبوك ، ...). Module4000Name=HRM -Module4000Desc=إدارة الموارد البشرية (إدارة القسم ، عقود الموظفين ومشاعرهم) +Module4000Desc=إدارة الموارد البشرية (إدارة القسم، عقود الموظفين، إدارة المهارات و المقابلة) Module5000Name=شركة متعددة Module5000Desc=يسمح لك لإدارة الشركات المتعددة Module6000Name=سير العمل بين الوحدات @@ -709,11 +716,13 @@ Module62000Name=شروط التجارة الدولية Module62000Desc=إضافة ميزات لإدارة Incoterms Module63000Name=مصادر Module63000Desc=إدارة الموارد (طابعات ، سيارات ، غرف ، ...) لتخصيصها للمناسبات -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. -Module94160Name=Receptions +Module66000Name=إدارة الرمز المميز OAuth2 +Module66000Desc=قم بتوفير أداة لإنشاء و لإدارة رموز OAuth2 المميزة. يمكن بعد ذلك استخدام الرمز المميز بواسطة بعض الوحدات الأخرى. +Module94160Name=حفلات الاستقبال +ModuleBookCalName=نظام تقويم الحجز +ModuleBookCalDesc=إدارة التقويم لحجز المواعيد ##### Permissions ##### -Permission11=Read customer invoices (and payments) +Permission11=قراءة فواتير العميل (دفعات و) Permission12=إنشاء / تعديل فواتير العملاء Permission13=إبطال فواتير العميل Permission14=التحقق من صحة الفواتير @@ -729,7 +738,7 @@ Permission27=حذف مقترحات تجارية Permission28=الصادرات التجارية مقترحات Permission31=قراءة المنتجات Permission32=إنشاء / تعديل المنتجات -Permission33=Read prices products +Permission33=قراءة أسعار المنتجات Permission34=حذف المنتجات Permission36=انظر / إدارة المنتجات المخفية Permission38=منتجات التصدير @@ -857,9 +866,9 @@ Permission286=تصدير اتصالات Permission291=قراءة التعريفات Permission292=مجموعة أذونات على التعريفات Permission293=تعديل تعريفات العميل -Permission301=Generate PDF sheets of barcodes -Permission304=Create/modify barcodes -Permission305=Delete barcodes +Permission301=إنشاء أوراق PDF من الباركود +Permission304=إنشاء/تعديل الباركود +Permission305=حذف الباركود Permission311=قراءة الخدمات Permission312=تعيين خدمة / الاشتراك في التعاقد Permission331=قراءة العناوين @@ -891,7 +900,7 @@ Permission525=قرض الوصول آلة حاسبة Permission527=قروض التصدير Permission531=قراءة الخدمات Permission532=إنشاء / تعديل الخدمات -Permission533=Read prices services +Permission533=قراءة أسعار الخدمات Permission534=حذف خدمات Permission536=انظر / إدارة الخدمات الخفية Permission538=تصدير الخدمات @@ -955,7 +964,7 @@ Permission1190=الموافقة على (الموافقة الثانية) أوا Permission1191=أوامر تصدير الموردين وخصائصها Permission1201=ونتيجة للحصول على التصدير Permission1202=إنشاء / تعديل للتصدير -Permission1231=Read vendor invoices (and payments) +Permission1231=قراءة فواتير المورد (دفعات و) Permission1232=Create/modify vendor invoices Permission1233=Validate vendor invoices Permission1234=احذف فواتير البائع @@ -979,7 +988,7 @@ Permission2501=قراءة وثائق Permission2502=تقديم وثائق أو حذف Permission2503=تقديم وثائق أو حذف Permission2515=إعداد وثائق وأدلة -Permission2610=Generate/modify users API key +Permission2610=إنشاء/تعديل مفتاح API للمستخدمين Permission2801=استخدام عميل FTP في وضع القراءة (تصفح وتحميل فقط) Permission2802=العميل استخدام بروتوكول نقل الملفات في وضع الكتابة (حذف أو تحميل الملفات) Permission3200=قراءة الأحداث المؤرشفة وبصمات الأصابع @@ -987,16 +996,16 @@ Permission3301=إنشاء وحدات جديدة Permission4001=اقرأ المهارة / الوظيفة / المنصب Permission4002=إنشاء / تعديل المهارة / الوظيفة / المنصب Permission4003=حذف المهارة / الوظيفة / المنصب -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations -Permission4023=Validate evaluation -Permission4025=Delete evaluation -Permission4028=See comparison menu +Permission4021=قراءة التقييمات (تقييماتك و لمرؤوسيك) +Permission4022=إنشاء/تعديل التقييمات +Permission4023=التحقق من صحة التقييم +Permission4025=حذف التقييم +Permission4028=انظر قائمة المقارنة Permission4031=اقرأ المعلومات الشخصية Permission4032=اكتب معلومات شخصية -Permission4033=Read all evaluations (even those of user not subordinates) +Permission4033=قراءة كافة التقييمات (حتى تلك الخاصة بالمستخدم وليس المرؤوسين) Permission10001=اقرأ محتوى الموقع -Permission10002=إنشاء / تعديل محتوى موقع الويب (محتوى html و javascript) +Permission10002=إنشاء/تعديل محتوى موقع الويب (html و محتوى JavaScript) Permission10003=إنشاء / تعديل محتوى الموقع (كود php الديناميكي). خطير ، يجب أن يكون محجوزًا للمطورين المقيدين. Permission10005=حذف محتوى الموقع Permission20001=اقرأ طلبات الإجازات (إجازتك وتلك الخاصة بمرؤوسيك) @@ -1010,9 +1019,9 @@ Permission23001=قراءة مهمة مجدولة Permission23002=إنشاء / تحديث المجدولة وظيفة Permission23003=حذف مهمة مجدولة Permission23004=تنفيذ مهمة مجدولة -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates +Permission40001=قراءة أسعار العملات و +Permission40002=إنشاء/تحديث العملات و أسعارها +Permission40003=حذف العملات و أسعارها Permission50101=استخدام نقطة البيع (SimplePOS) Permission50151=استخدام نقطة البيع (TakePOS) Permission50152=تحرير بنود المبيعات @@ -1098,21 +1107,23 @@ DictionaryExpenseTaxRange=تقرير المصاريف - النطاق حسب فئ DictionaryTransportMode=تقرير Intracomm - وضع النقل DictionaryBatchStatus=حالة مراقبة الجودة / دفعة المنتج DictionaryAssetDisposalType=نوع التصرف في الأصول +DictionaryInvoiceSubtype=فاتورة الأنواع الفرعية TypeOfUnit=نوع الوحدة SetupSaved=تم حفظ الإعدادات SetupNotSaved=الإعدادات لم تحفظ -OAuthServiceConfirmDeleteTitle=Delete OAuth entry -OAuthServiceConfirmDeleteMessage=Are you sure you want to delete this OAuth entry ? All existing tokens for it will also be deleted. +OAuthServiceConfirmDeleteTitle=حذف إدخال OAuth +OAuthServiceConfirmDeleteMessage=هل أنت متأكد أنك تريد حذف إدخال OAuth هذا؟ سيتم أيضًا حذف جميع الرموز المميزة الموجودة لها. ErrorInEntryDeletion=خطاء اثناء الحذف EntryDeleted=العنصر محذوف BackToModuleList=العودة إلى قائمة الوحدات BackToDictionaryList=رجوع إلى قائمة القواميس TypeOfRevenueStamp=نوع الطابع الضريبي VATManagement=إدارة ضريبة المبيعات -VATIsUsedDesc=بشكل افتراضي عند إنشاء العملاء المحتملين والفواتير والأوامر وما إلى ذلك ، يتبع معدل ضريبة المبيعات القاعدة القياسية النشطة:
      إذا لم يكن البائع خاضعًا لضريبة المبيعات ، فستكون ضريبة المبيعات الافتراضية هي 0. نهاية القاعدة.
      إذا كانت (دولة البائع = بلد المشتري) ، فإن ضريبة المبيعات بشكل افتراضي تساوي ضريبة المبيعات للمنتج في بلد البائع. نهاية الحكم.
      إذا كان البائع والمشتري في الاتحاد الأوروبي وكانت البضائع منتجات مرتبطة بالنقل (النقل والشحن والطيران) ، فإن ضريبة القيمة المضافة الافتراضية هي 0. تعتمد هذه القاعدة على بلد البائع - يرجى استشارة المحاسب الخاص بك. يجب أن يدفع المشتري ضريبة القيمة المضافة لمكتب الجمارك في بلده وليس للبائع. نهاية الحكم.
      إذا كان البائع والمشتري في الاتحاد الأوروبي والمشتري ليس شركة (برقم ضريبة قيمة مضافة داخل المجتمع) ، فإن ضريبة القيمة المضافة تتخلف عن معدل ضريبة القيمة المضافة لبلد البائع. نهاية الحكم.
      إذا كان البائع والمشتري في المجتمع الأوروبي والمشتري هو شركة (برقم ضريبة القيمة المضافة داخل المجتمع المسجل) ، فإن ضريبة القيمة المضافة تكون 0 افتراضيًا. نهاية الحكم.
      في أي حالة أخرى ، الافتراضي المقترح هو ضريبة المبيعات = 0. نهاية الحكم. +VATIsUsedDesc=بشكل افتراضي، عند إنشاء إحتمالات، والفواتير، والأوامر، وما إلى ذلك. يتبع معدل ضريبة المبيعات القاعدة القياسية النشطة:
      إذا كان البائع لا تخضع لضريبة المبيعات، فقيمة ضريبة المبيعات الافتراضية هي 0. نهاية القاعدة.
      إذا كان (بلد البائع = بلد المشتري)، فإن ضريبة المبيعات بشكل افتراضي تساوي ضريبة المبيعات للمنتج في بلد البائع. نهاية القاعدة.
      إذا كان البائع و موجودًا في الجماعة الأوروبية و البضائع هي منتجات متعلقة بالنقل (النقل والشحن وشركات الطيران)، وضريبة القيمة المضافة الافتراضية هي 0. تعتمد هذه القاعدة على بلد البائع - يرجى استشارة المحاسب الخاص بك. يجب أن يدفع المشتري ضريبة القيمة المضافة إلى مكتب الجمارك في بلده و وليس إلى البائع. نهاية القاعدة.
      إذا كان البائع و موجودًا في الجماعة الأوروبية و المشتري ليس شركة (برقم ضريبة القيمة المضافة المسجل داخل المجتمع) ومن ثم تكون ضريبة القيمة المضافة افتراضية وفقًا لمعدل ضريبة القيمة المضافة في بلد البائع. نهاية القاعدة.
      إذا كان البائع و موجودًا في الجماعة الأوروبية و المشتري هو شركة (برقم ضريبة القيمة المضافة المسجل داخل المجتمع)، وتكون ضريبة القيمة المضافة 0 افتراضيًا. نهاية القاعدة.
      وفي أي حالة أخرى، يكون الإعداد الافتراضي المقترح هو ضريبة المبيعات=0. نهاية القاعدة. VATIsNotUsedDesc=بشكل افتراضي ، تكون ضريبة المبيعات المقترحة هي 0 والتي يمكن استخدامها في حالات مثل الجمعيات أو الأفراد أو الشركات الصغيرة. VATIsUsedExampleFR=في فرنسا ، يعني ذلك الشركات أو المؤسسات التي لديها نظام مالي حقيقي (حقيقي مبسط أو عادي حقيقي). نظام يتم فيه إعلان ضريبة القيمة المضافة. VATIsNotUsedExampleFR=في فرنسا ، يُقصد به الجمعيات غير المصرح بها عن ضريبة المبيعات أو الشركات أو المنظمات أو المهن الحرة التي اختارت النظام المالي للمؤسسات الصغيرة (ضريبة المبيعات في الامتياز) ودفعت ضريبة مبيعات الامتياز بدون أي إقرار بضريبة المبيعات. سيعرض هذا الاختيار المرجع "ضريبة المبيعات غير القابلة للتطبيق - المادة 293B من CGI" على الفواتير. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=نوع ضريبة المبيعات LTRate=معدل @@ -1246,7 +1257,7 @@ SetupDescription4=
      %s -> %s

      هذا البرنامج SetupDescription5=قائمة الإعدادات الأخرى تقوم بإدارة المعطيات الاختيارية. SetupDescriptionLink= %s - %s SetupDescription3b=المعلمات الأساسية المستخدمة لتخصيص السلوك الافتراضي لتطبيقك (مثل الميزات المتعلقة بالبلد). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. +SetupDescription4b=هذا البرنامج عبارة عن مجموعة من الوحدات/التطبيقات. يجب تفعيل الوحدات المتعلقة باحتياجاتك. ستظهر إدخالات القائمة مع تفعيل هذه الوحدات. AuditedSecurityEvents=الأحداث الأمنية التي يتم تدقيقها NoSecurityEventsAreAduited=لم يتم تدقيق أي أحداث أمنية. يمكنك تمكينهم من القائمة %s Audit=أحداث أمنية @@ -1262,13 +1273,13 @@ BrowserName=اسم المتصفح BrowserOS=متصفح OS ListOfSecurityEvents=قائمة الأحداث الأمنية لدوليبار SecurityEventsPurged=تم إزالة الأحداث الأمنية -TrackableSecurityEvents=Trackable security events +TrackableSecurityEvents=الأحداث الأمنية التي يمكن تتبعها LogEventDesc=تمكين التسجيل لأحداث أمنية محددة. تسجيل المسؤولين عبر القائمة %s - %s . تحذير ، يمكن لهذه الميزة إنشاء كمية كبيرة من البيانات في قاعدة البيانات. AreaForAdminOnly=يمكن تعيين معطيات الإعدادات بواسطة المستخدم المسؤول فقط. SystemInfoDesc=معلومات النظام هي معلومات فنية متنوعة تحصل عليها في وضع القراءة فقط وتكون مرئية للمسؤولين فقط. SystemAreaForAdminOnly=هذه المنطقة متاحة للمستخدمين المسؤولين فقط. لا يمكن لأذونات مستخدم دوليبار تغيير هذا التقييد. CompanyFundationDesc=قم بتحرير معلومات شركتك | مؤسستك. ثم انقر فوق الزر "%s" في أسفل الصفحة عند الانتهاء. -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". +MoreNetworksAvailableWithModule=قد يتوفر المزيد من الشبكات الاجتماعية من خلال تمكين نموذج "الشبكات الاجتماعية". AccountantDesc=إذا كان لديك محاسب / محاسب خارجي ، يمكنك هنا تعديل المعلومات الخاصة به. AccountantFileNumber=كود المحاسب DisplayDesc=يمكن هنا تعديل المعلمات التي تؤثر على شكل التطبيق وطريقة عرضه. @@ -1286,7 +1297,7 @@ TriggerActiveAsModuleActive=المشغلات في هذا الملف نشطة ح GeneratedPasswordDesc=اختر الطريقة التي سيتم استخدامها لكلمات المرور التي يتم إنشاؤها تلقائيًا. DictionaryDesc=أدخل جميع البيانات المرجعية. يمكنك إضافة القيم الخاصة بك إلى الافتراضي. ConstDesc=تتيح لك هذه الصفحة تحرير (تجاوز) المعلمات غير المتوفرة في الصفحات الأخرى. هذه معلمات محجوزة في الغالب للمطورين / استكشاف الأخطاء وإصلاحها المتقدمة فقط. -MiscellaneousOptions=Miscellaneous options +MiscellaneousOptions=الخيارات المتنوعة MiscellaneousDesc=يتم تعريف جميع المعلمات الأخرى المتعلقة بالأمان هنا. LimitsSetup=حدود / الدقيقة الإعداد LimitsDesc=يمكنك تحديد الحدود والدقة والتحسينات التي تستخدمها Dolibarr هنا @@ -1320,8 +1331,8 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=يجب تشغيل هذا الأ YourPHPDoesNotHaveSSLSupport=وظائف خدمة تصميم المواقع لا تتوفر في بي الخاص بك DownloadMoreSkins=مزيد من جلود بتحميل SimpleNumRefModelDesc=لعرض الرقم المرجعي بالتنسيق %syymm-nnnn حيث yy السنة و mm الشهر و nnnn هو رقم متسلسل يتزايد تلقائيًا بدون إعادة تعيين -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset -AdvancedNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleRefNumRefModelDesc=إرجاع الرقم المرجعي بالتنسيق n حيث n هو رقم تسلسلي متزايد تلقائيًا بدون إعادة تعيين +AdvancedNumRefModelDesc=إرجاع الرقم المرجعي بالتنسيق %syymm-nnnn حيث yy هي السنة، وmm هو الشهر و nnnn هو رقم تسلسلي رقم متزايد تلقائيًا دون إعادة تعيين SimpleNumRefNoDateModelDesc=إرجاع الرقم المرجعي بالتنسيق %s-nnnn حيث nnnn عبارة عن رقم تزايد تلقائي متسلسل بدون إعادة تعيين ShowProfIdInAddress=إظهار الهوية المهنية مع العناوين ShowVATIntaInAddress=إخفاء رقم ضريبة القيمة المضافة داخل المجتمع @@ -1399,8 +1410,8 @@ PHPModuleLoaded=تم تحميل مكون PHP %s PreloadOPCode=يتم استخدام OPCode مسبقة التحميل AddRefInList=عرض مرجع العميل / البائع. في قوائم التحرير والسرد.
      ستظهر الجهات الخارجية بتنسيق اسم "CC12345 - SC45678 - The Big Company corp." بدلاً من "The Big Company Corp". AddVatInList=عرض رقم ضريبة القيمة المضافة للعميل / البائع في قوائم التحرير والسرد. -AddAdressInList=عرض عنوان العميل / البائع في قوائم التحرير والسرد.
      ستظهر الجهات الخارجية بتنسيق اسم "The Big Company corp. - 21 jump street 123456 Big town - USA" بدلاً من "The Big Company corp". -AddEmailPhoneTownInContactList=عرض البريد الإلكتروني لجهة الاتصال (أو الهواتف إذا لم يتم تحديدها) وقائمة معلومات المدينة (قائمة محددة أو مربع تحرير وسرد)
      ستظهر جهات الاتصال بتنسيق اسم "Dupond Durand - dupond.durand@email.com - Paris" أو "Dupond Durand - 06 07 59 65 66 - باريس بدلاً من "دوبوند دوراند". +AddAdressInList=عرض عنوان العميل/المورد في قوائم التحرير والسرد.
      ستظهر الجهات الخارجية بتنسيق اسم "The Big شركة corp. - 21 Jump street 123456 Big town - USA" بدلاً من "The Big شركة شركة". +AddEmailPhoneTownInContactList=عرض البريد الإلكتروني لجهة الاتصال (أو الهواتف إذا لم يتم تحديدها) و قائمة معلومات المدينة (اختر قائمة أو combobox)
      ستظهر جهات الاتصال مع تنسيق الاسم "Dupond Durand - dupond.durand@example.com - Paris" أو "Dupond Durand - 06 07 59 65 66 - Paris" بدلاً من "Dupond Durand". AskForPreferredShippingMethod=اسأل عن طريقة الشحن المفضلة للأطراف الثالثة. FieldEdition=طبعة من ميدان%s FillThisOnlyIfRequired=مثال: +2 (ملء إلا إذا تعوض توقيت المشاكل من ذوي الخبرة) @@ -1408,7 +1419,7 @@ GetBarCode=الحصول على الباركود NumberingModules=نماذج الترقيم DocumentModules=نماذج الوثائق ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters. +PasswordGenerationStandard=قم بإرجاع كلمة مرور تم إنشاؤها وفقًا لخوارزمية Dolibarr الداخلية: %s أحرف تحتوي على أرقام مشتركة و أحرف. PasswordGenerationNone=لا تقترح كلمة مرور تم إنشاؤها. يجب كتابة كلمة المرور يدويًا. PasswordGenerationPerso=ترجع كلمة المرور الخاصة بك وفقا لتكوين المعرفة شخصيا. SetupPerso=وفقا لتكوين الخاصة بك @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=لا تعرض رابط "نسيت كلمة UsersSetup=شاهد الإعداد وحدة UserMailRequired=البريد الإلكتروني مطلوب لإنشاء مستخدم جديد UserHideInactive=إخفاء المستخدمين غير النشطين من جميع قوائم التحرير والسرد للمستخدمين (غير مستحسن: قد يعني هذا أنك لن تتمكن من التصفية أو البحث عن المستخدمين القدامى في بعض الصفحات) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=قوالب المستندات للمستندات التي تم إنشاؤها من سجل المستخدم GroupsDocModules=قوالب المستندات للمستندات التي تم إنشاؤها من سجل المجموعة ##### HRM setup ##### @@ -1462,10 +1475,10 @@ SuppliersPayment=مدفوعات الموردين SupplierPaymentSetup=إعداد مدفوعات البائعين InvoiceCheckPosteriorDate=تحقق من تاريخ التجهيز قبل المصادقة InvoiceCheckPosteriorDateHelp=يُمنع التحقق من صحة الفاتورة إذا كان تاريخها سابقًا لتاريخ آخر فاتورة من نفس النوع. -InvoiceOptionCategoryOfOperations=Display the mention "category of operations" on the invoice. -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
      - Category of operations: Delivery of goods
      - Category of operations: Provision of services
      - Category of operations: Mixed - Delivery of goods & provision of services -InvoiceOptionCategoryOfOperationsYes1=Yes, below the address block -InvoiceOptionCategoryOfOperationsYes2=Yes, in the lower left-hand corner +InvoiceOptionCategoryOfOperations=اعرض "فئة العمليات" المذكورة في فاتورة. +InvoiceOptionCategoryOfOperationsHelp=حسب الحالة ستظهر الإشارة على شكل:
      - فئة العمليات: تسليم البضائع
      - فئة العمليات العمليات: تقديم الخدمات
      - فئة العمليات: مختلط - تسليم البضائع وتقديم الخدمات +InvoiceOptionCategoryOfOperationsYes1=نعم، أسفل كتلة العنوان +InvoiceOptionCategoryOfOperationsYes2=نعم، في الزاوية اليسرى السفلى ##### Proposals ##### PropalSetup=وحدة إعداد مقترحات تجارية ProposalsNumberingModules=اقتراح نماذج تجارية الترقيم @@ -1508,13 +1521,13 @@ WatermarkOnDraftContractCards=العلامة المائية على مسودات ##### Members ##### MembersSetup=أعضاء وحدة الإعداد MemberMainOptions=الخيارات الرئيسية -MemberCodeChecker=Options for automatic generation of member codes -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +MemberCodeChecker=خيارات الإنشاء التلقائي لرموز عضو +AdherentLoginRequired=إدارة معلومات تسجيل الدخول/كلمة المرور لكل عضو +AdherentLoginRequiredDesc=أضف قيمة لتسجيل الدخول و وكلمة المرور في الملف عضو. إذا كان عضو مرتبطًا بمستخدم، فسيتم تحديث تسجيل الدخول عضو و ستقوم كلمة المرور أيضًا بتحديث كلمة مرور تسجيل دخول المستخدم و. AdherentMailRequired=البريد الإلكتروني مطلوب لإنشاء عضو جديد MemberSendInformationByMailByDefault=مربع لإرسال الرسائل للأعضاء تأكيدا على افتراضي MemberCreateAnExternalUserForSubscriptionValidated=قم بإنشاء تسجيل دخول مستخدم خارجي لكل اشتراك عضو جديد تم التحقق من صحته -VisitorCanChooseItsPaymentMode=Visitor can choose from any available payment modes +VisitorCanChooseItsPaymentMode=يمكن للزائر الاختيار من بين أي طرق دفع متاحة MEMBER_REMINDER_EMAIL=قم بتمكين التذكير التلقائي عبر البريد الإلكتروني بالاشتراكات منتهية الصلاحية. ملاحظة: يجب تمكين الوحدة النمطية %s وإعدادها بشكل صحيح لإرسال التذكيرات. MembersDocModules=قوالب المستندات للوثائق التي تم إنشاؤها من سجل الأعضاء ##### LDAP setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=المجموعات LDAPContactsSynchro=اتصالات LDAPMembersSynchro=أعضاء LDAPMembersTypesSynchro=أعضاء أنواع -LDAPSynchronization=LDAP نمازتلا +LDAPSynchronization=مزامنة LDAP LDAPFunctionsNotAvailableOnPHP=LDAP وظائف لا تتوفر على PHP LDAPToDolibarr=LDAP --> Dolibarr DolibarrToLDAP=Dolibarr --> LDAP @@ -1643,11 +1656,11 @@ LDAPFieldEndLastSubscription=تاريخ انتهاء الاكتتاب LDAPFieldTitle=الوظيفه LDAPFieldTitleExample=مثال: اللقب LDAPFieldGroupid=معرف مجموعة -LDAPFieldGroupidExample=Example : gidnumber +LDAPFieldGroupidExample=على سبيل المثال: رقم الموقع LDAPFieldUserid=معرف المستخدم -LDAPFieldUseridExample=Example : uidnumber +LDAPFieldUseridExample=على سبيل المثال: رقم التعريف LDAPFieldHomedirectory=الدليل الرئيسي -LDAPFieldHomedirectoryExample=مثال: دليل منزلي +LDAPFieldHomedirectoryExample=مثال: الدليل المنزلي LDAPFieldHomedirectoryprefix=بادئة الدليل الرئيسي LDAPSetupNotComplete=LDAP الإعداد غير كاملة (على آخرين علامات التبويب) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=أي مدير أو كلمة السر. LDAP الوصول مجهولة وسيكون في قراءة فقط. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=وحدة أعطها لمخبأ تطبيقي MemcachedAvailableAndSetup=يتم تمكين أعطها حدة مخصصة لاستخدام الخادم أعطها. OPCodeCache=مخبأ شفرة التشغيل NoOPCodeCacheFound=لم يتم العثور على مخبأ OPCode. ربما تستخدم ذاكرة تخزين مؤقت OPCode بخلاف XCache أو eAccelerator (جيد) ، أو ربما ليس لديك ذاكرة تخزين مؤقت OPCode (سيئة للغاية). -HTTPCacheStaticResources=مخبأ HTTP للموارد ثابتة (المغلق، IMG، وجافا سكريبت) +HTTPCacheStaticResources=ذاكرة تخزين مؤقت HTTP للموارد الثابتة (css، img، JavaScript) FilesOfTypeCached=يتم التخزين المؤقت الملفات من نوع%s من قبل خادم HTTP FilesOfTypeNotCached=لا يتم التخزين المؤقت الملفات من نوع %s من قبل خادم HTTP FilesOfTypeCompressed=يتم ضغط الملفات من نوع %s من قبل خادم HTTP @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=النص الحر على إيصالات التس ##### FCKeditor ##### AdvancedEditor=محرر متقدم ActivateFCKeditor=تفعيل محرر متقدم ل: -FCKeditorForNotePublic=إنشاء / إصدار WYSIWIG لعناصر الحقل "الملاحظات العامة" -FCKeditorForNotePrivate=إنشاء / إصدار WYSIWIG للحقل "ملاحظات خاصة" للعناصر -FCKeditorForCompany=إنشاء / إصدار WYSIWIG للوصف الميداني للعناصر (باستثناء المنتجات / الخدمات) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG إنشاء / الطبعة بالبريد -FCKeditorForUserSignature=إنشاء WYSIWIG / طبعة التوقيع المستعمل -FCKeditorForMail=إنشاء / إصدار WYSIWIG لجميع البريد (باستثناء الأدوات-> البريد الإلكتروني) -FCKeditorForTicket=إنشاء / إصدار WYSIWIG للتذاكر +FCKeditorForNotePublic=إنشاء/إصدار WYSIWYG لحقل "الملاحظات العامة" للعناصر +FCKeditorForNotePrivate=إنشاء/إصدار WYSIWYG لحقل "الملاحظات الخاصة" للعناصر +FCKeditorForCompany=إنشاء/إصدار WYSIWYG للوصف الميداني للعناصر (باستثناء المنتجات/الخدمات) +FCKeditorForProductDetails=إنشاء/إصدار WYSIWYG لوصف المنتجات أو سطور للكائنات (سطور العروض، والأوامر، والفواتير، وما إلى ذلك...). +FCKeditorForProductDetails2=تحذير: لا يُنصح بشدة باستخدام هذا الخيار في هذه الحالة لأنه قد يؤدي إلى حدوث مشكلات مع تنسيقات الصفحات و الخاصة عند إنشاء ملفات PDF. +FCKeditorForMailing= إنشاء/إصدار WYSIWYG لرسائل البريد الإلكتروني الجماعية (الأدوات->البريد الإلكتروني) +FCKeditorForUserSignature=إنشاء/إصدار WYSIWYG لتوقيع المستخدم +FCKeditorForMail=إنشاء/إصدار WYSIWYG لكل البريد (باستثناء الأدوات->البريد الإلكتروني) +FCKeditorForTicket=إنشاء/إصدار WYSIWYG للتذاكر ##### Stock ##### StockSetup=إعداد وحدة المخزون IfYouUsePointOfSaleCheckModule=إذا كنت تستخدم وحدة نقطة البيع (POS) التي يتم توفيرها افتراضيًا أو وحدة خارجية ، فقد يتم تجاهل هذا الإعداد بواسطة وحدة نقطة البيع الخاصة بك. تم تصميم معظم وحدات نقاط البيع بشكل افتراضي لإنشاء فاتورة على الفور وتقليل المخزون بغض النظر عن الخيارات هنا. لذلك إذا كنت بحاجة إلى انخفاض في المخزون أم لا عند تسجيل عملية بيع من نقاط البيع الخاصة بك ، فتحقق أيضًا من إعداد وحدة نقاط البيع الخاصة بك. @@ -1800,9 +1813,9 @@ DetailMenuHandler=قائمة المعالج حيث تظهر قائمة جديد DetailMenuModule=اسم وحدة قائمة في حال الدخول من وحدة DetailType=نوع القائمة (أعلى أو إلى اليسار) DetailTitre=قائمة علامة أو بطاقة رمز للترجمة -DetailUrl=URL where menu send you (Relative URL link or external link with https://) +DetailUrl=عنوان URL الذي ترسل إليك فيه القائمة (رابط URL النسبي أو الرابط الخارجي مع https://) DetailEnabled=شرط أن لا تظهر أو الدخول -DetailRight=حالة رمادية غير مصرح بها للعرض القوائم +DetailRight=شرط لعرض القوائم الرمادية غير المصرح بها DetailLangs=لانغ لتسمية اسم ملف الترجمة مدونة DetailUser=المتدرب / خارجي / الكل Target=الهدف @@ -1840,9 +1853,9 @@ AgendaSetup = جدول الأعمال وحدة الإعداد AGENDA_DEFAULT_FILTER_TYPE = عيِّن هذا النوع من الأحداث تلقائيًا في فلتر البحث لطريقة عرض الأجندة AGENDA_DEFAULT_FILTER_STATUS = عيّن هذه الحالة تلقائيًا للأحداث في فلتر البحث لعرض جدول الأعمال AGENDA_DEFAULT_VIEW = أي طريقة عرض تريد فتحها بشكل افتراضي عند تحديد جدول أعمال القائمة -AGENDA_EVENT_PAST_COLOR = Past event color -AGENDA_EVENT_CURRENT_COLOR = Current event color -AGENDA_EVENT_FUTURE_COLOR = Future event color +AGENDA_EVENT_PAST_COLOR = لون الحدث الماضي +AGENDA_EVENT_CURRENT_COLOR = لون الحدث الحالي +AGENDA_EVENT_FUTURE_COLOR = لون الحدث المستقبلي AGENDA_REMINDER_BROWSER = قم بتمكين تذكير الحدث على متصفح المستخدم (عند الوصول إلى تاريخ التذكير ، تظهر نافذة منبثقة بواسطة المتصفح. يمكن لكل مستخدم تعطيل هذه الإشعارات من إعداد إعلام المتصفح الخاص به). AGENDA_REMINDER_BROWSER_SOUND = تمكين الإعلام الصوتي AGENDA_REMINDER_EMAIL = تمكين تذكير الحدث عن طريق رسائل البريد الإلكتروني (يمكن تحديد خيار التذكير / التأخير في كل حدث). @@ -1855,7 +1868,7 @@ PastDelayVCalExport=لا تصدر الحدث الأكبر من SecurityKey = مفتاح الامان ##### ClickToDial ##### ClickToDialSetup=انقر لإعداد وحدة الاتصال الهاتفي -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). +ClickToDialUrlDesc=يتم استدعاء عنوان URL عند النقر على صورة الهاتف. في عنوان URL، يمكنك استخدام العلامات
      __PHONETO__ التي ستكون تم استبداله برقم هاتف الشخص المطلوب الاتصال به
      __PHONEFROM__ ذلك سيتم استبداله برقم هاتف الشخص المتصل (لك)
      __LOGIN__ والتي سيتم استبدالها بتسجيل الدخول Clicktodial (المحدد في بطاقة المستخدم)
      __PASS__ الذي سيتم استبداله بكلمة مرور Clicktodial (المحددة في بطاقة المستخدم). ClickToDialDesc=تقوم هذه الوحدة بتغيير أرقام الهواتف ، عند استخدام جهاز كمبيوتر سطح المكتب ، إلى روابط قابلة للنقر. نقرة سوف تتصل بالرقم. يمكن استخدام هذا لبدء المكالمة الهاتفية عند استخدام هاتف ناعم على سطح المكتب أو عند استخدام نظام CTI القائم على بروتوكول SIP على سبيل المثال. ملاحظة: عند استخدام هاتف ذكي ، تكون أرقام الهواتف قابلة للنقر دائمًا. ClickToDialUseTelLink=مجرد استخدام الرابط "الهاتف:" على أرقام الهواتف ClickToDialUseTelLinkDesc=استخدم هذه الطريقة إذا كان المستخدمون لديهم هاتف softphone أو واجهة برمجية ، مثبتة على نفس جهاز الكمبيوتر مثل المتصفح ، ويتم الاتصال بها عند النقر فوق ارتباط يبدأ بـ "tel:" في متصفحك. إذا كنت بحاجة إلى ارتباط يبدأ بـ "sip:" أو حل خادم كامل (لا حاجة إلى تثبيت برنامج محلي) ، يجب عليك تعيين هذا على "لا" وملء الحقل التالي. @@ -1867,14 +1880,15 @@ CashDeskBankAccountForSell=الحساب النقدي لاستخدامها لتب CashDeskBankAccountForCheque=الحساب الافتراضي المراد استخدامه لتلقي المدفوعات بشيك CashDeskBankAccountForCB=حساب لاستخدام لاستلام المبالغ النقدية عن طريق بطاقات الائتمان CashDeskBankAccountForSumup=حساب مصرفي افتراضي لاستخدامه لتلقي المدفوعات عن طريق SumUp -CashDeskDoNotDecreaseStock=قم بتعطيل انخفاض المخزون عند إجراء عملية بيع من نقطة البيع (إذا كانت الإجابة "لا" ، يتم تخفيض المخزون لكل عملية بيع تتم من نقطة البيع ، بغض النظر عن الخيار المحدد في مخزون الوحدة النمطية). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=قوة وتحد من مستودع لاستخدامها لانخفاض الأسهم StockDecreaseForPointOfSaleDisabled=انخفاض المخزون من نقطة البيع المعطلة StockDecreaseForPointOfSaleDisabledbyBatch=انخفاض المخزون في نقاط البيع غير متوافق مع إدارة المسلسل / اللوتية للوحدة النمطية (نشطة حاليًا) لذلك يتم تعطيل خفض المخزون. CashDeskYouDidNotDisableStockDecease=لم تقم بتعطيل خفض المخزون عند إجراء عملية بيع من نقطة البيع. ومن ثم مطلوب مستودع. CashDeskForceDecreaseStockLabel=تم فرض انخفاض مخزون المنتجات الدفعية. CashDeskForceDecreaseStockDesc=التقليل أولاً من خلال أقدم تواريخ الأكل والبيع. -CashDeskReaderKeyCodeForEnter=Key ASCII code for "Enter" defined in barcode reader (Example: 13) +CashDeskReaderKeyCodeForEnter=رمز ASCII الرئيسي لـ "Enter" المحدد في قارئ الباركود (مثال: 13) ##### Bookmark ##### BookmarkSetup=إعداد وحدة المرجعية BookmarkDesc=تسمح لك هذه الوحدة بإدارة الإشارات المرجعية. يمكنك أيضًا إضافة اختصارات إلى أي صفحات Dolibarr أو مواقع ويب خارجية في القائمة اليسرى. @@ -1912,7 +1926,7 @@ SuppliersInvoiceNumberingModel=نماذج ترقيم فواتير البائعي IfSetToYesDontForgetPermission=في حالة التعيين على قيمة غير فارغة ، لا تنس منح الأذونات للمجموعات أو المستخدمين المسموح لهم بالموافقة الثانية ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=GeoIP Maxmind الإعداد وحدة -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation +PathToGeoIPMaxmindCountryDataFile=المسار إلى الملف الذي يحتوي على Maxmind IP لترجمة البلد NoteOnPathLocation=لاحظ أن الملكية الفكرية الخاصة بك على البيانات القطرية الملف يجب أن تكون داخل الدليل الخاص بي يمكن قراءة (راجع الإعداد open_basedir بى وأذونات نظام الملفات). YouCanDownloadFreeDatFileTo=يمكنك تحميل نسخة تجريبية مجانية من GeoIP ملف Maxmind البلاد في ٪ s. YouCanDownloadAdvancedDatFileTo=كما يمكنك تحميل نسخة كاملة أكثر من ذلك ، مع التحديثات ، من GeoIP ملف Maxmind البلاد في ٪ s. @@ -1963,13 +1977,14 @@ BackupDumpWizard=معالج لإنشاء ملف تفريغ قاعدة البيا BackupZipWizard=معالج لبناء أرشيف دليل المستندات SomethingMakeInstallFromWebNotPossible=تركيب وحدة خارجية غير ممكن من واجهة ويب للسبب التالي: SomethingMakeInstallFromWebNotPossible2=لهذا السبب ، فإن عملية الترقية الموضحة هنا هي عملية يدوية لا يجوز إلا لمستخدم ذي امتيازات القيام بها. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. +InstallModuleFromWebHasBeenDisabledContactUs=تثبيت أو تطوير الوحدات الخارجية أو مواقع الويب الديناميكية، من التطبيق، مقفل حاليًا لأغراض أمنية. يرجى الاتصال بنا إذا كنت بحاجة إلى تمكين هذه الميزة. InstallModuleFromWebHasBeenDisabledByFile=تثبيت وحدة خارجية من التطبيق قد تم تعطيلها من قبل المسؤول. يجب أن يطلب منه إزالة الملف٪ s للسماح هذه الميزة. ConfFileMustContainCustom=يحتاج تثبيت أو بناء وحدة خارجية من التطبيق إلى حفظ ملفات الوحدة النمطية في الدليل %s . لكي تتم معالجة هذا الدليل بواسطة Dolibarr ، يجب عليك إعداد conf / conf.php لإضافة سطري التوجيه:
      $ dolibarr_main_url_root_alt = '/root_alt؛
      $ dolibarr_main_document_root_alt = '%s / مخصص' ؛ HighlightLinesOnMouseHover=تسليط الضوء على خطوط الجدول عندما يمر تحرك الماوس فوق HighlightLinesColor=قم بتمييز لون الخط عندما يمر الماوس فوقه (استخدم "ffffff" لعدم التمييز) HighlightLinesChecked=قم بتمييز لون الخط عند تحديده (استخدم "ffffff" لعدم التمييز) UseBorderOnTable=إظهار الحدود اليسرى واليمنى على الجداول +TableLineHeight=ارتفاع خط الجدول BtnActionColor=لون زر الإجراء TextBtnActionColor=لون نص زر الإجراء TextTitleColor=لون نص عنوان الصفحة @@ -1991,7 +2006,7 @@ EnterAnyCode=يحتوي هذا الحقل على مرجع لتعريف الخط. Enter0or1=أدخل 0 أو 1 UnicodeCurrency=أدخل هنا بين الأقواس ، قائمة رقم البايت الذي يمثل رمز العملة. على سبيل المثال: بالنسبة إلى $ ، أدخل [36] - للبرازيل ريال R $ [82،36] - لـ € ، أدخل [8364] ColorFormat=لون RGB بصيغة HEX ، على سبيل المثال: FF0000 -PictoHelp=اسم الرمز بالتنسيق:
      - image.png لملف صورة في دليل السمة الحالي
      - image.png@module إذا كان الملف في الدليل / img / للوحدة النمطية
      - fa-xxx للخط fa-xxx picto
      - fonwtawesome_xxx_fa_color_size ل FontAwesome fa-xxx picto (مع البادئة واللون ومجموعة الحجم) +PictoHelp=اسم الأيقونة بالتنسيق:
      - image.png لملف صورة في دليل السمة الحالي
      - image.png@نموذج إذا كان الملف موجودًا في الدليل /img/ الخاص بوحدة نمطية
      - fa-xxx لصورة FontAwesome fa-xxx
      - Fontawesome_xxx_fa_color_size لصورة FontAwesome fa-xxx (مع بادئة، مجموعة حجم اللون و) PositionIntoComboList=موقف خط في قوائم السرد SellTaxRate=معدل ضريبة المبيعات RecuperableOnly=نعم لضريبة القيمة المضافة "غير متصورة ولكن قابلة للاسترداد" المخصصة لبعض الولايات في فرنسا. احتفظ بقيمة "لا" في جميع الحالات الأخرى. @@ -2074,15 +2089,15 @@ MAIN_PDF_MARGIN_RIGHT=الهامش الايمن لملفات صيغة المست MAIN_PDF_MARGIN_TOP=الهامش العلوي لصيغة المستندات المتنقلة MAIN_PDF_MARGIN_BOTTOM=الهامش العلوي لصيغة المستندات المتنقلة MAIN_DOCUMENTS_LOGO_HEIGHT=ارتفاع الشعار على صيغة المستندات المتنقلة -DOC_SHOW_FIRST_SALES_REP=Show first sales representative +DOC_SHOW_FIRST_SALES_REP=عرض مندوب المبيعات الأول MAIN_GENERATE_PROPOSALS_WITH_PICTURE=أضف عمودًا للصورة في سطور الاقتراح MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=عرض العمود إذا تم إضافة صورة على الخطوط -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=إخفاء عمود سعر الوحدة في طلبات عروض الأسعار +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=إخفاء عمود السعر الإجمالي في طلبات عروض الأسعار +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=إخفاء عمود سعر الوحدة في أوامر الشراء +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=إخفاء عمود السعر الإجمالي في أوامر الشراء MAIN_PDF_NO_SENDER_FRAME=إخفاء الحدود في إطار عنوان المرسل -MAIN_PDF_NO_RECIPENT_FRAME=إخفاء الحدود على إطار عنوان المستلم +MAIN_PDF_NO_RECIPENT_FRAME=إخفاء الحدود في إطار عنوان المستلم MAIN_PDF_HIDE_CUSTOMER_CODE=إخفاء رمز العميل MAIN_PDF_HIDE_SENDER_NAME=إخفاء اسم المرسل / الشركة في كتلة العنوان PROPOSAL_PDF_HIDE_PAYMENTTERM=إخفاء شروط المدفوعات @@ -2094,11 +2109,11 @@ EnterCalculationRuleIfPreviousFieldIsYes=أدخل قاعدة الحساب إذا SeveralLangugeVariatFound=تم العثور على العديد من المتغيرات اللغوية RemoveSpecialChars=إزالة الأحرف الخاصة COMPANY_AQUARIUM_CLEAN_REGEX=مرشح Regex لتنظيف القيمة (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code +COMPANY_AQUARIUM_NO_PREFIX=لا تستخدم البادئة، فقط قم بنسخ الكود العميل أو مورد COMPANY_DIGITARIA_CLEAN_REGEX=مرشح Regex لتنظيف القيمة (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=مكرر غير مسموح به -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word +RemoveSpecialWords=تنظيف كلمات معينة عند إنشاء حسابات فرعية للعملاء أو الموردين +RemoveSpecialWordsHelp=حدد الكلمات المراد تنظيفها قبل حساب حساب العميل أو مورد. إستخدم "؛" بين كل كلمة GDPRContact=مسؤول حماية البيانات (DPO أو خصوصية البيانات أو جهة اتصال GDPR) GDPRContactDesc=إذا قمت بتخزين البيانات الشخصية في نظام المعلومات الخاص بك ، فيمكنك تسمية جهة الاتصال المسؤولة عن اللائحة العامة لحماية البيانات هنا HelpOnTooltip=نص المساعدة للظهور في تلميح الأداة @@ -2116,21 +2131,21 @@ EmailCollectorDescription=أضف وظيفة مجدولة وصفحة إعداد NewEmailCollector=جامع البريد الإلكتروني الجديد EMailHost=مضيف خادم IMAP للبريد الإلكتروني EMailHostPort=منفذ خادم IMAP للبريد الإلكتروني -loginPassword=Login/Password -oauthToken=OAuth2 token -accessType=Acces type -oauthService=Oauth service -TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session +loginPassword=كلمة سر الدخول +oauthToken=رمز OAuth2 +accessType=نوع الوصول +oauthService=خدمة أوث +TokenMustHaveBeenCreated=نموذج يجب تمكين OAuth2 و يجب إنشاء رمز oauth2 المميز بالأذونات الصحيحة (على سبيل المثال النطاق "gmail_full" مع OAuth لجي ميل). +ImapEncryption = طريقة تشفير IMAP +ImapEncryptionHelp = على سبيل المثال: لا شيء، SSL، TLS، Notls +NoRSH = استخدم تكوين NoRSH +NoRSHHelp = لا تستخدم بروتوكولات RSH أو SSH لإنشاء جلسة تعريف مسبق لـ IMAP MailboxSourceDirectory=دليل مصدر صندوق البريد MailboxTargetDirectory=دليل الهدف صندوق البريد EmailcollectorOperations=العمليات التي يقوم بها المجمع EmailcollectorOperationsDesc=يتم تنفيذ العمليات من أعلى إلى أسفل الترتيب MaxEmailCollectPerCollect=أقصى عدد من رسائل البريد الإلكتروني التي تم جمعها لكل مجموعة -TestCollectNow=Test collect +TestCollectNow=جمع الاختبار CollectNow=اجمع الآن ConfirmCloneEmailCollector=هل تريد بالتأكيد استنساخ مُجمع البريد الإلكتروني %s؟ DateLastCollectResult=تاريخ آخر جمع حاول @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=لا تقم بتضمين محتوى رأس الب EmailCollectorHideMailHeadersHelp=عند التمكين ، لا تتم إضافة رؤوس البريد الإلكتروني في نهاية محتوى البريد الإلكتروني الذي تم حفظه كحدث جدول أعمال. EmailCollectorConfirmCollectTitle=تأكيد جمع البريد الإلكتروني EmailCollectorConfirmCollect=هل تريد تشغيل هذا المجمع الآن؟ -EmailCollectorExampleToCollectTicketRequestsDesc=اجمع رسائل البريد الإلكتروني التي تطابق بعض القواعد وأنشئ تذكرة تلقائيًا (يجب تمكين Module Ticket) باستخدام معلومات البريد الإلكتروني. يمكنك استخدام هذا المجمع إذا قدمت بعض الدعم عبر البريد الإلكتروني ، لذلك سيتم إنشاء طلب التذكرة تلقائيًا. قم أيضًا بتنشيط Collect_Responses لتجميع إجابات عميلك مباشرةً على عرض التذكرة (يجب عليك الرد من Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=جمع رسائل البريد الإلكتروني التي تطابق بعض القواعد و إنشاء تذكرة تلقائيًا (نموذج يجب تمكين التذكرة) باستخدام معلومات البريد الإلكتروني. يمكنك استخدام أداة التجميع هذه إذا قدمت بعض الدعم عبر البريد الإلكتروني، لذلك سيتم إنشاء طلب التذكرة الخاص بك تلقائيًا. قم أيضًا بتنشيط Collect_Responses لجمع إجابات عميلك مباشرة على عرض التذكرة (يجب عليك الرد من Dolibarr). EmailCollectorExampleToCollectTicketRequests=مثال على جمع طلب التذكرة (الرسالة الأولى فقط) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=امسح دليل صندوق البريد "المرسل" للعثور على رسائل البريد الإلكتروني التي تم إرسالها كإجابة على بريد إلكتروني آخر مباشرةً من برنامج البريد الإلكتروني الخاص بك وليس من Dolibarr. إذا تم العثور على مثل هذا البريد الإلكتروني ، يتم تسجيل حدث الإجابة في Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=مثال على جمع إجابات البريد الإلكتروني المرسلة من برنامج بريد إلكتروني خارجي EmailCollectorExampleToCollectDolibarrAnswersDesc=اجمع كل رسائل البريد الإلكتروني التي تمثل إجابة على رسالة بريد إلكتروني مرسلة من تطبيقك. سيتم تسجيل حدث (يجب تمكين جدول أعمال الوحدة النمطية) مع استجابة البريد الإلكتروني في مكان جيد. على سبيل المثال ، إذا أرسلت عرضًا تجاريًا أو طلبًا أو فاتورة أو رسالة لتذكرة عبر البريد الإلكتروني من التطبيق ، وقام المستلم بالرد على بريدك الإلكتروني ، فسيقوم النظام تلقائيًا بالتقاط الإجابة وإضافتها إلى نظام تخطيط موارد المؤسسات الخاص بك. EmailCollectorExampleToCollectDolibarrAnswers=مثال على جمع جميع الرسائل الداخلية التي تكون إجابات على الرسائل المرسلة من Dolibarr ' -EmailCollectorExampleToCollectLeadsDesc=جمع رسائل البريد الإلكتروني التي تتطابق مع بعض القواعد وإنشاء عميل متوقع تلقائيًا (يجب تمكين مشروع الوحدة النمطية) باستخدام معلومات البريد الإلكتروني. يمكنك استخدام أداة التجميع هذه إذا كنت تريد متابعة زمام المبادرة باستخدام مشروع الوحدة النمطية (عميل متوقع واحد = مشروع واحد) ، لذلك سيتم إنشاء العملاء المتوقعين تلقائيًا. إذا تم أيضًا تمكين Collect_Responses للمجمع ، فعند إرسال بريد إلكتروني من العملاء المتوقعين أو المقترحات أو أي كائن آخر ، قد ترى أيضًا إجابات لعملائك أو شركائك مباشرةً في التطبيق.
      ملاحظة: باستخدام هذا المثال الأولي ، يتم إنشاء عنوان العميل المتوقع متضمنًا البريد الإلكتروني. إذا تعذر العثور على الطرف الثالث في قاعدة البيانات (عميل جديد) ، فسيتم إرفاق العميل المتوقع بالطرف الثالث بمعرف 1. +EmailCollectorExampleToCollectLeadsDesc=جمع رسائل البريد الإلكتروني التي تطابق بعض القواعد و قم بإنشاء عميل محتمل تلقائيًا (نموذج < يجب تمكين النطاق class='notranslate'>مشروع
      ) مع معلومات البريد الإلكتروني. يمكنك استخدام هذا المجمع إذا كنت تريد متابعة عميل محتمل باستخدام نموذج مشروع (1 عميل محتمل = 1 مشروع)، لذلك سيتم إنشاء العملاء المتوقعين تلقائيًا. إذا تم تمكين المجمع Collect_Responses أيضًا، فعندما ترسل بريدًا إلكترونيًا من العملاء المتوقعين أو المقترحات أو أي كائن آخر، فقد ترى أيضًا إجابات عملائك أو شركائك مباشرة على التطبيق.
      ملاحظة: في هذا المثال الأولي، يتم إنشاء عنوان عميل محتمل بما في ذلك البريد الإلكتروني. إذا تعذر العثور على الطرف الثالث في قاعدة البيانات (new العميل)، فسيتم إرفاق عميل محتمل بالطرف الثالث باستخدام المعرف 1. EmailCollectorExampleToCollectLeads=مثال على جمع العملاء المحتملين EmailCollectorExampleToCollectJobCandidaturesDesc=اجمع رسائل البريد الإلكتروني التي تتقدم إلى عروض العمل (يجب تمكين Module Recruitment). يمكنك إكمال هذا المجمع إذا كنت تريد إنشاء ترشيح تلقائيًا لطلب وظيفة. ملاحظة: مع هذا المثال الأولي ، يتم إنشاء عنوان الترشيح بما في ذلك البريد الإلكتروني. EmailCollectorExampleToCollectJobCandidatures=مثال على جمع ترشيحات الوظائف الواردة عن طريق البريد الإلكتروني @@ -2159,7 +2174,7 @@ CodeLastResult=Latest result code NbOfEmailsInInbox=عدد رسائل البريد الإلكتروني في دليل المصدر LoadThirdPartyFromName=تحميل بحث الطرف الثالث على %s (تحميل فقط) LoadThirdPartyFromNameOrCreate=قم بتحميل بحث الطرف الثالث على %s (أنشئ إذا لم يتم العثور عليه) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) +LoadContactFromEmailOrCreate=تحميل البحث عن جهات الاتصال على %s (أنشئ إذا لم يتم العثور عليه) AttachJoinedDocumentsToObject=احفظ الملفات المرفقة في مستندات الكائن إذا تم العثور على مرجع لكائن في موضوع البريد الإلكتروني. WithDolTrackingID=رسالة من محادثة بدأت بأول بريد إلكتروني مرسل من Dolibarr WithoutDolTrackingID=رسالة من محادثة بدأها أول بريد إلكتروني لم يتم إرساله من Dolibarr @@ -2169,7 +2184,7 @@ CreateCandidature=إنشاء طلب وظيفة FormatZip=الرمز البريدي MainMenuCode=رمز دخول القائمة (mainmenu) ECMAutoTree=عرض شجرة ECM التلقائية -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. +OperationParamDesc=حدد القواعد التي سيتم استخدامها لاستخراج بعض البيانات أو تعيين القيم لاستخدامها في العملية.

      مثال لاستخراج شركة الاسم من موضوع البريد الإلكتروني إلى متغير مؤقت:
      tmp_var=EXTRACT:SUBJECT:رسالة من شركة< /فترة> ([^\n]*)

      أمثلة لتعيين خصائص الكائن المراد إنشاؤه:
      objproperty1=SET:قيمة مشفرة ثابتة
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:قيمة (قيمة) يتم تعيينها فقط إذا لم تكن الخاصية محددة بالفعل)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:شركة الاسم هو\\s([^\\s]*)

      استخدام جديد خط لاستخراج أو تعيين العديد من الخصائص. OpeningHours=ساعات الافتتاح OpeningHoursDesc=ادخل هنا ساعات الافتتاح لشركتك ResourceSetup=تكوين وحدة الموارد @@ -2188,10 +2203,10 @@ Protanopia=بروتوبيا Deuteranopes=الثنائيات Tritanopes=تريتانوبس ThisValueCanOverwrittenOnUserLevel=يمكن لكل مستخدم الكتابة فوق هذه القيمة من صفحة المستخدم الخاصة به - علامة التبويب "%s" -DefaultCustomerType=نوع الطرف الثالث الافتراضي لنموذج إنشاء "عميل جديد" +DefaultCustomerType=نوع الجهة الخارجية الافتراضي لنموذج إنشاء "العميل" الجديد ABankAccountMustBeDefinedOnPaymentModeSetup=ملاحظة: يجب تحديد الحساب المصرفي في الوحدة النمطية لكل وضع دفع (Paypal ، Stripe ، ...) حتى تعمل هذه الميزة. RootCategoryForProductsToSell=فئة جذر المنتجات للبيع -RootCategoryForProductsToSellDesc=إذا تم تحديدها ، فستتوفر فقط المنتجات الموجودة داخل هذه الفئة أو الأطفال من هذه الفئة في نقطة البيع +RootCategoryForProductsToSellDesc=إذا تم تحديدها، فلن تتوفر سوى المنتجات الموجودة داخل هذه الفئة أو المنتجات التابعة لهذه الفئة في نقطة البيع DebugBar=شريط التصحيح DebugBarDesc=شريط أدوات مزود بالعديد من الأدوات لتبسيط تصحيح الأخطاء DebugBarSetup=إعداد DebugBar @@ -2212,11 +2227,11 @@ ImportSetup=إعداد استيراد الوحدة InstanceUniqueID=المعرف الفريد للمثيل SmallerThan=اصغر من LargerThan=أكبر من -IfTrackingIDFoundEventWillBeLinked=لاحظ أنه إذا تم العثور على معرف تتبع لعنصر ما في البريد الإلكتروني ، أو إذا كان البريد الإلكتروني عبارة عن إجابة على بريد إلكتروني تم تجميعه مسبقًا ومرتبط بكائن ، فسيتم ربط الحدث الذي تم إنشاؤه تلقائيًا بالعنصر ذي الصلة المعروف. -WithGMailYouCanCreateADedicatedPassword=باستخدام حساب GMail ، إذا قمت بتمكين التحقق بخطوتين ، فمن المستحسن إنشاء كلمة مرور ثانية مخصصة للتطبيق بدلاً من استخدام رمز مرور حسابك من https://myaccount.google.com/. -EmailCollectorTargetDir=قد يكون من السلوك المرغوب فيه نقل البريد الإلكتروني إلى علامة / دليل آخر عند معالجته بنجاح. ما عليك سوى تعيين اسم الدليل هنا لاستخدام هذه الميزة (لا تستخدم أحرفًا خاصة في الاسم). لاحظ أنه يجب عليك أيضًا استخدام حساب تسجيل دخول للقراءة / الكتابة. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). +IfTrackingIDFoundEventWillBeLinked=لاحظ أنه إذا تم العثور على معرف تتبع لكائن ما في البريد الإلكتروني، أو إذا كان البريد الإلكتروني عبارة عن إجابة لرسالة بريد إلكتروني تم جمعها بالفعل و مرتبطة بكائن ما، فسيتم إنشاء الحدث تلقائيًا مرتبطة بالكائن المعروف ذي الصلة. +WithGMailYouCanCreateADedicatedPassword=باستخدام حساب GMail، إذا قمت بتمكين التحقق بخطوتين، فمن المستحسن إنشاء كلمة مرور ثانية مخصصة للتطبيق بدلاً من استخدام كلمة مرور حسابك الخاص من https://myaccount.google.com/. +EmailCollectorTargetDir=قد يكون نقل البريد الإلكتروني إلى دليل آخر وسم/دليلًا آخر عندما تمت معالجته بنجاح. ما عليك سوى تعيين اسم الدليل هنا لاستخدام هذه الميزة (لا تستخدم أحرفًا خاصة في الاسم). لاحظ أنه يجب عليك أيضًا استخدام حساب تسجيل الدخول للقراءة/الكتابة. +EmailCollectorLoadThirdPartyHelp=يمكنك استخدام هذا الإجراء لاستخدام محتوى البريد الإلكتروني للعثور على و وتحميل جهة خارجية موجودة في قاعدة بياناتك (سيتم إجراء البحث على الخاصية المحددة بين 'id' و'name' ، "الاسم المستعار"، "البريد الإلكتروني"). سيتم استخدام الطرف الثالث الذي تم العثور عليه (أو إنشاؤه) لمتابعة الإجراءات التي تحتاج إليه.
      على سبيل المثال، إذا كنت تريد إنشاء طرف ثالث باسم مستخرج من سلسلة ' الاسم: الاسم المراد العثور عليه موجود في النص، استخدم البريد الإلكتروني للمرسل كبريد إلكتروني، يمكنك تعيين حقل المعلمة مثل هذا:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=تحذير: تقوم الكثير من خوادم البريد الإلكتروني (مثل Gmail) بإجراء عمليات بحث كاملة عن الكلمات عند البحث عن سلسلة و لن يعرض نتيجة إذا تم العثور على السلسلة جزئيًا فقط في كلمة. لهذا السبب أيضًا، سيتم تجاهل استخدام الأحرف الخاصة في معايير البحث إذا لم تكن جزءًا من الكلمات الموجودة.
      لإجراء بحث استبعاد عن كلمة (قم بإرجاع البريد الإلكتروني إذا كانت الكلمة لم يتم العثور عليه)، يمكنك استخدام ! الحرف قبل الكلمة (قد لا يعمل على بعض خوادم البريد). EndPointFor=نقطة النهاية لـ %s: %s DeleteEmailCollector=حذف مُجمع البريد الإلكتروني ConfirmDeleteEmailCollector=هل أنت متأكد أنك تريد حذف جامع البريد الإلكتروني هذا؟ @@ -2233,11 +2248,11 @@ EMailsWillHaveMessageID=ستحتوي رسائل البريد الإلكترون PDF_SHOW_PROJECT=عرض المشروع في المستند ShowProjectLabel=تسمية المشروع PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=تضمين الاسم المستعار في اسم الطرف الثالث -THIRDPARTY_ALIAS=اسم الطرف الثالث - الاسم المستعار الطرف الثالث -ALIAS_THIRDPARTY=الاسم المستعار للطرف الثالث - اسم الطرف الثالث -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) +THIRDPARTY_ALIAS=اسم الطرف الثالث - الاسم المستعار للطرف الثالث +ALIAS_THIRDPARTY=الاسم المستعار لجهة خارجية - اسم الجهة الخارجية +PDFIn2Languages=إظهار التسميات في ملف PDF بلغتين مختلفتين (قد لا تعمل هذه الميزة مع بعض اللغات) PDF_USE_ALSO_LANGUAGE_CODE=اذا كنت ترغب في تكرار بعض النصوص بلغتين مختلفتين في ملفاتك المولدة بصيغة المستندات المتنقلة . يجب عليك ان ان تحدد اللغة الثانية هنا حتى يتسنى للملفات المولدة ان تحتوي على لغتين في نفس الصفحة . اللغة المختارة اثناء توليد المستند واللغة المختارة هنا (فقط بعض قوالب صيغة المستندات المتنقلة تدعم هذه الميزة) . ابق الخيار فارغاً للتوليد بلغة واحدة -PDF_USE_A=إنشاء مستندات PDF بتنسيق PDF / A بدلاً من تنسيق PDF الافتراضي +PDF_USE_A=قم بإنشاء مستندات PDF بتنسيق PDF/A بدلاً من التنسيق الافتراضي PDF FafaIconSocialNetworksDesc=أدخل هنا رمز رمز FontAwesome. إذا كنت لا تعرف ما هو FontAwesome ، فيمكنك استخدام القيمة العامة fa-address-book. RssNote=ملاحظة: كل تعريف لمصدر اخبار مختصرة يوفر بريمج يجب تفعيله ليكون متاحا في لوحة المعلومات JumpToBoxes=اذهب الى الاعدادت -> البريمجات @@ -2254,22 +2269,22 @@ YouMayFindSecurityAdviceHere=قد تجد نصائح أمنية هنا ModuleActivatedMayExposeInformation=قد يؤدي امتداد PHP هذا إلى كشف بيانات حساسة. إذا لم تكن بحاجة إليه ، فقم بتعطيله. ModuleActivatedDoNotUseInProduction=تم تمكين وحدة مصممة للتطوير. لا تقم بتمكينه في بيئة الإنتاج. CombinationsSeparator=حرف فاصل لتركيبات المنتج -SeeLinkToOnlineDocumentation=انظر الارتباط إلى التوثيق عبر الإنترنت في القائمة العلوية للحصول على أمثلة +SeeLinkToOnlineDocumentation=انظر الرابط إلى الوثائق عبر الإنترنت في القائمة العلوية للحصول على أمثلة SHOW_SUBPRODUCT_REF_IN_PDF=اذا كانت الميزة "%s" من الوحدة %s مستخدمة ، اظهر التفاصيل للمنتجات الفرعية في الملفات بصيغة المستندات المتنقلة AskThisIDToYourBank=اتصل بالمصرف الذي تتعامل معه للحصول على هذا المعرف -AdvancedModeOnly=الإذن متاح في وضع الإذن المتقدم فقط +AdvancedModeOnly=الإذن متاح في وضع الأذونات المتقدمة فقط ConfFileIsReadableOrWritableByAnyUsers=ملف conf يمكن قراءته أو الكتابة عليه من قبل أي مستخدم. إعطاء الإذن لمستخدم خادم الويب والمجموعة فقط. MailToSendEventOrganization=تنظيم الأحداث MailToPartnership=شراكة AGENDA_EVENT_DEFAULT_STATUS=حالة الحدث الافتراضية عند إنشاء حدث من النموذج YouShouldDisablePHPFunctions=يجب عليك تعطيل وظائف PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=باستثناء إذا كنت بحاجة إلى تشغيل أوامر النظام في رمز مخصص ، يجب عليك تعطيل وظائف PHP -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions +IfCLINotRequiredYouShouldDisablePHPFunctions=ما لم تكن بحاجة إلى تشغيل أوامر النظام في تعليمات برمجية مخصصة، فيجب عليك تعطيل وظائف PHP +PHPFunctionsRequiredForCLI=لأغراض الصدفة (مثل النسخ الاحتياطي للمهمة المجدولة أو تشغيل برنامج مكافحة الفيروسات)، يجب عليك الاحتفاظ بوظائف PHP NoWritableFilesFoundIntoRootDir=لم يتم العثور على ملفات أو أدلة قابلة للكتابة للبرامج الشائعة في الدليل الجذر الخاص بك (جيد) RecommendedValueIs=موصى به: %s Recommended=موصى بها NotRecommended=لا ينصح -ARestrictedPath=Some restricted path for data files +ARestrictedPath=بعض المسارات المقيدة لملفات البيانات CheckForModuleUpdate=تحقق من وجود تحديثات الوحدات الخارجية CheckForModuleUpdateHelp=سيتصل هذا الإجراء بمحرري الوحدات الخارجية للتحقق من توفر إصدار جديد. ModuleUpdateAvailable=تحديث متاح @@ -2277,14 +2292,14 @@ NoExternalModuleWithUpdate=لم يتم العثور على تحديثات للو SwaggerDescriptionFile=ملف وصف Swagger API (للاستخدام مع redoc على سبيل المثال) YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=لقد قمت بتمكين WS API الموقوف. يجب عليك استخدام REST API بدلاً من ذلك. RandomlySelectedIfSeveral=يتم اختياره عشوائيًا في حالة توفر عدة صور -SalesRepresentativeInfo=For Proposals, Orders, Invoices. +SalesRepresentativeInfo=للمقترحات والأوامر والفواتير. DatabasePasswordObfuscated=كلمة مرور قاعدة البيانات مشوشة في ملف conf DatabasePasswordNotObfuscated=لم يتم إخفاء كلمة مرور قاعدة البيانات في ملف conf APIsAreNotEnabled=لم يتم تمكين الوحدات النمطية لواجهات برمجة التطبيقات YouShouldSetThisToOff=يجب عليك ضبط هذا على 0 أو إيقاف تشغيله InstallAndUpgradeLockedBy=التثبيت والترقيات مقفلة بالملف %s -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. +InstallLockedBy=يتم تأمين التثبيت/إعادة التثبيت بواسطة الملف %s +InstallOfAddonIsNotBlocked=لا يتم تأمين عمليات تثبيت الإضافات. قم بإنشاء ملف installmodules.lock في الدليل %s لمنع تثبيت الإضافات/الوحدات الخارجية. OldImplementation=التنفيذ القديم PDF_SHOW_LINK_TO_ONLINE_PAYMENT=إذا تم تمكين بعض وحدات الدفع عبر الإنترنت (Paypal ، Stripe ، ...) ، فأضف رابطًا في ملف PDF لإجراء الدفع عبر الإنترنت DashboardDisableGlobal=قم بتعطيل جميع إبهام الكائنات المفتوحة بشكل عام @@ -2319,15 +2334,15 @@ LateWarningAfter=تحذير "متأخر" بعد TemplateforBusinessCards=قالب لبطاقة عمل بحجم مختلف InventorySetup= إعداد الجرد ExportUseLowMemoryMode=استخدم وضع ذاكرة منخفضة -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. +ExportUseLowMemoryModeHelp=استخدم وضع الذاكرة المنخفضة لإنشاء ملف التفريغ (يتم الضغط من خلال أنبوب بدلاً من ذاكرة PHP). لا تسمح هذه الطريقة بالتحقق من اكتمال الملف و ولا يمكن الإبلاغ عن رسالة الخطأ في حالة فشله. استخدمه إذا واجهت أخطاء غير كافية في الذاكرة. ModuleWebhookName = الويب هوك -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL +ModuleWebhookDesc = واجهة لالتقاط مشغلات dolibarr و لإرسال بيانات الحدث إلى عنوان URL WebhookSetup = إعداد Webhook Settings = الإعدادات WebhookSetupPage = صفحة إعداد Webhook ShowQuickAddLink=أظهر زرًا لإضافة عنصر بسرعة في القائمة العلوية اليمنى - +ShowSearchAreaInTopMenu=إظهار البحث منطقة في القائمة العلوية HashForPing=تجزئة تستخدم لأداة ping ReadOnlyMode=هو المثال في وضع "للقراءة فقط" DEBUGBAR_USE_LOG_FILE=استخدم ملف dolibarr.log لتعويض السجلات @@ -2337,15 +2352,15 @@ DefaultOpportunityStatus=حالة الفرصة الافتراضية (الحال IconAndText=الرمز والنص TextOnly=نص فقط -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon +IconOnlyAllTextsOnHover=الأيقونة فقط - تظهر جميع النصوص أسفل الأيقونة الموجودة بالماوس فوق شريط القائمة +IconOnlyTextOnHover=الأيقونة فقط - يظهر نص الأيقونة أسفل الأيقونة الموجودة بالماوس فوق الأيقونة IconOnly=رمز فقط - نص على تلميح الأداة فقط INVOICE_ADD_ZATCA_QR_CODE=إظهار رمز الاستجابة السريعة ZATCA على الفواتير INVOICE_ADD_ZATCA_QR_CODEMore=تحتاج بعض الدول العربية إلى رمز الاستجابة السريعة هذا على فواتيرها INVOICE_ADD_SWISS_QR_CODE=أظهر رمز QR-Bill السويسري على الفواتير -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. +INVOICE_ADD_SWISS_QR_CODEMore=معيار سويسرا للفواتير؛ تأكد من ملء الرمز البريدي والمدينة و وأن الحسابات تحتوي على أرقام IBAN صالحة في سويسرا/ليختنشتاين. INVOICE_SHOW_SHIPPING_ADDRESS=عرض عنوان الشحن -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) +INVOICE_SHOW_SHIPPING_ADDRESSMore=الإشارة الإجبارية في بعض البلدان (فرنسا،...) UrlSocialNetworksDesc=رابط URL للشبكة الاجتماعية. استخدم {socialid} للجزء المتغير الذي يحتوي على معرف الشبكة الاجتماعية. IfThisCategoryIsChildOfAnother=إذا كانت هذه الفئة تابعة لفئة أخرى DarkThemeMode=وضع المظهر الداكن @@ -2356,7 +2371,7 @@ DoesNotWorkWithAllThemes=لن تعمل مع جميع المواضيع NoName=بدون اسم ShowAdvancedOptions= عرض الخيارات المتقدمة HideAdvancedoptions= إخفاء الخيارات المتقدمة -CIDLookupURL=تجلب الوحدة عنوان URL يمكن استخدامه بواسطة أداة خارجية للحصول على اسم طرف ثالث أو جهة اتصال من رقم هاتفه. URL المطلوب استخدامه هو: +CIDLookupURL=يقدم نموذج عنوان URL يمكن استخدامه بواسطة أداة خارجية للحصول على اسم جهة خارجية أو جهة اتصال من رقم هاتفها. عنوان URL المراد استخدامه هو: OauthNotAvailableForAllAndHadToBeCreatedBefore=مصادقة OAUTH2 غير متاحة لجميع المضيفين ، ويجب أن يكون قد تم إنشاء رمز مميز بالأذونات الصحيحة في المنبع باستخدام الوحدة النمطية OAUTH MAIN_MAIL_SMTPS_OAUTH_SERVICE=خدمة مصادقة OAUTH2 DontForgetCreateTokenOauthMod=يجب إنشاء رمز مميز بالأذونات الصحيحة مع وحدة OAUTH النمطية @@ -2364,45 +2379,64 @@ MAIN_MAIL_SMTPS_AUTH_TYPE=طريقة المصادقة UsePassword=استخدم كلمة مرور UseOauth=استخدم رمز OAUTH Images=الصور -MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=تجلب الوحدة عنوان URL يمكن استخدامه بواسطة أداة خارجية للحصول على اسم طرف ثالث أو جهة اتصال من رقم هاتفه. URL المطلوب استخدامه هو: +MaxNumberOfImagesInGetPost=الحد الأقصى لعدد الصور المسموح بها في حقل HTML المقدم في النموذج +MaxNumberOfPostOnPublicPagesByIP=الحد الأقصى لعدد المنشورات على الصفحات العامة بنفس عنوان IP في الشهر +CIDLookupURL=يقدم نموذج عنوان URL يمكن استخدامه بواسطة أداة خارجية للحصول على اسم جهة خارجية أو جهة اتصال من رقم هاتفها. عنوان URL المراد استخدامه هو: ScriptIsEmpty=لم يتم كتابة كود برمجي -ShowHideTheNRequests=Show/hide the %s SQL request(s) -DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s +ShowHideTheNRequests=إظهار/إخفاء طلب (طلبات) SQL %s +DefinedAPathForAntivirusCommandIntoSetup=حدد مسارًا لبرنامج مكافحة الفيروسات إلى %s TriggerCodes=أحداث قابله للاثارة -TriggerCodeInfo=Enter here the trigger code(s) that must generate a post of a web request (only external URL are allowed). You can enter several trigger codes separated by a comma. -EditableWhenDraftOnly=If unchecked, the value can only be modified when object has a draft status -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" -RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents for receptions -MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions +TriggerCodeInfo=أدخل هنا رمز (رموز) التشغيل التي يجب أن تنشئ منشورًا لطلب ويب (يُسمح فقط بعنوان URL الخارجي). يمكنك إدخال عدة رموز تشغيل مفصولة بفاصلة. +EditableWhenDraftOnly=إذا لم يتم تحديدها، فلا يمكن تعديل القيمة إلا عندما يكون للكائن مسودة حالة +CssOnEdit=CSS على صفحات التحرير +CssOnView=CSS على صفحات العرض +CssOnList=CSS في القوائم +HelpCssOnEditDesc=CSS المستخدم عند تحرير الحقل.
      مثال: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=CSS المستخدم عند عرض الحقل. +HelpCssOnListDesc=يتم استخدام CSS عندما يكون الحقل داخل جدول القائمة.
      مثال: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=إخفاء الكمية المطلوبة في المستندات التي تم إنشاؤها لحفلات الاستقبال +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=إظهار السعر على المستندات التي تم إنشاؤها لحفلات الاستقبال WarningDisabled=التحذيرات معطلة -LimitsAndMitigation=Access limits and mitigation +LimitsAndMitigation=حدود الوصول و التخفيف +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=الاجهزة المكتبية فقط DesktopsAndSmartphones=للموبايل و الاجهزة المكتبية -AllowOnlineSign=Allow online signing -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. -CSSPage=CSS Style +AllowOnlineSign=السماح بالتوقيع عبر الإنترنت +AllowExternalDownload=السماح بالتنزيل الخارجي (بدون تسجيل الدخول، باستخدام رابط مشترك) +DeadlineDayVATSubmission=الموعد النهائي لتقديم ضريبة القيمة المضافة في الشهر التالي +MaxNumberOfAttachementOnForms=الحد الأقصى لعدد الملفات المرتبطة في النموذج +IfDefinedUseAValueBeetween=في حالة التحديد، استخدم قيمة بين %s و %s +Reload=إعادة تحميل +ConfirmReload=تأكيد إعادة تحميل نموذج +WarningModuleHasChangedLastVersionCheckParameter=تحذير: قام نموذج %s بتعيين معلمة للتحقق من إصدارها عند كل وصول إلى الصفحة. هذه ممارسة و سيئة وغير مسموح بها والتي قد تجعل صفحة إدارة الوحدات النمطية غير مستقرة. يرجى الاتصال بمؤلف نموذج لإصلاح هذه المشكلة. +WarningModuleHasChangedSecurityCsrfParameter=تحذير: قام نموذج %s بتعطيل أمان CSRF لمثيلك. هذا الإجراء مشكوك فيه و وقد لا يكون التثبيت الخاص بك آمنًا بعد الآن. الرجاء الاتصال بمؤلف نموذج للحصول على التوضيح. +EMailsInGoingDesc=تتم إدارة رسائل البريد الإلكتروني الواردة بواسطة نموذج %s. يجب عليك تمكين و وتهيئته إذا كنت بحاجة إلى دعم رسائل البريد الإلكتروني الواردة. +MAIN_IMAP_USE_PHPIMAP=استخدم مكتبة PHP-IMAP لـ IMAP بدلاً من PHP IMAP الأصلي. ويسمح هذا أيضًا باستخدام اتصال OAuth2 لـ IMAP (نموذج يجب أيضًا تنشيط OAuth). +MAIN_CHECKBOX_LEFT_COLUMN=إظهار عمود تحديد سطر الحقل و على اليسار (على اليمين بشكل افتراضي) +NotAvailableByDefaultEnabledOnModuleActivation=لم يتم إنشاؤها بشكل افتراضي. تم الإنشاء عند تنشيط نموذج فقط. +CSSPage=نمط CSS Defaultfortype=افتراضي -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +DefaultForTypeDesc=القالب المستخدم افتراضيًا عند إنشاء بريد إلكتروني جديد لنوع القالب +OptionXShouldBeEnabledInModuleY=يجب تمكين الخيار "%s" في نموذج %s +OptionXIsCorrectlyEnabledInModuleY=تم تمكين الخيار "%s" في نموذج %s +AllowOnLineSign=السماح بالتوقيع على الخط +AtBottomOfPage=في أسفل الصفحة +FailedAuth=المصادقة الفاشلة +MaxNumberOfFailedAuth=الحد الأقصى لعدد المصادقة الفاشلة خلال 24 ساعة لرفض تسجيل الدخول. +AllowPasswordResetBySendingANewPassByEmail=إذا كان لدى المستخدم "أ" هذا الإذن، و حتى لو لم يكن المستخدم "أ" مستخدمًا "مسؤولًا"، يُسمح لـ "أ" بإعادة تعيين كلمة المرور لأي مستخدم آخر "ب"، كلمة المرور الجديدة سيتم إرساله إلى البريد الإلكتروني للمستخدم الآخر "ب" ولكنه لن يكون مرئيًا لـ "أ". إذا كان المستخدم "أ" لديه علامة "المسؤول"، فسيكون قادرًا أيضًا على معرفة ما هي كلمة المرور الجديدة التي تم إنشاؤها لـ "ب" لذلك تكون قادرة على السيطرة على حساب المستخدم ب. +AllowAnyPrivileges=إذا كان لدى المستخدم "أ" هذا الإذن، فيمكنه إنشاء مستخدم "ب" بجميع الامتيازات ثم استخدام هذا المستخدم "ب"، أو منح نفسه أي مجموعة أخرى بأي إذن. وهذا يعني أن المستخدم "أ" يمتلك جميع امتيازات الأعمال (سيتم منع وصول النظام إلى صفحات الإعداد فقط) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=يمكن قراءة هذه القيمة لأنه لم يتم تعيين المثيل الخاص بك في وضع الإنتاج +SeeConfFile=انظر داخل ملف conf.php على الخادم +ReEncryptDesc=أعد تشفير البيانات إذا لم تكن مشفرة بعد +PasswordFieldEncrypted=%s سجل جديد هل تم تشفير هذا الحقل +ExtrafieldsDeleted=تم حذف الحقول الإضافية %s +LargeModern=كبيرة - حديثة +SpecialCharActivation=قم بتمكين الزر لفتح لوحة المفاتيح الافتراضية لإدخال أحرف خاصة +DeleteExtrafield=حذف الملعب الإضافي +ConfirmDeleteExtrafield=هل تؤكد حذف الحقل %s؟ سيتم حذف جميع البيانات المحفوظة في هذا الحقل بالتأكيد +ExtraFieldsSupplierInvoicesRec=السمات التكميلية (نماذج الفواتير) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=معلمات بيئة الاختبار +TryToKeepOnly=حاول الاحتفاظ بـ %s فقط. +RecommendedForProduction=الموصى بها للإنتاج +RecommendedForDebug=موصى به لتصحيح الأخطاء diff --git a/htdocs/langs/ar_SA/agenda.lang b/htdocs/langs/ar_SA/agenda.lang index 86d07637dde..e87cbbba504 100644 --- a/htdocs/langs/ar_SA/agenda.lang +++ b/htdocs/langs/ar_SA/agenda.lang @@ -62,13 +62,13 @@ MemberSubscriptionAddedInDolibarr=تمت إضافة اشتراك %s للعضو % MemberSubscriptionModifiedInDolibarr=اشتراك %s للعضو %s معدّل MemberSubscriptionDeletedInDolibarr=تم حذف الاشتراك %s للعضو %s ShipmentValidatedInDolibarr=شحنة%s التأكد من صلاحيتها -ShipmentClassifyClosedInDolibarr=Shipment %s classified closed +ShipmentClassifyClosedInDolibarr=الشحنة %s مصنفة مغلقة ShipmentUnClassifyCloseddInDolibarr=إعادة فتح الشحنة %s المصنفة ShipmentBackToDraftInDolibarr=تعود الشحنة %s إلى حالة المسودة ShipmentDeletedInDolibarr=الشحنة%sتم حذفها ShipmentCanceledInDolibarr=تم إلغاء الشحنة %s ReceptionValidatedInDolibarr=تم التحقق من صحة الاستقبال %s -ReceptionDeletedInDolibarr=Reception %s deleted +ReceptionDeletedInDolibarr=تم حذف الاستقبال %s ReceptionClassifyClosedInDolibarr=الاستقبال %s مصنف مغلق OrderCreatedInDolibarr=الطلب %s تم إنشاؤة OrderValidatedInDolibarr=الطلب %s تم التحقق منه @@ -88,7 +88,7 @@ SupplierInvoiceSentByEMail=فاتورة البائع %s مُرسلة عبر ال ShippingSentByEMail=شحنة %s أرسلت عن طريق البريد الإلكتروني ShippingValidated= الشحنة %s تم التأكد من صلاحيتها InterventionSentByEMail=تم إرسال التدخل %s عبر البريد الإلكتروني -ProjectSentByEMail=Project %s sent by email +ProjectSentByEMail=مشروع %s تم إرساله عبر البريد الإلكتروني ProposalDeleted=تم حذف العرض OrderDeleted=تم حذف الطلب InvoiceDeleted=تم حذف الفاتورة @@ -128,6 +128,7 @@ MRP_MO_PRODUCEDInDolibarr=أنتجت MO MRP_MO_DELETEInDolibarr=تم حذف MO MRP_MO_CANCELInDolibarr=تم إلغاء MO PAIDInDolibarr=%s المدفوعة +ENABLEDISABLEInDolibarr=تم تمكين المستخدم أو تعطيله ##### End agenda events ##### AgendaModelModule=نماذج المستندات للحدث DateActionStart=تاريخ البدء @@ -177,7 +178,27 @@ ReminderType=نوع رد الاتصال AddReminder=إنشاء إشعار تذكير تلقائي لهذا الحدث ErrorReminderActionCommCreation=خطأ في إنشاء إشعار التذكير لهذا الحدث BrowserPush=إعلام المتصفح المنبثق -Reminders=Reminders +Reminders=تذكيرات ActiveByDefault=يتم التمكين افتراضيًا Until=حتى -DataFromWasMerged=Data from %s was merged +DataFromWasMerged=تم دمج البيانات من %s +AgendaShowBookcalCalendar=تقويم الحجز: %s +MenuBookcalIndex=موعد عبر الإنترنت +BookcalLabelAvailabilityHelp=تسمية من نطاق التوفر. على سبيل المثال:
      التوفر العام
      التوفر خلال عطلات عيد الميلاد +DurationOfRange=مدة النطاقات +BookCalSetup = إعداد الموعد عبر الإنترنت +Settings = الإعدادات +BookCalSetupPage = صفحة إعداد الموعد عبر الإنترنت +BOOKCAL_PUBLIC_INTERFACE_TOPIC = عنوان الواجهة +About = حول +BookCalAbout = حول بوك كال +BookCalAboutPage = BookCal حول الصفحة +Calendars=التقاويم +Availabilities=التوفر +NewAvailabilities=الإمكانيات الجديدة +NewCalendar=تقويم جديد +ThirdPartyBookCalHelp=سيتم ربط الحدث المحجوز في هذا التقويم تلقائيًا بهذا الطرف الثالث. +AppointmentDuration = مدة الموعد : %s +BookingSuccessfullyBooked=لقد تم حفظ حجزك +BookingReservationHourAfter=نؤكد حجز اجتماعنا في التاريخ %s +BookcalBookingTitle=موعد عبر الإنترنت diff --git a/htdocs/langs/ar_SA/assets.lang b/htdocs/langs/ar_SA/assets.lang index da5da17a330..3eceebee63a 100644 --- a/htdocs/langs/ar_SA/assets.lang +++ b/htdocs/langs/ar_SA/assets.lang @@ -168,7 +168,7 @@ AssetDepreciationReversal=انعكاس، ارتداد، انقلاب # # Errors # -AssetErrorAssetOrAssetModelIDNotProvide=لم يتم توفير معرف الأصل أو صوت النموذج +AssetErrorAssetOrAssetModelIDNotProvide=لم يتم تقديم معرف الأصل أو النموذج الذي تم العثور عليه AssetErrorFetchAccountancyCodesForMode=خطأ عند استرداد حسابات المحاسبة لوضع الإهلاك "%s" AssetErrorDeleteAccountancyCodesForMode=حدث خطأ عند حذف حسابات المحاسبة من وضع الإهلاك "%s" AssetErrorInsertAccountancyCodesForMode=خطأ عند إدخال حسابات المحاسبة في وضع الإهلاك "%s" diff --git a/htdocs/langs/ar_SA/banks.lang b/htdocs/langs/ar_SA/banks.lang index b83b2bda792..7eb410650a4 100644 --- a/htdocs/langs/ar_SA/banks.lang +++ b/htdocs/langs/ar_SA/banks.lang @@ -16,6 +16,7 @@ CashAccounts=حسابات نقدية CurrentAccounts=الحسابات الجارية SavingAccounts=حسابات التوفير ErrorBankLabelAlreadyExists=اسم الحساب المالي موجود بالفعل +ErrorBankReceiptAlreadyExists=مرجع إيصال البنك موجود بالفعل BankBalance=الميزانية BankBalanceBefore=الرصيد قبل BankBalanceAfter=الرصيد بعد @@ -49,9 +50,9 @@ BankAccountDomiciliation=عنوان البنك BankAccountCountry=بلد الحساب BankAccountOwner=اسم صاحب الحساب BankAccountOwnerAddress=عنوان صاحب الحساب -BankAccountOwnerZip=Account owner zip -BankAccountOwnerTown=Account owner town -BankAccountOwnerCountry=Account owner country +BankAccountOwnerZip=الرمز البريدي لصاحب الحساب +BankAccountOwnerTown=مدينة صاحب الحساب +BankAccountOwnerCountry=بلد صاحب الحساب CreateAccount=إنشاء حساب NewBankAccount=حساب جديد NewFinancialAccount=حساب مالي جديد @@ -60,7 +61,7 @@ EditFinancialAccount=تعديل الحساب LabelBankCashAccount=بطاقة مصرفية أو نقدية AccountType=نوع الحساب BankType0=حساب التوفير -BankType1=Current, cheque or credit card account +BankType1=الحساب الجاري أو الشيك أو بطاقة الائتمان BankType2=الحساب النقدي AccountsArea=منطقة الحسابات AccountCard=بطاقة الحساب @@ -106,8 +107,8 @@ BankLineNotReconciled=لم يتم تسويتة CustomerInvoicePayment=مدفوعات العميل SupplierInvoicePayment=دفعة المورد SubscriptionPayment=دفع الاشتراك -WithdrawalPayment=Direct Debit payment -BankTransferPayment=Credit Transfer payment +WithdrawalPayment=الدفع بالخصم المباشر +BankTransferPayment=دفع تحويل الائتمان SocialContributionPayment=مدفوعات الضرائب الاجتماعية / المالية BankTransfer=تحويل الرصيد BankTransfers=تحويلات الرصيد @@ -121,7 +122,7 @@ ValidateCheckReceipt=تأكيد صحة الشيك المستلم؟ ConfirmValidateCheckReceipt=هل أنت متأكد أنك تريد إرسال إيصال الشيك هذا للتحقق من صحته؟ لن تكون هناك تغييرات ممكنة بمجرد التحقق من صحتها. DeleteCheckReceipt=حذف هذا الشيك ؟ ConfirmDeleteCheckReceipt=هل انت متأكد أنك تريد حذف هذا الشيك؟ -DocumentsForDeposit=Documents to deposit at the bank +DocumentsForDeposit=المستندات التي يجب إيداعها في البنك BankChecks=الشيكات المصرفية BankChecksToReceipt=شيكات في انتظار الإيداع BankChecksToReceiptShort=شيكات في انتظار الإيداع @@ -147,9 +148,9 @@ BackToAccount=عودة إلى الحساب ShowAllAccounts=عرض لجميع الحسابات FutureTransaction=الصفقة المستقبلية. غير قادر على التسوية. SelectChequeTransactionAndGenerate=قم بتحديد / تصفية الشيكات لتضمينها في إيصال إيداع الشيك واضغط على "إنشاء". -SelectPaymentTransactionAndGenerate=Select/filter the documents which are to be included in the %s deposit receipt. Then, click on "Create". -InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value -InputReceiptNumberBis=YYYYMM or YYYYMMDD +SelectPaymentTransactionAndGenerate=حدد/قم بتصفية المستندات التي سيتم تضمينها في إيصال الإيداع %s. ثم انقر على "إنشاء". +InputReceiptNumber=اختر كشف الحساب المصرفي المتعلق بالتوفيق. استخدم قيمة رقمية قابلة للفرز +InputReceiptNumberBis=YYYYMM أو YYYYMMDD EventualyAddCategory=في نهاية المطاف، حدد الفئة التي لتصنيف السجلات ToConciliate=للتسوية؟ ThenCheckLinesAndConciliate=ثم، تحقق من السطور الحالية في كشف الحساب البنكي وانقر @@ -189,6 +190,7 @@ IfYouDontReconcileDisableProperty=إذا لم تقم بإجراء التسويا NoBankAccountDefined=لم يتم تحديد حساب مصرفي NoRecordFoundIBankcAccount=لا يوجد سجل في الحساب المصرفي. عادةً ما يحدث هذا عندما يتم حذف سجل يدويًا من قائمة المعاملات في الحساب المصرفي (على سبيل المثال أثناء تسوية الحساب المصرفي). سبب آخر هو أنه تم تسجيل الدفعة عندما تم تعطيل الوحدة النمطية "%s". AlreadyOneBankAccount=تم تحديد حساب مصرفي واحد بالفعل -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=تحويل SEPA: "نوع الدفع" عند مستوى "تحويل الائتمان" -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=عند إنشاء ملف SEPA XML لعمليات تحويل الرصيد ، يمكن الآن وضع القسم "PaymentTypeInformation" داخل قسم "CreditTransferTransactionInformation" (بدلاً من قسم "Payment"). نوصي بشدة بإبقاء هذا دون تحديد لوضع معلومات نوع الدفع عند مستوى الدفع ، حيث لن تقبلها جميع البنوك بالضرورة على مستوى معلومات التحويل الائتماني. اتصل بالمصرف الذي تتعامل معه قبل تقديم معلومات نوع الدفع على مستوى معلومات تحويل الائتمان. +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=متغير ملف SEPA +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=نعم = قم بتخزين "نوع الدفع" في قسم "تحويل الرصيد" في ملف SEPA

      عند إنشاء ملف SEPA XML للحصول على الائتمان التحويلات، يمكن الآن وضع القسم "PaymentTypeInformation" داخل قسم "CreditTransferTransactionInformation" (بدلاً من قسم "Payment"). نوصي بشدة بإبقاء هذا الخيار دون تحديد لوضع PaymentTypeInformation على مستوى الدفع، حيث إن جميع البنوك لن تقبلها بالضرورة على مستوى CreditTransferTransactionInformation. اتصل بالمصرف الذي تتعامل معه قبل وضع PaymentTypeInformation على مستوى CreditTransferTransactionInformation. ToCreateRelatedRecordIntoBank=لإنشاء سجل مصرفي مفقود ذي صلة +XNewLinesConciliated=%s تمت التوفيق بين الأسطر الجديدة diff --git a/htdocs/langs/ar_SA/bills.lang b/htdocs/langs/ar_SA/bills.lang index de67bd169a9..f665aded980 100644 --- a/htdocs/langs/ar_SA/bills.lang +++ b/htdocs/langs/ar_SA/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=انشاء استحقاق دفع للعميل DisabledBecauseRemainderToPayIsZero=معطل لأن المتبقي غير المسدد يساوي صفر PriceBase=السعر الأساسي BillStatus=حالة الفاتورة -StatusOfGeneratedInvoices=حالة الفواتير المنشأة +StatusOfAutoGeneratedInvoices=حالة من الفواتير التي تم إنشاؤها تلقائيًا BillStatusDraft=مسودة (يجب التحقق من صحتها) BillStatusPaid=سدد BillStatusPaidBackOrConverted=استرداد إشعار الائتمان أو وضع علامة على أنه رصيد متاح @@ -164,10 +164,10 @@ BillFrom=من: BillTo=فاتورة الى: ShippingTo=شحن الي ActionsOnBill=الإجراءات على الفاتورة -ActionsOnBillRec=Actions on recurring invoice +ActionsOnBillRec=الإجراءات عند تكرار فاتورة RecurringInvoiceTemplate=نموذج او فاتورة متكررة NoQualifiedRecurringInvoiceTemplateFound=لا يوجد نموذج فاتورة متكرر مؤهل للإنشاء. -FoundXQualifiedRecurringInvoiceTemplate=تم العثور على %s نموذج فاتورة (فواتير) متكررة مؤهلة للإنشاء. +FoundXQualifiedRecurringInvoiceTemplate=%s قالب متكرر فاتورة(قوالب) متكررة مؤهل للإنشاء. NotARecurringInvoiceTemplate=ليست فاتورة نموذجية متكررة NewBill=فاتورة جديدة LastBills=أحدث %s فواتير @@ -185,7 +185,7 @@ SuppliersDraftInvoices=مسودة فواتير المورد Unpaid=غير مسدد ErrorNoPaymentDefined=خطأ لم يتم تعريف السداد ConfirmDeleteBill=هل أنت متأكد أنك تريد حذف هذه الفاتورة؟ -ConfirmValidateBill=هل أنت متأكد من أنك تريد التحقق من صحة هذه الفاتورة بالمرجع %s ؟ +ConfirmValidateBill=هل أنت متأكد أنك تريد التحقق من صحة هذا فاتورة بالمرجع %s ؟ ConfirmUnvalidateBill=هل أنت متأكد أنك تريد تغيير الفاتورة %s إلى حالة المسودة؟ ConfirmClassifyPaidBill=هل أنت متأكد أنك تريد تغيير الفاتورة %s إلى حالة المسددة؟ ConfirmCancelBill=هل أنت متأكد من أنك تريد إلغاء الفاتورة %s ؟ @@ -197,9 +197,9 @@ ConfirmClassifyPaidPartiallyReasonDiscount=المتبقي الغير مدفوع ConfirmClassifyPaidPartiallyReasonDiscountNoVat=المتبقي الغير مدفوع (%s %s) هو خصم ممنوح لأن السداد تم قبل الأجل. أنا أقبل خسارة ضريبة القيمة المضافة على هذا الخصم. ConfirmClassifyPaidPartiallyReasonDiscountVat=المتبقي الغير مدفوع (%s %s) هو خصم ممنوح لأن السداد تم قبل الأجل. أسترد ضريبة القيمة المضافة على هذا الخصم بدون إشعار دائن. ConfirmClassifyPaidPartiallyReasonBadCustomer=عميل سيء -ConfirmClassifyPaidPartiallyReasonBadSupplier=Bad vendor -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) -ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax +ConfirmClassifyPaidPartiallyReasonBadSupplier=المورد غير صالح +ConfirmClassifyPaidPartiallyReasonBankCharge=الخصم من قبل البنك (رسوم البنك الوسيط) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=تجميد الضرائب ConfirmClassifyPaidPartiallyReasonProductReturned=تم إرجاع بعض المنتجات ConfirmClassifyPaidPartiallyReasonOther=التخلي عن المبلغ لسبب آخر ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=هذا الاختيار ممكن إذا تم تزويد فاتورتك بالتعليقات المناسبة. (مثال «فقط الضريبة المقابلة للسعر الذي تم دفعه هي التي تعطي الحق في الخصم») @@ -208,16 +208,16 @@ ConfirmClassifyPaidPartiallyReasonAvoirDesc=استخدم هذا الاختيار ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=العميل السيئ هو العميل الذي يرفض سداد ديونه. ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=يستخدم هذا الاختيار عندما لا يكتمل السداد بسبب إرجاع بعض المنتجات ConfirmClassifyPaidPartiallyReasonBankChargeDesc=المبلغ غير المدفوع هو رسوم البنك الوسيط ، يتم خصمها مباشرة من المبلغ الصحيح وهو الذي يدفعه العميل. -ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=لن يتم دفع المبلغ غير المدفوع أبدًا لأنه ضريبة مقتطعة ConfirmClassifyPaidPartiallyReasonOtherDesc=استخدم هذا الخيار إذا لم يكن هناك خيار مناسب ، على سبيل المثال في الحالة التالية:
      - الدفع غير مكتمل لأن بعض المنتجات تم شحنها مرة أخرى
      - المبلغ المطالب به مهم جدًا لأنه تم نسيان الخصم
      في جميع الحالات ، يجب تصحيح المبلغ المطالب به في نظام المحاسبة عن طريق إنشاء إشعار دائن. -ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=A bad supplier is a supplier we refuse to pay. +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=المورد السيئ هو مورد الذي نرفض الدفع له. ConfirmClassifyAbandonReasonOther=أخرى ConfirmClassifyAbandonReasonOtherDesc=سيتم استخدام هذا الاختيار في جميع الحالات الأخرى. على سبيل المثال ، لأنك تخطط لإنشاء فاتورة بديلة. ConfirmCustomerPayment=هل تؤكد إدخال المبلغ هذا لـ %s %s؟ ConfirmSupplierPayment=هل تؤكد إدخال المباغ هذا لـ %s %s؟ ConfirmValidatePayment=هل أنت متأكد أنك تريد اعتماد هذا المبلغ؟ لا يمكن إجراء أي تغيير بمجرد اعتماد الدفع. ValidateBill=اعتماد الفاتورة -UnvalidateBill=فاتورة غير معتمدة +UnvalidateBill=إبطال فاتورة NumberOfBills=عدد الفواتير NumberOfBillsByMonth=عدد الفواتير شهريا AmountOfBills=مبلغ الفواتير @@ -250,12 +250,13 @@ RemainderToTake=الميلغ المتبقي لاتخاذ RemainderToTakeMulticurrency=المبلغ المتبقي ، العملة الأصلية RemainderToPayBack=المبلغ المتبقي للاسترجاع RemainderToPayBackMulticurrency=المبلغ المتبقي للرد ، العملة الأصلية +NegativeIfExcessReceived=سلبي إذا تم استلام الفائض NegativeIfExcessRefunded=سلبي إذا تم رد المبالغ الزائدة +NegativeIfExcessPaid=سلبي إذا تم دفع الفائض Rest=بانتظار AmountExpected=المبلغ المطالب به ExcessReceived=المبالغ الزائدة المستلمة ExcessReceivedMulticurrency=المبالغ الزائدة المستلمة ، العملة الأصلية -NegativeIfExcessReceived=سلبي إذا تم استلام الفائض ExcessPaid=المبالغ الزائدة المسددة ExcessPaidMulticurrency=المبالغ الزائدة المدفوعة ، العملة الأصلية EscompteOffered=عرض الخصم (الدفع قبل الأجل) @@ -290,7 +291,7 @@ SetRevenuStamp=حدد ختم الإيرادات Billed=فواتير RecurringInvoices=الفواتير المتكررة RecurringInvoice=فاتورة متكررة -RecurringInvoiceSource=Source recurring invoice +RecurringInvoiceSource=المصدر المتكرر فاتورة RepeatableInvoice=قالب الفاتورة RepeatableInvoices=قالب الفواتير RecurringInvoicesJob=إصدار الفواتير المتكررة (فواتير المبيعات) @@ -333,8 +334,8 @@ DiscountFromExcessPaid=فوائض مسددة عن الفاتورة %s AbsoluteDiscountUse=هذا النوع من الائتمان يمكن استخدامه على الفاتورة قبل اعتمادها CreditNoteDepositUse=يجب اعتماد الفاتورة لاستخدام هذا النوع من الاعتمادات NewGlobalDiscount=خصم مطلق جديد -NewSupplierGlobalDiscount=New absolute supplier discount -NewClientGlobalDiscount=New absolute client discount +NewSupplierGlobalDiscount=خصم مورد المطلق الجديد +NewClientGlobalDiscount=خصم العميل المطلق الجديد NewRelativeDiscount=خصم نسبي جديد DiscountType=نوع الخصم NoteReason=ملاحظة / السبب @@ -404,7 +405,7 @@ DateLastGenerationShort=تاريخ أحدث اصدار MaxPeriodNumber=العدد الأعلى لإصدار الفاتورة NbOfGenerationDone=عدد الفواتير المنجزة بالفعل NbOfGenerationOfRecordDone=عدد إنشاء السجل الذي تم إنجازه بالفعل -NbOfGenerationDoneShort=Number of generations done +NbOfGenerationDoneShort=عدد الأجيال التي تم إنجازها MaxGenerationReached=تم بلوغ الحد الأقصى لعدد الاصدار InvoiceAutoValidate=اعتماد الفواتير تلقائيًا GeneratedFromRecurringInvoice=تم إنشاؤه من نموذج الفاتورة المتكررة %s @@ -458,7 +459,7 @@ ErrorPaymentConditionsNotEligibleToDepositCreation=شروط الدفع المخ PaymentTypeVIR=حوالة مصرفية PaymentTypeShortVIR=حوالة مصرفية PaymentTypePRE=أمر دفع الخصم المباشر -PaymentTypePREdetails=(on account %s...) +PaymentTypePREdetails=(على الحساب %s...) PaymentTypeShortPRE=أمر دفع المدين PaymentTypeLIQ=نقدا PaymentTypeShortLIQ=نقدا @@ -517,14 +518,14 @@ UseLine=تطبيق UseDiscount=استخدام الخصم UseCredit=استخدم الرصيد UseCreditNoteInInvoicePayment=تخفيض المبلغ لدفع هذه القروض -MenuChequeDeposits=Deposits slips +MenuChequeDeposits=قسائم الودائع MenuCheques=الشيكات -MenuChequesReceipts=Deposit slips -NewChequeDeposit=New deposit slip -ChequesReceipts=Cheque deposit slips -DocumentsDepositArea=Deposit slip area -ChequesArea=Deposit slips area -ChequeDeposits=Deposit slips +MenuChequesReceipts=قسائم الايداع +NewChequeDeposit=قسيمة إيداع جديدة +ChequesReceipts=قسائم إيداع الشيكات +DocumentsDepositArea=قسيمة الإيداع منطقة +ChequesArea=قسائم الإيداع منطقة +ChequeDeposits=قسائم الايداع Cheques=الشيكات DepositId=معرف الايداع NbCheque=عدد الشيكات @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=يجب عليك إنشاء فاتورة ق PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices -TerreNumRefModelDesc1=رقم الإرجاع بالتنسيق %syymm-nnnn للفواتير القياسية و %syymm-nnnn للإشعارات الدائنة حيث yy سنة ، mm شهر و nnnn هو رقم تزايد تلقائي تسلسلي بدون فاصل ولا عودة إلى 0 -MarsNumRefModelDesc1=رقم الإرجاع بالتنسيق %syymm-nnnn للفواتير القياسية ، %syymm-nnnn للفواتير البديلة ، %syymm-nnnn لفواتير الدَفعة المقدمة و a0ecb2ecny87m49fz0 هو الرقم التسلسلي لشهر nnny و a0ecb2ecny. مع عدم وجود فاصل ولا عودة إلى 0 +TerreNumRefModelDesc1=رقم الإرجاع بالتنسيق %syymm-nnnn للفواتير القياسية و %s yymm-nnnn للإشعارات الدائنة حيث yy هي سنة، mm هي شهر و nnnn هو رقم تسلسلي متزايد تلقائيًا بدون فاصل و لا عودة إلى 0 +MarsNumRefModelDesc1=رقم الإرجاع بالتنسيق %syymm-nnnn للفواتير القياسية، %syymm-nnnn للفواتير البديلة، %syymm-nnnn لفواتير الدفعة المقدمة و %syymm-nnnn لإشعارات الائتمان حيث تكون yy السنة، mm هو الشهر و nnnn هو رقم متزايد تلقائيًا بدون فاصل و بدون عودة إلى 0 TerreNumRefModelError=A bill starting with $syymm already exists and is not compatible with this model of sequence. Remove it or rename it to activate this module. -CactusNumRefModelDesc1=رقم الإرجاع بالتنسيق %syymm-nnnn للفواتير القياسية ، %syymm-nnnn للإشعارات الدائنة و %syymm-nnnn لفواتير الدفعة المقدمة حيث yy هو العام ، mm هو رقم الشهر و nnnnn بدون زيادة تلقائية 0 +CactusNumRefModelDesc1=رقم الإرجاع بالتنسيق %syymm-nnnn للفواتير القياسية، %syymm-nnnn لإشعارات الائتمان و %syymm-nnnn لفواتير الدفعة المقدمة حيث yy هو العام، mm هو الشهر و nnnn هو رقم متزايد تلقائيًا متسلسل بدون فاصل و بدون عودة إلى 0 EarlyClosingReason=سبب الإغلاق المبكر EarlyClosingComment=ملاحظة اغلاق مبكرة ##### Types de contacts ##### @@ -630,14 +631,19 @@ SituationTotalRayToRest=ما تبقى للدفع بدون ضريبة PDFSituationTitle=Situation n° %d SituationTotalProgress=إجمالي التقدم %d %% SearchUnpaidInvoicesWithDueDate=البحث في الفواتير غير المسددة بتاريخ استحقاق = %s -SearchValidatedInvoicesWithDate=Search unpaid invoices with a validation date = %s +SearchValidatedInvoicesWithDate=البحث عن الفواتير غير المدفوعة بتاريخ التحقق = %s NoPaymentAvailable=لا توجد مدفوعات متاحة مقابل %s PaymentRegisteredAndInvoiceSetToPaid=تم تسجيل الدفعة وتم تعيين الفاتورة %s على الدفع -SendEmailsRemindersOnInvoiceDueDate=Send reminder by email for validated and unpaid invoices +SendEmailsRemindersOnInvoiceDueDate=أرسل تذكيرًا عبر البريد الإلكتروني بخصوص فواتير و غير المدفوعة التي تم التحقق منها MakePaymentAndClassifyPayed=دفع قياسي BulkPaymentNotPossibleForInvoice=الدفع بالجملة غير ممكن للفاتورة %s (نوع أو حالة سيئة) -MentionVATDebitOptionIsOn=Option to pay tax based on debits -MentionCategoryOfOperations=Category of operations -MentionCategoryOfOperations0=Delivery of goods -MentionCategoryOfOperations1=Provision of services -MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +MentionVATDebitOptionIsOn=خيار دفع الضريبة على أساس الديون +MentionCategoryOfOperations=فئة العمليات +MentionCategoryOfOperations0=توصيل البضائع +MentionCategoryOfOperations1=تقديم الخدمات +MentionCategoryOfOperations2=مختلط - تسليم البضائع وتقديم الخدمات +Salaries=الرواتب +InvoiceSubtype=فاتورة النوع الفرعي +SalaryInvoice=الراتب +BillsAndSalaries=الفواتير ورواتب +CreateCreditNoteWhenClientInvoiceExists=يتم تمكين هذا الخيار فقط عند التحقق من صحة فاتورة(s) لـ العميل أو عند استخدام الثابت INVOICE_CREDIT_NOTE_STANDALONE (مفيد لبعض البلدان ) diff --git a/htdocs/langs/ar_SA/blockedlog.lang b/htdocs/langs/ar_SA/blockedlog.lang index 9117eae5929..4ab8e58880c 100644 --- a/htdocs/langs/ar_SA/blockedlog.lang +++ b/htdocs/langs/ar_SA/blockedlog.lang @@ -33,6 +33,7 @@ RestrictYearToExport=تقييد شهر / سنة للتصدير BlockedLogEnabled=تم تفعيل نظام لتتبع الأحداث إلى سجلات غير قابلة للتغيير BlockedLogDisabled=تم تعطيل نظام لتتبع الأحداث إلى سجلات غير قابلة للتغيير بعد إجراء بعض التسجيلات. قمنا بحفظ بصمة إصبع خاصة لتتبع السلسلة على أنها مكسورة BlockedLogDisabledBis=تم تعطيل نظام لتتبع الأحداث إلى سجلات غير قابلة للتغيير. هذا ممكن لأنه لم يتم عمل أي سجل حتى الآن. +LinkHasBeenDisabledForPerformancePurpose=لأغراض الأداء، لا يظهر الرابط المباشر للمستند بعد السطر المائة. ## logTypes logBILL_DELETE=فاتورة العميل محذوفة منطقيا diff --git a/htdocs/langs/ar_SA/bookmarks.lang b/htdocs/langs/ar_SA/bookmarks.lang index 3d0c4068458..15cd3142989 100644 --- a/htdocs/langs/ar_SA/bookmarks.lang +++ b/htdocs/langs/ar_SA/bookmarks.lang @@ -1,23 +1,24 @@ -# Dolibarr language file - Source file is en_US - marque pages -AddThisPageToBookmarks=إضافة الصفحة الحالية إلى الإشارات المرجعية -Bookmark=احفظ -Bookmarks=العناوين -ListOfBookmarks=قائمة الإشارات المرجعية -EditBookmarks=قائمة / تحرير الإشارات المرجعية -NewBookmark=إشارة مرجعية جديدة -ShowBookmark=وتظهر علامة -OpenANewWindow=افتح علامة تبويب جديدة -ReplaceWindow=استبدال علامة التبويب الحالية -BookmarkTargetNewWindowShort=علامة تبويب جديدة -BookmarkTargetReplaceWindowShort=علامة التبويب الحالية -BookmarkTitle=اسم المرجعية -UrlOrLink=العنوان -BehaviourOnClick=السلوك عند تحديد عنوان للإشارة المرجعية -CreateBookmark=إنشاء إشارة مرجعية -SetHereATitleForLink=حدد اسمًا للإشارة المرجعية -UseAnExternalHttpLinkOrRelativeDolibarrLink=استخدم رابطًا خارجيًا / مطلقًا (https://externalurl.com) أو رابطًا داخليًا / نسبيًا (/mypage.php). يمكنك أيضًا استخدام الهاتف مثل الهاتف: 0123456. -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=اختر ما إذا كان يجب فتح الصفحة المرتبطة في علامة التبويب الحالية أو علامة تبويب جديدة -BookmarksManagement=إدارة الإشارات المرجعية -BookmarksMenuShortCut=Ctrl + shift + m -NoBookmarks=لم يتم تحديد إشارات مرجعية -NoBookmarkFound=No bookmark found +# Dolibarr language file - Source file is en_US - marque pages / bookmarks + +AddThisPageToBookmarks = إضافة الصفحة الحالية إلى الإشارات المرجعية +BehaviourOnClick = السلوك عند تحديد عنوان URL للإشارة المرجعية +Bookmark = احفظ +Bookmarks = العناوين +BookmarkTargetNewWindowShort = علامة تبويب جديدة +BookmarkTargetReplaceWindowShort = علامة التبويب الحالية +BookmarkTitle = اسم المرجعية +BookmarksManagement = إدارة الإشارات المرجعية +BookmarksMenuShortCut = Ctrl + shift + m +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark = اختر ما إذا كان يجب فتح الصفحة المرتبطة في علامة التبويب الحالية أو علامة تبويب جديدة +CreateBookmark = إنشاء إشارة مرجعية +EditBookmarks = قائمة / تحرير الإشارات المرجعية +ListOfBookmarks = قائمة الإشارات المرجعية +NewBookmark = إشارة مرجعية جديدة +NoBookmarkFound = لم يتم العثور على إشارة مرجعية +NoBookmarks = لم يتم تحديد إشارات مرجعية +OpenANewWindow = افتح علامة تبويب جديدة +ReplaceWindow = استبدال علامة التبويب الحالية +SetHereATitleForLink = حدد اسمًا للإشارة المرجعية +ShowBookmark = وتظهر علامة +UrlOrLink = العنوان +UseAnExternalHttpLinkOrRelativeDolibarrLink = استخدم رابطًا خارجيًا / مطلقًا (https://externalurl.com) أو رابطًا داخليًا / نسبيًا (/mypage.php). يمكنك أيضًا استخدام الهاتف مثل الهاتف: 0123456. diff --git a/htdocs/langs/ar_SA/boxes.lang b/htdocs/langs/ar_SA/boxes.lang index a907862838b..7c0b77c215c 100644 --- a/htdocs/langs/ar_SA/boxes.lang +++ b/htdocs/langs/ar_SA/boxes.lang @@ -24,7 +24,7 @@ BoxFicheInter=أحدث التدخلات BoxCurrentAccounts=ميزان الحسابات المفتوحة BoxTitleMemberNextBirthdays=أعياد الميلاد لهذا الشهر (الأعضاء) BoxTitleMembersByType=الأعضاء حسب النوع والحالة -BoxTitleMembersByTags=Members by tags and status +BoxTitleMembersByTags=أعضاء بواسطة أوسمة و حالة< /فترة> BoxTitleMembersSubscriptionsByYear=اشتراكات الأعضاء حسب السنة BoxTitleLastRssInfos=آخر أخبار %s من %s BoxTitleLastProducts=المنتجات | الخدمات: آخر %s معدل @@ -45,11 +45,11 @@ BoxTitleSupplierOrdersAwaitingReception=أوامر الموردين في انت BoxTitleLastModifiedContacts=جهات الاتصال | العناوين: آخر %s تعديل BoxMyLastBookmarks=الإشارات المرجعية: أحدث %s BoxOldestExpiredServices=أقدم الخدمات النشطة منتهية الصلاحية -BoxOldestActions=Oldest events to do +BoxOldestActions=أقدم الأحداث للقيام بها BoxLastExpiredServices=أحدث %s أقدم جهات اتصال مع خدمات منتهية الصلاحية نشطة BoxTitleLastActionsToDo=أحدث إجراءات %s للقيام بها -BoxTitleOldestActionsToDo=Oldest %s events to do, not completed -BoxTitleFutureActions=The next %s upcoming events +BoxTitleOldestActionsToDo=أقدم أحداث %s التي تم تنفيذها، لم تكتمل +BoxTitleFutureActions=الأحداث القادمة %s القادمة BoxTitleLastContracts=أحدث عقود %s التي تم تعديلها BoxTitleLastModifiedDonations=آخر التبرعات %s التي تم تعديلها BoxTitleLastModifiedExpenses=أحدث تقارير المصروفات %s التي تم تعديلها @@ -115,32 +115,32 @@ BoxLastCustomerShipments=آخر شحنات العميل BoxTitleLastCustomerShipments=أحدث %s شحنات العملاء BoxTitleLastLeaveRequests=Latest %s modified leave requests NoRecordedShipments=لا توجد شحنة مسجلة للعملاء -BoxCustomersOutstandingBillReached=العملاء الذين بلغوا الحد الأقصى المسموح به +BoxCustomersOutstandingBillReached=العملاء الذين وصلوا إلى الحد الأقصى المستحق # Pages UsersHome=المستخدمون والمجموعات الرئيسية MembersHome=عضوية المنزل ThirdpartiesHome=الصفحة الرئيسية الأطراف الثالثة -productindex=Home products and services -mrpindex=Home MRP -commercialindex=Home commercial -projectsindex=Home projects -invoiceindex=Home invoices -hrmindex=Home invoices +productindex=المنتجات الرئيسية خدمات و +mrpindex=الصفحة الرئيسية MRP +commercialindex=تجاري منزلي +projectsindex=مشاريع منزلية +invoiceindex=فواتير المنزل +hrmindex=فواتير المنزل TicketsHome=تذاكر المنزل -stockindex=Home stocks -sendingindex=Home shippings -receptionindex=Home receivings -activityindex=Home activity -proposalindex=Home proposal -ordersindex=Home sale orders -orderssuppliersindex=Home purchase orders -contractindex=Home contracts -interventionindex=Home interventions -suppliersproposalsindex=Home suppliers proposals -donationindex=Home donations -specialexpensesindex=Home specials expenses -expensereportindex=Home expensereport -mailingindex=Home mailing -opensurveyindex=Home opensurvey +stockindex=أسهم المنزل +sendingindex=الشحنات المنزلية +receptionindex=استقبالات منزلية +activityindex=نشاط منزلي +proposalindex=اقتراح المنزل +ordersindex=أوامر بيع المنزل +orderssuppliersindex=طلبات شراء المنازل +contractindex=عقود المنزل +interventionindex=التدخلات المنزلية +suppliersproposalsindex=مقترحات موردي المنازل +donationindex=التبرعات المنزلية +specialexpensesindex=مصاريف خاصة بالمنزل +expensereportindex=تقرير نفقات المنزل +mailingindex=بريد المنزل +opensurveyindex=الصفحة الرئيسية استطلاع مفتوح AccountancyHome=محاسبة المنزل ValidatedProjects=المشاريع المعتمدة diff --git a/htdocs/langs/ar_SA/cashdesk.lang b/htdocs/langs/ar_SA/cashdesk.lang index a5ebba52283..2d7e9184ec0 100644 --- a/htdocs/langs/ar_SA/cashdesk.lang +++ b/htdocs/langs/ar_SA/cashdesk.lang @@ -57,7 +57,7 @@ Paymentnumpad=نوع الوسادة للدفع Numberspad=لوحة الأرقام BillsCoinsPad=وسادة عملات وأوراق نقدية DolistorePosCategory=وحدات TakePOS وحلول نقاط البيع الأخرى لـ Dolibarr -TakeposNeedsCategories=يحتاج TakePOS إلى فئة منتج واحدة على الأقل للعمل +TakeposNeedsCategories=يحتاج TakePOS إلى فئة منتج واحدة على الأقل حتى يعمل TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=يحتاج TakePOS إلى فئة منتج واحدة على الأقل ضمن الفئة %s للعمل OrderNotes=يمكن إضافة بعض الملاحظات على كل العناصر المطلوبة CashDeskBankAccountFor=الحساب الافتراضي لاستخدامه في عمليات الدفع @@ -76,7 +76,7 @@ TerminalSelect=حدد المحطة التي تريد استخدامها: POSTicket=تذكرة نقاط البيع POSTerminal=محطة نقاط البيع POSModule=وحدة نقاط البيع -BasicPhoneLayout=استخدم التخطيط الأساسي للهواتف +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=لم يكتمل إعداد الجهاز %s DirectPayment=دفع مباشر DirectPaymentButton=أضف زر "دفع نقدي مباشر" @@ -92,14 +92,14 @@ HeadBar=رئيس بار SortProductField=مجال لفرز المنتجات Browser=المتصفح BrowserMethodDescription=طباعة إيصالات بسيطة وسهلة. فقط عدد قليل من المعلمات لتكوين الإيصال. اطبع عبر المتصفح. -TakeposConnectorMethodDescription=وحدة خارجية مع ميزات إضافية. إمكانية الطباعة من السحابة. +TakeposConnectorMethodDescription=نموذج خارجي مع ميزات إضافية. إمكانية الطباعة من السحابة. PrintMethod=طريقة الطباعة ReceiptPrinterMethodDescription=طريقة قوية مع الكثير من المعلمات. قابل للتخصيص بالكامل مع القوالب. لا يمكن أن يكون الخادم الذي يستضيف التطبيق في السحابة (يجب أن يكون قادرًا على الوصول إلى الطابعات في شبكتك). ByTerminal=عن طريق المحطة TakeposNumpadUsePaymentIcon=استخدم الرمز بدلاً من النص الموجود على أزرار الدفع الخاصة بلوحة الأرقام CashDeskRefNumberingModules=وحدة الترقيم لمبيعات نقاط البيع CashDeskGenericMaskCodes6 =
      {TN} تُستخدم علامة لإضافة رقم المحطة -TakeposGroupSameProduct=تجميع نفس خطوط المنتجات +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=ابدأ بيعًا موازيًا جديدًا SaleStartedAt=بدأ البيع في %s ControlCashOpening=افتح النافذة المنبثقة "Control cash box" عند فتح POS @@ -118,7 +118,7 @@ ScanToOrder=امسح رمز الاستجابة السريعة للطلب Appearance=مظهر HideCategoryImages=إخفاء صور الفئة HideProductImages=إخفاء صور المنتج -NumberOfLinesToShow=عدد سطور الصور المراد عرضها +NumberOfLinesToShow=الحد الأقصى لعدد أسطر النص التي يمكن عرضها على الصور المصغرة DefineTablePlan=تحديد خطة الجداول GiftReceiptButton=أضف زر "إيصال الهدية" GiftReceipt=استلام هدية @@ -135,5 +135,21 @@ PrintWithoutDetailsLabelDefault=تسمية الخط بشكل افتراضي عن PrintWithoutDetails=اطبع بدون تفاصيل YearNotDefined=لم يتم تحديد السنة TakeposBarcodeRuleToInsertProduct=قاعدة الباركود لإدخال المنتج -TakeposBarcodeRuleToInsertProductDesc=قاعدة لاستخراج مرجع المنتج + كمية من الباركود الممسوح ضوئيًا.
      إذا كان فارغًا (القيمة الافتراضية) ، سيستخدم التطبيق الباركود الكامل الممسوح ضوئيًا للعثور على المنتج.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters AlreadyPrinted=طبعت بالفعل +HideCategories=إخفاء قسم اختيار الفئات بالكامل +HideStockOnLine=إخفاء المخزون على الخط +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=عرض مرجع أو تسمية للمنتجات +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=المحطة الطرفية %s +TerminalNameDesc=اسم المحطة +DefaultPOSThirdLabel=TakePOS عام العميل +DefaultPOSCatLabel=منتجات نقاط البيع (POS). +DefaultPOSProductLabel=مثال المنتج لـ TakePOS +TakeposNeedsPayment=يحتاج TakePOS إلى طريقة دفع حتى يعمل، هل تريد إنشاء طريقة الدفع "نقدا"؟ +LineDiscount=خصم الخط +LineDiscountShort=قرص الخط. +InvoiceDiscount=خصم فاتورة +InvoiceDiscountShort=قرص فاتورة. diff --git a/htdocs/langs/ar_SA/categories.lang b/htdocs/langs/ar_SA/categories.lang index af018e4b263..a7c6cf860f4 100644 --- a/htdocs/langs/ar_SA/categories.lang +++ b/htdocs/langs/ar_SA/categories.lang @@ -42,7 +42,7 @@ MemberHasNoCategory=هذا العضو ليس في أي علامات / فئات ContactHasNoCategory=هذا الاتصال ليس في أي علامات / فئات ProjectHasNoCategory=هذا المشروع ليس في أي علامات / فئات ClassifyInCategory=إضافة إلى العلامة / الفئة -RemoveCategory=Remove category +RemoveCategory=إزالة الفئة NotCategorized=دون علامة / فئة CategoryExistsAtSameLevel=هذه الفئة موجودة بالفعل مع هذا المرجع ContentsVisibleByAllShort=المحتويات مرئية للجميع @@ -68,7 +68,7 @@ StockCategoriesShort=علامات / فئات المستودعات ThisCategoryHasNoItems=هذه الفئة لا تحتوي على أي عناصر. CategId=معرف العلامة / الفئة ParentCategory=العلامة الأصلية / الفئة -ParentCategoryID=ID of parent tag/category +ParentCategoryID=معرف الأصل وسم/category ParentCategoryLabel=تسمية العلامة / الفئة الأصل CatSupList=قائمة بعلامات / فئات البائعين CatCusList=قائمة بعلامات / فئات العملاء / العملاء المحتملين @@ -88,8 +88,8 @@ DeleteFromCat=إزالة من العلامة / الفئة ExtraFieldsCategories=سمات تكميلية CategoriesSetup=إعداد العلامات / الفئات CategorieRecursiv=ربط مع العلامة / الفئة الاب تلقائيا -CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. -AddProductServiceIntoCategory=Assign category to the product/service +CategorieRecursivHelp=إذا كان الخيار قيد التشغيل، فعند إضافة كائن إلى فئة فرعية، سيتم إضافة الكائن أيضًا إلى الفئات الأصلية. +AddProductServiceIntoCategory=تعيين فئة للمنتج/الخدمة AddCustomerIntoCategory=تعيين فئة للعميل AddSupplierIntoCategory=تعيين فئة للمورد AssignCategoryTo=تعيين فئة إلى @@ -102,4 +102,5 @@ ActionCommCategoriesArea=فئات الحدث WebsitePagesCategoriesArea=فئات حاوية الصفحة KnowledgemanagementsCategoriesArea=فئات مقالة KM UseOrOperatorForCategories=استخدم عامل التشغيل "OR" للفئات -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=تعيين إلى الفئة +Position=المنصب diff --git a/htdocs/langs/ar_SA/commercial.lang b/htdocs/langs/ar_SA/commercial.lang index 9777a7a589a..80e2fd7b042 100644 --- a/htdocs/langs/ar_SA/commercial.lang +++ b/htdocs/langs/ar_SA/commercial.lang @@ -65,8 +65,8 @@ ActionAC_SUP_ORD=إرسال أمر الشراء عن طريق البريد ActionAC_SUP_INV=إرسال فاتورة المورد بالبريد ActionAC_OTH=آخر ActionAC_OTH_AUTO=Other auto -ActionAC_MANUAL=Events inserted manually (by a user) -ActionAC_AUTO=Events inserted automatically +ActionAC_MANUAL=الأحداث المُدرجة يدويًا (بواسطة المستخدم) +ActionAC_AUTO=يتم إدراج الأحداث تلقائيًا ActionAC_OTH_AUTOShort=الآخر ActionAC_EVENTORGANIZATION=حدث فعاليات للمنظمة Stats=إحصاءات المبيعات @@ -75,15 +75,19 @@ DraftPropals=صياغة مقترحات تجارية NoLimit=لا حدود ToOfferALinkForOnlineSignature=رابط للتوقيع عبر الإنترنت WelcomeOnOnlineSignaturePageProposal=مرحبًا بك في الصفحة لقبول العروض التجارية من %s -WelcomeOnOnlineSignaturePageContract=Welcome to %s Contract PDF Signing Page -WelcomeOnOnlineSignaturePageFichinter=Welcome to %s Intervention PDF Signing Page +WelcomeOnOnlineSignaturePageContract=مرحبًا بك في %s صفحة توقيع العقد بتنسيق PDF +WelcomeOnOnlineSignaturePageFichinter=مرحبًا بك في صفحة توقيع ملف PDF للتدخل %s +WelcomeOnOnlineSignaturePageSociete_rib=مرحبًا بك في %s صفحة توقيع PDF الخاصة بتفويض SEPA ThisScreenAllowsYouToSignDocFromProposal=تسمح لك هذه الشاشة بقبول وتوقيع أو رفض عرض أسعار / عرض تجاري -ThisScreenAllowsYouToSignDocFromContract=This screen allow you to sign contract on PDF format online. -ThisScreenAllowsYouToSignDocFromFichinter=This screen allow you to sign intervention on PDF format online. +ThisScreenAllowsYouToSignDocFromContract=تتيح لك هذه الشاشة توقيع العقد بتنسيق PDF عبر الإنترنت. +ThisScreenAllowsYouToSignDocFromFichinter=تسمح لك هذه الشاشة بالتوقيع على المداخلة بصيغة PDF عبر الإنترنت. +ThisScreenAllowsYouToSignDocFromSociete_rib=تتيح لك هذه الشاشة التوقيع على تفويض SEPA بتنسيق PDF عبر الإنترنت. ThisIsInformationOnDocumentToSignProposal=هذه معلومات على الوثيقة لقبولها أو رفضها -ThisIsInformationOnDocumentToSignContract=This is information on contract to sign -ThisIsInformationOnDocumentToSignFichinter=This is information on intervention to sign +ThisIsInformationOnDocumentToSignContract=هذه معلومات عن العقد للتوقيع +ThisIsInformationOnDocumentToSignFichinter=هذه معلومات عن التدخل للتوقيع +ThisIsInformationOnDocumentToSignSociete_rib=هذه معلومات عن تفويض SEPA للتوقيع SignatureProposalRef=توقيع عرض الأسعار / العرض التجاري %s -SignatureContractRef=Signature of contract %s -SignatureFichinterRef=Signature of intervention %s +SignatureContractRef=توقيع العقد %s +SignatureFichinterRef=توقيع التدخل %s +SignatureSociete_ribRef=توقيع تفويض SEPA %s FeatureOnlineSignDisabled=تم تعطيل ميزة التوقيع عبر الإنترنت أو تم إنشاء المستند قبل تمكين الميزة diff --git a/htdocs/langs/ar_SA/companies.lang b/htdocs/langs/ar_SA/companies.lang index f81fc7c6db9..81bdea81534 100644 --- a/htdocs/langs/ar_SA/companies.lang +++ b/htdocs/langs/ar_SA/companies.lang @@ -1,4 +1,6 @@ # Dolibarr language file - Source file is en_US - companies +newSocieteAdded=تم تسجيل تفاصيل الاتصال الخاصة بك. سوف نعود اليك قريبا... +ContactUsDesc=يتيح لك هذا النموذج أن ترسل لنا رسالة للاتصال الأول. ErrorCompanyNameAlreadyExists=اسم الشركة %s موجود بالفعل. اختر واحد اخر. ErrorSetACountryFirst=اضبط البلد أولاً SelectThirdParty=حدد طرفًا ثالثًا @@ -86,9 +88,9 @@ DefaultLang=اللغة الافتراضية VATIsUsed=تطبق ضريبة المبيعات VATIsUsedWhenSelling=يحدد هذا ما إذا كان هذا الطرف الثالث يتضمن ضريبة مبيعات أم لا عندما يُصدر فاتورة لعملائه VATIsNotUsed=لا تطبق ضريبة المبيعات -VATReverseCharge=VAT reverse-charge -VATReverseChargeByDefault=VAT reverse-charge by default -VATReverseChargeByDefaultDesc=On supplier invoice, VAT reverse-charge is used by default +VATReverseCharge=ضريبة القيمة المضافة العكسية +VATReverseChargeByDefault=ضريبة القيمة المضافة العكسية بشكل افتراضي +VATReverseChargeByDefaultDesc=في مورد فاتورة، يتم استخدام الخصم العكسي لضريبة القيمة المضافة بشكل افتراضي CopyAddressFromSoc=نسخ العنوان من تفاصيل الطرف الثالث ThirdpartyNotCustomerNotSupplierSoNoRef=لا عميل ولا مورد، ولا توجد كائنات مرجعية متاحة ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=لا خصومات لا لعميل ولا لمورد، الخصومات غير متوفرة @@ -117,12 +119,20 @@ ProfId3Short=هوية مهنية 3 ProfId4Short=هوية مهنية 4 ProfId5Short=هوية مهنية 5 ProfId6Short=هوية مهنية 6 +ProfId7Short=معرف البروفيسور 7 +ProfId8Short=معرف البروفيسور 8 +ProfId9Short=معرف البروفيسور 9 +ProfId10Short=معرف البروفيسور 10 ProfId1=الهوية المهنية 1 ProfId2=الهوية المهنية 2 ProfId3=الهوية المهنية 3 ProfId4=الهوية المهنية 4 ProfId5=الهوية المهنية 5 ProfId6=الهوية المهنية 6 +ProfId7=الهوية المهنية 7 +ProfId8=الهوية المهنية 8 +ProfId9=الهوية المهنية 9 +ProfId10=الهوية المهنية 10 ProfId1AR=الهوية المهنية 1 (CUIT / CUIL) ProfId2AR=الهوية المهنية 2 (المتوحشون الايرادات) ProfId3AR=- @@ -167,14 +177,14 @@ ProfId5CL=- ProfId6CL=- ProfId1CM=هوية شخصية. الأستاذ. 1 (السجل التجاري) ProfId2CM=هوية شخصية. الأستاذ. 2 (رقم دافع الضرائب) -ProfId3CM=Id. prof. 3 (No. of Creation decree) -ProfId4CM=Id. prof. 4 (No. of Deposit certificate) +ProfId3CM=بطاقة تعريف. البروفيسور 3 (رقم مرسوم الإنشاء) +ProfId4CM=بطاقة تعريف. البروفيسور 4 (رقم شهادة الإيداع) ProfId5CM=هوية شخصية. الأستاذ. 5 (أخرى) ProfId6CM=- ProfId1ShortCM=السجل التجاري ProfId2ShortCM=رقم دافع الضرائب -ProfId3ShortCM=No. of Creation decree -ProfId4ShortCM=No. of Deposit certificate +ProfId3ShortCM=رقم مرسوم الإنشاء +ProfId4ShortCM=رقم شهادة الإيداع ProfId5ShortCM=آخرون ProfId6ShortCM=- ProfId1CO=الهوية المهنية 1 (R.U.T.) @@ -201,12 +211,20 @@ ProfId3FR=الأستاذ عيد 3 (NAF ، البالغ من العمر قرد) ProfId4FR=الأستاذ عيد 4 (نظام المنسقين المقيمين / لجمهورية مقدونيا) ProfId5FR=معرف الأستاذ 5 (رقم EORI) ProfId6FR=- +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- ProfId1ShortFR=صفارة إنذار ProfId2ShortFR=سيريت ProfId3ShortFR=ناف ProfId4ShortFR=RCS ProfId5ShortFR=EORI ProfId6ShortFR=- +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- ProfId1GB=الأستاذ عيد 1 (رقم التسجيل) ProfId2GB=- ProfId3GB=3 الأستاذ عيد حسبما @@ -245,7 +263,7 @@ ProfId5MA=Id prof. 5 (I.C.E.) ProfId6MA=- ProfId1MX=الأستاذ رقم 1 (RFC). ProfId2MX=الأستاذ رقم 2 (ر. P. IMSS) -ProfId3MX=الأستاذ رقم 3 (ميثاق المهنة و) +ProfId3MX=معرف البروفيسور 3 (الميثاق المهني) ProfId4MX=- ProfId5MX=- ProfId6MX=- @@ -315,12 +333,12 @@ CustomerRelativeDiscountShort=خصم نسبي CustomerAbsoluteDiscountShort=خصم مطلق CompanyHasRelativeDiscount=هذا العميل لديه خصم افتراضي بقيمة %s%% CompanyHasNoRelativeDiscount=هذا العميل ليس لديه خصم نسبي بشكل افتراضي -HasRelativeDiscountFromSupplier=You have a default discount of %s%% with this vendor -HasNoRelativeDiscountFromSupplier=No default relative discount with this vendor +HasRelativeDiscountFromSupplier=لديك خصم افتراضي بقيمة %s%% مع هذا المورد +HasNoRelativeDiscountFromSupplier=لا يوجد الخصم النسبي افتراضي مع المورد. CompanyHasAbsoluteDiscount=يتوفر لدى هذا العميل خصومات (ملاحظات ائتمانية أو دفعات مقدمة) لـ %s %s CompanyHasDownPaymentOrCommercialDiscount=هذا العميل لديه خصومات متاحة (تجارية ، دفعة أولى) لـ %s %s CompanyHasCreditNote=لا يزال لدى هذا العميل اشعار دائن لـ %s %s -HasNoAbsoluteDiscountFromSupplier=No discount/credit available from this vendor +HasNoAbsoluteDiscountFromSupplier=لا يوجد خصم/رصيد متاح من هذا المورد HasAbsoluteDiscountFromSupplier=لديك خصومات متاحة (ملاحظات ائتمانية أو دفعات مقدمة) لـ %s %s من هذا المورد HasDownPaymentOrCommercialDiscountFromSupplier=لديك خصومات متاحة (تجارية ، دفعات مقدمة) لـ %s %s من هذا المورد HasCreditNoteFromSupplier=لديك اشعار دائن لـ %s %s من هذا المورد @@ -387,7 +405,7 @@ EditCompany=تحرير الشركة ThisUserIsNot=هذا المستخدم ليس فرصة أو عميل أو مورد VATIntraCheck=فحص VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation VATIntraCheckableOnEUSite=تحقق من معرف ضريبة القيمة المضافة داخل الاتجاد على موقع المفوضية الأوروبية VATIntraManualCheck=يمكنك أيضًا التحقق يدويًا على موقع المفوضية الأوروبية %s ErrorVATCheckMS_UNAVAILABLE=تحقق غير ممكن. لا يتم توفير خدمة التحقق من قبل الدولة العضو (%s). @@ -447,7 +465,7 @@ AddAddress=اضف عنوان SupplierCategory=فئة المورد JuridicalStatus200=مستقل DeleteFile=حذف الملفات -ConfirmDeleteFile=Are you sure you want to delete this file %s? +ConfirmDeleteFile=هل أنت متأكد أنك تريد حذف هذا الملف %s؟ AllocateCommercial=مخصص لمندوب المبيعات Organization=المؤسسة FiscalYearInformation=السنة المالية @@ -475,7 +493,7 @@ CurrentOutstandingBill=فاتورة مستحقة حاليا OutstandingBill=الأعلى للفاتورة المستحقة OutstandingBillReached=الأعلى لفاتورة مستحقة وصلت OrderMinAmount=الحد الأدنى للطلب -MonkeyNumRefModelDesc=إنشاء رقم على الصيغة %s yymm-nnnn للعميل و المورد %s حيث ال yy تمثل رقم السنة وال mm تمثل الشهر وال nnnn تمثل رقم تسلسلي بدون فواصل وبدون العودة للصفر +MonkeyNumRefModelDesc=قم بإرجاع رقم بالتنسيق %syymm-nnnn للكود العميل و %syymm-nnnn للكود المورد حيث yy هي سنة، mm هي شهر و nnnn هو رقم متسلسل يتزايد تلقائيًا بدون فاصل و ولا عودة إلى 0. LeopardNumRefModelDesc=الكود مجاني. يمكن تعديل هذا الكود في أي وقت. ManagingDirectors=اسم المدير (المديرون) (الرئيس التنفيذي ، المدير ، الرئيس) MergeOriginThirdparty=طرف ثالث مكرر (الطرف الثالث الذي تريد حذفه) @@ -500,11 +518,13 @@ InEEC=أوروبا (الاتحاد الاوروبي) RestOfEurope=بقية أوروبا (EEC) OutOfEurope=خارج أوروبا (EEC) CurrentOutstandingBillLate=الفاتورة الحالية المتأخرة -BecarefullChangeThirdpartyBeforeAddProductToInvoice=كن حذرًا ، اعتمادًا على إعدادات سعر المنتج ، يجب عليك تغيير الطرف الثالث قبل إضافة المنتج إلى نقطة البيع. -EmailAlreadyExistsPleaseRewriteYourCompanyName=email already exists please rewrite your company name -TwoRecordsOfCompanyName=more than one record exists for this company, please contact us to complete your partnership request -CompanySection=Company section -ShowSocialNetworks=Show social networks -HideSocialNetworks=Hide social networks -ExternalSystemID=External system ID -IDOfPaymentInAnExternalSystem=ID of the payment mode into an external system (like Stripe, Paypal, ...) +BecarefullChangeThirdpartyBeforeAddProductToInvoice=كن حذرًا، اعتمادًا على إعدادات سعر المنتج لديك، يجب عليك تغيير الطرف الثالث قبل إضافة المنتج إلى نقطة البيع. +EmailAlreadyExistsPleaseRewriteYourCompanyName=البريد الإلكتروني موجود بالفعل، يرجى إعادة كتابة اسمك شركة +TwoRecordsOfCompanyName=يوجد أكثر من سجل لهذا شركة، يرجى الاتصال بنا لإكمال طلب الشراكة الخاص بك +CompanySection=قسم شركة +ShowSocialNetworks=عرض الشبكات الاجتماعية +HideSocialNetworks=إخفاء الشبكات الاجتماعية +ExternalSystemID=معرف النظام الخارجي +IDOfPaymentInAnExternalSystem=معرف طريقة الدفع في نظام خارجي (مثل Stripe، Paypal، ...) +AADEWebserviceCredentials=بيانات اعتماد خدمة الويب AADE +ThirdPartyMustBeACustomerToCreateBANOnStripe=يجب أن يكون الطرف الثالث العميل للسماح بإنشاء معلوماته المصرفية على جانب Stripe diff --git a/htdocs/langs/ar_SA/compta.lang b/htdocs/langs/ar_SA/compta.lang index 840d1e5294c..f61ebfce261 100644 --- a/htdocs/langs/ar_SA/compta.lang +++ b/htdocs/langs/ar_SA/compta.lang @@ -83,7 +83,7 @@ NewSocialContribution=الضريبة الاجتماعية / مالية جديد AddSocialContribution=Add social/fiscal tax ContributionsToPay=الضرائب الاجتماعية / المالية لدفع AccountancyTreasuryArea=منطقة المحاسبة -InvoicesArea=Billing and payment area +InvoicesArea=دفع الفواتير و منطقة NewPayment=دفع جديدة PaymentCustomerInvoice=الزبون تسديد الفاتورة PaymentSupplierInvoice=دفع فاتورة البائع @@ -133,15 +133,15 @@ ByThirdParties=بو أطراف ثالثة ByUserAuthorOfInvoice=فاتورة من قبل المؤلف CheckReceipt=قسيمة الإيداع CheckReceiptShort=قسيمة الإيداع -LastCheckReceiptShort=Latest %s deposit slips -LastPaymentForDepositShort=Latest %s %s deposit slips +LastCheckReceiptShort=أحدث %s قسائم الإيداع +LastPaymentForDepositShort=أحدث قسائم إيداع %s %s NewCheckReceipt=خصم جديد -NewCheckDeposit=New deposit slip +NewCheckDeposit=قسيمة إيداع جديدة NewCheckDepositOn=تهيئة لتلقي الودائع على حساب : ٪ ق NoWaitingChecks=No checks awaiting deposit. -NoWaitingPaymentForDeposit=No %s payment awaiting deposit. +NoWaitingPaymentForDeposit=لا توجد دفعة %s في انتظار الإيداع. DateChequeReceived=تحقق من تاريخ الاستلام -DatePaymentReceived=Date of document reception +DatePaymentReceived=تاريخ استلام الوثيقة NbOfCheques=عدد الشيكات PaySocialContribution=دفع ضريبة اجتماعية / مالية PayVAT=دفع إقرار ضريبة القيمة المضافة @@ -160,10 +160,10 @@ ConfirmDeleteVariousPayment=هل أنت متأكد أنك تريد حذف هذه ExportDataset_tax_1=الضرائب والمدفوعات الاجتماعية والمالية CalcModeVATDebt=الوضع٪ SVAT بشأن المحاسبة الالتزام٪ الصورة. CalcModeVATEngagement=وضع SVAT٪ على مداخيل مصاريف٪ الصورة. -CalcModeDebt=Analysis of known recorded documents -CalcModeEngagement=Analysis of known recorded payments +CalcModeDebt=تحليل الوثائق المسجلة المعروفة +CalcModeEngagement=تحليل المدفوعات المسجلة المعروفة CalcModeBookkeeping=تحليل البيانات المسجلة في دفتر دفتر الأستاذ. -CalcModeNoBookKeeping=Even if they are not yet accounted in Ledger +CalcModeNoBookKeeping=حتى لو لم يتم حسابهم بعد في دفتر الأستاذ CalcModeLT1= الوضع٪ زارة العلاقات الخارجية على فواتير العملاء - فواتير الموردين٪ الصورة CalcModeLT1Debt=الوضع٪ زارة العلاقات الخارجية على فواتير العملاء٪ الصورة CalcModeLT1Rec= الوضع٪ زارة العلاقات الخارجية على فواتير الموردين٪ الصورة @@ -177,7 +177,7 @@ AnnualByCompaniesDueDebtMode=ميزان الإيرادات والمصروفات AnnualByCompaniesInputOutputMode=ميزان الإيرادات والمصروفات ، التفاصيل حسب المجموعات المحددة مسبقًا ، الوضع %s الدخل - المصروفات %s قال المحاسبة النقدية a09a4b739. SeeReportInInputOutputMode=راجع %s تحليل المدفوعات SeeReportInDueDebtMode=راجع %s تحليل المستندات المسجلة -SeeReportInBookkeepingMode=راجع %s تحليل جدول دفتر الأستاذ لحراسة الدفاتر +SeeReportInBookkeepingMode=راجع %sتحليل جدول دفتر أستاذ مسك الدفاتر%s لتقرير يعتمد على جدول دفتر أستاذ مسك الدفاتر RulesAmountWithTaxIncluded=- المبالغ المبينة لمع جميع الضرائب المدرجة RulesAmountWithTaxExcluded=- مبالغ الفواتير المعروضة مع استبعاد جميع الضرائب RulesResultDue=- تشمل جميع الفواتير والمصاريف وضريبة القيمة المضافة والتبرعات والرواتب سواء تم دفعها أم لا.
      - يعتمد على تاريخ فوترة الفواتير وتاريخ استحقاق المصروفات أو مدفوعات الضرائب. بالنسبة للرواتب ، يتم استخدام تاريخ انتهاء الفترة. @@ -251,14 +251,16 @@ TurnoverPerProductInCommitmentAccountingNotRelevant=لا يتوفر تقرير TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=لا يتوفر تقرير رقم الأعمال المحصل لكل معدل ضريبة بيع. هذا التقرير متاح فقط للدوران المفوتر. CalculationMode=وضع الحساب AccountancyJournal=مجلة كود المحاسبة -ACCOUNTING_VAT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on sales (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_PAY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for paying VAT -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Credit) -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Debit) -ACCOUNTING_ACCOUNT_CUSTOMER=Account (from the Chart Of Account) used for "customer" third parties +ACCOUNTING_VAT_SOLD_ACCOUNT=الحساب (من دليل الحساب) الذي سيتم استخدامه كحساب افتراضي لضريبة القيمة المضافة على المبيعات (يُستخدم إذا لم يتم تحديده في إعداد قاموس ضريبة القيمة المضافة) +ACCOUNTING_VAT_BUY_ACCOUNT=الحساب (من دليل الحساب) الذي سيتم استخدامه كحساب افتراضي لضريبة القيمة المضافة على المشتريات (يُستخدم إذا لم يتم تحديده في إعداد قاموس ضريبة القيمة المضافة) +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=الحساب (من دليل الحساب) الذي سيتم استخدامه لختم الإيرادات على المبيعات +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=الحساب (من دليل الحساب) الذي سيتم استخدامه لختم الإيرادات على المشتريات +ACCOUNTING_VAT_PAY_ACCOUNT=الحساب (من دليل الحسابات) الذي سيتم استخدامه كحساب افتراضي لدفع ضريبة القيمة المضافة +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=الحساب (من دليل الحساب) الذي سيتم استخدامه كحساب افتراضي لضريبة القيمة المضافة على المشتريات مقابل الرسوم العكسية (الائتمان) +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=الحساب (من دليل الحساب) الذي سيتم استخدامه كحساب افتراضي لضريبة القيمة المضافة على المشتريات مقابل الرسوم العكسية (الخصم) +ACCOUNTING_ACCOUNT_CUSTOMER=الحساب (من دليل الحساب) المستخدم لـ "العميل" الجهات الخارجية ACCOUNTING_ACCOUNT_CUSTOMER_Desc=سيتم استخدام حساب المحاسبة المخصص المحدد في بطاقة الطرف الثالث لمحاسبة Subledger فقط. سيتم استخدام هذا واحد لدفتر الأستاذ العام وكقيمة افتراضية لمحاسبة Subledger إذا لم يتم تحديد حساب محاسبة العميل المخصص على طرف ثالث. -ACCOUNTING_ACCOUNT_SUPPLIER=Account (from the Chart of Account) used for the "vendor" third parties +ACCOUNTING_ACCOUNT_SUPPLIER=الحساب (من دليل الحساب) المستخدم لدى الأطراف الثالثة "المورد" ACCOUNTING_ACCOUNT_SUPPLIER_Desc=سيتم استخدام حساب المحاسبة المخصص المحدد في بطاقة الطرف الثالث لمحاسبة Subledger فقط. سيتم استخدام هذا واحد لدفتر الأستاذ العام وكقيمة افتراضية لمحاسبة Subledger إذا لم يتم تحديد حساب محاسبة البائع المخصص على طرف ثالث. ConfirmCloneTax=قم بتأكيد استنساخ الضريبة الاجتماعية / المالية ConfirmCloneVAT=قم بتأكيد استنساخ إقرار ضريبة القيمة المضافة diff --git a/htdocs/langs/ar_SA/contracts.lang b/htdocs/langs/ar_SA/contracts.lang index 1d7c67e7c7f..2e9860fe870 100644 --- a/htdocs/langs/ar_SA/contracts.lang +++ b/htdocs/langs/ar_SA/contracts.lang @@ -78,7 +78,7 @@ CloseAllContracts=إغلاق جميع بنود العقد DeleteContractLine=حذف بند العقد ConfirmDeleteContractLine=هل انت متأكد من رغبتك بحذف بند العقد هذا ؟ MoveToAnotherContract=نقل الخدمة الى عقد اخر -ConfirmMoveToAnotherContract=لقد اخترت عقد جدبد للخدمة و اود نقل هذه الخدمة الى العقد الجديد +ConfirmMoveToAnotherContract=لقد اخترت عقدًا مستهدفًا جديدًا و وأؤكد أنني أرغب في نقل هذه الخدمة إلى هذا العقد. ConfirmMoveToAnotherContractQuestion=إختر ايأ من العقود الموجودة (لنفس الطرف الثالث) ، والتي تود نقل هذه الخدمة لها ؟ PaymentRenewContractId=تجديد العقد %s (الخدمة %s) ExpiredSince=تاريخ الانتهاء diff --git a/htdocs/langs/ar_SA/cron.lang b/htdocs/langs/ar_SA/cron.lang index e59dd091260..f7819518898 100644 --- a/htdocs/langs/ar_SA/cron.lang +++ b/htdocs/langs/ar_SA/cron.lang @@ -13,8 +13,8 @@ KeyForCronAccess=مفتاح أمان للURL لإطلاق كرون الوظائ FileToLaunchCronJobs=سطر الأوامر للتحقق من وظائف cron المؤهلة وإطلاقها CronExplainHowToRunUnix=على بيئة يونكس يجب عليك استخدام دخول كرونتاب التالي لتشغيل سطر الأوامر كل 5 دقائق CronExplainHowToRunWin=في بيئة Microsoft (tm) Windows ، يمكنك استخدام أدوات المهام المجدولة لتشغيل سطر الأوامر كل 5 دقائق -CronMethodDoesNotExists=Class %s does not contain any method %s -CronMethodNotAllowed=الطريقة %s للفئة %s موجودة في القائمة السوداء للطرق المحظورة +CronMethodDoesNotExists=الفئة %s لا تحتوي على أي طريقة %s +CronMethodNotAllowed=الطريقة %s من الفئة %s موجودة في القائمة المحظورة للطرق المحظورة CronJobDefDesc=يتم تعريف ملفات تعريف وظائف Cron في ملف واصف الوحدة. عند تنشيط الوحدة النمطية ، يتم تحميلها وإتاحتها حتى تتمكن من إدارة الوظائف من قائمة أدوات المسؤول %s. CronJobProfiles=قائمة ملفات تعريف وظائف كرون المحددة مسبقًا # Menu @@ -26,7 +26,7 @@ CronCommand=أمر CronList=المهام المجدولة CronDelete=حذف المهام المجدولة CronConfirmDelete=Are you sure you want to delete these scheduled jobs? -CronExecute=Launch now +CronExecute=تنطلق الان CronConfirmExecute=Are you sure you want to execute these scheduled jobs now? CronInfo=Scheduled job module allows to schedule jobs to execute them automatically. Jobs can also be started manually. CronTask=وظيفة @@ -58,7 +58,7 @@ CronNote=التعليق CronFieldMandatory=الحقول%s إلزامي CronErrEndDateStartDt=تاريخ نهاية لا يمكن أن يكون قبل تاريخ البدء StatusAtInstall=الحالة عند تثبيت الوحدة -CronStatusActiveBtn=Enable scheduling +CronStatusActiveBtn=تمكين الجدولة CronStatusInactiveBtn=يعطل CronTaskInactive=هذه الوظيفة معطلة (غير مجدولة) CronId=هوية شخصية @@ -67,7 +67,7 @@ CronModuleHelp=اسم دليل وحدة Dolibarr (يعمل أيضًا مع وح CronClassFileHelp=المسار النسبي واسم الملف المراد تحميله (المسار مرتبط بالدليل الجذر لخادم الويب).
      على سبيل المثال لاستدعاء طريقة الجلب لكائن منتج Dolibarr htdocs / product / class / product.class.php ، قيمة اسم ملف الفئة هي
      a049271e8181 CronObjectHelp=اسم الكائن المراد تحميله.
      على سبيل المثال لاستدعاء طريقة الجلب لكائن Dolibarr Product /htdocs/product/class/product.class.php ، قيمة اسم ملف الفئة هي
      المنتج CronMethodHelp=طريقة الكائن لبدء.
      على سبيل المثال لاستدعاء طريقة الجلب لكائن منتج Dolibarr /htdocs/product/class/product.class.php ، قيمة الطريقة هي
      fetch -CronArgsHelp=حجج الطريقة.
      على سبيل المثال لاستدعاء طريقة الجلب لكائن Dolibarr Product /htdocs/product/class/product.class.php ، يمكن أن تكون قيمة المعلمات
      0 ، ProductRef +CronArgsHelp=حجج الطريقة.
      على سبيل المثال، لاستدعاء طريقة الجلب لكائن منتج Dolibarr /htdocs/product/class/product.class.php، يمكن أن تكون قيمة المعلمات
      0, ProductRef CronCommandHelp=سطر الأوامر لتنفيذ النظام. CronCreateJob=إنشاء مهمة مجدولة جديدة CronFrom=من عند @@ -84,17 +84,18 @@ MakeLocalDatabaseDumpShort=Local database backup MakeLocalDatabaseDump=إنشاء تفريغ قاعدة بيانات محلية. المعلمات هي: الضغط ("gz" أو "bz" أو "لا شيء") ، نوع النسخ الاحتياطي ("mysql" ، "pgsql" ، "تلقائي") ، 1 ، "تلقائي" أو اسم الملف المراد إنشاؤه ، عدد ملفات النسخ الاحتياطي المطلوب الاحتفاظ بها MakeSendLocalDatabaseDumpShort=إرسال نسخة احتياطية من قاعدة البيانات المحلية MakeSendLocalDatabaseDump=إرسال نسخة احتياطية لقاعدة البيانات المحلية عن طريق البريد الإلكتروني. المعلمات هي: إلى ، من ، الموضوع ، الرسالة ، اسم الملف (اسم الملف المرسل) ، عامل التصفية ('sql' للنسخ الاحتياطي لقاعدة البيانات فقط) -BackupIsTooLargeSend=Sorry, last backup file is too large to be send by email -CleanUnfinishedCronjobShort=Clean unfinished cronjob -CleanUnfinishedCronjob=Clean cronjob stuck in processing when the process is no longer running +BackupIsTooLargeSend=عذرًا، ملف النسخ الاحتياطي الأخير كبير جدًا بحيث لا يمكن إرساله عبر البريد الإلكتروني +CleanUnfinishedCronjobShort=تنظيف cronjob غير المكتمل +CleanUnfinishedCronjob=عالقة cronjob النظيفة في المعالجة عندما لم تعد العملية قيد التشغيل WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run. DATAPOLICYJob=منظف البيانات ومجهول الهوية JobXMustBeEnabled=يجب تفعيل الوظيفة %s -EmailIfError=Email for warning on error -ErrorInBatch=Error when running the job %s +EmailIfError=البريد الإلكتروني للتحذير من الخطأ +JobNotFound=لم يتم العثور على الوظيفة %s في قائمة المهام (حاول تعطيل/تمكين نموذج) +ErrorInBatch=حدث خطأ أثناء تشغيل المهمة %s # Cron Boxes LastExecutedScheduledJob=آخر وظيفة مجدولة تم تنفيذها NextScheduledJobExecute=المهمة التالية المجدولة للتنفيذ NumberScheduledJobError=عدد الوظائف المجدولة بالخطأ -NumberScheduledJobNeverFinished=Number of scheduled jobs never finished +NumberScheduledJobNeverFinished=عدد المهام المجدولة لم تنتهي أبدًا diff --git a/htdocs/langs/ar_SA/datapolicy.lang b/htdocs/langs/ar_SA/datapolicy.lang index eeb62deccc0..b789fd8fb87 100644 --- a/htdocs/langs/ar_SA/datapolicy.lang +++ b/htdocs/langs/ar_SA/datapolicy.lang @@ -14,79 +14,79 @@ # along with this program. If not, see . # Module label 'ModuledatapolicyName' -Module4100Name = Data Privacy Policy +Module4100Name = سياسة خصوصية البيانات # Module description 'ModuledatapolicyDesc' -Module4100Desc = Module to manage Data Privacy (Conformity with the GDPR) +Module4100Desc = نموذج لإدارة خصوصية البيانات (التوافق مع اللائحة العامة لحماية البيانات) # # Administration page # -datapolicySetup = Module Data Privacy Policy Setup -Deletion = Deletion of data -datapolicySetupPage = Depending of laws of your countries (Example Article 5 of the GDPR), personal data must be kept for a period not exceeding that necessary for the purposes for which they were collected, except for archival purposes.
      The deletion will be done automatically after a certain duration without event (the duration which you will have indicated below). -NB_MONTHS = %s months -ONE_YEAR = 1 year -NB_YEARS = %s years +datapolicySetup = نموذج إعداد سياسة خصوصية البيانات +Deletion = حذف البيانات +datapolicySetupPage = وفقًا لقوانين بلدانك (مثال المادة 5 من اللائحة العامة لحماية البيانات)، يجب الاحتفاظ بالبيانات الشخصية لفترة لا تتجاوز ما هو ضروري للأغراض التي تم جمعها من أجلها، باستثناء الأغراض الأرشفية.
      سيتم الحذف تلقائيًا بعد مدة معينة بدون حدث (المدة التي حددتها أقل). +NB_MONTHS = %s شهر +ONE_YEAR = 1 سنة +NB_YEARS = %s سنة DATAPOLICY_TIERS_CLIENT = العميل DATAPOLICY_TIERS_PROSPECT = فرصة -DATAPOLICY_TIERS_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = Nor prospect/Nor customer +DATAPOLICY_TIERS_PROSPECT_CLIENT = احتمال/العميل +DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = ولا احتمال/ ولا العميل DATAPOLICY_TIERS_FOURNISSEUR = المورد DATAPOLICY_CONTACT_CLIENT = العميل DATAPOLICY_CONTACT_PROSPECT = فرصة -DATAPOLICY_CONTACT_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = Nor prospect/Nor customer +DATAPOLICY_CONTACT_PROSPECT_CLIENT = احتمال/العميل +DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = ولا احتمال/ ولا العميل DATAPOLICY_CONTACT_FOURNISSEUR = المورد DATAPOLICY_ADHERENT = عضو -DATAPOLICY_Tooltip_SETUP = Type of contact - Indicate your choices for each type. -DATAPOLICYMail = Emails Setup -DATAPOLICYSUBJECTMAIL = Subject of email -DATAPOLICYCONTENTMAIL = Content of the email -DATAPOLICYSUBSITUTION = You can use the following variables in your email (LINKACCEPT allows to create a link recording the agreement of the person, LINKREFUSED makes it possible to record the refusal of the person): -DATAPOLICYACCEPT = Message after agreement -DATAPOLICYREFUSE = Message after desagreement -SendAgreementText = You can send a GDPR email to all your relevant contacts (who have not yet received an email and for which you have not registered anything about their GDPR agreement). To do this, use the following button. -SendAgreement = Send emails -AllAgreementSend = All emails have been sent -TXTLINKDATAPOLICYACCEPT = Text for the link "agreement" -TXTLINKDATAPOLICYREFUSE = Text for the link "desagreement" +DATAPOLICY_Tooltip_SETUP = نوع جهة الاتصال - حدد اختياراتك لكل نوع. +DATAPOLICYMail = إعداد رسائل البريد الإلكتروني +DATAPOLICYSUBJECTMAIL = موضوع البريد الإلكتروني +DATAPOLICYCONTENTMAIL = محتوى البريد الإلكتروني +DATAPOLICYSUBSITUTION = يمكنك استخدام المتغيرات التالية في بريدك الإلكتروني (يسمح LINKACCEPT بإنشاء رابط يسجل موافقة الشخص، ويتيح LINKREFUSED تسجيل رفض الشخص): +DATAPOLICYACCEPT = رسالة بعد الاتفاق +DATAPOLICYREFUSE = رسالة بعد عدم الاتفاق +SendAgreementText = يمكنك إرسال بريد إلكتروني بالقانون العام لحماية البيانات (GDPR) إلى جميع جهات الاتصال ذات الصلة (الذين لم يتلقوا بعد رسالة بريد إلكتروني و والتي لم تسجل أي شيء بشأن اتفاقية القانون العام لحماية البيانات الخاصة بهم). للقيام بذلك، استخدم الزر التالي. +SendAgreement = إرسال رسائل البريد الإلكتروني +AllAgreementSend = تم إرسال كافة رسائل البريد الإلكتروني +TXTLINKDATAPOLICYACCEPT = نص الرابط "الاتفاقية" +TXTLINKDATAPOLICYREFUSE = نص الرابط "عدم الاتفاق" # # Extrafields # -DATAPOLICY_BLOCKCHECKBOX = GDPR : Processing of personal data -DATAPOLICY_consentement = Consent obtained for the processing of personal data -DATAPOLICY_opposition_traitement = Opposes the processing of his personal data -DATAPOLICY_opposition_prospection = Opposes the processing of his personal data for the purposes of prospecting +DATAPOLICY_BLOCKCHECKBOX = اللائحة العامة لحماية البيانات: معالجة البيانات الشخصية +DATAPOLICY_consentement = تم الحصول على الموافقة لمعالجة البيانات الشخصية +DATAPOLICY_opposition_traitement = يعارض معالجة بياناته الشخصية +DATAPOLICY_opposition_prospection = يعارض معالجة بياناته الشخصية لأغراض التنقيب # # Popup # -DATAPOLICY_POPUP_ANONYME_TITLE = Anonymize a thirdparty -DATAPOLICY_POPUP_ANONYME_TEXTE = You can not delete this contact from Dolibarr because there are related items. In accordance with the GDPR, you will make all this data anonymous to respect your obligations. Would you like to continue ? +DATAPOLICY_POPUP_ANONYME_TITLE = إخفاء هوية طرف ثالث +DATAPOLICY_POPUP_ANONYME_TEXTE = لا يمكنك حذف جهة الاتصال هذه من Dolibarr نظرًا لوجود عناصر ذات صلة. وفقًا للائحة العامة لحماية البيانات، ستجعل جميع هذه البيانات مجهولة المصدر لاحترام التزاماتك. هل ترغب في الاستمرار ؟ # # Button for portability # -DATAPOLICY_PORTABILITE = Portability GDPR -DATAPOLICY_PORTABILITE_TITLE = Export of personal data -DATAPOLICY_PORTABILITE_CONFIRMATION = You want to export the personal data of this contact. Are you sure ? +DATAPOLICY_PORTABILITE = قابلية النقل الناتج المحلي الإجمالي +DATAPOLICY_PORTABILITE_TITLE = تصدير البيانات الشخصية +DATAPOLICY_PORTABILITE_CONFIRMATION = تريد تصدير البيانات الشخصية لجهة الاتصال هذه. هل أنت متأكد ؟ # # Notes added during an anonymization # -ANONYMISER_AT = Anonymised the %s +ANONYMISER_AT = تم إخفاء هوية %s # V2 -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_date = Date of agreement/desagreement GDPR -DATAPOLICY_send = Date sending agreement email -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_SEND = Send GDPR email -MailSent = Email has been sent +DATAPOLICYReturn = التحقق من صحة اللائحة العامة لحماية البيانات +DATAPOLICY_date = تاريخ الاتفاق/عدم الاتفاق الناتج المحلي الإجمالي +DATAPOLICY_send = تاريخ إرسال الاتفاقية بالبريد الإلكتروني +DATAPOLICYReturn = التحقق من صحة اللائحة العامة لحماية البيانات +DATAPOLICY_SEND = إرسال البريد الإلكتروني اللائحة العامة لحماية البيانات +MailSent = تم ارسال البريد الالكتروني # ERROR -ErrorSubjectIsRequired = Error : The subject of email is required. Indicate it in the module setup -=Due to a technical problem, we were unable to register your choice. We apologize for that. Contact us to send us your choice. -NUMBER_MONTH_BEFORE_DELETION = Number of month before deletion +ErrorSubjectIsRequired = خطأ: موضوع البريد الإلكتروني مطلوب. قم بالإشارة إليه في إعداد نموذج +=بسبب مشكلة فنية، لم نتمكن من تسجيل اختيارك. ونحن نعتذر عن ذلك. اتصل بنا لترسل لنا اختيارك. +NUMBER_MONTH_BEFORE_DELETION = عدد الأشهر قبل الحذف diff --git a/htdocs/langs/ar_SA/deliveries.lang b/htdocs/langs/ar_SA/deliveries.lang index a4abc95e026..fde9a10c09b 100644 --- a/htdocs/langs/ar_SA/deliveries.lang +++ b/htdocs/langs/ar_SA/deliveries.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - deliveries Delivery=توصيل DeliveryRef=معرف التسليم -DeliveryCard=Stock receipt +DeliveryCard=استلام المخزون DeliveryOrder=إيصال التسليم DeliveryDate=تاريخ التسليم او الوصول CreateDeliveryOrder=إنشاء إيصال الاستلام diff --git a/htdocs/langs/ar_SA/dict.lang b/htdocs/langs/ar_SA/dict.lang index cd7576ca93c..3e899a67d98 100644 --- a/htdocs/langs/ar_SA/dict.lang +++ b/htdocs/langs/ar_SA/dict.lang @@ -137,7 +137,7 @@ CountryLV=لاتفيا CountryLB=لبنان CountryLS=ليسوتو CountryLR=ليبيريا -CountryLY=Libya +CountryLY=ليبيا CountryLI=ليختنشتاين CountryLT=Lithuania CountryLU=لوكسمبورج @@ -158,7 +158,7 @@ CountryMX=المكسيك CountryFM=ميكرونيزيا CountryMD=مولدافيا CountryMN=منغوليا -CountryMS=مونتسرات +CountryMS=مونتسيرات CountryMZ=موزامبيق CountryMM=ميانمار (بورما) CountryNA=ناميبيا @@ -247,7 +247,7 @@ CountryJE=جيرسي CountryME=الجبل الأسود CountryBL=سانت بارتيليمي CountryMF=سانت مارتين -CountryXK=Kosovo +CountryXK=كوسوفو ##### Civilities ##### CivilityMME=السيدة diff --git a/htdocs/langs/ar_SA/donations.lang b/htdocs/langs/ar_SA/donations.lang index dc803ead467..b916689f225 100644 --- a/htdocs/langs/ar_SA/donations.lang +++ b/htdocs/langs/ar_SA/donations.lang @@ -29,7 +29,7 @@ FreeTextOnDonations=النص الحر لإظهارها في تذييل FrenchOptions=خيارات لفرنسا DONATION_ART200=تبين المادة 200 من CGI إذا كنت تشعر بالقلق DONATION_ART238=تبين المادة 238 من CGI إذا كنت تشعر بالقلق -DONATION_ART978=Show article 978 from CGI if you are concerned +DONATION_ART978=اعرض المادة 978 من CGI إذا كنت تشعر بالقلق DonationPayment=دفع التبرع DonationValidated=تم تأكيد التبرع %s -DonationUseThirdparties=إستخدام طرف ثالث موجود كمنسق للمتبرعين +DonationUseThirdparties=استخدم عنوان طرف ثالث موجود كعنوان للجهة المانحة diff --git a/htdocs/langs/ar_SA/ecm.lang b/htdocs/langs/ar_SA/ecm.lang index a312486b280..0e841b5f448 100644 --- a/htdocs/langs/ar_SA/ecm.lang +++ b/htdocs/langs/ar_SA/ecm.lang @@ -3,9 +3,9 @@ ECMNbOfDocs=عدد الوثائق في الدليل ECMSection=دليل ECMSectionManual=دليل دليل ECMSectionAuto=الدليل الآلي -ECMSectionsManual=دليل الشجرة -ECMSectionsAuto=شجرة الآلي -ECMSectionsMedias=Medias tree +ECMSectionsManual=شجرة يدوية خاصة +ECMSectionsAuto=شجرة أوتوماتيكية خاصة +ECMSectionsMedias=شجرة عامة ECMSections=أدلة ECMRoot=جذر ECM ECMNewSection=دليل جديد @@ -17,9 +17,9 @@ ECMNbOfFilesInSubDir=عدد الملفات في الدلائل الفرعية ECMCreationUser=مبدع ECMArea=منطقة DMS / ECM ECMAreaDesc=تتيح لك منطقة DMS / ECM (نظام إدارة المستندات / إدارة المحتوى الإلكتروني) حفظ جميع أنواع المستندات ومشاركتها والبحث عنها بسرعة في Dolibarr. -ECMAreaDesc2a=* Manual directories can be used to save documents not linked to a particular element. -ECMAreaDesc2b=* Automatic directories are filled automatically when adding documents from the page of an element. -ECMAreaDesc3=* Medias directories are files into the subdirectory /medias of documents directory, readable by everybody with no need to be logged and no need to have the file shared explicitely. It is used to store image files from emailing or website module. +ECMAreaDesc2a=* يمكن استخدام الدلائل اليدوية لحفظ المستندات مع التنظيم الحر للبنية الشجرية. +ECMAreaDesc2b=* تتم تعبئة الدلائل التلقائية تلقائيًا عند إضافة مستندات من صفحة أحد العناصر. +ECMAreaDesc3=* الدلائل العامة هي ملفات موجودة في الدليل الفرعي /medias لدليل المستندات، ويمكن للجميع قراءتها دون الحاجة إلى التسجيل و لا داعي لمشاركة الملف بشكل صريح. يتم استخدامه لتخزين ملفات الصور للبريد الإلكتروني أو موقع الويب نموذج على سبيل المثال. ECMSectionWasRemoved=دليل ٪ ق حذفت. ECMSectionWasCreated=تم إنشاء الدليل %s . ECMSearchByKeywords=بحث الكلمات الرئيسية @@ -45,8 +45,12 @@ ExtraFieldsEcmFiles=ملفات Extrafields Ecm ExtraFieldsEcmDirectories=أدلة Extrafields Ecm ECMSetup=إعداد ECM GenerateImgWebp=قم بتكرار جميع الصور بإصدار آخر بتنسيق .webp -ConfirmGenerateImgWebp=إذا قمت بالتأكيد ، فسوف تقوم بإنشاء صورة بتنسيق webp. لجميع الصور الموجودة حاليًا في هذا المجلد (لا يتم تضمين المجلدات الفرعية) ... +ConfirmGenerateImgWebp=إذا قمت بالتأكيد، فسوف تقوم بإنشاء صورة بتنسيق .webp لجميع الصور الموجودة حاليًا في هذا المجلد (لا يتم تضمين المجلدات الفرعية، ولن يتم إنشاء صور webp إذا كان الحجم أكبر من الحجم الأصلي)... ConfirmImgWebpCreation=تأكيد كل الصور المكررة +GenerateChosenImgWebp=قم بتكرار الصورة المختارة مع إصدار آخر بتنسيق .webp +ConfirmGenerateChosenImgWebp=إذا قمت بالتأكيد، فسوف تقوم بإنشاء صورة بتنسيق .webp للصورة %s +ConfirmChosenImgWebpCreation=تأكيد تكرار الصور المختارة SucessConvertImgWebp=تم نسخ الصور بنجاح +SucessConvertChosenImgWebp=تم تكرار الصورة المختارة بنجاح ECMDirName=اسم دير ECMParentDirectory=دليل الوالدين diff --git a/htdocs/langs/ar_SA/errors.lang b/htdocs/langs/ar_SA/errors.lang index f87f246a28e..e17003fb251 100644 --- a/htdocs/langs/ar_SA/errors.lang +++ b/htdocs/langs/ar_SA/errors.lang @@ -4,7 +4,7 @@ NoErrorCommitIsDone=أي خطأ، ونحن نلزم # Errors ErrorButCommitIsDone=تم العثور على أخطاء لكننا تحقق على الرغم من هذا -ErrorBadEMail=البريد الإلكتروني %s غير صحيح +ErrorBadEMail=عنوان البريد الإلكتروني %s غير صحيح ErrorBadMXDomain=يبدو البريد الإلكتروني %s غير صحيح (المجال لا يحتوي على سجل MX صالح) ErrorBadUrl=عنوان Url %s غير صحيح ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. @@ -14,7 +14,7 @@ ErrorLoginAlreadyExists=ادخل ٪ ق موجود بالفعل. ErrorGroupAlreadyExists=المجموعة ٪ ق موجود بالفعل. ErrorEmailAlreadyExists=البريد الإلكتروني %s موجود بالفعل. ErrorRecordNotFound=لم يتم العثور على السجل. -ErrorRecordNotFoundShort=Not found +ErrorRecordNotFoundShort=غير معثور عليه ErrorFailToCopyFile=فشل في نسخ الملف '%s' إلى '%s ". ErrorFailToCopyDir=Failed to copy directory '%s' into '%s'. ErrorFailToRenameFile=فشل لإعادة تسمية الملف '%s' إلى '%s ". @@ -32,6 +32,7 @@ ErrorBadThirdPartyName=قيمة سيئة لاسم الجهة الخارجية ForbiddenBySetupRules=ممنوع بواسطة قواعد الإعداد ErrorProdIdIsMandatory=و٪ s غير إلزامي ErrorAccountancyCodeCustomerIsMandatory=كود المحاسبة الخاص بالعميل %s إلزامي +ErrorAccountancyCodeSupplierIsMandatory=كود المحاسبة لـ مورد %s إلزامي ErrorBadCustomerCodeSyntax=سوء تركيب الزبون مدونة ErrorBadBarCodeSyntax=بناء جملة غير صالح للرمز الشريطي. قد تكون قد قمت بتعيين نوع رمز شريطي سيئ أو أنك حددت قناع رمز شريطي للترقيم لا يتطابق مع القيمة الممسوحة ضوئيًا. ErrorCustomerCodeRequired=رمز العميل المطلوبة @@ -49,7 +50,7 @@ ErrorBadImageFormat=ملف الصورة لم تنسيق معتمد (PHP لديك ErrorBadDateFormat='%s' قيمة له خاطئ تنسيق التاريخ ErrorWrongDate=تاريخ غير صحيح! ErrorFailedToWriteInDir=لم يكتب في دليل ٪ ق -ErrorFailedToBuildArchive=Failed to build archive file %s +ErrorFailedToBuildArchive=فشل إنشاء ملف الأرشيف %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=العثور على بريد إلكتروني صحيح لتركيب خطوط ق ٪ في ملف (على سبيل المثال خط ٪ ق= ٪ مع البريد الإلكتروني) ErrorUserCannotBeDelete=لا يمكن حذف المستخدم. ربما يرتبط بكيانات Dolibarr. ErrorFieldsRequired=تم ترك بعض الحقول المطلوبة فارغة. @@ -57,17 +58,18 @@ ErrorSubjectIsRequired=موضوع البريد الإلكتروني مطلوب ErrorFailedToCreateDir=فشل إنشاء دليل. تأكد من أن خادم الويب المستخدم أذونات لكتابة وثائق Dolibarr في الدليل. إذا تم تمكين المعلم safe_mode على هذا PHP ، تحقق من أن ملفات Dolibarr php تملك لخدمة الويب المستخدم (أو مجموعة). ErrorNoMailDefinedForThisUser=البريد لا يعرف لهذا المستخدم ErrorSetupOfEmailsNotComplete=لم يكتمل إعداد رسائل البريد الإلكتروني -ErrorFeatureNeedJavascript=هذه الميزة تحتاج إلى تفعيل جافا سكريبت في العمل. هذا التغيير في البنية -- عرض. +ErrorFeatureNeedJavascript=تحتاج هذه الميزة إلى تفعيل JavaScript حتى تعمل. قم بتغيير هذا في الإعداد - العرض. ErrorTopMenuMustHaveAParentWithId0=وهناك قائمة من نوع 'توب' لا يمكن أن يكون أحد الوالدين القائمة. 0 وضعت في القائمة أو الأم في اختيار قائمة من نوع 'اليسار'. ErrorLeftMenuMustHaveAParentId=وهناك قائمة من نوع 'اليسار' يجب أن يكون لها هوية الوالد. ErrorFileNotFound=لم يتم العثور على الملف (باد الطريق الخطأ أو أذونات الوصول نفى المعلم openbasedir) ErrorDirNotFound=لم يتم العثور على دليل %s (مسار غير صالح ، أو الحصول على أذونات خاطئة نفته openbasedir بي إتش بي أو safe_mode المعلمة) ErrorFunctionNotAvailableInPHP=ق ٪ وظيفة مطلوبة لهذه الميزة ولكن لا تتوافر في هذه النسخة / الإعداد للPHP. ErrorDirAlreadyExists=دليل بهذا الاسم بالفعل. +ErrorDirNotWritable=الدليل %s غير قابل للكتابة. ErrorFileAlreadyExists=ملف بهذا الاسم موجود مسبقا. ErrorDestinationAlreadyExists=ملف آخر يحمل الاسم %s موجود بالفعل. ErrorPartialFile=الملف لم تتلق تماما بواسطة الخادم. -ErrorNoTmpDir=%s directy مؤقتة لا وجود. +ErrorNoTmpDir=الدليل المؤقت %s غير موجود. ErrorUploadBlockedByAddon=حظر حمل من قبل البرنامج المساعد بى اباتشي /. ErrorFileSizeTooLarge=حجم الملف كبير جدًا أو لم يتم توفير الملف. ErrorFieldTooLong=الحقل %s طويل جدًا. @@ -78,7 +80,7 @@ ErrorNoValueForCheckBoxType=يرجى ملء قيمة لقائمة مربع ErrorNoValueForRadioType=يرجى ملء قيمة لقائمة الراديو ErrorBadFormatValueList=قيمة القائمة لا يمكن أن يكون أكثر من واحد فاصلة:٪ الصورة، ولكن تحتاج إلى واحد على الأقل: مفتاح، قيمة ErrorFieldCanNotContainSpecialCharacters=يجب ألا يحتوي الحقل %s على أحرف خاصة. -ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters, and must start with an alphabetical character (a-z) +ErrorFieldCanNotContainSpecialNorUpperCharacters=يجب ألا يحتوي الحقل %s على أحرف خاصة أو أحرف كبيرة الأحرف، و يجب أن تبدأ بحرف أبجدي (a-z) ErrorFieldMustHaveXChar=يجب أن يحتوي الحقل %s على أحرف %s على الأقل. ErrorNoAccountancyModuleLoaded=أي وحدة المحاسبة وتفعيل ErrorExportDuplicateProfil=هذا الاسم الشخصي موجود مسبقا لهذه المجموعة التصدير. @@ -90,20 +92,21 @@ ErrorPleaseTypeBankTransactionReportName=الرجاء إدخال اسم كشف ErrorRecordHasChildren=فشل حذف السجل لأنه يحتوي على بعض السجلات التابعة. ErrorRecordHasAtLeastOneChildOfType=يحتوي الكائن %s على عنصر فرعي واحد على الأقل من النوع %s ErrorRecordIsUsedCantDelete=لا يمكن حذف السجل. تم استخدامه بالفعل أو تضمينه في كائن آخر. -ErrorModuleRequireJavascript=يجب عدم تعطيل جافا سكريبت لجعل هذا العمل الميزة. لتمكين / تعطيل جافا سكريبت ، انتقل إلى القائمة الرئيسية -> الإعداد -> العرض. +ErrorModuleRequireJavascript=يجب عدم تعطيل JavaScript حتى تعمل هذه الميزة. لتمكين/تعطيل JavaScript، انتقل إلى القائمة الرئيسية->الإعداد->العرض. ErrorPasswordsMustMatch=ويجب على كلا كلمات المرور المكتوبة تطابق بعضها البعض -ErrorContactEMail=حدث خطأ تقني. من فضلك ، اتصل بالمسؤول إلى البريد الإلكتروني التالي %s وقدم رمز الخطأ %s في رسالتك ، أو أضف شاشة. +ErrorContactEMail=حدث خطأ فني. من فضلك، اتصل بالمسؤول على البريد الإلكتروني التالي %s و يقدم رمز الخطأ %s في رسالتك، أو قم بإضافة نسخة شاشة من هذه الصفحة. ErrorWrongValueForField=الحقل %s : ' %s ' لا يتطابق مع قاعدة regexz a0aeez08708f37439 ErrorHtmlInjectionForField=الحقل %s : تحتوي القيمة ' %s ' على بيانات ضارة غير مسموح بها ErrorFieldValueNotIn=Field %s : ' %s ' is not a value found in field %s of %s ErrorFieldRefNotIn=الحقل %s : ' %s ' ليس a0aee833658377fz039 -ErrorMultipleRecordFoundFromRef=Several record found when searching from ref %s. No way to know which ID to use. +ErrorMultipleRecordFoundFromRef=تم العثور على عدة سجلات عند البحث من المرجع %s. لا توجد طريقة لمعرفة المعرف الذي يجب استخدامه. ErrorsOnXLines=تم العثور على أخطاء %s ErrorFileIsInfectedWithAVirus=وكان برنامج مكافحة الفيروسات غير قادرة على التحقق من صحة الملف (ملف قد يكون مصابا بواسطة فيروس) ErrorNumRefModel=إشارة إلى وجود قاعدة بيانات (%s) ، وغير متوافق مع هذه القاعدة الترقيم. سجل إزالة أو إعادة تسميته اشارة الى تفعيل هذه الوحدة. ErrorQtyTooLowForThisSupplier=الكمية منخفضة جدًا لهذا البائع أو لم يتم تحديد سعر لهذا المنتج لهذا البائع ErrorOrdersNotCreatedQtyTooLow=لم يتم إنشاء بعض الطلبات بسبب الكميات المنخفضة للغاية -ErrorModuleSetupNotComplete=يبدو أن إعداد الوحدة النمطية %s غير كامل. انتقل إلى الصفحة الرئيسية - الإعداد - الوحدات النمطية لإكمالها. +ErrorOrderStatusCantBeSetToDelivered=لا يمكن ضبط طلب حالة على التسليم. +ErrorModuleSetupNotComplete=يبدو أن إعداد نموذج %s غير مكتمل. انتقل إلى الصفحة الرئيسية - الإعداد - الوحدات المراد إكمالها. ErrorBadMask=خطأ في قناع ErrorBadMaskFailedToLocatePosOfSequence=خطأ، من دون قناع رقم التسلسل ErrorBadMaskBadRazMonth=خطأ، قيمة إعادة سيئة @@ -131,7 +134,7 @@ ErrorLoginDoesNotExists=لا يستطيع المستخدم الدخول مع ErrorLoginHasNoEmail=هذا المستخدم ليس لديه عنوان البريد الإلكتروني. إحباط عملية. ErrorBadValueForCode=سيئة قيمة لرمز الحماية. حاول مرة أخرى مع القيمة الجديدة ... ErrorBothFieldCantBeNegative=ويمكن لحقول %s و%s لا تكون سلبية -ErrorFieldCantBeNegativeOnInvoice=لا يمكن أن يكون الحقل %s سالبًا في هذا النوع من الفاتورة. إذا كنت بحاجة إلى إضافة بند خصم ، فما عليك سوى إنشاء الخصم أولاً (من الحقل "%s" في بطاقة الطرف الثالث) وتطبيقه على الفاتورة. +ErrorFieldCantBeNegativeOnInvoice=لا يمكن أن يكون الحقل %s سالبًا في هذا النوع من فاتورة. إذا كنت بحاجة إلى إضافة سطر خصم، فما عليك سوى إنشاء الخصم أولاً (من الحقل '%s' في بطاقة الطرف الثالث) و قم بتطبيقه على فاتورة. ErrorLinesCantBeNegativeForOneVATRate=لا يمكن أن يكون إجمالي البنود (صافي الضريبة) سالبًا لمعدل ضريبة القيمة المضافة غير الفارغ (تم العثور على إجمالي سلبي لمعدل ضريبة القيمة المضافة %s %%). ErrorLinesCantBeNegativeOnDeposits=لا يمكن أن تكون الأسطر سالبة في الإيداع. ستواجه مشاكل عندما تحتاج إلى استهلاك الإيداع في الفاتورة النهائية إذا قمت بذلك. ErrorQtyForCustomerInvoiceCantBeNegative=كمية لخط في فواتير العملاء لا يمكن أن يكون سلبيا @@ -191,6 +194,7 @@ ErrorGlobalVariableUpdater4=العميل SOAP فشلت مع الخطأ '٪ ق' ErrorGlobalVariableUpdater5=لا متغير عمومي مختارة ErrorFieldMustBeANumeric=يجب أن يكون حقل٪ الصورة قيمة رقمية ErrorMandatoryParametersNotProvided=معيار إلزامي (ق) لم تقدم +ErrorOppStatusRequiredIfUsage=اخترت اتباع فرصة في هذا مشروع، لذا يجب عليك أيضًا ملء عميل محتمل حالة. ErrorOppStatusRequiredIfAmount=قمت بتعيين مبلغ تقديري لهذا العميل المتوقع. لذلك يجب عليك أيضًا إدخال حالتها. ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=سيئة تعريف القائمة صفيف في الوحدة واصف (القيمة سيئة لfk_menu مفتاح) @@ -239,12 +243,12 @@ ErrorURLMustStartWithHttp=يجب أن يبدأ عنوان URL %s بـ http: // ErrorHostMustNotStartWithHttp=يجب ألا يبدأ اسم المضيف %s بـ http: // أو https: // ErrorNewRefIsAlreadyUsed=خطأ ، المرجع الجديد مستخدم بالفعل ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=خطأ ، لا يمكن حذف الدفعة المرتبطة بفاتورة مغلقة. -ErrorSearchCriteriaTooSmall=معايير البحث صغيرة جدًا. +ErrorSearchCriteriaTooSmall=معايير البحث قصيرة جدًا. ErrorObjectMustHaveStatusActiveToBeDisabled=يجب أن تكون الكائنات بحالة "نشطة" ليتم تعطيلها ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=يجب أن تكون الكائنات بحالة "مسودة" أو "معطلة" ليتم تمكينها ErrorNoFieldWithAttributeShowoncombobox=لا توجد حقول لها الخاصية "showoncombobox" في تعريف الكائن "%s". لا توجد طريقة لإظهار الاحتكاك. ErrorFieldRequiredForProduct=الحقل "%s" مطلوب للمنتج %s -AlreadyTooMuchPostOnThisIPAdress=You have already posted too much on this IP address. +AlreadyTooMuchPostOnThisIPAdress=لقد قمت بالفعل بنشر الكثير على عنوان IP هذا. ProblemIsInSetupOfTerminal=كانت المشكلة في إعداد المحطة الطرفية %s. ErrorAddAtLeastOneLineFirst=أضف سطرًا واحدًا على الأقل أولاً ErrorRecordAlreadyInAccountingDeletionNotPossible=خطأ ، تم نقل السجل بالفعل في المحاسبة ، والحذف غير ممكن. @@ -258,10 +262,11 @@ ErrorReplaceStringEmpty=خطأ ، السلسلة المطلوب استبداله ErrorProductNeedBatchNumber=خطأ ، المنتج ' %s ' بحاجة إلى الكثير / الرقم التسلسلي ErrorProductDoesNotNeedBatchNumber=خطأ ، المنتج " %s " لا يقبل الكثير / الرقم التسلسلي ErrorFailedToReadObject=خطأ ، فشلت قراءة كائن من النوع %s -ErrorParameterMustBeEnabledToAllwoThisFeature=خطأ ، يجب تمكين المعلمة %s في conf / conf.php للسماح باستخدام واجهة سطر الأوامر بواسطة برنامج جدولة الوظائف الداخلي +ErrorParameterMustBeEnabledToAllwoThisFeature=خطأ، يجب تمكين المعلمة %s في conf/conf.php<> للسماح باستخدام واجهة سطر الأوامر من خلال جدولة المهام الداخلية ErrorLoginDateValidity=خطأ ، تسجيل الدخول هذا خارج النطاق الزمني للصلاحية ErrorValueLength=يجب أن يكون طول الحقل " %s " أعلى من " %s " ErrorReservedKeyword=كلمة " %s " هي كلمة أساسية محجوزة +ErrorFilenameReserved=اسم الملف %s لا يمكن استخدامه لأنه أمر محمي و محجوز. ErrorNotAvailableWithThisDistribution=غير متوفر مع هذا التوزيع ErrorPublicInterfaceNotEnabled=لم يتم تمكين الواجهة العامة ErrorLanguageRequiredIfPageIsTranslationOfAnother=يجب تحديد لغة الصفحة الجديدة إذا تم تعيينها على أنها ترجمة لصفحة أخرى @@ -280,8 +285,8 @@ ErrorWrongFileName=لا يمكن أن يحتوي اسم الملف على __SOME ErrorNotInDictionaryPaymentConditions=ليس في قاموس شروط الدفع ، يرجى التعديل. ErrorIsNotADraft=%s ليس مسودة ErrorExecIdFailed=لا يمكن تنفيذ الأمر "id" -ErrorBadCharIntoLoginName=Unauthorized character in the field %s -ErrorRequestTooLarge=Error, request too large or session expired +ErrorBadCharIntoLoginName=حرف غير مصرح به في الحقل %s +ErrorRequestTooLarge=خطأ، الطلب كبير جدًا أو انتهت صلاحية الجلسة ErrorNotApproverForHoliday=أنت لست المعتمد للمغادرة %s ErrorAttributeIsUsedIntoProduct=تُستخدم هذه السمة في متغير منتج واحد أو أكثر ErrorAttributeValueIsUsedIntoProduct=تُستخدم قيمة السمة هذه في متغير منتج واحد أو أكثر @@ -294,15 +299,36 @@ ErrorAjaxRequestFailed=الطلب فشل ErrorThirpdartyOrMemberidIsMandatory=طرف ثالث أو عضو في الشراكة إلزامي ErrorFailedToWriteInTempDirectory=فشل في الكتابة في الدليل المؤقت ErrorQuantityIsLimitedTo=الكمية محدودة بـ %s -ErrorFailedToLoadThirdParty=Failed to find/load thirdparty from id=%s, email=%s, name=%s -ErrorThisPaymentModeIsNotSepa=This payment mode is not a bank account -ErrorStripeCustomerNotFoundCreateFirst=Stripe customer is not set for this thirdparty (or set to a value deleted on Stripe side). Create (or re-attach) it first. -ErrorCharPlusNotSupportedByImapForSearch=IMAP search is not able to search into sender or recipient for a string containing the character + -ErrorTableNotFound=Table %s not found -ErrorValueForTooLow=Value for %s is too low -ErrorValueCantBeNull=Value for %s can't be null -ErrorDateOfMovementLowerThanDateOfFileTransmission=The date of the bank transaction can't be lower than the date of the file transmission -ErrorTooMuchFileInForm=Too much files in form, the maximum number is %s file(s) +ErrorFailedToLoadThirdParty=فشل العثور على/تحميل جهة خارجية من المعرف=%s، البريد الإلكتروني=%s، الاسم= %s +ErrorThisPaymentModeIsNotSepa=وضع الدفع هذا ليس حسابًا مصرفيًا +ErrorStripeCustomerNotFoundCreateFirst=لم يتم تعيين Stripe العميل لهذا الطرف الثالث (أو تم تعيينه على قيمة محذوفة من جانب Stripe). قم بإنشائه (أو إعادة إرفاقه) أولاً. +ErrorCharPlusNotSupportedByImapForSearch=بحث IMAP غير قادر على البحث في المرسل أو المستلم عن سلسلة تحتوي على الحرف + +ErrorTableNotFound=الجدول %s غير موجود +ErrorRefNotFound=المرجع %s غير موجود +ErrorValueForTooLow=قيمة %s منخفضة جدًا +ErrorValueCantBeNull=قيمة %s لا يمكن أن تكون فارغة +ErrorDateOfMovementLowerThanDateOfFileTransmission=لا يمكن أن يكون تاريخ المعاملة البنكية أقل من تاريخ إرسال الملف +ErrorTooMuchFileInForm=يوجد عدد كبير جدًا من الملفات في النموذج، الحد الأقصى لعدد الملفات هو %s من الملفات. +ErrorSessionInvalidatedAfterPasswordChange=تم إبطال الجلسة بعد تغيير كلمة المرور أو البريد الإلكتروني حالة أو تواريخ الصلاحية. الرجاء إعادة تسجيل الدخول. +ErrorExistingPermission = الإذن %s للكائن %s موجود بالفعل +ErrorFieldExist=قيمة %s موجودة بالفعل +ErrorEqualModule=نموذج غير صالح في %s +ErrorFieldValue=قيمة %s غير صحيحة +ErrorCoherenceMenu=%s مطلوب عندما %s هو "يسار" +ErrorUploadFileDragDrop=حدث خطأ أثناء تحميل الملف (الملفات). +ErrorUploadFileDragDropPermissionDenied=حدث خطأ أثناء تحميل الملف (الملفات): تم رفض الإذن +ErrorFixThisHere=أصلح هذه المشكلة هنا +ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=خطأ: عنوان URL للمثيل الحالي لديك (%s) لا يتطابق مع عنوان URL المحدد في إعداد تسجيل الدخول إلى OAuth2 (%s). لا يُسمح بتسجيل الدخول إلى OAuth2 في مثل هذا التكوين. +ErrorMenuExistValue=توجد قائمة بالفعل بهذا العنوان أو عنوان URL +ErrorSVGFilesNotAllowedAsLinksWithout=لا يُسمح بملفات SVG كروابط خارجية بدون الخيار %s +ErrorTypeMenu=من المستحيل إضافة قائمة أخرى لنفس نموذج على شريط التنقل، ولم يتم التعامل معها بعد +ErrorObjectNotFound = لم يتم العثور على الكائن %s، يرجى التحقق من عنوان URL الخاص بك +ErrorCountryCodeMustBe2Char=يجب أن يكون رمز البلد عبارة عن سلسلة مكونة من حرفين + +ErrorTableExist=الجدول %s موجود بالفعل +ErrorDictionaryNotFound=لم يتم العثور على القاموس %s +ErrorFailedToCreateSymLinkToMedias=فشل إنشاء الرابط الرمزي %s للإشارة إلى %s +ErrorCheckTheCommandInsideTheAdvancedOptions=تحقق من الأمر المستخدم للتصدير في الخيارات المتقدمة للتصدير # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=معلمة PHP upload_max_filesize (%s) أعلى من معلمة PHP post_max_size (%s). هذا ليس إعداد ثابت. @@ -316,7 +342,7 @@ WarningConfFileMustBeReadOnly=انذار ، ملف (التكوين htdocs / WarningsOnXLines=تحذيرات عن مصدر خطوط %s WarningNoDocumentModelActivated=لم يتم تنشيط أي نموذج لإنشاء المستندات. سيتم اختيار نموذج افتراضيًا حتى تتحقق من إعداد الوحدة الخاصة بك. WarningLockFileDoesNotExists=تحذير ، بمجرد الانتهاء من الإعداد ، يجب عليك تعطيل أدوات التثبيت / الترحيل عن طريق إضافة ملف install.lock إلى الدليل %s . يعد حذف إنشاء هذا الملف مخاطرة أمنية كبيرة. -WarningUntilDirRemoved=This security warning will remain active as long as the vulnerability is present. +WarningUntilDirRemoved=سيظل هذا التحذير الأمني نشطًا طالما أن الثغرة الأمنية موجودة. WarningCloseAlways=تحذير، ويتم إغلاق حتى إذا قدر يختلف بين عناصر المصدر والهدف. تمكين هذه الميزة بحذر. WarningUsingThisBoxSlowDown=تحذير، وذلك باستخدام هذا الإطار تبطئ على محمل الجد كل الصفحات التي تظهر مربع. WarningClickToDialUserSetupNotComplete=إعداد المعلومات ClickToDial لالمستخدم الخاص بك ليست كاملة (انظر التبويب ClickToDial على بطاقة المستخدم الخاص بك). @@ -325,6 +351,7 @@ WarningPaymentDateLowerThanInvoiceDate=تاريخ الدفع (٪ ق) هو أقد WarningTooManyDataPleaseUseMoreFilters=عدد كبير جدا من البيانات (أكثر من خطوط%s). يرجى استخدام المزيد من المرشحات أو تعيين ثابت٪ الصورة إلى حد أعلى. WarningSomeLinesWithNullHourlyRate=Some times were recorded by some users while their hourly rate was not defined. A value of 0 %s per hour was used but this may result in wrong valuation of time spent. WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security purpose you will have to login with your new login before next action. +WarningYourPasswordWasModifiedPleaseLogin=تم تعديل كلمة المرور الخاصة بك. لأغراض أمنية، سيتعين عليك تسجيل الدخول الآن باستخدام كلمة المرور الجديدة. WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language WarningNumberOfRecipientIsRestrictedInMassAction=تحذير ، عدد المستلمين المختلفين يقتصر على %s عند استخدام الإجراءات الجماعية في القوائم WarningDateOfLineMustBeInExpenseReportRange=تحذير ، تاريخ السطر ليس في نطاق تقرير المصاريف @@ -338,8 +365,21 @@ WarningAvailableOnlyForHTTPSServers=متاح فقط في حالة استخدام WarningModuleXDisabledSoYouMayMissEventHere=لم يتم تمكين الوحدة النمطية %s. لذلك قد تفوتك الكثير من الأحداث هنا. WarningPaypalPaymentNotCompatibleWithStrict=تجعل القيمة "صارمة" ميزات الدفع عبر الإنترنت لا تعمل بشكل صحيح. استخدم "Lax" بدلاً من ذلك. WarningThemeForcedTo=تحذير ، تم إجبار السمة على %s بواسطة الثابت المخفي MAIN_FORCETHEME -WarningPagesWillBeDeleted=Warning, this will also delete all existing pages/containers of the website. You should export your website before, so you have a backup to re-import it later. -WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Automatic validation is disabled when option to decrease stock is set on "Invoice validation". +WarningPagesWillBeDeleted=تحذير، سيؤدي هذا أيضًا إلى حذف كافة الصفحات/الحاويات الموجودة بالموقع. يجب عليك تصدير موقع الويب الخاص بك من قبل، حتى يكون لديك نسخة احتياطية لإعادة استيراده لاحقًا. +WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=يتم تعطيل التحقق التلقائي عند تعيين خيار تقليل المخزون على "التحقق من صحة فاتورة". +WarningModuleNeedRefresh = نموذج %s. لا تنس تمكينه +WarningPermissionAlreadyExist=الأذونات الموجودة لهذا الكائن +WarningGoOnAccountancySetupToAddAccounts=إذا كانت هذه القائمة فارغة، فانتقل إلى القائمة %s - %s - %s لتحميل أو إنشاء حسابات لدليل الحساب الخاص بك. +WarningCorrectedInvoiceNotFound=لم يتم العثور على فاتورة المصحح +WarningCommentNotFound=يرجى التحقق من موضع بداية التعليقات و لـ %sقسم في الملف %s قبل تقديم الإجراء الخاص بك +WarningAlreadyReverse=لقد انعكست حركة الأسهم بالفعل + +SwissQrOnlyVIR = لا يمكن إضافة SwissQR فاتورة إلا على الفواتير التي تم تعيينها ليتم دفعها من خلال دفعات تحويل الائتمان. +SwissQrCreditorAddressInvalid = عنوان الدائن غير صالح (هل تم تعيين مدينة ZIP و؟ (%s) +SwissQrCreditorInformationInvalid = معلومات الدائن غير صالحة لرقم IBAN (%s): %s +SwissQrIbanNotImplementedYet = QR-IBAN لم يتم تطبيقه بعد +SwissQrPaymentInformationInvalid = كانت معلومات الدفع غير صالحة لإجمالي %s : %s +SwissQrDebitorAddressInvalid = معلومات المدين غير صالحة (%s) # Validate RequireValidValue = القيمة غير صالحة @@ -361,3 +401,4 @@ BadSetupOfField = خطأ في الإعداد السيئ للمجال BadSetupOfFieldClassNotFoundForValidation = خطأ في إعداد الحقل غير صحيح: الفئة غير موجودة للتحقق من الصحة BadSetupOfFieldFileNotFound = خطأ في إعداد الحقل غير صحيح: الملف غير موجود للتضمين BadSetupOfFieldFetchNotCallable = خطأ في إعداد الحقل غير صحيح: الجلب غير قابل للاستدعاء في الفصل الدراسي +ErrorTooManyAttempts= محاولات كثيرة. الرجاء معاودة المحاولة في وقت لاحق diff --git a/htdocs/langs/ar_SA/eventorganization.lang b/htdocs/langs/ar_SA/eventorganization.lang index 10a20f86ec2..32fc2de3f1c 100644 --- a/htdocs/langs/ar_SA/eventorganization.lang +++ b/htdocs/langs/ar_SA/eventorganization.lang @@ -53,9 +53,9 @@ EVENTORGANIZATION_FILTERATTENDEES_TYPE = في نموذج إنشاء / إضافة # # Object # -OrganizedEvent=Organized event +OrganizedEvent=حدث منظم EventOrganizationConfOrBooth= مؤتمر أو كشك -EventOrganizationConfOrBoothes=Conferences or Boothes +EventOrganizationConfOrBoothes=المؤتمرات أو الأكشاك ManageOrganizeEvent = إدارة تنظيم الحدث ConferenceOrBooth = مؤتمر أو كشك ConferenceOrBoothTab = مؤتمر أو كشك @@ -90,7 +90,7 @@ PriceOfRegistrationHelp=السعر الواجب دفعه للتسجيل أو ا PriceOfBooth=سعر الاشتراك لوقوف كشك PriceOfBoothHelp=سعر الاشتراك لوقوف كشك EventOrganizationICSLink=رابط ICS للمؤتمرات -ConferenceOrBoothInformation=معلومات المؤتمر أو الكابينة +ConferenceOrBoothInformation=معلومات المؤتمر أو كشك Attendees=الحاضرين ListOfAttendeesOfEvent=قائمة الحاضرين لمشروع الحدث DownloadICSLink = رابط تحميل ICS @@ -98,6 +98,7 @@ EVENTORGANIZATION_SECUREKEY = أنشئ لتأمين المفتاح لصفحة ا SERVICE_BOOTH_LOCATION = الخدمة المستخدمة لصف الفاتورة حول موقع الكشك SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = الخدمة المستخدمة لصف الفاتورة حول اشتراك حاضر في حدث NbVotes=عدد الأصوات + # # Status # @@ -106,9 +107,10 @@ EvntOrgSuggested = مقترح EvntOrgConfirmed = مؤكد EvntOrgNotQualified = غير مؤهل EvntOrgDone = منتهي -EvntOrgCancelled = ألغيت +EvntOrgCancelled = ملغي + # -# Public page +# Other # SuggestForm = صفحة الاقتراح SuggestOrVoteForConfOrBooth = صفحة للاقتراح أو التصويت @@ -116,15 +118,15 @@ EvntOrgRegistrationHelpMessage = هنا ، يمكنك التصويت لعقد م EvntOrgRegistrationConfHelpMessage = هنا ، يمكنك اقتراح مؤتمر جديد لتحريكه أثناء الحدث. EvntOrgRegistrationBoothHelpMessage = هنا ، يمكنك تقديم طلب للحصول على كشك أثناء الحدث. ListOfSuggestedConferences = قائمة المؤتمرات المقترحة -ListOfSuggestedBooths=Suggested booths -ListOfConferencesOrBooths=Conferences or booths of event project +ListOfSuggestedBooths=الأكشاك المقترحة +ListOfConferencesOrBooths=المؤتمرات أو أكشاك الأحداث مشروع SuggestConference = اقترح مؤتمر جديد SuggestBooth = أقترح كشك ViewAndVote = عرض والتصويت للأحداث المقترحة PublicAttendeeSubscriptionGlobalPage = رابط عام للتسجيل في الحدث PublicAttendeeSubscriptionPage = رابط عام للتسجيل في هذا الحدث فقط MissingOrBadSecureKey = مفتاح الأمان غير صالح أو مفقود -EvntOrgWelcomeMessage = This form allows you to register as a new participant to the event +EvntOrgWelcomeMessage = يتيح لك هذا النموذج التسجيل كمشارك جديد في الحدث EvntOrgDuration = يبدأ هذا المؤتمر في %s وينتهي في %s. ConferenceAttendeeFee = رسوم حضور المؤتمر للحدث: "%s" يحدث من %s إلى %s. BoothLocationFee = موقع كشك الحدث: "%s" يحدث من %s إلى %s @@ -134,7 +136,7 @@ LabelOfconference=تسمية المؤتمر ConferenceIsNotConfirmed=التسجيل غير متاح ، لم يتم تأكيد المؤتمر بعد DateMustBeBeforeThan=يجب أن يكون %s قبل %s DateMustBeAfterThan=يجب أن يكون %s بعد %s -MaxNbOfAttendeesReached=The maximum number of participants has been reached +MaxNbOfAttendeesReached=تم الوصول إلى الحد الأقصى لعدد المشاركين NewSubscription=تسجيل OrganizationEventConfRequestWasReceived=تم استلام اقتراحك الخاص بالمؤتمر OrganizationEventBoothRequestWasReceived=تم استلام طلبك الخاص بكشك @@ -144,13 +146,8 @@ OrganizationEventBulkMailToAttendees=هذا تذكير بمشاركتك في ا OrganizationEventBulkMailToSpeakers=هذا تذكير بمشاركتك في الحدث كمتحدث OrganizationEventLinkToThirdParty=رابط لطرف ثالث (عميل أو مورد أو شريك) OrganizationEvenLabelName=الاسم العام للمؤتمر أو الكابينة - NewSuggestionOfBooth=طلب كشك -NewSuggestionOfConference=Application to hold a conference - -# -# Vote page -# +NewSuggestionOfConference=طلب عقد مؤتمر EvntOrgRegistrationWelcomeMessage = مرحبًا بكم في صفحة اقتراح المؤتمر أو الكابينة. EvntOrgRegistrationConfWelcomeMessage = مرحبا بكم في صفحة اقتراح المؤتمر. EvntOrgRegistrationBoothWelcomeMessage = مرحبا بكم في صفحة اقتراح الكابينة. @@ -158,8 +155,8 @@ EvntOrgVoteHelpMessage = هنا ، يمكنك عرض الأحداث المقتر VoteOk = تم قبول تصويتك. AlreadyVoted = لقد قمت بالتصويت بالفعل لهذا الحدث. VoteError = حدث خطأ أثناء التصويت ، يرجى المحاولة مرة أخرى. - -SubscriptionOk=Your registration has been recorded +SubscriptionOk=لقد تم تسجيل تسجيلك +AmountOfRegistrationPaid=مبلغ التسجيل المدفوع ConfAttendeeSubscriptionConfirmation = تأكيد اشتراكك في حدث Attendee = حاضر PaymentConferenceAttendee = دفع حضور المؤتمر @@ -167,11 +164,17 @@ PaymentBoothLocation = دفع موقع كشك DeleteConferenceOrBoothAttendee=قم بإزالة الحاضر RegistrationAndPaymentWereAlreadyRecorder=تم تسجيل تسجيل ودفع بالفعل للبريد الإلكتروني %s EmailAttendee=البريد الإلكتروني للحضور -EmailCompany=Company email +EmailCompany=شركة البريد الإلكتروني EmailCompanyForInvoice=البريد الإلكتروني للشركة (للفاتورة ، إذا كان مختلفًا عن البريد الإلكتروني للحضور) -ErrorSeveralCompaniesWithEmailContactUs=تم العثور على العديد من الشركات باستخدام هذا البريد الإلكتروني ، لذا لا يمكننا التحقق من صحة تسجيلك تلقائيًا. يرجى الاتصال بنا على %s للتحقق اليدوي -ErrorSeveralCompaniesWithNameContactUs=تم العثور على العديد من الشركات بهذا الاسم لذا لا يمكننا التحقق من صحة تسجيلك تلقائيًا. يرجى الاتصال بنا على %s للتحقق اليدوي +ErrorSeveralCompaniesWithEmailContactUs=تم العثور على العديد من الشركات التي لديها هذا البريد الإلكتروني، لذلك لا يمكننا التحقق من صحة تسجيلك تلقائيًا. يرجى الاتصال بنا على %s للتحقق اليدوي +ErrorSeveralCompaniesWithNameContactUs=تم العثور على العديد من الشركات التي تحمل هذا الاسم، لذا لا يمكننا التحقق من صحة تسجيلك تلقائيًا. يرجى الاتصال بنا على %s للتحقق اليدوي NoPublicActionsAllowedForThisEvent=لا توجد إجراءات عامة مفتوحة للجمهور لهذا الحدث MaxNbOfAttendees=أقصى عدد من الحاضرين -DateStartEvent=Event start date -DateEndEvent=Event end date +DateStartEvent=تاريخ بدء الحدث +DateEndEvent=تاريخ انتهاء الحدث +ModifyStatus=تعديل حالة +ConfirmModifyStatus=تأكيد تعديل حالة +ConfirmModifyStatusQuestion=هل أنت متأكد أنك تريد تعديل %s السجل (السجلات) المحدد؟ +RecordsUpdated = %s تم تحديث السجلات +RecordUpdated = تم تحديث السجل +NoRecordUpdated = لم يتم تحديث أي سجل diff --git a/htdocs/langs/ar_SA/exports.lang b/htdocs/langs/ar_SA/exports.lang index 2e5a37faed1..ba996b5e0fa 100644 --- a/htdocs/langs/ar_SA/exports.lang +++ b/htdocs/langs/ar_SA/exports.lang @@ -27,8 +27,8 @@ FieldTitle=حقل العنوان NowClickToGenerateToBuildExportFile=الآن ، حدد تنسيق الملف في مربع التحرير والسرد وانقر فوق "إنشاء" لإنشاء ملف التصدير ... AvailableFormats=التنسيقات المتوفرة LibraryShort=المكتبة -ExportCsvSeparator=فاصل ناقل الحركة Csv -ImportCsvSeparator=فاصل ناقل الحركة Csv +ExportCsvSeparator=فاصل أحرف CSV +ImportCsvSeparator=فاصل أحرف CSV Step=خطوة FormatedImport=مساعد استيراد FormatedImportDesc1=تسمح لك هذه الوحدة بتحديث البيانات الموجودة أو إضافة كائنات جديدة إلى قاعدة البيانات من ملف بدون معرفة فنية ، باستخدام مساعد. @@ -95,8 +95,8 @@ NbOfLinesOK=عدد الأسطر مع عدم وجود أخطاء وتحذيرات NbOfLinesImported=عدد خطوط المستوردة بنجاح : %s. DataComeFromNoWhere=قيمة لادخال تأتي من أي مكان في الملف المصدر. DataComeFromFileFieldNb=تأتي القيمة المراد إدراجها من العمود %s في الملف المصدر. -DataComeFromIdFoundFromRef=The value that comes from the source file will be used to find the id of the parent object to use (so the object %s that has the ref. from source file must exist in the database). -DataComeFromIdFoundFromCodeId=The value of code that comes from source file will be used to find the id of the parent object to use (so the code from source file must exist in the dictionary %s). Note that if you know the id, you can also use it in the source file instead of the code. Import should work in both cases. +DataComeFromIdFoundFromRef=سيتم استخدام القيمة التي تأتي من الملف المصدر للعثور على معرف الكائن الأصلي المراد استخدامه (وبالتالي فإن الكائن %s
      الذي يحتوي على المرجع من الملف المصدر يجب أن يكون موجودًا في قاعدة البيانات). +DataComeFromIdFoundFromCodeId=سيتم استخدام قيمة الكود الذي يأتي من الملف المصدر للعثور على معرف الكائن الأصلي المراد استخدامه (لذا يجب أن يكون الكود من الملف المصدر موجودًا في القاموس %s). لاحظ أنه إذا كنت تعرف المعرف، فيمكنك أيضًا استخدامه في الملف المصدر بدلاً من الكود. يجب أن يعمل الاستيراد في كلتا الحالتين. DataIsInsertedInto=البيانات سوف تأتي من الملف المصدر يتم إدراجها في الحقل التالي : DataIDSourceIsInsertedInto=سيتم إدخال معرف الكائن الأصل ، الذي تم العثور عليه باستخدام البيانات الموجودة في الملف المصدر ، في الحقل التالي: DataCodeIDSourceIsInsertedInto=سيتم إدخال معرف السطر الأصل ، الذي تم العثور عليه من التعليمات البرمجية ، في الحقل التالي: @@ -134,9 +134,9 @@ FormatControlRule=حكم عنصر تنسيق ## imports updates KeysToUseForUpdates=مفتاح (عمود) لاستخدامه مع لتحديث البيانات الموجودة NbInsert=Number of inserted lines: %s -NbInsertSim=Number of lines that will be inserted: %s +NbInsertSim=عدد الأسطر التي سيتم إدراجها: %s NbUpdate=Number of updated lines: %s -NbUpdateSim=Number of lines that will be updated : %s +NbUpdateSim=عدد الأسطر التي سيتم تحديثها : %s MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s StocksWithBatch=مخزون وموقع (مستودع) المنتجات مع رقم الدُفعة / التسلسل WarningFirstImportedLine=لن يتم استيراد السطر (الأسطر) الأول مع التحديد الحالي diff --git a/htdocs/langs/ar_SA/help.lang b/htdocs/langs/ar_SA/help.lang index 59735ba1ca5..f4cf14eab91 100644 --- a/htdocs/langs/ar_SA/help.lang +++ b/htdocs/langs/ar_SA/help.lang @@ -11,7 +11,7 @@ TypeOfSupport=نوع الدعم TypeSupportCommunauty=المجتمع (مجاني) TypeSupportCommercial=تجاري TypeOfHelp=نوع -NeedHelpCenter=Need support? +NeedHelpCenter=بحاجة إلى دعم؟ Efficiency=الكفاءة TypeHelpOnly=المساعدة فقط TypeHelpDev=مساعدة + التنمية diff --git a/htdocs/langs/ar_SA/holiday.lang b/htdocs/langs/ar_SA/holiday.lang index 6abd15ca6c8..e1f3c0a5d49 100644 --- a/htdocs/langs/ar_SA/holiday.lang +++ b/htdocs/langs/ar_SA/holiday.lang @@ -1,11 +1,11 @@ # Dolibarr language file - Source file is en_US - holiday HRM=HRM -Holidays=Leaves +Holidays=أوراق Holiday=الاجازات CPTitreMenu=الاجازات MenuReportMonth=البيان الشهري MenuAddCP=طلب إجازة جديدة -MenuCollectiveAddCP=New collective leave request +MenuCollectiveAddCP=New collective leave NotActiveModCP=يجب تمكين وحدة مغادرة لعرض هذه الصفحة. AddCP=تقديم طلب إجازة DateDebCP=تاريخ البدء @@ -29,7 +29,7 @@ DescCP=وصف SendRequestCP=إنشاء طلب إجازة DelayToRequestCP=يجب أن يتم ترك طلبات في اليوم أقل ق٪ (ق) من قبلهم. MenuConfCP=رصيد الإجازة -SoldeCPUser=Leave balance (in days) : %s +SoldeCPUser=ترك الرصيد (بالأيام) : %s ErrorEndDateCP=يجب تحديد تاريخ انتهاء أكبر من تاريخ البدء. ErrorSQLCreateCP=حدث خطأ SQL أثناء إنشاء: ErrorIDFicheCP=حدث خطأ غير موجود على طلب الإجازة. @@ -58,7 +58,7 @@ ConfirmDeleteCP=تأكيد حذف طلب إجازة هذا؟ ErrorCantDeleteCP=خطأ لم يكن لديك الحق في حذف طلب إجازة هذا. CantCreateCP=ليس لديك الحق في تقديم طلبات الإجازة. InvalidValidatorCP=يجب عليك اختيار المعتمد لطلب الإجازة الخاص بك. -InvalidValidator=The user chosen isn't an approver. +InvalidValidator=المستخدم الذي تم اختياره ليس موافقًا. NoDateDebut=يجب تحديد تاريخ البدء. NoDateFin=يجب تحديد تاريخ انتهاء. ErrorDureeCP=لا يحتوي طلب إجازة الخاص يوم عمل. @@ -82,8 +82,8 @@ MotifCP=سبب UserCP=مستخدم ErrorAddEventToUserCP=حدث خطأ أثناء إضافة إجازة استثنائية. AddEventToUserOkCP=تم الانتهاء من إضافة إجازة استثنائية. -ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be filled in -fusionGroupsUsers=The groups field and the user field will be merged +ErrorFieldRequiredUserOrGroup=يجب ملء حقل "المجموعة" أو حقل "المستخدم". +fusionGroupsUsers=سيتم دمج حقل المجموعات و حقل المستخدم MenuLogCP=وبالنظر إلى سجلات التغيير LogCP=سجل بجميع التحديثات التي تم إجراؤها على "رصيد الإجازة" ActionByCP=تم التحديث بواسطة @@ -91,18 +91,18 @@ UserUpdateCP=تم التحديث لـ PrevSoldeCP=الرصيد السابق NewSoldeCP=توازن جديد alreadyCPexist=وقد تم بالفعل طلب إجازة في هذه الفترة. -UseralreadyCPexist=A leave request has already been done on this period for %s. +UseralreadyCPexist=لقد تم بالفعل إجراء طلب إجازة في هذه الفترة لـ %s. groups=المجموعات users=المستخدمين -AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request -AutoValidationOnCreate=Automatic validation +AutoSendMail=البريد التلقائي +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave +AutoValidationOnCreate=التحقق التلقائي FirstDayOfHoliday=بداية يوم طلب الإجازة LastDayOfHoliday=يوم انتهاء طلب الإجازة HolidaysMonthlyUpdate=تحديث شهري ManualUpdate=التحديث اليدوي -HolidaysCancelation=ترك طلب الإلغاء +HolidaysCancelation=ترك إلغاء الطلب EmployeeLastname=Employee last name EmployeeFirstname=Employee first name TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed @@ -142,16 +142,16 @@ TemplatePDFHolidays=قالب طلبات الإجازة PDF FreeLegalTextOnHolidays=نص مجاني على PDF WatermarkOnDraftHolidayCards=العلامات المائية على مسودة طلبات الإجازة HolidaysToApprove=العطل للموافقة -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate leave requests -HolidayBalanceMonthlyUpdate=Monthly update of leave balance -XIsAUsualNonWorkingDay=%s هو عادة يوم عمل غير +NobodyHasPermissionToValidateHolidays=لا أحد لديه الإذن بالتحقق من صحة طلبات الإجازة +HolidayBalanceMonthlyUpdate=التحديث الشهري للإجازة الرصيد +XIsAUsualNonWorkingDay=%s عادة ما يكون يوم غير عمل BlockHolidayIfNegative=كتلة إذا كان الرصيد سلبي LeaveRequestCreationBlockedBecauseBalanceIsNegative=تم حظر إنشاء طلب الإجازة هذا لأن رصيدك سلبي ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=يجب أن يكون طلب الإجازة %s مسودة أو إلغاء أو رفض حذفه -IncreaseHolidays=Increase leave balance -HolidayRecordsIncreased= %s leave balances increased -HolidayRecordIncreased=Leave balance increased -ConfirmMassIncreaseHoliday=Bulk leave balance increase -NumberDayAddMass=Number of day to add to the selection -ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? -HolidayQtyNotModified=Balance of remaining days for %s has not been changed +IncreaseHolidays=زيادة الإجازة الرصيد +HolidayRecordsIncreased= %s تمت زيادة أرصدة الإجازات +HolidayRecordIncreased=زيادة عدد الإجازات الرصيد +ConfirmMassIncreaseHoliday=زيادة الإجازات المجمعة الرصيد +NumberDayAddMass=عدد الأيام المراد إضافتها إلى التحديد +ConfirmMassIncreaseHolidayQuestion=هل أنت متأكد أنك تريد زيادة العطلة للسجل (السجلات) المحدد %s؟ +HolidayQtyNotModified=الرصيد من الأيام المتبقية لـ %s لم يتم تغييرها diff --git a/htdocs/langs/ar_SA/hrm.lang b/htdocs/langs/ar_SA/hrm.lang index 045d3740497..de5b3368be8 100644 --- a/htdocs/langs/ar_SA/hrm.lang +++ b/htdocs/langs/ar_SA/hrm.lang @@ -12,7 +12,7 @@ OpenEtablishment=فتح المؤسسة CloseEtablishment=إغلاق المؤسسة # Dictionary DictionaryPublicHolidays=الإجازات - الإجازات عامة -DictionaryDepartment=HRM - Organizational Unit +DictionaryDepartment=إدارة الموارد البشرية - الوحدة التنظيمية DictionaryFunction=إدارة الموارد البشرية - المسميات الوظيفية # Module Employees=الموظفين @@ -20,72 +20,78 @@ Employee=الموظف NewEmployee=موظف جديد ListOfEmployees=قائمة الموظفين HrmSetup=HRM وحدة الإعداد -SkillsManagement=Skills management -HRM_MAXRANK=Maximum number of levels to rank a skill -HRM_DEFAULT_SKILL_DESCRIPTION=Default description of ranks when skill is created -deplacement=Shift -DateEval=Evaluation date -JobCard=Job card -JobPosition=وظيفة -JobsPosition=Jobs -NewSkill=New Skill -SkillType=Skill type -Skilldets=List of ranks for this skill -Skilldet=Skill level -rank=Rank -ErrNoSkillSelected=No skill selected -ErrSkillAlreadyAdded=This skill is already in the list -SkillHasNoLines=This skill has no lines -skill=Skill -Skills=Skills -SkillCard=Skill card -EmployeeSkillsUpdated=Employee skills have been updated (see "Skills" tab of employee card) -Eval=Evaluation -Evals=Evaluations -NewEval=New evaluation -ValidateEvaluation=Validate evaluation -ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with reference %s? -EvaluationCard=Evaluation card -RequiredRank=Required rank for this job -EmployeeRank=Employee rank for this skill -EmployeePosition=Employee position -EmployeePositions=Employee positions -EmployeesInThisPosition=Employees in this position -group1ToCompare=Usergroup to analyze -group2ToCompare=Second usergroup for comparison -OrJobToCompare=Compare to job skills requirements +SkillsManagement=إدارة المهارات +HRM_MAXRANK=أقصى عدد من المستويات لترتيب مهارة +HRM_DEFAULT_SKILL_DESCRIPTION=الوصف الافتراضي للرتب عند إنشاء المهارة +deplacement=تحول +DateEval=تاريخ التقييم +JobCard=بطاقة عمل +NewJobProfile=الملف الوظيفي الجديد +JobProfile=نبذه عن الوظيفه +JobsProfiles=الملفات الشخصية للوظيفة +NewSkill=مهارة جديدة +SkillType=نوع المهارة +Skilldets=قائمة الرتب لهذه المهارة +Skilldet=مستوى المهارة +rank=مرتبة +ErrNoSkillSelected=لم يتم اختيار أي مهارة +ErrSkillAlreadyAdded=هذه المهارة موجودة بالفعل في القائمة +SkillHasNoLines=هذه المهارة ليس لها خطوط +Skill=مهارة +Skills=مهارات +SkillCard=بطاقة المهارة +EmployeeSkillsUpdated=تم تحديث مهارات الموظفين (انظر علامة التبويب "المهارات" في بطاقة الموظف) +Eval=تقييم +Evals=التقييمات +NewEval=تقييم جديد +ValidateEvaluation=التحقق من صحة التقييم +ConfirmValidateEvaluation=هل أنت متأكد أنك تريد التحقق من صحة هذا التقييم باستخدام المرجع %s؟ +EvaluationCard=بطاقة التقييم +RequiredRank=الرتبة المطلوبة للملف الوظيفي +RequiredRankShort=الرتبة المطلوبة +PositionsWithThisProfile=المناصب مع هذه التشكيلات الوظيفية +EmployeeRank=رتبة الموظف لهذه المهارة +EmployeeRankShort=رتبة موظف +EmployeePosition=منصب الموظف +EmployeePositions=مناصب الموظفين +EmployeesInThisPosition=موظفين في هذا المنصب +group1ToCompare=مجموعة المستخدمين لتحليلها +group2ToCompare=مجموعة المستخدمين الثانية للمقارنة +OrJobToCompare=قارنها بمتطلبات المهارات الخاصة بالملف الوظيفي difference=فرق -CompetenceAcquiredByOneOrMore=Competence acquired by one or more users but not requested by the second comparator -MaxlevelGreaterThan=Max level greater than the one requested -MaxLevelEqualTo=Max level equal to that demand -MaxLevelLowerThan=Max level lower than that demand -MaxlevelGreaterThanShort=Employee level greater than the one requested -MaxLevelEqualToShort=Employee level equals to that demand -MaxLevelLowerThanShort=Employee level lower than that demand -SkillNotAcquired=Skill not acquired by all users and requested by the second comparator +CompetenceAcquiredByOneOrMore=اكتسب الكفاءة من قبل مستخدم واحد أو أكثر ولكن لم يطلبه المقارن الثاني +MaxlevelGreaterThan=مستوى الموظف أكبر من المستوى المتوقع +MaxLevelEqualTo=مستوى الموظف يساوي المستوى المتوقع +MaxLevelLowerThan=مستوى الموظف أقل من المستوى المتوقع +MaxlevelGreaterThanShort=مستوى أكبر من المتوقع +MaxLevelEqualToShort=المستوى مساوٍ للمستوى المتوقع +MaxLevelLowerThanShort=المستوى أقل من المتوقع +SkillNotAcquired=لم يكتسب جميع المستخدمين المهارة ويطلبها المقارن الثاني legend=عنوان تفسيري -TypeSkill=Skill type -AddSkill=Add skills to job -RequiredSkills=Required skills for this job -UserRank=User Rank -SkillList=Skill list -SaveRank=Save rank -TypeKnowHow=Know how -TypeHowToBe=How to be -TypeKnowledge=Knowledge -AbandonmentComment=Abandonment comment -DateLastEval=Date last evaluation -NoEval=No evaluation done for this employee -HowManyUserWithThisMaxNote=Number of users with this rank -HighestRank=Highest rank -SkillComparison=Skill comparison -ActionsOnJob=Events on this job -VacantPosition=job vacancy -VacantCheckboxHelper=Checking this option will show unfilled positions (job vacancy) -SaveAddSkill = Skill(s) added -SaveLevelSkill = Skill(s) level saved -DeleteSkill = Skill removed -SkillsExtraFields=Attributs supplémentaires (Compétences) -JobsExtraFields=Attributs supplémentaires (Emplois) -EvaluationsExtraFields=Attributs supplémentaires (Evaluations) -NeedBusinessTravels=Need business travels +TypeSkill=نوع المهارة +AddSkill=إضافة المهارات إلى الملف الشخصي للوظيفة +RequiredSkills=المهارات المطلوبة لهذا الملف الوظيفي +UserRank=رتبة المستخدم +SkillList=قائمة المهارات +SaveRank=حفظ الرتبة +TypeKnowHow=أعرف كيف +TypeHowToBe=كيف تكون +TypeKnowledge=معرفة +AbandonmentComment=تعليق التخلي +DateLastEval=تاريخ آخر تقييم +NoEval=لم يتم إجراء تقييم لهذا الموظف +HowManyUserWithThisMaxNote=عدد المستخدمين بهذه الرتبة +HighestRank=أعلى رتبة +SkillComparison=مقارنة المهارة +ActionsOnJob=الأحداث في هذه الوظيفة +VacantPosition=وظيفة شاغرة +VacantCheckboxHelper=سيؤدي تحديد هذا الخيار إلى إظهار الوظائف الشاغرة (وظيفة شاغرة) +SaveAddSkill = تمت إضافة المهارة (المهارات) +SaveLevelSkill = تم حفظ مستوى المهارة (المهارات) +DeleteSkill = تمت إزالة المهارة +SkillsExtraFields=السمات التكميلية (المهارات) +JobsExtraFields=السمات التكميلية (الملف الشخصي للوظيفة) +EvaluationsExtraFields=السمات التكميلية (التقييمات) +NeedBusinessTravels=بحاجة إلى رحلات عمل +NoDescription=بدون وصف +TheJobProfileHasNoSkillsDefinedFixBefore=لا يحتوي ملف تعريف الوظيفة الذي تم تقييمه لهذا الموظف على أي مهارة محددة فيه. الرجاء إضافة المهارة (المهارات)، ثم حذف و ثم إعادة تشغيل التقييم. diff --git a/htdocs/langs/ar_SA/install.lang b/htdocs/langs/ar_SA/install.lang index a22612e5faf..7a06610228a 100644 --- a/htdocs/langs/ar_SA/install.lang +++ b/htdocs/langs/ar_SA/install.lang @@ -28,7 +28,7 @@ ErrorPHPVersionTooLow=إصدار PHP قديم جدًا. مطلوب إصدار %s ErrorPHPVersionTooHigh=إصدار PHP مرتفع جدًا. مطلوب إصدار %s أو أقل. ErrorConnectedButDatabaseNotFound=الاتصال بالخادم ناجح ولكن قاعدة البيانات "%s" غير موجودة. ErrorDatabaseAlreadyExists=قاعدة البيانات '٪ ق' موجود بالفعل. -ErrorNoMigrationFilesFoundForParameters=No migration file found for the selected versions +ErrorNoMigrationFilesFoundForParameters=لم يتم العثور على ملف ترحيل للإصدارات المحددة IfDatabaseNotExistsGoBackAndUncheckCreate=إذا كانت قاعدة البيانات غير موجودة ، فارجع وحدد الخيار "إنشاء قاعدة بيانات". IfDatabaseExistsGoBackAndCheckCreate=إذا كانت قاعدة البيانات موجود بالفعل ، من العودة وإلغاء "إنشاء قاعدة بيانات" الخيار. WarningBrowserTooOld=إصدار المتصفح قديم جدًا. يوصى بشدة بترقية متصفحك إلى إصدار حديث من Firefox أو Chrome أو Opera. @@ -88,7 +88,7 @@ LoginAlreadyExists=موجود بالفعل DolibarrAdminLogin=ادخل Dolibarr مشرف AdminLoginAlreadyExists=حساب مسؤول Dolibarr ' %s ' موجود بالفعل. ارجع إذا كنت تريد إنشاء واحدة أخرى. FailedToCreateAdminLogin=Failed to create Dolibarr administrator account. -WarningRemoveInstallDir=Warning, for security reasons, once the installation process is complete, you must add a file called install.lock into the Dolibarr document directory in order to prevent the accidental/malicious use of the install tools again. +WarningRemoveInstallDir=تحذير، لأسباب أمنية، بمجرد اكتمال عملية التثبيت، يجب عليك إضافة ملف يسمى install.lock في دليل مستند Dolibarr في طلب لمنع الاستخدام غير المقصود/الضار لأدوات التثبيت مرة أخرى. FunctionNotAvailableInThisPHP=غير متوفر في PHP هذا ChoosedMigrateScript=اختار الهجرة سكريبت DataMigration=ترحيل قاعدة البيانات (البيانات) @@ -129,7 +129,7 @@ MigrationCustomerOrderShipping=ترحيل الشحن لتخزين أوامر ا MigrationShippingDelivery=ترقية تخزين الشحن MigrationShippingDelivery2=ترقية تخزين الشحن 2 MigrationFinished=الانتهاء من الهجرة -LastStepDesc= الخطوة الأخيرة : حدد هنا تسجيل الدخول وكلمة المرور اللذين ترغب في استخدامهما للاتصال بـ Dolibarr. لا تفقد هذا لأنه الحساب الرئيسي لإدارة جميع حسابات المستخدمين الأخرى / الإضافية. +LastStepDesc=الخطوة الأخيرة: حدد هنا كلمة المرور و التي ترغب في تسجيل الدخول إليها تستخدم للاتصال Dolibarr. لا تفقد هذا لأنه الحساب الرئيسي لإدارة جميع حسابات المستخدمين الأخرى/الإضافية. ActivateModule=تفعيل وحدة %s ShowEditTechnicalParameters=انقر هنا لعرض/تحرير المعلمات المتقدمة (وضع الخبراء) WarningUpgrade=تحذير:\nهل قمت بتشغيل نسخة احتياطية لقاعدة البيانات أولاً؟\nينصح بهذا بشدة. قد يكون فقدان البيانات (بسبب الأخطاء الموجودة في الإصدار 5.5.40 / 41/42/43 من mysql على سبيل المثال) ممكنًا أثناء هذه العملية ، لذلك من الضروري تفريغ قاعدة البيانات بالكامل قبل بدء أي ترحيل.\n\nانقر فوق "موافق" لبدء عملية الترحيل ... @@ -208,12 +208,12 @@ HideNotAvailableOptions=إخفاء الخيارات غير المتاحة ErrorFoundDuringMigration=تم الإبلاغ عن خطأ (أخطاء) أثناء عملية الترحيل ، لذا فإن الخطوة التالية غير متاحة. لتجاهل الأخطاء ، يمكنك النقر هنا ، لكن التطبيق أو بعض الميزات قد لا تعمل بشكل صحيح حتى يتم حل الأخطاء. YouTryInstallDisabledByDirLock=حاول التطبيق الترقية الذاتية ، ولكن تم تعطيل صفحات التثبيت / الترقية للأمان (تمت إعادة تسمية الدليل بلاحقة .lock).
      YouTryInstallDisabledByFileLock=حاول التطبيق الترقية الذاتية ، ولكن تم تعطيل صفحات التثبيت / الترقية للأمان (من خلال وجود ملف قفل install.lock في دليل مستندات dolibarr).
      -YouTryUpgradeDisabledByMissingFileUnLock=The application tried to self-upgrade, but the upgrade process is currently not allowed.
      +YouTryUpgradeDisabledByMissingFileUnLock=حاول التطبيق الترقية الذاتية، لكن عملية الترقية غير مسموح بها حاليًا.
      ClickHereToGoToApp=انقر هنا للذهاب إلى التطبيق الخاص بك ClickOnLinkOrRemoveManualy=إذا كانت الترقية قيد التقدم ، يرجى الانتظار. إذا لم يكن كذلك ، انقر فوق الارتباط التالي. إذا كنت ترى نفس الصفحة دائمًا ، فيجب عليك إزالة / إعادة تسمية الملف install.lock في دليل المستندات. -ClickOnLinkOrCreateUnlockFileManualy=If an upgrade is in progress, please wait... If not, you must create a file upgrade.unlock into the Dolibarr documents directory. +ClickOnLinkOrCreateUnlockFileManualy=إذا كانت الترقية قيد التقدم، فيرجى الانتظار... إذا لم يكن الأمر كذلك، فيجب عليك إزالة الملف install.lock أو إنشاء ملف Upgrade.unlock في دليل مستندات Dolibarr. Loaded=محمل FunctionTest=اختبار الوظيفة -NodoUpgradeAfterDB=No action requested by external modules after upgrade of database -NodoUpgradeAfterFiles=No action requested by external modules after upgrade of files or directories -MigrationContractLineRank=Migrate Contract Line to use Rank (and enable Reorder) +NodoUpgradeAfterDB=لا يوجد إجراء مطلوب من قبل الوحدات الخارجية بعد ترقية قاعدة البيانات +NodoUpgradeAfterFiles=لا يوجد إجراء مطلوب من قبل الوحدات الخارجية بعد ترقية الملفات أو الدلائل +MigrationContractLineRank=ترحيل سطر العقد لاستخدام الرتبة (و تمكين إعادة الطلب) diff --git a/htdocs/langs/ar_SA/interventions.lang b/htdocs/langs/ar_SA/interventions.lang index d41c5ad78b2..7dc8a12868f 100644 --- a/htdocs/langs/ar_SA/interventions.lang +++ b/htdocs/langs/ar_SA/interventions.lang @@ -14,10 +14,12 @@ InterventionContact=التدخل الاتصال DeleteIntervention=حذف التدخل ValidateIntervention=تحقق من التدخل ModifyIntervention=تعديل التدخل +CloseIntervention=التدخل الوثيق DeleteInterventionLine=حذف السطر التدخل ConfirmDeleteIntervention=هل أنت متأكد أنك تريد حذف هذا التدخل؟ ConfirmValidateIntervention=هل أنت متأكد من أنك تريد التحقق من صحة هذا التدخل تحت الاسم %s ؟ ConfirmModifyIntervention=هل أنت متأكد أنك تريد تعديل هذا التدخل؟ +ConfirmCloseIntervention=هل أنت متأكد أنك تريد إغلاق هذا التدخل؟ ConfirmDeleteInterventionLine=هل أنت متأكد أنك تريد حذف سطر التدخل هذا؟ ConfirmCloneIntervention=هل أنت متأكد أنك تريد استنساخ هذا التدخل؟ NameAndSignatureOfInternalContact=اسم المتدخل وتوقيعه: @@ -36,6 +38,7 @@ InterventionModifiedInDolibarr=التدخل٪ الصورة المعدلة InterventionClassifiedBilledInDolibarr=التدخل٪ الصورة كما وصفت مجموعة InterventionClassifiedUnbilledInDolibarr=التدخل٪ الصورة مجموعة كما فواتير InterventionSentByEMail=تم إرسال التدخل %s عبر البريد الإلكتروني +InterventionClosedInDolibarr= التدخل %s مغلق InterventionDeletedInDolibarr=التدخل٪ الصورة حذفها InterventionsArea=منطقة التدخلات DraftFichinter=مشروع التدخلات @@ -50,7 +53,7 @@ UseDateWithoutHourOnFichinter=يخفي الساعات والدقائق خارج InterventionStatistics=إحصائيات التدخلات NbOfinterventions=عدد بطاقات التدخل NumberOfInterventionsByMonth=عدد بطاقات التدخل بالشهر (تاريخ المصادقة) -AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. +AmountOfInteventionNotIncludedByDefault=لا يتم تضمين مبلغ التدخل بشكل افتراضي في الربح (في معظم الحالات، يتم استخدام الجداول الزمنية لحساب الوقت المستغرق). يمكنك استخدام خيار PROJECT_ELEMENTS_FOR_ADD_MARGIN و PROJECT_ELEMENTS_FOR_MINUS_MARGIN في home-setup-other لإكمال قائمة العناصر المضمنة في الربح. InterId=تدخل معرف InterRef=تدخل المرجع. InterDateCreation=تدخل تاريخ الإنشاء @@ -68,5 +71,5 @@ ConfirmReopenIntervention=هل أنت متأكد أنك تريد فتح تدخل GenerateInter=توليد التدخل FichinterNoContractLinked=تم إنشاء التدخل %s بدون عقد مرتبط. ErrorFicheinterCompanyDoesNotExist=الشركة غير موجودة. لم يتم إنشاء التدخل. -NextDateToIntervention=Date for next intervention generation -NoIntervention=No intervention +NextDateToIntervention=تاريخ جيل التدخل القادم +NoIntervention=لا تدخل diff --git a/htdocs/langs/ar_SA/knowledgemanagement.lang b/htdocs/langs/ar_SA/knowledgemanagement.lang index fa1ada6b601..665ac0c97a9 100644 --- a/htdocs/langs/ar_SA/knowledgemanagement.lang +++ b/htdocs/langs/ar_SA/knowledgemanagement.lang @@ -39,6 +39,7 @@ KnowledgeManagementAboutPage = إدارة المعرفة حول الصفحة KnowledgeManagementArea = إدارة المعرفة MenuKnowledgeRecord = قاعدة المعرفة +MenuKnowledgeRecordShort = قاعدة المعرفة ListKnowledgeRecord = قائمة المقالات NewKnowledgeRecord = مقال جديد ValidateReply = تحقق من صحة الحل @@ -46,9 +47,15 @@ KnowledgeRecords = مقالات KnowledgeRecord = عنصر KnowledgeRecordExtraFields = Extrafields للمادة GroupOfTicket=مجموعة التذاكر -YouCanLinkArticleToATicketCategory=You can link the article to a ticket group (so the article will be highlighted on any tickets in this group) -SuggestedForTicketsInGroup=اقترح للتذاكر عندما تكون المجموعة +YouCanLinkArticleToATicketCategory=يمكنك ربط المقالة بمجموعة تذاكر (لذلك سيتم تمييز المقالة على أي تذاكر في هذه المجموعة) +SuggestedForTicketsInGroup=مقترح عند إنشاء التذاكر SetObsolete=تعيين كما عفا عليها الزمن ConfirmCloseKM=هل تؤكد أن إغلاق هذا المقال قد عفا عليه الزمن؟ ConfirmReopenKM=هل تريد استعادة هذه المقالة إلى الحالة "تم التحقق منها"؟ +BoxLastKnowledgerecordDescription=آخر مقالات %s +BoxLastKnowledgerecord=المقالات الأخيرة +BoxLastKnowledgerecordContent=المقالات الأخيرة +BoxLastKnowledgerecordModifiedContent=آخر المقالات المعدلة +BoxLastModifiedKnowledgerecordDescription=آخر %s المقالات المعدلة +BoxLastModifiedKnowledgerecord=آخر المقالات المعدلة diff --git a/htdocs/langs/ar_SA/languages.lang b/htdocs/langs/ar_SA/languages.lang index aab19f4d97b..2728a111b05 100644 --- a/htdocs/langs/ar_SA/languages.lang +++ b/htdocs/langs/ar_SA/languages.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - languages Language_am_ET=إثيوبي -Language_af_ZA=Afrikaans (South Africa) +Language_af_ZA=الأفريكانية (جنوب أفريقيا) +Language_en_AE=العربية (الإمارات العربية المتحدة) Language_ar_AR=العربية Language_ar_DZ=العربية (الجزائر) Language_ar_EG=العربية (مصر) Language_ar_JO=العربية (الأردنية) Language_ar_MA=العربية (المغرب) -Language_ar_SA=العربية +Language_ar_SA=العربية (المملكة العربية السعودية) Language_ar_TN=العربية (تونس) Language_ar_IQ=العربية (العراق) Language_as_IN=الأسامية @@ -24,21 +25,21 @@ Language_da_DK=دانماركي Language_de_DE=اللغة الألمانية Language_de_AT=الألمانية (النمسا) Language_de_CH=الألمانية (سويسرا) -Language_de_LU=German (Luxembourg) +Language_de_LU=الألمانية (لوكسمبورغ) Language_el_GR=يوناني Language_el_CY=اليونانية (قبرص) -Language_en_AE=الإنجليزية (الإمارات العربية المتحدة) +Language_en_AE=العربية (الإمارات العربية المتحدة) Language_en_AU=الإنكليزية (أستراليا) Language_en_CA=الإنكليزية (كندا) Language_en_GB=الانجليزية (المملكة المتحدة) Language_en_IN=الإنكليزية (الهند) -Language_en_MY=English (Myanmar) +Language_en_MY=الإنجليزية (ميانمار) Language_en_NZ=الإنجليزية (نيوزيلندا) Language_en_SA=الإنجليزية (المملكة العربية السعودية) Language_en_SG=الإنجليزية (سنغافورة) Language_en_US=الإنكليزية (الولايات المتحدة) Language_en_ZA=الإنكليزية (جنوب أفريقيا) -Language_en_ZW=English (Zimbabwe) +Language_en_ZW=الإنجليزية (زيمبابوي) Language_es_ES=الأسبانية Language_es_AR=الأسبانية (الأرجنتين) Language_es_BO=الأسبانية (بوليفيا) @@ -115,7 +116,7 @@ Language_sv_SE=السويدية Language_sq_AL=الألبانية Language_sk_SK=السلوفاكية Language_sr_RS=صربي -Language_sw_KE=Swahili +Language_sw_KE=السواحلية Language_sw_SW=السواحيلية Language_th_TH=التايلاندية Language_uk_UA=الأوكراني @@ -123,6 +124,6 @@ Language_ur_PK=الأردية Language_uz_UZ=الأوزبكي Language_vi_VN=الفيتنامية Language_zh_CN=الصينية -Language_zh_TW=Chinese (Taiwan) +Language_zh_TW=الصينية (تايوان) Language_zh_HK=الصينية (هونج كونج) Language_bh_MY=لغة الملايو diff --git a/htdocs/langs/ar_SA/ldap.lang b/htdocs/langs/ar_SA/ldap.lang index 0f2fab0c304..cf03adbe7da 100644 --- a/htdocs/langs/ar_SA/ldap.lang +++ b/htdocs/langs/ar_SA/ldap.lang @@ -29,3 +29,5 @@ LDAPPasswordHashType=نوع تجزئة كلمة المرور LDAPPasswordHashTypeExample=نوع تجزئة كلمة المرور المستخدمة على الخادم SupportedForLDAPExportScriptOnly=مدعوم فقط من خلال برنامج نصي للتصدير ldap SupportedForLDAPImportScriptOnly=مدعوم فقط بواسطة برنامج نصي للاستيراد ldap +LDAPUserAccountControl = userAccountControl عند الإنشاء (الدليل النشط) +LDAPUserAccountControlExample = 512 حساب عادي / 546 حساب عادي + لا يوجد كلمة مرور + معطل (انظر: https://fr.wikipedia.org/wiki/Active_Directory) diff --git a/htdocs/langs/ar_SA/loan.lang b/htdocs/langs/ar_SA/loan.lang index 5a01f71a4ab..7f4b3c861ba 100644 --- a/htdocs/langs/ar_SA/loan.lang +++ b/htdocs/langs/ar_SA/loan.lang @@ -23,12 +23,12 @@ AddLoan=إنشاء قرض FinancialCommitment=التزام مالي InterestAmount=اهتمام CapitalRemain=يبقى رأس المال -TermPaidAllreadyPaid = هذا المصطلح مدفوع بالفعل +TermPaidAllreadyPaid = تم دفع هذا المصطلح بالفعل CantUseScheduleWithLoanStartedToPaid = لا يمكن إنشاء مخطط زمني لقرض بدفعة بدأت CantModifyInterestIfScheduleIsUsed = لا يمكنك تعديل الفائدة إذا كنت تستخدم الجدول الزمني # Admin ConfigLoan=التكوين للقرض وحدة -LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Account (from the Chart Of Account) to be used by default for capital (Loan module) -LOAN_ACCOUNTING_ACCOUNT_INTEREST=Account (from the Chart Of Account) to be used by default for interest (Loan module) -LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Account (from the Chart Of Account) to be used by default for insurance (Loan module) +LOAN_ACCOUNTING_ACCOUNT_CAPITAL=الحساب (من دليل الحساب) الذي سيتم استخدامه بشكل افتراضي لرأس المال (القرض نموذج) +LOAN_ACCOUNTING_ACCOUNT_INTEREST=الحساب (من دليل الحساب) الذي سيتم استخدامه بشكل افتراضي للفائدة (القرض نموذج) +LOAN_ACCOUNTING_ACCOUNT_INSURANCE=الحساب (من دليل الحساب) الذي سيتم استخدامه بشكل افتراضي للتأمين (القرض نموذج) CreateCalcSchedule=تحرير الالتزام المالي diff --git a/htdocs/langs/ar_SA/mails.lang b/htdocs/langs/ar_SA/mails.lang index 300b26897ca..21a2b8d9332 100644 --- a/htdocs/langs/ar_SA/mails.lang +++ b/htdocs/langs/ar_SA/mails.lang @@ -93,7 +93,7 @@ MailingModuleDescEmailsFromUser=إدخال رسائل البريد الإلكت MailingModuleDescDolibarrUsers=المستخدمون الذين لديهم رسائل بريد إلكتروني MailingModuleDescThirdPartiesByCategories=أطراف ثالثة SendingFromWebInterfaceIsNotAllowed=الإرسال من واجهة الويب غير مسموح به. -EmailCollectorFilterDesc=All filters must match to have an email being collected.
      You can use the character "!" before the search string value if you need a negative test +EmailCollectorFilterDesc=يجب أن تتطابق جميع المرشحات حتى يتم جمع البريد الإلكتروني.
      يمكنك استخدام الحرف "!" قبل قيمة سلسلة البحث إذا كنت بحاجة إلى اختبار سلبي # Libelle des modules de liste de destinataires mailing LineInFile=خط المستندات في ملف ٪ @@ -179,8 +179,8 @@ RecordCreatedByEmailCollector=السجل الذي تم إنشاؤه بواسطة DefaultBlacklistMailingStatus=القيمة الافتراضية للحقل "%s" عند تكوين جهة اتصال جديدة DefaultStatusEmptyMandatory=فارغ ولكنه إلزامي WarningLimitSendByDay=تحذير: إعداد أو عقد المثيل الخاص بك يحد من عدد رسائل البريد الإلكتروني يوميًا إلى %s . قد تؤدي محاولة إرسال المزيد إلى إبطاء المثيل أو تعليقه. يرجى الاتصال بالدعم الخاص بك إذا كنت بحاجة إلى حصة أعلى. -NoMoreRecipientToSendTo=No more recipient to send the email to -EmailOptedOut=Email owner has requested to not contact him with this email anymore -EvenUnsubscribe=Include opt-out emails -EvenUnsubscribeDesc=Include opt-out emails when you select emails as targets. Usefull for mandatory service emails for example. -XEmailsDoneYActionsDone=%s emails pre-qualified, %s emails successfully processed (for %s record/actions done) +NoMoreRecipientToSendTo=لم يعد هناك مستلم لإرسال البريد الإلكتروني إليه +EmailOptedOut=لقد طلب مالك البريد الإلكتروني عدم الاتصال به عبر هذا البريد الإلكتروني بعد الآن +EvenUnsubscribe=قم بتضمين رسائل البريد الإلكتروني الخاصة بإلغاء الاشتراك +EvenUnsubscribeDesc=قم بتضمين رسائل البريد الإلكتروني الخاصة بإلغاء الاشتراك عند تحديد رسائل البريد الإلكتروني كأهداف. مفيد لرسائل البريد الإلكتروني الخاصة بالخدمة الإلزامية على سبيل المثال. +XEmailsDoneYActionsDone=%s رسائل البريد الإلكتروني المؤهلة مسبقًا، %s تمت معالجة رسائل البريد الإلكتروني بنجاح (لسجل %s / تم تنفيذ الإجراءات) diff --git a/htdocs/langs/ar_SA/main.lang b/htdocs/langs/ar_SA/main.lang index a902ad3ba34..86bce402ad8 100644 --- a/htdocs/langs/ar_SA/main.lang +++ b/htdocs/langs/ar_SA/main.lang @@ -20,7 +20,7 @@ FormatDateShortJava=dd/MM/yyyy FormatDateShortJavaInput=dd/MM/yyyy FormatDateShortJQuery=dd/mm/yy FormatDateShortJQueryInput=dd/mm/yy -FormatHourShortJQuery=HH: MI +FormatHourShortJQuery=HH:MI FormatHourShort=%H:%M FormatHourShortDuration=%H:%M FormatDateTextShort=%d %b %Y @@ -34,7 +34,7 @@ NoTemplateDefined=لا يوجد قالب متاح لهذا النوع من ال AvailableVariables=متغيرات الاستبدال المتاحة NoTranslation=لا يوجد ترجمة Translation=الترجمة -Translations=Translations +Translations=ترجمات CurrentTimeZone=حسب توقيت خادم البي إتش بي EmptySearchString=أدخل معايير بحث غير فارغة EnterADateCriteria=أدخل معايير التاريخ @@ -60,7 +60,7 @@ ErrorFailedToSendMail=فشل في إرسال البريد (المرسل = %s ، ErrorFileNotUploaded=لم يتم تحميل الملف. تحقق من أن الحجم لا يتجاوز الحد الأقصى المسموح به ، وأن المساحة الخالية متوفرة على القرص وأنه لا يوجد بالفعل ملف بنفس الاسم في هذا الدليل. ErrorInternalErrorDetected=تم الكشف عن خطأ ErrorWrongHostParameter=معامل مضيف خاطئ (Wrong host parameter) -ErrorYourCountryIsNotDefined=لم يتم تعريف بلدك. انتقل إلى Home-Setup-Edit وانشر النموذج مرة أخرى. +ErrorYourCountryIsNotDefined=لم يتم تعريف بلدك. انتقل إلى Home-Setup-شركة/Foundation و وقم بنشر النموذج مرة أخرى. ErrorRecordIsUsedByChild=فشل حذف هذا السجل. يتم استخدام هذا السجل من قبل سجل فرعي واحد على الأقل. ErrorWrongValue=قيمة خاطئة ErrorWrongValueForParameterX=قيمة خاطئة للمعامل (parameter) %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=خطأ ، لم يتم تحديد معدل ErrorNoSocialContributionForSellerCountry=خطأ ، لم يتم تحديد نوع الضرائب الاجتماعية | المالية للبلد "%s". ErrorFailedToSaveFile=خطأ، فشل في حفظ الملف. ErrorCannotAddThisParentWarehouse=أنت تحاول إضافة مستودع رئيسي هو بالفعل تابع لمستودع موجود +ErrorInvalidSubtype=النوع الفرعي المحدد غير مسموح به FieldCannotBeNegative=لا يمكن أن يكون الحقل "%s" سالبًا MaxNbOfRecordPerPage=عدد السجلات الاعلى في الصفحة الواحدة NotAuthorized=غير مصرح لك ان تفعل ذلك. @@ -103,7 +104,8 @@ RecordGenerated=تم إنشاء سجل LevelOfFeature=مستوى الميزات NotDefined=غير معرف DolibarrInHttpAuthenticationSoPasswordUseless=تم ضبط وضع مصادقة Dolibarr على %s في ملف التكوين conf.php .
      هذا يعني أن قاعدة بيانات كلمة المرور خارجية لـ Dolibarr ، لذلك قد لا يكون لتغيير هذا الحقل أي تأثير. -Administrator=مدير +Administrator=مدير النظام +AdministratorDesc=مسؤول النظام (يمكنه إدارة المستخدم والأذونات وأيضًا تكوين وحدات إعداد النظام و) Undefined=غير محدد PasswordForgotten=هل نسيت كلمة المرور؟ NoAccount=لا يوجد حساب؟ @@ -211,8 +213,8 @@ Select=اختار SelectAll=اختر الكل Choose=أختر Resize=تغيير الحجم +Crop=اقتصاص ResizeOrCrop=تغيير الحجم أو اقتصاص -Recenter=إعادة توسيط Author=مؤلف User=المستعمل Users=المستخدمين @@ -222,9 +224,9 @@ UserGroup=مجموعة المستخدمين UserGroups=مجموعات الاعضاء NoUserGroupDefined=لم يتم تحديد مجموعة مستخدمين Password=كلمة المرور -PasswordRetype=Repeat your password +PasswordRetype=أعد كتابة رقمك السري NoteSomeFeaturesAreDisabled=لاحظ أنه تم تعطيل الكثير من الميزات | الوحدات في هذا العرض التوضيحي. -YourUserFile=Your user file +YourUserFile=ملف المستخدم الخاص بك Name=اسم NameSlashCompany=الاسم | الشركة Person=شخص @@ -235,8 +237,8 @@ PersonalValue=قيمة شخصية NewObject=جديد %s NewValue=القيمة الجديدة OldValue=القيمة القديمة %s -FieldXModified=Field %s modified -FieldXModifiedFromYToZ=Field %s modified from %s to %s +FieldXModified=تم تعديل الحقل %s +FieldXModifiedFromYToZ=تم تعديل الحقل %s من %s إلى %s CurrentValue=القيمة الحالية Code=الكود Type=اكتب @@ -312,8 +314,8 @@ UserValidation=المستخدم المعتمد UserCreationShort=المستخدم المنشأ UserModificationShort=المستخدم المعدل UserValidationShort=المستخدم المعتمد -UserClosing=Closing user -UserClosingShort=Closing user +UserClosing=إغلاق المستخدم +UserClosingShort=إغلاق المستخدم DurationYear=سنة DurationMonth=شهر DurationWeek=أسبوع @@ -348,7 +350,7 @@ MonthOfDay=شهر اليوم DaysOfWeek=ايام الاسبوع HourShort=س MinuteShort=د -SecondShort=sec +SecondShort=ثانية Rate=معدل CurrencyRate=معدل تحويل العملات UseLocalTax=يشمل الضرائب @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Additionnal cents +LT1GC=سنتات إضافية VATRate=معدل الضريبة RateOfTaxN=معدل الضريبة %s VATCode=كود معدل الضريبة @@ -493,7 +495,7 @@ ActionsOnContact=الأحداث لهذا الاتصال او العنوان ActionsOnContract=أحداث هذا العقد ActionsOnMember=الأحداث عن هذا العضو ActionsOnProduct=أحداث حول هذا المنتج -ActionsOnAsset=Events for this fixed asset +ActionsOnAsset=الأحداث لهذا الأصل الثابت NActionsLate=%s متأخر ToDo=للعمل Completed=مكتمل @@ -517,7 +519,7 @@ NotYetAvailable=لم يتوفر بعد NotAvailable=غير متوفر Categories=العلامات | الفئات Category=العلامة | الفئة -SelectTheTagsToAssign=Select the tags/categories to assign +SelectTheTagsToAssign=حدد أوسمة/الفئات المراد تعيينها By=بواسطة From=من FromDate=من تاريخ @@ -547,6 +549,7 @@ Reportings=التقارير Draft=مسودة Drafts=المسودات StatusInterInvoiced=مفوترة +Done=منتهي Validated=معتمد ValidatedToProduce=معتمد (للانتاج) Opened=فتح @@ -558,7 +561,7 @@ Unknown=غير معروف General=عام Size=حجم OriginalSize=الحجم الأصلي -RotateImage=Rotate 90° +RotateImage=تدوير 90 درجة Received=تم الاستلام Paid=دفع Topic=الموضوع @@ -698,6 +701,7 @@ Response=رد Priority=الأولوية SendByMail=ارسل بالبريد الإلكترونى MailSentBy=البريد الإلكتروني بواسطة +MailSentByTo=تم إرسال البريد الإلكتروني بواسطة %s إلى %s NotSent=لم يرسل TextUsedInTheMessageBody=هيئة البريد الإلكتروني SendAcknowledgementByMail=إرسال بريد إلكتروني للتأكيد @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=تم تعديل السجل بنجاح RecordsModified=تم تعديل %s سجل (سجلات) RecordsDeleted=تم حذف %s سجل (سجلات) RecordsGenerated=تم إنشاء %s سجل (سجلات) +ValidatedRecordWhereFound = لقد تم بالفعل التحقق من صحة بعض السجلات المحددة. لم يتم حذف أية سجلات. AutomaticCode=كود تلقائي FeatureDisabled=ميزة معطلة MoveBox=نقل البريمج @@ -764,11 +769,10 @@ DisabledModules=الوحدات المعطلة For=لــ ForCustomer=للعميل Signature=التوقيع -DateOfSignature=تاريخ التوقيع HidePassword=عرض الأمر مع كلمة مرور المخفية UnHidePassword=عرض الأمر الحقيقي مع كلمة مرور الواضحة Root=جذور -RootOfMedias=جذر الوسائط العامة (/ الوسائط) +RootOfMedias=جذر وسائل الإعلام العامة (/ وسائل الإعلام) Informations=معلومات Page=صفحة Notes=ملاحظات @@ -817,7 +821,7 @@ URLPhoto=عنوان URL للصورة | الشعار SetLinkToAnotherThirdParty=ربط بطرف ثالث آخر LinkTo=ربط مع او بـ LinkToProposal=ربط مع العرض -LinkToExpedition= Link to expedition +LinkToExpedition= رابط للبعثة LinkToOrder=ربط مع الامر LinkToInvoice=ربط مع الفاتورة LinkToTemplateInvoice=ربط مع قالب الفاتورة @@ -903,12 +907,12 @@ MassFilesArea=مساحة للملفات التي تم إنشاؤها بواسط ShowTempMassFilesArea=عرض مساحة الملفات التي تم إنشاؤها بواسطة الإجراءات الجماعية ConfirmMassDeletion=تأكيد الحذف الضخم ConfirmMassDeletionQuestion=هل أنت متأكد من أنك تريد حذف %s السجل (السجلات) المحددة؟ -ConfirmMassClone=Bulk clone confirmation -ConfirmMassCloneQuestion=Select project to clone to -ConfirmMassCloneToOneProject=Clone to project %s +ConfirmMassClone=تأكيد الاستنساخ بالجملة +ConfirmMassCloneQuestion=حدد مشروع للاستنساخ فيه +ConfirmMassCloneToOneProject=استنساخ إلى مشروع %s RelatedObjects=كائنات ذات صلة -ClassifyBilled=Classify Billed -ClassifyUnbilled=Classify Unbilled +ClassifyBilled=تصنيف الفواتير +ClassifyUnbilled=تصنيف غير مفوترة Progress=تقدم ProgressShort=تقدم FrontOffice=مكتب الإستقبال @@ -916,19 +920,20 @@ BackOffice=المكتب الخلفي Submit=يقدم View=عرض Export=تصدير +Import=يستورد Exports=صادرات ExportFilteredList=تصدير قائمة التى تم تصفيتها ExportList=قائمة التصدير ExportOptions=خيارات التصدير IncludeDocsAlreadyExported=تضمين المستندات التي تم تصديرها -ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and will be exported -ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported +ExportOfPiecesAlreadyExportedIsEnable=المستندات التي تم تصديرها مرئية بالفعل. و سيتم تصديرها +ExportOfPiecesAlreadyExportedIsDisable=المستندات التي تم تصديرها بالفعل مخفية و ولن يتم تصديرها AllExportedMovementsWereRecordedAsExported=تم تسجيل جميع حركات التصدير على أنها مصدرة NotAllExportedMovementsCouldBeRecordedAsExported=لا يمكن تسجيل جميع حركات التصدير على أنها مصدرة Miscellaneous=متفرقات Calendar=التقويم GroupBy=تجميع على حسب -GroupByX=Group by %s +GroupByX=التجميع حسب %s ViewFlatList=عرض قائمة مسطحة ViewAccountList=عرض دفتر الأستاذ ViewSubAccountList=عرض دفتر الأستاذ الفرعي @@ -940,7 +945,7 @@ DirectDownloadInternalLink=رابط التحميل الخاص PrivateDownloadLinkDesc=تحتاج إلى تسجيل الدخول وتحتاج إلى أذونات لعرض الملف أو تنزيله Download=تحميل DownloadDocument=تحميل مستند -DownloadSignedDocument=Download signed document +DownloadSignedDocument=قم بتنزيل الوثيقة الموقعة ActualizeCurrency=تحديث سعر العملة Fiscalyear=السنة المالية ModuleBuilder=الوحدة النمطية ومنشئ التطبيق @@ -949,7 +954,7 @@ BulkActions=جملة إجراءات ClickToShowHelp=انقر لإظهار تعليمات تلميح الأدوات WebSite=الموقع الكتروني WebSites=مواقع الويب -WebSiteAccounts=حسابات الموقع +WebSiteAccounts=حسابات الوصول إلى الويب ExpenseReport=تقرير المصاريف ExpenseReports=تقارير المصاريف HR=الموارد البشرية @@ -1066,7 +1071,7 @@ SearchIntoContracts=عقود SearchIntoCustomerShipments=شحنات العملاء SearchIntoExpenseReports=تقارير المصاريف SearchIntoLeaves=الاجازات -SearchIntoKM=Knowledge base +SearchIntoKM=قاعدة المعرفة SearchIntoTickets=تذاكر SearchIntoCustomerPayments=مدفوعات العميل SearchIntoVendorPayments=مدفوعات الموردين @@ -1077,6 +1082,7 @@ CommentPage=مساحة التعليقات CommentAdded=تم إضافة تعليق CommentDeleted=التعليق حذف Everybody=الجميع +EverybodySmall=الجميع PayedBy=مدفوع بــ PayedTo=مدفوع لــ Monthly=شهريا @@ -1089,7 +1095,7 @@ KeyboardShortcut=اختصارات لوحة المفاتيح AssignedTo=مخصص ل Deletedraft=حذف المسودة ConfirmMassDraftDeletion=تأكيد الحذف الشامل للمسودة -FileSharedViaALink=ملف مشترك مع رابط عام +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=حدد طرف ثالث أولاً ... YouAreCurrentlyInSandboxMode=أنت حاليًا في وضع %s "sandbox" Inventory=المخزون @@ -1123,7 +1129,7 @@ ContactDefault_project_task=مهمة ContactDefault_propal=عرض ContactDefault_supplier_proposal=عرض المورد ContactDefault_ticket=تذكرة -ContactAddedAutomatically=تمت إضافة جهة اتصال من جهات الاتصال الطرف الثالث +ContactAddedAutomatically=تمت إضافة جهة الاتصال من أدوار جهة اتصال خارجية More=أكثر ShowDetails=عرض التفاصيل CustomReports=تقارير مخصصة @@ -1138,7 +1144,7 @@ DeleteFileText=هل تريد حقا حذف هذا الملف؟ ShowOtherLanguages=عرض اللغات الأخرى SwitchInEditModeToAddTranslation=قم بالتبديل في وضع التحرير لإضافة ترجمات لهذه اللغة NotUsedForThisCustomer=غير مستخدم لهذا العميل -NotUsedForThisVendor=Not used for this vendor +NotUsedForThisVendor=غير مستخدم لهذا المورد AmountMustBePositive=المبلغ يجب أن يكون موجبًا ByStatus=حسب الحالة InformationMessage=معلومات @@ -1159,29 +1165,29 @@ EventReminder=تذكير بالحدث UpdateForAllLines=تحديث لجميع البنود OnHold=في الانتظار Civility=Civility -AffectTag=Assign a Tag -AffectUser=Assign a User -SetSupervisor=Set the supervisor +AffectTag=تعيين وسم +AffectUser=تعيين مستخدم +SetSupervisor=تعيين المشرف CreateExternalUser=إنشاء مستخدم خارجي -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) -ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? +ConfirmAffectTag=مهمة وسم مجمعة +ConfirmAffectUser=تعيين المستخدم بالجملة +ProjectRole=الدور المعين لكل مشروع/فرصة +TasksRole=الدور المعين لكل مهمة (إذا تم استخدامه) +ConfirmSetSupervisor=مجموعة المشرف السائبة +ConfirmUpdatePrice=اختر معدل زيادة/خفض السعر +ConfirmAffectTagQuestion=هل أنت متأكد أنك تريد تعيين أوسمة إلى السجل (السجلات) المحدد %s؟ +ConfirmAffectUserQuestion=هل أنت متأكد من أنك تريد تعيين مستخدمين إلى السجل (السجلات) المحدد %s؟ +ConfirmSetSupervisorQuestion=هل أنت متأكد من أنك تريد تعيين المشرف على السجل (السجلات) المحدد %s؟ +ConfirmUpdatePriceQuestion=هل أنت متأكد أنك تريد تحديث سعر %s السجلات المحددة؟ CategTypeNotFound=لا يوجد ملصق لنوع السجل Rate=معدل -SupervisorNotFound=Supervisor not found +SupervisorNotFound=لم يتم العثور على المشرف CopiedToClipboard=تم النسخ الى الحافظة InformationOnLinkToContract=هذا المبلغ هو مجموع بنود العقد . دون مراعاة قيمة الزمن ConfirmCancel=هل أنت متأكد أنك تريد إلغاء EmailMsgID=Email MsgID -EmailDate=Email date -SetToStatus=Set to status %s +EmailDate=تاريخ البريد الإلكتروني +SetToStatus=اضبط على حالة %s SetToEnabled=تعيين على تمكين SetToDisabled=تعيين إلى معطل ConfirmMassEnabling=تأكيد التمكين الشامل @@ -1210,32 +1216,47 @@ Terminated=تم إنهاؤه AddLineOnPosition=أضف سطرًا في الموضع (في النهاية إذا كان فارغًا) ConfirmAllocateCommercial=تعيين تأكيد مندوب المبيعات ConfirmAllocateCommercialQuestion=هل أنت متأكد من أنك تريد تعيين السجل (السجلات) المحددة %s؟ -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned +CommercialsAffected=تم تعيين مندوبي المبيعات +CommercialAffected=تم تعيين مندوب مبيعات YourMessage=رسالتك YourMessageHasBeenReceived=وقد وردت الرسالة. سنقوم بالرد أو الاتصال بك في أقرب وقت ممكن. UrlToCheck=عنوان Url المراد التحقق منه Automation=أتمتة CreatedByEmailCollector=تم إنشاؤها بواسطة جامع البريد الإلكتروني CreatedByPublicPortal=تم إنشاؤه من بوابة عامة -UserAgent=User Agent +UserAgent=وكيل المستخدم InternalUser=مستخدم داخلي ExternalUser=مستخدم خارجي -NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. -HideOnVCard=Hide %s -AddToContacts=Add address to my contacts -LastAccess=Last access -UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here -LastPasswordChangeDate=Last password change date -PublicVirtualCardUrl=Virtual business card page URL -PublicVirtualCard=Virtual business card -TreeView=Tree view -DropFileToAddItToObject=Drop a file to add it to this object -UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +NoSpecificContactAddress=لا يوجد اتصال أو عنوان محدد +NoSpecificContactAddressBis=علامة التبويب هذه مخصصة لفرض جهات اتصال أو عناوين محددة للكائن الحالي. استخدمه فقط إذا كنت تريد تحديد جهة اتصال أو عناوين محددة واحدة أو أكثر للكائن عندما تكون المعلومات المتوفرة لدى الطرف الثالث غير كافية أو غير دقيقة. +HideOnVCard=إخفاء %s +AddToContacts=إضافة عنوان إلى جهات الاتصال الخاصة بي +LastAccess=آخر ولوج +UploadAnImageToSeeAPhotoHere=قم بتحميل صورة من علامة التبويب %s لمشاهدة الصورة هنا +LastPasswordChangeDate=تاريخ آخر تغيير لكلمة المرور +PublicVirtualCardUrl=عنوان URL لصفحة بطاقة العمل الافتراضية +PublicVirtualCard=بطاقة عمل افتراضية +TreeView=عرض الشجرة +DropFileToAddItToObject=قم بإسقاط ملف لإضافته إلى هذا الكائن +UploadFileDragDropSuccess=تم تحميل الملف (الملفات) بنجاح +SearchSyntaxTooltipForStringOrNum=للبحث داخل الحقول النصية، يمكنك استخدام الأحرف ^ أو $ لإجراء بحث "البدء أو النهاية بـ" أو استخدام ! لإجراء اختبار "لا يحتوي على". يمكنك استخدام | بين سلسلتين بدلاً من مسافة لشرط 'OR' بدلاً من 'و'. بالنسبة للقيم الرقمية، يمكنك استخدام عامل التشغيل <, > أو <=, >= أو != قبل القيمة، للتصفية باستخدام المقارنة الرياضية InProgress=قيد التنفيذ -DateOfPrinting=Date of printing -ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. -UserNotYetValid=Not yet valid +DateOfPrinting=تاريخ الطباعة +ClickFullScreenEscapeToLeave=انقر هنا للتبديل في وضع ملء الشاشة. اضغط على ESCAPE للخروج من وضع ملء الشاشة. +UserNotYetValid=غير صالحة بعد UserExpired=انتهى +LinkANewFile=ربط ملف جديد/ وثيقة +LinkedFiles=الملفات والمستندات المرتبطة +NoLinkFound=لا يوجد روابط مسجلة +LinkComplete=تم ربط الملف بنجاح +ErrorFileNotLinked=لا يمكن ربط الملف +LinkRemoved= الرابط%sتم إزالتة +ErrorFailedToDeleteLink= فشل في إزالة الرابط ' %s ' +ErrorFailedToUpdateLink= فشل تحديث الرابط ' %s ' +URLToLink=عنوان URL للربط +OverwriteIfExists=الكتابة فوق إذا كان الملف موجودا +AmountSalary=راتب المبلغ +InvoiceSubtype=فاتورة النوع الفرعي +ConfirmMassReverse=تأكيد عكسي بالجملة +ConfirmMassReverseQuestion=هل أنت متأكد أنك تريد عكس %s السجل (السجلات) المحدد؟ + diff --git a/htdocs/langs/ar_SA/margins.lang b/htdocs/langs/ar_SA/margins.lang index 43d633f2d9d..a6dacce8802 100644 --- a/htdocs/langs/ar_SA/margins.lang +++ b/htdocs/langs/ar_SA/margins.lang @@ -6,6 +6,7 @@ TotalMargin=إجمالي الهامش MarginOnProducts=الهامش / المنتجات MarginOnServices=الهامش / الخدمات MarginRate=معدل الهامش +ModifyMarginRates=تعديل معدلات الهامش MarkRate=معدل العلامة DisplayMarginRates=معدلات هامش العرض DisplayMarkRates=معدلات علامة العرض @@ -37,7 +38,7 @@ CostPrice=سعر الكلفة UnitCharges=رسوم الوحدة Charges=الرسوم AgentContactType=نوع اتصال الوكيل التجاري -AgentContactTypeDetails=حدد نوع جهة الاتصال (المرتبطة بالفواتير) التي سيتم استخدامها لتقرير الهامش لكل جهة اتصال / عنوان. لاحظ أن قراءة الإحصائيات الخاصة بجهة اتصال لا يمكن الاعتماد عليها لأنه في معظم الحالات قد لا يتم تحديد جهة الاتصال بشكل واضح في الفواتير. +AgentContactTypeDetails=حدد نوع جهة الاتصال (المرتبط بالفواتير) الذي سيتم استخدامه لتقرير الهامش لكل جهة اتصال/عنوان. لاحظ أن قراءة الإحصائيات الخاصة بجهة اتصال غير موثوقة لأنه في معظم الحالات قد لا يتم تعريف جهة الاتصال بشكل صريح في الفواتير. rateMustBeNumeric=يجب أن يكون السعر قيمة رقمية markRateShouldBeLesserThan100=يجب أن يكون معدل العلامة أقل من 100 ShowMarginInfos=إظهار معلومات الهامش diff --git a/htdocs/langs/ar_SA/members.lang b/htdocs/langs/ar_SA/members.lang index 77b0053ec1d..edb5241944e 100644 --- a/htdocs/langs/ar_SA/members.lang +++ b/htdocs/langs/ar_SA/members.lang @@ -4,8 +4,8 @@ MemberCard=بطاقة عضو SubscriptionCard=بطاقة الاشتراك Member=عضو Members=أعضاء -NoRecordedMembers=No recorded members -NoRecordedMembersByType=No recorded members +NoRecordedMembers=لم يتم تسجيل أعضاء +NoRecordedMembersByType=لم يتم تسجيل أعضاء ShowMember=وتظهر بطاقة عضو UserNotLinkedToMember=المستخدم لا ترتبط عضو ThirdpartyNotLinkedToMember=طرف ثالث غير مرتبط بعضو @@ -17,7 +17,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=عضو آخر (الاسم : ٪ ق< ErrorUserPermissionAllowsToLinksToItselfOnly=لأسباب أمنية ، يجب أن تمنح أذونات لتحرير جميع المستخدمين لتكون قادرة على ربط عضو لمستخدم هذا ليس لك. SetLinkToUser=وصلة إلى مستخدم Dolibarr SetLinkToThirdParty=وصلة إلى طرف ثالث Dolibarr -MemberCountersArePublic=Counters of valid members are public +MemberCountersArePublic=عدادات أعضاء الصالحة عامة MembersCards=توليد بطاقات للاعضاء MembersList=قائمة الأعضاء MembersListToValid=قائمة مشاريع أعضاء (ينبغي التأكد من صحة) @@ -27,8 +27,8 @@ MembersListNotUpToDate=قائمة الأعضاء الصالحين مع مساه MembersListExcluded=قائمة الأعضاء المستبعدين MembersListResiliated=قائمة الأعضاء المنتهية MembersListQualified=قائمة الأعضاء المؤهلين -MembersShowMembershipTypesTable=Show a table of all available membership types (if no, show directly the registration form) -MembersShowVotesAllowed=Show whether votes are allowed, in the table of membership types +MembersShowMembershipTypesTable=إظهار جدول بجميع أنواع العضوية المتاحة (إذا لم يكن الأمر كذلك، قم بإظهار نموذج التسجيل مباشرة) +MembersShowVotesAllowed=أظهر ما إذا كان التصويت مسموحًا به، في جدول أنواع العضوية MenuMembersToValidate=أعضاء مشروع MenuMembersValidated=صادق أعضاء MenuMembersExcluded=الأعضاء المستبعدين @@ -39,8 +39,8 @@ DateSubscription=تاريخ العضوية DateEndSubscription=تاريخ انتهاء العضوية EndSubscription=انتهاء العضوية SubscriptionId=معرف المساهمة -WithoutSubscription=Without membership -WaitingSubscription=Membership pending +WithoutSubscription=بدون عضوية +WaitingSubscription=العضوية معلقة WaitingSubscriptionShort=بانتظار MemberId=معرف العضو MemberRef=عضو المرجع @@ -79,12 +79,12 @@ MemberTypeCanNotBeDeleted=لا يمكن حذف نوع العضو NewSubscription=مساهمة جديدة NewSubscriptionDesc=هذا النموذج يسمح لك لتسجيل الاشتراك الخاص بك كعضو جديد من الأساس. إذا كنت ترغب في تجديد الاشتراك (إذا كان بالفعل عضوا)، يرجى الاتصال مؤسسة المجلس بدلا من %s البريد الإلكتروني. Subscription=إسهام -AnyAmountWithAdvisedAmount=Any amount of your choice, recommended %s -AnyAmountWithoutAdvisedAmount=Any amount of your choice -CanEditAmountShort=Any amount -CanEditAmountShortForValues=recommended, any amount +AnyAmountWithAdvisedAmount=يوصى بأي مبلغ من اختيارك %s +AnyAmountWithoutAdvisedAmount=أي كمية من اختيارك +CanEditAmountShort=أي كمية +CanEditAmountShortForValues=الموصى بها، أي مبلغ MembershipDuration=مدة -GetMembershipButtonLabel=Join +GetMembershipButtonLabel=ينضم Subscriptions=مساهمات SubscriptionLate=متأخر SubscriptionNotReceived=المساهمة لم يتم استلامها @@ -95,7 +95,7 @@ NoTypeDefinedGoToSetup=لا يجوز لأي عضو في أنواع محددة. NewMemberType=عضو جديد من نوع WelcomeEMail=ترحيب البريد الإلكتروني SubscriptionRequired=المساهمة المطلوبة -SubscriptionRequiredDesc=If subscription is required, a subscription with a start or end date must be recorded to have the member up to date (whatever is subscription amount, even if subscription is free). +SubscriptionRequiredDesc=إذا كان الاشتراك مطلوبًا، فيجب تسجيل الاشتراك مع تاريخ البدء أو الانتهاء للحصول على عضو محدث (أي مبلغ الاشتراك، حتى لو كان الاشتراك مجانيًا). DeleteType=حذف VoteAllowed=يسمح التصويت Physical=الفرد @@ -128,7 +128,7 @@ String=سلسلة Text=النص Int=Int DateAndTime=التاريخ والوقت -PublicMemberCard=عضو بطاقة العامة +PublicMemberCard=بطاقة عضو العامة SubscriptionNotRecorded=المساهمة غير مسجلة AddSubscription=إنشاء مساهمة ShowSubscription=عرض المساهمة @@ -138,7 +138,7 @@ SendingEmailOnAutoSubscription=إرسال بريد إلكتروني عند ال SendingEmailOnMemberValidation=إرسال بريد إلكتروني عند التحقق من العضو الجديد SendingEmailOnNewSubscription=إرسال بريد إلكتروني على مساهمة جديدة SendingReminderForExpiredSubscription=إرسال تذكير للمساهمات منتهية الصلاحية -SendingEmailOnCancelation=إرسال بريد إلكتروني عند الإلغاء +SendingEmailOnCancelation=إرسال البريد الإلكتروني عند الإلغاء SendingReminderActionComm=إرسال تذكير لحدث جدول الأعمال # Topic of email templates YourMembershipRequestWasReceived=تم استلام عضويتك. @@ -150,7 +150,7 @@ CardContent=مضمون البطاقة الخاصة بك عضوا # Text of email templates ThisIsContentOfYourMembershipRequestWasReceived=نريد إخبارك بأنه قد تم استلام طلب العضوية الخاص بك.

      ThisIsContentOfYourMembershipWasValidated=نود إعلامك بأنه تم التحقق من عضويتك بالمعلومات التالية:

      -ThisIsContentOfYourSubscriptionWasRecorded=We want to let you know that your new subscription was recorded. Please find your invoice here enclosed.

      +ThisIsContentOfYourSubscriptionWasRecorded=نريد أن نعلمك أنه تم تسجيل الاشتراك الجديد. يرجى العثور على فاتورة هنا مرفقًا.

      ThisIsContentOfSubscriptionReminderEmail=نريد إخبارك بأن اشتراكك على وشك الانتهاء أو انتهى بالفعل (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). نأمل أن تقوم بتجديده.

      ThisIsContentOfYourCard=هذا ملخص للمعلومات التي لدينا عنك. يرجى الاتصال بنا إذا كان أي شيء غير صحيح.

      DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=موضوع إشعار البريد الإلكتروني المستلم في حالة التسجيل التلقائي للضيف @@ -159,10 +159,10 @@ DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=قالب بريد إلكتروني لا DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=قالب بريد إلكتروني لاستخدامه لإرسال بريد إلكتروني إلى عضو عند التحقق من صحة العضو DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=نموذج بريد إلكتروني لاستخدامه لإرسال بريد إلكتروني إلى عضو في تسجيل مساهمة جديدة DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=نموذج بريد إلكتروني لاستخدامه لإرسال تذكير بالبريد الإلكتروني عندما توشك المساهمة على الانتهاء -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=قالب بريد إلكتروني لاستخدامه لإرسال بريد إلكتروني إلى عضو عند إلغاء العضو +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=نموذج البريد الإلكتروني الذي سيتم استخدامه لإرسال بريد إلكتروني إلى عضو عند إلغاء عضو DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=قالب بريد إلكتروني لاستخدامه لإرسال بريد إلكتروني إلى عضو عند استبعاد الأعضاء DescADHERENT_MAIL_FROM=البريد الإلكتروني المرسل لرسائل البريد الإلكتروني التلقائية -DescADHERENT_CC_MAIL_FROM=Send automatic email copy to +DescADHERENT_CC_MAIL_FROM=أرسل نسخة بريد إلكتروني تلقائية إلى DescADHERENT_ETIQUETTE_TYPE=علامات الشكل DescADHERENT_ETIQUETTE_TEXT=النص المطبوع على أوراق عنوان الأعضاء DescADHERENT_CARD_TYPE=شكل بطاقات صفحة @@ -175,7 +175,7 @@ HTPasswordExport=الملف htpassword جيل NoThirdPartyAssociatedToMember=لا يوجد طرف ثالث مرتبط بهذا العضو MembersAndSubscriptions=الأعضاء والمساهمات MoreActions=تكميلية العمل على تسجيل -MoreActionsOnSubscription=يُقترح إجراء تكميلي بشكل افتراضي عند تسجيل مساهمة ، ويتم إجراؤه تلقائيًا عند الدفع عبر الإنترنت للمساهمة +MoreActionsOnSubscription=الإجراء التكميلي المقترح افتراضيًا عند تسجيل المساهمة، ويتم أيضًا تلقائيًا عند دفع المساهمة عبر الإنترنت MoreActionBankDirect=إنشاء قيد مباشر في الحساب المصرفي MoreActionBankViaInvoice=قم بإنشاء فاتورة ودفع على حساب بنكي MoreActionInvoiceOnly=إنشاء فاتورة مع دفع أي مبلغ @@ -206,19 +206,20 @@ LastMemberDate=آخر تاريخ للعضوية LatestSubscriptionDate=تاريخ آخر مساهمة MemberNature=طبيعة العضو MembersNature=طبيعة الأعضاء -Public=%s can publish my membership in the public register +Public=يمكن %s نشر عضويتي في السجل العام +MembershipPublic=عضوية عامة NewMemberbyWeb=وأضاف عضو جديد. تنتظر الموافقة NewMemberForm=الأعضاء الجدد في شكل SubscriptionsStatistics=إحصاءات المساهمات NbOfSubscriptions=عدد المساهمات AmountOfSubscriptions=المبلغ المحصل من المساهمات TurnoverOrBudget=دوران (لشركة) أو الميزانية (على أساس) -DefaultAmount=Default amount of contribution (used only if no amount is defined at member type level) -MinimumAmount=Minimum amount (used only when contribution amount is free) -CanEditAmount=Subscription amount can be defined by the member -CanEditAmountDetail=Visitor can choose/edit amount of its contribution regardless of the member type -AmountIsLowerToMinimumNotice=sur un dû total de %s -MEMBER_NEWFORM_PAYONLINE=After the online registration, switch automatically on the online payment page +DefaultAmount=المبلغ الافتراضي للمساهمة (يُستخدم فقط إذا لم يتم تحديد أي مبلغ على مستوى النوع عضو) +MinimumAmount=الحد الأدنى للمبلغ (يستخدم فقط عندما يكون مبلغ المساهمة مجانيًا) +CanEditAmount=يمكن تحديد مبلغ الاشتراك بواسطة عضو +CanEditAmountDetail=يمكن للزائر اختيار/تعديل مبلغ مساهمته بغض النظر عن نوع عضو +AmountIsLowerToMinimumNotice=المبلغ أقل من الحد الأدنى %s +MEMBER_NEWFORM_PAYONLINE=بعد التسجيل عبر الإنترنت، انتقل تلقائيًا إلى صفحة الدفع عبر الإنترنت ByProperties=بالطبيعة MembersStatisticsByProperties=إحصائيات الأعضاء حسب الطبيعة VATToUseForSubscriptions=معدل ضريبة القيمة المضافة لاستخدامه في المساهمات @@ -229,15 +230,17 @@ SubscriptionRecorded=تم تسجيل المساهمة NoEmailSentToMember=لم يتم إرسال بريد إلكتروني للعضو EmailSentToMember=تم إرسال البريد الإلكتروني إلى العضو على %s SendReminderForExpiredSubscriptionTitle=إرسال تذكير عبر البريد الإلكتروني للمساهمات منتهية الصلاحية -SendReminderForExpiredSubscription=أرسل تذكيرًا عبر البريد الإلكتروني إلى الأعضاء عندما توشك المساهمة على الانتهاء (المعلمة هي عدد الأيام قبل نهاية العضوية لإرسال التذكير. يمكن أن تكون قائمة بالأيام مفصولة بفاصلة منقوطة ، على سبيل المثال '10 ؛ 5 ؛ 0 ؛ -5 ") +SendReminderForExpiredSubscription=أرسل تذكيرًا عبر البريد الإلكتروني إلى أعضاء عندما تكون المساهمة على وشك الانتهاء (المعلمة هي عدد الأيام قبل نهاية العضوية لإرسال التذكير. ويمكن أن تكون قائمة أيام مفصولة بفاصلة منقوطة ، على سبيل المثال '10;5;0;-5') MembershipPaid=العضوية مدفوعة للفترة الحالية (حتى %s) YouMayFindYourInvoiceInThisEmail=قد تجد فاتورتك مرفقة بهذا البريد الإلكتروني XMembersClosed=%s من الأعضاء مغلقين XExternalUserCreated=تم إنشاء مستخدم (مستخدمين) خارجيين %s ForceMemberNature=طبيعة عضو القوة (فرد أو شركة) CreateDolibarrLoginDesc=يسمح إنشاء تسجيل دخول مستخدم للأعضاء بالاتصال بالتطبيق. اعتمادًا على التراخيص الممنوحة ، سيكونون قادرين ، على سبيل المثال ، على الرجوع إلى ملفهم أو تعديله بأنفسهم. -CreateDolibarrThirdPartyDesc=الطرف الثالث هو الكيان القانوني الذي سيتم استخدامه في الفاتورة إذا قررت إنشاء فاتورة لكل مساهمة. ستتمكن من إنشائه لاحقًا أثناء عملية تسجيل المساهمة. +CreateDolibarrThirdPartyDesc=الطرف الثالث هو الكيان القانوني الذي سيتم استخدامه في فاتورة إذا قررت إنشاء فاتورة لكل مساهمة. ستتمكن من إنشائه لاحقًا أثناء عملية تسجيل المساهمة. MemberFirstname=الاسم الأول للعضو MemberLastname=اسم العائلة للعضو -MemberCodeDesc=Member Code, unique for all members -NoRecordedMembers=No recorded members +MemberCodeDesc=عضو كود فريد لجميع أعضاء +NoRecordedMembers=لم يتم تسجيل أعضاء +MemberSubscriptionStartFirstDayOf=تاريخ بدء العضوية يتوافق مع اليوم الأول من أ +MemberSubscriptionStartAfter=الحد الأدنى للفترة قبل دخول تاريخ البدء حيز التنفيذ الاشتراك باستثناء التجديدات (على سبيل المثال +3 شهر = +3 أشهر، -5 يوم = -5 أيام، +1Y = +1 عام ) diff --git a/htdocs/langs/ar_SA/modulebuilder.lang b/htdocs/langs/ar_SA/modulebuilder.lang index 47aa96bfca0..0a614d6d398 100644 --- a/htdocs/langs/ar_SA/modulebuilder.lang +++ b/htdocs/langs/ar_SA/modulebuilder.lang @@ -1,16 +1,16 @@ # Dolibarr language file - Source file is en_US - loan -IdModule= Module id +IdModule= معرف نموذج ModuleBuilderDesc=يجب استخدام هذه الأداة فقط من قبل المستخدمين أو المطورين ذوي الخبرة. يوفر أدوات مساعدة لبناء أو تعديل الوحدة الخاصة بك. وثائق التطوير اليدوي البديل هنا . EnterNameOfModuleDesc=أدخل اسم الوحدة / التطبيق لإنشائه بدون مسافات. استخدم الأحرف الكبيرة لفصل الكلمات (على سبيل المثال: MyModule ، EcommerceForShop ، SyncWithMySystem ...) -EnterNameOfObjectDesc=Enter the name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, the pages to list/add/edit/delete the object and the SQL files will be generated. +EnterNameOfObjectDesc=أدخل اسم الكائن المراد إنشاؤه بدون مسافات. استخدم الأحرف الكبيرة للفصل بين الكلمات (على سبيل المثال: MyObject، Student، Teacher...). ملف فئة CRUD، الصفحات المراد إدراجها/إضافة/تحرير/حذف الكائن و سيتم إنشاء ملفات SQL. EnterNameOfDictionaryDesc=أدخل اسم القاموس لإنشائه بدون مسافات. استخدم الأحرف الكبيرة لفصل الكلمات (على سبيل المثال: MyDico ...). سيتم إنشاء ملف الفصل ، وكذلك ملف SQL. ModuleBuilderDesc2=المسار الذي يتم فيه إنشاء / تحرير الوحدات (الدليل الأول للوحدات الخارجية المحددة في %s): %s ModuleBuilderDesc3=تم العثور على الوحدات النمطية / القابلة للتحرير: %s -ModuleBuilderDesc4=A module is detected as a 'module for Module Builer' when the file %s exists in the root of the module directory +ModuleBuilderDesc4=تم اكتشاف نموذج باعتباره 'نموذج لـ نموذج مُنشئ' عندما الملف %s موجود في جذر نموذج NewModule=وحدة جديدة NewObjectInModulebuilder=كائن جديد NewDictionary=قاموس جديد -ModuleName=Module name +ModuleName=اسم نموذج ModuleKey=مفتاح الوحدة ObjectKey=مفتاح الكائن DicKey=مفتاح القاموس @@ -28,6 +28,7 @@ ModuleBuilderDescwidgets=علامة التبويب هذه مخصصة لبناء\ ModuleBuilderDescbuildpackage=يمكنك هنا إنشاء ملف حزمة "جاهز للتوزيع" (ملف مضغوط. مضغوط) للوحدة النمطية الخاصة بك وملف توثيق "جاهز للتوزيع". ما عليك سوى النقر فوق الزر لإنشاء الحزمة أو ملف التوثيق. EnterNameOfModuleToDeleteDesc=يمكنك حذف الوحدة الخاصة بك. تحذير: سيتم حذف جميع ملفات الترميز الخاصة بالوحدة النمطية (التي تم إنشاؤها أو إنشاؤها يدويًا) والبيانات المنظمة والوثائق! EnterNameOfObjectToDeleteDesc=يمكنك حذف كائن. تحذير: سيتم حذف جميع ملفات الترميز (التي تم إنشاؤها أو إنشاؤها يدويًا) المتعلقة بالكائن! +EnterNameOfObjectToDeleteDesc=يمكنك حذف كائن. تحذير: سيتم حذف جميع ملفات الترميز (التي تم إنشاؤها أو إنشاؤها يدويًا) المتعلقة بالكائن! DangerZone=منطقة الخطر BuildPackage=بناء الحزمة BuildPackageDesc=يمكنك إنشاء حزمة مضغوطة لتطبيقك حتى تكون جاهزًا لتوزيعها على أي Dolibarr. يمكنك أيضًا توزيعه أو بيعه في السوق مثل DoliStore.com . @@ -39,7 +40,7 @@ EditorName=اسم المحرر EditorUrl=عنوان URL للمحرر DescriptorFile=ملف واصف الوحدة ClassFile=ملف لفئة PHP DAO CRUD -ApiClassFile=ملف لفئة PHP API +ApiClassFile=ملف API الخاص بـ نموذج PageForList=صفحة PHP لقائمة التسجيلات PageForCreateEditView=صفحة PHP لإنشاء / تحرير / عرض سجل PageForAgendaTab=صفحة PHP لعلامة تبويب الحدث @@ -50,14 +51,14 @@ PathToModulePackage=المسار إلى الرمز البريدي لحزمة ا PathToModuleDocumentation=المسار إلى ملف وثائق الوحدة / التطبيق (%s) SpaceOrSpecialCharAreNotAllowed=غير مسموح بالمسافات أو الأحرف الخاصة. FileNotYetGenerated=لم يتم إنشاء الملف بعد -GenerateCode=Generate code +GenerateCode=إنشاء التعليمات البرمجية RegenerateClassAndSql=فرض تحديث ملفات .class و. sql RegenerateMissingFiles=توليد الملفات المفقودة SpecificationFile=ملف التوثيق LanguageFile=ملف للغة ObjectProperties=خصائص الموضوع -Property=Propery -PropertyDesc=A property is an attribute that characterizes an object. This attribute has a code, a label and a type with several options. +Property=ملكية +PropertyDesc=الخاصية هي السمة التي تميز الكائن. تحتوي هذه السمة على رمز، وهو تسمية و وهو نوع به عدة خيارات. ConfirmDeleteProperty=هل تريد بالتأكيد حذف الخاصية %s ؟ سيؤدي هذا إلى تغيير التعليمات البرمجية في فئة PHP ولكن أيضًا إزالة العمود من تعريف الجدول للكائن. NotNull=غير فارغة NotNullDesc=1 = تعيين قاعدة البيانات إلى NOT NULL ، 0 = السماح بالقيم الخالية ، -1 = السماح بالقيم الفارغة عن طريق فرض القيمة على NULL إذا كانت فارغة ('' أو 0) @@ -86,16 +87,16 @@ IsAMeasure=هو مقياس DirScanned=تم مسح الدليل NoTrigger=لا يوجد مشغل NoWidget=لا يوجد بريمج -ApiExplorer=API explorer +ApiExplorer=مستكشف واجهة برمجة التطبيقات ListOfMenusEntries=قائمة إدخالات القائمة ListOfDictionariesEntries=قائمة إدخالات القواميس ListOfPermissionsDefined=قائمة الأذونات المحددة SeeExamples=انظر الأمثلة هنا -EnabledDesc=Condition to have this field active.

      Examples:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update).

      Using a negative value means field is not shown by default on list but can be selected for viewing). -ItCanBeAnExpression=It can be an expression. Example:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
      For document :
      0 = not displayed
      1 = display
      2 = display only if not empty

      For document lines :
      0 = not displayed
      1 = displayed in a column
      3 = display in line description column after the description
      4 = display in description column after the description only if not empty -DisplayOnPdf=On PDF +EnabledDesc=شرط لتنشيط هذا الحقل.

      أمثلة:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=هل المجال مرئي؟ (أمثلة: 0=غير مرئي أبدًا، 1=مرئي في القائمة و نماذج الإنشاء/التحديث/العرض، 2=مرئي في القائمة فقط، 3=مرئي في نموذج الإنشاء/التحديث/العرض فقط (ليس في القوائم)، 4=مرئي في القوائم و نموذج التحديث/العرض فقط (وليس الإنشاء)، 5=مرئي في القائمة و عرض النموذج فقط (وليس الإنشاء، وليس التحديث).

      يعني استخدام قيمة سلبية أن الحقل لا يظهر بواسطة الافتراضي في القائمة ولكن يمكن تحديده للعرض). +ItCanBeAnExpression=يمكن أن يكون تعبيرا. مثال:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user ->hasRight('holiday', 'define_holiday')?1:5 +DisplayOnPdfDesc=اعرض هذا الحقل على مستندات PDF متوافقة، ويمكنك إدارة الموضع باستخدام حقل "الموضع".
      للمستند:
      0 = غير معروض
      1 = عرض
      2 = العرض فقط إذا لم يكن فارغًا

      بالنسبة لأسطر المستند :
      0 = غير معروض
      1 = معروض في عمود
      3 = معروض في عمود الوصف بعد الوصف
      4 = معروض في عمود الوصف بعد الوصف فقط إذا لم تكن فارغة +DisplayOnPdf=على قوات الدفاع الشعبي IsAMeasureDesc=هل يمكن تجميع قيمة الحقل للحصول على الإجمالي في القائمة؟ (أمثلة: 1 أو 0) SearchAllDesc=هل يستخدم الحقل لإجراء بحث من أداة البحث السريع؟ (أمثلة: 1 أو 0) SpecDefDesc=أدخل هنا جميع الوثائق التي تريد توفيرها مع الوحدة النمطية الخاصة بك والتي لم يتم تحديدها بالفعل بواسطة علامات تبويب أخرى. يمكنك استخدام .md أو أفضل منه ، الصيغة الغنية .asciidoc. @@ -106,7 +107,7 @@ PermissionsDefDesc=حدد هنا الأذونات الجديدة التي توف MenusDefDescTooltip=يتم تحديد القوائم التي توفرها الوحدة النمطية / التطبيق الخاص بك في المصفوفة $ this-> menus في ملف واصف الوحدة النمطية. يمكنك تحرير هذا الملف يدويًا أو استخدام المحرر المضمن.

      ملاحظة: بمجرد تحديدها (وإعادة تنشيط الوحدة النمطية) ، تظهر القوائم أيضًا في محرر القائمة المتاح لمستخدمي المسؤولين في %s. DictionariesDefDescTooltip=يتم تحديد القواميس التي توفرها الوحدة النمطية / التطبيق الخاص بك في المصفوفة $ this-> القواميس في ملف واصف الوحدة. يمكنك تحرير هذا الملف يدويًا أو استخدام المحرر المضمن.

      ملاحظة: بمجرد تحديدها (وإعادة تنشيط الوحدة النمطية) ، تظهر القواميس أيضًا في منطقة الإعداد لمستخدمي المسؤولين على %s. PermissionsDefDescTooltip=يتم تحديد الأذونات التي توفرها الوحدة النمطية / التطبيق الخاص بك في المصفوفة $ this-> rights في ملف واصف الوحدة النمطية. يمكنك تحرير هذا الملف يدويًا أو استخدام المحرر المضمن.

      ملاحظة: بمجرد تحديدها (وإعادة تنشيط الوحدة النمطية) ، تظهر الأذونات في إعداد الأذونات الافتراضية %s. -HooksDefDesc=حدد في module_parts ['hooks'] الخاصية ، في واصف الوحدة النمطية ، سياق الخطافات التي تريد إدارتها (يمكن العثور على قائمة السياقات من خلال البحث في " initHooks (a09a4fc039. ملف الخطاف لإضافة رمز وظائف hooked (يمكن العثور على الوظائف القابلة للتوصيل من خلال البحث على ' executeHooks ' في الكود الأساسي). +HooksDefDesc=حدد في الخاصية module_parts['hooks']، في نموذج ملف واصف، قائمة السياقات التي يجب فيها تنفيذ الخطاف الخاص بك (يمكن العثور على قائمة السياقات المحتملة من خلال البحث في 'initHooks(' في الكود الأساسي).
      ثم قم بتحرير الملف باستخدام رمز الخطافات مع رمز الوظائف المرتبطة (يمكن العثور على قائمة الوظائف القابلة للربط من خلال بحث عن 'executeHooks' في الكود الأساسي). TriggerDefDesc=حدد في ملف المشغل الكود الذي تريد تنفيذه عند تنفيذ حدث عمل خارج الوحدة النمطية الخاصة بك (الأحداث التي يتم تشغيلها بواسطة وحدات نمطية أخرى). SeeIDsInUse=انظر المعرفات المستخدمة في التثبيت الخاص بك SeeReservedIDsRangeHere=انظر مجموعة من المعرفات المحجوزة @@ -127,7 +128,7 @@ RealPathOfModule=المسار الحقيقي للوحدة ContentCantBeEmpty=لا يمكن أن يكون محتوى الملف فارغًا WidgetDesc=هنا يمكنك توليد وتعديل البريمجات التي ستضمن مع وحدتك البرمجية CSSDesc=يمكنك إنشاء ملف وتحريره هنا باستخدام CSS مخصص مضمّن في الوحدة النمطية الخاصة بك. -JSDesc=يمكنك إنشاء ملف وتحريره هنا باستخدام Javascript مخصص مضمّن في الوحدة النمطية الخاصة بك. +JSDesc=يمكنك إنشاء و هنا وتحرير ملف باستخدام JavaScript مخصص مضمن في نموذج. CLIDesc=يمكنك هنا إنشاء بعض البرامج النصية لسطر الأوامر التي تريد تزويدها بالوحدة النمطية الخاصة بك. CLIFile=ملف CLI NoCLIFile=لا توجد ملفات CLI @@ -136,44 +137,49 @@ UseSpecificEditorURL = استخدم URL محرر محدد UseSpecificFamily = استخدم عائلة معينة UseSpecificAuthor = استخدم مؤلفًا محددًا UseSpecificVersion = استخدم نسخة أولية محددة -IncludeRefGeneration=The reference of this object must be generated automatically by custom numbering rules +IncludeRefGeneration=يجب إنشاء مرجع هذا الكائن تلقائيًا بواسطة قواعد الترقيم المخصصة IncludeRefGenerationHelp=حدد هذا إذا كنت تريد تضمين رمز لإدارة إنشاء المرجع تلقائيًا باستخدام قواعد الترقيم المخصصة -IncludeDocGeneration=I want the feature to generate some documents (PDF, ODT) from templates for this object +IncludeDocGeneration=أريد أن تقوم الميزة بإنشاء بعض المستندات (PDF، ODT) من قوالب لهذا الكائن IncludeDocGenerationHelp=إذا حددت هذا ، فسيتم إنشاء بعض التعليمات البرمجية لإضافة مربع "إنشاء مستند" في السجل. -ShowOnCombobox=Show value into combo boxes +ShowOnCombobox=إظهار القيمة في مربعات التحرير والسرد KeyForTooltip=مفتاح تلميح الأداة CSSClass=CSS لتحرير / إنشاء النموذج CSSViewClass=CSS لقراءة النموذج CSSListClass=CSS للحصول على قائمة NotEditable=غير قابل للتحرير ForeignKey=مفتاح غريب -ForeignKeyDesc=If the value of this field must be guaranted to exists into another table. Enter here a value matching syntax: tablename.parentfieldtocheck -TypeOfFieldsHelp=Example:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1' means we add a + button after the combo to create the record
      'filter' is a sql condition, example: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' -TypeOfFieldsHelpIntro=This is the type of the field/attribute. +ForeignKeyDesc=إذا كان يجب ضمان وجود قيمة هذا الحقل في جدول آخر. أدخل هنا صيغة مطابقة القيمة: tablename.parentfieldtocheck +TypeOfFieldsHelp=مثال:
      varchar(99)
      البريد الإلكتروني
      الهاتف
      ip
      url
      كلمة المرور
      مزدوج(24,8)
      حقيقي
      نص
      html
      التاريخ
      التاريخ والوقت
      الطابع الزمني
      عدد صحيح
      عدد صحيح:ClassName:relativepath/to/classfile.class.php[:1[:filter]]

      '1' يعني أننا نضيف زر + بعد التحرير والسرد لإنشاء السجل
      'filter' هو شرط بناء جملة المرشح العام، مثال: '((حالة:=:1) و (fk_user:=:__USER_ID__) و (الكيان:IN:(__SHARED_ENTITIES__))' +TypeOfFieldsHelpIntro=هذا هو نوع الحقل/السمة. AsciiToHtmlConverter=Ascii لتحويل HTML AsciiToPdfConverter=Ascii لتحويل PDF TableNotEmptyDropCanceled=الجدول ليس فارغًا. تم إلغاء الإسقاط. ModuleBuilderNotAllowed=منشئ الوحدات متاح ولكن غير مسموح به للمستخدم الخاص بك. ImportExportProfiles=ملفات تعريف الاستيراد والتصدير -ValidateModBuilderDesc=Set this to 1 if you want to have the method $this->validateField() of object being called to validate the content of the field during insert or update. Set 0 if there is no validation required. +ValidateModBuilderDesc=اضبط هذا على 1 إذا كنت تريد أن يكون لديك الطريقة $this->validateField() للكائن الذي يتم استدعاؤه للتحقق من صحة محتوى الحقل أثناء الإدراج أو التحديث. قم بتعيين 0 إذا لم يكن هناك حاجة إلى التحقق من الصحة. WarningDatabaseIsNotUpdated=تحذير: لا يتم تحديث قاعدة البيانات تلقائيًا ، يجب تدمير الجداول وتعطيل الوحدة النمطية لإعادة إنشاء الجداول LinkToParentMenu=قائمة الوالدين (fk_xxxxmenu) ListOfTabsEntries=قائمة إدخالات علامة التبويب TabsDefDesc=حدد هنا علامات التبويب التي توفرها الوحدة الخاصة بك TabsDefDescTooltip=يتم تحديد علامات التبويب التي توفرها الوحدة النمطية / التطبيق الخاص بك في المصفوفة $ this-> علامات التبويب في ملف واصف الوحدة النمطية. يمكنك تحرير هذا الملف يدويًا أو استخدام المحرر المضمن. BadValueForType=قيمة غير صالحة للنوع %s -DefinePropertiesFromExistingTable=Define properties from an existing table -DefinePropertiesFromExistingTableDesc=If a table in the database (for the object to create) already exists, you can use it to define the properties of the object. -DefinePropertiesFromExistingTableDesc2=Keep empty if the table does not exist yet. The code generator will use different kinds of fields to build an example of table that you can edit later. -GeneratePermissions=I want to add the rights for this object -GeneratePermissionsHelp=generate default rights for this object -PermissionDeletedSuccesfuly=Permission has been successfully removed -PermissionUpdatedSuccesfuly=Permission has been successfully updated -PermissionAddedSuccesfuly=Permission has been successfully added -MenuDeletedSuccessfuly=Menu has been successfully deleted -MenuAddedSuccessfuly=Menu has been successfully added -MenuUpdatedSuccessfuly=Menu has been successfully updated -ApiObjectDeleted=API for object %s has been successfully deleted +DefinePropertiesFromExistingTable=تحديد الحقول/الخصائص من جدول موجود +DefinePropertiesFromExistingTableDesc=إذا كان هناك جدول في قاعدة البيانات (للكائن المراد إنشاؤه) موجود بالفعل، فيمكنك استخدامه لتحديد خصائص الكائن. +DefinePropertiesFromExistingTableDesc2=اتركه فارغًا إذا لم يكن الجدول موجودًا بعد. سيستخدم منشئ الكود أنواعًا مختلفة من الحقول لإنشاء مثال للجدول الذي يمكنك تعديله لاحقًا. +GeneratePermissions=أريد إدارة الأذونات على هذا الكائن +GeneratePermissionsHelp=إذا حددت هذا، فستتم إضافة بعض التعليمات البرمجية لإدارة أذونات القراءة والكتابة و وحذف سجل الكائنات +PermissionDeletedSuccesfuly=تمت إزالة الإذن بنجاح +PermissionUpdatedSuccesfuly=تم تحديث الإذن بنجاح +PermissionAddedSuccesfuly=تمت إضافة الإذن بنجاح +MenuDeletedSuccessfuly=تم حذف القائمة بنجاح +MenuAddedSuccessfuly=تمت إضافة القائمة بنجاح +MenuUpdatedSuccessfuly=تم تحديث القائمة بنجاح +ApiObjectDeleted=تم حذف واجهة برمجة التطبيقات للكائن %s بنجاح CRUDRead=قراءة -CRUDCreateWrite=Create or Update -FailedToAddCodeIntoDescriptor=Failed to add code into descriptor. Check that the string comment "%s" is still present into the file. +CRUDCreateWrite=إنشاء أو تحديث +FailedToAddCodeIntoDescriptor=فشل في إضافة التعليمات البرمجية إلى الواصف. تأكد من أن تعليق السلسلة "%s" لا يزال موجودًا في الملف. +DictionariesCreated=تم إنشاء القاموس %s بنجاح +DictionaryDeleted=تمت إزالة القاموس %s بنجاح +PropertyModuleUpdated=تم تحديث الخاصية %s بنجاح +InfoForApiFile=* عند إنشاء ملف لأول مرة، سيتم إنشاء جميع الطرق لكل كائن.
      * عند النقر فوق إزالة فإنك تقوم فقط بإزالة كافة الأساليب الخاصة بـ الكائن المحدد. +SetupFile=صفحة لإعداد نموذج diff --git a/htdocs/langs/ar_SA/mrp.lang b/htdocs/langs/ar_SA/mrp.lang index 575178c74e2..f6f457caef7 100644 --- a/htdocs/langs/ar_SA/mrp.lang +++ b/htdocs/langs/ar_SA/mrp.lang @@ -11,7 +11,7 @@ Bom=فواتير المواد BillOfMaterials=فاتورة المواد BillOfMaterialsLines=خطوط فاتورة المواد BOMsSetup=إعداد وحدة BOM -ListOfBOMs=Bills of material - BOM +ListOfBOMs=فواتير المواد - BOM ListOfManufacturingOrders=أوامر التصنيع NewBOM=فاتورة مواد جديدة ProductBOMHelp=المنتج المراد إنشاؤه (أو تفكيكه) باستخدام قائمة مكونات الصنف.
      ملاحظة: المنتجات ذات الخاصية "طبيعة المنتج" = "المواد الخام" غير مرئية في هذه القائمة. @@ -27,13 +27,18 @@ ConfirmCloneBillOfMaterials=هل أنت متأكد أنك تريد استنسا ConfirmCloneMo=هل أنت متأكد من أنك تريد استنساخ أمر التصنيع %s؟ ManufacturingEfficiency=كفاءة التصنيع ConsumptionEfficiency=كفاءة الاستهلاك -Consumption=Consumption +Consumption=استهلاك ValueOfMeansLoss=تعني القيمة 0.95 متوسط خسارة 5%% أثناء التصنيع أو التفكيك ValueOfMeansLossForProductProduced=قيمة 0.95 تعني متوسط 5%% لفقدان المنتج المنتج DeleteBillOfMaterials=حذف قائمة المواد +CancelMo=إلغاء التصنيع طلب +MoCancelConsumedAndProducedLines=قم أيضًا بإلغاء جميع الأسطر المنتجة و المستهلكة (احذف الأسطر و مخزون التراجع) +ConfirmCancelMo=هل أنت متأكد من رغبتك في إلغاء هذا التصنيع طلب؟ DeleteMo=حذف أمر التصنيع ConfirmDeleteBillOfMaterials=هل أنت متأكد أنك تريد حذف قائمة المواد هذه؟ ConfirmDeleteMo=هل أنت متأكد أنك تريد حذف أمر التصنيع هذا؟ +DeleteMoChild = احذف عناصر MO التابعة المرتبطة بهذا MO %s +MoChildsDeleted = تم حذف كافة MOs التابعة MenuMRP=أوامر التصنيع NewMO=أمر تصنيع جديد QtyToProduce=الكمية للإنتاج @@ -60,7 +65,7 @@ ToProduce=لانتاج ToObtain=ليحصل QtyAlreadyConsumed=الكمية المستهلكة بالفعل QtyAlreadyProduced=الكمية المنتجة بالفعل -QtyRequiredIfNoLoss=Qty required to produce the quantity defined into the BOM if there is no loss (if the manufacturing efficiency is 100%%) +QtyRequiredIfNoLoss=الكمية المطلوبة لإنتاج الكمية المحددة في قائمة مكونات الصنف إذا لم تكن هناك خسارة (إذا كانت كفاءة التصنيع 100%%) ConsumeOrProduce=تستهلك أو تنتج ConsumeAndProduceAll=تستهلك وأنتج كل شيء Manufactured=مصنعة @@ -83,7 +88,7 @@ ProductsToProduce=المنتجات المطلوب إنتاجها UnitCost=تكلفة الوحدة TotalCost=التكلفة الإجمالية BOMTotalCost=تكلفة إنتاج قائمة مكونات الصنف هذه استنادًا إلى تكلفة كل كمية ومنتج يتم استهلاكه (استخدم سعر التكلفة إذا تم تحديده ، وإلا فإن متوسط السعر المرجح إذا تم تحديده ، وإلا فإن أفضل سعر شراء) -BOMTotalCostService=If the "Workstation" module is activated and a workstation is defined by default on the line, then the calculation is "quantity (converted into hours) x workstation ahr", otherwise "quantity x cost price of the service" +BOMTotalCostService=إذا تم تنشيط "محطة العمل" نموذج و، فسيتم تعريف محطة العمل بشكل افتراضي على السطر، ثم يكون الحساب "الكمية ( تحويلها إلى ساعات) x محطة العمل ahr"، وإلا "الكمية x سعر تكلفة الخدمة" GoOnTabProductionToProduceFirst=يجب أن تكون قد بدأت الإنتاج أولاً لإغلاق أمر التصنيع (انظر علامة التبويب "%s"). لكن يمكنك إلغاء ذلك. ErrorAVirtualProductCantBeUsedIntoABomOrMo=لا يمكن استخدام مجموعة في BOM أو MO Workstation=محطة العمل @@ -102,7 +107,7 @@ NbOperatorsRequired=عدد المشغلين المطلوب THMOperatorEstimated=المشغل المقدر THM THMMachineEstimated=آلة تقدير THM WorkstationType=نوع محطة العمل -DefaultWorkstation=Default workstation +DefaultWorkstation=محطة العمل الافتراضية Human=بشر Machine=آلة HumanMachine=الإنسان / الآلة @@ -115,10 +120,18 @@ MOAndLines=أوامر التصنيع والخطوط MoChildGenerate=توليد الطفل Mo ParentMo=أحد الوالدين MO MOChild=طفل مو -BomCantAddChildBom=The nomenclature %s is already present in the tree leading to the nomenclature %s -BOMNetNeeds = BOM Net Needs -BOMProductsList=BOM's products -BOMServicesList=BOM's services -Manufacturing=Manufacturing -Disassemble=Disassemble -ProducedBy=Produced by +BomCantAddChildBom=التسمية %s موجودة بالفعل في الشجرة المؤدية إلى التسمية %s +BOMNetNeeds = BOM صافي الاحتياجات +BOMProductsList=منتجات BOM +BOMServicesList=خدمات BOM +Manufacturing=تصنيع +Disassemble=تفكيك +ProducedBy=من إنتاج +QtyTot=إجمالي الكمية + +QtyCantBeSplit= لا يمكن تقسيم الكمية +NoRemainQtyToDispatch=لا توجد كمية متبقية للتقسيم + +THMOperatorEstimatedHelp=التكلفة المقدرة للمشغل في الساعة. سيتم استخدامه لتقدير تكلفة قائمة مكونات الصنف (BOM) باستخدام محطة العمل هذه. +THMMachineEstimatedHelp=التكلفة التقديرية للآلة في الساعة. سيتم استخدامه لتقدير تكلفة قائمة مكونات الصنف (BOM) باستخدام محطة العمل هذه. + diff --git a/htdocs/langs/ar_SA/multicurrency.lang b/htdocs/langs/ar_SA/multicurrency.lang index c5d2eb19b62..d22353cf844 100644 --- a/htdocs/langs/ar_SA/multicurrency.lang +++ b/htdocs/langs/ar_SA/multicurrency.lang @@ -36,3 +36,8 @@ Codemulticurrency=رمز العملة UpdateRate=تغيير المعدل CancelUpdate=إلغاء NoEmptyRate=يجب ألا يكون حقل السعر فارغًا +CurrencyCodeId=معرف العملة +CurrencyCode=رمز العملة +CurrencyUnitPrice=سعر الوحدة بالعملة الأجنبية +CurrencyPrice=السعر بالعملة الأجنبية +MutltiCurrencyAutoUpdateCurrencies=تحديث جميع أسعار العملات diff --git a/htdocs/langs/ar_SA/oauth.lang b/htdocs/langs/ar_SA/oauth.lang index c9e7124dfc9..91ee48df7a8 100644 --- a/htdocs/langs/ar_SA/oauth.lang +++ b/htdocs/langs/ar_SA/oauth.lang @@ -9,10 +9,11 @@ HasAccessToken=تم إنشاء رمز مميز وحفظها في قاعدة ال NewTokenStored=تم استلام الرمز وحفظه ToCheckDeleteTokenOnProvider=انقر هنا للتحقق / حذف التفويض المحفوظ بواسطة موفر %s OAuth TokenDeleted=حذف رمز -GetAccess=Click here to get a token +GetAccess=انقر هنا للحصول على رمز مميز RequestAccess=انقر هنا لطلب / تجديد الوصول والحصول على رمز جديد -DeleteAccess=Click here to delete the token -UseTheFollowingUrlAsRedirectURI=استخدم عنوان URL التالي باعتباره Redirect URI عند إنشاء بيانات الاعتماد الخاصة بك مع موفر OAuth الخاص بك: +DeleteAccess=انقر هنا لحذف الرمز المميز +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=أضف موفري رمز OAuth2 المميز. بعد ذلك ، انتقل إلى صفحة مشرف موفر OAuth لإنشاء / الحصول على معرّف وسر OAuth وحفظهما هنا. بمجرد الانتهاء من ذلك ، قم بتشغيل علامة التبويب الأخرى لإنشاء الرمز المميز الخاص بك. OAuthSetupForLogin=صفحة لإدارة (إنشاء / حذف) رموز OAuth المميزة SeePreviousTab=انظر علامة التبويب السابقة @@ -31,11 +32,11 @@ OAUTH_GITHUB_SECRET=OAuth GitHub Secret OAUTH_URL_FOR_CREDENTIAL=انتقل إلى هذه الصفحة لإنشاء أو الحصول على معرف OAuth والسري OAUTH_STRIPE_TEST_NAME=اختبار شريط OAuth OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live -OAUTH_ID=OAuth Client ID +OAUTH_ID=معرف عميل OAuth OAUTH_SECRET=سر OAuth -OAUTH_TENANT=OAuth tenant +OAUTH_TENANT=مستأجر OAuth OAuthProviderAdded=تمت إضافة موفر OAuth AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=إدخال OAuth لهذا الموفر وهذا التصنيف موجود بالفعل -URLOfServiceForAuthorization=URL provided by OAuth service for authentication -Scopes=Permissions (Scopes) -ScopeUndefined=Permissions (Scopes) undefined (see previous tab) +URLOfServiceForAuthorization=عنوان URL المقدم من خدمة OAuth للمصادقة +Scopes=الأذونات (النطاقات) +ScopeUndefined=الأذونات (النطاقات) غير محددة (راجع علامة التبويب السابقة) diff --git a/htdocs/langs/ar_SA/opensurvey.lang b/htdocs/langs/ar_SA/opensurvey.lang index 024d4ac0344..baf410ae1fb 100644 --- a/htdocs/langs/ar_SA/opensurvey.lang +++ b/htdocs/langs/ar_SA/opensurvey.lang @@ -11,7 +11,7 @@ PollTitle=عنوان الإستطلاع ToReceiveEMailForEachVote=تتلقى رسالة بريد إلكتروني لكل صوت TypeDate=تاريخ نوع TypeClassic=نوع القياسية -OpenSurveyStep2=حدد التواريخ من بين الأيام المجانية (باللون الرمادي). الأيام المختارة خضراء. يمكنك إلغاء تحديد اليوم المحدد مسبقًا بالنقر فوقه مرة أخرى +OpenSurveyStep2=اختر تواريخك من بين الأيام المجانية (باللون الرمادي). الأيام المحددة باللون الأخضر. يمكنك إلغاء تحديد اليوم الذي تم تحديده مسبقًا من خلال النقر عليه مرة أخرى RemoveAllDays=إزالة جميع أيام CopyHoursOfFirstDay=نسخة ساعات من اليوم الأول RemoveAllHours=إزالة كل ساعة @@ -61,3 +61,4 @@ SurveyExpiredInfo=تم إغلاق الاستطلاع أو انتهاء صلاح EmailSomeoneVoted=قد ملأت%s خط. يمكنك العثور على استطلاع الرأي الخاص بك على الرابط:٪ الصورة ShowSurvey=إظهار الاستطلاع UserMustBeSameThanUserUsedToVote=يجب أن تكون قد صوتت وتستخدم نفس اسم المستخدم الذي استخدمه الشخص للتصويت ، لنشر تعليق +ListOfOpenSurveys=قائمة الاستطلاعات المفتوحة diff --git a/htdocs/langs/ar_SA/orders.lang b/htdocs/langs/ar_SA/orders.lang index 8f01cab8254..f09dcd19fbd 100644 --- a/htdocs/langs/ar_SA/orders.lang +++ b/htdocs/langs/ar_SA/orders.lang @@ -19,7 +19,7 @@ MakeOrder=قم بالامر SupplierOrder=أمر شراء SuppliersOrders=اوامر الشراء SaleOrderLines=سطور أوامر المبيعات -PurchaseOrderLines=بنود امر الشراء +PurchaseOrderLines=شراء خطوط طلب SuppliersOrdersRunning=أوامر الشراء الحالية CustomerOrder=امر بيع CustomersOrders=اوامر البيع @@ -72,7 +72,7 @@ Approve2Order=أمر الموافقة (المستوى الثاني) UserApproval=مستخدم للموافقة عليه UserApproval2=مستخدم للموافقة (المستوى الثاني) ValidateOrder=اعتماد الامر -UnvalidateOrder=عدم اعتماد الامر +UnvalidateOrder=إبطال طلب DeleteOrder=حذف الامر CancelOrder=الغاء الامر OrderReopened= إعادة فتح الامر %s @@ -96,6 +96,10 @@ OrdersStatisticsSuppliers=إحصائيات اوامر الشراء NumberOfOrdersByMonth=عدد الأوامر فى الشهر AmountOfOrdersByMonthHT=مبلغ الاوامر حسب الشهر (بدون الضريبة) ListOfOrders=قائمة الأوامر +ListOrderLigne=خطوط الأوامر +productobuy=منتجات للشراء فقط +productonly=المنتجات فقط +disablelinefree=لا توجد خطوط مجانية CloseOrder=اغلاق الامر ConfirmCloseOrder=هل أنت متأكد أنك تريد تعيين هذا الطلب ليتم تسليمه؟ بمجرد تسليم الطلب ، يمكن ضبطه على الفاتورة. ConfirmDeleteOrder=هل أنت متأكد أنك تريد حذف هذا الطلب؟ @@ -131,6 +135,7 @@ SupplierOrderClassifiedBilled=امر الشراء %s فى وضع فوترة OtherOrders=أوامر أخرى SupplierOrderValidatedAndApproved=تم التحقق من صحة طلب المورد واعتماده: %s SupplierOrderValidated=تم التحقق من صحة طلب المورد: %s +OrderShowDetail=عرض تفاصيل طلب ##### Types de contacts ##### TypeContact_commande_internal_SALESREPFOLL=مندوب متابعة أوامر البيع TypeContact_commande_internal_SHIPPING=مندوب متابعة الشحن @@ -199,3 +204,5 @@ StatusSupplierOrderApproved=وافق StatusSupplierOrderRefused=رفض StatusSupplierOrderReceivedPartially=تم الاستلام جزئيًا StatusSupplierOrderReceivedAll=تم استلام جميع المنتجات +NeedAtLeastOneInvoice = يجب أن يكون هناك فاتورة واحد على الأقل. +LineAlreadyDispatched = تم استلام السطر طلب بالفعل. diff --git a/htdocs/langs/ar_SA/other.lang b/htdocs/langs/ar_SA/other.lang index 26633393aac..b220eb369fb 100644 --- a/htdocs/langs/ar_SA/other.lang +++ b/htdocs/langs/ar_SA/other.lang @@ -5,7 +5,7 @@ Tools=أدوات TMenuTools=أدوات ToolsDesc=جميع الأدوات غير المدرجة في إدخالات القائمة الأخرى مجمعة هنا.
      يمكن الوصول إلى جميع الأدوات عبر القائمة اليسرى. Birthday=عيد ميلاد -BirthdayAlert=Birthday alert +BirthdayAlert=تنبيه عيد ميلاد BirthdayAlertOn=عيد ميلاد النشطة في حالة تأهب BirthdayAlertOff=عيد الميلاد فى حالة تأهب الخاملة TransKey=ترجمة المفتاح TransKey @@ -31,7 +31,7 @@ PreviousYearOfInvoice=السنة السابقة لتاريخ الفاتورة NextYearOfInvoice=السنة التالية لتاريخ الفاتورة DateNextInvoiceBeforeGen=تاريخ الفاتورة التالية (قبل التوليد) DateNextInvoiceAfterGen=تاريخ الفاتورة التالية (بعد التوليد) -GraphInBarsAreLimitedToNMeasures=قطع العنب محدودة بمقاييس %s في وضع "أشرطة". تم تحديد الوضع "Lines" تلقائيًا بدلاً من ذلك. +GraphInBarsAreLimitedToNMeasures=تقتصر الرسومات على %s في وضع "الأشرطة". تم تحديد الوضع "الخطوط" تلقائيًا بدلاً من ذلك. OnlyOneFieldForXAxisIsPossible=حقل واحد فقط ممكن حاليًا كمحور س. تم تحديد الحقل الأول المحدد فقط. AtLeastOneMeasureIsRequired=مطلوب حقل واحد على الأقل للقياس AtLeastOneXAxisIsRequired=مطلوب حقل واحد على الأقل للمحور السيني @@ -41,10 +41,11 @@ notiftofixedemail=إلى البريد الثابت notiftouserandtofixedemail=للمستخدم والبريد الثابت Notify_ORDER_VALIDATE=تم التحقق من صحة أمر المبيعات Notify_ORDER_SENTBYMAIL=تم إرسال أمر المبيعات بالبريد -Notify_ORDER_CLOSE=Sales order delivered +Notify_ORDER_CLOSE=تم تسليم المبيعات طلب Notify_ORDER_SUPPLIER_SENTBYMAIL=تم إرسال طلب الشراء عن طريق البريد الإلكتروني Notify_ORDER_SUPPLIER_VALIDATE=تم تسجيل أمر الشراء Notify_ORDER_SUPPLIER_APPROVE=تمت الموافقة على أمر الشراء +Notify_ORDER_SUPPLIER_SUBMIT=تم إرسال عملية الشراء طلب Notify_ORDER_SUPPLIER_REFUSE=تم رفض أمر الشراء Notify_PROPAL_VALIDATE=التحقق من صحة اقتراح العملاء Notify_PROPAL_CLOSE_SIGNED=تم توقيع اقتراح العميل @@ -54,7 +55,7 @@ Notify_WITHDRAW_TRANSMIT=انتقال انسحاب Notify_WITHDRAW_CREDIT=انسحاب الائتمان Notify_WITHDRAW_EMIT=Isue انسحاب Notify_COMPANY_CREATE=طرف ثالث إنشاء -Notify_COMPANY_SENTBYMAIL=Mails sent from the page of third party +Notify_COMPANY_SENTBYMAIL=الرسائل المرسلة من صفحة الطرف الثالث Notify_BILL_VALIDATE=فاتورة مصادق Notify_BILL_UNVALIDATE=فاتورة العميل unvalidated Notify_BILL_PAYED=فاتورة العميل مدفوعة @@ -63,9 +64,10 @@ Notify_BILL_SENTBYMAIL=فاتورة الزبون إرسالها عن طريق ا Notify_BILL_SUPPLIER_VALIDATE=التحقق من صحة فاتورة البائع Notify_BILL_SUPPLIER_PAYED=دفع فاتورة البائع Notify_BILL_SUPPLIER_SENTBYMAIL=فاتورة البائع المرسلة بالبريد -Notify_BILL_SUPPLIER_CANCELED=تم إلغاء فاتورة البائع +Notify_BILL_SUPPLIER_CANCELED=تم إلغاء فاتورة مورد Notify_CONTRACT_VALIDATE=التحقق من صحة العقد Notify_FICHINTER_VALIDATE=التحقق من التدخل +Notify_FICHINTER_CLOSE=التدخل مغلق Notify_FICHINTER_ADD_CONTACT=تمت إضافة جهة اتصال إلى التدخل Notify_FICHINTER_SENTBYMAIL=تدخل ترسل عن طريق البريد Notify_SHIPPING_VALIDATE=التحقق من صحة الشحن @@ -183,35 +185,39 @@ SizeUnitfoot=قدم SizeUnitpoint=نقطة BugTracker=علة تعقب SendNewPasswordDesc=يتيح لك هذا النموذج طلب كلمة مرور جديدة. سيتم إرسالها إلى عنوان بريدك الإلكتروني.
      سيصبح التغيير ساريًا بمجرد النقر فوق ارتباط التأكيد في البريد الإلكتروني.
      تحقق من صندوق الوارد الخاص بك. -EnterNewPasswordHere=Enter your new password here +EnterNewPasswordHere=أدخل كلمة المرور الجديدة هنا BackToLoginPage=عودة إلى صفحة تسجيل الدخول AuthenticationDoesNotAllowSendNewPassword=طريقة التوثيق ٪ ق.
      في هذا الوضع ، لا يمكن معرفة Dolibarr أو تغيير كلمة السر الخاصة بك.
      اتصل بمسؤول النظام إذا كنت تريد تغيير كلمة السر الخاصة بك. EnableGDLibraryDesc=قم بتثبيت أو تمكين مكتبة GD على تثبيت PHP الخاص بك لاستخدام هذا الخيار. ProfIdShortDesc=الأستاذ عيد ٪ ق هي المعلومات التي تعتمد على طرف ثالث.
      على سبيل المثال ، لبلد ق ٪ انها رمز ٪ ق. DolibarrDemo=Dolibarr تخطيط موارد المؤسسات وإدارة علاقات العملاء التجريبي -StatsByAmount=Statistics on amount of products/services +StatsByAmount=إحصاءات عن كمية المنتجات / الخدمات +StatsByAmountProducts=إحصاءات عن كمية المنتجات +StatsByAmountServices=إحصائيات حول حجم الخدمات StatsByNumberOfUnits=إحصائيات لمجموع كمية المنتجات / الخدمات +StatsByNumberOfUnitsProducts=إحصائيات لمجموع الكمية من المنتجات +StatsByNumberOfUnitsServices=إحصائيات مجموع كمية الخدمات StatsByNumberOfEntities=إحصائيات لعدد الكيانات المحيلة (عدد الفواتير أو الطلبات ...) -NumberOf=Number of %s -NumberOfUnits=Number of units on %s -AmountIn=Amount in %s +NumberOf=عدد %s +NumberOfUnits=عدد الوحدات في %s +AmountIn=المبلغ في %s NumberOfUnitsMos=عدد الوحدات المطلوب إنتاجها في أوامر التصنيع EMailTextInterventionAddedContact=تم تعيين تدخل جديد لك %s. EMailTextInterventionValidated=التدخل ٪ ق المصادق +EMailTextInterventionClosed=تم إغلاق التدخل %s. EMailTextInvoiceValidated=تم التحقق من صحة الفاتورة %s. EMailTextInvoicePayed=تم دفع الفاتورة %s. EMailTextProposalValidated=تم التحقق من صحة الاقتراح %s. EMailTextProposalClosedSigned=تم إغلاق الاقتراح %s وتوقيعه. -EMailTextProposalClosedSignedWeb=Proposal %s has been closed signed on portal page. -EMailTextProposalClosedRefused=Proposal %s has been closed refused. -EMailTextProposalClosedRefusedWeb=Proposal %s has been closed refuse on portal page. +EMailTextProposalClosedSignedWeb=تم إغلاق الاقتراح %s وتوقيعه على صفحة البوابة. +EMailTextProposalClosedRefused=تم إغلاق الاقتراح %s. +EMailTextProposalClosedRefusedWeb=تم إغلاق الاقتراح %s على صفحة البوابة. EMailTextOrderValidated=تم التحقق من صحة الطلب %s. -EMailTextOrderClose=Order %s has been delivered. -EMailTextOrderApproved=تمت الموافقة على الطلب %s. -EMailTextOrderValidatedBy=تم تسجيل الطلب %s بواسطة %s. -EMailTextOrderApprovedBy=تمت الموافقة على الطلب %s بواسطة %s. -EMailTextOrderRefused=تم رفض الطلب %s. -EMailTextOrderRefusedBy=تم رفض الطلب %s بواسطة %s. +EMailTextOrderClose=تم تسليم طلب %s. +EMailTextSupplierOrderApprovedBy=تمت الموافقة على عملية الشراء طلب %s بواسطة %s. +EMailTextSupplierOrderValidatedBy=تم تسجيل عملية الشراء طلب %s بواسطة %s. +EMailTextSupplierOrderSubmittedBy=تم إرسال عملية الشراء طلب %s بواسطة %s. +EMailTextSupplierOrderRefusedBy=تم رفض عملية الشراء طلب %s بواسطة %s. EMailTextExpeditionValidated=تم التحقق من صحة الشحن %s. EMailTextExpenseReportValidated=تم التحقق من صحة تقرير المصاريف %s. EMailTextExpenseReportApproved=تمت الموافقة على تقرير المصاريف %s. @@ -289,10 +295,12 @@ LinesToImport=خطوط للاستيراد MemoryUsage=استخدام الذاكرة RequestDuration=مدة الطلب -ProductsPerPopularity=المنتجات / الخدمات حسب الشعبية -PopuProp=المنتجات / الخدمات حسب الشعبية في العروض -PopuCom=المنتجات / الخدمات حسب الشعبية في الطلبات -ProductStatistics=إحصاءات المنتجات / الخدمات +ProductsServicesPerPopularity=المنتجات|الخدمات حسب الشعبية +ProductsPerPopularity=المنتجات حسب الشعبية +ServicesPerPopularity=الخدمات حسب الشعبية +PopuProp=المنتجات|الخدمات حسب الشعبية في المقترحات +PopuCom=المنتجات|الخدمات حسب الشعبية في الطلبات +ProductStatistics=المنتجات|إحصاءات الخدمات NbOfQtyInOrders=الكمية بالطلبات SelectTheTypeOfObjectToAnalyze=حدد كائنًا لعرض الإحصائيات الخاصة به ... @@ -300,6 +308,7 @@ ConfirmBtnCommonContent = هل أنت متأكد أنك تريد "%s"؟ ConfirmBtnCommonTitle = قم بتأكيد عملك CloseDialog = إغلاق Autofill = الملء التلقائي +OrPasteAnURL=أو الصق عنوان URL # externalsite ExternalSiteSetup=إعداد رابط لموقع خارجي @@ -309,8 +318,8 @@ ExampleMyMenuEntry=مُدخل قائمتي # ftp FTPClientSetup=إعداد وحدة FTP أو SFTP Client -NewFTPClient=New FTP/SFTP connection setup -FTPArea=FTP/SFTP Area +NewFTPClient=إعداد اتصال FTP/SFTP جديد +FTPArea=FTP/SFTP منطقة FTPAreaDesc=تعرض هذه الشاشة طريقة عرض لخادم FTP و SFTP. SetupOfFTPClientModuleNotComplete=يبدو أن إعداد وحدة عميل FTP أو SFTP غير مكتمل FTPFeatureNotSupportedByYourPHP=PHP لا يدعم وظائف FTP أو SFTP @@ -321,9 +330,9 @@ FTPFailedToRemoveDir=فشل إزالة الدليل %s : تحقق من FTPPassiveMode=الوضع السلبي ChooseAFTPEntryIntoMenu=اختر موقع FTP / SFTP من القائمة ... FailedToGetFile=فشل في الحصول على الملفات %s -ErrorFTPNodisconnect=Error to disconnect FTP/SFTP server -FileWasUpload=File %s was uploaded -FTPFailedToUploadFile=Failed to upload the file %s. -AddFolder=Create folder -FileWasCreateFolder=Folder %s has been created -FTPFailedToCreateFolder=Failed to create folder %s. +ErrorFTPNodisconnect=حدث خطأ أثناء قطع اتصال خادم FTP/SFTP +FileWasUpload=تم تحميل الملف %s +FTPFailedToUploadFile=فشل تحميل الملف %s. +AddFolder=أنشئ مجلد +FileWasCreateFolder=تم إنشاء المجلد %s +FTPFailedToCreateFolder=فشل إنشاء المجلد %s. diff --git a/htdocs/langs/ar_SA/partnership.lang b/htdocs/langs/ar_SA/partnership.lang index c1fd7b31d30..01a3ba3f9d2 100644 --- a/htdocs/langs/ar_SA/partnership.lang +++ b/htdocs/langs/ar_SA/partnership.lang @@ -20,7 +20,7 @@ ModulePartnershipName=إدارة الشراكة PartnershipDescription=وحدة إدارة الشراكة PartnershipDescriptionLong= وحدة إدارة الشراكة Partnership=شراكة -Partnerships=Partnerships +Partnerships=الشراكه AddPartnership=أضف شراكة CancelPartnershipForExpiredMembers=الشراكة: إلغاء شراكة الأعضاء المنتهية صلاحيتها PartnershipCheckBacklink=الشراكة: تحقق من إحالة الروابط الخلفية @@ -29,7 +29,7 @@ PartnershipCheckBacklink=الشراكة: تحقق من إحالة الروابط # Menu # NewPartnership=شراكة جديدة -NewPartnershipbyWeb= Your partnership was added successfully. +NewPartnershipbyWeb=تمت إضافة طلب الشراكة الخاص بك بنجاح. قد نتواصل معك قريبا... ListOfPartnerships=قائمة الشراكات # @@ -38,10 +38,10 @@ ListOfPartnerships=قائمة الشراكات PartnershipSetup=إعدادات الشراكة PartnershipAbout=حول الشراكة PartnershipAboutPage=صفحة حول الشراكة -partnershipforthirdpartyormember=يجب تعيين حالة الشريك على "طرف ثالث" أو "عضو" +partnershipforthirdpartyormember=يجب تعيين الشريك حالة على "طرف ثالث" أو "عضو" PARTNERSHIP_IS_MANAGED_FOR=إدارة الشراكة لـ PARTNERSHIP_BACKLINKS_TO_CHECK=الروابط الخلفية المراد التحقق منها -PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=عدد الأيام قبل إلغاء حالة الشراكة عند انتهاء صلاحية الاشتراك +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=عدد من الأيام قبل إلغاء حالة للشراكة عند انتهاء صلاحية الاشتراك ReferingWebsiteCheck=تحقق من إحالة الموقع ReferingWebsiteCheckDesc=يمكنك تمكين ميزة للتحقق من أن شركائك قد أضافوا رابطًا خلفيًا إلى مجالات موقع الويب الخاص بك على موقع الويب الخاص بهم. PublicFormRegistrationPartnerDesc=يمكن أن توفر لك Dolibarr عنوان URL / موقع ويب عام للسماح للزوار الخارجيين بطلب الانضمام إلى برنامج الشراكة. @@ -82,10 +82,10 @@ YourPartnershipRefusedTopic=رفضت الشراكة YourPartnershipAcceptedTopic=قبلت الشراكة YourPartnershipCanceledTopic=تم إلغاء الشراكة -YourPartnershipWillSoonBeCanceledContent=نعلمك أنه سيتم إلغاء شراكتك قريبًا (لم يتم العثور على Backlink) -YourPartnershipRefusedContent=نعلمك أنه تم رفض طلب الشراكة الخاص بك. -YourPartnershipAcceptedContent=نعلمك أنه تم قبول طلب الشراكة الخاص بك. -YourPartnershipCanceledContent=نعلمك أنه تم إلغاء شراكتك. +YourPartnershipWillSoonBeCanceledContent=نود أن نعلمك أنه سيتم إلغاء شراكتنا قريبًا (لم نحصل على التجديد أو لم يتم استيفاء أحد المتطلبات الأساسية لشراكتنا). يرجى الاتصال بنا إذا تلقيت هذا بسبب خطأ. +YourPartnershipRefusedContent=نود أن نعلمك أنه قد تم رفض طلب الشراكة الخاص بك. لم يتم استيفاء المتطلبات الأساسية. ارجوك اتصل بنا ان كنت تريد مزيد من المعلومات. +YourPartnershipAcceptedContent=نود أن نعلمك أنه قد تم قبول طلب الشراكة الخاص بك. +YourPartnershipCanceledContent=نود أن نعلمك أنه تم إلغاء شراكتنا. ارجوك اتصل بنا ان كنت تريد مزيد من المعلومات. CountLastUrlCheckError=عدد الأخطاء الخاصة بآخر فحص لعنوان URL LastCheckBacklink=تاريخ آخر فحص لعنوان URL @@ -93,4 +93,7 @@ ReasonDeclineOrCancel=سبب الرفض NewPartnershipRequest=طلب شراكة جديد NewPartnershipRequestDesc=يسمح لك هذا النموذج بطلب أن تكون جزءًا من أحد برامج الشراكة الخاصة بنا. إذا كنت بحاجة إلى مساعدة لملء هذا النموذج ، فيرجى الاتصال عبر البريد الإلكتروني %s . +ThisUrlMustContainsAtLeastOneLinkToWebsite=يجب أن تحتوي هذه الصفحة على رابط واحد على الأقل إلى أحد النطاقات التالية: %s + +IPOfApplicant=الملكية الفكرية لمقدم الطلب diff --git a/htdocs/langs/ar_SA/paypal.lang b/htdocs/langs/ar_SA/paypal.lang index 4e4699d6eee..df3847749d7 100644 --- a/htdocs/langs/ar_SA/paypal.lang +++ b/htdocs/langs/ar_SA/paypal.lang @@ -34,3 +34,4 @@ ARollbackWasPerformedOnPostActions=تم إجراء التراجع عن جميع ValidationOfPaymentFailed=فشل التحقق من الدفع CardOwner=حامل البطاقة PayPalBalance=رصيد Paypal +OnlineSubscriptionPaymentLine=تم تسجيل الاشتراك عبر الإنترنت على %s
      ويتم الدفع عبر %s
      عنوان IP الأصلي: %s
      معرف المعاملة: %s diff --git a/htdocs/langs/ar_SA/productbatch.lang b/htdocs/langs/ar_SA/productbatch.lang index 291b6b1560a..a52713e4d5d 100644 --- a/htdocs/langs/ar_SA/productbatch.lang +++ b/htdocs/langs/ar_SA/productbatch.lang @@ -19,7 +19,7 @@ printSellby=بيع عن طريق:٪ الصورة printQty=الكمية:٪ د printPlannedWarehouse=المخازن AddDispatchBatchLine=إضافة سطر لالصلاحية إيفاد -WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic stock decrease is forced to '%s' and automatic increase mode is forced to '%s'. Some choices may be not available. Other options can be defined as you want. +WhenProductBatchModuleOnOptionAreForced=عند تشغيل نموذج، يتم فرض التخفيض التلقائي للمخزون على '%s' و يتم فرض وضع الزيادة التلقائية على '%s'. قد لا تكون بعض الاختيارات متاحة. يمكن تحديد خيارات أخرى كما تريد. ProductDoesNotUseBatchSerial=هذا المنتج لا يستخدم الكثير / الرقم التسلسلي ProductLotSetup=إعدادات الحصة / الرقم التسلسلي ShowCurrentStockOfLot=عرض المخزون الحالي للمنتجات/الحصص. @@ -45,3 +45,5 @@ OutOfOrder=خارج عن السيطرة InWorkingOrder=عمل الأمر بسلاسة ToReplace=يحل محل CantMoveNonExistantSerial=خطأ. أنت تطلب نقلًا على سجل لمسلسل لم يعد موجودًا بعد الآن. قد تأخذ نفس المسلسل في نفس المستودع عدة مرات في نفس الشحنة أو تم استخدامه بواسطة شحنة أخرى. قم بإزالة هذه الشحنة وإعداد واحدة أخرى. +TableLotIncompleteRunRepairWithParamStandardEqualConfirmed=إصلاح تشغيل جدول الدفعة غير مكتمل باستخدام المعلمة '...repair.php?standard=confirmed' +IlligalQtyForSerialNumbers= مطلوب تصحيح المخزون بسبب الرقم التسلسلي الفريد. diff --git a/htdocs/langs/ar_SA/products.lang b/htdocs/langs/ar_SA/products.lang index 100d6699be9..64bb363a4ab 100644 --- a/htdocs/langs/ar_SA/products.lang +++ b/htdocs/langs/ar_SA/products.lang @@ -80,8 +80,11 @@ SoldAmount=المبلغ المباع PurchasedAmount=الكمية المشتراة NewPrice=السعر الجديد MinPrice=دقيقة. سعر البيع +MinPriceHT=دقيقة. سعر البيع (باستثناء الضريبة) +MinPriceTTC=دقيقة. سعر البيع (شركة الضريبة) EditSellingPriceLabel=تحرير تسمية سعر البيع -CantBeLessThanMinPrice=سعر البيع لا يمكن أن يكون أقل من الحد الأدنى المسموح لهذا المنتج (٪ ق بدون الضرائب) +CantBeLessThanMinPrice=لا يمكن أن يكون سعر البيع أقل من الحد الأدنى المسموح به لهذا المنتج (%s بدون ضريبة). يمكن أن تظهر هذه الرسالة أيضًا إذا قمت بكتابة خصم كبير. +CantBeLessThanMinPriceInclTax=لا يمكن أن يكون سعر البيع أقل من الحد الأدنى المسموح به لهذا المنتج (%s بما في ذلك الضرائب). يمكن أن تظهر هذه الرسالة أيضًا إذا كتبت خصمًا مهمًا للغاية. ContractStatusClosed=مغلق ErrorProductAlreadyExists=المنتج ذو المرجع %sموجود بالفعل. ErrorProductBadRefOrLabel=قيمة خاطئة لـ مرجع أو ملصق. @@ -345,18 +348,19 @@ PossibleValues=القيم الممكنة GoOnMenuToCreateVairants=انتقل إلى القائمة %s - %s لإعداد متغيرات السمات (مثل الألوان والحجم ...) UseProductFournDesc=أضف ميزة لتحديد وصف المنتج المحدد من قبل البائعين (لكل مرجع مورد) بالإضافة إلى وصف العملاء ProductSupplierDescription=وصف البائع للمنتج -UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) -PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=سوف تشتري تلقائيًا مضاعفات هذه الكمية. +UseProductSupplierPackaging=استخدم ميزة "التغليف" لتقريب الكميات إلى بعض المضاعفات المحددة (عند إضافة/تحديث سطر في مستند المورد، قم بإعادة حساب الكميات و أسعار الشراء وفقًا للمضاعف الأعلى لأسعار شراء المنتج) +PackagingForThisProduct=تعبئة الكميات +PackagingForThisProductDesc=سوف تقوم تلقائيًا بشراء مضاعفات هذه الكمية. QtyRecalculatedWithPackaging=تمت إعادة حساب كمية الخط وفقًا لتعبئة المورد #Attributes +Attributes=الصفات VariantAttributes=سمات متغيرة ProductAttributes=سمات متغيرة للمنتجات ProductAttributeName=سمة المتغير %s ProductAttribute=السمة المتغيرة ProductAttributeDeleteDialog=هل أنت متأكد أنك تريد حذف هذه السمة؟ سيتم حذف جميع القيم -ProductAttributeValueDeleteDialog=هل تريد بالتأكيد حذف القيمة "%s" بالمرجع "%s" لهذه السمة؟ +ProductAttributeValueDeleteDialog=هل أنت متأكد أنك تريد حذف القيمة "%s" مع المرجع "%s" لهذه السمة؟ ProductCombinationDeleteDialog=هل تريد بالتأكيد حذف متغير المنتج " %s "؟ ProductCombinationAlreadyUsed=حدث خطأ أثناء حذف المتغير. يرجى التحقق من عدم استخدامه في أي كائن ProductCombinations=المتغيرات @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=حدث خطأ أثناء محاولة حذف مت NbOfDifferentValues=عدد القيم المختلفة NbProducts=عدد من المنتجات ParentProduct=المنتج الأصلي +ParentProductOfVariant=المنتج الأصلي للمتغير HideChildProducts=إخفاء المنتجات المتنوعة ShowChildProducts=عرض المنتجات المتنوعة NoEditVariants=انتقل إلى بطاقة المنتج الرئيسي وقم بتعديل تأثير سعر المتغيرات في علامة تبويب المتغيرات @@ -399,7 +404,7 @@ ActionAvailableOnVariantProductOnly=الإجراء متاح فقط على متغ ProductsPricePerCustomer=أسعار المنتجات لكل عميل ProductSupplierExtraFields=السمات الإضافية (أسعار الموردين) DeleteLinkedProduct=احذف المنتج الفرعي المرتبط بالمجموعة -AmountUsedToUpdateWAP=Unit amount to use to update the Weighted Average Price +AmountUsedToUpdateWAP=مبلغ الوحدة المطلوب استخدامه لتحديث متوسط السعر المرجح PMPValue=المتوسط المرجح لسعر PMPValueShort=الواب mandatoryperiod=فترات إلزامية @@ -416,12 +421,12 @@ ProductsMergeSuccess=تم دمج المنتجات ErrorsProductsMerge=دمج الأخطاء في المنتجات SwitchOnSaleStatus=قم بتشغيل حالة البيع SwitchOnPurchaseStatus=قم بتشغيل حالة الشراء -UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= الحقول الإضافية (حركة الأسهم) +UpdatePrice=زيادة/تقليل سعر العميل +StockMouvementExtraFields= الحقول الإضافية (حركة المخزون) InventoryExtraFields= الحقول الإضافية (المخزون) ScanOrTypeOrCopyPasteYourBarCodes=امسح أو اكتب أو انسخ / الصق الرموز الشريطية PuttingPricesUpToDate=تحديث الأسعار بالأسعار الحالية المعروفة -PuttingDescUpToDate=Update descriptions with current known descriptions +PuttingDescUpToDate=تحديث الأوصاف بالأوصاف المعروفة الحالية PMPExpected=يتوقع PMP ExpectedValuation=التقييم المتوقع PMPReal=حقيقي PMP @@ -429,4 +434,6 @@ RealValuation=التقييم الحقيقي ConfirmEditExtrafield = حدد المجال الإضافي الذي تريد تعديله ConfirmEditExtrafieldQuestion = هل أنت متأكد أنك تريد تعديل هذا المجال الإضافي؟ ModifyValueExtrafields = تعديل قيمة اكسترافيلد -OrProductsWithCategories=Or products with tags/categories +OrProductsWithCategories=أو المنتجات ذات أوسمة/الفئات +WarningTransferBatchStockMouvToGlobal = إذا كنت ترغب في إلغاء تسلسل هذا المنتج، فسيتم تحويل جميع مخزونه المتسلسل إلى مخزون عالمي +WarningConvertFromBatchToSerial=إذا كانت لديك حاليًا كمية أعلى أو تساوي 2 للمنتج، فإن التبديل إلى هذا الاختيار يعني أنه سيظل لديك منتج بكائنات مختلفة من نفس الدفعة (بينما تريد رقمًا تسلسليًا فريدًا). ستبقى النسخة المكررة حتى يتم إجراء جرد أو حركة مخزون يدوية لإصلاح ذلك. diff --git a/htdocs/langs/ar_SA/projects.lang b/htdocs/langs/ar_SA/projects.lang index 489c713e592..ff8f0488b3e 100644 --- a/htdocs/langs/ar_SA/projects.lang +++ b/htdocs/langs/ar_SA/projects.lang @@ -23,7 +23,7 @@ TasksPublicDesc=هذا الرأي يعرض جميع المشاريع والمه TasksDesc=هذا الرأي يعرض جميع المشاريع والمهام (أذونات المستخدم الخاص أعطى الصلاحية لعرض كل شيء). AllTaskVisibleButEditIfYouAreAssigned=تظهر جميع المهام للمشاريع المؤهلة ، ولكن يمكنك إدخال الوقت فقط للمهمة المعينة للمستخدم المحدد. قم بتعيين مهمة إذا كنت بحاجة إلى إدخال الوقت فيها. OnlyYourTaskAreVisible=تظهر فقط المهام المعينة لك. إذا كنت بحاجة إلى إدخال الوقت في مهمة وإذا كانت المهمة غير مرئية هنا ، فأنت بحاجة إلى تعيين المهمة لنفسك. -ImportDatasetProjects=Projects or opportunities +ImportDatasetProjects=المشاريع أو الفرص ImportDatasetTasks=مهام المشاريع ProjectCategories=علامات / فئات المشروع NewProject=مشروع جديد @@ -33,22 +33,23 @@ DeleteATask=حذف مهمة ConfirmDeleteAProject=هل أنت متأكد أنك تريد حذف هذا المشروع؟ ConfirmDeleteATask=هل أنت متأكد أنك تريد حذف هذه المهمة؟ OpenedProjects=فتح المشاريع -OpenedProjectsOpportunities=Open opportunities +OpenedProjectsOpportunities=الفرص المفتوحة OpenedTasks=افتح المهام OpportunitiesStatusForOpenedProjects=يقود كمية من المشاريع المفتوحة حسب الحالة OpportunitiesStatusForProjects=يقود كمية من المشاريع حسب الحالة ShowProject=وتبين للمشروع ShowTask=وتظهر هذه المهمة -SetThirdParty=Set third party +SetThirdParty=تعيين طرف ثالث SetProject=وضع المشروع -OutOfProject=Out of project +OutOfProject=خارج مشروع NoProject=لا يعرف أو المملوكة للمشروع NbOfProjects=عدد المشاريع NbOfTasks=عدد المهام +TimeEntry=تتبع الوقت TimeSpent=الوقت الذي تستغرقه +TimeSpentSmall=قضى وقتا TimeSpentByYou=الوقت الذي يقضيه من قبلك TimeSpentByUser=الوقت الذي يقضيه المستخدم -TimesSpent=قضى وقتا TaskId=معرف المهمة RefTask=مرجع المهمة. LabelTask=تسمية المهمة @@ -82,7 +83,7 @@ MyProjectsArea=منطقة مشاريعي DurationEffective=فعالة لمدة ProgressDeclared=أعلن التقدم الحقيقي TaskProgressSummary=تقدم المهمة -CurentlyOpenedTasks=افتح المهام بهدوء +CurentlyOpenedTasks=المهام المفتوحة حاليا TheReportedProgressIsLessThanTheCalculatedProgressionByX=التقدم الحقيقي المعلن هو أقل من %s من التقدم في الاستهلاك TheReportedProgressIsMoreThanTheCalculatedProgressionByX=التقدم الحقيقي المعلن هو أكثر من %s من التقدم في الاستهلاك ProgressCalculated=التقدم في الاستهلاك @@ -122,12 +123,12 @@ TaskHasChild=المهمة لها طفل NotOwnerOfProject=لا صاحب هذا المشروع من القطاع الخاص AffectedTo=إلى المتضررين CantRemoveProject=لا يمكن إزالة هذا المشروع حيث تمت الإشارة إليه بواسطة بعض العناصر الأخرى (فاتورة أو أوامر أو غيرها). انظر علامة التبويب "%s". -ValidateProject=تحقق من مشروع غابة +ValidateProject=التحقق من صحة مشروع ConfirmValidateProject=هل أنت متأكد أنك تريد التحقق من صحة هذا المشروع؟ CloseAProject=وثيقة المشروع ConfirmCloseAProject=هل أنت متأكد أنك تريد إغلاق هذا المشروع؟ -AlsoCloseAProject=Also close project -AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it +AlsoCloseAProject=أغلق أيضًا مشروع +AlsoCloseAProjectTooltip=أبقه مفتوحًا إذا كنت لا تزال بحاجة إلى متابعة مهام الإنتاج عليه ReOpenAProject=فتح مشروع ConfirmReOpenAProject=هل أنت متأكد أنك تريد إعادة فتح هذا المشروع؟ ProjectContact=اتصالات من المشروع @@ -170,7 +171,7 @@ OpportunityProbability=احتمال الرصاص OpportunityProbabilityShort=بروباب الرصاص. OpportunityAmount=كمية الرصاص OpportunityAmountShort=كمية الرصاص -OpportunityWeightedAmount=Amount of opportunity, weighted by probability +OpportunityWeightedAmount=مقدار فرصة، مرجحًا بالاحتمالية OpportunityWeightedAmountShort=مقابل. الكمية المرجحة OpportunityAmountAverageShort=متوسط مبلغ الرصاص OpportunityAmountWeigthedShort=مبلغ الرصاص المرجح @@ -203,7 +204,7 @@ InputPerMonth=المدخلات شهريا InputDetail=تفاصيل الإدخال TimeAlreadyRecorded=هذا هو الوقت المنقضي المسجل بالفعل لهذه المهمة / اليوم والمستخدم %s ProjectsWithThisUserAsContact=مشاريع مع هذا العضو عن الاتصال -ProjectsWithThisContact=Projects with this third-party contact +ProjectsWithThisContact=المشاريع مع جهة الاتصال الخارجية هذه TasksWithThisUserAsContact=المهام الموكلة إلى هذا المستخدم ResourceNotAssignedToProject=لم يتم تعيين إلى المشروع ResourceNotAssignedToTheTask=لم يتم تعيينه للمهمة @@ -226,7 +227,7 @@ ProjectsStatistics=إحصائيات عن المشاريع أو العملاء ا TasksStatistics=إحصائيات عن مهام المشاريع أو العملاء المتوقعين TaskAssignedToEnterTime=المهمة الموكلة. يجب دخول الوقت على هذه المهمة يكون ممكنا. IdTaskTime=الوقت مهمة معرف -YouCanCompleteRef=إذا كنت تريد إكمال المرجع ببعض اللاحقة ، فمن المستحسن إضافة حرف - لفصله ، لذلك سيستمر الترقيم التلقائي بشكل صحيح للمشاريع التالية. على سبيل المثال %s-MYSUFFIX +YouCanCompleteRef=إذا كنت تريد إكمال المرجع ببعض اللاحقة، فمن المستحسن إضافة حرف - لفصله، وبالتالي فإن الترقيم التلقائي سيظل يعمل بشكل صحيح للمشروعات التالية. على سبيل المثال %s-MYSUFFIX OpenedProjectsByThirdparties=فتح المشاريع من قبل أطراف ثالثة OnlyOpportunitiesShort=يؤدي فقط OpenedOpportunitiesShort=فتح يؤدي @@ -238,12 +239,12 @@ OpportunityPonderatedAmountDesc=كمية العملاء المتوقعين مر OppStatusPROSP=التنقيب OppStatusQUAL=المؤهل العلمى OppStatusPROPO=مقترح -OppStatusNEGO=Negociation +OppStatusNEGO=تفاوض OppStatusPENDING=بانتظار OppStatusWON=فاز OppStatusLOST=ضائع Budget=ميزانية -AllowToLinkFromOtherCompany=Allow to link an element with a project of other company

      Supported values:
      - Keep empty: Can link elements with any projects in the same company (default)
      - "all": Can link elements with any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link elements with any projects of these third partys (Example: 123,4795,53)
      +AllowToLinkFromOtherCompany=السماح بربط عنصر مع مشروع لشركة أخرى

      القيم المدعومة:
      - اتركه فارغًا: يمكن ربط العناصر بأي المشاريع في نفس شركة (افتراضي)
      - "all": يمكن ربط العناصر بأي مشاريع، حتى مشاريع الشركات الأخرى
      - قائمة بمعرفات الجهات الخارجية مفصولة بفواصل: يمكن ربط العناصر بأي مشروعات لهذه الجهات الخارجية (مثال: 123,4795,53)
      LatestProjects=أحدث مشاريع %s LatestModifiedProjects=أحدث مشاريع %s المعدلة OtherFilteredTasks=مهام أخرى تمت تصفيتها @@ -260,12 +261,12 @@ RecordsClosed=تم إغلاق مشروع (مشاريع) %s SendProjectRef=مشروع المعلومات %s ModuleSalaryToDefineHourlyRateMustBeEnabled=يجب تمكين "رواتب" الوحدة النمطية لتحديد معدل الموظف بالساعة من أجل قضاء الوقت في التثمين NewTaskRefSuggested=مرجع المهمة مستخدم بالفعل ، مطلوب مرجع مهمة جديد -NumberOfTasksCloned=%s task(s) cloned +NumberOfTasksCloned=%s مهمة(s) المستنسخة TimeSpentInvoiced=الوقت المستغرق في الفاتورة TimeSpentForIntervention=قضى وقتا TimeSpentForInvoice=قضى وقتا OneLinePerUser=خط واحد لكل مستخدم -ServiceToUseOnLines=Service to use on lines by default +ServiceToUseOnLines=الخدمة المستخدمة على الخطوط بشكل افتراضي InvoiceGeneratedFromTimeSpent=تم إنشاء الفاتورة %s من الوقت المنقضي في المشروع InterventionGeneratedFromTimeSpent=تم إنشاء التدخل %s من الوقت الذي يقضيه في المشروع ProjectBillTimeDescription=تحقق مما إذا كنت قد أدخلت الجدول الزمني لمهام المشروع وكنت تخطط لإنشاء فاتورة (فواتير) من الجدول الزمني لفوترة عميل المشروع (لا تحقق مما إذا كنت تخطط لإنشاء فاتورة لا تستند إلى الجداول الزمنية التي تم إدخالها). ملاحظة: لإنشاء فاتورة ، انتقل إلى علامة التبويب "الوقت المستغرق" في المشروع وحدد سطورًا لتضمينها. @@ -288,7 +289,7 @@ ProfitIsCalculatedWith=يتم احتساب الربح باستخدام AddPersonToTask=أضف أيضًا إلى المهام UsageOrganizeEvent=الاستعمال: تنظيم الحدث PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=تصنيف المشروع على أنه مغلق عند اكتمال جميع مهامه (تقدم 100%%) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=ملاحظة: لن تتأثر المشاريع الحالية التي تم تعيين جميع المهام فيها بالفعل على تقدم قدره 100%%: سيتعين عليك إغلاقها يدويًا. يؤثر هذا الخيار فقط على المشاريع المفتوحة. SelectLinesOfTimeSpentToInvoice=حدد سطور الوقت المستغرقة التي لم يتم تحرير فواتير بها ، ثم قم بإجراء جماعي "إنشاء الفاتورة" لفواتيرها ProjectTasksWithoutTimeSpent=مهام المشروع دون إضاعة الوقت FormForNewLeadDesc=شكرا لملء النموذج التالي للاتصال بنا. يمكنك أيضًا إرسال بريد إلكتروني إلينا مباشرة إلى %s . @@ -300,4 +301,4 @@ EnablePublicLeadForm=قم بتمكين النموذج العام للاتصال NewLeadbyWeb=تم تسجيل رسالتك أو طلبك. سوف نقوم بالرد أو الاتصال بك قريبا. NewLeadForm=استمارة اتصال جديدة LeadFromPublicForm=عميل محتمل عبر الإنترنت من شكل عام -ExportAccountingReportButtonLabel=Get report +ExportAccountingReportButtonLabel=احصل على التقرير diff --git a/htdocs/langs/ar_SA/propal.lang b/htdocs/langs/ar_SA/propal.lang index 610fd75eb72..b70f7c899cb 100644 --- a/htdocs/langs/ar_SA/propal.lang +++ b/htdocs/langs/ar_SA/propal.lang @@ -12,9 +12,11 @@ NewPropal=اقتراح جديد Prospect=احتمال DeleteProp=اقتراح حذف التجارية ValidateProp=مصادقة على اقتراح التجارية +CancelPropal=إلغاء AddProp=إنشاء اقتراح ConfirmDeleteProp=هل أنت متأكد أنك تريد حذف هذا العرض التجاري؟ ConfirmValidateProp=هل أنت متأكد من أنك تريد التحقق من صحة هذا العرض التجاري تحت الاسم %s ؟ +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=أحدث مقترحات %s LastModifiedProposals=أحدث %s العروض المعدلة AllPropals=جميع المقترحات @@ -27,11 +29,13 @@ NbOfProposals=عدد من المقترحات والتجاري ShowPropal=وتظهر اقتراح PropalsDraft=المسودات PropalsOpened=فتح +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=مشروع (لا بد من التحقق من صحة) PropalStatusValidated=صادق (اقتراح فتح) PropalStatusSigned=وقعت (لمشروع القانون) PropalStatusNotSigned=لم يتم التوقيع (مغلقة) PropalStatusBilled=فواتير +PropalStatusCanceledShort=ملغي PropalStatusDraftShort=مسودة PropalStatusValidatedShort=التحقق من صحتها (مفتوح) PropalStatusClosedShort=مغلقة @@ -55,6 +59,7 @@ CopyPropalFrom=اقتراح إنشاء التجارية عن طريق نسخ و CreateEmptyPropal=إنشاء عرض تجاري فارغ أو من قائمة المنتجات / الخدمات DefaultProposalDurationValidity=تقصير مدة صلاحية اقتراح التجارية (أيام) DefaultPuttingPricesUpToDate=بشكل افتراضي ، يتم تحديث الأسعار مع الأسعار الحالية المعروفة عند استنساخ الاقتراح +DefaultPuttingDescUpToDate=بشكل افتراضي، قم بتحديث الأوصاف بالأوصاف الحالية المعروفة حول استنساخ الاقتراح UseCustomerContactAsPropalRecipientIfExist=استخدم جهة الاتصال / العنوان من النوع "اقتراح متابعة جهات الاتصال" إذا تم تحديده بدلاً من عنوان الطرف الثالث كعنوان مستلم الاقتراح ConfirmClonePropal=هل أنت متأكد من أنك تريد استنساخ العرض التجاري %s ؟ ConfirmReOpenProp=هل أنت متأكد من أنك تريد فتح العرض التجاري %s ؟ @@ -89,13 +94,13 @@ ConfirmMassSignatureQuestion=هل أنت متأكد أنك تريد التوقي ConfirmMassValidation=تأكيد التحقق من صحة الجملة ConfirmMassValidationQuestion=هل أنت متأكد أنك تريد التحقق من صحة السجلات المحددة؟ ConfirmRefusePropal=هل أنت متأكد أنك تريد رفض هذا العرض التجاري؟ -ContractSigned=Contract signed +ContractSigned=تم توقيع العقد DefaultModelPropalClosed=القالب الافتراضي عند إغلاق الأعمال المقترح (فواتير) DefaultModelPropalCreate=إنشاء نموذج افتراضي DefaultModelPropalToBill=القالب الافتراضي عند إغلاق الأعمال المقترح (أن الفاتورة) DocModelAzurDescription=نموذج اقتراح كامل (التنفيذ القديم للقالب السماوي) DocModelCyanDescription=نموذج اقتراح كامل -FichinterSigned=Intervention signed +FichinterSigned=تم التوقيع على التدخل IdProduct=معرف المنتج IdProposal=معرف الاقتراح IsNotADraft=ليس مسودة @@ -111,8 +116,9 @@ ProposalCustomerSignature=قبول كتابي، ختم الشركة والتار ProposalsStatisticsSuppliers=إحصاءات عروض البائعين RefusePropal=اقتراح رفض Sign=إشارة -SignContract=Sign contract -SignFichinter=Sign intervention +SignContract=توقيع العقد +SignFichinter=تدخل الإشارة +SignSociete_rib=ولاية التوقيع SignPropal=قبول الاقتراح Signed=وقعت SignedOnly=وقعت فقط diff --git a/htdocs/langs/ar_SA/receiptprinter.lang b/htdocs/langs/ar_SA/receiptprinter.lang index e01842f41a7..042063a1512 100644 --- a/htdocs/langs/ar_SA/receiptprinter.lang +++ b/htdocs/langs/ar_SA/receiptprinter.lang @@ -63,7 +63,7 @@ YearInvoice=سنة الفاتورة DOL_VALUE_MONTH_LETTERS=شهر الفاتورة بالأحرف DOL_VALUE_MONTH=شهر الفاتورة DOL_VALUE_DAY=يوم الفاتورة -DOL_VALUE_DAY_LETTERS=يوم Inovice في الرسائل +DOL_VALUE_DAY_LETTERS=فاتورة يوم بالأحرف DOL_LINE_FEED_REVERSE=خط التغذية العكسي InvoiceID=هوية صوتية InvoiceRef=فاتورة المرجع diff --git a/htdocs/langs/ar_SA/receptions.lang b/htdocs/langs/ar_SA/receptions.lang index 00442ed86a8..d9983b4956a 100644 --- a/htdocs/langs/ar_SA/receptions.lang +++ b/htdocs/langs/ar_SA/receptions.lang @@ -32,11 +32,11 @@ StatusReceptionDraftShort=مسودة StatusReceptionValidatedShort=التحقق من صحة StatusReceptionProcessedShort=معالجة ReceptionSheet=ورقة استقبال -ValidateReception=Validate reception +ValidateReception=التحقق من صحة الاستقبال ConfirmDeleteReception=هل أنت متأكد أنك تريد حذف هذا الاستقبال؟ -ConfirmValidateReception=هل أنت متأكد من أنك تريد التحقق من صحة هذا الاستقبال بالمرجع %s ؟ +ConfirmValidateReception=هل أنت متأكد أنك تريد التحقق من صحة هذا الاستقبال باستخدام المرجع %s؟ ConfirmCancelReception=هل أنت متأكد أنك تريد إلغاء هذا الاستقبال؟ -StatsOnReceptionsOnlyValidated=تم التحقق من صحة الإحصائيات التي أجريت على حفلات الاستقبال فقط. التاريخ المستخدم هو تاريخ التحقق من الاستلام (تاريخ التسليم المخطط غير معروف دائمًا). +StatsOnReceptionsOnlyValidated=تم إجراء الإحصائيات على حفلات الاستقبال المعتمدة فقط. التاريخ المستخدم هو تاريخ التحقق من الاستلام (تاريخ التسليم المخطط ليس معروفًا دائمًا). SendReceptionByEMail=إرسال الاستقبال عن طريق البريد الإلكتروني SendReceptionRef=تقديم الاستقبال %s ActionsOnReception=الأحداث على الاستقبال @@ -52,3 +52,7 @@ ReceptionExist=يوجد استقبال ReceptionBackToDraftInDolibarr=الاستقبال %s يعود إلى المسودة ReceptionClassifyClosedInDolibarr=الاستقبال %s مصنف مغلق ReceptionUnClassifyCloseddInDolibarr=إعادة فتح الاستقبال %s +RestoreWithCurrentQtySaved=تعبئة الكميات بأحدث القيم المحفوظة +ReceptionsRecorded=تم تسجيل الاستقبالات +ReceptionUpdated=تم تحديث الاستقبال بنجاح +ReceptionDistribution=توزيع الاستقبال diff --git a/htdocs/langs/ar_SA/recruitment.lang b/htdocs/langs/ar_SA/recruitment.lang index 7e947a4a1cb..ca45aa1bc38 100644 --- a/htdocs/langs/ar_SA/recruitment.lang +++ b/htdocs/langs/ar_SA/recruitment.lang @@ -58,15 +58,15 @@ ToUseAGenericEmail=لاستخدام بريد إلكتروني عام. إذا ل NewCandidature=تطبيق جديد ListOfCandidatures=قائمة التطبيقات Remuneration=الراتب -RequestedRemuneration=Requested salary -ProposedRemuneration=Proposed salary +RequestedRemuneration=تم طلب راتب +ProposedRemuneration=راتب المقترح ContractProposed=عقد مقترح ContractSigned=تم توقيع العقد ContractRefused=العقد مرفوض RecruitmentCandidature=طلب JobPositions=المناصب الوظيفية RecruitmentCandidatures=التطبيقات -InterviewToDo=Contacts to follow +InterviewToDo=جهات الاتصال للمتابعة AnswerCandidature=إجابة التطبيق YourCandidature=تطبيقك YourCandidatureAnswerMessage=شكرا لك على التطبيق الخاص بك.
      ... @@ -77,3 +77,5 @@ ExtrafieldsApplication=السمات التكميلية (طلبات العمل) MakeOffer=تقديم عرض WeAreRecruiting=نحن نوظف. هذه قائمة بالوظائف الشاغرة التي يتعين شغلها ... NoPositionOpen=لا توجد وظائف مفتوحة في الوقت الحالي +ConfirmClose=تأكيد الالغاء +ConfirmCloseAsk=هل أنت متأكد أنك تريد إلغاء ترشيح التوظيف هذا diff --git a/htdocs/langs/ar_SA/salaries.lang b/htdocs/langs/ar_SA/salaries.lang index 9abbf3dcedd..1c02bd0ec8b 100644 --- a/htdocs/langs/ar_SA/salaries.lang +++ b/htdocs/langs/ar_SA/salaries.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - salaries -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Account (from the Chart of Account) used by default for "user" third parties -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=The dedicated account defined on user card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated user accounting account on user is not defined. +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=الحساب (من دليل الحساب) المستخدم افتراضيًا للأطراف الثالثة "المستخدم". +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=سيتم استخدام الحساب المخصص المحدد على بطاقة المستخدم لحساب دفتر الأستاذ الفرعي فقط. سيتم استخدام هذا لـ دفتر الأستاذ العام و كقيمة افتراضية لمحاسبة دفتر الأستاذ الفرعي إذا لم يتم تحديد حساب محاسبة المستخدم المخصص للمستخدم. SALARIES_ACCOUNTING_ACCOUNT_CHARGE=حساب المحاسبة بشكل افتراضي لمدفوعات الأجور CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=بشكل افتراضي ، اترك خيار "إنشاء دفعة إجمالية تلقائيًا" فارغًا عند إنشاء راتب Salary=الراتب @@ -24,4 +24,10 @@ SalariesStatistics=إحصائيات الرواتب SalariesAndPayments=الرواتب والمدفوعات ConfirmDeleteSalaryPayment=هل تريد حذف هذا الراتب؟ FillFieldFirst=املأ حقل الموظف أولاً -UpdateAmountWithLastSalary=Set amount of last salary +UpdateAmountWithLastSalary=تعيين مقدار آخر راتب +MakeTransferRequest=تقديم طلب النقل +VirementOrder=طلب تحويل رصيد +BankTransferAmount=مبلغ تحويل الائتمان +WithdrawalReceipt=أمر تحويل رصيد +OrderWaiting=في انتظار طلب +FillEndOfMonth=املأ بنهاية الشهر diff --git a/htdocs/langs/ar_SA/sendings.lang b/htdocs/langs/ar_SA/sendings.lang index d5a4abc5af2..b07f2de8881 100644 --- a/htdocs/langs/ar_SA/sendings.lang +++ b/htdocs/langs/ar_SA/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=صادق StatusSendingProcessedShort=معالجة SendingSheet=ورقة الشحن ConfirmDeleteSending=هل أنت متأكد أنك تريد حذف هذه الشحنة؟ -ConfirmValidateSending=هل أنت متأكد من أنك تريد التحقق من صحة هذه الشحنة بالمرجع %s ؟ +ConfirmValidateSending=هل أنت متأكد أنك تريد التحقق من صحة هذه الشحنة باستخدام المرجع %s؟ ConfirmCancelSending=هل أنت متأكد أنك تريد إلغاء هذه الشحنة؟ DocumentModelMerou=Mérou A5 نموذج WarningNoQtyLeftToSend=تحذير ، لا تنتظر أن المنتجات المشحونة. @@ -48,7 +48,7 @@ DateDeliveryPlanned=التاريخ المحدد للتسليم RefDeliveryReceipt=إيصال تسليم المرجع StatusReceipt=إيصال تسليم الحالة DateReceived=تلقى تاريخ التسليم -ClassifyReception=Classify Received +ClassifyReception=تصنيف المستلمة SendShippingByEMail=إرسال الشحنة عبر البريد الإلكتروني SendShippingRef=تقديم شحنة٪ الصورة ActionsOnShipping=الأحداث على شحنة @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=تم استلام كمية المن NoProductToShipFoundIntoStock=لم يتم العثور على أي منتج للشحن في المستودع %s . تصحيح المخزون أو الرجوع لاختيار مستودع آخر. WeightVolShort=الوزن / المجلد. ValidateOrderFirstBeforeShipment=يجب عليك أولاً التحقق من صحة الطلب قبل التمكن من إجراء الشحنات. +NoLineGoOnTabToAddSome=لا يوجد سطر، انتقل إلى علامة التبويب "%s" للإضافة # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=مجموع الأوزان المنتج # warehouse details DetailWarehouseNumber= تفاصيل مستودع DetailWarehouseFormat= W: %s (الكمية: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=عرض آخر تاريخ للدخول في المخزون أثناء إنشاء الشحنة للرقم التسلسلي أو الدفعة +CreationOptions=الخيارات المتاحة أثناء إنشاء الشحنة -ShipmentDistribution=Shipment distribution +ShipmentDistribution=توزيع الشحنة -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=لا يوجد إرسال للسطر %s حيث تم العثور على مجموعات كثيرة جدًا من المستودع والمنتج ورمز الدفعة (%s). +ErrorNoCombinationBatchcode=تعذر حفظ السطر %s كمجموعة من المستودع-منتج-lot/serial (%s, %s, %s) لم يتم العثور عليه في المخزون. + +ErrorTooMuchShipped=يجب ألا تكون الكمية المشحونة أكبر من الكمية المطلوبة للسطر %s diff --git a/htdocs/langs/ar_SA/stocks.lang b/htdocs/langs/ar_SA/stocks.lang index 6bc6db0ed52..d04fe6292c0 100644 --- a/htdocs/langs/ar_SA/stocks.lang +++ b/htdocs/langs/ar_SA/stocks.lang @@ -24,7 +24,7 @@ StockAtDateInFuture=التاريخ في المستقبل StocksByLotSerial=الأسهم عن طريق القرعة / المسلسل LotSerial=الكثير / المسلسلات LotSerialList=قائمة الدفعة / المسلسلات -SubjectToLotSerialOnly=Products subject to lot/serial only +SubjectToLotSerialOnly=المنتجات الخاضعة للدفعة/المسلسل فقط Movements=حركات ErrorWarehouseRefRequired=مستودع الاشارة اسم مطلوب ListOfWarehouses=لائحة المخازن @@ -49,7 +49,7 @@ StockCorrection=تصحيح المخزون CorrectStock=تصحيح الأوراق المالية StockTransfer=تحويل المخزن TransferStock=نقل المخزون -MassStockTransferShort=Bulk stock change +MassStockTransferShort=تغيير المخزون بالجملة StockMovement=حركة الأسهم StockMovements=تحركات الأسهم NumberOfUnit=عدد الوحدات @@ -99,7 +99,7 @@ RealStockWillAutomaticallyWhen=سيتم تعديل المخزون الحقيقي VirtualStock=الأسهم الافتراضية VirtualStockAtDate=مخزون افتراضي في تاريخ مستقبلي VirtualStockAtDateDesc=المخزون الظاهري بمجرد الانتهاء من جميع الطلبات المعلقة التي تم التخطيط لمعالجتها قبل التاريخ المختار -VirtualStockDesc=Virtual stock is the stock that will remain after all open/pending actions (that affect stocks) have been performed (purchase orders received, sales orders shipped, manufacturing orders produced, etc) +VirtualStockDesc=المخزون الافتراضي هو المخزون الذي سيبقى بعد تنفيذ جميع الإجراءات المفتوحة/المعلقة (التي تؤثر على المخزونات) (استلام أوامر الشراء، وشحن أوامر البيع، وإنتاج أوامر التصنيع، وما إلى ذلك) AtDate=في التاريخ IdWarehouse=معرف مخزن DescWareHouse=وصف المخزن @@ -119,6 +119,7 @@ PersonalStock=%s طبيعة الشخصية ThisWarehouseIsPersonalStock=هذا يمثل مستودع للطبيعة الشخصية لل%s %s SelectWarehouseForStockDecrease=اختيار مستودع لاستخدامها لانخفاض الأسهم SelectWarehouseForStockIncrease=اختيار مستودع لاستخدامها لزيادة المخزون +RevertProductsToStock=إعادة المنتجات إلى المخزون؟ NoStockAction=أي إجراء الأسهم DesiredStock=المخزون المطلوب DesiredStockDesc=سيكون مبلغ المخزون هذا هو القيمة المستخدمة لتعبئة المخزون عن طريق ميزة التزويد. @@ -147,9 +148,9 @@ Replenishments=التجديد NbOfProductBeforePeriod=كمية من الناتج٪ الصورة في الأوراق المالية قبل الفترة المختارة (<٪ ق) NbOfProductAfterPeriod=كمية من الناتج٪ الصورة في الأوراق المالية بعد الفترة المختارة (>٪ ق) MassMovement=حركة جماهيرية -SelectProductInAndOutWareHouse=Select a source warehouse (optional), a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click on "%s". +SelectProductInAndOutWareHouse=حدد مستودعًا مصدرًا (اختياري)، ومستودعًا مستهدفًا، ومنتجًا و وكمية ثم انقر على "%s". بمجرد الانتهاء من ذلك لجميع الحركات المطلوبة، انقر فوق "%s". RecordMovement=نقل السجل -RecordMovements=Record stock movements +RecordMovements=تسجيل تحركات الأسهم ReceivingForSameOrder=إيصالات لهذا النظام StockMovementRecorded=تحركات الأسهم سجلت RuleForStockAvailability=القواعد المتعلقة بمتطلبات الأسهم @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=ليس لديك مخزون كافٍ ، لرقم ال ShowWarehouse=مشاهدة مستودع MovementCorrectStock=تصحيح الأسهم للمنتج٪ الصورة MovementTransferStock=نقل الأسهم من الناتج٪ الصورة إلى مستودع آخر +BatchStockMouvementAddInGlobal=انتقال مخزون الدُفعات إلى المخزون العالمي (لم يعد المنتج يستخدم الدُفعات) InventoryCodeShort=الجرد. / وسائل التحقق. رمز NoPendingReceptionOnSupplierOrder=لا يوجد استقبال معلق بسبب فتح أمر الشراء ThisSerialAlreadyExistWithDifferentDate=هذا الكثير / الرقم التسلسلي (٪ ق) موجودة بالفعل ولكن مع eatby مختلفة أو تاريخ sellby (وجدت٪ الصورة ولكن قمت بإدخال%s). @@ -177,7 +179,7 @@ OptionMULTIPRICESIsOn=خيار "عدة أسعار لكل شريحة" قيد ال ProductStockWarehouseCreated=إنشاء حد المخزون للتنبيه والمخزون الأمثل المطلوب بشكل صحيح ProductStockWarehouseUpdated=حد المخزون للتنبيه والمخزون الأمثل المطلوب محدث بشكل صحيح ProductStockWarehouseDeleted=تم حذف حد المخزون للتنبيه والمخزون الأمثل المطلوب بشكل صحيح -ProductStockWarehouse=Stock limit for alert and desired optimal stock by product and warehouse +ProductStockWarehouse=حد المخزون للتنبيه و المخزون الأمثل المطلوب حسب المنتج و AddNewProductStockWarehouse=تعيين حد جديد للتنبيه والمخزون الأمثل المطلوب AddStockLocationLine=قم بتقليل الكمية ثم انقر لتقسيم السطر InventoryDate=تاريخ الجرد @@ -213,7 +215,7 @@ OnlyProdsInStock=لا تضيف المنتج بدون مخزون TheoricalQty=الكمية النظرية TheoricalValue=الكمية النظرية LastPA=آخر BP -CurrentPA=تيار BP +CurrentPA=شركة بريتيش بتروليوم الحالية RecordedQty=الكمية المسجلة RealQty=الكمية الحقيقية RealValue=القيمة الحقيقية @@ -237,9 +239,9 @@ StockIncrease=زيادة المخزون StockDecrease=انخفاض المخزون InventoryForASpecificWarehouse=جرد لمستودع معين InventoryForASpecificProduct=جرد لمنتج معين -StockIsRequiredToChooseWhichLotToUse=An existing stock is required to be able to choose which lot to use +StockIsRequiredToChooseWhichLotToUse=مطلوب مخزون موجود حتى تتمكن من اختيار الكمية التي تريد استخدامها ForceTo=يجبر على -AlwaysShowFullArbo=Display the full path of a warehouse (parent warehouses) on the popup of warehouse links (Warning: This may decrease dramatically performances) +AlwaysShowFullArbo=عرض المسار الكامل للمستودع (المستودعات الرئيسية) في النافذة المنبثقة لروابط المستودع (تحذير: قد يؤدي هذا إلى انخفاض الأداء بشكل كبير) StockAtDatePastDesc=يمكنك هنا عرض الأسهم (الأسهم الحقيقية) في تاريخ معين في الماضي StockAtDateFutureDesc=يمكنك عرض الأسهم (الأسهم الافتراضية) هنا في تاريخ معين في المستقبل CurrentStock=المخزون الحالي @@ -273,14 +275,14 @@ InventoryStartedShort=بدأ ErrorOnElementsInventory=تم إلغاء العملية للسبب التالي: ErrorCantFindCodeInInventory=لا يمكن العثور على الكود التالي في المخزون QtyWasAddedToTheScannedBarcode=النجاح !! تمت إضافة الكمية إلى كل الباركود المطلوب. يمكنك إغلاق أداة الماسح الضوئي. -StockChangeDisabled=Stock change disabled +StockChangeDisabled=تم تعطيل تغيير المخزون NoWarehouseDefinedForTerminal=لا يوجد مستودع محدد للمحطة ClearQtys=امسح كل الكميات ModuleStockTransferName=تحويل المخزون المتقدم ModuleStockTransferDesc=إدارة متقدمة لتحويل المخزون مع إنشاء صحيفة التحويل StockTransferNew=نقل مخزون جديد StockTransferList=قائمة تحويلات المخزون -ConfirmValidateStockTransfer=هل أنت متأكد من أنك تريد التحقق من صحة تحويل الأسهم هذا بالمرجع %s ؟ +ConfirmValidateStockTransfer=هل أنت متأكد أنك تريد التحقق من صحة نقل الأسهم هذا باستخدام المرجع %s؟ ConfirmDestock=انخفاض المخزون مع التحويل %s ConfirmDestockCancel=إلغاء تخفيض الأسهم بالتحويل %s DestockAllProduct=انخفاض المخزونات @@ -307,9 +309,9 @@ StockTransferDecrementationCancel=إلغاء تخفيض المخازن المص StockTransferIncrementationCancel=إلغاء زيادة مستودعات الوجهة StockStransferDecremented=انخفضت مستودعات المصدر StockStransferDecrementedCancel=إلغاء النقص في مستودعات المصدر -StockStransferIncremented=مغلق - الأسهم المنقولة -StockStransferIncrementedShort=الأسهم المنقولة -StockStransferIncrementedShortCancel=إلغاء زيادة مستودعات الوجهة +StockStransferIncremented=مغلق - تم نقل الأسهم +StockStransferIncrementedShort=تم نقل الاسهم +StockStransferIncrementedShortCancel=تم إلغاء زيادة مستودعات الوجهة StockTransferNoBatchForProduct=لا يستخدم المنتج %s الدُفعة ، امسح الدُفعة على الإنترنت وأعد المحاولة StockTransferSetup = تكوين وحدة نقل المخزون Settings=الإعدادات @@ -318,8 +320,18 @@ StockTransferRightRead=اقرأ تحويلات الأسهم StockTransferRightCreateUpdate=إنشاء / تحديث تحويلات الأسهم StockTransferRightDelete=حذف تحويلات المخزونات BatchNotFound=الكمية / المسلسل غير موجود لهذا المنتج -StockMovementWillBeRecorded=Stock movement will be recorded -StockMovementNotYetRecorded=Stock movement will not be affected by this step -WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse -DeleteBatch=Delete lot/serial -ConfirmDeleteBatch=Are you sure you want to delete lot/serial ? +StockEntryDate=تاريخ
      الدخول في المخزون +StockMovementWillBeRecorded=سيتم تسجيل حركة المخزون +StockMovementNotYetRecorded=لن تتأثر حركة المخزون بهذه الخطوة +ReverseConfirmed=تم عكس حركة المخزون بنجاح + +WarningThisWIllAlsoDeleteStock=تحذير، سيؤدي هذا أيضًا إلى تدمير جميع الكميات الموجودة في المخزون في المستودع +ValidateInventory=التحقق من صحة المخزون +IncludeSubWarehouse=تشمل المستودع الفرعي؟ +IncludeSubWarehouseExplanation=حدد هذا المربع إذا كنت تريد تضمين جميع المستودعات الفرعية للمستودع المرتبط في المخزون +DeleteBatch=حذف المجموعة/المسلسل +ConfirmDeleteBatch=هل أنت متأكد أنك تريد حذف المجموعة/المسلسل؟ +WarehouseUsage=استخدام المستودع +InternalWarehouse=مستودع داخلي +ExternalWarehouse=مستودع خارجي +WarningThisWIllAlsoDeleteStock=تحذير، سيؤدي هذا أيضًا إلى تدمير جميع الكميات الموجودة في المخزون في المستودع diff --git a/htdocs/langs/ar_SA/stripe.lang b/htdocs/langs/ar_SA/stripe.lang index 442c1a2788a..d20a1cda460 100644 --- a/htdocs/langs/ar_SA/stripe.lang +++ b/htdocs/langs/ar_SA/stripe.lang @@ -41,8 +41,8 @@ STRIPE_LIVE_WEBHOOK_KEY=المفتاح المباشر للخطاف التلقا ONLINE_PAYMENT_WAREHOUSE=المخزون الذي سيتم استخدامه لتقليل المخزون عند إتمام الدفع عبر الإنترنت
      (TODO عندما يتم تنفيذ خيار تقليل المخزون على إجراء على الفاتورة ويقوم الدفع عبر الإنترنت بإنشاء الفاتورة بنفسه؟) StripeLiveEnabled=تم تمكين Stripe Live (بخلاف ذلك وضع الاختبار / وضع الحماية) StripeImportPayment=استيراد مدفوعات الشريط -ExampleOfTestCreditCard=Example of credit card for SEPA test: %s => valid, %s => error CVC, %s => expired, %s => charge fails -ExampleOfTestBankAcountForSEPA=Example of bank account BAN for direct debit test: %s +ExampleOfTestCreditCard=مثال على بطاقة الائتمان لدفعة تجريبية: %s => صالح، %s => خطأ في رمز التحقق من البطاقة (CVC)، %s => انتهت الصلاحية، %s => فشل الشحن +ExampleOfTestBankAcountForSEPA=مثال على رقم BAN للحساب البنكي لاختبار الخصم المباشر: %s StripeGateways=بوابات شريطية OAUTH_STRIPE_TEST_ID=معرف عميل Stripe Connect (ca _...) OAUTH_STRIPE_LIVE_ID=معرف عميل Stripe Connect (ca _...) @@ -51,6 +51,7 @@ StripeAccount=حساب Stripe StripeChargeList=قائمة رسوم الشريط StripeTransactionList=قائمة معاملات Stripe StripeCustomerId=معرف عميل Stripe +StripePaymentId=معرف الدفع الشريطي StripePaymentModes=طرق الدفع الشريطية LocalID=المعرف المحلي StripeID=معرف الشريط @@ -62,7 +63,7 @@ DeleteACard=حذف البطاقة ConfirmDeleteCard=هل أنت متأكد أنك تريد حذف بطاقة الائتمان أو الخصم هذه؟ CreateCustomerOnStripe=قم بإنشاء عميل على Stripe CreateCardOnStripe=قم بإنشاء بطاقة على Stripe -CreateBANOnStripe=Create bank on Stripe +CreateBANOnStripe=إنشاء بنك على الشريط ShowInStripe=عرض في شريط StripeUserAccountForActions=حساب مستخدم لاستخدامه في إشعار البريد الإلكتروني ببعض أحداث Stripe (دفعات Stripe) StripePayoutList=قائمة مدفوعات Stripe @@ -70,9 +71,9 @@ ToOfferALinkForTestWebhook=رابط لإعداد Stripe WebHook لاستدعاء ToOfferALinkForLiveWebhook=رابط لإعداد Stripe WebHook لاستدعاء IPN (الوضع المباشر) PaymentWillBeRecordedForNextPeriod=سيتم تسجيل الدفع للفترة القادمة. ClickHereToTryAgain= انقر هنا للمحاولة مرة أخرى ... -CreationOfPaymentModeMustBeDoneFromStripeInterface=نظرًا لقواعد مصادقة العميل القوية ، يجب أن يتم إنشاء بطاقة من Stripe backoffice. يمكنك النقر هنا للتبديل إلى سجل عميل Stripe: %s -STRIPE_CARD_PRESENT=Card Present for Stripe Terminals -TERMINAL_LOCATION=Location (address) for Stripe Terminals -RequestDirectDebitWithStripe=Request Direct Debit with Stripe -STRIPE_SEPA_DIRECT_DEBIT=Enable the Direct Debit payments through Stripe - +CreationOfPaymentModeMustBeDoneFromStripeInterface=نظرًا لقواعد المصادقة القوية العميل، يجب أن يتم إنشاء البطاقة من المكتب الخلفي لشركة Stripe. يمكنك النقر هنا لتشغيل سجل الشريط العميل: %s +STRIPE_CARD_PRESENT=البطاقة موجودة للمحطات الشريطية +TERMINAL_LOCATION=الموقع (العنوان) لـ Stripe Terminals +RequestDirectDebitWithStripe=طلب الخصم المباشر مع الشريط +STRIPE_SEPA_DIRECT_DEBIT=تمكين مدفوعات الخصم المباشر من خلال Stripe +StripeConnect_Mode=وضع ربط الشريط diff --git a/htdocs/langs/ar_SA/supplier_proposal.lang b/htdocs/langs/ar_SA/supplier_proposal.lang index 848e3af9b85..f4a5eddf12f 100644 --- a/htdocs/langs/ar_SA/supplier_proposal.lang +++ b/htdocs/langs/ar_SA/supplier_proposal.lang @@ -42,8 +42,8 @@ SendAskRef=إرسال سعر الطلب٪ الصورة SupplierProposalCard=طلب بطاقة ConfirmDeleteAsk=هل تريد بالتأكيد حذف طلب السعر هذا %s ؟ ActionsOnSupplierProposal=الأحداث على طلب السعر -DocModelAuroreDescription=A complete template for a vendor quotation request template (old implementation of Sponge template) -DocModelZenithDescription=A complete template for a vendor quotation request template +DocModelAuroreDescription=قالب كامل لطلب عرض أسعار المورد (التطبيق القديم لقالب Sponge) +DocModelZenithDescription=نموذج كامل لطلب عرض أسعار المورد CommercialAsk=طلب السعر DefaultModelSupplierProposalCreate=إنشاء نموذج افتراضي DefaultModelSupplierProposalToBill=القالب الافتراضي عند إغلاق طلب السعر (مقبول) diff --git a/htdocs/langs/ar_SA/suppliers.lang b/htdocs/langs/ar_SA/suppliers.lang index 4eb63ed057e..84bca05a607 100644 --- a/htdocs/langs/ar_SA/suppliers.lang +++ b/htdocs/langs/ar_SA/suppliers.lang @@ -4,6 +4,7 @@ SuppliersInvoice=فاتورة مورد SupplierInvoices=فواتير الموردين ShowSupplierInvoice=عرض فاتورة المورد NewSupplier=مورد جديد +NewSupplierInvoice = فاتورة مورد الجديد History=التاريخ ListOfSuppliers=قائمة الموردين ShowSupplier=عرض المورد diff --git a/htdocs/langs/ar_SA/ticket.lang b/htdocs/langs/ar_SA/ticket.lang index d12eca7928f..a92ebc5204d 100644 --- a/htdocs/langs/ar_SA/ticket.lang +++ b/htdocs/langs/ar_SA/ticket.lang @@ -26,16 +26,16 @@ Permission56002=تعديل التذاكر Permission56003=حذف التذاكر Permission56004=إدارة التذاكر Permission56005=عرض جميع تذاكر الأطراف الثالثة (غير فعالة للمستخدمين الخارجيين ، دائماً محدودين بالطرف الثالث المعتمدين عليه) -Permission56006=Export tickets +Permission56006=تصدير التذاكر Tickets=التذاكر TicketDictType=انواع - التذاكر -TicketDictCategory=مجموعات - التذاكر +TicketDictCategory=تذكرة - مجموعات TicketDictSeverity=اولويات - التذاكر TicketDictResolution=قرارات - التذاكر TicketTypeShortCOM=سؤال تجاري -TicketTypeShortHELP=طلب مساعدة فنية +TicketTypeShortHELP=طلب مساعدة وظيفية TicketTypeShortISSUE=عطل او خلل TicketTypeShortPROBLEM=مشكلة TicketTypeShortREQUEST=طلب تعديل او تحسين @@ -94,7 +94,7 @@ TicketSetupDictionaries=انواع التذاكر ، الأولويات و ال TicketParamModule=إعداد متغيرات الوحدة TicketParamMail=إعدادات البريد الإلكتروني TicketEmailNotificationFrom=البريد الإلكتروني المرسل للإخطار بالإجابات -TicketEmailNotificationFromHelp=بريد المرسل الإلكتروني المراد استخدامه لإرسال بريد إلكتروني للإشعار عند تقديم إجابة داخل المكتب الخلفي. على سبيل المثال noreply@example.com +TicketEmailNotificationFromHelp=البريد الإلكتروني للمرسل الذي سيتم استخدامه لإرسال إشعار بالبريد الإلكتروني عند تقديم إجابة داخل المكتب الخلفي. على سبيل المثال noreply@example.com TicketEmailNotificationTo=قم بإخطار إنشاء التذكرة إلى عنوان البريد الإلكتروني هذا TicketEmailNotificationToHelp=إذا كان موجودًا ، فسيتم إخطار عنوان البريد الإلكتروني هذا بإنشاء تذكرة TicketNewEmailBodyLabel=النص المرسل بعد إنشاء التذكرة @@ -102,10 +102,10 @@ TicketNewEmailBodyHelp=النص المدخل هنا سيتم إدراجه في TicketParamPublicInterface=إعدادات الواجهة العامة TicketsEmailMustExist=مطلوب بريد إلكتروني موجود لإنشاء تذكرة TicketsEmailMustExistHelp=في الواجهة العامة ، عنوان البريد الإلكتروني يجب ان يكون مدخل في قواعد البيانات لتتمكن من إنشاء تذكرة -TicketsShowProgression=Display the ticket progress in the public interface -TicketsShowProgressionHelp=Enable this option to hide the progress of the ticket in the public interface pages +TicketsShowProgression=عرض تقدم التذكرة في الواجهة العامة +TicketsShowProgressionHelp=قم بتفعيل هذا الخيار لإخفاء تقدم التذكرة في صفحات الواجهة العامة TicketCreateThirdPartyWithContactIfNotExist=اسأل الاسم واسم الشركة عن رسائل البريد الإلكتروني غير المعروفة. -TicketCreateThirdPartyWithContactIfNotExistHelp=تحقق من وجود طرف ثالث أو جهة اتصال للبريد الإلكتروني الذي تم إدخاله. إذا لم يكن كذلك ، اطلب اسمًا واسم شركة لإنشاء طرف ثالث لديه جهة اتصال. +TicketCreateThirdPartyWithContactIfNotExistHelp=تحقق من وجود طرف ثالث أو جهة اتصال للبريد الإلكتروني الذي تم إدخاله. إذا لم يكن الأمر كذلك، فاطلب اسمًا و واسم شركة لإنشاء طرف ثالث مع جهة اتصال. PublicInterface=الواجهة العامة TicketUrlPublicInterfaceLabelAdmin=رابط بديل للواجهة العامة TicketUrlPublicInterfaceHelpAdmin=من الممكن تعريف إسم بديل لخادم الويب وبالتالي جعل الواجهة العامة متاحة عن طريق رابط اخر (يجب ان يعمل الخادم كوسيط للرابط الجديد) @@ -126,9 +126,9 @@ TicketParams=المدخلات TicketsShowModuleLogo=عرض شعار الوحدة في الواجهة العامة TicketsShowModuleLogoHelp=قم بتفعيل هذا الخيار لإخفاء الشعار من صفحات الواجهة العامة TicketsShowCompanyLogo=عرض شعار الشركة في الواجهة العامة -TicketsShowCompanyLogoHelp=Enable this option to show the logo of the main company in the pages of the public interface -TicketsShowCompanyFooter=Display the footer of the company in the public interface -TicketsShowCompanyFooterHelp=Enable this option to show the footer of the main company in the pages of the public interface +TicketsShowCompanyLogoHelp=تفعيل هذا الخيار ليظهر شعار شركة الرئيسي في صفحات الواجهة العامة +TicketsShowCompanyFooter=عرض تذييل شركة في الواجهة العامة +TicketsShowCompanyFooterHelp=قم بتفعيل هذا الخيار لإظهار تذييل الصفحة الرئيسية شركة في صفحات الواجهة العامة TicketsEmailAlsoSendToMainAddress=ايضا قم بإرسال الإشعارات الى عنوان البريد الإلكتروني الرئيسي TicketsEmailAlsoSendToMainAddressHelp=قم بتفعيل هذا الخيار لإرسال نسخة من الإشعارات الى عنوان البريد الإلكتروني المعرف في الإعدادات "%s" (انظر علامة التبويب "%s") TicketsLimitViewAssignedOnly=حصر العرض للتذاكر المسندة للمستخدم الحالي (غير فعالة في حالة المستخدمين الخارجيين، دائماً محصورين على الطرف الثالث المرتبط بالمستخدم) @@ -145,19 +145,21 @@ TicketsPublicNotificationNewMessage=إرسال إشعار بريد إلكترو TicketsPublicNotificationNewMessageHelp=إرسال إشعار بريد إلكتروني عند إضافة رسالة جديدة من الواجهة العامة (للمستخدم المسندة إليه التذكرة او بريد إشعارات التعديلات او بريد المرسل إليه في التذكرة) TicketPublicNotificationNewMessageDefaultEmail=عنوان بريد إشعارات (التعديلات) TicketPublicNotificationNewMessageDefaultEmailHelp=إرسال رسائل بريد إلكتروني الى هذا العنوان عند كل رسالة تعديل للتذاكر غير المسندة لمستخدم معين او إذا كان المستخدم المسندة إليه ليس لديه بريد معلوم. -TicketsAutoReadTicket=وضع علامة على التذكرة تلقائيًا كمقروءة (عند إنشائها من المكتب الخلفي) -TicketsAutoReadTicketHelp=ضع علامة على التذكرة تلقائيًا كمقروءة عند إنشائها من المكتب الخلفي. عند إنشاء التذكرة من الواجهة العامة ، تظل البطاقة بحالة "غير مقروءة". +TicketsAutoReadTicket=وضع علامة على التذكرة كمقروءة تلقائيًا (عند إنشائها من المكتب الخلفي) +TicketsAutoReadTicketHelp=قم تلقائيًا بوضع علامة على التذكرة كمقروءة عند إنشائها من المكتب الخلفي. عند إنشاء تذكرة من الواجهة العامة، تظل التذكرة حالة "غير مقروءة". TicketsDelayBeforeFirstAnswer=يجب أن تتلقى التذكرة الجديدة إجابة أولى قبل (ساعات): TicketsDelayBeforeFirstAnswerHelp=إذا لم تتلق التذكرة الجديدة إجابة بعد هذه الفترة الزمنية (بالساعات) ، فسيتم عرض أيقونة تحذير مهمة في عرض القائمة. TicketsDelayBetweenAnswers=يجب ألا تكون التذكرة التي لم يتم حلها غير نشطة خلال (ساعات): TicketsDelayBetweenAnswersHelp=إذا لم يكن هناك تفاعل إضافي للتذكرة التي لم يتم حلها والتي تلقت إجابة بالفعل بعد هذه الفترة الزمنية (بالساعات) ، فسيتم عرض رمز تحذير في عرض القائمة. -TicketsAutoNotifyClose=إخطار الطرف الثالث تلقائيًا عند إغلاق التذكرة -TicketsAutoNotifyCloseHelp=عند إغلاق التذكرة ، سيقترح عليك إرسال رسالة إلى أحد جهات اتصال الطرف الثالث. عند الإغلاق الجماعي ، سيتم إرسال رسالة إلى جهة اتصال واحدة للطرف الثالث المرتبط بالتذكرة. +TicketsAutoNotifyClose=إشعار الطرف الثالث تلقائيًا عند إغلاق التذكرة +TicketsAutoNotifyCloseHelp=عند إغلاق التذكرة، سيُقترح عليك إرسال رسالة إلى إحدى جهات الاتصال الخارجية. عند الإغلاق الجماعي، سيتم إرسال رسالة إلى جهة اتصال واحدة تابعة للطرف الثالث المرتبط بالتذكرة. TicketWrongContact=الاتصال المقدم ليس جزءًا من جهات اتصال التذاكر الحالية. لم يتم إرسال البريد الإلكتروني. TicketChooseProductCategory=فئة المنتج لدعم التذاكر TicketChooseProductCategoryHelp=حدد فئة المنتج لدعم التذاكر. سيتم استخدام هذا لربط العقد تلقائيًا بالتذكرة. -TicketUseCaptchaCode=Use graphical code (CAPTCHA) when creating a ticket -TicketUseCaptchaCodeHelp=Adds CAPTCHA verification when creating a new ticket. +TicketUseCaptchaCode=استخدم الرمز الرسومي (CAPTCHA) عند إنشاء تذكرة +TicketUseCaptchaCodeHelp=يضيف التحقق من CAPTCHA عند إنشاء تذكرة جديدة. +TicketsAllowClassificationModificationIfClosed=السماح بتعديل تصنيف التذاكر المغلقة +TicketsAllowClassificationModificationIfClosedHelp=السماح بتعديل التصنيف (النوع، مجموعة التذاكر، درجة الخطورة) حتى لو كانت التذاكر مغلقة. # # Index & list page @@ -189,7 +191,7 @@ CreatedBy=تم الإنشاء بواسطة NewTicket=تذكرة جديدة SubjectAnswerToTicket=إجابة التذكرة TicketTypeRequest=نوع الطلب -TicketCategory=Ticket group +TicketCategory=مجموعة التذاكر SeeTicket=عرض التذكرة TicketMarkedAsRead=تم تحديد التذكرة كمقروءة TicketReadOn=تمت القراءة في @@ -201,8 +203,8 @@ TicketAssigned=تم إسناد التذكرة TicketChangeType=تغيير النوع TicketChangeCategory=تغيير الرمز التحليلي TicketChangeSeverity=تغيير الأولوية -TicketAddMessage=Add or send a message -TicketAddPrivateMessage=Add a private message +TicketAddMessage=إضافة أو إرسال رسالة +TicketAddPrivateMessage=أضف رسالة خاصة MessageSuccessfullyAdded=تم إضافة التذكرة TicketMessageSuccessfullyAdded=تم إضافة الرسالة TicketMessagesList=قائمة الرسائل @@ -213,8 +215,8 @@ TicketSeverity=الأولوية ShowTicket=عرض التذكرة RelatedTickets=التذاكر المرتبطة TicketAddIntervention=إنشاء تدخل -CloseTicket=Close|Solve -AbandonTicket=Abandon +CloseTicket=إغلاق|حل +AbandonTicket=يتخلى عن CloseATicket=إغلاق التذكرة كمحلولة ConfirmCloseAticket=تأكيد إغلاق التذكرة ConfirmAbandonTicket=هل انت متأكد من إغلاق التذكرة كملغية @@ -228,17 +230,17 @@ SendMessageByEmail=إرسال بريد إلكتروني TicketNewMessage=رسالة جديدة ErrorMailRecipientIsEmptyForSendTicketMessage=المستقبل خالي. لم يتم إرسال البريد الإلكتروني TicketGoIntoContactTab=يرجى الذهاب الى تبويب "جهات الإتصال" لاختيارهم -TicketMessageMailIntro=Message header +TicketMessageMailIntro=رأس الرسالة TicketMessageMailIntroHelp=يضاف هذا النص فقط في بداية البريد الإلكتروني و لن يتم حفظه TicketMessageMailIntroText=مرحبًا ،
      تمت إضافة إجابة جديدة إلى التذكرة التي تتبعها. ها هي الرسالة:
      TicketMessageMailIntroHelpAdmin=سيتم إدراج هذا النص قبل الإجابة عند الرد على تذكرة من Dolibarr -TicketMessageMailFooter=Message footer -TicketMessageMailFooterHelp=This text is added only at the end of the message sent by email and will not be saved. -TicketMessageMailFooterText=Message sent by %s via Dolibarr +TicketMessageMailFooter=تذييل الرسالة +TicketMessageMailFooterHelp=تتم إضافة هذا النص فقط في نهاية الرسالة المرسلة عبر البريد الإلكتروني و ولن يتم حفظها. +TicketMessageMailFooterText=تم إرسال الرسالة بواسطة %s عبر Dolibarr TicketMessageMailFooterHelpAdmin=هذا النص سيتم إدراجه بعد رسالة الإستجابة TicketMessageHelp=فقط هذا النص سيتم حفظه في قائمة الرسائل في بطاقة التذكرة TicketMessageSubstitutionReplacedByGenericValues=متغيرات الإستبدال تأخذ قيم عامة -ForEmailMessageWillBeCompletedWith=For email messages sent to external users, the message will be completed with +ForEmailMessageWillBeCompletedWith=بالنسبة لرسائل البريد الإلكتروني المرسلة إلى مستخدمين خارجيين، سيتم إكمال الرسالة بـ TimeElapsedSince=الزمن المستغرق منذ TicketTimeToRead=الزمن المستغرق قبل القراءة TicketTimeElapsedBeforeSince=الزمن المستغرق قبل \\\\ منذ @@ -248,14 +250,14 @@ ConfirmReOpenTicket=تأكيد إعادة فتح التذكرة TicketMessageMailIntroAutoNewPublicMessage=تم إضافة رسالة جديدة للتذكرة بعنوان %s: TicketAssignedToYou=تم إسناد التذكرة TicketAssignedEmailBody=تم إسناد التذكرة رقم %s إليك من قبل %s -TicketAssignedCustomerEmail=Your ticket has been assigned for processing. -TicketAssignedCustomerBody=This is an automatic email to confirm your ticket has been assigned for processing. +TicketAssignedCustomerEmail=لقد تم تخصيص تذكرتك للمعالجة. +TicketAssignedCustomerBody=هذه رسالة بريد إلكتروني تلقائية لتأكيد أن تذكرتك قد تم تخصيصها للمعالجة. MarkMessageAsPrivate=تحديد الرسالة كخاصة -TicketMessageSendEmailHelp=An email will be sent to all assigned contact -TicketMessageSendEmailHelp2a=(internal contacts, but also external contacts except if the option "%s" is checked) -TicketMessageSendEmailHelp2b=(internal contacts, but also external contacts) -TicketMessagePrivateHelp=This message will not be visible to external users -TicketMessageRecipientsHelp=Recipient field completed with active contacts linked to the ticket +TicketMessageSendEmailHelp=سيتم إرسال بريد إلكتروني إلى جميع جهات الاتصال المعينة +TicketMessageSendEmailHelp2a=(جهات الاتصال الداخلية، ولكن أيضًا جهات الاتصال الخارجية باستثناء إذا تم تحديد الخيار "%s") +TicketMessageSendEmailHelp2b=(اتصالات داخلية، ولكن أيضًا اتصالات خارجية) +TicketMessagePrivateHelp=لن تكون هذه الرسالة مرئية للمستخدمين الخارجيين +TicketMessageRecipientsHelp=تم إكمال حقل المستلم مع جهات الاتصال النشطة المرتبطة بالتذكرة TicketEmailOriginIssuer=عنوان البريد عند قطع التذكرة InitialMessage=الرسالة الاصلية LinkToAContract=رابط جهة الإتصال @@ -278,7 +280,7 @@ TicketsDelayForFirstResponseTooLong=انقضى وقت طويل جدًا منذ TicketsDelayFromLastResponseTooLong=انقضى وقت طويل جدًا منذ آخر إجابة على هذه التذكرة. TicketNoContractFoundToLink=لم يتم العثور على عقد مرتبط تلقائيًا بهذه التذكرة. الرجاء ربط العقد يدويا. TicketManyContractsLinked=تم ربط العديد من العقود تلقائيًا بهذه التذكرة. تأكد من التحقق مما يجب اختياره. -TicketRefAlreadyUsed=The reference [%s] is already used, your new reference is [%s] +TicketRefAlreadyUsed=المرجع [%s] مستخدم بالفعل، والمرجع الجديد الخاص بك هو [%s] # # Logs @@ -311,7 +313,7 @@ TicketNewEmailBodyInfosTrackUrlCustomer=يمكنك متابعة التذكرة TicketCloseEmailBodyInfosTrackUrlCustomer=يمكنك الرجوع إلى تاريخ هذه التذكرة بالضغط على الرابط التالي TicketEmailPleaseDoNotReplyToThisEmail=يرجى عدم الرد على هذا البريد الإلكتروني ! إستخدم الرابط للرد على الواجهة. TicketPublicInfoCreateTicket=تتيح لك هذه الإستمارة تسجيل تذكرة دعم فني لدى نظامنا الإداري. -TicketPublicPleaseBeAccuratelyDescribe=Please accurately describe your question. Provide the most information possible to allow us to correctly identify your request. +TicketPublicPleaseBeAccuratelyDescribe=يرجى وصف طلبك بدقة. قم بتقديم أكبر قدر ممكن من المعلومات للسماح لنا بتحديد طلبك بشكل صحيح. TicketPublicMsgViewLogIn=يرجى إدخال رقم تتبع التذكرة TicketTrackId=رقم التتبع العام OneOfTicketTrackId=واحد من ارقام التتبع الخاصة بك @@ -329,8 +331,8 @@ OldUser=المستخدم القديم NewUser=المستخدم جديد NumberOfTicketsByMonth=عدد التذاكر شهريا NbOfTickets=عدد التذاكر -ExternalContributors=External contributors -AddContributor=Add external contributor +ExternalContributors=المساهمين الخارجيين +AddContributor=إضافة مساهم خارجي # notifications TicketCloseEmailSubjectCustomer=تم إغلاق التذكرة diff --git a/htdocs/langs/ar_SA/trips.lang b/htdocs/langs/ar_SA/trips.lang index c1e2d3ffca3..7473fa038e4 100644 --- a/htdocs/langs/ar_SA/trips.lang +++ b/htdocs/langs/ar_SA/trips.lang @@ -39,7 +39,7 @@ expenseReportCoef=معامل في الرياضيات او درجة expenseReportCoefUndefined=(القيمة غير محددة) expenseReportOffset=ويقابل expenseReportPrintExample=الإزاحة + (d x coef) = %s -expenseReportRangeDisabled=النطاق معطل - راجع c_exp_tax_range dictionay +expenseReportRangeDisabled=تم تعطيل النطاق - راجع قاموس c_exp_tax_range expenseReportRangeFromTo=من %d إلى %d expenseReportRangeMoreThan=أكثر من %d expenseReportTotalForFive=مثال مع d = 5 @@ -91,7 +91,7 @@ nolimitbyEX_EXP=عن طريق السطر (بلا حدود) nolimitbyEX_MON=حسب الشهر (بلا حدود) nolimitbyEX_YEA=حسب السنة (بلا قيود) NoTripsToExportCSV=أي تقرير نفقة لتصدير لهذه الفترة. -NOT_AUTHOR=أنت لست صاحب هذا التقرير حساب. إلغاء العملية. +NOT_AUTHOR=أنت لست مؤلف هذا تقرير المصروفات. تم إلغاء العملية. OnExpense=خط المصاريف PDFStandardExpenseReports=قالب قياسي لتوليد وثيقة PDF لتقرير حساب PaidTrip=دفع تقرير مصروفات @@ -103,7 +103,7 @@ ShowExpenseReport=عرض تقرير حساب ShowTrip=عرض تقرير حساب TripCard=حساب بطاقة تقرير TripId=تقرير حساب الهوية -TripNDF=المعلومات تقرير حساب +TripNDF=المعلومات تقرير المصروفات TripSociete=شركة المعلومات Trips=تقارير المصاريف TripsAndExpenses=تقارير النفقات diff --git a/htdocs/langs/ar_SA/users.lang b/htdocs/langs/ar_SA/users.lang index be1db16c4ce..55f8557e898 100644 --- a/htdocs/langs/ar_SA/users.lang +++ b/htdocs/langs/ar_SA/users.lang @@ -32,9 +32,8 @@ CreateUser=إنشاء مستخدم LoginNotDefined=ادخل ليست محددة. NameNotDefined=اسم غير محدد. ListOfUsers=قائمة المستخدمين -SuperAdministrator=مدير السوبر -SuperAdministratorDesc=مدير كل الحقوق -AdministratorDesc=مدير +SuperAdministrator=مدير شركات متعددة +SuperAdministratorDesc=مسؤول نظام متعدد الشركات (يمكنه تغيير مستخدمي الإعداد و) DefaultRights=الأذونات الافتراضية DefaultRightsDesc=حدد هنا أذونات الافتراضية التي يتم منحها تلقائيًا لمستخدم الجديد (لتعديل الأذونات للمستخدمين الحاليين ، انتقل إلى بطاقة المستخدم). DolibarrUsers=Dolibarr المستخدمين @@ -47,8 +46,8 @@ RemoveFromGroup=إزالة من المجموعة PasswordChangedAndSentTo=تم تغيير كلمة المرور وترسل إلى ٪ ق. PasswordChangeRequest=طلب تغيير كلمة المرور لـ %s PasswordChangeRequestSent=طلب تغيير كلمة السر لإرسالها إلى ٪ ق ٪ ق. -IfLoginExistPasswordRequestSent=If this login is a valid account (with a valid email), an email to reset password has been sent. -IfEmailExistPasswordRequestSent=If this email is a valid account, an email to reset password has been sent (remember to check your SPAM folder if you do not receive anything) +IfLoginExistPasswordRequestSent=إذا كان تسجيل الدخول هذا حسابًا صالحًا (ببريد إلكتروني صالح)، فقد تم إرسال بريد إلكتروني لإعادة تعيين كلمة المرور. +IfEmailExistPasswordRequestSent=إذا كان هذا البريد الإلكتروني حسابًا صالحًا، فقد تم إرسال بريد إلكتروني لإعادة تعيين كلمة المرور (تذكر التحقق من مجلد الرسائل غير المرغوب فيها (SPAM) إذا لم تتلق أي شيء) ConfirmPasswordReset=تأكيد إعادة تعيين كلمة المرور MenuUsersAndGroups=مجموعات المستخدمين LastGroupsCreated=تم إنشاء أحدث مجموعات %s @@ -66,8 +65,8 @@ LinkedToDolibarrUser=ارتباط بالمستخدم LinkedToDolibarrThirdParty=رابط لطرف ثالث CreateDolibarrLogin=انشاء مستخدم CreateDolibarrThirdParty=إيجاد طرف ثالث -LoginAccountDisableInDolibarr=Account disabled in Dolibarr -PASSWORDInDolibarr=Password modified in Dolibarr +LoginAccountDisableInDolibarr=تم تعطيل الحساب في Dolibarr +PASSWORDInDolibarr=تم تعديل كلمة المرور في Dolibarr UsePersonalValue=استخدام الشخصي قيمة ExportDataset_user_1=المستخدمون وخصائصهم DomainUser=النطاق المستخدم ق ٪ @@ -99,7 +98,7 @@ YourRole=الأدوار الخاص YourQuotaOfUsersIsReached=يتم التوصل إلى حصة الخاص بك من المستخدمين النشطين! NbOfUsers=عدد المستخدمين NbOfPermissions=عدد الأذونات -DontDowngradeSuperAdmin=Only another admin can downgrade an admin +DontDowngradeSuperAdmin=يمكن لمسؤول آخر فقط الرجوع إلى إصدار أقدم من مسؤول HierarchicalResponsible=المشرف HierarchicView=الهرمي UseTypeFieldToChange=استخدام نوع الحقل لتغيير @@ -110,8 +109,9 @@ ExpectedWorkedHours=ساعات العمل المتوقعة في الأسبوع ColorUser=اللون المستخدم DisabledInMonoUserMode=معطل في وضع الصيانة UserAccountancyCode=كود محاسبة المستخدم -UserLogoff=خروج المستخدم -UserLogged=قام المستخدم بتسجيل الدخول +UserLogoff=تسجيل خروج المستخدم: %s +UserLogged=قام المستخدم بتسجيل الدخول: %s +UserLoginFailed=فشل تسجيل دخول المستخدم: %s DateOfEmployment=تاريخ التوظيف DateEmployment=توظيف DateEmploymentStart=تاريخ بدء التوظيف @@ -120,15 +120,17 @@ RangeOfLoginValidity=نطاق تاريخ صلاحية الوصول CantDisableYourself=لا يمكنك تعطيل سجل المستخدم الخاص بك ForceUserExpenseValidator=فرض مصدق تقرير المصروفات ForceUserHolidayValidator=مدقق طلب الإجازة الإجباري -ValidatorIsSupervisorByDefault=بشكل افتراضي ، المدقق هو المشرف على المستخدم. ابق فارغة للحفاظ على هذا السلوك. +ValidatorIsSupervisorByDefault=بشكل افتراضي، المدقق هو المشرف على المستخدم. اتركها فارغة للحفاظ على هذا السلوك. UserPersonalEmail=البريد الإلكتروني الشخصي UserPersonalMobile=الهاتف المحمول الشخصي -WarningNotLangOfInterface=تحذير ، هذه هي اللغة الرئيسية التي يتحدثها المستخدم ، وليست لغة الواجهة التي اختار أن يراها. لتغيير لغة الواجهة المرئية بواسطة هذا المستخدم ، انتقل إلى علامة التبويب %s +WarningNotLangOfInterface=تحذير، هذه هي اللغة الرئيسية التي يتحدث بها المستخدم، وليست لغة الواجهة التي اختار رؤيتها. لتغيير لغة الواجهة التي يراها هذا المستخدم، انتقل إلى علامة التبويب %s DateLastLogin=تاريخ آخر تسجيل دخول DatePreviousLogin=تاريخ تسجيل الدخول السابق IPLastLogin=آخر تسجيل دخول إلى IP IPPreviousLogin=تسجيل الدخول السابق إلى IP -ShowAllPerms=Show all permission rows -HideAllPerms=Hide all permission rows -UserPublicPageDesc=You can enable a virtual card for this user. An url with the user profile and a barcode will be available to allow anybody with a smartphone to scan it and add your contact to its address book. -EnablePublicVirtualCard=Enable the user's virtual business card +ShowAllPerms=إظهار كافة صفوف الأذونات +HideAllPerms=إخفاء كافة صفوف الأذونات +UserPublicPageDesc=يمكنك تمكين بطاقة افتراضية لهذا المستخدم. عنوان url مع ملف تعريف المستخدم و سيكون الرمز الشريطي متاحًا للسماح لأي شخص لديه هاتف ذكي بمسحه ضوئيًا و أضف جهة الاتصال الخاصة بك إلى دفتر العناوين الخاص به. +EnablePublicVirtualCard=تمكين بطاقة العمل الافتراضية للمستخدم +UserEnabledDisabled=تم تغيير المستخدم حالة: %s +AlternativeEmailForOAuth2=البريد الإلكتروني البديل لتسجيل الدخول إلى OAuth2 diff --git a/htdocs/langs/ar_SA/website.lang b/htdocs/langs/ar_SA/website.lang index 418a3ba6bad..bcfa19e0696 100644 --- a/htdocs/langs/ar_SA/website.lang +++ b/htdocs/langs/ar_SA/website.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - website Shortname=نص مرمز -WebsiteName=Name of the website +WebsiteName=اسم الموقع WebsiteSetupDesc=قم بإنشاء الموقع الالكتروني الذي ترغب باستخدامه ثم اذهب الى القائمة المواقع الإلكترونية لتعديلها DeleteWebsite=حذف الموقع الإلكتروني ConfirmDeleteWebsite=هل انت متأكد من رغبتك بحذف هذا الموقع الإلكتروني ؟ سيتم حذف جميع الصفحات والمحتويات ايضا. الملفات المحملة (كما في المسار الاستديو و وحدة وإدارة المحتوى الرقمي) ستبقى دون حذف. @@ -11,21 +11,21 @@ WEBSITE_ALIASALT=اسم\\لقب بديل للصفحة WEBSITE_ALIASALTDesc=إستخدم هنا قائمة من اسماء\\القاب الصفحة حتى يتم الوصول للصفحة باكثر من اسم\\لقب (على سبيل المثال اسم الصفحة القديم بعد إعادة تسميتها للمحافظة على عمل الروابط القديمة) . الطريقة هي
      الاسم ابديل1 ، الاسم البديل2، ... WEBSITE_CSS_URL=رابط خارجي لملف المظهر WEBSITE_CSS_INLINE=محتوى ملف مظهر (مشترك بين كل الصفحات) -WEBSITE_JS_INLINE=محتوى ملف جافاسكربت (مشترك بين كل الصفحات) +WEBSITE_JS_INLINE=محتوى ملف JavaScript (مشترك بين جميع الصفحات) WEBSITE_HTML_HEADER=ترويسات لغة ترميز النصوص التشعبية (مشتركة بين كل الصفحات) WEBSITE_ROBOT=محتوى ملف الروبوتات النصي WEBSITE_HTACCESS=محتوى ملف ضبط الوصول WEBSITE_MANIFEST_JSON=ملف قوائم جسون للموقع WEBSITE_KEYWORDSDesc=إستخدم الشولة لفصل القيم -EnterHereReadmeInformation=Enter here a description of the website. If you distribute your website as a template, the file will be included into the temptate package. -EnterHereLicenseInformation=Enter here the LICENSE of the code of the website. If you distribute your website as a template, the file will be included into the temptate package. +EnterHereReadmeInformation=أدخل هنا وصفا للموقع. إذا قمت بتوزيع موقع الويب الخاص بك كقالب، فسيتم تضمين الملف في حزمة الإغراءات. +EnterHereLicenseInformation=أدخل هنا ترخيص رمز الموقع. إذا قمت بتوزيع موقع الويب الخاص بك كقالب، فسيتم تضمين الملف في حزمة الإغراءات. HtmlHeaderPage=ترويسات لغة ترميز النصوص التشعبية (لهذه الصفحة فقظ) PageNameAliasHelp=اسم او لقب الصفحة.
      هذا يستخدم ايضا لانشاء رابط تسريع محركات البحث عندما يتم تشغيل الموقع عبر خادم إستضافة افتراضي (مثل اباتشي او انجنكس..) إستخدم الزر "%s" لتعديل هذا الاسم او اللقب. EditTheWebSiteForACommonHeader=ملاحظة: اذا كنت ترغب في تعيين ترويسة لكل الصفحات إستخدم الترويسات على مستوى الموقع بدلا عن ترويسات الصفحة\\الحاوية MediaFiles=الاستديو EditCss=تعديل خصائص الموقع الإلكتروني EditMenu=تعديل القائمة -EditMedias=تعديل الاستديو +EditMedias=تحرير الوسائط EditPageMeta=تعديل خصائص الصفحة\\الحاوية EditInLine=تعديل على السطور AddWebsite=إضافة موقع إلكتروني @@ -43,8 +43,8 @@ ViewPageInNewTab=عرض الصفحة في علامة تبويب جديدة SetAsHomePage=إجعلها الصفحة الرئيسية RealURL=الرابط الحقيقة ViewWebsiteInProduction=عرض الموقع باستخدام رابط الصفحة الرئيسية -Virtualhost=Virtual host or domain name -VirtualhostDesc=The name of the Virtual host or domain (For example: www.mywebsite.com, mybigcompany.net, ...) +Virtualhost=المضيف الظاهري أو اسم المجال +VirtualhostDesc=اسم المضيف أو المجال الافتراضي (على سبيل المثال: www.mywebsite.com، mybigcompany.net، ...) SetHereVirtualHost=بإستخدام اباتشي \\انجنكس\\...
      على خادمك (اباتشي او انجنكس..) قم بإنشاء خادم افتراضي يدعم البي اتش بي واجعل المسار الجذر له
      %s ExampleToUseInApacheVirtualHostConfig=مثال إعدادات لاستخدامه مع خادم اباتشي افتراضي YouCanAlsoTestWithPHPS=لاستخدام خادم بي اتش بي المضمن
      على بيئة التطوير ربما تفضل تجربة موقعك بخادم بي اتش بي المضمن (النسخة 5.5 فما فوق) عبر تشغيل
      php -S 0.0.0.0:8080 -t %s @@ -60,10 +60,11 @@ NoPageYet=لا يوجد صفحات بعد YouCanCreatePageOrImportTemplate=يمكنك انشاء صفحة جديدة او إستيراد موقع إلكتروني كامل SyntaxHelp=مساعدة ونصائح في تكريب جمل معينة YouCanEditHtmlSourceckeditor=يمكن تحرير مصدر لغة ترميز النصوص التشعبية باستخدام زر "تحرير المصدر" في المحرر -YouCanEditHtmlSource=
      يمكنك تضمين نصوص بي اتش بي بإستخدام أوسمة >?php?<. و المتغيرات العامة التالية متاحة : $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      يمكنك ايضا تضمين محتوى صفحة \\حاوية اخرى عن طريق تركيب الجملة التالي
      <?php includeContainer('لقب_الصفحة_المطلوبة'); ?>

      يمكنك إعادة التوجيه الى صفحة \\حاوية اخرى عن طريق تركيب الجملة التالي (ملاحظة لاتقم باي طباعة لمخرجات قبل عملية إعادة التوجهي ) :
      <?php redirectToContainer('لقب_الصفحة_المطلوبة'); ?>

      لإضافة رابط رابط صفحة اخرى يمكنك إستخدام تركيب الجملة التالي :
      <a href="لقب_الصفحة_المطلوبة.php">mylink<a>

      لتضمين رابط لتحميل ملف موجود ضمن مسار المستندات إستخدم المغلف document.php:
      على سبيل المثال لمف موجود على المسار /documents/ecm (يجب تسجيل الدخول اولاً) إستخدم تركيب الجملة التالي :
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      ولملف في المسار documents/medias (مسار مفتوح الوصول للجميع) إستخدم تركيب الجملة التالي:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      للمفات المشاركة بواسطة رابط المشاركة (وصول مفتوح بإستخدام مفتاح رمز دالة الملف ) إستخدم تركيب الجملة التالي:
      <a href="/document.php?hashp=publicsharekeyoffile">

      لتضمين صورة مخزنة في مسار المستندات إستخدم المغلف viewimage.php:
      على سبيل المثال لتضمين صورة موجودة في المسار documents/medias (مسار مفتوح الوصول للعامة)، إستخدم تركيب الجملة التالي:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=لتضمين صورة مشاركة عن طريق رابط المشاركة (وصول عام باستخدام رمز دالة الملف) إستخدم تركيب الجملة التالي:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      يتوفر المزيد من أمثلة HTML أو التعليمات البرمجية الديناميكية على وثائق wiki
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=نسخ الصفحة\\الحاوية CloneSite=نسخ الموقع SiteAdded=تم إضافة الموقع الإلكتروني @@ -83,7 +84,7 @@ BlogPost=تدوينة WebsiteAccount=حساب موقع إلكتروني WebsiteAccounts=حسابات الموقع AddWebsiteAccount=إنشاء حساب موقع إلكتروني -BackToListForThirdParty=Back to list for the third parties +BackToListForThirdParty=العودة إلى قائمة الأطراف الثالثة DisableSiteFirst=عطل الموقع الإلكتروني اولاً MyContainerTitle=عنوان موقعي AnotherContainer=هذه هي الطريقة لتضمين محتوى صفحة\\حاوية اخرى (ربما يظهر لك خطأ عند تمكين المحتوى المتحرك وذلك لان الحاوية الجزئية المضمنة غير موجودة!) @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=للأسف، هذا الموقع غير متصل WEBSITE_USE_WEBSITE_ACCOUNTS=تمكين جدول الموقع الالكتروني WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=تمكين جدول لتخزين حسابات الموقع الإلكتروني (إسم المستخدم\\كلمة السر) لكل موقع إلكتروني \\ طرف ثالث YouMustDefineTheHomePage=لابد ان تُعرف الصفحة الرئيسية المبدئية اولاً -OnlyEditionOfSourceForGrabbedContentFuture=تحذير: إنشاء صفحة عن طريق جلبها من صفحة خارجية هي خاصية للمستخديمن المتمرسين. إعتماداً على تعقيد مصدر الصفحة ، نتيجة الجلب قد تختلف من الاصل. ايضا قد تستخدم الصفحة الاصل ملفات مظهر متعارضة او جافاسكربت تؤدي الى تعطل مظهر الصفحة او تعطل خصائص محرر صفحات الموقع الإلكتروني عند العمل على الصفحة. هذه الخاصية اسرع عند إنشاء الصفحات لكن من المستحسن إنشاء صفحة جديدة من البداية او من قالب صفحة .
      لاحظ ايضا ان التحرير على السطر قد لا يعمل بصورة صحيحة عند العمل على الصفحة المجلوبة. +OnlyEditionOfSourceForGrabbedContentFuture=تحذير: إنشاء صفحة ويب عن طريق استيراد صفحة ويب خارجية هو أمر محجوز للمستخدمين ذوي الخبرة. اعتمادًا على مدى تعقيد الصفحة المصدر، قد تختلف نتيجة الاستيراد عن الصفحة الأصلية. وأيضًا إذا كانت الصفحة المصدر تستخدم أنماط CSS شائعة أو JavaScript متعارضة، فقد يؤدي ذلك إلى تعطيل مظهر محرر موقع الويب أو ميزاته عند العمل على هذه الصفحة. تعد هذه الطريقة طريقة أسرع لإنشاء صفحة ولكن يوصى بإنشاء صفحتك الجديدة من البداية أو من قالب صفحة مقترح.
      لاحظ أيضًا أن المحرر المضمن قد لا يعمل صحيحة عند استخدامها على صفحة خارجية تم الإمساك بها. OnlyEditionOfSourceForGrabbedContent=يتاح فقط مصدر لغة ترميز النصوص التشعبية عند الأستجلاب من موقع خارجي GrabImagesInto=جلب الصور الموجودة في الصفحة او في ملف المظهر ايضاً. ImagesShouldBeSavedInto=يجب ان تُحفظ الصور في مسار @@ -112,13 +113,13 @@ GoTo=ذهاب الى DynamicPHPCodeContainsAForbiddenInstruction=لقد اضفت ترميز نص بي اتش بي والذي يحتوي على التعليمة "%s" وهو ممنوع إبتداءاً في المحتوى المتحرك (راجع الخيار المخفي WEBSITE_PHP_ALLOW_xxx لزيادة قائمة التلعيمات المسموح بها). NotAllowedToAddDynamicContent=ليس لديك إذن لإضافة او تعديل محتوى بي اتش بي متحرك في المواقع الإلكترونية. اطلب اذناً او حافظ على الترميز داخل رموز بي اتش بي بدون تعديل ReplaceWebsiteContent=بحث او إستبدال محتوى الموقع -DeleteAlsoJs=حذف جميع ملفات الجافا سكربت الخاصة بهذا الموقع الإلكتروني ؟ -DeleteAlsoMedias=حذف محتويات الاستديو الخاصة بهذا الموقع الإلكتروني ؟ +DeleteAlsoJs=هل تريد أيضًا حذف جميع ملفات JavaScript الخاصة بهذا الموقع؟ +DeleteAlsoMedias=هل تريد أيضًا حذف جميع ملفات الوسائط الخاصة بهذا الموقع؟ MyWebsitePages=صفحات موقعي الإلكتروني SearchReplaceInto=بحث|إستبدال ReplaceString=النص البديل CSSContentTooltipHelp=ادخل هنا محتوى نصوص المظهر المتشعبة . لتجنب اي تعارض مع ملفات مظهر لتطبيقات اخرى تأكد من إستباق جميع التعريفات بالفئة .bodywebsite . على بيل المثال :

      #mycssselector, input.myclass:hover { ... }
      لابد ان تكتب
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      ملاحظة : إذا كان لديك ملف كبير بدون السابقة يمكنك إستخدام lessc لتحويل الملف وإضافة السابقة .bodywebsite في كل مكان. -LinkAndScriptsHereAreNotLoadedInEditor=تحذير : هذا المحتوى هو المخرجات فقط عند الوصول للموقع من جهة الخادم. وهو ليس المحتوى المستخدم في وضع التعديل لذلك اذا كنت تريد تحميل ملف جافاسكربت في وضع التعديل فقط اضف وسمك 'script src=...' للصفحة +LinkAndScriptsHereAreNotLoadedInEditor=تحذير: يتم إخراج هذا المحتوى فقط عند الوصول إلى الموقع من الخادم. لا يتم استخدامه في وضع التحرير، لذا إذا كنت بحاجة إلى تحميل ملفات JavaScript أيضًا في وضع التحرير، فما عليك سوى إضافة وسم 'script src=...' إلى الصفحة. Dynamiccontent=مثال على صفحة مع محتوى متحرك ImportSite=إستيراد قالب موقع إلكتروني EditInLineOnOff=وضع التعديل على السطر %s @@ -140,7 +141,7 @@ PagesRegenerated=تم توليد %s صفحة\\حاوية RegenerateWebsiteContent=إعادة توليد ملفات الموقع الإلكترونية المؤقتة AllowedInFrames=مسموح بها في الإطارات DefineListOfAltLanguagesInWebsiteProperties=عرف قائمة بكل اللغات المتاحة في خصائص الموقع -GenerateSitemaps=Generate website sitemap.xml file +GenerateSitemaps=إنشاء ملف sitemap.xml لموقع الويب ConfirmGenerateSitemaps=إذا اكدت ، ستقوم بحذف ملف خرطة الموقع الحالي... ConfirmSitemapsCreation=تأكيد توليد خريطة الموقع SitemapGenerated=تم توليد ملف خريطة الموقع %s @@ -148,15 +149,18 @@ ImportFavicon=الايقونة ErrorFaviconType=الأيقونة لابد ان تكون بي ان جي ErrorFaviconSize=لابد ان يكون حجم الأيقونة 16x16 ، 32x32 او 64x64 FaviconTooltip=رفع صورة بي ان جي (16x16،32x32 او 64x64) -NextContainer=Next page/container -PreviousContainer=Previous page/container -WebsiteMustBeDisabled=The website must have the status "%s" -WebpageMustBeDisabled=The web page must have the status "%s" -SetWebsiteOnlineBefore=When website is offline, all pages are offline. Change status of website first. -Booking=Booking -Reservation=Reservation -PagesViewedPreviousMonth=Pages viewed (previous month) -PagesViewedTotal=Pages viewed (total) +NextContainer=الصفحة التالية/الحاوية +PreviousContainer=الصفحة السابقة/الحاوية +WebsiteMustBeDisabled=يجب أن يحتوي موقع الويب على حالة "%s" +WebpageMustBeDisabled=يجب أن تحتوي صفحة الويب على حالة "%s" +SetWebsiteOnlineBefore=عندما يكون موقع الويب غير متصل بالإنترنت، تكون جميع الصفحات غير متصلة بالإنترنت. قم بتغيير حالة لموقع الويب أولاً. +Booking=الحجز +Reservation=حجز +PagesViewedPreviousMonth=الصفحات التي تم عرضها (الشهر السابق) +PagesViewedTotal=الصفحات التي تم عرضها (الإجمالي) Visibility=الرؤية -Everyone=Everyone -AssignedContacts=Assigned contacts +Everyone=الجميع +AssignedContacts=جهات الاتصال المخصصة +WebsiteTypeLabel=نوع موقع الويب +WebsiteTypeDolibarrWebsite=موقع الويب (CMS Dolibarr) +WebsiteTypeDolibarrPortal=بوابة Dolibarr الأصلية diff --git a/htdocs/langs/ar_SA/withdrawals.lang b/htdocs/langs/ar_SA/withdrawals.lang index 0000dce3e1d..dc69bf61e5d 100644 --- a/htdocs/langs/ar_SA/withdrawals.lang +++ b/htdocs/langs/ar_SA/withdrawals.lang @@ -33,7 +33,7 @@ InvoiceWaitingPaymentByBankTransfer=فاتورة بانتظار تحويل ال AmountToWithdraw=سحب المبلغ AmountToTransfer=المبلغ لنقل NoInvoiceToWithdraw=لا توجد فاتورة مفتوحة لـ "%s" في الانتظار. انتقل إلى علامة التبويب "%s" في بطاقة الفاتورة لتقديم طلب. -NoSupplierInvoiceToWithdraw=No supplier invoice with open '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=لا يوجد مورد فاتورة مع فتح '%s' في الانتظار. انتقل إلى علامة التبويب '%s' على بطاقة فاتورة لتقديم طلب. ResponsibleUser=المستخدم المسؤول WithdrawalsSetup=إعداد دفع الخصم المباشر CreditTransferSetup=إعداد تحويل الرصيد @@ -42,12 +42,14 @@ CreditTransferStatistics=إحصاءات تحويل الائتمان Rejects=ترفض LastWithdrawalReceipt=أحدث %s إيصالات الخصم المباشر MakeWithdrawRequest=تقديم طلب دفع الخصم المباشر -MakeWithdrawRequestStripe=Make a direct debit payment request via Stripe +MakeWithdrawRequestStripe=قم بإجراء طلب دفع بالخصم المباشر عبر Stripe MakeBankTransferOrder=قدم طلب تحويل رصيد WithdrawRequestsDone=%s تم تسجيل طلبات الدفع بالخصم المباشر BankTransferRequestsDone=%s تم تسجيل طلبات تحويل الرصيد ThirdPartyBankCode=كود بنك الطرف الثالث -NoInvoiceCouldBeWithdrawed=لم يتم الخصم من فاتورة بنجاح. تحقق من أن الفواتير موجودة في الشركات التي لديها رقم IBAN صالح وأن IBAN يحتوي على UMR (مرجع تفويض فريد) بالوضع %s . +NoInvoiceCouldBeWithdrawed=لم تتم معالجة فاتورة بنجاح. تأكد من أن الفواتير موجودة في الشركات التي لديها رقم IBAN صالح و وأن رقم IBAN يحتوي على UMR (مرجع التفويض الفريد) مع الوضع %s. +NoInvoiceCouldBeWithdrawedSupplier=لم تتم معالجة فاتورة بنجاح. التأكد من وجود الفواتير على الشركات التي لديها رقم IBAN صالح. +NoSalariesCouldBeWithdrawed=لم تتم معالجة راتب بنجاح. تأكد من أن راتب موجود على المستخدمين الذين لديهم رقم IBAN صالح. WithdrawalCantBeCreditedTwice=تم بالفعل تمييز إيصال السحب هذا على أنه مدين ؛ لا يمكن القيام بذلك مرتين ، حيث من المحتمل أن يؤدي ذلك إلى إنشاء مدفوعات وإدخالات بنكية مكررة. ClassCredited=تصنيف حساب ClassDebited=تصنيف الخصم @@ -56,7 +58,7 @@ TransData=تاريخ الإرسال TransMetod=طريقة الإرسال Send=إرسال Lines=بنود -StandingOrderReject=Record a rejection +StandingOrderReject=سجل الرفض WithdrawsRefused=رفض الخصم المباشر WithdrawalRefused=رفض السحب CreditTransfersRefused=رفض تحويلات الائتمان @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=هل أنت متأكد أنك تريد الدخول ف RefusedData=تاريخ الرفض RefusedReason=أسباب الرفض RefusedInvoicing=فوترة الرفض -NoInvoiceRefused=لا تتهم الرفض -InvoiceRefused=تم رفض الفاتورة (فرض رسوم الرفض على العميل) +NoInvoiceRefused=لا تقم بتحميل العميل مقابل الرفض +InvoiceRefused=توجيه الاتهام إلى العميل بسبب الرفض +DirectDebitRefusedInvoicingDesc=قم بتعيين علامة للإشارة إلى أنه يجب تحميل هذا الرفض على العميل StatusDebitCredit=حالة الخصم | الائتمان StatusWaiting=انتظار StatusTrans=أحال @@ -101,11 +104,11 @@ CreditDate=الائتمان على WithdrawalFileNotCapable=تعذر إنشاء ملف إيصال السحب لبلدك %s (بلدك غير مدعوم) ShowWithdraw=عرض أمر الخصم المباشر IfInvoiceNeedOnWithdrawPaymentWontBeClosed=ومع ذلك ، إذا كانت الفاتورة تحتوي على أمر دفع خصم مباشر واحد على الأقل لم تتم معالجته بعد ، فلن يتم تعيينها على أنها مدفوعة للسماح بإدارة السحب المسبق. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. -DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. -DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments=تسمح لك علامة التبويب هذه بطلب الدفع بالخصم المباشر طلب. بمجرد الانتهاء، يمكنك الانتقال إلى القائمة "البنك->الدفع عن طريق الخصم المباشر" لإنشاء ملف و لإدارة ملف طلب. . +DoStandingOrdersBeforePayments2=يمكنك أيضًا إرسال طلب مباشرةً إلى معالج دفع SEPA مثل Stripe، ... +DoStandingOrdersBeforePayments3=عند إغلاق الطلب، سيتم تسجيل الدفع على الفواتير تلقائيًا، ويتم إغلاق الفواتير و إذا كان المبلغ المتبقي للدفع فارغًا. +DoCreditTransferBeforePayments=تتيح لك علامة التبويب هذه طلب تحويل رصيد طلب. بمجرد الانتهاء، انتقل إلى القائمة "البنك->الدفع عن طريق تحويل الائتمان" لإنشاء ملف و لإدارة ملف تحويل الائتمان طلب. +DoCreditTransferBeforePayments3=عند إغلاق تحويل الائتمان طلب، سيتم تسجيل الدفع على الفواتير تلقائيًا، ويتم إغلاق الفواتير و إذا كان المبلغ المتبقي للدفع فارغًا. WithdrawalFile=ملف أمر الخصم CreditTransferFile=ملف تحويل رصيد SetToStatusSent=تعيين إلى الحالة "ملف مرسل" @@ -115,14 +118,14 @@ RUM=UMR DateRUM=تاريخ توقيع التفويض RUMLong=مرجع التفويض الفريد RUMWillBeGenerated=إذا كانت فارغة ، فسيتم إنشاء UMR (مرجع التفويض الفريد) بمجرد حفظ معلومات الحساب المصرفي. -WithdrawMode=وضع الخصم المباشر (FRST أو RECUR) +WithdrawMode=وضع الخصم المباشر (FRST أو RCUR) WithdrawRequestAmount=مبلغ طلب الخصم المباشر: BankTransferAmount=مبلغ طلب تحويل الرصيد: WithdrawRequestErrorNilAmount=تعذر إنشاء طلب الخصم المباشر لمبلغ فارغ. SepaMandate=تفويض الخصم المباشر لمنطقة الدفعات الأوروبية الموحدة (SEPA) SepaMandateShort=تفويض SEPA PleaseReturnMandate=يرجى إعادة نموذج التفويض هذا بالبريد الإلكتروني إلى %s أو بالبريد إلى -SEPALegalText=By signing this mandate form, you authorize (A) %s and its payment service provider to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. You agree to receive notifications about future charges up to 2 days before they occur. +SEPALegalText=من خلال التوقيع على نموذج التفويض هذا، فإنك تسمح لـ (أ) %s و مزود خدمة الدفع الخاص به بإرسال تعليمات إلى البنك الذي تتعامل معه لخصم أموالك حساب و (ب) البنك الذي تتعامل معه للخصم من حسابك وفقًا للتعليمات الواردة من %s. كجزء من حقوقك، يحق لك استرداد الأموال من البنك الذي تتعامل معه بموجب شروط و الواردة في اتفاقيتك مع البنك الذي تتعامل معه. حقوقك فيما يتعلق بالتفويض المذكور أعلاه موضحة في بيان يمكنك الحصول عليه من البنك الذي تتعامل معه. أنت توافق على تلقي إشعارات حول الرسوم المستقبلية قبل يومين من حدوثها. CreditorIdentifier=معرف الدائن CreditorName=اسم الدائن SEPAFillForm=(ب) الرجاء استكمال جميع الحقول المعلمة * @@ -131,6 +134,7 @@ SEPAFormYourBAN=اسم حسابك المصرفي (IBAN) SEPAFormYourBIC=كود معرف البنك الخاص بك (BIC) SEPAFrstOrRecur=طريقة السداد ModeRECUR=السداد المتكرر +ModeRCUR=السداد المتكرر ModeFRST=السداد مرة واحدة PleaseCheckOne=يرجى تحديد واحد فقط CreditTransferOrderCreated=تم إنشاء %s أمر تحويل الرصيد @@ -155,9 +159,16 @@ InfoTransData=المبلغ: %s
      Metode: %s
      تاريخ: %s InfoRejectSubject=تم رفض أمر الدفع بالخصم المباشر InfoRejectMessage=مرحبًا ،

      رفض البنك أمر الدفع بالخصم المباشر للفاتورة %s المتعلقة بالشركة %s ، مع مبلغ %s من قبل البنك.

      -
      %s ModeWarning=لم يتم تعيين خيار الوضع الحقيقي ، نتوقف بعد هذه المحاكاة -ErrorCompanyHasDuplicateDefaultBAN=تمتلك الشركة ذات المعرف %s أكثر من حساب مصرفي افتراضي. لا توجد طريقة لمعرفة أي واحد يستخدم. +ErrorCompanyHasDuplicateDefaultBAN=شركة بالمعرف %s لديه أكثر من حساب مصرفي افتراضي. لا توجد وسيلة لمعرفة أي واحد للاستخدام. ErrorICSmissing=ICS مفقود في الحساب المصرفي %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=يختلف المبلغ الإجمالي لأمر الخصم المباشر عن مجموع البنود WarningSomeDirectDebitOrdersAlreadyExists=تحذير: هناك بالفعل بعض أوامر الخصم المباشر المعلقة (%s) المطلوبة لمبلغ %s WarningSomeCreditTransferAlreadyExists=تحذير: هناك بالفعل بعض عمليات تحويل الرصيد المعلقة (%s) المطلوبة لمبلغ %s UsedFor=تستخدم ل %s +Societe_ribSigned=تم توقيع تفويض SEPA +NbOfInvoiceToPayByBankTransferForSalaries=عدد رواتب المؤهلين الذين ينتظرون الدفع عن طريق تحويل الرصيد +SalaryWaitingWithdraw=رواتب في انتظار الدفع عن طريق تحويل الرصيد +RefSalary=الراتب +NoSalaryInvoiceToWithdraw=لا يوجد راتب في انتظار '%s'. انتقل إلى علامة التبويب '%s' على بطاقة راتب لتقديم طلب. +SalaryInvoiceWaitingWithdraw=رواتب في انتظار الدفع عن طريق تحويل الرصيد + diff --git a/htdocs/langs/ar_SA/workflow.lang b/htdocs/langs/ar_SA/workflow.lang index a0a44bde14b..75c86f5358b 100644 --- a/htdocs/langs/ar_SA/workflow.lang +++ b/htdocs/langs/ar_SA/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=إنشاء فاتورة العميل ت descWORKFLOW_ORDER_AUTOCREATE_INVOICE=إنشاء فاتورة العميل تلقائيًا بعد إغلاق أمر المبيعات (الفاتورة الجديدة سيكون لها نفس مبلغ الأمر) descWORKFLOW_TICKET_CREATE_INTERVENTION=عند إنشاء التذكرة ، قم بإنشاء تدخل تلقائيًا. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=تصنيف اقتراح المصدر المرتبط على أنه تمت فوترته عند تعيين أمر المبيعات على الفاتورة (وإذا كان مبلغ الأمر هو نفس المبلغ الإجمالي للعرض المرتبط الموقع) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=تصنيف مقترح المصدر المرتبط على أنه فاتورة عند التحقق من صحة فاتورة العميل (وإذا كان مبلغ الفاتورة هو نفس المبلغ الإجمالي للمقترح المرتبط الموقع) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=تصنيف أمر مبيعات المصدر المرتبط على أنه تمت فوترته عند التحقق من صحة فاتورة العميل (وإذا كان مبلغ الفاتورة هو نفسه المبلغ الإجمالي للأمر المرتبط) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=تصنيف أمر مبيعات المصدر المرتبط على أنه فاتورة عند تعيين فاتورة العميل على مدفوعة (وإذا كان مبلغ الفاتورة هو نفسه المبلغ الإجمالي للأمر المرتبط) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=تصنيف أمر مبيعات المصدر المرتبط على أنه مشحون عند التحقق من صحة الشحنة (وإذا كانت الكمية المشحونة بواسطة جميع الشحنات هي نفسها الموجودة في أمر التحديث) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=تصنيف مقترحات المصادر المرتبطة على أنها مفوترة عند تعيين مبيعات طلب على فاتورة (و إذا كان مبلغ طلب هو نفس المبلغ الإجمالي للمقترحات المرتبطة الموقعة) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=تصنيف مقترحات المصادر المرتبطة على أنها مفوترة عند التحقق من صحة العميل فاتورة (و إذا كان مبلغ فاتورة هو نفس المبلغ الإجمالي للمقترحات المرتبطة الموقعة) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=تصنيف مبيعات المصدر المرتبطة طلب على أنها مفوترة عند التحقق من صحة العميل فاتورة ( و إذا كان مبلغ فاتورة هو نفس المبلغ الإجمالي لأوامر المبيعات المرتبطة). إذا كان لديك فاتورة واحد تم التحقق من صحته لعدد n من الطلبات، فقد يؤدي هذا إلى تعيين جميع الطلبات ليتم تحرير فواتير لها أيضًا. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=تصنيف أوامر المبيعات المصدر المرتبطة على أنها مفوترة عند تعيين العميل فاتورة على مدفوع (و إذا كان مبلغ فاتورة هو نفس المبلغ الإجمالي لأوامر المبيعات المرتبطة). إذا كان لديك مجموعة واحدة فاتورة تم تحرير فاتورة بها لعدد n من الطلبات، فقد يؤدي هذا إلى تعيين جميع الطلبات ليتم تحرير فاتورة بها أيضًا. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=قم بتصنيف أوامر المبيعات المصدر المرتبطة على أنها مشحونة عندما يتم التحقق من صحة الشحنة (و إذا كانت الكمية المشحونة بواسطة جميع الشحنات هي نفسها كما في طلب للتحديث) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=تصنيف أمر مبيعات المصدر المرتبط على أنه مشحون عند إغلاق الشحنة (وإذا كانت الكمية المشحونة بواسطة جميع الشحنات هي نفسها الموجودة في أمر التحديث) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=تصنيف مقترح مورد المصدر المرتبط كما هو مفوتر عند التحقق من صحة فاتورة المورد (وإذا كان مبلغ الفاتورة هو نفسه المبلغ الإجمالي للعرض المرتبط) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=تصنيف اقتراح المصدر المرتبط المورد على أنه تمت فوترته عند التحقق من صحة فاتورة مورد (و إذا مبلغ فاتورة هو نفس المبلغ الإجمالي للمقترحات المرتبطة) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=تصنيف أمر شراء المصدر المرتبط كما هو مفوتر عند التحقق من صحة فاتورة المورد (وإذا كان مبلغ الفاتورة هو نفسه المبلغ الإجمالي للأمر المرتبط) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=تصنيف عملية شراء المصدر المرتبط طلب على أنها تتم محاسبتها عند التحقق من صحة فاتورة مورد (و إذا مبلغ فاتورة هو نفس المبلغ الإجمالي للطلبات المرتبطة) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=تصنيف أمر شراء المصدر المرتبط على أنه تم استلامه عند التحقق من صحة الاستلام (وإذا كانت الكمية المستلمة من قبل جميع الاستقبالات هي نفسها الموجودة في أمر الشراء للتحديث) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=تصنيف أمر شراء المصدر المرتبط كما تم استلامه عند إغلاق الاستلام (وإذا كانت الكمية المستلمة من قبل جميع الاستدعاءات هي نفسها الموجودة في أمر الشراء للتحديث) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=تصنيف الشحنة المصدر المرتبطة على أنها مغلقة عند التحقق من صحة العميل فاتورة (و إذا كان مبلغ فاتورة هو نفس المبلغ الإجمالي للشحنات المرتبطة) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=تصنيف الشحنة المصدر المرتبطة على أنها مفوترة عند التحقق من صحة العميل فاتورة (و إذا كان مبلغ فاتورة هو نفس المبلغ الإجمالي للشحنات المرتبطة) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=تصنيف عمليات الاستقبال المصدر المرتبطة على أنها مفوترة عند التحقق من صحة عملية الشراء فاتورة (و إذا كان مبلغ فاتورة هو نفس المبلغ الإجمالي لعمليات الاستقبال المرتبطة) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=تصنيف عمليات الاستقبال المصدر المرتبطة على أنها مفوترة عند التحقق من صحة عملية الشراء فاتورة (و إذا كان مبلغ فاتورة هو نفس المبلغ الإجمالي لعمليات الاستقبال المرتبطة) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=عند إنشاء تذكرة ، قم بربط العقود المتاحة لمطابقة الطرف الثالث +descWORKFLOW_TICKET_LINK_CONTRACT=عند إنشاء تذكرة، قم بربط جميع العقود المتاحة للأطراف الثالثة المطابقة descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=عند ربط العقود ، ابحث بين تلك الخاصة بالشركات الأم # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=إغلاق جميع المداخلات المرتبطة بالتذكرة عند إغلاق التذكرة AutomaticCreation=إنشاء تلقائي AutomaticClassification=التصنيف التلقائي -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=إغلاق تلقائي AutomaticLinking=ربط تلقائي diff --git a/htdocs/langs/az_AZ/accountancy.lang b/htdocs/langs/az_AZ/accountancy.lang index 8bc4b54a090..a0beb285e6c 100644 --- a/htdocs/langs/az_AZ/accountancy.lang +++ b/htdocs/langs/az_AZ/accountancy.lang @@ -1,437 +1,518 @@ # Dolibarr language file - en_US - Accountancy (Double entries) -Accountancy=Accountancy -Accounting=Accounting -ACCOUNTING_EXPORT_SEPARATORCSV=Column separator for export file -ACCOUNTING_EXPORT_DATE=Date format for export file -ACCOUNTING_EXPORT_PIECE=Export the number of piece -ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Export with global account -ACCOUNTING_EXPORT_LABEL=Export label -ACCOUNTING_EXPORT_AMOUNT=Export amount -ACCOUNTING_EXPORT_DEVISE=Export currency -Selectformat=Select the format for the file -ACCOUNTING_EXPORT_FORMAT=Select the format for the file -ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type -ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name -ThisService=This service -ThisProduct=This product -DefaultForService=Default for service -DefaultForProduct=Default for product -ProductForThisThirdparty=Product for this thirdparty -ServiceForThisThirdparty=Service for this thirdparty -CantSuggest=Can't suggest -AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s -ConfigAccountingExpert=Configuration of the module accounting (double entry) -Journalization=Journalization -Journals=Journals -JournalFinancial=Financial journals -BackToChartofaccounts=Return chart of accounts -Chartofaccounts=Chart of accounts -ChartOfSubaccounts=Chart of individual accounts -ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger -CurrentDedicatedAccountingAccount=Current dedicated account -AssignDedicatedAccountingAccount=New account to assign -InvoiceLabel=Invoice label -OverviewOfAmountOfLinesNotBound=Overview of amount of lines not bound to an accounting account -OverviewOfAmountOfLinesBound=Overview of amount of lines already bound to an accounting account -OtherInfo=Other information -DeleteCptCategory=Remove accounting account from group -ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group? -JournalizationInLedgerStatus=Status of journalization -AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger -GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group -DetailByAccount=Show detail by account -AccountWithNonZeroValues=Accounts with non-zero values -ListOfAccounts=List of accounts -CountriesInEEC=Countries in EEC -CountriesNotInEEC=Countries not in EEC -CountriesInEECExceptMe=Countries in EEC except %s -CountriesExceptMe=All countries except %s -AccountantFiles=Export source documents -ExportAccountingSourceDocHelp=With this tool, you can export the source events (list in CSV and PDFs) that are used to generate your accountancy. -ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. -VueByAccountAccounting=View by accounting account -VueBySubAccountAccounting=View by accounting subaccount +Accountancy=Mühasibatlıq +Accounting=Mühasibat uçotu +ACCOUNTING_EXPORT_SEPARATORCSV=İxrac faylı üçün sütun ayırıcı +ACCOUNTING_EXPORT_DATE=İxrac faylı üçün tarix formatı +ACCOUNTING_EXPORT_PIECE=Parçanın sayını ixrac edin +ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Qlobal hesabla ixrac edin +ACCOUNTING_EXPORT_LABEL=Etiketi ixrac edin +ACCOUNTING_EXPORT_AMOUNT=İxrac məbləği +ACCOUNTING_EXPORT_DEVISE=İxrac valyutası +Selectformat=Fayl üçün format seçin +ACCOUNTING_EXPORT_FORMAT=Fayl üçün format seçin +ACCOUNTING_EXPORT_ENDLINE=Vaqonun qaytarılması növünü seçin +ACCOUNTING_EXPORT_PREFIX_SPEC=Fayl adı üçün prefiksi təyin edin +ThisService=Bu xidmət +ThisProduct=Bu məhsul +DefaultForService=Xidmətlər üçün defolt +DefaultForProduct=Məhsullar üçün defolt +ProductForThisThirdparty=Bu üçüncü tərəf üçün məhsul +ServiceForThisThirdparty=Bu üçüncü tərəf üçün xidmət +CantSuggest=Təklif edə bilmirəm +AccountancySetupDoneFromAccountancyMenu=Mühasibat uçotunun əksər qurulması %s menyusundan həyata keçirilir. +ConfigAccountingExpert=Modul uçotunun konfiqurasiyası (ikiqat giriş) +Journalization=Jurnalizasiya +Journals=Jurnallar +JournalFinancial=Maliyyə jurnalları +BackToChartofaccounts=Hesabların qaytarılması planı +Chartofaccounts=Hesablar planı +ChartOfSubaccounts=Fərdi hesablar planı +ChartOfIndividualAccountsOfSubsidiaryLedger=Törəmə mühasibat kitabının fərdi hesablar planı +CurrentDedicatedAccountingAccount=Cari xüsusi hesab +AssignDedicatedAccountingAccount=Təyin ediləcək yeni hesab +InvoiceLabel=Faktura etiketi +OverviewOfAmountOfLinesNotBound=Mühasibat uçotu hesabına bağlı olmayan sətirlərin məbləğinin icmalı +OverviewOfAmountOfLinesBound=Artıq mühasibat hesabına bağlanmış xətlərin məbləğinin icmalı +OtherInfo=Digər məlumatlar +DeleteCptCategory=Mühasibat hesabını qrupdan çıxarın +ConfirmDeleteCptCategory=Bu mühasibat hesabını mühasibat hesabı qrupundan silmək istədiyinizə əminsiniz? +JournalizationInLedgerStatus=Jurnalizasiyanın vəziyyəti +AlreadyInGeneralLedger=Artıq mühasibat jurnallarına və kitab dəftərinə köçürülüb +NotYetInGeneralLedger=Hələ mühasibat jurnallarına və kitab dəftərinə köçürülməmişdir +GroupIsEmptyCheckSetup=Qrup boşdur, fərdiləşdirilmiş mühasibat qrupunun qurulmasını yoxlayın +DetailByAccount=Hesaba görə təfərrüatı göstərin +DetailBy=Ətraflı +AccountWithNonZeroValues=Sıfırdan fərqli dəyərləri olan hesablar +ListOfAccounts=Hesabların siyahısı +CountriesInEEC=AET-dəki ölkələr +CountriesNotInEEC=AET-də olmayan ölkələr +CountriesInEECExceptMe=%s istisna olmaqla AET-dəki ölkələr +CountriesExceptMe=%s istisna olmaqla bütün ölkələr +AccountantFiles=Mənbə sənədlərini ixrac edin +ExportAccountingSourceDocHelp=Bu alətlə siz mühasibatlığınızı yaratmaq üçün istifadə olunan mənbə hadisələrini axtarıb ixrac edə bilərsiniz.
      Eksport edilmiş ZIP faylı CSV-də tələb olunan elementlərin siyahılarını, həmçinin onların orijinal formatında (PDF, ODT, DOCX...) əlavə edilmiş faylları ehtiva edəcək. +ExportAccountingSourceDocHelp2=Jurnallarınızı ixrac etmək üçün %s - %s menyu girişindən istifadə edin. +ExportAccountingProjectHelp=Yalnız müəyyən bir layihə üçün mühasibat hesabatına ehtiyacınız varsa, layihəni göstərin. Xərc hesabatları və kredit ödənişləri layihə hesabatlarına daxil edilmir. +ExportAccountancy=İxrac mühasibatlığı +WarningDataDisappearsWhenDataIsExported=Xəbərdarlıq, bu siyahıda yalnız artıq ixrac olunmamış mühasibat qeydləri var (İxrac tarixi boşdur). Əgər siz artıq ixrac edilmiş mühasibat qeydlərini daxil etmək istəyirsinizsə, yuxarıdakı düyməni vurun. +VueByAccountAccounting=Mühasibat hesabı ilə baxın +VueBySubAccountAccounting=Mühasibat alt hesabı ilə baxın -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup -MainAccountForUsersNotDefined=Main accounting account for users not defined in setup -MainAccountForVatPaymentNotDefined=Main accounting account for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Main accounting account for subscription payment not defined in setup +MainAccountForCustomersNotDefined=Quraşdırmada müəyyən edilməyən müştərilər üçün əsas hesab (Hesab Planından). +MainAccountForSuppliersNotDefined=Quraşdırmada müəyyən edilməyən satıcılar üçün əsas hesab (Hesab Planından). +MainAccountForUsersNotDefined=Quraşdırmada müəyyən edilməyən istifadəçilər üçün əsas hesab (Hesab Planından). +MainAccountForVatPaymentNotDefined=Quraşdırmada müəyyən edilməyən ƏDV ödənişi üçün hesab (Hesab Planından). +MainAccountForSubscriptionPaymentNotDefined=Quraşdırmada müəyyən edilməyən üzvlük ödənişi üçün hesab (Hesab Planından). +MainAccountForRetainedWarrantyNotDefined=Quraşdırmada müəyyən edilməyən saxlanılan zəmanət üçün hesab (Hesab Planından). +UserAccountNotDefined=İstifadəçi üçün mühasibat hesabı quraşdırmada müəyyən edilməyib -AccountancyArea=Accounting area -AccountancyAreaDescIntro=Usage of the accountancy module is done in several step: -AccountancyAreaDescActionOnce=The following actions are usually executed one time only, or once per year... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you the correct default accounting account when making the journalization (writing record in Journals and General ledger) -AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... +AccountancyArea=Mühasibat sahəsi +AccountancyAreaDescIntro=Mühasibat uçotu modulunun istifadəsi bir neçə mərhələdə həyata keçirilir: +AccountancyAreaDescActionOnce=Aşağıdakı hərəkətlər adətən yalnız bir dəfə və ya ildə bir dəfə həyata keçirilir... +AccountancyAreaDescActionOnceBis=Mühasibat uçotunda məlumatların ötürülməsi zamanı avtomatik olaraq düzgün standart mühasibat hesabını təklif etməklə gələcəkdə vaxtınıza qənaət etmək üçün növbəti addımlar atılmalıdır. +AccountancyAreaDescActionFreq=Aşağıdakı hərəkətlər adətən çox böyük şirkətlər üçün hər ay, həftə və ya gün yerinə yetirilir... -AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s -AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescJournalSetup=ADDIM %s: %s menyusundan jurnal siyahınızın məzmununu yoxlayın +AccountancyAreaDescChartModel=ADDIM %s: Hesab planı modelinin mövcud olduğunu yoxlayın və ya %s menyusundan birini yaradın. +AccountancyAreaDescChart=ADDIM %s: %s menyusundan hesab cədvəlinizi seçin və|və ya tamamlayın -AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. -AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. -AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expenses (miscellaneous taxes). For this, use the menu entry %s. -AccountancyAreaDescDonation=STEP %s: Define default accounting accounts for donation. For this, use the menu entry %s. -AccountancyAreaDescSubscription=STEP %s: Define default accounting accounts for member subscription. For this, use the menu entry %s. -AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. -AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your products/services. For this, use the menu entry %s. +AccountancyAreaDescFiscalPeriod=ADDIM %s: Defolt olaraq mühasibat qeydlərinizi birləşdirəcək maliyyə ili təyin edin. Bunun üçün %s menyu girişindən istifadə edin. +AccountancyAreaDescVat=ADDIM %s: Hər ƏDV dərəcələri üçün mühasibat hesablarını müəyyənləşdirin. Bunun üçün %s menyu girişindən istifadə edin. +AccountancyAreaDescDefault=ADDIM %s: Defolt mühasibat hesablarını müəyyənləşdirin. Bunun üçün %s menyu girişindən istifadə edin. +AccountancyAreaDescExpenseReport=ADDIM %s: Xərc hesabatının hər növü üçün defolt mühasibat hesablarını müəyyənləşdirin. Bunun üçün %s menyu girişindən istifadə edin. +AccountancyAreaDescSal=ADDIM %s: Maaşların ödənilməsi üçün defolt mühasibat hesablarını müəyyənləşdirin. Bunun üçün %s menyu girişindən istifadə edin. +AccountancyAreaDescContrib=ADDIM %s: Vergilər (xüsusi xərclər) üçün defolt mühasibat hesablarını müəyyənləşdirin. Bunun üçün %s menyu girişindən istifadə edin. +AccountancyAreaDescDonation=ADDIM %s: İanə üçün defolt mühasibat hesablarını müəyyənləşdirin. Bunun üçün %s menyu girişindən istifadə edin. +AccountancyAreaDescSubscription=ADDIM %s: Üzv abunəliyi üçün defolt mühasibat hesablarını müəyyənləşdirin. Bunun üçün %s menyu girişindən istifadə edin. +AccountancyAreaDescMisc=ADDIM %s: Müxtəlif əməliyyatlar üçün məcburi defolt hesabları və defolt mühasibat hesablarını müəyyənləşdirin. Bunun üçün %s menyu girişindən istifadə edin. +AccountancyAreaDescLoan=ADDIM %s: Kreditlər üçün defolt mühasibat hesablarını müəyyənləşdirin. Bunun üçün %s menyu girişindən istifadə edin. +AccountancyAreaDescBank=ADDIM %s: Hər bir bank və maliyyə hesabı üçün mühasibat hesablarını və jurnal kodunu müəyyənləşdirin. Bunun üçün %s menyu girişindən istifadə edin. +AccountancyAreaDescProd=ADDIM %s: Məhsul/Xidmətlərinizdə mühasibat hesablarını müəyyənləşdirin. Bunun üçün %s menyu girişindən istifadə edin. -AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. -AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and generate reports and exports. +AccountancyAreaDescBind=ADDIM %s: Mövcud %s xətləri və mühasibat hesabı arasındakı əlaqəni yoxlayın, beləliklə, proqram Mühasibat Kitabında əməliyyatları jurnallaşdıra biləcək bir kliklə. Çatışmayan bağlamaları tamamlayın. Bunun üçün %s menyu girişindən istifadə edin. +AccountancyAreaDescWriteRecords=ADDIM %s: Əməliyyatları Mühasibat Kitabına yazın. Bunun üçün %s menyusuna daxil olun və düyməni klikləyin %s. +AccountancyAreaDescAnalyze=ADDIM %s: Hesabatları oxuyun və ya digər mühasiblər üçün ixrac faylları yaradın. +AccountancyAreaDescClosePeriod=ADDIM %s: Gələcəkdə eyni dövrdə daha data ötürə bilməyəcəyimiz üçün dövrü bağlayın. -AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. - -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) -Selectchartofaccounts=Select active chart of accounts -ChangeAndLoad=Change and load -Addanaccount=Add an accounting account -AccountAccounting=Accounting account -AccountAccountingShort=Account -SubledgerAccount=Subledger account -SubledgerAccountLabel=Subledger account label -ShowAccountingAccount=Show accounting account -ShowAccountingJournal=Show accounting journal -ShowAccountingAccountInLedger=Show accounting account in ledger -ShowAccountingAccountInJournals=Show accounting account in journals -AccountAccountingSuggest=Accounting account suggested -MenuDefaultAccounts=Default accounts -MenuBankAccounts=Bank accounts -MenuVatAccounts=Vat accounts -MenuTaxAccounts=Tax accounts -MenuExpenseReportAccounts=Expense report accounts -MenuLoanAccounts=Loan accounts -MenuProductsAccounts=Product accounts -MenuClosureAccounts=Closure accounts -MenuAccountancyClosure=Closure -MenuAccountancyValidationMovements=Validate movements -ProductsBinding=Products accounts -TransferInAccounting=Transfer in accounting -RegistrationInAccounting=Registration in accounting -Binding=Binding to accounts -CustomersVentilation=Customer invoice binding -SuppliersVentilation=Vendor invoice binding -ExpenseReportsVentilation=Expense report binding -CreateMvts=Create new transaction -UpdateMvts=Modification of a transaction -ValidTransaction=Validate transaction -WriteBookKeeping=Register transactions in accounting +TheFiscalPeriodIsNotDefined=Quraşdırmada məcburi addım tamamlanmayıb (maliyyə dövrü müəyyən edilməyib) +TheJournalCodeIsNotDefinedOnSomeBankAccount=Quraşdırmada məcburi addım tamamlanmayıb (bütün bank hesabları üçün mühasibat kodu jurnalı müəyyən edilməyib) +Selectchartofaccounts=Aktiv hesablar planını seçin +CurrentChartOfAccount=Cari aktiv hesab planı +ChangeAndLoad=Dəyişdirin və yükləyin +Addanaccount=Mühasibat hesabı əlavə edin +AccountAccounting=Mühasibat hesabı +AccountAccountingShort=Hesab +SubledgerAccount=Subledger hesabı +SubledgerAccountLabel=Subledger hesabı etiketi +ShowAccountingAccount=Mühasibat hesabını göstərin +ShowAccountingJournal=Mühasibat jurnalını göstərin +ShowAccountingAccountInLedger=Mühasibat hesabını mühasibat kitabçasında göstərin +ShowAccountingAccountInJournals=Jurnallarda mühasibat hesabını göstərin +DataUsedToSuggestAccount=Hesab təklif etmək üçün istifadə edilən data +AccountAccountingSuggest=Hesab təklif edildi +MenuDefaultAccounts=Defolt hesablar +MenuBankAccounts=Bank hesabları +MenuVatAccounts=ƏDV hesabları +MenuTaxAccounts=Vergi hesabları +MenuExpenseReportAccounts=Xərc hesabatı hesabları +MenuLoanAccounts=Kredit hesabları +MenuProductsAccounts=Məhsul hesabları +MenuClosureAccounts=Hesabların bağlanması +MenuAccountancyClosure=Bağlanma +MenuExportAccountancy=İxrac mühasibatlığı +MenuAccountancyValidationMovements=Hərəkətləri təsdiqləyin +ProductsBinding=Məhsul hesabları +TransferInAccounting=Mühasibat uçotunda köçürmə +RegistrationInAccounting=Mühasibat uçotunda qeyd +Binding=Hesablara bağlama +CustomersVentilation=Müştəri fakturasının bağlanması +SuppliersVentilation=Satıcı fakturasının bağlanması +ExpenseReportsVentilation=Xərc hesabatı məcburidir +CreateMvts=Yeni əməliyyat yaradın +UpdateMvts=Əməliyyatın dəyişdirilməsi +ValidTransaction=Əməliyyatı təsdiqləyin +WriteBookKeeping=Mühasibat uçotunda əməliyyatları qeyd edin Bookkeeping=Ledger BookkeepingSubAccount=Subledger -AccountBalance=Account balance -ObjectsRef=Source object ref -CAHTF=Total purchase vendor before tax -TotalExpenseReport=Total expense report -InvoiceLines=Lines of invoices to bind -InvoiceLinesDone=Bound lines of invoices -ExpenseReportLines=Lines of expense reports to bind -ExpenseReportLinesDone=Bound lines of expense reports -IntoAccount=Bind line with the accounting account -TotalForAccount=Total accounting account +AccountBalance=Hesab balansı +AccountBalanceSubAccount=Subhesabların balansı +ObjectsRef=Mənbə obyekti refer +CAHTF=Vergidən əvvəl ümumi alış satıcısı +TotalExpenseReport=Ümumi xərc hesabatı +InvoiceLines=Bağlanacaq faktura xətləri +InvoiceLinesDone=Qaimə-fakturaların bağlı xətləri +ExpenseReportLines=Xərc hesabatlarının xətləri bağlanmalıdır +ExpenseReportLinesDone=Xərc hesabatlarının bağlı xətləri +IntoAccount=Mühasibat hesabı ilə xətti bağlayın +TotalForAccount=Ümumi mühasibat hesabı -Ventilate=Bind -LineId=Id line -Processing=Processing -EndProcessing=Process terminated. -SelectedLines=Selected lines -Lineofinvoice=Line of invoice -LineOfExpenseReport=Line of expense report -NoAccountSelected=No accounting account selected -VentilatedinAccount=Binded successfully to the accounting account -NotVentilatedinAccount=Not bound to the accounting account -XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account -XLineFailedToBeBinded=%s products/services were not bound to any accounting account +Ventilate=Bağlamaq +LineId=İd xətti +Processing=Emal edilir +EndProcessing=Proses dayandırıldı. +SelectedLines=Seçilmiş xətlər +Lineofinvoice=Faktura xətti +LineOfExpenseReport=Xərc hesabatı xətti +NoAccountSelected=Heç bir mühasibat hesabı seçilməyib +VentilatedinAccount=Mühasibat hesabına uğurla bağlandı +NotVentilatedinAccount=Mühasibat hesabına bağlı deyil +XLineSuccessfullyBinded=%s məhsul/xidmət mühasibat hesabına uğurla bağlandı +XLineFailedToBeBinded=%s məhsul/xidmətlər heç bir mühasibat hesabına bağlı deyildi -ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50) -ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements -ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements +ACCOUNTING_LIMIT_LIST_VENTILATION=Siyahıda və bağlama səhifəsində maksimum sətir sayı (tövsiyə olunur: 50) +ACCOUNTING_LIST_SORT_VENTILATION_TODO=Ən son elementlər üzrə "Binding to" səhifəsinin çeşidlənməsinə başlayın +ACCOUNTING_LIST_SORT_VENTILATION_DONE=Ən son elementlər üzrə "Binding tamamlandı" səhifəsinin çeşidlənməsinə başlayın -ACCOUNTING_LENGTH_DESCRIPTION=Truncate product & services description in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncate product & services account description form in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set value to 6 here, the account '706' will appear like '706000' on screen) -ACCOUNTING_LENGTH_AACCOUNT=Length of the third-party accounting accounts (If you set value to 6 here, the account '401' will appear like '401000' on screen) -ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of an accounting account. Needed by some countries (like Switzerland). If set to off (default), you can set the following two parameters to ask the application to add virtual zeros. -BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account -ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal -ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, select period show by default +ACCOUNTING_LENGTH_DESCRIPTION=Məhsul və xidmətlərin təsvirini x simvoldan sonra siyahıda kəsin (Ən yaxşı = 50) +ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Məhsul və xidmətlərin hesab təsviri formasını siyahılarda x simvoldan sonra kəsin (Ən yaxşı = 50) +ACCOUNTING_LENGTH_GACCOUNT=Ümumi mühasibat hesablarının uzunluğu (Burada dəyəri 6-ya təyin etsəniz, ekranda '706' hesabı '706000' kimi görünəcək) +ACCOUNTING_LENGTH_AACCOUNT=Üçüncü tərəf mühasibat hesablarının uzunluğu (Burada dəyəri 6-ya təyin etsəniz, "401" hesabı ekranda "401000" kimi görünəcək) +ACCOUNTING_MANAGE_ZERO=Mühasibat hesabının sonunda fərqli sayda sıfırları idarə etməyə icazə verin. Bəzi ölkələrə (İsveçrə kimi) ehtiyac var. Söndürülmüşdürsə (defolt), siz proqramdan virtual sıfırlar əlavə etməyi xahiş etmək üçün aşağıdakı iki parametri təyin edə bilərsiniz. +BANK_DISABLE_DIRECT_INPUT=Bank hesabında əməliyyatın birbaşa qeydini deaktiv edin +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Jurnalda qaralama ixracını aktivləşdirin +ACCOUNTANCY_COMBO_FOR_AUX=Yardımçı hesab üçün kombinasiya siyahısını aktivləşdirin (çoxlu üçüncü tərəfiniz varsa, yavaş ola bilər, dəyərin bir hissəsi üzrə axtarış imkanını poza bilərsiniz) +ACCOUNTING_DATE_START_BINDING=Tarix bu tarixdən aşağı olduqda mühasibatlıqda məcburi və köçürməni deaktiv edin (bu tarixdən əvvəlki əməliyyatlar defolt olaraq istisna ediləcək) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Məlumatları mühasibat uçotuna köçürmək üçün səhifədə, standart olaraq seçilmiş müddət nədir -ACCOUNTING_SELL_JOURNAL=Sell journal -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal -ACCOUNTING_MISCELLANEOUS_JOURNAL=Miscellaneous journal -ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal -ACCOUNTING_SOCIAL_JOURNAL=Social journal -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal +ACCOUNTING_SELL_JOURNAL=Satış jurnalı - satış və geri qaytarmalar +ACCOUNTING_PURCHASE_JOURNAL=Alış jurnalı - satınalma və geri qaytarma +ACCOUNTING_BANK_JOURNAL=Kassa jurnalı - mədaxil və məxaric +ACCOUNTING_EXPENSEREPORT_JOURNAL=Xərc hesabatı jurnalı +ACCOUNTING_MISCELLANEOUS_JOURNAL=Ümumi jurnal +ACCOUNTING_HAS_NEW_JOURNAL=Yeni Jurnalı var +ACCOUNTING_INVENTORY_JOURNAL=İnventar jurnalı +ACCOUNTING_SOCIAL_JOURNAL=Sosial jurnal -ACCOUNTING_RESULT_PROFIT=Result accounting account (Profit) -ACCOUNTING_RESULT_LOSS=Result accounting account (Loss) -ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal of closure +ACCOUNTING_RESULT_PROFIT=Nəticə mühasibat hesabı (mənfəət) +ACCOUNTING_RESULT_LOSS=Nəticə uçotu hesabı (zərər) +ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Bağlanma jurnalı +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Balans hesabı üçün istifadə olunan mühasibat qrupları (vergüllə ayrılır) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Mənfəət hesabatı üçün istifadə olunan mühasibat qrupları (vergüllə ayrılır) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Accounting account of transitional bank transfer -TransitionalAccount=Transitional bank transfer account +ACCOUNTING_ACCOUNT_TRANSFER_CASH=Keçid bank köçürmələri üçün hesab kimi istifadə ediləcək hesab (Hesab Planından). +TransitionalAccount=Keçid bank köçürmə hesabı -ACCOUNTING_ACCOUNT_SUSPENSE=Accounting account of wait -DONATION_ACCOUNTINGACCOUNT=Accounting account to register donations -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Accounting account to register subscriptions +ACCOUNTING_ACCOUNT_SUSPENSE=Alınmış və ya ödənilmiş bölüşdürülməmiş vəsaitlər üçün hesab kimi istifadə ediləcək hesab (Hesab Planından), yəni "gözləyin" +DONATION_ACCOUNTINGACCOUNT=İanələrin qeydiyyatı üçün istifadə ediləcək hesab (Hesab Planından) (İanə modulu) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Üzvlük abunəliklərinin qeydiyyatı üçün istifadə ediləcək hesab (Hesab Planından) (Üzvlük modulu - əgər üzvlük fakturasız qeydə alınıbsa) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Accounting account by default to register customer deposit +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Müştəri depozitini qeydiyyata almaq üçün standart hesab kimi istifadə ediləcək hesab (Hesab Planından). +UseAuxiliaryAccountOnCustomerDeposit=Müştəri hesabını ilkin ödəniş xətləri üçün köməkçi mühasibat kitabçasında fərdi hesab kimi saxlayın (deaktiv edilərsə, ilkin ödəniş xətləri üçün fərdi hesab boş qalacaq) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Defolt olaraq istifadə ediləcək hesab (Hesab Planından). +UseAuxiliaryAccountOnSupplierDeposit=Təchizatçı hesabını ilkin ödəniş xətləri üçün köməkçi mühasibat kitabçasında fərdi hesab kimi saxlayın (əgər deaktiv edilərsə, ilkin ödəniş xətləri üçün fərdi hesab boş qalacaq) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Müştərilərin saxlanmış zəmanətini qeyd etmək üçün standart olaraq mühasibat hesabı -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Accounting account by default for the bought products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Accounting account by default for the bought products in EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought products and imported out of EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Accounting account by default for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Accounting account by default for the products sold in EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Accounting account by default for the products sold and exported out of EEC (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Eyni ölkə daxilində satın alınan məhsullar üçün standart hesab kimi istifadə ediləcək hesab (Hesab Planından) (məhsul vərəqində müəyyən edilmədikdə istifadə olunur) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=AET-dən başqa bir AET ölkəsinə alınmış məhsullar üçün standart hesab kimi istifadə ediləcək hesab (Hesab Planından) (məhsul vərəqində müəyyən edilmədikdə istifadə olunur) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Hər hansı digər xarici ölkədən alınmış və idxal edilən məhsullar üçün standart hesab kimi istifadə ediləcək hesab (Hesab Planından) (məhsul vərəqində göstərilmədikdə istifadə olunur) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Satılan məhsullar üçün standart hesab kimi istifadə ediləcək hesab (Hesab Planından) (məhsul vərəqində müəyyən edilmədikdə istifadə olunur) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=AET-dən başqa bir AET ölkəsinə satılan məhsullar üçün standart hesab kimi istifadə ediləcək hesab (Hesab Planından) (məhsul vərəqində müəyyən edilmədikdə istifadə olunur) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Hər hansı digər xarici ölkəyə satılan və ixrac edilən məhsullar üçün standart hesab kimi istifadə ediləcək hesab (Hesab Planından) (məhsul vərəqində göstərilmədikdə istifadə olunur) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Accounting account by default for the bought services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Accounting account by default for the bought services in EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought services and imported out of EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Accounting account by default for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Accounting account by default for the services sold in EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Accounting account by default for the services sold and exported out of EEC (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=Eyni ölkə daxilində satın alınan xidmətlər üçün standart hesab kimi istifadə ediləcək hesab (Hesab Planından) (xidmət vərəqində müəyyən edilmədikdə istifadə olunur) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=AET-dən başqa bir EEC ölkəsinə alınmış xidmətlər üçün standart hesab kimi istifadə ediləcək hesab (Hesab Planından) (xidmət vərəqində müəyyən edilmədikdə istifadə olunur) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Digər xarici ölkədən alınmış və idxal edilmiş xidmətlər üçün standart hesab kimi istifadə ediləcək hesab (Hesab Planından) (xidmət vərəqində müəyyən edilmədikdə istifadə olunur) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=Satılan xidmətlər üçün standart hesab kimi istifadə ediləcək hesab (Hesab Planından) (xidmət vərəqində müəyyən edilmədikdə istifadə olunur) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=AET-dən başqa bir EEC ölkəsinə satılan xidmətlər üçün standart hesab kimi istifadə ediləcək hesab (Hesab Planından) (xidmət vərəqində müəyyən edilmədikdə istifadə olunur) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Hər hansı digər xarici ölkəyə satılan və ixrac edilən xidmətlər üçün standart hesab kimi istifadə ediləcək hesab (Hesab Planından) (xidmət vərəqində müəyyən edilmədikdə istifadə olunur) -Doctype=Type of document -Docdate=Date -Docref=Reference -LabelAccount=Label account -LabelOperation=Label operation -Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
      For an accounting account of a supplier, use Debit to record a payment you made -LetteringCode=Lettering code -Lettering=Lettering -Codejournal=Journal -JournalLabel=Journal label -NumPiece=Piece number -TransactionNumShort=Num. transaction -AccountingCategory=Custom group -GroupByAccountAccounting=Group by general ledger account -GroupBySubAccountAccounting=Group by subledger account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. -ByAccounts=By accounts -ByPredefinedAccountGroups=By predefined groups -ByPersonalizedAccountGroups=By personalized groups -ByYear=By year -NotMatch=Not Set -DeleteMvt=Delete some operation lines from accounting -DelMonth=Month to delete -DelYear=Year to delete -DelJournal=Journal to delete -ConfirmDeleteMvt=This will delete all operation lines of the accounting for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all operation lines related to the same transaction will be deleted) -FinanceJournal=Finance journal -ExpenseReportsJournal=Expense reports journal -DescFinanceJournal=Finance journal including all the types of payments by bank account -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. -VATAccountNotDefined=Account for VAT not defined -ThirdpartyAccountNotDefined=Account for third party not defined -ProductAccountNotDefined=Account for product not defined -FeeAccountNotDefined=Account for fee not defined -BankAccountNotDefined=Account for bank not defined -CustomerInvoicePayment=Payment of invoice customer -ThirdPartyAccount=Third-party account -NewAccountingMvt=New transaction -NumMvts=Numero of transaction -ListeMvts=List of movements -ErrorDebitCredit=Debit and Credit cannot have a value at the same time -AddCompteFromBK=Add accounting accounts to the group -ReportThirdParty=List third-party account -DescThirdPartyReport=Consult here the list of third-party customers and vendors and their accounting accounts -ListAccounts=List of the accounting accounts -UnknownAccountForThirdparty=Unknown third-party account. We will use %s -UnknownAccountForThirdpartyBlocking=Unknown third-party account. Blocking error -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Third-party unknown and subledger not defined on the payment. We will keep the subledger account value empty. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger account not defined or third party or user unknown. Blocking error. -UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third-party account and waiting account not defined. Blocking error -PaymentsNotLinkedToProduct=Payment not linked to any product / service -OpeningBalance=Opening balance -ShowOpeningBalance=Show opening balance -HideOpeningBalance=Hide opening balance -ShowSubtotalByGroup=Show subtotal by level +Doctype=Sənədin növü +Docdate=Tarix +Docref=İstinad +LabelAccount=Hesabı etiketləyin +LabelOperation=Etiket əməliyyatı +Sens=İstiqamət +AccountingDirectionHelp=Müştərinin mühasibat hesabı üçün aldığınız ödənişi qeyd etmək üçün Kreditdən istifadə edin
      Təchizatçının mühasibat hesabı üçün etdiyiniz ödənişi qeyd etmək üçün Debetdən istifadə edin +LetteringCode=Yazı kodu +Lettering=Yazı +Codejournal=Jurnal +JournalLabel=Jurnal etiketi +NumPiece=Parça nömrəsi +TransactionNumShort=Nömrə əməliyyat +AccountingCategory=Fərdi hesablar qrupu +AccountingCategories=Fərdi hesab qrupları +GroupByAccountAccounting=Baş kitab hesabı ilə qruplaşdırın +GroupBySubAccountAccounting=Subledger hesabı ilə qruplaşdırın +AccountingAccountGroupsDesc=Burada bəzi mühasibat hesabı qruplarını müəyyən edə bilərsiniz. Onlar fərdiləşdirilmiş mühasibat hesabatları üçün istifadə olunacaq. +ByAccounts=Hesablara görə +ByPredefinedAccountGroups=Əvvəlcədən təyin edilmiş qruplar tərəfindən +ByPersonalizedAccountGroups=Fərdi qruplar tərəfindən +ByYear=İllə +NotMatch=Qurulmayıb +DeleteMvt=Mühasibat uçotundan bəzi sətirləri silin +DelMonth=Silmək üçün ay +DelYear=Silmək üçün il +DelJournal=Silmək üçün jurnal +ConfirmDeleteMvt=Bu, il/ay və/yaxud xüsusi jurnal üçün mühasibatlıqdakı bütün sətirləri siləcək (ən azı bir meyar tələb olunur). Silinmiş qeydi yenidən kitabda saxlamaq üçün '%s' funksiyasından yenidən istifadə etməli olacaqsınız. +ConfirmDeleteMvtPartial=Bu əməliyyatı mühasibat uçotundan siləcək (eyni əməliyyatla bağlı bütün sətirlər silinəcək) +FinanceJournal=Maliyyə jurnalı +ExpenseReportsJournal=Xərc hesabatları jurnalı +InventoryJournal=İnventar jurnalı +DescFinanceJournal=Bank hesabı ilə bütün növ ödənişlər daxil olmaqla maliyyə jurnalı +DescJournalOnlyBindedVisible=Bu, mühasibat uçotu hesabına bağlanan və Jurnallar və Mühasibat Kitabında qeyd oluna bilən qeydin görünüşüdür. +VATAccountNotDefined=ƏDV üçün hesab müəyyən edilməyib +ThirdpartyAccountNotDefined=Üçüncü tərəf üçün hesab müəyyən edilməyib +ProductAccountNotDefined=Məhsulun hesabı müəyyən edilməyib +FeeAccountNotDefined=Ödəniş üçün hesab müəyyən edilməyib +BankAccountNotDefined=Bank üçün hesab müəyyən edilməyib +CustomerInvoicePayment=Müştəri hesab-fakturasının ödənilməsi +ThirdPartyAccount=Üçüncü tərəf hesabı +NewAccountingMvt=Yeni əməliyyat +NumMvts=Əməliyyatın sayı +ListeMvts=Hərəkətlərin siyahısı +ErrorDebitCredit=Debet və Kreditin eyni vaxtda dəyəri ola bilməz +AddCompteFromBK=Qrupa mühasibat hesabları əlavə edin +ReportThirdParty=Üçüncü tərəf hesabını siyahıya salın +DescThirdPartyReport=Burada üçüncü tərəf müştərilərinin və satıcılarının siyahısı və onların mühasibat hesabları ilə tanış olun +ListAccounts=Mühasibat hesablarının siyahısı +UnknownAccountForThirdparty=Naməlum üçüncü tərəf hesabı. %s istifadə edəcəyik +UnknownAccountForThirdpartyBlocking=Naməlum üçüncü tərəf hesabı. Bloklama xətası +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger hesabı müəyyən edilməyib və ya üçüncü tərəf və ya istifadəçi məlum deyil. %s istifadə edəcəyik +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Üçüncü tərəf naməlum və ödənişdə subledger müəyyən edilməmişdir. Biz subledger hesab dəyərini boş saxlayacağıq. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger hesabı müəyyən edilməyib və ya üçüncü tərəf və ya istifadəçi məlum deyil. Bloklama xətası. +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Naməlum üçüncü tərəf hesabı və gözləmə hesabı müəyyən edilməyib. Bloklama xətası +PaymentsNotLinkedToProduct=Ödəniş heç bir məhsul/xidmətlə əlaqəli deyil +OpeningBalance=Açılış balansı +ShowOpeningBalance=Açılış balansını göstərin +HideOpeningBalance=Açılış balansını gizlədin +ShowSubtotalByGroup=Səviyyəyə görə ara cəmi göstərin -Pcgtype=Group of account -PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. +Pcgtype=Hesab qrupu +PcgtypeDesc=Hesab qrupu bəzi mühasibat hesabatları üçün əvvəlcədən müəyyən edilmiş “filtr” və “qruplaşdırma” meyarları kimi istifadə olunur. Məsələn, "GƏLİR" və ya "XƏRÇ" məsrəf/gəlir hesabatını yaratmaq üçün məhsulların mühasibat uçotu üçün qruplar kimi istifadə olunur. +AccountingCategoriesDesc=Fərdi hesablar qrupu filtrdən istifadəni və ya xüsusi hesabatların qurulmasını asanlaşdırmaq üçün mühasibat hesablarını bir adda qruplaşdırmaq üçün istifadə edilə bilər. -Reconcilable=Reconcilable +Reconcilable=Barışıq -TotalVente=Total turnover before tax -TotalMarge=Total sales margin +TotalVente=Vergidən əvvəl ümumi dövriyyə +TotalMarge=Ümumi satış marjası -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product accounting account -DescVentilMore=In most cases, if you use predefined products or services and you set the account number on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product accounting account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product accounting account -ChangeAccount=Change the product/service accounting account for selected lines with the following accounting account: +DescVentilCustomer=Hesab planından məhsul hesabına bağlı (və ya olmayan) müştəri hesab-faktura xətlərinin siyahısına burada müraciət edin +DescVentilMore=Əksər hallarda, siz əvvəlcədən təyin edilmiş məhsul və ya xidmətlərdən istifadə edirsinizsə və məhsul/xidmət kartında hesabı (hesab planından) təyin edirsinizsə, proqram faktura xətlərinizlə qrafikinizin mühasibat hesabı arasında bütün bəndləri həyata keçirə biləcək. yalnız bir kliklə "%s"b0a65d071f6spanfc90z >. Hesab məhsul/xidmət kartlarında qurulmayıbsa və ya hələ də hesaba bağlı olmayan bəzi xətləriniz varsa, "%s". +DescVentilDoneCustomer=Müştərilərin hesab-faktura sətirlərinin siyahısı və onların hesab planından məhsul hesabı ilə buradan tanış olun +DescVentilTodoCustomer=Hesab cədvəlindən məhsul hesabı ilə artıq bağlı olmayan faktura xətlərini bağlayın +ChangeAccount=Seçilmiş xətlər üçün məhsul/xidmət hesabını (hesab planından) aşağıdakı hesabla dəyişdirin: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product accounting account (only record not already transfered in accountancy are visible) -DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account -DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account -DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account -DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s". -DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account +DescVentilSupplier=Hesab planından məhsul hesabına bağlı və ya hələ bağlanmamış satıcı faktura xətlərinin siyahısına burada müraciət edin (yalnız mühasibatlığa köçürülməmiş qeydlər görünür) +DescVentilDoneSupplier=Burada satıcı hesab-fakturalarının sətirlərinin siyahısı və onların mühasibat hesabı ilə tanış olun +DescVentilTodoExpenseReport=Artıq ödəniş mühasibat hesabı ilə əlaqələndirilməyən xərc hesabatı xətlərini birləşdirin +DescVentilExpenseReport=Bir haqq mühasibat hesabına bağlı (və ya olmayan) xərc hesabatı xətlərinin siyahısına burada müraciət edin +DescVentilExpenseReportMore=Xərc hesabatı sətirlərinin növü üzrə mühasibat hesabı qurarsanız, proqram "%s". Əgər haqq-hesab rüsumlar lüğətində qurulmayıbsa və ya hələ də hər hansı hesaba bağlı olmayan bəzi sətirləriniz varsa, "%s
      - %s -NumberOfAccountancyEntries=Number of entries -NumberOfAccountancyMovements=Number of movements -ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) +AccountingJournalType5=Xərc hesabatları +AccountingJournalType8=İnventar +AccountingJournalType9=Bölüşdürülməmiş mənfəət +GenerationOfAccountingEntries=Mühasibat yazılışlarının yaradılması +ErrorAccountingJournalIsAlreadyUse=Bu jurnal artıq istifadə olunur +AccountingAccountForSalesTaxAreDefinedInto=Qeyd: Satış vergisi üçün mühasibat hesabı %s menyusunda müəyyən edilib. - %s +NumberOfAccountancyEntries=Girişlərin sayı +NumberOfAccountancyMovements=Hərəkətlərin sayı +ACCOUNTING_DISABLE_BINDING_ON_SALES=Satış üzrə mühasibatlıqda məcburi və köçürməni aradan buraxın (mühasibat uçotunda müştəri hesab-fakturaları nəzərə alınmayacaq) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Satınalmalar üzrə mühasibatlıqda məcburi və köçürməni aradan buraxın (satıcı fakturaları mühasibat uçotunda nəzərə alınmayacaq) +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Xərc hesabatlarında mühasibatlıqda məcburi və köçürməni aradan buraxın (xərc hesabatları mühasibat uçotunda nəzərə alınmayacaq) +ACCOUNTING_ENABLE_LETTERING=Mühasibat uçotunda yazı funksiyasını aktivləşdirin +ACCOUNTING_ENABLE_LETTERING_DESC=Bu seçimlər aktiv olduqda, siz hər bir mühasibat qeydində kod təyin edə bilərsiniz ki, müxtəlif uçot hərəkətlərini birlikdə qruplaşdıra biləsiniz. Keçmişdə müxtəlif jurnallar müstəqil idarə olunanda bu xüsusiyyət müxtəlif jurnalların hərəkət xətlərini bir yerdə qruplaşdırmaq üçün lazım idi. Bununla belə, Dolibarr mühasibatlığı ilə belə bir izləmə kodu "%sb09a4b739fz01f adlanır. span>" artıq avtomatik olaraq yadda saxlanılır, ona görə də avtomatik hərf artıq yerinə yetirilib, xəta riski olmadan bu funksiya ümumi istifadə üçün yararsız hala düşüb. Əl ilə yazı funksiyası mühasibatlıqda məlumatların ötürülməsini həyata keçirən kompüter mühərrikinə həqiqətən etibar etməyən son istifadəçilər üçün nəzərdə tutulub. +EnablingThisFeatureIsNotNecessary=Bu funksiyanı aktivləşdirmək daha ciddi mühasibat uçotu idarəçiliyi üçün lazım deyil. +ACCOUNTING_ENABLE_AUTOLETTERING=Mühasibat uçotuna köçürərkən avtomatik hərfləri aktivləşdirin +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Yazı üçün kod avtomatik olaraq yaradılır və artırılır və son istifadəçi tərəfindən seçilmir +ACCOUNTING_LETTERING_NBLETTERS=Hərf kodu yaradan zaman hərflərin sayı (standart 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Bəzi mühasibat proqramları yalnız iki hərfli kodu qəbul edir. Bu parametr bu aspekti təyin etməyə imkan verir. Hərflərin standart sayı üçdür. +OptionsAdvanced=Təkmilləşmiş Seçimlər +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Təchizatçı alışlarında ƏDV-nin əks ödənişinin idarə edilməsini aktivləşdirin +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Bu seçim aktiv olduqda, tədarükçünün və ya verilmiş satıcı hesab-fakturasının fərqli şəkildə mühasibat uçotuna köçürülməli olduğunu müəyyən edə bilərsiniz: "<"-də müəyyən edilmiş hesab planından 2 verilmiş hesab üzrə mühasibat uçotuna əlavə debet və kredit xətti yaradılacaq. span class='notranslate'>%s" quraşdırma səhifəsi. ## Export -NotifiedExportDate=Flag exported lines as exported (modification of the lines will not be possible) -NotifiedValidationDate=Validate the exported entries (modification or deletion of the lines will not be possible) -ConfirmExportFile=Confirmation of the generation of the accounting export file ? -ExportDraftJournal=Export draft journal -Modelcsv=Model of export -Selectmodelcsv=Select a model of export -Modelcsv_normal=Classic export -Modelcsv_CEGID=Export for CEGID Expert Comptabilité -Modelcsv_COALA=Export for Sage Coala -Modelcsv_bob50=Export for Sage BOB 50 -Modelcsv_ciel=Export for Sage50, Ciel Compta or Compta Evo. (Format XIMPORT) -Modelcsv_quadratus=Export for Quadratus QuadraCompta -Modelcsv_ebp=Export for EBP -Modelcsv_cogilog=Export for Cogilog -Modelcsv_agiris=Export for Agiris Isacompta -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) -Modelcsv_openconcerto=Export for OpenConcerto (Test) -Modelcsv_configurable=Export CSV Configurable -Modelcsv_FEC=Export FEC -Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed) -Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland -Modelcsv_winfic=Export for Winfic - eWinfic - WinSis Compta -Modelcsv_Gestinumv3=Export for Gestinum (v3) -Modelcsv_Gestinumv5=Export for Gestinum (v5) -Modelcsv_charlemagne=Export for Aplim Charlemagne -ChartofaccountsId=Chart of accounts Id +NotExportLettering=Fayl yaradarkən hərfləri ixrac etməyin +NotifiedExportDate=Hələ ixrac edilməmiş sətirləri İxrac edilmiş kimi qeyd edin (eksport edilmiş kimi qeyd olunan xətti dəyişmək üçün bütün tranzaksiyanı silməli və yenidən mühasibat uçotuna köçürməlisiniz) +NotifiedValidationDate=Hələ kilidlənməmiş ixrac edilmiş qeydləri Doğrulayın və Kilidin ("%s" funksiyası ilə eyni effekt, modifikasiya və silmə sətirlər QEYDİYYƏ mümkün olmayacaq) +NotifiedExportFull=İxrac sənədləri? +DateValidationAndLock=Tarixin doğrulanması və kilidi +ConfirmExportFile=Mühasibat uçotu ixrac faylının yaradılmasının təsdiqi ? +ExportDraftJournal=Qaralama jurnalını ixrac edin +Modelcsv=İxrac modeli +Selectmodelcsv=İxrac modelini seçin +Modelcsv_normal=Klassik ixrac +Modelcsv_CEGID=CEGID Expert Comptabilité üçün ixrac edin +Modelcsv_COALA=Sage Coala üçün ixrac +Modelcsv_bob50=Sage BOB 50 üçün ixrac edin +Modelcsv_ciel=Sage50, Ciel Compta və ya Compta Evo üçün ixrac edin. (XIMPORT formatı) +Modelcsv_quadratus=Quadratus QuadraCompta üçün ixrac edin +Modelcsv_ebp=EBP üçün ixrac +Modelcsv_cogilog=Cogilog üçün ixrac edin +Modelcsv_agiris=Agiris Isacompta üçün ixrac +Modelcsv_LDCompta=LD Compta (v9) üçün ixrac (Test) +Modelcsv_LDCompta10=LD Compta üçün ixrac (v10 və daha yüksək) +Modelcsv_openconcerto=OpenConcerto üçün ixrac (Sınaq) +Modelcsv_configurable=Konfiqurasiya edilə bilən CSV ixracı +Modelcsv_FEC=FEC ixrac edin +Modelcsv_FEC2=İxrac FEC (Tarixlərin yazılması/sənədin tərsinə çevrilməsi ilə) +Modelcsv_Sage50_Swiss=Sage 50 İsveçrə üçün ixrac +Modelcsv_winfic=Winfic üçün ixrac - eWinfic - WinSis Compta +Modelcsv_Gestinumv3=Gestinum üçün ixrac (v3) +Modelcsv_Gestinumv5=Gestinum üçün ixrac (v5) +Modelcsv_charlemagne=Aplim Charlemagne üçün ixrac +ChartofaccountsId=Hesablar planı İd ## Tools - Init accounting account on product / service -InitAccountancy=Init accountancy -InitAccountancyDesc=This page can be used to initialize an accounting account on products and services that does not have accounting account defined for sales and purchases. -DefaultBindingDesc=This page can be used to set a default account to use to link transactions record about payment salaries, donation, taxes and vat when no specific accounting account were already set. -DefaultClosureDesc=This page can be used to set parameters used for accounting closures. -Options=Options -OptionModeProductSell=Mode sales -OptionModeProductSellIntra=Mode sales exported in EEC -OptionModeProductSellExport=Mode sales exported in other countries -OptionModeProductBuy=Mode purchases -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries -OptionModeProductSellDesc=Show all products with accounting account for sales. -OptionModeProductSellIntraDesc=Show all products with accounting account for sales in EEC. -OptionModeProductSellExportDesc=Show all products with accounting account for other foreign sales. -OptionModeProductBuyDesc=Show all products with accounting account for purchases. -OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC. -OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases. -CleanFixHistory=Remove accounting code from lines that not exists into charts of account -CleanHistory=Reset all bindings for selected year -PredefinedGroups=Predefined groups -WithoutValidAccount=Without valid dedicated account -WithValidAccount=With valid dedicated account -ValueNotIntoChartOfAccount=This value of accounting account does not exist into chart of account -AccountRemovedFromGroup=Account removed from group -SaleLocal=Local sale -SaleExport=Export sale -SaleEEC=Sale in EEC -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fallback on the product account for standard sales. You can fix the VAT ID of thirdparty or the product account if needed. -ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. -ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. +InitAccountancy=Mühasibatlığa başlayın +InitAccountancyDesc=Bu səhifə satış və alışlar üçün müəyyən edilmiş mühasibat hesabı olmayan məhsul və xidmətlər üzrə mühasibat hesabını işə salmaq üçün istifadə edilə bilər. +DefaultBindingDesc=Bu səhifədən ödəniş maaşları, ianə, vergilər və ƏDV kimi biznes obyektlərini hesabla əlaqələndirmək üçün istifadə oluna bilən defolt hesabları (hesab planından) təyin etmək üçün istifadə oluna bilər. +DefaultClosureDesc=Bu səhifə mühasibat uçotunun bağlanması üçün istifadə olunan parametrləri təyin etmək üçün istifadə edilə bilər. +Options=Seçimlər +OptionModeProductSell=Satış rejimi +OptionModeProductSellIntra=AET-də ixrac olunan satış rejimi +OptionModeProductSellExport=Digər ölkələrə ixrac edilən satış rejimi +OptionModeProductBuy=Rejim alışları +OptionModeProductBuyIntra=AET-də idxal olunan rejim alışları +OptionModeProductBuyExport=Digər ölkələrdən idxal edilmiş rejim +OptionModeProductSellDesc=Satış üçün mühasibat hesabı olan bütün məhsulları göstərin. +OptionModeProductSellIntraDesc=EEC-də satış üçün mühasibat hesabı olan bütün məhsulları göstərin. +OptionModeProductSellExportDesc=Digər xarici satışlar üçün mühasibat hesabı olan bütün məhsulları göstərin. +OptionModeProductBuyDesc=Satınalmalar üçün mühasibat hesabı olan bütün məhsulları göstərin. +OptionModeProductBuyIntraDesc=EEC-də satınalmalar üçün mühasibat hesabı olan bütün məhsulları göstərin. +OptionModeProductBuyExportDesc=Digər xarici alışlar üçün mühasibat hesabı olan bütün məhsulları göstərin. +CleanFixHistory=Hesab planlarında olmayan sətirlərdən mühasibat kodunu çıxarın +CleanHistory=Seçilmiş il üçün bütün bağlamaları sıfırlayın +PredefinedGroups=Əvvəlcədən təyin edilmiş qruplar +WithoutValidAccount=Etibarlı xüsusi hesab olmadan +WithValidAccount=Etibarlı xüsusi hesabla +ValueNotIntoChartOfAccount=Mühasibat hesabının bu dəyəri hesablar planında mövcud deyil +AccountRemovedFromGroup=Hesab qrupdan silindi +SaleLocal=Yerli satış +SaleExport=İxrac satışı +SaleEEC=AET-də satış +SaleEECWithVAT=AET-də ƏDV ilə satış sıfır deyil, ona görə də güman edirik ki, bu, icmadaxili satış DEYİL və təklif olunan hesab standart məhsul hesabıdır. +SaleEECWithoutVATNumber=AET-də ƏDV olmadan satış, lakin üçüncü tərəfin ƏDV ID-si müəyyən edilməyib. Biz standart satış hesabına geri düşürük. Siz üçüncü tərəfin ƏDV ID-sini düzəldə və ya lazım gələrsə, məcburi olaraq təklif olunan məhsul hesabını dəyişə bilərsiniz. +ForbiddenTransactionAlreadyExported=Qadağan edilib: Əməliyyat təsdiq edilib və/yaxud ixrac edilib. +ForbiddenTransactionAlreadyValidated=Qadağan edilib: Əməliyyat təsdiq edilib. ## Dictionary -Range=Range of accounting account -Calculated=Calculated -Formula=Formula +Range=Mühasibat uçotunun əhatə dairəsi +Calculated=Hesablanmış +Formula=Düstur + +## Reconcile +LetteringAuto=Avtomatik barışdırın +LetteringManual=Razılaşma təlimatı +Unlettering=Barışdırmaq +UnletteringAuto=Avtomatik barışdırın +UnletteringManual=Razılaşma təlimatı +AccountancyNoLetteringModified=Razılaşma dəyişdirilməyib +AccountancyOneLetteringModifiedSuccessfully=Bir uzlaşma uğurla dəyişdirildi +AccountancyLetteringModifiedSuccessfully=%s barışdırmaq uğurla dəyişdirildi +AccountancyNoUnletteringModified=Heç bir uzlaşma dəyişdirilməyib +AccountancyOneUnletteringModifiedSuccessfully=Bir barışdırılma uğurla dəyişdirildi +AccountancyUnletteringModifiedSuccessfully=%s barışdırmaq uğurla dəyişdirildi + +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period +AccountancyClosureStep3=Addım 3: Girişləri çıxarın (İstəyə görə) +AccountancyClosureClose=Maliyyə dövrünü bağlayın +AccountancyClosureAccountingReversal="Bölüşdürülməmiş mənfəət" qeydlərini çıxarın və qeyd edin +AccountancyClosureStep3NewFiscalPeriod=Növbəti maliyyə dövrü +AccountancyClosureGenerateClosureBookkeepingRecords=Növbəti maliyyə dövründə "Bölüşdürülməmiş mənfəət" qeydlərini yaradın +AccountancyClosureSeparateAuxiliaryAccounts="Bölüşdürülməmiş mənfəət" qeydlərini yaradarkən, alt mühasibat uçotu hesablarını təfərrüatlandırın +AccountancyClosureCloseSuccessfully=Maliyyə dövrü uğurla bağlandı +AccountancyClosureInsertAccountingReversalSuccessfully="Bölüşdürülməmiş mənfəət" üçün mühasibat qeydləri uğurla daxil edildi + +## Confirm box +ConfirmMassUnletteringAuto=Toplu avtomatik uzlaşmanın təsdiqi +ConfirmMassUnletteringManual=Kütləvi əl ilə uzlaşmanın təsdiqi +ConfirmMassUnletteringQuestion=%s seçilmiş qeydləri barışdırmaq istədiyinizə əminsiniz? +ConfirmMassDeleteBookkeepingWriting=Toplu silmə təsdiqi +ConfirmMassDeleteBookkeepingWritingQuestion=Bu, əməliyyatı mühasibat uçotundan siləcək (eyni əməliyyatla bağlı bütün sətir qeydləri silinəcək). %s seçilmiş qeydləri silmək istədiyinizə əminsiniz? +AccountancyClosureConfirmClose=Cari maliyyə dövrünü bağlamaq istədiyinizə əminsiniz? Siz başa düşürsünüz ki, maliyyə dövrünün bağlanması geri dönməz bir əməliyyatdır və bu müddət ərzində hər hansı dəyişiklik və ya daxilolmaların silinməsini həmişəlik blok edəcək . +AccountancyClosureConfirmAccountingReversal="Bölüşdürülməmiş mənfəət" üçün qeydləri qeyd etmək istədiyinizə əminsiniz? ## Error -SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them -ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) -ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused. -ErrorInvoiceContainsLinesNotYetBoundedShort=Some lines on invoice are not bound to accounting account. -ExportNotSupported=The export format setuped is not supported into this page -BookeppingLineAlreayExists=Lines already existing into bookkeeping -NoJournalDefined=No journal defined -Binded=Lines bound -ToBind=Lines to bind -UseMenuToSetBindindManualy=Lines not yet bound, use menu %s to make the binding manually -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Sorry this module is not compatible with the experimental feature of situation invoices +SomeMandatoryStepsOfSetupWereNotDone=Quraşdırmanın bəzi məcburi addımları yerinə yetirilmədi, lütfən, onları tamamlayın +ErrorNoAccountingCategoryForThisCountry=%s ölkəsi üçün heç bir mühasibat hesabı qrupu mövcud deyil (Bax: %s - %s - %s) +ErrorInvoiceContainsLinesNotYetBounded=Siz fakturanın bəzi sətirlərini jurnallaşdırmağa çalışırsınız %s, but bəzi digər xətlər hələ mühasibat uçotu hesabına məhdudlaşdırılmayıb. Bu faktura üçün bütün faktura xətlərinin jurnallaşdırılmasından imtina edilir. +ErrorInvoiceContainsLinesNotYetBoundedShort=Fakturadakı bəzi sətirlər mühasibat hesabına bağlanmır. +ExportNotSupported=Quraşdırılmış ixrac formatı bu səhifədə dəstəklənmir +BookeppingLineAlreayExists=Mühasibat uçotunda artıq mövcud olan xətlər +NoJournalDefined=Heç bir jurnal müəyyən edilməyib +Binded=Bağlanmış xətlər +ToBind=Bağlamaq üçün xətlər +UseMenuToSetBindindManualy=Sətirlər hələ bağlanmayıb, bağlama etmək üçün %s menyusundan istifadə edin əl ilə +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Qeyd: bu modul və ya səhifə vəziyyət fakturalarının eksperimental xüsusiyyəti ilə tam uyğun deyil. Bəzi məlumatlar səhv ola bilər. +AccountancyErrorMismatchLetterCode=Razılaşma kodunda uyğunsuzluq +AccountancyErrorMismatchBalanceAmount=Balans (%s) 0-a bərabər deyil +AccountancyErrorLetteringBookkeeping=Əməliyyatlarla bağlı xətalar baş verdi: %s +ErrorAccountNumberAlreadyExists=%s mühasibat nömrəsi artıq mövcuddur +ErrorArchiveAddFile="%s" faylını arxivə qoymaq mümkün deyil +ErrorNoFiscalPeriodActiveFound=Aktiv maliyyə dövrü tapılmadı +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Mühasibat sənədinin tarixi aktiv maliyyə dövründə deyil +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Mühasibat sənədinin tarixi qapalı maliyyə dövründədir ## Import -ImportAccountingEntries=Accounting entries -ImportAccountingEntriesFECFormat=Accounting entries - FEC format -FECFormatJournalCode=Code journal (JournalCode) -FECFormatJournalLabel=Label journal (JournalLib) -FECFormatEntryNum=Piece number (EcritureNum) -FECFormatEntryDate=Piece date (EcritureDate) -FECFormatGeneralAccountNumber=General account number (CompteNum) -FECFormatGeneralAccountLabel=General account label (CompteLib) -FECFormatSubledgerAccountNumber=Subledger account number (CompAuxNum) -FECFormatSubledgerAccountLabel=Subledger account number (CompAuxLib) -FECFormatPieceRef=Piece ref (PieceRef) -FECFormatPieceDate=Piece date creation (PieceDate) -FECFormatLabelOperation=Label operation (EcritureLib) -FECFormatDebit=Debit (Debit) -FECFormatCredit=Credit (Credit) -FECFormatReconcilableCode=Reconcilable code (EcritureLet) -FECFormatReconcilableDate=Reconcilable date (DateLet) -FECFormatValidateDate=Piece date validated (ValidDate) -FECFormatMulticurrencyAmount=Multicurrency amount (Montantdevise) -FECFormatMulticurrencyCode=Multicurrency code (Idevise) +ImportAccountingEntries=Mühasibat qeydləri +ImportAccountingEntriesFECFormat=Mühasibat qeydləri - FEC formatı +FECFormatJournalCode=Kod jurnalı (JournalCode) +FECFormatJournalLabel=Etiket jurnalı (JournalLib) +FECFormatEntryNum=Parça nömrəsi (EcritureNum) +FECFormatEntryDate=Parça tarixi (EcritureDate) +FECFormatGeneralAccountNumber=Ümumi hesab nömrəsi (CompteNum) +FECFormatGeneralAccountLabel=Ümumi hesab etiketi (CompteLib) +FECFormatSubledgerAccountNumber=Subledger hesab nömrəsi (CompAuxNum) +FECFormatSubledgerAccountLabel=Subledger hesab nömrəsi (CompAuxLib) +FECFormatPieceRef=Parça ref (PieceRef) +FECFormatPieceDate=Parça tarixinin yaradılması (PieceDate) +FECFormatLabelOperation=Etiket əməliyyatı (EcritureLib) +FECFormatDebit=Debet (Debet) +FECFormatCredit=Kredit (Kredit) +FECFormatReconcilableCode=Uyğunlaşa bilən kod (EcritureLet) +FECFormatReconcilableDate=Razılaşdırıla bilən tarix (DateLet) +FECFormatValidateDate=Parçanın tarixi təsdiqləndi (ValidDate) +FECFormatMulticurrencyAmount=Multivalyuta məbləği (Montantdevise) +FECFormatMulticurrencyCode=Çoxvalyuta kodu (Idevise) -DateExport=Date export -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contains transaction modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. -ExpenseReportJournal=Expense Report Journal -InventoryJournal=Inventory Journal +DateExport=Tarix ixracı +WarningReportNotReliable=Xəbərdarlıq, bu hesabat Mühasibat Kitabına əsaslanmır, ona görə də Kitabda əl ilə dəyişdirilmiş əməliyyatları ehtiva etmir. Jurnalizasiyanız yenidirsə, mühasibat görünüşü daha dəqiqdir. +ExpenseReportJournal=Xərc Hesabatı Jurnalı +DocsAlreadyExportedAreIncluded=Artıq ixrac edilmiş sənədlər daxil edilib +ClickToShowAlreadyExportedLines=Artıq ixrac edilmiş xətləri göstərmək üçün klikləyin -NAccounts=%s accounts +NAccounts=%s hesab diff --git a/htdocs/langs/az_AZ/admin.lang b/htdocs/langs/az_AZ/admin.lang index d79adb1e960..947d10abeb6 100644 --- a/htdocs/langs/az_AZ/admin.lang +++ b/htdocs/langs/az_AZ/admin.lang @@ -1,2222 +1,2442 @@ # Dolibarr language file - Source file is en_US - admin -BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF -BoldLabelOnPDF=Print label of product item in Bold in PDF -Foundation=Foundation -Version=Version -Publisher=Publisher -VersionProgram=Version program -VersionLastInstall=Initial install version -VersionLastUpgrade=Latest version upgrade -VersionExperimental=Experimental -VersionDevelopment=Development -VersionUnknown=Unknown -VersionRecommanded=Recommended -FileCheck=Fileset Integrity Checks -FileCheckDesc=This tool allows you to check the integrity of files and the setup of your application, comparing each file with the official one. The value of some setup constants may also be checked. You can use this tool to determine if any files have been modified (e.g by a hacker). -FileIntegrityIsStrictlyConformedWithReference=Files integrity is strictly conformed with the reference. -FileIntegrityIsOkButFilesWereAdded=Files integrity check has passed, however some new files have been added. -FileIntegritySomeFilesWereRemovedOrModified=Files integrity check has failed. Some files were modified, removed or added. -GlobalChecksum=Global checksum -MakeIntegrityAnalysisFrom=Make integrity analysis of application files from -LocalSignature=Embedded local signature (less reliable) -RemoteSignature=Remote distant signature (more reliable) -FilesMissing=Missing Files -FilesUpdated=Updated Files -FilesModified=Modified Files -FilesAdded=Added Files -FileCheckDolibarr=Check integrity of application files -AvailableOnlyOnPackagedVersions=The local file for integrity checking is only available when the application is installed from an official package -XmlNotFound=Xml Integrity File of application not found -SessionId=Session ID -SessionSaveHandler=Handler to save sessions -SessionSavePath=Session save location -PurgeSessions=Purge of sessions -ConfirmPurgeSessions=Do you really want to purge all sessions? This will disconnect every user (except yourself). -NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow listing all running sessions. -LockNewSessions=Lock new connections -ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself? Only user %s will be able to connect after that. -UnlockNewSessions=Remove connection lock -YourSession=Your session -Sessions=Users Sessions -WebUserGroup=Web server user/group -PermissionsOnFiles=Permissions on files -PermissionsOnFilesInWebRoot=Permissions on files in web root directory -PermissionsOnFile=Permissions on file %s -NoSessionFound=Your PHP configuration seems to not allow listing of active sessions. The directory used to save sessions (%s) may be protected (for example by OS permissions or by PHP directive open_basedir). -DBStoringCharset=Database charset to store data -DBSortingCharset=Database charset to sort data -HostCharset=Host charset -ClientCharset=Client charset -ClientSortingCharset=Client collation -WarningModuleNotActive=Module %s must be enabled -WarningOnlyPermissionOfActivatedModules=Only permissions related to activated modules are shown here. You can activate other modules in the Home->Setup->Modules page. -DolibarrSetup=Dolibarr install or upgrade -InternalUser=Internal user -ExternalUser=External user -InternalUsers=Internal users -ExternalUsers=External users -UserInterface=User interface -GUISetup=Display -SetupArea=Setup -UploadNewTemplate=Upload new template(s) -FormToTestFileUploadForm=Form to test file upload (according to setup) -ModuleMustBeEnabled=The module/application %s must be enabled -ModuleIsEnabled=The module/application %s has been enabled -IfModuleEnabled=Note: yes is effective only if module %s is enabled -RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool. -RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. -SecuritySetup=Security setup -PHPSetup=PHP setup -OSSetup=OS setup -SecurityFilesDesc=Define here options related to security about uploading files. -ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher -ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher -ErrorDecimalLargerThanAreForbidden=Error, a precision higher than %s is not supported. -DictionarySetup=Dictionary setup -Dictionary=Dictionaries -ErrorReservedTypeSystemSystemAuto=Value 'system' and 'systemauto' for type is reserved. You can use 'user' as value to add your own record -ErrorCodeCantContainZero=Code can't contain value 0 -DisableJavascript=Disable JavaScript and Ajax functions -DisableJavascriptNote=Note: For test or debug purpose only. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user -UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -DelaiedFullListToSelectCompany=Wait until a key is pressed before loading content of Third Parties combo list.
      This may increase performance if you have a large number of third parties, but it is less convenient. -DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list.
      This may increase performance if you have a large number of contacts, but it is less convenient. -NumberOfKeyToSearch=Number of characters to trigger search: %s -NumberOfBytes=Number of Bytes -SearchString=Search string -NotAvailableWhenAjaxDisabled=Not available when Ajax disabled -AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party -TimesheetPreventAfterFollowingMonths=Prevent recording time spent after the following number of months -JavascriptDisabled=JavaScript disabled -UsePreviewTabs=Use preview tabs -ShowPreview=Show preview -ShowHideDetails=Show-Hide details -PreviewNotAvailable=Preview not available -ThemeCurrentlyActive=Theme currently active -MySQLTimeZone=TimeZone MySql (database) -TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered). -Space=Space -Table=Table -Fields=Fields -Index=Index -Mask=Mask -NextValue=Next value -NextValueForInvoices=Next value (invoices) -NextValueForCreditNotes=Next value (credit notes) -NextValueForDeposit=Next value (down payment) -NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration -MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page -AntiVirusCommand=Full path to antivirus command -AntiVirusCommandExample=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
      Example for ClamWin (very very slow): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe -AntiVirusParam= More parameters on command line -AntiVirusParamExample=Example for ClamAv Daemon: --fdpass
      Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" -ComptaSetup=Accounting module setup -UserSetup=User management setup -MultiCurrencySetup=Multi-currency setup -MenuLimits=Limits and accuracy -MenuIdParent=Parent menu ID -DetailMenuIdParent=ID of parent menu (empty for a top menu) -ParentID=Parent ID -DetailPosition=Sort number to define menu position -AllMenus=All -NotConfigured=Module/Application not configured -Active=Active -SetupShort=Setup -OtherOptions=Other options -OtherSetup=Other Setup -CurrentValueSeparatorDecimal=Decimal separator -CurrentValueSeparatorThousand=Thousand separator -Destination=Destination -IdModule=Module ID -IdPermissions=Permissions ID -LanguageBrowserParameter=Parameter %s -LocalisationDolibarrParameters=Localization parameters -ClientHour=Client time (user) -OSTZ=Server OS Time Zone -PHPTZ=PHP server Time Zone -DaylingSavingTime=Daylight saving time -CurrentHour=PHP Time (server) -CurrentSessionTimeOut=Current session timeout -YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a .htaccess file with a line like this "SetEnv TZ Europe/Paris" -HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but of the timezone of the server. -Box=Widget -Boxes=Widgets -MaxNbOfLinesForBoxes=Max. number of lines for widgets -AllWidgetsWereEnabled=All available widgets are enabled -PositionByDefault=Default order -Position=Position -MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical). -MenusEditorDesc=The menu editor allows you to define custom menu entries. Use it carefully to avoid instability and permanently unreachable menu entries.
      Some modules add menu entries (in menu All mostly). If you remove some of these entries by mistake, you can restore them disabling and reenabling the module. -MenuForUsers=Menu for users -LangFile=.lang file -Language_en_US_es_MX_etc=Language (en_US, es_MX, ...) -System=System -SystemInfo=System information -SystemToolsArea=System tools area -SystemToolsAreaDesc=This area provides administration functions. Use the menu to choose the required feature. -Purge=Purge -PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server. -PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data) -PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Parameter can be 'tempfilesold', 'logfiles' or both 'tempfilesold+logfiles'. Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files (no risk of losing data) -PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s.
      This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files. -PurgeRunNow=Purge now -PurgeNothingToDelete=No directory or files to delete. -PurgeNDirectoriesDeleted=%s files or directories deleted. -PurgeNDirectoriesFailed=Failed to delete %s files or directories. -PurgeAuditEvents=Purge all security events -ConfirmPurgeAuditEvents=Are you sure you want to purge all security events? All security logs will be deleted, no other data will be removed. -GenerateBackup=Generate backup -Backup=Backup -Restore=Restore -RunCommandSummary=Backup has been launched with the following command -BackupResult=Backup result -BackupFileSuccessfullyCreated=Backup file successfully generated -YouCanDownloadBackupFile=The generated file can now be downloaded -NoBackupFileAvailable=No backup files available. -ExportMethod=Export method -ImportMethod=Import method -ToBuildBackupFileClickHere=To build a backup file, click here. -ImportMySqlDesc=To import a MySQL backup file, you may use phpMyAdmin via your hosting or use the mysql command from the Command line.
      For example: -ImportPostgreSqlDesc=To import a backup file, you must use pg_restore command from command line: +BoldRefAndPeriodOnPDF=PDF formatında məhsulun arayışını və dövrünü çap edin +BoldLabelOnPDF=PDF formatında qalın hərflərlə məhsulun etiketini çap edin +Foundation=Vəqf +Version=Versiya +Publisher=Nəşriyyatçı +VersionProgram=Versiya proqramı +VersionLastInstall=İlkin quraşdırma versiyası +VersionLastUpgrade=Ən son versiya yenilənməsi +VersionExperimental=Eksperimental +VersionDevelopment=İnkişaf +VersionUnknown=Naməlum +VersionRecommanded=Tövsiyə +FileCheck=Fayl dəstinin bütövlüyünü yoxlayır +FileCheckDesc=Bu alət hər bir faylı rəsmi ilə müqayisə edərək, faylların bütövlüyünü və tətbiqinizin quraşdırılmasını yoxlamağa imkan verir. Bəzi quraşdırma sabitlərinin dəyəri də yoxlanıla bilər. Siz bu alətdən istifadə edərək hər hansı bir faylın (məsələn, haker tərəfindən) dəyişdirildiyini müəyyən edə bilərsiniz. +FileIntegrityIsStrictlyConformedWithReference=Faylların bütövlüyü istinadla ciddi şəkildə uyğundur. +FileIntegrityIsOkButFilesWereAdded=Faylların bütövlüyü yoxlanışı keçdi, lakin bəzi yeni fayllar əlavə edildi. +FileIntegritySomeFilesWereRemovedOrModified=Faylların bütövlüyünün yoxlanılması uğursuz oldu. Bəzi fayllar dəyişdirildi, silindi və ya əlavə edildi. +GlobalChecksum=Qlobal yoxlama məbləği +MakeIntegrityAnalysisFrom=Tətbiq fayllarının bütövlüyünü təhlil edin +LocalSignature=Daxili yerli imza (daha az etibarlı) +RemoteSignature=Uzaqdan uzaq imza (daha etibarlı) +FilesMissing=Çatışmayan Fayllar +FilesUpdated=Yenilənmiş Fayllar +FilesModified=Dəyişdirilmiş Fayllar +FilesAdded=Əlavə edilmiş Fayllar +FileCheckDolibarr=Tətbiq fayllarının bütövlüyünü yoxlayın +AvailableOnlyOnPackagedVersions=Dürüstlüyün yoxlanılması üçün yerli fayl yalnız proqram rəsmi paketdən quraşdırıldıqda mövcuddur +XmlNotFound=Tətbiqin Xml Integrity Faylı tapılmadı +SessionId=Sessiya ID +SessionSaveHandler=Sessiyaları saxlamaq üçün idarəedici +SessionSavePath=Sessiyanın saxlanma yeri +PurgeSessions=Sessiyaların təmizlənməsi +ConfirmPurgeSessions=Həqiqətən bütün seansları təmizləmək istəyirsiniz? Bu, hər bir istifadəçini (sizdən başqa) əlaqəni kəsəcək. +NoSessionListWithThisHandler=PHP-də konfiqurasiya edilmiş saxla seansı idarəedicisi bütün işləyən seansları siyahıya salmağa icazə vermir. +LockNewSessions=Yeni əlaqələri kilidləyin +ConfirmLockNewSessions=Hər hansı yeni Dolibarr bağlantısını özünüzlə məhdudlaşdırmaq istədiyinizə əminsiniz? Bundan sonra yalnız %s qoşula biləcək. +UnlockNewSessions=Bağlantı kilidini çıxarın +YourSession=Sizin sessiyanız +Sessions=İstifadəçi Sessiyaları +WebUserGroup=Veb server istifadəçisi/qrupu +PermissionsOnFiles=Fayllara icazələr +PermissionsOnFilesInWebRoot=Veb kök kataloqundakı fayllara icazələr +PermissionsOnFile=%s faylı üzrə icazələr +NoSessionFound=PHP konfiqurasiyanız aktiv seansların siyahısına icazə vermir. Sessiyaları yadda saxlamaq üçün istifadə olunan kataloq (%s) qoruna bilər (məsələn, ƏS icazələri və ya PHP open_basedir direktivi ilə). +DBStoringCharset=Məlumatların saxlanması üçün verilənlər bazası charset +DBSortingCharset=Verilənləri çeşidləmək üçün verilənlər bazası charset +HostCharset=Host simvol dəsti +ClientCharset=Müştəri simvol dəsti +ClientSortingCharset=Müştəri harmanlaması +WarningModuleNotActive=%s modulu aktivləşdirilməlidir +WarningOnlyPermissionOfActivatedModules=Burada yalnız aktivləşdirilmiş modullarla bağlı icazələr göstərilir. Siz Home->Setup->Modules səhifəsində digər modulları aktivləşdirə bilərsiniz. +DolibarrSetup=Dolibarr quraşdırın və ya təkmilləşdirin +DolibarrUpgrade=Dolibarr yeniləməsi +DolibarrAddonInstall=Addon/Xarici modulların quraşdırılması (yüklənmiş və ya yaradılmış) +InternalUsers=Daxili istifadəçilər +ExternalUsers=Xarici istifadəçilər +UserInterface=İstifadəçi interfeysi +GUISetup=Ekran +SetupArea=Qurmaq +UploadNewTemplate=Yeni şablon(lar) yükləyin +FormToTestFileUploadForm=Fayl yükləməsini sınamaq üçün forma (quraşdırmalara uyğun olaraq) +ModuleMustBeEnabled=Modul/tətbiq %s aktivləşdirilməlidir +ModuleIsEnabled=%s modulu/tətbiqi aktiv edilib +IfModuleEnabled=Qeyd: bəli yalnız %s aktiv olduqda effektivdir. +RemoveLock=%s faylını silin/adını dəyişdirin, əgər varsa, bizə icazə verin Yeniləmə/Quraşdırma alətindən. +RestoreLock=%s faylını yalnız oxumaq icazəsi ilə bərpa edin Yeniləmə/Quraşdırma alətindən sonrakı istifadə. +SecuritySetup=Təhlükəsizlik qurulması +PHPSetup=PHP quraşdırma +OSSetup=OS quraşdırma +SecurityFilesDesc=Faylların yüklənməsi ilə bağlı təhlükəsizliklə bağlı seçimləri burada müəyyənləşdirin. +ErrorModuleRequirePHPVersion=Xəta, bu modul %s və ya daha yüksək PHP versiyasını tələb edir +ErrorModuleRequireDolibarrVersion=Xəta, bu modul Dolibarr versiyasını tələb edir %s və ya daha yüksək +ErrorDecimalLargerThanAreForbidden=Xəta, %s-dan yüksək dəqiqlik dəstəklənmir. +DictionarySetup=Lüğət qurulması +Dictionary=Lüğətlər +ErrorReservedTypeSystemSystemAuto=Növ üçün "sistem" və "systemauto" dəyəri qorunur. Öz qeydinizi əlavə etmək üçün dəyər kimi "istifadəçi"dən istifadə edə bilərsiniz +ErrorCodeCantContainZero=Kod 0 dəyərini ehtiva edə bilməz +DisableJavascript=JavaScript və Ajax funksiyalarını söndürün +DisableJavascriptNote=Qeyd: Yalnız test və ya sazlama məqsədi ilə. Kor insanlar və ya mətn brauzerləri üçün optimallaşdırma üçün istifadəçi profilində quraşdırmadan istifadə etməyə üstünlük verə bilərsiniz +UseSearchToSelectCompanyTooltip=Həmçinin çoxlu sayda üçüncü tərəfiniz varsa (> 100 000), siz Quraşdırma->Digər bölməsində COMPANY_DONOTSEARCH_ANYWHERE sabitini 1-ə təyin etməklə sürəti artıra bilərsiniz. Axtarış daha sonra sətrin başlanğıcı ilə məhdudlaşacaq. +UseSearchToSelectContactTooltip=Həmçinin, çoxlu sayda üçüncü tərəfiniz varsa (> 100 000), siz Quraşdırma->Digər bölməsində CONTACT_DONOTSEARCH_ANYWHERE sabitini 1-ə təyin etməklə sürəti artıra bilərsiniz. Axtarış daha sonra sətrin başlanğıcı ilə məhdudlaşacaq. +DelaiedFullListToSelectCompany=Üçüncü Tərəflərin kombinasiya siyahısının məzmununu yükləməzdən əvvəl düyməyə basılana qədər gözləyin.
      Bu, çoxlu sayda üçüncü tərəfiniz varsa, performansı artıra bilər, lakin bu, daha az əlverişlidir. +DelaiedFullListToSelectContact=Kontakt kombinasiya siyahısının məzmununu yükləməzdən əvvəl düyməyə basılana qədər gözləyin.
      Əgər çox sayda kontaktınız varsa, bu, performansı artıra bilər, lakin bu, daha az rahatdır. +NumberOfKeyToSearch=Axtarışa başlamaq üçün simvolların sayı: %s +NumberOfBytes=Baytların sayı +SearchString=Axtarış sətri +NotAvailableWhenAjaxDisabled=Ajax əlil olduqda mövcud deyil +AllowToSelectProjectFromOtherCompany=Üçüncü tərəfin sənədi üzrə başqa üçüncü tərəflə əlaqəli layihəni seçə bilər +TimesheetPreventAfterFollowingMonths=Aşağıdakı aylardan sonra sərf olunan qeyd vaxtının qarşısını alın +JavascriptDisabled=JavaScript deaktiv edilib +UsePreviewTabs=Önizləmə nişanlarından istifadə edin +ShowPreview=Önizləməni göstərin +ShowHideDetails=Göstər-Gizlət +PreviewNotAvailable=Önizləmə mövcud deyil +ThemeCurrentlyActive=Mövzu hazırda aktivdir +MySQLTimeZone=TimeZone MySql (verilənlər bazası) +TZHasNoEffect=Tarixlər verilənlər bazası serveri tərəfindən sanki təqdim edilmiş sətir kimi saxlanılır və geri qaytarılır. Saat qurşağı yalnız UNIX_TIMESTAMP funksiyasından istifadə edərkən təsir göstərir (bu Dolibarr tərəfindən istifadə edilməməlidir, ona görə də verilənlərin daxil edilməsindən sonra dəyişdirilsə belə, verilənlər bazası TZ heç bir təsiri olmamalıdır). +Space=Kosmos +Table=Cədvəl +Fields=Sahələr +Index=indeks +Mask=Maska +NextValue=Növbəti dəyər +NextValueForInvoices=Növbəti dəyər (qaimə-fakturalar) +NextValueForCreditNotes=Növbəti dəyər (kredit qeydləri) +NextValueForDeposit=Növbəti dəyər (ilkin ödəniş) +NextValueForReplacements=Növbəti dəyər (əvəzlər) +MustBeLowerThanPHPLimit=Qeyd: PHP konfiqurasiyanız hazırda %sb09a4b739fz01f faylına yükləmək üçün maksimum fayl ölçüsünü məhdudlaşdırır. span> %s, bu parametrin dəyərindən asılı olmayaraq +NoMaxSizeByPHPLimit=Qeyd: PHP konfiqurasiyanızda heç bir məhdudiyyət qoyulmayıb +MaxSizeForUploadedFiles=Yüklənmiş fayllar üçün maksimum ölçü (hər hansı yükləməyə icazə vermək üçün 0) +UseCaptchaCode=Giriş səhifəsində və bəzi ictimai səhifələrdə qrafik kodu (CAPTCHA) istifadə edin +AntiVirusCommand=Antivirus əmrinə tam yol +AntiVirusCommandExample=ClamAv Daemon üçün nümunə (clamav-daemon tələb olunur): /usr/bin/clamdscan
      ClamWin üçün nümunə (çox yavaş): c:\\Progra~1\\ClamWin\\bin\\ clamscan.exe +AntiVirusParam= Komanda xəttində daha çox parametrlər +AntiVirusParamExample=ClamAv Daemon üçün nümunə: --fdpass
      ClamWin üçün nümunə: --database="C:\\Program Files (x86)\\ClamWin\\lib" +ComptaSetup=Mühasibat modulunun qurulması +UserSetup=İstifadəçi idarəetməsinin qurulması +MultiCurrencySetup=Çox valyutalı quraşdırma +MenuLimits=Limitlər və dəqiqlik +MenuIdParent=Ana menyu ID +DetailMenuIdParent=Əsas menyunun ID-si (yuxarı menyu üçün boş) +ParentID=Valideyn ID +DetailPosition=Menyu mövqeyini müəyyən etmək üçün sıralayın +AllMenus=Hamısı +NotConfigured=Modul/Tətbiq konfiqurasiya olunmayıb +Active=Aktiv +SetupShort=Qurmaq +OtherOptions=Digər seçimlər +OtherSetup=Digər Quraşdırma +CurrentValueSeparatorDecimal=Ondalık ayırıcı +CurrentValueSeparatorThousand=Min ayırıcı +Destination=Təyinat +IdModule=Modul ID +IdPermissions=İcazə ID-si +LanguageBrowserParameter=Parametr %s +LocalisationDolibarrParameters=Lokallaşdırma parametrləri +ClientHour=Müştəri vaxtı (istifadəçi) +OSTZ=Server OS Saat qurşağı +PHPTZ=PHP server Saat qurşağı +DaylingSavingTime=Yaz vaxtı +CurrentHour=PHP vaxtı (server) +CurrentSessionTimeOut=Cari sessiyanın fasiləsi +YouCanEditPHPTZ=Fərqli PHP saat qurşağını təyin etmək üçün (tələb olunmur), siz "SetEnv TZ Europe/Paris" kimi xətt ilə .htaccess faylı əlavə etməyə cəhd edə bilərsiniz. +HoursOnThisPageAreOnServerTZ=Xəbərdarlıq, digər ekranlardan fərqli olaraq, bu səhifədəki saatlar sizin yerli saat qurşağınızda deyil, serverin saat qurşağındadır. +Box=Vidcet +Boxes=Vidjetlər +MaxNbOfLinesForBoxes=Maks. vidjetlər üçün sətirlərin sayı +AllWidgetsWereEnabled=Bütün mövcud vidjetlər aktivləşdirilib +WidgetAvailable=Vidcet mövcuddur +PositionByDefault=Defolt sifariş +Position=Vəzifə +MenusDesc=Menyu menecerləri iki menyu çubuğunun məzmununu təyin edir (üfüqi və şaquli). +MenusEditorDesc=Menyu redaktoru xüsusi menyu girişlərini təyin etməyə imkan verir. Qeyri-sabitlik və həmişəlik əlçatmaz menyu daxilolmalarının qarşısını almaq üçün ondan ehtiyatla istifadə edin.
      Bəzi modullar menyu daxiletmələrini əlavə edir (menyuda Bütün
      əsasən). Bu qeydlərdən bəzilərini səhvən silsəniz, modulu söndürərək və yenidən aktivləşdirərək onları bərpa edə bilərsiniz. +MenuForUsers=İstifadəçilər üçün menyu +LangFile=.lang faylı +Language_en_US_es_MX_etc=Dil (en_US, es_MX, ...) +System=Sistem +SystemInfo=Sistem məlumatları +SystemToolsArea=Sistem alətləri sahəsi +SystemToolsAreaDesc=Bu sahə idarəetmə funksiyalarını təmin edir. Lazım olan funksiyanı seçmək üçün menyudan istifadə edin. +Purge=Təmizləmə +PurgeAreaDesc=Bu səhifə Dolibarr tərəfindən yaradılan və ya saxlanılan bütün faylları (müvəqqəti fayllar və ya %s
      kataloqu). Bu funksiyadan istifadə adətən lazım deyil. O, Dolibarr-ı veb server tərəfindən yaradılan faylları silmək icazəsi təklif etməyən bir provayder tərəfindən yerləşdirilən istifadəçilər üçün həll yolu kimi təqdim olunur. +PurgeDeleteLogFile=%s daxil olmaqla jurnal fayllarını silin (no Syslog modulu üçün müəyyən edilib) məlumatların itirilməsi riski) +PurgeDeleteTemporaryFiles=Bütün log və müvəqqəti faylları silin (məlumatların itirilməsi riski yoxdur). Parametr "tempfilesold", "logfiles" və ya hər ikisi "tempfilesold+logfiles" ola bilər. Qeyd: Müvəqqəti faylların silinməsi yalnız müvəqqəti kataloq 24 saatdan çox əvvəl yaradılıbsa həyata keçirilir. +PurgeDeleteTemporaryFilesShort=Günlük və müvəqqəti faylları silin (məlumatların itirilməsi riski yoxdur) +PurgeDeleteAllFilesInDocumentsDir=Kataloqdakı bütün faylları silin: %s.
      Bu, elementlərlə əlaqəli bütün yaradılan sənədləri (üçüncü tərəflər, fakturalar və s...), ECM moduluna yüklənmiş fayllar, verilənlər bazası ehtiyat nüsxəsi və müvəqqəti fayllar siləcək. +PurgeRunNow=İndi təmizləyin +PurgeNothingToDelete=Silinəcək qovluq və ya fayl yoxdur. +PurgeNDirectoriesDeleted=%s fayl və ya kataloq silindi. +PurgeNDirectoriesFailed=%s fayl və ya kataloqu silmək alınmadı. +PurgeAuditEvents=Bütün təhlükəsizlik hadisələrini təmizləyin +ConfirmPurgeAuditEvents=Bütün təhlükəsizlik tədbirlərini təmizləmək istədiyinizə əminsiniz? Bütün təhlükəsizlik qeydləri silinəcək, başqa heç bir məlumat silinməyəcək. +GenerateBackup=Yedək yaradın +Backup=Yedəkləmə +Restore=Bərpa et +RunCommandSummary=Yedəkləmə aşağıdakı əmrlə işə salındı +BackupResult=Yedəkləmə nəticəsi +BackupFileSuccessfullyCreated=Yedək faylı uğurla yaradıldı +YouCanDownloadBackupFile=Yaradılmış fayl indi endirilə bilər +NoBackupFileAvailable=Yedək faylları yoxdur. +ExportMethod=İxrac üsulu +ImportMethod=İdxal üsulu +ToBuildBackupFileClickHere=Yedək faylı yaratmaq üçün buraya klikləyin. +ImportMySqlDesc=MySQL ehtiyat faylını idxal etmək üçün siz hostinqiniz vasitəsilə phpMyAdmin-dən istifadə edə və ya Komanda xəttindən mysql əmrindən istifadə edə bilərsiniz.
      Məsələn: +ImportPostgreSqlDesc=Yedək faylını idxal etmək üçün əmr satırından pg_restore əmrindən istifadə etməlisiniz: ImportMySqlCommand=%s %s < mybackupfile.sql ImportPostgreSqlCommand=%s %s mybackupfile.sql -FileNameToGenerate=Filename for backup: -Compression=Compression -CommandsToDisableForeignKeysForImport=Command to disable foreign keys on import -CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later -ExportCompatibility=Compatibility of generated export file -ExportUseMySQLQuickParameter=Use the --quick parameter -ExportUseMySQLQuickParameterHelp=The '--quick' parameter helps limit RAM consumption for large tables. -MySqlExportParameters=MySQL export parameters -PostgreSqlExportParameters= PostgreSQL export parameters -UseTransactionnalMode=Use transactional mode -FullPathToMysqldumpCommand=Full path to mysqldump command -FullPathToPostgreSQLdumpCommand=Full path to pg_dump command -AddDropDatabase=Add DROP DATABASE command -AddDropTable=Add DROP TABLE command -ExportStructure=Structure -NameColumn=Name columns -ExtendedInsert=Extended INSERT -NoLockBeforeInsert=No lock commands around INSERT -DelayedInsert=Delayed insert -EncodeBinariesInHexa=Encode binary data in hexadecimal -IgnoreDuplicateRecords=Ignore errors of duplicate record (INSERT IGNORE) -AutoDetectLang=Autodetect (browser language) -FeatureDisabledInDemo=Feature disabled in demo -FeatureAvailableOnlyOnStable=Feature only available on official stable versions -BoxesDesc=Widgets are components showing some information that you can add to personalize some pages. You can choose between showing the widget or not by selecting target page and clicking 'Activate', or by clicking the trashcan to disable it. -OnlyActiveElementsAreShown=Only elements from enabled modules are shown. -ModulesDesc=The modules/applications determine which features are available in the software. Some modules require permissions to be granted to users after activating the module. Click the on/off button %s of each module to enable or disable a module/application. -ModulesDesc2=Click the wheel button %s to configure the module/application. -ModulesMarketPlaceDesc=You can find more modules to download on external websites on the Internet... -ModulesDeployDesc=If permissions on your file system allow it, you can use this tool to deploy an external module. The module will then be visible on the tab %s. -ModulesMarketPlaces=Find external app/modules -ModulesDevelopYourModule=Develop your own app/modules -ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. -DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New module -FreeModule=Free -CompatibleUpTo=Compatible with version %s -NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). -CompatibleAfterUpdate=This module requires an update to your Dolibarr %s (Min %s - Max %s). -SeeInMarkerPlace=See in Market place -SeeSetupOfModule=See setup of module %s -SetOptionTo=Set option %s to %s -Updated=Updated -AchatTelechargement=Buy / Download -GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. -DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
      Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. -WebSiteDesc=External websites for more add-on (non-core) modules... -DevelopYourModuleDesc=Some solutions to develop your own module... +FileNameToGenerate=Yedəkləmə üçün fayl adı: +Compression=Sıxılma +CommandsToDisableForeignKeysForImport=İdxal zamanı xarici açarları söndürmək əmri +CommandsToDisableForeignKeysForImportWarning=SQL zibilinizi daha sonra bərpa etmək istəyirsinizsə, məcburidir +ExportCompatibility=Yaradılmış ixrac faylının uyğunluğu +ExportUseMySQLQuickParameter=--quick parametrindən istifadə edin +ExportUseMySQLQuickParameterHelp='--quick' parametri böyük cədvəllər üçün RAM istehlakını məhdudlaşdırmağa kömək edir. +MySqlExportParameters=MySQL ixrac parametrləri +PostgreSqlExportParameters= PostgreSQL ixrac parametrləri +UseTransactionnalMode=Əməliyyat rejimindən istifadə edin +FullPathToMysqldumpCommand=mysqldump əmrinə tam yol +FullPathToPostgreSQLdumpCommand=pg_dump əmrinə tam yol +AddDropDatabase=DROP DATABASE əmrini əlavə edin +AddDropTable=DROP TABLE əmrini əlavə edin +ExportStructure=Struktur +NameColumn=Sütunları adlandırın +ExtendedInsert=Genişləndirilmiş INSERT +NoLockBeforeInsert=INSERT ətrafında kilid əmrləri yoxdur +DelayedInsert=Gecikmiş daxiletmə +EncodeBinariesInHexa=İkili məlumatları onaltılıq sistemdə kodlayın +IgnoreDuplicateRecords=Dublikat qeydin səhvlərinə məhəl qoymayın (INSERT IGNORE) +AutoDetectLang=Avtomatik aşkarlama (brauzer dili) +FeatureDisabledInDemo=Demoda funksiya deaktiv edilib +FeatureAvailableOnlyOnStable=Xüsusiyyət yalnız rəsmi stabil versiyalarda mövcuddur +BoxesDesc=Vidjetlər bəzi səhifələri fərdiləşdirmək üçün əlavə edə biləcəyiniz bəzi məlumatları göstərən komponentlərdir. Siz hədəf səhifəni seçib 'Aktivləşdir' üzərinə klikləməklə və ya onu söndürmək üçün zibil qutusuna klikləməklə vidceti göstərmək və ya göstərməmək arasında seçim edə bilərsiniz. +OnlyActiveElementsAreShown=Yalnız aktiv modullardan olan elementlər göstərilir. +ModulesDesc=Modullar/tətbiqlər proqram təminatında hansı xüsusiyyətlərin mövcud olduğunu müəyyənləşdirir. Bəzi modullar modulu aktivləşdirdikdən sonra istifadəçilərə icazələrin verilməsini tələb edir. Hər modulu aktivləşdirmək üçün %s üzərinə klikləyin və ya modulu/tətbiqi söndürün. +ModulesDesc2=Modul/application konfiqurasiya etmək üçün %s üzərinə klikləyin. +ModulesMarketPlaceDesc=İnternetdə xarici vebsaytlarda yükləmək üçün daha çox modul tapa bilərsiniz... +ModulesDeployDesc=Əgər fayl sisteminizdəki icazələr buna icazə verirsə, siz bu alətdən xarici modulu yerləşdirmək üçün istifadə edə bilərsiniz. Bundan sonra modul %s nişanında görünəcək. +ModulesMarketPlaces=Xarici proqramlar/modullar tapın +ModulesDevelopYourModule=Öz tətbiqinizi/modullarınızı inkişaf etdirin +ModulesDevelopDesc=Siz həmçinin öz modulunuzu inkişaf etdirə və ya sizin üçün modul hazırlamaq üçün tərəfdaş tapa bilərsiniz. +DOLISTOREdescriptionLong=Xarici modul tapmaq üçün www.dolistore.com veb-saytını işə salmaq əvəzinə, siz bu daxil edilmiş alətdən istifadə edə bilərsiniz. sizin üçün xarici bazarda axtarış aparacaq (yavaş ola bilər, internetə çıxış lazımdır)... +NewModule=Yeni modul +FreeModule=Pulsuz +CompatibleUpTo=%s versiyası ilə uyğun gəlir +NotCompatible=Bu modul Dolibarr %s (Min %s - Maks b0ecb2ec807f ilə uyğun gəlmir. span>). +CompatibleAfterUpdate=Bu modul Dolibarr %s (Min %s - Maks b0ecb2ec87fz0 üçün yeniləmə tələb edir >). +SeeInMarkerPlace=Bazarda baxın +SeeSetupOfModule=%s modulunun quraşdırılmasına baxın +SeeSetupPage=%s ünvanında quraşdırma səhifəsinə baxın +SeeReportPage=%s ünvanında hesabat səhifəsinə baxın +SetOptionTo=%s seçimini olaraq təyin edin %s +Updated=Yenilənib +AchatTelechargement=Al / Yüklə +GoModuleSetupArea=Yeni modulu yerləşdirmək/quraşdırmaq üçün Modul quraşdırma sahəsinə keçin: %sb0e40dc6507 . +DoliStoreDesc=DoliStore, Dolibarr ERP/CRM xarici modulları üçün rəsmi bazar yeri +DoliPartnersDesc=Xüsusi hazırlanmış modullar və ya funksiyalar təmin edən şirkətlərin siyahısı.
      Qeyd: Dolibarr açıq mənbə proqramı olduğundan, hər kəs PHP proqramlaşdırma sahəsində təcrübəsi olanlar modul hazırlamağı bacarmalıdır. +WebSiteDesc=Daha çox əlavə (əsas olmayan) modullar üçün xarici vebsaytlar... +DevelopYourModuleDesc=Öz modulunuzu inkişaf etdirmək üçün bəzi həllər... URL=URL -RelativeURL=Relative URL -BoxesAvailable=Widgets available -BoxesActivated=Widgets activated -ActivateOn=Activate on -ActiveOn=Activated on -ActivatableOn=Activatable on -SourceFile=Source file -AvailableOnlyIfJavascriptAndAjaxNotDisabled=Available only if JavaScript is not disabled -Required=Required -UsedOnlyWithTypeOption=Used by some agenda option only -Security=Security -Passwords=Passwords -DoNotStoreClearPassword=Encrypt passwords stored in database (NOT as plain-text). It is strongly recommended to activate this option. -MainDbPasswordFileConfEncrypted=Encrypt database password stored in conf.php. It is strongly recommended to activate this option. -InstrucToEncodePass=To have password encoded into the conf.php file, replace the line
      $dolibarr_main_db_pass="...";
      by
      $dolibarr_main_db_pass="crypted:%s"; -InstrucToClearPass=To have password decoded (clear) into the conf.php file, replace the line
      $dolibarr_main_db_pass="crypted:...";
      by
      $dolibarr_main_db_pass="%s"; -ProtectAndEncryptPdfFiles=Protect generated PDF files. This is NOT recommended as it breaks bulk PDF generation. -ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature makes building of a global merged PDFs not working. -Feature=Feature -DolibarrLicense=License -Developpers=Developers/contributors -OfficialWebSite=Dolibarr official web site -OfficialWebSiteLocal=Local web site (%s) -OfficialWiki=Dolibarr documentation / Wiki -OfficialDemo=Dolibarr online demo -OfficialMarketPlace=Official market place for external modules/addons -OfficialWebHostingService=Referenced web hosting services (Cloud hosting) -ReferencedPreferredPartners=Preferred Partners -OtherResources=Other resources -ExternalResources=External Resources -SocialNetworks=Social Networks -SocialNetworkId=Social Network ID -ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),
      take a look at the Dolibarr Wiki:
      %s -ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:
      %s -HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr. -HelpCenterDesc2=Some of these resources are only available in english. -CurrentMenuHandler=Current menu handler -MeasuringUnit=Measuring unit -LeftMargin=Left margin -TopMargin=Top margin -PaperSize=Paper type -Orientation=Orientation +RelativeURL=Nisbi URL +BoxesAvailable=Vidjetlər mövcuddur +BoxesActivated=Vidjetlər aktivləşdirildi +ActivateOn=Aktivləşdirin +ActiveOn=Aktivləşdirilib +ActivatableOn=Aktivləşdirilə bilər +SourceFile=Mənbə faylı +AvailableOnlyIfJavascriptAndAjaxNotDisabled=Yalnız JavaScript deaktiv edilmədikdə mövcuddur +Required=Tələb olunur +UsedOnlyWithTypeOption=Yalnız bəzi gündəm variantları tərəfindən istifadə olunur +Security=Təhlükəsizlik +Passwords=Parollar +DoNotStoreClearPassword=Verilənlər bazasında saxlanılan parolları şifrələyin (düz mətn kimi DEYİL). Bu seçimi aktivləşdirmək tövsiyə olunur. +MainDbPasswordFileConfEncrypted=conf.php-də saxlanılan verilənlər bazası parolunu şifrələyin. Bu seçimi aktivləşdirmək tövsiyə olunur. +InstrucToEncodePass=Parolun conf.php faylına kodlanması üçün b0342fccz01 sətrini əvəz edin. /span>$dolibarr_main_db_pass="...";b0342fcc0da >by
      $dolibarr_main_db_pass="crypted:b0ecb2ec804"; span class='notranslate'>
      +InstrucToClearPass=conf.php faylında parolun deşifrə edilməsi (təmizlənməsi) üçün
      $dolibarr_main_db_pass="crypted:...";='notranslate >
      by
      $dolibarr_main_db_pass="late class='notranslate" "; +ProtectAndEncryptPdfFiles=Yaradılmış PDF fayllarını qoruyun. Bu, toplu PDF generasiyasını pozduğu üçün TÖVSİYƏ EDİLMİR. +ProtectAndEncryptPdfFilesDesc=PDF sənədinin qorunması onu istənilən PDF brauzeri ilə oxumaq və çap etmək üçün əlçatan edir. Bununla belə, redaktə və köçürmə artıq mümkün deyil. Nəzərə alın ki, bu funksiyadan istifadə etməklə qlobal birləşmiş PDF-lərin qurulması işləməz. +Feature=Xüsusiyyət +DolibarrLicense=Lisenziya +Developpers=Tərtibatçılar/töhfəçilər +OfficialWebSite=Dolibarr rəsmi saytı +OfficialWebSiteLocal=Yerli veb sayt (%s) +OfficialWiki=Dolibarr sənədləri / Wiki +OfficialDemo=Dolibarr onlayn demo +OfficialMarketPlace=Xarici modullar/əlavələr üçün rəsmi bazar yeri +OfficialWebHostingService=İstinad edilən veb hostinq xidmətləri (Cloud hosting) +ReferencedPreferredPartners=Tercih Edilən Tərəfdaşlar +OtherResources=Digər resurslar +ExternalResources=Xarici Resurslar +SocialNetworks=Sosial şəbəkələr +SocialNetworkId=Sosial şəbəkə ID +ForDocumentationSeeWiki=İstifadəçi və ya tərtibatçı sənədləri (Sənəd, Tez-tez verilən suallar...) üçün
      Dolibarr Wiki-yə nəzər salın:
      %sb0e4080d +ForAnswersSeeForum=Hər hansı digər suallar/kömək üçün Dolibarr forumundan istifadə edə bilərsiniz:
      b00fab50ead9320 /span>%s
      +HelpCenterDesc1=Dolibarr ilə kömək və dəstək əldə etmək üçün bəzi resurslar buradadır. +HelpCenterDesc2=Bu resurslardan bəziləri yalnız ingiliscə dilində əlçatandır. +CurrentMenuHandler=Cari menyu işləyicisi +MeasuringUnit=Ölçü vahidi +LeftMargin=Sol kənar +TopMargin=Üst marja +PaperSize=Kağız növü +Orientation=Orientasiya SpaceX=Space X -SpaceY=Space Y -FontSize=Font size -Content=Content -ContentForLines=Content to display for each product or service (from variable __LINES__ of Content) -NoticePeriod=Notice period -NewByMonth=New by month -Emails=Emails -EMailsSetup=Emails setup -EMailsDesc=This page allows you to set parameters or options for email sending. -EmailSenderProfiles=Emails sender profiles -EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. -MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (default value in php.ini: %s) -MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (default value in php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix-like systems) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix-like systems) -MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (default value in php.ini: %s) -MAIN_MAIL_ERRORS_TO=Email used for error returns emails (fields 'Errors-To' in emails sent) -MAIN_MAIL_AUTOCOPY_TO= Copy (Bcc) all sent emails to -MAIN_DISABLE_ALL_MAILS=Disable all email sending (for test purposes or demos) -MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email -MAIN_MAIL_SENDMODE=Email sending method -MAIN_MAIL_SMTPS_ID=SMTP ID (if sending server requires authentication) -MAIN_MAIL_SMTPS_PW=SMTP Password (if sending server requires authentication) -MAIN_MAIL_EMAIL_TLS=Use TLS (SSL) encryption -MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés -MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature -MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim -MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector -MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing -MAIN_DISABLE_ALL_SMS=Disable all SMS sending (for test purposes or demos) -MAIN_SMS_SENDMODE=Method to use to send SMS -MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending -MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email) -UserEmail=User email -CompanyEmail=Company Email -FeatureNotAvailableOnLinux=Feature not available on Unix like systems. Test your sendmail program locally. -FixOnTransifex=Fix the translation on the online translation platform of project -SubmitTranslation=If the translation for this language is not complete or you find errors, you can correct this by editing files in directory langs/%s and submit your change to www.transifex.com/dolibarr-association/dolibarr/ -SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or, if you are a developer, with a PR on github.com/Dolibarr/dolibarr -ModuleSetup=Module setup -ModulesSetup=Modules/Application setup -ModuleFamilyBase=System -ModuleFamilyCrm=Customer Relationship Management (CRM) -ModuleFamilySrm=Vendor Relationship Management (VRM) -ModuleFamilyProducts=Product Management (PM) -ModuleFamilyHr=Human Resource Management (HR) -ModuleFamilyProjects=Projects/Collaborative work -ModuleFamilyOther=Other -ModuleFamilyTechnic=Multi-modules tools -ModuleFamilyExperimental=Experimental modules -ModuleFamilyFinancial=Financial Modules (Accounting/Treasury) -ModuleFamilyECM=Electronic Content Management (ECM) -ModuleFamilyPortal=Websites and other frontal application -ModuleFamilyInterface=Interfaces with external systems -MenuHandlers=Menu handlers -MenuAdmin=Menu editor -DoNotUseInProduction=Do not use in production -ThisIsProcessToFollow=Upgrade procedure: -ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: -StepNb=Step %s -FindPackageFromWebSite=Find a package that provides the features you need (for example on the official web site %s). -DownloadPackageFromWebSite=Download package (for example from the official web site %s). -UnpackPackageInDolibarrRoot=Unpack/unzip the packaged files into your Dolibarr server directory: %s -UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s -SetupIsReadyForUse=Module deployment is finished. You must however enable and setup the module in your application by going to the page setup modules: %s. -NotExistsDirect=The alternative root directory is not defined to an existing directory.
      -InfDirAlt=Since version 3, it is possible to define an alternative root directory. This allows you to store, into a dedicated directory, plug-ins and custom templates.
      Just create a directory at the root of Dolibarr (eg: custom).
      -InfDirExample=
      Then declare it in the file conf.php
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
      If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. -YouCanSubmitFile=You can upload the .zip file of module package from here: -CurrentVersion=Dolibarr current version -CallUpdatePage=Browse to the page that updates the database structure and data: %s. -LastStableVersion=Latest stable version -LastActivationDate=Latest activation date -LastActivationAuthor=Latest activation author -LastActivationIP=Latest activation IP -LastActivationVersion=Latest activation version -UpdateServerOffline=Update server offline -WithCounter=Manage a counter -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      -GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      -GenericMaskCodes3=All other characters in the mask will remain intact.
      Spaces are not allowed.
      -GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
      Spaces are not allowed.
      In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2007-01-31:
      -GenericMaskCodes4b=Example on third party created on 2007-03-01:
      -GenericMaskCodes4c=Example on product created on 2007-03-01:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC0701-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN0701-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' -GenericNumRefModelDesc=Returns a customizable number according to a defined mask. -ServerAvailableOnIPOrPort=Server is available at address %s on port %s -ServerNotAvailableOnIPOrPort=Server is not available at address %s on port %s -DoTestServerAvailability=Test server connectivity -DoTestSend=Test sending -DoTestSendHTML=Test sending HTML -ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. -ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, can't use option @ if sequence {yy}{mm} or {yyyy}{mm} is not in mask. -UMask=UMask parameter for new files on Unix/Linux/BSD/Mac file system. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone).
      This parameter is useless on a Windows server. -SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization -UseACacheDelay= Delay for caching export response in seconds (0 or empty for no cache) -DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page -DisableLinkToHelp=Hide the link to the online help "%s" -AddCRIfTooLong=There is no automatic text wrapping, text that is too long will not display on documents. Please add carriage returns in the text area if needed. -ConfirmPurge=Are you sure you want to execute this purge?
      This will permanently delete all your data files with no way to restore them (ECM files, attached files...). -MinLength=Minimum length -LanguageFilesCachedIntoShmopSharedMemory=Files .lang loaded in shared memory -LanguageFile=Language file -ExamplesWithCurrentSetup=Examples with current configuration -ListOfDirectories=List of OpenDocument templates directories -ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.

      Put here full path of directories.
      Add a carriage return between eah directory.
      To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.

      Files in those directories must end with .odt or .ods. -NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories -ExampleOfDirectoriesForModelGen=Examples of syntax:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir -FollowingSubstitutionKeysCanBeUsed=
      To know how to create your odt document templates, before storing them in those directories, read wiki documentation: -FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template -FirstnameNamePosition=Position of Name/Lastname -DescWeather=The following images will be shown on the dashboard when the number of late actions reach the following values: -KeyForWebServicesAccess=Key to use Web Services (parameter "dolibarrkey" in webservices) -TestSubmitForm=Input test form -ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever the user choice. Also this menu manager specialized for smartphones does not work on all smartphone. Use another menu manager if you experience problems with yours. -ThemeDir=Skins directory -ConnectionTimeout=Connection timeout -ResponseTimeout=Response timeout -SmsTestMessage=Test message from __PHONEFROM__ to __PHONETO__ -ModuleMustBeEnabledFirst=Module %s must be enabled first if you need this feature. -SecurityToken=Key to secure URLs -NoSmsEngine=No SMS sender manager available. A SMS sender manager is not installed with the default distribution because they depend on an external vendor, but you can find some on %s +SpaceY=Kosmos Y +FontSize=Şrift ölçüsü +Content=Məzmun +ContentForLines=Hər bir məhsul və ya xidmət üçün göstəriləcək məzmun (Məzmun __LINES__ dəyişənindən) +NoticePeriod=Bildiriş müddəti +NewByMonth=Ayla yeni +Emails=E-poçtlar +EMailsSetup=E-poçtların quraşdırılması +EMailsDesc=Bu səhifə sizə e-poçt göndərilməsi üçün parametrlər və ya seçimlər təyin etməyə imkan verir. +EmailSenderProfiles=E-poçt göndərən profilləri +EMailsSenderProfileDesc=Bu bölməni boş saxlaya bilərsiniz. Bəzi e-poçtları buraya daxil etsəniz, yeni e-poçt yazdığınız zaman onlar birləşmiş qutuya mümkün göndərənlər siyahısına əlavə olunacaqlar. +MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Portu (php.ini-də defolt dəyər: %sb09a4f73901) +MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (php.ini-də defolt dəyər: %sb09a4f73901) +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Portu +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Avtomatik e-poçtlar üçün e-poçt göndərin +EMailHelpMsgSPFDKIM=Dolibarr e-poçtlarının spam kimi təsnif edilməsinin qarşısını almaq üçün serverin bu identifikasiya altında e-poçt göndərmək səlahiyyətinə malik olduğundan əmin olun (domen adının SPF və DKIM konfiqurasiyasını yoxlayaraq) +MAIN_MAIL_ERRORS_TO=Səhv üçün istifadə edilən e-poçt e-poçtları qaytarır (göndərilən e-poçtlarda "Səhvlər-To" sahələri) +MAIN_MAIL_AUTOCOPY_TO= Göndərilən bütün e-poçtları kopyalayın (Bcc). +MAIN_DISABLE_ALL_MAILS=Bütün e-poçt göndərilməsini deaktiv edin (test məqsədləri və ya nümayişlər üçün) +MAIN_MAIL_FORCE_SENDTO=Bütün e-poçtları göndərin (test məqsədləri üçün real alıcılar əvəzinə) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Yeni e-poçt yazarkən əvvəlcədən təyin edilmiş alıcıların siyahısına işçilərin e-poçtlarını (əgər müəyyən edilmişdirsə) təklif edin +MAIN_MAIL_NO_WITH_TO_SELECTED=Yalnız 1 mümkün seçim olsa belə, defolt alıcı seçməyin +MAIN_MAIL_SENDMODE=E-poçt göndərmə üsulu +MAIN_MAIL_SMTPS_ID=SMTP ID (əgər göndərilən server autentifikasiya tələb edirsə) +MAIN_MAIL_SMTPS_PW=SMTP Parol (əgər göndərilən server identifikasiya tələb edirsə) +MAIN_MAIL_EMAIL_TLS=TLS (SSL) şifrələməsindən istifadə edin +MAIN_MAIL_EMAIL_STARTTLS=TLS (STARTTLS) şifrələməsindən istifadə edin +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Öz-özünə imzalanmış sertifikatlara icazə verin +MAIN_MAIL_EMAIL_DKIM_ENABLED=E-poçt imzası yaratmaq üçün DKIM-dən istifadə edin +MAIN_MAIL_EMAIL_DKIM_DOMAIN=dkim ilə istifadə üçün E-poçt Domain +MAIN_MAIL_EMAIL_DKIM_SELECTOR=dkim seçicisinin adı +MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Dkim imzalanması üçün şəxsi açar +MAIN_DISABLE_ALL_SMS=Bütün SMS göndərilməsini deaktiv edin (test məqsədləri və ya nümayişlər üçün) +MAIN_SMS_SENDMODE=SMS göndərmək üçün istifadə üsulu +MAIN_MAIL_SMS_FROM=SMS göndərilməsi üçün defolt göndərənin telefon nömrəsi +MAIN_MAIL_DEFAULT_FROMTYPE=E-poçt göndərmək üçün formalarda defolt göndərici e-poçtu əvvəlcədən seçilmişdir +UserEmail=İstifadəçi e-poçtu +CompanyEmail=Şirkət E-poçtu +FeatureNotAvailableOnLinux=Funksiya Unix kimi sistemlərdə mövcud deyil. Sendmail proqramınızı yerli olaraq yoxlayın. +FixOnTransifex=Layihənin onlayn tərcümə platformasında tərcüməni düzəldin +SubmitTranslation=Bu dil üçün tərcümə tamamlanmayıbsa və ya səhvlər tapsanız, langs/%s və dəyişikliyi www.transifex.com/dolibarr-association/dolibarr/ ünvanına göndərin. +SubmitTranslationENUS=Bu dil üçün tərcümə tamamlanmayıbsa və ya səhvlər tapsanız, faylları langs/%s qovluğuna redaktə etməklə düzəldə bilərsiniz. və dəyişdirilmiş faylları dolibarr.org/forum saytında və ya tərtibatçısınızsa, github.com/Dolibarr/dolibarr saytında PR ilə təqdim edin +ModuleSetup=Modulun qurulması +ModulesSetup=Modullar/Tətbiqlərin qurulması +ModuleFamilyBase=Sistem +ModuleFamilyCrm=Müştəri Münasibətlərinin İdarə Edilməsi (CRM) +ModuleFamilySrm=Satıcılarla Əlaqələrin İdarə Edilməsi (VRM) +ModuleFamilyProducts=Məhsulun İdarə Edilməsi (PM) +ModuleFamilyHr=İnsan Resurslarının İdarə Edilməsi (HR) +ModuleFamilyProjects=Layihələr/Birgə iş +ModuleFamilyOther=Digər +ModuleFamilyTechnic=Çox modullu alətlər +ModuleFamilyExperimental=Eksperimental modullar +ModuleFamilyFinancial=Maliyyə Modulları (Mühasibatlıq/Xəzinədarlıq) +ModuleFamilyECM=Elektron Məzmun İdarəetmə (ECM) +ModuleFamilyPortal=Veb saytlar və digər cəbhə proqramları +ModuleFamilyInterface=Xarici sistemlərlə interfeyslər +MenuHandlers=Menyu idarəçiləri +MenuAdmin=Menyu redaktoru +DoNotUseInProduction=İstehsalda istifadə etməyin +ThisIsProcessToFollow=Təkmilləşdirmə proseduru: +ThisIsAlternativeProcessToFollow=Bu, əl ilə işləmək üçün alternativ quraşdırmadır: +StepNb=Addım %s +FindPackageFromWebSite=Sizə lazım olan funksiyaları təmin edən paketi tapın (məsələn, rəsmi internet saytında %s). +DownloadPackageFromWebSite=Paketi endirin (məsələn, rəsmi internet saytından %s). +UnpackPackageInDolibarrRoot=Paketlənmiş faylları Dolibarr server kataloqunuza açın/açın: %sb09a4f73901 +UnpackPackageInModulesRoot=Xarici modulu yerləşdirmək/quraşdırmaq üçün siz arxiv faylını xarici modullar üçün ayrılmış server kataloquna çıxarmalı/açmalısınız:
      %s +SetupIsReadyForUse=Modulun yerləşdirilməsi tamamlandı. Bununla belə, səhifə quraşdırma modullarına daxil olaraq tətbiqinizdə modulu aktiv etməli və quraşdırmalısınız: %s. +NotExistsDirect=Alternativ kök kataloqu mövcud kataloq üçün müəyyən edilməyib.
      +InfDirAlt=3-cü versiyadan etibarən alternativ kök kataloqu müəyyən etmək mümkündür. Bu, sizə xüsusi kataloq, plaginlər və fərdi şablonları saxlamağa imkan verir.
      Sadəcə Dolibarr-ın kökündə kataloq yaradın (məsələn: xüsusi).
      +InfDirExample=
      Sonra onu conf.phpb0a65d071f06fc faylında elan edin. class='notranslate'>
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_ofda19bz0/'dolibarr_main_alt=s 'notranslate'>
      Bu sətirlər "#" ilə şərh olunubsa, onları aktivləşdirmək üçün "#" simvolunu silməklə şərhi ləğv edin. +YouCanSubmitFile=Modul paketinin .zip faylını buradan yükləyə bilərsiniz: +CurrentVersion=Dolibarr cari versiyası +CallUpdatePage=Verilənlər bazası strukturunu və datasını yeniləyən səhifəyə baxın: %s. +LastStableVersion=Ən son stabil versiya +LastActivationDate=Ən son aktivləşdirmə tarixi +LastActivationAuthor=Ən son aktivləşdirmə müəllifi +LastActivationIP=Ən son aktivləşdirmə IP +LastActivationVersion=Ən son aktivasiya versiyası +UpdateServerOffline=Serveri oflayn olaraq yeniləyin +WithCounter=Sayğacı idarə edin +GenericMaskCodes=İstənilən nömrələmə maskasını daxil edə bilərsiniz. Bu maskada aşağıdakı teqlərdən istifadə edilə bilər:
      {000000}b09a4b78z1 hər %s-da artırılacaq rəqəmə uyğundur. Sayğacın istədiyiniz uzunluğu qədər sıfır daxil edin. Maska qədər sıfıra sahib olmaq üçün sayğac soldan sıfırlarla tamamlanacaq.
      {000000+000} lakin əvvəlki ilə eyni ilk %s-dan başlayaraq + işarəsinin sağındakı rəqəmə uyğun ofset tətbiq edilir.
      {000000@x} əvvəlki ilə eyni x ayına çatdıqda sayğac sıfıra sıfırlanır (1 ilə 12 arasında x və ya konfiqurasiyanızda müəyyən edilmiş maliyyə ilinin ilk aylarından istifadə etmək üçün 0 və ya hər ay sıfıra sıfırlamaq üçün 99). Bu seçim istifadə olunursa və x 2 və ya daha yüksəkdirsə, {yy}{mm} və ya {yyyy}{mm} ardıcıllığı da tələb olunur.
      {dd} gün (01-31). span class='notranslate'>
      {mm} ay (01-12). class='notranslate'>
      {yy},
      b06a5f451419e80 n simvoldan ibarət üçüncü tərəf növü kodu (bax menyu Əsas səhifə - Quraşdırma - Lüğət - Üçüncü tərəflərin növləri). Bu teqi əlavə etsəniz, sayğac hər bir üçüncü tərəf növü üçün fərqli olacaq.
      +GenericMaskCodes3=Maskadakı bütün digər simvollar toxunulmaz qalacaq.
      Boşluqlara icazə verilmir.
      +GenericMaskCodes3EAN=Maskadakı bütün digər simvollar toxunulmaz qalacaq (EAN13-də 13-cü mövqedə * və ya ? istisna olmaqla).
      Boşluqlara icazə verilmir.
      span>EAN13-də 13-cü mövqedə sonuncu }-dən sonra gələn sonuncu simvol * və ya ? . O, hesablanmış açarla əvəz olunacaq.
      +GenericMaskCodes4a=Üçüncü tərəf TheCompany-nin 99-cu %s-da nümunə, 31-01-2023:
      +GenericMaskCodes4b=31-01-2023 tarixində yaradılmış üçüncü tərəfə aid nümunə:b0342fccfda19b > +GenericMaskCodes4c=31-01-2023 tarixində yaradılmış məhsula dair nümunə:b0342fccfda19b +GenericMaskCodes5=ABC{yy}{mm}-{000000} b0aee833608 verəcək span>ABC2301-000099

      b0aee83365837{100z }-ZZZ/{dd}/XXX
      0199-ZZZ/31/XXX

      IN{yy}{mm}-{0000}-{t} şirkəti IN2301-0099-Ab09a4b739f17f80 verəcək "A_RI" növü üçün kodu olan "Məsuliyyətli Inscripto" +GenericNumRefModelDesc=Müəyyən edilmiş maskaya uyğun olaraq fərdiləşdirilə bilən nömrə qaytarır. +ServerAvailableOnIPOrPort=Server %s ünvanında, %s +ServerNotAvailableOnIPOrPort=Server %s ünvanında mövcud deyil. ='notranslate'>%s +DoTestServerAvailability=Server bağlantısını sınayın +DoTestSend=Test göndərilməsi +DoTestSendHTML=HTML göndərilməsini sınayın +ErrorCantUseRazIfNoYearInMask=Xəta, {yy} və ya {yyyy} ardıcıllığı maskada deyilsə, hər il sayğacı sıfırlamaq üçün @ seçimindən istifadə edilə bilməz. +ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Xəta, @ if ardıcıllığından istifadə edilə bilməz {yy}{mm} və ya {yyyy} {mm} maskada deyil. +UMask=Unix/Linux/BSD/Mac fayl sistemində yeni fayllar üçün UMask parametri. +UMaskExplanation=Bu parametr serverdə Dolibarr tərəfindən yaradılmış fayllarda defolt olaraq təyin edilmiş icazələri müəyyən etməyə imkan verir (məsələn, yükləmə zamanı).
      O, səkkizlik dəyər olmalıdır (məsələn, 0666 oxumaq deməkdir və hamı üçün yazın.). Tövsiyə olunan dəyər 0600 və ya 0660
      Bu parametr Windows serverində yararsızdır. +SeeWikiForAllTeam=Töhfə verənlərin siyahısı və onların təşkilatı üçün Wiki səhifəsinə nəzər salın +UseACacheDelay= Eksport cavabının keşləşdirilməsi üçün saniyələr ərzində gecikmə (0 və ya keş yoxdur) +DisableLinkToHelpCenter=Giriş səhifəsində "Kömək və ya dəstəyə ehtiyac var" linkini gizlədin +DisableLinkToHelp="%s" onlayn yardım keçidini gizlədin +AddCRIfTooLong=Avtomatik mətn paketi yoxdur, çox uzun mətn sənədlərdə göstərilməyəcək. Zəhmət olmasa, mətn sahəsinə vaqon qaytarmalarını əlavə edin. +ConfirmPurge=Bu təmizləməni həyata keçirmək istədiyinizə əminsiniz?
      Bu, bütün data fayllarınızı bərpa etmək üçün heç bir yol olmadan (ECM faylları, əlavə edilmiş fayllar...) həmişəlik siləcək. +MinLength=Minimum uzunluq +LanguageFilesCachedIntoShmopSharedMemory=Paylaşılan yaddaşa yüklənmiş .lang faylları +LanguageFile=Dil faylı +ExamplesWithCurrentSetup=Cari konfiqurasiya ilə nümunələr +ListOfDirectories=OpenDocument şablon kataloqlarının siyahısı +ListOfDirectoriesForModelGenODT=OpenDocument formatlı şablon faylları olan qovluqların siyahısı.

      Kataloqların tam yolunu bura qoyun.
      Eah kataloqu arasında karetin qaytarılması əlavə edin.
      GED modulunun kataloqunu əlavə etmək üçün buraya əlavə edin b0aee83365837f >DOL_DATA_ROOT/ecm/yourdirectoryname
      .
      b0342fccfda Directory in thats/b0342fccfda .odt və ya ods ilə bitməlidir. ='notranslate'>. +NumberOfModelFilesFound=Bu qovluqlarda tapılan ODT/ODS şablon fayllarının sayı +ExampleOfDirectoriesForModelGen=Sintaksis nümunələri:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysub
      DOL_DATA_ROOT/ecm/ecmdir +FollowingSubstitutionKeysCanBeUsed=
      Odt sənəd şablonlarınızı necə yaratacağınızı bilmək üçün onları həmin kataloqlarda saxlamazdan əvvəl wiki sənədlərini oxuyun: +FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template +FirstnameNamePosition=Ad/Soyad Vəzifəsi +DescWeather=Gecikmiş əməliyyatların sayı aşağıdakı dəyərlərə çatdıqda aşağıdakı şəkillər tablosunda göstəriləcək: +KeyForWebServicesAccess=Veb Xidmətlərindən istifadə açarı (veb xidmətlərində "dolibarrkey" parametri) +TestSubmitForm=Giriş test forması +ThisForceAlsoTheme=Bu menyu menecerindən istifadə istifadəçi seçimindən asılı olmayaraq öz mövzusundan da istifadə edəcək. Həmçinin smartfonlar üçün ixtisaslaşmış bu menyu meneceri bütün smartfonlarda işləmir. Öz menyunuzla bağlı probleminiz varsa, başqa menyu menecerindən istifadə edin. +ThemeDir=Dərilər kataloqu +ConnectionTimeout=Bağlantı fasiləsi +ResponseTimeout=Cavab fasiləsi +SmsTestMessage=__PHONEFROM__ nömrəsindən __PHONETO__ nömrəsinə sınaq mesajı +ModuleMustBeEnabledFirst=Modul %s bu funksiyaya ehtiyacınız varsa, əvvəlcə aktivləşdirilməlidir. +SecurityToken=Təhlükəsiz URL-lərin açarı +NoSmsEngine=SMS göndərən meneceri yoxdur. SMS göndərən meneceri defolt paylama ilə quraşdırılmayıb, çünki onlar xarici təchizatçıdan asılıdır, lakin bəzilərini %s saytında tapa bilərsiniz. PDF=PDF -PDFDesc=Global options for PDF generation -PDFOtherDesc=PDF Option specific to some modules -PDFAddressForging=Rules for address section -HideAnyVATInformationOnPDF=Hide all information related to Sales Tax / VAT -PDFRulesForSalesTax=Rules for Sales Tax / VAT -PDFLocaltax=Rules for %s -HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT -HideDescOnPDF=Hide products description -HideRefOnPDF=Hide products ref. -HideDetailsOnPDF=Hide product lines details -PlaceCustomerAddressToIsoLocation=Use french standard position (La Poste) for customer address position -Library=Library -UrlGenerationParameters=Parameters to secure URLs -SecurityTokenIsUnique=Use a unique securekey parameter for each URL -EnterRefToBuildUrl=Enter reference for object %s -GetSecuredUrl=Get calculated URL -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) -OldVATRates=Old VAT rate -NewVATRates=New VAT rate -PriceBaseTypeToChange=Modify on prices with base reference value defined on -MassConvert=Launch bulk conversion -PriceFormatInCurrentLanguage=Price Format In Current Language -String=String -String1Line=String (1 line) -TextLong=Long text -TextLongNLines=Long text (n lines) -HtmlText=Html text -Int=Integer -Float=Float -DateAndTime=Date and hour -Unique=Unique -Boolean=Boolean (one checkbox) -ExtrafieldPhone = Phone -ExtrafieldPrice = Price -ExtrafieldMail = Email +PDFDesc=PDF yaratmaq üçün qlobal seçimlər +PDFOtherDesc=Bəzi modullar üçün xüsusi PDF Seçimləri +PDFAddressForging=Ünvan bölməsi üçün qaydalar +HideAnyVATInformationOnPDF=Satış Vergisi / ƏDV ilə əlaqəli bütün məlumatları gizlədin +PDFRulesForSalesTax=Satış Vergisi / ƏDV Qaydaları +PDFLocaltax=%s qaydaları +HideLocalTaxOnPDF=%s dərəcəsini Satış Vergisi / ƏDV sütununda gizlədin +HideDescOnPDF=Məhsulların təsvirini gizlədin +HideRefOnPDF=Məhsulları gizlət ref. +ShowProductBarcodeOnPDF=Məhsulların barkod nömrəsini göstərin +HideDetailsOnPDF=Məhsul xətlərinin təfərrüatlarını gizlədin +PlaceCustomerAddressToIsoLocation=Müştəri ünvanı mövqeyi üçün fransız standart mövqeyindən (La Poste) istifadə edin +Library=Kitabxana +UrlGenerationParameters=URL-ləri qorumaq üçün parametrlər +SecurityTokenIsUnique=Hər bir URL üçün unikal təhlükəsiz açar parametrindən istifadə edin +EnterRefToBuildUrl=%s obyekti üçün istinad daxil edin +GetSecuredUrl=Hesablanmış URL əldə edin +ButtonHideUnauthorized=Daxili istifadəçilər üçün də icazəsiz fəaliyyət düymələrini gizlədin (əks halda boz rəngdə olur) +OldVATRates=Köhnə ƏDV dərəcəsi +NewVATRates=Yeni ƏDV dərəcəsi +PriceBaseTypeToChange=Əsas istinad dəyəri ilə qiymətlərə dəyişiklik edin +MassConvert=Toplu çevrilməni işə salın +PriceFormatInCurrentLanguage=Cari Dildə Qiymət Format +String=Simli +String1Line=Sətir (1 sətir) +TextLong=Uzun mətn +TextLongNLines=Uzun mətn (n sətir) +HtmlText=Html mətni +Int=Tam +Float=Sal +DateAndTime=Tarix və saat +Unique=Unikal +Boolean=Boolean (bir onay qutusu) +ExtrafieldPhone = Telefon +ExtrafieldPrice = Qiymət +ExtrafieldPriceWithCurrency=Valyuta ilə qiymət +ExtrafieldMail = E-poçt ExtrafieldUrl = Url -ExtrafieldSelect = Select list -ExtrafieldSelectList = Select from table -ExtrafieldSeparator=Separator (not a field) -ExtrafieldPassword=Password -ExtrafieldRadio=Radio buttons (one choice only) -ExtrafieldCheckBox=Checkboxes -ExtrafieldCheckBoxFromList=Checkboxes from table -ExtrafieldLink=Link to an object -ComputedFormula=Computed field -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $object.
      WARNING: Only some properties of $object may be available. If you need a properties not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $object->id < 10 ? round($object->id / 2, 2): ($object->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($obj->id ? $obj->id: ($obj->rowid ? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' -Computedpersistent=Store computed field -ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!! -ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored without encryption (field must be only hidden with star on screen).
      Set 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retrieve original value) -ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      In order to have the list depending on another list:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key -ExtrafieldParamHelpcheckbox=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpradio=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath -ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) -LibraryToBuildPDF=Library used for PDF generation -LocalTaxDesc=Some countries may apply two or three taxes on each invoice line. If this is the case, choose the type for the second and third tax and its rate. Possible type are:
      1: local tax apply on products and services without vat (localtax is calculated on amount without tax)
      2: local tax apply on products and services including vat (localtax is calculated on amount + main tax)
      3: local tax apply on products without vat (localtax is calculated on amount without tax)
      4: local tax apply on products including vat (localtax is calculated on amount + main vat)
      5: local tax apply on services without vat (localtax is calculated on amount without tax)
      6: local tax apply on services including vat (localtax is calculated on amount + tax) +ExtrafieldIP = IP +ExtrafieldSelect = Siyahı seçin +ExtrafieldSelectList = Cədvəldən seçin +ExtrafieldSeparator=Ayırıcı (sahə deyil) +ExtrafieldPassword=parol +ExtrafieldRadio=Radio düymələri (yalnız bir seçim) +ExtrafieldCheckBox=Yoxlama qutuları +ExtrafieldCheckBoxFromList=Cədvəldən qeyd qutuları +ExtrafieldLink=Bir obyektə keçid +ComputedFormula=Hesablanmış sahə +ComputedFormulaDesc=Dinamik hesablanmış dəyər əldə etmək üçün burada obyektin digər xassələrindən və ya hər hansı PHP kodlaşdırmasından istifadə edərək düstur daxil edə bilərsiniz. Siz "?" daxil olmaqla istənilən PHP uyğun düsturlardan istifadə edə bilərsiniz. şərt operatoru və aşağıdakı qlobal obyekt: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      XƏBƏRDARLIQ: Əgər obyektin xassələrinə ehtiyacınız varsa yüklənməyib, sadəcə olaraq ikinci misalda olduğu kimi obyekti düsturunuza gətirin.
      Hesablanmış sahədən istifadə etməklə siz özünüzə interfeysdən heç bir dəyər daxil edə bilməyəcəksiniz. Həmçinin, sintaksis xətası olarsa, formula heç nə qaytara bilməz.

      Düstur nümunəsi:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      Obyekti yenidən yükləmək üçün nümunə
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] $j- >capital / 5: '-1')

      Obyektin və onun əsas obyektinin yüklənməsini məcbur etmək üçün düsturun digər nümunəsi:
      (($reloadedobj = yeni Tapşırıq($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = yeni Layihə( $db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Valideyn layihə tapılmadı' +Computedpersistent=Hesablanmış sahəni saxla +ComputedpersistentDesc=Hesablanmış əlavə sahələr verilənlər bazasında saxlanılacaq, lakin dəyər yalnız bu sahənin obyekti dəyişdirildikdə yenidən hesablanacaq. Hesablanmış sahə digər obyektlərdən və ya qlobal məlumatlardan asılıdırsa, bu dəyər yanlış ola bilər! +ExtrafieldParamHelpPassword=Bu sahənin boş qalması o deməkdir ki, bu dəyər ŞİFRELƏMƏSİZ saxlanacaq (sahə ekranda sadəcə ulduzlarla gizlənib).

      Daxil edin dəyəri geri çevrilən şifrələmə alqoritmi ilə kodlaşdırmaq üçün 'dolcrypt' dəyəri. Təmiz data hələ də bilinə və redaktə edilə bilər, lakin verilənlər bazasında şifrələnir.

      'Auto' (və ya 'md5') daxil edin. 'sha256', 'password_hash', ...) defolt parol şifrələmə alqoritmindən (və ya md5, sha256, password_hash...) istifadə etmək üçün geri qaytarıla bilməyən haşlanmış parolu verilənlər bazasında saxlamaq (orijinal dəyəri əldə etmək üçün heç bir yol yoxdur) +ExtrafieldParamHelpselect=Dəyərlərin siyahısı format açarı olan sətirlərdən ibarət olmalıdır, dəyər (burada açar '0' ola bilməz)

      :
      1,value1
      2,value2
      ,3de span class='notranslate'>
      ...

      Siyahının başqasından asılı olması üçün tamamlayıcı atribut siyahısı:
      1,value1|options_parent_list_codeb0aes034:34 parent_key
      2,value2|options_parent_list_codeb0ae6437z

      Siyahının başqa siyahıdan asılı olması üçün:
      1, value1|parent_list_code:parent_keyb0342fccfda1922|val, class='notranslate'>
      parent_list_code:parent_key +ExtrafieldParamHelpcheckbox=Dəyərlərin siyahısı format açarı olan sətirlərdən ibarət olmalıdır, dəyər (burada açar '0' ola bilməz)

      :
      1,value1
      2,value2b0342fccfda19bzue3, span class='notranslate'>
      ... +ExtrafieldParamHelpradio=Dəyərlərin siyahısı format açarı olan sətirlərdən ibarət olmalıdır, dəyər (burada açar '0' ola bilməz)

      :
      1,value1
      2,value2b0342fccfda19bzue3, span class='notranslate'>
      ... +ExtrafieldParamHelpsellist=Dəyərlərin siyahısı cədvəldən gəlir
      Sintaksis: table_name:label_field:id_field::filtersql
      Nümunə: c_typent: ::filtersql

      - id_field mütləq əsas int açarıdırb0342fccz01> - filtersql SQL şərtidir. Yalnız aktiv dəyəri göstərmək üçün sadə bir test ola bilər (məsələn, aktiv=1)
      Siz həmçinin cari obyektin
      Filtrdə SEÇİM istifadə etmək üçün inyeksiya əleyhinə mühafizəni keçmək üçün $SEL$ açar sözündən istifadə edin.
      əgər əlavə sahələr üzrə filtrasiya etmək istəyirsinizsə extra.fieldcode=... sintaksisindən istifadə edin (burada sahə kodu əlavə sahənin kodudur)

      başqa tamamlayıcı atribut siyahısından asılı olaraq siyahı:
      c_typent:libelle:id:options_parent_list_codeb0ae64758baclum>film: +ExtrafieldParamHelpchkbxlst=Dəyərlərin siyahısı cədvəldən gəlir
      Sintaksis: table_name:label_field:id_field::filtersql
      Nümunə: c_typent: ::filtersql

      filtr yalnız aktiv dəyəri göstərmək üçün sadə test (məsələn, active=1) ola bilər
      Siz həmçinin $ID$ filtrində istifadə edə bilərsiniz cadugər cari obyektin cari identifikatorudur
      Filtrdə SEÇİM etmək üçün $SEL$< istifadə edin span class='notranslate'>
      əgər əlavə sahələr üzrə filtrasiya etmək istəyirsinizsə extra.fieldcode=... sintaksisindən istifadə edin (burada sahə kodu əlavə sahənin kodudur)

      Siyahının başqa bir tamamlayıcı atribut siyahısından asılı olması üçün:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter b0342fccfda1981fcz04'translateb0342fccfda19b209b0342fccfda19b29 0 Siyahının başqa siyahıdan asılı olması üçün:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelplink=Parametrlər ObjectName:Classpath
      Sintaksis: ObjectName:Classpath olmalıdır +ExtrafieldParamHelpSeparator=Sadə ayırıcı üçün boş saxlayın
      Dağlanan ayırıcı üçün bunu 1-ə təyin edin (defolt olaraq yeni sessiya üçün açılır, sonra status hər istifadəçi sessiyası üçün saxlanılır)
      Bunu yığışdıran ayırıcı üçün 2-yə təyin edin (yeni sessiya üçün defolt olaraq yığışdırılır, sonra status hər istifadəçi seansından əvvəl saxlanılır) +LibraryToBuildPDF=PDF yaratmaq üçün istifadə olunan kitabxana +LocalTaxDesc=Bəzi ölkələr hər faktura xəttinə iki və ya üç vergi tətbiq edə bilər. Əgər belədirsə, ikinci və üçüncü verginin növünü və onun dərəcəsini seçin. Mümkün növlər bunlardır:
      1: yerli vergi ƏDV olmadan məhsul və xidmətlərə tətbiq edilir (yerli vergi vergisiz məbləğə hesablanır)
      2: yerli vergi ƏDV daxil olmaqla məhsul və xidmətlərə tətbiq edilir (yerli vergi məbləğə + əsas vergiyə görə hesablanır)
      3: yerli vergi ƏDV-siz məhsullara tətbiq edilir (yerli vergi əlavə olunmayan məbləğə görə hesablanır) vergi)
      4: yerli vergi ƏDV daxil olmaqla məhsullara tətbiq edilir (yerli vergi məbləğ + əsas ƏDV əsasında hesablanır)
      5: yerli vergi ƏDV-siz xidmətlərə tətbiq edilir (yerli vergi vergisiz məbləğə hesablanır)
      6: yerli vergi ƏDV daxil olmaqla xidmətlərə tətbiq edilir (yerli vergi məbləğə + vergiyə görə hesablanır) SMS=SMS -LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user %s -RefreshPhoneLink=Refresh link -LinkToTest=Clickable link generated for user %s (click phone number to test) -KeepEmptyToUseDefault=Keep empty to use default value -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. -DefaultLink=Default link -SetAsDefault=Set as default -ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) -ExternalModule=External module -InstalledInto=Installed into directory %s -BarcodeInitForThirdparties=Mass barcode init for third-parties -BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services -CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. -InitEmptyBarCode=Init value for next %s empty records -EraseAllCurrentBarCode=Erase all current barcode values -ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values? -AllBarcodeReset=All barcode values have been removed -NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled in the Barcode module setup. -EnableFileCache=Enable file cache -ShowDetailsInPDFPageFoot=Add more details into footer, such as company address or manager names (in addition to professional ids, company capital and VAT number). -NoDetails=No additional details in footer -DisplayCompanyInfo=Display company address -DisplayCompanyManagers=Display manager names -DisplayCompanyInfoAndManagers=Display company address and manager names -EnableAndSetupModuleCron=If you want to have this recurring invoice generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template using the *Create* button. Note that even if you enabled automatic generation, you can still safely launch manual generation. Generation of duplicates for the same period is not possible. -ModuleCompanyCodeCustomerAquarium=%s followed by customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by vendor code for a vendor accounting code -ModuleCompanyCodePanicum=Return an empty accounting code. -ModuleCompanyCodeDigitaria=Returns a compound accounting code according to the name of the third party. The code consists of a prefix that can be defined in the first position followed by the number of characters defined in the third party code. -ModuleCompanyCodeCustomerDigitaria=%s followed by the truncated customer name by the number of characters: %s for the customer accounting code. -ModuleCompanyCodeSupplierDigitaria=%s followed by the truncated supplier name by the number of characters: %s for the supplier accounting code. -Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
      Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. -UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... -WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons: -WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM -WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota). -WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox. -WarningPHPMailD=Also, it is therefore recommended to change the sending method of e-mails to the value "SMTP". If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by setting the MAIN_HIDE_WARNING_TO_ENCOURAGE_SMTP_SETUP constant to 1 in Home - Setup - Other. -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask your domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. -ActualMailSPFRecordFound=Actual SPF record found : %s -ClickToShowDescription=Click to show description -DependsOn=This module needs the module(s) -RequiredBy=This module is required by module(s) -TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. Technical knowledge is required to read the content of the HTML page to get the key name of a field. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, the default values will be effective if all parameters are set to same value. -PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) -EnableDefaultValues=Enable customization of default values -EnableOverwriteTranslation=Enable usage of overwritten translation -GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation. -WarningSettingSortOrder=Warning, setting a default sort order may result in a technical error when going on the list page if field is an unknown field. If you experience such an error, come back to this page to remove the default sort order and restore default behavior. -Field=Field -ProductDocumentTemplates=Document templates to generate product document -FreeLegalTextOnExpenseReports=Free legal text on expense reports -WatermarkOnDraftExpenseReports=Watermark on draft expense reports -ProjectIsRequiredOnExpenseReports=The project is mandatory for entering an expense report -PrefillExpenseReportDatesWithCurrentMonth=Pre-fill start and end dates of new expense report with start and end dates of the current month -ForceExpenseReportsLineAmountsIncludingTaxesOnly=Force the entry of expense report amounts always in amount with taxes -AttachMainDocByDefault=Set this to 1 if you want to attach main document to email by default (if applicable) -FilesAttachedToEmail=Attach file -SendEmailsReminders=Send agenda reminders by emails -davDescription=Setup a WebDAV server -DAVSetup=Setup of module DAV -DAV_ALLOW_PRIVATE_DIR=Enable the generic private directory (WebDAV dedicated directory named "private" - login required) -DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory anybody can access with its application login/pass. -DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). -DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. -# Modules -Module0Name=Users & Groups -Module0Desc=Users / Employees and Groups management -Module1Name=Third Parties -Module1Desc=Companies and contacts management (customers, prospects...) -Module2Name=Commercial -Module2Desc=Commercial management -Module10Name=Accounting (simplified) -Module10Desc=Simple accounting reports (journals, turnover) based on database content. Does not use any ledger table. -Module20Name=Proposals -Module20Desc=Commercial proposal management -Module22Name=Mass Emailings -Module22Desc=Manage bulk emailing -Module23Name=Energy -Module23Desc=Monitoring the consumption of energies -Module25Name=Sales Orders -Module25Desc=Sales order management -Module30Name=Invoices -Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers -Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) -Module42Name=Debug Logs -Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. +LinkToTestClickToDial=İstifadəçi %s +RefreshPhoneLink=Linki yeniləyin +LinkToTest=İstifadəçi %s telefon nömrəsini sınaqdan keçirmək üçün yaradılan kliklənən keçid (click) ) +KeepEmptyToUseDefault=Standart dəyəri istifadə etmək üçün boş saxlayın +KeepThisEmptyInMostCases=Əksər hallarda bu sahəni boş saxlaya bilərsiniz. +DefaultLink=Defolt keçid +SetAsDefault=Defolt olaraq təyin edin +ValueOverwrittenByUserSetup=Xəbərdarlıq, bu dəyər istifadəçiyə məxsus quraşdırma ilə üzərinə yazıla bilər (hər istifadəçi öz klikləmə url-ni təyin edə bilər) +ExternalModule=Xarici modul +InstalledInto=%s qovluğuna quraşdırılıb +BarcodeInitForThirdparties=Üçüncü tərəflər üçün kütləvi ştrix kodu işə salın +BarcodeInitForProductsOrServices=Kütləvi barkod məhsul və ya xidmətlər üçün işə salın və ya sıfırlayın +CurrentlyNWithoutBarCode=Hazırda %s qeydiniz var. notranslate'>%s b0ecb49ec olmadan . +InitEmptyBarCode=%s boş barkodlar üçün başlanğıc dəyəri +EraseAllCurrentBarCode=Bütün cari barkod dəyərlərini silin +ConfirmEraseAllCurrentBarCode=Bütün cari barkod dəyərlərini silmək istədiyinizə əminsiniz? +AllBarcodeReset=Bütün barkod dəyərləri silindi +NoBarcodeNumberingTemplateDefined=Barkod modulu quraşdırmasında nömrələmə barkod şablonu aktiv deyil. +EnableFileCache=Fayl keşini aktivləşdirin +ShowDetailsInPDFPageFoot=Şirkət ünvanı və ya menecer adları (peşəkar identifikatorlar, şirkət kapitalı və ƏDV nömrəsi ilə yanaşı) kimi altbilgiyə daha çox təfərrüat əlavə edin. +NoDetails=Altbilgidə əlavə təfərrüatlar yoxdur +DisplayCompanyInfo=Şirkət ünvanını göstərin +DisplayCompanyManagers=Menecer adlarını göstərin +DisplayCompanyInfoAndManagers=Şirkət ünvanını və menecer adlarını göstərin +EnableAndSetupModuleCron=Bu təkrarlanan fakturanın avtomatik yaradılmasını istəyirsinizsə, *%s* modulu aktiv edilməli və düzgün qurulmalıdır. Əks halda, fakturaların yaradılması *Yarat* düyməsindən istifadə etməklə bu şablondan əl ilə həyata keçirilməlidir. Nəzərə alın ki, avtomatik generasiyanı aktiv etsəniz belə, yenə də əl ilə yaratmağı təhlükəsiz şəkildə işə sala bilərsiniz. Eyni dövr üçün dublikatların yaradılması mümkün deyil. +ModuleCompanyCodeCustomerAquarium=%s və müştəri mühasibat kodu üçün müştəri kodu +ModuleCompanyCodeSupplierAquarium=%s və satıcının mühasibat kodu üçün satıcı kodu +ModuleCompanyCodePanicum=Boş mühasibat kodunu qaytarın. +ModuleCompanyCodeDigitaria=Üçüncü tərəfin adına uyğun olaraq mürəkkəb uçot kodunu qaytarır. Kod, üçüncü tərəf kodunda müəyyən edilmiş simvolların sayından sonra birinci mövqedə müəyyən edilə bilən prefiksdən ibarətdir. +ModuleCompanyCodeCustomerDigitaria=%s və ardınca simvolların sayına görə kəsilmiş müştəri adı: müştəri uçotu kodu üçün %s. +ModuleCompanyCodeSupplierDigitaria=%s və ardınca simvolların sayına görə kəsilmiş təchizatçı adı: təchizatçının uçot kodu üçün %s. +Use3StepsApproval=Varsayılan olaraq, Satınalma Sifarişləri 2 müxtəlif istifadəçi tərəfindən yaradılmalı və təsdiqlənməlidir (bir addım/istifadəçi yaratmaq və bir addım/istifadəçi təsdiq etmək üçün. Qeyd edək ki, əgər istifadəçinin həm yaratmaq, həm də təsdiq etmək icazəsi varsa, bir addım/istifadəçi kifayət edəcək) . Məbləğ ayrılmış dəyərdən yüksəkdirsə, bu seçimlə üçüncü addım/istifadəçi təsdiqini təqdim etməyi xahiş edə bilərsiniz (buna görə də 3 addım lazım olacaq: 1=təsdiqləmə, 2=ilk təsdiq və 3=məbləğ kifayətdirsə, ikinci təsdiq).
      Bir təsdiq (2 addım) kifayətdirsə, bunu boş olaraq təyin edin, ikinci təsdiq (3 addım) həmişə tələb olunursa, onu çox aşağı dəyərə (0.1) təyin edin. +UseDoubleApproval=Məbləğ (vergisiz) daha yüksək olduqda 3 addımlı təsdiqdən istifadə edin... +WarningPHPMail=XƏBƏRDARLIQ: Tətbiqdən e-poçt göndərmək üçün quraşdırma standart ümumi quraşdırmadan istifadə edir. Çox vaxt bir neçə səbəbə görə defolt quraşdırma yerinə E-poçt Xidməti Provayderinizin e-poçt serverindən istifadə etmək üçün gedən e-poçtları quraşdırmaq daha yaxşıdır: +WarningPHPMailA=- E-poçt Xidməti Provayderinin serverindən istifadə e-poçtunuzun etibarlılığını artırır, beləliklə, SPAM kimi qeyd edilmədən çatdırılma qabiliyyətini artırır. +WarningPHPMailB=- Bəzi E-poçt Xidməti Provayderləri (məsələn, Yahoo) sizə öz serverindən fərqli olaraq başqa serverdən e-poçt göndərməyə icazə vermir. Cari quraşdırmanız e-poçt provayderinizin serverindən deyil, e-poçt göndərmək üçün tətbiqin serverindən istifadə edir, beləliklə, bəzi alıcılar (məhdudlaşdırıcı DMARC protokolu ilə uyğun gələn) e-poçt provayderinizdən e-poçtunuzu və bəzi e-poçt provayderlərinizi qəbul edə bilməyəcəyini soruşacaqlar. (Yahoo kimi) server onlara məxsus olmadığı üçün "yox" cavabı verə bilər, ona görə də göndərdiyiniz e-poçtların bir qismi çatdırılma üçün qəbul edilə bilməz (e-poçt provayderinizin göndərmə kvotasına da diqqət yetirin). +WarningPHPMailC=- E-poçt göndərmək üçün öz E-poçt Xidməti Provayderinizin SMTP serverindən istifadə etmək də maraqlıdır, ona görə də proqramdan göndərilən bütün e-poçtlar poçt qutunuzun “Göndərilmiş” kataloqunda saxlanacaq. +WarningPHPMailD=Buna görə də e-poçtların göndərilmə üsulunu "SMTP" dəyərinə dəyişdirmək tövsiyə olunur. +WarningPHPMailDbis=Əgər həqiqətən e-poçt göndərmək üçün defolt "PHP" metodunu saxlamaq istəyirsinizsə, bu xəbərdarlığa məhəl qoymayın və ya %sburaya klikləməklə onu silin%s. +WarningPHPMail2=E-poçt SMTP provayderiniz e-poçt müştərisini bəzi IP ünvanlarla məhdudlaşdırmalıdırsa (çox nadirdir), bu, ERP CRM tətbiqiniz üçün poçt istifadəçisi agentinin (MUA) IP ünvanıdır: %s. +WarningPHPMailSPF=Göndərən e-poçt ünvanınızdakı domen adı SPF qeydi ilə qorunursa (domen adı reyestrindən soruşun), siz domeninizin DNS-nin SPF qeydinə aşağıdakı IP-ləri əlavə etməlisiniz: %s. +ActualMailSPFRecordFound=Faktiki SPF qeydi tapıldı (e-poçt üçün %s) : %s +ClickToShowDescription=Təsviri göstərmək üçün klikləyin +DependsOn=Bu modula modul(lar) lazımdır +RequiredBy=Bu modul modul(lar) tərəfindən tələb olunur +TheKeyIsTheNameOfHtmlField=Bu HTML sahəsinin adıdır. Sahənin açar adını əldə etmək üçün HTML səhifəsinin məzmununu oxumaq üçün texniki bilik tələb olunur. +PageUrlForDefaultValues=Siz səhifənin URL-nin nisbi yolunu daxil etməlisiniz. Əgər parametrləri URL-ə daxil etsəniz, baxılan URL-dəki bütün parametrlər burada müəyyən edilmiş dəyərə malik olarsa, bu effektiv olacaq. +PageUrlForDefaultValuesCreate=
      Nümunə:
      Formanın yeni üçüncü tərəf yaratmaq üçün b0e7843947c06b /span>%s
      .
      Bura quraşdırılmış xarici modulların URL-i üçün xüsusi kataloq, "xüsusi/" daxil etməyin, belə ki, mymodule/mypage.php kimi yoldan istifadə edin və fərdi deyil /mymodule/mypage.php.
      Yalnız url-də bəzi parametrlər olduqda defolt dəyər istəyirsinizsə, %s +PageUrlForDefaultValuesList=
      Nümunə:
      Üçüncü tərəfləri siyahıya alan səhifə üçün bu b0e7843947c06b0z >%s
      .
      Fərdi direktoriyaya quraşdırılmış xarici modulların URL-i üçün , "xüsusi/" daxil etməyin, buna görə də mymodule/mypagelist.php kimi bir yoldan istifadə edin, fərdi/mymodule deyil /mypagelist.php.
      Yalnız url-də bəzi parametrlər varsa, defolt dəyər istəyirsinizsə, %s +AlsoDefaultValuesAreEffectiveForActionCreate=Həmçinin nəzərə alın ki, forma yaradılması üçün standart dəyərlərin üzərinə yazmaq yalnız düzgün tərtib edilmiş səhifələr üçün işləyir (beləliklə, action=create və ya təqdim... parametri ilə) +EnableDefaultValues=Defolt dəyərlərin fərdiləşdirilməsini aktivləşdirin +EnableOverwriteTranslation=Tərcümələrin fərdiləşdirilməsinə icazə verin +GoIntoTranslationMenuToChangeThis=Bu kodla açar üçün tərcümə tapıldı. Bu dəyəri dəyişmək üçün onu Home-Setup-translation-dan redaktə etməlisiniz. +WarningSettingSortOrder=Xəbərdarlıq, defolt çeşidləmə qaydasının təyin edilməsi, əgər sahə naməlum sahədirsə, siyahı səhifəsinə keçərkən texniki xəta ilə nəticələnə bilər. Əgər belə bir xəta ilə qarşılaşsanız, defolt çeşidləmə qaydasını silmək və defolt davranışı bərpa etmək üçün bu səhifəyə qayıdın. +Field=Sahə +ProductDocumentTemplates=Məhsul sənədini yaratmaq üçün sənəd şablonları +ProductBatchDocumentTemplates=Məhsul lotları sənədini yaratmaq üçün sənəd şablonları +FreeLegalTextOnExpenseReports=Xərc hesabatları üzrə pulsuz hüquqi mətn +WatermarkOnDraftExpenseReports=Xərc hesabatlarının layihəsində su nişanı +ProjectIsRequiredOnExpenseReports=Layihə xərc hesabatını daxil etmək üçün məcburidir +PrefillExpenseReportDatesWithCurrentMonth=Cari ayın başlanğıc və bitmə tarixləri ilə yeni xərc hesabatının başlanğıc və bitmə tarixlərini əvvəlcədən doldurun +ForceExpenseReportsLineAmountsIncludingTaxesOnly=Xərc hesabatı məbləğlərini həmişə vergilərlə bərabər məbləğdə daxil etməyə məcbur edin +AttachMainDocByDefault=Əsas sənədi e-poçta defolt olaraq əlavə etmək istəyirsinizsə, bunu Bəli olaraq təyin edin (əgər varsa) +FilesAttachedToEmail=Fayl əlavə edin +SendEmailsReminders=Gündəlik xatırlatmalarını e-poçt vasitəsilə göndərin +davDescription=WebDAV serverini qurun +DAVSetup=DAV modulunun qurulması +DAV_ALLOW_PRIVATE_DIR=Ümumi şəxsi kataloqu aktivləşdirin ("özəl" adlı WebDAV xüsusi kataloqu - giriş tələb olunur) +DAV_ALLOW_PRIVATE_DIRTooltip=Ümumi şəxsi qovluq hər kəsin proqrama giriş/pass ilə daxil ola biləcəyi WebDAV kataloqudur. +DAV_ALLOW_PUBLIC_DIR=Ümumi ictimai kataloqu aktivləşdirin ("public" adlı WebDAV xüsusi kataloqu - giriş tələb olunmur) +DAV_ALLOW_PUBLIC_DIRTooltip=Ümumi ictimai kataloq heç bir icazə tələb olunmadan (giriş/parol hesabı) hər kəsin daxil ola biləcəyi (oxumaq və yazma rejimində) WebDAV kataloqudur. +DAV_ALLOW_ECM_DIR=DMS/ECM şəxsi kataloqunu aktivləşdirin (DMS/ECM modulunun kök kataloqu - giriş tələb olunur) +DAV_ALLOW_ECM_DIRTooltip=DMS/ECM modulundan istifadə edərkən bütün faylların əl ilə yükləndiyi kök kataloq. Veb interfeysindən giriş kimi, ona daxil olmaq üçün adekvat icazələrə malik etibarlı giriş/parola ehtiyacınız olacaq. +##### Modules ##### +Module0Name=İstifadəçilər və Qruplar +Module0Desc=İstifadəçilər / İşçilər və Qrupların idarə edilməsi +Module1Name=Üçüncü Tərəflər +Module1Desc=Şirkətlər və əlaqə idarələri (müştərilər, perspektivlər...) +Module2Name=Kommersiya +Module2Desc=Kommersiya idarəetməsi +Module10Name=Mühasibat uçotu (sadələşdirilmiş) +Module10Desc=Verilənlər bazası məzmununa əsaslanan sadə mühasibat hesabatları (jurnallar, dövriyyə). Heç bir dəftər masasından istifadə etmir. +Module20Name=Təkliflər +Module20Desc=Kommersiya təkliflərinin idarə edilməsi +Module22Name=Kütləvi E-poçtlar +Module22Desc=Toplu e-poçt göndərişini idarə edin +Module23Name=Enerji +Module23Desc=Enerji istehlakının monitorinqi +Module25Name=Satış Sifarişləri +Module25Desc=Satış sifarişinin idarə edilməsi +Module30Name=Fakturalar +Module30Desc=Müştərilər üçün hesab-fakturaların və kredit qeydlərinin idarə edilməsi. Təchizatçılar üçün hesab-fakturaların və kredit qeydlərinin idarə edilməsi +Module40Name=Satıcılar +Module40Desc=Satıcılar və satınalmaların idarə edilməsi (satınalma sifarişləri və təchizatçı hesab-fakturalarının hesablanması) +Module42Name=Sazlama qeydləri +Module42Desc=Logging imkanları (fayl, syslog, ...). Bu cür qeydlər texniki/debaq məqsədləri üçündür. Module43Name=Debug Bar -Module43Desc=A tool for developper adding a debug bar in your browser. -Module49Name=Editors -Module49Desc=Editor management -Module50Name=Products -Module50Desc=Management of Products -Module51Name=Mass mailings -Module51Desc=Mass paper mailing management -Module52Name=Stocks -Module52Desc=Stock management -Module53Name=Services -Module53Desc=Management of Services -Module54Name=Contracts/Subscriptions -Module54Desc=Management of contracts (services or recurring subscriptions) -Module55Name=Barcodes -Module55Desc=Barcode or QR code management -Module56Name=Payment by credit transfer -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. -Module57Name=Payments by Direct Debit -Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. +Module43Desc=Brauzerinizdə sazlama çubuğu əlavə edən tərtibatçılar üçün bir vasitədir. +Module49Name=Redaktorlar +Module49Desc=Redaktorun idarə edilməsi +Module50Name=Məhsullar +Module50Desc=Məhsulların İdarə Edilməsi +Module51Name=Kütləvi poçt göndərişləri +Module51Desc=Kütləvi kağız poçt göndərişlərinin idarə edilməsi +Module52Name=Səhmlər +Module52Desc=Səhmlərin idarə edilməsi (səhmlərin hərəkətinin izlənməsi və inventar) +Module53Name=Xidmətlər +Module53Desc=Xidmətlərin İdarə Edilməsi +Module54Name=Müqavilələr/Abunələr +Module54Desc=Müqavilələrin idarə edilməsi (xidmətlər və ya təkrarlanan abunələr) +Module55Name=Barkodlar +Module55Desc=Barkod və ya QR kodun idarə edilməsi +Module56Name=Kredit köçürmə yolu ilə ödəniş +Module56Desc=Kredit Köçürmə sifarişləri ilə təchizatçıların və ya maaşların ödənilməsinin idarə edilməsi. Buraya Avropa ölkələri üçün SEPA faylının yaradılması daxildir. +Module57Name=Birbaşa debetlə ödənişlər +Module57Desc=Birbaşa debet sifarişlərinin idarə edilməsi. Buraya Avropa ölkələri üçün SEPA faylının yaradılması daxildir. Module58Name=ClickToDial -Module58Desc=Integration of a ClickToDial system (Asterisk, ...) -Module60Name=Stickers -Module60Desc=Management of stickers -Module70Name=Interventions -Module70Desc=Intervention management -Module75Name=Expense and trip notes -Module75Desc=Expense and trip notes management -Module80Name=Shipments -Module80Desc=Shipments and delivery note management -Module85Name=Banks & Cash -Module85Desc=Management of bank or cash accounts -Module100Name=External Site -Module100Desc=Add a link to an external website as a main menu icon. Website is shown in a frame under the top menu. -Module105Name=Mailman and SPIP -Module105Desc=Mailman or SPIP interface for member module +Module58Desc=ClickToDial sisteminin inteqrasiyası (Asterisk, ...) +Module60Name=Stikerlər +Module60Desc=Stikerlərin idarə edilməsi +Module70Name=Müdaxilələr +Module70Desc=Müdaxilə idarəetməsi +Module75Name=Xərclər və səfər qeydləri +Module75Desc=Xərclərin və səfər qeydlərinin idarə edilməsi +Module80Name=Göndərmələr +Module80Desc=Göndərmə və çatdırılma qeydinin idarə edilməsi +Module85Name=Banklar və Nağd pul +Module85Desc=Bank və ya nağd hesabların idarə edilməsi +Module100Name=Xarici sayt +Module100Desc=Əsas menyu simvolu kimi xarici vebsayta keçid əlavə edin. Veb sayt yuxarı menyunun altındakı çərçivədə göstərilir. +Module105Name=Mailman və SPIP +Module105Desc=Üzv modulu üçün Mailman və ya SPIP interfeysi Module200Name=LDAP -Module200Desc=LDAP directory synchronization +Module200Desc=LDAP qovluq sinxronizasiyası Module210Name=PostNuke -Module210Desc=PostNuke integration -Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistance) -Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistance) -Module310Name=Members -Module310Desc=Foundation members management -Module320Name=RSS Feed -Module320Desc=Add a RSS feed to Dolibarr pages -Module330Name=Bookmarks & Shortcuts -Module330Desc=Create shortcuts, always accessible, to the internal or external pages to which you frequently access -Module400Name=Projects or Leads -Module400Desc=Management of projects, leads/opportunities and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. -Module410Name=Webcalendar -Module410Desc=Webcalendar integration -Module500Name=Taxes & Special Expenses -Module500Desc=Management of other expenses (sales taxes, social or fiscal taxes, dividends, ...) -Module510Name=Salaries -Module510Desc=Record and track employee payments -Module520Name=Loans -Module520Desc=Management of loans -Module600Name=Notifications on business event -Module600Desc=Send email notifications triggered by a business event: per user (setup defined on each user), per third-party contacts (setup defined on each third party) or by specific emails -Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. -Module610Name=Product Variants -Module610Desc=Creation of product variants (color, size etc.) -Module700Name=Donations -Module700Desc=Donation management -Module770Name=Expense Reports -Module770Desc=Manage expense reports claims (transportation, meal, ...) -Module1120Name=Vendor Commercial Proposals -Module1120Desc=Request vendor commercial proposal and prices +Module210Desc=PostNuke inteqrasiyası +Module240Name=Məlumat ixracı +Module240Desc=Dolibarr məlumatlarını ixrac etmək üçün alət (kömək ilə) +Module250Name=Məlumat idxalı +Module250Desc=Dolibarr-a məlumat idxal etmək üçün alət (kömək ilə) +Module310Name=Üzvlər +Module310Desc=Fondun üzvlərinin idarə edilməsi +Module320Name=RSS Lenti +Module320Desc=Dolibarr səhifələrinə RSS lenti əlavə edin +Module330Name=Əlfəcinlər və Qısayollar +Module330Desc=Tez-tez daxil olduğunuz daxili və ya xarici səhifələr üçün həmişə əlçatan olan qısayollar yaradın +Module400Name=Layihələr və ya aparıcılar +Module400Desc=Layihələrin, liderlərin/imkanların və/və ya tapşırıqların idarə edilməsi. Siz həmçinin layihəyə istənilən elementi (qaimə-faktura, sifariş, təklif, müdaxilə, ...) təyin edə və layihə görünüşündən transvers görünüş əldə edə bilərsiniz. +Module410Name=Veb təqvim +Module410Desc=Veb təqvim inteqrasiyası +Module500Name=Vergilər və Xüsusi Xərclər +Module500Desc=Digər xərclərin idarə edilməsi (satış vergiləri, sosial və ya fiskal vergilər, dividendlər, ...) +Module510Name=Maaşlar +Module510Desc=İşçilərin ödənişlərini qeyd edin və izləyin +Module520Name=Kreditlər +Module520Desc=Kreditlərin idarə edilməsi +Module600Name=Biznes hadisəsi haqqında bildirişlər +Module600Desc=Biznes hadisəsi ilə tetiklenen e-poçt bildirişləri göndərin: hər bir istifadəçi üçün (quraşdırma hər istifadəçi üçün müəyyən edilir), üçüncü tərəf kontaktları üçün (quraşdırma hər üçüncü tərəfdə müəyyən edilir) və ya xüsusi e-poçtlarla +Module600Long=Nəzərə alın ki, bu modul konkret biznes hadisəsi baş verdikdə real vaxt rejimində e-poçt göndərir. Gündəlik hadisələri üçün e-poçt xatırlatmaları göndərmək üçün bir xüsusiyyət axtarırsınızsa, Gündəlik modulunun quraşdırılmasına daxil olun. +Module610Name=Məhsul Variantları +Module610Desc=Məhsul variantlarının yaradılması (rəng, ölçü və s.) +Module650Name=Material vərəqələri (BOM) +Module650Desc=Material sənədlərinizi (BOM) müəyyən etmək üçün modul. İstehsal Sifarişləri (MO) modulu ilə İstehsal Resurslarının Planlaşdırılması üçün istifadə edilə bilər. +Module660Name=İstehsal Resurslarının Planlaşdırılması (MRP) +Module660Desc=İstehsal sifarişlərini idarə etmək üçün modul (MO) +Module700Name=İanələr +Module700Desc=İanələrin idarə edilməsi +Module770Name=Xərclər Hesabatları +Module770Desc=Xərc hesabatlarını idarə edin (nəqliyyat, yemək, ...) +Module1120Name=Satıcı Kommersiya Təklifləri +Module1120Desc=Satıcıdan kommersiya təklifi və qiymətləri tələb edin Module1200Name=Mantis -Module1200Desc=Mantis integration -Module1520Name=Document Generation -Module1520Desc=Mass email document generation -Module1780Name=Tags/Categories -Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members) -Module2000Name=WYSIWYG editor -Module2000Desc=Allow text fields to be edited/formatted using CKEditor (html) -Module2200Name=Dynamic Prices -Module2200Desc=Use maths expressions for auto-generation of prices -Module2300Name=Scheduled jobs -Module2300Desc=Scheduled jobs management (alias cron or chrono table) -Module2400Name=Events/Agenda -Module2400Desc=Track events. Log automatic events for tracking purposes or record manual events or meetings. This is the principal module for good Customer or Vendor Relationship Management. +Module1200Desc=Mantis inteqrasiyası +Module1520Name=Sənədin yaradılması +Module1520Desc=Kütləvi e-poçt sənədinin yaradılması +Module1780Name=Teqlər/Kateqoriyalar +Module1780Desc=Teqlər/kateqoriya yaradın (məhsullar, müştərilər, təchizatçılar, kontaktlar və ya üzvlər) +Module2000Name=WYSIWYG redaktoru +Module2000Desc=CKEditor (html) istifadə edərək mətn sahələrinin redaktə edilməsinə/formatlaşdırılmasına icazə verin +Module2200Name=Dinamik Qiymətlər +Module2200Desc=Qiymətlərin avtomatik yaradılması üçün riyazi ifadələrdən istifadə edin +Module2300Name=Planlaşdırılmış işlər +Module2300Desc=Planlaşdırılmış işlərin idarə edilməsi (ləqəb cron və ya xrono masa) +Module2400Name=Tədbirlər/Gündəm +Module2400Desc=Hadisələri izləyin. İzləmə məqsədləri üçün avtomatik hadisələri qeyd edin və ya manual hadisələri və ya görüşləri qeyd edin. Bu, yaxşı Müştəri və ya Satıcı Münasibətlərinin İdarə Edilməsi üçün əsas moduldur. +Module2430Name=Onlayn görüş planlaması +Module2430Desc=Onlayn görüş sifariş sistemini təmin edir. Bu, hər kəsə əvvəlcədən müəyyən edilmiş diapazonlara və ya mövcud imkanlara uyğun olaraq görüş sifariş etməyə imkan verir. Module2500Name=DMS / ECM -Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. -Module2600Name=API/Web services (SOAP server) -Module2600Desc=Enable the Dolibarr SOAP server providing API services -Module2610Name=API/Web services (REST server) -Module2610Desc=Enable the Dolibarr REST server providing API services -Module2660Name=Call WebServices (SOAP client) -Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Only Purchase orders are currently supported.) -Module2700Name=Gravatar -Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Needs Internet access -Module2800Desc=FTP Client +Module2500Desc=Sənəd İdarəetmə Sistemi / Elektron Məzmun İdarəetməsi. Yaradılmış və ya saxlanılan sənədlərinizin avtomatik təşkili. Lazım olanda paylaşın. +Module2600Name=API / Veb xidmətləri (SOAP server) +Module2600Desc=API xidmətləri göstərən Dolibarr SOAP serverini aktivləşdirin +Module2610Name=API / Veb xidmətləri (REST server) +Module2610Desc=API xidmətləri təmin edən Dolibarr REST serverini aktivləşdirin +Module2660Name=Zəng WebServices (SOAP müştəri) +Module2660Desc=Dolibarr veb xidmətləri müştərisini aktivləşdirin (Məlumat/sorğuları xarici serverlərə köçürmək üçün istifadə edilə bilər. Hazırda yalnız Satınalma sifarişləri dəstəklənir.) +Module2700Name=Qravatar +Module2700Desc=İstifadəçilərin/üzvlərin (onların e-poçtları ilə birlikdə) fotolarını göstərmək üçün onlayn Gravatar xidmətindən (www.gravatar.com) istifadə edin. İnternetə çıxış lazımdır +Module2800Desc=FTP Müştərisi Module2900Name=GeoIPMaxmind -Module2900Desc=GeoIP Maxmind conversions capabilities -Module3200Name=Unalterable Archives -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. -Module3400Name=Social Networks -Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). +Module2900Desc=GeoIP Maxmind dönüşüm imkanları +Module3200Name=Dəyişməz Arxivlər +Module3200Desc=Biznes hadisələrinin dəyişməz qeydini aktivləşdirin. Hadisələr real vaxt rejimində arxivləşdirilir. Jurnal ixrac edilə bilən zəncirlənmiş hadisələrin yalnız oxuna bilən cədvəlidir. Bu modul bəzi ölkələr üçün məcburi ola bilər. +Module3300Name=Modul qurucusu +Module3300Desc=Tərtibatçılara və ya qabaqcıl istifadəçilərə öz modullarını/tətbiqlərini qurmağa kömək etmək üçün RAD (Rapid Application Development - aşağı kodlu və kodsuz) alət. +Module3400Name=Sosial şəbəkələr +Module3400Desc=Sosial Şəbəkələr sahələrini üçüncü tərəflərə və ünvanlara aktivləşdirin (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Human resources management (management of department, employee contracts and feelings) -Module5000Name=Multi-company -Module5000Desc=Allows you to manage multiple companies -Module6000Name=Inter-modules Workflow -Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) -Module10000Name=Websites -Module10000Desc=Create websites (public) with a WYSIWYG editor. This is a webmaster or developer oriented CMS (it is better to know HTML and CSS language). Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the internet with your own domain name. -Module20000Name=Leave Request Management -Module20000Desc=Define and track employee leave requests -Module39000Name=Product Lots -Module39000Desc=Lots, serial numbers, eat-by/sell-by date management for products -Module40000Name=Multicurrency -Module40000Desc=Use alternative currencies in prices and documents +Module4000Desc=İnsan resurslarının idarə edilməsi (departamentin idarə edilməsi, işçi müqavilələri, bacarıqların idarə edilməsi və müsahibə) +Module5000Name=Çox şirkət +Module5000Desc=Çox şirkətləri idarə etməyə imkan verir +Module6000Name=Modullararası iş axını +Module6000Desc=Fərqli modullar arasında iş axınının idarə edilməsi (obyektin avtomatik yaradılması və/və ya statusun avtomatik dəyişdirilməsi) +Module10000Name=Veb saytlar +Module10000Desc=WYSIWYG redaktoru ilə vebsaytlar (ictimai) yaradın. Bu webmaster və ya tərtibatçı yönümlü CMS-dir (HTML və CSS dilini bilmək daha yaxşıdır). Sadəcə veb serverinizi (Apache, Nginx, ...) quraşdırın ki, öz domen adınızla internetdə onlayn olması üçün xüsusi Dolibarr kataloquna işarə edin. +Module20000Name=Sorğu İdarəetməsini tərk edin +Module20000Desc=İşçilərin məzuniyyət sorğularını müəyyənləşdirin və izləyin +Module39000Name=Məhsul çoxluğu +Module39000Desc=Məhsullar üçün lotlar, seriya nömrələri, bitmə/satılma tarixinin idarə edilməsi +Module40000Name=Multivalyuta +Module40000Desc=Qiymətlərdə və sənədlərdə alternativ valyutalardan istifadə edin Module50000Name=PayBox -Module50000Desc=Offer customers a PayBox online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50000Desc=Müştərilərə PayBox onlayn ödəniş səhifəsini təklif edin (kredit/debet kartları). Bu, müştərilərinizə xüsusi Dolibarr obyekti (qaimə-faktura, sifariş və s.) ilə bağlı xüsusi ödənişlər və ya ödənişlər etmək üçün istifadə edilə bilər Module50100Name=POS SimplePOS -Module50100Desc=Point of Sale module SimplePOS (simple POS). +Module50100Desc=Satış nöqtəsi modulu SimplePOS (sadə POS). Module50150Name=POS TakePOS -Module50150Desc=Point of Sale module TakePOS (touchscreen POS, for shops, bars or restaurants). +Module50150Desc=Satış nöqtəsi modulu TakePOS (toxunma ekranı POS, mağazalar, barlar və ya restoranlar üçün). Module50200Name=Paypal -Module50200Desc=Offer customers a PayPal online payment page (PayPal account or credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50300Name=Stripe -Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50400Name=Accounting (double entry) -Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats. +Module50200Desc=Müştərilərə PayPal onlayn ödəmə səhifəsi təklif edin (PayPal hesabı və ya kredit/debet kartları). Bu, müştərilərinizə xüsusi Dolibarr obyekti (qaimə-faktura, sifariş və s.) ilə bağlı xüsusi ödənişlər və ya ödənişlər etmək üçün istifadə edilə bilər +Module50300Name=Zolaq +Module50300Desc=Müştərilərə Stripe onlayn ödəmə səhifəsini təklif edin (kredit/debet kartları). Bu, müştərilərinizə xüsusi Dolibarr obyekti (qaimə-faktura, sifariş və s.) ilə bağlı xüsusi ödənişlər və ya ödənişlər etmək üçün istifadə edilə bilər +Module50400Name=Mühasibat uçotu (ikili giriş) +Module50400Desc=Mühasibat uçotunun idarə edilməsi (ikiqat giriş, Baş və Yardımçı Mühasibat Kitablarına dəstək). Kitabı bir neçə başqa mühasibat proqramı formatında ixrac edin. Module54000Name=PrintIPP -Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installed on server). -Module55000Name=Poll, Survey or Vote -Module55000Desc=Create online polls, surveys or votes (like Doodle, Studs, RDVz etc...) -Module59000Name=Margins -Module59000Desc=Module to follow margins -Module60000Name=Commissions -Module60000Desc=Module to manage commissions -Module62000Name=Incoterms -Module62000Desc=Add features to manage Incoterms -Module63000Name=Resources -Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to events -Permission11=Read customer invoices -Permission12=Create/modify customer invoices -Permission13=Invalidate customer invoices -Permission14=Validate customer invoices -Permission15=Send customer invoices by email -Permission16=Create payments for customer invoices -Permission19=Delete customer invoices -Permission21=Read commercial proposals -Permission22=Create/modify commercial proposals -Permission24=Validate commercial proposals -Permission25=Send commercial proposals -Permission26=Close commercial proposals -Permission27=Delete commercial proposals -Permission28=Export commercial proposals -Permission31=Read products -Permission32=Create/modify products -Permission34=Delete products -Permission36=See/manage hidden products -Permission38=Export products -Permission39=Ignore minimum price -Permission41=Read projects and tasks (shared project and projects I'm contact for). Can also enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) -Permission42=Create/modify projects (shared project and projects I'm contact for). Can also create tasks and assign users to project and tasks -Permission44=Delete projects (shared project and projects I'm contact for) -Permission45=Export projects -Permission61=Read interventions -Permission62=Create/modify interventions -Permission64=Delete interventions -Permission67=Export interventions -Permission68=Send interventions by email -Permission69=Validate interventions -Permission70=Invalidate interventions -Permission71=Read members -Permission72=Create/modify members -Permission74=Delete members -Permission75=Setup types of membership -Permission76=Export data -Permission78=Read subscriptions -Permission79=Create/modify subscriptions -Permission81=Read customers orders -Permission82=Create/modify customers orders -Permission84=Validate customers orders -Permission86=Send customers orders -Permission87=Close customers orders -Permission88=Cancel customers orders -Permission89=Delete customers orders -Permission91=Read social or fiscal taxes and vat -Permission92=Create/modify social or fiscal taxes and vat -Permission93=Delete social or fiscal taxes and vat -Permission94=Export social or fiscal taxes -Permission95=Read reports -Permission101=Read sendings -Permission102=Create/modify sendings -Permission104=Validate sendings -Permission105=Send sendings by email -Permission106=Export sendings -Permission109=Delete sendings -Permission111=Read financial accounts -Permission112=Create/modify/delete and compare transactions -Permission113=Setup financial accounts (create, manage categories of bank transactions) -Permission114=Reconcile transactions -Permission115=Export transactions and account statements -Permission116=Transfers between accounts -Permission117=Manage checks dispatching -Permission121=Read third parties linked to user -Permission122=Create/modify third parties linked to user -Permission125=Delete third parties linked to user -Permission126=Export third parties -Permission130=Create/modify third parties payment information -Permission141=Read all projects and tasks (also private projects for which I am not a contact) -Permission142=Create/modify all projects and tasks (also private projects for which I am not a contact) -Permission144=Delete all projects and tasks (also private projects i am not contact for) -Permission146=Read providers -Permission147=Read stats -Permission151=Read direct debit payment orders -Permission152=Create/modify a direct debit payment orders -Permission153=Send/Transmit direct debit payment orders -Permission154=Record Credits/Rejections of direct debit payment orders -Permission161=Read contracts/subscriptions -Permission162=Create/modify contracts/subscriptions -Permission163=Activate a service/subscription of a contract -Permission164=Disable a service/subscription of a contract -Permission165=Delete contracts/subscriptions -Permission167=Export contracts -Permission171=Read trips and expenses (yours and your subordinates) -Permission172=Create/modify trips and expenses -Permission173=Delete trips and expenses -Permission174=Read all trips and expenses -Permission178=Export trips and expenses -Permission180=Read suppliers -Permission181=Read purchase orders -Permission182=Create/modify purchase orders -Permission183=Validate purchase orders -Permission184=Approve purchase orders -Permission185=Order or cancel purchase orders -Permission186=Receive purchase orders -Permission187=Close purchase orders -Permission188=Cancel purchase orders -Permission192=Create lines -Permission193=Cancel lines -Permission194=Read the bandwidth lines -Permission202=Create ADSL connections -Permission203=Order connections orders -Permission204=Order connections -Permission205=Manage connections -Permission206=Read connections -Permission211=Read Telephony -Permission212=Order lines -Permission213=Activate line -Permission214=Setup Telephony -Permission215=Setup providers -Permission221=Read emailings -Permission222=Create/modify emailings (topic, recipients...) -Permission223=Validate emailings (allows sending) -Permission229=Delete emailings -Permission237=View recipients and info -Permission238=Manually send mailings -Permission239=Delete mailings after validation or sent -Permission241=Read categories -Permission242=Create/modify categories -Permission243=Delete categories -Permission244=See the contents of the hidden categories -Permission251=Read other users and groups -PermissionAdvanced251=Read other users -Permission252=Read permissions of other users -Permission253=Create/modify other users, groups and permissions -PermissionAdvanced253=Create/modify internal/external users and permissions -Permission254=Create/modify external users only -Permission255=Modify other users password -Permission256=Delete or disable other users -Permission262=Extend access to all third parties AND their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission263=Extend access to all third parties WITHOUT their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission271=Read CA -Permission272=Read invoices -Permission273=Issue invoices -Permission281=Read contacts -Permission282=Create/modify contacts -Permission283=Delete contacts -Permission286=Export contacts -Permission291=Read tariffs -Permission292=Set permissions on the tariffs -Permission293=Modify customer's tariffs -Permission300=Read barcodes -Permission301=Create/modify barcodes -Permission302=Delete barcodes -Permission311=Read services -Permission312=Assign service/subscription to contract -Permission331=Read bookmarks -Permission332=Create/modify bookmarks -Permission333=Delete bookmarks -Permission341=Read its own permissions -Permission342=Create/modify his own user information -Permission343=Modify his own password -Permission344=Modify its own permissions -Permission351=Read groups -Permission352=Read groups permissions -Permission353=Create/modify groups -Permission354=Delete or disable groups -Permission358=Export users -Permission401=Read discounts -Permission402=Create/modify discounts -Permission403=Validate discounts -Permission404=Delete discounts -Permission430=Use Debug Bar -Permission511=Read salaries and payments (yours and subordinates) -Permission512=Create/modify salaries and payments -Permission514=Delete salaries and payments -Permission517=Read salaries and payments everybody -Permission519=Export salaries -Permission520=Read Loans -Permission522=Create/modify loans -Permission524=Delete loans -Permission525=Access loan calculator -Permission527=Export loans -Permission531=Read services -Permission532=Create/modify services -Permission534=Delete services -Permission536=See/manage hidden services -Permission538=Export services -Permission561=Read payment orders by credit transfer -Permission562=Create/modify payment order by credit transfer -Permission563=Send/Transmit payment order by credit transfer -Permission564=Record Debits/Rejections of credit transfer -Permission601=Read stickers -Permission602=Create/modify stickers -Permission609=Delete stickers -Permission650=Read Bills of Materials -Permission651=Create/Update Bills of Materials -Permission652=Delete Bills of Materials -Permission660=Read Manufacturing Order (MO) -Permission661=Create/Update Manufacturing Order (MO) -Permission662=Delete Manufacturing Order (MO) -Permission701=Read donations -Permission702=Create/modify donations -Permission703=Delete donations -Permission771=Read expense reports (yours and your subordinates) -Permission772=Create/modify expense reports (for you and your subordinates) -Permission773=Delete expense reports -Permission775=Approve expense reports -Permission776=Pay expense reports -Permission777=Read all expense reports (even those of user not subordinates) -Permission778=Create/modify expense reports of everybody -Permission779=Export expense reports -Permission1001=Read stocks -Permission1002=Create/modify warehouses -Permission1003=Delete warehouses -Permission1004=Read stock movements -Permission1005=Create/modify stock movements -Permission1011=View inventories -Permission1012=Create new inventory -Permission1014=Validate inventory -Permission1015=Allow to change PMP value for a product -Permission1016=Delete inventory -Permission1101=Read delivery receipts -Permission1102=Create/modify delivery receipts -Permission1104=Validate delivery receipts -Permission1109=Delete delivery receipts -Permission1121=Read supplier proposals -Permission1122=Create/modify supplier proposals -Permission1123=Validate supplier proposals -Permission1124=Send supplier proposals -Permission1125=Delete supplier proposals -Permission1126=Close supplier price requests -Permission1181=Read suppliers -Permission1182=Read purchase orders -Permission1183=Create/modify purchase orders -Permission1184=Validate purchase orders -Permission1185=Approve purchase orders -Permission1186=Order purchase orders -Permission1187=Acknowledge receipt of purchase orders -Permission1188=Delete purchase orders -Permission1189=Check/Uncheck a purchase order reception -Permission1190=Approve (second approval) purchase orders -Permission1191=Export supplier orders and their attributes -Permission1201=Get result of an export -Permission1202=Create/Modify an export -Permission1231=Read vendor invoices -Permission1232=Create/modify vendor invoices -Permission1233=Validate vendor invoices -Permission1234=Delete vendor invoices -Permission1235=Send vendor invoices by email -Permission1236=Export vendor invoices, attributes and payments -Permission1237=Export purchase orders and their details -Permission1251=Run mass imports of external data into database (data load) -Permission1321=Export customer invoices, attributes and payments -Permission1322=Reopen a paid bill -Permission1421=Export sales orders and attributes -Permission1521=Read documents -Permission1522=Delete documents -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) -Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) -Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) -Permission2411=Read actions (events or tasks) of others -Permission2412=Create/modify actions (events or tasks) of others -Permission2413=Delete actions (events or tasks) of others -Permission2414=Export actions/tasks of others -Permission2501=Read/Download documents -Permission2502=Download documents -Permission2503=Submit or delete documents -Permission2515=Setup documents directories -Permission2801=Use FTP client in read mode (browse and download only) -Permission2802=Use FTP client in write mode (delete or upload files) -Permission3200=Read archived events and fingerprints -Permission3301=Generate new modules -Permission4001=Read skill/job/position -Permission4002=Create/modify skill/job/position -Permission4003=Delete skill/job/position -Permission4020=Read evaluations -Permission4021=Create/modify your evaluation -Permission4022=Validate evaluation -Permission4023=Delete evaluation -Permission4030=See comparison menu -Permission10001=Read website content -Permission10002=Create/modify website content (html and javascript content) -Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. -Permission10005=Delete website content -Permission20001=Read leave requests (your leave and those of your subordinates) -Permission20002=Create/modify your leave requests (your leave and those of your subordinates) -Permission20003=Delete leave requests -Permission20004=Read all leave requests (even those of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) -Permission20006=Administer leave requests (setup and update balance) -Permission20007=Approve leave requests -Permission23001=Read Scheduled job -Permission23002=Create/update Scheduled job -Permission23003=Delete Scheduled job -Permission23004=Execute Scheduled job -Permission50101=Use Point of Sale (SimplePOS) -Permission50151=Use Point of Sale (TakePOS) -Permission50152=Edit sales lines -Permission50153=Edit ordered sales lines -Permission50201=Read transactions -Permission50202=Import transactions -Permission50330=Read objects of Zapier -Permission50331=Create/Update objects of Zapier -Permission50332=Delete objects of Zapier -Permission50401=Bind products and invoices with accounting accounts -Permission50411=Read operations in ledger -Permission50412=Write/Edit operations in ledger -Permission50414=Delete operations in ledger -Permission50415=Delete all operations by year and journal in ledger -Permission50418=Export operations of the ledger -Permission50420=Report and export reports (turnover, balance, journals, ledger) -Permission50430=Define fiscal periods. Validate transactions and close fiscal periods. -Permission50440=Manage chart of accounts, setup of accountancy -Permission51001=Read assets -Permission51002=Create/Update assets -Permission51003=Delete assets -Permission51005=Setup types of asset -Permission54001=Print -Permission55001=Read polls -Permission55002=Create/modify polls -Permission59001=Read commercial margins -Permission59002=Define commercial margins -Permission59003=Read every user margin -Permission63001=Read resources -Permission63002=Create/modify resources -Permission63003=Delete resources -Permission63004=Link resources to agenda events -Permission64001=Allow direct printing -Permission67000=Allow printing of receipts -Permission68001=Read intracomm report -Permission68002=Create/modify intracomm report -Permission68004=Delete intracomm report -Permission941601=Read receipts -Permission941602=Create and modify receipts -Permission941603=Validate receipts -Permission941604=Send receipts by email -Permission941605=Export receipts -Permission941606=Delete receipts -DictionaryCompanyType=Third-party types -DictionaryCompanyJuridicalType=Third-party legal entities -DictionaryProspectLevel=Prospect potential level for companies -DictionaryProspectContactLevel=Prospect potential level for contacts -DictionaryCanton=States/Provinces -DictionaryRegion=Regions -DictionaryCountry=Countries -DictionaryCurrency=Currencies -DictionaryCivility=Honorific titles -DictionaryActions=Types of agenda events -DictionarySocialContributions=Types of social or fiscal taxes -DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of tax stamps -DictionaryPaymentConditions=Payment Terms -DictionaryPaymentModes=Payment Modes -DictionaryTypeContact=Contact/Address types -DictionaryTypeOfContainer=Website - Type of website pages/containers -DictionaryEcotaxe=Ecotax (WEEE) -DictionaryPaperFormat=Paper formats -DictionaryFormatCards=Card formats -DictionaryFees=Expense report - Types of expense report lines -DictionarySendingMethods=Shipping methods -DictionaryStaff=Number of Employees -DictionaryAvailability=Delivery delay -DictionaryOrderMethods=Order methods -DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups for reports -DictionaryAccountancysystem=Models for chart of accounts -DictionaryAccountancyJournal=Accounting journals -DictionaryEMailTemplates=Email Templates -DictionaryUnits=Units -DictionaryMeasuringUnits=Measuring Units -DictionarySocialNetworks=Social Networks -DictionaryProspectStatus=Prospect status for companies -DictionaryProspectContactStatus=Prospect status for contacts -DictionaryHolidayTypes=Leave - Types of leave -DictionaryOpportunityStatus=Lead status for project/lead -DictionaryExpenseTaxCat=Expense report - Transportation categories -DictionaryExpenseTaxRange=Expense report - Range by transportation category -DictionaryTransportMode=Intracomm report - Transport mode -DictionaryBatchStatus=Product lot/serial Quality Control status -TypeOfUnit=Type of unit -SetupSaved=Setup saved -SetupNotSaved=Setup not saved -BackToModuleList=Back to Module list -BackToDictionaryList=Back to Dictionaries list -TypeOfRevenueStamp=Type of tax stamp -VATManagement=Sales Tax Management -VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. -VATIsNotUsedDesc=By default the proposed Sales tax is 0 which can be used for cases like associations, individuals or small companies. -VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. -VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +Module54000Desc=Cups IPP interfeysindən istifadə edərək birbaşa çap (sənədləri açmadan) (Printer serverdən görünməlidir və CUPS serverdə quraşdırılmalıdır). +Module55000Name=Sorğu, Sorğu və ya Səsvermə +Module55000Desc=Onlayn sorğular, sorğular və ya səslər yaradın (məsələn, Doodle, Studs, RDVz və s...) +Module59000Name=Haşiyələr +Module59000Desc=Kənarları izləmək üçün modul +Module60000Name=Komissiyalar +Module60000Desc=Komissiyaları idarə etmək üçün modul +Module62000Name=İnkoterms +Module62000Desc=Incoterms-i idarə etmək üçün funksiyalar əlavə edin +Module63000Name=Resurslar +Module63000Desc=Tədbirlərə ayırmaq üçün resursları (printerlər, avtomobillər, otaqlar, ...) idarə edin +Module66000Name=OAuth2 token idarə edilməsi +Module66000Desc=OAuth2 tokenlərini yaratmaq və idarə etmək üçün alət təmin edin. Token daha sonra bəzi digər modullar tərəfindən istifadə edilə bilər. +Module94160Name=Qəbullar +ModuleBookCalName=Rezervasiya Təqvim Sistemi +ModuleBookCalDesc=Görüşləri sifariş etmək üçün Təqvimi idarə edin +##### Permissions ##### +Permission11=Müştəri fakturalarını (və ödənişlərini) oxuyun +Permission12=Müştəri hesab-fakturalarını yaradın/dəyişdirin +Permission13=Müştəri hesab-fakturalarını etibarsız hesab edin +Permission14=Müştəri hesab-fakturalarını təsdiqləyin +Permission15=Müştəri fakturalarını e-poçt vasitəsilə göndərin +Permission16=Müştəri hesab-fakturaları üçün ödənişlər yaradın +Permission19=Müştəri fakturalarını silin +Permission21=Kommersiya təkliflərini oxuyun +Permission22=Kommersiya təklifləri yaradın/dəyişdirin +Permission24=Kommersiya təkliflərini təsdiqləyin +Permission25=Kommersiya təklifləri göndərin +Permission26=Kommersiya təkliflərini bağlayın +Permission27=Kommersiya təkliflərini silin +Permission28=Kommersiya təkliflərini ixrac edin +Permission31=Məhsulları oxuyun +Permission32=Məhsullar yaradın/dəyişdirin +Permission33=Məhsulların qiymətlərini oxuyun +Permission34=Məhsulları silin +Permission36=Gizli məhsullara baxın/idarə edin +Permission38=İxrac məhsulları +Permission39=Minimum qiymətə məhəl qoymayın +Permission41=Layihələri və tapşırıqları oxuyun (əlaqədar olduğum ortaq layihələr və layihələr). +Permission42=Layihələr yaradın/dəyişdirin (əlaqədar olduğum ortaq layihələr və layihələr). İstifadəçiləri layihələrə və tapşırıqlara da təyin edə bilər +Permission44=Layihələri silin (əlaqədar olduğum ortaq layihələr və layihələr) +Permission45=İxrac layihələri +Permission61=Müdaxilələri oxuyun +Permission62=Müdaxilələri yaradın/dəyişdirin +Permission64=Müdaxilələri silin +Permission67=İxrac müdaxilələri +Permission68=E-poçt vasitəsilə müdaxilələr göndərin +Permission69=Müdaxilələri təsdiqləyin +Permission70=Müdaxilələri etibarsız saymaq +Permission71=Üzvləri oxuyun +Permission72=Üzvlər yaradın/dəyişdirin +Permission74=Üzvləri silin +Permission75=Üzvlük növlərinin qurulması +Permission76=Məlumatları ixrac edin +Permission78=Abunəlikləri oxuyun +Permission79=Abunəliklər yaradın/dəyişdirin +Permission81=Müştərilərin sifarişlərini oxuyun +Permission82=Müştəri sifarişlərini yaradın/dəyişdirin +Permission84=Müştərilərin sifarişlərini yoxlayın +Permission85=Sənədlər satış sifarişləri yaradın +Permission86=Müştərilərə sifariş göndərin +Permission87=Müştərilərin sifarişlərini bağlayın +Permission88=Müştərilərin sifarişlərini ləğv edin +Permission89=Müştərilərin sifarişlərini silin +Permission91=Sosial və ya fiskal vergiləri və ƏDV-ni oxuyun +Permission92=Sosial və ya fiskal vergiləri və ƏDV yaradın/dəyişdirin +Permission93=Sosial və ya fiskal vergiləri və ƏDV-ni silin +Permission94=Sosial və ya fiskal vergiləri ixrac edin +Permission95=Hesabatları oxuyun +Permission101=Göndərmələri oxuyun +Permission102=Göndərmələri yaradın/dəyişdirin +Permission104=Göndərmələri təsdiqləyin +Permission105=Göndərmələri e-poçtla göndərin +Permission106=Göndərmələri ixrac edin +Permission109=Göndərmələri silin +Permission111=Maliyyə hesablarını oxuyun +Permission112=Əməliyyatları yaradın/dəyişdirin/silin və müqayisə edin +Permission113=Maliyyə hesablarının qurulması (bank əməliyyatlarının kateqoriyalarını yaratmaq, idarə etmək) +Permission114=Əməliyyatları uzlaşdırın +Permission115=İxrac əməliyyatları və hesabdan çıxarışlar +Permission116=Hesablar arasında köçürmələr +Permission117=Çeklərin göndərilməsini idarə edin +Permission121=İstifadəçi ilə əlaqəli üçüncü tərəfləri oxuyun +Permission122=İstifadəçi ilə əlaqəli üçüncü tərəfləri yaradın/dəyişdirin +Permission125=İstifadəçi ilə əlaqəli üçüncü tərəfləri silin +Permission126=Üçüncü tərəfləri ixrac edin +Permission130=Üçüncü tərəflərin ödəniş məlumatlarını yaradın/dəyişdirin +Permission141=Bütün layihələri və tapşırıqları oxuyun (eləcə də əlaqəsi olmadığım özəl layihələr) +Permission142=Bütün layihələri və tapşırıqları yaradın/dəyişdirin (eləcə də əlaqəsi olmadığım özəl layihələr) +Permission144=Bütün layihələri və tapşırıqları silin (eləcə də əlaqə saxlamadığım şəxsi layihələr) +Permission145=Təyin olunmuş tapşırıqlar üzrə mənim və ya iyerarxiyam üçün sərf olunan vaxtı daxil edə bilər (Vaxt cədvəli) +Permission146=Provayderləri oxuyun +Permission147=Statistikanı oxuyun +Permission151=Birbaşa debet ödəniş tapşırıqlarını oxuyun +Permission152=Birbaşa debet ödəniş tapşırıqlarını yaradın/dəyişdirin +Permission153=Birbaşa debet ödəniş tapşırıqlarını göndər/ötür +Permission154=Kreditləri qeyd edin/Birbaşa debet ödəniş tapşırıqlarından imtina edin +Permission161=Müqavilələri/abunələri oxuyun +Permission162=Müqavilələri/abunələri yaradın/dəyişdirin +Permission163=Xidməti/müqavilə abunəliyini aktivləşdirin +Permission164=Xidməti/müqavilə abunəliyini deaktiv edin +Permission165=Müqavilələri/abunələri silin +Permission167=İxrac müqavilələri +Permission171=Səfərləri və xərcləri oxuyun (sizin və tabeçiliyiniz) +Permission172=Səfərlər və xərcləri yaradın/dəyişdirin +Permission173=Səfərləri və xərcləri silin +Permission174=Bütün səfərləri və xərcləri oxuyun +Permission178=İxrac səfərləri və xərcləri +Permission180=Təchizatçıları oxuyun +Permission181=Satınalma sifarişlərini oxuyun +Permission182=Satınalma sifarişlərini yaradın/dəyişdirin +Permission183=Satınalma sifarişlərini təsdiqləyin +Permission184=Satınalma sifarişlərini təsdiqləyin +Permission185=Satınalma sifarişlərini sifariş edin və ya ləğv edin +Permission186=Satınalma sifarişlərini qəbul edin +Permission187=Satınalma sifarişlərini bağlayın +Permission188=Satınalma sifarişlərini ləğv edin +Permission192=Xəttlər yaradın +Permission193=Xətləri ləğv edin +Permission194=Bant genişliyi xətlərini oxuyun +Permission202=ADSL bağlantıları yaradın +Permission203=Əlaqələrin sifarişi +Permission204=Əlaqələri sifariş edin +Permission205=Əlaqələri idarə edin +Permission206=Əlaqələri oxuyun +Permission211=Telefoniya oxuyun +Permission212=Sifariş xətləri +Permission213=Xətti aktivləşdirin +Permission214=Telefonun qurulması +Permission215=Quraşdırma təminatçıları +Permission221=E-poçtları oxuyun +Permission222=E-poçt göndərişlərini yaradın/dəyişdirin (mövzu, alıcılar...) +Permission223=E-poçt göndərişlərini təsdiqləyin (göndərməyə imkan verir) +Permission229=E-poçt göndərişlərini silin +Permission237=Qəbul edənlərə və məlumatlara baxın +Permission238=Məktubları əl ilə göndərin +Permission239=Təsdiqləndikdən və ya göndərildikdən sonra məktubları silin +Permission241=Kateqoriyaları oxuyun +Permission242=Kateqoriyalar yaradın/dəyişdirin +Permission243=Kateqoriyaları silin +Permission244=Gizli kateqoriyaların məzmununa baxın +Permission251=Digər istifadəçiləri və qrupları oxuyun +PermissionAdvanced251=Digər istifadəçiləri oxuyun +Permission252=Digər istifadəçilərin icazələrini oxuyun +Permission253=Digər istifadəçilər, qruplar və icazələr yaradın/dəyişdirin +PermissionAdvanced253=Daxili/xarici istifadəçilər və icazələr yaradın/dəyişdirin +Permission254=Yalnız xarici istifadəçilər yaradın/dəyişdirin +Permission255=Digər istifadəçilərin parolunu dəyişdirin +Permission256=Digər istifadəçiləri silin və ya söndürün +Permission262=Bütün üçüncü tərəflərə və onların obyektlərinə girişi genişləndirin (yalnız istifadəçinin satış nümayəndəsi olduğu üçüncü tərəflər deyil).
      Xarici istifadəçilər üçün effektiv deyil (təkliflər üçün həmişə özləri ilə məhdudlaşır, sifarişlər, hesab-fakturalar, müqavilələr və s.).
      Layihələr üçün effektiv deyil (yalnız layihə icazələri, görünürlük və təyinat məsələləri ilə bağlı qaydalar). +Permission263=Obyektləri OLMADAN bütün üçüncü tərəflərə girişi genişləndirin (yalnız istifadəçinin satış nümayəndəsi olduğu üçüncü tərəflər deyil).
      Xarici istifadəçilər üçün effektiv deyil (təkliflər üçün həmişə özləri ilə məhdudlaşır, sifarişlər, hesab-fakturalar, müqavilələr və s.).
      Layihələr üçün effektiv deyil (yalnız layihə icazələri, görünürlük və təyinat məsələləri ilə bağlı qaydalar). +Permission271=CA oxuyun +Permission272=Fakturaları oxuyun +Permission273=Fakturaların verilməsi +Permission281=Kontaktları oxuyun +Permission282=Kontaktlar yaradın/dəyişdirin +Permission283=Kontaktları silin +Permission286=Kontaktları ixrac edin +Permission291=Tarifləri oxuyun +Permission292=Tariflərdə icazələri təyin edin +Permission293=Müştərinin tariflərini dəyişdirin +Permission301=Barkodların PDF vərəqlərini yaradın +Permission304=Barkodları yaradın/dəyişdirin +Permission305=Barkodları silin +Permission311=Xidmətləri oxuyun +Permission312=Müqaviləyə xidmət/abunə təyin edin +Permission331=Əlfəcinləri oxuyun +Permission332=Əlfəcinlər yaradın/dəyişdirin +Permission333=Əlfəcinləri silin +Permission341=Öz icazələrini oxuyun +Permission342=Öz istifadəçi məlumatlarını yaradın/dəyişdirin +Permission343=Öz parolunu dəyişdirin +Permission344=Öz icazələrini dəyişdirin +Permission351=Qrupları oxuyun +Permission352=Qrup icazələrini oxuyun +Permission353=Qruplar yaradın/dəyişdirin +Permission354=Qrupları silin və ya söndürün +Permission358=İstifadəçiləri ixrac edin +Permission401=Endirimləri oxuyun +Permission402=Endirimlər yaradın/dəyişdirin +Permission403=Endirimləri təsdiqləyin +Permission404=Endirimləri silin +Permission430=Debug Bar istifadə edin +Permission511=Maaşları və ödənişləri oxuyun (sizin və tabeliyində olanlar) +Permission512=Əmək haqqı və ödənişləri yaradın/dəyişdirin +Permission514=Maaşları və ödənişləri silin +Permission517=Hər kəs maaşları və ödənişləri oxuyun +Permission519=İxrac maaşları +Permission520=Kreditləri oxuyun +Permission522=Kreditləri yaradın/dəyişdirin +Permission524=Kreditləri silin +Permission525=Kredit kalkulyatoruna daxil olun +Permission527=İxrac kreditləri +Permission531=Xidmətləri oxuyun +Permission532=Xidmətlər yaradın/dəyişdirin +Permission533=Xidmətlərin qiymətlərini oxuyun +Permission534=Xidmətləri silin +Permission536=Gizli xidmətlərə baxın/idarə edin +Permission538=İxrac xidmətləri +Permission561=Kredit köçürməsi ilə ödəniş tapşırıqlarını oxuyun +Permission562=Kredit köçürməsi ilə ödəniş tapşırığını yaradın/dəyişdirin +Permission563=Kredit köçürməsi ilə ödəniş tapşırığını göndər/ötür +Permission564=Debitləri / Kredit köçürməsindən imtinaları qeyd edin +Permission601=Stikerləri oxuyun +Permission602=Stikerlər yaradın/dəyişdirin +Permission609=Stikerləri silin +Permission611=Variantların atributlarını oxuyun +Permission612=Variantların atributlarını yaradın/yeniləyin +Permission613=Variantların atributlarını silin +Permission650=Material sənədlərini oxuyun +Permission651=Material sənədlərini yaradın/yeniləyin +Permission652=Material sənədlərini silin +Permission660=İstehsal sifarişini oxuyun (MO) +Permission661=İstehsal Sifarişini Yaradın/Yeniləyin (MO) +Permission662=İstehsal sifarişini silin (MO) +Permission701=İanələri oxuyun +Permission702=İanələri yaradın/dəyişdirin +Permission703=İanələri silin +Permission771=Xərc hesabatlarını oxuyun (sizin və tabeçiliyiniz) +Permission772=Xərc hesabatlarını yaradın/dəyişdirin (siz və tabeçiliyiniz üçün) +Permission773=Xərc hesabatlarını silin +Permission775=Xərc hesabatlarını təsdiqləyin +Permission776=Xərc hesabatlarını ödəyin +Permission777=Bütün xərc hesabatlarını oxuyun (hətta istifadəçinin tabeliyində olmayanlar belə) +Permission778=Hər kəsin xərc hesabatlarını yaradın/dəyişdirin +Permission779=İxrac xərcləri hesabatları +Permission1001=Səhmləri oxuyun +Permission1002=Anbarlar yaradın/dəyişdirin +Permission1003=Anbarları silin +Permission1004=Birja hərəkətlərini oxuyun +Permission1005=Birja hərəkətlərini yaradın/dəyişdirin +Permission1011=Ehtiyatlara baxın +Permission1012=Yeni inventar yaradın +Permission1014=İnventarizasiyanı təsdiqləyin +Permission1015=Məhsul üçün PMP dəyərini dəyişməyə icazə verin +Permission1016=İnventar silin +Permission1101=Çatdırılma qəbzlərini oxuyun +Permission1102=Çatdırılma qəbzlərini yaradın/dəyişdirin +Permission1104=Çatdırılma qəbzlərini təsdiqləyin +Permission1109=Çatdırılma qəbzlərini silin +Permission1121=Təchizatçıların təkliflərini oxuyun +Permission1122=Təchizatçı təkliflərini yaradın/dəyişdirin +Permission1123=Təchizatçı təkliflərini təsdiqləyin +Permission1124=Təchizatçı təkliflərini göndərin +Permission1125=Təchizatçı təkliflərini silin +Permission1126=Təchizatçıların qiymət sorğularını bağlayın +Permission1181=Təchizatçıları oxuyun +Permission1182=Satınalma sifarişlərini oxuyun +Permission1183=Satınalma sifarişlərini yaradın/dəyişdirin +Permission1184=Satınalma sifarişlərini təsdiqləyin +Permission1185=Satınalma sifarişlərini təsdiqləyin +Permission1186=Satınalma sifarişlərini sifariş edin +Permission1187=Satınalma sifarişlərinin qəbulunu təsdiqləyin +Permission1188=Satınalma sifarişlərini silin +Permission1189=Satınalma sifarişinin qəbulunu yoxlayın/çıxarın +Permission1190=Satınalma sifarişlərini təsdiqləyin (ikinci təsdiq). +Permission1191=Təchizatçı sifarişlərini və onların atributlarını ixrac edin +Permission1201=İxracın nəticəsini əldə edin +Permission1202=İxrac yaradın/dəyişdirin +Permission1231=Satıcı fakturalarını (və ödənişləri) oxuyun +Permission1232=Satıcı fakturalarını yaradın/dəyişdirin +Permission1233=Satıcı fakturalarını təsdiqləyin +Permission1234=Satıcı fakturalarını silin +Permission1235=Satıcı fakturalarını e-poçt vasitəsilə göndərin +Permission1236=Satıcı hesab-fakturalarını, atributlarını və ödənişlərini ixrac edin +Permission1237=Satınalma sifarişlərini və onların təfərrüatlarını ixrac edin +Permission1251=Xarici məlumatların verilənlər bazasına kütləvi idxalını həyata keçirin (məlumat yükü) +Permission1321=Müştəri hesab-fakturalarını, atributlarını və ödənişlərini ixrac edin +Permission1322=Ödənilmiş hesabı yenidən açın +Permission1421=Satış sifarişlərini və atributlarını ixrac edin +Permission1521=Sənədləri oxuyun +Permission1522=Sənədləri silin +Permission2401=Onun istifadəçi hesabı ilə əlaqəli hərəkətləri (hadisələr və ya tapşırıqlar) oxuyun (tədbirin sahibi və ya sadəcə ona təyin edilibsə) +Permission2402=İstifadəçi hesabı ilə əlaqəli fəaliyyətlər (hadisələr və ya tapşırıqlar) yaradın/dəyişdirin (tədbirin sahibi olarsa) +Permission2403=Onun istifadəçi hesabı ilə əlaqəli hərəkətləri (tədbirlər və ya tapşırıqları) silin (tədbirin sahibi olarsa) +Permission2411=Başqalarının hərəkətlərini (hadisələri və ya tapşırıqlarını) oxuyun +Permission2412=Başqalarının hərəkətlərini (hadisələri və ya tapşırıqlarını) yaradın/dəyişdirin +Permission2413=Başqalarının hərəkətlərini (hadisələrini və ya tapşırıqlarını) silin +Permission2414=Başqalarının hərəkətlərini/tapşırıqlarını ixrac edin +Permission2501=Sənədləri oxuyun/yükləyin +Permission2502=Sənədləri yükləyin +Permission2503=Sənədləri təqdim edin və ya silin +Permission2515=Sənəd qovluqlarının qurulması +Permission2610=İstifadəçilərin API açarını yaradın/dəyişdirin +Permission2801=FTP müştərisini oxu rejimində istifadə edin (yalnız gözdən keçirin və endirin) +Permission2802=FTP müştərisini yazma rejimində istifadə edin (faylları silin və ya yükləyin) +Permission3200=Arxivlənmiş hadisələri və barmaq izlərini oxuyun +Permission3301=Yeni modullar yaradın +Permission4001=Bacarıq/iş/vəzifə oxuyun +Permission4002=Bacarıq/iş/vəzifə yaradın/dəyişdirin +Permission4003=Bacarıq/iş/vəzifə silin +Permission4021=Qiymətləndirmələri oxuyun (sizin və tabeçiliyiniz) +Permission4022=Qiymətləndirmələri yaradın/dəyişdirin +Permission4023=Qiymətləndirməni təsdiq edin +Permission4025=Qiymətləndirməni silin +Permission4028=Müqayisə menyusuna baxın +Permission4031=Şəxsi məlumatları oxuyun +Permission4032=Şəxsi məlumatı yazın +Permission4033=Bütün qiymətləndirmələri oxuyun (hətta istifadəçinin tabeliyində olmayanların da) +Permission10001=Veb sayt məzmununu oxuyun +Permission10002=Veb sayt məzmununu yaradın/dəyişdirin (html və JavaScript məzmunu) +Permission10003=Veb sayt məzmununu yaradın/dəyişdirin (dinamik php kodu). Təhlükəli, məhdudlaşdırılmış tərtibatçılar üçün qorunmalıdır. +Permission10005=Veb sayt məzmununu silin +Permission20001=Məzuniyyət sorğularını oxuyun (sizin və tabeliyində olanların) +Permission20002=Məzuniyyət sorğularınızı yaradın/dəyişdirin (sizin məzuniyyətiniz və tabeçiliyinizdən olanlar) +Permission20003=Məzuniyyət sorğularını silin +Permission20004=Bütün məzuniyyət sorğularını oxuyun (hətta istifadəçinin tabeliyində olmayanların da) +Permission20005=Hamı üçün məzuniyyət sorğuları yaradın/dəyişdirin (hətta istifadəçinin tabeliyində olmayanların da) +Permission20006=Məzuniyyət sorğularını idarə edin (balansın qurulması və yenilənməsi) +Permission20007=Məzuniyyət sorğularını təsdiqləyin +Permission23001=Planlaşdırılmış işi oxuyun +Permission23002=Planlaşdırılmış işi yaradın/yeniləyin +Permission23003=Planlaşdırılmış işi silin +Permission23004=Planlaşdırılmış işi yerinə yetirin +Permission40001=Valyutaları və onların məzənnələrini oxuyun +Permission40002=Valyutaları və onların məzənnələrini yaradın/yeniləyin +Permission40003=Valyutaları və onların məzənnələrini silin +Permission50101=Satış nöqtəsindən istifadə edin (SimplePOS) +Permission50151=Satış nöqtəsindən istifadə edin (TakePOS) +Permission50152=Satış xətlərini redaktə edin +Permission50153=Sifarişli satış xətlərini redaktə edin +Permission50201=Əməliyyatları oxuyun +Permission50202=İdxal əməliyyatları +Permission50330=Zapier obyektlərini oxuyun +Permission50331=Zapier obyektlərini yaradın/yeniləyin +Permission50332=Zapier obyektlərini silin +Permission50401=Məhsulları və fakturaları mühasibat hesabları ilə bağlayın +Permission50411=Kitabda əməliyyatları oxuyun +Permission50412=Kitabda əməliyyatları yazın/redaktə edin +Permission50414=Defterdəki əməliyyatları silin +Permission50415=Bütün əməliyyatları il və jurnalda qeyd edin +Permission50418=Kitabın ixrac əməliyyatları +Permission50420=Hesabat və ixrac hesabatları (dövriyyə, balans, jurnallar, kitab) +Permission50430=Maliyyə dövrlərini müəyyənləşdirin. Əməliyyatları təsdiqləyin və maliyyə dövrlərini bağlayın. +Permission50440=Hesablar planını idarə edin, mühasibat uçotunun qurulması +Permission51001=Aktivləri oxuyun +Permission51002=Aktivlər yaradın/yeniləyin +Permission51003=Aktivləri silin +Permission51005=Aktivlərin qurulması növləri +Permission54001=Çap et +Permission55001=Anketləri oxuyun +Permission55002=Sorğular yaradın/dəyişdirin +Permission59001=Kommersiya marjalarını oxuyun +Permission59002=Kommersiya marjalarını müəyyənləşdirin +Permission59003=Hər istifadəçi marjasını oxuyun +Permission63001=Resursları oxuyun +Permission63002=Resursları yaradın/dəyişdirin +Permission63003=Resursları silin +Permission63004=Resursları gündəmdəki hadisələrlə əlaqələndirin +Permission64001=Birbaşa çapa icazə verin +Permission67000=Qəbzlərin çapına icazə verin +Permission68001=İntracomm hesabatını oxuyun +Permission68002=Rabitədaxili hesabat yaradın/dəyişdirin +Permission68004=İntracomm hesabatını silin +Permission941601=Qəbzləri oxuyun +Permission941602=Qəbzləri yaradın və dəyişdirin +Permission941603=Qəbzləri təsdiq edin +Permission941604=Qəbzləri e-poçtla göndərin +Permission941605=İxrac qəbzləri +Permission941606=Qəbzləri silin +DictionaryCompanyType=Üçüncü tərəf növləri +DictionaryCompanyJuridicalType=Üçüncü tərəf hüquqi şəxslər +DictionaryProspectLevel=Şirkətlər üçün perspektiv potensial səviyyə +DictionaryProspectContactLevel=Əlaqələr üçün potensial səviyyə +DictionaryCanton=Ştatlar/Əyalətlər +DictionaryRegion=Regionlar +DictionaryCountry=Ölkələr +DictionaryCurrency=Valyutalar +DictionaryCivility=Fəxri adlar +DictionaryActions=Gündəlik hadisələrin növləri +DictionarySocialContributions=Sosial və ya fiskal vergilərin növləri +DictionaryVAT=ƏDV dərəcələri və ya satış vergisi dərəcələri +DictionaryRevenueStamp=Vergi möhürlərinin miqdarı +DictionaryPaymentConditions=Ödəmə şərtləri +DictionaryPaymentModes=Ödəniş rejimləri +DictionaryTypeContact=Əlaqə/Ünvan növləri +DictionaryTypeOfContainer=Vebsayt - Veb sayt səhifələrinin/konteynerlərinin növü +DictionaryEcotaxe=Ekotaks (WEEE) +DictionaryPaperFormat=Kağız formatları +DictionaryFormatCards=Kart formatları +DictionaryFees=Xərc hesabatı - Xərc hesabatı sətirlərinin növləri +DictionarySendingMethods=Göndərmə üsulları +DictionaryStaff=İşçilərin sayı +DictionaryAvailability=Çatdırılma gecikməsi +DictionaryOrderMethods=Sifariş üsulları +DictionarySource=Təkliflərin/sifarişlərin mənşəyi +DictionaryAccountancyCategory=Hesabatlar üçün fərdiləşdirilmiş qruplar +DictionaryAccountancysystem=Hesablar planı üçün modellər +DictionaryAccountancyJournal=Mühasibat jurnalları +DictionaryEMailTemplates=E-poçt Şablonları +DictionaryUnits=Vahidlər +DictionaryMeasuringUnits=Ölçü vahidləri +DictionarySocialNetworks=Sosial şəbəkələr +DictionaryProspectStatus=Şirkətlər üçün perspektiv statusu +DictionaryProspectContactStatus=Əlaqələr üçün perspektiv statusu +DictionaryHolidayTypes=Məzuniyyət - məzuniyyət növləri +DictionaryOpportunityStatus=Layihə/aparıcı üçün aparıcı statusu +DictionaryExpenseTaxCat=Xərc hesabatı - Nəqliyyat kateqoriyaları +DictionaryExpenseTaxRange=Xərc hesabatı - Daşıma kateqoriyasına görə sıra +DictionaryTransportMode=İntracomm hesabatı - Nəqliyyat rejimi +DictionaryBatchStatus=Məhsul lotu/seriyalı Keyfiyyətə Nəzarət statusu +DictionaryAssetDisposalType=Aktivlərin xaric edilmə növü +DictionaryInvoiceSubtype=Faktura alt növləri +TypeOfUnit=Vahidin növü +SetupSaved=Quraşdırma yadda saxlandı +SetupNotSaved=Quraşdırma yadda saxlanmadı +OAuthServiceConfirmDeleteTitle=OAuth girişini silin +OAuthServiceConfirmDeleteMessage=Bu OAuth girişini silmək istədiyinizə əminsiniz? Bunun üçün bütün mövcud tokenlər də silinəcək. +ErrorInEntryDeletion=Girişin silinməsində xəta baş verdi +EntryDeleted=Giriş silindi +BackToModuleList=Modul siyahısına qayıt +BackToDictionaryList=Lüğətlər siyahısına qayıt +TypeOfRevenueStamp=Vergi möhürü növü +VATManagement=Satış vergisinin idarə edilməsi +VATIsUsedDesc=Perspektivlər, fakturalar, sifarişlər və s. yaradarkən defolt olaraq Satış Vergisi dərəcəsi aktiv standart qaydaya əməl edir:
      Əgər satıcı Satış vergisinə tabe deyilsə, Satış vergisi defoltları 0-dır. Qaydanın sonu.
      Əgər (satıcının ölkəsi = alıcının ölkəsi), o zaman Satış vergisi defolt olaraq satıcının ölkəsindəki məhsulun Satış vergisinə bərabərdir. Qaydanın sonu.
      Əgər satıcı və alıcı həm Avropa Birliyindədirsə və mallar nəqliyyatla əlaqəli məhsullardırsa (daşıma, göndərmə, hava yolu), defolt ƏDV 0-dır. Bu qayda satıcının ölkəsindən asılıdır - mühasibinizlə məsləhətləşin. ƏDV alıcı tərəfindən satıcıya deyil, öz ölkəsindəki gömrük idarəsinə ödənilməlidir. Qaydanın sonu.
      Əgər satıcı və alıcı hər ikisi Avropa Birliyindədirsə və alıcı şirkət deyilsə (İcmadaxili ƏDV nömrəsi qeydiyyatdan keçib), onda ƏDV defolt olaraq satıcının ölkəsinin ƏDV dərəcəsi. Qaydanın sonu.
      Əgər satıcı və alıcı həm Avropa Birliyindədirsə, həm də alıcı şirkətdirsə (İcmadaxili ƏDV nömrəsinə malikdir), onda ƏDV 0-dır default olaraq. Qaydanın sonu.
      Hər hansı digər halda təklif olunan defolt Satış vergisi=0-dır. Qaydanın sonu. +VATIsNotUsedDesc=Defolt olaraq təklif olunan Satış vergisi 0-dır və assosiasiyalar, fiziki şəxslər və ya kiçik şirkətlər kimi hallar üçün istifadə edilə bilər. +VATIsUsedExampleFR=Fransada bu, real fiskal sistemi olan şirkətlər və ya təşkilatlar deməkdir (Sadələşdirilmiş real və ya normal real). ƏDV-nin bəyan edildiyi sistem. +VATIsNotUsedExampleFR=Fransada bu, Satış vergisi bəyan edilməyən birliklər və ya mikro müəssisə fiskal sistemini (françayzinqdə satış vergisi) seçmiş və heç bir Satış vergisi bəyannaməsi olmadan françayzinq Satış vergisi ödəmiş şirkətlər, təşkilatlar və ya liberal peşələr deməkdir. Bu seçim fakturalarda "Tətbiq olunmayan Satış vergisi - Art-293B of CGI" arayışını göstərəcək. +VATType=VAT type ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax -LTRate=Rate -LocalTax1IsNotUsed=Do not use second tax -LocalTax1IsUsedDesc=Use a second type of tax (other than first one) -LocalTax1IsNotUsedDesc=Do not use other type of tax (other than first one) -LocalTax1Management=Second type of tax +TypeOfSaleTaxes=Satış vergisinin növü +LTRate=Qiymətləndirmə +LocalTax1IsNotUsed=İkinci vergidən istifadə etməyin +LocalTax1IsUsedDesc=İkinci vergi növündən istifadə edin (birincidən başqa) +LocalTax1IsNotUsedDesc=Başqa vergi növündən istifadə etməyin (birincidən başqa) +LocalTax1Management=İkinci növ vergi LocalTax1IsUsedExample= LocalTax1IsNotUsedExample= -LocalTax2IsNotUsed=Do not use third tax -LocalTax2IsUsedDesc=Use a third type of tax (other than first one) -LocalTax2IsNotUsedDesc=Do not use other type of tax (other than first one) -LocalTax2Management=Third type of tax +LocalTax2IsNotUsed=Üçüncü vergidən istifadə etməyin +LocalTax2IsUsedDesc=Üçüncü vergi növündən istifadə edin (birincidən başqa) +LocalTax2IsNotUsedDesc=Başqa vergi növündən istifadə etməyin (birincidən başqa) +LocalTax2Management=Üçüncü vergi növü LocalTax2IsUsedExample= LocalTax2IsNotUsedExample= -LocalTax1ManagementES=RE Management -LocalTax1IsUsedDescES=The RE rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the buyer is not subjected to RE, RE by default=0. End of rule.
      If the buyer is subjected to RE then the RE by default. End of rule.
      -LocalTax1IsNotUsedDescES=By default the proposed RE is 0. End of rule. -LocalTax1IsUsedExampleES=In Spain they are professionals subject to some specific sections of the Spanish IAE. -LocalTax1IsNotUsedExampleES=In Spain they are professional and societies and subject to certain sections of the Spanish IAE. -LocalTax2ManagementES=IRPF Management -LocalTax2IsUsedDescES=The IRPF rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.
      If the seller is subjected to IRPF then the IRPF by default. End of rule.
      -LocalTax2IsNotUsedDescES=By default the proposed IRPF is 0. End of rule. -LocalTax2IsUsedExampleES=In Spain, freelancers and independent professionals who provide services and companies who have chosen the tax system of modules. -LocalTax2IsNotUsedExampleES=In Spain they are businesses not subject to tax system of modules. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) -CalcLocaltax=Reports on local taxes -CalcLocaltax1=Sales - Purchases -CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases -CalcLocaltax2=Purchases -CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases -CalcLocaltax3=Sales -CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax -LabelUsedByDefault=Label used by default if no translation can be found for code -LabelOnDocuments=Label on documents -LabelOrTranslationKey=Label or translation key -ValueOfConstantKey=Value of a configuration constant -ConstantIsOn=Option %s is on -NbOfDays=No. of days -AtEndOfMonth=At end of month -CurrentNext=Current/Next -Offset=Offset -AlwaysActive=Always active -Upgrade=Upgrade -MenuUpgrade=Upgrade / Extend -AddExtensionThemeModuleOrOther=Deploy/install external app/module -WebServer=Web server -DocumentRootServer=Web server's root directory -DataRootServer=Data files directory +LocalTax1ManagementES=RE İdarəetmə +LocalTax1IsUsedDescES=Perspektivlər, fakturalar, sifarişlər və s. yaradan zaman RE dərəcəsi defolt olaraq aktiv standart qaydaya əməl edir:
      Əgər alıcı RE-ə məruz qalmırsa, defolt olaraq RE=0. Qaydanın sonu.
      Əgər alıcı RE-yə məruz qalırsa, defolt olaraq RE. Qaydanın sonu.
      +LocalTax1IsNotUsedDescES=Defolt olaraq təklif olunan RE 0-dır. Qaydanın sonu. +LocalTax1IsUsedExampleES=İspaniyada onlar İspan IAE-nin bəzi xüsusi bölmələrinə tabe olan peşəkarlardır. +LocalTax1IsNotUsedExampleES=İspaniyada onlar peşəkar və cəmiyyətlərdir və İspan IAE-nin müəyyən bölmələrinə tabedirlər. +LocalTax2ManagementES=IRPF İdarəetmə +LocalTax2IsUsedDescES=Perspektivlər, hesab-fakturalar, sifarişlər və s. yaradan zaman IRPF dərəcəsi defolt olaraq aktiv standart qaydaya əməl edir:
      Əgər satıcı IRPF-yə məruz qalmayıbsa, defolt olaraq IRPF=0. Qaydanın sonu.
      Əgər satıcı IRPF-yə məruz qalırsa, defolt olaraq IRPF. Qaydanın sonu.
      +LocalTax2IsNotUsedDescES=Defolt olaraq təklif olunan IRPF 0-dır. Qaydanın sonu. +LocalTax2IsUsedExampleES=İspaniyada, modulların vergi sistemini seçmiş xidmətlər və şirkətlər təqdim edən freelancerlər və müstəqil peşəkarlar. +LocalTax2IsNotUsedExampleES=İspaniyada onlar modulların vergi sisteminə tabe olmayan müəssisələrdir. +RevenueStampDesc="Vergi möhürü" və ya "gəlir möhürü" hər bir faktura üçün sizin üçün sabit vergidir (bu faktura məbləğindən asılı deyil). Bu, həmçinin faiz vergisi ola bilər, lakin ikinci və ya üçüncü növ vergidən istifadə faiz vergiləri üçün daha yaxşıdır, çünki vergi möhürləri heç bir hesabat vermir. Yalnız bir neçə ölkə bu vergi növündən istifadə edir. +UseRevenueStamp=Vergi möhüründən istifadə edin +UseRevenueStampExample=Vergi möhürünün dəyəri defolt olaraq lüğətlərin quraşdırılmasında müəyyən edilir (%s - %s - %s) +CalcLocaltax=Yerli vergilər haqqında hesabatlar +CalcLocaltax1=Satış - Alış-veriş +CalcLocaltax1Desc=Yerli Vergilər hesabatları yerli vergilərin satışı ilə yerli vergilərin alışları arasındakı fərqlə hesablanır +CalcLocaltax2=Satınalmalar +CalcLocaltax2Desc=Yerli Vergilər hesabatları yerli vergi alışlarının cəmidir +CalcLocaltax3=Satış +CalcLocaltax3Desc=Yerli Vergilər hesabatları yerli vergilərin satışlarının cəmidir +NoLocalTaxXForThisCountry=Vergilərin quraşdırılmasına uyğun olaraq (Bax: %s - %s - %s) , ölkənizin bu cür vergidən istifadə etməsinə ehtiyac yoxdur +LabelUsedByDefault=Kod üçün tərcümə tapılmasa, defolt olaraq istifadə olunan etiket +LabelOnDocuments=Sənədlərdə etiket +LabelOrTranslationKey=Etiket və ya tərcümə açarı +ValueOfConstantKey=Konfiqurasiya sabitinin dəyəri +ConstantIsOn=%s seçimi aktivdir +NbOfDays=günlərin sayı +AtEndOfMonth=Ayın sonunda +CurrentNext=Ayda verilən gün +Offset=Ofset +AlwaysActive=Həmişə aktiv +Upgrade=Təkmilləşdirin +MenuUpgrade=Təkmilləşdirin / Genişləndirin +AddExtensionThemeModuleOrOther=Xarici proqram/modulu yerləşdirin/quraşdırın +WebServer=Veb server +DocumentRootServer=Veb serverin kök kataloqu +DataRootServer=Məlumat faylları kataloqu IP=IP -Port=Port -VirtualServerName=Virtual server name -OS=OS -PhpWebLink=Web-Php link +Port=Liman +VirtualServerName=Virtual server adı +OS=ƏS +PhpWebLink=Web-Php keçidi Server=Server -Database=Database -DatabaseServer=Database host -DatabaseName=Database name -DatabasePort=Database port -DatabaseUser=Database user -DatabasePassword=Database password -Tables=Tables -TableName=Table name -NbOfRecord=No. of records +Database=Verilənlər bazası +DatabaseServer=Verilənlər bazası sahibi +DatabaseName=Verilənlər bazasının adı +DatabasePort=Verilənlər bazası portu +DatabaseUser=Verilənlər bazası istifadəçisi +DatabasePassword=Verilənlər bazası parolu +Tables=Cədvəllər +TableName=Cədvəlin adı +NbOfRecord=Qeydlərin sayı Host=Server -DriverType=Driver type -SummarySystem=System information summary -SummaryConst=List of all Dolibarr setup parameters -MenuCompanySetup=Company/Organization -DefaultMenuManager= Standard menu manager -DefaultMenuSmartphoneManager=Smartphone menu manager -Skin=Skin theme -DefaultSkin=Default skin theme -MaxSizeList=Max length for list -DefaultMaxSizeList=Default max length for lists -DefaultMaxSizeShortList=Default max length for short lists (i.e. in customer card) -MessageOfDay=Message of the day -MessageLogin=Login page message -LoginPage=Login page -BackgroundImageLogin=Background image -PermanentLeftSearchForm=Permanent search form on left menu -DefaultLanguage=Default language -EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships -EnableShowLogo=Show the company logo in the menu -CompanyInfo=Company/Organization -CompanyIds=Company/Organization identities -CompanyName=Name -CompanyAddress=Address +DriverType=Sürücü növü +SummarySystem=Sistem məlumatının xülasəsi +SummaryConst=Bütün Dolibarr quraşdırma parametrlərinin siyahısı +MenuCompanySetup=Şirkət/Təşkilat +DefaultMenuManager= Standart menyu meneceri +DefaultMenuSmartphoneManager=Smartfon menyu meneceri +Skin=Dəri mövzusu +DefaultSkin=Defolt dəri mövzusu +MaxSizeList=Siyahı üçün maksimum uzunluq +DefaultMaxSizeList=Siyahılar üçün defolt maksimum uzunluq +DefaultMaxSizeShortList=Qısa siyahılar üçün defolt maksimum uzunluq (məsələn, müştəri kartında) +MessageOfDay=Günün mesajı +MessageLogin=Giriş səhifəsi mesajı +LoginPage=Giriş səhifəsi +BackgroundImageLogin=Fon şəkli +PermanentLeftSearchForm=Sol menyuda daimi axtarış forması +DefaultLanguage=Defolt dil +EnableMultilangInterface=Müştəri və ya satıcı əlaqələri üçün çoxdilli dəstəyi aktivləşdirin +EnableShowLogo=Menyuda şirkət loqotipini göstərin +CompanyInfo=Şirkət/Təşkilat +CompanyIds=Şirkət/Təşkilat şəxsiyyətləri +CompanyName=ad +CompanyAddress=Ünvan CompanyZip=Zip -CompanyTown=Town -CompanyCountry=Country -CompanyCurrency=Main currency -CompanyObject=Object of the company -IDCountry=ID country +CompanyTown=Şəhər +CompanyCountry=ölkə +CompanyCurrency=Əsas valyuta +CompanyObject=Şirkətin obyekti +IDCountry=ID ölkə Logo=Logo -LogoDesc=Main logo of company. Will be used into generated documents (PDF, ...) -LogoSquarred=Logo (squarred) -LogoSquarredDesc=Must be a squarred icon (width = height). This logo will be used as the favorite icon or other need like for the top menu bar (if not disabled into display setup). -DoNotSuggestPaymentMode=Do not suggest -NoActiveBankAccountDefined=No active bank account defined -OwnerOfBankAccount=Owner of bank account %s -BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show the link "%s" -ShowBugTrackLinkDesc=Keep empty to not display this link, use value 'github' for the link to the Dolibarr project or define directly an url 'https://...' -Alerts=Alerts -DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: -DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. -Delays_MAIN_DELAY_ACTIONS_TODO=Planned events (agenda events) not completed -Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Project not closed in time -Delays_MAIN_DELAY_TASKS_TODO=Planned task (project tasks) not completed -Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Order not processed -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Purchase order not processed -Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Proposal not closed -Delays_MAIN_DELAY_PROPALS_TO_BILL=Proposal not billed -Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Service to activate -Delays_MAIN_DELAY_RUNNING_SERVICES=Expired service -Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Unpaid vendor invoice -Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Unpaid customer invoice -Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Pending bank reconciliation -Delays_MAIN_DELAY_MEMBERS=Delayed membership fee -Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Check deposit not done -Delays_MAIN_DELAY_EXPENSEREPORTS=Expense report to approve -Delays_MAIN_DELAY_HOLIDAYS=Leave requests to approve -SetupDescription1=Before starting to use Dolibarr some initial parameters must be defined and modules enabled/configured. -SetupDescription2=The following two sections are mandatory (the two first entries in the Setup menu): -SetupDescription3=%s -> %s

      Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4=%s -> %s

      This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. -SetupDescription5=Other Setup menu entries manage optional parameters. -SetupDescriptionLink=%s - %s -SetupDescription3b=Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s -Audit=Security events -InfoDolibarr=About Dolibarr -InfoBrowser=About Browser -InfoOS=About OS -InfoWebServer=About Web Server -InfoDatabase=About Database -InfoPHP=About PHP -InfoPerf=About Performances -InfoSecurity=About Security -BrowserName=Browser name -BrowserOS=Browser OS -ListOfSecurityEvents=List of Dolibarr security events -SecurityEventsPurged=Security events purged -LogEventDesc=Enable logging for specific security events. Administrators the log via menu %s - %s. Warning, this feature can generate a large amount of data in the database. -AreaForAdminOnly=Setup parameters can be set by administrator users only. -SystemInfoDesc=System information is miscellaneous technical information you get in read only mode and visible for administrators only. -SystemAreaForAdminOnly=This area is available to administrator users only. Dolibarr user permissions cannot change this restriction. -CompanyFundationDesc=Edit the information of your company/organization. Click on "%s" button at the bottom of the page when done. -AccountantDesc=If you have an external accountant/bookkeeper, you can edit here its information. -AccountantFileNumber=Accountant code -DisplayDesc=Parameters affecting the look and presentation of the application can be modified here. -AvailableModules=Available app/modules -ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). -SessionTimeOut=Time out for session -SessionExplanation=This number guarantees that the session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guarantee that the session will expire after this delay. It will expire, after this delay, and when the session cleaner is run, so every %s/%s access, but only during access made by other sessions (if value is 0, it means clearing of session is done only by an external process).
      Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by an external setup, no matter what the value entered here is. -SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. -TriggersAvailable=Available triggers -TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). -TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. -TriggerDisabledAsModuleDisabled=Triggers in this file are disabled as module %s is disabled. -TriggerAlwaysActive=Triggers in this file are always active, whatever are the activated Dolibarr modules. -TriggerActiveAsModuleActive=Triggers in this file are active as module %s is enabled. -GeneratedPasswordDesc=Choose the method to be used for auto-generated passwords. -DictionaryDesc=Insert all reference data. You can add your values to the default. -ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting only. -MiscellaneousDesc=All other security related parameters are defined here. -LimitsSetup=Limits/Precision setup -LimitsDesc=You can define limits, precisions and optimizations used by Dolibarr here -MAIN_MAX_DECIMALS_UNIT=Max. decimals for unit prices -MAIN_MAX_DECIMALS_TOT=Max. decimals for total prices -MAIN_MAX_DECIMALS_SHOWN=Max. decimals for prices shown on screen. Add an ellipsis ... after this parameter (e.g. "2...") if you want to see "..." suffixed to the truncated price. -MAIN_ROUNDING_RULE_TOT=Step of rounding range (for countries where rounding is done on something other than base 10. For example, put 0.05 if rounding is done by 0.05 steps) -UnitPriceOfProduct=Net unit price of a product -TotalPriceAfterRounding=Total price (excl/vat/incl tax) after rounding -ParameterActiveForNextInputOnly=Parameter effective for next input only -NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit has not been enabled in the "Setup - Security - Events" page. -NoEventFoundWithCriteria=No security event has been found for this search criteria. -SeeLocalSendMailSetup=See your local sendmail setup -BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. -BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. -BackupDescX=The archived directory should be stored in a secure place. -BackupDescY=The generated dump file should be stored in a secure place. -BackupPHPWarning=Backup cannot be guaranteed with this method. Previous one recommended. -RestoreDesc=To restore a Dolibarr backup, two steps are required. -RestoreDesc2=Restore the backup file (zip file for example) of the "documents" directory to a new Dolibarr installation or into this current documents directory (%s). -RestoreDesc3=Restore the database structure and data from a backup dump file into the database of the new Dolibarr installation or into the database of this current installation (%s). Warning, once the restore is complete, you must use a login/password, that existed from the backup time/installation to connect again.
      To restore a backup database into this current installation, you can follow this assistant. -RestoreMySQL=MySQL import -ForcedToByAModule=This rule is forced to %s by an activated module -ValueIsForcedBySystem=This value is forced by the system. You can't change it. -PreviousDumpFiles=Existing backup files -PreviousArchiveFiles=Existing archive files -WeekStartOnDay=First day of the week -RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) -YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. -YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP -DownloadMoreSkins=More skins to download -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset -ShowProfIdInAddress=Show professional ID with addresses -ShowVATIntaInAddress=Hide intra-Community VAT number -TranslationUncomplete=Partial translation -MAIN_DISABLE_METEO=Disable weather thumb -MeteoStdMod=Standard mode -MeteoStdModEnabled=Standard mode enabled -MeteoPercentageMod=Percentage mode -MeteoPercentageModEnabled=Percentage mode enabled -MeteoUseMod=Click to use %s -TestLoginToAPI=Test login to API -ProxyDesc=Some features of Dolibarr require internet access. Define here the internet connection parameters such as access through a proxy server if necessary. -ExternalAccess=External/Internet Access -MAIN_PROXY_USE=Use a proxy server (otherwise access is direct to the internet) -MAIN_PROXY_HOST=Proxy server: Name/Address -MAIN_PROXY_PORT=Proxy server: Port -MAIN_PROXY_USER=Proxy server: Login/User -MAIN_PROXY_PASS=Proxy server: Password -DefineHereComplementaryAttributes=Define any additional / custom attributes that must be added to: %s -ExtraFields=Complementary attributes -ExtraFieldsLines=Complementary attributes (lines) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) -ExtraFieldsSupplierOrdersLines=Complementary attributes (order lines) -ExtraFieldsSupplierInvoicesLines=Complementary attributes (invoice lines) -ExtraFieldsThirdParties=Complementary attributes (third party) -ExtraFieldsContacts=Complementary attributes (contacts/address) -ExtraFieldsMember=Complementary attributes (member) -ExtraFieldsMemberType=Complementary attributes (member type) -ExtraFieldsCustomerInvoices=Complementary attributes (invoices) -ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) -ExtraFieldsSupplierOrders=Complementary attributes (orders) -ExtraFieldsSupplierInvoices=Complementary attributes (invoices) -ExtraFieldsProject=Complementary attributes (projects) -ExtraFieldsProjectTask=Complementary attributes (tasks) -ExtraFieldsSalaries=Complementary attributes (salaries) -ExtraFieldHasWrongValue=Attribute %s has a wrong value. -AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space -SendmailOptionNotComplete=Warning, on some Linux systems, to send email from your email, sendmail execution setup must contains option -ba (parameter mail.force_extra_parameters into your php.ini file). If some recipients never receive emails, try to edit this PHP parameter with mail.force_extra_parameters = -ba). -PathToDocuments=Path to documents -PathDirectory=Directory -SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might not be parsed correctly by some receiving mail servers. The result is that some mails can't be read by people hosted by those bugged platforms. This is the case for some Internet providers (Ex: Orange in France). This is not a problem with Dolibarr or PHP but with the receiving mail server. You can however add an option MAIN_FIX_FOR_BUGGED_MTA to 1 in Setup - Other to modify Dolibarr to avoid this. However, you may experience problems with other servers that strictly use the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" which has no disadvantages. -TranslationSetup=Setup of translation -TranslationKeySearch=Search a translation key or string -TranslationOverwriteKey=Overwrite a translation string -TranslationDesc=How to set the display language:
      * Default/Systemwide: menu Home -> Setup -> Display
      * Per user: Click on the username at the top of the screen and modify the User Display Setup tab on the user card. -TranslationOverwriteDesc=You can also override strings filling the following table. Choose your language from "%s" dropdown, insert the translation key string into "%s" and your new translation into "%s" -TranslationOverwriteDesc2=You can use the other tab to help you know which translation key to use -TranslationString=Translation string -CurrentTranslationString=Current translation string -WarningAtLeastKeyOrTranslationRequired=A search criteria is required at least for key or translation string -NewTranslationStringToShow=New translation string to show -OriginalValueWas=The original translation is overwritten. Original value was:

      %s -TransKeyWithoutOriginalValue=You forced a new translation for the translation key '%s' that does not exist in any language files -TitleNumberOfActivatedModules=Activated modules -TotalNumberOfActivatedModules=Activated modules: %s / %s -YouMustEnableOneModule=You must at least enable 1 module -ClassNotFoundIntoPathWarning=Class %s not found in PHP path -YesInSummer=Yes in summer -OnlyFollowingModulesAreOpenedToExternalUsers=Note, only the following modules are available to external users (irrespective of the permissions of such users) and only if permissions are granted:
      -SuhosinSessionEncrypt=Session storage encrypted by Suhosin -ConditionIsCurrently=Condition is currently %s -YouUseBestDriver=You use driver %s which is the best driver currently available. -YouDoNotUseBestDriver=You use driver %s but driver %s is recommended. -NbOfObjectIsLowerThanNoPb=You have only %s %s in the database. This does not require any particular optimization. -ComboListOptim=Combo list loading optimization -SearchOptim=Search optimization -YouHaveXObjectUseComboOptim=You have %s %s in the database. You can go into setup of module to enable loading of combo list on key pressed event. -YouHaveXObjectUseSearchOptim=You have %s %s in the database. You can add the constant %s to 1 in Home-Setup-Other. -YouHaveXObjectUseSearchOptimDesc=This limits the search to the beginning of strings which makes it possible for the database to use indexes and you should get an immediate response. -YouHaveXObjectAndSearchOptimOn=You have %s %s in the database and constant %s is set to %s in Home-Setup-Other. -BrowserIsOK=You are using the %s web browser. This browser is ok for security and performance. -BrowserIsKO=You are using the %s web browser. This browser is known to be a bad choice for security, performance and reliability. We recommend using Firefox, Chrome, Opera or Safari. -PHPModuleLoaded=PHP component %s is loaded -PreloadOPCode=Preloaded OPCode is used -AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". -AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". -AskForPreferredShippingMethod=Ask for preferred shipping method for Third Parties. -FieldEdition=Edition of field %s -FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) -GetBarCode=Get barcode -NumberingModules=Numbering models -DocumentModules=Document models +LogoDesc=Şirkətin əsas loqosu. Yaradılmış sənədlərdə istifadə olunacaq (PDF, ...) +LogoSquarred=Loqo (kvadrat) +LogoSquarredDesc=Kvadrat işarəsi olmalıdır (en = hündürlük). Bu loqo sevimli ikona və ya yuxarı menyu çubuğu kimi digər ehtiyac kimi istifadə olunacaq (əgər displey quraşdırmasında deaktiv edilməmişsə). +DoNotSuggestPaymentMode=Təklif etməyin +NoActiveBankAccountDefined=Aktiv bank hesabı müəyyən edilməmişdir +OwnerOfBankAccount=%s bank hesabının sahibi +BankModuleNotActive=Bank hesabları modulu aktiv deyil +ShowBugTrackLink="%s" linkini göstərin +ShowBugTrackLinkDesc=Bu linki göstərməmək üçün boş saxlayın, Dolibarr layihəsinə keçid üçün 'github' dəyərindən istifadə edin və ya birbaşa 'https://...' url təyin edin. +Alerts=Xəbərdarlıqlar +DelaysOfToleranceBeforeWarning=Xəbərdarlıq siqnalı göstərilir... +DelaysOfToleranceDesc=Gecikmiş element üçün xəbərdarlıq ikonu %s ekranda görünməzdən əvvəl gecikməni təyin edin. +Delays_MAIN_DELAY_ACTIONS_TODO=Planlaşdırılan tədbirlər (gündəmdəki hadisələr) tamamlanmadı +Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Layihə vaxtında bağlanmadı +Delays_MAIN_DELAY_TASKS_TODO=Planlaşdırılmış tapşırıq (layihə tapşırıqları) tamamlanmadı +Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Sifariş emal edilmədi +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Satınalma sifarişi icra olunmadı +Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Təklif bağlanmadı +Delays_MAIN_DELAY_PROPALS_TO_BILL=Təklif hesablanmayıb +Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Aktivləşdirmək üçün xidmət +Delays_MAIN_DELAY_RUNNING_SERVICES=İstifadə müddəti bitmiş xidmət +Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Ödənilməmiş satıcı fakturası +Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Ödənilməmiş müştəri fakturası +Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Gözləyən bank uzlaşması +Delays_MAIN_DELAY_MEMBERS=Gecikmiş üzvlük haqqı +Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Depoziti yoxlayın +Delays_MAIN_DELAY_EXPENSEREPORTS=Təsdiq üçün xərc hesabatı +Delays_MAIN_DELAY_HOLIDAYS=Təsdiq etmək üçün sorğuları buraxın +SetupDescription1=Dolibarr-dan istifadə etməyə başlamazdan əvvəl bəzi ilkin parametrlər müəyyən edilməli və modullar işə salınmalı/konfiqurasiya edilməlidir. +SetupDescription2=Aşağıdakı iki bölmə məcburidir (Quraşdırma menyusundakı ilk iki giriş): +SetupDescription3=%s -> %s

      Tətbiqinizin defolt davranışını fərdiləşdirmək üçün istifadə olunan əsas parametrlər (məsələn, ölkə ilə bağlı funksiyalar üçün). +SetupDescription4=
      %s -> %s

      Bu proqram çoxlu modullar/tətbiqlər toplusudur. Ehtiyaclarınıza uyğun modullar aktiv və konfiqurasiya edilməlidir. Bu modulların aktivləşdirilməsi ilə menyu girişləri görünəcək. +SetupDescription5=Digər Quraşdırma menyu girişləri isteğe bağlı parametrləri idarə edir. +SetupDescriptionLink=
      %s - %s /span> +SetupDescription3b=Tətbiqinizin standart davranışını fərdiləşdirmək üçün istifadə olunan əsas parametrlər (məsələn, ölkə ilə bağlı funksiyalar üçün). +SetupDescription4b=Bu proqram çoxlu modulların/proqramların dəstidir. Ehtiyaclarınıza uyğun modullar aktivləşdirilməlidir. Bu modulların aktivləşdirilməsi ilə menyu girişləri görünəcək. +AuditedSecurityEvents=Yoxlanılan təhlükəsizlik hadisələri +NoSecurityEventsAreAduited=Heç bir təhlükəsizlik hadisəsi yoxlanılmır. Siz onları %s menyusundan aktivləşdirə bilərsiniz. +Audit=Təhlükəsizlik hadisələri +InfoDolibarr=Dolibarr haqqında +InfoBrowser=Brauzer haqqında +InfoOS=OS haqqında +InfoWebServer=Veb server haqqında +InfoDatabase=Verilənlər bazası haqqında +InfoPHP=PHP haqqında +InfoPerf=Tamaşalar haqqında +InfoSecurity=Təhlükəsizlik haqqında +BrowserName=Brauzer adı +BrowserOS=Brauzer OS +ListOfSecurityEvents=Dolibarr təhlükəsizlik hadisələrinin siyahısı +SecurityEventsPurged=Təhlükəsizlik hadisələri təmizləndi +TrackableSecurityEvents=İzlənə bilən təhlükəsizlik hadisələri +LogEventDesc=Xüsusi təhlükəsizlik hadisələri üçün girişi aktiv edin. İdarəçilər %s - %s. Xəbərdarlıq, bu xüsusiyyət verilənlər bazasında böyük miqdarda məlumat yarada bilər. +AreaForAdminOnly=Quraşdırma parametrləri yalnız administrator istifadəçiləri tərəfindən təyin edilə bilər. +SystemInfoDesc=Sistem məlumatı yalnız oxumaq rejimində əldə etdiyiniz və yalnız administratorlar üçün görünən müxtəlif texniki məlumatlardır. +SystemAreaForAdminOnly=Bu sahə yalnız administrator istifadəçiləri üçün əlçatandır. Dolibarr istifadəçi icazələri bu məhdudiyyəti dəyişə bilməz. +CompanyFundationDesc=Şirkətinizin/təşkilatın məlumatlarını redaktə edin. Bitirdikdən sonra səhifənin altındakı "%s" düyməsinə klikləyin. +MoreNetworksAvailableWithModule=“Sosial şəbəkələr” modulunu işə salmaqla daha çox sosial şəbəkə əldə etmək mümkündür. +AccountantDesc=Əgər xarici mühasibiniz/mühasibiniz varsa, onun məlumatlarını burada redaktə edə bilərsiniz. +AccountantFileNumber=Mühasib kodu +DisplayDesc=Tətbiqin görünüşünə və təqdimatına təsir edən parametrlər burada dəyişdirilə bilər. +AvailableModules=Mövcud proqramlar/modullar +ToActivateModule=Modulları aktivləşdirmək üçün quraşdırma sahəsinə keçin (Ev-> Quraşdırma-> Modullar). +SessionTimeOut=Sessiya üçün vaxt bitdi +SessionExplanation=Bu nömrə zəmanət verir ki, seans təmizləyicisi Daxili PHP sessiya təmizləyicisi (və başqa heç nə) tərəfindən edilərsə, bu gecikmədən əvvəl sessiya heç vaxt bitməyəcək. Daxili PHP sessiya təmizləyicisi bu gecikmədən sonra sessiyanın bitəcəyinə zəmanət vermir. Bu gecikmədən sonra və sessiya təmizləyicisi işə salındıqda onun müddəti bitəcək, beləliklə hər %s/%s giriş, lakin yalnız digər seanslar tərəfindən edilən giriş zamanı (dəyər 0 olarsa, sessiyanın təmizlənməsi yalnız xarici proses tərəfindən həyata keçirilir) .
      Qeyd: xarici seans təmizləmə mexanizmi olan bəzi serverlərdə (debian altında cron, ubuntu ...), sessiyalar xarici quraşdırma ilə müəyyən edilmiş müddətdən sonra məhv edilə bilər, buraya daxil edilən dəyər nə olursa olsun. +SessionsPurgedByExternalSystem=Bu serverdəki sessiyalar xarici mexanizm (debian altında cron, ubuntu ...) tərəfindən təmizlənir, yəqin ki, hər %s saniyə (= parametrin dəyəri session.gc_maxlifetime modulu kimi deaktiv edilib. +TriggerAlwaysActive=Aktivləşdirilmiş Dolibarr modulları nə olursa olsun, bu fayldakı tetikler həmişə aktivdir. +TriggerActiveAsModuleActive=Bu fayldakı triggerlər modul %s aktiv edildiyi kimi aktivdir. +GeneratedPasswordDesc=Avtomatik yaradılan parollar üçün istifadə ediləcək metodu seçin. +DictionaryDesc=Bütün istinad məlumatlarını daxil edin. Dəyərlərinizi standarta əlavə edə bilərsiniz. +ConstDesc=Bu səhifə sizə başqa səhifələrdə mövcud olmayan parametrləri redaktə etməyə (əsr etməyə) imkan verir. Bunlar əsasən tərtibatçılar/yalnız təkmil problemlərin aradan qaldırılması üçün qorunan parametrlərdir. +MiscellaneousOptions=Müxtəlif variantlar +MiscellaneousDesc=Bütün digər təhlükəsizliklə bağlı parametrlər burada müəyyən edilir. +LimitsSetup=Limitlər/Dəqiq quraşdırma +LimitsDesc=Dolibarr tərəfindən istifadə edilən məhdudiyyətləri, dəqiqlikləri və optimallaşdırmaları burada müəyyən edə bilərsiniz +MAIN_MAX_DECIMALS_UNIT=Maks. Vahid qiymətləri üçün onluqlar +MAIN_MAX_DECIMALS_TOT=Maks. ümumi qiymətlər üçün onluq +MAIN_MAX_DECIMALS_SHOWN=Maks. qiymətlər ekranda göstərilir. "" görmək istəyirsinizsə, bu parametrdən sonra (məsələn, "2...") ellipsis ... əlavə edin. ..." kəsilmiş qiymətə əlavə edildi. +MAIN_ROUNDING_RULE_TOT=Yuvarlaqlaşdırma diapazonunun addımı (yuvarlaqlaşdırmanın 10-dan başqa bir şey üzərində aparıldığı ölkələr üçün. Məsələn, yuvarlaqlaşdırma 0,05 addımla aparılırsa, 0,05 qoyun) +UnitPriceOfProduct=Məhsul vahidinin xalis qiyməti +TotalPriceAfterRounding=Yuvarlaqlaşdırmadan sonra ümumi qiymət (ədviyyat/vergi daxil olmaqla). +ParameterActiveForNextInputOnly=Parametr yalnız növbəti daxiletmə üçün effektivdir +NoEventOrNoAuditSetup=Heç bir təhlükəsizlik hadisəsi qeydə alınmayıb. "Quraşdırma - Təhlükəsizlik - Hadisələr" səhifəsində Audit aktivləşdirilməyibsə, bu normaldır. +NoEventFoundWithCriteria=Bu axtarış meyarları üçün heç bir təhlükəsizlik hadisəsi tapılmadı. +SeeLocalSendMailSetup=Yerli sendmail quraşdırmanıza baxın +BackupDesc=Dolibarr quraşdırmasının tam ehtiyat nüsxəsi iki addım tələb edir. +BackupDesc2="Sənədlər" kataloqunun məzmununu yedəkləyin (%sb09a4b739f17f80) bütün yüklənmiş və yaradılan faylları ehtiva edir. Bu, həmçinin Addım 1-də yaradılan bütün dump fayllarını əhatə edəcək. Bu əməliyyat bir neçə dəqiqə davam edə bilər. +BackupDesc3=Verilənlər bazanızın strukturunu və məzmununu yedəkləyin (%s) dump faylı. Bunun üçün aşağıdakı köməkçidən istifadə edə bilərsiniz. +BackupDescX=Arxivləşdirilmiş kataloq təhlükəsiz yerdə saxlanmalıdır. +BackupDescY=Yaradılmış dump faylı təhlükəsiz yerdə saxlanmalıdır. +BackupPHPWarning=Bu üsulla ehtiyat nüsxəyə zəmanət vermək olmaz. Əvvəlki biri tövsiyə olunur. +RestoreDesc=Dolibarr ehtiyat nüsxəsini bərpa etmək üçün iki addım tələb olunur. +RestoreDesc2="Sənədlər" kataloqunun ehtiyat faylını (məsələn, zip faylı) yeni Dolibarr quraşdırmasına və ya bu cari sənədlər kataloquna (%s) bərpa edin ). +RestoreDesc3=Verilənlər bazası strukturunu və məlumatları ehtiyat zibil faylından yeni Dolibarr quraşdırmasının verilənlər bazasına və ya bu cari quraşdırmanın verilənlər bazasına bərpa edin (%s ). Xəbərdarlıq, bərpa tamamlandıqdan sonra yenidən qoşulmaq üçün ehtiyat nüsxə vaxtından/quraşdırmadan mövcud olan giriş/paroldan istifadə etməlisiniz.
      Bu cari quraşdırmada ehtiyat verilənlər bazasını bərpa etmək üçün , bu köməkçini izləyə bilərsiniz. +RestoreMySQL=MySQL idxalı +ForcedToByAModule=Bu qayda aktivləşdirilmiş modul tərəfindən %s məcbur edilir +ValueIsForcedBySystem=Bu dəyər sistem tərəfindən məcbur edilir. Siz onu dəyişə bilməzsiniz. +PreviousDumpFiles=Mövcud ehtiyat faylları +PreviousArchiveFiles=Mövcud arxiv faylları +WeekStartOnDay=Həftənin ilk günü +RunningUpdateProcessMayBeRequired=Təkmilləşdirmə prosesinin icrası tələb olunur (Proqram versiyası %s Database versiyası %s ilə fərqlənir) +YouMustRunCommandFromCommandLineAfterLoginToUser=%sb09a4b739f1780z istifadəçisi olan qabığa daxil olduqdan sonra bu əmri komanda xəttindən icra etməlisiniz. və ya %s
      parol. +YourPHPDoesNotHaveSSLSupport=SSL funksiyaları PHP-də mövcud deyil +DownloadMoreSkins=Yükləmək üçün daha çox dəri +SimpleNumRefModelDesc=%syymm-nnnn formatında istinad nömrəsini qaytarır, burada yy il, mm ay və nnnn sıfırlama olmadan ardıcıl avtomatik artan nömrədir +SimpleRefNumRefModelDesc=İstinad nömrəsini n formatında qaytarır, burada n sıfırlama olmadan ardıcıl avtomatik artan nömrədir +AdvancedNumRefModelDesc=%syymm-nnnn formatında istinad nömrəsini qaytarır, burada yy il, mm ay və nnnn sıfırlama olmadan ardıcıl avtomatik artan nömrədir +SimpleNumRefNoDateModelDesc=İstinad nömrəsini %s-nnnn formatında qaytarır, burada nnnn sıfırlama olmadan ardıcıl avtomatik artan nömrədir +ShowProfIdInAddress=Ünvanlarla peşəkar şəxsiyyət vəsiqəsini göstərin +ShowVATIntaInAddress=İcmadaxili ƏDV nömrəsini gizlədin +TranslationUncomplete=Qismən tərcümə +MAIN_DISABLE_METEO=Hava baş barmağını deaktiv edin +MeteoStdMod=Standart rejim +MeteoStdModEnabled=Standart rejim aktivdir +MeteoPercentageMod=Faiz rejimi +MeteoPercentageModEnabled=Faiz rejimi aktivdir +MeteoUseMod=%s istifadə etmək üçün klikləyin +TestLoginToAPI=API-yə girişi sınayın +ProxyDesc=Dolibarr-ın bəzi xüsusiyyətləri internetə çıxış tələb edir. Lazım gələrsə, proxy server vasitəsilə giriş kimi internet bağlantısı parametrlərini burada müəyyənləşdirin. +ExternalAccess=Xarici/İnternetə çıxış +MAIN_PROXY_USE=Proksi serverdən istifadə edin (əks halda giriş birbaşa internetə olacaq) +MAIN_PROXY_HOST=Proksi server: Ad/Ünvan +MAIN_PROXY_PORT=Proksi server: Port +MAIN_PROXY_USER=Proksi server: Giriş/İstifadəçi +MAIN_PROXY_PASS=Proksi server: Parol +DefineHereComplementaryAttributes=Əlavə edilməli olan hər hansı əlavə / fərdi atributları müəyyənləşdirin: %s +ExtraFields=Tamamlayıcı atributlar +ExtraFieldsLines=Tamamlayıcı atributlar (sətirlər) +ExtraFieldsLinesRec=Tamamlayıcı atributlar (qaimə-faktura xətləri şablonları) +ExtraFieldsSupplierOrdersLines=Tamamlayıcı atributlar (sifariş xətləri) +ExtraFieldsSupplierInvoicesLines=Tamamlayıcı atributlar (faktura xətləri) +ExtraFieldsThirdParties=Tamamlayıcı atributlar (üçüncü tərəf) +ExtraFieldsContacts=Tamamlayıcı atributlar (kontaktlar/ünvanlar) +ExtraFieldsMember=Tamamlayıcı atributlar (üzv) +ExtraFieldsMemberType=Tamamlayıcı atributlar (üzv növü) +ExtraFieldsCustomerInvoices=Tamamlayıcı atributlar (qaimə-fakturalar) +ExtraFieldsCustomerInvoicesRec=Tamamlayıcı atributlar (qaimə-faktura şablonları) +ExtraFieldsSupplierOrders=Tamamlayıcı atributlar (sifarişlər) +ExtraFieldsSupplierInvoices=Tamamlayıcı atributlar (qaimə-fakturalar) +ExtraFieldsProject=Tamamlayıcı atributlar (layihələr) +ExtraFieldsProjectTask=Tamamlayıcı atributlar (tapşırıqlar) +ExtraFieldsSalaries=Əlavə xüsusiyyətlər (əmək haqqı) +ExtraFieldHasWrongValue=%s atributunda səhv dəyər var. +AlphaNumOnlyLowerCharsAndNoSpace=boşluq olmadan yalnız alfasayısal və kiçik hərf simvolları +SendmailOptionNotComplete=Xəbərdarlıq, bəzi Linux sistemlərində e-poçtunuzdan e-poçt göndərmək üçün sendmail icra quraşdırma parametri -ba (php.ini faylınıza mail.force_extra_parameters parametri) daxil olmalıdır. Bəzi alıcılar heç vaxt e-poçt qəbul etmirsə, bu PHP parametrini mail.force_extra_parameters = -ba ilə redaktə etməyə çalışın. +PathToDocuments=Sənədlərə gedən yol +PathDirectory=kataloq +SendmailOptionMayHurtBuggedMTA="PHP poçtu birbaşa" metodundan istifadə edərək məktubların göndərilməsi funksiyası bəzi qəbul edən poçt serverləri tərəfindən düzgün təhlil olunmayan poçt mesajı yaradacaq. Nəticə odur ki, bəzi məktublar həmin xətalı platformalarda yerləşdirilən insanlar tərəfindən oxuna bilmir. Bu, bəzi İnternet provayderləri üçün belədir (Məs: Fransada Orange). Bu, Dolibarr və ya PHP ilə deyil, qəbul edən poçt serverində problemdir. Bununla belə, bunun qarşısını almaq üçün Dolibarr-ı dəyişdirmək üçün Quraşdırma - Digər bölməsində MAIN_FIX_FOR_BUGGED_MTA seçimini 1-ə əlavə edə bilərsiniz. Bununla belə, SMTP standartından ciddi şəkildə istifadə edən digər serverlərlə bağlı problemlər yarana bilər. Digər həll yolu (tövsiyə olunur) heç bir mənfi cəhəti olmayan "SMTP yuva kitabxanası" metodundan istifadə etməkdir. +TranslationSetup=Tərcümənin qurulması +TranslationKeySearch=Tərcümə açarı və ya sətrini axtarın +TranslationOverwriteKey=Tərcümə sətirinin üzərinə yazın +TranslationDesc=Ekran dilini necə təyin etmək olar:
      * Defolt/Systemwide: menyu Ev -> Quraşdırma -> Ekran
      * İstifadəçiyə görə: Ekranın yuxarısındakı istifadəçi adına klikləyin və b0e7843907zİstifadəçi Ekranının Quraşdırılması istifadəçi kartındakı tab. +TranslationOverwriteDesc=Siz həmçinin aşağıdakı cədvəli dolduran sətirləri ləğv edə bilərsiniz. "%s" açılan menyudan dilinizi seçin, tərcümə açarı sətirini "%s" və "%s" +TranslationOverwriteDesc2=Hansı tərcümə açarından istifadə edəcəyinizi bilmək üçün digər tabdan istifadə edə bilərsiniz +TranslationString=Tərcümə sətri +CurrentTranslationString=Cari tərcümə sətri +WarningAtLeastKeyOrTranslationRequired=Axtarış meyarları ən azı açar və ya tərcümə sətri üçün tələb olunur +NewTranslationStringToShow=Göstəriləcək yeni tərcümə sətri +OriginalValueWas=Orijinal tərcümənin üzərinə yazılır. Orijinal dəyər:

      %s +TransKeyWithoutOriginalValue='%s tərcümə açarı üçün yeni tərcüməni məcbur etdiniz bu heç bir dil faylında yoxdur +TitleNumberOfActivatedModules=Aktivləşdirilmiş modullar +TotalNumberOfActivatedModules=Aktivləşdirilmiş modullar: %s / %s +YouMustEnableOneModule=Ən azı 1 modulu aktivləşdirməlisiniz +YouMustEnableTranslationOverwriteBefore=Tərcüməni əvəz etməyə icazə vermək üçün əvvəlcə tərcümənin üzərinə yazılmasını aktiv etməlisiniz +ClassNotFoundIntoPathWarning=%s sinfi PHP yolunda tapılmadı +YesInSummer=Bəli yayda +OnlyFollowingModulesAreOpenedToExternalUsers=Qeyd edək ki, yalnız aşağıdakı modullar xarici istifadəçilər üçün əlçatandır (belə istifadəçilərin icazələrindən asılı olmayaraq) və yalnız icazələr verildikdə:
      +SuhosinSessionEncrypt=Suhosin tərəfindən şifrələnmiş sessiya yaddaşı +ConditionIsCurrently=Vəziyyət hazırda %s +YouUseBestDriver=Hazırda mövcud olan ən yaxşı sürücü olan %s sürücüsündən istifadə edirsiniz. +YouDoNotUseBestDriver=%s sürücüsündən istifadə edirsiniz, lakin %s sürücüsü tövsiyə olunur. +NbOfObjectIsLowerThanNoPb=Verilənlər bazasında yalnız %s %s var. Bu, heç bir xüsusi optimallaşdırma tələb etmir. +ComboListOptim=Combo siyahısı yükləmə optimallaşdırılması +SearchOptim=Axtarış optimallaşdırılması +YouHaveXObjectUseComboOptim=Verilənlər bazanızda %s %s var. Siz düyməyə basılan hadisədə kombinasiya siyahısının yüklənməsini aktivləşdirmək üçün modulun quraşdırılmasına daxil ola bilərsiniz. +YouHaveXObjectUseSearchOptim=Verilənlər bazanızda %s %s var. Siz Ev Quraşdırma-Digər bölməsində %s sabitini 1-ə əlavə edə bilərsiniz. +YouHaveXObjectUseSearchOptimDesc=Bu, axtarışı sətirlərin başlanğıcı ilə məhdudlaşdırır ki, bu da verilənlər bazası üçün indekslərdən istifadə etməyə imkan verir və siz dərhal cavab almalısınız. +YouHaveXObjectAndSearchOptimOn=Verilənlər bazasında %s %s var və daimi %s < olaraq ayarlanıb span class='notranslate'>%s Əsas Quraşdırma-Digər. +BrowserIsOK=Siz %s veb brauzerindən istifadə edirsiniz. Bu brauzer təhlükəsizlik və performans baxımından yaxşıdır. +BrowserIsKO=Siz %s veb brauzerindən istifadə edirsiniz. Bu brauzer təhlükəsizlik, performans və etibarlılıq baxımından pis seçim kimi tanınır. Firefox, Chrome, Opera və ya Safari istifadə etməyi tövsiyə edirik. +PHPModuleLoaded=PHP komponenti %s yükləndi +PreloadOPCode=Əvvəlcədən yüklənmiş OPCode istifadə olunur +AddRefInList=Müştəri/Satıcı ref. kombinasiya siyahılarına.
      Üçüncü Tərəflər "CC12345 - SC45678 - The Big Company corp" ad formatı ilə görünəcək. "The Big Company corp" əvəzinə. +AddVatInList=Müştəri/Satıcı ƏDV nömrəsini birləşdirilmiş siyahılarda göstərin. +AddAdressInList=Müştəri/Təchizçi ünvanını birləşdirilmiş siyahılarda göstərin.
      Üçüncü tərəflər "" əvəzinə "The Big Company corp. - 21 jump street 123456 Big town - USA" ad formatı ilə görünəcəklər. The Big Company Corp". +AddEmailPhoneTownInContactList=Əlaqə e-poçtunu (və ya müəyyən edilmədikdə telefonları) və şəhər məlumat siyahısını göstərin (siyahı və ya birləşdirilmiş qutu seçin)
      Kontaktlar "Dupond Durand - dupond.durand@example" ad formatı ilə görünəcək. .com - Paris" və ya "Dupond Durand" əvəzinə "Dupond Durand - 06 07 59 65 66 - Paris". +AskForPreferredShippingMethod=Üçüncü tərəflər üçün üstünlük verilən göndərmə üsulunu soruşun. +FieldEdition=%s sahəsinin buraxılışı +FillThisOnlyIfRequired=Nümunə: +2 (yalnız saat qurşağının dəyişməsi ilə bağlı problemlər olduqda doldurun) +GetBarCode=Barkod alın +NumberingModules=Nömrələmə modelləri +DocumentModules=Sənəd modelləri ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters in lowercase. -PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. -PasswordGenerationPerso=Return a password according to your personally defined configuration. -SetupPerso=According to your configuration -PasswordPatternDesc=Password pattern description +PasswordGenerationStandard=Daxili Dolibarr alqoritminə uyğun olaraq yaradılmış parolu qaytarın: %s paylaşılan nömrələr və simvollardan ibarət simvol. +PasswordGenerationNone=Yaradılmış parol təklif etməyin. Parol əl ilə daxil edilməlidir. +PasswordGenerationPerso=Şəxsi təyin etdiyiniz konfiqurasiyaya uyğun olaraq parolu qaytarın. +SetupPerso=Konfiqurasiyanıza görə +PasswordPatternDesc=Parol nümunəsinin təsviri ##### Users setup ##### -RuleForGeneratedPasswords=Rules to generate and validate passwords -DisableForgetPasswordLinkOnLogonPage=Do not show the "Password Forgotten" link on the Login page -UsersSetup=Users module setup -UserMailRequired=Email required to create a new user -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) -UsersDocModules=Document templates for documents generated from user record -GroupsDocModules=Document templates for documents generated from a group record +RuleForGeneratedPasswords=Parolların yaradılması və təsdiqlənməsi qaydaları +DisableForgetPasswordLinkOnLogonPage=Giriş səhifəsində "Parol Unutuldu" linkini göstərməyin +UsersSetup=İstifadəçilər modulunun qurulması +UserMailRequired=Yeni istifadəçi yaratmaq üçün e-poçt tələb olunur +UserHideInactive=Qeyri-aktiv istifadəçiləri istifadəçilərin bütün birləşmiş siyahılarından gizlədin (Tövsiyə olunmur: bu, bəzi səhifələrdə köhnə istifadəçiləri süzgəcdən keçirə və ya axtarış edə bilməyəcəyiniz anlamına gələ bilər) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) +UsersDocModules=İstifadəçi qeydindən yaradılan sənədlər üçün sənəd şablonları +GroupsDocModules=Qrup qeydindən yaradılan sənədlər üçün sənəd şablonları ##### HRM setup ##### -HRMSetup=HRM module setup +HRMSetup=HRM modulunun qurulması ##### Company setup ##### -CompanySetup=Companies module setup -CompanyCodeChecker=Options for automatic generation of customer/vendor codes -AccountCodeManager=Options for automatic generation of customer/vendor accounting codes -NotificationsDesc=Email notifications can be sent automatically for some Dolibarr events.
      Recipients of notifications can be defined: -NotificationsDescUser=* per user, one user at a time. -NotificationsDescContact=* per third-party contacts (customers or vendors), one contact at a time. -NotificationsDescGlobal=* or by setting global email addresses in the setup page of the module. -ModelModules=Document Templates -DocumentModelOdt=Generate documents from OpenDocument templates (.ODT / .ODS files from LibreOffice, OpenOffice, KOffice, TextEdit,...) -WatermarkOnDraft=Watermark on draft document -JSOnPaimentBill=Activate feature to autofill payment lines on payment form -CompanyIdProfChecker=Rules for Professional IDs -MustBeUnique=Must be unique? -MustBeMandatory=Mandatory to create third parties (if VAT number or type of company defined) ? -MustBeInvoiceMandatory=Mandatory to validate invoices? -TechnicalServicesProvided=Technical services provided -#####DAV ##### -WebDAVSetupDesc=This is the link to access the WebDAV directory. It contains a "public" dir open to any user knowing the URL (if public directory access allowed) and a "private" directory that needs an existing login account/password for access. -WebDavServer=Root URL of %s server: %s -##### Webcal setup ##### -WebCalUrlForVCalExport=An export link to %s format is available at following link: %s +CompanySetup=Şirkət modulunun qurulması +CompanyCodeChecker=Müştəri/satıcı kodlarının avtomatik yaradılması üçün seçimlər +AccountCodeManager=Müştəri/satıcı mühasibat kodlarının avtomatik yaradılması üçün seçimlər +NotificationsDesc=Bəzi Dolibarr hadisələri üçün e-poçt bildirişləri avtomatik göndərilə bilər.
      Bildirişlərin alıcıları müəyyən edilə bilər: +NotificationsDescUser=* hər istifadəçi, hər dəfə bir istifadəçi. +NotificationsDescContact=* hər üçüncü tərəf əlaqəsi (müştərilər və ya satıcılar), hər dəfə bir əlaqə. +NotificationsDescGlobal=* və ya modulun quraşdırma səhifəsində qlobal e-poçt ünvanlarını təyin etməklə. +ModelModules=Sənəd Şablonları +DocumentModelOdt=OpenDocument şablonlarından sənədlər yaradın (LibreOffice, OpenOffice, KOffice, TextEdit,... .ODT / .ODS faylları) +WatermarkOnDraft=Layihə sənədində su nişanı +JSOnPaimentBill=Ödəniş formasında ödəniş xətlərinin avtomatik doldurulması funksiyasını aktivləşdirin +CompanyIdProfChecker=Peşəkar şəxsiyyət vəsiqələri üçün qaydalar +MustBeUnique=Unikal olmalıdır? +MustBeMandatory=Üçüncü tərəflərin yaradılması məcburidir (ƏDV nömrəsi və ya şirkətin növü müəyyən edilərsə) ? +MustBeInvoiceMandatory=Fakturaları təsdiqləmək məcburidir? +TechnicalServicesProvided=Texniki xidmətlər göstərilir +##### WebDAV ##### +WebDAVSetupDesc=Bu, WebDAV kataloquna daxil olmaq üçün keçiddir. O, URL-i bilən hər hansı bir istifadəçi üçün açıq olan "ictimai" direktoru (ictimai kataloqa girişə icazə verilirsə) və giriş üçün mövcud giriş hesabına/parola ehtiyacı olan "özəl" kataloqu ehtiva edir. +WebDavServer=%s serverinin kök URL-i: %s +##### WebCAL setup ##### +WebCalUrlForVCalExport=%s formatına ixrac linki aşağıdakı linkdə mövcuddur: %s ##### Invoices ##### -BillsSetup=Invoices module setup -BillsNumberingModule=Invoices and credit notes numbering model -BillsPDFModules=Invoice documents models -BillsPDFModulesAccordindToInvoiceType=Invoice documents models according to invoice type -PaymentsPDFModules=Payment documents models -ForceInvoiceDate=Force invoice date to validation date -SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined on the invoice -SuggestPaymentByRIBOnAccount=Suggest payment by withdrawal on account -SuggestPaymentByChequeToAddress=Suggest payment by check to -FreeLegalTextOnInvoices=Free text on invoices -WatermarkOnDraftInvoices=Watermark on draft invoices (none if empty) -PaymentsNumberingModule=Payments numbering model -SuppliersPayment=Vendor payments -SupplierPaymentSetup=Vendor payments setup +BillsSetup=Faktura modulunun qurulması +BillsNumberingModule=Faktura və kredit qeydlərinin nömrələnməsi modeli +BillsPDFModules=Faktura sənədləri modelləri +BillsPDFModulesAccordindToInvoiceType=Faktura növünə görə faktura sənədləri modelləri +PaymentsPDFModules=Ödəniş sənədləri modelləri +ForceInvoiceDate=Faktura tarixini doğrulama tarixinə məcbur edin +SuggestedPaymentModesIfNotDefinedInInvoice=Fakturada müəyyən edilmədikdə, defolt olaraq fakturada təklif olunan ödənişlər rejimi +SuggestPaymentByRIBOnAccount=Hesabdan çıxarmaqla ödəniş etməyi təklif edin +SuggestPaymentByChequeToAddress=Çeklə ödəməyi təklif edin +FreeLegalTextOnInvoices=Faktura üzrə pulsuz mətn +WatermarkOnDraftInvoices=Qaralama fakturalarda su nişanı (boş olduqda heç biri yoxdur) +PaymentsNumberingModule=Ödənişlərin nömrələnməsi modeli +SuppliersPayment=Satıcı ödənişləri +SupplierPaymentSetup=Satıcı ödənişlərinin qurulması +InvoiceCheckPosteriorDate=Doğrulamadan əvvəl faktura tarixini yoxlayın +InvoiceCheckPosteriorDateHelp=Hesab-fakturanın tarixi eyni tipli son faktura tarixindən əvvəl olarsa, onun təsdiqlənməsi qadağan ediləcək. +InvoiceOptionCategoryOfOperations=Fakturada "əməliyyatlar kateqoriyası" qeydini göstərin. +InvoiceOptionCategoryOfOperationsHelp=Vəziyyətdən asılı olaraq qeyd aşağıdakı formada görünəcək:
      - Əməliyyatlar kateqoriyası: Malların çatdırılması
      - Kateqoriya əməliyyatlar: Xidmətlərin göstərilməsi
      - Əməliyyatların kateqoriyası: Qarışıq - Malların çatdırılması və xidmətlərin göstərilməsi +InvoiceOptionCategoryOfOperationsYes1=Bəli, ünvan blokunun altında +InvoiceOptionCategoryOfOperationsYes2=Bəli, aşağı sol küncdə ##### Proposals ##### -PropalSetup=Commercial proposals module setup -ProposalsNumberingModules=Commercial proposal numbering models -ProposalsPDFModules=Commercial proposal documents models -SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined on the proposal -FreeLegalTextOnProposal=Free text on commercial proposals -WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty) -BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal +PropalSetup=Kommersiya təklifləri modulunun qurulması +ProposalsNumberingModules=Kommersiya təklifi nömrələmə modelləri +ProposalsPDFModules=Kommersiya təklifi sənədləri modelləri +SuggestedPaymentModesIfNotDefinedInProposal=Təklifdə müəyyən edilmədikdə, defolt olaraq təklif üzrə təklif olunan ödəniş rejimi +FreeLegalTextOnProposal=Pulsuz mətn kommersiya təklifləri +WatermarkOnDraftProposal=Kommersiya təklifləri layihəsində su nişanı (boş olduqda heç biri yoxdur) +BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Təklif üçün bank hesabı təyinatını soruşun ##### SupplierProposal ##### -SupplierProposalSetup=Price requests suppliers module setup -SupplierProposalNumberingModules=Price requests suppliers numbering models -SupplierProposalPDFModules=Price requests suppliers documents models -FreeLegalTextOnSupplierProposal=Free text on price requests suppliers -WatermarkOnDraftSupplierProposal=Watermark on draft price requests suppliers (none if empty) -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Ask for bank account destination of price request -WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Ask for Warehouse Source for order +SupplierProposalSetup=Qiymət sorğuları təchizatçı modulunun qurulması +SupplierProposalNumberingModules=Qiymət tələbləri təchizatçılardan modellərin nömrələnməsi +SupplierProposalPDFModules=Qiymət tələbləri təchizatçıların sənədləri modelləri +FreeLegalTextOnSupplierProposal=Təchizatçıların qiymət sorğuları üzrə pulsuz mətn +WatermarkOnDraftSupplierProposal=Təchizatçıların layihə qiymət sorğusunda su nişanı (boş olduqda heç biri yoxdur) +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Qiymət sorğusu üçün bank hesabı təyinatını soruşun +WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Sifariş üçün Anbar Mənbəsini soruşun ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Satınalma sifarişinin təyinat bank hesabını soruşun ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sales order by default if not defined on the order -OrdersSetup=Sales Orders management setup -OrdersNumberingModules=Orders numbering models -OrdersModelModule=Order documents models -FreeLegalTextOnOrders=Free text on orders -WatermarkOnDraftOrders=Watermark on draft orders (none if empty) -ShippableOrderIconInList=Add an icon in Orders list which indicate if order is shippable -BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ask for bank account destination of order +SuggestedPaymentModesIfNotDefinedInOrder=Sifarişdə müəyyən edilmədikdə, defolt olaraq satış sifarişində təklif olunan ödəniş rejimi +OrdersSetup=Satış Sifarişlərinin idarə edilməsinin qurulması +OrdersNumberingModules=Sifarişlərin nömrələnməsi modelləri +OrdersModelModule=Sifariş sənədləri modelləri +FreeLegalTextOnOrders=Sifariş üzrə pulsuz mətn +WatermarkOnDraftOrders=Sifariş qaralamalarında su nişanı (boş olduqda heç biri yoxdur) +ShippableOrderIconInList=Sifarişlər siyahısına sifarişin göndərilə biləcəyini göstərən ikona əlavə edin +BANK_ASK_PAYMENT_BANK_DURING_ORDER=Sifariş üçün bank hesabı təyinatını soruşun ##### Interventions ##### -InterventionsSetup=Interventions module setup -FreeLegalTextOnInterventions=Free text on intervention documents -FicheinterNumberingModules=Intervention numbering models -TemplatePDFInterventions=Intervention card documents models -WatermarkOnDraftInterventionCards=Watermark on intervention card documents (none if empty) +InterventionsSetup=Müdaxilə modulunun qurulması +FreeLegalTextOnInterventions=Müdaxilə sənədləri üzrə pulsuz mətn +FicheinterNumberingModules=Müdaxilə nömrələmə modelləri +TemplatePDFInterventions=Müdaxilə kartı sənədləri modelləri +WatermarkOnDraftInterventionCards=Müdaxilə kartı sənədlərində su nişanı (boş olduqda heç biri yoxdur) ##### Contracts ##### -ContractsSetup=Contracts/Subscriptions module setup -ContractsNumberingModules=Contracts numbering modules -TemplatePDFContracts=Contracts documents models -FreeLegalTextOnContracts=Free text on contracts -WatermarkOnDraftContractCards=Watermark on draft contracts (none if empty) +ContractsSetup=Müqavilələr/Abunəliklər modulunun qurulması +ContractsNumberingModules=Müqavilələrin nömrələnməsi modulları +TemplatePDFContracts=Müqavilə sənədləri modelləri +FreeLegalTextOnContracts=Pulsuz mətn müqavilələr +WatermarkOnDraftContractCards=Müqavilə layihələrində su nişanı (boş olduqda heç biri yoxdur) ##### Members ##### -MembersSetup=Members module setup -MemberMainOptions=Main options -AdherentLoginRequired= Manage a Login for each member -AdherentMailRequired=Email required to create a new member -MemberSendInformationByMailByDefault=Checkbox to send mail confirmation to members (validation or new subscription) is on by default -MemberCreateAnExternalUserForSubscriptionValidated=Create an external user login for each new member subscription validated -VisitorCanChooseItsPaymentMode=Visitor can choose from available payment modes -MEMBER_REMINDER_EMAIL=Enable automatic reminder by email of expired subscriptions. Note: Module %s must be enabled and correctly setup to send reminders. -MembersDocModules=Document templates for documents generated from member record +MembersSetup=Üzvlər modulunun qurulması +MemberMainOptions=Əsas variantlar +MemberCodeChecker=Üzv kodlarının avtomatik yaradılması üçün seçimlər +AdherentLoginRequired=Hər bir üzv üçün giriş/parol idarə edin +AdherentLoginRequiredDesc=Üzv faylına giriş və parol üçün dəyər əlavə edin. Üzv istifadəçi ilə bağlıdırsa, üzv loqin və parolun yenilənməsi istifadəçi loqini və parolunu da yeniləyəcək. +AdherentMailRequired=Yeni üzv yaratmaq üçün e-poçt tələb olunur +MemberSendInformationByMailByDefault=Üzvlərə poçt təsdiqini göndərmək üçün qeyd qutusu (təsdiqləmə və ya yeni abunə) defolt olaraq aktivdir +MemberCreateAnExternalUserForSubscriptionValidated=Təsdiqlənmiş hər yeni üzv abunəliyi üçün xarici istifadəçi girişi yaradın +VisitorCanChooseItsPaymentMode=Ziyarətçi istənilən mövcud ödəniş rejimlərindən birini seçə bilər +MEMBER_REMINDER_EMAIL=Vaxtı keçmiş abunəliklərin e-poçtla avtomatik xatırladıcısını aktiv edin. Qeyd: %s modulu aktivləşdirilməli və düzgün göndərilməlidir. xatırlatmalar. +MembersDocModules=Üzv qeydindən yaradılan sənədlər üçün sənəd şablonları ##### LDAP setup ##### -LDAPSetup=LDAP Setup -LDAPGlobalParameters=Global parameters -LDAPUsersSynchro=Users -LDAPGroupsSynchro=Groups -LDAPContactsSynchro=Contacts -LDAPMembersSynchro=Members -LDAPMembersTypesSynchro=Members types -LDAPSynchronization=LDAP synchronisation -LDAPFunctionsNotAvailableOnPHP=LDAP functions are not available on your PHP +LDAPSetup=LDAP Quraşdırma +LDAPGlobalParameters=Qlobal parametrlər +LDAPUsersSynchro=İstifadəçilər +LDAPGroupsSynchro=Qruplar +LDAPContactsSynchro=Əlaqələr +LDAPMembersSynchro=Üzvlər +LDAPMembersTypesSynchro=Üzvlərin növləri +LDAPSynchronization=LDAP sinxronizasiyası +LDAPFunctionsNotAvailableOnPHP=LDAP funksiyaları PHP-də mövcud deyil LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP -LDAPNamingAttribute=Key in LDAP -LDAPSynchronizeUsers=Organization of users in LDAP -LDAPSynchronizeGroups=Organization of groups in LDAP -LDAPSynchronizeContacts=Organization of contacts in LDAP -LDAPSynchronizeMembers=Organization of foundation's members in LDAP -LDAPSynchronizeMembersTypes=Organization of foundation's members types in LDAP -LDAPPrimaryServer=Primary server -LDAPSecondaryServer=Secondary server -LDAPServerPort=Server port -LDAPServerPortExample=Standard or StartTLS: 389, LDAPs: 636 -LDAPServerProtocolVersion=Protocol version -LDAPServerUseTLS=Use TLS -LDAPServerUseTLSExample=Your LDAP server use StartTLS +LDAPNamingAttribute=LDAP-da açar +LDAPSynchronizeUsers=LDAP-da istifadəçilərin təşkili +LDAPSynchronizeGroups=LDAP-da qrupların təşkili +LDAPSynchronizeContacts=LDAP-da əlaqələrin təşkili +LDAPSynchronizeMembers=LDAP-da fond üzvlərinin təşkili +LDAPSynchronizeMembersTypes=LDAP-da fond üzvlərinin növlərinin təşkili +LDAPPrimaryServer=Əsas server +LDAPSecondaryServer=İkinci dərəcəli server +LDAPServerPort=Server portu +LDAPServerPortExample=Standart və ya StartTLS: 389, LDAPs: 636 +LDAPServerProtocolVersion=Protokol versiyası +LDAPServerUseTLS=TLS istifadə edin +LDAPServerUseTLSExample=LDAP serveriniz StartTLS-dən istifadə edir LDAPServerDn=Server DN LDAPAdminDn=Administrator DN -LDAPAdminDnExample=Complete DN (ex: cn=admin,dc=example,dc=com or cn=Administrator,cn=Users,dc=example,dc=com for active directory) -LDAPPassword=Administrator password -LDAPUserDn=Users' DN -LDAPUserDnExample=Complete DN (ex: ou=users,dc=example,dc=com) -LDAPGroupDn=Groups' DN -LDAPGroupDnExample=Complete DN (ex: ou=groups,dc=example,dc=com) -LDAPServerExample=Server address (ex: localhost, 192.168.0.2, ldaps://ldap.example.com/) -LDAPServerDnExample=Complete DN (ex: dc=example,dc=com) -LDAPDnSynchroActive=Users and groups synchronization -LDAPDnSynchroActiveExample=LDAP to Dolibarr or Dolibarr to LDAP synchronization -LDAPDnContactActive=Contacts' synchronization -LDAPDnContactActiveExample=Activated/Unactivated synchronization -LDAPDnMemberActive=Members' synchronization -LDAPDnMemberActiveExample=Activated/Unactivated synchronization -LDAPDnMemberTypeActive=Members types' synchronization -LDAPDnMemberTypeActiveExample=Activated/Unactivated synchronization -LDAPContactDn=Dolibarr contacts' DN -LDAPContactDnExample=Complete DN (ex: ou=contacts,dc=example,dc=com) -LDAPMemberDn=Dolibarr members DN -LDAPMemberDnExample=Complete DN (ex: ou=members,dc=example,dc=com) -LDAPMemberObjectClassList=List of objectClass -LDAPMemberObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPMemberTypeDn=Dolibarr members types DN -LDAPMemberTypepDnExample=Complete DN (ex: ou=memberstypes,dc=example,dc=com) -LDAPMemberTypeObjectClassList=List of objectClass -LDAPMemberTypeObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames) -LDAPUserObjectClassList=List of objectClass -LDAPUserObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPGroupObjectClassList=List of objectClass -LDAPGroupObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames) -LDAPContactObjectClassList=List of objectClass -LDAPContactObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPTestConnect=Test LDAP connection -LDAPTestSynchroContact=Test contacts synchronization -LDAPTestSynchroUser=Test user synchronization -LDAPTestSynchroGroup=Test group synchronization -LDAPTestSynchroMember=Test member synchronization -LDAPTestSynchroMemberType=Test member type synchronization -LDAPTestSearch= Test a LDAP search -LDAPSynchroOK=Synchronization test successful -LDAPSynchroKO=Failed synchronization test -LDAPSynchroKOMayBePermissions=Failed synchronization test. Check that the connection to the server is correctly configured and allows LDAP updates -LDAPTCPConnectOK=TCP connect to LDAP server successful (Server=%s, Port=%s) -LDAPTCPConnectKO=TCP connect to LDAP server failed (Server=%s, Port=%s) -LDAPBindOK=Connect/Authenticate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s) -LDAPBindKO=Connect/Authenticate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=%s) -LDAPSetupForVersion3=LDAP server configured for version 3 -LDAPSetupForVersion2=LDAP server configured for version 2 -LDAPDolibarrMapping=Dolibarr Mapping -LDAPLdapMapping=LDAP Mapping -LDAPFieldLoginUnix=Login (unix) -LDAPFieldLoginExample=Example: uid -LDAPFilterConnection=Search filter -LDAPFilterConnectionExample=Example: &(objectClass=inetOrgPerson) -LDAPGroupFilterExample=Example: &(objectClass=groupOfUsers) -LDAPFieldLoginSamba=Login (samba, activedirectory) -LDAPFieldLoginSambaExample=Example: samaccountname -LDAPFieldFullname=Full name -LDAPFieldFullnameExample=Example: cn -LDAPFieldPasswordNotCrypted=Password not encrypted -LDAPFieldPasswordCrypted=Password encrypted -LDAPFieldPasswordExample=Example: userPassword -LDAPFieldCommonNameExample=Example: cn -LDAPFieldName=Name -LDAPFieldNameExample=Example: sn -LDAPFieldFirstName=First name -LDAPFieldFirstNameExample=Example: givenName -LDAPFieldMail=Email address -LDAPFieldMailExample=Example: mail -LDAPFieldPhone=Professional phone number -LDAPFieldPhoneExample=Example: telephonenumber -LDAPFieldHomePhone=Personal phone number -LDAPFieldHomePhoneExample=Example: homephone -LDAPFieldMobile=Cellular phone -LDAPFieldMobileExample=Example: mobile -LDAPFieldFax=Fax number -LDAPFieldFaxExample=Example: facsimiletelephonenumber -LDAPFieldAddress=Street -LDAPFieldAddressExample=Example: street +LDAPAdminDnExample=Tam DN (məs: cn=admin,dc=example,dc=com və ya cn=Administrator,cn=Users,dc=example, aktiv kataloq üçün dc=com) +LDAPPassword=Administrator parolu +LDAPUserDn=İstifadəçilərin DN +LDAPUserDnExample=Tam DN (məs: ou=users,dc=example,dc=com) +LDAPGroupDn=Qrupların DN +LDAPGroupDnExample=Tam DN (məs: ou=qruplar, dc=example,dc=com) +LDAPServerExample=Server ünvanı (məs: localhost, 192.168.0.2, ldaps://ldap.example.com/) +LDAPServerDnExample=Tam DN (məs: dc=example,dc=com) +LDAPDnSynchroActive=İstifadəçilərin və qrupların sinxronizasiyası +LDAPDnSynchroActiveExample=LDAP-dan Dolibarr-a və ya Dolibarr-dan LDAP-a sinxronizasiya +LDAPDnContactActive=Kontaktların sinxronizasiyası +LDAPDnContactActiveExample=Aktivləşdirilmiş/aktivləşdirilməmiş sinxronizasiya +LDAPDnMemberActive=Üzvlərin sinxronizasiyası +LDAPDnMemberActiveExample=Aktivləşdirilmiş/aktivləşdirilməmiş sinxronizasiya +LDAPDnMemberTypeActive=Üzv növlərinin sinxronizasiyası +LDAPDnMemberTypeActiveExample=Aktivləşdirilmiş/aktivləşdirilməmiş sinxronizasiya +LDAPContactDn=Dolibarr kontaktlarının DN +LDAPContactDnExample=Tam DN (məs: ou=kontaktlar, dc=example,dc=com) +LDAPMemberDn=Dolibarr üzvləri DN +LDAPMemberDnExample=Tam DN (məs: ou=üzvlər, dc=example,dc=com) +LDAPMemberObjectClassList=ObjectClass siyahısı +LDAPMemberObjectClassListExample=Qeyd atributlarını təyin edən objectClass siyahısı (məsələn: top,inetOrgPerson və ya top, aktiv kataloq üçün istifadəçi) +LDAPMemberTypeDn=Dolibarr üzvləri DN növləri +LDAPMemberTypepDnExample=Tam DN (məs: ou=membertypes,dc=example,dc=com) +LDAPMemberTypeObjectClassList=ObjectClass siyahısı +LDAPMemberTypeObjectClassListExample=Qeyd atributlarını təyin edən objectClass siyahısı (məsələn: top,groupOfUniqueNames) +LDAPUserObjectClassList=ObjectClass siyahısı +LDAPUserObjectClassListExample=Qeyd atributlarını təyin edən objectClass siyahısı (məsələn: top,inetOrgPerson və ya top, aktiv kataloq üçün istifadəçi) +LDAPGroupObjectClassList=ObjectClass siyahısı +LDAPGroupObjectClassListExample=Qeyd atributlarını təyin edən objectClass siyahısı (məsələn: top,groupOfUniqueNames) +LDAPContactObjectClassList=ObjectClass siyahısı +LDAPContactObjectClassListExample=Qeyd atributlarını təyin edən objectClass siyahısı (məsələn: top,inetOrgPerson və ya top, aktiv kataloq üçün istifadəçi) +LDAPTestConnect=LDAP bağlantısını sınayın +LDAPTestSynchroContact=Kontaktların sinxronizasiyasını sınayın +LDAPTestSynchroUser=İstifadəçi sinxronizasiyasını sınayın +LDAPTestSynchroGroup=Test qrupu sinxronizasiyası +LDAPTestSynchroMember=Üzv sinxronizasiyasını sınayın +LDAPTestSynchroMemberType=Üzv tipi sinxronizasiyasını sınayın +LDAPTestSearch= LDAP axtarışını sınayın +LDAPSynchroOK=Sinxronizasiya sınağı uğurlu oldu +LDAPSynchroKO=Uğursuz sinxronizasiya testi +LDAPSynchroKOMayBePermissions=Uğursuz sinxronizasiya testi. Server ilə əlaqənin düzgün konfiqurasiya edildiyini və LDAP yeniləmələrinə icazə verdiyini yoxlayın +LDAPTCPConnectOK=TCP LDAP serverinə uğurla qoşuldu (Server=%s, Port=%s) +LDAPTCPConnectKO=TCP LDAP serverinə qoşulmaq alınmadı (Server=%s, Port=%s) +LDAPBindOK=LDAP serverinə qoşulun/autentifikasiyası uğurlu oldu (Server=%s, Port=%s, Admin= %s, Parol=%s) +LDAPBindKO=LDAP serverinə qoşulmaq/Autentifikasiya uğursuz oldu (Server=%s, Port=%s, Admin= %s, Parol=%s) +LDAPSetupForVersion3=LDAP serveri 3-cü versiya üçün konfiqurasiya edilmişdir +LDAPSetupForVersion2=LDAP serveri versiya 2 üçün konfiqurasiya edilmişdir +LDAPDolibarrMapping=Dolibarr Xəritəçəkmə +LDAPLdapMapping=LDAP Xəritəçəkmə +LDAPFieldLoginUnix=Giriş (unix) +LDAPFieldLoginExample=Misal: uid +LDAPFilterConnection=Axtarış filtri +LDAPFilterConnectionExample=Misal: &(objectClass=inetOrgPerson) +LDAPGroupFilterExample=Misal: &(objectClass=groupOfUsers) +LDAPFieldLoginSamba=Giriş (samba, aktiv kataloq) +LDAPFieldLoginSambaExample=Misal: samaccountname +LDAPFieldFullname=Tam adı +LDAPFieldFullnameExample=Misal: cn +LDAPFieldPasswordNotCrypted=Parol şifrələnməyib +LDAPFieldPasswordCrypted=Parol şifrələnib +LDAPFieldPasswordExample=Misal: userPassword +LDAPFieldCommonNameExample=Misal: cn +LDAPFieldName=ad +LDAPFieldNameExample=Misal: sn +LDAPFieldFirstName=Ad +LDAPFieldFirstNameExample=Misal: verilmiş ad +LDAPFieldMail=E-poçt ünvanı +LDAPFieldMailExample=Misal: poçt +LDAPFieldPhone=Peşəkar telefon nömrəsi +LDAPFieldPhoneExample=Məsələn: telefon nömrəsi +LDAPFieldHomePhone=Şəxsi telefon nömrəsi +LDAPFieldHomePhoneExample=Misal: ev telefonu +LDAPFieldMobile=Mobil telefon +LDAPFieldMobileExample=Misal: mobil +LDAPFieldFax=Faks nömrəsi +LDAPFieldFaxExample=Misal: faks telefon nömrəsi +LDAPFieldAddress=Küçə +LDAPFieldAddressExample=Məsələn: küçə LDAPFieldZip=Zip -LDAPFieldZipExample=Example: postalcode -LDAPFieldTown=Town -LDAPFieldTownExample=Example: l -LDAPFieldCountry=Country -LDAPFieldDescription=Description -LDAPFieldDescriptionExample=Example: description -LDAPFieldNotePublic=Public Note -LDAPFieldNotePublicExample=Example: publicnote -LDAPFieldGroupMembers= Group members -LDAPFieldGroupMembersExample= Example: uniqueMember -LDAPFieldBirthdate=Birthdate -LDAPFieldCompany=Company -LDAPFieldCompanyExample=Example: o +LDAPFieldZipExample=Məsələn: poçt kodu +LDAPFieldTown=Şəhər +LDAPFieldTownExample=Misal: l +LDAPFieldCountry=ölkə +LDAPFieldDescription=Təsvir +LDAPFieldDescriptionExample=Misal: təsvir +LDAPFieldNotePublic=İctimai Qeyd +LDAPFieldNotePublicExample=Misal: ictimai qeyd +LDAPFieldGroupMembers= Qrup üzvləri +LDAPFieldGroupMembersExample= Misal: unikal Üzv +LDAPFieldBirthdate=Doğum tarixi +LDAPFieldCompany=Şirkət +LDAPFieldCompanyExample=Misal: o LDAPFieldSid=SID -LDAPFieldSidExample=Example: objectsid -LDAPFieldEndLastSubscription=Date of subscription end -LDAPFieldTitle=Job position -LDAPFieldTitleExample=Example: title -LDAPFieldGroupid=Group id -LDAPFieldGroupidExample=Exemple : gidnumber -LDAPFieldUserid=User id -LDAPFieldUseridExample=Exemple : uidnumber -LDAPFieldHomedirectory=Home directory -LDAPFieldHomedirectoryExample=Exemple : homedirectory -LDAPFieldHomedirectoryprefix=Home directory prefix -LDAPSetupNotComplete=LDAP setup not complete (go on others tabs) -LDAPNoUserOrPasswordProvidedAccessIsReadOnly=No administrator or password provided. LDAP access will be anonymous and in read only mode. -LDAPDescContact=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr contacts. -LDAPDescUsers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr users. -LDAPDescGroups=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr groups. -LDAPDescMembers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members module. -LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. -LDAPDescValues=Example values are designed for OpenLDAP with following loaded schemas: core.schema, cosine.schema, inetorgperson.schema). If you use thoose values and OpenLDAP, modify your LDAP config file slapd.conf to have all thoose schemas loaded. -ForANonAnonymousAccess=For an authenticated access (for a write access for example) -PerfDolibarr=Performance setup/optimizing report -YouMayFindPerfAdviceHere=This page provides some checks or advice related to performance. -NotInstalled=Not installed. -NotSlowedDownByThis=Not slowed down by this. -NotRiskOfLeakWithThis=Not risk of leak with this. -ApplicativeCache=Applicative cache -MemcachedNotAvailable=No applicative cache found. You can enhance performance by installing a cache server Memcached and a module able to use this cache server.
      More information here
      http://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      Note that a lot of web hosting provider does not provide such cache server. -MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete. -MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled. -OPCodeCache=OPCode cache -NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad). -HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript) -FilesOfTypeCached=Files of type %s are cached by HTTP server -FilesOfTypeNotCached=Files of type %s are not cached by HTTP server -FilesOfTypeCompressed=Files of type %s are compressed by HTTP server -FilesOfTypeNotCompressed=Files of type %s are not compressed by HTTP server -CacheByServer=Cache by server -CacheByServerDesc=For example using the Apache directive "ExpiresByType image/gif A2592000" -CacheByClient=Cache by browser -CompressionOfResources=Compression of HTTP responses -CompressionOfResourcesDesc=For example using the Apache directive "AddOutputFilterByType DEFLATE" -TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers -DefaultValuesDesc=Here you may define the default value you wish to use when creating a new record, and/or default filters or the sort order when you list records. -DefaultCreateForm=Default values (to use on forms) -DefaultSearchFilters=Default search filters -DefaultSortOrder=Default sort orders -DefaultFocus=Default focus fields -DefaultMandatory=Mandatory form fields +LDAPFieldSidExample=Misal: obyektsid +LDAPFieldEndLastSubscription=Abunəliyin bitmə tarixi +LDAPFieldTitle=İş mövqeyi +LDAPFieldTitleExample=Məsələn: başlıq +LDAPFieldGroupid=Qrup id +LDAPFieldGroupidExample=Nümunə: gidnumber +LDAPFieldUserid=İstifadəçi adı +LDAPFieldUseridExample=Misal: uid nömrəsi +LDAPFieldHomedirectory=Ev kataloqu +LDAPFieldHomedirectoryExample=Misal: ev kataloqu +LDAPFieldHomedirectoryprefix=Ev kataloqu prefiksi +LDAPSetupNotComplete=LDAP quraşdırması tamamlanmayıb (digər tablara keçin) +LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Heç bir administrator və ya parol təqdim edilməyib. LDAP girişi anonim və yalnız oxumaq rejimində olacaq. +LDAPDescContact=Bu səhifə Dolibarr kontaktlarında tapılan hər bir məlumat üçün LDAP ağacında LDAP atributlarının adını təyin etməyə imkan verir. +LDAPDescUsers=Bu səhifə Dolibarr istifadəçilərində tapılan hər bir məlumat üçün LDAP ağacında LDAP atributlarının adını müəyyən etməyə imkan verir. +LDAPDescGroups=Bu səhifə Dolibarr qruplarında tapılan hər bir məlumat üçün LDAP ağacında LDAP atributlarının adını müəyyən etməyə imkan verir. +LDAPDescMembers=Bu səhifə Dolibarr üzvləri modulunda tapılan hər bir məlumat üçün LDAP ağacında LDAP atributlarının adını müəyyən etməyə imkan verir. +LDAPDescMembersTypes=Bu səhifə sizə Dolibarr üzv tiplərində tapılan hər bir məlumat üçün LDAP ağacında LDAP atributlarının adını müəyyən etməyə imkan verir. +LDAPDescValues=Nümunə dəyərlər aşağıdakı yüklənmiş sxemlərlə OpenLDAP üçün nəzərdə tutulub: b0aee3736 core.schema, cosine.schema, inetorgperson.schema
      ). Bu dəyərlərdən və OpenLDAP-dan istifadə edirsinizsə, bütün sxemləri yükləmək üçün LDAP konfiqurasiya faylınızı slapd.conf dəyişdirin. +ForANonAnonymousAccess=Doğrulanmış giriş üçün (məsələn, yazma girişi üçün) +PerfDolibarr=Performansın qurulması/optimallaşdırılması hesabatı +YouMayFindPerfAdviceHere=Bu səhifə performansla bağlı bəzi yoxlamalar və ya məsləhətlər təqdim edir. +NotInstalled=Quraşdırılmayıb. +NotSlowedDownByThis=Bununla yavaşlamadı. +NotRiskOfLeakWithThis=Bununla sızma riski yoxdur. +ApplicativeCache=Tətbiqi keş +MemcachedNotAvailable=Heç bir tətbiq keş tapılmadı. Siz Memcached keş serveri və bu keş serverindən istifadə edə bilən modul quraşdıraraq performansı artıra bilərsiniz.
      Ətraflı məlumat burada http ://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      Qeyd edək ki, bir çox veb hostinq təmin edir. belə keş serveri təmin etmə. +MemcachedModuleAvailableButNotSetup=Tətbiqli keş üçün yaddaşda saxlanılan modul tapıldı, lakin modulun quraşdırılması tamamlanmayıb. +MemcachedAvailableAndSetup=Memcached serverdən istifadə etmək üçün ayrılmış modul aktivləşdirilib. +OPCodeCache=OPCode önbelleği +NoOPCodeCacheFound=OPCode keşi tapılmadı. Ola bilsin ki, siz XCache və ya eAccelerator (yaxşı) xaricində OPCode keşindən istifadə edirsiniz və ya bəlkə də OPCode önbelleğiniz yoxdur (çox pis). +HTTPCacheStaticResources=Statik resurslar üçün HTTP önbelleği (css, img, JavaScript) +FilesOfTypeCached=%s tipli fayllar HTTP serveri tərəfindən keşlənir +FilesOfTypeNotCached=%s tipli fayllar HTTP serveri tərəfindən keşlənmir +FilesOfTypeCompressed=%s tipli fayllar HTTP serveri tərəfindən sıxılır +FilesOfTypeNotCompressed=%s tipli fayllar HTTP serveri tərəfindən sıxılmayıb +CacheByServer=Server tərəfindən keş +CacheByServerDesc=Məsələn, Apache direktivindən istifadə etməklə "ExpiresByType image/gif A2592000" +CacheByClient=Brauzer tərəfindən keş +CompressionOfResources=HTTP cavablarının sıxılması +CompressionOfResourcesDesc=Məsələn, Apache direktivindən istifadə edərək "AddOutputFilterByType DEFLATE" +TestNotPossibleWithCurrentBrowsers=Belə avtomatik aşkarlama cari brauzerlərdə mümkün deyil +DefaultValuesDesc=Burada siz yeni qeyd yaradarkən istifadə etmək istədiyiniz standart dəyəri və/yaxud qeydləri sadalayarkən standart filtrləri və ya çeşidləmə sırasını təyin edə bilərsiniz. +DefaultCreateForm=Defolt dəyərlər (formalarda istifadə etmək üçün) +DefaultSearchFilters=Defolt axtarış filtrləri +DefaultSortOrder=Defolt çeşidləmə sifarişləri +DefaultFocus=Defolt fokus sahələri +DefaultMandatory=Məcburi forma sahələri ##### Products ##### -ProductSetup=Products module setup -ServiceSetup=Services module setup -ProductServiceSetup=Products and Services modules setup -NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) -ViewProductDescInFormAbility=Display product descriptions in lines of items (otherwise show description in a tooltip popup) -OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document -AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product -DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. -DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents -MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) -UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) -SetDefaultBarcodeTypeProducts=Default barcode type to use for products -SetDefaultBarcodeTypeThirdParties=Default barcode type to use for third parties -UseUnits=Define a unit of measure for Quantity during order, proposal or invoice lines edition -ProductCodeChecker= Module for product code generation and checking (product or service) -ProductOtherConf= Product / Service configuration -IsNotADir=is not a directory! +ProductSetup=Məhsullar modulunun qurulması +ServiceSetup=Xidmətlər modulunun qurulması +ProductServiceSetup=Məhsul və Xidmət modullarının qurulması +NumberOfProductShowInSelect=Kombo seçim siyahılarında göstəriləcək məhsulların maksimum sayı (0=məhdudiyyət yoxdur) +ViewProductDescInFormAbility=Məhsul təsvirlərini elementlərin sətirlərində göstərin (əks halda təsviri alət ipucu popupında göstərin) +OnProductSelectAddProductDesc=Sənədin sətri kimi məhsul əlavə edərkən məhsulların təsvirindən necə istifadə etmək olar +AutoFillFormFieldBeforeSubmit=Təsvir daxiletmə sahəsini məhsulun təsviri ilə avtomatik doldurun +DoNotAutofillButAutoConcat=Məhsulun təsviri ilə daxil edilmiş sahəni avtomatik doldurmayın. Məhsulun təsviri avtomatik olaraq daxil edilmiş təsvirə birləşdiriləcək. +DoNotUseDescriptionOfProdut=Məhsulun təsviri heç vaxt sənədlərin sətirlərinin təsvirinə daxil edilməyəcək +MergePropalProductCard=Məhsul/xidmət Əlavə edilmiş Fayllar sekmesinde məhsul/xidmət təklifdə olarsa, məhsulun PDF sənədini PDF azur təklifinə birləşdirmək seçimini aktivləşdirin. +ViewProductDescInThirdpartyLanguageAbility=Məhsul təsvirlərini üçüncü tərəfin dilində formalarda göstərin (əks halda istifadəçinin dilində) +UseSearchToSelectProductTooltip=Həmçinin çoxlu sayda məhsulunuz varsa (> 100 000), siz Quraşdırma->Digər bölməsində sabit PRODUCT_DONOTSEARCH_ANYWHERE dəyərini 1-ə təyin etməklə sürəti artıra bilərsiniz. Axtarış daha sonra sətrin başlanğıcı ilə məhdudlaşacaq. +UseSearchToSelectProduct=Məhsul kombinasiya siyahısının məzmununu yükləməzdən əvvəl düyməyə basana qədər gözləyin (Çox sayda məhsulunuz varsa, bu, performansı artıra bilər, lakin bu, daha az rahatdır) +SetDefaultBarcodeTypeProducts=Məhsullar üçün istifadə ediləcək standart barkod növü +SetDefaultBarcodeTypeThirdParties=Üçüncü tərəflər üçün istifadə ediləcək standart barkod növü +UseUnits=Sifariş, təklif və ya faktura xətlərinin nəşri zamanı Kəmiyyət üçün ölçü vahidi müəyyən edin +ProductCodeChecker= Məhsul kodunun yaradılması və yoxlanılması üçün modul (məhsul və ya xidmət) +ProductOtherConf= Məhsul / Xidmət konfiqurasiyası +IsNotADir=kataloq deyil! ##### Syslog ##### -SyslogSetup=Logs module setup -SyslogOutput=Logs outputs -SyslogFacility=Facility -SyslogLevel=Level -SyslogFilename=File name and path -YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. -ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant -OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported -CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) -SyslogFileNumberOfSaves=Number of backup logs to keep -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +SyslogSetup=Qeydlər modulunun qurulması +SyslogOutput=Çıxışları qeyd edir +SyslogFacility=Təsis +SyslogLevel=Səviyyə +SyslogFilename=Fayl adı və yolu +YouCanUseDOL_DATA_ROOT=Dolibarr "sənədlər" kataloqunda log faylı üçün DOL_DATA_ROOT/dolibarr.log istifadə edə bilərsiniz. Bu faylı saxlamaq üçün başqa yol təyin edə bilərsiniz. +ErrorUnknownSyslogConstant=%s sabiti məlum Syslog sabiti deyil +OnlyWindowsLOG_USER=Windows-da yalnız LOG_USER qurğusu dəstəklənəcək +CompressSyslogs=Sazlama jurnalı fayllarının sıxılması və ehtiyat nüsxəsi (debuq üçün Log modulu tərəfindən yaradılıb) +SyslogFileNumberOfSaves=Saxlanılacaq ehtiyat qeydlərinin sayı +ConfigureCleaningCronjobToSetFrequencyOfSaves=Günlük ehtiyat nüsxə tezliyini təyin etmək üçün planlaşdırılan təmizləmə işini konfiqurasiya edin ##### Donations ##### -DonationsSetup=Donation module setup -DonationsReceiptModel=Template of donation receipt +DonationsSetup=Bağış modulunun qurulması +DonationsReceiptModel=İanə qəbzi şablonu ##### Barcode ##### -BarcodeSetup=Barcode setup -PaperFormatModule=Print format module -BarcodeEncodeModule=Barcode encoding type -CodeBarGenerator=Barcode generator -ChooseABarCode=No generator defined -FormatNotSupportedByGenerator=Format not supported by this generator -BarcodeDescEAN8=Barcode of type EAN8 -BarcodeDescEAN13=Barcode of type EAN13 -BarcodeDescUPC=Barcode of type UPC -BarcodeDescISBN=Barcode of type ISBN -BarcodeDescC39=Barcode of type C39 -BarcodeDescC128=Barcode of type C128 -BarcodeDescDATAMATRIX=Barcode of type Datamatrix -BarcodeDescQRCODE=Barcode of type QR code -GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".
      For example: /usr/local/bin/genbarcode -BarcodeInternalEngine=Internal engine -BarCodeNumberManager=Manager to auto define barcode numbers +BarcodeSetup=Barkod quraşdırma +PaperFormatModule=Çap formatı modulu +BarcodeEncodeModule=Barkod kodlaşdırma növü +CodeBarGenerator=Barkod generatoru +ChooseABarCode=Heç bir generator müəyyən edilməmişdir +FormatNotSupportedByGenerator=Format bu generator tərəfindən dəstəklənmir +BarcodeDescEAN8=EAN8 tipli barkod +BarcodeDescEAN13=EAN13 tipli barkod +BarcodeDescUPC=UPC tipli barkod +BarcodeDescISBN=ISBN tipli barkod +BarcodeDescC39=C39 tipli barkod +BarcodeDescC128=C128 tipli barkod +BarcodeDescDATAMATRIX=Datamatrix tipli barkod +BarcodeDescQRCODE=QR kod tipli barkod +GenbarcodeLocation=Ştrix kodu yaratma əmr xətti aləti (bəzi ştrix kod növləri üçün daxili mühərrik tərəfindən istifadə olunur). "genbarcode" ilə uyğun olmalıdır.
      Məsələn: /usr/local/bin/genbarcode +BarcodeInternalEngine=Daxili mühərrik +BarCodeNumberManager=Barkod nömrələrini avtomatik təyin etmək üçün menecer ##### Prelevements ##### -WithdrawalsSetup=Setup of module Direct Debit payments +WithdrawalsSetup=Birbaşa debet ödənişləri modulunun qurulması ##### ExternalRSS ##### -ExternalRSSSetup=External RSS imports setup -NewRSS=New RSS Feed +ExternalRSSSetup=Xarici RSS idxal quraşdırması +NewRSS=Yeni RSS lenti RSSUrl=RSS URL -RSSUrlExample=An interesting RSS feed +RSSUrlExample=Maraqlı RSS lenti ##### Mailing ##### -MailingSetup=EMailing module setup -MailingEMailFrom=Sender email (From) for emails sent by emailing module -MailingEMailError=Return Email (Errors-to) for emails with errors -MailingDelay=Seconds to wait after sending next message +MailingSetup=E-poçt modulunun qurulması +MailingEMailFrom=E-poçt modulu ilə göndərilən e-poçtlar üçün göndərən e-poçtu (Kimdən). +MailingEMailError=Səhvləri olan e-poçtlar üçün E-poçtu (Səhvlərə) qaytarın +MailingDelay=Növbəti mesajı göndərdikdən sonra gözləmək üçün saniyələr ##### Notification ##### -NotificationSetup=Email Notification module setup -NotificationEMailFrom=Sender email (From) for emails sent by the Notifications module -FixedEmailTarget=Recipient -NotificationDisableConfirmMessageContact=Hide the list of recipients (subscribed as contact) of notifications into the confirmation message -NotificationDisableConfirmMessageUser=Hide the list of recipients (subscribed as user) of notifications into the confirmation message -NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as global email) of notifications into the confirmation message +NotificationSetup=E-poçt bildiriş modulunun qurulması +NotificationEMailFrom=Bildirişlər modulu tərəfindən göndərilən e-poçtlar üçün göndərən e-poçtu (Kimdən). +FixedEmailTarget=alıcı +NotificationDisableConfirmMessageContact=Təsdiq mesajında bildirişlərin alıcılarının (əlaqə kimi abunə) siyahısını gizlədin +NotificationDisableConfirmMessageUser=Təsdiq mesajında bildirişlərin alıcılarının (istifadəçi kimi abunə olan) siyahısını gizlədin +NotificationDisableConfirmMessageFix=Təsdiq mesajında bildirişlərin alıcılarının siyahısını (qlobal e-poçt kimi abunə olunur) gizlədin ##### Sendings ##### -SendingsSetup=Shipping module setup -SendingsReceiptModel=Sending receipt model -SendingsNumberingModules=Sendings numbering modules -SendingsAbility=Support shipping sheets for customer deliveries -NoNeedForDeliveryReceipts=In most cases, shipping sheets are used both as sheets for customer deliveries (list of products to send) and sheets that are received and signed by customer. Hence the product deliveries receipt is a duplicated feature and is rarely activated. -FreeLegalTextOnShippings=Free text on shipments +SendingsSetup=Göndərmə modulunun qurulması +SendingsReceiptModel=Göndərmə qəbzi modeli +SendingsNumberingModules=Nömrələmə modullarını göndərir +SendingsAbility=Müştərilərin çatdırılması üçün göndərmə vərəqlərini dəstəkləyin +NoNeedForDeliveryReceipts=Əksər hallarda, göndərmə vərəqləri həm müştərinin çatdırılması üçün vərəq (göndəriləcək məhsulların siyahısı), həm də müştəri tərəfindən qəbul edilən və imzalanan vərəqlər kimi istifadə olunur. Beləliklə, məhsulun çatdırılması qəbzi təkrarlanan xüsusiyyətdir və nadir hallarda aktivləşdirilir. +FreeLegalTextOnShippings=Pulsuz mətn göndərmə ##### Deliveries ##### -DeliveryOrderNumberingModules=Products deliveries receipt numbering module -DeliveryOrderModel=Products deliveries receipt model -DeliveriesOrderAbility=Support products deliveries receipts -FreeLegalTextOnDeliveryReceipts=Free text on delivery receipts +DeliveryOrderNumberingModules=Məhsulların çatdırılması qəbzinin nömrələnməsi modulu +DeliveryOrderModel=Məhsulların çatdırılma qəbzi modeli +DeliveriesOrderAbility=Məhsulların çatdırılma qəbzlərini dəstəkləyin +FreeLegalTextOnDeliveryReceipts=Çatdırılma qəbzləri üzrə pulsuz mətn ##### FCKeditor ##### -AdvancedEditor=Advanced editor -ActivateFCKeditor=Activate advanced editor for: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProduct=WYSIWIG creation/edition of the field description of products/services -FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG creation/edition for mass eMailings (Tools->eMailing) -FCKeditorForUserSignature=WYSIWIG creation/edition of user signature -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +AdvancedEditor=Təkmil redaktor +ActivateFCKeditor=Qabaqcıl redaktoru aktivləşdirin: +FCKeditorForNotePublic=WYSIWYG elementlərin "ictimai qeydlər" sahəsinin yaradılması/nəşri +FCKeditorForNotePrivate=WYSIWYG elementlərin "özəl qeydləri" sahəsinin yaradılması/nəşri +FCKeditorForCompany=WYSIWYG elementlərin sahə təsvirinin yaradılması/nəşri (məhsullar/xidmətlər istisna olmaqla) +FCKeditorForProductDetails=WYSIWYG məhsul təsvirinin və ya obyektlər üçün sətirlərin yaradılması/nəşri (təklif sətirləri, sifarişlər, fakturalar və s...). +FCKeditorForProductDetails2=Xəbərdarlıq: Bu halda bu seçimdən istifadə ciddi şəkildə tövsiyə edilmir, çünki bu, PDF faylları yaratarkən xüsusi simvollar və səhifə formatı ilə bağlı problemlər yarada bilər. +FCKeditorForMailing= Kütləvi e-poçt göndərişləri üçün WYSIWYG yaradılması/nəşri (Alətlər->e-poçt) +FCKeditorForUserSignature=WYSIWYG istifadəçi imzasının yaradılması/nəşri +FCKeditorForMail=Bütün məktublar üçün WYSIWYG yaradılması/nəşri (Alətlər->e-poçtdan başqa) +FCKeditorForTicket=Biletlər üçün WYSIWYG yaradılması/nəşri ##### Stock ##### -StockSetup=Stock module setup -IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. +StockSetup=Stok modulunun qurulması +IfYouUsePointOfSaleCheckModule=Defolt olaraq təmin edilən Satış Nöqtəsi modulundan (POS) və ya xarici moduldan istifadə edirsinizsə, bu quraşdırma POS modulunuz tərəfindən nəzərə alına bilər. Əksər POS modulları buradakı seçimlərdən asılı olmayaraq dərhal faktura yaratmaq və ehtiyatı azaltmaq üçün standart olaraq tərtib edilmişdir. Beləliklə, POS-dan satışı qeydiyyatdan keçirərkən səhmlərin azalmasına ehtiyacınız varsa, ya yoxsa, POS modulunun quraşdırılmasını da yoxlayın. ##### Menu ##### -MenuDeleted=Menu deleted -Menu=Menu -Menus=Menus -TreeMenuPersonalized=Personalized menus -NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry -NewMenu=New menu -MenuHandler=Menu handler -MenuModule=Source module -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) -DetailId=Id menu -DetailMenuHandler=Menu handler where to show new menu -DetailMenuModule=Module name if menu entry come from a module -DetailType=Type of menu (top or left) -DetailTitre=Menu label or label code for translation -DetailUrl=URL where menu send you (Absolute URL link or external link with http://) -DetailEnabled=Condition to show or not entry -DetailRight=Condition to display unauthorized grey menus -DetailLangs=Lang file name for label code translation -DetailUser=Intern / Extern / All -Target=Target -DetailTarget=Target for links (_blank top opens a new window) -DetailLevel=Level (-1:top menu, 0:header menu, >0 menu and sub menu) -ModifMenu=Menu change -DeleteMenu=Delete menu entry -ConfirmDeleteMenu=Are you sure you want to delete menu entry %s? -FailedToInitializeMenu=Failed to initialize menu +MenuDeleted=Menyu silindi +Menu=Menyu +Menus=Menyular +TreeMenuPersonalized=Fərdi menyular +NotTopTreeMenuPersonalized=Fərdiləşdirilmiş menyular yuxarı menyu girişi ilə əlaqələndirilməyib +NewMenu=Yeni menyu +MenuHandler=Menyu idarəedicisi +MenuModule=Mənbə modulu +HideUnauthorizedMenu=Daxili istifadəçilər üçün də icazəsiz menyuları gizlədin (əks halda boz rəngdə olur) +DetailId=İd menyusu +DetailMenuHandler=Menyu idarəedicisi yeni menyunun göstəriləcəyi yer +DetailMenuModule=Əgər menyu girişi moduldan gəlirsə, modulun adı +DetailType=Menyunun növü (yuxarı və ya sol) +DetailTitre=Tərcümə üçün menyu etiketi və ya etiket kodu +DetailUrl=Menyunun sizə göndərdiyi URL (Nisbi URL linki və ya https:// ilə xarici link) +DetailEnabled=Göstərmək və ya daxil edilməmək şərti +DetailRight=İcazəsiz boz menyuları göstərmək şərti +DetailLangs=Etiket kodu tərcüməsi üçün Lang fayl adı +DetailUser=Təcrübəçi / Xarici / Hamısı +Target=Hədəf +DetailTarget=Linklər üçün hədəf (_blank top yeni pəncərə açır) +DetailLevel=Səviyyə (-1:üst menyu, 0:başlıq menyusu, >0 menyu və alt menyu) +ModifMenu=Menyu dəyişikliyi +DeleteMenu=Menyu girişini silin +ConfirmDeleteMenu=%s menyusunu silmək istədiyinizə əminsiniz? +FailedToInitializeMenu=Menyu başlatmaq alınmadı ##### Tax ##### -TaxSetup=Taxes, social or fiscal taxes and dividends module setup -OptionVatMode=VAT due -OptionVATDefault=Standard basis -OptionVATDebitOption=Accrual basis -OptionVatDefaultDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on payments for services -OptionVatDebitOptionDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on invoice (debit) for services -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
      - on payment for goods
      - on payments for services -SummaryOfVatExigibilityUsedByDefault=Time of VAT eligibility by default according to chosen option: -OnDelivery=On delivery -OnPayment=On payment -OnInvoice=On invoice -SupposedToBePaymentDate=Payment date used -SupposedToBeInvoiceDate=Invoice date used -Buy=Buy -Sell=Sell -InvoiceDateUsed=Invoice date used -YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organization), so there is no VAT options to setup. -AccountancyCode=Accounting Code -AccountancyCodeSell=Sale account. code -AccountancyCodeBuy=Purchase account. code -CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Keep the checkbox “Automatically create the payment” empty by default when creating a new tax +TaxSetup=Vergilər, sosial və ya fiskal vergilər və dividendlər modulunun qurulması +OptionVatMode=ƏDV ödənilməlidir +OptionVATDefault=Standart əsas +OptionVATDebitOption=Hesablama əsası +OptionVatDefaultDesc=ƏDV ödənilməlidir:
      - malların çatdırılmasına görə (qaimə-faktura tarixinə əsasən)
      - xidmətlərə görə ödənişlər +OptionVatDebitOptionDesc=ƏDV ödənilməlidir:
      - malların çatdırılması (qaimə-faktura tarixinə əsasən)
      - xidmətlər üçün hesab-faktura (debet) +OptionPaymentForProductAndServices=Məhsul və xidmətlər üçün pul əsası +OptionPaymentForProductAndServicesDesc=ƏDV ödənilməlidir:
      - malların ödənişi üzrə
      - xidmətlərə görə ödənişlər +SummaryOfVatExigibilityUsedByDefault=Seçilmiş seçimə görə defolt olaraq ƏDV-yə uyğunluq vaxtı: +OnDelivery=Çatdırılmada +OnPayment=Ödəniş üzrə +OnInvoice=Fakturada +SupposedToBePaymentDate=İstifadə olunan ödəniş tarixi +SupposedToBeInvoiceDate=İstifadə olunan faktura tarixi +Buy=al +Sell=Sat +InvoiceDateUsed=İstifadə olunan faktura tarixi +YourCompanyDoesNotUseVAT=Şirkətinizin ƏDV-dən istifadə etməməsi müəyyən edilib (Ev - Quraşdırma - Şirkət/Təşkilat), ona görə də quraşdırmaq üçün ƏDV variantları yoxdur. +AccountancyCode=Mühasibat Məcəlləsi +AccountancyCodeSell=Satış hesabı. kod +AccountancyCodeBuy=Satınalma hesabı. kod +CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Yeni vergi yaradarkən standart olaraq "Ödənişi avtomatik yarat" qutusunu boş saxlayın ##### Agenda ##### -AgendaSetup=Events and agenda module setup -PasswordTogetVCalExport=Key to authorize export link -SecurityKey = Security Key -PastDelayVCalExport=Do not export event older than -AGENDA_USE_EVENT_TYPE=Use events types (managed in menu Setup -> Dictionaries -> Type of agenda events) -AGENDA_USE_EVENT_TYPE_DEFAULT=Automatically set this default value for type of event in event create form -AGENDA_DEFAULT_FILTER_TYPE=Automatically set this type of event in search filter of agenda view -AGENDA_DEFAULT_FILTER_STATUS=Automatically set this status for events in search filter of agenda view -AGENDA_DEFAULT_VIEW=Which view do you want to open by default when selecting menu Agenda -AGENDA_REMINDER_BROWSER=Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). -AGENDA_REMINDER_BROWSER_SOUND=Enable sound notification -AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event). -AGENDA_REMINDER_EMAIL_NOTE=Note: The frequency of the scheduled job %s must be enough to be sure that the remind are sent at the correct moment. -AGENDA_SHOW_LINKED_OBJECT=Show linked object into agenda view -##### Clicktodial ##### -ClickToDialSetup=Click To Dial module setup -ClickToDialUrlDesc=Url called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). -ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. -ClickToDialUseTelLink=Use just a link "tel:" on phone numbers -ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface, installed on the same computer as the browser, and called when you click on a link starting with "tel:" in your browser. If you need a link that start with "sip:" or a full server solution (no need of local software installation), you must set this to "No" and fill the next field. +AgendaSetup = Tədbirlər və gündəm modulunun qurulması +AGENDA_DEFAULT_FILTER_TYPE = Gündəm görünüşünün axtarış filtrində bu növ hadisəni avtomatik təyin edin +AGENDA_DEFAULT_FILTER_STATUS = Gündəm görünüşünün axtarış filtrində hadisələr üçün bu statusu avtomatik olaraq təyin edin +AGENDA_DEFAULT_VIEW = Gündəlik menyusunu seçərkən defolt olaraq hansı görünüşü açmaq istəyirsiniz +AGENDA_EVENT_PAST_COLOR = Keçmiş hadisə rəngi +AGENDA_EVENT_CURRENT_COLOR = Cari hadisə rəngi +AGENDA_EVENT_FUTURE_COLOR = Gələcək hadisə rəngi +AGENDA_REMINDER_BROWSER = İstifadəçinin brauzerində tədbir xatırladıcısını aktivləşdirin (Xatırlatma tarixinə çatdıqda, brauzer pop-up göstərilir. Hər bir istifadəçi edə bilər belə bildirişləri onun brauzer bildirişi quraşdırmasından söndürün). +AGENDA_REMINDER_BROWSER_SOUND = Səsli bildirişi aktivləşdirin +AGENDA_REMINDER_EMAIL = Tədbir xatırladıcısını aktivləşdirin e-poçtlarla (xatırlatma seçimi/gecikmə hər tədbirdə müəyyən edilə bilər). +AGENDA_REMINDER_EMAIL_NOTE = Qeyd: Planlaşdırılmış işin %s tezliyi xatırlatmaların düzgün anda göndərilməsinə əmin olmaq üçün kifayət qədər olmalıdır. +AGENDA_SHOW_LINKED_OBJECT = Əlaqədar obyekti gündəm görünüşündə göstərin +AGENDA_USE_EVENT_TYPE = Tədbir növlərindən istifadə edin (menyuda idarə olunur Quraşdırma -> Lüğətlər -> Gündəlik hadisələrinin növü) +AGENDA_USE_EVENT_TYPE_DEFAULT = Hadisə yaratma formasında hadisə növü üçün bu standart dəyəri avtomatik təyin edin +PasswordTogetVCalExport = İxrac keçidinə icazə vermək üçün açar +PastDelayVCalExport=Daha köhnə hadisəni ixrac etməyin +SecurityKey = Təhlükəsizlik Açarı +##### ClickToDial ##### +ClickToDialSetup=Modul quraşdırmasını yığmaq üçün klikləyin +ClickToDialUrlDesc=Telefon piktoqramına klik edildikdə URL çağırılır. URL-də
      __PHONETO__b09a4b739f17f8z olacaq teqlərdən istifadə edə bilərsiniz. zəng ediləcək şəxsin telefon nömrəsi ilə əvəz olundu
      __PHONEFROM__b09a4b739f017 zəng edən şəxsin telefon nömrəsi (sizin) ilə əvəz olunacaq
      __LOGIN__b09a41703f span> ki, kliklə daxil olan giriş (istifadəçi kartında müəyyən edilir) ilə əvəz olunacaq
      __PASS__ bu, klikləmə parolu ilə əvəz olunacaq (istifadəçi kartında müəyyən edilmişdir). +ClickToDialDesc=Bu modul masa üstü kompüterdən istifadə edərkən telefon nömrələrini kliklənən linklərə dəyişir. Bir klik nömrəyə zəng edəcək. Bu, masaüstünüzdə yumşaq telefondan istifadə edərkən və ya məsələn SIP protokoluna əsaslanan CTI sistemindən istifadə edərkən telefon zəngini başlamaq üçün istifadə edilə bilər. Qeyd: Smartfondan istifadə edərkən telefon nömrələri həmişə kliklənir. +ClickToDialUseTelLink=Telefon nömrələrində sadəcə "tel:" linkindən istifadə edin +ClickToDialUseTelLinkDesc=Əgər istifadəçilərinizin proqram telefonu və ya proqram interfeysi varsa, brauzerlə eyni kompüterdə quraşdırılıbsa və brauzerinizdə "tel:" ilə başlayan linkə kliklədiyiniz zaman zəng edibsə, bu üsuldan istifadə edin. Əgər sizə "sip:" ilə başlayan linkə və ya tam server həllinə ehtiyacınız varsa (yerli proqram təminatının quraşdırılmasına ehtiyac yoxdur), siz bunu "Xeyr" olaraq təyin etməli və növbəti sahəni doldurmalısınız. ##### Point Of Sale (CashDesk) ##### -CashDesk=Point of Sale -CashDeskSetup=Point of Sales module setup -CashDeskThirdPartyForSell=Default generic third party to use for sales -CashDeskBankAccountForSell=Default account to use to receive cash payments -CashDeskBankAccountForCheque=Default account to use to receive payments by check -CashDeskBankAccountForCB=Default account to use to receive payments by credit cards -CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). -CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease -StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled -StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. -CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sale from Point of Sale. Hence a warehouse is required. -CashDeskForceDecreaseStockLabel=Stock decrease for batch products was forced. -CashDeskForceDecreaseStockDesc=Decrease first by the oldest eatby and sellby dates. -CashDeskReaderKeyCodeForEnter=Key code for "Enter" defined in barcode reader (Example: 13) +CashDesk=Satış nöqtəsi +CashDeskSetup=Satış nöqtəsi modulunun qurulması +CashDeskThirdPartyForSell=Satış üçün istifadə ediləcək defolt ümumi üçüncü tərəf +CashDeskBankAccountForSell=Nağd ödənişləri qəbul etmək üçün istifadə ediləcək standart hesab +CashDeskBankAccountForCheque=Çeklə ödənişləri qəbul etmək üçün istifadə ediləcək defolt hesab +CashDeskBankAccountForCB=Kredit kartları ilə ödənişləri qəbul etmək üçün istifadə ediləcək defolt hesab +CashDeskBankAccountForSumup=SumUp ilə ödənişləri qəbul etmək üçün istifadə ediləcək defolt bank hesabı +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. +CashDeskIdWareHouse=Anbarı ehtiyatın azalması üçün istifadə etməyə məcbur edin və məhdudlaşdırın +StockDecreaseForPointOfSaleDisabled=Satış nöqtəsindən səhmlərin azalması qeyri-aktivdir +StockDecreaseForPointOfSaleDisabledbyBatch=POS-da ehtiyatın azalması Serial/Lot idarəetmə modulu ilə uyğun gəlmir (hazırda aktivdir), ona görə də ehtiyatın azalması deaktivdir. +CashDeskYouDidNotDisableStockDecease=Satış nöqtəsindən satış edərkən səhmlərin azaldılmasını dayandırmadınız. Buna görə anbar lazımdır. +CashDeskForceDecreaseStockLabel=Partiya məhsulları üçün ehtiyatların azalması məcbur edildi. +CashDeskForceDecreaseStockDesc=Əvvəlcə ən köhnə yemək və satış tarixlərinə görə azaldın. +CashDeskReaderKeyCodeForEnter=Barkod oxuyucuda müəyyən edilmiş "Enter" üçün əsas ASCII kodu (Nümunə: 13) ##### Bookmark ##### -BookmarkSetup=Bookmark module setup -BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or external web sites on your left menu. -NbOfBoomarkToShow=Maximum number of bookmarks to show in left menu +BookmarkSetup=Əlfəcin modulunun qurulması +BookmarkDesc=Bu modul əlfəcinləri idarə etməyə imkan verir. Siz həmçinin sol menyunuzda istənilən Dolibarr səhifələrinə və ya xarici veb saytlarına qısa yollar əlavə edə bilərsiniz. +NbOfBoomarkToShow=Sol menyuda göstəriləcək əlfəcinlərin maksimum sayı ##### WebServices ##### -WebServicesSetup=Webservices module setup -WebServicesDesc=By enabling this module, Dolibarr become a web service server to provide miscellaneous web services. -WSDLCanBeDownloadedHere=WSDL descriptor files of provided services can be download here -EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at URL +WebServicesSetup=Veb xidmətləri modulunun qurulması +WebServicesDesc=Bu modulu işə salmaqla, Dolibarr müxtəlif veb xidmətləri təmin etmək üçün veb xidmət serverinə çevrilir. +WSDLCanBeDownloadedHere=Təqdim olunan xidmətlərin WSDL deskriptor fayllarını buradan yükləyə bilərsiniz +EndPointIs=SOAP müştəriləri sorğularını URL-də mövcud olan Dolibarr son nöqtəsinə göndərməlidirlər ##### API #### -ApiSetup=API module setup -ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services. -ApiProductionMode=Enable production mode (this will activate use of a cache for services management) -ApiExporerIs=You can explore and test the APIs at URL -OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed -ApiKey=Key for API -WarningAPIExplorerDisabled=The API explorer has been disabled. API explorer is not required to provide API services. It is a tool for developer to find/test REST APIs. If you need this tool, go into setup of module API REST to activate it. +ApiSetup=API modulunun qurulması +ApiDesc=Bu modulu işə salmaqla, Dolibarr müxtəlif veb xidmətləri təmin etmək üçün REST serverinə çevrilir. +ApiProductionMode=İstehsal rejimini aktivləşdirin (bu, xidmətlərin idarə edilməsi üçün keşdən istifadəni aktivləşdirəcək) +ApiExporerIs=Siz URL-də API-ləri araşdırıb sınaqdan keçirə bilərsiniz +OnlyActiveElementsAreExposed=Yalnız aktiv modulların elementləri ifşa olunur +ApiKey=API üçün açar +WarningAPIExplorerDisabled=API kəşfiyyatçısı deaktiv edilib. API xidmətləri təmin etmək üçün API tədqiqatçısı tələb olunmur. Bu, tərtibatçı üçün REST API-lərini tapmaq/sınamaq üçün bir vasitədir. Bu alətə ehtiyacınız varsa, onu aktivləşdirmək üçün API REST modulunun quraşdırılmasına daxil olun. ##### Bank ##### -BankSetupModule=Bank module setup -FreeLegalTextOnChequeReceipts=Free text on check receipts -BankOrderShow=Display order of bank accounts for countries using "detailed bank number" +BankSetupModule=Bank modulunun qurulması +FreeLegalTextOnChequeReceipts=Çek qəbzləri üzrə pulsuz mətn +BankOrderShow="Ətraflı bank nömrəsi"ndən istifadə edən ölkələr üçün bank hesablarının sifarişini göstərin BankOrderGlobal=General -BankOrderGlobalDesc=General display order -BankOrderES=Spanish -BankOrderESDesc=Spanish display order -ChequeReceiptsNumberingModule=Check Receipts Numbering Module +BankOrderGlobalDesc=Ümumi ekran qaydası +BankOrderES=ispan dili +BankOrderESDesc=İspan ekran qaydası +ChequeReceiptsNumberingModule=Qəbzlərin nömrələnməsi modulunu yoxlayın ##### Multicompany ##### -MultiCompanySetup=Multi-company module setup +MultiCompanySetup=Çox şirkət modulunun qurulması ##### Suppliers ##### -SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of Purchase Order -SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template) -SuppliersInvoiceModel=Complete template of Vendor Invoice -SuppliersInvoiceNumberingModel=Vendor invoices numbering models -IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval +SuppliersSetup=Satıcı modulunun qurulması +SuppliersCommandModel=Satınalma Sifarişinin tam şablonu +SuppliersCommandModelMuscadet=Satınalma Sifarişinin tam şablonu (korna şablonunun köhnə tətbiqi) +SuppliersInvoiceModel=Satıcı fakturasının tam şablonu +SuppliersInvoiceNumberingModel=Satıcı fakturalarının nömrələnməsi modelləri +IfSetToYesDontForgetPermission=Sıfır olmayan dəyərə təyin edilərsə, ikinci təsdiq üçün icazə verilən qruplara və ya istifadəçilərə icazə verməyi unutmayın ##### GeoIPMaxmind ##### -GeoIPMaxmindSetup=GeoIP Maxmind module setup -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation.
      Examples:
      /usr/local/share/GeoIP/GeoIP.dat
      /usr/share/GeoIP/GeoIP.dat
      /usr/share/GeoIP/GeoLite2-Country.mmdb -NoteOnPathLocation=Note that your ip to country data file must be inside a directory your PHP can read (Check your PHP open_basedir setup and filesystem permissions). -YouCanDownloadFreeDatFileTo=You can download a free demo version of the Maxmind GeoIP country file at %s. -YouCanDownloadAdvancedDatFileTo=You can also download a more complete version, with updates, of the Maxmind GeoIP country file at %s. -TestGeoIPResult=Test of a conversion IP -> country +GeoIPMaxmindSetup=GeoIP Maxmind modulunun qurulması +PathToGeoIPMaxmindCountryDataFile=Ölkəyə tərcümədə Maxmind ip ehtiva edən fayl yolu +NoteOnPathLocation=Nəzərə alın ki, ölkəyə olan IP məlumat faylınız PHP-nin oxuya biləcəyi qovluqda olmalıdır (PHP open_basedir quraşdırma və fayl sistemi icazələrini yoxlayın). +YouCanDownloadFreeDatFileTo=Maxmind GeoIP ölkə faylının pulsuz demo versiyasını endirə bilərsiniz b0ecb9fz87 /span>. +YouCanDownloadAdvancedDatFileTo=Siz həmçinin %s. +TestGeoIPResult=Konversiya IP-nin sınağı -> ölkə ##### Projects ##### -ProjectsNumberingModules=Projects numbering module -ProjectsSetup=Project module setup -ProjectsModelModule=Project reports document model -TasksNumberingModules=Tasks numbering module -TaskModelModule=Tasks reports document model -UseSearchToSelectProject=Wait until a key is pressed before loading content of Project combo list.
      This may improve performance if you have a large number of projects, but it is less convenient. +ProjectsNumberingModules=Layihələrin nömrələnməsi modulu +ProjectsSetup=Layihə modulunun qurulması +ProjectsModelModule=Layihə hesabatlarının sənəd modeli +TasksNumberingModules=Tapşırıqların nömrələnməsi modulu +TaskModelModule=Tapşırıqlar hesabat modeli +UseSearchToSelectProject=Layihə kombinasiya siyahısının məzmununu yükləməzdən əvvəl düyməyə basılana qədər gözləyin.
      Çox sayda layihəniz varsa, bu, performansı yaxşılaşdıra bilər, lakin bu, daha az rahatdır. ##### ECM (GED) ##### ##### Fiscal Year ##### -AccountingPeriods=Accounting periods -AccountingPeriodCard=Accounting period -NewFiscalYear=New accounting period -OpenFiscalYear=Open accounting period -CloseFiscalYear=Close accounting period -DeleteFiscalYear=Delete accounting period -ConfirmDeleteFiscalYear=Are you sure to delete this accounting period? -ShowFiscalYear=Show accounting period -AlwaysEditable=Can always be edited -MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application) -NbMajMin=Minimum number of uppercase characters -NbNumMin=Minimum number of numeric characters -NbSpeMin=Minimum number of special characters -NbIteConsecutive=Maximum number of repeating same characters -NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation -SalariesSetup=Setup of module salaries -SortOrder=Sort order +AccountingPeriods=Hesabat dövrləri +AccountingPeriodCard=Hesabat dövrü +NewFiscalYear=Yeni hesabat dövrü +OpenFiscalYear=Açıq hesabat dövrü +CloseFiscalYear=Hesabat dövrünü bağlayın +DeleteFiscalYear=Hesabat dövrünü silin +ConfirmDeleteFiscalYear=Bu hesabat dövrünü siləcəyinizə əminsiniz? +ShowFiscalYear=Hesabat dövrünü göstərin +AlwaysEditable=Həmişə redaktə edilə bilər +MAIN_APPLICATION_TITLE=Tətbiqin görünən adını məcbur edin (Xəbərdarlıq: burada öz adınızı təyin etmək DoliDroid mobil proqramından istifadə edərkən avtomatik doldurma giriş funksiyasını poza bilər) +NbMajMin=Böyük hərflərin minimum sayı +NbNumMin=Rəqəm simvollarının minimum sayı +NbSpeMin=Xüsusi simvolların minimum sayı +NbIteConsecutive=Təkrarlanan eyni simvolların maksimum sayı +NoAmbiCaracAutoGeneration=Avtomatik generasiya üçün qeyri-müəyyən simvollardan ("1","l","i","|","0","O") istifadə etməyin +SalariesSetup=Modul maaşlarının təyin edilməsi +SortOrder=Sırala Format=Format -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and suppliers payment type -IncludePath=Include path (defined into variable %s) -ExpenseReportsSetup=Setup of module Expense Reports -TemplatePDFExpenseReports=Document templates to generate expense report document -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules -ExpenseReportNumberingModules=Expense reports numbering module -NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only. -YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification". -TemplatesForNotifications=Templates for notifications -ListOfNotificationsPerUser=List of automatic notifications per user* -ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** -ListOfFixedNotifications=List of automatic fixed notifications -GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses -Threshold=Threshold -BackupDumpWizard=Wizard to build the database dump file -BackupZipWizard=Wizard to build the archive of documents directory -SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: -SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. -InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. -ConfFileMustContainCustom=Installing or building an external module from application need to save the module files into directory %s. To have this directory processed by Dolibarr, you must setup your conf/conf.php to add the 2 directive lines:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; -HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over -HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) -HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) -BtnActionColor=Color of the action button -TextBtnActionColor=Text color of the action button -TextTitleColor=Text color of Page title -LinkColor=Color of links -PressF5AfterChangingThis=Press CTRL+F5 on keyboard or clear your browser cache after changing this value to have it effective -NotSupportedByAllThemes=Will works with core themes, may not be supported by external themes -BackgroundColor=Background color -TopMenuBackgroundColor=Background color for Top menu -TopMenuDisableImages=Hide images in Top menu -LeftMenuBackgroundColor=Background color for Left menu -BackgroundTableTitleColor=Background color for Table title line -BackgroundTableTitleTextColor=Text color for Table title line -BackgroundTableTitleTextlinkColor=Text color for Table title link line -BackgroundTableLineOddColor=Background color for odd table lines -BackgroundTableLineEvenColor=Background color for even table lines -MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay) -NbAddedAutomatically=Number of days added to counters of users (automatically) each month -EnterAnyCode=This field contains a reference to identify the line. Enter any value of your choice, but without special characters. -Enter0or1=Enter 0 or 1 -UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] -ColorFormat=The RGB color is in HEX format, eg: FF0000 -PictoHelp=Icon name in dolibarr format ('image.png' if into the current theme directory, 'image.png@nom_du_module' if into the directory /img/ of a module) -PositionIntoComboList=Position of line into combo lists -SellTaxRate=Sales tax rate -RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. -UrlTrackingDesc=If the provider or transport service offers a page or web site to check the status of your shipments, you may enter it here. You can use the key {TRACKID} in the URL parameters so the system will replace it with the tracking number the user entered into the shipment card. -OpportunityPercent=When you create a lead, you will define an estimated amount of project/lead. According to status of the lead, this amount may be multiplied by this rate to evaluate a total amount all your leads may generate. Value is a percentage (between 0 and 100). -TemplateForElement=This mail template is related to what type of object? An email template is available only when using the "Send Email" button from the related object. -TypeOfTemplate=Type of template -TemplateIsVisibleByOwnerOnly=Template is visible to owner only -VisibleEverywhere=Visible everywhere -VisibleNowhere=Visible nowhere -FixTZ=TimeZone fix -FillFixTZOnlyIfRequired=Example: +2 (fill only if problem experienced) -ExpectedChecksum=Expected Checksum -CurrentChecksum=Current Checksum -ExpectedSize=Expected size -CurrentSize=Current size -ForcedConstants=Required constant values -MailToSendProposal=Customer proposals -MailToSendOrder=Sales orders -MailToSendInvoice=Customer invoices -MailToSendShipment=Shipments -MailToSendIntervention=Interventions -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices -MailToSendContract=Contracts -MailToSendReception=Receptions -MailToThirdparty=Third parties -MailToMember=Members -MailToUser=Users -MailToProject=Projects -MailToTicket=Tickets -ByDefaultInList=Show by default on list view -YouUseLastStableVersion=You use the latest stable version -TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) -TitleExampleForMaintenanceRelease=Example of message you can use to announce this maintenance release (feel free to use it on your web sites) -ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s is available. Version %s is a major release with a lot of new features for both users and developers. You can download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read ChangeLog for complete list of changes. -ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is available. Version %s is a maintenance version, so contains only bug fixes. We recommend all users to upgrade to this version. A maintenance release does not introduce new features or changes to the database. You may download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read the ChangeLog for complete list of changes. -MultiPriceRuleDesc=When option "Several levels of prices per product/service" is enabled, you can define different prices (one per price level) for each product. To save you time, here you may enter a rule to autocalculate a price for each level based on the price of the first level, so you will have to only enter a price for the first level for each product. This page is designed to save you time but is useful only if your prices for each level are relative to first level. You can ignore this page in most cases. -ModelModulesProduct=Templates for product documents -WarehouseModelModules=Templates for documents of warehouses -ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate codes automatically, you must first define a manager to auto-define the barcode number. -SeeSubstitutionVars=See * note for list of possible substitution variables -SeeChangeLog=See ChangeLog file (english only) -AllPublishers=All publishers -UnknownPublishers=Unknown publishers -AddRemoveTabs=Add or remove tabs -AddDataTables=Add object tables -AddDictionaries=Add dictionaries tables -AddData=Add objects or dictionaries data -AddBoxes=Add widgets -AddSheduledJobs=Add scheduled jobs -AddHooks=Add hooks -AddTriggers=Add triggers -AddMenus=Add menus -AddPermissions=Add permissions -AddExportProfiles=Add export profiles -AddImportProfiles=Add import profiles -AddOtherPagesOrServices=Add other pages or services -AddModels=Add document or numbering templates -AddSubstitutions=Add keys substitutions -DetectionNotPossible=Detection not possible -UrlToGetKeyToUseAPIs=Url to get token to use API (once token has been received it is saved in database user table and must be provided on each API call) -ListOfAvailableAPIs=List of available APIs -activateModuleDependNotSatisfied=Module "%s" depends on module "%s", that is missing, so module "%1$s" may not work correctly. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise -CommandIsNotInsideAllowedCommands=The command you are trying to run is not in the list of allowed commands defined in parameter $dolibarr_main_restrict_os_commands in the conf.php file. -LandingPage=Landing page -SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", the price will also be the same for all companies if products are shared between environments -ModuleEnabledAdminMustCheckRights=Module has been activated. Permissions for activated module(s) were given to admin users only. You may need to grant permissions to other users or groups manually if necessary. -UserHasNoPermissions=This user has no permissions defined -TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "%s")
      Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "%s" in days)
      Use "Current/Next" to have payment term date being the first Nth of the month after delta (delta is field "%s", N is stored into field "%s") -BaseCurrency=Reference currency of the company (go into setup of company to change this) -WarningNoteModuleInvoiceForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016). -WarningNoteModulePOSForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016) because module Non Reversible Logs is automatically activated. -WarningInstallationMayBecomeNotCompliantWithLaw=You are trying to install module %s that is an external module. Activating an external module means you trust the publisher of that module and that you are sure that this module does not adversely impact the behavior of your application, and is compliant with laws of your country (%s). If the module introduces an illegal feature, you become responsible for the use of illegal software. -MAIN_PDF_MARGIN_LEFT=Left margin on PDF -MAIN_PDF_MARGIN_RIGHT=Right margin on PDF -MAIN_PDF_MARGIN_TOP=Top margin on PDF -MAIN_PDF_MARGIN_BOTTOM=Bottom margin on PDF -MAIN_DOCUMENTS_LOGO_HEIGHT=Height for logo on PDF -MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Add column for picture on proposal lines -MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Width of the column if a picture is added on lines -MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame -MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code -MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block -PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions -PROPOSAL_PDF_HIDE_PAYMENTMODE=Hide payment mode -MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Add electronic sign in PDF -NothingToSetup=There is no specific setup required for this module. -SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes.
      For example:
      CODEGRP1+CODEGRP2 -SeveralLangugeVariatFound=Several language variants found -RemoveSpecialChars=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_DIGITARIA_CLEAN_REGEX=Regex filter to clean value (COMPANY_DIGITARIA_CLEAN_REGEX) -COMPANY_DIGITARIA_UNIQUE_CODE=Duplicate not allowed -GDPRContact=Data Protection Officer (DPO, Data Privacy or GDPR contact) -GDPRContactDesc=If you store data about European companies/citizens, you can name the contact who is responsible for the General Data Protection Regulation here -HelpOnTooltip=Help text to show on tooltip -HelpOnTooltipDesc=Put text or a translation key here for the text to show in a tooltip when this field appears in a form -YouCanDeleteFileOnServerWith=You can delete this file on the server with Command Line:
      %s -ChartLoaded=Chart of account loaded -SocialNetworkSetup=Setup of module Social Networks -EnableFeatureFor=Enable features for %s -VATIsUsedIsOff=Note: The option to use Sales Tax or VAT has been set to Off in the menu %s - %s, so Sales tax or Vat used will always be 0 for sales. -SwapSenderAndRecipientOnPDF=Swap sender and recipient address position on PDF documents -FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields and combo lists only. Also an URL parameter action=create or action=edit must be set OR page name must end with 'new.php' to trigger this feature. -EmailCollector=Email collector -EmailCollectorDescription=Add a scheduled job and a setup page to scan regularly email boxes (using IMAP protocol) and record emails received into your application, at the right place and/or create some records automatically (like leads). -NewEmailCollector=New Email Collector -EMailHost=Host of email IMAP server -MailboxSourceDirectory=Mailbox source directory -MailboxTargetDirectory=Mailbox target directory -EmailcollectorOperations=Operations to do by collector -EmailcollectorOperationsDesc=Operations are executed from top to bottom order -MaxEmailCollectPerCollect=Max number of emails collected per collect -CollectNow=Collect now -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ? -DateLastCollectResult=Date of latest collect try -DateLastcollectResultOk=Date of latest collect success -LastResult=Latest result -EmailCollectorConfirmCollectTitle=Email collect confirmation -EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ? -NoNewEmailToProcess=No new email (matching filters) to process -NothingProcessed=Nothing done -XEmailsDoneYActionsDone=%s emails qualified, %s emails successfully processed (for %s record/actions done) -RecordEvent=Record an event in agenda (with type Email sent or received) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation, with no third party otherwise) -CodeLastResult=Latest result code -NbOfEmailsInInbox=Number of emails in source directory -LoadThirdPartyFromName=Load third party searching on %s (load only) -LoadThirdPartyFromNameOrCreate=Load third party searching on %s (create if not found) -AttachJoinedDocumentsToObject=Save attached files into object documents if a ref of an object is found into email topic. -WithDolTrackingID=Message from a conversation initiated by a first email sent from Dolibarr -WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr -WithDolTrackingIDInMsgId=Message sent from Dolibarr -WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr -CreateCandidature=Create job application +TypePaymentDesc=0: Müştəri ödəniş növü, 1: Satıcı ödəniş növü, 2: Həm müştərilər, həm də təchizatçılar ödəniş növü +IncludePath=Yolu daxil edin (%s dəyişəni ilə müəyyən edilir) +ExpenseReportsSetup=Modul Xərc Hesabatlarının qurulması +TemplatePDFExpenseReports=Xərc hesabatı sənədini yaratmaq üçün sənəd şablonları +ExpenseReportsRulesSetup=Modul Xərc Hesabatlarının qurulması - Qaydalar +ExpenseReportNumberingModules=Xərc hesabatlarının nömrələnməsi modulu +NoModueToManageStockIncrease=Avtomatik ehtiyat artımını idarə edə bilən heç bir modul aktivləşdirilməmişdir. Səhm artımı yalnız əl ilə daxil edilməklə həyata keçiriləcək. +YouMayFindNotificationsFeaturesIntoModuleNotification=Siz "Bildiriş" modulunu aktivləşdirmək və konfiqurasiya etməklə e-poçt bildirişləri üçün seçimləri tapa bilərsiniz. +TemplatesForNotifications=Bildirişlər üçün şablonlar +ListOfNotificationsPerUser=İstifadəçi başına avtomatik bildirişlərin siyahısı* +ListOfNotificationsPerUserOrContact=Hər bir istifadəçi üçün* və ya hər bir əlaqə üçün** mövcud olan mümkün avtomatik bildirişlərin (iş hadisəsi haqqında) siyahısı +ListOfFixedNotifications=Avtomatik sabit bildirişlərin siyahısı +GoOntoUserCardToAddMore=İstifadəçilər üçün bildirişlər əlavə etmək və ya silmək üçün istifadəçinin "Bildirişləri" sekmesine keçin +GoOntoContactCardToAddMore=Kontaktlar/ünvanlar üçün bildirişlər əlavə etmək və ya silmək üçün üçüncü tərəfin "Bildirişləri" sekmesine keçin. +Threshold=Həddi +BackupDumpWizard=Verilənlər bazası dump faylını yaratmaq üçün sehrbazdır +BackupZipWizard=Sənədlərin arxivini yaratmaq üçün sehrbazdır +SomethingMakeInstallFromWebNotPossible=Xarici modulun quraşdırılması aşağıdakı səbəblərə görə veb interfeysdən mümkün deyil: +SomethingMakeInstallFromWebNotPossible2=Bu səbəbdən, burada təsvir edilən təkmilləşdirmə prosesi yalnız imtiyazlı istifadəçinin yerinə yetirə biləcəyi əl ilə həyata keçirilən prosesdir. +InstallModuleFromWebHasBeenDisabledContactUs=Tətbiqdən xarici modulların və ya dinamik veb-saytların quraşdırılması və ya inkişafı təhlükəsizlik məqsədi ilə hazırda kilidlənib. Bu funksiyanı aktivləşdirmək lazımdırsa, bizimlə əlaqə saxlayın. +InstallModuleFromWebHasBeenDisabledByFile=Tətbiqdən xarici modulun quraşdırılması administratorunuz tərəfindən deaktiv edilib. Buna icazə vermək üçün ondan %s faylını silməsini xahiş etməlisiniz. xüsusiyyət. +ConfFileMustContainCustom=Tətbiqdən xarici modul quraşdırmaq və ya qurmaq üçün modul fayllarını %s qovluğunda saxlamaq lazımdır. . Bu kataloqun Dolibarr tərəfindən işlənməsi üçün siz conf/conf.php 2 direktiv sətir əlavə etmək üçün quraşdırmalısınız:
      $dolibarr_main_url_root_alt='/custom';b0a106f><09fd ='notranslate'>
      $dolibarr_main_document_root_alt='b0ecb2ec87f49'>b0ecb2ec87f49; +HighlightLinesOnMouseHover=Siçan hərəkəti üzərindən keçəndə cədvəl xətlərini vurğulayın +HighlightLinesColor=Siçan üzərindən keçəndə xəttin rəngini vurğulayın (vurğulanmamaq üçün "ffffff" istifadə edin) +HighlightLinesChecked=Yoxlandıqda xəttin rəngini vurğulayın (vurğulanmamaq üçün "ffffff" istifadə edin) +UseBorderOnTable=Cədvəllərdə sol-sağ sərhədləri göstərin +TableLineHeight=Cədvəl xəttinin hündürlüyü +BtnActionColor=Fəaliyyət düyməsinin rəngi +TextBtnActionColor=Fəaliyyət düyməsinin mətn rəngi +TextTitleColor=Səhifə başlığının mətn rəngi +LinkColor=Bağlantıların rəngi +PressF5AfterChangingThis=Klaviaturada CTRL+F5 düymələrini basın və ya effektiv olması üçün bu dəyəri dəyişdikdən sonra brauzerinizin keşini təmizləyin +NotSupportedByAllThemes=Will əsas mövzularla işləyir, xarici mövzular tərəfindən dəstəklənməyə bilər +BackgroundColor=Fon rəngi +TopMenuBackgroundColor=Üst menyu üçün fon rəngi +TopMenuDisableImages=Üst menyuda nişan və ya mətn +LeftMenuBackgroundColor=Sol menyu üçün fon rəngi +BackgroundTableTitleColor=Cədvəl başlıq xətti üçün fon rəngi +BackgroundTableTitleTextColor=Cədvəl başlıq xətti üçün mətn rəngi +BackgroundTableTitleTextlinkColor=Cədvəl başlığı keçid xətti üçün mətn rəngi +BackgroundTableLineOddColor=Tək masa xətləri üçün fon rəngi +BackgroundTableLineEvenColor=Düz masa xətləri üçün fon rəngi +MinimumNoticePeriod=Minimum xəbərdarlıq müddəti (Məzuniyyət sorğunuz bu gecikmədən əvvəl edilməlidir) +NbAddedAutomatically=Hər ay istifadəçilərin sayğaclarına əlavə olunan günlərin sayı (avtomatik olaraq). +EnterAnyCode=Bu sahədə xətti müəyyən etmək üçün istinad var. Seçdiyiniz istənilən dəyəri daxil edin, lakin xüsusi simvollar olmadan. +Enter0or1=0 və ya 1 daxil edin +UnicodeCurrency=Buraya mötərizələr arasında daxil edin, valyuta simvolunu təmsil edən bayt nömrəsinin siyahısı. Məsələn: $ üçün, daxil edin [36] - brazil real R$ üçün [82,36] - € üçün, daxil edin [8364] +ColorFormat=RGB rəngi HEX formatındadır, məsələn: FF0000 +PictoHelp=Formatda ikona adı:
      - cari tema qovluğuna şəkil faylı üçün image.png
      - image.png@module fayl modulun /img/ kataloqundadırsa
      - FontAwesome fa-xxx picto üçün fa-xxx
      - FontAwesome fa-xxx picto üçün fontawesome_xxx_fa_color_size (prefiks, rəng və ölçü dəsti ilə) +PositionIntoComboList=Xəttin kombo siyahılara yerləşdirilməsi +SellTaxRate=Satış vergisi dərəcəsi +RecuperableOnly=Bəli, Fransanın bəzi əyalətləri üçün nəzərdə tutulmuş ƏDV "Qəbul edilmir, lakin bərpa edilə bilər". Bütün digər hallarda dəyəri "Xeyr" olaraq saxlayın. +UrlTrackingDesc=Əgər provayder və ya nəqliyyat xidməti göndərişlərinizin statusunu yoxlamaq üçün səhifə və ya veb sayt təklif edirsə, onu bura daxil edə bilərsiniz. Siz URL parametrlərində {TRACKID} açarından istifadə edə bilərsiniz ki, sistem onu istifadəçinin göndərmə kartına daxil etdiyi izləmə nömrəsi ilə əvəz etsin. +OpportunityPercent=Müqavilə yaratdığınız zaman, təxmini məbləği layihə/rəhbər təyin edəcəksiniz. Liderin statusuna görə, bütün potensial müştərilərinizin yarada biləcəyi ümumi məbləği qiymətləndirmək üçün bu məbləğ bu nisbətə vurula bilər. Dəyər faizdir (0 ilə 100 arasında). +TemplateForElement=Bu poçt şablonu hansı obyekt növü ilə bağlıdır? E-poçt şablonu yalnız əlaqəli obyektdən "E-poçt göndər" düyməsini istifadə edərkən mövcuddur. +TypeOfTemplate=Şablon növü +TemplateIsVisibleByOwnerOnly=Şablon yalnız sahibinə görünür +VisibleEverywhere=Hər yerdə görünür +VisibleNowhere=Heç bir yerdə görünmür +FixTZ=Saat qurşağının düzəldilməsi +FillFixTZOnlyIfRequired=Misal: +2 (yalnız problem yaranarsa doldurun) +ExpectedChecksum=Gözlənilən yoxlama məbləği +CurrentChecksum=Cari yoxlama məbləği +ExpectedSize=Gözlənilən ölçü +CurrentSize=Cari ölçü +ForcedConstants=Tələb olunan sabit dəyərlər +MailToSendProposal=Müştəri təklifləri +MailToSendOrder=Satış sifarişləri +MailToSendInvoice=Müştəri hesab-fakturaları +MailToSendShipment=Göndərmələr +MailToSendIntervention=Müdaxilələr +MailToSendSupplierRequestForQuotation=Kotirovka sorğusu +MailToSendSupplierOrder=Satınalma sifarişləri +MailToSendSupplierInvoice=Satıcı fakturaları +MailToSendContract=Müqavilələr +MailToSendReception=Qəbullar +MailToExpenseReport=Xərc hesabatları +MailToThirdparty=Üçüncü tərəflər +MailToMember=Üzvlər +MailToUser=İstifadəçilər +MailToProject=Layihələr +MailToTicket=Biletlər +ByDefaultInList=Siyahı görünüşündə standart olaraq göstərin +YouUseLastStableVersion=Ən son stabil versiyadan istifadə edirsiniz +TitleExampleForMajorRelease=Bu əsas buraxılışı elan etmək üçün istifadə edə biləcəyiniz mesaj nümunəsi (ondan veb saytlarınızda istifadə etməkdən çəkinməyin) +TitleExampleForMaintenanceRelease=Bu texniki xidmət buraxılışını elan etmək üçün istifadə edə biləcəyiniz mesaj nümunəsi (ondan veb saytlarınızda istifadə etməkdən çəkinməyin) +ExampleOfNewsMessageForMajorRelease=Dolibarr ERP və CRM %s mövcuddur. %s versiyası həm istifadəçilər, həm də tərtibatçılar üçün çoxlu yeni funksiyaları olan əsas buraxılışdır. Siz onu https://www.dolibarr.org portalının yükləmə sahəsindən yükləyə bilərsiniz (alt kataloq Stabil versiyalar). Dəyişikliklərin tam siyahısı üçün ChangeLog oxuya bilərsiniz. +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP və CRM %s mövcuddur. %s versiyası texniki xidmət versiyasıdır, ona görə də yalnız baq həlləri var. Bütün istifadəçilərə bu versiyanı yeniləməyi tövsiyə edirik. Baxım buraxılışı verilənlər bazasına yeni funksiyalar və ya dəyişikliklər təqdim etmir. Siz onu https://www.dolibarr.org portalının yükləmə sahəsindən yükləyə bilərsiniz (alt qovluq Sabit versiyalar). Dəyişikliklərin tam siyahısı üçün ChangeLog oxuya bilərsiniz. +MultiPriceRuleDesc="Bir məhsul/xidmət üçün qiymətlərin bir neçə səviyyəsi" seçimi aktiv olduqda, siz hər bir məhsul üçün müxtəlif qiymətlər (hər bir qiymət səviyyəsinə bir) təyin edə bilərsiniz. Vaxtınıza qənaət etmək üçün burada siz birinci səviyyənin qiymətinə əsasən hər bir səviyyə üçün qiyməti avtomatik hesablamaq qaydasını daxil edə bilərsiniz, ona görə də hər bir məhsul üçün yalnız birinci səviyyə üçün qiymət daxil etməli olacaqsınız. Bu səhifə vaxtınıza qənaət etmək üçün nəzərdə tutulmuşdur, lakin yalnız hər səviyyə üçün qiymətləriniz birinci səviyyəyə nisbətən olduqda faydalıdır. Əksər hallarda bu səhifəni görməməzliyə vura bilərsiniz. +ModelModulesProduct=Məhsul sənədləri üçün şablonlar +WarehouseModelModules=Anbar sənədləri üçün şablonlar +ToGenerateCodeDefineAutomaticRuleFirst=Kodları avtomatik yarada bilmək üçün əvvəlcə barkod nömrəsini avtomatik təyin etmək üçün menecer təyin etməlisiniz. +SeeSubstitutionVars=Mümkün əvəzetmə dəyişənlərinin siyahısı üçün * qeydinə baxın +SeeChangeLog=ChangeLog faylına baxın (yalnız ingiliscə) +AllPublishers=Bütün nəşriyyatlar +UnknownPublishers=Naməlum naşirlər +AddRemoveTabs=Nişanlar əlavə edin və ya silin +AddDataTables=Obyekt cədvəlləri əlavə edin +AddDictionaries=Lüğət cədvəlləri əlavə edin +AddData=Obyektlər və ya lüğətlər məlumatı əlavə edin +AddBoxes=Vidjetlər əlavə edin +AddSheduledJobs=Planlaşdırılmış işləri əlavə edin +AddHooks=Qarmaqlar əlavə edin +AddTriggers=Tətiklər əlavə edin +AddMenus=Menyular əlavə edin +AddPermissions=İcazələr əlavə edin +AddExportProfiles=İxrac profilləri əlavə edin +AddImportProfiles=İdxal profilləri əlavə edin +AddOtherPagesOrServices=Digər səhifələr və ya xidmətlər əlavə edin +AddModels=Sənəd və ya nömrələmə şablonları əlavə edin +AddSubstitutions=Düymələrin dəyişdirilməsini əlavə edin +DetectionNotPossible=Aşkarlama mümkün deyil +UrlToGetKeyToUseAPIs=API istifadə etmək üçün token əldə etmək üçün URL (token alındıqdan sonra verilənlər bazası istifadəçi cədvəlində saxlanılır və hər API çağırışında təqdim edilməlidir) +ListOfAvailableAPIs=Mövcud API-lərin siyahısı +activateModuleDependNotSatisfied="%s" modulu çatışmayan "%s" modulundan asılıdır, ona görə də " modulu %1$s" düzgün işləməyə bilər. Hər hansı bir sürprizdən təhlükəsiz olmaq istəyirsinizsə, "%2$s" modulunu quraşdırın və ya "%1$s" modulunu deaktiv edin. +CommandIsNotInsideAllowedCommands=Çalışdırmağa çalışdığınız əmr $dolibarr_main_restrict_os_commands parametrində müəyyən edilmiş icazə verilən əmrlər siyahısında deyil. class='notranslate'>
      conf.php faylı. +LandingPage=Açılış səhifə +SamePriceAlsoForSharedCompanies=Əgər "Vahid qiymət" seçimi ilə çoxşirkətli moduldan istifadə etsəniz, məhsullar mühitlər arasında paylaşıldıqda qiymət bütün şirkətlər üçün eyni olacaq. +ModuleEnabledAdminMustCheckRights=Modul aktivləşdirilib. Aktivləşdirilmiş modul(lar) üçün icazələr yalnız admin istifadəçilərə verilib. Lazım gələrsə, digər istifadəçilərə və ya qruplara əl ilə icazələr verməli ola bilərsiniz. +UserHasNoPermissions=Bu istifadəçinin müəyyən edilmiş icazələri yoxdur +TypeCdr=Ödəniş müddəti hesab-fakturanın tarixi və günlərlə deltadırsa (delta "%s" sahəsidir)
      dırsa, "Yox"dan istifadə edin. span>Deltadan sonra ayın sonuna çatmaq üçün tarix artırılmalıdırsa, "Ayın sonunda" istifadə edin (+ günlərlə "%s" əlavə edin)
      Ödəniş tarixinin deltadan sonra ayın ilk N-i olması üçün "Cari/Növbəti"dən istifadə edin (delta "%s" sahəsidir. , N "%s" sahəsində saxlanılır) +BaseCurrency=Şirkətin istinad valyutası (bunu dəyişmək üçün şirkətin qurulmasına daxil olun) +WarningNoteModuleInvoiceForFrenchLaw=Bu modul %s Fransa qanunlarına uyğundur (Loi Finance 2016). +WarningNoteModulePOSForFrenchLaw=Bu modul %s Fransız qanunlarına (Loi Finance 2016) uyğundur, çünki Qaytarılmayan Qeydlər modulu avtomatik aktivləşdirilir. +WarningInstallationMayBecomeNotCompliantWithLaw=Siz xarici modul olan %s modulunu quraşdırmağa çalışırsınız. Xarici modulun aktivləşdirilməsi həmin modulun naşirinə etibar etdiyiniz və bu modulun tətbiqinizin davranışına mənfi təsir göstərmədiyinə və ölkənizin qanunlarına uyğun olduğuna əmin olduğunuz deməkdir (%s). Modul qeyri-qanuni xüsusiyyət təqdim edərsə, qeyri-qanuni proqram təminatının istifadəsinə görə məsuliyyət daşıyırsınız. + +MAIN_PDF_MARGIN_LEFT=PDF-də sol kənar +MAIN_PDF_MARGIN_RIGHT=PDF-də sağ kənar +MAIN_PDF_MARGIN_TOP=PDF-də yuxarı kənar +MAIN_PDF_MARGIN_BOTTOM=PDF-də alt kənar +MAIN_DOCUMENTS_LOGO_HEIGHT=Loqo üçün hündürlük pdf formatında +DOC_SHOW_FIRST_SALES_REP=İlk satış nümayəndəsini göstərin +MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Təklif sətirlərində şəkil üçün sütun əlavə edin +MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Sətirlərə şəkil əlavə edilərsə, sütunun eni +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Kotirovka sorğularında vahid qiymət sütununu gizlədin +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Kotirovka sorğularında ümumi qiymət sütununu gizlədin +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Alış sifarişlərində vahid qiymət sütununu gizlədin +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Alış sifarişlərində ümumi qiymət sütununu gizlədin +MAIN_PDF_NO_SENDER_FRAME=Göndərən ünvan çərçivəsindəki sərhədləri gizlədin +MAIN_PDF_NO_RECIPENT_FRAME=Alıcı ünvan çərçivəsindəki sərhədləri gizlədin +MAIN_PDF_HIDE_CUSTOMER_CODE=Müştəri kodunu gizlədin +MAIN_PDF_HIDE_SENDER_NAME=Ünvan blokunda göndərənin/şirkətin adını gizlədin +PROPOSAL_PDF_HIDE_PAYMENTTERM=Ödəniş şərtlərini gizlədin +PROPOSAL_PDF_HIDE_PAYMENTMODE=Ödəniş rejimini gizlədin +MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=PDF-də elektron giriş əlavə edin +NothingToSetup=Bu modul üçün xüsusi quraşdırma tələb olunmur. +SetToYesIfGroupIsComputationOfOtherGroups=Bu qrup digər qrupların hesablamasıdırsa, bunu bəli kimi təyin edin +EnterCalculationRuleIfPreviousFieldIsYes=Əvvəlki sahə Bəli olaraq ayarlanıbsa, hesablama qaydasını daxil edin.
      Məsələn:
      CODEGRP1+CODEGRP2 +SeveralLangugeVariatFound=Bir neçə dil variantı tapıldı +RemoveSpecialChars=Xüsusi simvolları silin +COMPANY_AQUARIUM_CLEAN_REGEX=Təmiz dəyər üçün regex filtri (COMPANY_AQUARIUM_CLEAN_REGEX) +COMPANY_AQUARIUM_NO_PREFIX=Prefiksdən istifadə etməyin, yalnız müştəri və ya təchizatçı kodunu kopyalayın +COMPANY_DIGITARIA_CLEAN_REGEX=Təmiz dəyər üçün regex filtri (COMPANY_DIGITARIA_CLEAN_REGEX) +COMPANY_DIGITARIA_UNIQUE_CODE=Dublikat icazə verilmir +RemoveSpecialWords=Müştərilər və ya təchizatçılar üçün sub-hesablar yaradan zaman müəyyən sözləri təmizləyin +RemoveSpecialWordsHelp=Müştəri və ya təchizatçı hesabını hesablamadan əvvəl təmizlənəcək sözləri göstərin. ";" istifadə edin hər söz arasında +GDPRContact=Məlumatların Mühafizəsi Məmuru (DPO, Məlumat Məxfiliyi və ya GDPR əlaqəsi) +GDPRContactDesc=Şəxsi məlumatlarınızı İnformasiya Sisteminizdə saxlayırsınızsa, burada Ümumi Məlumatların Qorunması Qaydasına cavabdeh olan kontaktın adını çəkə bilərsiniz +HelpOnTooltip=Alət ipucunda göstərmək üçün kömək mətni +HelpOnTooltipDesc=Bu sahə formada görünəndə mətnin alət ipucunda görünməsi üçün bura mətn və ya tərcümə düyməsini qoyun +YouCanDeleteFileOnServerWith=Bu faylı serverdə Komanda xətti ilə silə bilərsiniz:
      %s +ChartLoaded=Hesab cədvəli yükləndi +SocialNetworkSetup=Sosial şəbəkələr modulunun qurulması +EnableFeatureFor=%s üçün funksiyaları aktiv edin +VATIsUsedIsOff=Qeyd: Satış Vergisi və ya ƏDV-dən istifadə seçimi %s - %s, buna görə də istifadə edilən Satış vergisi və ya ƏDV satış üçün həmişə 0 olacaq. +SwapSenderAndRecipientOnPDF=PDF sənədlərində göndərici və alıcı ünvanının yerini dəyişdirin +FeatureSupportedOnTextFieldsOnly=Xəbərdarlıq, funksiya yalnız mətn sahələrində və birləşmiş siyahılarda dəstəklənir. Həmçinin URL parametri action=create və ya action=edit təyin edilməlidir və ya bu funksiyanı işə salmaq üçün səhifə adı 'new.php' ilə bitməlidir. +EmailCollector=E-poçt kollektoru +EmailCollectors=E-poçt kollektorları +EmailCollectorDescription=Müntəzəm olaraq e-poçt qutularını skan etmək (IMAP protokolundan istifadə etməklə) və ərizənizə daxil olan e-poçtları lazımi yerdə qeyd etmək və/yaxud avtomatik olaraq bəzi qeydlər yaratmaq (məsələn, aparıcılar) üçün planlaşdırılmış iş və quraşdırma səhifəsi əlavə edin. +NewEmailCollector=Yeni E-poçt Kollektoru +EMailHost=E-poçt IMAP serverinin hostu +EMailHostPort=E-poçt IMAP serverinin portu +loginPassword=Giriş/Parol +oauthToken=OAuth2 nişanı +accessType=Giriş növü +oauthService=Oauth xidməti +TokenMustHaveBeenCreated=OAuth2 modulu aktiv edilməli və düzgün icazələrlə (məsələn, Gmail üçün OAuth ilə "gmail_full" əhatə dairəsi) oauth2 nişanı yaradılmalıdır. +ImapEncryption = IMAP şifrələmə üsulu +ImapEncryptionHelp = Misal: heç biri, ssl, tls, notls +NoRSH = NoRSH konfiqurasiyasından istifadə edin +NoRSHHelp = IMAP öncəsi identifikasiya sessiyası yaratmaq üçün RSH və ya SSH protokollarından istifadə etməyin +MailboxSourceDirectory=Poçt qutusu mənbə kataloqu +MailboxTargetDirectory=Poçt qutusu hədəf kataloqu +EmailcollectorOperations=Kollektor tərəfindən görüləcək əməliyyatlar +EmailcollectorOperationsDesc=Əməliyyatlar yuxarıdan aşağıya doğru aparılır +MaxEmailCollectPerCollect=Toplama başına toplanan e-poçtların maksimum sayı +TestCollectNow=Test toplamaq +CollectNow=İndi toplayın +ConfirmCloneEmailCollector=E-poçt kollektorunu %s klonlamaq istədiyinizə əminsiniz? +DateLastCollectResult=Ən son toplama cəhdinin tarixi +DateLastcollectResultOk=Ən son toplama uğurunun tarixi +LastResult=Ən son nəticə +EmailCollectorHideMailHeaders=E-poçt başlığının məzmununu toplanmış e-poçtların saxlanmış məzmununa daxil etməyin +EmailCollectorHideMailHeadersHelp=Aktivləşdirildikdə, gündəm hadisəsi kimi saxlanılan e-poçt məzmununun sonuna e-poçt başlıqları əlavə edilmir. +EmailCollectorConfirmCollectTitle=E-poçt toplama təsdiqi +EmailCollectorConfirmCollect=İndi bu kollektoru idarə etmək istəyirsiniz? +EmailCollectorExampleToCollectTicketRequestsDesc=Bəzi qaydalara uyğun gələn e-poçtları toplayın və e-poçt məlumatı ilə avtomatik bilet (Module Bilet aktivləşdirilməlidir) yaradın. Siz e-poçt vasitəsilə bəzi dəstək göstərsəniz, bu kollektordan istifadə edə bilərsiniz, beləliklə, bilet sorğunuz avtomatik olaraq yaradılacaq. Müştərinizin cavablarını birbaşa bilet görünüşündə toplamaq üçün Collect_Responses funksiyasını da aktivləşdirin (siz Dolibarr-dan cavab verməlisiniz). +EmailCollectorExampleToCollectTicketRequests=Bilet sorğusunun toplanması nümunəsi (yalnız ilk mesaj) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Başqa bir e-poçtun cavabı olaraq Dolibarr-dan deyil, birbaşa e-poçt proqramınızdan göndərilən e-poçtları tapmaq üçün poçt qutunuzun "Göndərilmiş" kataloqunu skan edin. Əgər belə bir e-poçt tapılarsa, cavab hadisəsi Dolibarr-da qeyd olunur +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Xarici e-poçt proqramından göndərilən e-poçt cavablarının toplanması nümunəsi +EmailCollectorExampleToCollectDolibarrAnswersDesc=Müraciətinizdən göndərilən e-poçtun cavabı olan bütün e-poçtları toplayın. E-poçt cavabı ilə bir hadisə (Modul Gündəmi aktivləşdirilməlidir) yaxşı yerdə qeyd olunacaq. Məsələn, proqramdan e-poçt vasitəsilə bilet üçün kommersiya təklifi, sifariş, faktura və ya mesaj göndərsəniz və alıcı sizin e-poçtunuza cavab verərsə, sistem avtomatik olaraq cavabı tutacaq və onu ERP-yə əlavə edəcəkdir. +EmailCollectorExampleToCollectDolibarrAnswers=Dolibarr'dan göndərilən mesajlara cavab olan bütün daxil olan mesajların toplanması nümunəsi +EmailCollectorExampleToCollectLeadsDesc=Bəzi qaydalara uyğun gələn e-poçtları toplayın və e-poçt məlumatı ilə avtomatik olaraq aparıcı (Modul Layihəsi aktivləşdirilməlidir) yaradın. Layihə modulundan istifadə edərək liderinizi izləmək istəyirsinizsə, bu kollektordan istifadə edə bilərsiniz (1 aparıcı = 1 layihə), beləliklə, potensial müştəriləriniz avtomatik olaraq yaradılacaq. Collect_Responses kollektoru da aktivdirsə, potensial müştərilərinizdən, təkliflərinizdən və ya hər hansı digər obyektdən e-poçt göndərdiyiniz zaman siz müştərilərinizin və ya tərəfdaşlarınızın cavablarını birbaşa tətbiqdə görə bilərsiniz.
      Qeyd: Bu ilkin nümunə ilə aparıcının başlığı e-poçt daxil olmaqla yaradılır. Üçüncü tərəfi verilənlər bazasında tapmaq mümkün olmadıqda (yeni müştəri), aparıcı ID 1 ilə üçüncü tərəfə əlavə olunacaq. +EmailCollectorExampleToCollectLeads=Rəqəmlərin toplanması nümunəsi +EmailCollectorExampleToCollectJobCandidaturesDesc=İş təkliflərinə müraciət edən e-poçtları toplayın (Modul işə qəbulu aktiv olmalıdır). Bir iş sorğusu üçün avtomatik olaraq namizəd yaratmaq istəyirsinizsə, bu kollektoru tamamlaya bilərsiniz. Qeyd: Bu ilkin nümunə ilə e-poçt daxil olmaqla, namizədin başlığı yaradılır. +EmailCollectorExampleToCollectJobCandidatures=Elektron poçtla alınan işə namizədlərin toplanması nümunəsi +NoNewEmailToProcess=Emal ediləcək yeni e-poçt (uyğun filtrlər) yoxdur +NothingProcessed=Heç nə edilməyib +RecordEvent=Gündəlikdə bir hadisə qeyd edin (göndərilmiş və ya qəbul edilmiş e-poçt növü ilə) +CreateLeadAndThirdParty=Rəhbər yaradın (və lazım olduqda üçüncü tərəf) +CreateTicketAndThirdParty=Bilet yaradın (üçüncü tərəf əvvəlki əməliyyatla yüklənibsə və ya e-poçt başlığında izləyicidən təxmin edilibsə, üçüncü tərəflə əlaqələndirilib, üçüncü tərəf olmadan) +CodeLastResult=Ən son nəticə kodu +NbOfEmailsInInbox=Mənbə kataloqunda e-poçtların sayı +LoadThirdPartyFromName=%s üzərində üçüncü tərəf axtarışını yükləyin (yalnız yükləyin) +LoadThirdPartyFromNameOrCreate=%s üzərində üçüncü tərəf axtarışını yükləyin (tapılmazsa yaradın) +LoadContactFromEmailOrCreate=%s üzərində kontakt axtarışını yükləyin (tapılmadıqda yaradın) +AttachJoinedDocumentsToObject=E-poçt mövzusunda obyektin referatı tapılarsa, əlavə edilmiş faylları obyekt sənədlərində saxlayın. +WithDolTrackingID=Dolibarr-dan göndərilən ilk e-poçtla başlayan söhbətdən mesaj +WithoutDolTrackingID=Dolibarr-dan GÖNDƏRİLMƏYƏN ilk e-poçtla başlayan söhbətdən mesaj +WithDolTrackingIDInMsgId=Mesaj Dolibarrdan göndərildi +WithoutDolTrackingIDInMsgId=Mesaj Dolibarrdan göndərilmədi +CreateCandidature=İş ərizəsi yaradın FormatZip=Zip -MainMenuCode=Menu entry code (mainmenu) -ECMAutoTree=Show automatic ECM tree -OperationParamDesc=Define the rules to use to extract or set values.
      Example for operations that need to extract a name from email subject:
      name=EXTRACT:SUBJECT:Message from company ([^\n]*)
      Example for operations that create objects:
      objproperty1=SET:the value to set
      objproperty2=SET:a value including value of __objproperty1__
      objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a ; char as separator to extract or set several properties. -OpeningHours=Opening hours -OpeningHoursDesc=Enter here the regular opening hours of your company. -ResourceSetup=Configuration of Resource module -UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). -DisabledResourceLinkUser=Disable feature to link a resource to users -DisabledResourceLinkContact=Disable feature to link a resource to contacts -EnableResourceUsedInEventCheck=Enable feature to check if a resource is in use in an event -ConfirmUnactivation=Confirm module reset -OnMobileOnly=On small screen (smartphone) only -DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be "Prospect" or "Customer", but can't be both) -MAIN_OPTIMIZEFORTEXTBROWSER=Simplify interface for blind person -MAIN_OPTIMIZEFORTEXTBROWSERDesc=Enable this option if you are a blind person, or if you use the application from a text browser like Lynx or Links. -MAIN_OPTIMIZEFORCOLORBLIND=Change interface's color for color blind person -MAIN_OPTIMIZEFORCOLORBLINDDesc=Enable this option if you are a color blind person, in some case interface will change color setup to increase contrast. -Protanopia=Protanopia -Deuteranopes=Deuteranopes -Tritanopes=Tritanopes -ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' -DefaultCustomerType=Default thirdparty type for "New customer" creation form -ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. -RootCategoryForProductsToSell=Root category of products to sell -RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale +MainMenuCode=Menyuya giriş kodu (əsas menyu) +ECMAutoTree=Avtomatik ECM ağacını göstərin +OperationParamDesc=Bəzi məlumatları çıxarmaq üçün istifadə ediləcək qaydaları müəyyənləşdirin və ya əməliyyat üçün istifadə ediləcək dəyərləri təyin edin.

      Şirkət adını buradan çıxarmaq üçün nümunə e-poçt mövzusunu müvəqqəti dəyişənə çevirin:
      tmp_var=EXTRACT:SUBJECT:Şirkətdən mesaj ([^\n]*)

      Yaratmaq üçün obyektin xassələrini təyin etmək üçün nümunələr:
      objproperty1=SET:sabit kodlu dəyər
      objproperty2=SET:__tmp_var__
      objFETIperty: value. yalnız mülkiyyət artıq müəyyən edilmədikdə təyin edilir)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:\\y s([^\\s]*)

      Bir neçə xassə çıxarmaq və ya təyin etmək üçün yeni sətirdən istifadə edin. +OpeningHours=Açılış saatları +OpeningHoursDesc=Buraya şirkətinizin müntəzəm iş saatlarını daxil edin. +ResourceSetup=Resurs modulunun konfiqurasiyası +UseSearchToSelectResource=Resurs seçmək üçün axtarış formasından istifadə edin (açılan siyahı əvəzinə). +DisabledResourceLinkUser=Resursu istifadəçilərlə əlaqələndirmək üçün funksiyanı söndürün +DisabledResourceLinkContact=Resursu kontaktlara bağlamaq üçün funksiyanı söndürün +EnableResourceUsedInEventCheck=Gündəmdə eyni mənbədən eyni vaxtda istifadəni qadağan edin +ConfirmUnactivation=Modul sıfırlanmasını təsdiqləyin +OnMobileOnly=Yalnız kiçik ekranda (smartfonda). +DisableProspectCustomerType="Prospekt + Müştəri" üçüncü tərəf növünü deaktiv edin (buna görə də üçüncü tərəf "Prospect" və ya "Müştəri" olmalıdır, lakin hər ikisi ola bilməz) +MAIN_OPTIMIZEFORTEXTBROWSER=Kor insanlar üçün interfeysi sadələşdirin +MAIN_OPTIMIZEFORTEXTBROWSERDesc=Əgər siz kor insansınızsa və ya proqramı Lynx və ya Links kimi mətn brauzerindən istifadə edirsinizsə, bu seçimi aktiv edin. +MAIN_OPTIMIZEFORCOLORBLIND=Rəng korları üçün interfeysin rəngini dəyişdirin +MAIN_OPTIMIZEFORCOLORBLINDDesc=Rəng kor insansınızsa, bu seçimi aktivləşdirin, bəzi hallarda interfeys kontrastı artırmaq üçün rəng parametrlərini dəyişəcək. +Protanopia=Protanopiya +Deuteranopes=Deuteranoplar +Tritanopes=Tritanoplar +ThisValueCanOverwrittenOnUserLevel=Bu dəyər hər bir istifadəçi tərəfindən öz istifadəçi səhifəsindən üzərinə yazıla bilər - tab '%s' +DefaultCustomerType="Yeni müştəri" yaratmaq forması üçün defolt üçüncü tərəf növü +ABankAccountMustBeDefinedOnPaymentModeSetup=Qeyd: Bu funksiyanın işləməsi üçün hər bir ödəniş rejiminin (Paypal, Stripe, ...) modulunda bank hesabı müəyyən edilməlidir. +RootCategoryForProductsToSell=Satılacaq məhsulların kök kateqoriyası +RootCategoryForProductsToSellDesc=Müəyyən edilərsə, yalnız bu kateqoriyaya aid məhsullar və ya bu kateqoriyanın uşaqları Satış Nöqtəsində mövcud olacaq DebugBar=Debug Bar -DebugBarDesc=Toolbar that comes with a plenty of tools to simplify debugging -DebugBarSetup=DebugBar Setup -GeneralOptions=General Options -LogsLinesNumber=Number of lines to show on logs tab -UseDebugBar=Use the debug bar -DEBUGBAR_LOGS_LINES_NUMBER=Number of last log lines to keep in console -WarningValueHigherSlowsDramaticalyOutput=Warning, higher values slows dramaticaly output -ModuleActivated=Module %s is activated and slows the interface -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) -IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. -AntivirusEnabledOnUpload=Antivirus enabled on uploaded files -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode -EXPORTS_SHARE_MODELS=Export models are share with everybody -ExportSetup=Setup of module Export -ImportSetup=Setup of module Import -InstanceUniqueID=Unique ID of the instance -SmallerThan=Smaller than -LargerThan=Larger than -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -EndPointFor=End point for %s : %s -DeleteEmailCollector=Delete email collector -ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? -RecipientEmailsWillBeReplacedWithThisValue=Recipient emails will be always replaced with this value -AtLeastOneDefaultBankAccountMandatory=At least 1 default bank account must be defined -RESTRICT_ON_IP=Allow access to some host IP only (wildcard not allowed, use space between values). Empty means every hosts can access. +DebugBarDesc=Sazlamağı asanlaşdırmaq üçün çoxlu alətlər ilə birlikdə gələn alətlər paneli +DebugBarSetup=DebugBar Quraşdırma +GeneralOptions=Ümumi Seçimlər +LogsLinesNumber=Qeydlər tabında göstəriləcək sətirlərin sayı +UseDebugBar=Sazlama çubuğundan istifadə edin +DEBUGBAR_LOGS_LINES_NUMBER=Konsolda saxlanılacaq son jurnal sətirlərinin sayı +WarningValueHigherSlowsDramaticalyOutput=Xəbərdarlıq, yüksək dəyərlər çıxışı dramatik şəkildə yavaşlatır +ModuleActivated=%s modulu aktivləşdirilib və interfeysi yavaşlatır +ModuleActivatedWithTooHighLogLevel=%s modulu çox yüksək qeyd səviyyəsi ilə aktivləşdirilib (daha yaxşı performans və təhlükəsizlik üçün daha aşağı səviyyədən istifadə etməyə çalışın) +ModuleSyslogActivatedButLevelNotTooVerbose=%s modulu aktivləşdirilib və log səviyyəsi (%s) düzgündür (çox ətraflı deyil) +IfYouAreOnAProductionSetThis=Əgər istehsal mühitindəsinizsə, bu xassəni %s olaraq təyin etməlisiniz. +AntivirusEnabledOnUpload=Yüklənmiş fayllarda antivirus aktivləşdirilib +SomeFilesOrDirInRootAreWritable=Bəzi fayllar və ya qovluqlar yalnız oxumaq üçün rejimdə deyil +EXPORTS_SHARE_MODELS=İxrac modelləri hər kəslə paylaşılır +ExportSetup=İxrac modulunun qurulması +ImportSetup=Import modulunun qurulması +InstanceUniqueID=Nümunənin unikal ID-si +SmallerThan=Daha kiçik +LargerThan=-dən böyük +IfTrackingIDFoundEventWillBeLinked=Nəzərə alın ki, e-poçtda obyektin izləmə identifikatoru tapılarsa və ya e-poçt artıq toplanmış və obyektlə əlaqələndirilmiş e-poçtun cavabıdırsa, yaradılmış hadisə avtomatik olaraq məlum əlaqəli obyektlə əlaqələndiriləcəkdir. +WithGMailYouCanCreateADedicatedPassword=GMail hesabı ilə, əgər 2 addımlı doğrulamanı aktiv etmisinizsə, https://myaccount.google.com/ ünvanından öz hesab parolunuzdan istifadə etmək əvəzinə proqram üçün xüsusi ikinci parol yaratmaq tövsiyə olunur. +EmailCollectorTargetDir=E-poçt uğurla işləndikdən sonra onu başqa etiketə/kataloqa köçürmək arzu olunan davranış ola bilər. Bu funksiyadan istifadə etmək üçün sadəcə olaraq kataloqun adını təyin edin (adda xüsusi simvollardan istifadə etməyin). Qeyd edək ki, siz həmçinin oxumaq/yazmaq giriş hesabından istifadə etməlisiniz. +EmailCollectorLoadThirdPartyHelp=Siz verilənlər bazanızda mövcud üçüncü tərəfi tapmaq və yükləmək üçün e-poçt məzmunundan istifadə etmək üçün bu əməliyyatdan istifadə edə bilərsiniz (axtarış 'id','ad','ad_alias','email' arasında müəyyən edilmiş əmlakda aparılacaq). Tapılmış (və ya yaradılmış) üçüncü tərəf ehtiyac duyan aşağıdakı əməliyyatlar üçün istifadə olunacaq.
      Məsələn, əgər siz sətirdən çıxarılmış adla üçüncü tərəf yaratmaq istəyirsinizsə ' Ad: tapmaq üçün ad' bədəndə təqdim olunur, göndərənin e-poçtunu e-poçt kimi istifadə edin, parametr sahəsini belə təyin edə bilərsiniz:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=Xəbərdarlıq: bir çox e-poçt serverləri (məsələn, Gmail) sətirdə axtarış edərkən tam söz axtarışı edir və sətir yalnız qismən sözdə tapılarsa, nəticə qaytarmayacaq. Bu səbəbdən də, mövcud sözlərin bir hissəsi olmadıqda, axtarış meyarlarında xüsusi simvollardan istifadə etinasız sayılacaq.
      Sözdə axtarışı istisna etmək üçün (söz varsa e-poçtu qaytarın. tapılmadı), istifadə edə bilərsiniz! sözdən əvvəl simvol (bəzi poçt serverlərində işləməyə bilər). +EndPointFor=%s üçün son nöqtə: %s +DeleteEmailCollector=E-poçt kollektorunu silin +ConfirmDeleteEmailCollector=Bu e-poçt kollektorunu silmək istədiyinizə əminsiniz? +RecipientEmailsWillBeReplacedWithThisValue=Alıcının e-poçtları həmişə bu dəyərlə əvəz olunacaq +AtLeastOneDefaultBankAccountMandatory=Ən azı 1 defolt bank hesabı müəyyən edilməlidir +RESTRICT_ON_IP=Yalnız müəyyən müştəri IP-lərinə API girişinə icazə verin (wildcard icazə verilmir, dəyərlər arasında boşluqdan istifadə edin). Boş, hər bir müştərinin daxil ola biləcəyi deməkdir. IPListExample=127.0.0.1 192.168.0.2 [::1] -BaseOnSabeDavVersion=Based on the library SabreDAV version -NotAPublicIp=Not a public IP -MakeAnonymousPing=Make an anonymous Ping '+1' to the Dolibarr foundation server (done 1 time only after installation) to allow the foundation to count the number of Dolibarr installation. -FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled -EmailTemplate=Template for email -EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF -FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. -RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard -JumpToBoxes=Jump to Setup -> Widgets -MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" -MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values. -TemplateAdded=Template added -TemplateUpdated=Template updated -TemplateDeleted=Template deleted -MailToSendEventPush=Event reminder email -SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security -DictionaryProductNature= Nature of product -CountryIfSpecificToOneCountry=Country (if specific to a given country) -YouMayFindSecurityAdviceHere=You may find security advisory here -ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. -ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. -CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples -SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. -AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only -ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. -MailToSendEventOrganization=Event Organization -MailToPartnership=Partnership -AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an anitivurs program), you must keep PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s -Recommended=Recommended -NotRecommended=Not recommended -ARestrictedPath=Some restricted path -CheckForModuleUpdate=Check for external modules updates -CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. -ModuleUpdateAvailable=An update is available -NoExternalModuleWithUpdate=No updates found for external modules -SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) -YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=You enabled deprecated WS API. You should use REST API instead. -RandomlySelectedIfSeveral=Randomly selected if several pictures are available -DatabasePasswordObfuscated=Database password is obfuscated in conf file -DatabasePasswordNotObfuscated=Database password is NOT obfuscated in conf file -APIsAreNotEnabled=APIs modules are not enabled -YouShouldSetThisToOff=You should set this to 0 or off -InstallAndUpgradeLockedBy=Install and upgrades are locked by the file %s -OldImplementation=Old implementation -PDF_SHOW_LINK_TO_ONLINE_PAYMENT=If some online payment modules are enabled (Paypal, Stripe, ...), add a link on the PDF to make the online payment -DashboardDisableGlobal=Disable globally all the thumbs of open objects -BoxstatsDisableGlobal=Disable totally box statistics -DashboardDisableBlocks=Thumbs of open objects (to process or late) on main dashboard -DashboardDisableBlockAgenda=Disable the thumb for agenda -DashboardDisableBlockProject=Disable the thumb for projects -DashboardDisableBlockCustomer=Disable the thumb for customers -DashboardDisableBlockSupplier=Disable the thumb for suppliers -DashboardDisableBlockContract=Disable the thumb for contracts -DashboardDisableBlockTicket=Disable the thumb for tickets -DashboardDisableBlockBank=Disable the thumb for banks -DashboardDisableBlockAdherent=Disable the thumb for memberships -DashboardDisableBlockExpenseReport=Disable the thumb for expense reports -DashboardDisableBlockHoliday=Disable the thumb for leaves -EnabledCondition=Condition to have field enabled (if not enabled, visibility will always be off) -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sale tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sale tax -LanguageAndPresentation=Language and presentation -SkinAndColors=Skin and colors -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sale tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sale tax -PDF_USE_1A=Generate PDF with PDF/A-1b format -MissingTranslationForConfKey = Missing translation for %s -NativeModules=Native modules -NoDeployedModulesFoundWithThisSearchCriteria=No modules found for these search criteria -API_DISABLE_COMPRESSION=Disable compression of API responses -EachTerminalHasItsOwnCounter=Each terminal use its own counter. -FillAndSaveAccountIdAndSecret=Fill and save account ID and secret first -PreviousHash=Previous hash +BaseOnSabeDavVersion=Kitabxananın SabreDAV versiyası əsasında +NotAPublicIp=İctimai IP deyil +MakeAnonymousPing=Dolibarr təməl serverinə anonim Ping '+1' edin (yalnız quraşdırmadan sonra 1 dəfə edilir) təməlin Dolibarr quraşdırma sayını hesablamasına icazə verin. +FeatureNotAvailableWithReceptionModule=Modul qəbulu aktiv olduqda funksiya mövcud deyil +EmailTemplate=E-poçt üçün şablon +EMailsWillHaveMessageID=E-poçtlarda bu sintaksisə uyğun gələn 'İstinadlar' etiketi olacaq +PDF_SHOW_PROJECT=Layihəni sənəddə göstərin +ShowProjectLabel=Layihə etiketi +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Üçüncü tərəf adına ləqəbi daxil edin +THIRDPARTY_ALIAS=Üçüncü tərəf adı - Üçüncü tərəf ləqəbi +ALIAS_THIRDPARTY=Üçüncü tərəf ləqəbi - Üçüncü tərəfin adı +PDFIn2Languages=PDF-də etiketləri 2 fərqli dildə göstərin (bu funksiya bəzi dillərdə işləməyə bilər) +PDF_USE_ALSO_LANGUAGE_CODE=PDF-inizdə bəzi mətnlərin eyni yaradılmış PDF-də 2 müxtəlif dildə dublikat edilməsini istəyirsinizsə, burada bu ikinci dili təyin etməlisiniz ki, yaradılan PDF eyni səhifədə 2 müxtəlif dildən ibarət olsun, PDF yaradarkən seçilən dil və bu ( yalnız bir neçə PDF şablonu bunu dəstəkləyir). Hər PDF üçün 1 dil üçün boş saxlayın. +PDF_USE_A=Standart PDF formatı əvəzinə PDF/A formatında PDF sənədləri yaradın +FafaIconSocialNetworksDesc=FontAwesome ikonasının kodunu buraya daxil edin. FontAwesome nə olduğunu bilmirsinizsə, ümumi dəyər fa-ünvan kitabından istifadə edə bilərsiniz. +RssNote=Qeyd: Hər bir RSS lent tərifi vidceti təmin edir ki, onun idarə panelində mövcud olması üçün onu aktivləşdirməlisiniz +JumpToBoxes=Quraşdırma -> Vidjetlərə keçin +MeasuringUnitTypeDesc=Burada "ölçü", "səth", "həcm", "çəki", "zaman" kimi bir dəyər istifadə edin +MeasuringScaleDesc=Şkala, defolt istinad vahidinə uyğunlaşdırmaq üçün onluq hissəni köçürməli olduğunuz yerlərin sayıdır. "Vaxt" vahidi növü üçün bu, saniyələrin sayıdır. 80 ilə 99 arasında olan dəyərlər qorunan dəyərlərdir. +TemplateAdded=Şablon əlavə edildi +TemplateUpdated=Şablon yeniləndi +TemplateDeleted=Şablon silindi +MailToSendEventPush=Hadisə xatırladıcı e-poçt +SwitchThisForABetterSecurity=Bu dəyərin %s-a dəyişdirilməsi daha çox təhlükəsizlik üçün tövsiyə olunur +DictionaryProductNature= Məhsulun təbiəti +CountryIfSpecificToOneCountry=Ölkə (müəyyən bir ölkəyə xasdırsa) +YouMayFindSecurityAdviceHere=Burada təhlükəsizlik məsləhətləri tapa bilərsiniz +ModuleActivatedMayExposeInformation=Bu PHP genişləndirilməsi həssas məlumatları ifşa edə bilər. Əgər ehtiyacınız yoxdursa, onu söndürün. +ModuleActivatedDoNotUseInProduction=İnkişaf üçün nəzərdə tutulmuş modul işə salınıb. İstehsal mühitində onu aktivləşdirməyin. +CombinationsSeparator=Məhsul birləşmələri üçün ayırıcı xarakter +SeeLinkToOnlineDocumentation=Nümunələr üçün yuxarı menyuda onlayn sənədlərə keçidə baxın +SHOW_SUBPRODUCT_REF_IN_PDF=%s
      istifadə olunur, PDF-də dəstin alt məhsullarının təfərrüatlarını göstərin. +AskThisIDToYourBank=Bu ID-ni əldə etmək üçün bankınızla əlaqə saxlayın +AdvancedModeOnly=İcazə yalnız Qabaqcıl icazə rejimində mövcuddur +ConfFileIsReadableOrWritableByAnyUsers=conf faylı istənilən istifadəçi tərəfindən oxuna və ya yaza bilər. Yalnız veb server istifadəçisinə və qrupa icazə verin. +MailToSendEventOrganization=Tədbirin təşkili +MailToPartnership=Tərəfdaşlıq +AGENDA_EVENT_DEFAULT_STATUS=Formadan hadisə yaratarkən defolt hadisə statusu +YouShouldDisablePHPFunctions=PHP funksiyalarını deaktiv etməlisiniz +IfCLINotRequiredYouShouldDisablePHPFunctions=Xüsusi kodda sistem əmrlərini işə salmaq lazım deyilsə, PHP funksiyalarını deaktiv etməlisiniz +PHPFunctionsRequiredForCLI=Qabıq məqsədləri üçün (məsələn, planlaşdırılmış iş ehtiyat nüsxəsi və ya antivirus proqramının işlədilməsi), PHP funksiyalarını saxlamalısınız +NoWritableFilesFoundIntoRootDir=Kök kataloqunuzda yazıla bilən fayl və ya ümumi proqramların qovluqları tapılmadı (Yaxşı) +RecommendedValueIs=Tövsiyə olunur: %s +Recommended=Tövsiyə +NotRecommended=Məsləhət deyil +ARestrictedPath=Data faylları üçün bəzi məhdud yol +CheckForModuleUpdate=Xarici modul yeniləmələrini yoxlayın +CheckForModuleUpdateHelp=Bu əməliyyat yeni versiyanın mövcud olub olmadığını yoxlamaq üçün xarici modulların redaktorlarına qoşulacaq. +ModuleUpdateAvailable=Yeniləmə mövcuddur +NoExternalModuleWithUpdate=Xarici modullar üçün yeniləmə tapılmadı +SwaggerDescriptionFile=Swagger API təsvir faylı (məsələn redoc ilə istifadə üçün) +YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=Siz köhnəlmiş WS API-ni aktiv etdiniz. Bunun əvəzinə REST API istifadə etməlisiniz. +RandomlySelectedIfSeveral=Bir neçə şəkil varsa, təsadüfi seçilir +SalesRepresentativeInfo=Təkliflər, Sifarişlər, Fakturalar üçün. +DatabasePasswordObfuscated=Verilənlər bazasının parolu conf faylında gizlənir +DatabasePasswordNotObfuscated=Database parolu conf faylında gizlədilmir +APIsAreNotEnabled=API modulları aktiv deyil +YouShouldSetThisToOff=Bunu 0 və ya söndürməlisiniz +InstallAndUpgradeLockedBy=Quraşdırma və təkmilləşdirmələr %s faylı tərəfindən kilidlənib +InstallLockedBy=Quraşdırma/Yenidən quraşdırma %s faylı tərəfindən kilidlənib +InstallOfAddonIsNotBlocked=Əlavələrin quraşdırılması kilidlənmir. installmodules.lock faylını b0aee83365837fz qovluğunda yaradın ='notranslate'>%s
      xarici əlavələrin/modulların quraşdırılmasını bloklamaq üçün. +OldImplementation=Köhnə tətbiq +PDF_SHOW_LINK_TO_ONLINE_PAYMENT=Bəzi onlayn ödəniş modulları aktivdirsə (Paypal, Stripe, ...), onlayn ödəniş etmək üçün PDF-ə keçid əlavə edin +DashboardDisableGlobal=Açıq obyektlərin bütün baş barmaqlarını qlobal olaraq deaktiv edin +BoxstatsDisableGlobal=Tamamilə qutu statistikasını deaktiv edin +DashboardDisableBlocks=Əsas paneldə açıq obyektlərin baş barmaqları (işləmək üçün və ya gec). +DashboardDisableBlockAgenda=Gündəm üçün baş barmağı deaktiv edin +DashboardDisableBlockProject=Layihələr üçün baş barmağı deaktiv edin +DashboardDisableBlockCustomer=Müştərilər üçün baş barmağı deaktiv edin +DashboardDisableBlockSupplier=Təchizatçılar üçün baş barmağı deaktiv edin +DashboardDisableBlockContract=Müqavilələr üçün baş barmağı deaktiv edin +DashboardDisableBlockTicket=Biletlər üçün baş barmağını deaktiv edin +DashboardDisableBlockBank=Banklar üçün baş barmağı deaktiv edin +DashboardDisableBlockAdherent=Üzvlüklər üçün baş barmağı deaktiv edin +DashboardDisableBlockExpenseReport=Xərc hesabatları üçün baş barmağı deaktiv edin +DashboardDisableBlockHoliday=Yarpaqlar üçün baş barmağını söndürün +EnabledCondition=Sahənin aktiv olması şərti (əgər aktiv deyilsə, görünürlük həmişə qeyri-aktiv olacaq) +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=İkinci vergidən istifadə etmək istəyirsinizsə, ilk satış vergisini də aktivləşdirməlisiniz +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Üçüncü vergidən istifadə etmək istəyirsinizsə, ilk satış vergisini də aktivləşdirməlisiniz +LanguageAndPresentation=Dil və təqdimat +SkinAndColors=Dəri və rənglər +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=İkinci vergidən istifadə etmək istəyirsinizsə, ilk satış vergisini də aktivləşdirməlisiniz +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Üçüncü vergidən istifadə etmək istəyirsinizsə, ilk satış vergisini də aktivləşdirməlisiniz +PDF_USE_1A=PDF/A-1b formatında PDF yaradın +MissingTranslationForConfKey = %s üçün tərcümə çatışmır +NativeModules=Doğma modullar +NoDeployedModulesFoundWithThisSearchCriteria=Bu axtarış meyarları üçün modul tapılmadı +API_DISABLE_COMPRESSION=API cavablarının sıxılmasını söndürün +EachTerminalHasItsOwnCounter=Hər bir terminal öz sayğacından istifadə edir. +FillAndSaveAccountIdAndSecret=Əvvəlcə hesab ID və sirrini doldurun və yadda saxlayın +PreviousHash=Əvvəlki hash +LateWarningAfter=Sonra "gec" xəbərdarlığı +TemplateforBusinessCards=Müxtəlif ölçülü vizit kartı üçün şablon +InventorySetup= İnventar Quraşdırma +ExportUseLowMemoryMode=Aşağı yaddaş rejimindən istifadə edin +ExportUseLowMemoryModeHelp=Dump faylını yaratmaq üçün aşağı yaddaş rejimindən istifadə edin (sıxılma PHP yaddaşına deyil, boru vasitəsilə həyata keçirilir). Bu üsul faylın tamamlandığını yoxlamağa imkan vermir və uğursuz olarsa, xəta mesajı verilə bilməz. Kifayət qədər yaddaş səhvləri ilə qarşılaşsanız, ondan istifadə edin. + +ModuleWebhookName = Veb kanca +ModuleWebhookDesc = Dolibarr tetikleyicilerini tutmaq və hadisənin məlumatlarını URL-ə göndərmək üçün interfeys +WebhookSetup = Webhook quraşdırma +Settings = Parametrlər +WebhookSetupPage = Webhook quraşdırma səhifəsi +ShowQuickAddLink=Üst sağ menyuda elementi tez əlavə etmək üçün düyməni göstərin +ShowSearchAreaInTopMenu=Üst menyuda axtarış sahəsini göstərin +HashForPing=Ping üçün istifadə edilən hash +ReadOnlyMode=Nümunə "Yalnız oxumaq" rejimindədir +DEBUGBAR_USE_LOG_FILE=Qeydləri tutmaq üçün dolibarr.log faylından istifadə edin +UsingLogFileShowAllRecordOfSubrequestButIsSlower=Canlı yaddaş tutmaq əvəzinə Qeydləri tələyə salmaq üçün dolibarr.log faylından istifadə edin. Bu, yalnız cari prosesin jurnalının əvəzinə bütün qeydləri tutmağa imkan verir (beləliklə, ajax alt sorğu səhifələrindən biri də daxil olmaqla), lakin nümunənizi çox yavaşlaşdıracaq. Məsləhət deyil. +FixedOrPercent=Sabit ("sabit" açar sözünü istifadə edin) və ya faiz ("faiz" açar sözünü istifadə edin) +DefaultOpportunityStatus=Defolt imkan statusu (aparıcı yaradılan zaman ilk status) + +IconAndText=Simge və mətn +TextOnly=Yalnız mətn +IconOnlyAllTextsOnHover=Yalnız ikon - Bütün mətnlər menyu sətri üzərində siçan üzərində işarənin altında görünür +IconOnlyTextOnHover=Yalnız ikon - Nişan mətni siçanın üzərindəki ikona altında görünür +IconOnly=Yalnız ikon - Yalnız alət ipucundakı mətn +INVOICE_ADD_ZATCA_QR_CODE=Fakturalarda ZATCA QR kodunu göstərin +INVOICE_ADD_ZATCA_QR_CODEMore=Bəzi ərəb ölkələri hesab-fakturalarında bu QR koduna ehtiyac duyurlar +INVOICE_ADD_SWISS_QR_CODE=Fakturalarda İsveçrə QR-Bill kodunu göstərin +INVOICE_ADD_SWISS_QR_CODEMore=İsveçrənin faktura standartı; ZIP və Şəhərin doldurulduğuna və hesabların etibarlı İsveçrə/Lixtenşteyn IBAN-larına malik olduğundan əmin olun. +INVOICE_SHOW_SHIPPING_ADDRESS=Göndərmə ünvanını göstərin +INVOICE_SHOW_SHIPPING_ADDRESSMore=Bəzi ölkələrdə məcburi göstərici (Fransa, ...) +UrlSocialNetworksDesc=Sosial şəbəkənin url linki. Sosial şəbəkə ID-sini ehtiva edən dəyişən hissə üçün {socialid} istifadə edin. +IfThisCategoryIsChildOfAnother=Əgər bu kateqoriya başqasının övladıdırsa +DarkThemeMode=Qaranlıq mövzu rejimi +AlwaysDisabled=Həmişə əlil +AccordingToBrowser=Brauzerə görə +AlwaysEnabled=Həmişə Aktivdir +DoesNotWorkWithAllThemes=Bütün mövzularla işləməyəcək +NoName=Ad yoxdur +ShowAdvancedOptions= Qabaqcıl seçimləri göstərin +HideAdvancedoptions= Qabaqcıl seçimləri gizlədin +CIDLookupURL=Modul üçüncü tərəfin adını və ya onun telefon nömrəsindən əlaqəni əldə etmək üçün xarici alət tərəfindən istifadə edilə bilən URL gətirir. İstifadə ediləcək URL: +OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 autentifikasiyası bütün hostlar üçün əlçatan deyil və düzgün icazələrə malik nişan OAUTH modulu ilə yuxarıda yaradılmış olmalıdır +MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 autentifikasiya xidməti +DontForgetCreateTokenOauthMod=Düzgün icazələrə malik nişan OAUTH modulu ilə yuxarıda yaradılmalıdır +MAIN_MAIL_SMTPS_AUTH_TYPE=Doğrulama üsulu +UsePassword=Parol istifadə edin +UseOauth=OAUTH nişanından istifadə edin +Images=Şəkillər +MaxNumberOfImagesInGetPost=Formada təqdim edilən HTML sahəsində icazə verilən şəkillərin maksimum sayı +MaxNumberOfPostOnPublicPagesByIP=Bir ay ərzində eyni IP ünvanlı ictimai səhifələrdə yazıların maksimum sayı +CIDLookupURL=Modul üçüncü tərəfin adını və ya onun telefon nömrəsindən əlaqəni əldə etmək üçün xarici alət tərəfindən istifadə edilə bilən URL gətirir. İstifadə ediləcək URL: +ScriptIsEmpty=Skript boşdur +ShowHideTheNRequests=%s SQL sorğusunu göstər/gizlə +DefinedAPathForAntivirusCommandIntoSetup=Antivirus proqramı üçün yolu %s-a təyin edin +TriggerCodes=Tətiklənə bilən hadisələr +TriggerCodeInfo=Bura veb sorğunun postunu yaratmalı olan trigger kodunu(ları) daxil edin (yalnız xarici URL icazə verilir). Siz vergüllə ayrılmış bir neçə tətik kodu daxil edə bilərsiniz. +EditableWhenDraftOnly=İşarə qoyulmazsa, dəyər yalnız obyekt qaralama statusuna malik olduqda dəyişdirilə bilər +CssOnEdit=Redaktə səhifələrində CSS +CssOnView=Baxış səhifələrində CSS +CssOnList=Siyahılarda CSS +HelpCssOnEditDesc=Sahənin redaktəsi zamanı istifadə olunan CSS.
      Məsələn: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=Sahəyə baxarkən istifadə olunan CSS. +HelpCssOnListDesc=Sahə siyahı cədvəlinin içərisində olduqda istifadə edilən CSS.
      Nümunə: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=Qəbullar üçün yaradılan sənədlərdə sifariş edilən miqdarı gizlədin +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Qəbullar üçün yaradılan sənədlərdə qiyməti göstərin +WarningDisabled=Xəbərdarlıq deaktiv edilib +LimitsAndMitigation=Giriş məhdudiyyətləri və azaldılması +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. +DesktopsOnly=Yalnız masaüstü kompüterlər +DesktopsAndSmartphones=Stolüstü kompüterlər və smartfonlar +AllowOnlineSign=Onlayn imzalamağa icazə verin +AllowExternalDownload=Xarici yükləməyə icazə verin (giriş olmadan, paylaşılan linkdən istifadə etməklə) +DeadlineDayVATSubmission=Növbəti ay ƏDV-nin təqdim edilməsi üçün son tarix +MaxNumberOfAttachementOnForms=Bir formada birləşdirilən faylların maksimum sayı +IfDefinedUseAValueBeetween=Müəyyən edilərsə, %s və %s arasında dəyər istifadə edin +Reload=Yenidən yükləyin +ConfirmReload=Modulun yenidən yüklənməsini təsdiqləyin +WarningModuleHasChangedLastVersionCheckParameter=Xəbərdarlıq: %s modulu hər səhifəyə girişdə öz versiyasını yoxlamaq üçün parametr təyin edib. Bu, səhifəni modulları idarə etmək üçün qeyri-sabit edə biləcək pis və icazə verilməyən təcrübədir. Bunu düzəltmək üçün modulun müəllifi ilə əlaqə saxlayın. +WarningModuleHasChangedSecurityCsrfParameter=Xəbərdarlıq: %s modulu nümunənizin CSRF təhlükəsizliyini deaktiv etdi. Bu əməliyyat şübhəlidir və quraşdırmanız daha təhlükəsiz ola bilməz. Zəhmət olmasa izahat üçün modulun müəllifi ilə əlaqə saxlayın. +EMailsInGoingDesc=Daxil olan e-poçtlar %s modulu tərəfindən idarə olunur. Daxil olan e-poçtları dəstəkləmək lazımdırsa, onu aktivləşdirib konfiqurasiya etməlisiniz. +MAIN_IMAP_USE_PHPIMAP=Doğma PHP IMAP əvəzinə IMAP üçün PHP-IMAP kitabxanasından istifadə edin. Bu, həmçinin IMAP üçün OAuth2 bağlantısından istifadə etməyə imkan verir (modul OAuth da aktivləşdirilməlidir). +MAIN_CHECKBOX_LEFT_COLUMN=Solda sahə və sətir seçimi üçün sütunu göstərin (defolt olaraq sağda) +NotAvailableByDefaultEnabledOnModuleActivation=Defolt olaraq yaradılmayıb. Yalnız modul aktivləşdirildikdə yaradılmışdır. +CSSPage=CSS üslubu +Defaultfortype=Defolt +DefaultForTypeDesc=Şablon növü üçün yeni e-poçt yaradarkən standart olaraq istifadə edilən şablon +OptionXShouldBeEnabledInModuleY="%s" variantı %s +OptionXIsCorrectlyEnabledInModuleY="%s" variantı %s +AllowOnLineSign=On-line imzaya icazə verin +AtBottomOfPage=Səhifənin altında +FailedAuth=uğursuz autentifikasiyalar +MaxNumberOfFailedAuth=Daxil olmaqdan imtina etmək üçün 24 saat ərzində uğursuz identifikasiyanın maksimum sayı. +AllowPasswordResetBySendingANewPassByEmail=A istifadəçisinin bu icazəsi varsa və A istifadəçisi "admin" istifadəçisi olmasa belə, A hər hansı digər B istifadəçisinin parolunu sıfırlamağa icazə verilirsə, yeni parol digər B istifadəçisinin e-poçtuna göndəriləcək, lakin o, A-ya görünməyəcək. Əgər A istifadəçisi "admin" bayrağına malikdirsə, o, həmçinin B-nin yeni yaradılan parolunun nə olduğunu bilə biləcək və beləliklə, B istifadəçi hesabını idarə edə biləcək. +AllowAnyPrivileges=Əgər A istifadəçisinin bu icazəsi varsa, o, bütün imtiyazlara malik B istifadəçisi yarada, sonra bu istifadəçi B-dən istifadə edə bilər və ya hər hansı icazə ilə özünə başqa qrup verə bilər. Bu o deməkdir ki, A istifadəçisi bütün biznes imtiyazlarına malikdir (yalnız quraşdırma səhifələrinə sistem girişi qadağan olunacaq) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Bu dəyər oxuna bilər, çünki nümunəniz istehsal rejimində quraşdırılmayıb +SeeConfFile=Serverdə conf.php faylının içərisinə baxın +ReEncryptDesc=Hələ şifrələnməyibsə, məlumatları yenidən şifrələyin +PasswordFieldEncrypted=%s yeni rekord bu sahə şifrələnib +ExtrafieldsDeleted=%s əlavə sahələr silindi +LargeModern=Böyük - Müasir +SpecialCharActivation=Xüsusi simvolları daxil etmək üçün virtual klaviaturanı açmaq üçün düyməni aktivləşdirin +DeleteExtrafield=Əlavə sahəni silin +ConfirmDeleteExtrafield=%s sahəsinin silinməsini təsdiq edirsiniz? Bu sahədə saxlanılan bütün məlumatlar mütləq silinəcək +ExtraFieldsSupplierInvoicesRec=Tamamlayıcı atributlar (qaimə-faktura şablonları) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Test mühiti üçün parametrlər +TryToKeepOnly=Yalnız %s saxlamağa çalışın +RecommendedForProduction=İstehsal üçün tövsiyə olunur +RecommendedForDebug=Debug üçün tövsiyə olunur diff --git a/htdocs/langs/az_AZ/cashdesk.lang b/htdocs/langs/az_AZ/cashdesk.lang index f99600c2aca..0fbc6ec2526 100644 --- a/htdocs/langs/az_AZ/cashdesk.lang +++ b/htdocs/langs/az_AZ/cashdesk.lang @@ -1,136 +1,155 @@ # Language file - Source file is en_US - cashdesk -CashDeskMenu=Point of sale -CashDesk=Point of sale -CashDeskBankCash=Bank account (cash) -CashDeskBankCB=Bank account (card) -CashDeskBankCheque=Bank account (cheque) -CashDeskWarehouse=Warehouse -CashdeskShowServices=Selling services -CashDeskProducts=Products -CashDeskStock=Stock -CashDeskOn=on -CashDeskThirdParty=Third party -ShoppingCart=Shopping cart -NewSell=New sell -AddThisArticle=Add this article -RestartSelling=Go back on sell -SellFinished=Sale complete -PrintTicket=Print ticket -SendTicket=Send ticket -NoProductFound=No article found -ProductFound=product found -NoArticle=No article -Identification=Identification -Article=Article -Difference=Difference -TotalTicket=Total ticket -NoVAT=No VAT for this sale -Change=Excess received -BankToPay=Account for payment -ShowCompany=Show company -ShowStock=Show warehouse -DeleteArticle=Click to remove this article -FilterRefOrLabelOrBC=Search (Ref/Label) -UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. -DolibarrReceiptPrinter=Dolibarr Receipt Printer -PointOfSale=Point of Sale +CashDeskMenu=Satış nöqtəsi +CashDesk=Satış nöqtəsi +CashDeskBankCash=Bank hesabı (nağd) +CashDeskBankCB=Bank hesabı (kart) +CashDeskBankCheque=Bank hesabı (çek) +CashDeskWarehouse=Anbar +CashdeskShowServices=Satış xidmətləri +CashDeskProducts=Məhsullar +CashDeskStock=Səhm +CashDeskOn=haqqında +CashDeskThirdParty=Üçüncü tərəf +ShoppingCart=Alış-veriş kartı +NewSell=Yeni satilir +AddThisArticle=Bu məqaləni əlavə edin +RestartSelling=Satışa qayıt +SellFinished=Satış tamamlandı +PrintTicket=Bilet çap edin +SendTicket=Bilet göndər +NoProductFound=Heç bir məqalə tapılmadı +ProductFound=məhsul tapıldı +NoArticle=Məqalə yoxdur +Identification=İdentifikasiya +Article=Məqalə +Difference=Fərq +TotalTicket=Ümumi bilet +NoVAT=Bu satış üçün ƏDV yoxdur +Change=Həddindən artıq qəbul edildi +BankToPay=Ödəniş üçün hesab +ShowCompany=Şirkəti göstərin +ShowStock=Anbarı göstərin +DeleteArticle=Bu məqaləni silmək üçün klikləyin +FilterRefOrLabelOrBC=Axtarış (Ref/Etiket) +UserNeedPermissionToEditStockToUsePos=Siz faktura yaradılması zamanı ehtiyatı azaltmağı xahiş edirsiniz, beləliklə, POS-dan istifadə edən istifadəçinin səhmləri redaktə etmək icazəsi olmalıdır. +DolibarrReceiptPrinter=Dolibarr qəbz printeri +PointOfSale=Satış nöqtəsi PointOfSaleShort=POS -CloseBill=Close Bill -Floors=Floors -Floor=Floor -AddTable=Add table -Place=Place -TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) -NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser -SearchProduct=Search product -Receipt=Receipt -Header=Header -Footer=Footer -AmountAtEndOfPeriod=Amount at end of period (day, month or year) -TheoricalAmount=Theorical amount -RealAmount=Real amount -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period -NbOfInvoices=Nb of invoices -Paymentnumpad=Type of Pad to enter payment -Numberspad=Numbers Pad -BillsCoinsPad=Coins and banknotes Pad -DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work -TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work -OrderNotes=Can add some notes to each ordered items -CashDeskBankAccountFor=Default account to use for payments in -NoPaimementModesDefined=No paiment mode defined in TakePOS configuration -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts -EnableBarOrRestaurantFeatures=Enable features for Bar or Restaurant -ConfirmDeletionOfThisPOSSale=Do your confirm the deletion of this current sale ? -ConfirmDiscardOfThisPOSSale=Do you want to discard this current sale ? -History=History -ValidateAndClose=Validate and close +CloseBill=Bill bağlayın +Floors=Mərtəbələr +Floor=Mərtəbə +AddTable=Cədvəl əlavə edin +Place=yer +TakeposConnectorNecesary='TakePOS Connector' tələb olunur +OrderPrinters=Sifarişi bəzi printerlərə ödənişsiz göndərmək üçün düymə əlavə edin (məsələn, mətbəxə sifariş göndərmək üçün) +NotAvailableWithBrowserPrinter=Qəbz üçün printer brauzerə quraşdırıldıqda mövcud deyil +SearchProduct=Məhsul axtarın +Receipt=Qəbz +Header=Başlıq +Footer=Altbilgi +AmountAtEndOfPeriod=Dövrün sonundakı məbləğ (gün, ay və ya il) +TheoricalAmount=Nəzəri miqdar +RealAmount=Real məbləğ +CashFence=Nağd pul qutusunun bağlanması +CashFenceDone=Dövr üçün kassa bağlanması həyata keçirilib +NbOfInvoices=Faktura Nb +Paymentnumpad=Ödənişi daxil etmək üçün Pad növü +Numberspad=Nömrələr Pad +BillsCoinsPad=Sikkələr və əskinaslar Pad +DolistorePosCategory=TakePOS modulları və Dolibarr üçün digər POS həlləri +TakeposNeedsCategories=TakePOS-un işləməsi üçün ən azı bir məhsul kateqoriyası lazımdır +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS-a %s kateqoriyası altında ən azı 1 məhsul kateqoriyası lazımdır. iş +OrderNotes=Hər bir sifariş edilən əşyaya bəzi qeydlər əlavə edə bilərsiniz +CashDeskBankAccountFor=Ödənişlər üçün istifadə ediləcək defolt hesab +NoPaimementModesDefined=TakePOS konfiqurasiyasında heç bir ödəniş rejimi müəyyən edilməyib +TicketVatGrouped=Biletlərdə|qəbzlərdə dərəcəyə görə ƏDV qruplaşdırın +AutoPrintTickets=Avtomatik olaraq biletləri|qəbzləri çap edin +PrintCustomerOnReceipts=Biletlərdə|qəbzlərdə müştərini çap edin +EnableBarOrRestaurantFeatures=Bar və ya Restoran üçün funksiyaları aktivləşdirin +ConfirmDeletionOfThisPOSSale=Bu cari satışın silinməsini təsdiq edirsinizmi? +ConfirmDiscardOfThisPOSSale=Bu cari satışı ləğv etmək istəyirsiniz? +History=Tarix +ValidateAndClose=Təsdiq edin və bağlayın Terminal=Terminal -NumberOfTerminals=Number of Terminals -TerminalSelect=Select terminal you want to use: -POSTicket=POS Ticket +NumberOfTerminals=Terminalların sayı +TerminalSelect=İstifadə etmək istədiyiniz terminalı seçin: +POSTicket=POS Bilet POSTerminal=POS Terminal -POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones -SetupOfTerminalNotComplete=Setup of terminal %s is not complete -DirectPayment=Direct payment -DirectPaymentButton=Add a "Direct cash payment" button -InvoiceIsAlreadyValidated=Invoice is already validated -NoLinesToBill=No lines to bill -CustomReceipt=Custom Receipt -ReceiptName=Receipt Name -ProductSupplements=Manage supplements of products -SupplementCategory=Supplement category -ColorTheme=Color theme -Colorful=Colorful -HeadBar=Head Bar -SortProductField=Field for sorting products -Browser=Browser -BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. -PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad -CashDeskRefNumberingModules=Numbering module for POS sales -CashDeskGenericMaskCodes6 =
      {TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -SaleStartedAt=Sale started at %s -ControlCashOpening=Open the "Control cash" popup when opening the POS -CloseCashFence=Close cash desk control -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use -BarRestaurant=Bar Restaurant -AutoOrder=Order by the customer himself -RestaurantMenu=Menu -CustomerMenu=Customer menu -ScanToMenu=Scan QR code to see the menu -ScanToOrder=Scan QR code to order -Appearance=Appearance -HideCategoryImages=Hide Category Images -HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show -DefineTablePlan=Define tables plan -GiftReceiptButton=Add a "Gift receipt" button -GiftReceipt=Gift receipt -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first -AllowDelayedPayment=Allow delayed payment -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts -WeighingScale=Weighing scale -ShowPriceHT = Display the column with the price excluding tax (on screen) -ShowPriceHTOnReceipt = Display the column with the price excluding tax (on the receipt) -CustomerDisplay=Customer display -SplitSale=Split sale -PrintWithoutDetailsButton=Add "Print without details" button -PrintWithoutDetailsLabelDefault=Line label by default on printing without details -PrintWithoutDetails=Print without details -YearNotDefined=Year is not defined +POSModule=POS modulu +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) +SetupOfTerminalNotComplete=%s terminalının quraşdırılması tamamlanmayıb +DirectPayment=Birbaşa ödəniş +DirectPaymentButton="Birbaşa nağd ödəniş" düyməsini əlavə edin +InvoiceIsAlreadyValidated=Faktura artıq təsdiqlənib +NoLinesToBill=Hesablama üçün xətt yoxdur +CustomReceipt=Xüsusi Qəbz +ReceiptName=Qəbzin adı +ProductSupplements=Məhsulların əlavələrini idarə edin +SupplementCategory=Əlavə kateqoriya +ColorTheme=Rəng mövzusu +Colorful=Rəngarəng +HeadBar=Baş çubuğu +SortProductField=Məhsulların çeşidlənməsi üçün sahə +Browser=Brauzer +BrowserMethodDescription=Sadə və asan qəbz çapı. Qəbzi konfiqurasiya etmək üçün yalnız bir neçə parametr. Brauzer vasitəsilə çap edin. +TakeposConnectorMethodDescription=Əlavə funksiyaları olan xarici modul. Buluddan çap etmək imkanı. +PrintMethod=Çap üsulu +ReceiptPrinterMethodDescription=Çox parametrləri olan güclü üsul. Şablonlarla tam özelleştirilebilir. Tətbiqi yerləşdirən server Buludda ola bilməz (şəbəkənizdəki printerlərə çata bilməlidir). +ByTerminal=Terminalla +TakeposNumpadUsePaymentIcon=Numpad-in ödəniş düymələrində mətn əvəzinə ikonadan istifadə edin +CashDeskRefNumberingModules=POS satışları üçün nömrələmə modulu +CashDeskGenericMaskCodes6 =
      {TN}71f span> etiketi terminal nömrəsini əlavə etmək üçün istifadə olunur +TakeposGroupSameProduct=Merge lines of the same products +StartAParallelSale=Yeni paralel satışa başlayın +SaleStartedAt=Satış %s tarixində başladı +ControlCashOpening=POS-u açarkən "Nağd pula nəzarət qutusu" popupunu açın +CloseCashFence=Kassa nəzarətini bağlayın +CashReport=Nağd pul hesabatı +MainPrinterToUse=İstifadə olunacaq əsas printer +OrderPrinterToUse=İstifadə etmək üçün printer sifariş edin +MainTemplateToUse=İstifadə ediləcək əsas şablon +OrderTemplateToUse=İstifadə etmək üçün şablon sifariş edin +BarRestaurant=Bar Restoranı +AutoOrder=Sifariş müştərinin özüdür +RestaurantMenu=Menyu +CustomerMenu=Müştəri menyusu +ScanToMenu=Menyuya baxmaq üçün QR kodunu skan edin +ScanToOrder=Sifariş vermək üçün QR kodunu skan edin +Appearance=Görünüş +HideCategoryImages=Kateqoriya Şəkillərini gizlədin +HideProductImages=Məhsul Şəkillərini gizlədin +NumberOfLinesToShow=Baş barmaq şəkillərində göstəriləcək mətn sətirlərinin maksimum sayı +DefineTablePlan=Cədvəl planını müəyyənləşdirin +GiftReceiptButton="Hədiyyə qəbzi" düyməsini əlavə edin +GiftReceipt=Hədiyyə qəbzi +ModuleReceiptPrinterMustBeEnabled=Modul Qəbzi printeri əvvəlcə aktivləşdirilməlidir +AllowDelayedPayment=Gecikmiş ödənişə icazə verin +PrintPaymentMethodOnReceipts=Biletlərdə|qəbzlərdə ödəniş üsulunu çap edin +WeighingScale=Tərəzi +ShowPriceHT = Vergi istisna olmaqla qiymət sütununu göstərin (ekranda) +ShowPriceHTOnReceipt = Vergi istisna olmaqla qiyməti olan sütunu göstərin (qəbzdə) +CustomerDisplay=Müştəri ekranı +SplitSale=Bölünmüş satış +PrintWithoutDetailsButton="Ətraflı məlumat olmadan çap et" düyməsini əlavə edin +PrintWithoutDetailsLabelDefault=Təfərrüatlar olmadan çapda standart olaraq xətt etiketi +PrintWithoutDetails=Təfərrüatlar olmadan çap edin +YearNotDefined=İl müəyyən edilməyib +TakeposBarcodeRuleToInsertProduct=Məhsul daxil etmək üçün barkod qaydası +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Artıq çap olunub +HideCategories=Kateqoriya seçiminin bütün bölməsini gizlədin +HideStockOnLine=Onlayn ehtiyatı gizlədin +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Məhsulların arayışını və ya etiketini göstərin +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Terminal %s +TerminalNameDesc=Terminal adı +DefaultPOSThirdLabel=TakePOS ümumi müştərisi +DefaultPOSCatLabel=Satış nöqtəsi (POS) məhsulları +DefaultPOSProductLabel=TakePOS üçün məhsul nümunəsi +TakeposNeedsPayment=TakePOS-un işləməsi üçün ödəniş üsulu lazımdır, siz "Nağd pul" ödəmə metodunu yaratmaq istəyirsiniz? +LineDiscount=Xətt endirimi +LineDiscountShort=Xətt diski. +InvoiceDiscount=Faktura endirimi +InvoiceDiscountShort=Faktura diski. diff --git a/htdocs/langs/az_AZ/holiday.lang b/htdocs/langs/az_AZ/holiday.lang index 3d0ae64be0f..561f2b403f1 100644 --- a/htdocs/langs/az_AZ/holiday.lang +++ b/htdocs/langs/az_AZ/holiday.lang @@ -1,139 +1,157 @@ # Dolibarr language file - Source file is en_US - holiday HRM=HRM -Holidays=Leave -CPTitreMenu=Leave -MenuReportMonth=Monthly statement -MenuAddCP=New leave request -NotActiveModCP=You must enable the module Leave to view this page. -AddCP=Make a leave request -DateDebCP=Start date -DateFinCP=End date -DraftCP=Draft -ToReviewCP=Awaiting approval -ApprovedCP=Approved -CancelCP=Canceled -RefuseCP=Refused -ValidatorCP=Approver -ListeCP=List of leave -Leave=Leave request -LeaveId=Leave ID -ReviewedByCP=Will be approved by -UserID=User ID -UserForApprovalID=User for approval ID -UserForApprovalFirstname=First name of approval user -UserForApprovalLastname=Last name of approval user -UserForApprovalLogin=Login of approval user -DescCP=Description -SendRequestCP=Create leave request -DelayToRequestCP=Leave requests must be made at least %s day(s) before them. -MenuConfCP=Balance of leave -SoldeCPUser=Leave balance (in days) %s -ErrorEndDateCP=You must select an end date greater than the start date. -ErrorSQLCreateCP=An SQL error occurred during the creation: -ErrorIDFicheCP=An error has occurred, the leave request does not exist. -ReturnCP=Return to previous page -ErrorUserViewCP=You are not authorized to read this leave request. -InfosWorkflowCP=Information Workflow -RequestByCP=Requested by -TitreRequestCP=Leave request -TypeOfLeaveId=Type of leave ID -TypeOfLeaveCode=Type of leave code -TypeOfLeaveLabel=Type of leave label -NbUseDaysCP=Number of days of leave used -NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. -NbUseDaysCPShort=Days of leave -NbUseDaysCPShortInMonth=Days of leave in month -DayIsANonWorkingDay=%s is a non-working day -DateStartInMonth=Start date in month -DateEndInMonth=End date in month -EditCP=Edit -DeleteCP=Delete -ActionRefuseCP=Refuse -ActionCancelCP=Cancel -StatutCP=Status -TitleDeleteCP=Delete the leave request -ConfirmDeleteCP=Confirm the deletion of this leave request? -ErrorCantDeleteCP=Error you don't have the right to delete this leave request. -CantCreateCP=You don't have the right to make leave requests. -InvalidValidatorCP=You must choose the approver for your leave request. -NoDateDebut=You must select a start date. -NoDateFin=You must select an end date. -ErrorDureeCP=Your leave request does not contain working day. -TitleValidCP=Approve the leave request -ConfirmValidCP=Are you sure you want to approve the leave request? -DateValidCP=Date approved -TitleToValidCP=Send leave request -ConfirmToValidCP=Are you sure you want to send the leave request? -TitleRefuseCP=Refuse the leave request -ConfirmRefuseCP=Are you sure you want to refuse the leave request? -NoMotifRefuseCP=You must choose a reason for refusing the request. -TitleCancelCP=Cancel the leave request -ConfirmCancelCP=Are you sure you want to cancel the leave request? -DetailRefusCP=Reason for refusal -DateRefusCP=Date of refusal -DateCancelCP=Date of cancellation -DefineEventUserCP=Assign an exceptional leave for a user -addEventToUserCP=Assign leave -NotTheAssignedApprover=You are not the assigned approver -MotifCP=Reason -UserCP=User -ErrorAddEventToUserCP=An error occurred while adding the exceptional leave. -AddEventToUserOkCP=The addition of the exceptional leave has been completed. -MenuLogCP=View change logs -LogCP=Log of all updates made to "Balance of Leave" -ActionByCP=Updated by -UserUpdateCP=Updated for -PrevSoldeCP=Previous Balance -NewSoldeCP=New Balance -alreadyCPexist=A leave request has already been done on this period. -FirstDayOfHoliday=Beginning day of leave request -LastDayOfHoliday=Ending day of leave request -BoxTitleLastLeaveRequests=Latest %s modified leave requests -HolidaysMonthlyUpdate=Monthly update -ManualUpdate=Manual update -HolidaysCancelation=Leave request cancelation -EmployeeLastname=Employee last name -EmployeeFirstname=Employee first name -TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests -HalfDay=Half day -NotTheAssignedApprover=You are not the assigned approver -LEAVE_PAID=Paid vacation -LEAVE_SICK=Sick leave -LEAVE_OTHER=Other leave -LEAVE_PAID_FR=Paid vacation +Holidays=yarpaqlar +Holiday=tərk et +CPTitreMenu=tərk et +MenuReportMonth=Aylıq bəyanat +MenuAddCP=Yeni məzuniyyət sorğusu +MenuCollectiveAddCP=New collective leave +NotActiveModCP=Bu səhifəyə baxmaq üçün "Çıx" modulunu aktiv etməlisiniz. +AddCP=Tətil üçün müraciət edin +DateDebCP=Başlama tarixi +DateFinCP=Bitmə vaxtı +DraftCP=Qaralama +ToReviewCP=Təsdiqin gözlənilməsi +ApprovedCP=Təsdiq edildi +CancelCP=Ləğv edildi +RefuseCP=İmtina etdi +ValidatorCP=Təsdiq edən +ListeCP=Məzuniyyət siyahısı +Leave=Müraciəti tərk edin +LeaveId=ID buraxın +ReviewedByCP=tərəfindən təsdiq olunacaq +UserID=İstifadəçi adı +UserForApprovalID=Təsdiq ID üçün istifadəçi +UserForApprovalFirstname=Təsdiq istifadəçisinin adı +UserForApprovalLastname=Təsdiq istifadəçisinin soyadı +UserForApprovalLogin=Təsdiq istifadəçisinin girişi +DescCP=Təsvir +SendRequestCP=Məzuniyyət sorğusu yaradın +DelayToRequestCP=Məzuniyyət sorğuları ən azı %s gün edilməlidir onlardan əvvəl. +MenuConfCP=Məzuniyyət balansı +SoldeCPUser=Balansdan çıxın (günlərlə) : %s +ErrorEndDateCP=Siz başlanğıc tarixindən böyük bitmə tarixi seçməlisiniz. +ErrorSQLCreateCP=Yaratma zamanı SQL xətası baş verdi: +ErrorIDFicheCP=Xəta baş verdi, məzuniyyət sorğusu mövcud deyil. +ReturnCP=Əvvəlki səhifəyə qayıt +ErrorUserViewCP=Bu məzuniyyət sorğusunu oxumağa icazəniz yoxdur. +InfosWorkflowCP=Məlumat iş axını +RequestByCP=tərəfindən tələb edilmişdir +TitreRequestCP=Müraciəti tərk edin +TypeOfLeaveId=Məzuniyyət vəsiqəsinin növü +TypeOfLeaveCode=Məzuniyyət kodunun növü +TypeOfLeaveLabel=Məzuniyyət etiketinin növü +NbUseDaysCP=İstifadə olunan məzuniyyət günlərinin sayı +NbUseDaysCPHelp=Hesablamada qeyri-iş günləri və lüğətdə müəyyən edilmiş bayram günləri nəzərə alınır. +NbUseDaysCPShort=İstirahət günləri +NbUseDaysCPShortInMonth=Ayda məzuniyyət günləri +DayIsANonWorkingDay=%s qeyri-iş günüdür +DateStartInMonth=Başlama tarixi ayda +DateEndInMonth=Ayda bitmə tarixi +EditCP=Redaktə et +DeleteCP=Sil +ActionRefuseCP=İmtina et +ActionCancelCP=Ləğv et +StatutCP=Vəziyyət +TitleDeleteCP=Məzuniyyət sorğusunu silin +ConfirmDeleteCP=Bu məzuniyyət sorğusunun silinməsi təsdiq edilsin? +ErrorCantDeleteCP=Bu məzuniyyət sorğusunu silmək hüququnuz yoxdur. +CantCreateCP=Sizin məzuniyyət sorğusu vermək hüququnuz yoxdur. +InvalidValidatorCP=Məzuniyyət sorğunuz üçün təsdiqləyicini seçməlisiniz. +InvalidValidator=Seçilmiş istifadəçi təsdiqləyici deyil. +NoDateDebut=Başlama tarixini seçməlisiniz. +NoDateFin=Bitmə tarixini seçməlisiniz. +ErrorDureeCP=Məzuniyyət sorğunuzda iş günü yoxdur. +TitleValidCP=Məzuniyyət sorğusunu təsdiq edin +ConfirmValidCP=Məzuniyyət sorğusunu təsdiqləmək istədiyinizə əminsiniz? +DateValidCP=Təsdiq tarixi +TitleToValidCP=Məzuniyyət sorğusu göndərin +ConfirmToValidCP=Məzuniyyət sorğusunu göndərmək istədiyinizə əminsiniz? +TitleRefuseCP=Məzuniyyət tələbindən imtina edin +ConfirmRefuseCP=Məzuniyyət sorğusundan imtina etmək istədiyinizə əminsiniz? +NoMotifRefuseCP=Müraciəti rədd etmək üçün bir səbəb seçməlisiniz. +TitleCancelCP=Məzuniyyət sorğusunu ləğv edin +ConfirmCancelCP=Məzuniyyət sorğusunu ləğv etmək istədiyinizə əminsiniz? +DetailRefusCP=İmtina səbəbi +DateRefusCP=İmtina tarixi +DateCancelCP=Ləğv tarixi +DefineEventUserCP=İstifadəçi üçün müstəsna məzuniyyət təyin edin +addEventToUserCP=Məzuniyyət təyin edin +NotTheAssignedApprover=Siz təyin edilmiş təsdiqləyici deyilsiniz +MotifCP=Səbəb +UserCP=İstifadəçi +ErrorAddEventToUserCP=İstisna məzuniyyəti əlavə edərkən xəta baş verdi. +AddEventToUserOkCP=Müstəsna məzuniyyətin əlavə edilməsi başa çatıb. +ErrorFieldRequiredUserOrGroup="Qrup" sahəsi və ya "istifadəçi" sahəsi doldurulmalıdır +fusionGroupsUsers=Qruplar sahəsi və istifadəçi sahəsi birləşdiriləcək +MenuLogCP=Dəyişiklik qeydlərinə baxın +LogCP="Məzuniyyət balansı"na edilən bütün yeniləmələrin jurnalı +ActionByCP=tərəfindən yenilənib +UserUpdateCP=üçün yenilənib +PrevSoldeCP=Əvvəlki tarazlıq +NewSoldeCP=Yeni Balans +alreadyCPexist=Bu müddət ərzində məzuniyyət sorğusu artıq edilib. +UseralreadyCPexist=Bu müddət ərzində %s üçün məzuniyyət sorğusu artıq edilib. +groups=Qruplar +users=İstifadəçilər +AutoSendMail=Avtomatik poçt göndərişi +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave +AutoValidationOnCreate=Avtomatik doğrulama +FirstDayOfHoliday=Məzuniyyət tələbinin başlanğıc günü +LastDayOfHoliday=Məzuniyyət sorğusunun bitmə günü +HolidaysMonthlyUpdate=Aylıq yeniləmə +ManualUpdate=Manual yeniləmə +HolidaysCancelation=Sorğunun ləğvini tərk edin +EmployeeLastname=İşçinin soyadı +EmployeeFirstname=İşçinin adı +TypeWasDisabledOrRemoved=Buraxılış növü (id %s) deaktiv edildi və ya silindi +LastHolidays=Ən son %s tərk sorğuları +AllHolidays=Bütün istəkləri tərk edin +HalfDay=Yarım gün +NotTheAssignedApprover=Siz təyin edilmiş təsdiqləyici deyilsiniz +LEAVE_PAID=Ödənişli məzuniyyət +LEAVE_SICK=Xəstə məzuniyyəti +LEAVE_OTHER=Digər məzuniyyət +LEAVE_PAID_FR=Ödənişli məzuniyyət ## Configuration du Module ## -LastUpdateCP=Last automatic update of leave allocation -MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation -UpdateConfCPOK=Updated successfully. -Module27130Name= Management of leave requests -Module27130Desc= Management of leave requests -ErrorMailNotSend=An error occurred while sending email: -NoticePeriod=Notice period +LastUpdateCP=Məzuniyyətin ayrılmasının son avtomatik yeniləməsi +MonthOfLastMonthlyUpdate=Məzuniyyətin son avtomatik yenilənməsi ayı +UpdateConfCPOK=Uğurla yeniləndi. +Module27130Name= Məzuniyyət sorğularının idarə edilməsi +Module27130Desc= Məzuniyyət sorğularının idarə edilməsi +ErrorMailNotSend=E-poçt göndərilərkən xəta baş verdi: +NoticePeriod=Bildiriş müddəti #Messages -HolidaysToValidate=Validate leave requests -HolidaysToValidateBody=Below is a leave request to validate -HolidaysToValidateDelay=This leave request will take place within a period of less than %s days. -HolidaysToValidateAlertSolde=The user who made this leave request does not have enough available days. -HolidaysValidated=Validated leave requests -HolidaysValidatedBody=Your leave request for %s to %s has been validated. -HolidaysRefused=Request denied -HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason: -HolidaysCanceled=Canceled leaved request -HolidaysCanceledBody=Your leave request for %s to %s has been canceled. -FollowedByACounter=1: This type of leave need to be followed by a counter. Counter is incremented manually or automatically and when a leave request is validated, counter is decremented.
      0: Not followed by a counter. -NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter -GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leave to setup the different types of leaves. -HolidaySetup=Setup of module Leave -HolidaysNumberingModules=Numbering models for leave requests -TemplatePDFHolidays=Template for leave requests PDF -FreeLegalTextOnHolidays=Free text on PDF -WatermarkOnDraftHolidayCards=Watermarks on draft leave requests -HolidaysToApprove=Holidays to approve -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays -HolidayBalanceMonthlyUpdate=Monthly update of holiday balance -XIsAUsualNonWorkingDay=%s is usualy a NON working day -BlockHolidayIfNegative=Block if balance negative -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative -ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted +HolidaysToValidate=Məzuniyyət sorğularını təsdiqləyin +HolidaysToValidateBody=Aşağıda təsdiq etmək üçün məzuniyyət sorğusu var +HolidaysToValidateDelay=Bu məzuniyyət sorğusu %s gündən az müddət ərzində baş tutacaq. +HolidaysToValidateAlertSolde=Bu məzuniyyət sorğusunu edən istifadəçinin kifayət qədər əlçatan günü yoxdur. +HolidaysValidated=Təsdiqlənmiş məzuniyyət sorğuları +HolidaysValidatedBody=%s üçün %s üçün məzuniyyət sorğunuz təsdiqləndi. +HolidaysRefused=Sorğu rədd edildi +HolidaysRefusedBody=%s üçün %s üçün məzuniyyət sorğunuz aşağıdakı səbəbə görə rədd edildi: +HolidaysCanceled=Ləğv edilmiş buraxılmış sorğu +HolidaysCanceledBody=%s üçün %s üçün məzuniyyət sorğunuz ləğv edildi. +FollowedByACounter=1: Bu növ məzuniyyətdən sonra sayğac olmalıdır. Sayğac əl ilə və ya avtomatik artırılır və məzuniyyət sorğusu təsdiq edildikdə, sayğac azalır.
      0: Sayğac izləmir. +NoLeaveWithCounterDefined=Sayğac tərəfindən izlənilməli olan məzuniyyət növləri müəyyən edilməyib +GoIntoDictionaryHolidayTypes=Müxtəlif növ yarpaqları quraşdırmaq üçün Ev - Quraşdırma - Lüğətlər - məzuniyyət növü bölməsinə daxil olun. +HolidaySetup=Modulun qurulmasını tərk edin +HolidaysNumberingModules=Məzuniyyət sorğuları üçün nömrələmə modelləri +TemplatePDFHolidays=Şablon məzuniyyət sorğusu pdf +FreeLegalTextOnHolidays=Pulsuz mətn pdf formatında +WatermarkOnDraftHolidayCards=Qaralama məzuniyyət sorğularında su nişanları +HolidaysToApprove=Təsdiq üçün tətillər +NobodyHasPermissionToValidateHolidays=Heç kimin məzuniyyət sorğularını təsdiq etmək icazəsi yoxdur +HolidayBalanceMonthlyUpdate=Məzuniyyət balansının aylıq yenilənməsi +XIsAUsualNonWorkingDay=%s adətən QEYRİ iş günüdür +BlockHolidayIfNegative=Balans mənfi olarsa bloklayın +LeaveRequestCreationBlockedBecauseBalanceIsNegative=Balansınız mənfi olduğu üçün bu məzuniyyət sorğusunun yaradılması bloklanıb +ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=%s sorğusu qaralama olmalı, ləğv edilməli və ya silinməkdən imtina edilməlidir +IncreaseHolidays=Tətil balansını artırın +HolidayRecordsIncreased= %s tərk balansı artırıldı +HolidayRecordIncreased=Balans artırıldı +ConfirmMassIncreaseHoliday=Kütləvi tərk balans artımı +NumberDayAddMass=Seçimə əlavə ediləcək gün sayı +ConfirmMassIncreaseHolidayQuestion=%s seçilmiş qeyd(lər)in tətilini artırmaq istədiyinizə əminsiniz? +HolidayQtyNotModified=%s üçün qalan günlərin balansı dəyişdirilməyib diff --git a/htdocs/langs/az_AZ/main.lang b/htdocs/langs/az_AZ/main.lang index 2d850927782..fcfa356511c 100644 --- a/htdocs/langs/az_AZ/main.lang +++ b/htdocs/langs/az_AZ/main.lang @@ -1,10 +1,16 @@ # Dolibarr language file - Source file is en_US - main DIRECTION=ltr +# Default for FONTFORPDF=helvetica # Note for Chinese: -# msungstdlight or cid0ct are for traditional Chinese (traditional does not render with Ubuntu pdf reader) -# stsongstdlight or cid0cs are for simplified Chinese +# msungstdlight or cid0ct are for traditional Chinese zh_TW (traditional does not render with Ubuntu pdf reader) +# stsongstdlight or cid0cs are for simplified Chinese zh_CN # To read Chinese pdf with Linux: sudo apt-get install poppler-data -FONTFORPDF=helvetica +# cid0jp is for Japanish +# cid0kr is for Korean +# DejaVuSans is for some Eastern languages, some Asian languages and some Arabic languages +# freemono is for ru_RU or uk_UA, uz_UZ +# freeserif is for Tamil +FONTFORPDF=DejaVuSans FONTSIZEFORPDF=10 SeparatorDecimal=. SeparatorThousand=, @@ -12,8 +18,8 @@ FormatDateShort=%m/%d/%Y FormatDateShortInput=%m/%d/%Y FormatDateShortJava=MM/dd/yyyy FormatDateShortJavaInput=MM/dd/yyyy -FormatDateShortJQuery=mm/dd/yy -FormatDateShortJQueryInput=mm/dd/yy +FormatDateShortJQuery=MM/dd/yy +FormatDateShortJQueryInput=MM/dd/yy FormatHourShortJQuery=HH:MI FormatHourShort=%I:%M %p FormatHourShortDuration=%H:%M @@ -23,588 +29,602 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p -DatabaseConnection=Database connection -NoTemplateDefined=No template available for this email type -AvailableVariables=Available substitution variables -NoTranslation=No translation -Translation=Translation -CurrentTimeZone=TimeZone PHP (server) -EmptySearchString=Enter non empty search criterias -EnterADateCriteria=Enter a date criteria -NoRecordFound=No record found -NoRecordDeleted=No record deleted -NotEnoughDataYet=Not enough data -NoError=No error -Error=Error -Errors=Errors -ErrorFieldRequired=Field '%s' is required -ErrorFieldFormat=Field '%s' has a bad value -ErrorFileDoesNotExists=File %s does not exist -ErrorFailedToOpenFile=Failed to open file %s -ErrorCanNotCreateDir=Cannot create dir %s -ErrorCanNotReadDir=Cannot read dir %s -ErrorConstantNotDefined=Parameter %s not defined -ErrorUnknown=Unknown error -ErrorSQL=SQL Error -ErrorLogoFileNotFound=Logo file '%s' was not found -ErrorGoToGlobalSetup=Go to 'Company/Organization' setup to fix this -ErrorGoToModuleSetup=Go to Module setup to fix this -ErrorFailedToSendMail=Failed to send mail (sender=%s, receiver=%s) -ErrorFileNotUploaded=File was not uploaded. Check that size does not exceed maximum allowed, that free space is available on disk and that there is not already a file with same name in this directory. -ErrorInternalErrorDetected=Error detected -ErrorWrongHostParameter=Wrong host parameter -ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post the form again. -ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child record. -ErrorWrongValue=Wrong value -ErrorWrongValueForParameterX=Wrong value for parameter %s -ErrorNoRequestInError=No request in error -ErrorServiceUnavailableTryLater=Service not available at the moment. Try again later. -ErrorDuplicateField=Duplicate value in a unique field -ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. Changes have been rolled back. -ErrorConfigParameterNotDefined=Parameter %s is not defined in the Dolibarr config file conf.php. -ErrorCantLoadUserFromDolibarrDatabase=Failed to find user %s in Dolibarr database. -ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'. -ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'. -ErrorFailedToSaveFile=Error, failed to save file. -ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of a existing warehouse -FieldCannotBeNegative=Field "%s" cannot be negative -MaxNbOfRecordPerPage=Max. number of records per page -NotAuthorized=You are not authorized to do that. -SetDate=Set date -SelectDate=Select a date -SeeAlso=See also %s -SeeHere=See here -ClickHere=Click here -Here=Here -Apply=Apply -BackgroundColorByDefault=Default background color -FileRenamed=The file was successfully renamed -FileGenerated=The file was successfully generated -FileSaved=The file was successfully saved -FileUploaded=The file was successfully uploaded -FileTransferComplete=File(s) uploaded successfully -FilesDeleted=File(s) successfully deleted -FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. Click on "Attach file" for this. -NbOfEntries=No. of entries -GoToWikiHelpPage=Read online help (Internet access needed) -GoToHelpPage=Read help -DedicatedPageAvailable=Dedicated help page related to your current screen -HomePage=Home Page -RecordSaved=Record saved -RecordDeleted=Record deleted -RecordGenerated=Record generated -LevelOfFeature=Level of features -NotDefined=Not defined -DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is set to %s in configuration file conf.php.
      This means that the password database is external to Dolibarr, so changing this field may have no effect. -Administrator=Administrator -Undefined=Undefined -PasswordForgotten=Password forgotten? -NoAccount=No account? -SeeAbove=See above -HomeArea=Home -LastConnexion=Last login -PreviousConnexion=Previous login -PreviousValue=Previous value -ConnectedOnMultiCompany=Connected on environment -ConnectedSince=Connected since -AuthenticationMode=Authentication mode -RequestedUrl=Requested URL -DatabaseTypeManager=Database type manager -RequestLastAccessInError=Latest database access request error -ReturnCodeLastAccessInError=Return code for latest database access request error -InformationLastAccessInError=Information for latest database access request error -DolibarrHasDetectedError=Dolibarr has detected a technical error -YouCanSetOptionDolibarrMainProdToZero=You can read log file or set option $dolibarr_main_prod to '0' in your config file to get more information. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) -MoreInformation=More information -TechnicalInformation=Technical information -TechnicalID=Technical ID -LineID=Line ID -NotePublic=Note (public) -NotePrivate=Note (private) -PrecisionUnitIsLimitedToXDecimals=Dolibarr was setup to limit precision of unit prices to %s decimals. +DatabaseConnection=Verilənlər bazası bağlantısı +NoTemplateDefined=Bu e-poçt növü üçün şablon mövcud deyil +AvailableVariables=Mövcud əvəzedici dəyişənlər +NoTranslation=Tərcümə yoxdur +Translation=Tərcümə +Translations=Tərcümələr +CurrentTimeZone=Saat qurşağı PHP (server) +EmptySearchString=Boş olmayan axtarış meyarlarını daxil edin +EnterADateCriteria=Tarix meyarını daxil edin +NoRecordFound=Heç bir qeyd tapılmadı +NoRecordDeleted=Heç bir qeyd silinməyib +NotEnoughDataYet=Kifayət qədər məlumat yoxdur +NoError=Səhv yoxdur +Error=Xəta +Errors=Səhvlər +ErrorFieldRequired='%s' sahəsi tələb olunur +ErrorFieldFormat='%s' sahəsi pis dəyərə malikdir +ErrorFileDoesNotExists=%s faylı mövcud deyil +ErrorFailedToOpenFile=%s faylını açmaq alınmadı +ErrorCanNotCreateDir=%s direktoru yaratmaq mümkün deyil +ErrorCanNotReadDir=Direktoru oxumaq mümkün deyil %s +ErrorConstantNotDefined=%s parametri müəyyən edilməyib +ErrorUnknown=Naməlum xəta +ErrorSQL=SQL xətası +ErrorLogoFileNotFound='%s' loqo faylı tapılmadı +ErrorGoToGlobalSetup=Bunu düzəltmək üçün "Şirkət/Təşkilat" parametrinə keçin +ErrorGoToModuleSetup=Bunu düzəltmək üçün Modul quraşdırmasına keçin +ErrorFailedToSendMail=Məktub göndərmək alınmadı (sender=%s, qəbuledici=%s) +ErrorFileNotUploaded=Fayl yüklənmədi. Ölçünün icazə verilən maksimumu keçmədiyini, diskdə boş yerin olduğunu və bu kataloqda eyni adlı faylın artıq olmadığını yoxlayın. +ErrorInternalErrorDetected=Xəta aşkarlandı +ErrorWrongHostParameter=Səhv host parametri +ErrorYourCountryIsNotDefined=Sizin ölkəniz müəyyən edilməyib. Home-Setup-Company/Foundation-a gedin və formanı yenidən yerləşdirin. +ErrorRecordIsUsedByChild=Bu qeydi silmək alınmadı. Bu qeyd ən azı bir uşaq qeydi tərəfindən istifadə olunur. +ErrorWrongValue=Yanlış dəyər +ErrorWrongValueForParameterX=%s parametri üçün yanlış dəyər +ErrorNoRequestInError=Səhvdə sorğu yoxdur +ErrorServiceUnavailableTryLater=Xidmət hazırda mövcud deyil. Biraz sonra yenidən cəhd edin. +ErrorDuplicateField=Unikal sahədə dublikat dəyər +ErrorSomeErrorWereFoundRollbackIsDone=Bəzi səhvlər tapıldı. Dəyişikliklər geri qaytarıldı. +ErrorConfigParameterNotDefined=%s parametri
      conf.php. +ErrorCantLoadUserFromDolibarrDatabase=Dolibarr verilənlər bazasında %s istifadəçisini tapmaq alınmadı. +ErrorNoVATRateDefinedForSellerCountry=Xəta, '%s' ölkəsi üçün ƏDV dərəcələri müəyyən edilməyib. +ErrorNoSocialContributionForSellerCountry=Xəta, '%s' ölkəsi üçün sosial/fiskal vergi növü müəyyən edilməyib. +ErrorFailedToSaveFile=Xəta, faylı saxlamaq alınmadı. +ErrorCannotAddThisParentWarehouse=Siz artıq mövcud anbarın övladı olan ana anbarı əlavə etməyə çalışırsınız +ErrorInvalidSubtype=Seçilmiş Alt Növə icazə verilmir +FieldCannotBeNegative="%s" sahəsi mənfi ola bilməz +MaxNbOfRecordPerPage=Maks. səhifə başına qeydlərin sayı +NotAuthorized=Bunu etməyə icazəniz yoxdur. +SetDate=Tarix təyin edin +SelectDate=Tarix seçin +SeeAlso=Həmçinin baxın %s +SeeHere=Bura baxın +ClickHere=Bura basın +Here=Burada +Apply=Müraciət edin +BackgroundColorByDefault=Defolt fon rəngi +FileRenamed=Faylın adı uğurla dəyişdirildi +FileGenerated=Fayl uğurla yaradıldı +FileSaved=Fayl uğurla yadda saxlanıldı +FileUploaded=Fayl uğurla yükləndi +FileTransferComplete=Fayl(lar) uğurla yükləndi +FilesDeleted=Fayl(lar) uğurla silindi +FileWasNotUploaded=Fayl qoşma üçün seçilib, lakin hələ yüklənməyib. Bunun üçün "Fayl əlavə et" düyməsini basın. +NbOfEntries=Girişlərin sayı +GoToWikiHelpPage=Onlayn yardımı oxuyun (İnternetə giriş tələb olunur) +GoToHelpPage=Kömək oxuyun +DedicatedPageAvailable=Cari ekranınızla bağlı yardım səhifəsi +HomePage=Əsas Səhifə +RecordSaved=Qeyd saxlanıldı +RecordDeleted=Qeyd silindi +RecordGenerated=Rekord yaradıldı +LevelOfFeature=Xüsusiyyətlərin səviyyəsi +NotDefined=Müəyyən edilməyib +DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr identifikasiyası rejimi %s konfiqurasiya faylında ayarlanıb class='notranslate'>
      conf.php.
      Bu o deməkdir ki, parol verilənlər bazası üçün xaricidir. Dolibarr, buna görə də bu sahəni dəyişdirməyin heç bir təsiri olmaya bilər. +Administrator=Sistem administratoru +AdministratorDesc=Sistem administratoru (istifadəçini, icazələri idarə edə bilər, həm də sistem quraşdırması və modulların konfiqurasiyasını idarə edə bilər) +Undefined=Müəyyən edilməmiş +PasswordForgotten=Parol unuduldu? +NoAccount=Hesab yoxdur? +SeeAbove=Yuxarıda baxın +HomeArea=Ev +LastConnexion=Son giriş +PreviousConnexion=Əvvəlki giriş +PreviousValue=Əvvəlki dəyər +ConnectedOnMultiCompany=Ətraf mühitə bağlıdır +ConnectedSince=O vaxtdan qoşulub +AuthenticationMode=Doğrulama rejimi +RequestedUrl=İstənilən URL +DatabaseTypeManager=Verilənlər bazası tip meneceri +RequestLastAccessInError=Ən son verilənlər bazasına giriş sorğusu xətası +ReturnCodeLastAccessInError=Ən son verilənlər bazasına giriş sorğusu xətası üçün kodu qaytarın +InformationLastAccessInError=Ən son verilənlər bazasına giriş sorğusu xətası üçün məlumat +DolibarrHasDetectedError=Dolibarr texniki xəta aşkarladı +YouCanSetOptionDolibarrMainProdToZero=Əlavə məlumat əldə etmək üçün log faylını oxuya və ya konfiqurasiya faylınızda $dolibarr_main_prod seçimini '0' olaraq təyin edə bilərsiniz. +InformationToHelpDiagnose=Bu məlumat diaqnostik məqsədlər üçün faydalı ola bilər (həssas məlumatları gizlətmək üçün $dolibarr_main_prod seçimini '1' olaraq təyin edə bilərsiniz) +MoreInformation=Ətraflı məlumat +TechnicalInformation=Texniki məlumat +TechnicalID=Texniki ID +LineID=Xətt ID +NotePublic=Qeyd (ictimai) +NotePrivate=Qeyd (şəxsi) +PrecisionUnitIsLimitedToXDecimals=Dolibarr vahid qiymətlərinin dəqiqliyini %sb09a4b739f17f80 ilə məhdudlaşdırmaq üçün qurulub. . DoTest=Test -ToFilter=Filter -NoFilter=No filter -WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance time. -yes=yes -Yes=Yes -no=no -No=No -All=All -Home=Home -Help=Help -OnlineHelp=Online help -PageWiki=Wiki page -MediaBrowser=Media browser -Always=Always -Never=Never -Under=under -Period=Period -PeriodEndDate=End date for period -SelectedPeriod=Selected period -PreviousPeriod=Previous period -Activate=Activate -Activated=Activated -Closed=Closed -Closed2=Closed -NotClosed=Not closed -Enabled=Enabled -Enable=Enable -Deprecated=Deprecated -Disable=Disable -Disabled=Disabled -Add=Add -AddLink=Add link -RemoveLink=Remove link -AddToDraft=Add to draft -Update=Update -Close=Close -CloseAs=Set status to -CloseBox=Remove widget from your dashboard -Confirm=Confirm -ConfirmSendCardByMail=Do you really want to send the content of this card by mail to %s? -Delete=Delete -Remove=Remove -Resiliate=Terminate -Cancel=Cancel -Modify=Modify -Edit=Edit -Validate=Validate -ValidateAndApprove=Validate and Approve -ToValidate=To validate -NotValidated=Not validated -Save=Save -SaveAs=Save As -SaveAndStay=Save and stay -SaveAndNew=Save and new -TestConnection=Test connection -ToClone=Clone -ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose the data you want to clone: -NoCloneOptionsSpecified=No data to clone defined. +ToFilter=Filtr +NoFilter=Filtrsiz +WarningYouHaveAtLeastOneTaskLate=Xəbərdarlıq, tolerantlıq müddətini keçmiş ən azı bir elementiniz var. +yes=bəli +Yes=Bəli +no=yox +No=Yox +All=Hamısı +Home=Ev +Help=Kömək edin +OnlineHelp=Onlayn kömək +PageWiki=Wiki səhifə +MediaBrowser=Media brauzeri +Always=Həmişə +Never=Heç vaxt +Under=altında +Period=Dövr +PeriodEndDate=Dövr üçün bitmə tarixi +SelectedPeriod=Seçilmiş dövr +PreviousPeriod=Əvvəlki dövr +Activate=Aktivləşdirin +Activated=Aktivləşdirilib +Closed=Bağlı +Closed2=Bağlı +NotClosed=Bağlı deyil +Enabled=Aktivdir +Enable=Aktivləşdirin +Deprecated=Köhnəlmişdir +Disable=Deaktiv edin +Disabled=Əlil +Add=əlavə et +AddLink=Link əlavə edin +RemoveLink=Linki silin +AddToDraft=Qaralamaya əlavə edin +Update=Yeniləyin +Close=Yaxın +CloseAs=Vəziyyəti təyin edin +CloseBox=Vidceti idarə panelinizdən silin +Confirm=Təsdiq edin +ConfirmSendCardByMail=Siz həqiqətən bu kartın məzmununu poçtla %s? +Delete=Sil +Remove=Sil +Resiliate=Bitirmək +Cancel=Ləğv et +Modify=Dəyişdirin +Edit=Redaktə et +Validate=Doğrulayın +ValidateAndApprove=Təsdiq et və təsdiq et +ToValidate=Doğrulamaq üçün +NotValidated=Təsdiq edilməyib +Save=Yadda saxla +SaveAs=Fərqli Saxla +SaveAndStay=Saxla və qalın +SaveAndNew=Saxla və yeni +TestConnection=Test bağlantısı +ToClone=Klon +ConfirmCloneAsk=%s obyektini klonlaşdırmaq istədiyinizə əminsiniz? +ConfirmClone=Klonlaşdırmaq istədiyiniz məlumatları seçin: +NoCloneOptionsSpecified=Klonlanacaq məlumat yoxdur. Of=of -Go=Go -Run=Run -CopyOf=Copy of -Show=Show -Hide=Hide -ShowCardHere=Show card -Search=Search -SearchOf=Search -SearchMenuShortCut=Ctrl + shift + f -QuickAdd=Quick add -QuickAddMenuShortCut=Ctrl + shift + l -Valid=Valid -Approve=Approve -Disapprove=Disapprove -ReOpen=Re-Open -Upload=Upload +Go=Get +Run=Qaç +CopyOf=surəti +Show=Göstər +Hide=Gizlət +ShowCardHere=Kartı göstərin +Search=Axtar +SearchOf=Axtar +QuickAdd=Tez əlavə edin +Valid=Etibarlıdır +Approve=Təsdiq edin +Disapprove=Təsdiq etmə +ReOpen=Yenidən açın +OpenVerb=Açıq +Upload=Yükləmək ToLink=Link -Select=Select -SelectAll=Select all -Choose=Choose -Resize=Resize -ResizeOrCrop=Resize or Crop -Recenter=Recenter -Author=Author -User=User -Users=Users -Group=Group -Groups=Groups -UserGroup=User group -UserGroups=User groups -NoUserGroupDefined=No user group defined -Password=Password -PasswordRetype=Retype your password -NoteSomeFeaturesAreDisabled=Note that a lot of features/modules are disabled in this demonstration. -Name=Name -NameSlashCompany=Name / Company -Person=Person -Parameter=Parameter -Parameters=Parameters -Value=Value -PersonalValue=Personal value -NewObject=New %s -NewValue=New value -OldValue=Old value %s -CurrentValue=Current value -Code=Code -Type=Type -Language=Language -MultiLanguage=Multi-language -Note=Note -Title=Title -Label=Label -RefOrLabel=Ref. or label -Info=Log -Family=Family -Description=Description -Designation=Description -DescriptionOfLine=Description of line -DateOfLine=Date of line -DurationOfLine=Duration of line -Model=Doc template -DefaultModel=Default doc template -Action=Event -About=About -Number=Number -NumberByMonth=Total reports by month -AmountByMonth=Amount by month -Numero=Number +Select=seçin +SelectAll=Hamısını seç +Choose=seçin +Resize=Ölçü dəyişdirin +Crop=məhsul +ResizeOrCrop=Ölçüsü dəyişdirin və ya Kəs +Author=Müəllif +User=İstifadəçi +Users=İstifadəçilər +Group=Qrup +Groups=Qruplar +UserGroup=İstifadəçi qrupu +UserGroups=İstifadəçi qrupları +NoUserGroupDefined=Heç bir istifadəçi qrupu müəyyən edilməmişdir +Password=parol +PasswordRetype=Parolunuzu təkrarlayın +NoteSomeFeaturesAreDisabled=Qeyd edək ki, bu nümayişdə bir çox funksiya/modul deaktiv edilib. +YourUserFile=İstifadəçi faylınız +Name=ad +NameSlashCompany=Adı / Şirkət +Person=Şəxs +Parameter=Parametr +Parameters=Parametrlər +Value=Dəyər +PersonalValue=Şəxsi dəyər +NewObject=Yeni %s +NewValue=Yeni dəyər +OldValue=Köhnə dəyər %s +FieldXModified=%s sahəsi dəyişdirildi +FieldXModifiedFromYToZ=%s sahəsi %s-dan %s olaraq dəyişdirildi +CurrentValue=Cari dəyər +Code=Kod +Type=Növ +Language=Dil +MultiLanguage=Çoxdilli +Note=Qeyd +Title=Başlıq +Label=Etiket +RefOrLabel=Ref. və ya etiket +Info=Giriş +Family=Ailə +Description=Təsvir +Designation=Təsvir +DescriptionOfLine=Xəttin təsviri +DateOfLine=Xəttin tarixi +DurationOfLine=Xəttin müddəti +ParentLine=Ana xətt ID-si +Model=Sənəd şablonu +DefaultModel=Defolt sənəd şablonu +Action=Hadisə +About=Haqqında +Number=Nömrə +NumberByMonth=Aylar üzrə ümumi hesabatlar +AmountByMonth=Aylara görə məbləğ +Numero=Nömrə Limit=Limit -Limits=Limits -Logout=Logout -NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode %s -Connection=Login -Setup=Setup -Alert=Alert -MenuWarnings=Alerts -Previous=Previous -Next=Next -Cards=Cards -Card=Card -Now=Now -HourStart=Start hour -Deadline=Deadline -Date=Date -DateAndHour=Date and hour -DateToday=Today's date -DateReference=Reference date -DateStart=Start date -DateEnd=End date -DateCreation=Creation date -DateCreationShort=Creat. date -IPCreation=Creation IP -DateModification=Modification date -DateModificationShort=Modif. date -IPModification=Modification IP -DateLastModification=Latest modification date -DateValidation=Validation date -DateSigning=Signing date -DateClosing=Closing date -DateDue=Due date -DateValue=Value date -DateValueShort=Value date -DateOperation=Operation date -DateOperationShort=Oper. Date -DateLimit=Limit date -DateRequest=Request date -DateProcess=Process date -DateBuild=Report build date -DatePayment=Date of payment -DateApprove=Approving date -DateApprove2=Approving date (second approval) -RegistrationDate=Registration date -UserCreation=Creation user -UserModification=Modification user -UserValidation=Validation user -UserCreationShort=Creat. user -UserModificationShort=Modif. user -UserValidationShort=Valid. user -DurationYear=year -DurationMonth=month -DurationWeek=week -DurationDay=day -DurationYears=years -DurationMonths=months -DurationWeeks=weeks -DurationDays=days -Year=Year -Month=Month -Week=Week -WeekShort=Week -Day=Day -Hour=Hour -Minute=Minute -Second=Second -Years=Years -Months=Months -Days=Days -days=days -Hours=Hours -Minutes=Minutes -Seconds=Seconds -Weeks=Weeks -Today=Today -Yesterday=Yesterday -Tomorrow=Tomorrow -Morning=Morning -Afternoon=Afternoon +Limits=Limitlər +Logout=Çıxış +NoLogoutProcessWithAuthMode=Doğrulama rejimi ilə tətbiqi ayırma funksiyası yoxdur %sb09a4b739f17f80z +Connection=Daxil ol +Setup=Qurmaq +Alert=Xəbərdarlıq +MenuWarnings=Xəbərdarlıqlar +Previous=Əvvəlki +Next=Sonrakı +Cards=Kartlar +Card=Kart +Now=İndi +HourStart=Başlama saatı +Deadline=Son tarix +Date=Tarix +DateAndHour=Tarix və saat +DateToday=Bugünkü tarix +DateReference=İstinad tarixi +DateStart=Başlama tarixi +DateEnd=Bitmə vaxtı +DateCreation=Yaradılma tarixi +DateCreationShort=yaradın. Tarix +IPCreation=IP yaradılması +DateModification=Dəyişiklik tarixi +DateModificationShort=Modif. Tarix +IPModification=Dəyişiklik IP +DateLastModification=Ən son dəyişiklik tarixi +DateValidation=Doğrulama tarixi +DateSigning=İmzalanma tarixi +DateClosing=Bağlanma tarixi +DateDue=Bitiş tarixi, son tarix +DateValue=Dəyər tarixi +DateValueShort=Dəyər tarixi +DateOperation=Əməliyyat tarixi +DateOperationShort=Opera. Tarix +DateLimit=Limit tarixi +DateRequest=Sorğu tarixi +DateProcess=Proses tarixi +DateBuild=Quraşdırma tarixini bildirin +DatePayment=Ödəniş tarixi +DateApprove=Təsdiq tarixi +DateApprove2=Təsdiq tarixi (ikinci təsdiq) +RegistrationDate=Qeydiyyat tarixi +UserCreation=Yaradıcı istifadəçi +UserModification=Modifikasiya istifadəçisi +UserValidation=Doğrulama istifadəçisi +UserCreationShort=yaradın. istifadəçi +UserModificationShort=Modif. istifadəçi +UserValidationShort=Etibarlıdır. istifadəçi +UserClosing=Bağlanan istifadəçi +UserClosingShort=Bağlanan istifadəçi +DurationYear=il +DurationMonth=ay +DurationWeek=həftə +DurationDay=gün +DurationYears=illər +DurationMonths=ay +DurationWeeks=həftələr +DurationDays=günlər +Year=il +Month=ay +Week=Həftə +WeekShort=Həftə +Day=Gün +Hour=Saat +Minute=Dəqiqə +Second=İkinci +Years=İllər +Months=aylar +Days=Günlər +days=günlər +Hours=Saatlar +Minutes=Dəqiqələr +Seconds=Saniyələr +Weeks=həftələr +Today=Bu gün +Yesterday=Dünən +Tomorrow=Sabah +Morning=Səhər +Afternoon=Günorta Quadri=Quadri -MonthOfDay=Month of the day -DaysOfWeek=Days of week +MonthOfDay=Günün ayı +DaysOfWeek=Həftənin günləri HourShort=H MinuteShort=mn -Rate=Rate -CurrencyRate=Currency conversion rate -UseLocalTax=Include tax -Bytes=Bytes -KiloBytes=Kilobytes -MegaBytes=Megabytes -GigaBytes=Gigabytes -TeraBytes=Terabytes -UserAuthor=Ceated by -UserModif=Updated by +SecondShort=san +Rate=Qiymətləndirmə +CurrencyRate=Valyuta konvertasiya məzənnəsi +UseLocalTax=Vergi daxil edin +Bytes=Bayt +KiloBytes=Kilobayt +MegaBytes=Meqabayt +GigaBytes=Gigabayt +TeraBytes=terabayt +UserAuthor=Yaradılıb +UserModif=tərəfindən yenilənib b=b. Kb=Kb Mb=Mb Gb=Gb Tb=Tb -Cut=Cut -Copy=Copy -Paste=Paste -Default=Default -DefaultValue=Default value -DefaultValues=Default values/filters/sorting -Price=Price -PriceCurrency=Price (currency) -UnitPrice=Unit price -UnitPriceHT=Unit price (excl.) -UnitPriceHTCurrency=Unit price (excl.) (currency) -UnitPriceTTC=Unit price +Cut=kəsmək +Copy=Kopyalayın +Paste=Yapışdır +Default=Defolt +DefaultValue=Cari dəyər +DefaultValues=Defolt dəyərlər/filtrlər/çeşidləmə +Price=Qiymət +PriceCurrency=Qiymət (valyuta) +UnitPrice=Vahid qiymət +UnitPriceHT=Vahid qiyməti (xaric) +UnitPriceHTCurrency=Vahid qiyməti (xaric) (valyuta) +UnitPriceTTC=Vahid qiymət PriceU=U.P. -PriceUHT=U.P. (net) -PriceUHTCurrency=U.P (net) (currency) -PriceUTTC=U.P. (inc. tax) -Amount=Amount -AmountInvoice=Invoice amount -AmountInvoiced=Amount invoiced -AmountInvoicedHT=Amount invoiced (excl. tax) -AmountInvoicedTTC=Amount invoiced (inc. tax) -AmountPayment=Payment amount -AmountHTShort=Amount (excl.) -AmountTTCShort=Amount (inc. tax) -AmountHT=Amount (excl. tax) -AmountTTC=Amount (inc. tax) -AmountVAT=Amount tax -MulticurrencyAlreadyPaid=Already paid, original currency -MulticurrencyRemainderToPay=Remain to pay, original currency -MulticurrencyPaymentAmount=Payment amount, original currency -MulticurrencyAmountHT=Amount (excl. tax), original currency -MulticurrencyAmountTTC=Amount (inc. of tax), original currency -MulticurrencyAmountVAT=Amount tax, original currency -MulticurrencySubPrice=Amount sub price multi currency -AmountLT1=Amount tax 2 -AmountLT2=Amount tax 3 -AmountLT1ES=Amount RE -AmountLT2ES=Amount IRPF -AmountTotal=Total amount -AmountAverage=Average amount -PriceQtyMinHT=Price quantity min. (excl. tax) -PriceQtyMinHTCurrency=Price quantity min. (excl. tax) (currency) -PercentOfOriginalObject=Percent of original object -AmountOrPercent=Amount or percent -Percentage=Percentage -Total=Total -SubTotal=Subtotal -TotalHTShort=Total (excl.) -TotalHT100Short=Total 100%% (excl.) -TotalHTShortCurrency=Total (excl. in currency) -TotalTTCShort=Total (inc. tax) -TotalHT=Total (excl. tax) -TotalHTforthispage=Total (excl. tax) for this page -Totalforthispage=Total for this page -TotalTTC=Total (inc. tax) -TotalTTCToYourCredit=Total (inc. tax) to your credit -TotalVAT=Total tax -TotalVATIN=Total IGST -TotalLT1=Total tax 2 -TotalLT2=Total tax 3 -TotalLT1ES=Total RE -TotalLT2ES=Total IRPF -TotalLT1IN=Total CGST -TotalLT2IN=Total SGST -HT=Excl. tax -TTC=Inc. tax -INCVATONLY=Inc. VAT -INCT=Inc. all taxes -VAT=Sales tax +PriceUHT=U.P. (xalis) +PriceUHTCurrency=U.P (xalis) (valyuta) +PriceUTTC=U.P. (vergi daxil olmaqla) +Amount=Məbləğ +AmountInvoice=Faktura məbləği +AmountInvoiced=Hesablanmış məbləğ +AmountInvoicedHT=Hesab-faktura məbləği (vergi istisna olmaqla) +AmountInvoicedTTC=Hesablanmış məbləğ (vergi daxil olmaqla) +AmountPayment=Ödəniş məbləği +AmountHTShort=Məbləğ (xarici) +AmountTTCShort=Məbləğ (vergi daxil olmaqla) +AmountHT=Məbləğ (vergi istisna olmaqla) +AmountTTC=Məbləğ (vergi daxil olmaqla) +AmountVAT=Məbləğ vergisi +MulticurrencyAlreadyPaid=Artıq ödənilib, orijinal valyuta +MulticurrencyRemainderToPay=Ödəmək üçün qalın, orijinal valyuta +MulticurrencyPaymentAmount=Ödəniş məbləği, orijinal valyuta +MulticurrencyAmountHT=Məbləğ (vergi istisna olmaqla), orijinal valyuta +MulticurrencyAmountTTC=Məbləğ (vergi daxil olmaqla), orijinal valyuta +MulticurrencyAmountVAT=Məbləğ vergisi, orijinal valyuta +MulticurrencySubPrice=Məbləğ alt qiymət çox valyuta +AmountLT1=Vergi məbləği 2 +AmountLT2=Vergi məbləği 3 +AmountLT1ES=Məbləğ RE +AmountLT2ES=IRPF məbləği +AmountTotal=Ümumi miqdar +AmountAverage=Orta məbləğ +PriceQtyMinHT=Qiymət miqdarı min. (vergi istisna olmaqla) +PriceQtyMinHTCurrency=Qiymət miqdarı min. (vergi istisna olmaqla) (valyuta) +PercentOfOriginalObject=Orijinal obyektin faizi +AmountOrPercent=Məbləğ və ya faiz +Percentage=Faiz +Total=Ümumi +SubTotal=Ara cəmi +TotalHTShort=Cəmi (xaric) +TotalHT100Short=Cəmi 100%% (xarici) +TotalHTShortCurrency=Cəmi (valyuta istisna olmaqla) +TotalTTCShort=Cəmi (vergi daxil olmaqla) +TotalHT=Cəmi (vergi istisna olmaqla) +TotalHTforthispage=Bu səhifə üçün cəmi (vergi istisna olmaqla). +Totalforthispage=Bu səhifə üçün cəmi +TotalTTC=Cəmi (vergi daxil olmaqla) +TotalTTCToYourCredit=Kreditinizə cəmi (vergi daxil olmaqla). +TotalVAT=Ümumi vergi +TotalVATIN=Ümumi IGST +TotalLT1=Ümumi vergi 2 +TotalLT2=Ümumi vergi 3 +TotalLT1ES=Ümumi RE +TotalLT2ES=Ümumi IRPF +TotalLT1IN=Ümumi CGST +TotalLT2IN=Ümumi SGST +HT=İstisna vergi +TTC=Inc vergisi +INCVATONLY=Inc. ƏDV +INCT=Inc. bütün vergilər +VAT=Satış vergisi VATIN=IGST -VATs=Sales taxes -VATINs=IGST taxes -LT1=Sales tax 2 -LT1Type=Sales tax 2 type -LT2=Sales tax 3 -LT2Type=Sales tax 3 type +VATs=Satış vergiləri +VATINs=IGST vergiləri +LT1=Satış vergisi 2 +LT1Type=Satış vergisi 2 növ +LT2=Satış vergisi 3 +LT2Type=Satış vergisi 3 növ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Additionnal cents -VATRate=Tax Rate -RateOfTaxN=Rate of tax %s -VATCode=Tax Rate code -VATNPR=Tax Rate NPR -DefaultTaxRate=Default tax rate -Average=Average -Sum=Sum +LT1GC=Əlavə sentlər +VATRate=Vergi dərəcəsi +RateOfTaxN=Vergi dərəcəsi %s +VATCode=Vergi dərəcəsi kodu +VATNPR=Vergi dərəcəsi NPR +DefaultTaxRate=Defolt vergi dərəcəsi +Average=Orta +Sum=məbləğ Delta=Delta -StatusToPay=To pay -RemainToPay=Remain to pay -Module=Module/Application -Modules=Modules/Applications -Option=Option -Filters=Filters -List=List -FullList=Full list -FullConversation=Full conversation -Statistics=Statistics -OtherStatistics=Other statistics -Status=Status -Favorite=Favorite -ShortInfo=Info. +StatusToPay=Ödəmək +RemainToPay=Ödəmək üçün qalın +Module=Modul/Tətbiq +Modules=Modullar/Tətbiqlər +Option=Seçim +Filters=Filtrlər +List=Siyahı +FullList=Tam siyahı +FullConversation=Tam söhbət +Statistics=Statistika +OtherStatistics=Digər statistika +Status=Vəziyyət +Favorite=Sevimli +ShortInfo=Məlumat. Ref=Ref. -ExternalRef=Ref. extern -RefSupplier=Ref. vendor -RefPayment=Ref. payment -CommercialProposalsShort=Commercial proposals -Comment=Comment -Comments=Comments -ActionsToDo=Events to do -ActionsToDoShort=To do -ActionsDoneShort=Done -ActionNotApplicable=Not applicable -ActionRunningNotStarted=To start -ActionRunningShort=In progress -ActionDoneShort=Finished -ActionUncomplete=Incomplete -LatestLinkedEvents=Latest %s linked events -CompanyFoundation=Company/Organization -Accountant=Accountant -ContactsForCompany=Contacts for this third party -ContactsAddressesForCompany=Contacts/addresses for this third party -AddressesForCompany=Addresses for this third party -ActionsOnCompany=Events for this third party -ActionsOnContact=Events for this contact/address -ActionsOnContract=Events for this contract -ActionsOnMember=Events about this member -ActionsOnProduct=Events about this product -NActionsLate=%s late -ToDo=To do -Completed=Completed -Running=In progress -RequestAlreadyDone=Request already recorded -Filter=Filter -FilterOnInto=Search criteria '%s' into fields %s -RemoveFilter=Remove filter -ChartGenerated=Chart generated -ChartNotGenerated=Chart not generated -GeneratedOn=Build on %s -Generate=Generate -Duration=Duration -TotalDuration=Total duration -Summary=Summary -DolibarrStateBoard=Database Statistics -DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No open element to process -Available=Available -NotYetAvailable=Not yet available -NotAvailable=Not available -Categories=Tags/categories -Category=Tag/category +ExternalRef=Ref. xarici +RefSupplier=Ref. satıcı +RefPayment=Ref. ödəniş +CommercialProposalsShort=Kommersiya təklifləri +Comment=Şərh +Comments=Şərhlər +ActionsToDo=Ediləcək hadisələr +ActionsToDoShort=Etmək +ActionsDoneShort=Bitdi +ActionNotApplicable=Tətbiq edilmir +ActionRunningNotStarted=Başlamaq +ActionRunningShort=Davam edir +ActionDoneShort=Bitdi +ActionUncomplete=Natamam +LatestLinkedEvents=Ən son %s əlaqəli tədbirlər +CompanyFoundation=Şirkət/Təşkilat +Accountant=Mühasib +ContactsForCompany=Bu üçüncü tərəf üçün kontaktlar +ContactsAddressesForCompany=Bu üçüncü tərəf üçün kontaktlar/ünvanlar +AddressesForCompany=Bu üçüncü tərəf üçün ünvanlar +ActionsOnCompany=Bu üçüncü tərəf üçün tədbirlər +ActionsOnContact=Bu əlaqə/ünvan üçün tədbirlər +ActionsOnContract=Bu müqavilə üçün tədbirlər +ActionsOnMember=Bu üzv haqqında hadisələr +ActionsOnProduct=Bu məhsul haqqında hadisələr +ActionsOnAsset=Bu əsas vəsait üçün hadisələr +NActionsLate=%s gec +ToDo=Etmək +Completed=Tamamlandı +Running=Davam edir +RequestAlreadyDone=Sorğu artıq qeydə alınıb +Filter=Filtr +FilterOnInto=Axtarış meyarları '%s=' sahələrində notranslate'>%s +RemoveFilter=Filtri çıxarın +ChartGenerated=Qrafik yaradıldı +ChartNotGenerated=Diaqram yaradılmadı +GeneratedOn=%s üzərində qurun +Generate=Yaratmaq +Duration=Müddət +TotalDuration=Ümumi müddət +Summary=Xülasə +DolibarrStateBoard=Verilənlər Bazasının Statistikası +DolibarrWorkBoard=Elementləri açın +NoOpenedElementToProcess=Emal ediləcək açıq element yoxdur +Available=Mövcuddur +NotYetAvailable=Hələ mövcud deyil +NotAvailable=Mövcud deyil +Categories=Teqlər/kateqoriyalar +Category=Etiket/kateqoriya +SelectTheTagsToAssign=Təyin etmək üçün etiketləri/kateqoriyaları seçin By=By From=From FromDate=From FromLocation=From -to=to -To=to -ToDate=to -ToLocation=to -at=at -and=and -or=or -Other=Other -Others=Others -OtherInformations=Other information -Quantity=Quantity -Qty=Qty -ChangedBy=Changed by -ApprovedBy=Approved by -ApprovedBy2=Approved by (second approval) -Approved=Approved -Refused=Refused -ReCalculate=Recalculate -ResultKo=Failure -Reporting=Reporting -Reportings=Reporting -Draft=Draft -Drafts=Drafts -StatusInterInvoiced=Invoiced -Validated=Validated -ValidatedToProduce=Validated (To produce) -Opened=Open -OpenAll=Open (All) -ClosedAll=Closed (All) -New=New -Discount=Discount -Unknown=Unknown +to=üçün +To=üçün +ToDate=üçün +ToLocation=üçün +at=saat +and=və +or=və ya +Other=Digər +Others=Digərləri +OtherInformations=Digər məlumatlar +Workflow=İş axını +Quantity=Kəmiyyət +Qty=Miqdar +ChangedBy=tərəfindən dəyişdirildi +ApprovedBy=tərəfindən təsdiq edilmişdir +ApprovedBy2=Təsdiq edildi (ikinci təsdiq) +Approved=Təsdiq edildi +Refused=İmtina etdi +ReCalculate=Yenidən hesablayın +ResultKo=Uğursuzluq +Reporting=Hesabat +Reportings=Hesabat +Draft=Qaralama +Drafts=Qaralamalar +StatusInterInvoiced=Faktura verilmişdir +Done=Bitdi +Validated=Təsdiqlənmişdir +ValidatedToProduce=Təsdiqlənmiş (istehsal etmək üçün) +Opened=Açıq +OpenAll=Açıq (hamısı) +ClosedAll=Bağlıdır (hamısı) +New=Yeni +Discount=Endirim +Unknown=Naməlum General=General -Size=Size -OriginalSize=Original size -Received=Received -Paid=Paid -Topic=Subject -ByCompanies=By third parties -ByUsers=By user -Links=Links +Size=Ölçü +OriginalSize=Orijinal ölçü +RotateImage=90° fırladın +Received=Qəbul edildi +Paid=Ödənişli +Topic=Mövzu +ByCompanies=Üçüncü şəxslər tərəfindən +ByUsers=İstifadəçi tərəfindən +Links=Linklər Link=Link -Rejects=Rejects -Preview=Preview -NextStep=Next step +Rejects=Rədd edir +Preview=Önizləmə +NextStep=Növbəti addım Datas=Data -None=None -NoneF=None -NoneOrSeveral=None or several -Late=Late -LateDesc=An item is defined as Delayed as per the system configuration in menu Home - Setup - Alerts. -NoItemLate=No late item -Photo=Picture -Photos=Pictures -AddPhoto=Add picture -DeletePicture=Picture delete -ConfirmDeletePicture=Confirm picture deletion? -Login=Login -LoginEmail=Login (email) -LoginOrEmail=Login or Email -CurrentLogin=Current login -EnterLoginDetail=Enter login details -January=January -February=February -March=March -April=April -May=May -June=June -July=July -August=August -September=September -October=October -November=November -December=December -Month01=January -Month02=February -Month03=March -Month04=April -Month05=May -Month06=June -Month07=July -Month08=August -Month09=September -Month10=October -Month11=November -Month12=December -MonthShort01=Jan -MonthShort02=Feb -MonthShort03=Mar -MonthShort04=Apr -MonthShort05=May -MonthShort06=Jun -MonthShort07=Jul -MonthShort08=Aug -MonthShort09=Sep -MonthShort10=Oct -MonthShort11=Nov -MonthShort12=Dec +None=Heç biri +NoneF=Heç biri +NoneOrSeveral=Heç biri və ya bir neçə +Late=gec +LateDesc=Əsas - Quraşdırma - Siqnallar menyusunda sistem konfiqurasiyasına uyğun olaraq element Gecikmiş kimi müəyyən edilir. +NoItemLate=Gecikmiş element yoxdur +Photo=Şəkil +Photos=Şəkillər +AddPhoto=Şəkil əlavə edin +DeletePicture=Şəkil silin +ConfirmDeletePicture=Şəklin silinməsi təsdiq edilsin? +Login=Daxil ol +LoginEmail=Giriş (e-poçt) +LoginOrEmail=Giriş və ya E-poçt +CurrentLogin=Cari giriş +EnterLoginDetail=Giriş məlumatlarını daxil edin +January=yanvar +February=fevral +March=mart +April=aprel +May=Bilər +June=iyun +July=iyul +August=avqust +September=sentyabr +October=oktyabr +November=noyabr +December=dekabr +Month01=yanvar +Month02=fevral +Month03=mart +Month04=aprel +Month05=Bilər +Month06=iyun +Month07=iyul +Month08=avqust +Month09=sentyabr +Month10=oktyabr +Month11=noyabr +Month12=dekabr +MonthShort01=Yanvar +MonthShort02=Fevral +MonthShort03=mart +MonthShort04=aprel +MonthShort05=Bilər +MonthShort06=İyun +MonthShort07=İyul +MonthShort08=avqust +MonthShort09=Sentyabr +MonthShort10=Oktyabr +MonthShort11=noyabr +MonthShort12=dekabr MonthVeryShort01=J MonthVeryShort02=F MonthVeryShort03=M @@ -617,360 +637,370 @@ MonthVeryShort09=S MonthVeryShort10=O MonthVeryShort11=N MonthVeryShort12=D -AttachedFiles=Attached files and documents -JoinMainDoc=Join main document +AttachedFiles=Əlavə edilmiş fayllar və sənədlər +JoinMainDoc=Əsas sənədə qoşulun +JoinMainDocOrLastGenerated=Əsas sənədi və ya tapılmadıqda sonuncu yaradılan sənədi göndərin DateFormatYYYYMM=YYYY-MM -DateFormatYYYYMMDD=YYYY-MM-DD -DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS -ReportName=Report name -ReportPeriod=Report period -ReportDescription=Description -Report=Report -Keyword=Keyword -Origin=Origin -Legend=Legend -Fill=Fill -Reset=Reset -File=File -Files=Files -NotAllowed=Not allowed -ReadPermissionNotAllowed=Read permission not allowed -AmountInCurrency=Amount in %s currency -Example=Example -Examples=Examples -NoExample=No example -FindBug=Report a bug -NbOfThirdParties=Number of third parties -NbOfLines=Number of lines -NbOfObjects=Number of objects -NbOfObjectReferers=Number of related items -Referers=Related items -TotalQuantity=Total quantity -DateFromTo=From %s to %s -DateFrom=From %s -DateUntil=Until %s -Check=Check -Uncheck=Uncheck -Internal=Internal -External=External -Internals=Internal -Externals=External -Warning=Warning -Warnings=Warnings -BuildDoc=Build Doc -Entity=Environment -Entities=Entities -CustomerPreview=Customer preview -SupplierPreview=Vendor preview -ShowCustomerPreview=Show customer preview -ShowSupplierPreview=Show vendor preview -RefCustomer=Ref. customer -InternalRef=Internal ref. -Currency=Currency -InfoAdmin=Information for administrators -Undo=Undo -Redo=Redo -ExpandAll=Expand all -UndoExpandAll=Undo expand -SeeAll=See all -Reason=Reason -FeatureNotYetSupported=Feature not yet supported -CloseWindow=Close window -Response=Response -Priority=Priority -SendByMail=Send by email -MailSentBy=Email sent by -NotSent=Not sent -TextUsedInTheMessageBody=Email body -SendAcknowledgementByMail=Send confirmation email -SendMail=Send email -Email=Email -NoEMail=No email -AlreadyRead=Already read -NotRead=Unread -NoMobilePhone=No mobile phone -Owner=Owner -FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. -Refresh=Refresh -BackToList=Back to list -BackToTree=Back to tree -GoBack=Go back -CanBeModifiedIfOk=Can be modified if valid -CanBeModifiedIfKo=Can be modified if not valid -ValueIsValid=Value is valid -ValueIsNotValid=Value is not valid -RecordCreatedSuccessfully=Record created successfully -RecordModifiedSuccessfully=Record modified successfully -RecordsModified=%s record(s) modified -RecordsDeleted=%s record(s) deleted -RecordsGenerated=%s record(s) generated -AutomaticCode=Automatic code -FeatureDisabled=Feature disabled -MoveBox=Move widget -Offered=Offered -NotEnoughPermissions=You don't have permission for this action -SessionName=Session name -Method=Method -Receive=Receive -CompleteOrNoMoreReceptionExpected=Complete or nothing more expected -ExpectedValue=Expected Value -ExpectedQty=Expected Qty -PartialWoman=Partial -TotalWoman=Total -NeverReceived=Never received -Canceled=Canceled -YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu Setup - Dictionaries -YouCanChangeValuesForThisListFrom=You can change values for this list from menu %s -YouCanSetDefaultValueInModuleSetup=You can set the default value used when creating a new record in module setup -Color=Color -Documents=Linked files -Documents2=Documents -UploadDisabled=Upload disabled -MenuAccountancy=Accounting -MenuECM=Documents +DateFormatYYYYMMDD=YYYY-AA-GG +DateFormatYYYYMMDDHHMM=YYYY-AA-GG SS:SS +ReportName=Hesabatın adı +ReportPeriod=Hesabat dövrü +ReportDescription=Təsvir +Report=Hesabat +Keyword=Açar söz +Origin=Mənşə +Legend=Əfsanə +Fill=Doldur +Reset=Sıfırlayın +File=Fayl +Files=Fayllar +NotAllowed=İcazəli deyildir, izinli deyildir, qadağandır +ReadPermissionNotAllowed=Oxumağa icazə verilmir +AmountInCurrency=%s valyutasında məbləğ +Example=Misal +Examples=Nümunələr +NoExample=Misal yoxdur +FindBug=Səhv barədə məlumat verin +NbOfThirdParties=Üçüncü tərəflərin sayı +NbOfLines=Sətirlərin sayı +NbOfObjects=Obyektlərin sayı +NbOfObjectReferers=Əlaqədar maddələrin sayı +Referers=Əlaqədar maddələr +TotalQuantity=Ümumi miqdar +DateFromTo=%s-dan %s-a +DateFrom=%s-dan +DateUntil=%s qədər +Check=Yoxlayın +Uncheck=İşarəni silin +Internal=Daxili +External=Xarici +Internals=Daxili +Externals=Xarici +Warning=Xəbərdarlıq +Warnings=Xəbərdarlıqlar +BuildDoc=Sənəd qurun +Entity=Ətraf mühit +Entities=Müəssisələr +CustomerPreview=Müştəri önizləməsi +SupplierPreview=Satıcıya baxış +ShowCustomerPreview=Müştəri baxışını göstərin +ShowSupplierPreview=Satıcı ön görünüşünü göstərin +RefCustomer=Ref. müştəri +InternalRef=Daxili refer. +Currency=Valyuta +InfoAdmin=İdarəçilər üçün məlumat +Undo=Geri al +Redo=Yenidən edin +ExpandAll=Bütün genişləndirmək +UndoExpandAll=Genişləndirməni ləğv edin +SeeAll=Hamısını gör +Reason=Səbəb +FeatureNotYetSupported=Funksiya hələ dəstəklənmir +CloseWindow=Pəncərəni bağlayın +Response=Cavab +Priority=Prioritet +SendByMail=E-poçtla göndərin +MailSentBy=E-poçt tərəfindən göndərildi +MailSentByTo=E-məktub %s tərəfindən %s ünvanına göndərildi +NotSent=Göndərilməyib +TextUsedInTheMessageBody=E-poçt orqanı +SendAcknowledgementByMail=Təsdiq e-poçtu göndərin +SendMail=E-poçt göndər +Email=E-poçt +NoEMail=E-poçt yoxdur +AlreadyRead=Artıq oxudum +NotRead=Oxunmamış +NoMobilePhone=Mobil telefon yoxdur +Owner=Sahibi +FollowingConstantsWillBeSubstituted=Aşağıdakı sabitlər müvafiq dəyərlə əvəz olunacaq. +Refresh=təzələmək +BackToList=Siyahıya qayıt +BackToTree=Ağaca qayıt +GoBack=Qeri gayıt +CanBeModifiedIfOk=Etibarlı olduqda dəyişdirilə bilər +CanBeModifiedIfKo=Etibarlı deyilsə, dəyişdirilə bilər +ValueIsValid=Dəyər etibarlıdır +ValueIsNotValid=Dəyər etibarlı deyil +RecordCreatedSuccessfully=Qeyd uğurla yaradıldı +RecordModifiedSuccessfully=Qeyd uğurla dəyişdirildi +RecordsModified=%s qeyd(lər) dəyişdirildi +RecordsDeleted=%s qeyd(lər) silindi +RecordsGenerated=%s qeyd(lər) yaradıldı +ValidatedRecordWhereFound = Seçilmiş qeydlərdən bəziləri artıq təsdiqlənib. Heç bir qeyd silinməyib. +AutomaticCode=Avtomatik kod +FeatureDisabled=Xüsusiyyət deaktivdir +MoveBox=Vidceti köçürün +Offered=Təklif olunur +NotEnoughPermissions=Bu əməliyyat üçün icazəniz yoxdur +UserNotInHierachy=Bu əməliyyat bu istifadəçinin nəzarətçiləri üçün qorunur +SessionName=Sessiyanın adı +Method=Metod +Receive=Qəbul et +CompleteOrNoMoreReceptionExpected=Tamamlanmış və ya başqa heç nə gözlənilmir +ExpectedValue=Gözlənilən Dəyər +ExpectedQty=Gözlənilən Miqdar +PartialWoman=Qismən +TotalWoman=Ümumi +NeverReceived=Heç alınmayıb +Canceled=Ləğv edildi +YouCanChangeValuesForThisListFromDictionarySetup=Siz bu siyahının dəyərlərini Quraşdırma - Lüğətlər menyusundan dəyişə bilərsiniz +YouCanChangeValuesForThisListFrom=Bu siyahı üçün dəyərləri %s menyusundan dəyişə bilərsiniz. +YouCanSetDefaultValueInModuleSetup=Modul quraşdırmasında yeni qeyd yaratarkən istifadə olunan standart dəyəri təyin edə bilərsiniz +Color=Rəng +Documents=Əlaqədar fayllar +Documents2=Sənədlər +UploadDisabled=Yükləmə deaktiv edildi +MenuAccountancy=Mühasibat uçotu +MenuECM=Sənədlər MenuAWStats=AWStats -MenuMembers=Members -MenuAgendaGoogle=Google agenda -MenuTaxesAndSpecialExpenses=Taxes | Special expenses -ThisLimitIsDefinedInSetup=Dolibarr limit (Menu home-setup-security): %s Kb, PHP limit: %s Kb -ThisLimitIsDefinedInSetupAt=Dolibarr limit (Menu %s): %s Kb, PHP limit (Param %s): %s Kb -NoFileFound=No documents uploaded -CurrentUserLanguage=Current language -CurrentTheme=Current theme -CurrentMenuManager=Current menu manager -Browser=Browser +MenuMembers=Üzvlər +MenuAgendaGoogle=Google gündəmi +MenuTaxesAndSpecialExpenses=Vergilər | Xüsusi xərclər +ThisLimitIsDefinedInSetup=Dolibarr limiti (Menyu ev quraşdırma-security): %s Kb, PHP limiti: %s Kb +ThisLimitIsDefinedInSetupAt=Dolibarr limiti (Menyu %s): %s Kb, PHP limiti (Param b0ecb2ec807f49 >): %s Kb +NoFileFound=Heç bir sənəd yüklənməyib +CurrentUserLanguage=Cari dil +CurrentTheme=Cari mövzu +CurrentMenuManager=Cari menyu meneceri +Browser=Brauzer Layout=Layout -Screen=Screen -DisabledModules=Disabled modules -For=For -ForCustomer=For customer -Signature=Signature -DateOfSignature=Date of signature -HidePassword=Show command with password hidden -UnHidePassword=Show real command with clear password -Root=Root -RootOfMedias=Root of public medias (/medias) -Informations=Information -Page=Page -Notes=Notes -AddNewLine=Add new line -AddFile=Add file -FreeZone=Free-text product -FreeLineOfType=Free-text item, type: -CloneMainAttributes=Clone object with its main attributes -ReGeneratePDF=Re-generate PDF -PDFMerge=PDF Merge -Merge=Merge -DocumentModelStandardPDF=Standard PDF template -PrintContentArea=Show page to print main content area -MenuManager=Menu manager -WarningYouAreInMaintenanceMode=Warning, you are in maintenance mode: only login %s is allowed to use the application in this mode. -CoreErrorTitle=System error -CoreErrorMessage=Sorry, an error occurred. Contact your system administrator to check the logs or disable $dolibarr_main_prod=1 to get more information. -CreditCard=Credit card -ValidatePayment=Validate payment -CreditOrDebitCard=Credit or debit card -FieldsWithAreMandatory=Fields with %s are mandatory -FieldsWithIsForPublic=Fields with %s are shown in public list of members. If you don't want this, uncheck the "public" box. -AccordingToGeoIPDatabase=(according to GeoIP conversion) -Line=Line -NotSupported=Not supported -RequiredField=Required field -Result=Result +Screen=Ekran +DisabledModules=Deaktiv modullar +For=üçün +ForCustomer=Müştəri üçün +Signature=İmza +HidePassword=Parol gizlədilmiş əmri göstərin +UnHidePassword=Aydın parol ilə real əmri göstərin +Root=Kök +RootOfMedias=İctimai medianın kökü (/medias) +Informations=Məlumat +Page=Səhifə +Notes=Qeydlər +AddNewLine=Yeni xətt əlavə edin +AddFile=Fayl əlavə edin +FreeZone=Pulsuz mətn məhsulu +FreeLineOfType=Sərbəst mətn elementi, növü: +CloneMainAttributes=Obyekti əsas atributları ilə klonlayın +ReGeneratePDF=PDF-i yenidən yaradın +PDFMerge=PDF Birləşməsi +Merge=Birləşdirin +DocumentModelStandardPDF=Standart pdf şablon +PrintContentArea=Əsas məzmun sahəsini çap etmək üçün səhifəni göstərin +MenuManager=Menyu meneceri +WarningYouAreInMaintenanceMode=Xəbərdarlıq, siz texniki xidmət rejimindəsiniz: yalnız %s daxil olun proqramdan bu rejimdə istifadə etməyə icazə verilir. +CoreErrorTitle=Sistem səhvi +CoreErrorMessage=Bağışlayın, xəta baş verdi. Qeydləri yoxlamaq üçün sistem administratorunuzla əlaqə saxlayın və ya əlavə məlumat əldə etmək üçün $dolibarr_main_prod=1-i deaktiv edin. +CreditCard=Kredit kartı +ValidatePayment=Ödənişi təsdiqləyin +CreditOrDebitCard=Kredit və ya debet kartı +FieldsWithAreMandatory=%s olan sahələr məcburidir +FieldsWithIsForPublic=%s olan sahələr üzvlərin ictimai siyahısında göstərilir. Bunu istəmirsinizsə, "ictimai" qutusundan işarəni çıxarın. +AccordingToGeoIPDatabase=(GeoIP çevrilməsinə görə) +Line=Xətt +NotSupported=Dəstəklənmir +RequiredField=tələb olunan sahə +Result=Nəticə ToTest=Test -ValidateBefore=Item must be validated before using this feature -Visibility=Visibility -Totalizable=Totalizable -TotalizableDesc=This field is totalizable in list -Private=Private -Hidden=Hidden -Resources=Resources -Source=Source -Prefix=Prefix -Before=Before -After=After -IPAddress=IP address -Frequency=Frequency -IM=Instant messaging -NewAttribute=New attribute -AttributeCode=Attribute code -URLPhoto=URL of photo/logo -SetLinkToAnotherThirdParty=Link to another third party -LinkTo=Link to -LinkToProposal=Link to proposal -LinkToOrder=Link to order -LinkToInvoice=Link to invoice -LinkToTemplateInvoice=Link to template invoice -LinkToSupplierOrder=Link to purchase order -LinkToSupplierProposal=Link to vendor proposal -LinkToSupplierInvoice=Link to vendor invoice -LinkToContract=Link to contract -LinkToIntervention=Link to intervention -LinkToTicket=Link to ticket -LinkToMo=Link to Mo -CreateDraft=Create draft -SetToDraft=Back to draft -ClickToEdit=Click to edit -ClickToRefresh=Click to refresh -EditWithEditor=Edit with CKEditor -EditWithTextEditor=Edit with Text editor -EditHTMLSource=Edit HTML Source -ObjectDeleted=Object %s deleted -ByCountry=By country -ByTown=By town -ByDate=By date -ByMonthYear=By month/year -ByYear=By year -ByMonth=By month -ByDay=By day -BySalesRepresentative=By sales representative -LinkedToSpecificUsers=Linked to a particular user contact -NoResults=No results -AdminTools=Admin Tools -SystemTools=System tools -ModulesSystemTools=Modules tools +ValidateBefore=Bu funksiyadan istifadə etməzdən əvvəl element təsdiqlənməlidir +Visibility=Görünüş +Totalizable=Ümumiləşdirilə bilən +TotalizableDesc=Bu sahə siyahıda ümumiləşdirilə bilər +Private=Şəxsi +Hidden=Gizli +Resources=Resurslar +Source=Mənbə +Prefix=Prefiks +Before=Əvvəl +After=sonra +IPAddress=IP ünvanı +Frequency=Tezlik +IM=Ani mesajlaşma +NewAttribute=Yeni atribut +AttributeCode=Atribut kodu +URLPhoto=Fotonun/loqonun URL-i +SetLinkToAnotherThirdParty=Başqa üçüncü tərəfə keçid +LinkTo=-a keçid +LinkToProposal=Təklifə keçid +LinkToExpedition= Ekspedisiyaya keçid +LinkToOrder=Sifariş üçün link +LinkToInvoice=Fakturaya keçid +LinkToTemplateInvoice=Şablon fakturaya keçid +LinkToSupplierOrder=Sifariş almaq üçün keçid +LinkToSupplierProposal=Satıcı təklifinə keçid +LinkToSupplierInvoice=Satıcı fakturasına keçid +LinkToContract=Müqavilə üçün keçid +LinkToIntervention=Müdaxilə bağlantısı +LinkToTicket=Bilet üçün keçid +LinkToMo=Mo ilə əlaqə +CreateDraft=Qaralama yaradın +SetToDraft=Qaralamaya qayıt +ClickToEdit=Redaktə etmək üçün klikləyin +ClickToRefresh=Yeniləmək üçün klikləyin +EditWithEditor=CKEditor ilə redaktə edin +EditWithTextEditor=Mətn redaktoru ilə redaktə edin +EditHTMLSource=HTML Mənbəsini redaktə edin +ObjectDeleted=%s obyekti silindi +ByCountry=Ölkəyə görə +ByTown=Şəhər üzrə +ByDate=Tarixə görə +ByMonthYear=Ay/il üzrə +ByYear=İllərə görə +ByMonth=Aya görə +ByDay=Gündüz +BySalesRepresentative=Satış nümayəndəsi tərəfindən +LinkedToSpecificUsers=Müəyyən bir istifadəçi kontaktı ilə əlaqələndirilir +NoResults=Nəticə yoxdur +AdminTools=İdarəetmə Alətləri +SystemTools=Sistem alətləri +ModulesSystemTools=Modul alətləri Test=Test Element=Element -NoPhotoYet=No pictures available yet -Dashboard=Dashboard -MyDashboard=My Dashboard -Deductible=Deductible -from=from -toward=toward -Access=Access -SelectAction=Select action -SelectTargetUser=Select target user/employee -HelpCopyToClipboard=Use Ctrl+C to copy to clipboard -SaveUploadedFileWithMask=Save file on server with name "%s" (otherwise "%s") -OriginFileName=Original filename -SetDemandReason=Set source -SetBankAccount=Define Bank Account -AccountCurrency=Account currency -ViewPrivateNote=View notes -XMoreLines=%s line(s) hidden -ShowMoreLines=Show more/less lines -PublicUrl=Public URL -AddBox=Add box -SelectElementAndClick=Select an element and click on %s -PrintFile=Print File %s -ShowTransaction=Show entry on bank account -ShowIntervention=Show intervention -ShowContract=Show contract -GoIntoSetupToChangeLogo=Go to Home - Setup - Company to change logo or go to Home - Setup - Display to hide. -Deny=Deny -Denied=Denied -ListOf=List of %s -ListOfTemplates=List of templates -Gender=Gender -Genderman=Male -Genderwoman=Female -Genderother=Other -ViewList=List view -ViewGantt=Gantt view -ViewKanban=Kanban view -Mandatory=Mandatory -Hello=Hello -GoodBye=GoodBye -Sincerely=Sincerely -ConfirmDeleteObject=Are you sure you want to delete this object? -DeleteLine=Delete line -ConfirmDeleteLine=Are you sure you want to delete this line? -ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. -NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record -TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. -NoRecordSelected=No record selected -MassFilesArea=Area for files built by mass actions -ShowTempMassFilesArea=Show area of files built by mass actions -ConfirmMassDeletion=Bulk Delete confirmation -ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record(s)? -RelatedObjects=Related Objects -ClassifyBilled=Classify billed -ClassifyUnbilled=Classify unbilled -Progress=Progress +NoPhotoYet=Hələ heç bir şəkil yoxdur +Dashboard=İdarə paneli +MyDashboard=Mənim İdarə Panelim +Deductible=Çıxarılan +from=-dan +toward=doğru +Access=Giriş +SelectAction=Fəaliyyət seçin +SelectTargetUser=Hədəf istifadəçi/işçi seçin +HelpCopyToClipboard=Panoya kopyalamaq üçün Ctrl+C istifadə edin +SaveUploadedFileWithMask=Faylı serverdə "%s" adı ilə yadda saxlayın %s") +OriginFileName=Orijinal fayl adı +SetDemandReason=Mənbə təyin edin +SetBankAccount=Bank hesabını müəyyənləşdirin +AccountCurrency=Hesab valyutası +ViewPrivateNote=Qeydlərə baxın +XMoreLines=%s sətir(lər) gizlədilib +ShowMoreLines=Daha çox/az xətləri göstərin +PublicUrl=İctimai URL +AddBox=Qutusu əlavə edin +SelectElementAndClick=Element seçin və %s üzərinə klikləyin +PrintFile=Faylı çap edin %s +ShowTransaction=Bank hesabındakı girişi göstərin +ShowIntervention=Müdaxilə göstərin +ShowContract=Müqavilə göstərin +GoIntoSetupToChangeLogo=Loqo dəyişdirmək üçün Əsas səhifə - Quraşdırma - Şirkət bölməsinə keçin və ya gizlətmək üçün Əsas səhifə - Quraşdırma - Ekrana keçin. +Deny=İnkar et +Denied=rədd edildi +ListOf=%s siyahısı +ListOfTemplates=Şablonların siyahısı +Gender=Cins +Genderman=Kişi +Genderwoman=Qadın +Genderother=Digər +ViewList=Siyahı görünüşü +ViewGantt=Gantt görünüşü +ViewKanban=Kanban görünüşü +Mandatory=Məcburi +Hello=Salam +GoodBye=Əlvida +Sincerely=Hörmətlə +ConfirmDeleteObject=Bu obyekti silmək istədiyinizə əminsiniz? +DeleteLine=Xətti silin +ConfirmDeleteLine=Bu xətti silmək istədiyinizə əminsiniz? +ErrorPDFTkOutputFileNotFound=Xəta: fayl yaradılmadı. Lütfən, 'pdftk' əmrinin $PATH mühit dəyişəninə (yalnız linux/unix) daxil olan kataloqda quraşdırıldığını yoxlayın və ya sistem administratorunuzla əlaqə saxlayın. +NoPDFAvailableForDocGenAmongChecked=Yoxlanan qeydlər arasında sənəd yaratmaq üçün heç bir PDF mövcud deyildi +TooManyRecordForMassAction=Kütləvi fəaliyyət üçün həddən çox qeyd seçildi. Fəaliyyət %s qeydlərinin siyahısı ilə məhdudlaşdırılıb. +NoRecordSelected=Heç bir qeyd seçilmədi +MassFilesArea=Kütləvi hərəkətlərlə qurulmuş fayllar üçün sahə +ShowTempMassFilesArea=Kütləvi hərəkətlərlə qurulmuş faylların sahəsini göstərin +ConfirmMassDeletion=Toplu silmə təsdiqi +ConfirmMassDeletionQuestion=%s seçilmiş qeydləri silmək istədiyinizə əminsiniz? +ConfirmMassClone=Toplu klon təsdiqi +ConfirmMassCloneQuestion=Klonlaşdırmaq üçün layihəni seçin +ConfirmMassCloneToOneProject=%s layihəsini klonlayın +RelatedObjects=Əlaqədar Obyektlər +ClassifyBilled=Hesablanmış təsnifat +ClassifyUnbilled=Faturasız təsnifləşdirin +Progress=Tərəqqi ProgressShort=Progr. -FrontOffice=Front office -BackOffice=Back office -Submit=Submit -View=View -Export=Export -Exports=Exports -ExportFilteredList=Export filtered list -ExportList=Export list -ExportOptions=Export Options -IncludeDocsAlreadyExported=Include docs already exported -ExportOfPiecesAlreadyExportedIsEnable=Export of pieces already exported is enable -ExportOfPiecesAlreadyExportedIsDisable=Export of pieces already exported is disable -AllExportedMovementsWereRecordedAsExported=All exported movements were recorded as exported -NotAllExportedMovementsCouldBeRecordedAsExported=Not all exported movements could be recorded as exported -Miscellaneous=Miscellaneous -Calendar=Calendar -GroupBy=Group by... -ViewFlatList=View flat list -ViewAccountList=View ledger -ViewSubAccountList=View subaccount ledger -RemoveString=Remove string '%s' -SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. -DirectDownloadLink=Public download link -PublicDownloadLinkDesc=Only the link is required to download the file -DirectDownloadInternalLink=Private download link -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file -Download=Download -DownloadDocument=Download document -ActualizeCurrency=Update currency rate -Fiscalyear=Fiscal year -ModuleBuilder=Module and Application Builder -SetMultiCurrencyCode=Set currency -BulkActions=Bulk actions -ClickToShowHelp=Click to show tooltip help -WebSite=Website -WebSites=Websites -WebSiteAccounts=Website accounts -ExpenseReport=Expense report -ExpenseReports=Expense reports +FrontOffice=Ön büro +BackOffice=Arxa ofis +Submit=təqdim +View=Baxın +Export=İxrac +Import=İdxal +Exports=İxrac +ExportFilteredList=Filtrlənmiş siyahını ixrac edin +ExportList=İxrac siyahısı +ExportOptions=İxrac Seçimləri +IncludeDocsAlreadyExported=Artıq ixrac edilmiş sənədləri daxil edin +ExportOfPiecesAlreadyExportedIsEnable=Artıq ixrac edilmiş sənədlər görünür və ixrac ediləcək +ExportOfPiecesAlreadyExportedIsDisable=Artıq ixrac edilmiş sənədlər gizlədilir və ixrac edilməyəcək +AllExportedMovementsWereRecordedAsExported=Bütün ixrac edilmiş hərəkətlər ixrac edilmiş kimi qeydə alınıb +NotAllExportedMovementsCouldBeRecordedAsExported=Bütün ixrac edilmiş hərəkətlər ixrac edilmiş kimi qeydə alına bilməz +Miscellaneous=Müxtəlif +Calendar=Təqvim +GroupBy=Qrupla... +GroupByX=%s üzrə qruplaşdırın +ViewFlatList=Düz siyahıya baxın +ViewAccountList=Kitaba baxın +ViewSubAccountList=Subhesab kitabçasına baxın +RemoveString='%s' sətrini silin +SomeTranslationAreUncomplete=Təklif olunan dillərdən bəziləri yalnız qismən tərcümə oluna bilər və ya səhvlər ola bilər. Lütfən, https://transifex.com/projects/p/dolibarr/ ünvanında qeydiyyatdan keçərək dilinizi düzəltməyə kömək edin. təkmilləşdirmələrinizi əlavə edin. +DirectDownloadLink=İctimai yükləmə linki +PublicDownloadLinkDesc=Faylı yükləmək üçün yalnız link tələb olunur +DirectDownloadInternalLink=Şəxsi yükləmə linki +PrivateDownloadLinkDesc=Siz daxil olmalısınız və fayla baxmaq və ya yükləmək üçün icazələrə ehtiyacınız var +Download=Yüklə +DownloadDocument=Sənədi yükləyin +DownloadSignedDocument=İmzalanmış sənədi yükləyin +ActualizeCurrency=Valyuta məzənnəsini yeniləyin +Fiscalyear=Büdcə ili, Maliyyə ili +ModuleBuilder=Modul və Tətbiq Qurucusu +SetMultiCurrencyCode=Valyuta təyin edin +BulkActions=Kütləvi hərəkətlər +ClickToShowHelp=Alət ipucu yardımını göstərmək üçün klikləyin +WebSite=Veb sayt +WebSites=Veb saytlar +WebSiteAccounts=Veb giriş hesabları +ExpenseReport=Xərc hesabatı +ExpenseReports=Xərc hesabatları HR=HR -HRAndBank=HR and Bank -AutomaticallyCalculated=Automatically calculated -TitleSetToDraft=Go back to draft -ConfirmSetToDraft=Are you sure you want to go back to Draft status? +HRAndBank=HR və Bank +AutomaticallyCalculated=Avtomatik hesablanır +TitleSetToDraft=Qaralamaya qayıdın +ConfirmSetToDraft=Qaralama statusuna qayıtmaq istədiyinizə əminsiniz? ImportId=Import id -Events=Events -EMailTemplates=Email templates -FileNotShared=File not shared to external public -Project=Project -Projects=Projects -LeadOrProject=Lead | Project -LeadsOrProjects=Leads | Projects -Lead=Lead -Leads=Leads -ListOpenLeads=List open leads -ListOpenProjects=List open projects -NewLeadOrProject=New lead or project -Rights=Permissions -LineNb=Line no. -IncotermLabel=Incoterms -TabLetteringCustomer=Customer lettering -TabLetteringSupplier=Vendor lettering -Monday=Monday -Tuesday=Tuesday -Wednesday=Wednesday -Thursday=Thursday -Friday=Friday -Saturday=Saturday -Sunday=Sunday +Events=Hadisələr +EMailTemplates=E-poçt şablonları +FileNotShared=Fayl xarici ictimaiyyətə paylaşılmadı +Project=Layihə +Projects=Layihələr +LeadOrProject=Qurğuşun | Layihə +LeadsOrProjects=Aparır | Layihələr +Lead=Qurğuşun +Leads=Aparır +ListOpenLeads=Açıq potensial müştəriləri siyahıya alın +ListOpenProjects=Açıq layihələri sadalayın +NewLeadOrProject=Yeni aparıcı və ya layihə +Rights=İcazələr +LineNb=Sətir nömrəsi. +IncotermLabel=İnkoterms +TabLetteringCustomer=Müştəri yazısı +TabLetteringSupplier=Satıcı yazısı +Monday=bazar ertəsi +Tuesday=çərşənbə axşamı +Wednesday=çərşənbə +Thursday=cümə axşamı +Friday=Cümə +Saturday=şənbə +Sunday=bazar günü MondayMin=Mo TuesdayMin=Tu -WednesdayMin=We +WednesdayMin=Biz ThursdayMin=Th FridayMin=Fr SaturdayMin=Sa SundayMin=Su -Day1=Monday -Day2=Tuesday -Day3=Wednesday -Day4=Thursday -Day5=Friday -Day6=Saturday -Day0=Sunday +Day1=bazar ertəsi +Day2=çərşənbə axşamı +Day3=çərşənbə +Day4=cümə axşamı +Day5=Cümə +Day6=şənbə +Day0=bazar günü ShortMonday=M ShortTuesday=T ShortWednesday=W @@ -978,189 +1008,255 @@ ShortThursday=T ShortFriday=F ShortSaturday=S ShortSunday=S -one=one -two=two -three=three -four=four -five=five -six=six -seven=seven -eight=eight -nine=nine -ten=ten -eleven=eleven -twelve=twelve -thirteen=thirdteen -fourteen=fourteen -fifteen=fifteen -sixteen=sixteen -seventeen=seventeen -eighteen=eighteen -nineteen=nineteen -twenty=twenty -thirty=thirty -forty=forty -fifty=fifty -sixty=sixty -seventy=seventy -eighty=eighty -ninety=ninety -hundred=hundred -thousand=thousand -million=million -billion=billion -trillion=trillion -quadrillion=quadrillion -SelectMailModel=Select an email template -SetRef=Set ref -Select2ResultFoundUseArrows=Some results found. Use arrows to select. -Select2NotFound=No result found -Select2Enter=Enter -Select2MoreCharacter=or more character -Select2MoreCharacters=or more characters -Select2MoreCharactersMore=Search syntax:
      | OR (a|b)
      * Any character (a*b)
      ^ Start with (^ab)
      $ End with (ab$)
      -Select2LoadingMoreResults=Loading more results... -Select2SearchInProgress=Search in progress... -SearchIntoThirdparties=Third parties -SearchIntoContacts=Contacts -SearchIntoMembers=Members -SearchIntoUsers=Users -SearchIntoProductsOrServices=Products or services -SearchIntoBatch=Lots / Serials -SearchIntoProjects=Projects -SearchIntoMO=Manufacturing Orders -SearchIntoTasks=Tasks -SearchIntoCustomerInvoices=Customer invoices -SearchIntoSupplierInvoices=Vendor invoices -SearchIntoCustomerOrders=Sales orders -SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Commercial proposals -SearchIntoSupplierProposals=Vendor proposals -SearchIntoInterventions=Interventions -SearchIntoContracts=Contracts -SearchIntoCustomerShipments=Customer shipments -SearchIntoExpenseReports=Expense reports -SearchIntoLeaves=Leave -SearchIntoTickets=Tickets -SearchIntoCustomerPayments=Customer payments -SearchIntoVendorPayments=Vendor payments -SearchIntoMiscPayments=Miscellaneous payments -CommentLink=Comments -NbComments=Number of comments -CommentPage=Comments space -CommentAdded=Comment added -CommentDeleted=Comment deleted -Everybody=Everybody -PayedBy=Paid by -PayedTo=Paid to -Monthly=Monthly -Quarterly=Quarterly -Annual=Annual -Local=Local -Remote=Remote -LocalAndRemote=Local and Remote -KeyboardShortcut=Keyboard shortcut -AssignedTo=Assigned to -Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft mass delete confirmation -FileSharedViaALink=File shared with a public link -SelectAThirdPartyFirst=Select a third party first... -YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode -Inventory=Inventory -AnalyticCode=Analytic code +one=bir +two=iki +three=üç +four=dörd +five=beş +six=altı +seven=yeddi +eight=səkkiz +nine=doqquz +ten=on +eleven=on bir +twelve=on iki +thirteen=on üçüncü +fourteen=on dörd +fifteen=on beş +sixteen=on altı +seventeen=on yeddi +eighteen=on səkkiz +nineteen=on doqquz +twenty=iyirmi +thirty=otuz +forty=qırx +fifty=əlli +sixty=altmış +seventy=yetmiş +eighty=səksən +ninety=doxsan +hundred=yüz +thousand=min +million=milyon +billion=milyard +trillion=trilyon +quadrillion=katrilyon +SelectMailModel=E-poçt şablonu seçin +SetRef=Ref təyin edin +Select2ResultFoundUseArrows=Bəzi nəticələr tapıldı. Seçmək üçün oxlardan istifadə edin. +Select2NotFound=Heç bir nəticə tapılmadı +Select2Enter=Daxil edin +Select2MoreCharacter=və ya daha çox xarakter +Select2MoreCharacters=və ya daha çox simvol +Select2MoreCharactersMore=Axtarış sintaksisi:
      |b0860dez5034 notranslate'> OR (a|b)
      * İstənilən simvol (a*b)
      b06010d span>^$b030102d /span> (ab$)
      ilə bitir +Select2LoadingMoreResults=Daha çox nəticə yüklənir... +Select2SearchInProgress=Axtarış davam edir... +SearchIntoThirdparties=Üçüncü tərəflər +SearchIntoContacts=Əlaqələr +SearchIntoMembers=Üzvlər +SearchIntoUsers=İstifadəçilər +SearchIntoProductsOrServices=Məhsullar və ya xidmətlər +SearchIntoBatch=Çox / Seriallar +SearchIntoProjects=Layihələr +SearchIntoMO=İstehsal Sifarişləri +SearchIntoTasks=Tapşırıqlar +SearchIntoCustomerInvoices=Müştəri hesab-fakturaları +SearchIntoSupplierInvoices=Satıcı fakturaları +SearchIntoCustomerOrders=Satış sifarişləri +SearchIntoSupplierOrders=Satınalma sifarişləri +SearchIntoCustomerProposals=Kommersiya təklifləri +SearchIntoSupplierProposals=Satıcı təklifləri +SearchIntoInterventions=Müdaxilələr +SearchIntoContracts=Müqavilələr +SearchIntoCustomerShipments=Müştəri daşımaları +SearchIntoExpenseReports=Xərc hesabatları +SearchIntoLeaves=tərk et +SearchIntoKM=Bilik bazası +SearchIntoTickets=Biletlər +SearchIntoCustomerPayments=Müştəri ödənişləri +SearchIntoVendorPayments=Satıcı ödənişləri +SearchIntoMiscPayments=Müxtəlif ödənişlər +CommentLink=Şərhlər +NbComments=Şərhlərin sayı +CommentPage=Şərhlər sahəsi +CommentAdded=Şərh əlavə edildi +CommentDeleted=Şərh silindi +Everybody=Hamı +EverybodySmall=Hamı +PayedBy=tərəfindən ödənilir +PayedTo=ödənildi +Monthly=Aylıq +Quarterly=Rüblük +Annual=İllik +Local=yerli +Remote=Uzaqdan +LocalAndRemote=Yerli və Uzaqdan +KeyboardShortcut=Klaviatura qısa yolu +AssignedTo=təyin edilmişdir +Deletedraft=Qaralamanı silin +ConfirmMassDraftDeletion=Kütləvi silmə təsdiqi layihəsi +FileSharedViaALink=Public file shared via link +SelectAThirdPartyFirst=Əvvəlcə üçüncü tərəf seçin... +YouAreCurrentlyInSandboxMode=Siz hazırda %s "sandbox" rejimindəsiniz +Inventory=İnventar +AnalyticCode=Analitik kod TMenuMRP=MRP -ShowCompanyInfos=Show company infos -ShowMoreInfos=Show More Infos -NoFilesUploadedYet=Please upload a document first -SeePrivateNote=See private note -PaymentInformation=Payment information -ValidFrom=Valid from -ValidUntil=Valid until -NoRecordedUsers=No users -ToClose=To close -ToRefuse=To refuse -ToProcess=To process -ToApprove=To approve -GlobalOpenedElemView=Global view -NoArticlesFoundForTheKeyword=No article found for the keyword '%s' -NoArticlesFoundForTheCategory=No article found for the category -ToAcceptRefuse=To accept | refuse -ContactDefault_agenda=Event -ContactDefault_commande=Order -ContactDefault_contrat=Contract -ContactDefault_facture=Invoice -ContactDefault_fichinter=Intervention -ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Purchase Order -ContactDefault_project=Project -ContactDefault_project_task=Task -ContactDefault_propal=Proposal -ContactDefault_supplier_proposal=Supplier Proposal -ContactDefault_ticket=Ticket -ContactAddedAutomatically=Contact added from contact thirdparty roles -More=More -ShowDetails=Show details -CustomReports=Custom reports -StatisticsOn=Statistics on -SelectYourGraphOptionsFirst=Select your graph options to build a graph -Measures=Measures -XAxis=X-Axis -YAxis=Y-Axis -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? -ShowOtherLanguages=Show other languages -SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language -NotUsedForThisCustomer=Not used for this customer -AmountMustBePositive=Amount must be positive -ByStatus=By status -InformationMessage=Information -Used=Used -ASAP=As Soon As Possible -CREATEInDolibarr=Record %s created -MODIFYInDolibarr=Record %s modified -DELETEInDolibarr=Record %s deleted -VALIDATEInDolibarr=Record %s validated -APPROVEDInDolibarr=Record %s approved -DefaultMailModel=Default Mail Model -PublicVendorName=Public name of vendor -DateOfBirth=Date of birth -SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again. -UpToDate=Up-to-date -OutOfDate=Out-of-date -EventReminder=Event Reminder -UpdateForAllLines=Update for all lines -OnHold=On hold -Civility=Civility -AffectTag=Affect Tag -CreateExternalUser=Create external user -ConfirmAffectTag=Bulk Tag Affect -ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records -CopiedToClipboard=Copied to clipboard -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. -ConfirmCancel=Are you sure you want to cancel -EmailMsgID=Email MsgID -SetToEnabled=Set to enabled -SetToDisabled=Set to disabled -ConfirmMassEnabling=mass enabling confirmation -ConfirmMassEnablingQuestion=Are you sure you want to enable the %s selected record(s)? -ConfirmMassDisabling=mass disabling confirmation -ConfirmMassDisablingQuestion=Are you sure you want to disable the %s selected record(s)? -RecordsEnabled=%s record(s) enabled -RecordsDisabled=%s record(s) disabled -RecordEnabled=Record enabled -RecordDisabled=Record disabled -Forthcoming=Forthcoming -Currently=Currently -ConfirmMassLeaveApprovalQuestion=Are you sure you want to approve the %s selected record(s)? -ConfirmMassLeaveApproval=Mass leave approval confirmation -RecordAproved=Record approved -RecordsApproved=%s Record(s) approved -Properties=Properties -hasBeenValidated=%s has been validated -ClientTZ=Client Time Zone (user) -NotClosedYet=Not yet closed -ClearSignature=Reset signature -CanceledHidden=Canceled hidden -CanceledShown=Canceled shown +ShowCompanyInfos=Şirkət məlumatlarını göstərin +ShowMoreInfos=Daha çox məlumatı göstərin +NoFilesUploadedYet=Zəhmət olmasa əvvəlcə sənəd yükləyin +SeePrivateNote=Şəxsi qeydə baxın +PaymentInformation=Ödəniş məlumatı +ValidFrom=Qüvvədə +ValidUntil=tarixinə qədər etibarlıdır +NoRecordedUsers=İstifadəçi yoxdur +ToClose=Bağlamaq +ToRefuse=İmtina etmək +ToProcess=Emal etmək +ToApprove=Təsdiq etmək +GlobalOpenedElemView=Qlobal görünüş +NoArticlesFoundForTheKeyword='%s' açar sözü üçün məqalə tapılmadı +NoArticlesFoundForTheCategory=Kateqoriya üçün məqalə tapılmadı +ToAcceptRefuse=Qəbul etmək | imtina +ContactDefault_agenda=Hadisə +ContactDefault_commande=Sifariş verin +ContactDefault_contrat=Müqavilə +ContactDefault_facture=Faktura +ContactDefault_fichinter=Müdaxilə +ContactDefault_invoice_supplier=Təchizatçı fakturası +ContactDefault_order_supplier=Alış sifarişi +ContactDefault_project=Layihə +ContactDefault_project_task=Tapşırıq +ContactDefault_propal=Təklif +ContactDefault_supplier_proposal=Təchizatçı Təklifi +ContactDefault_ticket=Bilet +ContactAddedAutomatically=Üçüncü tərəf kontakt rollarından kontakt əlavə edildi +More=Daha çox +ShowDetails=Detalları göstərin +CustomReports=Fərdi hesabatlar +StatisticsOn=Statistika açıqdır +SelectYourGraphOptionsFirst=Qrafik yaratmaq üçün qrafik seçimlərinizi seçin +Measures=Tədbirlər +XAxis=X oxu +YAxis=Y oxu +StatusOfRefMustBe=%s statusu %s olmalıdır +DeleteFileHeader=Faylın silinməsini təsdiqləyin +DeleteFileText=Bu faylı həqiqətən silmək istəyirsiniz? +ShowOtherLanguages=Digər dilləri göstərin +SwitchInEditModeToAddTranslation=Bu dil üçün tərcümələr əlavə etmək üçün redaktə rejiminə keçin +NotUsedForThisCustomer=Bu müştəri üçün istifadə olunmayıb +NotUsedForThisVendor=Bu satıcı üçün istifadə edilməyib +AmountMustBePositive=Məbləğ müsbət olmalıdır +ByStatus=Status üzrə +InformationMessage=Məlumat +Used=İstifadə olunub +ASAP=Mümkün olduğu qədər tez +CREATEInDolibarr=%s qeyd yaradıldı +MODIFYInDolibarr=%s qeydi dəyişdirildi +DELETEInDolibarr=%s qeydi silindi +VALIDATEInDolibarr=%s qeydi təsdiqləndi +APPROVEDInDolibarr=Qeyd %s təsdiq edildi +DefaultMailModel=Defolt Poçt Modeli +PublicVendorName=Satıcının ümumi adı +DateOfBirth=Doğum tarixi +SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Təhlükəsizlik tokeninin vaxtı bitdi, ona görə də əməliyyat ləğv edildi. Zəhmət olmasa bir daha cəhd edin. +UpToDate=Ən son +OutOfDate=Köhnəlmiş +EventReminder=Hadisə Xatırlatma +UpdateForAllLines=Bütün xətlər üçün yeniləmə +OnHold=Xəttdə +Civility=Vətəndaşlıq +AffectTag=Tag təyin edin +AffectUser=İstifadəçi təyin edin +SetSupervisor=Nəzarətçini təyin edin +CreateExternalUser=Xarici istifadəçi yaradın +ConfirmAffectTag=Toplu Tag Təyinatı +ConfirmAffectUser=Toplu İstifadəçi Təyinatı +ProjectRole=Hər bir layihə/imkanda təyin olunmuş rol +TasksRole=Hər tapşırıq üçün təyin edilmiş rol (istifadə edildikdə) +ConfirmSetSupervisor=Toplu Nəzarətçi Dəsti +ConfirmUpdatePrice=Qiymət artımı/azalma dərəcəsini seçin +ConfirmAffectTagQuestion=%s seçilmiş qeyd(lər)ə teqlər təyin etmək istədiyinizə əminsiniz? +ConfirmAffectUserQuestion=İstifadəçiləri %s seçilmiş qeyd(lər)ə təyin etmək istədiyinizə əminsiniz? +ConfirmSetSupervisorQuestion=Seçilmiş qeyd(lər)ə %s nəzarətçi təyin etmək istədiyinizə əminsiniz? +ConfirmUpdatePriceQuestion=%s seçilmiş qeyd(lər)in qiymətini yeniləmək istədiyinizə əminsiniz? +CategTypeNotFound=Qeydlərin növü üçün etiket növü tapılmadı +Rate=Qiymətləndirmə +SupervisorNotFound=Nəzarətçi tapılmadı +CopiedToClipboard=Buferə kopyalandı +InformationOnLinkToContract=Bu məbləğ yalnız müqavilənin bütün sətirlərinin cəmidir. Heç bir zaman anlayışı nəzərə alınmır. +ConfirmCancel=Ləğv etmək istədiyinizə əminsiniz +EmailMsgID=E-poçt MsgID +EmailDate=E-poçt tarixi +SetToStatus=%s statusuna ayarlayın +SetToEnabled=Aktiv olaraq təyin edin +SetToDisabled=Əlil olaraq təyin edin +ConfirmMassEnabling=kütləvi imkan verən təsdiq +ConfirmMassEnablingQuestion=%s seçilmiş qeydləri aktivləşdirmək istədiyinizə əminsiniz? +ConfirmMassDisabling=kütləvi söndürmə təsdiqi +ConfirmMassDisablingQuestion=%s seçilmiş qeydləri deaktiv etmək istədiyinizə əminsiniz? +RecordsEnabled=%s qeyd(lər) aktiv edildi +RecordsDisabled=%s qeyd(lər) deaktiv edilib +RecordEnabled=Qeydiyyat aktivdir +RecordDisabled=Qeyd deaktiv edildi +Forthcoming=Qarşıdan gələn +Currently=Hal-hazırda +ConfirmMassLeaveApprovalQuestion=%s seçilmiş qeydləri təsdiqləmək istədiyinizə əminsiniz? +ConfirmMassLeaveApproval=Kütləvi məzuniyyətin təsdiqi +RecordAproved=Qeyd təsdiq edildi +RecordsApproved=%s Qeyd(lər) təsdiq edildi +Properties=Xüsusiyyətlər +hasBeenValidated=%s doğrulandı +ClientTZ=Müştəri Saat Qurşağı (istifadəçi) +NotClosedYet=Hələ bağlanmayıb +ClearSignature=İmzanı sıfırlayın +CanceledHidden=Ləğv edilib gizlədilib +CanceledShown=Ləğv göstərildi +Terminate=Bitirmək +Terminated=Xitam verildi +AddLineOnPosition=Mövqeyinə sətir əlavə edin (boşdursa sonunda) +ConfirmAllocateCommercial=Satış nümayəndəsinin təsdiqini təyin edin +ConfirmAllocateCommercialQuestion=%s seçilmiş qeyd(lər)i təyin etmək istədiyinizə əminsiniz? +CommercialsAffected=Satış nümayəndələri təyin olunub +CommercialAffected=Satış nümayəndəsi təyin edildi +YourMessage=Sənin mesajın +YourMessageHasBeenReceived=Mesajınız qəbul edildi. Ən qısa zamanda cavab verəcəyik və ya sizinlə əlaqə saxlayacağıq. +UrlToCheck=Yoxlamaq üçün URL +Automation=Avtomatlaşdırma +CreatedByEmailCollector=E-poçt kollektoru tərəfindən yaradılmışdır +CreatedByPublicPortal=İctimai portaldan yaradılmışdır +UserAgent=İstifadəçi Agenti +InternalUser=Daxili istifadəçi +ExternalUser=Xarici istifadəçi +NoSpecificContactAddress=Konkret əlaqə və ya ünvan yoxdur +NoSpecificContactAddressBis=Bu tab cari obyekt üçün xüsusi kontaktları və ya ünvanları məcbur etməyə həsr olunub. Yalnız üçüncü şəxs haqqında məlumat kifayət etmədikdə və ya dəqiq olmadıqda obyekt üçün bir və ya bir neçə xüsusi əlaqə və ya ünvan müəyyən etmək istəyirsinizsə, ondan istifadə edin. +HideOnVCard=%s gizlədin +AddToContacts=Əlaqələrimə ünvan əlavə edin +LastAccess=Son giriş +UploadAnImageToSeeAPhotoHere=Fotoya burada baxmaq üçün %s nişanından şəkil yükləyin +LastPasswordChangeDate=Son parol dəyişdirmə tarixi +PublicVirtualCardUrl=Virtual vizit kartı səhifəsinin URL-i +PublicVirtualCard=Virtual vizit kartı +TreeView=Ağac görünüşü +DropFileToAddItToObject=Bu obyektə əlavə etmək üçün faylı buraxın +UploadFileDragDropSuccess=Fayl(lar) uğurla yükləndi +SearchSyntaxTooltipForStringOrNum=Mətn sahələrində axtarış etmək üçün 'başla və ya bitir' axtarışı etmək üçün ^ və ya $ simvollarından istifadə edə və ya ! 'tərkibində yoxdur' testi etmək. | istifadə edə bilərsiniz 'AND' əvəzinə 'OR' şərti üçün boşluq əvəzinə iki sətir arasında. Rəqəmsal dəyərlər üçün riyazi müqayisədən istifadə edərək filtrləmək üçün dəyərdən əvvəl <, >, <=, >= və ya != operatorundan istifadə edə bilərsiniz. +InProgress=Davam edir +DateOfPrinting=Çap tarixi +ClickFullScreenEscapeToLeave=Tam ekran rejiminə keçmək üçün bura klikləyin. Tam ekran rejimindən çıxmaq üçün ESCAPE düyməsini basın. +UserNotYetValid=Hələ etibarlı deyil +UserExpired=İstifadə müddəti bitdi +LinkANewFile=Yeni fayl/sənəd əlaqələndirin +LinkedFiles=Əlaqədar fayllar və sənədlər +NoLinkFound=Qeydiyyatdan keçmiş keçid yoxdur +LinkComplete=Fayl uğurla əlaqələndirildi +ErrorFileNotLinked=Fayl əlaqələndirilə bilmədi +LinkRemoved=%s linki silindi +ErrorFailedToDeleteLink= '%s' linkini silmək alınmadı +ErrorFailedToUpdateLink= '%s' linkini yeniləmək alınmadı +URLToLink=Bağlantı üçün URL +OverwriteIfExists=Fayl varsa üzərinə yazın +AmountSalary=Əmək haqqı məbləği +InvoiceSubtype=Faktura alt növü +ConfirmMassReverse=Toplu tərs təsdiqləmə +ConfirmMassReverseQuestion=%s seçilmiş qeydləri geri qaytarmaq istədiyinizə əminsiniz? + diff --git a/htdocs/langs/az_AZ/oauth.lang b/htdocs/langs/az_AZ/oauth.lang index 075ff49a895..56108902196 100644 --- a/htdocs/langs/az_AZ/oauth.lang +++ b/htdocs/langs/az_AZ/oauth.lang @@ -1,32 +1,42 @@ # Dolibarr language file - Source file is en_US - oauth -ConfigOAuth=OAuth Configuration -OAuthServices=OAuth Services -ManualTokenGeneration=Manual token generation -TokenManager=Token Manager -IsTokenGenerated=Is token generated ? -NoAccessToken=No access token saved into local database -HasAccessToken=A token was generated and saved into local database -NewTokenStored=Token received and saved -ToCheckDeleteTokenOnProvider=Click here to check/delete authorization saved by %s OAuth provider -TokenDeleted=Token deleted -RequestAccess=Click here to request/renew access and receive a new token to save -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider: -ListOfSupportedOauthProviders=Enter the credentials provided by your OAuth2 provider. Only supported OAuth2 providers are listedd here. These services may be used by other modules that need OAuth2 authentication. -OAuthSetupForLogin=Page to generate an OAuth token -SeePreviousTab=See previous tab -OAuthIDSecret=OAuth ID and Secret -TOKEN_REFRESH=Token Refresh Present -TOKEN_EXPIRED=Token expired -TOKEN_EXPIRE_AT=Token expire at -TOKEN_DELETE=Delete saved token -OAUTH_GOOGLE_NAME=OAuth Google service -OAUTH_GOOGLE_ID=OAuth Google Id -OAUTH_GOOGLE_SECRET=OAuth Google Secret -OAUTH_GOOGLE_DESC=Go to this page then "Credentials" to create OAuth credentials -OAUTH_GITHUB_NAME=OAuth GitHub service -OAUTH_GITHUB_ID=OAuth GitHub Id -OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_GITHUB_DESC=Go to this page then "Register a new application" to create OAuth credentials -OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test -OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live +ConfigOAuth=OAuth Konfiqurasiyası +OAuthServices=OAuth Xidmətləri +ManualTokenGeneration=Manual token yaradılması +TokenManager=Token Meneceri +IsTokenGenerated=Token yaradılıb? +NoAccessToken=Yerli verilənlər bazasında heç bir giriş nişanı saxlanılmadı +HasAccessToken=Token yaradıldı və yerli verilənlər bazasında saxlandı +NewTokenStored=Token qəbul edildi və saxlandı +ToCheckDeleteTokenOnProvider=%s OAuth provayderi tərəfindən saxlanmış avtorizasiyanı yoxlamaq/silmək üçün bura klikləyin +TokenDeleted=Token silindi +GetAccess=Token əldə etmək üçün bura klikləyin +RequestAccess=Giriş tələb etmək/yeniləmək və yeni nişan almaq üçün bura klikləyin +DeleteAccess=Tokeni silmək üçün bura klikləyin +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider +ListOfSupportedOauthProviders=OAuth2 token provayderlərinizi əlavə edin. Sonra OAuth ID və Sirri yaratmaq/almaq və onları burada saxlamaq üçün OAuth provayderinizin admin səhifəsinə keçin. Bitirdikdən sonra nişanınızı yaratmaq üçün digər nişanı açın. +OAuthSetupForLogin=OAuth tokenlərini idarə etmək (yaratmaq/silmək) üçün səhifə +SeePreviousTab=Əvvəlki nişana baxın +OAuthProvider=OAuth provayderi +OAuthIDSecret=OAuth ID və Gizli +TOKEN_REFRESH=Token Yeniləmə İndisi +TOKEN_EXPIRED=Tokenin müddəti bitdi +TOKEN_EXPIRE_AT=Tokenin müddəti başa çatır +TOKEN_DELETE=Saxlanmış nişanı silin +OAUTH_GOOGLE_NAME=OAuth Google xidməti +OAUTH_GOOGLE_ID=OAuth Google İd +OAUTH_GOOGLE_SECRET=OAuth Google Gizli +OAUTH_GITHUB_NAME=OAuth GitHub xidməti +OAUTH_GITHUB_ID=OAuth GitHub İD +OAUTH_GITHUB_SECRET=OAuth GitHub sirri +OAUTH_URL_FOR_CREDENTIAL=bu səhifəyə keçin%s' to assign task now. -ErrorTimeSpentIsEmpty=Time spent is empty -TimeRecordingRestrictedToNMonthsBack=Time recording is restricted to %s months back -ThisWillAlsoRemoveTasks=This action will also delete all tasks of project (%s tasks at the moment) and all inputs of time spent. -IfNeedToUseOtherObjectKeepEmpty=If some objects (invoice, order, ...), belonging to another third party, must be linked to the project to create, keep this empty to have the project being multi third parties. -CloneTasks=Clone tasks -CloneContacts=Clone contacts -CloneNotes=Clone notes -CloneProjectFiles=Clone project joined files -CloneTaskFiles=Clone task(s) joined files (if task(s) cloned) -CloneMoveDate=Update project/tasks dates from now? -ConfirmCloneProject=Are you sure to clone this project? -ProjectReportDate=Change task dates according to new project start date -ErrorShiftTaskDate=Impossible to shift task date according to new project start date -ProjectsAndTasksLines=Projects and tasks -ProjectCreatedInDolibarr=Project %s created -ProjectValidatedInDolibarr=Project %s validated -ProjectModifiedInDolibarr=Project %s modified -TaskCreatedInDolibarr=Task %s created -TaskModifiedInDolibarr=Task %s modified -TaskDeletedInDolibarr=Task %s deleted -OpportunityStatus=Lead status -OpportunityStatusShort=Lead status -OpportunityProbability=Lead probability -OpportunityProbabilityShort=Lead probab. -OpportunityAmount=Lead amount -OpportunityAmountShort=Lead amount -OpportunityWeightedAmount=Opportunity weighted amount -OpportunityWeightedAmountShort=Opp. weighted amount -OpportunityAmountAverageShort=Average lead amount -OpportunityAmountWeigthedShort=Weighted lead amount -WonLostExcluded=Won/Lost excluded +RefProject=Ref. layihə +ProjectRef=Layihə refer. +ProjectId=Layihə ID +ProjectLabel=Layihə etiketi +ProjectsArea=Layihələr sahəsi +ProjectStatus=Layihə statusu +SharedProject=Hamı +PrivateProject=Təyin edilmiş kontaktlar +ProjectsImContactFor=Mən açıq şəkildə əlaqə saxladığım layihələr +AllAllowedProjects=Oxuya biləcəyim bütün layihələr (mənim + ictimai) +AllProjects=Bütün layihələr +MyProjectsDesc=Bu baxış əlaqə saxladığınız layihələrlə məhdudlaşır +ProjectsPublicDesc=Bu görünüş oxumağa icazə verilən bütün layihələri təqdim edir. +TasksOnProjectsPublicDesc=Bu görünüş oxumağa icazə verilən layihələr üzrə bütün tapşırıqları təqdim edir. +ProjectsPublicTaskDesc=Bu görünüş oxumağa icazə verilən bütün layihələri və tapşırıqları təqdim edir. +ProjectsDesc=Bu görünüş bütün layihələri təqdim edir (istifadəçi icazələriniz sizə hər şeyi görmək üçün icazə verir). +TasksOnProjectsDesc=Bu görünüş bütün layihələr üzrə bütün tapşırıqları təqdim edir (istifadəçi icazələriniz hər şeyi görmək üçün sizə icazə verir). +MyTasksDesc=Bu görünüş əlaqə saxladığınız layihələr və ya tapşırıqlarla məhdudlaşır +OnlyOpenedProject=Yalnız açıq layihələr görünür (qaralama və ya qapalı statusda olan layihələr görünmür). +ClosedProjectsAreHidden=Qapalı layihələr görünmür. +TasksPublicDesc=Bu görünüş oxumağa icazə verilən bütün layihələri və tapşırıqları təqdim edir. +TasksDesc=Bu görünüş bütün layihələri və tapşırıqları təqdim edir (istifadəçi icazələriniz hər şeyi görmək üçün sizə icazə verir). +AllTaskVisibleButEditIfYouAreAssigned=İxtisaslı layihələr üçün bütün tapşırıqlar görünür, lakin siz yalnız seçilmiş istifadəçiyə təyin edilmiş tapşırıq üçün vaxt daxil edə bilərsiniz. Əgər ona vaxt daxil etmək lazımdırsa, tapşırıq təyin edin. +OnlyYourTaskAreVisible=Yalnız sizə təyin edilmiş tapşırıqlar görünür. Əgər tapşırığa vaxt daxil etmək lazımdırsa və tapşırıq burada görünmürsə, o zaman tapşırığı özünüzə təyin etməlisiniz. +ImportDatasetProjects=Layihələr və ya imkanlar +ImportDatasetTasks=Layihələrin vəzifələri +ProjectCategories=Layihə etiketləri/kateqoriyaları +NewProject=Yeni layihə +AddProject=Layihə yaradın +DeleteAProject=Layihəni silin +DeleteATask=Tapşırığı silin +ConfirmDeleteAProject=Bu layihəni silmək istədiyinizə əminsiniz? +ConfirmDeleteATask=Bu tapşırığı silmək istədiyinizə əminsiniz? +OpenedProjects=Açıq layihələr +OpenedProjectsOpportunities=Açıq imkanlar +OpenedTasks=Açıq tapşırıqlar +OpportunitiesStatusForOpenedProjects=Açıq layihələrin sayına statusuna görə liderlik edir +OpportunitiesStatusForProjects=Layihələrin sayına statusuna görə rəhbərlik edir +ShowProject=Layihəni göstərin +ShowTask=Tapşırığı göstərin +SetThirdParty=Üçüncü tərəfi təyin edin +SetProject=Layihə təyin edin +OutOfProject=Layihədən kənar +NoProject=Heç bir layihə müəyyənləşdirilməyib və ya sahib deyil +NbOfProjects=Layihələrin sayı +NbOfTasks=Tapşırıqların sayı +TimeEntry=Vaxt izləmə +TimeSpent=Vaxt sərf +TimeSpentSmall=Time spent +TimeSpentByYou=Sizin sərf etdiyiniz vaxt +TimeSpentByUser=İstifadəçinin sərf etdiyi vaxt +TaskId=Tapşırıq ID +RefTask=Tapşırıq ref. +LabelTask=Tapşırıq etiketi +TaskTimeSpent=Tapşırıqlara sərf olunan vaxt +TaskTimeUser=İstifadəçi +TaskTimeNote=Qeyd +TaskTimeDate=Tarix +TasksOnOpenedProject=Açıq layihələr üzrə tapşırıqlar +WorkloadNotDefined=İş yükü müəyyən edilməyib +NewTimeSpent=Vaxt sərf +MyTimeSpent=Vaxtım keçirdi +BillTime=Xərclənmiş vaxtı hesabla +BillTimeShort=Hesab vaxtı +TimeToBill=Vaxt hesablanmayıb +TimeBilled=Vaxt hesablanıb +Tasks=Tapşırıqlar +Task=Tapşırıq +TaskDateStart=Tapşırıqın başlama tarixi +TaskDateEnd=Tapşırığın bitmə tarixi +TaskDescription=Tapşırıq təsviri +NewTask=Yeni tapşırıq +AddTask=Tapşırıq yaradın +AddTimeSpent=Xərclənmiş vaxtı yaradın +AddHereTimeSpentForDay=Bu gün/tapşırıq üçün sərf olunan vaxtı buraya əlavə edin +AddHereTimeSpentForWeek=Bu həftə/tapşırıq üçün sərf olunan vaxtı buraya əlavə edin +Activity=Fəaliyyət +Activities=Tapşırıqlar/fəaliyyətlər +MyActivities=Tapşırıqlarım/fəaliyyətlərim +MyProjects=Mənim layihələrim +MyProjectsArea=Layihələrim sahəsi +DurationEffective=Effektiv müddət +ProgressDeclared=Həqiqi tərəqqi elan etdi +TaskProgressSummary=Tapşırığın tərəqqisi +CurentlyOpenedTasks=Hazırda açıq tapşırıqlar +TheReportedProgressIsLessThanTheCalculatedProgressionByX=Elan edilmiş real irəliləyiş istehlak üzrə irəliləyişdən %s azdır +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Elan edilmiş real irəliləyiş istehlak üzrə irəliləyişdən daha çox %sdır +ProgressCalculated=İstehlak üzrə irəliləyiş +WhichIamLinkedTo=bağlı olduğum +WhichIamLinkedToProject=layihə ilə əlaqəli olduğum +Time=Vaxt +TimeConsumed=İstehlak olunur +ListOfTasks=Tapşırıqların siyahısı +GoToListOfTimeConsumed=Sərf olunan vaxt siyahısına keçin +GanttView=Gantt Görünüşü +ListWarehouseAssociatedProject=Layihə ilə əlaqəli anbarların siyahısı +ListProposalsAssociatedProject=Layihə ilə bağlı kommersiya təkliflərinin siyahısı +ListOrdersAssociatedProject=Layihə ilə bağlı satış sifarişlərinin siyahısı +ListInvoicesAssociatedProject=Layihə ilə bağlı müştəri hesab-fakturalarının siyahısı +ListPredefinedInvoicesAssociatedProject=Layihə ilə bağlı müştəri şablon fakturalarının siyahısı +ListSupplierOrdersAssociatedProject=Layihə ilə bağlı satınalma sifarişlərinin siyahısı +ListSupplierInvoicesAssociatedProject=Layihə ilə bağlı satıcı fakturalarının siyahısı +ListContractAssociatedProject=Layihə ilə bağlı müqavilələrin siyahısı +ListShippingAssociatedProject=Layihə ilə bağlı göndərmələrin siyahısı +ListFichinterAssociatedProject=Layihə ilə bağlı müdaxilələrin siyahısı +ListExpenseReportsAssociatedProject=Layihə ilə bağlı xərc hesabatlarının siyahısı +ListDonationsAssociatedProject=Layihə ilə bağlı ianələrin siyahısı +ListVariousPaymentsAssociatedProject=Layihə ilə bağlı müxtəlif ödənişlərin siyahısı +ListSalariesAssociatedProject=Layihə ilə bağlı əmək haqqı ödənişlərinin siyahısı +ListActionsAssociatedProject=Layihə ilə bağlı tədbirlərin siyahısı +ListMOAssociatedProject=Layihə ilə bağlı istehsal sifarişlərinin siyahısı +ListTaskTimeUserProject=Layihənin tapşırıqlarına sərf olunan vaxtın siyahısı +ListTaskTimeForTask=Tapşırığa sərf olunan vaxtın siyahısı +ActivityOnProjectToday=Bu gün layihə üzrə fəaliyyət +ActivityOnProjectYesterday=Layihə üzrə dünənki fəaliyyət +ActivityOnProjectThisWeek=Bu həftə layihə üzrə fəaliyyət +ActivityOnProjectThisMonth=Bu ay layihə üzrə fəaliyyət +ActivityOnProjectThisYear=Bu il layihə üzrə fəaliyyət +ChildOfProjectTask=Layihənin/tapşırıqın uşağı +ChildOfTask=Tapşırıq uşağı +TaskHasChild=Tapşırıqın uşağı var +NotOwnerOfProject=Bu özəl layihənin sahibi deyil +AffectedTo=-a ayrılmışdır +CantRemoveProject=Bəzi digər obyektlər (qaimə, sifarişlər və ya digər) tərəfindən istinad edildiyi üçün bu layihə silinə bilməz. '%s' nişanına baxın. +ValidateProject=Layihəni təsdiqləyin +ConfirmValidateProject=Bu layihəni doğrulamaq istədiyinizə əminsiniz? +CloseAProject=Layihəni bağlayın +ConfirmCloseAProject=Bu layihəni bağlamaq istədiyinizə əminsiniz? +AlsoCloseAProject=Həmçinin layihəni bağlayın +AlsoCloseAProjectTooltip=Əgər hələ də istehsal tapşırıqlarına əməl etməlisinizsə, onu açıq saxlayın +ReOpenAProject=Açıq layihə +ConfirmReOpenAProject=Bu layihəni yenidən açmaq istədiyinizə əminsiniz? +ProjectContact=Layihənin əlaqələri +TaskContact=Tapşırıq kontaktları +ActionsOnProject=Layihə üzrə tədbirlər +YouAreNotContactOfProject=Siz bu özəl layihənin kontaktı deyilsiniz +UserIsNotContactOfProject=İstifadəçi bu şəxsi layihənin kontaktı deyil +DeleteATimeSpent=Keçirilmiş vaxtı silin +ConfirmDeleteATimeSpent=Keçirilmiş bu vaxtı silmək istədiyinizə əminsiniz? +DoNotShowMyTasksOnly=Mənə təyin edilməyən tapşırıqlara da baxın +ShowMyTasksOnly=Yalnız mənə təyin edilmiş tapşırıqlara baxın +TaskRessourceLinks=Tapşırıqlar üçün əlaqə +ProjectsDedicatedToThisThirdParty=Bu üçüncü tərəfə həsr olunmuş layihələr +NoTasks=Bu layihə üçün tapşırıq yoxdur +LinkedToAnotherCompany=Digər üçüncü tərəflə əlaqələndirilir +TaskIsNotAssignedToUser=Tapşırıq istifadəçiyə təyin edilməyib. Tapşırığı indi təyin etmək üçün '%s' düyməsini istifadə edin. +ErrorTimeSpentIsEmpty=Keçirilən vaxt boşdur +TimeRecordingRestrictedToNMonthsBack=Vaxt qeydi %s ay əvvələ məhdudlaşdırılıb +ThisWillAlsoRemoveTasks=Bu əməliyyat həmçinin layihənin bütün tapşırıqlarını siləcək (%s tapşırıqlar hazırda) və sərf olunan vaxtın bütün girişləri. +IfNeedToUseOtherObjectKeepEmpty=Əgər başqa üçüncü tərəfə məxsus bəzi obyektlər (qaimə-faktura, sifariş, ...) yaratmaq üçün layihə ilə əlaqələndirilməlidirsə, layihənin çoxlu üçüncü tərəf olması üçün bunu boş saxlayın. +CloneTasks=Tapşırıqları klonlayın +CloneContacts=Kontaktları klonlayın +CloneNotes=Klon qeydləri +CloneProjectFiles=Layihəyə qoşulmuş faylları klonlayın +CloneTaskFiles=Birləşdirilmiş tapşırıq(lar)ı klonlayın (əgər tapşırıq(lar) klonlaşdırılıbsa) +CloneMoveDate=Layihə/tapşırıq tarixləri bundan sonra yenilənsin? +ConfirmCloneProject=Bu layihəni klonlayacağınıza əminsiniz? +ProjectReportDate=Yeni layihənin başlanğıc tarixinə uyğun olaraq tapşırıq tarixlərini dəyişdirin +ErrorShiftTaskDate=Tapşırıq tarixini yeni layihənin başlanğıc tarixinə görə dəyişmək mümkün deyil +ProjectsAndTasksLines=Layihələr və tapşırıqlar +ProjectCreatedInDolibarr=%s layihəsi yaradıldı +ProjectValidatedInDolibarr=%s layihəsi təsdiqləndi +ProjectModifiedInDolibarr=Layihə %s dəyişdirildi +TaskCreatedInDolibarr=%s tapşırığı yaradıldı +TaskModifiedInDolibarr=%s tapşırığı dəyişdirildi +TaskDeletedInDolibarr=%s tapşırığı silindi +OpportunityStatus=Aparıcı statusu +OpportunityStatusShort=Aparıcı statusu +OpportunityProbability=Aparıcı ehtimal +OpportunityProbabilityShort=Aparıcı ehtimal. +OpportunityAmount=Qurğuşun miqdarı +OpportunityAmountShort=Qurğuşun miqdarı +OpportunityWeightedAmount=Ehtimalla ölçülən imkan miqdarı +OpportunityWeightedAmountShort=Opp. ölçülmüş məbləğ +OpportunityAmountAverageShort=Orta qurğuşun miqdarı +OpportunityAmountWeigthedShort=Çəkili qurğuşun miqdarı +WonLostExcluded=Qalib/məğlubiyyət xaric ##### Types de contacts ##### -TypeContact_project_internal_PROJECTLEADER=Project leader -TypeContact_project_external_PROJECTLEADER=Project leader -TypeContact_project_internal_PROJECTCONTRIBUTOR=Contributor -TypeContact_project_external_PROJECTCONTRIBUTOR=Contributor -TypeContact_project_task_internal_TASKEXECUTIVE=Task executive -TypeContact_project_task_external_TASKEXECUTIVE=Task executive -TypeContact_project_task_internal_TASKCONTRIBUTOR=Contributor -TypeContact_project_task_external_TASKCONTRIBUTOR=Contributor -SelectElement=Select element -AddElement=Link to element -LinkToElementShort=Link to +TypeContact_project_internal_PROJECTLEADER=Layihə rəhbəri +TypeContact_project_external_PROJECTLEADER=Layihə rəhbəri +TypeContact_project_internal_PROJECTCONTRIBUTOR=Töhfəçi +TypeContact_project_external_PROJECTCONTRIBUTOR=Töhfəçi +TypeContact_project_task_internal_TASKEXECUTIVE=Tapşırıq icraçısı +TypeContact_project_task_external_TASKEXECUTIVE=Tapşırıq icraçısı +TypeContact_project_task_internal_TASKCONTRIBUTOR=Töhfəçi +TypeContact_project_task_external_TASKCONTRIBUTOR=Töhfəçi +SelectElement=Element seçin +AddElement=Elementə keçid +LinkToElementShort=-a keçid # Documents models -DocumentModelBeluga=Project document template for linked objects overview -DocumentModelBaleine=Project document template for tasks -DocumentModelTimeSpent=Project report template for time spent -PlannedWorkload=Planned workload -PlannedWorkloadShort=Workload -ProjectReferers=Related items -ProjectMustBeValidatedFirst=Project must be validated first -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time -InputPerDay=Input per day -InputPerWeek=Input per week -InputPerMonth=Input per month -InputDetail=Input detail -TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s -ProjectsWithThisUserAsContact=Projects with this user as contact -ProjectsWithThisContact=Projects with this contact -TasksWithThisUserAsContact=Tasks assigned to this user -ResourceNotAssignedToProject=Not assigned to project -ResourceNotAssignedToTheTask=Not assigned to the task -NoUserAssignedToTheProject=No users assigned to this project -TimeSpentBy=Time spent by -TasksAssignedTo=Tasks assigned to -AssignTaskToMe=Assign task to myself -AssignTaskToUser=Assign task to %s -SelectTaskToAssign=Select task to assign... -AssignTask=Assign -ProjectOverview=Overview -ManageTasks=Use projects to follow tasks and/or report time spent (timesheets) -ManageOpportunitiesStatus=Use projects to follow leads/opportinuties -ProjectNbProjectByMonth=No. of created projects by month -ProjectNbTaskByMonth=No. of created tasks by month -ProjectOppAmountOfProjectsByMonth=Amount of leads by month -ProjectWeightedOppAmountOfProjectsByMonth=Weighted amount of leads by month -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads -TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. -IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX -OpenedProjectsByThirdparties=Open projects by third parties -OnlyOpportunitiesShort=Only leads -OpenedOpportunitiesShort=Open leads -NotOpenedOpportunitiesShort=Not an open lead -NotAnOpportunityShort=Not a lead -OpportunityTotalAmount=Total amount of leads -OpportunityPonderatedAmount=Weighted amount of leads -OpportunityPonderatedAmountDesc=Leads amount weighted with probability -OppStatusPROSP=Prospection -OppStatusQUAL=Qualification -OppStatusPROPO=Proposal -OppStatusNEGO=Negociation -OppStatusPENDING=Pending -OppStatusWON=Won -OppStatusLOST=Lost -Budget=Budget -AllowToLinkFromOtherCompany=Allow to link project from other company

      Supported values:
      - Keep empty: Can link any project of the company (default)
      - "all": Can link any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
      -LatestProjects=Latest %s projects -LatestModifiedProjects=Latest %s modified projects -OtherFilteredTasks=Other filtered tasks -NoAssignedTasks=No assigned tasks found (assign project/tasks to the current user from the top select box to enter time on it) -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ChooseANotYetAssignedTask=Choose a task not yet assigned to you +DocumentModelBeluga=Əlaqədar obyektlərə ümumi baxış üçün layihə sənədi şablonu +DocumentModelBaleine=Tapşırıqlar üçün layihə sənədi şablonu +DocumentModelTimeSpent=Keçirilmiş vaxt üçün layihə hesabatı şablonu +PlannedWorkload=Planlaşdırılmış iş yükü +PlannedWorkloadShort=İş yükü +ProjectReferers=Əlaqədar maddələr +ProjectMustBeValidatedFirst=Layihə əvvəlcə təsdiqlənməlidir +MustBeValidatedToBeSigned=%s İmzalanmış olaraq təyin olunmaq üçün əvvəlcə doğrulanmalıdır. +FirstAddRessourceToAllocateTime=Vaxt ayırmaq üçün istifadəçi resursunu layihənin kontaktı kimi təyin edin +InputPerDay=Gündəlik giriş +InputPerWeek=Həftədə giriş +InputPerMonth=Ayda giriş +InputDetail=Daxiletmə detalı +TimeAlreadyRecorded=Bu, bu tapşırıq/gün və istifadəçi üçün artıq qeydə alınmış vaxtdır %s +ProjectsWithThisUserAsContact=Əlaqə olaraq bu istifadəçi ilə layihələr +ProjectsWithThisContact=Bu üçüncü tərəf əlaqəsi ilə layihələr +TasksWithThisUserAsContact=Bu istifadəçiyə tapşırılmış tapşırıqlar +ResourceNotAssignedToProject=Layihəyə təyin edilməyib +ResourceNotAssignedToTheTask=Tapşırıq təyin edilməyib +NoUserAssignedToTheProject=Bu layihəyə heç bir istifadəçi təyin edilməyib +TimeSpentBy=tərəfindən sərf olunan vaxt +TasksAssignedTo=Tapşırıqlar verilir +AssignTaskToMe=Özümə tapşırıq verin +AssignTaskToUser=%s-a tapşırığı təyin edin +SelectTaskToAssign=Təyin etmək üçün tapşırığı seçin... +AssignTask=Təyin et +ProjectOverview=Ümumi baxış +ManageTasks=Tapşırıqları izləmək və/və ya sərf olunan vaxtı bildirmək üçün layihələrdən istifadə edin (vaxt cədvəli) +ManageOpportunitiesStatus=Liderləri/imkanları izləmək üçün layihələrdən istifadə edin +ProjectNbProjectByMonth=Aylar üzrə yaradılmış layihələrin sayı +ProjectNbTaskByMonth=Aylar üzrə yaradılmış tapşırıqların sayı +ProjectOppAmountOfProjectsByMonth=Aylar üzrə aparıcıların miqdarı +ProjectWeightedOppAmountOfProjectsByMonth=Aylar üzrə çəkili potensial potensialın miqdarı +ProjectOpenedProjectByOppStatus=Layihəni açın|aparıcı statusuna görə aparıcı +ProjectsStatistics=Layihələr və ya aparıcılar haqqında statistika +TasksStatistics=Layihələrin və ya aparıcıların tapşırıqları üzrə statistika +TaskAssignedToEnterTime=Tapşırıq verildi. Bu tapşırıq üçün vaxtın daxil edilməsi mümkün olmalıdır. +IdTaskTime=İd tapşırıq vaxtı +YouCanCompleteRef=Ref-i bəzi şəkilçi ilə tamamlamaq istəyirsinizsə, onu ayırmaq üçün - simvolu əlavə etmək tövsiyə olunur, beləliklə, avtomatik nömrələmə növbəti layihələr üçün hələ də düzgün işləyəcək. Məsələn, %s-MYSUFFIX +OpenedProjectsByThirdparties=Üçüncü tərəflər tərəfindən açıq layihələr +OnlyOpportunitiesShort=Yalnız rəhbərlik edir +OpenedOpportunitiesShort=Açıq aparıcılar +NotOpenedOpportunitiesShort=Açıq aparıcı deyil +NotAnOpportunityShort=Aparıcı deyil +OpportunityTotalAmount=Potensialların ümumi miqdarı +OpportunityPonderatedAmount=Aparıcıların çəkisi miqdarı +OpportunityPonderatedAmountDesc=Ehtimalla ölçülən potensial potensial +OppStatusPROSP=Prospekt +OppStatusQUAL=İxtisas +OppStatusPROPO=Təklif +OppStatusNEGO=Danışıqlar +OppStatusPENDING=gözləyən +OppStatusWON=Qazandı +OppStatusLOST=İtirilmiş +Budget=Büdcə +AllowToLinkFromOtherCompany=Elementi başqa şirkətin layihəsi ilə əlaqələndirməyə icazə verin

      Dəstəklənən dəyərlər:
      - Boş saxlayın: Elementləri eyni şirkətdəki istənilən layihə ilə əlaqələndirə bilər (defolt)
      - "hamısı": Elementləri istənilən layihələrlə, hətta digər şirkətlərin layihələri ilə əlaqələndirə bilər
      - Vergüllə ayrılmış üçüncü tərəf id-lərinin siyahısı : elementləri bu üçüncü tərəflərin istənilən layihələri ilə əlaqələndirə bilər (Nümunə: 123,4795,53)
      +LatestProjects=Ən son %s layihələr +LatestModifiedProjects=Ən son %s dəyişdirilmiş layihələr +OtherFilteredTasks=Digər filtrlənmiş tapşırıqlar +NoAssignedTasks=Heç bir təyin edilmiş tapşırıq tapılmadı (vaxt daxil etmək üçün yuxarıdakı seçim qutusundan cari istifadəçiyə layihə/tapşırıqlar təyin edin) +ThirdPartyRequiredToGenerateInvoice=Layihənin hesab-fakturasını təqdim etmək üçün layihədə üçüncü tərəf müəyyən edilməlidir. +ThirdPartyRequiredToGenerateInvoice=Layihənin hesab-fakturasını təqdim etmək üçün layihədə üçüncü tərəf müəyyən edilməlidir. +ChooseANotYetAssignedTask=Hələ sizə təyin edilməmiş bir tapşırıq seçin # Comments trans -AllowCommentOnTask=Allow user comments on tasks -AllowCommentOnProject=Allow user comments on projects -DontHavePermissionForCloseProject=You do not have permissions to close the project %s -DontHaveTheValidateStatus=The project %s must be open to be closed -RecordsClosed=%s project(s) closed -SendProjectRef=Information project %s -ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized -NewTaskRefSuggested=Task ref already used, a new task ref is required -TimeSpentInvoiced=Time spent billed -TimeSpentForIntervention=Time spent -TimeSpentForInvoice=Time spent -OneLinePerUser=One line per user -ServiceToUseOnLines=Service to use on lines -InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. -ProjectFollowOpportunity=Follow opportunity -ProjectFollowTasks=Follow tasks or time spent -Usage=Usage -UsageOpportunity=Usage: Opportunity -UsageTasks=Usage: Tasks -UsageBillTimeShort=Usage: Bill time -InvoiceToUse=Draft invoice to use -InterToUse=Draft intervention to use -NewInvoice=New invoice -NewInter=New intervention -OneLinePerTask=One line per task -OneLinePerPeriod=One line per period -OneLinePerTimeSpentLine=One line for each time spent declaration -AddDetailDateAndDuration=With date and duration into line description -RefTaskParent=Ref. Parent Task -ProfitIsCalculatedWith=Profit is calculated using -AddPersonToTask=Add also to tasks -UsageOrganizeEvent=Usage: Event Organization -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks at 100 %% progress won't be affected: you will have to close them manually. This option only affects open projects. -SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them -ProjectTasksWithoutTimeSpent=Project tasks without time spent -FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. -ProjectsHavingThisContact=Projects having this contact -StartDateCannotBeAfterEndDate=End date cannot be before start date +AllowCommentOnTask=Tapşırıqlar haqqında istifadəçi şərhlərinə icazə verin +AllowCommentOnProject=Layihələr haqqında istifadəçi şərhlərinə icazə verin +DontHavePermissionForCloseProject=Sizin %s layihəsini bağlamaq icazəniz yoxdur +DontHaveTheValidateStatus=%s layihəsi bağlanmaq üçün açıq olmalıdır +RecordsClosed=%s layihə(lər) bağlanıb +SendProjectRef=Məlumat layihəsi %s +ModuleSalaryToDefineHourlyRateMustBeEnabled=Vaxtın qiymətləndirilməsi üçün işçinin saatlıq tarifini müəyyən etmək üçün "Maaşlar" modulu aktivləşdirilməlidir +NewTaskRefSuggested=Tapşırıq referatı artıq istifadə olunub, yeni tapşırıq referatı tələb olunur +NumberOfTasksCloned=%s tapşırıq(lar) klonlanıb +TimeSpentInvoiced=Xərclənmiş vaxt hesablanır +TimeSpentForIntervention=Vaxt sərf +TimeSpentForInvoice=Vaxt sərf +OneLinePerUser=İstifadəçi başına bir xətt +ServiceToUseOnLines=Defolt olaraq xətlərdə istifadə etmək üçün xidmət +InvoiceGeneratedFromTimeSpent=Layihəyə sərf olunan vaxtdan %s faktura yaradılıb +InterventionGeneratedFromTimeSpent=Layihəyə sərf olunan vaxtdan %s müdaxiləsi yaradıldı +ProjectBillTimeDescription=Layihənin tapşırıqları üzrə vaxt cədvəlini daxil etdiyinizi yoxlayın VƏ siz layihənin müştərisinə hesab vermək üçün vaxt cədvəlindən faktura(lar) yaratmağı planlaşdırırsınız (daxil edilmiş vaxt cədvəllərinə əsaslanmayan faktura yaratmağı planlaşdırdığınızı yoxlamayın). Qeyd: Faktura yaratmaq üçün layihənin 'Sərf edilən vaxt' sekmesine keçin və daxil ediləcək sətirləri seçin. +ProjectFollowOpportunity=Fürsəti izləyin +ProjectFollowTasks=Tapşırıqları və ya sərf olunan vaxtı izləyin +Usage=İstifadəsi +UsageOpportunity=İstifadəsi: Fürsət +UsageTasks=İstifadəsi: Tapşırıqlar +UsageBillTimeShort=İstifadəsi: Hesab vaxtı +InvoiceToUse=İstifadə üçün faktura layihəsi +InterToUse=İstifadə ediləcək müdaxilə layihəsi +NewInvoice=Yeni faktura +NewInter=Yeni müdaxilə +OneLinePerTask=Hər tapşırıq üçün bir xətt +OneLinePerPeriod=Hər dövr üçün bir xətt +OneLinePerTimeSpentLine=Hər sərf edilmiş bəyannamə üçün bir sətir +AddDetailDateAndDuration=Xətt təsvirində tarix və müddət ilə +RefTaskParent=Ref. Valideyn Tapşırığı +ProfitIsCalculatedWith=Mənfəət istifadə edərək hesablanır +AddPersonToTask=Tapşırıqlara da əlavə edin +UsageOrganizeEvent=İstifadəsi: Tədbirin təşkili +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Bütün tapşırıqları tamamlandıqda layihəni qapalı kimi təsnif edin (100%% irəliləyiş) +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Qeyd: bütün tapşırıqları artıq 100%% irəliləyişinə təyin edilmiş mövcud layihələrə təsir etməyəcək: onları əl ilə bağlamalı olacaqsınız. Bu seçim yalnız açıq layihələrə təsir göstərir. +SelectLinesOfTimeSpentToInvoice=Faturalandırılmamış sərf olunan vaxt xətlərini seçin, sonra onları hesablamaq üçün toplu əməliyyat "Qaimə-faktura yarat" +ProjectTasksWithoutTimeSpent=Vaxt sərf etmədən layihə tapşırıqları +FormForNewLeadDesc=Bizimlə əlaqə saxlamaq üçün aşağıdakı formanı doldurduğunuz üçün təşəkkür edirik. Siz həmçinin bizə birbaşa %s ünvanına e-məktub göndərə bilərsiniz. +ProjectsHavingThisContact=Bu əlaqəyə malik layihələr +StartDateCannotBeAfterEndDate=Bitmə tarixi başlama tarixindən əvvəl ola bilməz +ErrorPROJECTLEADERRoleMissingRestoreIt="PROJECTLEADER" rolu yoxdur və ya deaktiv edilib, əlaqə növləri lüğətində bərpa edin +LeadPublicFormDesc=Potensiallarınıza ictimai onlayn formadan sizinlə ilk əlaqə yaratmaq üçün burada ictimai səhifəni aktivləşdirə bilərsiniz +EnablePublicLeadForm=Əlaqə üçün ictimai formanı aktivləşdirin +NewLeadbyWeb=Mesajınız və ya sorğunuz qeydə alınıb. Tezliklə cavablandıracağıq və ya sizinlə əlaqə saxlayacağıq. +NewLeadForm=Yeni əlaqə forması +LeadFromPublicForm=İctimai formadan onlayn aparıcı +ExportAccountingReportButtonLabel=Hesabat alın diff --git a/htdocs/langs/az_AZ/website.lang b/htdocs/langs/az_AZ/website.lang index dc2ec2c0b3d..f318a07691c 100644 --- a/htdocs/langs/az_AZ/website.lang +++ b/htdocs/langs/az_AZ/website.lang @@ -1,147 +1,166 @@ # Dolibarr language file - Source file is en_US - website -Shortname=Code -WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them. -DeleteWebsite=Delete website -ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. -WEBSITE_TYPE_CONTAINER=Type of page/container -WEBSITE_PAGE_EXAMPLE=Web page to use as example -WEBSITE_PAGENAME=Page name/alias -WEBSITE_ALIASALT=Alternative page names/aliases -WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
      alternativename1, alternativename2, ... -WEBSITE_CSS_URL=URL of external CSS file -WEBSITE_CSS_INLINE=CSS file content (common to all pages) -WEBSITE_JS_INLINE=Javascript file content (common to all pages) -WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) -WEBSITE_ROBOT=Robot file (robots.txt) -WEBSITE_HTACCESS=Website .htaccess file -WEBSITE_MANIFEST_JSON=Website manifest.json file -WEBSITE_README=README.md file -WEBSITE_KEYWORDSDesc=Use a comma to separate values -EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. -HtmlHeaderPage=HTML header (specific to this page only) -PageNameAliasHelp=Name or alias of the page.
      This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. -EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. -MediaFiles=Media library -EditCss=Edit website properties -EditMenu=Edit menu -EditMedias=Edit medias -EditPageMeta=Edit page/container properties -EditInLine=Edit inline -AddWebsite=Add website -Webpage=Web page/container -AddPage=Add page/container -PageContainer=Page -PreviewOfSiteNotYetAvailable=The preview of your website %s is not yet available. You must first 'Import a full website template' or just 'Add a page/container'. -RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this. -SiteDeleted=Web site '%s' deleted -PageContent=Page/Contenair -PageDeleted=Page/Contenair '%s' of website %s deleted -PageAdded=Page/Contenair '%s' added -ViewSiteInNewTab=View site in new tab -ViewPageInNewTab=View page in new tab -SetAsHomePage=Set as Home page -RealURL=Real URL -ViewWebsiteInProduction=View web site using home URLs -SetHereVirtualHost=Use with Apache/NGinx/...
      Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
      %s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: -YouCanAlsoTestWithPHPS=Use with PHP embedded server
      On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
      php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
      If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on
      https://saas.dolibarr.org -CheckVirtualHostPerms=Check also that the virtual host user (for example www-data) has %s permissions on files into
      %s -ReadPerm=Read -WritePerm=Write -TestDeployOnWeb=Test/deploy on web -PreviewSiteServedByWebServer=Preview %s in a new tab.

      The %s will be served by an external web server (like Apache, Nginx, IIS). You must install and setup this server before to point to directory:
      %s
      URL served by external server:
      %s -PreviewSiteServedByDolibarr=Preview %s in a new tab.

      The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed.
      The inconvenient is that the URLs of pages are not user friendly and start with the path of your Dolibarr.
      URL served by Dolibarr:
      %s

      To use your own external web server to serve this web site, create a virtual host on your web server that points on directory
      %s
      then enter the name of this virtual server in the properties of this website and click on the link "Test/Deploy on the web". -VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined -NoPageYet=No pages yet -YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template -SyntaxHelp=Help on specific syntax tips -YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . -ClonePage=Clone page/container -CloneSite=Clone site -SiteAdded=Website added -ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page. -PageIsANewTranslation=The new page is a translation of the current page ? -LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page. -ParentPageId=Parent page ID -WebsiteId=Website ID -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... -OrEnterPageInfoManually=Or create page from scratch or from a page template... -FetchAndCreate=Fetch and Create -ExportSite=Export website -ImportSite=Import website template -IDOfPage=Id of page +Shortname=Kod +WebsiteName=Veb saytın adı +WebsiteSetupDesc=Burada istifadə etmək istədiyiniz veb saytları yaradın. Sonra onları redaktə etmək üçün Vebsaytlar menyusuna daxil olun. +DeleteWebsite=Veb saytı silin +ConfirmDeleteWebsite=Bu veb saytı silmək istədiyinizə əminsiniz? Onun bütün səhifələri və məzmunu da silinəcək. Yüklənmiş fayllar (medias qovluğuna, ECM moduluna, ...) qalacaq. +WEBSITE_TYPE_CONTAINER=Səhifənin/konteynerin növü +WEBSITE_PAGE_EXAMPLE=Nümunə kimi istifadə etmək üçün veb səhifə +WEBSITE_PAGENAME=Səhifə adı/ləqəb +WEBSITE_ALIASALT=Alternativ səhifə adları/ləqəbləri +WEBSITE_ALIASALTDesc=Burada digər adların/ləqəblərin siyahısını istifadə edin ki, səhifəyə bu digər adlar/ləqəblərdən də istifadə etməklə daxil olmaq mümkün olsun (məsələn, köhnə linkdə/adda geri əlaqə saxlamaq üçün ləqəbin adının dəyişdirilməsindən sonra köhnə ad). Sintaksis belədir:
      alternativename1, alternativename2, ... +WEBSITE_CSS_URL=Xarici CSS faylının URL-i +WEBSITE_CSS_INLINE=CSS fayl məzmunu (bütün səhifələr üçün ümumi) +WEBSITE_JS_INLINE=JavaScript fayl məzmunu (bütün səhifələr üçün ümumi) +WEBSITE_HTML_HEADER=HTML başlığının altındakı əlavə (bütün səhifələr üçün ümumi) +WEBSITE_ROBOT=Robot faylı (robots.txt) +WEBSITE_HTACCESS=Veb sayt .htaccess faylı +WEBSITE_MANIFEST_JSON=Veb sayt manifest.json faylı +WEBSITE_KEYWORDSDesc=Dəyərləri ayırmaq üçün vergüldən istifadə edin +EnterHereReadmeInformation=Bura veb saytın təsvirini daxil edin. Veb saytınızı şablon kimi yaysanız, fayl temptate paketinə daxil ediləcək. +EnterHereLicenseInformation=Bura veb-sayt kodunun LİSENZASINI daxil edin. Veb saytınızı şablon kimi yaysanız, fayl temptate paketinə daxil ediləcək. +HtmlHeaderPage=HTML başlığı (yalnız bu səhifəyə aiddir) +PageNameAliasHelp=Səhifənin adı və ya ləqəbi.
      Bu ləqəb həmçinin veb serverin Virtual hostundan (Apake, Nginx, .. .). Bu ləqəbi redaktə etmək üçün "%s" düyməsindən istifadə edin. +EditTheWebSiteForACommonHeader=Qeyd: Bütün səhifələr üçün fərdiləşdirilmiş başlıq müəyyən etmək istəyirsinizsə, başlığı səhifə/konteyner əvəzinə sayt səviyyəsində redaktə edin. +MediaFiles=Media kitabxanası +EditCss=Veb sayt xüsusiyyətlərini redaktə edin +EditMenu=Redaktə menyusu +EditMedias=Medianı redaktə edin +EditPageMeta=Səhifə/konteyner xassələrini redaktə edin +EditInLine=Xətti redaktə edin +AddWebsite=Veb sayt əlavə edin +Webpage=Veb səhifə/konteyner +AddPage=Səhifə/konteyner əlavə edin +PageContainer=Səhifə +PreviewOfSiteNotYetAvailable=%s vebsaytınızın önizləməsi hələ mövcud deyil. Siz əvvəlcə 'Tam veb sayt şablonunu idxal edin' və ya sadəcə 'b0e7806z span>Səhifə/konteyner əlavə edin'. +RequestedPageHasNoContentYet=%s id ilə sorğu edilən səhifədə hələ məzmun yoxdur və ya keş faylı .tpl.php silinib. Bunu həll etmək üçün səhifənin məzmununu redaktə edin. +SiteDeleted='%s' veb saytı silindi +PageContent=Səhifə/Contenair +PageDeleted=%s saytının '%s' səhifəsi/Contenair silindi +PageAdded=Səhifə/Contenair '%s' əlavə edildi +ViewSiteInNewTab=Sayta yeni tabda baxın +ViewPageInNewTab=Yeni tabda səhifəyə baxın +SetAsHomePage=Əsas səhifə olaraq təyin edin +RealURL=Həqiqi URL +ViewWebsiteInProduction=Ev URL-lərindən istifadə edərək veb saytına baxın +Virtualhost=Virtual host və ya domen adı +VirtualhostDesc=Virtual host və ya domenin adı (Məsələn: www.mywebsite.com, mybigcompany.net, ...) +SetHereVirtualHost=Apache/NGinx/... ilə istifadə edin
      Create veb serveriniz (Apache, Nginx, ...) PHP aktivləşdirilmiş xüsusi Virtual Host və
      -da Kök kataloqu %s +ExampleToUseInApacheVirtualHostConfig=Apache virtual host quraşdırmasında istifadə etmək üçün nümunə: +YouCanAlsoTestWithPHPS=PHP daxili server ilə istifadə edin
      Ətraf mühiti inkişaf etdirə bilərsiniz
      php -S 0.0.0.0 işlətməklə saytı PHP daxil edilmiş veb serveri (PHP 5.5 tələb olunur) ilə sınamağa üstünlük verin :8080 -t %s +YouCanAlsoDeployToAnotherWHP=Veb saytınızı başqa bir Dolibarr Hosting provayderi ilə idarə edin
      internetdə mövcud Apache və ya NGinx kimi veb serveriniz yoxdursa, siz vebsaytınızı Veb-sayt modulu ilə tam inteqrasiyanı təmin edən başqa bir Dolibarr hosting provayderi tərəfindən təqdim edilən başqa bir Dolibarr nümunəsinə ixrac edə və idxal edə bilərsiniz. Siz bəzi Dolibarr hostinq provayderlərinin siyahısını https://saas.dolibarr.org saytında tapa bilərsiniz. +CheckVirtualHostPerms=Virtual host istifadəçisinin (məsələn, www-data) %sb0a65d071f6fc90z olduğunu da yoxlayın.
      %s fayl icazələri ='notranslate'>
      +ReadPerm=Oxuyun +WritePerm=yaz +TestDeployOnWeb=Vebdə sınaqdan keçirin/yerləşdirin +PreviewSiteServedByWebServer=Önizləmə %s yeni tabda.

      %s xarici veb server (Apache, Nginx kimi) tərəfindən xidmət göstərəcək ). Kataloqa işarə etməzdən əvvəl bu serveri quraşdırıb quraşdırmalısınız:
      %s span>
      URL xarici server tərəfindən təqdim olunur:
      %s +PreviewSiteServedByDolibarr=Önizləmə %s yeni tabda.

      %s Dolibarr serveri tərəfindən xidmət göstərəcək, ona görə də əlavə veb serverə ehtiyac yoxdur (Apache, Nginx, IIS kimi) quraşdırılmalıdır.
      Əlverişsiz odur ki, səhifələrin URL-ləri istifadəçi dostu deyil və Dolibarr yolunuzla başlayır.
      URL Dolibarr tərəfindən təqdim olunur:


      Öz xarici veb serverinizdən istifadə etmək üçün bu veb saytına xidmət edin, veb serverinizdə qovluğa işarə edən virtual host yaradın
      %s
      sonra bu veb-saytın xüsusiyyətlərinə bu virtual serverin adını daxil edin və üzərinə klikləyin "İnternetdə sınaqdan keçirin/yerləşdirin" linki. +VirtualHostUrlNotDefined=Xarici veb server tərəfindən xidmət edilən virtual hostun URL-i müəyyən edilməyib +NoPageYet=Hələ səhifə yoxdur +YouCanCreatePageOrImportTemplate=Siz yeni səhifə yarada və ya tam veb sayt şablonunu idxal edə bilərsiniz +SyntaxHelp=Xüsusi sintaksis məsləhətləri üzrə yardım +YouCanEditHtmlSourceckeditor=Siz redaktorda "Mənbə" düyməsini istifadə edərək HTML mənbə kodunu redaktə edə bilərsiniz. +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      +YouCanEditHtmlSource2=Paylaşım linki ilə paylaşılan şəkil üçün (faylın paylaşma heş açarından istifadə edərək açıq giriş) sintaksis belədir:
      <img src="/viewimage.php?hashp=12345679012...">' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). -NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. -ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? -MyWebsitePages=My website pages -SearchReplaceInto=Search | Replace into -ReplaceString=New string -CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. -Dynamiccontent=Sample of a page with dynamic content -ImportSite=Import website template -EditInLineOnOff=Mode 'Edit inline' is %s -ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s -GlobalCSSorJS=Global CSS/JS/Header file of web site -BackToHomePage=Back to home page... -TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
      (ref=%s, type=%s, status=%s) -UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters -MainLanguage=Main language -OtherLanguages=Other languages -UseManifest=Provide a manifest.json file -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers -RSSFeed=RSS Feed -RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL -PagesRegenerated=%s page(s)/container(s) regenerated -RegenerateWebsiteContent=Regenerate web site cache files -AllowedInFrames=Allowed in Frames -DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties. -GenerateSitemaps=Generate website sitemap file -ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... -ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap file %s generated -ImportFavicon=Favicon -ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 -FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) +BlogPost=Bloq yazısı +WebsiteAccount=Veb sayt hesabı +WebsiteAccounts=Veb sayt hesabları +AddWebsiteAccount=Veb sayt hesabı yaradın +BackToListForThirdParty=Üçüncü tərəflər üçün siyahıya qayıt +DisableSiteFirst=Əvvəlcə veb saytı söndürün +MyContainerTitle=Veb saytımın başlığı +AnotherContainer=Başqa səhifənin/konteynerin məzmununu necə daxil etmək olar (daxil edilmiş alt konteyner mövcud olmaya bilər, çünki dinamik kodu aktiv etsəniz, burada xəta ola bilər) +SorryWebsiteIsCurrentlyOffLine=Üzr istəyirik, bu vebsayt hazırda offlinedır. Zəhmət olmasa daha sonra qayıdın... +WEBSITE_USE_WEBSITE_ACCOUNTS=Veb sayt hesab cədvəlini aktivləşdirin +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Hər bir vebsayt/üçüncü tərəf üçün veb sayt hesablarını (giriş/keçmə) saxlamaq üçün cədvəli aktivləşdirin +YouMustDefineTheHomePage=Əvvəlcə standart Əsas səhifəni təyin etməlisiniz +OnlyEditionOfSourceForGrabbedContentFuture=Xəbərdarlıq: Xarici veb səhifəni idxal etməklə veb səhifə yaratmaq təcrübəli istifadəçilər üçün nəzərdə tutulub. Mənbə səhifəsinin mürəkkəbliyindən asılı olaraq, idxalın nəticəsi orijinaldan fərqli ola bilər. Həmçinin mənbə səhifə ümumi CSS üslublarından və ya ziddiyyətli JavaScript-dən istifadə edirsə, bu səhifədə işləyərkən Vebsayt redaktorunun görünüşünü və ya xüsusiyyətlərini poza bilər. Bu üsul səhifə yaratmağın daha sürətli yoludur, lakin yeni səhifənizi sıfırdan və ya təklif olunan səhifə şablonundan yaratmaq tövsiyə olunur.
      Həmçinin nəzərə alın ki, daxili redaktor işləməyə bilər. tutulan xarici səhifədə istifadə edildikdə düzgündür. +OnlyEditionOfSourceForGrabbedContent=Məzmun xarici saytdan götürüldükdə yalnız HTML mənbəyinin nəşri mümkündür +GrabImagesInto=CSS və səhifədə tapılan şəkilləri də götürün. +ImagesShouldBeSavedInto=Şəkillər kataloqda saxlanmalıdır +WebsiteRootOfImages=Veb sayt şəkilləri üçün kök kataloqu +SubdirOfPage=Səhifəyə həsr olunmuş alt kataloq +AliasPageAlreadyExists=%s ləqəb səhifəsi artıq mövcuddur +CorporateHomePage=Korporativ əsas səhifə +EmptyPage=Boş səhifə +ExternalURLMustStartWithHttp=Xarici URL http:// və ya https:// ilə başlamalıdır. +ZipOfWebsitePackageToImport=Veb sayt şablon paketinin Zip faylını yükləyin +ZipOfWebsitePackageToLoad=və ya mövcud daxili veb sayt şablon paketini seçin +ShowSubcontainers=Dinamik məzmunu göstərin +InternalURLOfPage=Səhifənin daxili URL-i +ThisPageIsTranslationOf=Bu səhifə/konteyner tərcüməsidir +ThisPageHasTranslationPages=Bu səhifənin/konteynerin tərcüməsi var +NoWebSiteCreateOneFirst=Hələ heç bir vebsayt yaradılmayıb. Əvvəlcə birini yaradın. +GoTo=Getmək +DynamicPHPCodeContainsAForbiddenInstruction=Siz '%sb0a65d071z06f PHP təlimatını ehtiva edən dinamik PHP kodu əlavə edirsiniz ' dinamik məzmun kimi default olaraq qadağandır (icazə verilən əmrlərin siyahısını artırmaq üçün WEBSITE_PHP_ALLOW_xxx gizli seçimlərinə baxın). +NotAllowedToAddDynamicContent=Veb saytlarda PHP dinamik məzmunu əlavə etmək və ya redaktə etmək icazəniz yoxdur. İcazə istəyin və ya kodu dəyişdirmədən php teqlərində saxlayın. +ReplaceWebsiteContent=Veb sayt məzmununu axtarın və ya dəyişdirin +DeleteAlsoJs=Bu vebsayta xas olan bütün JavaScript faylları da silinsin? +DeleteAlsoMedias=Bu vebsayta xas olan bütün media faylları da silinsin? +MyWebsitePages=Veb səhifələrim +SearchReplaceInto=Axtar | İçinə dəyişdirin +ReplaceString=Yeni simli +CSSContentTooltipHelp=CSS məzmununu buraya daxil edin. Tətbiqin CSS ilə hər hansı ziddiyyətdən qaçmaq üçün bütün bəyannaməni .bodywebsite sinfi ilə əvvəldən yazdığınızdan əmin olun. Məsələn:

      #mycssselector, input.myclass:hover { ... }
      olmalıdır
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }b03142ff
      Qeyd: Bu prefiksi olmayan böyük faylınız varsa, onu hər yerdə .bodywebsite prefiksini əlavə etmək üçün çevirmək üçün "lessc" istifadə edə bilərsiniz. +LinkAndScriptsHereAreNotLoadedInEditor=Xəbərdarlıq: Bu məzmun yalnız serverdən sayta daxil olduqda çıxarılır. O, Redaktə rejimində istifadə edilmir, ona görə də JavaScript fayllarını redaktə rejimində də yükləməlisinizsə, sadəcə olaraq səhifəyə 'script src=...' teqinizi əlavə edin. +Dynamiccontent=Dinamik məzmunlu səhifə nümunəsi +ImportSite=Veb sayt şablonunu idxal edin +EditInLineOnOff="Daxili redaktə" rejimi %s-dır +ShowSubContainersOnOff="Dinamik məzmunu" icra etmək rejimi %s-dır +GlobalCSSorJS=Veb saytın qlobal CSS/JS/Başlıq faylı +BackToHomePage=Əsas səhifəyə qayıt... +TranslationLinks=Tərcümə bağlantıları +YouTryToAccessToAFileThatIsNotAWebsitePage=Siz əlçatan olmayan səhifəyə daxil olmağa çalışırsınız.
      (ref=%s, type=%s, status=%s) +UseTextBetween5And70Chars=Yaxşı SEO təcrübələri üçün 5 ilə 70 simvol arasında mətndən istifadə edin +MainLanguage=Əsas dil +OtherLanguages=Başqa dillər +UseManifest=manifest.json faylını təmin edin +PublicAuthorAlias=İctimai müəllif ləqəbi +AvailableLanguagesAreDefinedIntoWebsiteProperties=Mövcud dillər veb sayt xüsusiyyətlərində müəyyən edilir +ReplacementDoneInXPages=Dəyişdirmə %s səhifələrində və ya konteynerlərdə həyata keçirilib +RSSFeed=RSS Lenti +RSSFeedDesc=Bu URL-dən istifadə edərək "blogpost" tipli ən son məqalələrin RSS lentini əldə edə bilərsiniz +PagesRegenerated=%s səhifə(lər)/konteyner(lər) bərpa edildi +RegenerateWebsiteContent=Veb sayt keş fayllarını bərpa edin +AllowedInFrames=Çərçivələrdə icazə verilir +DefineListOfAltLanguagesInWebsiteProperties=Veb sayt xüsusiyyətlərində bütün mövcud dillərin siyahısını müəyyənləşdirin. +GenerateSitemaps=Veb saytın sitemap.xml faylını yaradın +ConfirmGenerateSitemaps=Təsdiq etsəniz, mövcud sayt xəritəsi faylını siləcəksiniz... +ConfirmSitemapsCreation=Sayt xəritəsinin yaradılmasını təsdiqləyin +SitemapGenerated=Sayt xəritəsi faylı %s yaradıldı +ImportFavicon=Favikon +ErrorFaviconType=Favikon png olmalıdır +ErrorFaviconSize=Favikonun ölçüsü 16x16, 32x32 və ya 64x64 olmalıdır +FaviconTooltip=png (16x16, 32x32 və ya 64x64) olması lazım olan şəkli yükləyin +NextContainer=Növbəti səhifə/konteyner +PreviousContainer=Əvvəlki səhifə/konteyner +WebsiteMustBeDisabled=Vebsayt "%s" statusuna malik olmalıdır +WebpageMustBeDisabled=Veb səhifə "%s" statusuna malik olmalıdır +SetWebsiteOnlineBefore=Veb-sayt oflayn olduqda, bütün səhifələr oflayn olur. Əvvəlcə veb saytın statusunu dəyişdirin. +Booking=Rezervasyon +Reservation=Rezervasyon +PagesViewedPreviousMonth=Baxılan səhifələr (əvvəlki ay) +PagesViewedTotal=Baxılan səhifələr (cəmi) +Visibility=Görünüş +Everyone=Hər kəs +AssignedContacts=Təyin edilmiş kontaktlar +WebsiteTypeLabel=Veb saytın növü +WebsiteTypeDolibarrWebsite=Veb sayt (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portalı diff --git a/htdocs/langs/bg_BG/accountancy.lang b/htdocs/langs/bg_BG/accountancy.lang index 9368cc2319b..830842f3596 100644 --- a/htdocs/langs/bg_BG/accountancy.lang +++ b/htdocs/langs/bg_BG/accountancy.lang @@ -14,20 +14,20 @@ ACCOUNTING_EXPORT_ENDLINE=Изберете типа пренасяне на но ACCOUNTING_EXPORT_PREFIX_SPEC=Посочете префикса в името на файла ThisService=Тази услуга ThisProduct=Този продукт -DefaultForService=Default for services -DefaultForProduct=Default for products -ProductForThisThirdparty=Product for this thirdparty -ServiceForThisThirdparty=Service for this thirdparty +DefaultForService=По подразбиране за услуги +DefaultForProduct=По подразбиране за продукти +ProductForThisThirdparty=Продукт за тази трета страна +ServiceForThisThirdparty=Услуга за тази трета страна CantSuggest=Не може да се предложи AccountancySetupDoneFromAccountancyMenu=Повечето настройки на счетоводството се извършват от менюто %s -ConfigAccountingExpert=Configuration of the module accounting (double entry) +ConfigAccountingExpert=Конфигурация на модула Счетоводство (двоен запис) Journalization=Осчетоводяване Journals=Журнали JournalFinancial=Финансови журнали BackToChartofaccounts=Връщане към сметкоплана Chartofaccounts=Сметкоплан -ChartOfSubaccounts=Chart of individual accounts -ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger +ChartOfSubaccounts=График на индивидуалните сметки +ChartOfIndividualAccountsOfSubsidiaryLedger=План на отделните сметки на спомагателната книга CurrentDedicatedAccountingAccount=Текуща специална сметка AssignDedicatedAccountingAccount=Нова сметка за присвояване InvoiceLabel=Име за фактура @@ -37,66 +37,66 @@ OtherInfo=Друга информация DeleteCptCategory=Премахване на счетоводна сметка от група ConfirmDeleteCptCategory=Сигурни ли сте, че искате да премахнете тази счетоводна сметка от групата счетоводни сметки? JournalizationInLedgerStatus=Статус на осчетоводяване -AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger +AlreadyInGeneralLedger=Вече е прехвърлено към Счетоводство дневници и книга +NotYetInGeneralLedger=Все още не е прехвърлено към Счетоводство дневници и книга GroupIsEmptyCheckSetup=Групата е празна, проверете настройката на персонализираната счетоводна група DetailByAccount=Показване на детайли по сметка -DetailBy=Detail by +DetailBy=Детайл от AccountWithNonZeroValues=Сметки с различни от нула стойности ListOfAccounts=Списък на сметки CountriesInEEC=Държави в ЕИО CountriesNotInEEC=Държави извън ЕИО CountriesInEECExceptMe=Държави в ЕИО, с изключение на %s CountriesExceptMe=Всички държави с изключение на %s -AccountantFiles=Export source documents -ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). -ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. -ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. -VueByAccountAccounting=View by accounting account -VueBySubAccountAccounting=View by accounting subaccount +AccountantFiles=Експортирайте изходни документи +ExportAccountingSourceDocHelp=С този инструмент можете да търсите и експортирате изходните събития, които се използват за генериране на вашето счетоводство.
      Експортираният ZIP файл ще съдържа списъците с искани елементи в CSV, както и прикачените към тях файлове в оригиналния им формат (PDF, ODT, DOCX...). +ExportAccountingSourceDocHelp2=За да експортирате дневниците си, използвайте елемента от менюто %s - %s. +ExportAccountingProjectHelp=Посочете проект, ако имате нужда от Счетоводство отчет само за конкретен проект. Отчетите за разходите и плащанията по заеми не са включени в отчетите по проекта. +ExportAccountancy=Експортно счетоводство +WarningDataDisappearsWhenDataIsExported=Предупреждение, този списък съдържа само Счетоводство записи, които вече не са били експортирани (Експортиране Дата е празно). Ако искате да включите вече експортираните Счетоводство записи, щракнете върху бутона по-горе. +VueByAccountAccounting=Преглед от Счетоводство акаунт +VueBySubAccountAccounting=Преглед по Счетоводство подакаунт -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup -UserAccountNotDefined=Accounting account for user not defined in setup +MainAccountForCustomersNotDefined=Основна сметка (от сметкоплана) за клиенти, които не са дефинирани в настройката +MainAccountForSuppliersNotDefined=Основен акаунт (от сметкоплана) за доставчици, които не са дефинирани в настройката +MainAccountForUsersNotDefined=Основен акаунт (от сметкоплана) за потребители, които не са дефинирани в настройката +MainAccountForVatPaymentNotDefined=Сметка (от сметкоплана) за ДДС плащане не е дефинирана в настройката +MainAccountForSubscriptionPaymentNotDefined=Акаунт (от сметкоплана) за членство плащане не е дефиниран в настройката +MainAccountForRetainedWarrantyNotDefined=Сметка (от сметкоплана) за запазената гаранция, която не е дефинирана в настройката +UserAccountNotDefined=Счетоводство акаунт за потребител, който не е дефиниран в настройката AccountancyArea=Секция за счетоводство AccountancyAreaDescIntro=Използването на счетоводния модул се извършва на няколко стъпки: AccountancyAreaDescActionOnce=Следните действия се изпълняват обикновено само веднъж или веднъж годишно... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting +AccountancyAreaDescActionOnceBis=Трябва да направите следващите стъпки, за да ви спести време в бъдеще, като ви предложи автоматично правилния акаунт по подразбиране Счетоводство при прехвърляне на данни в Счетоводство AccountancyAreaDescActionFreq=Следните действия се изпълняват обикновено всеки месец, седмица или ден при много големи компании... -AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s +AccountancyAreaDescJournalSetup=СТЪПКА %s: Проверете съдържанието на вашия списък с дневници от менюто %s AccountancyAreaDescChartModel=СТЪПКА %s: Проверете дали съществува шаблон за сметкоплан или създайте такъв от меню %s AccountancyAreaDescChart=СТЪПКА %s: Изберете и / или попълнете вашият сметкоплан от меню %s +AccountancyAreaDescFiscalPeriod=СТЪПКА %s: Определете фискална година по подразбиране, в която да интегрирате вашите Счетоводство записи. За целта използвайте елемента от менюто %s. AccountancyAreaDescVat=СТЪПКА %s: Определете счетоводните сметки за всяка ставка на ДДС. За това използвайте менюто %s. AccountancyAreaDescDefault=СТЪПКА %s: Определете счетоводните сметки по подразбиране. За това използвайте менюто %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. +AccountancyAreaDescExpenseReport=СТЪПКА %s: Дефинирайте сметки по подразбиране Счетоводство за всеки тип отчет за разходите. За целта използвайте елемента от менюто %s. AccountancyAreaDescSal=СТЪПКА %s: Определете счетоводните сметки по подразбиране за плащане на заплати. За това използвайте менюто %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. +AccountancyAreaDescContrib=СТЪПКА %s: Дефинирайте сметки по подразбиране Счетоводство за данъци (специални разходи). За целта използвайте елемента от менюто %s. AccountancyAreaDescDonation=СТЪПКА %s: Определете счетоводните сметки по подразбиране за дарения. За това използвайте менюто %s. AccountancyAreaDescSubscription=СТЪПКА %s: Определете счетоводните сметки по подразбиране за членски внос. За това използвайте менюто %s. -AccountancyAreaDescMisc=СТЪПКА %s: Определете задължителната сметка по подразбиране и счетоводните сметки по подразбиране за различни транзакции. За това използвайте менюто %s. +AccountancyAreaDescMisc=СТЪПКА %s: Дефинирайте задължителни сметки по подразбиране и сметки по подразбиране Счетоводство за различни транзакции. За целта използвайте елемента от менюто %s. AccountancyAreaDescLoan=СТЪПКА %s: Определете счетоводните сметки по подразбиране за кредити. За това използвайте менюто %s. AccountancyAreaDescBank=СТЪПКА %s: Определете счетоводните сметки и кодът на журнала за всяка банка и финансови сметки. За това използвайте менюто %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. +AccountancyAreaDescProd=СТЪПКА %s: Дефинирайте Счетоводство акаунти във вашите Продукти/Услуги. За целта използвайте елемента от менюто %s. AccountancyAreaDescBind=СТЪПКА %s: Проверете обвързването между съществуващите %s реда и готовия счетоводен акаунт, така че системата да е в състояние да осчетоводи транзакции в главната счетоводна книга с едно кликване. Осъществете липсващите връзки. За това използвайте менюто %s. AccountancyAreaDescWriteRecords=СТЪПКА %s: Запишете транзакции в главната счетоводна книга. За това влезте в меню %s и кликнете върху бутон %s. -AccountancyAreaDescAnalyze=СТЪПКА %s: Добавете или променете съществуващите транзакции и генерирайте отчети и експортни данни. +AccountancyAreaDescAnalyze=STEP %s: Read reportings or generate export files for other bookkeepers. +AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't transfer anymore data in the same period in a future. -AccountancyAreaDescClosePeriod=СТЪПКА %s: Приключете периода, за да не може да се правят промени в бъдеще. - -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) +TheFiscalPeriodIsNotDefined=Задължителна стъпка в настройката не е завършена (фискалният период не е дефиниран) +TheJournalCodeIsNotDefinedOnSomeBankAccount=Задължителна стъпка в настройката не е завършена (Счетоводство журналът на кодове не е дефиниран за всички банкови сметки) Selectchartofaccounts=Изберете активен сметкоплан +CurrentChartOfAccount=Current active chart of account ChangeAndLoad=Променяне и зареждане Addanaccount=Добавяне на счетоводна сметка AccountAccounting=Счетоводна сметка @@ -105,10 +105,10 @@ SubledgerAccount=Счетоводна сметка SubledgerAccountLabel=Име на счетоводна сметка ShowAccountingAccount=Показване на счетоводна сметка ShowAccountingJournal=Показване на счетоводен журнал -ShowAccountingAccountInLedger=Show accounting account in ledger -ShowAccountingAccountInJournals=Show accounting account in journals -DataUsedToSuggestAccount=Data used to suggest account -AccountAccountingSuggest=Account suggested +ShowAccountingAccountInLedger=Показване на Счетоводство акаунт в книгата +ShowAccountingAccountInJournals=Показване на Счетоводство акаунт в дневниците +DataUsedToSuggestAccount=Данни, използвани за предлагане на акаунт +AccountAccountingSuggest=Предложен акаунт MenuDefaultAccounts=Сметки по подразбиране MenuBankAccounts=Банкови сметки MenuVatAccounts=Сметки за ДДС @@ -118,11 +118,11 @@ MenuLoanAccounts=Сметки за кредити MenuProductsAccounts=Сметки за продукти MenuClosureAccounts=Сметки за приключване MenuAccountancyClosure=Приключване -MenuExportAccountancy=Export accountancy +MenuExportAccountancy=Експортно счетоводство MenuAccountancyValidationMovements=Валидиране на движения ProductsBinding=Сметки за продукти TransferInAccounting=Прехвърляне към счетоводство -RegistrationInAccounting=Recording in accounting +RegistrationInAccounting=Запис в Счетоводство Binding=Обвързване към сметки CustomersVentilation=Обвързване на фактура за продажба SuppliersVentilation=Обвързване на фактура за доставка @@ -130,11 +130,11 @@ ExpenseReportsVentilation=Обвързващ на разходен отчет CreateMvts=Създаване на нова транзакция UpdateMvts=Променяне на транзакция ValidTransaction=Валидиране на транзакция -WriteBookKeeping=Record transactions in accounting +WriteBookKeeping=Записване на транзакции в Счетоводство Bookkeeping=Главна счетоводна книга -BookkeepingSubAccount=Subledger +BookkeepingSubAccount=Допълнителна книга AccountBalance=Салдо по сметка -AccountBalanceSubAccount=Sub-accounts balance +AccountBalanceSubAccount=Салдо по подсметки ObjectsRef=Обект № CAHTF=Обща покупка от доставчик преди ДДС TotalExpenseReport=Общ разходен отчет @@ -143,7 +143,7 @@ InvoiceLinesDone=Свързани редове на фактури ExpenseReportLines=Редове на разходни отчети за свързване ExpenseReportLinesDone=Свързани редове на разходни отчети IntoAccount=Свързване на ред със счетоводна сметка -TotalForAccount=Total accounting account +TotalForAccount=Общ Счетоводство акаунт Ventilate=Свързване @@ -159,7 +159,7 @@ NotVentilatedinAccount=Не е свързан със счетоводната с XLineSuccessfullyBinded=%s продукти / услуги успешно са свързани към счетоводна сметка XLineFailedToBeBinded=%s продукти / услуги, които не са свързани с нито една счетоводна сметка -ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50) +ACCOUNTING_LIMIT_LIST_VENTILATION=Максимален брой редове в списъка и страницата за свързване (препоръчително: 50) ACCOUNTING_LIST_SORT_VENTILATION_TODO=Започнете сортирането на страницата „За свързване“, използвайки най-новите елементи ACCOUNTING_LIST_SORT_VENTILATION_DONE=Започнете сортирането на страницата „Извършено свързване“, използвайки най-новите елементи @@ -170,84 +170,86 @@ ACCOUNTING_LENGTH_AACCOUNT=Дължина на счетоводните смет ACCOUNTING_MANAGE_ZERO=Разрешава управление на различен брой нули в края на счетоводна сметка. Необходимо е в някои страни като Швейцария. Ако е изключено (по подразбиране) може да зададете следните два параметъра, за да поискате от системата да добави виртуални нули. BANK_DISABLE_DIRECT_INPUT=Деактивиране на директно добавяне на транзакция в банкова сметка ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Активиране на експортиране на журнали в състояние на чернова -ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTANCY_COMBO_FOR_AUX=Активиране на комбиниран списък за дъщерна сметка (може да е бавно, ако имате много контрагенти, прекъснете възможността за търсене на част от стойността) +ACCOUNTING_DATE_START_BINDING=Деактивирайте обвързването и прехвърлянето в счетоводството, когато Дата е под това Дата (транзакциите преди това Дата ще бъдат изключени по подразбиране) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=На страницата за прехвърляне на данни в счетоводство какъв е периодът, избран по подразбиране -ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns -ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements +ACCOUNTING_SELL_JOURNAL=Дневник продажби - продажби и връщания +ACCOUNTING_PURCHASE_JOURNAL=Дневник за покупки - покупки и връщания +ACCOUNTING_BANK_JOURNAL=Касов дневник - приходни и разходни бележки ACCOUNTING_EXPENSEREPORT_JOURNAL=Журнал за разходни отчети -ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal +ACCOUNTING_MISCELLANEOUS_JOURNAL=Общ дневник ACCOUNTING_HAS_NEW_JOURNAL=Има нов журнал -ACCOUNTING_INVENTORY_JOURNAL=Inventory journal +ACCOUNTING_INVENTORY_JOURNAL=Инвентарен дневник ACCOUNTING_SOCIAL_JOURNAL=Журнал за данъци ACCOUNTING_RESULT_PROFIT=Счетоводна сметка за резултат (печалба) ACCOUNTING_RESULT_LOSS=Счетоводна сметка за резултат (загуба) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Журнал за приключване +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Счетоводство групи, използвани за балансовата сметка (разделени със запетая) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Счетоводство групи, използвани за отчета за доходите (разделени със запетая) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers +ACCOUNTING_ACCOUNT_TRANSFER_CASH=Сметка (от сметкоплана), която да се използва като сметка за преходни банкови преводи TransitionalAccount=Преходна сметка за банков превод -ACCOUNTING_ACCOUNT_SUSPENSE=Account (from the Chart Of Account) to be used as the account for unallocated funds either received or paid i.e. funds in "wait[ing]" -DONATION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register donations (Donation module) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ACCOUNTING_ACCOUNT_SUSPENSE=Сметка (от сметкоплана), която да се използва като сметка за неразпределени средства, получени или платени, т.е. средства в "чакане" +DONATION_ACCOUNTINGACCOUNT=Акаунт (от сметкоплана), който да се използва за регистриране на дарения (модул за дарения) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Акаунт (от сметкоплана), който да се използва за регистриране на абонаменти за членство (Модул за членство - ако членството е записано без фактура) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit -UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default -UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Accounting account by default to register customer retained warranty +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Сметка (от сметкоплана), която да се използва като сметка по подразбиране за регистриране на Клиент депозит +UseAuxiliaryAccountOnCustomerDeposit=Съхраняване на Клиент сметка като индивидуална сметка в дъщерна книга за редове с авансови плащания (ако е деактивирано, индивидуалната сметка за надолу плащане редове ще остане празен) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Сметка (от сметкоплана), която да се използва по подразбиране +UseAuxiliaryAccountOnSupplierDeposit=Съхранявайте акаунта на доставчика като индивидуален акаунт в дъщерна книга за редове с първоначални плащания (ако е деактивиран, индивидуалният акаунт за редовете плащане ще остане празен) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Счетоводство акаунт по подразбиране за регистриране на Клиент запазена гаранция -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Акаунт (от сметкоплана), който да се използва като акаунт по подразбиране за продуктите, закупени в същата държава (използва се, ако не е дефиниран в продуктовия лист) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Сметка (от сметкоплана), която да се използва като сметка по подразбиране за продуктите, закупени от ЕИО в друга държава от ЕИО (използва се, ако не е дефинирана в продуктовия лист) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Сметка (от сметкоплана), която да се използва като сметка по подразбиране за продуктите, закупени и внесени от всяка друга чужда държава (използвана, ако не е дефинирана в продуктовия лист) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Сметка (от сметкоплана), която да се използва като сметка по подразбиране за продадените продукти (използвана, ако не е дефинирана в продуктовия лист) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Сметка (от сметкоплана), която да се използва като сметка по подразбиране за продуктите, продавани от ЕИО в друга държава от ЕИО (използва се, ако не е дефинирана в продуктовия лист) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Сметка (от сметкоплана), която да се използва като сметка по подразбиране за продуктите, продадени и изнесени в друга чужда държава (използвана, ако не е дефинирана в продуктовия лист) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased within same country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=Акаунт (от сметкоплана), който да се използва като акаунт по подразбиране за услугите, закупени в рамките на същата държава (използва се, ако не е дефиниран в сервизния лист) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Сметка (от сметкоплана), която да се използва като сметка по подразбиране за услугите, закупени от ЕИО в друга държава от ЕИО (използва се, ако не е дефинирана в сервизния лист) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Сметка (от сметкоплана), която да се използва като сметка по подразбиране за услугите, закупени и внесени от друга чужда държава (използва се, ако не е дефинирана в сервизния лист) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=Сметка (от сметкоплана), която да се използва като сметка по подразбиране за продадените услуги (използва се, ако не е дефинирана в сервизния лист) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Сметка (от сметкоплана), която да се използва като сметка по подразбиране за услугите, продадени от ЕИО на друга държава от ЕИО (използва се, ако не е дефинирана в сервизния лист) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Акаунт (от сметкоплана), който да се използва като акаунт по подразбиране за услугите, продадени и изнесени в друга чужда държава (използва се, ако не е дефинирано в листа за услуги) Doctype=Вид документ Docdate=Дата Docref=Референция LabelAccount=Име на сметка LabelOperation=Име на операция -Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
      For an accounting account of a supplier, use Debit to record a payment you made +Sens=Посока +AccountingDirectionHelp=За Счетоводство акаунт на Клиент използвайте Кредит, за да запишете плащане сте получили
      За Счетоводство сметка на доставчик, използвайте Debit, за да запишете плащане направихте LetteringCode=Буквен код Lettering=Означение Codejournal=Журнал JournalLabel=Име на журнал NumPiece=Пореден номер TransactionNumShort=Транзакция № -AccountingCategory=Custom group of accounts -AccountingCategories=Custom groups of accounts -GroupByAccountAccounting=Group by general ledger account -GroupBySubAccountAccounting=Group by subledger account +AccountingCategory=Персонализирана група акаунти +AccountingCategories=Персонализирани групи акаунти +GroupByAccountAccounting=Групиране по сметка в главната книга +GroupBySubAccountAccounting=Групиране по сметка на вторична книга AccountingAccountGroupsDesc=Тук може да определите някои групи счетоводни сметки. Те ще бъдат използвани за персонализирани счетоводни отчети. ByAccounts=По сметки ByPredefinedAccountGroups=По предварително определени групи ByPersonalizedAccountGroups=По персонализирани групи ByYear=По година NotMatch=Не е зададено -DeleteMvt=Delete some lines from accounting +DeleteMvt=Изтрийте някои редове от Счетоводство DelMonth=Месец за изтриване DelYear=Година за изтриване DelJournal=Журнал за изтриване -ConfirmDeleteMvt=This will delete all lines in accountancy for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) +ConfirmDeleteMvt=Това ще изтрие всички редове в счетоводството за годината/месеца и/или за конкретен дневник (Изисква се поне един критерий). Ще трябва да използвате повторно функцията „%s“, за да върнете изтрития запис обратно в книгата. +ConfirmDeleteMvtPartial=Това ще изтрие транзакцията от Счетоводство (всички редове, свързани със същата транзакция, ще бъдат изтрити) FinanceJournal=Финансов журнал ExpenseReportsJournal=Журнал за разходни отчети -InventoryJournal=Inventory journal +InventoryJournal=Инвентарен дневник DescFinanceJournal=Финансов журнал, включващ всички видове плащания по банкова сметка -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. +DescJournalOnlyBindedVisible=Това е изглед на запис, който е обвързан с Счетоводство акаунт и може да бъде записан в дневниците и книгата. VATAccountNotDefined= Не е определена сметка за ДДС ThirdpartyAccountNotDefined=Не е определена сметка за контрагент ProductAccountNotDefined=Не е определена сметка за продукт @@ -265,68 +267,68 @@ DescThirdPartyReport=Преглед на списъка с клиенти и д ListAccounts=Списък на счетоводни сметки UnknownAccountForThirdparty=Неизвестна сметна на контрагент. Ще използваме %s UnknownAccountForThirdpartyBlocking=Неизвестна сметка на контрагент. Блокираща грешка. -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Акаунтът на вторична книга не е дефиниран или трета страна или потребител е неизвестен. Ще използваме %s ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Неизвестен контрагент или недефинирана счетоводна сметка за това плащане. Ще запазим счетоводната сметка без стойност. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger account not defined or third party or user unknown. Blocking error. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Акаунтът на вторична книга не е дефиниран или трета страна или потребител е неизвестен. Грешка при блокиране. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Неизвестна сметка на контрагент и сметка за изчакване не са определени. Блокираща грешка. PaymentsNotLinkedToProduct=Плащането не е свързано с нито един продукт / услуга OpeningBalance=Начално салдо ShowOpeningBalance=Показване на баланс при откриване HideOpeningBalance=Скриване на баланс при откриване -ShowSubtotalByGroup=Show subtotal by level +ShowSubtotalByGroup=Показване на междинна сума по ниво Pcgtype=Група от сметки PcgtypeDesc=Групата от сметки се използва като предварително зададен критерий за филтриране и групиране за някои счетоводни отчети. Например 'Приход' или 'Разход' се използват като групи за счетоводни сметки на продукти за съставяне на отчет за разходи / приходи. -AccountingCategoriesDesc=Custom group of accounts can be used to group accounting accounts into one name to ease filter use or building of custom reports. +AccountingCategoriesDesc=Персонализирана група от акаунти може да се използва за групиране на Счетоводство акаунти в едно име, за да се улесни използването на филтри или изграждането на персонализирани отчети. Reconcilable=Съвместим TotalVente=Общ оборот преди ДДС TotalMarge=Общ марж на продажби -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account -DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product account from chart of account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account -ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: +DescVentilCustomer=Вижте тук списъка с Фактура редове, обвързани (или не) към продуктова сметка от сметкоплана +DescVentilMore=В повечето случаи, ако използвате предварително дефинирани продукти или услуги и зададете акаунта (от сметкоплана) на картата на продукта/услугата, приложението ще може да направи всички обвързвания между вашите редове във фактурата и Счетоводство сметка на вашия сметкоплан, само с едно кликване с бутона "%s" . Ако акаунтът не е зададен на картите за продукти/услуги или ако все още имате някои редове, които не са обвързани с акаунт, ще трябва да направите ръчно обвързване от менюто "%s". +DescVentilDoneCustomer=Консултирайте се тук със списъка на редовете на клиентите на фактурите и тяхната продуктова сметка от сметкоплана +DescVentilTodoCustomer=Свържете редовете на фактурите, които все още не са обвързани с продуктова сметка от сметкоплана +ChangeAccount=Променете сметката за продукт/услуга (от сметкоплан) за избраните редове със следната сметка: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Консултирайте се тук със списъка с редове за фактури на доставчика, обвързани или все още необвързани с продуктова сметка от сметкоплана (виждат се само записи, които не са вече прехвърлени в счетоводството) DescVentilDoneSupplier=Преглед на списъка с редове на фактури за доставка и тяхната счетоводна сметка DescVentilTodoExpenseReport=Свържете редове на разходни отчети, които все още не са свързани със счетоводна сметка за такса DescVentilExpenseReport=Преглед на списъка с редове на разходни отчети, свързани (или не) със счетоводна сметка за такса DescVentilExpenseReportMore=Ако настроите счетоводна сметка за видовете разходен отчет, то системата ще може да извърши всички свързвания между редовете на разходния отчет и счетоводната сметка във вашия сметкоплан, просто с едно щракване с бутона "%s". Ако сметката не е зададена в речника с таксите или ако все още имате някои редове, които не са свързани с нито една сметка ще трябва да направите ръчно свързване от менюто "%s". DescVentilDoneExpenseReport=Преглед на списъка с редове на разходни отчети и тяхната счетоводна сметка за такса -Closure=Annual closure -DescClosure=Consult here the number of movements by month not yet validated & locked -OverviewOfMovementsNotValidated=Overview of movements not validated and locked -AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked -ValidateMovements=Validate and lock movements +Closure=Годишно закриване +AccountancyClosureStep1Desc=Вижте тук броя на движенията по месеци, които все още не са валидирани и заключени +OverviewOfMovementsNotValidated=Преглед на движенията не са валидирани и заключени +AllMovementsWereRecordedAsValidated=Всички движения бяха записани като валидирани и заключени +NotAllMovementsCouldBeRecordedAsValidated=Не всички движения могат да бъдат записани като валидирани и заключени +ValidateMovements=Потвърждавам и заключващи движения DescValidateMovements=Всякакви промени или изтриване на написаното ще бъдат забранени. Всички записи за изпълнение трябва да бъдат валидирани, в противен случай приключването няма да е възможно. ValidateHistory=Автоматично свързване -AutomaticBindingDone=Automatic bindings done (%s) - Automatic binding not possible for some record (%s) -DoManualBindingForFailedRecord=You have to do a manual link for the %s row(s) not linked automatically. +AutomaticBindingDone=Извършени са автоматични обвързвания (%s) - Автоматичното обвързване не е възможно за някои записи (%s) +DoManualBindingForFailedRecord=Трябва да направите ръчно свързване за %s ред(ове), които не са свързани автоматично. -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s & Credit = %s +ErrorAccountancyCodeIsAlreadyUse=Грешка, не можете да премахнете или деактивирате този акаунт или сметкоплан, защото се използва +MvtNotCorrectlyBalanced=Движението не е правилно балансирано. Дебит = %s & Кредит = %s Balancing=Балансиране FicheVentilation=Свързваща карта GeneralLedgerIsWritten=Транзакциите са записани в главната счетоводна книга GeneralLedgerSomeRecordWasNotRecorded=Някои от транзакциите не бяха осчетоводени. Ако няма друго съобщение за грешка, то това вероятно е, защото те вече са били осчетоводени. -NoNewRecordSaved=No more record to transfer -ListOfProductsWithoutAccountingAccount=List of products not bound to any account of chart of account +NoNewRecordSaved=Няма повече запис за прехвърляне +ListOfProductsWithoutAccountingAccount=Списък с продукти, които не са обвързани с никоя сметка или сметкоплан ChangeBinding=Промяна на свързване Accounted=Осчетоводено в книгата -NotYetAccounted=Not yet transferred to accounting +NotYetAccounted=Все още не е прехвърлено към Счетоводство ShowTutorial=Показване на урок NotReconciled=Не е съгласувано -WarningRecordWithoutSubledgerAreExcluded=Warning, all lines without subledger account defined are filtered and excluded from this view -AccountRemovedFromCurrentChartOfAccount=Accounting account that does not exist in the current chart of accounts +WarningRecordWithoutSubledgerAreExcluded=Предупреждение, всички редове без дефинирана сметка на вторична книга се филтрират и изключват от този изглед +AccountRemovedFromCurrentChartOfAccount=Счетоводство сметка, която не съществува в текущия сметкоплан ## Admin -BindingOptions=Binding options +BindingOptions=Опции за обвързване ApplyMassCategories=Прилагане на масови категории AddAccountFromBookKeepingWithNoCategories=Наличната сметка не е част от персонализирана група CategoryDeleted=Категорията за счетоводната сметка е премахната @@ -341,31 +343,33 @@ AccountingJournalType3=Покупки AccountingJournalType4=Банка AccountingJournalType5=Разходни отчети AccountingJournalType8=Инвентар -AccountingJournalType9=Има нови -GenerationOfAccountingEntries=Generation of accounting entries +AccountingJournalType9=Неразпределена печалба +GenerationOfAccountingEntries=Генериране на Счетоводство записи ErrorAccountingJournalIsAlreadyUse=Този журнал вече се използва AccountingAccountForSalesTaxAreDefinedInto=Бележка: Счетоводната сметка за данък върху продажбите е дефинирана в меню %s - %s NumberOfAccountancyEntries=Брой записи NumberOfAccountancyMovements=Брой движения -ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting -ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. -ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user -OptionsAdvanced=Advanced options -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_DISABLE_BINDING_ON_SALES=Деактивирайте обвързването и прехвърлянето в счетоводството при продажбите (Клиент фактурите няма да бъдат взети предвид в Счетоводство) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Деактивирайте обвързването и прехвърлянето в счетоводството при покупки (фактурите на доставчици няма да бъдат взети предвид в Счетоводство) +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Деактивирайте обвързването и прехвърлянето в счетоводството на отчетите за разходите (отчетите за разходите няма да бъдат взети предвид в Счетоводство) +ACCOUNTING_ENABLE_LETTERING=Активирайте функцията за букви в Счетоводство +ACCOUNTING_ENABLE_LETTERING_DESC=Когато тази опция е активирана, можете да дефинирате за всеки Счетоводство запис код, така че да можете да групирате различни Счетоводство движения заедно. В миналото, когато различните дневници се управляваха независимо, тази функция беше необходима за групиране на линиите за движение на различни дневници заедно. Въпреки това, с Dolibarr accountancy, такъв код за проследяване, наречен "%s" вече е запазен автоматично, така че вече е направено автоматично надписване, без риск от грешка, така че тази функция е станала безполезна за обща употреба. Функцията за ръчно надписване е предоставена за крайни потребители, които наистина нямат доверие на компютърната машина, извършваща прехвърлянето на данни в счетоводството. +EnablingThisFeatureIsNotNecessary=Активирането на тази функция вече не е необходимо за стриктно Счетоводство управление. +ACCOUNTING_ENABLE_AUTOLETTERING=Активирайте автоматичното надписване при прехвърляне към Счетоводство +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Кодът за надписа е автоматично генериран и увеличен и не е избран от крайния потребител +ACCOUNTING_LETTERING_NBLETTERS=Брой букви при генериране на буквен код (по подразбиране 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Някои Счетоводство софтуери приемат само двубуквен код. Този параметър ви позволява да зададете този аспект. Броят на буквите по подразбиране е три. +OptionsAdvanced=Разширени опции +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Активирайте управлението на обратното начисляване на ДДС при покупки от доставчик +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Когато тази опция е активирана, можете да дефинирате, че дадена фактура на доставчик или даден доставчик трябва да бъде прехвърлена в счетоводството по различен начин: Допълнителна дебитна и кредитна линия ще бъдат генерирани в Счетоводство на 2 дадени сметки от сметкоплана, дефинирани в страницата за настройка на „%s“. ## Export -NotExportLettering=Do not export the lettering when generating the file -NotifiedExportDate=Flag not yet exported lines as Exported (to modify a line flagged as exported, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries not yet already locked (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) -NotifiedExportFull=Export documents ? -DateValidationAndLock=Date validation and lock -ConfirmExportFile=Confirmation of the generation of the accounting export file ? +NotExportLettering=Не експортирайте буквите, когато генерирате файла +NotifiedExportDate=Маркирайте все още неекспортираните редове като експортирани (за промени ред, маркиран като експортиран, ще трябва да изтриете цялата транзакция и прехвърлете го отново в Счетоводство) +NotifiedValidationDate=Потвърждавам и заключване на експортираните записи, които все още не са заключени (същия ефект като "%s " промяната и изтриването на редовете КАТЕГОРИЧНО няма да бъдат възможни) +NotifiedExportFull=Експортиране на документи? +DateValidationAndLock=Дата проверка и заключване +ConfirmExportFile=Потвърждение за генерирането на файла за експортиране на Счетоводство? ExportDraftJournal=Експортиране на журнал в чернова Modelcsv=Модел на експортиране Selectmodelcsv=Изберете модел на експортиране @@ -373,28 +377,28 @@ Modelcsv_normal=Класическо експортиране Modelcsv_CEGID=Експортиране за CEGID Expert Comptabilité Modelcsv_COALA=Експортиране за Sage Coala Modelcsv_bob50=Експортиране за Sage BOB 50 -Modelcsv_ciel=Export for Sage50, Ciel Compta or Compta Evo. (Format XIMPORT) +Modelcsv_ciel=Експорт за Sage50, Ciel Compta или Compta Evo. (Формат XIMPORT) Modelcsv_quadratus=Експортиране за Quadratus QuadraCompta Modelcsv_ebp=Експортиране за EBP Modelcsv_cogilog=Експортиране за Cogilog -Modelcsv_agiris=Export for Agiris Isacompta +Modelcsv_agiris=Експорт за Agiris Isacompta Modelcsv_LDCompta=Експортиране за LD Compta (v9) (тест) Modelcsv_LDCompta10=Експортиране за LD Compta (v10 и по-нова) Modelcsv_openconcerto=Експортиране за OpenConcerto (Тест) Modelcsv_configurable=Експортиране в конфигурируем CSV Modelcsv_FEC=Експортиране за FEC -Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed) +Modelcsv_FEC2=Експортиране на FEC (с писане на генериране на дати / обърнат документ) Modelcsv_Sage50_Swiss=Експортиране за Sage 50 Швейцария -Modelcsv_winfic=Export for Winfic - eWinfic - WinSis Compta -Modelcsv_Gestinumv3=Export for Gestinum (v3) -Modelcsv_Gestinumv5=Export for Gestinum (v5) -Modelcsv_charlemagne=Export for Aplim Charlemagne +Modelcsv_winfic=Експортиране за Winfic - eWinfic - WinSis Compta +Modelcsv_Gestinumv3=Експортиране за Gestinum (v3) +Modelcsv_Gestinumv5=Експортиране за Gestinum (v5) +Modelcsv_charlemagne=Износ за Aplim Charlemagne ChartofaccountsId=Идентификатор на сметкоплан ## Tools - Init accounting account on product / service InitAccountancy=Инициализиране на счетоводство InitAccountancyDesc=Тази страница може да се използва за инициализиране на счетоводна сметка за продукти и услуги, за които няма определена счетоводна сметка за продажби и покупки. -DefaultBindingDesc=This page can be used to set the default accounts (from the chart of account) to use to link business objects with an account, like payment salaries, donation, taxes and VAT, when no specific account were already set. +DefaultBindingDesc=Тази страница може да се използва за задаване на сметки по подразбиране (от сметкоплана), които да се използват за свързване на бизнес обекти с акаунт, като плащане заплати, дарения, данъци и ДДС, когато вече не е зададен конкретен акаунт. DefaultClosureDesc=Тази страница може да се използва за задаване на параметри, използвани за счетоводни приключвания. Options=Опции OptionModeProductSell=Режим продажби @@ -420,37 +424,51 @@ SaleLocal=Локална продажба SaleExport=Експортна продажба SaleEEC=Вътреобщностна продажба SaleEECWithVAT=Продажба в ЕИО с ДДС различен от нула, за която се предполага, че НЕ е вътреобщностна продажба, поради тази причина се препоръчва стандартната сметка за продукти. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. -ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. -ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. +SaleEECWithoutVATNumber=Продажба в ЕИО без ДДС, но идентификационният номер по ДДС на трета страна не е дефиниран. Връщаме се към акаунта за стандартни продажби. Можете да коригирате идентификационния номер по ДДС на третата страна или да промените продуктовия акаунт, предложен за обвързване, ако е необходимо. +ForbiddenTransactionAlreadyExported=Забранено: Транзакцията е валидирана и/или експортирана. +ForbiddenTransactionAlreadyValidated=Забранено: Транзакцията е потвърдена. ## Dictionary Range=Обхват на счетоводна сметка Calculated=Изчислено Formula=Формула ## Reconcile -LetteringAuto=Reconcile auto -LetteringManual=Reconcile manual -Unlettering=Unreconcile -UnletteringAuto=Unreconcile auto -UnletteringManual=Unreconcile manual -AccountancyNoLetteringModified=No reconcile modified -AccountancyOneLetteringModifiedSuccessfully=One reconcile successfully modified -AccountancyLetteringModifiedSuccessfully=%s reconcile successfully modified -AccountancyNoUnletteringModified=No unreconcile modified -AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified -AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +LetteringAuto=Съгласуване авто +LetteringManual=Ръководство за съгласуване +Unlettering=Непримирими +UnletteringAuto=Несъгласувани авт +UnletteringManual=Ръководство за несъгласуване +AccountancyNoLetteringModified=Без промяна на съгласуването +AccountancyOneLetteringModifiedSuccessfully=Едно съгласуване е успешно променено +AccountancyLetteringModifiedSuccessfully=%s съгласуване успешно променено +AccountancyNoUnletteringModified=Без промяна на несъгласуваността +AccountancyOneUnletteringModifiedSuccessfully=Едно несъгласуване успешно модифицирано +AccountancyUnletteringModifiedSuccessfully=%s несъгласуване успешно променено + +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period +AccountancyClosureStep3=Стъпка 3: Извличане на записи (по избор) +AccountancyClosureClose=Затворен фискален период +AccountancyClosureAccountingReversal=Извлечете и запишете записи „Неразпределени печалби“. +AccountancyClosureStep3NewFiscalPeriod=Следващ фискален период +AccountancyClosureGenerateClosureBookkeepingRecords=Генерирайте записи „Неразпределени печалби“ за следващия фискален период +AccountancyClosureSeparateAuxiliaryAccounts=Когато генерирате записите „Неразпределени печалби“, уточнете подробните сметки +AccountancyClosureCloseSuccessfully=Фискалният период е затворен успешно +AccountancyClosureInsertAccountingReversalSuccessfully=Счетоводните записи за „Неразпределени печалби“ са вмъкнати успешно ## Confirm box -ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation -ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? +ConfirmMassUnletteringAuto=Групово автоматично потвърждение за несъгласуване +ConfirmMassUnletteringManual=Групово ръчно потвърждение за несъгласуване +ConfirmMassUnletteringQuestion=Сигурни ли сте, че искате, за да развалите съгласуването на %s избран(и) запис(и)? ConfirmMassDeleteBookkeepingWriting=Потвърждение за масово изтриване -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +ConfirmMassDeleteBookkeepingWritingQuestion=Това ще изтрие транзакцията от Счетоводство (всички записи в редове, свързани със същата транзакция, ще бъдат изтрити). Сигурни ли сте, че искате да изтриете избраните %s записи? +AccountancyClosureConfirmClose=Сигурни ли сте, че искате да затворите текущия фискален период? Разбирате, че затварянето на фискалния период е необратимо действие и ще блокира за постоянно всяка промяна или изтриване на записи през този период . +AccountancyClosureConfirmAccountingReversal=Сигурни ли сте, че искате за записване на записи за „Неразпределени печалби“? ## Error SomeMandatoryStepsOfSetupWereNotDone=Някои задължителни стъпки за настройка не са направени, моля изпълнете ги. -ErrorNoAccountingCategoryForThisCountry=Няма налична група счетоводни сметки за държава %s (Вижте Начално -> Настройка -> Речници) +ErrorNoAccountingCategoryForThisCountry=Няма налична Счетоводство група акаунти за държава %s (Вижте %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Опитвате се да осчетоводите някои редове на фактура %s, но някои други редове все още не са свързани към счетоводна сметка. Осчетоводяването на всички редове във фактурата е отхвърлено. ErrorInvoiceContainsLinesNotYetBoundedShort=Някои редове във фактурата не са свързани със счетоводна сметка. ExportNotSupported=Настроеният формат за експортиране не се поддържа в тази страница @@ -459,39 +477,42 @@ NoJournalDefined=Няма определен журнал Binded=Свързани редове ToBind=Редове за свързване UseMenuToSetBindindManualy=Редовете все още не са свързани, използвайте меню %s, за да направите връзката ръчно -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Note: this module or page is not completely compatible with the experimental feature of situation invoices. Some data may be wrong. -AccountancyErrorMismatchLetterCode=Mismatch in reconcile code -AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 -AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s -ErrorAccountNumberAlreadyExists=The accounting number %s already exists -ErrorArchiveAddFile=Can't put "%s" file in archive +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Забележка: този модул или страница не са напълно съвместими с експерименталната функция на ситуационни фактури. Някои данни може да са грешни. +AccountancyErrorMismatchLetterCode=Несъответствие в кода за съгласуване +AccountancyErrorMismatchBalanceAmount=Балансът (%s) не е равен на 0 +AccountancyErrorLetteringBookkeeping=Възникнали са грешки относно транзакциите: %s +ErrorAccountNumberAlreadyExists=Номерът Счетоводство %s вече съществува +ErrorArchiveAddFile=Файлът „%s“ не може да бъде поставен в архив +ErrorNoFiscalPeriodActiveFound=Няма намерен активен фискален период +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Счетоводният документ Дата не е в активния фискален период +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Счетоводният документ Дата е в затворен фискален период ## Import ImportAccountingEntries=Счетоводни записи -ImportAccountingEntriesFECFormat=Accounting entries - FEC format -FECFormatJournalCode=Code journal (JournalCode) -FECFormatJournalLabel=Label journal (JournalLib) -FECFormatEntryNum=Piece number (EcritureNum) -FECFormatEntryDate=Piece date (EcritureDate) -FECFormatGeneralAccountNumber=General account number (CompteNum) -FECFormatGeneralAccountLabel=General account label (CompteLib) -FECFormatSubledgerAccountNumber=Subledger account number (CompAuxNum) -FECFormatSubledgerAccountLabel=Subledger account number (CompAuxLib) -FECFormatPieceRef=Piece ref (PieceRef) -FECFormatPieceDate=Piece date creation (PieceDate) -FECFormatLabelOperation=Label operation (EcritureLib) -FECFormatDebit=Debit (Debit) -FECFormatCredit=Credit (Credit) -FECFormatReconcilableCode=Reconcilable code (EcritureLet) -FECFormatReconcilableDate=Reconcilable date (DateLet) -FECFormatValidateDate=Piece date validated (ValidDate) -FECFormatMulticurrencyAmount=Multicurrency amount (Montantdevise) -FECFormatMulticurrencyCode=Multicurrency code (Idevise) +ImportAccountingEntriesFECFormat=Счетоводство записи - FEC формат +FECFormatJournalCode=Журнал за кодове (JournalCode) +FECFormatJournalLabel=Етикет дневник (JournalLib) +FECFormatEntryNum=Номер на част (EcritureNum) +FECFormatEntryDate=Парче Дата (EcritureDate) +FECFormatGeneralAccountNumber=Общ номер на сметка (CompteNum) +FECFormatGeneralAccountLabel=Общ етикет на акаунт (CompteLib) +FECFormatSubledgerAccountNumber=Номер на сметката на допълнителна книга (CompAuxNum) +FECFormatSubledgerAccountLabel=Номер на сметката в допълнителна книга (CompAuxLib) +FECFormatPieceRef=Реф. парче (PieceRef) +FECFormatPieceDate=Създаване на част Дата (PieceDate) +FECFormatLabelOperation=Операция с етикет (EcritureLib) +FECFormatDebit=Дебит (дебит) +FECFormatCredit=Кредит (Кредит) +FECFormatReconcilableCode=Съвместим код (EcritureLet) +FECFormatReconcilableDate=Съвместими Дата (DateLet) +FECFormatValidateDate=Част Дата потвърдена (ValidDate) +FECFormatMulticurrencyAmount=Сума в няколко валути (Montantdevise) +FECFormatMulticurrencyCode=Код за няколко валути (Idevise) DateExport=Дата на експортиране -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contain transactions modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. +WarningReportNotReliable=Предупреждение, този отчет не се основава на книгата, така че не съдържа транзакции, модифицирани ръчно в книгата. Ако вашата журнализация е до Дата, счетоводният изглед е по-точен. ExpenseReportJournal=Журнал за разходни отчети -DocsAlreadyExportedAreIncluded=Docs already exported are included -ClickToShowAlreadyExportedLines=Click to show already exported lines +DocsAlreadyExportedAreIncluded=Включени са вече експортирани документи +ClickToShowAlreadyExportedLines=Кликнете, за да покажете вече експортираните линии -NAccounts=%s accounts +NAccounts=%s акаунти diff --git a/htdocs/langs/bg_BG/admin.lang b/htdocs/langs/bg_BG/admin.lang index cee702a1170..cede4e94b38 100644 --- a/htdocs/langs/bg_BG/admin.lang +++ b/htdocs/langs/bg_BG/admin.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - admin -BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF -BoldLabelOnPDF=Print label of product item in Bold in PDF +BoldRefAndPeriodOnPDF=Отпечатайте референция и период на продуктова позиция в PDF +BoldLabelOnPDF=Отпечатайте етикет на продуктов артикул с удебелен шрифт в PDF Foundation=Организация Version=Версия Publisher=Издател @@ -39,35 +39,35 @@ UnlockNewSessions=Разрешаване на свързването YourSession=Вашата сесия Sessions=Потребителски сесии WebUserGroup=Уеб сървър потребител / група -PermissionsOnFiles=Permissions on files -PermissionsOnFilesInWebRoot=Permissions on files in web root directory -PermissionsOnFile=Permissions on file %s +PermissionsOnFiles=права на файлове +PermissionsOnFilesInWebRoot=права на файлове в основната уеб директория +PermissionsOnFile=права във файл %s NoSessionFound=Изглежда, че вашата PHP конфигурация не позволява изброяване на активни сесии. Директорията, използвана за запазване на сесии ( %s ), може да е защитена (например от права на операционната система или от директивата PHP open_basedir). DBStoringCharset=Кодиране на знаците при съхраняване в базата данни DBSortingCharset=Кодиране на знаците при сортиране в базата данни -HostCharset=Host charset +HostCharset=Хост набор от знаци ClientCharset=Кодиране от страна на клиента ClientSortingCharset=Съпоставяне от страна на клиента WarningModuleNotActive=Модул %s е необходимо да бъде включен WarningOnlyPermissionOfActivatedModules=Само разрешения, свързани с активните модули са показани тук. Може да активирате други модули в страницата Начало -> Настройки -> Модули / Приложения DolibarrSetup=Dolibarr инсталиране / обновяване -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=Надграждане на Dolibarr +DolibarrAddonInstall=Инсталация на Addon/Външни модули (качени или генерирани) InternalUsers=Вътрешни потребители ExternalUsers=Външни потребители -UserInterface=User interface +UserInterface=Потребителски интерфейс GUISetup=Интерфейс SetupArea=Настройки UploadNewTemplate=Качване на нов(и) шаблон(и) FormToTestFileUploadForm=Формуляр за тестване на качването на файлове (според настройката) -ModuleMustBeEnabled=The module/application %s must be enabled -ModuleIsEnabled=The module/application %s has been enabled +ModuleMustBeEnabled=Модулът/Приложението %sтрябва да е активиран. +ModuleIsEnabled=Модулът/Приложението %sе активирано IfModuleEnabled=Забележка: Ефективно е само ако модула %s е активиран RemoveLock=Премахнете / преименувайте файла %s, ако съществува, за да разрешите използването на инструмента за инсталиране / актуализиране. RestoreLock=Възстановете файла %s с права само за четене, за да забраните по-нататъшното използване на инструмента за инсталиране / актуализиране. SecuritySetup=Настройки на сигурността -PHPSetup=PHP setup -OSSetup=OS setup +PHPSetup=PHP настройки +OSSetup=Настройка на ОС SecurityFilesDesc=Дефинирайте тук параметрите, свързани със сигурността, относно качването на файлове. ErrorModuleRequirePHPVersion=Грешка, този модул изисква PHP версия %s или по-висока. ErrorModuleRequireDolibarrVersion=Грешка, този модул изисква Dolibarr версия %s или по-висока. @@ -77,21 +77,21 @@ Dictionary=Речници ErrorReservedTypeSystemSystemAuto=Стойностите "system" и "systemauto" за тип са резервирани. Може да използвате "user" като стойност, за да добавите свой собствен запис. ErrorCodeCantContainZero=Кодът не може да съдържа стойност 0 DisableJavascript=Изключване на Java скрипт и Ajax функции -DisableJavascriptNote=Note: For test or debug purpose only. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user +DisableJavascriptNote=Бележка: Само за тестване или отстраняване на грешки. За оптимизиране за незрящи хора или текствои браузъри може да използвате настройките за профила на потребителя. UseSearchToSelectCompanyTooltip=Също така, ако имате голям брой контрагенти (> 100 000) може да увеличите скоростта като зададете стойност 1 за константата COMPANY_DONOTSEARCH_ANYWHERE в Настройки -> Други настройки. След това търсенето ще бъде ограничено до началото на низ. UseSearchToSelectContactTooltip=Също така, ако имате голям брой контакти (> 100 000) може да увеличите скоростта като зададете стойност 1 за константата CONTACT_DONOTSEARCH_ANYWHERE в Настройки -> Други настройки. След това търсенето ще бъде ограничено до началото на низ. DelaiedFullListToSelectCompany=Изчаква натискането на клавиш, преди да зареди съдържание в списъка с контрагенти.
      Това може да увеличи производителността, ако имате голям брой контрагенти, но е по-малко удобно. -DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list.
      This may increase performance if you have a large number of contacts, but it is less convenient. +DelaiedFullListToSelectContact=Изчакайте, докато бъде натиснат клавиш, преди да заредите съдържанието на комбинирания списък с контакти.
      Това може да увеличи производителността, ако имате голям брой контакти, но е по-малко удобно. NumberOfKeyToSearch=Брой знаци предизвикващи търсене: %s NumberOfBytes=Брой байтове SearchString=Низ за търсене NotAvailableWhenAjaxDisabled=Не е налице, когато Ajax е деактивиран AllowToSelectProjectFromOtherCompany=В документ на контрагент може да бъде избран проект, свързан с друг контрагент -TimesheetPreventAfterFollowingMonths=Prevent recording time spent after the following number of months +TimesheetPreventAfterFollowingMonths=Предотвратяване на времето за записване след следния брой месеци JavascriptDisabled=JavaScript е деактивиран UsePreviewTabs=Използвайте разделите за преглед ShowPreview=Показване на преглед -ShowHideDetails=Show-Hide details +ShowHideDetails=Покажи-Скрий детайли PreviewNotAvailable=Прегледът не е налице ThemeCurrentlyActive=Темата е активна в момента MySQLTimeZone=Времева зона на MySql (база данни) @@ -106,10 +106,10 @@ NextValueForInvoices=Следваща стойност (фактури) NextValueForCreditNotes=Следваща стойност (кредитни известия) NextValueForDeposit=Следваща стойност (авансови плащания) NextValueForReplacements=Следваща стойност (замествания) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Забележка: вашата PHP конфигурация в момента ограничава максималния размер на файловете за качване до %s
      %s, независимо от стойността на този параметър NoMaxSizeByPHPLimit=Забележка: Не е зададено ограничение във вашата PHP конфигурация MaxSizeForUploadedFiles=Максимален размер за качени файлове (0 за забрана на качването) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page and some public pages +UseCaptchaCode=Използвайте графичен код (CAPTCHA) на страницата за вход и някои публични страници AntiVirusCommand=Пълен път към антивирусна команда AntiVirusCommandExample=Пример за ClamAv Daemon (изисква clamav-daemon): /usr/bin/clamdscan
      Пример за ClamWin (много забавящ): C:\\Progra~1\\ClamWin\\bin\\clamscan.exe AntiVirusParam= Още параметри в командния ред @@ -120,7 +120,7 @@ MultiCurrencySetup=Настройки на различни валути MenuLimits=Граници и точност MenuIdParent=Идентификатор на основно меню DetailMenuIdParent=Идентификатор на основно меню (празно за главно меню) -ParentID=Parent ID +ParentID=ID на родител DetailPosition=Номер за сортиране, за определяне на позицията на менюто AllMenus=Всички NotConfigured=Модулът / приложението не е конфигуриран(о) @@ -147,7 +147,7 @@ Box=Джаджа Boxes=Джаджи MaxNbOfLinesForBoxes=Максимален брой редове за джаджи AllWidgetsWereEnabled=Всички налични джаджи са активирани -WidgetAvailable=Widget available +WidgetAvailable=Налична джаджа PositionByDefault=Позиция по подразбиране Position=Позиция MenusDesc=Меню мениджърите определят съдържанието на двете ленти с менюта (хоризонтална и вертикална). @@ -162,8 +162,8 @@ SystemToolsAreaDesc=Тази секция осигурява администр Purge=Разчистване PurgeAreaDesc=Тази страница ви позволява да изтриете всички файлове, генерирани или съхранени от Dolibarr (временни файлове или всички файлове в директорията %s). Използването на тази функция обикновено не е необходимо. Той се предоставя като решение за потребители, чиито Dolibarr се хоства от доставчик, който не предлага разрешения за изтриване на файлове, генерирани от уеб сървъра. PurgeDeleteLogFile=Изтриване на лог файлове, включително %s генериран от Debug Logs модула (няма риск от загуба на данни) -PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Parameter can be 'tempfilesold', 'logfiles' or both 'tempfilesold+logfiles'. Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files (no risk of losing data) +PurgeDeleteTemporaryFiles=Изтрийте всички регистрационни и временни файлове (няма риск от загуба на данни). Параметърът може да бъде „tempfilesold“, „logfiles“ или и двете „tempfilesold+logfiles“. Забележка: Изтриването на временни файлове се извършва само ако временната директория е създадена преди повече от 24 часа. +PurgeDeleteTemporaryFilesShort=Изтриване на журнал и временни файлове (без риск от загуба на данни) PurgeDeleteAllFilesInDocumentsDir=Изтриване на всички файлове в директорията: %s.
      Това ще изтрие всички генерирани документи, свързани с елементи (контрагенти, фактури и т.н.), файлове, качени чрез ECM модула, архиви на базата данни и временни файлове. PurgeRunNow=Разчисти сега PurgeNothingToDelete=Няма директория или файлове за изтриване. @@ -212,8 +212,8 @@ FeatureDisabledInDemo=Функцията е деактивирана в демо FeatureAvailableOnlyOnStable=Функцията се предлага само в официални стабилни версии BoxesDesc=Джаджите са компоненти, показващи информация, които може да добавите, за да персонализирате някои страници. Можете да избирате между показване на джаджата или не, като изберете целевата страница и кликнете върху 'Активиране', или като кликнете върху кошчето, за да я деактивирате. OnlyActiveElementsAreShown=Показани са само елементи от активни модули. -ModulesDesc=The modules/applications determine which features are available in the software. Some modules require permissions to be granted to users after activating the module. Click the on/off button %s of each module to enable or disable a module/application. -ModulesDesc2=Click the wheel button %s to configure the module/application. +ModulesDesc=Модулите/приложенията определят кои функции са налични в софтуера. Някои модули изискват права да бъде предоставен на потребителите след активиране на модула. Кликнете върху бутона за включване/изключване %s на всеки модул, за да активирате или деактивирайте модул/приложение. +ModulesDesc2=Щракнете върху бутона с колело %s, за да конфигурирате модула/приложението. ModulesMarketPlaceDesc=Може да намерите още модули за изтегляне от външни уеб сайтове в интернет... ModulesDeployDesc=Ако разрешенията във вашата файлова система го позволяват, можете да използвате този инструмент за инсталиране на външен модул. След това модулът ще се вижда в раздела %s. ModulesMarketPlaces=Намиране на външно приложение / модул @@ -227,12 +227,14 @@ NotCompatible=Този модул не изглежда съвместим с Do CompatibleAfterUpdate=Този модул изисква актуализация на вашия Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=Вижте в онлайн магазина SeeSetupOfModule=Вижте настройката на модул %s -SetOptionTo=Set option %s to %s +SeeSetupPage=Вижте страницата за настройка на %s +SeeReportPage=Вижте страницата за отчет на %s +SetOptionTo=Задайте опцията %s на %s Updated=Актуализиран AchatTelechargement=Купуване / Изтегляне GoModuleSetupArea=За да разположите / инсталирате нов модул, отидете в секцията за настройка на модул: %s. DoliStoreDesc=DoliStore, официалният пазар за Dolibarr ERP / CRM външни модули -DoliPartnersDesc=List of companies providing custom-developed modules or features.
      Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. +DoliPartnersDesc=Списък на компаниите, предоставящи разработени по поръчка модули или функции.
      Забележка: тъй като Dolibarr е приложение с отворен код, всеки с опит в програмирането на PHP трябва да може да разработи модул. WebSiteDesc=Външни уебсайтове с повече модули (които не са част от ядрото) DevelopYourModuleDesc=Някои решения за разработване на ваш собствен модул... URL=URL адрес @@ -241,7 +243,7 @@ BoxesAvailable=Налични джаджи BoxesActivated=Активирани джаджи ActivateOn=Активирай на ActiveOn=Активирано на -ActivatableOn=Activatable on +ActivatableOn=Може да се активира на SourceFile=Изходен файл AvailableOnlyIfJavascriptAndAjaxNotDisabled=На разположение е само, ако JavaScript не е деактивиран Required=Задължително @@ -267,9 +269,9 @@ ReferencedPreferredPartners=Предпочитани партньори OtherResources=Други ресурси ExternalResources=Външни ресурси SocialNetworks=Социални мрежи -SocialNetworkId=Social Network ID -ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),
      take a look at the Dolibarr Wiki:
      %s -ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:
      %s +SocialNetworkId=ID на социалната мрежа +ForDocumentationSeeWiki=За документация за потребители или разработчици (документация, често задавани въпроси...),
      разгледайте Wiki на Dolibarr:
      %s +ForAnswersSeeForum=За други въпроси и помощ може да използвате Dolibarr forum:
      %s HelpCenterDesc1=Ресурси за получаване на помощ и поддръжка относно Dolibarr HelpCenterDesc2=Някои от тези ресурси са достъпни само на английски език CurrentMenuHandler=Текущ манипулатор на менюто @@ -282,32 +284,32 @@ SpaceX=Пространство Х SpaceY=Пространство Y FontSize=Размер на шрифта Content=Съдържание -ContentForLines=Content to display for each product or service (from variable __LINES__ of Content) +ContentForLines=Съдържание за показване за всеки продукт или услуга (от променлива __LINES__ на съдържанието) NoticePeriod=Период на предизвестие NewByMonth=Нови на месец Emails=Имейли EMailsSetup=Настройка за имейл известяване -EMailsDesc=This page allows you to set parameters or options for email sending. +EMailsDesc=Тази страница ви позволява да зададете параметри или опции за изпращане на имейл. EmailSenderProfiles=Профили за изходяща електронна поща EMailsSenderProfileDesc=Може да запазите тази секция празна. Ако въведете имейли тук, те ще бъдат добавени като възможни податели в комбинирания списък, когато пишете нов имейл. MAIN_MAIL_SMTP_PORT=SMTP / SMTPS порт (стойност по подразбиране в php.ini: %s ) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS хост (стойност по подразбиране в php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP / SMTPS порт (не е дефиниран в PHP за Unix-подобни системи) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS хост (не е дефиниран в PHP за Unix-подобни системи) -MAIN_MAIL_EMAIL_FROM=Имейл адрес за изпращане на автоматични имейли (стойност по подразбиране в php.ini: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS порт +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS хост +MAIN_MAIL_EMAIL_FROM=Имейл на изпращача за автоматични имейли +EMailHelpMsgSPFDKIM=За да предотвратите класифицирането на имейлите на Dolibarr като спам, уверете се, че сървърът е упълномощен да изпраща имейли под тази самоличност (като проверите SPF и DKIM конфигурацията на името на домейна) MAIN_MAIL_ERRORS_TO=Имейл адрес за получаване на грешки (за полето 'Грешки-към' в изпратените имейли) MAIN_MAIL_AUTOCOPY_TO= Имейл адрес за получаване на скрито копие (Bcc) на всички изпратени имейли MAIN_DISABLE_ALL_MAILS=Деактивиране на изпращането на всички имейли (за тестови цели или демонстрации) MAIN_MAIL_FORCE_SENDTO=Изпращане на всички имейли до (вместо до реалните получатели, за тестови цели) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Предлагане на имейли на служители (ако са дефинирани) в списъка с предварително определен получател при създаване на нов имейл -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Не избирайте получател по подразбиране дори ако има само 1 възможен избор MAIN_MAIL_SENDMODE=Метод за изпращане на имейл MAIN_MAIL_SMTPS_ID=SMTP потребителско име (ако изпращащият сървър изисква удостоверяване) MAIN_MAIL_SMTPS_PW=SMTP парола (ако изпращащият сървър изисква удостоверяване) MAIN_MAIL_EMAIL_TLS=Използване на TLS (SSL) криптиране MAIN_MAIL_EMAIL_STARTTLS=Използване на TLS (STARTTLS) криптиране -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Упълномощавайте самоподписани сертификати MAIN_MAIL_EMAIL_DKIM_ENABLED=Използване на DKIM (DomainKeys Identified Mail) удостоверяване за генериране на подпис на имейл MAIN_MAIL_EMAIL_DKIM_DOMAIN=Имейл домейн за използване с DKIM MAIN_MAIL_EMAIL_DKIM_SELECTOR=Селектор на DKIM @@ -315,13 +317,13 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Личен ключ за подписване MAIN_DISABLE_ALL_SMS=Деактивиране на изпращането на всички SMS (за тестови цели или демонстрации) MAIN_SMS_SENDMODE=Метод за изпращане на SMS MAIN_MAIL_SMS_FROM=Телефонен номер по подразбиране за изпращане на SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Имейл на подателя по подразбиране при ръчно изпращане на имейли (имейл на потребител или имейл на фирмата) +MAIN_MAIL_DEFAULT_FROMTYPE=Имейлът на изпращача по подразбиране е предварително избран във формуляри за изпращане на имейли UserEmail=Имейл на потребител CompanyEmail=Имейл на фирмата FeatureNotAvailableOnLinux=Функцията не е налична в Unix подобни системи. Тествайте вашата програма Sendmail локално. -FixOnTransifex=Fix the translation on the online translation platform of project +FixOnTransifex=Поправете превода на платформата за онлайн превод на проекта SubmitTranslation=Ако преводът за този език не е завършен или сте открили грешки, може да ги коригирате като редактирате файловете в директорията langs/%s и предоставите вашите промени в www.transifex.com/dolibarr-association/dolibarr/ -SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or, if you are a developer, with a PR on github.com/Dolibarr/dolibarr +SubmitTranslationENUS=Ако преводът на този език не е довършен или намирате грешки, може да ги поправите с редактирането на файлове в директория езици/%sи да ги изпратите на dolibarr.org/forum, или ако сте разработчик - с PR на github.com/Dolibarr/dolibarr ModuleSetup=Настройка на модул ModulesSetup=Настройка на Модули / Приложения ModuleFamilyBase=Система @@ -346,7 +348,7 @@ StepNb=Стъпка %s FindPackageFromWebSite=Намерете пакет, който ви осигурява функционалността от която имате нужда (например на официалния уебсайт %s). DownloadPackageFromWebSite=Изтеглете пакета (например от официалния уебсайт %s). UnpackPackageInDolibarrRoot=Разопаковайте / разархивирайте файловете в директорията %s на Dolibarr -UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s +UnpackPackageInModulesRoot=За да внедрите/инсталирате външен модул, трябва да разархивирате/разархивирате архивния файл в директорията на сървъра, предназначена за външни модули:
      %s SetupIsReadyForUse=Разполагането на модула е завършено. Необходимо е да активирате и настроите модула във вашата система, като отидете на страницата за настройка на модули: %s . NotExistsDirect=Алтернативната основна директория не е дефинирана за съществуваща директория.
      InfDirAlt=От версия 3 е възможно да се дефинира алтернативна основна директория. Това ви позволява да съхранявате в специална директория, добавки и персонализирани шаблони.
      Просто създайте основна директория в Dolibarr (например: custom).
      @@ -358,17 +360,17 @@ LastStableVersion=Последна стабилна версия LastActivationDate=Последна дата на активиране LastActivationAuthor=Последен автор на активирането LastActivationIP=Последно активиране от IP адрес -LastActivationVersion=Latest activation version +LastActivationVersion=Последна версия за активиране UpdateServerOffline=Актуализиране на сървъра офлайн WithCounter=Управление на брояч -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      -GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      +GenericMaskCodes=Можете да въведете произволна маска за номериране. В тази маска могат да се използват следните тагове:
      {000000} съответства на число, което ще се увеличава на всеки %s. Въведете толкова нули, колкото е желаната дължина на брояча. Броячът ще бъде завършен с нули отляво, за да има толкова нули, колкото е маската.
      {000000+000} същото като предишното, но отместване, съответстващо на числото отдясно на знака +, се прилага, започвайки от първия %s.
      {000000@x} същото като предишното, но броячът се нулира при достигане на месец x (x между 1 и 12 или 0 за използване на първите месеци от фискалната година, дефинирани във вашата конфигурация, или 99 за нулиране всеки месец). Ако се използва тази опция и x е 2 или по-високо, тогава се изисква и последователността {yy}{mm} или {yyyy}{mm}.
      {dd} ден (01 до 31).
      {mm} месец (01 до 12).
      {yy}, {yyyy} или {y} година над 2, 4 или 1 число.
      +GenericMaskCodes2={cccc} клиентският код на n знака
      {cccc000} кода на клиента на n знака е последван от брояч, посветен на Клиент. Този брояч, предназначен за Клиент, се нулира едновременно с глобалния брояч.
      {tttt} Кодът от тип трета страна на n знака (вижте менюто Начало - Настройка - Речник - Типове контрагенти). Ако добавите този маркер, броячът ще бъде различен за всеки тип трета страна.
      GenericMaskCodes3=Всички други символи в маската ще останат непокътнати.
      Не са разрешени интервали.
      -GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
      Spaces are not allowed.
      In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes3EAN=Всички други знаци в маската ще останат непокътнати (с изключение на * или ? на 13-та позиция в EAN13).
      Интервалите не са разрешени.
      В EAN13 последният знак след последния } на 13-та позиция трябва да бъде * или ? . Той ще бъде заменен от изчисления ключ.
      +GenericMaskCodes4a=Пример за 99-ия %s на третата страна TheCompany, с Дата 2023-01-31:
      +GenericMaskCodes4b=Пример за трета страна, създадена на 31 януари 2023 г.:
      +GenericMaskCodes4c=Пример за продукт, създаден на 2023-01-31:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000} ще даде span>ABC2301-000099
      {0000+100@1 }-ZZZ/{dd}/XXX ще даде 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} ще даде IN2301-0099-A, ако типът на Компания е „Responsable Inscripto“ с код за тип, който е „A_RI“ GenericNumRefModelDesc=Връща персонализирано число според определена маска. ServerAvailableOnIPOrPort=Сървърът е достъпен на адрес %s с порт %s ServerNotAvailableOnIPOrPort=Сървърът не е достъпен на адрес %s с порт %s @@ -378,11 +380,11 @@ DoTestSendHTML=Тестово изпращане на HTML ErrorCantUseRazIfNoYearInMask=Грешка, не може да се използва опция @, за да нулирате брояча всяка година, ако последователността {yy} или {yyyy} не е в маската. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Грешка, не може да се използва опция @, ако последователността {yy}{mm} или {yyyy}{mm} не са в маската. UMask=UMask параметър за нови файлове на Unix / Linux / BSD / Mac файлова система. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. +UMaskExplanation=Този параметър ви позволява да дефинирате права, зададен по подразбиране за файлове, създадени от Dolibarr на сървъра (по време на качване например).
      Това трябва да бъде осмичната стойност (например 0666 означава четене и писане за всички.). Препоръчителната стойност е 0600 или 0660
      Този параметър е безполезен на Windows сървър. SeeWikiForAllTeam=Разгледайте страницата на Wiki за списък на сътрудниците и тяхната организация UseACacheDelay= Забавяне при кеширане на отговора за експорт в секунди (0 или празно, за да не се използва кеш) -DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page -DisableLinkToHelp=Hide the link to the online help "%s" +DisableLinkToHelpCenter=Скрийте връзката „Нуждаете се от помощ или поддръжка“ на страницата за вход +DisableLinkToHelp=Скрийте връзката към онлайн помощта „%s“ AddCRIfTooLong=Няма автоматично пренасяне на текст, текстът, който е твърде дълъг, няма да се показва на документи. Моля, добавете нови редове в текста, ако е необходимо. ConfirmPurge=Наистина ли искате да изпълните това прочистване?
      Това ще изтрие за постоянно всичките ви файлове с данни без начин да ги възстановите (ECM файлове, прикачени файлове ...). MinLength=Минимална дължина @@ -392,7 +394,7 @@ ExamplesWithCurrentSetup=Примери с текуща конфигурация ListOfDirectories=Списък на директории с OpenDocument шаблони ListOfDirectoriesForModelGenODT=Списък на директории, съдържащи файлове с шаблони във формат OpenDocument.

      Попълнете тук пълния път на директориите.
      Добавете нов ред за всяка директория.
      За да включите директория на GED модула, добавете тук DOL_DATA_ROOT/ecm/yourdirectoryname.

      Файловете в тези директории трябва да завършват на .odt или .ods. NumberOfModelFilesFound=Брой файлове с шаблони за ODT/ODS, намерени в тези директории -ExampleOfDirectoriesForModelGen=Examples of syntax:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir +ExampleOfDirectoriesForModelGen=Примери за синтаксис:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir FollowingSubstitutionKeysCanBeUsed=
      За да узнаете как да създадете вашите ODT шаблони за документи преди да ги съхраните в тези директории прочетете Wiki документацията: FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template FirstnameNamePosition=Позиция на име / фамилия @@ -408,15 +410,16 @@ ModuleMustBeEnabledFirst=Модулът %s трябва да бъде а SecurityToken=Ключ за защитени URL адреси NoSmsEngine=Няма наличен мениджър за подател на SMS. Мениджърът на подателя на SMS не е инсталиран по подразбиране, защото зависи от външен доставчик, но можете да намерите някои от тях на адрес %s PDF=PDF -PDFDesc=Global options for PDF generation -PDFOtherDesc=PDF Option specific to some modules -PDFAddressForging=Rules for address section +PDFDesc=Глобални опции за генериране на PDF +PDFOtherDesc=PDF опция, специфична за някои модули +PDFAddressForging=Правила за адресна секция HideAnyVATInformationOnPDF=Скриване на цялата информация, свързана с данък върху продажбите / ДДС PDFRulesForSalesTax=Правила за данък върху продажбите / ДДС PDFLocaltax=Правила за %s -HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT +HideLocalTaxOnPDF=Скриване на ставката %s в колоната Данък върху продажбите/ДДС HideDescOnPDF=Скриване на описанието на продукти HideRefOnPDF=Скриване на продуктови номера +ShowProductBarcodeOnPDF=Показване на номера на баркода на продуктите HideDetailsOnPDF=Скриване на подробности за продуктовите линии PlaceCustomerAddressToIsoLocation=Използвайте френска стандартна позиция (La Poste) за позиция на клиентския адрес Library=Библиотека @@ -424,16 +427,16 @@ UrlGenerationParameters=Параметри за защитени URL адрес SecurityTokenIsUnique=Използвайте уникален параметър за защитен ключ за всеки URL адрес EnterRefToBuildUrl=Въведете референция за обект %s GetSecuredUrl=Получете изчисления URL адрес -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) +ButtonHideUnauthorized=Скриване на бутони за неупълномощени действия също и за вътрешни потребители (в противен случай просто оцветени в сиво) OldVATRates=Първоначална ставка на ДДС NewVATRates=Нова ставка на ДДС PriceBaseTypeToChange=Променяне на цените с базова референтна стойност, определена на MassConvert=Стартиране на групово превръщане PriceFormatInCurrentLanguage=Формат на цената в текущия език String=Низ -String1Line=String (1 line) +String1Line=Низ (1 ред) TextLong=Дълъг текст -TextLongNLines=Long text (n lines) +TextLongNLines=Дълъг текст (n реда) HtmlText=HTML текст Int=Цяло число Float=Десетично число @@ -442,7 +445,7 @@ Unique=Уникален Boolean=Булева (едно квадратче за отметка) ExtrafieldPhone = Телефон ExtrafieldPrice = Цена -ExtrafieldPriceWithCurrency=Price with currency +ExtrafieldPriceWithCurrency=Цена с валута ExtrafieldMail = Имейл ExtrafieldUrl = URL ExtrafieldIP = IP @@ -455,16 +458,16 @@ ExtrafieldCheckBox=Полета за отметка ExtrafieldCheckBoxFromList=Отметки от таблица ExtrafieldLink=Връзка към обект ComputedFormula=Изчислено поле -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' +ComputedFormulaDesc=Тук можете да въведете формула, използвайки други свойства на обект или произволно PHP кодиране, за да получите динамична изчислена стойност. Можете да използвате всички PHP съвместими формули, включително "?" оператор на условие и следния глобален обект: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      ПРЕДУПРЕЖДЕНИЕ: Ако имате нужда от свойства на обект не е заредено, просто извлечете сами обекта във вашата формула, както във втория пример.
      Използването на изчислено поле означава, че не можете да въведете сами никаква стойност от интерфейса. Освен това, ако има синтактична грешка, формулата може да не върне нищо.

      Пример за формула:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      Пример за презареждане на обект
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj- >capital / 5: '-1')

      Друг пример за формула за принудително зареждане на обект и неговия родителски обект:
      (($reloadedobj = нова задача($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = нов проект( $db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0))? $secondloadedobj->ref: 'Родителският проект не е намерен' Computedpersistent=Запазване на изчисленото поле ComputedpersistentDesc=Изчислените допълнителни полета ще бъдат съхранени в базата данни, но стойността ще бъде преизчислена само когато обектът на това поле бъде променен. Ако изчисленото поле зависи от други обекти или глобални данни, тази стойност може да е грешна!! -ExtrafieldParamHelpPassword=Оставяйки това поле празно означава, че тази стойност ще бъде съхранена без криптиране (полето трябва да бъде скрито само със звезда на екрана).
      Посочете 'auto', за да използвате правилото за криптиране по подразбиране и за да запазите паролата в базата данни (тогава четимата стойност ще бъде само хеш код и няма да има начин да извлечете реалната стойност). +ExtrafieldParamHelpPassword=Оставянето на това поле празно означава, че тази стойност ще бъде съхранена БЕЗ криптиране (полето е само скрито със звезди на екрана).

      Въведете стойност 'dolcrypt' за кодиране на стойност с обратим алгоритъм за криптиране. Ясните данни все още могат да бъдат известни и редактирани, но са шифровани в базата данни.

      Въведете „auto“ (или „md5“, 'sha256', 'password_hash', ...), за да използвате алгоритъма за криптиране на паролата по подразбиране (или md5, sha256, password_hash...), за да запазите необратимата хеширана парола в база данни (няма начин за извличане на оригиналната стойност) ExtrafieldParamHelpselect=Списъкът със стойности трябва да бъде във формат key,value (където key не може да бъде '0';)

      например:
      1,value1
      2,value2
      code3,value3
      ...

      За да имате списъка в зависимост от друг допълнителен списък с атрибути:
      1,value1|options_ parent_list_code:parent_key
      2,value2|options_ parent_list_code:parent_key

      За да имате списъка в зависимост от друг списък:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=Списъкът със стойности трябва да бъде във формат key,value (където key не може да бъде '0')

      например:
      1,value1
      2,value2
      3,value3
      ... ExtrafieldParamHelpradio=Списъкът със стойности трябва да бъде във формат key,value (където key не може да бъде '0')

      например:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath +ExtrafieldParamHelpsellist=Списъкът със стойности идва от таблица
      Синтаксис: table_name:label_field:id_field::filtersql
      Пример: c_typent:libelle:id ::filtersql

      - id_field задължително е първичен int ключ
      - filtersql е SQL условие. Може да бъде прост тест (напр. active=1) за показване само на активна стойност
      Можете също да използвате $ID$ във филтъра, който е текущият идентификатор на текущия обект
      За да използвате SELECT във филтъра, използвайте ключовата дума $SEL$, за да заобиколите защитата срещу инжектиране.
      ако искате да филтрирате по допълнителни полета използвайте синтаксис extra.fieldcode=... (където кодът на полето е кодът на допълнителното поле)

      За да имате списък в зависимост от списък с друг допълнителен атрибут:
      c_typent:libelle:id:options_parent_list_code |parent_column:filter

      За да може списъкът да зависи от друг списък:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpchkbxlst=Списъкът със стойности идва от таблица
      Синтаксис: table_name:label_field:id_field::filtersql
      Пример: c_typent:libelle:id ::filtersql

      филтърът може да бъде прост тест (напр. active=1) за показване само на активна стойност
      Можете също да използвате $ID$ във филтъра, който е текущият идентификатор на текущия обект
      За да направите SELECT във филтъра, използвайте $SEL$
      ако искате да филтрирате допълнителни полета, използвайте синтаксис extra.fieldcode=... (където кодът на полето е кодът на допълнителното поле)

      За да има списък в зависимост от друг допълнителен списък с атрибути:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      За да може списъкът да зависи от друг списък:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelplink=Параметрите трябва да бъдат ObjectName:Classpath
      Синтаксис: ObjectName:Classpath ExtrafieldParamHelpSeparator=Оставете празно за обикновен разделител
      Посочете стойност 1 за разделител, който се свива (отворен по подразбиране за нова сесия, а след това състоянието се запазва за всяка потребителска сесия)
      Посочете стойност 2 за разделител, който се свива (свит по подразбиране за нова сесия, а след това състоянието се запазва за всяка потребителска сесия). LibraryToBuildPDF=Използвана библиотека за създаване на PDF файлове LocalTaxDesc=Някои държави могат да прилагат два или три данъка към всеки ред във фактурата. Ако случаят е такъв, изберете вида на втория и третия данък и съответната данъчна ставка. Възможен тип са:
      1: местен данък върху продукти и услуги без ДДС (местния данък се изчислява върху сумата без данък)
      2: местен данък върху продукти и услуги с ДДС (местният данък се изчислява върху сумата + основния данък)
      3: местен данък върху продукти без ДДС (местният данък се изчислява върху сумата без данък)
      4: местен данък върху продукти с ДДС (местният данък се изчислява върху сумата + основния данък)
      5: местен данък върху услуги без ДДС (местният данък се изчислява върху сумата без данък)
      6: местен данък върху услуги с ДДС (местният данък се изчислява върху сумата + основния данък) @@ -473,16 +476,16 @@ LinkToTestClickToDial=Въведете телефонен номер, за да RefreshPhoneLink=Обновяване на връзка LinkToTest=Генерирана е връзка за потребител %s (кликнете върху телефонния номер, за да тествате) KeepEmptyToUseDefault=Оставете празно, за да използвате стойността по подразбиране -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. +KeepThisEmptyInMostCases=В повечето случаи можете да оставите това поле празно. DefaultLink=Връзка по подразбиране SetAsDefault=Посочете по подразбиране ValueOverwrittenByUserSetup=Внимание, тази стойност може да бъде презаписана от специфична за потребителя настройка (всеки потребител може да зададе свой собствен URL адрес) -ExternalModule=External module -InstalledInto=Installed into directory %s +ExternalModule=Външен модул +InstalledInto=Инсталиран в директория %s BarcodeInitForThirdparties=Масова баркод инициализация за контрагенти BarcodeInitForProductsOrServices=Масово въвеждане на баркод или зануляване за продукти или услуги CurrentlyNWithoutBarCode=В момента имате %s записа на %s %s без дефиниран баркод. -InitEmptyBarCode=Init value for the %s empty barcodes +InitEmptyBarCode=Начална стойност за %s празни баркодове EraseAllCurrentBarCode=Изтриване на всички текущи стойности на баркода ConfirmEraseAllCurrentBarCode=Сигурни ли сте че, искате да изтриете всички текущи стойности на баркода? AllBarcodeReset=Всички стойности на баркода са премахнати @@ -502,36 +505,36 @@ ModuleCompanyCodeCustomerDigitaria=%s, последвано от съкрате ModuleCompanyCodeSupplierDigitaria=%s, последвано от съкратеното име на доставчика според броя на знаци: %s за счетоводния код на доставчика. Use3StepsApproval=По подразбиране поръчките за покупки трябва да бъдат създадени и одобрени от двама различни потребители (една стъпка / потребител за създаване и друга стъпка / потребител за одобрение. Обърнете внимание, че ако потребителят има разрешение да създава и одобрява, една стъпка / потребител ще бъде достатъчно). С тази опция може да поискате да въведете трета стъпка / потребител за одобрение, ако сумата е по-висока от определена стойност (така ще са необходими 3 стъпки: 1 = валидиране, 2 = първо одобрение и 3 = второ одобрение, ако количеството е достатъчно).
      Оставете това поле празно, ако едно одобрение (в 2 стъпки) е достатъчно или посочете много ниска стойност (например: 0,1), за да се изисква винаги второ одобрение (в 3 стъпки). UseDoubleApproval=Използване на одобрение в 3 стъпки, когато сумата (без данък) е по-голяма от... -WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons: -WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM -WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota). -WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox. -WarningPHPMailD=It is therefore recommended to change the sending method of e-mails to the value "SMTP". -WarningPHPMailDbis=If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by %sclicking here%s. +WarningPHPMail=ПРЕДУПРЕЖДЕНИЕ: Настройката за изпращане на имейли от приложението използва общата настройка по подразбиране. Често е по-добре да настроите изходящите имейли да използват имейл сървъра на вашия доставчик на имейл услуги вместо настройката по подразбиране поради няколко причини: +WarningPHPMailA=- Използването на сървъра на доставчика на имейл услуги увеличава надеждността на вашия имейл, така че увеличава доставимостта, без да бъде маркиран като СПАМ +WarningPHPMailB=- Някои доставчици на имейл услуги (като Yahoo) не ви позволяват да изпращате имейл от друг сървър, освен техния собствен сървър. Вашата текуща настройка използва сървъра на приложението за изпращане на имейл, а не сървъра на вашия имейл доставчик, така че някои получатели (този, който е съвместим с ограничителния DMARC протокол), ще попитат вашия имейл доставчик дали могат да приемат вашия имейл и някои имейл доставчици (като Yahoo) може да отговори „не“, защото сървърът не е техен, така че малко от изпратените от вас имейли може да не бъдат приети за доставка (внимавайте и за квотата за изпращане на вашия имейл доставчик). +WarningPHPMailC=- Използването на SMTP сървъра на вашия собствен доставчик на имейл услуги за изпращане на имейли също е интересно, така че всички имейли, изпратени от приложението, също ще бъдат запазени в директорията „Изпратени“ на вашата пощенска кутия. +WarningPHPMailD=Поради това се препоръчва да промените метода на изпращане на имейли на стойността "SMTP". +WarningPHPMailDbis=Ако наистина искате да запазите метода по подразбиране "PHP" за изпращане на имейли, просто игнорирайте това предупреждение или го премахнете, като %sщракнете тук%s. WarningPHPMail2=Ако вашият SMTP доставчик трябва да ограничи имейл клиента до някои IP адреси (много рядко), това е IP адресът на потребителския агент за поща (MUA) за вашето ERP CRM приложение: %s . -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask your domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. -ActualMailSPFRecordFound=Actual SPF record found (for email %s) : %s +WarningPHPMailSPF=Ако името на домейна във вашия имейл адрес на изпращача е защитено от SPF запис (попитайте регистъра на името на вашия домейн), трябва да добавите следните IP адреси в SPF записа на DNS на вашия домейн: %s. +ActualMailSPFRecordFound=Намерен действителен SPF запис (за имейл %s): %s ClickToShowDescription=Кликнете, за да се покаже описание DependsOn=Този модул се нуждае от модул(и) RequiredBy=Този модул изисква модул(и) TheKeyIsTheNameOfHtmlField=Това е името на HTML полето. Необходими са технически познания, за да прочетете съдържанието на HTML страницата и да получите ключовото име на полето. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. +PageUrlForDefaultValues=Трябва да въведете относителния път на URL адреса на страницата. Ако включите параметри в URL, това ще бъде ефективно, ако всички параметри в разглеждания URL имат стойността, дефинирана тук. PageUrlForDefaultValuesCreate=
      Пример:
      За да създадете нов контрагент, той е %s.
      За URL на външни модули, инсталирани в /custom/ директорията използвайте следния път mymodule/mypage.php и не включвайте custom/mymodule/mypage.php.
      Ако искате само стойността по подразбиране, в случай че URL има някакъв параметър, може да използвате %s PageUrlForDefaultValuesList=
      Пример:
      За страницата, която изброява контрагентите, той е %s.
      За URL на външни модули, инсталирани в /custom/ директорията използвайте следния път mymodule/mypagelist.phpи не включвайте custom/mymodule/mypagelist.php.
      Ако искате само стойността по подразбиране, в случай че URL има някакъв параметър, може да използвате %s -AlsoDefaultValuesAreEffectiveForActionCreate=Също така имайте предвид, че презаписването на стойностите по подразбиране за създаване на формуляри работи само за страници, които са били правилно разработени (с параметър action=create или presend...) +AlsoDefaultValuesAreEffectiveForActionCreate=Също така имайте предвид, че презаписването на стойности по подразбиране за създаване на формуляр работи само за страници, които са били правилно проектирани (така че с параметър action=create или present...) EnableDefaultValues=Персонализиране на стойности по подразбиране -EnableOverwriteTranslation=Allow customization of translations +EnableOverwriteTranslation=Разрешаване на персонализиране на преводите GoIntoTranslationMenuToChangeThis=Намерен е превод за ключа с този код. За да промените тази стойност, трябва да я редактирате като отидете в Начало - Настройки - Превод WarningSettingSortOrder=Внимание, задаването на ред за сортиране по подразбиране може да доведе до техническа грешка при влизане в страницата на списъка, ако полето е неизвестно. Ако възникне такава грешка, се върнете на тази страница, за да премахнете редът за сортиране по подразбиране и да възстановите първоначалното състояние. Field=Поле ProductDocumentTemplates=Шаблони на документи за генериране на продуктов документ -ProductBatchDocumentTemplates=Document templates to generate product lots document +ProductBatchDocumentTemplates=Шаблони на документи за генериране на документ за продуктови партиди FreeLegalTextOnExpenseReports=Свободен юридически текст в разходните отчети WatermarkOnDraftExpenseReports=Воден знак в чернови разходни отчети -ProjectIsRequiredOnExpenseReports=The project is mandatory for entering an expense report -PrefillExpenseReportDatesWithCurrentMonth=Pre-fill start and end dates of new expense report with start and end dates of the current month -ForceExpenseReportsLineAmountsIncludingTaxesOnly=Force the entry of expense report amounts always in amount with taxes -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) +ProjectIsRequiredOnExpenseReports=Проектът е задължителен за въвеждане на отчет за разходите +PrefillExpenseReportDatesWithCurrentMonth=Предварително попълнете началната и крайната дата на новия отчет за разходите с началната и крайната дата на текущия месец +ForceExpenseReportsLineAmountsIncludingTaxesOnly=Принудително въвеждане на суми в отчета за разходите винаги в размер с данъци +AttachMainDocByDefault=Задайте това на Да, ако искате да прикачите основния документ по подразбиране към имейла (ако е приложимо) FilesAttachedToEmail=Прикачете файл SendEmailsReminders=Изпращане на напомняния за събития по имейл davDescription=Настройка на WebDAV сървър @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Общата частна директория е W DAV_ALLOW_PUBLIC_DIR=Активиране на обща публична директория (специална WebDAV директория с име 'public' - не се изискват данни за вход) DAV_ALLOW_PUBLIC_DIRTooltip=Общата публична директория е WebDAV директория, до която всеки може да има достъп (за четене и запис), без да се изискват данни за вход. DAV_ALLOW_ECM_DIR=Активиране на частна DMS / ECM директория (основна директория на DMS / ECM модула - изискват се данни за вход) -DAV_ALLOW_ECM_DIRTooltip=Основна директория, в която всички файлове се добавят ръчно при използване на модула DMS / ECM. Подобно на достъпа през уеб интерфейса ще имате нужда от валидно потребителско име и парола, заедно със съответните права за достъп. +DAV_ALLOW_ECM_DIRTooltip=Основната директория, където всички файлове се качват ръчно при използване на DMS/ECM модула. Подобно на достъпа от уеб интерфейса, ще ви е необходим валиден вход/парола с подходящ права за достъп до него. ##### Modules ##### Module0Name=Потребители и групи Module0Desc=Управление на потребители / служители и групи @@ -566,7 +569,7 @@ Module40Desc=Управление на доставчици и покупки ( Module42Name=Журнали за отстраняване на грешки Module42Desc=Инструменти за регистриране (файл, syslog, ...). Дневници за технически цели и отстраняване на грешки. Module43Name=Инструменти за отстраняване на грешки -Module43Desc=A tool for developper adding a debug bar in your browser. +Module43Desc=Инструмент за разработчици, добавящ лента за отстраняване на грешки във вашия браузър. Module49Name=Редактори Module49Desc=Управление на редактори Module50Name=Продукти @@ -574,17 +577,17 @@ Module50Desc=Управление на продукти Module51Name=Масови имейли Module51Desc=Управление на масови хартиени пощенски пратки Module52Name=Наличности -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Desc=наличност управление (наличност проследяване на движение и инвентаризация) Module53Name=Услуги Module53Desc=Управление на услуги Module54Name=Договори / Абонаменти Module54Desc=Управление на договори (услуги или периодични абонаменти) Module55Name=Баркодове -Module55Desc=Barcode or QR code management +Module55Desc=Управление на баркод или QR код Module56Name=Плащане с кредитен превод -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. -Module57Name=Payments by Direct Debit -Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. +Module56Desc=Управление на плащане на доставчици или заплати чрез нареждания за кредитен превод. Включва генериране на SEPA файл за европейски страни. +Module57Name=Плащания чрез директен дебит +Module57Desc=Управление на нареждания за директен дебит. Включва генериране на SEPA файл за европейски страни. Module58Name=ClickToDial Module58Desc=Интегриране на система ClickToDial (Asterisk, ...) Module60Name=Стикери @@ -620,7 +623,7 @@ Module400Desc=Управление на проекти, възможности Module410Name=Webcalendar Module410Desc=Интегриране на Webcalendar Module500Name=Данъци и специални разходи -Module500Desc=Management of other expenses (sales taxes, social or fiscal taxes, dividends, ...) +Module500Desc=Управление на други разходи (данъци върху продажбите, социални или фискални данъци, дивиденти, ...) Module510Name=Заплати Module510Desc=Записване и проследяване на плащанията към служители Module520Name=Кредити @@ -630,6 +633,10 @@ Module600Desc=Изпращане на известия по имейл, пред Module600Long=Имайте предвид, че този модул изпраща имейли в реално време, когато настъпи дадено събитие. Ако търсите функция за изпращане на напомняния по имейл за събития от календара отидете в настройката на модула Календар. Module610Name=Продуктови варианти Module610Desc=Създаване на варианти на продукта (цвят, размер и др.) +Module650Name=Сметки за материали (BOM) +Module650Desc=Модул за определяне на вашите спецификации за материали (BOM). Може да се използва за планиране на производствените ресурси от модула Поръчки за производство (MO) +Module660Name=Планиране на производствените ресурси (MRP) +Module660Desc=Модул за управление на производствени поръчки (MO) Module700Name=Дарения Module700Desc=Управление на дарения Module770Name=Разходни отчети @@ -650,13 +657,13 @@ Module2300Name=Планирани задачи Module2300Desc=Управление на планирани задачи (cron или chrono таблица) Module2400Name=Събития / Календар Module2400Desc=Проследяване на събития. Регистриране на автоматични събития с цел проследяване или записване на ръчни събития и срещи. Това е основният модул за добро управление на взаимоотношенията с клиенти и доставчици. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Онлайн насрочване на срещи +Module2430Desc=Осигурява онлайн система за запазване на час. Това позволява на всеки да резервира среща, според предварително определени диапазони или наличности. Module2500Name=Документи / Съдържание Module2500Desc=Система за управление на документи / Управление на електронно съдържание. Автоматична организация на вашите генерирани или съхранени документи. Споделяне на документи. -Module2600Name=API / Web services (SOAP server) +Module2600Name=API / уеб услуги (SOAP сървър) Module2600Desc=Активиране на Dolibarr SOAP сървър, предоставящ API услуги -Module2610Name=API / Web services (REST server) +Module2610Name=API/уеб услуги (REST сървър) Module2610Desc=Активиране на Dolibarr REST сървър, предоставящ API услуги Module2660Name=Извикване на WebServices (SOAP клиент) Module2660Desc=Активиране на Dollibarr клиент за уеб услуги (Може да се използва за препращане на данни / заявки към външни сървъри. Понастоящем се поддържат само поръчки за покупка.) @@ -667,16 +674,16 @@ Module2900Name=GeoIPMaxmind Module2900Desc=GeoIP Maxmind възможности за преобразуване Module3200Name=Неизменими архиви Module3200Desc=Непроменлив дневник на бизнес събития. Събитията се архивират в реално време. Дневникът е таблица, достъпна единствено за четене, която съдържа последователни събития, които могат да бъдат експортирани. Този модул може да е задължителен за някои страни. -Module3300Name=Module Builder -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. +Module3300Name=Конструктор на модули +Module3300Desc=Инструмент RAD (Rapid Application Development - с нисък код и без код), който помага на разработчиците или напредналите потребители да създадат свой собствен модул/приложение. Module3400Name=Социални мрежи -Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). +Module3400Desc=Активирайте полета за социални мрежи в контрагенти и адреси (skype, twitter, facebook, ...). Module4000Name=ЧР -Module4000Desc=Управление на човешки ресурси (управление на отдели, договори на служители и взаимоотношения) +Module4000Desc=Управление на човешките ресурси (управление на отдел, Служител договори, управление на умения и интервю) Module5000Name=Няколко фирми Module5000Desc=Управление на няколко фирми -Module6000Name=Inter-modules Workflow -Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) +Module6000Name=Междумодулен работен процес +Module6000Desc=Управление на работния процес между различни модули (автоматично създаване на обект и/или автоматична промяна на статуса) Module10000Name=Уебсайтове Module10000Desc=Създавайте уеб сайтове (обществени) с WYSIWYG редактор. Това е CMS, ориентиран към уеб администратори или разработчици (желателно е да знаете HTML и CSS езици). Просто настройте вашия уеб сървър (Apache, Nginx, ...) да е насочен към специалната Dolibarr директория, за да бъде онлайн в интернет с избраното име за домейн. Module20000Name=Молби за отпуск @@ -696,26 +703,28 @@ Module50200Desc=Предлага на клиентите PayPal страница Module50300Name=Stripe Module50300Desc=Предлага на клиентите Stripe страница за онлайн плащане (чрез кредитни / дебитни карти). Позволява на клиентите да извършват необходими плащания или плащания, свързани с определен Dolibarr обект (фактура, поръчка и т.н.) Module50400Name=Счетоводство (двойно записване) -Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats. +Module50400Desc=Управление на Счетоводство (двойни записи, поддръжка на главни и спомагателни книги). Експортирайте счетоводната книга в няколко други софтуерни формата Счетоводство. Module54000Name=PrintIPP Module54000Desc=Директен печат (без отваряне на документи), чрез използване на Cups IPP интерфейс (Принтерът трябва да се вижда от сървъра, a CUPS трябва да бъде инсталиран на сървъра). Module55000Name=Анкети, проучвания и гласоподаване Module55000Desc=Създаване на онлайн анкети, проучвания или гласувания (като Doodle, Studs, RDVz и др.) Module59000Name=Маржове -Module59000Desc=Module to follow margins +Module59000Desc=Модул за следване на полета Module60000Name=Комисионни Module60000Desc=Управление на комисионни Module62000Name=Условия на доставка Module62000Desc=Добавяне на функции за управление на Инкотермс (условия на доставка) Module63000Name=Ресурси Module63000Desc=Управление на ресурси (принтери, коли, стаи, ...) с цел разпределяне по събития -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. +Module66000Name=Управление на OAuth2 токени +Module66000Desc=Осигурете инструмент за генериране и управление на OAuth2 токени. След това токенът може да се използва от някои други модули. Module94160Name=Стокови разписки +ModuleBookCalName=Резервационна календарна система +ModuleBookCalDesc=Управлявайте календар, за да резервирате срещи ##### Permissions ##### -Permission11=Read customer invoices (and payments) +Permission11=Четете Клиент фактури (и плащания) Permission12=Създаване / променяне на фактури на продажба -Permission13=Invalidate customer invoices +Permission13=Невалидни Клиент фактури Permission14=Валидиране на фактури за продажба Permission15=Изпращане на фактури за продажба по имейл Permission16=Създаване на плащания по фактури за продажба @@ -729,22 +738,22 @@ Permission27=Изтриване на търговски предложения Permission28=Експортиране на търговски предложения Permission31=Преглед на продукти Permission32=Създаване / променяне на продукти -Permission33=Read prices products +Permission33=Прочетете цените на продуктите Permission34=Изтриване на продукти Permission36=Преглед / управление на скрити продукти Permission38=Експортиране на продукти -Permission39=Ignore minimum price -Permission41=Read projects and tasks (shared projects and projects of which I am a contact). -Permission42=Create/modify projects (shared projects and projects of which I am a contact). Can also assign users to projects and tasks -Permission44=Delete projects (shared projects and projects of which I am a contact) +Permission39=Игнорирайте минималната цена +Permission41=Прочетете проекти и задачи (споделени проекти и проекти, на които съм контакт). +Permission42=Създаване/промени проекти (споделени проекти и проекти, с които съм контакт). Може също да възлага потребители на проекти и задачи +Permission44=Изтриване на проекти (споделени проекти и проекти, за които съм контакт) Permission45=Експортиране на проекти Permission61=Преглед на интервенции Permission62=Създаване / променяне на интервенции Permission64=Изтриване на интервенции Permission67=Експортиране на интервенции -Permission68=Send interventions by email -Permission69=Validate interventions -Permission70=Invalidate interventions +Permission68=Изпратете интервенции по имейл +Permission69=Потвърждавам интервенции +Permission70=Невалидни интервенции Permission71=Преглед на членове Permission72=Създаване / променяне на членове Permission74=Изтриване на членове @@ -755,7 +764,7 @@ Permission79=Създаване / променяне на абонаменти Permission81=Преглед на поръчки за продажба Permission82=Създаване / променяне на поръчки за продажба Permission84=Валидиране на поръчки за продажба -Permission85=Generate the documents sales orders +Permission85=Генерирайте документите за поръчки за продажба Permission86=Изпращане на поръчки за продажба Permission87=Приключване на поръчки за продажба Permission88=Анулиране на поръчки за продажба @@ -768,12 +777,12 @@ Permission95=Преглед на справки Permission101=Преглед на пратки Permission102=Създаване / променяне на пратки Permission104=Валидиране на пратки -Permission105=Send sendings by email +Permission105=Изпращайте пратки по имейл Permission106=Експортиране на пратки Permission109=Изтриване на пратки Permission111=Преглед на финансови сметки Permission112=Създаване / променяне / изтриване и сравняване на транзакции -Permission113=Setup financial accounts (create, manage categories of bank transactions) +Permission113=Настройте финансови сметки (създайте, управлявайте Категории на банкови транзакции) Permission114=Съгласуване на транзакции Permission115=Експортиране на транзакции и извлечения по сметка Permission116=Прехвърляне между сметки @@ -782,11 +791,11 @@ Permission121=Преглед на контрагенти, свързани с п Permission122=Създаване / променяне на контрагенти, свързани с потребителя Permission125=Изтриване на контрагенти, свързани с потребителя Permission126=Експортиране на контрагенти -Permission130=Create/modify third parties payment information -Permission141=Read all projects and tasks (as well as the private projects for which I am not a contact) -Permission142=Create/modify all projects and tasks (as well as the private projects for which I am not a contact) -Permission144=Delete all projects and tasks (as well as the private projects I am not a contact) -Permission145=Can enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) +Permission130=Създайте/промени контрагенти плащане информация +Permission141=Прочетете всички проекти и задачи (както и частните проекти, за които не съм контакт) +Permission142=Създаване/промени всички проекти и задачи (както и частните проекти, за които не съм контакт) +Permission144=Изтриване на всички проекти и задачи (както и частните проекти, за които не съм контакт) +Permission145=Мога да въвеждам изразходвано време за мен или моята йерархия за възложени задачи (график) Permission146=Преглед на доставчици Permission147=Преглед на статистически данни Permission151=Преглед на платежни нареждания за директен дебит @@ -845,8 +854,8 @@ PermissionAdvanced253=Създаване / променяне на вътреш Permission254=Създаване / променя само на външни потребители Permission255=Променяне на парола на други потребители Permission256=Изтриване или деактивиране на други потребители -Permission262=Extend access to all third parties AND their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission263=Extend access to all third parties WITHOUT their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). +Permission262=Разширете достъпа до всички контрагенти И техните обекти (не само контрагенти, за които потребителят е търговски представител).
      Не е в сила за външни потребители (винаги ограничени до себе си за предложения, поръчки, фактури, договори и др.).
      Не е в сила за проекти ( само правила за проект права, видимостта и присвояването имат значение). +Permission263=Разширете достъпа до всички контрагенти БЕЗ техните обекти (не само контрагенти, за които потребителят е търговски представител).
      Не е в сила за външни потребители (винаги ограничени до себе си за предложения, поръчки, фактури, договори и др.).
      Не е в сила за проекти ( само правила за проект права, видимостта и присвояването имат значение). Permission271=Преглед на CA Permission272=Преглед на фактури Permission273=Издаване на фактури @@ -857,8 +866,8 @@ Permission286=Експортиране на контакти Permission291=Преглед на тарифи Permission292=Задаване на права за тарифи Permission293=Променяне на клиентски тарифи -Permission301=Generate PDF sheets of barcodes -Permission304=Create/modify barcodes +Permission301=Генерирайте PDF листове с баркодове +Permission304=Създайте/промени баркодове Permission305=Изтриване на баркодове Permission311=Преглед на услуги Permission312=Възлагане на услуга / абонамент към договор @@ -879,10 +888,10 @@ Permission402=Създаване / променяне на отстъпки Permission403=Валидиране на отстъпки Permission404=Изтриване на отстъпки Permission430=Използване на инструменти за отстраняване на грешки -Permission511=Read salaries and payments (yours and subordinates) -Permission512=Create/modify salaries and payments -Permission514=Delete salaries and payments -Permission517=Read salaries and payments everybody +Permission511=Прочетете заплати и плащания (ваши и подчинени) +Permission512=Създайте/промени заплати и плащания +Permission514=Изтриване на заплати и плащания +Permission517=Прочетете заплатите и плащанията на всички Permission519=Експортиране на заплати Permission520=Преглед на кредити Permission522=Създаване / променяне на кредити @@ -891,36 +900,36 @@ Permission525=Достъп до кредитен калкулатор Permission527=Експортиране на кредити Permission531=Преглед на услуги Permission532=Създаване / променяне на услуги -Permission533=Read prices services +Permission533=Прочетете цените на услугите Permission534=Изтриване на услуги Permission536=Преглед / управление на скрити услуги Permission538=Експортиране на услуги -Permission561=Read payment orders by credit transfer -Permission562=Create/modify payment order by credit transfer -Permission563=Send/Transmit payment order by credit transfer -Permission564=Record Debits/Rejections of credit transfer -Permission601=Read stickers -Permission602=Create/modify stickers -Permission609=Delete stickers -Permission611=Read attributes of variants -Permission612=Create/Update attributes of variants -Permission613=Delete attributes of variants +Permission561=Прочетете плащане поръчки чрез кредитен превод +Permission562=Създайте/промени плащане поръчка чрез кредитен превод +Permission563=Изпращане/предаване на плащане поръчка чрез кредитен превод +Permission564=Записвайте дебити/отхвърляния на кредитен превод +Permission601=Четете стикери +Permission602=Създайте/промени стикери +Permission609=Изтриване на стикери +Permission611=Прочетете атрибутите на вариантите +Permission612=Създаване/Актуализиране на атрибути на варианти +Permission613=Изтриване на атрибути на варианти Permission650=Преглед на спецификации Permission651=Създаване / променяне на спецификации Permission652=Изтриване на спецификации -Permission660=Read Manufacturing Order (MO) -Permission661=Create/Update Manufacturing Order (MO) -Permission662=Delete Manufacturing Order (MO) +Permission660=Прочетете производствената поръчка (MO) +Permission661=Създаване/актуализиране на производствена поръчка (MO) +Permission662=Изтриване на производствена поръчка (MO) Permission701=Преглед на дарения Permission702=Създаване / променяне на дарения Permission703=Изтриване на дарения Permission771=Преглед на разходни отчети (на служителя и неговите подчинени) -Permission772=Create/modify expense reports (for you and your subordinates) +Permission772=Създайте/промени отчети за разходите (за вас и вашите подчинени) Permission773=Изтриване на разходни отчети Permission775=Одобряване на разходни отчети Permission776=Плащане на разходни отчети -Permission777=Read all expense reports (even those of user not subordinates) -Permission778=Create/modify expense reports of everybody +Permission777=Прочетете всички отчети за разходите (дори тези на потребители, а не на подчинени) +Permission778=Създайте/промени отчети за разходите на всички Permission779=Експортиране на разходни отчети Permission1001=Преглед на наличности Permission1002=Създаване / променяне на складове @@ -931,7 +940,7 @@ Permission1011=Преглед на инвентаризации Permission1012=Създаване на нова инвентаризация Permission1014=Валидиране на инвентаризация Permission1015=Променяне на стойността на СИЦ (средно изчислена цена) за даден продукт -Permission1016=Delete inventory +Permission1016=Изтриване на инвентара Permission1101=Преглед на разписки за доставка Permission1102=Създаване / променяне на разписки за доставка Permission1104=Валидиране на разписки за доставка @@ -950,12 +959,12 @@ Permission1185=Одобряване на поръчки за покупка Permission1186=Поръчка на поръчки за покупка Permission1187=Потвърждаване на получаването на поръчка за покупка Permission1188=Изтриване на поръчки за покупка -Permission1189=Check/Uncheck a purchase order reception +Permission1189=Поставете/махнете отметка от получаване на поръчка за покупка Permission1190=Одобряване (второ одобрение) на поръчки за покупка -Permission1191=Export supplier orders and their attributes +Permission1191=Експортиране на поръчки на доставчици и техните атрибути Permission1201=Получаване на резултат с експортирани данни Permission1202=Създаване / променяне на експортирани данни -Permission1231=Read vendor invoices (and payments) +Permission1231=Четене на фактури на доставчици (и плащания) Permission1232=Създаване / променяне на фактури за доставка Permission1233=Валидиране на фактури за доставка Permission1234=Изтриване на фактури за доставка @@ -966,8 +975,8 @@ Permission1251=Извършване на масово импортиране н Permission1321=Експортиране на фактури за продажба, атрибути и плащания Permission1322=Повторно отваряне на платена фактура Permission1421=Експортиране на поръчки за продажба и атрибути -Permission1521=Read documents -Permission1522=Delete documents +Permission1521=Четете документи +Permission1522=Изтриване на документи Permission2401=Преглед на действия (събития или задачи), свързани с потребителя (ако е собственик на събитие или му е възложено) Permission2402=Създаване / променяне на действия (събития или задачи), свързани с потребителя (ако е собственик на събитие) Permission2403=Изтриване на действия (събития или задачи), свързани с потребителя (ако е собственик на събитие) @@ -979,49 +988,49 @@ Permission2501=Преглед / изтегляне на документи Permission2502=Изтегляне на документи Permission2503=Изпращане или изтриване на документи Permission2515=Настройка на директории за документи -Permission2610=Generate/modify users API key +Permission2610=Генериране/промени потребителски API ключ Permission2801=Използване на FTP клиент в режим на четене (само за преглед и изтегляне) Permission2802=Използване на FTP клиент в режим на писане (изтриване или качване на файлове) Permission3200=Преглед на архивирани събития и пръстови отпечатъци -Permission3301=Generate new modules -Permission4001=Read skill/job/position -Permission4002=Create/modify skill/job/position -Permission4003=Delete skill/job/position -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations -Permission4023=Validate evaluation -Permission4025=Delete evaluation -Permission4028=See comparison menu -Permission4031=Read personal information -Permission4032=Write personal information -Permission4033=Read all evaluations (even those of user not subordinates) +Permission3301=Генерирайте нови модули +Permission4001=Прочетете умение/работа/позиция +Permission4002=Създаване/промени умение/работа/позиция +Permission4003=Изтриване на умение/работа/позиция +Permission4021=Прочетете оценки (ваши и на вашите подчинени) +Permission4022=Създайте/промени оценки +Permission4023=Потвърждавам оценка +Permission4025=Изтриване на оценката +Permission4028=Вижте менюто за сравнение +Permission4031=Прочетете личната информация +Permission4032=Напишете лична информация +Permission4033=Прочетете всички оценки (дори тези на потребителя, а не на подчинените) Permission10001=Преглед на съдържание в уебсайт -Permission10002=Създаване / променяне на съдържание в уебсайт (html и javascript) +Permission10002=Създайте/промени съдържание на уебсайт (HTML и JavaScript съдържание) Permission10003=Създаване / променяне на съдържание в уебсайт (динамичен php код). Опасно, трябва да бъде използвано само за ограничен кръг разработчици. Permission10005=Изтриване на съдържание в уебсайт Permission20001=Преглед на молби за отпуск (на служителя и неговите подчинени) Permission20002=Създаване / променяне на молби за отпуск (на служителя и неговите подчинени) Permission20003=Изтриване на молби за отпуск -Permission20004=Read all leave requests (even those of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) -Permission20006=Administer leave requests (setup and update balance) +Permission20004=Прочетете всички молби за отпуск (дори тези на потребители, а не на подчинени) +Permission20005=Създаване/промени оставяне на заявки за всички (дори тези на потребители, а не на подчинени) +Permission20006=Администриране на заявки за отпуск (настройка и актуализиране на баланса) Permission20007=Одобряване на молби за отпуск Permission23001=Преглед на планирани задачи Permission23002=Създаване / променяне на планирани задачи Permission23003=Изтриване на планирани задачи Permission23004=Стартиране на планирани задачи -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates -Permission50101=Use Point of Sale (SimplePOS) -Permission50151=Use Point of Sale (TakePOS) -Permission50152=Edit sales lines -Permission50153=Edit ordered sales lines +Permission40001=Прочетете валутите и техните курсове +Permission40002=Създаване/Актуализиране на валути и техните курсове +Permission40003=Изтрийте валутите и техните курсове +Permission50101=Използвайте точка на продажба (SimplePOS) +Permission50151=Използвайте точка на продажба (TakePOS) +Permission50152=Редактирайте линии за продажби +Permission50153=Редактирайте поръчаните линии за продажба Permission50201=Преглед на транзакции Permission50202=Импортиране на транзакции -Permission50330=Read objects of Zapier -Permission50331=Create/Update objects of Zapier -Permission50332=Delete objects of Zapier +Permission50330=Прочетете обекти на Zapier +Permission50331=Създаване/Актуализиране на обекти на Zapier +Permission50332=Изтрийте обекти на Zapier Permission50401=Свързване на продукти и фактури със счетоводни сметки Permission50411=Преглед на операции в счетоводна книга Permission50412=Създаване / променяне на операции в счетоводна книга @@ -1045,26 +1054,26 @@ Permission63001=Преглед на ресурси Permission63002=Създаване / променяне на ресурси Permission63003=Изтриване на ресурси Permission63004=Свързване на ресурси към събития от календара -Permission64001=Allow direct printing -Permission67000=Allow printing of receipts -Permission68001=Read intracomm report -Permission68002=Create/modify intracomm report -Permission68004=Delete intracomm report -Permission941601=Read receipts -Permission941602=Create and modify receipts -Permission941603=Validate receipts -Permission941604=Send receipts by email -Permission941605=Export receipts -Permission941606=Delete receipts +Permission64001=Разрешаване на директен печат +Permission67000=Разрешаване на печат на разписки +Permission68001=Прочетете интракомуникационен отчет +Permission68002=Създаване/промени вътрешнокомуникационен отчет +Permission68004=Изтриване на интракомуникационен отчет +Permission941601=Прочетете разписки +Permission941602=Създайте и промени разписки +Permission941603=Потвърждавам разписки +Permission941604=Изпращайте разписки по имейл +Permission941605=Експортни разписки +Permission941606=Изтриване на разписки DictionaryCompanyType=Видове контрагенти DictionaryCompanyJuridicalType=Правна форма на контрагенти -DictionaryProspectLevel=Prospect potential level for companies -DictionaryProspectContactLevel=Prospect potential level for contacts +DictionaryProspectLevel=Потенциално ниво на перспектива за компаниите +DictionaryProspectContactLevel=Потенциално ниво на перспектива за контакти DictionaryCanton=Области / Региони DictionaryRegion=Региони DictionaryCountry=Държави DictionaryCurrency=Валути -DictionaryCivility=Honorific titles +DictionaryCivility=Почетни титли DictionaryActions=Видове събития в календара DictionarySocialContributions=Видове социални или фискални данъци DictionaryVAT=Ставки на ДДС или Данък върху продажби @@ -1080,7 +1089,7 @@ DictionaryFees=Разходен отчет - Видове разходни от DictionarySendingMethods=Начини за доставка DictionaryStaff=Брой служители DictionaryAvailability=Забавяне на доставка -DictionaryOrderMethods=Order methods +DictionaryOrderMethods=Методи за поръчка DictionarySource=Произход на предложения / поръчки DictionaryAccountancyCategory=Персонализирани групи за отчети DictionaryAccountancysystem=Модели за сметкоплан @@ -1089,32 +1098,34 @@ DictionaryEMailTemplates=Шаблони за имейли DictionaryUnits=Единици DictionaryMeasuringUnits=Измервателни единици DictionarySocialNetworks=Социални мрежи -DictionaryProspectStatus=Prospect status for companies -DictionaryProspectContactStatus=Prospect status for contacts -DictionaryHolidayTypes=Leave - Types of leave +DictionaryProspectStatus=Статус на перспектива за компании +DictionaryProspectContactStatus=Статус на перспектива за контакти +DictionaryHolidayTypes=Отпуск – Видове отпуски DictionaryOpportunityStatus=Статус на възможността за проект / възможност DictionaryExpenseTaxCat=Разходен отчет - Транспортни категории DictionaryExpenseTaxRange=Разходен отчет - Обхват на транспортни категории -DictionaryTransportMode=Intracomm report - Transport mode -DictionaryBatchStatus=Product lot/serial Quality Control status -DictionaryAssetDisposalType=Type of disposal of assets -TypeOfUnit=Type of unit +DictionaryTransportMode=Intracomm доклад - Транспортен режим +DictionaryBatchStatus=Състояние на качествен контрол на партида/серия на продукта +DictionaryAssetDisposalType=Тип изхвърляне на активи +DictionaryInvoiceSubtype=Подвидове фактури +TypeOfUnit=Тип единица SetupSaved=Настройката е запазена SetupNotSaved=Настройката не е запазена -OAuthServiceConfirmDeleteTitle=Delete OAuth entry -OAuthServiceConfirmDeleteMessage=Are you sure you want to delete this OAuth entry ? All existing tokens for it will also be deleted. -ErrorInEntryDeletion=Error in entry deletion -EntryDeleted=Entry deleted +OAuthServiceConfirmDeleteTitle=Изтриване на OAuth запис +OAuthServiceConfirmDeleteMessage=Сигурни ли сте, че искате да изтриете този OAuth запис? Всички съществуващи токени за него също ще бъдат изтрити. +ErrorInEntryDeletion=Грешка при изтриването на запис +EntryDeleted=Записът е изтрит BackToModuleList=Назад към списъка с модули BackToDictionaryList=Назад към списъка с речници TypeOfRevenueStamp=Вид на данъчния печат (бандерол) VATManagement=Управление на данък върху продажбите (ДДС) -VATIsUsedDesc=По подразбиране при създаване на перспективи, фактури, поръчки и т.н. ставката на данък продажби следва активното стандартно правило:
      Ако продавачът не е обект на данък върху продажбите, тогава данъкът върху продажбите остава 0. Край на правилото.
      Ако (страната на продавача = страната на купувача), тогава данъкът върху продажбите по подразбиране се равнява на данък върху продажбите на продукта в страната на продавача. Край на правилото.
      Ако продавачът и купувачът са в Европейската общност, а стоките са продукти зависими от транспорт (превоз, търговски флот, въздушен транспорт), то ДДС по подразбиране е 0. Това правило зависи от страната на продавача - моля консултирайте се с вашия счетоводител. ДДС трябва да бъде платен от купувача на митническата служба в тяхната страна, а не на продавача. Край на правилото.
      Ако продавачът и купувачът са в Европейската общност, а купувачът не е дружество (с регистриран вътрешнообщностен номер по ДДС), то тогава ДДС се начислява по ставката на ДДС в страната на продавача. Край на правилото.
      Ако продавачът и купувачът са в Европейската общност и купувачът е дружество (с регистриран вътрешнообщностен номер по ДДС), то тогава ДДС по подразбиране е 0. Край на правилото.
      Във всеки друг случай предложената по подразбиране ставка на ДДС е 0. Край на правилото. +VATIsUsedDesc=По подразбиране при създаване на перспективи, фактури, поръчки и т.н. ставката на данъка върху продажбите следва активното стандартно правило:
      Ако продавачът не подлежи на данък върху продажбите, тогава данъкът върху продажбите по подразбиране е 0 Край на правилото.
      Ако (държава на продавача = държава на купувача), тогава данъкът върху продажбите по подразбиране е равен на данъка върху продажбите на продукта в държавата на продавача. Край на правилото.
      Ако и продавачът, и купувачът са в Европейската общност и стоките са свързани с транспортиране продукти (транспорт, доставка, авиокомпания), ДДС по подразбиране е 0. Това правило зависи от страната на продавача - моля, консултирайте се с вашия счетоводител. ДДС трябва да бъде платен от купувача на митническата служба в неговата страна, а не на продавача. Край на правилото.
      Ако и продавачът, и купувачът са в Европейската общност и купувачът не е Компания (с регистриран вътреобщностен ДДС номер), тогава ДДС по подразбиране е ставката на ДДС в страната на продавача. Край на правилото.
      Ако и продавачът, и купувачът са в Европейската общност и купувачът е Компания (с регистриран вътреобщностен ДДС номер), тогава ДДС е 0 по подразбиране. Край на правилото.
      Във всеки друг случай предложеното по подразбиране е Данък върху продажбите=0. Край на правилото. VATIsNotUsedDesc=По подразбиране предложената ставка на ДДС е 0, което може да се използва за случаи като асоциации, физически лица или малки фирми. VATIsUsedExampleFR=Във Франция това означава дружества или организации, които имат реална фискална система (опростена реална или нормална реална). Система, в която е деклариран ДДС. VATIsNotUsedExampleFR=Във Франция това означава асоциации, които не декларират данък върху продажбите или компании, организации, или свободни професии, които са избрали фискалната система за микропредприятия (данък върху продажбите във франчайз) и са платили франчайз данък върху продажбите без декларация за данък върху продажбите. Този избор ще покаже информация за "Неприложим данък върху продажбите - art-293B от CGI" във фактурите. +VATType=VAT type ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax +TypeOfSaleTaxes=Вид данък върху продажбите LTRate=Ставка LocalTax1IsNotUsed=Да не се използва втори данък LocalTax1IsUsedDesc=Използване на втори тип данък (различен от първия) @@ -1138,9 +1149,9 @@ LocalTax2IsUsedDescES=Ставката на IRPF по подразбиране LocalTax2IsNotUsedDescES=По подразбиране предложената IRPF е 0. Край на правилото. LocalTax2IsUsedExampleES=В Испания, професионалистите на свободна практика и независимите професионалисти, които предоставят услуги и фирми, които са избрали данъчната система от модули. LocalTax2IsNotUsedExampleES=В Испания те са предприятия, които не подлежат на данъчна система от модули. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) +RevenueStampDesc=„Данъчната марка“ или „таксата“ е фиксиран данък за фактура (не зависи от сумата на фактурата). Може да бъде и процентен данък, но използването на втория или третия тип данък е по-добро за процентните данъци, тъй като таксовите марки не предоставят никакво отчитане. Само няколко страни използват този вид данък. +UseRevenueStamp=Използвайте данъчна марка +UseRevenueStampExample=Стойността на данъчните марки е дефинирана по подразбиране в настройката на речниците (%s - %s - %s) CalcLocaltax=Справки за местни данъци CalcLocaltax1=Продажби - Покупки CalcLocaltax1Desc=Справките за местни данъци се изчисляват с разликата между размера местни данъци от продажби и размера местни данъци от покупки. @@ -1148,15 +1159,15 @@ CalcLocaltax2=Покупки CalcLocaltax2Desc=Справки за местни данъци се определят, чрез размера на местни данъци от общи покупки CalcLocaltax3=Продажби CalcLocaltax3Desc=Справки за местни данъци се определят, чрез размера на местни данъци от общи продажби -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax +NoLocalTaxXForThisCountry=Според настройката на данъците (вижте %s - %s - %s) , вашата страна не трябва да използва такъв тип данък LabelUsedByDefault=Име, използвано по подразбиране, ако не може да бъде намерен превод за кода LabelOnDocuments=Текст в документи LabelOrTranslationKey=Име или ключ за превод ValueOfConstantKey=Стойност на конфигурационна константа -ConstantIsOn=Option %s is on +ConstantIsOn=Опцията %s е включена NbOfDays=Брой дни AtEndOfMonth=В края на месеца -CurrentNext=A given day in month +CurrentNext=Даден ден в месеца Offset=Офсет AlwaysActive=Винаги активна Upgrade=Актуализация @@ -1198,7 +1209,7 @@ LoginPage=Входна страница BackgroundImageLogin=Фоново изображение PermanentLeftSearchForm=Формуляр за постоянно търсене в лявото меню DefaultLanguage=Език по подразбиране -EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships +EnableMultilangInterface=Активиране на многоезична поддръжка за Клиент или връзки с доставчици EnableShowLogo=Показване на фирменото лого в менюто CompanyInfo=Фирма / Организация CompanyIds=Идентификационни данни на фирма / организация @@ -1218,10 +1229,10 @@ DoNotSuggestPaymentMode=Да не се предлага NoActiveBankAccountDefined=Няма дефинирана активна банкова сметка OwnerOfBankAccount=Титуляр на банкова сметка %s BankModuleNotActive=Модулът за банкови сметки не е активиран -ShowBugTrackLink=Show the link "%s" -ShowBugTrackLinkDesc=Keep empty to not display this link, use value 'github' for the link to the Dolibarr project or define directly an url 'https://...' +ShowBugTrackLink=Показване на връзката „%s“ +ShowBugTrackLinkDesc=Оставете празно, за да не се показва тази връзка, използвайте стойността „github“ за връзката към проекта Dolibarr или дефинирайте директно URL адрес „https://...“ Alerts=Сигнали -DelaysOfToleranceBeforeWarning=Displaying a warning alert for... +DelaysOfToleranceBeforeWarning=Показване на предупреждение за... DelaysOfToleranceDesc=Задаване на закъснение, преди на екрана да се покаже иконата за предупреждение %s за закъснелия елемент. Delays_MAIN_DELAY_ACTIONS_TODO=Планирани събития (събития в календара), които не са завършени Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Проект, който не е приключен навреме @@ -1245,11 +1256,11 @@ SetupDescription3=%s -> %s

      Основни парамет SetupDescription4=%s -> %s

      Този софтуер е пакет от много модули / приложения. Модулите, свързани с вашите нужди, трябва да бъдат активирани и конфигурирани. С активирането на тези модули ще се появят нови менюта. SetupDescription5=Менюто "Други настройки" управлява допълнителни параметри. SetupDescriptionLink=%s - %s -SetupDescription3b=Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s -Audit=Security events +SetupDescription3b=Основни параметри, използвани за персонализиране на поведението по подразбиране на вашето приложение (напр. за функции, свързани с държавата). +SetupDescription4b=Този софтуер е набор от много модули/приложения. Модулите, свързани с вашите нужди, трябва да бъдат активирани. Записите в менюто ще се появят с активирането на тези модули. +AuditedSecurityEvents=Събития за сигурност, които се одитират +NoSecurityEventsAreAduited=Не се проверяват събития за сигурност. Можете да ги активирате от менюто %s +Audit=Събития по сигурността InfoDolibarr=Относно Dolibarr InfoBrowser=Относно браузър InfoOS=Относно ОС @@ -1257,26 +1268,26 @@ InfoWebServer=Относно уеб сървър InfoDatabase=Относно база данни InfoPHP=Относно PHP InfoPerf=Относно производителност -InfoSecurity=About Security +InfoSecurity=Относно сигурността BrowserName=Име на браузър BrowserOS=ОС на браузър ListOfSecurityEvents=Списък на събития относно сигурността в Dolibarr SecurityEventsPurged=Събитията относно сигурността са премахнати -TrackableSecurityEvents=Trackable security events +TrackableSecurityEvents=Проследими събития за сигурност LogEventDesc=Активиране на регистрирането за конкретни събития за сигурност. Администриране на записаните събития, чрез меню %s - %s. Внимание, тази функция може да генерира голямо количество данни в базата данни. AreaForAdminOnly=Параметрите за настройка могат да се задават само от Администратори. SystemInfoDesc=Системната информация е различна техническа информация, която получавате в режим само за четене и е видима само за администратори. SystemAreaForAdminOnly=Тази секция е достъпна само за администратори. Потребителските права в Dolibarr не могат да променят това ограничение. CompanyFundationDesc=Редактирайте информацията за вашата фирма / организация. Кликнете върху бутона '%s' в долната част на страницата, когато сте готови. -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". +MoreNetworksAvailableWithModule=Повече социални мрежи могат да бъдат достъпни чрез активиране на модула "Социални мрежи". AccountantDesc=Ако имате външен счетоводител, тук може да редактирате неговата информация. AccountantFileNumber=Счетоводен код -DisplayDesc=Parameters affecting the look and presentation of the application can be modified here. +DisplayDesc=Тук могат да се променят параметрите, засягащи външния вид и представянето на приложението. AvailableModules=Налични модули / приложения ToActivateModule=За да активирате модули, отидете на в секцията за настройка (Начало -> Настройка -> Модули / Приложения). SessionTimeOut=Време за сесия SessionExplanation=Това число гарантира, че сесията никога няма да изтече преди това закъснение, ако чистачът на сесии се извършва от вътрешен PHP чистач на сесии (и нищо друго). Вътрешният PHP чистач на сесии не гарантира, че сесията ще изтече след това закъснение. Тя ще изтече, след това закъснение и когато се задейства чистачът на сесии на всеки %s / %s идентифицирания в системата, но само по време на достъп от други сесии (ако стойността е 0, това означава, че почистването на сесията се извършва само от външен процес).
      Забележка: на някои сървъри с външен механизъм за почистване на сесиите (cron под debian, ubuntu ...), сесиите могат да бъдат унищожени след период, определен от външна настройка, независимо от въведената тук стойност. -SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. +SessionsPurgedByExternalSystem=Сесиите на този сървър изглежда се почистват от външен механизъм (cron под debian, ubuntu ...), вероятно всеки %s секунди (= стойност на параметъра session.gc_maxlifetime) , така че промяната на стойността тук няма ефект. Трябва да помолите администратора на сървъра да промени забавянето на сесията. TriggersAvailable=Налични тригери TriggersDesc=Тригерите са файлове, които ще променят поведението на Dolibarr след като бъдат копирани в директорията htdocs/core/triggers. Те реализират нови действия, активирани при събития в Dolibarr (създаване на нов контрагент, валидиране на фактура, ...). TriggerDisabledByName=Тригерите в този файл са деактивирани от суфикса -NORUN в името му. @@ -1286,7 +1297,7 @@ TriggerActiveAsModuleActive=Тригерите в този файл са акт GeneratedPasswordDesc=Изберете метода, който ще се използва за автоматично генерирани пароли. DictionaryDesc=Определете всички референтни данни. Може да добавите стойности по подразбиране. ConstDesc=Тази страница позволява да редактирате (презаписвате) параметри, които не са достъпни в други страници. Това са предимно запазени параметри само за разработчици / разширено отстраняване на проблеми. -MiscellaneousOptions=Miscellaneous options +MiscellaneousOptions=Разни опции MiscellaneousDesc=Тук са дефинирани всички параметри, свързани със сигурността. LimitsSetup=Граници / Прецизна настройка LimitsDesc=Тук може да дефинирате ограничения използвани от Dolibarr за по-голяма прецизност и оптимизация @@ -1311,7 +1322,7 @@ RestoreDesc2=Възстановете от архивният файл (напр RestoreDesc3=Възстановете структурата на базата данни и данните от архивния файл в базата данни на новата Dolibarr инсталация или в базата данни (%s) на настоящата инсталация. Внимание, след като възстановяването приключи, трябва да използвате потребителско име и парола, които са били налични по време на архивирането / инсталацията, за да се свържете отново.
      За да възстановите архивирана база данни в тази текущата инсталация, може да използвате следния асистент. RestoreMySQL=Импортиране на MySQL ForcedToByAModule=Това правило е принудено да %s, чрез активиран модул -ValueIsForcedBySystem=This value is forced by the system. You can't change it. +ValueIsForcedBySystem=Тази стойност се налага от системата. Не можете да го промените. PreviousDumpFiles=Съществуващи архивни файлове PreviousArchiveFiles=Съществуващи архивни файлове WeekStartOnDay=Първи ден от седмицата @@ -1319,14 +1330,14 @@ RunningUpdateProcessMayBeRequired=Актуализацията изглежда YouMustRunCommandFromCommandLineAfterLoginToUser=Трябва да изпълните тази команда от командния ред след влизане в shell с потребител %s или трябва да добавите опция -W в края на командния ред, за да се предостави %s парола. YourPHPDoesNotHaveSSLSupport=SSL функциите не са налични във вашия PHP DownloadMoreSkins=Изтегляне на повече теми -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset -AdvancedNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset -ShowProfIdInAddress=Show professional ID with addresses -ShowVATIntaInAddress=Hide intra-Community VAT number +SimpleNumRefModelDesc=Връща референтния номер във формат %syymm-nnnn, където yy е годината, mm е месецът и nnnn е последователно автоматично увеличаващо се число без нулиране +SimpleRefNumRefModelDesc=Връща референтния номер във формат n, където n е последователно автоматично увеличаващо се число без нулиране +AdvancedNumRefModelDesc=Връща референтния номер във формат %syymm-nnnn, където yy е годината, mm е месецът и nnnn е последователно автоматично увеличаващо се число без нулиране +SimpleNumRefNoDateModelDesc=Връща референтния номер във формат %s-nnnn, където nnnn е последователно автоматично увеличаващо се число без нулиране +ShowProfIdInAddress=Показване на професионален идентификатор с адреси +ShowVATIntaInAddress=Скриване на вътреобщностния ДДС номер TranslationUncomplete=Частичен превод -MAIN_DISABLE_METEO=Disable weather thumb +MAIN_DISABLE_METEO=Деактивирайте палеца за времето MeteoStdMod=Стандартен режим MeteoStdModEnabled=Стандартният режим е активиран MeteoPercentageMod=Процентен режим @@ -1340,7 +1351,7 @@ MAIN_PROXY_HOST=Прокси сървър: Име / Адрес MAIN_PROXY_PORT=Прокси сървър: Порт MAIN_PROXY_USER=Прокси сървър: Потребителско име MAIN_PROXY_PASS=Прокси сървър: Парола -DefineHereComplementaryAttributes=Define any additional / custom attributes that must be added to: %s +DefineHereComplementaryAttributes=Дефинирайте всички допълнителни / персонализирани атрибути, които трябва да се добавят към: %s ExtraFields=Допълнителни атрибути ExtraFieldsLines=Допълнителни атрибути (редове) ExtraFieldsLinesRec=Допълнителни атрибути (редове в шаблонни фактури) @@ -1375,10 +1386,10 @@ WarningAtLeastKeyOrTranslationRequired=Изисква се критерий за NewTranslationStringToShow=Нов преводен низ, който да се покаже OriginalValueWas=Оригиналния превод е презаписан. Първоначалната стойност е:

      %s TransKeyWithoutOriginalValue=Наложихте нов превод за ключа за превод "%s", който не съществува в нито един от езиковите файлове -TitleNumberOfActivatedModules=Activated modules -TotalNumberOfActivatedModules=Activated modules: %s / %s +TitleNumberOfActivatedModules=Активирани модули +TotalNumberOfActivatedModules=Активирани модули: %s / %s YouMustEnableOneModule=Трябва да активирате поне 1 модул -YouMustEnableTranslationOverwriteBefore=You must first enable translation overwriting to be allowed to replace a translation +YouMustEnableTranslationOverwriteBefore=Първо трябва да активирате презаписването на превод, за да можете да замените превод ClassNotFoundIntoPathWarning=Не е намерен клас %s в описания PHP път YesInSummer=Да през лятото OnlyFollowingModulesAreOpenedToExternalUsers=Забележка: Само следните модули са достъпни за външни потребители (независимо от правата им), ако са им предоставени съответните права.
      @@ -1387,28 +1398,28 @@ ConditionIsCurrently=Понастоящем състоянието е %s YouUseBestDriver=Използвате драйвер %s, който е най-добрият драйвер в момента. YouDoNotUseBestDriver=Използвате драйвер %s, но драйвер %s е препоръчителен. NbOfObjectIsLowerThanNoPb=Имате само %s %s в базата данни. Това не изисква особена оптимизация. -ComboListOptim=Combo list loading optimization +ComboListOptim=Оптимизиране на зареждането на комбиниран списък SearchOptim=Оптимизация на търсене -YouHaveXObjectUseComboOptim=You have %s %s in the database. You can go into setup of module to enable loading of combo list on key pressed event. -YouHaveXObjectUseSearchOptim=You have %s %s in the database. You can add the constant %s to 1 in Home-Setup-Other. -YouHaveXObjectUseSearchOptimDesc=This limits the search to the beginning of strings which makes it possible for the database to use indexes and you should get an immediate response. -YouHaveXObjectAndSearchOptimOn=You have %s %s in the database and constant %s is set to %s in Home-Setup-Other. +YouHaveXObjectUseComboOptim=Имате %s %s в базата данни. Можете да влезете в настройката на модула, за да разрешите зареждането на комбо списък при натиснат клавиш. +YouHaveXObjectUseSearchOptim=Имате %s %s в базата данни. Можете да добавите константата %s към 1 в Home-Setup-Other. +YouHaveXObjectUseSearchOptimDesc=Това ограничава търсенето до началото на низове, което прави възможно базата данни да използва индекси и трябва да получите незабавен отговор. +YouHaveXObjectAndSearchOptimOn=Имате %s %s в базата данни и константата %s е зададена на %s в Home-Setup-Other. BrowserIsOK=Използвате уеб браузъра %s. Този браузър е добър от гледна точка на сигурност и производителност. BrowserIsKO=Използвате уеб браузъра %s. Известно е, че този браузър е лош избор от гледна точка на сигурност, производителност и надеждност. Препоръчително е да използвате Firefox, Chrome, Opera или Safari. PHPModuleLoaded=PHP компонент %s е зареден PreloadOPCode=Използва се предварително зареден OPCode -AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". -AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". +AddRefInList=Показване на Клиент/доставчик ref. в комбинирани списъци.
      Трети страни ще се покажат с формат на име "CC12345 - SC45678 - The Big Компания corp." вместо „The Big Компания corp“. +AddVatInList=Показване на Клиент/ДДС номер на доставчик в комбинирани списъци. +AddAdressInList=Показване на Клиент/адрес на доставчик в комбинирани списъци.
      Трети страни ще се покажат с формат на името „The Big Компания corp. - 21 jump street 123456 Big town - САЩ" вместо "The Big Компания corp". +AddEmailPhoneTownInContactList=Показване на имейл адрес за връзка (или телефони, ако не са дефинирани) и списък с информация за града (изберете списък или падащо поле)
      Контактите ще се покажат с формат на име "Dupond Durand - dupond.durand@example .com – Париж“ или „Dupond Durand – 06 07 59 65 66 – Paris“ вместо „Dupond Durand“. AskForPreferredShippingMethod=Запитване към контрагенти за предпочитан начин на доставка FieldEdition=Издание на поле %s FillThisOnlyIfRequired=Пример: +2 (попълнете само ако има проблеми с компенсирането на часовата зона) GetBarCode=Получаване на баркод NumberingModules=Модели за номериране -DocumentModules=Document models +DocumentModules=Модели на документи ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters. +PasswordGenerationStandard=Връща парола, генерирана съгласно вътрешния алгоритъм на Dolibarr: %s знаци, съдържащи споделени числа и знаци. PasswordGenerationNone=Да не се предлага генерирана парола. Паролата трябва да бъде въведена ръчно. PasswordGenerationPerso=Връщане на парола според вашата лично дефинирана конфигурация SetupPerso=Според вашата конфигурация @@ -1418,7 +1429,9 @@ RuleForGeneratedPasswords=Правила за генериране и валид DisableForgetPasswordLinkOnLogonPage=Да не се показва връзката "Забравена парола" на страницата за вход UsersSetup=Настройка на модула за потребители UserMailRequired=Необходим е имейл при създаване на нов потребител -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) +UserHideInactive=Скрийте неактивните потребители от всички комбинирани списъци с потребители (Не се препоръчва: това може да означава, че няма да можете да филтрирате или търсите стари потребители на някои страници) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Шаблони на документи за потребителски профил GroupsDocModules=Шаблони на документи за групов профил ##### HRM setup ##### @@ -1430,7 +1443,7 @@ AccountCodeManager=Опции за автоматично генериране NotificationsDesc=Автоматично изпращане на имейл известия за някои събития в Dolibarr.
      Получателите на известия могат да бъдат дефинирани: NotificationsDescUser=* за потребител, един по един NotificationsDescContact=* за контакти на контрагенти (клиенти или доставчици), един по един -NotificationsDescGlobal=* or by setting global email addresses in the setup page of the module. +NotificationsDescGlobal=* или като зададете глобални имейл адреси в страницата за настройка на модула. ModelModules=Шаблони за документи DocumentModelOdt=Генериране на документи от шаблоните на OpenDocument (файлове .ODT / .ODS от LibreOffice, OpenOffice, KOffice, TextEdit, ...) WatermarkOnDraft=Воден знак върху чернова на документ @@ -1452,7 +1465,7 @@ BillsPDFModules=Шаблони на документи за фактури BillsPDFModulesAccordindToInvoiceType=Модели на фактури в зависимост от вида на фактурата PaymentsPDFModules=Шаблони на платежни документи ForceInvoiceDate=Принуждаване на датата на фактурата да се синхронизира с датата на валидиране -SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined on the invoice +SuggestedPaymentModesIfNotDefinedInInvoice=Предложен режим на плащане по фактура по подразбиране, ако не е дефиниран във фактурата SuggestPaymentByRIBOnAccount=Да се предлага плащане по сметка SuggestPaymentByChequeToAddress=Да се предлага плащане с чек FreeLegalTextOnInvoices=Свободен текст във фактури @@ -1460,17 +1473,17 @@ WatermarkOnDraftInvoices=Воден знак върху чернови факт PaymentsNumberingModule=Модел за номериране на плащания SuppliersPayment=Плащания към доставчици SupplierPaymentSetup=Настройка на плащания към доставчици -InvoiceCheckPosteriorDate=Check facture date before validation -InvoiceCheckPosteriorDateHelp=Validating an invoice will be forbidden if its date is anterior to the date of last invoice of same type. -InvoiceOptionCategoryOfOperations=Display the mention "category of operations" on the invoice. -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
      - Category of operations: Delivery of goods
      - Category of operations: Provision of services
      - Category of operations: Mixed - Delivery of goods & provision of services -InvoiceOptionCategoryOfOperationsYes1=Yes, below the address block -InvoiceOptionCategoryOfOperationsYes2=Yes, in the lower left-hand corner +InvoiceCheckPosteriorDate=Проверете фактурата Дата преди валидиране +InvoiceCheckPosteriorDateHelp=Потвърждаването на фактура ще бъде забранено, ако нейният Дата е предшестващ Дата на последната фактура от същия тип. +InvoiceOptionCategoryOfOperations=Покажете споменаването „Категория на операциите“ във фактурата. +InvoiceOptionCategoryOfOperationsHelp=В зависимост от ситуацията, споменаването ще се появи във формата:
      - Категория на операции: Доставка на стоки
      - Категория от операции: Предоставяне на услуги
      - Категория операции: Смесени - Доставка на стоки и предоставяне на услуги +InvoiceOptionCategoryOfOperationsYes1=Да, под адресния блок +InvoiceOptionCategoryOfOperationsYes2=Да, в долния ляв ъгъл ##### Proposals ##### PropalSetup=Настройка на модула за търговски предложения ProposalsNumberingModules=Модели за номериране на търговски предложения ProposalsPDFModules=Шаблони на документи за търговски предложения -SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined on the proposal +SuggestedPaymentModesIfNotDefinedInProposal=Предложен режим на плащане по предложение по подразбиране, ако не е дефиниран в предложението FreeLegalTextOnProposal=Свободен текст в търговски предложения WatermarkOnDraftProposal=Воден знак върху чернови търговски предложения (няма, ако е празно) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Питане за данни на банкова сметка в търговски предложения @@ -1485,7 +1498,7 @@ WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Питане за изходен склад ##### Suppliers Orders ##### BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Да се пита за детайли на банковата сметка в поръчките за покупка ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sales order by default if not defined on the order +SuggestedPaymentModesIfNotDefinedInOrder=Предложен режим на плащане в поръчка за продажба по подразбиране, ако не е дефиниран в поръчката OrdersSetup=Настройка на модул Поръчки за продажба OrdersNumberingModules=Модели за номериране на поръчки OrdersModelModule=Шаблони на документи за поръчки @@ -1508,15 +1521,15 @@ WatermarkOnDraftContractCards=Воден знак върху чернови до ##### Members ##### MembersSetup=Настройка на модула за членове MemberMainOptions=Основни параметри -MemberCodeChecker=Options for automatic generation of member codes -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +MemberCodeChecker=Опции за автоматично генериране на членски кодове +AdherentLoginRequired=Управлявайте потребителско име/парола за всеки член +AdherentLoginRequiredDesc=Добавете стойност за потребителско име и парола към членския файл. Ако членът е свързан с потребител, актуализирането на потребителското име и парола също ще актуализира потребителското име и парола. AdherentMailRequired=Необходим е имейл при създаване на нов член MemberSendInformationByMailByDefault=По подразбиране е активирано изпращането на потвърждение, чрез имейл до членове (валидиране или нов абонамент) -MemberCreateAnExternalUserForSubscriptionValidated=Create an external user login for each new member subscription validated -VisitorCanChooseItsPaymentMode=Visitor can choose from any available payment modes +MemberCreateAnExternalUserForSubscriptionValidated=Създайте вход за външен потребител за всеки валидиран абонамент за нов член +VisitorCanChooseItsPaymentMode=Посетителят може да избира от всички налични плащане режими MEMBER_REMINDER_EMAIL=Активиране на автоматично напомняне, чрез имейл за изтекли абонаменти. Забележка: Модул %s трябва да е активиран и правилно настроен за изпращане на напомняния. -MembersDocModules=Document templates for documents generated from member record +MembersDocModules=Шаблони на документи за документи, генерирани от запис на член ##### LDAP setup ##### LDAPSetup=Настройка на LDAP LDAPGlobalParameters=Глобални параметри @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Групи LDAPContactsSynchro=Контакти LDAPMembersSynchro=Членове LDAPMembersTypesSynchro=Видове членове -LDAPSynchronization=Синхронизация на LDAP +LDAPSynchronization=LDAP синхронизация LDAPFunctionsNotAvailableOnPHP=LDAP функциите не са достъпни за вашия PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1538,10 +1551,10 @@ LDAPSynchronizeMembersTypes=Организация на видовете чле LDAPPrimaryServer=Основен сървър LDAPSecondaryServer=Вторичен сървър LDAPServerPort=Порт на сървъра -LDAPServerPortExample=Standard or StartTLS: 389, LDAPs: 636 +LDAPServerPortExample=Стандартен или StartTLS: 389, LDAPs: 636 LDAPServerProtocolVersion=Версия на протокола LDAPServerUseTLS=Използване на TLS -LDAPServerUseTLSExample=Your LDAP server use StartTLS +LDAPServerUseTLSExample=Вашият LDAP сървър използва StartTLS LDAPServerDn=DN на сървър LDAPAdminDn=DN на администратор LDAPAdminDnExample=Пълна DN (напр. cn = admin, dc = example, dc = com или cn = Administrator, cn = Users, dc = example, dc = com за активна директория) @@ -1598,7 +1611,7 @@ LDAPFieldLoginUnix=Входни данни (unix) LDAPFieldLoginExample=Пример: uid LDAPFilterConnection=Филтър за търсене LDAPFilterConnectionExample=Пример: &(objectClass=inetOrgPerson) -LDAPGroupFilterExample=Example: &(objectClass=groupOfUsers) +LDAPGroupFilterExample=Пример: &(objectClass=groupOfUsers) LDAPFieldLoginSamba=Входни данни (samba, activedirectory) LDAPFieldLoginSambaExample=Пример: СамбаПотребителскоИме LDAPFieldFullname=Пълно име @@ -1643,11 +1656,11 @@ LDAPFieldEndLastSubscription=Дата на приключване на абон LDAPFieldTitle=Длъжност LDAPFieldTitleExample=Пример: титла LDAPFieldGroupid=Идентификатор на група -LDAPFieldGroupidExample=Example : gidnumber +LDAPFieldGroupidExample=Пример: gidnumber LDAPFieldUserid=Идентификатор на потребител -LDAPFieldUseridExample=Example : uidnumber +LDAPFieldUseridExample=Пример: uidnumber LDAPFieldHomedirectory=Основна директория -LDAPFieldHomedirectoryExample=Пример: homedirectory +LDAPFieldHomedirectoryExample=Пример: домашна директория LDAPFieldHomedirectoryprefix=Префикс за основна директория LDAPSetupNotComplete=Настройката за LDAP не е завършена (преминете през другите раздели) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Не е предоставен администратор или парола. LDAP достъпът ще бъде анонимен и в режим само за четене. @@ -1660,16 +1673,16 @@ LDAPDescValues=Примерните стойности са предназнач ForANonAnonymousAccess=За удостоверен достъп (например за достъп за писане) PerfDolibarr=Настройка за производителност / отчет за оптимизация YouMayFindPerfAdviceHere=Тази страница предоставя някои проверки или съвети, свързани с производителността. -NotInstalled=Not installed. -NotSlowedDownByThis=Not slowed down by this. -NotRiskOfLeakWithThis=Not risk of leak with this. +NotInstalled=Не е инсталирано. +NotSlowedDownByThis=Не се забавя от това. +NotRiskOfLeakWithThis=Няма риск от изтичане с това. ApplicativeCache=Приложим кеш MemcachedNotAvailable=Не е намерен приложим кеш. Може да подобрите производителността, чрез инсталиране на кеш сървър Memcached и модул, който може да използва този кеш сървър.
      Повече информация може да откриете тук http://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      Имайте предвид, че много уеб хостинг доставчици не предоставят такъв кеш сървър. MemcachedModuleAvailableButNotSetup=Намерен е модул Memcached за приложим кеш, но настройката на модула не е завършена. MemcachedAvailableAndSetup=Модулът Memcached, предназначен за използване на Memcached сървър, е активиран. OPCodeCache=OPCode кеш NoOPCodeCacheFound=Не е намерен OPCode кеш. Може би използвате OPCode кеш, различен от XCache или eAccelerator (добър) или може би нямате OPCode кеш (много лошо). -HTTPCacheStaticResources=HTTP кеш за статични ресурси (css, img, javascript) +HTTPCacheStaticResources=HTTP кеш за статични ресурси (css, img, JavaScript) FilesOfTypeCached=Файлове от тип %s се кешират от HTTP сървър FilesOfTypeNotCached=Файлове от тип %s не се кешират от HTTP сървър FilesOfTypeCompressed=Файлове от тип %s се компресират от HTTP сървър @@ -1691,13 +1704,13 @@ ProductSetup=Настройка на модулa за продукти ServiceSetup=Настройка на модулa за услуги ProductServiceSetup=Настройка на модула за продукти и услуги NumberOfProductShowInSelect=Максимален брой продукти за показване в комбинирани списъци за избор (0 = без ограничение) -ViewProductDescInFormAbility=Display product descriptions in lines of items (otherwise show description in a tooltip popup) -OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document -AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product -DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. -DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents +ViewProductDescInFormAbility=Показвайте описанията на продуктите в редове с елементи (в противен случай покажете Описание в изскачащ прозорец с подсказки) +OnProductSelectAddProductDesc=Как да използвате Описание на продуктите, когато добавяте продукт като ред на документ +AutoFillFormFieldBeforeSubmit=Автоматично попълване на полето за въвеждане Описание с Описание на продукта +DoNotAutofillButAutoConcat=Не попълвайте автоматично полето за въвеждане с Описание на продукта. Описание на продукта ще бъде свързан към въведения Описание автоматично. +DoNotUseDescriptionOfProdut=Описание на продукта никога няма да бъде включен в Описание редове с документи MergePropalProductCard=Активиране на опция за обединяване на продуктови PDF документи налични в секцията "Прикачени файлове и документи" в раздела "Свързани файлове" на търговско предложение, ако се продукт / услуга в предложението и модел за документи Azur -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) +ViewProductDescInThirdpartyLanguageAbility=Показване на описания на продукти във формуляри на езика на третата страна (в противен случай на езика на потребителя) UseSearchToSelectProductTooltip=Също така, ако имате голям брой продукти (> 100 000) може да увеличите скоростта като зададете константата PRODUCT_DONOTSEARCH_ANYWHERE да бъде със стойност "1" в Настройки - Други настройки. След това търсенето ще бъде ограничено до началото на низ. UseSearchToSelectProduct=Изчакване, докато бъде натиснат клавиш преди да се зареди съдържанието на комбинирания списък с продукти (това може да увеличи производителността, ако имате голям брой продукти, но е по-малко удобно) SetDefaultBarcodeTypeProducts=Тип баркод по подразбиране, който да се използва за продукти @@ -1714,9 +1727,9 @@ SyslogLevel=Ниво SyslogFilename=Име на файла и път YouCanUseDOL_DATA_ROOT=Може да използвате DOL_DATA_ROOT/dolibarr.log за регистрационен файл в Dolibarr "documents" директорията. Може да зададете различен път за съхранение на този файл. ErrorUnknownSyslogConstant=Константата %s не е известна константа на Syslog -OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported +OnlyWindowsLOG_USER=В Windows ще се поддържа само функцията LOG_USER CompressSyslogs=Компресиране и архивиране на журнали за грешки (генерирани от модула Журнали за отстраняване на грешки) -SyslogFileNumberOfSaves=Number of backup logs to keep +SyslogFileNumberOfSaves=Брой резервни регистрационни файлове, които да се пазят ConfigureCleaningCronjobToSetFrequencyOfSaves=Конфигурирайте планираната задача за почистване, за да зададете честотата на архивиране на журнала ##### Donations ##### DonationsSetup=Настройка на модула за дарения @@ -1755,9 +1768,9 @@ MailingDelay=Секунди за изчакване преди изпращан NotificationSetup=Настройка на модул Имейл известяване NotificationEMailFrom=Подател на имейли (From), изпратени от модула за известяване FixedEmailTarget=Получател -NotificationDisableConfirmMessageContact=Hide the list of recipients (subscribed as contact) of notifications into the confirmation message -NotificationDisableConfirmMessageUser=Hide the list of recipients (subscribed as user) of notifications into the confirmation message -NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as global email) of notifications into the confirmation message +NotificationDisableConfirmMessageContact=Скриване на списъка с получатели (абониран като контакт) на Известия в съобщението за потвърждение +NotificationDisableConfirmMessageUser=Скриване на списъка с получатели (абониран като потребител) на Известия в съобщението за потвърждение +NotificationDisableConfirmMessageFix=Скриване на списъка с получатели (абониран като глобален имейл) на Известия в съобщението за потвърждение ##### Sendings ##### SendingsSetup=Настройка на модула Експедиция SendingsReceiptModel=Шаблони на документи за пратки @@ -1773,36 +1786,36 @@ FreeLegalTextOnDeliveryReceipts=Свободен текст в разписки ##### FCKeditor ##### AdvancedEditor=Разширен редактор ActivateFCKeditor=Активиране на разширен редактор за: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG създаване / промяна на масови имейли (Инструменти -> Масови имейли) -FCKeditorForUserSignature=WYSIWIG създаване / промяна на подпис на потребители -FCKeditorForMail=WYSIWIG създаване / променяне на цялата поща (с изключение на Настройка -> Имейли) -FCKeditorForTicket=WYSIWIG създаване / променяне за тикети +FCKeditorForNotePublic=WYSIWYG създаване/редактиране на полето "публични бележки" на елементи +FCKeditorForNotePrivate=WYSIWYG създаване/редактиране на полето "лични бележки" на елементи +FCKeditorForCompany=WYSIWYG създаване/редактиране на полето Описание от елементи (с изключение на продукти/услуги) +FCKeditorForProductDetails=WYSIWYG създаване/редактиране на продукти Описание или редове за обекти (редове с предложения, поръчки, фактури и др...). +FCKeditorForProductDetails2=Предупреждение: Използването на тази опция за този случай сериозно не се препоръчва, тъй като може да създаде проблеми със специални знаци и форматиране на страници при създаване на PDF файлове. +FCKeditorForMailing= WYSIWYG създаване/издание за масови имейли (Инструменти->eMailing) +FCKeditorForUserSignature=WYSIWYG създаване/редактиране на потребителски подпис +FCKeditorForMail=WYSIWYG създаване/редактиране за цялата поща (с изключение на Tools->eMailing) +FCKeditorForTicket=WYSIWYG създаване/издание за тикети ##### Stock ##### StockSetup=Настройка на модул Наличности IfYouUsePointOfSaleCheckModule=Ако използвате модула точка за продажби (ПОС), предоставен по подразбиране или чрез външен модул, тази настройка може да бъде игнорирана от вашия ПОС модул. Повечето ПОС модули по подразбиране са разработени да създават веднага фактура, след което да намаляват наличностите, независимо от опциите тук. В случай, че имате нужда или не от автоматично намаляване на наличностите при регистриране на продажба от ПОС проверете и настройката на вашия ПОС модул. ##### Menu ##### MenuDeleted=Менюто е изтрито -Menu=Menu +Menu=Меню Menus=Менюта TreeMenuPersonalized=Персонализирани менюта NotTopTreeMenuPersonalized=Персонализирани менюта, които не са свързани с главното меню NewMenu=Ново меню MenuHandler=Манипулатор на меню MenuModule=Модул източник -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) +HideUnauthorizedMenu=Скриване на неоторизирани менюта също и за вътрешни потребители (в противен случай просто оцветени в сиво) DetailId=Идентификатор на меню DetailMenuHandler=Манипулатор на меню, в който да се покаже новото меню DetailMenuModule=Име на модула, ако входните данни на менюто идват от модул DetailType=Тип меню (горно или ляво) DetailTitre=Име на меню или име на код за превод -DetailUrl=URL where menu send you (Relative URL link or external link with https://) +DetailUrl=URL адрес, на който ви изпраща менюто (относителна URL връзка или външна връзка с https://) DetailEnabled=Условие за показване или не на вписване -DetailRight=Условие за показване на неоторизирани (сиви) менюта +DetailRight=Условие за показване на неоторизирани сиви менюта DetailLangs=Име на .lang файл с име на код на превод DetailUser=Вътрешен / Външен / Всички Target=Цел @@ -1834,31 +1847,31 @@ YourCompanyDoesNotUseVAT=Вашата фирма не е определила д AccountancyCode=Счетоводен код AccountancyCodeSell=Счетоводен код за продажба AccountancyCodeBuy=Счетоводен код за покупка -CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Keep the checkbox “Automatically create the payment” empty by default when creating a new tax +CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Оставете квадратчето за отметка „автоматично създаване на плащане“ празно по подразбиране, когато създавате нов данък ##### Agenda ##### AgendaSetup = Настройка на модула за събития и календар AGENDA_DEFAULT_FILTER_TYPE = Автоматично задаване на стойност по подразбиране за вид събитие във филтъра за търсене на календара AGENDA_DEFAULT_FILTER_STATUS = Автоматично задаване на стойност по подразбиране за статус на събитие във филтъра за търсене на календара -AGENDA_DEFAULT_VIEW = Which view do you want to open by default when selecting menu Agenda -AGENDA_EVENT_PAST_COLOR = Past event color -AGENDA_EVENT_CURRENT_COLOR = Current event color -AGENDA_EVENT_FUTURE_COLOR = Future event color -AGENDA_REMINDER_BROWSER = Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). +AGENDA_DEFAULT_VIEW = Кой изглед искате да отворите по подразбиране, когато изберете меню Дневен ред +AGENDA_EVENT_PAST_COLOR = Минало събитие Цвят +AGENDA_EVENT_CURRENT_COLOR = Текущо събитие Цвят +AGENDA_EVENT_FUTURE_COLOR = Бъдещо събитие Цвят +AGENDA_REMINDER_BROWSER = Активиране на напомнянето за събитие в браузъра на потребителя (Когато се стигне до напомняне Дата , изскачащ прозорец се показва от браузъра. Всеки потребител може да деактивира такова Известия от настройката на своя браузър Известие). AGENDA_REMINDER_BROWSER_SOUND = Активиране на звуково известяване -AGENDA_REMINDER_EMAIL = Enable event reminder by emails (remind option/delay can be defined on each event). -AGENDA_REMINDER_EMAIL_NOTE = Note: The frequency of the scheduled job %s must be enough to be sure that the remind are sent at the correct moment. +AGENDA_REMINDER_EMAIL = Активиране на напомняне за събитие чрез имейли (опция/закъснение за напомняне може да се дефинира за всяко събитие). +AGENDA_REMINDER_EMAIL_NOTE = Забележка: Честотата на планираното задание %s трябва да е достатъчна, за да сте сигурни, че напомнянията се изпращат в правилния момент. AGENDA_SHOW_LINKED_OBJECT = Показване на свързания обект в календара AGENDA_USE_EVENT_TYPE = Използване на видове събития (управлявани в меню Настройка - Речници - Видове събития в календара) AGENDA_USE_EVENT_TYPE_DEFAULT = Автоматично задаване на стойност по подразбиране за вид събитие във формуляра при създаване на събитие PasswordTogetVCalExport = Ключ за оторизация на връзката за експортиране PastDelayVCalExport=Да не се експортират събития по-стари от -SecurityKey = Security Key +SecurityKey = Ключ за защита ##### ClickToDial ##### ClickToDialSetup=Настройка на модула за набиране (ClickToDial) -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). -ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. +ClickToDialUrlDesc=URL адресът се извиква при щракване върху снимката на телефона. В URL можете да използвате тагове
      __PHONETO__, които ще бъдат заменен с телефонния номер на лицето, на което да се обадите
      __PHONEFROM__, който ще бъде заменен с телефонен номер на обаждащото се лице (ваш)
      __LOGIN__
      , които ще бъдат заменени с данни за влизане чрез кликване (дефинирани в потребителската карта)
      __PASS__ , която ще бъде заменена с парола за набиране чрез кликване (дефинирана в потребителската карта). +ClickToDialDesc=Този модул променя телефонните номера, когато използвате настолен компютър, във връзки, върху които може да се кликне. Щракването ще извика номера. Това може да се използва за стартиране на телефонния разговор, когато използвате софтуерен телефон на вашия работен плот или когато използвате CTI система, базирана на SIP протокол, например. Забележка: Когато използвате смартфон, телефонните номера винаги могат да се кликват. ClickToDialUseTelLink=Просто използвайте връзката "tel:" за телефонни номера -ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface, installed on the same computer as the browser, and called when you click on a link starting with "tel:" in your browser. If you need a link that start with "sip:" or a full server solution (no need of local software installation), you must set this to "No" and fill the next field. +ClickToDialUseTelLinkDesc=Използвайте този метод, ако вашите потребители имат софтфон или софтуерен интерфейс, инсталиран на същия компютър като браузъра, и се извиква, когато щракнете върху връзка, започваща с "tel:" във вашия браузър. Ако имате нужда от връзка, която започва с „sip:“ или пълно сървърно решение (няма нужда от локална инсталация на софтуер), трябва да зададете това на „Не“ и да попълните следващото поле. ##### Point Of Sale (CashDesk) ##### CashDesk=Точка за продажба CashDeskSetup=Настройка на модул Точка за продажби @@ -1867,14 +1880,15 @@ CashDeskBankAccountForSell=Сметка по подразбиране, коят CashDeskBankAccountForCheque=Банкова сметка по подразбиране, която да се използва за получаване на плащания с чек CashDeskBankAccountForCB=Сметка по подразбиране, която да се използва за получаване на плащания с кредитни карти CashDeskBankAccountForSumup=Банкова сметка по подразбиране, която да използвате за получаване на плащания от SumUp -CashDeskDoNotDecreaseStock=Изключване на намаляването на наличности, когато продажбата се извършва от точка за продажби (ако стойността е "НЕ", намаляването на наличности се прави за всяка продажба, извършена от ПОС, независимо от опцията, определена в модула Наличности). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Принуждаване и ограничаване използването на склад при намаляване на наличностите StockDecreaseForPointOfSaleDisabled=Намаляването на наличности от точка за продажби е деактивирано StockDecreaseForPointOfSaleDisabledbyBatch=Намаляването на наличности в ПОС не е съвместимо с модула Продуктови партиди (активен в момента), така че намаляването на наличности е деактивирано. CashDeskYouDidNotDisableStockDecease=Не сте деактивирали намаляването на запасите при продажбата от точка за продажби, поради тази причина се изисква наличие на склад. CashDeskForceDecreaseStockLabel=Намаляването на наличности за партидни продукти е принудително. CashDeskForceDecreaseStockDesc=Намаляване първо от най-ранната дата на годност и дата на продажба -CashDeskReaderKeyCodeForEnter=Key ASCII code for "Enter" defined in barcode reader (Example: 13) +CashDeskReaderKeyCodeForEnter=Ключов ASCII код за "Enter", дефиниран в четец на баркод (Пример: 13) ##### Bookmark ##### BookmarkSetup=Настройка на модула на отметки BookmarkDesc=Този модул позволява да се управляват отметки. Може също да добавяте преки пътища към всички страници на Dolibarr или външни уеб сайтове в лявото меню. @@ -1912,7 +1926,7 @@ SuppliersInvoiceNumberingModel=Модели за номериране на фа IfSetToYesDontForgetPermission=Ако е настроена различна от нула стойност, не забравяйте да предоставите права на групите или потребителите за второ одобрение ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=Настройка на модула GeoIP Maxmind -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation +PathToGeoIPMaxmindCountryDataFile=Път до файл, съдържащ Maxmind ip превод към държава NoteOnPathLocation=Обърнете внимание, че вашият IP файл с данни за държавата трябва да е в директория, която може да се чете от PHP (проверете настройките на вашата PHP open_basedir и правата на файловата система). YouCanDownloadFreeDatFileTo=Може да изтеглите безплатна демо версия на Maxmind GeoIP файла за държавата от %s. YouCanDownloadAdvancedDatFileTo=Може също така да изтеглите по-пълна версия, с актуализации на Maxmind GeoIP файла за държавата от %s. @@ -1952,7 +1966,7 @@ ExpenseReportsRulesSetup=Настройка на модул Разходни о ExpenseReportNumberingModules=Модул за номериране на разходни отчети NoModueToManageStockIncrease=Не е активиран модул, способен да управлява автоматичното увеличаване на наличности. Увеличаването на наличности ще се извършва само при ръчно въвеждане. YouMayFindNotificationsFeaturesIntoModuleNotification=Може да откриете опции за известия по имейл като активирате и конфигурирате модула "Известия". -TemplatesForNotifications=Templates for notifications +TemplatesForNotifications=Шаблони за Известия ListOfNotificationsPerUser=Списък на автоматичните известия за потребител* ListOfNotificationsPerUserOrContact=Списък на възможните автоматични известия (за бизнес събитие), налични за потребител * или за контакт ** ListOfFixedNotifications=Списък на автоматични фиксирани известия @@ -1963,41 +1977,42 @@ BackupDumpWizard=Асистент за създаване на dump файл н BackupZipWizard=Асистент за създаване на архив на директорията "documents" SomethingMakeInstallFromWebNotPossible=Инсталирането на външен модул не е възможно от уеб интерфейса, поради следната причина: SomethingMakeInstallFromWebNotPossible2=Поради тази причина описаният тук процес за актуализация е ръчен процес, който може да се изпълнява само от потребител със съответните права. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. +InstallModuleFromWebHasBeenDisabledContactUs=Инсталирането или разработката на външни модули или динамични уебсайтове от приложението в момента е заключено за целите на сигурността. Моля, свържете се с нас, ако трябва да активирате тази функция. InstallModuleFromWebHasBeenDisabledByFile=Инсталирането на външен модул в приложението е деактивирано от администратора на системата. Трябва да го помолите да премахне файла %s, за да разреши тази функция. ConfFileMustContainCustom=Инсталирането или създаването на външен модул в приложението е необходимо да съхрани файловете на модула в директорията %s. За да се обработва тази директория от Dolibarr, трябва да настроите вашият conf/conf.php файл да съдържа двете директивни линии:
      $dolibarr_main_url_root_alt = '/custom';
      $dolibarr_main_document_root_alt = '%s/custom'; HighlightLinesOnMouseHover=Маркиране на редове в таблица, когато мишката преминава отгоре HighlightLinesColor=Цвят на подчертания ред при преминаване на мишката отгоре (използвайте 'ffffff', ако не искате да се подчертава) HighlightLinesChecked=Цвят на подчертания ред, когато е маркиран (използвайте 'ffffff',ако не искате да се подчертава) -UseBorderOnTable=Show left-right borders on tables -BtnActionColor=Color of the action button -TextBtnActionColor=Text color of the action button +UseBorderOnTable=Показване на леви и десни граници на таблиците +TableLineHeight=Височина на линията на таблицата +BtnActionColor=Цвят на бутона за действие +TextBtnActionColor=Текст Цвят на бутона за действие TextTitleColor=Цвят на текста в заглавието на страницата LinkColor=Цвят на връзките PressF5AfterChangingThis=Натиснете CTRL + F5 на клавиатурата или изчистете кеша на браузъра си след като промените тази стойност, за да стане ефективна. NotSupportedByAllThemes=Ще работи с основните теми, но може да не се поддържат външни теми. BackgroundColor=Цвят на фона TopMenuBackgroundColor=Цвят на фона в горното меню -TopMenuDisableImages=Icon or Text in Top menu +TopMenuDisableImages=Икона или текст в горното меню LeftMenuBackgroundColor=Цвят на фона в лявото меню BackgroundTableTitleColor=Цвят на фона в реда със заглавието на таблица BackgroundTableTitleTextColor=Цвят на текста в заглавието на таблиците -BackgroundTableTitleTextlinkColor=Text color for Table title link line +BackgroundTableTitleTextlinkColor=Текст Цвят за реда за връзка към заглавието на таблицата BackgroundTableLineOddColor=Цвят на фона в нечетните редове на таблица BackgroundTableLineEvenColor=Цвят на фона в четните редове на таблица MinimumNoticePeriod=Минимален срок за известяване (вашата молба за отпуск трябва да бъде изпратена преди този срок) NbAddedAutomatically=Брой дни, добавени към броячите на потребителите (автоматично) всеки месец -EnterAnyCode=This field contains a reference to identify the line. Enter any value of your choice, but without special characters. +EnterAnyCode=Това поле съдържа препратка за идентифициране на линията. Въведете стойност по ваш избор, но без специални знаци. Enter0or1=Въведете 0 или 1 UnicodeCurrency=Въведете тук между скобите, десетичен код, който представлява символа на валутата. Например: за $, въведете [36] - за Бразилски Реал R$ [82,36] - за €, въведете [8364] ColorFormat=RGB цвета е в HEX формат, например: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Име на иконата във формат:
      - image.png за файл с изображение в текущата директория на тема
      - image.png@module ако файлът е в директорията /img/ на модул
      - fa-xxx за снимка на FontAwesome fa-xxx
      - fontawesome_xxx_fa_color_size за снимка на FontAwesome fa-xxx (с префикс, Цвят и набор от размери) PositionIntoComboList=Позиция на реда в комбинирани списъци -SellTaxRate=Sales tax rate +SellTaxRate=Данъчна ставка върху продажбите RecuperableOnly=Да за ДДС "Не възприеман, но възстановим", предназначен за някои области във Франция. Запазете стойността "Не" във всички останали случаи. UrlTrackingDesc=Ако доставчикът или транспортната услуга предлага страница или уеб сайт за проверка на статуса на вашите пратки, то може да ги въведете тук. Може да използвате ключа {TRACKID} в URL параметрите, така че системата да го замени с проследяващия номер, който потребителят е въвел в картата на доставката. OpportunityPercent=Когато създавате нова възможност определяте приблизително очакваната сума от проекта / възможността. Според статуса на възможността тази сума ще бъде умножена по определения му процент, за да се оцени общата сума, която всичките ви възможности могат да генерират. Стойността е в проценти (между 0 и 100). -TemplateForElement=This mail template is related to what type of object? An email template is available only when using the "Send Email" button from the related object. +TemplateForElement=С какъв тип обект е свързан този шаблон за имейл? Шаблон за имейл е достъпен само когато използвате бутона „Изпращане на имейл“ от свързания обект. TypeOfTemplate=Тип шаблон TemplateIsVisibleByOwnerOnly=Шаблонът е видим само за собственика му VisibleEverywhere=Видим навсякъде @@ -2033,7 +2048,7 @@ ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s е наличен. В ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s е наличен. Версия %s е поддържаща версия, така че съдържа само корекции на грешки. Препоръчваме на всички потребители да актуализират до тази версия. Изданието за поддръжка не въвежда нови функции или промени в базата данни. Може да се изтегли от раздела за изтегляне в портала https://www.dolibarr.org (подраздел Стабилни версии). Прочетете ChangeLog за пълен списък с промените. MultiPriceRuleDesc=Когато опцията "Няколко нива на цени за продукт / услуга" е активирана може да определите различни цени (по едно за ниво цена) за всеки продукт. За да спестите време тук може да въведете правило за автоматично изчисляване на цена за всяко ниво на базата на цената от първото ниво, така че ще трябва да въведете само цена за първото ниво за всеки продукт. Тази страница е предназначена да ви спести време, но е полезна само ако цените за всяко ниво са относителни към първо ниво. В повечето случаи може да игнорирате тази страница. ModelModulesProduct=Шаблони за продуктови документи -WarehouseModelModules=Templates for documents of warehouses +WarehouseModelModules=Шаблони за документи на складове ToGenerateCodeDefineAutomaticRuleFirst=За да можете автоматично да генерирате кодове, първо трябва да определите мениджър, за да дефинирате автоматично номера на баркода. SeeSubstitutionVars=Вижте * Забележка за списък на възможните заместващи променливи SeeChangeLog=Вижте файла ChangeLog (само на английски) @@ -2073,34 +2088,34 @@ MAIN_PDF_MARGIN_LEFT=Лява граница в PDF MAIN_PDF_MARGIN_RIGHT=Дясна граница в PDF MAIN_PDF_MARGIN_TOP=Горна граница в PDF MAIN_PDF_MARGIN_BOTTOM=Долна граница в PDF -MAIN_DOCUMENTS_LOGO_HEIGHT=Height for logo on PDF -DOC_SHOW_FIRST_SALES_REP=Show first sales representative -MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Add column for picture on proposal lines -MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Width of the column if a picture is added on lines -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders -MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame -MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code -MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block -PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions -PROPOSAL_PDF_HIDE_PAYMENTMODE=Hide payment mode -MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Add electronic sign in PDF +MAIN_DOCUMENTS_LOGO_HEIGHT=Височина за лого в PDF +DOC_SHOW_FIRST_SALES_REP=Показване на първия търговски представител +MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Добавяне на колона за картина на линиите на предложението +MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Ширина на колоната, ако се добавя картина на редове +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Скрийте колоната за единична цена при заявки за оферти +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Скриване на колоната с обща цена при заявки за оферти +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Скрийте колоната с единична цена в поръчките за покупка +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Скрийте колоната с обща цена в поръчките за покупка +MAIN_PDF_NO_SENDER_FRAME=Скриване на границите на адресната рамка на подателя +MAIN_PDF_NO_RECIPENT_FRAME=Скриване на границите на адресната рамка на получателя +MAIN_PDF_HIDE_CUSTOMER_CODE=Скриване на кода Клиент +MAIN_PDF_HIDE_SENDER_NAME=Скриване на името на подателя/Компания в адресния блок +PROPOSAL_PDF_HIDE_PAYMENTTERM=Скриване на условията за плащане +PROPOSAL_PDF_HIDE_PAYMENTMODE=Скриване на режима плащане +MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Добавете електронен знак в PDF NothingToSetup=За този модул не е необходима специфична настройка. SetToYesIfGroupIsComputationOfOtherGroups=Посочете стойност 'Да', ако тази група е съвкупност от други групи. -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes.
      For example:
      CODEGRP1+CODEGRP2 +EnterCalculationRuleIfPreviousFieldIsYes=Въведете правило за изчисление, ако предишното поле е било зададено на Да.
      Например:
      CODEGRP1+CODEGRP2 SeveralLangugeVariatFound=Намерени са няколко езикови варианта RemoveSpecialChars=Премахване на специални символи COMPANY_AQUARIUM_CLEAN_REGEX=Regex филтър за изчистване на стойността (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code +COMPANY_AQUARIUM_NO_PREFIX=Не използвайте префикс, копирайте само Клиент или код на доставчик COMPANY_DIGITARIA_CLEAN_REGEX=Regex филтър за чиста стойност (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=Дублирането не е позволено -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word +RemoveSpecialWords=Изчистете определени думи, когато генерирате подакаунти за клиенти или доставчици +RemoveSpecialWordsHelp=Посочете думите за почистване, преди да изчислите Клиент или сметката на доставчика. Използвай ";" между всяка дума GDPRContact=Длъжностно лице по защита на данните (DPO, защита на лични данни или GDPR контакт) -GDPRContactDesc=If you store personal data in your Information System, you can name the contact who is responsible for the General Data Protection Regulation here +GDPRContactDesc=Ако съхранявате лични данни във вашата информационна система, можете да посочите контакта, който отговаря за Общия регламент за защита на данните тук HelpOnTooltip=Подсказка HelpOnTooltipDesc=Поставете тук текст или ключ за превод, който да се покаже в подсказка, когато това поле се появи във формуляр YouCanDeleteFileOnServerWith=Може да изтриете този файл от сървъра с команда в терминала:
      %s @@ -2109,77 +2124,77 @@ SocialNetworkSetup=Настройка на модул Социални мреж EnableFeatureFor=Активиране на функции за %s VATIsUsedIsOff=Забележка: Опцията за използване на данък върху продажбите или ДДС е изключена в менюто %s - %s, така че данъкът върху продажбите или ДДС винаги ще бъде 0 за продажби. SwapSenderAndRecipientOnPDF=Размяна на адресите на подателя и получателя в PDF документи -FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields and combo lists only. Also an URL parameter action=create or action=edit must be set OR page name must end with 'new.php' to trigger this feature. +FeatureSupportedOnTextFieldsOnly=Предупреждение, функцията се поддържа само в текстови полета и комбинирани списъци. Също така URL параметър action=create или action=edit трябва да бъде зададен ИЛИ името на страницата трябва да завършва с 'new.php', за да задейства тази функция. EmailCollector=Имейл колекционер -EmailCollectors=Email collectors +EmailCollectors=Колектори на имейли EmailCollectorDescription=Добавете планирана задача в страницата за настройка, за да сканирате редовно пощенските кутии (използвайки протокола IMAP) и да записвате получените в приложението имейли на правилното място и / или да създавате автоматично някои записи (например нови възможности). NewEmailCollector=Нов колекционер на имейли EMailHost=Адрес на IMAP сървър -EMailHostPort=Port of email IMAP server -loginPassword=Login/Password -oauthToken=OAuth2 token -accessType=Acces type -oauthService=Oauth service -TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session +EMailHostPort=Порт на имейл IMAP сървър +loginPassword=Парола за вход +oauthToken=OAuth2 токен +accessType=Тип достъп +oauthService=Oauth услуга +TokenMustHaveBeenCreated=Модулът OAuth2 трябва да е активиран и трябва да е създаден токен oauth2 с правилния права (например обхват „gmail_full“ с OAuth за Gmail). +ImapEncryption = IMAP метод за криптиране +ImapEncryptionHelp = Пример: няма, ssl, tls, notls +NoRSH = Използвайте конфигурацията NoRSH +NoRSHHelp = Не използвайте RSH или SSH протоколи за установяване на IMAP сесия за предварителна идентификация MailboxSourceDirectory=Директория / Източник в пощенската кутия MailboxTargetDirectory=Директория / Цел в пощенската кутия EmailcollectorOperations=Операции за извършване от колекционера -EmailcollectorOperationsDesc=Operations are executed from top to bottom order +EmailcollectorOperationsDesc=Операциите се изпълняват отгоре надолу MaxEmailCollectPerCollect=Максимален брой събрани имейли при колекциониране -TestCollectNow=Test collect +TestCollectNow=Тестово събиране CollectNow=Колекциониране -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s? -DateLastCollectResult=Date of latest collect try -DateLastcollectResultOk=Date of latest collect success +ConfirmCloneEmailCollector=Сигурни ли сте, че искате за клониране на колектора на имейли %s? +DateLastCollectResult=Дата от последния опит за събиране +DateLastcollectResultOk=Дата от последния успех на събирането LastResult=Последен резултат -EmailCollectorHideMailHeaders=Do not include the content of email header into the saved content of collected e-mails -EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. +EmailCollectorHideMailHeaders=Не включвайте съдържанието на заглавката на имейла в запазеното съдържание на събраните имейли +EmailCollectorHideMailHeadersHelp=Когато е разрешено, заглавките на имейлите не се добавят в края на съдържанието на имейла, което се записва като събитие от дневния ред. EmailCollectorConfirmCollectTitle=Потвърждение за колекциониране на имейли -EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). -EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software -EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. -EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. -EmailCollectorExampleToCollectLeads=Example collecting leads -EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. -EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail +EmailCollectorConfirmCollect=Искате ли да стартирате този колектор сега? +EmailCollectorExampleToCollectTicketRequestsDesc=Съберете имейли, които отговарят на някои правила, и създайте автоматично тикет (Модул тикет трябва да бъде активиран) с имейл информацията. Можете да използвате този колектор, ако предоставите известна поддръжка по имейл, така че вашият тикет Искане ще бъде автоматично генериран. Активирайте също Collect_Responses, за да събирате отговорите на вашия клиент директно в изгледа тикет (трябва да отговорите от Dolibarr). +EmailCollectorExampleToCollectTicketRequests=Пример за събиране на тикет Искане (само първото съобщение) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Сканирайте директорията „Изпратени“ на вашата пощенска кутия, за да намерите имейли, изпратени като отговор на друг имейл директно от вашия имейл софтуер, а не от Dolibarr. Ако бъде намерен такъв имейл, събитието за отговор се записва в Dolibarr +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Пример за събиране на имейл отговори, изпратени от външен софтуер за електронна поща +EmailCollectorExampleToCollectDolibarrAnswersDesc=Съберете всички имейли, които са отговор на имейл, изпратен от вашето приложение. Събитие (Дневен ред на модула трябва да е активиран) с имейл отговор ще бъде записано на доброто място. Например, ако изпратите Търговска оферта, поръчка, фактура или съобщение за тикет по имейл от приложението и получателя отговори на вашия имейл, системата ще автоматично улови отговора и ще го добави във вашия ERP. +EmailCollectorExampleToCollectDolibarrAnswers=Пример за събиране на всички входящи съобщения, които са отговори на съобщения, изпратени от Dolibarr' +EmailCollectorExampleToCollectLeadsDesc=Съберете имейли, които отговарят на някои правила, и създайте автоматично потенциален клиент (Проектът на модула трябва да е активиран) с имейл информацията. Можете да използвате този колектор, ако искате да следвате примера си с помощта на модула Project (1 потенциален клиент = 1 проект), така че вашите потенциални клиенти ще бъдат автоматично генерирани. Ако колекторът Collect_Responses също е активиран, когато изпратите имейл от вашите потенциални клиенти, предложения или друг обект, можете също да видите отговорите на вашите клиенти или партньори директно в приложението.
      Забележка: С този първоначален пример заглавието на потенциалния клиент се генерира, включително имейла. Ако третата страна не може да бъде намерена в базата данни (ново Клиент), потенциалният клиент ще бъде прикрепен към третата страна с ID 1. +EmailCollectorExampleToCollectLeads=Пример за събиране на потенциални клиенти +EmailCollectorExampleToCollectJobCandidaturesDesc=Събирайте имейли, кандидатстващи за предложения за работа (Модулът за набиране на персонал трябва да е активиран). Можете да завършите този колектор, ако искате автоматично да създадете кандидатура за работа Искане. Забележка: С този първоначален пример заглавието на кандидатурата се генерира, включително имейла. +EmailCollectorExampleToCollectJobCandidatures=Пример за събиране на кандидатури за работа, получени по имейл NoNewEmailToProcess=Няма нови имейли (отговарящи на заложените филтри) за обработка NothingProcessed=Нищо не е направено -RecordEvent=Record an event in agenda (with type Email sent or received) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation or was guessed from a tracker in email header, without third party otherwise) +RecordEvent=Запишете събитие в дневния ред (с тип изпратен или получен имейл) +CreateLeadAndThirdParty=Създайте потенциален клиент (и трета страна, ако е необходимо) +CreateTicketAndThirdParty=Създайте тикет (свързано с трета страна, ако третата страна е била заредена от предишна операция или е била позната от инструмент за проследяване в заглавката на имейла, без трета страна в противен случай) CodeLastResult=Код на последния резултат NbOfEmailsInInbox=Брой имейли в директорията източник LoadThirdPartyFromName=Зареждане на името на контрагента от %s (само за зареждане) LoadThirdPartyFromNameOrCreate=Зареждане на името на контрагента от %s (да се създаде, ако не е намерено) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) -AttachJoinedDocumentsToObject=Save attached files into object documents if a ref of an object is found into email topic. -WithDolTrackingID=Message from a conversation initiated by a first email sent from Dolibarr -WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr -WithDolTrackingIDInMsgId=Message sent from Dolibarr -WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr -CreateCandidature=Create job application +LoadContactFromEmailOrCreate=Заредете търсенето на контакт на %s (създайте, ако не е намерен) +AttachJoinedDocumentsToObject=Запазете прикачените файлове в обектни документи, ако в темата на имейла бъде намерена препратка към обект. +WithDolTrackingID=Съобщение от разговор, иницииран от първия имейл, изпратен от Dolibarr +WithoutDolTrackingID=Съобщение от разговор, иницииран от първи имейл, който НЕ е изпратен от Dolibarr +WithDolTrackingIDInMsgId=Съобщението е изпратено от Dolibarr +WithoutDolTrackingIDInMsgId=Съобщението НЕ е изпратено от Dolibarr +CreateCandidature=Създайте заявление за работа FormatZip=Zip MainMenuCode=Код на меню (главно меню) ECMAutoTree=Показване на автоматично ECM дърво -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. +OperationParamDesc=Дефинирайте правилата, които да използвате за извличане на някои данни, или задайте стойности, които да използвате за операция.

      Пример за извличане на Компания име от тема на имейл във временна променлива:
      tmp_var=EXTRACT:SUBJECT:Съобщение от Компания ([^\n]*)

      Примери за задаване на свойствата на обект за създаване:
      objproperty1=SET:твърдо кодирана стойност
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:стойност (стойност се задава само ако свойството вече не е дефинирано)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:Моят Компания името е\\s([^\\s]*)

      Използвайте нов линия за извличане или задаване на няколко свойства. OpeningHours=Работно време OpeningHoursDesc=Въведете тук редовното работно време на вашата фирма. ResourceSetup=Конфигурация на модул Ресурси UseSearchToSelectResource=Използване на поле за търсене при избор на ресурс (вместо избор от списък в падащо меню) DisabledResourceLinkUser=Деактивиране на функция за свързване на ресурс от потребители DisabledResourceLinkContact=Деактивиране на функция за свързване на ресурс от контакти -EnableResourceUsedInEventCheck=Prohibit the use of the same resource at the same time in the agenda +EnableResourceUsedInEventCheck=Забранете използването на един и същ ресурс по едно и също време в дневния ред ConfirmUnactivation=Потвърдете задаването на първоначални настройки на модула OnMobileOnly=Само при малък екран (смартфон) -DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be "Prospect" or "Customer", but can't be both) +DisableProspectCustomerType=Деактивирайте типа трета страна „Проспект + Клиент“ (така че третата страна трябва да е „Проспект“ или „Клиент“, но може не бъди и двете) MAIN_OPTIMIZEFORTEXTBROWSER=Опростяване на интерфейса за незрящ човек MAIN_OPTIMIZEFORTEXTBROWSERDesc=Активирайте тази опция за незрящ човек или ако използвате приложението от текстов браузър като Lynx или Links. MAIN_OPTIMIZEFORCOLORBLIND=Промяна на цвета на интерфейса за човек с нарушено цветоусещане @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=Тази стойност може да бъде променена от профила на всеки потребител в раздела '%s' -DefaultCustomerType=Тип контрагент по подразбиране във формуляра за създаване на "Нов клиент" +DefaultCustomerType=Тип по подразбиране контрагент за формуляр за създаване на „Нов Клиент“ ABankAccountMustBeDefinedOnPaymentModeSetup=Забележка: Банковата сметка трябва да бъде дефинирана в модула за всеки режим на плащане (Paypal, Stripe, ...), за да работи тази функция. RootCategoryForProductsToSell=Основна категория продукти за продажба -RootCategoryForProductsToSellDesc=Ако е дефинирано, само продукти и подпродукти от тази категория ще бъдат достъпни в точката за продажби +RootCategoryForProductsToSellDesc=Ако е дефинирано, само продукти в този Категория или дъщерни на този Категория ще бъдат налични в точката на продажба DebugBar=Инструменти за отстраняване на грешки DebugBarDesc=Лента с инструменти, която опростява отстраняването на грешки DebugBarSetup=Настройка на инструментите за отстраняване на грешки @@ -2201,28 +2216,28 @@ UseDebugBar=Използване на инструменти за отстран DEBUGBAR_LOGS_LINES_NUMBER=Брой последни редове на журнал, които да се пазят в конзолата WarningValueHigherSlowsDramaticalyOutput=Внимание, по-високите стойности забавят драматично производителността ModuleActivated=Модул %s е активиран и забавя интерфейса -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) -IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. -AntivirusEnabledOnUpload=Antivirus enabled on uploaded files -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode +ModuleActivatedWithTooHighLogLevel=Модулът %s е активиран с твърде високо ниво на регистриране (опитайте се да използвате по-ниско ниво за по-добра производителност и сигурност) +ModuleSyslogActivatedButLevelNotTooVerbose=Модулът %s е активиран и нивото на регистрационния файл (%s) е правилно (не е твърде многословно) +IfYouAreOnAProductionSetThis=Ако сте в производствена среда, трябва да зададете това свойство на %s. +AntivirusEnabledOnUpload=Антивирусната програма е активирана за качени файлове +SomeFilesOrDirInRootAreWritable=Някои файлове или директории не са в режим само за четене EXPORTS_SHARE_MODELS=Моделите за експортиране се споделят с всички ExportSetup=Настройка на модула за експортиране на данни ImportSetup=Настройка на модула за импортиране на данни InstanceUniqueID=Уникален идентификатор на инстанцията SmallerThan=По-малък от LargerThan=По-голям от -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=С GMail акаунт, ако сте активирали валидирането в 2 стъпки е препоръчително да създадете специална втора парола за приложението, вместо да използвате своята парола за акаунта от https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). +IfTrackingIDFoundEventWillBeLinked=Обърнете внимание, че ако в имейла бъде намерен идентификационен номер за проследяване на обект или ако имейлът е отговор на имейл, който вече е събран и свързан с обект, създаденото събитие ще бъде автоматично свързани с известния свързан обект. +WithGMailYouCanCreateADedicatedPassword=С GMail акаунт, ако сте активирали проверката в 2 стъпки, се препоръчва да създадете специална втора парола за приложението, вместо да използвате собствената си парола за акаунт от https://myaccount.google.com/. +EmailCollectorTargetDir=Може да е желано поведение имейлът да се премести в друг етикет/директория, когато е обработен успешно. Просто задайте името на директорията тук, за да използвате тази функция (НЕ използвайте специални знаци в името). Обърнете внимание, че трябва да използвате и акаунт за влизане за четене/запис. +EmailCollectorLoadThirdPartyHelp=Можете да използвате това действие, за да използвате съдържанието на имейла, за да намерите и заредите съществуваща трета страна във вашата база данни (търсенето ще се извърши по дефинираното свойство сред „id“, „name“, „name_alias“, „email“). Намерената (или създадена) трета страна ще бъде използвана за следните действия, които се нуждаят от нея.
      Например, ако искате да създадете трета страна с име, извлечено от низ ' Име: име за намиране' присъства в основния текст, използвайте имейла на подателя като имейл, можете да зададете полето за параметър по следния начин:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=Предупреждение: много сървъри за електронна поща (като Gmail) извършват пълно търсене на думи, когато търсят по низ и няма да върнат резултат, ако низът е намерен само частично в дума. Поради тази причина също използването на специални знаци в критерии за търсене ще бъде игнорирано, ако не са част от съществуващи думи.
      За да направите изключване на търсене на дума (върнете имейл, ако думата не е намерен), можете да използвате ! символ преди думата (може да не работи на някои пощенски сървъри). EndPointFor=Крайна точка за %s: %s DeleteEmailCollector=Изтриване на имейл колекционер ConfirmDeleteEmailCollector=Сигурни ли те, че искате да изтриете този колекционер на имейли? RecipientEmailsWillBeReplacedWithThisValue=Имейлите на получателите винаги ще бъдат заменени с тази стойност AtLeastOneDefaultBankAccountMandatory=Трябва да бъде дефинирана поне 1 банкова сметка по подразбиране -RESTRICT_ON_IP=Allow API access to only certain client IPs (wildcard not allowed, use space between values). Empty means every clients can access. +RESTRICT_ON_IP=Разрешаване на API достъп само до определени клиентски IP адреси (заместващият знак не е разрешен, използвайте интервал между стойностите). Празно означава, че всеки клиент има достъп. IPListExample=127.0.0.1 192.168.0.2 [::1] BaseOnSabeDavVersion=Въз основа на версията на библиотеката SabreDAV NotAPublicIp=Не е публичен IP адрес @@ -2230,179 +2245,198 @@ MakeAnonymousPing=Направете анонимен Ping '+1' до сървъ FeatureNotAvailableWithReceptionModule=Функцията не е налична, когато е активиран модул Приемане EmailTemplate=Шаблон за имейл EMailsWillHaveMessageID=Имейлите ще имат етикет „Референции“, отговарящ на този синтаксис -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) +PDF_SHOW_PROJECT=Показване на проекта в документа +ShowProjectLabel=Етикет на проекта +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Включете псевдоним в името на контрагент +THIRDPARTY_ALIAS=контрагент име - контрагент псевдоним +ALIAS_THIRDPARTY=контрагент псевдоним - контрагент име +PDFIn2Languages=Показване на етикети в PDF на 2 различни езика (тази функция може да не работи за няколко езика) PDF_USE_ALSO_LANGUAGE_CODE=Ако искате да имате някои текстове във вашия PDF файл, дублирани на 2 различни езика в един и същ генериран PDF файл, трябва да посочите тук този втори език, така че генерираният PDF файл да съдържа 2 различни езика на една и съща страница, избраният при генериране на PDF и този (само няколко PDF шаблона поддържат това). Запазете празно за един език в PDF файла. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF +PDF_USE_A=Генерирайте PDF документи с формат PDF/A вместо формат PDF по подразбиране FafaIconSocialNetworksDesc=Въведете тук кода за FontAwesome икона. Ако не знаете какво е FontAwesome, може да използвате стандартната стойност fa-address book. -RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard -JumpToBoxes=Jump to Setup -> Widgets -MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" -MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values. -TemplateAdded=Template added -TemplateUpdated=Template updated -TemplateDeleted=Template deleted -MailToSendEventPush=Event reminder email -SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security -DictionaryProductNature= Nature of product -CountryIfSpecificToOneCountry=Country (if specific to a given country) -YouMayFindSecurityAdviceHere=You may find security advisory here -ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. -ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. -CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples -SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. -AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only -ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. -MailToSendEventOrganization=Event Organization -MailToPartnership=Partnership -AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s +RssNote=Забележка: Всяка дефиниция на RSS канал предоставя изпълним модул, който трябва да активирате, за да бъде наличен в таблото за управление +JumpToBoxes=Отидете до Настройка -> Приспособления +MeasuringUnitTypeDesc=Използвайте тук стойност като "размер", "повърхност", "обем", "тегло", "време" +MeasuringScaleDesc=Мащабът е броят места, на които трябва да преместите десетичната част, за да съответства на референтната единица по подразбиране. За тип единица "време" това е броят секунди. Стойности между 80 и 99 са запазени стойности. +TemplateAdded=Шаблонът е добавен +TemplateUpdated=Шаблонът е актуализиран +TemplateDeleted=Шаблонът е изтрит +MailToSendEventPush=Имейл за напомняне за събитие +SwitchThisForABetterSecurity=Превключването на тази стойност на %s се препоръчва за повече сигурност +DictionaryProductNature= Естество на продукта +CountryIfSpecificToOneCountry=Държава (ако е специфична за дадена държава) +YouMayFindSecurityAdviceHere=Можете да намерите съвети за сигурност тук +ModuleActivatedMayExposeInformation=Това PHP разширение може да разкрие чувствителни данни. Ако не ви трябва, деактивирайте го. +ModuleActivatedDoNotUseInProduction=Активиран е модул, предназначен за разработката. Не го активирайте в производствена среда. +CombinationsSeparator=Разделителен знак за продуктови комбинации +SeeLinkToOnlineDocumentation=Вижте връзката към онлайн документация в горното меню за примери +SHOW_SUBPRODUCT_REF_IN_PDF=Ако функцията „%s“ на модул %s се използва, покажете подробности за подпродукти на комплект в PDF. +AskThisIDToYourBank=Свържете се с вашата банка, за да получите този идентификатор +AdvancedModeOnly=Разрешението е налично само в режим на разширени разрешения +ConfFileIsReadableOrWritableByAnyUsers=Файлът conf може да се чете или записва от всеки потребител. Дайте разрешение само на потребител и група на уеб сървъра. +MailToSendEventOrganization=Организация на събития +MailToPartnership=Партньорство +AGENDA_EVENT_DEFAULT_STATUS=Статус на събитието по подразбиране при създаване на събитие от формата +YouShouldDisablePHPFunctions=Трябва да деактивирате PHP функциите +IfCLINotRequiredYouShouldDisablePHPFunctions=Освен ако не трябва да изпълнявате системни команди в персонализиран код, трябва да деактивирате PHP функциите +PHPFunctionsRequiredForCLI=За целите на обвивката (като планирано архивиране на задачи или стартиране на антивирусна програма) трябва да запазите PHP функциите +NoWritableFilesFoundIntoRootDir=В основната ви директория не са намерени файлове или директории с възможност за записване на общи програми (Добре) +RecommendedValueIs=Препоръчително: %s Recommended=Препоръчителна -NotRecommended=Not recommended -ARestrictedPath=Some restricted path for data files -CheckForModuleUpdate=Check for external modules updates -CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. -ModuleUpdateAvailable=An update is available -NoExternalModuleWithUpdate=No updates found for external modules -SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) -YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=You enabled deprecated WS API. You should use REST API instead. -RandomlySelectedIfSeveral=Randomly selected if several pictures are available -SalesRepresentativeInfo=For Proposals, Orders, Invoices. -DatabasePasswordObfuscated=Database password is obfuscated in conf file -DatabasePasswordNotObfuscated=Database password is NOT obfuscated in conf file -APIsAreNotEnabled=APIs modules are not enabled -YouShouldSetThisToOff=You should set this to 0 or off -InstallAndUpgradeLockedBy=Install and upgrades are locked by the file %s -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. -OldImplementation=Old implementation -PDF_SHOW_LINK_TO_ONLINE_PAYMENT=If some online payment modules are enabled (Paypal, Stripe, ...), add a link on the PDF to make the online payment -DashboardDisableGlobal=Disable globally all the thumbs of open objects -BoxstatsDisableGlobal=Disable totally box statistics -DashboardDisableBlocks=Thumbs of open objects (to process or late) on main dashboard -DashboardDisableBlockAgenda=Disable the thumb for agenda -DashboardDisableBlockProject=Disable the thumb for projects -DashboardDisableBlockCustomer=Disable the thumb for customers -DashboardDisableBlockSupplier=Disable the thumb for suppliers -DashboardDisableBlockContract=Disable the thumb for contracts -DashboardDisableBlockTicket=Disable the thumb for tickets -DashboardDisableBlockBank=Disable the thumb for banks -DashboardDisableBlockAdherent=Disable the thumb for memberships -DashboardDisableBlockExpenseReport=Disable the thumb for expense reports -DashboardDisableBlockHoliday=Disable the thumb for leaves -EnabledCondition=Condition to have field enabled (if not enabled, visibility will always be off) -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -LanguageAndPresentation=Language and presentation -SkinAndColors=Skin and colors -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -PDF_USE_1A=Generate PDF with PDF/A-1b format -MissingTranslationForConfKey = Missing translation for %s -NativeModules=Native modules -NoDeployedModulesFoundWithThisSearchCriteria=No modules found for these search criteria -API_DISABLE_COMPRESSION=Disable compression of API responses -EachTerminalHasItsOwnCounter=Each terminal use its own counter. -FillAndSaveAccountIdAndSecret=Fill and save account ID and secret first -PreviousHash=Previous hash -LateWarningAfter="Late" warning after -TemplateforBusinessCards=Template for a business card in different size +NotRecommended=Не се препоръчва +ARestrictedPath=Някои ограничени пътища за файлове с данни +CheckForModuleUpdate=Проверете за актуализации на външни модули +CheckForModuleUpdateHelp=Това действие ще се свърже с редактори на външни модули, за да провери дали е налична нова версия. +ModuleUpdateAvailable=Налична е актуализация +NoExternalModuleWithUpdate=Няма намерени актуализации за външни модули +SwaggerDescriptionFile=Swagger API Описание файл (за използване с redoc например) +YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=Активирахте остарелия WS API. Вместо това трябва да използвате REST API. +RandomlySelectedIfSeveral=Избира се на случаен принцип, ако има няколко снимки +SalesRepresentativeInfo=За предложения, поръчки, фактури. +DatabasePasswordObfuscated=Паролата на базата данни е обфусцирана в conf файла +DatabasePasswordNotObfuscated=Паролата на базата данни НЕ е обфусцирана в conf файла +APIsAreNotEnabled=API модулите не са активирани +YouShouldSetThisToOff=Трябва да зададете това на 0 или изключено +InstallAndUpgradeLockedBy=Инсталирането и надстройките се заключват от файла %s +InstallLockedBy=Инсталирането/преинсталирането се заключва от файла %s +InstallOfAddonIsNotBlocked=Инсталациите на добавките не са заключени. Създайте файл installmodules.lock в директория %s за блокиране на инсталации на външни добавки/модули. +OldImplementation=Стара реализация +PDF_SHOW_LINK_TO_ONLINE_PAYMENT=Ако някои онлайн плащане модули са активирани (Paypal, Stripe, ...), добавете връзка към PDF файла, за да направите онлайн плащане +DashboardDisableGlobal=Деактивирайте глобално всички палци на отворени обекти +BoxstatsDisableGlobal=Деактивирайте напълно статистиката на кутията +DashboardDisableBlocks=Палци на отворени обекти (за обработка или със закъснение) на главното табло +DashboardDisableBlockAgenda=Деактивирайте палеца за дневен ред +DashboardDisableBlockProject=Деактивирайте палеца за проекти +DashboardDisableBlockCustomer=Деактивирайте палеца за клиенти +DashboardDisableBlockSupplier=Деактивирайте палеца за доставчици +DashboardDisableBlockContract=Деактивирайте палеца за договори +DashboardDisableBlockTicket=Деактивирайте палеца за тикети +DashboardDisableBlockBank=Деактивирайте палеца за банки +DashboardDisableBlockAdherent=Деактивирайте палеца за членство +DashboardDisableBlockExpenseReport=Деактивирайте палеца за отчети за разходи +DashboardDisableBlockHoliday=Деактивирайте палеца за листа +EnabledCondition=Условие за активиране на полето (ако не е активирано, видимостта винаги ще бъде изключена) +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=Ако искате да използвате втори данък, трябва да активирате и първия данък върху продажбите +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Ако искате да използвате трети данък, трябва да активирате и първия данък върху продажбите +LanguageAndPresentation=Език и представяне +SkinAndColors=Кожа и цветове +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=Ако искате да използвате втори данък, трябва да активирате и първия данък върху продажбите +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Ако искате да използвате трети данък, трябва да активирате и първия данък върху продажбите +PDF_USE_1A=Генерирайте PDF с PDF/A-1b формат +MissingTranslationForConfKey = Липсващ превод за %s +NativeModules=Родни модули +NoDeployedModulesFoundWithThisSearchCriteria=Няма намерени модули за тези критерии за търсене +API_DISABLE_COMPRESSION=Деактивирайте компресирането на отговорите на API +EachTerminalHasItsOwnCounter=Всеки терминал използва собствен брояч. +FillAndSaveAccountIdAndSecret=Първо попълнете и запазете ID и тайната на акаунта +PreviousHash=Предишен хеш +LateWarningAfter="Късно" предупреждение след +TemplateforBusinessCards=Шаблон за визитка в различен размер InventorySetup= Настройка на инвентаризация -ExportUseLowMemoryMode=Use a low memory mode -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. +ExportUseLowMemoryMode=Използвайте режим с ниска памет +ExportUseLowMemoryModeHelp=Използвайте режима с ниска памет, за да генерирате дъмп файла (компресията се извършва през канал вместо в PHP паметта). Този метод не позволява да се провери дали файлът е пълен и съобщението за грешка не може да бъде докладвано, ако не успее. Използвайте го, ако имате грешки с недостатъчна памет. -ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL -WebhookSetup = Webhook setup +ModuleWebhookName = Уеб кукичка +ModuleWebhookDesc = Интерфейс за улавяне на задействания на dolibarr и изпращане на данни за събитието към URL адрес +WebhookSetup = Настройка на уеб кукичка Settings = Настройки -WebhookSetupPage = Webhook setup page -ShowQuickAddLink=Show a button to quickly add an element in top right menu +WebhookSetupPage = Страница за настройка на уеб кукичка +ShowQuickAddLink=Показване на бутон за бързо добавяне на елемент в горното дясно меню +ShowSearchAreaInTopMenu=Показване на областта за търсене в горното меню +HashForPing=Хеш, използван за пинг +ReadOnlyMode=Екземплярът е в режим „Само за четене“. +DEBUGBAR_USE_LOG_FILE=Използвайте файла dolibarr.log за прихващане на регистрационни файлове +UsingLogFileShowAllRecordOfSubrequestButIsSlower=Използвайте файла dolibarr.log за прихващане на регистрационни файлове вместо прихващане на памет на живо. Позволява да се уловят всички регистрационни файлове, вместо само регистрационни файлове на текущия процес (така че включително тази на страниците с подзаявки на ajax), но ще направи вашия екземпляр много много бавен. Не се препоръчва. +FixedOrPercent=Фиксиран (използвайте ключова дума „фиксиран“) или процент (използвайте ключова дума „процент“) +DefaultOpportunityStatus=Състояние на възможността по подразбиране (първо състояние при създаване на потенциален клиент) -HashForPing=Hash used for ping -ReadOnlyMode=Is instance in "Read Only" mode -DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs -UsingLogFileShowAllRecordOfSubrequestButIsSlower=Use the dolibarr.log file to trap Logs instead of live memory catching. It allows to catch all logs instead of only log of current process (so including the one of ajax subrequests pages) but will make your instance very very slow. Not recommended. -FixedOrPercent=Fixed (use keyword 'fixed') or percent (use keyword 'percent') -DefaultOpportunityStatus=Default opportunity status (first status when lead is created) - -IconAndText=Icon and text -TextOnly=Text only -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon -IconOnly=Icon only - Text on tooltip only -INVOICE_ADD_ZATCA_QR_CODE=Show the ZATCA QR code on invoices -INVOICE_ADD_ZATCA_QR_CODEMore=Some Arabic countries need this QR Code on their invoices -INVOICE_ADD_SWISS_QR_CODE=Show the swiss QR-Bill code on invoices -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. -INVOICE_SHOW_SHIPPING_ADDRESS=Show shipping address -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) -UrlSocialNetworksDesc=Url link of social network. Use {socialid} for the variable part that contains the social network ID. -IfThisCategoryIsChildOfAnother=If this category is a child of another one -DarkThemeMode=Dark theme mode -AlwaysDisabled=Always disabled -AccordingToBrowser=According to browser -AlwaysEnabled=Always Enabled -DoesNotWorkWithAllThemes=Will not work with all themes -NoName=No name -ShowAdvancedOptions= Show advanced options -HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service -DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method -UsePassword=Use a password -UseOauth=Use a OAUTH token -Images=Images -MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -ScriptIsEmpty=The script is empty -ShowHideTheNRequests=Show/hide the %s SQL request(s) -DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s -TriggerCodes=Triggerable events -TriggerCodeInfo=Enter here the trigger code(s) that must generate a post of a web request (only external URL are allowed). You can enter several trigger codes separated by a comma. -EditableWhenDraftOnly=If unchecked, the value can only be modified when object has a draft status -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" -RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents for receptions -MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions -WarningDisabled=Warning disabled -LimitsAndMitigation=Access limits and mitigation -DesktopsOnly=Desktops only -DesktopsAndSmartphones=Desktops et smartphones -AllowOnlineSign=Allow online signing -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. -CSSPage=CSS Style -Defaultfortype=Default -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +IconAndText=Икона и текст +TextOnly=Само текст +IconOnlyAllTextsOnHover=Само икона - Всички текстове се появяват под иконата на мишката върху лентата с менюта +IconOnlyTextOnHover=Само икона - Текстът на иконата се появява под иконата при поставяне на мишката върху иконата +IconOnly=Само икона - само текст в подсказка +INVOICE_ADD_ZATCA_QR_CODE=Показвайте ZATCA QR кода на фактурите +INVOICE_ADD_ZATCA_QR_CODEMore=Някои арабски страни се нуждаят от този QR код на своите фактури +INVOICE_ADD_SWISS_QR_CODE=Показвайте швейцарския QR-код на сметката върху фактурите +INVOICE_ADD_SWISS_QR_CODEMore=Швейцарски стандарт за фактури; уверете се, че ZIP & City са попълнени и че сметките имат валидни IBAN за Швейцария/Лихтенщайн. +INVOICE_SHOW_SHIPPING_ADDRESS=Показване на доставка адрес +INVOICE_SHOW_SHIPPING_ADDRESSMore=Задължително указание в някои страни (Франция, ...) +UrlSocialNetworksDesc=URL връзка към социалната мрежа. Използвайте {socialid} за променливата част, която съдържа идентификатора на социалната мрежа. +IfThisCategoryIsChildOfAnother=Ако този Категория е дъщерен на друг +DarkThemeMode=Режим на тъмна тема +AlwaysDisabled=Винаги деактивиран +AccordingToBrowser=Според браузъра +AlwaysEnabled=Винаги активиран +DoesNotWorkWithAllThemes=Няма да работи с всички теми +NoName=Без име +ShowAdvancedOptions= Показване на разширени опции +HideAdvancedoptions= Скриване на разширените опции +CIDLookupURL=Модулът носи URL, който може да се използва от външен инструмент за получаване на името на трета страна или контакт от нейния телефонен номер. URL за използване е: +OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 удостоверяването не е налично за всички хостове и токен с правилния права трябва да е създаден нагоре с модула OAUTH +MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 услуга за удостоверяване +DontForgetCreateTokenOauthMod=Токен с правилния права трябва да е създаден нагоре с модула OAUTH +MAIN_MAIL_SMTPS_AUTH_TYPE=Метод за удостоверяване +UsePassword=Използвайте парола +UseOauth=Използвайте токен OAUTH +Images=Изображения +MaxNumberOfImagesInGetPost=Максимален брой изображения, разрешени в HTML поле, изпратено във формуляр +MaxNumberOfPostOnPublicPagesByIP=Максимален брой публикации на публични страници със същия IP адрес за един месец +CIDLookupURL=Модулът носи URL, който може да се използва от външен инструмент за получаване на името на трета страна или контакт от нейния телефонен номер. URL за използване е: +ScriptIsEmpty=Скриптът е празен +ShowHideTheNRequests=Показване/скриване на %s SQL Искане(и) +DefinedAPathForAntivirusCommandIntoSetup=Дефинирайте път за антивирусна програма в %s +TriggerCodes=Задействащи се събития +TriggerCodeInfo=Въведете тук кода(ите) на задействане, който трябва да генерира публикация от уеб Искане (разрешени са само външни URL адреси). Можете да въведете няколко тригер кода, разделени със запетая. +EditableWhenDraftOnly=Ако не е отметнато, стойността може да се променя само когато обектът е в състояние на чернова +CssOnEdit=CSS на страници за редактиране +CssOnView=CSS на страниците за преглед +CssOnList=CSS в списъци +HelpCssOnEditDesc=CSS, използван при редактиране на полето.
      Пример: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=CSS, използван при преглед на полето. +HelpCssOnListDesc=Използваният CSS, когато полето е в таблица със списък.
      Пример: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=Скриване на заявеното количество върху генерираните документи за приеми +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Покажете цената на генерираните документи за рецепции +WarningDisabled=Предупреждението е деактивирано +LimitsAndMitigation=Ограничения за достъп и смекчаване +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. +DesktopsOnly=Само настолни компютри +DesktopsAndSmartphones=Настолни компютри и смартфони +AllowOnlineSign=Разрешете онлайн подписване +AllowExternalDownload=Разрешаване на външно изтегляне (без влизане, чрез споделена връзка) +DeadlineDayVATSubmission=Краен ден за внасяне на ДДС на следващия месец +MaxNumberOfAttachementOnForms=Максимален брой обединени файлове във формуляр +IfDefinedUseAValueBeetween=Ако е дефинирана, използвайте стойност между %s и %s +Reload=Презареди +ConfirmReload=Потвърдете презареждането на модула +WarningModuleHasChangedLastVersionCheckParameter=Предупреждение: модулът %s е задал параметър за проверка на версията му при всеки достъп до страница. Това е лоша и непозволена практика, която може да направи страницата за администриране на модули нестабилна. Моля, свържете се с автора на модула, за да коригирате това. +WarningModuleHasChangedSecurityCsrfParameter=Предупреждение: модулът %s е деактивирал CSRF сигурността на вашето копие. Това действие е подозрително и вашата инсталация може повече да не е защитена. Моля, свържете се с автора на модула за обяснение. +EMailsInGoingDesc=Входящите имейли се управляват от модула %s. Трябва да го активирате и конфигурирате, ако трябва да поддържате входящи имейли. +MAIN_IMAP_USE_PHPIMAP=Използвайте PHP-IMAP библиотеката за IMAP вместо естествения PHP IMAP. Това също позволява използването на OAuth2 връзка за IMAP (модулът OAuth също трябва да бъде активиран). +MAIN_CHECKBOX_LEFT_COLUMN=Показване на колоната за избор на поле и ред отляво (отдясно по подразбиране) +NotAvailableByDefaultEnabledOnModuleActivation=Не е създаден по подразбиране. Създаден само при активиране на модула. +CSSPage=CSS стил +Defaultfortype=По подразбиране +DefaultForTypeDesc=Шаблон, използван по подразбиране при създаване на нов имейл за типа шаблон +OptionXShouldBeEnabledInModuleY=Опцията „%s“ трябва да бъде активирана в модула %s +OptionXIsCorrectlyEnabledInModuleY=Опцията „%s“ е активирана в модула %s +AllowOnLineSign=Разрешаване на онлайн подпис +AtBottomOfPage=В долната част на страницата +FailedAuth=неуспешни удостоверявания +MaxNumberOfFailedAuth=Максимален брой неуспешни удостоверявания за 24 часа за отказ на влизане. +AllowPasswordResetBySendingANewPassByEmail=Ако потребител A има това разрешение и дори ако потребител A не е „Админ“ потребител, A има право да нулира паролата на всеки друг потребител B, новата парола ще бъде изпратено до имейла на другия потребител B, но няма да бъде видимо за A. Ако потребителят A има флага „Админ“, той също ще може да знае каква е новата генерирана парола на B, така че той ще може да поеме контрола върху потребителския акаунт на B. +AllowAnyPrivileges=Ако потребител A има това разрешение, той може да създаде потребител B с всички привилегии, след което да използва този потребител B или да си даде всяка друга група с произволно разрешение. Това означава, че потребител A притежава всички бизнес привилегии (ще бъде забранен само системният достъп до страниците за настройка) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Тази стойност може да бъде прочетена, защото вашето копие не е зададено в производствен режим +SeeConfFile=Вижте вътре във файла conf.php на сървъра +ReEncryptDesc=Повторно шифроване на данните, ако все още не са шифровани +PasswordFieldEncrypted=%s нов запис дали това поле е шифровано +ExtrafieldsDeleted=Допълнителните полета %s са изтрити +LargeModern=Голям - Модерен +SpecialCharActivation=Активирайте бутона, за да отворите виртуална клавиатура за въвеждане на специални знаци +DeleteExtrafield=Изтриване на допълнително поле +ConfirmDeleteExtrafield=Потвърждавате ли изтриването на полето %s? Всички данни, записани в това поле, ще бъдат окончателно изтрити +ExtraFieldsSupplierInvoicesRec=Допълнителни атрибути (шаблонни фактури) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Параметри за тестова среда +TryToKeepOnly=Опитайте се да запазите само %s +RecommendedForProduction=Препоръчва се за производство +RecommendedForDebug=Препоръчва се за отстраняване на грешки diff --git a/htdocs/langs/bg_BG/bills.lang b/htdocs/langs/bg_BG/bills.lang index 5d0e35a1299..b931587e9a3 100644 --- a/htdocs/langs/bg_BG/bills.lang +++ b/htdocs/langs/bg_BG/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Извършване на плащане от клие DisabledBecauseRemainderToPayIsZero=Деактивирано, тъй като остатъка за плащане е нула PriceBase=Base price BillStatus=Статус на фактура -StatusOfGeneratedInvoices=Състояние на генерираните фактури +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Чернова (трябва да се валидира) BillStatusPaid=Платена BillStatusPaidBackOrConverted=Кредитното известие е възстановено или маркирано като наличен кредит @@ -167,7 +167,7 @@ ActionsOnBill=Свързани събития ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Шаблонна / Повтаряща се фактура NoQualifiedRecurringInvoiceTemplateFound=Няма шаблонна повтаряща се фактура за генериране -FoundXQualifiedRecurringInvoiceTemplate=Намерени са %s шаблонни повтарящи се фактури, отговарящи на изискванията за генериране. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Не е шаблонна повтаряща се фактура NewBill=Нова фактура LastBills=Фактури: %s последни @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Чернови фактури за доставка Unpaid=Неплатена ErrorNoPaymentDefined=Грешка, не е дефинирано плащане ConfirmDeleteBill=Сигурни ли сте, че искате да изтриете тази фактура? -ConfirmValidateBill=Сигурни ли сте, че искате да валидирате тази фактура с № %s? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Сигурен ли сте, че искате да върнете фактура %s в състояние на чернова? ConfirmClassifyPaidBill=Сигурни ли сте че, искате да класифицирате фактура с № %s като платена? ConfirmCancelBill=Сигурни ли сте, че искате да анулирате фактура с № %s? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Потвърждавате ли това входящо ConfirmSupplierPayment=Потвърждавате ли това изходящо плащане за %s %s? ConfirmValidatePayment=Сигурни ли сте, че искате да валидирате това плащане? Не се допуска промяна след валидиране на плащането. ValidateBill=Валидиране на фактура -UnvalidateBill=Повторно отваряне на фактура +UnvalidateBill=Invalidate invoice NumberOfBills=Брой фактури NumberOfBillsByMonth=Брой фактури за месец AmountOfBills=Сума на фактури @@ -250,12 +250,13 @@ RemainderToTake=Остатъчна сума за получаване RemainderToTakeMulticurrency=Remaining amount to take, original currency RemainderToPayBack=Остатъчна сума за възстановяване RemainderToPayBackMulticurrency=Remaining amount to refund, original currency +NegativeIfExcessReceived=negative if excess received NegativeIfExcessRefunded=negative if excess refunded +NegativeIfExcessPaid=negative if excess paid Rest=Очаквано AmountExpected=Претендирана сума ExcessReceived=Получено превишение ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received ExcessPaid=Надплатено ExcessPaidMulticurrency=Excess paid, original currency EscompteOffered=Предложена отстъпка (плащане преди срока) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Първо трябва да създад PDFCrabeDescription=PDF шаблон за фактура. Пълен шаблон за фактура (стара реализация на шаблон Sponge) PDFSpongeDescription=PDF шаблон за фактура. Пълен шаблон за фактура PDFCrevetteDescription=PDF шаблон за фактура. Пълен шаблон за ситуационни фактури -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Документ, започващ с $syymm, вече съществува и не е съвместим с този модел на последователност. Премахнете го или го преименувайте, за да активирате този модул. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Причина за ранно приключване EarlyClosingComment=Бележка за ранно приключване ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Заплати +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Заплата +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/bg_BG/cashdesk.lang b/htdocs/langs/bg_BG/cashdesk.lang index 961f9a40571..60e3831efcc 100644 --- a/htdocs/langs/bg_BG/cashdesk.lang +++ b/htdocs/langs/bg_BG/cashdesk.lang @@ -41,25 +41,25 @@ Floor=Floor AddTable=Добавяне на таблица Place=Място TakeposConnectorNecesary=Изисква се 'TakePOS конектор' -OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) -NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser +OrderPrinters=Добавете бутон за изпращане на поръчката до някои дадени принтери, без плащане (например за изпращане на поръчка до кухня) +NotAvailableWithBrowserPrinter=Не е налично, когато принтерът за получаване е настроен на браузър SearchProduct=Търсене на продукт Receipt=Разписка Header=Хедър Footer=Футър AmountAtEndOfPeriod=Сума в края на периода (ден, месец или година) -TheoricalAmount=Теоретична сума +TheoricalAmount=Теоретично количество RealAmount=Реална сума -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period +CashFence=Затваряне на каса +CashFenceDone=Извършено затваряне на каса за периода NbOfInvoices=Брой фактури Paymentnumpad=Тип Pad за въвеждане на плащане Numberspad=Числов Pad BillsCoinsPad=Pad за монети и банкноти DolistorePosCategory=TakePOS модули и други ПОС решения за Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work -TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work -OrderNotes=Can add some notes to each ordered items +TakeposNeedsCategories=TakePOS се нуждае от поне един продукт Категория, за да работи +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS се нуждае от поне 1 продукт Категория под Категория %s на работа +OrderNotes=Може да добавя бележки към всеки поръчан артикул CashDeskBankAccountFor=Сметка по подразбиране, която да се използва за плащания с NoPaimementModesDefined=В конфигурацията на TakePOS не е определен тип на плащане TicketVatGrouped=Групиране на ДДС по ставка в етикети / разписки @@ -76,15 +76,15 @@ TerminalSelect=Изберете терминал, който искате да POSTicket=ПОС етикет POSTerminal=ПОС терминал POSModule=ПОС модул -BasicPhoneLayout=Използване на просто оформление за телефони +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Настройката на терминала %s не е завършена DirectPayment=Директно плащане -DirectPaymentButton=Add a "Direct cash payment" button +DirectPaymentButton=Добавяне на бутон „Директни пари в брой плащане“ InvoiceIsAlreadyValidated=Фактурата вече е валидирана NoLinesToBill=Няма редове за фактуриране CustomReceipt=Персонализирана разписка ReceiptName=Име на разписка -ProductSupplements=Manage supplements of products +ProductSupplements=Управление на добавки към продукти SupplementCategory=Категория добавки ColorTheme=Цветна тема Colorful=Цветно @@ -92,45 +92,64 @@ HeadBar=Заглавна лента SortProductField=Поле за сортиране на продукти Browser=Браузър BrowserMethodDescription=Прост и лесен отпечатване на разписки. Само няколко параметъра за конфигуриране на разписката. Отпечатване, чрез браузър. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. +TakeposConnectorMethodDescription=Външен модул с допълнителни функции. Възможност за печат от облака. PrintMethod=Метод на отпечатване -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). +ReceiptPrinterMethodDescription=Мощен метод с много параметри. Пълна персонализация с шаблони. Сървърът, хостващ приложението, не може да бъде в облака (трябва да може да достигне до принтерите във вашата мрежа). ByTerminal=По терминал -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad -CashDeskRefNumberingModules=Numbering module for POS sales +TakeposNumpadUsePaymentIcon=Използвайте икона вместо текст върху плащане бутоните на цифровата клавиатура +CashDeskRefNumberingModules=Номерационен модул за POS продажби CashDeskGenericMaskCodes6 =
      {TN} тагът се използва за добавяне на номера на терминала -TakeposGroupSameProduct=Групиране на едни и същи продукти +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Стартиране на нова паралелна продажба -SaleStartedAt=Sale started at %s -ControlCashOpening=Open the "Control cash" popup when opening the POS -CloseCashFence=Close cash desk control +SaleStartedAt=Разпродажбата започна в %s +ControlCashOpening=Отворете изскачащия прозорец "Контролна каса", когато отваряте ПОС +CloseCashFence=Затворен контрол на касата CashReport=Паричен отчет -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use -BarRestaurant=Bar Restaurant -AutoOrder=Order by the customer himself -RestaurantMenu=Menu -CustomerMenu=Customer menu -ScanToMenu=Scan QR code to see the menu -ScanToOrder=Scan QR code to order -Appearance=Appearance -HideCategoryImages=Hide Category Images -HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show -DefineTablePlan=Define tables plan -GiftReceiptButton=Add a "Gift receipt" button -GiftReceipt=Gift receipt -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first -AllowDelayedPayment=Allow delayed payment -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts -WeighingScale=Weighing scale -ShowPriceHT = Display the column with the price excluding tax (on screen) -ShowPriceHTOnReceipt = Display the column with the price excluding tax (on the receipt) -CustomerDisplay=Customer display -SplitSale=Split sale -PrintWithoutDetailsButton=Add "Print without details" button -PrintWithoutDetailsLabelDefault=Line label by default on printing without details -PrintWithoutDetails=Print without details -YearNotDefined=Year is not defined +MainPrinterToUse=Основен принтер за използване +OrderPrinterToUse=Поръчайте принтер за използване +MainTemplateToUse=Основен шаблон за използване +OrderTemplateToUse=Шаблон за поръчка за използване +BarRestaurant=Бар ресторант +AutoOrder=Поръчка от самия Клиент +RestaurantMenu=Меню +CustomerMenu=Клиент меню +ScanToMenu=Сканирайте QR кода, за да видите менюто +ScanToOrder=Сканирайте QR код за поръчка +Appearance=Външен вид +HideCategoryImages=Скриване на Категория изображения +HideProductImages=Скриване на изображения на продукти +NumberOfLinesToShow=Максимален брой редове текст за показване на малки изображения +DefineTablePlan=Определете план на таблиците +GiftReceiptButton=Добавете бутон „Получаване на подарък“. +GiftReceipt=Разписка за подарък +ModuleReceiptPrinterMustBeEnabled=Принтерът за разписка на модула трябва първо да е активиран +AllowDelayedPayment=Разрешаване на отложено плащане +PrintPaymentMethodOnReceipts=Отпечатайте метода плащане върху тикети|разписки +WeighingScale=Везна +ShowPriceHT = Показване на колоната с цената без данък (на екрана) +ShowPriceHTOnReceipt = Показване на колоната с цената без данък (на касовата бележка) +CustomerDisplay=Клиент дисплей +SplitSale=Разделена продажба +PrintWithoutDetailsButton=Добавете бутон „Печат без подробности“. +PrintWithoutDetailsLabelDefault=Етикет на линия по подразбиране при печат без подробности +PrintWithoutDetails=Печат без детайли +YearNotDefined=Годината не е дефинирана +TakeposBarcodeRuleToInsertProduct=Правило за баркод за вмъкване на продукт +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Вече отпечатано +HideCategories=Скриване на цялата секция от Категории селекция +HideStockOnLine=Скриване на наличност онлайн +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Показване на препратка или етикет на продукти +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Терминал %s +TerminalNameDesc=Име на терминала +DefaultPOSThirdLabel=Общо TakePOS Клиент +DefaultPOSCatLabel=Point Of Sale (POS) продукти +DefaultPOSProductLabel=Пример за продукт за TakePOS +TakeposNeedsPayment=TakePOS се нуждае от метод плащане, за да работи, искате ли да създадете метода плащане 'Cash'? +LineDiscount=Линейна отстъпка +LineDiscountShort=Линеен диск. +InvoiceDiscount=Отстъпка по фактура +InvoiceDiscountShort=Диск с фактури. diff --git a/htdocs/langs/bg_BG/categories.lang b/htdocs/langs/bg_BG/categories.lang index 65bed2c365b..018adfb0d7f 100644 --- a/htdocs/langs/bg_BG/categories.lang +++ b/htdocs/langs/bg_BG/categories.lang @@ -3,23 +3,23 @@ Rubrique=Таг / Категория Rubriques=Тагове / Категории RubriquesTransactions=Тагове / Категории транзакции categories=тагове / категории -NoCategoryYet=No tag/category of this type has been created +NoCategoryYet=Не е създаден етикет/Категория от този тип In=в AddIn=Добавяне в modify=променяне Classify=Класифициране CategoriesArea=Секция с тагове / категории -ProductsCategoriesArea=Product/Service tags/categories area -SuppliersCategoriesArea=Vendor tags/categories area -CustomersCategoriesArea=Customer tags/categories area -MembersCategoriesArea=Member tags/categories area -ContactsCategoriesArea=Contact tags/categories area -AccountsCategoriesArea=Bank account tags/categories area -ProjectsCategoriesArea=Project tags/categories area -UsersCategoriesArea=User tags/categories area +ProductsCategoriesArea=Етикети за продукти/услуги/Категории област +SuppliersCategoriesArea=Маркери на доставчици/Категории област +CustomersCategoriesArea=Клиент етикети/Категории област +MembersCategoriesArea=Членски маркери/област Категории +ContactsCategoriesArea=Етикети за контакт/област Категории +AccountsCategoriesArea=Етикети за банкови сметки/зона Категории +ProjectsCategoriesArea=Етикети на проекта/област Категории +UsersCategoriesArea=Потребителски етикети/област Категории SubCats=Подкатегории CatList=Списък с тагове / категории -CatListAll=List of tags/categories (all types) +CatListAll=Списък с тагове/Категории (всички типове) NewCategory=Нов таг / категория ModifCat=Променяне на таг / категория CatCreated=Създаден е таг / категория @@ -42,7 +42,7 @@ MemberHasNoCategory=Този член не е свързан с нито еди ContactHasNoCategory=Този контакт не е свързан с нито един таг / категория ProjectHasNoCategory=Този проект не е свързан с нито един таг / категория ClassifyInCategory=Добавяне към таг / категория -RemoveCategory=Remove category +RemoveCategory=Премахване на Категория NotCategorized=Без таг / категория CategoryExistsAtSameLevel=Тази категория вече съществува ContentsVisibleByAllShort=Съдържанието е видимо от всички @@ -67,39 +67,40 @@ UsersCategoriesShort=Категории потребители StockCategoriesShort=Тагове / Категории ThisCategoryHasNoItems=Тази категория не съдържа никакви елементи CategId=Идентификатор на таг / категория -ParentCategory=Parent tag/category -ParentCategoryID=ID of parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories +ParentCategory=Родителски маркер/Категория +ParentCategoryID=ID на родителския маркер/Категория +ParentCategoryLabel=Етикет на родителския маркер/Категория +CatSupList=Списък с етикети на доставчици/Категории +CatCusList=Списък с етикети на клиенти/потенциални клиенти/Категории CatProdList=Списък на тагове / категории за продукти CatMemberList=Списък на тагове / категории за членове -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories +CatContactList=Етикети за списък с контакти/Категории +CatProjectsList=Списък с етикети на проекти/Категории +CatUsersList=Списък с потребителски етикети/Категории +CatSupLinks=Връзки между доставчици и тагове/Категории CatCusLinks=Връзки между клиенти / потенциални клиенти и тагове / категории CatContactsLinks=Връзки между контакти / адреси и тагове / категории CatProdLinks=Връзки между продукти / услуги и тагове / категории CatMembersLinks=Връзки между членове и етикети/категории CatProjectsLinks=Връзки между проекти и тагове / категории -CatUsersLinks=Links between users and tags/categories +CatUsersLinks=Връзки между потребители и тагове/Категории DeleteFromCat=Изтриване от таг / категория ExtraFieldsCategories=Допълнителни атрибути CategoriesSetup=Настройка на тагове / категории CategorieRecursiv=Автоматично свързване с главния таг / категория -CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. -AddProductServiceIntoCategory=Assign category to the product/service -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier -AssignCategoryTo=Assign category to +CategorieRecursivHelp=Ако опцията е включена, когато добавите обект в подкатегория, обектът също ще бъде добавен в родителската Категории. +AddProductServiceIntoCategory=Присвоете Категория към продукта/услугата +AddCustomerIntoCategory=Присвояване на Категория на Клиент +AddSupplierIntoCategory=Присвояване на Категория на доставчик +AssignCategoryTo=Присвояване на Категория на ShowCategory=Показване на таг / категория ByDefaultInList=По подразбиране в списъка ChooseCategory=Избиране на категория -StocksCategoriesArea=Warehouse Categories -TicketsCategoriesArea=Tickets Categories -ActionCommCategoriesArea=Event Categories -WebsitePagesCategoriesArea=Page-Container Categories -KnowledgemanagementsCategoriesArea=KM article Categories -UseOrOperatorForCategories=Use 'OR' operator for categories -AddObjectIntoCategory=Assign the category +StocksCategoriesArea=Склад Категории +TicketsCategoriesArea=тикети Категории +ActionCommCategoriesArea=Събитие Категории +WebsitePagesCategoriesArea=Страница-контейнер Категории +KnowledgemanagementsCategoriesArea=Статия за KM Категории +UseOrOperatorForCategories=Използвайте оператор „ИЛИ“ за Категории +AddObjectIntoCategory=Присвояване на Категория +Position=Позиция diff --git a/htdocs/langs/bg_BG/holiday.lang b/htdocs/langs/bg_BG/holiday.lang index b4d3c6fb05b..9f29c643bec 100644 --- a/htdocs/langs/bg_BG/holiday.lang +++ b/htdocs/langs/bg_BG/holiday.lang @@ -1,11 +1,11 @@ # Dolibarr language file - Source file is en_US - holiday HRM=ЧР -Holidays=Leaves -Holiday=Leave +Holidays=листа +Holiday=тръгвай CPTitreMenu=Отпуски MenuReportMonth=Месечно извлечение MenuAddCP=Нова молба за отпуск -MenuCollectiveAddCP=New collective leave request +MenuCollectiveAddCP=New collective leave NotActiveModCP=Необходимо е да активирате модула 'Отпуски', за да видите тази страница. AddCP=Кандидатстване за отпуск DateDebCP=Начална дата @@ -15,7 +15,7 @@ ToReviewCP=Очаква одобрение ApprovedCP=Одобрена CancelCP=Анулирана RefuseCP=Отхвърлена -ValidatorCP=Approver +ValidatorCP=Одобряващ ListeCP=Списък с молби за отпуск Leave=Молба за отпуск LeaveId=Идентификатор на молба за отпуск @@ -29,7 +29,7 @@ DescCP=Описание SendRequestCP=Създаване на молба за отпуск DelayToRequestCP=Молбите за отпуск трябва да бъдат направени най-малко %s ден(а) преди началната им дата. MenuConfCP=Баланс на отпуски -SoldeCPUser=Leave balance (in days) : %s +SoldeCPUser=Остави баланс (в дни): %s ErrorEndDateCP=Трябва да изберете крайна дата, която е по-голяма от началната дата. ErrorSQLCreateCP=Възникна SQL грешка по време на създаването: ErrorIDFicheCP=Възникна грешка, молбата за отпуск не съществува. @@ -41,11 +41,11 @@ TitreRequestCP=Молба за отпуск TypeOfLeaveId=Идентификатор за вид отпуск TypeOfLeaveCode=Код за вид отпуск TypeOfLeaveLabel=Име на вид отпуск -NbUseDaysCP=Number of days of leave used -NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. -NbUseDaysCPShort=Days of leave -NbUseDaysCPShortInMonth=Days of leave in month -DayIsANonWorkingDay=%s is a non-working day +NbUseDaysCP=Брой дни ползван отпуск +NbUseDaysCPHelp=При изчислението са взети предвид определените в речника неработни дни и празници. +NbUseDaysCPShort=Дни отпуск +NbUseDaysCPShortInMonth=Дни отпуск в месеца +DayIsANonWorkingDay=%s е неработен ден DateStartInMonth=Начална дата в месеца DateEndInMonth=Крайна дата в месеца EditCP=Промяна @@ -57,8 +57,8 @@ TitleDeleteCP=Изтриване на молба за отпуск ConfirmDeleteCP=Сигурни ли сте, че искате да изтриете тази молба за отпуск? ErrorCantDeleteCP=Грешка: нямате необходимите права, за да изтриете тази молба за отпуск. CantCreateCP=Нямате право да създавате молби за отпуск. -InvalidValidatorCP=You must choose the approver for your leave request. -InvalidValidator=The user chosen isn't an approver. +InvalidValidatorCP=Трябва да изберете одобряващия за вашия отпуск Искане. +InvalidValidator=Избраният потребител не е одобряващ. NoDateDebut=Необходимо е да изберете начална дата. NoDateFin=Необходимо е да изберете крайна дата. ErrorDureeCP=Вашата молба за отпуск не съдържа работен ден. @@ -82,27 +82,27 @@ MotifCP=Причина UserCP=Потребител ErrorAddEventToUserCP=Възникна грешка при добавяне на извънреден отпуск. AddEventToUserOkCP=Добавянето на извънредния отпуск е завършено. -ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be filled in -fusionGroupsUsers=The groups field and the user field will be merged +ErrorFieldRequiredUserOrGroup=Трябва да се попълни полето "група" или "потребител". +fusionGroupsUsers=Полето за групи и полето за потребител ще бъдат обединени MenuLogCP=История на промените -LogCP=Log of all updates made to "Balance of Leave" -ActionByCP=Updated by -UserUpdateCP=Updated for +LogCP=Регистър на всички актуализации, направени в „Салдо на отпуск“ +ActionByCP=Актуализиран от +UserUpdateCP=Актуализиран за PrevSoldeCP=Предишен баланс NewSoldeCP=Нов баланс alreadyCPexist=Вече е създадена молба за отпуск в този период. -UseralreadyCPexist=A leave request has already been done on this period for %s. +UseralreadyCPexist=Отпускът Искане вече е направен за този период за %s. groups=Групи users=Потребители -AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request -AutoValidationOnCreate=Automatic validation -FirstDayOfHoliday=Beginning day of leave request -LastDayOfHoliday=Ending day of leave request +AutoSendMail=Автоматично изпращане по пощата +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave +AutoValidationOnCreate=Автоматично валидиране +FirstDayOfHoliday=Начален ден на отпуск Искане +LastDayOfHoliday=Краен ден на отпуск Искане HolidaysMonthlyUpdate=Месечна актуализация ManualUpdate=Ръчна актуализация -HolidaysCancelation=Анулиране на молба за отпуск +HolidaysCancelation=Оставете Искане анулиране EmployeeLastname=Фамилия на служителя EmployeeFirstname=Собствено име на служителя TypeWasDisabledOrRemoved=Вида отпуск (%s) беше деактивиран или премахнат @@ -115,8 +115,8 @@ LEAVE_SICK=Болничен отпуск LEAVE_OTHER=Друг отпуск LEAVE_PAID_FR=Платен отпуск ## Configuration du Module ## -LastUpdateCP=Last automatic update of leave allocation -MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation +LastUpdateCP=Последна автоматична актуализация на разпределението на отпуските +MonthOfLastMonthlyUpdate=Месец на последната автоматична актуализация на разпределението на отпуска UpdateConfCPOK=Успешно актуализирано. Module27130Name= Молби за отпуск Module27130Desc= Управление на молби за отпуск @@ -136,22 +136,22 @@ HolidaysCanceledBody=Вашата молба за отпуск от %s до %s FollowedByACounter=1: Този вид отпуск е необходимо да бъде проследяван от брояч. Броячът се увеличава ръчно или автоматично, а когато молбата за отпуск е валидирана, броячът се намалява.
      0: Не се проследява от брояч. NoLeaveWithCounterDefined=Няма дефинирани видове отпуск, които трябва да бъдат проследявани от брояч GoIntoDictionaryHolidayTypes=Отидете в Начало -> Настройки -> Речници -> Видове отпуски , за да настроите различните видове отпуски. -HolidaySetup=Setup of module Leave -HolidaysNumberingModules=Numbering models for leave requests +HolidaySetup=Настройка на модул Напускане +HolidaysNumberingModules=Образци за номериране на молби за отпуск TemplatePDFHolidays=PDF шаблон за молби за отпуск FreeLegalTextOnHolidays=Свободен текст в молби за отпуск WatermarkOnDraftHolidayCards=Воден знак върху чернови молби за отпуск HolidaysToApprove=Молби за отпуск за одобрение -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate leave requests -HolidayBalanceMonthlyUpdate=Monthly update of leave balance -XIsAUsualNonWorkingDay=%s is usualy a NON working day -BlockHolidayIfNegative=Block if balance negative -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative -ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted -IncreaseHolidays=Increase leave balance -HolidayRecordsIncreased= %s leave balances increased -HolidayRecordIncreased=Leave balance increased -ConfirmMassIncreaseHoliday=Bulk leave balance increase -NumberDayAddMass=Number of day to add to the selection -ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? -HolidayQtyNotModified=Balance of remaining days for %s has not been changed +NobodyHasPermissionToValidateHolidays=Никой няма разрешение да Потвърждавам оставя заявки +HolidayBalanceMonthlyUpdate=Месечно актуализиране на баланса на отпуските +XIsAUsualNonWorkingDay=%s обикновено е НЕработен ден +BlockHolidayIfNegative=Блокирайте, ако балансът е отрицателен +LeaveRequestCreationBlockedBecauseBalanceIsNegative=Създаването на този отпуск Искане е блокирано, защото балансът ви е отрицателен +ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Напускането Искане %s трябва да бъде чернова, отменено или отказано за изтриване +IncreaseHolidays=Увеличете баланса на отпуските +HolidayRecordsIncreased= %s остатъчните салда са увеличени +HolidayRecordIncreased=Балансът на отпуските е увеличен +ConfirmMassIncreaseHoliday=Масово увеличение на баланса на отпуските +NumberDayAddMass=Номер на деня за добавяне към селекцията +ConfirmMassIncreaseHolidayQuestion=Сигурни ли сте, че искате за увеличаване на ваканцията на %s избран(и) запис(и)? +HolidayQtyNotModified=Балансът от оставащите дни за %s не е променен diff --git a/htdocs/langs/bg_BG/main.lang b/htdocs/langs/bg_BG/main.lang index 5194e4fed8f..bb71f951d6c 100644 --- a/htdocs/langs/bg_BG/main.lang +++ b/htdocs/langs/bg_BG/main.lang @@ -34,10 +34,10 @@ NoTemplateDefined=Няма наличен шаблон за този тип им AvailableVariables=Налични променливи за заместване NoTranslation=Няма превод Translation=Превод -Translations=Translations +Translations=Преводи CurrentTimeZone=Времева зона на PHP (сървър) -EmptySearchString=Въведете критерии за търсене -EnterADateCriteria=Enter a date criteria +EmptySearchString=Въведете непразни критерии за търсене +EnterADateCriteria=Въведете Дата критерии NoRecordFound=Няма намерен запис NoRecordDeleted=Няма изтрит запис NotEnoughDataYet=Няма достатъчно данни @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Неуспешно изпращане на имейл (п ErrorFileNotUploaded=Файлът не беше качен. Уверете се, че размерът му не надвишава максимално допустимия, че е на разположение свободно пространство на диска и че няма файл със същото име в тази директория. ErrorInternalErrorDetected=Открита е грешка ErrorWrongHostParameter=Неправилен параметър на сървъра -ErrorYourCountryIsNotDefined=Вашата държава не е дефинирана. Отидете в Начало - Настройка - Фирма/Организация и попълнете формата отново. +ErrorYourCountryIsNotDefined=Вашата държава не е дефинирана. Отидете на Home-Setup-Компания/Foundation и публикувайте формуляра отново. ErrorRecordIsUsedByChild=Изтриването на този запис не бе успешно. Този запис се използва от поне от един под запис. ErrorWrongValue=Грешна стойност ErrorWrongValueForParameterX=Грешна стойност за параметър %s @@ -74,7 +74,8 @@ ErrorNoVATRateDefinedForSellerCountry=Грешка, не са дефиниран ErrorNoSocialContributionForSellerCountry=Грешка, не е дефиниран тип за социални / фискални данъци за държавата "%s". ErrorFailedToSaveFile=Грешка, неуспешно записване на файл. ErrorCannotAddThisParentWarehouse=Опитвате се да добавите основен склад, който вече е под-склад на съществуващ склад -FieldCannotBeNegative=Field "%s" cannot be negative +ErrorInvalidSubtype=Избраният подтип не е разрешен +FieldCannotBeNegative=Полето „%s“ не може да бъде отрицателно MaxNbOfRecordPerPage=Максимален брой записи на страница NotAuthorized=Не сте упълномощен да правите това. SetDate=Настройка на дата @@ -95,7 +96,7 @@ FileWasNotUploaded=Избран е файл за прикачване, но вс NbOfEntries=Брой вписвания GoToWikiHelpPage=Прочетете онлайн помощта (необходим е достъп до интернет) GoToHelpPage=Прочетете помощната информация -DedicatedPageAvailable=Dedicated help page related to your current screen +DedicatedPageAvailable=Специална помощна страница, свързана с текущия ви екран HomePage=Начална страница RecordSaved=Записът е съхранен RecordDeleted=Записът е изтрит @@ -103,7 +104,8 @@ RecordGenerated=Записът е генериран LevelOfFeature=Ниво на функции NotDefined=Не е дефинирано DolibarrInHttpAuthenticationSoPasswordUseless=Режимът за удостоверяване в Dolibarr е зададен на %s в конфигурационен файл conf.php .
      Това означава, че базата данни с пароли е външна за Dolibarr, така че промяната в това поле може да няма ефект. -Administrator=Администратор +Administrator=Системен администратор +AdministratorDesc=Системен администратор (може да администрира потребител, права, но също и системна настройка и конфигурация на модули) Undefined=Неопределен PasswordForgotten=Забравена парола? NoAccount=Нямате профил? @@ -122,7 +124,7 @@ ReturnCodeLastAccessInError=Върнат код за грешка при пос InformationLastAccessInError=Информация за грешка при последната заявка за достъп до базата данни DolibarrHasDetectedError=Dolibarr засече техническа грешка YouCanSetOptionDolibarrMainProdToZero=Можете да прочетете .log файл или да зададете опция $ dolibarr_main_prod на '0' в конфигурационния си файл, за да получите повече информация. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) +InformationToHelpDiagnose=Тази информация може да бъде полезна за диагностични цели (можете да зададете опция $dolibarr_main_prod на '1', за да скриете поверителна информация) MoreInformation=Повече информация TechnicalInformation=Техническа информация TechnicalID=Технически идентификатор @@ -188,7 +190,7 @@ SaveAndNew=Съхраняване и създаване TestConnection=Проверяване на връзката ToClone=Клониране ConfirmCloneAsk=Сигурни ли сте, че искате да клонирате обект %s? -ConfirmClone=Choose the data you want to clone: +ConfirmClone=Изберете данните, които искате да клонирате: NoCloneOptionsSpecified=Няма определени данни за клониране. Of=на Go=Давай @@ -208,23 +210,23 @@ OpenVerb=Активна Upload=Прикачи ToLink=Свържи Select=Изберете -SelectAll=Select all +SelectAll=Изберете всички Choose=Избор Resize=Оразмеряване +Crop=реколта ResizeOrCrop=Оразмеряване или изрязване -Recenter=Възстановяване Author=Автор User=Потребител Users=Потребители Group=Група Groups=Групи -UserGroup=User group -UserGroups=User groups +UserGroup=Потребителска група +UserGroups=Потребителски групи NoUserGroupDefined=Няма дефинирана потребителска група Password=Парола -PasswordRetype=Repeat your password +PasswordRetype=Повторете вашата парола NoteSomeFeaturesAreDisabled=Имайте предвид, че много функции / модули са деактивирани в тази демонстрация. -YourUserFile=Your user file +YourUserFile=Вашият потребителски файл Name=Име NameSlashCompany=Име / Фирма Person=Лице @@ -234,9 +236,9 @@ Value=Стойност PersonalValue=Лична стойност NewObject=Нов %s NewValue=Нова стойност -OldValue=Old value %s -FieldXModified=Field %s modified -FieldXModifiedFromYToZ=Field %s modified from %s to %s +OldValue=Стара стойност %s +FieldXModified=Променено поле %s +FieldXModifiedFromYToZ=Полето %s е променено от %s на %s CurrentValue=Текуща стойност Code=Код Type=Тип @@ -253,13 +255,13 @@ Designation=Описание DescriptionOfLine=Описание на реда DateOfLine=Дата на реда DurationOfLine=Продължителност на реда -ParentLine=Parent line ID +ParentLine=ID на родителската линия Model=Шаблон за документ DefaultModel=Шаблон на документ по подразбиране Action=Събитие About=Относно Number=Брой -NumberByMonth=Total reports by month +NumberByMonth=Общо отчети по месеци AmountByMonth=Сума на месец Numero=Брой Limit=Лимит @@ -276,7 +278,7 @@ Cards=Карти Card=Карта Now=Сега HourStart=Начален час -Deadline=Deadline +Deadline=Краен срок Date=Дата DateAndHour=Дата и час DateToday=Днешна дата @@ -285,13 +287,13 @@ DateStart=Начална дата DateEnd=Крайна дата DateCreation=Дата на създаване DateCreationShort=Създаване -IPCreation=Creation IP +IPCreation=IP за създаване DateModification=Дата на промяна DateModificationShort=Промяна -IPModification=Modification IP +IPModification=Модификация IP DateLastModification=Дата на последна промяна DateValidation=Дата на валидиране -DateSigning=Signing date +DateSigning=Дата на подписване DateClosing=Дата на приключване DateDue=Краен срок за плащане DateValue=Дата на вальор @@ -312,8 +314,8 @@ UserValidation=Валидиращ потребител UserCreationShort=Създаващ UserModificationShort=Променящ UserValidationShort=Валидиращ -UserClosing=Closing user -UserClosingShort=Closing user +UserClosing=Затваряне на потребител +UserClosingShort=Затваряне на потребител DurationYear=година DurationMonth=месец DurationWeek=седмица @@ -345,10 +347,10 @@ Morning=сутрин Afternoon=следобед Quadri=Quadri MonthOfDay=Месец на деня -DaysOfWeek=Days of week +DaysOfWeek=Дни от седмицата HourShort=ч MinuteShort=мин -SecondShort=sec +SecondShort=сек Rate=Курс CurrencyRate=Обменен валутен курс UseLocalTax=Включи данък @@ -358,7 +360,7 @@ MegaBytes=Мегабайта GigaBytes=Гигабайта TeraBytes=Терабайта UserAuthor=Създаден от -UserModif=Updated by +UserModif=Актуализиран от b=б. Kb=Кб Mb=Мб @@ -378,13 +380,13 @@ UnitPriceHTCurrency=Единична цена (без ДДС) (валута) UnitPriceTTC=Единична цена PriceU=Ед. цена PriceUHT=Ед. цена (без ДДС) -PriceUHTCurrency=U.P (net) (currency) +PriceUHTCurrency=U.P (нето) (валута) PriceUTTC=Ед. цена (с ДДС) Amount=Сума AmountInvoice=Фактурна стойност AmountInvoiced=Фактурирана сума AmountInvoicedHT=Фактурирана сума (без ДДС) -AmountInvoicedTTC=Amount invoiced (inc. tax) +AmountInvoicedTTC=Фактурирана сума (вкл. данък) AmountPayment=Сума за плащане AmountHTShort=Сума (без ДДС) AmountTTCShort=Сума (с ДДС) @@ -397,7 +399,7 @@ MulticurrencyPaymentAmount=Сума на плащане, оригинална в MulticurrencyAmountHT=Сума (без ДДС), оригинална валута MulticurrencyAmountTTC=Сума (с ДДС), оригинална валута MulticurrencyAmountVAT=Размер на ДДС, оригинална валута -MulticurrencySubPrice=Amount sub price multi currency +MulticurrencySubPrice=Сума под цена мулти валута AmountLT1=Размер на данък 2 AmountLT2=Размер на данък 3 AmountLT1ES=Размер на RE @@ -406,8 +408,8 @@ AmountTotal=Обща сума AmountAverage=Средна сума PriceQtyMinHT=Цена за минимално количество (без ДДС) PriceQtyMinHTCurrency=Цена за минимално количество (без ДДС) (валута) -PercentOfOriginalObject=Percent of original object -AmountOrPercent=Amount or percent +PercentOfOriginalObject=Процент на оригиналния обект +AmountOrPercent=Сума или процент Percentage=Процент Total=Общо SubTotal=Междинна сума @@ -446,7 +448,7 @@ LT1IN=CGST LT2IN=SGST LT1GC=Допълнителни центове VATRate=Данъчна ставка -RateOfTaxN=Rate of tax %s +RateOfTaxN=Данъчна ставка %s VATCode=Код на данъчна ставка VATNPR=Данъчна ставка NPR DefaultTaxRate=Данъчна ставка по подразбиране @@ -458,7 +460,7 @@ RemainToPay=Оставащо за плащане Module=Модул / Приложение Modules=Модули / Приложения Option=Опция -Filters=Filters +Filters=Филтри List=Списък FullList=Пълен списък FullConversation=Пълен списък със съобщения @@ -493,7 +495,7 @@ ActionsOnContact=Събития за този контакт / адрес ActionsOnContract=Свързани събития ActionsOnMember=Събития за този член ActionsOnProduct=Събития за този продукт -ActionsOnAsset=Events for this fixed asset +ActionsOnAsset=Събития за този фиксиран актив NActionsLate=%s закъснели ToDo=За извършване Completed=Завършено @@ -517,7 +519,7 @@ NotYetAvailable=Все още не е налично NotAvailable=Не е налично Categories=Тагове / Категории Category=Таг / Категория -SelectTheTagsToAssign=Select the tags/categories to assign +SelectTheTagsToAssign=Изберете етикетите/Категории за присвояване By=От From=От FromDate=От @@ -526,7 +528,7 @@ to=за To=за ToDate=за ToLocation=за -at=at +at=при and=и or=или Other=Друг @@ -547,8 +549,9 @@ Reportings=Справки Draft=Чернова Drafts=Чернови StatusInterInvoiced=Фактурирано +Done=Завършено Validated=Валидирано -ValidatedToProduce=Validated (To produce) +ValidatedToProduce=Валидиран (за производство) Opened=Активен OpenAll=Отворено (всички) ClosedAll=Затворено (всички) @@ -558,7 +561,7 @@ Unknown=Неизвестно General=Общ Size=Размер OriginalSize=Оригинален размер -RotateImage=Rotate 90° +RotateImage=Завъртане на 90° Received=Получено Paid=Платено Topic=Тема @@ -636,10 +639,10 @@ MonthVeryShort11=Н MonthVeryShort12=Д AttachedFiles=Прикачени файлове и документи JoinMainDoc=Присъединете към основния документ -JoinMainDocOrLastGenerated=Send the main document or the last generated one if not found -DateFormatYYYYMM=YYYY-MM -DateFormatYYYYMMDD=YYYY-MM-DD -DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS +JoinMainDocOrLastGenerated=Изпратете основния документ или последния генериран, ако не бъде намерен +DateFormatYYYYMM=ГГГГ-ММ +DateFormatYYYYMMDD=ГГГГ-ММ-ДД +DateFormatYYYYMMDDHHMM=ГГГГ-ММ-ДД ЧЧ:СС ReportName=Име на отчет ReportPeriod=Период на отчет ReportDescription=Описание @@ -683,7 +686,7 @@ SupplierPreview=Преглед на доставчик ShowCustomerPreview=Преглеждане на клиент ShowSupplierPreview=Преглеждане на доставчик RefCustomer=Изх. № на клиент -InternalRef=Internal ref. +InternalRef=Вътрешна реф. Currency=Валута InfoAdmin=Информация за администратори Undo=Отменяне @@ -698,6 +701,7 @@ Response=Отговор Priority=Приоритет SendByMail=Изпращане по имейл MailSentBy=Изпратено по имейл от +MailSentByTo=Имейл, изпратен от %s до %s NotSent=Неизпратен TextUsedInTheMessageBody=Текст на имейла SendAcknowledgementByMail=Изпращане на имейл потвърждение @@ -722,18 +726,19 @@ RecordModifiedSuccessfully=Записът е успешно променен RecordsModified=%s запис(а) е(са) променен(и) RecordsDeleted=%s запис(а) е(са) изтрит(и) RecordsGenerated=%s запис(а) е(са) генериран(и) +ValidatedRecordWhereFound = Някои от избраните записи вече са валидирани. Няма изтрити записи. AutomaticCode=Автоматичен код FeatureDisabled=Функцията е изключена MoveBox=Преместване на джаджа Offered=100% NotEnoughPermissions=Вие нямате разрешение за това действие -UserNotInHierachy=This action is reserved to the supervisors of this user +UserNotInHierachy=Това действие е запазено за надзорните органи на този потребител SessionName=Име на сесия Method=Метод Receive=Получаване CompleteOrNoMoreReceptionExpected=Завършено или не се очаква нищо повече ExpectedValue=Очаквана стойност -ExpectedQty=Expected Qty +ExpectedQty=Очаквано кол PartialWoman=Частично TotalWoman=Обща NeverReceived=Никога не е получавано @@ -750,10 +755,10 @@ MenuECM=Документи MenuAWStats=AWStats MenuMembers=Членове MenuAgendaGoogle=Google календар -MenuTaxesAndSpecialExpenses=Taxes | Special expenses +MenuTaxesAndSpecialExpenses=Данъци | Специални разходи ThisLimitIsDefinedInSetup=Ограничение на системата (Меню Начало - Настройка - Сигурност): %s Kb, ограничение на PHP: %s Kb -ThisLimitIsDefinedInSetupAt=Dolibarr limit (Menu %s): %s Kb, PHP limit (Param %s): %s Kb -NoFileFound=No documents uploaded +ThisLimitIsDefinedInSetupAt=Лимит на Dolibarr (Меню %s): %s Kb, PHP лимит (Параметр %s): %s Kb +NoFileFound=Няма качени документи CurrentUserLanguage=Текущ език CurrentTheme=Текуща тема CurrentMenuManager=Текущ меню манипулатор @@ -764,17 +769,16 @@ DisabledModules=Деактивирани модули For=За ForCustomer=За клиент Signature=Подпис -DateOfSignature=Дата на подписване HidePassword=Показване на команда със скрита парола UnHidePassword=Показване на реална команда с ясна парола Root=Начало -RootOfMedias=Начална директория за публични медии (/medias) +RootOfMedias=Корен на обществената медия (/medias) Informations=Информация Page=Страница Notes=Бележки AddNewLine=Добавяне на нов ред AddFile=Добавяне на файл -FreeZone=Free-text product +FreeZone=Продукт със свободен текст FreeLineOfType=Елемент със свободен текст, тип: CloneMainAttributes=Клониране на обекта с неговите основни атрибути ReGeneratePDF=Повторно генериране на PDF @@ -817,7 +821,7 @@ URLPhoto=URL адрес на снимка / лого SetLinkToAnotherThirdParty=Връзка към друг контрагент LinkTo=Връзка към LinkToProposal=Връзка към предложение -LinkToExpedition= Link to expedition +LinkToExpedition= Линк към експедиция LinkToOrder=Връзка към поръчка LinkToInvoice=Връзка към фактура LinkToTemplateInvoice=Връзка към шаблонна фактура @@ -827,7 +831,7 @@ LinkToSupplierInvoice=Връзка към фактура за доставка LinkToContract=Връзка към договор LinkToIntervention=Връзка към интервенция LinkToTicket=Връзка към тикет -LinkToMo=Link to Mo +LinkToMo=Връзка към Mo CreateDraft=Създаване на чернова SetToDraft=Назад към черновата ClickToEdit=Кликнете, за да редактирате @@ -871,7 +875,7 @@ XMoreLines=%s ред(а) е(са) скрит(и) ShowMoreLines=Показване на повече / по-малко редове PublicUrl=Публичен URL AddBox=Добавяне на кутия -SelectElementAndClick=Select an element and click on %s +SelectElementAndClick=Изберете елемент и щракнете върху %s PrintFile=Печат на файл %s ShowTransaction=Показване на запис на банкова сметка ShowIntervention=Показване на интервенция @@ -882,9 +886,9 @@ Denied=Отхвърлено ListOf=Списък на %s ListOfTemplates=Списък с шаблони Gender=Пол -Genderman=Male -Genderwoman=Female -Genderother=Други +Genderman=Мъжки +Genderwoman=Женски +Genderother=Друг ViewList=Списъчен изглед ViewGantt=Gantt изглед ViewKanban=Kanban изглед @@ -903,12 +907,12 @@ MassFilesArea=Секция с файлове, създадени от масов ShowTempMassFilesArea=Показване на секцията с файлове, създадени от масови действия ConfirmMassDeletion=Потвърждение за масово изтриване ConfirmMassDeletionQuestion=Сигурни ли сте, че искате да изтриете избраните %s записа? -ConfirmMassClone=Bulk clone confirmation -ConfirmMassCloneQuestion=Select project to clone to -ConfirmMassCloneToOneProject=Clone to project %s +ConfirmMassClone=Потвърждение за групово клониране +ConfirmMassCloneQuestion=Изберете проект, към който да клонирате +ConfirmMassCloneToOneProject=Клониране към проект %s RelatedObjects=Свързани обекти -ClassifyBilled=Classify Billed -ClassifyUnbilled=Classify Unbilled +ClassifyBilled=Класифицирайте таксувани +ClassifyUnbilled=Класифицирайте нефактурирани Progress=Прогрес ProgressShort=Прогрес FrontOffice=Фронт офис @@ -916,31 +920,32 @@ BackOffice=Бек офис Submit=Изпращане View=Преглед Export=Експортиране +Import=Секция с импортирания Exports=Експортирания ExportFilteredList=Експортиране на филтрирания списък ExportList=Списък за експортиране ExportOptions=Настройки за експортиране IncludeDocsAlreadyExported=Включените документи са вече експортирани -ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and will be exported -ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported +ExportOfPiecesAlreadyExportedIsEnable=Вече експортираните документи се виждат и ще бъдат експортирани +ExportOfPiecesAlreadyExportedIsDisable=Вече експортираните документи са скрити и няма да бъдат експортирани AllExportedMovementsWereRecordedAsExported=Всички експортирани движения бяха записани като експортирани NotAllExportedMovementsCouldBeRecordedAsExported=Не всички експортирани движения могат да бъдат записани като експортирани Miscellaneous=Разни Calendar=Календар GroupBy=Групиране по... -GroupByX=Group by %s +GroupByX=Групиране по %s ViewFlatList=Преглед на плосък списък -ViewAccountList=View ledger -ViewSubAccountList=View subaccount ledger +ViewAccountList=Преглед на счетоводна книга +ViewSubAccountList=Преглед на книгата на подсметките RemoveString=Премахване на низ „%s“ -SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. -DirectDownloadLink=Public download link -PublicDownloadLinkDesc=Only the link is required to download the file -DirectDownloadInternalLink=Private download link -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file +SomeTranslationAreUncomplete=Някои от предлаганите езици може да са само частично преведени или да съдържат грешки. Моля, помогнете да коригирате езика си, като се регистрирате на https://transifex.com/projects/p/dolibarr/ за добавете вашите подобрения. +DirectDownloadLink=Публична връзка за изтегляне +PublicDownloadLinkDesc=Необходима е само връзка за изтегляне на файла +DirectDownloadInternalLink=Частна връзка за изтегляне +PrivateDownloadLinkDesc=Трябва да сте влезли и се нуждаете от разрешения, за да видите или изтеглите файла Download=Изтегляне DownloadDocument=Изтегляне на документ -DownloadSignedDocument=Download signed document +DownloadSignedDocument=Изтегляне на подписан документ ActualizeCurrency=Актуализиране на валутния курс Fiscalyear=Фискална година ModuleBuilder=Дизайнер за модули и приложения @@ -949,7 +954,7 @@ BulkActions=Масови действия ClickToShowHelp=Кликнете, за да покажете помощната подсказка WebSite=Уебсайт WebSites=Уебсайтове -WebSiteAccounts=Профили в уебсайта +WebSiteAccounts=Акаунти за уеб достъп ExpenseReport=Разходен отчет ExpenseReports=Разходни отчети HR=ЧР @@ -1003,39 +1008,39 @@ ShortThursday=Чт ShortFriday=Пт ShortSaturday=Сб ShortSunday=Нд -one=one -two=two -three=three -four=four -five=five -six=six -seven=seven -eight=eight -nine=nine -ten=ten -eleven=eleven -twelve=twelve -thirteen=thirdteen -fourteen=fourteen -fifteen=fifteen -sixteen=sixteen -seventeen=seventeen -eighteen=eighteen -nineteen=nineteen -twenty=twenty -thirty=thirty -forty=forty -fifty=fifty -sixty=sixty -seventy=seventy -eighty=eighty -ninety=ninety -hundred=hundred -thousand=thousand -million=million -billion=billion -trillion=trillion -quadrillion=quadrillion +one=един +two=две +three=три +four=четири +five=пет +six=шест +seven=седем +eight=осем +nine=девет +ten=десет +eleven=единадесет +twelve=дванадесет +thirteen=трети тийнейджър +fourteen=четиринадесет +fifteen=петнадесет +sixteen=шестнадесет +seventeen=седемнадесет +eighteen=осемнадесет +nineteen=деветнадесет +twenty=двадесет +thirty=тридесет +forty=четиридесет +fifty=петдесет +sixty=шестдесет +seventy=седемдесет +eighty=осемдесет +ninety=деветдесет +hundred=сто +thousand=хиляди +million=милиона +billion=милиард +trillion=трилиона +quadrillion=квадрилион SelectMailModel=Изберете шаблон за имейл SetRef=Задаване на референция Select2ResultFoundUseArrows=Намерени са някои резултати. Използвайте стрелките, за да изберете. @@ -1051,7 +1056,7 @@ SearchIntoContacts=Контакти SearchIntoMembers=Членове SearchIntoUsers=Потребители SearchIntoProductsOrServices=Продукти или услуги -SearchIntoBatch=Lots / Serials +SearchIntoBatch=Партиди / Сериали SearchIntoProjects=Проекти SearchIntoMO=Поръчки за производство SearchIntoTasks=Задачи @@ -1066,9 +1071,9 @@ SearchIntoContracts=Договори SearchIntoCustomerShipments=Клиентски пратки SearchIntoExpenseReports=Разходни отчети SearchIntoLeaves=Отпуск -SearchIntoKM=Knowledge base +SearchIntoKM=Знание SearchIntoTickets=Тикети -SearchIntoCustomerPayments=Customer payments +SearchIntoCustomerPayments=Клиент плащания SearchIntoVendorPayments=Плащания към доставчици SearchIntoMiscPayments=Разнородни плащания CommentLink=Коментари @@ -1077,6 +1082,7 @@ CommentPage=Място за коментари CommentAdded=Коментарът е добавен CommentDeleted=Коментарът е изтрит Everybody=Всички +EverybodySmall=Всички PayedBy=Платено от PayedTo=Платено на Monthly=Месечно @@ -1089,13 +1095,13 @@ KeyboardShortcut=Клавишна комбинация AssignedTo=Възложено на Deletedraft=Изтриване на чернова ConfirmMassDraftDeletion=Потвърждаване за масово изтриване на чернови -FileSharedViaALink=File shared with a public link +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Първо изберете контрагент... YouAreCurrentlyInSandboxMode=В момента се намирате в режим "sandbox" на %s Inventory=Складова наличност AnalyticCode=Аналитичен код TMenuMRP=ПМИ -ShowCompanyInfos=Show company infos +ShowCompanyInfos=Показване на информация за Компания ShowMoreInfos=Показване на повече информация NoFilesUploadedYet=Моля, първо прикачете документ SeePrivateNote=Вижте частната бележка @@ -1104,7 +1110,7 @@ ValidFrom=Валидно от ValidUntil=Валидно до NoRecordedUsers=Няма потребители ToClose=За приключване -ToRefuse=To refuse +ToRefuse=Отказвам ToProcess=За изпълнение ToApprove=За одобрение GlobalOpenedElemView=Глобален изглед @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Задача ContactDefault_propal=Офериране ContactDefault_supplier_proposal=Запитване за доставка ContactDefault_ticket=Тикет -ContactAddedAutomatically=Контактът е добавен от контактите на контрагента +ContactAddedAutomatically=Добавен е контакт от контрагент роли за контакт More=Повече ShowDetails=Показване на детайли CustomReports=Персонализирани отчети @@ -1138,102 +1144,119 @@ DeleteFileText=Сигурни ли сте, че искате да изтриет ShowOtherLanguages=Показване на други езици SwitchInEditModeToAddTranslation=Превключете в режим на редактиране, за да добавите преводи за този език. NotUsedForThisCustomer=Не се използва за този клиент -NotUsedForThisVendor=Not used for this vendor -AmountMustBePositive=Amount must be positive -ByStatus=By status +NotUsedForThisVendor=Не се използва за този доставчик +AmountMustBePositive=Сумата трябва да е положителна +ByStatus=По статус InformationMessage=Информация -Used=Used -ASAP=As Soon As Possible -CREATEInDolibarr=Record %s created -MODIFYInDolibarr=Record %s modified -DELETEInDolibarr=Record %s deleted -VALIDATEInDolibarr=Record %s validated -APPROVEDInDolibarr=Record %s approved -DefaultMailModel=Default Mail Model -PublicVendorName=Public name of vendor +Used=Използвани +ASAP=Възможно най-скоро +CREATEInDolibarr=Записът %s е създаден +MODIFYInDolibarr=Записът %s е променен +DELETEInDolibarr=Записът %s е изтрит +VALIDATEInDolibarr=Записът %s е потвърден +APPROVEDInDolibarr=Запис %s одобрен +DefaultMailModel=Пощенски модел по подразбиране +PublicVendorName=Публично име на доставчика DateOfBirth=Дата на раждане -SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again. -UpToDate=Up-to-date -OutOfDate=Out-of-date -EventReminder=Event Reminder -UpdateForAllLines=Update for all lines +SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Токенът за сигурност е изтекъл, така че действието е отменено. Моля, опитайте отново. +UpToDate=До-Дата +OutOfDate=Извън-Дата +EventReminder=Напомняне за събитие +UpdateForAllLines=Актуализация за всички линии OnHold=На изчакване -Civility=Civility -AffectTag=Assign a Tag -AffectUser=Assign a User -SetSupervisor=Set the supervisor -CreateExternalUser=Create external user -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) +Civility=Учтивост +AffectTag=Присвояване на етикет +AffectUser=Присвояване на потребител +SetSupervisor=Задайте надзора +CreateExternalUser=Създайте външен потребител +ConfirmAffectTag=Групово присвояване на етикети +ConfirmAffectUser=Групово присвояване на потребители +ProjectRole=Присвоена роля за всеки проект/възможност +TasksRole=Присвоена роля за всяка задача (ако се използва) ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records +ConfirmUpdatePrice=Изберете процент на увеличение/намаляване на цената +ConfirmAffectTagQuestion=Сигурни ли сте, че искате за присвояване на тагове към %s избран(и) запис(и)? +ConfirmAffectUserQuestion=Сигурни ли сте, че искате за присвояване на потребители към %s избран(и) запис(и)? +ConfirmSetSupervisorQuestion=Сигурни ли сте, че искате, за да зададете супервайзор на %s избран(и) запис(и)? +ConfirmUpdatePriceQuestion=Сигурни ли сте, че искате за актуализиране на цената на %s избран(и) запис(и)? +CategTypeNotFound=Не е намерен тип етикет за тип записи Rate=Курс -SupervisorNotFound=Supervisor not found -CopiedToClipboard=Copied to clipboard -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. -ConfirmCancel=Are you sure you want to cancel -EmailMsgID=Email MsgID -EmailDate=Email date -SetToStatus=Set to status %s -SetToEnabled=Set to enabled -SetToDisabled=Set to disabled -ConfirmMassEnabling=mass enabling confirmation -ConfirmMassEnablingQuestion=Are you sure you want to enable the %s selected record(s)? -ConfirmMassDisabling=mass disabling confirmation -ConfirmMassDisablingQuestion=Are you sure you want to disable the %s selected record(s)? -RecordsEnabled=%s record(s) enabled -RecordsDisabled=%s record(s) disabled -RecordEnabled=Record enabled -RecordDisabled=Record disabled -Forthcoming=Forthcoming -Currently=Currently -ConfirmMassLeaveApprovalQuestion=Are you sure you want to approve the %s selected record(s)? -ConfirmMassLeaveApproval=Mass leave approval confirmation -RecordAproved=Record approved -RecordsApproved=%s Record(s) approved -Properties=Properties -hasBeenValidated=%s has been validated +SupervisorNotFound=Надзорникът не е намерен +CopiedToClipboard=Копирано в клипборда +InformationOnLinkToContract=Тази сума е само сборът от всички редове на Договор. Не се взема под внимание понятието време. +ConfirmCancel=Сигурни ли сте, че искате за отказ +EmailMsgID=Имейл MsgID +EmailDate=Изпратете имейл Дата +SetToStatus=Задаване на състояние %s +SetToEnabled=Задайте активирано +SetToDisabled=Задайте на деактивирано +ConfirmMassEnabling=масово позволяващо потвърждение +ConfirmMassEnablingQuestion=Сигурни ли сте, че искате за активиране на %s избран(и) запис(и)? +ConfirmMassDisabling=потвърждение за масово деактивиране +ConfirmMassDisablingQuestion=Сигурни ли сте, че искате за деактивиране на %s избран(и) запис(и)? +RecordsEnabled=%s запис(и) са активирани +RecordsDisabled=%s запис(и) е деактивиран +RecordEnabled=Записът е активиран +RecordDisabled=Записът е деактивиран +Forthcoming=Предстои +Currently=Понастоящем +ConfirmMassLeaveApprovalQuestion=Сигурни ли сте, че искате до Одобрявам %s избран(и) запис(и)? +ConfirmMassLeaveApproval=Потвърждение за одобрение за масов отпуск +RecordAproved=Записът е одобрен +RecordsApproved=%s Одобрени записи +Properties=Имоти +hasBeenValidated=%s е потвърден ClientTZ=Часова зона на клиента (потребител) -NotClosedYet=Not yet closed -ClearSignature=Reset signature -CanceledHidden=Canceled hidden -CanceledShown=Canceled shown +NotClosedYet=Все още не е затворено +ClearSignature=Нулиране на подписа +CanceledHidden=Отменено скрито +CanceledShown=Отменено показано Terminate=Прекратяване Terminated=Деактивиран -AddLineOnPosition=Add line on position (at the end if empty) -ConfirmAllocateCommercial=Assign sales representative confirmation -ConfirmAllocateCommercialQuestion=Are you sure you want to assign the %s selected record(s)? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned -YourMessage=Your message -YourMessageHasBeenReceived=Your message has been received. We will answer or contact you as soon as possible. -UrlToCheck=Url to check -Automation=Automation -CreatedByEmailCollector=Created by Email collector -CreatedByPublicPortal=Created from Public portal -UserAgent=User Agent +AddLineOnPosition=Добавете ред на позиция (в края, ако е празен) +ConfirmAllocateCommercial=Задайте потвърждение на търговски представител +ConfirmAllocateCommercialQuestion=Сигурни ли сте, че искате да присвоите %s избраните записи? +CommercialsAffected=Назначени търговски представители +CommercialAffected=Назначен търговски представител +YourMessage=Твоето съобщение +YourMessageHasBeenReceived=Вашето съобщение е получено. Ние ще отговорим или ще се свържем с вас възможно най-скоро. +UrlToCheck=Url за проверка +Automation=Автоматизация +CreatedByEmailCollector=Създаден от колектор на имейли +CreatedByPublicPortal=Създаден от публичен портал +UserAgent=Потребителски агент InternalUser=Вътрешен потребител ExternalUser=Външен потребител -NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. -HideOnVCard=Hide %s -AddToContacts=Add address to my contacts -LastAccess=Last access -UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here -LastPasswordChangeDate=Last password change date -PublicVirtualCardUrl=Virtual business card page URL -PublicVirtualCard=Virtual business card -TreeView=Tree view -DropFileToAddItToObject=Drop a file to add it to this object -UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +NoSpecificContactAddress=Няма конкретен контакт или адрес +NoSpecificContactAddressBis=Този раздел е предназначен за налагане на конкретни контакти или адреси за текущия обект. Използвайте го само ако искате да определите един или няколко конкретни контакта или адреси за обекта, когато информацията за третата страна не е достатъчна или не е точна. +HideOnVCard=Скриване на %s +AddToContacts=Добавяне на адрес към моите контакти +LastAccess=Последен достъп +UploadAnImageToSeeAPhotoHere=Качете изображение от раздела %s, за да видите снимка тук +LastPasswordChangeDate=Последна промяна на паролата Дата +PublicVirtualCardUrl=URL адрес на страница с виртуална визитка +PublicVirtualCard=Виртуална визитка +TreeView=Дървовиден изглед +DropFileToAddItToObject=Пуснете файл, за да го добавите към този обект +UploadFileDragDropSuccess=Файловете са качени успешно +SearchSyntaxTooltipForStringOrNum=За търсене в текстови полета можете да използвате знаците ^ или $, за да направите търсене „започване или край с“ или да използвате ! за да направите тест „не съдържа“. Можете да използвате | между два низа вместо интервал за условие „ИЛИ“ вместо „И“. За числови стойности можете да използвате оператора <, >, <=, >= или != преди стойността, за да филтрирате с помощта на математическо сравнение InProgress=В изпълнение -DateOfPrinting=Date of printing -ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. +DateOfPrinting=Дата от печат +ClickFullScreenEscapeToLeave=Щракнете тук, за да превключите в режим на цял екран. Натиснете ESCAPE, за да излезете от режим на цял екран. +UserNotYetValid=Все още не е валиден +UserExpired=Просрочен +LinkANewFile=Свързване на нов файл / документ +LinkedFiles=Свързани файлове и документи +NoLinkFound=Няма регистрирани връзки +LinkComplete=Файлът е успешно свързан +ErrorFileNotLinked=Файлът не може да бъде свързан +LinkRemoved=Връзката %s е премахната +ErrorFailedToDeleteLink= Премахването на връзката '%s' не е успешно +ErrorFailedToUpdateLink= Актуализацията на връзката '%s' не е успешна +URLToLink=URL адрес +OverwriteIfExists=Презаписване, ако файлът съществува +AmountSalary=Размер на заплатата +InvoiceSubtype=Подтип фактура +ConfirmMassReverse=Групово обратно потвърждение +ConfirmMassReverseQuestion=Сигурни ли сте, че искате за обръщане на %s избран(и) запис(и)? + diff --git a/htdocs/langs/bg_BG/oauth.lang b/htdocs/langs/bg_BG/oauth.lang index da26c9a8cf9..7c96b685783 100644 --- a/htdocs/langs/bg_BG/oauth.lang +++ b/htdocs/langs/bg_BG/oauth.lang @@ -9,13 +9,15 @@ HasAccessToken=Беше генериран и съхранен токен в л NewTokenStored=Токенът е получен и съхранен ToCheckDeleteTokenOnProvider=Кликнете тук, за да проверите / изтриете разрешение, съхранено от %s OAuth доставчик TokenDeleted=Токенът е изтрит -RequestAccess=Click here to request/renew access and receive a new token -DeleteAccess=Кликнете тук, за да изтриете токенът -UseTheFollowingUrlAsRedirectURI=Използвайте следния URL адрес като URI за пренасочване, когато създавате идентификационни данни през вашият доставчик на OAuth: -ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. -OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens +GetAccess=Щракнете тук, за да получите токен +RequestAccess=Щракнете тук, за да Искане/подновите достъпа и да получите нов токен +DeleteAccess=Щракнете тук, за да изтриете токена +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider +ListOfSupportedOauthProviders=Добавете своите доставчици на OAuth2 токени. След това отидете на страницата на вашия доставчик на OAuth Админ, за да създадете/получите OAuth ID и Secret и да ги запишете тук. След като сте готови, включете другия раздел, за да генерирате своя токен. +OAuthSetupForLogin=Страница за управление (генериране/изтриване) на OAuth токени SeePreviousTab=Вижте предишния раздел -OAuthProvider=OAuth provider +OAuthProvider=Доставчик на OAuth OAuthIDSecret=OAuth ID и Secret TOKEN_REFRESH=Налично е опресняване на токен TOKEN_EXPIRED=Токенът е изтекъл @@ -27,10 +29,14 @@ OAUTH_GOOGLE_SECRET=OAuth Google Secret OAUTH_GITHUB_NAME=OAuth услуга на GitHub OAUTH_GITHUB_ID=OAuth GitHub идентификатор OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret +OAUTH_URL_FOR_CREDENTIAL=Отидете на тази страница за създаване или получаване на вашия OAuth ID и Secret OAUTH_STRIPE_TEST_NAME=OAuth Stripe тест OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live -OAUTH_ID=OAuth ID -OAUTH_SECRET=OAuth secret -OAuthProviderAdded=OAuth provider added -AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists +OAUTH_ID=OAuth ИД на клиента +OAUTH_SECRET=OAuth тайна +OAUTH_TENANT=Клиент на OAuth +OAuthProviderAdded=Добавен е доставчик на OAuth +AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=Вече съществува OAuth запис за този доставчик и етикет +URLOfServiceForAuthorization=URL адрес, предоставен от услугата OAuth за удостоверяване +Scopes=права (Обхвати) +ScopeUndefined=права (Обхват) недефиниран (вижте предишния раздел) diff --git a/htdocs/langs/bg_BG/products.lang b/htdocs/langs/bg_BG/products.lang index 46c0437a1b7..6666778c4ef 100644 --- a/htdocs/langs/bg_BG/products.lang +++ b/htdocs/langs/bg_BG/products.lang @@ -80,8 +80,11 @@ SoldAmount=Стойност на продажбите PurchasedAmount=Стойност на покупките NewPrice=Нова цена MinPrice=Min. selling price +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Мин. продажна цена (с данък) EditSellingPriceLabel=Променяне на етикета с продажна цена -CantBeLessThanMinPrice=Продажната цена не може да бъде по-ниска от минимално допустимата за този продукт/услуга (%s без ДДС). Това съобщение може да се появи, ако въведете твърде голяма отстъпка. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Приключен ErrorProductAlreadyExists=Вече съществува продукт / услуга с № %s. ErrorProductBadRefOrLabel=Грешна стойност за № или име @@ -347,16 +350,17 @@ UseProductFournDesc=Add a feature to define the product description defined by t ProductSupplierDescription=Описание на продукта от доставчик UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=You will automaticaly purchase a multiple of this quantity. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=Количеството за реда е преизчислено според пакетирането на доставчика #Attributes +Attributes=Атрибути VariantAttributes=Атрибути на вариант ProductAttributes=Атрибути на вариант за продукти ProductAttributeName=Атрибут на вариант %s ProductAttribute=Атрибут на вариант ProductAttributeDeleteDialog=Сигурни ли сте, че искате да изтриете този атрибут? Всички стойности ще бъдат изтрити. -ProductAttributeValueDeleteDialog=Сигурни ли сте, че искате да изтриете стойност '%s' с № '%s' за този атрибут? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Сигурни ли сте, че искате да изтриете варианта на продукта с № %s? ProductCombinationAlreadyUsed=Възникна грешка при изтриването на варианта. Моля, проверете дали не се използва в някой обект ProductCombinations=Варианти @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Възникна грешка при опит з NbOfDifferentValues=Брой различни стойности NbProducts=Брой продукти ParentProduct=Основен продукт +ParentProductOfVariant=Parent product of variant HideChildProducts=Скриване на продуктови вариации ShowChildProducts=Показване на продуктови вариации NoEditVariants=Отидете в картата на основния продукт и променете 'Влиянието върху цената' в раздела за 'Варианти' @@ -417,7 +422,7 @@ ErrorsProductsMerge=Errors in products merge SwitchOnSaleStatus=Switch on sale status SwitchOnPurchaseStatus=Switch on purchase status UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Extra Fields (stock mouvement) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Extra Fields (inventory) ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes PuttingPricesUpToDate=Update prices with current known prices @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Select the extrafield you want modify ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? ModifyValueExtrafields = Modify value of an extrafield OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/bg_BG/projects.lang b/htdocs/langs/bg_BG/projects.lang index 357a2edf3b4..48a0600de22 100644 --- a/htdocs/langs/bg_BG/projects.lang +++ b/htdocs/langs/bg_BG/projects.lang @@ -6,24 +6,24 @@ ProjectLabel=Име на проект ProjectsArea=Секция с проекти ProjectStatus=Статус на проект SharedProject=Всички -PrivateProject=Assigned contacts -ProjectsImContactFor=Projects for which I am explicitly a contact +PrivateProject=Присвоени контакти +ProjectsImContactFor=Проекти, за които изрично съм контакт AllAllowedProjects=Всеки проект, който мога да прочета (мой и публичен) AllProjects=Всички проекти -MyProjectsDesc=This view is limited to the projects that you are a contact for +MyProjectsDesc=Този изглед е ограничен до проектите, за които сте контакт ProjectsPublicDesc=Този изглед представя всички проекти, които можете да прочетете. TasksOnProjectsPublicDesc=Този изглед представя всички задачи по проекти, които можете да прочетете. ProjectsPublicTaskDesc=Този изглед представя всички проекти и задачи, които можете да прочетете. ProjectsDesc=Този изглед представя всички проекти (вашите потребителски права ви дават разрешение да виждате всичко). TasksOnProjectsDesc=Този изглед представя всички задачи за всички проекти (вашите потребителски права ви дават разрешение да виждате всичко). -MyTasksDesc=This view is limited to the projects or tasks that you are a contact for +MyTasksDesc=Този изглед е ограничен до проектите или задачите, за които сте контакт OnlyOpenedProject=Само активните проекти са видими (чернови или приключени проекти не са видими). ClosedProjectsAreHidden=Приключените проекти не са видими. TasksPublicDesc=Този страница показва всички проекти и задачи, които може да прочетете. TasksDesc=Този страница показва всички проекти и задачи (вашите потребителски права ви дават разрешение да виждате всичко). AllTaskVisibleButEditIfYouAreAssigned=Всички задачи за определените проекти са видими, но може да въведете време само за задача, възложена на избрания потребител. Възложете задача, ако е необходимо да въведете отделено време за нея. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. -ImportDatasetProjects=Projects or opportunities +OnlyYourTaskAreVisible=Виждат се само задачите, които са ви възложени. Ако трябва да въведете време за дадена задача и ако задачата не се вижда тук, тогава трябва да зададете задачата на себе си. +ImportDatasetProjects=Проекти или възможности ImportDatasetTasks=Задачи по проекти ProjectCategories=Тагове / Категории на проекти NewProject=Нов проект @@ -33,21 +33,23 @@ DeleteATask=Изтриване на задача ConfirmDeleteAProject=Сигурни ли сте, че искате да изтриете този проект? ConfirmDeleteATask=Сигурни ли сте, че искате да изтриете тази задача? OpenedProjects=Активни проекти +OpenedProjectsOpportunities=Отворени възможности OpenedTasks=Активни задачи OpportunitiesStatusForOpenedProjects=Размер на възможностите от активни проекти по статус OpportunitiesStatusForProjects=Размер на възможностите от проекти по статус ShowProject=Показване на проект ShowTask=Показване на задача -SetThirdParty=Set third party +SetThirdParty=Задайте трета страна SetProject=Определете проект -OutOfProject=Out of project +OutOfProject=Извън проекта NoProject=Няма дефиниран или притежаван проект NbOfProjects=Брой проекти NbOfTasks=Брой задачи +TimeEntry=Проследяване на времето TimeSpent=Отделено време +TimeSpentSmall=Отделено време TimeSpentByYou=Време, отделено от вас TimeSpentByUser=Време, отделено от потребител -TimesSpent=Отделено време TaskId=Идентификатор на задача RefTask=Задача № LabelTask=Име на задача @@ -79,20 +81,20 @@ MyActivities=Мои задачи / дейности MyProjects=Мои проекти MyProjectsArea=Секция с мои проекти DurationEffective=Ефективна продължителност -ProgressDeclared=Declared real progress +ProgressDeclared=Деклариран реален напредък TaskProgressSummary=Напредък на задачата -CurentlyOpenedTasks=Текущи активни задачи -TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption -ProgressCalculated=Progress on consumption +CurentlyOpenedTasks=Текущо отворени задачи +TheReportedProgressIsLessThanTheCalculatedProgressionByX=Декларираният реален напредък е по-малък %s от напредъка в потреблението +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Декларираният реален напредък е повече %s от напредъка в потреблението +ProgressCalculated=Напредък в потреблението WhichIamLinkedTo=с които съм свързан WhichIamLinkedToProject=с които съм свързан в проект Time=Време -TimeConsumed=Consumed +TimeConsumed=Консумирана ListOfTasks=Списък със задачи GoToListOfTimeConsumed=Показване на списъка с изразходвано време GanttView=Gantt диаграма -ListWarehouseAssociatedProject=List of warehouses associated to the project +ListWarehouseAssociatedProject=Списък на складове, свързани с проекта ListProposalsAssociatedProject=Списък на търговски предложения, свързани с проекта ListOrdersAssociatedProject=Списък на поръчки за продажба, свързани с проекта ListInvoicesAssociatedProject=Списък на фактури за продажба, свързани с проекта @@ -121,12 +123,12 @@ TaskHasChild=Задачата има подзадача NotOwnerOfProject=Не сте собственик на този личен проект AffectedTo=Разпределено на CantRemoveProject=Този проект не може да бъде премахнат, тъй като е свързан с някои други обекти (фактура, поръчка или друго). Вижте раздел '%s'. -ValidateProject=Валидиране на проект +ValidateProject=Потвърждавам проект ConfirmValidateProject=Сигурни ли сте, че искате да валидирате този проект? CloseAProject=Приключване на проект ConfirmCloseAProject=Сигурни ли сте, че искате да приключите този проект? -AlsoCloseAProject=Also close project -AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it +AlsoCloseAProject=Също така затворете проекта +AlsoCloseAProjectTooltip=Дръжте го отворен, ако все още трябва да следвате производствените задачи върху него ReOpenAProject=Отваряне на проект ConfirmReOpenAProject=Сигурни ли сте, че искате да отворите повторно този проект? ProjectContact=Контакти / Участници @@ -144,7 +146,7 @@ NoTasks=Няма задачи за този проект LinkedToAnotherCompany=Свързано с друг контрагент TaskIsNotAssignedToUser=Задачата не е възложена на потребителя. Използвайте бутона '%s', за да възложите задачата сега. ErrorTimeSpentIsEmpty=Отделеното време е празно -TimeRecordingRestrictedToNMonthsBack=Time recording is restricted to %s months back +TimeRecordingRestrictedToNMonthsBack=Времето за записване е ограничено до %s месеца назад ThisWillAlsoRemoveTasks=Това действие ще изтрие всички задачи по проекта (%s задачи в момента) и всички въвеждания на отделено време. IfNeedToUseOtherObjectKeepEmpty=Ако някои обекти (фактура, поръчка, ...), принадлежащи на друг контрагент, трябва да бъдат свързани с проекта за създаване, запазете това празно, за да бъде проектът мулти-контрагентен. CloneTasks=Клониране на задачи @@ -169,7 +171,7 @@ OpportunityProbability=Вероятност за възможността OpportunityProbabilityShort=Вероятност OpportunityAmount=Сума на възможността OpportunityAmountShort=Сума -OpportunityWeightedAmount=Amount of opportunity, weighted by probability +OpportunityWeightedAmount=Размер на възможността, претеглен по вероятност OpportunityWeightedAmountShort=Изч. сума на възможността OpportunityAmountAverageShort=Средна сума на възможността OpportunityAmountWeigthedShort=Изчислена сума на възможността @@ -194,7 +196,7 @@ PlannedWorkload=Планирана натовареност PlannedWorkloadShort=Натовареност ProjectReferers=Свързани елементи ProjectMustBeValidatedFirst=Проектът трябва първо да бъде валидиран -MustBeValidatedToBeSigned=%s must be validated first to be set to Signed. +MustBeValidatedToBeSigned=%s трябва първо да бъде валидиран, за да бъде зададен на Подписан. FirstAddRessourceToAllocateTime=Определете потребителски ресурс като участници в проекта, за да разпределите времето. InputPerDay=За ден InputPerWeek=За седмица @@ -202,14 +204,14 @@ InputPerMonth=За месец InputDetail=Детайли TimeAlreadyRecorded=Това отделено време е вече записано за тази задача / ден и потребител %s ProjectsWithThisUserAsContact=Проекти с потребител за контакт -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=Проекти с този контрагент контакт TasksWithThisUserAsContact=Задачи възложени на потребител ResourceNotAssignedToProject=Не е участник в проекта ResourceNotAssignedToTheTask=Не е участник в задачата NoUserAssignedToTheProject=Няма потребители, назначени за този проект. TimeSpentBy=Отделено време от TasksAssignedTo=Задачи, възложени на -AssignTaskToMe=Assign task to myself +AssignTaskToMe=Възложете задача на себе си AssignTaskToUser=Възлагане на задача към %s SelectTaskToAssign=Изберете задача за възлагане... AssignTask=Възлагане @@ -220,12 +222,12 @@ ProjectNbProjectByMonth=Брой създадени проекти на месе ProjectNbTaskByMonth=Брой създадени задачи на месец ProjectOppAmountOfProjectsByMonth=Сума на възможностите на месец ProjectWeightedOppAmountOfProjectsByMonth=Изчислена сума на възможностите на месец -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads +ProjectOpenedProjectByOppStatus=Отворен проект|статус на водещ по потенциален клиент +ProjectsStatistics=Статистика за проекти или потенциални клиенти +TasksStatistics=Статистика за задачи на проекти или потенциални клиенти TaskAssignedToEnterTime=Задачата е възложена. Въвеждането на време по тази задача трябва да е възможно. IdTaskTime=Идентификатор на време на задача -YouCanCompleteRef=Ако искате да завършите номера с някакъв суфикс, препоръчително е да добавите символ "-", за да го отделите, така че автоматичното номериране да продължи да работи правилно за следващите проекти. Например %s-Суфикс +YouCanCompleteRef=Ако искате да завършите реф с някакъв суфикс, се препоръчва да добавите знак -, за да го разделите, така че автоматичното номериране да работи правилно за следващите проекти. Например %s-MYSUFFIX OpenedProjectsByThirdparties=Активни проекти по контрагенти OnlyOpportunitiesShort=Само възможности OpenedOpportunitiesShort=Активни възможности @@ -237,12 +239,12 @@ OpportunityPonderatedAmountDesc=Изчислена вероятна сума н OppStatusPROSP=Проучване OppStatusQUAL=Квалифициране OppStatusPROPO=Офериране -OppStatusNEGO=Договаряне +OppStatusNEGO=Преговори OppStatusPENDING=Изчакване OppStatusWON=Спечелен OppStatusLOST=Загубен Budget=Бюджет -AllowToLinkFromOtherCompany=Allow to link an element with a project of other company

      Supported values:
      - Keep empty: Can link elements with any projects in the same company (default)
      - "all": Can link elements with any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link elements with any projects of these third partys (Example: 123,4795,53)
      +AllowToLinkFromOtherCompany=Разрешаване на свързване на елемент с проект на друга компания

      Поддържани стойности:
      - Запазване празно: Може да свързва елементи с всякакви проекти в същия Компания (по подразбиране)
      - "всички": Може да свързва елементи с всякакви проекти, дори проекти на други компании
      - Списък с контрагент идентификатори, разделени със запетаи: може да свързва елементи с всякакви проекти на тези трети страни (Пример: 123,4795,53)
      LatestProjects=Проекти: %s последни LatestModifiedProjects=Проекти: %s последно променени OtherFilteredTasks=Други филтрирани задачи @@ -259,13 +261,14 @@ RecordsClosed=%s проект(а) е(са) приключен(и) SendProjectRef=Информация за проект %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Модулът 'Заплати' трябва да бъде активиран, за да дефинирате почасова ставка на служителите, за да оценените отделеното по проекта време NewTaskRefSuggested=Номера на задачата вече се използва, изисква се нов номер. +NumberOfTasksCloned=%s задача(и) е клонирана TimeSpentInvoiced=Фактурирано отделено време TimeSpentForIntervention=Отделено време TimeSpentForInvoice=Отделено време OneLinePerUser=Един ред на потребител -ServiceToUseOnLines=Service to use on lines by default +ServiceToUseOnLines=Услуга за използване на линии по подразбиране InvoiceGeneratedFromTimeSpent=Фактура %s е генерирана въз основа на отделеното време по проекта -InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project +InterventionGeneratedFromTimeSpent=Интервенцията %s е генерирана от времето, прекарано в проекта ProjectBillTimeDescription=Маркирайте, ако въвеждате график на задачите в проекта и планирате да генерирате фактура(и) за клиента от графика на задачите в проекта (не маркирайте, ако планирате да създадете фактура, която не се основава на въведеният график на задачите). Забележка: За да генерирате фактура, отидете в раздела "Отделено време" на проекта и изберете редовете, които да включите. ProjectFollowOpportunity=Проследяване на възможности ProjectFollowTasks=Проследяване на задачи или отделено време @@ -274,28 +277,28 @@ UsageOpportunity=Употреба: Възможност UsageTasks=Употреба: Задачи UsageBillTimeShort=Употреба: Фактуриране на време InvoiceToUse=Чернова фактура, която да използвате -InterToUse=Draft intervention to use +InterToUse=Проект на интервенция за използване NewInvoice=Нова фактура NewInter=Нова интервенция OneLinePerTask=Един ред на задача OneLinePerPeriod=Един ред на период -OneLinePerTimeSpentLine=One line for each time spent declaration -AddDetailDateAndDuration=With date and duration into line description +OneLinePerTimeSpentLine=Един ред за всяка декларация за изразходвано време +AddDetailDateAndDuration=С Дата и продължителност в ред Описание RefTaskParent=Съгласно главна задача № -ProfitIsCalculatedWith=Profit is calculated using -AddPersonToTask=Add also to tasks -UsageOrganizeEvent=Usage: Event Organization -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. -SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them -ProjectTasksWithoutTimeSpent=Project tasks without time spent -FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. -ProjectsHavingThisContact=Projects having this contact +ProfitIsCalculatedWith=Печалбата се изчислява с помощта на +AddPersonToTask=Добавете и към задачите +UsageOrganizeEvent=Употреба: Организиране на събития +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Класифицира проекта като затворен, когато всички негови задачи са изпълнени (100%% напредък) +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Забележка: съществуващи проекти с всички задачи, които вече са зададени на напредък от 100%%, няма да бъдат засегнати: ще трябва да ги затворите ръчно. Тази опция засяга само отворени проекти. +SelectLinesOfTimeSpentToInvoice=Изберете редове за прекарано време, които не са таксувани, след което групово действие „Генериране на фактура“, за да ги таксувате +ProjectTasksWithoutTimeSpent=Проектни задачи без време +FormForNewLeadDesc=Благодарим ви, че попълнихте следния формуляр, за да се свържете с нас. Можете също да ни изпратите имейл директно до %s. +ProjectsHavingThisContact=Проекти с този контакт StartDateCannotBeAfterEndDate=Крайната дата не може да бъде преди началната дата -ErrorPROJECTLEADERRoleMissingRestoreIt=The "PROJECTLEADER" role is missing or has been de-activited, please restore in the dictionary of contact types -LeadPublicFormDesc=You can enable here a public page to allow your prospects to make a first contact to you from a public online form -EnablePublicLeadForm=Enable the public form for contact -NewLeadbyWeb=Your message or request has been recorded. We will answer or contact your soon. -NewLeadForm=New contact form -LeadFromPublicForm=Online lead from public form -ExportAccountingReportButtonLabel=Get report +ErrorPROJECTLEADERRoleMissingRestoreIt=Ролята „PROJECTLEADER“ липсва или е деактивирана, моля, възстановете я в речника на типовете контакти +LeadPublicFormDesc=Тук можете да активирате публична страница, за да позволите на потенциалните си клиенти да осъществят първи контакт с вас от публичен онлайн формуляр +EnablePublicLeadForm=Активирайте публичната форма за контакт +NewLeadbyWeb=Вашето съобщение или Искане е записано. Ние ще отговорим или ще се свържем с вас скоро. +NewLeadForm=Нова форма за контакт +LeadFromPublicForm=Онлайн потенциален клиент от публичен формуляр +ExportAccountingReportButtonLabel=Вземете отчет diff --git a/htdocs/langs/bg_BG/propal.lang b/htdocs/langs/bg_BG/propal.lang index 84d70a14eb0..1716e4cb06c 100644 --- a/htdocs/langs/bg_BG/propal.lang +++ b/htdocs/langs/bg_BG/propal.lang @@ -12,9 +12,11 @@ NewPropal=Ново предложение Prospect=Потенциален клиент DeleteProp=Изтриване на търговско предложение ValidateProp=Валидиране на търговско предложение +CancelPropal=Анулиране AddProp=Създаване на предложение ConfirmDeleteProp=Сигурен ли сте, че искате да изтриете това търговско предложение? ConfirmValidateProp=Сигурни ли сте, че искате да валидирате това търговско предложение с № %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Търговски предложения: %s последни LastModifiedProposals=Търговски предложения: %s последно променени AllPropals=Всички предложения @@ -27,11 +29,13 @@ NbOfProposals=Брой търговски предложения ShowPropal=Показване на предложение PropalsDraft=Чернови PropalsOpened=Активни +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Чернова (нужно е валидиране) PropalStatusValidated=Валидирано (активно) PropalStatusSigned=Подписано (нужно е фактуриране) PropalStatusNotSigned=Отхвърлено (приключено) PropalStatusBilled=Фактурирано +PropalStatusCanceledShort=Анулирана PropalStatusDraftShort=Чернова PropalStatusValidatedShort=Валидирано (активно) PropalStatusClosedShort=Приключено @@ -54,13 +58,14 @@ NoDraftProposals=Няма чернови на предложения CopyPropalFrom=Създаване на търговско предложение, чрез копиране на съществуващо предложение CreateEmptyPropal=Създаване на празно търговско предложение или списък с продукти / услуги DefaultProposalDurationValidity=Срок на валидност по подразбиране за търговско предложение (в дни) -DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal +DefaultPuttingPricesUpToDate=По подразбиране цените се актуализират с текущи известни цени за клониране на предложение +DefaultPuttingDescUpToDate=По подразбиране се актуализират описанията с текущи известни описания при клониране на предложение UseCustomerContactAsPropalRecipientIfExist=Използване тип на контакт / адрес 'Представител проследяващ предложението', ако е определен, вместо адрес на контрагента като адрес на получателя на предложението ConfirmClonePropal=Сигурни ли сте, че искате да клонирате това търговско предложение с № %s? ConfirmReOpenProp=Сигурни ли сте, че искате да отворите отново търговско предложение с № %s? ProposalsAndProposalsLines=Търговско предложение и редове ProposalLine=Ред № -ProposalLines=Proposal lines +ProposalLines=Линии за предложения AvailabilityPeriod=Забавяне на наличността SetAvailability=Определете забавяне на наличност AfterOrder=след поръчка @@ -80,39 +85,40 @@ TypeContact_propal_external_CUSTOMER=Получател на предложен TypeContact_propal_external_SHIPPING=Получател на доставка # Document models -CantBeNoSign=cannot be set not signed +CantBeNoSign=не може да бъде зададено неподписано CaseFollowedBy=Случай, проследяван от -ConfirmMassNoSignature=Bulk Not signed confirmation -ConfirmMassNoSignatureQuestion=Are you sure you want to set not signed the selected records ? -ConfirmMassSignature=Bulk Signature confirmation -ConfirmMassSignatureQuestion=Are you sure you want to sign the selected records ? -ConfirmMassValidation=Bulk Validate confirmation -ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? -ContractSigned=Contract signed +ConfirmMassNoSignature=Групово неподписано потвърждение +ConfirmMassNoSignatureQuestion=Сигурни ли сте, че искате да зададете неподписани избраните записи? +ConfirmMassSignature=Потвърждение на групов подпис +ConfirmMassSignatureQuestion=Сигурни ли сте, че искате да подпишете избраните записи? +ConfirmMassValidation=Групово Потвърждавам потвърждение +ConfirmMassValidationQuestion=Сигурни ли сте, че искате до Потвърждавам избраните записи? +ConfirmRefusePropal=Сигурни ли сте, че искате да откажете това Търговска оферта? +ContractSigned=Договор подписано DefaultModelPropalClosed=Шаблон по подразбиране, когато се приключва търговско предложение (не таксувано) DefaultModelPropalCreate=Създаване на шаблон по подразбиране DefaultModelPropalToBill=Шаблон по подразбиране, когато се приключва търговско предложение (за да бъде фактурирано) DocModelAzurDescription=Пълен шаблон на предложение (стара реализация на шаблон Cyan) DocModelCyanDescription=Пълен модел на предложение -FichinterSigned=Intervention signed -IdProduct=Product ID -IdProposal=Proposal ID -IsNotADraft=is not a draft -LineBuyPriceHT=Buy Price Amount net of tax for line +FichinterSigned=Подписана интервенция +IdProduct=идентификация на продукта +IdProposal=ID на предложението +IsNotADraft=не е чернова +LineBuyPriceHT=Цена на покупка Сума без данък за линия NoSign=Отхвърляне -NoSigned=set not signed -PassedInOpenStatus=has been validated -PropalAlreadyRefused=Proposal already refused -PropalAlreadySigned=Proposal already accepted -PropalRefused=Proposal refused -PropalSigned=Proposal accepted +NoSigned=наборът не е подписан +PassedInOpenStatus=е валидиран +PropalAlreadyRefused=Предложението вече е отказано +PropalAlreadySigned=Предложението вече е прието +PropalRefused=Предложението е отказано +PropalSigned=Предложението е прието ProposalCustomerSignature=Име, фамилия, фирмен печат, дата и подпис ProposalsStatisticsSuppliers=Статистика на запитвания към доставчици -RefusePropal=Refuse proposal -Sign=Sign -SignContract=Sign contract -SignFichinter=Sign intervention -SignPropal=Accept proposal -Signed=signed -SignedOnly=Signed only +RefusePropal=Откажи предложението +Sign=Знак +SignContract=Знак Договор +SignFichinter=Знакова намеса +SignSociete_rib=Sign mandate +SignPropal=Приеми предложението +Signed=подписан +SignedOnly=Само подписани diff --git a/htdocs/langs/bg_BG/receptions.lang b/htdocs/langs/bg_BG/receptions.lang index 64450c03620..e86e07a1f54 100644 --- a/htdocs/langs/bg_BG/receptions.lang +++ b/htdocs/langs/bg_BG/receptions.lang @@ -32,10 +32,11 @@ StatusReceptionDraftShort=Чернова StatusReceptionValidatedShort=Валидирана StatusReceptionProcessedShort=Обработена ReceptionSheet=Стокова разписка +ValidateReception=Validate reception ConfirmDeleteReception=Сигурни ли сте, че искате да изтриете тази стокова разписка? -ConfirmValidateReception=Сигурни ли сте, че искате да валидирате тази стокова разписка с № %s? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Сигурни ли сте, че искате да анулирате тази стокова разписка? -StatsOnReceptionsOnlyValidated=Статистиката е водена само за валидирани стокови разписки. Използваната дата е дата на валидиране на стоковата разписка (планираната дата на доставка не винаги е известна). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Изпращане на стокова разписка по имейл SendReceptionRef=Изпращане на стокова разписка %s ActionsOnReception=Свързани събития @@ -48,7 +49,10 @@ ReceptionsNumberingModules=Модул за номериране на стоко ReceptionsReceiptModel=Шаблони на документи за стокови разписки NoMorePredefinedProductToDispatch=No more predefined products to dispatch ReceptionExist=A reception exists -ByingPrice=Bying price ReceptionBackToDraftInDolibarr=Reception %s back to draft ReceptionClassifyClosedInDolibarr=Reception %s classified Closed ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/bg_BG/sendings.lang b/htdocs/langs/bg_BG/sendings.lang index c2cc6e463d0..79200b28575 100644 --- a/htdocs/langs/bg_BG/sendings.lang +++ b/htdocs/langs/bg_BG/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Валидирана StatusSendingProcessedShort=Обработена SendingSheet=Стокова разписка ConfirmDeleteSending=Сигурни ли сте, че искате да изтриете тази пратка? -ConfirmValidateSending=Сигурни ли сте, че искате да валидирате тази пратка с № %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Сигурни ли сте, че ли искате да анулирате тази пратка? DocumentModelMerou=Шаблон А5 размер WarningNoQtyLeftToSend=Внимание, няма продукти чакащи да бъдат изпратени. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Количество продукт NoProductToShipFoundIntoStock=Не е намерен продукт за изпращане в склад %s. Коригирайте наличността или се върнете, за да изберете друг склад. WeightVolShort=Тегло / Обем ValidateOrderFirstBeforeShipment=Първо трябва да валидирате поръчката, преди да може да извършвате доставки. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Общо тегло на продуктите # warehouse details DetailWarehouseNumber= Детайли за склада DetailWarehouseFormat= Тегло: %s (Кол.: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/bg_BG/website.lang b/htdocs/langs/bg_BG/website.lang index 4871741f051..ce0cfb312c9 100644 --- a/htdocs/langs/bg_BG/website.lang +++ b/htdocs/langs/bg_BG/website.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - website Shortname=Код -WebsiteName=Name of the website +WebsiteName=Име на уебсайта WebsiteSetupDesc=Регистрирайте тук уебсайтовете, които искате да използвате, след това отидете в менюто Уебсайтове, за да ги редактирате. DeleteWebsite=Изтриване на уебсайт ConfirmDeleteWebsite=Сигурни ли сте, че искате да изтриете този уебсайт? Всички страници и съдържание им ще бъдат премахнати. Качените файлове (в директорията /medias/, чрез ECM модула, ...) ще останат. @@ -11,28 +11,28 @@ WEBSITE_ALIASALT=Алтернативни имена на страницата / WEBSITE_ALIASALTDesc=Използвайте списъка тук с други имена / псевдоними, за да може да осигурите достъп до страницата с тях (например, чрез старото име след преименуване, за да поддържате връзката с него работеща). Синтаксисът е:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=URL адрес на външен CSS файл WEBSITE_CSS_INLINE=Съдържание на CSS файл (общо за всички страници) -WEBSITE_JS_INLINE=Съдържание на Javascript файл (общо за всички страници) +WEBSITE_JS_INLINE=Съдържание на JavaScript файл (общо за всички страници) WEBSITE_HTML_HEADER=Добавка в долната част на HTML заглавието (обща за всички страници) WEBSITE_ROBOT=Съдържание на robots файл (robots.txt) WEBSITE_HTACCESS=Съдържание на .htaccess файл WEBSITE_MANIFEST_JSON=Съдържание на manifest.json файл -WEBSITE_KEYWORDSDesc=Use a comma to separate values -EnterHereReadmeInformation=Enter here a description of the website. If you distribute your website as a template, the file will be included into the temptate package. -EnterHereLicenseInformation=Enter here the LICENSE of the code of the website. If you distribute your website as a template, the file will be included into the temptate package. +WEBSITE_KEYWORDSDesc=Използвайте запетая, за да разделите стойностите +EnterHereReadmeInformation=Въведете тук Описание на уебсайта. Ако разпространявате уебсайта си като шаблон, файлът ще бъде включен в пакета temptate. +EnterHereLicenseInformation=Въведете тук ЛИЦЕНЗА на кода на уебсайта. Ако разпространявате уебсайта си като шаблон, файлът ще бъде включен в пакета temptate. HtmlHeaderPage=HTML заглавие (само за тази страница) PageNameAliasHelp=Име или псевдоним на страницата.
      Този псевдоним се използва и за измисляне на SEO URL адрес, когато уебсайтът се управлява от виртуален хост на уеб сървър (като Apacke, Nginx, ...). Използвайте бутона "%s", за да редактирате този псевдоним. EditTheWebSiteForACommonHeader=Забележка: Ако искате да дефинирате персонализирано заглавие за всички страници, редактирайте заглавието на ниво сайт, вместо на ниво страница / контейнер. MediaFiles=Медийна библиотека EditCss=Редактиране на свойства на уебсайта EditMenu=Редактиране на меню -EditMedias=Редактиране на медии +EditMedias=Редактиране на медия EditPageMeta=Редактиране на свойства на страница / контейнер EditInLine=Редактиране в движение AddWebsite=Добавяне на уебсайт Webpage=Уеб страница / контейнер AddPage=Добавяне на страница / контейнер PageContainer=Страница -PreviewOfSiteNotYetAvailable=The preview of your website %s is not yet available. You must first 'Import a full website template' or just 'Add a page/container'. +PreviewOfSiteNotYetAvailable=Визуализацията на вашия уебсайт %s все още не е налична. Първо трябва да „Импортирате пълен шаблон на уебсайт“ или просто „ span>Добавяне на страница/контейнер'. RequestedPageHasNoContentYet=Заявената страница с id %s все още няма съдържание или кеш файлът .tpl.php е бил премахнат. Редактирайте съдържанието на страницата, за да коригирате това. SiteDeleted=Уебсайта '%s' е изтрит PageContent=Страница / контейнер @@ -43,27 +43,28 @@ ViewPageInNewTab=Преглед на страницата в нов раздел SetAsHomePage=Задаване като начална страница RealURL=Реален URL адрес ViewWebsiteInProduction=Преглед на уебсайт, чрез начални URL адреси -Virtualhost=Virtual host or domain name -VirtualhostDesc=The name of the Virtual host or domain (For example: www.mywebsite.com, mybigcompany.net, ...) +Virtualhost=Виртуален хост или име на домейн +VirtualhostDesc=Името на виртуалния хост или домейна (Например: www.mywebsite.com, mybigcompany.net, ...) SetHereVirtualHost=Използвайте с Apache / Nginx / ...
      Създайте на вашият уеб сървър (Apache, Nginx, ...) специален виртуален хост с PHP поддръжка и основна директория в
      %s ExampleToUseInApacheVirtualHostConfig=Пример за използване при настройка на виртуалния хост в Apache: YouCanAlsoTestWithPHPS=Използване, чрез вграден PHP сървър
      В среда за разработка може да предпочетете да тествате сайта с вградения PHP уеб сървър (изисква се PHP 5.5) като стартирате
      php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
      If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org -CheckVirtualHostPerms=Check also that the virtual host user (for example www-data) has %s permissions on files into
      %s +YouCanAlsoDeployToAnotherWHP=Управлявайте уеб сайта си с друг доставчик на хостинг Dolibarr
      Ако нямате уеб сървър като Apache или NGinx, достъпен в интернет, можете да експортирате и импортирате вашия уеб сайт в друг екземпляр на Dolibarr, предоставен от друг хостинг доставчик на Dolibarr, който осигурява пълна интеграция с модула на уебсайта. Можете да намерите списък с някои хостинг доставчици на Dolibarr на https://saas.dolibarr.org +CheckVirtualHostPerms=Проверете също дали потребителят на виртуалния хост (например www-data) има %s права на файлове в
      %s ReadPerm=Четене WritePerm=Писане TestDeployOnWeb=Тестване / внедряване в интернет PreviewSiteServedByWebServer=Преглеждане на %s в нов раздел.

      %s ще се обслужва от външен уеб сървър (като Apache, Nginx, IIS). Трябва да инсталирате и настроите този сървър, преди да посочите директория:
      %s
      URL адрес, обслужван от външен сървър:
      %s -PreviewSiteServedByDolibarr=Preview %s in a new tab.

      The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed.
      The inconvenient is that the URLs of pages are not user friendly and start with the path of your Dolibarr.
      URL served by Dolibarr:
      %s

      To use your own external web server to serve this web site, create a virtual host on your web server that points on directory
      %s
      then enter the name of this virtual server in the properties of this website and click on the link "Test/Deploy on the web". +PreviewSiteServedByDolibarr=Визуализирайте %s в нов раздел.

      %s ще се обслужва от сървър на Dolibarr, така че не се нуждае от допълнителен уеб сървър (като Apache, Nginx, IIS), които трябва да бъдат инсталирани.
      Неудобното е, че URL адресите на страниците не са удобни за потребителя и започват с пътя на вашия Dolibarr.
      URL адрес, обслужван от Dolibarr:
      %s

      За да използвате собствен външен уеб сървър за обслужвайте този уеб сайт, създайте виртуален хост на вашия уеб сървър, който сочи към директория
      %s
      след това въведете името на този виртуален сървър в свойствата на този уебсайт и щракнете върху връзка „Тестване/внедряване в мрежата“. VirtualHostUrlNotDefined=URL адресът на виртуалния хост, обслужван от външен уеб сървър, не е дефиниран. NoPageYet=Все още няма страници YouCanCreatePageOrImportTemplate=Може да създадете нова страница или да импортирате пълен шаблон на уебсайт SyntaxHelp=Помощ с конкретни съвети за синтаксиса YouCanEditHtmlSourceckeditor=Може да редактирате изходния HTML код с помощта на бутона 'Код' в редактора. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      +YouCanEditHtmlSource2=За изображение, споделено с връзка за споделяне (отворен достъп чрез хеш ключа за споделяне на файла), синтаксисът е:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Клониране на страница / контейнер CloneSite=Клониране на сайт SiteAdded=Уебсайтът е добавен @@ -83,7 +84,7 @@ BlogPost=Блог пост WebsiteAccount=Уебсайт профил WebsiteAccounts=Уебсайт профили AddWebsiteAccount=Създаване на уебсайт профил -BackToListForThirdParty=Back to list for the third parties +BackToListForThirdParty=Назад към списъка за контрагенти DisableSiteFirst=Първо деактивирайте уебсайта MyContainerTitle=Заглавието на моя уебсайт AnotherContainer=Ето как да включите съдържание от друга страница / контейнер (тук може да получите грешка, ако активирате динамичен код, защото вграденият подконтейнер може да не съществува). @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=За съжаление този уебсайт WEBSITE_USE_WEBSITE_ACCOUNTS=Активиране на таблица с уебсайт профили WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Активирайте таблица, която да съхранява уебсайт профили (потребителски имена / пароли) за всеки уебсайт / контрагент YouMustDefineTheHomePage=Първо трябва да дефинирате началната страница по подразбиране -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correclty when used on a grabbed external page. +OnlyEditionOfSourceForGrabbedContentFuture=Предупреждение: Създаването на уеб страница чрез импортиране на външна уеб страница е запазено за опитни потребители. В зависимост от сложността на изходната страница, резултатът от импортирането може да се различава от оригинала. Освен това, ако изходната страница използва общи CSS стилове или конфликтен JavaScript, това може да наруши външния вид или функциите на редактора на уебсайта, когато работите на тази страница. Този метод е по-бърз начин за създаване на страница, но се препоръчва да създадете новата си страница от нулата или от предложен шаблон за страница.
      Имайте предвид също, че вграденият редактор може да не работи коректност, когато се използва на взета външна страница. OnlyEditionOfSourceForGrabbedContent=Когато съдържанието е прихванато от външен сайт е възможно само издание с изходен HTML код. GrabImagesInto=Прихващане на изображения открити в CSS и страница. ImagesShouldBeSavedInto=Изображенията трябва да бъдат записани в директория @@ -103,7 +104,7 @@ EmptyPage=Празна страница ExternalURLMustStartWithHttp=Външният URL адрес трябва да започва с http:// или https:// ZipOfWebsitePackageToImport=Качете Zip файла на пакета с шаблон на уебсайта ZipOfWebsitePackageToLoad=или Изберете наличен пакет с вграден шаблон за уебсайт -ShowSubcontainers=Show dynamic content +ShowSubcontainers=Показване на динамично съдържание InternalURLOfPage=Вътрешен URL адрес на страница ThisPageIsTranslationOf=Тази страница / контейнер е превод на ThisPageHasTranslationPages=Тази страница / контейнер има превод @@ -112,13 +113,13 @@ GoTo=Отидете на DynamicPHPCodeContainsAForbiddenInstruction=Добавяте динамичен PHP код, който съдържа PHP инструкцията '%s', която е забранена по подразбиране като динамично съдържание (вижте скритите опции WEBSITE_PHP_ALLOW_xxx за увеличаване на списъка с разрешени команди). NotAllowedToAddDynamicContent=Нямате права да добавяте или редактирате динамично PHP съдържание в уебсайтове. Поискайте разрешение или просто запазете кода в php таговете без промяна. ReplaceWebsiteContent=Търсене или заменяне не уебсайт съдържание -DeleteAlsoJs=Да се изтрият ли също всички JavaScript файлове, специфични за този уебсайт? -DeleteAlsoMedias=Да се изтрият ли също всички медийни файлове, специфични за този уебсайт? +DeleteAlsoJs=Да се изтрият ли и всички JavaScript файлове, специфични за този уебсайт? +DeleteAlsoMedias=Да се изтрият ли и всички мултимедийни файлове, специфични за този уебсайт? MyWebsitePages=Страници на моя уебсайт SearchReplaceInto=Търсене | Заменяне в ReplaceString=Нов низ CSSContentTooltipHelp=Въведете тук CSS съдържание. За да избегнете конфликт с CSS на приложението, не забравяйте да добавите цялата декларация с .bodywebsite класа. Например:

      #mycssselector, input.myclass:hover { ... }
      трябва да е
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Забележка: Ако имате голям файл без този префикс, можете да използвате 'lessc' за да го преобразувате и да добавите префикса .bodywebsite навсякъде. -LinkAndScriptsHereAreNotLoadedInEditor=Внимание: Това съдържание се извежда, само когато достъпът до сайта е от сървър. Той не се използва в режим на редактиране, така че ако трябва да заредите също файлове с JavaScript в режим на редактиране, просто добавете вашия таг 'script src=...' в страницата. +LinkAndScriptsHereAreNotLoadedInEditor=Предупреждение: Това съдържание се извежда само когато сайтът е достъпен от сървър. Не се използва в режим на редактиране, така че ако трябва да заредите JavaScript файлове и в режим на редактиране, просто добавете вашия таг „script src=...“ в страницата. Dynamiccontent=Пример на страница с динамично съдържание ImportSite=Импортиране на шаблон на уебсайт EditInLineOnOff=Режимът „Редактиране в движение“ е %s @@ -126,37 +127,40 @@ ShowSubContainersOnOff=Режимът за изпълнение на „дина GlobalCSSorJS=Общ CSS / JS / заглавен файл на уебсайт BackToHomePage=Обратно към началната страница ... TranslationLinks=Преводни връзки -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
      (ref=%s, type=%s, status=%s) +YouTryToAccessToAFileThatIsNotAWebsitePage=Опитвате се да получите достъп до страница, която не е налична.
      (ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=Като добра SEO практика използвайте текст между 5 и 70 знака MainLanguage=Основен език OtherLanguages=Други езици UseManifest=Въведете manifest.json файл PublicAuthorAlias=Публичен псевдоним на автора AvailableLanguagesAreDefinedIntoWebsiteProperties=Наличните езици сa дефинирани в свойствата на уебсайта -ReplacementDoneInXPages=Replacement done in %s pages or containers +ReplacementDoneInXPages=Замяната е извършена в %s страници или контейнери RSSFeed=RSS емисия -RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL -PagesRegenerated=%s page(s)/container(s) regenerated -RegenerateWebsiteContent=Regenerate web site cache files -AllowedInFrames=Allowed in Frames -DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties. -GenerateSitemaps=Generate website sitemap.xml file -ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... -ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap file %s generated +RSSFeedDesc=Можете да получите RSS емисия с най-новите статии с тип „blogpost“, като използвате този URL +PagesRegenerated=%s страница(и)/контейнер(и) са регенерирани +RegenerateWebsiteContent=Повторно генериране на кеш файлове на уеб сайт +AllowedInFrames=Разрешено в рамки +DefineListOfAltLanguagesInWebsiteProperties=Дефинирайте списък с всички налични езици в свойствата на уеб сайта. +GenerateSitemaps=Генерирайте файл sitemap.xml на уебсайт +ConfirmGenerateSitemaps=Ако потвърдите, ще изтриете съществуващия файл с карта на сайта... +ConfirmSitemapsCreation=Потвърдете генерирането на карта на сайта +SitemapGenerated=Файлът със карта на сайта %s е генериран ImportFavicon=Favicon -ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 -FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) -NextContainer=Next page/container -PreviousContainer=Previous page/container -WebsiteMustBeDisabled=The website must have the status "%s" -WebpageMustBeDisabled=The web page must have the status "%s" -SetWebsiteOnlineBefore=When website is offline, all pages are offline. Change status of website first. -Booking=Booking -Reservation=Reservation -PagesViewedPreviousMonth=Pages viewed (previous month) -PagesViewedTotal=Pages viewed (total) +ErrorFaviconType=Favicon трябва да е png +ErrorFaviconSize=Favicon трябва да е с размери 16x16, 32x32 или 64x64 +FaviconTooltip=Качете изображение, което трябва да е png (16x16, 32x32 или 64x64) +NextContainer=Следваща страница/контейнер +PreviousContainer=Предишна страница/контейнер +WebsiteMustBeDisabled=Уебсайтът трябва да има статус „%s“ +WebpageMustBeDisabled=Уеб страницата трябва да има статус „%s“ +SetWebsiteOnlineBefore=Когато уебсайтът е офлайн, всички страници са офлайн. Първо променете състоянието на уебсайта. +Booking=Резервация +Reservation=Резервация +PagesViewedPreviousMonth=Разгледани страници (миналия месец) +PagesViewedTotal=Разгледани страници (общо) Visibility=Видимост -Everyone=Everyone -AssignedContacts=Assigned contacts +Everyone=Всеки +AssignedContacts=Присвоени контакти +WebsiteTypeLabel=Тип уеб сайт +WebsiteTypeDolibarrWebsite=Уеб сайт (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Роден портал на Dolibarr diff --git a/htdocs/langs/bg_BG/withdrawals.lang b/htdocs/langs/bg_BG/withdrawals.lang index 1ff5ff7d419..c7ffaae561c 100644 --- a/htdocs/langs/bg_BG/withdrawals.lang +++ b/htdocs/langs/bg_BG/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Make a credit transfer request WithdrawRequestsDone=%s заявления за плащане с директен дебит са записани BankTransferRequestsDone=%s credit transfer requests recorded ThirdPartyBankCode=Банков код на контрагента -NoInvoiceCouldBeWithdrawed=Няма успешно дебитирани фактури. Проверете дали фактурите са на фирми с валиден IBAN и дали този IBAN има UMR (Unique Mandate Reference) в режим %s. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. ClassCredited=Класифициране като 'Кредитирана' ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Сигурни ли сте, че искате да от RefusedData=Дата на отхвърляне RefusedReason=Причина за отхвърляне RefusedInvoicing=Фактуриране на отхвърлянето -NoInvoiceRefused=Не таксувай отхвърлянето -InvoiceRefused=Фактурата е отказана (Таксувай отхвърлянето на клиента) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Статус дебит / кредит StatusWaiting=Очаквано StatusTrans=Изпратено @@ -103,7 +106,7 @@ ShowWithdraw=Показване на нареждане с директен де IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Ако обаче фактурата има поне едно нареждане за плащане с директен дебит, което е все още необработено, то няма да бъде зададено като платено, за да позволи предварително управление на тегленето. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Debit order file @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Дата на подпис на нареждането RUMLong=Unique Mandate Reference RUMWillBeGenerated=Ако е празно, ще бъде генериран UMR (Unique Mandate Reference), след като бъде запазена информацията за банковата сметка. -WithdrawMode=Режим за директен дебит (FRST или RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Сума на заявлението за директен дебит: BankTransferAmount=Amount of Credit Transfer request: WithdrawRequestErrorNilAmount=Не може да се създаде заявление за директен дебит при липса на сума. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Номер на вашата банкова сметка (IBAN) SEPAFormYourBIC=Вашият банков идентификационен код (BIC) SEPAFrstOrRecur=Начин на плащане ModeRECUR=Периодично плащане +ModeRCUR=Периодично плащане ModeFRST=Еднократно плащане PleaseCheckOne=Моля, проверете само един CreditTransferOrderCreated=Credit transfer order %s created @@ -155,9 +159,16 @@ InfoTransData=Сума: %s
      Метод: %s
      Дата: %s InfoRejectSubject=Платежното нареждане с директен дебит е отхвърлено InfoRejectMessage=Здравейте,

      Платежното нареждане с директен дебит по фактура %s, отнасящо се до фирма %s, със сума от %s е отказано от банката.

      --
      %s ModeWarning=Опцията за реален режим не беше зададена, спираме след тази симулация -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Missing ICS in Bank account %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Заплата +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/bg_BG/workflow.lang b/htdocs/langs/bg_BG/workflow.lang index 3b0a44ec6d1..17b6a7d2eab 100644 --- a/htdocs/langs/bg_BG/workflow.lang +++ b/htdocs/langs/bg_BG/workflow.lang @@ -7,20 +7,32 @@ descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Автоматично създаване descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Автоматично създаване на клиентска фактура след подписване на търговско предложение (новата фактура ще има същата стойност като на предложението) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Автоматично създаване на клиентска фактура след валидиране на договор descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Автоматично създаване на фактура за продажба след приключване на поръчка за продажба (новата фактура ще има същата стойност като на поръчката) +descWORKFLOW_TICKET_CREATE_INTERVENTION=On ticket creation, automatically create an intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Класифициране на свързано търговско предложение - първоизточник като фактурирано след класифициране на клиентска поръчка като фактурирана (и ако стойността на поръчката е същата като общата сума на подписаното свързано предложение) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Класифициране на свързано търговско предложение - първоизточник като фактурирано след валидиране на клиентска фактура (и ако стойността на фактурата е същата като общата сума на подписаното свързано предложение) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Класифициране на свързана клиентска поръчка - първоизточник като фактурирана след валидиране на клиентска фактура (и ако стойността на фактурата е същата като общата сума на свързаната поръчка) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Класифициране на свързана клиентска поръчка - първоизточник като фактурирана след плащане на клиентска фактура (и ако стойността на фактурата е същата като общата сума на свързаната поръчка) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Класифициране на свързана клиентска поръчка - първоизточник като изпратена след валидиране на доставка (и ако количеството, изпратено, чрез всички пратки е същото като в поръчката за актуализиране) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classify linked source sales order as shipped when a shipment is closed (and if the quantity shipped by all shipments is the same as in the order to update) +# Autoclassify purchase proposal +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Класифициране на свързаното за запитване към доставчик - първоизточник като фактурираното след валидиране на доставната фактура (и ако стойността на фактурата е същата като общата сума на свързаното запитване) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Класифициране на свързаната поръчка за покупка - първоизточник като фактурирана след валидиране на доставна фактура (и ако стойността на фактурата е същата като общата сума на свързаната поръчка) -descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classify linked source purchase order as received when a reception is validated (and if the quantity received by all receptions is the same as in the purchase order to update) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classify linked source purchase order as received when a reception is closed (and if the quantity received by all rceptions is the same as in the purchase order to update) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Automatically link ticket to contract +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties +descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=When linking contracts, search among those of parents companies # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed AutomaticCreation=Автоматично създаване AutomaticClassification=Автоматично класифициране -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated +AutomaticClosing=Automatic closing +AutomaticLinking=Automatic linking diff --git a/htdocs/langs/bn_BD/accountancy.lang b/htdocs/langs/bn_BD/accountancy.lang index 7158d53896a..1b98c4b323c 100644 --- a/htdocs/langs/bn_BD/accountancy.lang +++ b/htdocs/langs/bn_BD/accountancy.lang @@ -1,472 +1,518 @@ # Dolibarr language file - en_US - Accountancy (Double entries) -Accountancy=Accountancy +Accountancy=হিসাববিজ্ঞান Accounting=Accounting ACCOUNTING_EXPORT_SEPARATORCSV=Column separator for export file ACCOUNTING_EXPORT_DATE=Date format for export file ACCOUNTING_EXPORT_PIECE=Export the number of piece ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Export with global account -ACCOUNTING_EXPORT_LABEL=Export label -ACCOUNTING_EXPORT_AMOUNT=Export amount -ACCOUNTING_EXPORT_DEVISE=Export currency +ACCOUNTING_EXPORT_LABEL=রপ্তানি লেবেল +ACCOUNTING_EXPORT_AMOUNT=রপ্তানির পরিমাণ +ACCOUNTING_EXPORT_DEVISE=রপ্তানি মুদ্রা Selectformat=Select the format for the file ACCOUNTING_EXPORT_FORMAT=Select the format for the file -ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type +ACCOUNTING_EXPORT_ENDLINE=ক্যারেজ রিটার্ন টাইপ নির্বাচন করুন ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name -ThisService=This service -ThisProduct=This product -DefaultForService=Default for service -DefaultForProduct=Default for product -ProductForThisThirdparty=Product for this thirdparty -ServiceForThisThirdparty=Service for this thirdparty -CantSuggest=Can't suggest -AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s -ConfigAccountingExpert=Configuration of the module accounting (double entry) -Journalization=Journalization +ThisService=এই সেবা +ThisProduct=এই পণ্য +DefaultForService=পরিষেবার জন্য ডিফল্ট +DefaultForProduct=পণ্যের জন্য ডিফল্ট +ProductForThisThirdparty=এই তৃতীয় পক্ষের জন্য পণ্য +ServiceForThisThirdparty=এই তৃতীয় পক্ষের জন্য পরিষেবা +CantSuggest=সাজেস্ট করতে পারছি না +AccountancySetupDoneFromAccountancyMenu=অ্যাকাউন্টেন্সির বেশিরভাগ সেটআপ মেনু থেকে করা হয় %s +ConfigAccountingExpert=মডিউল অ্যাকাউন্টিং কনফিগারেশন (ডাবল এন্ট্রি) +Journalization=সাংবাদিকতা Journals=Journals JournalFinancial=Financial journals BackToChartofaccounts=Return chart of accounts -Chartofaccounts=Chart of accounts -ChartOfSubaccounts=Chart of individual accounts -ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger -CurrentDedicatedAccountingAccount=Current dedicated account -AssignDedicatedAccountingAccount=New account to assign -InvoiceLabel=Invoice label -OverviewOfAmountOfLinesNotBound=Overview of amount of lines not bound to an accounting account -OverviewOfAmountOfLinesBound=Overview of amount of lines already bound to an accounting account -OtherInfo=Other information -DeleteCptCategory=Remove accounting account from group -ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group? -JournalizationInLedgerStatus=Status of journalization -AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger -GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group -DetailByAccount=Show detail by account -AccountWithNonZeroValues=Accounts with non-zero values -ListOfAccounts=List of accounts -CountriesInEEC=Countries in EEC -CountriesNotInEEC=Countries not in EEC -CountriesInEECExceptMe=Countries in EEC except %s -CountriesExceptMe=All countries except %s -AccountantFiles=Export source documents -ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). -ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. -ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -VueByAccountAccounting=View by accounting account -VueBySubAccountAccounting=View by accounting subaccount +Chartofaccounts=হিসাবরক্ষনের তালিকা +ChartOfSubaccounts=পৃথক অ্যাকাউন্টের চার্ট +ChartOfIndividualAccountsOfSubsidiaryLedger=সাবসিডিয়ারি লেজারের পৃথক অ্যাকাউন্টের চার্ট +CurrentDedicatedAccountingAccount=বর্তমান ডেডিকেটেড অ্যাকাউন্ট +AssignDedicatedAccountingAccount=বরাদ্দ করার জন্য নতুন অ্যাকাউন্ট +InvoiceLabel=চালান লেবেল +OverviewOfAmountOfLinesNotBound=একটি অ্যাকাউন্টিং অ্যাকাউন্টে আবদ্ধ নয় লাইনের পরিমাণের ওভারভিউ +OverviewOfAmountOfLinesBound=ইতিমধ্যে একটি অ্যাকাউন্টিং অ্যাকাউন্টে আবদ্ধ লাইনের পরিমাণের ওভারভিউ +OtherInfo=অন্যান্য তথ্য +DeleteCptCategory=গ্রুপ থেকে অ্যাকাউন্টিং অ্যাকাউন্ট সরান +ConfirmDeleteCptCategory=আপনি কি অ্যাকাউন্টিং অ্যাকাউন্ট গ্রুপ থেকে এই অ্যাকাউন্টিং অ্যাকাউন্টটি সরানোর বিষয়ে নিশ্চিত? +JournalizationInLedgerStatus=সাংবাদিকতার অবস্থা +AlreadyInGeneralLedger=ইতিমধ্যে অ্যাকাউন্টিং জার্নাল এবং লেজারে স্থানান্তরিত হয়েছে +NotYetInGeneralLedger=এখনও অ্যাকাউন্টিং জার্নাল এবং লেজারে স্থানান্তর করা হয়নি +GroupIsEmptyCheckSetup=গ্রুপ খালি, ব্যক্তিগতকৃত অ্যাকাউন্টিং গ্রুপের সেটআপ চেক করুন +DetailByAccount=অ্যাকাউন্ট দ্বারা বিস্তারিত দেখান +DetailBy=দ্বারা বিস্তারিত +AccountWithNonZeroValues=অ-শূন্য মান সহ অ্যাকাউন্ট +ListOfAccounts=অ্যাকাউন্টের তালিকা +CountriesInEEC=EEC-তে থাকা দেশগুলো +CountriesNotInEEC=যেসব দেশ EEC-তে নেই +CountriesInEECExceptMe=%s ছাড়া EEC-তে থাকা দেশ +CountriesExceptMe=%s ছাড়া সব দেশ +AccountantFiles=উৎস নথি রপ্তানি +ExportAccountingSourceDocHelp=এই টুলের সাহায্যে, আপনি আপনার অ্যাকাউন্টেন্সি তৈরি করতে ব্যবহৃত উত্স ইভেন্টগুলি অনুসন্ধান এবং রপ্তানি করতে পারেন।
      রপ্তানি করা জিপ ফাইলে CSV-তে অনুরোধ করা আইটেমগুলির তালিকা, সেইসাথে তাদের সংযুক্ত ফাইলগুলি তাদের আসল বিন্যাসে (PDF, ODT, DOCX...) থাকবে। +ExportAccountingSourceDocHelp2=আপনার জার্নাল রপ্তানি করতে, মেনু এন্ট্রি ব্যবহার করুন %s - %s। +ExportAccountingProjectHelp=যদি আপনি শুধুমাত্র একটি নির্দিষ্ট প্রকল্পের জন্য একটি অ্যাকাউন্টিং রিপোর্ট প্রয়োজন একটি প্রকল্প নির্দিষ্ট করুন. ব্যয় প্রতিবেদন এবং ঋণ পরিশোধ প্রকল্প প্রতিবেদন অন্তর্ভুক্ত করা হয় না. +ExportAccountancy=এক্সপোর্ট অ্যাকাউন্টেন্সি +WarningDataDisappearsWhenDataIsExported=সতর্কতা, এই তালিকায় শুধুমাত্র অ্যাকাউন্টিং এন্ট্রি রয়েছে যা ইতিমধ্যে রপ্তানি করা হয়নি (রপ্তানির তারিখ খালি)। আপনি যদি ইতিমধ্যে রপ্তানি করা অ্যাকাউন্টিং এন্ট্রিগুলি অন্তর্ভুক্ত করতে চান তবে উপরের বোতামটিতে ক্লিক করুন৷ +VueByAccountAccounting=অ্যাকাউন্টিং অ্যাকাউন্ট দ্বারা দেখুন +VueBySubAccountAccounting=অ্যাকাউন্টিং উপ-অ্যাকাউন্ট দ্বারা দেখুন -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup -MainAccountForUsersNotDefined=Main accounting account for users not defined in setup -MainAccountForVatPaymentNotDefined=Main accounting account for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Main accounting account for subscription payment not defined in setup -UserAccountNotDefined=Accounting account for user not defined in setup +MainAccountForCustomersNotDefined=মূল অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) গ্রাহকদের জন্য সেটআপে সংজ্ঞায়িত করা হয়নি +MainAccountForSuppliersNotDefined=বিক্রেতাদের জন্য মূল অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) সেটআপে সংজ্ঞায়িত করা হয়নি +MainAccountForUsersNotDefined=সেটআপে সংজ্ঞায়িত করা হয়নি এমন ব্যবহারকারীদের জন্য প্রধান অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) +MainAccountForVatPaymentNotDefined=VAT প্রদানের জন্য অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) সেটআপে সংজ্ঞায়িত করা হয়নি +MainAccountForSubscriptionPaymentNotDefined=সদস্যতা প্রদানের জন্য অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) সেটআপে সংজ্ঞায়িত করা হয়নি +MainAccountForRetainedWarrantyNotDefined=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) ধরে রাখা ওয়ারেন্টির জন্য সেটআপে সংজ্ঞায়িত করা হয়নি +UserAccountNotDefined=ব্যবহারকারীর জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সেটআপে সংজ্ঞায়িত করা হয়নি -AccountancyArea=Accounting area -AccountancyAreaDescIntro=Usage of the accountancy module is done in several step: -AccountancyAreaDescActionOnce=The following actions are usually executed one time only, or once per year... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting -AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... +AccountancyArea=অ্যাকাউন্টিং এলাকা +AccountancyAreaDescIntro=অ্যাকাউন্টেন্সি মডিউলের ব্যবহার কয়েকটি ধাপে করা হয়: +AccountancyAreaDescActionOnce=নিম্নলিখিত ক্রিয়াগুলি সাধারণত শুধুমাত্র একবার বা বছরে একবার সম্পাদিত হয়... +AccountancyAreaDescActionOnceBis=অ্যাকাউন্টিংয়ে ডেটা স্থানান্তর করার সময় আপনাকে স্বয়ংক্রিয়ভাবে সঠিক ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্টের পরামর্শ দিয়ে ভবিষ্যতে আপনার সময় বাঁচাতে পরবর্তী পদক্ষেপগুলি করা উচিত +AccountancyAreaDescActionFreq=নিম্নলিখিত ক্রিয়াগুলি সাধারণত খুব বড় কোম্পানিগুলির জন্য প্রতি মাসে, সপ্তাহে বা দিনে সম্পাদিত হয়... -AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s -AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescJournalSetup=ধাপ %s: মেনু %s থেকে আপনার জার্নাল তালিকার বিষয়বস্তু পরীক্ষা করুন +AccountancyAreaDescChartModel=ধাপ %s: চেক করুন যে অ্যাকাউন্টের চার্টের একটি মডেল বিদ্যমান আছে বা মেনু থেকে একটি তৈরি করুন %s +AccountancyAreaDescChart=ধাপ %s: নির্বাচন করুন এবং|অথবা মেনু %s থেকে আপনার অ্যাকাউন্টের চার্ট সম্পূর্ণ করুন -AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. -AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. -AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. -AccountancyAreaDescDonation=STEP %s: Define default accounting accounts for donation. For this, use the menu entry %s. -AccountancyAreaDescSubscription=STEP %s: Define default accounting accounts for member subscription. For this, use the menu entry %s. -AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. -AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. +AccountancyAreaDescFiscalPeriod=ধাপ %s: ডিফল্টভাবে একটি আর্থিক বছর সংজ্ঞায়িত করুন যেখানে আপনার অ্যাকাউন্টিং এন্ট্রিগুলিকে একীভূত করতে হবে। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescVat=ধাপ %s: প্রতিটি ভ্যাট হারের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescDefault=ধাপ %s: ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescExpenseReport=ধাপ %s: প্রতিটি ধরনের ব্যয় প্রতিবেদনের জন্য ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescSal=ধাপ %s: বেতন পরিশোধের জন্য ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescContrib=ধাপ %s: করের (বিশেষ খরচ) জন্য ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescDonation=ধাপ %s: অনুদানের জন্য ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescSubscription=ধাপ %s: সদস্য সদস্যতার জন্য ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescMisc=ধাপ %s: বিবিধ লেনদেনের জন্য বাধ্যতামূলক ডিফল্ট অ্যাকাউন্ট এবং ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescLoan=ধাপ %s: ঋণের জন্য ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescBank=ধাপ %s: প্রতিটি ব্যাঙ্ক এবং আর্থিক অ্যাকাউন্টের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট এবং জার্নাল কোড সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescProd=ধাপ %s: আপনার পণ্য/পরিষেবাগুলিতে অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। -AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. -AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and generate reports and exports. +AccountancyAreaDescBind=পদক্ষেপ %s: বিদ্যমান %s লাইন এবং অ্যাকাউন্টিং অ্যাকাউন্টের মধ্যে বাঁধাই পরীক্ষা করুন, তাই অ্যাপ্লিকেশন লেজারে লেনদেন জার্নালাইজ করতে সক্ষম হবে এক ক্লিকে। সম্পূর্ণ অনুপস্থিত বাঁধাই. এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescWriteRecords=ধাপ %s: লেজারে লেনদেন লিখুন। এর জন্য, %s মেনুতে যান এবং বোতামে ক্লিক করুন %s। +AccountancyAreaDescAnalyze=ধাপ %s: রিপোর্টিং পড়ুন বা অন্য বুককিপারদের জন্য এক্সপোর্ট ফাইল তৈরি করুন। +AccountancyAreaDescClosePeriod=ধাপ %s: সময়কাল বন্ধ করুন যাতে আমরা ভবিষ্যতে একই সময়ের মধ্যে আর ডেটা স্থানান্তর করতে পারি না। -AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. - -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) -Selectchartofaccounts=Select active chart of accounts -ChangeAndLoad=Change and load +TheFiscalPeriodIsNotDefined=সেটআপের একটি বাধ্যতামূলক পদক্ষেপ সম্পূর্ণ হয়নি (আর্থিক সময়কাল সংজ্ঞায়িত করা হয়নি) +TheJournalCodeIsNotDefinedOnSomeBankAccount=সেটআপের একটি বাধ্যতামূলক পদক্ষেপ সম্পূর্ণ হয়নি (সব ব্যাঙ্ক অ্যাকাউন্টের জন্য অ্যাকাউন্টিং কোড জার্নাল সংজ্ঞায়িত নয়) +Selectchartofaccounts=অ্যাকাউন্টের সক্রিয় চার্ট নির্বাচন করুন +CurrentChartOfAccount=অ্যাকাউন্টের বর্তমান সক্রিয় চার্ট +ChangeAndLoad=পরিবর্তন এবং লোড Addanaccount=Add an accounting account AccountAccounting=Accounting account AccountAccountingShort=Account -SubledgerAccount=Subledger account -SubledgerAccountLabel=Subledger account label -ShowAccountingAccount=Show accounting account -ShowAccountingJournal=Show accounting journal -ShowAccountingAccountInLedger=Show accounting account in ledger -ShowAccountingAccountInJournals=Show accounting account in journals -AccountAccountingSuggest=Accounting account suggested -MenuDefaultAccounts=Default accounts +SubledgerAccount=Subledger অ্যাকাউন্ট +SubledgerAccountLabel=Subledger অ্যাকাউন্ট লেবেল +ShowAccountingAccount=হিসাব-নিকাশ দেখান +ShowAccountingJournal=অ্যাকাউন্টিং জার্নাল দেখান +ShowAccountingAccountInLedger=লেজারে অ্যাকাউন্টিং অ্যাকাউন্ট দেখান +ShowAccountingAccountInJournals=জার্নালে অ্যাকাউন্টিং অ্যাকাউন্ট দেখান +DataUsedToSuggestAccount=অ্যাকাউন্ট সাজেস্ট করতে ব্যবহৃত ডেটা +AccountAccountingSuggest=অ্যাকাউন্ট প্রস্তাবিত +MenuDefaultAccounts=ডিফল্ট অ্যাকাউন্ট MenuBankAccounts=Bank accounts -MenuVatAccounts=Vat accounts -MenuTaxAccounts=Tax accounts -MenuExpenseReportAccounts=Expense report accounts -MenuLoanAccounts=Loan accounts -MenuProductsAccounts=Product accounts -MenuClosureAccounts=Closure accounts -MenuAccountancyClosure=Closure -MenuAccountancyValidationMovements=Validate movements -ProductsBinding=Products accounts -TransferInAccounting=Transfer in accounting -RegistrationInAccounting=Recording in accounting -Binding=Binding to accounts -CustomersVentilation=Customer invoice binding -SuppliersVentilation=Vendor invoice binding -ExpenseReportsVentilation=Expense report binding -CreateMvts=Create new transaction -UpdateMvts=Modification of a transaction -ValidTransaction=Validate transaction -WriteBookKeeping=Record transactions in accounting -Bookkeeping=Ledger -BookkeepingSubAccount=Subledger -AccountBalance=Account balance -ObjectsRef=Source object ref -CAHTF=Total purchase vendor before tax -TotalExpenseReport=Total expense report -InvoiceLines=Lines of invoices to bind -InvoiceLinesDone=Bound lines of invoices -ExpenseReportLines=Lines of expense reports to bind -ExpenseReportLinesDone=Bound lines of expense reports -IntoAccount=Bind line with the accounting account -TotalForAccount=Total accounting account +MenuVatAccounts=ভ্যাট অ্যাকাউন্ট +MenuTaxAccounts=ট্যাক্স অ্যাকাউন্ট +MenuExpenseReportAccounts=খরচ রিপোর্ট অ্যাকাউন্ট +MenuLoanAccounts=ঋণ হিসাব +MenuProductsAccounts=পণ্য অ্যাকাউন্ট +MenuClosureAccounts=বন্ধ অ্যাকাউন্ট +MenuAccountancyClosure=বন্ধ +MenuExportAccountancy=এক্সপোর্ট অ্যাকাউন্টেন্সি +MenuAccountancyValidationMovements=আন্দোলনের বৈধতা +ProductsBinding=পণ্য অ্যাকাউন্ট +TransferInAccounting=অ্যাকাউন্টিং মধ্যে স্থানান্তর +RegistrationInAccounting=অ্যাকাউন্টিং মধ্যে রেকর্ডিং +Binding=অ্যাকাউন্টে বাঁধাই +CustomersVentilation=গ্রাহক চালান বাঁধাই +SuppliersVentilation=বিক্রেতা চালান বাঁধাই +ExpenseReportsVentilation=ব্যয় প্রতিবেদন বাধ্যতামূলক +CreateMvts=নতুন লেনদেন তৈরি করুন +UpdateMvts=একটি লেনদেনের পরিবর্তন +ValidTransaction=লেনদেন যাচাই করুন +WriteBookKeeping=অ্যাকাউন্টিংয়ে লেনদেন রেকর্ড করুন +Bookkeeping=খাতা +BookkeepingSubAccount=সাবলেজার +AccountBalance=হিসাবের পরিমান +AccountBalanceSubAccount=উপ-অ্যাকাউন্ট ব্যালেন্স +ObjectsRef=উৎস বস্তু রেফ +CAHTF=ট্যাক্সের আগে মোট ক্রয় বিক্রেতা +TotalExpenseReport=মোট খরচ রিপোর্ট +InvoiceLines=চালান লাইন বাঁধাই +InvoiceLinesDone=চালানের আবদ্ধ লাইন +ExpenseReportLines=ব্যয়ের প্রতিবেদনের লাইন বাঁধাই +ExpenseReportLinesDone=ব্যয় প্রতিবেদনের আবদ্ধ লাইন +IntoAccount=অ্যাকাউন্টিং অ্যাকাউন্টের সাথে লাইন বাঁধুন +TotalForAccount=মোট হিসাব হিসাব -Ventilate=Bind -LineId=Id line +Ventilate=বাঁধাই করা +LineId=আইডি লাইন Processing=Processing -EndProcessing=Process terminated. +EndProcessing=প্রক্রিয়া সমাপ্ত. SelectedLines=Selected lines Lineofinvoice=Line of invoice -LineOfExpenseReport=Line of expense report -NoAccountSelected=No accounting account selected -VentilatedinAccount=Binded successfully to the accounting account -NotVentilatedinAccount=Not bound to the accounting account -XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account -XLineFailedToBeBinded=%s products/services were not bound to any accounting account +LineOfExpenseReport=ব্যয় প্রতিবেদনের লাইন +NoAccountSelected=কোনো অ্যাকাউন্টিং অ্যাকাউন্ট নির্বাচন করা হয়নি +VentilatedinAccount=অ্যাকাউন্টিং অ্যাকাউন্টে সফলভাবে আবদ্ধ +NotVentilatedinAccount=হিসাব-নিকাশের সাথে আবদ্ধ নয় +XLineSuccessfullyBinded=%s পণ্য/পরিষেবা সফলভাবে একটি অ্যাকাউন্টিং অ্যাকাউন্টে আবদ্ধ +XLineFailedToBeBinded=%s পণ্য/পরিষেবা কোনো অ্যাকাউন্টিং অ্যাকাউন্টে আবদ্ধ ছিল না -ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50) -ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements -ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements +ACCOUNTING_LIMIT_LIST_VENTILATION=তালিকা এবং বাঁধাই পৃষ্ঠায় সর্বাধিক লাইনের সংখ্যা (প্রস্তাবিত: 50) +ACCOUNTING_LIST_SORT_VENTILATION_TODO=সাম্প্রতিক উপাদানগুলির দ্বারা "করতে বাঁধাই" পৃষ্ঠার সাজানো শুরু করুন৷ +ACCOUNTING_LIST_SORT_VENTILATION_DONE=সাম্প্রতিক উপাদানগুলির দ্বারা "বাইন্ডিং সম্পন্ন" পৃষ্ঠার সাজানো শুরু করুন -ACCOUNTING_LENGTH_DESCRIPTION=Truncate product & services description in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncate product & services account description form in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set value to 6 here, the account '706' will appear like '706000' on screen) -ACCOUNTING_LENGTH_AACCOUNT=Length of the third-party accounting accounts (If you set value to 6 here, the account '401' will appear like '401000' on screen) -ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of an accounting account. Needed by some countries (like Switzerland). If set to off (default), you can set the following two parameters to ask the application to add virtual zeros. -BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account -ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal -ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_LENGTH_DESCRIPTION=x অক্ষরের পরে তালিকায় পণ্য ও পরিষেবার বিবরণ ছেঁটে দিন (সেরা = ৫০) +ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=x অক্ষরের পরে তালিকায় পণ্য ও পরিষেবার অ্যাকাউন্টের বিবরণ ফর্ম ছেঁটে দিন (সেরা = ৫০) +ACCOUNTING_LENGTH_GACCOUNT=সাধারণ অ্যাকাউন্টিং অ্যাকাউন্টের দৈর্ঘ্য (যদি আপনি এখানে 6 মান সেট করেন, তাহলে '706' অ্যাকাউন্টটি স্ক্রিনে '706000'-এর মতো প্রদর্শিত হবে) +ACCOUNTING_LENGTH_AACCOUNT=তৃতীয় পক্ষের অ্যাকাউন্টিং অ্যাকাউন্টগুলির দৈর্ঘ্য (যদি আপনি এখানে 6 তে মান সেট করেন, তাহলে '401' অ্যাকাউন্টটি স্ক্রিনে '401000'-এর মতো প্রদর্শিত হবে) +ACCOUNTING_MANAGE_ZERO=একটি অ্যাকাউন্টিং অ্যাকাউন্টের শেষে বিভিন্ন সংখ্যক শূন্য পরিচালনা করার অনুমতি দিন। কিছু দেশ (যেমন সুইজারল্যান্ড) দ্বারা প্রয়োজন। যদি অফ সেট করা থাকে (ডিফল্ট), আপনি ভার্চুয়াল শূন্য যোগ করতে অ্যাপ্লিকেশনটিকে জিজ্ঞাসা করতে নিম্নলিখিত দুটি প্যারামিটার সেট করতে পারেন। +BANK_DISABLE_DIRECT_INPUT=ব্যাঙ্ক অ্যাকাউন্টে লেনদেনের সরাসরি রেকর্ডিং অক্ষম করুন +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=জার্নালে খসড়া রপ্তানি সক্ষম করুন৷ +ACCOUNTANCY_COMBO_FOR_AUX=সাবসিডিয়ারি অ্যাকাউন্টের জন্য কম্বো তালিকা সক্ষম করুন (যদি আপনার অনেক তৃতীয় পক্ষ থাকে তবে ধীর হতে পারে, মানটির একটি অংশ অনুসন্ধান করার ক্ষমতা বিরতি) +ACCOUNTING_DATE_START_BINDING=তারিখ এই তারিখের নিচে হলে অ্যাকাউন্টেন্সিতে বাঁধাই এবং স্থানান্তর অক্ষম করুন (এই তারিখের আগে লেনদেনগুলি ডিফল্টরূপে বাদ দেওয়া হবে) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=অ্যাকাউন্টেন্সিতে ডেটা স্থানান্তর করতে পৃষ্ঠায়, ডিফল্টরূপে নির্বাচিত সময়কাল কী -ACCOUNTING_SELL_JOURNAL=Sales journal (sales and returns) -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal (purchase and returns) -ACCOUNTING_BANK_JOURNAL=Cash journal (receipts and disbursements) +ACCOUNTING_SELL_JOURNAL=বিক্রয় জার্নাল - বিক্রয় এবং রিটার্ন +ACCOUNTING_PURCHASE_JOURNAL=ক্রয় জার্নাল - ক্রয় এবং রিটার্ন +ACCOUNTING_BANK_JOURNAL=নগদ জার্নাল - রসিদ এবং বিতরণ ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal -ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal -ACCOUNTING_INVENTORY_JOURNAL=Inventory journal +ACCOUNTING_MISCELLANEOUS_JOURNAL=সাধারণ সাময়িক পত্রিকা +ACCOUNTING_HAS_NEW_JOURNAL=নতুন জার্নাল আছে +ACCOUNTING_INVENTORY_JOURNAL=ইনভেন্টরি জার্নাল ACCOUNTING_SOCIAL_JOURNAL=Social journal -ACCOUNTING_RESULT_PROFIT=Result accounting account (Profit) -ACCOUNTING_RESULT_LOSS=Result accounting account (Loss) -ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal of closure +ACCOUNTING_RESULT_PROFIT=ফলাফল হিসাব হিসাব (লাভ) +ACCOUNTING_RESULT_LOSS=ফলাফল হিসাব হিসাব (ক্ষতি) +ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=বন্ধের জার্নাল +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=ব্যালেন্স শীট অ্যাকাউন্টের জন্য ব্যবহৃত অ্যাকাউন্টিং গ্রুপ (কমা দ্বারা পৃথক) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=আয় বিবরণীর জন্য ব্যবহৃত অ্যাকাউন্টিং গ্রুপ (কমা দ্বারা পৃথক) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers -TransitionalAccount=Transitional bank transfer account +ACCOUNTING_ACCOUNT_TRANSFER_CASH=ট্রানজিশনাল ব্যাঙ্ক ট্রান্সফারের জন্য অ্যাকাউন্ট হিসাবে ব্যবহার করা অ্যাকাউন্ট (একাউন্টের চার্ট থেকে) +TransitionalAccount=ট্রানজিশনাল ব্যাঙ্ক ট্রান্সফার অ্যাকাউন্ট -ACCOUNTING_ACCOUNT_SUSPENSE=Account (from the Chart Of Account) to be used as the account for unallocated funds either received or paid i.e. funds in "wait[ing]" -DONATION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register donations (Donation module) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ACCOUNTING_ACCOUNT_SUSPENSE=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) প্রাপ্ত বা প্রদত্ত অর্থের জন্য অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে প্রাপ্ত বা প্রদত্ত অর্থ "অপেক্ষা[ইং]" এর মধ্যে +DONATION_ACCOUNTINGACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) অনুদান নিবন্ধন করতে ব্যবহার করা হবে (দান মডিউল) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) সদস্যতা সদস্যতা নিবন্ধন করতে ব্যবহার করা হবে (সদস্য মডিউল - যদি সদস্যতা চালান ছাড়া রেকর্ড করা হয়) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit -UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default -UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=গ্রাহক আমানত নিবন্ধন করার জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) +UseAuxiliaryAccountOnCustomerDeposit=ডাউন পেমেন্টের লাইনের জন্য সাবসিডিয়ারি লেজারে পৃথক অ্যাকাউন্ট হিসাবে গ্রাহক অ্যাকাউন্ট সংরক্ষণ করুন (অক্ষম থাকলে, ডাউন পেমেন্ট লাইনের জন্য পৃথক অ্যাকাউন্ট খালি থাকবে) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) ডিফল্ট হিসাবে ব্যবহার করতে হবে +UseAuxiliaryAccountOnSupplierDeposit=ডাউন পেমেন্ট লাইনের জন্য সাবসিডিয়ারি লেজারে পৃথক অ্যাকাউন্ট হিসাবে সরবরাহকারীর অ্যাকাউন্ট সংরক্ষণ করুন (অক্ষম থাকলে, ডাউন পেমেন্ট লাইনের জন্য পৃথক অ্যাকাউন্ট খালি থাকবে) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=গ্রাহক ধরে রাখা ওয়ারেন্টি নিবন্ধন করার জন্য ডিফল্টরূপে অ্যাকাউন্টিং অ্যাকাউন্ট -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) একই দেশের মধ্যে কেনা পণ্যগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (পণ্য পত্রকে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) EEC থেকে অন্য EEC দেশে কেনা পণ্যগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (প্রোডাক্ট শীটে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) অন্য কোনো বিদেশী দেশ থেকে কেনা এবং আমদানি করা পণ্যগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (যদি পণ্য শীটে সংজ্ঞায়িত না থাকে তবে ব্যবহার করা হয়) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) বিক্রি হওয়া পণ্যগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (প্রোডাক্ট শীটে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) EEC থেকে অন্য EEC দেশে বিক্রি হওয়া পণ্যগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (যদি পণ্য শীটে সংজ্ঞায়িত না হয় তবে ব্যবহৃত হয়) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) অন্য কোন বিদেশী দেশে বিক্রি এবং রপ্তানি করা পণ্যগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (যদি পণ্য শীটে সংজ্ঞায়িত না থাকে তবে ব্যবহার করা হয়) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased within same country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) একই দেশের মধ্যে কেনা পরিষেবাগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (পরিষেবা শীটে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) EEC থেকে অন্য EEC দেশে কেনা পরিষেবাগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (যদি পরিষেবা শীটে সংজ্ঞায়িত না থাকে তবে ব্যবহার করা হয়) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) অন্য বিদেশ থেকে কেনা এবং আমদানি করা পরিষেবাগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (পরিষেবা শীটে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) বিক্রি হওয়া পরিষেবাগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (পরিষেবা শীটে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) EEC থেকে অন্য EEC দেশে বিক্রি করা পরিষেবাগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (যদি পরিষেবা শীটে সংজ্ঞায়িত না থাকে তবে ব্যবহার করা হয়) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) অন্য কোন বিদেশী দেশে বিক্রি এবং রপ্তানি করা পরিষেবাগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (পরিষেবা পত্রে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) Doctype=Type of document Docdate=Date Docref=Reference LabelAccount=Label account -LabelOperation=Label operation -Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
      For an accounting account of a supplier, use Debit to record a payment you made -LetteringCode=Lettering code -Lettering=Lettering +LabelOperation=লেবেল অপারেশন +Sens=অভিমুখ +AccountingDirectionHelp=একটি গ্রাহকের অ্যাকাউন্টিং অ্যাকাউন্টের জন্য, আপনার প্রাপ্ত একটি পেমেন্ট রেকর্ড করতে ক্রেডিট ব্যবহার করুন
      একটি সরবরাহকারীর অ্যাকাউন্টিং অ্যাকাউন্টের জন্য, আপনার করা পেমেন্ট রেকর্ড করতে ডেবিট ব্যবহার করুন +LetteringCode=লেটারিং কোড +Lettering=লেটারিং Codejournal=Journal -JournalLabel=Journal label -NumPiece=Piece number -TransactionNumShort=Num. transaction -AccountingCategory=Custom group of accounts -GroupByAccountAccounting=Group by general ledger account -GroupBySubAccountAccounting=Group by subledger account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. -ByAccounts=By accounts -ByPredefinedAccountGroups=By predefined groups -ByPersonalizedAccountGroups=By personalized groups -ByYear=By year -NotMatch=Not Set -DeleteMvt=Delete some lines from accounting -DelMonth=Month to delete -DelYear=Year to delete -DelJournal=Journal to delete -ConfirmDeleteMvt=This will delete all lines in accountancy for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) +JournalLabel=জার্নাল লেবেল +NumPiece=পিস নম্বর +TransactionNumShort=সংখ্যা লেনদেন +AccountingCategory=অ্যাকাউন্টের কাস্টম গ্রুপ +AccountingCategories=অ্যাকাউন্টের কাস্টম গ্রুপ +GroupByAccountAccounting=সাধারণ লেজার অ্যাকাউন্ট দ্বারা গোষ্ঠী +GroupBySubAccountAccounting=সাবলেজার অ্যাকাউন্ট দ্বারা গোষ্ঠী +AccountingAccountGroupsDesc=আপনি এখানে অ্যাকাউন্টিং অ্যাকাউন্টের কয়েকটি গ্রুপ সংজ্ঞায়িত করতে পারেন। এগুলি ব্যক্তিগতকৃত অ্যাকাউন্টিং প্রতিবেদনের জন্য ব্যবহার করা হবে। +ByAccounts=অ্যাকাউন্টস দ্বারা +ByPredefinedAccountGroups=পূর্বনির্ধারিত গ্রুপ দ্বারা +ByPersonalizedAccountGroups=ব্যক্তিগতকৃত গ্রুপ দ্বারা +ByYear=বছর দ্বারা +NotMatch=সেট না +DeleteMvt=অ্যাকাউন্টিং থেকে কিছু লাইন মুছুন +DelMonth=মুছে ফেলার মাস +DelYear=মুছে ফেলার বছর +DelJournal=মুছে ফেলার জন্য জার্নাল +ConfirmDeleteMvt=এটি বছরের/মাস এবং/অথবা একটি নির্দিষ্ট জার্নালের জন্য অ্যাকাউন্টেন্সির সমস্ত লাইন মুছে ফেলবে (অন্তত একটি মানদণ্ড প্রয়োজন)। মুছে ফেলা রেকর্ডটি লেজারে ফিরিয়ে আনতে আপনাকে '%s' বৈশিষ্ট্যটি পুনরায় ব্যবহার করতে হবে। +ConfirmDeleteMvtPartial=এটি অ্যাকাউন্টিং থেকে লেনদেন মুছে ফেলবে (একই লেনদেনের সাথে সম্পর্কিত সমস্ত লাইন মুছে ফেলা হবে) FinanceJournal=Finance journal -ExpenseReportsJournal=Expense reports journal +ExpenseReportsJournal=খরচ রিপোর্ট জার্নাল +InventoryJournal=ইনভেন্টরি জার্নাল DescFinanceJournal=Finance journal including all the types of payments by bank account -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. -VATAccountNotDefined=Account for VAT not defined -ThirdpartyAccountNotDefined=Account for third party not defined -ProductAccountNotDefined=Account for product not defined -FeeAccountNotDefined=Account for fee not defined -BankAccountNotDefined=Account for bank not defined +DescJournalOnlyBindedVisible=এটি রেকর্ডের একটি দৃশ্য যা একটি অ্যাকাউন্টিং অ্যাকাউন্টের সাথে আবদ্ধ এবং জার্নাল এবং লেজারে রেকর্ড করা যেতে পারে। +VATAccountNotDefined=ভ্যাটের জন্য অ্যাকাউন্ট সংজ্ঞায়িত নয় +ThirdpartyAccountNotDefined=তৃতীয় পক্ষের জন্য অ্যাকাউন্ট সংজ্ঞায়িত নয় +ProductAccountNotDefined=পণ্যের জন্য অ্যাকাউন্ট সংজ্ঞায়িত নয় +FeeAccountNotDefined=ফি জন্য অ্যাকাউন্ট সংজ্ঞায়িত করা হয় না +BankAccountNotDefined=ব্যাঙ্কের জন্য অ্যাকাউন্ট সংজ্ঞায়িত নয় CustomerInvoicePayment=Payment of invoice customer -ThirdPartyAccount=Third-party account -NewAccountingMvt=New transaction -NumMvts=Numero of transaction -ListeMvts=List of movements +ThirdPartyAccount=তৃতীয় পক্ষের অ্যাকাউন্ট +NewAccountingMvt=নতুন লেনদেন +NumMvts=লেনদেনের সংখ্যা +ListeMvts=আন্দোলনের তালিকা ErrorDebitCredit=Debit and Credit cannot have a value at the same time -AddCompteFromBK=Add accounting accounts to the group -ReportThirdParty=List third-party account -DescThirdPartyReport=Consult here the list of third-party customers and vendors and their accounting accounts +AddCompteFromBK=গ্রুপে অ্যাকাউন্টিং অ্যাকাউন্ট যোগ করুন +ReportThirdParty=তৃতীয় পক্ষের অ্যাকাউন্ট তালিকাভুক্ত করুন +DescThirdPartyReport=এখানে তৃতীয় পক্ষের গ্রাহক এবং বিক্রেতাদের তালিকা এবং তাদের অ্যাকাউন্টিং অ্যাকাউন্টগুলির সাথে পরামর্শ করুন৷ ListAccounts=List of the accounting accounts -UnknownAccountForThirdparty=Unknown third-party account. We will use %s -UnknownAccountForThirdpartyBlocking=Unknown third-party account. Blocking error -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Third-party unknown and subledger not defined on the payment. We will keep the subledger account value empty. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger account not defined or third party or user unknown. Blocking error. -UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third-party account and waiting account not defined. Blocking error -PaymentsNotLinkedToProduct=Payment not linked to any product / service -OpeningBalance=Opening balance -ShowOpeningBalance=Show opening balance -HideOpeningBalance=Hide opening balance -ShowSubtotalByGroup=Show subtotal by level +UnknownAccountForThirdparty=অজানা তৃতীয় পক্ষের অ্যাকাউন্ট। আমরা %s ব্যবহার করব +UnknownAccountForThirdpartyBlocking=অজানা তৃতীয় পক্ষের অ্যাকাউন্ট। ব্লকিং ত্রুটি +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger অ্যাকাউন্ট সংজ্ঞায়িত নয় বা তৃতীয় পক্ষ বা ব্যবহারকারী অজানা। আমরা %s ব্যবহার করব +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=তৃতীয় পক্ষের অজানা এবং সাবলেজার পেমেন্টে সংজ্ঞায়িত নয়। আমরা সাবলেজার অ্যাকাউন্টের মান খালি রাখব। +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger অ্যাকাউন্ট সংজ্ঞায়িত নয় বা তৃতীয় পক্ষ বা ব্যবহারকারী অজানা। ব্লকিং ত্রুটি। +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=অজানা তৃতীয় পক্ষের অ্যাকাউন্ট এবং অপেক্ষার অ্যাকাউন্ট সংজ্ঞায়িত করা হয়নি। ব্লকিং ত্রুটি +PaymentsNotLinkedToProduct=অর্থপ্রদান কোনো পণ্য / পরিষেবার সাথে সংযুক্ত নয় +OpeningBalance=খোলার ব্যালেন্স +ShowOpeningBalance=খোলার ব্যালেন্স দেখান +HideOpeningBalance=খোলার ব্যালেন্স লুকান +ShowSubtotalByGroup=স্তর অনুসারে সাবটোটাল দেখান -Pcgtype=Group of account -PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. +Pcgtype=অ্যাকাউন্টের গ্রুপ +PcgtypeDesc=অ্যাকাউন্টের গ্রুপ কিছু অ্যাকাউন্টিং রিপোর্টের জন্য পূর্বনির্ধারিত 'ফিল্টার' এবং 'গ্রুপিং' মানদণ্ড হিসাবে ব্যবহৃত হয়। উদাহরণস্বরূপ, 'আয়' বা 'ব্যয়' ব্যয়/আয় প্রতিবেদন তৈরির জন্য পণ্যের অ্যাকাউন্টিং অ্যাকাউন্টের জন্য গ্রুপ হিসাবে ব্যবহৃত হয়। +AccountingCategoriesDesc=ফিল্টার ব্যবহার বা কাস্টম রিপোর্ট তৈরি করা সহজ করার জন্য অ্যাকাউন্টের কাস্টম গ্রুপ অ্যাকাউন্টিং অ্যাকাউন্টগুলিকে একটি নামে গ্রুপ করতে ব্যবহার করা যেতে পারে। -Reconcilable=Reconcilable +Reconcilable=মিলনযোগ্য TotalVente=Total turnover before tax TotalMarge=Total sales margin -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account -DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product account from chart of account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account -ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: +DescVentilCustomer=এখানে অ্যাকাউন্টের চার্ট থেকে একটি পণ্য অ্যাকাউন্টে আবদ্ধ (বা না) গ্রাহক চালান লাইনের তালিকা দেখুন +DescVentilMore=বেশিরভাগ ক্ষেত্রে, আপনি যদি পূর্বনির্ধারিত পণ্য বা পরিষেবা ব্যবহার করেন এবং আপনি পণ্য/পরিষেবা কার্ডে অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) সেট করেন, তাহলে অ্যাপ্লিকেশনটি আপনার চালান লাইন এবং আপনার চার্টের অ্যাকাউন্টিং অ্যাকাউন্টের মধ্যে সমস্ত বাঁধাই করতে সক্ষম হবে অ্যাকাউন্টগুলির, বোতামের সাথে শুধুমাত্র এক ক্লিকে "%s" > যদি পণ্য/পরিষেবা কার্ডে অ্যাকাউন্ট সেট করা না থাকে বা আপনার যদি এখনও কিছু লাইন থাকে যা কোনো অ্যাকাউন্টে আবদ্ধ না থাকে, তাহলে আপনাকে মেনু থেকে একটি ম্যানুয়াল বাইন্ডিং করতে হবে "%s"। +DescVentilDoneCustomer=এখানে অ্যাকাউন্টের চার্ট থেকে চালান গ্রাহকদের লাইন এবং তাদের পণ্য অ্যাকাউন্টের তালিকা দেখুন +DescVentilTodoCustomer=অ্যাকাউন্টের চার্ট থেকে একটি পণ্য অ্যাকাউন্টের সাথে ইতিমধ্যেই আবদ্ধ নয় চালান লাইনগুলি আবদ্ধ করুন৷ +ChangeAccount=নিম্নলিখিত অ্যাকাউন্টের সাথে নির্বাচিত লাইনগুলির জন্য পণ্য/পরিষেবা অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) পরিবর্তন করুন: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) -DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account -DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account -DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account -DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s". -DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account +DescVentilSupplier=এখানে অ্যাকাউন্টের চার্ট থেকে পণ্য অ্যাকাউন্টে আবদ্ধ বা এখনও আবদ্ধ নয় এমন বিক্রেতার চালান লাইনের তালিকা দেখুন (শুধুমাত্র অ্যাকাউন্টে ইতিমধ্যে স্থানান্তরিত হয়নি এমন রেকর্ড দৃশ্যমান) +DescVentilDoneSupplier=এখানে বিক্রেতার চালানের লাইনের তালিকা এবং তাদের অ্যাকাউন্টিং অ্যাকাউন্টের সাথে পরামর্শ করুন +DescVentilTodoExpenseReport=ফি অ্যাকাউন্টিং অ্যাকাউন্টের সাথে ইতিমধ্যে আবদ্ধ নয় ব্যয়ের প্রতিবেদনের লাইনগুলিকে বাঁধুন +DescVentilExpenseReport=একটি ফি অ্যাকাউন্টিং অ্যাকাউন্টে আবদ্ধ (বা না) ব্যয় প্রতিবেদন লাইনের তালিকাটি এখানে দেখুন +DescVentilExpenseReportMore=আপনি যদি খরচ রিপোর্ট লাইনের প্রকারের উপর অ্যাকাউন্টিং অ্যাকাউন্ট সেটআপ করেন, তাহলে অ্যাপ্লিকেশনটি আপনার খরচ রিপোর্ট লাইন এবং আপনার অ্যাকাউন্টের তালিকার অ্যাকাউন্টিং অ্যাকাউন্টের মধ্যে সমস্ত বাঁধাই করতে সক্ষম হবে, বোতামটি দিয়ে শুধুমাত্র এক ক্লিকে "%s"। যদি অ্যাকাউন্টটি ফি অভিধানে সেট করা না থাকে বা আপনার যদি এখনও কিছু লাইন থাকে যা কোনো অ্যাকাউন্টে আবদ্ধ না থাকে, তাহলে আপনাকে মেনু থেকে একটি ম্যানুয়াল বাইন্ডিং করতে হবে "%s"। +DescVentilDoneExpenseReport=এখানে খরচের রিপোর্টের লাইনের তালিকা এবং তাদের ফি অ্যাকাউন্টিং অ্যাকাউন্টের সাথে পরামর্শ করুন -Closure=Annual closure -DescClosure=Consult here the number of movements by month not yet validated & locked -OverviewOfMovementsNotValidated=Overview of movements not validated and locked -AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked -ValidateMovements=Validate and lock movements... -DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible +Closure=বার্ষিক বন্ধ +AccountancyClosureStep1Desc=মাস অনুযায়ী চলাচলের সংখ্যা এখনও যাচাই করা এবং লক করা হয়নি এখানে পরামর্শ করুন +OverviewOfMovementsNotValidated=আন্দোলনের ওভারভিউ বৈধ এবং লক করা হয়নি +AllMovementsWereRecordedAsValidated=সমস্ত আন্দোলন বৈধ এবং লক হিসাবে রেকর্ড করা হয়েছিল +NotAllMovementsCouldBeRecordedAsValidated=সব আন্দোলন বৈধ এবং লক হিসাবে রেকর্ড করা যাবে না +ValidateMovements=বৈধ এবং লক আন্দোলন +DescValidateMovements=লেখার কোন পরিবর্তন বা মুছে ফেলা, অক্ষর এবং মুছে ফেলা নিষিদ্ধ করা হবে। একটি অনুশীলনের জন্য সমস্ত এন্ট্রি অবশ্যই বৈধ হতে হবে অন্যথায় বন্ধ করা সম্ভব হবে না -ValidateHistory=Bind Automatically -AutomaticBindingDone=Automatic bindings done (%s) - Automatic binding not possible for some record (%s) +ValidateHistory=স্বয়ংক্রিয়ভাবে আবদ্ধ করুন +AutomaticBindingDone=স্বয়ংক্রিয় বাইন্ডিং সম্পন্ন হয়েছে (%s) - কিছু রেকর্ডের জন্য স্বয়ংক্রিয় বাঁধাই সম্ভব নয় (%s) +DoManualBindingForFailedRecord=স্বয়ংক্রিয়ভাবে লিঙ্ক না হওয়া %s সারিগুলির জন্য আপনাকে একটি ম্যানুয়াল লিঙ্ক করতে হবে৷ -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s & Credit = %s -Balancing=Balancing -FicheVentilation=Binding card -GeneralLedgerIsWritten=Transactions are written in the Ledger -GeneralLedgerSomeRecordWasNotRecorded=Some of the transactions could not be journalized. If there is no other error message, this is probably because they were already journalized. -NoNewRecordSaved=No more record to transfer -ListOfProductsWithoutAccountingAccount=List of products not bound to any account of chart of account -ChangeBinding=Change the binding -Accounted=Accounted in ledger -NotYetAccounted=Not yet transferred to accounting -ShowTutorial=Show Tutorial +ErrorAccountancyCodeIsAlreadyUse=ত্রুটি, আপনি অ্যাকাউন্টের চার্টের এই অ্যাকাউন্টটি সরাতে বা নিষ্ক্রিয় করতে পারবেন না কারণ এটি ব্যবহার করা হয়েছে৷ +MvtNotCorrectlyBalanced=আন্দোলন সঠিকভাবে ভারসাম্যপূর্ণ নয়। ডেবিট = %s & ক্রেডিট = %s +Balancing=ব্যালেন্সিং +FicheVentilation=বাইন্ডিং কার্ড +GeneralLedgerIsWritten=লেনদেন লেজারে লেখা হয় +GeneralLedgerSomeRecordWasNotRecorded=কিছু লেনদেন জার্নালাইজ করা যায়নি। যদি অন্য কোন ত্রুটির বার্তা না থাকে, তাহলে এটি সম্ভবত কারণ সেগুলি ইতিমধ্যেই জার্নালাইজ করা হয়েছে৷ +NoNewRecordSaved=স্থানান্তর করার জন্য আর কোন রেকর্ড নেই +ListOfProductsWithoutAccountingAccount=অ্যাকাউন্টের চার্টের কোনো অ্যাকাউন্টে আবদ্ধ নয় পণ্যের তালিকা +ChangeBinding=বাঁধাই পরিবর্তন করুন +Accounted=খাতায় হিসাব করা +NotYetAccounted=এখনও অ্যাকাউন্টিং স্থানান্তর করা হয়নি +ShowTutorial=টিউটোরিয়াল দেখান NotReconciled=Not reconciled -WarningRecordWithoutSubledgerAreExcluded=Warning, all lines without subledger account defined are filtered and excluded from this view -AccountRemovedFromCurrentChartOfAccount=Accounting account that does not exist in the current chart of accounts +WarningRecordWithoutSubledgerAreExcluded=সতর্কতা, সাবলেজার অ্যাকাউন্ট ছাড়া সমস্ত লাইন এই ভিউ থেকে ফিল্টার করা এবং বাদ দেওয়া হয়েছে +AccountRemovedFromCurrentChartOfAccount=অ্যাকাউন্টিং অ্যাকাউন্ট যা অ্যাকাউন্টের বর্তমান চার্টে বিদ্যমান নেই ## Admin -BindingOptions=Binding options -ApplyMassCategories=Apply mass categories -AddAccountFromBookKeepingWithNoCategories=Available account not yet in the personalized group -CategoryDeleted=Category for the accounting account has been removed -AccountingJournals=Accounting journals -AccountingJournal=Accounting journal -NewAccountingJournal=New accounting journal -ShowAccountingJournal=Show accounting journal -NatureOfJournal=Nature of Journal -AccountingJournalType1=Miscellaneous operations -AccountingJournalType2=Sales -AccountingJournalType3=Purchases +BindingOptions=বাইন্ডিং অপশন +ApplyMassCategories=ভর বিভাগ প্রয়োগ করুন +AddAccountFromBookKeepingWithNoCategories=ব্যক্তিগতকৃত গোষ্ঠীতে এখনও উপলব্ধ অ্যাকাউন্ট নেই৷ +CategoryDeleted=অ্যাকাউন্টিং অ্যাকাউন্টের জন্য বিভাগ সরানো হয়েছে +AccountingJournals=অ্যাকাউন্টিং জার্নাল +AccountingJournal=অ্যাকাউন্টিং জার্নাল +NewAccountingJournal=নতুন অ্যাকাউন্টিং জার্নাল +ShowAccountingJournal=অ্যাকাউন্টিং জার্নাল দেখান +NatureOfJournal=জার্নালের প্রকৃতি +AccountingJournalType1=বিবিধ অপারেশন +AccountingJournalType2=বিক্রয় +AccountingJournalType3=ক্রয় AccountingJournalType4=Bank -AccountingJournalType5=Expense reports -AccountingJournalType8=Inventory -AccountingJournalType9=Has-new -GenerationOfAccountingEntries=Generation of accounting entries -ErrorAccountingJournalIsAlreadyUse=This journal is already use -AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s -NumberOfAccountancyEntries=Number of entries -NumberOfAccountancyMovements=Number of movements -ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting +AccountingJournalType5=খরচ রিপোর্ট +AccountingJournalType8=ইনভেন্টরি +AccountingJournalType9=ধরে রাখা উপার্জন +GenerationOfAccountingEntries=অ্যাকাউন্টিং এন্ট্রি প্রজন্ম +ErrorAccountingJournalIsAlreadyUse=এই জার্নাল ইতিমধ্যে ব্যবহার করা হয় +AccountingAccountForSalesTaxAreDefinedInto=দ্রষ্টব্য: বিক্রয় করের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট %sমেনুতে সংজ্ঞায়িত করা হয়েছে - %s +NumberOfAccountancyEntries=এন্ট্রি সংখ্যা +NumberOfAccountancyMovements=আন্দোলনের সংখ্যা +ACCOUNTING_DISABLE_BINDING_ON_SALES=বিক্রয়ের ক্ষেত্রে অ্যাকাউন্টেন্সিতে বাঁধাই এবং স্থানান্তর অক্ষম করুন (কাস্টমার ইনভয়েস অ্যাকাউন্টিংয়ে বিবেচনা করা হবে না) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=ক্রয়ের ক্ষেত্রে অ্যাকাউন্টেন্সিতে বাঁধাই এবং স্থানান্তর অক্ষম করুন (বিক্রেতার চালান অ্যাকাউন্টিংয়ে বিবেচনায় নেওয়া হবে না) +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=ব্যয়ের প্রতিবেদনে হিসাববিজ্ঞানে বাঁধাই এবং স্থানান্তর অক্ষম করুন (ব্যয় প্রতিবেদন অ্যাকাউন্টিংয়ে বিবেচনা করা হবে না) +ACCOUNTING_ENABLE_LETTERING=অ্যাকাউন্টিং এ লেটারিং ফাংশন সক্রিয় করুন +ACCOUNTING_ENABLE_LETTERING_DESC=যখন এই বিকল্পগুলি সক্রিয় করা হয়, আপনি প্রতিটি অ্যাকাউন্টিং এন্ট্রিতে একটি কোড সংজ্ঞায়িত করতে পারেন যাতে আপনি বিভিন্ন অ্যাকাউন্টিং আন্দোলনকে একসাথে গোষ্ঠী করতে পারেন। অতীতে, যখন বিভিন্ন জার্নাল স্বাধীনভাবে পরিচালিত হত, তখন এই বৈশিষ্ট্যটি বিভিন্ন জার্নালের আন্দোলনের লাইনগুলিকে একত্রিত করার জন্য প্রয়োজনীয় ছিল। যাইহোক, Dolibarr অ্যাকাউন্টেন্সির সাথে, এই ধরনের একটি ট্র্যাকিং কোড, যাকে বলা হয় "%s span>" ইতিমধ্যেই স্বয়ংক্রিয়ভাবে সংরক্ষিত হয়েছে, তাই একটি স্বয়ংক্রিয় অক্ষর ইতিমধ্যেই সম্পন্ন হয়েছে, ত্রুটির কোনো ঝুঁকি নেই তাই এই বৈশিষ্ট্যটি সাধারণ ব্যবহারের জন্য অকেজো হয়ে পড়েছে। ম্যানুয়াল লেটারিং বৈশিষ্ট্য শেষ ব্যবহারকারীদের জন্য সরবরাহ করা হয়েছে যারা অ্যাকাউন্টেন্সিতে ডেটা স্থানান্তর করার জন্য কম্পিউটার ইঞ্জিনকে সত্যিই বিশ্বাস করেন না। +EnablingThisFeatureIsNotNecessary=একটি কঠোর অ্যাকাউন্টিং ব্যবস্থাপনার জন্য এই বৈশিষ্ট্যটি সক্ষম করার আর প্রয়োজন নেই৷ +ACCOUNTING_ENABLE_AUTOLETTERING=অ্যাকাউন্টিংয়ে স্থানান্তর করার সময় স্বয়ংক্রিয় অক্ষর সক্ষম করুন +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=অক্ষরের জন্য কোডটি স্বয়ংক্রিয়ভাবে তৈরি এবং বৃদ্ধি পায় এবং শেষ ব্যবহারকারী দ্বারা নির্বাচিত হয় না +ACCOUNTING_LETTERING_NBLETTERS=লেটারিং কোড তৈরি করার সময় অক্ষরের সংখ্যা (ডিফল্ট 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=কিছু অ্যাকাউন্টিং সফ্টওয়্যার শুধুমাত্র একটি দুই-অক্ষরের কোড গ্রহণ করে। এই প্যারামিটার আপনাকে এই দিকটি সেট করতে দেয়। অক্ষরের ডিফল্ট সংখ্যা তিনটি। +OptionsAdvanced=উন্নত বিকল্প +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=সরবরাহকারী ক্রয়ের উপর ভ্যাট রিভার্স চার্জ পরিচালনা সক্রিয় করুন +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=যখন এই বিকল্পটি সক্রিয় থাকে, তখন আপনি সংজ্ঞায়িত করতে পারেন যে একটি সরবরাহকারী বা একটি প্রদত্ত বিক্রেতার চালানকে অবশ্যই অ্যাকাউন্টেন্সিতে স্থানান্তর করতে হবে: একটি অতিরিক্ত ডেবিট এবং একটি ক্রেডিট লাইন 2টি প্রদত্ত অ্যাকাউন্টে অ্যাকাউন্টিংয়ে তৈরি হবে "< এ সংজ্ঞায়িত অ্যাকাউন্টের চার্ট থেকে span class='notranslate'>%s" সেটআপ পৃষ্ঠা৷ ## Export -NotExportLettering=Do not export the lettering when generating the file -NotifiedExportDate=Flag exported lines as Exported (to modify a line, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) -DateValidationAndLock=Date validation and lock -ConfirmExportFile=Confirmation of the generation of the accounting export file ? -ExportDraftJournal=Export draft journal +NotExportLettering=ফাইল তৈরি করার সময় অক্ষর রপ্তানি করবেন না +NotifiedExportDate=রপ্তানি করা হিসাবে এখনও রপ্তানি হয়নি লাইনগুলিকে ফ্ল্যাগ করুন (রপ্তানি করা হিসাবে পতাকাঙ্কিত একটি লাইন সংশোধন করতে, আপনাকে পুরো লেনদেনটি মুছে ফেলতে হবে এবং অ্যাকাউন্টিংয়ে পুনরায় স্থানান্তর করতে হবে) +NotifiedValidationDate=রপ্তানি করা এন্ট্রিগুলিকে যাচাই করুন এবং লক করুন যেগুলি এখনও লক করা হয়নি ("%s" বৈশিষ্ট্য, পরিবর্তন এবং মুছে ফেলার তুলনায় একই প্রভাব লাইনগুলি অবশ্যই সম্ভব হবে না) +NotifiedExportFull=নথি রপ্তানি? +DateValidationAndLock=তারিখ বৈধতা এবং লক +ConfirmExportFile=অ্যাকাউন্টিং রপ্তানি ফাইল প্রজন্মের নিশ্চিতকরণ? +ExportDraftJournal=খসড়া জার্নাল রপ্তানি করুন Modelcsv=Model of export Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export -Modelcsv_CEGID=Export for CEGID Expert Comptabilité -Modelcsv_COALA=Export for Sage Coala -Modelcsv_bob50=Export for Sage BOB 50 -Modelcsv_ciel=Export for Sage50, Ciel Compta or Compta Evo. (Format XIMPORT) -Modelcsv_quadratus=Export for Quadratus QuadraCompta -Modelcsv_ebp=Export for EBP -Modelcsv_cogilog=Export for Cogilog -Modelcsv_agiris=Export for Agiris Isacompta -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) -Modelcsv_openconcerto=Export for OpenConcerto (Test) -Modelcsv_configurable=Export CSV Configurable -Modelcsv_FEC=Export FEC -Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed) -Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland -Modelcsv_winfic=Export for Winfic - eWinfic - WinSis Compta -Modelcsv_Gestinumv3=Export for Gestinum (v3) -Modelcsv_Gestinumv5=Export for Gestinum (v5) -Modelcsv_charlemagne=Export for Aplim Charlemagne -ChartofaccountsId=Chart of accounts Id +Modelcsv_CEGID=CEGID বিশেষজ্ঞ কম্প্যাবিলিটির জন্য রপ্তানি করুন +Modelcsv_COALA=ঋষি কয়লা জন্য রপ্তানি +Modelcsv_bob50=সেজ BOB 50 এর জন্য রপ্তানি করুন +Modelcsv_ciel=Sage50, Ciel Compta বা Compta Evo-এর জন্য রপ্তানি করুন। (XIMPORT ফর্ম্যাট) +Modelcsv_quadratus=Quadratus QuadraCompta এর জন্য রপ্তানি করুন +Modelcsv_ebp=EBP জন্য রপ্তানি +Modelcsv_cogilog=Cogilog জন্য রপ্তানি +Modelcsv_agiris=Agiris Isacompta জন্য রপ্তানি +Modelcsv_LDCompta=LD Compta (v9) (পরীক্ষা) এর জন্য রপ্তানি করুন +Modelcsv_LDCompta10=LD Compta (v10 এবং উচ্চতর) এর জন্য রপ্তানি করুন +Modelcsv_openconcerto=OpenConcerto (পরীক্ষা) এর জন্য রপ্তানি করুন +Modelcsv_configurable=CSV কনফিগারযোগ্য রপ্তানি করুন +Modelcsv_FEC=FEC রপ্তানি করুন +Modelcsv_FEC2=এফইসি রপ্তানি করুন (তারিখ প্রজন্মের লেখা / নথি উল্টানো সহ) +Modelcsv_Sage50_Swiss=সেজ 50 সুইজারল্যান্ডের জন্য রপ্তানি করুন +Modelcsv_winfic=Winfic - eWinfic - WinSis Compta-এর জন্য রপ্তানি করুন +Modelcsv_Gestinumv3=Gestinum (v3) এর জন্য রপ্তানি করুন +Modelcsv_Gestinumv5=Gestinum (v5) এর জন্য রপ্তানি করুন +Modelcsv_charlemagne=অ্যাপলিম শার্লেমেনের জন্য রপ্তানি করুন +ChartofaccountsId=অ্যাকাউন্টস আইডির চার্ট ## Tools - Init accounting account on product / service -InitAccountancy=Init accountancy -InitAccountancyDesc=This page can be used to initialize an accounting account on products and services that does not have accounting account defined for sales and purchases. -DefaultBindingDesc=This page can be used to set a default account to use to link transactions record about payment salaries, donation, taxes and vat when no specific accounting account were already set. -DefaultClosureDesc=This page can be used to set parameters used for accounting closures. -Options=Options -OptionModeProductSell=Mode sales -OptionModeProductSellIntra=Mode sales exported in EEC -OptionModeProductSellExport=Mode sales exported in other countries -OptionModeProductBuy=Mode purchases -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries -OptionModeProductSellDesc=Show all products with accounting account for sales. -OptionModeProductSellIntraDesc=Show all products with accounting account for sales in EEC. -OptionModeProductSellExportDesc=Show all products with accounting account for other foreign sales. -OptionModeProductBuyDesc=Show all products with accounting account for purchases. -OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC. -OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases. -CleanFixHistory=Remove accounting code from lines that not exists into charts of account -CleanHistory=Reset all bindings for selected year -PredefinedGroups=Predefined groups -WithoutValidAccount=Without valid dedicated account -WithValidAccount=With valid dedicated account -ValueNotIntoChartOfAccount=This value of accounting account does not exist into chart of account -AccountRemovedFromGroup=Account removed from group -SaleLocal=Local sale -SaleExport=Export sale -SaleEEC=Sale in EEC -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fallback on the product account for standard sales. You can fix the VAT ID of thirdparty or the product account if needed. -ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. -ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. +InitAccountancy=হিসাববিজ্ঞান শুরু করুন +InitAccountancyDesc=এই পৃষ্ঠাটি এমন পণ্য এবং পরিষেবাগুলিতে একটি অ্যাকাউন্টিং অ্যাকাউন্ট শুরু করতে ব্যবহার করা যেতে পারে যেগুলিতে বিক্রয় এবং ক্রয়ের জন্য সংজ্ঞায়িত অ্যাকাউন্টিং অ্যাকাউন্ট নেই। +DefaultBindingDesc=এই পৃষ্ঠাটি ডিফল্ট অ্যাকাউন্ট সেট করতে ব্যবহার করা যেতে পারে (অ্যাকাউন্টের চার্ট থেকে) ব্যবসায়িক বস্তুগুলিকে অ্যাকাউন্টের সাথে লিঙ্ক করার জন্য ব্যবহার করতে, যেমন অর্থপ্রদানের বেতন, দান, কর এবং ভ্যাট, যখন কোনও নির্দিষ্ট অ্যাকাউন্ট ইতিমধ্যে সেট করা ছিল না। +DefaultClosureDesc=এই পৃষ্ঠাটি অ্যাকাউন্টিং বন্ধের জন্য ব্যবহৃত পরামিতি সেট করতে ব্যবহার করা যেতে পারে। +Options=অপশন +OptionModeProductSell=মোড বিক্রয় +OptionModeProductSellIntra=মোড বিক্রয় EEC রপ্তানি +OptionModeProductSellExport=মোড বিক্রয় অন্যান্য দেশে রপ্তানি করা হয় +OptionModeProductBuy=মোড ক্রয় +OptionModeProductBuyIntra=মোড কেনাকাটা EEC এ আমদানি করা হয়েছে +OptionModeProductBuyExport=মোড অন্যান্য দেশ থেকে আমদানি করা কেনা +OptionModeProductSellDesc=বিক্রয়ের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সহ সমস্ত পণ্য দেখান। +OptionModeProductSellIntraDesc=EEC-তে বিক্রয়ের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সহ সমস্ত পণ্য দেখান। +OptionModeProductSellExportDesc=অন্যান্য বিদেশী বিক্রয়ের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সহ সমস্ত পণ্য দেখান। +OptionModeProductBuyDesc=ক্রয়ের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সহ সমস্ত পণ্য দেখান। +OptionModeProductBuyIntraDesc=EEC-তে কেনাকাটার জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সহ সমস্ত পণ্য দেখান। +OptionModeProductBuyExportDesc=অন্যান্য বিদেশী ক্রয়ের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সহ সমস্ত পণ্য দেখান। +CleanFixHistory=অ্যাকাউন্টের চার্টে বিদ্যমান নেই এমন লাইনগুলি থেকে অ্যাকাউন্টিং কোড সরান +CleanHistory=নির্বাচিত বছরের জন্য সমস্ত বাঁধাই পুনরায় সেট করুন +PredefinedGroups=পূর্বনির্ধারিত গ্রুপ +WithoutValidAccount=বৈধ ডেডিকেটেড অ্যাকাউন্ট ছাড়া +WithValidAccount=বৈধ ডেডিকেটেড অ্যাকাউন্ট সহ +ValueNotIntoChartOfAccount=অ্যাকাউন্টিং অ্যাকাউন্টের এই মান অ্যাকাউন্টের চার্টে বিদ্যমান নেই +AccountRemovedFromGroup=গ্রুপ থেকে অ্যাকাউন্ট সরানো হয়েছে +SaleLocal=স্থানীয় বিক্রয় +SaleExport=রপ্তানি বিক্রয় +SaleEEC=EEC-তে বিক্রয় +SaleEECWithVAT=ভ্যাট সহ EEC-তে বিক্রয় শূন্য নয়, তাই আমরা মনে করি এটি একটি অন্তর্মুখী বিক্রয় নয় এবং প্রস্তাবিত অ্যাকাউন্টটি মানক পণ্য অ্যাকাউন্ট। +SaleEECWithoutVATNumber=কোনো ভ্যাট ছাড়াই EEC-তে বিক্রয় কিন্তু তৃতীয় পক্ষের VAT ID সংজ্ঞায়িত করা হয়নি। আমরা স্ট্যান্ডার্ড বিক্রয়ের জন্য অ্যাকাউন্টে ফিরে যাই। আপনি তৃতীয় পক্ষের ভ্যাট আইডি ঠিক করতে পারেন, অথবা প্রয়োজনে বাঁধার জন্য প্রস্তাবিত পণ্য অ্যাকাউন্ট পরিবর্তন করতে পারেন। +ForbiddenTransactionAlreadyExported=নিষিদ্ধ: লেনদেন বৈধ করা হয়েছে এবং/অথবা রপ্তানি করা হয়েছে। +ForbiddenTransactionAlreadyValidated=নিষিদ্ধ: লেনদেন বৈধ করা হয়েছে. ## Dictionary -Range=Range of accounting account -Calculated=Calculated -Formula=Formula +Range=অ্যাকাউন্টিং অ্যাকাউন্টের পরিসর +Calculated=গণনা করা হয়েছে +Formula=সূত্র ## Reconcile -LetteringAuto=Reconcile auto -LetteringManual=Reconcile manual -Unlettering=Unreconcile -UnletteringAuto=Unreconcile auto -UnletteringManual=Unreconcile manual -AccountancyNoLetteringModified=No reconcile modified -AccountancyOneLetteringModifiedSuccessfully=One reconcile successfully modified -AccountancyLetteringModifiedSuccessfully=%s reconcile successfully modified -AccountancyNoUnletteringModified=No unreconcile modified -AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified -AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +LetteringAuto=স্বয়ংক্রিয় মিলন +LetteringManual=ম্যানুয়াল পুনর্মিলন +Unlettering=অমিল +UnletteringAuto=অটো মিলন +UnletteringManual=সামঞ্জস্যহীন ম্যানুয়াল +AccountancyNoLetteringModified=কোন পুনর্মিলন পরিবর্তিত +AccountancyOneLetteringModifiedSuccessfully=একটি পুনর্মিলন সফলভাবে সংশোধন করা হয়েছে৷ +AccountancyLetteringModifiedSuccessfully=%s পুনর্মিলন সফলভাবে সংশোধন করা হয়েছে +AccountancyNoUnletteringModified=কোন অমীমাংসিত সংশোধন করা হয়েছে +AccountancyOneUnletteringModifiedSuccessfully=একটি অমিল সফলভাবে সংশোধন করা হয়েছে৷ +AccountancyUnletteringModifiedSuccessfully=%s মিলন সফলভাবে সংশোধন করা হয়েছে + +## Closure +AccountancyClosureStep1=ধাপ 1: আন্দোলনগুলিকে যাচাই এবং লক করুন +AccountancyClosureStep2=ধাপ 2: আর্থিক সময়কাল বন্ধ করুন +AccountancyClosureStep3=ধাপ 3 : এক্সট্রাক্ট এন্ট্রি (ঐচ্ছিক) +AccountancyClosureClose=আর্থিক সময়কাল বন্ধ করুন +AccountancyClosureAccountingReversal="রক্ষিত উপার্জন" এন্ট্রি বের করুন এবং রেকর্ড করুন +AccountancyClosureStep3NewFiscalPeriod=পরবর্তী আর্থিক সময়কাল +AccountancyClosureGenerateClosureBookkeepingRecords=পরবর্তী অর্থবছরে "রক্ষিত উপার্জন" এন্ট্রি তৈরি করুন +AccountancyClosureSeparateAuxiliaryAccounts="রিটেইনড আর্নিং" এন্ট্রি তৈরি করার সময়, সাব-লেজার অ্যাকাউন্টের বিশদ বিবরণ দিন +AccountancyClosureCloseSuccessfully=আর্থিক সময়কাল সফলভাবে বন্ধ করা হয়েছে +AccountancyClosureInsertAccountingReversalSuccessfully="রক্ষিত উপার্জন" এর জন্য বুককিপিং এন্ট্রিগুলি সফলভাবে সন্নিবেশ করা হয়েছে৷ ## Confirm box -ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation -ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? -ConfirmMassDeleteBookkeepingWriting=Bulk Delete confirmation -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) Are you sure you want to delete the %s selected record(s)? +ConfirmMassUnletteringAuto=বাল্ক স্বয়ংক্রিয় মিলন নিশ্চিতকরণ +ConfirmMassUnletteringManual=বাল্ক ম্যানুয়াল মিলন নিশ্চিতকরণ +ConfirmMassUnletteringQuestion=আপনি কি নিশ্চিত যে আপনি %s নির্বাচিত রেকর্ড(গুলি) অমীমাংসিত করতে চান? +ConfirmMassDeleteBookkeepingWriting=বাল্ক মুছে ফেলা নিশ্চিতকরণ +ConfirmMassDeleteBookkeepingWritingQuestion=এটি অ্যাকাউন্টিং থেকে লেনদেন মুছে ফেলবে (একই লেনদেনের সাথে সম্পর্কিত সমস্ত লাইন এন্ট্রি মুছে ফেলা হবে)। আপনি কি %s নির্বাচিত এন্ট্রিগুলি মুছতে চান? +AccountancyClosureConfirmClose=আপনি কি নিশ্চিত আপনি বর্তমান আর্থিক সময়কাল বন্ধ করতে চান? আপনি বোঝেন যে আর্থিক সময়কাল বন্ধ করা একটি অপরিবর্তনীয় ক্রিয়া এবং এই সময়ের মধ্যে এন্ট্রিগুলির কোনও পরিবর্তন বা মুছে ফেলাকে স্থায়ীভাবে ব্লক করবে . +AccountancyClosureConfirmAccountingReversal=আপনি কি "রক্ষিত উপার্জন" এর জন্য এন্ট্রি রেকর্ড করার বিষয়ে নিশ্চিত? ## Error -SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them -ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) -ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused. -ErrorInvoiceContainsLinesNotYetBoundedShort=Some lines on invoice are not bound to accounting account. -ExportNotSupported=The export format setuped is not supported into this page -BookeppingLineAlreayExists=Lines already existing into bookkeeping -NoJournalDefined=No journal defined -Binded=Lines bound -ToBind=Lines to bind -UseMenuToSetBindindManualy=Lines not yet bound, use menu %s to make the binding manually -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Sorry this module is not compatible with the experimental feature of situation invoices -AccountancyErrorMismatchLetterCode=Mismatch in reconcile code -AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 -AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s -ErrorAccountNumberAlreadyExists=The accounting number %s already exists +SomeMandatoryStepsOfSetupWereNotDone=সেটআপের কিছু বাধ্যতামূলক পদক্ষেপ করা হয়নি, অনুগ্রহ করে সেগুলি সম্পূর্ণ করুন৷ +ErrorNoAccountingCategoryForThisCountry=দেশের জন্য কোনো অ্যাকাউন্টিং অ্যাকাউন্ট গ্রুপ উপলব্ধ নেই %s (দেখুন %s - %s - %s) +ErrorInvoiceContainsLinesNotYetBounded=আপনি চালানের কিছু লাইন জার্নালাইজ করার চেষ্টা করুন %sকিন্তু কিছু অন্যান্য লাইন এখনও অ্যাকাউন্টিং অ্যাকাউন্টে আবদ্ধ নয়। এই চালানের জন্য সমস্ত চালান লাইনের জার্নালাইজেশন প্রত্যাখ্যান করা হয়েছে। +ErrorInvoiceContainsLinesNotYetBoundedShort=চালানের কিছু লাইন অ্যাকাউন্টিং অ্যাকাউন্টে আবদ্ধ নয়। +ExportNotSupported=সেটআপ করা রপ্তানি বিন্যাস এই পৃষ্ঠায় সমর্থিত নয় +BookeppingLineAlreayExists=বুককিপিং-এ ইতিমধ্যেই বিদ্যমান লাইন +NoJournalDefined=কোন জার্নাল সংজ্ঞায়িত +Binded=লাইন আবদ্ধ +ToBind=লাইন বাঁধাই +UseMenuToSetBindindManualy=লাইনগুলি এখনও আবদ্ধ নয়, বিনডিং করতে %s ব্যবহার করুন ম্যানুয়ালি +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=দ্রষ্টব্য: এই মডিউল বা পৃষ্ঠা পরিস্থিতি চালানের পরীক্ষামূলক বৈশিষ্ট্যের সাথে সম্পূর্ণরূপে সামঞ্জস্যপূর্ণ নয়। কিছু তথ্য ভুল হতে পারে. +AccountancyErrorMismatchLetterCode=মিলন কোডে অমিল +AccountancyErrorMismatchBalanceAmount=ব্যালেন্স (%s) 0 এর সমান নয় +AccountancyErrorLetteringBookkeeping=লেনদেন সংক্রান্ত ত্রুটি ঘটেছে: %s +ErrorAccountNumberAlreadyExists=অ্যাকাউন্টিং নম্বর %s ইতিমধ্যেই বিদ্যমান +ErrorArchiveAddFile=আর্কাইভে "%s" ফাইল রাখা যাবে না +ErrorNoFiscalPeriodActiveFound=কোনো সক্রিয় আর্থিক সময়কাল পাওয়া যায়নি +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=বুককিপিং ডক তারিখ সক্রিয় আর্থিক সময়ের মধ্যে নেই +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=বুককিপিং ডক তারিখ একটি বন্ধ আর্থিক সময়ের মধ্যে আছে ## Import -ImportAccountingEntries=Accounting entries -ImportAccountingEntriesFECFormat=Accounting entries - FEC format -FECFormatJournalCode=Code journal (JournalCode) -FECFormatJournalLabel=Label journal (JournalLib) -FECFormatEntryNum=Piece number (EcritureNum) -FECFormatEntryDate=Piece date (EcritureDate) -FECFormatGeneralAccountNumber=General account number (CompteNum) -FECFormatGeneralAccountLabel=General account label (CompteLib) -FECFormatSubledgerAccountNumber=Subledger account number (CompAuxNum) -FECFormatSubledgerAccountLabel=Subledger account number (CompAuxLib) -FECFormatPieceRef=Piece ref (PieceRef) -FECFormatPieceDate=Piece date creation (PieceDate) -FECFormatLabelOperation=Label operation (EcritureLib) -FECFormatDebit=Debit (Debit) -FECFormatCredit=Credit (Credit) -FECFormatReconcilableCode=Reconcilable code (EcritureLet) -FECFormatReconcilableDate=Reconcilable date (DateLet) -FECFormatValidateDate=Piece date validated (ValidDate) -FECFormatMulticurrencyAmount=Multicurrency amount (Montantdevise) -FECFormatMulticurrencyCode=Multicurrency code (Idevise) +ImportAccountingEntries=অ্যাকাউন্টিং এন্ট্রি +ImportAccountingEntriesFECFormat=অ্যাকাউন্টিং এন্ট্রি - FEC বিন্যাস +FECFormatJournalCode=কোড জার্নাল (জার্নালকোড) +FECFormatJournalLabel=লেবেল জার্নাল (জার্নাললিব) +FECFormatEntryNum=পিস নম্বর (EcritureNum) +FECFormatEntryDate=টুকরা তারিখ (EcritureDate) +FECFormatGeneralAccountNumber=সাধারণ অ্যাকাউন্ট নম্বর (CompteNum) +FECFormatGeneralAccountLabel=সাধারণ অ্যাকাউন্ট লেবেল (CompteLib) +FECFormatSubledgerAccountNumber=Subledger অ্যাকাউন্ট নম্বর (CompAuxNum) +FECFormatSubledgerAccountLabel=Subledger অ্যাকাউন্ট নম্বর (CompAuxLib) +FECFormatPieceRef=পিস রেফ (পিস রেফ) +FECFormatPieceDate=পিস ডেট তৈরি (পিস ডেট) +FECFormatLabelOperation=লেবেল অপারেশন (EcritureLib) +FECFormatDebit=ডেবিট (ডেবিট) +FECFormatCredit=ক্রেডিট (ঋণ) +FECFormatReconcilableCode=পুনর্মিলনযোগ্য কোড (EcritureLet) +FECFormatReconcilableDate=পুনর্মিলনযোগ্য তারিখ (তারিখ) +FECFormatValidateDate=পিস তারিখ যাচাই করা হয়েছে (ValidDate) +FECFormatMulticurrencyAmount=বহুমূদ্রার পরিমাণ (মন্টেন্টডেভাইজ) +FECFormatMulticurrencyCode=মাল্টিকারেন্সি কোড (আইডিভাইস) -DateExport=Date export -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contains transaction modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. -ExpenseReportJournal=Expense Report Journal +DateExport=তারিখ রপ্তানি +WarningReportNotReliable=সতর্কতা, এই প্রতিবেদনটি লেজারের উপর ভিত্তি করে নয়, তাই লেজারে ম্যানুয়ালি পরিবর্তিত লেনদেন ধারণ করে না। আপনার জার্নালাইজেশন আপ টু ডেট হলে, বুককিপিং ভিউ আরও সঠিক। +ExpenseReportJournal=খরচ রিপোর্ট জার্নাল +DocsAlreadyExportedAreIncluded=ইতিমধ্যে রপ্তানি করা নথি অন্তর্ভুক্ত করা হয়েছে৷ +ClickToShowAlreadyExportedLines=ইতিমধ্যে রপ্তানি করা লাইন দেখাতে ক্লিক করুন -NAccounts=%s accounts +NAccounts=%s অ্যাকাউন্ট diff --git a/htdocs/langs/bn_BD/admin.lang b/htdocs/langs/bn_BD/admin.lang index d79adb1e960..a6e0fcc923d 100644 --- a/htdocs/langs/bn_BD/admin.lang +++ b/htdocs/langs/bn_BD/admin.lang @@ -1,2222 +1,2442 @@ # Dolibarr language file - Source file is en_US - admin -BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF -BoldLabelOnPDF=Print label of product item in Bold in PDF -Foundation=Foundation -Version=Version -Publisher=Publisher -VersionProgram=Version program -VersionLastInstall=Initial install version -VersionLastUpgrade=Latest version upgrade -VersionExperimental=Experimental -VersionDevelopment=Development -VersionUnknown=Unknown -VersionRecommanded=Recommended -FileCheck=Fileset Integrity Checks -FileCheckDesc=This tool allows you to check the integrity of files and the setup of your application, comparing each file with the official one. The value of some setup constants may also be checked. You can use this tool to determine if any files have been modified (e.g by a hacker). -FileIntegrityIsStrictlyConformedWithReference=Files integrity is strictly conformed with the reference. -FileIntegrityIsOkButFilesWereAdded=Files integrity check has passed, however some new files have been added. -FileIntegritySomeFilesWereRemovedOrModified=Files integrity check has failed. Some files were modified, removed or added. -GlobalChecksum=Global checksum -MakeIntegrityAnalysisFrom=Make integrity analysis of application files from -LocalSignature=Embedded local signature (less reliable) -RemoteSignature=Remote distant signature (more reliable) -FilesMissing=Missing Files -FilesUpdated=Updated Files -FilesModified=Modified Files -FilesAdded=Added Files -FileCheckDolibarr=Check integrity of application files -AvailableOnlyOnPackagedVersions=The local file for integrity checking is only available when the application is installed from an official package -XmlNotFound=Xml Integrity File of application not found -SessionId=Session ID -SessionSaveHandler=Handler to save sessions -SessionSavePath=Session save location -PurgeSessions=Purge of sessions -ConfirmPurgeSessions=Do you really want to purge all sessions? This will disconnect every user (except yourself). -NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow listing all running sessions. -LockNewSessions=Lock new connections -ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself? Only user %s will be able to connect after that. -UnlockNewSessions=Remove connection lock -YourSession=Your session -Sessions=Users Sessions -WebUserGroup=Web server user/group -PermissionsOnFiles=Permissions on files -PermissionsOnFilesInWebRoot=Permissions on files in web root directory -PermissionsOnFile=Permissions on file %s -NoSessionFound=Your PHP configuration seems to not allow listing of active sessions. The directory used to save sessions (%s) may be protected (for example by OS permissions or by PHP directive open_basedir). -DBStoringCharset=Database charset to store data -DBSortingCharset=Database charset to sort data -HostCharset=Host charset -ClientCharset=Client charset -ClientSortingCharset=Client collation -WarningModuleNotActive=Module %s must be enabled -WarningOnlyPermissionOfActivatedModules=Only permissions related to activated modules are shown here. You can activate other modules in the Home->Setup->Modules page. -DolibarrSetup=Dolibarr install or upgrade -InternalUser=Internal user -ExternalUser=External user -InternalUsers=Internal users -ExternalUsers=External users -UserInterface=User interface -GUISetup=Display -SetupArea=Setup -UploadNewTemplate=Upload new template(s) -FormToTestFileUploadForm=Form to test file upload (according to setup) -ModuleMustBeEnabled=The module/application %s must be enabled -ModuleIsEnabled=The module/application %s has been enabled -IfModuleEnabled=Note: yes is effective only if module %s is enabled -RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool. -RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. -SecuritySetup=Security setup -PHPSetup=PHP setup -OSSetup=OS setup -SecurityFilesDesc=Define here options related to security about uploading files. -ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher -ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher -ErrorDecimalLargerThanAreForbidden=Error, a precision higher than %s is not supported. -DictionarySetup=Dictionary setup -Dictionary=Dictionaries -ErrorReservedTypeSystemSystemAuto=Value 'system' and 'systemauto' for type is reserved. You can use 'user' as value to add your own record -ErrorCodeCantContainZero=Code can't contain value 0 -DisableJavascript=Disable JavaScript and Ajax functions -DisableJavascriptNote=Note: For test or debug purpose only. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user -UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -DelaiedFullListToSelectCompany=Wait until a key is pressed before loading content of Third Parties combo list.
      This may increase performance if you have a large number of third parties, but it is less convenient. -DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list.
      This may increase performance if you have a large number of contacts, but it is less convenient. -NumberOfKeyToSearch=Number of characters to trigger search: %s -NumberOfBytes=Number of Bytes -SearchString=Search string -NotAvailableWhenAjaxDisabled=Not available when Ajax disabled -AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party -TimesheetPreventAfterFollowingMonths=Prevent recording time spent after the following number of months -JavascriptDisabled=JavaScript disabled -UsePreviewTabs=Use preview tabs -ShowPreview=Show preview -ShowHideDetails=Show-Hide details -PreviewNotAvailable=Preview not available -ThemeCurrentlyActive=Theme currently active -MySQLTimeZone=TimeZone MySql (database) -TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered). -Space=Space -Table=Table -Fields=Fields -Index=Index -Mask=Mask -NextValue=Next value -NextValueForInvoices=Next value (invoices) -NextValueForCreditNotes=Next value (credit notes) -NextValueForDeposit=Next value (down payment) -NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration -MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page -AntiVirusCommand=Full path to antivirus command -AntiVirusCommandExample=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
      Example for ClamWin (very very slow): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe -AntiVirusParam= More parameters on command line -AntiVirusParamExample=Example for ClamAv Daemon: --fdpass
      Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" -ComptaSetup=Accounting module setup -UserSetup=User management setup -MultiCurrencySetup=Multi-currency setup -MenuLimits=Limits and accuracy -MenuIdParent=Parent menu ID -DetailMenuIdParent=ID of parent menu (empty for a top menu) -ParentID=Parent ID -DetailPosition=Sort number to define menu position -AllMenus=All -NotConfigured=Module/Application not configured -Active=Active -SetupShort=Setup -OtherOptions=Other options -OtherSetup=Other Setup -CurrentValueSeparatorDecimal=Decimal separator -CurrentValueSeparatorThousand=Thousand separator -Destination=Destination -IdModule=Module ID -IdPermissions=Permissions ID -LanguageBrowserParameter=Parameter %s -LocalisationDolibarrParameters=Localization parameters -ClientHour=Client time (user) -OSTZ=Server OS Time Zone -PHPTZ=PHP server Time Zone -DaylingSavingTime=Daylight saving time -CurrentHour=PHP Time (server) -CurrentSessionTimeOut=Current session timeout -YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a .htaccess file with a line like this "SetEnv TZ Europe/Paris" -HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but of the timezone of the server. -Box=Widget -Boxes=Widgets -MaxNbOfLinesForBoxes=Max. number of lines for widgets -AllWidgetsWereEnabled=All available widgets are enabled -PositionByDefault=Default order -Position=Position -MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical). -MenusEditorDesc=The menu editor allows you to define custom menu entries. Use it carefully to avoid instability and permanently unreachable menu entries.
      Some modules add menu entries (in menu All mostly). If you remove some of these entries by mistake, you can restore them disabling and reenabling the module. -MenuForUsers=Menu for users -LangFile=.lang file -Language_en_US_es_MX_etc=Language (en_US, es_MX, ...) -System=System -SystemInfo=System information -SystemToolsArea=System tools area -SystemToolsAreaDesc=This area provides administration functions. Use the menu to choose the required feature. -Purge=Purge -PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server. -PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data) -PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Parameter can be 'tempfilesold', 'logfiles' or both 'tempfilesold+logfiles'. Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files (no risk of losing data) -PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s.
      This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files. -PurgeRunNow=Purge now -PurgeNothingToDelete=No directory or files to delete. -PurgeNDirectoriesDeleted=%s files or directories deleted. -PurgeNDirectoriesFailed=Failed to delete %s files or directories. -PurgeAuditEvents=Purge all security events -ConfirmPurgeAuditEvents=Are you sure you want to purge all security events? All security logs will be deleted, no other data will be removed. -GenerateBackup=Generate backup -Backup=Backup -Restore=Restore -RunCommandSummary=Backup has been launched with the following command -BackupResult=Backup result -BackupFileSuccessfullyCreated=Backup file successfully generated -YouCanDownloadBackupFile=The generated file can now be downloaded -NoBackupFileAvailable=No backup files available. -ExportMethod=Export method -ImportMethod=Import method -ToBuildBackupFileClickHere=To build a backup file, click here. -ImportMySqlDesc=To import a MySQL backup file, you may use phpMyAdmin via your hosting or use the mysql command from the Command line.
      For example: -ImportPostgreSqlDesc=To import a backup file, you must use pg_restore command from command line: +BoldRefAndPeriodOnPDF=পিডিএফ-এ পণ্যের আইটেমের রেফারেন্স এবং সময়কাল প্রিন্ট করুন +BoldLabelOnPDF=পিডিএফে বোল্ডে পণ্যের আইটেমের লেবেল প্রিন্ট করুন +Foundation=ফাউন্ডেশন +Version=সংস্করণ +Publisher=প্রকাশক +VersionProgram=সংস্করণ প্রোগ্রাম +VersionLastInstall=প্রাথমিক ইনস্টল সংস্করণ +VersionLastUpgrade=সর্বশেষ সংস্করণ আপগ্রেড +VersionExperimental=পরীক্ষামূলক +VersionDevelopment=উন্নয়ন +VersionUnknown=অজানা +VersionRecommanded=প্রস্তাবিত +FileCheck=ফাইলসেট ইন্টিগ্রিটি চেক +FileCheckDesc=এই টুলটি আপনাকে অফিসিয়াল ফাইলের সাথে প্রতিটি ফাইলের তুলনা করে ফাইলের অখণ্ডতা এবং আপনার অ্যাপ্লিকেশনের সেটআপ পরীক্ষা করতে দেয়। কিছু সেটআপ ধ্রুবকের মানও পরীক্ষা করা যেতে পারে। কোনো ফাইল পরিবর্তন করা হয়েছে কিনা তা নির্ধারণ করতে আপনি এই টুলটি ব্যবহার করতে পারেন (যেমন একটি হ্যাকার দ্বারা)। +FileIntegrityIsStrictlyConformedWithReference=ফাইলের অখণ্ডতা রেফারেন্সের সাথে কঠোরভাবে মেনে চলে। +FileIntegrityIsOkButFilesWereAdded=ফাইলের অখণ্ডতা পরীক্ষা পাস হয়েছে, তবে কিছু নতুন ফাইল যোগ করা হয়েছে। +FileIntegritySomeFilesWereRemovedOrModified=ফাইল অখণ্ডতা পরীক্ষা ব্যর্থ হয়েছে. কিছু ফাইল পরিবর্তিত, সরানো বা যোগ করা হয়েছে। +GlobalChecksum=গ্লোবাল চেকসাম +MakeIntegrityAnalysisFrom=থেকে অ্যাপ্লিকেশন ফাইলের অখণ্ডতা বিশ্লেষণ করুন +LocalSignature=এম্বেড করা স্থানীয় স্বাক্ষর (কম নির্ভরযোগ্য) +RemoteSignature=দূরবর্তী দূরবর্তী স্বাক্ষর (আরো নির্ভরযোগ্য) +FilesMissing=অনুপস্থিত ফাইল +FilesUpdated=আপডেট করা ফাইল +FilesModified=পরিবর্তিত ফাইল +FilesAdded=ফাইল যোগ করা হয়েছে +FileCheckDolibarr=অ্যাপ্লিকেশন ফাইলের অখণ্ডতা পরীক্ষা করুন +AvailableOnlyOnPackagedVersions=অখণ্ডতা যাচাইয়ের জন্য স্থানীয় ফাইল শুধুমাত্র তখনই উপলব্ধ হয় যখন একটি অফিসিয়াল প্যাকেজ থেকে অ্যাপ্লিকেশন ইনস্টল করা হয় +XmlNotFound=অ্যাপ্লিকেশানের Xml ইন্টিগ্রিটি ফাইল পাওয়া যায়নি +SessionId=সেশন আইডি +SessionSaveHandler=সেশন সংরক্ষণ করতে হ্যান্ডলার +SessionSavePath=সেশন সংরক্ষণ অবস্থান +PurgeSessions=অধিবেশন পরিষ্কার +ConfirmPurgeSessions=আপনি কি সত্যিই সব সেশন শুদ্ধ করতে চান? এটি প্রত্যেক ব্যবহারকারী (নিজেকে ছাড়া) সংযোগ বিচ্ছিন্ন করবে। +NoSessionListWithThisHandler=আপনার পিএইচপি-তে কনফিগার করা সেশন হ্যান্ডলার সংরক্ষণ করুন সমস্ত চলমান সেশন তালিকাভুক্ত করার অনুমতি দেয় না। +LockNewSessions=নতুন সংযোগ লক করুন +ConfirmLockNewSessions=আপনি কি নিশ্চিত যে আপনি নিজের মধ্যে কোনো নতুন ডলিবার সংযোগ সীমাবদ্ধ করতে চান? শুধুমাত্র ব্যবহারকারী %s এর পরে সংযোগ করতে সক্ষম হবে। +UnlockNewSessions=সংযোগ লক সরান +YourSession=আপনার অধিবেশন +Sessions=ব্যবহারকারীদের সেশন +WebUserGroup=ওয়েব সার্ভার ব্যবহারকারী/গ্রুপ +PermissionsOnFiles=ফাইলে অনুমতি +PermissionsOnFilesInWebRoot=ওয়েব রুট ডিরেক্টরিতে ফাইলের অনুমতি +PermissionsOnFile=ফাইলে অনুমতি %s +NoSessionFound=আপনার পিএইচপি কনফিগারেশন সক্রিয় সেশনের তালিকার অনুমতি দেয় না বলে মনে হচ্ছে। সেশন সংরক্ষণ করতে ব্যবহৃত ডিরেক্টরি (%s) সুরক্ষিত হতে পারে (উদাহরণস্বরূপ OS অনুমতি দ্বারা বা PHP নির্দেশিকা open_basedir দ্বারা)। +DBStoringCharset=ডেটা সঞ্চয় করার জন্য ডাটাবেস অক্ষর সেট +DBSortingCharset=ডেটা সাজানোর জন্য ডাটাবেস অক্ষর সেট +HostCharset=হোস্ট অক্ষর সেট +ClientCharset=ক্লায়েন্ট অক্ষর সেট +ClientSortingCharset=ক্লায়েন্ট কোলেশন +WarningModuleNotActive=মডিউল %s সক্ষম হতে হবে +WarningOnlyPermissionOfActivatedModules=শুধুমাত্র সক্রিয় মডিউল সম্পর্কিত অনুমতি এখানে দেখানো হয়েছে। আপনি হোম->সেটআপ->মডিউল পৃষ্ঠায় অন্যান্য মডিউল সক্রিয় করতে পারেন। +DolibarrSetup=ডলিবার ইন্সটল বা আপগ্রেড করুন +DolibarrUpgrade=ডলিবার আপগ্রেড +DolibarrAddonInstall=অ্যাডন/বাহ্যিক মডিউলগুলির ইনস্টলেশন (আপলোড বা তৈরি) +InternalUsers=অভ্যন্তরীণ ব্যবহারকারী +ExternalUsers=বহিরাগত ব্যবহারকারীরা +UserInterface=ব্যবহারকারী ইন্টারফেস +GUISetup=প্রদর্শন +SetupArea=সেটআপ +UploadNewTemplate=নতুন টেমপ্লেট আপলোড করুন +FormToTestFileUploadForm=ফাইল আপলোড পরীক্ষা করার জন্য ফর্ম (সেটআপ অনুযায়ী) +ModuleMustBeEnabled=মডিউল/অ্যাপ্লিকেশন %s সক্ষম হতে হবে +ModuleIsEnabled=মডিউল/অ্যাপ্লিকেশন %s সক্ষম করা হয়েছে +IfModuleEnabled=দ্রষ্টব্য: হ্যাঁ কার্যকর হয় শুধুমাত্র যদি মডিউল %sb09a4b739f17f8zd0 enable হয় +RemoveLock=ফাইলটি সরান/পুনঃনামকরণ করুন %s যদি এটি বিদ্যমান থাকে, তাহলে ব্যবহারের অনুমতি দিতে আপডেট/ইনস্টল টুলের। +RestoreLock=ফাইলটি পুনরুদ্ধার করুন %s, শুধুমাত্র পড়ার অনুমতি সহ, যেকোনো অক্ষম করতে আপডেট/ইনস্টল টুলের আরও ব্যবহার। +SecuritySetup=নিরাপত্তা সেটআপ +PHPSetup=পিএইচপি সেটআপ +OSSetup=ওএস সেটআপ +SecurityFilesDesc=ফাইল আপলোড করার বিষয়ে নিরাপত্তা সম্পর্কিত বিকল্পগুলি এখানে সংজ্ঞায়িত করুন। +ErrorModuleRequirePHPVersion=ত্রুটি, এই মডিউলটির PHP সংস্করণের প্রয়োজন %s বা উচ্চতর +ErrorModuleRequireDolibarrVersion=ত্রুটি, এই মডিউলটির জন্য Dolibarr সংস্করণ প্রয়োজন %s বা উচ্চতর +ErrorDecimalLargerThanAreForbidden=ত্রুটি, %s এর চেয়ে বেশি নির্ভুলতা সমর্থিত নয়। +DictionarySetup=অভিধান সেটআপ +Dictionary=অভিধান +ErrorReservedTypeSystemSystemAuto=টাইপের জন্য 'system' এবং 'systemauto' মান সংরক্ষিত। আপনি আপনার নিজের রেকর্ড যোগ করতে মান হিসাবে 'ব্যবহারকারী' ব্যবহার করতে পারেন +ErrorCodeCantContainZero=কোডে মান 0 থাকতে পারে না +DisableJavascript=JavaScript এবং Ajax ফাংশন নিষ্ক্রিয় করুন +DisableJavascriptNote=দ্রষ্টব্য: শুধুমাত্র পরীক্ষা বা ডিবাগ উদ্দেশ্যে। অন্ধ ব্যক্তি বা টেক্সট ব্রাউজারগুলির জন্য অপ্টিমাইজেশনের জন্য, আপনি ব্যবহারকারীর প্রোফাইলে সেটআপ ব্যবহার করতে পছন্দ করতে পারেন +UseSearchToSelectCompanyTooltip=এছাড়াও যদি আপনার কাছে প্রচুর সংখ্যক তৃতীয় পক্ষ থাকে (> 100 000), তাহলে আপনি Setup->অন্যান্যে 1 থেকে ধ্রুবক COMPANY_DONOTSEARCH_ANYWHERE সেট করে গতি বাড়াতে পারেন। অনুসন্ধান তখন স্ট্রিং শুরুতে সীমাবদ্ধ থাকবে। +UseSearchToSelectContactTooltip=এছাড়াও আপনার যদি প্রচুর সংখ্যক তৃতীয় পক্ষ থাকে (> 100 000), তাহলে আপনি Setup->অন্য-এ 1 থেকে স্থির CONTACT_DONOTSEARCH_ANYWHERE সেট করে গতি বাড়াতে পারেন। অনুসন্ধান তখন স্ট্রিং শুরুতে সীমাবদ্ধ থাকবে। +DelaiedFullListToSelectCompany=তৃতীয় পক্ষের কম্বো তালিকার বিষয়বস্তু লোড করার আগে একটি কী চাপা না হওয়া পর্যন্ত অপেক্ষা করুন।
      আপনার যদি প্রচুর সংখ্যক তৃতীয় পক্ষ থাকে তবে এটি কম সুবিধাজনক। +DelaiedFullListToSelectContact=পরিচিতি কম্বো তালিকার বিষয়বস্তু লোড করার আগে একটি কী চাপা না হওয়া পর্যন্ত অপেক্ষা করুন।
      আপনার কাছে প্রচুর পরিচিতি থাকলে এটি কার্যক্ষমতা বাড়াতে পারে, তবে এটি কম সুবিধাজনক। +NumberOfKeyToSearch=সার্চ ট্রিগার করার জন্য অক্ষরের সংখ্যা: %s +NumberOfBytes=বাইটের সংখ্যা +SearchString=অনুসন্ধান স্ট্রিং +NotAvailableWhenAjaxDisabled=Ajax নিষ্ক্রিয় হলে উপলব্ধ নয় +AllowToSelectProjectFromOtherCompany=একটি তৃতীয় পক্ষের নথিতে, অন্য তৃতীয় পক্ষের সাথে সংযুক্ত একটি প্রকল্প চয়ন করতে পারেন +TimesheetPreventAfterFollowingMonths=নিম্নলিখিত সংখ্যক মাস পরে কাটানো রেকর্ডিং সময় প্রতিরোধ করুন +JavascriptDisabled=জাভাস্ক্রিপ্ট নিষ্ক্রিয় +UsePreviewTabs=পূর্বরূপ ট্যাব ব্যবহার করুন +ShowPreview=পূর্বরূপ প্রদর্শন +ShowHideDetails=বিস্তারিত দেখান-লুকান +PreviewNotAvailable=পূর্বরূপ উপলব্ধ নেই +ThemeCurrentlyActive=থিম বর্তমানে সক্রিয় +MySQLTimeZone=টাইমজোন মাইএসকিউএল (ডাটাবেস) +TZHasNoEffect=তারিখগুলি সংরক্ষণ করা হয় এবং ডাটাবেস সার্ভার দ্বারা ফেরত দেওয়া হয় যেন সেগুলি জমা দেওয়া স্ট্রিং হিসাবে রাখা হয়েছিল। টাইমজোনটি শুধুমাত্র UNIX_TIMESTAMP ফাংশন ব্যবহার করার সময় প্রভাব ফেলে (যা Dolibarr দ্বারা ব্যবহার করা উচিত নয়, তাই ডাটাবেস TZ এর কোন প্রভাব থাকা উচিত নয়, এমনকি ডেটা প্রবেশের পরে পরিবর্তিত হলেও)। +Space=স্থান +Table=টেবিল +Fields=ক্ষেত্র +Index=সূচক +Mask=মুখোশ +NextValue=পরবর্তী মান +NextValueForInvoices=পরবর্তী মান (চালান) +NextValueForCreditNotes=পরবর্তী মান (ক্রেডিট নোট) +NextValueForDeposit=পরবর্তী মান (ডাউন পেমেন্ট) +NextValueForReplacements=পরবর্তী মান (প্রতিস্থাপন) +MustBeLowerThanPHPLimit=দ্রষ্টব্য: আপনার PHP কনফিগারেশন বর্তমানে %sb09a4b739fz0b09a4b739fz0-এ আপলোড করার জন্য সর্বাধিক ফাইলের আকার সীমাবদ্ধ করে span> %s, এই প্যারামিটারের মান নির্বিশেষে +NoMaxSizeByPHPLimit=দ্রষ্টব্য: আপনার পিএইচপি কনফিগারেশনে কোন সীমা সেট করা নেই +MaxSizeForUploadedFiles=আপলোড করা ফাইলগুলির জন্য সর্বাধিক আকার (0 যেকোন আপলোডের অনুমতি না দেওয়ার জন্য) +UseCaptchaCode=লগইন পৃষ্ঠা এবং কিছু পাবলিক পৃষ্ঠায় গ্রাফিকাল কোড (ক্যাপচা) ব্যবহার করুন +AntiVirusCommand=অ্যান্টিভাইরাস কমান্ডের সম্পূর্ণ পথ +AntiVirusCommandExample=ClamAv ডেমনের উদাহরণ (ক্ল্যামাভ-ডেমনের প্রয়োজন): /usr/bin/clamdscan
      ক্ল্যামউইনের উদাহরণ (খুব খুব ধীর): c:\\Progra~1\\ClamWin\\bin\\ clamscan.exe +AntiVirusParam= কমান্ড লাইনে আরও পরামিতি +AntiVirusParamExample=ClamAv ডেমনের উদাহরণ: --fdpass
      ClamWin-এর উদাহরণ: --database="C:\\Program Files (x86)\\ClamWin\\lib" +ComptaSetup=অ্যাকাউন্টিং মডিউল সেটআপ +UserSetup=ব্যবহারকারী ব্যবস্থাপনা সেটআপ +MultiCurrencySetup=মাল্টি-কারেন্সি সেটআপ +MenuLimits=সীমা এবং নির্ভুলতা +MenuIdParent=অভিভাবক মেনু আইডি +DetailMenuIdParent=অভিভাবক মেনুর আইডি (শীর্ষ মেনুর জন্য খালি) +ParentID=অভিভাবক আইডি +DetailPosition=মেনু অবস্থান সংজ্ঞায়িত করার জন্য সংখ্যা সাজান +AllMenus=সব +NotConfigured=মডিউল/অ্যাপ্লিকেশন কনফিগার করা হয়নি +Active=সক্রিয় +SetupShort=সেটআপ +OtherOptions=অন্যান্য অপশন +OtherSetup=অন্যান্য সেটআপ +CurrentValueSeparatorDecimal=দশমিক বিভাজক +CurrentValueSeparatorThousand=হাজার বিভাজক +Destination=গন্তব্য +IdModule=মডিউল আইডি +IdPermissions=অনুমতি আইডি +LanguageBrowserParameter=প্যারামিটার %s +LocalisationDolibarrParameters=স্থানীয়করণ পরামিতি +ClientHour=ক্লায়েন্ট সময় (ব্যবহারকারী) +OSTZ=সার্ভার ওএস টাইম জোন +PHPTZ=পিএইচপি সার্ভার টাইম জোন +DaylingSavingTime=দিনের আলো সংরক্ষণের সময় +CurrentHour=পিএইচপি সময় (সার্ভার) +CurrentSessionTimeOut=বর্তমান সেশনের সময়সীমা +YouCanEditPHPTZ=একটি ভিন্ন PHP টাইমজোন সেট করতে (প্রয়োজনীয় নয়), আপনি এই "SetEnv TZ Europe/Paris" এর মত একটি লাইন সহ একটি .htaccess ফাইল যোগ করার চেষ্টা করতে পারেন। +HoursOnThisPageAreOnServerTZ=সতর্কতা, অন্যান্য স্ক্রিনের বিপরীতে, এই পৃষ্ঠার ঘন্টাগুলি আপনার স্থানীয় টাইমজোনে নয়, কিন্তু সার্ভারের সময় অঞ্চলে। +Box=উইজেট +Boxes=উইজেট +MaxNbOfLinesForBoxes=সর্বোচ্চ উইজেটগুলির জন্য লাইনের সংখ্যা +AllWidgetsWereEnabled=সমস্ত উপলব্ধ উইজেট সক্রিয় করা হয় +WidgetAvailable=উইজেট উপলব্ধ +PositionByDefault=ডিফল্ট অর্ডার +Position=অবস্থান +MenusDesc=মেনু পরিচালকরা দুটি মেনু বারের বিষয়বস্তু সেট করে (অনুভূমিক এবং উল্লম্ব)। +MenusEditorDesc=মেনু এডিটর আপনাকে কাস্টম মেনু এন্ট্রি সংজ্ঞায়িত করতে দেয়। অস্থিরতা এবং স্থায়ীভাবে পৌঁছানো যায় না এমন মেনু এন্ট্রি এড়াতে সাবধানে এটি ব্যবহার করুন।
      কিছু মডিউল মেনু এন্ট্রি যোগ করে (মেনু সমস্ত
      বেশিরভাগই)। আপনি যদি ভুলবশত এই এন্ট্রিগুলির কিছু মুছে ফেলেন, তাহলে আপনি মডিউলটিকে নিষ্ক্রিয় এবং পুনরায় সক্রিয় করে সেগুলি পুনরুদ্ধার করতে পারেন। +MenuForUsers=ব্যবহারকারীদের জন্য মেনু +LangFile=.lang ফাইল +Language_en_US_es_MX_etc=ভাষা (en_US, es_MX, ...) +System=পদ্ধতি +SystemInfo=পদ্ধতিগত তথ্য +SystemToolsArea=সিস্টেম টুলস এলাকা +SystemToolsAreaDesc=এই এলাকা প্রশাসনের কার্যাবলী প্রদান করে। প্রয়োজনীয় বৈশিষ্ট্য চয়ন করতে মেনু ব্যবহার করুন. +Purge=শুদ্ধ করুন +PurgeAreaDesc=এই পৃষ্ঠাটি আপনাকে Dolibarr দ্বারা তৈরি বা সংরক্ষিত সমস্ত ফাইল মুছে ফেলার অনুমতি দেয় (অস্থায়ী ফাইল বা %s ডিরেক্টরি)। এই বৈশিষ্ট্যটি ব্যবহার করা সাধারণত প্রয়োজনীয় নয়। এটি এমন ব্যবহারকারীদের জন্য একটি সমাধান হিসাবে সরবরাহ করা হয়েছে যাদের ডলিবার এমন একটি প্রদানকারী দ্বারা হোস্ট করা হয়েছে যা ওয়েব সার্ভার দ্বারা উত্পন্ন ফাইলগুলি মুছে ফেলার অনুমতি দেয় না। +PurgeDeleteLogFile=লগ ফাইলগুলি মুছুন, সহ %s Snolog এর জন্য সংজ্ঞায়িত তথ্য হারানোর ঝুঁকি) +PurgeDeleteTemporaryFiles=সমস্ত লগ এবং অস্থায়ী ফাইল মুছুন (ডেটা হারানোর কোন ঝুঁকি নেই)। প্যারামিটার 'tempfilesold', 'logfiles' বা উভয় 'tempfilesold+logfiles' হতে পারে। দ্রষ্টব্য: অস্থায়ী ফাইল মুছে ফেলা হয় শুধুমাত্র যদি টেম্প ডিরেক্টরি 24 ঘন্টা আগে তৈরি করা হয়। +PurgeDeleteTemporaryFilesShort=লগ এবং অস্থায়ী ফাইল মুছুন (ডেটা হারানোর কোন ঝুঁকি নেই) +PurgeDeleteAllFilesInDocumentsDir=ডিরেক্টরির সমস্ত ফাইল মুছুন: %s
      এটি উপাদান (তৃতীয় পক্ষ, ইনভয়েস ইত্যাদি...), ECM মডিউলে আপলোড করা ফাইল, ডাটাবেস ব্যাকআপ ডাম্প এবং অস্থায়ী ফাইলগুলির সাথে সম্পর্কিত সমস্ত উত্পন্ন নথি মুছে ফেলবে৷ +PurgeRunNow=এখন পরিষ্কার করুন +PurgeNothingToDelete=মুছে ফেলার জন্য কোন ডিরেক্টরি বা ফাইল নেই। +PurgeNDirectoriesDeleted=%s ফাইল বা ডিরেক্টরি মুছে ফেলা হয়েছে। +PurgeNDirectoriesFailed=%s ফাইল বা ডিরেক্টরি মুছে ফেলতে ব্যর্থ হয়েছে৷ +PurgeAuditEvents=সমস্ত নিরাপত্তা ইভেন্ট পরিষ্কার করুন +ConfirmPurgeAuditEvents=আপনি কি নিশ্চিত যে আপনি সমস্ত নিরাপত্তা ইভেন্ট পরিষ্কার করতে চান? সমস্ত নিরাপত্তা লগ মুছে ফেলা হবে, অন্য কোন ডেটা সরানো হবে না। +GenerateBackup=ব্যাকআপ জেনারেট করুন +Backup=ব্যাকআপ +Restore=পুনরুদ্ধার করুন +RunCommandSummary=নিম্নলিখিত কমান্ড দিয়ে ব্যাকআপ চালু করা হয়েছে +BackupResult=ব্যাকআপ ফলাফল +BackupFileSuccessfullyCreated=ব্যাকআপ ফাইল সফলভাবে তৈরি হয়েছে৷ +YouCanDownloadBackupFile=উত্পন্ন ফাইল এখন ডাউনলোড করা যাবে +NoBackupFileAvailable=কোন ব্যাকআপ ফাইল উপলব্ধ. +ExportMethod=রপ্তানি পদ্ধতি +ImportMethod=আমদানি পদ্ধতি +ToBuildBackupFileClickHere=একটি ব্যাকআপ ফাইল তৈরি করতে, এখানে ক্লিক করুন। +ImportMySqlDesc=একটি MySQL ব্যাকআপ ফাইল আমদানি করতে, আপনি আপনার হোস্টিংয়ের মাধ্যমে phpMyAdmin ব্যবহার করতে পারেন বা কমান্ড লাইন থেকে mysql কমান্ড ব্যবহার করতে পারেন৷
      উদাহরণস্বরূপ: +ImportPostgreSqlDesc=একটি ব্যাকআপ ফাইল আমদানি করতে, আপনাকে কমান্ড লাইন থেকে pg_restore কমান্ড ব্যবহার করতে হবে: ImportMySqlCommand=%s %s < mybackupfile.sql ImportPostgreSqlCommand=%s %s mybackupfile.sql -FileNameToGenerate=Filename for backup: -Compression=Compression -CommandsToDisableForeignKeysForImport=Command to disable foreign keys on import -CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later -ExportCompatibility=Compatibility of generated export file -ExportUseMySQLQuickParameter=Use the --quick parameter -ExportUseMySQLQuickParameterHelp=The '--quick' parameter helps limit RAM consumption for large tables. -MySqlExportParameters=MySQL export parameters -PostgreSqlExportParameters= PostgreSQL export parameters -UseTransactionnalMode=Use transactional mode -FullPathToMysqldumpCommand=Full path to mysqldump command -FullPathToPostgreSQLdumpCommand=Full path to pg_dump command -AddDropDatabase=Add DROP DATABASE command -AddDropTable=Add DROP TABLE command -ExportStructure=Structure -NameColumn=Name columns -ExtendedInsert=Extended INSERT -NoLockBeforeInsert=No lock commands around INSERT -DelayedInsert=Delayed insert -EncodeBinariesInHexa=Encode binary data in hexadecimal -IgnoreDuplicateRecords=Ignore errors of duplicate record (INSERT IGNORE) -AutoDetectLang=Autodetect (browser language) -FeatureDisabledInDemo=Feature disabled in demo -FeatureAvailableOnlyOnStable=Feature only available on official stable versions -BoxesDesc=Widgets are components showing some information that you can add to personalize some pages. You can choose between showing the widget or not by selecting target page and clicking 'Activate', or by clicking the trashcan to disable it. -OnlyActiveElementsAreShown=Only elements from enabled modules are shown. -ModulesDesc=The modules/applications determine which features are available in the software. Some modules require permissions to be granted to users after activating the module. Click the on/off button %s of each module to enable or disable a module/application. -ModulesDesc2=Click the wheel button %s to configure the module/application. -ModulesMarketPlaceDesc=You can find more modules to download on external websites on the Internet... -ModulesDeployDesc=If permissions on your file system allow it, you can use this tool to deploy an external module. The module will then be visible on the tab %s. -ModulesMarketPlaces=Find external app/modules -ModulesDevelopYourModule=Develop your own app/modules -ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. -DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New module -FreeModule=Free -CompatibleUpTo=Compatible with version %s -NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). -CompatibleAfterUpdate=This module requires an update to your Dolibarr %s (Min %s - Max %s). -SeeInMarkerPlace=See in Market place -SeeSetupOfModule=See setup of module %s -SetOptionTo=Set option %s to %s -Updated=Updated -AchatTelechargement=Buy / Download -GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. -DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
      Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. -WebSiteDesc=External websites for more add-on (non-core) modules... -DevelopYourModuleDesc=Some solutions to develop your own module... +FileNameToGenerate=ব্যাকআপের জন্য ফাইলের নাম: +Compression=সঙ্কোচন +CommandsToDisableForeignKeysForImport=আমদানিতে বিদেশী কীগুলি নিষ্ক্রিয় করার আদেশ৷ +CommandsToDisableForeignKeysForImportWarning=বাধ্যতামূলক যদি আপনি পরে আপনার sql ডাম্প পুনরুদ্ধার করতে সক্ষম হতে চান +ExportCompatibility=উত্পন্ন রপ্তানি ফাইলের সামঞ্জস্য +ExportUseMySQLQuickParameter=--দ্রুত প্যারামিটার ব্যবহার করুন +ExportUseMySQLQuickParameterHelp='--দ্রুত' প্যারামিটার বড় টেবিলের জন্য RAM খরচ সীমিত করতে সাহায্য করে। +MySqlExportParameters=মাইএসকিউএল এক্সপোর্ট প্যারামিটার +PostgreSqlExportParameters= PostgreSQL এক্সপোর্ট প্যারামিটার +UseTransactionnalMode=লেনদেন মোড ব্যবহার করুন +FullPathToMysqldumpCommand=mysqldump কমান্ডের সম্পূর্ণ পথ +FullPathToPostgreSQLdumpCommand=pg_dump কমান্ডের সম্পূর্ণ পথ +AddDropDatabase=ড্রপ ডেটাবেস কমান্ড যোগ করুন +AddDropTable=ড্রপ টেবিল কমান্ড যোগ করুন +ExportStructure=গঠন +NameColumn=নাম কলাম +ExtendedInsert=বর্ধিত INSERT +NoLockBeforeInsert=INSERT এর আশেপাশে কোন লক কমান্ড নেই৷ +DelayedInsert=বিলম্বিত সন্নিবেশ +EncodeBinariesInHexa=হেক্সাডেসিমেলে বাইনারি ডেটা এনকোড করুন +IgnoreDuplicateRecords=ডুপ্লিকেট রেকর্ডের ত্রুটিগুলি উপেক্ষা করুন (INSERT IGNORE) +AutoDetectLang=অটোডিটেক্ট (ব্রাউজারের ভাষা) +FeatureDisabledInDemo=ডেমোতে বৈশিষ্ট্য অক্ষম করা হয়েছে +FeatureAvailableOnlyOnStable=বৈশিষ্ট্য শুধুমাত্র অফিসিয়াল স্থিতিশীল সংস্করণে উপলব্ধ +BoxesDesc=উইজেট হল কিছু তথ্য দেখানো উপাদান যা আপনি কিছু পৃষ্ঠা ব্যক্তিগতকৃত করতে যোগ করতে পারেন। আপনি উইজেট দেখানো বা না দেখানোর মধ্যে বেছে নিতে পারেন লক্ষ্য পৃষ্ঠা নির্বাচন করে এবং 'অ্যাক্টিভেট' ক্লিক করে, অথবা ট্র্যাশক্যানে ক্লিক করে এটি নিষ্ক্রিয় করতে পারেন। +OnlyActiveElementsAreShown=শুধুমাত্র সক্ষম মডিউল থেকে উপাদানগুলি দেখানো হয়েছে৷ +ModulesDesc=মডিউল/অ্যাপ্লিকেশনগুলি নির্ধারণ করে যে কোন বৈশিষ্ট্যগুলি সফ্টওয়্যারে উপলব্ধ। কিছু মডিউল মডিউল সক্রিয় করার পরে ব্যবহারকারীদের অনুমতি দেওয়ার প্রয়োজন হয়। সক্রিয় করতে প্রতিটি মডিউলের %s চালু/বন্ধ বোতামে ক্লিক করুন অথবা একটি মডিউল/অ্যাপ্লিকেশন নিষ্ক্রিয় করুন। +ModulesDesc2=মডিউল কনফিগার করতে চাকা বোতাম %s ক্লিক করুন। +ModulesMarketPlaceDesc=আপনি ইন্টারনেটে বাহ্যিক ওয়েবসাইটগুলিতে ডাউনলোড করার জন্য আরও মডিউল খুঁজে পেতে পারেন... +ModulesDeployDesc=যদি আপনার ফাইল সিস্টেমের অনুমতি এটির অনুমতি দেয়, আপনি একটি বহিরাগত মডিউল স্থাপন করতে এই সরঞ্জামটি ব্যবহার করতে পারেন। মডিউলটি তখন ট্যাবে দৃশ্যমান হবে %s। +ModulesMarketPlaces=বাহ্যিক অ্যাপ/মডিউল খুঁজুন +ModulesDevelopYourModule=আপনার নিজস্ব অ্যাপ/মডিউল বিকাশ করুন +ModulesDevelopDesc=আপনি আপনার নিজস্ব মডিউল বিকাশ করতে পারেন বা আপনার জন্য একটি বিকাশ করার জন্য একজন অংশীদার খুঁজে পেতে পারেন। +DOLISTOREdescriptionLong=একটি বাহ্যিক মডিউল খুঁজতে www.dolistore.com ওয়েব সাইট চালু করার পরিবর্তে, আপনি এই এমবেড করা টুলটি ব্যবহার করতে পারেন যা আপনার জন্য বাহ্যিক বাজারের জায়গায় অনুসন্ধান করবে (ধীর হতে পারে, একটি ইন্টারনেট অ্যাক্সেস প্রয়োজন)... +NewModule=নতুন মডিউল +FreeModule=বিনামূল্যে +CompatibleUpTo=%s সংস্করণের সাথে সামঞ্জস্যপূর্ণ +NotCompatible=এই মডিউলটি আপনার Dolibarr %s (মিনিমাম %s - সর্বোচ্চ b0ecb2ec87fz0 এর সাথে সামঞ্জস্যপূর্ণ বলে মনে হচ্ছে না span>)। +CompatibleAfterUpdate=এই মডিউলটির জন্য আপনার Dolibarr %s (মিনিমাম %s - সর্বাধিক %s-এ একটি আপডেট প্রয়োজন >)। +SeeInMarkerPlace=মার্কেট প্লেসে দেখুন +SeeSetupOfModule=%s মডিউল সেটআপ দেখুন +SeeSetupPage=%s এ সেটআপ পৃষ্ঠা দেখুন +SeeReportPage=%s এ রিপোর্ট পৃষ্ঠা দেখুন +SetOptionTo=%s বিকল্প সেট করুন %s +Updated=আপডেট করা হয়েছে +AchatTelechargement=কিনুন/ডাউনলোড করুন +GoModuleSetupArea=একটি নতুন মডিউল স্থাপন/ইনস্টল করতে, মডিউল সেটআপ এলাকায় যান: %sb0e40dc6588 +DoliStoreDesc=DoliStore, Dolibarr ERP/CRM বাহ্যিক মডিউলের অফিসিয়াল মার্কেট প্লেস +DoliPartnersDesc=কাস্টম-উন্নত মডিউল বা বৈশিষ্ট্যগুলি প্রদানকারী সংস্থাগুলির তালিকা৷
      দ্রষ্টব্য: যেহেতু ডলিবার একটি ওপেন সোর্স অ্যাপ্লিকেশন, তাই যে কেউ পিএইচপি প্রোগ্রামিংয়ে অভিজ্ঞদের একটি মডিউল তৈরি করতে সক্ষম হওয়া উচিত। +WebSiteDesc=আরো অ্যাড-অন (নন-কোর) মডিউলের জন্য বাহ্যিক ওয়েবসাইট... +DevelopYourModuleDesc=আপনার নিজস্ব মডিউল বিকাশের জন্য কিছু সমাধান... URL=URL -RelativeURL=Relative URL -BoxesAvailable=Widgets available -BoxesActivated=Widgets activated -ActivateOn=Activate on -ActiveOn=Activated on -ActivatableOn=Activatable on -SourceFile=Source file -AvailableOnlyIfJavascriptAndAjaxNotDisabled=Available only if JavaScript is not disabled -Required=Required -UsedOnlyWithTypeOption=Used by some agenda option only -Security=Security -Passwords=Passwords -DoNotStoreClearPassword=Encrypt passwords stored in database (NOT as plain-text). It is strongly recommended to activate this option. -MainDbPasswordFileConfEncrypted=Encrypt database password stored in conf.php. It is strongly recommended to activate this option. -InstrucToEncodePass=To have password encoded into the conf.php file, replace the line
      $dolibarr_main_db_pass="...";
      by
      $dolibarr_main_db_pass="crypted:%s"; -InstrucToClearPass=To have password decoded (clear) into the conf.php file, replace the line
      $dolibarr_main_db_pass="crypted:...";
      by
      $dolibarr_main_db_pass="%s"; -ProtectAndEncryptPdfFiles=Protect generated PDF files. This is NOT recommended as it breaks bulk PDF generation. -ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature makes building of a global merged PDFs not working. -Feature=Feature -DolibarrLicense=License -Developpers=Developers/contributors -OfficialWebSite=Dolibarr official web site -OfficialWebSiteLocal=Local web site (%s) -OfficialWiki=Dolibarr documentation / Wiki -OfficialDemo=Dolibarr online demo -OfficialMarketPlace=Official market place for external modules/addons -OfficialWebHostingService=Referenced web hosting services (Cloud hosting) -ReferencedPreferredPartners=Preferred Partners -OtherResources=Other resources -ExternalResources=External Resources -SocialNetworks=Social Networks -SocialNetworkId=Social Network ID -ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),
      take a look at the Dolibarr Wiki:
      %s -ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:
      %s -HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr. -HelpCenterDesc2=Some of these resources are only available in english. -CurrentMenuHandler=Current menu handler -MeasuringUnit=Measuring unit -LeftMargin=Left margin -TopMargin=Top margin -PaperSize=Paper type -Orientation=Orientation -SpaceX=Space X -SpaceY=Space Y -FontSize=Font size -Content=Content -ContentForLines=Content to display for each product or service (from variable __LINES__ of Content) -NoticePeriod=Notice period -NewByMonth=New by month -Emails=Emails -EMailsSetup=Emails setup -EMailsDesc=This page allows you to set parameters or options for email sending. -EmailSenderProfiles=Emails sender profiles -EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. -MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (default value in php.ini: %s) -MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (default value in php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix-like systems) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix-like systems) -MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (default value in php.ini: %s) -MAIN_MAIL_ERRORS_TO=Email used for error returns emails (fields 'Errors-To' in emails sent) -MAIN_MAIL_AUTOCOPY_TO= Copy (Bcc) all sent emails to -MAIN_DISABLE_ALL_MAILS=Disable all email sending (for test purposes or demos) -MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email -MAIN_MAIL_SENDMODE=Email sending method -MAIN_MAIL_SMTPS_ID=SMTP ID (if sending server requires authentication) -MAIN_MAIL_SMTPS_PW=SMTP Password (if sending server requires authentication) -MAIN_MAIL_EMAIL_TLS=Use TLS (SSL) encryption -MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés -MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature -MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim -MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector -MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing -MAIN_DISABLE_ALL_SMS=Disable all SMS sending (for test purposes or demos) -MAIN_SMS_SENDMODE=Method to use to send SMS -MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending -MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email) -UserEmail=User email -CompanyEmail=Company Email -FeatureNotAvailableOnLinux=Feature not available on Unix like systems. Test your sendmail program locally. -FixOnTransifex=Fix the translation on the online translation platform of project -SubmitTranslation=If the translation for this language is not complete or you find errors, you can correct this by editing files in directory langs/%s and submit your change to www.transifex.com/dolibarr-association/dolibarr/ -SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or, if you are a developer, with a PR on github.com/Dolibarr/dolibarr -ModuleSetup=Module setup -ModulesSetup=Modules/Application setup -ModuleFamilyBase=System -ModuleFamilyCrm=Customer Relationship Management (CRM) -ModuleFamilySrm=Vendor Relationship Management (VRM) -ModuleFamilyProducts=Product Management (PM) -ModuleFamilyHr=Human Resource Management (HR) -ModuleFamilyProjects=Projects/Collaborative work +RelativeURL=আপেক্ষিক URL +BoxesAvailable=উইজেট উপলব্ধ +BoxesActivated=উইজেট সক্রিয় করা হয়েছে +ActivateOn=চালু করুন +ActiveOn=চালু হয়েছে +ActivatableOn=চালু করা যাবে +SourceFile=উৎস ফাইল +AvailableOnlyIfJavascriptAndAjaxNotDisabled=জাভাস্ক্রিপ্ট নিষ্ক্রিয় না হলেই উপলব্ধ +Required=প্রয়োজন +UsedOnlyWithTypeOption=শুধুমাত্র কিছু এজেন্ডা বিকল্প দ্বারা ব্যবহৃত +Security=নিরাপত্তা +Passwords=পাসওয়ার্ড +DoNotStoreClearPassword=ডাটাবেসে সংরক্ষিত পাসওয়ার্ড এনক্রিপ্ট করুন (প্লেন-টেক্সট হিসাবে নয়)। এই বিকল্পটি সক্রিয় করার জন্য দৃঢ়ভাবে সুপারিশ করা হয়। +MainDbPasswordFileConfEncrypted=conf.php এ সংরক্ষিত ডাটাবেস পাসওয়ার্ড এনক্রিপ্ট করুন। এই বিকল্পটি সক্রিয় করার জন্য দৃঢ়ভাবে সুপারিশ করা হয়। +InstrucToEncodePass=conf.php ফাইলে পাসওয়ার্ড এনকোড করতে, লাইনটি প্রতিস্থাপন করুন b0342fccfda19b /span>$dolibarr_main_db_pass="...";b0342fccfda19 >দ্বারা
      $dolibarr_main_db_pass="crypted:b0ecb2ecz87fz" span class='notranslate'>
      +InstrucToClearPass=conf.php ফাইলে পাসওয়ার্ড ডিকোড (ক্লিয়ার) করতে, লাইনটি প্রতিস্থাপন করুন
      $dolibarr_main_db_pass="crypted:...";$dolibarr_main_db_pass="
      দ্বারা ";
      +ProtectAndEncryptPdfFiles=উত্পন্ন পিডিএফ ফাইল সুরক্ষিত. এটি বাঞ্ছনীয় নয় কারণ এটি বাল্ক পিডিএফ তৈরি করে। +ProtectAndEncryptPdfFilesDesc=একটি পিডিএফ ডকুমেন্টের সুরক্ষা এটিকে যেকোনো পিডিএফ ব্রাউজার দিয়ে পড়তে এবং মুদ্রণের জন্য উপলব্ধ রাখে। তবে এডিট ও কপি করা আর সম্ভব নয়। মনে রাখবেন যে এই বৈশিষ্ট্যটি ব্যবহার করার ফলে একটি বিশ্বব্যাপী মার্জড PDF গুলি কাজ করছে না। +Feature=বৈশিষ্ট্য +DolibarrLicense=লাইসেন্স +Developpers=বিকাশকারী / অবদানকারী +OfficialWebSite=ডলিবার অফিসিয়াল ওয়েব সাইট +OfficialWebSiteLocal=স্থানীয় ওয়েব সাইট (%s) +OfficialWiki=ডলিবার ডকুমেন্টেশন / উইকি +OfficialDemo=ডলিবার অনলাইন ডেমো +OfficialMarketPlace=বাহ্যিক মডিউল/অ্যাডনের জন্য অফিসিয়াল মার্কেট প্লেস +OfficialWebHostingService=রেফারেন্সযুক্ত ওয়েব হোস্টিং পরিষেবা (ক্লাউড হোস্টিং) +ReferencedPreferredPartners=পছন্দের অংশীদার +OtherResources=অন্যান্য উৎস +ExternalResources=বাহ্যিক সম্পদ +SocialNetworks=সামাজিক যোগাযোগ +SocialNetworkId=সামাজিক নেটওয়ার্ক আইডি +ForDocumentationSeeWiki=ব্যবহারকারী বা বিকাশকারী ডকুমেন্টেশনের জন্য (ডক, প্রায়শই জিজ্ঞাসিত প্রশ্নাবলী...),
      Dolibarr Wiki:
      %sb0e40dc658> +ForAnswersSeeForum=অন্য কোনো প্রশ্ন/সহায়তার জন্য, আপনি Dolibarr ফোরাম ব্যবহার করতে পারেন:
      %s +HelpCenterDesc1=Dolibarr-এর সাহায্য এবং সমর্থন পাওয়ার জন্য এখানে কিছু সংস্থান রয়েছে। +HelpCenterDesc2=এই সম্পদগুলির মধ্যে কিছু শুধুমাত্র ইংরেজি এ উপলব্ধ। +CurrentMenuHandler=বর্তমান মেনু হ্যান্ডলার +MeasuringUnit=পরিমাপ ইউনিট +LeftMargin=বাম কিনারা +TopMargin=শীর্ষ মার্জিন +PaperSize=কাগজের ধরন +Orientation=ওরিয়েন্টেশন +SpaceX=স্পেস এক্স +SpaceY=স্পেস ওয়াই +FontSize=অক্ষরের আকার +Content=বিষয়বস্তু +ContentForLines=প্রতিটি পণ্য বা পরিষেবার জন্য প্রদর্শনের জন্য সামগ্রী (কন্টেন্টের পরিবর্তনশীল __LINES__ থেকে) +NoticePeriod=বিজ্ঞপ্তি সময়কাল +NewByMonth=মাসে নতুন +Emails=ইমেইল +EMailsSetup=ইমেল সেটআপ +EMailsDesc=এই পৃষ্ঠাটি আপনাকে ইমেল পাঠানোর জন্য পরামিতি বা বিকল্প সেট করতে দেয়। +EmailSenderProfiles=ইমেল প্রেরকের প্রোফাইল +EMailsSenderProfileDesc=আপনি এই বিভাগটি খালি রাখতে পারেন। আপনি এখানে কিছু ইমেল লিখলে, আপনি যখন একটি নতুন ইমেল লিখবেন তখন সেগুলি কম্বোবক্সে সম্ভাব্য প্রেরকদের তালিকায় যোগ করা হবে। +MAIN_MAIL_SMTP_PORT=SMTP/SMTPS পোর্ট (php.ini তে ডিফল্ট মান: %sb09a4b739f17fz0 >>) +MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS হোস্ট (php.ini তে ডিফল্ট মান: %sb09a4b739f17fz0 >>) +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS পোর্ট +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS হোস্ট +MAIN_MAIL_EMAIL_FROM=স্বয়ংক্রিয় ইমেলের জন্য প্রেরক ইমেল +EMailHelpMsgSPFDKIM=Dolibarr ইমেলগুলিকে স্প্যাম হিসাবে শ্রেণীবদ্ধ করা প্রতিরোধ করতে, নিশ্চিত করুন যে সার্ভার এই পরিচয়ের অধীনে ই-মেইল পাঠাতে অনুমোদিত (ডোমেন নামের SPF এবং DKIM কনফিগারেশন চেক করে) +MAIN_MAIL_ERRORS_TO=ত্রুটির জন্য ব্যবহৃত ইমেল ইমেল ফেরত দেয় (প্রেরিত ইমেলে 'ত্রুটি-টু' ক্ষেত্র) +MAIN_MAIL_AUTOCOPY_TO= কপি (Bcc) সব পাঠানো ইমেল +MAIN_DISABLE_ALL_MAILS=সমস্ত ইমেল পাঠানো অক্ষম করুন (পরীক্ষার উদ্দেশ্যে বা ডেমোর জন্য) +MAIN_MAIL_FORCE_SENDTO=সমস্ত ইমেল পাঠান (প্রকৃত প্রাপকদের পরিবর্তে, পরীক্ষার উদ্দেশ্যে) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=একটি নতুন ইমেল লেখার সময় পূর্বনির্ধারিত প্রাপকের তালিকায় কর্মচারীদের ইমেল (যদি সংজ্ঞায়িত করা হয়) সুপারিশ করুন +MAIN_MAIL_NO_WITH_TO_SELECTED=শুধুমাত্র 1টি সম্ভাব্য পছন্দ থাকলেও একটি ডিফল্ট প্রাপক নির্বাচন করবেন না +MAIN_MAIL_SENDMODE=ইমেইল পাঠানোর পদ্ধতি +MAIN_MAIL_SMTPS_ID=SMTP আইডি (সার্ভার পাঠানোর জন্য প্রমাণীকরণের প্রয়োজন হলে) +MAIN_MAIL_SMTPS_PW=SMTP পাসওয়ার্ড (যদি সার্ভার পাঠাতে প্রমাণীকরণের প্রয়োজন হয়) +MAIN_MAIL_EMAIL_TLS=TLS (SSL) এনক্রিপশন ব্যবহার করুন +MAIN_MAIL_EMAIL_STARTTLS=TLS (STARTTLS) এনক্রিপশন ব্যবহার করুন +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=স্ব-স্বাক্ষরিত শংসাপত্র অনুমোদন করুন +MAIN_MAIL_EMAIL_DKIM_ENABLED=ইমেল স্বাক্ষর তৈরি করতে DKIM ব্যবহার করুন +MAIN_MAIL_EMAIL_DKIM_DOMAIN=dkim-এর সাথে ব্যবহারের জন্য ইমেল ডোমেন +MAIN_MAIL_EMAIL_DKIM_SELECTOR=dkim নির্বাচকের নাম +MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=dkim স্বাক্ষর করার জন্য ব্যক্তিগত কী +MAIN_DISABLE_ALL_SMS=সমস্ত এসএমএস পাঠানো অক্ষম করুন (পরীক্ষার উদ্দেশ্যে বা ডেমোর জন্য) +MAIN_SMS_SENDMODE=SMS পাঠাতে ব্যবহার করার পদ্ধতি +MAIN_MAIL_SMS_FROM=এসএমএস পাঠানোর জন্য ডিফল্ট প্রেরকের ফোন নম্বর +MAIN_MAIL_DEFAULT_FROMTYPE=ডিফল্ট প্রেরক ইমেল ইমেল পাঠাতে ফর্মগুলিতে পূর্বনির্বাচিত +UserEmail=ব্যবহারকারীর ইমেইল +CompanyEmail=কোম্পানির ইমেইল +FeatureNotAvailableOnLinux=ইউনিক্সের মতো সিস্টেমে বৈশিষ্ট্য উপলব্ধ নয়। স্থানীয়ভাবে আপনার সেন্ডমেইল প্রোগ্রাম পরীক্ষা করুন। +FixOnTransifex=প্রকল্পের অনলাইন অনুবাদ প্ল্যাটফর্মে অনুবাদ ঠিক করুন +SubmitTranslation=যদি এই ভাষার অনুবাদ সম্পূর্ণ না হয় বা আপনি ত্রুটি খুঁজে পান, তাহলে আপনি langs/%s ডিরেক্টরিতে ফাইলগুলি সম্পাদনা করে এটি সংশোধন করতে পারেন > এবং www.transifex.com/dolibarr-association/dolibarr/ এ আপনার পরিবর্তন জমা দিন +SubmitTranslationENUS=যদি এই ভাষার অনুবাদ সম্পূর্ণ না হয় বা আপনি ত্রুটি খুঁজে পান, তাহলে আপনি langs/%s ডিরেক্টরিতে ফাইলগুলি সম্পাদনা করে এটি সংশোধন করতে পারেন এবং পরিবর্তিত ফাইলগুলি dolibarr.org/forum-এ জমা দিন বা, আপনি যদি একজন বিকাশকারী হন, github.com/Dolibarr/dolibarr-এ PR সহ +ModuleSetup=মডিউল সেটআপ +ModulesSetup=মডিউল/অ্যাপ্লিকেশন সেটআপ +ModuleFamilyBase=পদ্ধতি +ModuleFamilyCrm=গ্রাহক সম্পর্ক ব্যবস্থাপনা (CRM) +ModuleFamilySrm=ভেন্ডর রিলেশনশিপ ম্যানেজমেন্ট (ভিআরএম) +ModuleFamilyProducts=পণ্য ব্যবস্থাপনা (PM) +ModuleFamilyHr=মানব সম্পদ ব্যবস্থাপনা (HR) +ModuleFamilyProjects=প্রকল্প/সহযোগী কাজ ModuleFamilyOther=Other -ModuleFamilyTechnic=Multi-modules tools -ModuleFamilyExperimental=Experimental modules -ModuleFamilyFinancial=Financial Modules (Accounting/Treasury) -ModuleFamilyECM=Electronic Content Management (ECM) -ModuleFamilyPortal=Websites and other frontal application -ModuleFamilyInterface=Interfaces with external systems -MenuHandlers=Menu handlers -MenuAdmin=Menu editor -DoNotUseInProduction=Do not use in production -ThisIsProcessToFollow=Upgrade procedure: -ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: -StepNb=Step %s -FindPackageFromWebSite=Find a package that provides the features you need (for example on the official web site %s). -DownloadPackageFromWebSite=Download package (for example from the official web site %s). -UnpackPackageInDolibarrRoot=Unpack/unzip the packaged files into your Dolibarr server directory: %s -UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s -SetupIsReadyForUse=Module deployment is finished. You must however enable and setup the module in your application by going to the page setup modules: %s. -NotExistsDirect=The alternative root directory is not defined to an existing directory.
      -InfDirAlt=Since version 3, it is possible to define an alternative root directory. This allows you to store, into a dedicated directory, plug-ins and custom templates.
      Just create a directory at the root of Dolibarr (eg: custom).
      -InfDirExample=
      Then declare it in the file conf.php
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
      If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. -YouCanSubmitFile=You can upload the .zip file of module package from here: -CurrentVersion=Dolibarr current version -CallUpdatePage=Browse to the page that updates the database structure and data: %s. -LastStableVersion=Latest stable version -LastActivationDate=Latest activation date -LastActivationAuthor=Latest activation author -LastActivationIP=Latest activation IP -LastActivationVersion=Latest activation version -UpdateServerOffline=Update server offline -WithCounter=Manage a counter -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      -GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      -GenericMaskCodes3=All other characters in the mask will remain intact.
      Spaces are not allowed.
      -GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
      Spaces are not allowed.
      In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2007-01-31:
      -GenericMaskCodes4b=Example on third party created on 2007-03-01:
      -GenericMaskCodes4c=Example on product created on 2007-03-01:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC0701-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN0701-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' -GenericNumRefModelDesc=Returns a customizable number according to a defined mask. -ServerAvailableOnIPOrPort=Server is available at address %s on port %s -ServerNotAvailableOnIPOrPort=Server is not available at address %s on port %s -DoTestServerAvailability=Test server connectivity -DoTestSend=Test sending -DoTestSendHTML=Test sending HTML -ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. -ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, can't use option @ if sequence {yy}{mm} or {yyyy}{mm} is not in mask. -UMask=UMask parameter for new files on Unix/Linux/BSD/Mac file system. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone).
      This parameter is useless on a Windows server. -SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization -UseACacheDelay= Delay for caching export response in seconds (0 or empty for no cache) -DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page -DisableLinkToHelp=Hide the link to the online help "%s" -AddCRIfTooLong=There is no automatic text wrapping, text that is too long will not display on documents. Please add carriage returns in the text area if needed. -ConfirmPurge=Are you sure you want to execute this purge?
      This will permanently delete all your data files with no way to restore them (ECM files, attached files...). -MinLength=Minimum length -LanguageFilesCachedIntoShmopSharedMemory=Files .lang loaded in shared memory -LanguageFile=Language file -ExamplesWithCurrentSetup=Examples with current configuration -ListOfDirectories=List of OpenDocument templates directories -ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.

      Put here full path of directories.
      Add a carriage return between eah directory.
      To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.

      Files in those directories must end with .odt or .ods. -NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories -ExampleOfDirectoriesForModelGen=Examples of syntax:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir -FollowingSubstitutionKeysCanBeUsed=
      To know how to create your odt document templates, before storing them in those directories, read wiki documentation: -FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template -FirstnameNamePosition=Position of Name/Lastname -DescWeather=The following images will be shown on the dashboard when the number of late actions reach the following values: -KeyForWebServicesAccess=Key to use Web Services (parameter "dolibarrkey" in webservices) -TestSubmitForm=Input test form -ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever the user choice. Also this menu manager specialized for smartphones does not work on all smartphone. Use another menu manager if you experience problems with yours. -ThemeDir=Skins directory -ConnectionTimeout=Connection timeout -ResponseTimeout=Response timeout -SmsTestMessage=Test message from __PHONEFROM__ to __PHONETO__ -ModuleMustBeEnabledFirst=Module %s must be enabled first if you need this feature. -SecurityToken=Key to secure URLs -NoSmsEngine=No SMS sender manager available. A SMS sender manager is not installed with the default distribution because they depend on an external vendor, but you can find some on %s +ModuleFamilyTechnic=মাল্টি-মডিউল টুল +ModuleFamilyExperimental=পরীক্ষামূলক মডিউল +ModuleFamilyFinancial=আর্থিক মডিউল (অ্যাকাউন্টিং/ট্র্যাজারি) +ModuleFamilyECM=ইলেকট্রনিক কন্টেন্ট ম্যানেজমেন্ট (ECM) +ModuleFamilyPortal=ওয়েবসাইট এবং অন্যান্য ফ্রন্টাল অ্যাপ্লিকেশন +ModuleFamilyInterface=বাহ্যিক সিস্টেমের সাথে ইন্টারফেস +MenuHandlers=মেনু হ্যান্ডলার +MenuAdmin=মেনু সম্পাদক +DoNotUseInProduction=উৎপাদনে ব্যবহার করবেন না +ThisIsProcessToFollow=আপগ্রেড পদ্ধতি: +ThisIsAlternativeProcessToFollow=এটি ম্যানুয়ালি প্রক্রিয়া করার জন্য একটি বিকল্প সেটআপ: +StepNb=ধাপ %s +FindPackageFromWebSite=আপনার প্রয়োজনীয় বৈশিষ্ট্যগুলি প্রদান করে এমন একটি প্যাকেজ খুঁজুন (উদাহরণস্বরূপ অফিসিয়াল ওয়েব সাইটে %s)। +DownloadPackageFromWebSite=প্যাকেজ ডাউনলোড করুন (উদাহরণস্বরূপ অফিসিয়াল ওয়েব সাইট %s থেকে)। +UnpackPackageInDolibarrRoot=আপনার Dolibarr সার্ভার ডিরেক্টরিতে প্যাকেজ করা ফাইলগুলি আনপ্যাক/আনজিপ করুন: %sb09a4b739f8 +UnpackPackageInModulesRoot=একটি বাহ্যিক মডিউল স্থাপন/ইনস্টল করতে, আপনাকে অবশ্যই বহিরাগত মডিউলগুলির জন্য নিবেদিত সার্ভার ডিরেক্টরিতে সংরক্ষণাগার ফাইলটি আনপ্যাক/আনজিপ করতে হবে:
      b0aee8365837fz0 >%s
      +SetupIsReadyForUse=মডিউল স্থাপনার কাজ শেষ। তবে আপনাকে অবশ্যই পৃষ্ঠা সেটআপ মডিউলগুলিতে গিয়ে আপনার অ্যাপ্লিকেশনে মডিউলটি সক্ষম এবং সেটআপ করতে হবে: %s. +NotExistsDirect=বিকল্প রুট ডিরেক্টরি একটি বিদ্যমান ডিরেক্টরিতে সংজ্ঞায়িত করা হয় না৷
      +InfDirAlt=সংস্করণ 3 থেকে, একটি বিকল্প রুট ডিরেক্টরি সংজ্ঞায়িত করা সম্ভব। এটি আপনাকে একটি ডেডিকেটেড ডিরেক্টরি, প্লাগ-ইন এবং কাস্টম টেমপ্লেটে সঞ্চয় করতে দেয়।
      শুধু Dolibarr এর রুটে একটি ডিরেক্টরি তৈরি করুন (যেমন: কাস্টম)।
      +InfDirExample=
      তারপর ফাইলে এটি ঘোষণা করুন conf.php class='notranslate'>
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt/span>$dolibarr_main_document_root_alt'//barlib='/classom= 'notranslate'>
      যদি এই লাইনগুলিকে "#" দিয়ে কমেন্ট করা হয়, সেগুলিকে সক্রিয় করতে, শুধুমাত্র "#" অক্ষরটি সরিয়ে আনকমেন্ট করুন৷ +YouCanSubmitFile=আপনি এখান থেকে মডিউল প্যাকেজের .zip ফাইল আপলোড করতে পারেন: +CurrentVersion=ডলিবার বর্তমান সংস্করণ +CallUpdatePage=ডাটাবেস গঠন এবং ডেটা আপডেট করে এমন পৃষ্ঠায় ব্রাউজ করুন: %s। +LastStableVersion=সর্বশেষ স্থিতিশীল সংস্করণ +LastActivationDate=সর্বশেষ সক্রিয়করণ তারিখ +LastActivationAuthor=সর্বশেষ অ্যাক্টিভেশন লেখক +LastActivationIP=সর্বশেষ সক্রিয়করণ আইপি +LastActivationVersion=সর্বশেষ অ্যাক্টিভেশন সংস্করণ +UpdateServerOffline=সার্ভার অফলাইনে আপডেট করুন +WithCounter=একটি কাউন্টার পরিচালনা করুন +GenericMaskCodes=আপনি যেকোন নম্বর মাস্ক লিখতে পারেন। এই মাস্কে, নিম্নলিখিত ট্যাগগুলি ব্যবহার করা যেতে পারে:
      {000000}b09a4b739f17f17 একটি সংখ্যার সাথে মিলে যায় যা প্রতিটি %s এ বৃদ্ধি পাবে। কাউন্টারের পছন্দসই দৈর্ঘ্য হিসাবে অনেক শূন্য লিখুন। কাউন্টারটি বাম দিক থেকে শূন্য দ্বারা সম্পন্ন হবে যাতে মুখোশের মতো শূন্য থাকে।
      {000000+000} কিন্তু আগেরটির মতোই প্রথম %s থেকে শুরু করে + চিহ্নের ডানদিকের নম্বরের সাথে সম্পর্কিত একটি অফসেট প্রয়োগ করা হয়।
      {000000@x} কিন্তু আগেরটির মতোই মাস x এ পৌঁছালে কাউন্টারটি শূন্যে রিসেট করা হয় (x 1 থেকে 12-এর মধ্যে, অথবা আপনার কনফিগারেশনে সংজ্ঞায়িত আর্থিক বছরের প্রথম মাস ব্যবহার করতে 0, অথবা প্রতি মাসে শূন্যে রিসেট করতে 99)। যদি এই বিকল্পটি ব্যবহার করা হয় এবং x 2 বা উচ্চতর হয়, তাহলে ক্রম {yy}{mm} বা {yyyy}{mm}ও প্রয়োজন।
      {dd} দিন (01 থেকে 31)।
      {mm} মাস (01 থেকে 12)।
      {yy}, b0635837fz35 {yyyy}
      বা {y} 2, 4 বা 1 সংখ্যার বেশি বছর।
      +GenericMaskCodes2={cccc} n অক্ষরে ক্লায়েন্ট কোড
      {cccc000}b09a4b739f7>ক্লায়েন্ট কোড অন n অক্ষরের পরে গ্রাহককে উৎসর্গ করা একটি কাউন্টার রয়েছে। গ্রাহকের জন্য নিবেদিত এই কাউন্টারটি গ্লোবাল কাউন্টারের মতো একই সময়ে পুনরায় সেট করা হয়েছে।
      b06a5f451419e800 n অক্ষরে তৃতীয় পক্ষের প্রকারের কোড (মেনু হোম - সেটআপ - অভিধান - তৃতীয় পক্ষের প্রকারগুলি দেখুন)। আপনি এই ট্যাগ যোগ করলে, কাউন্টারটি প্রতিটি ধরণের তৃতীয় পক্ষের জন্য আলাদা হবে৷
      +GenericMaskCodes3=মাস্কের অন্য সব অক্ষর অক্ষত থাকবে।
      স্পেস অনুমোদিত নয়।
      +GenericMaskCodes3EAN=মুখোশের অন্যান্য সমস্ত অক্ষর অক্ষত থাকবে (ইএএন 13 এ 13তম অবস্থানে * বা? ছাড়া)।
      স্পেস অনুমোদিত নয়।
      span>EAN13-এ, 13তম অবস্থানে শেষ } এর পরে শেষ অক্ষরটি * বা? . এটি গণনা করা কী দ্বারা প্রতিস্থাপিত হবে৷
      +GenericMaskCodes4a=তৃতীয় পক্ষের TheCompany-এর 99তম %s উদাহরণ, তারিখ 2023-01-31:
      +GenericMaskCodes4b=2023-01-31 তারিখে তৈরি তৃতীয় পক্ষের উদাহরণ:
      > +GenericMaskCodes4c=2023-01-31 তারিখে তৈরি পণ্যের উদাহরণ:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000} দেবে b0aee8336580 span>ABC2301-000099

      b0aee8365837fz0{0@span>0+1 }-ZZZ/{dd}/XXX
      দেবে 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} দেবে IN2301-0099-A যদি কোম্পানির প্রকার হয় 'A_RI' টাইপের কোড সহ 'দায়িত্বশীল ইনস্ক্রিপ্টো' +GenericNumRefModelDesc=একটি সংজ্ঞায়িত মাস্ক অনুযায়ী একটি কাস্টমাইজযোগ্য সংখ্যা প্রদান করে। +ServerAvailableOnIPOrPort=সার্ভার ঠিকানা %s পোর্টে উপলব্ধ 'notranslate'>
      %s +ServerNotAvailableOnIPOrPort=পোর্ট %s ঠিকানায় সার্ভার উপলব্ধ নয় ='notranslate'>
      %s +DoTestServerAvailability=সার্ভার সংযোগ পরীক্ষা করুন +DoTestSend=পরীক্ষা পাঠানো +DoTestSendHTML=এইচটিএমএল পাঠানোর পরীক্ষা করুন +ErrorCantUseRazIfNoYearInMask=ত্রুটি, ক্রম {yy} বা {yyyy} মাস্কে না থাকলে প্রতি বছর কাউন্টার রিসেট করতে @ বিকল্প ব্যবহার করা যাবে না। +ErrorCantUseRazInStartedYearIfNoYearMonthInMask=ত্রুটি, @ বিকল্প ব্যবহার করা যাবে না যদি ক্রম {yy}{mm} বা {yyyy} {mm} মাস্কে নেই। +UMask=ইউনিক্স/লিনাক্স/বিএসডি/ম্যাক ফাইল সিস্টেমে নতুন ফাইলের জন্য UMask প্যারামিটার। +UMaskExplanation=এই প্যারামিটারটি আপনাকে সার্ভারে Dolibarr দ্বারা তৈরি করা ফাইলগুলিতে ডিফল্টভাবে সেট করা অনুমতিগুলিকে সংজ্ঞায়িত করতে দেয় (উদাহরণস্বরূপ আপলোডের সময়)।
      এটি অক্টাল মান হতে হবে (উদাহরণস্বরূপ, 0666 মানে পড়া এবং সবার জন্য লিখুন।) প্রস্তাবিত মান হল 0600 বা 0660
      এই প্যারামিটারটি একটি Windows সার্ভারে অকেজো৷ +SeeWikiForAllTeam=অবদানকারীদের তালিকা এবং তাদের সংস্থার জন্য উইকি পৃষ্ঠাটি দেখুন +UseACacheDelay= সেকেন্ডে রপ্তানি প্রতিক্রিয়া ক্যাশ করার জন্য বিলম্ব (0 বা কোন ক্যাশের জন্য খালি) +DisableLinkToHelpCenter=লগইন পৃষ্ঠায় "সহায়তা বা সমর্থন প্রয়োজন" লিঙ্কটি লুকান +DisableLinkToHelp=অনলাইন সহায়তার লিঙ্কটি লুকান "%s" +AddCRIfTooLong=কোন স্বয়ংক্রিয় টেক্সট মোড়ানো নেই, খুব দীর্ঘ টেক্সট নথিতে প্রদর্শিত হবে না। প্রয়োজনে পাঠ্য এলাকায় ক্যারেজ রিটার্ন যোগ করুন. +ConfirmPurge=আপনি কি এই শুদ্ধি কার্যকর করার বিষয়ে নিশ্চিত?
      এটি স্থায়ীভাবে আপনার সমস্ত ডেটা ফাইল মুছে ফেলবে যেগুলি পুনরুদ্ধার করার কোনো উপায় ছাড়াই (ECM ফাইল, সংযুক্ত ফাইল...)। +MinLength=ন্যূনতম দৈর্ঘ্য +LanguageFilesCachedIntoShmopSharedMemory=ফাইল .lang শেয়ার করা মেমরিতে লোড করা হয়েছে +LanguageFile=ভাষা ফাইল +ExamplesWithCurrentSetup=বর্তমান কনফিগারেশন সহ উদাহরণ +ListOfDirectories=OpenDocument টেমপ্লেট ডিরেক্টরির তালিকা +ListOfDirectoriesForModelGenODT=OpenDocument ফরম্যাট সহ টেমপ্লেট ফাইল ধারণকারী ডিরেক্টরিগুলির তালিকা৷

      এখানে ডিরেক্টরিগুলির সম্পূর্ণ পথ রাখুন৷
      eah ডিরেক্টরির মধ্যে একটি ক্যারেজ রিটার্ন যোগ করুন।
      GED মডিউলের একটি ডিরেক্টরি যোগ করতে, এখানে যোগ করুন b0aee8365837fz0 >DOL_DATA_ROOT/ecm/yourdirectoryname

      b0342fccfda19bzless0>এ পরিচালক .odt অথবা .ods দিয়ে শেষ করতে হবে ='notranslate'>। +NumberOfModelFilesFound=এই ডিরেক্টরিগুলিতে পাওয়া ODT/ODS টেমপ্লেট ফাইলের সংখ্যা +ExampleOfDirectoriesForModelGen=সিনট্যাক্সের উদাহরণ:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir 'notranslate'>
      DOL_DATA_ROOT/ecm/ecmdir +FollowingSubstitutionKeysCanBeUsed=
      আপনার odt নথি টেমপ্লেটগুলি কীভাবে তৈরি করবেন তা জানতে, সেগুলিকে সেই ডিরেক্টরিগুলিতে সংরক্ষণ করার আগে, উইকি ডকুমেন্টেশন পড়ুন: +FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template +FirstnameNamePosition=নাম/শেষনামের অবস্থান +DescWeather=দেরী ক্রিয়াগুলির সংখ্যা নিম্নলিখিত মানগুলিতে পৌঁছলে নিম্নলিখিত চিত্রগুলি ড্যাশবোর্ডে প্রদর্শিত হবে: +KeyForWebServicesAccess=ওয়েব পরিষেবাগুলি ব্যবহার করার কী (ওয়েব পরিষেবাগুলিতে প্যারামিটার "dolibarrkey") +TestSubmitForm=ইনপুট পরীক্ষার ফর্ম +ThisForceAlsoTheme=এই মেনু ম্যানেজার ব্যবহার করে ব্যবহারকারীর পছন্দ যাই হোক না কেন তার নিজস্ব থিম ব্যবহার করবে। এছাড়াও স্মার্টফোনের জন্য বিশেষায়িত এই মেনু ম্যানেজার সব স্মার্টফোনে কাজ করে না। আপনি যদি আপনার সাথে সমস্যা অনুভব করেন তবে অন্য মেনু ম্যানেজার ব্যবহার করুন। +ThemeDir=স্কিন ডিরেক্টরি +ConnectionTimeout=আউট সংযোগ সময় +ResponseTimeout=প্রতিক্রিয়ার সময়সীমা +SmsTestMessage=__PHONEFROM__ থেকে __PHONETO__ পর্যন্ত পরীক্ষার বার্তা +ModuleMustBeEnabledFirst=মডিউল %s আপনার যদি এই বৈশিষ্ট্যটির প্রয়োজন হয় তবে প্রথমে সক্ষম করতে হবে৷ +SecurityToken=ইউআরএল সুরক্ষিত করার চাবিকাঠি +NoSmsEngine=কোনো SMS প্রেরক ব্যবস্থাপক উপলব্ধ নেই৷ একটি এসএমএস প্রেরক পরিচালক ডিফল্ট বিতরণের সাথে ইনস্টল করা নেই কারণ তারা একটি বহিরাগত বিক্রেতার উপর নির্ভর করে, তবে আপনি কিছু খুঁজে পেতে পারেন %s এ PDF=PDF -PDFDesc=Global options for PDF generation -PDFOtherDesc=PDF Option specific to some modules -PDFAddressForging=Rules for address section -HideAnyVATInformationOnPDF=Hide all information related to Sales Tax / VAT -PDFRulesForSalesTax=Rules for Sales Tax / VAT -PDFLocaltax=Rules for %s -HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT -HideDescOnPDF=Hide products description -HideRefOnPDF=Hide products ref. -HideDetailsOnPDF=Hide product lines details -PlaceCustomerAddressToIsoLocation=Use french standard position (La Poste) for customer address position +PDFDesc=পিডিএফ তৈরির জন্য বিশ্বব্যাপী বিকল্প +PDFOtherDesc=কিছু মডিউলের জন্য নির্দিষ্ট PDF বিকল্প +PDFAddressForging=ঠিকানা বিভাগের জন্য নিয়ম +HideAnyVATInformationOnPDF=বিক্রয় কর/ভ্যাট সম্পর্কিত সমস্ত তথ্য লুকান +PDFRulesForSalesTax=বিক্রয় কর/ভ্যাটের নিয়ম +PDFLocaltax=%s এর জন্য নিয়ম +HideLocalTaxOnPDF=সেল ট্যাক্স / ভ্যাট কলামে %s হার লুকান +HideDescOnPDF=পণ্যের বিবরণ লুকান +HideRefOnPDF=পণ্য রেফ লুকান. +ShowProductBarcodeOnPDF=পণ্যের বারকোড নম্বর প্রদর্শন করুন +HideDetailsOnPDF=পণ্য লাইন বিবরণ লুকান +PlaceCustomerAddressToIsoLocation=গ্রাহক ঠিকানা অবস্থানের জন্য ফ্রেঞ্চ স্ট্যান্ডার্ড পজিশন (লা পোস্টে) ব্যবহার করুন Library=Library -UrlGenerationParameters=Parameters to secure URLs -SecurityTokenIsUnique=Use a unique securekey parameter for each URL -EnterRefToBuildUrl=Enter reference for object %s -GetSecuredUrl=Get calculated URL -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) -OldVATRates=Old VAT rate -NewVATRates=New VAT rate -PriceBaseTypeToChange=Modify on prices with base reference value defined on -MassConvert=Launch bulk conversion -PriceFormatInCurrentLanguage=Price Format In Current Language -String=String -String1Line=String (1 line) -TextLong=Long text -TextLongNLines=Long text (n lines) -HtmlText=Html text -Int=Integer -Float=Float -DateAndTime=Date and hour -Unique=Unique -Boolean=Boolean (one checkbox) -ExtrafieldPhone = Phone -ExtrafieldPrice = Price -ExtrafieldMail = Email -ExtrafieldUrl = Url -ExtrafieldSelect = Select list -ExtrafieldSelectList = Select from table -ExtrafieldSeparator=Separator (not a field) -ExtrafieldPassword=Password -ExtrafieldRadio=Radio buttons (one choice only) -ExtrafieldCheckBox=Checkboxes -ExtrafieldCheckBoxFromList=Checkboxes from table -ExtrafieldLink=Link to an object -ComputedFormula=Computed field -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $object.
      WARNING: Only some properties of $object may be available. If you need a properties not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $object->id < 10 ? round($object->id / 2, 2): ($object->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($obj->id ? $obj->id: ($obj->rowid ? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' -Computedpersistent=Store computed field -ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!! -ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored without encryption (field must be only hidden with star on screen).
      Set 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retrieve original value) -ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      In order to have the list depending on another list:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key -ExtrafieldParamHelpcheckbox=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpradio=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath -ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) -LibraryToBuildPDF=Library used for PDF generation -LocalTaxDesc=Some countries may apply two or three taxes on each invoice line. If this is the case, choose the type for the second and third tax and its rate. Possible type are:
      1: local tax apply on products and services without vat (localtax is calculated on amount without tax)
      2: local tax apply on products and services including vat (localtax is calculated on amount + main tax)
      3: local tax apply on products without vat (localtax is calculated on amount without tax)
      4: local tax apply on products including vat (localtax is calculated on amount + main vat)
      5: local tax apply on services without vat (localtax is calculated on amount without tax)
      6: local tax apply on services including vat (localtax is calculated on amount + tax) -SMS=SMS -LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user %s -RefreshPhoneLink=Refresh link -LinkToTest=Clickable link generated for user %s (click phone number to test) -KeepEmptyToUseDefault=Keep empty to use default value -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. -DefaultLink=Default link -SetAsDefault=Set as default -ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) -ExternalModule=External module -InstalledInto=Installed into directory %s -BarcodeInitForThirdparties=Mass barcode init for third-parties -BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services -CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. -InitEmptyBarCode=Init value for next %s empty records -EraseAllCurrentBarCode=Erase all current barcode values -ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values? -AllBarcodeReset=All barcode values have been removed -NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled in the Barcode module setup. -EnableFileCache=Enable file cache -ShowDetailsInPDFPageFoot=Add more details into footer, such as company address or manager names (in addition to professional ids, company capital and VAT number). -NoDetails=No additional details in footer -DisplayCompanyInfo=Display company address -DisplayCompanyManagers=Display manager names -DisplayCompanyInfoAndManagers=Display company address and manager names -EnableAndSetupModuleCron=If you want to have this recurring invoice generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template using the *Create* button. Note that even if you enabled automatic generation, you can still safely launch manual generation. Generation of duplicates for the same period is not possible. -ModuleCompanyCodeCustomerAquarium=%s followed by customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by vendor code for a vendor accounting code -ModuleCompanyCodePanicum=Return an empty accounting code. -ModuleCompanyCodeDigitaria=Returns a compound accounting code according to the name of the third party. The code consists of a prefix that can be defined in the first position followed by the number of characters defined in the third party code. -ModuleCompanyCodeCustomerDigitaria=%s followed by the truncated customer name by the number of characters: %s for the customer accounting code. -ModuleCompanyCodeSupplierDigitaria=%s followed by the truncated supplier name by the number of characters: %s for the supplier accounting code. -Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
      Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. -UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... -WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons: -WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM -WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota). -WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox. -WarningPHPMailD=Also, it is therefore recommended to change the sending method of e-mails to the value "SMTP". If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by setting the MAIN_HIDE_WARNING_TO_ENCOURAGE_SMTP_SETUP constant to 1 in Home - Setup - Other. -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask your domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. -ActualMailSPFRecordFound=Actual SPF record found : %s -ClickToShowDescription=Click to show description -DependsOn=This module needs the module(s) -RequiredBy=This module is required by module(s) -TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. Technical knowledge is required to read the content of the HTML page to get the key name of a field. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, the default values will be effective if all parameters are set to same value. -PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) -EnableDefaultValues=Enable customization of default values -EnableOverwriteTranslation=Enable usage of overwritten translation -GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation. -WarningSettingSortOrder=Warning, setting a default sort order may result in a technical error when going on the list page if field is an unknown field. If you experience such an error, come back to this page to remove the default sort order and restore default behavior. +UrlGenerationParameters=ইউআরএল সুরক্ষিত করার পরামিতি +SecurityTokenIsUnique=প্রতিটি ইউআরএলের জন্য একটি অনন্য সুরক্ষিত কী প্যারামিটার ব্যবহার করুন +EnterRefToBuildUrl=বস্তুর জন্য রেফারেন্স লিখুন %s +GetSecuredUrl=গণনা করা URL পান +ButtonHideUnauthorized=অভ্যন্তরীণ ব্যবহারকারীদের জন্য অননুমোদিত অ্যাকশন বোতামগুলিও লুকান (অন্যথায় কেবল ধূসর) +OldVATRates=পুরানো ভ্যাট হার +NewVATRates=নতুন ভ্যাট হার +PriceBaseTypeToChange=উপর সংজ্ঞায়িত বেস রেফারেন্স মান সঙ্গে দাম পরিবর্তন করুন +MassConvert=বাল্ক রূপান্তর চালু করুন +PriceFormatInCurrentLanguage=বর্তমান ভাষায় মূল্য বিন্যাস +String=স্ট্রিং +String1Line=স্ট্রিং (1 লাইন) +TextLong=দীর্ঘ পাঠ্য +TextLongNLines=দীর্ঘ পাঠ্য (n লাইন) +HtmlText=এইচটিএমএল পাঠ্য +Int=পূর্ণসংখ্যা +Float=ভাসা +DateAndTime=তারিখ এবং ঘন্টা +Unique=অনন্য +Boolean=বুলিয়ান (একটি চেকবক্স) +ExtrafieldPhone = ফোন +ExtrafieldPrice = দাম +ExtrafieldPriceWithCurrency=মুদ্রা সহ মূল্য +ExtrafieldMail = ইমেইল +ExtrafieldUrl = ইউআরএল +ExtrafieldIP = আইপি +ExtrafieldSelect = তালিকা নির্বাচন করুন +ExtrafieldSelectList = টেবিল থেকে নির্বাচন করুন +ExtrafieldSeparator=বিভাজক (কোন ক্ষেত্র নয়) +ExtrafieldPassword=পাসওয়ার্ড +ExtrafieldRadio=রেডিও বোতাম (শুধুমাত্র একটি পছন্দ) +ExtrafieldCheckBox=চেকবক্স +ExtrafieldCheckBoxFromList=টেবিল থেকে চেকবক্স +ExtrafieldLink=একটি বস্তুর লিঙ্ক +ComputedFormula=গণনা করা ক্ষেত্র +ComputedFormulaDesc=ডায়নামিক কম্পিউটেড মান পেতে আপনি এখানে বস্তুর অন্যান্য বৈশিষ্ট্য বা যেকোনো পিএইচপি কোডিং ব্যবহার করে একটি সূত্র লিখতে পারেন। আপনি "?" সহ যেকোনো পিএইচপি সামঞ্জস্যপূর্ণ সূত্র ব্যবহার করতে পারেন। কন্ডিশন অপারেটর, এবং নিম্নলিখিত গ্লোবাল অবজেক্ট: $db, $conf, $langs, $mysoc, $user, $objectoffield >।
      সতর্কতা: আপনার যদি কোনো বস্তুর বৈশিষ্ট্যের প্রয়োজন হয় লোড করা হয়নি, দ্বিতীয় উদাহরণের মত আপনার সূত্রে বস্তুটিকে নিয়ে আসুন।
      একটি গণনা করা ক্ষেত্র ব্যবহার করার অর্থ হল আপনি ইন্টারফেস থেকে নিজেকে কোনো মান লিখতে পারবেন না। এছাড়াও, যদি একটি সিনট্যাক্স ত্রুটি থাকে তবে সূত্রটি কিছুই ফেরত দিতে পারে না।

      সূত্রের উদাহরণ:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      অবজেক্ট পুনরায় লোড করার উদাহরণ
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldreloadedkey'*-j >capital / 5: '-1')

      অবজেক্ট এবং এর মূল বস্তুকে জোর করে লোড করার জন্য সূত্রের অন্য উদাহরণ:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = নতুন প্রকল্প( $db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0))? $secondloadedobj->রেফ: 'প্যারেন্ট প্রজেক্ট পাওয়া যায়নি' +Computedpersistent=কম্পিউটেড ফিল্ড স্টোর করুন +ComputedpersistentDesc=গণনা করা অতিরিক্ত ক্ষেত্রগুলি ডাটাবেসে সংরক্ষণ করা হবে, তবে, এই ক্ষেত্রের অবজেক্টটি পরিবর্তিত হলেই মানটি পুনরায় গণনা করা হবে। যদি গণনা করা ক্ষেত্রটি অন্যান্য অবজেক্ট বা গ্লোবাল ডেটার উপর নির্ভর করে তবে এই মানটি ভুল হতে পারে!! +ExtrafieldParamHelpPassword=এই ক্ষেত্রটি ফাঁকা রাখার অর্থ হল এই মানটি এনক্রিপশন ছাড়াই সংরক্ষণ করা হবে (ক্ষেত্রটি স্ক্রিনে তারা দিয়ে লুকানো আছে)।

      এন্টার করুন একটি বিপরীত এনক্রিপশন অ্যালগরিদমের সাথে মান এনকোড করতে মান 'ডলক্রিপ্ট'। পরিষ্কার ডেটা এখনও জানা এবং সম্পাদনা করা যেতে পারে তবে ডেটাবেসে এনক্রিপ্ট করা হয়৷

      'অটো' (বা 'md5' লিখুন, 'sha256', 'password_hash', ...) ডিফল্ট পাসওয়ার্ড এনক্রিপশন অ্যালগরিদম ব্যবহার করতে (বা md5, sha256, password_hash...) ডাটাবেসে নন-রিভার্সিবল হ্যাশড পাসওয়ার্ড সংরক্ষণ করতে (মূল মান পুনরুদ্ধারের কোনো উপায় নেই) +ExtrafieldParamHelpselect=মানগুলির তালিকা অবশ্যই ফর্ম্যাট কী, মান (যেখানে কী '0' হতে পারে না)

      সহ লাইন হতে হবে :
      1,value1
      2,value2
      code3,value span class='notranslate'>
      ...

      অন্যের উপর নির্ভর করে তালিকা পেতে পরিপূরক বৈশিষ্ট্য তালিকা:
      1,value1|options_parent_list_codeb0ae634>b0ae634 parent_key
      2,value2|options_parent_list_codeb0ae64758>

      অন্য তালিকার উপর নির্ভর করে তালিকা পেতে:
      1, value1|parent_list_code:parent_keyb0342fccfda19bzval, class='notranslate'>parent_list_code:parent_key +ExtrafieldParamHelpcheckbox=মানগুলির তালিকা অবশ্যই ফর্ম্যাট কী, মান সহ লাইন হতে হবে (যেখানে কী '0' হতে পারে না)

      উদাহরণস্বরূপ :
      1,value1
      2,value2
      3,value span class='notranslate'>
      ... +ExtrafieldParamHelpradio=মানগুলির তালিকা অবশ্যই ফর্ম্যাট কী, মান (যেখানে কী '0' হতে পারে না)

      সহ লাইন হতে হবে :
      1,value1
      2,value2
      3,value span class='notranslate'>
      ... +ExtrafieldParamHelpsellist=মানের তালিকাটি একটি টেবিল থেকে আসে
      সিনট্যাক্স: table_name:label_field:id_field::filtersql
      উদাহরণ: c_tep ::filtersql

      - id_field অগত্যা একটি প্রাথমিক int কী
      - ফিল্টারএসকিউএল একটি এসকিউএল শর্ত। শুধুমাত্র সক্রিয় মান প্রদর্শন করার জন্য এটি একটি সাধারণ পরীক্ষা (যেমন সক্রিয়=1) হতে পারে
      আপনি ফিল্টারে $ID$ ব্যবহার করতে পারেন যা বর্তমান বস্তুর বর্তমান আইডি
      ফিল্টারে একটি SELECT ব্যবহার করতে ইনজেকশন-বিরোধী সুরক্ষা বাইপাস করতে $SEL$ কীওয়ার্ডটি ব্যবহার করুন।
      যদি আপনি অতিরিক্ত ফিল্ডে ফিল্টার করতে চান সিনট্যাক্স extra.fieldcode=... ব্যবহার করুন (যেখানে ফিল্ড কোড হল এক্সট্রাফিল্ডের কোড)

      অন্য একটি পরিপূরক বৈশিষ্ট্যের তালিকার উপর নির্ভর করে তালিকা:
      c_typent:libelle:id:options_parent_list_translate'notranslate'
      |parent_column:filter

      অন্য তালিকার উপর নির্ভর করে তালিকা পাওয়ার জন্য:
      c_typent:libelle:id:parent_list_codeb0ae64758bac33parent_col: +ExtrafieldParamHelpchkbxlst=মানের তালিকাটি একটি টেবিল থেকে আসে
      সিনট্যাক্স: table_name:label_field:id_field::filtersql
      উদাহরণ: c_tep ::filtersql

      শুধুমাত্র সক্রিয় মান প্রদর্শনের জন্য ফিল্টার একটি সাধারণ পরীক্ষা (যেমন সক্রিয়=1) হতে পারে
      আপনি ফিল্টার জাদুকরীতে $ID$ ব্যবহার করতে পারেন এটি বর্তমান বস্তুর বর্তমান আইডি
      ফিল্টারে একটি নির্বাচন করতে $SEL$ ব্যবহার করুন span class='notranslate'>
      যদি আপনি এক্সট্রাফিল্ডে ফিল্টার করতে চান তাহলে সিনট্যাক্স ব্যবহার করুন extra.fieldcode=... (যেখানে ফিল্ড কোড হল এক্সট্রাফিল্ডের কোড)
      >
      অন্য একটি পরিপূরক বৈশিষ্ট্যের তালিকার উপর নির্ভর করে তালিকা পেতে:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter b0342fccfda19bzc0b0342fccfda19bzc0
      b024fda19bz
      অন্য তালিকার উপর নির্ভর করে তালিকা পেতে:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelplink=পরামিতি হতে হবে ObjectName:Classpath
      সিনট্যাক্স: ObjectName:Classpath +ExtrafieldParamHelpSeparator=একটি সাধারণ বিভাজকের জন্য খালি রাখুন
      কোলাপসিং সেপারেটরের জন্য এটি 1 এ সেট করুন (নতুন সেশনের জন্য ডিফল্টরূপে খোলা, তারপর প্রতিটি ব্যবহারকারীর সেশনের জন্য স্থিতি রাখা হয়)
      কোলাপসিং সেপারেটরের জন্য এটিকে 2 এ সেট করুন (নতুন সেশনের জন্য ডিফল্টরূপে ভেঙে পড়ে, তারপর প্রতিটি ব্যবহারকারীর সেশনের আগে স্থিতি রাখা হয়) +LibraryToBuildPDF=পিডিএফ তৈরির জন্য ব্যবহৃত লাইব্রেরি +LocalTaxDesc=কিছু দেশ প্রতিটি চালান লাইনে দুই বা তিনটি কর প্রয়োগ করতে পারে। যদি এটি হয়, দ্বিতীয় এবং তৃতীয় করের ধরন এবং তার হার নির্বাচন করুন। সম্ভাব্য প্রকারগুলি হল:
      1: ভ্যাট ছাড়া পণ্য এবং পরিষেবার উপর স্থানীয় কর প্রযোজ্য (ট্যাক্স ছাড়াই পরিমাণের উপর স্থানীয় ট্যাক্স গণনা করা হয়)
      2: ভ্যাট সহ পণ্য এবং পরিষেবাগুলিতে স্থানীয় কর প্রযোজ্য (স্থানীয় ট্যাক্স পরিমাণ + মূল ট্যাক্সের উপর গণনা করা হয়)
      3: ভ্যাট ছাড়া পণ্যের উপর স্থানীয় কর প্রযোজ্য (স্থানীয় ট্যাক্স ব্যতীত পরিমাণের উপর গণনা করা হয় ট্যাক্স)
      4: ভ্যাট সহ পণ্যের উপর স্থানীয় কর প্রযোজ্য (স্থানীয় ট্যাক্স পরিমাণ + প্রধান ভ্যাটের উপর গণনা করা হয়)
      5: স্থানীয় ভ্যাট ছাড়া পরিষেবাগুলিতে কর প্রযোজ্য (স্থানীয় ট্যাক্স ট্যাক্স ছাড়া পরিমাণের উপর গণনা করা হয়)
      6: ভ্যাট সহ পরিষেবাগুলিতে স্থানীয় কর প্রযোজ্য (স্থানীয় ট্যাক্স পরিমাণ + ট্যাক্সের উপর গণনা করা হয়) +SMS=খুদেবার্তা +LinkToTestClickToDial=ব্যবহারকারী %s
      +RefreshPhoneLink=লিঙ্ক রিফ্রেশ করুন +LinkToTest=ব্যবহারকারীর জন্য ক্লিকযোগ্য লিঙ্ক তৈরি করা হয়েছে %s (পরীক্ষা করতে ফোন নম্বরে ক্লিক করুন ) +KeepEmptyToUseDefault=ডিফল্ট মান ব্যবহার করতে খালি রাখুন +KeepThisEmptyInMostCases=বেশিরভাগ ক্ষেত্রে, আপনি এই ক্ষেত্রটি খালি রাখতে পারেন। +DefaultLink=ডিফল্ট লিঙ্ক +SetAsDefault=ডিফল্ট হিসেবে সেট করুন +ValueOverwrittenByUserSetup=সতর্কতা, এই মান ব্যবহারকারী নির্দিষ্ট সেটআপ দ্বারা ওভাররাইট করা হতে পারে (প্রত্যেক ব্যবহারকারী তার নিজস্ব ক্লিকটোডিয়াল ইউআরএল সেট করতে পারেন) +ExternalModule=বাহ্যিক মডিউল +InstalledInto=%s ডিরেক্টরিতে ইনস্টল করা হয়েছে +BarcodeInitForThirdparties=তৃতীয় পক্ষের জন্য গণ বারকোড init +BarcodeInitForProductsOrServices=পণ্য বা পরিষেবার জন্য বারকোড শুরু বা রিসেট করুন +CurrentlyNWithoutBarCode=বর্তমানে, আপনার %s রেকর্ড আছে %s b0ecb2ecb9fz87f> barcode ছাড়া . +InitEmptyBarCode=%s খালি বারকোডের জন্য ইনিট মান +EraseAllCurrentBarCode=সমস্ত বর্তমান বারকোড মান মুছুন +ConfirmEraseAllCurrentBarCode=আপনি কি সব বর্তমান বারকোড মান মুছে ফেলার বিষয়ে নিশ্চিত? +AllBarcodeReset=সব বারকোড মান মুছে ফেলা হয়েছে +NoBarcodeNumberingTemplateDefined=বারকোড মডিউল সেটআপে কোনো নম্বরিং বারকোড টেমপ্লেট সক্রিয় নেই। +EnableFileCache=ফাইল ক্যাশে সক্ষম করুন +ShowDetailsInPDFPageFoot=ফুটারে আরও বিশদ যোগ করুন, যেমন কোম্পানির ঠিকানা বা পরিচালকের নাম (পেশাদার আইডি, কোম্পানির মূলধন এবং ভ্যাট নম্বর ছাড়াও)। +NoDetails=ফুটারে কোন অতিরিক্ত বিবরণ নেই +DisplayCompanyInfo=কোম্পানির ঠিকানা প্রদর্শন করুন +DisplayCompanyManagers=ডিসপ্লে ম্যানেজারের নাম +DisplayCompanyInfoAndManagers=কোম্পানির ঠিকানা এবং পরিচালকের নাম প্রদর্শন করুন +EnableAndSetupModuleCron=আপনি যদি এই পুনরাবৃত্ত চালানটি স্বয়ংক্রিয়ভাবে তৈরি করতে চান তবে মডিউল *%s* সক্রিয় এবং সঠিকভাবে সেটআপ করতে হবে। অন্যথায়, *তৈরি* বোতাম ব্যবহার করে এই টেমপ্লেট থেকে ম্যানুয়ালি চালান তৈরি করতে হবে। মনে রাখবেন যে আপনি স্বয়ংক্রিয় জেনারেশন চালু করলেও, আপনি এখনও নিরাপদে ম্যানুয়াল জেনারেশন চালু করতে পারেন। একই সময়ের জন্য ডুপ্লিকেট তৈরি করা সম্ভব নয়। +ModuleCompanyCodeCustomerAquarium=%s একটি গ্রাহক অ্যাকাউন্টিং কোডের জন্য গ্রাহক কোড অনুসরণ করে +ModuleCompanyCodeSupplierAquarium=%s একটি বিক্রেতা অ্যাকাউন্টিং কোডের জন্য বিক্রেতা কোড অনুসরণ করে +ModuleCompanyCodePanicum=একটি খালি অ্যাকাউন্টিং কোড ফেরত দিন। +ModuleCompanyCodeDigitaria=তৃতীয় পক্ষের নাম অনুসারে একটি যৌগিক অ্যাকাউন্টিং কোড প্রদান করে। কোডটি একটি উপসর্গ নিয়ে গঠিত যা প্রথম অবস্থানে সংজ্ঞায়িত করা যেতে পারে তারপরে তৃতীয় পক্ষের কোডে সংজ্ঞায়িত অক্ষরের সংখ্যা। +ModuleCompanyCodeCustomerDigitaria=%s তারপরে অক্ষরের সংখ্যা দ্বারা ছেঁটে দেওয়া গ্রাহকের নাম: গ্রাহক অ্যাকাউন্টিং কোডের জন্য %s। +ModuleCompanyCodeSupplierDigitaria=%s তারপরে অক্ষরের সংখ্যা দ্বারা কাটা সরবরাহকারীর নাম: সরবরাহকারী অ্যাকাউন্টিং কোডের জন্য %s। +Use3StepsApproval=ডিফল্টরূপে, ক্রয় আদেশগুলি 2টি ভিন্ন ব্যবহারকারীর দ্বারা তৈরি এবং অনুমোদিত হতে হবে (একটি ধাপ/ব্যবহারকারী তৈরি করতে এবং এক ধাপ/ব্যবহারকারী অনুমোদনের জন্য। মনে রাখবেন যে ব্যবহারকারীর যদি তৈরি এবং অনুমোদন করার উভয়েরই অনুমতি থাকে, তবে একটি ধাপ/ব্যবহারকারী যথেষ্ট হবে) . আপনি এই বিকল্পের মাধ্যমে একটি তৃতীয় ধাপ/ব্যবহারকারীর অনুমোদন প্রবর্তন করতে বলতে পারেন, যদি পরিমাণ একটি উৎসর্গীকৃত মানের থেকে বেশি হয় (তাই 3টি ধাপের প্রয়োজন হবে: 1=বৈধকরণ, 2=প্রথম অনুমোদন এবং 3=দ্বিতীয় অনুমোদন যদি যথেষ্ট হয়)।
      একটি অনুমোদন (2 পদক্ষেপ) যথেষ্ট হলে এটিকে খালি হিসাবে সেট করুন, যদি দ্বিতীয় অনুমোদন (3 ধাপ) সর্বদা প্রয়োজন হয় তবে এটিকে খুব কম মান (0.1) এ সেট করুন। +UseDoubleApproval=একটি 3 ধাপ অনুমোদন ব্যবহার করুন যখন পরিমাণ (ট্যাক্স ছাড়া) এর থেকে বেশি হয়... +WarningPHPMail=সতর্কতা: অ্যাপ্লিকেশন থেকে ইমেল পাঠানোর সেটআপটি ডিফল্ট জেনেরিক সেটআপ ব্যবহার করছে৷ বিভিন্ন কারণে ডিফল্ট সেটআপের পরিবর্তে আপনার ইমেল পরিষেবা প্রদানকারীর ইমেল সার্ভার ব্যবহার করার জন্য বহির্গামী ইমেলগুলি সেটআপ করা প্রায়শই ভাল: +WarningPHPMailA=- ইমেল পরিষেবা প্রদানকারীর সার্ভার ব্যবহার করা আপনার ইমেলের বিশ্বাসযোগ্যতা বাড়ায়, তাই এটি স্প্যাম হিসাবে পতাকাঙ্কিত না হয়ে বিতরণযোগ্যতা বাড়ায় +WarningPHPMailB=- কিছু ইমেল পরিষেবা প্রদানকারী (যেমন ইয়াহু) আপনাকে তাদের নিজস্ব সার্ভারের পরিবর্তে অন্য সার্ভার থেকে একটি ইমেল পাঠাতে দেয় না। আপনার বর্তমান সেটআপ ইমেল পাঠানোর জন্য অ্যাপ্লিকেশনের সার্ভার ব্যবহার করে এবং আপনার ইমেল প্রদানকারীর সার্ভার নয়, তাই কিছু প্রাপক (নিষেধাজ্ঞামূলক DMARC প্রোটোকলের সাথে সামঞ্জস্যপূর্ণ), আপনার ইমেল প্রদানকারীকে জিজ্ঞাসা করবে তারা আপনার ইমেল এবং কিছু ইমেল প্রদানকারী গ্রহণ করতে পারে কিনা (ইয়াহুর মতো) "না" উত্তর দিতে পারে কারণ সার্ভারটি তাদের নয়, তাই আপনার পাঠানো কিছু ইমেল বিতরণের জন্য গৃহীত নাও হতে পারে (আপনার ইমেল প্রদানকারীর পাঠানোর কোটা সম্পর্কেও সতর্ক থাকুন)। +WarningPHPMailC=- ইমেল পাঠানোর জন্য আপনার নিজস্ব ইমেল পরিষেবা প্রদানকারীর SMTP সার্ভার ব্যবহার করাও আকর্ষণীয় তাই অ্যাপ্লিকেশন থেকে পাঠানো সমস্ত ইমেলগুলি আপনার মেলবক্সের "প্রেরিত" ডিরেক্টরিতেও সংরক্ষিত হবে৷ +WarningPHPMailD=তাই ই-মেইল পাঠানোর পদ্ধতিকে "SMTP" মানতে পরিবর্তন করার পরামর্শ দেওয়া হচ্ছে। +WarningPHPMailDbis=আপনি যদি সত্যিই ইমেল পাঠানোর জন্য ডিফল্ট "PHP" পদ্ধতি রাখতে চান, তাহলে এই সতর্কতা উপেক্ষা করুন, অথবা %sএখানে ক্লিক করে %s< এর মাধ্যমে এটি সরিয়ে দিন /span>। +WarningPHPMail2=যদি আপনার ইমেল SMTP প্রদানকারীর ইমেল ক্লায়েন্টকে কিছু আইপি ঠিকানায় সীমাবদ্ধ করতে হয় (খুব বিরল), এটি আপনার ERP CRM অ্যাপ্লিকেশনের জন্য মেল ব্যবহারকারী এজেন্টের (MUA) IP ঠিকানা: %s। +WarningPHPMailSPF=যদি আপনার প্রেরকের ইমেল ঠিকানার ডোমেন নামটি একটি SPF রেকর্ড দ্বারা সুরক্ষিত থাকে (আপনার ডোমেন নাম রেজিস্টারকে জিজ্ঞাসা করুন), আপনাকে অবশ্যই আপনার ডোমেনের DNS-এর SPF রেকর্ডে নিম্নলিখিত IPগুলি যোগ করতে হবে: %s। +ActualMailSPFRecordFound=প্রকৃত SPF রেকর্ড পাওয়া গেছে (ইমেলের জন্য %s): %s +ClickToShowDescription=বর্ণনা প্রদর্শন করতে ক্লিক করুন +DependsOn=এই মডিউলটির মডিউল(গুলি) প্রয়োজন +RequiredBy=এই মডিউলটি মডিউল(গুলি) দ্বারা প্রয়োজনীয় +TheKeyIsTheNameOfHtmlField=এটি HTML ক্ষেত্রের নাম। একটি ক্ষেত্রের মূল নাম পেতে HTML পৃষ্ঠার বিষয়বস্তু পড়ার জন্য প্রযুক্তিগত জ্ঞান প্রয়োজন। +PageUrlForDefaultValues=আপনাকে অবশ্যই পৃষ্ঠা URL এর আপেক্ষিক পাথ লিখতে হবে। আপনি URL-এ প্যারামিটার অন্তর্ভুক্ত করলে, ব্রাউজ করা URL-এর সমস্ত প্যারামিটারের মান এখানে সংজ্ঞায়িত থাকলে এটি কার্যকর হবে। +PageUrlForDefaultValuesCreate=
      উদাহরণ:
      একটি নতুন তৃতীয় পক্ষ তৈরি করার ফর্মের জন্য, এটি হল b0e7843947c%s

      এ ইনস্টল করা বাহ্যিক মডিউলগুলির URL এর জন্য কাস্টম ডিরেক্টরি, "কাস্টম/" অন্তর্ভুক্ত করবেন না, তাই পথ ব্যবহার করুন যেমন mymodule/mypage.php এবং কাস্টম নয় /mymodule/mypage.php.
      যদি আপনি ডিফল্ট মান চান শুধুমাত্র যদি url এর কিছু প্যারামিটার থাকে, আপনি %s +PageUrlForDefaultValuesList=
      উদাহরণ:
      যে পৃষ্ঠাটি তৃতীয় পক্ষের তালিকা করে, সেটি হল >%s
      কাস্টম ডিরেক্টরিতে ইনস্টল করা বাহ্যিক মডিউলগুলির URL এর জন্য , "কাস্টম/" অন্তর্ভুক্ত করবেন না তাই mymodule/mypagelist.php মত একটি পথ ব্যবহার করুন এবং কাস্টম/mymodule নয় /mypagelist.php.
      যদি আপনি ডিফল্ট মান চান শুধুমাত্র যদি url এর কিছু প্যারামিটার থাকে, আপনি %s +AlsoDefaultValuesAreEffectiveForActionCreate=এছাড়াও মনে রাখবেন যে ফর্ম তৈরির জন্য ডিফল্ট মানগুলি ওভাররাইট করা শুধুমাত্র সঠিকভাবে ডিজাইন করা পৃষ্ঠাগুলির জন্য কাজ করে (তাই প্যারামিটার অ্যাকশন = তৈরি করুন বা উপস্থাপন করুন...) +EnableDefaultValues=ডিফল্ট মানগুলির কাস্টমাইজেশন সক্ষম করুন +EnableOverwriteTranslation=অনুবাদ কাস্টমাইজ করার অনুমতি দিন +GoIntoTranslationMenuToChangeThis=এই কোড সহ কীটির জন্য একটি অনুবাদ পাওয়া গেছে। এই মান পরিবর্তন করতে, আপনাকে অবশ্যই হোম-সেটআপ-অনুবাদ থেকে এটি সম্পাদনা করতে হবে। +WarningSettingSortOrder=সতর্কতা, একটি ডিফল্ট সাজানোর অর্ডার সেট করার ফলে ক্ষেত্রটি একটি অজানা ক্ষেত্র হলে তালিকা পৃষ্ঠায় যাওয়ার সময় একটি প্রযুক্তিগত ত্রুটি হতে পারে। আপনি যদি এই ধরনের ত্রুটির সম্মুখীন হন, ডিফল্ট সাজানোর ক্রম সরাতে এবং ডিফল্ট আচরণ পুনরুদ্ধার করতে এই পৃষ্ঠায় ফিরে আসুন। Field=Field -ProductDocumentTemplates=Document templates to generate product document -FreeLegalTextOnExpenseReports=Free legal text on expense reports -WatermarkOnDraftExpenseReports=Watermark on draft expense reports -ProjectIsRequiredOnExpenseReports=The project is mandatory for entering an expense report -PrefillExpenseReportDatesWithCurrentMonth=Pre-fill start and end dates of new expense report with start and end dates of the current month -ForceExpenseReportsLineAmountsIncludingTaxesOnly=Force the entry of expense report amounts always in amount with taxes -AttachMainDocByDefault=Set this to 1 if you want to attach main document to email by default (if applicable) -FilesAttachedToEmail=Attach file -SendEmailsReminders=Send agenda reminders by emails -davDescription=Setup a WebDAV server -DAVSetup=Setup of module DAV -DAV_ALLOW_PRIVATE_DIR=Enable the generic private directory (WebDAV dedicated directory named "private" - login required) -DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory anybody can access with its application login/pass. -DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). -DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. -# Modules -Module0Name=Users & Groups -Module0Desc=Users / Employees and Groups management -Module1Name=Third Parties -Module1Desc=Companies and contacts management (customers, prospects...) +ProductDocumentTemplates=পণ্য নথি তৈরি করতে নথি টেমপ্লেট +ProductBatchDocumentTemplates=প্রোডাক্ট লট ডকুমেন্ট তৈরি করতে ডকুমেন্ট টেমপ্লেট +FreeLegalTextOnExpenseReports=খরচ রিপোর্ট বিনামূল্যে আইনি পাঠ্য +WatermarkOnDraftExpenseReports=খসড়া খরচ রিপোর্ট জলছাপ +ProjectIsRequiredOnExpenseReports=একটি ব্যয় প্রতিবেদন প্রবেশ করার জন্য প্রকল্পটি বাধ্যতামূলক +PrefillExpenseReportDatesWithCurrentMonth=বর্তমান মাসের শুরু এবং শেষ তারিখগুলির সাথে নতুন ব্যয় প্রতিবেদনের প্রাক-পূরণ এবং শেষের তারিখগুলি +ForceExpenseReportsLineAmountsIncludingTaxesOnly=সব সময় করের সাথে পরিমাণে ব্যয়ের প্রতিবেদনের পরিমাণ এন্ট্রি করতে বাধ্য করুন +AttachMainDocByDefault=এটিকে হ্যাঁ এ সেট করুন যদি আপনি ইমেলের সাথে মূল নথিটি ডিফল্টভাবে সংযুক্ত করতে চান (যদি প্রযোজ্য হয়) +FilesAttachedToEmail=ফাইল সংযুক্ত +SendEmailsReminders=ইমেল দ্বারা এজেন্ডা অনুস্মারক পাঠান +davDescription=একটি WebDAV সার্ভার সেটআপ করুন +DAVSetup=মডিউল DAV সেটআপ +DAV_ALLOW_PRIVATE_DIR=জেনেরিক ব্যক্তিগত ডিরেক্টরি সক্ষম করুন ("প্রাইভেট" নামে ওয়েবডিএভি ডেডিকেটেড ডিরেক্টরি - লগইন প্রয়োজন) +DAV_ALLOW_PRIVATE_DIRTooltip=জেনেরিক প্রাইভেট ডিরেক্টরি হল একটি WebDAV ডিরেক্টরি যা যেকেউ এর অ্যাপ্লিকেশন লগইন/পাস দিয়ে অ্যাক্সেস করতে পারে। +DAV_ALLOW_PUBLIC_DIR=জেনেরিক পাবলিক ডিরেক্টরি সক্ষম করুন ("পাবলিক" নামে ওয়েবডিএভি ডেডিকেটেড ডিরেক্টরি - কোন লগইন প্রয়োজন নেই) +DAV_ALLOW_PUBLIC_DIRTooltip=জেনেরিক পাবলিক ডিরেক্টরি হল একটি WebDAV ডিরেক্টরি যেকেউ অ্যাক্সেস করতে পারে (পড়া এবং লিখতে মোডে), কোনো অনুমোদনের প্রয়োজন নেই (লগইন/পাসওয়ার্ড অ্যাকাউন্ট)। +DAV_ALLOW_ECM_DIR=DMS/ECM ব্যক্তিগত ডিরেক্টরি সক্রিয় করুন (DMS/ECM মডিউলের রুট ডিরেক্টরি - লগইন প্রয়োজন) +DAV_ALLOW_ECM_DIRTooltip=রুট ডিরেক্টরি যেখানে DMS/ECM মডিউল ব্যবহার করার সময় সমস্ত ফাইল ম্যানুয়ালি আপলোড করা হয়। একইভাবে ওয়েব ইন্টারফেস থেকে অ্যাক্সেস হিসাবে, এটি অ্যাক্সেস করার জন্য আপনার পর্যাপ্ত অনুমতি সহ একটি বৈধ লগইন/পাসওয়ার্ড প্রয়োজন। +##### Modules ##### +Module0Name=ব্যবহারকারী ও গোষ্ঠী +Module0Desc=ব্যবহারকারী / কর্মচারী এবং গোষ্ঠী ব্যবস্থাপনা +Module1Name=তৃতীয় পক্ষ +Module1Desc=কোম্পানি এবং পরিচিতি ব্যবস্থাপনা (গ্রাহক, সম্ভাবনা...) Module2Name=Commercial -Module2Desc=Commercial management -Module10Name=Accounting (simplified) -Module10Desc=Simple accounting reports (journals, turnover) based on database content. Does not use any ledger table. -Module20Name=Proposals -Module20Desc=Commercial proposal management -Module22Name=Mass Emailings -Module22Desc=Manage bulk emailing -Module23Name=Energy -Module23Desc=Monitoring the consumption of energies -Module25Name=Sales Orders -Module25Desc=Sales order management +Module2Desc=বাণিজ্যিক ব্যবস্থাপনা +Module10Name=অ্যাকাউন্টিং (সরলীকৃত) +Module10Desc=ডাটাবেস বিষয়বস্তুর উপর ভিত্তি করে সহজ অ্যাকাউন্টিং রিপোর্ট (জার্নাল, টার্নওভার)। কোনো লেজার টেবিল ব্যবহার করে না। +Module20Name=প্রস্তাব +Module20Desc=বাণিজ্যিক প্রস্তাব ব্যবস্থাপনা +Module22Name=গণ ইমেইলিং +Module22Desc=বাল্ক ইমেল পরিচালনা করুন +Module23Name=শক্তি +Module23Desc=শক্তি খরচ নিরীক্ষণ +Module25Name=বিক্রয় আদেশ +Module25Desc=বিক্রয় আদেশ ব্যবস্থাপনা Module30Name=Invoices -Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers -Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) -Module42Name=Debug Logs -Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. -Module43Name=Debug Bar -Module43Desc=A tool for developper adding a debug bar in your browser. -Module49Name=Editors -Module49Desc=Editor management -Module50Name=Products -Module50Desc=Management of Products -Module51Name=Mass mailings -Module51Desc=Mass paper mailing management -Module52Name=Stocks -Module52Desc=Stock management -Module53Name=Services -Module53Desc=Management of Services -Module54Name=Contracts/Subscriptions -Module54Desc=Management of contracts (services or recurring subscriptions) -Module55Name=Barcodes -Module55Desc=Barcode or QR code management -Module56Name=Payment by credit transfer -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. -Module57Name=Payments by Direct Debit -Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. -Module58Name=ClickToDial -Module58Desc=Integration of a ClickToDial system (Asterisk, ...) -Module60Name=Stickers -Module60Desc=Management of stickers -Module70Name=Interventions -Module70Desc=Intervention management -Module75Name=Expense and trip notes -Module75Desc=Expense and trip notes management -Module80Name=Shipments -Module80Desc=Shipments and delivery note management -Module85Name=Banks & Cash -Module85Desc=Management of bank or cash accounts -Module100Name=External Site -Module100Desc=Add a link to an external website as a main menu icon. Website is shown in a frame under the top menu. -Module105Name=Mailman and SPIP -Module105Desc=Mailman or SPIP interface for member module -Module200Name=LDAP -Module200Desc=LDAP directory synchronization -Module210Name=PostNuke -Module210Desc=PostNuke integration -Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistance) -Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistance) -Module310Name=Members -Module310Desc=Foundation members management -Module320Name=RSS Feed -Module320Desc=Add a RSS feed to Dolibarr pages -Module330Name=Bookmarks & Shortcuts -Module330Desc=Create shortcuts, always accessible, to the internal or external pages to which you frequently access -Module400Name=Projects or Leads -Module400Desc=Management of projects, leads/opportunities and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. -Module410Name=Webcalendar -Module410Desc=Webcalendar integration -Module500Name=Taxes & Special Expenses -Module500Desc=Management of other expenses (sales taxes, social or fiscal taxes, dividends, ...) -Module510Name=Salaries -Module510Desc=Record and track employee payments +Module30Desc=গ্রাহকদের জন্য চালান এবং ক্রেডিট নোট পরিচালনা। সরবরাহকারীদের জন্য চালান এবং ক্রেডিট নোট পরিচালনা +Module40Name=বিক্রেতারা +Module40Desc=বিক্রেতা এবং ক্রয় ব্যবস্থাপনা (ক্রয় আদেশ এবং সরবরাহকারীর চালানের বিলিং) +Module42Name=ডিবাগ লগ +Module42Desc=লগিং সুবিধা (ফাইল, সিসলগ, ...)। এই ধরনের লগগুলি প্রযুক্তিগত/ডিবাগ উদ্দেশ্যে। +Module43Name=ডিবাগ বার +Module43Desc=ডেভেলপারদের জন্য একটি টুল, আপনার ব্রাউজারে একটি ডিবাগ বার যোগ করা। +Module49Name=সম্পাদকদের +Module49Desc=সম্পাদক ব্যবস্থাপনা +Module50Name=পণ্য +Module50Desc=পণ্য ব্যবস্থাপনা +Module51Name=গণ মেইলিং +Module51Desc=গণ কাগজ মেইলিং ব্যবস্থাপনা +Module52Name=স্টক +Module52Desc=স্টক ব্যবস্থাপনা (স্টক মুভমেন্ট ট্র্যাকিং এবং ইনভেন্টরি) +Module53Name=সেবা +Module53Desc=সেবা ব্যবস্থাপনা +Module54Name=চুক্তি/সাবস্ক্রিপশন +Module54Desc=চুক্তির ব্যবস্থাপনা (পরিষেবা বা পুনরাবৃত্ত সদস্যতা) +Module55Name=বারকোড +Module55Desc=বারকোড বা QR কোড ব্যবস্থাপনা +Module56Name=ক্রেডিট ট্রান্সফার দ্বারা পেমেন্ট +Module56Desc=ক্রেডিট ট্রান্সফার আদেশ দ্বারা সরবরাহকারী বা বেতন প্রদানের ব্যবস্থাপনা। এটি ইউরোপীয় দেশগুলির জন্য SEPA ফাইলের প্রজন্ম অন্তর্ভুক্ত করে। +Module57Name=সরাসরি ডেবিট দ্বারা অর্থপ্রদান +Module57Desc=সরাসরি ডেবিট আদেশের ব্যবস্থাপনা। এটি ইউরোপীয় দেশগুলির জন্য SEPA ফাইলের প্রজন্ম অন্তর্ভুক্ত করে। +Module58Name=ক্লিক টোডায়াল +Module58Desc=একটি ClickToDial সিস্টেমের ইন্টিগ্রেশন (Asterisk, ...) +Module60Name=স্টিকার +Module60Desc=স্টিকার ব্যবস্থাপনা +Module70Name=হস্তক্ষেপ +Module70Desc=হস্তক্ষেপ ব্যবস্থাপনা +Module75Name=খরচ এবং ট্রিপ নোট +Module75Desc=খরচ এবং ট্রিপ নোট ব্যবস্থাপনা +Module80Name=চালান +Module80Desc=চালান এবং ডেলিভারি নোট ব্যবস্থাপনা +Module85Name=ব্যাংক এবং নগদ +Module85Desc=ব্যাঙ্ক বা নগদ অ্যাকাউন্টের ব্যবস্থাপনা +Module100Name=বাহ্যিক সাইট +Module100Desc=একটি প্রধান মেনু আইকন হিসাবে একটি বহিরাগত ওয়েবসাইটে একটি লিঙ্ক যোগ করুন. ওয়েবসাইট উপরের মেনু অধীনে একটি ফ্রেমে প্রদর্শিত হয়. +Module105Name=মেইলম্যান এবং SPIP +Module105Desc=সদস্য মডিউলের জন্য মেইলম্যান বা SPIP ইন্টারফেস +Module200Name=এলডিএপি +Module200Desc=LDAP ডিরেক্টরি সিঙ্ক্রোনাইজেশন +Module210Name=পোস্টনুকে +Module210Desc=PostNuke ইন্টিগ্রেশন +Module240Name=ডেটা রপ্তানি +Module240Desc=ডলিবার ডেটা এক্সপোর্ট করার টুল (সহায়তা সহ) +Module250Name=ডেটা আমদানি +Module250Desc=ডলিবারে ডেটা আমদানি করার টুল (সহায়তা সহ) +Module310Name=সদস্যরা +Module310Desc=ফাউন্ডেশনের সদস্যদের ব্যবস্থাপনা +Module320Name=আরএসএস ফিড +Module320Desc=Dolibarr পৃষ্ঠাগুলিতে একটি RSS ফিড যোগ করুন +Module330Name=বুকমার্ক এবং শর্টকাট +Module330Desc=শর্টকাট তৈরি করুন, সবসময় অ্যাক্সেসযোগ্য, অভ্যন্তরীণ বা বাহ্যিক পৃষ্ঠাগুলিতে যা আপনি প্রায়শই অ্যাক্সেস করেন +Module400Name=প্রকল্প বা লিড +Module400Desc=প্রকল্পের ব্যবস্থাপনা, নেতৃত্ব/সুযোগ এবং/অথবা কার্য। আপনি একটি প্রকল্পে যেকোন উপাদান (চালান, আদেশ, প্রস্তাব, হস্তক্ষেপ, ...) বরাদ্দ করতে পারেন এবং প্রকল্পের দৃশ্য থেকে একটি ট্রান্সভার্সাল ভিউ পেতে পারেন। +Module410Name=ওয়েবক্যালেন্ডার +Module410Desc=ওয়েবক্যালেন্ডার ইন্টিগ্রেশন +Module500Name=কর এবং বিশেষ ব্যয় +Module500Desc=অন্যান্য খরচের ব্যবস্থাপনা (বিক্রয় কর, সামাজিক বা আর্থিক কর, লভ্যাংশ, ...) +Module510Name=বেতন +Module510Desc=কর্মচারীদের পেমেন্ট রেকর্ড করুন এবং ট্র্যাক করুন Module520Name=Loans -Module520Desc=Management of loans -Module600Name=Notifications on business event -Module600Desc=Send email notifications triggered by a business event: per user (setup defined on each user), per third-party contacts (setup defined on each third party) or by specific emails -Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. -Module610Name=Product Variants -Module610Desc=Creation of product variants (color, size etc.) -Module700Name=Donations -Module700Desc=Donation management -Module770Name=Expense Reports -Module770Desc=Manage expense reports claims (transportation, meal, ...) -Module1120Name=Vendor Commercial Proposals -Module1120Desc=Request vendor commercial proposal and prices -Module1200Name=Mantis -Module1200Desc=Mantis integration -Module1520Name=Document Generation -Module1520Desc=Mass email document generation +Module520Desc=ঋণ ব্যবস্থাপনা +Module600Name=ব্যবসায়িক ইভেন্টে বিজ্ঞপ্তি +Module600Desc=একটি ব্যবসায়িক ইভেন্ট দ্বারা ট্রিগার করা ইমেল বিজ্ঞপ্তি পাঠান: প্রতি ব্যবহারকারী (প্রতিটি ব্যবহারকারীর জন্য সেটআপ সংজ্ঞায়িত), প্রতি তৃতীয় পক্ষের পরিচিতি (প্রতিটি তৃতীয় পক্ষের জন্য সেটআপ সংজ্ঞায়িত) বা নির্দিষ্ট ইমেল দ্বারা +Module600Long=মনে রাখবেন যে এই মডিউলটি রিয়েল-টাইমে ইমেল পাঠায় যখন একটি নির্দিষ্ট ব্যবসায়িক ঘটনা ঘটে। আপনি যদি এজেন্ডা ইভেন্টের জন্য ইমেল অনুস্মারক পাঠানোর জন্য একটি বৈশিষ্ট্য খুঁজছেন, মডিউল এজেন্ডার সেটআপে যান। +Module610Name=পণ্য বৈকল্পিক +Module610Desc=পণ্যের রূপ (রঙ, আকার ইত্যাদি) তৈরি করা +Module650Name=উপাদানের বিল (BOM) +Module650Desc=আপনার সামগ্রীর বিল (BOM) সংজ্ঞায়িত করার জন্য মডিউল। মডিউল ম্যানুফ্যাকচারিং অর্ডার (MO) দ্বারা উত্পাদন সংস্থান পরিকল্পনার জন্য ব্যবহার করা যেতে পারে +Module660Name=ম্যানুফ্যাকচারিং রিসোর্স প্ল্যানিং (MRP) +Module660Desc=ম্যানুফ্যাকচারিং অর্ডার ম্যানেজ করার মডিউল (MO) +Module700Name=দান +Module700Desc=দান ব্যবস্থাপনা +Module770Name=ব্যয় প্রতিবেদন +Module770Desc=ব্যয়ের প্রতিবেদনের দাবিগুলি পরিচালনা করুন (পরিবহন, খাবার, ...) +Module1120Name=বিক্রেতা বাণিজ্যিক প্রস্তাব +Module1120Desc=বিক্রেতা বাণিজ্যিক প্রস্তাব এবং দাম অনুরোধ +Module1200Name=ম্যান্টিস +Module1200Desc=ম্যান্টিস ইন্টিগ্রেশন +Module1520Name=ডকুমেন্ট জেনারেশন +Module1520Desc=ব্যাপক ইমেল নথি তৈরি Module1780Name=Tags/Categories -Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members) -Module2000Name=WYSIWYG editor -Module2000Desc=Allow text fields to be edited/formatted using CKEditor (html) -Module2200Name=Dynamic Prices -Module2200Desc=Use maths expressions for auto-generation of prices -Module2300Name=Scheduled jobs -Module2300Desc=Scheduled jobs management (alias cron or chrono table) -Module2400Name=Events/Agenda -Module2400Desc=Track events. Log automatic events for tracking purposes or record manual events or meetings. This is the principal module for good Customer or Vendor Relationship Management. -Module2500Name=DMS / ECM -Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. -Module2600Name=API/Web services (SOAP server) -Module2600Desc=Enable the Dolibarr SOAP server providing API services -Module2610Name=API/Web services (REST server) -Module2610Desc=Enable the Dolibarr REST server providing API services -Module2660Name=Call WebServices (SOAP client) -Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Only Purchase orders are currently supported.) -Module2700Name=Gravatar -Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Needs Internet access -Module2800Desc=FTP Client -Module2900Name=GeoIPMaxmind -Module2900Desc=GeoIP Maxmind conversions capabilities -Module3200Name=Unalterable Archives -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. -Module3400Name=Social Networks -Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). -Module4000Name=HRM -Module4000Desc=Human resources management (management of department, employee contracts and feelings) -Module5000Name=Multi-company -Module5000Desc=Allows you to manage multiple companies -Module6000Name=Inter-modules Workflow -Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) -Module10000Name=Websites -Module10000Desc=Create websites (public) with a WYSIWYG editor. This is a webmaster or developer oriented CMS (it is better to know HTML and CSS language). Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the internet with your own domain name. -Module20000Name=Leave Request Management -Module20000Desc=Define and track employee leave requests -Module39000Name=Product Lots -Module39000Desc=Lots, serial numbers, eat-by/sell-by date management for products -Module40000Name=Multicurrency -Module40000Desc=Use alternative currencies in prices and documents -Module50000Name=PayBox -Module50000Desc=Offer customers a PayBox online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module1780Desc=ট্যাগ/বিভাগ তৈরি করুন (পণ্য, গ্রাহক, সরবরাহকারী, পরিচিতি বা সদস্য) +Module2000Name=WYSIWYG সম্পাদক +Module2000Desc=CKEditor (html) ব্যবহার করে পাঠ্য ক্ষেত্র সম্পাদনা/ফরম্যাট করার অনুমতি দিন +Module2200Name=গতিশীল মূল্য +Module2200Desc=দামের স্বয়ংক্রিয় উৎপন্নের জন্য গণিতের অভিব্যক্তি ব্যবহার করুন +Module2300Name=নির্ধারিত কাজ +Module2300Desc=নির্ধারিত চাকরি ব্যবস্থাপনা (অরফে ক্রোন বা ক্রোনো টেবিল) +Module2400Name=ইভেন্ট/এজেন্ডা +Module2400Desc=ঘটনা ট্র্যাক. ট্র্যাকিংয়ের উদ্দেশ্যে স্বয়ংক্রিয় ইভেন্টগুলি লগ করুন বা ম্যানুয়াল ইভেন্ট বা মিটিং রেকর্ড করুন। এটি ভাল গ্রাহক বা বিক্রেতা সম্পর্ক পরিচালনার জন্য প্রধান মডিউল। +Module2430Name=অনলাইন অ্যাপয়েন্টমেন্ট সময়সূচী +Module2430Desc=একটি অনলাইন অ্যাপয়েন্টমেন্ট বুকিং সিস্টেম প্রদান করে। এটি পূর্বনির্ধারিত রেঞ্জ বা প্রাপ্যতা অনুসারে যে কেউ রেন্ডেজ-ভাউস বুক করার অনুমতি দেয়। +Module2500Name=ডিএমএস/ইসিএম +Module2500Desc=ডকুমেন্ট ম্যানেজমেন্ট সিস্টেম / ইলেকট্রনিক কন্টেন্ট ম্যানেজমেন্ট। আপনার তৈরি বা সঞ্চিত নথিগুলির স্বয়ংক্রিয় সংগঠন। আপনার প্রয়োজন হলে তাদের শেয়ার করুন. +Module2600Name=API / ওয়েব পরিষেবা (SOAP সার্ভার) +Module2600Desc=API পরিষেবা প্রদানকারী Dolibarr SOAP সার্ভার সক্ষম করুন৷ +Module2610Name=API / ওয়েব পরিষেবা (REST সার্ভার) +Module2610Desc=API পরিষেবা প্রদানকারী Dolibarr REST সার্ভার সক্ষম করুন৷ +Module2660Name=কল ওয়েব সার্ভিসেস (SOAP ক্লায়েন্ট) +Module2660Desc=Dolibarr ওয়েব পরিষেবা ক্লায়েন্ট সক্রিয় করুন (বাহ্যিক সার্ভারে ডেটা/অনুরোধ পুশ করতে ব্যবহার করা যেতে পারে। শুধুমাত্র ক্রয় আদেশ বর্তমানে সমর্থিত।) +Module2700Name=গ্রাভাটার +Module2700Desc=ব্যবহারকারীদের/সদস্যদের (তাদের ইমেলের সাথে পাওয়া) ছবি দেখানোর জন্য অনলাইন Gravatar পরিষেবা (www.gravatar.com) ব্যবহার করুন। ইন্টারনেট অ্যাক্সেস প্রয়োজন +Module2800Desc=FTP ক্লায়েন্ট +Module2900Name=জিওআইপি ম্যাক্সমাইন্ড +Module2900Desc=জিওআইপি ম্যাক্সমাইন্ড রূপান্তর ক্ষমতা +Module3200Name=অপরিবর্তনীয় আর্কাইভস +Module3200Desc=ব্যবসায়িক ইভেন্টগুলির একটি অপরিবর্তনীয় লগ সক্ষম করুন৷ ইভেন্টগুলি রিয়েল-টাইমে আর্কাইভ করা হয়। লগ হল শৃঙ্খলিত ইভেন্টগুলির একটি পঠনযোগ্য টেবিল যা রপ্তানি করা যেতে পারে। এই মডিউল কিছু দেশের জন্য বাধ্যতামূলক হতে পারে. +Module3300Name=মডিউল নির্মাতা +Module3300Desc=একটি RAD (র‍্যাপিড অ্যাপ্লিকেশন ডেভেলপমেন্ট - লো-কোড এবং নো-কোড) টুল যা ডেভেলপার বা উন্নত ব্যবহারকারীদের তাদের নিজস্ব মডিউল/অ্যাপ্লিকেশন তৈরি করতে সাহায্য করে। +Module3400Name=সামাজিক যোগাযোগ +Module3400Desc=সামাজিক নেটওয়ার্ক ক্ষেত্রগুলিকে তৃতীয় পক্ষ এবং ঠিকানাগুলিতে সক্ষম করুন (স্কাইপ, টুইটার, ফেসবুক, ...)। +Module4000Name=এইচআরএম +Module4000Desc=মানব সম্পদ ব্যবস্থাপনা (বিভাগের ব্যবস্থাপনা, কর্মচারী চুক্তি, দক্ষতা ব্যবস্থাপনা এবং সাক্ষাৎকার) +Module5000Name=মাল্টি কোম্পানি +Module5000Desc=আপনাকে একাধিক কোম্পানি পরিচালনা করার অনুমতি দেয় +Module6000Name=ইন্টার-মডিউল ওয়ার্কফ্লো +Module6000Desc=বিভিন্ন মডিউলের মধ্যে কর্মপ্রবাহ ব্যবস্থাপনা (অবজেক্টের স্বয়ংক্রিয় সৃষ্টি এবং/অথবা স্বয়ংক্রিয় স্থিতি পরিবর্তন) +Module10000Name=ওয়েবসাইট +Module10000Desc=একটি WYSIWYG সম্পাদক দিয়ে ওয়েবসাইট (সর্বজনীন) তৈরি করুন। এটি একটি ওয়েবমাস্টার বা ডেভেলপার ওরিয়েন্টেড সিএমএস (এইচটিএমএল এবং সিএসএস ভাষা জানা ভাল)। শুধু আপনার ওয়েব সার্ভার (Apache, Nginx, ...) সেটআপ করুন ডেডিকেটেড Dolibarr ডিরেক্টরিকে আপনার নিজের ডোমেন নামের সাথে ইন্টারনেটে অনলাইনে রাখতে। +Module20000Name=অনুরোধ ব্যবস্থাপনা ছেড়ে +Module20000Desc=কর্মচারী ছুটির অনুরোধ সংজ্ঞায়িত করুন এবং ট্র্যাক করুন +Module39000Name=পণ্য প্রচুর +Module39000Desc=প্রচুর পরিমাণে, সিরিয়াল নম্বর, পণ্যের জন্য তারিখ ব্যবস্থাপনার দ্বারা খাওয়া/বিক্রয় +Module40000Name=বিভিন্ন দেশের মুদ্রা +Module40000Desc=দাম এবং নথিতে বিকল্প মুদ্রা ব্যবহার করুন +Module50000Name=পেবক্স +Module50000Desc=গ্রাহকদের একটি PayBox অনলাইন পেমেন্ট পেজ (ক্রেডিট/ডেবিট কার্ড) অফার করুন। এটি আপনার গ্রাহকদের একটি নির্দিষ্ট ডলিবার অবজেক্ট (চালান, অর্ডার ইত্যাদি...) সম্পর্কিত অ্যাড-হক অর্থপ্রদান বা অর্থপ্রদান করার অনুমতি দেওয়ার জন্য ব্যবহার করা যেতে পারে। Module50100Name=POS SimplePOS -Module50100Desc=Point of Sale module SimplePOS (simple POS). +Module50100Desc=পয়েন্ট অফ সেল মডিউল SimplePOS (সাধারণ POS)। Module50150Name=POS TakePOS -Module50150Desc=Point of Sale module TakePOS (touchscreen POS, for shops, bars or restaurants). -Module50200Name=Paypal -Module50200Desc=Offer customers a PayPal online payment page (PayPal account or credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50300Name=Stripe -Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50400Name=Accounting (double entry) -Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats. -Module54000Name=PrintIPP -Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installed on server). -Module55000Name=Poll, Survey or Vote -Module55000Desc=Create online polls, surveys or votes (like Doodle, Studs, RDVz etc...) +Module50150Desc=পয়েন্ট অফ সেল মডিউল TakePOS (দোকান, বার বা রেস্টুরেন্টের জন্য টাচস্ক্রিন POS)। +Module50200Name=পেপ্যাল +Module50200Desc=গ্রাহকদের একটি পেপ্যাল অনলাইন পেমেন্ট পেজ অফার করুন (পেপাল অ্যাকাউন্ট বা ক্রেডিট/ডেবিট কার্ড)। এটি আপনার গ্রাহকদের একটি নির্দিষ্ট ডলিবার অবজেক্ট (চালান, অর্ডার ইত্যাদি...) সম্পর্কিত অ্যাড-হক অর্থপ্রদান বা অর্থপ্রদান করার অনুমতি দেওয়ার জন্য ব্যবহার করা যেতে পারে। +Module50300Name=ডোরা +Module50300Desc=গ্রাহকদের একটি স্ট্রাইপ অনলাইন পেমেন্ট পৃষ্ঠা (ক্রেডিট/ডেবিট কার্ড) অফার করুন। এটি আপনার গ্রাহকদের একটি নির্দিষ্ট ডলিবার অবজেক্ট (চালান, অর্ডার ইত্যাদি...) সম্পর্কিত অ্যাড-হক অর্থপ্রদান বা অর্থপ্রদান করার অনুমতি দেওয়ার জন্য ব্যবহার করা যেতে পারে। +Module50400Name=অ্যাকাউন্টিং (ডাবল এন্ট্রি) +Module50400Desc=অ্যাকাউন্টিং ম্যানেজমেন্ট (ডাবল এন্ট্রি, সাপোর্ট জেনারেল এবং সাবসিডিয়ারি লেজার)। অন্যান্য অ্যাকাউন্টিং সফ্টওয়্যার ফর্ম্যাটে লেজারটি রপ্তানি করুন। +Module54000Name=প্রিন্টআইপিপি +Module54000Desc=কাপস আইপিপি ইন্টারফেস ব্যবহার করে সরাসরি মুদ্রণ (ডকুমেন্টগুলি না খুলে) (প্রিন্টার অবশ্যই সার্ভার থেকে দৃশ্যমান হতে হবে এবং CUPS সার্ভারে ইনস্টল করতে হবে)। +Module55000Name=পোল, সার্ভে বা ভোট +Module55000Desc=অনলাইন পোল, সমীক্ষা বা ভোট তৈরি করুন (যেমন ডুডল, স্টাডস, RDVz ইত্যাদি...) Module59000Name=Margins -Module59000Desc=Module to follow margins -Module60000Name=Commissions -Module60000Desc=Module to manage commissions +Module59000Desc=মার্জিন অনুসরণ করার মডিউল +Module60000Name=কমিশন +Module60000Desc=কমিশন পরিচালনার মডিউল Module62000Name=Incoterms -Module62000Desc=Add features to manage Incoterms -Module63000Name=Resources -Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to events -Permission11=Read customer invoices -Permission12=Create/modify customer invoices -Permission13=Invalidate customer invoices -Permission14=Validate customer invoices -Permission15=Send customer invoices by email -Permission16=Create payments for customer invoices -Permission19=Delete customer invoices -Permission21=Read commercial proposals -Permission22=Create/modify commercial proposals -Permission24=Validate commercial proposals -Permission25=Send commercial proposals -Permission26=Close commercial proposals -Permission27=Delete commercial proposals -Permission28=Export commercial proposals -Permission31=Read products -Permission32=Create/modify products -Permission34=Delete products -Permission36=See/manage hidden products -Permission38=Export products -Permission39=Ignore minimum price -Permission41=Read projects and tasks (shared project and projects I'm contact for). Can also enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) -Permission42=Create/modify projects (shared project and projects I'm contact for). Can also create tasks and assign users to project and tasks -Permission44=Delete projects (shared project and projects I'm contact for) -Permission45=Export projects -Permission61=Read interventions -Permission62=Create/modify interventions -Permission64=Delete interventions -Permission67=Export interventions -Permission68=Send interventions by email -Permission69=Validate interventions -Permission70=Invalidate interventions -Permission71=Read members -Permission72=Create/modify members -Permission74=Delete members -Permission75=Setup types of membership -Permission76=Export data -Permission78=Read subscriptions -Permission79=Create/modify subscriptions -Permission81=Read customers orders -Permission82=Create/modify customers orders -Permission84=Validate customers orders -Permission86=Send customers orders -Permission87=Close customers orders -Permission88=Cancel customers orders -Permission89=Delete customers orders -Permission91=Read social or fiscal taxes and vat -Permission92=Create/modify social or fiscal taxes and vat -Permission93=Delete social or fiscal taxes and vat -Permission94=Export social or fiscal taxes -Permission95=Read reports -Permission101=Read sendings -Permission102=Create/modify sendings -Permission104=Validate sendings -Permission105=Send sendings by email -Permission106=Export sendings -Permission109=Delete sendings -Permission111=Read financial accounts -Permission112=Create/modify/delete and compare transactions -Permission113=Setup financial accounts (create, manage categories of bank transactions) -Permission114=Reconcile transactions -Permission115=Export transactions and account statements -Permission116=Transfers between accounts -Permission117=Manage checks dispatching -Permission121=Read third parties linked to user -Permission122=Create/modify third parties linked to user -Permission125=Delete third parties linked to user -Permission126=Export third parties -Permission130=Create/modify third parties payment information -Permission141=Read all projects and tasks (also private projects for which I am not a contact) -Permission142=Create/modify all projects and tasks (also private projects for which I am not a contact) -Permission144=Delete all projects and tasks (also private projects i am not contact for) -Permission146=Read providers -Permission147=Read stats -Permission151=Read direct debit payment orders -Permission152=Create/modify a direct debit payment orders -Permission153=Send/Transmit direct debit payment orders -Permission154=Record Credits/Rejections of direct debit payment orders -Permission161=Read contracts/subscriptions -Permission162=Create/modify contracts/subscriptions -Permission163=Activate a service/subscription of a contract -Permission164=Disable a service/subscription of a contract -Permission165=Delete contracts/subscriptions -Permission167=Export contracts -Permission171=Read trips and expenses (yours and your subordinates) -Permission172=Create/modify trips and expenses -Permission173=Delete trips and expenses -Permission174=Read all trips and expenses -Permission178=Export trips and expenses -Permission180=Read suppliers -Permission181=Read purchase orders -Permission182=Create/modify purchase orders -Permission183=Validate purchase orders -Permission184=Approve purchase orders -Permission185=Order or cancel purchase orders -Permission186=Receive purchase orders -Permission187=Close purchase orders -Permission188=Cancel purchase orders -Permission192=Create lines -Permission193=Cancel lines -Permission194=Read the bandwidth lines -Permission202=Create ADSL connections -Permission203=Order connections orders -Permission204=Order connections -Permission205=Manage connections -Permission206=Read connections -Permission211=Read Telephony -Permission212=Order lines -Permission213=Activate line -Permission214=Setup Telephony -Permission215=Setup providers -Permission221=Read emailings -Permission222=Create/modify emailings (topic, recipients...) -Permission223=Validate emailings (allows sending) -Permission229=Delete emailings -Permission237=View recipients and info -Permission238=Manually send mailings -Permission239=Delete mailings after validation or sent -Permission241=Read categories -Permission242=Create/modify categories -Permission243=Delete categories -Permission244=See the contents of the hidden categories -Permission251=Read other users and groups -PermissionAdvanced251=Read other users -Permission252=Read permissions of other users -Permission253=Create/modify other users, groups and permissions -PermissionAdvanced253=Create/modify internal/external users and permissions -Permission254=Create/modify external users only -Permission255=Modify other users password -Permission256=Delete or disable other users -Permission262=Extend access to all third parties AND their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission263=Extend access to all third parties WITHOUT their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission271=Read CA -Permission272=Read invoices -Permission273=Issue invoices -Permission281=Read contacts -Permission282=Create/modify contacts -Permission283=Delete contacts -Permission286=Export contacts -Permission291=Read tariffs -Permission292=Set permissions on the tariffs -Permission293=Modify customer's tariffs -Permission300=Read barcodes -Permission301=Create/modify barcodes -Permission302=Delete barcodes -Permission311=Read services -Permission312=Assign service/subscription to contract -Permission331=Read bookmarks -Permission332=Create/modify bookmarks -Permission333=Delete bookmarks -Permission341=Read its own permissions -Permission342=Create/modify his own user information -Permission343=Modify his own password -Permission344=Modify its own permissions -Permission351=Read groups -Permission352=Read groups permissions -Permission353=Create/modify groups -Permission354=Delete or disable groups -Permission358=Export users -Permission401=Read discounts -Permission402=Create/modify discounts -Permission403=Validate discounts -Permission404=Delete discounts -Permission430=Use Debug Bar -Permission511=Read salaries and payments (yours and subordinates) -Permission512=Create/modify salaries and payments -Permission514=Delete salaries and payments -Permission517=Read salaries and payments everybody -Permission519=Export salaries -Permission520=Read Loans -Permission522=Create/modify loans -Permission524=Delete loans -Permission525=Access loan calculator -Permission527=Export loans -Permission531=Read services -Permission532=Create/modify services -Permission534=Delete services -Permission536=See/manage hidden services -Permission538=Export services -Permission561=Read payment orders by credit transfer -Permission562=Create/modify payment order by credit transfer -Permission563=Send/Transmit payment order by credit transfer -Permission564=Record Debits/Rejections of credit transfer -Permission601=Read stickers -Permission602=Create/modify stickers -Permission609=Delete stickers -Permission650=Read Bills of Materials -Permission651=Create/Update Bills of Materials -Permission652=Delete Bills of Materials -Permission660=Read Manufacturing Order (MO) -Permission661=Create/Update Manufacturing Order (MO) -Permission662=Delete Manufacturing Order (MO) -Permission701=Read donations -Permission702=Create/modify donations -Permission703=Delete donations -Permission771=Read expense reports (yours and your subordinates) -Permission772=Create/modify expense reports (for you and your subordinates) -Permission773=Delete expense reports -Permission775=Approve expense reports -Permission776=Pay expense reports -Permission777=Read all expense reports (even those of user not subordinates) -Permission778=Create/modify expense reports of everybody -Permission779=Export expense reports -Permission1001=Read stocks -Permission1002=Create/modify warehouses -Permission1003=Delete warehouses -Permission1004=Read stock movements -Permission1005=Create/modify stock movements -Permission1011=View inventories -Permission1012=Create new inventory -Permission1014=Validate inventory -Permission1015=Allow to change PMP value for a product -Permission1016=Delete inventory -Permission1101=Read delivery receipts -Permission1102=Create/modify delivery receipts -Permission1104=Validate delivery receipts -Permission1109=Delete delivery receipts -Permission1121=Read supplier proposals -Permission1122=Create/modify supplier proposals -Permission1123=Validate supplier proposals -Permission1124=Send supplier proposals -Permission1125=Delete supplier proposals -Permission1126=Close supplier price requests -Permission1181=Read suppliers -Permission1182=Read purchase orders -Permission1183=Create/modify purchase orders -Permission1184=Validate purchase orders -Permission1185=Approve purchase orders -Permission1186=Order purchase orders -Permission1187=Acknowledge receipt of purchase orders -Permission1188=Delete purchase orders -Permission1189=Check/Uncheck a purchase order reception -Permission1190=Approve (second approval) purchase orders -Permission1191=Export supplier orders and their attributes -Permission1201=Get result of an export -Permission1202=Create/Modify an export -Permission1231=Read vendor invoices -Permission1232=Create/modify vendor invoices -Permission1233=Validate vendor invoices -Permission1234=Delete vendor invoices -Permission1235=Send vendor invoices by email -Permission1236=Export vendor invoices, attributes and payments -Permission1237=Export purchase orders and their details -Permission1251=Run mass imports of external data into database (data load) -Permission1321=Export customer invoices, attributes and payments -Permission1322=Reopen a paid bill -Permission1421=Export sales orders and attributes -Permission1521=Read documents -Permission1522=Delete documents -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) -Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) -Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) -Permission2411=Read actions (events or tasks) of others -Permission2412=Create/modify actions (events or tasks) of others -Permission2413=Delete actions (events or tasks) of others -Permission2414=Export actions/tasks of others -Permission2501=Read/Download documents -Permission2502=Download documents -Permission2503=Submit or delete documents -Permission2515=Setup documents directories -Permission2801=Use FTP client in read mode (browse and download only) -Permission2802=Use FTP client in write mode (delete or upload files) -Permission3200=Read archived events and fingerprints -Permission3301=Generate new modules -Permission4001=Read skill/job/position -Permission4002=Create/modify skill/job/position -Permission4003=Delete skill/job/position -Permission4020=Read evaluations -Permission4021=Create/modify your evaluation -Permission4022=Validate evaluation -Permission4023=Delete evaluation -Permission4030=See comparison menu -Permission10001=Read website content -Permission10002=Create/modify website content (html and javascript content) -Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. -Permission10005=Delete website content -Permission20001=Read leave requests (your leave and those of your subordinates) -Permission20002=Create/modify your leave requests (your leave and those of your subordinates) -Permission20003=Delete leave requests -Permission20004=Read all leave requests (even those of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) -Permission20006=Administer leave requests (setup and update balance) -Permission20007=Approve leave requests -Permission23001=Read Scheduled job -Permission23002=Create/update Scheduled job -Permission23003=Delete Scheduled job -Permission23004=Execute Scheduled job -Permission50101=Use Point of Sale (SimplePOS) -Permission50151=Use Point of Sale (TakePOS) -Permission50152=Edit sales lines -Permission50153=Edit ordered sales lines -Permission50201=Read transactions -Permission50202=Import transactions -Permission50330=Read objects of Zapier -Permission50331=Create/Update objects of Zapier -Permission50332=Delete objects of Zapier -Permission50401=Bind products and invoices with accounting accounts -Permission50411=Read operations in ledger -Permission50412=Write/Edit operations in ledger -Permission50414=Delete operations in ledger -Permission50415=Delete all operations by year and journal in ledger -Permission50418=Export operations of the ledger -Permission50420=Report and export reports (turnover, balance, journals, ledger) -Permission50430=Define fiscal periods. Validate transactions and close fiscal periods. -Permission50440=Manage chart of accounts, setup of accountancy -Permission51001=Read assets -Permission51002=Create/Update assets -Permission51003=Delete assets -Permission51005=Setup types of asset -Permission54001=Print -Permission55001=Read polls -Permission55002=Create/modify polls -Permission59001=Read commercial margins -Permission59002=Define commercial margins -Permission59003=Read every user margin -Permission63001=Read resources -Permission63002=Create/modify resources -Permission63003=Delete resources -Permission63004=Link resources to agenda events -Permission64001=Allow direct printing -Permission67000=Allow printing of receipts -Permission68001=Read intracomm report -Permission68002=Create/modify intracomm report -Permission68004=Delete intracomm report -Permission941601=Read receipts -Permission941602=Create and modify receipts -Permission941603=Validate receipts -Permission941604=Send receipts by email -Permission941605=Export receipts -Permission941606=Delete receipts -DictionaryCompanyType=Third-party types -DictionaryCompanyJuridicalType=Third-party legal entities -DictionaryProspectLevel=Prospect potential level for companies -DictionaryProspectContactLevel=Prospect potential level for contacts -DictionaryCanton=States/Provinces -DictionaryRegion=Regions -DictionaryCountry=Countries -DictionaryCurrency=Currencies -DictionaryCivility=Honorific titles -DictionaryActions=Types of agenda events -DictionarySocialContributions=Types of social or fiscal taxes -DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of tax stamps -DictionaryPaymentConditions=Payment Terms -DictionaryPaymentModes=Payment Modes -DictionaryTypeContact=Contact/Address types -DictionaryTypeOfContainer=Website - Type of website pages/containers -DictionaryEcotaxe=Ecotax (WEEE) -DictionaryPaperFormat=Paper formats -DictionaryFormatCards=Card formats -DictionaryFees=Expense report - Types of expense report lines -DictionarySendingMethods=Shipping methods -DictionaryStaff=Number of Employees -DictionaryAvailability=Delivery delay -DictionaryOrderMethods=Order methods -DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups for reports -DictionaryAccountancysystem=Models for chart of accounts -DictionaryAccountancyJournal=Accounting journals -DictionaryEMailTemplates=Email Templates -DictionaryUnits=Units -DictionaryMeasuringUnits=Measuring Units -DictionarySocialNetworks=Social Networks -DictionaryProspectStatus=Prospect status for companies -DictionaryProspectContactStatus=Prospect status for contacts -DictionaryHolidayTypes=Leave - Types of leave -DictionaryOpportunityStatus=Lead status for project/lead -DictionaryExpenseTaxCat=Expense report - Transportation categories -DictionaryExpenseTaxRange=Expense report - Range by transportation category -DictionaryTransportMode=Intracomm report - Transport mode -DictionaryBatchStatus=Product lot/serial Quality Control status -TypeOfUnit=Type of unit -SetupSaved=Setup saved -SetupNotSaved=Setup not saved -BackToModuleList=Back to Module list -BackToDictionaryList=Back to Dictionaries list -TypeOfRevenueStamp=Type of tax stamp -VATManagement=Sales Tax Management -VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. -VATIsNotUsedDesc=By default the proposed Sales tax is 0 which can be used for cases like associations, individuals or small companies. -VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. -VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +Module62000Desc=ইনকোটার্ম পরিচালনা করতে বৈশিষ্ট্য যোগ করুন +Module63000Name=সম্পদ +Module63000Desc=ইভেন্টে বরাদ্দ করার জন্য সংস্থানগুলি (প্রিন্টার, গাড়ি, রুম, ...) পরিচালনা করুন +Module66000Name=OAuth2 টোকেন ব্যবস্থাপনা +Module66000Desc=OAuth2 টোকেন তৈরি এবং পরিচালনা করার জন্য একটি টুল প্রদান করুন। টোকেনটি তখন অন্য কিছু মডিউল দ্বারা ব্যবহার করা যেতে পারে। +Module94160Name=অভ্যর্থনা +ModuleBookCalName=বুকিং ক্যালেন্ডার সিস্টেম +ModuleBookCalDesc=অ্যাপয়েন্টমেন্ট বুক করার জন্য একটি ক্যালেন্ডার পরিচালনা করুন +##### Permissions ##### +Permission11=গ্রাহক চালান পড়ুন (এবং অর্থপ্রদান) +Permission12=গ্রাহক চালান তৈরি/পরিবর্তন করুন +Permission13=গ্রাহকের চালান বাতিল করুন +Permission14=গ্রাহক চালান যাচাই +Permission15=ইমেল দ্বারা গ্রাহক চালান পাঠান +Permission16=গ্রাহক চালানের জন্য অর্থপ্রদান তৈরি করুন +Permission19=গ্রাহক চালান মুছুন +Permission21=বাণিজ্যিক প্রস্তাব পড়ুন +Permission22=বাণিজ্যিক প্রস্তাব তৈরি/পরিবর্তন করুন +Permission24=বাণিজ্যিক প্রস্তাব যাচাই +Permission25=বাণিজ্যিক প্রস্তাব পাঠান +Permission26=বাণিজ্যিক প্রস্তাব বন্ধ করুন +Permission27=বাণিজ্যিক প্রস্তাবগুলি মুছুন +Permission28=বাণিজ্যিক প্রস্তাব রপ্তানি +Permission31=পণ্য পড়ুন +Permission32=পণ্য তৈরি/পরিবর্তন করুন +Permission33=পণ্যের দাম পড়ুন +Permission34=পণ্য মুছুন +Permission36=লুকানো পণ্য দেখুন/পরিচালনা করুন +Permission38=পণ্য রপ্তানি করুন +Permission39=ন্যূনতম মূল্য উপেক্ষা করুন +Permission41=প্রকল্প এবং কাজ পড়ুন (ভাগ করা প্রকল্প এবং প্রকল্প যার আমি একজন পরিচিতি)। +Permission42=প্রকল্পগুলি তৈরি/পরিবর্তন করুন (ভাগ করা প্রকল্প এবং প্রকল্প যার আমি একজন পরিচিতি)। এছাড়াও ব্যবহারকারীদের প্রকল্প এবং কাজের জন্য বরাদ্দ করতে পারে +Permission44=প্রকল্পগুলি মুছুন (ভাগ করা প্রকল্প এবং প্রকল্প যার আমি একজন পরিচিতি) +Permission45=রপ্তানি প্রকল্প +Permission61=হস্তক্ষেপ পড়ুন +Permission62=হস্তক্ষেপ তৈরি/পরিবর্তন করুন +Permission64=হস্তক্ষেপ মুছুন +Permission67=রপ্তানি হস্তক্ষেপ +Permission68=ইমেল দ্বারা হস্তক্ষেপ পাঠান +Permission69=হস্তক্ষেপ বৈধতা +Permission70=হস্তক্ষেপ অবৈধ +Permission71=সদস্যদের পড়ুন +Permission72=সদস্য তৈরি/পরিবর্তন করুন +Permission74=সদস্যদের মুছুন +Permission75=সদস্যপদ সেটআপ প্রকার +Permission76=রপ্তানি তথ্য +Permission78=সদস্যতা পড়ুন +Permission79=সদস্যতা তৈরি/পরিবর্তন করুন +Permission81=গ্রাহকদের আদেশ পড়ুন +Permission82=গ্রাহকদের অর্ডার তৈরি/পরিবর্তন করুন +Permission84=গ্রাহকদের আদেশ যাচাই +Permission85=নথি বিক্রয় আদেশ তৈরি করুন +Permission86=গ্রাহকদের অর্ডার পাঠান +Permission87=গ্রাহকদের আদেশ বন্ধ করুন +Permission88=গ্রাহকদের আদেশ বাতিল করুন +Permission89=গ্রাহকদের আদেশ মুছুন +Permission91=সামাজিক বা রাজস্ব কর এবং ভ্যাট পড়ুন +Permission92=সামাজিক বা রাজস্ব কর এবং ভ্যাট তৈরি/পরিবর্তন করুন +Permission93=সামাজিক বা রাজস্ব কর এবং ভ্যাট মুছুন +Permission94=সামাজিক বা রাজস্ব কর রপ্তানি করুন +Permission95=রিপোর্ট পড়ুন +Permission101=পাঠান পড়ুন +Permission102=পাঠান তৈরি/পরিবর্তন করুন +Permission104=পাঠানোর বৈধতা +Permission105=ইমেল দ্বারা প্রেরণ পাঠান +Permission106=রপ্তানি প্রেরণ +Permission109=পাঠানো মুছুন +Permission111=আর্থিক হিসাব পড়ুন +Permission112=লেনদেন তৈরি/পরিবর্তন/মুছুন এবং তুলনা করুন +Permission113=আর্থিক অ্যাকাউন্ট সেটআপ করুন (ব্যাংক লেনদেনের বিভাগগুলি তৈরি করুন, পরিচালনা করুন) +Permission114=লেনদেন মিটমাট +Permission115=লেনদেন এবং অ্যাকাউন্টের বিবৃতি রপ্তানি করুন +Permission116=অ্যাকাউন্টের মধ্যে স্থানান্তর +Permission117=চেক প্রেরণ পরিচালনা করুন +Permission121=ব্যবহারকারীর সাথে লিঙ্ক করা তৃতীয় পক্ষগুলি পড়ুন +Permission122=ব্যবহারকারীর সাথে লিঙ্ক করা তৃতীয় পক্ষগুলি তৈরি/পরিবর্তন করুন৷ +Permission125=ব্যবহারকারীর সাথে লিঙ্ক করা তৃতীয় পক্ষগুলি মুছুন +Permission126=তৃতীয় পক্ষ রপ্তানি করুন +Permission130=তৃতীয় পক্ষের অর্থপ্রদানের তথ্য তৈরি/পরিবর্তন করুন +Permission141=সমস্ত প্রকল্প এবং কাজগুলি পড়ুন (পাশাপাশি ব্যক্তিগত প্রকল্প যার জন্য আমি যোগাযোগ নই) +Permission142=সমস্ত প্রকল্প এবং কাজগুলি তৈরি/পরিবর্তন করুন (পাশাপাশি ব্যক্তিগত প্রকল্প যার জন্য আমি একজন পরিচিত নই) +Permission144=সমস্ত প্রকল্প এবং কাজগুলি মুছুন (পাশাপাশি ব্যক্তিগত প্রকল্পগুলির সাথে আমি পরিচিত নই) +Permission145=নির্ধারিত কাজগুলিতে আমার বা আমার অনুক্রমের জন্য খরচ করা সময় লিখতে পারে (টাইমশিট) +Permission146=প্রদানকারী পড়ুন +Permission147=পরিসংখ্যান পড়ুন +Permission151=সরাসরি ডেবিট পেমেন্ট অর্ডার পড়ুন +Permission152=একটি সরাসরি ডেবিট পেমেন্ট অর্ডার তৈরি/পরিবর্তন করুন +Permission153=সরাসরি ডেবিট পেমেন্ট অর্ডার পাঠান/ট্রান্সমিট করুন +Permission154=সরাসরি ডেবিট পেমেন্ট অর্ডারের রেকর্ড ক্রেডিট/প্রত্যাখ্যান +Permission161=চুক্তি/সাবস্ক্রিপশন পড়ুন +Permission162=চুক্তি/সাবস্ক্রিপশন তৈরি/পরিবর্তন করুন +Permission163=একটি চুক্তির একটি পরিষেবা/সাবস্ক্রিপশন সক্রিয় করুন +Permission164=একটি চুক্তির একটি পরিষেবা/সাবস্ক্রিপশন অক্ষম করুন +Permission165=চুক্তি/সাবস্ক্রিপশন মুছুন +Permission167=রপ্তানি চুক্তি +Permission171=ট্রিপ এবং খরচ পড়ুন (আপনার এবং আপনার অধীনস্থদের) +Permission172=ট্রিপ এবং খরচ তৈরি/পরিবর্তন করুন +Permission173=ট্রিপ এবং খরচ মুছুন +Permission174=সমস্ত ভ্রমণ এবং খরচ পড়ুন +Permission178=রপ্তানি ভ্রমণ এবং খরচ +Permission180=সরবরাহকারী পড়ুন +Permission181=ক্রয় আদেশ পড়ুন +Permission182=ক্রয় অর্ডার তৈরি/পরিবর্তন করুন +Permission183=ক্রয় আদেশ যাচাই +Permission184=ক্রয় আদেশ অনুমোদন +Permission185=অর্ডার বা ক্রয় আদেশ বাতিল +Permission186=ক্রয় আদেশ গ্রহণ +Permission187=ক্রয় আদেশ বন্ধ করুন +Permission188=ক্রয় আদেশ বাতিল করুন +Permission192=লাইন তৈরি করুন +Permission193=লাইন বাতিল করুন +Permission194=ব্যান্ডউইথ লাইন পড়ুন +Permission202=ADSL সংযোগ তৈরি করুন +Permission203=অর্ডার সংযোগ আদেশ +Permission204=অর্ডার সংযোগ +Permission205=সংযোগগুলি পরিচালনা করুন +Permission206=সংযোগ পড়ুন +Permission211=টেলিফোনি পড়ুন +Permission212=অর্ডার লাইন +Permission213=লাইন সক্রিয় করুন +Permission214=টেলিফোনি সেটআপ করুন +Permission215=সেটআপ প্রদানকারী +Permission221=ইমেলগুলি পড়ুন +Permission222=ইমেলগুলি তৈরি/পরিবর্তন করুন (বিষয়, প্রাপক...) +Permission223=ইমেলগুলি যাচাই করুন (প্রেরণের অনুমতি দেয়) +Permission229=ইমেলগুলি মুছুন +Permission237=প্রাপক এবং তথ্য দেখুন +Permission238=ম্যানুয়ালি মেইলিং পাঠান +Permission239=যাচাই বা পাঠানোর পরে মেইলিং মুছুন +Permission241=বিভাগ পড়ুন +Permission242=বিভাগ তৈরি/পরিবর্তন করুন +Permission243=বিভাগগুলি মুছুন +Permission244=লুকানো বিভাগের বিষয়বস্তু দেখুন +Permission251=অন্যান্য ব্যবহারকারী এবং গ্রুপ পড়ুন +PermissionAdvanced251=অন্যান্য ব্যবহারকারীদের পড়ুন +Permission252=অন্যান্য ব্যবহারকারীদের অনুমতি পড়ুন +Permission253=অন্যান্য ব্যবহারকারী, গোষ্ঠী এবং অনুমতি তৈরি/পরিবর্তন করুন +PermissionAdvanced253=অভ্যন্তরীণ/বাহ্যিক ব্যবহারকারী এবং অনুমতি তৈরি/পরিবর্তন করুন +Permission254=শুধুমাত্র বহিরাগত ব্যবহারকারীদের তৈরি/সংশোধন করুন +Permission255=অন্যান্য ব্যবহারকারীদের পাসওয়ার্ড পরিবর্তন করুন +Permission256=অন্যান্য ব্যবহারকারীদের মুছুন বা অক্ষম করুন +Permission262=সমস্ত তৃতীয় পক্ষ এবং তাদের বস্তুগুলিতে অ্যাক্সেস প্রসারিত করুন (কেবল তৃতীয় পক্ষ নয় যার জন্য ব্যবহারকারী একজন বিক্রয় প্রতিনিধি)।
      বহিরাগত ব্যবহারকারীদের জন্য কার্যকর নয় (প্রস্তাবগুলির জন্য সর্বদা নিজেদের মধ্যে সীমাবদ্ধ, অর্ডার, ইনভয়েস, চুক্তি, ইত্যাদি)।
      প্রকল্পের জন্য কার্যকর নয় (শুধুমাত্র প্রকল্পের অনুমতি, দৃশ্যমানতা এবং অ্যাসাইনমেন্ট সংক্রান্ত বিষয়ে নিয়ম)। +Permission263=তাদের বস্তু ছাড়াই সমস্ত তৃতীয় পক্ষের অ্যাক্সেস প্রসারিত করুন (কেবল তৃতীয় পক্ষ নয় যার জন্য ব্যবহারকারী একজন বিক্রয় প্রতিনিধি)।
      বহিরাগত ব্যবহারকারীদের জন্য কার্যকর নয় (প্রস্তাবের জন্য সর্বদা নিজেদের মধ্যে সীমাবদ্ধ, অর্ডার, ইনভয়েস, চুক্তি, ইত্যাদি)।
      প্রকল্পের জন্য কার্যকর নয় (শুধুমাত্র প্রকল্পের অনুমতি, দৃশ্যমানতা এবং অ্যাসাইনমেন্ট সংক্রান্ত বিষয়ে নিয়ম)। +Permission271=সিএ পড়ুন +Permission272=চালান পড়ুন +Permission273=চালান ইস্যু করুন +Permission281=পরিচিতি পড়ুন +Permission282=পরিচিতি তৈরি/পরিবর্তন করুন +Permission283=পরিচিতি মুছুন +Permission286=পরিচিতি রপ্তানি করুন +Permission291=শুল্ক পড়ুন +Permission292=শুল্ক উপর অনুমতি সেট +Permission293=গ্রাহকের ট্যারিফ পরিবর্তন করুন +Permission301=বারকোডের পিডিএফ শীট তৈরি করুন +Permission304=বারকোড তৈরি/পরিবর্তন করুন +Permission305=বারকোড মুছুন +Permission311=পরিষেবা পড়ুন +Permission312=চুক্তিতে পরিষেবা/সাবস্ক্রিপশন বরাদ্দ করুন +Permission331=বুকমার্ক পড়ুন +Permission332=বুকমার্ক তৈরি/পরিবর্তন করুন +Permission333=বুকমার্ক মুছুন +Permission341=তার নিজস্ব অনুমতি পড়ুন +Permission342=তার নিজের ব্যবহারকারীর তথ্য তৈরি/পরিবর্তন করুন +Permission343=নিজের পাসওয়ার্ড পরিবর্তন করুন +Permission344=তার নিজস্ব অনুমতি পরিবর্তন +Permission351=গ্রুপ পড়ুন +Permission352=গ্রুপ অনুমতি পড়ুন +Permission353=গ্রুপ তৈরি/পরিবর্তন করুন +Permission354=গোষ্ঠীগুলি মুছুন বা অক্ষম করুন +Permission358=রপ্তানি ব্যবহারকারী +Permission401=ডিসকাউন্ট পড়ুন +Permission402=ডিসকাউন্ট তৈরি/পরিবর্তন করুন +Permission403=ডিসকাউন্ট যাচাই +Permission404=ডিসকাউন্ট মুছুন +Permission430=ডিবাগ বার ব্যবহার করুন +Permission511=বেতন এবং পেমেন্ট পড়ুন (আপনার এবং অধীনস্থদের) +Permission512=বেতন এবং পেমেন্ট তৈরি/পরিবর্তন করুন +Permission514=বেতন এবং অর্থ প্রদান মুছুন +Permission517=সবাই বেতন এবং পেমেন্ট পড়ুন +Permission519=রপ্তানি বেতন +Permission520=ঋণ পড়া +Permission522=ঋণ তৈরি/পরিবর্তন করুন +Permission524=ঋণ মুছে ফেলুন +Permission525=অ্যাক্সেস ঋণ ক্যালকুলেটর +Permission527=রপ্তানি ঋণ +Permission531=পরিষেবা পড়ুন +Permission532=পরিষেবাগুলি তৈরি/পরিবর্তন করুন +Permission533=মূল্য পরিষেবা পড়ুন +Permission534=পরিষেবাগুলি মুছুন +Permission536=লুকানো পরিষেবাগুলি দেখুন/পরিচালনা করুন +Permission538=রপ্তানি সেবা +Permission561=ক্রেডিট ট্রান্সফারের মাধ্যমে পেমেন্ট অর্ডার পড়ুন +Permission562=ক্রেডিট ট্রান্সফারের মাধ্যমে পেমেন্ট অর্ডার তৈরি/পরিবর্তন করুন +Permission563=ক্রেডিট ট্রান্সফারের মাধ্যমে পেমেন্ট অর্ডার পাঠান/ট্রান্সমিট করুন +Permission564=রেকর্ড ডেবিট/ক্রেডিট ট্রান্সফার প্রত্যাখ্যান +Permission601=স্টিকার পড়ুন +Permission602=স্টিকার তৈরি/পরিবর্তন করুন +Permission609=স্টিকার মুছুন +Permission611=বৈকল্পিক বৈশিষ্ট্য পড়ুন +Permission612=ভেরিয়েন্টের বৈশিষ্ট্যগুলি তৈরি/আপডেট করুন +Permission613=বৈকল্পিক বৈশিষ্ট্য মুছুন +Permission650=উপকরণের বিল পড়ুন +Permission651=উপকরণের বিল তৈরি/আপডেট করুন +Permission652=উপকরণ বিল মুছুন +Permission660=ম্যানুফ্যাকচারিং অর্ডার (MO) পড়ুন +Permission661=ম্যানুফ্যাকচারিং অর্ডার তৈরি/আপডেট করুন (MO) +Permission662=ম্যানুফ্যাকচারিং অর্ডার (MO) মুছুন +Permission701=অনুদান পড়ুন +Permission702=অনুদান তৈরি/পরিবর্তন করুন +Permission703=অনুদান মুছুন +Permission771=খরচ রিপোর্ট পড়ুন (আপনার এবং আপনার অধীনস্থদের) +Permission772=ব্যয় প্রতিবেদন তৈরি/পরিবর্তন করুন (আপনার এবং আপনার অধীনস্থদের জন্য) +Permission773=ব্যয় প্রতিবেদন মুছুন +Permission775=খরচ রিপোর্ট অনুমোদন +Permission776=খরচ রিপোর্ট প্রদান +Permission777=সমস্ত খরচ রিপোর্ট পড়ুন (এমনকি ব্যবহারকারীর অধীনস্থ নয়) +Permission778=প্রত্যেকের ব্যয়ের প্রতিবেদন তৈরি/পরিবর্তন করুন +Permission779=রপ্তানি ব্যয় প্রতিবেদন +Permission1001=স্টক পড়ুন +Permission1002=গুদাম তৈরি/পরিবর্তন করুন +Permission1003=গুদামগুলি মুছুন +Permission1004=স্টক আন্দোলন পড়ুন +Permission1005=স্টক মুভমেন্ট তৈরি/পরিবর্তন করুন +Permission1011=ইনভেন্টরি দেখুন +Permission1012=নতুন ইনভেন্টরি তৈরি করুন +Permission1014=জায় যাচাই +Permission1015=একটি পণ্যের জন্য PMP মান পরিবর্তন করার অনুমতি দিন +Permission1016=ইনভেন্টরি মুছুন +Permission1101=ডেলিভারি রসিদ পড়ুন +Permission1102=ডেলিভারি রসিদ তৈরি/পরিবর্তন করুন +Permission1104=ডেলিভারি রসিদ যাচাই করুন +Permission1109=ডেলিভারি রসিদ মুছুন +Permission1121=সরবরাহকারীর প্রস্তাব পড়ুন +Permission1122=সরবরাহকারীর প্রস্তাব তৈরি/পরিবর্তন করুন +Permission1123=সরবরাহকারীর প্রস্তাব যাচাই করুন +Permission1124=সরবরাহকারী প্রস্তাব পাঠান +Permission1125=সরবরাহকারীর প্রস্তাবগুলি মুছুন +Permission1126=সরবরাহকারী মূল্য অনুরোধ বন্ধ করুন +Permission1181=সরবরাহকারী পড়ুন +Permission1182=ক্রয় আদেশ পড়ুন +Permission1183=ক্রয় অর্ডার তৈরি/পরিবর্তন করুন +Permission1184=ক্রয় আদেশ যাচাই +Permission1185=ক্রয় আদেশ অনুমোদন +Permission1186=অর্ডার ক্রয় আদেশ +Permission1187=ক্রয় আদেশের প্রাপ্তি স্বীকার করুন +Permission1188=ক্রয় আদেশ মুছুন +Permission1189=একটি ক্রয় অর্ডার রিসেপশন চেক/আনচেক করুন +Permission1190=অনুমোদন (দ্বিতীয় অনুমোদন) ক্রয় আদেশ +Permission1191=সরবরাহকারীর আদেশ এবং তাদের গুণাবলী রপ্তানি করুন +Permission1201=একটি রপ্তানি ফলাফল পান +Permission1202=একটি রপ্তানি তৈরি/পরিবর্তন করুন +Permission1231=বিক্রেতা চালান পড়ুন (এবং অর্থপ্রদান) +Permission1232=বিক্রেতা চালান তৈরি/পরিবর্তন করুন +Permission1233=বিক্রেতা চালান যাচাই +Permission1234=বিক্রেতা চালান মুছুন +Permission1235=ইমেল দ্বারা বিক্রেতা চালান পাঠান +Permission1236=বিক্রেতা চালান, গুণাবলী এবং অর্থপ্রদান রপ্তানি করুন +Permission1237=ক্রয় আদেশ এবং তাদের বিশদ রপ্তানি করুন +Permission1251=ডাটাবেসে বহিরাগত ডেটার ব্যাপক আমদানি চালান (ডেটা লোড) +Permission1321=গ্রাহক চালান, গুণাবলী এবং অর্থপ্রদান রপ্তানি করুন +Permission1322=একটি প্রদত্ত বিল পুনরায় খুলুন +Permission1421=বিক্রয় আদেশ এবং গুণাবলী রপ্তানি করুন +Permission1521=নথি পড়ুন +Permission1522=নথি মুছুন +Permission2401=তার ব্যবহারকারীর অ্যাকাউন্টের সাথে লিঙ্ক করা অ্যাকশন (ইভেন্ট বা কাজ) পড়ুন (যদি ইভেন্টের মালিক বা শুধু বরাদ্দ করা হয়) +Permission2402=তার ব্যবহারকারীর অ্যাকাউন্টের সাথে লিঙ্কযুক্ত ক্রিয়াগুলি (ইভেন্ট বা কাজ) তৈরি/পরিবর্তন করুন (ইভেন্টের মালিক হলে) +Permission2403=তার ব্যবহারকারীর অ্যাকাউন্টের সাথে লিঙ্ক করা অ্যাকশন (ইভেন্ট বা কাজ) মুছুন (ইভেন্টের মালিক হলে) +Permission2411=অন্যের কর্ম (ইভেন্ট বা কাজ) পড়ুন +Permission2412=অন্যদের কর্ম (ইভেন্ট বা কাজ) তৈরি/পরিবর্তন করুন +Permission2413=অন্যদের কর্ম (ইভেন্ট বা কাজ) মুছুন +Permission2414=অন্যদের কর্ম/কাজ রপ্তানি করুন +Permission2501=ডকুমেন্ট পড়ুন/ডাউনলোড করুন +Permission2502=নথি ডাউনলোড করুন +Permission2503=নথি জমা দিন বা মুছে দিন +Permission2515=নথির ডিরেক্টরি সেটআপ করুন +Permission2610=ব্যবহারকারীদের API কী তৈরি/সংশোধন করুন +Permission2801=রিড মোডে FTP ক্লায়েন্ট ব্যবহার করুন (শুধু ব্রাউজ এবং ডাউনলোড করুন) +Permission2802=লেখার মোডে FTP ক্লায়েন্ট ব্যবহার করুন (ফাইলগুলি মুছুন বা আপলোড করুন) +Permission3200=সংরক্ষণাগারভুক্ত ঘটনা এবং আঙ্গুলের ছাপ পড়ুন +Permission3301=নতুন মডিউল তৈরি করুন +Permission4001=দক্ষতা/চাকরি/পদ পড়ুন +Permission4002=দক্ষতা/চাকরি/পজিশন তৈরি/পরিবর্তন করুন +Permission4003=দক্ষতা/চাকরি/পদ মুছুন +Permission4021=মূল্যায়ন পড়ুন (আপনার এবং আপনার অধীনস্থদের) +Permission4022=মূল্যায়ন তৈরি/পরিবর্তন করুন +Permission4023=মূল্যায়ন যাচাই করুন +Permission4025=মূল্যায়ন মুছুন +Permission4028=তুলনা মেনু দেখুন +Permission4031=ব্যক্তিগত তথ্য পড়ুন +Permission4032=ব্যক্তিগত তথ্য লিখুন +Permission4033=সমস্ত মূল্যায়ন পড়ুন (এমনকি ব্যবহারকারীর অধীনস্থ নয়) +Permission10001=ওয়েবসাইটের বিষয়বস্তু পড়ুন +Permission10002=ওয়েবসাইট সামগ্রী তৈরি/পরিবর্তন করুন (html এবং JavaScript সামগ্রী) +Permission10003=ওয়েবসাইট বিষয়বস্তু তৈরি/পরিবর্তন করুন (ডাইনামিক পিএইচপি কোড)। বিপজ্জনক, সীমাবদ্ধ বিকাশকারীদের জন্য সংরক্ষিত করা আবশ্যক। +Permission10005=ওয়েবসাইটের বিষয়বস্তু মুছুন +Permission20001=ছুটির অনুরোধ পড়ুন (আপনার ছুটি এবং আপনার অধীনস্থদের) +Permission20002=আপনার ছুটির অনুরোধগুলি তৈরি/পরিবর্তন করুন (আপনার ছুটি এবং আপনার অধীনস্থদের) +Permission20003=ছুটির অনুরোধগুলি মুছুন +Permission20004=সমস্ত ছুটির অনুরোধ পড়ুন (এমনকি ব্যবহারকারীর অধীনস্থ নয়) +Permission20005=প্রত্যেকের জন্য ছুটির অনুরোধ তৈরি/পরিবর্তন করুন (এমনকি ব্যবহারকারীর অধীনস্থ নয়) +Permission20006=ছুটির অনুরোধগুলি পরিচালনা করুন (ব্যালেন্স সেটআপ এবং আপডেট করুন) +Permission20007=ছুটির অনুরোধ অনুমোদন করুন +Permission23001=নির্ধারিত চাকরি পড়ুন +Permission23002=নির্ধারিত কাজ তৈরি/আপডেট করুন +Permission23003=নির্ধারিত কাজ মুছুন +Permission23004=নির্ধারিত কাজ সম্পাদন করুন +Permission40001=মুদ্রা এবং তাদের হার পড়ুন +Permission40002=মুদ্রা এবং তাদের হার তৈরি/আপডেট করুন +Permission40003=মুদ্রা এবং তাদের হার মুছুন +Permission50101=পয়েন্ট অফ সেল ব্যবহার করুন (SimplePOS) +Permission50151=পয়েন্ট অফ সেল ব্যবহার করুন (টেকপিওএস) +Permission50152=বিক্রয় লাইন সম্পাদনা করুন +Permission50153=আদেশকৃত বিক্রয় লাইন সম্পাদনা করুন +Permission50201=লেনদেন পড়ুন +Permission50202=আমদানি লেনদেন +Permission50330=Zapier অবজেক্ট পড়ুন +Permission50331=Zapier এর বস্তু তৈরি/আপডেট করুন +Permission50332=Zapier এর বস্তু মুছুন +Permission50401=অ্যাকাউন্টিং অ্যাকাউন্টের সাথে পণ্য এবং চালান আবদ্ধ করুন +Permission50411=লেজারে অপারেশন পড়ুন +Permission50412=লেজারে ক্রিয়াকলাপ লিখুন/সম্পাদনা করুন +Permission50414=লেজারে ক্রিয়াকলাপ মুছুন +Permission50415=লেজারে বছরের এবং জার্নাল অনুসারে সমস্ত ক্রিয়াকলাপ মুছুন +Permission50418=খাতার রপ্তানি কার্যক্রম +Permission50420=রিপোর্ট এবং এক্সপোর্ট রিপোর্ট (টার্নওভার, ব্যালেন্স, জার্নাল, লেজার) +Permission50430=আর্থিক সময়কাল সংজ্ঞায়িত করুন। লেনদেন যাচাই করুন এবং আর্থিক সময়কাল বন্ধ করুন। +Permission50440=অ্যাকাউন্টের চার্ট, অ্যাকাউন্টেন্সি সেটআপ পরিচালনা করুন +Permission51001=সম্পদ পড়ুন +Permission51002=সম্পদ তৈরি/আপডেট করুন +Permission51003=সম্পদ মুছুন +Permission51005=সেটআপ প্রকারের সম্পদ +Permission54001=ছাপা +Permission55001=ভোট পড়ুন +Permission55002=পোল তৈরি/সংশোধন করুন +Permission59001=বাণিজ্যিক মার্জিন পড়ুন +Permission59002=বাণিজ্যিক মার্জিন সংজ্ঞায়িত করুন +Permission59003=প্রতিটি ব্যবহারকারী মার্জিন পড়ুন +Permission63001=সম্পদ পড়ুন +Permission63002=সম্পদ তৈরি/পরিবর্তন করুন +Permission63003=সম্পদ মুছুন +Permission63004=এজেন্ডা ইভেন্টে সংস্থান লিঙ্ক করুন +Permission64001=সরাসরি মুদ্রণের অনুমতি দিন +Permission67000=রসিদ মুদ্রণের অনুমতি দিন +Permission68001=ইন্ট্রাকম রিপোর্ট পড়ুন +Permission68002=ইন্ট্রাকম রিপোর্ট তৈরি/পরিবর্তন করুন +Permission68004=ইন্ট্রাকম রিপোর্ট মুছুন +Permission941601=রসিদ পড়ুন +Permission941602=রসিদগুলি তৈরি এবং সংশোধন করুন +Permission941603=রসিদ যাচাই +Permission941604=ইমেল দ্বারা রসিদ পাঠান +Permission941605=রপ্তানি রসিদ +Permission941606=রসিদ মুছুন +DictionaryCompanyType=তৃতীয় পক্ষের প্রকার +DictionaryCompanyJuridicalType=তৃতীয় পক্ষের আইনি সত্তা +DictionaryProspectLevel=কোম্পানীর জন্য সম্ভাবনা সম্ভাব্য স্তর +DictionaryProspectContactLevel=পরিচিতির জন্য সম্ভাব্য সম্ভাব্য স্তর +DictionaryCanton=রাজ্য/প্রদেশ +DictionaryRegion=অঞ্চলসমূহ +DictionaryCountry=দেশগুলো +DictionaryCurrency=মুদ্রা +DictionaryCivility=সম্মানজনক শিরোনাম +DictionaryActions=এজেন্ডা ইভেন্টের ধরন +DictionarySocialContributions=সামাজিক বা রাজস্ব করের প্রকার +DictionaryVAT=ভ্যাট হার বা বিক্রয় করের হার +DictionaryRevenueStamp=ট্যাক্স স্ট্যাম্পের পরিমাণ +DictionaryPaymentConditions=পরিশোধের শর্ত +DictionaryPaymentModes=পেমেন্ট মোড +DictionaryTypeContact=যোগাযোগ/ঠিকানার ধরন +DictionaryTypeOfContainer=ওয়েবসাইট - ওয়েবসাইট পেজ/পাত্রের ধরন +DictionaryEcotaxe=ইকোট্যাক্স (WEEE) +DictionaryPaperFormat=কাগজ বিন্যাস +DictionaryFormatCards=কার্ড ফরম্যাট +DictionaryFees=ব্যয় প্রতিবেদন - ব্যয় প্রতিবেদন লাইনের প্রকার +DictionarySendingMethods=পরিবহন পদ্ধতি +DictionaryStaff=কর্মচারীর সংখ্যা +DictionaryAvailability=দেরীতে বিলি +DictionaryOrderMethods=অর্ডার পদ্ধতি +DictionarySource=প্রস্তাব/আদেশের উত্স +DictionaryAccountancyCategory=প্রতিবেদনের জন্য ব্যক্তিগতকৃত গোষ্ঠী +DictionaryAccountancysystem=অ্যাকাউন্টের চার্টের জন্য মডেল +DictionaryAccountancyJournal=অ্যাকাউন্টিং জার্নাল +DictionaryEMailTemplates=ইমেল টেমপ্লেট +DictionaryUnits=ইউনিট +DictionaryMeasuringUnits=পরিমাপ ইউনিট +DictionarySocialNetworks=সামাজিক যোগাযোগ +DictionaryProspectStatus=কোম্পানির জন্য সম্ভাবনা অবস্থা +DictionaryProspectContactStatus=পরিচিতিগুলির জন্য সম্ভাব্য অবস্থা +DictionaryHolidayTypes=ছুটি - ছুটির প্রকার +DictionaryOpportunityStatus=প্রজেক্ট/লিডের জন্য লিড স্ট্যাটাস +DictionaryExpenseTaxCat=ব্যয় প্রতিবেদন - পরিবহন বিভাগ +DictionaryExpenseTaxRange=খরচ রিপোর্ট - পরিবহণ বিভাগ দ্বারা পরিসীমা +DictionaryTransportMode=ইন্ট্রাকম রিপোর্ট - পরিবহন মোড +DictionaryBatchStatus=পণ্য লট / সিরিয়াল মান নিয়ন্ত্রণ অবস্থা +DictionaryAssetDisposalType=সম্পদ নিষ্পত্তির ধরন +DictionaryInvoiceSubtype=চালান উপপ্রকার +TypeOfUnit=ইউনিটের ধরন +SetupSaved=সেটআপ সংরক্ষিত +SetupNotSaved=সেটআপ সংরক্ষিত হয়নি৷ +OAuthServiceConfirmDeleteTitle=OAuth এন্ট্রি মুছুন +OAuthServiceConfirmDeleteMessage=আপনি কি এই OAuth এন্ট্রি মুছে ফেলার বিষয়ে নিশ্চিত? এর জন্য বিদ্যমান সমস্ত টোকেনও মুছে ফেলা হবে। +ErrorInEntryDeletion=এন্ট্রি মুছে ফেলার ক্ষেত্রে ত্রুটি৷ +EntryDeleted=এন্ট্রি মুছে ফেলা হয়েছে +BackToModuleList=মডিউল তালিকায় ফিরে যান +BackToDictionaryList=অভিধান তালিকায় ফিরে যান +TypeOfRevenueStamp=ট্যাক্স স্ট্যাম্পের প্রকার +VATManagement=বিক্রয় কর ব্যবস্থাপনা +VATIsUsedDesc=সম্ভাবনা, চালান, অর্ডার ইত্যাদি তৈরি করার সময় ডিফল্টরূপে। বিক্রয় করের হার সক্রিয় আদর্শ নিয়ম অনুসরণ করে:
      যদি বিক্রেতা বিক্রয় করের অধীন না হয়, তাহলে বিক্রয় করের ডিফল্ট 0 তে নিয়মের সমাপ্তি।
      যদি (বিক্রেতার দেশ = ক্রেতার দেশ), তাহলে ডিফল্টভাবে বিক্রয় কর বিক্রেতার দেশে পণ্যের বিক্রয় করের সমান। নিয়মের সমাপ্তি৷
      যদি বিক্রেতা এবং ক্রেতা উভয়ই ইউরোপীয় সম্প্রদায়ের হয় এবং পণ্যগুলি পরিবহন-সম্পর্কিত পণ্য (হোলেজ, শিপিং, এয়ারলাইন) হয় তবে ডিফল্ট ভ্যাট 0৷ এটি নিয়ম বিক্রেতার দেশের উপর নির্ভরশীল - অনুগ্রহ করে আপনার হিসাবরক্ষকের সাথে পরামর্শ করুন। ভ্যাট ক্রেতাকে তাদের দেশের কাস্টমস অফিসে দিতে হবে, বিক্রেতাকে নয়। নিয়মের শেষ।
      যদি বিক্রেতা এবং ক্রেতা উভয়ই ইউরোপীয় সম্প্রদায়ের হয় এবং ক্রেতা একটি কোম্পানি না হয় (একটি নিবন্ধিত আন্তঃ-সম্প্রদায় ভ্যাট নম্বর সহ) তাহলে ভ্যাট ডিফল্ট হয় বিক্রেতার দেশের ভ্যাট হার। নিয়মের সমাপ্তি।
      যদি বিক্রেতা এবং ক্রেতা উভয়ই ইউরোপীয় সম্প্রদায়ের হয় এবং ক্রেতা একটি কোম্পানি হয় (একটি নিবন্ধিত আন্তঃ-সম্প্রদায়ের ভ্যাট নম্বর সহ), তাহলে ভ্যাট 0 গতানুগতিক. নিয়মের শেষ।
      অন্য যেকোনো ক্ষেত্রে প্রস্তাবিত ডিফল্ট হল বিক্রয় কর=0। শাসনের অবসান। +VATIsNotUsedDesc=ডিফল্টরূপে প্রস্তাবিত বিক্রয় কর হল 0 যা সমিতি, ব্যক্তি বা ছোট কোম্পানির মতো ক্ষেত্রে ব্যবহার করা যেতে পারে। +VATIsUsedExampleFR=ফ্রান্সে, এর অর্থ একটি বাস্তব আর্থিক ব্যবস্থা (সরলীকৃত বাস্তব বা স্বাভাবিক বাস্তব) রয়েছে এমন কোম্পানি বা সংস্থা। একটি সিস্টেম যেখানে ভ্যাট ঘোষণা করা হয়। +VATIsNotUsedExampleFR=ফ্রান্সে, এর অর্থ হল অ-বিক্রয় কর ঘোষিত সংস্থা বা কোম্পানি, সংস্থা বা উদার পেশা যারা মাইক্রো এন্টারপ্রাইজ ফিসকাল সিস্টেম (ফ্রাঞ্চাইজে সেলস ট্যাক্স) বেছে নিয়েছে এবং কোনও সেলস ট্যাক্স ঘোষণা ছাড়াই একটি ফ্র্যাঞ্চাইজ সেলস ট্যাক্স প্রদান করেছে। এই পছন্দটি ইনভয়েসে "অপ্রযোজ্য বিক্রয় কর - CGI-এর আর্ট-293B" রেফারেন্স প্রদর্শন করবে। +VATType=ভ্যাট প্রকার ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax -LTRate=Rate -LocalTax1IsNotUsed=Do not use second tax -LocalTax1IsUsedDesc=Use a second type of tax (other than first one) -LocalTax1IsNotUsedDesc=Do not use other type of tax (other than first one) -LocalTax1Management=Second type of tax +TypeOfSaleTaxes=বিক্রয় করের ধরন +LTRate=হার +LocalTax1IsNotUsed=দ্বিতীয় ট্যাক্স ব্যবহার করবেন না +LocalTax1IsUsedDesc=দ্বিতীয় ধরনের ট্যাক্স ব্যবহার করুন (প্রথমটি ছাড়া) +LocalTax1IsNotUsedDesc=অন্য ধরনের ট্যাক্স ব্যবহার করবেন না (প্রথমটি ছাড়া) +LocalTax1Management=কর দ্বিতীয় প্রকার LocalTax1IsUsedExample= LocalTax1IsNotUsedExample= -LocalTax2IsNotUsed=Do not use third tax -LocalTax2IsUsedDesc=Use a third type of tax (other than first one) -LocalTax2IsNotUsedDesc=Do not use other type of tax (other than first one) -LocalTax2Management=Third type of tax +LocalTax2IsNotUsed=তৃতীয় ট্যাক্স ব্যবহার করবেন না +LocalTax2IsUsedDesc=তৃতীয় ধরনের ট্যাক্স ব্যবহার করুন (প্রথমটি ছাড়া) +LocalTax2IsNotUsedDesc=অন্য ধরনের ট্যাক্স ব্যবহার করবেন না (প্রথমটি ছাড়া) +LocalTax2Management=তৃতীয় প্রকার ট্যাক্স LocalTax2IsUsedExample= LocalTax2IsNotUsedExample= -LocalTax1ManagementES=RE Management -LocalTax1IsUsedDescES=The RE rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the buyer is not subjected to RE, RE by default=0. End of rule.
      If the buyer is subjected to RE then the RE by default. End of rule.
      -LocalTax1IsNotUsedDescES=By default the proposed RE is 0. End of rule. -LocalTax1IsUsedExampleES=In Spain they are professionals subject to some specific sections of the Spanish IAE. -LocalTax1IsNotUsedExampleES=In Spain they are professional and societies and subject to certain sections of the Spanish IAE. -LocalTax2ManagementES=IRPF Management -LocalTax2IsUsedDescES=The IRPF rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.
      If the seller is subjected to IRPF then the IRPF by default. End of rule.
      -LocalTax2IsNotUsedDescES=By default the proposed IRPF is 0. End of rule. -LocalTax2IsUsedExampleES=In Spain, freelancers and independent professionals who provide services and companies who have chosen the tax system of modules. -LocalTax2IsNotUsedExampleES=In Spain they are businesses not subject to tax system of modules. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) -CalcLocaltax=Reports on local taxes -CalcLocaltax1=Sales - Purchases -CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases -CalcLocaltax2=Purchases -CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases -CalcLocaltax3=Sales -CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax -LabelUsedByDefault=Label used by default if no translation can be found for code -LabelOnDocuments=Label on documents -LabelOrTranslationKey=Label or translation key -ValueOfConstantKey=Value of a configuration constant -ConstantIsOn=Option %s is on -NbOfDays=No. of days -AtEndOfMonth=At end of month -CurrentNext=Current/Next -Offset=Offset -AlwaysActive=Always active +LocalTax1ManagementES=RE ব্যবস্থাপনা +LocalTax1IsUsedDescES=সম্ভাবনা, চালান, অর্ডার ইত্যাদি তৈরি করার সময় ডিফল্টরূপে RE হার। সক্রিয় আদর্শ নিয়ম অনুসরণ করুন:
      যদি ক্রেতা RE-এর অধীন না হয়, ডিফল্টরূপে RE=0। নিয়মের শেষ।
      যদি ক্রেতা RE এর অধীন হয় তাহলে ডিফল্টরূপে RE। নিয়মের শেষ।
      +LocalTax1IsNotUsedDescES=ডিফল্টরূপে প্রস্তাবিত RE হল 0। নিয়মের শেষ। +LocalTax1IsUsedExampleES=স্পেনে তারা স্প্যানিশ IAE এর কিছু নির্দিষ্ট বিভাগের অধীন পেশাদার। +LocalTax1IsNotUsedExampleES=স্পেনে তারা পেশাদার এবং সমাজ এবং স্প্যানিশ IAE এর নির্দিষ্ট বিভাগের অধীন। +LocalTax2ManagementES=আইআরপিএফ ব্যবস্থাপনা +LocalTax2IsUsedDescES=সম্ভাবনা, চালান, অর্ডার ইত্যাদি তৈরি করার সময় ডিফল্টরূপে IRPF রেট সক্রিয় মান নিয়ম অনুসরণ করে:
      যদি বিক্রেতা IRPF এর অধীন না হয়, তাহলে ডিফল্টরূপে IRPF=0। নিয়মের সমাপ্তি৷
      যদি বিক্রেতা IRPF এর অধীন হয় তাহলে ডিফল্টরূপে IRPF৷ নিয়মের শেষ।
      +LocalTax2IsNotUsedDescES=ডিফল্টরূপে প্রস্তাবিত IRPF হল 0। নিয়মের শেষ। +LocalTax2IsUsedExampleES=স্পেনে, ফ্রিল্যান্সার এবং স্বাধীন পেশাদার যারা পরিষেবা প্রদান করে এবং কোম্পানি যারা মডিউলের ট্যাক্স সিস্টেম বেছে নিয়েছে। +LocalTax2IsNotUsedExampleES=স্পেনে তারা এমন ব্যবসা যা মডিউলের ট্যাক্স সিস্টেমের অধীন নয়। +RevenueStampDesc="ট্যাক্স স্ট্যাম্প" বা "রেভিনিউ স্ট্যাম্প" হল একটি নির্দিষ্ট ট্যাক্স যা আপনি প্রতি চালান (এটি চালানের পরিমাণের উপর নির্ভর করে না)। এটি একটি শতাংশ ট্যাক্সও হতে পারে তবে শতাংশ করের জন্য দ্বিতীয় বা তৃতীয় ধরনের ট্যাক্স ব্যবহার করা ভাল কারণ ট্যাক্স স্ট্যাম্প কোন রিপোর্টিং প্রদান করে না। মাত্র কয়েকটি দেশ এই ধরনের ট্যাক্স ব্যবহার করে। +UseRevenueStamp=ট্যাক্স স্ট্যাম্প ব্যবহার করুন +UseRevenueStampExample=ট্যাক্স স্ট্যাম্পের মান ডিফল্টরূপে অভিধানের সেটআপে সংজ্ঞায়িত করা হয় (%s - %s - %s) +CalcLocaltax=স্থানীয় কর সংক্রান্ত প্রতিবেদন +CalcLocaltax1=বিক্রয় - ক্রয় +CalcLocaltax1Desc=স্থানীয় করের প্রতিবেদনগুলি গণনা করা হয় স্থানীয় কর বিক্রয় এবং স্থানীয় কর ক্রয়ের মধ্যে পার্থক্যের সাথে +CalcLocaltax2=ক্রয় +CalcLocaltax2Desc=স্থানীয় ট্যাক্সের রিপোর্ট হল স্থানীয় ট্যাক্স ক্রয়ের মোট সংখ্যা +CalcLocaltax3=বিক্রয় +CalcLocaltax3Desc=স্থানীয় ট্যাক্স রিপোর্ট হল স্থানীয় কর বিক্রয়ের মোট +NoLocalTaxXForThisCountry=করের সেটআপ অনুযায়ী (%s - %s - %s দেখুন) , আপনার দেশের এই ধরনের ট্যাক্স ব্যবহার করার প্রয়োজন নেই +LabelUsedByDefault=কোডের জন্য কোন অনুবাদ পাওয়া না গেলে ডিফল্টরূপে লেবেল ব্যবহার করা হয় +LabelOnDocuments=নথিতে লেবেল +LabelOrTranslationKey=লেবেল বা অনুবাদ কী +ValueOfConstantKey=একটি কনফিগারেশন ধ্রুবকের মান +ConstantIsOn=বিকল্প %s চালু আছে +NbOfDays=দিনের সংখ্যা +AtEndOfMonth=মাসের শেষে +CurrentNext=মাসে একটি নির্দিষ্ট দিন +Offset=অফসেট +AlwaysActive=সর্বদা সক্রিয় Upgrade=Upgrade -MenuUpgrade=Upgrade / Extend -AddExtensionThemeModuleOrOther=Deploy/install external app/module -WebServer=Web server -DocumentRootServer=Web server's root directory -DataRootServer=Data files directory -IP=IP -Port=Port -VirtualServerName=Virtual server name -OS=OS -PhpWebLink=Web-Php link +MenuUpgrade=আপগ্রেড / প্রসারিত করুন +AddExtensionThemeModuleOrOther=বাহ্যিক অ্যাপ/মডিউল স্থাপন/ইনস্টল করুন +WebServer=ওয়েব সার্ভার +DocumentRootServer=ওয়েব সার্ভারের রুট ডিরেক্টরি +DataRootServer=ডেটা ফাইল ডিরেক্টরি +IP=আইপি +Port=বন্দর +VirtualServerName=ভার্চুয়াল সার্ভারের নাম +OS=ওএস +PhpWebLink=ওয়েব-পিএইচপি লিঙ্ক Server=Server -Database=Database -DatabaseServer=Database host +Database=তথ্যশালা +DatabaseServer=ডাটাবেস হোস্ট DatabaseName=Database name -DatabasePort=Database port -DatabaseUser=Database user -DatabasePassword=Database password -Tables=Tables -TableName=Table name -NbOfRecord=No. of records +DatabasePort=ডাটাবেস পোর্ট +DatabaseUser=ডাটাবেস ব্যবহারকারী +DatabasePassword=ডাটাবেস পাসওয়ার্ড +Tables=টেবিল +TableName=টেবিলের নাম +NbOfRecord=রেকর্ডের সংখ্যা Host=Server DriverType=Driver type -SummarySystem=System information summary -SummaryConst=List of all Dolibarr setup parameters -MenuCompanySetup=Company/Organization -DefaultMenuManager= Standard menu manager -DefaultMenuSmartphoneManager=Smartphone menu manager -Skin=Skin theme -DefaultSkin=Default skin theme -MaxSizeList=Max length for list -DefaultMaxSizeList=Default max length for lists -DefaultMaxSizeShortList=Default max length for short lists (i.e. in customer card) -MessageOfDay=Message of the day -MessageLogin=Login page message -LoginPage=Login page -BackgroundImageLogin=Background image -PermanentLeftSearchForm=Permanent search form on left menu -DefaultLanguage=Default language -EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships -EnableShowLogo=Show the company logo in the menu -CompanyInfo=Company/Organization -CompanyIds=Company/Organization identities -CompanyName=Name -CompanyAddress=Address -CompanyZip=Zip -CompanyTown=Town -CompanyCountry=Country -CompanyCurrency=Main currency -CompanyObject=Object of the company -IDCountry=ID country -Logo=Logo -LogoDesc=Main logo of company. Will be used into generated documents (PDF, ...) -LogoSquarred=Logo (squarred) -LogoSquarredDesc=Must be a squarred icon (width = height). This logo will be used as the favorite icon or other need like for the top menu bar (if not disabled into display setup). -DoNotSuggestPaymentMode=Do not suggest -NoActiveBankAccountDefined=No active bank account defined -OwnerOfBankAccount=Owner of bank account %s -BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show the link "%s" -ShowBugTrackLinkDesc=Keep empty to not display this link, use value 'github' for the link to the Dolibarr project or define directly an url 'https://...' -Alerts=Alerts -DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: -DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. -Delays_MAIN_DELAY_ACTIONS_TODO=Planned events (agenda events) not completed -Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Project not closed in time -Delays_MAIN_DELAY_TASKS_TODO=Planned task (project tasks) not completed -Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Order not processed -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Purchase order not processed -Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Proposal not closed -Delays_MAIN_DELAY_PROPALS_TO_BILL=Proposal not billed -Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Service to activate -Delays_MAIN_DELAY_RUNNING_SERVICES=Expired service -Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Unpaid vendor invoice -Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Unpaid customer invoice -Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Pending bank reconciliation -Delays_MAIN_DELAY_MEMBERS=Delayed membership fee -Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Check deposit not done -Delays_MAIN_DELAY_EXPENSEREPORTS=Expense report to approve -Delays_MAIN_DELAY_HOLIDAYS=Leave requests to approve -SetupDescription1=Before starting to use Dolibarr some initial parameters must be defined and modules enabled/configured. -SetupDescription2=The following two sections are mandatory (the two first entries in the Setup menu): -SetupDescription3=%s -> %s

      Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4=%s -> %s

      This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. -SetupDescription5=Other Setup menu entries manage optional parameters. -SetupDescriptionLink=%s - %s -SetupDescription3b=Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s -Audit=Security events -InfoDolibarr=About Dolibarr -InfoBrowser=About Browser -InfoOS=About OS -InfoWebServer=About Web Server -InfoDatabase=About Database -InfoPHP=About PHP -InfoPerf=About Performances -InfoSecurity=About Security -BrowserName=Browser name -BrowserOS=Browser OS -ListOfSecurityEvents=List of Dolibarr security events -SecurityEventsPurged=Security events purged -LogEventDesc=Enable logging for specific security events. Administrators the log via menu %s - %s. Warning, this feature can generate a large amount of data in the database. -AreaForAdminOnly=Setup parameters can be set by administrator users only. -SystemInfoDesc=System information is miscellaneous technical information you get in read only mode and visible for administrators only. -SystemAreaForAdminOnly=This area is available to administrator users only. Dolibarr user permissions cannot change this restriction. -CompanyFundationDesc=Edit the information of your company/organization. Click on "%s" button at the bottom of the page when done. -AccountantDesc=If you have an external accountant/bookkeeper, you can edit here its information. -AccountantFileNumber=Accountant code -DisplayDesc=Parameters affecting the look and presentation of the application can be modified here. -AvailableModules=Available app/modules -ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). -SessionTimeOut=Time out for session -SessionExplanation=This number guarantees that the session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guarantee that the session will expire after this delay. It will expire, after this delay, and when the session cleaner is run, so every %s/%s access, but only during access made by other sessions (if value is 0, it means clearing of session is done only by an external process).
      Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by an external setup, no matter what the value entered here is. -SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. -TriggersAvailable=Available triggers -TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). -TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. -TriggerDisabledAsModuleDisabled=Triggers in this file are disabled as module %s is disabled. -TriggerAlwaysActive=Triggers in this file are always active, whatever are the activated Dolibarr modules. -TriggerActiveAsModuleActive=Triggers in this file are active as module %s is enabled. -GeneratedPasswordDesc=Choose the method to be used for auto-generated passwords. -DictionaryDesc=Insert all reference data. You can add your values to the default. -ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting only. -MiscellaneousDesc=All other security related parameters are defined here. -LimitsSetup=Limits/Precision setup -LimitsDesc=You can define limits, precisions and optimizations used by Dolibarr here -MAIN_MAX_DECIMALS_UNIT=Max. decimals for unit prices -MAIN_MAX_DECIMALS_TOT=Max. decimals for total prices -MAIN_MAX_DECIMALS_SHOWN=Max. decimals for prices shown on screen. Add an ellipsis ... after this parameter (e.g. "2...") if you want to see "..." suffixed to the truncated price. -MAIN_ROUNDING_RULE_TOT=Step of rounding range (for countries where rounding is done on something other than base 10. For example, put 0.05 if rounding is done by 0.05 steps) -UnitPriceOfProduct=Net unit price of a product -TotalPriceAfterRounding=Total price (excl/vat/incl tax) after rounding -ParameterActiveForNextInputOnly=Parameter effective for next input only -NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit has not been enabled in the "Setup - Security - Events" page. -NoEventFoundWithCriteria=No security event has been found for this search criteria. -SeeLocalSendMailSetup=See your local sendmail setup -BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. -BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. -BackupDescX=The archived directory should be stored in a secure place. -BackupDescY=The generated dump file should be stored in a secure place. -BackupPHPWarning=Backup cannot be guaranteed with this method. Previous one recommended. -RestoreDesc=To restore a Dolibarr backup, two steps are required. -RestoreDesc2=Restore the backup file (zip file for example) of the "documents" directory to a new Dolibarr installation or into this current documents directory (%s). -RestoreDesc3=Restore the database structure and data from a backup dump file into the database of the new Dolibarr installation or into the database of this current installation (%s). Warning, once the restore is complete, you must use a login/password, that existed from the backup time/installation to connect again.
      To restore a backup database into this current installation, you can follow this assistant. -RestoreMySQL=MySQL import -ForcedToByAModule=This rule is forced to %s by an activated module -ValueIsForcedBySystem=This value is forced by the system. You can't change it. -PreviousDumpFiles=Existing backup files -PreviousArchiveFiles=Existing archive files -WeekStartOnDay=First day of the week -RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) -YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. -YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP -DownloadMoreSkins=More skins to download -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset -ShowProfIdInAddress=Show professional ID with addresses -ShowVATIntaInAddress=Hide intra-Community VAT number -TranslationUncomplete=Partial translation -MAIN_DISABLE_METEO=Disable weather thumb -MeteoStdMod=Standard mode -MeteoStdModEnabled=Standard mode enabled -MeteoPercentageMod=Percentage mode -MeteoPercentageModEnabled=Percentage mode enabled -MeteoUseMod=Click to use %s -TestLoginToAPI=Test login to API -ProxyDesc=Some features of Dolibarr require internet access. Define here the internet connection parameters such as access through a proxy server if necessary. -ExternalAccess=External/Internet Access -MAIN_PROXY_USE=Use a proxy server (otherwise access is direct to the internet) -MAIN_PROXY_HOST=Proxy server: Name/Address -MAIN_PROXY_PORT=Proxy server: Port -MAIN_PROXY_USER=Proxy server: Login/User -MAIN_PROXY_PASS=Proxy server: Password -DefineHereComplementaryAttributes=Define any additional / custom attributes that must be added to: %s +SummarySystem=সিস্টেম তথ্য সারাংশ +SummaryConst=সমস্ত Dolibarr সেটআপ প্যারামিটারের তালিকা +MenuCompanySetup=কোম্পানি/সংস্থা +DefaultMenuManager= স্ট্যান্ডার্ড মেনু ম্যানেজার +DefaultMenuSmartphoneManager=স্মার্টফোন মেনু ম্যানেজার +Skin=ত্বকের থিম +DefaultSkin=ডিফল্ট স্কিন থিম +MaxSizeList=তালিকার জন্য সর্বোচ্চ দৈর্ঘ্য +DefaultMaxSizeList=তালিকার জন্য ডিফল্ট সর্বোচ্চ দৈর্ঘ্য +DefaultMaxSizeShortList=ছোট তালিকার জন্য ডিফল্ট সর্বোচ্চ দৈর্ঘ্য (যেমন গ্রাহক কার্ডে) +MessageOfDay=দিনের বার্তা +MessageLogin=লগইন পৃষ্ঠা বার্তা +LoginPage=লগইন পৃষ্ঠায় +BackgroundImageLogin=ব্যাকগ্রাউন্ড ইমেজ +PermanentLeftSearchForm=বাম মেনুতে স্থায়ী অনুসন্ধান ফর্ম +DefaultLanguage=নির্ধারিত ভাষা +EnableMultilangInterface=গ্রাহক বা বিক্রেতা সম্পর্কের জন্য বহুভাষা সমর্থন সক্ষম করুন৷ +EnableShowLogo=মেনুতে কোম্পানির লোগো দেখান +CompanyInfo=কোম্পানি/সংস্থা +CompanyIds=কোম্পানি/সংস্থার পরিচয় +CompanyName=নাম +CompanyAddress=ঠিকানা +CompanyZip=জিপ +CompanyTown=শহর +CompanyCountry=দেশ +CompanyCurrency=প্রধান মুদ্রা +CompanyObject=কোম্পানির অবজেক্ট +IDCountry=আইডি দেশ +Logo=লোগো +LogoDesc=কোম্পানির প্রধান লোগো। উত্পন্ন নথিতে ব্যবহার করা হবে (পিডিএফ, ...) +LogoSquarred=লোগো (বর্গাকার) +LogoSquarredDesc=একটি বর্গাকার আইকন হতে হবে (প্রস্থ = উচ্চতা)। এই লোগোটি পছন্দের আইকন হিসাবে ব্যবহার করা হবে বা উপরের মেনু বারের মতো অন্যান্য প্রয়োজন (যদি ডিসপ্লে সেটআপে নিষ্ক্রিয় না হয়)। +DoNotSuggestPaymentMode=সাজেস্ট করবেন না +NoActiveBankAccountDefined=কোনো সক্রিয় ব্যাঙ্ক অ্যাকাউন্ট সংজ্ঞায়িত করা হয়নি +OwnerOfBankAccount=ব্যাঙ্ক অ্যাকাউন্টের মালিক %s +BankModuleNotActive=ব্যাঙ্ক অ্যাকাউন্ট মডিউল সক্ষম করা নেই৷ +ShowBugTrackLink=লিঙ্কটি দেখান "%s" +ShowBugTrackLinkDesc=এই লিঙ্কটি প্রদর্শন না করার জন্য খালি রাখুন, Dolibarr প্রকল্পের লিঙ্কের জন্য মান 'github' ব্যবহার করুন বা সরাসরি একটি url 'https://...' সংজ্ঞায়িত করুন +Alerts=সতর্কতা +DelaysOfToleranceBeforeWarning=এর জন্য একটি সতর্কতা সতর্কতা প্রদর্শন করা হচ্ছে... +DelaysOfToleranceDesc=দেরী উপাদানের জন্য একটি সতর্কতা আইকন %s অনস্ক্রিন দেখানোর আগে বিলম্ব সেট করুন। +Delays_MAIN_DELAY_ACTIONS_TODO=পরিকল্পিত ইভেন্ট (এজেন্ডা ইভেন্ট) সম্পূর্ণ হয়নি +Delays_MAIN_DELAY_PROJECT_TO_CLOSE=সময়মতো প্রকল্প বন্ধ হয়নি +Delays_MAIN_DELAY_TASKS_TODO=পরিকল্পিত কাজ (প্রকল্পের কাজ) সম্পন্ন হয়নি +Delays_MAIN_DELAY_ORDERS_TO_PROCESS=অর্ডার প্রক্রিয়া করা হয় না +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=ক্রয় আদেশ প্রক্রিয়া করা হয় না +Delays_MAIN_DELAY_PROPALS_TO_CLOSE=প্রস্তাব বন্ধ না +Delays_MAIN_DELAY_PROPALS_TO_BILL=প্রস্তাব বিল করা হয়নি +Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=সক্রিয় করার জন্য পরিষেবা +Delays_MAIN_DELAY_RUNNING_SERVICES=মেয়াদোত্তীর্ণ পরিষেবা +Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=অবৈতনিক বিক্রেতা চালান +Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=অবৈতনিক গ্রাহক চালান +Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=মুলতুবি ব্যাঙ্ক পুনর্মিলন +Delays_MAIN_DELAY_MEMBERS=বিলম্বিত সদস্য ফি +Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=চেক ডিপোজিট করা হয়নি +Delays_MAIN_DELAY_EXPENSEREPORTS=অনুমোদনের জন্য ব্যয় প্রতিবেদন +Delays_MAIN_DELAY_HOLIDAYS=অনুমোদনের জন্য অনুরোধগুলি ছেড়ে দিন +SetupDescription1=Dolibarr ব্যবহার শুরু করার আগে কিছু প্রাথমিক পরামিতি সংজ্ঞায়িত করতে হবে এবং মডিউল সক্রিয়/কনফিগার করতে হবে। +SetupDescription2=নিম্নলিখিত দুটি বিভাগ বাধ্যতামূলক (সেটআপ মেনুতে দুটি প্রথম এন্ট্রি): +SetupDescription3=%s -> %sb0e40dc858

      আপনার অ্যাপ্লিকেশনের ডিফল্ট আচরণ কাস্টমাইজ করার জন্য ব্যবহৃত মৌলিক প্যারামিটারগুলি (যেমন দেশ-সম্পর্কিত বৈশিষ্ট্যগুলির জন্য)। +SetupDescription4=
      %s -> %sb0e40dc858

      এই সফ্টওয়্যারটি অনেক মডিউল/অ্যাপ্লিকেশনের একটি স্যুট। আপনার প্রয়োজনের সাথে সম্পর্কিত মডিউলগুলি অবশ্যই সক্ষম এবং কনফিগার করা উচিত। এই মডিউলগুলি সক্রিয় করার সাথে মেনু এন্ট্রি প্রদর্শিত হবে। +SetupDescription5=অন্যান্য সেটআপ মেনু এন্ট্রি ঐচ্ছিক পরামিতি পরিচালনা করে। +SetupDescriptionLink=
      %s - %sb0e40dc +SetupDescription3b=আপনার অ্যাপ্লিকেশনের ডিফল্ট আচরণ কাস্টমাইজ করতে ব্যবহৃত মৌলিক পরামিতিগুলি (যেমন দেশ-সম্পর্কিত বৈশিষ্ট্যগুলির জন্য)। +SetupDescription4b=এই সফ্টওয়্যারটি অনেক মডিউল/অ্যাপ্লিকেশনের একটি স্যুট। আপনার প্রয়োজনের সাথে সম্পর্কিত মডিউলগুলি সক্রিয় করতে হবে। এই মডিউলগুলি সক্রিয় করার সাথে মেনু এন্ট্রি প্রদর্শিত হবে। +AuditedSecurityEvents=নিরাপত্তা ঘটনা যা নিরীক্ষিত হয় +NoSecurityEventsAreAduited=কোন নিরাপত্তা ঘটনা নিরীক্ষিত হয়. আপনি %s মেনু থেকে তাদের সক্ষম করতে পারেন +Audit=নিরাপত্তা ঘটনা +InfoDolibarr=ডলিবার সম্পর্কে +InfoBrowser=ব্রাউজার সম্পর্কে +InfoOS=ওএস সম্পর্কে +InfoWebServer=ওয়েব সার্ভার সম্পর্কে +InfoDatabase=ডাটাবেস সম্পর্কে +InfoPHP=পিএইচপি সম্পর্কে +InfoPerf=পারফরম্যান্স সম্পর্কে +InfoSecurity=নিরাপত্তা সম্পর্কে +BrowserName=ব্রাউজারের নাম +BrowserOS=ব্রাউজার ওএস +ListOfSecurityEvents=ডলিবার নিরাপত্তা ইভেন্টের তালিকা +SecurityEventsPurged=নিরাপত্তা ঘটনা শুদ্ধ +TrackableSecurityEvents=ট্র্যাকযোগ্য নিরাপত্তা ঘটনা +LogEventDesc=নির্দিষ্ট নিরাপত্তা ইভেন্টের জন্য লগিং সক্ষম করুন. প্রশাসক মেনু %s - %s. সতর্কতা, এই বৈশিষ্ট্যটি ডাটাবেসে প্রচুর পরিমাণে ডেটা তৈরি করতে পারে। +AreaForAdminOnly=সেটআপ প্যারামিটারগুলি শুধুমাত্র প্রশাসক ব্যবহারকারীদের দ্বারা সেট করা যেতে পারে। +SystemInfoDesc=সিস্টেমের তথ্য হল বিবিধ প্রযুক্তিগত তথ্য যা আপনি শুধুমাত্র পঠন মোডে পান এবং শুধুমাত্র প্রশাসকদের জন্য দৃশ্যমান। +SystemAreaForAdminOnly=এই এলাকা শুধুমাত্র প্রশাসক ব্যবহারকারীদের জন্য উপলব্ধ. Dolibarr ব্যবহারকারীর অনুমতি এই সীমাবদ্ধতা পরিবর্তন করতে পারে না. +CompanyFundationDesc=আপনার কোম্পানি/সংস্থার তথ্য সম্পাদনা করুন। হয়ে গেলে পৃষ্ঠার নীচে "%s" বোতামে ক্লিক করুন৷ +MoreNetworksAvailableWithModule="সামাজিক নেটওয়ার্ক" মডিউল সক্ষম করে আরও সামাজিক নেটওয়ার্ক উপলব্ধ হতে পারে৷ +AccountantDesc=আপনার যদি একজন বহিরাগত হিসাবরক্ষক/বুককিপার থাকে, আপনি এখানে তার তথ্য সম্পাদনা করতে পারেন। +AccountantFileNumber=হিসাবরক্ষক কোড +DisplayDesc=অ্যাপ্লিকেশনের চেহারা এবং উপস্থাপনাকে প্রভাবিত করে এমন প্যারামিটারগুলি এখানে পরিবর্তন করা যেতে পারে। +AvailableModules=উপলব্ধ অ্যাপ/মডিউল +ToActivateModule=মডিউল সক্রিয় করতে, সেটআপ এরিয়াতে যান (হোম->সেটআপ->মডিউল)। +SessionTimeOut=অধিবেশনের জন্য সময় শেষ +SessionExplanation=এই সংখ্যাটি গ্যারান্টি দেয় যে সেশনটি এই বিলম্বের আগে কখনই শেষ হবে না, যদি সেশন ক্লিনারটি অভ্যন্তরীণ PHP সেশন ক্লিনার দ্বারা করা হয় (এবং অন্য কিছু নয়)। অভ্যন্তরীণ PHP সেশন ক্লিনার গ্যারান্টি দেয় না যে এই বিলম্বের পরে সেশনের মেয়াদ শেষ হবে। এই বিলম্বের পরে এবং যখন সেশন ক্লিনার চালানো হবে তখন এটির মেয়াদ শেষ হয়ে যাবে, তাই প্রতিটি %s/%s অ্যাক্সেস, কিন্তু শুধুমাত্র অন্যান্য সেশন দ্বারা করা অ্যাক্সেসের সময় (যদি মান 0 হয়, এর অর্থ হল সেশনটি ক্লিয়ার করা শুধুমাত্র একটি বাহ্যিক প্রক্রিয়া দ্বারা সম্পন্ন হয়) .
      দ্রষ্টব্য: একটি বাহ্যিক সেশন ক্লিনিং মেকানিজম সহ কিছু সার্ভারে (ডেবিয়ানের অধীনে ক্রন, উবুন্টু ...), সেশনগুলি একটি বাহ্যিক সেটআপ দ্বারা সংজ্ঞায়িত সময়ের পরে ধ্বংস করা যেতে পারে, এখানে প্রবেশ করা মান কোন ব্যাপার না. +SessionsPurgedByExternalSystem=এই সার্ভারের সেশনগুলি একটি বাহ্যিক প্রক্রিয়া (ডেবিয়ান, উবুন্টুর অধীনে ক্রন ...) দ্বারা পরিষ্কার করা হয়েছে বলে মনে হচ্ছে, সম্ভবত প্রতিটি %s
      সেকেন্ড (= প্যারামিটারের মান session.gc_maxlifetimeb09a4b739fz8 , তাই এখানে মান পরিবর্তনের কোন প্রভাব নেই। আপনাকে অবশ্যই সার্ভার অ্যাডমিনিস্ট্রেটরকে সেশন বিলম্ব পরিবর্তন করতে বলতে হবে। +TriggersAvailable=উপলব্ধ ট্রিগার +TriggersDesc=ট্রিগার হল এমন ফাইল যা htdocs/core/triggers-এ কপি করা হলে Dolibarr ওয়ার্কফ্লো-এর আচরণ পরিবর্তন করবে। তারা নতুন কর্ম উপলব্ধি করে, ডলিবার ইভেন্টগুলিতে সক্রিয় (নতুন কোম্পানি তৈরি, চালান বৈধতা, ...)। +TriggerDisabledByName=এই ফাইলের ট্রিগারগুলি তাদের নামের -NORUN প্রত্যয় দ্বারা অক্ষম করা হয়েছে৷ +TriggerDisabledAsModuleDisabled=এই ফাইলের ট্রিগারগুলি মডিউল হিসাবে নিষ্ক্রিয় করা হয়েছে %sb09a4b739f17f8zd0। +TriggerAlwaysActive=এই ফাইলের ট্রিগারগুলি সর্বদা সক্রিয় থাকে, সক্রিয় ডলিবার মডিউল যাই হোক না কেন। +TriggerActiveAsModuleActive=এই ফাইলের ট্রিগারগুলি মডিউল হিসাবে সক্রিয় রয়েছে %s সক্রিয়। +GeneratedPasswordDesc=স্বয়ংক্রিয়-উত্পন্ন পাসওয়ার্ডের জন্য ব্যবহার করা পদ্ধতি নির্বাচন করুন। +DictionaryDesc=সমস্ত রেফারেন্স ডেটা সন্নিবেশ করুন। আপনি আপনার মান ডিফল্ট যোগ করতে পারেন. +ConstDesc=এই পৃষ্ঠাটি আপনাকে অন্য পৃষ্ঠাগুলিতে উপলব্ধ নয় এমন প্যারামিটারগুলি সম্পাদনা (ওভাররাইড) করতে দেয়৷ এগুলি বেশিরভাগই ডেভেলপার/উন্নত সমস্যা সমাধানের জন্য সংরক্ষিত প্যারামিটার। +MiscellaneousOptions=বিবিধ বিকল্প +MiscellaneousDesc=অন্যান্য সমস্ত নিরাপত্তা সম্পর্কিত পরামিতি এখানে সংজ্ঞায়িত করা হয়েছে। +LimitsSetup=সীমা/নির্ভুল সেটআপ +LimitsDesc=আপনি এখানে Dolibarr দ্বারা ব্যবহৃত সীমা, নির্ভুলতা এবং অপ্টিমাইজেশান সংজ্ঞায়িত করতে পারেন +MAIN_MAX_DECIMALS_UNIT=সর্বোচ্চ ইউনিট মূল্যের জন্য দশমিক +MAIN_MAX_DECIMALS_TOT=সর্বোচ্চ মোট দামের জন্য দশমিক +MAIN_MAX_DECIMALS_SHOWN=সর্বোচ্চ দামের জন্য দশমিক স্ক্রীনে দেখানো হয়েছে। আপনি যদি দেখতে চান তাহলে এই প্যারামিটারের পরে একটি উপবৃত্ত ... যোগ করুন (যেমন "2...") ..." কাটা মূল্যের সাথে প্রত্যয়িত। +MAIN_ROUNDING_RULE_TOT=রাউন্ডিং পরিসরের ধাপ (যেসব দেশে রাউন্ডিং বেস 10 ছাড়া অন্য কিছুতে করা হয়। উদাহরণস্বরূপ, 0.05 রাখুন যদি রাউন্ডিং 0.05 ধাপে করা হয়) +UnitPriceOfProduct=একটি পণ্যের নিট একক মূল্য +TotalPriceAfterRounding=রাউন্ডিংয়ের পরে মোট মূল্য (ভ্যাট/ভ্যাট সহ ট্যাক্স) +ParameterActiveForNextInputOnly=পরামিতি শুধুমাত্র পরবর্তী ইনপুট জন্য কার্যকর +NoEventOrNoAuditSetup=কোন নিরাপত্তা ইভেন্ট লগ করা হয়েছে. এটি স্বাভাবিক যদি "সেটআপ - নিরাপত্তা - ইভেন্ট" পৃষ্ঠায় অডিট সক্রিয় করা না থাকে৷ +NoEventFoundWithCriteria=এই অনুসন্ধানের মানদণ্ডের জন্য কোনও নিরাপত্তা ইভেন্ট পাওয়া যায়নি। +SeeLocalSendMailSetup=আপনার স্থানীয় সেন্ডমেইল সেটআপ দেখুন +BackupDesc=একটি Dolibarr ইনস্টলেশনের একটি সম্পূর্ণ ব্যাকআপের জন্য দুটি ধাপ প্রয়োজন৷ +BackupDesc2="নথিপত্র" ডিরেক্টরির বিষয়বস্তু ব্যাকআপ করুন (%s) আপলোড করা এবং জেনারেট করা সমস্ত ফাইল রয়েছে। এটি ধাপ 1-এ উত্পন্ন সমস্ত ডাম্প ফাইলও অন্তর্ভুক্ত করবে। এই অপারেশনটি কয়েক মিনিট স্থায়ী হতে পারে। +BackupDesc3=আপনার ডাটাবেসের গঠন এবং বিষয়বস্তু ব্যাকআপ করুন (%s) একটি ডাম্প ফাইল। এই জন্য, আপনি নিম্নলিখিত সহকারী ব্যবহার করতে পারেন. +BackupDescX=সংরক্ষণাগারভুক্ত ডিরেক্টরি একটি নিরাপদ স্থানে সংরক্ষণ করা উচিত। +BackupDescY=উৎপন্ন ডাম্প ফাইল একটি নিরাপদ জায়গায় সংরক্ষণ করা উচিত। +BackupPHPWarning=এই পদ্ধতিতে ব্যাকআপ নিশ্চিত করা যাবে না। পূর্ববর্তী একটি প্রস্তাবিত. +RestoreDesc=একটি Dolibarr ব্যাকআপ পুনরুদ্ধার করতে, দুটি পদক্ষেপ প্রয়োজন৷ +RestoreDesc2="নথিপত্র" ডিরেক্টরির ব্যাকআপ ফাইল (উদাহরণস্বরূপ জিপ ফাইল) একটি নতুন ডলিবার ইনস্টলেশনে বা এই বর্তমান নথির ডিরেক্টরিতে পুনরুদ্ধার করুন (%s )। +RestoreDesc3=একটি ব্যাকআপ ডাম্প ফাইল থেকে ডাটাবেস কাঠামো এবং ডেটা পুনরুদ্ধার করুন নতুন ডলিবার ইনস্টলেশনের ডাটাবেসে বা এই বর্তমান ইনস্টলেশনের ডাটাবেসে (%s )। সতর্কতা, একবার পুনরুদ্ধার সম্পূর্ণ হলে, আপনাকে অবশ্যই একটি লগইন/পাসওয়ার্ড ব্যবহার করতে হবে, যা ব্যাকআপের সময়/ইন্সটলেশন থেকে বিদ্যমান ছিল আবার সংযোগ করতে।
      এই বর্তমান ইনস্টলেশনে একটি ব্যাকআপ ডাটাবেস পুনরুদ্ধার করতে , আপনি এই সহকারী অনুসরণ করতে পারেন. +RestoreMySQL=MySQL আমদানি +ForcedToByAModule=এই নিয়মটি একটি সক্রিয় মডিউল দ্বারা %s করতে বাধ্য করা হয়েছে +ValueIsForcedBySystem=এই মান সিস্টেম দ্বারা বাধ্য করা হয়. আপনি এটা পরিবর্তন করতে পারবেন না. +PreviousDumpFiles=বিদ্যমান ব্যাকআপ ফাইল +PreviousArchiveFiles=বিদ্যমান সংরক্ষণাগার ফাইল +WeekStartOnDay=সপ্তাহের প্রথম দিন +RunningUpdateProcessMayBeRequired=আপগ্রেড প্রক্রিয়া চালানো প্রয়োজন বলে মনে হচ্ছে (প্রোগ্রাম সংস্করণ %s ডেটাবেস সংস্করণ %s থেকে আলাদা) +YouMustRunCommandFromCommandLineAfterLoginToUser=ব্যবহারকারী %s এর সাথে একটি শেলে লগইন করার পরে আপনাকে কমান্ড লাইন থেকে এই কমান্ডটি চালাতে হবে অথবা আপনাকে %s
      পাসওয়ার্ড। +YourPHPDoesNotHaveSSLSupport=আপনার পিএইচপি-তে SSL ফাংশন উপলব্ধ নয় +DownloadMoreSkins=আরো স্কিন ডাউনলোড করতে +SimpleNumRefModelDesc=%s yymm-nnnn ফর্ম্যাটে রেফারেন্স নম্বর ফেরত দেয় যেখানে yy হল বছর, mm হল মাস এবং nnnn হল একটি ক্রমিক স্বয়ংক্রিয়-বৃদ্ধি সংখ্যা রিসেট ছাড়াই +SimpleRefNumRefModelDesc=n ফর্ম্যাটে রেফারেন্স নম্বর ফেরত দেয় যেখানে n হল একটি ক্রমিক স্বয়ংক্রিয়-বৃদ্ধি সংখ্যা রিসেট ছাড়াই +AdvancedNumRefModelDesc=%s yymm-nnnn ফর্ম্যাটে রেফারেন্স নম্বর ফেরত দেয় যেখানে yy হল বছর, mm হল মাস এবং nnnn হল একটি ক্রমিক স্বয়ংক্রিয়-বৃদ্ধি সংখ্যা রিসেট ছাড়াই +SimpleNumRefNoDateModelDesc=%s-এনএনএনএন বিন্যাসে রেফারেন্স নম্বরটি ফেরত দেয় যেখানে nnnn কোনো রিসেট ছাড়াই একটি ক্রমিক স্বয়ংক্রিয় বৃদ্ধিকারী সংখ্যা +ShowProfIdInAddress=ঠিকানা সহ পেশাদার আইডি দেখান +ShowVATIntaInAddress=আন্তঃ-সম্প্রদায় ভ্যাট নম্বর লুকান +TranslationUncomplete=আংশিক অনুবাদ +MAIN_DISABLE_METEO=আবহাওয়ার থাম্ব অক্ষম করুন +MeteoStdMod=আদর্শ অবস্থা +MeteoStdModEnabled=স্ট্যান্ডার্ড মোড সক্ষম +MeteoPercentageMod=শতাংশ মোড +MeteoPercentageModEnabled=শতাংশ মোড সক্ষম +MeteoUseMod=%s ব্যবহার করতে ক্লিক করুন +TestLoginToAPI=API এ লগইন পরীক্ষা করুন +ProxyDesc=Dolibarr এর কিছু বৈশিষ্ট্য ইন্টারনেট অ্যাক্সেস প্রয়োজন. প্রয়োজনে প্রক্সি সার্ভারের মাধ্যমে অ্যাক্সেসের মতো ইন্টারনেট সংযোগের পরামিতি এখানে সংজ্ঞায়িত করুন। +ExternalAccess=বাহ্যিক/ইন্টারনেট অ্যাক্সেস +MAIN_PROXY_USE=একটি প্রক্সি সার্ভার ব্যবহার করুন (অন্যথায় অ্যাক্সেস সরাসরি ইন্টারনেটে) +MAIN_PROXY_HOST=প্রক্সি সার্ভার: নাম/ঠিকানা +MAIN_PROXY_PORT=প্রক্সি সার্ভার: পোর্ট +MAIN_PROXY_USER=প্রক্সি সার্ভার: লগইন/ব্যবহারকারী +MAIN_PROXY_PASS=প্রক্সি সার্ভার: পাসওয়ার্ড +DefineHereComplementaryAttributes=যেকোন অতিরিক্ত / কাস্টম বৈশিষ্ট্যগুলিকে সংজ্ঞায়িত করুন যা যোগ করতে হবে: %s ExtraFields=Complementary attributes -ExtraFieldsLines=Complementary attributes (lines) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) -ExtraFieldsSupplierOrdersLines=Complementary attributes (order lines) -ExtraFieldsSupplierInvoicesLines=Complementary attributes (invoice lines) -ExtraFieldsThirdParties=Complementary attributes (third party) -ExtraFieldsContacts=Complementary attributes (contacts/address) -ExtraFieldsMember=Complementary attributes (member) -ExtraFieldsMemberType=Complementary attributes (member type) -ExtraFieldsCustomerInvoices=Complementary attributes (invoices) -ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) -ExtraFieldsSupplierOrders=Complementary attributes (orders) -ExtraFieldsSupplierInvoices=Complementary attributes (invoices) -ExtraFieldsProject=Complementary attributes (projects) -ExtraFieldsProjectTask=Complementary attributes (tasks) -ExtraFieldsSalaries=Complementary attributes (salaries) -ExtraFieldHasWrongValue=Attribute %s has a wrong value. -AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space -SendmailOptionNotComplete=Warning, on some Linux systems, to send email from your email, sendmail execution setup must contains option -ba (parameter mail.force_extra_parameters into your php.ini file). If some recipients never receive emails, try to edit this PHP parameter with mail.force_extra_parameters = -ba). -PathToDocuments=Path to documents +ExtraFieldsLines=পরিপূরক বৈশিষ্ট্য (লাইন) +ExtraFieldsLinesRec=পরিপূরক বৈশিষ্ট্য (টেমপ্লেট চালান লাইন) +ExtraFieldsSupplierOrdersLines=পরিপূরক বৈশিষ্ট্য (অর্ডার লাইন) +ExtraFieldsSupplierInvoicesLines=পরিপূরক বৈশিষ্ট্য (চালান লাইন) +ExtraFieldsThirdParties=পরিপূরক বৈশিষ্ট্য (তৃতীয় পক্ষ) +ExtraFieldsContacts=পরিপূরক বৈশিষ্ট্য (পরিচিতি/ঠিকানা) +ExtraFieldsMember=পরিপূরক বৈশিষ্ট্য (সদস্য) +ExtraFieldsMemberType=পরিপূরক বৈশিষ্ট্য (সদস্য প্রকার) +ExtraFieldsCustomerInvoices=পরিপূরক বৈশিষ্ট্য (চালান) +ExtraFieldsCustomerInvoicesRec=পরিপূরক বৈশিষ্ট্য (টেমপ্লেট চালান) +ExtraFieldsSupplierOrders=পরিপূরক বৈশিষ্ট্য (অর্ডার) +ExtraFieldsSupplierInvoices=পরিপূরক বৈশিষ্ট্য (চালান) +ExtraFieldsProject=পরিপূরক বৈশিষ্ট্য (প্রকল্প) +ExtraFieldsProjectTask=পরিপূরক বৈশিষ্ট্য (কাজ) +ExtraFieldsSalaries=পরিপূরক বৈশিষ্ট্য (বেতন) +ExtraFieldHasWrongValue=অ্যাট্রিবিউট %s এর একটি ভুল মান আছে। +AlphaNumOnlyLowerCharsAndNoSpace=স্থান ছাড়া শুধুমাত্র আলফানিউমেরিক্যাল এবং ছোট হাতের অক্ষর +SendmailOptionNotComplete=সতর্কতা, কিছু লিনাক্স সিস্টেমে, আপনার ইমেল থেকে ইমেল পাঠাতে, সেন্ডমেইল এক্সিকিউশন সেটআপে অবশ্যই -ba (আপনার php.ini ফাইলে প্যারামিটার mail.force_extra_parameters) বিকল্প থাকতে হবে। যদি কিছু প্রাপক কখনো ইমেল না পায়, তাহলে এই PHP প্যারামিটারটি mail.force_extra_parameters = -ba দিয়ে সম্পাদনা করার চেষ্টা করুন। +PathToDocuments=নথির পথ PathDirectory=Directory -SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might not be parsed correctly by some receiving mail servers. The result is that some mails can't be read by people hosted by those bugged platforms. This is the case for some Internet providers (Ex: Orange in France). This is not a problem with Dolibarr or PHP but with the receiving mail server. You can however add an option MAIN_FIX_FOR_BUGGED_MTA to 1 in Setup - Other to modify Dolibarr to avoid this. However, you may experience problems with other servers that strictly use the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" which has no disadvantages. -TranslationSetup=Setup of translation -TranslationKeySearch=Search a translation key or string -TranslationOverwriteKey=Overwrite a translation string -TranslationDesc=How to set the display language:
      * Default/Systemwide: menu Home -> Setup -> Display
      * Per user: Click on the username at the top of the screen and modify the User Display Setup tab on the user card. -TranslationOverwriteDesc=You can also override strings filling the following table. Choose your language from "%s" dropdown, insert the translation key string into "%s" and your new translation into "%s" -TranslationOverwriteDesc2=You can use the other tab to help you know which translation key to use -TranslationString=Translation string -CurrentTranslationString=Current translation string -WarningAtLeastKeyOrTranslationRequired=A search criteria is required at least for key or translation string -NewTranslationStringToShow=New translation string to show -OriginalValueWas=The original translation is overwritten. Original value was:

      %s -TransKeyWithoutOriginalValue=You forced a new translation for the translation key '%s' that does not exist in any language files -TitleNumberOfActivatedModules=Activated modules -TotalNumberOfActivatedModules=Activated modules: %s / %s -YouMustEnableOneModule=You must at least enable 1 module -ClassNotFoundIntoPathWarning=Class %s not found in PHP path -YesInSummer=Yes in summer -OnlyFollowingModulesAreOpenedToExternalUsers=Note, only the following modules are available to external users (irrespective of the permissions of such users) and only if permissions are granted:
      -SuhosinSessionEncrypt=Session storage encrypted by Suhosin -ConditionIsCurrently=Condition is currently %s -YouUseBestDriver=You use driver %s which is the best driver currently available. -YouDoNotUseBestDriver=You use driver %s but driver %s is recommended. -NbOfObjectIsLowerThanNoPb=You have only %s %s in the database. This does not require any particular optimization. -ComboListOptim=Combo list loading optimization -SearchOptim=Search optimization -YouHaveXObjectUseComboOptim=You have %s %s in the database. You can go into setup of module to enable loading of combo list on key pressed event. -YouHaveXObjectUseSearchOptim=You have %s %s in the database. You can add the constant %s to 1 in Home-Setup-Other. -YouHaveXObjectUseSearchOptimDesc=This limits the search to the beginning of strings which makes it possible for the database to use indexes and you should get an immediate response. -YouHaveXObjectAndSearchOptimOn=You have %s %s in the database and constant %s is set to %s in Home-Setup-Other. -BrowserIsOK=You are using the %s web browser. This browser is ok for security and performance. -BrowserIsKO=You are using the %s web browser. This browser is known to be a bad choice for security, performance and reliability. We recommend using Firefox, Chrome, Opera or Safari. -PHPModuleLoaded=PHP component %s is loaded -PreloadOPCode=Preloaded OPCode is used -AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". -AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". -AskForPreferredShippingMethod=Ask for preferred shipping method for Third Parties. -FieldEdition=Edition of field %s -FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) -GetBarCode=Get barcode -NumberingModules=Numbering models -DocumentModules=Document models +SendmailOptionMayHurtBuggedMTA="PHP মেল ডাইরেক্ট" পদ্ধতি ব্যবহার করে মেল পাঠানোর বৈশিষ্ট্য একটি মেল বার্তা তৈরি করবে যা কিছু প্রাপ্ত মেইল সার্ভার দ্বারা সঠিকভাবে পার্স করা নাও হতে পারে। ফলাফল হল যে কিছু মেল সেই বাগড প্ল্যাটফর্মগুলির দ্বারা হোস্ট করা লোকেরা পড়তে পারে না৷ এটি কিছু ইন্টারনেট প্রদানকারীর ক্ষেত্রে (যেমন: ফ্রান্সে অরেঞ্জ)। এটি Dolibarr বা PHP এর সাথে সমস্যা নয় কিন্তু রিসিভিং মেল সার্ভারের সাথে। তবে আপনি সেটআপে MAIN_FIX_FOR_BUGGED_MTA একটি বিকল্প যোগ করতে পারেন - এটি এড়াতে Dolibarr সংশোধন করতে অন্য। যাইহোক, আপনি অন্যান্য সার্ভারের সাথে সমস্যা অনুভব করতে পারেন যেগুলি কঠোরভাবে SMTP মান ব্যবহার করে। অন্য সমাধান (প্রস্তাবিত) হল "SMTP সকেট লাইব্রেরি" পদ্ধতিটি ব্যবহার করা যার কোন অসুবিধা নেই। +TranslationSetup=অনুবাদের সেটআপ +TranslationKeySearch=একটি অনুবাদ কী বা স্ট্রিং অনুসন্ধান করুন +TranslationOverwriteKey=একটি অনুবাদ স্ট্রিং ওভাররাইট করুন +TranslationDesc=ডিসপ্লে ভাষা কিভাবে সেট করবেন:
      * ডিফল্ট/সিস্টেমওয়াইড: মেনু হোম -> সেটআপ -> ডিসপ্লে
      * প্রতি ব্যবহারকারী: স্ক্রিনের শীর্ষে থাকা ব্যবহারকারীর নামটিতে ক্লিক করুন এবং span>ইউজার কার্ডে ইউজার ডিসপ্লে সেটআপ ট্যাব। +TranslationOverwriteDesc=আপনি নিম্নলিখিত সারণী পূরণ করে স্ট্রিং ওভাররাইড করতে পারেন। "%s" ড্রপডাউন থেকে আপনার ভাষা চয়ন করুন, "%s" এ অনুবাদ কী স্ট্রিং ঢোকান এবং "%s" +TranslationOverwriteDesc2=কোন অনুবাদ কী ব্যবহার করতে হবে তা জানার জন্য আপনি অন্য ট্যাবটি ব্যবহার করতে পারেন +TranslationString=অনুবাদ স্ট্রিং +CurrentTranslationString=বর্তমান অনুবাদ স্ট্রিং +WarningAtLeastKeyOrTranslationRequired=অন্তত কী বা অনুবাদ স্ট্রিংয়ের জন্য একটি অনুসন্ধানের মানদণ্ড প্রয়োজন৷ +NewTranslationStringToShow=দেখানোর জন্য নতুন অনুবাদ স্ট্রিং +OriginalValueWas=মূল অনুবাদটি ওভাররাইট করা হয়েছে। আসল মান ছিল:

      %s +TransKeyWithoutOriginalValue=আপনি '%s' অনুবাদ কীটির জন্য একটি নতুন অনুবাদ বাধ্য করেছেন যা কোনো ভাষার ফাইলে বিদ্যমান নেই +TitleNumberOfActivatedModules=সক্রিয় মডিউল +TotalNumberOfActivatedModules=সক্রিয় মডিউল: %s / %s +YouMustEnableOneModule=আপনাকে কমপক্ষে 1টি মডিউল সক্ষম করতে হবে +YouMustEnableTranslationOverwriteBefore=একটি অনুবাদ প্রতিস্থাপন করার জন্য আপনাকে প্রথমে অনুবাদ ওভাররাইটিং সক্ষম করতে হবে৷ +ClassNotFoundIntoPathWarning=ক্লাস %s PHP পাথে পাওয়া যায়নি +YesInSummer=হ্যাঁ গ্রীষ্মে +OnlyFollowingModulesAreOpenedToExternalUsers=দ্রষ্টব্য, শুধুমাত্র নিম্নলিখিত মডিউলগুলি বহিরাগত ব্যবহারকারীদের জন্য উপলব্ধ (এই ধরনের ব্যবহারকারীদের অনুমতি নির্বিশেষে) এবং শুধুমাত্র যদি অনুমতি দেওয়া হয়:
      +SuhosinSessionEncrypt=সেশন স্টোরেজ সুহোসিন দ্বারা এনক্রিপ্ট করা হয়েছে +ConditionIsCurrently=অবস্থা বর্তমানে %s +YouUseBestDriver=আপনি ড্রাইভার ব্যবহার করেন %s যা বর্তমানে উপলব্ধ সেরা ড্রাইভার। +YouDoNotUseBestDriver=আপনি ড্রাইভার %s ব্যবহার করুন কিন্তু ড্রাইভার %s সুপারিশ করা হয়। +NbOfObjectIsLowerThanNoPb=আপনার ডাটাবেসে শুধুমাত্র %s %s আছে। এর জন্য কোনো বিশেষ অপ্টিমাইজেশনের প্রয়োজন নেই। +ComboListOptim=কম্বো তালিকা লোডিং অপ্টিমাইজেশান +SearchOptim=অনুসন্ধান অপ্টিমাইজেশান +YouHaveXObjectUseComboOptim=আপনার ডাটাবেসে %s %s আছে। কী চাপা ইভেন্টে কম্বো তালিকা লোড করা সক্ষম করতে আপনি মডিউলের সেটআপে যেতে পারেন। +YouHaveXObjectUseSearchOptim=আপনার ডাটাবেসে %s %s আছে। আপনি হোম-সেটআপ-অন্যান্যে 1-এ ধ্রুবক %s যোগ করতে পারেন। +YouHaveXObjectUseSearchOptimDesc=এটি স্ট্রিংগুলির শুরুতে অনুসন্ধানকে সীমাবদ্ধ করে যা ডাটাবেসের জন্য সূচীগুলি ব্যবহার করা সম্ভব করে এবং আপনার তাত্ক্ষণিক প্রতিক্রিয়া পাওয়া উচিত। +YouHaveXObjectAndSearchOptimOn=আপনার ডেটাবেসে %s %s আছে এবং ধ্রুবক %s সেট করা আছে %s হোম-সেটআপ-অন্যান্যে। +BrowserIsOK=আপনি %s ওয়েব ব্রাউজার ব্যবহার করছেন৷ এই ব্রাউজার নিরাপত্তা এবং কর্মক্ষমতা জন্য ঠিক আছে. +BrowserIsKO=আপনি %s ওয়েব ব্রাউজার ব্যবহার করছেন৷ এই ব্রাউজারটি নিরাপত্তা, কর্মক্ষমতা এবং নির্ভরযোগ্যতার জন্য একটি খারাপ পছন্দ হিসাবে পরিচিত। আমরা ফায়ারফক্স, ক্রোম, অপেরা বা সাফারি ব্যবহার করার পরামর্শ দিই। +PHPModuleLoaded=PHP উপাদান %s লোড হয়েছে +PreloadOPCode=প্রিলোডেড ওপিকোড ব্যবহার করা হয় +AddRefInList=প্রদর্শন গ্রাহক/বিক্রেতা রেফ. কম্বো তালিকায়৷
      তৃতীয় পক্ষগুলি "CC12345 - SC45678 - The Big Company corp" এর নামের বিন্যাস সহ উপস্থিত হবে৷ "The Big Company corp" এর পরিবর্তে। +AddVatInList=কম্বো তালিকায় গ্রাহক/বিক্রেতার ভ্যাট নম্বর প্রদর্শন করুন। +AddAdressInList=কম্বো তালিকায় গ্রাহক/বিক্রেতার ঠিকানা প্রদর্শন করুন৷
      তৃতীয় পক্ষগুলি "The Big Company corp. - 21 jump street 123456 Big town - USA" এর নামের বিন্যাস সহ প্রদর্শিত হবে৷ বিগ কোম্পানি কর্পোরেশন"। +AddEmailPhoneTownInContactList=পরিচিতি ইমেল (অথবা সংজ্ঞায়িত না থাকলে ফোন) এবং শহরের তথ্য তালিকা (তালিকা বা কম্বোবক্স নির্বাচন করুন) প্রদর্শন করুন
      পরিচিতিগুলি "ডুপন্ড ডুরান্ড - dupond.durand@example নামের ফর্ম্যাট সহ প্রদর্শিত হবে .com - প্যারিস" বা "Dupond Durand - 06 07 59 65 66 - Paris" এর পরিবর্তে "Dupond Durand"। +AskForPreferredShippingMethod=তৃতীয় পক্ষের জন্য পছন্দের শিপিং পদ্ধতির জন্য জিজ্ঞাসা করুন। +FieldEdition=ক্ষেত্রের সংস্করণ %s +FillThisOnlyIfRequired=উদাহরণ: +2 (শুধুমাত্র টাইমজোন অফসেট সমস্যার সম্মুখীন হলেই পূরণ করুন) +GetBarCode=বারকোড পান +NumberingModules=নম্বরিং মডেল +DocumentModules=নথি মডেল ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters in lowercase. -PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. -PasswordGenerationPerso=Return a password according to your personally defined configuration. -SetupPerso=According to your configuration -PasswordPatternDesc=Password pattern description +PasswordGenerationStandard=অভ্যন্তরীণ Dolibarr অ্যালগরিদম অনুযায়ী তৈরি করা একটি পাসওয়ার্ড ফেরত দিন: %s শেয়ার করা সংখ্যা এবং অক্ষর সমন্বিত অক্ষর। +PasswordGenerationNone=জেনারেট করা পাসওয়ার্ড সাজেস্ট করবেন না। পাসওয়ার্ড ম্যানুয়ালি টাইপ করতে হবে। +PasswordGenerationPerso=আপনার ব্যক্তিগতভাবে সংজ্ঞায়িত কনফিগারেশন অনুযায়ী একটি পাসওয়ার্ড ফেরত দিন। +SetupPerso=আপনার কনফিগারেশন অনুযায়ী +PasswordPatternDesc=পাসওয়ার্ড প্যাটার্ন বিবরণ ##### Users setup ##### -RuleForGeneratedPasswords=Rules to generate and validate passwords -DisableForgetPasswordLinkOnLogonPage=Do not show the "Password Forgotten" link on the Login page -UsersSetup=Users module setup -UserMailRequired=Email required to create a new user -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) -UsersDocModules=Document templates for documents generated from user record -GroupsDocModules=Document templates for documents generated from a group record +RuleForGeneratedPasswords=পাসওয়ার্ড তৈরি এবং যাচাই করার নিয়ম +DisableForgetPasswordLinkOnLogonPage=লগইন পৃষ্ঠায় "পাসওয়ার্ড ভুলে গেছে" লিঙ্কটি দেখাবেন না +UsersSetup=ব্যবহারকারীদের মডিউল সেটআপ +UserMailRequired=একটি নতুন ব্যবহারকারী তৈরি করতে ইমেল প্রয়োজন +UserHideInactive=ব্যবহারকারীদের সমস্ত কম্বো তালিকা থেকে নিষ্ক্রিয় ব্যবহারকারীদের লুকান (প্রস্তাবিত নয়: এর অর্থ আপনি কিছু পৃষ্ঠায় পুরানো ব্যবহারকারীদের ফিল্টার বা অনুসন্ধান করতে পারবেন না) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) +UsersDocModules=ব্যবহারকারীর রেকর্ড থেকে তৈরি নথিগুলির জন্য নথির টেমপ্লেট৷ +GroupsDocModules=একটি গোষ্ঠী রেকর্ড থেকে উত্পন্ন নথিগুলির জন্য নথির টেমপ্লেট৷ ##### HRM setup ##### -HRMSetup=HRM module setup +HRMSetup=এইচআরএম মডিউল সেটআপ ##### Company setup ##### -CompanySetup=Companies module setup -CompanyCodeChecker=Options for automatic generation of customer/vendor codes -AccountCodeManager=Options for automatic generation of customer/vendor accounting codes -NotificationsDesc=Email notifications can be sent automatically for some Dolibarr events.
      Recipients of notifications can be defined: -NotificationsDescUser=* per user, one user at a time. -NotificationsDescContact=* per third-party contacts (customers or vendors), one contact at a time. -NotificationsDescGlobal=* or by setting global email addresses in the setup page of the module. -ModelModules=Document Templates -DocumentModelOdt=Generate documents from OpenDocument templates (.ODT / .ODS files from LibreOffice, OpenOffice, KOffice, TextEdit,...) -WatermarkOnDraft=Watermark on draft document -JSOnPaimentBill=Activate feature to autofill payment lines on payment form -CompanyIdProfChecker=Rules for Professional IDs -MustBeUnique=Must be unique? -MustBeMandatory=Mandatory to create third parties (if VAT number or type of company defined) ? -MustBeInvoiceMandatory=Mandatory to validate invoices? -TechnicalServicesProvided=Technical services provided -#####DAV ##### -WebDAVSetupDesc=This is the link to access the WebDAV directory. It contains a "public" dir open to any user knowing the URL (if public directory access allowed) and a "private" directory that needs an existing login account/password for access. -WebDavServer=Root URL of %s server: %s -##### Webcal setup ##### -WebCalUrlForVCalExport=An export link to %s format is available at following link: %s +CompanySetup=কোম্পানি মডিউল সেটআপ +CompanyCodeChecker=গ্রাহক/বিক্রেতা কোডের স্বয়ংক্রিয় প্রজন্মের জন্য বিকল্প +AccountCodeManager=গ্রাহক/বিক্রেতা অ্যাকাউন্টিং কোডের স্বয়ংক্রিয় প্রজন্মের জন্য বিকল্প +NotificationsDesc=কিছু Dolibarr ইভেন্টের জন্য ইমেল বিজ্ঞপ্তিগুলি স্বয়ংক্রিয়ভাবে পাঠানো যেতে পারে৷
      বিজ্ঞপ্তিগুলির প্রাপকদের সংজ্ঞায়িত করা যেতে পারে: +NotificationsDescUser=* প্রতি ব্যবহারকারী, একবারে একজন ব্যবহারকারী। +NotificationsDescContact=* প্রতি তৃতীয় পক্ষের পরিচিতি (গ্রাহক বা বিক্রেতা), একবারে একটি পরিচিতি। +NotificationsDescGlobal=* অথবা মডিউলের সেটআপ পৃষ্ঠায় বিশ্বব্যাপী ইমেল ঠিকানা সেট করে। +ModelModules=নথি টেমপ্লেট +DocumentModelOdt=OpenDocument টেমপ্লেট (.ODT/.ODS ফাইল LibreOffice, OpenOffice, KOffice, TextEdit,...) থেকে নথি তৈরি করুন +WatermarkOnDraft=খসড়া নথিতে জলছাপ +JSOnPaimentBill=পেমেন্ট ফর্মে পেমেন্ট লাইন অটোফিল করতে বৈশিষ্ট্য সক্রিয় করুন +CompanyIdProfChecker=প্রফেশনাল আইডির নিয়ম +MustBeUnique=অবশ্যই অনন্য হবে? +MustBeMandatory=তৃতীয় পক্ষ তৈরি করা বাধ্যতামূলক (যদি ভ্যাট নম্বর বা কোম্পানির ধরন সংজ্ঞায়িত করা হয়)? +MustBeInvoiceMandatory=চালান যাচাই করা বাধ্যতামূলক? +TechnicalServicesProvided=প্রযুক্তিগত সেবা প্রদান করা হয় +##### WebDAV ##### +WebDAVSetupDesc=এটি WebDAV ডিরেক্টরি অ্যাক্সেস করার লিঙ্ক। এটিতে একটি "পাবলিক" ডাইর রয়েছে যা ইউআরএল (যদি সর্বজনীন ডিরেক্টরি অ্যাক্সেস অনুমোদিত হয়) জানা ব্যবহারকারীর জন্য খোলা থাকে এবং একটি "ব্যক্তিগত" ডিরেক্টরি রয়েছে যার অ্যাক্সেসের জন্য একটি বিদ্যমান লগইন অ্যাকাউন্ট/পাসওয়ার্ড প্রয়োজন। +WebDavServer=%s সার্ভারের রুট URL: %s +##### WebCAL setup ##### +WebCalUrlForVCalExport=%s ফর্ম্যাটে একটি রপ্তানি লিঙ্ক নিম্নলিখিত লিঙ্কে উপলব্ধ: %s ##### Invoices ##### -BillsSetup=Invoices module setup -BillsNumberingModule=Invoices and credit notes numbering model -BillsPDFModules=Invoice documents models -BillsPDFModulesAccordindToInvoiceType=Invoice documents models according to invoice type -PaymentsPDFModules=Payment documents models -ForceInvoiceDate=Force invoice date to validation date -SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined on the invoice -SuggestPaymentByRIBOnAccount=Suggest payment by withdrawal on account -SuggestPaymentByChequeToAddress=Suggest payment by check to -FreeLegalTextOnInvoices=Free text on invoices -WatermarkOnDraftInvoices=Watermark on draft invoices (none if empty) -PaymentsNumberingModule=Payments numbering model -SuppliersPayment=Vendor payments -SupplierPaymentSetup=Vendor payments setup +BillsSetup=চালান মডিউল সেটআপ +BillsNumberingModule=চালান এবং ক্রেডিট নোট নম্বরিং মডেল +BillsPDFModules=চালান নথি মডেল +BillsPDFModulesAccordindToInvoiceType=চালানের ধরন অনুযায়ী চালান নথির মডেল +PaymentsPDFModules=পেমেন্ট নথি মডেল +ForceInvoiceDate=বৈধকরণ তারিখে চালান তারিখ জোর করে +SuggestedPaymentModesIfNotDefinedInInvoice=ইনভয়েসে সংজ্ঞায়িত না থাকলে ডিফল্টরূপে ইনভয়েসে প্রস্তাবিত পেমেন্ট মোড +SuggestPaymentByRIBOnAccount=অ্যাকাউন্টে প্রত্যাহার করে অর্থ প্রদানের পরামর্শ দিন +SuggestPaymentByChequeToAddress=চেকের মাধ্যমে অর্থ প্রদানের পরামর্শ দিন +FreeLegalTextOnInvoices=চালান বিনামূল্যে পাঠ্য +WatermarkOnDraftInvoices=খসড়া চালানে ওয়াটারমার্ক (খালি না থাকলে কিছুই নয়) +PaymentsNumberingModule=পেমেন্ট নম্বরিং মডেল +SuppliersPayment=বিক্রেতা পেমেন্ট +SupplierPaymentSetup=বিক্রেতা পেমেন্ট সেটআপ +InvoiceCheckPosteriorDate=যাচাইকরণের আগে ফ্যাক্টর তারিখ পরীক্ষা করুন +InvoiceCheckPosteriorDateHelp=একটি চালান যাচাই করা নিষিদ্ধ হবে যদি এর তারিখটি একই ধরণের শেষ চালানের তারিখের আগে হয়। +InvoiceOptionCategoryOfOperations=ইনভয়েসে উল্লেখ "অপারেশনের বিভাগ" প্রদর্শন করুন। +InvoiceOptionCategoryOfOperationsHelp=পরিস্থিতির উপর নির্ভর করে, উল্লেখটি ফর্মে উপস্থিত হবে:
      - ক্রিয়াকলাপের বিভাগ: পণ্য সরবরাহ
      - এর বিভাগ ক্রিয়াকলাপ: পরিষেবার বিধান
      - অপারেশনের বিভাগ: মিশ্র - পণ্য সরবরাহ এবং পরিষেবার বিধান +InvoiceOptionCategoryOfOperationsYes1=হ্যাঁ, ঠিকানা ব্লকের নীচে +InvoiceOptionCategoryOfOperationsYes2=হ্যাঁ, নীচের বাম-হাতের কোণে ##### Proposals ##### -PropalSetup=Commercial proposals module setup -ProposalsNumberingModules=Commercial proposal numbering models -ProposalsPDFModules=Commercial proposal documents models -SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined on the proposal -FreeLegalTextOnProposal=Free text on commercial proposals -WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty) -BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal +PropalSetup=বাণিজ্যিক প্রস্তাব মডিউল সেটআপ +ProposalsNumberingModules=বাণিজ্যিক প্রস্তাব নম্বরিং মডেল +ProposalsPDFModules=বাণিজ্যিক প্রস্তাব নথি মডেল +SuggestedPaymentModesIfNotDefinedInProposal=প্রস্তাবে সংজ্ঞায়িত না থাকলে ডিফল্টভাবে প্রস্তাবে প্রস্তাবিত অর্থপ্রদানের মোড +FreeLegalTextOnProposal=বাণিজ্যিক প্রস্তাব বিনামূল্যে পাঠ্য +WatermarkOnDraftProposal=খসড়া বাণিজ্যিক প্রস্তাবে জলছাপ (খালি না থাকলে কিছুই নয়) +BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=প্রস্তাবের ব্যাঙ্ক অ্যাকাউন্টের গন্তব্যের জন্য জিজ্ঞাসা করুন ##### SupplierProposal ##### -SupplierProposalSetup=Price requests suppliers module setup -SupplierProposalNumberingModules=Price requests suppliers numbering models -SupplierProposalPDFModules=Price requests suppliers documents models -FreeLegalTextOnSupplierProposal=Free text on price requests suppliers -WatermarkOnDraftSupplierProposal=Watermark on draft price requests suppliers (none if empty) -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Ask for bank account destination of price request -WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Ask for Warehouse Source for order +SupplierProposalSetup=দাম অনুরোধ সরবরাহকারী মডিউল সেটআপ +SupplierProposalNumberingModules=দাম অনুরোধ সরবরাহকারীদের নম্বরিং মডেল +SupplierProposalPDFModules=দাম অনুরোধ সরবরাহকারী নথি মডেল +FreeLegalTextOnSupplierProposal=মূল্য অনুরোধ সরবরাহকারী বিনামূল্যে পাঠ্য +WatermarkOnDraftSupplierProposal=খসড়া মূল্যের অনুরোধে সরবরাহকারীদের জলছাপ (খালি না থাকলে কেউ) +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=মূল্য অনুরোধের ব্যাঙ্ক অ্যাকাউন্টের গন্তব্যের জন্য জিজ্ঞাসা করুন +WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=অর্ডারের জন্য গুদাম উৎসের জন্য জিজ্ঞাসা করুন ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=ক্রয় অর্ডারের ব্যাঙ্ক অ্যাকাউন্টের গন্তব্যের জন্য জিজ্ঞাসা করুন ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sales order by default if not defined on the order -OrdersSetup=Sales Orders management setup -OrdersNumberingModules=Orders numbering models -OrdersModelModule=Order documents models -FreeLegalTextOnOrders=Free text on orders -WatermarkOnDraftOrders=Watermark on draft orders (none if empty) -ShippableOrderIconInList=Add an icon in Orders list which indicate if order is shippable -BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ask for bank account destination of order +SuggestedPaymentModesIfNotDefinedInOrder=অর্ডারে সংজ্ঞায়িত না থাকলে ডিফল্টরূপে বিক্রয় অর্ডারে প্রস্তাবিত অর্থপ্রদানের মোড +OrdersSetup=বিক্রয় আদেশ ব্যবস্থাপনা সেটআপ +OrdersNumberingModules=অর্ডার নম্বরিং মডেল +OrdersModelModule=নথির মডেল অর্ডার করুন +FreeLegalTextOnOrders=অর্ডারে বিনামূল্যে পাঠ্য +WatermarkOnDraftOrders=ড্রাফ্ট অর্ডারে ওয়াটারমার্ক (খালি থাকলে কিছুই নেই) +ShippableOrderIconInList=অর্ডারের তালিকায় একটি আইকন যোগ করুন যা নির্দেশ করে যে অর্ডার পাঠানো যায় কিনা +BANK_ASK_PAYMENT_BANK_DURING_ORDER=অর্ডারের ব্যাঙ্ক অ্যাকাউন্টের গন্তব্যের জন্য জিজ্ঞাসা করুন ##### Interventions ##### -InterventionsSetup=Interventions module setup -FreeLegalTextOnInterventions=Free text on intervention documents -FicheinterNumberingModules=Intervention numbering models -TemplatePDFInterventions=Intervention card documents models -WatermarkOnDraftInterventionCards=Watermark on intervention card documents (none if empty) +InterventionsSetup=হস্তক্ষেপ মডিউল সেটআপ +FreeLegalTextOnInterventions=হস্তক্ষেপ নথি বিনামূল্যে পাঠ্য +FicheinterNumberingModules=হস্তক্ষেপ নম্বরিং মডেল +TemplatePDFInterventions=হস্তক্ষেপ কার্ড নথি মডেল +WatermarkOnDraftInterventionCards=ইন্টারভেনশন কার্ড ডকুমেন্টে ওয়াটারমার্ক (খালি না থাকলে কিছুই নয়) ##### Contracts ##### -ContractsSetup=Contracts/Subscriptions module setup -ContractsNumberingModules=Contracts numbering modules -TemplatePDFContracts=Contracts documents models -FreeLegalTextOnContracts=Free text on contracts -WatermarkOnDraftContractCards=Watermark on draft contracts (none if empty) +ContractsSetup=চুক্তি/সাবস্ক্রিপশন মডিউল সেটআপ +ContractsNumberingModules=চুক্তি সংখ্যায়ন মডিউল +TemplatePDFContracts=চুক্তি নথি মডেল +FreeLegalTextOnContracts=চুক্তিতে বিনামূল্যে পাঠ্য +WatermarkOnDraftContractCards=খসড়া চুক্তিতে ওয়াটারমার্ক (খালি না থাকলে কিছুই নয়) ##### Members ##### -MembersSetup=Members module setup -MemberMainOptions=Main options -AdherentLoginRequired= Manage a Login for each member -AdherentMailRequired=Email required to create a new member -MemberSendInformationByMailByDefault=Checkbox to send mail confirmation to members (validation or new subscription) is on by default -MemberCreateAnExternalUserForSubscriptionValidated=Create an external user login for each new member subscription validated -VisitorCanChooseItsPaymentMode=Visitor can choose from available payment modes -MEMBER_REMINDER_EMAIL=Enable automatic reminder by email of expired subscriptions. Note: Module %s must be enabled and correctly setup to send reminders. -MembersDocModules=Document templates for documents generated from member record +MembersSetup=সদস্য মডিউল সেটআপ +MemberMainOptions=প্রধান বিকল্প +MemberCodeChecker=সদস্য কোড স্বয়ংক্রিয় প্রজন্মের জন্য বিকল্প +AdherentLoginRequired=প্রতিটি সদস্যের জন্য একটি লগইন/পাসওয়ার্ড পরিচালনা করুন +AdherentLoginRequiredDesc=সদস্য ফাইলে লগইন এবং পাসওয়ার্ডের জন্য একটি মান যোগ করুন। সদস্য যদি কোনো ব্যবহারকারীর সাথে সংযুক্ত থাকে, সদস্য লগইন এবং পাসওয়ার্ড আপডেট করলে ব্যবহারকারীর লগইন এবং পাসওয়ার্ডও আপডেট হবে। +AdherentMailRequired=একটি নতুন সদস্য তৈরি করতে ইমেল প্রয়োজন +MemberSendInformationByMailByDefault=সদস্যদের মেইল নিশ্চিতকরণ পাঠাতে চেকবক্স (বৈধকরণ বা নতুন সদস্যতা) ডিফল্টরূপে চালু আছে +MemberCreateAnExternalUserForSubscriptionValidated=বৈধ হওয়া প্রতিটি নতুন সদস্য সদস্যতার জন্য একটি বহিরাগত ব্যবহারকারী লগইন তৈরি করুন +VisitorCanChooseItsPaymentMode=দর্শক যেকোন উপলব্ধ পেমেন্ট মোড থেকে বেছে নিতে পারেন +MEMBER_REMINDER_EMAIL=মেয়াদোত্তীর্ণ সাবস্ক্রিপশনের স্বয়ংক্রিয় অনুস্মারক ইমেল দ্বারা সক্ষম করুন৷ দ্রষ্টব্য: মডিউল %s সক্ষম করতে হবে এবং সঠিকভাবে পাঠাতে হবে অনুস্মারক +MembersDocModules=সদস্য রেকর্ড থেকে উত্পন্ন নথির জন্য নথি টেমপ্লেট ##### LDAP setup ##### -LDAPSetup=LDAP Setup +LDAPSetup=LDAP সেটআপ LDAPGlobalParameters=Global parameters -LDAPUsersSynchro=Users -LDAPGroupsSynchro=Groups -LDAPContactsSynchro=Contacts -LDAPMembersSynchro=Members -LDAPMembersTypesSynchro=Members types -LDAPSynchronization=LDAP synchronisation -LDAPFunctionsNotAvailableOnPHP=LDAP functions are not available on your PHP +LDAPUsersSynchro=ব্যবহারকারীদের +LDAPGroupsSynchro=গোষ্ঠী +LDAPContactsSynchro=পরিচিতি +LDAPMembersSynchro=সদস্যরা +LDAPMembersTypesSynchro=সদস্যদের প্রকার +LDAPSynchronization=LDAP সিঙ্ক্রোনাইজেশন +LDAPFunctionsNotAvailableOnPHP=LDAP ফাংশন আপনার PHP এ উপলব্ধ নেই LDAPToDolibarr=LDAP -> Dolibarr -DolibarrToLDAP=Dolibarr -> LDAP -LDAPNamingAttribute=Key in LDAP -LDAPSynchronizeUsers=Organization of users in LDAP -LDAPSynchronizeGroups=Organization of groups in LDAP -LDAPSynchronizeContacts=Organization of contacts in LDAP -LDAPSynchronizeMembers=Organization of foundation's members in LDAP -LDAPSynchronizeMembersTypes=Organization of foundation's members types in LDAP -LDAPPrimaryServer=Primary server -LDAPSecondaryServer=Secondary server -LDAPServerPort=Server port -LDAPServerPortExample=Standard or StartTLS: 389, LDAPs: 636 -LDAPServerProtocolVersion=Protocol version -LDAPServerUseTLS=Use TLS -LDAPServerUseTLSExample=Your LDAP server use StartTLS -LDAPServerDn=Server DN -LDAPAdminDn=Administrator DN -LDAPAdminDnExample=Complete DN (ex: cn=admin,dc=example,dc=com or cn=Administrator,cn=Users,dc=example,dc=com for active directory) -LDAPPassword=Administrator password -LDAPUserDn=Users' DN -LDAPUserDnExample=Complete DN (ex: ou=users,dc=example,dc=com) -LDAPGroupDn=Groups' DN -LDAPGroupDnExample=Complete DN (ex: ou=groups,dc=example,dc=com) -LDAPServerExample=Server address (ex: localhost, 192.168.0.2, ldaps://ldap.example.com/) -LDAPServerDnExample=Complete DN (ex: dc=example,dc=com) -LDAPDnSynchroActive=Users and groups synchronization -LDAPDnSynchroActiveExample=LDAP to Dolibarr or Dolibarr to LDAP synchronization -LDAPDnContactActive=Contacts' synchronization -LDAPDnContactActiveExample=Activated/Unactivated synchronization -LDAPDnMemberActive=Members' synchronization -LDAPDnMemberActiveExample=Activated/Unactivated synchronization -LDAPDnMemberTypeActive=Members types' synchronization -LDAPDnMemberTypeActiveExample=Activated/Unactivated synchronization -LDAPContactDn=Dolibarr contacts' DN -LDAPContactDnExample=Complete DN (ex: ou=contacts,dc=example,dc=com) -LDAPMemberDn=Dolibarr members DN -LDAPMemberDnExample=Complete DN (ex: ou=members,dc=example,dc=com) -LDAPMemberObjectClassList=List of objectClass -LDAPMemberObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPMemberTypeDn=Dolibarr members types DN -LDAPMemberTypepDnExample=Complete DN (ex: ou=memberstypes,dc=example,dc=com) -LDAPMemberTypeObjectClassList=List of objectClass -LDAPMemberTypeObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames) -LDAPUserObjectClassList=List of objectClass -LDAPUserObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPGroupObjectClassList=List of objectClass -LDAPGroupObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames) -LDAPContactObjectClassList=List of objectClass -LDAPContactObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPTestConnect=Test LDAP connection -LDAPTestSynchroContact=Test contacts synchronization -LDAPTestSynchroUser=Test user synchronization -LDAPTestSynchroGroup=Test group synchronization -LDAPTestSynchroMember=Test member synchronization -LDAPTestSynchroMemberType=Test member type synchronization -LDAPTestSearch= Test a LDAP search -LDAPSynchroOK=Synchronization test successful -LDAPSynchroKO=Failed synchronization test -LDAPSynchroKOMayBePermissions=Failed synchronization test. Check that the connection to the server is correctly configured and allows LDAP updates -LDAPTCPConnectOK=TCP connect to LDAP server successful (Server=%s, Port=%s) -LDAPTCPConnectKO=TCP connect to LDAP server failed (Server=%s, Port=%s) -LDAPBindOK=Connect/Authenticate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s) -LDAPBindKO=Connect/Authenticate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=%s) -LDAPSetupForVersion3=LDAP server configured for version 3 -LDAPSetupForVersion2=LDAP server configured for version 2 -LDAPDolibarrMapping=Dolibarr Mapping -LDAPLdapMapping=LDAP Mapping -LDAPFieldLoginUnix=Login (unix) -LDAPFieldLoginExample=Example: uid -LDAPFilterConnection=Search filter -LDAPFilterConnectionExample=Example: &(objectClass=inetOrgPerson) -LDAPGroupFilterExample=Example: &(objectClass=groupOfUsers) -LDAPFieldLoginSamba=Login (samba, activedirectory) -LDAPFieldLoginSambaExample=Example: samaccountname -LDAPFieldFullname=Full name -LDAPFieldFullnameExample=Example: cn -LDAPFieldPasswordNotCrypted=Password not encrypted -LDAPFieldPasswordCrypted=Password encrypted -LDAPFieldPasswordExample=Example: userPassword -LDAPFieldCommonNameExample=Example: cn -LDAPFieldName=Name -LDAPFieldNameExample=Example: sn -LDAPFieldFirstName=First name -LDAPFieldFirstNameExample=Example: givenName -LDAPFieldMail=Email address -LDAPFieldMailExample=Example: mail -LDAPFieldPhone=Professional phone number -LDAPFieldPhoneExample=Example: telephonenumber -LDAPFieldHomePhone=Personal phone number -LDAPFieldHomePhoneExample=Example: homephone -LDAPFieldMobile=Cellular phone -LDAPFieldMobileExample=Example: mobile -LDAPFieldFax=Fax number -LDAPFieldFaxExample=Example: facsimiletelephonenumber -LDAPFieldAddress=Street -LDAPFieldAddressExample=Example: street -LDAPFieldZip=Zip -LDAPFieldZipExample=Example: postalcode -LDAPFieldTown=Town -LDAPFieldTownExample=Example: l -LDAPFieldCountry=Country -LDAPFieldDescription=Description -LDAPFieldDescriptionExample=Example: description -LDAPFieldNotePublic=Public Note -LDAPFieldNotePublicExample=Example: publicnote -LDAPFieldGroupMembers= Group members -LDAPFieldGroupMembersExample= Example: uniqueMember -LDAPFieldBirthdate=Birthdate -LDAPFieldCompany=Company -LDAPFieldCompanyExample=Example: o -LDAPFieldSid=SID -LDAPFieldSidExample=Example: objectsid -LDAPFieldEndLastSubscription=Date of subscription end -LDAPFieldTitle=Job position -LDAPFieldTitleExample=Example: title -LDAPFieldGroupid=Group id -LDAPFieldGroupidExample=Exemple : gidnumber -LDAPFieldUserid=User id -LDAPFieldUseridExample=Exemple : uidnumber -LDAPFieldHomedirectory=Home directory -LDAPFieldHomedirectoryExample=Exemple : homedirectory -LDAPFieldHomedirectoryprefix=Home directory prefix -LDAPSetupNotComplete=LDAP setup not complete (go on others tabs) -LDAPNoUserOrPasswordProvidedAccessIsReadOnly=No administrator or password provided. LDAP access will be anonymous and in read only mode. -LDAPDescContact=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr contacts. -LDAPDescUsers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr users. -LDAPDescGroups=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr groups. -LDAPDescMembers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members module. -LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. -LDAPDescValues=Example values are designed for OpenLDAP with following loaded schemas: core.schema, cosine.schema, inetorgperson.schema). If you use thoose values and OpenLDAP, modify your LDAP config file slapd.conf to have all thoose schemas loaded. -ForANonAnonymousAccess=For an authenticated access (for a write access for example) -PerfDolibarr=Performance setup/optimizing report -YouMayFindPerfAdviceHere=This page provides some checks or advice related to performance. -NotInstalled=Not installed. -NotSlowedDownByThis=Not slowed down by this. -NotRiskOfLeakWithThis=Not risk of leak with this. -ApplicativeCache=Applicative cache -MemcachedNotAvailable=No applicative cache found. You can enhance performance by installing a cache server Memcached and a module able to use this cache server.
      More information here
      http://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      Note that a lot of web hosting provider does not provide such cache server. -MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete. -MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled. -OPCodeCache=OPCode cache -NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad). -HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript) -FilesOfTypeCached=Files of type %s are cached by HTTP server -FilesOfTypeNotCached=Files of type %s are not cached by HTTP server -FilesOfTypeCompressed=Files of type %s are compressed by HTTP server -FilesOfTypeNotCompressed=Files of type %s are not compressed by HTTP server -CacheByServer=Cache by server -CacheByServerDesc=For example using the Apache directive "ExpiresByType image/gif A2592000" -CacheByClient=Cache by browser -CompressionOfResources=Compression of HTTP responses -CompressionOfResourcesDesc=For example using the Apache directive "AddOutputFilterByType DEFLATE" -TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers -DefaultValuesDesc=Here you may define the default value you wish to use when creating a new record, and/or default filters or the sort order when you list records. -DefaultCreateForm=Default values (to use on forms) -DefaultSearchFilters=Default search filters -DefaultSortOrder=Default sort orders -DefaultFocus=Default focus fields -DefaultMandatory=Mandatory form fields +DolibarrToLDAP=ডলিবার -> এলডিএপি +LDAPNamingAttribute=LDAP এ কী +LDAPSynchronizeUsers=LDAP-এ ব্যবহারকারীদের সংগঠন +LDAPSynchronizeGroups=LDAP-এ গোষ্ঠীর সংগঠন +LDAPSynchronizeContacts=LDAP-তে পরিচিতিগুলির সংগঠন +LDAPSynchronizeMembers=এলডিএপি-তে ফাউন্ডেশনের সদস্যদের সংগঠন +LDAPSynchronizeMembersTypes=LDAP-তে ফাউন্ডেশনের সদস্যদের সংগঠন +LDAPPrimaryServer=প্রাথমিক সার্ভার +LDAPSecondaryServer=সেকেন্ডারি সার্ভার +LDAPServerPort=সার্ভারের পোর্ট +LDAPServerPortExample=স্ট্যান্ডার্ড বা স্টার্টটিএলএস: 389, LDAPs: 636 +LDAPServerProtocolVersion=প্রোটোকল সংস্করণ +LDAPServerUseTLS=TLS ব্যবহার করুন +LDAPServerUseTLSExample=আপনার LDAP সার্ভার StartTLS ব্যবহার করে +LDAPServerDn=সার্ভার DN +LDAPAdminDn=প্রশাসক ডি.এন +LDAPAdminDnExample=সম্পূর্ণ ডিএন (যেমন: cn=admin,dc=example,dc=com or cn=Administrator,cn=Users,dc=example,dc=com সক্রিয় ডিরেক্টরির জন্য) +LDAPPassword=প্রশাসকের পাসওয়ার্ড +LDAPUserDn=ব্যবহারকারীদের DN +LDAPUserDnExample=সম্পূর্ণ DN (যেমন: ou=users,dc=example,dc=com) +LDAPGroupDn=গ্রুপের DN +LDAPGroupDnExample=সম্পূর্ণ DN (যেমন: ou=groups,dc=example,dc=com) +LDAPServerExample=সার্ভারের ঠিকানা (যেমন: localhost, 192.168.0.2, ldaps://ldap.example.com/) +LDAPServerDnExample=সম্পূর্ণ DN (যেমন: dc=example,dc=com) +LDAPDnSynchroActive=ব্যবহারকারী এবং গ্রুপ সিঙ্ক্রোনাইজেশন +LDAPDnSynchroActiveExample=LDAP থেকে Dolibarr অথবা Dolibarr থেকে LDAP সিঙ্ক্রোনাইজেশন +LDAPDnContactActive=পরিচিতিগুলির সিঙ্ক্রোনাইজেশন +LDAPDnContactActiveExample=সক্রিয়/অসক্রিয় সিঙ্ক্রোনাইজেশন +LDAPDnMemberActive=সদস্যদের সিঙ্ক্রোনাইজেশন +LDAPDnMemberActiveExample=সক্রিয়/অসক্রিয় সিঙ্ক্রোনাইজেশন +LDAPDnMemberTypeActive=সদস্যদের প্রকারের সিঙ্ক্রোনাইজেশন +LDAPDnMemberTypeActiveExample=সক্রিয়/অসক্রিয় সিঙ্ক্রোনাইজেশন +LDAPContactDn=Dolibarr পরিচিতি 'DN +LDAPContactDnExample=সম্পূর্ণ DN (যেমন: ou=contacts,dc=example,dc=com) +LDAPMemberDn=ডলিবার সদস্যরা ডি.এন +LDAPMemberDnExample=সম্পূর্ণ DN (যেমন: ou=members,dc=example,dc=com) +LDAPMemberObjectClassList=অবজেক্টক্লাসের তালিকা +LDAPMemberObjectClassListExample=অবজেক্টক্লাস সংজ্ঞায়িত রেকর্ড বৈশিষ্ট্যের তালিকা (যেমন: শীর্ষ, inetOrgPerson বা শীর্ষ, সক্রিয় ডিরেক্টরির জন্য ব্যবহারকারী) +LDAPMemberTypeDn=Dolibarr সদস্যদের ধরন DN +LDAPMemberTypepDnExample=সম্পূর্ণ DN (যেমন: ou=membertypes,dc=example,dc=com) +LDAPMemberTypeObjectClassList=অবজেক্টক্লাসের তালিকা +LDAPMemberTypeObjectClassListExample=অবজেক্টক্লাস সংজ্ঞায়িত রেকর্ড বৈশিষ্ট্যের তালিকা (যেমন: শীর্ষ, গ্রুপঅফ ইউনিক নাম) +LDAPUserObjectClassList=অবজেক্টক্লাসের তালিকা +LDAPUserObjectClassListExample=অবজেক্টক্লাস সংজ্ঞায়িত রেকর্ড বৈশিষ্ট্যের তালিকা (যেমন: শীর্ষ, inetOrgPerson বা শীর্ষ, সক্রিয় ডিরেক্টরির জন্য ব্যবহারকারী) +LDAPGroupObjectClassList=অবজেক্টক্লাসের তালিকা +LDAPGroupObjectClassListExample=অবজেক্টক্লাস সংজ্ঞায়িত রেকর্ড বৈশিষ্ট্যের তালিকা (যেমন: শীর্ষ, গ্রুপঅফ ইউনিক নাম) +LDAPContactObjectClassList=অবজেক্টক্লাসের তালিকা +LDAPContactObjectClassListExample=অবজেক্টক্লাস সংজ্ঞায়িত রেকর্ড বৈশিষ্ট্যের তালিকা (যেমন: শীর্ষ, inetOrgPerson বা শীর্ষ, সক্রিয় ডিরেক্টরির জন্য ব্যবহারকারী) +LDAPTestConnect=LDAP সংযোগ পরীক্ষা করুন +LDAPTestSynchroContact=পরিচিতি সিঙ্ক্রোনাইজেশন পরীক্ষা করুন +LDAPTestSynchroUser=ব্যবহারকারীর সিঙ্ক্রোনাইজেশন পরীক্ষা করুন +LDAPTestSynchroGroup=টেস্ট গ্রুপ সিঙ্ক্রোনাইজেশন +LDAPTestSynchroMember=টেস্ট সদস্য সিঙ্ক্রোনাইজেশন +LDAPTestSynchroMemberType=পরীক্ষা সদস্য টাইপ সিঙ্ক্রোনাইজেশন +LDAPTestSearch= একটি LDAP অনুসন্ধান পরীক্ষা করুন +LDAPSynchroOK=সিঙ্ক্রোনাইজেশন পরীক্ষা সফল হয়েছে +LDAPSynchroKO=সিঙ্ক্রোনাইজেশন পরীক্ষা ব্যর্থ হয়েছে +LDAPSynchroKOMayBePermissions=সিঙ্ক্রোনাইজেশন পরীক্ষা ব্যর্থ হয়েছে। সার্ভারের সাথে সংযোগ সঠিকভাবে কনফিগার করা হয়েছে এবং LDAP আপডেটের অনুমতি দেয় তা পরীক্ষা করুন +LDAPTCPConnectOK=LDAP সার্ভারের সাথে TCP সংযোগ সফল হয়েছে (Server=%s, Port=%s) +LDAPTCPConnectKO=LDAP সার্ভারের সাথে TCP সংযোগ ব্যর্থ হয়েছে (Server=%s, Port=%s) +LDAPBindOK=LDAP সার্ভারের সাথে সংযোগ/প্রমাণিত করা সফল (Server=%s, Port=%s, Admin= %s, Password=%s) +LDAPBindKO=LDAP সার্ভারে সংযোগ/প্রমাণিত করা ব্যর্থ হয়েছে (সার্ভার=%s, Port=%s, Admin= %s, Password=%s) +LDAPSetupForVersion3=LDAP সার্ভার 3 সংস্করণের জন্য কনফিগার করা হয়েছে +LDAPSetupForVersion2=সংস্করণ 2 এর জন্য LDAP সার্ভার কনফিগার করা হয়েছে +LDAPDolibarrMapping=ডলিবার ম্যাপিং +LDAPLdapMapping=LDAP ম্যাপিং +LDAPFieldLoginUnix=লগইন (ইউনিক্স) +LDAPFieldLoginExample=উদাহরণ: uid +LDAPFilterConnection=অনুসন্ধান ফিল্টার +LDAPFilterConnectionExample=উদাহরণ: &(objectClass=inetOrgPerson) +LDAPGroupFilterExample=উদাহরণ: &(objectClass=groupOfUsers) +LDAPFieldLoginSamba=লগইন (সাম্বা, সক্রিয় ডিরেক্টরি) +LDAPFieldLoginSambaExample=উদাহরণ: samaccountname +LDAPFieldFullname=পুরো নাম +LDAPFieldFullnameExample=উদাহরণ: cn +LDAPFieldPasswordNotCrypted=পাসওয়ার্ড এনক্রিপ্ট করা হয়নি +LDAPFieldPasswordCrypted=পাসওয়ার্ড এনক্রিপ্ট করা হয়েছে +LDAPFieldPasswordExample=উদাহরণ: userPassword +LDAPFieldCommonNameExample=উদাহরণ: cn +LDAPFieldName=নাম +LDAPFieldNameExample=উদাহরণ: sn +LDAPFieldFirstName=নামের প্রথম অংশ +LDAPFieldFirstNameExample=উদাহরণ: দেওয়া নাম +LDAPFieldMail=ইমেইল ঠিকানা +LDAPFieldMailExample=উদাহরণ: মেইল +LDAPFieldPhone=পেশাদার ফোন নম্বর +LDAPFieldPhoneExample=উদাহরণ: টেলিফোন নম্বর +LDAPFieldHomePhone=ব্যক্তিগত ফোন নম্বর +LDAPFieldHomePhoneExample=উদাহরণ: হোমফোন +LDAPFieldMobile=মোবাইল ফোন +LDAPFieldMobileExample=উদাহরণ: মোবাইল +LDAPFieldFax=ফ্যাক্স নম্বর +LDAPFieldFaxExample=উদাহরণ: ফ্যাসিমাইল টেলিফোন নম্বর +LDAPFieldAddress=রাস্তা +LDAPFieldAddressExample=উদাহরণ: রাস্তা +LDAPFieldZip=জিপ +LDAPFieldZipExample=উদাহরণ: পোস্টালকোড +LDAPFieldTown=শহর +LDAPFieldTownExample=উদাহরণ: l +LDAPFieldCountry=দেশ +LDAPFieldDescription=বর্ণনা +LDAPFieldDescriptionExample=উদাহরণ: বর্ণনা +LDAPFieldNotePublic=পাবলিক নোট +LDAPFieldNotePublicExample=উদাহরণ: পাবলিক নোট +LDAPFieldGroupMembers= দলের সদস্যগণ +LDAPFieldGroupMembersExample= উদাহরণ: অনন্য সদস্য +LDAPFieldBirthdate=জন্ম তারিখ +LDAPFieldCompany=প্রতিষ্ঠান +LDAPFieldCompanyExample=উদাহরণ: o +LDAPFieldSid=এসআইডি +LDAPFieldSidExample=উদাহরণ: অবজেক্টসিড +LDAPFieldEndLastSubscription=সদস্যতা শেষ হওয়ার তারিখ +LDAPFieldTitle=চাকুরী পদমর্যাদা +LDAPFieldTitleExample=উদাহরণ: শিরোনাম +LDAPFieldGroupid=গ্রুপ আইডি +LDAPFieldGroupidExample=উদাহরণ: gidnumber +LDAPFieldUserid=ব্যবহারকারী আইডি +LDAPFieldUseridExample=উদাহরণ: uidnumber +LDAPFieldHomedirectory=হোম ডিরেক্টরি +LDAPFieldHomedirectoryExample=উদাহরণ: homedirectory +LDAPFieldHomedirectoryprefix=হোম ডিরেক্টরি উপসর্গ +LDAPSetupNotComplete=LDAP সেটআপ সম্পূর্ণ হয়নি (অন্য ট্যাবে যান) +LDAPNoUserOrPasswordProvidedAccessIsReadOnly=কোন প্রশাসক বা পাসওয়ার্ড প্রদান করা হয়. LDAP অ্যাক্সেস বেনামী এবং শুধুমাত্র পঠন মোডে থাকবে। +LDAPDescContact=এই পৃষ্ঠাটি আপনাকে ডলিবার পরিচিতিতে পাওয়া প্রতিটি ডেটার জন্য LDAP ট্রিতে LDAP বৈশিষ্ট্যের নাম সংজ্ঞায়িত করতে দেয়। +LDAPDescUsers=এই পৃষ্ঠাটি আপনাকে ডলিবার ব্যবহারকারীদের মধ্যে পাওয়া প্রতিটি ডেটার জন্য LDAP ট্রিতে LDAP বৈশিষ্ট্যের নাম সংজ্ঞায়িত করতে দেয়। +LDAPDescGroups=এই পৃষ্ঠাটি আপনাকে ডলিবার গ্রুপে পাওয়া প্রতিটি ডেটার জন্য LDAP ট্রিতে LDAP বৈশিষ্ট্যের নাম সংজ্ঞায়িত করতে দেয়। +LDAPDescMembers=এই পৃষ্ঠাটি আপনাকে ডলিবার সদস্য মডিউলে পাওয়া প্রতিটি ডেটার জন্য LDAP ট্রিতে LDAP বৈশিষ্ট্যের নাম সংজ্ঞায়িত করতে দেয়। +LDAPDescMembersTypes=এই পৃষ্ঠাটি আপনাকে LDAP ট্রিতে LDAP অ্যাট্রিবিউটের নাম সংজ্ঞায়িত করতে দেয় যা Dolibarr সদস্যদের প্রকারে পাওয়া প্রতিটি ডেটার জন্য। +LDAPDescValues=উদাহরণ মানগুলি OpenLDAP-এর জন্য নিম্নলিখিত লোড করা স্কিমাগুলির সাথে ডিজাইন করা হয়েছে: b0aee8365>b0aee83365 core.schema, cosine.schema, inetorgperson.schema
      )। আপনি যদি সেই মানগুলি এবং OpenLDAP ব্যবহার করেন, আপনার LDAP কনফিগারেশন ফাইলটি পরিবর্তন করুন slapd.conf এই সমস্ত স্কিমা লোড করতে। +ForANonAnonymousAccess=একটি প্রমাণীকৃত অ্যাক্সেসের জন্য (উদাহরণস্বরূপ একটি লেখার অ্যাক্সেসের জন্য) +PerfDolibarr=কর্মক্ষমতা সেটআপ/অপ্টিমাইজিং রিপোর্ট +YouMayFindPerfAdviceHere=এই পৃষ্ঠাটি কর্মক্ষমতা সম্পর্কিত কিছু চেক বা পরামর্শ প্রদান করে। +NotInstalled=ইনস্টল করা না. +NotSlowedDownByThis=এই দ্বারা ধীর না. +NotRiskOfLeakWithThis=এর সাথে ফাঁসের ঝুঁকি নেই। +ApplicativeCache=প্রযোজ্য ক্যাশে +MemcachedNotAvailable=কোনো প্রযোজ্য ক্যাশে পাওয়া যায়নি। আপনি একটি ক্যাশে সার্ভার Memcached এবং এই ক্যাশে সার্ভারটি ব্যবহার করতে সক্ষম একটি মডিউল ইনস্টল করে কর্মক্ষমতা উন্নত করতে পারেন।
      এখানে আরও তথ্য http ://wiki.dolibarr.org/index.php/Module_MemCached_EN
      উল্লেখ্য যে প্রচুর ওয়েব হোস্টিং প্রদান করে যেমন ক্যাশে সার্ভার প্রদান না. +MemcachedModuleAvailableButNotSetup=প্রযোজ্য ক্যাশের জন্য মডিউল মেমক্যাশে পাওয়া গেছে কিন্তু মডিউলের সেটআপ সম্পূর্ণ হয়নি। +MemcachedAvailableAndSetup=মেমক্যাশেড সার্ভার ব্যবহার করার জন্য নিবেদিত মডিউল মেমক্যাশে সক্ষম করা হয়েছে। +OPCodeCache=OPCode ক্যাশে +NoOPCodeCacheFound=কোন OPCode ক্যাশে পাওয়া যায়নি. হতে পারে আপনি XCache বা eAccelerator (ভাল) ব্যতীত অন্য একটি OPCode ক্যাশে ব্যবহার করছেন, বা আপনার কাছে OPCode ক্যাশে নেই (খুব খারাপ)। +HTTPCacheStaticResources=স্ট্যাটিক রিসোর্সের জন্য HTTP ক্যাশে (css, img, JavaScript) +FilesOfTypeCached=%s ধরনের ফাইলগুলি HTTP সার্ভার দ্বারা ক্যাশ করা হয় +FilesOfTypeNotCached=%s ধরনের ফাইলগুলি HTTP সার্ভার দ্বারা ক্যাশ করা হয় না +FilesOfTypeCompressed=%s ধরনের ফাইল HTTP সার্ভার দ্বারা সংকুচিত হয় +FilesOfTypeNotCompressed=%s ধরনের ফাইল HTTP সার্ভার দ্বারা সংকুচিত হয় না +CacheByServer=সার্ভার দ্বারা ক্যাশে +CacheByServerDesc=উদাহরণস্বরূপ Apache নির্দেশিকা ব্যবহার করে "ExpiresByType image/gif A2592000" +CacheByClient=ব্রাউজার দ্বারা ক্যাশে +CompressionOfResources=HTTP প্রতিক্রিয়াগুলির সংকোচন +CompressionOfResourcesDesc=উদাহরণস্বরূপ Apache নির্দেশিকা ব্যবহার করে "AddOutputFilterByType DEFLATE" +TestNotPossibleWithCurrentBrowsers=বর্তমান ব্রাউজারগুলির সাথে এমন একটি স্বয়ংক্রিয় সনাক্তকরণ সম্ভব নয় +DefaultValuesDesc=এখানে আপনি একটি নতুন রেকর্ড তৈরি করার সময় আপনি যে ডিফল্ট মান ব্যবহার করতে চান তা নির্ধারণ করতে পারেন, এবং/অথবা ডিফল্ট ফিল্টার বা বাছাই ক্রম যখন আপনি রেকর্ড তালিকাভুক্ত করেন। +DefaultCreateForm=ডিফল্ট মান (ফর্মে ব্যবহার করতে) +DefaultSearchFilters=ডিফল্ট অনুসন্ধান ফিল্টার +DefaultSortOrder=ডিফল্ট বাছাই আদেশ +DefaultFocus=ডিফল্ট ফোকাস ক্ষেত্র +DefaultMandatory=বাধ্যতামূলক ফর্ম ক্ষেত্র ##### Products ##### -ProductSetup=Products module setup -ServiceSetup=Services module setup -ProductServiceSetup=Products and Services modules setup -NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) -ViewProductDescInFormAbility=Display product descriptions in lines of items (otherwise show description in a tooltip popup) -OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document -AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product -DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. -DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents -MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) -UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) -SetDefaultBarcodeTypeProducts=Default barcode type to use for products -SetDefaultBarcodeTypeThirdParties=Default barcode type to use for third parties -UseUnits=Define a unit of measure for Quantity during order, proposal or invoice lines edition -ProductCodeChecker= Module for product code generation and checking (product or service) -ProductOtherConf= Product / Service configuration -IsNotADir=is not a directory! +ProductSetup=পণ্য মডিউল সেটআপ +ServiceSetup=সেবা মডিউল সেটআপ +ProductServiceSetup=পণ্য এবং পরিষেবা মডিউল সেটআপ +NumberOfProductShowInSelect=কম্বো নির্বাচনের তালিকায় দেখানোর জন্য সর্বাধিক সংখ্যক পণ্য (0=কোন সীমা নেই) +ViewProductDescInFormAbility=আইটেমগুলির লাইনে পণ্যের বিবরণ প্রদর্শন করুন (অন্যথায় একটি টুলটিপ পপআপে বিবরণ দেখান) +OnProductSelectAddProductDesc=একটি নথির একটি লাইন হিসাবে একটি পণ্য যোগ করার সময় পণ্যের বিবরণ কিভাবে ব্যবহার করবেন +AutoFillFormFieldBeforeSubmit=পণ্যের বিবরণ সহ বর্ণনা ইনপুট ক্ষেত্র স্বয়ংক্রিয়ভাবে পূরণ করুন +DoNotAutofillButAutoConcat=পণ্যের বিবরণ সহ ইনপুট ক্ষেত্রটি স্বয়ংক্রিয়ভাবে পূরণ করবেন না। পণ্যের বিবরণ স্বয়ংক্রিয়ভাবে প্রবেশ করা বিবরণের সাথে সংযুক্ত করা হবে। +DoNotUseDescriptionOfProdut=পণ্যের বিবরণ কখনই নথির লাইনের বর্ণনায় অন্তর্ভুক্ত করা হবে না +MergePropalProductCard=প্রোডাক্ট/পরিষেবা অ্যাটাচড ফাইল ট্যাবে সক্রিয় করুন প্রোডাক্ট পিডিএফ ডকুমেন্টকে প্রোপোজাল পিডিএফ আজুরে মার্জ করার বিকল্প যদি প্রোডাক্ট/পরিষেবা প্রস্তাবে থাকে +ViewProductDescInThirdpartyLanguageAbility=তৃতীয় পক্ষের ভাষায় ফর্মে পণ্যের বিবরণ প্রদর্শন করুন (অন্যথায় ব্যবহারকারীর ভাষায়) +UseSearchToSelectProductTooltip=এছাড়াও যদি আপনার কাছে প্রচুর সংখ্যক পণ্য থাকে (> 100 000), আপনি সেটআপ->অন্যান্যে 1 থেকে 1 থেকে ধ্রুবক PRODUCT_DONOTSEARCH_ANYWHERE সেট করে গতি বাড়াতে পারেন। অনুসন্ধান তখন স্ট্রিং শুরুতে সীমাবদ্ধ থাকবে। +UseSearchToSelectProduct=পণ্য কম্বো তালিকার বিষয়বস্তু লোড করার আগে আপনি একটি কী টিপ না হওয়া পর্যন্ত অপেক্ষা করুন (আপনার যদি প্রচুর সংখ্যক পণ্য থাকে তবে এটি কম সুবিধাজনক) +SetDefaultBarcodeTypeProducts=পণ্যের জন্য ব্যবহার করার জন্য ডিফল্ট বারকোড প্রকার +SetDefaultBarcodeTypeThirdParties=তৃতীয় পক্ষের জন্য ব্যবহার করার জন্য ডিফল্ট বারকোড প্রকার +UseUnits=অর্ডার, প্রস্তাব বা চালান লাইন সংস্করণের সময় পরিমাণের জন্য পরিমাপের একটি ইউনিট সংজ্ঞায়িত করুন +ProductCodeChecker= পণ্য কোড তৈরি এবং পরীক্ষা করার জন্য মডিউল (পণ্য বা পরিষেবা) +ProductOtherConf= পণ্য / পরিষেবা কনফিগারেশন +IsNotADir=একটি ডিরেক্টরি না! ##### Syslog ##### -SyslogSetup=Logs module setup -SyslogOutput=Logs outputs -SyslogFacility=Facility -SyslogLevel=Level -SyslogFilename=File name and path -YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. -ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant -OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported -CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) -SyslogFileNumberOfSaves=Number of backup logs to keep -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +SyslogSetup=লগ মডিউল সেটআপ +SyslogOutput=লগ আউটপুট +SyslogFacility=সুবিধা +SyslogLevel=স্তর +SyslogFilename=ফাইলের নাম এবং পথ +YouCanUseDOL_DATA_ROOT=আপনি Dolibarr "ডকুমেন্টস" ডিরেক্টরিতে একটি লগ ফাইলের জন্য DOL_DATA_ROOT/dolibarr.log ব্যবহার করতে পারেন। আপনি এই ফাইল সংরক্ষণ করার জন্য একটি ভিন্ন পথ সেট করতে পারেন. +ErrorUnknownSyslogConstant=ধ্রুবক %s একটি পরিচিত Syslog ধ্রুবক নয় +OnlyWindowsLOG_USER=Windows এ, শুধুমাত্র LOG_USER সুবিধা সমর্থিত হবে +CompressSyslogs=ডিবাগ লগ ফাইলের কম্প্রেশন এবং ব্যাকআপ (ডিবাগের জন্য মডিউল লগ দ্বারা তৈরি) +SyslogFileNumberOfSaves=রাখা ব্যাকআপ লগ সংখ্যা +ConfigureCleaningCronjobToSetFrequencyOfSaves=লগ ব্যাকআপ ফ্রিকোয়েন্সি সেট করতে নির্ধারিত কাজ পরিষ্কার করার কনফিগার করুন ##### Donations ##### -DonationsSetup=Donation module setup -DonationsReceiptModel=Template of donation receipt +DonationsSetup=দান মডিউল সেটআপ +DonationsReceiptModel=দান প্রাপ্তির টেমপ্লেট ##### Barcode ##### -BarcodeSetup=Barcode setup -PaperFormatModule=Print format module -BarcodeEncodeModule=Barcode encoding type -CodeBarGenerator=Barcode generator -ChooseABarCode=No generator defined -FormatNotSupportedByGenerator=Format not supported by this generator -BarcodeDescEAN8=Barcode of type EAN8 -BarcodeDescEAN13=Barcode of type EAN13 -BarcodeDescUPC=Barcode of type UPC -BarcodeDescISBN=Barcode of type ISBN -BarcodeDescC39=Barcode of type C39 -BarcodeDescC128=Barcode of type C128 -BarcodeDescDATAMATRIX=Barcode of type Datamatrix -BarcodeDescQRCODE=Barcode of type QR code -GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".
      For example: /usr/local/bin/genbarcode -BarcodeInternalEngine=Internal engine -BarCodeNumberManager=Manager to auto define barcode numbers +BarcodeSetup=বারকোড সেটআপ +PaperFormatModule=প্রিন্ট ফরম্যাট মডিউল +BarcodeEncodeModule=বারকোড এনকোডিং টাইপ +CodeBarGenerator=বারকোড জেনারেটর +ChooseABarCode=কোন জেনারেটর সংজ্ঞায়িত +FormatNotSupportedByGenerator=বিন্যাস এই জেনারেটর দ্বারা সমর্থিত নয় +BarcodeDescEAN8=EAN8 ধরনের বারকোড +BarcodeDescEAN13=EAN13 ধরনের বারকোড +BarcodeDescUPC=ইউপিসি টাইপের বারকোড +BarcodeDescISBN=ISBN টাইপের বারকোড +BarcodeDescC39=C39 টাইপের বারকোড +BarcodeDescC128=C128 টাইপের বারকোড +BarcodeDescDATAMATRIX=Datamatrix ধরনের বারকোড +BarcodeDescQRCODE=QR কোডের বারকোড +GenbarcodeLocation=বার কোড জেনারেশন কমান্ড লাইন টুল (কিছু বার কোড ধরনের জন্য অভ্যন্তরীণ ইঞ্জিন দ্বারা ব্যবহৃত)। অবশ্যই "জেনবারকোড" এর সাথে সামঞ্জস্যপূর্ণ হতে হবে।
      উদাহরণস্বরূপ: /usr/local/bin/genbarcode +BarcodeInternalEngine=অভ্যন্তরীণ ইঞ্জিন +BarCodeNumberManager=বারকোড নম্বর স্বয়ংক্রিয়ভাবে সংজ্ঞায়িত করার জন্য ম্যানেজার ##### Prelevements ##### -WithdrawalsSetup=Setup of module Direct Debit payments +WithdrawalsSetup=মডিউল সরাসরি ডেবিট পেমেন্ট সেটআপ ##### ExternalRSS ##### -ExternalRSSSetup=External RSS imports setup -NewRSS=New RSS Feed +ExternalRSSSetup=বাহ্যিক RSS আমদানি সেটআপ +NewRSS=নতুন আরএসএস ফিড RSSUrl=RSS URL -RSSUrlExample=An interesting RSS feed +RSSUrlExample=একটি আকর্ষণীয় RSS ফিড ##### Mailing ##### -MailingSetup=EMailing module setup -MailingEMailFrom=Sender email (From) for emails sent by emailing module -MailingEMailError=Return Email (Errors-to) for emails with errors -MailingDelay=Seconds to wait after sending next message +MailingSetup=ইমেইলিং মডিউল সেটআপ +MailingEMailFrom=ইমেল মডিউল দ্বারা পাঠানো ইমেলের জন্য প্রেরক ইমেল (থেকে) +MailingEMailError=ত্রুটি সহ ইমেলের জন্য ইমেল (ত্রুটি-টু) ফেরত দিন +MailingDelay=পরবর্তী বার্তা পাঠানোর পর সেকেন্ড অপেক্ষা করতে হবে ##### Notification ##### -NotificationSetup=Email Notification module setup -NotificationEMailFrom=Sender email (From) for emails sent by the Notifications module -FixedEmailTarget=Recipient -NotificationDisableConfirmMessageContact=Hide the list of recipients (subscribed as contact) of notifications into the confirmation message -NotificationDisableConfirmMessageUser=Hide the list of recipients (subscribed as user) of notifications into the confirmation message -NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as global email) of notifications into the confirmation message +NotificationSetup=ইমেল বিজ্ঞপ্তি মডিউল সেটআপ +NotificationEMailFrom=বিজ্ঞপ্তি মডিউল দ্বারা প্রেরিত ইমেলের জন্য প্রেরক ইমেল (থেকে) +FixedEmailTarget=প্রাপক +NotificationDisableConfirmMessageContact=নিশ্চিতকরণ বার্তায় বিজ্ঞপ্তিগুলির প্রাপকদের তালিকা (যোগাযোগ হিসাবে সদস্যতা) লুকান৷ +NotificationDisableConfirmMessageUser=নিশ্চিতকরণ বার্তায় বিজ্ঞপ্তিগুলির প্রাপকদের তালিকা (ব্যবহারকারী হিসাবে সদস্যতা) লুকান৷ +NotificationDisableConfirmMessageFix=নিশ্চিতকরণ বার্তায় বিজ্ঞপ্তিগুলির প্রাপকদের তালিকা (গ্লোবাল ইমেল হিসাবে সদস্যতা) লুকান৷ ##### Sendings ##### -SendingsSetup=Shipping module setup -SendingsReceiptModel=Sending receipt model -SendingsNumberingModules=Sendings numbering modules -SendingsAbility=Support shipping sheets for customer deliveries -NoNeedForDeliveryReceipts=In most cases, shipping sheets are used both as sheets for customer deliveries (list of products to send) and sheets that are received and signed by customer. Hence the product deliveries receipt is a duplicated feature and is rarely activated. -FreeLegalTextOnShippings=Free text on shipments +SendingsSetup=শিপিং মডিউল সেটআপ +SendingsReceiptModel=রসিদ মডেল পাঠানো হচ্ছে +SendingsNumberingModules=নাম্বারিং মডিউল পাঠাচ্ছে +SendingsAbility=গ্রাহক ডেলিভারি জন্য শিপিং শীট সমর্থন +NoNeedForDeliveryReceipts=বেশিরভাগ ক্ষেত্রে, শিপিং শীটগুলি গ্রাহকের ডেলিভারির জন্য শীট (প্রেরনের জন্য পণ্যের তালিকা) এবং গ্রাহকের দ্বারা প্রাপ্ত এবং স্বাক্ষরিত শীট হিসাবে উভয়ই ব্যবহৃত হয়। তাই পণ্য সরবরাহের রসিদ একটি সদৃশ বৈশিষ্ট্য এবং খুব কমই সক্রিয় করা হয়। +FreeLegalTextOnShippings=চালান বিনামূল্যে পাঠ্য ##### Deliveries ##### -DeliveryOrderNumberingModules=Products deliveries receipt numbering module -DeliveryOrderModel=Products deliveries receipt model -DeliveriesOrderAbility=Support products deliveries receipts -FreeLegalTextOnDeliveryReceipts=Free text on delivery receipts +DeliveryOrderNumberingModules=পণ্য বিতরণ রসিদ নম্বর মডিউল +DeliveryOrderModel=পণ্য বিতরণ রসিদ মডেল +DeliveriesOrderAbility=সমর্থন পণ্য বিতরণ রসিদ +FreeLegalTextOnDeliveryReceipts=বিতরণ রসিদ বিনামূল্যে পাঠ্য ##### FCKeditor ##### -AdvancedEditor=Advanced editor -ActivateFCKeditor=Activate advanced editor for: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProduct=WYSIWIG creation/edition of the field description of products/services -FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG creation/edition for mass eMailings (Tools->eMailing) -FCKeditorForUserSignature=WYSIWIG creation/edition of user signature -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +AdvancedEditor=উন্নত সম্পাদক +ActivateFCKeditor=এর জন্য উন্নত সম্পাদক সক্রিয় করুন: +FCKeditorForNotePublic=উপাদানগুলির "পাবলিক নোট" ক্ষেত্রের WYSIWYG সৃষ্টি/সংস্করণ +FCKeditorForNotePrivate=উপাদানগুলির "ব্যক্তিগত নোট" ক্ষেত্রের WYSIWYG সৃষ্টি/সংস্করণ +FCKeditorForCompany=উপাদানগুলির ক্ষেত্রের বর্ণনার WYSIWYG তৈরি/সংস্করণ (পণ্য/পরিষেবা ছাড়া) +FCKeditorForProductDetails=পণ্যের বর্ণনার WYSIWYG তৈরি/সংস্করণ বা বস্তুর লাইন (প্রস্তাব, অর্ডার, চালান, ইত্যাদি...)। +FCKeditorForProductDetails2=সতর্কতা: এই ক্ষেত্রে এই বিকল্পটি ব্যবহার করা গুরুতরভাবে সুপারিশ করা হয় না কারণ এটি পিডিএফ ফাইল তৈরি করার সময় বিশেষ অক্ষর এবং পৃষ্ঠা বিন্যাসের সমস্যা তৈরি করতে পারে। +FCKeditorForMailing= গণ ইমেলিংয়ের জন্য WYSIWYG তৈরি/সংস্করণ (সরঞ্জাম->ইমেলিং) +FCKeditorForUserSignature=ব্যবহারকারীর স্বাক্ষরের WYSIWYG সৃষ্টি/সংস্করণ +FCKeditorForMail=সমস্ত মেলের জন্য WYSIWYG তৈরি/সংস্করণ (সরঞ্জাম->ইমেলিং ব্যতীত) +FCKeditorForTicket=টিকিটের জন্য WYSIWYG তৈরি/সংস্করণ ##### Stock ##### -StockSetup=Stock module setup -IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. +StockSetup=স্টক মডিউল সেটআপ +IfYouUsePointOfSaleCheckModule=আপনি যদি ডিফল্ট বা একটি বাহ্যিক মডিউল দ্বারা সরবরাহিত পয়েন্ট অফ সেল মডিউল (POS) ব্যবহার করেন, তাহলে এই সেটআপটি আপনার POS মডিউল দ্বারা উপেক্ষা করা হতে পারে। বেশিরভাগ POS মডিউলগুলি ডিফল্টভাবে ডিজাইন করা হয়েছে অবিলম্বে একটি চালান তৈরি করতে এবং এখানে বিকল্পগুলি নির্বিশেষে স্টক হ্রাস করতে। তাই আপনার POS থেকে বিক্রয় নিবন্ধন করার সময় আপনার স্টক হ্রাসের প্রয়োজন বা না থাকলে, আপনার POS মডিউল সেটআপও পরীক্ষা করে দেখুন। ##### Menu ##### -MenuDeleted=Menu deleted -Menu=Menu -Menus=Menus -TreeMenuPersonalized=Personalized menus -NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry -NewMenu=New menu -MenuHandler=Menu handler -MenuModule=Source module -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) -DetailId=Id menu -DetailMenuHandler=Menu handler where to show new menu -DetailMenuModule=Module name if menu entry come from a module -DetailType=Type of menu (top or left) -DetailTitre=Menu label or label code for translation -DetailUrl=URL where menu send you (Absolute URL link or external link with http://) -DetailEnabled=Condition to show or not entry -DetailRight=Condition to display unauthorized grey menus -DetailLangs=Lang file name for label code translation -DetailUser=Intern / Extern / All -Target=Target -DetailTarget=Target for links (_blank top opens a new window) -DetailLevel=Level (-1:top menu, 0:header menu, >0 menu and sub menu) -ModifMenu=Menu change -DeleteMenu=Delete menu entry -ConfirmDeleteMenu=Are you sure you want to delete menu entry %s? -FailedToInitializeMenu=Failed to initialize menu +MenuDeleted=মেনু মুছে ফেলা হয়েছে +Menu=তালিকা +Menus=মেনু +TreeMenuPersonalized=ব্যক্তিগতকৃত মেনু +NotTopTreeMenuPersonalized=ব্যক্তিগতকৃত মেনুগুলি একটি শীর্ষ মেনু এন্ট্রির সাথে লিঙ্ক করা হয়নি৷ +NewMenu=নতুন মেনু +MenuHandler=মেনু হ্যান্ডলার +MenuModule=উত্স মডিউল +HideUnauthorizedMenu=অভ্যন্তরীণ ব্যবহারকারীদের জন্যও অননুমোদিত মেনু লুকান (অন্যথায় শুধু ধূসর) +DetailId=আইডি মেনু +DetailMenuHandler=মেনু হ্যান্ডলার যেখানে নতুন মেনু দেখাতে হবে +DetailMenuModule=মডিউলের নাম যদি মেনু এন্ট্রি একটি মডিউল থেকে আসে +DetailType=মেনুর প্রকার (উপরে বা বাম) +DetailTitre=অনুবাদের জন্য মেনু লেবেল বা লেবেল কোড +DetailUrl=URL যেখানে মেনু আপনাকে পাঠায় (আপেক্ষিক URL লিঙ্ক বা https:// সহ বাহ্যিক লিঙ্ক) +DetailEnabled=এন্ট্রি দেখানো বা না করার শর্ত +DetailRight=অননুমোদিত ধূসর মেনু প্রদর্শনের শর্ত +DetailLangs=লেবেল কোড অনুবাদের জন্য ল্যাং ফাইলের নাম +DetailUser=ইন্টার্ন / এক্সটার্ন / সব +Target=টার্গেট +DetailTarget=লিঙ্কগুলির জন্য লক্ষ্য (_খালি শীর্ষ একটি নতুন উইন্ডো খোলে) +DetailLevel=লেভেল (-1:টপ মেনু, 0:হেডার মেনু, >0 মেনু এবং সাব মেনু) +ModifMenu=মেনু পরিবর্তন +DeleteMenu=মেনু এন্ট্রি মুছুন +ConfirmDeleteMenu=আপনি কি নিশ্চিত যে আপনি মেনু এন্ট্রি %s মুছে ফেলতে চান? +FailedToInitializeMenu=মেনু আরম্ভ করতে ব্যর্থ হয়েছে ##### Tax ##### -TaxSetup=Taxes, social or fiscal taxes and dividends module setup -OptionVatMode=VAT due -OptionVATDefault=Standard basis -OptionVATDebitOption=Accrual basis -OptionVatDefaultDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on payments for services -OptionVatDebitOptionDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on invoice (debit) for services -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
      - on payment for goods
      - on payments for services -SummaryOfVatExigibilityUsedByDefault=Time of VAT eligibility by default according to chosen option: +TaxSetup=কর, সামাজিক বা রাজস্ব কর এবং লভ্যাংশ মডিউল সেটআপ +OptionVatMode=ভ্যাট বকেয়া +OptionVATDefault=স্ট্যান্ডার্ড ভিত্তি +OptionVATDebitOption=বৃদ্ধি ভিত্তিতে +OptionVatDefaultDesc=ভ্যাট বকেয়া:
      - পণ্য সরবরাহের উপর (চালানের তারিখের উপর ভিত্তি করে)
      - পরিষেবার জন্য অর্থপ্রদানের উপর +OptionVatDebitOptionDesc=ভ্যাট বকেয়া:
      - পণ্য সরবরাহের উপর (চালানের তারিখের উপর ভিত্তি করে)
      - পরিষেবার চালানের উপর (ডেবিট) +OptionPaymentForProductAndServices=পণ্য এবং পরিষেবার জন্য নগদ ভিত্তি +OptionPaymentForProductAndServicesDesc=ভ্যাট বকেয়া:
      - পণ্যের জন্য অর্থপ্রদানের উপর
      - পরিষেবার জন্য অর্থপ্রদানের উপর +SummaryOfVatExigibilityUsedByDefault=নির্বাচিত বিকল্প অনুযায়ী ডিফল্টরূপে ভ্যাট যোগ্যতার সময়: OnDelivery=On delivery -OnPayment=On payment -OnInvoice=On invoice -SupposedToBePaymentDate=Payment date used -SupposedToBeInvoiceDate=Invoice date used -Buy=Buy -Sell=Sell -InvoiceDateUsed=Invoice date used -YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organization), so there is no VAT options to setup. -AccountancyCode=Accounting Code -AccountancyCodeSell=Sale account. code -AccountancyCodeBuy=Purchase account. code -CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Keep the checkbox “Automatically create the payment” empty by default when creating a new tax +OnPayment=অর্থ প্রদানের উপর +OnInvoice=চালানে +SupposedToBePaymentDate=অর্থপ্রদানের তারিখ ব্যবহার করা হয়েছে +SupposedToBeInvoiceDate=চালানের তারিখ ব্যবহার করা হয়েছে +Buy=কেনা +Sell=বিক্রয় +InvoiceDateUsed=চালানের তারিখ ব্যবহার করা হয়েছে +YourCompanyDoesNotUseVAT=আপনার কোম্পানিকে ভ্যাট ব্যবহার না করার জন্য সংজ্ঞায়িত করা হয়েছে (হোম - সেটআপ - কোম্পানি/সংস্থা), তাই সেটআপ করার জন্য কোনও ভ্যাট বিকল্প নেই৷ +AccountancyCode=অ্যাকাউন্টিং কোড +AccountancyCodeSell=বিক্রয় হিসাব। কোড +AccountancyCodeBuy=ক্রয় অ্যাকাউন্ট। কোড +CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=একটি নতুন ট্যাক্স তৈরি করার সময় ডিফল্টরূপে "স্বয়ংক্রিয়ভাবে অর্থপ্রদান তৈরি করুন" চেকবক্সটি খালি রাখুন ##### Agenda ##### -AgendaSetup=Events and agenda module setup -PasswordTogetVCalExport=Key to authorize export link -SecurityKey = Security Key -PastDelayVCalExport=Do not export event older than -AGENDA_USE_EVENT_TYPE=Use events types (managed in menu Setup -> Dictionaries -> Type of agenda events) -AGENDA_USE_EVENT_TYPE_DEFAULT=Automatically set this default value for type of event in event create form -AGENDA_DEFAULT_FILTER_TYPE=Automatically set this type of event in search filter of agenda view -AGENDA_DEFAULT_FILTER_STATUS=Automatically set this status for events in search filter of agenda view -AGENDA_DEFAULT_VIEW=Which view do you want to open by default when selecting menu Agenda -AGENDA_REMINDER_BROWSER=Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). -AGENDA_REMINDER_BROWSER_SOUND=Enable sound notification -AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event). -AGENDA_REMINDER_EMAIL_NOTE=Note: The frequency of the scheduled job %s must be enough to be sure that the remind are sent at the correct moment. -AGENDA_SHOW_LINKED_OBJECT=Show linked object into agenda view -##### Clicktodial ##### -ClickToDialSetup=Click To Dial module setup -ClickToDialUrlDesc=Url called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). -ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. -ClickToDialUseTelLink=Use just a link "tel:" on phone numbers -ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface, installed on the same computer as the browser, and called when you click on a link starting with "tel:" in your browser. If you need a link that start with "sip:" or a full server solution (no need of local software installation), you must set this to "No" and fill the next field. +AgendaSetup = ইভেন্ট এবং এজেন্ডা মডিউল সেটআপ +AGENDA_DEFAULT_FILTER_TYPE = এজেন্ডা ভিউয়ের সার্চ ফিল্টারে এই ধরনের ইভেন্ট স্বয়ংক্রিয়ভাবে সেট করুন +AGENDA_DEFAULT_FILTER_STATUS = এজেন্ডা ভিউয়ের অনুসন্ধান ফিল্টারে ইভেন্টগুলির জন্য স্বয়ংক্রিয়ভাবে এই স্থিতি সেট করুন৷ +AGENDA_DEFAULT_VIEW = মেনু এজেন্ডা নির্বাচন করার সময় আপনি ডিফল্টরূপে কোন ভিউ খুলতে চান +AGENDA_EVENT_PAST_COLOR = অতীত ঘটনার রঙ +AGENDA_EVENT_CURRENT_COLOR = বর্তমান ইভেন্টের রঙ +AGENDA_EVENT_FUTURE_COLOR = ভবিষ্যতের ইভেন্টের রঙ +AGENDA_REMINDER_BROWSER = ইভেন্ট অনুস্মারক সক্ষম করুন ব্যবহারকারীর ব্রাউজারে (যখন স্মরণ করিয়ে দেওয়ার তারিখে পৌঁছে যায়, তখন ব্রাউজার দ্বারা একটি পপআপ দেখানো হয়। প্রতিটি ব্যবহারকারী করতে পারেন এর ব্রাউজার বিজ্ঞপ্তি সেটআপ থেকে এই ধরনের বিজ্ঞপ্তিগুলি অক্ষম করুন)। +AGENDA_REMINDER_BROWSER_SOUND = শব্দ বিজ্ঞপ্তি সক্রিয় করুন +AGENDA_REMINDER_EMAIL = ইভেন্ট অনুস্মারক সক্ষম করুন ইমেল দ্বারা (প্রতিটি ইভেন্টে অনুস্মারক বিকল্প/বিলম্ব সংজ্ঞায়িত করা যেতে পারে)। +AGENDA_REMINDER_EMAIL_NOTE = দ্রষ্টব্য: নির্ধারিত কাজের ফ্রিকোয়েন্সি %s সঠিক মুহুর্তে অনুস্মারক পাঠানো হয়েছে তা নিশ্চিত করার জন্য যথেষ্ট হতে হবে। +AGENDA_SHOW_LINKED_OBJECT = এজেন্ডা ভিউতে লিঙ্ক করা অবজেক্ট দেখান +AGENDA_USE_EVENT_TYPE = ইভেন্টের ধরন ব্যবহার করুন (মেনু সেটআপে পরিচালিত -> অভিধান -> এজেন্ডা ইভেন্টের ধরন) +AGENDA_USE_EVENT_TYPE_DEFAULT = ইভেন্ট তৈরি ফর্মে ইভেন্টের প্রকারের জন্য স্বয়ংক্রিয়ভাবে এই ডিফল্ট মান সেট করুন +PasswordTogetVCalExport = রপ্তানি লিঙ্ক অনুমোদন করার কী +PastDelayVCalExport=এর চেয়ে পুরানো ইভেন্ট রপ্তানি করবেন না +SecurityKey = নিরাপত্তা কী +##### ClickToDial ##### +ClickToDialSetup=মডিউল সেটআপ ডায়াল করতে ক্লিক করুন +ClickToDialUrlDesc=ফোন পিক্টোতে ক্লিক করলে URL বলা হয়। URL-এ, আপনি ট্যাগগুলি ব্যবহার করতে পারেন
      __PHONETO__ হবে কল করার জন্য ব্যক্তির ফোন নম্বর দিয়ে প্রতিস্থাপিত হয়েছে
      __PHONEFROM__ কল করা ব্যক্তির (আপনার) ফোন নম্বর দিয়ে প্রতিস্থাপিত হবে
      __LOGIN__b09a4b739f17f span> যা ক্লিকটোডিয়াল লগইন দিয়ে প্রতিস্থাপিত হবে (ব্যবহারকারী কার্ডে সংজ্ঞায়িত)
      __PASS__ যা ক্লিকটোডিয়াল পাসওয়ার্ড দিয়ে প্রতিস্থাপিত হবে (ব্যবহারকারী কার্ডে সংজ্ঞায়িত)। +ClickToDialDesc=এই মডিউলটি একটি ডেস্কটপ কম্পিউটার ব্যবহার করার সময় ফোন নম্বরগুলিকে ক্লিকযোগ্য লিঙ্কগুলিতে পরিবর্তন করে। একটি ক্লিক নম্বরে কল করবে। এটি আপনার ডেস্কটপে একটি নরম ফোন ব্যবহার করার সময় বা উদাহরণস্বরূপ SIP প্রোটোকলের উপর ভিত্তি করে একটি CTI সিস্টেম ব্যবহার করার সময় ফোন কল শুরু করতে ব্যবহার করা যেতে পারে। দ্রষ্টব্য: স্মার্টফোন ব্যবহার করার সময়, ফোন নম্বরগুলি সর্বদা ক্লিকযোগ্য। +ClickToDialUseTelLink=ফোন নম্বরগুলিতে শুধুমাত্র একটি লিঙ্ক "টেল:" ব্যবহার করুন৷ +ClickToDialUseTelLinkDesc=এই পদ্ধতিটি ব্যবহার করুন যদি আপনার ব্যবহারকারীদের একটি সফ্টফোন বা একটি সফ্টওয়্যার ইন্টারফেস থাকে, ব্রাউজার হিসাবে একই কম্পিউটারে ইনস্টল করা হয় এবং আপনি যখন আপনার ব্রাউজারে "tel:" দিয়ে শুরু হওয়া একটি লিঙ্কে ক্লিক করেন তখন কল করা হয়৷ আপনার যদি "sip:" বা একটি সম্পূর্ণ সার্ভার সমাধান (স্থানীয় সফ্টওয়্যার ইনস্টলেশনের প্রয়োজন নেই) দিয়ে শুরু হয় এমন একটি লিঙ্কের প্রয়োজন হলে, আপনাকে অবশ্যই এটি "না" তে সেট করতে হবে এবং পরবর্তী ক্ষেত্রটি পূরণ করতে হবে। ##### Point Of Sale (CashDesk) ##### -CashDesk=Point of Sale -CashDeskSetup=Point of Sales module setup -CashDeskThirdPartyForSell=Default generic third party to use for sales -CashDeskBankAccountForSell=Default account to use to receive cash payments -CashDeskBankAccountForCheque=Default account to use to receive payments by check -CashDeskBankAccountForCB=Default account to use to receive payments by credit cards -CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). -CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease -StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled -StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. -CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sale from Point of Sale. Hence a warehouse is required. -CashDeskForceDecreaseStockLabel=Stock decrease for batch products was forced. -CashDeskForceDecreaseStockDesc=Decrease first by the oldest eatby and sellby dates. -CashDeskReaderKeyCodeForEnter=Key code for "Enter" defined in barcode reader (Example: 13) +CashDesk=বিক্রয় বিন্দু +CashDeskSetup=বিক্রয় মডিউল সেটআপ পয়েন্ট +CashDeskThirdPartyForSell=বিক্রয়ের জন্য ব্যবহার করার জন্য ডিফল্ট জেনেরিক তৃতীয় পক্ষ +CashDeskBankAccountForSell=নগদ অর্থ প্রদানের জন্য ব্যবহার করার জন্য ডিফল্ট অ্যাকাউন্ট +CashDeskBankAccountForCheque=চেকের মাধ্যমে পেমেন্ট পেতে ব্যবহার করতে ডিফল্ট অ্যাকাউন্ট +CashDeskBankAccountForCB=ক্রেডিট কার্ড দ্বারা অর্থপ্রদান পেতে ব্যবহার করার জন্য ডিফল্ট অ্যাকাউন্ট +CashDeskBankAccountForSumup=SumUp দ্বারা অর্থপ্রদান পেতে ব্যবহার করার জন্য ডিফল্ট ব্যাঙ্ক অ্যাকাউন্ট৷ +CashDeskDoNotDecreaseStock=পয়েন্ট অফ সেল থেকে বিক্রয় করা হলে স্টক হ্রাস অক্ষম করুন +CashDeskDoNotDecreaseStockHelp=যদি "না" হয়, তাহলে মডিউল স্টকের বিকল্প নির্বিশেষে POS থেকে করা প্রতিটি বিক্রয়ের জন্য স্টক হ্রাস করা হয়। +CashDeskIdWareHouse=স্টক হ্রাসের জন্য গুদাম ব্যবহার করতে বাধ্য করুন এবং সীমাবদ্ধ করুন +StockDecreaseForPointOfSaleDisabled=বিক্রয় পয়েন্ট থেকে স্টক হ্রাস নিষ্ক্রিয় +StockDecreaseForPointOfSaleDisabledbyBatch=POS-এ স্টক হ্রাস মডিউল সিরিয়াল/লট পরিচালনার (বর্তমানে সক্রিয়) সাথে সামঞ্জস্যপূর্ণ নয় তাই স্টক হ্রাস অক্ষম করা হয়েছে। +CashDeskYouDidNotDisableStockDecease=পয়েন্ট অফ সেল থেকে বিক্রয় করার সময় আপনি স্টক হ্রাস অক্ষম করেননি। তাই একটি গুদাম প্রয়োজন। +CashDeskForceDecreaseStockLabel=ব্যাচ পণ্যের জন্য স্টক হ্রাস বাধ্য করা হয়. +CashDeskForceDecreaseStockDesc=প্রথমে কমিয়ে দিন সবচেয়ে পুরনো খাবার এবং বিক্রির খেজুর। +CashDeskReaderKeyCodeForEnter=বারকোড রিডারে সংজ্ঞায়িত "এন্টার" এর জন্য কী ASCII কোড (উদাহরণ: 13) ##### Bookmark ##### -BookmarkSetup=Bookmark module setup -BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or external web sites on your left menu. -NbOfBoomarkToShow=Maximum number of bookmarks to show in left menu +BookmarkSetup=বুকমার্ক মডিউল সেটআপ +BookmarkDesc=এই মডিউলটি আপনাকে বুকমার্ক পরিচালনা করতে দেয়। আপনি আপনার বাম মেনুতে যেকোন ডলিবার পৃষ্ঠা বা বহিরাগত ওয়েব সাইটগুলিতে শর্টকাট যোগ করতে পারেন। +NbOfBoomarkToShow=বাম মেনুতে দেখানোর জন্য বুকমার্কের সর্বাধিক সংখ্যা৷ ##### WebServices ##### -WebServicesSetup=Webservices module setup -WebServicesDesc=By enabling this module, Dolibarr become a web service server to provide miscellaneous web services. -WSDLCanBeDownloadedHere=WSDL descriptor files of provided services can be download here -EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at URL +WebServicesSetup=ওয়েব সার্ভিস মডিউল সেটআপ +WebServicesDesc=এই মডিউলটি সক্রিয় করার মাধ্যমে, Dolibarr বিবিধ ওয়েব পরিষেবা প্রদানের জন্য একটি ওয়েব পরিষেবা সার্ভার হয়ে ওঠে। +WSDLCanBeDownloadedHere=প্রদত্ত পরিষেবাগুলির WSDL বর্ণনাকারী ফাইলগুলি এখানে ডাউনলোড করা যেতে পারে +EndPointIs=SOAP ক্লায়েন্টদের অবশ্যই URL-এ উপলব্ধ Dolibarr এন্ডপয়েন্টে তাদের অনুরোধ পাঠাতে হবে ##### API #### -ApiSetup=API module setup -ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services. -ApiProductionMode=Enable production mode (this will activate use of a cache for services management) -ApiExporerIs=You can explore and test the APIs at URL -OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed -ApiKey=Key for API -WarningAPIExplorerDisabled=The API explorer has been disabled. API explorer is not required to provide API services. It is a tool for developer to find/test REST APIs. If you need this tool, go into setup of module API REST to activate it. +ApiSetup=API মডিউল সেটআপ +ApiDesc=এই মডিউলটি সক্রিয় করার মাধ্যমে, Dolibarr বিবিধ ওয়েব পরিষেবা প্রদানের জন্য একটি REST সার্ভার হয়ে ওঠে। +ApiProductionMode=উত্পাদন মোড সক্ষম করুন (এটি পরিষেবা পরিচালনার জন্য একটি ক্যাশের ব্যবহার সক্রিয় করবে) +ApiExporerIs=আপনি URL-এ APIs অন্বেষণ এবং পরীক্ষা করতে পারেন +OnlyActiveElementsAreExposed=শুধুমাত্র সক্রিয় মডিউল থেকে উপাদান উন্মুক্ত করা হয় +ApiKey=API-এর জন্য কী +WarningAPIExplorerDisabled=API এক্সপ্লোরার নিষ্ক্রিয় করা হয়েছে। API পরিষেবা প্রদানের জন্য API এক্সপ্লোরারের প্রয়োজন নেই। এটি ডেভেলপারের জন্য REST APIs খুঁজে/পরীক্ষা করার জন্য একটি টুল। আপনার যদি এই টুলের প্রয়োজন হয়, তাহলে এটি সক্রিয় করতে মডিউল API REST এর সেটআপে যান। ##### Bank ##### -BankSetupModule=Bank module setup -FreeLegalTextOnChequeReceipts=Free text on check receipts -BankOrderShow=Display order of bank accounts for countries using "detailed bank number" -BankOrderGlobal=General -BankOrderGlobalDesc=General display order -BankOrderES=Spanish -BankOrderESDesc=Spanish display order -ChequeReceiptsNumberingModule=Check Receipts Numbering Module +BankSetupModule=ব্যাংক মডিউল সেটআপ +FreeLegalTextOnChequeReceipts=চেকের রসিদে বিনামূল্যে পাঠ্য +BankOrderShow="বিশদ ব্যাঙ্ক নম্বর" ব্যবহার করা দেশগুলির জন্য ব্যাঙ্ক অ্যাকাউন্টের অর্ডার প্রদর্শন করুন +BankOrderGlobal=সাধারণ +BankOrderGlobalDesc=সাধারণ প্রদর্শনের আদেশ +BankOrderES=স্পেনীয় +BankOrderESDesc=স্প্যানিশ ডিসপ্লে অর্ডার +ChequeReceiptsNumberingModule=রসিদ নম্বর মডিউল চেক করুন ##### Multicompany ##### -MultiCompanySetup=Multi-company module setup +MultiCompanySetup=মাল্টি-কোম্পানি মডিউল সেটআপ ##### Suppliers ##### -SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of Purchase Order -SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template) -SuppliersInvoiceModel=Complete template of Vendor Invoice -SuppliersInvoiceNumberingModel=Vendor invoices numbering models -IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval +SuppliersSetup=বিক্রেতা মডিউল সেটআপ +SuppliersCommandModel=ক্রয় আদেশ সম্পূর্ণ টেমপ্লেট +SuppliersCommandModelMuscadet=ক্রয় আদেশের সম্পূর্ণ টেমপ্লেট (কর্ণাস টেমপ্লেটের পুরানো বাস্তবায়ন) +SuppliersInvoiceModel=ভেন্ডর ইনভয়েসের সম্পূর্ণ টেমপ্লেট +SuppliersInvoiceNumberingModel=বিক্রেতা চালান নম্বরিং মডেল +IfSetToYesDontForgetPermission=যদি একটি নন-নাল মান সেট করা হয়, তাহলে দ্বিতীয় অনুমোদনের জন্য অনুমোদিত গোষ্ঠী বা ব্যবহারকারীদের অনুমতি দিতে ভুলবেন না ##### GeoIPMaxmind ##### -GeoIPMaxmindSetup=GeoIP Maxmind module setup -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation.
      Examples:
      /usr/local/share/GeoIP/GeoIP.dat
      /usr/share/GeoIP/GeoIP.dat
      /usr/share/GeoIP/GeoLite2-Country.mmdb -NoteOnPathLocation=Note that your ip to country data file must be inside a directory your PHP can read (Check your PHP open_basedir setup and filesystem permissions). -YouCanDownloadFreeDatFileTo=You can download a free demo version of the Maxmind GeoIP country file at %s. -YouCanDownloadAdvancedDatFileTo=You can also download a more complete version, with updates, of the Maxmind GeoIP country file at %s. -TestGeoIPResult=Test of a conversion IP -> country +GeoIPMaxmindSetup=জিওআইপি ম্যাক্সমাইন্ড মডিউল সেটআপ +PathToGeoIPMaxmindCountryDataFile=ম্যাক্সমাইন্ড আইপি থেকে দেশের অনুবাদ ধারণকারী ফাইলের পথ +NoteOnPathLocation=মনে রাখবেন যে আপনার আইপি টু কান্ট্রি ডেটা ফাইলটি আপনার PHP পড়তে পারে এমন একটি ডিরেক্টরির মধ্যে থাকা আবশ্যক (আপনার PHP open_basedir সেটআপ এবং ফাইল সিস্টেমের অনুমতি পরীক্ষা করুন)। +YouCanDownloadFreeDatFileTo=আপনি ম্যাক্সমাইন্ড জিওআইপি কান্ট্রি ফাইলের একটি ফ্রি ডেমো সংস্করণ ডাউনলোড করতে পারেন b0ecb2ecz87f4 /span>। +YouCanDownloadAdvancedDatFileTo=এছাড়াও আপনি আরও সম্পূর্ণ সংস্করণ ডাউনলোড করতে পারেন, আপডেট সহ, %s. +TestGeoIPResult=একটি রূপান্তর আইপি পরীক্ষা -> দেশ ##### Projects ##### -ProjectsNumberingModules=Projects numbering module -ProjectsSetup=Project module setup -ProjectsModelModule=Project reports document model -TasksNumberingModules=Tasks numbering module -TaskModelModule=Tasks reports document model -UseSearchToSelectProject=Wait until a key is pressed before loading content of Project combo list.
      This may improve performance if you have a large number of projects, but it is less convenient. +ProjectsNumberingModules=প্রজেক্ট নম্বরিং মডিউল +ProjectsSetup=প্রকল্প মডিউল সেটআপ +ProjectsModelModule=প্রকল্প রিপোর্ট নথি মডেল +TasksNumberingModules=টাস্ক নম্বরিং মডিউল +TaskModelModule=কার্য রিপোর্ট নথি মডেল +UseSearchToSelectProject=প্রজেক্ট কম্বো তালিকার বিষয়বস্তু লোড করার আগে একটি কী চাপা না হওয়া পর্যন্ত অপেক্ষা করুন।
      আপনার যদি প্রচুর সংখ্যক প্রকল্প থাকে তবে এটি কম সুবিধাজনক। ##### ECM (GED) ##### ##### Fiscal Year ##### -AccountingPeriods=Accounting periods -AccountingPeriodCard=Accounting period -NewFiscalYear=New accounting period -OpenFiscalYear=Open accounting period -CloseFiscalYear=Close accounting period -DeleteFiscalYear=Delete accounting period -ConfirmDeleteFiscalYear=Are you sure to delete this accounting period? -ShowFiscalYear=Show accounting period -AlwaysEditable=Can always be edited -MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application) -NbMajMin=Minimum number of uppercase characters -NbNumMin=Minimum number of numeric characters -NbSpeMin=Minimum number of special characters -NbIteConsecutive=Maximum number of repeating same characters -NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation -SalariesSetup=Setup of module salaries -SortOrder=Sort order -Format=Format -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and suppliers payment type -IncludePath=Include path (defined into variable %s) -ExpenseReportsSetup=Setup of module Expense Reports -TemplatePDFExpenseReports=Document templates to generate expense report document -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules -ExpenseReportNumberingModules=Expense reports numbering module -NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only. -YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification". -TemplatesForNotifications=Templates for notifications -ListOfNotificationsPerUser=List of automatic notifications per user* -ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** -ListOfFixedNotifications=List of automatic fixed notifications -GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses -Threshold=Threshold -BackupDumpWizard=Wizard to build the database dump file -BackupZipWizard=Wizard to build the archive of documents directory -SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: -SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. -InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. -ConfFileMustContainCustom=Installing or building an external module from application need to save the module files into directory %s. To have this directory processed by Dolibarr, you must setup your conf/conf.php to add the 2 directive lines:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; -HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over -HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) -HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) -BtnActionColor=Color of the action button -TextBtnActionColor=Text color of the action button -TextTitleColor=Text color of Page title -LinkColor=Color of links -PressF5AfterChangingThis=Press CTRL+F5 on keyboard or clear your browser cache after changing this value to have it effective -NotSupportedByAllThemes=Will works with core themes, may not be supported by external themes -BackgroundColor=Background color -TopMenuBackgroundColor=Background color for Top menu -TopMenuDisableImages=Hide images in Top menu -LeftMenuBackgroundColor=Background color for Left menu -BackgroundTableTitleColor=Background color for Table title line -BackgroundTableTitleTextColor=Text color for Table title line -BackgroundTableTitleTextlinkColor=Text color for Table title link line -BackgroundTableLineOddColor=Background color for odd table lines -BackgroundTableLineEvenColor=Background color for even table lines -MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay) -NbAddedAutomatically=Number of days added to counters of users (automatically) each month -EnterAnyCode=This field contains a reference to identify the line. Enter any value of your choice, but without special characters. -Enter0or1=Enter 0 or 1 -UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] -ColorFormat=The RGB color is in HEX format, eg: FF0000 -PictoHelp=Icon name in dolibarr format ('image.png' if into the current theme directory, 'image.png@nom_du_module' if into the directory /img/ of a module) -PositionIntoComboList=Position of line into combo lists -SellTaxRate=Sales tax rate -RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. -UrlTrackingDesc=If the provider or transport service offers a page or web site to check the status of your shipments, you may enter it here. You can use the key {TRACKID} in the URL parameters so the system will replace it with the tracking number the user entered into the shipment card. -OpportunityPercent=When you create a lead, you will define an estimated amount of project/lead. According to status of the lead, this amount may be multiplied by this rate to evaluate a total amount all your leads may generate. Value is a percentage (between 0 and 100). -TemplateForElement=This mail template is related to what type of object? An email template is available only when using the "Send Email" button from the related object. -TypeOfTemplate=Type of template -TemplateIsVisibleByOwnerOnly=Template is visible to owner only -VisibleEverywhere=Visible everywhere -VisibleNowhere=Visible nowhere -FixTZ=TimeZone fix -FillFixTZOnlyIfRequired=Example: +2 (fill only if problem experienced) -ExpectedChecksum=Expected Checksum -CurrentChecksum=Current Checksum -ExpectedSize=Expected size -CurrentSize=Current size -ForcedConstants=Required constant values -MailToSendProposal=Customer proposals -MailToSendOrder=Sales orders +AccountingPeriods=অ্যাকাউন্টিং সময়কাল +AccountingPeriodCard=নির্দিষ্ট হিসাব +NewFiscalYear=নতুন অ্যাকাউন্টিং সময়কাল +OpenFiscalYear=অ্যাকাউন্টিং সময়কাল খুলুন +CloseFiscalYear=অ্যাকাউন্টিং সময়কাল বন্ধ করুন +DeleteFiscalYear=অ্যাকাউন্টিং সময়কাল মুছুন +ConfirmDeleteFiscalYear=আপনি কি এই অ্যাকাউন্টিং সময়কাল মুছে ফেলার বিষয়ে নিশ্চিত? +ShowFiscalYear=অ্যাকাউন্টিং সময়কাল দেখান +AlwaysEditable=সবসময় সম্পাদনা করা যেতে পারে +MAIN_APPLICATION_TITLE=অ্যাপ্লিকেশনটির দৃশ্যমান নাম বলপূর্বক (সতর্কতা: এখানে আপনার নিজের নাম সেট করলে ডলিড্রয়েড মোবাইল অ্যাপ্লিকেশন ব্যবহার করার সময় স্বয়ংক্রিয়ভাবে লগইন বৈশিষ্ট্যটি ভেঙে যেতে পারে) +NbMajMin=ন্যূনতম সংখ্যা বড় হাতের অক্ষর +NbNumMin=সাংখ্যিক অক্ষরের ন্যূনতম সংখ্যা +NbSpeMin=বিশেষ অক্ষরের ন্যূনতম সংখ্যা +NbIteConsecutive=একই অক্ষরের পুনরাবৃত্তির সর্বাধিক সংখ্যা +NoAmbiCaracAutoGeneration=স্বয়ংক্রিয় প্রজন্মের জন্য অস্পষ্ট অক্ষর ("1","l","i","|","0","O") ব্যবহার করবেন না +SalariesSetup=মডিউল বেতন সেটআপ +SortOrder=সাজানোর ক্রম +Format=বিন্যাস +TypePaymentDesc=0:গ্রাহকের অর্থপ্রদানের ধরন, 1:বিক্রেতার অর্থপ্রদানের প্রকার, 2:উভয় গ্রাহক এবং সরবরাহকারী অর্থপ্রদানের ধরন +IncludePath=পথ অন্তর্ভুক্ত করুন (ভেরিয়েবলে সংজ্ঞায়িত %s) +ExpenseReportsSetup=মডিউল খরচ রিপোর্ট সেটআপ +TemplatePDFExpenseReports=ব্যয় প্রতিবেদন নথি তৈরি করতে নথির টেমপ্লেট +ExpenseReportsRulesSetup=মডিউল খরচ রিপোর্ট সেটআপ - নিয়ম +ExpenseReportNumberingModules=খরচ রিপোর্ট সংখ্যায়ন মডিউল +NoModueToManageStockIncrease=স্বয়ংক্রিয় স্টক বৃদ্ধি পরিচালনা করতে সক্ষম কোনো মডিউল সক্রিয় করা হয়নি। স্টক বৃদ্ধি শুধুমাত্র ম্যানুয়াল ইনপুট করা হবে. +YouMayFindNotificationsFeaturesIntoModuleNotification=আপনি মডিউল "বিজ্ঞপ্তি" সক্রিয় এবং কনফিগার করে ইমেল বিজ্ঞপ্তির জন্য বিকল্প খুঁজে পেতে পারেন। +TemplatesForNotifications=বিজ্ঞপ্তির জন্য টেমপ্লেট +ListOfNotificationsPerUser=ব্যবহারকারী প্রতি স্বয়ংক্রিয় বিজ্ঞপ্তির তালিকা* +ListOfNotificationsPerUserOrContact=সম্ভাব্য স্বয়ংক্রিয় বিজ্ঞপ্তির তালিকা (ব্যবসায়িক ইভেন্টে) প্রতি ব্যবহারকারী* বা প্রতি পরিচিতি** উপলব্ধ +ListOfFixedNotifications=স্বয়ংক্রিয় স্থির বিজ্ঞপ্তিগুলির তালিকা +GoOntoUserCardToAddMore=ব্যবহারকারীদের জন্য বিজ্ঞপ্তি যোগ করতে বা সরাতে ব্যবহারকারীর "বিজ্ঞপ্তি" ট্যাবে যান +GoOntoContactCardToAddMore=পরিচিতি/ঠিকানার জন্য বিজ্ঞপ্তি যোগ করতে বা সরাতে তৃতীয় পক্ষের "বিজ্ঞপ্তি" ট্যাবে যান +Threshold=থ্রেশহোল্ড +BackupDumpWizard=ডাটাবেস ডাম্প ফাইল তৈরি করতে উইজার্ড +BackupZipWizard=নথির ডিরেক্টরির সংরক্ষণাগার তৈরি করতে উইজার্ড +SomethingMakeInstallFromWebNotPossible=নিম্নলিখিত কারণে ওয়েব ইন্টারফেস থেকে বাহ্যিক মডিউল ইনস্টল করা সম্ভব নয়: +SomethingMakeInstallFromWebNotPossible2=এই কারণে, এখানে বর্ণিত আপগ্রেড করার প্রক্রিয়াটি একটি ম্যানুয়াল প্রক্রিয়া শুধুমাত্র একজন বিশেষ সুবিধাপ্রাপ্ত ব্যবহারকারী সম্পাদন করতে পারেন। +InstallModuleFromWebHasBeenDisabledContactUs=অ্যাপ্লিকেশন থেকে বাহ্যিক মডিউল বা গতিশীল ওয়েবসাইটগুলির ইনস্টল বা বিকাশ বর্তমানে নিরাপত্তার উদ্দেশ্যে লক করা আছে। আপনি যদি এই বৈশিষ্ট্যটি সক্ষম করতে চান তাহলে অনুগ্রহ করে আমাদের সাথে যোগাযোগ করুন৷ +InstallModuleFromWebHasBeenDisabledByFile=অ্যাপ্লিকেশন থেকে বহিরাগত মডিউল ইনস্টল আপনার প্রশাসক দ্বারা নিষ্ক্রিয় করা হয়েছে. এটির অনুমতি দেওয়ার জন্য আপনাকে অবশ্যই তাকে %s ফাইলটি সরাতে বলতে হবে বৈশিষ্ট্য +ConfFileMustContainCustom=অ্যাপ্লিকেশন থেকে একটি বাহ্যিক মডিউল ইনস্টল বা নির্মাণ করার জন্য মডিউল ফাইলগুলিকে %s ডিরেক্টরিতে সংরক্ষণ করতে হবে . Dolibarr দ্বারা এই ডিরেক্টরিটি প্রক্রিয়া করার জন্য, আপনাকে অবশ্যই আপনার conf/conf.php সেটআপ করতে হবে 2টি নির্দেশিক লাইন যোগ করতে:
      $dolibarr_main_url_root_alt='/custom';b0a65dc>b0a65d0 ='notranslate'>
      $dolibarr_main_document_root_alt='b0ecb2ec87f49fzmto '>
      +HighlightLinesOnMouseHover=মাউস সরে গেলে টেবিল লাইন হাইলাইট করুন +HighlightLinesColor=মাউস অতিক্রম করার সময় লাইনের রঙ হাইলাইট করুন (হাইলাইট না করার জন্য 'ffffff' ব্যবহার করুন) +HighlightLinesChecked=যখন এটি চেক করা হয় তখন লাইনের রঙ হাইলাইট করুন (কোন হাইলাইট না করার জন্য 'ffffff' ব্যবহার করুন) +UseBorderOnTable=টেবিলে বাম-ডান সীমানা দেখান +TableLineHeight=টেবিল লাইন উচ্চতা +BtnActionColor=অ্যাকশন বোতামের রঙ +TextBtnActionColor=অ্যাকশন বোতামের পাঠ্য রঙ +TextTitleColor=পৃষ্ঠার শিরোনামের পাঠ্য রঙ +LinkColor=লিঙ্কের রঙ +PressF5AfterChangingThis=কীবোর্ডে CTRL+F5 টিপুন অথবা এই মান পরিবর্তন করার পর আপনার ব্রাউজার ক্যাশে সাফ করুন যাতে এটি কার্যকর হয় +NotSupportedByAllThemes=মূল থিমগুলির সাথে কাজ করবে, বহিরাগত থিম দ্বারা সমর্থিত নাও হতে পারে৷ +BackgroundColor=পেছনের রং +TopMenuBackgroundColor=শীর্ষ মেনুর জন্য পটভূমির রঙ +TopMenuDisableImages=শীর্ষ মেনুতে আইকন বা পাঠ্য +LeftMenuBackgroundColor=বাম মেনুর জন্য পটভূমির রঙ +BackgroundTableTitleColor=টেবিল শিরোনাম লাইনের জন্য পটভূমির রঙ +BackgroundTableTitleTextColor=টেবিলের শিরোনাম লাইনের জন্য পাঠ্যের রঙ +BackgroundTableTitleTextlinkColor=টেবিল শিরোনাম লিঙ্ক লাইনের জন্য পাঠ্য রঙ +BackgroundTableLineOddColor=বিজোড় টেবিল লাইনের জন্য পটভূমির রঙ +BackgroundTableLineEvenColor=এমনকি টেবিল লাইনের জন্য পটভূমির রঙ +MinimumNoticePeriod=ন্যূনতম নোটিশ সময়কাল (আপনার ছুটির অনুরোধ এই বিলম্বের আগে করা আবশ্যক) +NbAddedAutomatically=প্রতি মাসে ব্যবহারকারীদের কাউন্টারে যোগ করা দিনের সংখ্যা (স্বয়ংক্রিয়ভাবে) +EnterAnyCode=এই ক্ষেত্রটিতে লাইন সনাক্ত করার জন্য একটি রেফারেন্স রয়েছে। আপনার পছন্দের যেকোনো মান লিখুন, কিন্তু বিশেষ অক্ষর ছাড়াই। +Enter0or1=0 বা 1 লিখুন +UnicodeCurrency=এখানে ধনুর্বন্ধনীর মধ্যে লিখুন, বাইট নম্বরের তালিকা যা মুদ্রার প্রতীককে উপস্থাপন করে। উদাহরণস্বরূপ: $ এর জন্য, লিখুন [36] - ব্রাজিলের আসল R$ [82,36] - € এর জন্য, [8364] লিখুন +ColorFormat=RGB রঙটি HEX ফর্ম্যাটে, যেমন: FF0000৷ +PictoHelp=বিন্যাসে আইকনের নাম:
      - বর্তমান থিম ডিরেক্টরিতে একটি চিত্র ফাইলের জন্য image.png
      - image.png@module যদি ফাইলটি একটি মডিউলের /img/ ডিরেক্টরিতে থাকে
      - একটি FontAwesome fa-xxx ছবির জন্য fa-xxx
      - একটি FontAwesome fa-xxx পিক্টোর জন্য fontawesome_xxx_fa_color_size (উপসর্গ, রঙ এবং আকার সেট সহ) +PositionIntoComboList=কম্বো তালিকায় লাইনের অবস্থান +SellTaxRate=বিক্রয় করের হার +RecuperableOnly=হ্যাঁ ভ্যাটের জন্য "অনুভূত নয় কিন্তু পুনরুদ্ধারযোগ্য" ফ্রান্সের কিছু রাজ্যের জন্য উত্সর্গীকৃত৷ অন্য সব ক্ষেত্রে "না" মান রাখুন। +UrlTrackingDesc=যদি প্রদানকারী বা পরিবহন পরিষেবা আপনার চালানের স্থিতি পরীক্ষা করার জন্য একটি পৃষ্ঠা বা ওয়েব সাইট অফার করে, আপনি এটি এখানে লিখতে পারেন। আপনি URL প্যারামিটারে {TRACKID} কী ব্যবহার করতে পারেন যাতে সিস্টেম এটিকে ব্যবহারকারীর শিপমেন্ট কার্ডে প্রবেশ করা ট্র্যাকিং নম্বর দিয়ে প্রতিস্থাপন করবে। +OpportunityPercent=যখন আপনি একটি লিড তৈরি করেন, তখন আপনি একটি আনুমানিক পরিমাণ প্রকল্প/লিড নির্ধারণ করবেন। লিডের স্থিতি অনুসারে, আপনার সমস্ত লিড তৈরি করতে পারে এমন মোট পরিমাণ মূল্যায়ন করতে এই পরিমাণটি এই হার দ্বারা গুণিত হতে পারে। মান হল একটি শতাংশ (0 এবং 100 এর মধ্যে)। +TemplateForElement=এই মেইল টেমপ্লেট কি ধরনের বস্তুর সাথে সম্পর্কিত? সম্পর্কিত বস্তু থেকে "ইমেল পাঠান" বোতাম ব্যবহার করার সময়ই একটি ইমেল টেমপ্লেট পাওয়া যায়৷ +TypeOfTemplate=টেমপ্লেটের ধরন +TemplateIsVisibleByOwnerOnly=টেমপ্লেট শুধুমাত্র মালিকের কাছে দৃশ্যমান +VisibleEverywhere=সর্বত্র দৃশ্যমান +VisibleNowhere=কোথাও দেখা যাচ্ছে না +FixTZ=টাইমজোন ফিক্স +FillFixTZOnlyIfRequired=উদাহরণ: +2 (সমস্যা থাকলেই পূরণ করুন) +ExpectedChecksum=প্রত্যাশিত চেকসাম +CurrentChecksum=বর্তমান চেকসাম +ExpectedSize=প্রত্যাশিত আকার +CurrentSize=বর্তমান আকার +ForcedConstants=প্রয়োজনীয় ধ্রুবক মান +MailToSendProposal=গ্রাহক প্রস্তাব +MailToSendOrder=বিক্রয় আদেশ MailToSendInvoice=Customer invoices -MailToSendShipment=Shipments -MailToSendIntervention=Interventions -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices -MailToSendContract=Contracts -MailToSendReception=Receptions -MailToThirdparty=Third parties -MailToMember=Members -MailToUser=Users -MailToProject=Projects -MailToTicket=Tickets -ByDefaultInList=Show by default on list view -YouUseLastStableVersion=You use the latest stable version -TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) -TitleExampleForMaintenanceRelease=Example of message you can use to announce this maintenance release (feel free to use it on your web sites) -ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s is available. Version %s is a major release with a lot of new features for both users and developers. You can download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read ChangeLog for complete list of changes. -ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is available. Version %s is a maintenance version, so contains only bug fixes. We recommend all users to upgrade to this version. A maintenance release does not introduce new features or changes to the database. You may download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read the ChangeLog for complete list of changes. -MultiPriceRuleDesc=When option "Several levels of prices per product/service" is enabled, you can define different prices (one per price level) for each product. To save you time, here you may enter a rule to autocalculate a price for each level based on the price of the first level, so you will have to only enter a price for the first level for each product. This page is designed to save you time but is useful only if your prices for each level are relative to first level. You can ignore this page in most cases. -ModelModulesProduct=Templates for product documents -WarehouseModelModules=Templates for documents of warehouses -ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate codes automatically, you must first define a manager to auto-define the barcode number. -SeeSubstitutionVars=See * note for list of possible substitution variables -SeeChangeLog=See ChangeLog file (english only) -AllPublishers=All publishers -UnknownPublishers=Unknown publishers -AddRemoveTabs=Add or remove tabs -AddDataTables=Add object tables -AddDictionaries=Add dictionaries tables -AddData=Add objects or dictionaries data -AddBoxes=Add widgets -AddSheduledJobs=Add scheduled jobs -AddHooks=Add hooks -AddTriggers=Add triggers -AddMenus=Add menus -AddPermissions=Add permissions -AddExportProfiles=Add export profiles -AddImportProfiles=Add import profiles -AddOtherPagesOrServices=Add other pages or services -AddModels=Add document or numbering templates -AddSubstitutions=Add keys substitutions -DetectionNotPossible=Detection not possible -UrlToGetKeyToUseAPIs=Url to get token to use API (once token has been received it is saved in database user table and must be provided on each API call) -ListOfAvailableAPIs=List of available APIs -activateModuleDependNotSatisfied=Module "%s" depends on module "%s", that is missing, so module "%1$s" may not work correctly. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise -CommandIsNotInsideAllowedCommands=The command you are trying to run is not in the list of allowed commands defined in parameter $dolibarr_main_restrict_os_commands in the conf.php file. -LandingPage=Landing page -SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", the price will also be the same for all companies if products are shared between environments -ModuleEnabledAdminMustCheckRights=Module has been activated. Permissions for activated module(s) were given to admin users only. You may need to grant permissions to other users or groups manually if necessary. -UserHasNoPermissions=This user has no permissions defined -TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "%s")
      Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "%s" in days)
      Use "Current/Next" to have payment term date being the first Nth of the month after delta (delta is field "%s", N is stored into field "%s") -BaseCurrency=Reference currency of the company (go into setup of company to change this) -WarningNoteModuleInvoiceForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016). -WarningNoteModulePOSForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016) because module Non Reversible Logs is automatically activated. -WarningInstallationMayBecomeNotCompliantWithLaw=You are trying to install module %s that is an external module. Activating an external module means you trust the publisher of that module and that you are sure that this module does not adversely impact the behavior of your application, and is compliant with laws of your country (%s). If the module introduces an illegal feature, you become responsible for the use of illegal software. -MAIN_PDF_MARGIN_LEFT=Left margin on PDF -MAIN_PDF_MARGIN_RIGHT=Right margin on PDF -MAIN_PDF_MARGIN_TOP=Top margin on PDF -MAIN_PDF_MARGIN_BOTTOM=Bottom margin on PDF -MAIN_DOCUMENTS_LOGO_HEIGHT=Height for logo on PDF -MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Add column for picture on proposal lines -MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Width of the column if a picture is added on lines -MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame -MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code -MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block -PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions -PROPOSAL_PDF_HIDE_PAYMENTMODE=Hide payment mode -MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Add electronic sign in PDF -NothingToSetup=There is no specific setup required for this module. -SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes.
      For example:
      CODEGRP1+CODEGRP2 -SeveralLangugeVariatFound=Several language variants found -RemoveSpecialChars=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_DIGITARIA_CLEAN_REGEX=Regex filter to clean value (COMPANY_DIGITARIA_CLEAN_REGEX) -COMPANY_DIGITARIA_UNIQUE_CODE=Duplicate not allowed -GDPRContact=Data Protection Officer (DPO, Data Privacy or GDPR contact) -GDPRContactDesc=If you store data about European companies/citizens, you can name the contact who is responsible for the General Data Protection Regulation here -HelpOnTooltip=Help text to show on tooltip -HelpOnTooltipDesc=Put text or a translation key here for the text to show in a tooltip when this field appears in a form -YouCanDeleteFileOnServerWith=You can delete this file on the server with Command Line:
      %s -ChartLoaded=Chart of account loaded -SocialNetworkSetup=Setup of module Social Networks -EnableFeatureFor=Enable features for %s -VATIsUsedIsOff=Note: The option to use Sales Tax or VAT has been set to Off in the menu %s - %s, so Sales tax or Vat used will always be 0 for sales. -SwapSenderAndRecipientOnPDF=Swap sender and recipient address position on PDF documents -FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields and combo lists only. Also an URL parameter action=create or action=edit must be set OR page name must end with 'new.php' to trigger this feature. -EmailCollector=Email collector -EmailCollectorDescription=Add a scheduled job and a setup page to scan regularly email boxes (using IMAP protocol) and record emails received into your application, at the right place and/or create some records automatically (like leads). -NewEmailCollector=New Email Collector -EMailHost=Host of email IMAP server -MailboxSourceDirectory=Mailbox source directory -MailboxTargetDirectory=Mailbox target directory -EmailcollectorOperations=Operations to do by collector -EmailcollectorOperationsDesc=Operations are executed from top to bottom order -MaxEmailCollectPerCollect=Max number of emails collected per collect -CollectNow=Collect now -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ? -DateLastCollectResult=Date of latest collect try -DateLastcollectResultOk=Date of latest collect success -LastResult=Latest result -EmailCollectorConfirmCollectTitle=Email collect confirmation -EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ? -NoNewEmailToProcess=No new email (matching filters) to process -NothingProcessed=Nothing done -XEmailsDoneYActionsDone=%s emails qualified, %s emails successfully processed (for %s record/actions done) -RecordEvent=Record an event in agenda (with type Email sent or received) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation, with no third party otherwise) -CodeLastResult=Latest result code -NbOfEmailsInInbox=Number of emails in source directory -LoadThirdPartyFromName=Load third party searching on %s (load only) -LoadThirdPartyFromNameOrCreate=Load third party searching on %s (create if not found) -AttachJoinedDocumentsToObject=Save attached files into object documents if a ref of an object is found into email topic. -WithDolTrackingID=Message from a conversation initiated by a first email sent from Dolibarr -WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr -WithDolTrackingIDInMsgId=Message sent from Dolibarr -WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr -CreateCandidature=Create job application -FormatZip=Zip -MainMenuCode=Menu entry code (mainmenu) -ECMAutoTree=Show automatic ECM tree -OperationParamDesc=Define the rules to use to extract or set values.
      Example for operations that need to extract a name from email subject:
      name=EXTRACT:SUBJECT:Message from company ([^\n]*)
      Example for operations that create objects:
      objproperty1=SET:the value to set
      objproperty2=SET:a value including value of __objproperty1__
      objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a ; char as separator to extract or set several properties. -OpeningHours=Opening hours -OpeningHoursDesc=Enter here the regular opening hours of your company. -ResourceSetup=Configuration of Resource module -UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). -DisabledResourceLinkUser=Disable feature to link a resource to users -DisabledResourceLinkContact=Disable feature to link a resource to contacts -EnableResourceUsedInEventCheck=Enable feature to check if a resource is in use in an event -ConfirmUnactivation=Confirm module reset -OnMobileOnly=On small screen (smartphone) only -DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be "Prospect" or "Customer", but can't be both) -MAIN_OPTIMIZEFORTEXTBROWSER=Simplify interface for blind person -MAIN_OPTIMIZEFORTEXTBROWSERDesc=Enable this option if you are a blind person, or if you use the application from a text browser like Lynx or Links. -MAIN_OPTIMIZEFORCOLORBLIND=Change interface's color for color blind person -MAIN_OPTIMIZEFORCOLORBLINDDesc=Enable this option if you are a color blind person, in some case interface will change color setup to increase contrast. -Protanopia=Protanopia +MailToSendShipment=চালান +MailToSendIntervention=হস্তক্ষেপ +MailToSendSupplierRequestForQuotation=উদ্ধৃত অণুরোধ +MailToSendSupplierOrder=ক্রয় আদেশ +MailToSendSupplierInvoice=বিক্রেতা চালান +MailToSendContract=চুক্তি +MailToSendReception=অভ্যর্থনা +MailToExpenseReport=খরচ রিপোর্ট +MailToThirdparty=তৃতীয় পক্ষ +MailToMember=সদস্যরা +MailToUser=ব্যবহারকারীদের +MailToProject=প্রকল্প +MailToTicket=টিকিট +ByDefaultInList=তালিকা দৃশ্যে ডিফল্টরূপে দেখান +YouUseLastStableVersion=আপনি সর্বশেষ স্থিতিশীল সংস্করণ ব্যবহার করুন +TitleExampleForMajorRelease=এই বড় রিলিজটি ঘোষণা করতে আপনি যে বার্তা ব্যবহার করতে পারেন তার উদাহরণ (আপনার ওয়েব সাইটগুলিতে এটি ব্যবহার করতে নির্দ্বিধায়) +TitleExampleForMaintenanceRelease=এই রক্ষণাবেক্ষণ রিলিজটি ঘোষণা করতে আপনি ব্যবহার করতে পারেন এমন বার্তার উদাহরণ (আপনার ওয়েব সাইটগুলিতে এটি ব্যবহার করতে নির্দ্বিধায়) +ExampleOfNewsMessageForMajorRelease=Dolibarr ERP এবং CRM %s উপলব্ধ। সংস্করণ %s ব্যবহারকারী এবং বিকাশকারী উভয়ের জন্য অনেক নতুন বৈশিষ্ট্য সহ একটি প্রধান প্রকাশ। আপনি এটি https://www.dolibarr.org পোর্টালের ডাউনলোড এলাকা থেকে ডাউনলোড করতে পারেন (সাবডিরেক্টরি স্ট্যাবল সংস্করণ)। পরিবর্তনের সম্পূর্ণ তালিকার জন্য আপনি ChangeLog পড়তে পারেন। +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP এবং CRM %s উপলব্ধ। সংস্করণ %s একটি রক্ষণাবেক্ষণ সংস্করণ, তাই এতে শুধুমাত্র বাগ সংশোধন রয়েছে। আমরা সমস্ত ব্যবহারকারীদের এই সংস্করণে আপগ্রেড করার পরামর্শ দিই৷ একটি রক্ষণাবেক্ষণ রিলিজ ডাটাবেসের নতুন বৈশিষ্ট্য বা পরিবর্তনগুলি প্রবর্তন করে না। আপনি এটি https://www.dolibarr.org পোর্টালের ডাউনলোড এলাকা থেকে ডাউনলোড করতে পারেন (সাবডিরেক্টরি স্ট্যাবল সংস্করণ)। পরিবর্তনের সম্পূর্ণ তালিকার জন্য আপনি ChangeLog পড়তে পারেন। +MultiPriceRuleDesc=যখন বিকল্প "পণ্য/পরিষেবা প্রতি মূল্যের বেশ কয়েকটি স্তর" সক্ষম করা থাকে, তখন আপনি প্রতিটি পণ্যের জন্য বিভিন্ন মূল্য (মূল্য স্তরের প্রতি একটি) সংজ্ঞায়িত করতে পারেন। আপনার সময় বাঁচাতে, এখানে আপনি প্রথম স্তরের মূল্যের উপর ভিত্তি করে প্রতিটি স্তরের জন্য একটি মূল্য স্বয়ংক্রিয়ভাবে গণনা করার জন্য একটি নিয়ম লিখতে পারেন, তাই আপনাকে প্রতিটি পণ্যের জন্য শুধুমাত্র প্রথম স্তরের জন্য একটি মূল্য লিখতে হবে৷ এই পৃষ্ঠাটি আপনার সময় বাঁচানোর জন্য ডিজাইন করা হয়েছে কিন্তু শুধুমাত্র তখনই উপযোগী যদি প্রতিটি স্তরের জন্য আপনার মূল্য প্রথম স্তরের সাথে আপেক্ষিক হয়। আপনি বেশিরভাগ ক্ষেত্রে এই পৃষ্ঠাটিকে উপেক্ষা করতে পারেন। +ModelModulesProduct=পণ্য নথি জন্য টেমপ্লেট +WarehouseModelModules=গুদামগুলির নথিগুলির জন্য টেমপ্লেট৷ +ToGenerateCodeDefineAutomaticRuleFirst=কোডগুলি স্বয়ংক্রিয়ভাবে তৈরি করতে সক্ষম হওয়ার জন্য, আপনাকে প্রথমে বারকোড নম্বর স্বয়ংক্রিয়ভাবে সংজ্ঞায়িত করতে একজন পরিচালককে সংজ্ঞায়িত করতে হবে। +SeeSubstitutionVars=সম্ভাব্য প্রতিস্থাপন ভেরিয়েবলের তালিকার জন্য * নোট দেখুন +SeeChangeLog=চেঞ্জলগ ফাইল দেখুন (শুধুমাত্র ইংরেজি) +AllPublishers=সকল প্রকাশক +UnknownPublishers=অজানা প্রকাশক +AddRemoveTabs=ট্যাব যোগ করুন বা সরান +AddDataTables=অবজেক্ট টেবিল যোগ করুন +AddDictionaries=অভিধান টেবিল যোগ করুন +AddData=বস্তু বা অভিধান ডেটা যোগ করুন +AddBoxes=উইজেট যোগ করুন +AddSheduledJobs=নির্ধারিত কাজ যোগ করুন +AddHooks=হুক যোগ করুন +AddTriggers=ট্রিগার যোগ করুন +AddMenus=মেনু যোগ করুন +AddPermissions=অনুমতি যোগ করুন +AddExportProfiles=এক্সপোর্ট প্রোফাইল যোগ করুন +AddImportProfiles=আমদানি প্রোফাইল যোগ করুন +AddOtherPagesOrServices=অন্যান্য পৃষ্ঠা বা পরিষেবা যোগ করুন +AddModels=নথি বা নম্বরিং টেমপ্লেট যোগ করুন +AddSubstitutions=কী প্রতিস্থাপন যোগ করুন +DetectionNotPossible=সনাক্তকরণ সম্ভব নয় +UrlToGetKeyToUseAPIs=API ব্যবহার করার জন্য টোকেন পেতে Url (একবার টোকেন প্রাপ্ত হলে তা ডাটাবেস ব্যবহারকারী টেবিলে সংরক্ষিত হয় এবং প্রতিটি API কলে অবশ্যই প্রদান করতে হবে) +ListOfAvailableAPIs=উপলব্ধ API-এর তালিকা +activateModuleDependNotSatisfied=মডিউল "%s" মডিউল "%s" এর উপর নির্ভর করে, এটি অনুপস্থিত, তাই মডিউল " %1$s" সঠিকভাবে কাজ নাও করতে পারে। আপনি যদি কোনো বিস্ময় থেকে নিরাপদ থাকতে চান তাহলে অনুগ্রহ করে "%2$s" মডিউল ইনস্টল করুন বা "%1$s" মডিউলটি নিষ্ক্রিয় করুন +CommandIsNotInsideAllowedCommands=আপনি যে কমান্ডটি চালানোর চেষ্টা করছেন সেটি প্যারামিটারে সংজ্ঞায়িত অনুমোদিত কমান্ডের তালিকায় নেই $dolibarr_main_restrict_os_commands class='notranslate'>
      conf.php ফাইল। +LandingPage=অবতরণ পাতা +SamePriceAlsoForSharedCompanies=আপনি যদি একটি মাল্টিকোম্পানি মডিউল ব্যবহার করেন, "একক মূল্য" পছন্দের সাথে, পণ্যগুলি পরিবেশের মধ্যে ভাগ করা হলে মূল্যও সমস্ত কোম্পানির জন্য একই হবে +ModuleEnabledAdminMustCheckRights=মডিউল সক্রিয় করা হয়েছে. সক্রিয় মডিউল (গুলি) জন্য অনুমতি শুধুমাত্র প্রশাসক ব্যবহারকারীদের দেওয়া হয়েছে. প্রয়োজনে আপনাকে অন্য ব্যবহারকারী বা গোষ্ঠীকে ম্যানুয়ালি অনুমতি দিতে হতে পারে। +UserHasNoPermissions=এই ব্যবহারকারীর কোন অনুমতি সংজ্ঞায়িত নেই +TypeCdr=যদি অর্থপ্রদানের মেয়াদের তারিখটি ইনভয়েসের তারিখ এবং দিনের মধ্যে একটি ডেল্টা হয় (ডেল্টা হল "%s")
      span>"মাসের শেষে" ব্যবহার করুন, যদি, ডেল্টার পরে, মাসের শেষে পৌঁছানোর জন্য তারিখ অবশ্যই বাড়াতে হবে (+ একটি ঐচ্ছিক "%s" দিনে)
      "বর্তমান/পরবর্তী" ব্যবহার করুন যাতে অর্থপ্রদানের মেয়াদ ডেল্টার পর মাসের প্রথম Nth তারিখ হয় (ডেল্টা হল "%s" , N "%s") ক্ষেত্রে সংরক্ষণ করা হয় +BaseCurrency=কোম্পানির রেফারেন্স মুদ্রা (এটি পরিবর্তন করতে কোম্পানির সেটআপে যান) +WarningNoteModuleInvoiceForFrenchLaw=এই মডিউল %s ফরাসি আইনের সাথে সঙ্গতিপূর্ণ (Loi Finance 2016)। +WarningNoteModulePOSForFrenchLaw=এই মডিউল %s ফরাসি আইন (Loi Finance 2016) এর সাথে সঙ্গতিপূর্ণ কারণ মডিউল নন-রিভার্সিবল লগগুলি স্বয়ংক্রিয়ভাবে সক্রিয় হয়৷ +WarningInstallationMayBecomeNotCompliantWithLaw=আপনি %s মডিউল ইনস্টল করার চেষ্টা করছেন যেটি একটি বাহ্যিক মডিউল। একটি বাহ্যিক মডিউল সক্রিয় করার অর্থ হল আপনি সেই মডিউলটির প্রকাশককে বিশ্বাস করেন এবং আপনি নিশ্চিত যে এই মডিউলটি আপনার অ্যাপ্লিকেশনের আচরণে বিরূপ প্রভাব ফেলবে না এবং আপনার দেশের আইনের সাথে সঙ্গতিপূর্ণ (%s span>)। যদি মডিউলটি একটি অবৈধ বৈশিষ্ট্য প্রবর্তন করে, তাহলে আপনি অবৈধ সফ্টওয়্যার ব্যবহারের জন্য দায়ী হন৷ + +MAIN_PDF_MARGIN_LEFT=পিডিএফ-এ বাম মার্জিন +MAIN_PDF_MARGIN_RIGHT=পিডিএফ-এ ডান মার্জিন +MAIN_PDF_MARGIN_TOP=পিডিএফ-এ শীর্ষ মার্জিন +MAIN_PDF_MARGIN_BOTTOM=পিডিএফে নিচের মার্জিন +MAIN_DOCUMENTS_LOGO_HEIGHT=পিডিএফ-এ লোগোর উচ্চতা +DOC_SHOW_FIRST_SALES_REP=প্রথম বিক্রয় প্রতিনিধি দেখান +MAIN_GENERATE_PROPOSALS_WITH_PICTURE=প্রস্তাব লাইনে ছবির জন্য কলাম যোগ করুন +MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=লাইনে ছবি যোগ করা হলে কলামের প্রস্থ +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=উদ্ধৃতি অনুরোধে ইউনিট মূল্য কলাম লুকান +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=উদ্ধৃতি অনুরোধে মোট মূল্য কলাম লুকান +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=ক্রয় আদেশে ইউনিট মূল্য কলাম লুকান +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=puchase অর্ডারে মোট মূল্য কলাম লুকান +MAIN_PDF_NO_SENDER_FRAME=প্রেরকের ঠিকানা ফ্রেমে সীমানা লুকান +MAIN_PDF_NO_RECIPENT_FRAME=প্রাপকের ঠিকানা ফ্রেমে সীমানা লুকান +MAIN_PDF_HIDE_CUSTOMER_CODE=গ্রাহক কোড লুকান +MAIN_PDF_HIDE_SENDER_NAME=ঠিকানা ব্লকে প্রেরক/কোম্পানীর নাম লুকান +PROPOSAL_PDF_HIDE_PAYMENTTERM=পেমেন্ট শর্ত লুকান +PROPOSAL_PDF_HIDE_PAYMENTMODE=পেমেন্ট মোড লুকান +MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=PDF এ ইলেকট্রনিক সাইন যোগ করুন +NothingToSetup=এই মডিউলটির জন্য কোন নির্দিষ্ট সেটআপের প্রয়োজন নেই। +SetToYesIfGroupIsComputationOfOtherGroups=যদি এই গোষ্ঠীটি অন্য গোষ্ঠীগুলির একটি গণনা হয় তবে এটিকে হ্যাঁতে সেট করুন৷ +EnterCalculationRuleIfPreviousFieldIsYes=আগের ক্ষেত্র হ্যাঁ সেট করা থাকলে গণনার নিয়ম লিখুন।
      উদাহরণস্বরূপ:
      CODEGRP1+CODEGRP2 +SeveralLangugeVariatFound=বেশ কিছু ভাষার রূপ পাওয়া গেছে +RemoveSpecialChars=বিশেষ অক্ষর সরান +COMPANY_AQUARIUM_CLEAN_REGEX=মান পরিষ্কার করতে রেজেক্স ফিল্টার (COMPANY_AQUARIUM_CLEAN_REGEX) +COMPANY_AQUARIUM_NO_PREFIX=উপসর্গ ব্যবহার করবেন না, শুধুমাত্র গ্রাহক বা সরবরাহকারী কোড অনুলিপি করুন +COMPANY_DIGITARIA_CLEAN_REGEX=মান পরিষ্কার করতে রেজেক্স ফিল্টার (COMPANY_DIGITARIA_CLEAN_REGEX) +COMPANY_DIGITARIA_UNIQUE_CODE=ডুপ্লিকেট অনুমোদিত নয় +RemoveSpecialWords=গ্রাহক বা সরবরাহকারীদের জন্য উপ-অ্যাকাউন্ট তৈরি করার সময় নির্দিষ্ট শব্দগুলি পরিষ্কার করুন +RemoveSpecialWordsHelp=গ্রাহক বা সরবরাহকারী অ্যাকাউন্ট গণনা করার আগে পরিষ্কার করতে হবে এমন শব্দগুলি উল্লেখ করুন। ব্যবহার করা ";" প্রতিটি শব্দের মধ্যে +GDPRContact=ডেটা সুরক্ষা অফিসার (DPO, ডেটা গোপনীয়তা বা GDPR যোগাযোগ) +GDPRContactDesc=আপনি যদি আপনার ইনফরমেশন সিস্টেমে ব্যক্তিগত ডেটা সঞ্চয় করেন, তাহলে আপনি এখানে সাধারণ ডেটা সুরক্ষা প্রবিধানের জন্য দায়ী পরিচিতের নাম দিতে পারেন +HelpOnTooltip=টুলটিপে দেখানোর জন্য পাঠ্য সাহায্য করুন +HelpOnTooltipDesc=এই ক্ষেত্রটি একটি ফর্মে উপস্থিত হলে একটি টুলটিপে পাঠ্য দেখানোর জন্য এখানে পাঠ্য বা একটি অনুবাদ কী রাখুন +YouCanDeleteFileOnServerWith=আপনি কমান্ড লাইনের মাধ্যমে সার্ভারে এই ফাইলটি মুছে ফেলতে পারেন:
      %s +ChartLoaded=অ্যাকাউন্টের চার্ট লোড হয়েছে +SocialNetworkSetup=মডিউল সামাজিক নেটওয়ার্ক সেটআপ +EnableFeatureFor=%s এর জন্য বৈশিষ্ট্যগুলি সক্ষম করুন +VATIsUsedIsOff=দ্রষ্টব্য: বিক্রয় কর বা ভ্যাট ব্যবহারের বিকল্পটি মেনুতে বন্ধ সেট করা হয়েছে '>%s
      - %s, তাই বিক্রয় কর বা ভ্যাট সর্বদা বিক্রয়ের জন্য 0 হবে। +SwapSenderAndRecipientOnPDF=PDF নথিতে প্রেরক এবং প্রাপকের ঠিকানার অবস্থান অদলবদল করুন +FeatureSupportedOnTextFieldsOnly=সতর্কতা, বৈশিষ্ট্য শুধুমাত্র পাঠ্য ক্ষেত্র এবং কম্বো তালিকায় সমর্থিত। এছাড়াও একটি URL প্যারামিটার action=create or action=edit সেট করতে হবে অথবা এই বৈশিষ্ট্যটিকে ট্রিগার করতে পৃষ্ঠার নাম অবশ্যই 'new.php' দিয়ে শেষ করতে হবে। +EmailCollector=ইমেল সংগ্রাহক +EmailCollectors=ইমেল সংগ্রাহক +EmailCollectorDescription=নিয়মিত ইমেল বক্স (IMAP প্রোটোকল ব্যবহার করে) স্ক্যান করতে একটি নির্ধারিত কাজ এবং একটি সেটআপ পৃষ্ঠা যোগ করুন এবং আপনার অ্যাপ্লিকেশনে প্রাপ্ত ইমেলগুলি সঠিক জায়গায় রেকর্ড করুন এবং/অথবা স্বয়ংক্রিয়ভাবে কিছু রেকর্ড তৈরি করুন (যেমন লিড)। +NewEmailCollector=নতুন ইমেইল কালেক্টর +EMailHost=ইমেল IMAP সার্ভারের হোস্ট +EMailHostPort=ইমেল IMAP সার্ভারের পোর্ট +loginPassword=প্রবেশের গুপ্তসংকেত +oauthToken=OAuth2 টোকেন +accessType=অ্যাক্সেসের ধরন +oauthService=Oauth পরিষেবা +TokenMustHaveBeenCreated=মডিউল OAuth2 অবশ্যই সক্ষম হতে হবে এবং সঠিক অনুমতির সাথে একটি oauth2 টোকেন তৈরি করতে হবে (উদাহরণস্বরূপ Gmail এর জন্য OAuth-এর সাথে স্কোপ "gmail_full")। +ImapEncryption = IMAP এনক্রিপশন পদ্ধতি +ImapEncryptionHelp = উদাহরণ: none, ssl, tls, notls +NoRSH = NoRSH কনফিগারেশন ব্যবহার করুন +NoRSHHelp = একটি IMAP প্রাক-শনাক্তকরণ সেশন প্রতিষ্ঠা করতে RSH বা SSH প্রোটোকল ব্যবহার করবেন না +MailboxSourceDirectory=মেইলবক্স উৎস ডিরেক্টরি +MailboxTargetDirectory=মেইলবক্স টার্গেট ডিরেক্টরি +EmailcollectorOperations=সংগ্রাহক দ্বারা অপারেশন +EmailcollectorOperationsDesc=অপারেশনগুলি উপরে থেকে নীচের ক্রম পর্যন্ত সঞ্চালিত হয় +MaxEmailCollectPerCollect=প্রতি সংগৃহীত ইমেলের সর্বাধিক সংখ্যা +TestCollectNow=পরীক্ষা সংগ্রহ +CollectNow=এখন সংগ্রহ করুন +ConfirmCloneEmailCollector=আপনি কি ইমেল সংগ্রাহক %s ক্লোন করার বিষয়ে নিশ্চিত? +DateLastCollectResult=সর্বশেষ সংগ্রহের চেষ্টার তারিখ +DateLastcollectResultOk=সর্বশেষ সংগ্রহ সাফল্যের তারিখ +LastResult=সর্বশেষ ফলাফল +EmailCollectorHideMailHeaders=সংগৃহীত ই-মেইলের সংরক্ষিত বিষয়বস্তুতে ইমেল হেডারের বিষয়বস্তু অন্তর্ভুক্ত করবেন না +EmailCollectorHideMailHeadersHelp=সক্রিয় করা হলে, ইমেল বিষয়বস্তুর শেষে ই-মেইল শিরোনাম যোগ করা হয় না যা একটি এজেন্ডা ইভেন্ট হিসাবে সংরক্ষিত হয়। +EmailCollectorConfirmCollectTitle=ইমেইল সংগ্রহ নিশ্চিতকরণ +EmailCollectorConfirmCollect=আপনি কি এখন এই কালেক্টর চালাতে চান? +EmailCollectorExampleToCollectTicketRequestsDesc=কিছু নিয়মের সাথে মেলে এমন ইমেলগুলি সংগ্রহ করুন এবং ইমেল তথ্য সহ স্বয়ংক্রিয়ভাবে একটি টিকিট তৈরি করুন (মডিউল টিকিট সক্ষম হতে হবে)৷ আপনি এই সংগ্রাহকটি ব্যবহার করতে পারেন যদি আপনি ইমেলের মাধ্যমে কিছু সহায়তা প্রদান করেন, তাই আপনার টিকিটের অনুরোধ স্বয়ংক্রিয়ভাবে তৈরি হবে। টিকিট ভিউতে সরাসরি আপনার ক্লায়েন্টের উত্তর সংগ্রহ করতে Collect_Responses সক্রিয় করুন (আপনাকে অবশ্যই Dolibarr থেকে উত্তর দিতে হবে)। +EmailCollectorExampleToCollectTicketRequests=টিকিটের অনুরোধ সংগ্রহের উদাহরণ (শুধুমাত্র প্রথম বার্তা) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=আপনার ইমেল সফ্টওয়্যার থেকে সরাসরি অন্য ইমেলের উত্তর হিসাবে পাঠানো ইমেলগুলি খুঁজে পেতে আপনার মেলবক্স "প্রেরিত" ডিরেক্টরি স্ক্যান করুন এবং Dolibarr থেকে নয়৷ যদি এই ধরনের একটি ইমেল পাওয়া যায়, উত্তরের ঘটনা ডলিবারে রেকর্ড করা হয় +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=একটি বহিরাগত ই-মেইল সফ্টওয়্যার থেকে পাঠানো ই-মেইল উত্তর সংগ্রহের উদাহরণ +EmailCollectorExampleToCollectDolibarrAnswersDesc=সমস্ত ইমেল সংগ্রহ করুন যেগুলি আপনার অ্যাপ্লিকেশন থেকে পাঠানো একটি ইমেলের উত্তর। ইমেল প্রতিক্রিয়া সহ একটি ইভেন্ট (মডিউল এজেন্ডা সক্ষম হতে হবে) ভাল জায়গায় রেকর্ড করা হবে। উদাহরণস্বরূপ, আপনি যদি অ্যাপ্লিকেশন থেকে ইমেলের মাধ্যমে একটি টিকিটের জন্য একটি বাণিজ্যিক প্রস্তাব, অর্ডার, চালান বা বার্তা পাঠান এবং প্রাপক আপনার ইমেলের উত্তর দেন, তাহলে সিস্টেম স্বয়ংক্রিয়ভাবে উত্তরটি ধরবে এবং এটি আপনার ERP-তে যোগ করবে। +EmailCollectorExampleToCollectDolibarrAnswers=ডলিবার' থেকে প্রেরিত বার্তাগুলির উত্তর হিসাবে সমস্ত আগত বার্তা সংগ্রহের উদাহরণ +EmailCollectorExampleToCollectLeadsDesc=কিছু নিয়মের সাথে মেলে এমন ইমেলগুলি সংগ্রহ করুন এবং ইমেল তথ্য সহ স্বয়ংক্রিয়ভাবে একটি লিড (মডিউল প্রকল্প সক্ষম হতে হবে) তৈরি করুন৷ আপনি যদি মডিউল প্রকল্প (1 লিড = 1 প্রকল্প) ব্যবহার করে আপনার লিড অনুসরণ করতে চান তবে আপনি এই সংগ্রাহকটি ব্যবহার করতে পারেন, তাই আপনার লিডগুলি স্বয়ংক্রিয়ভাবে তৈরি হবে। যদি সংগ্রাহক Collect_Responses সক্রিয় থাকে, আপনি যখন আপনার লিড, প্রস্তাবনা বা অন্য কোনো বস্তু থেকে একটি ইমেল পাঠান, তখন আপনি সরাসরি আবেদনে আপনার গ্রাহক বা অংশীদারদের উত্তরও দেখতে পাবেন।
      দ্রষ্টব্য: এই প্রাথমিক উদাহরণের সাহায্যে, ইমেল সহ লিডের শিরোনাম তৈরি করা হয়েছে। যদি তৃতীয় পক্ষকে ডাটাবেসে (নতুন গ্রাহক) পাওয়া না যায়, তাহলে সীসাটি আইডি 1 সহ তৃতীয় পক্ষের সাথে সংযুক্ত করা হবে। +EmailCollectorExampleToCollectLeads=লিড সংগ্রহের উদাহরণ +EmailCollectorExampleToCollectJobCandidaturesDesc=চাকরির অফারগুলিতে আবেদনকারী ইমেলগুলি সংগ্রহ করুন (মডিউল নিয়োগ অবশ্যই সক্ষম হতে হবে)। আপনি যদি চাকরির অনুরোধের জন্য স্বয়ংক্রিয়ভাবে প্রার্থীতা তৈরি করতে চান তবে আপনি এই সংগ্রাহকটি সম্পূর্ণ করতে পারেন। দ্রষ্টব্য: এই প্রাথমিক উদাহরণ দিয়ে, ইমেল সহ প্রার্থীর শিরোনাম তৈরি করা হয়েছে। +EmailCollectorExampleToCollectJobCandidatures=ই-মেইলের মাধ্যমে প্রাপ্ত চাকরির প্রার্থীতা সংগ্রহের উদাহরণ +NoNewEmailToProcess=প্রক্রিয়া করার জন্য কোন নতুন ইমেল (মেলা ফিল্টার) নেই +NothingProcessed=কিছুই করা হয়নি +RecordEvent=এজেন্ডায় একটি ইভেন্ট রেকর্ড করুন (প্রেরিত বা প্রাপ্ত ধরনের ইমেল সহ) +CreateLeadAndThirdParty=একটি লিড তৈরি করুন (এবং প্রয়োজনে একটি তৃতীয় পক্ষ) +CreateTicketAndThirdParty=একটি টিকিট তৈরি করুন (একটি তৃতীয় পক্ষের সাথে লিঙ্ক করা হয়েছে যদি তৃতীয় পক্ষ পূর্ববর্তী অপারেশন দ্বারা লোড করা হয় বা ইমেল হেডারে একটি ট্র্যাকার থেকে অনুমান করা হয়, অন্যথায় তৃতীয় পক্ষ ছাড়া) +CodeLastResult=সর্বশেষ ফলাফল কোড +NbOfEmailsInInbox=উৎস ডিরেক্টরিতে ইমেলের সংখ্যা +LoadThirdPartyFromName=%s-এ তৃতীয় পক্ষের অনুসন্ধান লোড করুন (শুধুমাত্র লোড) +LoadThirdPartyFromNameOrCreate=%s এ তৃতীয় পক্ষের অনুসন্ধান লোড করুন (না পাওয়া গেলে তৈরি করুন) +LoadContactFromEmailOrCreate=%s-এ পরিচিতি অনুসন্ধান লোড করুন (না পাওয়া গেলে তৈরি করুন) +AttachJoinedDocumentsToObject=সংযুক্ত ফাইলগুলিকে অবজেক্ট ডকুমেন্টে সেভ করুন যদি ইমেল টপিকে কোনো অবজেক্টের রেফ পাওয়া যায়। +WithDolTrackingID=Dolibarr থেকে পাঠানো একটি প্রথম ইমেল দ্বারা শুরু একটি কথোপকথন থেকে বার্তা +WithoutDolTrackingID=Dolibarr থেকে পাঠানো হয়নি এমন একটি প্রথম ইমেলের মাধ্যমে শুরু করা কথোপকথনের বার্তা +WithDolTrackingIDInMsgId=Dolibarr থেকে বার্তা পাঠানো হয়েছে +WithoutDolTrackingIDInMsgId=Dolibarr থেকে বার্তা পাঠানো হয়নি +CreateCandidature=চাকরির আবেদন তৈরি করুন +FormatZip=জিপ +MainMenuCode=মেনু এন্ট্রি কোড (মেনমেনু) +ECMAutoTree=স্বয়ংক্রিয় ECM গাছ দেখান +OperationParamDesc=কিছু ডেটা বের করতে ব্যবহার করার নিয়মগুলি সংজ্ঞায়িত করুন বা অপারেশনের জন্য ব্যবহার করার জন্য মানগুলি সেট করুন৷

      থেকে কোম্পানির নাম বের করার উদাহরণ একটি অস্থায়ী পরিবর্তনশীল মধ্যে ইমেল বিষয়:
      tmp_var=EXTRACT:SUBJECT:কোম্পানীর বার্তা ([^\n]*)

      তৈরি করার জন্য একটি বস্তুর বৈশিষ্ট্য সেট করার উদাহরণ:
      objproperty1=SET:একটি হার্ড কোডেড মান
      objproperty2=SET:__tmp_var__
      objproperty3=YMPvalue:YMPVALue সম্পত্তি ইতিমধ্যে সংজ্ঞায়িত না থাকলেই সেট করা হয়)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY is:My s([^\\s]*)

      বিভিন্ন বৈশিষ্ট্যগুলি বের করতে বা সেট করতে একটি নতুন লাইন ব্যবহার করুন৷ +OpeningHours=খোলার সময় +OpeningHoursDesc=আপনার কোম্পানির নিয়মিত খোলার সময় এখানে লিখুন। +ResourceSetup=রিসোর্স মডিউল কনফিগারেশন +UseSearchToSelectResource=একটি সংস্থান চয়ন করতে একটি অনুসন্ধান ফর্ম ব্যবহার করুন (ড্রপ-ডাউন তালিকার পরিবর্তে)। +DisabledResourceLinkUser=ব্যবহারকারীদের সাথে একটি সংস্থান লিঙ্ক করতে বৈশিষ্ট্যটি অক্ষম করুন৷ +DisabledResourceLinkContact=পরিচিতিগুলির সাথে একটি সংস্থান লিঙ্ক করতে বৈশিষ্ট্যটি অক্ষম করুন৷ +EnableResourceUsedInEventCheck=এজেন্ডায় একই সময়ে একই সম্পদ ব্যবহার নিষিদ্ধ করুন +ConfirmUnactivation=মডিউল রিসেট নিশ্চিত করুন +OnMobileOnly=শুধুমাত্র ছোট স্ক্রিনে (স্মার্টফোন) +DisableProspectCustomerType="সম্ভাব্য + গ্রাহক" তৃতীয় পক্ষের প্রকার অক্ষম করুন (তাই তৃতীয় পক্ষকে অবশ্যই "সম্ভাব্য" বা "গ্রাহক" হতে হবে, তবে উভয়ই হতে পারে না) +MAIN_OPTIMIZEFORTEXTBROWSER=অন্ধ ব্যক্তির জন্য ইন্টারফেস সরলীকরণ +MAIN_OPTIMIZEFORTEXTBROWSERDesc=আপনি যদি একজন অন্ধ ব্যক্তি হন, অথবা যদি আপনি Lynx বা Links এর মত একটি টেক্সট ব্রাউজার থেকে অ্যাপ্লিকেশন ব্যবহার করেন তাহলে এই বিকল্পটি সক্রিয় করুন৷ +MAIN_OPTIMIZEFORCOLORBLIND=বর্ণান্ধ ব্যক্তির জন্য ইন্টারফেসের রঙ পরিবর্তন করুন +MAIN_OPTIMIZEFORCOLORBLINDDesc=আপনি যদি বর্ণান্ধ ব্যক্তি হন তবে এই বিকল্পটি সক্ষম করুন, কিছু ক্ষেত্রে ইন্টারফেস বৈসাদৃশ্য বাড়ানোর জন্য রঙ সেটআপ পরিবর্তন করবে। +Protanopia=প্রোটানোপিয়া Deuteranopes=Deuteranopes -Tritanopes=Tritanopes -ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' -DefaultCustomerType=Default thirdparty type for "New customer" creation form -ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. -RootCategoryForProductsToSell=Root category of products to sell -RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale -DebugBar=Debug Bar -DebugBarDesc=Toolbar that comes with a plenty of tools to simplify debugging -DebugBarSetup=DebugBar Setup -GeneralOptions=General Options -LogsLinesNumber=Number of lines to show on logs tab -UseDebugBar=Use the debug bar -DEBUGBAR_LOGS_LINES_NUMBER=Number of last log lines to keep in console -WarningValueHigherSlowsDramaticalyOutput=Warning, higher values slows dramaticaly output -ModuleActivated=Module %s is activated and slows the interface -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) -IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. -AntivirusEnabledOnUpload=Antivirus enabled on uploaded files -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode -EXPORTS_SHARE_MODELS=Export models are share with everybody -ExportSetup=Setup of module Export -ImportSetup=Setup of module Import -InstanceUniqueID=Unique ID of the instance -SmallerThan=Smaller than -LargerThan=Larger than -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -EndPointFor=End point for %s : %s -DeleteEmailCollector=Delete email collector -ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? -RecipientEmailsWillBeReplacedWithThisValue=Recipient emails will be always replaced with this value -AtLeastOneDefaultBankAccountMandatory=At least 1 default bank account must be defined -RESTRICT_ON_IP=Allow access to some host IP only (wildcard not allowed, use space between values). Empty means every hosts can access. +Tritanopes=ট্রাইটানোপস +ThisValueCanOverwrittenOnUserLevel=এই মানটি প্রতিটি ব্যবহারকারী তার ব্যবহারকারী পৃষ্ঠা থেকে ওভাররাইট করতে পারে - ট্যাব '%s' +DefaultCustomerType="নতুন গ্রাহক" তৈরির ফর্মের জন্য ডিফল্ট তৃতীয় পক্ষের ধরন +ABankAccountMustBeDefinedOnPaymentModeSetup=দ্রষ্টব্য: এই বৈশিষ্ট্যটি কাজ করার জন্য প্রতিটি পেমেন্ট মোডের (পেপাল, স্ট্রাইপ, ...) মডিউলে ব্যাঙ্ক অ্যাকাউন্টটি অবশ্যই সংজ্ঞায়িত করা উচিত। +RootCategoryForProductsToSell=রুট ক্যাটাগরির পণ্য বিক্রি করতে হবে +RootCategoryForProductsToSellDesc=যদি সংজ্ঞায়িত করা হয়, শুধুমাত্র এই বিষয়শ্রেণীতে অন্তর্ভুক্ত পণ্য বা এই বিভাগের শিশুদের বিক্রয় পয়েন্ট পাওয়া যাবে +DebugBar=ডিবাগ বার +DebugBarDesc=টুলবার যা ডিবাগিং সহজ করার জন্য প্রচুর টুলের সাথে আসে +DebugBarSetup=ডিবাগবার সেটআপ +GeneralOptions=সাধারণ বিকল্পসমূহ +LogsLinesNumber=লগ ট্যাবে দেখানোর জন্য লাইনের সংখ্যা +UseDebugBar=ডিবাগ বার ব্যবহার করুন +DEBUGBAR_LOGS_LINES_NUMBER=কনসোলে রাখার জন্য শেষ লগ লাইনের সংখ্যা +WarningValueHigherSlowsDramaticalyOutput=সতর্কতা, উচ্চ মান নাটকীয়ভাবে আউটপুট ধীর +ModuleActivated=মডিউল %s সক্রিয় হয় এবং ইন্টারফেসকে ধীর করে দেয় +ModuleActivatedWithTooHighLogLevel=মডিউল %s একটি খুব উচ্চ লগিং স্তরের সাথে সক্রিয় করা হয়েছে (ভাল পারফরম্যান্স এবং নিরাপত্তার জন্য একটি নিম্ন স্তর ব্যবহার করার চেষ্টা করুন) +ModuleSyslogActivatedButLevelNotTooVerbose=মডিউল %s সক্রিয় করা হয়েছে এবং লগ লেভেল (%s) সঠিক (খুব শব্দভাষী নয়) +IfYouAreOnAProductionSetThis=আপনি যদি একটি উৎপাদন পরিবেশে থাকেন, তাহলে আপনার এই সম্পত্তিটি %s এ সেট করা উচিত। +AntivirusEnabledOnUpload=আপলোড করা ফাইলগুলিতে অ্যান্টিভাইরাস সক্ষম +SomeFilesOrDirInRootAreWritable=কিছু ফাইল বা ডিরেক্টরি শুধুমাত্র পঠনযোগ্য মোডে নেই +EXPORTS_SHARE_MODELS=রপ্তানি মডেল সবার সাথে শেয়ার করা হয় +ExportSetup=মডিউল রপ্তানি সেটআপ +ImportSetup=মডিউল আমদানি সেটআপ +InstanceUniqueID=উদাহরণের অনন্য আইডি +SmallerThan=অপেক্ষা ছোট +LargerThan=চেয়ে বড় +IfTrackingIDFoundEventWillBeLinked=মনে রাখবেন যে যদি ইমেলের মধ্যে একটি বস্তুর একটি ট্র্যাকিং আইডি পাওয়া যায়, বা যদি ইমেলটি ইতিমধ্যেই সংগ্রহ করা একটি ইমেলের উত্তর হয় এবং একটি বস্তুর সাথে লিঙ্ক করা হয়, তৈরি ইভেন্টটি স্বয়ংক্রিয়ভাবে পরিচিত সম্পর্কিত বস্তুর সাথে লিঙ্ক করা হবে। +WithGMailYouCanCreateADedicatedPassword=একটি GMail অ্যাকাউন্টের সাথে, আপনি যদি 2 ধাপের বৈধতা সক্ষম করেন, তাহলে https://myaccount.google.com/ থেকে আপনার নিজের অ্যাকাউন্টের পাসওয়ার্ড ব্যবহার না করে অ্যাপ্লিকেশনটির জন্য একটি ডেডিকেটেড দ্বিতীয় পাসওয়ার্ড তৈরি করার পরামর্শ দেওয়া হয়। +EmailCollectorTargetDir=এটি সফলভাবে প্রক্রিয়া করা হলে ইমেলটিকে অন্য ট্যাগ/ডিরেক্টরিতে স্থানান্তর করা একটি পছন্দসই আচরণ হতে পারে। এই বৈশিষ্ট্যটি ব্যবহার করতে এখানে শুধু ডিরেক্টরির নাম সেট করুন (নামে বিশেষ অক্ষর ব্যবহার করবেন না)। মনে রাখবেন যে আপনাকে অবশ্যই একটি পঠন/লেখা লগইন অ্যাকাউন্ট ব্যবহার করতে হবে। +EmailCollectorLoadThirdPartyHelp=আপনি আপনার ডাটাবেসে বিদ্যমান তৃতীয় পক্ষকে খুঁজে পেতে এবং লোড করতে ইমেল সামগ্রী ব্যবহার করতে এই ক্রিয়াটি ব্যবহার করতে পারেন ('আইডি', 'নাম', 'নাম_আলিয়াস', 'ইমেল'-এর মধ্যে সংজ্ঞায়িত সম্পত্তিতে অনুসন্ধান করা হবে)। পাওয়া (বা তৈরি করা) তৃতীয় পক্ষকে নিম্নলিখিত ক্রিয়াকলাপের জন্য ব্যবহার করা হবে যেগুলির জন্য এটি প্রয়োজন৷
      উদাহরণস্বরূপ, যদি আপনি একটি স্ট্রিং থেকে বের করা একটি নাম দিয়ে একটি তৃতীয় পক্ষ তৈরি করতে চান ' নাম: নাম: খুঁজে বের করতে নাম' বডিতে উপস্থিত, প্রেরকের ইমেলটিকে ইমেল হিসাবে ব্যবহার করুন, আপনি প্যারামিটার ক্ষেত্রটি এভাবে সেট করতে পারেন:
      'email=HEADER:^From:(। *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=সতর্কতা: অনেক ইমেল সার্ভার (যেমন Gmail) একটি স্ট্রিং অনুসন্ধান করার সময় সম্পূর্ণ শব্দ অনুসন্ধান করছে এবং যদি স্ট্রিংটি শুধুমাত্র একটি শব্দে আংশিকভাবে পাওয়া যায় তবে ফলাফল প্রদান করবে না। এই কারণেও, একটি অনুসন্ধানের মানদণ্ডে বিশেষ অক্ষর ব্যবহার করলে তা উপেক্ষা করা হবে যদি সেগুলি বিদ্যমান শব্দগুলির অংশ নয়৷
      কোনও শব্দের উপর একটি বাদ অনুসন্ধান করতে (শব্দ থাকলে ইমেল ফেরত দিন পাওয়া যায় না), আপনি ব্যবহার করতে পারেন! শব্দের আগে অক্ষর (কিছু মেল সার্ভারে কাজ নাও করতে পারে)। +EndPointFor=%s এর জন্য শেষ বিন্দু : %s +DeleteEmailCollector=ইমেল সংগ্রাহক মুছুন +ConfirmDeleteEmailCollector=আপনি কি এই ইমেল সংগ্রাহক মুছে ফেলার বিষয়ে নিশ্চিত? +RecipientEmailsWillBeReplacedWithThisValue=প্রাপকের ইমেল সবসময় এই মান দিয়ে প্রতিস্থাপিত হবে +AtLeastOneDefaultBankAccountMandatory=কমপক্ষে 1টি ডিফল্ট ব্যাঙ্ক অ্যাকাউন্ট সংজ্ঞায়িত করা আবশ্যক৷ +RESTRICT_ON_IP=শুধুমাত্র নির্দিষ্ট ক্লায়েন্ট আইপিগুলিতে API অ্যাক্সেসের অনুমতি দিন (ওয়াইল্ডকার্ড অনুমোদিত নয়, মানগুলির মধ্যে স্থান ব্যবহার করুন)। খালি মানে প্রত্যেক ক্লায়েন্ট অ্যাক্সেস করতে পারেন। IPListExample=127.0.0.1 192.168.0.2 [::1] -BaseOnSabeDavVersion=Based on the library SabreDAV version -NotAPublicIp=Not a public IP -MakeAnonymousPing=Make an anonymous Ping '+1' to the Dolibarr foundation server (done 1 time only after installation) to allow the foundation to count the number of Dolibarr installation. -FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled -EmailTemplate=Template for email -EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF -FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. -RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard -JumpToBoxes=Jump to Setup -> Widgets -MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" -MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values. -TemplateAdded=Template added -TemplateUpdated=Template updated -TemplateDeleted=Template deleted -MailToSendEventPush=Event reminder email -SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security -DictionaryProductNature= Nature of product -CountryIfSpecificToOneCountry=Country (if specific to a given country) -YouMayFindSecurityAdviceHere=You may find security advisory here -ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. -ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. -CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples -SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. -AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only -ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. -MailToSendEventOrganization=Event Organization -MailToPartnership=Partnership -AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an anitivurs program), you must keep PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s -Recommended=Recommended -NotRecommended=Not recommended -ARestrictedPath=Some restricted path -CheckForModuleUpdate=Check for external modules updates -CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. -ModuleUpdateAvailable=An update is available -NoExternalModuleWithUpdate=No updates found for external modules -SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) -YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=You enabled deprecated WS API. You should use REST API instead. -RandomlySelectedIfSeveral=Randomly selected if several pictures are available -DatabasePasswordObfuscated=Database password is obfuscated in conf file -DatabasePasswordNotObfuscated=Database password is NOT obfuscated in conf file -APIsAreNotEnabled=APIs modules are not enabled -YouShouldSetThisToOff=You should set this to 0 or off -InstallAndUpgradeLockedBy=Install and upgrades are locked by the file %s -OldImplementation=Old implementation -PDF_SHOW_LINK_TO_ONLINE_PAYMENT=If some online payment modules are enabled (Paypal, Stripe, ...), add a link on the PDF to make the online payment -DashboardDisableGlobal=Disable globally all the thumbs of open objects -BoxstatsDisableGlobal=Disable totally box statistics -DashboardDisableBlocks=Thumbs of open objects (to process or late) on main dashboard -DashboardDisableBlockAgenda=Disable the thumb for agenda -DashboardDisableBlockProject=Disable the thumb for projects -DashboardDisableBlockCustomer=Disable the thumb for customers -DashboardDisableBlockSupplier=Disable the thumb for suppliers -DashboardDisableBlockContract=Disable the thumb for contracts -DashboardDisableBlockTicket=Disable the thumb for tickets -DashboardDisableBlockBank=Disable the thumb for banks -DashboardDisableBlockAdherent=Disable the thumb for memberships -DashboardDisableBlockExpenseReport=Disable the thumb for expense reports -DashboardDisableBlockHoliday=Disable the thumb for leaves -EnabledCondition=Condition to have field enabled (if not enabled, visibility will always be off) -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sale tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sale tax -LanguageAndPresentation=Language and presentation -SkinAndColors=Skin and colors -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sale tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sale tax -PDF_USE_1A=Generate PDF with PDF/A-1b format -MissingTranslationForConfKey = Missing translation for %s -NativeModules=Native modules -NoDeployedModulesFoundWithThisSearchCriteria=No modules found for these search criteria -API_DISABLE_COMPRESSION=Disable compression of API responses -EachTerminalHasItsOwnCounter=Each terminal use its own counter. -FillAndSaveAccountIdAndSecret=Fill and save account ID and secret first -PreviousHash=Previous hash +BaseOnSabeDavVersion=লাইব্রেরি SabreDAV সংস্করণের উপর ভিত্তি করে +NotAPublicIp=পাবলিক আইপি নয় +MakeAnonymousPing=ডলিবার ফাউন্ডেশন সার্ভারে একটি বেনামী পিং '+1' তৈরি করুন (ইন্সটলেশনের পর মাত্র 1 বার করা হয়েছে) যাতে ফাউন্ডেশন ডলিবার ইনস্টলেশনের সংখ্যা গণনা করতে পারে। +FeatureNotAvailableWithReceptionModule=মডিউল অভ্যর্থনা সক্ষম হলে বৈশিষ্ট্য উপলব্ধ নয়৷ +EmailTemplate=ইমেলের জন্য টেমপ্লেট +EMailsWillHaveMessageID=ইমেলে এই সিনট্যাক্সের সাথে মিলে একটি ট্যাগ 'রেফারেন্স' থাকবে +PDF_SHOW_PROJECT=নথিতে প্রকল্প দেখান +ShowProjectLabel=প্রকল্প লেবেল +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=তৃতীয় পক্ষের নামে উপনাম অন্তর্ভুক্ত করুন +THIRDPARTY_ALIAS=তৃতীয় পক্ষের নাম - তৃতীয় পক্ষের উপনাম +ALIAS_THIRDPARTY=তৃতীয় পক্ষের উপনাম - তৃতীয় পক্ষের নাম +PDFIn2Languages=পিডিএফ-এ 2টি ভিন্ন ভাষায় লেবেল দেখান (এই বৈশিষ্ট্যটি কয়েকটি ভাষার জন্য কাজ নাও করতে পারে) +PDF_USE_ALSO_LANGUAGE_CODE=আপনি যদি আপনার পিডিএফের কিছু পাঠ্য একই জেনারেটেড পিডিএফ-এ 2টি ভিন্ন ভাষায় সদৃশ করতে চান, তাহলে আপনাকে অবশ্যই এখানে এই দ্বিতীয় ভাষাটি সেট করতে হবে যাতে জেনারেট করা পিডিএফে একই পৃষ্ঠায় 2টি ভিন্ন ভাষা থাকবে, যেটি PDF তৈরি করার সময় বেছে নেওয়া হয় এবং এটি ( শুধুমাত্র কয়েকটি পিডিএফ টেমপ্লেট এটি সমর্থন করে)। পিডিএফ প্রতি 1টি ভাষার জন্য খালি রাখুন। +PDF_USE_A=ডিফল্ট ফরম্যাট PDF এর পরিবর্তে PDF/A ফরম্যাট সহ পিডিএফ ডকুমেন্ট তৈরি করুন +FafaIconSocialNetworksDesc=এখানে একটি FontAwesome আইকনের কোড লিখুন। আপনি যদি না জানেন যে FontAwesome কি, আপনি জেনেরিক মান fa-address-book ব্যবহার করতে পারেন। +RssNote=দ্রষ্টব্য: প্রতিটি RSS ফিড সংজ্ঞা একটি উইজেট প্রদান করে যেটি ড্যাশবোর্ডে উপলব্ধ থাকতে আপনাকে অবশ্যই সক্ষম করতে হবে +JumpToBoxes=সেটআপে যান -> উইজেট +MeasuringUnitTypeDesc=এখানে একটি মান ব্যবহার করুন যেমন "আকার", "সারফেস", "ভলিউম", "ওজন", "সময়" +MeasuringScaleDesc=স্কেল হল ডিফল্ট রেফারেন্স ইউনিটের সাথে মেলে আপনার দশমিক অংশটি স্থানান্তরের সংখ্যা। "সময়" ইউনিট টাইপের জন্য, এটি সেকেন্ডের সংখ্যা। 80 এবং 99 এর মধ্যে মানগুলি সংরক্ষিত মান। +TemplateAdded=টেমপ্লেট যোগ করা হয়েছে +TemplateUpdated=টেমপ্লেট আপডেট করা হয়েছে +TemplateDeleted=টেমপ্লেট মুছে ফেলা হয়েছে +MailToSendEventPush=ইভেন্ট অনুস্মারক ইমেল +SwitchThisForABetterSecurity=আরও নিরাপত্তার জন্য এই মানটিকে %s এ পরিবর্তন করার পরামর্শ দেওয়া হয় +DictionaryProductNature= পণ্যের প্রকৃতি +CountryIfSpecificToOneCountry=দেশ (যদি একটি নির্দিষ্ট দেশের জন্য নির্দিষ্ট) +YouMayFindSecurityAdviceHere=আপনি এখানে নিরাপত্তা পরামর্শ পেতে পারেন +ModuleActivatedMayExposeInformation=এই পিএইচপি এক্সটেনশনটি সংবেদনশীল ডেটা প্রকাশ করতে পারে। আপনার যদি এটির প্রয়োজন না হয় তবে এটি অক্ষম করুন। +ModuleActivatedDoNotUseInProduction=উন্নয়নের জন্য ডিজাইন করা একটি মডিউল সক্ষম করা হয়েছে। এটি একটি উত্পাদন পরিবেশে সক্ষম করবেন না। +CombinationsSeparator=পণ্যের সংমিশ্রণের জন্য বিভাজক অক্ষর +SeeLinkToOnlineDocumentation=উদাহরণের জন্য শীর্ষ মেনুতে অনলাইন ডকুমেন্টেশনের লিঙ্ক দেখুন +SHOW_SUBPRODUCT_REF_IN_PDF=যদি বৈশিষ্ট্য "%s" মডিউল %s ব্যবহার করা হয়, পিডিএফ-এ একটি কিটের সাব-প্রোডাক্টের বিবরণ দেখান। +AskThisIDToYourBank=এই আইডি পেতে আপনার ব্যাঙ্কের সাথে যোগাযোগ করুন +AdvancedModeOnly=অনুমতি শুধুমাত্র উন্নত অনুমতি মোডে উপলব্ধ +ConfFileIsReadableOrWritableByAnyUsers=conf ফাইলটি যেকোনো ব্যবহারকারীর দ্বারা পাঠযোগ্য বা লেখার যোগ্য। শুধুমাত্র ওয়েব সার্ভার ব্যবহারকারী এবং গোষ্ঠীকে অনুমতি দিন। +MailToSendEventOrganization=ইভেন্ট সংস্থা +MailToPartnership=অংশীদারিত্ব +AGENDA_EVENT_DEFAULT_STATUS=ফর্ম থেকে একটি ইভেন্ট তৈরি করার সময় ডিফল্ট ইভেন্ট স্থিতি +YouShouldDisablePHPFunctions=আপনি PHP ফাংশন নিষ্ক্রিয় করা উচিত +IfCLINotRequiredYouShouldDisablePHPFunctions=আপনার কাস্টম কোডে সিস্টেম কমান্ড চালানোর প্রয়োজন না হলে, আপনার পিএইচপি ফাংশন অক্ষম করা উচিত +PHPFunctionsRequiredForCLI=শেল উদ্দেশ্যে (যেমন নির্ধারিত কাজের ব্যাকআপ বা অ্যান্টিভাইরাস প্রোগ্রাম চালানো), আপনাকে অবশ্যই পিএইচপি ফাংশন রাখতে হবে +NoWritableFilesFoundIntoRootDir=আপনার রুট ডিরেক্টরিতে সাধারণ প্রোগ্রামগুলির কোন লিখনযোগ্য ফাইল বা ডিরেক্টরি পাওয়া যায়নি (ভাল) +RecommendedValueIs=প্রস্তাবিত: %s +Recommended=প্রস্তাবিত +NotRecommended=সুপারিশ করা হয় না +ARestrictedPath=ডেটা ফাইলের জন্য কিছু সীমাবদ্ধ পথ +CheckForModuleUpdate=বাহ্যিক মডিউল আপডেটের জন্য পরীক্ষা করুন +CheckForModuleUpdateHelp=এই ক্রিয়াটি একটি নতুন সংস্করণ উপলব্ধ কিনা তা পরীক্ষা করতে বাহ্যিক মডিউলগুলির সম্পাদকদের সাথে সংযোগ করবে৷ +ModuleUpdateAvailable=একটি আপডেট উপলব্ধ +NoExternalModuleWithUpdate=বাহ্যিক মডিউলগুলির জন্য কোন আপডেট পাওয়া যায়নি +SwaggerDescriptionFile=Swagger API বর্ণনা ফাইল (উদাহরণস্বরূপ redoc এর সাথে ব্যবহারের জন্য) +YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=আপনি বন্ধ করা WS API সক্ষম করেছেন৷ আপনার পরিবর্তে REST API ব্যবহার করা উচিত। +RandomlySelectedIfSeveral=বেশ কয়েকটি ছবি পাওয়া গেলে এলোমেলোভাবে নির্বাচিত +SalesRepresentativeInfo=প্রস্তাব, আদেশ, চালান জন্য. +DatabasePasswordObfuscated=কনফ ফাইলে ডাটাবেস পাসওয়ার্ড অস্পষ্ট করা হয়েছে +DatabasePasswordNotObfuscated=ডাটাবেস পাসওয়ার্ড কনফ ফাইলে অস্পষ্ট নয় +APIsAreNotEnabled=APIs মডিউল সক্রিয় করা নেই +YouShouldSetThisToOff=আপনার এটি 0 বা বন্ধ করা উচিত +InstallAndUpgradeLockedBy=%s ফাইল দ্বারা ইনস্টল এবং আপগ্রেডগুলি লক করা আছে +InstallLockedBy=%s ফাইল দ্বারা ইনস্টল/পুনঃইনস্টল লক করা আছে +InstallOfAddonIsNotBlocked=অ্যাডঅনগুলির ইনস্টলেশন লক করা হয় না। একটি ফাইল তৈরি করুন installmodules.lock ডিরেক্টরিতে b0aee8365837>%s
      বহিরাগত অ্যাডঅন/মডিউলগুলির ইনস্টলেশন ব্লক করতে। +OldImplementation=পুরানো বাস্তবায়ন +PDF_SHOW_LINK_TO_ONLINE_PAYMENT=যদি কিছু অনলাইন পেমেন্ট মডিউল সক্ষম করা থাকে (পেপাল, স্ট্রাইপ, ...), অনলাইন পেমেন্ট করতে PDF এ একটি লিঙ্ক যোগ করুন +DashboardDisableGlobal=বিশ্বব্যাপী খোলা বস্তুর সমস্ত থাম্ব অক্ষম করুন +BoxstatsDisableGlobal=সম্পূর্ণ বক্স পরিসংখ্যান নিষ্ক্রিয় +DashboardDisableBlocks=প্রধান ড্যাশবোর্ডে খোলা বস্তুর থাম্বস (প্রক্রিয়া করতে বা দেরিতে) +DashboardDisableBlockAgenda=এজেন্ডার জন্য থাম্ব অক্ষম করুন +DashboardDisableBlockProject=প্রকল্পের জন্য থাম্ব নিষ্ক্রিয় +DashboardDisableBlockCustomer=গ্রাহকদের জন্য থাম্ব নিষ্ক্রিয় +DashboardDisableBlockSupplier=সরবরাহকারীদের জন্য থাম্ব নিষ্ক্রিয় +DashboardDisableBlockContract=চুক্তির জন্য থাম্ব নিষ্ক্রিয় করুন +DashboardDisableBlockTicket=টিকিটের জন্য থাম্ব অক্ষম করুন +DashboardDisableBlockBank=ব্যাঙ্কের জন্য থাম্ব অক্ষম করুন +DashboardDisableBlockAdherent=সদস্যপদ জন্য থাম্ব নিষ্ক্রিয় +DashboardDisableBlockExpenseReport=ব্যয় প্রতিবেদনের জন্য থাম্ব নিষ্ক্রিয় করুন +DashboardDisableBlockHoliday=পাতার জন্য থাম্ব নিষ্ক্রিয় +EnabledCondition=ক্ষেত্র সক্ষম করার শর্ত (যদি সক্ষম না করা হয়, দৃশ্যমানতা সর্বদা বন্ধ থাকবে) +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=আপনি যদি দ্বিতীয় ট্যাক্স ব্যবহার করতে চান, তাহলে আপনাকে অবশ্যই প্রথম সেলস ট্যাক্স চালু করতে হবে +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=আপনি যদি তৃতীয় ট্যাক্স ব্যবহার করতে চান, তাহলে আপনাকে অবশ্যই প্রথম সেলস ট্যাক্স চালু করতে হবে +LanguageAndPresentation=ভাষা এবং উপস্থাপনা +SkinAndColors=চামড়া এবং রং +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=আপনি যদি দ্বিতীয় ট্যাক্স ব্যবহার করতে চান, তাহলে আপনাকে অবশ্যই প্রথম সেলস ট্যাক্স চালু করতে হবে +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=আপনি যদি তৃতীয় ট্যাক্স ব্যবহার করতে চান, তাহলে আপনাকে অবশ্যই প্রথম সেলস ট্যাক্স চালু করতে হবে +PDF_USE_1A=PDF/A-1b বিন্যাসের সাথে PDF তৈরি করুন +MissingTranslationForConfKey = %s-এর অনুবাদ অনুপস্থিত +NativeModules=নেটিভ মডিউল +NoDeployedModulesFoundWithThisSearchCriteria=এই অনুসন্ধানের মানদণ্ডের জন্য কোন মডিউল পাওয়া যায়নি +API_DISABLE_COMPRESSION=API প্রতিক্রিয়াগুলির কম্প্রেশন অক্ষম করুন +EachTerminalHasItsOwnCounter=প্রতিটি টার্মিনাল তার নিজস্ব কাউন্টার ব্যবহার করে। +FillAndSaveAccountIdAndSecret=প্রথমে অ্যাকাউন্ট আইডি এবং গোপন পূরণ করুন এবং সংরক্ষণ করুন +PreviousHash=পূর্ববর্তী হ্যাশ +LateWarningAfter=পরে "দেরিতে" সতর্কতা +TemplateforBusinessCards=বিভিন্ন আকারের একটি ব্যবসা কার্ডের জন্য টেমপ্লেট +InventorySetup= ইনভেন্টরি সেটআপ +ExportUseLowMemoryMode=একটি কম মেমরি মোড ব্যবহার করুন +ExportUseLowMemoryModeHelp=ডাম্প ফাইল তৈরি করতে কম মেমরি মোড ব্যবহার করুন (পিএইচপি মেমরির পরিবর্তে একটি পাইপের মাধ্যমে কম্প্রেশন করা হয়)। এই পদ্ধতিটি ফাইলটি সম্পূর্ণ কিনা তা পরীক্ষা করার অনুমতি দেয় না এবং এটি ব্যর্থ হলে ত্রুটি বার্তা প্রতিবেদন করা যাবে না। আপনি যদি যথেষ্ট মেমরি ত্রুটি অনুভব না করেন তবে এটি ব্যবহার করুন। + +ModuleWebhookName = ওয়েবহুক +ModuleWebhookDesc = ডলিবার ট্রিগার ধরার ইন্টারফেস এবং একটি ইউআরএলে ইভেন্টের ডেটা পাঠাতে +WebhookSetup = ওয়েবহুক সেটআপ +Settings = সেটিংস +WebhookSetupPage = ওয়েবহুক সেটআপ পৃষ্ঠা +ShowQuickAddLink=উপরের ডানদিকের মেনুতে একটি উপাদান দ্রুত যোগ করতে একটি বোতাম দেখান +ShowSearchAreaInTopMenu=উপরের মেনুতে অনুসন্ধান এলাকা দেখান +HashForPing=হ্যাশ পিং জন্য ব্যবহৃত +ReadOnlyMode=এটি "শুধুমাত্র পঠন" মোডে উদাহরণ +DEBUGBAR_USE_LOG_FILE=লগ ট্র্যাপ করতে dolibarr.log ফাইল ব্যবহার করুন +UsingLogFileShowAllRecordOfSubrequestButIsSlower=লাইভ মেমরি ধরার পরিবর্তে লগ ফাঁদে ফেলতে dolibarr.log ফাইলটি ব্যবহার করুন। এটি শুধুমাত্র বর্তমান প্রক্রিয়ার লগের পরিবর্তে সমস্ত লগ ধরার অনুমতি দেয় (তাই AJAX সাবরিকোয়েস্ট পৃষ্ঠাগুলির মধ্যে একটি সহ) তবে আপনার উদাহরণকে খুব ধীর করে তুলবে। সুপারিশ করা হয় না. +FixedOrPercent=স্থির ('স্থির' কীওয়ার্ড ব্যবহার করুন) বা শতাংশ ('শতাংশ' কীওয়ার্ড ব্যবহার করুন) +DefaultOpportunityStatus=ডিফল্ট সুযোগ স্থিতি (লিড তৈরি হলে প্রথম অবস্থা) + +IconAndText=আইকন এবং পাঠ্য +TextOnly=শুধুমাত্র পাঠ্য +IconOnlyAllTextsOnHover=শুধুমাত্র আইকন - সমস্ত পাঠ্যগুলি মেনু বারে মাউসের আইকনের অধীনে প্রদর্শিত হয় +IconOnlyTextOnHover=শুধুমাত্র আইকন - আইকনের টেক্সট আইকনের উপরে মাউসের আইকনের নিচে প্রদর্শিত হয় +IconOnly=শুধুমাত্র আইকন - শুধুমাত্র টুলটিপে পাঠ্য +INVOICE_ADD_ZATCA_QR_CODE=চালানে ZATCA QR কোড দেখান +INVOICE_ADD_ZATCA_QR_CODEMore=কিছু আরবি দেশে তাদের চালানে এই QR কোড প্রয়োজন +INVOICE_ADD_SWISS_QR_CODE=চালানে সুইস QR-বিল কোড দেখান +INVOICE_ADD_SWISS_QR_CODEMore=চালানের জন্য সুইজারল্যান্ডের মান; নিশ্চিত করুন যে ZIP এবং সিটি পূরণ করা হয়েছে এবং অ্যাকাউন্টগুলিতে বৈধ সুইস/লিচেনস্টাইন IBAN আছে। +INVOICE_SHOW_SHIPPING_ADDRESS=শিপিং ঠিকানা দেখান +INVOICE_SHOW_SHIPPING_ADDRESSMore=কিছু দেশে বাধ্যতামূলক ইঙ্গিত (ফ্রান্স, ...) +UrlSocialNetworksDesc=সামাজিক নেটওয়ার্কের ইউআরএল লিঙ্ক। সামাজিক নেটওয়ার্ক আইডি ধারণ করে এমন পরিবর্তনশীল অংশের জন্য {socialid} ব্যবহার করুন। +IfThisCategoryIsChildOfAnother=এই শ্রেনী যদি অন্য একজনের সন্তান হয় +DarkThemeMode=গাঢ় থিম মোড +AlwaysDisabled=সবসময় অক্ষম +AccordingToBrowser=ব্রাউজার অনুযায়ী +AlwaysEnabled=সর্বদা সক্রিয় +DoesNotWorkWithAllThemes=সব থিম নিয়ে কাজ করবে না +NoName=নামহীন +ShowAdvancedOptions= আরো অপশন প্রদর্শন করুন +HideAdvancedoptions= উন্নত বিকল্পগুলি লুকান +CIDLookupURL=মডিউলটি একটি URL নিয়ে আসে যা একটি বাহ্যিক সরঞ্জাম দ্বারা তৃতীয় পক্ষের নাম বা তার ফোন নম্বর থেকে পরিচিতির নাম পেতে ব্যবহার করা যেতে পারে। ব্যবহার করার জন্য URL হল: +OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 প্রমাণীকরণ সমস্ত হোস্টের জন্য উপলব্ধ নয়, এবং সঠিক অনুমতি সহ একটি টোকেন অবশ্যই OAUTH মডিউলের সাথে আপস্ট্রিম তৈরি করা উচিত +MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 প্রমাণীকরণ পরিষেবা +DontForgetCreateTokenOauthMod=সঠিক অনুমতি সহ একটি টোকেন অবশ্যই OAUTH মডিউল দিয়ে আপস্ট্রিম তৈরি করা হয়েছে +MAIN_MAIL_SMTPS_AUTH_TYPE=প্রমাণীকরণ পদ্ধতি +UsePassword=একটি পাসওয়ার্ড ব্যবহার করুন +UseOauth=একটি OAUTH টোকেন ব্যবহার করুন +Images=ছবি +MaxNumberOfImagesInGetPost=একটি ফর্মে জমা দেওয়া একটি HTML ক্ষেত্রের সর্বাধিক সংখ্যক ছবি অনুমোদিত৷ +MaxNumberOfPostOnPublicPagesByIP=এক মাসে একই IP ঠিকানা সহ সর্বজনীন পৃষ্ঠাগুলিতে সর্বাধিক সংখ্যক পোস্ট +CIDLookupURL=মডিউলটি একটি URL নিয়ে আসে যা একটি বাহ্যিক সরঞ্জাম দ্বারা তৃতীয় পক্ষের নাম বা তার ফোন নম্বর থেকে পরিচিতির নাম পেতে ব্যবহার করা যেতে পারে। ব্যবহার করার জন্য URL হল: +ScriptIsEmpty=স্ক্রিপ্ট খালি +ShowHideTheNRequests=দেখান/লুকান %s SQL অনুরোধ(গুলি) +DefinedAPathForAntivirusCommandIntoSetup=%s এ অ্যান্টিভাইরাস প্রোগ্রামের জন্য একটি পথ সংজ্ঞায়িত করুন +TriggerCodes=উদ্দীপক ঘটনা +TriggerCodeInfo=এখানে ট্রিগার কোড(গুলি) লিখুন যা অবশ্যই একটি ওয়েব অনুরোধের একটি পোস্ট তৈরি করবে (কেবল বহিরাগত URL অনুমোদিত)৷ আপনি একটি কমা দ্বারা পৃথক করা বেশ কয়েকটি ট্রিগার কোড লিখতে পারেন। +EditableWhenDraftOnly=যদি টিক চিহ্ন না থাকে, তাহলে মান পরিবর্তন করা যেতে পারে যখন বস্তুর একটি খসড়া স্থিতি থাকে +CssOnEdit=সম্পাদনা পাতায় CSS +CssOnView=ভিউ পৃষ্ঠায় CSS +CssOnList=তালিকায় CSS +HelpCssOnEditDesc=ক্ষেত্র সম্পাদনা করার সময় ব্যবহৃত CSS।
      উদাহরণ: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=ক্ষেত্র দেখার সময় ব্যবহৃত CSS। +HelpCssOnListDesc=যখন ফিল্ড একটি তালিকা টেবিলের ভিতরে থাকে তখন CSS ব্যবহৃত হয়।
      উদাহরণ: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=রিসেপশনের জন্য উত্পন্ন নথিতে অর্ডারকৃত পরিমাণ লুকান +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=রিসেপশনের জন্য উত্পন্ন নথিতে মূল্য দেখান +WarningDisabled=সতর্কতা অক্ষম +LimitsAndMitigation=অ্যাক্সেস সীমা এবং প্রশমন +RecommendMitigationOnURL=সমালোচনামূলক URL-এ প্রশমন সক্রিয় করার পরামর্শ দেওয়া হয়। এটি fail2ban নিয়মগুলির তালিকা যা আপনি প্রধান গুরুত্বপূর্ণ URLগুলির জন্য ব্যবহার করতে পারেন৷ +DesktopsOnly=শুধুমাত্র ডেস্কটপ +DesktopsAndSmartphones=ডেস্কটপ এবং স্মার্টফোন +AllowOnlineSign=অনলাইন স্বাক্ষর করার অনুমতি দিন +AllowExternalDownload=বাহ্যিক ডাউনলোডের অনুমতি দিন (লগইন ছাড়াই, শেয়ার করা লিঙ্ক ব্যবহার করে) +DeadlineDayVATSubmission=পরের মাসে ভ্যাট জমা দেওয়ার শেষ তারিখ +MaxNumberOfAttachementOnForms=একটি ফর্মে যুক্ত হওয়া ফাইলের সর্বাধিক সংখ্যা +IfDefinedUseAValueBeetween=যদি সংজ্ঞায়িত করা হয়, %s এবং %s এর মধ্যে একটি মান ব্যবহার করুন +Reload=পুনরায় লোড করুন +ConfirmReload=মডিউল পুনরায় লোড নিশ্চিত করুন +WarningModuleHasChangedLastVersionCheckParameter=সতর্কতা: মডিউল %s প্রতিটি পৃষ্ঠা অ্যাক্সেসে এর সংস্করণ পরীক্ষা করার জন্য একটি প্যারামিটার সেট করেছে৷ এটি একটি খারাপ এবং অনুমোদিত অভ্যাস যা মডিউল পরিচালনা করতে পৃষ্ঠাটিকে অস্থির করে তুলতে পারে। এটি ঠিক করতে মডিউল লেখকের সাথে যোগাযোগ করুন. +WarningModuleHasChangedSecurityCsrfParameter=সতর্কতা: মডিউল %s আপনার উদাহরণের CSRF নিরাপত্তা নিষ্ক্রিয় করেছে। এই ক্রিয়াটি সন্দেহজনক এবং আপনার ইনস্টলেশন আর সুরক্ষিত নাও হতে পারে৷ ব্যাখ্যার জন্য মডিউল লেখকের সাথে যোগাযোগ করুন. +EMailsInGoingDesc=ইনকামিং ইমেলগুলি %s মডিউল দ্বারা পরিচালিত হয়৷ আপনি যদি ইনগোয়িং ইমেলগুলিকে সমর্থন করতে চান তবে আপনাকে অবশ্যই এটি সক্ষম এবং কনফিগার করতে হবে৷ +MAIN_IMAP_USE_PHPIMAP=নেটিভ PHP IMAP-এর পরিবর্তে IMAP-এর জন্য PHP-IMAP লাইব্রেরি ব্যবহার করুন। এটি IMAP এর জন্য একটি OAuth2 সংযোগ ব্যবহারের অনুমতি দেয় (মডিউল OAuthও সক্রিয় করা আবশ্যক)৷ +MAIN_CHECKBOX_LEFT_COLUMN=বাম দিকে ক্ষেত্র এবং লাইন নির্বাচনের জন্য কলাম দেখান (ডিফল্টরূপে ডানদিকে) +NotAvailableByDefaultEnabledOnModuleActivation=ডিফল্টরূপে তৈরি করা হয় না. শুধুমাত্র মডিউল অ্যাক্টিভেশনে তৈরি করা হয়েছে। +CSSPage=CSS শৈলী +Defaultfortype=ডিফল্ট +DefaultForTypeDesc=টেমপ্লেট প্রকারের জন্য একটি নতুন ইমেল তৈরি করার সময় ডিফল্টরূপে ব্যবহৃত টেমপ্লেট +OptionXShouldBeEnabledInModuleY=বিকল্প "%s" মডিউল %s +OptionXIsCorrectlyEnabledInModuleY=বিকল্প "%s" মডিউল
      %s +AllowOnLineSign=অন লাইন স্বাক্ষরের অনুমতি দিন +AtBottomOfPage=পৃষ্ঠার নীচে +FailedAuth=ব্যর্থ প্রমাণীকরণ +MaxNumberOfFailedAuth=লগইন অস্বীকার করতে 24 ঘন্টার মধ্যে ব্যর্থ প্রমাণীকরণের সর্বাধিক সংখ্যা৷ +AllowPasswordResetBySendingANewPassByEmail=যদি একজন ব্যবহারকারী A এর এই অনুমতি থাকে এবং এমনকি যদি A ব্যবহারকারী "প্রশাসক" ব্যবহারকারী না হন, তবে A-কে অন্য কোনো ব্যবহারকারী B-এর পাসওয়ার্ড রিসেট করার অনুমতি দেওয়া হয়, নতুন পাসওয়ার্ডটি অন্য ব্যবহারকারী B-এর ইমেলে পাঠানো হবে কিন্তু এটি A-এর কাছে দৃশ্যমান হবে না। যদি ব্যবহারকারী A-এর "অ্যাডমিন" ফ্ল্যাগ থাকে, তবে তিনি B এর নতুন তৈরি করা পাসওয়ার্ড কী তা জানতে সক্ষম হবেন যাতে তিনি B ব্যবহারকারীর অ্যাকাউন্টের নিয়ন্ত্রণ নিতে সক্ষম হবেন। +AllowAnyPrivileges=যদি একজন ব্যবহারকারী A-এর এই অনুমতি থাকে, তাহলে তিনি সমস্ত বিশেষাধিকারের সাথে একটি ব্যবহারকারী B তৈরি করতে পারেন তারপর এই ব্যবহারকারী B ব্যবহার করতে পারেন, অথবা যেকোনো অনুমতি নিয়ে নিজেকে অন্য কোনো গ্রুপ মঞ্জুর করতে পারেন। সুতরাং এর অর্থ হল ব্যবহারকারী A সমস্ত ব্যবসায়িক সুবিধার মালিক (শুধুমাত্র সেটআপ পৃষ্ঠাগুলিতে সিস্টেম অ্যাক্সেস নিষিদ্ধ করা হবে) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=এই মানটি পড়া যেতে পারে কারণ আপনার উদাহরণ উত্পাদন মোডে সেট করা নেই +SeeConfFile=সার্ভারে conf.php ফাইলের ভিতরে দেখুন +ReEncryptDesc=এখনও এনক্রিপ্ট করা না থাকলে ডেটা পুনরায় এনক্রিপ্ট করুন +PasswordFieldEncrypted=%s নতুন রেকর্ড এই ক্ষেত্রটি এনক্রিপ্ট করা হয়েছে +ExtrafieldsDeleted=এক্সট্রাফিল্ড %s মুছে ফেলা হয়েছে +LargeModern=বড় - আধুনিক +SpecialCharActivation=বিশেষ অক্ষর লিখতে একটি ভার্চুয়াল কীবোর্ড খুলতে বোতামটি সক্রিয় করুন৷ +DeleteExtrafield=এক্সট্রাফিল্ড মুছুন +ConfirmDeleteExtrafield=আপনি কি %s ক্ষেত্রটি মুছে ফেলার বিষয়টি নিশ্চিত করেন? এই ক্ষেত্রটিতে সংরক্ষিত সমস্ত ডেটা অবশ্যই মুছে ফেলা হবে +ExtraFieldsSupplierInvoicesRec=পরিপূরক বৈশিষ্ট্য (টেমপ্লেট চালান) +ExtraFieldsSupplierInvoicesLinesRec=পরিপূরক বৈশিষ্ট্য (টেমপ্লেট চালান লাইন) +ParametersForTestEnvironment=পরীক্ষার পরিবেশের জন্য পরামিতি +TryToKeepOnly=শুধুমাত্র %s রাখার চেষ্টা করুন +RecommendedForProduction=উত্পাদন জন্য প্রস্তাবিত +RecommendedForDebug=ডিবাগ জন্য প্রস্তাবিত diff --git a/htdocs/langs/bn_BD/agenda.lang b/htdocs/langs/bn_BD/agenda.lang index db135467608..93ec9f88737 100644 --- a/htdocs/langs/bn_BD/agenda.lang +++ b/htdocs/langs/bn_BD/agenda.lang @@ -1,174 +1,207 @@ # Dolibarr language file - Source file is en_US - agenda -IdAgenda=ID event -Actions=Events -Agenda=Agenda -TMenuAgenda=Agenda -Agendas=Agendas -LocalAgenda=Default calendar -ActionsOwnedBy=Event owned by -ActionsOwnedByShort=Owner -AffectedTo=Assigned to -Event=Event -Events=Events -EventsNb=Number of events -ListOfActions=List of events -EventReports=Event reports -Location=Location -ToUserOfGroup=Event assigned to any user in the group -EventOnFullDay=Event on all day(s) -MenuToDoActions=All incomplete events -MenuDoneActions=All terminated events -MenuToDoMyActions=My incomplete events -MenuDoneMyActions=My terminated events -ListOfEvents=List of events (default calendar) -ActionsAskedBy=Events reported by -ActionsToDoBy=Events assigned to -ActionsDoneBy=Events done by -ActionAssignedTo=Event assigned to -ViewCal=Month view -ViewDay=Day view -ViewWeek=Week view -ViewPerUser=Per user view -ViewPerType=Per type view -AutoActions= Automatic filling -AgendaAutoActionDesc= Here you may define events which you want Dolibarr to create automatically in Agenda. If nothing is checked, only manual actions will be included in logs and displayed in Agenda. Automatic tracking of business actions done on objects (validation, status change) will not be saved. -AgendaSetupOtherDesc= This page provides options to allow the export of your Dolibarr events into an external calendar (Thunderbird, Google Calendar etc...) -AgendaExtSitesDesc=This page allows to declare external sources of calendars to see their events into Dolibarr agenda. -ActionsEvents=Events for which Dolibarr will create an action in agenda automatically -EventRemindersByEmailNotEnabled=Event reminders by email was not enabled into %s module setup. +IdAgenda=আইডি ইভেন্ট +Actions=ঘটনা +Agenda=আলোচ্যসূচি +TMenuAgenda=আলোচ্যসূচি +Agendas=এজেন্ডা +LocalAgenda=ডিফল্ট ক্যালেন্ডার +ActionsOwnedBy=ইভেন্ট মালিকানাধীন +ActionsOwnedByShort=মালিক +AffectedTo=নির্ধারিত +Event=ঘটনা +Events=ঘটনা +EventsNb=ইভেন্টের সংখ্যা +ListOfActions=ঘটনা তালিকা +EventReports=ইভেন্ট রিপোর্ট +Location=অবস্থান +ToUserOfGroup=গ্রুপের যেকোনো ব্যবহারকারীর জন্য ইভেন্ট বরাদ্দ করা হয়েছে +EventOnFullDay=সারাদিনের ইভেন্ট +MenuToDoActions=সব অসম্পূর্ণ ঘটনা +MenuDoneActions=সব বন্ধ ইভেন্ট +MenuToDoMyActions=আমার অসম্পূর্ণ ঘটনা +MenuDoneMyActions=আমার সমাপ্ত ঘটনা +ListOfEvents=ইভেন্টের তালিকা (ডিফল্ট ক্যালেন্ডার) +ActionsAskedBy=দ্বারা রিপোর্ট করা ঘটনা +ActionsToDoBy=ইভেন্ট বরাদ্দ করা হয়েছে +ActionsDoneBy=দ্বারা সম্পন্ন ঘটনা +ActionAssignedTo=ইভেন্ট বরাদ্দ করা হয়েছে +ViewCal=মাস ভিউ +ViewDay=দিনের দৃশ্য +ViewWeek=সপ্তাহের দৃশ্য +ViewPerUser=প্রতি ব্যবহারকারী ভিউ +ViewPerType=টাইপ ভিউ প্রতি +AutoActions= স্বয়ংক্রিয় ভর্তি +AgendaAutoActionDesc= এখানে আপনি ইভেন্টগুলি সংজ্ঞায়িত করতে পারেন যা আপনি Dolibarr এজেন্ডায় স্বয়ংক্রিয়ভাবে তৈরি করতে চান। যদি কিছুই চেক না করা হয়, শুধুমাত্র ম্যানুয়াল ক্রিয়াগুলি লগগুলিতে অন্তর্ভুক্ত করা হবে এবং এজেন্ডায় প্রদর্শিত হবে৷ বস্তুর উপর করা ব্যবসায়িক ক্রিয়াগুলির স্বয়ংক্রিয় ট্র্যাকিং (বৈধতা, স্থিতি পরিবর্তন) সংরক্ষণ করা হবে না। +AgendaSetupOtherDesc= এই পৃষ্ঠাটি একটি বহিরাগত ক্যালেন্ডারে (থান্ডারবার্ড, গুগল ক্যালেন্ডার ইত্যাদি...) আপনার ডলিবার ইভেন্টগুলি রপ্তানির অনুমতি দেওয়ার বিকল্পগুলি সরবরাহ করে। +AgendaExtSitesDesc=এই পৃষ্ঠাটি ক্যালেন্ডারের বাহ্যিক উত্সগুলিকে তাদের ইভেন্টগুলিকে Dolibarr এজেন্ডায় দেখার জন্য ঘোষণা করার অনুমতি দেয়৷ +ActionsEvents=যে ইভেন্টগুলির জন্য Dolibarr স্বয়ংক্রিয়ভাবে এজেন্ডায় একটি অ্যাকশন তৈরি করবে৷ +EventRemindersByEmailNotEnabled=ইমেলের মাধ্যমে ইভেন্ট অনুস্মারক %s মডিউল সেটআপে সক্ষম করা হয়নি। ##### Agenda event labels ##### -NewCompanyToDolibarr=Third party %s created -COMPANY_MODIFYInDolibarr=Third party %s modified -COMPANY_DELETEInDolibarr=Third party %s deleted -ContractValidatedInDolibarr=Contract %s validated -CONTRACT_DELETEInDolibarr=Contract %s deleted -PropalClosedSignedInDolibarr=Proposal %s signed -PropalClosedRefusedInDolibarr=Proposal %s refused -PropalValidatedInDolibarr=Proposal %s validated -PropalClassifiedBilledInDolibarr=Proposal %s classified billed -InvoiceValidatedInDolibarr=Invoice %s validated -InvoiceValidatedInDolibarrFromPos=Invoice %s validated from POS -InvoiceBackToDraftInDolibarr=Invoice %s go back to draft status -InvoiceDeleteDolibarr=Invoice %s deleted -InvoicePaidInDolibarr=Invoice %s changed to paid -InvoiceCanceledInDolibarr=Invoice %s canceled -MemberValidatedInDolibarr=Member %s validated -MemberModifiedInDolibarr=Member %s modified -MemberResiliatedInDolibarr=Member %s terminated -MemberDeletedInDolibarr=Member %s deleted -MemberSubscriptionAddedInDolibarr=Subscription %s for member %s added -MemberSubscriptionModifiedInDolibarr=Subscription %s for member %s modified -MemberSubscriptionDeletedInDolibarr=Subscription %s for member %s deleted -ShipmentValidatedInDolibarr=Shipment %s validated -ShipmentClassifyClosedInDolibarr=Shipment %s classified billed -ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified re-open -ShipmentBackToDraftInDolibarr=Shipment %s go back to draft status -ShipmentDeletedInDolibarr=Shipment %s deleted -ShipmentCanceledInDolibarr=Shipment %s canceled -ReceptionValidatedInDolibarr=Reception %s validated -OrderCreatedInDolibarr=Order %s created -OrderValidatedInDolibarr=Order %s validated -OrderDeliveredInDolibarr=Order %s classified delivered -OrderCanceledInDolibarr=Order %s canceled -OrderBilledInDolibarr=Order %s classified billed -OrderApprovedInDolibarr=Order %s approved -OrderRefusedInDolibarr=Order %s refused -OrderBackToDraftInDolibarr=Order %s go back to draft status -ProposalSentByEMail=Commercial proposal %s sent by email -ContractSentByEMail=Contract %s sent by email -OrderSentByEMail=Sales order %s sent by email -InvoiceSentByEMail=Customer invoice %s sent by email -SupplierOrderSentByEMail=Purchase order %s sent by email -ORDER_SUPPLIER_DELETEInDolibarr=Purchase order %s deleted -SupplierInvoiceSentByEMail=Vendor invoice %s sent by email -ShippingSentByEMail=Shipment %s sent by email -ShippingValidated= Shipment %s validated -InterventionSentByEMail=Intervention %s sent by email -ProposalDeleted=Proposal deleted -OrderDeleted=Order deleted -InvoiceDeleted=Invoice deleted -DraftInvoiceDeleted=Draft invoice deleted -CONTACT_CREATEInDolibarr=Contact %s created -CONTACT_MODIFYInDolibarr=Contact %s modified -CONTACT_DELETEInDolibarr=Contact %s deleted -PRODUCT_CREATEInDolibarr=Product %s created -PRODUCT_MODIFYInDolibarr=Product %s modified -PRODUCT_DELETEInDolibarr=Product %s deleted -HOLIDAY_CREATEInDolibarr=Request for leave %s created -HOLIDAY_MODIFYInDolibarr=Request for leave %s modified -HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated -HOLIDAY_DELETEInDolibarr=Request for leave %s deleted -EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created -EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated -EXPENSE_REPORT_APPROVEInDolibarr=Expense report %s approved -EXPENSE_REPORT_DELETEInDolibarr=Expense report %s deleted -EXPENSE_REPORT_REFUSEDInDolibarr=Expense report %s refused -PROJECT_CREATEInDolibarr=Project %s created -PROJECT_MODIFYInDolibarr=Project %s modified -PROJECT_DELETEInDolibarr=Project %s deleted -TICKET_CREATEInDolibarr=Ticket %s created -TICKET_MODIFYInDolibarr=Ticket %s modified -TICKET_ASSIGNEDInDolibarr=Ticket %s assigned -TICKET_CLOSEInDolibarr=Ticket %s closed -TICKET_DELETEInDolibarr=Ticket %s deleted -BOM_VALIDATEInDolibarr=BOM validated -BOM_UNVALIDATEInDolibarr=BOM unvalidated -BOM_CLOSEInDolibarr=BOM disabled -BOM_REOPENInDolibarr=BOM reopen -BOM_DELETEInDolibarr=BOM deleted -MRP_MO_VALIDATEInDolibarr=MO validated -MRP_MO_UNVALIDATEInDolibarr=MO set to draft status -MRP_MO_PRODUCEDInDolibarr=MO produced -MRP_MO_DELETEInDolibarr=MO deleted -MRP_MO_CANCELInDolibarr=MO canceled -PAIDInDolibarr=%s paid +NewCompanyToDolibarr=তৃতীয় পক্ষ %s তৈরি করা হয়েছে +COMPANY_MODIFYInDolibarr=তৃতীয় পক্ষ %s পরিবর্তিত +COMPANY_DELETEInDolibarr=তৃতীয় পক্ষ %s মুছে ফেলা হয়েছে +ContractValidatedInDolibarr=চুক্তি %s বৈধ +CONTRACT_DELETEInDolibarr=চুক্তি %s মুছে ফেলা হয়েছে +PropalClosedSignedInDolibarr=প্রস্তাব %s স্বাক্ষরিত +PropalClosedRefusedInDolibarr=প্রস্তাব %s প্রত্যাখ্যান করা হয়েছে +PropalValidatedInDolibarr=প্রস্তাব %s যাচাই করা হয়েছে +PropalBackToDraftInDolibarr=প্রস্তাব %s খসড়া স্ট্যাটাসে ফিরে যান +PropalClassifiedBilledInDolibarr=প্রস্তাব %s শ্রেণীবদ্ধ বিল +InvoiceValidatedInDolibarr=চালান %s যাচাই করা হয়েছে +InvoiceValidatedInDolibarrFromPos=চালান %s POS থেকে যাচাই করা হয়েছে +InvoiceBackToDraftInDolibarr=চালান %s খসড়া স্ট্যাটাসে ফিরে যান +InvoiceDeleteDolibarr=চালান %s মুছে ফেলা হয়েছে +InvoicePaidInDolibarr=চালান %s অর্থপ্রদানে পরিবর্তিত হয়েছে +InvoiceCanceledInDolibarr=চালান %s বাতিল করা হয়েছে +MemberValidatedInDolibarr=সদস্য %s যাচাই করা হয়েছে +MemberModifiedInDolibarr=সদস্য %s পরিবর্তিত +MemberResiliatedInDolibarr=সদস্য %s বন্ধ করা হয়েছে +MemberDeletedInDolibarr=সদস্য %s মুছে ফেলা হয়েছে +MemberExcludedInDolibarr=সদস্য %s বাদ +MemberSubscriptionAddedInDolibarr=সদস্যতা %s সদস্যের জন্য %s যোগ করা হয়েছে +MemberSubscriptionModifiedInDolibarr=সদস্যতা %s সদস্যের জন্য %s পরিবর্তিত +MemberSubscriptionDeletedInDolibarr=সদস্যতার %s সদস্য %s মুছে ফেলা হয়েছে +ShipmentValidatedInDolibarr=চালান %s বৈধ +ShipmentClassifyClosedInDolibarr=চালান %s শ্রেণীবদ্ধ বন্ধ +ShipmentUnClassifyCloseddInDolibarr=চালান %s শ্রেণীবদ্ধ পুনরায় খোলা +ShipmentBackToDraftInDolibarr=চালান %s খসড়া স্ট্যাটাসে ফিরে যান +ShipmentDeletedInDolibarr=চালান %s মুছে ফেলা হয়েছে +ShipmentCanceledInDolibarr=চালান %s বাতিল করা হয়েছে +ReceptionValidatedInDolibarr=অভ্যর্থনা %s বৈধ +ReceptionDeletedInDolibarr=অভ্যর্থনা %s মুছে ফেলা হয়েছে +ReceptionClassifyClosedInDolibarr=অভ্যর্থনা %s শ্রেণীবদ্ধ বন্ধ +OrderCreatedInDolibarr=অর্ডার %s তৈরি করা হয়েছে +OrderValidatedInDolibarr=অর্ডার %s বৈধ +OrderDeliveredInDolibarr=অর্ডার %s শ্রেণীবদ্ধ বিতরণ করা হয়েছে +OrderCanceledInDolibarr=অর্ডার %s বাতিল করা হয়েছে +OrderBilledInDolibarr=অর্ডার %s শ্রেণীবদ্ধ বিল +OrderApprovedInDolibarr=অর্ডার %s অনুমোদিত +OrderRefusedInDolibarr=অর্ডার %s প্রত্যাখ্যান করা হয়েছে +OrderBackToDraftInDolibarr=অর্ডার %s খসড়া স্ট্যাটাসে ফিরে যান +ProposalSentByEMail=বাণিজ্যিক প্রস্তাব %s ইমেলের মাধ্যমে পাঠানো হয়েছে +ContractSentByEMail=ইমেলের মাধ্যমে পাঠানো %s চুক্তি +OrderSentByEMail=সেলস অর্ডার %s ইমেলের মাধ্যমে পাঠানো +InvoiceSentByEMail=গ্রাহক চালান %s ইমেলের মাধ্যমে পাঠানো হয়েছে +SupplierOrderSentByEMail=ক্রয়ের অর্ডার %s ইমেলের মাধ্যমে পাঠানো হয়েছে +ORDER_SUPPLIER_DELETEInDolibarr=ক্রয় আদেশ %s মুছে ফেলা হয়েছে +SupplierInvoiceSentByEMail=ইমেলের মাধ্যমে পাঠানো বিক্রেতার চালান %s +ShippingSentByEMail=চালান %s ইমেলের মাধ্যমে পাঠানো +ShippingValidated= চালান %s বৈধ +InterventionSentByEMail=হস্তক্ষেপ %s ইমেলের মাধ্যমে পাঠানো +ProjectSentByEMail=প্রকল্প %s ইমেলের মাধ্যমে পাঠানো হয়েছে +ProjectDeletedInDolibarr=প্রকল্প %s মুছে ফেলা হয়েছে +ProjectClosedInDolibarr=প্রকল্প %s বন্ধ +ProposalDeleted=প্রস্তাব মোছা +OrderDeleted=অর্ডার মুছে ফেলা হয়েছে +InvoiceDeleted=চালান মুছে ফেলা হয়েছে +DraftInvoiceDeleted=খসড়া চালান মুছে ফেলা হয়েছে +CONTACT_CREATEInDolibarr=যোগাযোগ %s তৈরি করা হয়েছে +CONTACT_MODIFYInDolibarr=যোগাযোগ %s পরিবর্তিত +CONTACT_DELETEInDolibarr=যোগাযোগ %s মুছে ফেলা হয়েছে +PRODUCT_CREATEInDolibarr=পণ্য %s তৈরি করা হয়েছে +PRODUCT_MODIFYInDolibarr=পণ্য %s পরিবর্তিত +PRODUCT_DELETEInDolibarr=পণ্য %s মুছে ফেলা হয়েছে +HOLIDAY_CREATEInDolibarr=ছুটির অনুরোধ %s তৈরি করা হয়েছে +HOLIDAY_MODIFYInDolibarr=পরিবর্তিত %s ছুটির অনুরোধ +HOLIDAY_APPROVEInDolibarr=ছুটির অনুরোধ %s অনুমোদিত +HOLIDAY_VALIDATEInDolibarr=ছুটির অনুরোধ %s বৈধ +HOLIDAY_DELETEInDolibarr=ছুটির অনুরোধ %s মুছে ফেলা হয়েছে +EXPENSE_REPORT_CREATEInDolibarr=ব্যয় প্রতিবেদন %s তৈরি করা হয়েছে +EXPENSE_REPORT_VALIDATEInDolibarr=ব্যয় প্রতিবেদন %s যাচাই করা হয়েছে +EXPENSE_REPORT_APPROVEInDolibarr=ব্যয় প্রতিবেদন %s অনুমোদিত +EXPENSE_REPORT_DELETEInDolibarr=ব্যয় প্রতিবেদন %s মুছে ফেলা হয়েছে +EXPENSE_REPORT_REFUSEDInDolibarr=ব্যয় প্রতিবেদন %s প্রত্যাখ্যান করা হয়েছে +PROJECT_CREATEInDolibarr=প্রকল্প %s তৈরি করা হয়েছে +PROJECT_MODIFYInDolibarr=প্রকল্প %s পরিবর্তিত হয়েছে +PROJECT_DELETEInDolibarr=প্রকল্প %s মুছে ফেলা হয়েছে +TICKET_CREATEInDolibarr=টিকিট %s তৈরি হয়েছে +TICKET_MODIFYInDolibarr=টিকিট %s পরিবর্তিত +TICKET_ASSIGNEDInDolibarr=টিকিট %s বরাদ্দ করা হয়েছে +TICKET_CLOSEInDolibarr=টিকিট %s বন্ধ +TICKET_DELETEInDolibarr=টিকিট %s মুছে ফেলা হয়েছে +BOM_VALIDATEInDolibarr=BOM যাচাই করা হয়েছে +BOM_UNVALIDATEInDolibarr=BOM অবৈধ +BOM_CLOSEInDolibarr=BOM নিষ্ক্রিয় +BOM_REOPENInDolibarr=BOM আবার খুলুন +BOM_DELETEInDolibarr=BOM মুছে ফেলা হয়েছে +MRP_MO_VALIDATEInDolibarr=MO যাচাই করা হয়েছে +MRP_MO_UNVALIDATEInDolibarr=MO খসড়া স্ট্যাটাসে সেট করা হয়েছে +MRP_MO_PRODUCEDInDolibarr=MO উত্পাদিত +MRP_MO_DELETEInDolibarr=MO মুছে ফেলা হয়েছে +MRP_MO_CANCELInDolibarr=MO বাতিল হয়েছে +PAIDInDolibarr=%s অর্থপ্রদান +ENABLEDISABLEInDolibarr=ব্যবহারকারী সক্ষম বা অক্ষম +CANCELInDolibarr=বাতিল ##### End agenda events ##### -AgendaModelModule=Document templates for event -DateActionStart=Start date -DateActionEnd=End date -AgendaUrlOptions1=You can also add following parameters to filter output: -AgendaUrlOptions3=logina=%s to restrict output to actions owned by a user %s. -AgendaUrlOptionsNotAdmin=logina=!%s to restrict output to actions not owned by user %s. -AgendaUrlOptions4=logint=%s to restrict output to actions assigned to user %s (owner and others). -AgendaUrlOptionsProject=project=__PROJECT_ID__ to restrict output to actions linked to project __PROJECT_ID__. -AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto to exclude automatic events. -AgendaUrlOptionsIncludeHolidays=includeholidays=1 to include events of holidays. -AgendaShowBirthdayEvents=Birthdays of contacts -AgendaHideBirthdayEvents=Hide birthdays of contacts -Busy=Busy -ExportDataset_event1=List of agenda events -DefaultWorkingDays=Default working days range in week (Example: 1-5, 1-6) -DefaultWorkingHours=Default working hours in day (Example: 9-18) +AgendaModelModule=ইভেন্টের জন্য নথির টেমপ্লেট +DateActionStart=শুরুর তারিখ +DateActionEnd=শেষ তারিখ +AgendaUrlOptions1=আপনি ফিল্টার আউটপুট নিম্নলিখিত পরামিতি যোগ করতে পারেন: +AgendaUrlOptions3=logina=%s ব্যবহারকারীর মালিকানাধীন ক্রিয়াকলাপগুলিতে আউটপুট সীমাবদ্ধ করতে %s। +AgendaUrlOptionsNotAdmin=logina=!%s আউটপুটকে নিজের নয় এমন ক্রিয়াগুলিতে সীমাবদ্ধ করতে ব্যবহারকারী %s। +AgendaUrlOptions4=logint=%s ব্যবহারকারীকে <অর্পণ করা কর্মগুলিতে আউটপুট সীমাবদ্ধ করতে span class='notranslate'>
      %s (মালিক এবং অন্যান্য)। +AgendaUrlOptionsProject=project=__PROJECT_ID__ প্রজেক্টের সাথে লিঙ্ক করা ক্রিয়াকলাপের আউটপুট সীমাবদ্ধ করতে b0aee85>b0aee83333 __PROJECT_ID__
      । +AgendaUrlOptionsNotAutoEvent=স্বয়ংক্রিয় ইভেন্টগুলি বাদ দিতে notactiontype=systemauto। +AgendaUrlOptionsIncludeHolidays=ছুটির ইভেন্টগুলি অন্তর্ভুক্ত করতে includeholidays=1। +AgendaShowBirthdayEvents=পরিচিতির জন্মদিন +AgendaHideBirthdayEvents=পরিচিতির জন্মদিন লুকান +Busy=ব্যস্ত +ExportDataset_event1=এজেন্ডা ইভেন্টের তালিকা +DefaultWorkingDays=ডিফল্ট কর্মদিবস সপ্তাহে পরিসীমা (উদাহরণ: 1-5, 1-6) +DefaultWorkingHours=দিনের ডিফল্ট কাজের সময় (উদাহরণ: 9-18) # External Sites ical -ExportCal=Export calendar -ExtSites=Import external calendars -ExtSitesEnableThisTool=Show external calendars (defined in global setup) in Agenda. Does not affect external calendars defined by users. -ExtSitesNbOfAgenda=Number of calendars -AgendaExtNb=Calendar no. %s -ExtSiteUrlAgenda=URL to access .ical file -ExtSiteNoLabel=No Description -VisibleTimeRange=Visible time range -VisibleDaysRange=Visible days range -AddEvent=Create event -MyAvailability=My availability -ActionType=Event type -DateActionBegin=Start event date -ConfirmCloneEvent=Are you sure you want to clone the event %s? -RepeatEvent=Repeat event -OnceOnly=Once only -EveryWeek=Every week -EveryMonth=Every month -DayOfMonth=Day of month -DayOfWeek=Day of week -DateStartPlusOne=Date start + 1 hour -SetAllEventsToTodo=Set all events to todo -SetAllEventsToInProgress=Set all events to in progress -SetAllEventsToFinished=Set all events to finished -ReminderTime=Reminder period before the event -TimeType=Duration type -ReminderType=Callback type -AddReminder=Create an automatic reminder notification for this event -ErrorReminderActionCommCreation=Error creating the reminder notification for this event -BrowserPush=Browser Popup Notification -ActiveByDefault=Enabled by default +ExportCal=ক্যালেন্ডার রপ্তানি করুন +ExtSites=বাহ্যিক ক্যালেন্ডার আমদানি করুন +ExtSitesEnableThisTool=এজেন্ডায় বহিরাগত ক্যালেন্ডার (গ্লোবাল সেটআপে সংজ্ঞায়িত) দেখান। ব্যবহারকারীদের দ্বারা সংজ্ঞায়িত বহিরাগত ক্যালেন্ডার প্রভাবিত করে না। +ExtSitesNbOfAgenda=ক্যালেন্ডারের সংখ্যা +AgendaExtNb=ক্যালেন্ডার নং %s +ExtSiteUrlAgenda=.ical ফাইল অ্যাক্সেস করার URL +ExtSiteNoLabel=বর্ণনা নাই +VisibleTimeRange=দৃশ্যমান সময় সীমা +VisibleDaysRange=দৃশ্যমান দিনের পরিসর +AddEvent=ইভেন্ট তৈরি করা +MyAvailability=আমার প্রাপ্যতা +ActionType=ইভেন্টের ধরণ +DateActionBegin=ইভেন্টের তারিখ শুরু করুন +ConfirmCloneEvent=আপনি কি ইভেন্টটি %s ক্লোন করার বিষয়ে নিশ্চিত? +RepeatEvent=ঘটনা পুনরাবৃত্তি করুন +OnceOnly=কেবল একবার +EveryDay=প্রতিদিন +EveryWeek=প্রতি সপ্তাহে +EveryMonth=প্রতি মাসে +DayOfMonth=মাসের দিন +DayOfWeek=সপ্তাহের দিন +DateStartPlusOne=তারিখ শুরু + 1 ঘন্টা +SetAllEventsToTodo=সমস্ত ইভেন্ট করণীয় সেট করুন +SetAllEventsToInProgress=সমস্ত ঘটনা প্রগতিতে সেট করুন +SetAllEventsToFinished=সব ইভেন্টকে শেষ করতে সেট করুন +ReminderTime=ইভেন্টের আগে অনুস্মারক সময়কাল +TimeType=সময়কাল প্রকার +ReminderType=কলব্যাক প্রকার +AddReminder=এই ইভেন্টের জন্য একটি স্বয়ংক্রিয় অনুস্মারক বিজ্ঞপ্তি তৈরি করুন৷ +ErrorReminderActionCommCreation=এই ইভেন্টের জন্য অনুস্মারক বিজ্ঞপ্তি তৈরিতে ত্রুটি৷ +BrowserPush=ব্রাউজার পপআপ বিজ্ঞপ্তি +Reminders=অনুস্মারক +ActiveByDefault=ডিফল্টরূপে সক্রিয় +Until=পর্যন্ত +DataFromWasMerged=%s থেকে ডেটা একত্রিত করা হয়েছে +AgendaShowBookcalCalendar=বুকিং ক্যালেন্ডার: %s +MenuBookcalIndex=অনলাইন অ্যাপয়েন্টমেন্ট +BookcalLabelAvailabilityHelp=উপলব্ধতার পরিসরের লেবেল। উদাহরণস্বরূপ:
      সাধারণ উপলব্ধতা
      বড়দিনের ছুটির সময় উপলব্ধতা +DurationOfRange=ব্যাপ্তির সময়কাল +BookCalSetup = অনলাইন অ্যাপয়েন্টমেন্ট সেটআপ +Settings = সেটিংস +BookCalSetupPage = অনলাইন অ্যাপয়েন্টমেন্ট সেটআপ পৃষ্ঠা +BOOKCAL_PUBLIC_INTERFACE_TOPIC = ইন্টারফেস শিরোনাম +About = সম্পর্কিত +BookCalAbout = BookCal সম্পর্কে +BookCalAboutPage = পৃষ্ঠা সম্পর্কে BookCal +Calendars=ক্যালেন্ডার +Availabilities=প্রাপ্যতা +NewAvailabilities=নতুন উপলব্ধতা +NewCalendar=নতুন ক্যালেন্ডার +ThirdPartyBookCalHelp=এই ক্যালেন্ডারে বুক করা ইভেন্ট স্বয়ংক্রিয়ভাবে এই তৃতীয় পক্ষের সাথে লিঙ্ক করা হবে। +AppointmentDuration = অ্যাপয়েন্টমেন্টের সময়কাল : %s +BookingSuccessfullyBooked=আপনার বুকিং সংরক্ষণ করা হয়েছে +BookingReservationHourAfter=আমরা %s তারিখে আমাদের সভার রিজার্ভেশন নিশ্চিত করি +BookcalBookingTitle=অনলাইন অ্যাপয়েন্টমেন্ট diff --git a/htdocs/langs/bn_BD/assets.lang b/htdocs/langs/bn_BD/assets.lang index ef04723c6c2..6f9bdddc830 100644 --- a/htdocs/langs/bn_BD/assets.lang +++ b/htdocs/langs/bn_BD/assets.lang @@ -1,4 +1,4 @@ -# Copyright (C) 2018 Alexandre Spangaro +# Copyright (C) 2018-2022 Alexandre Spangaro # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by @@ -16,50 +16,171 @@ # # Generic # -Assets = Assets -NewAsset = New asset -AccountancyCodeAsset = Accounting code (asset) -AccountancyCodeDepreciationAsset = Accounting code (depreciation asset account) -AccountancyCodeDepreciationExpense = Accounting code (depreciation expense account) -NewAssetType=New asset type -AssetsTypeSetup=Asset type setup -AssetTypeModified=Asset type modified -AssetType=Asset type -AssetsLines=Assets -DeleteType=Delete -DeleteAnAssetType=Delete an asset type -ConfirmDeleteAssetType=Are you sure you want to delete this asset type? -ShowTypeCard=Show type '%s' +NewAsset=নতুন সম্পদ +AccountancyCodeAsset=অ্যাকাউন্টিং কোড (সম্পদ) +AccountancyCodeDepreciationAsset=অ্যাকাউন্টিং কোড (অবচরণ সম্পদ অ্যাকাউন্ট) +AccountancyCodeDepreciationExpense=অ্যাকাউন্টিং কোড (অবচরণ খরচ অ্যাকাউন্ট) +AssetsLines=সম্পদ +DeleteType=মুছে ফেলা +DeleteAnAssetType=একটি সম্পদ মডেল মুছুন +ConfirmDeleteAssetType=আপনি কি এই সম্পদ মডেল মুছে ফেলার বিষয়ে নিশ্চিত? +ShowTypeCard=মডেল দেখান '%s' # Module label 'ModuleAssetsName' -ModuleAssetsName = Assets +ModuleAssetsName=সম্পদ # Module description 'ModuleAssetsDesc' -ModuleAssetsDesc = Assets description +ModuleAssetsDesc=সম্পদের বিবরণ # # Admin page # -AssetsSetup = Assets setup -Settings = Settings -AssetsSetupPage = Assets setup page -ExtraFieldsAssetsType = Complementary attributes (Asset type) -AssetsType=Asset type -AssetsTypeId=Asset type id -AssetsTypeLabel=Asset type label -AssetsTypes=Assets types +AssetSetup=সম্পদ সেটআপ +AssetSetupPage=সম্পদ সেটআপ পৃষ্ঠা +ExtraFieldsAssetModel=পরিপূরক বৈশিষ্ট্য (সম্পদ মডেল) + +AssetsType=সম্পদ মডেল +AssetsTypeId=সম্পদ মডেল আইডি +AssetsTypeLabel=সম্পদ মডেল লেবেল +AssetsTypes=সম্পদের মডেল +ASSET_ACCOUNTANCY_CATEGORY=স্থায়ী সম্পদ অ্যাকাউন্টিং গ্রুপ # # Menu # -MenuAssets = Assets -MenuNewAsset = New asset -MenuTypeAssets = Type assets -MenuListAssets = List -MenuNewTypeAssets = New -MenuListTypeAssets = List +MenuAssets=সম্পদ +MenuNewAsset=নতুন সম্পদ +MenuAssetModels=মডেল সম্পদ +MenuListAssets=তালিকা +MenuNewAssetModel=নতুন সম্পদের মডেল +MenuListAssetModels=তালিকা # # Module # -NewAssetType=New asset type -NewAsset=New asset +ConfirmDeleteAsset=আপনি কি সত্যিই এই সম্পদ সরাতে চান? + +# +# Tab +# +AssetDepreciationOptions=অবচয় বিকল্প +AssetAccountancyCodes=Accounting accounts +AssetDepreciation=অবচয় + +# +# Asset +# +Asset=সম্পদ +Assets=সম্পদ +AssetReversalAmountHT=বিপরীত পরিমাণ (ট্যাক্স ছাড়া) +AssetAcquisitionValueHT=অধিগ্রহণের পরিমাণ (কর ছাড়া) +AssetRecoveredVAT=উদ্ধারকৃত ভ্যাট +AssetReversalDate=বিপরীত তারিখ +AssetDateAcquisition=অধিগ্রহণ তারিখ +AssetDateStart=শুরুর তারিখ +AssetAcquisitionType=অধিগ্রহণের ধরন +AssetAcquisitionTypeNew=নতুন +AssetAcquisitionTypeOccasion=ব্যবহৃত +AssetType=সম্পদের ধরন +AssetTypeIntangible=অধরা +AssetTypeTangible=মূর্ত +AssetTypeInProgress=চলমান +AssetTypeFinancial=আর্থিক +AssetNotDepreciated=অবমূল্যায়ন নয় +AssetDisposal=নিষ্পত্তি +AssetConfirmDisposalAsk=আপনি কি %s সম্পদের নিষ্পত্তি করার বিষয়ে নিশ্চিত? +AssetConfirmReOpenAsk=আপনি কি %s সম্পদ পুনরায় খুলতে চান? + +# +# Asset status +# +AssetInProgress=চলমান +AssetDisposed=নিষ্পত্তি +AssetRecorded=অ্যাকাউন্টেড + +# +# Asset disposal +# +AssetDisposalDate=নিষ্পত্তির তারিখ +AssetDisposalAmount=নিষ্পত্তি মূল্য +AssetDisposalType=নিষ্পত্তির ধরন +AssetDisposalDepreciated=স্থানান্তরের বছর অবমূল্যায়ন করুন +AssetDisposalSubjectToVat=ভ্যাট সাপেক্ষে নিষ্পত্তি + +# +# Asset model +# +AssetModel=সম্পদের মডেল +AssetModels=সম্পদের মডেল + +# +# Asset depreciation options +# +AssetDepreciationOptionEconomic=অর্থনৈতিক অবমূল্যায়ন +AssetDepreciationOptionAcceleratedDepreciation=ত্বরিত অবচয় (কর) +AssetDepreciationOptionDepreciationType=অবচয় প্রকার +AssetDepreciationOptionDepreciationTypeLinear=রৈখিক +AssetDepreciationOptionDepreciationTypeDegressive=অধঃপতনশীল +AssetDepreciationOptionDepreciationTypeExceptional=ব্যতিক্রমী +AssetDepreciationOptionDegressiveRate=অধঃপতন হার +AssetDepreciationOptionAcceleratedDepreciation=ত্বরিত অবচয় (কর) +AssetDepreciationOptionDuration=সময়কাল +AssetDepreciationOptionDurationType=সময়কাল টাইপ করুন +AssetDepreciationOptionDurationTypeAnnual=বার্ষিক +AssetDepreciationOptionDurationTypeMonthly=মাসিক +AssetDepreciationOptionDurationTypeDaily=দৈনিক +AssetDepreciationOptionRate=হার (%%) +AssetDepreciationOptionAmountBaseDepreciationHT=অবচয় বেস (ভ্যাট বাদে) +AssetDepreciationOptionAmountBaseDeductibleHT=কর্তনযোগ্য ভিত্তি (ভ্যাট বাদে) +AssetDepreciationOptionTotalAmountLastDepreciationHT=মোট পরিমাণ শেষ অবচয় (ভ্যাট বাদে) + +# +# Asset accountancy codes +# +AssetAccountancyCodeDepreciationEconomic=অর্থনৈতিক অবমূল্যায়ন +AssetAccountancyCodeAsset=সম্পদ +AssetAccountancyCodeDepreciationAsset=অবচয় +AssetAccountancyCodeDepreciationExpense=অবচয় ব্যয় +AssetAccountancyCodeValueAssetSold=নিষ্পত্তিকৃত সম্পদের মূল্য +AssetAccountancyCodeReceivableOnAssignment=নিষ্পত্তি উপর প্রাপ্য +AssetAccountancyCodeProceedsFromSales=নিষ্পত্তি থেকে আয় +AssetAccountancyCodeVatCollected=সংগৃহীত ভ্যাট +AssetAccountancyCodeVatDeductible=সম্পদের উপর ভ্যাট আদায় করা হয়েছে +AssetAccountancyCodeDepreciationAcceleratedDepreciation=ত্বরিত অবচয় (কর) +AssetAccountancyCodeAcceleratedDepreciation=Account +AssetAccountancyCodeEndowmentAcceleratedDepreciation=অবচয় ব্যয় +AssetAccountancyCodeProvisionAcceleratedDepreciation=দখল/বিধান + +# +# Asset depreciation +# +AssetBaseDepreciationHT=অবচয় ভিত্তিতে (ভ্যাট বাদে) +AssetDepreciationBeginDate=অবচয় শুরু +AssetDepreciationDuration=সময়কাল +AssetDepreciationRate=হার (%%) +AssetDepreciationDate=অবচয় তারিখ +AssetDepreciationHT=অবচয় (ভ্যাট বাদে) +AssetCumulativeDepreciationHT=ক্রমবর্ধমান অবচয় (ভ্যাট বাদে) +AssetResidualHT=অবশিষ্ট মান (ভ্যাট বাদে) +AssetDispatchedInBookkeeping=অবচয় রেকর্ড করা হয়েছে +AssetFutureDepreciationLine=ভবিষ্যৎ অবচয় +AssetDepreciationReversal=উল্টো + +# +# Errors +# +AssetErrorAssetOrAssetModelIDNotProvide=সম্পদের আইডি বা পাওয়া মডেল প্রদান করা হয়নি +AssetErrorFetchAccountancyCodesForMode='%s' অবচয় মোডের জন্য অ্যাকাউন্টিং অ্যাকাউন্টগুলি পুনরুদ্ধার করার সময় ত্রুটি +AssetErrorDeleteAccountancyCodesForMode='%s' অবচয় মোড থেকে অ্যাকাউন্টিং অ্যাকাউন্টগুলি মুছে ফেলার সময় ত্রুটি +AssetErrorInsertAccountancyCodesForMode=অবচয় মোড '%s' এর অ্যাকাউন্টিং অ্যাকাউন্ট সন্নিবেশ করার সময় ত্রুটি +AssetErrorFetchDepreciationOptionsForMode='%s' অবচয় মোডের বিকল্পগুলি পুনরুদ্ধার করার সময় ত্রুটি +AssetErrorDeleteDepreciationOptionsForMode='%s' অবচয় মোড বিকল্পগুলি মুছে ফেলার সময় ত্রুটি +AssetErrorInsertDepreciationOptionsForMode='%s' অবচয় মোড বিকল্পগুলি সন্নিবেশ করার সময় ত্রুটি +AssetErrorFetchDepreciationLines=রেকর্ড করা অবচয় লাইন পুনরুদ্ধার করার সময় ত্রুটি +AssetErrorClearDepreciationLines=রেকর্ড করা অবচয় লাইন শুদ্ধ করার সময় ত্রুটি (উল্টানো এবং ভবিষ্যত) +AssetErrorAddDepreciationLine=একটি অবচয় লাইন যোগ করার সময় ত্রুটি +AssetErrorCalculationDepreciationLines=অবচয় লাইন গণনা করার সময় ত্রুটি (পুনরুদ্ধার এবং ভবিষ্যত) +AssetErrorReversalDateNotProvidedForMode='%s' অবচয় পদ্ধতির জন্য বিপরীত তারিখ প্রদান করা হয় না +AssetErrorReversalDateNotGreaterThanCurrentBeginFiscalDateForMode=রিভার্সাল তারিখটি '%s' অবচয় পদ্ধতির জন্য চলতি অর্থবছরের শুরুর চেয়ে বেশি বা সমান হতে হবে +AssetErrorReversalAmountNotProvidedForMode=অবচয় মোড '%s'-এর জন্য বিপরীত পরিমাণ প্রদান করা হয় না। +AssetErrorFetchCumulativeDepreciation=অবচয় লাইন থেকে সঞ্চিত অবচয় পরিমাণ পুনরুদ্ধার করার সময় ত্রুটি +AssetErrorSetLastCumulativeDepreciation=শেষ সঞ্চিত অবচয় পরিমাণ রেকর্ড করার সময় ত্রুটি diff --git a/htdocs/langs/bn_BD/banks.lang b/htdocs/langs/bn_BD/banks.lang index 7f093581d03..78c96fa28d4 100644 --- a/htdocs/langs/bn_BD/banks.lang +++ b/htdocs/langs/bn_BD/banks.lang @@ -1,13 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Banks | Cash -MenuVariousPayment=Miscellaneous payments -MenuNewVariousPayment=New Miscellaneous payment +MenuBankCash=ব্যাঙ্ক | নগদ +MenuVariousPayment=বিবিধ অর্থপ্রদান +MenuNewVariousPayment=নতুন বিবিধ পেমেন্ট BankName=Bank name FinancialAccount=Account BankAccount=Bank account BankAccounts=Bank accounts -BankAccountsAndGateways=Bank accounts | Gateways +BankAccountsAndGateways=ব্যাঙ্ক অ্যাকাউন্ট | গেটওয়ে ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -16,6 +16,7 @@ CashAccounts=Cash accounts CurrentAccounts=Current accounts SavingAccounts=Savings accounts ErrorBankLabelAlreadyExists=Financial account label already exists +ErrorBankReceiptAlreadyExists=ব্যাঙ্ক রসিদ রেফারেন্স ইতিমধ্যেই বিদ্যমান BankBalance=Balance BankBalanceBefore=Balance before BankBalanceAfter=Balance after @@ -30,28 +31,28 @@ AllTime=From start Reconciliation=Reconciliation RIB=Bank Account Number IBAN=IBAN number -BIC=BIC/SWIFT code +BIC=BIC/SWIFT কোড SwiftValid=BIC/SWIFT valid SwiftNotValid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid StandingOrders=Direct debit orders StandingOrder=Direct debit order -PaymentByDirectDebit=Payment by direct debit -PaymentByBankTransfers=Payments by credit transfer -PaymentByBankTransfer=Payment by credit transfer +PaymentByDirectDebit=সরাসরি ডেবিট দ্বারা অর্থপ্রদান +PaymentByBankTransfers=ক্রেডিট ট্রান্সফার দ্বারা পেমেন্ট +PaymentByBankTransfer=ক্রেডিট ট্রান্সফার দ্বারা পেমেন্ট AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements LastAccountStatements=Last account statements IOMonthlyReporting=Monthly reporting -BankAccountDomiciliation=Bank address +BankAccountDomiciliation=ব্যাংকের ঠিকানা BankAccountCountry=Account country BankAccountOwner=Account owner name BankAccountOwnerAddress=Account owner address -BankAccountOwnerZip=Account owner zip -BankAccountOwnerTown=Account owner town -BankAccountOwnerCountry=Account owner country +BankAccountOwnerZip=অ্যাকাউন্ট মালিক জিপ +BankAccountOwnerTown=অ্যাকাউন্ট মালিক শহর +BankAccountOwnerCountry=অ্যাকাউন্ট মালিক দেশ CreateAccount=Create account NewBankAccount=New account NewFinancialAccount=New financial account @@ -60,7 +61,7 @@ EditFinancialAccount=Edit account LabelBankCashAccount=Bank or cash label AccountType=Account type BankType0=Savings account -BankType1=Current, cheque or credit card account +BankType1=বর্তমান, চেক বা ক্রেডিট কার্ড অ্যাকাউন্ট BankType2=Cash account AccountsArea=Accounts area AccountCard=Account card @@ -78,11 +79,11 @@ BankTransaction=Bank entry ListTransactions=List entries ListTransactionsByCategory=List entries/category TransactionsToConciliate=Entries to reconcile -TransactionsToConciliateShort=To reconcile +TransactionsToConciliateShort=মিটমাট করা Conciliable=Can be reconciled Conciliate=Reconcile Conciliation=Reconciliation -SaveStatementOnly=Save statement only +SaveStatementOnly=শুধুমাত্র বিবৃতি সংরক্ষণ করুন ReconciliationLate=Reconciliation late IncludeClosedAccount=Include closed accounts OnlyOpenedAccount=Only opened accounts @@ -100,39 +101,39 @@ AddBankRecordLong=Add entry manually Conciliated=Reconciled ReConciliedBy=Reconciled by DateConciliating=Reconcile date -BankLineConciliated=Entry reconciled with bank receipt +BankLineConciliated=এন্ট্রি ব্যাঙ্ক রসিদ সঙ্গে মিলিত BankLineReconciled=Reconciled BankLineNotReconciled=Not reconciled CustomerInvoicePayment=Customer payment -SupplierInvoicePayment=Vendor payment +SupplierInvoicePayment=বিক্রেতা পেমেন্ট SubscriptionPayment=Subscription payment -WithdrawalPayment=Direct Debit payment -BankTransferPayment=Credit Transfer payment +WithdrawalPayment=ডাইরেক্ট ডেবিট পেমেন্ট +BankTransferPayment=ক্রেডিট ট্রান্সফার পেমেন্ট SocialContributionPayment=Social/fiscal tax payment -BankTransfer=Credit transfer -BankTransfers=Credit transfers +BankTransfer=ক্রেডিট স্থানান্তরণ +BankTransfers=ক্রেডিট স্থানান্তর MenuBankInternalTransfer=Internal transfer -TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. +TransferDesc=এক অ্যাকাউন্ট থেকে অন্য অ্যাকাউন্টে স্থানান্তর করতে অভ্যন্তরীণ স্থানান্তর ব্যবহার করুন, অ্যাপ্লিকেশন দুটি রেকর্ড লিখবে: উত্স অ্যাকাউন্টে একটি ডেবিট এবং লক্ষ্য অ্যাকাউন্টে একটি ক্রেডিট। এই লেনদেনের জন্য একই পরিমাণ, লেবেল এবং তারিখ ব্যবহার করা হবে। TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Sender +CheckTransmitter=প্রেরক ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes will be possible once validated. +ConfirmValidateCheckReceipt=আপনি কি নিশ্চিত যে আপনি যাচাইকরণের জন্য এই চেকের রসিদ জমা দিতে চান? একবার যাচাই করা হলে কোন পরিবর্তন সম্ভব হবে না। DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? -DocumentsForDeposit=Documents to deposit at the bank +DocumentsForDeposit=ব্যাংকে জমা করার নথি BankChecks=Bank checks BankChecksToReceipt=Checks awaiting deposit BankChecksToReceiptShort=Checks awaiting deposit ShowCheckReceipt=Show check deposit receipt -NumberOfCheques=No. of check +NumberOfCheques=চেকের সংখ্যা DeleteTransaction=Delete entry ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphs +Graph=গ্রাফ ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,14 +143,14 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank and cash accounts +AllAccounts=সমস্ত ব্যাঙ্ক এবং নগদ অ্যাকাউন্ট BackToAccount=Back to account ShowAllAccounts=Show for all accounts -FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". -SelectPaymentTransactionAndGenerate=Select/filter the documents which are to be included in the %s deposit receipt. Then, click on "Create". -InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value -InputReceiptNumberBis=YYYYMM or YYYYMMDD +FutureTransaction=ভবিষ্যতের লেনদেন। মিটমাট করতে অক্ষম। +SelectChequeTransactionAndGenerate=চেক জমার রসিদে অন্তর্ভুক্ত করা চেকগুলি নির্বাচন/ফিল্টার করুন। তারপরে, "তৈরি করুন" এ ক্লিক করুন। +SelectPaymentTransactionAndGenerate=%s জমার রসিদে অন্তর্ভুক্ত করা নথিগুলি নির্বাচন/ফিল্টার করুন৷ তারপরে, "তৈরি করুন" এ ক্লিক করুন। +InputReceiptNumber=সমঝোতার সাথে সম্পর্কিত ব্যাঙ্ক স্টেটমেন্ট বেছে নিন। একটি বাছাইযোগ্য সংখ্যাসূচক মান ব্যবহার করুন +InputReceiptNumberBis=YYYYMM বা YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? ThenCheckLinesAndConciliate=Then, check the lines present in the bank statement and click @@ -163,32 +164,33 @@ RejectCheck=Check returned ConfirmRejectCheck=Are you sure you want to mark this check as rejected? RejectCheckDate=Date the check was returned CheckRejected=Check returned -CheckRejectedAndInvoicesReopened=Check returned and invoices re-open +CheckRejectedAndInvoicesReopened=চেক ফেরত এবং চালান পুনরায় খুলুন BankAccountModelModule=Document templates for bank accounts -DocumentModelSepaMandate=Template of SEPA mandate. Useful for European countries in EEC only. +DocumentModelSepaMandate=SEPA আদেশের টেমপ্লেট। EEC শুধুমাত্র ইউরোপীয় দেশগুলির জন্য দরকারী। DocumentModelBan=Template to print a page with BAN information. -NewVariousPayment=New miscellaneous payment -VariousPayment=Miscellaneous payment -VariousPayments=Miscellaneous payments -ShowVariousPayment=Show miscellaneous payment -AddVariousPayment=Add miscellaneous payment -VariousPaymentId=Miscellaneous payment ID -VariousPaymentLabel=Miscellaneous payment label -ConfirmCloneVariousPayment=Confirm the clone of a miscellaneous payment -SEPAMandate=SEPA mandate -YourSEPAMandate=Your SEPA mandate -FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to -AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation -CashControl=POS cash control -NewCashFence=New cash control (opening or closing) -BankColorizeMovement=Colorize movements -BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements -BankColorizeMovementName1=Background color for debit movement -BankColorizeMovementName2=Background color for credit movement -IfYouDontReconcileDisableProperty=If you don't make the bank reconciliations on some bank accounts, disable the property "%s" on them to remove this warning. -NoBankAccountDefined=No bank account defined -NoRecordFoundIBankcAccount=No record found in bank account. Commonly, this occurs when a record has been deleted manually from the list of transaction in the bank account (for example during a reconciliation of the bank account). Another reason is that the payment was recorded when the module "%s" was disabled. -AlreadyOneBankAccount=Already one bank account defined -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=SEPA transfer: 'Payment Type' at 'Credit Transfer' level -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=When generatin a SEPA XML file for Credit transfers, the section "PaymentTypeInformation" can now be placed inside the "CreditTransferTransactionInformation" section (instead of "Payment" section). We strongly recommend to keep this unchecked to place PaymentTypeInformation at Payment level, as all banks will not necessarily accept it at CreditTransferTransactionInformation level. Contact your bank before placing PaymentTypeInformation at CreditTransferTransactionInformation level. -ToCreateRelatedRecordIntoBank=To create missing related bank record +NewVariousPayment=নতুন বিবিধ পেমেন্ট +VariousPayment=বিবিধ পেমেন্ট +VariousPayments=বিবিধ অর্থপ্রদান +ShowVariousPayment=বিবিধ পেমেন্ট দেখান +AddVariousPayment=বিবিধ পেমেন্ট যোগ করুন +VariousPaymentId=বিবিধ পেমেন্ট আইডি +VariousPaymentLabel=বিবিধ পেমেন্ট লেবেল +ConfirmCloneVariousPayment=একটি বিবিধ অর্থপ্রদানের ক্লোন নিশ্চিত করুন +SEPAMandate=SEPA আদেশ +YourSEPAMandate=আপনার SEPA আদেশ +FindYourSEPAMandate=আপনার ব্যাঙ্কে সরাসরি ডেবিট অর্ডার করার জন্য আমাদের কোম্পানিকে অনুমোদন করার জন্য এটি আপনার SEPA ম্যান্ডেট। এটি স্বাক্ষরিত ফেরত দিন (স্বাক্ষরিত নথির স্ক্যান করুন) অথবা এটিকে মেইলে পাঠান৷ +AutoReportLastAccountStatement=পুনর্মিলন করার সময় শেষ বিবৃতি নম্বর সহ 'ব্যাংক স্টেটমেন্টের নম্বর' ক্ষেত্রটি স্বয়ংক্রিয়ভাবে পূরণ করুন +CashControl=POS নগদ নিয়ন্ত্রণ +NewCashFence=নতুন নগদ নিয়ন্ত্রণ (খোলা বা বন্ধ) +BankColorizeMovement=গতিবিধি রঙিন করুন +BankColorizeMovementDesc=এই ফাংশনটি সক্ষম হলে, আপনি ডেবিট বা ক্রেডিট আন্দোলনের জন্য নির্দিষ্ট পটভূমির রঙ চয়ন করতে পারেন +BankColorizeMovementName1=ডেবিট আন্দোলনের জন্য পটভূমির রঙ +BankColorizeMovementName2=ক্রেডিট আন্দোলনের জন্য পটভূমির রঙ +IfYouDontReconcileDisableProperty=আপনি যদি কিছু ব্যাঙ্ক অ্যাকাউন্টে ব্যাঙ্ক পুনর্মিলন না করেন, তাহলে এই সতর্কতা অপসারণের জন্য তাদের উপর "%s" সম্পত্তি অক্ষম করুন। +NoBankAccountDefined=কোনো ব্যাঙ্ক অ্যাকাউন্ট সংজ্ঞায়িত করা হয়নি +NoRecordFoundIBankcAccount=ব্যাঙ্ক অ্যাকাউন্টে কোনও রেকর্ড পাওয়া যায়নি। সাধারণত, এটি ঘটে যখন ব্যাঙ্ক অ্যাকাউন্টের লেনদেনের তালিকা থেকে একটি রেকর্ড ম্যানুয়ালি মুছে ফেলা হয় (উদাহরণস্বরূপ ব্যাঙ্ক অ্যাকাউন্টের পুনর্মিলনের সময়)। আরেকটি কারণ হল যখন মডিউল "%s" নিষ্ক্রিয় ছিল তখন অর্থপ্রদান রেকর্ড করা হয়েছিল৷ +AlreadyOneBankAccount=ইতিমধ্যে একটি ব্যাঙ্ক অ্যাকাউন্ট সংজ্ঞায়িত করা হয়েছে৷ +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=SEPA ফাইলের বৈকল্পিক +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=হ্যাঁ = SEPA ফাইলের 'ক্রেডিট ট্রান্সফার' বিভাগে 'পেমেন্ট টাইপ' সঞ্চয় করুন

      ক্রেডিটের জন্য একটি SEPA XML ফাইল তৈরি করার সময় স্থানান্তর, "PaymentTypeInformation" বিভাগটি এখন "CreditTransferTransactionInformation" বিভাগে ("পেমেন্ট" বিভাগের পরিবর্তে) স্থাপন করা যেতে পারে। পেমেন্ট লেভেলে PaymentTypeInformation স্থাপন করার জন্য আমরা দৃঢ়ভাবে এটিকে আনচেক করার পরামর্শ দিই, কারণ সমস্ত ব্যাঙ্ক এটিকে ক্রেডিট ট্রান্সফার ট্রানজ্যাকশন ইনফরমেশন স্তরে গ্রহণ করবে না। CreditTransferTransactionInformation লেভেলে PaymentTypeInformation স্থাপন করার আগে আপনার ব্যাঙ্কের সাথে যোগাযোগ করুন। +ToCreateRelatedRecordIntoBank=অনুপস্থিত সম্পর্কিত ব্যাঙ্ক রেকর্ড তৈরি করতে +XNewLinesConciliated=%s নতুন লাইন(গুলি) সমঝোতা diff --git a/htdocs/langs/bn_BD/bills.lang b/htdocs/langs/bn_BD/bills.lang index 5df3e05ebf7..1bbc203e569 100644 --- a/htdocs/langs/bn_BD/bills.lang +++ b/htdocs/langs/bn_BD/bills.lang @@ -3,22 +3,22 @@ Bill=Invoice Bills=Invoices BillsCustomers=Customer invoices BillsCustomer=Customer invoice -BillsSuppliers=Vendor invoices +BillsSuppliers=বিক্রেতা চালান BillsCustomersUnpaid=Unpaid customer invoices BillsCustomersUnpaidForCompany=Unpaid customer invoices for %s -BillsSuppliersUnpaid=Unpaid vendor invoices -BillsSuppliersUnpaidForCompany=Unpaid vendors invoices for %s +BillsSuppliersUnpaid=অবৈতনিক বিক্রেতা চালান +BillsSuppliersUnpaidForCompany=%s এর জন্য অবৈতনিক বিক্রেতাদের চালান BillsLate=Late payments BillsStatistics=Customers invoices statistics -BillsStatisticsSuppliers=Vendors invoices statistics -DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping -DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. -DisabledBecauseNotLastSituationInvoice=Disabled because invoice is not erasable. This invoice is not the last one in situation invoice cycle. +BillsStatisticsSuppliers=বিক্রেতাদের চালান পরিসংখ্যান +DisabledBecauseDispatchedInBookkeeping=অক্ষম করা হয়েছে কারণ চালান হিসাবপত্রে পাঠানো হয়েছে +DisabledBecauseNotLastInvoice=অক্ষম কারণ চালান মুছে ফেলা যায় না। এর পরে কিছু চালান রেকর্ড করা হয়েছে এবং এটি কাউন্টারে গর্ত তৈরি করবে। +DisabledBecauseNotLastSituationInvoice=অক্ষম কারণ চালান মুছে ফেলা যায় না। এই চালান পরিস্থিতি চালান চক্রের শেষ এক নয়। DisabledBecauseNotErasable=Disabled because cannot be erased InvoiceStandard=Standard invoice InvoiceStandardAsk=Standard invoice InvoiceStandardDesc=This kind of invoice is the common invoice. -InvoiceStandardShort=Standard +InvoiceStandardShort=স্ট্যান্ডার্ড InvoiceDeposit=Deposit invoice InvoiceDepositAsk=Deposit invoice InvoiceDepositDesc=This kind of invoice is done when a deposit has been received. @@ -26,12 +26,12 @@ InvoiceProForma=Proforma invoice InvoiceProFormaAsk=Proforma invoice InvoiceProFormaDesc=Proforma invoice is an image of a true invoice but has no accountancy value. InvoiceReplacement=Replacement invoice -InvoiceReplacementShort=Replacement +InvoiceReplacementShort=প্রতিস্থাপন InvoiceReplacementAsk=Replacement invoice for invoice -InvoiceReplacementDesc=Replacement invoice is used to completely replace an invoice with no payment already received.

      Note: Only invoices with no payment on it can be replaced. If the invoice you replace is not yet closed, it will be automatically closed to 'abandoned'. +InvoiceReplacementDesc=প্রতিস্থাপন চালান একটি ইনভয়েস সম্পূর্ণরূপে প্রতিস্থাপন করতে ব্যবহৃত হয় যেখানে ইতিমধ্যে কোনো অর্থ প্রদান করা হয়নি।
      দ্রষ্টব্য: শুধুমাত্র কোন অর্থপ্রদান ছাড়াই চালানগুলি প্রতিস্থাপন করা যাবে৷ আপনি যে চালানটি প্রতিস্থাপন করেন তা যদি এখনও বন্ধ না হয়, তাহলে এটি স্বয়ংক্রিয়ভাবে 'পরিত্যক্ত' হয়ে যাবে। InvoiceAvoir=Credit note InvoiceAvoirAsk=Credit note to correct invoice -InvoiceAvoirDesc=The credit note is a negative invoice used to correct the fact that an invoice shows an amount that differs from the amount actually paid (eg the customer paid too much by mistake, or will not pay the complete amount since some products were returned). +InvoiceAvoirDesc=ক্রেডিট নোট হল একটি নেতিবাচক চালান যা এই সত্যটি সংশোধন করতে ব্যবহৃত হয় যে একটি চালান এমন একটি পরিমাণ দেখায় যা প্রকৃতপক্ষে পরিমাণ থেকে আলাদা। প্রদত্ত (যেমন গ্রাহক ভুল করে অনেক বেশি অর্থ প্রদান করেছেন, অথবা কিছু পণ্য ফেরত দেওয়ার পর থেকে সম্পূর্ণ অর্থ প্রদান করবেন না)। invoiceAvoirWithLines=Create Credit Note with lines from the origin invoice invoiceAvoirWithPaymentRestAmount=Create Credit Note with remaining unpaid of origin invoice invoiceAvoirLineWithPaymentRestAmount=Credit Note for remaining unpaid amount @@ -44,7 +44,7 @@ CorrectionInvoice=Correction invoice UsedByInvoice=Used to pay invoice %s ConsumedBy=Consumed by NotConsumed=Not consumed -NoReplacableInvoice=No replaceable invoices +NoReplacableInvoice=কোনো পরিবর্তনযোগ্য চালান নেই NoInvoiceToCorrect=No invoice to correct InvoiceHasAvoir=Was source of one or several credit notes CardBill=Invoice card @@ -56,51 +56,51 @@ InvoiceLine=Invoice line InvoiceCustomer=Customer invoice CustomerInvoice=Customer invoice CustomersInvoices=Customer invoices -SupplierInvoice=Vendor invoice -SuppliersInvoices=Vendor invoices -SupplierInvoiceLines=Vendor invoice lines -SupplierBill=Vendor invoice -SupplierBills=Vendor invoices +SupplierInvoice=বিক্রেতা চালান +SuppliersInvoices=বিক্রেতা চালান +SupplierInvoiceLines=বিক্রেতা চালান লাইন +SupplierBill=বিক্রেতা চালান +SupplierBills=বিক্রেতা চালান Payment=Payment -PaymentBack=Refund -CustomerInvoicePaymentBack=Refund +PaymentBack=ফেরত +CustomerInvoicePaymentBack=ফেরত Payments=Payments -PaymentsBack=Refunds +PaymentsBack=ফেরত paymentInInvoiceCurrency=in invoices currency PaidBack=Paid back DeletePayment=Delete payment ConfirmDeletePayment=Are you sure you want to delete this payment ? -ConfirmConvertToReduc=Do you want to convert this %s into an available credit? -ConfirmConvertToReduc2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this customer. -ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit? -ConfirmConvertToReducSupplier2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this vendor. -SupplierPayments=Vendor payments +ConfirmConvertToReduc=আপনি কি এই %sটিকে একটি উপলব্ধ ক্রেডিট এ রূপান্তর করতে চান? +ConfirmConvertToReduc2=পরিমাণটি সমস্ত ছাড়ের মধ্যে সংরক্ষণ করা হবে এবং এই গ্রাহকের জন্য বর্তমান বা ভবিষ্যতের চালানের জন্য ছাড় হিসাবে ব্যবহার করা যেতে পারে। +ConfirmConvertToReducSupplier=আপনি কি এই %sটিকে একটি উপলব্ধ ক্রেডিটে রূপান্তর করতে চান? +ConfirmConvertToReducSupplier2=পরিমাণটি সমস্ত ছাড়ের মধ্যে সংরক্ষণ করা হবে এবং এই বিক্রেতার জন্য বর্তমান বা ভবিষ্যতের চালানের জন্য ছাড় হিসাবে ব্যবহার করা যেতে পারে। +SupplierPayments=বিক্রেতা পেমেন্ট ReceivedPayments=Received payments ReceivedCustomersPayments=Payments received from customers -PayedSuppliersPayments=Payments paid to vendors +PayedSuppliersPayments=বিক্রেতাদের দেওয়া পেমেন্ট ReceivedCustomersPaymentsToValid=Received customers payments to validate PaymentsReportsForYear=Payments reports for %s PaymentsReports=Payments reports PaymentsAlreadyDone=Payments already done -PaymentsBackAlreadyDone=Refunds already done +PaymentsBackAlreadyDone=রিফান্ড ইতিমধ্যে সম্পন্ন হয়েছে PaymentRule=Payment rule -PaymentMode=Payment method -PaymentModes=Payment methods -DefaultPaymentMode=Default Payment method -DefaultBankAccount=Default Bank Account -IdPaymentMode=Payment method (id) -CodePaymentMode=Payment method (code) -LabelPaymentMode=Payment method (label) -PaymentModeShort=Payment method -PaymentTerm=Payment Term -PaymentConditions=Payment Terms -PaymentConditionsShort=Payment Terms +PaymentMode=মূল্যপরিশোধ পদ্ধতি +PaymentModes=মুল্য পরিশোধ পদ্ধতি +DefaultPaymentMode=ডিফল্ট পেমেন্ট পদ্ধতি +DefaultBankAccount=ডিফল্ট ব্যাঙ্ক অ্যাকাউন্ট +IdPaymentMode=পেমেন্ট পদ্ধতি (আইডি) +CodePaymentMode=পেমেন্ট পদ্ধতি (কোড) +LabelPaymentMode=পেমেন্ট পদ্ধতি (লেবেল) +PaymentModeShort=মূল্যপরিশোধ পদ্ধতি +PaymentTerm=অর্থপ্রদানের মেয়াদ +PaymentConditions=পরিশোধের শর্ত +PaymentConditionsShort=পরিশোধের শর্ত PaymentAmount=Payment amount PaymentHigherThanReminderToPay=Payment higher than reminder to pay -HelpPaymentHigherThanReminderToPay=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess received for each overpaid invoice. -HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess paid for each overpaid invoice. +HelpPaymentHigherThanReminderToPay=মনোযোগ দিন, এক বা একাধিক বিলের অর্থপ্রদানের পরিমাণ বকেয়া অর্থের চেয়ে বেশি।
      আপনার এন্ট্রি সম্পাদনা করুন, অন্যথায় নিশ্চিত করুন এবং প্রতিটি অতিরিক্ত পরিশোধিত চালানের জন্য অতিরিক্ত প্রাপ্তির জন্য একটি ক্রেডিট নোট তৈরি করার কথা বিবেচনা করুন। +HelpPaymentHigherThanReminderToPaySupplier=মনোযোগ দিন, এক বা একাধিক বিলের অর্থপ্রদানের পরিমাণ বকেয়া অর্থের চেয়ে বেশি।
      আপনার এন্ট্রি সম্পাদনা করুন, অন্যথায় নিশ্চিত করুন এবং প্রতিটি অতিরিক্ত পরিশোধিত চালানের জন্য অতিরিক্ত অর্থ প্রদানের জন্য একটি ক্রেডিট নোট তৈরি করার কথা বিবেচনা করুন। ClassifyPaid=Classify 'Paid' -ClassifyUnPaid=Classify 'Unpaid' +ClassifyUnPaid='অপেইড' শ্রেণীবদ্ধ করুন ClassifyPaidPartially=Classify 'Paid partially' ClassifyCanceled=Classify 'Abandoned' ClassifyClosed=Classify 'Closed' @@ -111,24 +111,24 @@ AddBill=Create invoice or credit note AddToDraftInvoices=Add to draft invoice DeleteBill=Delete invoice SearchACustomerInvoice=Search for a customer invoice -SearchASupplierInvoice=Search for a vendor invoice +SearchASupplierInvoice=একটি বিক্রেতা চালান জন্য অনুসন্ধান করুন CancelBill=Cancel an invoice SendRemindByMail=Send reminder by email DoPayment=Enter payment DoPaymentBack=Enter refund -ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into available credit -ConvertExcessPaidToReduc=Convert excess paid into available discount +ConvertToReduc=ক্রেডিট উপলব্ধ হিসাবে চিহ্নিত করুন +ConvertExcessReceivedToReduc=উপলব্ধ ক্রেডিট মধ্যে অতিরিক্ত প্রাপ্ত রূপান্তর +ConvertExcessPaidToReduc=উপলব্ধ ডিসকাউন্ট মধ্যে অতিরিক্ত প্রদত্ত রূপান্তর EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Base price +PriceBase=মুলদাম BillStatus=Invoice status -StatusOfGeneratedInvoices=Status of generated invoices +StatusOfAutoGeneratedInvoices=স্বয়ংক্রিয়ভাবে তৈরি করা চালানের স্থিতি BillStatusDraft=Draft (needs to be validated) BillStatusPaid=Paid -BillStatusPaidBackOrConverted=Credit note refund or marked as credit available -BillStatusConverted=Paid (ready for consumption in final invoice) +BillStatusPaidBackOrConverted=ক্রেডিট নোট ফেরত বা ক্রেডিট উপলব্ধ হিসাবে চিহ্নিত +BillStatusConverted=অর্থপ্রদান (চূড়ান্ত চালানে ব্যবহারের জন্য প্রস্তুত) BillStatusCanceled=Abandoned BillStatusValidated=Validated (needs to be paid) BillStatusStarted=Started @@ -138,8 +138,8 @@ BillStatusClosedUnpaid=Closed (unpaid) BillStatusClosedPaidPartially=Paid (partially) BillShortStatusDraft=Draft BillShortStatusPaid=Paid -BillShortStatusPaidBackOrConverted=Refunded or converted -Refunded=Refunded +BillShortStatusPaidBackOrConverted=ফেরত বা রূপান্তরিত +Refunded=ফেরত দেওয়া হয়েছে BillShortStatusConverted=Processed BillShortStatusCanceled=Abandoned BillShortStatusValidated=Validated @@ -149,121 +149,127 @@ BillShortStatusNotRefunded=Not refunded BillShortStatusClosedUnpaid=Closed BillShortStatusClosedPaidPartially=Paid (partially) PaymentStatusToValidShort=To validate -ErrorVATIntraNotConfigured=Intra-Community VAT number not yet defined -ErrorNoPaiementModeConfigured=No default payment type defined. Go to Invoice module setup to fix this. -ErrorCreateBankAccount=Create a bank account, then go to Setup panel of Invoice module to define payment types +ErrorVATIntraNotConfigured=আন্তঃ-সম্প্রদায়িক ভ্যাট নম্বর এখনও সংজ্ঞায়িত করা হয়নি +ErrorNoPaiementModeConfigured=কোনো ডিফল্ট অর্থপ্রদানের ধরন সংজ্ঞায়িত করা হয়নি। এটি ঠিক করতে চালান মডিউল সেটআপে যান৷ +ErrorCreateBankAccount=একটি ব্যাঙ্ক অ্যাকাউন্ট তৈরি করুন, তারপর অর্থপ্রদানের ধরন নির্ধারণ করতে চালান মডিউলের সেটআপ প্যানেলে যান ErrorBillNotFound=Invoice %s does not exist -ErrorInvoiceAlreadyReplaced=Error, you tried to validate an invoice to replace invoice %s. But this one has already been replaced by invoice %s. +ErrorInvoiceAlreadyReplaced=ত্রুটি, আপনি চালান %s প্রতিস্থাপন করার জন্য একটি চালান যাচাই করার চেষ্টা করেছেন৷ কিন্তু এটি ইতিমধ্যেই %s দ্বারা প্রতিস্থাপিত হয়েছে৷ ErrorDiscountAlreadyUsed=Error, discount already used ErrorInvoiceAvoirMustBeNegative=Error, correct invoice must have a negative amount -ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have an amount excluding tax positive (or null) +ErrorInvoiceOfThisTypeMustBePositive=ত্রুটি, এই ধরনের চালানে ট্যাক্স পজিটিভ (বা শূন্য) ব্যতীত একটি পরিমাণ থাকতে হবে ErrorCantCancelIfReplacementInvoiceNotValidated=Error, can't cancel an invoice that has been replaced by another invoice that is still in draft status -ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=This part or another is already used so discount series cannot be removed. -ErrorInvoiceIsNotLastOfSameType=Error: The date of invoice %s is %s. It must be posterior or equal to last date for same type invoices (%s). Please change the invoice date. +ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=এই অংশ বা অন্য ইতিমধ্যেই ব্যবহার করা হয়েছে তাই ডিসকাউন্ট সিরিজ সরানো যাবে না। +ErrorInvoiceIsNotLastOfSameType=ত্রুটি: চালানের তারিখ %s হল %s। এটি অবশ্যই একই ধরনের চালানের জন্য শেষ তারিখের পরবর্তী বা সমান হতে হবে (%s)। চালান তারিখ পরিবর্তন করুন. BillFrom=From BillTo=To -ShippingTo=Shipping to +ShippingTo=এ শিপিং ActionsOnBill=Actions on invoice -RecurringInvoiceTemplate=Template / Recurring invoice +ActionsOnBillRec=পুনরাবৃত্ত ইনভয়েসের উপর ক্রিয়াকলাপ +RecurringInvoiceTemplate=টেমপ্লেট / পুনরাবৃত্ত চালান NoQualifiedRecurringInvoiceTemplateFound=No recurring template invoice qualified for generation. -FoundXQualifiedRecurringInvoiceTemplate=Found %s recurring template invoice(s) qualified for generation. +FoundXQualifiedRecurringInvoiceTemplate=%s পুনরাবৃত্ত টেমপ্লেট চালান(গুলি) প্রজন্মের জন্য যোগ্য৷ NotARecurringInvoiceTemplate=Not a recurring template invoice NewBill=New invoice LastBills=Latest %s invoices -LatestTemplateInvoices=Latest %s template invoices -LatestCustomerTemplateInvoices=Latest %s customer template invoices -LatestSupplierTemplateInvoices=Latest %s vendor template invoices +LatestTemplateInvoices=সর্বশেষ %s টেমপ্লেট চালান +LatestCustomerTemplateInvoices=সর্বশেষ %s গ্রাহক টেমপ্লেট চালান +LatestSupplierTemplateInvoices=সর্বশেষ %s বিক্রেতা টেমপ্লেট চালান LastCustomersBills=Latest %s customer invoices -LastSuppliersBills=Latest %s vendor invoices +LastSuppliersBills=সর্বশেষ %s বিক্রেতা চালান AllBills=All invoices -AllCustomerTemplateInvoices=All template invoices +AllCustomerTemplateInvoices=সমস্ত টেমপ্লেট চালান OtherBills=Other invoices DraftBills=Draft invoices CustomersDraftInvoices=Customer draft invoices -SuppliersDraftInvoices=Vendor draft invoices +SuppliersDraftInvoices=বিক্রেতার খসড়া চালান Unpaid=Unpaid -ErrorNoPaymentDefined=Error No payment defined +ErrorNoPaymentDefined=ত্রুটি কোন পেমেন্ট সংজ্ঞায়িত করা হয়নি ConfirmDeleteBill=Are you sure you want to delete this invoice? -ConfirmValidateBill=Are you sure you want to validate this invoice with reference %s? +ConfirmValidateBill=আপনি কি %sরেফারেন্স সহ এই চালানটি যাচাই করতে চান? >? ConfirmUnvalidateBill=Are you sure you want to change invoice %s to draft status? ConfirmClassifyPaidBill=Are you sure you want to change invoice %s to status paid? ConfirmCancelBill=Are you sure you want to cancel invoice %s? ConfirmCancelBillQuestion=Why do you want to classify this invoice 'abandoned'? ConfirmClassifyPaidPartially=Are you sure you want to change invoice %s to status paid? -ConfirmClassifyPaidPartiallyQuestion=This invoice has not been paid completely. What is the reason for closing this invoice? -ConfirmClassifyPaidPartiallyReasonAvoir=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I regularize the VAT with a credit note. -ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. +ConfirmClassifyPaidPartiallyQuestion=এই চালান পুরোপুরি পরিশোধ করা হয়নি. এই চালান বন্ধ করার কারণ কি? +ConfirmClassifyPaidPartiallyReasonAvoir=বাকি অবৈতনিক (%s %s) একটি ছাড় দেওয়া হয়েছে কারণ মেয়াদের আগে অর্থপ্রদান করা হয়েছিল। আমি ক্রেডিট নোট দিয়ে ভ্যাট নিয়মিত করি। +ConfirmClassifyPaidPartiallyReasonDiscount=বাকি অবৈতনিক (%s %s) একটি ছাড় দেওয়া হয়েছে কারণ মেয়াদের আগে অর্থপ্রদান করা হয়েছিল। ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I accept to lose the VAT on this discount. ConfirmClassifyPaidPartiallyReasonDiscountVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I recover the VAT on this discount without a credit note. ConfirmClassifyPaidPartiallyReasonBadCustomer=Bad customer -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) -ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax +ConfirmClassifyPaidPartiallyReasonBadSupplier=খারাপ বিক্রেতা +ConfirmClassifyPaidPartiallyReasonBankCharge=ব্যাঙ্ক দ্বারা কর্তন (মধ্যস্থ ব্যাঙ্ক ফি) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=উইথহোল্ডিং ট্যাক্স ConfirmClassifyPaidPartiallyReasonProductReturned=Products partially returned ConfirmClassifyPaidPartiallyReasonOther=Amount abandoned for other reason -ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=This choice is possible if your invoice has been provided with suitable comments. (Example «Only the tax corresponding to the price that has been actually paid gives rights to deduction») -ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=In some countries, this choice might be possible only if your invoice contains correct notes. +ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=আপনার চালান উপযুক্ত মন্তব্য প্রদান করা হলে এই পছন্দটি সম্ভব। (উদাহরণ "শুধুমাত্র মূল্যের সাথে সংশ্লিষ্ট কর যা প্রকৃতপক্ষে পরিশোধ করা হয়েছে তা কর্তনের অধিকার দেয়") +ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=কিছু দেশে, আপনার চালানে সঠিক নোট থাকলেই এই পছন্দটি সম্ভব হতে পারে। ConfirmClassifyPaidPartiallyReasonAvoirDesc=Use this choice if all other does not suit -ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=A bad customer is a customer that refuses to pay his debt. +ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=একজন খারাপ গ্রাহক হল একজন গ্রাহক যে তার ঋণ পরিশোধ করতে অস্বীকার করে। ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=This choice is used when payment is not complete because some of products were returned -ConfirmClassifyPaidPartiallyReasonBankChargeDesc=The unpaid amount is intermediary bank fees, deducted directly from the correct amount paid by the Customer. -ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax -ConfirmClassifyPaidPartiallyReasonOtherDesc=Use this choice if all others are not suitable, for example in following situation:
      - payment not complete because some products were shipped back
      - amount claimed too important because a discount was forgotten
      In all cases, amount over-claimed must be corrected in accountancy system by creating a credit note. +ConfirmClassifyPaidPartiallyReasonBankChargeDesc=অপরিশোধিত পরিমাণ হল মধ্যস্থ ব্যাঙ্ক ফি, সরাসরি b0aee83zspan783653 থেকে কাটা >সঠিক পরিমাণ গ্রাহকের দ্বারা প্রদত্ত। +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=অপরিশোধিত পরিমাণ কখনই দেওয়া হবে না কারণ এটি একটি উইথহোল্ডিং ট্যাক্স +ConfirmClassifyPaidPartiallyReasonOtherDesc=অন্য সবগুলি উপযুক্ত না হলে এই পছন্দটি ব্যবহার করুন, উদাহরণস্বরূপ নিম্নলিখিত পরিস্থিতিতে:
      - অর্থপ্রদান সম্পূর্ণ হয়নি কারণ কিছু পণ্য ফেরত পাঠানো হয়েছে
      span>- দাবি করা পরিমাণটি অত্যন্ত গুরুত্বপূর্ণ কারণ একটি ছাড় ভুলে যাওয়া হয়েছে
      সকল ক্ষেত্রে, একটি ক্রেডিট নোট তৈরি করে হিসাব ব্যবস্থায় অতিরিক্ত দাবি করা পরিমাণ সংশোধন করতে হবে। +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=একজন খারাপ সরবরাহকারী হল একজন সরবরাহকারী যা আমরা অর্থ প্রদান করতে অস্বীকার করি। ConfirmClassifyAbandonReasonOther=Other ConfirmClassifyAbandonReasonOtherDesc=This choice will be used in all other cases. For example because you plan to create a replacing invoice. ConfirmCustomerPayment=Do you confirm this payment input for %s %s? ConfirmSupplierPayment=Do you confirm this payment input for %s %s? ConfirmValidatePayment=Are you sure you want to validate this payment? No change can be made once payment is validated. ValidateBill=Validate invoice -UnvalidateBill=Unvalidate invoice -NumberOfBills=No. of invoices -NumberOfBillsByMonth=No. of invoices per month +UnvalidateBill=চালান বাতিল করুন +NumberOfBills=চালানের সংখ্যা +NumberOfBillsByMonth=প্রতি মাসে চালানের সংখ্যা AmountOfBills=Amount of invoices -AmountOfBillsHT=Amount of invoices (net of tax) +AmountOfBillsHT=চালানের পরিমাণ (করের নেট) AmountOfBillsByMonthHT=Amount of invoices by month (net of tax) -UseSituationInvoices=Allow situation invoice -UseSituationInvoicesCreditNote=Allow situation invoice credit note -Retainedwarranty=Retained warranty -AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices -RetainedwarrantyDefaultPercent=Retained warranty default percent -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation -ToPayOn=To pay on %s -toPayOn=to pay on %s -RetainedWarranty=Retained Warranty -PaymentConditionsShortRetainedWarranty=Retained warranty payment terms -DefaultPaymentConditionsRetainedWarranty=Default retained warranty payment terms -setPaymentConditionsShortRetainedWarranty=Set retained warranty payment terms -setretainedwarranty=Set retained warranty -setretainedwarrantyDateLimit=Set retained warranty date limit -RetainedWarrantyDateLimit=Retained warranty date limit -RetainedWarrantyNeed100Percent=The situation invoice need to be at 100%% progress to be displayed on PDF +UseSituationInvoices=পরিস্থিতি চালান অনুমতি দিন +UseSituationInvoicesCreditNote=পরিস্থিতি চালান ক্রেডিট নোট অনুমতি দিন +Retainedwarranty=ওয়ারেন্টি রাখা হয়েছে +AllowedInvoiceForRetainedWarranty=নিম্নলিখিত ধরনের চালানে ব্যবহারযোগ্য ওয়্যারেন্টি ধরে রাখা +RetainedwarrantyDefaultPercent=ওয়ারেন্টি ডিফল্ট শতাংশ ধরে রাখা হয়েছে +RetainedwarrantyOnlyForSituation=শুধুমাত্র পরিস্থিতির চালানের জন্য "রিটেন্ড ওয়ারেন্টি" উপলব্ধ করুন +RetainedwarrantyOnlyForSituationFinal=পরিস্থিতির চালানগুলিতে বিশ্বব্যাপী "রিটেইনড ওয়ারেন্টি" কর্তন শুধুমাত্র চূড়ান্ত পরিস্থিতিতে প্রয়োগ করা হয় +ToPayOn=%s এ অর্থ প্রদান করতে +toPayOn=%s এ অর্থ প্রদান করতে +RetainedWarranty=ওয়্যারেন্টি রাখা হয়েছে +PaymentConditionsShortRetainedWarranty=ওয়ারেন্টি পেমেন্ট শর্তাবলী বজায় রাখা +DefaultPaymentConditionsRetainedWarranty=ডিফল্ট ধরে রাখা ওয়ারেন্টি পেমেন্ট শর্তাবলী +setPaymentConditionsShortRetainedWarranty=ধরে রাখা ওয়ারেন্টি প্রদানের শর্তাবলী সেট করুন +setretainedwarranty=ধরে রাখা ওয়ারেন্টি সেট করুন +setretainedwarrantyDateLimit=ধরে রাখা ওয়ারেন্টি তারিখ সীমা সেট করুন +RetainedWarrantyDateLimit=ওয়ারেন্টি তারিখ সীমা বজায় রাখা +RetainedWarrantyNeed100Percent=পিডিএফ-এ দেখানোর জন্য পরিস্থিতি চালানটি 100%% অগ্রগতিতে হওয়া দরকার AlreadyPaid=Already paid AlreadyPaidBack=Already paid back AlreadyPaidNoCreditNotesNoDeposits=Already paid (without credit notes and deposits) Abandoned=Abandoned RemainderToPay=Remaining unpaid -RemainderToPayMulticurrency=Remaining unpaid, original currency +RemainderToPayMulticurrency=বাকি অবৈতনিক, আসল মুদ্রা RemainderToTake=Remaining amount to take -RemainderToTakeMulticurrency=Remaining amount to take, original currency +RemainderToTakeMulticurrency=নিতে বাকি পরিমাণ, মূল মুদ্রা RemainderToPayBack=Remaining amount to refund -RemainderToPayBackMulticurrency=Remaining amount to refund, original currency -NegativeIfExcessRefunded=negative if excess refunded +RemainderToPayBackMulticurrency=ফেরতের অবশিষ্ট পরিমাণ, আসল মুদ্রা +NegativeIfExcessReceived=অতিরিক্ত প্রাপ্ত হলে নেতিবাচক +NegativeIfExcessRefunded=অতিরিক্ত ফেরত দিলে নেতিবাচক +NegativeIfExcessPaid=অতিরিক্ত অর্থ প্রদান করলে নেতিবাচক Rest=Pending AmountExpected=Amount claimed ExcessReceived=Excess received -ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received -ExcessPaid=Excess paid -ExcessPaidMulticurrency=Excess paid, original currency +ExcessReceivedMulticurrency=অতিরিক্ত প্রাপ্ত, আসল মুদ্রা +ExcessPaid=অতিরিক্ত অর্থ প্রদান +ExcessPaidMulticurrency=অতিরিক্ত প্রদত্ত, আসল মুদ্রা EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -SendPaymentReceipt=Submission of payment receipt %s +SendPaymentReceipt=অর্থপ্রদানের রসিদ জমা দেওয়া %s NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices RefBill=Invoice ref +RefSupplierBill=সরবরাহকারী চালান রেফ +SupplierOrderCreateBill=চালান তৈরি করুন ToBill=To bill RemainderToBill=Remainder to bill SendBillByMail=Send invoice by email @@ -271,41 +277,41 @@ SendReminderBillByMail=Send reminder by email RelatedCommercialProposals=Related commercial proposals RelatedRecurringCustomerInvoices=Related recurring customer invoices MenuToValid=To valid -DateMaxPayment=Payment due on +DateMaxPayment=পেমেন্ট বাকি আছে DateInvoice=Invoice date DatePointOfTax=Point of tax NoInvoice=No invoice -NoOpenInvoice=No open invoice -NbOfOpenInvoices=Number of open invoices +NoOpenInvoice=কোনো খোলা চালান নেই +NbOfOpenInvoices=খোলা চালানের সংখ্যা ClassifyBill=Classify invoice -SupplierBillsToPay=Unpaid vendor invoices +SupplierBillsToPay=অবৈতনিক বিক্রেতা চালান CustomerBillsUnpaid=Unpaid customer invoices NonPercuRecuperable=Non-recoverable -SetConditions=Set Payment Terms -SetMode=Set Payment Type +SetConditions=পেমেন্ট শর্তাবলী সেট করুন +SetMode=পেমেন্ট টাইপ সেট করুন SetRevenuStamp=Set revenue stamp Billed=Billed RecurringInvoices=Recurring invoices -RecurringInvoice=Recurring invoice -RecurringInvoiceSource=Source recurring invoice +RecurringInvoice=পুনরাবৃত্ত চালান +RecurringInvoiceSource=উত্স পুনরাবৃত্ত চালান RepeatableInvoice=Template invoice RepeatableInvoices=Template invoices -RecurringInvoicesJob=Generation of recurring invoices (sales invoices) -RecurringSupplierInvoicesJob=Generation of recurring invoices (purchase invoices) +RecurringInvoicesJob=পুনরাবৃত্ত চালান তৈরি করা (বিক্রয় চালান) +RecurringSupplierInvoicesJob=পুনরাবৃত্ত চালান তৈরি করা (ক্রয় চালান) Repeatable=Template Repeatables=Templates ChangeIntoRepeatableInvoice=Convert into template invoice CreateRepeatableInvoice=Create template invoice CreateFromRepeatableInvoice=Create from template invoice -CustomersInvoicesAndInvoiceLines=Customer invoices and invoice details +CustomersInvoicesAndInvoiceLines=গ্রাহকের চালান এবং চালানের বিবরণ CustomersInvoicesAndPayments=Customer invoices and payments -ExportDataset_invoice_1=Customer invoices and invoice details +ExportDataset_invoice_1=গ্রাহকের চালান এবং চালানের বিবরণ ExportDataset_invoice_2=Customer invoices and payments ProformaBill=Proforma Bill: Reduction=Reduction -ReductionShort=Disc. +ReductionShort=ডিস্ক Reductions=Reductions -ReductionsShort=Disc. +ReductionsShort=ডিস্ক Discounts=Discounts AddDiscount=Create discount AddRelativeDiscount=Create relative discount @@ -314,104 +320,105 @@ AddGlobalDiscount=Create absolute discount EditGlobalDiscounts=Edit absolute discounts AddCreditNote=Create credit note ShowDiscount=Show discount -ShowReduc=Show the discount -ShowSourceInvoice=Show the source invoice +ShowReduc=ডিসকাউন্ট দেখান +ShowSourceInvoice=উৎস চালান দেখান RelativeDiscount=Relative discount GlobalDiscount=Global discount CreditNote=Credit note CreditNotes=Credit notes -CreditNotesOrExcessReceived=Credit notes or excess received +CreditNotesOrExcessReceived=ক্রেডিট নোট বা অতিরিক্ত প্রাপ্ত Deposit=Deposit Deposits=Deposits DiscountFromCreditNote=Discount from credit note %s DiscountFromDeposit=Payments from deposit invoice %s -DiscountFromExcessReceived=Payments in excess of invoice %s -DiscountFromExcessPaid=Payments in excess of invoice %s +DiscountFromExcessReceived=চালানের অতিরিক্ত অর্থ প্রদান %s +DiscountFromExcessPaid=চালানের অতিরিক্ত অর্থ প্রদান %s AbsoluteDiscountUse=This kind of credit can be used on invoice before its validation CreditNoteDepositUse=Invoice must be validated to use this kind of credits NewGlobalDiscount=New absolute discount -NewSupplierGlobalDiscount=New supplier absolute discount -NewClientGlobalDiscount=New client absolute discount +NewSupplierGlobalDiscount=নতুন পরম সরবরাহকারী ডিসকাউন্ট +NewClientGlobalDiscount=নতুন পরম ক্লায়েন্ট ডিসকাউন্ট NewRelativeDiscount=New relative discount -DiscountType=Discount type +DiscountType=ছাড়ের ধরন NoteReason=Note/Reason ReasonDiscount=Reason DiscountOfferedBy=Granted by -DiscountStillRemaining=Discounts or credits available -DiscountAlreadyCounted=Discounts or credits already consumed -CustomerDiscounts=Customer discounts -SupplierDiscounts=Vendors discounts +DiscountStillRemaining=ডিসকাউন্ট বা ক্রেডিট উপলব্ধ +DiscountAlreadyCounted=ডিসকাউন্ট বা ক্রেডিট ইতিমধ্যে গ্রাস +CustomerDiscounts=গ্রাহক ডিসকাউন্ট +SupplierDiscounts=বিক্রেতাদের ডিসকাউন্ট BillAddress=Bill address -HelpEscompte=This discount is a discount granted to customer because payment was made before term. -HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loss. -HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by another for example) +HelpEscompte=এই ডিসকাউন্টটি গ্রাহককে দেওয়া একটি ডিসকাউন্ট কারণ মেয়াদের আগে অর্থ প্রদান করা হয়েছিল। +HelpAbandonBadCustomer=এই পরিমাণ পরিত্যক্ত করা হয়েছে (গ্রাহক একটি খারাপ গ্রাহক বলে) এবং একটি ব্যতিক্রমী ক্ষতি হিসাবে বিবেচিত হয়। +HelpAbandonOther=এই পরিমাণটি পরিত্যক্ত করা হয়েছে যেহেতু এটি একটি ত্রুটি ছিল (উদাহরণস্বরূপ অন্য একটি দ্বারা প্রতিস্থাপিত ভুল গ্রাহক বা চালান) IdSocialContribution=Social/fiscal tax payment id PaymentId=Payment id PaymentRef=Payment ref. +SourceInvoiceId=Source invoice id InvoiceId=Invoice id InvoiceRef=Invoice ref. InvoiceDateCreation=Invoice creation date InvoiceStatus=Invoice status InvoiceNote=Invoice note InvoicePaid=Invoice paid -InvoicePaidCompletely=Paid completely -InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. -OrderBilled=Order billed -DonationPaid=Donation paid +InvoicePaidCompletely=সম্পূর্ণ অর্থ প্রদান করা হয়েছে +InvoicePaidCompletelyHelp=সম্পূর্ণরূপে পরিশোধ করা হয় যে চালান. এটি আংশিক অর্থ প্রদান করা চালানগুলি বাদ দেয়৷ সমস্ত 'ক্লোজড' বা অ 'ক্লোজড' ইনভয়েসের তালিকা পেতে, ইনভয়েসের স্ট্যাটাসে একটি ফিল্টার ব্যবহার করতে পছন্দ করুন। +OrderBilled=অর্ডার বিল করা হয়েছে +DonationPaid=অনুদান প্রদান করা হয়েছে PaymentNumber=Payment number RemoveDiscount=Remove discount WatermarkOnDraftBill=Watermark on draft invoices (nothing if empty) InvoiceNotChecked=No invoice selected ConfirmCloneInvoice=Are you sure you want to clone this invoice %s? DisabledBecauseReplacedInvoice=Action disabled because invoice has been replaced -DescTaxAndDividendsArea=This area presents a summary of all payments made for special expenses. Only records with payments during the fixed year are included here. -NbOfPayments=No. of payments +DescTaxAndDividendsArea=এই এলাকাটি বিশেষ খরচের জন্য করা সমস্ত অর্থপ্রদানের সারাংশ উপস্থাপন করে। শুধুমাত্র নির্দিষ্ট বছরে পেমেন্ট সহ রেকর্ডগুলি এখানে অন্তর্ভুক্ত করা হয়েছে। +NbOfPayments=পেমেন্ট সংখ্যা SplitDiscount=Split discount in two -ConfirmSplitDiscount=Are you sure you want to split this discount of %s %s into two smaller discounts? -TypeAmountOfEachNewDiscount=Input amount for each of two parts: -TotalOfTwoDiscountMustEqualsOriginal=The total of the two new discounts must be equal to the original discount amount. +ConfirmSplitDiscount=আপনি কি নিশ্চিত যে আপনি %s এই ছাড়টি ভাগ করতে চান span class='notranslate'>%s
      দুটি ছোট ডিসকাউন্টে? +TypeAmountOfEachNewDiscount=দুটি অংশের প্রতিটির জন্য ইনপুট পরিমাণ: +TotalOfTwoDiscountMustEqualsOriginal=মোট দুটি নতুন ডিসকাউন্ট মূল ছাড়ের পরিমাণের সমান হতে হবে। ConfirmRemoveDiscount=Are you sure you want to remove this discount? RelatedBill=Related invoice RelatedBills=Related invoices RelatedCustomerInvoices=Related customer invoices -RelatedSupplierInvoices=Related vendor invoices +RelatedSupplierInvoices=সম্পর্কিত বিক্রেতা চালান LatestRelatedBill=Latest related invoice -WarningBillExist=Warning, one or more invoices already exist +WarningBillExist=সতর্কতা, এক বা একাধিক চালান ইতিমধ্যেই বিদ্যমান৷ MergingPDFTool=Merging PDF tool AmountPaymentDistributedOnInvoice=Payment amount distributed on invoice -PaymentOnDifferentThirdBills=Allow payments on different third parties bills but same parent company +PaymentOnDifferentThirdBills=ভিন্ন ভিন্ন তৃতীয় পক্ষের বিল কিন্তু একই মূল কোম্পানিতে অর্থপ্রদানের অনুমতি দিন PaymentNote=Payment note ListOfPreviousSituationInvoices=List of previous situation invoices ListOfNextSituationInvoices=List of next situation invoices -ListOfSituationInvoices=List of situation invoices -CurrentSituationTotal=Total current situation -DisabledBecauseNotEnouthCreditNote=To remove a situation invoice from cycle, this invoice's credit note total must cover this invoice total -RemoveSituationFromCycle=Remove this invoice from cycle -ConfirmRemoveSituationFromCycle=Remove this invoice %s from cycle ? -ConfirmOuting=Confirm outing +ListOfSituationInvoices=পরিস্থিতি চালান তালিকা +CurrentSituationTotal=মোট বর্তমান পরিস্থিতি +DisabledBecauseNotEnouthCreditNote=চক্র থেকে একটি পরিস্থিতি চালান সরাতে, এই চালানের ক্রেডিট নোট মোট এই চালান মোট কভার করা আবশ্যক +RemoveSituationFromCycle=চক্র থেকে এই চালান সরান +ConfirmRemoveSituationFromCycle=চক্র থেকে এই চালান %s সরান? +ConfirmOuting=আউটিং নিশ্চিত করুন FrequencyPer_d=Every %s days FrequencyPer_m=Every %s months FrequencyPer_y=Every %s years -FrequencyUnit=Frequency unit -toolTipFrequency=Examples:
      Set 7, Day: give a new invoice every 7 days
      Set 3, Month: give a new invoice every 3 month +FrequencyUnit=ফ্রিকোয়েন্সি ইউনিট +toolTipFrequency=উদাহরণ:
      সেট 7, দিন: একটি নতুন দিন প্রতি 7 দিন
      সেট 3, মাস: একটি নতুন দিন প্রতি 3 মাসে চালান NextDateToExecution=Date for next invoice generation -NextDateToExecutionShort=Date next gen. +NextDateToExecutionShort=পরবর্তী প্রজন্মের তারিখ। DateLastGeneration=Date of latest generation -DateLastGenerationShort=Date latest gen. -MaxPeriodNumber=Max. number of invoice generation -NbOfGenerationDone=Number of invoice generation already done -NbOfGenerationOfRecordDone=Number of record generation already done -NbOfGenerationDoneShort=Number of generation done -MaxGenerationReached=Maximum number of generations reached +DateLastGenerationShort=তারিখ সর্বশেষ প্রজন্ম. +MaxPeriodNumber=সর্বোচ্চ চালান প্রজন্মের সংখ্যা +NbOfGenerationDone=ইনভয়েস তৈরির সংখ্যা ইতিমধ্যেই সম্পন্ন হয়েছে৷ +NbOfGenerationOfRecordDone=রেকর্ড তৈরির সংখ্যা ইতিমধ্যেই সম্পন্ন হয়েছে +NbOfGenerationDoneShort=সম্পন্ন প্রজন্মের সংখ্যা +MaxGenerationReached=প্রজন্মের সর্বোচ্চ সংখ্যা পৌঁছেছে InvoiceAutoValidate=Validate invoices automatically GeneratedFromRecurringInvoice=Generated from template recurring invoice %s DateIsNotEnough=Date not reached yet InvoiceGeneratedFromTemplate=Invoice %s generated from recurring template invoice %s -GeneratedFromTemplate=Generated from template invoice %s +GeneratedFromTemplate=টেমপ্লেট চালান থেকে তৈরি করা হয়েছে %s WarningInvoiceDateInFuture=Warning, the invoice date is higher than current date WarningInvoiceDateTooFarInFuture=Warning, the invoice date is too far from current date -ViewAvailableGlobalDiscounts=View available discounts -GroupPaymentsByModOnReports=Group payments by mode on reports +ViewAvailableGlobalDiscounts=উপলব্ধ ডিসকাউন্ট দেখুন +GroupPaymentsByModOnReports=রিপোর্টে মোড দ্বারা গ্রুপ পেমেন্ট # PaymentConditions Statut=Status PaymentConditionShortRECEP=Due Upon Receipt @@ -438,24 +445,24 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit -PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit, remainder on delivery -FixAmount=Fixed amount - 1 line with label '%s' +PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% আমানত +PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% ডিপোজিট, ডেলিভারির বাকি +FixAmount=নির্দিষ্ট পরিমাণ - '%s' লেবেল সহ 1 লাইন VarAmount=Variable amount (%% tot.) -VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' -VarAmountAllLines=Variable amount (%% tot.) - all lines from origin -DepositPercent=Deposit %% -DepositGenerationPermittedByThePaymentTermsSelected=This is permitted by the payment terms selected -GenerateDeposit=Generate a %s%% deposit invoice -ValidateGeneratedDeposit=Validate the generated deposit -DepositGenerated=Deposit generated -ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=You can only automatically generate a deposit from a proposal or an order -ErrorPaymentConditionsNotEligibleToDepositCreation=The chose payment conditions are not eligible for automatic deposit generation +VarAmountOneLine=পরিবর্তনশীল পরিমাণ (%% tot.) - '%s' লেবেল সহ 1 লাইন +VarAmountAllLines=পরিবর্তনশীল পরিমাণ (%% tot.) - উৎপত্তি থেকে সমস্ত লাইন +DepositPercent=ডিপোজিট %% +DepositGenerationPermittedByThePaymentTermsSelected=এটি নির্বাচিত অর্থপ্রদানের শর্তাবলী দ্বারা অনুমোদিত +GenerateDeposit=একটি %s%% জমা চালান তৈরি করুন +ValidateGeneratedDeposit=উত্পন্ন আমানত যাচাই +DepositGenerated=আমানত উত্পন্ন +ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=আপনি শুধুমাত্র একটি প্রস্তাব বা আদেশ থেকে স্বয়ংক্রিয়ভাবে একটি আমানত তৈরি করতে পারেন৷ +ErrorPaymentConditionsNotEligibleToDepositCreation=বেছে নেওয়া অর্থপ্রদানের শর্তগুলি স্বয়ংক্রিয় আমানত তৈরির জন্য যোগ্য নয় # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer PaymentTypePRE=Direct debit payment order -PaymentTypePREdetails=(on account %s...) +PaymentTypePREdetails=(অ্যাকাউন্ট %s...) PaymentTypeShortPRE=Debit payment order PaymentTypeLIQ=Cash PaymentTypeShortLIQ=Cash @@ -465,8 +472,8 @@ PaymentTypeCHQ=Check PaymentTypeShortCHQ=Check PaymentTypeTIP=TIP (Documents against Payment) PaymentTypeShortTIP=TIP Payment -PaymentTypeVAD=Online payment -PaymentTypeShortVAD=Online payment +PaymentTypeVAD=অনলাইন পেমেন্ট +PaymentTypeShortVAD=অনলাইন পেমেন্ট PaymentTypeTRA=Bank draft PaymentTypeShortTRA=Draft PaymentTypeFAC=Factor @@ -475,22 +482,22 @@ PaymentTypeDC=Debit/Credit Card PaymentTypePP=PayPal BankDetails=Bank details BankCode=Bank code -DeskCode=Branch code +DeskCode=শাখা কোড BankAccountNumber=Account number -BankAccountNumberKey=Checksum -Residence=Address -IBANNumber=IBAN account number +BankAccountNumberKey=চেকসাম +Residence=ঠিকানা +IBANNumber=IBAN অ্যাকাউন্ট নম্বর IBAN=IBAN -CustomerIBAN=IBAN of customer -SupplierIBAN=IBAN of vendor +CustomerIBAN=গ্রাহকের IBAN +SupplierIBAN=বিক্রেতার IBAN BIC=BIC/SWIFT -BICNumber=BIC/SWIFT code +BICNumber=BIC/SWIFT কোড ExtraInfos=Extra infos RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer sender +ChequeMaker=চেক/ট্রান্সফার প্রেরক ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid @@ -498,35 +505,35 @@ PhoneNumber=Tel FullPhoneNumber=Telephone TeleFax=Fax PrettyLittleSentence=Accept the amount of payments due by checks issued in my name as a Member of an accounting association approved by the Fiscal Administration. -IntracommunityVATNumber=Intra-Community VAT ID -PaymentByChequeOrderedTo=Check payments (including tax) are payable to %s, send to -PaymentByChequeOrderedToShort=Check payments (incl. tax) are payable to +IntracommunityVATNumber=আন্তঃ-সম্প্রদায় ভ্যাট আইডি +PaymentByChequeOrderedTo=চেক পেমেন্ট (ট্যাক্স সহ) %s এ প্রদেয়, পাঠান +PaymentByChequeOrderedToShort=চেক পেমেন্ট (ট্যাক্স সহ) প্রদেয় হয় SendTo=sent to -PaymentByTransferOnThisBankAccount=Payment by transfer to the following bank account +PaymentByTransferOnThisBankAccount=নিম্নলিখিত ব্যাঙ্ক অ্যাকাউন্টে স্থানান্তরের মাধ্যমে অর্থপ্রদান VATIsNotUsedForInvoice=* Non applicable VAT art-293B of CGI -VATIsNotUsedForInvoiceAsso=* Non applicable VAT art-261-7 of CGI +VATIsNotUsedForInvoiceAsso=* সিজিআই-এর অপ্রযোজ্য ভ্যাট আর্ট-261-7 LawApplicationPart1=By application of the law 80.335 of 12/05/80 LawApplicationPart2=the goods remain the property of -LawApplicationPart3=the seller until full payment of +LawApplicationPart3=সম্পূর্ণ অর্থ প্রদান না হওয়া পর্যন্ত বিক্রেতা LawApplicationPart4=their price. LimitedLiabilityCompanyCapital=SARL with Capital of UseLine=Apply UseDiscount=Use discount UseCredit=Use credit UseCreditNoteInInvoicePayment=Reduce amount to pay with this credit -MenuChequeDeposits=Deposits slips +MenuChequeDeposits=জমা স্লিপ MenuCheques=Checks -MenuChequesReceipts=Deposit slips -NewChequeDeposit=New deposit slip -ChequesReceipts=Cheque deposit slips -DocumentsDepositArea=Deposit slip area -ChequesArea=Deposit slips area -ChequeDeposits=Deposit slips +MenuChequesReceipts=জমা স্লিপ +NewChequeDeposit=নতুন ডিপোজিট স্লিপ +ChequesReceipts=ডিপোজিট স্লিপ চেক করুন +DocumentsDepositArea=জমা স্লিপ এলাকা +ChequesArea=জমা স্লিপ এলাকা +ChequeDeposits=জমা স্লিপ Cheques=Checks DepositId=Id deposit NbCheque=Number of checks CreditNoteConvertedIntoDiscount=This %s has been converted into %s -UsBillingContactAsIncoiveRecipientIfExist=Use contact/address with type 'billing contact' instead of third-party address as recipient for invoices +UsBillingContactAsIncoiveRecipientIfExist=ইনভয়েসের জন্য প্রাপক হিসাবে তৃতীয় পক্ষের ঠিকানার পরিবর্তে 'বিলিং পরিচিতি' টাইপ সহ পরিচিতি/ঠিকানা ব্যবহার করুন ShowUnpaidAll=Show all unpaid invoices ShowUnpaidLateOnly=Show late unpaid invoices only PaymentInvoiceRef=Payment invoice %s @@ -536,43 +543,43 @@ Cash=Cash Reported=Delayed DisabledBecausePayments=Not possible since there are some payments CantRemovePaymentWithOneInvoicePaid=Can't remove payment since there is at least one invoice classified paid -CantRemovePaymentVATPaid=Can't remove payment since VAT declaration is classified paid -CantRemovePaymentSalaryPaid=Can't remove payment since salary is classified paid +CantRemovePaymentVATPaid=অর্থপ্রদান সরানো যাবে না যেহেতু ভ্যাট ঘোষণা শ্রেণীবদ্ধ প্রদত্ত +CantRemovePaymentSalaryPaid=যেহেতু বেতন শ্রেণীবদ্ধ করা হয়েছে তাই অর্থপ্রদান সরাতে পারবেন না ExpectedToPay=Expected payment -CantRemoveConciliatedPayment=Can't remove reconciled payment +CantRemoveConciliatedPayment=মিলিত পেমেন্ট সরানো যাবে না PayedByThisPayment=Paid by this payment -ClosePaidInvoicesAutomatically=Classify automatically all standard, down payment or replacement invoices as "Paid" when payment is done entirely. -ClosePaidCreditNotesAutomatically=Classify automatically all credit notes as "Paid" when refund is done entirely. -ClosePaidContributionsAutomatically=Classify automatically all social or fiscal contributions as "Paid" when payment is done entirely. -ClosePaidVATAutomatically=Classify automatically VAT declaration as "Paid" when payment is done entirely. -ClosePaidSalaryAutomatically=Classify automatically salary as "Paid" when payment is done entirely. -AllCompletelyPayedInvoiceWillBeClosed=All invoices with no remainder to pay will be automatically closed with status "Paid". +ClosePaidInvoicesAutomatically=অর্থপ্রদান সম্পূর্ণ হয়ে গেলে স্বয়ংক্রিয়ভাবে সমস্ত স্ট্যান্ডার্ড, ডাউন পেমেন্ট বা প্রতিস্থাপন চালানকে "প্রদেয়" হিসাবে শ্রেণীবদ্ধ করুন। +ClosePaidCreditNotesAutomatically=ফেরত সম্পূর্ণ হয়ে গেলে স্বয়ংক্রিয়ভাবে সমস্ত ক্রেডিট নোটকে "প্রদেয়" হিসাবে শ্রেণীবদ্ধ করুন। +ClosePaidContributionsAutomatically=অর্থপ্রদান সম্পূর্ণ হয়ে গেলে স্বয়ংক্রিয়ভাবে সমস্ত সামাজিক বা আর্থিক অবদানকে "প্রদেয়" হিসাবে শ্রেণীবদ্ধ করুন। +ClosePaidVATAutomatically=অর্থপ্রদান সম্পূর্ণ হয়ে গেলে স্বয়ংক্রিয়ভাবে ভ্যাট ঘোষণাকে "প্রদেয়" হিসাবে শ্রেণীবদ্ধ করুন। +ClosePaidSalaryAutomatically=অর্থ প্রদান সম্পূর্ণ হয়ে গেলে স্বয়ংক্রিয়ভাবে বেতনকে "প্রদেয়" হিসাবে শ্রেণীবদ্ধ করুন। +AllCompletelyPayedInvoiceWillBeClosed=পরিশোধ করতে বাকি নেই এমন সমস্ত চালান স্বয়ংক্রিয়ভাবে "প্রদত্ত" স্ট্যাটাস সহ বন্ধ হয়ে যাবে। ToMakePayment=Pay ToMakePaymentBack=Pay back ListOfYourUnpaidInvoices=List of unpaid invoices NoteListOfYourUnpaidInvoices=Note: This list contains only invoices for third parties you are linked to as a sale representative. -RevenueStamp=Tax stamp -YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party -YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party +RevenueStamp=ট্যাক্স স্ট্যাম্প +YouMustCreateInvoiceFromThird=তৃতীয় পক্ষের ট্যাব "গ্রাহক" থেকে একটি চালান তৈরি করার সময় এই বিকল্পটি শুধুমাত্র উপলব্ধ +YouMustCreateInvoiceFromSupplierThird=তৃতীয় পক্ষের ট্যাব "বিক্রেতা" থেকে একটি চালান তৈরি করার সময় এই বিকল্পটি শুধুমাত্র উপলব্ধ YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) -PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template +PDFCrabeDescription=চালান PDF টেমপ্লেট Crabe. একটি সম্পূর্ণ চালান টেমপ্লেট (স্পঞ্জ টেমপ্লেটের পুরানো বাস্তবায়ন) +PDFSpongeDescription=চালান পিডিএফ টেমপ্লেট স্পঞ্জ. একটি সম্পূর্ণ চালান টেমপ্লেট PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=ফর্ম্যাটে রিটার্ন নম্বর %sপ্রমিত চালানের জন্য yymm-nnnn এবং %sক্রেডিট নোটের জন্য yymm-nnnn যেখানে yy বছর, মিমি মাস হল এবং nnnn হল একটি ক্রমিক স্বয়ংক্রিয়-বৃদ্ধি সংখ্যা যার কোন বিরতি নেই এবং 0 এ ফেরত নেই +MarsNumRefModelDesc1=ফর্ম্যাটে ফেরত নম্বর %sপ্রমিত চালানের জন্য yymm-nnnn, %sপ্রতিস্থাপন চালানের জন্য yymm-nnnn, %sডাউন পেমেন্ট ইনভয়েসের জন্য yymm-nnnn এবং %sক্রেডিট নোটের জন্য yymm-nnnn যেখানে yy বছর, মিমি মাস এবং nnnn একটি অনুক্রমিক স্বয়ংক্রিয়- ক্রমবর্ধমান সংখ্যা কোন বিরতি ছাড়া এবং 0-এ ফেরত নেই TerreNumRefModelError=A bill starting with $syymm already exists and is not compatible with this model of sequence. Remove it or rename it to activate this module. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -EarlyClosingReason=Early closing reason -EarlyClosingComment=Early closing note +CactusNumRefModelDesc1=ফর্ম্যাটে রিটার্ন নম্বর %sপ্রমিত চালানের জন্য yymm-nnnn, %sক্রেডিট নোটের জন্য yymm-nnnn এবং %sডাউন পেমেন্ট ইনভয়েসের জন্য yymm-nnnn যেখানে yy হল বছর, mm হল মাস এবং nnnn হল একটি ক্রমিক স্বয়ংক্রিয়-বৃদ্ধি সংখ্যা যেখানে কোনও বিরতি নেই এবং 0-তে ফেরত নেই +EarlyClosingReason=প্রারম্ভিক বন্ধ কারণ +EarlyClosingComment=প্রারম্ভিক বন্ধ নোট ##### Types de contacts ##### TypeContact_facture_internal_SALESREPFOLL=Representative following-up customer invoice TypeContact_facture_external_BILLING=Customer invoice contact TypeContact_facture_external_SHIPPING=Customer shipping contact TypeContact_facture_external_SERVICE=Customer service contact -TypeContact_invoice_supplier_internal_SALESREPFOLL=Representative following-up vendor invoice -TypeContact_invoice_supplier_external_BILLING=Vendor invoice contact -TypeContact_invoice_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_invoice_supplier_external_SERVICE=Vendor service contact +TypeContact_invoice_supplier_internal_SALESREPFOLL=প্রতিনিধি অনুসরণ-আপ বিক্রেতা চালান +TypeContact_invoice_supplier_external_BILLING=বিক্রেতা চালান যোগাযোগ +TypeContact_invoice_supplier_external_SHIPPING=বিক্রেতা শিপিং যোগাযোগ +TypeContact_invoice_supplier_external_SERVICE=বিক্রেতা সেবা যোগাযোগ # Situation invoices InvoiceFirstSituationAsk=First situation invoice InvoiceFirstSituationDesc=The situation invoices are tied to situations related to a progression, for example the progression of a construction. Each situation is tied to an invoice. @@ -584,57 +591,62 @@ SituationAmount=Situation invoice amount(net) SituationDeduction=Situation subtraction ModifyAllLines=Modify all lines CreateNextSituationInvoice=Create next situation -ErrorFindNextSituationInvoice=Error unable to find next situation cycle ref -ErrorOutingSituationInvoiceOnUpdate=Unable to outing this situation invoice. -ErrorOutingSituationInvoiceCreditNote=Unable to outing linked credit note. +ErrorFindNextSituationInvoice=ত্রুটি পরবর্তী পরিস্থিতি চক্র রেফ খুঁজে পেতে অক্ষম +ErrorOutingSituationInvoiceOnUpdate=এই পরিস্থিতি চালান আউট করতে অক্ষম. +ErrorOutingSituationInvoiceCreditNote=লিঙ্ক করা ক্রেডিট নোট আউট করতে অক্ষম. NotLastInCycle=This invoice is not the latest in cycle and must not be modified. DisabledBecauseNotLastInCycle=The next situation already exists. DisabledBecauseFinal=This situation is final. -situationInvoiceShortcode_AS=AS -situationInvoiceShortcode_S=S +situationInvoiceShortcode_AS=এএস +situationInvoiceShortcode_S=এস CantBeLessThanMinPercent=The progress can't be smaller than its value in the previous situation. NoSituations=No open situations InvoiceSituationLast=Final and general invoice PDFCrevetteSituationNumber=Situation N°%s PDFCrevetteSituationInvoiceLineDecompte=Situation invoice - COUNT PDFCrevetteSituationInvoiceTitle=Situation invoice -PDFCrevetteSituationInvoiceLine=Situation N°%s: Inv. N°%s on %s +PDFCrevetteSituationInvoiceLine=পরিস্থিতি N°%s: ইনভ. N°%s এ %s TotalSituationInvoice=Total situation invoiceLineProgressError=Invoice line progress can't be greater than or equal to the next invoice line -updatePriceNextInvoiceErrorUpdateline=Error: update price on invoice line: %s +updatePriceNextInvoiceErrorUpdateline=ত্রুটি: চালান লাইনে মূল্য আপডেট করুন: %s ToCreateARecurringInvoice=To create a recurring invoice for this contract, first create this draft invoice, then convert it into an invoice template and define the frequency for generation of future invoices. ToCreateARecurringInvoiceGene=To generate future invoices regularly and manually, just go on menu %s - %s - %s. -ToCreateARecurringInvoiceGeneAuto=If you need to have such invoices generated automatically, ask your administrator to enable and setup module %s. Note that both methods (manual and automatic) can be used together with no risk of duplication. +ToCreateARecurringInvoiceGeneAuto=আপনার যদি এই ধরনের চালানগুলি স্বয়ংক্রিয়ভাবে তৈরি করতে হয়, তাহলে আপনার প্রশাসককে %s। নোট করুন যে উভয় পদ্ধতি (ম্যানুয়াল এবং স্বয়ংক্রিয়) একসাথে ব্যবহার করা যেতে পারে নকলের ঝুঁকি ছাড়াই। DeleteRepeatableInvoice=Delete template invoice ConfirmDeleteRepeatableInvoice=Are your sure you want to delete the template invoice? -CreateOneBillByThird=Create one invoice per third party (otherwise, one invoice per selected object) -BillCreated=%s invoice(s) generated -BillXCreated=Invoice %s generated -StatusOfGeneratedDocuments=Status of document generation -DoNotGenerateDoc=Do not generate document file -AutogenerateDoc=Auto generate document file -AutoFillDateFrom=Set start date for service line with invoice date -AutoFillDateFromShort=Set start date -AutoFillDateTo=Set end date for service line with next invoice date -AutoFillDateToShort=Set end date -MaxNumberOfGenerationReached=Max number of gen. reached -BILL_DELETEInDolibarr=Invoice deleted -BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted -UnitPriceXQtyLessDiscount=Unit price x Qty - Discount -CustomersInvoicesArea=Customer billing area -SupplierInvoicesArea=Supplier billing area -SituationTotalRayToRest=Remainder to pay without taxe -PDFSituationTitle=Situation n° %d -SituationTotalProgress=Total progress %d %% -SearchUnpaidInvoicesWithDueDate=Search unpaid invoices with a due date = %s -SearchValidatedInvoicesWithDate=Search unpaid invoices with a validation date = %s -NoPaymentAvailable=No payment available for %s -PaymentRegisteredAndInvoiceSetToPaid=Payment registered and invoice %s set to paid -SendEmailsRemindersOnInvoiceDueDate=Send reminder by email for validated and unpaid invoices -MakePaymentAndClassifyPayed=Record payment -BulkPaymentNotPossibleForInvoice=Bulk payment is not possible for invoice %s (bad type or status) -MentionVATDebitOptionIsOn=Option to pay tax based on debits -MentionCategoryOfOperations=Category of operations -MentionCategoryOfOperations0=Delivery of goods -MentionCategoryOfOperations1=Provision of services -MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +CreateOneBillByThird=তৃতীয় পক্ষের প্রতি একটি চালান তৈরি করুন (অন্যথায়, নির্বাচিত বস্তু প্রতি একটি চালান) +BillCreated=%s চালান(গুলি) তৈরি হয়েছে +BillXCreated=চালান %s তৈরি হয়েছে +StatusOfGeneratedDocuments=নথি তৈরির অবস্থা +DoNotGenerateDoc=ডকুমেন্ট ফাইল তৈরি করবেন না +AutogenerateDoc=স্বয়ংক্রিয়ভাবে নথি ফাইল তৈরি করুন +AutoFillDateFrom=চালান তারিখ সহ পরিষেবা লাইনের জন্য শুরুর তারিখ সেট করুন +AutoFillDateFromShort=শুরুর তারিখ সেট করুন +AutoFillDateTo=পরবর্তী চালান তারিখের সাথে পরিষেবা লাইনের জন্য শেষ তারিখ সেট করুন +AutoFillDateToShort=শেষ তারিখ সেট করুন +MaxNumberOfGenerationReached=জেনার সর্বাধিক সংখ্যা। পৌঁছেছে +BILL_DELETEInDolibarr=চালান মুছে ফেলা হয়েছে +BILL_SUPPLIER_DELETEInDolibarr=সরবরাহকারী চালান মুছে ফেলা হয়েছে +UnitPriceXQtyLessDiscount=ইউনিট মূল্য x পরিমাণ - ছাড় +CustomersInvoicesArea=গ্রাহক বিলিং এলাকা +SupplierInvoicesArea=সরবরাহকারী বিলিং এলাকা +SituationTotalRayToRest=ট্যাক্স ছাড়া পরিশোধ করতে বাকি +PDFSituationTitle=পরিস্থিতি n° %d +SituationTotalProgress=মোট অগ্রগতি %d %% +SearchUnpaidInvoicesWithDueDate=একটি নির্দিষ্ট তারিখ = %s সহ অবৈতনিক চালান খুঁজুন +SearchValidatedInvoicesWithDate=একটি বৈধতা তারিখ = %s সহ অবৈতনিক চালান অনুসন্ধান করুন +NoPaymentAvailable=%s এর জন্য কোনো অর্থপ্রদান উপলব্ধ নেই +PaymentRegisteredAndInvoiceSetToPaid=অর্থপ্রদান নিবন্ধিত এবং চালান %s অর্থপ্রদানে সেট +SendEmailsRemindersOnInvoiceDueDate=বৈধ এবং অবৈতনিক চালানের জন্য ইমেলের মাধ্যমে অনুস্মারক পাঠান +MakePaymentAndClassifyPayed=পেমেন্ট রেকর্ড করুন +BulkPaymentNotPossibleForInvoice=চালানের জন্য বাল্ক পেমেন্ট সম্ভব নয় %s (খারাপ প্রকার বা স্থিতি) +MentionVATDebitOptionIsOn=ডেবিটের উপর ভিত্তি করে কর প্রদানের বিকল্প +MentionCategoryOfOperations=অপারেশন বিভাগ +MentionCategoryOfOperations0=মালামাল সরবরাহ +MentionCategoryOfOperations1=সেবার বন্দোবস্ত +MentionCategoryOfOperations2=মিশ্র - পণ্য বিতরণ এবং পরিষেবার বিধান +Salaries=বেতন +InvoiceSubtype=চালান সাবটাইপ +SalaryInvoice=বেতন +BillsAndSalaries=বিল ও বেতন +CreateCreditNoteWhenClientInvoiceExists=এই বিকল্পটি তখনই সক্ষম হয় যখন কোনো গ্রাহকের জন্য বৈধ চালান(গুলি) বিদ্যমান থাকে বা যখন ধ্রুবক INVOICE_CREDIT_NOTE_STANDALONE ব্যবহার করা হয় (কিছু দেশের জন্য দরকারী) diff --git a/htdocs/langs/bn_BD/blockedlog.lang b/htdocs/langs/bn_BD/blockedlog.lang index 12f28737d49..6a51e03e117 100644 --- a/htdocs/langs/bn_BD/blockedlog.lang +++ b/htdocs/langs/bn_BD/blockedlog.lang @@ -1,57 +1,62 @@ -BlockedLog=Unalterable Logs +BlockedLog=অপরিবর্তনীয় লগ Field=Field -BlockedLogDesc=This module tracks some events into an unalterable log (that you can't modify once recorded) into a block chain, in real time. This module provides compatibility with requirements of laws of some countries (like France with the law Finance 2016 - Norme NF525). -Fingerprints=Archived events and fingerprints -FingerprintsDesc=This is the tool to browse or extract the unalterable logs. Unalterable logs are generated and archived locally into a dedicated table, in real time when you record a business event. You can use this tool to export this archive and save it into an external support (some countries, like France, ask that you do it every year). Note that, there is no feature to purge this log and every change tried to be done directly into this log (by a hacker for example) will be reported with a non-valid fingerprint. If you really need to purge this table because you used your application for a demo/test purpose and want to clean your data to start your production, you can ask your reseller or integrator to reset your database (all your data will be removed). -CompanyInitialKey=Company initial key (hash of genesis block) -BrowseBlockedLog=Unalterable logs -ShowAllFingerPrintsMightBeTooLong=Show all archived logs (might be long) -ShowAllFingerPrintsErrorsMightBeTooLong=Show all non-valid archive logs (might be long) -DownloadBlockChain=Download fingerprints -KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists) or has modified checksum of the previous record. -OkCheckFingerprintValidity=Archived log record is valid. The data on this line was not modified and the entry follows the previous one. -OkCheckFingerprintValidityButChainIsKo=Archived log seems valid compared to previous one but the chain was corrupted previously. -AddedByAuthority=Stored into remote authority -NotAddedByAuthorityYet=Not yet stored into remote authority -ShowDetails=Show stored details -logPAYMENT_VARIOUS_CREATE=Payment (not assigned to an invoice) created -logPAYMENT_VARIOUS_MODIFY=Payment (not assigned to an invoice) modified -logPAYMENT_VARIOUS_DELETE=Payment (not assigned to an invoice) logical deletion -logPAYMENT_ADD_TO_BANK=Payment added to bank -logPAYMENT_CUSTOMER_CREATE=Customer payment created -logPAYMENT_CUSTOMER_DELETE=Customer payment logical deletion -logDONATION_PAYMENT_CREATE=Donation payment created -logDONATION_PAYMENT_DELETE=Donation payment logical deletion -logBILL_PAYED=Customer invoice paid -logBILL_UNPAYED=Customer invoice set unpaid -logBILL_VALIDATE=Customer invoice validated -logBILL_SENTBYMAIL=Customer invoice send by mail -logBILL_DELETE=Customer invoice logically deleted -logMODULE_RESET=Module BlockedLog was disabled -logMODULE_SET=Module BlockedLog was enabled -logDON_VALIDATE=Donation validated -logDON_MODIFY=Donation modified -logDON_DELETE=Donation logical deletion -logMEMBER_SUBSCRIPTION_CREATE=Member subscription created -logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified -logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion -logCASHCONTROL_VALIDATE=Cash desk closing recording -BlockedLogBillDownload=Customer invoice download -BlockedLogBillPreview=Customer invoice preview -BlockedlogInfoDialog=Log Details -ListOfTrackedEvents=List of tracked events -Fingerprint=Fingerprint -DownloadLogCSV=Export archived logs (CSV) -logDOC_PREVIEW=Preview of a validated document in order to print or download -logDOC_DOWNLOAD=Download of a validated document in order to print or send -DataOfArchivedEvent=Full datas of archived event -ImpossibleToReloadObject=Original object (type %s, id %s) not linked (see 'Full datas' column to get unalterable saved data) -BlockedLogAreRequiredByYourCountryLegislation=Unalterable Logs module may be required by the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they can not be validated by a tax audit. -BlockedLogActivatedBecauseRequiredByYourCountryLegislation=Unalterable Logs module was activated because of the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they cannot be validated by a tax audit. -BlockedLogDisableNotAllowedForCountry=List of countries where usage of this module is mandatory (just to prevent to disable the module by error, if your country is in this list, disable of module is not possible without editing this list first. Note also that enabling/disabling this module will keep a track into the unalterable log). -OnlyNonValid=Non-valid -TooManyRecordToScanRestrictFilters=Too many records to scan/analyze. Please restrict list with more restrictive filters. -RestrictYearToExport=Restrict month / year to export -BlockedLogEnabled=System to track events into unalterable logs has been enabled -BlockedLogDisabled=System to track events into unalterable logs has been disabled after some recording were done. We saved a special Fingerprint to track the chain as broken -BlockedLogDisabledBis=System to track events into unalterable logs has been disabled. This is possible because no record were done yet. +BlockedLogDesc=এই মডিউলটি কিছু ইভেন্টকে একটি অপরিবর্তনীয় লগে (যা একবার রেকর্ড করার পরে আপনি পরিবর্তন করতে পারবেন না) একটি ব্লক চেইনে, রিয়েল টাইমে ট্র্যাক করে। এই মডিউলটি কিছু দেশের আইনের প্রয়োজনীয়তার সাথে সামঞ্জস্যতা প্রদান করে (যেমন ফ্রান্স আইন ফাইন্যান্স 2016 - Norme NF525)। +Fingerprints=আর্কাইভ করা ঘটনা এবং আঙ্গুলের ছাপ +FingerprintsDesc=এটি অপরিবর্তনীয় লগগুলি ব্রাউজ বা নিষ্কাশন করার সরঞ্জাম। অপরিবর্তনীয় লগগুলি তৈরি করা হয় এবং স্থানীয়ভাবে একটি ডেডিকেটেড টেবিলে আর্কাইভ করা হয়, যখন আপনি একটি ব্যবসায়িক ইভেন্ট রেকর্ড করেন। আপনি এই আর্কাইভটি রপ্তানি করতে এবং এটিকে একটি বাহ্যিক সমর্থনে সংরক্ষণ করতে এই সরঞ্জামটি ব্যবহার করতে পারেন (কিছু দেশ, যেমন ফ্রান্স, আপনাকে প্রতি বছর এটি করতে বলে)৷ মনে রাখবেন, এই লগটি শুদ্ধ করার কোন বৈশিষ্ট্য নেই এবং প্রতিটি পরিবর্তন সরাসরি এই লগে করার চেষ্টা করা হয়েছে (উদাহরণস্বরূপ হ্যাকার দ্বারা) একটি অ-বৈধ আঙ্গুলের ছাপ দিয়ে রিপোর্ট করা হবে। আপনি যদি সত্যিই এই টেবিলটি পরিষ্কার করতে চান কারণ আপনি একটি ডেমো/পরীক্ষার উদ্দেশ্যে আপনার অ্যাপ্লিকেশনটি ব্যবহার করেছেন এবং আপনার উত্পাদন শুরু করার জন্য আপনার ডেটা পরিষ্কার করতে চান, আপনি আপনার রিসেলার বা ইন্টিগ্রেটরকে আপনার ডাটাবেস রিসেট করতে বলতে পারেন (আপনার সমস্ত ডেটা মুছে ফেলা হবে)৷ +CompanyInitialKey=কোম্পানির প্রাথমিক কী (জেনেসিস ব্লকের হ্যাশ) +BrowseBlockedLog=অপরিবর্তনীয় লগ +ShowAllFingerPrintsMightBeTooLong=সমস্ত সংরক্ষণাগারভুক্ত লগ দেখান (দীর্ঘ হতে পারে) +ShowAllFingerPrintsErrorsMightBeTooLong=সমস্ত অ-বৈধ সংরক্ষণাগার লগ দেখান (দীর্ঘ হতে পারে) +DownloadBlockChain=আঙ্গুলের ছাপ ডাউনলোড করুন +KoCheckFingerprintValidity=সংরক্ষণাগারভুক্ত লগ এন্ট্রি বৈধ নয়. এর অর্থ কেউ (একজন হ্যাকার?) এই রেকর্ডের কিছু ডেটা রেকর্ড করার পরে পরিবর্তন করেছে, বা আগের সংরক্ষণাগারভুক্ত রেকর্ডটি মুছে দিয়েছে (আগের # বিদ্যমান আছে সেই লাইনটি পরীক্ষা করে দেখুন) বা পূর্ববর্তী রেকর্ডের চেকসাম পরিবর্তন করেছেন। +OkCheckFingerprintValidity=সংরক্ষণাগারভুক্ত লগ রেকর্ড বৈধ। এই লাইনের ডেটা পরিবর্তন করা হয়নি এবং এন্ট্রিটি আগেরটি অনুসরণ করে। +OkCheckFingerprintValidityButChainIsKo=সংরক্ষণাগারভুক্ত লগটি আগেরটির তুলনায় বৈধ বলে মনে হচ্ছে তবে চেইনটি আগে দূষিত হয়েছিল৷ +AddedByAuthority=দূরবর্তী কর্তৃপক্ষের মধ্যে সংরক্ষিত +NotAddedByAuthorityYet=এখনও দূরবর্তী কর্তৃপক্ষের মধ্যে সংরক্ষণ করা হয়নি +ShowDetails=সংরক্ষিত বিবরণ দেখান +BlockedLogBillDownload=গ্রাহক চালান ডাউনলোড +BlockedLogBillPreview=গ্রাহক চালান পূর্বরূপ +BlockedlogInfoDialog=লগ বিবরণ +ListOfTrackedEvents=ট্র্যাক করা ইভেন্টের তালিকা +Fingerprint=আঙুলের ছাপ +DownloadLogCSV=সংরক্ষণাগারভুক্ত লগ রপ্তানি করুন (CSV) +logDOC_PREVIEW=প্রিন্ট বা ডাউনলোড করার জন্য একটি বৈধ নথির পূর্বরূপ +logDOC_DOWNLOAD=প্রিন্ট বা পাঠানোর জন্য একটি বৈধ নথি ডাউনলোড করুন +DataOfArchivedEvent=আর্কাইভ করা ইভেন্টের সম্পূর্ণ ডেটা +ImpossibleToReloadObject=আসল বস্তু (টাইপ %s, id %s) লিঙ্কযুক্ত নয় (অপরিবর্তনীয় সংরক্ষিত ডেটা পেতে 'সম্পূর্ণ ডেটা' কলাম দেখুন) +BlockedLogAreRequiredByYourCountryLegislation=আপনার দেশের আইন দ্বারা অপরিবর্তনীয় লগ মডিউল প্রয়োজন হতে পারে। এই মডিউলটি নিষ্ক্রিয় করা ভবিষ্যতের যেকোন লেনদেন আইন এবং আইনি সফ্টওয়্যার ব্যবহারের ক্ষেত্রে অবৈধ হতে পারে কারণ সেগুলি ট্যাক্স অডিট দ্বারা যাচাই করা যায় না। +BlockedLogActivatedBecauseRequiredByYourCountryLegislation=আপনার দেশের আইনের কারণে অপরিবর্তনীয় লগ মডিউল সক্রিয় করা হয়েছে। এই মডিউলটি অক্ষম করা হলে ভবিষ্যতের যেকোনো লেনদেন আইন এবং আইনি সফ্টওয়্যার ব্যবহারের ক্ষেত্রে অবৈধ হয়ে যেতে পারে কারণ সেগুলি ট্যাক্স অডিট দ্বারা যাচাই করা যায় না। +BlockedLogDisableNotAllowedForCountry=দেশের তালিকা যেখানে এই মডিউলটির ব্যবহার বাধ্যতামূলক (শুধুমাত্র ভুল করে মডিউলটি নিষ্ক্রিয় করতে বাধা দেওয়ার জন্য, যদি আপনার দেশ এই তালিকায় থাকে, তবে প্রথমে এই তালিকাটি সম্পাদনা না করে মডিউলটি নিষ্ক্রিয় করা সম্ভব নয়। এছাড়াও মনে রাখবেন যে এই মডিউলটি সক্রিয়/অক্ষম করা হবে অপরিবর্তনীয় লগে একটি ট্র্যাক রাখুন)। +OnlyNonValid=বৈধ নয় +TooManyRecordToScanRestrictFilters=স্ক্যান/বিশ্লেষণ করার জন্য অনেক রেকর্ড। অনুগ্রহ করে আরো সীমাবদ্ধ ফিল্টার সহ তালিকা সীমাবদ্ধ করুন। +RestrictYearToExport=রপ্তানির জন্য মাস/বছর সীমাবদ্ধ করুন +BlockedLogEnabled=অপরিবর্তনীয় লগগুলিতে ইভেন্ট ট্র্যাক করার সিস্টেম সক্ষম করা হয়েছে +BlockedLogDisabled=কিছু রেকর্ডিং সম্পন্ন হওয়ার পরে অপরিবর্তনীয় লগগুলিতে ইভেন্ট ট্র্যাক করার সিস্টেমটি নিষ্ক্রিয় করা হয়েছে। চেইনটিকে ভাঙা হিসাবে ট্র্যাক করতে আমরা একটি বিশেষ আঙুলের ছাপ সংরক্ষণ করেছি +BlockedLogDisabledBis=অপরিবর্তনীয় লগগুলিতে ইভেন্ট ট্র্যাক করার সিস্টেম নিষ্ক্রিয় করা হয়েছে৷ এটি সম্ভব কারণ এখনও কোন রেকর্ড করা হয়নি। +LinkHasBeenDisabledForPerformancePurpose=কার্য সম্পাদনের উদ্দেশ্যে, 100 তম লাইনের পরে নথিতে সরাসরি লিঙ্ক দেখানো হয় না। + +## logTypes +logBILL_DELETE=গ্রাহক চালান যৌক্তিকভাবে মুছে ফেলা হয়েছে +logBILL_PAYED=গ্রাহক চালান প্রদান করা হয়েছে +logBILL_SENTBYMAIL=গ্রাহক চালান মেল দ্বারা পাঠান +logBILL_UNPAYED=গ্রাহক চালান সেট অবৈতনিক +logBILL_VALIDATE=গ্রাহক চালান বৈধ +logCASHCONTROL_VALIDATE=নগদ ডেস্ক বন্ধ রেকর্ডিং +logDOC_DOWNLOAD=প্রিন্ট বা পাঠানোর জন্য একটি বৈধ নথি ডাউনলোড করুন +logDOC_PREVIEW=প্রিন্ট বা ডাউনলোড করার জন্য একটি বৈধ নথির পূর্বরূপ +logDONATION_PAYMENT_CREATE=দান পেমেন্ট তৈরি করা হয়েছে +logDONATION_PAYMENT_DELETE=অনুদান প্রদান যৌক্তিক মুছে ফেলা +logDON_DELETE=দান যৌক্তিক মুছে ফেলা +logDON_MODIFY=দান পরিবর্তিত +logDON_VALIDATE=দান বৈধ +logMEMBER_SUBSCRIPTION_CREATE=সদস্য সদস্যতা তৈরি করা হয়েছে +logMEMBER_SUBSCRIPTION_DELETE=সদস্য সদস্যতা যৌক্তিক মুছে ফেলা +logMEMBER_SUBSCRIPTION_MODIFY=সদস্য সদস্যতা সংশোধন করা হয়েছে +logMODULE_RESET=মডিউল ব্লকডলগ অক্ষম করা হয়েছে৷ +logMODULE_SET=মডিউল ব্লকডলগ সক্ষম করা হয়েছে৷ +logPAYMENT_ADD_TO_BANK=পেমেন্ট ব্যাঙ্ক যোগ করা হয়েছে +logPAYMENT_CUSTOMER_CREATE=গ্রাহক পেমেন্ট তৈরি করা হয়েছে +logPAYMENT_CUSTOMER_DELETE=গ্রাহক পেমেন্ট যৌক্তিক মুছে ফেলা +logPAYMENT_VARIOUS_CREATE=অর্থপ্রদান (একটি চালানে বরাদ্দ করা হয়নি) তৈরি করা হয়েছে৷ +logPAYMENT_VARIOUS_DELETE=অর্থপ্রদান (একটি চালানে বরাদ্দ করা হয়নি) যৌক্তিক মুছে ফেলা +logPAYMENT_VARIOUS_MODIFY=অর্থপ্রদান (একটি চালানে বরাদ্দ করা হয়নি) পরিবর্তিত হয়েছে৷ diff --git a/htdocs/langs/bn_BD/bookmarks.lang b/htdocs/langs/bn_BD/bookmarks.lang index 646a669af15..7248c25476c 100644 --- a/htdocs/langs/bn_BD/bookmarks.lang +++ b/htdocs/langs/bn_BD/bookmarks.lang @@ -1,22 +1,24 @@ -# Dolibarr language file - Source file is en_US - marque pages -AddThisPageToBookmarks=Add this page to bookmarks -Bookmark=Bookmark -Bookmarks=Bookmarks -ListOfBookmarks=List of bookmarks -EditBookmarks=List/edit bookmarks -NewBookmark=New bookmark -ShowBookmark=Show bookmark -OpenANewWindow=Open a new tab -ReplaceWindow=Replace current tab -BookmarkTargetNewWindowShort=New tab -BookmarkTargetReplaceWindowShort=Current tab -BookmarkTitle=Bookmark name -UrlOrLink=URL -BehaviourOnClick=Behaviour when a URL is clicked -CreateBookmark=Create bookmark -SetHereATitleForLink=Set a name for the bookmark -UseAnExternalHttpLinkOrRelativeDolibarrLink=Use an external/absolute link (https://externalurl.com) or an internal/relative link (/mypage.php). You can also use phone like tel:0123456. -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Choose if the linked page should open in the current tab or a new tab -BookmarksManagement=Bookmarks management -BookmarksMenuShortCut=Ctrl + shift + m -NoBookmarks=No bookmarks defined +# Dolibarr language file - Source file is en_US - marque pages / bookmarks + +AddThisPageToBookmarks = Add this page to bookmarks +BehaviourOnClick = একটি বুকমার্ক URL নির্বাচন করা হলে আচরণ +Bookmark = Bookmark +Bookmarks = Bookmarks +BookmarkTargetNewWindowShort = নতুন ট্যাব +BookmarkTargetReplaceWindowShort = বর্তমান ট্যাব +BookmarkTitle = বুকমার্ক নাম +BookmarksManagement = Bookmarks management +BookmarksMenuShortCut = Ctrl + shift + m +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark = লিঙ্ক করা পৃষ্ঠাটি বর্তমান ট্যাবে খোলা হবে নাকি একটি নতুন ট্যাবে তা বেছে নিন +CreateBookmark = Create bookmark +EditBookmarks = বুকমার্ক তালিকা/সম্পাদনা করুন +ListOfBookmarks = বুকমার্কের তালিকা +NewBookmark = New bookmark +NoBookmarkFound = কোন বুকমার্ক পাওয়া যায়নি +NoBookmarks = কোন বুকমার্ক সংজ্ঞায়িত +OpenANewWindow = একটি নতুন ট্যাব খুলুন +ReplaceWindow = বর্তমান ট্যাব প্রতিস্থাপন করুন +SetHereATitleForLink = বুকমার্কের জন্য একটি নাম সেট করুন +ShowBookmark = Show bookmark +UrlOrLink = URL +UseAnExternalHttpLinkOrRelativeDolibarrLink = একটি বাহ্যিক/পরম লিঙ্ক (https://externalurl.com) বা একটি অভ্যন্তরীণ/আপেক্ষিক লিঙ্ক (/mypage.php) ব্যবহার করুন। এছাড়াও আপনি tel:0123456 এর মত ফোন ব্যবহার করতে পারেন। diff --git a/htdocs/langs/bn_BD/boxes.lang b/htdocs/langs/bn_BD/boxes.lang index 710d49bfab6..bc8dc6a2b77 100644 --- a/htdocs/langs/bn_BD/boxes.lang +++ b/htdocs/langs/bn_BD/boxes.lang @@ -1,120 +1,146 @@ # Dolibarr language file - Source file is en_US - boxes -BoxDolibarrStateBoard=Statistics on main business objects in database -BoxLoginInformation=Login Information -BoxLastRssInfos=RSS Information -BoxLastProducts=Latest %s Products/Services -BoxProductsAlertStock=Stock alerts for products -BoxLastProductsInContract=Latest %s contracted products/services -BoxLastSupplierBills=Latest Vendor invoices -BoxLastCustomerBills=Latest Customer invoices -BoxOldestUnpaidCustomerBills=Oldest unpaid customer invoices -BoxOldestUnpaidSupplierBills=Oldest unpaid vendor invoices -BoxLastProposals=Latest commercial proposals -BoxLastProspects=Latest modified prospects -BoxLastCustomers=Latest modified customers -BoxLastSuppliers=Latest modified suppliers -BoxLastCustomerOrders=Latest sales orders -BoxLastActions=Latest actions -BoxLastContracts=Latest contracts -BoxLastContacts=Latest contacts/addresses -BoxLastMembers=Latest members -BoxLastModifiedMembers=Latest modified members -BoxLastMembersSubscriptions=Latest member subscriptions -BoxFicheInter=Latest interventions -BoxCurrentAccounts=Open accounts balance -BoxTitleMemberNextBirthdays=Birthdays of this month (members) -BoxTitleMembersByType=Members by type -BoxTitleMembersSubscriptionsByYear=Members Subscriptions by year -BoxTitleLastRssInfos=Latest %s news from %s -BoxTitleLastProducts=Products/Services: last %s modified -BoxTitleProductsAlertStock=Products: stock alert -BoxTitleLastSuppliers=Latest %s recorded suppliers -BoxTitleLastModifiedSuppliers=Vendors: last %s modified -BoxTitleLastModifiedCustomers=Customers: last %s modified -BoxTitleLastCustomersOrProspects=Latest %s customers or prospects -BoxTitleLastCustomerBills=Latest %s modified Customer invoices -BoxTitleLastSupplierBills=Latest %s modified Vendor invoices -BoxTitleLastModifiedProspects=Prospects: last %s modified -BoxTitleLastModifiedMembers=Latest %s members -BoxTitleLastFicheInter=Latest %s modified interventions -BoxTitleOldestUnpaidCustomerBills=Customer Invoices: oldest %s unpaid -BoxTitleOldestUnpaidSupplierBills=Vendor Invoices: oldest %s unpaid -BoxTitleCurrentAccounts=Open Accounts: balances -BoxTitleSupplierOrdersAwaitingReception=Supplier orders awaiting reception -BoxTitleLastModifiedContacts=Contacts/Addresses: last %s modified -BoxMyLastBookmarks=Bookmarks: latest %s -BoxOldestExpiredServices=Oldest active expired services -BoxLastExpiredServices=Latest %s oldest contacts with active expired services -BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s contracts which were modified -BoxTitleLastModifiedDonations=Latest %s donations which were modified -BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified -BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified -BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified -BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded -BoxGlobalActivity=Global activity (invoices, proposals, orders) -BoxGoodCustomers=Good customers -BoxTitleGoodCustomers=%s Good customers -BoxScheduledJobs=Scheduled jobs -BoxTitleFunnelOfProspection=Lead funnel -FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s -LastRefreshDate=Latest refresh date -NoRecordedBookmarks=No bookmarks defined. -ClickToAdd=Click here to add. -NoRecordedCustomers=No recorded customers -NoRecordedContacts=No recorded contacts -NoActionsToDo=No actions to do -NoRecordedOrders=No recorded sales orders -NoRecordedProposals=No recorded proposals -NoRecordedInvoices=No recorded customer invoices -NoUnpaidCustomerBills=No unpaid customer invoices -NoUnpaidSupplierBills=No unpaid vendor invoices -NoModifiedSupplierBills=No recorded vendor invoices -NoRecordedProducts=No recorded products/services -NoRecordedProspects=No recorded prospects -NoContractedProducts=No products/services contracted -NoRecordedContracts=No recorded contracts -NoRecordedInterventions=No recorded interventions -BoxLatestSupplierOrders=Latest purchase orders -BoxLatestSupplierOrdersAwaitingReception=Latest Purchase Orders (with a pending reception) -NoSupplierOrder=No recorded purchase order -BoxCustomersInvoicesPerMonth=Customer Invoices per month -BoxSuppliersInvoicesPerMonth=Vendor Invoices per month -BoxCustomersOrdersPerMonth=Sales Orders per month -BoxSuppliersOrdersPerMonth=Vendor Orders per month -BoxProposalsPerMonth=Proposals per month -NoTooLowStockProducts=No products are under the low stock limit -BoxProductDistribution=Products/Services Distribution -ForObject=On %s -BoxTitleLastModifiedSupplierBills=Vendor Invoices: last %s modified -BoxTitleLatestModifiedSupplierOrders=Vendor Orders: last %s modified -BoxTitleLastModifiedCustomerBills=Customer Invoices: last %s modified -BoxTitleLastModifiedCustomerOrders=Sales Orders: last %s modified -BoxTitleLastModifiedPropals=Latest %s modified proposals -BoxTitleLatestModifiedJobPositions=Latest %s modified job positions -BoxTitleLatestModifiedCandidatures=Latest %s modified job applications +BoxDolibarrStateBoard=ডাটাবেসের প্রধান ব্যবসায়িক বস্তুর পরিসংখ্যান +BoxLoginInformation=লগইন তথ্য +BoxLastRssInfos=আরএসএস তথ্য +BoxLastProducts=সর্বশেষ %s পণ্য/পরিষেবা +BoxProductsAlertStock=পণ্যের জন্য স্টক সতর্কতা +BoxLastProductsInContract=সর্বশেষ %s চুক্তিবদ্ধ পণ্য/পরিষেবা +BoxLastSupplierBills=সর্বশেষ বিক্রেতা চালান +BoxLastCustomerBills=সর্বশেষ গ্রাহক চালান +BoxOldestUnpaidCustomerBills=প্রাচীনতম অবৈতনিক গ্রাহক চালান +BoxOldestUnpaidSupplierBills=প্রাচীনতম অবৈতনিক বিক্রেতা চালান +BoxLastProposals=সর্বশেষ বাণিজ্যিক প্রস্তাব +BoxLastProspects=সর্বশেষ পরিবর্তিত সম্ভাবনা +BoxLastCustomers=সর্বশেষ পরিবর্তিত গ্রাহকদের +BoxLastSuppliers=সর্বশেষ পরিবর্তিত সরবরাহকারী +BoxLastCustomerOrders=সর্বশেষ বিক্রয় আদেশ +BoxLastActions=সর্বশেষ কর্ম +BoxLastContracts=সর্বশেষ চুক্তি +BoxLastContacts=সর্বশেষ পরিচিতি/ঠিকানা +BoxLastMembers=সর্বশেষ সদস্য +BoxLastModifiedMembers=সর্বশেষ পরিবর্তিত সদস্য +BoxLastMembersSubscriptions=সর্বশেষ সদস্য সদস্যতা +BoxFicheInter=সর্বশেষ হস্তক্ষেপ +BoxCurrentAccounts=অ্যাকাউন্ট ব্যালেন্স খুলুন +BoxTitleMemberNextBirthdays=এই মাসের জন্মদিন (সদস্য) +BoxTitleMembersByType=প্রকার এবং স্থিতি অনুসারে সদস্য +BoxTitleMembersByTags=ট্যাগ এবং স্ট্যাটাস দ্বারা সদস্য +BoxTitleMembersSubscriptionsByYear=সদস্যদের সদস্যতা বছর অনুসারে +BoxTitleLastRssInfos=%s থেকে সর্বশেষ %s খবর +BoxTitleLastProducts=পণ্য/পরিষেবা: সর্বশেষ %s পরিবর্তিত হয়েছে +BoxTitleProductsAlertStock=পণ্য: স্টক সতর্কতা +BoxTitleLastSuppliers=সর্বশেষ %s রেকর্ড করা সরবরাহকারী +BoxTitleLastModifiedSuppliers=বিক্রেতারা: সর্বশেষ %s পরিবর্তিত +BoxTitleLastModifiedCustomers=গ্রাহক: সর্বশেষ %s সংশোধিত +BoxTitleLastCustomersOrProspects=সর্বশেষ %s গ্রাহক বা সম্ভাবনা +BoxTitleLastCustomerBills=সর্বশেষ %s পরিবর্তিত গ্রাহক চালান +BoxTitleLastSupplierBills=সর্বশেষ %s পরিবর্তিত ভেন্ডর ইনভয়েস +BoxTitleLastModifiedProspects=সম্ভাবনা: সর্বশেষ %s পরিবর্তিত +BoxTitleLastModifiedMembers=সর্বশেষ %s সদস্য +BoxTitleLastFicheInter=সর্বশেষ %s পরিবর্তিত হস্তক্ষেপ +BoxTitleOldestUnpaidCustomerBills=গ্রাহক চালান: প্রাচীনতম %s অবৈতনিক +BoxTitleOldestUnpaidSupplierBills=বিক্রেতা চালান: প্রাচীনতম %s অবৈতনিক +BoxTitleCurrentAccounts=অ্যাকাউন্ট খুলুন: ব্যালেন্স +BoxTitleSupplierOrdersAwaitingReception=সরবরাহকারী আদেশ অভ্যর্থনা অপেক্ষা করছে +BoxTitleLastModifiedContacts=পরিচিতি/ঠিকানা: সর্বশেষ %s পরিবর্তিত হয়েছে +BoxMyLastBookmarks=বুকমার্ক: সর্বশেষ %s +BoxOldestExpiredServices=প্রাচীনতম সক্রিয় মেয়াদোত্তীর্ণ পরিষেবা +BoxOldestActions=করতে সবচেয়ে পুরানো ঘটনা +BoxLastExpiredServices=সর্বশেষ %s সক্রিয় মেয়াদোত্তীর্ণ পরিষেবাগুলির সাথে প্রাচীনতম পরিচিতি +BoxTitleLastActionsToDo=সর্বশেষ %s করণীয় +BoxTitleOldestActionsToDo=প্রাচীনতম %s ইভেন্টগুলি যা করতে হবে, সম্পূর্ণ হয়নি +BoxTitleFutureActions=পরবর্তী %s আসন্ন ইভেন্ট +BoxTitleLastContracts=সর্বশেষ %s চুক্তি যা সংশোধন করা হয়েছে +BoxTitleLastModifiedDonations=সর্বশেষ %s দান যা পরিবর্তিত হয়েছে +BoxTitleLastModifiedExpenses=সর্বশেষ %s ব্যয় প্রতিবেদন যা পরিবর্তিত হয়েছে +BoxTitleLatestModifiedBoms=সর্বশেষ %s BOM যা পরিবর্তিত হয়েছে +BoxTitleLatestModifiedMos=সর্বশেষ %s ম্যানুফ্যাকচারিং অর্ডার যা পরিবর্তন করা হয়েছে +BoxTitleLastOutstandingBillReached=সর্বাধিক বকেয়া সঙ্গে গ্রাহকদের অতিক্রম +BoxGlobalActivity=বিশ্বব্যাপী কার্যকলাপ (চালান, প্রস্তাব, আদেশ) +BoxGoodCustomers=ভাল গ্রাহকদের +BoxTitleGoodCustomers=%s ভাল গ্রাহক +BoxScheduledJobs=নির্ধারিত কাজ +BoxTitleFunnelOfProspection=সীসা ফানেল +FailedToRefreshDataInfoNotUpToDate=RSS ফ্লাক্স রিফ্রেশ করতে ব্যর্থ হয়েছে৷ সর্বশেষ সফল রিফ্রেশ তারিখ: %s +LastRefreshDate=সর্বশেষ রিফ্রেশ তারিখ +NoRecordedBookmarks=কোন বুকমার্ক সংজ্ঞায়িত. +ClickToAdd=যোগ করতে এখানে ক্লিক করুন. +NoRecordedCustomers=কোন নথিভুক্ত গ্রাহকদের +NoRecordedContacts=কোন রেকর্ড করা পরিচিতি +NoActionsToDo=কোন কাজ করতে হবে +NoRecordedOrders=কোন রেকর্ড বিক্রয় আদেশ +NoRecordedProposals=কোন নথিভুক্ত প্রস্তাব +NoRecordedInvoices=কোন রেকর্ড করা গ্রাহক চালান +NoUnpaidCustomerBills=কোন অবৈতনিক গ্রাহক চালান +NoUnpaidSupplierBills=কোন অবৈতনিক বিক্রেতা চালান +NoModifiedSupplierBills=কোন রেকর্ড করা বিক্রেতা চালান +NoRecordedProducts=কোন নথিভুক্ত পণ্য/পরিষেবা +NoRecordedProspects=কোন নথিভুক্ত সম্ভাবনা +NoContractedProducts=কোন পণ্য/পরিষেবা চুক্তিবদ্ধ +NoRecordedContracts=কোন নথিভুক্ত চুক্তি +NoRecordedInterventions=কোন নথিভুক্ত হস্তক্ষেপ +BoxLatestSupplierOrders=সর্বশেষ ক্রয় আদেশ +BoxLatestSupplierOrdersAwaitingReception=সর্বশেষ ক্রয় আদেশ (একটি মুলতুবি অভ্যর্থনা সহ) +NoSupplierOrder=কোন নথিভুক্ত ক্রয় আদেশ +BoxCustomersInvoicesPerMonth=প্রতি মাসে গ্রাহক চালান +BoxSuppliersInvoicesPerMonth=প্রতি মাসে বিক্রেতার চালান +BoxCustomersOrdersPerMonth=প্রতি মাসে বিক্রয় আদেশ +BoxSuppliersOrdersPerMonth=প্রতি মাসে বিক্রেতা আদেশ +BoxProposalsPerMonth=প্রতি মাসে প্রস্তাব +NoTooLowStockProducts=কোন পণ্য কম স্টক সীমা অধীনে নেই +BoxProductDistribution=পণ্য/পরিষেবা বিতরণ +ForObject=%s এ +BoxTitleLastModifiedSupplierBills=ভেন্ডর ইনভয়েস: সর্বশেষ %s পরিবর্তিত +BoxTitleLatestModifiedSupplierOrders=বিক্রেতার আদেশ: সর্বশেষ %s পরিবর্তিত +BoxTitleLastModifiedCustomerBills=গ্রাহক চালান: সর্বশেষ %s পরিবর্তিত +BoxTitleLastModifiedCustomerOrders=বিক্রয় আদেশ: সর্বশেষ %s পরিবর্তিত +BoxTitleLastModifiedPropals=সর্বশেষ %s পরিবর্তিত প্রস্তাব +BoxTitleLatestModifiedJobPositions=সর্বশেষ %s পরিবর্তিত চাকরির অবস্থান +BoxTitleLatestModifiedCandidatures=সর্বশেষ %s পরিবর্তিত চাকরির আবেদন ForCustomersInvoices=Customers invoices -ForCustomersOrders=Customers orders -ForProposals=Proposals -LastXMonthRolling=The latest %s month rolling -ChooseBoxToAdd=Add widget to your dashboard -BoxAdded=Widget was added in your dashboard -BoxTitleUserBirthdaysOfMonth=Birthdays of this month (users) -BoxLastManualEntries=Latest record in accountancy entered manually or without source document -BoxTitleLastManualEntries=%s latest record entered manually or without source document -NoRecordedManualEntries=No manual entries record in accountancy -BoxSuspenseAccount=Count accountancy operation with suspense account -BoxTitleSuspenseAccount=Number of unallocated lines -NumberOfLinesInSuspenseAccount=Number of line in suspense account -SuspenseAccountNotDefined=Suspense account isn't defined -BoxLastCustomerShipments=Last customer shipments -BoxTitleLastCustomerShipments=Latest %s customer shipments -NoRecordedShipments=No recorded customer shipment -BoxCustomersOutstandingBillReached=Customers with oustanding limit reached +ForCustomersOrders=গ্রাহকদের আদেশ +ForProposals=প্রস্তাব +LastXMonthRolling=সর্বশেষ %s মাস রোলিং +ChooseBoxToAdd=আপনার ড্যাশবোর্ডে উইজেট যোগ করুন +BoxAdded=আপনার ড্যাশবোর্ডে উইজেট যোগ করা হয়েছে +BoxTitleUserBirthdaysOfMonth=এই মাসের জন্মদিন (ব্যবহারকারী) +BoxLastManualEntries=হিসাববিজ্ঞানের সর্বশেষ রেকর্ড ম্যানুয়ালি বা উৎস নথি ছাড়াই প্রবেশ করানো হয়েছে +BoxTitleLastManualEntries=%s সর্বশেষ রেকর্ড ম্যানুয়ালি বা উৎস নথি ছাড়াই প্রবেশ করানো হয়েছে +NoRecordedManualEntries=অ্যাকাউন্টেন্সিতে কোন ম্যানুয়াল এন্ট্রি রেকর্ড নেই +BoxSuspenseAccount=সাসপেন্স অ্যাকাউন্টের সাথে অ্যাকাউন্টিং অপারেশন গণনা করুন +BoxTitleSuspenseAccount=অনির্ধারিত লাইনের সংখ্যা +NumberOfLinesInSuspenseAccount=সাসপেন্স অ্যাকাউন্টে লাইনের সংখ্যা +SuspenseAccountNotDefined=সাসপেন্স অ্যাকাউন্ট সংজ্ঞায়িত করা হয় না +BoxLastCustomerShipments=শেষ গ্রাহক চালান +BoxTitleLastCustomerShipments=সর্বশেষ %s গ্রাহক চালান +BoxTitleLastLeaveRequests=সর্বশেষ %s পরিবর্তিত ছুটির অনুরোধ +NoRecordedShipments=কোন রেকর্ড করা গ্রাহক চালান +BoxCustomersOutstandingBillReached=বকেয়া সীমা পৌঁছেছেন গ্রাহকদের # Pages -UsersHome=Home users and groups -MembersHome=Home Membership -ThirdpartiesHome=Home Thirdparties -TicketsHome=Home Tickets -AccountancyHome=Home Accountancy -ValidatedProjects=Validated projects +UsersHome=হোম ব্যবহারকারী এবং গ্রুপ +MembersHome=হোম সদস্যপদ +ThirdpartiesHome=হোম তৃতীয় পক্ষ +productindex=হোম পণ্য এবং সেবা +mrpindex=হোম এমআরপি +commercialindex=হোম বাণিজ্যিক +projectsindex=হোম প্রকল্প +invoiceindex=বাড়ির চালান +hrmindex=বাড়ির চালান +TicketsHome=হোম টিকিট +stockindex=হোম স্টক +sendingindex=হোম শিপিং +receptionindex=হোম রিসিভিং +activityindex=বাড়ির কার্যকলাপ +proposalindex=বাড়ির প্রস্তাব +ordersindex=বাড়ি বিক্রয়ের আদেশ +orderssuppliersindex=বাড়ি কেনার অর্ডার +contractindex=বাড়ির চুক্তি +interventionindex=হোম হস্তক্ষেপ +suppliersproposalsindex=হোম সরবরাহকারী প্রস্তাব +donationindex=বাড়ির দান +specialexpensesindex=বাড়ির বিশেষ খরচ +expensereportindex=বাড়ির খরচ রিপোর্ট +mailingindex=হোম মেইলিং +opensurveyindex=হোম ওপেন সার্ভে +AccountancyHome=হোম অ্যাকাউন্টেন্সি +ValidatedProjects=বৈধ প্রকল্প diff --git a/htdocs/langs/bn_BD/cashdesk.lang b/htdocs/langs/bn_BD/cashdesk.lang index f99600c2aca..1f3ba5a33c3 100644 --- a/htdocs/langs/bn_BD/cashdesk.lang +++ b/htdocs/langs/bn_BD/cashdesk.lang @@ -1,136 +1,155 @@ # Language file - Source file is en_US - cashdesk -CashDeskMenu=Point of sale -CashDesk=Point of sale -CashDeskBankCash=Bank account (cash) -CashDeskBankCB=Bank account (card) -CashDeskBankCheque=Bank account (cheque) -CashDeskWarehouse=Warehouse -CashdeskShowServices=Selling services -CashDeskProducts=Products -CashDeskStock=Stock -CashDeskOn=on -CashDeskThirdParty=Third party -ShoppingCart=Shopping cart -NewSell=New sell -AddThisArticle=Add this article -RestartSelling=Go back on sell -SellFinished=Sale complete -PrintTicket=Print ticket -SendTicket=Send ticket -NoProductFound=No article found -ProductFound=product found -NoArticle=No article -Identification=Identification -Article=Article -Difference=Difference -TotalTicket=Total ticket -NoVAT=No VAT for this sale +CashDeskMenu=বিক্রয় বিন্দু +CashDesk=বিক্রয় বিন্দু +CashDeskBankCash=ব্যাঙ্ক অ্যাকাউন্ট (নগদ) +CashDeskBankCB=ব্যাঙ্ক অ্যাকাউন্ট (কার্ড) +CashDeskBankCheque=ব্যাঙ্ক অ্যাকাউন্ট (চেক) +CashDeskWarehouse=গুদাম +CashdeskShowServices=সেবা বিক্রয় +CashDeskProducts=পণ্য +CashDeskStock=স্টক +CashDeskOn=চালু +CashDeskThirdParty=তৃতীয় পক্ষ +ShoppingCart=বাজারের ব্যাগ +NewSell=নতুন বিক্রি +AddThisArticle=এই নিবন্ধ যোগ করুন +RestartSelling=বিক্রি ফিরে যান +SellFinished=বিক্রয় সম্পূর্ণ +PrintTicket=টিকিট প্রিন্ট করুন +SendTicket=টিকিট পাঠান +NoProductFound=কোন নিবন্ধ পাওয়া যায়নি +ProductFound=পণ্য পাওয়া গেছে +NoArticle=নিবন্ধ নাই +Identification=শনাক্তকরণ +Article=প্রবন্ধ +Difference=পার্থক্য +TotalTicket=মোট টিকিট +NoVAT=এই বিক্রয়ের জন্য কোন ভ্যাট নেই Change=Excess received -BankToPay=Account for payment -ShowCompany=Show company -ShowStock=Show warehouse -DeleteArticle=Click to remove this article -FilterRefOrLabelOrBC=Search (Ref/Label) -UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. -DolibarrReceiptPrinter=Dolibarr Receipt Printer -PointOfSale=Point of Sale +BankToPay=অর্থ প্রদানের জন্য অ্যাকাউন্ট +ShowCompany=কোম্পানি দেখান +ShowStock=গুদাম দেখান +DeleteArticle=এই নিবন্ধটি সরাতে ক্লিক করুন +FilterRefOrLabelOrBC=অনুসন্ধান (রেফ/লেবেল) +UserNeedPermissionToEditStockToUsePos=আপনি চালান তৈরিতে স্টক কমাতে বলেন, তাই POS ব্যবহারকারী ব্যবহারকারীর স্টক সম্পাদনা করার অনুমতি থাকা প্রয়োজন। +DolibarrReceiptPrinter=Dolibarr রসিদ প্রিন্টার +PointOfSale=বিক্রয় বিন্দু PointOfSaleShort=POS -CloseBill=Close Bill -Floors=Floors -Floor=Floor -AddTable=Add table -Place=Place -TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) -NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser -SearchProduct=Search product -Receipt=Receipt -Header=Header -Footer=Footer -AmountAtEndOfPeriod=Amount at end of period (day, month or year) -TheoricalAmount=Theorical amount -RealAmount=Real amount -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period +CloseBill=বিল বন্ধ করুন +Floors=মেঝে +Floor=মেঝে +AddTable=টেবিল যোগ করুন +Place=স্থান +TakeposConnectorNecesary='TakePOS সংযোগকারী' প্রয়োজন৷ +OrderPrinters=কিছু প্রদত্ত প্রিন্টারে অর্ডার পাঠাতে একটি বোতাম যোগ করুন, অর্থ প্রদান ছাড়াই (উদাহরণস্বরূপ একটি রান্নাঘরে একটি অর্ডার পাঠাতে) +NotAvailableWithBrowserPrinter=রসিদের জন্য প্রিন্টার ব্রাউজারে সেট করা থাকলে উপলব্ধ নয়৷ +SearchProduct=পণ্য অনুসন্ধান করুন +Receipt=প্রাপ্তি +Header=হেডার +Footer=ফুটার +AmountAtEndOfPeriod=মেয়াদ শেষে পরিমাণ (দিন, মাস বা বছর) +TheoricalAmount=তাত্ত্বিক পরিমাণ +RealAmount=আসল পরিমাণ +CashFence=ক্যাশ বক্স বন্ধ +CashFenceDone=সময়ের জন্য ক্যাশ বক্স বন্ধ করা হয়েছে NbOfInvoices=Nb of invoices -Paymentnumpad=Type of Pad to enter payment -Numberspad=Numbers Pad -BillsCoinsPad=Coins and banknotes Pad -DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work -TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work -OrderNotes=Can add some notes to each ordered items -CashDeskBankAccountFor=Default account to use for payments in -NoPaimementModesDefined=No paiment mode defined in TakePOS configuration -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts -EnableBarOrRestaurantFeatures=Enable features for Bar or Restaurant -ConfirmDeletionOfThisPOSSale=Do your confirm the deletion of this current sale ? -ConfirmDiscardOfThisPOSSale=Do you want to discard this current sale ? -History=History -ValidateAndClose=Validate and close -Terminal=Terminal -NumberOfTerminals=Number of Terminals -TerminalSelect=Select terminal you want to use: -POSTicket=POS Ticket -POSTerminal=POS Terminal -POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones -SetupOfTerminalNotComplete=Setup of terminal %s is not complete -DirectPayment=Direct payment -DirectPaymentButton=Add a "Direct cash payment" button -InvoiceIsAlreadyValidated=Invoice is already validated -NoLinesToBill=No lines to bill -CustomReceipt=Custom Receipt -ReceiptName=Receipt Name -ProductSupplements=Manage supplements of products -SupplementCategory=Supplement category -ColorTheme=Color theme -Colorful=Colorful -HeadBar=Head Bar -SortProductField=Field for sorting products -Browser=Browser -BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. -PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad -CashDeskRefNumberingModules=Numbering module for POS sales -CashDeskGenericMaskCodes6 =
      {TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -SaleStartedAt=Sale started at %s -ControlCashOpening=Open the "Control cash" popup when opening the POS -CloseCashFence=Close cash desk control -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use -BarRestaurant=Bar Restaurant -AutoOrder=Order by the customer himself -RestaurantMenu=Menu -CustomerMenu=Customer menu -ScanToMenu=Scan QR code to see the menu -ScanToOrder=Scan QR code to order -Appearance=Appearance -HideCategoryImages=Hide Category Images -HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show -DefineTablePlan=Define tables plan -GiftReceiptButton=Add a "Gift receipt" button -GiftReceipt=Gift receipt -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first -AllowDelayedPayment=Allow delayed payment -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts -WeighingScale=Weighing scale -ShowPriceHT = Display the column with the price excluding tax (on screen) -ShowPriceHTOnReceipt = Display the column with the price excluding tax (on the receipt) -CustomerDisplay=Customer display -SplitSale=Split sale -PrintWithoutDetailsButton=Add "Print without details" button -PrintWithoutDetailsLabelDefault=Line label by default on printing without details -PrintWithoutDetails=Print without details -YearNotDefined=Year is not defined +Paymentnumpad=পেমেন্ট লিখতে প্যাডের ধরন +Numberspad=নম্বর প্যাড +BillsCoinsPad=কয়েন এবং নোট প্যাড +DolistorePosCategory=Dolibarr এর জন্য TakePOS মডিউল এবং অন্যান্য POS সমাধান +TakeposNeedsCategories=TakePOS কাজ করার জন্য কমপক্ষে একটি পণ্য বিভাগ প্রয়োজন +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS বিভাগে %s এর অধীনে কমপক্ষে 1টি পণ্য বিভাগ প্রয়োজন কাজ +OrderNotes=প্রতিটি অর্ডার করা আইটেম কিছু নোট যোগ করতে পারেন +CashDeskBankAccountFor=অর্থপ্রদানের জন্য ব্যবহার করার জন্য ডিফল্ট অ্যাকাউন্ট +NoPaimementModesDefined=TakePOS কনফিগারেশনে কোনো পেমেন্ট মোড সংজ্ঞায়িত করা নেই +TicketVatGrouped=টিকিটের হার অনুসারে ভ্যাট গ্রুপ করুন|রসিদ +AutoPrintTickets=স্বয়ংক্রিয়ভাবে টিকিট প্রিন্ট করুন|রসিদ +PrintCustomerOnReceipts=টিকিটে গ্রাহক প্রিন্ট করুন|রসিদ +EnableBarOrRestaurantFeatures=বার বা রেস্তোরাঁর জন্য বৈশিষ্ট্যগুলি সক্ষম করুন৷ +ConfirmDeletionOfThisPOSSale=আপনি কি এই বর্তমান বিক্রয় মুছে ফেলার বিষয়টি নিশ্চিত করেন? +ConfirmDiscardOfThisPOSSale=আপনি কি এই বর্তমান বিক্রয় বাতিল করতে চান? +History=ইতিহাস +ValidateAndClose=যাচাই করুন এবং বন্ধ করুন +Terminal=টার্মিনাল +NumberOfTerminals=টার্মিনালের সংখ্যা +TerminalSelect=আপনি ব্যবহার করতে চান টার্মিনাল নির্বাচন করুন: +POSTicket=POS টিকেট +POSTerminal=POS টার্মিনাল +POSModule=POS মডিউল +BasicPhoneLayout=ফোনে, একটি ন্যূনতম লেআউট দিয়ে POS প্রতিস্থাপন করুন (শুধুমাত্র অর্ডার রেকর্ড করুন, চালান তৈরি করা যাবে না, রসিদ প্রিন্ট করা যাবে না) +SetupOfTerminalNotComplete=টার্মিনাল %s সেটআপ সম্পূর্ণ হয়নি +DirectPayment=সরাসরি প্রদান +DirectPaymentButton=একটি "সরাসরি নগদ অর্থ প্রদান" বোতাম যোগ করুন +InvoiceIsAlreadyValidated=চালান ইতিমধ্যে যাচাই করা হয়েছে +NoLinesToBill=বিল দিতে কোন লাইন নেই +CustomReceipt=কাস্টম রসিদ +ReceiptName=প্রাপ্তির নাম +ProductSupplements=পণ্য পরিপূরক পরিচালনা করুন +SupplementCategory=পরিপূরক বিভাগ +ColorTheme=রঙ থিম +Colorful=রঙিন +HeadBar=হেড বার +SortProductField=পণ্য বাছাই জন্য ক্ষেত্র +Browser=ব্রাউজার +BrowserMethodDescription=সহজ এবং সহজ রসিদ মুদ্রণ. রসিদ কনফিগার করার জন্য শুধুমাত্র কয়েকটি পরামিতি। ব্রাউজারের মাধ্যমে প্রিন্ট করুন। +TakeposConnectorMethodDescription=অতিরিক্ত বৈশিষ্ট্য সহ বাহ্যিক মডিউল। ক্লাউড থেকে প্রিন্ট করার সম্ভাবনা। +PrintMethod=প্রিন্ট পদ্ধতি +ReceiptPrinterMethodDescription=অনেক পরামিতি সহ শক্তিশালী পদ্ধতি। টেমপ্লেট সহ সম্পূর্ণ কাস্টমাইজযোগ্য। অ্যাপ্লিকেশনটি হোস্ট করা সার্ভারটি ক্লাউডে থাকতে পারে না (আপনার নেটওয়ার্কের প্রিন্টারগুলিতে পৌঁছাতে সক্ষম হতে হবে)৷ +ByTerminal=টার্মিনাল দ্বারা +TakeposNumpadUsePaymentIcon=নমপ্যাডের পেমেন্ট বোতামে টেক্সটের পরিবর্তে আইকন ব্যবহার করুন +CashDeskRefNumberingModules=POS বিক্রয়ের জন্য সংখ্যায়ন মডিউল +CashDeskGenericMaskCodes6 =
      {TN}b09f870 ট্যাগ ব্যবহার করা হয় +TakeposGroupSameProduct=একই পণ্যের লাইন মার্জ করুন +StartAParallelSale=একটি নতুন সমান্তরাল বিক্রয় শুরু করুন +SaleStartedAt=%s এ বিক্রি শুরু হয়েছে +ControlCashOpening=POS খোলার সময় "কন্ট্রোল ক্যাশ বক্স" পপআপ খুলুন +CloseCashFence=ক্যাশ বক্স নিয়ন্ত্রণ বন্ধ করুন +CashReport=নগদ রিপোর্ট +MainPrinterToUse=ব্যবহার করার জন্য প্রধান প্রিন্টার +OrderPrinterToUse=ব্যবহার করার জন্য প্রিন্টার অর্ডার করুন +MainTemplateToUse=ব্যবহার করার জন্য প্রধান টেমপ্লেট +OrderTemplateToUse=অর্ডার টেমপ্লেট ব্যবহার করার জন্য +BarRestaurant=বার রেস্টুরেন্ট +AutoOrder=গ্রাহক নিজেই অর্ডার করুন +RestaurantMenu=তালিকা +CustomerMenu=গ্রাহক মেনু +ScanToMenu=মেনু দেখতে QR কোড স্ক্যান করুন +ScanToOrder=অর্ডার করতে QR কোড স্ক্যান করুন +Appearance=চেহারা +HideCategoryImages=ক্যাটাগরি ছবি লুকান +HideProductImages=পণ্যের ছবি লুকান +NumberOfLinesToShow=থাম্ব ইমেজে দেখানোর জন্য টেক্সটের লাইনের সর্বাধিক সংখ্যা +DefineTablePlan=টেবিল পরিকল্পনা সংজ্ঞায়িত করুন +GiftReceiptButton=একটি "উপহার রসিদ" বোতাম যোগ করুন +GiftReceipt=উপহারের রসিদ +ModuleReceiptPrinterMustBeEnabled=মডিউল রসিদ প্রিন্টার প্রথমে সক্রিয় করা আবশ্যক +AllowDelayedPayment=বিলম্বিত অর্থ প্রদানের অনুমতি দিন +PrintPaymentMethodOnReceipts=টিকিটে প্রিন্ট পেমেন্ট পদ্ধতি|রসিদ +WeighingScale=ওজন মাপকাঠি +ShowPriceHT = কর ব্যতীত মূল্য সহ কলামটি প্রদর্শন করুন (স্ক্রীনে) +ShowPriceHTOnReceipt = কর ব্যতীত মূল্য সহ কলামটি প্রদর্শন করুন (রসিদে) +CustomerDisplay=গ্রাহক প্রদর্শন +SplitSale=বিভক্ত বিক্রয় +PrintWithoutDetailsButton="বিশদ বিবরণ ছাড়া মুদ্রণ" বোতাম যোগ করুন +PrintWithoutDetailsLabelDefault=বিশদ বিবরণ ছাড়া মুদ্রণে ডিফল্টরূপে লাইন লেবেল +PrintWithoutDetails=বিস্তারিত ছাড়াই প্রিন্ট করুন +YearNotDefined=বছর সংজ্ঞায়িত করা হয় না +TakeposBarcodeRuleToInsertProduct=পণ্য সন্নিবেশ করার জন্য বারকোড নিয়ম +TakeposBarcodeRuleToInsertProductDesc=স্ক্যান করা বারকোড থেকে পণ্যের রেফারেন্স + একটি পরিমাণ বের করার নিয়ম।
      খালি থাকলে (ডিফল্ট মান), অ্যাপ্লিকেশনটি পণ্যটি খুঁজতে স্ক্যান করা সম্পূর্ণ বারকোড ব্যবহার করবে।

      যদি সংজ্ঞায়িত করা হয়, সিনট্যাক্স অবশ্যই হতে হবে:
      ref:NB+qu:NB+qd:NB+other:NB
      যেখানে NB আছে স্ক্যান করা বারকোড থেকে ডেটা বের করার জন্য ব্যবহার করা অক্ষরের সংখ্যা
      : পণ্যের রেফারেন্স
      qu : পরিমাণ আইটেম ঢোকানোর সময় সেট করুন (ইউনিট)
      qd to : আইটেম সন্নিবেশ করার সময় সেট করুন (দশমিক)
      অন্যান্যঅন্যান্য অক্ষর +AlreadyPrinted=ইতিমধ্যে ছাপা হয়েছে +HideCategories=বিভাগ নির্বাচনের পুরো বিভাগটি লুকান +HideStockOnLine=অনলাইন স্টক লুকান +ShowOnlyProductInStock=শুধুমাত্র স্টক পণ্য দেখান +ShowCategoryDescription=বিভাগ বিবরণ দেখান +ShowProductReference=পণ্যের রেফারেন্স বা লেবেল দেখান +UsePriceHT=মূল্য ব্যতীত ব্যবহার করুন। কর এবং মূল্য সহ নয়। মূল্য পরিবর্তন করার সময় কর +TerminalName=টার্মিনাল %s +TerminalNameDesc=টার্মিনাল নাম +DefaultPOSThirdLabel=TakePOS জেনেরিক গ্রাহক +DefaultPOSCatLabel=পয়েন্ট অফ সেল (POS) পণ্য +DefaultPOSProductLabel=TakePOS এর জন্য পণ্যের উদাহরণ +TakeposNeedsPayment=TakePOS-এর কাজ করার জন্য একটি অর্থপ্রদানের পদ্ধতি প্রয়োজন, আপনি কি 'নগদ' অর্থপ্রদানের পদ্ধতি তৈরি করতে চান? +LineDiscount=লাইন ডিসকাউন্ট +LineDiscountShort=লাইন ডিস্ক। +InvoiceDiscount=চালান ছাড় +InvoiceDiscountShort=চালান ডিস্ক। diff --git a/htdocs/langs/bn_BD/categories.lang b/htdocs/langs/bn_BD/categories.lang index 33227030315..03c08ed9979 100644 --- a/htdocs/langs/bn_BD/categories.lang +++ b/htdocs/langs/bn_BD/categories.lang @@ -1,25 +1,25 @@ # Dolibarr language file - Source file is en_US - categories Rubrique=Tag/Category Rubriques=Tags/Categories -RubriquesTransactions=Tags/Categories of transactions +RubriquesTransactions=লেনদেনের ট্যাগ/বিভাগ categories=tags/categories -NoCategoryYet=No tag/category of this type has been created +NoCategoryYet=এই ধরনের কোনো ট্যাগ/বিভাগ তৈরি করা হয়নি In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Product/Service tags/categories area -SuppliersCategoriesArea=Vendor tags/categories area -CustomersCategoriesArea=Customer tags/categories area -MembersCategoriesArea=Member tags/categories area -ContactsCategoriesArea=Contact tags/categories area -AccountsCategoriesArea=Bank account tags/categories area -ProjectsCategoriesArea=Project tags/categories area -UsersCategoriesArea=User tags/categories area -SubCats=Sub-categories +ProductsCategoriesArea=পণ্য/পরিষেবা ট্যাগ/বিভাগ এলাকা +SuppliersCategoriesArea=বিক্রেতা ট্যাগ/বিভাগ এলাকা +CustomersCategoriesArea=গ্রাহক ট্যাগ/বিভাগ এলাকা +MembersCategoriesArea=সদস্য ট্যাগ/বিভাগ এলাকা +ContactsCategoriesArea=যোগাযোগ ট্যাগ/বিভাগ এলাকা +AccountsCategoriesArea=ব্যাঙ্ক অ্যাকাউন্ট ট্যাগ/বিভাগ এলাকা +ProjectsCategoriesArea=প্রকল্প ট্যাগ/বিভাগ এলাকা +UsersCategoriesArea=ব্যবহারকারীর ট্যাগ/বিভাগ এলাকা +SubCats=উপ-শ্রেণী CatList=List of tags/categories -CatListAll=List of tags/categories (all types) +CatListAll=ট্যাগ/বিভাগের তালিকা (সব ধরনের) NewCategory=New tag/category ModifCat=Modify tag/category CatCreated=Tag/category created @@ -33,7 +33,7 @@ WasAddedSuccessfully=%s was added successfully. ObjectAlreadyLinkedToCategory=Element is already linked to this tag/category. ProductIsInCategories=Product/service is linked to following tags/categories CompanyIsInCustomersCategories=This third party is linked to following customers/prospects tags/categories -CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories +CompanyIsInSuppliersCategories=এই তৃতীয় পক্ষ নিম্নলিখিত বিক্রেতা ট্যাগ/বিভাগের সাথে লিঙ্ক করা হয়েছে MemberIsInCategories=This member is linked to following members tags/categories ContactIsInCategories=This contact is linked to following contacts tags/categories ProductHasNoCategory=This product/service is not in any tags/categories @@ -42,7 +42,7 @@ MemberHasNoCategory=This member is not in any tags/categories ContactHasNoCategory=This contact is not in any tags/categories ProjectHasNoCategory=This project is not in any tags/categories ClassifyInCategory=Add to tag/category -RemoveCategory=Remove category +RemoveCategory=বিভাগ সরান NotCategorized=Without tag/category CategoryExistsAtSameLevel=This category already exists with this ref ContentsVisibleByAllShort=Contents visible by all @@ -50,56 +50,57 @@ ContentsNotVisibleByAllShort=Contents not visible by all DeleteCategory=Delete tag/category ConfirmDeleteCategory=Are you sure you want to delete this tag/category ? NoCategoriesDefined=No tag/category defined -SuppliersCategoryShort=Vendors tag/category +SuppliersCategoryShort=বিক্রেতাদের ট্যাগ/বিভাগ CustomersCategoryShort=Customers tag/category ProductsCategoryShort=Products tag/category MembersCategoryShort=Members tag/category -SuppliersCategoriesShort=Vendors tags/categories +SuppliersCategoriesShort=বিক্রেতাদের ট্যাগ/বিভাগ CustomersCategoriesShort=Customers tags/categories ProspectsCategoriesShort=Prospects tags/categories -CustomersProspectsCategoriesShort=Cust./Prosp. tags/categories +CustomersProspectsCategoriesShort=কাস্ট./Prosp. ট্যাগ/বিভাগ ProductsCategoriesShort=Products tags/categories MembersCategoriesShort=Members tags/categories ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories -UsersCategoriesShort=Users tags/categories -StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoItems=This category does not contain any items. +UsersCategoriesShort=ব্যবহারকারীর ট্যাগ/বিভাগ +StockCategoriesShort=গুদাম ট্যাগ/বিভাগ +ThisCategoryHasNoItems=এই বিভাগে কোন আইটেম নেই. CategId=Tag/category id -ParentCategory=Parent tag/category -ParentCategoryID=ID of parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories +ParentCategory=অভিভাবক ট্যাগ/বিভাগ +ParentCategoryID=অভিভাবক ট্যাগ/বিভাগের আইডি +ParentCategoryLabel=অভিভাবক ট্যাগ/বিভাগের লেবেল +CatSupList=বিক্রেতাদের ট্যাগ/বিভাগের তালিকা +CatCusList=গ্রাহক/সম্ভাব্য ট্যাগ/বিভাগের তালিকা CatProdList=List of products tags/categories CatMemberList=List of members tags/categories -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories +CatContactList=পরিচিতি ট্যাগ/বিভাগের তালিকা +CatProjectsList=প্রকল্পের ট্যাগ/বিভাগের তালিকা +CatUsersList=ব্যবহারকারীর ট্যাগ/বিভাগের তালিকা +CatSupLinks=বিক্রেতা এবং ট্যাগ/বিভাগের মধ্যে লিঙ্ক CatCusLinks=Links between customers/prospects and tags/categories -CatContactsLinks=Links between contacts/addresses and tags/categories +CatContactsLinks=পরিচিতি/ঠিকানা এবং ট্যাগ/বিভাগের মধ্যে লিঙ্ক CatProdLinks=Links between products/services and tags/categories -CatMembersLinks=Links between members and tags/categories +CatMembersLinks=সদস্য এবং ট্যাগ/বিভাগের মধ্যে লিঙ্ক CatProjectsLinks=Links between projects and tags/categories -CatUsersLinks=Links between users and tags/categories +CatUsersLinks=ব্যবহারকারী এবং ট্যাগ/বিভাগের মধ্যে লিঙ্ক DeleteFromCat=Remove from tags/category ExtraFieldsCategories=Complementary attributes CategoriesSetup=Tags/categories setup CategorieRecursiv=Link with parent tag/category automatically -CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. -AddProductServiceIntoCategory=Assign category to the product/service -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier -AssignCategoryTo=Assign category to +CategorieRecursivHelp=যদি বিকল্পটি চালু থাকে, আপনি যখন একটি উপশ্রেণীতে একটি অবজেক্ট যোগ করেন, তখন অবজেক্টটিও প্যারেন্ট ক্যাটাগরিতে যোগ করা হবে। +AddProductServiceIntoCategory=পণ্য/পরিষেবার জন্য বিভাগ বরাদ্দ করুন +AddCustomerIntoCategory=গ্রাহককে বিভাগ বরাদ্দ করুন +AddSupplierIntoCategory=সরবরাহকারীকে বিভাগ বরাদ্দ করুন +AssignCategoryTo=কে বিভাগ বরাদ্দ করুন ShowCategory=Show tag/category ByDefaultInList=By default in list -ChooseCategory=Choose category -StocksCategoriesArea=Warehouse Categories -TicketsCategoriesArea=Tickets Categories -ActionCommCategoriesArea=Event Categories -WebsitePagesCategoriesArea=Page-Container Categories -KnowledgemanagementsCategoriesArea=KM article Categories -UseOrOperatorForCategories=Use 'OR' operator for categories -AddObjectIntoCategory=Assign the category +ChooseCategory=বিভাগ নির্বাচন +StocksCategoriesArea=গুদাম বিভাগ +TicketsCategoriesArea=টিকিট বিভাগ +ActionCommCategoriesArea=ইভেন্ট বিভাগ +WebsitePagesCategoriesArea=পৃষ্ঠা-ধারক বিভাগ +KnowledgemanagementsCategoriesArea=KM নিবন্ধ বিভাগ +UseOrOperatorForCategories=বিভাগের জন্য 'OR' অপারেটর ব্যবহার করুন +AddObjectIntoCategory=বিভাগে বরাদ্দ করুন +Position=Position diff --git a/htdocs/langs/bn_BD/commercial.lang b/htdocs/langs/bn_BD/commercial.lang index 10c536e0d48..dbef3a3f3ba 100644 --- a/htdocs/langs/bn_BD/commercial.lang +++ b/htdocs/langs/bn_BD/commercial.lang @@ -1,80 +1,93 @@ # Dolibarr language file - Source file is en_US - commercial -Commercial=Commerce -CommercialArea=Commerce area -Customer=Customer -Customers=Customers -Prospect=Prospect -Prospects=Prospects -DeleteAction=Delete an event -NewAction=New event -AddAction=Create event -AddAnAction=Create an event -AddActionRendezVous=Create a Rendez-vous event -ConfirmDeleteAction=Are you sure you want to delete this event? -CardAction=Event card -ActionOnCompany=Related company -ActionOnContact=Related contact -TaskRDVWith=Meeting with %s -ShowTask=Show task -ShowAction=Show event -ActionsReport=Events report -ThirdPartiesOfSaleRepresentative=Third parties with sales representative -SaleRepresentativesOfThirdParty=Sales representatives of third party -SalesRepresentative=Sales representative -SalesRepresentatives=Sales representatives -SalesRepresentativeFollowUp=Sales representative (follow-up) -SalesRepresentativeSignature=Sales representative (signature) -NoSalesRepresentativeAffected=No particular sales representative assigned -ShowCustomer=Show customer -ShowProspect=Show prospect -ListOfProspects=List of prospects -ListOfCustomers=List of customers -LastDoneTasks=Latest %s completed actions -LastActionsToDo=Oldest %s not completed actions -DoneAndToDoActions=Completed and To do events -DoneActions=Completed events -ToDoActions=Incomplete events -SendPropalRef=Submission of commercial proposal %s -SendOrderRef=Submission of order %s -StatusNotApplicable=Not applicable -StatusActionToDo=To do -StatusActionDone=Complete -StatusActionInProcess=In process -TasksHistoryForThisContact=Events for this contact -LastProspectDoNotContact=Do not contact -LastProspectNeverContacted=Never contacted -LastProspectToContact=To contact -LastProspectContactInProcess=Contact in process -LastProspectContactDone=Contact done -ActionAffectedTo=Event assigned to -ActionDoneBy=Event done by -ActionAC_TEL=Phone call -ActionAC_FAX=Send fax -ActionAC_PROP=Send proposal by mail -ActionAC_EMAIL=Send Email -ActionAC_EMAIL_IN=Reception of Email -ActionAC_RDV=Meetings -ActionAC_INT=Intervention on site -ActionAC_FAC=Send customer invoice by mail -ActionAC_REL=Send customer invoice by mail (reminder) -ActionAC_CLO=Close -ActionAC_EMAILING=Send mass email -ActionAC_COM=Send sales order by mail -ActionAC_SHIP=Send shipping by mail -ActionAC_SUP_ORD=Send purchase order by mail -ActionAC_SUP_INV=Send vendor invoice by mail +Commercial=বাণিজ্য +CommercialArea=বাণিজ্য এলাকা +Customer=ক্রেতা +Customers=গ্রাহকদের +Prospect=সম্ভাবনা +Prospects=সম্ভাবনা +DeleteAction=একটি ইভেন্ট মুছুন +NewAction=নতুন ঘটনা +AddAction=ইভেন্ট তৈরি করা +AddAnAction=একটি ইভেন্ট তৈরি করুন +AddActionRendezVous=একটি Rendez-vous ইভেন্ট তৈরি করুন +ConfirmDeleteAction=আপনি কি এই ইভেন্টটি মুছতে চান? +CardAction=ইভেন্ট কার্ড +ActionOnCompany=সম্পর্কিত কোম্পানি +ActionOnContact=সম্পর্কিত যোগাযোগ +TaskRDVWith=%s এর সাথে মিটিং +ShowTask=টাস্ক দেখান +ShowAction=ঘটনা দেখান +ActionsReport=ঘটনা রিপোর্ট +ThirdPartiesOfSaleRepresentative=বিক্রয় প্রতিনিধি সহ তৃতীয় পক্ষ +SaleRepresentativesOfThirdParty=তৃতীয় পক্ষের বিক্রয় প্রতিনিধি +SalesRepresentative=বিক্রয় প্রতিনিধি +SalesRepresentatives=বিক্রয় প্রতিনিধি +SalesRepresentativeFollowUp=বিক্রয় প্রতিনিধি (ফলো-আপ) +SalesRepresentativeSignature=বিক্রয় প্রতিনিধি (স্বাক্ষর) +NoSalesRepresentativeAffected=কোন নির্দিষ্ট বিক্রয় প্রতিনিধি নিযুক্ত করা হয়েছে +ShowCustomer=গ্রাহক দেখান +ShowProspect=সম্ভাবনা দেখান +ListOfProspects=সম্ভাবনার তালিকা +ListOfCustomers=গ্রাহকদের তালিকা +LastDoneTasks=সর্বশেষ %s সম্পন্ন কর্ম +LastActionsToDo=প্রাচীনতম %s সম্পূর্ণ হয়নি +DoneAndToDoActions=সমাপ্ত এবং ইভেন্ট করতে +DoneActions=সমাপ্ত ঘটনা +ToDoActions=অসম্পূর্ণ ঘটনা +SendPropalRef=বাণিজ্যিক প্রস্তাব জমা দেওয়া %s +SendOrderRef=অর্ডার জমা %s +StatusNotApplicable=প্রযোজ্য নয় +StatusActionToDo=করতে +StatusActionDone=সম্পূর্ণ +StatusActionInProcess=প্রক্রিয়াধীন +TasksHistoryForThisContact=এই যোগাযোগের জন্য ইভেন্ট +LastProspectDoNotContact=যোগাযোগ করবেন না +LastProspectNeverContacted=কখনো যোগাযোগ করেনি +LastProspectToContact=যোগাযোগ করতে +LastProspectContactInProcess=প্রক্রিয়াধীন যোগাযোগ +LastProspectContactDone=যোগাযোগ সম্পন্ন +ActionAffectedTo=ইভেন্ট বরাদ্দ করা হয়েছে +ActionDoneBy=ইভেন্ট দ্বারা সম্পন্ন +ActionAC_TEL=ফোন কল +ActionAC_FAX=ফ্যাক্স পাঠান +ActionAC_PROP=মেল দ্বারা প্রস্তাব পাঠান +ActionAC_EMAIL=ইমেইল পাঠান +ActionAC_EMAIL_IN=ইমেইল গ্রহণ +ActionAC_RDV=মিটিং +ActionAC_INT=সাইটে হস্তক্ষেপ +ActionAC_FAC=মেল দ্বারা গ্রাহক চালান পাঠান +ActionAC_REL=মেইলের মাধ্যমে গ্রাহক চালান পাঠান (অনুস্মারক) +ActionAC_CLO=বন্ধ +ActionAC_EMAILING=ভর ইমেইল পাঠান +ActionAC_COM=মেল দ্বারা বিক্রয় আদেশ পাঠান +ActionAC_SHIP=মেল দ্বারা শিপিং পাঠান +ActionAC_SUP_ORD=মেল দ্বারা ক্রয় আদেশ পাঠান +ActionAC_SUP_INV=মেল দ্বারা বিক্রেতা চালান পাঠান ActionAC_OTH=Other -ActionAC_OTH_AUTO=Automatically inserted events -ActionAC_MANUAL=Manually inserted events -ActionAC_AUTO=Automatically inserted events -ActionAC_OTH_AUTOShort=Auto -Stats=Sales statistics -StatusProsp=Prospect status -DraftPropals=Draft commercial proposals -NoLimit=No limit -ToOfferALinkForOnlineSignature=Link for online signature -WelcomeOnOnlineSignaturePage=Welcome to the page to accept commercial proposals from %s -ThisScreenAllowsYouToSignDocFrom=This screen allow you to accept and sign, or refuse, a quote/commercial proposal -ThisIsInformationOnDocumentToSign=This is information on document to accept or refuse -SignatureProposalRef=Signature of quote/commercial proposal %s -FeatureOnlineSignDisabled=Feature for online signing disabled or document generated before the feature was enabled +ActionAC_OTH_AUTO=অন্য অটো +ActionAC_MANUAL=ইভেন্টগুলি ম্যানুয়ালি ঢোকানো হয়েছে (একজন ব্যবহারকারীর দ্বারা) +ActionAC_AUTO=ইভেন্ট স্বয়ংক্রিয়ভাবে ঢোকানো +ActionAC_OTH_AUTOShort=Other +ActionAC_EVENTORGANIZATION=ইভেন্ট সংগঠন ঘটনা +Stats=বিক্রয় পরিসংখ্যান +StatusProsp=সম্ভাবনা অবস্থা +DraftPropals=বাণিজ্যিক প্রস্তাবের খসড়া +NoLimit=সীমাহীন +ToOfferALinkForOnlineSignature=অনলাইন স্বাক্ষর জন্য লিঙ্ক +WelcomeOnOnlineSignaturePageProposal=%s থেকে বাণিজ্যিক প্রস্তাব গ্রহণ করতে পৃষ্ঠায় স্বাগতম +WelcomeOnOnlineSignaturePageContract=%s চুক্তি PDF স্বাক্ষর পৃষ্ঠায় স্বাগতম +WelcomeOnOnlineSignaturePageFichinter=%s ইন্টারভেনশন পিডিএফ সাইনিং পেজে স্বাগতম +WelcomeOnOnlineSignaturePageSociete_rib=%s SEPA ম্যান্ডেট পিডিএফ সাইনিং পেজে স্বাগতম +ThisScreenAllowsYouToSignDocFromProposal=এই পর্দা আপনাকে একটি উদ্ধৃতি/বাণিজ্যিক প্রস্তাব গ্রহণ এবং স্বাক্ষর করতে বা প্রত্যাখ্যান করতে দেয় +ThisScreenAllowsYouToSignDocFromContract=এই স্ক্রীনটি আপনাকে অনলাইনে পিডিএফ ফরম্যাটে চুক্তি স্বাক্ষর করতে দেয়। +ThisScreenAllowsYouToSignDocFromFichinter=এই স্ক্রীনটি আপনাকে অনলাইনে পিডিএফ ফরম্যাটে হস্তক্ষেপ স্বাক্ষর করতে দেয়। +ThisScreenAllowsYouToSignDocFromSociete_rib=এই স্ক্রীনটি আপনাকে অনলাইনে পিডিএফ ফরম্যাটে SEPA ম্যান্ডেট স্বাক্ষর করার অনুমতি দেয়। +ThisIsInformationOnDocumentToSignProposal=এটি গ্রহণ বা প্রত্যাখ্যান করার নথিতে তথ্য +ThisIsInformationOnDocumentToSignContract=এটি স্বাক্ষর করার চুক্তির তথ্য +ThisIsInformationOnDocumentToSignFichinter=এটি স্বাক্ষর করার জন্য হস্তক্ষেপের তথ্য +ThisIsInformationOnDocumentToSignSociete_rib=এটি স্বাক্ষর করার জন্য SEPA ম্যান্ডেটের তথ্য +SignatureProposalRef=উদ্ধৃতি/বাণিজ্যিক প্রস্তাবের স্বাক্ষর %s +SignatureContractRef=চুক্তি স্বাক্ষর %s +SignatureFichinterRef=হস্তক্ষেপের স্বাক্ষর %s +SignatureSociete_ribRef=SEPA ম্যান্ডেটের স্বাক্ষর %s +FeatureOnlineSignDisabled=অনলাইন স্বাক্ষর করার জন্য বৈশিষ্ট্য নিষ্ক্রিয় বা বৈশিষ্ট্য সক্রিয় করার আগে নথি তৈরি করা হয়েছে৷ diff --git a/htdocs/langs/bn_BD/companies.lang b/htdocs/langs/bn_BD/companies.lang index c076f6e9ded..cc96c82e9fb 100644 --- a/htdocs/langs/bn_BD/companies.lang +++ b/htdocs/langs/bn_BD/companies.lang @@ -1,135 +1,149 @@ # Dolibarr language file - Source file is en_US - companies -ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. -ErrorSetACountryFirst=Set the country first -SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? -DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? -MenuNewThirdParty=New Third Party -MenuNewCustomer=New Customer -MenuNewProspect=New Prospect -MenuNewSupplier=New Vendor -MenuNewPrivateIndividual=New private individual -NewCompany=New company (prospect, customer, vendor) -NewThirdParty=New Third Party (prospect, customer, vendor) -CreateDolibarrThirdPartySupplier=Create a third party (vendor) -CreateThirdPartyOnly=Create third party -CreateThirdPartyAndContact=Create a third party + a child contact -ProspectionArea=Prospection area -IdThirdParty=Id third party -IdCompany=Company Id -IdContact=Contact Id -ThirdPartyAddress=Third-party address -ThirdPartyContacts=Third-party contacts -ThirdPartyContact=Third-party contact/address -Company=Company -CompanyName=Company name -AliasNames=Alias name (commercial, trademark, ...) -AliasNameShort=Alias Name -Companies=Companies -CountryIsInEEC=Country is inside the European Economic Community -PriceFormatInCurrentLanguage=Price display format in the current language and currency -ThirdPartyName=Third-party name -ThirdPartyEmail=Third-party email -ThirdParty=Third-party -ThirdParties=Third-parties -ThirdPartyProspects=Prospects -ThirdPartyProspectsStats=Prospects -ThirdPartyCustomers=Customers -ThirdPartyCustomersStats=Customers -ThirdPartyCustomersWithIdProf12=Customers with %s or %s -ThirdPartySuppliers=Vendors -ThirdPartyType=Third-party type -Individual=Private individual -ToCreateContactWithSameName=Will automatically create a contact/address with same information as the third party under the third party. In most cases, even if your third party is a physical person, creating a third party alone is enough. -ParentCompany=Parent company -Subsidiaries=Subsidiaries -ReportByMonth=Report per month -ReportByCustomers=Report per customer -ReportByThirdparties=Report per thirdparty -ReportByQuarter=Report per rate -CivilityCode=Civility code -RegisteredOffice=Registered office -Lastname=Last name -Firstname=First name -RefEmployee=Employee reference -NationalRegistrationNumber=National registration number -PostOrFunction=Job position -UserTitle=Title -NatureOfThirdParty=Nature of Third party -NatureOfContact=Nature of Contact -Address=Address -State=State/Province -StateCode=State/Province code -StateShort=State -Region=Region -Region-State=Region - State -Country=Country -CountryCode=Country code -CountryId=Country id -Phone=Phone -PhoneShort=Phone -Skype=Skype -Call=Call -Chat=Chat -PhonePro=Bus. phone -PhonePerso=Pers. phone -PhoneMobile=Mobile -No_Email=Refuse bulk emailings +newSocieteAdded=আপনার যোগাযোগের বিবরণ রেকর্ড করা হয়েছে. আমরা খুব শীঘ্রই আপনার কাছে ফিরে আসবো... +ContactUsDesc=এই ফর্মটি আপনাকে প্রথম পরিচিতির জন্য আমাদের একটি বার্তা পাঠাতে দেয়। +ErrorCompanyNameAlreadyExists=কোম্পানির নাম %s ইতিমধ্যেই বিদ্যমান। অন্য একটি চয়ন করুন. +ErrorSetACountryFirst=আগে দেশ নির্ধারণ করুন +SelectThirdParty=একটি তৃতীয় পক্ষ নির্বাচন করুন +ConfirmDeleteCompany=আপনি কি এই কোম্পানি এবং সমস্ত সম্পর্কিত তথ্য মুছে ফেলার বিষয়ে নিশ্চিত? +DeleteContact=একটি পরিচিতি/ঠিকানা মুছুন +ConfirmDeleteContact=আপনি কি এই পরিচিতি এবং সমস্ত সম্পর্কিত তথ্য মুছে ফেলার বিষয়ে নিশ্চিত? +MenuNewThirdParty=নতুন তৃতীয় পক্ষ +MenuNewCustomer=নতুন গ্রাহক +MenuNewProspect=নতুন সম্ভাবনা +MenuNewSupplier=নতুন বিক্রেতা +MenuNewPrivateIndividual=নতুন ব্যক্তিগত ব্যক্তি +NewCompany=নতুন কোম্পানি (সম্ভাব্য, গ্রাহক, বিক্রেতা) +NewThirdParty=নতুন তৃতীয় পক্ষ (সম্ভাব্য, গ্রাহক, বিক্রেতা) +CreateDolibarrThirdPartySupplier=একটি তৃতীয় পক্ষ তৈরি করুন (বিক্রেতা) +CreateThirdPartyOnly=তৃতীয় পক্ষ তৈরি করুন +CreateThirdPartyAndContact=একটি তৃতীয় পক্ষ + একটি শিশু পরিচিতি তৈরি করুন +ProspectionArea=সম্ভাব্য এলাকা +IdThirdParty=আইডি তৃতীয় পক্ষ +IdCompany=কোম্পানি আইডি +IdContact=যোগাযোগের আইডি +ThirdPartyAddress=তৃতীয় পক্ষের ঠিকানা +ThirdPartyContacts=তৃতীয় পক্ষের পরিচিতি +ThirdPartyContact=তৃতীয় পক্ষের যোগাযোগ/ঠিকানা +Company=প্রতিষ্ঠান +CompanyName=কোমপানির নাম +AliasNames=উপনাম নাম (বাণিজ্যিক, ট্রেডমার্ক, ...) +AliasNameShort=উপনাম +Companies=কোম্পানিগুলো +CountryIsInEEC=দেশটি ইউরোপীয় অর্থনৈতিক সম্প্রদায়ের মধ্যে রয়েছে +PriceFormatInCurrentLanguage=বর্তমান ভাষা এবং মুদ্রায় মূল্য প্রদর্শন বিন্যাস +ThirdPartyName=তৃতীয় পক্ষের নাম +ThirdPartyEmail=তৃতীয় পক্ষের ইমেল +ThirdParty=তৃতীয় পক্ষ +ThirdParties=তৃতীয় পক্ষ +ThirdPartyProspects=সম্ভাবনা +ThirdPartyProspectsStats=সম্ভাবনা +ThirdPartyCustomers=গ্রাহকদের +ThirdPartyCustomersStats=গ্রাহকদের +ThirdPartyCustomersWithIdProf12=%s বা %s সহ গ্রাহকরা +ThirdPartySuppliers=বিক্রেতারা +ThirdPartyType=তৃতীয় পক্ষের ধরন +Individual=একান্ত ব্যক্তিগত +ToCreateContactWithSameName=তৃতীয় পক্ষের অধীনে তৃতীয় পক্ষের মতো একই তথ্য সহ স্বয়ংক্রিয়ভাবে একটি পরিচিতি/ঠিকানা তৈরি করবে। বেশিরভাগ ক্ষেত্রে, আপনার তৃতীয় পক্ষ একজন শারীরিক ব্যক্তি হলেও, একা তৃতীয় পক্ষ তৈরি করাই যথেষ্ট। +ParentCompany=মূল কোম্পানি +Subsidiaries=সাবসিডিয়ারি +ReportByMonth=প্রতি মাসে রিপোর্ট +ReportByCustomers=গ্রাহক প্রতি রিপোর্ট +ReportByThirdparties=তৃতীয় পক্ষের প্রতি প্রতিবেদন +ReportByQuarter=হার প্রতি রিপোর্ট +CivilityCode=সিভিলিটি কোড +RegisteredOffice=নিবন্ধিত দপ্তর +Lastname=নামের শেষাংশ +Firstname=নামের প্রথম অংশ +RefEmployee=কর্মচারী রেফারেন্স +NationalRegistrationNumber=জাতীয় নিবন্ধন নম্বর +PostOrFunction=চাকুরী পদমর্যাদা +UserTitle=শিরোনাম +NatureOfThirdParty=তৃতীয় পক্ষের প্রকৃতি +NatureOfContact=যোগাযোগের প্রকৃতি +Address=ঠিকানা +State=রাজ্য/প্রদেশ +StateId=রাজ্য আইডি +StateCode=রাজ্য/প্রদেশ কোড +StateShort=অবস্থা +Region=অঞ্চল +Region-State=অঞ্চল - রাজ্য +Country=দেশ +CountryCode=কান্ট্রি কোড +CountryId=দেশের আইডি +Phone=ফোন +PhoneShort=ফোন +Skype=স্কাইপ +Call=কল +Chat=চ্যাট +PhonePro=বাস। ফোন +PhonePerso=পারস ফোন +PhoneMobile=মুঠোফোন +No_Email=বাল্ক ইমেল প্রত্যাখ্যান Fax=Fax -Zip=Zip Code -Town=City -Web=Web -Poste= Position -DefaultLang=Default language -VATIsUsed=Sales tax used -VATIsUsedWhenSelling=This defines if this third party includes a sales tax or not when it makes an invoice to its own customers -VATIsNotUsed=Sales tax is not used -CopyAddressFromSoc=Copy address from third-party details -ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available referring objects -ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor vendor, discounts are not available -PaymentBankAccount=Payment bank account -OverAllProposals=Proposals -OverAllOrders=Orders +Zip=জিপ কোড +Town=শহর +Web=ওয়েব +Poste= অবস্থান +DefaultLang=নির্ধারিত ভাষা +VATIsUsed=বিক্রয় কর ব্যবহার করা হয়েছে +VATIsUsedWhenSelling=এটি সংজ্ঞায়িত করে যে এই তৃতীয় পক্ষটি তার নিজস্ব গ্রাহকদের কাছে একটি চালান তৈরি করার সময় বিক্রয় কর অন্তর্ভুক্ত করে কিনা +VATIsNotUsed=বিক্রয় কর ব্যবহার করা হয় না +VATReverseCharge=ভ্যাট রিভার্স চার্জ +VATReverseChargeByDefault=ডিফল্টরূপে ভ্যাট রিভার্স চার্জ +VATReverseChargeByDefaultDesc=সরবরাহকারী চালানে, ডিফল্টরূপে ভ্যাট রিভার্স-চার্জ ব্যবহার করা হয় +CopyAddressFromSoc=তৃতীয় পক্ষের বিবরণ থেকে ঠিকানা কপি করুন +ThirdpartyNotCustomerNotSupplierSoNoRef=তৃতীয় পক্ষ না গ্রাহক বা বিক্রেতা, কোন উপলব্ধ রেফারিং বস্তু +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=তৃতীয় পক্ষ না গ্রাহক বা বিক্রেতা, ডিসকাউন্ট পাওয়া যায় না +PaymentBankAccount=পেমেন্ট ব্যাঙ্ক অ্যাকাউন্ট +OverAllProposals=প্রস্তাব +OverAllOrders=আদেশ OverAllInvoices=Invoices -OverAllSupplierProposals=Price requests +OverAllSupplierProposals=মূল্য অনুরোধ ##### Local Taxes ##### -LocalTax1IsUsed=Use second tax -LocalTax1IsUsedES= RE is used -LocalTax1IsNotUsedES= RE is not used -LocalTax2IsUsed=Use third tax -LocalTax2IsUsedES= IRPF is used -LocalTax2IsNotUsedES= IRPF is not used -WrongCustomerCode=Customer code invalid -WrongSupplierCode=Vendor code invalid -CustomerCodeModel=Customer code model -SupplierCodeModel=Vendor code model -Gencod=Barcode -GencodBuyPrice=Barcode of price ref +LocalTax1IsUsed=দ্বিতীয় ট্যাক্স ব্যবহার করুন +LocalTax1IsUsedES= RE ব্যবহার করা হয় +LocalTax1IsNotUsedES= RE ব্যবহার করা হয় না +LocalTax2IsUsed=তৃতীয় ট্যাক্স ব্যবহার করুন +LocalTax2IsUsedES= IRPF ব্যবহার করা হয় +LocalTax2IsNotUsedES= IRPF ব্যবহার করা হয় না +WrongCustomerCode=গ্রাহক কোড অবৈধ +WrongSupplierCode=ভেন্ডর কোড অবৈধ +CustomerCodeModel=গ্রাহক কোড মডেল +SupplierCodeModel=বিক্রেতা কোড মডেল +Gencod=বারকোড +GencodBuyPrice=মূল্য রেফের বারকোড ##### Professional ID ##### -ProfId1Short=Prof. id 1 -ProfId2Short=Prof. id 2 -ProfId3Short=Prof. id 3 -ProfId4Short=Prof. id 4 -ProfId5Short=Prof. id 5 -ProfId6Short=Prof. id 6 -ProfId1=Professional ID 1 -ProfId2=Professional ID 2 -ProfId3=Professional ID 3 -ProfId4=Professional ID 4 -ProfId5=Professional ID 5 -ProfId6=Professional ID 6 -ProfId1AR=Prof Id 1 (CUIT/CUIL) -ProfId2AR=Prof Id 2 (Revenu brutes) +ProfId1Short=প্রফেসর আইডি ১ +ProfId2Short=প্রফেসর আইডি 2 +ProfId3Short=প্রফেসর আইডি 3 +ProfId4Short=প্রফেসর আইডি 4 +ProfId5Short=প্রফেসর আইডি 5 +ProfId6Short=প্রফেসর আইডি 6 +ProfId7Short=প্রফেসর আইডি 7 +ProfId8Short=প্রফেসর আইডি 8 +ProfId9Short=প্রফেসর আইডি 9 +ProfId10Short=প্রফেসর আইডি 10 +ProfId1=প্রফেশনাল আইডি ১ +ProfId2=প্রফেশনাল আইডি 2 +ProfId3=প্রফেশনাল আইডি ৩ +ProfId4=প্রফেশনাল আইডি 4 +ProfId5=প্রফেশনাল আইডি 5 +ProfId6=প্রফেশনাল আইডি 6 +ProfId7=প্রফেশনাল আইডি 7 +ProfId8=প্রফেশনাল আইডি 8 +ProfId9=প্রফেশনাল আইডি 9 +ProfId10=প্রফেশনাল আইডি 10 +ProfId1AR=প্রফেসর আইডি 1 (CUIT/CUIL) +ProfId2AR=Prof Id 2 (রেভেনু ব্রুটস) ProfId3AR=- ProfId4AR=- ProfId5AR=- ProfId6AR=- ProfId1AT=Prof Id 1 (USt.-IdNr) ProfId2AT=Prof Id 2 (USt.-Nr) -ProfId3AT=Prof Id 3 (Handelsregister-Nr.) +ProfId3AT=Prof Id 3 (হ্যান্ডেলরেজিস্টার-Nr.) ProfId4AT=- -ProfId5AT=EORI number +ProfId5AT=ইওআরই সংখ্যা ProfId6AT=- ProfId1AU=Prof Id 1 (ABN) ProfId2AU=- @@ -137,23 +151,23 @@ ProfId3AU=- ProfId4AU=- ProfId5AU=- ProfId6AU=- -ProfId1BE=Prof Id 1 (Professional number) +ProfId1BE=প্রফেসর আইডি 1 (পেশাদার নম্বর) ProfId2BE=- ProfId3BE=- ProfId4BE=- -ProfId5BE=EORI number +ProfId5BE=ইওআরই সংখ্যা ProfId6BE=- ProfId1BR=- ProfId2BR=IE (Inscricao Estadual) ProfId3BR=IM (Inscricao Municipal) -ProfId4BR=CPF +ProfId4BR=সিপিএফ #ProfId5BR=CNAE #ProfId6BR=INSS -ProfId1CH=UID-Nummer +ProfId1CH=UID-সংখ্যা ProfId2CH=- -ProfId3CH=Prof Id 1 (Federal number) -ProfId4CH=Prof Id 2 (Commercial Record number) -ProfId5CH=EORI number +ProfId3CH=অধ্যাপক আইডি 1 (ফেডারেল নম্বর) +ProfId4CH=প্রফেসর আইডি 2 (বাণিজ্যিক রেকর্ড নম্বর) +ProfId5CH=ইওআরই সংখ্যা ProfId6CH=- ProfId1CL=Prof Id 1 (R.U.T.) ProfId2CL=- @@ -161,17 +175,17 @@ ProfId3CL=- ProfId4CL=- ProfId5CL=- ProfId6CL=- -ProfId1CM=Id. prof. 1 (Trade Register) -ProfId2CM=Id. prof. 2 (Taxpayer No.) -ProfId3CM=Id. prof. 3 (Decree of creation) -ProfId4CM=Id. prof. 4 (Certificate of deposits) -ProfId5CM=Id. prof. 5 (Others) +ProfId1CM=আইডি অধ্যাপক 1 (বাণিজ্য নিবন্ধন) +ProfId2CM=আইডি অধ্যাপক 2 (করদাতা নং) +ProfId3CM=আইডি অধ্যাপক 3 (সৃষ্টি ডিক্রির সংখ্যা) +ProfId4CM=আইডি অধ্যাপক 4 (আমানত শংসাপত্রের নম্বর) +ProfId5CM=আইডি অধ্যাপক 5 (অন্যান্য) ProfId6CM=- -ProfId1ShortCM=Trade Register -ProfId2ShortCM=Taxpayer No. -ProfId3ShortCM=Decree of creation -ProfId4ShortCM=Certificate of deposits -ProfId5ShortCM=Others +ProfId1ShortCM=ট্রেড রেজিস্টার +ProfId2ShortCM=করদাতা নং +ProfId3ShortCM=ক্রিয়েশন ডিক্রির সংখ্যা +ProfId4ShortCM=জমা শংসাপত্রের সংখ্যা +ProfId5ShortCM=অন্যান্য ProfId6ShortCM=- ProfId1CO=Prof Id 1 (R.U.T.) ProfId2CO=- @@ -181,35 +195,43 @@ ProfId5CO=- ProfId6CO=- ProfId1DE=Prof Id 1 (USt.-IdNr) ProfId2DE=Prof Id 2 (USt.-Nr) -ProfId3DE=Prof Id 3 (Handelsregister-Nr.) +ProfId3DE=Prof Id 3 (হ্যান্ডেলরেজিস্টার-Nr.) ProfId4DE=- -ProfId5DE=EORI number +ProfId5DE=ইওআরই সংখ্যা ProfId6DE=- ProfId1ES=Prof Id 1 (CIF/NIF) -ProfId2ES=Prof Id 2 (Social security number) +ProfId2ES=অধ্যাপক আইডি 2 (সামাজিক নিরাপত্তা নম্বর) ProfId3ES=Prof Id 3 (CNAE) -ProfId4ES=Prof Id 4 (Collegiate number) -ProfId5ES=Prof Id 5 (EORI number) +ProfId4ES=প্রফেসর আইডি 4 (কলেজিয়েট নম্বর) +ProfId5ES=Prof Id 5 (EORI নম্বর) ProfId6ES=- ProfId1FR=Prof Id 1 (SIREN) ProfId2FR=Prof Id 2 (SIRET) ProfId3FR=Prof Id 3 (NAF, old APE) ProfId4FR=Prof Id 4 (RCS/RM) -ProfId5FR=Prof Id 5 (numéro EORI) +ProfId5FR=Prof Id 5 (সংখ্যা EORI) ProfId6FR=- -ProfId1ShortFR=SIREN +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- +ProfId1ShortFR=সাইরেন ProfId2ShortFR=SIRET -ProfId3ShortFR=NAF -ProfId4ShortFR=RCS +ProfId3ShortFR=এনএএফ +ProfId4ShortFR=আরসিএস ProfId5ShortFR=EORI ProfId6ShortFR=- -ProfId1GB=Registration Number +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- +ProfId1GB=নিবন্ধন নম্বর ProfId2GB=- ProfId3GB=SIC ProfId4GB=- ProfId5GB=- ProfId6GB=- -ProfId1HN=Id prof. 1 (RTN) +ProfId1HN=আইডি অধ্যাপক ড. 1 (RTN) ProfId2HN=- ProfId3HN=- ProfId4HN=- @@ -218,58 +240,58 @@ ProfId6HN=- ProfId1IN=Prof Id 1 (TIN) ProfId2IN=Prof Id 2 (PAN) ProfId3IN=Prof Id 3 (SRVC TAX) -ProfId4IN=Prof Id 4 +ProfId4IN=প্রফেসর আইডি 4 ProfId5IN=Prof Id 5 ProfId6IN=- ProfId1IT=- ProfId2IT=- ProfId3IT=- ProfId4IT=- -ProfId5IT=EORI number +ProfId5IT=ইওআরই সংখ্যা ProfId6IT=- -ProfId1LU=Id. prof. 1 (R.C.S. Luxembourg) -ProfId2LU=Id. prof. 2 (Business permit) +ProfId1LU=আইডি অধ্যাপক 1 (R.C.S. লুক্সেমবার্গ) +ProfId2LU=আইডি অধ্যাপক 2 (ব্যবসায়িক অনুমতি) ProfId3LU=- ProfId4LU=- -ProfId5LU=EORI number +ProfId5LU=ইওআরই সংখ্যা ProfId6LU=- -ProfId1MA=Id prof. 1 (R.C.) -ProfId2MA=Id prof. 2 (Patente) -ProfId3MA=Id prof. 3 (I.F.) -ProfId4MA=Id prof. 4 (C.N.S.S.) -ProfId5MA=Id prof. 5 (I.C.E.) +ProfId1MA=আইডি অধ্যাপক ড. 1 (R.C.) +ProfId2MA=আইডি অধ্যাপক ড. 2 (পেটেন্ট) +ProfId3MA=আইডি অধ্যাপক ড. 3 (I.F.) +ProfId4MA=আইডি অধ্যাপক ড. 4 (C.N.S.S.) +ProfId5MA=আইডি অধ্যাপক ড. 5 (I.C.E.) ProfId6MA=- -ProfId1MX=Prof Id 1 (R.F.C). -ProfId2MX=Prof Id 2 (R..P. IMSS) -ProfId3MX=Prof Id 3 (Profesional Charter) +ProfId1MX=Prof Id 1 (R.F.C)। +ProfId2MX=Prof Id 2 (R.P. IMSS) +ProfId3MX=Prof Id 3 (পেশাদার সনদ) ProfId4MX=- ProfId5MX=- ProfId6MX=- -ProfId1NL=KVK nummer +ProfId1NL=কেভিকে নম্বর ProfId2NL=- ProfId3NL=- ProfId4NL=Burgerservicenummer (BSN) -ProfId5NL=EORI number +ProfId5NL=ইওআরই সংখ্যা ProfId6NL=- ProfId1PT=Prof Id 1 (NIPC) -ProfId2PT=Prof Id 2 (Social security number) -ProfId3PT=Prof Id 3 (Commercial Record number) -ProfId4PT=Prof Id 4 (Conservatory) -ProfId5PT=Prof Id 5 (EORI number) +ProfId2PT=অধ্যাপক আইডি 2 (সামাজিক নিরাপত্তা নম্বর) +ProfId3PT=প্রফেসর আইডি 3 (বাণিজ্যিক রেকর্ড নম্বর) +ProfId4PT=প্রফেসর আইডি 4 (সংরক্ষণ) +ProfId5PT=Prof Id 5 (EORI নম্বর) ProfId6PT=- -ProfId1SN=RC -ProfId2SN=NINEA +ProfId1SN=আরসি +ProfId2SN=নিনা ProfId3SN=- ProfId4SN=- ProfId5SN=- ProfId6SN=- ProfId1TN=Prof Id 1 (RC) -ProfId2TN=Prof Id 2 (Fiscal matricule) +ProfId2TN=প্রফেসর আইডি 2 (ফিসকাল ম্যাট্রিকুল) ProfId3TN=Prof Id 3 (Douane code) ProfId4TN=Prof Id 4 (BAN) ProfId5TN=- ProfId6TN=- -ProfId1US=Prof Id (FEIN) +ProfId1US=অধ্যাপক আইডি (FEIN) ProfId2US=- ProfId3US=- ProfId4US=- @@ -279,7 +301,7 @@ ProfId1RO=Prof Id 1 (CUI) ProfId2RO=Prof Id 2 (Nr. Înmatriculare) ProfId3RO=Prof Id 3 (CAEN) ProfId4RO=Prof Id 5 (EUID) -ProfId5RO=Prof Id 5 (EORI number) +ProfId5RO=Prof Id 5 (EORI নম্বর) ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) @@ -290,210 +312,219 @@ ProfId6RU=- ProfId1UA=Prof Id 1 (EDRPOU) ProfId2UA=Prof Id 2 (DRFO) ProfId3UA=Prof Id 3 (INN) -ProfId4UA=Prof Id 4 (Certificate) +ProfId4UA=প্রফেসর আইডি 4 (সার্টিফিকেট) ProfId5UA=Prof Id 5 (RNOKPP) ProfId6UA=Prof Id 6 (TRDPAU) -ProfId1DZ=RC -ProfId2DZ=Art. +ProfId1DZ=আরসি +ProfId2DZ=শিল্প. ProfId3DZ=NIF -ProfId4DZ=NIS -VATIntra=VAT ID -VATIntraShort=VAT ID -VATIntraSyntaxIsValid=Syntax is valid -VATReturn=VAT return -ProspectCustomer=Prospect / Customer -Prospect=Prospect -CustomerCard=Customer Card -Customer=Customer -CustomerRelativeDiscount=Relative customer discount -SupplierRelativeDiscount=Relative vendor discount +ProfId4DZ=এনআইএস +VATIntra=ভ্যাট আইডি +VATIntraShort=ভ্যাট আইডি +VATIntraSyntaxIsValid=সিনট্যাক্স বৈধ +VATReturn=ভ্যাট রিটার্ন +ProspectCustomer=প্রত্যাশা গ্রাহক +Prospect=সম্ভাবনা +CustomerCard=গ্রাহক কার্ড +Customer=ক্রেতা +CustomerRelativeDiscount=আপেক্ষিক গ্রাহক ডিসকাউন্ট +SupplierRelativeDiscount=আপেক্ষিক বিক্রেতা ডিসকাউন্ট CustomerRelativeDiscountShort=Relative discount -CustomerAbsoluteDiscountShort=Absolute discount -CompanyHasRelativeDiscount=This customer has a default discount of %s%% -CompanyHasNoRelativeDiscount=This customer has no relative discount by default -HasRelativeDiscountFromSupplier=You have a default discount of %s%% from this vendor -HasNoRelativeDiscountFromSupplier=You have no default relative discount from this vendor -CompanyHasAbsoluteDiscount=This customer has discounts available (credits notes or down payments) for %s %s -CompanyHasDownPaymentOrCommercialDiscount=This customer has discounts available (commercial, down payments) for %s %s -CompanyHasCreditNote=This customer still has credit notes for %s %s -HasNoAbsoluteDiscountFromSupplier=You have no discount credit available from this vendor -HasAbsoluteDiscountFromSupplier=You have discounts available (credits notes or down payments) for %s %s from this vendor -HasDownPaymentOrCommercialDiscountFromSupplier=You have discounts available (commercial, down payments) for %s %s from this vendor -HasCreditNoteFromSupplier=You have credit notes for %s %s from this vendor -CompanyHasNoAbsoluteDiscount=This customer has no discount credit available -CustomerAbsoluteDiscountAllUsers=Absolute customer discounts (granted by all users) -CustomerAbsoluteDiscountMy=Absolute customer discounts (granted by yourself) -SupplierAbsoluteDiscountAllUsers=Absolute vendor discounts (entered by all users) -SupplierAbsoluteDiscountMy=Absolute vendor discounts (entered by yourself) -DiscountNone=None -Vendor=Vendor -Supplier=Vendor -AddContact=Create contact -AddContactAddress=Create contact/address -EditContact=Edit contact -EditContactAddress=Edit contact/address -Contact=Contact/Address -Contacts=Contacts/Addresses -ContactId=Contact id -ContactsAddresses=Contacts/Addresses -FromContactName=Name: -NoContactDefinedForThirdParty=No contact defined for this third party -NoContactDefined=No contact defined -DefaultContact=Default contact/address -ContactByDefaultFor=Default contact/address for -AddThirdParty=Create third party -DeleteACompany=Delete a company -PersonalInformations=Personal data +CustomerAbsoluteDiscountShort=পরম ছাড় +CompanyHasRelativeDiscount=এই গ্রাহকের ডিফল্ট ডিসকাউন্ট %s%% +CompanyHasNoRelativeDiscount=এই গ্রাহকের ডিফল্টরূপে কোন আপেক্ষিক ডিসকাউন্ট নেই +HasRelativeDiscountFromSupplier=আপনার ডিফল্ট ডিসকাউন্ট %s%% এই বিক্রেতার সাথে +HasNoRelativeDiscountFromSupplier=এই বিক্রেতার সাথে কোন ডিফল্ট আপেক্ষিক ডিসকাউন্ট +CompanyHasAbsoluteDiscount=এই গ্রাহকের %sb09a4b739f17fz0এর জন্য ডিসকাউন্ট উপলব্ধ (ক্রেডিট নোট বা ডাউন পেমেন্ট) span> %s +CompanyHasDownPaymentOrCommercialDiscount=এই গ্রাহকের %sএর জন্য ডিসকাউন্ট উপলব্ধ (বাণিজ্যিক, ডাউন পেমেন্ট) > %s +CompanyHasCreditNote=এই গ্রাহকের কাছে এখনও %s %s +HasNoAbsoluteDiscountFromSupplier=এই বিক্রেতা থেকে কোন ডিসকাউন্ট/ক্রেডিট উপলব্ধ +HasAbsoluteDiscountFromSupplier=%sএর জন্য আপনার কাছে ছাড় রয়েছে (ক্রেডিট নোট বা ডাউন পেমেন্ট) > %s এই বিক্রেতার কাছ থেকে +HasDownPaymentOrCommercialDiscountFromSupplier=%sএর জন্য আপনার কাছে ছাড় রয়েছে (বাণিজ্যিক, ডাউন পেমেন্ট) এই বিক্রেতার কাছ থেকে %s +HasCreditNoteFromSupplier=আপনার কাছে %s %s এই বিক্রেতা থেকে +CompanyHasNoAbsoluteDiscount=এই গ্রাহকের কোন ডিসকাউন্ট ক্রেডিট উপলব্ধ নেই +CustomerAbsoluteDiscountAllUsers=পরম গ্রাহক ডিসকাউন্ট (সমস্ত ব্যবহারকারীদের দ্বারা মঞ্জুর) +CustomerAbsoluteDiscountMy=সম্পূর্ণ গ্রাহক ছাড় (নিজের দ্বারা প্রদত্ত) +SupplierAbsoluteDiscountAllUsers=সম্পূর্ণ বিক্রেতা ছাড় (সমস্ত ব্যবহারকারীদের দ্বারা প্রবেশ করানো) +SupplierAbsoluteDiscountMy=সম্পূর্ণ বিক্রেতা ছাড় (নিজের দ্বারা প্রবেশ করানো) +DiscountNone=কোনোটিই নয় +Vendor=বিক্রেতা +Supplier=বিক্রেতা +AddContact=যোগাযোগ তৈরি করুন +AddContactAddress=যোগাযোগ/ঠিকানা তৈরি করুন +EditContact=সম্পাদনা করুন +EditContactAddress=যোগাযোগ/ঠিকানা সম্পাদনা করুন +Contact=যোগাযোগের ঠিকানা +Contacts=পরিচিতি/ঠিকানা +ContactId=যোগাযোগ আইডি +ContactsAddresses=পরিচিতি/ঠিকানা +FromContactName=নাম: +NoContactDefinedForThirdParty=এই তৃতীয় পক্ষের জন্য কোনো যোগাযোগ সংজ্ঞায়িত করা হয়নি +NoContactDefined=কোন যোগাযোগ সংজ্ঞায়িত +DefaultContact=ডিফল্ট যোগাযোগ/ঠিকানা +ContactByDefaultFor=এর জন্য ডিফল্ট যোগাযোগ/ঠিকানা +AddThirdParty=তৃতীয় পক্ষ তৈরি করুন +DeleteACompany=একটি কোম্পানি মুছুন +PersonalInformations=ব্যক্তিগত তথ্য AccountancyCode=Accounting account -CustomerCode=Customer Code -SupplierCode=Vendor Code -CustomerCodeShort=Customer Code -SupplierCodeShort=Vendor Code -CustomerCodeDesc=Customer Code, unique for all customers -SupplierCodeDesc=Vendor Code, unique for all vendors -RequiredIfCustomer=Required if third party is a customer or prospect -RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by the module -ThisIsModuleRules=Rules for this module -ProspectToContact=Prospect to contact -CompanyDeleted=Company "%s" deleted from database. -ListOfContacts=List of contacts/addresses -ListOfContactsAddresses=List of contacts/addresses -ListOfThirdParties=List of Third Parties -ShowCompany=Third Party -ShowContact=Contact-Address -ContactsAllShort=All (No filter) -ContactType=Contact role -ContactForOrders=Order's contact -ContactForOrdersOrShipments=Order's or shipment's contact -ContactForProposals=Proposal's contact -ContactForContracts=Contract's contact -ContactForInvoices=Invoice's contact -NoContactForAnyOrder=This contact is not a contact for any order -NoContactForAnyOrderOrShipments=This contact is not a contact for any order or shipment -NoContactForAnyProposal=This contact is not a contact for any commercial proposal -NoContactForAnyContract=This contact is not a contact for any contract -NoContactForAnyInvoice=This contact is not a contact for any invoice -NewContact=New contact -NewContactAddress=New Contact/Address -MyContacts=My contacts +CustomerCode=গ্রাহক কোড +SupplierCode=বিক্রেতার কোড +CustomerCodeShort=গ্রাহক কোড +SupplierCodeShort=বিক্রেতার কোড +CustomerCodeDesc=গ্রাহক কোড, সমস্ত গ্রাহকদের জন্য অনন্য +SupplierCodeDesc=বিক্রেতা কোড, সমস্ত বিক্রেতাদের জন্য অনন্য +RequiredIfCustomer=তৃতীয় পক্ষ একজন গ্রাহক বা সম্ভাবনা হলে প্রয়োজনীয় +RequiredIfSupplier=তৃতীয় পক্ষ একজন বিক্রেতা হলে প্রয়োজনীয় +ValidityControledByModule=বৈধতা মডিউল দ্বারা নিয়ন্ত্রিত +ThisIsModuleRules=এই মডিউল জন্য নিয়ম +ProspectToContact=যোগাযোগের সম্ভাবনা +CompanyDeleted=কোম্পানি "%s" ডাটাবেস থেকে মুছে ফেলা হয়েছে৷ +ListOfContacts=পরিচিতি/ঠিকানার তালিকা +ListOfContactsAddresses=পরিচিতি/ঠিকানার তালিকা +ListOfThirdParties=তৃতীয় পক্ষের তালিকা +ShowCompany=তৃতীয় পক্ষ +ShowContact=যোগাযোগের ঠিকানা +ContactsAllShort=সব (কোন ফিল্টার নেই) +ContactType=যোগাযোগ ভূমিকা +ContactForOrders=অর্ডার এর যোগাযোগ +ContactForOrdersOrShipments=অর্ডার বা চালানের যোগাযোগ +ContactForProposals=প্রস্তাবের যোগাযোগ +ContactForContracts=চুক্তির যোগাযোগ +ContactForInvoices=চালানের যোগাযোগ +NoContactForAnyOrder=এই যোগাযোগ কোন অর্ডার জন্য একটি যোগাযোগ নয় +NoContactForAnyOrderOrShipments=এই যোগাযোগ কোন অর্ডার বা চালানের জন্য একটি যোগাযোগ নয় +NoContactForAnyProposal=এই যোগাযোগ কোনো বাণিজ্যিক প্রস্তাবের জন্য একটি যোগাযোগ নয় +NoContactForAnyContract=এই যোগাযোগ কোন চুক্তির জন্য একটি পরিচিতি নয় +NoContactForAnyInvoice=এই পরিচিতি কোনো চালানের জন্য একটি পরিচিতি নয় +NewContact=নতুন কন্টাক্ট +NewContactAddress=নতুন যোগাযোগ/ঠিকানা +MyContacts=আমার যোগাযোগ Capital=Capital -CapitalOf=Capital of %s -EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer or vendor +CapitalOf=%s এর মূলধন +EditCompany=কোম্পানি সম্পাদনা করুন +ThisUserIsNot=এই ব্যবহারকারী একটি সম্ভাবনা, গ্রাহক বা বিক্রেতা নয় VATIntraCheck=Check -VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do -VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commission website -VATIntraManualCheck=You can also check manually on the European Commission website %s -ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s). -NorProspectNorCustomer=Not prospect, nor customer -JuridicalStatus=Business entity type -Workforce=Workforce -Staff=Employees -ProspectLevelShort=Potential -ProspectLevel=Prospect potential -ContactPrivate=Private -ContactPublic=Shared -ContactVisibility=Visibility +VATIntraCheckDesc=ভ্যাট আইডিতে অবশ্যই দেশের উপসর্গ থাকতে হবে। লিঙ্ক %s ইউরোপীয় ভ্যাট চেকার পরিষেবা (VIES) ব্যবহার করে যার জন্য ডলিবার সার্ভার থেকে ইন্টারনেট অ্যাক্সেস প্রয়োজন। +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation +VATIntraCheckableOnEUSite=ইউরোপীয় কমিশনের ওয়েবসাইটে ইন্ট্রা-কমিউনিটি ভ্যাট আইডি চেক করুন +VATIntraManualCheck=এছাড়াও আপনি ইউরোপীয় কমিশনের ওয়েবসাইটে ম্যানুয়ালি চেক করতে পারেন %s +ErrorVATCheckMS_UNAVAILABLE=চেক করা সম্ভব নয়। সদস্য রাষ্ট্র দ্বারা চেক পরিষেবা প্রদান করা হয় না (%s)। +NorProspectNorCustomer=না সম্ভাবনা, না গ্রাহক +JuridicalStatus=ব্যবসায়িক সত্তার ধরন +Workforce=কর্মশক্তি +Staff=কর্মচারীদের +ProspectLevelShort=সম্ভাব্য +ProspectLevel=সম্ভাবনা সম্ভাবনা +ContactPrivate=ব্যক্তিগত +ContactPublic=শেয়ার করা হয়েছে +ContactVisibility=দৃশ্যমানতা ContactOthers=Other -OthersNotLinkedToThirdParty=Others, not linked to a third party -ProspectStatus=Prospect status -PL_NONE=None -PL_UNKNOWN=Unknown -PL_LOW=Low -PL_MEDIUM=Medium -PL_HIGH=High +OthersNotLinkedToThirdParty=অন্যরা, তৃতীয় পক্ষের সাথে সংযুক্ত নয় +ProspectStatus=সম্ভাবনা অবস্থা +PL_NONE=কোনোটিই নয় +PL_UNKNOWN=অজানা +PL_LOW=কম +PL_MEDIUM=মধ্যম +PL_HIGH=উচ্চ TE_UNKNOWN=- -TE_STARTUP=Startup -TE_GROUP=Large company -TE_MEDIUM=Medium company -TE_ADMIN=Governmental -TE_SMALL=Small company -TE_RETAIL=Retailer -TE_WHOLE=Wholesaler -TE_PRIVATE=Private individual +TE_STARTUP=স্টার্টআপ +TE_GROUP=বড় কোম্পানি +TE_MEDIUM=মাঝারি কোম্পানি +TE_ADMIN=সরকারী +TE_SMALL=ছোট কোম্পানি +TE_RETAIL=খুচরা বিক্রেতা +TE_WHOLE=পাইকারী বিক্রেতা +TE_PRIVATE=একান্ত ব্যক্তিগত TE_OTHER=Other -StatusProspect-1=Do not contact -StatusProspect0=Never contacted -StatusProspect1=To be contacted -StatusProspect2=Contact in process -StatusProspect3=Contact done -ChangeDoNotContact=Change status to 'Do not contact' -ChangeNeverContacted=Change status to 'Never contacted' -ChangeToContact=Change status to 'To be contacted' -ChangeContactInProcess=Change status to 'Contact in process' -ChangeContactDone=Change status to 'Contact done' -ProspectsByStatus=Prospects by status -NoParentCompany=None -ExportCardToFormat=Export card to format -ContactNotLinkedToCompany=Contact not linked to any third party -DolibarrLogin=Dolibarr login -NoDolibarrAccess=No Dolibarr access -ExportDataset_company_1=Third-parties (companies/foundations/physical people) and their properties -ExportDataset_company_2=Contacts and their properties -ImportDataset_company_1=Third-parties and their properties -ImportDataset_company_2=Third-parties additional contacts/addresses and attributes -ImportDataset_company_3=Third-parties Bank accounts -ImportDataset_company_4=Third-parties Sales representatives (assign sales representatives/users to companies) -PriceLevel=Price Level -PriceLevelLabels=Price Level Labels -DeliveryAddress=Delivery address -AddAddress=Add address -SupplierCategory=Vendor category -JuridicalStatus200=Independent -DeleteFile=Delete file -ConfirmDeleteFile=Are you sure you want to delete this file? -AllocateCommercial=Assigned to sales representative -Organization=Organization -FiscalYearInformation=Fiscal Year -FiscalMonthStart=Starting month of the fiscal year -SocialNetworksInformation=Social networks -SocialNetworksFacebookURL=Facebook URL -SocialNetworksTwitterURL=Twitter URL -SocialNetworksLinkedinURL=Linkedin URL -SocialNetworksInstagramURL=Instagram URL -SocialNetworksYoutubeURL=Youtube URL +StatusProspect-1=যোগাযোগ করবেন না +StatusProspect0=কখনো যোগাযোগ করেনি +StatusProspect1=যোগাযোগ করা হবে +StatusProspect2=প্রক্রিয়াধীন যোগাযোগ +StatusProspect3=যোগাযোগ সম্পন্ন +ChangeDoNotContact=স্থিতি পরিবর্তন করুন 'যোগাযোগ করবেন না' +ChangeNeverContacted='কখনও যোগাযোগ করা হয়নি' স্থিতি পরিবর্তন করুন +ChangeToContact=স্থিতি পরিবর্তন করে 'যোগাযোগ করতে হবে' +ChangeContactInProcess='প্রক্রিয়ায় যোগাযোগ' স্থিতি পরিবর্তন করুন +ChangeContactDone='যোগাযোগ সম্পন্ন' স্থিতি পরিবর্তন করুন +ProspectsByStatus=অবস্থা দ্বারা সম্ভাবনা +NoParentCompany=কোনোটিই নয় +ExportCardToFormat=ফরম্যাটে কার্ড রপ্তানি করুন +ContactNotLinkedToCompany=যোগাযোগ কোনো তৃতীয় পক্ষের সাথে লিঙ্ক করা নেই +DolibarrLogin=Dolibarr লগইন +NoDolibarrAccess=Dolibarr অ্যাক্সেস নেই +ExportDataset_company_1=তৃতীয় পক্ষ (কোম্পানী/ফাউন্ডেশন/ভৌতিক ব্যক্তি) এবং তাদের বৈশিষ্ট্য +ExportDataset_company_2=পরিচিতি এবং তাদের বৈশিষ্ট্য +ImportDataset_company_1=তৃতীয় পক্ষ এবং তাদের বৈশিষ্ট্য +ImportDataset_company_2=তৃতীয় পক্ষের অতিরিক্ত পরিচিতি/ঠিকানা এবং বৈশিষ্ট্য +ImportDataset_company_3=তৃতীয় পক্ষের ব্যাঙ্ক অ্যাকাউন্ট +ImportDataset_company_4=তৃতীয় পক্ষের বিক্রয় প্রতিনিধি (কোম্পানিগুলিতে বিক্রয় প্রতিনিধি/ব্যবহারকারীকে বরাদ্দ করুন) +PriceLevel=মূল্যস্তর +PriceLevelLabels=মূল্য স্তর লেবেল +DeliveryAddress=সরবরাহের ঠিকানা +AddAddress=ঠিকানা যোগ করুন +SupplierCategory=বিক্রেতা বিভাগ +JuridicalStatus200=স্বাধীন +DeleteFile=নথিপত্র মুছে দাও +ConfirmDeleteFile=আপনি কি এই ফাইলটি %s মুছতে চান? +AllocateCommercial=বিক্রয় প্রতিনিধিকে নিয়োগ করা হয়েছে +Organization=সংগঠন +FiscalYearInformation=অর্থবছর +FiscalMonthStart=অর্থবছরের শুরুর মাস +SocialNetworksInformation=সামাজিক যোগাযোগ +SocialNetworksFacebookURL=ফেসবুক ইউআরএল +SocialNetworksTwitterURL=টুইটার ইউআরএল +SocialNetworksLinkedinURL=লিঙ্কডইন ইউআরএল +SocialNetworksInstagramURL=ইনস্টাগ্রাম ইউআরএল +SocialNetworksYoutubeURL=ইউটিউব ইউআরএল SocialNetworksGithubURL=Github URL -YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. -YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party -ListSuppliersShort=List of Vendors -ListProspectsShort=List of Prospects -ListCustomersShort=List of Customers -ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s Third Parties which were modified -UniqueThirdParties=Total number of Third Parties +YouMustAssignUserMailFirst=একটি ইমেল বিজ্ঞপ্তি যোগ করতে সক্ষম হওয়ার আগে আপনাকে অবশ্যই এই ব্যবহারকারীর জন্য একটি ইমেল তৈরি করতে হবে৷ +YouMustCreateContactFirst=ইমেল বিজ্ঞপ্তি যোগ করতে সক্ষম হতে, আপনাকে প্রথমে তৃতীয় পক্ষের জন্য বৈধ ইমেল সহ পরিচিতিগুলিকে সংজ্ঞায়িত করতে হবে +ListSuppliersShort=বিক্রেতাদের তালিকা +ListProspectsShort=সম্ভাবনার তালিকা +ListCustomersShort=গ্রাহকদের তালিকা +ThirdPartiesArea=তৃতীয় পক্ষ/পরিচিতি +LastModifiedThirdParties=সর্বশেষ %s তৃতীয় পক্ষ যা সংশোধন করা হয়েছে +UniqueThirdParties=তৃতীয় পক্ষের মোট সংখ্যা InActivity=Opened ActivityCeased=Closed -ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services mapped to %s -CurrentOutstandingBill=Current outstanding bill -OutstandingBill=Max. for outstanding bill -OutstandingBillReached=Max. for outstanding bill reached -OrderMinAmount=Minimum amount for order -MonkeyNumRefModelDesc=Return a number in the format %syymm-nnnn for the customer code and %syymm-nnnn for the vendor code where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0. -LeopardNumRefModelDesc=The code is free. This code can be modified at any time. -ManagingDirectors=Manager(s) name (CEO, director, president...) -MergeOriginThirdparty=Duplicate third party (third party you want to delete) -MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. -ThirdpartiesMergeSuccess=Third parties have been merged -SaleRepresentativeLogin=Login of sales representative -SaleRepresentativeFirstname=First name of sales representative -SaleRepresentativeLastname=Last name of sales representative -ErrorThirdpartiesMerge=There was an error when deleting the third parties. Please check the log. Changes have been reverted. -NewCustomerSupplierCodeProposed=Customer or Vendor code already used, a new code is suggested -KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address +ThirdPartyIsClosed=তৃতীয় পক্ষ বন্ধ +ProductsIntoElements=%s এ ম্যাপ করা পণ্য/পরিষেবার তালিকা +CurrentOutstandingBill=বর্তমান বকেয়া বিল +OutstandingBill=সর্বোচ্চ বকেয়া বিলের জন্য +OutstandingBillReached=সর্বোচ্চ বকেয়া বিল পৌঁছনোর জন্য +OrderMinAmount=অর্ডারের জন্য সর্বনিম্ন পরিমাণ +MonkeyNumRefModelDesc=ফরম্যাটে একটি নম্বর ফেরত দিন %sগ্রাহকের কোডের জন্য yymm-nnnn এবং %sযেখানে yy আছে সেই বিক্রেতার কোডের জন্য yymm-nnnn বছর, mm হল মাস এবং nnnn হল একটি ক্রমিক স্বয়ংক্রিয়ভাবে বৃদ্ধি করা সংখ্যা যার কোন বিরতি নেই এবং 0 এ ফেরত দেওয়া হবে না। +LeopardNumRefModelDesc=কোড বিনামূল্যে. এই কোড যে কোন সময় পরিবর্তন করা যেতে পারে. +ManagingDirectors=ম্যানেজার(দের) নাম (সিইও, ডিরেক্টর, প্রেসিডেন্ট...) +MergeOriginThirdparty=সদৃশ তৃতীয় পক্ষ (তৃতীয় পক্ষ আপনি মুছতে চান) +MergeThirdparties=তৃতীয় পক্ষকে একত্রিত করুন +ConfirmMergeThirdparties=আপনি কি বর্তমানের সাথে নির্বাচিত তৃতীয় পক্ষকে মার্জ করার বিষয়ে নিশ্চিত? সমস্ত লিঙ্ক করা বস্তু (চালান, আদেশ, ...) বর্তমান তৃতীয় পক্ষের কাছে সরানো হবে, তারপরে নির্বাচিত তৃতীয় পক্ষ মুছে ফেলা হবে৷ +ThirdpartiesMergeSuccess=তৃতীয় পক্ষকে একীভূত করা হয়েছে +SaleRepresentativeLogin=বিক্রয় প্রতিনিধির লগইন +SaleRepresentativeFirstname=বিক্রয় প্রতিনিধির প্রথম নাম +SaleRepresentativeLastname=বিক্রয় প্রতিনিধির শেষ নাম +ErrorThirdpartiesMerge=তৃতীয় পক্ষগুলি মুছে ফেলার সময় একটি ত্রুটি ছিল৷ লগ চেক করুন. পরিবর্তন প্রত্যাবর্তন করা হয়েছে. +NewCustomerSupplierCodeProposed=গ্রাহক বা বিক্রেতা কোড ইতিমধ্যে ব্যবহৃত, একটি নতুন কোড প্রস্তাবিত হয় +KeepEmptyIfGenericAddress=এই ঠিকানাটি একটি জেনেরিক ঠিকানা হলে এই ক্ষেত্রটি খালি রাখুন৷ #Imports -PaymentTypeCustomer=Payment Type - Customer -PaymentTermsCustomer=Payment Terms - Customer -PaymentTypeSupplier=Payment Type - Vendor -PaymentTermsSupplier=Payment Term - Vendor -PaymentTypeBoth=Payment Type - Customer and Vendor -MulticurrencyUsed=Use Multicurrency -MulticurrencyCurrency=Currency -InEEC=Europe (EEC) -RestOfEurope=Rest of Europe (EEC) -OutOfEurope=Out of Europe (EEC) -CurrentOutstandingBillLate=Current outstanding bill late -BecarefullChangeThirdpartyBeforeAddProductToInvoice=Be carefull, depending on your product price settings, you should change thirdparty before adding product to POS. +PaymentTypeCustomer=পেমেন্টের ধরন - গ্রাহক +PaymentTermsCustomer=অর্থপ্রদানের শর্তাবলী - গ্রাহক +PaymentTypeSupplier=অর্থপ্রদানের ধরন - বিক্রেতা +PaymentTermsSupplier=অর্থপ্রদানের মেয়াদ - বিক্রেতা +PaymentTypeBoth=অর্থপ্রদানের ধরন - গ্রাহক এবং বিক্রেতা +MulticurrencyUsed=মাল্টিকারেন্সি ব্যবহার করুন +MulticurrencyCurrency=মুদ্রা +InEEC=ইউরোপ (EEC) +RestOfEurope=ইউরোপের বাকি অংশ (EEC) +OutOfEurope=ইউরোপের বাইরে (EEC) +CurrentOutstandingBillLate=বর্তমান বকেয়া বিল বিলম্বিত +BecarefullChangeThirdpartyBeforeAddProductToInvoice=সতর্ক থাকুন, আপনার পণ্যের মূল্য সেটিংসের উপর নির্ভর করে, POS-এ পণ্য যোগ করার আগে আপনার তৃতীয় পক্ষ পরিবর্তন করা উচিত। +EmailAlreadyExistsPleaseRewriteYourCompanyName=ইমেল ইতিমধ্যেই বিদ্যমান আছে অনুগ্রহ করে আপনার কোম্পানির নাম পুনরায় লিখুন +TwoRecordsOfCompanyName=এই কোম্পানির জন্য একাধিক রেকর্ড বিদ্যমান, আপনার অংশীদারিত্বের অনুরোধ সম্পূর্ণ করতে আমাদের সাথে যোগাযোগ করুন +CompanySection=কোম্পানি বিভাগ +ShowSocialNetworks=সামাজিক নেটওয়ার্ক দেখান +HideSocialNetworks=সামাজিক নেটওয়ার্ক লুকান +ExternalSystemID=বাহ্যিক সিস্টেম আইডি +IDOfPaymentInAnExternalSystem=একটি বাহ্যিক সিস্টেমে পেমেন্ট মোডের আইডি (যেমন স্ট্রাইপ, পেপ্যাল, ...) +AADEWebserviceCredentials=AADE ওয়েবসার্ভিস শংসাপত্র +ThirdPartyMustBeACustomerToCreateBANOnStripe=স্ট্রাইপ সাইডে তার ব্যাঙ্কের তথ্য তৈরি করার অনুমতি দেওয়ার জন্য তৃতীয় পক্ষকে অবশ্যই একজন গ্রাহক হতে হবে diff --git a/htdocs/langs/bn_BD/compta.lang b/htdocs/langs/bn_BD/compta.lang index e53801ab81c..9c875ced1f8 100644 --- a/htdocs/langs/bn_BD/compta.lang +++ b/htdocs/langs/bn_BD/compta.lang @@ -1,312 +1,315 @@ # Dolibarr language file - Source file is en_US - compta -MenuFinancial=Billing | Payment -TaxModuleSetupToModifyRules=Go to Taxes module setup to modify rules for calculation -TaxModuleSetupToModifyRulesLT=Go to Company setup to modify rules for calculation -OptionMode=Option for accountancy -OptionModeTrue=Option Incomes-Expenses -OptionModeVirtual=Option Claims-Debts -OptionModeTrueDesc=In this context, the turnover is calculated over payments (date of payments). The validity of the figures is assured only if the book-keeping is scrutinized through the input/output on the accounts via invoices. -OptionModeVirtualDesc=In this context, the turnover is calculated over invoices (date of validation). When these invoices are due, whether they have been paid or not, they are listed in the turnover output. -FeatureIsSupportedInInOutModeOnly=Feature only available in CREDITS-DEBTS accountancy mode (See Accountancy module configuration) -VATReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Tax module setup. -LTReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Company setup. -Param=Setup -RemainingAmountPayment=Amount payment remaining: +MenuFinancial=বিলিং | পেমেন্ট +TaxModuleSetupToModifyRules=গণনার নিয়ম পরিবর্তন করতে ট্যাক্স মডিউল সেটআপ এ যান +TaxModuleSetupToModifyRulesLT=গণনার নিয়ম পরিবর্তন করতে কোম্পানি সেটআপ এ যান +OptionMode=অ্যাকাউন্টেন্সির জন্য বিকল্প +OptionModeTrue=বিকল্প আয়-ব্যয় +OptionModeVirtual=বিকল্প দাবি-দেনা +OptionModeTrueDesc=এই প্রেক্ষাপটে, টার্নওভার পেমেন্টের উপর গণনা করা হয় (প্রদানের তারিখ)। ইনভয়েসের মাধ্যমে অ্যাকাউন্টে ইনপুট/আউটপুটের মাধ্যমে বই-কিপিং যাচাই করা হলেই পরিসংখ্যানের বৈধতা নিশ্চিত করা হয়। +OptionModeVirtualDesc=এই প্রেক্ষাপটে, টার্নওভার ইনভয়েসের উপর গণনা করা হয় (বৈধকরণের তারিখ)। যখন এই চালানগুলি বকেয়া থাকে, সেগুলি পরিশোধ করা হয়েছে বা না করা হয়েছে, সেগুলি টার্নওভার আউটপুটে তালিকাভুক্ত করা হয়৷ +FeatureIsSupportedInInOutModeOnly=বৈশিষ্ট্যটি শুধুমাত্র ক্রেডিট-ডেবিটিএস অ্যাকাউন্টেন্সি মোডে উপলব্ধ (অ্যাকাউন্টেন্সি মডিউল কনফিগারেশন দেখুন) +VATReportBuildWithOptionDefinedInModule=এখানে দেখানো পরিমাণ ট্যাক্স মডিউল সেটআপ দ্বারা সংজ্ঞায়িত নিয়ম ব্যবহার করে গণনা করা হয়। +LTReportBuildWithOptionDefinedInModule=এখানে দেখানো পরিমাণ কোম্পানি সেটআপ দ্বারা সংজ্ঞায়িত নিয়ম ব্যবহার করে গণনা করা হয়। +Param=সেটআপ +RemainingAmountPayment=বাকি পেমেন্টের পরিমাণ: Account=Account -Accountparent=Parent account -Accountsparent=Parent accounts -Income=Income -Outcome=Expense -MenuReportInOut=Income / Expense -ReportInOut=Balance of income and expenses -ReportTurnover=Turnover invoiced -ReportTurnoverCollected=Turnover collected -PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party -PaymentsNotLinkedToUser=Payments not linked to any user -Profit=Profit -AccountingResult=Accounting result -BalanceBefore=Balance (before) +Accountparent=পিতামাতার অ্যাকাউন্ট +Accountsparent=পিতামাতার অ্যাকাউন্ট +Income=আয় +Outcome=ব্যয় +MenuReportInOut=আয়/ব্যয় +ReportInOut=আয় এবং ব্যয়ের ভারসাম্য +ReportTurnover=টার্নওভার চালান +ReportTurnoverCollected=টার্নওভার সংগৃহীত +PaymentsNotLinkedToInvoice=অর্থপ্রদান কোনো চালানের সাথে সংযুক্ত নয়, তাই কোনো তৃতীয় পক্ষের সাথে সংযুক্ত নয়৷ +PaymentsNotLinkedToUser=পেমেন্ট কোনো ব্যবহারকারীর সাথে লিঙ্ক করা হয় না +Profit=লাভ +AccountingResult=অ্যাকাউন্টিং ফলাফল +BalanceBefore=ভারসাম্য (আগে) Balance=Balance -Debit=Debit -Credit=Credit -AccountingDebit=Debit -AccountingCredit=Credit -Piece=Accounting Doc. -AmountHTVATRealReceived=Net collected -AmountHTVATRealPaid=Net paid -VATToPay=Tax sales -VATReceived=Tax received -VATToCollect=Tax purchases -VATSummary=Tax monthly -VATBalance=Tax Balance -VATPaid=Tax paid -LT1Summary=Tax 2 summary -LT2Summary=Tax 3 summary -LT1SummaryES=RE Balance -LT2SummaryES=IRPF Balance -LT1SummaryIN=CGST Balance -LT2SummaryIN=SGST Balance -LT1Paid=Tax 2 paid -LT2Paid=Tax 3 paid -LT1PaidES=RE Paid -LT2PaidES=IRPF Paid -LT1PaidIN=CGST Paid -LT2PaidIN=SGST Paid -LT1Customer=Tax 2 sales -LT1Supplier=Tax 2 purchases -LT1CustomerES=RE sales -LT1SupplierES=RE purchases -LT1CustomerIN=CGST sales -LT1SupplierIN=CGST purchases -LT2Customer=Tax 3 sales -LT2Supplier=Tax 3 purchases -LT2CustomerES=IRPF sales -LT2SupplierES=IRPF purchases -LT2CustomerIN=SGST sales -LT2SupplierIN=SGST purchases -VATCollected=VAT collected -StatusToPay=To pay -SpecialExpensesArea=Area for all special payments -VATExpensesArea=Area for all TVA payments -SocialContribution=Social or fiscal tax -SocialContributions=Social or fiscal taxes -SocialContributionsDeductibles=Deductible social or fiscal taxes -SocialContributionsNondeductibles=Nondeductible social or fiscal taxes -DateOfSocialContribution=Date of social or fiscal tax -LabelContrib=Label contribution -TypeContrib=Type contribution -MenuSpecialExpenses=Special expenses -MenuTaxAndDividends=Taxes and dividends -MenuSocialContributions=Social/fiscal taxes -MenuNewSocialContribution=New social/fiscal tax -NewSocialContribution=New social/fiscal tax -AddSocialContribution=Add social/fiscal tax -ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accounting area -InvoicesArea=Billing and payment area -NewPayment=New payment -PaymentCustomerInvoice=Customer invoice payment -PaymentSupplierInvoice=vendor invoice payment +Debit=ডেবিট +Credit=ক্রেডিট +AccountingDebit=ডেবিট +AccountingCredit=ক্রেডিট +Piece=অ্যাকাউন্টিং ডক। +AmountHTVATRealReceived=নেট সংগৃহীত +AmountHTVATRealPaid=নেট প্রদত্ত +VATToPay=ট্যাক্স বিক্রয় +VATReceived=ট্যাক্স প্রাপ্ত +VATToCollect=ট্যাক্স ক্রয় +VATSummary=মাসিক ট্যাক্স +VATBalance=ট্যাক্স ব্যালেন্স +VATPaid=ট্যাক্স দেওয়া হয়েছে +LT1Summary=ট্যাক্স 2 সারাংশ +LT2Summary=ট্যাক্স 3 সারাংশ +LT1SummaryES=RE ব্যালেন্স +LT2SummaryES=আইআরপিএফ ব্যালেন্স +LT1SummaryIN=CGST ব্যালেন্স +LT2SummaryIN=SGST ব্যালেন্স +LT1Paid=ট্যাক্স 2 দেওয়া হয়েছে +LT2Paid=ট্যাক্স 3 দেওয়া হয়েছে +LT1PaidES=RE প্রদান করা হয়েছে +LT2PaidES=আইআরপিএফ প্রদত্ত +LT1PaidIN=CGST দেওয়া হয়েছে +LT2PaidIN=SGST প্রদত্ত +LT1Customer=কর 2 বিক্রয় +LT1Supplier=ট্যাক্স 2 ক্রয় +LT1CustomerES=RE বিক্রয় +LT1SupplierES=RE ক্রয় +LT1CustomerIN=সিজিএসটি বিক্রয় +LT1SupplierIN=CGST কেনাকাটা +LT2Customer=কর 3 বিক্রয় +LT2Supplier=ট্যাক্স 3 ক্রয় +LT2CustomerES=আইআরপিএফ বিক্রয় +LT2SupplierES=আইআরপিএফ কেনাকাটা +LT2CustomerIN=SGST বিক্রয় +LT2SupplierIN=SGST কেনাকাটা +VATCollected=ভ্যাট আদায় করেছে +StatusToPay=পরিশোধ করতে +SpecialExpensesArea=সমস্ত বিশেষ অর্থপ্রদানের জন্য এলাকা +VATExpensesArea=সমস্ত TVA পেমেন্টের জন্য এলাকা +SocialContribution=সামাজিক বা রাজস্ব ট্যাক্স +SocialContributions=সামাজিক বা রাজস্ব কর +SocialContributionsDeductibles=কর্তনযোগ্য সামাজিক বা রাজস্ব ট্যাক্স +SocialContributionsNondeductibles=অনাদায়ী সামাজিক বা রাজস্ব ট্যাক্স +DateOfSocialContribution=সামাজিক বা আর্থিক করের তারিখ +LabelContrib=লেবেল অবদান +TypeContrib=অবদান টাইপ করুন +MenuSpecialExpenses=বিশেষ খরচ +MenuTaxAndDividends=কর এবং লভ্যাংশ +MenuSocialContributions=সামাজিক/আর্থিক কর +MenuNewSocialContribution=নতুন সামাজিক/আর্থিক কর +NewSocialContribution=নতুন সামাজিক/আর্থিক কর +AddSocialContribution=সামাজিক/আর্থিক কর যোগ করুন +ContributionsToPay=সামাজিক/আর্থিক কর দিতে হবে +AccountancyTreasuryArea=অ্যাকাউন্টিং এলাকা +InvoicesArea=বিলিং এবং পেমেন্ট এলাকা +NewPayment=নতুন পেমেন্ট +PaymentCustomerInvoice=গ্রাহক চালান পেমেন্ট +PaymentSupplierInvoice=বিক্রেতা চালান পেমেন্ট PaymentSocialContribution=Social/fiscal tax payment -PaymentVat=VAT payment -AutomaticCreationPayment=Automatically record the payment -ListPayment=List of payments -ListOfCustomerPayments=List of customer payments -ListOfSupplierPayments=List of vendor payments -DateStartPeriod=Date start period -DateEndPeriod=Date end period -newLT1Payment=New tax 2 payment -newLT2Payment=New tax 3 payment -LT1Payment=Tax 2 payment -LT1Payments=Tax 2 payments -LT2Payment=Tax 3 payment -LT2Payments=Tax 3 payments -newLT1PaymentES=New RE payment -newLT2PaymentES=New IRPF payment -LT1PaymentES=RE Payment -LT1PaymentsES=RE Payments -LT2PaymentES=IRPF Payment -LT2PaymentsES=IRPF Payments -VATPayment=Sales tax payment -VATPayments=Sales tax payments -VATDeclarations=VAT declarations -VATDeclaration=VAT declaration -VATRefund=Sales tax refund -NewVATPayment=New sales tax payment -NewLocalTaxPayment=New tax %s payment -Refund=Refund -SocialContributionsPayments=Social/fiscal taxes payments -ShowVatPayment=Show VAT payment -TotalToPay=Total to pay -BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters) -CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=Vendor accounting code -CustomerAccountancyCodeShort=Cust. account. code -SupplierAccountancyCodeShort=Sup. account. code +PaymentVat=ভ্যাট প্রদান +AutomaticCreationPayment=স্বয়ংক্রিয়ভাবে পেমেন্ট রেকর্ড +ListPayment=অর্থপ্রদানের তালিকা +ListOfCustomerPayments=গ্রাহক পেমেন্ট তালিকা +ListOfSupplierPayments=বিক্রেতা পেমেন্ট তালিকা +DateStartPeriod=তারিখ শুরুর সময়কাল +DateEndPeriod=তারিখ শেষ সময়কাল +newLT1Payment=নতুন ট্যাক্স 2 পেমেন্ট +newLT2Payment=নতুন ট্যাক্স 3 পেমেন্ট +LT1Payment=ট্যাক্স 2 পেমেন্ট +LT1Payments=ট্যাক্স 2 পেমেন্ট +LT2Payment=ট্যাক্স 3 পেমেন্ট +LT2Payments=ট্যাক্স 3 পেমেন্ট +newLT1PaymentES=নতুন RE পেমেন্ট +newLT2PaymentES=নতুন IRPF পেমেন্ট +LT1PaymentES=RE পেমেন্ট +LT1PaymentsES=RE পেমেন্ট +LT2PaymentES=আইআরপিএফ পেমেন্ট +LT2PaymentsES=আইআরপিএফ পেমেন্ট +VATPayment=বিক্রয় কর প্রদান +VATPayments=বিক্রয় কর প্রদান +VATDeclarations=ভ্যাট ঘোষণা +VATDeclaration=ভ্যাট ঘোষণা +VATRefund=বিক্রয় কর ফেরত +NewVATPayment=নতুন বিক্রয় কর প্রদান +NewLocalTaxPayment=নতুন কর %s পেমেন্ট +Refund=ফেরত +SocialContributionsPayments=সামাজিক/আর্থিক কর প্রদান +ShowVatPayment=ভ্যাট পেমেন্ট দেখান +TotalToPay=পরিশোধ করতে মোট +BalanceVisibilityDependsOnSortAndFilters=সারণীটি %s এ সাজানো থাকলে এবং 1টি ব্যাঙ্ক অ্যাকাউন্টে ফিল্টার করা থাকলেই এই তালিকায় ব্যালেন্স দেখা যায় (অন্য কোনো ফিল্টার ছাড়াই) +CustomerAccountancyCode=গ্রাহক অ্যাকাউন্টিং কোড +SupplierAccountancyCode=বিক্রেতা অ্যাকাউন্টিং কোড +CustomerAccountancyCodeShort=কাস্ট। অ্যাকাউন্ট কোড +SupplierAccountancyCodeShort=Sup. অ্যাকাউন্ট কোড AccountNumber=Account number NewAccountingAccount=New account -Turnover=Turnover invoiced -TurnoverCollected=Turnover collected -SalesTurnoverMinimum=Minimum turnover -ByExpenseIncome=By expenses & incomes -ByThirdParties=By third parties -ByUserAuthorOfInvoice=By invoice author +Turnover=টার্নওভার চালান +TurnoverCollected=টার্নওভার সংগৃহীত +SalesTurnoverMinimum=ন্যূনতম টার্নওভার +ByExpenseIncome=ব্যয় এবং আয় দ্বারা +ByThirdParties=তৃতীয় পক্ষের দ্বারা +ByUserAuthorOfInvoice=চালান লেখক দ্বারা CheckReceipt=Deposit slip CheckReceiptShort=Deposit slip -LastCheckReceiptShort=Latest %s deposit slips -LastPaymentForDepositShort=Latest %s %s deposit slips -NewCheckReceipt=New discount -NewCheckDeposit=New deposit slip -NewCheckDepositOn=Create receipt for deposit on account: %s -NoWaitingChecks=No checks awaiting deposit. -NoWaitingPaymentForDeposit=No %s payment awaiting deposit. -DateChequeReceived=Check receiving date -DatePaymentReceived=Date of document reception -NbOfCheques=No. of checks -PaySocialContribution=Pay a social/fiscal tax -PayVAT=Pay a VAT declaration -PaySalary=Pay a salary card -ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid ? -ConfirmPayVAT=Are you sure you want to classify this VAT declaration as paid ? -ConfirmPaySalary=Are you sure you want to classify this salary card as paid? -DeleteSocialContribution=Delete a social or fiscal tax payment -DeleteVAT=Delete a VAT declaration -DeleteSalary=Delete a salary card -DeleteVariousPayment=Delete a various payment -ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment ? -ConfirmDeleteVAT=Are you sure you want to delete this VAT declaration ? -ConfirmDeleteSalary=Are you sure you want to delete this salary ? -ConfirmDeleteVariousPayment=Are you sure you want to delete this various payment ? -ExportDataset_tax_1=Social and fiscal taxes and payments -CalcModeVATDebt=Mode %sVAT on commitment accounting%s. -CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s. -CalcModeDebt=Analysis of known recorded documents -CalcModeEngagement=Analysis of known recorded payments -CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table. -CalcModeNoBookKeeping=Even if they are not yet accounted in Ledger -CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s -CalcModeLT1Debt=Mode %sRE on customer invoices%s -CalcModeLT1Rec= Mode %sRE on suppliers invoices%s -CalcModeLT2= Mode %sIRPF on customer invoices - suppliers invoices%s -CalcModeLT2Debt=Mode %sIRPF on customer invoices%s -CalcModeLT2Rec= Mode %sIRPF on suppliers invoices%s -AnnualSummaryDueDebtMode=Balance of income and expenses, annual summary -AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary -AnnualByCompanies=Balance of income and expenses, by predefined groups of account -AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting. -AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting. -SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger -SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger -SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table -RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included -RulesAmountWithTaxExcluded=- Amounts of invoices shown are with all taxes excluded -RulesResultDue=- It includes all invoices, expenses, VAT, donations, salaries, whether they are paid or not.
      - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries, the date of end of period is used. -RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries.
      - It is based on the payment dates of the invoices, expenses, VAT, donations and salaries. -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
      - It is based on the billing date of these invoices.
      -RulesCAIn=- It includes all the effective payments of invoices received from customers.
      - It is based on the payment date of these invoices
      -RulesCATotalSaleJournal=It includes all credit lines from the Sale journal. -RulesSalesTurnoverOfIncomeAccounts=It includes (credit - debit) of lines for product accounts in group INCOME -RulesAmountOnInOutBookkeepingRecord=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" -RulesResultBookkeepingPredefined=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" -RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting accounts grouped by personalized groups -SeePageForSetup=See menu %s for setup -DepositsAreNotIncluded=- Down payment invoices are not included -DepositsAreIncluded=- Down payment invoices are included -LT1ReportByMonth=Tax 2 report by month -LT2ReportByMonth=Tax 3 report by month -LT1ReportByCustomers=Report tax 2 by third party -LT2ReportByCustomers=Report tax 3 by third party -LT1ReportByCustomersES=Report by third party RE -LT2ReportByCustomersES=Report by third party IRPF -VATReport=Sales tax report -VATReportByPeriods=Sales tax report by period -VATReportByMonth=Sales tax report by month -VATReportByRates=Sales tax report by rate -VATReportByThirdParties=Sales tax report by third party -VATReportByCustomers=Sales tax report by customer -VATReportByCustomersInInputOutputMode=Report by the customer VAT collected and paid -VATReportByQuartersInInputOutputMode=Report by Sales tax rate of the tax collected and paid -VATReportShowByRateDetails=Show details of this rate -LT1ReportByQuarters=Report tax 2 by rate -LT2ReportByQuarters=Report tax 3 by rate -LT1ReportByQuartersES=Report by RE rate -LT2ReportByQuartersES=Report by IRPF rate -SeeVATReportInInputOutputMode=See report %sVAT collection%s for a standard calculation -SeeVATReportInDueDebtMode=See report %sVAT on debit%s for a calculation with an option on the invoicing -RulesVATInServices=- For services, the report includes the VAT of payments actually received or paid on the basis of the date of payment. -RulesVATInProducts=- For material assets, the report includes the VAT on the basis of the date of payment. -RulesVATDueServices=- For services, the report includes VAT of due invoices, paid or not, based on the invoice date. -RulesVATDueProducts=- For material assets, the report includes the VAT of due invoices, based on the invoice date. -OptionVatInfoModuleComptabilite=Note: For material assets, it should use the date of delivery to be more fair. -ThisIsAnEstimatedValue=This is a preview, based on business events and not from the final ledger table, so final results may differ from this preview values -PercentOfInvoice=%%/invoice -NotUsedForGoods=Not used on goods -ProposalStats=Statistics on proposals -OrderStats=Statistics on orders -InvoiceStats=Statistics on bills -Dispatch=Dispatching -Dispatched=Dispatched -ToDispatch=To dispatch -ThirdPartyMustBeEditAsCustomer=Third party must be defined as a customer -SellsJournal=Sales Journal -PurchasesJournal=Purchases Journal -DescSellsJournal=Sales Journal -DescPurchasesJournal=Purchases Journal -CodeNotDef=Not defined -WarningDepositsNotIncluded=Down payment invoices are not included in this version with this accountancy module. -DatePaymentTermCantBeLowerThanObjectDate=Payment term date can't be lower than object date. -Pcg_version=Chart of accounts models -Pcg_type=Pcg type -Pcg_subtype=Pcg subtype -InvoiceLinesToDispatch=Invoice lines to dispatch -ByProductsAndServices=By product and service -RefExt=External ref -ToCreateAPredefinedInvoice=To create a template invoice, create a standard invoice, then, without validating it, click on button "%s". -LinkedOrder=Link to order -Mode1=Method 1 -Mode2=Method 2 -CalculationRuleDesc=To calculate total VAT, there is two methods:
      Method 1 is rounding vat on each line, then summing them.
      Method 2 is summing all vat on each line, then rounding result.
      Final result may differs from few cents. Default mode is mode %s. -CalculationRuleDescSupplier=According to vendor, choose appropriate method to apply same calculation rule and get same result expected by your vendor. -TurnoverPerProductInCommitmentAccountingNotRelevant=The report of Turnover collected per product is not available. This report is only available for turnover invoiced. -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The report of Turnover collected per sale tax rate is not available. This report is only available for turnover invoiced. -CalculationMode=Calculation mode -AccountancyJournal=Accounting code journal -ACCOUNTING_VAT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on sales (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_PAY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for paying VAT -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Credit) -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Debit) -ACCOUNTING_ACCOUNT_CUSTOMER=Account (from the Chart Of Account) used for "customer" third parties -ACCOUNTING_ACCOUNT_CUSTOMER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated customer accounting account on third party is not defined. -ACCOUNTING_ACCOUNT_SUPPLIER=Account (from the Chart of Account) used for the "vendor" third parties -ACCOUNTING_ACCOUNT_SUPPLIER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated vendor accounting account on third party is not defined. -ConfirmCloneTax=Confirm the clone of a social/fiscal tax -ConfirmCloneVAT=Confirm the clone of a VAT declaration -ConfirmCloneSalary=Confirm the clone of a salary -CloneTaxForNextMonth=Clone it for next month -SimpleReport=Simple report -AddExtraReport=Extra reports (add foreign and national customer report) -OtherCountriesCustomersReport=Foreign customers report -BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=Based on the two first letters of the VAT number being different from your own company's country code -SameCountryCustomersWithVAT=National customers report -BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Based on the two first letters of the VAT number being the same as your own company's country code -LinkedFichinter=Link to an intervention -ImportDataset_tax_contrib=Social/fiscal taxes -ImportDataset_tax_vat=Vat payments -ErrorBankAccountNotFound=Error: Bank account not found -FiscalPeriod=Accounting period -ListSocialContributionAssociatedProject=List of social contributions associated with the project -DeleteFromCat=Remove from accounting group -AccountingAffectation=Accounting assignment -LastDayTaxIsRelatedTo=Last day of period the tax is related to -VATDue=Sale tax claimed -ClaimedForThisPeriod=Claimed for the period -PaidDuringThisPeriod=Paid for this period -PaidDuringThisPeriodDesc=This is the sum of all payments linked to VAT declarations which have an end-of-period date in the selected date range -ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover invoiced by sale tax rate -TurnoverCollectedbyVatrate=Turnover collected by sale tax rate -PurchasebyVatrate=Purchase by sale tax rate -LabelToShow=Short label -PurchaseTurnover=Purchase turnover -PurchaseTurnoverCollected=Purchase turnover collected -RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
      - It is based on the invoice date of these invoices.
      -RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers.
      - It is based on the payment date of these invoices
      -RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal. -RulesPurchaseTurnoverOfExpenseAccounts=It includes (debit - credit) of lines for product accounts in group EXPENSE -ReportPurchaseTurnover=Purchase turnover invoiced -ReportPurchaseTurnoverCollected=Purchase turnover collected -IncludeVarpaysInResults = Include various payments in reports -IncludeLoansInResults = Include loans in reports -InvoiceLate30Days = Late (> 30 days) -InvoiceLate15Days = Late (15 to 30 days) -InvoiceLateMinus15Days = Late (< 15 days) -InvoiceNotLate = To be collected (< 15 days) -InvoiceNotLate15Days = To be collected (15 to 30 days) -InvoiceNotLate30Days = To be collected (> 30 days) -InvoiceToPay=To pay (< 15 days) -InvoiceToPay15Days=To pay (15 to 30 days) -InvoiceToPay30Days=To pay (> 30 days) -ConfirmPreselectAccount=Preselect accountancy code -ConfirmPreselectAccountQuestion=Are you sure you want to preselect the %s selected lines with this accountancy code ? -AmountPaidMustMatchAmountOfDownPayment=Amount paid must match amount of down payment +LastCheckReceiptShort=সর্বশেষ %s জমা স্লিপ +LastPaymentForDepositShort=সর্বশেষ %s %s জমা স্লিপ +NewCheckReceipt=নতুন ডিসকাউন্ট +NewCheckDeposit=নতুন ডিপোজিট স্লিপ +NewCheckDepositOn=অ্যাকাউন্টে জমা করার জন্য রসিদ তৈরি করুন: %s +NoWaitingChecks=কোনো চেক জমার জন্য অপেক্ষা করছে। +NoWaitingPaymentForDeposit=কোনো %s পেমেন্ট জমার জন্য অপেক্ষা করছে। +DateChequeReceived=প্রাপ্তির তারিখ চেক করুন +DatePaymentReceived=নথি গ্রহণের তারিখ +NbOfCheques=চেকের সংখ্যা +PaySocialContribution=একটি সামাজিক/আর্থিক কর প্রদান করুন +PayVAT=একটি ভ্যাট ঘোষণা প্রদান করুন +PaySalary=বেতন কার্ড দিন +ConfirmPaySocialContribution=আপনি কি এই সামাজিক বা রাজস্ব ট্যাক্সকে প্রদত্ত হিসাবে শ্রেণীবদ্ধ করার বিষয়ে নিশ্চিত? +ConfirmPayVAT=আপনি কি এই ভ্যাট ঘোষণাকে প্রদত্ত হিসাবে শ্রেণীবদ্ধ করার বিষয়ে নিশ্চিত? +ConfirmPaySalary=আপনি কি নিশ্চিত যে আপনি এই বেতন কার্ডটিকে প্রদত্ত হিসাবে শ্রেণীবদ্ধ করতে চান? +DeleteSocialContribution=একটি সামাজিক বা রাজস্ব ট্যাক্স প্রদান মুছুন +DeleteVAT=একটি ভ্যাট ঘোষণা মুছুন +DeleteSalary=একটি বেতন কার্ড মুছুন +DeleteVariousPayment=একটি বিভিন্ন পেমেন্ট মুছুন +ConfirmDeleteSocialContribution=আপনি কি এই সামাজিক/আর্থিক কর প্রদান মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmDeleteVAT=আপনি কি এই ভ্যাট ঘোষণা মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmDeleteSalary=আপনি কি এই বেতন মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmDeleteVariousPayment=আপনি কি এই বিভিন্ন অর্থপ্রদান মুছে ফেলার বিষয়ে নিশ্চিত? +ExportDataset_tax_1=সামাজিক এবং রাজস্ব ট্যাক্স এবং পেমেন্ট +CalcModeVATDebt=মোড %sকমিটমেন্ট অ্যাকাউন্টিং এর উপর ভ্যাট%s
      । +CalcModeVATEngagement=মোড %sআয়-ব্যয়ের উপর ভ্যাট%s. +CalcModeDebt=পরিচিত নথিভুক্ত নথি বিশ্লেষণ +CalcModeEngagement=পরিচিত নথিভুক্ত পেমেন্ট বিশ্লেষণ +CalcModePayment=Analysis of known recorded payments +CalcModeBookkeeping=বুককিপিং লেজার টেবিলে জার্নালাইজ করা ডেটা বিশ্লেষণ। +CalcModeNoBookKeeping=এমনকি যদি তারা এখনও লেজারে হিসাব না করে থাকে +CalcModeLT1= মোড %sআরই গ্রাহক চালান - সরবরাহকারীদের চালানb0ecb2ec87f>
      +CalcModeLT1Debt=মোড %sগ্রাহকের চালানে RE%s
      +CalcModeLT1Rec= মোড %sসাপ্লায়ার ইনভয়েসে RE%s
      +CalcModeLT2= মোড %sগ্রাহকের চালানে IRPF - সরবরাহকারীদের চালানb0ecb2ec87f> +CalcModeLT2Debt=মোড %sগ্রাহকের চালানে IRPF%s +CalcModeLT2Rec= মোড %sসাপ্লায়ার ইনভয়েসগুলিতে IRPF%s +AnnualSummaryDueDebtMode=আয় এবং ব্যয়ের ভারসাম্য, বার্ষিক সারাংশ +AnnualSummaryInputOutputMode=আয় এবং ব্যয়ের ভারসাম্য, বার্ষিক সারাংশ +AnnualByCompanies=অ্যাকাউন্টের পূর্বনির্ধারিত গোষ্ঠী দ্বারা আয় এবং ব্যয়ের ভারসাম্য +AnnualByCompaniesDueDebtMode=আয় এবং ব্যয়ের ভারসাম্য, পূর্বনির্ধারিত গোষ্ঠীগুলির দ্বারা বিশদ, মোড %sদাবি-ঋণb0ecb2ec880 বলেছে কমিটমেন্ট অ্যাকাউন্টিং। +AnnualByCompaniesInputOutputMode=আয় এবং ব্যয়ের ভারসাম্য, পূর্বনির্ধারিত গোষ্ঠী দ্বারা বিশদ, মোড %sআয়-ব্যয়b0ecb2ecz80 বলেছেন নগদ হিসাব। +SeeReportInInputOutputMode=%sপেমেন্টের বিশ্লেষণ দেখুন%sরেকর্ড করা পেমেন্ট এর উপর ভিত্তি করে একটি গণনার জন্য >
      এমনকি যদি সেগুলি এখনও এল একাউন্টে না থাকে +SeeReportInDueDebtMode=%sলিপিবদ্ধ নথির বিশ্লেষণ দেখুন%s পরিচিত লিপিবদ্ধ নথি একাউন্টে না থাকলেও একটি গণনার জন্য +SeeReportInBookkeepingMode=দেখুন %sখাতা খাতা টেবিলের বিশ্লেষণ%s notranslate'> বুককিপিং লেজার টেবিল ভিত্তিক একটি প্রতিবেদনের জন্য +RulesAmountWithTaxIncluded=- সমস্ত ট্যাক্স সহ দেখানো পরিমাণ +RulesAmountWithTaxExcluded=- সমস্ত ট্যাক্স বাদ দিয়ে দেখানো চালানের পরিমাণ +RulesResultDue=- এতে সমস্ত ইনভয়েস, খরচ, ভ্যাট, অনুদান, বেতন অন্তর্ভুক্ত থাকে, সেগুলি দেওয়া হোক বা না হোক।
      - এটি চালানের বিলিংয়ের তারিখ এবং নির্ধারিত তারিখের উপর ভিত্তি করে খরচ বা ট্যাক্স পেমেন্ট। বেতনের জন্য, মেয়াদ শেষ হওয়ার তারিখ ব্যবহার করা হয়। +RulesResultInOut=- এতে ইনভয়েস, খরচ, ভ্যাট এবং বেতনের প্রকৃত অর্থপ্রদান অন্তর্ভুক্ত রয়েছে।
      - এটি চালান, খরচ, ভ্যাট, অনুদান এবং বেতনের পেমেন্ট তারিখের উপর ভিত্তি করে। +RulesCADue=- এতে গ্রাহকের বকেয়া ইনভয়েস অন্তর্ভুক্ত থাকে তারা অর্থপ্রদান করুক বা না করুক।
      - এটি এই চালানগুলির বিলিং তারিখের উপর ভিত্তি করে।
      +RulesCAIn=- এতে গ্রাহকদের কাছ থেকে প্রাপ্ত সমস্ত কার্যকরী অর্থপ্রদান অন্তর্ভুক্ত রয়েছে।
      - এটি এই চালানগুলির অর্থপ্রদানের তারিখের উপর ভিত্তি করে
      +RulesCATotalSaleJournal=এটি বিক্রয় জার্নাল থেকে সমস্ত ক্রেডিট লাইন অন্তর্ভুক্ত করে। +RulesSalesTurnoverOfIncomeAccounts=এতে গ্রুপ ইনকামের পণ্য অ্যাকাউন্টের লাইনের (ক্রেডিট - ডেবিট) অন্তর্ভুক্ত রয়েছে +RulesAmountOnInOutBookkeepingRecord=এটি আপনার লেজারে অ্যাকাউন্টিং অ্যাকাউন্টগুলির সাথে রেকর্ড অন্তর্ভুক্ত করে যার গ্রুপ "ব্যয়" বা "আয়" রয়েছে +RulesResultBookkeepingPredefined=এটি আপনার লেজারে অ্যাকাউন্টিং অ্যাকাউন্টগুলির সাথে রেকর্ড অন্তর্ভুক্ত করে যার গ্রুপ "ব্যয়" বা "আয়" রয়েছে +RulesResultBookkeepingPersonalized=এটি অ্যাকাউন্টিং অ্যাকাউন্টগুলির সাথে আপনার লেজারে রেকর্ড দেখায় ব্যক্তিগত গ্রুপ দ্বারা গোষ্ঠীবদ্ধ +SeePageForSetup=সেটআপের জন্য %s মেনু দেখুন +DepositsAreNotIncluded=- ডাউন পেমেন্ট চালান অন্তর্ভুক্ত করা হয় না +DepositsAreIncluded=- ডাউন পেমেন্ট ইনভয়েস অন্তর্ভুক্ত করা হয় +LT1ReportByMonth=ট্যাক্স 2 মাসে রিপোর্ট +LT2ReportByMonth=ট্যাক্স 3 মাসে রিপোর্ট +LT1ReportByCustomers=তৃতীয় পক্ষ দ্বারা ট্যাক্স 2 রিপোর্ট করুন +LT2ReportByCustomers=তৃতীয় পক্ষ দ্বারা ট্যাক্স 3 রিপোর্ট করুন +LT1ReportByCustomersES=তৃতীয় পক্ষ RE দ্বারা রিপোর্ট +LT2ReportByCustomersES=তৃতীয় পক্ষের IRPF দ্বারা রিপোর্ট +VATReport=বিক্রয় কর রিপোর্ট +VATReportByPeriods=সময় অনুযায়ী বিক্রয় কর রিপোর্ট +VATReportByMonth=মাস অনুযায়ী বিক্রয় কর রিপোর্ট +VATReportByRates=হার দ্বারা বিক্রয় কর রিপোর্ট +VATReportByThirdParties=তৃতীয় পক্ষ দ্বারা বিক্রয় কর রিপোর্ট +VATReportByCustomers=গ্রাহক দ্বারা বিক্রয় কর রিপোর্ট +VATReportByCustomersInInputOutputMode=গ্রাহক ভ্যাট সংগ্রহ এবং পরিশোধিত দ্বারা রিপোর্ট +VATReportByQuartersInInputOutputMode=সংগৃহীত এবং পরিশোধিত করের বিক্রয় করের হার দ্বারা প্রতিবেদন +VATReportShowByRateDetails=এই হারের বিশদ বিবরণ দেখান +LT1ReportByQuarters=হার দ্বারা কর 2 রিপোর্ট করুন +LT2ReportByQuarters=হার দ্বারা রিপোর্ট কর 3 +LT1ReportByQuartersES=RE হার দ্বারা রিপোর্ট +LT2ReportByQuartersES=IRPF হার দ্বারা রিপোর্ট +SeeVATReportInInputOutputMode=প্রতিবেদন দেখুন %sভ্যাট সংগ্রহ%s একটি আদর্শ গণনার জন্য +SeeVATReportInDueDebtMode=রিপোর্ট দেখুন %sডেবিটের উপর ভ্যাট%s +RulesVATInServices=- পরিষেবাগুলির জন্য, প্রতিবেদনে অর্থপ্রদানের তারিখের ভিত্তিতে প্রকৃতপক্ষে প্রাপ্ত অর্থপ্রদানের ভ্যাট অন্তর্ভুক্ত থাকে। +RulesVATInProducts=- বস্তুগত সম্পদের জন্য, প্রতিবেদনে অর্থপ্রদানের তারিখের ভিত্তিতে ভ্যাট অন্তর্ভুক্ত থাকে। +RulesVATDueServices=- পরিষেবার জন্য, প্রতিবেদনে ইনভয়েসের তারিখের উপর ভিত্তি করে বকেয়া ইনভয়েসের ভ্যাট অন্তর্ভুক্ত রয়েছে, পরিশোধ করা হয়েছে বা না করা হয়েছে। +RulesVATDueProducts=- বস্তুগত সম্পদের জন্য, প্রতিবেদনে ইনভয়েসের তারিখের উপর ভিত্তি করে বকেয়া ইনভয়েসের ভ্যাট অন্তর্ভুক্ত থাকে। +OptionVatInfoModuleComptabilite=দ্রষ্টব্য: বস্তুগত সম্পদের জন্য, এটি আরও ন্যায্য হতে বিতরণের তারিখ ব্যবহার করা উচিত। +ThisIsAnEstimatedValue=এটি একটি প্রিভিউ, ব্যবসার ইভেন্টের উপর ভিত্তি করে এবং চূড়ান্ত লেজার টেবিল থেকে নয়, তাই চূড়ান্ত ফলাফল এই প্রাকদর্শন মান থেকে আলাদা হতে পারে +PercentOfInvoice=%%/চালান +NotUsedForGoods=পণ্য ব্যবহার করা হয় না +ProposalStats=প্রস্তাবের পরিসংখ্যান +OrderStats=আদেশের পরিসংখ্যান +InvoiceStats=বিলের পরিসংখ্যান +Dispatch=প্রেরণ +Dispatched=পাঠানো হয়েছে +ToDispatch=প্রেরণ করা +ThirdPartyMustBeEditAsCustomer=তৃতীয় পক্ষকে অবশ্যই গ্রাহক হিসাবে সংজ্ঞায়িত করতে হবে +SellsJournal=বিক্রয় জার্নাল +PurchasesJournal=ক্রয় জার্নাল +DescSellsJournal=বিক্রয় জার্নাল +DescPurchasesJournal=ক্রয় জার্নাল +CodeNotDef=সংজ্ঞায়িত নয় +WarningDepositsNotIncluded=এই অ্যাকাউন্টেন্সি মডিউল সহ এই সংস্করণে ডাউন পেমেন্ট ইনভয়েসগুলি অন্তর্ভুক্ত করা হয়নি। +DatePaymentTermCantBeLowerThanObjectDate=অর্থপ্রদানের মেয়াদ অবজেক্টের তারিখের চেয়ে কম হতে পারে না। +Pcg_version=অ্যাকাউন্ট মডেলের চার্ট +Pcg_type=পিসিজি টাইপ +Pcg_subtype=পিসিজি সাবটাইপ +InvoiceLinesToDispatch=চালান লাইন পাঠানোর জন্য +ByProductsAndServices=পণ্য এবং পরিষেবা দ্বারা +RefExt=বহিরাগত রেফ +ToCreateAPredefinedInvoice=একটি টেমপ্লেট চালান তৈরি করতে, একটি আদর্শ চালান তৈরি করুন, তারপর, এটিকে যাচাই না করে, "%s" বোতামে ক্লিক করুন৷ +LinkedOrder=অর্ডার লিঙ্ক +Mode1=পদ্ধতি 1 +Mode2=পদ্ধতি 2 +CalculationRuleDesc=মোট ভ্যাট গণনা করার জন্য, দুটি পদ্ধতি আছে:
      পদ্ধতি 1 হল প্রতিটি লাইনে ভ্যাটকে রাউন্ডিং করা, তারপর তাদের যোগ করা।
      পদ্ধতি 2 প্রতিটি লাইনে সমস্ত ভ্যাট যোগ করে, তারপর বৃত্তাকার ফলাফল।
      চূড়ান্ত ফলাফল কয়েক সেন্ট থেকে আলাদা হতে পারে। ডিফল্ট মোড হল মোড %s। +CalculationRuleDescSupplier=বিক্রেতার মতে, একই গণনার নিয়ম প্রয়োগ করার জন্য উপযুক্ত পদ্ধতি বেছে নিন এবং আপনার বিক্রেতার দ্বারা প্রত্যাশিত একই ফলাফল পান। +TurnoverPerProductInCommitmentAccountingNotRelevant=পণ্য প্রতি সংগৃহীত টার্নওভারের প্রতিবেদন পাওয়া যায় না। এই রিপোর্ট শুধুমাত্র টার্নওভার চালান জন্য উপলব্ধ. +TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=বিক্রয় করের হার প্রতি সংগৃহীত টার্নওভারের প্রতিবেদন পাওয়া যায় না। এই রিপোর্ট শুধুমাত্র টার্নওভার চালান জন্য উপলব্ধ. +CalculationMode=গণনা মোড +AccountancyJournal=অ্যাকাউন্টিং কোড জার্নাল +ACCOUNTING_VAT_SOLD_ACCOUNT=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) বিক্রয়ের উপর ভ্যাটের জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (ভ্যাট অভিধান সেটআপে সংজ্ঞায়িত না হলে ব্যবহার করা হবে) +ACCOUNTING_VAT_BUY_ACCOUNT=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) ক্রয়ের উপর ভ্যাটের জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (ভ্যাট অভিধান সেটআপে সংজ্ঞায়িত না হলে ব্যবহার করা হবে) +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) বিক্রয়ের উপর রাজস্ব স্ট্যাম্পের জন্য ব্যবহার করা হবে +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=ক্রয়ের উপর রাজস্ব স্ট্যাম্পের জন্য ব্যবহার করা অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) +ACCOUNTING_VAT_PAY_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) ভ্যাট প্রদানের জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) রিভার্স চার্জের (ক্রেডিট) জন্য ক্রয়ের উপর ভ্যাটের জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=রিভার্স চার্জের (ডেবিট) জন্য ক্রয়ের উপর ভ্যাটের জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) +ACCOUNTING_ACCOUNT_CUSTOMER=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) "গ্রাহক" তৃতীয় পক্ষের জন্য ব্যবহৃত +ACCOUNTING_ACCOUNT_CUSTOMER_Desc=তৃতীয় পক্ষের কার্ডে সংজ্ঞায়িত ডেডিকেটেড অ্যাকাউন্টিং অ্যাকাউন্ট শুধুমাত্র Subledger অ্যাকাউন্টিংয়ের জন্য ব্যবহার করা হবে। এটি সাধারণ লেজারের জন্য এবং সাবলেজার অ্যাকাউন্টিংয়ের ডিফল্ট মান হিসাবে ব্যবহার করা হবে যদি তৃতীয় পক্ষের ডেডিকেটেড গ্রাহক অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত না হয়। +ACCOUNTING_ACCOUNT_SUPPLIER=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) "বিক্রেতা" তৃতীয় পক্ষের জন্য ব্যবহৃত +ACCOUNTING_ACCOUNT_SUPPLIER_Desc=তৃতীয় পক্ষের কার্ডে সংজ্ঞায়িত ডেডিকেটেড অ্যাকাউন্টিং অ্যাকাউন্ট শুধুমাত্র Subledger অ্যাকাউন্টিংয়ের জন্য ব্যবহার করা হবে। এটি সাধারণ লেজারের জন্য এবং সাবলেজার অ্যাকাউন্টিংয়ের ডিফল্ট মান হিসাবে ব্যবহার করা হবে যদি তৃতীয় পক্ষের ডেডিকেটেড ভেন্ডর অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত না করা হয়। +ConfirmCloneTax=একটি সামাজিক/আর্থিক করের ক্লোন নিশ্চিত করুন +ConfirmCloneVAT=ভ্যাট ঘোষণার ক্লোন নিশ্চিত করুন +ConfirmCloneSalary=বেতনের ক্লোন নিশ্চিত করুন +CloneTaxForNextMonth=আগামী মাসের জন্য এটি ক্লোন করুন +SimpleReport=সরল রিপোর্ট +AddExtraReport=অতিরিক্ত রিপোর্ট (বিদেশী এবং জাতীয় গ্রাহক রিপোর্ট যোগ করুন) +OtherCountriesCustomersReport=বিদেশী গ্রাহকদের রিপোর্ট +BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=ভ্যাট নম্বরের দুটি প্রথম অক্ষরের উপর ভিত্তি করে আপনার নিজের কোম্পানির দেশের কোড থেকে ভিন্ন +SameCountryCustomersWithVAT=জাতীয় গ্রাহকদের রিপোর্ট +BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=ভ্যাট নম্বরের দুটি প্রথম অক্ষরের উপর ভিত্তি করে আপনার নিজের কোম্পানির দেশের কোড একই +LinkedFichinter=একটি হস্তক্ষেপ লিঙ্ক +ImportDataset_tax_contrib=সামাজিক/আর্থিক কর +ImportDataset_tax_vat=ভ্যাট পেমেন্ট +ErrorBankAccountNotFound=ত্রুটি: ব্যাঙ্ক অ্যাকাউন্ট পাওয়া যায়নি +FiscalPeriod=নির্দিষ্ট হিসাব +ListSocialContributionAssociatedProject=প্রকল্পের সাথে যুক্ত সামাজিক অবদানের তালিকা +DeleteFromCat=অ্যাকাউন্টিং গ্রুপ থেকে সরান +AccountingAffectation=অ্যাকাউন্টিং অ্যাসাইনমেন্ট +LastDayTaxIsRelatedTo=পিরিয়ডের শেষ দিন ট্যাক্স সম্পর্কিত +VATDue=বিক্রয় কর দাবি করা হয়েছে +ClaimedForThisPeriod=সময়ের জন্য দাবি করা হয়েছে +PaidDuringThisPeriod=এই সময়ের জন্য অর্থ প্রদান করা হয়েছে +PaidDuringThisPeriodDesc=এটি হল ভ্যাট ঘোষণার সাথে যুক্ত সমস্ত অর্থপ্রদানের সমষ্টি যার নির্বাচিত তারিখ সীমার মধ্যে মেয়াদ শেষ হওয়ার তারিখ রয়েছে +ByVatRate=বিক্রয় করের হার দ্বারা +TurnoverbyVatrate=বিক্রয় করের হার দ্বারা টার্নওভার চালান +TurnoverCollectedbyVatrate=বিক্রয় করের হার দ্বারা সংগৃহীত টার্নওভার +PurchasebyVatrate=বিক্রয় করের হার দ্বারা ক্রয় +LabelToShow=সংক্ষিপ্ত লেবেল +PurchaseTurnover=ক্রয় টার্নওভার +PurchaseTurnoverCollected=ক্রয় টার্নওভার সংগৃহীত +RulesPurchaseTurnoverDue=- এতে সরবরাহকারীর বকেয়া ইনভয়েস অন্তর্ভুক্ত থাকে যে তারা অর্থপ্রদান করুক বা না করুক।
      - এটি এই চালানগুলির চালানের তারিখের উপর ভিত্তি করে৷
      +RulesPurchaseTurnoverIn=- এটি সরবরাহকারীদের কাছে করা সমস্ত কার্যকরী অর্থপ্রদান অন্তর্ভুক্ত করে।
      - এটি এই চালানগুলির অর্থপ্রদানের তারিখের উপর ভিত্তি করে
      +RulesPurchaseTurnoverTotalPurchaseJournal=এটি ক্রয় জার্নাল থেকে সমস্ত ডেবিট লাইন অন্তর্ভুক্ত করে। +RulesPurchaseTurnoverOfExpenseAccounts=এতে গ্রুপ এক্সপেনসে পণ্য অ্যাকাউন্টের লাইনের (ডেবিট - ক্রেডিট) অন্তর্ভুক্ত রয়েছে +ReportPurchaseTurnover=ক্রয় টার্নওভার চালান +ReportPurchaseTurnoverCollected=ক্রয় টার্নওভার সংগৃহীত +IncludeVarpaysInResults = প্রতিবেদনে বিভিন্ন অর্থপ্রদান অন্তর্ভুক্ত করুন +IncludeLoansInResults = প্রতিবেদনে ঋণ অন্তর্ভুক্ত করুন +InvoiceLate30Days = দেরী (> 30 দিন) +InvoiceLate15Days = দেরীতে (15 থেকে 30 দিন) +InvoiceLateMinus15Days = দেরীতে (<15 দিন) +InvoiceNotLate = সংগ্রহ করতে হবে (<15 দিন) +InvoiceNotLate15Days = সংগ্রহ করতে হবে (15 থেকে 30 দিন) +InvoiceNotLate30Days = সংগ্রহ করতে হবে (> 30 দিন) +InvoiceToPay=পেমেন্ট করতে (<15 দিন) +InvoiceToPay15Days=পরিশোধ করতে (15 থেকে 30 দিন) +InvoiceToPay30Days=পেমেন্ট করতে (> 30 দিন) +ConfirmPreselectAccount=অ্যাকাউন্টেন্সি কোড পূর্বনির্বাচন করুন +ConfirmPreselectAccountQuestion=আপনি কি নিশ্চিত যে আপনি এই অ্যাকাউন্টেন্সি কোডের সাথে %s নির্বাচিত লাইনগুলি পূর্বনির্বাচন করতে চান? +AmountPaidMustMatchAmountOfDownPayment=প্রদত্ত পরিমাণ অবশ্যই ডাউন পেমেন্টের পরিমাণের সাথে মেলে diff --git a/htdocs/langs/bn_BD/contracts.lang b/htdocs/langs/bn_BD/contracts.lang index 1f3526bd994..e643523e5aa 100644 --- a/htdocs/langs/bn_BD/contracts.lang +++ b/htdocs/langs/bn_BD/contracts.lang @@ -1,104 +1,107 @@ # Dolibarr language file - Source file is en_US - contracts -ContractsArea=Contracts area -ListOfContracts=List of contracts -AllContracts=All contracts -ContractCard=Contract card -ContractStatusNotRunning=Not running +ContractsArea=চুক্তি এলাকা +ListOfContracts=চুক্তির তালিকা +AllContracts=সমস্ত চুক্তি +ContractCard=চুক্তি +ContractStatusNotRunning=চলমান না ContractStatusDraft=Draft ContractStatusValidated=Validated ContractStatusClosed=Closed -ServiceStatusInitial=Not running -ServiceStatusRunning=Running -ServiceStatusNotLate=Running, not expired -ServiceStatusNotLateShort=Not expired -ServiceStatusLate=Running, expired -ServiceStatusLateShort=Expired +ServiceStatusInitial=চলমান না +ServiceStatusRunning=চলছে +ServiceStatusNotLate=চলমান, মেয়াদ শেষ হয়নি +ServiceStatusNotLateShort=মেয়াদ শেষ হয়নি +ServiceStatusLate=চলমান, মেয়াদ উত্তীর্ণ +ServiceStatusLateShort=মেয়াদোত্তীর্ণ ServiceStatusClosed=Closed -ShowContractOfService=Show contract of service -Contracts=Contracts -ContractsSubscriptions=Contracts/Subscriptions -ContractsAndLine=Contracts and line of contracts -Contract=Contract -ContractLine=Contract line -Closing=Closing -NoContracts=No contracts -MenuServices=Services -MenuInactiveServices=Services not active -MenuRunningServices=Running services -MenuExpiredServices=Expired services -MenuClosedServices=Closed services -NewContract=New contract -NewContractSubscription=New contract or subscription -AddContract=Create contract -DeleteAContract=Delete a contract -ActivateAllOnContract=Activate all services -CloseAContract=Close a contract -ConfirmDeleteAContract=Are you sure you want to delete this contract and all its services? -ConfirmValidateContract=Are you sure you want to validate this contract under name %s? -ConfirmActivateAllOnContract=This will open all services (not yet active). Are you sure you want to open all services? -ConfirmCloseContract=This will close all services (expired or not). Are you sure you want to close this contract? -ConfirmCloseService=Are you sure you want to close this service with date %s? -ValidateAContract=Validate a contract -ActivateService=Activate service -ConfirmActivateService=Are you sure you want to activate this service with date %s? -RefContract=Contract reference -DateContract=Contract date -DateServiceActivate=Service activation date -ListOfServices=List of services -ListOfInactiveServices=List of not active services -ListOfExpiredServices=List of expired active services -ListOfClosedServices=List of closed services -ListOfRunningServices=List of running services -NotActivatedServices=Inactive services (among validated contracts) -BoardNotActivatedServices=Services to activate among validated contracts -BoardNotActivatedServicesShort=Services to activate -LastContracts=Latest %s contracts -LastModifiedServices=Latest %s modified services -ContractStartDate=Start date -ContractEndDate=End date -DateStartPlanned=Planned start date -DateStartPlannedShort=Planned start date -DateEndPlanned=Planned end date -DateEndPlannedShort=Planned end date -DateStartReal=Real start date -DateStartRealShort=Real start date -DateEndReal=Real end date -DateEndRealShort=Real end date -CloseService=Close service -BoardRunningServices=Services running -BoardRunningServicesShort=Services running -BoardExpiredServices=Services expired -BoardExpiredServicesShort=Services expired -ServiceStatus=Status of service -DraftContracts=Drafts contracts -CloseRefusedBecauseOneServiceActive=Contract can't be closed as there is at least one open service on it -ActivateAllContracts=Activate all contract lines -CloseAllContracts=Close all contract lines -DeleteContractLine=Delete a contract line -ConfirmDeleteContractLine=Are you sure you want to delete this contract line? -MoveToAnotherContract=Move service into another contract. -ConfirmMoveToAnotherContract=I choosed new target contract and confirm I want to move this service into this contract. -ConfirmMoveToAnotherContractQuestion=Choose in which existing contract (of same third party), you want to move this service to? -PaymentRenewContractId=Renew contract line (number %s) -ExpiredSince=Expiration date -NoExpiredServices=No expired active services -ListOfServicesToExpireWithDuration=List of Services to expire in %s days -ListOfServicesToExpireWithDurationNeg=List of Services expired from more than %s days -ListOfServicesToExpire=List of Services to expire -NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative. -StandardContractsTemplate=Standard contracts template -ContactNameAndSignature=For %s, name and signature: -OnlyLinesWithTypeServiceAreUsed=Only lines with type "Service" will be cloned. -ConfirmCloneContract=Are you sure you want to clone the contract %s? -LowerDateEndPlannedShort=Lower planned end date of active services -SendContractRef=Contract information __REF__ -OtherContracts=Other contracts +ShowContractOfService=পরিষেবার চুক্তি দেখান +Contracts=চুক্তি +ContractsSubscriptions=চুক্তি/সাবস্ক্রিপশন +ContractsAndLine=চুক্তি এবং চুক্তির লাইন +Contract=চুক্তি +ContractLine=চুক্তি লাইন +ContractLines=চুক্তি লাইন +Closing=বন্ধ +NoContracts=কোনো চুক্তি নেই +MenuServices=সেবা +MenuInactiveServices=পরিষেবা সক্রিয় নয় +MenuRunningServices=চলমান পরিষেবা +MenuExpiredServices=মেয়াদোত্তীর্ণ পরিষেবা +MenuClosedServices=বন্ধ সেবা +NewContract=নতুন চুক্তি +NewContractSubscription=নতুন চুক্তি বা সাবস্ক্রিপশন +AddContract=চুক্তি তৈরি করুন +DeleteAContract=একটি চুক্তি মুছুন +ActivateAllOnContract=সমস্ত পরিষেবা সক্রিয় করুন +CloseAContract=একটি চুক্তি বন্ধ করুন +ConfirmDeleteAContract=আপনি কি এই চুক্তি এবং এর সমস্ত পরিষেবা মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmValidateContract=আপনি কি %s নামে এই চুক্তিটি যাচাই করতে চান? ? +ConfirmActivateAllOnContract=এটি সমস্ত পরিষেবা খুলবে (এখনও সক্রিয় নয়)। আপনি কি সমস্ত পরিষেবা খুলতে চান? +ConfirmCloseContract=এটি সমস্ত পরিষেবা বন্ধ করবে (মেয়াদ শেষ বা না)। আপনি কি নিশ্চিত আপনি এই চুক্তি বন্ধ করতে চান? +ConfirmCloseService=আপনি কি নিশ্চিত যে আপনি %s তারিখের সাথে এই পরিষেবাটি বন্ধ করতে চান ? +ValidateAContract=একটি চুক্তি যাচাই +ActivateService=পরিষেবা সক্রিয় করুন +ConfirmActivateService=আপনি কি %s তারিখের সাথে এই পরিষেবাটি সক্রিয় করার বিষয়ে নিশ্চিত? ? +RefContract=চুক্তির রেফারেন্স +DateContract=চুক্তির তারিখ +DateServiceActivate=পরিষেবা সক্রিয়করণ তারিখ +ListOfServices=পরিষেবার তালিকা +ListOfInactiveServices=সক্রিয় নয় এমন পরিষেবাগুলির তালিকা৷ +ListOfExpiredServices=মেয়াদোত্তীর্ণ সক্রিয় পরিষেবার তালিকা +ListOfClosedServices=বন্ধ পরিষেবার তালিকা +ListOfRunningServices=চলমান পরিষেবার তালিকা +NotActivatedServices=নিষ্ক্রিয় পরিষেবাগুলি (প্রমাণিত চুক্তির মধ্যে) +BoardNotActivatedServices=বৈধ চুক্তির মধ্যে সক্রিয় করার জন্য পরিষেবা +BoardNotActivatedServicesShort=সক্রিয় করার জন্য পরিষেবা +LastContracts=সর্বশেষ %s চুক্তি +LastModifiedServices=সর্বশেষ %s পরিবর্তিত পরিষেবা +ContractStartDate=শুরুর তারিখ +ContractEndDate=শেষ তারিখ +DateStartPlanned=পরিকল্পিত শুরুর তারিখ +DateStartPlannedShort=পরিকল্পিত শুরুর তারিখ +DateEndPlanned=পরিকল্পিত শেষ তারিখ +DateEndPlannedShort=পরিকল্পিত শেষ তারিখ +DateStartReal=আসল শুরুর তারিখ +DateStartRealShort=আসল শুরুর তারিখ +DateEndReal=বাস্তব শেষ তারিখ +DateEndRealShort=বাস্তব শেষ তারিখ +CloseService=পরিষেবা বন্ধ করুন +BoardRunningServices=সেবা চলমান +BoardRunningServicesShort=সেবা চলমান +BoardExpiredServices=পরিষেবার মেয়াদ শেষ +BoardExpiredServicesShort=পরিষেবার মেয়াদ শেষ +ServiceStatus=সেবার অবস্থা +DraftContracts=খসড়া চুক্তি +CloseRefusedBecauseOneServiceActive=চুক্তিটি বন্ধ করা যাবে না কারণ এটিতে কমপক্ষে একটি খোলা পরিষেবা রয়েছে৷ +ActivateAllContracts=সমস্ত চুক্তি লাইন সক্রিয় করুন +CloseAllContracts=সমস্ত চুক্তি লাইন বন্ধ করুন +DeleteContractLine=একটি চুক্তি লাইন মুছুন +ConfirmDeleteContractLine=আপনি কি নিশ্চিত আপনি এই চুক্তি লাইন মুছে দিতে চান? +MoveToAnotherContract=অন্য চুক্তিতে পরিষেবা সরান। +ConfirmMoveToAnotherContract=আমি একটি নতুন লক্ষ্য চুক্তি বেছে নিয়েছি এবং নিশ্চিত করেছি যে আমি এই পরিষেবাটিকে এই চুক্তিতে স্থানান্তর করতে চাই৷ +ConfirmMoveToAnotherContractQuestion=কোন বিদ্যমান চুক্তিতে (একই তৃতীয় পক্ষের) বেছে নিন, আপনি এই পরিষেবাটি সরাতে চান? +PaymentRenewContractId=চুক্তি পুনর্নবীকরণ করুন %s (পরিষেবা %s) +ExpiredSince=মেয়াদ শেষ হওয়ার তারিখ +NoExpiredServices=কোনো মেয়াদোত্তীর্ণ সক্রিয় সেবা +ListOfServicesToExpireWithDuration=%s দিনের মধ্যে মেয়াদ শেষ হবে পরিষেবার তালিকা +ListOfServicesToExpireWithDurationNeg=পরিষেবার তালিকা %s দিনের বেশি সময় ধরে মেয়াদ শেষ হয়ে গেছে +ListOfServicesToExpire=মেয়াদ শেষ হওয়ার জন্য পরিষেবার তালিকা +NoteListOfYourExpiredServices=এই তালিকায় শুধুমাত্র তৃতীয় পক্ষের জন্য চুক্তির পরিষেবা রয়েছে যার সাথে আপনি বিক্রয় প্রতিনিধি হিসাবে লিঙ্ক করেছেন৷ +StandardContractsTemplate=স্ট্যান্ডার্ড চুক্তি টেমপ্লেট +ContactNameAndSignature=%s এর জন্য, নাম এবং স্বাক্ষর: +OnlyLinesWithTypeServiceAreUsed=শুধুমাত্র "পরিষেবা" টাইপ সহ লাইন ক্লোন করা হবে। +ConfirmCloneContract=আপনি কি নিশ্চিত %s চুক্তিটি ক্লোন করতে চান? +LowerDateEndPlannedShort=সক্রিয় পরিষেবার নিম্ন পরিকল্পিত শেষ তারিখ +SendContractRef=চুক্তির তথ্য __REF__ +OtherContracts=অন্যান্য চুক্তি ##### Types de contacts ##### -TypeContact_contrat_internal_SALESREPSIGN=Sales representative signing contract -TypeContact_contrat_internal_SALESREPFOLL=Sales representative following-up contract -TypeContact_contrat_external_BILLING=Billing customer contact -TypeContact_contrat_external_CUSTOMER=Follow-up customer contact -TypeContact_contrat_external_SALESREPSIGN=Signing contract customer contact -HideClosedServiceByDefault=Hide closed services by default -ShowClosedServices=Show Closed Services -HideClosedServices=Hide Closed Services +TypeContact_contrat_internal_SALESREPSIGN=বিক্রয় প্রতিনিধি চুক্তি স্বাক্ষর +TypeContact_contrat_internal_SALESREPFOLL=বিক্রয় প্রতিনিধি অনুসরণ-আপ চুক্তি +TypeContact_contrat_external_BILLING=বিলিং গ্রাহক যোগাযোগ +TypeContact_contrat_external_CUSTOMER=ফলো-আপ গ্রাহক যোগাযোগ +TypeContact_contrat_external_SALESREPSIGN=চুক্তি স্বাক্ষর গ্রাহক যোগাযোগ +HideClosedServiceByDefault=ডিফল্টরূপে বন্ধ পরিষেবাগুলি লুকান৷ +ShowClosedServices=বন্ধ পরিষেবা দেখান +HideClosedServices=বন্ধ সেবা লুকান +UserStartingService=ব্যবহারকারী শুরু পরিষেবা +UserClosingService=ব্যবহারকারী বন্ধ করার পরিষেবা diff --git a/htdocs/langs/bn_BD/cron.lang b/htdocs/langs/bn_BD/cron.lang index 4fd2220dea6..447487d2ccb 100644 --- a/htdocs/langs/bn_BD/cron.lang +++ b/htdocs/langs/bn_BD/cron.lang @@ -1,91 +1,101 @@ # Dolibarr language file - Source file is en_US - cron # About page # Right -Permission23101 = Read Scheduled job -Permission23102 = Create/update Scheduled job -Permission23103 = Delete Scheduled job -Permission23104 = Execute Scheduled job +Permission23101 = নির্ধারিত চাকরি পড়ুন +Permission23102 = নির্ধারিত কাজ তৈরি/আপডেট করুন +Permission23103 = নির্ধারিত কাজ মুছুন +Permission23104 = নির্ধারিত কাজ সম্পাদন করুন # Admin -CronSetup=Scheduled job management setup -URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser -OrToLaunchASpecificJob=Or to check and launch a specific job from a browser -KeyForCronAccess=Security key for URL to launch cron jobs -FileToLaunchCronJobs=Command line to check and launch qualified cron jobs -CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes -CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes -CronMethodDoesNotExists=Class %s does not contains any method %s -CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods -CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s. -CronJobProfiles=List of predefined cron job profiles +CronSetup=নির্ধারিত চাকরি ব্যবস্থাপনা সেটআপ +URLToLaunchCronJobs=একটি ব্রাউজার থেকে যোগ্য ক্রন কাজগুলি পরীক্ষা এবং চালু করার URL +OrToLaunchASpecificJob=অথবা ব্রাউজার থেকে একটি নির্দিষ্ট কাজ চেক এবং লঞ্চ করতে +KeyForCronAccess=ক্রোন জব চালু করতে URL-এর নিরাপত্তা কী +FileToLaunchCronJobs=যোগ্য ক্রন কাজগুলি পরীক্ষা এবং চালু করার জন্য কমান্ড লাইন +CronExplainHowToRunUnix=ইউনিক্স পরিবেশে প্রতি 5 মিনিটে কমান্ড লাইন চালানোর জন্য আপনাকে নিম্নলিখিত ক্রন্টাব এন্ট্রি ব্যবহার করতে হবে +CronExplainHowToRunWin=মাইক্রোসফ্ট(টিএম) উইন্ডোজ পরিবেশে আপনি প্রতি 5 মিনিটে কমান্ড লাইন চালানোর জন্য নির্ধারিত টাস্ক সরঞ্জামগুলি ব্যবহার করতে পারেন +CronMethodDoesNotExists=ক্লাস %s কোনো পদ্ধতি নেই %s +CronMethodNotAllowed=পদ্ধতি %s ক্লাস %s নিষিদ্ধ পদ্ধতির ব্লক তালিকায় রয়েছে +CronJobDefDesc=ক্রোন জব প্রোফাইল মডিউল বর্ণনাকারী ফাইলে সংজ্ঞায়িত করা হয়। যখন মডিউল সক্রিয় করা হয়, তখন সেগুলি লোড হয় এবং উপলব্ধ থাকে যাতে আপনি অ্যাডমিন টুল মেনু %s থেকে কাজগুলি পরিচালনা করতে পারেন৷ +CronJobProfiles=পূর্বনির্ধারিত ক্রন কাজের প্রোফাইলের তালিকা # Menu -EnabledAndDisabled=Enabled and disabled +EnabledAndDisabled=সক্রিয় এবং নিষ্ক্রিয় # Page list -CronLastOutput=Latest run output -CronLastResult=Latest result code -CronCommand=Command -CronList=Scheduled jobs -CronDelete=Delete scheduled jobs -CronConfirmDelete=Are you sure you want to delete these scheduled jobs? -CronExecute=Launch scheduled job -CronConfirmExecute=Are you sure you want to execute these scheduled jobs now? -CronInfo=Scheduled job module allows to schedule jobs to execute them automatically. Jobs can also be started manually. -CronTask=Job -CronNone=None -CronDtStart=Not before -CronDtEnd=Not after -CronDtNextLaunch=Next execution -CronDtLastLaunch=Start date of latest execution -CronDtLastResult=End date of latest execution -CronFrequency=Frequency -CronClass=Class -CronMethod=Method -CronModule=Module -CronNoJobs=No jobs registered -CronPriority=Priority -CronLabel=Label -CronNbRun=Number of launches -CronMaxRun=Maximum number of launches -CronEach=Every -JobFinished=Job launched and finished -Scheduled=Scheduled +CronLastOutput=সর্বশেষ রান আউটপুট +CronLastResult=সর্বশেষ ফলাফল কোড +CronCommand=আদেশ +CronList=নির্ধারিত কাজ +CronDelete=নির্ধারিত কাজ মুছুন +CronConfirmDelete=আপনি কি এই নির্ধারিত কাজগুলি মুছে দেওয়ার বিষয়ে নিশ্চিত? +CronExecute=এখন আরম্ভ +CronConfirmExecute=আপনি কি নিশ্চিত যে আপনি এখন এই নির্ধারিত কাজগুলি সম্পাদন করতে চান? +CronInfo=নির্ধারিত কাজের মডিউল স্বয়ংক্রিয়ভাবে কাজগুলি চালানোর জন্য নির্ধারিত করার অনুমতি দেয়। ম্যানুয়ালিও চাকরি শুরু করা যায়। +CronTask=চাকরি +CronNone=কোনোটিই নয় +CronDtStart=পূর্বের না +CronDtEnd=পরে না +CronDtNextLaunch=পরবর্তী মৃত্যুদন্ড +CronDtLastLaunch=সর্বশেষ মৃত্যুদন্ড শুরুর তারিখ +CronDtLastResult=সর্বশেষ মৃত্যুদন্ডের শেষ তারিখ +CronFrequency=ফ্রিকোয়েন্সি +CronClass=ক্লাস +CronMethod=পদ্ধতি +CronModule=মডিউল +CronNoJobs=কোন কাজ নিবন্ধিত +CronPriority=অগ্রাধিকার +CronLabel=লেবেল +CronNbRun=লঞ্চের সংখ্যা +CronMaxRun=লঞ্চের সর্বাধিক সংখ্যা +CronEach=প্রতি +JobFinished=কাজ চালু এবং সমাপ্ত +Scheduled=তালিকাভুক্ত #Page card -CronAdd= Add jobs -CronEvery=Execute job each -CronObject=Instance/Object to create -CronArgs=Parameters -CronSaveSucess=Save successfully -CronNote=Comment -CronFieldMandatory=Fields %s is mandatory -CronErrEndDateStartDt=End date cannot be before start date -StatusAtInstall=Status at module installation -CronStatusActiveBtn=Schedule -CronStatusInactiveBtn=Disable -CronTaskInactive=This job is disabled (not scheduled) -CronId=Id -CronClassFile=Filename with class -CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module).
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is
      product -CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory).
      For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is
      product/class/product.class.php -CronObjectHelp=The object name to load.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is
      Product -CronMethodHelp=The object method to launch.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is
      fetch -CronArgsHelp=The method arguments.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be
      0, ProductRef -CronCommandHelp=The system command line to execute. -CronCreateJob=Create new Scheduled Job +CronAdd= চাকরি যোগ করুন +CronEvery=প্রতিটি কাজ সম্পাদন করুন +CronObject=ইনস্ট্যান্স/অবজেক্ট তৈরি করতে হবে +CronArgs=পরামিতি +CronSaveSucess=সফলভাবে সংরক্ষণ করুন +CronNote=মন্তব্য করুন +CronFieldMandatory=ক্ষেত্রগুলি %s বাধ্যতামূলক +CronErrEndDateStartDt=শেষ তারিখ শুরুর তারিখের আগে হতে পারে না +StatusAtInstall=মডিউল ইনস্টলেশনের অবস্থা +CronStatusActiveBtn=সময়সূচী সক্ষম করুন +CronStatusInactiveBtn=নিষ্ক্রিয় করুন +CronTaskInactive=এই কাজটি অক্ষম (নির্ধারিত নয়) +CronId=আইডি +CronClassFile=ক্লাস সহ ফাইলের নাম +CronModuleHelp=Dolibarr মডিউল ডিরেক্টরির নাম (এছাড়াও বহিরাগত Dolibarr মডিউলের সাথে কাজ করে)।
      উদাহরণস্বরূপ ডলিবার প্রোডাক্ট অবজেক্টের আনয়ন পদ্ধতি কল করার জন্য /class/product.class.php, মডিউলের মান হল
      পণ্য +CronClassFileHelp=লোড করার জন্য আপেক্ষিক পাথ এবং ফাইলের নাম (পাথটি ওয়েব সার্ভার রুট ডিরেক্টরির সাথে সম্পর্কিত)।
      উদাহরণস্বরূপ Dolibarr পণ্য বস্তু htdocs/product/class/product.class.php, ক্লাস ফাইল নামের মান হল
      পণ্য/শ্রেণী/পণ্য .class.php +CronObjectHelp=লোড করার জন্য বস্তুর নাম।
      উদাহরণস্বরূপ ডলিবার প্রোডাক্ট অবজেক্টের আনয়ন পদ্ধতি কল করার জন্য /htdocs/product/class/product.class.php, ক্লাস ফাইল নামের মান হল
      পণ্য +CronMethodHelp=লঞ্চ করার জন্য অবজেক্ট পদ্ধতি।
      উদাহরণস্বরূপ ডলিবার প্রোডাক্ট অবজেক্টের আনয়ন পদ্ধতিকে কল করার জন্য /htdocs/product/class/product.class.php, পদ্ধতির মান হল
      আনয়ন +CronArgsHelp=পদ্ধতি আর্গুমেন্ট.
      উদাহরণস্বরূপ ডলিবার প্রোডাক্ট অবজেক্টের আনয়ন পদ্ধতি কল করার জন্য /htdocs/product/class/product.class.php, প্যারামিটারের মান হতে পারে
      0, ProductRef +CronCommandHelp=এক্সিকিউট করার জন্য সিস্টেম কমান্ড লাইন। +CronCreateJob=নতুন নির্ধারিত চাকরি তৈরি করুন CronFrom=From # Info # Common -CronType=Job type -CronType_method=Call method of a PHP Class -CronType_command=Shell command -CronCannotLoadClass=Cannot load class file %s (to use class %s) -CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it -UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs. -JobDisabled=Job disabled -MakeLocalDatabaseDumpShort=Local database backup -MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep -WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run. -DATAPOLICYJob=Data cleaner and anonymizer -JobXMustBeEnabled=Job %s must be enabled +CronType=কাজের ধরন +CronType_method=পিএইচপি ক্লাসের কল পদ্ধতি +CronType_command=শেল কমান্ড +CronCannotLoadClass=ক্লাস ফাইল %s লোড করা যাবে না (ক্লাস %s ব্যবহার করতে) +CronCannotLoadObject=ক্লাস ফাইল %s লোড করা হয়েছে, কিন্তু বস্তু %s পাওয়া যায়নি +UseMenuModuleToolsToAddCronJobs=নির্ধারিত কাজগুলি দেখতে এবং সম্পাদনা করতে "হোম - অ্যাডমিন টুলস - নির্ধারিত কাজ" মেনুতে যান৷ +JobDisabled=চাকরি অক্ষম +MakeLocalDatabaseDumpShort=স্থানীয় ডাটাবেস ব্যাকআপ +MakeLocalDatabaseDump=একটি স্থানীয় ডাটাবেস ডাম্প তৈরি করুন। পরামিতিগুলি হল: কম্প্রেশন ('gz' বা 'bz' বা 'কোনোটি'), ব্যাকআপের ধরন ('mysql', 'pgsql', 'অটো'), 1, 'অটো' বা ফাইলের নাম তৈরি করা, রাখার জন্য ব্যাকআপ ফাইলের সংখ্যা +MakeSendLocalDatabaseDumpShort=স্থানীয় ডাটাবেস ব্যাকআপ পাঠান +MakeSendLocalDatabaseDump=ইমেল দ্বারা স্থানীয় ডাটাবেস ব্যাকআপ পাঠান. প্যারামিটারগুলি হল: থেকে, থেকে, বিষয়, বার্তা, ফাইলের নাম (প্রেরিত ফাইলের নাম), ফিল্টার (শুধুমাত্র ডাটাবেসের ব্যাকআপের জন্য 'sql') +BackupIsTooLargeSend=দুঃখিত, শেষ ব্যাকআপ ফাইলটি ইমেল দ্বারা পাঠানোর জন্য খুব বড় +CleanUnfinishedCronjobShort=অসম্পূর্ণ ক্রোনজব পরিষ্কার করুন +CleanUnfinishedCronjob=ক্লিন ক্রোনজব প্রক্রিয়াকরণে আটকে গেছে যখন প্রক্রিয়াটি আর চলছে না +WarningCronDelayed=মনোযোগ, কর্মক্ষমতার উদ্দেশ্যে, সক্রিয় কাজগুলি সম্পাদনের পরবর্তী তারিখ যাই হোক না কেন, আপনার কাজগুলি চালানোর আগে সর্বাধিক %s ঘন্টা বিলম্বিত হতে পারে৷ +DATAPOLICYJob=ডেটা ক্লিনার এবং বেনামী +JobXMustBeEnabled=চাকরি %s সক্ষম হতে হবে +EmailIfError=ত্রুটি সম্পর্কে সতর্কতা জন্য ইমেল +JobNotFound=চাকরি %s কাজের তালিকায় পাওয়া যায়নি (মডিউল নিষ্ক্রিয়/সক্ষম করার চেষ্টা করুন) +ErrorInBatch=কাজ চালানোর সময় ত্রুটি %s + # Cron Boxes -LastExecutedScheduledJob=Last executed scheduled job -NextScheduledJobExecute=Next scheduled job to execute -NumberScheduledJobError=Number of scheduled jobs in error +LastExecutedScheduledJob=শেষ সম্পাদিত নির্ধারিত কাজ +NextScheduledJobExecute=কার্যকর করার জন্য পরবর্তী নির্ধারিত কাজ +NumberScheduledJobError=ভুলভাবে নির্ধারিত কাজের সংখ্যা +NumberScheduledJobNeverFinished=নির্ধারিত কাজের সংখ্যা কখনই শেষ হয়নি diff --git a/htdocs/langs/bn_BD/datapolicy.lang b/htdocs/langs/bn_BD/datapolicy.lang index aad90c75e2f..a778581011f 100644 --- a/htdocs/langs/bn_BD/datapolicy.lang +++ b/htdocs/langs/bn_BD/datapolicy.lang @@ -14,79 +14,79 @@ # along with this program. If not, see . # Module label 'ModuledatapolicyName' -Module4100Name = Data Privacy Policy +Module4100Name = ডেটা গোপনীয়তা নীতি # Module description 'ModuledatapolicyDesc' -Module4100Desc = Module to manage Data Privacy (Conformity with the GDPR) +Module4100Desc = ডেটা গোপনীয়তা পরিচালনা করার মডিউল (জিডিপিআরের সাথে সামঞ্জস্যপূর্ণ) # # Administration page # -datapolicySetup = Module Data Privacy Policy Setup -Deletion = Deletion of data -datapolicySetupPage = Depending of laws of your countries (Example Article 5 of the GDPR), personal data must be kept for a period not exceeding that necessary for the purposes for which they were collected, except for archival purposes.
      The deletion will be done automatically after a certain duration without event (the duration which you will have indicated below). -NB_MONTHS = %s months -ONE_YEAR = 1 year -NB_YEARS = %s years -DATAPOLICY_TIERS_CLIENT = Customer -DATAPOLICY_TIERS_PROSPECT = Prospect -DATAPOLICY_TIERS_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = Nor prospect/Nor customer -DATAPOLICY_TIERS_FOURNISSEUR = Supplier -DATAPOLICY_CONTACT_CLIENT = Customer -DATAPOLICY_CONTACT_PROSPECT = Prospect -DATAPOLICY_CONTACT_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = Nor prospect/Nor customer -DATAPOLICY_CONTACT_FOURNISSEUR = Supplier -DATAPOLICY_ADHERENT = Member -DATAPOLICY_Tooltip_SETUP = Type of contact - Indicate your choices for each type. -DATAPOLICYMail = Emails Setup -DATAPOLICYSUBJECTMAIL = Subject of email -DATAPOLICYCONTENTMAIL = Content of the email -DATAPOLICYSUBSITUTION = You can use the following variables in your email (LINKACCEPT allows to create a link recording the agreement of the person, LINKREFUSED makes it possible to record the refusal of the person): -DATAPOLICYACCEPT = Message after agreement -DATAPOLICYREFUSE = Message after desagreement -SendAgreementText = You can send a GDPR email to all your relevant contacts (who have not yet received an email and for which you have not registered anything about their GDPR agreement). To do this, use the following button. -SendAgreement = Send emails -AllAgreementSend = All emails have been sent -TXTLINKDATAPOLICYACCEPT = Text for the link "agreement" -TXTLINKDATAPOLICYREFUSE = Text for the link "desagreement" +datapolicySetup = মডিউল ডেটা গোপনীয়তা নীতি সেটআপ +Deletion = ডেটা মুছে ফেলা +datapolicySetupPage = আপনার দেশের আইনের উপর নির্ভর করে (উদাহরণ GDPR এর অনুচ্ছেদ 5), ব্যক্তিগত ডেটা নির্দিষ্ট সময়ের জন্য রাখতে হবে সংরক্ষণাগারের উদ্দেশ্যে ব্যতীত যে উদ্দেশ্যে এগুলি সংগ্রহ করা হয়েছিল তার জন্য প্রয়োজনীয়তা অতিক্রম করে৷
      বিনা ইভেন্ট (যে সময়কালটি আপনি নির্দেশ করবেন) একটি নির্দিষ্ট সময়ের পরে স্বয়ংক্রিয়ভাবে মুছে ফেলা হবে নিচে). +NB_MONTHS = %s মাস +ONE_YEAR = 1 বছর +NB_YEARS = %s বছর +DATAPOLICY_TIERS_CLIENT = ক্রেতা +DATAPOLICY_TIERS_PROSPECT = সম্ভাবনা +DATAPOLICY_TIERS_PROSPECT_CLIENT = প্রত্যাশা গ্রাহক +DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = না সম্ভাবনা/না গ্রাহক +DATAPOLICY_TIERS_FOURNISSEUR = সরবরাহকারী +DATAPOLICY_CONTACT_CLIENT = ক্রেতা +DATAPOLICY_CONTACT_PROSPECT = সম্ভাবনা +DATAPOLICY_CONTACT_PROSPECT_CLIENT = প্রত্যাশা গ্রাহক +DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = না সম্ভাবনা/না গ্রাহক +DATAPOLICY_CONTACT_FOURNISSEUR = সরবরাহকারী +DATAPOLICY_ADHERENT = সদস্য +DATAPOLICY_Tooltip_SETUP = যোগাযোগের ধরন - প্রতিটি প্রকারের জন্য আপনার পছন্দগুলি নির্দেশ করুন৷ +DATAPOLICYMail = ইমেল সেটআপ +DATAPOLICYSUBJECTMAIL = ইমেইলের বিষয় +DATAPOLICYCONTENTMAIL = ইমেইলের বিষয়বস্তু +DATAPOLICYSUBSITUTION = আপনি আপনার ইমেলে নিম্নলিখিত ভেরিয়েবলগুলি ব্যবহার করতে পারেন (LINKACCEPT ব্যক্তির চুক্তি রেকর্ড করে একটি লিঙ্ক তৈরি করতে দেয়, LINKREFUSED ব্যক্তির অস্বীকৃতি রেকর্ড করা সম্ভব করে তোলে): +DATAPOLICYACCEPT = চুক্তির পর বার্তা +DATAPOLICYREFUSE = অসম্মতির পর বার্তা +SendAgreementText = আপনি আপনার সমস্ত প্রাসঙ্গিক পরিচিতিদের একটি GDPR ইমেল পাঠাতে পারেন (যারা এখনও একটি ইমেল পাননি এবং যার জন্য আপনি তাদের GDPR চুক্তি সম্পর্কে কিছু নিবন্ধন করেননি)। এটি করতে, নিম্নলিখিত বোতামটি ব্যবহার করুন। +SendAgreement = ইমেইল পাঠান +AllAgreementSend = সব ইমেইল পাঠানো হয়েছে +TXTLINKDATAPOLICYACCEPT = লিঙ্কের জন্য পাঠ্য "চুক্তি" +TXTLINKDATAPOLICYREFUSE = লিঙ্কের জন্য পাঠ্য "অসম্মতি" # # Extrafields # -DATAPOLICY_BLOCKCHECKBOX = GDPR : Processing of personal data -DATAPOLICY_consentement = Consent obtained for the processing of personal data -DATAPOLICY_opposition_traitement = Opposes the processing of his personal data -DATAPOLICY_opposition_prospection = Opposes the processing of his personal data for the purposes of prospecting +DATAPOLICY_BLOCKCHECKBOX = জিডিপিআর: ব্যক্তিগত তথ্য প্রক্রিয়াকরণ +DATAPOLICY_consentement = ব্যক্তিগত তথ্য প্রক্রিয়াকরণের জন্য সম্মতি প্রাপ্ত +DATAPOLICY_opposition_traitement = তার ব্যক্তিগত তথ্য প্রক্রিয়াকরণের বিরোধিতা করে +DATAPOLICY_opposition_prospection = প্রত্যাশার উদ্দেশ্যে তার ব্যক্তিগত ডেটা প্রক্রিয়াকরণের বিরোধিতা করে # # Popup # -DATAPOLICY_POPUP_ANONYME_TITLE = Anonymize a thirdparty -DATAPOLICY_POPUP_ANONYME_TEXTE = You can not delete this contact from Dolibarr because there are related items. In accordance with the GDPR, you will make all this data anonymous to respect your obligations. Would you like to continue ? +DATAPOLICY_POPUP_ANONYME_TITLE = একটি তৃতীয় পক্ষ বেনামী +DATAPOLICY_POPUP_ANONYME_TEXTE = আপনি Dolibarr থেকে এই পরিচিতি মুছে ফেলতে পারবেন না কারণ সেখানে সম্পর্কিত আইটেম আছে। জিডিপিআর অনুসারে, আপনি আপনার বাধ্যবাধকতাগুলিকে সম্মান করতে এই সমস্ত ডেটা বেনামী করে দেবেন। আপনি কি অবিরত করতে চান ? # # Button for portability # -DATAPOLICY_PORTABILITE = Portability GDPR -DATAPOLICY_PORTABILITE_TITLE = Export of personal data -DATAPOLICY_PORTABILITE_CONFIRMATION = You want to export the personal data of this contact. Are you sure ? +DATAPOLICY_PORTABILITE = পোর্টেবিলিটি জিডিপিআর +DATAPOLICY_PORTABILITE_TITLE = ব্যক্তিগত তথ্য রপ্তানি +DATAPOLICY_PORTABILITE_CONFIRMATION = আপনি এই পরিচিতির ব্যক্তিগত ডেটা রপ্তানি করতে চান৷ তুমি কি নিশ্চিত ? # # Notes added during an anonymization # -ANONYMISER_AT = Anonymised the %s +ANONYMISER_AT = বেনামী %s # V2 -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_date = Date of agreement/desagreement GDPR -DATAPOLICY_send = Date sending agreement email -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_SEND = Send GDPR email -MailSent = Email has been sent +DATAPOLICYReturn = জিডিপিআর বৈধতা +DATAPOLICY_date = চুক্তি/অসম্মতির তারিখ GDPR +DATAPOLICY_send = চুক্তি ইমেল পাঠানোর তারিখ +DATAPOLICYReturn = জিডিপিআর বৈধতা +DATAPOLICY_SEND = GDPR ইমেল পাঠান +MailSent = ইমেল পাঠানো হয়েছে # ERROR -ErrorSubjectIsRequired = Error : The subject of email is required. Indicate it in the module setup -=Due to a technical problem, we were unable to register your choice. We apologize for that. Contact us to send us your choice. -NUMBER_MONTH_BEFORE_DELETION = Number of month before deletion +ErrorSubjectIsRequired = ত্রুটি: ইমেলের বিষয় প্রয়োজন। মডিউল সেটআপে এটি নির্দেশ করুন +=একটি প্রযুক্তিগত সমস্যার কারণে, আমরা আপনার পছন্দ নিবন্ধন করতে অক্ষম ছিল. এর জন্য আমরা ক্ষমাপ্রার্থী। আমাদের আপনার পছন্দ পাঠাতে আমাদের সাথে যোগাযোগ করুন. +NUMBER_MONTH_BEFORE_DELETION = মুছে ফেলার আগে মাসের সংখ্যা diff --git a/htdocs/langs/bn_BD/deliveries.lang b/htdocs/langs/bn_BD/deliveries.lang index cd8a36e6c70..b0857dfaabb 100644 --- a/htdocs/langs/bn_BD/deliveries.lang +++ b/htdocs/langs/bn_BD/deliveries.lang @@ -1,33 +1,33 @@ # Dolibarr language file - Source file is en_US - deliveries Delivery=Delivery -DeliveryRef=Ref Delivery -DeliveryCard=Receipt card -DeliveryOrder=Delivery receipt -DeliveryDate=Delivery date -CreateDeliveryOrder=Generate delivery receipt -DeliveryStateSaved=Delivery state saved -SetDeliveryDate=Set shipping date -ValidateDeliveryReceipt=Validate delivery receipt -ValidateDeliveryReceiptConfirm=Are you sure you want to validate this delivery receipt? -DeleteDeliveryReceipt=Delete delivery receipt -DeleteDeliveryReceiptConfirm=Are you sure you want to delete delivery receipt %s? -DeliveryMethod=Delivery method -TrackingNumber=Tracking number -DeliveryNotValidated=Delivery not validated -StatusDeliveryCanceled=Canceled +DeliveryRef=রেফ ডেলিভারি +DeliveryCard=স্টক রসিদ +DeliveryOrder=প্রসবের প্রাপ্তি +DeliveryDate=প্রসবের তারিখ +CreateDeliveryOrder=ডেলিভারি রসিদ তৈরি করুন +DeliveryStateSaved=ডেলিভারি অবস্থা সংরক্ষিত +SetDeliveryDate=শিপিং তারিখ সেট করুন +ValidateDeliveryReceipt=ডেলিভারি রসিদ যাচাই করুন +ValidateDeliveryReceiptConfirm=আপনি কি এই ডেলিভারি রসিদ যাচাই করার বিষয়ে নিশ্চিত? +DeleteDeliveryReceipt=ডেলিভারি রসিদ মুছুন +DeleteDeliveryReceiptConfirm=আপনি কি নিশ্চিত যে আপনি %s ডেলিভারি রসিদ মুছে ফেলতে চান? +DeliveryMethod=ডেলিভারি পদ্ধতি +TrackingNumber=ট্র্যাকিং নম্বর +DeliveryNotValidated=ডেলিভারি বৈধ নয় +StatusDeliveryCanceled=বাতিল StatusDeliveryDraft=Draft -StatusDeliveryValidated=Received +StatusDeliveryValidated=গৃহীত # merou PDF model -NameAndSignature=Name and Signature: -ToAndDate=To___________________________________ on ____/_____/__________ -GoodStatusDeclaration=Have received the goods above in good condition, -Deliverer=Deliverer: -Sender=Sender -Recipient=Recipient -ErrorStockIsNotEnough=There's not enough stock -Shippable=Shippable -NonShippable=Not Shippable -ShowShippableStatus=Show shippable status -ShowReceiving=Show delivery receipt -NonExistentOrder=Nonexistent order -StockQuantitiesAlreadyAllocatedOnPreviousLines = Stock quantities already allocated on previous lines +NameAndSignature=নাম এবং স্বাক্ষর: +ToAndDate=___________________________________-এ _____________________________ +GoodStatusDeclaration=উপরের পণ্যগুলি ভাল অবস্থায় পেয়েছি, +Deliverer=বিতরণকারী: +Sender=প্রেরক +Recipient=প্রাপক +ErrorStockIsNotEnough=পর্যাপ্ত স্টক নেই +Shippable=চালানযোগ্য +NonShippable=জাহাজীকরণযোগ্য নয় +ShowShippableStatus=জাহাজীকরণযোগ্য অবস্থা দেখান +ShowReceiving=ডেলিভারি রসিদ দেখান +NonExistentOrder=অস্তিত্বহীন আদেশ +StockQuantitiesAlreadyAllocatedOnPreviousLines = পূর্ববর্তী লাইনে ইতিমধ্যেই বরাদ্দকৃত স্টক পরিমাণ diff --git a/htdocs/langs/bn_BD/dict.lang b/htdocs/langs/bn_BD/dict.lang index bbd536679fe..68ecc390b09 100644 --- a/htdocs/langs/bn_BD/dict.lang +++ b/htdocs/langs/bn_BD/dict.lang @@ -21,7 +21,7 @@ CountryNL=Netherlands CountryHU=Hungary CountryRU=Russia CountrySE=Sweden -CountryCI=Ivory Coast +CountryCI=আইভরি কোস্ট CountrySN=Senegal CountryAR=Argentina CountryCM=Cameroon @@ -116,7 +116,7 @@ CountryHM=Heard Island and McDonald CountryVA=Holy See (Vatican City State) CountryHN=Honduras CountryHK=Hong Kong -CountryIS=Iceland +CountryIS=আইসল্যান্ড CountryIN=India CountryID=Indonesia CountryIR=Iran @@ -131,13 +131,13 @@ CountryKI=Kiribati CountryKP=North Korea CountryKR=South Korea CountryKW=Kuwait -CountryKG=Kyrgyzstan +CountryKG=কিরগিজস্তান CountryLA=Lao CountryLV=Latvia CountryLB=Lebanon CountryLS=Lesotho CountryLR=Liberia -CountryLY=Libya +CountryLY=লিবিয়া CountryLI=Liechtenstein CountryLT=Lithuania CountryLU=Luxembourg @@ -158,9 +158,9 @@ CountryMX=Mexico CountryFM=Micronesia CountryMD=Moldova CountryMN=Mongolia -CountryMS=Monserrat +CountryMS=মন্টসেরাট CountryMZ=Mozambique -CountryMM=Myanmar (Burma) +CountryMM=মায়ানমার (বার্মা) CountryNA=Namibia CountryNR=Nauru CountryNP=Nepal @@ -223,7 +223,7 @@ CountryTO=Tonga CountryTT=Trinidad and Tobago CountryTR=Turkey CountryTM=Turkmenistan -CountryTC=Turks and Caicos Islands +CountryTC=টার্কস্ ও কেইকোস দ্বীপপুঞ্জ CountryTV=Tuvalu CountryUG=Uganda CountryUA=Ukraine @@ -233,7 +233,7 @@ CountryUY=Uruguay CountryUZ=Uzbekistan CountryVU=Vanuatu CountryVE=Venezuela -CountryVN=Viet Nam +CountryVN=ভিয়েতনাম CountryVG=Virgin Islands, British CountryVI=Virgin Islands, U.S. CountryWF=Wallis and Futuna @@ -247,7 +247,7 @@ CountryJE=Jersey CountryME=Montenegro CountryBL=Saint Barthelemy CountryMF=Saint Martin -CountryXK=Kosovo +CountryXK=কসোভো ##### Civilities ##### CivilityMME=Mrs. @@ -280,7 +280,7 @@ CurrencySingMGA=Ariary CurrencyMUR=Mauritius rupees CurrencySingMUR=Mauritius rupee CurrencyNOK=Norwegian krones -CurrencySingNOK=Norwegian kronas +CurrencySingNOK=নরওয়েজিয়ান ক্রোনাস CurrencyTND=Tunisian dinars CurrencySingTND=Tunisian dinar CurrencyUSD=US Dollars @@ -293,7 +293,7 @@ CurrencyXOF=CFA Francs BCEAO CurrencySingXOF=CFA Franc BCEAO CurrencyXPF=CFP Francs CurrencySingXPF=CFP Franc -CurrencyCentEUR=cents +CurrencyCentEUR=সেন্ট CurrencyCentSingEUR=cent CurrencyCentINR=paisa CurrencyCentSingINR=paise @@ -310,7 +310,7 @@ DemandReasonTypeSRC_WOM=Word of mouth DemandReasonTypeSRC_PARTNER=Partner DemandReasonTypeSRC_EMPLOYEE=Employee DemandReasonTypeSRC_SPONSORING=Sponsorship -DemandReasonTypeSRC_SRC_CUSTOMER=Incoming contact of a customer +DemandReasonTypeSRC_SRC_CUSTOMER=একটি গ্রাহকের ইনকামিং যোগাযোগ #### Paper formats #### PaperFormatEU4A0=Format 4A0 PaperFormatEU2A0=Format 2A0 @@ -332,31 +332,31 @@ PaperFormatCAP4=Format P4 Canada PaperFormatCAP5=Format P5 Canada PaperFormatCAP6=Format P6 Canada #### Expense report categories #### -ExpAutoCat=Car -ExpCycloCat=Moped -ExpMotoCat=Motorbike -ExpAuto3CV=3 CV -ExpAuto4CV=4 CV -ExpAuto5CV=5 CV -ExpAuto6CV=6 CV -ExpAuto7CV=7 CV -ExpAuto8CV=8 CV -ExpAuto9CV=9 CV -ExpAuto10CV=10 CV -ExpAuto11CV=11 CV -ExpAuto12CV=12 CV -ExpAuto3PCV=3 CV and more -ExpAuto4PCV=4 CV and more -ExpAuto5PCV=5 CV and more -ExpAuto6PCV=6 CV and more -ExpAuto7PCV=7 CV and more -ExpAuto8PCV=8 CV and more -ExpAuto9PCV=9 CV and more -ExpAuto10PCV=10 CV and more -ExpAuto11PCV=11 CV and more -ExpAuto12PCV=12 CV and more -ExpAuto13PCV=13 CV and more -ExpCyclo=Capacity lower to 50cm3 -ExpMoto12CV=Motorbike 1 or 2 CV -ExpMoto345CV=Motorbike 3, 4 or 5 CV -ExpMoto5PCV=Motorbike 5 CV and more +ExpAutoCat=গাড়ী +ExpCycloCat=মোপেড +ExpMotoCat=মোটরবাইক +ExpAuto3CV=3 সিভি +ExpAuto4CV=4 সিভি +ExpAuto5CV=5 সিভি +ExpAuto6CV=6 সিভি +ExpAuto7CV=7 সিভি +ExpAuto8CV=8 সিভি +ExpAuto9CV=9 সিভি +ExpAuto10CV=10 সিভি +ExpAuto11CV=11 সিভি +ExpAuto12CV=12 সিভি +ExpAuto3PCV=3 সিভি এবং আরো +ExpAuto4PCV=4 সিভি এবং আরো +ExpAuto5PCV=5 সিভি এবং আরো +ExpAuto6PCV=6 সিভি এবং আরো +ExpAuto7PCV=7 সিভি এবং আরো +ExpAuto8PCV=8 সিভি এবং আরো +ExpAuto9PCV=9 সিভি এবং আরো +ExpAuto10PCV=10 সিভি এবং আরো +ExpAuto11PCV=11 সিভি এবং আরো +ExpAuto12PCV=12 সিভি এবং আরো +ExpAuto13PCV=13 সিভি এবং আরো +ExpCyclo=ক্ষমতা কম 50cm3 +ExpMoto12CV=মোটরবাইক 1 বা 2 সিভি +ExpMoto345CV=মোটরবাইক 3, 4 বা 5 সিভি +ExpMoto5PCV=মোটরবাইক 5 সিভি এবং আরো diff --git a/htdocs/langs/bn_BD/donations.lang b/htdocs/langs/bn_BD/donations.lang index de4bdf68f03..369a4c21ee9 100644 --- a/htdocs/langs/bn_BD/donations.lang +++ b/htdocs/langs/bn_BD/donations.lang @@ -1,34 +1,36 @@ # Dolibarr language file - Source file is en_US - donations -Donation=Donation -Donations=Donations -DonationRef=Donation ref. -Donor=Donor -AddDonation=Create a donation -NewDonation=New donation -DeleteADonation=Delete a donation -ConfirmDeleteADonation=Are you sure you want to delete this donation? -PublicDonation=Public donation -DonationsArea=Donations area -DonationStatusPromiseNotValidated=Draft promise -DonationStatusPromiseValidated=Validated promise -DonationStatusPaid=Donation received +Donation=দান +Donations=দান +DonationRef=দান রেফ. +Donor=দাতা +AddDonation=একটি অনুদান তৈরি করুন +NewDonation=নতুন দান +DeleteADonation=একটি অনুদান মুছুন +ConfirmDeleteADonation=আপনি কি এই দান মুছে ফেলার বিষয়ে নিশ্চিত? +PublicDonation=জনসাধারণের অনুদান +DonationsArea=দান এলাকা +DonationStatusPromiseNotValidated=খসড়া প্রতিশ্রুতি +DonationStatusPromiseValidated=বৈধ প্রতিশ্রুতি +DonationStatusPaid=অনুদান পাওয়া গেছে DonationStatusPromiseNotValidatedShort=Draft DonationStatusPromiseValidatedShort=Validated -DonationStatusPaidShort=Received -DonationTitle=Donation receipt -DonationDate=Donation date -DonationDatePayment=Payment date -ValidPromess=Validate promise -DonationReceipt=Donation receipt -DonationsModels=Documents models for donation receipts -LastModifiedDonations=Latest %s modified donations -DonationRecipient=Donation recipient -IConfirmDonationReception=The recipient declare reception, as a donation, of the following amount -MinimumAmount=Minimum amount is %s -FreeTextOnDonations=Free text to show in footer -FrenchOptions=Options for France -DONATION_ART200=Show article 200 from CGI if you are concerned -DONATION_ART238=Show article 238 from CGI if you are concerned -DONATION_ART885=Show article 885 from CGI if you are concerned -DonationPayment=Donation payment -DonationValidated=Donation %s validated +DonationStatusPaidShort=গৃহীত +DonationTitle=অনুদানের রসিদ +DonationDate=দানের তারিখ +DonationDatePayment=টাকা প্রদানের তারিখ +ValidPromess=প্রতিশ্রুতি যাচাই করুন +DonationReceipt=অনুদানের রসিদ +DonationsModels=দানের রসিদের জন্য নথির মডেল +LastModifiedDonations=সর্বশেষ %s পরিবর্তিত অনুদান +DonationRecipient=দান প্রাপক +IConfirmDonationReception=প্রাপক নিম্নলিখিত পরিমাণের দান হিসাবে অভ্যর্থনা ঘোষণা করেন +MinimumAmount=সর্বনিম্ন পরিমাণ হল %s +FreeTextOnDonations=ফুটারে দেখানোর জন্য বিনামূল্যে পাঠ্য +FrenchOptions=ফ্রান্সের জন্য বিকল্প +DONATION_ART200=আপনি উদ্বিগ্ন হলে CGI থেকে নিবন্ধ 200 দেখান +DONATION_ART238=আপনি উদ্বিগ্ন হলে CGI থেকে নিবন্ধ 238 দেখান +DONATION_ART978=আপনি উদ্বিগ্ন হলে CGI থেকে নিবন্ধ 978 দেখান +DonationPayment=অনুদান প্রদান +DonationValidated=দান %s বৈধ +DonationUseThirdparties=দাতার ঠিকানা হিসাবে একটি বিদ্যমান তৃতীয় পক্ষের ঠিকানা ব্যবহার করুন +DonationsStatistics=অনুদানের পরিসংখ্যান diff --git a/htdocs/langs/bn_BD/ecm.lang b/htdocs/langs/bn_BD/ecm.lang index 5ced4ec5617..b960147c6e8 100644 --- a/htdocs/langs/bn_BD/ecm.lang +++ b/htdocs/langs/bn_BD/ecm.lang @@ -1,13 +1,13 @@ # Dolibarr language file - Source file is en_US - ecm -ECMNbOfDocs=No. of documents in directory +ECMNbOfDocs=ডিরেক্টরিতে নথির সংখ্যা ECMSection=Directory ECMSectionManual=Manual directory ECMSectionAuto=Automatic directory -ECMSectionsManual=Manual tree -ECMSectionsAuto=Automatic tree -ECMSectionsMedias=Medias tree +ECMSectionsManual=ব্যক্তিগত ম্যানুয়াল গাছ +ECMSectionsAuto=ব্যক্তিগত স্বয়ংক্রিয় গাছ +ECMSectionsMedias=পাবলিক গাছ ECMSections=Directories -ECMRoot=ECM Root +ECMRoot=ইসিএম রুট ECMNewSection=New directory ECMAddSection=Add directory ECMCreationDate=Creation date @@ -15,38 +15,42 @@ ECMNbOfFilesInDir=Number of files in directory ECMNbOfSubDir=Number of sub-directories ECMNbOfFilesInSubDir=Number of files in sub-directories ECMCreationUser=Creator -ECMArea=DMS/ECM area -ECMAreaDesc=The DMS/ECM (Document Management System / Electronic Content Management) area allows you to save, share and search quickly all kind of documents in Dolibarr. -ECMAreaDesc2a=* Manual directories can be used to save documents not linked to a particular element. -ECMAreaDesc2b=* Automatic directories are filled automatically when adding documents from the page of an element. -ECMAreaDesc3=* Medias directories are files into the subdirectory /medias of documents directory, readable by everybody with no need to be logged and no need to have the file shared explicitely. It is used to store image files from emailing or website module. +ECMArea=DMS/ECM এলাকা +ECMAreaDesc=DMS/ECM (ডকুমেন্ট ম্যানেজমেন্ট সিস্টেম / ইলেকট্রনিক কনটেন্ট ম্যানেজমেন্ট) এলাকা আপনাকে ডলিবারে সব ধরনের নথি সংরক্ষণ, শেয়ার এবং দ্রুত অনুসন্ধান করতে দেয়। +ECMAreaDesc2a=* গাছের কাঠামোর একটি বিনামূল্যে সংগঠনের সাথে নথি সংরক্ষণ করতে ম্যানুয়াল ডিরেক্টরি ব্যবহার করা যেতে পারে। +ECMAreaDesc2b=* একটি উপাদানের পৃষ্ঠা থেকে নথি যোগ করার সময় স্বয়ংক্রিয় ডিরেক্টরিগুলি স্বয়ংক্রিয়ভাবে পূর্ণ হয়। +ECMAreaDesc3=* সর্বজনীন ডিরেক্টরি হল নথির ডিরেক্টরির /medias সাবডিরেক্টরিতে ফাইল, লগ ইন করার প্রয়োজন ছাড়াই প্রত্যেকের দ্বারা পাঠযোগ্য এবং ফাইলটি স্পষ্টভাবে শেয়ার করার দরকার নেই। এটি ইমেল বা ওয়েবসাইট মডিউলের জন্য ইমেজ ফাইল সংরক্ষণ করতে ব্যবহৃত হয়। ECMSectionWasRemoved=Directory %s has been deleted. -ECMSectionWasCreated=Directory %s has been created. +ECMSectionWasCreated=ডিরেক্টরি %s তৈরি করা হয়েছে৷ ECMSearchByKeywords=Search by keywords ECMSearchByEntity=Search by object ECMSectionOfDocuments=Directories of documents ECMTypeAuto=Automatic -ECMDocsBy=Documents linked to %s +ECMDocsBy=%s এর সাথে লিঙ্ক করা নথি ECMNoDirectoryYet=No directory created ShowECMSection=Show directory DeleteSection=Remove directory ConfirmDeleteSection=Can you confirm you want to delete the directory %s? ECMDirectoryForFiles=Relative directory for files -CannotRemoveDirectoryContainsFilesOrDirs=Removal not possible because it contains some files or sub-directories -CannotRemoveDirectoryContainsFiles=Removal not possible because it contains some files +CannotRemoveDirectoryContainsFilesOrDirs=অপসারণ সম্ভব নয় কারণ এতে কিছু ফাইল বা সাব-ডিরেক্টরি রয়েছে +CannotRemoveDirectoryContainsFiles=অপসারণ সম্ভব নয় কারণ এতে কিছু ফাইল রয়েছে ECMFileManager=File manager -ECMSelectASection=Select a directory in the tree... -DirNotSynchronizedSyncFirst=This directory seems to be created or modified outside ECM module. You must click on "Resync" button first to synchronize disk and database to get content of this directory. -ReSyncListOfDir=Resync list of directories -HashOfFileContent=Hash of file content -NoDirectoriesFound=No directories found -FileNotYetIndexedInDatabase=File not yet indexed into database (try to re-upload it) -ExtraFieldsEcmFiles=Extrafields Ecm Files -ExtraFieldsEcmDirectories=Extrafields Ecm Directories -ECMSetup=ECM Setup -GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... -ConfirmImgWebpCreation=Confirm all images duplication -SucessConvertImgWebp=Images successfully duplicated -ECMDirName=Dir name -ECMParentDirectory=Parent directory +ECMSelectASection=গাছে একটি ডিরেক্টরি নির্বাচন করুন... +DirNotSynchronizedSyncFirst=এই ডিরেক্টরিটি ECM মডিউলের বাইরে তৈরি বা পরিবর্তিত বলে মনে হচ্ছে। এই ডিরেক্টরির বিষয়বস্তু পেতে ডিস্ক এবং ডাটাবেস সিঙ্ক্রোনাইজ করতে আপনাকে প্রথমে "রিসিঙ্ক" বোতামে ক্লিক করতে হবে৷ +ReSyncListOfDir=ডিরেক্টরির তালিকা পুনরায় সিঙ্ক করুন +HashOfFileContent=ফাইল কন্টেন্ট হ্যাশ +NoDirectoriesFound=কোনো ডিরেক্টরি পাওয়া যায়নি +FileNotYetIndexedInDatabase=ফাইলটি এখনও ডাটাবেসে সূচীভুক্ত হয়নি (এটি পুনরায় আপলোড করার চেষ্টা করুন) +ExtraFieldsEcmFiles=Extrafields Ecm ফাইল +ExtraFieldsEcmDirectories=Extrafields Ecm ডিরেক্টরি +ECMSetup=ECM সেটআপ +GenerateImgWebp=.webp ফরম্যাটের সাথে অন্য সংস্করণের সাথে সমস্ত ছবি নকল করুন +ConfirmGenerateImgWebp=যদি আপনি নিশ্চিত করেন, আপনি এই ফোল্ডারে থাকা সমস্ত ছবির জন্য .webp ফরম্যাটে একটি ছবি তৈরি করবেন (সাবফোল্ডারগুলি অন্তর্ভুক্ত করা হয়নি, আকারের থেকে বড় হলে webp ছবিগুলি তৈরি করা হবে না)... +ConfirmImgWebpCreation=সমস্ত ইমেজ ডুপ্লিকেশন নিশ্চিত করুন +GenerateChosenImgWebp=.webp ফরম্যাটের সাথে অন্য সংস্করণের সাথে নির্বাচিত ছবি নকল করুন +ConfirmGenerateChosenImgWebp=আপনি নিশ্চিত করলে, আপনি %s ছবির জন্য .webp ফর্ম্যাটে একটি ছবি তৈরি করবেন +ConfirmChosenImgWebpCreation=নির্বাচিত ছবি ডুপ্লিকেশন নিশ্চিত করুন +SucessConvertImgWebp=ছবিগুলি সফলভাবে নকল করা হয়েছে৷ +SucessConvertChosenImgWebp=নির্বাচিত ছবি সফলভাবে নকল করা হয়েছে৷ +ECMDirName=দির নাম +ECMParentDirectory=মূল নির্দেশিকা diff --git a/htdocs/langs/bn_BD/errors.lang b/htdocs/langs/bn_BD/errors.lang index 20f5b6f264a..5280a80fed3 100644 --- a/htdocs/langs/bn_BD/errors.lang +++ b/htdocs/langs/bn_BD/errors.lang @@ -4,15 +4,17 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is incorrect -ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) -ErrorBadUrl=Url %s is incorrect +ErrorBadEMail=ইমেল ঠিকানা %s ভুল +ErrorBadMXDomain=ইমেল %s ভুল বলে মনে হচ্ছে (ডোমেনের কোনো বৈধ MX রেকর্ড নেই) +ErrorBadUrl=Url %s ভুল ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. -ErrorRefAlreadyExists=Reference %s already exists. +ErrorRefAlreadyExists=রেফারেন্স %s ইতিমধ্যেই বিদ্যমান। +ErrorTitleAlreadyExists=শিরোনাম %s ইতিমধ্যেই বিদ্যমান৷ ErrorLoginAlreadyExists=Login %s already exists. ErrorGroupAlreadyExists=Group %s already exists. -ErrorEmailAlreadyExists=Email %s already exists. +ErrorEmailAlreadyExists=ইমেল %s ইতিমধ্যেই বিদ্যমান। ErrorRecordNotFound=Record not found. +ErrorRecordNotFoundShort=পাওয়া যায়নি ErrorFailToCopyFile=Failed to copy file '%s' into '%s'. ErrorFailToCopyDir=Failed to copy directory '%s' into '%s'. ErrorFailToRenameFile=Failed to rename file '%s' into '%s'. @@ -26,110 +28,116 @@ ErrorFailToGenerateFile=Failed to generate file '%s'. ErrorThisContactIsAlreadyDefinedAsThisType=This contact is already defined as contact for this type. ErrorCashAccountAcceptsOnlyCashMoney=This bank account is a cash account, so it accepts payments of type cash only. ErrorFromToAccountsMustDiffers=Source and targets bank accounts must be different. -ErrorBadThirdPartyName=Bad value for third-party name -ForbiddenBySetupRules=Forbidden by setup rules +ErrorBadThirdPartyName=তৃতীয় পক্ষের নামের জন্য খারাপ মান +ForbiddenBySetupRules=সেটআপ নিয়ম দ্বারা নিষিদ্ধ ErrorProdIdIsMandatory=The %s is mandatory -ErrorAccountancyCodeCustomerIsMandatory=The accountancy code of customer %s is mandatory +ErrorAccountancyCodeCustomerIsMandatory=গ্রাহকের অ্যাকাউন্টেন্সি কোড %s বাধ্যতামূলক +ErrorAccountancyCodeSupplierIsMandatory=সরবরাহকারীর অ্যাকাউন্টেন্সি কোড %s বাধ্যতামূলক ErrorBadCustomerCodeSyntax=Bad syntax for customer code -ErrorBadBarCodeSyntax=Bad syntax for barcode. May be you set a bad barcode type or you defined a barcode mask for numbering that does not match value scanned. +ErrorBadBarCodeSyntax=বারকোডের জন্য খারাপ সিনট্যাক্স। আপনি একটি খারাপ বারকোড টাইপ সেট করতে পারেন বা আপনি নম্বর দেওয়ার জন্য একটি বারকোড মাস্ক সংজ্ঞায়িত করেছেন যা স্ক্যান করা মানের সাথে মেলে না। ErrorCustomerCodeRequired=Customer code required -ErrorBarCodeRequired=Barcode required +ErrorBarCodeRequired=বারকোড প্রয়োজন ErrorCustomerCodeAlreadyUsed=Customer code already used -ErrorBarCodeAlreadyUsed=Barcode already used +ErrorBarCodeAlreadyUsed=বারকোড ইতিমধ্যেই ব্যবহার করা হয়েছে ErrorPrefixRequired=Prefix required -ErrorBadSupplierCodeSyntax=Bad syntax for vendor code -ErrorSupplierCodeRequired=Vendor code required -ErrorSupplierCodeAlreadyUsed=Vendor code already used +ErrorBadSupplierCodeSyntax=বিক্রেতা কোডের জন্য খারাপ সিনট্যাক্স +ErrorSupplierCodeRequired=বিক্রেতা কোড প্রয়োজন +ErrorSupplierCodeAlreadyUsed=বিক্রেতা কোড ইতিমধ্যে ব্যবহার করা হয়েছে ErrorBadParameters=Bad parameters -ErrorWrongParameters=Wrong or missing parameters +ErrorWrongParameters=ভুল বা অনুপস্থিত পরামিতি ErrorBadValueForParameter=Wrong value '%s' for parameter '%s' ErrorBadImageFormat=Image file has not a supported format (Your PHP does not support functions to convert images of this format) ErrorBadDateFormat=Value '%s' has wrong date format ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s +ErrorFailedToBuildArchive=সংরক্ষণাগার ফাইল তৈরি করতে ব্যর্থ %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) -ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields have been left blank. -ErrorSubjectIsRequired=The email subject is required +ErrorUserCannotBeDelete=ব্যবহারকারী মুছে ফেলা যাবে না. হতে পারে এটি ডলিবার সত্তার সাথে যুক্ত। +ErrorFieldsRequired=কিছু প্রয়োজনীয় ক্ষেত্র ফাঁকা রাখা হয়েছে। +ErrorSubjectIsRequired=ইমেইল বিষয় প্রয়োজন ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user -ErrorSetupOfEmailsNotComplete=Setup of emails is not complete -ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display. +ErrorSetupOfEmailsNotComplete=ইমেল সেটআপ সম্পূর্ণ হয়নি +ErrorFeatureNeedJavascript=এই বৈশিষ্ট্যটি কাজ করার জন্য জাভাস্ক্রিপ্ট সক্রিয় করা প্রয়োজন. সেটআপ - প্রদর্শনে এটি পরিবর্তন করুন। ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'. ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id. ErrorFileNotFound=File %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter) ErrorDirNotFound=Directory %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter) ErrorFunctionNotAvailableInPHP=Function %s is required for this feature but is not available in this version/setup of PHP. ErrorDirAlreadyExists=A directory with this name already exists. +ErrorDirNotWritable=ডিরেক্টরি %s লেখার যোগ্য নয়। ErrorFileAlreadyExists=A file with this name already exists. -ErrorDestinationAlreadyExists=Another file with the name %s already exists. +ErrorDestinationAlreadyExists=%s নামের আরেকটি ফাইল ইতিমধ্যেই বিদ্যমান। ErrorPartialFile=File not received completely by server. -ErrorNoTmpDir=Temporary directy %s does not exists. +ErrorNoTmpDir=অস্থায়ী ডিরেক্টরি %s বিদ্যমান নেই। ErrorUploadBlockedByAddon=Upload blocked by a PHP/Apache plugin. -ErrorFileSizeTooLarge=File size is too large. -ErrorFieldTooLong=Field %s is too long. +ErrorFileSizeTooLarge=ফাইলের আকার খুব বড় বা ফাইল দেওয়া হয়নি৷ +ErrorFieldTooLong=%s ক্ষেত্রটি অত্যন্ত দীর্ঘ৷ ErrorSizeTooLongForIntType=Size too long for int type (%s digits maximum) ErrorSizeTooLongForVarcharType=Size too long for string type (%s chars maximum) ErrorNoValueForSelectType=Please fill value for select list ErrorNoValueForCheckBoxType=Please fill value for checkbox list ErrorNoValueForRadioType=Please fill value for radio list ErrorBadFormatValueList=The list value cannot have more than one comma: %s, but need at least one: key,value -ErrorFieldCanNotContainSpecialCharacters=The field %s must not contains special characters. -ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters and cannot contain only numbers. -ErrorFieldMustHaveXChar=The field %s must have at least %s characters. +ErrorFieldCanNotContainSpecialCharacters=%s ক্ষেত্রটিতে অবশ্যই বিশেষ অক্ষর থাকবে না। +ErrorFieldCanNotContainSpecialNorUpperCharacters=%s বিশেষ অক্ষর থাকা উচিত নয়, বড় হাতের অক্ষরও থাকবে না অক্ষর, এবং একটি বর্ণানুক্রমিক অক্ষর দিয়ে শুরু করতে হবে (a-z) +ErrorFieldMustHaveXChar=%s ক্ষেত্রটিতে কমপক্ষে %s অক্ষর। ErrorNoAccountancyModuleLoaded=No accountancy module activated ErrorExportDuplicateProfil=This profile name already exists for this export set. ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete. ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors. -ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled. -ErrorRefAlreadyExists=Reference %s already exists. -ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD) -ErrorRecordHasChildren=Failed to delete record since it has some child records. -ErrorRecordHasAtLeastOneChildOfType=Object %s has at least one child of type %s -ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into another object. -ErrorModuleRequireJavascript=Javascript must not be disabled to have this feature working. To enable/disable Javascript, go to menu Home->Setup->Display. +ErrorCantSaveADoneUserWithZeroPercentage="স্ট্যাটাস নট স্টার্ট" দিয়ে একটি অ্যাকশন সেভ করা যাবে না যদি ক্ষেত্র "দ্বারা সম্পন্ন"ও পূর্ণ হয়। +ErrorRefAlreadyExists=রেফারেন্স %s ইতিমধ্যেই বিদ্যমান। +ErrorPleaseTypeBankTransactionReportName=অনুগ্রহ করে ব্যাঙ্ক স্টেটমেন্টের নাম লিখুন যেখানে এন্ট্রি রিপোর্ট করতে হবে (ফর্ম্যাট YYYYMM বা YYYYMMDD) +ErrorRecordHasChildren=রেকর্ড মুছে ফেলতে ব্যর্থ হয়েছে কারণ এতে কিছু চাইল্ড রেকর্ড রয়েছে৷ +ErrorRecordHasAtLeastOneChildOfType=বস্তু %s টাইপের অন্তত একটি শিশু আছে %s +ErrorRecordIsUsedCantDelete=রেকর্ড মুছে ফেলা যাবে না. এটি ইতিমধ্যে অন্য বস্তুর মধ্যে ব্যবহৃত বা অন্তর্ভুক্ত করা হয়েছে। +ErrorModuleRequireJavascript=এই বৈশিষ্ট্যটি কাজ করার জন্য জাভাস্ক্রিপ্ট অক্ষম করা উচিত নয়। জাভাস্ক্রিপ্ট সক্রিয়/অক্ষম করতে, মেনু হোম->সেটআপ->ডিসপ্লেতে যান। ErrorPasswordsMustMatch=Both typed passwords must match each other -ErrorContactEMail=A technical error occured. Please, contact administrator to following email %s and provide the error code %s in your message, or add a screen copy of this page. -ErrorWrongValueForField=Field %s: '%s' does not match regex rule %s -ErrorFieldValueNotIn=Field %s: '%s' is not a value found in field %s of %s -ErrorFieldRefNotIn=Field %s: '%s' is not a %s existing ref -ErrorsOnXLines=%s errors found +ErrorContactEMail=একটি প্রযুক্তিগত ত্রুটি ঘটেছে. অনুগ্রহ করে, নিম্নলিখিত ইমেল %s করার জন্য প্রশাসকের সাথে যোগাযোগ করুন এবং ত্রুটি প্রদান করুন কোড %s আপনার বার্তায়, অথবা এর একটি স্ক্রিন কপি যোগ করুন এই পৃষ্ঠা. +ErrorWrongValueForField=ক্ষেত্র %s: ' %s' রেজেক্স নিয়মের সাথে মেলে না %s
      +ErrorHtmlInjectionForField=ক্ষেত্র %s: মান '%s' একটি দূষিত ডেটা রয়েছে অনুমোদিত নয় +ErrorFieldValueNotIn=ক্ষেত্র %s: ' %s' b0aee83z5 এর span>%s %s +ErrorFieldRefNotIn=ক্ষেত্র %s: ' %s' একটি b0aee83f>%s বিদ্যমান রেফ +ErrorMultipleRecordFoundFromRef=রেফ %s থেকে অনুসন্ধান করার সময় বেশ কিছু রেকর্ড পাওয়া গেছে। কোন আইডি ব্যবহার করবেন তা জানার উপায় নেই। +ErrorsOnXLines=%s ত্রুটি পাওয়া গেছে ErrorFileIsInfectedWithAVirus=The antivirus program was not able to validate the file (file might be infected by a virus) -ErrorSpecialCharNotAllowedForField=Special characters are not allowed for field "%s" +ErrorFileIsAnInfectedPDFWithJSInside=ফাইলটি ভিতরে কিছু জাভাস্ক্রিপ্ট দ্বারা সংক্রামিত একটি PDF ErrorNumRefModel=A reference exists into database (%s) and is not compatible with this numbering rule. Remove record or renamed reference to activate this module. -ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this vendor -ErrorOrdersNotCreatedQtyTooLow=Some orders haven't been created because of too-low quantities -ErrorModuleSetupNotComplete=Setup of module %s looks to be uncomplete. Go on Home - Setup - Modules to complete. +ErrorQtyTooLowForThisSupplier=এই বিক্রেতার জন্য পরিমাণ খুব কম বা এই বিক্রেতার জন্য এই পণ্যের উপর কোন মূল্য সংজ্ঞায়িত করা হয়নি +ErrorOrdersNotCreatedQtyTooLow=খুব কম পরিমাণের কারণে কিছু অর্ডার তৈরি করা হয়নি +ErrorOrderStatusCantBeSetToDelivered=অর্ডার স্ট্যাটাস ডেলিভারির জন্য সেট করা যাবে না। +ErrorModuleSetupNotComplete=মডিউল %s সেটআপ অসম্পূর্ণ বলে মনে হচ্ছে। সম্পূর্ণ করতে হোম - সেটআপ - মডিউলগুলিতে যান৷ ErrorBadMask=Error on mask ErrorBadMaskFailedToLocatePosOfSequence=Error, mask without sequence number ErrorBadMaskBadRazMonth=Error, bad reset value -ErrorMaxNumberReachForThisMask=Maximum number reached for this mask +ErrorMaxNumberReachForThisMask=এই মুখোশের জন্য সর্বাধিক সংখ্যা পৌঁছেছে৷ ErrorCounterMustHaveMoreThan3Digits=Counter must have more than 3 digits -ErrorSelectAtLeastOne=Error, select at least one entry. -ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transaction that is conciliated +ErrorSelectAtLeastOne=ত্রুটি, অন্তত একটি এন্ট্রি নির্বাচন করুন. +ErrorDeleteNotPossibleLineIsConsolidated=মুছে ফেলা সম্ভব নয় কারণ রেকর্ড একটি ব্যাঙ্ক লেনদেনের সাথে সংযুক্ত রয়েছে যা সমঝোতা করা হয়েছে ErrorProdIdAlreadyExist=%s is assigned to another third ErrorFailedToSendPassword=Failed to send password ErrorFailedToLoadRSSFile=Fails to get RSS feed. Try to add constant MAIN_SIMPLEXMLLOAD_DEBUG if error messages does not provide enough information. ErrorForbidden=Access denied.
      You try to access to a page, area or feature of a disabled module or without being in an authenticated session or that is not allowed to your user. ErrorForbidden2=Permission for this login can be defined by your Dolibarr administrator from menu %s->%s. ErrorForbidden3=It seems that Dolibarr is not used through an authenticated session. Take a look at Dolibarr setup documentation to know how to manage authentications (htaccess, mod_auth or other...). -ErrorForbidden4=Note: clear your browser cookies to destroy existing sessions for this login. +ErrorForbidden4=দ্রষ্টব্য: এই লগইনের জন্য বিদ্যমান সেশনগুলি ধ্বংস করতে আপনার ব্রাউজার কুকিজ সাফ করুন। ErrorNoImagickReadimage=Class Imagick is not found in this PHP. No preview can be available. Administrators can disable this tab from menu Setup - Display. ErrorRecordAlreadyExists=Record already exists -ErrorLabelAlreadyExists=This label already exists +ErrorLabelAlreadyExists=এই লেবেলটি ইতিমধ্যেই বিদ্যমান ErrorCantReadFile=Failed to read file '%s' ErrorCantReadDir=Failed to read directory '%s' ErrorBadLoginPassword=Bad value for login or password ErrorLoginDisabled=Your account has been disabled -ErrorFailedToRunExternalCommand=Failed to run external command. Check it is available and runnable by your PHP server user. Check also the command is not protected on shell level by a security layer like apparmor. +ErrorFailedToRunExternalCommand=বাহ্যিক কমান্ড চালাতে ব্যর্থ হয়েছে৷ এটি আপনার পিএইচপি সার্ভার ব্যবহারকারী দ্বারা উপলব্ধ এবং চালানোর যোগ্য কিনা তা পরীক্ষা করুন। কমান্ডটি শেল স্তরে অ্যাপারমারের মতো একটি সুরক্ষা স্তর দ্বারা সুরক্ষিত নয় তাও পরীক্ষা করুন। ErrorFailedToChangePassword=Failed to change password ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines (net of tax) can't be negative for a given not null VAT rate (Found a negative total for VAT rate %s%%). -ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. +ErrorFieldCantBeNegativeOnInvoice=এই ধরনের চালানের ক্ষেত্রে %s নেতিবাচক হতে পারে না। আপনি যদি একটি ডিসকাউন্ট লাইন যোগ করতে চান তবে প্রথমে ডিসকাউন্ট তৈরি করুন (তৃতীয় পক্ষের কার্ডে '%s' ফিল্ড থেকে) এবং চালানে এটি প্রয়োগ করুন। +ErrorLinesCantBeNegativeForOneVATRate=প্রদত্ত শূন্য ভ্যাট হারের জন্য মোট লাইন (করের নেট) ঋণাত্মক হতে পারে না (ভ্যাট হারের জন্য একটি ঋণাত্মক মোট পাওয়া গেছে %s %%)। +ErrorLinesCantBeNegativeOnDeposits=একটি ডিপোজিটে লাইন ঋণাত্মক হতে পারে না। আপনি সমস্যার সম্মুখীন হবেন যখন আপনি যদি তা করেন তাহলে চূড়ান্ত চালানে আমানত গ্রহণ করতে হবে। ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -142,10 +150,11 @@ ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base ErrorNewValueCantMatchOldValue=New value can't be equal to old one ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process. -ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check database server is running (for example, with mysql/mariadb, you can launch it from command line with 'sudo service mysql start'). +ErrorToConnectToMysqlCheckInstance=ডাটাবেসের সাথে সংযোগ ব্যর্থ হয়। চেক ডাটাবেস সার্ভার চলছে (উদাহরণস্বরূপ, mysql/mariadb এর সাথে, আপনি 'sudo service mysql start' দিয়ে কমান্ড লাইন থেকে এটি চালু করতে পারেন)। ErrorFailedToAddContact=Failed to add contact -ErrorDateMustBeBeforeToday=The date must be lower than today -ErrorDateMustBeInFuture=The date must be greater than today +ErrorDateMustBeBeforeToday=তারিখটি আজকের থেকে কম হতে হবে +ErrorDateMustBeInFuture=তারিখটি আজকের থেকে বড় হতে হবে +ErrorStartDateGreaterEnd=শুরুর তারিখটি শেষের তারিখের চেয়ে বড়৷ ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode. ErrorPHPNeedModule=Error, your PHP must have module %s installed to use this feature. ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s @@ -154,7 +163,7 @@ ErrorBadFormat=Bad format! ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any third party. Link member to an existing third party or create a new third party before creating subscription with invoice. ErrorThereIsSomeDeliveries=Error, there is some deliveries linked to this shipment. Deletion refused. ErrorCantDeletePaymentReconciliated=Can't delete a payment that had generated a bank entry that was reconciled -ErrorCantDeletePaymentSharedWithPayedInvoice=Can't delete a payment shared by at least one invoice with status Paid +ErrorCantDeletePaymentSharedWithPayedInvoice=পেইড স্ট্যাটাস সহ অন্তত একটি চালান দ্বারা শেয়ার করা পেমেন্ট মুছে ফেলা যাবে না ErrorPriceExpression1=Cannot assign to constant '%s' ErrorPriceExpression2=Cannot redefine built-in function '%s' ErrorPriceExpression3=Undefined variable '%s' in function definition @@ -162,8 +171,8 @@ ErrorPriceExpression4=Illegal character '%s' ErrorPriceExpression5=Unexpected '%s' ErrorPriceExpression6=Wrong number of arguments (%s given, %s expected) ErrorPriceExpression8=Unexpected operator '%s' -ErrorPriceExpression9=An unexpected error occured -ErrorPriceExpression10=Operator '%s' lacks operand +ErrorPriceExpression9=একটি অপ্রত্যাশিত ত্রুটি ঘটেছে৷ +ErrorPriceExpression10=অপারেটর '%s' অপারেন্ডের অভাব রয়েছে ErrorPriceExpression11=Expecting '%s' ErrorPriceExpression14=Division by zero ErrorPriceExpression17=Undefined variable '%s' @@ -171,12 +180,12 @@ ErrorPriceExpression19=Expression not found ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' -ErrorPriceExpression23=Unknown or non set variable '%s' in %s -ErrorPriceExpression24=Variable '%s' exists but has no value +ErrorPriceExpression23=অজানা বা অ-সেট পরিবর্তনশীল '%s-এ '%s' +ErrorPriceExpression24=ভেরিয়েবল '%s' বিদ্যমান কিন্তু এর কোনো মান নেই ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs -ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on product '%s' requiring lot/serial information +ErrorTryToMakeMoveOnProductRequiringBatchData=ত্রুটি, পণ্য '%s' লট/ক্রমিক তথ্য ছাড়াই একটি স্টক মুভমেন্ট করার চেষ্টা করছে ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=All recorded receptions must first be verified (approved or denied) before being allowed to do this action ErrorCantSetReceptionToTotalDoneWithReceptionDenied=All recorded receptions must first be verified (approved) before being allowed to do this action ErrorGlobalVariableUpdater0=HTTP request failed with error '%s' @@ -187,14 +196,15 @@ ErrorGlobalVariableUpdater4=SOAP client failed with error '%s' ErrorGlobalVariableUpdater5=No global variable selected ErrorFieldMustBeANumeric=Field %s must be a numeric value ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided -ErrorOppStatusRequiredIfAmount=You set an estimated amount for this lead. So you must also enter it's status. +ErrorOppStatusRequiredIfUsage=আপনি এই প্রকল্পে একটি সুযোগ অনুসরণ করতে বেছে নিন, তাই আপনাকে অবশ্যই লিড স্ট্যাটাস পূরণ করতে হবে। +ErrorOppStatusRequiredIfAmount=আপনি এই লিডের জন্য একটি আনুমানিক পরিমাণ সেট করেছেন। তাই আপনাকে অবশ্যই এটির স্থিতি লিখতে হবে। ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu) -ErrorSavingChanges=An error has occurred when saving the changes +ErrorSavingChanges=পরিবর্তনগুলি সংরক্ষণ করার সময় একটি ত্রুটি ঘটেছে৷ ErrorWarehouseRequiredIntoShipmentLine=Warehouse is required on the line to ship ErrorFileMustHaveFormat=File must have format %s -ErrorFilenameCantStartWithDot=Filename can't start with a '.' -ErrorSupplierCountryIsNotDefined=Country for this vendor is not defined. Correct this first. +ErrorFilenameCantStartWithDot=ফাইলের নাম '.' দিয়ে শুরু হতে পারে না। +ErrorSupplierCountryIsNotDefined=এই বিক্রেতার জন্য দেশ সংজ্ঞায়িত করা হয় না. প্রথমে এটি সংশোধন করুন। ErrorsThirdpartyMerge=Failed to merge the two records. Request canceled. ErrorStockIsNotEnoughToAddProductOnOrder=Stock is not enough for product %s to add it into a new order. ErrorStockIsNotEnoughToAddProductOnInvoice=Stock is not enough for product %s to add it into a new invoice. @@ -210,87 +220,131 @@ ErrorPhpMailDelivery=Check that you don't use a too high number of recipients an ErrorUserNotAssignedToTask=User must be assigned to task to be able to enter time consumed. ErrorTaskAlreadyAssigned=Task already assigned to user ErrorModuleFileSeemsToHaveAWrongFormat=The module package seems to have a wrong format. -ErrorModuleFileSeemsToHaveAWrongFormat2=At least one mandatory directory must exists into zip of module: %s or %s +ErrorModuleFileSeemsToHaveAWrongFormat2=মডিউলের জিপে অন্তত একটি বাধ্যতামূলক ডিরেক্টরি থাকতে হবে: %sb0a65d071f6fz90 অথবা %s ErrorFilenameDosNotMatchDolibarrPackageRules=The name of the module package (%s) does not match expected name syntax: %s ErrorDuplicateTrigger=Error, duplicate trigger name %s. Already loaded from %s. ErrorNoWarehouseDefined=Error, no warehouses defined. ErrorBadLinkSourceSetButBadValueForRef=The link you use is not valid. A 'source' for payment is defined, but value for 'ref' is not valid. ErrorTooManyErrorsProcessStopped=Too many errors. Process was stopped. -ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Mass validation is not possible when option to increase/decrease stock is set on this action (you must validate one by one so you can define the warehouse to increase/decrease) -ErrorObjectMustHaveStatusDraftToBeValidated=Object %s must have status 'Draft' to be validated. -ErrorObjectMustHaveLinesToBeValidated=Object %s must have lines to be validated. -ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Only validated invoices can be sent using the "Send by email" mass action. -ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a predefined product or not -ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before. -ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently. -ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference. -ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number. -ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product -ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use -ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually. -ErrorBadSyntaxForParamKeyForContent=Bad syntax for param keyforcontent. Must have a value starting with %s or %s -ErrorVariableKeyForContentMustBeSet=Error, the constant with name %s (with text content to show) or %s (with external url to show) must be set. -ErrorURLMustEndWith=URL %s must end %s -ErrorURLMustStartWithHttp=URL %s must start with http:// or https:// -ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// -ErrorNewRefIsAlreadyUsed=Error, the new reference is already used -ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible. -ErrorSearchCriteriaTooSmall=Search criteria too small. -ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to be disabled -ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled -ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. -ErrorFieldRequiredForProduct=Field '%s' is required for product %s -ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. -ErrorAddAtLeastOneLineFirst=Add at least one line first -ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, record is already transferred in accounting, deletion is not possible. -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one. -ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s". -ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty -ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number -ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number -ErrorFailedToReadObject=Error, failed to read object of type %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler -ErrorLoginDateValidity=Error, this login is outside the validity date range -ErrorValueLength=Length of field '%s' must be higher than '%s' -ErrorReservedKeyword=The word '%s' is a reserved keyword -ErrorNotAvailableWithThisDistribution=Not available with this distribution -ErrorPublicInterfaceNotEnabled=Public interface was not enabled -ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page -ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page -ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation -ErrorDateIsInFuture=Error, the date can't be in the future -ErrorAnAmountWithoutTaxIsRequired=Error, amount is mandatory -ErrorAPercentIsRequired=Error, please fill in the percentage correctly -ErrorYouMustFirstSetupYourChartOfAccount=You must first setup your chart of account -ErrorFailedToFindEmailTemplate=Failed to find template with code name %s -ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Duration not defined on service. No way to calculate the hourly price. -ErrorActionCommPropertyUserowneridNotDefined=User's owner is required -ErrorActionCommBadType=Selected event type (id: %s, code: %s) do not exist in Event Type dictionary -CheckVersionFail=Version check fail -ErrorWrongFileName=Name of the file cannot have __SOMETHING__ in it -ErrorNotInDictionaryPaymentConditions=Not in Payment Terms Dictionary, please modify. -ErrorIsNotADraft=%s is not a draft -ErrorExecIdFailed=Can't execute command "id" -ErrorBadCharIntoLoginName=Unauthorized character in the login name -ErrorRequestTooLarge=Error, request too large +ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=এই অ্যাকশনে স্টক বাড়ানো/কমাবার বিকল্প সেট করা থাকলে ব্যাপক বৈধতা সম্ভব নয় (আপনাকে অবশ্যই একে একে যাচাই করতে হবে যাতে আপনি বাড়া/কমাতে গুদামটি সংজ্ঞায়িত করতে পারেন) +ErrorObjectMustHaveStatusDraftToBeValidated=বস্তু %s বৈধ হওয়ার জন্য 'খসড়া' স্থিতি থাকতে হবে। +ErrorObjectMustHaveLinesToBeValidated=বস্তু %s যাচাই করার জন্য লাইন থাকতে হবে। +ErrorOnlyInvoiceValidatedCanBeSentInMassAction="ইমেল দ্বারা পাঠান" গণ অ্যাকশন ব্যবহার করে শুধুমাত্র বৈধ চালান পাঠানো যেতে পারে। +ErrorChooseBetweenFreeEntryOrPredefinedProduct=নিবন্ধটি একটি পূর্বনির্ধারিত পণ্য কিনা তা আপনাকে অবশ্যই চয়ন করতে হবে +ErrorDiscountLargerThanRemainToPaySplitItBefore=আপনি যে ডিসকাউন্টটি প্রয়োগ করার চেষ্টা করছেন তা পরিশোধ করার চেয়ে বেশি। ডিসকাউন্টটিকে আগে 2টি ছোট ডিসকাউন্টে ভাগ করুন৷ +ErrorFileNotFoundWithSharedLink=ফাইল পাওয়া যায়নি. শেয়ার কী সংশোধন করা হয়েছে বা ফাইল সম্প্রতি সরানো হয়েছে হতে পারে. +ErrorProductBarCodeAlreadyExists=পণ্যের বারকোড %s আগে থেকেই অন্য পণ্যের রেফারেন্সে বিদ্যমান। +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=আরও মনে রাখবেন যে কিট ব্যবহার করে সাবপ্রডাক্টের স্বয়ংক্রিয়ভাবে বৃদ্ধি/কমানো সম্ভব নয় যখন অন্তত একটি সাব-প্রোডাক্টের (বা সাব-প্রোডাক্টের সাব-প্রোডাক্ট) একটি সিরিয়াল/লট নম্বর প্রয়োজন। +ErrorDescRequiredForFreeProductLines=বিনামূল্যে পণ্যের সাথে লাইনের জন্য বর্ণনা বাধ্যতামূলক +ErrorAPageWithThisNameOrAliasAlreadyExists=পৃষ্ঠা/কন্টেইনার %s একই নাম বা বিকল্প হিসাবে আছে যেটা আপনি ব্যবহার করার চেষ্টা করেন +ErrorDuringChartLoad=অ্যাকাউন্টের চার্ট লোড করার সময় ত্রুটি। যদি কয়েকটি অ্যাকাউন্ট লোড না করা হয় তবে আপনি এখনও সেগুলি ম্যানুয়ালি প্রবেশ করতে পারেন। +ErrorBadSyntaxForParamKeyForContent=প্যারাম কী-কন্টেন্টের জন্য খারাপ সিনট্যাক্স। %s বা %s দিয়ে শুরু হওয়া একটি মান থাকতে হবে +ErrorVariableKeyForContentMustBeSet=ত্রুটি, %s নামের ধ্রুবক (দেখাতে পাঠ্য সামগ্রী সহ) বা %s (দেখাতে বাহ্যিক url সহ) সেট করতে হবে . +ErrorURLMustEndWith=URL %s শেষ হওয়া আবশ্যক %s +ErrorURLMustStartWithHttp=URL %s অবশ্যই http:// অথবা https:// দিয়ে শুরু হবে +ErrorHostMustNotStartWithHttp=হোস্টের নাম %s অবশ্যই http:// বা https:// দিয়ে শুরু হবে না +ErrorNewRefIsAlreadyUsed=ত্রুটি, নতুন রেফারেন্স ইতিমধ্যে ব্যবহার করা হয়েছে +ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=ত্রুটি, একটি বন্ধ চালানের সাথে লিঙ্ক করা অর্থ প্রদান মুছে ফেলা সম্ভব নয়৷ +ErrorSearchCriteriaTooSmall=অনুসন্ধানের মানদণ্ড খুব ছোট। +ErrorObjectMustHaveStatusActiveToBeDisabled=অক্ষম করার জন্য অবজেক্টের 'সক্রিয়' স্থিতি থাকতে হবে +ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=সক্রিয় করার জন্য অবজেক্টের 'ড্রাফ্ট' বা 'অক্ষম' অবস্থা থাকতে হবে +ErrorNoFieldWithAttributeShowoncombobox='%s' অবজেক্টের সংজ্ঞায় কোনো ক্ষেত্রের 'showoncombobox' বৈশিষ্ট্য নেই। কম্বোলিস্ট দেখানোর কোন উপায় নেই। +ErrorFieldRequiredForProduct=ক্ষেত্র '%s' পণ্যের জন্য প্রয়োজন %s +AlreadyTooMuchPostOnThisIPAdress=আপনি ইতিমধ্যে এই আইপি ঠিকানায় অনেক বেশি পোস্ট করেছেন। +ProblemIsInSetupOfTerminal=টার্মিনাল %s সেটআপে সমস্যা। +ErrorAddAtLeastOneLineFirst=প্রথমে অন্তত একটি লাইন যোগ করুন +ErrorRecordAlreadyInAccountingDeletionNotPossible=ত্রুটি, রেকর্ড ইতিমধ্যে অ্যাকাউন্টিং স্থানান্তর করা হয়েছে, মুছে ফেলা সম্ভব নয়. +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=ত্রুটি, ভাষা বাধ্যতামূলক যদি আপনি পৃষ্ঠাটিকে অন্য একটি অনুবাদ হিসাবে সেট করেন৷ +ErrorLanguageOfTranslatedPageIsSameThanThisPage=ত্রুটি, অনূদিত পৃষ্ঠার ভাষা এইটির থেকে একই। +ErrorBatchNoFoundForProductInWarehouse=গুদামে "%s" পণ্যের জন্য কোনো লট/সিরিয়াল পাওয়া যায়নি "%s"। +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=গুদামে "%s" "%s" পণ্যের জন্য এই লট/সিরিয়ালের জন্য পর্যাপ্ত পরিমাণ নেই৷ +ErrorOnlyOneFieldForGroupByIsPossible='গ্রুপ বাই' এর জন্য শুধুমাত্র 1টি ক্ষেত্র সম্ভব (অন্যগুলি বাতিল করা হয়েছে) +ErrorTooManyDifferentValueForSelectedGroupBy=অনেকগুলি ভিন্ন মান পাওয়া গেছে (%s এর চেয়ে বেশি) ক্ষেত্র '%s', তাই আমরা এটি ব্যবহার করতে পারি না গ্রাফিক্সের জন্য 'গ্রুপ বাই' হিসেবে। 'গ্রুপ বাই' ক্ষেত্রটি সরানো হয়েছে। আপনি একটি X-অক্ষ হিসাবে এটি ব্যবহার করতে চেয়েছিলেন হতে পারে? +ErrorReplaceStringEmpty=ত্রুটি, প্রতিস্থাপন করার জন্য স্ট্রিং খালি +ErrorProductNeedBatchNumber=ত্রুটি, পণ্য '%s' প্রচুর/ক্রমিক নম্বর প্রয়োজন +ErrorProductDoesNotNeedBatchNumber=ত্রুটি, পণ্য '%s' অনেক কিছু গ্রহণ করে না/ ক্রমিক সংখ্যা +ErrorFailedToReadObject=ত্রুটি, %s প্রকারের বস্তু পড়তে ব্যর্থ হয়েছে +ErrorParameterMustBeEnabledToAllwoThisFeature=ত্রুটি, প্যারামিটার %s অবশ্যই conf/conf.php<> অভ্যন্তরীণ কাজের সময়সূচী দ্বারা কমান্ড লাইন ইন্টারফেস ব্যবহারের অনুমতি দিতে +ErrorLoginDateValidity=ত্রুটি, এই লগইনটি বৈধতার তারিখ সীমার বাইরে +ErrorValueLength='%s' ফিল্ডের দৈর্ঘ্য অবশ্যই '< এর থেকে বেশি হতে হবে span class='notranslate'>%s' +ErrorReservedKeyword='%s' শব্দটি একটি সংরক্ষিত কীওয়ার্ড +ErrorFilenameReserved=ফাইলের নাম %s ব্যবহার করা যাবে না কারণ এটি একটি। সংরক্ষিত এবং সুরক্ষিত কমান্ড। +ErrorNotAvailableWithThisDistribution=এই বিতরণের সাথে উপলব্ধ নয় +ErrorPublicInterfaceNotEnabled=পাবলিক ইন্টারফেস সক্রিয় ছিল না +ErrorLanguageRequiredIfPageIsTranslationOfAnother=নতুন পৃষ্ঠার ভাষা অবশ্যই সংজ্ঞায়িত করা উচিত যদি এটি অন্য পৃষ্ঠার অনুবাদ হিসাবে সেট করা হয় +ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=নতুন পৃষ্ঠার ভাষা অন্য পৃষ্ঠার অনুবাদ হিসাবে সেট করা থাকলে উৎস ভাষা হতে হবে না +ErrorAParameterIsRequiredForThisOperation=এই অপারেশনের জন্য একটি প্যারামিটার বাধ্যতামূলক +ErrorDateIsInFuture=ত্রুটি, তারিখটি ভবিষ্যতে হতে পারে না৷ +ErrorAnAmountWithoutTaxIsRequired=ত্রুটি, পরিমাণ বাধ্যতামূলক +ErrorAPercentIsRequired=ত্রুটি, সঠিকভাবে শতাংশ পূরণ করুন +ErrorYouMustFirstSetupYourChartOfAccount=আপনাকে প্রথমে আপনার অ্যাকাউন্টের চার্ট সেটআপ করতে হবে +ErrorFailedToFindEmailTemplate=%s কোড নামের টেমপ্লেট খুঁজে পাওয়া যায়নি +ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=পরিষেবাতে সময়কাল সংজ্ঞায়িত নয়। প্রতি ঘন্টার মূল্য গণনা করার কোন উপায় নেই। +ErrorActionCommPropertyUserowneridNotDefined=ব্যবহারকারীর মালিক প্রয়োজন +ErrorActionCommBadType=নির্বাচিত ইভেন্টের প্রকার (id: %s, কোড: %s) ইভেন্ট প্রকার অভিধানে বিদ্যমান নেই +CheckVersionFail=সংস্করণ চেক ব্যর্থ +ErrorWrongFileName=ফাইলের নামের মধ্যে __SOMETHING__ থাকতে পারে না +ErrorNotInDictionaryPaymentConditions=অর্থপ্রদানের শর্তাবলী অভিধানে নেই, অনুগ্রহ করে সংশোধন করুন। +ErrorIsNotADraft=%s একটি খসড়া নয় +ErrorExecIdFailed=কমান্ড "আইডি" চালানো যাবে না +ErrorBadCharIntoLoginName=%s ক্ষেত্রে অননুমোদিত অক্ষর +ErrorRequestTooLarge=ত্রুটি, অনুরোধটি খুব বড় বা সেশনের মেয়াদ শেষ হয়েছে৷ +ErrorNotApproverForHoliday=আপনি ছুটির অনুমোদনকারী নন %s +ErrorAttributeIsUsedIntoProduct=এই বৈশিষ্ট্যটি এক বা একাধিক পণ্য বৈকল্পিক ব্যবহার করা হয় +ErrorAttributeValueIsUsedIntoProduct=এই বৈশিষ্ট্য মান এক বা একাধিক পণ্য বৈকল্পিক ব্যবহার করা হয় +ErrorPaymentInBothCurrency=ত্রুটি, সমস্ত পরিমাণ একই কলামে লিখতে হবে৷ +ErrorYouTryToPayInvoicesInACurrencyFromBankWithAnotherCurrency=আপনি মুদ্রা %s সহ একটি অ্যাকাউন্ট থেকে %s মুদ্রায় চালান দেওয়ার চেষ্টা করেন +ErrorInvoiceLoadThirdParty=চালানের জন্য তৃতীয় পক্ষের বস্তু লোড করা যাচ্ছে না "%s" +ErrorInvoiceLoadThirdPartyKey=থার্ড-পার্টি কী "%s" ইনভয়েসের জন্য কোনো সেট নেই "%s" +ErrorDeleteLineNotAllowedByObjectStatus=বর্তমান অবজেক্ট স্ট্যাটাস দ্বারা লাইন মুছে ফেলার অনুমতি নেই +ErrorAjaxRequestFailed=অনুরোধ ব্যর্থ +ErrorThirpdartyOrMemberidIsMandatory=তৃতীয় পক্ষ বা অংশীদারিত্বের সদস্য বাধ্যতামূলক +ErrorFailedToWriteInTempDirectory=টেম্প ডিরেক্টরিতে লিখতে ব্যর্থ +ErrorQuantityIsLimitedTo=পরিমাণ %s এ সীমিত +ErrorFailedToLoadThirdParty=id=%s, email=%s, name= থেকে তৃতীয় পক্ষ খুঁজে/লোড করতে ব্যর্থ %s +ErrorThisPaymentModeIsNotSepa=এই পেমেন্ট মোড একটি ব্যাঙ্ক অ্যাকাউন্ট নয় +ErrorStripeCustomerNotFoundCreateFirst=স্ট্রাইপ গ্রাহক এই তৃতীয় পক্ষের জন্য সেট করা নেই (অথবা স্ট্রাইপের পাশে মুছে ফেলা একটি মান সেট)। প্রথমে এটি তৈরি করুন (বা পুনরায় সংযুক্ত করুন)। +ErrorCharPlusNotSupportedByImapForSearch=IMAP অনুসন্ধান + অক্ষর ধারণকারী একটি স্ট্রিং জন্য প্রেরক বা প্রাপক অনুসন্ধান করতে সক্ষম নয় +ErrorTableNotFound=টেবিল %s পাওয়া যায়নি +ErrorRefNotFound=রেফারেন্স %s পাওয়া যায়নি +ErrorValueForTooLow=%s-এর মান খুবই কম +ErrorValueCantBeNull=%s এর মান শূন্য হতে পারে না +ErrorDateOfMovementLowerThanDateOfFileTransmission=ব্যাঙ্ক লেনদেনের তারিখ ফাইল ট্রান্সমিশনের তারিখের চেয়ে কম হতে পারে না +ErrorTooMuchFileInForm=আকারে অনেক বেশি ফাইল, সর্বাধিক সংখ্যা হল %s ফাইল(গুলি) +ErrorSessionInvalidatedAfterPasswordChange=পাসওয়ার্ড, ইমেল, স্থিতি বা বৈধতার তারিখের পরিবর্তনের পরে অধিবেশনটি অবৈধ হয়ে গেছে। আবার লগইন করুন. +ErrorExistingPermission = %s বস্তুর অনুমতি %s ইতিমধ্যেই বিদ্যমান +ErrorFieldExist=%s এর মান ইতিমধ্যেই বিদ্যমান +ErrorEqualModule=%s-এ মডিউল অবৈধ +ErrorFieldValue=%s এর মান ভুল +ErrorCoherenceMenu=%s প্রয়োজন হয় যখন %s 'বামে' +ErrorUploadFileDragDrop=ফাইল(গুলি) আপলোড করার সময় একটি ত্রুটি ছিল৷ +ErrorUploadFileDragDropPermissionDenied=ফাইল(গুলি) আপলোড করার সময় একটি ত্রুটি ছিল : অনুমতি অস্বীকার করা হয়েছে৷ +ErrorFixThisHere=এখানে এটি ঠিক করুন +ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=ত্রুটি: আপনার বর্তমান উদাহরণের URL (%s) আপনার OAuth2 লগইন সেটআপে সংজ্ঞায়িত URL এর সাথে মেলে না (%s)। এই ধরনের কনফিগারেশনে OAuth2 লগইন করা অনুমোদিত নয়। +ErrorMenuExistValue=এই শিরোনাম বা URL সহ একটি মেনু ইতিমধ্যেই বিদ্যমান৷ +ErrorSVGFilesNotAllowedAsLinksWithout=বিকল্প %s ছাড়া SVG ফাইলগুলি বহিরাগত লিঙ্ক হিসাবে অনুমোদিত নয় +ErrorTypeMenu=নেভিবারে একই মডিউলের জন্য অন্য মেনু যোগ করা অসম্ভব, এখনও পরিচালনা করা হয়নি +ErrorObjectNotFound = বস্তুটি %s পাওয়া যায়নি, অনুগ্রহ করে আপনার url চেক করুন +ErrorCountryCodeMustBe2Char=দেশের কোড একটি 2 অক্ষরের স্ট্রিং হতে হবে + +ErrorTableExist=সারণি %s আগে থেকেই বিদ্যমান +ErrorDictionaryNotFound=অভিধান %s পাওয়া যায়নি +ErrorFailedToCreateSymLinkToMedias=%s-এ নির্দেশ করার জন্য প্রতীকী লিঙ্ক %s তৈরি করতে ব্যর্থ হয়েছে +ErrorCheckTheCommandInsideTheAdvancedOptions=এক্সপোর্টের অ্যাডভান্সড অপশনে এক্সপোর্টের জন্য ব্যবহৃত কমান্ড চেক করুন # Warnings -WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. +WarningParamUploadMaxFileSizeHigherThanPostMaxSize=আপনার PHP প্যারামিটার upload_max_filesize (%s) PHP প্যারামিটার post_max_size (%s) থেকে বেশি। এটি একটি ধারাবাহিক সেটআপ নয়। WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. -WarningMandatorySetupNotComplete=Click here to setup mandatory parameters -WarningEnableYourModulesApplications=Click here to enable your modules and applications +WarningMandatorySetupNotComplete=প্রধান পরামিতি সেটআপ করতে এখানে ক্লিক করুন +WarningEnableYourModulesApplications=আপনার মডিউল এবং অ্যাপ্লিকেশন সক্রিয় করতে এখানে ক্লিক করুন WarningSafeModeOnCheckExecDir=Warning, PHP option safe_mode is on so command must be stored inside a directory declared by php parameter safe_mode_exec_dir. WarningBookmarkAlreadyExists=A bookmark with this title or this target (URL) already exists. WarningPassIsEmpty=Warning, database password is empty. This is a security hole. You should add a password to your database and change your conf.php file to reflect this. WarningConfFileMustBeReadOnly=Warning, your config file (htdocs/conf/conf.php) can be overwritten by the web server. This is a serious security hole. Modify permissions on file to be in read only mode for operating system user used by Web server. If you use Windows and FAT format for your disk, you must know that this file system does not allow to add permissions on file, so can't be completely safe. WarningsOnXLines=Warnings on %s source record(s) -WarningNoDocumentModelActivated=No model, for document generation, has been activated. A model will be chosen by default until you check your module setup. -WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable the installation/migration tools by adding a file install.lock into directory %s. Omitting the creation of this file is a grave security risk. -WarningUntilDirRemoved=All security warnings (visible by admin users only) will remain active as long as the vulnerability is present (or that constant MAIN_REMOVE_INSTALL_WARNING is added in Setup->Other Setup). +WarningNoDocumentModelActivated=নথি তৈরির জন্য কোনো মডেল সক্রিয় করা হয়নি। আপনি আপনার মডিউল সেটআপ চেক না করা পর্যন্ত একটি মডেল ডিফল্টরূপে নির্বাচিত হবে৷ +WarningLockFileDoesNotExists=সতর্কতা, একবার সেটআপ শেষ হয়ে গেলে, আপনাকে অবশ্যই একটি ফাইল install.lock যোগ করে ইনস্টলেশন/মাইগ্রেশন সরঞ্জামগুলি অক্ষম করতে হবে %s। এই ফাইল তৈরি করা বাদ দেওয়া একটি গুরুতর নিরাপত্তা ঝুঁকি। +WarningUntilDirRemoved=যতক্ষণ না দুর্বলতা থাকবে ততক্ষণ এই নিরাপত্তা সতর্কতা সক্রিয় থাকবে। WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution. WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box. WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card). @@ -299,36 +353,54 @@ WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice WarningTooManyDataPleaseUseMoreFilters=Too many data (more than %s lines). Please use more filters or set the constant %s to a higher limit. WarningSomeLinesWithNullHourlyRate=Some times were recorded by some users while their hourly rate was not defined. A value of 0 %s per hour was used but this may result in wrong valuation of time spent. WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security purpose you will have to login with your new login before next action. +WarningYourPasswordWasModifiedPleaseLogin=আপনার পাসওয়ার্ড পরিবর্তন করা হয়েছে. নিরাপত্তার জন্য আপনাকে এখন আপনার নতুন পাসওয়ার্ড দিয়ে লগইন করতে হবে। WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language -WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists -WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report -WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks. -WarningProjectClosed=Project is closed. You must re-open it first. -WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. -WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table -WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on. -WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list -WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection. -WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. -WarningPaypalPaymentNotCompatibleWithStrict=The value 'Strict' makes the online payment features not working correctly. Use 'Lax' instead. +WarningNumberOfRecipientIsRestrictedInMassAction=সতর্কতা, বিভিন্ন প্রাপকের সংখ্যা %s ব্যবহার করার সময় সীমাবদ্ধ। তালিকায় ভর কর্ম +WarningDateOfLineMustBeInExpenseReportRange=সতর্কতা, লাইনের তারিখ ব্যয় প্রতিবেদনের সীমার মধ্যে নেই +WarningProjectDraft=প্রকল্পটি এখনও খসড়া মোডে রয়েছে। আপনি যদি কাজগুলি ব্যবহার করার পরিকল্পনা করেন তবে এটি যাচাই করতে ভুলবেন না। +WarningProjectClosed=প্রকল্প বন্ধ। আপনাকে প্রথমে এটি পুনরায় খুলতে হবে। +WarningSomeBankTransactionByChequeWereRemovedAfter=কিছু ব্যাংক লেনদেন সরিয়ে নেওয়ার পরে সেগুলি সহ রসিদ তৈরি করা হয়েছিল। তাই চেকের এনবি এবং প্রাপ্তির মোট সংখ্যা এবং তালিকার মোট সংখ্যা থেকে আলাদা হতে পারে। +WarningFailedToAddFileIntoDatabaseIndex=সতর্কতা, ECM ডাটাবেস সূচক টেবিলে ফাইল এন্ট্রি যোগ করতে ব্যর্থ হয়েছে৷ +WarningTheHiddenOptionIsOn=সতর্কতা, লুকানো বিকল্প %s চালু আছে। +WarningCreateSubAccounts=সতর্কতা, আপনি সরাসরি একটি সাব অ্যাকাউন্ট তৈরি করতে পারবেন না, আপনাকে অবশ্যই একটি তৃতীয় পক্ষ বা ব্যবহারকারী তৈরি করতে হবে এবং তাদের এই তালিকায় খুঁজে পেতে একটি অ্যাকাউন্টিং কোড বরাদ্দ করতে হবে +WarningAvailableOnlyForHTTPSServers=শুধুমাত্র HTTPS সুরক্ষিত সংযোগ ব্যবহার করলেই উপলব্ধ। +WarningModuleXDisabledSoYouMayMissEventHere=মডিউল %s সক্ষম করা হয়নি৷ তাই আপনি এখানে অনেক ঘটনা মিস করতে পারেন. +WarningPaypalPaymentNotCompatibleWithStrict=মান 'কঠোর' অনলাইন পেমেন্ট বৈশিষ্ট্য সঠিকভাবে কাজ না করে তোলে. পরিবর্তে 'Lax' ব্যবহার করুন। +WarningThemeForcedTo=সতর্কতা, থিমটি লুকানো কনস্ট্যান্ট দ্বারা %s করতে বাধ্য করা হয়েছে +WarningPagesWillBeDeleted=সতর্কতা, এটি ওয়েবসাইটের সমস্ত বিদ্যমান পৃষ্ঠা/পাত্র মুছে ফেলবে। আপনার ওয়েবসাইটটি আগে রপ্তানি করা উচিত, তাই পরে এটি পুনরায় আমদানি করার জন্য আপনার কাছে একটি ব্যাকআপ আছে৷ +WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal="চালান যাচাইকরণ" এ স্টক কমানোর বিকল্প সেট করা থাকলে স্বয়ংক্রিয় বৈধতা অক্ষম করা হয়। +WarningModuleNeedRefresh = মডিউল %s নিষ্ক্রিয় করা হয়েছে৷ এটি সক্রিয় করতে ভুলবেন না +WarningPermissionAlreadyExist=এই বস্তুর জন্য বিদ্যমান অনুমতি +WarningGoOnAccountancySetupToAddAccounts=এই তালিকাটি খালি থাকলে, মেনুতে যান %s - %s - %s আপনার অ্যাকাউন্টের চার্টের জন্য অ্যাকাউন্ট লোড করতে বা তৈরি করতে। +WarningCorrectedInvoiceNotFound=সঠিক চালান পাওয়া যায়নি +WarningCommentNotFound=অনুগ্রহ করে %s বিভাগের জন্য শুরু এবং শেষ মন্তব্যের স্থান নির্ধারণ করুন আপনার অ্যাকশন জমা দেওয়ার আগে ফাইল %s +WarningAlreadyReverse=স্টক আন্দোলন ইতিমধ্যে বিপরীত + +SwissQrOnlyVIR = সুইসকিউআর ইনভয়েস শুধুমাত্র ক্রেডিট ট্রান্সফার পেমেন্টের সাথে প্রদান করা সেট ইনভয়েসে যোগ করা যেতে পারে। +SwissQrCreditorAddressInvalid = পাওনাদারের ঠিকানা অবৈধ (জিপ এবং শহর সেট আছে? (%s) +SwissQrCreditorInformationInvalid = IBAN (%s) এর জন্য পাওনাদারের তথ্য অবৈধ: %s +SwissQrIbanNotImplementedYet = QR-IBAN এখনও বাস্তবায়িত হয়নি৷ +SwissQrPaymentInformationInvalid = অর্থপ্রদানের তথ্য মোট %s : %s এর জন্য অবৈধ ছিল +SwissQrDebitorAddressInvalid = ডেবিটর তথ্য অবৈধ ছিল (%s) # Validate -RequireValidValue = Value not valid -RequireAtLeastXString = Requires at least %s character(s) -RequireXStringMax = Requires %s character(s) max -RequireAtLeastXDigits = Requires at least %s digit(s) -RequireXDigitsMax = Requires %s digit(s) max -RequireValidNumeric = Requires a numeric value -RequireValidEmail = Email address is not valid -RequireMaxLength = Length must be less than %s chars -RequireMinLength = Length must be more than %s char(s) -RequireValidUrl = Require valid URL -RequireValidDate = Require a valid date -RequireANotEmptyValue = Is required -RequireValidDuration = Require a valid duration -RequireValidExistingElement = Require an existing value -RequireValidBool = Require a valid boolean -BadSetupOfField = Error bad setup of field -BadSetupOfFieldClassNotFoundForValidation = Error bad setup of field : Class not found for validation -BadSetupOfFieldFileNotFound = Error bad setup of field : File not found for inclusion -BadSetupOfFieldFetchNotCallable = Error bad setup of field : Fetch not callable on class +RequireValidValue = মান বৈধ নয় +RequireAtLeastXString = কমপক্ষে %s অক্ষর(গুলি) প্রয়োজন +RequireXStringMax = সর্বাধিক %s অক্ষর(গুলি) প্রয়োজন +RequireAtLeastXDigits = কমপক্ষে %s সংখ্যা(গুলি) প্রয়োজন +RequireXDigitsMax = প্রয়োজন %s সংখ্যা(গুলি) সর্বাধিক +RequireValidNumeric = একটি সংখ্যাসূচক মান প্রয়োজন +RequireValidEmail = ইমেইল ঠিকানা বৈধ নয় +RequireMaxLength = দৈর্ঘ্য অবশ্যই %s অক্ষরের কম হতে হবে +RequireMinLength = দৈর্ঘ্য অবশ্যই %s অক্ষরের চেয়ে বেশি হতে হবে +RequireValidUrl = বৈধ URL প্রয়োজন৷ +RequireValidDate = একটি বৈধ তারিখ প্রয়োজন +RequireANotEmptyValue = দরকার +RequireValidDuration = একটি বৈধ সময়কাল প্রয়োজন +RequireValidExistingElement = একটি বিদ্যমান মান প্রয়োজন +RequireValidBool = একটি বৈধ বুলিয়ান প্রয়োজন +BadSetupOfField = ক্ষেত্রের ভুল সেটআপ ত্রুটি +BadSetupOfFieldClassNotFoundForValidation = ক্ষেত্রের ত্রুটি খারাপ সেটআপ: যাচাইকরণের জন্য ক্লাস পাওয়া যায়নি +BadSetupOfFieldFileNotFound = ক্ষেত্রের ত্রুটি খারাপ সেটআপ: অন্তর্ভুক্তির জন্য ফাইল পাওয়া যায়নি +BadSetupOfFieldFetchNotCallable = ক্ষেত্রের ত্রুটি খারাপ সেটআপ: ক্লাসে কলযোগ্য নয় আনা +ErrorTooManyAttempts= অনেক প্রচেষ্টা। অনুগ্রহ করে একটু পরে আবার চেষ্টা করুন diff --git a/htdocs/langs/bn_BD/eventorganization.lang b/htdocs/langs/bn_BD/eventorganization.lang index b4a7279d757..ea37f16ca85 100644 --- a/htdocs/langs/bn_BD/eventorganization.lang +++ b/htdocs/langs/bn_BD/eventorganization.lang @@ -17,151 +17,164 @@ # # Generic # -ModuleEventOrganizationName = Event Organization -EventOrganizationDescription = Event Organization through Module Project -EventOrganizationDescriptionLong= Manage the organization of an event (show, conferences, attendees or speakers, with public pages for suggestion, vote or registration) +ModuleEventOrganizationName = ইভেন্ট অর্গানাইজেশন +EventOrganizationDescription = মডিউল প্রকল্পের মাধ্যমে ইভেন্ট সংগঠন +EventOrganizationDescriptionLong= একটি ইভেন্টের সংগঠন পরিচালনা করুন (শো, সম্মেলন, অংশগ্রহণকারী বা বক্তা, পরামর্শ, ভোট বা নিবন্ধনের জন্য সর্বজনীন পৃষ্ঠা সহ) # # Menu # -EventOrganizationMenuLeft = Organized events -EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth +EventOrganizationMenuLeft = সংগঠিত অনুষ্ঠান +EventOrganizationConferenceOrBoothMenuLeft = সম্মেলন বা বুথ -PaymentEvent=Payment of event +PaymentEvent=ইভেন্ট পেমেন্ট # # Admin page # -NewRegistration=Registration -EventOrganizationSetup=Event Organization setup -EventOrganization=Event organization -Settings=Settings -EventOrganizationSetupPage = Event Organization setup page -EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated -EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

      For example:
      Send Call for Conference
      Send Call for Booth
      Receive call for conferences
      Receive call for Booth
      Open subscriptions to events for attendees
      Send remind of event to speakers
      Send remind of event to Booth hoster
      Send remind of event to attendees -EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference -EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth -EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. -EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. -EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a registration to a booth has been paid. -EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a registration to an event has been paid. -EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email to use when sending emails from the massaction "Send emails" to speakers -EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email to use when sending emails from the massaction "Send emails" on attendee list -EVENTORGANIZATION_FILTERATTENDEES_CAT = In the form to create/add an attendee, restricts the list of thirdparties to thirdparties in the category -EVENTORGANIZATION_FILTERATTENDEES_TYPE = In the form to create/add an attendee, restricts the list of thirdparties to thirdparties with the nature +NewRegistration=নিবন্ধন +EventOrganizationSetup=ইভেন্ট অর্গানাইজেশন সেটআপ +EventOrganization=ইভেন্ট সংগঠন +Settings=সেটিংস +EventOrganizationSetupPage = ইভেন্ট সংস্থা সেটআপ পৃষ্ঠা +EVENTORGANIZATION_TASK_LABEL = প্রোজেক্ট যাচাই করা হলে স্বয়ংক্রিয়ভাবে তৈরি করা কাজের লেবেল +EVENTORGANIZATION_TASK_LABELTooltip = যখন আপনি একটি ইভেন্টকে সংগঠিত করার জন্য যাচাই করেন, তখন কিছু কাজ স্বয়ংক্রিয়ভাবে প্রকল্পে তৈরি হতে পারে

      উদাহরণস্বরূপ:
      সম্মেলনের জন্য কল পাঠান
      বুথের জন্য কল পাঠান
      সম্মেলনের প্রস্তাবনা ='notranslate'>
      বুথের জন্য আবেদন যাচাই করুন
      অতিথিদের জন্য ইভেন্টের সদস্যতা উন্মুক্ত করুন
      respandSmin বক্তাদের কাছে ইভেন্টের কথা
      বুথ হোস্টার্সকে ইভেন্টের একটি অনুস্মারক পাঠান
      অতিথিদের ইভেন্টের একটি অনুস্মারক পাঠান +EVENTORGANIZATION_TASK_LABELTooltip2=আপনার যদি স্বয়ংক্রিয়ভাবে কাজ তৈরি করার প্রয়োজন না হয় তবে খালি রাখুন। +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = তৃতীয় পক্ষের সাথে যুক্ত করার জন্য বিভাগ স্বয়ংক্রিয়ভাবে তৈরি হয় যখন কেউ একটি সম্মেলনের পরামর্শ দেয় +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = তৃতীয় পক্ষের সাথে যুক্ত করার জন্য বিভাগ স্বয়ংক্রিয়ভাবে তৈরি হয় যখন তারা একটি বুথের পরামর্শ দেয় +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = একটি সম্মেলনের পরামর্শ পাওয়ার পরে পাঠানোর জন্য ইমেলের টেমপ্লেট। +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = একটি বুথের পরামর্শ পাওয়ার পর পাঠানোর জন্য ইমেলের টেমপ্লেট। +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = একটি বুথে নিবন্ধনের পরে পাঠানোর জন্য ইমেলের টেমপ্লেট প্রদান করা হয়েছে। +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = একটি ইভেন্টে নিবন্ধন করার পরে পাঠানোর জন্য ইমেলের টেমপ্লেট প্রদান করা হয়েছে। +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = স্পিকারের কাছে "ইমেল পাঠান" ম্যাসাকশন থেকে ইমেল পাঠানোর সময় ব্যবহার করার জন্য ইমেলের টেমপ্লেট +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = অংশগ্রহণকারীদের তালিকায় ম্যাসাকশন "ইমেল পাঠান" থেকে ইমেল পাঠানোর সময় ব্যবহার করার জন্য ইমেলের টেমপ্লেট +EVENTORGANIZATION_FILTERATTENDEES_CAT = একজন অংশগ্রহণকারী তৈরি/যোগ করার ফর্মে, তৃতীয় পক্ষের তালিকাকে তৃতীয় পক্ষের বিভাগে সীমাবদ্ধ করে +EVENTORGANIZATION_FILTERATTENDEES_TYPE = একজন অংশগ্রহণকারী তৈরি/যোগ করার ফর্মে, প্রকৃতির সাথে তৃতীয় পক্ষের তালিকাকে তৃতীয় পক্ষের কাছে সীমাবদ্ধ করে # # Object # -EventOrganizationConfOrBooth= Conference Or Booth -ManageOrganizeEvent = Manage the organization of an event -ConferenceOrBooth = Conference Or Booth -ConferenceOrBoothTab = Conference Or Booth -AmountPaid = Amount paid -DateOfRegistration = Date of registration -ConferenceOrBoothAttendee = Conference Or Booth Attendee +OrganizedEvent=সংগঠিত অনুষ্ঠান +EventOrganizationConfOrBooth= সম্মেলন বা বুথ +EventOrganizationConfOrBoothes=সম্মেলন বা বুথ +ManageOrganizeEvent = একটি ইভেন্টের সংগঠন পরিচালনা করুন +ConferenceOrBooth = সম্মেলন বা বুথ +ConferenceOrBoothTab = সম্মেলন বা বুথ +AmountPaid = পরিমাণ অর্থ প্রদান করা +DateOfRegistration = নিবন্ধনের তারিখ +ConferenceOrBoothAttendee = সম্মেলন বা বুথ অংশগ্রহণকারী +ApplicantOrVisitor=আবেদনকারী বা দর্শনার্থী +Speaker=স্পিকার # # Template Mail # -YourOrganizationEventConfRequestWasReceived = Your request for conference was received -YourOrganizationEventBoothRequestWasReceived = Your request for booth was received -EventOrganizationEmailAskConf = Request for conference -EventOrganizationEmailAskBooth = Request for booth -EventOrganizationEmailBoothPayment = Payment of your booth -EventOrganizationEmailRegistrationPayment = Registration for an event -EventOrganizationMassEmailAttendees = Communication to attendees -EventOrganizationMassEmailSpeakers = Communication to speakers -ToSpeakers=To speakers +YourOrganizationEventConfRequestWasReceived = সম্মেলনের জন্য আপনার অনুরোধ গৃহীত হয়েছে +YourOrganizationEventBoothRequestWasReceived = বুথ জন্য আপনার অনুরোধ গৃহীত হয়েছে +EventOrganizationEmailAskConf = সম্মেলনের জন্য অনুরোধ +EventOrganizationEmailAskBooth = বুথের জন্য অনুরোধ +EventOrganizationEmailBoothPayment = আপনার বুথ পেমেন্ট +EventOrganizationEmailRegistrationPayment = একটি ইভেন্টের জন্য নিবন্ধন +EventOrganizationMassEmailAttendees = অংশগ্রহণকারীদের সাথে যোগাযোগ +EventOrganizationMassEmailSpeakers = বক্তাদের সাথে যোগাযোগ +ToSpeakers=বক্তাদের কাছে # # Event # -AllowUnknownPeopleSuggestConf=Allow people to suggest conferences -AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest a conference they want to do -AllowUnknownPeopleSuggestBooth=Allow people to apply for a booth -AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to apply for a booth -PriceOfRegistration=Price of registration -PriceOfRegistrationHelp=Price to pay to register or participate in the event -PriceOfBooth=Subscription price to stand a booth -PriceOfBoothHelp=Subscription price to stand a booth -EventOrganizationICSLink=Link ICS for conferences -ConferenceOrBoothInformation=Conference Or Booth informations -Attendees=Attendees -ListOfAttendeesOfEvent=List of attendees of the event project -DownloadICSLink = Download ICS link -EVENTORGANIZATION_SECUREKEY = Seed to secure the key for the public registration page to suggest a conference -SERVICE_BOOTH_LOCATION = Service used for the invoice row about a booth location -SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Service used for the invoice row about an attendee subscription to an event -NbVotes=Number of votes +AllowUnknownPeopleSuggestConf=লোকেদের সম্মেলন প্রস্তাব করার অনুমতি দিন +AllowUnknownPeopleSuggestConfHelp=অজানা লোকেদেরকে তারা করতে চান এমন একটি সম্মেলন প্রস্তাব করার অনুমতি দিন +AllowUnknownPeopleSuggestBooth=লোকেদের একটি বুথের জন্য আবেদন করার অনুমতি দিন +AllowUnknownPeopleSuggestBoothHelp=অজানা লোকদের একটি বুথের জন্য আবেদন করার অনুমতি দিন +PriceOfRegistration=নিবন্ধনের মূল্য +PriceOfRegistrationHelp=ইভেন্টে নিবন্ধন বা অংশগ্রহণের জন্য মূল্য দিতে হবে +PriceOfBooth=সাবস্ক্রিপশন মূল্য একটি বুথ দাঁড়ানো +PriceOfBoothHelp=সাবস্ক্রিপশন মূল্য একটি বুথ দাঁড়ানো +EventOrganizationICSLink=সম্মেলনের জন্য আইসিএস লিঙ্ক করুন +ConferenceOrBoothInformation=সম্মেলন বা বুথ তথ্য +Attendees=উপস্থিতরা +ListOfAttendeesOfEvent=ইভেন্ট প্রকল্পের অংশগ্রহণকারীদের তালিকা +DownloadICSLink = ICS লিঙ্ক ডাউনলোড করুন +EVENTORGANIZATION_SECUREKEY = একটি কনফারেন্সের পরামর্শ দেওয়ার জন্য পাবলিক রেজিস্ট্রেশন পৃষ্ঠার কী সুরক্ষিত করার জন্য বীজ +SERVICE_BOOTH_LOCATION = একটি বুথ অবস্থান সম্পর্কে চালান সারির জন্য ব্যবহৃত পরিষেবা +SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = একটি ইভেন্টে অংশগ্রহণকারী সদস্যতা সম্পর্কে চালান সারির জন্য ব্যবহৃত পরিষেবা +NbVotes=ভোটের সংখ্যা + # # Status # EvntOrgDraft = Draft -EvntOrgSuggested = Suggested -EvntOrgConfirmed = Confirmed -EvntOrgNotQualified = Not Qualified -EvntOrgDone = Done -EvntOrgCancelled = Cancelled -# -# Public page -# -SuggestForm = Suggestion page -SuggestOrVoteForConfOrBooth = Page for suggestion or vote -EvntOrgRegistrationHelpMessage = Here, you can vote for a conference or suggest a new one for the event. You can also apply to have a booth during the event. -EvntOrgRegistrationConfHelpMessage = Here, you can suggest a new conference to animate during the event. -EvntOrgRegistrationBoothHelpMessage = Here, you can apply to have a booth during the event. -ListOfSuggestedConferences = List of suggested conferences -ListOfSuggestedBooths = List of suggested booths -ListOfConferencesOrBooths=List of conferences or booths of event project -SuggestConference = Suggest a new conference -SuggestBooth = Suggest a booth -ViewAndVote = View and vote for suggested events -PublicAttendeeSubscriptionGlobalPage = Public link for registration to the event -PublicAttendeeSubscriptionPage = Public link for registration to this event only -MissingOrBadSecureKey = The security key is invalid or missing -EvntOrgWelcomeMessage = This form allows you to register as a new participant to the event : %s -EvntOrgDuration = This conference starts on %s and ends on %s. -ConferenceAttendeeFee = Conference attendee fee for the event : '%s' occurring from %s to %s. -BoothLocationFee = Booth location for the event : '%s' occurring from %s to %s -EventType = Event type -LabelOfBooth=Booth label -LabelOfconference=Conference label -ConferenceIsNotConfirmed=Registration not available, conference is not confirmed yet -DateMustBeBeforeThan=%s must be before %s -DateMustBeAfterThan=%s must be after %s - -NewSubscription=Registration -OrganizationEventConfRequestWasReceived=Your suggestion for a conference has been received -OrganizationEventBoothRequestWasReceived=Your request for a booth has been received -OrganizationEventPaymentOfBoothWasReceived=Your payment for your booth has been recorded -OrganizationEventPaymentOfRegistrationWasReceived=Your payment for your event registration has been recorded -OrganizationEventBulkMailToAttendees=This is a remind about your participation in the event as an attendee -OrganizationEventBulkMailToSpeakers=This is a reminder on your participation in the event as a speaker -OrganizationEventLinkToThirdParty=Link to third party (customer, supplier or partner) - -NewSuggestionOfBooth=Application for a booth -NewSuggestionOfConference=Application for a conference +EvntOrgSuggested = প্রস্তাবিত +EvntOrgConfirmed = নিশ্চিত করা হয়েছে +EvntOrgNotQualified = অনুত্তীর্ন +EvntOrgDone = সম্পন্ন +EvntOrgCancelled = বাতিল # -# Vote page +# Other # -EvntOrgRegistrationWelcomeMessage = Welcome on the conference or booth suggestion page. -EvntOrgRegistrationConfWelcomeMessage = Welcome on the conference suggestion page. -EvntOrgRegistrationBoothWelcomeMessage = Welcome on the booth suggestion page. -EvntOrgVoteHelpMessage = Here, you can view and vote for the suggested events for the project -VoteOk = Your vote has been accepted. -AlreadyVoted = You have already voted for this event. -VoteError = An error has occurred during the vote, please try again. - -SubscriptionOk = Your registration has been validated -ConfAttendeeSubscriptionConfirmation = Confirmation of your subscription to an event -Attendee = Attendee -PaymentConferenceAttendee = Conference attendee payment -PaymentBoothLocation = Booth location payment -DeleteConferenceOrBoothAttendee=Remove attendee -RegistrationAndPaymentWereAlreadyRecorder=A registration and a payment were already recorded for the email %s -EmailAttendee=Attendee email -EmailCompanyForInvoice=Company email (for invoice, if different of attendee email) -ErrorSeveralCompaniesWithEmailContactUs=Several companies with this email has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation -ErrorSeveralCompaniesWithNameContactUs=Several companies with this name has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation -NoPublicActionsAllowedForThisEvent=No public actions are open to public for this event +SuggestForm = সাজেশন পেজ +SuggestOrVoteForConfOrBooth = পরামর্শ বা ভোটের জন্য পৃষ্ঠা +EvntOrgRegistrationHelpMessage = এখানে, আপনি একটি সম্মেলনের জন্য ভোট দিতে পারেন বা ইভেন্টের জন্য একটি নতুন প্রস্তাব দিতে পারেন৷ আপনি ইভেন্ট চলাকালীন একটি বুথ থাকার জন্য আবেদন করতে পারেন। +EvntOrgRegistrationConfHelpMessage = এখানে, আপনি ইভেন্ট চলাকালীন অ্যানিমেট করার জন্য একটি নতুন সম্মেলনের পরামর্শ দিতে পারেন। +EvntOrgRegistrationBoothHelpMessage = এখানে, আপনি ইভেন্ট চলাকালীন একটি বুথ থাকার জন্য আবেদন করতে পারেন। +ListOfSuggestedConferences = প্রস্তাবিত সম্মেলনের তালিকা +ListOfSuggestedBooths=প্রস্তাবিত বুথ +ListOfConferencesOrBooths=ইভেন্ট প্রকল্পের সম্মেলন বা বুথ +SuggestConference = একটি নতুন সম্মেলন প্রস্তাব করুন +SuggestBooth = একটি বুথ প্রস্তাব +ViewAndVote = প্রস্তাবিত ইভেন্টগুলির জন্য দেখুন এবং ভোট দিন +PublicAttendeeSubscriptionGlobalPage = ইভেন্টে নিবন্ধনের জন্য পাবলিক লিঙ্ক +PublicAttendeeSubscriptionPage = শুধুমাত্র এই ইভেন্টে নিবন্ধনের জন্য পাবলিক লিঙ্ক +MissingOrBadSecureKey = নিরাপত্তা কীটি অবৈধ বা অনুপস্থিত৷ +EvntOrgWelcomeMessage = এই ফর্মটি আপনাকে ইভেন্টে নতুন অংশগ্রহণকারী হিসাবে নিবন্ধন করতে দেয় +EvntOrgDuration = এই সম্মেলন শুরু হয় %s এবং শেষ হয় %s তারিখে। +ConferenceAttendeeFee = ইভেন্টের জন্য সম্মেলনে অংশগ্রহণকারীর ফি : '%s' %s থেকে %s > +BoothLocationFee = ইভেন্টের জন্য বুথের অবস্থান: '%s' %s থেকে %s +EventType = ইভেন্টের ধরণ +LabelOfBooth=বুথ লেবেল +LabelOfconference=সম্মেলন লেবেল +ConferenceIsNotConfirmed=নিবন্ধন উপলব্ধ নেই, সম্মেলন এখনও নিশ্চিত করা হয়নি +DateMustBeBeforeThan=%s অবশ্যই %s আগে হতে হবে +DateMustBeAfterThan=%s অবশ্যই %s এর পরে হতে হবে +MaxNbOfAttendeesReached=অংশগ্রহণকারীদের সর্বোচ্চ সংখ্যা পৌঁছেছে +NewSubscription=নিবন্ধন +OrganizationEventConfRequestWasReceived=একটি সম্মেলনের জন্য আপনার পরামর্শ গৃহীত হয়েছে +OrganizationEventBoothRequestWasReceived=একটি বুথ জন্য আপনার অনুরোধ গৃহীত হয়েছে +OrganizationEventPaymentOfBoothWasReceived=আপনার বুথের জন্য আপনার পেমেন্ট রেকর্ড করা হয়েছে +OrganizationEventPaymentOfRegistrationWasReceived=আপনার ইভেন্ট রেজিস্ট্রেশনের জন্য আপনার পেমেন্ট রেকর্ড করা হয়েছে +OrganizationEventBulkMailToAttendees=এটি একজন অংশগ্রহণকারী হিসাবে ইভেন্টে আপনার অংশগ্রহণ সম্পর্কে একটি অনুস্মারক +OrganizationEventBulkMailToSpeakers=এটি একটি স্পিকার হিসাবে ইভেন্টে আপনার অংশগ্রহণের একটি অনুস্মারক +OrganizationEventLinkToThirdParty=তৃতীয় পক্ষের সাথে লিঙ্ক (গ্রাহক, সরবরাহকারী বা অংশীদার) +OrganizationEvenLabelName=সম্মেলন বা বুথের পাবলিক নাম +NewSuggestionOfBooth=একটি বুথ জন্য আবেদন +NewSuggestionOfConference=একটি সম্মেলন অনুষ্ঠিত করার জন্য আবেদন +EvntOrgRegistrationWelcomeMessage = সম্মেলন বা বুথ পরামর্শ পৃষ্ঠায় স্বাগতম। +EvntOrgRegistrationConfWelcomeMessage = সম্মেলনের পরামর্শ পৃষ্ঠায় স্বাগতম। +EvntOrgRegistrationBoothWelcomeMessage = বুথ সাজেশন পেজে স্বাগতম। +EvntOrgVoteHelpMessage = এখানে, আপনি প্রকল্পের জন্য প্রস্তাবিত ইভেন্টগুলি দেখতে এবং ভোট দিতে পারেন৷ +VoteOk = আপনার ভোট গ্রহণ করা হয়েছে. +AlreadyVoted = আপনি ইতিমধ্যেই এই ইভেন্টের জন্য ভোট দিয়েছেন৷ +VoteError = ভোটের সময় একটি ত্রুটি ঘটেছে, অনুগ্রহ করে আবার চেষ্টা করুন৷ +SubscriptionOk=আপনার নিবন্ধন রেকর্ড করা হয়েছে +AmountOfRegistrationPaid=প্রদত্ত নিবন্ধনের পরিমাণ +ConfAttendeeSubscriptionConfirmation = একটি ইভেন্টে আপনার সদস্যতার নিশ্চিতকরণ +Attendee = অংশগ্রহণকারী +PaymentConferenceAttendee = সম্মেলনে অংশগ্রহণকারীদের অর্থ প্রদান +PaymentBoothLocation = বুথ অবস্থান পেমেন্ট +DeleteConferenceOrBoothAttendee=অংশগ্রহণকারীকে সরান +RegistrationAndPaymentWereAlreadyRecorder=%s ইমেলের জন্য একটি নিবন্ধন এবং একটি অর্থপ্রদান ইতিমধ্যেই রেকর্ড করা হয়েছে +EmailAttendee=অংশগ্রহণকারী ইমেল +EmailCompany=কোম্পানির ইমেইল +EmailCompanyForInvoice=কোম্পানির ইমেল (চালানের জন্য, যদি অংশগ্রহণকারীর ইমেল থেকে আলাদা হয়) +ErrorSeveralCompaniesWithEmailContactUs=এই ইমেল সহ বেশ কয়েকটি কোম্পানি পাওয়া গেছে তাই আমরা স্বয়ংক্রিয়ভাবে আপনার নিবন্ধন যাচাই করতে পারছি না। ম্যানুয়াল যাচাইকরণের জন্য অনুগ্রহ করে আমাদের সাথে %s এ যোগাযোগ করুন +ErrorSeveralCompaniesWithNameContactUs=এই নামের বেশ কিছু কোম্পানি পাওয়া গেছে তাই আমরা আপনার নিবন্ধন স্বয়ংক্রিয়ভাবে যাচাই করতে পারছি না। ম্যানুয়াল যাচাইকরণের জন্য অনুগ্রহ করে আমাদের সাথে %s এ যোগাযোগ করুন +NoPublicActionsAllowedForThisEvent=এই ইভেন্টের জন্য জনসাধারণের জন্য কোনো পাবলিক অ্যাকশন খোলা নেই +MaxNbOfAttendees=অংশগ্রহণকারীদের সর্বাধিক সংখ্যা +DateStartEvent=ইভেন্ট শুরুর তারিখ +DateEndEvent=ইভেন্ট শেষ তারিখ +ModifyStatus=স্থিতি পরিবর্তন করুন +ConfirmModifyStatus=স্থিতি পরিবর্তন নিশ্চিত করুন +ConfirmModifyStatusQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) সংশোধন করার বিষয়ে নিশ্চিত? +RecordsUpdated = %s রেকর্ড আপডেট করা হয়েছে +RecordUpdated = রেকর্ড আপডেট করা হয়েছে +NoRecordUpdated = কোনো রেকর্ড আপডেট করা হয়নি diff --git a/htdocs/langs/bn_BD/exports.lang b/htdocs/langs/bn_BD/exports.lang index f2f2d2cf587..18fe84f228b 100644 --- a/htdocs/langs/bn_BD/exports.lang +++ b/htdocs/langs/bn_BD/exports.lang @@ -1,62 +1,64 @@ # Dolibarr language file - Source file is en_US - exports ExportsArea=Exports -ImportArea=Import -NewExport=New Export -NewImport=New Import +ImportArea=আমদানি +NewExport=নতুন রপ্তানি +NewImport=নতুন আমদানি ExportableDatas=Exportable dataset ImportableDatas=Importable dataset SelectExportDataSet=Choose dataset you want to export... SelectImportDataSet=Choose dataset you want to import... -SelectExportFields=Choose the fields you want to export, or select a predefined export profile -SelectImportFields=Choose the source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile: +SelectExportFields=আপনি যে ক্ষেত্রগুলি রপ্তানি করতে চান তা চয়ন করুন বা একটি পূর্বনির্ধারিত রপ্তানি প্রোফাইল নির্বাচন করুন৷ +SelectImportFields=আপনি যে সোর্স ফাইল ক্ষেত্রগুলি আমদানি করতে চান এবং ডাটাবেসে তাদের টার্গেট ক্ষেত্রগুলিকে অ্যাঙ্কর %s দিয়ে উপরে এবং নীচে সরানোর মাধ্যমে চয়ন করুন, অথবা একটি পূর্বনির্ধারিত আমদানি প্রোফাইল নির্বাচন করুন: NotImportedFields=Fields of source file not imported -SaveExportModel=Save your selections as an export profile/template (for reuse). -SaveImportModel=Save this import profile (for reuse) ... +SaveExportModel=একটি এক্সপোর্ট প্রোফাইল/টেমপ্লেট হিসাবে আপনার নির্বাচন সংরক্ষণ করুন (পুনরায় ব্যবহারের জন্য)। +SaveImportModel=এই আমদানি প্রোফাইল সংরক্ষণ করুন (পুনঃব্যবহারের জন্য) ... ExportModelName=Export profile name -ExportModelSaved=Export profile saved as %s. +ExportModelSaved=রপ্তানি প্রোফাইল %s হিসাবে সংরক্ষিত। ExportableFields=Exportable fields ExportedFields=Exported fields ImportModelName=Import profile name -ImportModelSaved=Import profile saved as %s. +ImportModelSaved=আমদানি প্রোফাইল %s হিসাবে সংরক্ষিত। +ImportProfile=প্রোফাইল আমদানি করুন DatasetToExport=Dataset to export DatasetToImport=Import file into dataset ChooseFieldsOrdersAndTitle=Choose fields order... FieldsTitle=Fields title FieldTitle=Field title -NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file... -AvailableFormats=Available Formats +NowClickToGenerateToBuildExportFile=এখন, কম্বো বক্সে ফাইল ফরম্যাট নির্বাচন করুন এবং এক্সপোর্ট ফাইল তৈরি করতে "জেনারেট" এ ক্লিক করুন... +AvailableFormats=উপলব্ধ বিন্যাস LibraryShort=Library -ExportCsvSeparator=Csv caracter separator -ImportCsvSeparator=Csv caracter separator +ExportCsvSeparator=Csv অক্ষর বিভাজক +ImportCsvSeparator=Csv অক্ষর বিভাজক Step=Step -FormatedImport=Import Assistant -FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant. -FormatedImportDesc2=First step is to choose the kind of data you want to import, then the format of the source file, then the fields you want to import. -FormatedExport=Export Assistant -FormatedExportDesc1=These tools allow the export of personalized data using an assistant, to help you in the process without requiring technical knowledge. -FormatedExportDesc2=First step is to choose a predefined dataset, then which fields you want to export, and in which order. -FormatedExportDesc3=When data to export are selected, you can choose the format of the output file. +FormatedImport=সহকারী আমদানি করুন +FormatedImportDesc1=এই মডিউল আপনাকে একটি সহকারী ব্যবহার করে, প্রযুক্তিগত জ্ঞান ছাড়াই একটি ফাইল থেকে বিদ্যমান ডেটা আপডেট করতে বা ডেটাবেসে নতুন অবজেক্ট যোগ করতে দেয়। +FormatedImportDesc2=প্রথম ধাপ হল আপনি যে ধরনের ডেটা আমদানি করতে চান, তারপরে সোর্স ফাইলের বিন্যাস, তারপর আপনি যে ক্ষেত্রগুলি আমদানি করতে চান তা বেছে নেওয়া। +FormatedExport=রপ্তানি সহকারী +FormatedExportDesc1=এই টুলগুলি আপনাকে প্রযুক্তিগত জ্ঞানের প্রয়োজন ছাড়াই প্রক্রিয়ায় সাহায্য করার জন্য একজন সহকারী ব্যবহার করে ব্যক্তিগতকৃত ডেটা রপ্তানির অনুমতি দেয়। +FormatedExportDesc2=প্রথম ধাপ হল একটি পূর্বনির্ধারিত ডেটাসেট বেছে নেওয়া, তারপর আপনি কোন ক্ষেত্রগুলি রপ্তানি করতে চান এবং কোন ক্রমে। +FormatedExportDesc3=রপ্তানির জন্য ডেটা নির্বাচন করা হলে, আপনি আউটপুট ফাইলের বিন্যাস চয়ন করতে পারেন। Sheet=Sheet NoImportableData=No importable data (no module with definitions to allow data imports) FileSuccessfullyBuilt=File generated -SQLUsedForExport=SQL Request used to extract data +SQLUsedForExport=এসকিউএল অনুরোধ ডেটা বের করতে ব্যবহৃত হয় LineId=Id of line LineLabel=Label of line LineDescription=Description of line LineUnitPrice=Unit price of line LineVATRate=VAT Rate of line LineQty=Quantity for line -LineTotalHT=Amount excl. tax for line +LineTotalHT=পরিমাণ বাদ। লাইনের জন্য ট্যাক্স LineTotalTTC=Amount with tax for line LineTotalVAT=Amount of VAT for line TypeOfLineServiceOrProduct=Type of line (0=product, 1=service) FileWithDataToImport=File with data to import FileToImport=Source file to import -FileMustHaveOneOfFollowingFormat=File to import must have one of following formats -DownloadEmptyExample=Download template file with field content information -StarAreMandatory=* are mandatory fields -ChooseFormatOfFileToImport=Choose the file format to use as import file format by clicking on the %s icon to select it... -ChooseFileToImport=Upload file then click on the %s icon to select file as source import file... +FileMustHaveOneOfFollowingFormat=ফাইল আমদানি করতে নিম্নলিখিত ফর্ম্যাটগুলির মধ্যে একটি থাকতে হবে৷ +DownloadEmptyExampleShort=একটি নমুনা ফাইল ডাউনলোড করুন +DownloadEmptyExample=আপনি আমদানি করতে পারেন এমন ক্ষেত্রের উদাহরণ এবং তথ্য সহ একটি টেমপ্লেট ফাইল ডাউনলোড করুন +StarAreMandatory=টেমপ্লেট ফাইলে, একটি * সহ সমস্ত ক্ষেত্র বাধ্যতামূলক ক্ষেত্র +ChooseFormatOfFileToImport=এটি নির্বাচন করতে %s আইকনে ক্লিক করে আমদানি ফাইল বিন্যাস হিসাবে ব্যবহার করার জন্য ফাইল বিন্যাসটি চয়ন করুন... +ChooseFileToImport=ফাইল আপলোড করুন তারপর সোর্স ইম্পোর্ট ফাইল হিসাবে ফাইল নির্বাচন করতে %s আইকনে ক্লিক করুন... SourceFileFormat=Source file format FieldsInSourceFile=Fields in source file FieldsInTargetDatabase=Target fields in Dolibarr database (bold=mandatory) @@ -71,67 +73,76 @@ FieldsTarget=Targeted fields FieldTarget=Targeted field FieldSource=Source field NbOfSourceLines=Number of lines in source file -NowClickToTestTheImport=Check that the file format (field and string delimiters) of your file matches the options shown and that you have omitted the header line, or these will be flagged as errors in the following simulation.
      Click on the "%s" button to run a check of the file structure/contents and simulate the import process.
      No data will be changed in your database. -RunSimulateImportFile=Run Import Simulation +NowClickToTestTheImport=আপনার ফাইলের ফাইল ফরম্যাট (ক্ষেত্র এবং স্ট্রিং ডিলিমিটার) দেখানো বিকল্পগুলির সাথে মেলে এবং আপনি হেডার লাইনটি বাদ দিয়েছেন কিনা তা পরীক্ষা করে দেখুন, অথবা এইগুলি নিম্নলিখিত সিমুলেশনে ত্রুটি হিসাবে ফ্ল্যাগ করা হবে।
      একটি চালানোর জন্য "%s" বোতামে ক্লিক করুন ফাইলের গঠন/বিষয়বস্তু পরীক্ষা করুন এবং আমদানি প্রক্রিয়া অনুকরণ করুন।
      আপনার ডাটাবেসে কোনো ডেটা পরিবর্তন করা হবে না। +RunSimulateImportFile=আমদানি সিমুলেশন চালান FieldNeedSource=This field requires data from the source file SomeMandatoryFieldHaveNoSource=Some mandatory fields have no source from data file InformationOnSourceFile=Information on source file InformationOnTargetTables=Information on target fields SelectAtLeastOneField=Switch at least one source field in the column of fields to export SelectFormat=Choose this import file format -RunImportFile=Import Data -NowClickToRunTheImport=Check the results of the import simulation. Correct any errors and re-test.
      When the simulation reports no errors you may proceed to import the data into the database. -DataLoadedWithId=The imported data will have an additional field in each database table with this import id: %s, to allow it to be searchable in the case of investigating a problem related to this import. -ErrorMissingMandatoryValue=Mandatory data is empty in the source file for field %s. -TooMuchErrors=There are still %s other source lines with errors but output has been limited. -TooMuchWarnings=There are still %s other source lines with warnings but output has been limited. +RunImportFile=তথ্য আমদানি +NowClickToRunTheImport=আমদানি সিমুলেশন ফলাফল পরীক্ষা করুন. কোনো ত্রুটি সংশোধন করুন এবং পুনরায় পরীক্ষা করুন।
      যখন সিমুলেশন কোনো ত্রুটির প্রতিবেদন করে না আপনি ডাটাবেসে ডেটা আমদানি করতে এগিয়ে যেতে পারেন। +DataLoadedWithId=এই আমদানি আইডি সহ প্রতিটি ডাটাবেস টেবিলে আমদানি করা ডেটার একটি অতিরিক্ত ক্ষেত্র থাকবে: %s, এই আমদানির সাথে সম্পর্কিত একটি সমস্যা তদন্তের ক্ষেত্রে এটি অনুসন্ধানযোগ্য হওয়ার অনুমতি দিতে৷ +ErrorMissingMandatoryValue=%s কলামের উৎস ফাইলে বাধ্যতামূলক ডেটা খালি। +TooMuchErrors=এখনও %s ত্রুটি সহ অন্যান্য উত্স লাইন আছে কিন্তু আউটপুট আছে সীমিত করা হয়েছে। +TooMuchWarnings=এখনও %s সতর্কতা সহ অন্যান্য উত্স লাইন আছে কিন্তু আউটপুট আছে সীমিত করা হয়েছে। EmptyLine=Empty line (will be discarded) -CorrectErrorBeforeRunningImport=You must correct all errors before running the definitive import. +CorrectErrorBeforeRunningImport=আপনাকে অবশ্যই সমস্ত ত্রুটি সংশোধন করতে হবে আগে নিশ্চিত আমদানি চলছে৷ FileWasImported=File was imported with number %s. -YouCanUseImportIdToFindRecord=You can find all the imported records in your database by filtering on field import_key='%s'. +YouCanUseImportIdToFindRecord=আপনি import_key='%s'
      । NbOfLinesOK=Number of lines with no errors and no warnings: %s. NbOfLinesImported=Number of lines successfully imported: %s. DataComeFromNoWhere=Value to insert comes from nowhere in source file. -DataComeFromFileFieldNb=Value to insert comes from field number %s in source file. -DataComeFromIdFoundFromRef=Value that comes from field number %s of source file will be used to find the id of the parent object to use (so the object %s that has the ref. from source file must exist in the database). -DataComeFromIdFoundFromCodeId=Code that comes from field number %s of source file will be used to find the id of the parent object to use (so the code from source file must exist in the dictionary %s). Note that if you know the id, you can also use it in the source file instead of the code. Import should work in both cases. +DataComeFromFileFieldNb=সন্নিবেশ করার মান উৎস ফাইলে %s থেকে আসে। +DataComeFromIdFoundFromRef=সোর্স ফাইল থেকে আসা মানটি ব্যবহার করার জন্য মূল বস্তুর আইডি খুঁজতে ব্যবহার করা হবে (তাই বস্তুটি %s যার রেফ. ফ্রম সোর্স ফাইলটি ডাটাবেসে বিদ্যমান থাকতে হবে)। +DataComeFromIdFoundFromCodeId=সোর্স ফাইল থেকে আসা কোডের মান ব্যবহার করা হবে প্যারেন্ট অবজেক্টের আইডি খুঁজে বের করার জন্য (সুতরাং সোর্স ফাইলের কোডটি ডিকশনারিতে থাকা আবশ্যক %s)। মনে রাখবেন যে আপনি যদি আইডিটি জানেন তবে আপনি কোডের পরিবর্তে সোর্স ফাইলে এটি ব্যবহার করতে পারেন। আমদানি উভয় ক্ষেত্রেই কাজ করা উচিত। DataIsInsertedInto=Data coming from source file will be inserted into the following field: -DataIDSourceIsInsertedInto=The id of the parent object, that was found using the data in the source file, will be inserted into the following field: -DataCodeIDSourceIsInsertedInto=The id of the parent line, that was found from code, will be inserted into the following field: +DataIDSourceIsInsertedInto=মূল বস্তুর আইডি, যা উৎস ফাইলের ডেটা ব্যবহার করে পাওয়া গেছে, নিম্নলিখিত ক্ষেত্রে সন্নিবেশ করা হবে: +DataCodeIDSourceIsInsertedInto=প্যারেন্ট লাইনের আইডি, যা কোড থেকে পাওয়া গেছে, নিম্নলিখিত ক্ষেত্রে ঢোকানো হবে: SourceRequired=Data value is mandatory SourceExample=Example of possible data value ExampleAnyRefFoundIntoElement=Any ref found for element %s ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary %s -CSVFormatDesc=Comma Separated Value file format (.csv).
      This is a text file format where fields are separated by a separator [ %s ]. If separator is found inside a field content, field is rounded by round character [ %s ]. Escape character to escape round character is [ %s ]. -Excel95FormatDesc=Excel file format (.xls)
      This is the native Excel 95 format (BIFF5). -Excel2007FormatDesc=Excel file format (.xlsx)
      This is the native Excel 2007 format (SpreadsheetML). +CSVFormatDesc=কমা আলাদা করা মান ফাইল ফরম্যাট (.csv)।
      একটি পাঠ্য ফাইল বিন্যাস যেখানে ক্ষেত্রগুলি একটি বিভাজক দ্বারা পৃথক করা হয় [ %s ]। যদি একটি ক্ষেত্রের বিষয়বস্তুর ভিতরে বিভাজক পাওয়া যায়, তবে ক্ষেত্রটি বৃত্তাকার অক্ষর দ্বারা বৃত্তাকার করা হয় [ %s ]। বৃত্তাকার অক্ষর এস্কেপ করতে Escape অক্ষর হল [ %s ]। +Excel95FormatDesc=Excel ফাইল ফরম্যাট (.xls)
      এটি নেটিভ এক্সেল 95 ফরম্যাট (BIFF5)। +Excel2007FormatDesc=Excel ফাইল ফরম্যাট (.xlsx)
      এটি নেটিভ এক্সেল 2007 ফরম্যাট (স্প্রেডশীটএমএল)। TsvFormatDesc=Tab Separated Value file format (.tsv)
      This is a text file format where fields are separated by a tabulator [tab]. ExportFieldAutomaticallyAdded=Field %s was automatically added. It will avoid you to have similar lines to be treated as duplicate record (with this field added, all lines will own their own id and will differ). -CsvOptions=CSV format options -Separator=Field Separator -Enclosure=String Delimiter +CsvOptions=CSV ফরম্যাটের বিকল্প +Separator=ক্ষেত্র বিভাজক +Enclosure=স্ট্রিং ডিলিমিটার SpecialCode=Special code ExportStringFilter=%% allows replacing one or more characters in the text -ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: filters by one year/month/day
      YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD: filters over a range of years/months/days
      > YYYY, > YYYYMM, > YYYYMMDD: filters on all following years/months/days
      < YYYY, < YYYYMM, < YYYYMMDD: filters on all previous years/months/days +ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: এক বছর/মাস/দিনের দ্বারা ফিল্টার করুন
      YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD+YYYYMMDD বছর/মাস/মাস রেঞ্জের বেশি বছর span class='notranslate'>
      > YYYY, > YYYYMM, > YYYYMMDD: পরবর্তী সমস্ত বছর/মাস/দিনে ফিল্টার
      < YYYY, NNNNN+NNNNN filters over a range of values
      < NNNNN filters by lower values
      > NNNNN filters by higher values ImportFromLine=Import starting from line number EndAtLineNb=End at line number -ImportFromToLine=Limit range (From - To). Eg. to omit header line(s). -SetThisValueTo2ToExcludeFirstLine=For example, set this value to 3 to exclude the 2 first lines.
      If the header lines are NOT omitted, this will result in multiple errors in the Import Simulation. -KeepEmptyToGoToEndOfFile=Keep this field empty to process all lines to the end of the file. -SelectPrimaryColumnsForUpdateAttempt=Select column(s) to use as primary key for an UPDATE import -UpdateNotYetSupportedForThisImport=Update is not supported for this type of import (only insert) -NoUpdateAttempt=No update attempt was performed, only insert -ImportDataset_user_1=Users (employees or not) and properties -ComputedField=Computed field +ImportFromToLine=সীমা পরিসীমা (থেকে - থেকে)। যেমন হেডার লাইন(গুলি) বাদ দিতে। +SetThisValueTo2ToExcludeFirstLine=উদাহরণস্বরূপ, 2টি প্রথম লাইন বাদ দিতে এই মানটি 3 তে সেট করুন।
      যদি হেডার লাইনগুলি বাদ না দেওয়া হয়, এর ফলে আমদানি সিমুলেশনে একাধিক ত্রুটি দেখা দেবে। +KeepEmptyToGoToEndOfFile=ফাইলের শেষ পর্যন্ত সমস্ত লাইন প্রক্রিয়া করতে এই ক্ষেত্রটি খালি রাখুন। +SelectPrimaryColumnsForUpdateAttempt=একটি আপডেট আমদানির জন্য প্রাথমিক কী হিসাবে ব্যবহার করতে কলাম(গুলি) নির্বাচন করুন৷ +UpdateNotYetSupportedForThisImport=এই ধরনের আমদানির জন্য আপডেট সমর্থিত নয় (শুধু সন্নিবেশ করান) +NoUpdateAttempt=কোন আপডেট প্রচেষ্টা সঞ্চালিত হয়নি, শুধুমাত্র সন্নিবেশ +ImportDataset_user_1=ব্যবহারকারী (কর্মচারী বা না) এবং বৈশিষ্ট্য +ComputedField=গণনা করা ক্ষেত্র ## filters SelectFilterFields=If you want to filter on some values, just input values here. FilteredFields=Filtered fields FilteredFieldsValues=Value for filter FormatControlRule=Format control rule ## imports updates -KeysToUseForUpdates=Key (column) to use for updating existing data +KeysToUseForUpdates=বিদ্যমান ডেটা আপডেট করার জন্য ব্যবহার করার জন্য কী (কলাম) NbInsert=Number of inserted lines: %s +NbInsertSim=ঢোকানো হবে এমন লাইনের সংখ্যা: %s NbUpdate=Number of updated lines: %s +NbUpdateSim=আপডেট করা হবে এমন লাইনের সংখ্যা : %s MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s -StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number +StocksWithBatch=ব্যাচ/ক্রমিক নম্বর সহ পণ্যের স্টক এবং অবস্থান (গুদাম) +WarningFirstImportedLine=বর্তমান নির্বাচনের সাথে প্রথম লাইন(গুলি) আমদানি করা হবে না +NotUsedFields=ডাটাবেসের ক্ষেত্র ব্যবহার করা হয় না +SelectImportFieldsSource = আপনি যে উৎস ফাইল ক্ষেত্রগুলি আমদানি করতে চান এবং প্রতিটি নির্বাচন বাক্সে ক্ষেত্রগুলি নির্বাচন করে ডাটাবেসে তাদের লক্ষ্য ক্ষেত্র চয়ন করুন বা একটি পূর্বনির্ধারিত আমদানি প্রোফাইল নির্বাচন করুন: +MandatoryTargetFieldsNotMapped=কিছু বাধ্যতামূলক লক্ষ্য ক্ষেত্র ম্যাপ করা হয় না +AllTargetMandatoryFieldsAreMapped=একটি বাধ্যতামূলক মান প্রয়োজন যে সমস্ত লক্ষ্য ক্ষেত্র ম্যাপ করা হয় +ResultOfSimulationNoError=সিমুলেশনের ফলাফল: কোন ত্রুটি নেই +NumberOfLinesLimited=লাইনের সংখ্যা সীমিত diff --git a/htdocs/langs/bn_BD/help.lang b/htdocs/langs/bn_BD/help.lang index 17a6104d59a..da41f13ea48 100644 --- a/htdocs/langs/bn_BD/help.lang +++ b/htdocs/langs/bn_BD/help.lang @@ -1,23 +1,23 @@ # Dolibarr language file - Source file is en_US - help CommunitySupport=Forum/Wiki support EMailSupport=Emails support -RemoteControlSupport=Online real-time / remote support +RemoteControlSupport=অনলাইন রিয়েল-টাইম / দূরবর্তী সমর্থন OtherSupport=Other support ToSeeListOfAvailableRessources=To contact/see available resources: -HelpCenter=Help Center -DolibarrHelpCenter=Dolibarr Help and Support Center -ToGoBackToDolibarr=Otherwise, click here to continue to use Dolibarr. -TypeOfSupport=Type of support +HelpCenter=সাহায্য কেন্দ্র +DolibarrHelpCenter=ডলিবার হেল্প অ্যান্ড সাপোর্ট সেন্টার +ToGoBackToDolibarr=অন্যথায়, Dolibarr ব্যবহার চালিয়ে যেতে এখানে ক্লিক করুন। +TypeOfSupport=সমর্থনের ধরন TypeSupportCommunauty=Community (free) TypeSupportCommercial=Commercial TypeOfHelp=Type -NeedHelpCenter=Need support? +NeedHelpCenter=সমর্থন প্রয়োজন? Efficiency=Efficiency TypeHelpOnly=Help only TypeHelpDev=Help+Development -TypeHelpDevForm=Help+Development+Training -BackToHelpCenter=Otherwise, go back to Help center home page. -LinkToGoldMember=You can call one of the trainers preselected by Dolibarr for your language (%s) by clicking their Widget (status and maximum price are automatically updated): +TypeHelpDevForm=সাহায্য+উন্নয়ন+প্রশিক্ষণ +BackToHelpCenter=অন্যথায়, সহায়তা কেন্দ্রের হোম পেজে ফিরে যান। +LinkToGoldMember=আপনি আপনার ভাষার জন্য Dolibarr দ্বারা পূর্বনির্বাচিত একজন প্রশিক্ষককে কল করতে পারেন (%s) তাদের উইজেটে ক্লিক করে (স্থিতি এবং সর্বোচ্চ মূল্য স্বয়ংক্রিয়ভাবে আপডেট হয়): PossibleLanguages=Supported languages -SubscribeToFoundation=Help the Dolibarr project, subscribe to the foundation -SeeOfficalSupport=For official Dolibarr support in your language:
      %s +SubscribeToFoundation=Dolibarr প্রকল্পে সাহায্য করুন, ফাউন্ডেশনের সদস্যতা নিন +SeeOfficalSupport=আপনার ভাষায় অফিসিয়াল Dolibarr সমর্থনের জন্য:
      %s diff --git a/htdocs/langs/bn_BD/holiday.lang b/htdocs/langs/bn_BD/holiday.lang index 3d0ae64be0f..58ea1a5ca3c 100644 --- a/htdocs/langs/bn_BD/holiday.lang +++ b/htdocs/langs/bn_BD/holiday.lang @@ -1,139 +1,157 @@ # Dolibarr language file - Source file is en_US - holiday -HRM=HRM -Holidays=Leave -CPTitreMenu=Leave -MenuReportMonth=Monthly statement -MenuAddCP=New leave request -NotActiveModCP=You must enable the module Leave to view this page. -AddCP=Make a leave request -DateDebCP=Start date -DateFinCP=End date +HRM=এইচআরএম +Holidays=পাতা +Holiday=ছেড়ে দিন +CPTitreMenu=ছেড়ে দিন +MenuReportMonth=মাসিক বিবৃতি +MenuAddCP=নতুন ছুটির অনুরোধ +MenuCollectiveAddCP=নতুন যৌথ ছুটি +NotActiveModCP=এই পৃষ্ঠাটি দেখতে আপনাকে অবশ্যই মডিউলটি সক্রিয় করতে হবে। +AddCP=ছুটির অনুরোধ করুন +DateDebCP=শুরুর তারিখ +DateFinCP=শেষ তারিখ DraftCP=Draft -ToReviewCP=Awaiting approval -ApprovedCP=Approved -CancelCP=Canceled -RefuseCP=Refused -ValidatorCP=Approver -ListeCP=List of leave -Leave=Leave request -LeaveId=Leave ID -ReviewedByCP=Will be approved by -UserID=User ID -UserForApprovalID=User for approval ID -UserForApprovalFirstname=First name of approval user -UserForApprovalLastname=Last name of approval user -UserForApprovalLogin=Login of approval user -DescCP=Description -SendRequestCP=Create leave request -DelayToRequestCP=Leave requests must be made at least %s day(s) before them. -MenuConfCP=Balance of leave -SoldeCPUser=Leave balance (in days) %s -ErrorEndDateCP=You must select an end date greater than the start date. -ErrorSQLCreateCP=An SQL error occurred during the creation: -ErrorIDFicheCP=An error has occurred, the leave request does not exist. -ReturnCP=Return to previous page -ErrorUserViewCP=You are not authorized to read this leave request. -InfosWorkflowCP=Information Workflow -RequestByCP=Requested by -TitreRequestCP=Leave request -TypeOfLeaveId=Type of leave ID -TypeOfLeaveCode=Type of leave code -TypeOfLeaveLabel=Type of leave label -NbUseDaysCP=Number of days of leave used -NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. -NbUseDaysCPShort=Days of leave -NbUseDaysCPShortInMonth=Days of leave in month -DayIsANonWorkingDay=%s is a non-working day -DateStartInMonth=Start date in month -DateEndInMonth=End date in month -EditCP=Edit -DeleteCP=Delete -ActionRefuseCP=Refuse -ActionCancelCP=Cancel +ToReviewCP=অনুমোদনের অপেক্ষায় +ApprovedCP=অনুমোদিত +CancelCP=বাতিল +RefuseCP=প্রত্যাখ্যান করেছে +ValidatorCP=অনুমোদনকারী +ListeCP=ছুটির তালিকা +Leave=অনুরোধ ছেড়ে দিন +LeaveId=আইডি ছেড়ে দিন +ReviewedByCP=দ্বারা অনুমোদিত হবে +UserID=ব্যবহারকারী আইডি +UserForApprovalID=অনুমোদন আইডি জন্য ব্যবহারকারী +UserForApprovalFirstname=অনুমোদন ব্যবহারকারীর প্রথম নাম +UserForApprovalLastname=অনুমোদন ব্যবহারকারীর শেষ নাম +UserForApprovalLogin=অনুমোদন ব্যবহারকারীর লগইন +DescCP=বর্ণনা +SendRequestCP=ছুটির অনুরোধ তৈরি করুন +DelayToRequestCP=ছুটির অনুরোধ অন্ততপক্ষে করতে হবে %s দিন(গুলি) তাদের আগে. +MenuConfCP=ছুটির ভারসাম্য +SoldeCPUser=ব্যালেন্স ছেড়ে দিন (দিনে) : %s +ErrorEndDateCP=আপনাকে অবশ্যই শুরুর তারিখের চেয়ে বড় একটি শেষ তারিখ নির্বাচন করতে হবে৷ +ErrorSQLCreateCP=নির্মাণের সময় একটি SQL ত্রুটি ঘটেছে: +ErrorIDFicheCP=একটি ত্রুটি ঘটেছে, ছুটির অনুরোধ বিদ্যমান নেই. +ReturnCP=পূর্ববর্তী পৃষ্ঠায় ফিরে +ErrorUserViewCP=আপনি এই ছুটির অনুরোধ পড়ার জন্য অনুমোদিত নন। +InfosWorkflowCP=তথ্য কর্মপ্রবাহ +RequestByCP=দ্বারা অনুরোধ করা হয়েছে +TitreRequestCP=অনুরোধ ছেড়ে দিন +TypeOfLeaveId=ছুটির আইডির ধরন +TypeOfLeaveCode=ছুটির কোডের ধরন +TypeOfLeaveLabel=ছুটির লেবেলের ধরন +NbUseDaysCP=ব্যবহৃত ছুটির দিনের সংখ্যা +NbUseDaysCPHelp=গণনা অ-কাজের দিন এবং অভিধানে সংজ্ঞায়িত ছুটির দিনগুলিকে বিবেচনা করে। +NbUseDaysCPShort=ছুটির দিনগুলো +NbUseDaysCPShortInMonth=মাসে ছুটির দিন +DayIsANonWorkingDay=%s একটি অ-কাজের দিন +DateStartInMonth=মাসে শুরুর তারিখ +DateEndInMonth=মাসের শেষ তারিখ +EditCP=সম্পাদনা করুন +DeleteCP=মুছে ফেলা +ActionRefuseCP=প্রত্যাখ্যান +ActionCancelCP=বাতিল করুন StatutCP=Status -TitleDeleteCP=Delete the leave request -ConfirmDeleteCP=Confirm the deletion of this leave request? -ErrorCantDeleteCP=Error you don't have the right to delete this leave request. -CantCreateCP=You don't have the right to make leave requests. -InvalidValidatorCP=You must choose the approver for your leave request. -NoDateDebut=You must select a start date. -NoDateFin=You must select an end date. -ErrorDureeCP=Your leave request does not contain working day. -TitleValidCP=Approve the leave request -ConfirmValidCP=Are you sure you want to approve the leave request? -DateValidCP=Date approved -TitleToValidCP=Send leave request -ConfirmToValidCP=Are you sure you want to send the leave request? -TitleRefuseCP=Refuse the leave request -ConfirmRefuseCP=Are you sure you want to refuse the leave request? -NoMotifRefuseCP=You must choose a reason for refusing the request. -TitleCancelCP=Cancel the leave request -ConfirmCancelCP=Are you sure you want to cancel the leave request? -DetailRefusCP=Reason for refusal -DateRefusCP=Date of refusal -DateCancelCP=Date of cancellation -DefineEventUserCP=Assign an exceptional leave for a user -addEventToUserCP=Assign leave -NotTheAssignedApprover=You are not the assigned approver +TitleDeleteCP=ছুটির অনুরোধটি মুছুন +ConfirmDeleteCP=এই ছুটির অনুরোধ মুছে ফেলা নিশ্চিত করুন? +ErrorCantDeleteCP=ত্রুটি এই ছুটির অনুরোধ মুছে ফেলার অধিকার আপনার নেই. +CantCreateCP=আপনার ছুটির অনুরোধ করার অধিকার নেই। +InvalidValidatorCP=আপনার ছুটির অনুরোধের জন্য আপনাকে অবশ্যই অনুমোদনকারী বেছে নিতে হবে। +InvalidValidator=নির্বাচিত ব্যবহারকারী একজন অনুমোদনকারী নন। +NoDateDebut=আপনাকে অবশ্যই একটি শুরুর তারিখ নির্বাচন করতে হবে। +NoDateFin=আপনি একটি শেষ তারিখ নির্বাচন করতে হবে. +ErrorDureeCP=আপনার ছুটির অনুরোধে কার্যদিবস নেই। +TitleValidCP=ছুটির অনুরোধ অনুমোদন করুন +ConfirmValidCP=আপনি কি নিশ্চিত যে আপনি ছুটির অনুরোধ অনুমোদন করতে চান? +DateValidCP=তারিখ অনুমোদিত +TitleToValidCP=ছুটির অনুরোধ পাঠান +ConfirmToValidCP=আপনি কি নিশ্চিত যে আপনি ছুটির অনুরোধ পাঠাতে চান? +TitleRefuseCP=ছুটির অনুরোধ প্রত্যাখ্যান করুন +ConfirmRefuseCP=আপনি কি নিশ্চিত যে আপনি ছুটির অনুরোধ প্রত্যাখ্যান করতে চান? +NoMotifRefuseCP=অনুরোধ প্রত্যাখ্যান করার জন্য আপনাকে অবশ্যই একটি কারণ বেছে নিতে হবে। +TitleCancelCP=ছুটির অনুরোধ বাতিল করুন +ConfirmCancelCP=আপনি কি নিশ্চিত যে আপনি ছুটির অনুরোধ বাতিল করতে চান? +DetailRefusCP=প্রত্যাখ্যানের কারণ +DateRefusCP=প্রত্যাখ্যানের তারিখ +DateCancelCP=বাতিলের তারিখ +DefineEventUserCP=একজন ব্যবহারকারীর জন্য একটি ব্যতিক্রমী ছুটি বরাদ্দ করুন +addEventToUserCP=ছুটি বরাদ্দ করুন +NotTheAssignedApprover=আপনি নির্ধারিত অনুমোদনকারী নন MotifCP=Reason -UserCP=User -ErrorAddEventToUserCP=An error occurred while adding the exceptional leave. -AddEventToUserOkCP=The addition of the exceptional leave has been completed. -MenuLogCP=View change logs -LogCP=Log of all updates made to "Balance of Leave" -ActionByCP=Updated by -UserUpdateCP=Updated for -PrevSoldeCP=Previous Balance -NewSoldeCP=New Balance -alreadyCPexist=A leave request has already been done on this period. -FirstDayOfHoliday=Beginning day of leave request -LastDayOfHoliday=Ending day of leave request -BoxTitleLastLeaveRequests=Latest %s modified leave requests -HolidaysMonthlyUpdate=Monthly update -ManualUpdate=Manual update -HolidaysCancelation=Leave request cancelation -EmployeeLastname=Employee last name -EmployeeFirstname=Employee first name -TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests -HalfDay=Half day -NotTheAssignedApprover=You are not the assigned approver -LEAVE_PAID=Paid vacation -LEAVE_SICK=Sick leave -LEAVE_OTHER=Other leave -LEAVE_PAID_FR=Paid vacation +UserCP=ব্যবহারকারী +ErrorAddEventToUserCP=ব্যতিক্রমী ছুটি যোগ করার সময় একটি ত্রুটি ঘটেছে৷ +AddEventToUserOkCP=ব্যতিক্রমী ছুটির সংযোজন সম্পন্ন হয়েছে। +ErrorFieldRequiredUserOrGroup="গ্রুপ" ক্ষেত্র বা "ব্যবহারকারী" ক্ষেত্রটি অবশ্যই পূরণ করতে হবে +fusionGroupsUsers=গ্রুপ ক্ষেত্র এবং ব্যবহারকারী ক্ষেত্র একত্রিত করা হবে +MenuLogCP=পরিবর্তন লগ দেখুন +LogCP="ব্যালেন্স অফ লিভ"-এ করা সমস্ত আপডেটের লগ +ActionByCP=দ্বারা আপডেট করা হয়েছে +UserUpdateCP=জন্য আপডেট করা হয়েছে +PrevSoldeCP=পূর্বের হিসাব +NewSoldeCP=নতুন ভারসাম্য +alreadyCPexist=এই সময়ের মধ্যে একটি ছুটির অনুরোধ ইতিমধ্যে করা হয়েছে. +UseralreadyCPexist=এই সময়ে %s-এর জন্য ছুটির অনুরোধ ইতিমধ্যেই করা হয়েছে। +groups=গোষ্ঠী +users=ব্যবহারকারীদের +AutoSendMail=স্বয়ংক্রিয় মেইলিং +NewHolidayForGroup=নতুন যৌথ ছুটি +SendRequestCollectiveCP=যৌথ ছুটি তৈরি করুন +AutoValidationOnCreate=স্বয়ংক্রিয় বৈধতা +FirstDayOfHoliday=ছুটির অনুরোধের শুরুর দিন +LastDayOfHoliday=ছুটির অনুরোধের শেষ দিন +HolidaysMonthlyUpdate=মাসিক আপডেট +ManualUpdate=ম্যানুয়াল আপডেট +HolidaysCancelation=ত্যাগ অনুরোধ বাতিল +EmployeeLastname=কর্মচারী পদবি +EmployeeFirstname=কর্মচারীর প্রথম নাম +TypeWasDisabledOrRemoved=ছুটির ধরন (আইডি %s) অক্ষম বা সরানো হয়েছে +LastHolidays=সর্বশেষ %s ছুটির অনুরোধ +AllHolidays=সমস্ত ছুটির অনুরোধ +HalfDay=অর্ধেক দিন +NotTheAssignedApprover=আপনি নির্ধারিত অনুমোদনকারী নন +LEAVE_PAID=বেতনের ছুটি +LEAVE_SICK=অসুস্থতাজনিত ছুটি +LEAVE_OTHER=অন্যান্য ছুটি +LEAVE_PAID_FR=বেতনের ছুটি ## Configuration du Module ## -LastUpdateCP=Last automatic update of leave allocation -MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation -UpdateConfCPOK=Updated successfully. -Module27130Name= Management of leave requests -Module27130Desc= Management of leave requests -ErrorMailNotSend=An error occurred while sending email: -NoticePeriod=Notice period +LastUpdateCP=ছুটি বরাদ্দের শেষ স্বয়ংক্রিয় আপডেট +MonthOfLastMonthlyUpdate=ছুটি বরাদ্দের শেষ স্বয়ংক্রিয় আপডেটের মাস +UpdateConfCPOK=সফলভাবে আপডেট করা হয়েছে৷ +Module27130Name= ছুটির অনুরোধের ব্যবস্থাপনা +Module27130Desc= ছুটির অনুরোধের ব্যবস্থাপনা +ErrorMailNotSend=ইমেল পাঠানোর সময় একটি ত্রুটি ঘটেছে: +NoticePeriod=বিজ্ঞপ্তি সময়কাল #Messages -HolidaysToValidate=Validate leave requests -HolidaysToValidateBody=Below is a leave request to validate -HolidaysToValidateDelay=This leave request will take place within a period of less than %s days. -HolidaysToValidateAlertSolde=The user who made this leave request does not have enough available days. -HolidaysValidated=Validated leave requests -HolidaysValidatedBody=Your leave request for %s to %s has been validated. -HolidaysRefused=Request denied -HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason: -HolidaysCanceled=Canceled leaved request -HolidaysCanceledBody=Your leave request for %s to %s has been canceled. -FollowedByACounter=1: This type of leave need to be followed by a counter. Counter is incremented manually or automatically and when a leave request is validated, counter is decremented.
      0: Not followed by a counter. -NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter -GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leave to setup the different types of leaves. -HolidaySetup=Setup of module Leave -HolidaysNumberingModules=Numbering models for leave requests -TemplatePDFHolidays=Template for leave requests PDF -FreeLegalTextOnHolidays=Free text on PDF -WatermarkOnDraftHolidayCards=Watermarks on draft leave requests -HolidaysToApprove=Holidays to approve -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays -HolidayBalanceMonthlyUpdate=Monthly update of holiday balance -XIsAUsualNonWorkingDay=%s is usualy a NON working day -BlockHolidayIfNegative=Block if balance negative -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative -ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted +HolidaysToValidate=ছুটির অনুরোধ যাচাই করুন +HolidaysToValidateBody=নীচে বৈধ করার জন্য একটি ছুটির অনুরোধ রয়েছে +HolidaysToValidateDelay=এই ছুটির অনুরোধটি %s দিনের কম সময়ের মধ্যে সঞ্চালিত হবে। +HolidaysToValidateAlertSolde=যে ব্যবহারকারী এই ছুটির অনুরোধ করেছেন তার কাছে পর্যাপ্ত উপলব্ধ দিন নেই। +HolidaysValidated=বৈধ ছুটির অনুরোধ +HolidaysValidatedBody=%s থেকে %s-এর জন্য আপনার ছুটির অনুরোধ বৈধ করা হয়েছে। +HolidaysRefused=অনুরোধ প্রত্যাখ্যাত +HolidaysRefusedBody=%s থেকে %s-এর জন্য আপনার ছুটির অনুরোধ নিম্নলিখিত কারণে অস্বীকার করা হয়েছে: +HolidaysCanceled=ছেড়ে দেওয়া অনুরোধ বাতিল করা হয়েছে +HolidaysCanceledBody=%s থেকে %s-এর জন্য আপনার ছুটির অনুরোধ বাতিল করা হয়েছে। +FollowedByACounter=1: এই ধরনের ছুটি একটি কাউন্টার দ্বারা অনুসরণ করা প্রয়োজন। কাউন্টার ম্যানুয়ালি বা স্বয়ংক্রিয়ভাবে বৃদ্ধি করা হয় এবং যখন একটি ছুটির অনুরোধ যাচাই করা হয়, তখন কাউন্টার হ্রাস করা হয়।
      0: একটি কাউন্টার অনুসরণ করে না। +NoLeaveWithCounterDefined=কোন ছুটির ধরন সংজ্ঞায়িত নেই যা একটি কাউন্টার দ্বারা অনুসরণ করা প্রয়োজন +GoIntoDictionaryHolidayTypes=বিভিন্ন ধরনের পাতা সেটআপ করতে হোম - সেটআপ - অভিধান - ছুটির ধরন এ যান৷ +HolidaySetup=মডিউল ত্যাগ সেটআপ +HolidaysNumberingModules=ছুটির অনুরোধের জন্য মডেল সংখ্যা +TemplatePDFHolidays=পিডিএফ ছুটির অনুরোধের জন্য টেমপ্লেট +FreeLegalTextOnHolidays=পিডিএফে বিনামূল্যে পাঠ্য +WatermarkOnDraftHolidayCards=খসড়া ছুটির অনুরোধে ওয়াটারমার্ক +HolidaysToApprove=অনুমোদনের জন্য ছুটি +NobodyHasPermissionToValidateHolidays=কারোরই ছুটির অনুরোধ যাচাই করার অনুমতি নেই +HolidayBalanceMonthlyUpdate=ছুটির ব্যালেন্সের মাসিক আপডেট +XIsAUsualNonWorkingDay=%s সাধারণত একটি অ-কার্যকর দিন +BlockHolidayIfNegative=ব্যালেন্স নেগেটিভ হলে ব্লক করুন +LeaveRequestCreationBlockedBecauseBalanceIsNegative=আপনার ব্যালেন্স ঋণাত্মক হওয়ার কারণে এই ছুটির অনুরোধটি ব্লক করা হয়েছে +ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=ত্যাগের অনুরোধ %s খসড়া হতে হবে, বাতিল করতে হবে বা মুছে দিতে অস্বীকার করতে হবে +IncreaseHolidays=ছুটির ভারসাম্য বাড়ান +HolidayRecordsIncreased= %s ছুটির ব্যালেন্স বেড়েছে +HolidayRecordIncreased=লিভ ব্যালেন্স বেড়েছে +ConfirmMassIncreaseHoliday=বাল্ক ছুটি ব্যালেন্স বৃদ্ধি +NumberDayAddMass=নির্বাচন যোগ করার জন্য দিনের সংখ্যা +ConfirmMassIncreaseHolidayQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) এর ছুটি বাড়াতে চান? +HolidayQtyNotModified=%s এর জন্য অবশিষ্ট দিনের ব্যালেন্স পরিবর্তন করা হয়নি diff --git a/htdocs/langs/bn_BD/hrm.lang b/htdocs/langs/bn_BD/hrm.lang index 8724bb805a6..b6ec7fd1bce 100644 --- a/htdocs/langs/bn_BD/hrm.lang +++ b/htdocs/langs/bn_BD/hrm.lang @@ -2,80 +2,96 @@ # Admin -HRM_EMAIL_EXTERNAL_SERVICE=Email to prevent HRM external service -Establishments=Establishments -Establishment=Establishment -NewEstablishment=New establishment -DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? -OpenEtablishment=Open establishment -CloseEtablishment=Close establishment +HRM_EMAIL_EXTERNAL_SERVICE=এইচআরএম বাহ্যিক পরিষেবা প্রতিরোধ করতে ইমেল +Establishments=প্রতিষ্ঠান +Establishment=প্রতিষ্ঠা +NewEstablishment=নতুন স্থাপনা +DeleteEstablishment=স্থাপনা মুছুন +ConfirmDeleteEstablishment=আপনি কি এই স্থাপনা মুছে ফেলার বিষয়ে নিশ্চিত? +OpenEtablishment=খোলা স্থাপনা +CloseEtablishment=বন্ধ স্থাপন # Dictionary -DictionaryPublicHolidays=Leave - Public holidays -DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Job positions +DictionaryPublicHolidays=ছুটি - সরকারি ছুটির দিন +DictionaryDepartment=HRM - সাংগঠনিক ইউনিট +DictionaryFunction=HRM - চাকরির পদ # Module -Employees=Employees +Employees=কর্মচারীদের Employee=Employee -NewEmployee=New employee -ListOfEmployees=List of employees -HrmSetup=HRM module setup -HRM_MAXRANK=Maximum rank for a skill -HRM_DEFAULT_SKILL_DESCRIPTION=Default description of ranks when skill is created -deplacement=Shift -DateEval=Evaluation date -JobCard=Job card -Job=Job -Jobs=Jobs -NewSkill=New Skill -SkillType=Skill type -Skilldets=List of ranks for this skill -Skilldet=Skill level -rank=Rank -ErrNoSkillSelected=No skill selected -ErrSkillAlreadyAdded=This skill is already in the list -SkillHasNoLines=This skill has no lines -skill=Skill -Skills=Skills -SkillCard=Skill card -EmployeeSkillsUpdated=Employee skills have been updated (see "Skills" tab of employee card) -Eval=Evaluation -Evals=Evaluations -NewEval=New evaluation -ValidateEvaluation=Validate evaluation -ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with reference %s? -EvaluationCard=Evaluation card -RequiredRank=Required rank for this job -EmployeeRank=Employee rank for this skill -Position=Position -Positions=Positions -PositionCard=Position card -EmployeesInThisPosition=Employees in this position -group1ToCompare=Usergroup to analyze -group2ToCompare=Second usergroup for comparison -OrJobToCompare=Compare to job skills requirements -difference=Difference -CompetenceAcquiredByOneOrMore=Competence acquired by one or more users but not requested by the second comparator -MaxlevelGreaterThan=Max level greater than the one requested -MaxLevelEqualTo=Max level equal to that demand -MaxLevelLowerThan=Max level lower than that demand -MaxlevelGreaterThanShort=Employee level greater than the one requested -MaxLevelEqualToShort=Employee level equals to that demand -MaxLevelLowerThanShort=Employee level lower than that demand -SkillNotAcquired=Skill not acquired by all users and requested by the second comparator -legend=Legend -TypeSkill=Skill type -AddSkill=Add skills to job -RequiredSkills=Required skills for this job -UserRank=User Rank -SkillList=Skill list -SaveRank=Save rank -knowHow=Know how -HowToBe=How to be -knowledge=Knowledge -AbandonmentComment=Abandonment comment -DateLastEval=Date last evaluation -NoEval=No evaluation done for this employee -HowManyUserWithThisMaxNote=Number of users with this rank -HighestRank=Highest rank -SkillComparison=Skill comparison +NewEmployee=নতুন কর্মচারী +ListOfEmployees=কর্মচারীদের তালিকা +HrmSetup=এইচআরএম মডিউল সেটআপ +SkillsManagement=দক্ষতা ব্যবস্থাপনা +HRM_MAXRANK=একটি দক্ষতা র্যাঙ্ক করতে সর্বোচ্চ সংখ্যক স্তর +HRM_DEFAULT_SKILL_DESCRIPTION=দক্ষতা তৈরি করা হলে র‌্যাঙ্কের ডিফল্ট বিবরণ +deplacement=শিফট +DateEval=মূল্যায়ন তারিখ +JobCard=জব কার্ড +NewJobProfile=নতুন চাকরির প্রোফাইল +JobProfile=চাকরি বৃত্তান্ত +JobsProfiles=কাজের প্রোফাইল +NewSkill=নতুন দক্ষতা +SkillType=দক্ষতার ধরন +Skilldets=এই দক্ষতার জন্য পদের তালিকা +Skilldet=দক্ষতা স্তর +rank=পদমর্যাদা +ErrNoSkillSelected=কোন দক্ষতা নির্বাচন করা হয়নি +ErrSkillAlreadyAdded=এই দক্ষতা ইতিমধ্যে তালিকায় আছে +SkillHasNoLines=এই দক্ষতা কোন লাইন আছে +Skill=দক্ষতা +Skills=দক্ষতা +SkillCard=স্কিল কার্ড +EmployeeSkillsUpdated=কর্মচারীর দক্ষতা আপডেট করা হয়েছে (কর্মচারী কার্ডের "দক্ষতা" ট্যাব দেখুন) +Eval=মূল্যায়ন +Evals=মূল্যায়ন +NewEval=নতুন মূল্যায়ন +ValidateEvaluation=মূল্যায়ন যাচাই করুন +ConfirmValidateEvaluation=আপনি কি %sরেফারেন্স দিয়ে এই মূল্যায়ন যাচাই করার বিষয়ে নিশ্চিত >? +EvaluationCard=মূল্যায়ন কার্ড +RequiredRank=কাজের প্রোফাইলের জন্য প্রয়োজনীয় র‌্যাঙ্ক +RequiredRankShort=প্রয়োজনীয় পদমর্যাদা +PositionsWithThisProfile=এই কাজের প্রোফাইলের সাথে অবস্থান +EmployeeRank=এই দক্ষতার জন্য কর্মচারী পদমর্যাদা +EmployeeRankShort=কর্মচারী পদমর্যাদা +EmployeePosition=কর্মচারী অবস্থান +EmployeePositions=কর্মচারী পদ +EmployeesInThisPosition=এই পদে কর্মচারীরা +group1ToCompare=ইউজার গ্রুপ বিশ্লেষণ করতে +group2ToCompare=তুলনার জন্য দ্বিতীয় ব্যবহারকারী গ্রুপ +OrJobToCompare=কাজের প্রোফাইলের দক্ষতার প্রয়োজনীয়তার সাথে তুলনা করুন +difference=পার্থক্য +CompetenceAcquiredByOneOrMore=এক বা একাধিক ব্যবহারকারীর দ্বারা অর্জিত দক্ষতা কিন্তু দ্বিতীয় তুলনাকারীর দ্বারা অনুরোধ করা হয়নি +MaxlevelGreaterThan=কর্মচারীর স্তর প্রত্যাশিত স্তরের চেয়ে বেশি +MaxLevelEqualTo=কর্মচারী স্তর প্রত্যাশিত স্তরের সমান +MaxLevelLowerThan=কর্মচারীর স্তর প্রত্যাশিত স্তরের চেয়ে কম +MaxlevelGreaterThanShort=প্রত্যাশার চেয়ে বেশি মাত্রা +MaxLevelEqualToShort=প্রত্যাশিত স্তরের সমান +MaxLevelLowerThanShort=প্রত্যাশিত মাত্রার চেয়ে কম +SkillNotAcquired=দক্ষতা সমস্ত ব্যবহারকারী দ্বারা অর্জিত নয় এবং দ্বিতীয় তুলনাকারীর দ্বারা অনুরোধ করা হয়েছে৷ +legend=কিংবদন্তি +TypeSkill=দক্ষতার ধরন +AddSkill=কাজের প্রোফাইলে দক্ষতা যোগ করুন +RequiredSkills=এই কাজের প্রোফাইলের জন্য প্রয়োজনীয় দক্ষতা +UserRank=ব্যবহারকারীর পদমর্যাদা +SkillList=দক্ষতার তালিকা +SaveRank=পদমর্যাদা সংরক্ষণ করুন +TypeKnowHow=জানি-কিভাবে +TypeHowToBe=কিভাবে হবে +TypeKnowledge=জ্ঞান +AbandonmentComment=বিসর্জন মন্তব্য +DateLastEval=শেষ মূল্যায়নের তারিখ +NoEval=এই কর্মচারীর জন্য কোন মূল্যায়ন করা হয়নি +HowManyUserWithThisMaxNote=এই র্যাঙ্ক সহ ব্যবহারকারীর সংখ্যা +HighestRank=সর্বোচ্চ পদমর্যাদা +SkillComparison=দক্ষতা তুলনা +ActionsOnJob=এই কাজের ইভেন্ট +VacantPosition=চাকরি খালি আছে +VacantCheckboxHelper=এই বিকল্পটি চেক করলে অপূর্ণ পদ দেখাবে (চাকরির শূন্যতা) +SaveAddSkill = দক্ষতা(গুলি) যোগ করা হয়েছে +SaveLevelSkill = দক্ষতা(গুলি) স্তর সংরক্ষিত +DeleteSkill = দক্ষতা সরানো হয়েছে +SkillsExtraFields=পরিপূরক বৈশিষ্ট্য (দক্ষতা) +JobsExtraFields=পরিপূরক বৈশিষ্ট্য (চাকরির প্রোফাইল) +EvaluationsExtraFields=পরিপূরক বৈশিষ্ট্য (মূল্যায়ন) +NeedBusinessTravels=ব্যবসায়িক ভ্রমণ প্রয়োজন +NoDescription=বর্ণনা নাই +TheJobProfileHasNoSkillsDefinedFixBefore=এই কর্মচারীর মূল্যায়নকৃত কাজের প্রোফাইলে কোন দক্ষতা সংজ্ঞায়িত করা নেই। দক্ষতা(গুলি) যোগ করুন, তারপর মুছে ফেলুন এবং মূল্যায়ন পুনরায় আরম্ভ করুন. diff --git a/htdocs/langs/bn_BD/install.lang b/htdocs/langs/bn_BD/install.lang index 6aee82bacec..97ad6c4642d 100644 --- a/htdocs/langs/bn_BD/install.lang +++ b/htdocs/langs/bn_BD/install.lang @@ -2,36 +2,36 @@ InstallEasy=Just follow the instructions step by step. MiscellaneousChecks=Prerequisites check ConfFileExists=Configuration file %s exists. -ConfFileDoesNotExistsAndCouldNotBeCreated=Configuration file %s does not exist and could not be created! +ConfFileDoesNotExistsAndCouldNotBeCreated=কনফিগারেশন ফাইল %s বিদ্যমান নেই এবং তৈরি করা যায়নি! ConfFileCouldBeCreated=Configuration file %s could be created. -ConfFileIsNotWritable=Configuration file %s is not writable. Check permissions. For first install, your web server must be able to write into this file during configuration process ("chmod 666" for example on a Unix like OS). +ConfFileIsNotWritable=কনফিগারেশন ফাইল %s লেখার যোগ্য নয়। অনুমতি পরীক্ষা করুন. প্রথম ইনস্টল করার জন্য, কনফিগারেশন প্রক্রিয়া চলাকালীন আপনার ওয়েব সার্ভার অবশ্যই এই ফাইলটিতে লিখতে সক্ষম হবে ("chmod 666" উদাহরণস্বরূপ, OS-এর মতো ইউনিক্সে)। ConfFileIsWritable=Configuration file %s is writable. -ConfFileMustBeAFileNotADir=Configuration file %s must be a file, not a directory. -ConfFileReload=Reloading parameters from configuration file. -NoReadableConfFileSoStartInstall=The configuration file conf/conf.php does not exists or is not readable. We will run the installation process to try to initialize it. +ConfFileMustBeAFileNotADir=কনফিগারেশন ফাইল %s একটি ফাইল হতে হবে, একটি ডিরেক্টরি নয়। +ConfFileReload=কনফিগারেশন ফাইল থেকে পরামিতি পুনরায় লোড করা হচ্ছে। +NoReadableConfFileSoStartInstall=কনফিগারেশন ফাইল conf/conf.php বিদ্যমান নেই বা পাঠযোগ্য নয়৷ আমরা এটি শুরু করার চেষ্টা করার জন্য ইনস্টলেশন প্রক্রিয়া চালাব। PHPSupportPOSTGETOk=This PHP supports variables POST and GET. -PHPSupportPOSTGETKo=It's possible your PHP setup does not support variables POST and/or GET. Check the parameter variables_order in php.ini. +PHPSupportPOSTGETKo=এটা সম্ভব যে আপনার পিএইচপি সেটআপ ভেরিয়েবল পোস্ট এবং/অথবা GET সমর্থন করে না। php.ini-এ variables_order প্যারামিটার চেক করুন। PHPSupportSessions=This PHP supports sessions. -PHPSupport=This PHP supports %s functions. +PHPSupport=এই PHP %s ফাংশন সমর্থন করে। PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. -PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. -Recheck=Click here for a more detailed test -ErrorPHPDoesNotSupportSessions=Your PHP installation does not support sessions. This feature is required to allow Dolibarr to work. Check your PHP setup and permissions of the sessions directory. -ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. +PHPMemoryTooLow=আপনার PHP সর্বোচ্চ সেশন মেমরি %s বাইটে সেট করা আছে। এটা খুবই কম। আপনার php.ini মেমোরি সেট করতে পরিবর্তন করুন ='notranslate'> প্যারামিটারে অন্তত %sb091b বাইট। +Recheck=আরো বিস্তারিত পরীক্ষার জন্য এখানে ক্লিক করুন +ErrorPHPDoesNotSupportSessions=আপনার পিএইচপি ইনস্টলেশন সেশন সমর্থন করে না. ডলিবারকে কাজ করার অনুমতি দেওয়ার জন্য এই বৈশিষ্ট্যটি প্রয়োজন। আপনার পিএইচপি সেটআপ এবং সেশন ডিরেক্টরির অনুমতি পরীক্ষা করুন। +ErrorPHPDoesNotSupport=আপনার PHP ইনস্টলেশন %s ফাংশন সমর্থন করে না। ErrorDirDoesNotExists=Directory %s does not exist. -ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. +ErrorGoBackAndCorrectParameters=ফিরে যান এবং পরামিতি চেক/সংশোধন করুন। ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. ErrorFailedToCreateDatabase=Failed to create database '%s'. ErrorFailedToConnectToDatabase=Failed to connect to database '%s'. ErrorDatabaseVersionTooLow=Database version (%s) too old. Version %s or higher is required. -ErrorPHPVersionTooLow=PHP version too old. Version %s or higher is required. -ErrorPHPVersionTooHigh=PHP version too high. Version %s or lower is required. -ErrorConnectedButDatabaseNotFound=Connection to server successful but database '%s' not found. +ErrorPHPVersionTooLow=পিএইচপি সংস্করণ খুব পুরানো। %s বা উচ্চতর সংস্করণ প্রয়োজন৷ +ErrorPHPVersionTooHigh=পিএইচপি সংস্করণ খুব বেশি। সংস্করণ %s বা নিম্নতর প্রয়োজন। +ErrorConnectedButDatabaseNotFound=সার্ভারের সাথে সংযোগ সফল হয়েছে কিন্তু ডেটাবেস '%s' পাওয়া যায়নি। ErrorDatabaseAlreadyExists=Database '%s' already exists. -ErrorNoMigrationFilesFoundForParameters=No migration file found for the selected versions -IfDatabaseNotExistsGoBackAndUncheckCreate=If the database does not exist, go back and check option "Create database". +ErrorNoMigrationFilesFoundForParameters=নির্বাচিত সংস্করণের জন্য কোনো মাইগ্রেশন ফাইল পাওয়া যায়নি +IfDatabaseNotExistsGoBackAndUncheckCreate=ডাটাবেস বিদ্যমান না থাকলে, ফিরে যান এবং "ডেটাবেস তৈরি করুন" বিকল্পটি চেক করুন। IfDatabaseExistsGoBackAndCheckCreate=If database already exists, go back and uncheck "Create database" option. -WarningBrowserTooOld=Version of browser is too old. Upgrading your browser to a recent version of Firefox, Chrome or Opera is highly recommended. +WarningBrowserTooOld=ব্রাউজারের ভার্সন অনেক পুরনো। আপনার ব্রাউজারকে ফায়ারফক্স, ক্রোম বা অপেরার সাম্প্রতিক সংস্করণে আপগ্রেড করা অত্যন্ত বাঞ্ছনীয়। PHPVersion=PHP Version License=Using license ConfigurationFile=Configuration file @@ -44,23 +44,22 @@ DolibarrDatabase=Dolibarr Database DatabaseType=Database type DriverType=Driver type Server=Server -ServerAddressDescription=Name or ip address for the database server. Usually 'localhost' when the database server is hosted on the same server as the web server. +ServerAddressDescription=ডাটাবেস সার্ভারের জন্য নাম বা আইপি ঠিকানা। সাধারণত 'লোকালহোস্ট' যখন ডাটাবেস সার্ভার ওয়েব সার্ভারের মতো একই সার্ভারে হোস্ট করা হয়। ServerPortDescription=Database server port. Keep empty if unknown. DatabaseServer=Database server DatabaseName=Database name -DatabasePrefix=Database table prefix -DatabasePrefixDescription=Database table prefix. If empty, defaults to llx_. -AdminLogin=User account for the Dolibarr database owner. -PasswordAgain=Retype password confirmation +DatabasePrefix=ডাটাবেস টেবিলের উপসর্গ +DatabasePrefixDescription=ডাটাবেস টেবিলের উপসর্গ। যদি খালি থাকে, ডিফল্ট llx_. +AdminLogin=Dolibarr ডাটাবেসের মালিকের জন্য ব্যবহারকারীর অ্যাকাউন্ট। AdminPassword=Password for Dolibarr database owner. CreateDatabase=Create database -CreateUser=Create user account or grant user account permission on the Dolibarr database +CreateUser=ব্যবহারকারী অ্যাকাউন্ট তৈরি করুন বা ডলিবার ডাটাবেসে ব্যবহারকারীর অ্যাকাউন্টের অনুমতি দিন DatabaseSuperUserAccess=Database server - Superuser access -CheckToCreateDatabase=Check the box if the database does not exist yet and so must be created.
      In this case, you must also fill in the user name and password for the superuser account at the bottom of this page. -CheckToCreateUser=Check the box if:
      the database user account does not yet exist and so must be created, or
      if the user account exists but the database does not exist and permissions must be granted.
      In this case, you must enter the user account and password and also the superuser account name and password at the bottom of this page. If this box is unchecked, database owner and password must already exist. -DatabaseRootLoginDescription=Superuser account name (to create new databases or new users), mandatory if the database or its owner does not already exist. -KeepEmptyIfNoPassword=Leave empty if superuser has no password (NOT recommended) -SaveConfigurationFile=Saving parameters to +CheckToCreateDatabase=ডাটাবেসটি এখনও বিদ্যমান না থাকলে বাক্সটি চেক করুন এবং তাই তৈরি করতে হবে৷
      এই ক্ষেত্রে, আপনাকে অবশ্যই নীচের দিকে থাকা সুপার ইউজার অ্যাকাউন্টের জন্য ব্যবহারকারীর নাম এবং পাসওয়ার্ড পূরণ করতে হবে এই পৃষ্ঠার। +CheckToCreateUser=বক্সটি চেক করুন যদি:
      ডাটাবেস ব্যবহারকারীর অ্যাকাউন্টটি এখনও বিদ্যমান নেই এবং তাই তৈরি করতে হবে, অথবা
      যদি ব্যবহারকারীর অ্যাকাউন্ট বিদ্যমান কিন্তু ডাটাবেস বিদ্যমান নেই এবং অনুমতি দিতে হবে।
      এই ক্ষেত্রে, আপনাকে অবশ্যই ব্যবহারকারীর অ্যাকাউন্ট এবং পাসওয়ার্ড লিখতে হবে এবং span>এছাড়াও এই পৃষ্ঠার নীচে সুপার ইউজার অ্যাকাউন্টের নাম এবং পাসওয়ার্ড৷ যদি এই বাক্সটি আনচেক করা থাকে, তবে ডাটাবেসের মালিক এবং পাসওয়ার্ড অবশ্যই বিদ্যমান থাকতে হবে। +DatabaseRootLoginDescription=সুপার ইউজার অ্যাকাউন্টের নাম (নতুন ডেটাবেস বা নতুন ব্যবহারকারী তৈরি করতে), বাধ্যতামূলক যদি ডাটাবেস বা এর মালিক ইতিমধ্যেই বিদ্যমান না থাকে। +KeepEmptyIfNoPassword=সুপার ইউজারের পাসওয়ার্ড না থাকলে খালি ছেড়ে দিন (প্রস্তাবিত নয়) +SaveConfigurationFile=এতে প্যারামিটার সংরক্ষণ করা হচ্ছে ServerConnection=Server connection DatabaseCreation=Database creation CreateDatabaseObjects=Database objects creation @@ -71,9 +70,9 @@ CreateOtherKeysForTable=Create foreign keys and indexes for table %s OtherKeysCreation=Foreign keys and indexes creation FunctionsCreation=Functions creation AdminAccountCreation=Administrator login creation -PleaseTypePassword=Please type a password, empty passwords are not allowed! -PleaseTypeALogin=Please type a login! -PasswordsMismatch=Passwords differs, please try again! +PleaseTypePassword=অনুগ্রহ করে একটি পাসওয়ার্ড টাইপ করুন, খালি পাসওয়ার্ড অনুমোদিত নয়! +PleaseTypeALogin=একটি লগইন টাইপ করুন! +PasswordsMismatch=পাসওয়ার্ড ভিন্ন, আবার চেষ্টা করুন! SetupEnd=End of setup SystemIsInstalled=This installation is complete. SystemIsUpgraded=Dolibarr has been upgraded successfully. @@ -81,77 +80,77 @@ YouNeedToPersonalizeSetup=You need to configure Dolibarr to suit your needs (app AdminLoginCreatedSuccessfuly=Dolibarr administrator login '%s' created successfully. GoToDolibarr=Go to Dolibarr GoToSetupArea=Go to Dolibarr (setup area) -MigrationNotFinished=The database version is not completely up to date: run the upgrade process again. +MigrationNotFinished=ডাটাবেস সংস্করণ সম্পূর্ণ আপ টু ডেট নয়: আপগ্রেড প্রক্রিয়া আবার চালান। GoToUpgradePage=Go to upgrade page again WithNoSlashAtTheEnd=Without the slash "/" at the end -DirectoryRecommendation=IMPORTANT: You must use a directory that is outside of the web pages (so do not use a subdirectory of previous parameter). +DirectoryRecommendation=গুরুত্বপূর্ণ: আপনাকে অবশ্যই একটি ডিরেক্টরি ব্যবহার করতে হবে যা ওয়েব পৃষ্ঠাগুলির বাইরে থাকে (তাই পূর্ববর্তী প্যারামিটারের একটি সাবডিরেক্টরি ব্যবহার করবেন না ) LoginAlreadyExists=Already exists DolibarrAdminLogin=Dolibarr admin login -AdminLoginAlreadyExists=Dolibarr administrator account '%s' already exists. Go back if you want to create another one. +AdminLoginAlreadyExists=Dolibarr অ্যাডমিনিস্ট্রেটর অ্যাকাউন্ট '%s' ইতিমধ্যেই বিদ্যমান। আপনি যদি অন্য একটি তৈরি করতে চান তাহলে ফিরে যান। FailedToCreateAdminLogin=Failed to create Dolibarr administrator account. -WarningRemoveInstallDir=Warning, for security reasons, once the install or upgrade is complete, you should add a file called install.lock into the Dolibarr document directory in order to prevent the accidental/malicious use of the install tools again. -FunctionNotAvailableInThisPHP=Not available in this PHP +WarningRemoveInstallDir=সতর্কতা, নিরাপত্তার কারণে, একবার ইনস্টলেশন প্রক্রিয়া সম্পূর্ণ হলে, আপনাকে অবশ্যই install.lock নামে একটি ফাইল যোগ করতে হবে Dolibarr ডকুমেন্ট ডিরেক্টরি আবার ইনস্টল টুলের দুর্ঘটনাজনিত/দূষিত ব্যবহার প্রতিরোধ করার জন্য। +FunctionNotAvailableInThisPHP=এই PHP এ উপলব্ধ নয় ChoosedMigrateScript=Choose migration script -DataMigration=Database migration (data) -DatabaseMigration=Database migration (structure + some data) +DataMigration=ডাটাবেস মাইগ্রেশন (ডেটা) +DatabaseMigration=ডাটাবেস স্থানান্তর (কাঠামো + কিছু ডেটা) ProcessMigrateScript=Script processing ChooseYourSetupMode=Choose your setup mode and click "Start"... FreshInstall=Fresh install -FreshInstallDesc=Use this mode if this is your first install. If not, this mode can repair a incomplete previous install. If you want to upgrade your version, choose "Upgrade" mode. +FreshInstallDesc=এটি আপনার প্রথম ইনস্টল হলে এই মোডটি ব্যবহার করুন। যদি না হয়, এই মোড একটি অসম্পূর্ণ পূর্ববর্তী ইনস্টল মেরামত করতে পারে. আপনি আপনার সংস্করণ আপগ্রেড করতে চান, "আপগ্রেড" মোড নির্বাচন করুন. Upgrade=Upgrade UpgradeDesc=Use this mode if you have replaced old Dolibarr files with files from a newer version. This will upgrade your database and data. Start=Start InstallNotAllowed=Setup not allowed by conf.php permissions YouMustCreateWithPermission=You must create file %s and set write permissions on it for the web server during install process. -CorrectProblemAndReloadPage=Please fix the problem and press F5 to reload the page. +CorrectProblemAndReloadPage=অনুগ্রহ করে সমস্যাটি সমাধান করুন এবং পৃষ্ঠাটি পুনরায় লোড করতে F5 টিপুন৷ AlreadyDone=Already migrated DatabaseVersion=Database version ServerVersion=Database server version YouMustCreateItAndAllowServerToWrite=You must create this directory and allow for the web server to write into it. DBSortingCollation=Character sorting order -YouAskDatabaseCreationSoDolibarrNeedToConnect=You selected create database %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions. -YouAskLoginCreationSoDolibarrNeedToConnect=You selected create database user %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions. -BecauseConnectionFailedParametersMayBeWrong=The database connection failed: the host or super user parameters must be wrong. +YouAskDatabaseCreationSoDolibarrNeedToConnect=আপনি ডাটাবেস তৈরি করা নির্বাচন করেছেন %s, তবে এর জন্য ডলিবার প্রয়োজন সার্ভারের সাথে সংযোগ করতে %s সুপার ব্যবহারকারীর সাথে %s অনুমতি। +YouAskLoginCreationSoDolibarrNeedToConnect=আপনি ডাটাবেস ব্যবহারকারী তৈরি করুন %s নির্বাচন করেছেন, কিন্তু এর জন্য, ডলিবার সুপার ব্যবহারকারী %s সার্ভারের সাথে সংযোগ করতে হবে %s অনুমতি। +BecauseConnectionFailedParametersMayBeWrong=ডাটাবেস সংযোগ ব্যর্থ হয়েছে: হোস্ট বা সুপার ব্যবহারকারী পরামিতি ভুল হতে হবে। OrphelinsPaymentsDetectedByMethod=Orphans payment detected by method %s RemoveItManuallyAndPressF5ToContinue=Remove it manually and press F5 to continue. FieldRenamed=Field renamed -IfLoginDoesNotExistsCheckCreateUser=If the user does not exist yet, you must check option "Create user" -ErrorConnection=Server "%s", database name "%s", login "%s", or database password may be wrong or the PHP client version may be too old compared to the database version. +IfLoginDoesNotExistsCheckCreateUser=যদি ব্যবহারকারী এখনও বিদ্যমান না থাকে তবে আপনাকে অবশ্যই "ব্যবহারকারী তৈরি করুন" বিকল্পটি চেক করতে হবে +ErrorConnection=সার্ভার "%s", ডাটাবেসের নাম "%s", লগইন "b0aee%s
      ", অথবা ডাটাবেস পাসওয়ার্ড ভুল হতে পারে বা PHP ক্লায়েন্ট সংস্করণ ডাটাবেস সংস্করণের তুলনায় অনেক পুরানো হতে পারে . InstallChoiceRecommanded=Recommended choice to install version %s from your current version %s InstallChoiceSuggested=Install choice suggested by installer. -MigrateIsDoneStepByStep=The targeted version (%s) has a gap of several versions. The install wizard will come back to suggest a further migration once this one is complete. -CheckThatDatabasenameIsCorrect=Check that the database name "%s" is correct. +MigrateIsDoneStepByStep=লক্ষ্যযুক্ত সংস্করণে (%s) বেশ কয়েকটি সংস্করণের ব্যবধান রয়েছে। এটি সম্পূর্ণ হয়ে গেলে ইনস্টল উইজার্ডটি আরও একটি মাইগ্রেশনের পরামর্শ দিতে ফিরে আসবে। +CheckThatDatabasenameIsCorrect=পরীক্ষা করুন যে ডাটাবেসের নাম "%s" সঠিক। IfAlreadyExistsCheckOption=If this name is correct and that database does not exist yet, you must check option "Create database". OpenBaseDir=PHP openbasedir parameter -YouAskToCreateDatabaseSoRootRequired=You checked the box "Create database". For this, you need to provide the login/password of superuser (bottom of form). -YouAskToCreateDatabaseUserSoRootRequired=You checked the box "Create database owner". For this, you need to provide the login/password of superuser (bottom of form). -NextStepMightLastALongTime=The current step may take several minutes. Please wait until the next screen is shown completely before continuing. -MigrationCustomerOrderShipping=Migrate shipping for sales orders storage +YouAskToCreateDatabaseSoRootRequired=আপনি "ডেটাবেস তৈরি করুন" বাক্সটি চেক করেছেন। এর জন্য, আপনাকে সুপার ইউজারের লগইন/পাসওয়ার্ড প্রদান করতে হবে (ফর্মের নীচে)। +YouAskToCreateDatabaseUserSoRootRequired=আপনি "ডেটাবেসের মালিক তৈরি করুন" বাক্সটি চেক করেছেন। এর জন্য, আপনাকে সুপার ইউজারের লগইন/পাসওয়ার্ড প্রদান করতে হবে (ফর্মের নীচে)। +NextStepMightLastALongTime=বর্তমান পদক্ষেপটি কয়েক মিনিট সময় নিতে পারে। চালিয়ে যাওয়ার আগে অনুগ্রহ করে পরবর্তী স্ক্রীন সম্পূর্ণভাবে দেখানো পর্যন্ত অপেক্ষা করুন। +MigrationCustomerOrderShipping=সেলস অর্ডার স্টোরেজের জন্য শিপিং মাইগ্রেট করুন MigrationShippingDelivery=Upgrade storage of shipping MigrationShippingDelivery2=Upgrade storage of shipping 2 MigrationFinished=Migration finished -LastStepDesc=Last step: Define here the login and password you wish to use to connect to Dolibarr. Do not lose this as it is the master account to administer all other/additional user accounts. +LastStepDesc=শেষ ধাপ: Dolibarr-এর সাথে সংযোগ করতে আপনি যে লগইন এবং পাসওয়ার্ড ব্যবহার করতে চান তা এখানে সংজ্ঞায়িত করুন। এটিকে হারাবেন না কারণ এটি অন্য সমস্ত/অতিরিক্ত ব্যবহারকারীর অ্যাকাউন্টগুলি পরিচালনা করার জন্য প্রধান অ্যাকাউন্ট৷ ActivateModule=Activate module %s ShowEditTechnicalParameters=Click here to show/edit advanced parameters (expert mode) -WarningUpgrade=Warning:\nDid you run a database backup first?\nThis is highly recommended. Loss of data (due to for example bugs in mysql version 5.5.40/41/42/43) may be possible during this process, so it is essential to take a complete dump of your database before starting any migration.\n\nClick OK to start migration process... -ErrorDatabaseVersionForbiddenForMigration=Your database version is %s. It has a critical bug, making data loss possible if you make structural changes in your database, such as is required by the migration process. For his reason, migration will not be allowed until you upgrade your database to a layer (patched) version (list of known buggy versions: %s) -KeepDefaultValuesWamp=You used the Dolibarr setup wizard from DoliWamp, so values proposed here are already optimized. Change them only if you know what you are doing. -KeepDefaultValuesDeb=You used the Dolibarr setup wizard from a Linux package (Ubuntu, Debian, Fedora...), so the values proposed here are already optimized. Only the password of the database owner to create must be entered. Change other parameters only if you know what you are doing. -KeepDefaultValuesMamp=You used the Dolibarr setup wizard from DoliMamp, so the values proposed here are already optimized. Change them only if you know what you are doing. -KeepDefaultValuesProxmox=You used the Dolibarr setup wizard from a Proxmox virtual appliance, so the values proposed here are already optimized. Change them only if you know what you are doing. -UpgradeExternalModule=Run dedicated upgrade process of external module -SetAtLeastOneOptionAsUrlParameter=Set at least one option as a parameter in URL. For example: '...repair.php?standard=confirmed' -NothingToDelete=Nothing to clean/delete -NothingToDo=Nothing to do +WarningUpgrade=সতর্কতা:\nআপনি কি প্রথমে একটি ডাটাবেস ব্যাকআপ চালান?\nএই অত্যন্ত সুপারিশ করা হয়. এই প্রক্রিয়া চলাকালীন ডেটার ক্ষতি (উদাহরণস্বরূপ mysql সংস্করণ 5.5.40/41/42/43-এ বাগগুলির কারণে) সম্ভব হতে পারে, তাই কোনও স্থানান্তর শুরু করার আগে আপনার ডাটাবেসের সম্পূর্ণ ডাম্প নেওয়া অপরিহার্য।\n\nমাইগ্রেশন প্রক্রিয়া শুরু করতে ওকে ক্লিক করুন... +ErrorDatabaseVersionForbiddenForMigration=আপনার ডাটাবেস সংস্করণ হল %s। এটিতে একটি গুরুতর বাগ রয়েছে, যদি আপনি আপনার ডাটাবেসে কাঠামোগত পরিবর্তন করেন, যেমন মাইগ্রেশন প্রক্রিয়ার জন্য প্রয়োজনীয় ডেটা ক্ষতি সম্ভব করে তোলে। তার কারণে, আপনি আপনার ডাটাবেসকে একটি স্তর (প্যাচড) সংস্করণে আপগ্রেড না করা পর্যন্ত মাইগ্রেশনের অনুমতি দেওয়া হবে না (পরিচিত বগি সংস্করণগুলির তালিকা: %s) +KeepDefaultValuesWamp=আপনি DoliWamp থেকে Dolibarr সেটআপ উইজার্ড ব্যবহার করেছেন, তাই এখানে প্রস্তাবিত মানগুলি ইতিমধ্যেই অপ্টিমাইজ করা হয়েছে৷ আপনি কি করছেন তা জানলে তবেই সেগুলি পরিবর্তন করুন। +KeepDefaultValuesDeb=আপনি একটি লিনাক্স প্যাকেজ (উবুন্টু, ডেবিয়ান, ফেডোরা...) থেকে Dolibarr সেটআপ উইজার্ড ব্যবহার করেছেন, তাই এখানে প্রস্তাবিত মানগুলি ইতিমধ্যেই অপ্টিমাইজ করা হয়েছে। শুধুমাত্র ডাটাবেস মালিকের পাসওয়ার্ড তৈরি করতে হবে। আপনি কি করছেন তা জানলেই অন্যান্য পরামিতি পরিবর্তন করুন। +KeepDefaultValuesMamp=আপনি DoliMamp থেকে Dolibarr সেটআপ উইজার্ড ব্যবহার করেছেন, তাই এখানে প্রস্তাবিত মানগুলি ইতিমধ্যেই অপ্টিমাইজ করা হয়েছে৷ আপনি কি করছেন তা জানলে তবেই সেগুলি পরিবর্তন করুন। +KeepDefaultValuesProxmox=আপনি একটি Proxmox ভার্চুয়াল অ্যাপ্লায়েন্স থেকে Dolibarr সেটআপ উইজার্ড ব্যবহার করেছেন, তাই এখানে প্রস্তাবিত মানগুলি ইতিমধ্যেই অপ্টিমাইজ করা হয়েছে৷ আপনি কি করছেন তা জানলে তবেই সেগুলি পরিবর্তন করুন। +UpgradeExternalModule=এক্সটার্নাল মডিউলের ডেডিকেটেড আপগ্রেড প্রক্রিয়া চালান +SetAtLeastOneOptionAsUrlParameter=URL-এ প্যারামিটার হিসেবে অন্তত একটি বিকল্প সেট করুন। যেমন: '...repair.php?standard=confirmed' +NothingToDelete=পরিষ্কার/মুছে ফেলার কিছু নেই +NothingToDo=কিছুই করার নাই ######### # upgrade MigrationFixData=Fix for denormalized data MigrationOrder=Data migration for customer's orders -MigrationSupplierOrder=Data migration for vendor's orders +MigrationSupplierOrder=বিক্রেতার আদেশের জন্য ডেটা স্থানান্তর MigrationProposal=Data migration for commercial proposals MigrationInvoice=Data migration for customer's invoices MigrationContract=Data migration for contracts -MigrationSuccessfullUpdate=Upgrade successful +MigrationSuccessfullUpdate=আপগ্রেড সফল হয়েছে MigrationUpdateFailed=Failed upgrade process MigrationRelationshipTables=Data migration for relationship tables (%s) MigrationPaymentsUpdate=Payment data correction @@ -163,9 +162,9 @@ MigrationContractsUpdate=Contract data correction MigrationContractsNumberToUpdate=%s contract(s) to update MigrationContractsLineCreation=Create contract line for contract ref %s MigrationContractsNothingToUpdate=No more things to do -MigrationContractsFieldDontExist=Field fk_facture does not exist anymore. Nothing to do. +MigrationContractsFieldDontExist=ক্ষেত্র fk_facture আর বিদ্যমান নেই। কিছুই করার নাই. MigrationContractsEmptyDatesUpdate=Contract empty date correction -MigrationContractsEmptyDatesUpdateSuccess=Contract empty date correction done successfully +MigrationContractsEmptyDatesUpdateSuccess=চুক্তি খালি তারিখ সংশোধন সফলভাবে সম্পন্ন হয়েছে MigrationContractsEmptyDatesNothingToUpdate=No contract empty date to correct MigrationContractsEmptyCreationDatesNothingToUpdate=No contract creation date to correct MigrationContractsInvalidDatesUpdate=Bad value date contract correction @@ -187,29 +186,34 @@ MigrationDeliveryDetail=Delivery update MigrationStockDetail=Update stock value of products MigrationMenusDetail=Update dynamic menus tables MigrationDeliveryAddress=Update delivery address in shipments -MigrationProjectTaskActors=Data migration for table llx_projet_task_actors +MigrationProjectTaskActors=টেবিল llx_projet_task_actors এর জন্য ডেটা মাইগ্রেশন MigrationProjectUserResp=Data migration field fk_user_resp of llx_projet to llx_element_contact MigrationProjectTaskTime=Update time spent in seconds MigrationActioncommElement=Update data on actions -MigrationPaymentMode=Data migration for payment type +MigrationPaymentMode=পেমেন্ট টাইপের জন্য ডেটা মাইগ্রেশন MigrationCategorieAssociation=Migration of categories -MigrationEvents=Migration of events to add event owner into assignment table -MigrationEventsContact=Migration of events to add event contact into assignment table +MigrationEvents=অ্যাসাইনমেন্ট টেবিলে ইভেন্টের মালিককে যোগ করতে ইভেন্টের স্থানান্তর +MigrationEventsContact=অ্যাসাইনমেন্ট টেবিলে ইভেন্টের পরিচিতি যোগ করতে ইভেন্টের স্থানান্তর MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except -MigrationUserRightsEntity=Update entity field value of llx_user_rights -MigrationUserGroupRightsEntity=Update entity field value of llx_usergroup_rights -MigrationUserPhotoPath=Migration of photo paths for users -MigrationFieldsSocialNetworks=Migration of users fields social networks (%s) +MigrationUserRightsEntity=llx_user_rights এর সত্তা ক্ষেত্রের মান আপডেট করুন +MigrationUserGroupRightsEntity=llx_usergroup_rights এর সত্তা ক্ষেত্রের মান আপডেট করুন +MigrationUserPhotoPath=ব্যবহারকারীদের জন্য ফটো পাথের স্থানান্তর +MigrationFieldsSocialNetworks=ব্যবহারকারীদের ক্ষেত্র সামাজিক নেটওয়ার্কের স্থানান্তর (%s) MigrationReloadModule=Reload module %s -MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm -MigrationImportOrExportProfiles=Migration of import or export profiles (%s) -ShowNotAvailableOptions=Show unavailable options -HideNotAvailableOptions=Hide unavailable options -ErrorFoundDuringMigration=Error(s) were reported during the migration process so next step is not available. To ignore errors, you can click here, but the application or some features may not work correctly until the errors are resolved. -YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
      -YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
      -ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. -Loaded=Loaded -FunctionTest=Function test +MigrationResetBlockedLog=v7 অ্যালগরিদমের জন্য BlockedLog মডিউল রিসেট করুন +MigrationImportOrExportProfiles=আমদানি বা রপ্তানি প্রোফাইলের স্থানান্তর (%s) +ShowNotAvailableOptions=অনুপলব্ধ বিকল্পগুলি দেখান৷ +HideNotAvailableOptions=অনুপলব্ধ বিকল্প লুকান +ErrorFoundDuringMigration=স্থানান্তর প্রক্রিয়া চলাকালীন ত্রুটি(গুলি) রিপোর্ট করা হয়েছিল তাই পরবর্তী পদক্ষেপ উপলব্ধ নেই৷ ত্রুটিগুলি উপেক্ষা করতে, আপনি এখানে ক্লিক করুন, কিন্তু ত্রুটিগুলি সমাধান না হওয়া পর্যন্ত অ্যাপ্লিকেশন বা কিছু বৈশিষ্ট্য সঠিকভাবে কাজ নাও করতে পারে . +YouTryInstallDisabledByDirLock=অ্যাপ্লিকেশনটি স্ব-আপগ্রেড করার চেষ্টা করেছে, কিন্তু নিরাপত্তার জন্য ইনস্টল/আপগ্রেড পৃষ্ঠাগুলি অক্ষম করা হয়েছে (ডিরেক্টরি .lock সাফিক্স দিয়ে পুনঃনামকরণ করা হয়েছে)।
      +YouTryInstallDisabledByFileLock=অ্যাপ্লিকেশনটি স্ব-আপগ্রেড করার চেষ্টা করেছে, কিন্তু নিরাপত্তার জন্য ইনস্টল/আপগ্রেড পৃষ্ঠাগুলি অক্ষম করা হয়েছে (একটি লক ফাইলের অস্তিত্বের কারণে install.lock ডলিবার ডকুমেন্ট ডিরেক্টরিতে)।
      +YouTryUpgradeDisabledByMissingFileUnLock=অ্যাপ্লিকেশনটি স্ব-আপগ্রেড করার চেষ্টা করেছে, কিন্তু আপগ্রেড প্রক্রিয়াটি বর্তমানে অনুমোদিত নয়৷
      +ClickHereToGoToApp=আপনার আবেদনে যেতে এখানে ক্লিক করুন +ClickOnLinkOrRemoveManualy=যদি একটি আপগ্রেড প্রক্রিয়াধীন থাকে, অনুগ্রহ করে অপেক্ষা করুন৷ না হলে নিচের লিঙ্কে ক্লিক করুন। আপনি যদি সর্বদা এই একই পৃষ্ঠাটি দেখতে পান, তাহলে আপনাকে অবশ্যই নথির ডিরেক্টরিতে install.lock ফাইলটি অপসারণ/পুনঃনামকরণ করতে হবে। +ClickOnLinkOrCreateUnlockFileManualy=যদি একটি আপগ্রেড প্রক্রিয়াধীন থাকে, অনুগ্রহ করে অপেক্ষা করুন... না হলে, আপনাকে অবশ্যই install.lock ফাইলটি সরিয়ে ফেলতে হবে বা Dolibarr নথি ডিরেক্টরিতে একটি ফাইল upgrade.unlock তৈরি করতে হবে৷ +Loaded=লোড করা হয়েছে +FunctionTest=ফাংশন পরীক্ষা +NodoUpgradeAfterDB=ডাটাবেস আপগ্রেড করার পরে বাহ্যিক মডিউল দ্বারা কোন পদক্ষেপের অনুরোধ করা হয়নি +NodoUpgradeAfterFiles=ফাইল বা ডিরেক্টরি আপগ্রেড করার পরে বহিরাগত মডিউল দ্বারা কোন পদক্ষেপের অনুরোধ করা হয়নি +MigrationContractLineRank=র‌্যাঙ্ক ব্যবহার করতে চুক্তি লাইন মাইগ্রেট করুন (এবং পুনর্বিন্যাস সক্ষম করুন) diff --git a/htdocs/langs/bn_BD/interventions.lang b/htdocs/langs/bn_BD/interventions.lang index ef5df43e546..329ccc1ee5d 100644 --- a/htdocs/langs/bn_BD/interventions.lang +++ b/htdocs/langs/bn_BD/interventions.lang @@ -1,68 +1,75 @@ # Dolibarr language file - Source file is en_US - interventions -Intervention=Intervention -Interventions=Interventions -InterventionCard=Intervention card -NewIntervention=New intervention -AddIntervention=Create intervention -ChangeIntoRepeatableIntervention=Change to repeatable intervention -ListOfInterventions=List of interventions -ActionsOnFicheInter=Actions on intervention -LastInterventions=Latest %s interventions -AllInterventions=All interventions -CreateDraftIntervention=Create draft -InterventionContact=Intervention contact -DeleteIntervention=Delete intervention -ValidateIntervention=Validate intervention -ModifyIntervention=Modify intervention -DeleteInterventionLine=Delete intervention line -ConfirmDeleteIntervention=Are you sure you want to delete this intervention? -ConfirmValidateIntervention=Are you sure you want to validate this intervention under name %s? -ConfirmModifyIntervention=Are you sure you want to modify this intervention? -ConfirmDeleteInterventionLine=Are you sure you want to delete this intervention line? -ConfirmCloneIntervention=Are you sure you want to clone this intervention? -NameAndSignatureOfInternalContact=Name and signature of intervening: -NameAndSignatureOfExternalContact=Name and signature of customer: -DocumentModelStandard=Standard document model for interventions -InterventionCardsAndInterventionLines=Interventions and lines of interventions -InterventionClassifyBilled=Classify "Billed" -InterventionClassifyUnBilled=Classify "Unbilled" -InterventionClassifyDone=Classify "Done" +Intervention=হস্তক্ষেপ +Interventions=হস্তক্ষেপ +InterventionCard=হস্তক্ষেপ কার্ড +NewIntervention=নতুন হস্তক্ষেপ +AddIntervention=হস্তক্ষেপ তৈরি করুন +ChangeIntoRepeatableIntervention=পুনরাবৃত্তিযোগ্য হস্তক্ষেপে পরিবর্তন করুন +ListOfInterventions=হস্তক্ষেপের তালিকা +ActionsOnFicheInter=হস্তক্ষেপের উপর পদক্ষেপ +LastInterventions=সর্বশেষ %s হস্তক্ষেপ +AllInterventions=সমস্ত হস্তক্ষেপ +CreateDraftIntervention=খসড়া তৈরি করুন +InterventionContact=হস্তক্ষেপ যোগাযোগ +DeleteIntervention=হস্তক্ষেপ মুছুন +ValidateIntervention=হস্তক্ষেপ বৈধতা +ModifyIntervention=হস্তক্ষেপ সংশোধন করুন +CloseIntervention=ঘনিষ্ঠ হস্তক্ষেপ +DeleteInterventionLine=হস্তক্ষেপ লাইন মুছুন +ConfirmDeleteIntervention=আপনি কি এই হস্তক্ষেপ মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmValidateIntervention=আপনি কি %s নামে এই হস্তক্ষেপটি যাচাই করার বিষয়ে নিশ্চিত ? +ConfirmModifyIntervention=আপনি কি নিশ্চিত আপনি এই হস্তক্ষেপ সংশোধন করতে চান? +ConfirmCloseIntervention=আপনি কি নিশ্চিত আপনি এই হস্তক্ষেপ বন্ধ করতে চান? +ConfirmDeleteInterventionLine=আপনি কি এই হস্তক্ষেপ লাইন মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmCloneIntervention=আপনি কি নিশ্চিত আপনি এই হস্তক্ষেপ ক্লোন করতে চান? +NameAndSignatureOfInternalContact=হস্তক্ষেপকারীর নাম এবং স্বাক্ষর: +NameAndSignatureOfExternalContact=গ্রাহকের নাম এবং স্বাক্ষর: +DocumentModelStandard=হস্তক্ষেপের জন্য স্ট্যান্ডার্ড নথি মডেল +InterventionCardsAndInterventionLines=হস্তক্ষেপ এবং হস্তক্ষেপের লাইন +InterventionClassifyBilled="বিল করা" শ্রেণীবদ্ধ করুন +InterventionClassifyUnBilled="অবিল" শ্রেণীবদ্ধ করুন +InterventionClassifyDone="সম্পন্ন" শ্রেণীবদ্ধ করুন StatusInterInvoiced=Billed -SendInterventionRef=Submission of intervention %s -SendInterventionByMail=Send intervention by email -InterventionCreatedInDolibarr=Intervention %s created -InterventionValidatedInDolibarr=Intervention %s validated -InterventionModifiedInDolibarr=Intervention %s modified -InterventionClassifiedBilledInDolibarr=Intervention %s set as billed -InterventionClassifiedUnbilledInDolibarr=Intervention %s set as unbilled -InterventionSentByEMail=Intervention %s sent by email -InterventionDeletedInDolibarr=Intervention %s deleted -InterventionsArea=Interventions area -DraftFichinter=Draft interventions -LastModifiedInterventions=Latest %s modified interventions -FichinterToProcess=Interventions to process -TypeContact_fichinter_external_CUSTOMER=Following-up customer contact -PrintProductsOnFichinter=Print also lines of type "product" (not only services) on intervention card -PrintProductsOnFichinterDetails=interventions generated from orders -UseServicesDurationOnFichinter=Use services duration for interventions generated from orders -UseDurationOnFichinter=Hides the duration field for intervention records -UseDateWithoutHourOnFichinter=Hides hours and minutes off the date field for intervention records -InterventionStatistics=Statistics of interventions -NbOfinterventions=No. of intervention cards -NumberOfInterventionsByMonth=No. of intervention cards by month (date of validation) -AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). Add option PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT to 1 into home-setup-other to include them. -InterId=Intervention id -InterRef=Intervention ref. -InterDateCreation=Date creation intervention -InterDuration=Duration intervention -InterStatus=Status intervention -InterNote=Note intervention -InterLine=Line of intervention -InterLineId=Line id intervention -InterLineDate=Line date intervention -InterLineDuration=Line duration intervention -InterLineDesc=Line description intervention -RepeatableIntervention=Template of intervention -ToCreateAPredefinedIntervention=To create a predefined or recurring intervention, create a common intervention and convert it into intervention template -ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? -GenerateInter=Generate intervention +SendInterventionRef=হস্তক্ষেপ জমা %s +SendInterventionByMail=ইমেল দ্বারা হস্তক্ষেপ পাঠান +InterventionCreatedInDolibarr=হস্তক্ষেপ %s তৈরি করা হয়েছে +InterventionValidatedInDolibarr=হস্তক্ষেপ %s বৈধ +InterventionModifiedInDolibarr=হস্তক্ষেপ %s পরিবর্তিত +InterventionClassifiedBilledInDolibarr=হস্তক্ষেপ %s বিল হিসাবে সেট করা হয়েছে +InterventionClassifiedUnbilledInDolibarr=হস্তক্ষেপ %s বিলবিহীন হিসাবে সেট করা হয়েছে +InterventionSentByEMail=হস্তক্ষেপ %s ইমেলের মাধ্যমে পাঠানো +InterventionClosedInDolibarr= হস্তক্ষেপ %s বন্ধ +InterventionDeletedInDolibarr=হস্তক্ষেপ %s মুছে ফেলা হয়েছে +InterventionsArea=হস্তক্ষেপ এলাকা +DraftFichinter=খসড়া হস্তক্ষেপ +LastModifiedInterventions=সর্বশেষ %s পরিবর্তিত হস্তক্ষেপ +FichinterToProcess=প্রক্রিয়া হস্তক্ষেপ +TypeContact_fichinter_external_CUSTOMER=অনুসরণ-আপ গ্রাহক যোগাযোগ +PrintProductsOnFichinter=ইন্টারভেনশন কার্ডে "পণ্য" (শুধু পরিষেবা নয়) টাইপের লাইনও প্রিন্ট করুন +PrintProductsOnFichinterDetails=আদেশ থেকে উত্পন্ন হস্তক্ষেপ +UseServicesDurationOnFichinter=অর্ডার থেকে উৎপন্ন হস্তক্ষেপের জন্য পরিষেবার সময়কাল ব্যবহার করুন +UseDurationOnFichinter=হস্তক্ষেপ রেকর্ডের জন্য সময়কাল ক্ষেত্র লুকায় +UseDateWithoutHourOnFichinter=হস্তক্ষেপ রেকর্ডের জন্য তারিখ ক্ষেত্রের বন্ধ ঘন্টা এবং মিনিট লুকায় +InterventionStatistics=হস্তক্ষেপের পরিসংখ্যান +NbOfinterventions=হস্তক্ষেপ কার্ডের সংখ্যা +NumberOfInterventionsByMonth=মাস অনুসারে হস্তক্ষেপ কার্ডের সংখ্যা (বৈধতার তারিখ) +AmountOfInteventionNotIncludedByDefault=হস্তক্ষেপের পরিমাণ ডিফল্টরূপে লাভে অন্তর্ভুক্ত করা হয় না (বেশিরভাগ ক্ষেত্রে, সময়পত্র ব্যয় করা সময় গণনা করতে ব্যবহৃত হয়)। আপনি PROJECT_ELEMENTS_FOR_ADD_MARGIN এবং PROJECT_ELEMENTS_FOR_MINUS_MARGIN বিকল্প ব্যবহার করতে পারেন হোম-সেটআপ-অন্যান্য মুনাফায় অন্তর্ভুক্ত উপাদানের তালিকা সম্পূর্ণ করতে। +InterId=হস্তক্ষেপ আইডি +InterRef=হস্তক্ষেপ রেফ. +InterDateCreation=তারিখ সৃষ্টি হস্তক্ষেপ +InterDuration=সময়কাল হস্তক্ষেপ +InterStatus=স্থিতি হস্তক্ষেপ +InterNote=হস্তক্ষেপ নোট করুন +InterLine=হস্তক্ষেপের লাইন +InterLineId=লাইন আইডি হস্তক্ষেপ +InterLineDate=লাইন তারিখ হস্তক্ষেপ +InterLineDuration=লাইন সময়কাল হস্তক্ষেপ +InterLineDesc=লাইন বর্ণনা হস্তক্ষেপ +RepeatableIntervention=হস্তক্ষেপের টেমপ্লেট +ToCreateAPredefinedIntervention=একটি পূর্বনির্ধারিত বা পুনরাবৃত্তিমূলক হস্তক্ষেপ তৈরি করতে, একটি সাধারণ হস্তক্ষেপ তৈরি করুন এবং এটিকে হস্তক্ষেপ টেমপ্লেটে রূপান্তর করুন +ConfirmReopenIntervention=আপনি কি হস্তক্ষেপটি %s খোলার বিষয়ে নিশ্চিত? +GenerateInter=হস্তক্ষেপ তৈরি করুন +FichinterNoContractLinked=হস্তক্ষেপ %s লিঙ্কযুক্ত চুক্তি ছাড়াই তৈরি করা হয়েছে৷ +ErrorFicheinterCompanyDoesNotExist=কোম্পানির অস্তিত্ব নেই। হস্তক্ষেপ তৈরি করা হয়নি। +NextDateToIntervention=পরবর্তী হস্তক্ষেপ প্রজন্মের জন্য তারিখ +NoIntervention=কোন হস্তক্ষেপ diff --git a/htdocs/langs/bn_BD/intracommreport.lang b/htdocs/langs/bn_BD/intracommreport.lang index 3060300b974..38302e67421 100644 --- a/htdocs/langs/bn_BD/intracommreport.lang +++ b/htdocs/langs/bn_BD/intracommreport.lang @@ -1,40 +1,40 @@ -Module68000Name = Intracomm report -Module68000Desc = Intracomm report management (Support for French DEB/DES format) -IntracommReportSetup = Intracommreport module setup -IntracommReportAbout = About intracommreport +Module68000Name = ইন্ট্রাকম রিপোর্ট +Module68000Desc = ইন্ট্রাকম রিপোর্ট ম্যানেজমেন্ট (ফরাসি DEB/DES ফর্ম্যাটের জন্য সমর্থন) +IntracommReportSetup = Intracommreport মডিউল সেটআপ +IntracommReportAbout = intracommreport সম্পর্কে # Setup INTRACOMMREPORT_NUM_AGREMENT=Numéro d'agrément (délivré par le CISD de rattachement) -INTRACOMMREPORT_TYPE_ACTEUR=Type d'acteur -INTRACOMMREPORT_ROLE_ACTEUR=Rôle joué par l'acteur +INTRACOMMREPORT_TYPE_ACTEUR=অভিনেতা টাইপ +INTRACOMMREPORT_ROLE_ACTEUR=রোল জুয়ে পার ল'অ্যাক্টুর INTRACOMMREPORT_NIV_OBLIGATION_INTRODUCTION=Niveau d'obligation sur les introductions INTRACOMMREPORT_NIV_OBLIGATION_EXPEDITION=Niveau d'obligation sur les expéditions -INTRACOMMREPORT_CATEG_FRAISDEPORT=Catégorie de services de type "Frais de port" +INTRACOMMREPORT_CATEG_FRAISDEPORT="Frais de port" টাইপ পরিষেবার বিভাগ INTRACOMMREPORT_NUM_DECLARATION=Numéro de déclarant # Menu -MenuIntracommReport=Intracomm report -MenuIntracommReportNew=New declaration -MenuIntracommReportList=List +MenuIntracommReport=ইন্ট্রাকম রিপোর্ট +MenuIntracommReportNew=নতুন ঘোষণা +MenuIntracommReportList=তালিকা # View -NewDeclaration=New declaration -Declaration=Declaration -AnalysisPeriod=Analysis period -TypeOfDeclaration=Type of declaration -DEB=Goods exchange declaration (DEB) -DES=Services exchange declaration (DES) +NewDeclaration=নতুন ঘোষণা +Declaration=ঘোষণা +AnalysisPeriod=বিশ্লেষণ সময়কাল +TypeOfDeclaration=ঘোষণার ধরন +DEB=পণ্য বিনিময় ঘোষণা (DEB) +DES=পরিষেবা বিনিময় ঘোষণা (DES) # Export page -IntracommReportTitle=Preparation of an XML file in ProDouane format +IntracommReportTitle=ProDouane বিন্যাসে একটি XML ফাইলের প্রস্তুতি # List -IntracommReportList=List of generated declarations -IntracommReportNumber=Numero of declaration -IntracommReportPeriod=Period of nalysis -IntracommReportTypeDeclaration=Type of declaration -IntracommReportDownload=download XML file +IntracommReportList=উত্পন্ন ঘোষণার তালিকা +IntracommReportNumber=ঘোষণার সংখ্যা +IntracommReportPeriod=বিশ্লেষণের সময়কাল +IntracommReportTypeDeclaration=ঘোষণার ধরন +IntracommReportDownload=XML ফাইল ডাউনলোড করুন # Invoice -IntracommReportTransportMode=Transport mode +IntracommReportTransportMode=পরিবহন মোড diff --git a/htdocs/langs/bn_BD/knowledgemanagement.lang b/htdocs/langs/bn_BD/knowledgemanagement.lang index bcdf9740cdd..e16c9909641 100644 --- a/htdocs/langs/bn_BD/knowledgemanagement.lang +++ b/htdocs/langs/bn_BD/knowledgemanagement.lang @@ -18,37 +18,44 @@ # # Module label 'ModuleKnowledgeManagementName' -ModuleKnowledgeManagementName = Knowledge Management System +ModuleKnowledgeManagementName = নলেজ ম্যানেজমেন্ট সিস্টেম # Module description 'ModuleKnowledgeManagementDesc' -ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base +ModuleKnowledgeManagementDesc=একটি নলেজ ম্যানেজমেন্ট (কেএম) বা হেল্প-ডেস্ক বেস পরিচালনা করুন # # Admin page # -KnowledgeManagementSetup = Knowledge Management System setup -Settings = Settings -KnowledgeManagementSetupPage = Knowledge Management System setup page +KnowledgeManagementSetup = নলেজ ম্যানেজমেন্ট সিস্টেম সেটআপ +Settings = সেটিংস +KnowledgeManagementSetupPage = নলেজ ম্যানেজমেন্ট সিস্টেম সেটআপ পৃষ্ঠা # # About page # -About = About -KnowledgeManagementAbout = About Knowledge Management -KnowledgeManagementAboutPage = Knowledge Management about page +About = সম্পর্কিত +KnowledgeManagementAbout = জ্ঞান ব্যবস্থাপনা সম্পর্কে +KnowledgeManagementAboutPage = পৃষ্ঠা সম্পর্কে জ্ঞান ব্যবস্থাপনা -KnowledgeManagementArea = Knowledge Management -MenuKnowledgeRecord = Knowledge base -ListKnowledgeRecord = List of articles -NewKnowledgeRecord = New article -ValidateReply = Validate solution -KnowledgeRecords = Articles -KnowledgeRecord = Article -KnowledgeRecordExtraFields = Extrafields for Article -GroupOfTicket=Group of tickets -YouCanLinkArticleToATicketCategory=You can link an article to a ticket group (so the article will be suggested during qualification of new tickets) -SuggestedForTicketsInGroup=Suggested for tickets when group is +KnowledgeManagementArea = জ্ঞান ব্যবস্থাপনা +MenuKnowledgeRecord = জ্ঞানভিত্তিক +MenuKnowledgeRecordShort = জ্ঞানভিত্তিক +ListKnowledgeRecord = নিবন্ধের তালিকা +NewKnowledgeRecord = নতুন নিবন্ধ +ValidateReply = সমাধান যাচাই করুন +KnowledgeRecords = প্রবন্ধ +KnowledgeRecord = প্রবন্ধ +KnowledgeRecordExtraFields = প্রবন্ধের জন্য অতিরিক্ত ক্ষেত্র +GroupOfTicket=টিকিটের গ্রুপ +YouCanLinkArticleToATicketCategory=আপনি নিবন্ধটিকে একটি টিকিট গ্রুপে লিঙ্ক করতে পারেন (তাই নিবন্ধটি এই গ্রুপের যেকোনো টিকিটে হাইলাইট করা হবে) +SuggestedForTicketsInGroup=টিকিট তৈরির পরামর্শ দেওয়া হয়েছে -SetObsolete=Set as obsolete -ConfirmCloseKM=Do you confirm the closing of this article as obsolete ? -ConfirmReopenKM=Do you want to restore this article to status "Validated" ? +SetObsolete=অপ্রচলিত হিসাবে সেট করুন +ConfirmCloseKM=আপনি কি এই নিবন্ধটি অপ্রচলিত হিসাবে বন্ধ করার বিষয়টি নিশ্চিত করেন? +ConfirmReopenKM=আপনি কি এই নিবন্ধটিকে "প্রমাণিত" স্থিতিতে পুনরুদ্ধার করতে চান? +BoxLastKnowledgerecordDescription=শেষ %s নিবন্ধ +BoxLastKnowledgerecord=শেষ নিবন্ধ +BoxLastKnowledgerecordContent=শেষ নিবন্ধ +BoxLastKnowledgerecordModifiedContent=সর্বশেষ পরিবর্তিত নিবন্ধ +BoxLastModifiedKnowledgerecordDescription=শেষ %s পরিবর্তিত নিবন্ধ +BoxLastModifiedKnowledgerecord=সর্বশেষ পরিবর্তিত নিবন্ধ diff --git a/htdocs/langs/bn_BD/languages.lang b/htdocs/langs/bn_BD/languages.lang index 82dabbaeda2..0311fb1eaac 100644 --- a/htdocs/langs/bn_BD/languages.lang +++ b/htdocs/langs/bn_BD/languages.lang @@ -1,114 +1,129 @@ # Dolibarr language file - Source file is en_US - languages -Language_am_ET=Ethiopian -Language_ar_AR=Arabic -Language_ar_DZ=Arabic (Algeria) -Language_ar_EG=Arabic (Egypt) -Language_ar_MA=Arabic (Moroco) -Language_ar_SA=Arabic -Language_ar_TN=Arabic (Tunisia) -Language_ar_IQ=Arabic (Iraq) -Language_as_IN=Assamese -Language_az_AZ=Azerbaijani -Language_bn_BD=Bengali -Language_bn_IN=Bengali (India) -Language_bg_BG=Bulgarian -Language_bs_BA=Bosnian -Language_ca_ES=Catalan -Language_cs_CZ=Czech -Language_da_DA=Danish -Language_da_DK=Danish -Language_de_DE=German -Language_de_AT=German (Austria) -Language_de_CH=German (Switzerland) -Language_el_GR=Greek -Language_el_CY=Greek (Cyprus) -Language_en_AU=English (Australia) -Language_en_CA=English (Canada) -Language_en_GB=English (United Kingdom) -Language_en_IN=English (India) -Language_en_NZ=English (New Zealand) -Language_en_SA=English (Saudi Arabia) -Language_en_SG=English (Singapore) -Language_en_US=English (United States) -Language_en_ZA=English (South Africa) -Language_es_ES=Spanish -Language_es_AR=Spanish (Argentina) -Language_es_BO=Spanish (Bolivia) -Language_es_CL=Spanish (Chile) -Language_es_CO=Spanish (Colombia) -Language_es_DO=Spanish (Dominican Republic) -Language_es_EC=Spanish (Ecuador) -Language_es_GT=Spanish (Guatemala) -Language_es_HN=Spanish (Honduras) -Language_es_MX=Spanish (Mexico) -Language_es_PA=Spanish (Panama) -Language_es_PY=Spanish (Paraguay) -Language_es_PE=Spanish (Peru) -Language_es_PR=Spanish (Puerto Rico) -Language_es_US=Spanish (USA) -Language_es_UY=Spanish (Uruguay) -Language_es_GT=Spanish (Guatemala) -Language_es_VE=Spanish (Venezuela) -Language_et_EE=Estonian -Language_eu_ES=Basque -Language_fa_IR=Persian -Language_fi_FI=Finnish -Language_fr_BE=French (Belgium) -Language_fr_CA=French (Canada) -Language_fr_CH=French (Switzerland) -Language_fr_CI=French (Cost Ivory) -Language_fr_CM=French (Cameroun) -Language_fr_FR=French -Language_fr_GA=French (Gabon) -Language_fr_NC=French (New Caledonia) -Language_fr_SN=French (Senegal) -Language_fy_NL=Frisian -Language_gl_ES=Galician -Language_he_IL=Hebrew -Language_hi_IN=Hindi (India) -Language_hr_HR=Croatian -Language_hu_HU=Hungarian -Language_id_ID=Indonesian -Language_is_IS=Icelandic -Language_it_IT=Italian -Language_it_CH=Italian (Switzerland) -Language_ja_JP=Japanese -Language_ka_GE=Georgian -Language_kk_KZ=Kazakh -Language_km_KH=Khmer -Language_kn_IN=Kannada -Language_ko_KR=Korean +Language_am_ET=ইথিওপিয়ান +Language_af_ZA=আফ্রিকান (দক্ষিণ আফ্রিকা) +Language_en_AE=আরবি (সংযুক্ত আরব আমিরাত) +Language_ar_AR=আরবি +Language_ar_DZ=আরবি (আলজেরিয়া) +Language_ar_EG=আরবি (মিশর) +Language_ar_JO=আরবি (জর্দানিয়া) +Language_ar_MA=আরবি (মরোকো) +Language_ar_SA=আরবি (সৌদি আরব) +Language_ar_TN=আরবি (তিউনিসিয়া) +Language_ar_IQ=আরবি (ইরাক) +Language_as_IN=অসমীয়া +Language_az_AZ=আজারবাইজানি +Language_bn_BD=বাংলা +Language_bn_IN=বাংলা (ভারত) +Language_bg_BG=বুলগেরিয়ান +Language_bo_CN=তিব্বতি +Language_bs_BA=বসনিয়ান +Language_ca_ES=কাতালান +Language_cs_CZ=চেক +Language_cy_GB=ওয়েলশ +Language_da_DA=ড্যানিশ +Language_da_DK=ড্যানিশ +Language_de_DE=জার্মান +Language_de_AT=জার্মান (অস্ট্রিয়া) +Language_de_CH=জার্মান (সুইজারল্যান্ড) +Language_de_LU=জার্মান (লাক্সেমবার্গ) +Language_el_GR=গ্রীক +Language_el_CY=গ্রীক (সাইপ্রাস) +Language_en_AE=আরবি (সংযুক্ত আরব আমিরাত) +Language_en_AU=ইংরেজি (অস্ট্রেলিয়া) +Language_en_CA=ইংরেজি (কানাডা) +Language_en_GB=ইংরেজি যুক্তরাজ্য) +Language_en_IN=ইংরেজি (ভারত) +Language_en_MY=ইংরেজি (মিয়ানমার) +Language_en_NZ=ইংরেজি (নিউজিল্যান্ড) +Language_en_SA=ইংরেজি (সৌদি আরব) +Language_en_SG=ইংরেজি (সিঙ্গাপুর) +Language_en_US=ইংরেজি মার্কিন যুক্তরাষ্ট্র) +Language_en_ZA=ইংরেজি (দক্ষিণ আফ্রিকা) +Language_en_ZW=ইংরেজি (জিম্বাবুয়ে) +Language_es_ES=স্পেনীয় +Language_es_AR=স্প্যানিশ (আর্জেন্টিনা) +Language_es_BO=স্প্যানিশ (বলিভিয়া) +Language_es_CL=স্প্যানিশ (চিলি) +Language_es_CO=স্প্যানিশ (কলম্বিয়া) +Language_es_CR=স্প্যানিশ (কোস্টারিকা) +Language_es_DO=স্প্যানিশ (ডোমিনিকান প্রজাতন্ত্র) +Language_es_EC=স্প্যানিশ (ইকুয়েডর) +Language_es_GT=স্প্যানিশ (গুয়াতেমালা) +Language_es_HN=স্প্যানিশ (হন্ডুরাস) +Language_es_MX=স্প্যানিশ (মেক্সিকো) +Language_es_PA=স্প্যানিশ (পানামা) +Language_es_PY=স্প্যানিশ (প্যারাগুয়ে) +Language_es_PE=স্প্যানিশ (পেরু) +Language_es_PR=স্প্যানিশ (পুয়ের্তো রিকো) +Language_es_US=স্প্যানিশ (মার্কিন যুক্তরাষ্ট্র) +Language_es_UY=স্প্যানিশ (উরুগুয়ে) +Language_es_GT=স্প্যানিশ (গুয়াতেমালা) +Language_es_VE=স্প্যানিশ (ভেনিজুয়েলা) +Language_et_EE=এস্তোনিয়ান +Language_eu_ES=বাস্ক +Language_fa_IR=ফার্সি +Language_fi_FI=ফিনিশ +Language_fr_BE=ফরাসি (বেলজিয়াম) +Language_fr_CA=ফরাসি (কানাডা) +Language_fr_CH=ফরাসি (সুইজারল্যান্ড) +Language_fr_CI=ফরাসি (খরচ আইভরি) +Language_fr_CM=ফরাসি (ক্যামেরুন) +Language_fr_FR=ফরাসি +Language_fr_GA=ফরাসি (গ্যাবন) +Language_fr_NC=ফরাসি (নিউ ক্যালেডোনিয়া) +Language_fr_SN=ফরাসি (সেনেগাল) +Language_fy_NL=ফ্রিজিয়ান +Language_gl_ES=গ্যালিসিয়ান +Language_he_IL=হিব্রু +Language_hi_IN=হিন্দি (ভারত) +Language_hr_HR=ক্রোয়েশিয়ান +Language_hu_HU=হাঙ্গেরিয়ান +Language_id_ID=ইন্দোনেশিয়ান +Language_is_IS=আইসল্যান্ডিক +Language_it_IT=ইতালীয় +Language_it_CH=ইতালীয় (সুইজারল্যান্ড) +Language_ja_JP=জাপানিজ +Language_ka_GE=জর্জিয়ান +Language_kk_KZ=কাজাখ +Language_km_KH=খমের +Language_kn_IN=কন্নড় +Language_ko_KR=কোরিয়ান Language_lo_LA=Lao -Language_lt_LT=Lithuanian -Language_lv_LV=Latvian -Language_mk_MK=Macedonian -Language_mn_MN=Mongolian -Language_nb_NO=Norwegian (Bokmål) -Language_ne_NP=Nepali -Language_nl_BE=Dutch (Belgium) -Language_nl_NL=Dutch -Language_pl_PL=Polish -Language_pt_AO=Portuguese (Angola) -Language_pt_BR=Portuguese (Brazil) -Language_pt_PT=Portuguese -Language_ro_MD=Romanian (Moldavia) -Language_ro_RO=Romanian -Language_ru_RU=Russian -Language_ru_UA=Russian (Ukraine) -Language_tg_TJ=Tajik -Language_tr_TR=Turkish -Language_sl_SI=Slovenian -Language_sv_SV=Swedish -Language_sv_SE=Swedish -Language_sq_AL=Albanian -Language_sk_SK=Slovakian -Language_sr_RS=Serbian -Language_sw_SW=Kiswahili -Language_th_TH=Thai -Language_uk_UA=Ukrainian -Language_uz_UZ=Uzbek -Language_vi_VN=Vietnamese -Language_zh_CN=Chinese -Language_zh_TW=Chinese (Traditional) -Language_zh_HK=Chinese (Hong Kong) -Language_bh_MY=Malay +Language_lt_LT=লিথুয়ানিয়ান +Language_lv_LV=লাটভিয়ান +Language_mk_MK=ম্যাসেডোনিয়ান +Language_mn_MN=মঙ্গোলিয়ান +Language_my_MM=বার্মিজ +Language_nb_NO=নরওয়েজিয়ান (Bokmål) +Language_ne_NP=নেপালি +Language_nl_BE=ডাচ (বেলজিয়াম) +Language_nl_NL=ডাচ +Language_pl_PL=পোলিশ +Language_pt_AO=পর্তুগিজ (অ্যাঙ্গোলা) +Language_pt_MZ=পর্তুগিজ (মোজাম্বিক) +Language_pt_BR=পর্তুগিজ (ব্রাজিল) +Language_pt_PT=পর্তুগীজ +Language_ro_MD=রোমানিয়ান (মোলদাভিয়া) +Language_ro_RO=রোমানিয়ান +Language_ru_RU=রাশিয়ান +Language_ru_UA=রাশিয়ান (ইউক্রেন) +Language_ta_IN=তামিল +Language_tg_TJ=তাজিক +Language_tr_TR=তুর্কি +Language_sl_SI=স্লোভেনীয় +Language_sv_SV=সুইডিশ +Language_sv_SE=সুইডিশ +Language_sq_AL=আলবেনিয়ান +Language_sk_SK=স্লোভাকিয়ান +Language_sr_RS=সার্বিয়ান +Language_sw_KE=সোয়াহিলি +Language_sw_SW=কিসোয়াহিলি +Language_th_TH=থাই +Language_uk_UA=ইউক্রেনীয় +Language_ur_PK=উর্দু +Language_uz_UZ=উজবেক +Language_vi_VN=ভিয়েতনামী +Language_zh_CN=চাইনিজ +Language_zh_TW=চীনা (তাইওয়ান) +Language_zh_HK=চীনা (হংকং) +Language_bh_MY=মলয় diff --git a/htdocs/langs/bn_BD/ldap.lang b/htdocs/langs/bn_BD/ldap.lang index abe11602147..489a148ba56 100644 --- a/htdocs/langs/bn_BD/ldap.lang +++ b/htdocs/langs/bn_BD/ldap.lang @@ -1,27 +1,33 @@ # Dolibarr language file - Source file is en_US - ldap -YouMustChangePassNextLogon=Password for user %s on the domain %s must be changed. -UserMustChangePassNextLogon=User must change password on the domain %s -LDAPInformationsForThisContact=Information in LDAP database for this contact -LDAPInformationsForThisUser=Information in LDAP database for this user -LDAPInformationsForThisGroup=Information in LDAP database for this group -LDAPInformationsForThisMember=Information in LDAP database for this member -LDAPInformationsForThisMemberType=Information in LDAP database for this member type -LDAPAttributes=LDAP attributes -LDAPCard=LDAP card -LDAPRecordNotFound=Record not found in LDAP database -LDAPUsers=Users in LDAP database +YouMustChangePassNextLogon=%s পরিবর্তন করতে হবে৷ +UserMustChangePassNextLogon=ব্যবহারকারীকে ডোমেনে পাসওয়ার্ড পরিবর্তন করতে হবে %s +LDAPInformationsForThisContact=এই পরিচিতির জন্য LDAP ডাটাবেসে তথ্য +LDAPInformationsForThisUser=এই ব্যবহারকারীর জন্য LDAP ডাটাবেসে তথ্য +LDAPInformationsForThisGroup=এই গ্রুপের জন্য LDAP ডাটাবেসে তথ্য +LDAPInformationsForThisMember=এই সদস্যের জন্য LDAP ডাটাবেসে তথ্য +LDAPInformationsForThisMemberType=এই সদস্য প্রকারের জন্য LDAP ডাটাবেসে তথ্য +LDAPAttributes=LDAP বৈশিষ্ট্য +LDAPCard=এলডিএপি কার্ড +LDAPRecordNotFound=LDAP ডাটাবেসে রেকর্ড পাওয়া যায়নি +LDAPUsers=LDAP ডাটাবেসের ব্যবহারকারীরা LDAPFieldStatus=Status -LDAPFieldFirstSubscriptionDate=First subscription date -LDAPFieldFirstSubscriptionAmount=First subscription amount -LDAPFieldLastSubscriptionDate=Latest subscription date -LDAPFieldLastSubscriptionAmount=Latest subscription amount -LDAPFieldSkype=Skype id -LDAPFieldSkypeExample=Example : skypeName -UserSynchronized=User synchronized -GroupSynchronized=Group synchronized -MemberSynchronized=Member synchronized -MemberTypeSynchronized=Member type synchronized -ContactSynchronized=Contact synchronized -ForceSynchronize=Force synchronizing Dolibarr -> LDAP -ErrorFailedToReadLDAP=Failed to read LDAP database. Check LDAP module setup and database accessibility. -PasswordOfUserInLDAP=Password of user in LDAP +LDAPFieldFirstSubscriptionDate=প্রথম সদস্যতা তারিখ +LDAPFieldFirstSubscriptionAmount=প্রথম সাবস্ক্রিপশন পরিমাণ +LDAPFieldLastSubscriptionDate=সর্বশেষ সদস্যতা তারিখ +LDAPFieldLastSubscriptionAmount=সর্বশেষ সাবস্ক্রিপশন পরিমাণ +LDAPFieldSkype=স্কাইপ আইডি +LDAPFieldSkypeExample=উদাহরণ: skypeName +UserSynchronized=ব্যবহারকারী সিঙ্ক্রোনাইজড +GroupSynchronized=গ্রুপ সিঙ্ক্রোনাইজ করা হয়েছে +MemberSynchronized=সদস্য সিঙ্ক্রোনাইজ করা হয়েছে +MemberTypeSynchronized=সদস্যের ধরন সিঙ্ক্রোনাইজ করা হয়েছে +ContactSynchronized=পরিচিতি সিঙ্ক্রোনাইজ করা হয়েছে +ForceSynchronize=ডলিবারকে জোর করে সিঙ্ক্রোনাইজ করুন -> এলডিএপি +ErrorFailedToReadLDAP=LDAP ডাটাবেস পড়তে ব্যর্থ হয়েছে৷ LDAP মডিউল সেটআপ এবং ডাটাবেস অ্যাক্সেসযোগ্যতা পরীক্ষা করুন। +PasswordOfUserInLDAP=LDAP এ ব্যবহারকারীর পাসওয়ার্ড +LDAPPasswordHashType=পাসওয়ার্ড হ্যাশ টাইপ +LDAPPasswordHashTypeExample=সার্ভারে ব্যবহৃত পাসওয়ার্ড হ্যাশের ধরন +SupportedForLDAPExportScriptOnly=শুধুমাত্র একটি ldap এক্সপোর্ট স্ক্রিপ্ট দ্বারা সমর্থিত +SupportedForLDAPImportScriptOnly=শুধুমাত্র একটি ldap আমদানি স্ক্রিপ্ট দ্বারা সমর্থিত +LDAPUserAccountControl = সৃষ্টির উপর userAccountControl (সক্রিয় ডিরেক্টরি) +LDAPUserAccountControlExample = 512 সাধারণ অ্যাকাউন্ট / 546 সাধারণ অ্যাকাউন্ট + পাসওয়ার্ড নেই + নিষ্ক্রিয় (দেখুন: https://fr.wikipedia.org/wiki/Active_Directory) diff --git a/htdocs/langs/bn_BD/loan.lang b/htdocs/langs/bn_BD/loan.lang index 3bbb0e455d5..427a9793677 100644 --- a/htdocs/langs/bn_BD/loan.lang +++ b/htdocs/langs/bn_BD/loan.lang @@ -10,7 +10,7 @@ LoanCapital=Capital Insurance=Insurance Interest=Interest Nbterms=Number of terms -Term=Term +Term=মেয়াদ LoanAccountancyCapitalCode=Accounting account capital LoanAccountancyInsuranceCode=Accounting account insurance LoanAccountancyInterestCode=Accounting account interest @@ -19,16 +19,16 @@ LoanDeleted=Loan Deleted Successfully ConfirmPayLoan=Confirm classify paid this loan LoanPaid=Loan Paid ListLoanAssociatedProject=List of loan associated with the project -AddLoan=Create loan -FinancialCommitment=Financial commitment +AddLoan=ঋণ তৈরি করুন +FinancialCommitment=আর্থিক প্রতিশ্রুতি InterestAmount=Interest -CapitalRemain=Capital remain -TermPaidAllreadyPaid = This term is allready paid -CantUseScheduleWithLoanStartedToPaid = Can't generate a timeline for a loan with a payment started -CantModifyInterestIfScheduleIsUsed = You can't modify interest if you use schedule +CapitalRemain=মূলধন রয়ে গেছে +TermPaidAllreadyPaid = এই মেয়াদ ইতিমধ্যে প্রদান করা হয় +CantUseScheduleWithLoanStartedToPaid = একটি পেমেন্ট শুরু করা ঋণের জন্য একটি টাইমলাইন তৈরি করতে পারে না +CantModifyInterestIfScheduleIsUsed = আপনি যদি সময়সূচী ব্যবহার করেন তবে আপনি আগ্রহ পরিবর্তন করতে পারবেন না # Admin ConfigLoan=Configuration of the module loan -LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Account (from the Chart Of Account) to be used by default for capital (Loan module) -LOAN_ACCOUNTING_ACCOUNT_INTEREST=Account (from the Chart Of Account) to be used by default for interest (Loan module) -LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Account (from the Chart Of Account) to be used by default for insurance (Loan module) -CreateCalcSchedule=Edit financial commitment +LOAN_ACCOUNTING_ACCOUNT_CAPITAL=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) মূলধনের জন্য ডিফল্টরূপে ব্যবহার করা হবে (লোন মডিউল) +LOAN_ACCOUNTING_ACCOUNT_INTEREST=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) সুদের জন্য ডিফল্টরূপে ব্যবহার করা হবে (লোন মডিউল) +LOAN_ACCOUNTING_ACCOUNT_INSURANCE=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) বীমার জন্য ডিফল্টরূপে ব্যবহার করা হবে (লোন মডিউল) +CreateCalcSchedule=আর্থিক প্রতিশ্রুতি সম্পাদনা করুন diff --git a/htdocs/langs/bn_BD/mails.lang b/htdocs/langs/bn_BD/mails.lang index bd80b576c5a..dfa98725b95 100644 --- a/htdocs/langs/bn_BD/mails.lang +++ b/htdocs/langs/bn_BD/mails.lang @@ -1,181 +1,188 @@ # Dolibarr language file - Source file is en_US - mails -Mailing=EMailing -EMailing=EMailing -EMailings=EMailings -AllEMailings=All eMailings -MailCard=EMailing card -MailRecipients=Recipients -MailRecipient=Recipient -MailTitle=Description +Mailing=ইমেইলিং +EMailing=ইমেইলিং +EMailings=ইমেইলিং +AllEMailings=সমস্ত ইমেইলিং +MailCard=ইমেইল কার্ড +MailRecipients=প্রাপক +MailRecipient=প্রাপক +MailTitle=বর্ণনা MailFrom=From -MailErrorsTo=Errors to -MailReply=Reply to +MailErrorsTo=ত্রুটি +MailReply=প্রতিউত্তর MailTo=To -MailToUsers=To user(s) -MailCC=Copy to -MailToCCUsers=Copy to users(s) -MailCCC=Cached copy to -MailTopic=Email subject -MailText=Message -MailFile=Attached files -MailMessage=Email body -SubjectNotIn=Not in Subject -BodyNotIn=Not in Body -ShowEMailing=Show emailing -ListOfEMailings=List of emailings -NewMailing=New emailing -EditMailing=Edit emailing -ResetMailing=Resend emailing -DeleteMailing=Delete emailing -DeleteAMailing=Delete an emailing -PreviewMailing=Preview emailing -CreateMailing=Create emailing -TestMailing=Test email -ValidMailing=Valid emailing +MailToUsers=ব্যবহারকারীদের কাছে +MailCC=নকল করা +MailToCCUsers=ব্যবহারকারীদের কাছে কপি করুন +MailCCC=ক্যাশে কপি +MailTopic=ইমেইল বিষয় +MailText=বার্তা +MailFile=সংযুক্ত ফাইল +MailMessage=ইমেইল বডি +SubjectNotIn=সাবজেক্টে নয় +BodyNotIn=শরীরে নয় +ShowEMailing=ইমেল দেখান +ListOfEMailings=ইমেইলের তালিকা +NewMailing=নতুন ইমেইল +EditMailing=ইমেল সম্পাদনা করুন +ResetMailing=ইমেল পুনরায় পাঠান +DeleteMailing=ইমেল মুছুন +DeleteAMailing=একটি ইমেল মুছুন +PreviewMailing=পূর্বরূপ ইমেল +CreateMailing=ইমেল তৈরি করুন +TestMailing=পরীক্ষা ইমেল +ValidMailing=বৈধ ইমেইল MailingStatusDraft=Draft MailingStatusValidated=Validated -MailingStatusSent=Sent -MailingStatusSentPartialy=Sent partially -MailingStatusSentCompletely=Sent completely -MailingStatusError=Error -MailingStatusNotSent=Not sent -MailSuccessfulySent=Email (from %s to %s) successfully accepted for delivery -MailingSuccessfullyValidated=EMailing successfully validated -MailUnsubcribe=Unsubscribe -MailingStatusNotContact=Don't contact anymore -MailingStatusReadAndUnsubscribe=Read and unsubscribe -ErrorMailRecipientIsEmpty=Email recipient is empty -WarningNoEMailsAdded=No new Email to add to recipient's list. -ConfirmValidMailing=Are you sure you want to validate this emailing? -ConfirmResetMailing=Warning, by re-initializing emailing %s, you will allow the re-sending this email in a bulk mailing. Are you sure you want to do this? -ConfirmDeleteMailing=Are you sure you want to delete this emailing? -NbOfUniqueEMails=No. of unique emails -NbOfEMails=No. of EMails -TotalNbOfDistinctRecipients=Number of distinct recipients -NoTargetYet=No recipients defined yet (Go on tab 'Recipients') -NoRecipientEmail=No recipient email for %s -RemoveRecipient=Remove recipient -YouCanAddYourOwnPredefindedListHere=To create your email selector module, see htdocs/core/modules/mailings/README. -EMailTestSubstitutionReplacedByGenericValues=When using test mode, substitutions variables are replaced by generic values -MailingAddFile=Attach this file -NoAttachedFiles=No attached files -BadEMail=Bad value for Email -EMailNotDefined=Email not defined -ConfirmCloneEMailing=Are you sure you want to clone this emailing? -CloneContent=Clone message -CloneReceivers=Cloner recipients -DateLastSend=Date of latest sending -DateSending=Date sending -SentTo=Sent to %s -MailingStatusRead=Read -YourMailUnsubcribeOK=The email %s is correctly unsubscribe from mailing list -ActivateCheckReadKey=Key used to encrypt URL used for "Read Receipt" and "Unsubscribe" feature -EMailSentToNRecipients=Email sent to %s recipients. -EMailSentForNElements=Email sent for %s elements. -XTargetsAdded=%s recipients added into target list -OnlyPDFattachmentSupported=If the PDF documents were already generated for the objects to send, they will be attached to email. If not, no email will be sent (also, note that only pdf documents are supported as attachments in mass sending in this version). -AllRecipientSelected=The recipients of the %s record selected (if their email is known). -GroupEmails=Group emails -OneEmailPerRecipient=One email per recipient (by default, one email per record selected) -WarningIfYouCheckOneRecipientPerEmail=Warning, if you check this box, it means only one email will be sent for several different record selected, so, if your message contains substitution variables that refers to data of a record, it becomes not possible to replace them. -ResultOfMailSending=Result of mass Email sending -NbSelected=Number selected -NbIgnored=Number ignored -NbSent=Number sent -SentXXXmessages=%s message(s) sent. -ConfirmUnvalidateEmailing=Are you sure you want to change email %s to draft status? -MailingModuleDescContactsWithThirdpartyFilter=Contact with customer filters -MailingModuleDescContactsByCompanyCategory=Contacts by third-party category -MailingModuleDescContactsByCategory=Contacts by categories -MailingModuleDescContactsByFunction=Contacts by position -MailingModuleDescEmailsFromFile=Emails from file -MailingModuleDescEmailsFromUser=Emails input by user -MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) -SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. -EmailCollectorFilterDesc=All filters must match to have an email being collected +MailingStatusSent=পাঠানো হয়েছে +MailingStatusSentPartialy=আংশিক পাঠানো হয়েছে +MailingStatusSentCompletely=সম্পূর্ণভাবে পাঠানো হয়েছে +MailingStatusError=ত্রুটি +MailingStatusNotSent=পাঠানো না +MailSuccessfulySent=ইমেল (%s থেকে %s পর্যন্ত) সফলভাবে বিতরণের জন্য গৃহীত হয়েছে +MailingSuccessfullyValidated=ইমেইল সফলভাবে যাচাই করা হয়েছে +MailUnsubcribe=সদস্যতা ত্যাগ করুন +MailingStatusNotContact=আর যোগাযোগ করবেন না +MailingStatusReadAndUnsubscribe=পড়ুন এবং সদস্যতা ত্যাগ করুন +ErrorMailRecipientIsEmpty=ইমেল প্রাপক খালি +WarningNoEMailsAdded=প্রাপকের তালিকায় যোগ করার জন্য কোনো নতুন ইমেল নেই। +ConfirmValidMailing=আপনি কি এই ইমেল যাচাই করার বিষয়ে নিশ্চিত? +ConfirmResetMailing=সতর্কতা, %s ইমেল পুনরায় শুরু করার মাধ্যমে, আপনি অনুমতি দেবেন একটি বাল্ক মেইলিং এই ইমেল পুনরায় পাঠান. আপনি কি সত্যি এটা করতে চান? +ConfirmDeleteMailing=আপনি কি এই ইমেল মুছে ফেলার বিষয়ে নিশ্চিত? +NbOfUniqueEMails=অনন্য ইমেলের সংখ্যা +NbOfEMails=ইমেইল সংখ্যা +TotalNbOfDistinctRecipients=স্বতন্ত্র প্রাপকের সংখ্যা +NoTargetYet=এখনও কোন প্রাপক সংজ্ঞায়িত করা হয়নি ('প্রাপক' ট্যাবে যান) +NoRecipientEmail=%s এর জন্য কোনো প্রাপকের ইমেল নেই +RemoveRecipient=প্রাপক সরান +YouCanAddYourOwnPredefindedListHere=আপনার ইমেল নির্বাচক মডিউল তৈরি করতে, htdocs/core/modules/mailings/README দেখুন। +EMailTestSubstitutionReplacedByGenericValues=পরীক্ষার মোড ব্যবহার করার সময়, প্রতিস্থাপন ভেরিয়েবলগুলি জেনেরিক মান দ্বারা প্রতিস্থাপিত হয় +MailingAddFile=এই ফাইলটি সংযুক্ত করুন +NoAttachedFiles=কোন সংযুক্ত ফাইল +BadEMail=ইমেলের জন্য খারাপ মান +EMailNotDefined=ইমেল সংজ্ঞায়িত করা হয়নি +ConfirmCloneEMailing=আপনি কি নিশ্চিত আপনি এই ইমেল ক্লোন করতে চান? +CloneContent=ক্লোন বার্তা +CloneReceivers=ক্লোনার প্রাপক +DateLastSend=সর্বশেষ পাঠানোর তারিখ +DateSending=পাঠানোর তারিখ +SentTo=%s এ পাঠানো হয়েছে +MailingStatusRead=পড়ুন +YourMailUnsubcribeOK=ইমেল %s সঠিকভাবে মেলিং তালিকা থেকে সদস্যতা ত্যাগ করেছে +ActivateCheckReadKey="পড়ার রসিদ" এবং "আনসাবস্ক্রাইব" বৈশিষ্ট্যের জন্য ব্যবহৃত URL এনক্রিপ্ট করতে ব্যবহৃত কী +EMailSentToNRecipients=%s প্রাপকদের ইমেল পাঠানো হয়েছে। +EMailSentForNElements=%s উপাদানের জন্য ইমেল পাঠানো হয়েছে। +XTargetsAdded=%s প্রাপকদের লক্ষ্য তালিকায় যোগ করা হয়েছে +OnlyPDFattachmentSupported=যদি পিডিএফ নথিগুলি ইতিমধ্যেই পাঠানো বস্তুগুলির জন্য তৈরি করা হয়, তবে সেগুলি ইমেলের সাথে সংযুক্ত করা হবে। যদি তা না হয়, কোন ইমেল পাঠানো হবে না (এছাড়াও, মনে রাখবেন যে এই সংস্করণে শুধুমাত্র পিডিএফ নথিগুলিই সংযুক্তি হিসাবে সমর্থিত। +AllRecipientSelected=%s রেকর্ডের প্রাপক নির্বাচিত (যদি তাদের ইমেল পরিচিত হয়)। +GroupEmails=গ্রুপ ইমেল +OneEmailPerRecipient=প্রাপক প্রতি একটি ইমেল (ডিফল্টরূপে, রেকর্ড প্রতি একটি ইমেল নির্বাচিত) +WarningIfYouCheckOneRecipientPerEmail=সতর্কতা, যদি আপনি এই বাক্সটি চেক করেন, এর অর্থ হল শুধুমাত্র একটি ইমেল বিভিন্ন নির্বাচিত রেকর্ডের জন্য পাঠানো হবে, তাই, যদি আপনার বার্তায় প্রতিস্থাপন ভেরিয়েবল থাকে যা একটি রেকর্ডের ডেটাকে নির্দেশ করে, তাহলে তাদের প্রতিস্থাপন করা সম্ভব হবে না। +ResultOfMailSending=গণ ইমেল পাঠানোর ফলাফল +NbSelected=নম্বর বেছে নেওয়া হয়েছে +NbIgnored=নম্বর উপেক্ষা করা হয়েছে +NbSent=নম্বর পাঠানো হয়েছে +SentXXXmessages=%s বার্তা(গুলি) পাঠানো হয়েছে৷ +ConfirmUnvalidateEmailing=আপনি কি নিশ্চিত ইমেল %s খসড়া স্থিতিতে পরিবর্তন করতে চান ? +MailingModuleDescContactsWithThirdpartyFilter=গ্রাহক ফিল্টার সঙ্গে যোগাযোগ +MailingModuleDescContactsByCompanyCategory=তৃতীয় পক্ষের বিভাগ দ্বারা পরিচিতি +MailingModuleDescContactsByCategory=বিভাগ দ্বারা পরিচিতি +MailingModuleDescContactsByFunction=অবস্থান অনুযায়ী পরিচিতি +MailingModuleDescEmailsFromFile=ফাইল থেকে ইমেল +MailingModuleDescEmailsFromUser=ব্যবহারকারী দ্বারা ইমেল ইনপুট +MailingModuleDescDolibarrUsers=ইমেল সহ ব্যবহারকারীরা +MailingModuleDescThirdPartiesByCategories=তৃতীয় পক্ষ +SendingFromWebInterfaceIsNotAllowed=ওয়েব ইন্টারফেস থেকে পাঠানো অনুমোদিত নয়। +EmailCollectorFilterDesc=একটি ইমেল সংগ্রহ করার জন্য সমস্ত ফিল্টার অবশ্যই মেলে।
      আপনি "!" অক্ষরটি ব্যবহার করতে পারেন। যদি আপনার একটি নেতিবাচক পরীক্ষার প্রয়োজন হয় অনুসন্ধান স্ট্রিং মান আগে # Libelle des modules de liste de destinataires mailing -LineInFile=Line %s in file -RecipientSelectionModules=Defined requests for recipient's selection -MailSelectedRecipients=Selected recipients -MailingArea=EMailings area -LastMailings=Latest %s emailings -TargetsStatistics=Targets statistics -NbOfCompaniesContacts=Unique contacts/addresses -MailNoChangePossible=Recipients for validated emailing can't be changed -SearchAMailing=Search mailing -SendMailing=Send emailing -SentBy=Sent by -MailingNeedCommand=Sending an emailing can be performed from command line. Ask your server administrator to launch the following command to send the emailing to all recipients: -MailingNeedCommand2=You can however send them online by adding parameter MAILING_LIMIT_SENDBYWEB with value of max number of emails you want to send by session. For this, go on Home - Setup - Other. -ConfirmSendingEmailing=If you want to send emailing directly from this screen, please confirm you are sure you want to send emailing now from your browser ? -LimitSendingEmailing=Note: Sending of emailings from web interface is done in several times for security and timeout reasons, %s recipients at a time for each sending session. -TargetsReset=Clear list -ToClearAllRecipientsClickHere=Click here to clear the recipient list for this emailing -ToAddRecipientsChooseHere=Add recipients by choosing from the lists -NbOfEMailingsReceived=Mass emailings received -NbOfEMailingsSend=Mass emailings sent -IdRecord=ID record -DeliveryReceipt=Delivery Ack. -YouCanUseCommaSeparatorForSeveralRecipients=You can use the comma separator to specify several recipients. -TagCheckMail=Track mail opening -TagUnsubscribe=Unsubscribe link -TagSignature=Signature of sending user -EMailRecipient=Recipient Email -TagMailtoEmail=Recipient Email (including html "mailto:" link) -NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile. +LineInFile=লাইন %s ফাইলে +RecipientSelectionModules=প্রাপকের নির্বাচনের জন্য সংজ্ঞায়িত অনুরোধ +MailSelectedRecipients=নির্বাচিত প্রাপক +MailingArea=ইমেইল এলাকা +LastMailings=সর্বশেষ %s ইমেল +TargetsStatistics=লক্ষ্য পরিসংখ্যান +NbOfCompaniesContacts=অনন্য পরিচিতি/ঠিকানা +MailNoChangePossible=বৈধ ইমেল করার জন্য প্রাপক পরিবর্তন করা যাবে না +SearchAMailing=মেইলিং অনুসন্ধান করুন +SendMailing=ইমেইল পাঠান +SentBy=পাঠানো +MailingNeedCommand=একটি ইমেল পাঠানো কমান্ড লাইন থেকে সঞ্চালিত করা যেতে পারে. সমস্ত প্রাপককে ইমেল পাঠাতে আপনার সার্ভার প্রশাসককে নিম্নলিখিত কমান্ডটি চালু করতে বলুন: +MailingNeedCommand2=তবে আপনি সেশনের মাধ্যমে পাঠাতে চান এমন সর্বাধিক সংখ্যক ইমেলের মান সহ প্যারামিটার MAILING_LIMIT_SENDBYWEB যোগ করে সেগুলি অনলাইনে পাঠাতে পারেন৷ এর জন্য, হোম - সেটআপ - অন্যান্য এ যান। +ConfirmSendingEmailing=আপনি যদি এই স্ক্রীন থেকে সরাসরি ইমেল পাঠাতে চান, তাহলে অনুগ্রহ করে নিশ্চিত করুন যে আপনি এখন আপনার ব্রাউজার থেকে ইমেল পাঠাতে চান? +LimitSendingEmailing=দ্রষ্টব্য: ওয়েব ইন্টারফেস থেকে ইমেল পাঠানো নিরাপত্তা এবং সময় শেষ হওয়ার কারণে বেশ কয়েকবার করা হয়, %s প্রতিটি সেন্ডিং সেশনের জন্য এক সময়ে প্রাপক। +TargetsReset=লিস্ট পরিষ্কার করো +ToClearAllRecipientsClickHere=এই ইমেলের জন্য প্রাপক তালিকা সাফ করতে এখানে ক্লিক করুন +ToAddRecipientsChooseHere=তালিকা থেকে বেছে নিয়ে প্রাপকদের যোগ করুন +NbOfEMailingsReceived=গণ ইমেল প্রাপ্ত +NbOfEMailingsSend=গণ ইমেল পাঠানো হয়েছে +IdRecord=আইডি রেকর্ড +DeliveryReceipt=ডেলিভারি Ack. +YouCanUseCommaSeparatorForSeveralRecipients=আপনি বেশ কিছু প্রাপককে নির্দিষ্ট করতে কমা বিভাজক ব্যবহার করতে পারেন। +TagCheckMail=মেইল খোলার ট্র্যাক +TagUnsubscribe=আনসাবস্ক্রাইব লিঙ্ক +TagSignature=প্রেরক ব্যবহারকারীর স্বাক্ষর +EMailRecipient=প্রাপক ই - মেইল +TagMailtoEmail=প্রাপকের ইমেল (html "mailto:" লিঙ্ক সহ) +NoEmailSentBadSenderOrRecipientEmail=কোনো ইমেল পাঠানো হয়নি। খারাপ প্রেরক বা প্রাপকের ইমেল। ব্যবহারকারীর প্রোফাইল যাচাই করুন। # Module Notifications -Notifications=Notifications -NotificationsAuto=Notifications Auto. -NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company -ANotificationsWillBeSent=1 automatic notification will be sent by email -SomeNotificationsWillBeSent=%s automatic notifications will be sent by email -AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List of all automatic email notifications sent -MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. -MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. -MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. -YouCanAlsoUseSupervisorKeyword=You can also add the keyword __SUPERVISOREMAIL__ to have email being sent to the supervisor of user (works only if an email is defined for this supervisor) -NbOfTargetedContacts=Current number of targeted contact emails -UseFormatFileEmailToTarget=Imported file must have format email;name;firstname;other -UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other -MailAdvTargetRecipients=Recipients (advanced selection) -AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target -AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima -AdvTgtSearchIntHelp=Use interval to select int or float value -AdvTgtMinVal=Minimum value -AdvTgtMaxVal=Maximum value -AdvTgtSearchDtHelp=Use interval to select date value -AdvTgtStartDt=Start dt. -AdvTgtEndDt=End dt. -AdvTgtTypeOfIncudeHelp=Target Email of third party and email of contact of the third party, or just third-party email or just contact email -AdvTgtTypeOfIncude=Type of targeted email -AdvTgtContactHelp=Use only if you target contact into "Type of targeted email" -AddAll=Add all -RemoveAll=Remove all -ItemsCount=Item(s) -AdvTgtNameTemplate=Filter name -AdvTgtAddContact=Add emails according to criteria -AdvTgtLoadFilter=Load filter -AdvTgtDeleteFilter=Delete filter -AdvTgtSaveFilter=Save filter -AdvTgtCreateFilter=Create filter -AdvTgtOrCreateNewFilter=Name of new filter -NoContactWithCategoryFound=No category found linked to some contacts/addresses -NoContactLinkedToThirdpartieWithCategoryFound=No category found linked to some thirdparties -OutGoingEmailSetup=Outgoing emails -InGoingEmailSetup=Incoming emails -OutGoingEmailSetupForEmailing=Outgoing emails (for module %s) -DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup -Information=Information -ContactsWithThirdpartyFilter=Contacts with third-party filter -Unanswered=Unanswered -Answered=Answered -IsNotAnAnswer=Is not answer (initial email) -IsAnAnswer=Is an answer of an initial email -RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s -DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact -DefaultStatusEmptyMandatory=Empty but mandatory -WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +Notifications=বিজ্ঞপ্তি +NotificationsAuto=বিজ্ঞপ্তি স্বয়ংক্রিয়. +NoNotificationsWillBeSent=এই ইভেন্টের ধরন এবং কোম্পানির জন্য কোন স্বয়ংক্রিয় ইমেল বিজ্ঞপ্তির পরিকল্পনা করা হয় না +ANotificationsWillBeSent=1টি স্বয়ংক্রিয় বিজ্ঞপ্তি ইমেলের মাধ্যমে পাঠানো হবে +SomeNotificationsWillBeSent=%s স্বয়ংক্রিয় বিজ্ঞপ্তি ইমেলের মাধ্যমে পাঠানো হবে +AddNewNotification=একটি নতুন স্বয়ংক্রিয় ইমেল বিজ্ঞপ্তিতে সদস্যতা নিন (লক্ষ্য/ইভেন্ট) +ListOfActiveNotifications=স্বয়ংক্রিয় ইমেল বিজ্ঞপ্তির জন্য সমস্ত সক্রিয় সদস্যতার তালিকা (লক্ষ্য/ইভেন্ট) +ListOfNotificationsDone=পাঠানো সমস্ত স্বয়ংক্রিয় ইমেল বিজ্ঞপ্তিগুলির তালিকা৷ +MailSendSetupIs=ইমেল পাঠানোর কনফিগারেশন '%s'-এ সেটআপ করা হয়েছে। এই মোডটি ব্যাপক ইমেল পাঠাতে ব্যবহার করা যাবে না। +MailSendSetupIs2=প্যারামিটার পরিবর্তন করতে আপনাকে প্রথমে একটি প্রশাসক অ্যাকাউন্ট সহ মেনু %sহোম - সেটআপ - ইমেল%s এ যেতে হবে '%s' মোড ব্যবহার করার জন্য ' এই মোডের মাধ্যমে, আপনি আপনার ইন্টারনেট পরিষেবা প্রদানকারী দ্বারা প্রদত্ত SMTP সার্ভারের সেটআপ প্রবেশ করতে পারেন এবং গণ ইমেল বৈশিষ্ট্য ব্যবহার করতে পারেন। +MailSendSetupIs3=আপনার SMTP সার্ভার কিভাবে সেটআপ করবেন সে সম্পর্কে আপনার কোনো প্রশ্ন থাকলে, আপনি %s-কে জিজ্ঞাসা করতে পারেন। +YouCanAlsoUseSupervisorKeyword=ব্যবহারকারীর তত্ত্বাবধায়কের কাছে ইমেল পাঠানোর জন্য আপনি __SUPERVISOREMAIL__ কীওয়ার্ডটিও যোগ করতে পারেন (একটি ইমেল থাকলেই কাজ করে এই সুপারভাইজার জন্য সংজ্ঞায়িত) +NbOfTargetedContacts=টার্গেট করা যোগাযোগের ইমেলের বর্তমান সংখ্যা +UseFormatFileEmailToTarget=আমদানি করা ফাইলে অবশ্যই email;name;firstname;other ফর্ম্যাট থাকতে হবে +UseFormatInputEmailToTarget=বিন্যাস সহ একটি স্ট্রিং লিখুন email;name;firstname;other +MailAdvTargetRecipients=প্রাপক (উন্নত নির্বাচন) +AdvTgtTitle=লক্ষ্য করার জন্য তৃতীয় পক্ষ বা পরিচিতি/ঠিকানাগুলি পূর্বনির্বাচন করতে ইনপুট ক্ষেত্রগুলি পূরণ করুন +AdvTgtSearchTextHelp=ওয়াইল্ডকার্ড হিসেবে %% ব্যবহার করুন। উদাহরণস্বরূপ জিন, জো, জিম এর মতো সমস্ত আইটেম খুঁজে পেতে, আপনি ইনপুট করতে পারেন j%%, আপনিও ব্যবহার করতে পারেন ; মান জন্য বিভাজক হিসাবে, এবং ব্যবহার করুন! এই মান ছাড়া জন্য. যেমন jean;joe;jim%%;!jimo;!jimab07e63171f5dacz span> সব জিন, জো, জিম দিয়ে শুরু করবে কিন্তু জিমো নয় এবং জিমা দিয়ে শুরু হওয়া সবকিছু নয় +AdvTgtSearchIntHelp=int বা ফ্লোট মান নির্বাচন করতে ব্যবধান ব্যবহার করুন +AdvTgtMinVal=সর্বনিম্ন মান +AdvTgtMaxVal=সর্বোচ্চ মূল্য +AdvTgtSearchDtHelp=তারিখ মান নির্বাচন করতে ব্যবধান ব্যবহার করুন +AdvTgtStartDt=শুরু dt. +AdvTgtEndDt=শেষ dt. +AdvTgtTypeOfIncudeHelp=তৃতীয় পক্ষের টার্গেট ইমেল এবং তৃতীয় পক্ষের যোগাযোগের ইমেল, অথবা শুধুমাত্র তৃতীয় পক্ষের ইমেল বা শুধুমাত্র যোগাযোগের ইমেল +AdvTgtTypeOfIncude=লক্ষ্যযুক্ত ইমেলের প্রকার +AdvTgtContactHelp=আপনি "টার্গেটেড ইমেলের প্রকার"-এ পরিচিতি টার্গেট করলেই ব্যবহার করুন +AddAll=সব যোগ কর +RemoveAll=সব মুছে ফেলুন +ItemsCount=আইটেম(গুলি) +AdvTgtNameTemplate=ফিল্টারের নাম +AdvTgtAddContact=মানদণ্ড অনুযায়ী ইমেল যোগ করুন +AdvTgtLoadFilter=ফিল্টার লোড করুন +AdvTgtDeleteFilter=ফিল্টার মুছুন +AdvTgtSaveFilter=ফিল্টার সংরক্ষণ করুন +AdvTgtCreateFilter=ফিল্টার তৈরি করুন +AdvTgtOrCreateNewFilter=নতুন ফিল্টারের নাম +NoContactWithCategoryFound=কিছু পরিচিতি/ঠিকানার সাথে লিঙ্কযুক্ত কোনো বিভাগ পাওয়া যায়নি +NoContactLinkedToThirdpartieWithCategoryFound=কিছু তৃতীয় পক্ষের সাথে লিঙ্কযুক্ত কোনো বিভাগ পাওয়া যায়নি +OutGoingEmailSetup=বহির্গামী ইমেল +InGoingEmailSetup=ইনকামিং ইমেল +OutGoingEmailSetupForEmailing=বহির্গামী ইমেল (%s মডিউলের জন্য) +DefaultOutgoingEmailSetup=গ্লোবাল আউটগোয়িং ইমেল সেটআপের তুলনায় একই কনফিগারেশন +Information=তথ্য +ContactsWithThirdpartyFilter=তৃতীয় পক্ষের ফিল্টারের সাথে পরিচিতি +Unanswered=উত্তরহীন +Answered=উত্তর দিয়েছেন +IsNotAnAnswer=উত্তর নয় (প্রাথমিক ইমেল) +IsAnAnswer=এটি একটি প্রাথমিক ইমেলের একটি উত্তর +RecordCreatedByEmailCollector=ইমেল সংগ্রাহকের দ্বারা তৈরি করা রেকর্ড %s ইমেল থেকে %s +DefaultBlacklistMailingStatus=একটি নতুন পরিচিতি তৈরি করার সময় '%s' ক্ষেত্রের ডিফল্ট মান +DefaultStatusEmptyMandatory=খালি কিন্তু বাধ্যতামূলক +WarningLimitSendByDay=সতর্কতা: আপনার উদাহরণের সেটআপ বা চুক্তিটি প্রতিদিন আপনার ইমেলের সংখ্যা %s। আরও পাঠানোর চেষ্টা করার ফলে আপনার দৃষ্টান্ত ধীর বা স্থগিত হতে পারে। আপনি একটি উচ্চ কোটা প্রয়োজন হলে আপনার সমর্থনের সাথে যোগাযোগ করুন. +NoMoreRecipientToSendTo=ইমেল পাঠাতে আর কোন প্রাপক +EmailOptedOut=ইমেলের মালিক অনুরোধ করেছেন এই ইমেলের মাধ্যমে তার সাথে আর যোগাযোগ না করার জন্য +EvenUnsubscribe=অপ্ট-আউট ইমেলগুলি অন্তর্ভুক্ত করুন৷ +EvenUnsubscribeDesc=আপনি যখন লক্ষ্য হিসাবে ইমেল নির্বাচন করেন তখন অপ্ট-আউট ইমেলগুলি অন্তর্ভুক্ত করুন৷ উদাহরণস্বরূপ বাধ্যতামূলক পরিষেবা ইমেলের জন্য দরকারী। +XEmailsDoneYActionsDone=%s ইমেলগুলি প্রাক-যোগ্য, %s ইমেলগুলি সফলভাবে প্রক্রিয়া করা হয়েছে (%s রেকর্ডের জন্য /ক্রিয়া সম্পন্ন) +helpWithAi=Add instructions +YouCanMakeSomeInstructionForEmail=You Can Make Some Instruction For your Email (Exemple: generate image in email template...) diff --git a/htdocs/langs/bn_BD/main.lang b/htdocs/langs/bn_BD/main.lang index 0502c2c9bfe..f3db4028e10 100644 --- a/htdocs/langs/bn_BD/main.lang +++ b/htdocs/langs/bn_BD/main.lang @@ -29,1184 +29,1234 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p -DatabaseConnection=Database connection -NoTemplateDefined=No template available for this email type -AvailableVariables=Available substitution variables -NoTranslation=No translation -Translation=Translation -Translations=Translations -CurrentTimeZone=TimeZone PHP (server) -EmptySearchString=Enter non empty search criterias -EnterADateCriteria=Enter a date criteria -NoRecordFound=No record found -NoRecordDeleted=No record deleted -NotEnoughDataYet=Not enough data -NoError=No error -Error=Error -Errors=Errors -ErrorFieldRequired=Field '%s' is required -ErrorFieldFormat=Field '%s' has a bad value -ErrorFileDoesNotExists=File %s does not exist -ErrorFailedToOpenFile=Failed to open file %s -ErrorCanNotCreateDir=Cannot create dir %s -ErrorCanNotReadDir=Cannot read dir %s -ErrorConstantNotDefined=Parameter %s not defined -ErrorUnknown=Unknown error -ErrorSQL=SQL Error -ErrorLogoFileNotFound=Logo file '%s' was not found -ErrorGoToGlobalSetup=Go to 'Company/Organization' setup to fix this -ErrorGoToModuleSetup=Go to Module setup to fix this -ErrorFailedToSendMail=Failed to send mail (sender=%s, receiver=%s) -ErrorFileNotUploaded=File was not uploaded. Check that size does not exceed maximum allowed, that free space is available on disk and that there is not already a file with same name in this directory. -ErrorInternalErrorDetected=Error detected -ErrorWrongHostParameter=Wrong host parameter -ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post the form again. -ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child record. -ErrorWrongValue=Wrong value -ErrorWrongValueForParameterX=Wrong value for parameter %s -ErrorNoRequestInError=No request in error -ErrorServiceUnavailableTryLater=Service not available at the moment. Try again later. -ErrorDuplicateField=Duplicate value in a unique field -ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. Changes have been rolled back. -ErrorConfigParameterNotDefined=Parameter %s is not defined in the Dolibarr config file conf.php. -ErrorCantLoadUserFromDolibarrDatabase=Failed to find user %s in Dolibarr database. -ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'. -ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'. -ErrorFailedToSaveFile=Error, failed to save file. -ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of a existing warehouse -FieldCannotBeNegative=Field "%s" cannot be negative -MaxNbOfRecordPerPage=Max. number of records per page -NotAuthorized=You are not authorized to do that. -SetDate=Set date -SelectDate=Select a date -SeeAlso=See also %s -SeeHere=See here -ClickHere=Click here -Here=Here +DatabaseConnection=ডাটাবেস সংযোগ +NoTemplateDefined=এই ইমেল ধরনের জন্য কোন টেমপ্লেট উপলব্ধ +AvailableVariables=উপলব্ধ প্রতিস্থাপন ভেরিয়েবল +NoTranslation=কোন অনুবাদ নেই +Translation=অনুবাদ +Translations=অনুবাদ +CurrentTimeZone=টাইমজোন পিএইচপি (সার্ভার) +EmptySearchString=অ খালি অনুসন্ধান মানদণ্ড লিখুন +EnterADateCriteria=একটি তারিখ মানদণ্ড লিখুন +NoRecordFound=পাওয়া কোন রেকর্ড +NoRecordDeleted=কোনো রেকর্ড মুছে ফেলা হয়নি +NotEnoughDataYet=পর্যাপ্ত ডেটা নেই +NoError=কোন ত্রুটি নেই +Error=ত্রুটি +Errors=ত্রুটি +ErrorFieldRequired=ক্ষেত্র '%s' প্রয়োজন +ErrorFieldFormat=ফিল্ড '%s' এর মান খারাপ +ErrorFileDoesNotExists=ফাইল %s বিদ্যমান নেই +ErrorFailedToOpenFile=%s ফাইল খুলতে ব্যর্থ হয়েছে +ErrorCanNotCreateDir=dir তৈরি করা যাবে না %s +ErrorCanNotReadDir=dir %s পড়া যাবে না +ErrorConstantNotDefined=প্যারামিটার %s সংজ্ঞায়িত করা হয়নি +ErrorUnknown=অজানা ত্রুটি +ErrorSQL=এসকিউএল ত্রুটি +ErrorLogoFileNotFound=লোগো ফাইল '%s' পাওয়া যায়নি +ErrorGoToGlobalSetup=এটি ঠিক করতে 'কোম্পানি/সংস্থা' সেটআপে যান +ErrorGoToModuleSetup=এটি ঠিক করতে মডিউল সেটআপে যান +ErrorFailedToSendMail=মেল পাঠাতে ব্যর্থ হয়েছে (প্রেরক=%s, রিসিভার=%s) +ErrorFileNotUploaded=ফাইল আপলোড করা হয়নি. চেক করুন যে আকারটি অনুমোদিত সর্বোচ্চ অতিক্রম না করে, ডিস্কে যে খালি স্থান পাওয়া যায় এবং এই ডিরেক্টরিতে ইতিমধ্যেই একই নামের একটি ফাইল নেই। +ErrorInternalErrorDetected=ত্রুটি সনাক্ত করা হয়েছে +ErrorWrongHostParameter=ভুল হোস্ট প্যারামিটার +ErrorYourCountryIsNotDefined=আপনার দেশ সংজ্ঞায়িত করা হয় না. হোম-সেটআপ-কোম্পানী/ফাউন্ডেশনে যান এবং ফর্মটি আবার পোস্ট করুন। +ErrorRecordIsUsedByChild=এই রেকর্ড মুছে ফেলতে ব্যর্থ হয়েছে. এই রেকর্ড অন্তত একটি শিশু রেকর্ড দ্বারা ব্যবহার করা হয়. +ErrorWrongValue=ভুল মান +ErrorWrongValueForParameterX=প্যারামিটারের জন্য ভুল মান %s +ErrorNoRequestInError=ভুল কোন অনুরোধ +ErrorServiceUnavailableTryLater=এই মুহূর্তে পরিষেবা উপলব্ধ নেই৷ পরে আবার চেষ্টা করুন. +ErrorDuplicateField=একটি অনন্য ক্ষেত্রে ডুপ্লিকেট মান +ErrorSomeErrorWereFoundRollbackIsDone=কিছু ত্রুটি পাওয়া গেছে. পরিবর্তনগুলি ফিরিয়ে আনা হয়েছে৷ +ErrorConfigParameterNotDefined=প্যারামিটার %s ডলিবার কনফিগারেশন ফাইলে সংজ্ঞায়িত নয় class='notranslate'>conf.php। +ErrorCantLoadUserFromDolibarrDatabase=Dolibarr ডেটাবেসে %s ব্যবহারকারী খুঁজে পাওয়া যায়নি। +ErrorNoVATRateDefinedForSellerCountry=ত্রুটি, '%s' দেশের জন্য কোনো ভ্যাট হার সংজ্ঞায়িত করা হয়নি। +ErrorNoSocialContributionForSellerCountry=ত্রুটি, '%s' দেশের জন্য কোনো সামাজিক/আর্থিক করের ধরন সংজ্ঞায়িত করা হয়নি। +ErrorFailedToSaveFile=ত্রুটি, ফাইল সংরক্ষণ করতে ব্যর্থ হয়েছে. +ErrorCannotAddThisParentWarehouse=আপনি একটি অভিভাবক গুদাম যোগ করার চেষ্টা করছেন যা ইতিমধ্যেই একটি বিদ্যমান গুদামের সন্তান৷ +ErrorInvalidSubtype=নির্বাচিত সাবটাইপ অনুমোদিত নয় +FieldCannotBeNegative=ক্ষেত্র "%s" নেতিবাচক হতে পারে না +MaxNbOfRecordPerPage=সর্বোচ্চ প্রতি পৃষ্ঠায় রেকর্ডের সংখ্যা +NotAuthorized=আপনি এটি করতে অনুমোদিত নন. +SetDate=তারিখ ঠিক করা +SelectDate=একটি তারিখ নির্বাচন করুন +SeeAlso=এছাড়াও দেখুন %s +SeeHere=এখানে দেখো +ClickHere=এখানে ক্লিক করুন +Here=এখানে Apply=Apply -BackgroundColorByDefault=Default background color -FileRenamed=The file was successfully renamed -FileGenerated=The file was successfully generated -FileSaved=The file was successfully saved -FileUploaded=The file was successfully uploaded -FileTransferComplete=File(s) uploaded successfully -FilesDeleted=File(s) successfully deleted -FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. Click on "Attach file" for this. -NbOfEntries=No. of entries -GoToWikiHelpPage=Read online help (Internet access needed) -GoToHelpPage=Read help -DedicatedPageAvailable=Dedicated help page related to your current screen -HomePage=Home Page -RecordSaved=Record saved -RecordDeleted=Record deleted -RecordGenerated=Record generated -LevelOfFeature=Level of features -NotDefined=Not defined -DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is set to %s in configuration file conf.php.
      This means that the password database is external to Dolibarr, so changing this field may have no effect. -Administrator=Administrator -Undefined=Undefined -PasswordForgotten=Password forgotten? -NoAccount=No account? -SeeAbove=See above -HomeArea=Home -LastConnexion=Last login -PreviousConnexion=Previous login -PreviousValue=Previous value -ConnectedOnMultiCompany=Connected on environment -ConnectedSince=Connected since -AuthenticationMode=Authentication mode -RequestedUrl=Requested URL -DatabaseTypeManager=Database type manager -RequestLastAccessInError=Latest database access request error -ReturnCodeLastAccessInError=Return code for latest database access request error -InformationLastAccessInError=Information for latest database access request error -DolibarrHasDetectedError=Dolibarr has detected a technical error -YouCanSetOptionDolibarrMainProdToZero=You can read log file or set option $dolibarr_main_prod to '0' in your config file to get more information. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) -MoreInformation=More information -TechnicalInformation=Technical information -TechnicalID=Technical ID -LineID=Line ID -NotePublic=Note (public) -NotePrivate=Note (private) -PrecisionUnitIsLimitedToXDecimals=Dolibarr was setup to limit precision of unit prices to %s decimals. -DoTest=Test -ToFilter=Filter -NoFilter=No filter -WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance time. -yes=yes -Yes=Yes -no=no -No=No -All=All -Home=Home -Help=Help -OnlineHelp=Online help -PageWiki=Wiki page -MediaBrowser=Media browser -Always=Always -Never=Never -Under=under -Period=Period -PeriodEndDate=End date for period -SelectedPeriod=Selected period -PreviousPeriod=Previous period -Activate=Activate -Activated=Activated +BackgroundColorByDefault=ডিফল্ট পটভূমির রঙ +FileRenamed=ফাইলটি সফলভাবে পুনঃনামকরণ করা হয়েছে৷ +FileGenerated=ফাইলটি সফলভাবে তৈরি করা হয়েছে +FileSaved=ফাইল সফলভাবে সংরক্ষিত হয়েছে +FileUploaded=ফাইলটি সফলভাবে আপলোড করা হয়েছে৷ +FileTransferComplete=ফাইল(গুলি) সফলভাবে আপলোড হয়েছে৷ +FilesDeleted=ফাইল(গুলি) সফলভাবে মুছে ফেলা হয়েছে৷ +FileWasNotUploaded=সংযুক্তির জন্য একটি ফাইল নির্বাচন করা হয়েছে কিন্তু এখনও আপলোড করা হয়নি৷ এর জন্য "অ্যাটাচ ফাইল" এ ক্লিক করুন। +NbOfEntries=এন্ট্রি সংখ্যা +GoToWikiHelpPage=অনলাইন সাহায্য পড়ুন (ইন্টারনেট অ্যাক্সেস প্রয়োজন) +GoToHelpPage=সাহায্য পড়ুন +DedicatedPageAvailable=আপনার বর্তমান স্ক্রিনের সাথে সম্পর্কিত ডেডিকেটেড সহায়তা পৃষ্ঠা +HomePage=হোম পেজ +RecordSaved=রেকর্ড সংরক্ষিত +RecordDeleted=রেকর্ড মুছে ফেলা হয়েছে +RecordGenerated=রেকর্ড তৈরি হয়েছে +LevelOfFeature=বৈশিষ্ট্যের স্তর +NotDefined=সংজ্ঞায়িত নয় +DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr প্রমাণীকরণ মোড %s কনফিগারেশন ফাইলে সেট করা আছে class='notranslate'>conf.php
      এর মানে হল পাসওয়ার্ডের প্রাক্তন ডেটাবেস Dolibarr, তাই এই ক্ষেত্র পরিবর্তন কোন প্রভাব হতে পারে. +Administrator=সিস্টেম অ্যাডমিনিস্ট্রেটর +AdministratorDesc=সিস্টেম অ্যাডমিনিস্ট্রেটর (ব্যবহারকারী, অনুমতি কিন্তু সিস্টেম সেটআপ এবং মডিউল কনফিগারেশন পরিচালনা করতে পারে) +Undefined=অনির্ধারিত +PasswordForgotten=পাসওয়ার্ড ভুলে গেছেন? +NoAccount=কোন হিসাব নেই? +SeeAbove=উপরে দেখুন +HomeArea=বাড়ি +LastConnexion=শেষ লগইন +PreviousConnexion=পূর্ববর্তী লগইন +PreviousValue=পূর্ববর্তী মান +ConnectedOnMultiCompany=পরিবেশের সাথে সংযুক্ত +ConnectedSince=থেকে সংযুক্ত +AuthenticationMode=প্রমাণীকরণ মোড +RequestedUrl=অনুরোধ করা URL +DatabaseTypeManager=ডাটাবেস টাইপ ম্যানেজার +RequestLastAccessInError=সর্বশেষ ডাটাবেস অ্যাক্সেস অনুরোধ ত্রুটি +ReturnCodeLastAccessInError=সর্বশেষ ডাটাবেস অ্যাক্সেস অনুরোধ ত্রুটির জন্য কোড রিটার্ন +InformationLastAccessInError=সর্বশেষ ডাটাবেস অ্যাক্সেস অনুরোধ ত্রুটির জন্য তথ্য +DolibarrHasDetectedError=Dolibarr একটি প্রযুক্তিগত ত্রুটি সনাক্ত করেছে +YouCanSetOptionDolibarrMainProdToZero=আপনি লগ ফাইল পড়তে পারেন বা আরও তথ্য পেতে আপনার কনফিগার ফাইলে $dolibarr_main_prod বিকল্পটি '0'-এ সেট করতে পারেন। +InformationToHelpDiagnose=এই তথ্যটি ডায়াগনস্টিক উদ্দেশ্যে উপযোগী হতে পারে (সংবেদনশীল তথ্য লুকানোর জন্য আপনি $dolibarr_main_prod বিকল্পটি '1' এ সেট করতে পারেন) +MoreInformation=অধিক তথ্য +TechnicalInformation=প্রযুক্তিগত তথ্য +TechnicalID=প্রযুক্তিগত আইডি +LineID=লাইন আইডি +NotePublic=নোট (সর্বজনীন) +NotePrivate=নোট (ব্যক্তিগত) +PrecisionUnitIsLimitedToXDecimals=ইউনিটের দামের নির্ভুলতা %sb09a4b739f17f8cimalএ সীমাবদ্ধ করার জন্য Dolibarr সেটআপ করা হয়েছিল . +DoTest=পরীক্ষা +ToFilter=ছাঁকনি +NoFilter=ছাঁকনিবিহীন +WarningYouHaveAtLeastOneTaskLate=সতর্কতা, আপনার অন্তত একটি উপাদান আছে যা সহনশীলতার সময় অতিক্রম করেছে। +yes=হ্যাঁ +Yes=হ্যাঁ +no=না +No=না +All=সব +Home=বাড়ি +Help=সাহায্য +OnlineHelp=অনলাইন সাহায্য +PageWiki=উইকি পাতা +MediaBrowser=মিডিয়া ব্রাউজার +Always=সর্বদা +Never=কখনই না +Under=অধীন +Period=সময়কাল +PeriodEndDate=সময়ের জন্য শেষ তারিখ +SelectedPeriod=নির্বাচিত সময়কাল +PreviousPeriod=আগের কালে +Activate=সক্রিয় করুন +Activated=সক্রিয় Closed=Closed Closed2=Closed -NotClosed=Not closed -Enabled=Enabled -Enable=Enable -Deprecated=Deprecated -Disable=Disable -Disabled=Disabled -Add=Add -AddLink=Add link -RemoveLink=Remove link -AddToDraft=Add to draft -Update=Update -Close=Close -CloseAs=Set status to -CloseBox=Remove widget from your dashboard -Confirm=Confirm -ConfirmSendCardByMail=Do you really want to send the content of this card by mail to %s? -Delete=Delete -Remove=Remove -Resiliate=Terminate -Cancel=Cancel -Modify=Modify -Edit=Edit -Validate=Validate -ValidateAndApprove=Validate and Approve +NotClosed=বন্ধ হয়নি +Enabled=সক্রিয় +Enable=সক্ষম করুন +Deprecated=অবচয় +Disable=নিষ্ক্রিয় করুন +Disabled=অক্ষম +Add=যোগ করুন +AddLink=লিঙ্ক যোগ করুন +RemoveLink=লিঙ্ক সরান +AddToDraft=খসড়া যোগ করুন +Update=হালনাগাদ +Close=বন্ধ +CloseAs=স্থিতি সেট করুন +CloseBox=আপনার ড্যাশবোর্ড থেকে উইজেট সরান +Confirm=নিশ্চিত করুন +ConfirmSendCardByMail=আপনি কি সত্যিই এই কার্ডের বিষয়বস্তু %s< এ মেইলে পাঠাতে চান /span>? +Delete=মুছে ফেলা +Remove=অপসারণ +Resiliate=সমাপ্ত করুন +Cancel=বাতিল করুন +Modify=পরিবর্তন করুন +Edit=সম্পাদনা করুন +Validate=যাচাই করুন +ValidateAndApprove=যাচাই করুন এবং অনুমোদন করুন ToValidate=To validate -NotValidated=Not validated -Save=Save -SaveAs=Save As -SaveAndStay=Save and stay -SaveAndNew=Save and new -TestConnection=Test connection -ToClone=Clone -ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose the data you want to clone: -NoCloneOptionsSpecified=No data to clone defined. -Of=of -Go=Go -Run=Run -CopyOf=Copy of -Show=Show -Hide=Hide -ShowCardHere=Show card -Search=Search -SearchOf=Search -SearchMenuShortCut=Ctrl + shift + f -QuickAdd=Quick add -QuickAddMenuShortCut=Ctrl + shift + l -Valid=Valid -Approve=Approve -Disapprove=Disapprove -ReOpen=Re-Open +NotValidated=যাচাই করা হয়নি +Save=সংরক্ষণ +SaveAs=সংরক্ষণ করুন +SaveAndStay=সংরক্ষণ করুন এবং থাকুন +SaveAndNew=সংরক্ষণ করুন এবং নতুন +TestConnection=পরীক্ষামূলক সংযোগ +ToClone=ক্লোন +ConfirmCloneAsk=আপনি কি বস্তু %s ক্লোন করার বিষয়ে নিশ্চিত? +ConfirmClone=আপনি যে ডেটা ক্লোন করতে চান তা চয়ন করুন: +NoCloneOptionsSpecified=ক্লোন করার জন্য কোনো ডেটা নেই। +Of=এর +Go=যাওয়া +Run=চালান +CopyOf=এর অনুলিপি +Show=দেখান +Hide=লুকান +ShowCardHere=কার্ড দেখান +Search=অনুসন্ধান করুন +SearchOf=অনুসন্ধান করুন +QuickAdd=দ্রুত যোগ করুন +Valid=বৈধ +Approve=অনুমোদন করুন +Disapprove=অস্বীকৃতি +ReOpen=পুনরায় খুলুন OpenVerb=Opened -Upload=Upload -ToLink=Link -Select=Select -SelectAll=Select all -Choose=Choose -Resize=Resize -ResizeOrCrop=Resize or Crop -Recenter=Recenter -Author=Author -User=User -Users=Users -Group=Group -Groups=Groups -UserGroup=User group -UserGroups=User groups -NoUserGroupDefined=No user group defined -Password=Password -PasswordRetype=Repeat your password -NoteSomeFeaturesAreDisabled=Note that a lot of features/modules are disabled in this demonstration. -Name=Name -NameSlashCompany=Name / Company -Person=Person -Parameter=Parameter -Parameters=Parameters -Value=Value -PersonalValue=Personal value -NewObject=New %s -NewValue=New value -OldValue=Old value %s -CurrentValue=Current value -Code=Code +Upload=আপলোড করুন +ToLink=লিঙ্ক +Select=নির্বাচন করুন +SelectAll=সব নির্বাচন করুন +Choose=পছন্দ করা +Resize=আকার পরিবর্তন করুন +Crop=ফসল +ResizeOrCrop=আকার পরিবর্তন করুন বা ক্রপ করুন +Author=লেখক +User=ব্যবহারকারী +Users=ব্যবহারকারীদের +Group=গ্রুপ +Groups=গোষ্ঠী +UserGroup=ব্যবহারকারী দল +UserGroups=ব্যবহারকারী গ্রুপ +NoUserGroupDefined=কোন ব্যবহারকারী গ্রুপ সংজ্ঞায়িত +Password=পাসওয়ার্ড +PasswordRetype=আপনার পাসওয়ার্ড পুনরাবৃত্তি করুন +NoteSomeFeaturesAreDisabled=উল্লেখ্য যে এই প্রদর্শনীতে অনেক বৈশিষ্ট্য/মডিউল নিষ্ক্রিয় করা হয়েছে। +YourUserFile=আপনার ব্যবহারকারী ফাইল +Name=নাম +NameSlashCompany=নাম / কোম্পানি +Person=ব্যক্তি +Parameter=প্যারামিটার +Parameters=পরামিতি +Value=মান +PersonalValue=ব্যক্তিগত মান +NewObject=নতুন %s +NewValue=নতুন মান +OldValue=পুরানো মান %s +FieldXModified=ক্ষেত্র %s পরিবর্তিত হয়েছে +FieldXModifiedFromYToZ=ক্ষেত্র %s %s থেকে %s পরিবর্তিত হয়েছে +CurrentValue=বর্তমান মূল্য +Code=কোড Type=Type -Language=Language -MultiLanguage=Multi-language -Note=Note -Title=Title -Label=Label -RefOrLabel=Ref. or label -Info=Log -Family=Family -Description=Description -Designation=Description +Language=ভাষা +MultiLanguage=বহু-ভাষা +Note=বিঃদ্রঃ +Title=শিরোনাম +Label=লেবেল +RefOrLabel=রেফ. বা লেবেল +Info=লগ +Family=পরিবার +Description=বর্ণনা +Designation=বর্ণনা DescriptionOfLine=Description of line -DateOfLine=Date of line -DurationOfLine=Duration of line -ParentLine=Parent line ID -Model=Doc template -DefaultModel=Default doc template -Action=Event -About=About +DateOfLine=লাইনের তারিখ +DurationOfLine=লাইনের সময়কাল +ParentLine=অভিভাবক লাইন আইডি +Model=ডক টেমপ্লেট +DefaultModel=ডিফল্ট ডক টেমপ্লেট +Action=ঘটনা +About=সম্পর্কিত Number=Number -NumberByMonth=Total reports by month -AmountByMonth=Amount by month +NumberByMonth=মাস অনুযায়ী মোট রিপোর্ট +AmountByMonth=মাস অনুযায়ী পরিমাণ Numero=Number -Limit=Limit -Limits=Limits -Logout=Logout -NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode %s -Connection=Login -Setup=Setup -Alert=Alert -MenuWarnings=Alerts -Previous=Previous -Next=Next -Cards=Cards -Card=Card -Now=Now -HourStart=Start hour -Deadline=Deadline +Limit=সীমা +Limits=সীমা +Logout=প্রস্থান +NoLogoutProcessWithAuthMode=প্রমাণীকরণ মোড %s সহ কোনো প্রযোজ্য সংযোগ বিচ্ছিন্ন বৈশিষ্ট্য +Connection=প্রবেশ করুন +Setup=সেটআপ +Alert=সতর্কতা +MenuWarnings=সতর্কতা +Previous=আগে +Next=পরবর্তী +Cards=তাস +Card=কার্ড +Now=এখন +HourStart=শুরুর ঘন্টা +Deadline=শেষ তারিখ Date=Date -DateAndHour=Date and hour -DateToday=Today's date -DateReference=Reference date -DateStart=Start date -DateEnd=End date +DateAndHour=তারিখ এবং ঘন্টা +DateToday=আজকের তারিখ +DateReference=উল্লেখ তারিখ +DateStart=শুরুর তারিখ +DateEnd=শেষ তারিখ DateCreation=Creation date -DateCreationShort=Creat. date -IPCreation=Creation IP -DateModification=Modification date -DateModificationShort=Modif. date -IPModification=Modification IP -DateLastModification=Latest modification date -DateValidation=Validation date -DateSigning=Signing date -DateClosing=Closing date -DateDue=Due date -DateValue=Value date -DateValueShort=Value date -DateOperation=Operation date -DateOperationShort=Oper. Date -DateLimit=Limit date -DateRequest=Request date -DateProcess=Process date -DateBuild=Report build date -DatePayment=Date of payment -DateApprove=Approving date -DateApprove2=Approving date (second approval) -RegistrationDate=Registration date -UserCreation=Creation user -UserModification=Modification user -UserValidation=Validation user -UserCreationShort=Creat. user -UserModificationShort=Modif. user -UserValidationShort=Valid. user -DurationYear=year -DurationMonth=month -DurationWeek=week -DurationDay=day -DurationYears=years -DurationMonths=months -DurationWeeks=weeks -DurationDays=days -Year=Year -Month=Month -Week=Week -WeekShort=Week -Day=Day -Hour=Hour -Minute=Minute -Second=Second -Years=Years -Months=Months -Days=Days -days=days -Hours=Hours -Minutes=Minutes -Seconds=Seconds -Weeks=Weeks -Today=Today -Yesterday=Yesterday -Tomorrow=Tomorrow -Morning=Morning -Afternoon=Afternoon -Quadri=Quadri -MonthOfDay=Month of the day -DaysOfWeek=Days of week -HourShort=H +DateCreationShort=সৃষ্টি করুন। তারিখ +IPCreation=আইপি তৈরি করা +DateModification=পরিবর্তনের তারিখ +DateModificationShort=মডিফ তারিখ +IPModification=পরিবর্তন আইপি +DateLastModification=সর্বশেষ পরিবর্তনের তারিখ +DateValidation=বৈধতা তারিখ +DateSigning=স্বাক্ষর করার তারিখ +DateClosing=বন্ধের তারিখ +DateDue=নির্দিষ্ট তারিখ +DateValue=মূল্য তারিখ +DateValueShort=মূল্য তারিখ +DateOperation=অপারেশন তারিখ +DateOperationShort=অপার। তারিখ +DateLimit=সীমা তারিখ +DateRequest=অনুরোধ তারিখ +DateProcess=প্রক্রিয়া তারিখ +DateBuild=বিল্ড তারিখ রিপোর্ট করুন +DatePayment=পরিশোধের তারিখ +DateApprove=অনুমোদনের তারিখ +DateApprove2=অনুমোদনের তারিখ (দ্বিতীয় অনুমোদন) +RegistrationDate=নিবন্ধনের তারিখ +UserCreation=সৃষ্টি ব্যবহারকারী +UserModification=পরিবর্তন ব্যবহারকারী +UserValidation=বৈধতা ব্যবহারকারী +UserCreationShort=সৃষ্টি করুন। ব্যবহারকারী +UserModificationShort=মডিফ ব্যবহারকারী +UserValidationShort=বৈধ। ব্যবহারকারী +UserClosing=ক্লোজিং ব্যবহারকারী +UserClosingShort=ক্লোজিং ব্যবহারকারী +DurationYear=বছর +DurationMonth=মাস +DurationWeek=সপ্তাহ +DurationDay=দিন +DurationYears=বছর +DurationMonths=মাস +DurationWeeks=সপ্তাহ +DurationDays=দিন +Year=বছর +Month=মাস +Week=সপ্তাহ +WeekShort=সপ্তাহ +Day=দিন +Hour=ঘন্টা +Minute=মিনিট +Second=দ্বিতীয় +Years=বছর +Months=মাস +Days=দিন +days=দিন +Hours=ঘন্টার +Minutes=মিনিট +Seconds=সেকেন্ড +Weeks=সপ্তাহ +Today=আজ +Yesterday=গতকাল +Tomorrow=কাল +Morning=সকাল +Afternoon=বিকেল +Quadri=কাদরি +MonthOfDay=দিনের মাস +DaysOfWeek=সপ্তাহের দিনগুলি +HourShort=এইচ MinuteShort=mn -Rate=Rate -CurrencyRate=Currency conversion rate -UseLocalTax=Include tax -Bytes=Bytes -KiloBytes=Kilobytes -MegaBytes=Megabytes -GigaBytes=Gigabytes -TeraBytes=Terabytes -UserAuthor=Created by -UserModif=Updated by -b=b. +SecondShort=সেকেন্ড +Rate=হার +CurrencyRate=মুদ্রা রূপান্তর হার +UseLocalTax=ট্যাক্স অন্তর্ভুক্ত করুন +Bytes=বাইট +KiloBytes=কিলোবাইট +MegaBytes=মেগাবাইট +GigaBytes=গিগাবাইট +TeraBytes=টেরাবাইট +UserAuthor=দ্বারা সৃষ্টি +UserModif=দ্বারা আপডেট করা হয়েছে +b=খ. Kb=Kb -Mb=Mb -Gb=Gb -Tb=Tb -Cut=Cut -Copy=Copy -Paste=Paste -Default=Default -DefaultValue=Default value -DefaultValues=Default values/filters/sorting -Price=Price -PriceCurrency=Price (currency) -UnitPrice=Unit price -UnitPriceHT=Unit price (excl.) -UnitPriceHTCurrency=Unit price (excl.) (currency) -UnitPriceTTC=Unit price -PriceU=U.P. -PriceUHT=U.P. (net) -PriceUHTCurrency=U.P (net) (currency) -PriceUTTC=U.P. (inc. tax) -Amount=Amount -AmountInvoice=Invoice amount -AmountInvoiced=Amount invoiced -AmountInvoicedHT=Amount invoiced (excl. tax) -AmountInvoicedTTC=Amount invoiced (inc. tax) +Mb=এমবি +Gb=জিবি +Tb=টিবি +Cut=কাটা +Copy=কপি +Paste=পেস্ট করুন +Default=ডিফল্ট +DefaultValue=ডিফল্ট মান +DefaultValues=ডিফল্ট মান/ফিল্টার/বাছাই +Price=দাম +PriceCurrency=মূল্য (মুদ্রা) +UnitPrice=একক দাম +UnitPriceHT=ইউনিট মূল্য (বাদে) +UnitPriceHTCurrency=ইউনিট মূল্য (ব্যতীত) (মুদ্রা) +UnitPriceTTC=একক দাম +PriceU=ইউ.পি. +PriceUHT=ইউ.পি. (নেট) +PriceUHTCurrency=U.P (নেট) (মুদ্রা) +PriceUTTC=ইউ.পি. (inc. ট্যাক্স) +Amount=পরিমাণ +AmountInvoice=চালান পরিমাণ +AmountInvoiced=চালান করা পরিমাণ +AmountInvoicedHT=চালানের পরিমাণ (ট্যাক্স বাদে) +AmountInvoicedTTC=ইনভয়েস করা পরিমাণ (inc. ট্যাক্স) AmountPayment=Payment amount -AmountHTShort=Amount (excl.) -AmountTTCShort=Amount (inc. tax) -AmountHT=Amount (excl. tax) -AmountTTC=Amount (inc. tax) -AmountVAT=Amount tax -MulticurrencyAlreadyPaid=Already paid, original currency -MulticurrencyRemainderToPay=Remain to pay, original currency -MulticurrencyPaymentAmount=Payment amount, original currency -MulticurrencyAmountHT=Amount (excl. tax), original currency -MulticurrencyAmountTTC=Amount (inc. of tax), original currency -MulticurrencyAmountVAT=Amount tax, original currency -MulticurrencySubPrice=Amount sub price multi currency -AmountLT1=Amount tax 2 -AmountLT2=Amount tax 3 -AmountLT1ES=Amount RE -AmountLT2ES=Amount IRPF -AmountTotal=Total amount -AmountAverage=Average amount -PriceQtyMinHT=Price quantity min. (excl. tax) -PriceQtyMinHTCurrency=Price quantity min. (excl. tax) (currency) -PercentOfOriginalObject=Percent of original object -AmountOrPercent=Amount or percent -Percentage=Percentage -Total=Total -SubTotal=Subtotal -TotalHTShort=Total (excl.) -TotalHT100Short=Total 100%% (excl.) -TotalHTShortCurrency=Total (excl. in currency) -TotalTTCShort=Total (inc. tax) -TotalHT=Total (excl. tax) -TotalHTforthispage=Total (excl. tax) for this page -Totalforthispage=Total for this page -TotalTTC=Total (inc. tax) -TotalTTCToYourCredit=Total (inc. tax) to your credit -TotalVAT=Total tax -TotalVATIN=Total IGST -TotalLT1=Total tax 2 -TotalLT2=Total tax 3 -TotalLT1ES=Total RE -TotalLT2ES=Total IRPF -TotalLT1IN=Total CGST -TotalLT2IN=Total SGST -HT=Excl. tax -TTC=Inc. tax -INCVATONLY=Inc. VAT -INCT=Inc. all taxes -VAT=Sales tax -VATIN=IGST -VATs=Sales taxes -VATINs=IGST taxes -LT1=Sales tax 2 -LT1Type=Sales tax 2 type -LT2=Sales tax 3 -LT2Type=Sales tax 3 type -LT1ES=RE -LT2ES=IRPF -LT1IN=CGST -LT2IN=SGST -LT1GC=Additionnal cents -VATRate=Tax Rate -RateOfTaxN=Rate of tax %s -VATCode=Tax Rate code -VATNPR=Tax Rate NPR -DefaultTaxRate=Default tax rate -Average=Average -Sum=Sum -Delta=Delta -StatusToPay=To pay -RemainToPay=Remain to pay -Module=Module/Application -Modules=Modules/Applications -Option=Option -Filters=Filters -List=List -FullList=Full list -FullConversation=Full conversation -Statistics=Statistics -OtherStatistics=Other statistics +AmountHTShort=পরিমাণ (বাদে) +AmountTTCShort=পরিমাণ (inc. ট্যাক্স) +AmountHT=পরিমাণ (ট্যাক্স বাদে) +AmountTTC=পরিমাণ (inc. ট্যাক্স) +AmountVAT=ট্যাক্সের পরিমাণ +MulticurrencyAlreadyPaid=ইতিমধ্যেই অর্থপ্রদান, আসল মুদ্রা +MulticurrencyRemainderToPay=মূল মুদ্রা পরিশোধ করতে থাকুন +MulticurrencyPaymentAmount=অর্থপ্রদানের পরিমাণ, আসল মুদ্রা +MulticurrencyAmountHT=পরিমাণ (ট্যাক্স বাদে), আসল মুদ্রা +MulticurrencyAmountTTC=পরিমাণ (ট্যাক্স ইনক.), আসল মুদ্রা +MulticurrencyAmountVAT=ট্যাক্সের পরিমাণ, আসল মুদ্রা +MulticurrencySubPrice=পরিমাণ উপমূল্য বহু মুদ্রা +AmountLT1=ট্যাক্সের পরিমাণ 2 +AmountLT2=ট্যাক্সের পরিমাণ 3 +AmountLT1ES=পরিমাণ RE +AmountLT2ES=পরিমাণ IRPF +AmountTotal=সর্বমোট পরিমাণ +AmountAverage=গড় পরিমাণ +PriceQtyMinHT=দামের পরিমাণ ন্যূনতম। (ট্যাক্স বাদে) +PriceQtyMinHTCurrency=দামের পরিমাণ ন্যূনতম। (কর বাদে) (মুদ্রা) +PercentOfOriginalObject=আসল বস্তুর শতাংশ +AmountOrPercent=পরিমাণ বা শতাংশ +Percentage=শতাংশ +Total=মোট +SubTotal=সাবটোটাল +TotalHTShort=মোট (বাদে) +TotalHT100Short=মোট 100%% (বাদে) +TotalHTShortCurrency=মোট (মুদ্রা ছাড়া) +TotalTTCShort=মোট (inc. ট্যাক্স) +TotalHT=মোট (ট্যাক্স বাদে) +TotalHTforthispage=এই পৃষ্ঠার জন্য মোট (ট্যাক্স বাদে) +Totalforthispage=এই পৃষ্ঠার জন্য মোট +TotalTTC=মোট (inc. ট্যাক্স) +TotalTTCToYourCredit=আপনার ক্রেডিট মোট (inc. ট্যাক্স) +TotalVAT=মোট ট্যাক্স +TotalVATIN=মোট IGST +TotalLT1=মোট কর 2 +TotalLT2=মোট কর 3 +TotalLT1ES=মোট RE +TotalLT2ES=মোট আইআরপিএফ +TotalLT1IN=মোট CGST +TotalLT2IN=মোট SGST +HT=বাদ। ট্যাক্স +TTC=Inc. ট্যাক্স +INCVATONLY=Inc. ভ্যাট +INCT=Inc. সমস্ত কর +VAT=বিক্রয় কর +VATIN=আইজিএসটি +VATs=সেলস ট্যাক্স +VATINs=IGST কর +LT1=বিক্রয় কর 2 +LT1Type=বিক্রয় কর 2 প্রকার +LT2=বিক্রয় কর 3 +LT2Type=বিক্রয় কর 3 প্রকার +LT1ES=আর.ই +LT2ES=আইআরপিএফ +LT1IN=সিজিএসটি +LT2IN=এসজিএসটি +LT1GC=অতিরিক্ত সেন্ট +VATRate=করের হার +RateOfTaxN=করের হার %s +VATCode=ট্যাক্স রেট কোড +VATNPR=ট্যাক্স রেট NPR +DefaultTaxRate=ডিফল্ট করের হার +Average=গড় +Sum=সমষ্টি +Delta=ডেল্টা +StatusToPay=পরিশোধ করতে +RemainToPay=পরিশোধ করতে বাকি +Module=মডিউল/অ্যাপ্লিকেশন +Modules=মডিউল/অ্যাপ্লিকেশন +Option=অপশন +Filters=ফিল্টার +List=তালিকা +FullList=সম্পুর্ণ তালিকা +FullConversation=সম্পূর্ণ কথোপকথন +Statistics=পরিসংখ্যান +OtherStatistics=অন্যান্য পরিসংখ্যান Status=Status -Favorite=Favorite -ShortInfo=Info. -Ref=Ref. -ExternalRef=Ref. extern -RefSupplier=Ref. vendor -RefPayment=Ref. payment -CommercialProposalsShort=Commercial proposals -Comment=Comment -Comments=Comments -ActionsToDo=Events to do -ActionsToDoShort=To do -ActionsDoneShort=Done -ActionNotApplicable=Not applicable -ActionRunningNotStarted=To start -ActionRunningShort=In progress -ActionDoneShort=Finished -ActionUncomplete=Incomplete -LatestLinkedEvents=Latest %s linked events -CompanyFoundation=Company/Organization -Accountant=Accountant -ContactsForCompany=Contacts for this third party -ContactsAddressesForCompany=Contacts/addresses for this third party -AddressesForCompany=Addresses for this third party -ActionsOnCompany=Events for this third party -ActionsOnContact=Events for this contact/address -ActionsOnContract=Events for this contract -ActionsOnMember=Events about this member -ActionsOnProduct=Events about this product -ActionsOnAsset=Events for this fixed asset -NActionsLate=%s late -ToDo=To do -Completed=Completed -Running=In progress -RequestAlreadyDone=Request already recorded -Filter=Filter -FilterOnInto=Search criteria '%s' into fields %s -RemoveFilter=Remove filter -ChartGenerated=Chart generated -ChartNotGenerated=Chart not generated -GeneratedOn=Build on %s -Generate=Generate -Duration=Duration -TotalDuration=Total duration -Summary=Summary -DolibarrStateBoard=Database Statistics -DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No open element to process -Available=Available -NotYetAvailable=Not yet available -NotAvailable=Not available -Categories=Tags/categories -Category=Tag/category -By=By +Favorite=প্রিয় +ShortInfo=তথ্য +Ref=রেফ. +ExternalRef=রেফ. বহিরাগত +RefSupplier=রেফ. বিক্রেতা +RefPayment=রেফ. পেমেন্ট +CommercialProposalsShort=বাণিজ্যিক প্রস্তাব +Comment=মন্তব্য করুন +Comments=মন্তব্য +ActionsToDo=করতে ইভেন্ট +ActionsToDoShort=করতে +ActionsDoneShort=সম্পন্ন +ActionNotApplicable=প্রযোজ্য নয় +ActionRunningNotStarted=শুরুতেই +ActionRunningShort=চলমান +ActionDoneShort=সমাপ্ত +ActionUncomplete=অসম্পূর্ণ +LatestLinkedEvents=সাম্প্রতিক %s লিঙ্ক করা ইভেন্ট +CompanyFoundation=কোম্পানি/সংস্থা +Accountant=হিসাবরক্ষক +ContactsForCompany=এই তৃতীয় পক্ষের জন্য পরিচিতি +ContactsAddressesForCompany=এই তৃতীয় পক্ষের জন্য পরিচিতি/ঠিকানা +AddressesForCompany=এই তৃতীয় পক্ষের জন্য ঠিকানা +ActionsOnCompany=এই তৃতীয় পক্ষের জন্য ইভেন্ট +ActionsOnContact=এই যোগাযোগ/ঠিকানার জন্য ইভেন্ট +ActionsOnContract=এই চুক্তির জন্য ইভেন্ট +ActionsOnMember=এই সদস্য সম্পর্কে ঘটনা +ActionsOnProduct=এই পণ্য সম্পর্কে ইভেন্ট +ActionsOnAsset=এই স্থায়ী সম্পদের জন্য ইভেন্ট +NActionsLate=%s দেরিতে +ToDo=করতে +Completed=সম্পন্ন +Running=চলমান +RequestAlreadyDone=অনুরোধ ইতিমধ্যে রেকর্ড করা হয়েছে +Filter=ছাঁকনি +FilterOnInto=মাপদণ্ড '%s' ক্ষেত্রে %s +RemoveFilter=ফিল্টার সরান +ChartGenerated=চার্ট তৈরি হয়েছে +ChartNotGenerated=চার্ট তৈরি হয়নি +GeneratedOn=%s-এ তৈরি করুন +Generate=তৈরি করুন +Duration=সময়কাল +TotalDuration=মোট সময়কাল +Summary=সারসংক্ষেপ +DolibarrStateBoard=ডাটাবেস পরিসংখ্যান +DolibarrWorkBoard=উন্মুক্ত বস্তু +NoOpenedElementToProcess=প্রক্রিয়া করার জন্য কোন খোলা উপাদান নেই +Available=পাওয়া যায় +NotYetAvailable=এখনও পাওয়া যায় না +NotAvailable=পাওয়া যায় না +Categories=ট্যাগ/বিভাগ +Category=ট্যাগ/বিভাগ +SelectTheTagsToAssign=বরাদ্দ করার জন্য ট্যাগ/বিভাগ নির্বাচন করুন +By=দ্বারা From=From FromDate=From FromLocation=From -to=to -To=to -ToDate=to -ToLocation=to -at=at -and=and -or=or +to=প্রতি +To=প্রতি +ToDate=প্রতি +ToLocation=প্রতি +at=এ +and=এবং +or=বা Other=Other -Others=Others -OtherInformations=Other information -Workflow=Workflow -Quantity=Quantity -Qty=Qty -ChangedBy=Changed by -ApprovedBy=Approved by -ApprovedBy2=Approved by (second approval) -Approved=Approved -Refused=Refused -ReCalculate=Recalculate -ResultKo=Failure -Reporting=Reporting -Reportings=Reporting +Others=অন্যান্য +OtherInformations=অন্যান্য তথ্য +Workflow=কর্মধারা +Quantity=পরিমাণ +Qty=পরিমাণ +ChangedBy=দ্বারা পরিবর্তিত +ApprovedBy=দ্বারা অনুমোদিত +ApprovedBy2=দ্বারা অনুমোদিত (দ্বিতীয় অনুমোদন) +Approved=অনুমোদিত +Refused=প্রত্যাখ্যান করেছে +ReCalculate=পুনরায় গণনা করুন +ResultKo=ব্যর্থতা +Reporting=রিপোর্টিং +Reportings=রিপোর্টিং Draft=Draft -Drafts=Drafts -StatusInterInvoiced=Invoiced +Drafts=খসড়া +StatusInterInvoiced=চালান করা হয়েছে +Done=সম্পন্ন Validated=Validated -ValidatedToProduce=Validated (To produce) +ValidatedToProduce=বৈধ (উৎপাদন করতে) Opened=Opened -OpenAll=Open (All) -ClosedAll=Closed (All) -New=New +OpenAll=সব খোলো) +ClosedAll=বন্ধ (সমস্ত) +New=নতুন Discount=Discount -Unknown=Unknown -General=General -Size=Size -OriginalSize=Original size -Received=Received +Unknown=অজানা +General=সাধারণ +Size=আকার +OriginalSize=মূল আকার +RotateImage=90° ঘোরান +Received=গৃহীত Paid=Processed -Topic=Subject -ByCompanies=By third parties -ByUsers=By user -Links=Links -Link=Link -Rejects=Rejects -Preview=Preview -NextStep=Next step -Datas=Data -None=None -NoneF=None -NoneOrSeveral=None or several -Late=Late -LateDesc=An item is defined as Delayed as per the system configuration in menu Home - Setup - Alerts. -NoItemLate=No late item -Photo=Picture -Photos=Pictures -AddPhoto=Add picture -DeletePicture=Picture delete -ConfirmDeletePicture=Confirm picture deletion? -Login=Login -LoginEmail=Login (email) -LoginOrEmail=Login or Email -CurrentLogin=Current login -EnterLoginDetail=Enter login details -January=January -February=February -March=March -April=April -May=May -June=June -July=July -August=August -September=September -October=October -November=November -December=December -Month01=January -Month02=February -Month03=March -Month04=April -Month05=May -Month06=June -Month07=July -Month08=August -Month09=September -Month10=October -Month11=November -Month12=December -MonthShort01=Jan -MonthShort02=Feb -MonthShort03=Mar -MonthShort04=Apr -MonthShort05=May -MonthShort06=Jun -MonthShort07=Jul -MonthShort08=Aug -MonthShort09=Sep -MonthShort10=Oct -MonthShort11=Nov -MonthShort12=Dec -MonthVeryShort01=J -MonthVeryShort02=F -MonthVeryShort03=M -MonthVeryShort04=A -MonthVeryShort05=M -MonthVeryShort06=J -MonthVeryShort07=J -MonthVeryShort08=A -MonthVeryShort09=S -MonthVeryShort10=O -MonthVeryShort11=N -MonthVeryShort12=D -AttachedFiles=Attached files and documents -JoinMainDoc=Join main document -JoinMainDocOrLastGenerated=Send the main document or the last generated one if not found +Topic=বিষয় +ByCompanies=তৃতীয় পক্ষ দ্বারা +ByUsers=ব্যবহারকারী দ্বারা +Links=লিঙ্ক +Link=লিঙ্ক +Rejects=প্রত্যাখ্যান করে +Preview=পূর্বরূপ +NextStep=পরবর্তী পর্ব +Datas=ডেটা +None=কোনোটিই নয় +NoneF=কোনোটিই নয় +NoneOrSeveral=কোনটি বা একাধিক +Late=দেরী +LateDesc=হোম - সেটআপ - সতর্কতা মেনুতে সিস্টেম কনফিগারেশন অনুসারে একটি আইটেমকে বিলম্বিত হিসাবে সংজ্ঞায়িত করা হয়েছে৷ +NoItemLate=কোন দেরী আইটেম +Photo=ছবি +Photos=ছবি +AddPhoto=ছবি যোগ করুন +DeletePicture=ছবি মুছে দিন +ConfirmDeletePicture=ছবি মুছে ফেলা নিশ্চিত করুন? +Login=প্রবেশ করুন +LoginEmail=লগইন (ই - মেইল) +LoginOrEmail=লগইন বা ইমেইল +CurrentLogin=বর্তমান লগইন +EnterLoginDetail=লগইন বিবরণ লিখুন +January=জানুয়ারি +February=ফেব্রুয়ারি +March=মার্চ +April=এপ্রিল +May=মে +June=জুন +July=জুলাই +August=আগস্ট +September=সেপ্টেম্বর +October=অক্টোবর +November=নভেম্বর +December=ডিসেম্বর +Month01=জানুয়ারি +Month02=ফেব্রুয়ারি +Month03=মার্চ +Month04=এপ্রিল +Month05=মে +Month06=জুন +Month07=জুলাই +Month08=আগস্ট +Month09=সেপ্টেম্বর +Month10=অক্টোবর +Month11=নভেম্বর +Month12=ডিসেম্বর +MonthShort01=জান +MonthShort02=ফেব্রুয়ারী +MonthShort03=মার +MonthShort04=এপ্রিল +MonthShort05=মে +MonthShort06=জুন +MonthShort07=জুল +MonthShort08=অগাস্ট +MonthShort09=সেপ্টেম্বর +MonthShort10=অক্টো +MonthShort11=নভেম্বর +MonthShort12=ডিসেম্বর +MonthVeryShort01=জে +MonthVeryShort02=চ +MonthVeryShort03=এম +MonthVeryShort04=ক +MonthVeryShort05=এম +MonthVeryShort06=জে +MonthVeryShort07=জে +MonthVeryShort08=ক +MonthVeryShort09=এস +MonthVeryShort10=ও +MonthVeryShort11=এন +MonthVeryShort12=ডি +AttachedFiles=সংযুক্ত ফাইল এবং নথি +JoinMainDoc=প্রধান নথিতে যোগদান করুন +JoinMainDocOrLastGenerated=না পাওয়া গেলে মূল নথি বা শেষ জেনারেটেড পাঠান DateFormatYYYYMM=YYYY-MM DateFormatYYYYMMDD=YYYY-MM-DD DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS -ReportName=Report name -ReportPeriod=Report period -ReportDescription=Description -Report=Report -Keyword=Keyword -Origin=Origin -Legend=Legend -Fill=Fill -Reset=Reset -File=File -Files=Files -NotAllowed=Not allowed -ReadPermissionNotAllowed=Read permission not allowed -AmountInCurrency=Amount in %s currency -Example=Example -Examples=Examples -NoExample=No example -FindBug=Report a bug -NbOfThirdParties=Number of third parties -NbOfLines=Number of lines -NbOfObjects=Number of objects -NbOfObjectReferers=Number of related items -Referers=Related items -TotalQuantity=Total quantity -DateFromTo=From %s to %s -DateFrom=From %s -DateUntil=Until %s +ReportName=রিপোর্টের নাম +ReportPeriod=রিপোর্ট সময়কাল +ReportDescription=বর্ণনা +Report=রিপোর্ট +Keyword=কীওয়ার্ড +Origin=উৎপত্তি +Legend=কিংবদন্তি +Fill=ভরাট +Reset=রিসেট +File=ফাইল +Files=নথি পত্র +NotAllowed=অনুমতি নেই +ReadPermissionNotAllowed=পড়ার অনুমতি নেই +AmountInCurrency=%s মুদ্রায় পরিমাণ +Example=উদাহরণ +Examples=উদাহরণ +NoExample=উদাহরণ নেই +FindBug=একটি বাগ রিপোর্ট করুন +NbOfThirdParties=তৃতীয় পক্ষের সংখ্যা +NbOfLines=লাইনের সংখ্যা +NbOfObjects=বস্তুর সংখ্যা +NbOfObjectReferers=সম্পর্কিত আইটেম সংখ্যা +Referers=সম্পর্কিত আইটেম +TotalQuantity=মোট পরিমাণ +DateFromTo=%s থেকে %s পর্যন্ত +DateFrom=%s থেকে +DateUntil=%s পর্যন্ত Check=Check -Uncheck=Uncheck -Internal=Internal -External=External -Internals=Internal -Externals=External -Warning=Warning -Warnings=Warnings -BuildDoc=Build Doc -Entity=Environment -Entities=Entities -CustomerPreview=Customer preview -SupplierPreview=Vendor preview -ShowCustomerPreview=Show customer preview -ShowSupplierPreview=Show vendor preview -RefCustomer=Ref. customer -InternalRef=Internal ref. -Currency=Currency -InfoAdmin=Information for administrators -Undo=Undo -Redo=Redo -ExpandAll=Expand all -UndoExpandAll=Undo expand -SeeAll=See all +Uncheck=আনচেক করুন +Internal=অভ্যন্তরীণ +External=বাহ্যিক +Internals=অভ্যন্তরীণ +Externals=বাহ্যিক +Warning=সতর্কতা +Warnings=সতর্কতা +BuildDoc=ডক তৈরি করুন +Entity=পরিবেশ +Entities=সত্তা +CustomerPreview=গ্রাহক পূর্বরূপ +SupplierPreview=বিক্রেতার পূর্বরূপ +ShowCustomerPreview=গ্রাহক পূর্বরূপ দেখান +ShowSupplierPreview=বিক্রেতার পূর্বরূপ দেখান +RefCustomer=রেফ. ক্রেতা +InternalRef=অভ্যন্তরীণ রেফ. +Currency=মুদ্রা +InfoAdmin=প্রশাসকদের জন্য তথ্য +Undo=পূর্বাবস্থায় ফেরান +Redo=আবার করুন +ExpandAll=সব কিছু বিশদভাবে ব্যক্ত করা +UndoExpandAll=পূর্বাবস্থায় প্রসারিত করুন +SeeAll=সবগুলো দেখ Reason=Reason -FeatureNotYetSupported=Feature not yet supported -CloseWindow=Close window -Response=Response -Priority=Priority -SendByMail=Send by email -MailSentBy=Email sent by -NotSent=Not sent -TextUsedInTheMessageBody=Email body -SendAcknowledgementByMail=Send confirmation email -SendMail=Send email -Email=Email -NoEMail=No email -AlreadyRead=Already read -NotRead=Unread -NoMobilePhone=No mobile phone -Owner=Owner -FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. -Refresh=Refresh -BackToList=Back to list -BackToTree=Back to tree -GoBack=Go back -CanBeModifiedIfOk=Can be modified if valid -CanBeModifiedIfKo=Can be modified if not valid -ValueIsValid=Value is valid -ValueIsNotValid=Value is not valid -RecordCreatedSuccessfully=Record created successfully -RecordModifiedSuccessfully=Record modified successfully -RecordsModified=%s record(s) modified -RecordsDeleted=%s record(s) deleted -RecordsGenerated=%s record(s) generated -AutomaticCode=Automatic code -FeatureDisabled=Feature disabled -MoveBox=Move widget -Offered=Offered -NotEnoughPermissions=You don't have permission for this action -UserNotInHierachy=This action is reserved to the supervisors of this user -SessionName=Session name -Method=Method -Receive=Receive -CompleteOrNoMoreReceptionExpected=Complete or nothing more expected -ExpectedValue=Expected Value -ExpectedQty=Expected Qty -PartialWoman=Partial -TotalWoman=Total -NeverReceived=Never received -Canceled=Canceled -YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu Setup - Dictionaries -YouCanChangeValuesForThisListFrom=You can change values for this list from menu %s -YouCanSetDefaultValueInModuleSetup=You can set the default value used when creating a new record in module setup -Color=Color -Documents=Linked files -Documents2=Documents -UploadDisabled=Upload disabled +FeatureNotYetSupported=বৈশিষ্ট্য এখনও সমর্থিত নয় +CloseWindow=বন্ধ জানালা +Response=প্রতিক্রিয়া +Priority=অগ্রাধিকার +SendByMail=ইমেইলের মাধ্যমে প্রেরিত +MailSentBy=ইমেল পাঠানো হয়েছে +MailSentByTo=%s দ্বারা %s-এ ইমেল পাঠানো হয়েছে +NotSent=পাঠানো না +TextUsedInTheMessageBody=ইমেইল বডি +SendAcknowledgementByMail=নিশ্চিতকরণ ইমেল পাঠান +SendMail=ইমেইল পাঠান +Email=ইমেইল +NoEMail=কোনো ইমেল নেই +AlreadyRead=ইতিমধ্যেই পড়েছি +NotRead=অপঠিত +NoMobilePhone=মোবাইল ফোন নেই +Owner=মালিক +FollowingConstantsWillBeSubstituted=নিম্নলিখিত ধ্রুবকগুলি সংশ্লিষ্ট মানের সাথে প্রতিস্থাপিত হবে। +Refresh=রিফ্রেশ +BackToList=ফিরে তালিকায় +BackToTree=গাছে ফিরে যান +GoBack=ফিরে যাও +CanBeModifiedIfOk=বৈধ হলে সংশোধন করা যেতে পারে +CanBeModifiedIfKo=বৈধ না হলে সংশোধন করা যেতে পারে +ValueIsValid=মান বৈধ +ValueIsNotValid=মান বৈধ নয় +RecordCreatedSuccessfully=রেকর্ড সফলভাবে তৈরি করা হয়েছে +RecordModifiedSuccessfully=রেকর্ড সফলভাবে পরিবর্তিত হয়েছে +RecordsModified=%s রেকর্ড(গুলি) সংশোধন করা হয়েছে +RecordsDeleted=%s রেকর্ড(গুলি) মুছে ফেলা হয়েছে +RecordsGenerated=%s রেকর্ড(গুলি) তৈরি হয়েছে +ValidatedRecordWhereFound = নির্বাচিত কিছু রেকর্ড ইতিমধ্যেই যাচাই করা হয়েছে। কোন রেকর্ড মুছে ফেলা হয়েছে. +AutomaticCode=স্বয়ংক্রিয় কোড +FeatureDisabled=বৈশিষ্ট্য নিষ্ক্রিয় +MoveBox=উইজেট সরান +Offered=অফার করা হয়েছে +NotEnoughPermissions=এই কর্মের জন্য আপনার কাছে অনুমতি নেই +UserNotInHierachy=এই ক্রিয়াটি এই ব্যবহারকারীর সুপারভাইজারদের কাছে সংরক্ষিত +SessionName=সেশনের নাম +Method=পদ্ধতি +Receive=গ্রহণ করুন +CompleteOrNoMoreReceptionExpected=সম্পূর্ণ বা আর কিছুই প্রত্যাশিত +ExpectedValue=প্রত্যাশিত মান +ExpectedQty=প্রত্যাশিত পরিমাণ +PartialWoman=আংশিক +TotalWoman=মোট +NeverReceived=কখনোই পাইনি +Canceled=বাতিল +YouCanChangeValuesForThisListFromDictionarySetup=আপনি মেনু সেটআপ - অভিধান থেকে এই তালিকার মান পরিবর্তন করতে পারেন +YouCanChangeValuesForThisListFrom=আপনি %s মেনু থেকে এই তালিকার মান পরিবর্তন করতে পারেন +YouCanSetDefaultValueInModuleSetup=আপনি মডিউল সেটআপে একটি নতুন রেকর্ড তৈরি করার সময় ব্যবহৃত ডিফল্ট মান সেট করতে পারেন +Color=রঙ +Documents=লিঙ্ক করা ফাইল +Documents2=নথিপত্র +UploadDisabled=আপলোড নিষ্ক্রিয় MenuAccountancy=Accounting -MenuECM=Documents +MenuECM=নথিপত্র MenuAWStats=AWStats -MenuMembers=Members -MenuAgendaGoogle=Google agenda -MenuTaxesAndSpecialExpenses=Taxes | Special expenses -ThisLimitIsDefinedInSetup=Dolibarr limit (Menu home-setup-security): %s Kb, PHP limit: %s Kb -ThisLimitIsDefinedInSetupAt=Dolibarr limit (Menu %s): %s Kb, PHP limit (Param %s): %s Kb -NoFileFound=No documents uploaded -CurrentUserLanguage=Current language -CurrentTheme=Current theme -CurrentMenuManager=Current menu manager -Browser=Browser -Layout=Layout -Screen=Screen -DisabledModules=Disabled modules -For=For -ForCustomer=For customer -Signature=Signature -DateOfSignature=Date of signature -HidePassword=Show command with password hidden -UnHidePassword=Show real command with clear password +MenuMembers=সদস্যরা +MenuAgendaGoogle=গুগল এজেন্ডা +MenuTaxesAndSpecialExpenses=কর | বিশেষ খরচ +ThisLimitIsDefinedInSetup=Dolibarr সীমা (মেনু হোম-সেটআপ-নিরাপত্তা): %s Kb, PHP সীমা: %s Kb +ThisLimitIsDefinedInSetupAt=Dolibarr সীমা (মেনু %s): %s Kb, PHP সীমা (Param b0ecb2ec87fz0 >): %s Kb +NoFileFound=কোন নথি আপলোড +CurrentUserLanguage=বর্তমান ভাষা +CurrentTheme=বর্তমান থিম +CurrentMenuManager=বর্তমান মেনু ম্যানেজার +Browser=ব্রাউজার +Layout=লেআউট +Screen=পর্দা +DisabledModules=অক্ষম মডিউল +For=জন্য +ForCustomer=গ্রাহকের জন্য +Signature=স্বাক্ষর +HidePassword=লুকানো পাসওয়ার্ড সহ কমান্ড দেখান +UnHidePassword=পরিষ্কার পাসওয়ার্ড সহ বাস্তব কমান্ড দেখান Root=Root -RootOfMedias=Root of public medias (/medias) -Informations=Information -Page=Page -Notes=Notes -AddNewLine=Add new line -AddFile=Add file -FreeZone=Free-text product -FreeLineOfType=Free-text item, type: -CloneMainAttributes=Clone object with its main attributes -ReGeneratePDF=Re-generate PDF -PDFMerge=PDF Merge -Merge=Merge -DocumentModelStandardPDF=Standard PDF template -PrintContentArea=Show page to print main content area -MenuManager=Menu manager -WarningYouAreInMaintenanceMode=Warning, you are in maintenance mode: only login %s is allowed to use the application in this mode. -CoreErrorTitle=System error -CoreErrorMessage=Sorry, an error occurred. Contact your system administrator to check the logs or disable $dolibarr_main_prod=1 to get more information. +RootOfMedias=পাবলিক মিডিয়ার মূল (/মিডিয়া) +Informations=তথ্য +Page=পাতা +Notes=মন্তব্য +AddNewLine=নতুন লাইন যোগ করুন +AddFile=নথি যুক্ত করা +FreeZone=ফ্রি-টেক্সট পণ্য +FreeLineOfType=ফ্রি-টেক্সট আইটেম, টাইপ করুন: +CloneMainAttributes=ক্লোন অবজেক্ট এর প্রধান বৈশিষ্ট্য সহ +ReGeneratePDF=পিডিএফ পুনরায় তৈরি করুন +PDFMerge=PDF মার্জ +Merge=একত্রিত করা +DocumentModelStandardPDF=স্ট্যান্ডার্ড পিডিএফ টেমপ্লেট +PrintContentArea=প্রধান বিষয়বস্তু এলাকা প্রিন্ট করতে পৃষ্ঠা দেখান +MenuManager=মেনু ম্যানেজার +WarningYouAreInMaintenanceMode=সতর্কতা, আপনি রক্ষণাবেক্ষণ মোডে আছেন: শুধুমাত্র লগইন %s হল এই মোডে অ্যাপ্লিকেশন ব্যবহার করার অনুমতি দেওয়া হয়েছে। +CoreErrorTitle=সিস্টেম ত্রুটি +CoreErrorMessage=দুঃখিত, একটি ত্রুটি ঘটেছে. লগ চেক করতে আপনার সিস্টেম অ্যাডমিনিস্ট্রেটরের সাথে যোগাযোগ করুন বা আরও তথ্য পেতে $dolibarr_main_prod=1 অক্ষম করুন৷ CreditCard=Credit card ValidatePayment=Validate payment -CreditOrDebitCard=Credit or debit card -FieldsWithAreMandatory=Fields with %s are mandatory -FieldsWithIsForPublic=Fields with %s are shown in public list of members. If you don't want this, uncheck the "public" box. -AccordingToGeoIPDatabase=(according to GeoIP conversion) -Line=Line -NotSupported=Not supported -RequiredField=Required field -Result=Result -ToTest=Test -ValidateBefore=Item must be validated before using this feature -Visibility=Visibility -Totalizable=Totalizable -TotalizableDesc=This field is totalizable in list -Private=Private -Hidden=Hidden -Resources=Resources -Source=Source -Prefix=Prefix -Before=Before -After=After -IPAddress=IP address -Frequency=Frequency -IM=Instant messaging -NewAttribute=New attribute -AttributeCode=Attribute code -URLPhoto=URL of photo/logo -SetLinkToAnotherThirdParty=Link to another third party -LinkTo=Link to -LinkToProposal=Link to proposal -LinkToExpedition= Link to expedition -LinkToOrder=Link to order -LinkToInvoice=Link to invoice -LinkToTemplateInvoice=Link to template invoice -LinkToSupplierOrder=Link to purchase order -LinkToSupplierProposal=Link to vendor proposal -LinkToSupplierInvoice=Link to vendor invoice -LinkToContract=Link to contract -LinkToIntervention=Link to intervention -LinkToTicket=Link to ticket -LinkToMo=Link to Mo -CreateDraft=Create draft -SetToDraft=Back to draft -ClickToEdit=Click to edit -ClickToRefresh=Click to refresh -EditWithEditor=Edit with CKEditor -EditWithTextEditor=Edit with Text editor -EditHTMLSource=Edit HTML Source -ObjectDeleted=Object %s deleted -ByCountry=By country -ByTown=By town -ByDate=By date -ByMonthYear=By month/year -ByYear=By year -ByMonth=By month -ByDay=By day -BySalesRepresentative=By sales representative -LinkedToSpecificUsers=Linked to a particular user contact -NoResults=No results -AdminTools=Admin Tools -SystemTools=System tools -ModulesSystemTools=Modules tools -Test=Test -Element=Element -NoPhotoYet=No pictures available yet -Dashboard=Dashboard -MyDashboard=My Dashboard -Deductible=Deductible -from=from -toward=toward -Access=Access -SelectAction=Select action -SelectTargetUser=Select target user/employee -HelpCopyToClipboard=Use Ctrl+C to copy to clipboard -SaveUploadedFileWithMask=Save file on server with name "%s" (otherwise "%s") -OriginFileName=Original filename -SetDemandReason=Set source -SetBankAccount=Define Bank Account -AccountCurrency=Account currency -ViewPrivateNote=View notes -XMoreLines=%s line(s) hidden -ShowMoreLines=Show more/less lines -PublicUrl=Public URL -AddBox=Add box -SelectElementAndClick=Select an element and click on %s -PrintFile=Print File %s -ShowTransaction=Show entry on bank account -ShowIntervention=Show intervention -ShowContract=Show contract -GoIntoSetupToChangeLogo=Go to Home - Setup - Company to change logo or go to Home - Setup - Display to hide. -Deny=Deny -Denied=Denied -ListOf=List of %s -ListOfTemplates=List of templates -Gender=Gender -Genderman=Male -Genderwoman=Female +CreditOrDebitCard=ক্রেডিট অথবা ডেবিট কার্ড +FieldsWithAreMandatory=%s সহ ক্ষেত্রগুলি বাধ্যতামূলক +FieldsWithIsForPublic=%s সহ ক্ষেত্রগুলি সদস্যদের সর্বজনীন তালিকায় দেখানো হয়েছে৷ আপনি যদি এটি না চান, তাহলে "সর্বজনীন" বাক্সটি আনচেক করুন৷ +AccordingToGeoIPDatabase=(জিওআইপি রূপান্তর অনুসারে) +Line=লাইন +NotSupported=সমর্থিত নয় +RequiredField=প্রয়োজনীয় ক্ষেত্র +Result=ফলাফল +ToTest=পরীক্ষা +ValidateBefore=এই বৈশিষ্ট্য ব্যবহার করার আগে আইটেম যাচাই করা আবশ্যক +Visibility=দৃশ্যমানতা +Totalizable=টোটালাইজেবল +TotalizableDesc=এই ক্ষেত্রটি তালিকায় সম্পূর্ণ করা যায় +Private=ব্যক্তিগত +Hidden=গোপন +Resources=সম্পদ +Source=উৎস +Prefix=উপসর্গ +Before=আগে +After=পরে +IPAddress=আইপি ঠিকানা +Frequency=ফ্রিকোয়েন্সি +IM=তাৎক্ষণিক বার্তা আদান প্রদান +NewAttribute=নতুন বৈশিষ্ট্য +AttributeCode=অ্যাট্রিবিউট কোড +URLPhoto=ফটো/লোগোর URL +SetLinkToAnotherThirdParty=অন্য তৃতীয় পক্ষের সাথে লিঙ্ক করুন +LinkTo=লিঙ্ক +LinkToProposal=প্রস্তাব লিঙ্ক +LinkToExpedition= অভিযানের লিঙ্ক +LinkToOrder=অর্ডার লিঙ্ক +LinkToInvoice=চালান লিঙ্ক +LinkToTemplateInvoice=টেমপ্লেট চালানের লিঙ্ক +LinkToSupplierOrder=ক্রয় অর্ডার লিঙ্ক +LinkToSupplierProposal=বিক্রেতা প্রস্তাব লিঙ্ক +LinkToSupplierInvoice=বিক্রেতা চালান লিঙ্ক +LinkToContract=চুক্তির লিঙ্ক +LinkToIntervention=হস্তক্ষেপ লিঙ্ক +LinkToTicket=টিকিটের লিঙ্ক +LinkToMo=Mo লিঙ্ক +CreateDraft=খসড়া তৈরি করুন +SetToDraft=খসড়ায় ফিরে যান +ClickToEdit=সংযোজন করার জন্য ক্লিক করো +ClickToRefresh=রিফ্রেশ করতে ক্লিক করুন +EditWithEditor=CKEditor দিয়ে সম্পাদনা করুন +EditWithTextEditor=টেক্সট এডিটর দিয়ে এডিট করুন +EditHTMLSource=HTML উৎস সম্পাদনা করুন +ObjectDeleted=বস্তু %s মুছে ফেলা হয়েছে +ByCountry=দেশ অনুসারে +ByTown=শহরে +ByDate=তারিখ অনুসারে +ByMonthYear=মাস/বছর অনুসারে +ByYear=বছর দ্বারা +ByMonth=মাসে +ByDay=দিনের মধ্যে +BySalesRepresentative=বিক্রয় প্রতিনিধি দ্বারা +LinkedToSpecificUsers=একটি নির্দিষ্ট ব্যবহারকারী পরিচিতি লিঙ্ক +NoResults=কোন ফলাফল নেই +AdminTools=অ্যাডমিন সরঞ্জাম +SystemTools=সিস্টেম টুলস +ModulesSystemTools=মডিউল টুল +Test=পরীক্ষা +Element=উপাদান +NoPhotoYet=এখনও কোন ছবি উপলব্ধ +Dashboard=ড্যাশবোর্ড +MyDashboard=আমার ড্যাশবোর্ড +Deductible=বাদ +from=থেকে +toward=দিকে +Access=অ্যাক্সেস +SelectAction=কর্ম নির্বাচন করুন +SelectTargetUser=লক্ষ্য ব্যবহারকারী/কর্মচারী নির্বাচন করুন +HelpCopyToClipboard=ক্লিপবোর্ডে কপি করতে Ctrl+C ব্যবহার করুন +SaveUploadedFileWithMask=সার্ভারে ফাইল সংরক্ষণ করুন "%s" (অন্যথায় " %s") +OriginFileName=আসল ফাইলের নাম +SetDemandReason=উৎস সেট করুন +SetBankAccount=ব্যাঙ্ক অ্যাকাউন্ট সংজ্ঞায়িত করুন +AccountCurrency=অ্যাকাউন্ট মুদ্রা +ViewPrivateNote=নোট দেখুন +XMoreLines=%s লাইন(গুলি) লুকানো আছে +ShowMoreLines=বেশি/কম লাইন দেখান +PublicUrl=সর্বজনীন URL +AddBox=বক্স যোগ করুন +SelectElementAndClick=একটি উপাদান নির্বাচন করুন এবং %s এ ক্লিক করুন +PrintFile=প্রিন্ট ফাইল %s +ShowTransaction=ব্যাঙ্ক অ্যাকাউন্টে এন্ট্রি দেখান +ShowIntervention=হস্তক্ষেপ দেখান +ShowContract=চুক্তি দেখান +GoIntoSetupToChangeLogo=লোগো পরিবর্তন করতে হোম - সেটআপ - কোম্পানিতে যান বা হোম - সেটআপ - লুকানোর জন্য প্রদর্শনে যান। +Deny=অস্বীকার করুন +Denied=অস্বীকৃত +ListOf=%s-এর তালিকা +ListOfTemplates=টেমপ্লেট তালিকা +Gender=লিঙ্গ +Genderman=পুরুষ +Genderwoman=মহিলা Genderother=Other -ViewList=List view -ViewGantt=Gantt view -ViewKanban=Kanban view -Mandatory=Mandatory -Hello=Hello -GoodBye=GoodBye -Sincerely=Sincerely -ConfirmDeleteObject=Are you sure you want to delete this object? -DeleteLine=Delete line -ConfirmDeleteLine=Are you sure you want to delete this line? -ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. -NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record -TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. -NoRecordSelected=No record selected -MassFilesArea=Area for files built by mass actions -ShowTempMassFilesArea=Show area of files built by mass actions -ConfirmMassDeletion=Bulk Delete confirmation -ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record(s)? -RelatedObjects=Related Objects -ClassifyBilled=Classify billed -ClassifyUnbilled=Classify unbilled -Progress=Progress -ProgressShort=Progr. -FrontOffice=Front office -BackOffice=Back office -Submit=Submit -View=View +ViewList=তালিকা দেখুন +ViewGantt=গ্যান্ট ভিউ +ViewKanban=কানবন দৃশ্য +Mandatory=বাধ্যতামূলক +Hello=হ্যালো +GoodBye=বিদায় +Sincerely=আন্তরিকভাবে +ConfirmDeleteObject=আপনি কি এই বস্তুটি মুছে ফেলার বিষয়ে নিশ্চিত? +DeleteLine=লাইন মুছুন +ConfirmDeleteLine=আপনি কি এই লাইনটি মুছতে চান? +ErrorPDFTkOutputFileNotFound=ত্রুটি: ফাইল তৈরি করা হয়নি. অনুগ্রহ করে পরীক্ষা করুন যে 'pdftk' কমান্ড $PATH এনভায়রনমেন্ট ভেরিয়েবল (শুধুমাত্র linux/unix) এর অন্তর্ভুক্ত একটি ডিরেক্টরিতে ইনস্টল করা আছে বা আপনার সিস্টেম প্রশাসকের সাথে যোগাযোগ করুন। +NoPDFAvailableForDocGenAmongChecked=চেক করা রেকর্ডের মধ্যে নথি তৈরির জন্য কোনো পিডিএফ উপলব্ধ ছিল না +TooManyRecordForMassAction=গণ ক্রিয়াকলাপের জন্য অনেকগুলি রেকর্ড নির্বাচন করা হয়েছে৷ ক্রিয়াটি %s রেকর্ডের তালিকার মধ্যে সীমাবদ্ধ। +NoRecordSelected=কোনো রেকর্ড নির্বাচন করা হয়নি +MassFilesArea=গণ ক্রিয়া দ্বারা নির্মিত ফাইলের জন্য এলাকা +ShowTempMassFilesArea=ভর ক্রিয়া দ্বারা নির্মিত ফাইলের এলাকা দেখান +ConfirmMassDeletion=বাল্ক মুছে ফেলা নিশ্চিতকরণ +ConfirmMassDeletionQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) মুছতে চান? +ConfirmMassClone=বাল্ক ক্লোন নিশ্চিতকরণ +ConfirmMassCloneQuestion=ক্লোন করার জন্য প্রকল্প নির্বাচন করুন +ConfirmMassCloneToOneProject=প্রকল্পের ক্লোন %s +RelatedObjects=সম্পর্কিত বস্তু +ClassifyBilled=শ্রেণীবদ্ধ বিল করা +ClassifyUnbilled=বিলবিহীন শ্রেণিবদ্ধ করুন +Progress=অগ্রগতি +ProgressShort=প্রোগ্রাম +FrontOffice=সামনে অফিস +BackOffice=ব্যাক অফিস +Submit=জমা দিন +View=দেখুন Export=Export +Import=আমদানি Exports=Exports -ExportFilteredList=Export filtered list -ExportList=Export list -ExportOptions=Export Options -IncludeDocsAlreadyExported=Include docs already exported -ExportOfPiecesAlreadyExportedIsEnable=Export of pieces already exported is enable -ExportOfPiecesAlreadyExportedIsDisable=Export of pieces already exported is disable -AllExportedMovementsWereRecordedAsExported=All exported movements were recorded as exported -NotAllExportedMovementsCouldBeRecordedAsExported=Not all exported movements could be recorded as exported -Miscellaneous=Miscellaneous -Calendar=Calendar -GroupBy=Group by... -ViewFlatList=View flat list -ViewAccountList=View ledger -ViewSubAccountList=View subaccount ledger -RemoveString=Remove string '%s' -SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. -DirectDownloadLink=Public download link -PublicDownloadLinkDesc=Only the link is required to download the file -DirectDownloadInternalLink=Private download link -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file -Download=Download -DownloadDocument=Download document -DownloadSignedDocument=Download signed document -ActualizeCurrency=Update currency rate -Fiscalyear=Fiscal year -ModuleBuilder=Module and Application Builder -SetMultiCurrencyCode=Set currency -BulkActions=Bulk actions -ClickToShowHelp=Click to show tooltip help -WebSite=Website -WebSites=Websites -WebSiteAccounts=Website accounts -ExpenseReport=Expense report -ExpenseReports=Expense reports -HR=HR -HRAndBank=HR and Bank -AutomaticallyCalculated=Automatically calculated -TitleSetToDraft=Go back to draft -ConfirmSetToDraft=Are you sure you want to go back to Draft status? -ImportId=Import id -Events=Events -EMailTemplates=Email templates -FileNotShared=File not shared to external public -Project=Project -Projects=Projects -LeadOrProject=Lead | Project -LeadsOrProjects=Leads | Projects -Lead=Lead -Leads=Leads -ListOpenLeads=List open leads -ListOpenProjects=List open projects -NewLeadOrProject=New lead or project -Rights=Permissions -LineNb=Line no. +ExportFilteredList=ফিল্টার করা তালিকা রপ্তানি করুন +ExportList=রপ্তানি তালিকা +ExportOptions=রপ্তানি বিকল্প +IncludeDocsAlreadyExported=ইতিমধ্যে রপ্তানি করা ডক্স অন্তর্ভুক্ত করুন৷ +ExportOfPiecesAlreadyExportedIsEnable=ইতিমধ্যে রপ্তানি করা নথিগুলি দৃশ্যমান এবং রপ্তানি করা হবে৷ +ExportOfPiecesAlreadyExportedIsDisable=ইতিমধ্যে রপ্তানি করা নথিগুলি লুকানো আছে এবং রপ্তানি করা হবে না৷ +AllExportedMovementsWereRecordedAsExported=সমস্ত রপ্তানি আন্দোলন রপ্তানি হিসাবে রেকর্ড করা হয়েছিল +NotAllExportedMovementsCouldBeRecordedAsExported=সব রপ্তানি আন্দোলন রপ্তানি হিসাবে রেকর্ড করা যাবে না +Miscellaneous=বিবিধ +Calendar=ক্যালেন্ডার +GroupBy=গ্রুপ করে... +GroupByX=%s অনুসারে গ্রুপ +ViewFlatList=ফ্ল্যাট তালিকা দেখুন +ViewAccountList=খাতা দেখুন +ViewSubAccountList=উপ-অ্যাকাউন্ট লেজার দেখুন +RemoveString='%s' স্ট্রিং সরান +SomeTranslationAreUncomplete=অফার করা কিছু ভাষা শুধুমাত্র আংশিকভাবে অনুবাদ করা হতে পারে বা ত্রুটি থাকতে পারে। অনুগ্রহ করে https://transifex.com/projects/p/dolibarr/-এ নিবন্ধন করে আপনার ভাষা সংশোধন করতে সাহায্য করুন আপনার উন্নতি যোগ করুন। +DirectDownloadLink=পাবলিক ডাউনলোড লিঙ্ক +PublicDownloadLinkDesc=ফাইলটি ডাউনলোড করার জন্য শুধুমাত্র লিঙ্কটি প্রয়োজন +DirectDownloadInternalLink=ব্যক্তিগত ডাউনলোড লিঙ্ক +PrivateDownloadLinkDesc=আপনাকে লগ ইন করতে হবে এবং ফাইলটি দেখতে বা ডাউনলোড করার জন্য আপনার অনুমতি প্রয়োজন৷ +Download=ডাউনলোড করুন +DownloadDocument=ডকুমেন্ট ডাউনলোড করুন +DownloadSignedDocument=স্বাক্ষরিত নথি ডাউনলোড করুন +ActualizeCurrency=মুদ্রার হার আপডেট করুন +Fiscalyear=অর্থবছর +ModuleBuilder=মডিউল এবং অ্যাপ্লিকেশন নির্মাতা +SetMultiCurrencyCode=মুদ্রা সেট করুন +BulkActions=বিপুল কর্ম +ClickToShowHelp=টুলটিপ সাহায্য দেখানোর জন্য ক্লিক করুন +WebSite=ওয়েবসাইট +WebSites=ওয়েবসাইট +WebSiteAccounts=ওয়েব অ্যাক্সেস অ্যাকাউন্ট +ExpenseReport=ব্যয় রিপোর্ট +ExpenseReports=খরচ রিপোর্ট +HR=এইচআর +HRAndBank=এইচআর এবং ব্যাংক +AutomaticallyCalculated=স্বয়ংক্রিয়ভাবে গণনা করা হয় +TitleSetToDraft=খসড়ায় ফিরে যান +ConfirmSetToDraft=আপনি কি খসড়া স্ট্যাটাসে ফিরে যেতে চান? +ImportId=আইডি আমদানি করুন +Events=ঘটনা +EMailTemplates=ইমেল টেমপ্লেট +FileNotShared=ফাইল বহিরাগত পাবলিক শেয়ার করা হয় না +Project=প্রকল্প +Projects=প্রকল্প +LeadOrProject=লিড | প্রকল্প +LeadsOrProjects=লিড | প্রকল্প +Lead=সীসা +Leads=নেতৃত্ব দেয় +ListOpenLeads=তালিকা খোলা লিড +ListOpenProjects=খোলা প্রকল্প তালিকা +NewLeadOrProject=নতুন নেতৃত্ব বা প্রকল্প +Rights=অনুমতি +LineNb=লাইন নং। IncotermLabel=Incoterms -TabLetteringCustomer=Customer lettering -TabLetteringSupplier=Vendor lettering -Monday=Monday -Tuesday=Tuesday -Wednesday=Wednesday -Thursday=Thursday -Friday=Friday -Saturday=Saturday -Sunday=Sunday -MondayMin=Mo -TuesdayMin=Tu -WednesdayMin=We -ThursdayMin=Th +TabLetteringCustomer=গ্রাহকের চিঠিপত্র +TabLetteringSupplier=বিক্রেতা চিঠিপত্র +Monday=সোমবার +Tuesday=মঙ্গলবার +Wednesday=বুধবার +Thursday=বৃহস্পতিবার +Friday=শুক্রবার +Saturday=শনিবার +Sunday=রবিবার +MondayMin=মো +TuesdayMin=তু +WednesdayMin=আমরা +ThursdayMin=ম FridayMin=Fr -SaturdayMin=Sa -SundayMin=Su -Day1=Monday -Day2=Tuesday -Day3=Wednesday -Day4=Thursday -Day5=Friday -Day6=Saturday -Day0=Sunday -ShortMonday=M -ShortTuesday=T -ShortWednesday=W -ShortThursday=T -ShortFriday=F -ShortSaturday=S -ShortSunday=S -one=one -two=two -three=three -four=four -five=five -six=six -seven=seven -eight=eight -nine=nine -ten=ten -eleven=eleven -twelve=twelve -thirteen=thirdteen -fourteen=fourteen -fifteen=fifteen -sixteen=sixteen -seventeen=seventeen -eighteen=eighteen -nineteen=nineteen -twenty=twenty -thirty=thirty -forty=forty -fifty=fifty -sixty=sixty -seventy=seventy -eighty=eighty -ninety=ninety -hundred=hundred -thousand=thousand -million=million -billion=billion -trillion=trillion +SaturdayMin=সা +SundayMin=সু +Day1=সোমবার +Day2=মঙ্গলবার +Day3=বুধবার +Day4=বৃহস্পতিবার +Day5=শুক্রবার +Day6=শনিবার +Day0=রবিবার +ShortMonday=এম +ShortTuesday=টি +ShortWednesday=ডব্লিউ +ShortThursday=টি +ShortFriday=চ +ShortSaturday=এস +ShortSunday=এস +one=এক +two=দুই +three=তিন +four=চার +five=পাঁচ +six=ছয় +seven=সাত +eight=আট +nine=নয়টি +ten=দশ +eleven=এগারো +twelve=বারো +thirteen=তৃতীয় +fourteen=চৌদ্দ +fifteen=পনের +sixteen=ষোল +seventeen=সতের +eighteen=আঠার +nineteen=উনিশ +twenty=বিশ +thirty=ত্রিশ +forty=চল্লিশ +fifty=পঞ্চাশ +sixty=ষাট +seventy=সত্তর +eighty=আশি +ninety=নব্বই +hundred=শত +thousand=হাজার +million=মিলিয়ন +billion=বিলিয়ন +trillion=ট্রিলিয়ন quadrillion=quadrillion -SelectMailModel=Select an email template -SetRef=Set ref -Select2ResultFoundUseArrows=Some results found. Use arrows to select. -Select2NotFound=No result found -Select2Enter=Enter -Select2MoreCharacter=or more character -Select2MoreCharacters=or more characters -Select2MoreCharactersMore=Search syntax:
      | OR (a|b)
      * Any character (a*b)
      ^ Start with (^ab)
      $ End with (ab$)
      -Select2LoadingMoreResults=Loading more results... -Select2SearchInProgress=Search in progress... -SearchIntoThirdparties=Third parties -SearchIntoContacts=Contacts -SearchIntoMembers=Members -SearchIntoUsers=Users -SearchIntoProductsOrServices=Products or services -SearchIntoBatch=Lots / Serials -SearchIntoProjects=Projects -SearchIntoMO=Manufacturing Orders -SearchIntoTasks=Tasks +SelectMailModel=একটি ইমেল টেমপ্লেট নির্বাচন করুন +SetRef=রেফ সেট করুন +Select2ResultFoundUseArrows=কিছু ফলাফল পাওয়া গেছে। নির্বাচন করতে তীর ব্যবহার করুন। +Select2NotFound=কোন ফলাফল পাওয়া যায়নি +Select2Enter=প্রবেশ করুন +Select2MoreCharacter=বা আরও চরিত্র +Select2MoreCharacters=বা আরও অক্ষর +Select2MoreCharactersMore=অনুসন্ধান সিনট্যাক্স:
      'notranslate>'notranslate' |b0860de534daf0 notranslate'>
      OR (a|b)
      b061d061d /span>* যেকোনো অক্ষর (a*b)
      b06aecd0207 span>^ দিয়ে শুরু করুন (^ab)
      b03aecd01>b03aecd20 $b061d061d (ab$)
      দিয়ে শেষ করুন +Select2LoadingMoreResults=আরও ফলাফল লোড হচ্ছে... +Select2SearchInProgress=অনুসন্ধান চলছে... +SearchIntoThirdparties=তৃতীয় পক্ষ +SearchIntoContacts=পরিচিতি +SearchIntoMembers=সদস্যরা +SearchIntoUsers=ব্যবহারকারীদের +SearchIntoProductsOrServices=পণ্য বা পরিষেবা +SearchIntoBatch=প্রচুর / সিরিয়াল +SearchIntoProjects=প্রকল্প +SearchIntoMO=ম্যানুফ্যাকচারিং অর্ডার +SearchIntoTasks=কাজ SearchIntoCustomerInvoices=Customer invoices -SearchIntoSupplierInvoices=Vendor invoices -SearchIntoCustomerOrders=Sales orders -SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Commercial proposals -SearchIntoSupplierProposals=Vendor proposals -SearchIntoInterventions=Interventions -SearchIntoContracts=Contracts -SearchIntoCustomerShipments=Customer shipments -SearchIntoExpenseReports=Expense reports -SearchIntoLeaves=Leave -SearchIntoKM=Knowledge base -SearchIntoTickets=Tickets -SearchIntoCustomerPayments=Customer payments -SearchIntoVendorPayments=Vendor payments -SearchIntoMiscPayments=Miscellaneous payments -CommentLink=Comments -NbComments=Number of comments -CommentPage=Comments space -CommentAdded=Comment added -CommentDeleted=Comment deleted -Everybody=Everybody -PayedBy=Paid by -PayedTo=Paid to -Monthly=Monthly -Quarterly=Quarterly -Annual=Annual -Local=Local -Remote=Remote -LocalAndRemote=Local and Remote -KeyboardShortcut=Keyboard shortcut -AssignedTo=Assigned to -Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft mass delete confirmation -FileSharedViaALink=File shared with a public link -SelectAThirdPartyFirst=Select a third party first... -YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode -Inventory=Inventory -AnalyticCode=Analytic code -TMenuMRP=MRP -ShowCompanyInfos=Show company infos -ShowMoreInfos=Show More Infos -NoFilesUploadedYet=Please upload a document first -SeePrivateNote=See private note -PaymentInformation=Payment information -ValidFrom=Valid from -ValidUntil=Valid until -NoRecordedUsers=No users -ToClose=To close -ToRefuse=To refuse -ToProcess=To process -ToApprove=To approve -GlobalOpenedElemView=Global view -NoArticlesFoundForTheKeyword=No article found for the keyword '%s' -NoArticlesFoundForTheCategory=No article found for the category -ToAcceptRefuse=To accept | refuse -ContactDefault_agenda=Event +SearchIntoSupplierInvoices=বিক্রেতা চালান +SearchIntoCustomerOrders=বিক্রয় আদেশ +SearchIntoSupplierOrders=ক্রয় আদেশ +SearchIntoCustomerProposals=বাণিজ্যিক প্রস্তাব +SearchIntoSupplierProposals=বিক্রেতা প্রস্তাব +SearchIntoInterventions=হস্তক্ষেপ +SearchIntoContracts=চুক্তি +SearchIntoCustomerShipments=গ্রাহক চালান +SearchIntoExpenseReports=খরচ রিপোর্ট +SearchIntoLeaves=ছেড়ে দিন +SearchIntoKM=জ্ঞানভিত্তিক +SearchIntoTickets=টিকিট +SearchIntoCustomerPayments=গ্রাহক পেমেন্ট +SearchIntoVendorPayments=বিক্রেতা পেমেন্ট +SearchIntoMiscPayments=বিবিধ অর্থপ্রদান +CommentLink=মন্তব্য +NbComments=মন্তব্য সংখ্যা +CommentPage=মন্তব্য স্থান +CommentAdded=মন্তব্য যোগ করা হয়েছে +CommentDeleted=মন্তব্য মুছে ফেলা হয়েছে +Everybody=সবাই +EverybodySmall=সবাই +PayedBy=দ্বারা পরিশোধ করা হয় +PayedTo=দেওয়া +Monthly=মাসিক +Quarterly=ত্রৈমাসিক +Annual=বার্ষিক +Local=স্থানীয় +Remote=দূরবর্তী +LocalAndRemote=স্থানীয় এবং দূরবর্তী +KeyboardShortcut=কীবোর্ড শর্টকাট +AssignedTo=নির্ধারিত +Deletedraft=খসড়া মুছুন +ConfirmMassDraftDeletion=খসড়া ভর মুছে ফেলা নিশ্চিতকরণ +FileSharedViaALink=লিঙ্কের মাধ্যমে পাবলিক ফাইল শেয়ার করা হয়েছে +SelectAThirdPartyFirst=প্রথমে একটি তৃতীয় পক্ষ নির্বাচন করুন... +YouAreCurrentlyInSandboxMode=আপনি বর্তমানে %s "স্যান্ডবক্স" মোডে আছেন +Inventory=ইনভেন্টরি +AnalyticCode=বিশ্লেষণাত্মক কোড +TMenuMRP=এমআরপি +ShowCompanyInfos=কোম্পানির তথ্য দেখান +ShowMoreInfos=আরো তথ্য দেখান +NoFilesUploadedYet=প্রথমে একটি নথি আপলোড করুন +SeePrivateNote=ব্যক্তিগত নোট দেখুন +PaymentInformation=পেমেন্ট তথ্য +ValidFrom=বৈধ হবে +ValidUntil=বৈধতার সীমা +NoRecordedUsers=কোনো ব্যবহারকারী নেই +ToClose=কাছে +ToRefuse=প্রত্যাখ্যান করা +ToProcess=প্রক্রিয়া করতে +ToApprove=অনুমোদন +GlobalOpenedElemView=গ্লোবাল ভিউ +NoArticlesFoundForTheKeyword='%s' কীওয়ার্ডের জন্য কোনো নিবন্ধ পাওয়া যায়নি +NoArticlesFoundForTheCategory=বিভাগের জন্য কোন নিবন্ধ পাওয়া যায়নি +ToAcceptRefuse=গ্রহণ করতে | প্রত্যাখ্যান +ContactDefault_agenda=ঘটনা ContactDefault_commande=Order -ContactDefault_contrat=Contract +ContactDefault_contrat=চুক্তি ContactDefault_facture=Invoice -ContactDefault_fichinter=Intervention -ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Purchase Order -ContactDefault_project=Project -ContactDefault_project_task=Task -ContactDefault_propal=Proposal -ContactDefault_supplier_proposal=Supplier Proposal -ContactDefault_ticket=Ticket -ContactAddedAutomatically=Contact added from contact thirdparty roles -More=More -ShowDetails=Show details -CustomReports=Custom reports -StatisticsOn=Statistics on -SelectYourGraphOptionsFirst=Select your graph options to build a graph -Measures=Measures -XAxis=X-Axis -YAxis=Y-Axis -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? -ShowOtherLanguages=Show other languages -SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language -NotUsedForThisCustomer=Not used for this customer -AmountMustBePositive=Amount must be positive -ByStatus=By status -InformationMessage=Information -Used=Used -ASAP=As Soon As Possible -CREATEInDolibarr=Record %s created -MODIFYInDolibarr=Record %s modified -DELETEInDolibarr=Record %s deleted -VALIDATEInDolibarr=Record %s validated -APPROVEDInDolibarr=Record %s approved -DefaultMailModel=Default Mail Model -PublicVendorName=Public name of vendor -DateOfBirth=Date of birth -SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again. -UpToDate=Up-to-date -OutOfDate=Out-of-date -EventReminder=Event Reminder -UpdateForAllLines=Update for all lines -OnHold=On hold -Civility=Civility -AffectTag=Assign Tag -AffectUser=Assign User -SetSupervisor=Set Supervisor -CreateExternalUser=Create external user -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project -TasksRole=Role assigned on each task of each project -ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records -Rate=Rate -SupervisorNotFound=Supervisor not found -CopiedToClipboard=Copied to clipboard -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. -ConfirmCancel=Are you sure you want to cancel -EmailMsgID=Email MsgID -EmailDate=Email date -SetToStatus=Set to status %s -SetToEnabled=Set to enabled -SetToDisabled=Set to disabled -ConfirmMassEnabling=mass enabling confirmation -ConfirmMassEnablingQuestion=Are you sure you want to enable the %s selected record(s)? -ConfirmMassDisabling=mass disabling confirmation -ConfirmMassDisablingQuestion=Are you sure you want to disable the %s selected record(s)? -RecordsEnabled=%s record(s) enabled -RecordsDisabled=%s record(s) disabled -RecordEnabled=Record enabled -RecordDisabled=Record disabled -Forthcoming=Forthcoming -Currently=Currently -ConfirmMassLeaveApprovalQuestion=Are you sure you want to approve the %s selected record(s)? -ConfirmMassLeaveApproval=Mass leave approval confirmation -RecordAproved=Record approved -RecordsApproved=%s Record(s) approved -Properties=Properties -hasBeenValidated=%s has been validated -ClientTZ=Client Time Zone (user) -NotClosedYet=Not yet closed -ClearSignature=Reset signature -CanceledHidden=Canceled hidden -CanceledShown=Canceled shown -Terminate=Terminate -Terminated=Terminated -AddLineOnPosition=Add line on position (at the end if empty) -ConfirmAllocateCommercial=Assign sales representative confirmation -ConfirmAllocateCommercialQuestion=Are you sure you want to assign the %s selected record(s)? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned -YourMessage=Your message -YourMessageHasBeenReceived=Your message has been received. We will answer or contact you as soon as possible. -UrlToCheck=Url to check -Automation=Automation -CreatedByEmailCollector=Created by Email collector -CreatedByPublicPortal=Created from Public portal -UserAgent=User Agent -InternalUser=Internal user -ExternalUser=External user +ContactDefault_fichinter=হস্তক্ষেপ +ContactDefault_invoice_supplier=সরবরাহকারী চালান +ContactDefault_order_supplier=ক্রয় আদেশ +ContactDefault_project=প্রকল্প +ContactDefault_project_task=টাস্ক +ContactDefault_propal=প্রস্তাব +ContactDefault_supplier_proposal=সরবরাহকারীর প্রস্তাব +ContactDefault_ticket=টিকিট +ContactAddedAutomatically=তৃতীয় পক্ষের পরিচিতি ভূমিকা থেকে পরিচিতি যোগ করা হয়েছে +More=আরও +ShowDetails=বিস্তারিত দেখাও +CustomReports=কাস্টম রিপোর্ট +StatisticsOn=পরিসংখ্যান চালু +SelectYourGraphOptionsFirst=একটি গ্রাফ তৈরি করতে আপনার গ্রাফ বিকল্পগুলি নির্বাচন করুন +Measures=পরিমাপ +XAxis=এক্স-অক্ষ +YAxis=Y-অক্ষ +StatusOfRefMustBe=%s এর স্ট্যাটাস অবশ্যই %s হতে হবে +DeleteFileHeader=ফাইল মুছে ফেলা নিশ্চিত করুন +DeleteFileText=আপনি কি সত্যিই এই ফাইলটি মুছে ফেলতে চান? +ShowOtherLanguages=অন্যান্য ভাষা দেখান +SwitchInEditModeToAddTranslation=এই ভাষার জন্য অনুবাদ যোগ করতে সম্পাদনা মোডে স্যুইচ করুন +NotUsedForThisCustomer=এই গ্রাহকের জন্য ব্যবহার করা হয় না +NotUsedForThisVendor=এই বিক্রেতার জন্য ব্যবহার করা হয় না +AmountMustBePositive=পরিমাণ অবশ্যই ধনাত্মক হতে হবে +ByStatus=স্ট্যাটাস দ্বারা +InformationMessage=তথ্য +Used=ব্যবহৃত +ASAP=যত দ্রুত সম্ভব +CREATEInDolibarr=রেকর্ড %s তৈরি করা হয়েছে +MODIFYInDolibarr=রেকর্ড %s পরিবর্তিত +DELETEInDolibarr=রেকর্ড %s মুছে ফেলা হয়েছে +VALIDATEInDolibarr=রেকর্ড %s বৈধ +APPROVEDInDolibarr=রেকর্ড %s অনুমোদিত +DefaultMailModel=ডিফল্ট মেল মডেল +PublicVendorName=বিক্রেতার সর্বজনীন নাম +DateOfBirth=জন্ম তারিখ +SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=নিরাপত্তা টোকেনের মেয়াদ শেষ হয়ে গেছে, তাই অ্যাকশন বাতিল করা হয়েছে। অনুগ্রহপূর্বক আবার চেষ্টা করুন. +UpToDate=আপ টু ডেট +OutOfDate=পুরানো +EventReminder=ইভেন্ট অনুস্মারক +UpdateForAllLines=সব লাইনের জন্য আপডেট +OnHold=স্হগিত +Civility=সভ্যতা +AffectTag=একটি ট্যাগ বরাদ্দ করুন +AffectUser=একজন ব্যবহারকারীকে বরাদ্দ করুন +SetSupervisor=সুপারভাইজার সেট করুন +CreateExternalUser=বাহ্যিক ব্যবহারকারী তৈরি করুন +ConfirmAffectTag=বাল্ক ট্যাগ অ্যাসাইনমেন্ট +ConfirmAffectUser=বাল্ক ইউজার অ্যাসাইনমেন্ট +ProjectRole=প্রতিটি প্রকল্প/সুযোগের উপর দায়িত্ব বরাদ্দ করা হয়েছে +TasksRole=প্রতিটি টাস্কে ভূমিকা বরাদ্দ করা হয়েছে (যদি ব্যবহার করা হয়) +ConfirmSetSupervisor=বাল্ক সুপারভাইজার সেট +ConfirmUpdatePrice=দাম বৃদ্ধি/কমানোর হার বেছে নিন +ConfirmAffectTagQuestion=আপনি কি নিশ্চিত যে আপনি %s নির্বাচিত রেকর্ড(গুলি) ট্যাগ বরাদ্দ করতে চান? +ConfirmAffectUserQuestion=আপনি কি নিশ্চিত যে আপনি %s নির্বাচিত রেকর্ড(গুলি) ব্যবহারকারীদের বরাদ্দ করতে চান? +ConfirmSetSupervisorQuestion=আপনি কি নির্বাচিত রেকর্ড(গুলি) %s সুপারভাইজার সেট করতে চান? +ConfirmUpdatePriceQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) এর মূল্য আপডেট করার বিষয়ে নিশ্চিত? +CategTypeNotFound=রেকর্ডের ধরনের জন্য কোন ট্যাগ টাইপ পাওয়া যায়নি +Rate=হার +SupervisorNotFound=সুপারভাইজার পাওয়া যায়নি +CopiedToClipboard=ক্লিপবোর্ডে কপি করা হয়েছে +InformationOnLinkToContract=এই পরিমাণ শুধুমাত্র চুক্তির সমস্ত লাইনের মোট। সময়ের কোন ধারণা বিবেচনায় নেওয়া হয় না। +ConfirmCancel=আপনি বাতিল করতে চান +EmailMsgID=ইমেল MsgID +EmailDate=ইমেল তারিখ +SetToStatus=স্ট্যাটাসে সেট করুন %s +SetToEnabled=সক্রিয় হিসাবে সেট করুন৷ +SetToDisabled=অক্ষম হিসাবে সেট করুন +ConfirmMassEnabling=ভর সক্ষম নিশ্চিতকরণ +ConfirmMassEnablingQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) সক্ষম করার বিষয়ে নিশ্চিত? +ConfirmMassDisabling=ভর নিষ্ক্রিয় নিশ্চিতকরণ +ConfirmMassDisablingQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) নিষ্ক্রিয় করার বিষয়ে নিশ্চিত? +RecordsEnabled=%s রেকর্ড(গুলি) সক্ষম +RecordsDisabled=%s রেকর্ড(গুলি) নিষ্ক্রিয় +RecordEnabled=রেকর্ড সক্ষম +RecordDisabled=রেকর্ড নিষ্ক্রিয় +Forthcoming=আসন্ন +Currently=বর্তমানে +ConfirmMassLeaveApprovalQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) অনুমোদন করার বিষয়ে নিশ্চিত? +ConfirmMassLeaveApproval=গণ ছুটি অনুমোদন নিশ্চিতকরণ +RecordAproved=রেকর্ড অনুমোদিত +RecordsApproved=%s রেকর্ড(গুলি) অনুমোদিত +Properties=বৈশিষ্ট্য +hasBeenValidated=%s যাচাই করা হয়েছে +ClientTZ=ক্লায়েন্ট টাইম জোন (ব্যবহারকারী) +NotClosedYet=এখনো বন্ধ হয়নি +ClearSignature=স্বাক্ষর রিসেট করুন +CanceledHidden=বাতিল লুকানো +CanceledShown=বাতিল দেখানো হয়েছে +Terminate=সমাপ্ত করুন +Terminated=সমাপ্ত +AddLineOnPosition=অবস্থানে লাইন যোগ করুন (শেষে যদি খালি থাকে) +ConfirmAllocateCommercial=বিক্রয় প্রতিনিধি নিশ্চিতকরণ বরাদ্দ করুন +ConfirmAllocateCommercialQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) বরাদ্দ করার বিষয়ে নিশ্চিত? +CommercialsAffected=বিক্রয় প্রতিনিধি নিয়োগ +CommercialAffected=বিক্রয় প্রতিনিধি নিয়োগ +YourMessage=তোমার বার্তা +YourMessageHasBeenReceived=আপনার বার্তা গৃহীত হয়েছে। আমরা যত তাড়াতাড়ি সম্ভব উত্তর দেব বা আপনার সাথে যোগাযোগ করব। +UrlToCheck=চেক করার জন্য ইউআরএল +Automation=অটোমেশন +CreatedByEmailCollector=ইমেল সংগ্রাহক দ্বারা নির্মিত +CreatedByPublicPortal=পাবলিক পোর্টাল থেকে তৈরি +UserAgent=ব্যবহারিক দূত +InternalUser=অভ্যন্তরীণ ব্যবহারকারী +ExternalUser=বহিরাগত ব্যবহারকারী +NoSpecificContactAddress=কোনো নির্দিষ্ট যোগাযোগ বা ঠিকানা নেই +NoSpecificContactAddressBis=এই ট্যাবটি বর্তমান বস্তুর জন্য নির্দিষ্ট পরিচিতি বা ঠিকানা জোর করার জন্য নিবেদিত। আপনি যদি বস্তুর জন্য এক বা একাধিক নির্দিষ্ট পরিচিতি বা ঠিকানা নির্ধারণ করতে চান তখনই এটি ব্যবহার করুন যখন তৃতীয় পক্ষের তথ্য যথেষ্ট নয় বা সঠিক নয়। +HideOnVCard=লুকান %s +AddToContacts=আমার পরিচিতি ঠিকানা যোগ করুন +LastAccess=শেষ অ্যাক্সেস +UploadAnImageToSeeAPhotoHere=এখানে একটি ফটো দেখতে %s ট্যাব থেকে একটি ছবি আপলোড করুন +LastPasswordChangeDate=শেষ পাসওয়ার্ড পরিবর্তনের তারিখ +PublicVirtualCardUrl=ভার্চুয়াল ব্যবসা কার্ড পৃষ্ঠা URL +PublicVirtualCard=ভার্চুয়াল বিজনেস কার্ড +TreeView=গাছ দেখুন +DropFileToAddItToObject=এই বস্তুতে এটি যোগ করতে একটি ফাইল ড্রপ করুন +UploadFileDragDropSuccess=ফাইল(গুলি) সফলভাবে আপলোড করা হয়েছে৷ +SearchSyntaxTooltipForStringOrNum=পাঠ্য ক্ষেত্রের ভিতরে অনুসন্ধানের জন্য, আপনি ^ বা $ অক্ষর ব্যবহার করে একটি 'শুরু বা শেষ দিয়ে' অনুসন্ধান করতে পারেন বা ব্যবহার করতে পারেন ! একটি 'ধারণ করে না' পরীক্ষা করতে। আপনি | ব্যবহার করতে পারেন দুটি স্ট্রিংয়ের মধ্যে 'AND'-এর পরিবর্তে 'OR' অবস্থার জন্য একটি স্থানের পরিবর্তে। সাংখ্যিক মানের জন্য, আপনি একটি গাণিতিক তুলনা ব্যবহার করে ফিল্টার করতে <, >, <=, >= বা != মানের আগে অপারেটর ব্যবহার করতে পারেন +InProgress=চলমান +DateOfPrinting=মুদ্রণের তারিখ +ClickFullScreenEscapeToLeave=ফুল স্ক্রিন মোডে স্যুইচ করতে এখানে ক্লিক করুন। ফুল স্ক্রিন মোড ছেড়ে যেতে ESCAPE টিপুন। +UserNotYetValid=এখনো বৈধ নয় +UserExpired=মেয়াদোত্তীর্ণ +LinkANewFile=Link a new file/document +LinkedFiles=Linked files and documents +NoLinkFound=No registered links +LinkComplete=The file has been linked successfully +ErrorFileNotLinked=The file could not be linked +LinkRemoved=The link %s has been removed +ErrorFailedToDeleteLink= Failed to remove link '%s' +ErrorFailedToUpdateLink= Failed to update link '%s' +URLToLink=URL to link +OverwriteIfExists=ফাইল বিদ্যমান থাকলে ওভাররাইট করুন +AmountSalary=বেতনের পরিমাণ +InvoiceSubtype=চালান সাবটাইপ +ConfirmMassReverse=বাল্ক বিপরীত নিশ্চিতকরণ +ConfirmMassReverseQuestion=আপনি কি %s নির্বাচিত রেকর্ড (গুলি) বিপরীত করতে চান? + diff --git a/htdocs/langs/bn_BD/margins.lang b/htdocs/langs/bn_BD/margins.lang index a91b139ec7b..8bfd92ca8b2 100644 --- a/htdocs/langs/bn_BD/margins.lang +++ b/htdocs/langs/bn_BD/margins.lang @@ -6,6 +6,7 @@ TotalMargin=Total Margin MarginOnProducts=Margin / Products MarginOnServices=Margin / Services MarginRate=Margin rate +ModifyMarginRates=মার্জিন হার পরিবর্তন করুন MarkRate=Mark rate DisplayMarginRates=Display margin rates DisplayMarkRates=Display mark rates @@ -16,30 +17,30 @@ MarginDetails=Margin details ProductMargins=Product margins CustomerMargins=Customer margins SalesRepresentativeMargins=Sales representative margins -ContactOfInvoice=Contact of invoice +ContactOfInvoice=চালান যোগাযোগ UserMargins=User margins ProductService=Product or Service AllProducts=All products and services ChooseProduct/Service=Choose product or service ForceBuyingPriceIfNull=Force buying/cost price to selling price if not defined -ForceBuyingPriceIfNullDetails=If buying/cost price not provided when we add a new line, and this option is "ON", the margin will be 0%% on the new line (buying/cost price = selling price). If this option is "OFF" (recommended), margin will be equal to the value suggested by default (and may be 100%% if no default value can be found). +ForceBuyingPriceIfNullDetails=যদি আমরা একটি নতুন লাইন যোগ করার সময় ক্রয়/মূল্য প্রদান না করা হয় এবং এই বিকল্পটি "চালু" থাকে, তাহলে মার্জিন হবে 0%% নতুন লাইনে (ক্রয়/খরচের দাম = বিক্রয় মূল্য). যদি এই বিকল্পটি "বন্ধ" হয় (প্রস্তাবিত), মার্জিন ডিফল্টভাবে প্রস্তাবিত মানের সমান হবে (এবং যদি কোনও ডিফল্ট মান পাওয়া না যায় তবে 100%% হতে পারে)। MARGIN_METHODE_FOR_DISCOUNT=Margin method for global discounts UseDiscountAsProduct=As a product UseDiscountAsService=As a service UseDiscountOnTotal=On subtotal MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Defines if a global discount is treated as a product, a service, or only on subtotal for margin calculation. MARGIN_TYPE=Buying/Cost price suggested by default for margin calculation -MargeType1=Margin on Best vendor price +MargeType1=সেরা বিক্রেতা মূল্য মার্জিন MargeType2=Margin on Weighted Average Price (WAP) MargeType3=Margin on Cost Price -MarginTypeDesc=* Margin on best buying price = Selling price - Best vendor price defined on product card
      * Margin on Weighted Average Price (WAP) = Selling price - Product Weighted Average Price (WAP) or best vendor price if WAP not yet defined
      * Margin on Cost price = Selling price - Cost price defined on product card or WAP if cost price not defined, or best vendor price if WAP not yet defined +MarginTypeDesc=* সর্বোত্তম ক্রয় মূল্যের মার্জিন = বিক্রয় মূল্য - পণ্য কার্ডে সংজ্ঞায়িত সেরা বিক্রেতার মূল্য
      * ওজনযুক্ত গড় মূল্যের মার্জিন (WAP) = বিক্রয় মূল্য - পণ্যের ওজনযুক্ত গড় মূল্য (WAP) বা সেরা বিক্রেতার মূল্য যদি WAP এখনও সংজ্ঞায়িত না হয়
      * খরচ মূল্যের মার্জিন = বিক্রয় মূল্য - মূল্য মূল্য পণ্য কার্ডে সংজ্ঞায়িত করা হয় বা WAP-এ সংজ্ঞায়িত করা হয় যদি খরচের মূল্য সংজ্ঞায়িত করা না হয়, অথবা সেরা বিক্রেতার মূল্য যদি WAP এখনও সংজ্ঞায়িত করা হয়নি CostPrice=Cost price UnitCharges=Unit charges Charges=Charges AgentContactType=Commercial agent contact type -AgentContactTypeDetails=Define what contact type (linked on invoices) will be used for margin report per contact/address. Note that reading statistics on a contact is not reliable since in most cases the contact may not be defined explicitely on the invoices. +AgentContactTypeDetails=পরিচিতি/ঠিকানা প্রতি মার্জিন রিপোর্টের জন্য কোন যোগাযোগের ধরন (ইনভয়েসে লিঙ্ক করা) ব্যবহার করা হবে তা নির্ধারণ করুন। নোট করুন যে কোনও পরিচিতির পরিসংখ্যান পড়া নির্ভরযোগ্য নয় কারণ বেশিরভাগ ক্ষেত্রে যোগাযোগটি চালানগুলিতে স্পষ্টভাবে সংজ্ঞায়িত নাও হতে পারে। rateMustBeNumeric=Rate must be a numeric value markRateShouldBeLesserThan100=Mark rate should be lower than 100 ShowMarginInfos=Show margin infos CheckMargins=Margins detail -MarginPerSaleRepresentativeWarning=The report of margin per user use the link between third parties and sale representatives to calculate the margin of each sale representative. Because some thirdparties may not have any dedicated sale representative and some third parties may be linked to several, some amounts may not be included into this report (if there is no sale representative) and some may appear on different lines (for each sale representative). +MarginPerSaleRepresentativeWarning=প্রতি ব্যবহারকারীর মার্জিনের প্রতিবেদন প্রতিটি বিক্রয় প্রতিনিধির মার্জিন গণনা করতে তৃতীয় পক্ষ এবং বিক্রয় প্রতিনিধিদের মধ্যে লিঙ্ক ব্যবহার করে। কারণ কিছু তৃতীয় পক্ষের কোনো ডেডিকেটেড বিক্রয় প্রতিনিধি নাও থাকতে পারে এবং কিছু তৃতীয় পক্ষের একাধিক সাথে লিঙ্ক করা হতে পারে, কিছু পরিমাণ এই প্রতিবেদনে অন্তর্ভুক্ত নাও হতে পারে (যদি কোনো বিক্রয় প্রতিনিধি না থাকে) এবং কিছু ভিন্ন লাইনে উপস্থিত হতে পারে (প্রতিটি বিক্রয় প্রতিনিধির জন্য) . diff --git a/htdocs/langs/bn_BD/members.lang b/htdocs/langs/bn_BD/members.lang index cc063bee7cc..df666e76df1 100644 --- a/htdocs/langs/bn_BD/members.lang +++ b/htdocs/langs/bn_BD/members.lang @@ -1,243 +1,246 @@ # Dolibarr language file - Source file is en_US - members -MembersArea=Members area -MemberCard=Member card -SubscriptionCard=Subscription card -Member=Member -Members=Members -NoRecordedMembers=No recorded members -NoRecordedMembersByType=No recorded members -ShowMember=Show member card -UserNotLinkedToMember=User not linked to a member -ThirdpartyNotLinkedToMember=Third party not linked to a member -MembersTickets=Membership address sheet -FundationMembers=Foundation members -ListOfValidatedPublicMembers=List of validated public members -ErrorThisMemberIsNotPublic=This member is not public -ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, login: %s) is already linked to a third party %s. Remove this link first because a third party can't be linked to only a member (and vice versa). -ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. -SetLinkToUser=Link to a Dolibarr user -SetLinkToThirdParty=Link to a Dolibarr third party -MemberCountersArePublic=Counters of valid members are public -MembersCards=Generation of cards for members -MembersList=List of members -MembersListToValid=List of draft members (to be validated) -MembersListValid=List of valid members -MembersListUpToDate=List of valid members with up-to-date contribution -MembersListNotUpToDate=List of valid members with out-of-date contribution -MembersListExcluded=List of excluded members -MembersListResiliated=List of terminated members -MembersListQualified=List of qualified members -MembersShowMembershipTypesTable=Show a table of all available membership types (if no, show directly the registration form) -MembersShowVotesAllowed=Show whether votes are allowed, in the table of membership types -MenuMembersToValidate=Draft members -MenuMembersValidated=Validated members -MenuMembersExcluded=Excluded members -MenuMembersResiliated=Terminated members -MembersWithSubscriptionToReceive=Members with contribution to receive -MembersWithSubscriptionToReceiveShort=Contributions to receive -DateSubscription=Date of membership -DateEndSubscription=End date of membership -EndSubscription=End of membership -SubscriptionId=Contribution ID -WithoutSubscription=Without membership -WaitingSubscription=Membership pending +MembersArea=সদস্যদের এলাকা +MemberCard=সদস্য কার্ড +SubscriptionCard=সাবস্ক্রিপশন কার্ড +Member=সদস্য +Members=সদস্যরা +NoRecordedMembers=কোন নথিভুক্ত সদস্য +NoRecordedMembersByType=কোন নথিভুক্ত সদস্য +ShowMember=সদস্য কার্ড দেখান +UserNotLinkedToMember=ব্যবহারকারী একটি সদস্যের সাথে লিঙ্ক করা নেই +ThirdpartyNotLinkedToMember=তৃতীয় পক্ষ কোনো সদস্যের সাথে সংযুক্ত নয় +MembersTickets=সদস্যপদ ঠিকানা শীট +FundationMembers=ফাউন্ডেশনের সদস্যরা +ListOfValidatedPublicMembers=বৈধ পাবলিক সদস্যদের তালিকা +ErrorThisMemberIsNotPublic=এই সদস্য সর্বজনীন নয় +ErrorMemberIsAlreadyLinkedToThisThirdParty=অন্য সদস্য (নাম: %s, লগইন: %s) ইতিমধ্যেই একটি তৃতীয় পক্ষের সাথে লিঙ্ক করা আছে %s। প্রথমে এই লিঙ্কটি সরান কারণ একটি তৃতীয় পক্ষ শুধুমাত্র একজন সদস্যের সাথে লিঙ্ক করা যাবে না (এবং এর বিপরীতে)। +ErrorUserPermissionAllowsToLinksToItselfOnly=নিরাপত্তার কারণে, আপনার নয় এমন ব্যবহারকারীর সাথে সদস্যকে লিঙ্ক করতে সক্ষম হওয়ার জন্য আপনাকে অবশ্যই সমস্ত ব্যবহারকারীকে সম্পাদনা করার অনুমতি দিতে হবে। +SetLinkToUser=একটি Dolibarr ব্যবহারকারী লিঙ্ক +SetLinkToThirdParty=একটি Dolibarr তৃতীয় পক্ষের লিঙ্ক +MemberCountersArePublic=বৈধ সদস্যদের কাউন্টার সর্বজনীন +MembersCards=সদস্যদের জন্য কার্ড তৈরি করা +MembersList=সদস্যদের তালিকা +MembersListToValid=খসড়া সদস্যদের তালিকা (যা যাচাই করা হবে) +MembersListValid=বৈধ সদস্যদের তালিকা +MembersListUpToDate=আপ-টু-ডেট অবদান সহ বৈধ সদস্যদের তালিকা +MembersListNotUpToDate=মেয়াদোত্তীর্ণ অবদান সহ বৈধ সদস্যদের তালিকা +MembersListExcluded=বাদ পড়া সদস্যদের তালিকা +MembersListResiliated=বাতিল হওয়া সদস্যদের তালিকা +MembersListQualified=যোগ্য সদস্যদের তালিকা +MembersShowMembershipTypesTable=সমস্ত উপলব্ধ সদস্যতার প্রকারের একটি টেবিল দেখান (যদি না হয়, সরাসরি নিবন্ধন ফর্ম দেখান) +MembersShowVotesAllowed=সদস্যতার প্রকারের সারণীতে ভোট অনুমোদিত কিনা তা দেখান +MenuMembersToValidate=খসড়া সদস্য +MenuMembersValidated=বৈধ সদস্য +MenuMembersExcluded=বহিষ্কৃত সদস্য +MenuMembersResiliated=বরখাস্ত সদস্য +MembersWithSubscriptionToReceive=প্রাপ্তির অবদান সহ সদস্যদের +MembersWithSubscriptionToReceiveShort=অবদান গ্রহণ +DateSubscription=সদস্য হওয়ার তারিখ +DateEndSubscription=সদস্যতার শেষ তারিখ +EndSubscription=সদস্যপদ শেষ +SubscriptionId=অবদান আইডি +WithoutSubscription=সদস্যপদ ছাড়া +WaitingSubscription=সদস্যপদ মুলতুবি WaitingSubscriptionShort=Pending -MemberId=Member Id -MemberRef=Member Ref -NewMember=New member -MemberType=Member type -MemberTypeId=Member type id -MemberTypeLabel=Member type label -MembersTypes=Members types +MemberId=সদস্য আইডি +MemberRef=সদস্য রেফ +NewMember=নতুন সদেস্য +MemberType=সদস্যের ধরন +MemberTypeId=সদস্য টাইপ আইডি +MemberTypeLabel=সদস্য প্রকার লেবেল +MembersTypes=সদস্যদের প্রকার MemberStatusDraft=Draft (needs to be validated) MemberStatusDraftShort=Draft -MemberStatusActive=Validated (waiting contribution) +MemberStatusActive=বৈধ (অবদান অপেক্ষা) MemberStatusActiveShort=Validated -MemberStatusActiveLate=Contribution expired -MemberStatusActiveLateShort=Expired -MemberStatusPaid=Subscription up to date -MemberStatusPaidShort=Up to date -MemberStatusExcluded=Excluded member -MemberStatusExcludedShort=Excluded -MemberStatusResiliated=Terminated member -MemberStatusResiliatedShort=Terminated -MembersStatusToValid=Draft members -MembersStatusExcluded=Excluded members -MembersStatusResiliated=Terminated members -MemberStatusNoSubscription=Validated (no contribution required) +MemberStatusActiveLate=অবদানের মেয়াদ শেষ +MemberStatusActiveLateShort=মেয়াদোত্তীর্ণ +MemberStatusPaid=সদস্যতা আপ টু ডেট +MemberStatusPaidShort=আপ টু ডেট +MemberStatusExcluded=বাদ সদস্য +MemberStatusExcludedShort=ছাঁটা +MemberStatusResiliated=বরখাস্ত সদস্য +MemberStatusResiliatedShort=সমাপ্ত +MembersStatusToValid=খসড়া সদস্য +MembersStatusExcluded=বহিষ্কৃত সদস্য +MembersStatusResiliated=বরখাস্ত সদস্য +MemberStatusNoSubscription=বৈধ (কোন অবদানের প্রয়োজন নেই) MemberStatusNoSubscriptionShort=Validated -SubscriptionNotNeeded=No contribution required -NewCotisation=New contribution -PaymentSubscription=New contribution payment -SubscriptionEndDate=Subscription's end date -MembersTypeSetup=Members type setup -MemberTypeModified=Member type modified -DeleteAMemberType=Delete a member type -ConfirmDeleteMemberType=Are you sure you want to delete this member type? -MemberTypeDeleted=Member type deleted -MemberTypeCanNotBeDeleted=Member type can not be deleted -NewSubscription=New contribution -NewSubscriptionDesc=This form allows you to record your subscription as a new member of the foundation. If you want to renew your subscription (if already a member), please contact foundation board instead by email %s. -Subscription=Contribution -AnyAmountWithAdvisedAmount=Any amount of your choice, recommended %s -AnyAmountWithoutAdvisedAmount=Any amount of your choice -CanEditAmountShort=Any amount -CanEditAmountShortForValues=recommended, any amount -MembershipDuration=Duration -GetMembershipButtonLabel=Join -Subscriptions=Contributions -SubscriptionLate=Late -SubscriptionNotReceived=Contribution never received -ListOfSubscriptions=List of contributions -SendCardByMail=Send card by email -AddMember=Create member -NoTypeDefinedGoToSetup=No member types defined. Go to menu "Members types" -NewMemberType=New member type -WelcomeEMail=Welcome email -SubscriptionRequired=Contribution required -SubscriptionRequiredDesc=If subscription is required, a subscription with a start or end date must be recorded to have the member up to date (whatever is subscription amount, even if subscription is free). -DeleteType=Delete -VoteAllowed=Vote allowed -Physical=Individual -Moral=Corporation -MorAndPhy=Corporation and Individual -Reenable=Re-Enable -ExcludeMember=Exclude a member -Exclude=Exclude -ConfirmExcludeMember=Are you sure you want to exclude this member ? -ResiliateMember=Terminate a member -ConfirmResiliateMember=Are you sure you want to terminate this member? -DeleteMember=Delete a member -ConfirmDeleteMember=Are you sure you want to delete this member (Deleting a member will delete all his contributions)? -DeleteSubscription=Delete a subscription -ConfirmDeleteSubscription=Are you sure you want to delete this contribution? -Filehtpasswd=htpasswd file -ValidateMember=Validate a member -ConfirmValidateMember=Are you sure you want to validate this member? -FollowingLinksArePublic=The following links are open pages not protected by any Dolibarr permission. They are not formatted pages, provided as example to show how to list members database. -PublicMemberList=Public member list -BlankSubscriptionForm=Public self-registration form -BlankSubscriptionFormDesc=Dolibarr can provide you a public URL/website to allow external visitors to ask to subscribe to the foundation. If an online payment module is enabled, a payment form may also be automatically provided. -EnablePublicSubscriptionForm=Enable the public website with self-subscription form -ForceMemberType=Force the member type -ExportDataset_member_1=Members and contributions -ImportDataset_member_1=Members -LastMembersModified=Latest %s modified members -LastSubscriptionsModified=Latest %s modified contributions -String=String -Text=Text -Int=Int -DateAndTime=Date and time -PublicMemberCard=Member public card -SubscriptionNotRecorded=Contribution not recorded -AddSubscription=Create contribution -ShowSubscription=Show contribution +SubscriptionNotNeeded=কোন অবদান প্রয়োজন +NewCotisation=নতুন অবদান +PaymentSubscription=নতুন অবদান পেমেন্ট +SubscriptionEndDate=সদস্যতার শেষ তারিখ +MembersTypeSetup=সদস্যদের টাইপ সেটআপ +MemberTypeModified=সদস্যের ধরন পরিবর্তিত হয়েছে +DeleteAMemberType=সদস্যের ধরন মুছুন +ConfirmDeleteMemberType=আপনি কি এই সদস্য প্রকার মুছে ফেলার বিষয়ে নিশ্চিত? +MemberTypeDeleted=সদস্য প্রকার মুছে ফেলা হয়েছে +MemberTypeCanNotBeDeleted=সদস্য প্রকার মুছে ফেলা যাবে না +NewSubscription=নতুন অবদান +NewSubscriptionDesc=এই ফর্মটি আপনাকে ফাউন্ডেশনের নতুন সদস্য হিসাবে আপনার সদস্যতা রেকর্ড করতে দেয়। আপনি যদি আপনার সদস্যতা পুনর্নবীকরণ করতে চান (যদি ইতিমধ্যেই একজন সদস্য হন), তাহলে অনুগ্রহ করে এর পরিবর্তে ইমেলের মাধ্যমে ফাউন্ডেশন বোর্ডের সাথে যোগাযোগ করুন %s। +Subscription=অবদান +AnyAmountWithAdvisedAmount=আপনার পছন্দের যেকোনো পরিমাণ, প্রস্তাবিত %s +AnyAmountWithoutAdvisedAmount=আপনার পছন্দের যেকোনো পরিমাণ +CanEditAmountShort=যে কোন পরিমান +CanEditAmountShortForValues=প্রস্তাবিত, যেকোনো পরিমাণ +MembershipDuration=সময়কাল +GetMembershipButtonLabel=যোগদান করুন +Subscriptions=অবদানসমূহ +SubscriptionLate=দেরী +SubscriptionNotReceived=অবদান কখনোই পায়নি +ListOfSubscriptions=অবদানের তালিকা +SendCardByMail=ইমেল দ্বারা কার্ড পাঠান +AddMember=সদস্য তৈরি করুন +NoTypeDefinedGoToSetup=কোন সদস্য প্রকার সংজ্ঞায়িত. মেনুতে যান "সদস্যের ধরন" +NewMemberType=নতুন সদস্য প্রকার +WelcomeEMail=স্বাগতম ইমেইল +SubscriptionRequired=অবদান প্রয়োজন +SubscriptionRequiredDesc=যদি সাবস্ক্রিপশনের প্রয়োজন হয়, তাহলে সদস্যদের আপ টু ডেট রাখার জন্য একটি শুরু বা শেষ তারিখ সহ একটি সাবস্ক্রিপশন অবশ্যই রেকর্ড করতে হবে (সাবস্ক্রিপশনের পরিমাণ যাই হোক না কেন, সদস্যতা বিনামূল্যে হলেও)। +DeleteType=মুছে ফেলা +VoteAllowed=ভোট অনুমোদিত +Physical=স্বতন্ত্র +Moral=কর্পোরেশন +MorAndPhy=কর্পোরেশন এবং ব্যক্তি +Reenable=পুনরায় সক্ষম করুন +ExcludeMember=একজন সদস্যকে বাদ দিন +Exclude=বাদ দিন +ConfirmExcludeMember=আপনি কি নিশ্চিত আপনি এই সদস্যকে বাদ দিতে চান? +ResiliateMember=একজন সদস্যকে বাতিল করুন +ConfirmResiliateMember=আপনি কি এই সদস্যকে শেষ করার বিষয়ে নিশ্চিত? +DeleteMember=একজন সদস্য মুছুন +ConfirmDeleteMember=আপনি কি নিশ্চিত যে আপনি এই সদস্যকে মুছে ফেলতে চান (একজন সদস্যকে মুছে দিলে তার সমস্ত অবদান মুছে যাবে)? +DeleteSubscription=একটি সদস্যতা মুছুন +ConfirmDeleteSubscription=আপনি কি নিশ্চিত আপনি এই অবদান মুছে দিতে চান? +Filehtpasswd=htpasswd ফাইল +ValidateMember=একজন সদস্যকে যাচাই করুন +ConfirmValidateMember=আপনি কি নিশ্চিত যে আপনি এই সদস্যকে যাচাই করতে চান? +FollowingLinksArePublic=নিম্নলিখিত লিঙ্কগুলি খোলা পৃষ্ঠাগুলি কোন Dolibarr অনুমতি দ্বারা সুরক্ষিত নয়. এগুলি ফর্ম্যাট করা পৃষ্ঠা নয়, কীভাবে সদস্যদের ডাটাবেস তালিকাভুক্ত করা যায় তা দেখানোর জন্য উদাহরণ হিসাবে দেওয়া হয়েছে। +PublicMemberList=পাবলিক সদস্য তালিকা +BlankSubscriptionForm=পাবলিক স্ব-নিবন্ধন ফর্ম +BlankSubscriptionFormDesc=Dolibarr আপনাকে একটি সর্বজনীন URL/ওয়েবসাইট প্রদান করতে পারে যাতে বহিরাগত দর্শকরা ফাউন্ডেশনে সদস্যতা নেওয়ার জন্য অনুরোধ করতে পারে। যদি একটি অনলাইন পেমেন্ট মডিউল সক্ষম করা হয়, তাহলে একটি অর্থপ্রদানের ফর্ম স্বয়ংক্রিয়ভাবে প্রদান করা যেতে পারে। +EnablePublicSubscriptionForm=স্ব-সাবস্ক্রিপশন ফর্ম সহ সর্বজনীন ওয়েবসাইট সক্ষম করুন +ForceMemberType=সদস্য প্রকার জোর করে +ExportDataset_member_1=সদস্য এবং অবদান +ImportDataset_member_1=সদস্যরা +LastMembersModified=সর্বশেষ %s পরিবর্তিত সদস্য +LastSubscriptionsModified=সর্বশেষ %s পরিবর্তিত অবদান +String=স্ট্রিং +Text=পাঠ্য +Int=int +DateAndTime=তারিখ এবং সময় +PublicMemberCard=পাবলিক মেম্বার কার্ড +SubscriptionNotRecorded=অবদান রেকর্ড করা হয়নি +AddSubscription=অবদান তৈরি করুন +ShowSubscription=অবদান দেখান # Label of email templates -SendingAnEMailToMember=Sending information email to member -SendingEmailOnAutoSubscription=Sending email on auto registration -SendingEmailOnMemberValidation=Sending email on new member validation -SendingEmailOnNewSubscription=Sending email on new contribution -SendingReminderForExpiredSubscription=Sending reminder for expired contributions -SendingEmailOnCancelation=Sending email on cancelation -SendingReminderActionComm=Sending reminder for agenda event +SendingAnEMailToMember=সদস্যকে তথ্য ইমেল পাঠানো হচ্ছে +SendingEmailOnAutoSubscription=অটো রেজিস্ট্রেশনে ইমেল পাঠানো হচ্ছে +SendingEmailOnMemberValidation=নতুন সদস্য যাচাইকরণে ইমেল পাঠানো হচ্ছে +SendingEmailOnNewSubscription=নতুন অবদান ইমেল পাঠানো হচ্ছে +SendingReminderForExpiredSubscription=মেয়াদোত্তীর্ণ অবদানের জন্য অনুস্মারক পাঠানো হচ্ছে +SendingEmailOnCancelation=বাতিলকরণে ইমেল পাঠানো হচ্ছে +SendingReminderActionComm=এজেন্ডা ইভেন্টের জন্য অনুস্মারক পাঠানো হচ্ছে # Topic of email templates -YourMembershipRequestWasReceived=Your membership was received. -YourMembershipWasValidated=Your membership was validated -YourSubscriptionWasRecorded=Your new contribution was recorded -SubscriptionReminderEmail=contribution reminder -YourMembershipWasCanceled=Your membership was canceled -CardContent=Content of your member card +YourMembershipRequestWasReceived=আপনার সদস্যপদ গৃহীত হয়েছে. +YourMembershipWasValidated=আপনার সদস্যতা যাচাই করা হয়েছে +YourSubscriptionWasRecorded=আপনার নতুন অবদান রেকর্ড করা হয়েছে +SubscriptionReminderEmail=অবদান অনুস্মারক +YourMembershipWasCanceled=আপনার সদস্যপদ বাতিল করা হয়েছে +CardContent=আপনার সদস্য কার্ডের বিষয়বস্তু # Text of email templates -ThisIsContentOfYourMembershipRequestWasReceived=We want to let you know that your membership request was received.

      -ThisIsContentOfYourMembershipWasValidated=We want to let you know that your membership was validated with the following information:

      -ThisIsContentOfYourSubscriptionWasRecorded=We want to let you know that your new subscription was recorded. Please find your invoice here enclosed.

      -ThisIsContentOfSubscriptionReminderEmail=We want to let you know that your subscription is about to expire or has already expired (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). We hope you will renew it.

      -ThisIsContentOfYourCard=This is a summary of the information we have about you. Please contact us if anything is incorrect.

      -DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Subject of the notification email received in case of auto-inscription of a guest -DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Content of the notification email received in case of auto-inscription of a guest -DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Email template to use to send email to a member on member auto-registration -DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Email template to use to send email to a member on member validation -DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Email template to use to send email to a member on new contribution recording -DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Email template to use to send email reminder when contribution is about to expire -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Email template to use to send email to a member on member cancelation -DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Email template to use to send email to a member on member exclusion -DescADHERENT_MAIL_FROM=Sender Email for automatic emails -DescADHERENT_CC_MAIL_FROM=Send automatic email copy to -DescADHERENT_ETIQUETTE_TYPE=Format of labels page -DescADHERENT_ETIQUETTE_TEXT=Text printed on member address sheets -DescADHERENT_CARD_TYPE=Format of cards page -DescADHERENT_CARD_HEADER_TEXT=Text printed on top of member cards -DescADHERENT_CARD_TEXT=Text printed on member cards (align on left) -DescADHERENT_CARD_TEXT_RIGHT=Text printed on member cards (align on right) -DescADHERENT_CARD_FOOTER_TEXT=Text printed on bottom of member cards -ShowTypeCard=Show type '%s' -HTPasswordExport=htpassword file generation -NoThirdPartyAssociatedToMember=No third party associated with this member -MembersAndSubscriptions=Members and Contributions -MoreActions=Complementary action on recording -MoreActionsOnSubscription=Complementary action suggested by default when recording a contribution, also done automatially on online payment of a contribution -MoreActionBankDirect=Create a direct entry on bank account -MoreActionBankViaInvoice=Create an invoice, and a payment on bank account -MoreActionInvoiceOnly=Create an invoice with no payment -LinkToGeneratedPages=Generation of business cards or address sheets -LinkToGeneratedPagesDesc=This screen allows you to generate PDF files with business cards for all your members or a particular member. -DocForAllMembersCards=Generate business cards for all members -DocForOneMemberCards=Generate business cards for a particular member -DocForLabels=Generate address sheets -SubscriptionPayment=Contribution payment -LastSubscriptionDate=Date of latest contribution payment -LastSubscriptionAmount=Amount of latest contribution -LastMemberType=Last Member type -MembersStatisticsByCountries=Members statistics by country -MembersStatisticsByState=Members statistics by state/province -MembersStatisticsByTown=Members statistics by town -MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Total number of members -NbOfActiveMembers=Total number of current active members -NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. -MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics of members by town. -MembersByNature=This screen show you statistics of members by nature. -MembersByRegion=This screen show you statistics of members by region. -MembersStatisticsDesc=Choose statistics you want to read... -MenuMembersStats=Statistics -LastMemberDate=Latest membership date -LatestSubscriptionDate=Latest contribution date -MemberNature=Nature of the member -MembersNature=Nature of the members -Public=%s can publish my membership in the public register -NewMemberbyWeb=New member added. Awaiting approval -NewMemberForm=New member form -SubscriptionsStatistics=Contributions statistics -NbOfSubscriptions=Number of contributions -AmountOfSubscriptions=Amount collected from contributions -TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) -DefaultAmount=Default amount of contribution (used only if no amount is defined at member type level) -MinimumAmount=Minimum amount (used only when contribution amount is free) -CanEditAmount=Subscription amount can be defined by the member -CanEditAmountDetail=Visitor can choose/edit amount of its contribution regardless of the member type -AmountIsLowerToMinimumNotice=sur un dû total de %s -MEMBER_NEWFORM_PAYONLINE=After the online registration, switch automatically on the online payment page -ByProperties=By nature -MembersStatisticsByProperties=Members statistics by nature -VATToUseForSubscriptions=VAT rate to use for contributionss -NoVatOnSubscription=No VAT for contributions -ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for contribution line into invoice: %s -NameOrCompany=Name or company -SubscriptionRecorded=Contribution recorded -NoEmailSentToMember=No email sent to member -EmailSentToMember=Email sent to member at %s -SendReminderForExpiredSubscriptionTitle=Send reminder by email for expired contributions -SendReminderForExpiredSubscription=Send reminder by email to members when contribution is about to expire (parameter is number of days before end of membership to send the remind. It can be a list of days separated by a semicolon, for example '10;5;0;-5') -MembershipPaid=Membership paid for current period (until %s) -YouMayFindYourInvoiceInThisEmail=You may find your invoice attached to this email -XMembersClosed=%s member(s) closed -XExternalUserCreated=%s external user(s) created -ForceMemberNature=Force member nature (Individual or Corporation) -CreateDolibarrLoginDesc=The creation of a user login for members allows them to connect to the application. Depending on the authorizations granted, they will be able, for example, to consult or modify their file themselves. -CreateDolibarrThirdPartyDesc=A thirdparty is the legal entity that will be used on the invoice if you decide to generate invoice for each contribution. You will be able to create it later during the process of recording the contribution. -MemberFirstname=Member firstname -MemberLastname=Member lastname -MemberCodeDesc=Member Code, unique for all members -NoRecordedMembers=No recorded members +ThisIsContentOfYourMembershipRequestWasReceived=আমরা আপনাকে জানাতে চাই যে আপনার সদস্যতার অনুরোধ গৃহীত হয়েছে।

      +ThisIsContentOfYourMembershipWasValidated=আমরা আপনাকে জানাতে চাই যে আপনার সদস্যপদ নিম্নলিখিত তথ্যের সাথে যাচাই করা হয়েছে:

      +ThisIsContentOfYourSubscriptionWasRecorded=আমরা আপনাকে জানাতে চাই যে আপনার নতুন সদস্যতা রেকর্ড করা হয়েছে৷ অনুগ্রহ করে এখানে আপনার চালানটি সংযুক্ত করুন।

      +ThisIsContentOfSubscriptionReminderEmail=আমরা আপনাকে জানাতে চাই যে আপনার সদস্যতার মেয়াদ শেষ হতে চলেছে বা ইতিমধ্যে মেয়াদ শেষ হয়ে গেছে (__MEMBER_LAST_SUBSCRIPTION_DATE_END__)৷ আমরা আশা করি আপনি এটি পুনর্নবীকরণ করবেন।

      +ThisIsContentOfYourCard=এটি আপনার সম্পর্কে আমাদের কাছে থাকা তথ্যের সারসংক্ষেপ। কিছু ভুল হলে আমাদের সাথে যোগাযোগ করুন।

      +DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=অতিথির স্বয়ংক্রিয় শিলালিপির ক্ষেত্রে প্রাপ্ত বিজ্ঞপ্তি ইমেলের বিষয় +DescADHERENT_AUTOREGISTER_NOTIF_MAIL=অতিথির স্বয়ংক্রিয় শিলালিপির ক্ষেত্রে প্রাপ্ত বিজ্ঞপ্তি ইমেলের বিষয়বস্তু +DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=সদস্য স্বতঃ-নিবন্ধনে একজন সদস্যকে ইমেল পাঠাতে ব্যবহার করার জন্য ইমেল টেমপ্লেট +DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=ইমেল টেমপ্লেটটি সদস্যের বৈধতার জন্য সদস্যকে ইমেল পাঠাতে ব্যবহার করতে হবে +DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=নতুন অবদান রেকর্ডিংয়ে একজন সদস্যকে ইমেল পাঠাতে ব্যবহার করার জন্য ইমেল টেমপ্লেট +DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=অবদানের মেয়াদ শেষ হওয়ার সময় ইমেল অনুস্মারক পাঠাতে ব্যবহার করার জন্য ইমেল টেমপ্লেট +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=সদস্য বাতিল করার সময় একজন সদস্যকে ইমেল পাঠাতে ব্যবহার করার জন্য ইমেল টেমপ্লেট +DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=ইমেল টেমপ্লেটটি সদস্য বর্জনের একজন সদস্যকে ইমেল পাঠাতে ব্যবহার করতে হবে +DescADHERENT_MAIL_FROM=স্বয়ংক্রিয় ইমেলের জন্য প্রেরকের ইমেল +DescADHERENT_CC_MAIL_FROM=স্বয়ংক্রিয় ইমেইল কপি পাঠান +DescADHERENT_ETIQUETTE_TYPE=লেবেল পৃষ্ঠার বিন্যাস +DescADHERENT_ETIQUETTE_TEXT=সদস্য ঠিকানা শীটে টেক্সট মুদ্রিত +DescADHERENT_CARD_TYPE=কার্ড পৃষ্ঠার বিন্যাস +DescADHERENT_CARD_HEADER_TEXT=সদস্য কার্ডের উপরে টেক্সট মুদ্রিত +DescADHERENT_CARD_TEXT=সদস্য কার্ডে টেক্সট মুদ্রিত (বাম দিকে সারিবদ্ধ) +DescADHERENT_CARD_TEXT_RIGHT=সদস্য কার্ডে টেক্সট মুদ্রিত (ডানদিকে সারিবদ্ধ) +DescADHERENT_CARD_FOOTER_TEXT=সদস্য কার্ডের নীচে প্রিন্ট করা পাঠ্য +ShowTypeCard=ধরন দেখান '%s' +HTPasswordExport=htpassword ফাইল প্রজন্ম +NoThirdPartyAssociatedToMember=এই সদস্যের সাথে কোন তৃতীয় পক্ষ যুক্ত নয় +MembersAndSubscriptions=সদস্য এবং অবদান +MoreActions=রেকর্ডিং সম্পূরক কর্ম +MoreActionsOnSubscription=একটি অবদান রেকর্ড করার সময় ডিফল্টরূপে পরিপূরক ক্রিয়া প্রস্তাবিত, এছাড়াও একটি অবদানের অনলাইন অর্থপ্রদানে স্বয়ংক্রিয়ভাবে সম্পন্ন হয় +MoreActionBankDirect=ব্যাঙ্ক অ্যাকাউন্টে একটি সরাসরি এন্ট্রি তৈরি করুন +MoreActionBankViaInvoice=একটি চালান তৈরি করুন এবং ব্যাঙ্ক অ্যাকাউন্টে অর্থপ্রদান করুন +MoreActionInvoiceOnly=পেমেন্ট ছাড়াই একটি চালান তৈরি করুন +LinkToGeneratedPages=ব্যবসায়িক কার্ড বা ঠিকানা শীট তৈরি করা +LinkToGeneratedPagesDesc=এই স্ক্রিনটি আপনাকে আপনার সমস্ত সদস্য বা একটি নির্দিষ্ট সদস্যের জন্য ব্যবসায়িক কার্ড সহ পিডিএফ ফাইল তৈরি করতে দেয়। +DocForAllMembersCards=সমস্ত সদস্যদের জন্য ব্যবসায়িক কার্ড তৈরি করুন +DocForOneMemberCards=একটি নির্দিষ্ট সদস্যের জন্য ব্যবসায়িক কার্ড তৈরি করুন +DocForLabels=ঠিকানা শীট তৈরি করুন +SubscriptionPayment=অবদান প্রদান +LastSubscriptionDate=সর্বশেষ অবদান প্রদানের তারিখ +LastSubscriptionAmount=সর্বশেষ অবদানের পরিমাণ +LastMemberType=সর্বশেষ সদস্য প্রকার +MembersStatisticsByCountries=দেশ অনুসারে সদস্যদের পরিসংখ্যান +MembersStatisticsByState=রাজ্য/প্রদেশ অনুসারে সদস্যদের পরিসংখ্যান +MembersStatisticsByTown=শহর অনুসারে সদস্যদের পরিসংখ্যান +MembersStatisticsByRegion=অঞ্চল অনুসারে সদস্যদের পরিসংখ্যান +NbOfMembers=মোট সদস্য সংখ্যা +NbOfActiveMembers=বর্তমান সক্রিয় সদস্যের মোট সংখ্যা +NoValidatedMemberYet=কোন বৈধ সদস্য পাওয়া যায়নি +MembersByCountryDesc=এই স্ক্রীনটি আপনাকে দেশ অনুসারে সদস্যদের পরিসংখ্যান দেখায়। গ্রাফ এবং চার্টগুলি Google অনলাইন গ্রাফ পরিষেবার প্রাপ্যতার পাশাপাশি একটি কার্যকরী ইন্টারনেট সংযোগের প্রাপ্যতার উপর নির্ভর করে৷ +MembersByStateDesc=এই স্ক্রীন আপনাকে রাজ্য/প্রদেশ/ক্যান্টন অনুসারে সদস্যদের পরিসংখ্যান দেখায়। +MembersByTownDesc=এই স্ক্রীনটি আপনাকে শহর অনুসারে সদস্যদের পরিসংখ্যান দেখায়। +MembersByNature=এই স্ক্রিনটি আপনাকে প্রকৃতি অনুসারে সদস্যদের পরিসংখ্যান দেখায়। +MembersByRegion=এই স্ক্রিনটি আপনাকে অঞ্চল অনুসারে সদস্যদের পরিসংখ্যান দেখায়। +MembersStatisticsDesc=আপনি যে পরিসংখ্যান পড়তে চান তা বেছে নিন... +MenuMembersStats=পরিসংখ্যান +LastMemberDate=সর্বশেষ সদস্যতা তারিখ +LatestSubscriptionDate=সর্বশেষ অবদানের তারিখ +MemberNature=সদস্যের প্রকৃতি +MembersNature=সদস্যদের প্রকৃতি +Public=%s আমার সদস্যপদ পাবলিক রেজিস্টারে প্রকাশ করতে পারে +MembershipPublic=পাবলিক সদস্যপদ +NewMemberbyWeb=নতুন সদস্য যোগ করা হয়েছে। অনুমোদনের অপেক্ষায় +NewMemberForm=নতুন সদস্য ফর্ম +SubscriptionsStatistics=অবদান পরিসংখ্যান +NbOfSubscriptions=অবদানের সংখ্যা +AmountOfSubscriptions=অবদান থেকে সংগৃহীত পরিমাণ +TurnoverOrBudget=টার্নওভার (কোম্পানির জন্য) বা বাজেট (একটি ভিত্তির জন্য) +DefaultAmount=অবদানের ডিফল্ট পরিমাণ (সদস্য প্রকার স্তরে কোনো পরিমাণ সংজ্ঞায়িত না হলেই ব্যবহার করা হয়) +MinimumAmount=ন্যূনতম পরিমাণ (অবদানের পরিমাণ বিনামূল্যে হলেই ব্যবহৃত হয়) +CanEditAmount=সদস্যতার পরিমাণ সদস্য দ্বারা সংজ্ঞায়িত করা যেতে পারে +CanEditAmountDetail=সদস্যের ধরন নির্বিশেষে দর্শক তার অবদানের পরিমাণ চয়ন/সম্পাদনা করতে পারে +AmountIsLowerToMinimumNotice=পরিমাণটি সর্বনিম্ন %s থেকে কম +MEMBER_NEWFORM_PAYONLINE=অনলাইন রেজিস্ট্রেশনের পরে, অনলাইন পেমেন্ট পৃষ্ঠায় স্বয়ংক্রিয়ভাবে স্যুইচ করুন +ByProperties=প্রকৃতিগতভাবে +MembersStatisticsByProperties=প্রকৃতির সদস্যদের পরিসংখ্যান +VATToUseForSubscriptions=অবদানের জন্য ব্যবহার করার জন্য ভ্যাট হার +NoVatOnSubscription=অবদানের জন্য কোন ভ্যাট নেই +ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=ইনভয়েসে অবদান লাইনের জন্য ব্যবহৃত পণ্য: %s +NameOrCompany=নাম বা কোম্পানি +SubscriptionRecorded=অবদান নথিভুক্ত +NoEmailSentToMember=সদস্যকে কোনো ইমেল পাঠানো হয়নি +EmailSentToMember=%s-এ সদস্যকে ইমেল পাঠানো হয়েছে +SendReminderForExpiredSubscriptionTitle=মেয়াদোত্তীর্ণ অবদানের জন্য ইমেলের মাধ্যমে অনুস্মারক পাঠান +SendReminderForExpiredSubscription=যখন অবদানের মেয়াদ শেষ হতে চলেছে তখন সদস্যদের ইমেলের মাধ্যমে অনুস্মারক পাঠান (অনুস্মারক পাঠানোর জন্য সদস্যতা শেষ হওয়ার আগের দিনগুলির সংখ্যা। এটি একটি সেমিকোলন দ্বারা পৃথক করা দিনের তালিকা হতে পারে, উদাহরণস্বরূপ '10;5;0;-5 ') +MembershipPaid=বর্তমান সময়ের জন্য সদস্যতা প্রদান করা হয়েছে (%s পর্যন্ত) +YouMayFindYourInvoiceInThisEmail=আপনি এই ইমেলের সাথে আপনার চালান সংযুক্ত দেখতে পারেন +XMembersClosed=%s সদস্য(গুলি) বন্ধ +XExternalUserCreated=%s বহিরাগত ব্যবহারকারী(গুলি) তৈরি করা হয়েছে +ForceMemberNature=ফোর্স সদস্য প্রকৃতি (ব্যক্তি বা কর্পোরেশন) +CreateDolibarrLoginDesc=সদস্যদের জন্য একটি ব্যবহারকারী লগইন তৈরি করা তাদের অ্যাপ্লিকেশনের সাথে সংযোগ করার অনুমতি দেয়। প্রদত্ত অনুমোদনের উপর নির্ভর করে, তারা সক্ষম হবে, উদাহরণস্বরূপ, তাদের ফাইল নিজেরাই পরামর্শ বা সংশোধন করতে। +CreateDolibarrThirdPartyDesc=একটি তৃতীয় পক্ষ হল আইনি সত্তা যা চালানে ব্যবহার করা হবে যদি আপনি প্রতিটি অবদানের জন্য চালান তৈরি করার সিদ্ধান্ত নেন। অবদান রেকর্ড করার প্রক্রিয়া চলাকালীন আপনি পরে এটি তৈরি করতে সক্ষম হবেন। +MemberFirstname=সদস্যের প্রথম নাম +MemberLastname=সদস্য পদবি +MemberCodeDesc=সদস্য কোড, সকল সদস্যের জন্য অনন্য +NoRecordedMembers=কোন নথিভুক্ত সদস্য +MemberSubscriptionStartFirstDayOf=একটি সদস্যতার শুরুর তারিখ a এর প্রথম দিনের সাথে মিলে যায় +MemberSubscriptionStartAfter=নবায়ন ব্যতীত সাবস্ক্রিপশন শুরু হওয়ার তারিখে প্রবেশের ন্যূনতম সময়কাল (উদাহরণ +3m = +3 মাস, -5d = -5 দিন, +1Y = +1 বছর) diff --git a/htdocs/langs/bn_BD/modulebuilder.lang b/htdocs/langs/bn_BD/modulebuilder.lang index 61b5c939d12..0de55c1b9e3 100644 --- a/htdocs/langs/bn_BD/modulebuilder.lang +++ b/htdocs/langs/bn_BD/modulebuilder.lang @@ -1,147 +1,189 @@ # Dolibarr language file - Source file is en_US - loan -ModuleBuilderDesc=This tool must be used only by experienced users or developers. It provides utilities to build or edit your own module. Documentation for alternative manual development is here. -EnterNameOfModuleDesc=Enter name of the module/application to create with no spaces. Use uppercase to separate words (For example: MyModule, EcommerceForShop, SyncWithMySystem...) -EnterNameOfObjectDesc=Enter name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, but also API file, pages to list/add/edit/delete object and SQL files will be generated. -ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s -ModuleBuilderDesc3=Generated/editable modules found: %s -ModuleBuilderDesc4=A module is detected as 'editable' when the file %s exists in root of module directory -NewModule=New module -NewObjectInModulebuilder=New object -ModuleKey=Module key -ObjectKey=Object key -ModuleInitialized=Module initialized -FilesForObjectInitialized=Files for new object '%s' initialized -FilesForObjectUpdated=Files for object '%s' updated (.sql files and .class.php file) -ModuleBuilderDescdescription=Enter here all general information that describe your module. -ModuleBuilderDescspecifications=You can enter here a detailed description of the specifications of your module that is not already structured into other tabs. So you have within easy reach all the rules to develop. Also this text content will be included into the generated documentation (see last tab). You can use Markdown format, but it is recommended to use Asciidoc format (comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). -ModuleBuilderDescobjects=Define here the objects you want to manage with your module. A CRUD DAO class, SQL files, page to list record of objects, to create/edit/view a record and an API will be generated. -ModuleBuilderDescmenus=This tab is dedicated to define menu entries provided by your module. -ModuleBuilderDescpermissions=This tab is dedicated to define the new permissions you want to provide with your module. -ModuleBuilderDesctriggers=This is the view of triggers provided by your module. To include code executed when a triggered business event is launched, just edit this file. -ModuleBuilderDeschooks=This tab is dedicated to hooks. -ModuleBuilderDescwidgets=This tab is dedicated to manage/build widgets. -ModuleBuilderDescbuildpackage=You can generate here a "ready to distribute" package file (a normalized .zip file) of your module and a "ready to distribute" documentation file. Just click on button to build the package or documentation file. -EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: All coding files of module (generated or created manually) AND structured data and documentation will be deleted! -EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All coding files (generated or created manually) related to object will be deleted! -DangerZone=Danger zone -BuildPackage=Build package -BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. -BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here -ModuleIsLive=This module has been activated. Any change may break a current live feature. -DescriptionLong=Long description -EditorName=Name of editor -EditorUrl=URL of editor -DescriptorFile=Descriptor file of module -ClassFile=File for PHP DAO CRUD class -ApiClassFile=File for PHP API class -PageForList=PHP page for list of record -PageForCreateEditView=PHP page to create/edit/view a record -PageForAgendaTab=PHP page for event tab -PageForDocumentTab=PHP page for document tab -PageForNoteTab=PHP page for note tab -PageForContactTab=PHP page for contact tab -PathToModulePackage=Path to zip of module/application package -PathToModuleDocumentation=Path to file of module/application documentation (%s) -SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed. -FileNotYetGenerated=File not yet generated -RegenerateClassAndSql=Force update of .class and .sql files -RegenerateMissingFiles=Generate missing files -SpecificationFile=File of documentation -LanguageFile=File for language -ObjectProperties=Object Properties -ConfirmDeleteProperty=Are you sure you want to delete the property %s? This will change code in PHP class but also remove column from table definition of object. -NotNull=Not NULL -NotNullDesc=1=Set database to NOT NULL. -1=Allow null values and force value to NULL if empty ('' or 0). -SearchAll=Used for 'search all' -DatabaseIndex=Database index -FileAlreadyExists=File %s already exists -TriggersFile=File for triggers code -HooksFile=File for hooks code -ArrayOfKeyValues=Array of key-val -ArrayOfKeyValuesDesc=Array of keys and values if field is a combo list with fixed values -WidgetFile=Widget file -CSSFile=CSS file -JSFile=Javascript file -ReadmeFile=Readme file -ChangeLog=ChangeLog file -TestClassFile=File for PHP Unit Test class -SqlFile=Sql file -PageForLib=File for the common PHP library -PageForObjLib=File for the PHP library dedicated to object -SqlFileExtraFields=Sql file for complementary attributes -SqlFileKey=Sql file for keys -SqlFileKeyExtraFields=Sql file for keys of complementary attributes -AnObjectAlreadyExistWithThisNameAndDiffCase=An object already exists with this name and a different case -UseAsciiDocFormat=You can use Markdown format, but it is recommended to use Asciidoc format (omparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) -IsAMeasure=Is a measure -DirScanned=Directory scanned -NoTrigger=No trigger -NoWidget=No widget -GoToApiExplorer=API explorer -ListOfMenusEntries=List of menu entries -ListOfDictionariesEntries=List of dictionaries entries -ListOfPermissionsDefined=List of defined permissions -SeeExamples=See examples here -EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update).

      Using a negative value means field is not shown by default on list but can be selected for viewing).

      It can be an expression, for example:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      ($user->rights->holiday->define_holiday ? 1 : 0) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
      Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

      For document :
      0 = not displayed
      1 = display
      2 = display only if not empty

      For document lines :
      0 = not displayed
      1 = displayed in a column
      3 = display in line description column after the description
      4 = display in description column after the description only if not empty -DisplayOnPdf=Display on PDF -IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) -SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) -SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. -LanguageDefDesc=Enter in this files, all the key and the translation for each language file. -MenusDefDesc=Define here the menus provided by your module -DictionariesDefDesc=Define here the dictionaries provided by your module -PermissionsDefDesc=Define here the new permissions provided by your module -MenusDefDescTooltip=The menus provided by your module/application are defined into the array $this->menus into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), menus are also visible into the menu editor available to administrator users on %s. -DictionariesDefDescTooltip=The dictionaries provided by your module/application are defined into the array $this->dictionaries into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), dictionaries are also visible into the setup area to administrator users on %s. -PermissionsDefDescTooltip=The permissions provided by your module/application are defined into the array $this->rights into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), permissions are visible into the default permissions setup %s. -HooksDefDesc=Define in the module_parts['hooks'] property, in the module descriptor, the context of hooks you want to manage (list of contexts can be found by a search on 'initHooks(' in core code).
      Edit the hook file to add code of your hooked functions (hookable functions can be found by a search on 'executeHooks' in core code). -TriggerDefDesc=Define in the trigger file the code that you want to execute when a business event external to your module is executed (events triggered by other modules). -SeeIDsInUse=See IDs in use in your installation -SeeReservedIDsRangeHere=See range of reserved IDs -ToolkitForDevelopers=Toolkit for Dolibarr developers -TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the native module builder wizard.
      Enable the module %s and use the wizard by clicking the on the top right menu.
      Warning: This is an advanced developer feature, do not experiment on your production site! -SeeTopRightMenu=See on the top right menu -AddLanguageFile=Add language file -YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages") -DropTableIfEmpty=(Destroy table if empty) -TableDoesNotExists=The table %s does not exists -TableDropped=Table %s deleted -InitStructureFromExistingTable=Build the structure array string of an existing table -UseAboutPage=Disable the about page -UseDocFolder=Disable the documentation folder -UseSpecificReadme=Use a specific ReadMe -ContentOfREADMECustomized=Note: The content of the README.md file has been replaced with the specific value defined into setup of ModuleBuilder. -RealPathOfModule=Real path of module -ContentCantBeEmpty=Content of file can't be empty -WidgetDesc=You can generate and edit here the widgets that will be embedded with your module. -CSSDesc=You can generate and edit here a file with personalized CSS embedded with your module. -JSDesc=You can generate and edit here a file with personalized Javascript embedded with your module. -CLIDesc=You can generate here some command line scripts you want to provide with your module. -CLIFile=CLI File -NoCLIFile=No CLI files -UseSpecificEditorName = Use a specific editor name -UseSpecificEditorURL = Use a specific editor URL -UseSpecificFamily = Use a specific family -UseSpecificAuthor = Use a specific author -UseSpecificVersion = Use a specific initial version -IncludeRefGeneration=The reference of object must be generated automatically -IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference -IncludeDocGeneration=I want to generate some documents from the object -IncludeDocGenerationHelp=If you check this, some code will be generated to add a "Generate document" box on the record. -ShowOnCombobox=Show value into combobox -KeyForTooltip=Key for tooltip -CSSClass=CSS for edit/create form -CSSViewClass=CSS for read form -CSSListClass=CSS for list -NotEditable=Not editable -ForeignKey=Foreign key -TypeOfFieldsHelp=Type of fields:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) -AsciiToHtmlConverter=Ascii to HTML converter -AsciiToPdfConverter=Ascii to PDF converter -TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. -ModuleBuilderNotAllowed=The module builder is available but not allowed to your user. -ImportExportProfiles=Import and export profiles -ValidateModBuilderDesc=Put 1 if this field need to be validated with $this->validateField() or 0 if validation required +IdModule= মডিউল আইডি +ModuleBuilderDesc=এই টুলটি শুধুমাত্র অভিজ্ঞ ব্যবহারকারী বা ডেভেলপারদের দ্বারা ব্যবহার করা আবশ্যক। এটি আপনার নিজস্ব মডিউল তৈরি বা সম্পাদনা করার জন্য ইউটিলিটি প্রদান করে। বিকল্প ম্যানুয়াল ডেভেলপমেন্টের জন্য ডকুমেন্টেশন এখানে আছে। +EnterNameOfModuleDesc=কোনো স্পেস ছাড়াই তৈরি করতে মডিউল/অ্যাপ্লিকেশনের নাম লিখুন। শব্দ আলাদা করতে বড় হাতের অক্ষর ব্যবহার করুন (উদাহরণস্বরূপ: MyModule, EcommerceForShop, SyncWithMySystem...) +EnterNameOfObjectDesc=শূন্যস্থান ছাড়াই তৈরি করা বস্তুর নাম লিখুন। শব্দ আলাদা করতে বড় হাতের অক্ষর ব্যবহার করুন (উদাহরণস্বরূপ: MyObject, Student, Teacher...)। CRUD ক্লাস ফাইল, বস্তুর তালিকা/সংযোজন/সম্পাদনা/মুছে ফেলার পৃষ্ঠা এবং SQL ফাইল তৈরি করা হবে। +EnterNameOfDictionaryDesc=কোনো স্পেস ছাড়াই তৈরি করতে অভিধানের নাম লিখুন। শব্দ আলাদা করতে বড় হাতের অক্ষর ব্যবহার করুন (উদাহরণস্বরূপ: MyDico...)। ক্লাস ফাইলের পাশাপাশি এসকিউএল ফাইলও তৈরি হবে। +ModuleBuilderDesc2=পথ যেখানে মডিউল তৈরি/সম্পাদিত হয় (বাহ্যিক মডিউলগুলির জন্য প্রথম ডিরেক্টরি %s-এ সংজ্ঞায়িত করা হয়েছে): %s +ModuleBuilderDesc3=জেনারেটেড/সম্পাদনাযোগ্য মডিউল পাওয়া গেছে: %s +ModuleBuilderDesc4=যখন ফাইল %sb0a65d096zfz0 মডিউল ডিরেক্টরির রুটে বিদ্যমান +NewModule=নতুন মডিউল +NewObjectInModulebuilder=নতুন বস্তু +NewDictionary=নতুন অভিধান +ModuleName=মডিউল নাম +ModuleKey=মডিউল কী +ObjectKey=অবজেক্ট কী +DicKey=অভিধান কী +ModuleInitialized=মডিউল আরম্ভ করা হয়েছে +FilesForObjectInitialized=নতুন অবজেক্টের জন্য ফাইলগুলি '%s' শুরু করা হয়েছে +FilesForObjectUpdated=অবজেক্টের জন্য ফাইলগুলি '%s' আপডেট করা হয়েছে (.sql ফাইল এবং .class.php ফাইল) +ModuleBuilderDescdescription=এখানে সমস্ত সাধারণ তথ্য লিখুন যা আপনার মডিউল বর্ণনা করে। +ModuleBuilderDescspecifications=আপনি এখানে আপনার মডিউলের স্পেসিফিকেশনগুলির একটি বিশদ বিবরণ লিখতে পারেন যা ইতিমধ্যে অন্যান্য ট্যাবে গঠন করা হয়নি। তাই আপনি সহজে নাগালের মধ্যে সব নিয়ম বিকাশ করতে পারেন. এছাড়াও এই পাঠ্য বিষয়বস্তু তৈরি করা ডকুমেন্টেশনে অন্তর্ভুক্ত করা হবে (শেষ ট্যাব দেখুন)। আপনি মার্কডাউন ফর্ম্যাট ব্যবহার করতে পারেন, তবে Asciidoc ফর্ম্যাট ব্যবহার করার পরামর্শ দেওয়া হয় (.md এবং .asciidoc-এর মধ্যে তুলনা: http://asciidoctor.org/docs/user-manual/#compared-to-markdown)। +ModuleBuilderDescobjects=আপনার মডিউল দিয়ে আপনি যে অবজেক্টগুলি পরিচালনা করতে চান তা এখানে সংজ্ঞায়িত করুন। একটি CRUD DAO ক্লাস, SQL ফাইল, অবজেক্টের রেকর্ড তালিকাভুক্ত করার পৃষ্ঠা, একটি রেকর্ড তৈরি/সম্পাদনা/দেখতে এবং একটি API তৈরি করা হবে। +ModuleBuilderDescmenus=এই ট্যাবটি আপনার মডিউল দ্বারা প্রদত্ত মেনু এন্ট্রি সংজ্ঞায়িত করার জন্য নিবেদিত। +ModuleBuilderDescpermissions=এই ট্যাবটি আপনার মডিউল দিয়ে আপনি যে নতুন অনুমতি প্রদান করতে চান তা নির্ধারণ করার জন্য নিবেদিত। +ModuleBuilderDesctriggers=এটি আপনার মডিউল দ্বারা প্রদত্ত ট্রিগারের দৃশ্য। একটি ট্রিগার করা ব্যবসায়িক ইভেন্ট চালু হলে এক্সিকিউট করা কোড অন্তর্ভুক্ত করতে, শুধু এই ফাইলটি সম্পাদনা করুন৷ +ModuleBuilderDeschooks=এই ট্যাবটি হুকের জন্য নিবেদিত। +ModuleBuilderDescwidgets=এই ট্যাবটি উইজেট পরিচালনা/বিল্ড করার জন্য নিবেদিত। +ModuleBuilderDescbuildpackage=আপনি এখানে আপনার মডিউলের একটি "বন্টন করার জন্য প্রস্তুত" প্যাকেজ ফাইল (একটি স্বাভাবিক .zip ফাইল) এবং একটি "বন্টন করার জন্য প্রস্তুত" ডকুমেন্টেশন ফাইল তৈরি করতে পারেন। প্যাকেজ বা ডকুমেন্টেশন ফাইল তৈরি করতে শুধু বোতামে ক্লিক করুন। +EnterNameOfModuleToDeleteDesc=আপনি আপনার মডিউল মুছে ফেলতে পারেন। সতর্কতা: মডিউলের সমস্ত কোডিং ফাইল (ম্যানুয়ালি তৈরি বা তৈরি) এবং কাঠামোগত ডেটা এবং ডকুমেন্টেশন মুছে ফেলা হবে! +EnterNameOfObjectToDeleteDesc=আপনি একটি বস্তু মুছে ফেলতে পারেন. সতর্কতা: বস্তুর সাথে সম্পর্কিত সমস্ত কোডিং ফাইল (উত্পন্ন বা ম্যানুয়ালি তৈরি) মুছে ফেলা হবে! +EnterNameOfObjectToDeleteDesc=আপনি একটি বস্তু মুছে ফেলতে পারেন. সতর্কতা: বস্তুর সাথে সম্পর্কিত সমস্ত কোডিং ফাইল (উত্পন্ন বা ম্যানুয়ালি তৈরি) মুছে ফেলা হবে! +DangerZone=বিপদজনক এলাকা +BuildPackage=প্যাকেজ তৈরি করুন +BuildPackageDesc=আপনি আপনার অ্যাপ্লিকেশনের একটি জিপ প্যাকেজ তৈরি করতে পারেন যাতে আপনি এটিকে যেকোনো ডলিবারে বিতরণ করতে প্রস্তুত হন। এছাড়াও আপনি এটি বিতরণ করতে পারেন বা বাজারে বিক্রি করতে পারেন যেমন DoliStore.com। +BuildDocumentation=ডকুমেন্টেশন তৈরি করুন +ModuleIsNotActive=এই মডিউল এখনও সক্রিয় করা হয় নি. এটি লাইভ করতে %s এ যান বা এখানে ক্লিক করুন +ModuleIsLive=এই মডিউল সক্রিয় করা হয়েছে. কোনো পরিবর্তন একটি বর্তমান লাইভ বৈশিষ্ট্য ভঙ্গ করতে পারে. +DescriptionLong=দীর্ঘ বিবরণ +EditorName=সম্পাদকের নাম +EditorUrl=সম্পাদকের URL +DescriptorFile=মডিউলের বর্ণনাকারী ফাইল +ClassFile=পিএইচপি DAO CRUD ক্লাসের জন্য ফাইল +ApiClassFile=মডিউলের API ফাইল +PageForList=রেকর্ডের তালিকার জন্য পিএইচপি পৃষ্ঠা +PageForCreateEditView=একটি রেকর্ড তৈরি/সম্পাদনা/দেখতে পিএইচপি পৃষ্ঠা +PageForAgendaTab=ইভেন্ট ট্যাবের জন্য পিএইচপি পৃষ্ঠা +PageForDocumentTab=ডকুমেন্ট ট্যাবের জন্য পিএইচপি পৃষ্ঠা +PageForNoteTab=নোট ট্যাবের জন্য পিএইচপি পৃষ্ঠা +PageForContactTab=যোগাযোগ ট্যাবের জন্য পিএইচপি পৃষ্ঠা +PathToModulePackage=মডিউল/অ্যাপ্লিকেশন প্যাকেজের জিপ করার পথ +PathToModuleDocumentation=মডিউল/অ্যাপ্লিকেশন ডকুমেন্টেশনের ফাইলের পাথ (%s) +SpaceOrSpecialCharAreNotAllowed=স্পেস বা বিশেষ অক্ষর অনুমোদিত নয়। +FileNotYetGenerated=ফাইল এখনো তৈরি হয়নি +GenerateCode=কোড তৈরি করুন +RegenerateClassAndSql=.class এবং .sql ফাইলগুলির জোর করে আপডেট করুন৷ +RegenerateMissingFiles=অনুপস্থিত ফাইল তৈরি করুন +SpecificationFile=ডকুমেন্টেশন ফাইল +LanguageFile=ভাষার জন্য ফাইল +ObjectProperties=অবজেক্ট প্রোপার্টি +Property=সম্পত্তি +PropertyDesc=একটি সম্পত্তি একটি বৈশিষ্ট্য যা একটি বস্তুর বৈশিষ্ট্য. এই অ্যাট্রিবিউটে একটি কোড, একটি লেবেল এবং একটি টাইপ রয়েছে যার বিভিন্ন বিকল্প রয়েছে৷ +ConfirmDeleteProperty=আপনি কি %s সম্পত্তি মুছে ফেলার বিষয়ে নিশ্চিত? এটি পিএইচপি ক্লাসে কোড পরিবর্তন করবে কিন্তু বস্তুর টেবিল সংজ্ঞা থেকে কলাম মুছে ফেলবে। +NotNull=নাল না +NotNullDesc=1=ডাটাবেসকে NOT NULL-এ সেট করুন, 0=শূন্য মানগুলিকে অনুমতি দিন, -1=খালি হলে মানকে NULL-এ জোর করে শূন্য মানগুলিকে অনুমতি দিন ('' বা 0) +SearchAll='সকল অনুসন্ধান' এর জন্য ব্যবহৃত +DatabaseIndex=ডাটাবেস সূচক +FileAlreadyExists=ফাইল %s ইতিমধ্যেই বিদ্যমান +TriggersFile=ট্রিগার কোডের জন্য ফাইল +HooksFile=হুক কোডের জন্য ফাইল +ArrayOfKeyValues=কী-ভাল এর অ্যারে +ArrayOfKeyValuesDesc=ফিল্ড যদি নির্দিষ্ট মান সহ একটি কম্বো তালিকা হয় তবে কী এবং মানগুলির অ্যারে +WidgetFile=উইজেট ফাইল +CSSFile=CSS ফাইল +JSFile=জাভাস্ক্রিপ্ট ফাইল +ReadmeFile=রিডমি ফাইল +ChangeLog=চেঞ্জলগ ফাইল +TestClassFile=পিএইচপি ইউনিট টেস্ট ক্লাসের জন্য ফাইল +SqlFile=এসকিউএল ফাইল +PageForLib=সাধারণ পিএইচপি লাইব্রেরির জন্য ফাইল +PageForObjLib=বস্তুর জন্য নিবেদিত পিএইচপি লাইব্রেরির জন্য ফাইল +SqlFileExtraFields=পরিপূরক বৈশিষ্ট্যের জন্য এসকিউএল ফাইল +SqlFileKey=কীগুলির জন্য এসকিউএল ফাইল +SqlFileKeyExtraFields=পরিপূরক বৈশিষ্ট্যের কীগুলির জন্য এসকিউএল ফাইল +AnObjectAlreadyExistWithThisNameAndDiffCase=একটি বস্তু ইতিমধ্যেই এই নাম এবং একটি ভিন্ন ক্ষেত্রে বিদ্যমান আছে +UseAsciiDocFormat=আপনি মার্কডাউন ফর্ম্যাট ব্যবহার করতে পারেন, তবে Asciidoc ফর্ম্যাট ব্যবহার করার পরামর্শ দেওয়া হয় (.md এবং .asciidoc-এর মধ্যে তুলনা: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) +IsAMeasure=একটি পরিমাপ হয় +DirScanned=ডিরেক্টরি স্ক্যান করা হয়েছে +NoTrigger=কোনো ট্রিগার নেই +NoWidget=কোনো উইজেট নেই +ApiExplorer=API এক্সপ্লোরার +ListOfMenusEntries=মেনু এন্ট্রি তালিকা +ListOfDictionariesEntries=অভিধান এন্ট্রি তালিকা +ListOfPermissionsDefined=নির্ধারিত অনুমতির তালিকা +SeeExamples=এখানে উদাহরণ দেখুন +EnabledDesc=এই ক্ষেত্রটি সক্রিয় থাকার শর্ত।

      উদাহরণ:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=মাঠ কি দৃশ্যমান? (উদাহরণ: 0=কখনও দৃশ্যমান নয়, 1=তালিকায় দৃশ্যমান এবং ফর্মগুলি তৈরি/আপডেট/দেখুন, 2=শুধু তালিকায় দৃশ্যমান, 3=শুধুমাত্র তৈরি/আপডেট/দেখার ফর্মে দৃশ্যমান (তালিকায় নয়), 4=তালিকায় দৃশ্যমান এবং শুধুমাত্র ফর্ম আপডেট/দেখুন (তৈরি নয়), 5=তালিকাতে দৃশ্যমান এবং শুধুমাত্র ফর্ম দেখুন (তৈরি নয়, আপডেট নয়)।

      একটি নেতিবাচক মান ব্যবহার করার অর্থ হল তালিকায় ডিফল্টভাবে ক্ষেত্র দেখানো হয় না তবে দেখার জন্য নির্বাচন করা যেতে পারে)। +ItCanBeAnExpression=এটি একটি অভিব্যক্তি হতে পারে. উদাহরণ:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user ->অধিকার আছে('ছুটি', 'নির্ধারিত_ছুটির')?1:5 +DisplayOnPdfDesc=সামঞ্জস্যপূর্ণ PDF নথিতে এই ক্ষেত্রটি প্রদর্শন করুন, আপনি "পজিশন" ক্ষেত্রের সাথে অবস্থান পরিচালনা করতে পারেন।
      নথির জন্য :

      0 = প্রদর্শিত হয় না
      1 =
      2 = শুধুমাত্র খালি না থাকলে প্রদর্শন করুন

      b0e7849434 span>নথি লাইনের জন্য :

      0 = প্রদর্শিত হয় না
      1 = একটি কলামে প্রদর্শিত হয়
      3 = বর্ণনার পরে লাইন বর্ণনা কলামে প্রদর্শিত হয়
      4 = বর্ণনার পরে বিবরণ কলামে প্রদর্শন শুধুমাত্র যদি খালি না হয় +DisplayOnPdf=PDF এ +IsAMeasureDesc=তালিকায় মোট পেতে ক্ষেত্রের মান কি কম্পুলেট করা যেতে পারে? (উদাহরণ: 1 বা 0) +SearchAllDesc=ক্ষেত্রটি কি দ্রুত অনুসন্ধান সরঞ্জাম থেকে অনুসন্ধান করতে ব্যবহৃত হয়? (উদাহরণ: 1 বা 0) +SpecDefDesc=এখানে সমস্ত ডকুমেন্টেশন লিখুন যা আপনি আপনার মডিউলের সাথে প্রদান করতে চান যা ইতিমধ্যে অন্যান্য ট্যাব দ্বারা সংজ্ঞায়িত করা হয়নি। আপনি .md বা আরও ভাল, সমৃদ্ধ .asciidoc সিনট্যাক্স ব্যবহার করতে পারেন। +LanguageDefDesc=এই ফাইলগুলিতে লিখুন, প্রতিটি ভাষার ফাইলের জন্য সমস্ত কী এবং অনুবাদ। +MenusDefDesc=আপনার মডিউল দ্বারা প্রদত্ত মেনুগুলি এখানে সংজ্ঞায়িত করুন +DictionariesDefDesc=আপনার মডিউল দ্বারা প্রদত্ত অভিধানগুলি এখানে সংজ্ঞায়িত করুন +PermissionsDefDesc=আপনার মডিউল দ্বারা প্রদত্ত নতুন অনুমতি এখানে সংজ্ঞায়িত করুন +MenusDefDescTooltip=আপনার মডিউল/অ্যাপ্লিকেশন দ্বারা প্রদত্ত মেনুগুলি মডিউল বর্ণনাকারী ফাইলে $this->মেনু অ্যারেতে সংজ্ঞায়িত করা হয়েছে। আপনি ম্যানুয়ালি এই ফাইলটি সম্পাদনা করতে পারেন বা এমবেডেড এডিটর ব্যবহার করতে পারেন।

      দ্রষ্টব্য: একবার সংজ্ঞায়িত (এবং মডিউলটি পুনরায় সক্রিয় করা হয়েছে) , %s-এ প্রশাসক ব্যবহারকারীদের জন্য উপলব্ধ মেনু সম্পাদকেও মেনুগুলি দৃশ্যমান। +DictionariesDefDescTooltip=আপনার মডিউল/অ্যাপ্লিকেশন দ্বারা প্রদত্ত অভিধানগুলিকে অ্যারে $this->ডিকশনারি মডিউল বর্ণনাকারী ফাইলে সংজ্ঞায়িত করা হয়েছে। আপনি ম্যানুয়ালি এই ফাইলটি সম্পাদনা করতে পারেন বা এমবেডেড এডিটর ব্যবহার করতে পারেন।

      দ্রষ্টব্য: একবার সংজ্ঞায়িত (এবং মডিউল পুনরায় সক্রিয় করা হয়েছে), %s-এ প্রশাসক ব্যবহারকারীদের সেটআপ এলাকায় অভিধানগুলিও দৃশ্যমান। +PermissionsDefDescTooltip=আপনার মডিউল/অ্যাপ্লিকেশন দ্বারা প্রদত্ত অনুমতিগুলি অ্যারে $this->rights মডিউল বর্ণনাকারী ফাইলে সংজ্ঞায়িত করা হয়েছে। আপনি নিজে এই ফাইলটি সম্পাদনা করতে পারেন বা এমবেড করা সম্পাদক ব্যবহার করতে পারেন।

      দ্রষ্টব্য: একবার সংজ্ঞায়িত (এবং মডিউল পুনরায় সক্রিয় করা হয়েছে), অনুমতিগুলি ডিফল্ট অনুমতি সেটআপে দৃশ্যমান হয় %s। +HooksDefDesc=বৈশিষ্ট্য module_parts['hooks'], মডিউল বর্ণনাকারী ফাইলে, প্রসঙ্গগুলির তালিকা যখন আপনার হুক কার্যকর করা আবশ্যক (সম্ভাব্য প্রসঙ্গগুলির তালিকা 'initHooks('-এ অনুসন্ধানের মাধ্যমে পাওয়া যাবে) .
      তারপর আপনার হুক করা ফাংশনগুলির কোড সহ হুক কোড সহ ফাইলটি সম্পাদনা করুন (হুকযোগ্য ফাংশনের তালিকা ' এ অনুসন্ধান করে পাওয়া যাবে executeHooks' মূল কোডে)। +TriggerDefDesc=আপনার মডিউলের বাহ্যিক একটি ব্যবসায়িক ইভেন্ট কার্যকর হলে (অন্যান্য মডিউল দ্বারা ট্রিগার করা ইভেন্ট) আপনি যে কোডটি চালাতে চান সেটি ট্রিগার ফাইলে সংজ্ঞায়িত করুন। +SeeIDsInUse=আপনার ইনস্টলেশন ব্যবহার করা আইডি দেখুন +SeeReservedIDsRangeHere=সংরক্ষিত আইডি পরিসীমা দেখুন +ToolkitForDevelopers=ডলিবার ডেভেলপারদের জন্য টুলকিট +TryToUseTheModuleBuilder=আপনার যদি SQL এবং PHP সম্পর্কে জ্ঞান থাকে, আপনি স্থানীয় মডিউল নির্মাতা উইজার্ড ব্যবহার করতে পারেন।
      মডিউলটি সক্ষম করুন %s এবং উপরের ডানদিকের মেনুতে।
      সতর্কতা: এটি একটি উন্নত ডেভেলপার বৈশিষ্ট্য, করুন no span class='notranslate'> আপনার প্রোডাকশন সাইটে পরীক্ষা! +SeeTopRightMenu=উপরের ডানদিকের মেনুতে দেখুন +AddLanguageFile=ভাষা ফাইল যোগ করুন +YouCanUseTranslationKey=আপনি এখানে একটি কী ব্যবহার করতে পারেন যা ভাষা ফাইলে পাওয়া অনুবাদ কী (ট্যাব "ভাষা" দেখুন) +DropTableIfEmpty=(খালি হলে টেবিল ধ্বংস করুন) +TableDoesNotExists=টেবিল %s বিদ্যমান নেই +TableDropped=সারণী %s মুছে ফেলা হয়েছে +InitStructureFromExistingTable=একটি বিদ্যমান টেবিলের স্ট্রাকচার অ্যারে স্ট্রিং তৈরি করুন +UseAboutPage=সম্পর্কে পৃষ্ঠা তৈরি করবেন না +UseDocFolder=ডকুমেন্টেশন ফোল্ডার নিষ্ক্রিয় করুন +UseSpecificReadme=একটি নির্দিষ্ট ReadMe ব্যবহার করুন +ContentOfREADMECustomized=দ্রষ্টব্য: README.md ফাইলের বিষয়বস্তু ModuleBuilder-এর সেটআপে সংজ্ঞায়িত নির্দিষ্ট মান দিয়ে প্রতিস্থাপিত হয়েছে। +RealPathOfModule=মডিউল বাস্তব পথ +ContentCantBeEmpty=ফাইলের বিষয়বস্তু খালি হতে পারে না +WidgetDesc=আপনি এখানে উইজেট তৈরি এবং সম্পাদনা করতে পারেন যা আপনার মডিউলের সাথে এমবেড করা হবে। +CSSDesc=আপনি এখানে আপনার মডিউলের সাথে এমবেড করা ব্যক্তিগতকৃত CSS সহ একটি ফাইল তৈরি এবং সম্পাদনা করতে পারেন। +JSDesc=আপনি এখানে আপনার মডিউলের সাথে এমবেড করা ব্যক্তিগতকৃত জাভাস্ক্রিপ্ট সহ একটি ফাইল তৈরি এবং সম্পাদনা করতে পারেন। +CLIDesc=আপনি এখানে কিছু কমান্ড লাইন স্ক্রিপ্ট তৈরি করতে পারেন যা আপনি আপনার মডিউল দিয়ে দিতে চান। +CLIFile=CLI ফাইল +NoCLIFile=কোন CLI ফাইল নেই +UseSpecificEditorName = একটি নির্দিষ্ট সম্পাদক নাম ব্যবহার করুন +UseSpecificEditorURL = একটি নির্দিষ্ট সম্পাদক URL ব্যবহার করুন +UseSpecificFamily = একটি নির্দিষ্ট পরিবার ব্যবহার করুন +UseSpecificAuthor = একটি নির্দিষ্ট লেখক ব্যবহার করুন +UseSpecificVersion = একটি নির্দিষ্ট প্রাথমিক সংস্করণ ব্যবহার করুন +IncludeRefGeneration=এই বস্তুর রেফারেন্স স্বয়ংক্রিয়ভাবে কাস্টম সংখ্যায়ন নিয়ম দ্বারা তৈরি করা আবশ্যক +IncludeRefGenerationHelp=আপনি যদি কাস্টম সংখ্যায়ন নিয়মগুলি ব্যবহার করে স্বয়ংক্রিয়ভাবে রেফারেন্সের প্রজন্ম পরিচালনা করতে কোড অন্তর্ভুক্ত করতে চান তবে এটি পরীক্ষা করুন৷ +IncludeDocGeneration=আমি এই বস্তুর জন্য টেমপ্লেট থেকে কিছু নথি (পিডিএফ, ওডিটি) তৈরি করতে বৈশিষ্ট্যটি চাই +IncludeDocGenerationHelp=আপনি যদি এটি চেক করেন, রেকর্ডে একটি "ডকুমেন্ট তৈরি করুন" বক্স যোগ করতে কিছু কোড তৈরি করা হবে। +ShowOnCombobox=কম্বো বাক্সে মান দেখান +KeyForTooltip=টুলটিপের জন্য কী +CSSClass=ফর্ম সম্পাদনা/তৈরি করার জন্য CSS +CSSViewClass=পড়ার ফর্মের জন্য CSS +CSSListClass=তালিকার জন্য CSS +NotEditable=সম্পাদনাযোগ্য নয় +ForeignKey=বিদেশী চাবি +ForeignKeyDesc=যদি এই ক্ষেত্রের মান অবশ্যই অন্য টেবিলে উপস্থিত থাকার নিশ্চয়তা দিতে হবে। এখানে একটি মান মেলে সিনট্যাক্স লিখুন: tablename.parentfieldtocheck +TypeOfFieldsHelp=উদাহরণ:
      varchar(99)
      ইমেল
      ফোন
      ip
      url
      পাসওয়ার্ড
      span>ডাবল(24,8)
      real
      পাঠ্য
      html
      তারিখ
      তারিখের সময়
      টাইমস্ট্যাম্প'notranslate'
      পূর্ণসংখ্যা
      পূর্ণসংখ্যা:ClassName:relativepath/to/classfile.class.php[:1[:filter]]b0342fcc
      '1' মানে আমরা রেকর্ড তৈরি করতে কম্বোর পরে একটি + বোতাম যোগ করি
      'ফিল্টার' হল একটি ইউনিভার্সাল ফিল্টার সিনট্যাক্স শর্ত, উদাহরণ: '((status:=:1) AND (fk_user:=:__USER_ID__) AND (entity:IN:(__SHARED_ENTITIES__))' +TypeOfFieldsHelpIntro=এটি হল ক্ষেত্র/বিশিষ্টের ধরন। +AsciiToHtmlConverter=Ascii থেকে HTML রূপান্তরকারী +AsciiToPdfConverter=Ascii থেকে পিডিএফ কনভার্টার +TableNotEmptyDropCanceled=টেবিল খালি নেই। ড্রপ বাতিল করা হয়েছে। +ModuleBuilderNotAllowed=মডিউল নির্মাতা উপলব্ধ কিন্তু আপনার ব্যবহারকারীর কাছে অনুমোদিত নয়। +ImportExportProfiles=আমদানি এবং রপ্তানি প্রোফাইল +ValidateModBuilderDesc=সন্নিবেশ বা আপডেটের সময় ক্ষেত্রের বিষয়বস্তু যাচাই করার জন্য কল করা অবজেক্টের $this->validateField() পদ্ধতি থাকতে চাইলে এটি 1 এ সেট করুন। কোন বৈধতা প্রয়োজন না হলে 0 সেট করুন। +WarningDatabaseIsNotUpdated=সতর্কতা: ডাটাবেস স্বয়ংক্রিয়ভাবে আপডেট হয় না, আপনাকে অবশ্যই টেবিলগুলি ধ্বংস করতে হবে এবং টেবিলগুলি পুনরায় তৈরি করতে মডিউলটিকে নিষ্ক্রিয়-সক্ষম করতে হবে +LinkToParentMenu=অভিভাবক মেনু (fk_xxxxmenu) +ListOfTabsEntries=ট্যাব এন্ট্রির তালিকা +TabsDefDesc=আপনার মডিউল দ্বারা প্রদত্ত ট্যাবগুলি এখানে সংজ্ঞায়িত করুন +TabsDefDescTooltip=আপনার মডিউল/অ্যাপ্লিকেশন দ্বারা প্রদত্ত ট্যাবগুলি অ্যারে $this->ট্যাব মডিউল বর্ণনাকারী ফাইলে সংজ্ঞায়িত করা হয়েছে। আপনি ম্যানুয়ালি এই ফাইলটি সম্পাদনা করতে পারেন বা এমবেডেড এডিটর ব্যবহার করতে পারেন৷ +BadValueForType=%s প্রকারের জন্য খারাপ মান +DefinePropertiesFromExistingTable=বিদ্যমান টেবিল থেকে ক্ষেত্র/বৈশিষ্ট্য নির্ধারণ করুন +DefinePropertiesFromExistingTableDesc=যদি ডাটাবেসের একটি টেবিল (অবজেক্ট তৈরি করার জন্য) ইতিমধ্যেই বিদ্যমান থাকে, তাহলে আপনি বস্তুর বৈশিষ্ট্য নির্ধারণ করতে এটি ব্যবহার করতে পারেন। +DefinePropertiesFromExistingTableDesc2=টেবিলটি এখনও বিদ্যমান না থাকলে খালি রাখুন। কোড জেনারেটর টেবিলের একটি উদাহরণ তৈরি করতে বিভিন্ন ধরণের ক্ষেত্র ব্যবহার করবে যা আপনি পরে সম্পাদনা করতে পারেন। +GeneratePermissions=আমি এই বস্তুর অনুমতি পরিচালনা করতে চাই +GeneratePermissionsHelp=আপনি যদি এটি চেক করেন, তাহলে অবজেক্টের রেকর্ড পড়তে, লিখতে এবং মুছে ফেলার অনুমতি পরিচালনা করতে কিছু কোড যোগ করা হবে +PermissionDeletedSuccesfuly=অনুমতি সফলভাবে সরানো হয়েছে +PermissionUpdatedSuccesfuly=অনুমতি সফলভাবে আপডেট করা হয়েছে +PermissionAddedSuccesfuly=অনুমতি সফলভাবে যোগ করা হয়েছে +MenuDeletedSuccessfuly=মেনু সফলভাবে মুছে ফেলা হয়েছে +MenuAddedSuccessfuly=মেনু সফলভাবে যোগ করা হয়েছে +MenuUpdatedSuccessfuly=মেনু সফলভাবে আপডেট করা হয়েছে +ApiObjectDeleted=বস্তুর জন্য API %s সফলভাবে মুছে ফেলা হয়েছে +CRUDRead=পড়ুন +CRUDCreateWrite=তৈরি করুন বা আপডেট করুন +FailedToAddCodeIntoDescriptor=বর্ণনাকারীতে কোড যোগ করতে ব্যর্থ হয়েছে৷ পরীক্ষা করুন যে স্ট্রিং মন্তব্য "%s" ফাইলটিতে এখনও উপস্থিত রয়েছে৷ +DictionariesCreated=অভিধান %s সফলভাবে তৈরি করা হয়েছে +DictionaryDeleted=অভিধান %s সফলভাবে সরানো হয়েছে +PropertyModuleUpdated=সম্পত্তি %s সফলভাবে আপডেট করা হয়েছে +InfoForApiFile=* আপনি যখন প্রথমবার ফাইল তৈরি করবেন তখন প্রতিটি বস্তুর জন্য সমস্ত পদ্ধতি তৈরি হবে।
      * আপনি যখন এ ক্লিক করুন আপনি শুধু নির্বাচিত বস্তু। +SetupFile=মডিউল সেটআপের জন্য পৃষ্ঠা +EmailingSelectors=ইমেল নির্বাচকদের +EmailingSelectorDesc=আপনি গণ ইমেল মডিউলের জন্য নতুন ইমেল লক্ষ্য নির্বাচক প্রদান করতে এখানে ক্লাস ফাইলগুলি তৈরি এবং সম্পাদনা করতে পারেন +EmailingSelectorFile=ইমেল নির্বাচক ফাইল +NoEmailingSelector=কোনো ইমেল নির্বাচক ফাইল নেই diff --git a/htdocs/langs/bn_BD/mrp.lang b/htdocs/langs/bn_BD/mrp.lang index 74bed0d9186..7bca27a437b 100644 --- a/htdocs/langs/bn_BD/mrp.lang +++ b/htdocs/langs/bn_BD/mrp.lang @@ -1,109 +1,139 @@ -Mrp=Manufacturing Orders -MOs=Manufacturing orders -ManufacturingOrder=Manufacturing Order -MRPDescription=Module to manage production and Manufacturing Orders (MO). -MRPArea=MRP Area -MrpSetupPage=Setup of module MRP -MenuBOM=Bills of material -LatestBOMModified=Latest %s Bills of materials modified -LatestMOModified=Latest %s Manufacturing Orders modified -Bom=Bills of Material -BillOfMaterials=Bill of Materials -BillOfMaterialsLines=Bill of Materials lines -BOMsSetup=Setup of module BOM -ListOfBOMs=List of bills of material - BOM -ListOfManufacturingOrders=List of Manufacturing Orders -NewBOM=New bill of materials -ProductBOMHelp=Product to create (or disassemble) with this BOM.
      Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list. -BOMsNumberingModules=BOM numbering templates -BOMsModelModule=BOM document templates -MOsNumberingModules=MO numbering templates -MOsModelModule=MO document templates -FreeLegalTextOnBOMs=Free text on document of BOM -WatermarkOnDraftBOMs=Watermark on draft BOM -FreeLegalTextOnMOs=Free text on document of MO -WatermarkOnDraftMOs=Watermark on draft MO -ConfirmCloneBillOfMaterials=Are you sure you want to clone the bill of materials %s ? -ConfirmCloneMo=Are you sure you want to clone the Manufacturing Order %s ? -ManufacturingEfficiency=Manufacturing efficiency -ConsumptionEfficiency=Consumption efficiency -ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the manufacturing or the disassembly -ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product -DeleteBillOfMaterials=Delete Bill Of Materials -DeleteMo=Delete Manufacturing Order -ConfirmDeleteBillOfMaterials=Are you sure you want to delete this Bill Of Materials? -ConfirmDeleteMo=Are you sure you want to delete this Manufacturing Order? -MenuMRP=Manufacturing Orders -NewMO=New Manufacturing Order -QtyToProduce=Qty to produce -DateStartPlannedMo=Date start planned -DateEndPlannedMo=Date end planned -KeepEmptyForAsap=Empty means 'As Soon As Possible' -EstimatedDuration=Estimated duration -EstimatedDurationDesc=Estimated duration to manufacture (or disassemble) this product using this BOM -ConfirmValidateBom=Are you sure you want to validate the BOM with the reference %s (you will be able to use it to build new Manufacturing Orders) -ConfirmCloseBom=Are you sure you want to cancel this BOM (you won't be able to use it to build new Manufacturing Orders anymore) ? -ConfirmReopenBom=Are you sure you want to re-open this BOM (you will be able to use it to build new Manufacturing Orders) -StatusMOProduced=Produced -QtyFrozen=Frozen Qty -QuantityFrozen=Frozen Quantity -QuantityConsumedInvariable=When this flag is set, the quantity consumed is always the value defined and is not relative to the quantity produced. -DisableStockChange=Stock change disabled -DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed -BomAndBomLines=Bills Of Material and lines -BOMLine=Line of BOM -WarehouseForProduction=Warehouse for production -CreateMO=Create MO -ToConsume=To consume -ToProduce=To produce -ToObtain=To obtain -QtyAlreadyConsumed=Qty already consumed -QtyAlreadyProduced=Qty already produced -QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) -ConsumeOrProduce=Consume or Produce -ConsumeAndProduceAll=Consume and Produce All -Manufactured=Manufactured -TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf=For a quantity to produce of %s -ForAQuantityToConsumeOf=For a quantity to disassemble of %s -ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? -ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRef=Production of %s -AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached -NoStockChangeOnServices=No stock change on services -ProductQtyToConsumeByMO=Product quantity still to consume by open MO -ProductQtyToProduceByMO=Product quantity still to produce by open MO -AddNewConsumeLines=Add new line to consume -AddNewProduceLines=Add new line to produce -ProductsToConsume=Products to consume -ProductsToProduce=Products to produce -UnitCost=Unit cost -TotalCost=Total cost -BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) -GoOnTabProductionToProduceFirst=You must first have started the production to close a Manufacturing Order (See tab '%s'). But you can Cancel it. -ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO -Workstation=Workstation -Workstations=Workstations -WorkstationsDescription=Workstations management -WorkstationSetup = Workstations setup -WorkstationSetupPage = Workstations setup page -WorkstationList=Workstation list -WorkstationCreate=Add new workstation -ConfirmEnableWorkstation=Are you sure you want to enable workstation %s ? -EnableAWorkstation=Enable a workstation -ConfirmDisableWorkstation=Are you sure you want to disable workstation %s ? -DisableAWorkstation=Disable a workstation -DeleteWorkstation=Delete -NbOperatorsRequired=Number of operators required -THMOperatorEstimated=Estimated operator THM -THMMachineEstimated=Estimated machine THM -WorkstationType=Workstation type -Human=Human -Machine=Machine -HumanMachine=Human / Machine -WorkstationArea=Workstation area -Machines=Machines -THMEstimatedHelp=This rate makes it possible to define a forecast cost of the item -BOM=Bill Of Materials -CollapseBOMHelp=You can define the default display of the details of the nomenclature in the configuration of the BOM module -MOAndLines=Manufacturing Orders and lines +Mrp=ম্যানুফ্যাকচারিং অর্ডার +MOs=ম্যানুফ্যাকচারিং অর্ডার +ManufacturingOrder=ম্যানুফ্যাকচারিং অর্ডার +MRPDescription=উত্পাদন এবং উত্পাদন আদেশ (MO) পরিচালনার মডিউল। +MRPArea=এমআরপি এলাকা +MrpSetupPage=মডিউল এমআরপি সেটআপ +MenuBOM=উপাদান বিল +LatestBOMModified=সর্বশেষ %s উপকরণের বিল পরিবর্তিত হয়েছে +LatestMOModified=সর্বশেষ %s ম্যানুফ্যাকচারিং অর্ডার পরিবর্তন করা হয়েছে +Bom=উপাদান বিল +BillOfMaterials=উপকরণ বিল +BillOfMaterialsLines=উপকরণ লাইন বিল +BOMsSetup=BOM মডিউল সেটআপ +ListOfBOMs=উপাদানের বিল - BOM +ListOfManufacturingOrders=ম্যানুফ্যাকচারিং অর্ডার +NewBOM=উপকরণের নতুন বিল +ProductBOMHelp=এই BOM দিয়ে পণ্য তৈরি করা (বা বিচ্ছিন্ন করা)।
      দ্রষ্টব্য: 'পণ্যের প্রকৃতি' = 'কাঁচা মাল' বৈশিষ্ট্য সহ পণ্যগুলি এই তালিকায় দৃশ্যমান নয়। +BOMsNumberingModules=BOM নম্বরিং টেমপ্লেট +BOMsModelModule=BOM নথি টেমপ্লেট +MOsNumberingModules=MO নম্বরিং টেমপ্লেট +MOsModelModule=MO নথি টেমপ্লেট +FreeLegalTextOnBOMs=BOM এর নথিতে বিনামূল্যে পাঠ্য +WatermarkOnDraftBOMs=খসড়া BOM-এ জলছাপ +FreeLegalTextOnMOs=MO এর নথিতে বিনামূল্যে পাঠ্য +WatermarkOnDraftMOs=ড্রাফ্ট MO-তে ওয়াটারমার্ক +ConfirmCloneBillOfMaterials=আপনি কি নিশ্চিত যে আপনি %s সামগ্রীর বিল ক্লোন করতে চান? +ConfirmCloneMo=আপনি কি ম্যানুফ্যাকচারিং অর্ডার %s ক্লোন করার বিষয়ে নিশ্চিত? +ManufacturingEfficiency=উত্পাদন দক্ষতা +ConsumptionEfficiency=খরচ দক্ষতা +Consumption=খরচ +ValueOfMeansLoss=0.95 এর মান মানে উৎপাদন বা বিচ্ছিন্ন করার সময় গড় 5%% ক্ষতি +ValueOfMeansLossForProductProduced=0.95 মান মানে উত্পাদিত পণ্যের গড় 5%% ক্ষতি +DeleteBillOfMaterials=সামগ্রীর বিল মুছুন +CancelMo=ম্যানুফ্যাকচারিং অর্ডার বাতিল করুন +MoCancelConsumedAndProducedLines=সমস্ত খাওয়া এবং উত্পাদিত লাইনগুলিও বাতিল করুন (লাইন এবং রোলব্যাক স্টকগুলি মুছুন) +ConfirmCancelMo=আপনি কি এই ম্যানুফ্যাকচারিং অর্ডার বাতিল করার বিষয়ে নিশ্চিত? +DeleteMo=ম্যানুফ্যাকচারিং অর্ডার মুছুন +ConfirmDeleteBillOfMaterials=আপনি কি নিশ্চিত যে আপনি এই বিল অফ ম্যাটেরিয়ালস মুছতে চান? +ConfirmDeleteMo=আপনি কি এই ম্যানুফ্যাকচারিং অর্ডার মুছতে চান? +DeleteMoChild = এই MO %s-এর সাথে লিঙ্ক করা চাইল্ড MOs মুছুন +MoChildsDeleted = সমস্ত শিশু এমও মুছে ফেলা হয়েছে +MenuMRP=ম্যানুফ্যাকচারিং অর্ডার +NewMO=নতুন ম্যানুফ্যাকচারিং অর্ডার +QtyToProduce=উত্পাদনের পরিমাণ +DateStartPlannedMo=তারিখ শুরু পরিকল্পিত +DateEndPlannedMo=তারিখ শেষ পরিকল্পিত +KeepEmptyForAsap=খালি মানে 'যত তাড়াতাড়ি সম্ভব' +EstimatedDuration=আনুমানিক সময়কাল +EstimatedDurationDesc=এই BOM ব্যবহার করে এই পণ্যটি তৈরি (বা বিচ্ছিন্ন) করার আনুমানিক সময়কাল +ConfirmValidateBom=আপনি কি %sরেফারেন্স সহ BOM যাচাই করতে চান > (আপনি নতুন ম্যানুফ্যাকচারিং অর্ডার তৈরি করতে এটি ব্যবহার করতে সক্ষম হবেন) +ConfirmCloseBom=আপনি কি এই BOM বাতিল করার বিষয়ে নিশ্চিত (আপনি আর নতুন ম্যানুফ্যাকচারিং অর্ডার তৈরি করতে এটি ব্যবহার করতে পারবেন না)? +ConfirmReopenBom=আপনি কি নিশ্চিত যে আপনি এই BOM পুনরায় খুলতে চান (আপনি এটি নতুন উত্পাদন অর্ডার তৈরি করতে ব্যবহার করতে সক্ষম হবেন) +StatusMOProduced=উত্পাদিত +QtyFrozen=হিমায়িত পরিমাণ +QuantityFrozen=হিমায়িত পরিমাণ +QuantityConsumedInvariable=যখন এই পতাকা সেট করা হয়, খাওয়ার পরিমাণ সর্বদা সংজ্ঞায়িত মান এবং উত্পাদিত পরিমাণের সাথে আপেক্ষিক নয়। +DisableStockChange=স্টক পরিবর্তন নিষ্ক্রিয় +DisableStockChangeHelp=যখন এই পতাকা সেট করা হয়, তখন এই পণ্যটিতে কোন স্টক পরিবর্তন হয় না, যতটুকু পরিমাণে ব্যবহার করা হোক না কেন +BomAndBomLines=উপাদান এবং লাইন বিল +BOMLine=BOM এর লাইন +WarehouseForProduction=উৎপাদনের জন্য গুদাম +CreateMO=MO তৈরি করুন +ToConsume=ভোজন করা +ToProduce=উৎপাদন করা +ToObtain=অর্জন +QtyAlreadyConsumed=পরিমাণ ইতিমধ্যে গ্রাস +QtyAlreadyProduced=পরিমাণ ইতিমধ্যে উত্পাদিত +QtyAlreadyConsumedShort=পরিমাণে ক্ষয়প্রাপ্ত +QtyAlreadyProducedShort=উত্পাদিত পরিমাণ +QtyRequiredIfNoLoss=কোন ক্ষতি না হলে BOM-এ সংজ্ঞায়িত পরিমাণ তৈরি করতে প্রয়োজন (যদি উৎপাদন দক্ষতা 100%% হয়) +ConsumeOrProduce=ভোগ বা উত্পাদন +ConsumeAndProduceAll=সব ভোগ এবং উত্পাদন +Manufactured=উৎপাদিত +TheProductXIsAlreadyTheProductToProduce=যে পণ্যটি যোগ করতে হবে তা ইতিমধ্যেই উৎপাদনের পণ্য। +ForAQuantityOf=%s উৎপাদনের পরিমাণের জন্য +ForAQuantityToConsumeOf=%s বিচ্ছিন্ন করার পরিমাণের জন্য +ConfirmValidateMo=আপনি কি নিশ্চিত যে আপনি এই ম্যানুফ্যাকচারিং অর্ডারটি যাচাই করতে চান? +ConfirmProductionDesc='%s'-এ ক্লিক করার মাধ্যমে, আপনি সেট করা পরিমাণের জন্য ব্যবহার এবং/অথবা উৎপাদন যাচাই করবেন। এটি স্টক আপডেট করবে এবং স্টক মুভমেন্ট রেকর্ড করবে। +ProductionForRef=%s এর উৎপাদন +CancelProductionForRef=%s পণ্যের জন্য পণ্য স্টক হ্রাস বাতিলকরণ +TooltipDeleteAndRevertStockMovement=লাইন মুছুন এবং স্টক মুভমেন্ট রিভার্ট করুন +AutoCloseMO=স্বয়ংক্রিয়ভাবে ম্যানুফ্যাকচারিং অর্ডারটি বন্ধ করুন যদি খাওয়া এবং উত্পাদন করার পরিমাণ পৌঁছে যায় +NoStockChangeOnServices=পরিষেবাগুলিতে কোনও স্টক পরিবর্তন নেই +ProductQtyToConsumeByMO=পণ্যের পরিমাণ এখনও খোলা MO দ্বারা গ্রাস করা +ProductQtyToProduceByMO=পণ্যের পরিমাণ এখনও খোলা MO দ্বারা উত্পাদন করা +AddNewConsumeLines=গ্রাস করতে নতুন লাইন যোগ করুন +AddNewProduceLines=উত্পাদন নতুন লাইন যোগ করুন +ProductsToConsume=ভোজন পণ্য +ProductsToProduce=পণ্য উত্পাদন +UnitCost=ইউনিট খরচ +TotalCost=মোট খরচ +BOMTotalCost=প্রতিটি পরিমাণ এবং পণ্যের খরচের উপর ভিত্তি করে এই BOM উৎপাদনের খরচ (যদি সংজ্ঞায়িত করা থাকে তবে খরচের দাম ব্যবহার করুন, অন্যথায় গড় ওজনযুক্ত মূল্য, অন্যথায় সর্বোত্তম ক্রয় মূল্য) +BOMTotalCostService=যদি "ওয়ার্কস্টেশন" মডিউলটি সক্রিয় করা হয় এবং লাইনে একটি ওয়ার্কস্টেশন ডিফল্টরূপে সংজ্ঞায়িত করা হয়, তাহলে গণনাটি "পরিমাণ (ঘন্টায় রূপান্তরিত) x ওয়ার্কস্টেশন ahr", অন্যথায় "পরিমাণ x পরিসেবার মূল্য মূল্য" +GoOnTabProductionToProduceFirst=একটি ম্যানুফ্যাকচারিং অর্ডার বন্ধ করতে আপনাকে অবশ্যই প্রথমে উত্পাদন শুরু করতে হবে ('%s' ট্যাব দেখুন)। তবে আপনি এটি বাতিল করতে পারেন। +ErrorAVirtualProductCantBeUsedIntoABomOrMo=একটি কিট একটি BOM বা একটি MO তে ব্যবহার করা যাবে না +Workstation=ওয়ার্কস্টেশন +Workstations=ওয়ার্কস্টেশন +WorkstationsDescription=ওয়ার্কস্টেশন ব্যবস্থাপনা +WorkstationSetup = ওয়ার্কস্টেশন সেটআপ +WorkstationSetupPage = ওয়ার্কস্টেশন সেটআপ পৃষ্ঠা +WorkstationList=ওয়ার্কস্টেশন তালিকা +WorkstationCreate=নতুন ওয়ার্কস্টেশন যোগ করুন +ConfirmEnableWorkstation=আপনি কি ওয়ার্কস্টেশন %s সক্ষম করার বিষয়ে নিশ্চিত? +EnableAWorkstation=একটি ওয়ার্কস্টেশন সক্ষম করুন +ConfirmDisableWorkstation=আপনি কি ওয়ার্কস্টেশন %s নিষ্ক্রিয় করার বিষয়ে নিশ্চিত? +DisableAWorkstation=একটি ওয়ার্কস্টেশন অক্ষম করুন +DeleteWorkstation=মুছে ফেলা +NbOperatorsRequired=প্রয়োজনীয় অপারেটর সংখ্যা +THMOperatorEstimated=আনুমানিক অপারেটর THM +THMMachineEstimated=আনুমানিক মেশিন THM +WorkstationType=ওয়ার্কস্টেশনের ধরন +DefaultWorkstation=ডিফল্ট ওয়ার্কস্টেশন +Human=মানব +Machine=মেশিন +HumanMachine=মানুষ / মেশিন +WorkstationArea=ওয়ার্কস্টেশন এলাকা +Machines=মেশিন +THMEstimatedHelp=এই হার আইটেমের একটি পূর্বাভাস খরচ সংজ্ঞায়িত করা সম্ভব করে তোলে +BOM=উপকরণ বিল +CollapseBOMHelp=আপনি BOM মডিউলের কনফিগারেশনে নামকরণের বিশদ বিবরণের ডিফল্ট প্রদর্শন সংজ্ঞায়িত করতে পারেন +MOAndLines=ম্যানুফ্যাকচারিং অর্ডার এবং লাইন +MoChildGenerate=চাইল্ড মো জেনারেট করুন +ParentMo=MO অভিভাবক +MOChild=এমও শিশু +BomCantAddChildBom=নামকরণ %s নামকরণ %s দিকে নিয়ে যাওয়া ট্রিতে ইতিমধ্যেই উপস্থিত রয়েছে +BOMNetNeeds = BOM নেট প্রয়োজন +BOMProductsList=BOM এর পণ্য +BOMServicesList=BOM এর পরিষেবা +Manufacturing=ম্যানুফ্যাকচারিং +Disassemble=বিচ্ছিন্ন করা +ProducedBy=দ্বারা উত্পাদিত +QtyTot=মোট পরিমাণ + +QtyCantBeSplit= পরিমাণ বিভক্ত করা যাবে না +NoRemainQtyToDispatch=ভাগ করার জন্য কোন পরিমাণ অবশিষ্ট নেই + +THMOperatorEstimatedHelp=প্রতি ঘন্টায় অপারেটরের আনুমানিক খরচ। এই ওয়ার্কস্টেশন ব্যবহার করে একটি BOM-এর খরচ অনুমান করতে ব্যবহার করা হবে। +THMMachineEstimatedHelp=প্রতি ঘণ্টায় মেশিনের আনুমানিক খরচ। এই ওয়ার্কস্টেশন ব্যবহার করে একটি BOM-এর খরচ অনুমান করতে ব্যবহার করা হবে। + diff --git a/htdocs/langs/bn_BD/multicurrency.lang b/htdocs/langs/bn_BD/multicurrency.lang index bfcbd11fb7c..ac475df1840 100644 --- a/htdocs/langs/bn_BD/multicurrency.lang +++ b/htdocs/langs/bn_BD/multicurrency.lang @@ -1,22 +1,43 @@ # Dolibarr language file - Source file is en_US - multicurrency -MultiCurrency=Multi currency -ErrorAddRateFail=Error in added rate -ErrorAddCurrencyFail=Error in added currency -ErrorDeleteCurrencyFail=Error delete fail -multicurrency_syncronize_error=Synchronization error: %s -MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=Use the date of the document to find the currency rate, instead of using the latest known rate -multicurrency_useOriginTx=When an object is created from another, keep the original rate from the source object (otherwise use the latest known rate) -CurrencyLayerAccount=CurrencyLayer API -CurrencyLayerAccount_help_to_synchronize=You must create an account on website %s to use this functionality.
      Get your API key.
      If you use a free account, you can't change the source currency (USD by default).
      If your main currency is not USD, the application will automatically recalculate it.

      You are limited to 1000 synchronizations per month. -multicurrency_appId=API key -multicurrency_appCurrencySource=Source currency -multicurrency_alternateCurrencySource=Alternate source currency -CurrenciesUsed=Currencies used -CurrenciesUsed_help_to_add=Add the different currencies and rates you need to use on your proposals, orders etc. -rate=rate -MulticurrencyReceived=Received, original currency -MulticurrencyRemainderToTake=Remaining amount, original currency -MulticurrencyPaymentAmount=Payment amount, original currency -AmountToOthercurrency=Amount To (in currency of receiving account) -CurrencyRateSyncSucceed=Currency rate synchronization done successfuly -MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Use the currency of the document for online payments +MultiCurrency=বিভিন্ন দেশের মুদ্রা +ErrorAddRateFail=যোগ করা হারে ত্রুটি +ErrorAddCurrencyFail=যোগ করা মুদ্রায় ত্রুটি +ErrorDeleteCurrencyFail=ত্রুটি মুছে ফেলতে ব্যর্থ +multicurrency_syncronize_error=সিঙ্ক্রোনাইজেশন ত্রুটি: %s +MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=সর্বশেষ পরিচিত হার ব্যবহার না করে মুদ্রার হার খুঁজতে নথির তারিখ ব্যবহার করুন +multicurrency_useOriginTx=যখন একটি বস্তু অন্য থেকে তৈরি করা হয়, উৎস বস্তু থেকে মূল হার রাখুন (অন্যথায় সর্বশেষ পরিচিত হার ব্যবহার করুন) +CurrencyLayerAccount=কারেন্সি লেয়ার এপিআই +CurrencyLayerAccount_help_to_synchronize=এই কার্যকারিতা ব্যবহার করতে আপনাকে অবশ্যই %s ওয়েবসাইটে একটি অ্যাকাউন্ট তৈরি করতে হবে।
      আপনার পান /span>API কী
      আপনি যদি একটি বিনামূল্যের অ্যাকাউন্ট ব্যবহার করেন, তাহলে আপনি উৎস মুদ্রা (ডিফল্টরূপে USD)।
      যদি আপনার মূল মুদ্রা ইউএসডি না হয়, অ্যাপ্লিকেশন স্বয়ংক্রিয়ভাবে এটি পুনরায় গণনা করবে।

      আপনি প্রতি মাসে 1000 সিঙ্ক্রোনাইজেশনের মধ্যে সীমাবদ্ধ। +multicurrency_appId=API কী +multicurrency_appCurrencySource=উৎস মুদ্রা +multicurrency_alternateCurrencySource=বিকল্প উৎস মুদ্রা +CurrenciesUsed=ব্যবহৃত মুদ্রা +CurrenciesUsed_help_to_add=আপনার প্রস্তাব, b0aee8336058b0aee8336587 /span>অর্ডার
      ইত্যাদি +rate=হার +MulticurrencyReceived=প্রাপ্ত, আসল মুদ্রা +MulticurrencyRemainderToTake=অবশিষ্ট পরিমাণ, আসল মুদ্রা +MulticurrencyPaymentAmount=অর্থপ্রদানের পরিমাণ, আসল মুদ্রা +AmountToOthercurrency=পরিমাণ (প্রাপ্তি অ্যাকাউন্টের মুদ্রায়) +CurrencyRateSyncSucceed=কারেন্সি রেট সিঙ্ক্রোনাইজেশন সফলভাবে সম্পন্ন হয়েছে +MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=অনলাইন পেমেন্টের জন্য নথির মুদ্রা ব্যবহার করুন +TabTitleMulticurrencyRate=হার তালিকা +ListCurrencyRate=মুদ্রার বিনিময় হারের তালিকা +CreateRate=একটি হার তৈরি করুন +FormCreateRate=রেট সৃষ্টি +FormUpdateRate=হার পরিবর্তন +successRateCreate=ডাটাবেসে %s মুদ্রার হার যোগ করা হয়েছে +ConfirmDeleteLineRate=আপনি কি নিশ্চিত যে আপনি %s মুদ্রার %s হার সরাতে চান? > তারিখ? +DeleteLineRate=পরিষ্কার হার +successRateDelete=হার মুছে ফেলা হয়েছে +errorRateDelete=হার মুছে ফেলার সময় ত্রুটি +successUpdateRate=পরিবর্তন করা হয়েছে +ErrorUpdateRate=হার পরিবর্তন করার সময় ত্রুটি +Codemulticurrency=মুদ্রা কোড +UpdateRate=হার পরিবর্তন করুন +CancelUpdate=বাতিল +NoEmptyRate=হার ক্ষেত্রটি খালি হওয়া উচিত নয় +CurrencyCodeId=মুদ্রা আইডি +CurrencyCode=মুদ্রা কোড +CurrencyUnitPrice=বৈদেশিক মুদ্রায় ইউনিট মূল্য +CurrencyPrice=বৈদেশিক মুদ্রায় মূল্য +MutltiCurrencyAutoUpdateCurrencies=সমস্ত মুদ্রার হার আপডেট করুন diff --git a/htdocs/langs/bn_BD/oauth.lang b/htdocs/langs/bn_BD/oauth.lang index 075ff49a895..4731e117af2 100644 --- a/htdocs/langs/bn_BD/oauth.lang +++ b/htdocs/langs/bn_BD/oauth.lang @@ -1,32 +1,42 @@ # Dolibarr language file - Source file is en_US - oauth -ConfigOAuth=OAuth Configuration -OAuthServices=OAuth Services -ManualTokenGeneration=Manual token generation -TokenManager=Token Manager -IsTokenGenerated=Is token generated ? -NoAccessToken=No access token saved into local database -HasAccessToken=A token was generated and saved into local database -NewTokenStored=Token received and saved -ToCheckDeleteTokenOnProvider=Click here to check/delete authorization saved by %s OAuth provider -TokenDeleted=Token deleted -RequestAccess=Click here to request/renew access and receive a new token to save -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider: -ListOfSupportedOauthProviders=Enter the credentials provided by your OAuth2 provider. Only supported OAuth2 providers are listedd here. These services may be used by other modules that need OAuth2 authentication. -OAuthSetupForLogin=Page to generate an OAuth token -SeePreviousTab=See previous tab -OAuthIDSecret=OAuth ID and Secret -TOKEN_REFRESH=Token Refresh Present -TOKEN_EXPIRED=Token expired -TOKEN_EXPIRE_AT=Token expire at -TOKEN_DELETE=Delete saved token -OAUTH_GOOGLE_NAME=OAuth Google service -OAUTH_GOOGLE_ID=OAuth Google Id -OAUTH_GOOGLE_SECRET=OAuth Google Secret -OAUTH_GOOGLE_DESC=Go to this page then "Credentials" to create OAuth credentials -OAUTH_GITHUB_NAME=OAuth GitHub service -OAUTH_GITHUB_ID=OAuth GitHub Id -OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_GITHUB_DESC=Go to this page then "Register a new application" to create OAuth credentials -OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test -OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live +ConfigOAuth=OAuth কনফিগারেশন +OAuthServices=OAuth পরিষেবা +ManualTokenGeneration=ম্যানুয়াল টোকেন প্রজন্ম +TokenManager=টোকেন ম্যানেজার +IsTokenGenerated=টোকেন তৈরি হয়? +NoAccessToken=স্থানীয় ডাটাবেসে কোনো অ্যাক্সেস টোকেন সংরক্ষিত নেই +HasAccessToken=একটি টোকেন তৈরি করা হয়েছিল এবং স্থানীয় ডাটাবেসে সংরক্ষিত হয়েছিল +NewTokenStored=টোকেন প্রাপ্ত এবং সংরক্ষিত +ToCheckDeleteTokenOnProvider=%s OAuth প্রদানকারীর দ্বারা সংরক্ষিত অনুমোদন চেক/মুছে ফেলতে এখানে ক্লিক করুন +TokenDeleted=টোকেন মুছে ফেলা হয়েছে +GetAccess=একটি টোকেন পেতে এখানে ক্লিক করুন +RequestAccess=অ্যাক্সেসের অনুরোধ/নবায়ন করতে এবং একটি নতুন টোকেন পেতে এখানে ক্লিক করুন +DeleteAccess=টোকেন মুছে ফেলার জন্য এখানে ক্লিক করুন +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider +ListOfSupportedOauthProviders=আপনার OAuth2 টোকেন প্রদানকারী যোগ করুন। তারপর, একটি OAuth আইডি এবং সিক্রেট তৈরি/পাতে এবং সেগুলিকে এখানে সংরক্ষণ করতে আপনার OAuth প্রদানকারীর অ্যাডমিন পৃষ্ঠায় যান। একবার হয়ে গেলে, আপনার টোকেন তৈরি করতে অন্য ট্যাবে স্যুইচ করুন। +OAuthSetupForLogin=OAuth টোকেন পরিচালনা (জেনারেট/মোছা) করার জন্য পৃষ্ঠা +SeePreviousTab=আগের ট্যাব দেখুন +OAuthProvider=OAuth প্রদানকারী +OAuthIDSecret=OAuth আইডি এবং সিক্রেট +TOKEN_REFRESH=টোকেন রিফ্রেশ বর্তমান +TOKEN_EXPIRED=টোকেনের মেয়াদ শেষ +TOKEN_EXPIRE_AT=টোকেনের মেয়াদ শেষ হবে +TOKEN_DELETE=সংরক্ষিত টোকেন মুছুন +OAUTH_GOOGLE_NAME=OAuth Google পরিষেবা +OAUTH_GOOGLE_ID=OAuth গুগল আইডি +OAUTH_GOOGLE_SECRET=OAuth গুগল সিক্রেট +OAUTH_GITHUB_NAME=OAuth GitHub পরিষেবা +OAUTH_GITHUB_ID=OAuth GitHub আইডি +OAUTH_GITHUB_SECRET=OAuth GitHub সিক্রেট +OAUTH_URL_FOR_CREDENTIAL=এই পৃষ্ঠায় যান আপনার OAuth আইডি এবং গোপনীয়তা তৈরি করতে বা পেতে +OAUTH_STRIPE_TEST_NAME=OAuth স্ট্রাইপ পরীক্ষা +OAUTH_STRIPE_LIVE_NAME=OAuth স্ট্রাইপ লাইভ +OAUTH_ID=OAuth ক্লায়েন্ট আইডি +OAUTH_SECRET=OAuth গোপন +OAUTH_TENANT=OAuth ভাড়াটে +OAuthProviderAdded=OAuth প্রদানকারী যোগ করা হয়েছে +AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=এই প্রদানকারীর জন্য একটি OAuth এন্ট্রি এবং লেবেল ইতিমধ্যেই বিদ্যমান +URLOfServiceForAuthorization=প্রমাণীকরণের জন্য OAuth পরিষেবা দ্বারা প্রদত্ত URL +Scopes=অনুমতি (স্কোপ) +ScopeUndefined=অনুমতি (স্কোপ) অনির্ধারিত (আগের ট্যাব দেখুন) diff --git a/htdocs/langs/bn_BD/opensurvey.lang b/htdocs/langs/bn_BD/opensurvey.lang index 9fafacaf8bf..c5e8569c507 100644 --- a/htdocs/langs/bn_BD/opensurvey.lang +++ b/htdocs/langs/bn_BD/opensurvey.lang @@ -1,63 +1,64 @@ # Dolibarr language file - Source file is en_US - opensurvey -Survey=Poll -Surveys=Polls -OrganizeYourMeetingEasily=Organize your meetings and polls easily. First select the type of poll... -NewSurvey=New poll -OpenSurveyArea=Polls area -AddACommentForPoll=You can add a comment into poll... -AddComment=Add comment -CreatePoll=Create poll -PollTitle=Poll title -ToReceiveEMailForEachVote=Receive an email for each vote -TypeDate=Type date -TypeClassic=Type standard -OpenSurveyStep2=Select your dates among the free days (grey). The selected days are green. You can unselect a day previously selected by clicking again on it -RemoveAllDays=Remove all days -CopyHoursOfFirstDay=Copy hours of first day -RemoveAllHours=Remove all hours -SelectedDays=Selected days -TheBestChoice=The best choice currently is -TheBestChoices=The best choices currently are -with=with -OpenSurveyHowTo=If you agree to vote in this poll, you have to give your name, choose the values that fit best for you and validate with the plus button at the end of the line. -CommentsOfVoters=Comments of voters -ConfirmRemovalOfPoll=Are you sure you want to remove this poll (and all votes) -RemovePoll=Remove poll -UrlForSurvey=URL to communicate to get a direct access to poll -PollOnChoice=You are creating a poll to make a multi-choice for a poll. First enter all possible choices for your poll: -CreateSurveyDate=Create a date poll -CreateSurveyStandard=Create a standard poll -CheckBox=Simple checkbox -YesNoList=List (empty/yes/no) -PourContreList=List (empty/for/against) -AddNewColumn=Add new column -TitleChoice=Choice label -ExportSpreadsheet=Export result spreadsheet -ExpireDate=Limit date -NbOfSurveys=Number of polls -NbOfVoters=No. of voters -SurveyResults=Results -PollAdminDesc=You are allowed to change all vote lines of this poll with button "Edit". You can, as well, remove a column or a line with %s. You can also add a new column with %s. -5MoreChoices=5 more choices -Against=Against -YouAreInivitedToVote=You are invited to vote for this poll -VoteNameAlreadyExists=This name was already used for this poll -AddADate=Add a date -AddStartHour=Add start hour -AddEndHour=Add end hour -votes=vote(s) -NoCommentYet=No comments have been posted for this poll yet -CanComment=Voters can comment in the poll -YourVoteIsPrivate=This poll is private, nobody can see your vote. -YourVoteIsPublic=This poll is public, anybody with the link can see your vote. -CanSeeOthersVote=Voters can see other people's vote -SelectDayDesc=For each selected day, you can choose, or not, meeting hours in the following format:
      - empty,
      - "8h", "8H" or "8:00" to give a meeting's start hour,
      - "8-11", "8h-11h", "8H-11H" or "8:00-11:00" to give a meeting's start and end hour,
      - "8h15-11h15", "8H15-11H15" or "8:15-11:15" for the same thing but with minutes. -BackToCurrentMonth=Back to current month -ErrorOpenSurveyFillFirstSection=You haven't filled the first section of the poll creation -ErrorOpenSurveyOneChoice=Enter at least one choice -ErrorInsertingComment=There was an error while inserting your comment -MoreChoices=Enter more choices for the voters -SurveyExpiredInfo=The poll has been closed or voting delay has expired. -EmailSomeoneVoted=%s has filled a line.\nYou can find your poll at the link: \n%s -ShowSurvey=Show survey -UserMustBeSameThanUserUsedToVote=You must have voted and use the same user name that the one used to vote, to post a comment +Survey=পোল +Surveys=ভোট +OrganizeYourMeetingEasily=সহজে আপনার মিটিং এবং পোল সংগঠিত করুন. প্রথমে পোলের ধরন নির্বাচন করুন... +NewSurvey=নতুন ভোট +OpenSurveyArea=ভোট এলাকা +AddACommentForPoll=আপনি পোলে একটি মন্তব্য যোগ করতে পারেন... +AddComment=মন্তব্য যোগ করুন +CreatePoll=পোল তৈরি করুন +PollTitle=ভোটের শিরোনাম +ToReceiveEMailForEachVote=প্রতিটি ভোটের জন্য একটি ইমেল পান +TypeDate=তারিখ টাইপ করুন +TypeClassic=স্ট্যান্ডার্ড টাইপ করুন +OpenSurveyStep2=বিনামূল্যের দিনগুলির মধ্যে আপনার তারিখগুলি নির্বাচন করুন (ধূসর)। নির্বাচিত দিনগুলি সবুজ। আপনি এটিতে আবার ক্লিক করে পূর্বে নির্বাচিত একটি দিন অনির্বাচন করতে পারেন +RemoveAllDays=সমস্ত দিন সরান +CopyHoursOfFirstDay=প্রথম দিনের ঘন্টা কপি করুন +RemoveAllHours=সমস্ত ঘন্টা সরান +SelectedDays=নির্বাচিত দিন +TheBestChoice=সেরা পছন্দ বর্তমানে +TheBestChoices=সেরা পছন্দ বর্তমানে হয় +with=সঙ্গে +OpenSurveyHowTo=আপনি যদি এই পোলে ভোট দিতে সম্মত হন, তাহলে আপনাকে আপনার নাম দিতে হবে, আপনার জন্য সবচেয়ে উপযুক্ত মানগুলি বেছে নিতে হবে এবং লাইনের শেষে প্লাস বোতাম দিয়ে যাচাই করতে হবে। +CommentsOfVoters=ভোটারদের মন্তব্য +ConfirmRemovalOfPoll=আপনি কি নিশ্চিত আপনি এই পোল (এবং সমস্ত ভোট) সরাতে চান +RemovePoll=পোল সরান +UrlForSurvey=ভোটে সরাসরি অ্যাক্সেস পেতে যোগাযোগের URL +PollOnChoice=আপনি একটি পোল তৈরি করছেন একটি পোলের জন্য বহু-পছন্দ করার জন্য৷ প্রথমে আপনার পোলের জন্য সম্ভাব্য সব পছন্দ লিখুন: +CreateSurveyDate=একটি তারিখ পোল তৈরি করুন +CreateSurveyStandard=একটি স্ট্যান্ডার্ড পোল তৈরি করুন +CheckBox=সহজ চেকবক্স +YesNoList=তালিকা (খালি/হ্যাঁ/না) +PourContreList=তালিকা (খালি/পক্ষ/বিরুদ্ধে) +AddNewColumn=নতুন কলাম যোগ করুন +TitleChoice=পছন্দ লেবেল +ExportSpreadsheet=ফলাফল স্প্রেডশীট রপ্তানি করুন +ExpireDate=সীমা তারিখ +NbOfSurveys=ভোটের সংখ্যা +NbOfVoters=ভোটার সংখ্যা +SurveyResults=ফলাফল +PollAdminDesc=আপনি "সম্পাদনা" বোতাম দিয়ে এই পোলের সমস্ত ভোট লাইন পরিবর্তন করতে পারবেন৷ আপনি, সেইসাথে, %s দিয়ে একটি কলাম বা একটি লাইন সরাতে পারেন। এছাড়াও আপনি %s দিয়ে একটি নতুন কলাম যোগ করতে পারেন। +5MoreChoices=আরও 5টি পছন্দ +Against=বিরুদ্ধে +YouAreInivitedToVote=আপনি এই পোল জন্য ভোট আমন্ত্রিত +VoteNameAlreadyExists=এই নামটি ইতিমধ্যেই এই ভোটের জন্য ব্যবহার করা হয়েছে৷ +AddADate=একটি তারিখ যোগ করুন +AddStartHour=শুরুর সময় যোগ করুন +AddEndHour=শেষ ঘন্টা যোগ করুন +votes=ভোট(গুলি) +NoCommentYet=এই পোলের জন্য এখনো কোনো মন্তব্য পোস্ট করা হয়নি +CanComment=ভোটাররা পোলে মন্তব্য করতে পারবেন +YourVoteIsPrivate=এই পোলটি ব্যক্তিগত, কেউ আপনার ভোট দেখতে পারবে না৷ +YourVoteIsPublic=এই পোলটি সর্বজনীন, লিঙ্ক সহ যে কেউ আপনার ভোট দেখতে পারবেন৷ +CanSeeOthersVote=ভোটাররা অন্যের ভোট দেখতে পারেন +SelectDayDesc=প্রতিটি নির্বাচিত দিনের জন্য, আপনি নিম্নলিখিত ফর্ম্যাটে মিটিংয়ের সময় বেছে নিতে পারেন বা না করতে পারেন:
      - খালি,
      - " একটি মিটিং শুরুর সময় দিতে 8h", "8H" বা "8:00",
      - "8-11", "8h-11h", "8H-11H" অথবা "8:00-11:00" মিটিং শুরু এবং শেষের সময় দিতে,
      - "8h15-11h15", "8H15-11H15" বা "8:15- 11:15" একই জিনিসের জন্য কিন্তু মিনিটের সাথে। +BackToCurrentMonth=চলতি মাসে ফিরে যান +ErrorOpenSurveyFillFirstSection=আপনি পোল তৈরির প্রথম বিভাগটি পূরণ করেননি৷ +ErrorOpenSurveyOneChoice=অন্তত একটি পছন্দ লিখুন +ErrorInsertingComment=আপনার মন্তব্য সন্নিবেশ করার সময় একটি ত্রুটি ছিল +MoreChoices=ভোটারদের জন্য আরো পছন্দ লিখুন +SurveyExpiredInfo=ভোট বন্ধ করা হয়েছে বা ভোট বিলম্বের মেয়াদ শেষ হয়ে গেছে। +EmailSomeoneVoted=%s একটি লাইন পূরণ করেছে৷\nআপনি লিঙ্কে আপনার পোল খুঁজে পেতে পারেন:\n%s +ShowSurvey=সমীক্ষা দেখান +UserMustBeSameThanUserUsedToVote=আপনি অবশ্যই ভোট দিয়েছেন এবং একটি মন্তব্য পোস্ট করার জন্য যে ব্যবহারকারীর নাম ভোট দিয়েছেন সেটি ব্যবহার করতে হবে +ListOfOpenSurveys=উন্মুক্ত সমীক্ষার তালিকা diff --git a/htdocs/langs/bn_BD/orders.lang b/htdocs/langs/bn_BD/orders.lang index 11220633d61..19df13bb7d3 100644 --- a/htdocs/langs/bn_BD/orders.lang +++ b/htdocs/langs/bn_BD/orders.lang @@ -1,196 +1,208 @@ # Dolibarr language file - Source file is en_US - orders -OrdersArea=Customers orders area -SuppliersOrdersArea=Purchase orders area -OrderCard=Order card -OrderId=Order Id +OrderExists=এই প্রস্তাবের সাথে একটি অর্ডার ইতিমধ্যেই খোলা ছিল, তাই অন্য কোনও অর্ডার স্বয়ংক্রিয়ভাবে তৈরি হয়নি৷ +OrdersArea=গ্রাহকদের আদেশ এলাকা +SuppliersOrdersArea=ক্রয় আদেশ এলাকা +OrderCard=অর্ডার কার্ড +OrderId=অর্ডার আইডি Order=Order PdfOrderTitle=Order -Orders=Orders -OrderLine=Order line -OrderDate=Order date -OrderDateShort=Order date -OrderToProcess=Order to process -NewOrder=New order -NewSupplierOrderShort=New order -NewOrderSupplier=New Purchase Order -ToOrder=Make order -MakeOrder=Make order -SupplierOrder=Purchase order -SuppliersOrders=Purchase orders -SaleOrderLines=Sales order lines -PurchaseOrderLines=Puchase order lines -SuppliersOrdersRunning=Current purchase orders -CustomerOrder=Sales Order -CustomersOrders=Sales Orders -CustomersOrdersRunning=Current sales orders -CustomersOrdersAndOrdersLines=Sales orders and order details -OrdersDeliveredToBill=Sales orders delivered to bill -OrdersToBill=Sales orders delivered -OrdersInProcess=Sales orders in process -OrdersToProcess=Sales orders to process -SuppliersOrdersToProcess=Purchase orders to process -SuppliersOrdersAwaitingReception=Purchase orders awaiting reception -AwaitingReception=Awaiting reception -StatusOrderCanceledShort=Canceled +Orders=আদেশ +OrderLine=নির্দেশ রেখা +OrderDate=অর্ডারের তারিখ +OrderDateShort=অর্ডারের তারিখ +OrderToProcess=প্রক্রিয়া করার আদেশ +NewOrder=নতুন আদেশ +NewSupplierOrderShort=নতুন আদেশ +NewOrderSupplier=নতুন ক্রয় আদেশ +ToOrder=অর্ডার করুন +MakeOrder=অর্ডার করুন +SupplierOrder=ক্রয় আদেশ +SuppliersOrders=ক্রয় আদেশ +SaleOrderLines=বিক্রয় আদেশ লাইন +PurchaseOrderLines=ক্রয় অর্ডার লাইন +SuppliersOrdersRunning=বর্তমান ক্রয় আদেশ +CustomerOrder=বিক্রয় আদেশ +CustomersOrders=বিক্রয় আদেশ +CustomersOrdersRunning=বর্তমান বিক্রয় আদেশ +CustomersOrdersAndOrdersLines=বিক্রয় আদেশ এবং আদেশ বিবরণ +OrdersDeliveredToBill=বিক্রয় আদেশ বিল বিতরণ +OrdersToBill=বিক্রয় আদেশ বিতরণ +OrdersInProcess=প্রক্রিয়াধীন বিক্রয় আদেশ +OrdersToProcess=বিক্রয় আদেশ প্রক্রিয়াকরণ +SuppliersOrdersToProcess=প্রক্রিয়া করার জন্য ক্রয় আদেশ +SuppliersOrdersAwaitingReception=ক্রয় আদেশ অভ্যর্থনা অপেক্ষা করছে +AwaitingReception=রিসেপশনের অপেক্ষায় +StatusOrderCanceledShort=বাতিল StatusOrderDraftShort=Draft StatusOrderValidatedShort=Validated -StatusOrderSentShort=In process -StatusOrderSent=Shipment in process -StatusOrderOnProcessShort=Ordered -StatusOrderProcessedShort=Processed -StatusOrderDelivered=Delivered -StatusOrderDeliveredShort=Delivered -StatusOrderToBillShort=Delivered -StatusOrderApprovedShort=Approved -StatusOrderRefusedShort=Refused -StatusOrderToProcessShort=To process -StatusOrderReceivedPartiallyShort=Partially received -StatusOrderReceivedAllShort=Products received -StatusOrderCanceled=Canceled +StatusOrderSentShort=প্রক্রিয়াধীন +StatusOrderSent=চালান প্রক্রিয়াধীন +StatusOrderOnProcessShort=আদেশ দিয়েছেন +StatusOrderProcessedShort=প্রক্রিয়াকৃত +StatusOrderDelivered=বিতরণ করা হয়েছে +StatusOrderDeliveredShort=বিতরণ করা হয়েছে +StatusOrderToBillShort=বিতরণ করা হয়েছে +StatusOrderApprovedShort=অনুমোদিত +StatusOrderRefusedShort=প্রত্যাখ্যান করেছে +StatusOrderToProcessShort=প্রক্রিয়া করতে +StatusOrderReceivedPartiallyShort=আংশিক প্রাপ্তি +StatusOrderReceivedAllShort=প্রাপ্ত পণ্য +StatusOrderCanceled=বাতিল StatusOrderDraft=Draft (needs to be validated) StatusOrderValidated=Validated -StatusOrderOnProcess=Ordered - Standby reception -StatusOrderOnProcessWithValidation=Ordered - Standby reception or validation -StatusOrderProcessed=Processed -StatusOrderToBill=Delivered -StatusOrderApproved=Approved -StatusOrderRefused=Refused -StatusOrderReceivedPartially=Partially received -StatusOrderReceivedAll=All products received -ShippingExist=A shipment exists -QtyOrdered=Qty ordered -ProductQtyInDraft=Product quantity into draft orders -ProductQtyInDraftOrWaitingApproved=Product quantity into draft or approved orders, not yet ordered -MenuOrdersToBill=Orders delivered -MenuOrdersToBill2=Billable orders -ShipProduct=Ship product -CreateOrder=Create Order -RefuseOrder=Refuse order -ApproveOrder=Approve order -Approve2Order=Approve order (second level) -ValidateOrder=Validate order -UnvalidateOrder=Unvalidate order -DeleteOrder=Delete order -CancelOrder=Cancel order -OrderReopened= Order %s re-open -AddOrder=Create order -AddSupplierOrderShort=Create order -AddPurchaseOrder=Create purchase order -AddToDraftOrders=Add to draft order -ShowOrder=Show order -OrdersOpened=Orders to process -NoDraftOrders=No draft orders -NoOrder=No order -NoSupplierOrder=No purchase order -LastOrders=Latest %s sales orders -LastCustomerOrders=Latest %s sales orders -LastSupplierOrders=Latest %s purchase orders -LastModifiedOrders=Latest %s modified orders -AllOrders=All orders -NbOfOrders=Number of orders -OrdersStatistics=Order's statistics -OrdersStatisticsSuppliers=Purchase order statistics -NumberOfOrdersByMonth=Number of orders by month -AmountOfOrdersByMonthHT=Amount of orders by month (excl. tax) -ListOfOrders=List of orders -CloseOrder=Close order -ConfirmCloseOrder=Are you sure you want to set this order to delivered? Once an order is delivered, it can be set to billed. -ConfirmDeleteOrder=Are you sure you want to delete this order? -ConfirmValidateOrder=Are you sure you want to validate this order under name %s? -ConfirmUnvalidateOrder=Are you sure you want to restore order %s to draft status? -ConfirmCancelOrder=Are you sure you want to cancel this order? -ConfirmMakeOrder=Are you sure you want to confirm you made this order on %s? -GenerateBill=Generate invoice -ClassifyShipped=Classify delivered -DraftOrders=Draft orders -DraftSuppliersOrders=Draft purchase orders -OnProcessOrders=In process orders -RefOrder=Ref. order -RefCustomerOrder=Ref. order for customer -RefOrderSupplier=Ref. order for vendor -RefOrderSupplierShort=Ref. order vendor -SendOrderByMail=Send order by mail -ActionsOnOrder=Events on order -NoArticleOfTypeProduct=No article of type 'product' so no shippable article for this order -OrderMode=Order method -AuthorRequest=Request author -UserWithApproveOrderGrant=Users granted with "approve orders" permission. -PaymentOrderRef=Payment of order %s -ConfirmCloneOrder=Are you sure you want to clone this order %s? -DispatchSupplierOrder=Receiving purchase order %s -FirstApprovalAlreadyDone=First approval already done -SecondApprovalAlreadyDone=Second approval already done -SupplierOrderReceivedInDolibarr=Purchase Order %s received %s -SupplierOrderSubmitedInDolibarr=Purchase Order %s submitted -SupplierOrderClassifiedBilled=Purchase Order %s set billed -OtherOrders=Other orders -SupplierOrderValidatedAndApproved=Supplier order is validated and approved : %s -SupplierOrderValidated=Supplier order is validated : %s +StatusOrderOnProcess=আদেশ - স্ট্যান্ডবাই অভ্যর্থনা +StatusOrderOnProcessWithValidation=আদেশ - স্ট্যান্ডবাই অভ্যর্থনা বা বৈধতা +StatusOrderProcessed=প্রক্রিয়াকৃত +StatusOrderToBill=বিতরণ করা হয়েছে +StatusOrderApproved=অনুমোদিত +StatusOrderRefused=প্রত্যাখ্যান করেছে +StatusOrderReceivedPartially=আংশিক প্রাপ্তি +StatusOrderReceivedAll=সমস্ত পণ্য প্রাপ্ত +ShippingExist=একটি চালান বিদ্যমান +QtyOrdered=পরিমাণ আদেশ +ProductQtyInDraft=খসড়া আদেশ মধ্যে পণ্য পরিমাণ +ProductQtyInDraftOrWaitingApproved=খসড়া বা অনুমোদিত আদেশে পণ্যের পরিমাণ, এখনও অর্ডার করা হয়নি +MenuOrdersToBill=অর্ডার বিতরণ করা হয়েছে +MenuOrdersToBill2=বিলযোগ্য আদেশ +ShipProduct=জাহাজ পণ্য +CreateOrder=অর্ডার তৈরি করুন +RefuseOrder=আদেশ প্রত্যাখ্যান +ApproveOrder=আদেশ অনুমোদন +Approve2Order=অর্ডার অনুমোদন করুন (দ্বিতীয় স্তর) +UserApproval=অনুমোদনের জন্য ব্যবহারকারী +UserApproval2=অনুমোদনের জন্য ব্যবহারকারী (দ্বিতীয় স্তর) +ValidateOrder=অর্ডার যাচাই করুন +UnvalidateOrder=অর্ডার বাতিল করুন +DeleteOrder=অর্ডার মুছুন +CancelOrder=আদেশ বাতিল +OrderReopened= অর্ডার %s পুনরায় খুলুন +AddOrder=অর্ডার তৈরি করুন +AddSupplierOrderShort=অর্ডার তৈরি করুন +AddPurchaseOrder=ক্রয় অর্ডার তৈরি করুন +AddToDraftOrders=খসড়া অর্ডার যোগ করুন +ShowOrder=অর্ডার দেখান +OrdersOpened=প্রক্রিয়া করার আদেশ +NoDraftOrders=কোন খসড়া আদেশ +NoOrder=কোন নির্দেশ নেই +NoSupplierOrder=ক্রয় অর্ডার নেই +LastOrders=সর্বশেষ %s বিক্রয় আদেশ +LastCustomerOrders=সর্বশেষ %s বিক্রয় আদেশ +LastSupplierOrders=সর্বশেষ %s ক্রয় আদেশ +LastModifiedOrders=সর্বশেষ %s পরিবর্তিত আদেশ +AllOrders=সমস্ত আদেশ +NbOfOrders=অর্ডারের সংখ্যা +OrdersStatistics=অর্ডার এর পরিসংখ্যান +OrdersStatisticsSuppliers=ক্রয় আদেশ পরিসংখ্যান +NumberOfOrdersByMonth=মাস অনুসারে অর্ডারের সংখ্যা +AmountOfOrdersByMonthHT=মাস অনুযায়ী অর্ডারের পরিমাণ (ট্যাক্স বাদে) +ListOfOrders=আদেশের তালিকা +ListOrderLigne=আদেশের লাইন +productobuy=পণ্য শুধুমাত্র কিনতে +productonly=শুধুমাত্র পণ্য +disablelinefree=কোন বিনামূল্যে লাইন +CloseOrder=অর্ডার বন্ধ করুন +ConfirmCloseOrder=আপনি কি নিশ্চিত যে আপনি এই অর্ডারটি বিতরণে সেট করতে চান? একবার একটি অর্ডার বিতরণ করা হলে, এটি বিল সেট করা যেতে পারে। +ConfirmDeleteOrder=আপনি কি এই অর্ডারটি মুছতে চান? +ConfirmValidateOrder=আপনি কি %s নামে এই অর্ডারটি যাচাই করার বিষয়ে নিশ্চিত? ? +ConfirmUnvalidateOrder=আপনি কি নিশ্চিত যে আপনি অর্ডার %s খসড়া স্থিতিতে পুনরুদ্ধার করতে চান ? +ConfirmCancelOrder=আপনি কি নিশ্চিত আপনি এই অর্ডার বাতিল করতে চান? +ConfirmMakeOrder=আপনি কি নিশ্চিত করতে চান যে আপনি এই অর্ডারটি %s? +GenerateBill=চালান তৈরি করুন +ClassifyShipped=বিতরিত শ্রেণীবদ্ধ +PassedInShippedStatus=শ্রেণীবদ্ধ বিতরণ +YouCantShipThis=আমি এই শ্রেণীবদ্ধ করতে পারেন না. ব্যবহারকারীর অনুমতি পরীক্ষা করুন +DraftOrders=খসড়া আদেশ +DraftSuppliersOrders=খসড়া ক্রয় আদেশ +OnProcessOrders=প্রক্রিয়ায় আদেশ +RefOrder=রেফ. আদেশ +RefCustomerOrder=রেফ. গ্রাহকের জন্য অর্ডার +RefOrderSupplier=রেফ. বিক্রেতার জন্য অর্ডার +RefOrderSupplierShort=রেফ. অর্ডার বিক্রেতা +SendOrderByMail=ডাকযোগে অর্ডার পাঠান +ActionsOnOrder=অর্ডার উপর ইভেন্ট +NoArticleOfTypeProduct='পণ্য' টাইপের কোনো নিবন্ধ নেই তাই এই অর্ডারের জন্য পাঠানো যোগ্য কোনো নিবন্ধ নেই +OrderMode=অর্ডার পদ্ধতি +AuthorRequest=লেখকের অনুরোধ +UserWithApproveOrderGrant=ব্যবহারকারীদের "অর্ডার অনুমোদন" অনুমতি দেওয়া হয়েছে। +PaymentOrderRef=অর্ডার পেমেন্ট %s +ConfirmCloneOrder=আপনি কি নিশ্চিত এই অর্ডারটি ক্লোন করতে চান %s? +DispatchSupplierOrder=ক্রয় অর্ডার গ্রহণ করা হচ্ছে %s +FirstApprovalAlreadyDone=প্রথম অনুমোদন ইতিমধ্যে সম্পন্ন +SecondApprovalAlreadyDone=দ্বিতীয় অনুমোদন ইতিমধ্যে সম্পন্ন হয়েছে +SupplierOrderReceivedInDolibarr=ক্রয় আদেশ %s গৃহীত %s +SupplierOrderSubmitedInDolibarr=ক্রয় আদেশ %s জমা দেওয়া হয়েছে +SupplierOrderClassifiedBilled=ক্রয় আদেশ %s সেট বিল করা হয়েছে +OtherOrders=অন্যান্য আদেশ +SupplierOrderValidatedAndApproved=সরবরাহকারীর অর্ডার যাচাইকৃত এবং অনুমোদিত : %s +SupplierOrderValidated=সরবরাহকারীর অর্ডার যাচাই করা হয়েছে : %s +OrderShowDetail=অর্ডার বিস্তারিত দেখান ##### Types de contacts ##### -TypeContact_commande_internal_SALESREPFOLL=Representative following-up sales order -TypeContact_commande_internal_SHIPPING=Representative following-up shipping +TypeContact_commande_internal_SALESREPFOLL=প্রতিনিধি অনুসরণ-আপ বিক্রয় আদেশ +TypeContact_commande_internal_SHIPPING=প্রতিনিধি অনুসরণ আপ শিপিং TypeContact_commande_external_BILLING=Customer invoice contact TypeContact_commande_external_SHIPPING=Customer shipping contact -TypeContact_commande_external_CUSTOMER=Customer contact following-up order -TypeContact_order_supplier_internal_SALESREPFOLL=Representative following-up purchase order -TypeContact_order_supplier_internal_SHIPPING=Representative following-up shipping -TypeContact_order_supplier_external_BILLING=Vendor invoice contact -TypeContact_order_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_order_supplier_external_CUSTOMER=Vendor contact following-up order -Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Constant COMMANDE_SUPPLIER_ADDON not defined -Error_COMMANDE_ADDON_NotDefined=Constant COMMANDE_ADDON not defined -Error_OrderNotChecked=No orders to invoice selected +TypeContact_commande_external_CUSTOMER=গ্রাহক যোগাযোগ অনুসরণ আপ অর্ডার +TypeContact_order_supplier_internal_SALESREPFOLL=প্রতিনিধি অনুসরণ-আপ ক্রয় আদেশ +TypeContact_order_supplier_internal_SHIPPING=প্রতিনিধি অনুসরণ আপ শিপিং +TypeContact_order_supplier_external_BILLING=বিক্রেতা চালান যোগাযোগ +TypeContact_order_supplier_external_SHIPPING=বিক্রেতা শিপিং যোগাযোগ +TypeContact_order_supplier_external_CUSTOMER=বিক্রেতা যোগাযোগ অনুসরণ আপ আদেশ +Error_COMMANDE_SUPPLIER_ADDON_NotDefined=ধ্রুবক COMMANDE_SUPPLIER_ADDON সংজ্ঞায়িত করা হয়নি +Error_COMMANDE_ADDON_NotDefined=ধ্রুবক COMMANDE_ADDON সংজ্ঞায়িত করা হয়নি +Error_OrderNotChecked=চালান নির্বাচন করা কোনো আদেশ # Order modes (how we receive order). Not the "why" are keys stored into dict.lang -OrderByMail=Mail +OrderByMail=মেইল OrderByFax=Fax -OrderByEMail=Email -OrderByWWW=Online -OrderByPhone=Phone +OrderByEMail=ইমেইল +OrderByWWW=অনলাইন +OrderByPhone=ফোন # Documents models -PDFEinsteinDescription=A complete order model (old implementation of Eratosthene template) -PDFEratostheneDescription=A complete order model -PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete Proforma invoice template -CreateInvoiceForThisCustomer=Bill orders -CreateInvoiceForThisSupplier=Bill orders -CreateInvoiceForThisReceptions=Bill receptions -NoOrdersToInvoice=No orders billable -CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. -OrderCreation=Order creation -Ordered=Ordered -OrderCreated=Your orders have been created -OrderFail=An error happened during your orders creation -CreateOrders=Create orders -ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. -IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. -SetShippingMode=Set shipping mode -WithReceptionFinished=With reception finished +PDFEinsteinDescription=একটি সম্পূর্ণ অর্ডার মডেল (ইরাটোস্থিন টেমপ্লেটের পুরানো বাস্তবায়ন) +PDFEratostheneDescription=একটি সম্পূর্ণ অর্ডার মডেল +PDFEdisonDescription=একটি সাধারণ অর্ডার মডেল +PDFProformaDescription=একটি সম্পূর্ণ প্রফর্মা চালান টেমপ্লেট +CreateInvoiceForThisCustomer=বিল আদেশ +CreateInvoiceForThisSupplier=বিল আদেশ +CreateInvoiceForThisReceptions=বিল অভ্যর্থনা +NoOrdersToInvoice=কোন আদেশ বিলযোগ্য +CloseProcessedOrdersAutomatically=সমস্ত নির্বাচিত আদেশ "প্রক্রিয়াকৃত" শ্রেণীবদ্ধ করুন। +OrderCreation=অর্ডার সৃষ্টি +Ordered=আদেশ দিয়েছেন +OrderCreated=আপনার আদেশ তৈরি করা হয়েছে +OrderFail=আপনার অর্ডার তৈরির সময় একটি ত্রুটি ঘটেছে৷ +CreateOrders=অর্ডার তৈরি করুন +ToBillSeveralOrderSelectCustomer=বেশ কয়েকটি অর্ডারের জন্য একটি চালান তৈরি করতে, প্রথমে গ্রাহকের উপর ক্লিক করুন, তারপর "%s" বেছে নিন। +OptionToSetOrderBilledNotEnabled=মডিউল ওয়ার্কফ্লো থেকে বিকল্প, যখন চালান যাচাই করা হয় তখন স্বয়ংক্রিয়ভাবে 'বিল করা'-তে অর্ডার সেট করার জন্য, সক্রিয় করা হয় না, তাই চালান তৈরি হওয়ার পরে আপনাকে অর্ডারের স্থিতি ম্যানুয়ালি 'বিল'-এ সেট করতে হবে। +IfValidateInvoiceIsNoOrderStayUnbilled=চালান বৈধতা 'না' হলে, চালানটি বৈধ না হওয়া পর্যন্ত অর্ডারটি 'আনবিলড' অবস্থায় থাকবে। +CloseReceivedSupplierOrdersAutomatically=সমস্ত পণ্য প্রাপ্ত হলে স্বয়ংক্রিয়ভাবে "%s" অবস্থার অর্ডার বন্ধ করুন। +SetShippingMode=শিপিং মোড সেট করুন +WithReceptionFinished=সাথে রিসেপশন শেষ #### supplier orders status -StatusSupplierOrderCanceledShort=Canceled +StatusSupplierOrderCanceledShort=বাতিল StatusSupplierOrderDraftShort=Draft StatusSupplierOrderValidatedShort=Validated -StatusSupplierOrderSentShort=In process -StatusSupplierOrderSent=Shipment in process -StatusSupplierOrderOnProcessShort=Ordered -StatusSupplierOrderProcessedShort=Processed -StatusSupplierOrderDelivered=Delivered -StatusSupplierOrderDeliveredShort=Delivered -StatusSupplierOrderToBillShort=Delivered -StatusSupplierOrderApprovedShort=Approved -StatusSupplierOrderRefusedShort=Refused -StatusSupplierOrderToProcessShort=To process -StatusSupplierOrderReceivedPartiallyShort=Partially received -StatusSupplierOrderReceivedAllShort=Products received -StatusSupplierOrderCanceled=Canceled +StatusSupplierOrderSentShort=প্রক্রিয়াধীন +StatusSupplierOrderSent=চালান প্রক্রিয়াধীন +StatusSupplierOrderOnProcessShort=আদেশ দিয়েছেন +StatusSupplierOrderProcessedShort=প্রক্রিয়াকৃত +StatusSupplierOrderDelivered=বিতরণ করা হয়েছে +StatusSupplierOrderDeliveredShort=বিতরণ করা হয়েছে +StatusSupplierOrderToBillShort=বিতরণ করা হয়েছে +StatusSupplierOrderApprovedShort=অনুমোদিত +StatusSupplierOrderRefusedShort=প্রত্যাখ্যান করেছে +StatusSupplierOrderToProcessShort=প্রক্রিয়া করতে +StatusSupplierOrderReceivedPartiallyShort=আংশিক প্রাপ্তি +StatusSupplierOrderReceivedAllShort=প্রাপ্ত পণ্য +StatusSupplierOrderCanceled=বাতিল StatusSupplierOrderDraft=Draft (needs to be validated) StatusSupplierOrderValidated=Validated -StatusSupplierOrderOnProcess=Ordered - Standby reception -StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation -StatusSupplierOrderProcessed=Processed -StatusSupplierOrderToBill=Delivered -StatusSupplierOrderApproved=Approved -StatusSupplierOrderRefused=Refused -StatusSupplierOrderReceivedPartially=Partially received -StatusSupplierOrderReceivedAll=All products received +StatusSupplierOrderOnProcess=আদেশ - স্ট্যান্ডবাই অভ্যর্থনা +StatusSupplierOrderOnProcessWithValidation=আদেশ - স্ট্যান্ডবাই অভ্যর্থনা বা বৈধতা +StatusSupplierOrderProcessed=প্রক্রিয়াকৃত +StatusSupplierOrderToBill=বিতরণ করা হয়েছে +StatusSupplierOrderApproved=অনুমোদিত +StatusSupplierOrderRefused=প্রত্যাখ্যান করেছে +StatusSupplierOrderReceivedPartially=আংশিক প্রাপ্তি +StatusSupplierOrderReceivedAll=সমস্ত পণ্য প্রাপ্ত +NeedAtLeastOneInvoice = কমপক্ষে একটি চালান থাকতে হবে +LineAlreadyDispatched = অর্ডার লাইন ইতিমধ্যে গৃহীত হয়েছে. diff --git a/htdocs/langs/bn_BD/other.lang b/htdocs/langs/bn_BD/other.lang index b7344157bf3..34109d13d4c 100644 --- a/htdocs/langs/bn_BD/other.lang +++ b/htdocs/langs/bn_BD/other.lang @@ -1,339 +1,338 @@ # Dolibarr language file - Source file is en_US - other -SecurityCode=Security code +SecurityCode=নিরাপত্তা কোড NumberingShort=N° Tools=Tools TMenuTools=Tools -ToolsDesc=All tools not included in other menu entries are grouped here.
      All the tools can be accessed via the left menu. -Birthday=Birthday -BirthdayAlertOn=birthday alert active -BirthdayAlertOff=birthday alert inactive -TransKey=Translation of the key TransKey -MonthOfInvoice=Month (number 1-12) of invoice date -TextMonthOfInvoice=Month (text) of invoice date -PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date -TextPreviousMonthOfInvoice=Previous month (text) of invoice date -NextMonthOfInvoice=Following month (number 1-12) of invoice date -TextNextMonthOfInvoice=Following month (text) of invoice date -PreviousMonth=Previous month -CurrentMonth=Current month -ZipFileGeneratedInto=Zip file generated into %s. -DocFileGeneratedInto=Doc file generated into %s. -JumpToLogin=Disconnected. Go to login page... -MessageForm=Message on online payment form -MessageOK=Message on the return page for a validated payment -MessageKO=Message on the return page for a canceled payment -ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. -DeleteAlsoContentRecursively=Check to delete all content recursively -PoweredBy=Powered by -YearOfInvoice=Year of invoice date -PreviousYearOfInvoice=Previous year of invoice date -NextYearOfInvoice=Following year of invoice date -DateNextInvoiceBeforeGen=Date of next invoice (before generation) -DateNextInvoiceAfterGen=Date of next invoice (after generation) -GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. -OnlyOneFieldForXAxisIsPossible=Only 1 field is currently possible as X-Axis. Only the first selected field has been selected. -AtLeastOneMeasureIsRequired=At least 1 field for measure is required -AtLeastOneXAxisIsRequired=At least 1 field for X-Axis is required -LatestBlogPosts=Latest Blog Posts -notiftouser=To users -notiftofixedemail=To fixed mail -notiftouserandtofixedemail=To user and fixed mail -Notify_ORDER_VALIDATE=Sales order validated -Notify_ORDER_SENTBYMAIL=Sales order sent by mail -Notify_ORDER_SUPPLIER_SENTBYMAIL=Purchase order sent by email -Notify_ORDER_SUPPLIER_VALIDATE=Purchase order recorded -Notify_ORDER_SUPPLIER_APPROVE=Purchase order approved -Notify_ORDER_SUPPLIER_REFUSE=Purchase order refused -Notify_PROPAL_VALIDATE=Customer proposal validated -Notify_PROPAL_CLOSE_SIGNED=Customer proposal closed signed -Notify_PROPAL_CLOSE_SIGNED_WEB=Customer proposal closed signed on portal page -Notify_PROPAL_CLOSE_REFUSED=Customer proposal closed refused -Notify_PROPAL_CLOSE_REFUSED_WEB=Customer proposal closed refused on portal page -Notify_PROPAL_SENTBYMAIL=Commercial proposal sent by mail -Notify_WITHDRAW_TRANSMIT=Transmission withdrawal -Notify_WITHDRAW_CREDIT=Credit withdrawal -Notify_WITHDRAW_EMIT=Perform withdrawal -Notify_COMPANY_CREATE=Third party created -Notify_COMPANY_SENTBYMAIL=Mails sent from third party card -Notify_BILL_VALIDATE=Customer invoice validated -Notify_BILL_UNVALIDATE=Customer invoice unvalidated -Notify_BILL_PAYED=Customer invoice paid -Notify_BILL_CANCEL=Customer invoice canceled -Notify_BILL_SENTBYMAIL=Customer invoice sent by mail -Notify_BILL_SUPPLIER_VALIDATE=Vendor invoice validated -Notify_BILL_SUPPLIER_PAYED=Vendor invoice paid -Notify_BILL_SUPPLIER_SENTBYMAIL=Vendor invoice sent by mail -Notify_BILL_SUPPLIER_CANCELED=Vendor invoice cancelled -Notify_CONTRACT_VALIDATE=Contract validated -Notify_FICHINTER_VALIDATE=Intervention validated -Notify_FICHINTER_ADD_CONTACT=Added contact to Intervention -Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail -Notify_SHIPPING_VALIDATE=Shipping validated -Notify_SHIPPING_SENTBYMAIL=Shipping sent by mail -Notify_MEMBER_VALIDATE=Member validated -Notify_MEMBER_MODIFY=Member modified -Notify_MEMBER_SUBSCRIPTION=Member subscribed -Notify_MEMBER_RESILIATE=Member terminated -Notify_MEMBER_DELETE=Member deleted -Notify_PROJECT_CREATE=Project creation -Notify_TASK_CREATE=Task created -Notify_TASK_MODIFY=Task modified -Notify_TASK_DELETE=Task deleted -Notify_EXPENSE_REPORT_VALIDATE=Expense report validated (approval required) -Notify_EXPENSE_REPORT_APPROVE=Expense report approved -Notify_HOLIDAY_VALIDATE=Leave request validated (approval required) -Notify_HOLIDAY_APPROVE=Leave request approved -Notify_ACTION_CREATE=Added action to Agenda -SeeModuleSetup=See setup of module %s -NbOfAttachedFiles=Number of attached files/documents -TotalSizeOfAttachedFiles=Total size of attached files/documents -MaxSize=Maximum size -AttachANewFile=Attach a new file/document -LinkedObject=Linked object -NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__
      This is a test mail sent to __EMAIL__ (the word test must be in bold).
      The lines are separated by a carriage return.

      __USER_SIGNATURE__ -PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendProposal=__(Hello)__\n\nPlease find commercial proposal __REF__ attached \n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nPlease find price request __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendOrder=__(Hello)__\n\nPlease find order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nPlease find our order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n -PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__

      This is an automatic message, please do not reply. -DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available. -ChooseYourDemoProfil=Choose the demo profile that best suits your needs... -ChooseYourDemoProfilMore=...or build your own profile
      (manual module selection) -DemoFundation=Manage members of a foundation -DemoFundation2=Manage members and bank account of a foundation -DemoCompanyServiceOnly=Company or freelance selling service only -DemoCompanyShopWithCashDesk=Manage a shop with a cash box -DemoCompanyProductAndStocks=Shop selling products with Point Of Sales -DemoCompanyManufacturing=Company manufacturing products -DemoCompanyAll=Company with multiple activities (all main modules) -CreatedBy=Created by %s -ModifiedBy=Modified by %s -ValidatedBy=Validated by %s -SignedBy=Signed by %s -ClosedBy=Closed by %s -CreatedById=User id who created -ModifiedById=User id who made latest change -ValidatedById=User id who validated -CanceledById=User id who canceled -ClosedById=User id who closed -CreatedByLogin=User login who created -ModifiedByLogin=User login who made latest change -ValidatedByLogin=User login who validated -CanceledByLogin=User login who canceled -ClosedByLogin=User login who closed -FileWasRemoved=File %s was removed -DirWasRemoved=Directory %s was removed -FeatureNotYetAvailable=Feature not yet available in the current version -FeatureNotAvailableOnDevicesWithoutMouse=Feature not available on devices without mouse -FeaturesSupported=Supported features -Width=Width -Height=Height -Depth=Depth -Top=Top -Bottom=Bottom -Left=Left -Right=Right -CalculatedWeight=Calculated weight -CalculatedVolume=Calculated volume -Weight=Weight -WeightUnitton=ton -WeightUnitkg=kg +ToolsDesc=অন্যান্য মেনু এন্ট্রিতে অন্তর্ভুক্ত নয় এমন সমস্ত সরঞ্জাম এখানে গোষ্ঠীভুক্ত করা হয়েছে৷
      সমস্ত টুলগুলি বাম মেনুর মাধ্যমে অ্যাক্সেস করা যেতে পারে৷ +Birthday=জন্মদিন +BirthdayAlert=জন্মদিনের সতর্কতা +BirthdayAlertOn=জন্মদিনের সতর্কতা সক্রিয় +BirthdayAlertOff=জন্মদিনের সতর্কতা নিষ্ক্রিয় +TransKey=কী TransKey এর অনুবাদ +MonthOfInvoice=চালানের তারিখের মাস (সংখ্যা 1-12) +TextMonthOfInvoice=চালানের তারিখের মাস (টেক্সট) +PreviousMonthOfInvoice=চালানের তারিখের আগের মাস (সংখ্যা 1-12) +TextPreviousMonthOfInvoice=চালানের তারিখের আগের মাস (টেক্সট) +NextMonthOfInvoice=ইনভয়েসের তারিখের পরের মাস (সংখ্যা 1-12) +TextNextMonthOfInvoice=ইনভয়েসের তারিখের পরের মাস (টেক্সট) +PreviousMonth=পূর্ববর্তী মাস +CurrentMonth=বর্তমান মাস +ZipFileGeneratedInto=জিপ ফাইল %s-এ তৈরি হয়েছে। +DocFileGeneratedInto=ডক ফাইল %s-এ তৈরি হয়েছে৷ +JumpToLogin=সংযোগ বিচ্ছিন্ন লগইন পৃষ্ঠায় যান... +MessageForm=অনলাইন পেমেন্ট ফর্মে বার্তা +MessageOK=একটি বৈধ অর্থপ্রদানের জন্য রিটার্ন পৃষ্ঠায় বার্তা +MessageKO=একটি বাতিল পেমেন্টের জন্য রিটার্ন পৃষ্ঠায় বার্তা +ContentOfDirectoryIsNotEmpty=এই ডিরেক্টরির বিষয়বস্তু খালি নয়। +DeleteAlsoContentRecursively=বারবার সব কন্টেন্ট মুছে ফেলার জন্য চেক করুন +PoweredBy=দ্বারা চালিত +YearOfInvoice=চালানের তারিখের বছর +PreviousYearOfInvoice=চালানের তারিখের আগের বছর +NextYearOfInvoice=চালানের তারিখের পরের বছর +DateNextInvoiceBeforeGen=পরবর্তী চালানের তারিখ (প্রজন্মের আগে) +DateNextInvoiceAfterGen=পরবর্তী চালানের তারিখ (প্রজন্মের পর) +GraphInBarsAreLimitedToNMeasures=গ্রাফিক্স 'বার' মোডে %s পরিমাপের মধ্যে সীমাবদ্ধ। পরিবর্তে 'লাইন' মোড স্বয়ংক্রিয়ভাবে নির্বাচিত হয়েছে। +OnlyOneFieldForXAxisIsPossible=X-অক্ষ হিসাবে বর্তমানে শুধুমাত্র 1টি ক্ষেত্র সম্ভব। শুধুমাত্র প্রথম নির্বাচিত ক্ষেত্র নির্বাচন করা হয়েছে. +AtLeastOneMeasureIsRequired=পরিমাপের জন্য কমপক্ষে 1টি ক্ষেত্র প্রয়োজন৷ +AtLeastOneXAxisIsRequired=X-অক্ষের জন্য কমপক্ষে 1টি ক্ষেত্র প্রয়োজন৷ +LatestBlogPosts=সাম্প্রতিক ব্লগ পোস্ট +notiftouser=ব্যবহারকারীদের কাছে +notiftofixedemail=ফিক্সড মেল করার জন্য +notiftouserandtofixedemail=ব্যবহারকারী এবং স্থির মেল থেকে +Notify_ORDER_VALIDATE=বিক্রয় আদেশ বৈধ +Notify_ORDER_SENTBYMAIL=সেলস অর্ডার মেইলে পাঠানো হয়েছে +Notify_ORDER_CLOSE=বিক্রয় আদেশ বিতরণ +Notify_ORDER_SUPPLIER_SENTBYMAIL=ক্রয় আদেশ ইমেল দ্বারা পাঠানো +Notify_ORDER_SUPPLIER_VALIDATE=ক্রয় আদেশ রেকর্ড করা হয়েছে +Notify_ORDER_SUPPLIER_APPROVE=ক্রয় আদেশ অনুমোদিত +Notify_ORDER_SUPPLIER_SUBMIT=ক্রয় আদেশ জমা দেওয়া হয়েছে +Notify_ORDER_SUPPLIER_REFUSE=ক্রয় আদেশ প্রত্যাখ্যান +Notify_PROPAL_VALIDATE=গ্রাহক প্রস্তাব বৈধ +Notify_PROPAL_CLOSE_SIGNED=গ্রাহক প্রস্তাব স্বাক্ষরিত বন্ধ +Notify_PROPAL_CLOSE_REFUSED=গ্রাহক প্রস্তাব বন্ধ প্রত্যাখ্যান +Notify_PROPAL_SENTBYMAIL=বাণিজ্যিক প্রস্তাব ডাকযোগে পাঠানো হয়েছে +Notify_WITHDRAW_TRANSMIT=ট্রান্সমিশন প্রত্যাহার +Notify_WITHDRAW_CREDIT=ক্রেডিট উত্তোলন +Notify_WITHDRAW_EMIT=প্রত্যাহার সঞ্চালন +Notify_COMPANY_CREATE=তৃতীয় পক্ষ তৈরি করা হয়েছে +Notify_COMPANY_SENTBYMAIL=তৃতীয় পক্ষের পৃষ্ঠা থেকে পাঠানো মেল +Notify_BILL_VALIDATE=গ্রাহক চালান বৈধ +Notify_BILL_UNVALIDATE=গ্রাহক চালান অবৈধ +Notify_BILL_PAYED=গ্রাহক চালান প্রদান করা হয়েছে +Notify_BILL_CANCEL=গ্রাহক চালান বাতিল করা হয়েছে +Notify_BILL_SENTBYMAIL=গ্রাহক চালান ডাকযোগে পাঠানো হয়েছে +Notify_BILL_SUPPLIER_VALIDATE=বিক্রেতা চালান বৈধ +Notify_BILL_SUPPLIER_PAYED=বিক্রেতা চালান প্রদান করা হয় +Notify_BILL_SUPPLIER_SENTBYMAIL=বিক্রেতার চালান ডাকযোগে পাঠানো হয়েছে +Notify_BILL_SUPPLIER_CANCELED=বিক্রেতার চালান বাতিল করা হয়েছে +Notify_CONTRACT_VALIDATE=চুক্তি বৈধ +Notify_FICHINTER_VALIDATE=হস্তক্ষেপ বৈধ +Notify_FICHINTER_CLOSE=হস্তক্ষেপ বন্ধ +Notify_FICHINTER_ADD_CONTACT=হস্তক্ষেপ যোগাযোগ যোগ করা হয়েছে +Notify_FICHINTER_SENTBYMAIL=হস্তক্ষেপ মেল দ্বারা পাঠানো +Notify_SHIPPING_VALIDATE=শিপিং বৈধ +Notify_SHIPPING_SENTBYMAIL=শিপিং ডাকযোগে পাঠানো হয়েছে +Notify_MEMBER_VALIDATE=সদস্য বৈধ +Notify_MEMBER_MODIFY=সদস্য সংশোধিত +Notify_MEMBER_SUBSCRIPTION=সদস্য সদস্যতা +Notify_MEMBER_RESILIATE=সদস্য পদত্যাগ করা হয়েছে +Notify_MEMBER_DELETE=সদস্য মোছা +Notify_PROJECT_CREATE=প্রকল্প তৈরি +Notify_TASK_CREATE=টাস্ক তৈরি করা হয়েছে +Notify_TASK_MODIFY=টাস্ক সংশোধন করা হয়েছে +Notify_TASK_DELETE=টাস্ক মুছে ফেলা হয়েছে +Notify_EXPENSE_REPORT_VALIDATE=ব্যয় প্রতিবেদন বৈধ (অনুমোদন প্রয়োজন) +Notify_EXPENSE_REPORT_APPROVE=ব্যয় প্রতিবেদন অনুমোদিত +Notify_HOLIDAY_VALIDATE=ত্যাগের অনুরোধ বৈধ (অনুমোদন প্রয়োজন) +Notify_HOLIDAY_APPROVE=ছুটির অনুরোধ অনুমোদিত +Notify_ACTION_CREATE=কর্মসূচী যোগ করা হয়েছে +SeeModuleSetup=%s মডিউল সেটআপ দেখুন +NbOfAttachedFiles=সংযুক্ত ফাইল/ডকুমেন্টের সংখ্যা +TotalSizeOfAttachedFiles=সংযুক্ত ফাইল/নথিপত্রের মোট আকার +MaxSize=সর্বাধিক আকার +AttachANewFile=একটি নতুন ফাইল/নথি সংযুক্ত করুন +LinkedObject=লিঙ্কযুক্ত বস্তু +NbOfActiveNotifications=বিজ্ঞপ্তির সংখ্যা (প্রাপকের ইমেলের সংখ্যা) +PredefinedMailTest=__(হ্যালো)__\nএটি একটি পরীক্ষামূলক মেল যা __EMAIL__ এ পাঠানো হয়েছে৷\nলাইন একটি ক্যারেজ রিটার্ন দ্বারা পৃথক করা হয়.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(হ্যালো)__
      এটি একটি পরীক্ষামেল পাঠানো হয়েছে __EMAIL__ এ (পরীক্ষা শব্দটি অবশ্যই মোটা হতে হবে)।
      রেখাগুলি একটি ক্যারেজ রিটার্ন দ্বারা পৃথক করা হয়েছে।

      __USER_SIGNATURE__ +PredefinedMailContentContract=__(হ্যালো)__\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(হ্যালো)__\n\nঅনুগ্রহ করে __REF__ সংযুক্ত চালান খুঁজুন\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(হ্যালো)__\n\nআমরা আপনাকে মনে করিয়ে দিতে চাই যে চালান __REF__ পরিশোধ করা হয়নি বলে মনে হচ্ছে। একটি অনুস্মারক হিসাবে চালানের একটি অনুলিপি সংযুক্ত করা হয়।\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendProposal=__(হ্যালো)__\n\nঅনুগ্রহ করে বাণিজ্যিক প্রস্তাব __REF__ সংযুক্ত খুঁজুন\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierProposal=__(হ্যালো)__\n\nঅনুগ্রহ করে মূল্য অনুরোধ __REF__ সংযুক্ত খুঁজুন\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendOrder=__(হ্যালো)__\n\nঅনুগ্রহ করে অর্ডার __REF__ সংযুক্ত খুঁজুন\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierOrder=__(হ্যালো)__\n\nঅনুগ্রহ করে আমাদের অর্ডার __REF__ সংযুক্ত খুঁজুন\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierInvoice=__(হ্যালো)__\n\nঅনুগ্রহ করে __REF__ সংযুক্ত চালান খুঁজুন\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendShipping=__(হ্যালো)__\n\nঅনুগ্রহ করে শিপিং __REF__ সংযুক্ত খুঁজুন\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendFichInter=__(হ্যালো)__\n\nঅনুগ্রহ করে হস্তক্ষেপ __REF__ সংযুক্ত খুঁজুন\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentLink=আপনার অর্থপ্রদান করতে আপনি নীচের লিঙ্কে ক্লিক করতে পারেন যদি এটি ইতিমধ্যে সম্পন্ন না হয়।\n\n%s\n\n +PredefinedMailContentGeneric=__(হ্যালো)__\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendActionComm=ইভেন্ট অনুস্মারক "__EVENT_LABEL__" __EVENT_DATE__ তারিখে __EVENT_TIME__

      এটি একটি স্বয়ংক্রিয় বার্তা, দয়া করে উত্তর দেবেন না৷ +DemoDesc=ডলিবার হল একটি কমপ্যাক্ট ইআরপি/সিআরএম যা বিভিন্ন ব্যবসায়িক মডিউল সমর্থন করে। সমস্ত মডিউল প্রদর্শনের একটি ডেমো কোন অর্থবোধ করে না কারণ এই দৃশ্যটি কখনই ঘটে না (কয়েক শতাধিক উপলব্ধ)। সুতরাং, বেশ কয়েকটি ডেমো প্রোফাইল উপলব্ধ। +ChooseYourDemoProfil=আপনার প্রয়োজনের জন্য সবচেয়ে উপযুক্ত ডেমো প্রোফাইল বেছে নিন... +ChooseYourDemoProfilMore=...অথবা আপনার নিজের প্রোফাইল তৈরি করুন
      (ম্যানুয়াল মডিউল নির্বাচন) +DemoFundation=একটি ফাউন্ডেশনের সদস্যদের পরিচালনা করুন +DemoFundation2=একটি ফাউন্ডেশনের সদস্য এবং ব্যাঙ্ক অ্যাকাউন্ট পরিচালনা করুন +DemoCompanyServiceOnly=কোম্পানি বা ফ্রিল্যান্স বিক্রয় সেবা শুধুমাত্র +DemoCompanyShopWithCashDesk=একটি নগদ বাক্স সঙ্গে একটি দোকান পরিচালনা করুন +DemoCompanyProductAndStocks=পয়েন্ট অফ সেলস সহ পণ্য বিক্রয় করুন +DemoCompanyManufacturing=কোম্পানি উত্পাদন পণ্য +DemoCompanyAll=একাধিক কার্যক্রম সহ কোম্পানি (সমস্ত প্রধান মডিউল) +CreatedBy=%s দ্বারা তৈরি +ModifiedBy=%s দ্বারা সংশোধিত +ValidatedBy=%s দ্বারা যাচাই করা হয়েছে +SignedBy=%s দ্বারা স্বাক্ষরিত +ClosedBy=%s দ্বারা বন্ধ +CreatedById=ইউজার আইডি যিনি তৈরি করেছেন +ModifiedById=ব্যবহারকারী আইডি যিনি সর্বশেষ পরিবর্তন করেছেন +ValidatedById=ইউজার আইডি যারা যাচাই করেছে +CanceledById=যে ইউজার আইডি বাতিল করেছে +ClosedById=ইউজার আইডি যিনি বন্ধ করেছেন +CreatedByLogin=ব্যবহারকারী লগইন যিনি তৈরি করেছেন +ModifiedByLogin=ব্যবহারকারী লগইন যারা সর্বশেষ পরিবর্তন করেছেন +ValidatedByLogin=ব্যবহারকারী লগইন যারা যাচাই +CanceledByLogin=ব্যবহারকারী লগইন যারা বাতিল করেছে +ClosedByLogin=ব্যবহারকারী লগইন যারা বন্ধ +FileWasRemoved=ফাইল %s সরানো হয়েছে +DirWasRemoved=ডিরেক্টরি %s সরানো হয়েছে +FeatureNotYetAvailable=বর্তমান সংস্করণে বৈশিষ্ট্যটি এখনও উপলব্ধ নয়৷ +FeatureNotAvailableOnDevicesWithoutMouse=মাউস ছাড়া ডিভাইসে বৈশিষ্ট্য উপলব্ধ নয় +FeaturesSupported=সমর্থিত বৈশিষ্ট্য +Width=প্রস্থ +Height=উচ্চতা +Depth=গভীরতা +Top=শীর্ষ +Bottom=নীচে +Left=বাম +Right=ঠিক +CalculatedWeight=গণনা করা ওজন +CalculatedVolume=গণনা করা ভলিউম +Weight=ওজন +WeightUnitton=টন +WeightUnitkg=কেজি WeightUnitg=g -WeightUnitmg=mg -WeightUnitpound=pound -WeightUnitounce=ounce -Length=Length -LengthUnitm=m +WeightUnitmg=মিলিগ্রাম +WeightUnitpound=পাউন্ড +WeightUnitounce=আউন্স +Length=দৈর্ঘ্য +LengthUnitm=মি LengthUnitdm=dm -LengthUnitcm=cm -LengthUnitmm=mm -Surface=Area +LengthUnitcm=সেমি +LengthUnitmm=মিমি +Surface=এলাকা SurfaceUnitm2=m² SurfaceUnitdm2=dm² SurfaceUnitcm2=cm² -SurfaceUnitmm2=mm² +SurfaceUnitmm2=মিমি² SurfaceUnitfoot2=ft² -SurfaceUnitinch2=in² -Volume=Volume +SurfaceUnitinch2=² মধ্যে +Volume=আয়তন VolumeUnitm3=m³ VolumeUnitdm3=dm³ (L) VolumeUnitcm3=cm³ (ml) VolumeUnitmm3=mm³ (µl) VolumeUnitfoot3=ft³ VolumeUnitinch3=in³ -VolumeUnitounce=ounce -VolumeUnitlitre=litre -VolumeUnitgallon=gallon -SizeUnitm=m +VolumeUnitounce=আউন্স +VolumeUnitlitre=লিটার +VolumeUnitgallon=গ্যালন +SizeUnitm=মি SizeUnitdm=dm -SizeUnitcm=cm -SizeUnitmm=mm -SizeUnitinch=inch -SizeUnitfoot=foot -SizeUnitpoint=point -BugTracker=Bug tracker -SendNewPasswordDesc=This form allows you to request a new password. It will be sent to your email address.
      Change will become effective once you click on the confirmation link in the email.
      Check your inbox. -EnterNewPasswordHere=Enter your new password here -BackToLoginPage=Back to login page -AuthenticationDoesNotAllowSendNewPassword=Authentication mode is %s.
      In this mode, Dolibarr can't know nor change your password.
      Contact your system administrator if you want to change your password. -EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use this option. -ProfIdShortDesc=Prof Id %s is an information depending on third party country.
      For example, for country %s, it's code %s. -DolibarrDemo=Dolibarr ERP/CRM demo -StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) -NumberOfProposals=Number of proposals -NumberOfCustomerOrders=Number of sales orders -NumberOfCustomerInvoices=Number of customer invoices -NumberOfSupplierProposals=Number of vendor proposals -NumberOfSupplierOrders=Number of purchase orders -NumberOfSupplierInvoices=Number of vendor invoices -NumberOfContracts=Number of contracts -NumberOfMos=Number of manufacturing orders -NumberOfUnitsProposals=Number of units on proposals -NumberOfUnitsCustomerOrders=Number of units on sales orders -NumberOfUnitsCustomerInvoices=Number of units on customer invoices -NumberOfUnitsSupplierProposals=Number of units on vendor proposals -NumberOfUnitsSupplierOrders=Number of units on purchase orders -NumberOfUnitsSupplierInvoices=Number of units on vendor invoices -NumberOfUnitsContracts=Number of units on contracts -NumberOfUnitsMos=Number of units to produce in manufacturing orders -EMailTextInterventionAddedContact=A new intervention %s has been assigned to you. -EMailTextInterventionValidated=The intervention %s has been validated. -EMailTextInvoiceValidated=Invoice %s has been validated. -EMailTextInvoicePayed=Invoice %s has been paid. -EMailTextProposalValidated=Proposal %s has been validated. -EMailTextProposalClosedSigned=Proposal %s has been closed signed. -EMailTextProposalClosedSignedWeb=Proposal %s has been closed signed on portal page. -EMailTextProposalClosedRefused=Proposal %s has been closed refused. -EMailTextProposalClosedRefusedWeb=Proposal %s has been closed refuse on portal page. -EMailTextOrderValidated=Order %s has been validated. -EMailTextOrderApproved=Order %s has been approved. -EMailTextOrderValidatedBy=Order %s has been recorded by %s. -EMailTextOrderApprovedBy=Order %s has been approved by %s. -EMailTextOrderRefused=Order %s has been refused. -EMailTextOrderRefusedBy=Order %s has been refused by %s. -EMailTextExpeditionValidated=Shipping %s has been validated. -EMailTextExpenseReportValidated=Expense report %s has been validated. -EMailTextExpenseReportApproved=Expense report %s has been approved. -EMailTextHolidayValidated=Leave request %s has been validated. -EMailTextHolidayApproved=Leave request %s has been approved. -EMailTextActionAdded=The action %s has been added to the Agenda. -ImportedWithSet=Importation data set -DolibarrNotification=Automatic notification -ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... -NewLength=New width -NewHeight=New height -NewSizeAfterCropping=New size after cropping -DefineNewAreaToPick=Define new area on image to pick (left click on image then drag until you reach the opposite corner) -CurrentInformationOnImage=This tool was designed to help you to resize or crop an image. This is the information on the current edited image -ImageEditor=Image editor -YouReceiveMailBecauseOfNotification=You receive this message because your email has been added to list of targets to be informed of particular events into %s software of %s. -YouReceiveMailBecauseOfNotification2=This event is the following: -ThisIsListOfModules=This is a list of modules preselected by this demo profile (only most common modules are visible in this demo). Edit this to have a more personalized demo and click on "Start". -UseAdvancedPerms=Use the advanced permissions of some modules -FileFormat=File format -SelectAColor=Choose a color -AddFiles=Add Files -StartUpload=Start upload -CancelUpload=Cancel upload -FileIsTooBig=Files is too big -PleaseBePatient=Please be patient... -NewPassword=New password -ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received. -NewKeyIs=This is your new keys to login -NewKeyWillBe=Your new key to login to software will be -ClickHereToGoTo=Click here to go to %s -YouMustClickToChange=You must however first click on the following link to validate this password change -ConfirmPasswordChange=Confirm password change -ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe. -IfAmountHigherThan=If amount higher than %s -SourcesRepository=Repository for sources -Chart=Chart -PassEncoding=Password encoding -PermissionsAdd=Permissions added -PermissionsDelete=Permissions removed -YourPasswordMustHaveAtLeastXChars=Your password must have at least %s chars -PasswordNeedAtLeastXUpperCaseChars=The password need at least %s upper case chars -PasswordNeedAtLeastXDigitChars=The password need at least %s numeric chars -PasswordNeedAtLeastXSpecialChars=The password need at least %s special chars -PasswordNeedNoXConsecutiveChars=The password must not have %s consecutive similar chars -YourPasswordHasBeenReset=Your password has been reset successfully -ApplicantIpAddress=IP address of applicant -SMSSentTo=SMS sent to %s -MissingIds=Missing ids -ThirdPartyCreatedByEmailCollector=Third party created by email collector from email MSGID %s -ContactCreatedByEmailCollector=Contact/address created by email collector from email MSGID %s -ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s -TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s -OpeningHoursFormatDesc=Use a - to separate opening and closing hours.
      Use a space to enter different ranges.
      Example: 8-12 14-18 -SuffixSessionName=Suffix for session name -LoginWith=Login with %s +SizeUnitcm=সেমি +SizeUnitmm=মিমি +SizeUnitinch=ইঞ্চি +SizeUnitfoot=পা +SizeUnitpoint=বিন্দু +BugTracker=বাগ তালাশকারী +SendNewPasswordDesc=এই ফর্মটি আপনাকে একটি নতুন পাসওয়ার্ড অনুরোধ করার অনুমতি দেয়। এটি আপনার ইমেল ঠিকানায় পাঠানো হবে৷
      আপনি ইমেলের নিশ্চিতকরণ লিঙ্কে ক্লিক করলেই পরিবর্তন কার্যকর হবে৷
      আপনার ইনবক্স চেক করুন. +EnterNewPasswordHere=এখানে আপনার নতুন পাসওয়ার্ড লিখুন +BackToLoginPage=লগইন পৃষ্ঠায় ফিরে যান +AuthenticationDoesNotAllowSendNewPassword=প্রমাণীকরণ মোড হল %s
      এই মোডে, Dolibarr আপনার পাসওয়ার্ড জানতে বা পরিবর্তন করতে পারে না।
      আপনার পাসওয়ার্ড পরিবর্তন করতে চাইলে আপনার সিস্টেম অ্যাডমিনিস্ট্রেটরের সাথে যোগাযোগ করুন। +EnableGDLibraryDesc=এই বিকল্পটি ব্যবহার করতে আপনার পিএইচপি ইনস্টলেশনে জিডি লাইব্রেরি ইনস্টল বা সক্ষম করুন। +ProfIdShortDesc=প্রফেসর আইডি %s তৃতীয় পক্ষের দেশের উপর নির্ভর করে একটি তথ্য৷
      উদাহরণস্বরূপ, দেশের জন্য %s, এটির কোড %sb09a4b7837fz. +DolibarrDemo=ডলিবার ইআরপি/সিআরএম ডেমো +StatsByAmount=পণ্য/পরিষেবার পরিমাণের পরিসংখ্যান +StatsByAmountProducts=পণ্যের পরিমাণের পরিসংখ্যান +StatsByAmountServices=পরিষেবার পরিমাণের পরিসংখ্যান +StatsByNumberOfUnits=পণ্য/পরিষেবার পরিমাণের যোগফলের পরিসংখ্যান +StatsByNumberOfUnitsProducts=পণ্যের পরিমাণের যোগফলের পরিসংখ্যান +StatsByNumberOfUnitsServices=পরিসংখ্যানের পরিসংখ্যান +StatsByNumberOfEntities=উল্লেখকারী সত্তার সংখ্যার পরিসংখ্যান (চালানের সংখ্যা, বা আদেশ...) +NumberOf=%s এর সংখ্যা +NumberOfUnits=%s এ ইউনিটের সংখ্যা +AmountIn=%s এ পরিমাণ +NumberOfUnitsMos=উত্পাদন আদেশ উত্পাদন ইউনিট সংখ্যা +EMailTextInterventionAddedContact=একটি নতুন হস্তক্ষেপ %s আপনাকে বরাদ্দ করা হয়েছে৷ +EMailTextInterventionValidated=হস্তক্ষেপ %s বৈধ করা হয়েছে। +EMailTextInterventionClosed=হস্তক্ষেপ %s বন্ধ করা হয়েছে। +EMailTextInvoiceValidated=চালান %s যাচাই করা হয়েছে। +EMailTextInvoicePayed=চালান %s প্রদান করা হয়েছে। +EMailTextProposalValidated=প্রস্তাব %s যাচাই করা হয়েছে। +EMailTextProposalClosedSigned=প্রস্তাব %s বন্ধ স্বাক্ষরিত হয়েছে। +EMailTextProposalClosedSignedWeb=প্রস্তাব %s পোর্টাল পৃষ্ঠায় স্বাক্ষরিত বন্ধ করা হয়েছে। +EMailTextProposalClosedRefused=প্রস্তাব %s বন্ধ প্রত্যাখ্যান করা হয়েছে। +EMailTextProposalClosedRefusedWeb=পোর্টাল পৃষ্ঠায় প্রস্তাব %s বন্ধ করা হয়েছে। +EMailTextOrderValidated=অর্ডার %s যাচাই করা হয়েছে। +EMailTextOrderClose=অর্ডার %s বিতরণ করা হয়েছে। +EMailTextSupplierOrderApprovedBy=ক্রয় আদেশ %s %s দ্বারা অনুমোদিত হয়েছে৷ +EMailTextSupplierOrderValidatedBy=ক্রয় আদেশ %s %s দ্বারা রেকর্ড করা হয়েছে৷ +EMailTextSupplierOrderSubmittedBy=ক্রয় আদেশ %s জমা দিয়েছে %s। +EMailTextSupplierOrderRefusedBy=ক্রয় আদেশ %s %s দ্বারা প্রত্যাখ্যান করা হয়েছে৷ +EMailTextExpeditionValidated=শিপিং %s বৈধ করা হয়েছে। +EMailTextExpenseReportValidated=ব্যয় প্রতিবেদন %s যাচাই করা হয়েছে। +EMailTextExpenseReportApproved=ব্যয় প্রতিবেদন %s অনুমোদিত হয়েছে। +EMailTextHolidayValidated=ছেড়ে যাওয়ার অনুরোধ %s যাচাই করা হয়েছে। +EMailTextHolidayApproved=ছেড়ে যাওয়ার অনুরোধ %s অনুমোদিত হয়েছে৷ +EMailTextActionAdded=কর্মসূচীতে %s যোগ করা হয়েছে৷ +ImportedWithSet=আমদানি ডেটা সেট +DolibarrNotification=স্বয়ংক্রিয় বিজ্ঞপ্তি +ResizeDesc=নতুন প্রস্থ লিখুন বা নতুন উচ্চতা। আকার পরিবর্তন করার সময় অনুপাত রাখা হবে... +NewLength=নতুন প্রস্থ +NewHeight=নতুন উচ্চতা +NewSizeAfterCropping=ফসল কাটার পরে নতুন আকার +DefineNewAreaToPick=বাছাই করার জন্য ছবিতে নতুন এলাকা সংজ্ঞায়িত করুন (ছবিতে বাম ক্লিক করুন তারপর টেনে আনুন যতক্ষণ না আপনি বিপরীত কোণে পৌঁছান) +CurrentInformationOnImage=এই টুলটি আপনাকে একটি চিত্রের আকার পরিবর্তন বা ক্রপ করতে সাহায্য করার জন্য ডিজাইন করা হয়েছে৷ এটি বর্তমান সম্পাদিত চিত্রের তথ্য +ImageEditor=চিত্র সম্পাদক +YouReceiveMailBecauseOfNotification=আপনি এই বার্তাটি পেয়েছেন কারণ আপনার ইমেলটি %s সফ্টওয়্যার %s সফ্টওয়্যারে নির্দিষ্ট ইভেন্ট সম্পর্কে অবহিত করার লক্ষ্যগুলির তালিকায় যোগ করা হয়েছে৷ +YouReceiveMailBecauseOfNotification2=এই ঘটনাটি নিম্নরূপ: +ThisIsListOfModules=এটি এই ডেমো প্রোফাইল দ্বারা পূর্বনির্বাচিত মডিউলগুলির একটি তালিকা (শুধুমাত্র সর্বাধিক সাধারণ মডিউলগুলি এই ডেমোতে দৃশ্যমান)৷ আরও ব্যক্তিগতকৃত ডেমো পেতে এটি সম্পাদনা করুন এবং "স্টার্ট" এ ক্লিক করুন। +UseAdvancedPerms=কিছু মডিউলের উন্নত অনুমতি ব্যবহার করুন +FileFormat=ফাইলের বিন্যাস +SelectAColor=একটি রং চয়ন করুন +AddFiles=ফাইল যোগ করুন +StartUpload=আপলোড শুরু করুন +CancelUpload=আপলোড বাতিল করুন +FileIsTooBig=ফাইলগুলি খুব বড় +PleaseBePatient=দয়া করে ধৈর্য ধরুন... +NewPassword=নতুন পাসওয়ার্ড +ResetPassword=পাসওয়ার্ড রিসেট করুন +RequestToResetPasswordReceived=আপনার পাসওয়ার্ড পরিবর্তন করার একটি অনুরোধ গৃহীত হয়েছে. +NewKeyIs=লগইন করার জন্য এটি আপনার নতুন কী +NewKeyWillBe=সফটওয়্যারে লগইন করার জন্য আপনার নতুন কী হবে +ClickHereToGoTo=%s এ যেতে এখানে ক্লিক করুন +YouMustClickToChange=তবে এই পাসওয়ার্ড পরিবর্তনটি যাচাই করতে আপনাকে অবশ্যই প্রথমে নিম্নলিখিত লিঙ্কে ক্লিক করতে হবে +ConfirmPasswordChange=পাসওয়ার্ড পরিবর্তন নিশ্চিত করুন +ForgetIfNothing=আপনি যদি এই পরিবর্তনের জন্য অনুরোধ না করে থাকেন তবে এই ইমেলটি ভুলে যান৷ আপনার প্রমাণপত্র নিরাপদ রাখা হয়. +IfAmountHigherThan=যদি পরিমাণ %s এর চেয়ে বেশি +SourcesRepository=উৎসের জন্য সংগ্রহস্থল +Chart=চার্ট +PassEncoding=পাসওয়ার্ড এনকোডিং +PermissionsAdd=অনুমতি যোগ করা হয়েছে +PermissionsDelete=অনুমতি সরানো হয়েছে +YourPasswordMustHaveAtLeastXChars=আপনার পাসওয়ার্ডে কমপক্ষে %s অক্ষর থাকতে হবে +PasswordNeedAtLeastXUpperCaseChars=পাসওয়ার্ডের কমপক্ষে %s বড় হাতের অক্ষর প্রয়োজন +PasswordNeedAtLeastXDigitChars=পাসওয়ার্ডের কমপক্ষে %s সংখ্যাসূচক অক্ষর প্রয়োজন +PasswordNeedAtLeastXSpecialChars=পাসওয়ার্ডের কমপক্ষে %s বিশেষ অক্ষর প্রয়োজন +PasswordNeedNoXConsecutiveChars=পাসওয়ার্ডে অবশ্যই %s পরপর অনুরূপ অক্ষর থাকতে হবে না +YourPasswordHasBeenReset=আপনার পাসওয়ার্ড সফলভাবে পুনরায় সেট করা হয়েছে +ApplicantIpAddress=আবেদনকারীর আইপি ঠিকানা +SMSSentTo=%s-এ এসএমএস পাঠানো হয়েছে +MissingIds=অনুপস্থিত আইডি +ThirdPartyCreatedByEmailCollector=ইমেল MSGID %s থেকে ইমেল সংগ্রাহকের দ্বারা তৈরি তৃতীয় পক্ষ +ContactCreatedByEmailCollector=ইমেল MSGID %s থেকে ইমেল সংগ্রাহকের দ্বারা তৈরি যোগাযোগ/ঠিকানা +ProjectCreatedByEmailCollector=ইমেল MSGID %s থেকে ইমেল সংগ্রাহকের দ্বারা তৈরি করা প্রকল্প +TicketCreatedByEmailCollector=ইমেল MSGID %s থেকে ইমেল সংগ্রাহকের দ্বারা টিকিট তৈরি করা হয়েছে +OpeningHoursFormatDesc=খোলার এবং বন্ধের সময় আলাদা করতে a - ব্যবহার করুন।
      বিভিন্ন রেঞ্জে প্রবেশ করতে একটি স্থান ব্যবহার করুন।
      উদাহরণ: 8-12 14 -18 +SuffixSessionName=অধিবেশন নামের জন্য প্রত্যয় +LoginWith=%s দিয়ে লগইন করুন ##### Export ##### ExportsArea=Exports area AvailableFormats=Available formats -LibraryUsed=Library used -LibraryVersion=Library version -ExportableDatas=Exportable data -NoExportableData=No exportable data (no modules with exportable data loaded, or missing permissions) +LibraryUsed=লাইব্রেরি ব্যবহার করা হয়েছে +LibraryVersion=লাইব্রেরি সংস্করণ +ExportableDatas=রপ্তানিযোগ্য ডেটা +NoExportableData=কোনও রপ্তানিযোগ্য ডেটা নেই (রপ্তানিযোগ্য ডেটা লোড করা বা অনুপস্থিত অনুমতি সহ কোনও মডিউল নেই) ##### External sites ##### -WebsiteSetup=Setup of module website -WEBSITE_PAGEURL=URL of page -WEBSITE_TITLE=Title -WEBSITE_DESCRIPTION=Description -WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). -WEBSITE_KEYWORDS=Keywords -LinesToImport=Lines to import +WebsiteSetup=মডিউল ওয়েবসাইট সেটআপ +WEBSITE_PAGEURL=পৃষ্ঠার URL +WEBSITE_TITLE=শিরোনাম +WEBSITE_DESCRIPTION=বর্ণনা +WEBSITE_IMAGE=ছবি +WEBSITE_IMAGEDesc=ইমেজ মিডিয়ার আপেক্ষিক পথ। আপনি এটি খালি রাখতে পারেন কারণ এটি খুব কমই ব্যবহৃত হয় (ব্লগ পোস্টের একটি তালিকায় থাম্বনেইল দেখানোর জন্য এটি গতিশীল সামগ্রী দ্বারা ব্যবহার করা যেতে পারে)। যদি পাথ ওয়েবসাইটের নামের উপর নির্ভর করে তাহলে পাথে __WEBSITE_KEY__ ব্যবহার করুন (উদাহরণস্বরূপ: image/__WEBSITE_KEY__/stories/myimage.png)। +WEBSITE_KEYWORDS=কীওয়ার্ড +LinesToImport=আমদানি করার জন্য লাইন -MemoryUsage=Memory usage -RequestDuration=Duration of request -ProductsPerPopularity=Products/Services by popularity -PopuProp=Products/Services by popularity in Proposals -PopuCom=Products/Services by popularity in Orders -ProductStatistics=Products/Services Statistics -NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... +MemoryUsage=মেমরি ব্যবহার +RequestDuration=অনুরোধের সময়কাল +ProductsServicesPerPopularity=পণ্য|জনপ্রিয়তার ভিত্তিতে পরিষেবা +ProductsPerPopularity=জনপ্রিয়তা দ্বারা পণ্য +ServicesPerPopularity=জনপ্রিয়তার ভিত্তিতে পরিষেবা +PopuProp=পণ্য|প্রস্তাবে জনপ্রিয়তার ভিত্তিতে পরিষেবা +PopuCom=পণ্য|অর্ডারে জনপ্রিয়তার ভিত্তিতে পরিষেবা +ProductStatistics=পণ্য|পরিষেবা পরিসংখ্যান +NbOfQtyInOrders=অর্ডারের পরিমাণ +SelectTheTypeOfObjectToAnalyze=এর পরিসংখ্যান দেখতে একটি বস্তু নির্বাচন করুন... -ConfirmBtnCommonContent = Are you sure you want to "%s" ? -ConfirmBtnCommonTitle = Confirm your action -CloseDialog = Close -Autofill = Autofill +ConfirmBtnCommonContent = আপনি কি "%s" করতে চান? +ConfirmBtnCommonTitle = আপনার কর্ম নিশ্চিত করুন +CloseDialog = বন্ধ +Autofill = অটোফিল +OrPasteAnURL=অথবা একটি URL পেস্ট করুন # externalsite ExternalSiteSetup=Setup link to external website -ExternalSiteURL=External Site URL of HTML iframe content +ExternalSiteURL=HTML iframe বিষয়বস্তুর বহিরাগত সাইট URL ExternalSiteModuleNotComplete=Module ExternalSite was not configured properly. ExampleMyMenuEntry=My menu entry # ftp -FTPClientSetup=FTP or SFTP Client module setup -NewFTPClient=New FTP/SFTP connection setup -FTPArea=FTP/SFTP Area -FTPAreaDesc=This screen shows a view of an FTP et SFTP server. -SetupOfFTPClientModuleNotComplete=The setup of the FTP or SFTP client module seems to be incomplete -FTPFeatureNotSupportedByYourPHP=Your PHP does not support FTP or SFTP functions -FailedToConnectToFTPServer=Failed to connect to server (server %s, port %s) -FailedToConnectToFTPServerWithCredentials=Failed to login to server with defined login/password +FTPClientSetup=FTP বা SFTP ক্লায়েন্ট মডিউল সেটআপ +NewFTPClient=নতুন FTP/SFTP সংযোগ সেটআপ +FTPArea=FTP/SFTP এলাকা +FTPAreaDesc=এই স্ক্রীনটি একটি FTP এবং SFTP সার্ভারের একটি দৃশ্য দেখায়। +SetupOfFTPClientModuleNotComplete=FTP বা SFTP ক্লায়েন্ট মডিউলের সেটআপ অসম্পূর্ণ বলে মনে হচ্ছে +FTPFeatureNotSupportedByYourPHP=আপনার PHP FTP বা SFTP ফাংশন সমর্থন করে না +FailedToConnectToFTPServer=সার্ভারের সাথে সংযোগ করতে ব্যর্থ হয়েছে (সার্ভার %s, পোর্ট %s) +FailedToConnectToFTPServerWithCredentials=সংজ্ঞায়িত লগইন/পাসওয়ার্ড দিয়ে সার্ভারে লগইন করতে ব্যর্থ হয়েছে৷ FTPFailedToRemoveFile=Failed to remove file %s. -FTPFailedToRemoveDir=Failed to remove directory %s: check permissions and that the directory is empty. +FTPFailedToRemoveDir=ডিরেক্টরি সরাতে ব্যর্থ হয়েছে %s: অনুমতি চেক করুন এবং সেটি খালি. FTPPassiveMode=Passive mode -ChooseAFTPEntryIntoMenu=Choose a FTP/SFTP site from the menu... +ChooseAFTPEntryIntoMenu=মেনু থেকে একটি FTP/SFTP সাইট বেছে নিন... FailedToGetFile=Failed to get files %s -ErrorFTPNodisconnect=Error to disconnect FTP/SFTP server -FileWasUpload=File %s was uploaded -FTPFailedToUploadFile=Failed to upload the file %s. -AddFolder=Create folder -FileWasCreateFolder=Folder %s has been created -FTPFailedToCreateFolder=Failed to create folder %s. +ErrorFTPNodisconnect=FTP/SFTP সার্ভার সংযোগ বিচ্ছিন্ন করতে ত্রুটি৷ +FileWasUpload=ফাইল %s আপলোড করা হয়েছে +FTPFailedToUploadFile=%s ফাইলটি আপলোড করতে ব্যর্থ হয়েছে৷ +AddFolder=ফোল্ডার তৈরি করুন +FileWasCreateFolder=ফোল্ডার %s তৈরি করা হয়েছে +FTPFailedToCreateFolder=%s ফোল্ডার তৈরি করতে ব্যর্থ হয়েছে৷ diff --git a/htdocs/langs/bn_BD/partnership.lang b/htdocs/langs/bn_BD/partnership.lang index c755ec8591d..0e6287deed8 100644 --- a/htdocs/langs/bn_BD/partnership.lang +++ b/htdocs/langs/bn_BD/partnership.lang @@ -16,77 +16,84 @@ # # Generic # -ModulePartnershipName=Partnership management -PartnershipDescription=Module Partnership management -PartnershipDescriptionLong= Module Partnership management -Partnership=Partnership -AddPartnership=Add partnership -CancelPartnershipForExpiredMembers=Partnership: Cancel partnership of members with expired subscriptions -PartnershipCheckBacklink=Partnership: Check referring backlink +ModulePartnershipName=অংশীদারিত্ব ব্যবস্থাপনা +PartnershipDescription=মডিউল অংশীদারিত্ব ব্যবস্থাপনা +PartnershipDescriptionLong= মডিউল অংশীদারিত্ব ব্যবস্থাপনা +Partnership=অংশীদারিত্ব +Partnerships=অংশীদারিত্ব +AddPartnership=অংশীদারিত্ব যোগ করুন +CancelPartnershipForExpiredMembers=অংশীদারিত্ব: মেয়াদোত্তীর্ণ সাবস্ক্রিপশন সহ সদস্যদের অংশীদারিত্ব বাতিল করুন +PartnershipCheckBacklink=অংশীদারিত্ব: রেফারিং ব্যাকলিংক চেক করুন # # Menu # -NewPartnership=New Partnership -ListOfPartnerships=List of partnership +NewPartnership=নতুন অংশীদারিত্ব +NewPartnershipbyWeb=আপনার অংশীদারিত্বের অনুরোধ সফলভাবে যোগ করা হয়েছে৷ আমরা শীঘ্রই আপনার সাথে যোগাযোগ করতে পারি... +ListOfPartnerships=অংশীদারিত্বের তালিকা # # Admin page # -PartnershipSetup=Partnership setup -PartnershipAbout=About Partnership -PartnershipAboutPage=Partnership about page -partnershipforthirdpartyormember=Partner status must be set on a 'thirdparty' or a 'member' -PARTNERSHIP_IS_MANAGED_FOR=Partnership managed for -PARTNERSHIP_BACKLINKS_TO_CHECK=Backlinks to check -PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb of days before cancelling status of a partnership when a subscription has expired -ReferingWebsiteCheck=Check of website referring -ReferingWebsiteCheckDesc=You can enable a feature to check that your partners has added a backlink to your website domains on their own website. +PartnershipSetup=অংশীদারিত্ব সেটআপ +PartnershipAbout=অংশীদারিত্ব সম্পর্কে +PartnershipAboutPage=পৃষ্ঠা সম্পর্কে অংশীদারিত্ব +partnershipforthirdpartyormember=পার্টনার স্ট্যাটাস অবশ্যই 'তৃতীয় পক্ষ' বা 'সদস্য'-এ সেট করতে হবে +PARTNERSHIP_IS_MANAGED_FOR=অংশীদারিত্বের জন্য পরিচালিত +PARTNERSHIP_BACKLINKS_TO_CHECK=চেক করতে ব্যাকলিংক +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=সাবস্ক্রিপশনের মেয়াদ শেষ হয়ে গেলে অংশীদারিত্বের স্থিতি বাতিল করার আগের দিনের Nb +ReferingWebsiteCheck=ওয়েবসাইট রেফারিং চেক +ReferingWebsiteCheckDesc=আপনার অংশীদাররা তাদের নিজস্ব ওয়েবসাইটে আপনার ওয়েবসাইট ডোমেনে একটি ব্যাকলিংক যোগ করেছে কিনা তা পরীক্ষা করতে আপনি একটি বৈশিষ্ট্য সক্রিয় করতে পারেন। +PublicFormRegistrationPartnerDesc=Dolibarr আপনাকে একটি সর্বজনীন URL/ওয়েবসাইট প্রদান করতে পারে যাতে বহিরাগত দর্শকদের অংশীদারিত্ব প্রোগ্রামের অংশ হতে অনুরোধ করতে পারে। # # Object # -DeletePartnership=Delete a partnership -PartnershipDedicatedToThisThirdParty=Partnership dedicated to this third party -PartnershipDedicatedToThisMember=Partnership dedicated to this member -DatePartnershipStart=Start date -DatePartnershipEnd=End date -ReasonDecline=Decline reason -ReasonDeclineOrCancel=Decline reason -PartnershipAlreadyExist=Partnership already exist -ManagePartnership=Manage partnership -BacklinkNotFoundOnPartnerWebsite=Backlink not found on partner website -ConfirmClosePartnershipAsk=Are you sure you want to cancel this partnership? -PartnershipType=Partnership type -PartnershipRefApproved=Partnership %s approved +DeletePartnership=একটি অংশীদারিত্ব মুছুন +PartnershipDedicatedToThisThirdParty=অংশীদারিত্ব এই তৃতীয় পক্ষের জন্য নিবেদিত +PartnershipDedicatedToThisMember=অংশীদারিত্ব এই সদস্য নিবেদিত +DatePartnershipStart=শুরুর তারিখ +DatePartnershipEnd=শেষ তারিখ +ReasonDecline=প্রত্যাখ্যান কারণ +ReasonDeclineOrCancel=প্রত্যাখ্যান কারণ +PartnershipAlreadyExist=অংশীদারিত্ব ইতিমধ্যে বিদ্যমান +ManagePartnership=অংশীদারিত্ব পরিচালনা করুন +BacklinkNotFoundOnPartnerWebsite=ব্যাকলিংক অংশীদার ওয়েবসাইটে পাওয়া যায়নি +ConfirmClosePartnershipAsk=আপনি কি এই অংশীদারিত্ব বাতিল করার বিষয়ে নিশ্চিত? +PartnershipType=অংশীদারিত্বের ধরন +PartnershipRefApproved=অংশীদারিত্ব %s অনুমোদিত +KeywordToCheckInWebsite=আপনি যদি প্রতিটি অংশীদারের ওয়েবসাইটে একটি প্রদত্ত কীওয়ার্ড উপস্থিত রয়েছে কিনা তা পরীক্ষা করতে চান তবে এখানে এই কীওয়ার্ডটি সংজ্ঞায়িত করুন +PartnershipDraft=Draft +PartnershipAccepted=গৃহীত +PartnershipRefused=প্রত্যাখ্যান করেছে +PartnershipCanceled=বাতিল +PartnershipManagedFor=অংশীদার হয় # # Template Mail # -SendingEmailOnPartnershipWillSoonBeCanceled=Partnership will soon be canceled -SendingEmailOnPartnershipRefused=Partnership refused -SendingEmailOnPartnershipAccepted=Partnership accepted -SendingEmailOnPartnershipCanceled=Partnership canceled +SendingEmailOnPartnershipWillSoonBeCanceled=অংশীদারিত্ব শীঘ্রই বাতিল করা হবে +SendingEmailOnPartnershipRefused=অংশীদারিত্ব প্রত্যাখ্যান করেছে +SendingEmailOnPartnershipAccepted=অংশীদারিত্ব গৃহীত +SendingEmailOnPartnershipCanceled=অংশীদারিত্ব বাতিল করা হয়েছে৷ -YourPartnershipWillSoonBeCanceledTopic=Partnership will soon be canceled -YourPartnershipRefusedTopic=Partnership refused -YourPartnershipAcceptedTopic=Partnership accepted -YourPartnershipCanceledTopic=Partnership canceled +YourPartnershipWillSoonBeCanceledTopic=অংশীদারিত্ব শীঘ্রই বাতিল করা হবে +YourPartnershipRefusedTopic=অংশীদারিত্ব প্রত্যাখ্যান করেছে +YourPartnershipAcceptedTopic=অংশীদারিত্ব গৃহীত +YourPartnershipCanceledTopic=অংশীদারিত্ব বাতিল করা হয়েছে৷ -YourPartnershipWillSoonBeCanceledContent=We inform you that your partnership will soon be canceled (Backlink not found) -YourPartnershipRefusedContent=We inform you that your partnership request has been refused. -YourPartnershipAcceptedContent=We inform you that your partnership request has been accepted. -YourPartnershipCanceledContent=We inform you that your partnership has been canceled. +YourPartnershipWillSoonBeCanceledContent=আমরা আপনাকে জানাতে চাই যে আমাদের অংশীদারিত্ব শীঘ্রই বাতিল করা হবে (আমরা পুনর্নবীকরণ পাইনি বা আমাদের অংশীদারিত্বের পূর্বশর্ত পূরণ করা হয়নি)। আপনি একটি ত্রুটির কারণে এটি পেয়ে থাকলে আমাদের সাথে যোগাযোগ করুন. +YourPartnershipRefusedContent=আমরা আপনাকে জানাতে চাই যে আপনার অংশীদারিত্বের অনুরোধ প্রত্যাখ্যান করা হয়েছে৷ পূর্বশর্ত পূরণ করা হয়নি. আপনি আরও তথ্যের প্রয়োজন হলে আমাদের সাথে যোগাযোগ করুন। +YourPartnershipAcceptedContent=আমরা আপনাকে জানাতে চাই যে আপনার অংশীদারিত্বের অনুরোধ গৃহীত হয়েছে। +YourPartnershipCanceledContent=আমরা আপনাকে জানাতে চাই যে আমাদের অংশীদারিত্ব বাতিল করা হয়েছে। আপনি আরও তথ্যের প্রয়োজন হলে আমাদের সাথে যোগাযোগ করুন। -CountLastUrlCheckError=Number of errors for last URL check -LastCheckBacklink=Date of last URL check -ReasonDeclineOrCancel=Decline reason +CountLastUrlCheckError=শেষ URL চেকের জন্য ত্রুটির সংখ্যা৷ +LastCheckBacklink=শেষ ইউআরএল চেক করার তারিখ +ReasonDeclineOrCancel=প্রত্যাখ্যান কারণ + +NewPartnershipRequest=নতুন অংশীদারিত্বের অনুরোধ +NewPartnershipRequestDesc=এই ফর্মটি আপনাকে আমাদের অংশীদারিত্ব প্রোগ্রামের একটি অংশ হতে অনুরোধ করতে দেয়৷ এই ফর্মটি পূরণ করতে আপনার সাহায্যের প্রয়োজন হলে, অনুগ্রহ করে ইমেলের মাধ্যমে যোগাযোগ করুন %s span> +ThisUrlMustContainsAtLeastOneLinkToWebsite=এই পৃষ্ঠায় নিম্নলিখিত ডোমেনের একটিতে অন্তত একটি লিঙ্ক থাকতে হবে: %s + +IPOfApplicant=আবেদনকারীর আইপি -# -# Status -# -PartnershipDraft=Draft -PartnershipAccepted=Accepted -PartnershipRefused=Refused -PartnershipCanceled=Canceled -PartnershipManagedFor=Partners are diff --git a/htdocs/langs/bn_BD/paybox.lang b/htdocs/langs/bn_BD/paybox.lang index 1bbbef4017b..11a2c710cdd 100644 --- a/htdocs/langs/bn_BD/paybox.lang +++ b/htdocs/langs/bn_BD/paybox.lang @@ -1,31 +1,30 @@ # Dolibarr language file - Source file is en_US - paybox -PayBoxSetup=PayBox module setup -PayBoxDesc=This module offer pages to allow payment on Paybox by customers. This can be used for a free payment or for a payment on a particular Dolibarr object (invoice, order, ...) -FollowingUrlAreAvailableToMakePayments=Following URLs are available to offer a page to a customer to make a payment on Dolibarr objects -PaymentForm=Payment form -WelcomeOnPaymentPage=Welcome to our online payment service -ThisScreenAllowsYouToPay=This screen allow you to make an online payment to %s. -ThisIsInformationOnPayment=This is information on payment to do -ToComplete=To complete -YourEMail=Email to receive payment confirmation -Creditor=Creditor -PaymentCode=Payment code -PayBoxDoPayment=Pay with Paybox -YouWillBeRedirectedOnPayBox=You will be redirected on secured Paybox page to input you credit card information -Continue=Next -SetupPayBoxToHavePaymentCreatedAutomatically=Setup your Paybox with url %s to have payment created automatically when validated by Paybox. -YourPaymentHasBeenRecorded=This page confirms that your payment has been recorded. Thank you. -YourPaymentHasNotBeenRecorded=Your payment has NOT been recorded and the transaction has been canceled. Thank you. -AccountParameter=Account parameters -UsageParameter=Usage parameters -InformationToFindParameters=Help to find your %s account information -PAYBOX_CGI_URL_V2=Url of Paybox CGI module for payment -VendorName=Name of vendor -CSSUrlForPaymentForm=CSS style sheet url for payment form -NewPayboxPaymentReceived=New Paybox payment received -NewPayboxPaymentFailed=New Paybox payment tried but failed -PAYBOX_PAYONLINE_SENDEMAIL=Email notification after payment attempt (success or fail) -PAYBOX_PBX_SITE=Value for PBX SITE -PAYBOX_PBX_RANG=Value for PBX Rang -PAYBOX_PBX_IDENTIFIANT=Value for PBX ID -PAYBOX_HMAC_KEY=HMAC key +PayBoxSetup=পেবক্স মডিউল সেটআপ +PayBoxDesc=এই মডিউলটি গ্রাহকদের Paybox-এ অর্থপ্রদানের অনুমতি দেওয়ার জন্য পেজ অফার করে। এটি বিনামূল্যে অর্থপ্রদানের জন্য বা একটি নির্দিষ্ট ডলিবার অবজেক্টে অর্থপ্রদানের জন্য ব্যবহার করা যেতে পারে (চালান, আদেশ, ...) +FollowingUrlAreAvailableToMakePayments=Dolibarr অবজেক্টে অর্থ প্রদানের জন্য গ্রাহককে একটি পৃষ্ঠা অফার করার জন্য নিম্নলিখিত URLগুলি উপলব্ধ +PaymentForm=পেমেন্ট ফর্ম +WelcomeOnPaymentPage=আমাদের অনলাইন পেমেন্ট সেবা স্বাগতম +ThisScreenAllowsYouToPay=এই স্ক্রীনটি আপনাকে %s এ একটি অনলাইন অর্থপ্রদান করতে দেয়। +ThisIsInformationOnPayment=এটি করতে অর্থ প্রদানের তথ্য +ToComplete=শেষ করতে +YourEMail=পেমেন্ট নিশ্চিতকরণ পেতে ইমেল +Creditor=পাওনাদার +PaymentCode=পেমেন্ট কোড +PayBoxDoPayment=Paybox দিয়ে পেমেন্ট করুন +YouWillBeRedirectedOnPayBox=আপনার ক্রেডিট কার্ডের তথ্য ইনপুট করার জন্য আপনাকে নিরাপদ পেবক্স পৃষ্ঠায় পুনঃনির্দেশিত করা হবে +Continue=পরবর্তী +SetupPayBoxToHavePaymentCreatedAutomatically=স্বয়ংক্রিয়ভাবে অর্থপ্রদান তৈরি হওয়ার জন্য url %s দিয়ে আপনার পেবক্স সেটআপ করুন Paybox দ্বারা যাচাই করা হয়েছে। +YourPaymentHasBeenRecorded=এই পৃষ্ঠাটি নিশ্চিত করে যে আপনার পেমেন্ট রেকর্ড করা হয়েছে। ধন্যবাদ. +YourPaymentHasNotBeenRecorded=আপনার পেমেন্ট রেকর্ড করা হয়নি এবং লেনদেন বাতিল করা হয়েছে। ধন্যবাদ. +AccountParameter=অ্যাকাউন্ট প্যারামিটার +UsageParameter=ব্যবহারের পরামিতি +InformationToFindParameters=আপনার %s অ্যাকাউন্ট তথ্য খুঁজে পেতে সাহায্য করুন +PAYBOX_CGI_URL_V2=পেমেন্টের জন্য পেবক্স সিজিআই মডিউলের ইউআরএল +CSSUrlForPaymentForm=পেমেন্ট ফর্মের জন্য CSS শৈলী শীট url +NewPayboxPaymentReceived=নতুন পেবক্স পেমেন্ট গৃহীত হয়েছে +NewPayboxPaymentFailed=নতুন পেবক্স পেমেন্ট চেষ্টা করা হয়েছে কিন্তু ব্যর্থ হয়েছে +PAYBOX_PAYONLINE_SENDEMAIL=অর্থপ্রদানের প্রচেষ্টার পরে ইমেল বিজ্ঞপ্তি (সফল বা ব্যর্থ) +PAYBOX_PBX_SITE=PBX সাইট এর জন্য মান +PAYBOX_PBX_RANG=PBX Rang-এর মান +PAYBOX_PBX_IDENTIFIANT=PBX আইডির মান +PAYBOX_HMAC_KEY=HMAC কী diff --git a/htdocs/langs/bn_BD/paypal.lang b/htdocs/langs/bn_BD/paypal.lang index 5eb5f389445..3e0b0c383d0 100644 --- a/htdocs/langs/bn_BD/paypal.lang +++ b/htdocs/langs/bn_BD/paypal.lang @@ -1,36 +1,37 @@ # Dolibarr language file - Source file is en_US - paypal -PaypalSetup=PayPal module setup -PaypalDesc=This module allows payment by customers via PayPal. This can be used for a ad-hoc payment or for a payment related to a Dolibarr object (invoice, order, ...) -PaypalOrCBDoPayment=Pay with PayPal (Card or PayPal) -PaypalDoPayment=Pay with PayPal -PAYPAL_API_SANDBOX=Mode test/sandbox -PAYPAL_API_USER=API username -PAYPAL_API_PASSWORD=API password -PAYPAL_API_SIGNATURE=API signature -PAYPAL_SSLVERSION=Curl SSL Version -PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Offer "integral" payment (Credit card+PayPal) or "PayPal" only -PaypalModeIntegral=Integral -PaypalModeOnlyPaypal=PayPal only -ONLINE_PAYMENT_CSS_URL=Optional URL of CSS stylesheet on online payment page -ThisIsTransactionId=This is id of transaction: %s -PAYPAL_ADD_PAYMENT_URL=Include the PayPal payment url when you send a document by email -NewOnlinePaymentReceived=New online payment received -NewOnlinePaymentFailed=New online payment tried but failed -ONLINE_PAYMENT_SENDEMAIL=Email address for notifications after each payment attempt (for success and fail) -ReturnURLAfterPayment=Return URL after payment -ValidationOfOnlinePaymentFailed=Validation of online payment failed -PaymentSystemConfirmPaymentPageWasCalledButFailed=Payment confirmation page was called by payment system returned an error -SetExpressCheckoutAPICallFailed=SetExpressCheckout API call failed. -DoExpressCheckoutPaymentAPICallFailed=DoExpressCheckoutPayment API call failed. -DetailedErrorMessage=Detailed Error Message -ShortErrorMessage=Short Error Message -ErrorCode=Error Code -ErrorSeverityCode=Error Severity Code -OnlinePaymentSystem=Online payment system -PaypalLiveEnabled=PayPal "live" mode enabled (otherwise test/sandbox mode) -PaypalImportPayment=Import PayPal payments -PostActionAfterPayment=Post actions after payments -ARollbackWasPerformedOnPostActions=A rollback was performed on all Post actions. You must complete post actions manually if they are necessary. -ValidationOfPaymentFailed=Validation of payment has failed -CardOwner=Card holder -PayPalBalance=Paypal credit +PaypalSetup=পেপ্যাল মডিউল সেটআপ +PaypalDesc=এই মডিউলটি PayPal এর মাধ্যমে গ্রাহকদের অর্থ প্রদানের অনুমতি দেয়। এটি একটি অ্যাড-হক অর্থপ্রদানের জন্য বা ডলিবার অবজেক্টের সাথে সম্পর্কিত অর্থ প্রদানের জন্য ব্যবহার করা যেতে পারে (চালান, আদেশ, ...) +PaypalOrCBDoPayment=পেপ্যাল দিয়ে পেমেন্ট করুন (কার্ড বা পেপ্যাল) +PaypalDoPayment=পেপালের মাধ্যমে প্রদান করুন +PAYPAL_API_SANDBOX=মোড পরীক্ষা/স্যান্ডবক্স +PAYPAL_API_USER=API ব্যবহারকারীর নাম +PAYPAL_API_PASSWORD=API পাসওয়ার্ড +PAYPAL_API_SIGNATURE=API স্বাক্ষর +PAYPAL_SSLVERSION=কার্ল SSL সংস্করণ +PAYPAL_API_INTEGRAL_OR_PAYPALONLY=শুধুমাত্র "অখণ্ড" অর্থপ্রদান (ক্রেডিট কার্ড+পেপাল) বা "পেপাল" অফার করুন +PaypalModeIntegral=অখণ্ড +PaypalModeOnlyPaypal=শুধুমাত্র পেপ্যাল +ONLINE_PAYMENT_CSS_URL=অনলাইন পেমেন্ট পৃষ্ঠায় CSS স্টাইলশীটের ঐচ্ছিক URL +ThisIsTransactionId=এটি লেনদেনের আইডি: %s +PAYPAL_ADD_PAYMENT_URL=আপনি যখন ইমেলের মাধ্যমে একটি নথি পাঠান তখন পেপাল পেমেন্ট ইউআরএল অন্তর্ভুক্ত করুন +NewOnlinePaymentReceived=নতুন অনলাইন পেমেন্ট গৃহীত হয়েছে +NewOnlinePaymentFailed=নতুন অনলাইন পেমেন্ট চেষ্টা করা হয়েছে কিন্তু ব্যর্থ হয়েছে +ONLINE_PAYMENT_SENDEMAIL=প্রতিটি অর্থপ্রদানের প্রচেষ্টার পরে বিজ্ঞপ্তির জন্য ইমেল ঠিকানা (সাফল্য এবং ব্যর্থতার জন্য) +ReturnURLAfterPayment=অর্থ প্রদানের পরে URL রিটার্ন করুন +ValidationOfOnlinePaymentFailed=অনলাইন পেমেন্টের বৈধতা ব্যর্থ হয়েছে +PaymentSystemConfirmPaymentPageWasCalledButFailed=পেমেন্ট নিশ্চিতকরণ পৃষ্ঠা পেমেন্ট সিস্টেম দ্বারা কল করা হয়েছিল একটি ত্রুটি ফেরত +SetExpressCheckoutAPICallFailed=SetExpressCheckout API কল ব্যর্থ হয়েছে৷ +DoExpressCheckoutPaymentAPICallFailed=DoExpressCheckoutPayment API কল ব্যর্থ হয়েছে৷ +DetailedErrorMessage=বিস্তারিত ত্রুটি বার্তা +ShortErrorMessage=সংক্ষিপ্ত ত্রুটি বার্তা +ErrorCode=ভুল সংকেত +ErrorSeverityCode=ত্রুটি তীব্রতা কোড +OnlinePaymentSystem=অনলাইন পেমেন্ট সিস্টেম +PaypalLiveEnabled=পেপ্যাল "লাইভ" মোড সক্ষম (অন্যথায় পরীক্ষা/স্যান্ডবক্স মোড) +PaypalImportPayment=পেপ্যাল পেমেন্ট আমদানি করুন +PostActionAfterPayment=অর্থ প্রদানের পরে কর্ম পোস্ট করুন +ARollbackWasPerformedOnPostActions=সমস্ত পোস্ট অ্যাকশনে একটি রোলব্যাক সঞ্চালিত হয়েছিল। প্রয়োজন হলে আপনাকে অবশ্যই পোস্ট অ্যাকশনগুলি ম্যানুয়ালি সম্পূর্ণ করতে হবে। +ValidationOfPaymentFailed=অর্থপ্রদানের বৈধতা ব্যর্থ হয়েছে৷ +CardOwner=কার্ড হোল্ডার +PayPalBalance=পেপ্যাল ক্রেডিট +OnlineSubscriptionPaymentLine=অনলাইন সাবস্ক্রিপশন %s
      %s
      প্রাথমিক আইপি ঠিকানা: %s
      লেনদেন আইডি: ALL
      products and services! -MassBarcodeInit=Mass barcode init -MassBarcodeInitDesc=This page can be used to initialize a barcode on objects that does not have barcode defined. Check before that setup of module barcode is complete. -ProductAccountancyBuyCode=Accounting code (purchase) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) -ProductAccountancySellCode=Accounting code (sale) -ProductAccountancySellIntraCode=Accounting code (sale intra-Community) -ProductAccountancySellExportCode=Accounting code (sale export) +NewProduct=নতুন পণ্য +NewService=নতুন পরিষেবা +ProductVatMassChange=গ্লোবাল ভ্যাট আপডেট +ProductVatMassChangeDesc=এই টুলটি ALLতে সংজ্ঞায়িত ভ্যাট হার আপডেট করে class='notranslate'> পণ্য এবং পরিষেবা! +MassBarcodeInit=ভর বারকোড init +MassBarcodeInitDesc=এই পৃষ্ঠাটি এমন বস্তুগুলিতে একটি বারকোড শুরু করতে ব্যবহার করা যেতে পারে যেগুলিতে বারকোড সংজ্ঞায়িত নেই৷ মডিউল বারকোডের সেটআপ সম্পূর্ণ হওয়ার আগে পরীক্ষা করুন। +ProductAccountancyBuyCode=অ্যাকাউন্টিং কোড (ক্রয়) +ProductAccountancyBuyIntraCode=অ্যাকাউন্টিং কোড (আন্তঃ-সম্প্রদায় ক্রয়) +ProductAccountancyBuyExportCode=অ্যাকাউন্টিং কোড (ক্রয় আমদানি) +ProductAccountancySellCode=অ্যাকাউন্টিং কোড (বিক্রয়) +ProductAccountancySellIntraCode=অ্যাকাউন্টিং কোড (বিক্রয় ইন্ট্রা-কমিউনিটি) +ProductAccountancySellExportCode=অ্যাকাউন্টিং কোড (বিক্রয় রপ্তানি) ProductOrService=Product or Service -ProductsAndServices=Products and Services -ProductsOrServices=Products or Services -ProductsPipeServices=Products | Services -ProductsOnSale=Products for sale -ProductsOnPurchase=Products for purchase -ProductsOnSaleOnly=Products for sale only -ProductsOnPurchaseOnly=Products for purchase only -ProductsNotOnSell=Products not for sale and not for purchase -ProductsOnSellAndOnBuy=Products for sale and for purchase -ServicesOnSale=Services for sale -ServicesOnPurchase=Services for purchase -ServicesOnSaleOnly=Services for sale only -ServicesOnPurchaseOnly=Services for purchase only -ServicesNotOnSell=Services not for sale and not for purchase -ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s products/services which were modified -LastRecordedProducts=Latest %s recorded products -LastRecordedServices=Latest %s recorded services -CardProduct0=Product -CardProduct1=Service -Stock=Stock -MenuStocks=Stocks -Stocks=Stocks and location (warehouse) of products +ProductsAndServices=পণ্য এবং সেবা +ProductsOrServices=পণ্য বা পরিষেবা +ProductsPipeServices=পণ্য | সেবা +ProductsOnSale=বিক্রয়ের জন্য পণ্য +ProductsOnPurchase=ক্রয়ের জন্য পণ্য +ProductsOnSaleOnly=শুধুমাত্র বিক্রয়ের জন্য পণ্য +ProductsOnPurchaseOnly=শুধুমাত্র ক্রয়ের জন্য পণ্য +ProductsNotOnSell=পণ্য বিক্রয়ের জন্য নয় এবং ক্রয়ের জন্য নয় +ProductsOnSellAndOnBuy=বিক্রয় এবং ক্রয়ের জন্য পণ্য +ServicesOnSale=বিক্রয়ের জন্য সেবা +ServicesOnPurchase=ক্রয়ের জন্য পরিষেবা +ServicesOnSaleOnly=শুধুমাত্র বিক্রয়ের জন্য সেবা +ServicesOnPurchaseOnly=শুধুমাত্র ক্রয়ের জন্য পরিষেবা +ServicesNotOnSell=পরিষেবাগুলি বিক্রয়ের জন্য নয় এবং ক্রয়ের জন্য নয় +ServicesOnSellAndOnBuy=বিক্রয় এবং ক্রয়ের জন্য পরিষেবা +LastModifiedProductsAndServices=সর্বশেষ %s পণ্য/পরিষেবা যা পরিবর্তিত হয়েছে +LastRecordedProducts=সর্বশেষ %s রেকর্ড করা পণ্য +LastRecordedServices=সর্বশেষ %s রেকর্ড করা পরিষেবা +CardProduct0=পণ্য +CardProduct1=সেবা +Stock=স্টক +MenuStocks=স্টক +Stocks=পণ্যের স্টক এবং অবস্থান (গুদাম) Movements=Movements -Sell=Sell -Buy=Purchase -OnSell=For sale -OnBuy=For purchase -NotOnSell=Not for sale -ProductStatusOnSell=For sale -ProductStatusNotOnSell=Not for sale -ProductStatusOnSellShort=For sale -ProductStatusNotOnSellShort=Not for sale -ProductStatusOnBuy=For purchase -ProductStatusNotOnBuy=Not for purchase -ProductStatusOnBuyShort=For purchase -ProductStatusNotOnBuyShort=Not for purchase -UpdateVAT=Update vat -UpdateDefaultPrice=Update default price -UpdateLevelPrices=Update prices for each level -AppliedPricesFrom=Applied from -SellingPrice=Selling price -SellingPriceHT=Selling price (excl. tax) -SellingPriceTTC=Selling price (inc. tax) -SellingMinPriceTTC=Minimum Selling price (inc. tax) -CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. -CostPriceUsage=This value could be used for margin calculation. -ManufacturingPrice=Manufacturing price -SoldAmount=Sold amount -PurchasedAmount=Purchased amount -NewPrice=New price -MinPrice=Min. selling price -EditSellingPriceLabel=Edit selling price label -CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. +Sell=বিক্রয় +Buy=ক্রয় +OnSell=বিক্রির জন্য +OnBuy=কেনার জন্য +NotOnSell=বিক্রির জন্য নহে +ProductStatusOnSell=বিক্রির জন্য +ProductStatusNotOnSell=বিক্রির জন্য নহে +ProductStatusOnSellShort=বিক্রির জন্য +ProductStatusNotOnSellShort=বিক্রির জন্য নহে +ProductStatusOnBuy=কেনার জন্য +ProductStatusNotOnBuy=কেনার জন্য নয় +ProductStatusOnBuyShort=কেনার জন্য +ProductStatusNotOnBuyShort=কেনার জন্য নয় +UpdateVAT=ভ্যাট আপডেট করুন +UpdateDefaultPrice=ডিফল্ট মূল্য আপডেট করুন +UpdateLevelPrices=প্রতিটি স্তরের জন্য দাম আপডেট করুন +AppliedPricesFrom=থেকে আবেদন করা হয়েছে +SellingPrice=বিক্রয় মূল্য +SellingPriceHT=বিক্রয় মূল্য (ট্যাক্স বাদে) +SellingPriceTTC=বিক্রয় মূল্য (কর সহ) +SellingMinPriceTTC=ন্যূনতম বিক্রয় মূল্য (inc. ট্যাক্স) +CostPriceDescription=এই মূল্য ক্ষেত্র (ট্যাক্স বাদে) এই পণ্যটি আপনার কোম্পানির জন্য খরচের গড় পরিমাণ ক্যাপচার করতে ব্যবহার করা যেতে পারে। এটি আপনার নিজের গণনা করা যেকোনো মূল্য হতে পারে, উদাহরণস্বরূপ, গড় ক্রয় মূল্য এবং গড় উৎপাদন এবং বিতরণ খরচ থেকে। +CostPriceUsage=এই মানটি মার্জিন গণনার জন্য ব্যবহার করা যেতে পারে। +ManufacturingPrice=উত্পাদন মূল্য +SoldAmount=বিক্রির পরিমাণ +PurchasedAmount=কেনা পরিমাণ +NewPrice=নতুন মূল্য +MinPrice=মিন. বিক্রয় মূল্য +MinPriceHT=মিন. বিক্রয় মূল্য (ট্যাক্স বাদে) +MinPriceTTC=মিন. বিক্রয় মূল্য (কর সহ) +EditSellingPriceLabel=বিক্রয় মূল্য লেবেল সম্পাদনা করুন +CantBeLessThanMinPrice=বিক্রয় মূল্য এই পণ্যের জন্য অনুমোদিত সর্বনিম্ন থেকে কম হতে পারে না (%s ট্যাক্স ছাড়া)। আপনি একটি উল্লেখযোগ্য ছাড় টাইপ করলে এই বার্তাটিও উপস্থিত হতে পারে। +CantBeLessThanMinPriceInclTax=বিক্রয় মূল্য এই পণ্যের জন্য অনুমোদিত সর্বনিম্ন থেকে কম হতে পারে না (%s ট্যাক্স সহ)। আপনি যদি খুব গুরুত্বপূর্ণ ডিসকাউন্ট টাইপ করেন তবে এই বার্তাটিও উপস্থিত হতে পারে। ContractStatusClosed=Closed -ErrorProductAlreadyExists=A product with reference %s already exists. -ErrorProductBadRefOrLabel=Wrong value for reference or label. -ErrorProductClone=There was a problem while trying to clone the product or service. -ErrorPriceCantBeLowerThanMinPrice=Error, price can't be lower than minimum price. -Suppliers=Vendors -SupplierRef=Vendor SKU -ShowProduct=Show product -ShowService=Show service -ProductsAndServicesArea=Product and Services area -ProductsArea=Product area -ServicesArea=Services area -ListOfStockMovements=List of stock movements -BuyingPrice=Buying price -PriceForEachProduct=Products with specific prices -SupplierCard=Vendor card -PriceRemoved=Price removed -BarCode=Barcode -BarcodeType=Barcode type -SetDefaultBarcodeType=Set barcode type -BarcodeValue=Barcode value -NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) -ServiceLimitedDuration=If product is a service with limited duration: -FillWithLastServiceDates=Fill with last service line dates -MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) -MultiPricesNumPrices=Number of prices -DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices -AssociatedProductsAbility=Enable Kits (set of several products) -VariantsAbility=Enable Variants (variations of products, for example color, size) -AssociatedProducts=Kits -AssociatedProductsNumber=Number of products composing this kit -ParentProductsNumber=Number of parent packaging product -ParentProducts=Parent products -IfZeroItIsNotAVirtualProduct=If 0, this product is not a kit -IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit -KeywordFilter=Keyword filter -CategoryFilter=Category filter -ProductToAddSearch=Search product to add -NoMatchFound=No match found -ListOfProductsServices=List of products/services -ProductAssociationList=List of products/services that are component(s) of this kit -ProductParentList=List of kits with this product as a component -ErrorAssociationIsFatherOfThis=One of selected product is parent with current product -DeleteProduct=Delete a product/service -ConfirmDeleteProduct=Are you sure you want to delete this product/service? -ProductDeleted=Product/Service "%s" deleted from database. -ExportDataset_produit_1=Products -ExportDataset_service_1=Services -ImportDataset_produit_1=Products -ImportDataset_service_1=Services -DeleteProductLine=Delete product line -ConfirmDeleteProductLine=Are you sure you want to delete this product line? -ProductSpecial=Special -QtyMin=Min. purchase quantity -PriceQtyMin=Price quantity min. -PriceQtyMinCurrency=Price (currency) for this qty. (no discount) -VATRateForSupplierProduct=VAT Rate (for this vendor/product) -DiscountQtyMin=Discount for this qty. -NoPriceDefinedForThisSupplier=No price/qty defined for this vendor/product -NoSupplierPriceDefinedForThisProduct=No vendor price/qty defined for this product -PredefinedItem=Predefined item -PredefinedProductsToSell=Predefined Product -PredefinedServicesToSell=Predefined Service -PredefinedProductsAndServicesToSell=Predefined products/services to sell -PredefinedProductsToPurchase=Predefined product to purchase -PredefinedServicesToPurchase=Predefined services to purchase -PredefinedProductsAndServicesToPurchase=Predefined products/services to purchase -NotPredefinedProducts=Not predefined products/services -GenerateThumb=Generate thumb -ServiceNb=Service #%s -ListProductServiceByPopularity=List of products/services by popularity -ListProductByPopularity=List of products by popularity -ListServiceByPopularity=List of services by popularity -Finished=Manufactured product -RowMaterial=Raw Material -ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of the product/service -ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone linked tags/categories -CloneCompositionProduct=Clone virtual products/services -CloneCombinationsProduct=Clone the product variants -ProductIsUsed=This product is used -NewRefForClone=Ref. of new product/service -SellingPrices=Selling prices -BuyingPrices=Buying prices -CustomerPrices=Customer prices -SuppliersPrices=Vendor prices -SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) -CustomCode=Customs|Commodity|HS code -CountryOrigin=Country of origin -RegionStateOrigin=Region of origin -StateOrigin=State|Province of origin -Nature=Nature of product (raw/manufactured) -NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or manufactured product -ShortLabel=Short label -Unit=Unit -p=u. -set=set -se=set -second=second +ErrorProductAlreadyExists=%s রেফারেন্স সহ একটি পণ্য ইতিমধ্যেই বিদ্যমান। +ErrorProductBadRefOrLabel=রেফারেন্স বা লেবেলের জন্য ভুল মান। +ErrorProductClone=পণ্য বা পরিষেবা ক্লোন করার চেষ্টা করার সময় একটি সমস্যা হয়েছে৷ +ErrorPriceCantBeLowerThanMinPrice=ত্রুটি, মূল্য সর্বনিম্ন মূল্যের চেয়ে কম হতে পারে না৷ +Suppliers=বিক্রেতারা +SupplierRef=বিক্রেতা SKU +ShowProduct=পণ্য দেখান +ShowService=সেবা দেখান +ProductsAndServicesArea=পণ্য এবং পরিষেবা এলাকা +ProductsArea=পণ্য এলাকা +ServicesArea=পরিষেবা এলাকা +ListOfStockMovements=স্টক আন্দোলনের তালিকা +BuyingPrice=ক্রয় মূল্য +PriceForEachProduct=নির্দিষ্ট দাম সহ পণ্য +SupplierCard=বিক্রেতা কার্ড +PriceRemoved=মূল্য সরানো হয়েছে +BarCode=বারকোড +BarcodeType=বারকোড টাইপ +SetDefaultBarcodeType=বারকোড টাইপ সেট করুন +BarcodeValue=বারকোড মান +NoteNotVisibleOnBill=নোট (চালান, প্রস্তাবে দৃশ্যমান নয়...) +ServiceLimitedDuration=যদি পণ্যটি সীমিত সময়ের সাথে একটি পরিষেবা হয়: +FillWithLastServiceDates=শেষ পরিষেবা লাইনের তারিখগুলি পূরণ করুন +MultiPricesAbility=পণ্য/পরিষেবা প্রতি একাধিক মূল্য বিভাগ (প্রতিটি গ্রাহক একটি মূল্য বিভাগে) +MultiPricesNumPrices=দামের সংখ্যা +DefaultPriceType=নতুন বিক্রয় মূল্য যোগ করার সময় প্রতি ডিফল্ট মূল্যের ভিত্তি (কর ছাড়াই) +AssociatedProductsAbility=কিটস সক্ষম করুন (বেশ কয়েকটি পণ্যের সেট) +VariantsAbility=বৈকল্পিক সক্ষম করুন (পণ্যের বৈচিত্র, উদাহরণস্বরূপ রঙ, আকার) +AssociatedProducts=কিটস +AssociatedProductsNumber=এই কিট রচনা পণ্য সংখ্যা +ParentProductsNumber=মূল প্যাকেজিং পণ্যের সংখ্যা +ParentProducts=অভিভাবক পণ্য +IfZeroItIsNotAVirtualProduct=যদি 0, এই পণ্য একটি কিট নয় +IfZeroItIsNotUsedByVirtualProduct=যদি 0, এই পণ্যটি কোন কিট দ্বারা ব্যবহার করা হয় না +KeywordFilter=কীওয়ার্ড ফিল্টার +CategoryFilter=বিভাগ ফিল্টার +ProductToAddSearch=যোগ করার জন্য পণ্য অনুসন্ধান করুন +NoMatchFound=পাওয়া যায়নি +ListOfProductsServices=পণ্য/পরিষেবার তালিকা +ProductAssociationList=পণ্য/পরিষেবাগুলির তালিকা যা এই কিটের উপাদান(গুলি) +ProductParentList=একটি উপাদান হিসাবে এই পণ্য সঙ্গে কিট তালিকা +ErrorAssociationIsFatherOfThis=নির্বাচিত পণ্যগুলির মধ্যে একটি হল বর্তমান পণ্যের অভিভাবক৷ +DeleteProduct=একটি পণ্য/পরিষেবা মুছুন +ConfirmDeleteProduct=আপনি কি এই পণ্য/পরিষেবা মুছে ফেলার বিষয়ে নিশ্চিত? +ProductDeleted=পণ্য/পরিষেবা "%s" ডাটাবেস থেকে মুছে ফেলা হয়েছে৷ +ExportDataset_produit_1=পণ্য +ExportDataset_service_1=সেবা +ImportDataset_produit_1=পণ্য +ImportDataset_service_1=সেবা +DeleteProductLine=পণ্য লাইন মুছুন +ConfirmDeleteProductLine=আপনি কি এই পণ্য লাইন মুছে ফেলার বিষয়ে নিশ্চিত? +ProductSpecial=বিশেষ +QtyMin=মিন. ক্রয় পরিমাণ +PriceQtyMin=দামের পরিমাণ ন্যূনতম। +PriceQtyMinCurrency=এই পরিমাণের জন্য মূল্য (মুদ্রা)। +WithoutDiscount=ছাড় ছাড়াই +VATRateForSupplierProduct=ভ্যাট হার (এই বিক্রেতা/পণ্যের জন্য) +DiscountQtyMin=এই পরিমাণের জন্য ছাড়। +NoPriceDefinedForThisSupplier=এই বিক্রেতা/পণ্যের জন্য কোন মূল্য/পরিমাণ সংজ্ঞায়িত করা হয়নি +NoSupplierPriceDefinedForThisProduct=এই পণ্যের জন্য কোন বিক্রেতার মূল্য/পরিমাণ সংজ্ঞায়িত করা হয়নি +PredefinedItem=পূর্বনির্ধারিত আইটেম +PredefinedProductsToSell=পূর্বনির্ধারিত পণ্য +PredefinedServicesToSell=পূর্বনির্ধারিত পরিষেবা +PredefinedProductsAndServicesToSell=বিক্রির জন্য পূর্বনির্ধারিত পণ্য/পরিষেবা +PredefinedProductsToPurchase=ক্রয় করার জন্য পূর্বনির্ধারিত পণ্য +PredefinedServicesToPurchase=ক্রয় করার জন্য পূর্বনির্ধারিত পরিষেবা +PredefinedProductsAndServicesToPurchase=ক্রয় করার জন্য পূর্বনির্ধারিত পণ্য/পরিষেবা +NotPredefinedProducts=পূর্বনির্ধারিত পণ্য/পরিষেবা নয় +GenerateThumb=থাম্ব তৈরি করুন +ServiceNb=পরিষেবা #%s +ListProductServiceByPopularity=জনপ্রিয়তা অনুসারে পণ্য/পরিষেবার তালিকা +ListProductByPopularity=জনপ্রিয়তা অনুসারে পণ্যের তালিকা +ListServiceByPopularity=জনপ্রিয়তার ভিত্তিতে পরিষেবার তালিকা +Finished=উৎপাদিত পণ্য +RowMaterial=কাঁচামাল +ConfirmCloneProduct=আপনি কি পণ্য বা পরিষেবা %s ক্লোন করার বিষয়ে নিশ্চিত? +CloneContentProduct=পণ্য/পরিষেবার সমস্ত প্রধান তথ্য ক্লোন করুন +ClonePricesProduct=ক্লোনের দাম +CloneCategoriesProduct=লিঙ্কযুক্ত ট্যাগ/বিভাগ ক্লোন করুন +CloneCompositionProduct=ভার্চুয়াল পণ্য/পরিষেবা ক্লোন করুন +CloneCombinationsProduct=পণ্য বৈকল্পিক ক্লোন +ProductIsUsed=এই পণ্য ব্যবহার করা হয় +NewRefForClone=রেফ. নতুন পণ্য/পরিষেবার +SellingPrices=দাম বিক্রি +BuyingPrices=দাম ক্রয় +CustomerPrices=গ্রাহকের দাম +SuppliersPrices=বিক্রেতার দাম +SuppliersPricesOfProductsOrServices=বিক্রেতার মূল্য (পণ্য বা পরিষেবার) +CustomCode=কাস্টমস|কমোডিটি|এইচএস কোড +CountryOrigin=মাত্রিভূমি +RegionStateOrigin=উৎপত্তি অঞ্চল +StateOrigin=রাজ্য|উৎপত্তির প্রদেশ +Nature=পণ্যের প্রকৃতি (কাঁচা/উৎপাদিত) +NatureOfProductShort=পণ্যের প্রকৃতি +NatureOfProductDesc=কাঁচামাল বা উৎপাদিত পণ্য +ShortLabel=সংক্ষিপ্ত লেবেল +Unit=ইউনিট +p=u +set=সেট +se=সেট +second=দ্বিতীয় s=s -hour=hour -h=h -day=day +hour=ঘন্টা +h=জ +day=দিন d=d -kilogram=kilogram -kg=Kg -gram=gram +kilogram=কিলোগ্রাম +kg=কেজি +gram=গ্রাম g=g -meter=meter -m=m +meter=মিটার +m=মি lm=lm m2=m² m3=m³ -liter=liter -l=L -unitP=Piece -unitSET=Set -unitS=Second -unitH=Hour -unitD=Day -unitG=Gram -unitM=Meter -unitLM=Linear meter -unitM2=Square meter -unitM3=Cubic meter -unitL=Liter -unitT=ton -unitKG=kg -unitG=Gram -unitMG=mg -unitLB=pound -unitOZ=ounce -unitM=Meter +liter=লিটার +l=এল +unitP=টুকরা +unitSET=সেট +unitS=দ্বিতীয় +unitH=ঘন্টা +unitD=দিন +unitG=ছোলা +unitM=মিটার +unitLM=রৈখিক মিটার +unitM2=বর্গ মিটার +unitM3=ঘন মিটার +unitL=লিটার +unitT=টন +unitKG=কেজি +unitG=ছোলা +unitMG=মিলিগ্রাম +unitLB=পাউন্ড +unitOZ=আউন্স +unitM=মিটার unitDM=dm -unitCM=cm -unitMM=mm -unitFT=ft -unitIN=in -unitM2=Square meter +unitCM=সেমি +unitMM=মিমি +unitFT=ফুট +unitIN=ভিতরে +unitM2=বর্গ মিটার unitDM2=dm² unitCM2=cm² -unitMM2=mm² +unitMM2=মিমি² unitFT2=ft² -unitIN2=in² -unitM3=Cubic meter +unitIN2=² মধ্যে +unitM3=ঘন মিটার unitDM3=dm³ unitCM3=cm³ unitMM3=mm³ unitFT3=ft³ unitIN3=in³ -unitOZ3=ounce -unitgallon=gallon -ProductCodeModel=Product ref template -ServiceCodeModel=Service ref template -CurrentProductPrice=Current price -AlwaysUseNewPrice=Always use current price of product/service -AlwaysUseFixedPrice=Use the fixed price -PriceByQuantity=Different prices by quantity -DisablePriceByQty=Disable prices by quantity -PriceByQuantityRange=Quantity range -MultipriceRules=Automatic prices for segment -UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment -PercentVariationOver=%% variation over %s -PercentDiscountOver=%% discount over %s -KeepEmptyForAutoCalculation=Keep empty to have this calculated automatically from weight or volume of products -VariantRefExample=Examples: COL, SIZE -VariantLabelExample=Examples: Color, Size +unitOZ3=আউন্স +unitgallon=গ্যালন +ProductCodeModel=পণ্য রেফ টেমপ্লেট +ServiceCodeModel=পরিষেবা রেফ টেমপ্লেট +CurrentProductPrice=বর্তমান মূল্য +AlwaysUseNewPrice=সর্বদা পণ্য/পরিষেবার বর্তমান মূল্য ব্যবহার করুন +AlwaysUseFixedPrice=নির্ধারিত মূল্য ব্যবহার করুন +PriceByQuantity=পরিমাণ অনুযায়ী বিভিন্ন দাম +DisablePriceByQty=পরিমাণ দ্বারা মূল্য নিষ্ক্রিয় +PriceByQuantityRange=পরিমাণ পরিসীমা +MultipriceRules=সেগমেন্টের জন্য স্বয়ংক্রিয় দাম +UseMultipriceRules=প্রথম সেগমেন্ট অনুযায়ী অন্য সব সেগমেন্টের দাম স্বয়ংক্রিয়ভাবে গণনা করতে মূল্য বিভাগের নিয়ম (পণ্য মডিউল সেটআপে সংজ্ঞায়িত) ব্যবহার করুন +PercentVariationOver=%% বৈচিত্র্য %s +PercentDiscountOver=%% %s এর উপরে ছাড় +KeepEmptyForAutoCalculation=পণ্যের ওজন বা ভলিউম থেকে এটি স্বয়ংক্রিয়ভাবে গণনা করার জন্য খালি রাখুন +VariantRefExample=উদাহরণ: COL, SIZE +VariantLabelExample=উদাহরণ: রঙ, আকার ### composition fabrication -Build=Produce -ProductsMultiPrice=Products and prices for each price segment -ProductsOrServiceMultiPrice=Customer prices (of products or services, multi-prices) -ProductSellByQuarterHT=Products turnover quarterly before tax -ServiceSellByQuarterHT=Services turnover quarterly before tax -Quarter1=1st. Quarter -Quarter2=2nd. Quarter -Quarter3=3rd. Quarter -Quarter4=4th. Quarter -BarCodePrintsheet=Print barcode -PageToGenerateBarCodeSheets=With this tool, you can print sheets of barcode stickers. Choose format of your sticker page, type of barcode and value of barcode, then click on button %s. -NumberOfStickers=Number of stickers to print on page -PrintsheetForOneBarCode=Print several stickers for one barcode -BuildPageToPrint=Generate page to print -FillBarCodeTypeAndValueManually=Fill barcode type and value manually. -FillBarCodeTypeAndValueFromProduct=Fill barcode type and value from barcode of a product. -FillBarCodeTypeAndValueFromThirdParty=Fill barcode type and value from barcode of a third party. -DefinitionOfBarCodeForProductNotComplete=Definition of type or value of barcode not complete for product %s. -DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of barcode non complete for third party %s. -BarCodeDataForProduct=Barcode information of product %s: -BarCodeDataForThirdparty=Barcode information of third party %s: -ResetBarcodeForAllRecords=Define barcode value for all record (this will also reset barcode value already defined with new values) -PriceByCustomer=Different prices for each customer -PriceCatalogue=A single sell price per product/service -PricingRule=Rules for selling prices -AddCustomerPrice=Add price by customer -ForceUpdateChildPriceSoc=Set same price on customer's subsidiaries -PriceByCustomerLog=Log of previous customer prices -MinimumPriceLimit=Minimum price can't be lower then %s -MinimumRecommendedPrice=Minimum recommended price is: %s -PriceExpressionEditor=Price expression editor -PriceExpressionSelected=Selected price expression -PriceExpressionEditorHelp1="price = 2 + 2" or "2 + 2" for setting the price. Use ; to separate expressions -PriceExpressionEditorHelp2=You can access ExtraFields with variables like #extrafield_myextrafieldkey# and global variables with #global_mycode# -PriceExpressionEditorHelp3=In both product/service and vendor prices there are these variables available:
      #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# -PriceExpressionEditorHelp4=In product/service price only: #supplier_min_price#
      In vendor prices only: #supplier_quantity# and #supplier_tva_tx# -PriceExpressionEditorHelp5=Available global values: -PriceMode=Price mode +Build=উৎপাদন করা +ProductsMultiPrice=প্রতিটি মূল্য বিভাগের জন্য পণ্য এবং মূল্য +ProductsOrServiceMultiPrice=গ্রাহকের দাম (পণ্য বা পরিষেবার, বহু-মূল্য) +ProductSellByQuarterHT=ট্যাক্সের আগে ত্রৈমাসিক পণ্য টার্নওভার +ServiceSellByQuarterHT=ট্যাক্সের আগে ত্রৈমাসিক পরিষেবার টার্নওভার +Quarter1=১ম। কোয়ার্টার +Quarter2=২য়। কোয়ার্টার +Quarter3=৩য়। কোয়ার্টার +Quarter4=৪র্থ। কোয়ার্টার +BarCodePrintsheet=বারকোড প্রিন্ট করুন +PageToGenerateBarCodeSheets=এই টুলের সাহায্যে, আপনি বারকোড স্টিকারের শীট মুদ্রণ করতে পারেন। আপনার স্টিকার পৃষ্ঠার বিন্যাস, বারকোডের ধরন এবং বারকোডের মান চয়ন করুন, তারপর বোতামে ক্লিক করুন %s. +NumberOfStickers=পৃষ্ঠায় প্রিন্ট করার জন্য স্টিকারের সংখ্যা +PrintsheetForOneBarCode=একটি বারকোডের জন্য একাধিক স্টিকার প্রিন্ট করুন +BuildPageToPrint=প্রিন্ট করতে পৃষ্ঠা তৈরি করুন +FillBarCodeTypeAndValueManually=বারকোডের ধরন এবং মান ম্যানুয়ালি পূরণ করুন। +FillBarCodeTypeAndValueFromProduct=একটি পণ্যের বারকোড থেকে বারকোডের ধরন এবং মান পূরণ করুন। +FillBarCodeTypeAndValueFromThirdParty=তৃতীয় পক্ষের বারকোড থেকে বারকোডের ধরন এবং মান পূরণ করুন। +DefinitionOfBarCodeForProductNotComplete=%s পণ্যের জন্য বারকোডের ধরন বা মানের সংজ্ঞা সম্পূর্ণ নয়। +DefinitionOfBarCodeForThirdpartyNotComplete=থার্ড পার্টি %s-এর জন্য বারকোডের ধরন বা মানের সংজ্ঞা সম্পূর্ণ নয়। +BarCodeDataForProduct=পণ্যের বারকোড তথ্য %s: +BarCodeDataForThirdparty=তৃতীয় পক্ষের বারকোড তথ্য %s: +ResetBarcodeForAllRecords=সমস্ত রেকর্ডের জন্য বারকোড মান নির্ধারণ করুন (এটি নতুন মানগুলির সাথে ইতিমধ্যে সংজ্ঞায়িত বারকোড মানও পুনরায় সেট করবে) +PriceByCustomer=প্রতিটি গ্রাহকের জন্য বিভিন্ন মূল্য +PriceCatalogue=পণ্য/পরিষেবা প্রতি একক বিক্রয় মূল্য +PricingRule=দাম বিক্রির নিয়ম +AddCustomerPrice=গ্রাহক দ্বারা মূল্য যোগ করুন +ForceUpdateChildPriceSoc=গ্রাহকের সাবসিডিয়ারিগুলিতে একই মূল্য সেট করুন +PriceByCustomerLog=পূর্ববর্তী গ্রাহক মূল্য লগ +MinimumPriceLimit=সর্বনিম্ন মূল্য %s এর চেয়ে কম হতে পারে না +MinimumRecommendedPrice=ন্যূনতম প্রস্তাবিত মূল্য হল: %s +PriceExpressionEditor=মূল্য প্রকাশ সম্পাদক +PriceExpressionSelected=নির্বাচিত মূল্য অভিব্যক্তি +PriceExpressionEditorHelp1=মূল্য নির্ধারণের জন্য "মূল্য = 2 + 2" বা "2 + 2"। ব্যবহার; অভিব্যক্তি পৃথক করতে +PriceExpressionEditorHelp2=আপনি #extrafield_myextrafieldkey# এর মত ভেরিয়েবলের সাথে এক্সট্রাফিল্ড এবং
      '। +RequestedPageHasNoContentYet=আইডি %s সহ অনুরোধ করা পৃষ্ঠাটিতে এখনও কোনও সামগ্রী নেই, বা ক্যাশে ফাইল .tpl.php সরানো হয়েছে৷ এটি সমাধান করতে পৃষ্ঠার বিষয়বস্তু সম্পাদনা করুন। +SiteDeleted=ওয়েব সাইট '%s' মুছে ফেলা হয়েছে +PageContent=পৃষ্ঠা/কন্টেয়ার +PageDeleted=%s ওয়েবসাইটের পৃষ্ঠা/কন্টেনার '%s' মুছে ফেলা হয়েছে +PageAdded=পৃষ্ঠা/কন্টেনার '%s' যোগ করা হয়েছে +ViewSiteInNewTab=নতুন ট্যাবে সাইট দেখুন +ViewPageInNewTab=নতুন ট্যাবে পৃষ্ঠা দেখুন +SetAsHomePage=হোম পেজ সেট কর +RealURL=বাস্তব URL +ViewWebsiteInProduction=হোম URL ব্যবহার করে ওয়েব সাইট দেখুন +Virtualhost=ভার্চুয়াল হোস্ট বা ডোমেইন নাম +VirtualhostDesc=ভার্চুয়াল হোস্ট বা ডোমেনের নাম (উদাহরণস্বরূপ: www.mywebsite.com, mybigcompany.net, ...) +SetHereVirtualHost=Apache/NGinx এর সাথে ব্যবহার করুন/...
      এ তৈরি করুন আপনার ওয়েব সার্ভার (Apache, Nginx, ...) PHP সক্ষম সহ একটি ডেডিকেটেড ভার্চুয়াল হোস্ট এবং একটি রুট ডিরেক্টরি
      %s +ExampleToUseInApacheVirtualHostConfig=Apache ভার্চুয়াল হোস্ট সেটআপে ব্যবহার করার উদাহরণ: +YouCanAlsoTestWithPHPS=PHP এম্বেডেড সার্ভারের সাথে ব্যবহার করুন
      উন্নত পরিবেশে, আপনি করতে পারেন
      php -S 0.0.0.0 চালিয়ে PHP এমবেডেড ওয়েব সার্ভার (PHP 5.5 প্রয়োজনীয়) দিয়ে সাইটটি পরীক্ষা করতে পছন্দ করুন :8080 -t %s +YouCanAlsoDeployToAnotherWHP=অন্য Dolibarr হোস্টিং প্রদানকারীর সাথে আপনার ওয়েব সাইট চালান
      ইন্টারনেটে Apache বা NGinx-এর মতো কোনো ওয়েব সার্ভার উপলব্ধ নেই, আপনি আপনার ওয়েব সাইটটিকে অন্য Dolibarr হোস্টিং প্রদানকারী দ্বারা প্রদত্ত অন্য Dolibarr উদাহরণে রপ্তানি এবং আমদানি করতে পারেন যা ওয়েবসাইট মডিউলের সাথে সম্পূর্ণ একীকরণ প্রদান করে। আপনি https://saas.dolibarr.org-এ কিছু Dolibarr হোস্টিং প্রদানকারীর একটি তালিকা পেতে পারেন +CheckVirtualHostPerms=ভার্চুয়াল হোস্ট ব্যবহারকারীর (উদাহরণস্বরূপ www-ডেটা) %sb0a65d071f6fcz9 আছে কিনা পরীক্ষা করুন ফাইলগুলিতে
      %s +ReadPerm=পড়ুন +WritePerm=লিখুন +TestDeployOnWeb=ওয়েবে পরীক্ষা/নিয়োগ করুন +PreviewSiteServedByWebServer=একটি নতুন ট্যাবে %s পূর্বরূপ দেখুন।

      %s একটি বহিরাগত ওয়েব সার্ভার (যেমন Apache, NginxIS, Nginx) দ্বারা পরিবেশিত হবে ) ডিরেক্টরিতে নির্দেশ করার আগে আপনাকে অবশ্যই এই সার্ভারটি ইনস্টল এবং সেটআপ করতে হবে:
      %s span>
      বাহ্যিক সার্ভার দ্বারা পরিবেশিত URL:
      %s +PreviewSiteServedByDolibarr=একটি নতুন ট্যাবে %s পূর্বরূপ দেখুন।

      %s Dolibarr সার্ভার দ্বারা পরিবেশন করা হবে তাই এটির কোনো অতিরিক্ত ওয়েব সার্ভারের প্রয়োজন নেই (যেমন Apache, Nginx, IIS) ইনস্টল করতে হবে।
      অসুবিধে হল যে পৃষ্ঠাগুলির URLগুলি ব্যবহারকারী বান্ধব নয় এবং আপনার Dolibarr এর পথ দিয়ে শুরু হয়৷


      এতে আপনার নিজস্ব বাহ্যিক ওয়েব সার্ভার ব্যবহার করতে এই ওয়েব সাইটটি পরিবেশন করুন, আপনার ওয়েব সার্ভারে একটি ভার্চুয়াল হোস্ট তৈরি করুন যা নির্দেশিকা নির্দেশ করে
      %s
      তারপর এই ওয়েবসাইটের বৈশিষ্ট্যগুলিতে এই ভার্চুয়াল সার্ভারের নাম লিখুন এবং ক্লিক করুন লিঙ্ক "টেস্ট/ডেপ্লয় অন ওয়েব"। +VirtualHostUrlNotDefined=বহিরাগত ওয়েব সার্ভার দ্বারা পরিবেশিত ভার্চুয়াল হোস্টের URL সংজ্ঞায়িত করা হয়নি +NoPageYet=এখনো কোনো পৃষ্ঠা নেই +YouCanCreatePageOrImportTemplate=আপনি একটি নতুন পৃষ্ঠা তৈরি করতে পারেন বা একটি সম্পূর্ণ ওয়েবসাইট টেমপ্লেট আমদানি করতে পারেন৷ +SyntaxHelp=নির্দিষ্ট সিনট্যাক্স টিপস সাহায্য +YouCanEditHtmlSourceckeditor=আপনি সম্পাদকের "উৎস" বোতাম ব্যবহার করে HTML সোর্স কোড সম্পাদনা করতে পারেন। +YouCanEditHtmlSource=
      আপনি ট্যাগ ব্যবহার করে এই উত্সে PHP কোড অন্তর্ভুক্ত করতে পারেন span class='notranslate'><?php ?> নিম্নলিখিত গ্লোবাল ভেরিয়েবলগুলি উপলব্ধ: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs।

      আপনি নিম্নলিখিত সিনট্যাক্স সহ অন্য পৃষ্ঠা/কন্টেইনারের সামগ্রীও অন্তর্ভুক্ত করতে পারেন:
      <?php includeContainer('alias_of'_include); ?>
      b0341ccb0341 /span> আপনি নিম্নলিখিত সিনট্যাক্স সহ অন্য পৃষ্ঠা/কন্টেইনারে একটি পুনঃনির্দেশ করতে পারেন (দ্রষ্টব্য: কোনো আউটপুট করবেন না পুনঃনির্দেশের আগে সামগ্রী):
      <?php redirect('noCtain) alias_of_container_to_redirect_to'); ?>
      b0341ccb0341 /span> অন্য পৃষ্ঠায় একটি লিঙ্ক যোগ করতে, সিনট্যাক্স ব্যবহার করুন:
      <a href="alias_of_page_to_link_to.php"b0012c807dcbe >mylink<a>

      এ অন্তর্ভুক্ত করার জন্য ='notranslate'>
      ডাউনলোড করার লিঙ্ক দস্তাবেজগুলিতে সংরক্ষিত একটি ফাইল notranslate'>
      ডিরেক্টরি ব্যবহার করুন, document.php class'=translate' wrapper:
      উদাহরণ, নথিতে একটি ফাইলের জন্য/ecm (লগ করা প্রয়োজন), সিনট্যাক্স হল:
      ><a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext"> class='notranslate'>
      দস্তাবেজ/মিডিয়াতে একটি ফাইলের জন্য (সর্বজনীন অ্যাক্সেসের জন্য খোলা ডিরেক্টরি), সিনট্যাক্স হল:
      <a href="/document.php?modulepart=medias&file=[relative_dname. ext">
      শেয়ার লিঙ্কের সাথে শেয়ার করা ফাইলের জন্য ( ফাইলের শেয়ারিং হ্যাশ কী ব্যবহার করে খোলা অ্যাক্সেস), সিনট্যাক্স হল:
      < /span>a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      একটি অন্তর্ভুক্ত করতে ছবি দস্তাবেজগুলি সংরক্ষিত , viewimage.php র‍্যাপার ব্যবহার করুন।b0342fccfda19bzamp>এর জন্য, নথি/মিডিয়াতে একটি চিত্র (সর্বজনীন অ্যাক্সেসের জন্য খোলা ডিরেক্টরি), সিনট্যাক্স হল:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext"b00dc78
      +YouCanEditHtmlSource2=একটি শেয়ার লিঙ্কের সাথে শেয়ার করা একটি ছবির জন্য (ফাইলের শেয়ারিং হ্যাশ কী ব্যবহার করে খোলা অ্যাক্সেস), সিনট্যাক্স হল:
      <img src="/viewimage.php?hashp=12345679012...">016f7f7f7012
      +YouCanEditHtmlSource3=একটি PHP বস্তুর ছবির URL পেতে,
      < ব্যবহার করুন span>img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?> class='notranslate'>>
      +YouCanEditHtmlSourceMore=
      এইচটিএমএল বা ডায়নামিক কোডের আরও উদাহরণ উইকি ডকুমেন্টেশনb0e40dc6587এ উপলব্ধ >।
      +ClonePage=ক্লোন পৃষ্ঠা/ধারক +CloneSite=ক্লোন সাইট +SiteAdded=ওয়েবসাইট যোগ করা হয়েছে +ConfirmClonePage=অনুগ্রহ করে নতুন পৃষ্ঠার কোড/উনাম লিখুন এবং যদি এটি ক্লোন করা পৃষ্ঠার অনুবাদ হয়। +PageIsANewTranslation=নতুন পাতা কি বর্তমান পাতার অনুবাদ? +LanguageMustNotBeSameThanClonedPage=আপনি অনুবাদ হিসাবে একটি পৃষ্ঠা ক্লোন করেন। নতুন পৃষ্ঠার ভাষা উৎস পৃষ্ঠার ভাষার থেকে আলাদা হতে হবে। +ParentPageId=মূল পৃষ্ঠা আইডি +WebsiteId=ওয়েবসাইট আইডি +CreateByFetchingExternalPage=বাহ্যিক URL থেকে পৃষ্ঠা নিয়ে পৃষ্ঠা/কন্টেইনার তৈরি করুন... +OrEnterPageInfoManually=অথবা স্ক্র্যাচ থেকে বা একটি পৃষ্ঠা টেমপ্লেট থেকে পৃষ্ঠা তৈরি করুন... +FetchAndCreate=আনুন এবং তৈরি করুন +ExportSite=রপ্তানি ওয়েবসাইট +ImportSite=ওয়েবসাইট টেমপ্লেট আমদানি করুন +IDOfPage=পৃষ্ঠার আইডি +Banner=ব্যানার +BlogPost=ব্লগ পোস্ট +WebsiteAccount=ওয়েবসাইট অ্যাকাউন্ট +WebsiteAccounts=ওয়েবসাইট অ্যাকাউন্ট +AddWebsiteAccount=ওয়েব সাইট অ্যাকাউন্ট তৈরি করুন +BackToListForThirdParty=তৃতীয় পক্ষের জন্য তালিকায় ফিরে যান +DisableSiteFirst=প্রথমে ওয়েবসাইট অক্ষম করুন +MyContainerTitle=আমার ওয়েব সাইটের শিরোনাম +AnotherContainer=এইভাবে অন্য পৃষ্ঠা/কন্টেইনারের বিষয়বস্তু অন্তর্ভুক্ত করতে হয় (আপনি যদি ডায়নামিক কোড সক্ষম করেন তাহলে এখানে একটি ত্রুটি থাকতে পারে কারণ এমবেডেড সাবকন্টেইনারটি নাও থাকতে পারে) +SorryWebsiteIsCurrentlyOffLine=দুঃখিত, এই ওয়েবসাইটটি বর্তমানে অফ লাইন। দয়া করে পরে ফিরে আসবেন... +WEBSITE_USE_WEBSITE_ACCOUNTS=ওয়েব সাইট অ্যাকাউন্ট টেবিল সক্রিয় করুন +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=প্রতিটি ওয়েবসাইট/তৃতীয় পক্ষের জন্য ওয়েব সাইট অ্যাকাউন্ট (লগইন/পাস) সংরক্ষণ করতে টেবিলটি সক্ষম করুন +YouMustDefineTheHomePage=আপনাকে প্রথমে ডিফল্ট হোম পেজ নির্ধারণ করতে হবে +OnlyEditionOfSourceForGrabbedContentFuture=সতর্কতা: একটি বহিরাগত ওয়েব পৃষ্ঠা আমদানি করে একটি ওয়েব পৃষ্ঠা তৈরি করা অভিজ্ঞ ব্যবহারকারীদের জন্য সংরক্ষিত৷ উৎস পৃষ্ঠার জটিলতার উপর নির্ভর করে, আমদানির ফলাফল মূল থেকে ভিন্ন হতে পারে। এছাড়াও যদি উত্স পৃষ্ঠাটি সাধারণ CSS শৈলী বা বিরোধপূর্ণ জাভাস্ক্রিপ্ট ব্যবহার করে, তাহলে এই পৃষ্ঠায় কাজ করার সময় এটি ওয়েবসাইট সম্পাদকের চেহারা বা বৈশিষ্ট্যগুলি ভেঙে দিতে পারে। এই পদ্ধতিটি একটি পৃষ্ঠা তৈরি করার একটি দ্রুত উপায় কিন্তু এটি স্ক্র্যাচ থেকে বা একটি প্রস্তাবিত পৃষ্ঠার টেমপ্লেট থেকে আপনার নতুন পৃষ্ঠা তৈরি করার সুপারিশ করা হয়৷
      এটাও মনে রাখবেন যে ইনলাইন সম্পাদক কাজ নাও করতে পারে একটি গ্র্যাবড বাহ্যিক পৃষ্ঠায় ব্যবহার করার সময় সঠিকতা। +OnlyEditionOfSourceForGrabbedContent=এইচটিএমএল উৎসের শুধুমাত্র সংস্করণ সম্ভব যখন বিষয়বস্তু একটি বহিরাগত সাইট থেকে দখল করা হয় +GrabImagesInto=সিএসএস এবং পৃষ্ঠায় পাওয়া চিত্রগুলিও ধরুন। +ImagesShouldBeSavedInto=ছবিগুলি ডিরেক্টরিতে সংরক্ষণ করা উচিত +WebsiteRootOfImages=ওয়েবসাইট ইমেজ জন্য রুট ডিরেক্টরি +SubdirOfPage=সাব-ডিরেক্টরি পৃষ্ঠায় নিবেদিত +AliasPageAlreadyExists=উপনাম পৃষ্ঠা %s ইতিমধ্যেই বিদ্যমান +CorporateHomePage=কর্পোরেট হোম পেজ +EmptyPage=খালি পাতা +ExternalURLMustStartWithHttp=বাহ্যিক URL অবশ্যই http:// অথবা https:// দিয়ে শুরু হতে হবে +ZipOfWebsitePackageToImport=ওয়েবসাইট টেমপ্লেট প্যাকেজের জিপ ফাইল আপলোড করুন +ZipOfWebsitePackageToLoad=অথবা একটি উপলব্ধ এমবেডেড ওয়েবসাইট টেমপ্লেট প্যাকেজ চয়ন করুন৷ +ShowSubcontainers=গতিশীল বিষয়বস্তু দেখান +InternalURLOfPage=পৃষ্ঠার অভ্যন্তরীণ URL +ThisPageIsTranslationOf=এই পৃষ্ঠা/ধারক একটি অনুবাদ +ThisPageHasTranslationPages=এই পৃষ্ঠা/পাত্রে অনুবাদ আছে +NoWebSiteCreateOneFirst=এখনো কোনো ওয়েবসাইট তৈরি হয়নি। প্রথমে একটি তৈরি করুন। +GoTo=যাও +DynamicPHPCodeContainsAForbiddenInstruction=আপনি ডায়নামিক PHP কোড যোগ করেন যেটিতে PHP নির্দেশনা '%sb0a65d071fz ' যেটি গতিশীল বিষয়বস্তু হিসাবে ডিফল্টরূপে নিষিদ্ধ (অনুমতিপ্রাপ্ত কমান্ডের তালিকা বাড়ানোর জন্য লুকানো বিকল্প WEBSITE_PHP_ALLOW_xxx দেখুন)। +NotAllowedToAddDynamicContent=ওয়েবসাইটগুলিতে পিএইচপি ডায়নামিক সামগ্রী যুক্ত বা সম্পাদনা করার অনুমতি আপনার নেই৷ অনুমতি জিজ্ঞাসা করুন বা শুধুমাত্র অপরিবর্তিত php ট্যাগগুলিতে কোড রাখুন। +ReplaceWebsiteContent=ওয়েবসাইট বিষয়বস্তু অনুসন্ধান বা প্রতিস্থাপন +DeleteAlsoJs=এই ওয়েবসাইটের জন্য নির্দিষ্ট সমস্ত জাভাস্ক্রিপ্ট ফাইল মুছবেন? +DeleteAlsoMedias=এই ওয়েবসাইটের জন্য নির্দিষ্ট সমস্ত মিডিয়া ফাইলগুলিও মুছবেন? +MyWebsitePages=আমার ওয়েবসাইট পেজ +SearchReplaceInto=অনুসন্ধান | মধ্যে প্রতিস্থাপন +ReplaceString=নতুন স্ট্রিং +CSSContentTooltipHelp=এখানে CSS কন্টেন্ট লিখুন। অ্যাপ্লিকেশনের CSS-এর সাথে কোনো দ্বন্দ্ব এড়াতে, .bodywebsite ক্লাসের সাথে সমস্ত ঘোষণা আগে-প্রান্তে রাখতে ভুলবেন না। যেমন:

      #mycssselector, input.myclass:hover { ...
      অবশ্যই
      ।bodywebsite #mycssselector, .bodywebsite input.myclass:হোভার { ... b0342fccfda19>b0342fccfda19
      দ্রষ্টব্য: যদি আপনার কাছে এই উপসর্গ ছাড়া একটি বড় ফাইল থাকে, তাহলে আপনি 'lessc' ব্যবহার করে এটিকে রূপান্তর করতে .bodywebsite উপসর্গটি সর্বত্র যুক্ত করতে পারেন। +LinkAndScriptsHereAreNotLoadedInEditor=সতর্কতা: এই বিষয়বস্তু আউটপুট শুধুমাত্র যখন সাইট একটি সার্ভার থেকে অ্যাক্সেস করা হয়. এটি সম্পাদনা মোডে ব্যবহার করা হয় না তাই যদি আপনাকে জাভাস্ক্রিপ্ট ফাইলগুলিকে সম্পাদনা মোডেও লোড করতে হয়, তাহলে পৃষ্ঠায় আপনার ট্যাগ 'script src=...' যোগ করুন। +Dynamiccontent=গতিশীল বিষয়বস্তু সহ একটি পৃষ্ঠার নমুনা +ImportSite=ওয়েবসাইট টেমপ্লেট আমদানি করুন +EditInLineOnOff=মোড 'ইনলাইন সম্পাদনা' হল %s +ShowSubContainersOnOff='ডাইনামিক কন্টেন্ট' চালানোর মোড হল %s +GlobalCSSorJS=ওয়েব সাইটের গ্লোবাল CSS/JS/হেডার ফাইল +BackToHomePage=হোমপেইজে ফিরে যাও... +TranslationLinks=অনুবাদ লিঙ্ক +YouTryToAccessToAFileThatIsNotAWebsitePage=আপনি এমন একটি পৃষ্ঠায় অ্যাক্সেস করার চেষ্টা করুন যা উপলব্ধ নয়৷
      (ref=%s, type=%s, status=%s) +UseTextBetween5And70Chars=ভাল SEO অনুশীলনের জন্য, 5 থেকে 70 অক্ষরের মধ্যে একটি পাঠ্য ব্যবহার করুন +MainLanguage=প্রধান ভাষা +OtherLanguages=অন্যান্য ভাষাসমূহ +UseManifest=একটি manifest.json ফাইল প্রদান করুন +PublicAuthorAlias=পাবলিক লেখক ওরফে +AvailableLanguagesAreDefinedIntoWebsiteProperties=উপলব্ধ ভাষাগুলিকে ওয়েবসাইটের বৈশিষ্ট্যে সংজ্ঞায়িত করা হয় +ReplacementDoneInXPages=%s পৃষ্ঠা বা পাত্রে প্রতিস্থাপন করা হয়েছে +RSSFeed=আরএসএস ফিড +RSSFeedDesc=আপনি এই URL ব্যবহার করে 'ব্লগপোস্ট' টাইপ সহ সাম্প্রতিক নিবন্ধগুলির একটি RSS ফিড পেতে পারেন +PagesRegenerated=%s পৃষ্ঠা(গুলি)/ধারক(গুলি) পুনরুত্থিত হয়েছে +RegenerateWebsiteContent=ওয়েব সাইটের ক্যাশে ফাইলগুলি পুনরায় তৈরি করুন +AllowedInFrames=ফ্রেমে অনুমোদিত +DefineListOfAltLanguagesInWebsiteProperties=ওয়েব সাইটের বৈশিষ্ট্যে সমস্ত উপলব্ধ ভাষার তালিকা সংজ্ঞায়িত করুন। +GenerateSitemaps=ওয়েবসাইট sitemap.xml ফাইল তৈরি করুন +ConfirmGenerateSitemaps=আপনি নিশ্চিত করলে, আপনি বিদ্যমান সাইটম্যাপ ফাইলটি মুছে ফেলবেন... +ConfirmSitemapsCreation=সাইটম্যাপ তৈরি নিশ্চিত করুন +SitemapGenerated=সাইটম্যাপ ফাইল %s তৈরি করা হয়েছে +ImportFavicon=ফেভিকন +ErrorFaviconType=ফেভিকন অবশ্যই png হতে হবে +ErrorFaviconSize=ফেভিকন 16x16, 32x32 বা 64x64 আকারের হতে হবে +FaviconTooltip=একটি ছবি আপলোড করুন যা একটি png হতে হবে (16x16, 32x32 বা 64x64) +NextContainer=পরবর্তী পৃষ্ঠা/ধারক +PreviousContainer=পূর্ববর্তী পৃষ্ঠা/ধারক +WebsiteMustBeDisabled=ওয়েবসাইটটির অবশ্যই "%s" অবস্থা থাকতে হবে +WebpageMustBeDisabled=ওয়েব পৃষ্ঠায় অবশ্যই "%s" অবস্থা থাকতে হবে +SetWebsiteOnlineBefore=ওয়েবসাইট অফলাইন হলে, সমস্ত পেজ অফলাইন থাকে। প্রথমে ওয়েবসাইটের অবস্থা পরিবর্তন করুন। +Booking=সংরক্ষণ +Reservation=রিজার্ভেশন +PagesViewedPreviousMonth=পৃষ্ঠা দেখা হয়েছে (আগের মাসে) +PagesViewedTotal=পৃষ্ঠা দেখা (মোট) +Visibility=দৃশ্যমানতা +Everyone=সবাই +AssignedContacts=বরাদ্দ পরিচিতি +WebsiteTypeLabel=ওয়েব সাইটের ধরন +WebsiteTypeDolibarrWebsite=ওয়েব সাইট (সিএমএস ডলিবার) +WebsiteTypeDolibarrPortal=নেটিভ ডলিবার পোর্টাল diff --git a/htdocs/langs/bn_BD/withdrawals.lang b/htdocs/langs/bn_BD/withdrawals.lang index 4106c74f536..588766c7ded 100644 --- a/htdocs/langs/bn_BD/withdrawals.lang +++ b/htdocs/langs/bn_BD/withdrawals.lang @@ -1,156 +1,174 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Payments by Direct debit orders -SuppliersStandingOrdersArea=Payments by Credit transfer -StandingOrdersPayment=Direct debit payment orders +CustomersStandingOrdersArea=সরাসরি ডেবিট আদেশ দ্বারা অর্থপ্রদান +SuppliersStandingOrdersArea=ক্রেডিট ট্রান্সফার দ্বারা অর্থপ্রদান +StandingOrdersPayment=সরাসরি ডেবিট পেমেন্ট অর্ডার StandingOrderPayment=Direct debit payment order -NewStandingOrder=New direct debit order -NewPaymentByBankTransfer=New payment by credit transfer -StandingOrderToProcess=To process -PaymentByBankTransferReceipts=Credit transfer orders -PaymentByBankTransferLines=Credit transfer order lines +NewStandingOrder=নতুন সরাসরি ডেবিট অর্ডার +NewPaymentByBankTransfer=ক্রেডিট ট্রান্সফারের মাধ্যমে নতুন পেমেন্ট +StandingOrderToProcess=প্রক্রিয়া করতে +PaymentByBankTransferReceipts=ক্রেডিট ট্রান্সফার অর্ডার +PaymentByBankTransferLines=ক্রেডিট ট্রান্সফার অর্ডার লাইন WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order -BankTransferReceipts=Credit transfer orders -BankTransferReceipt=Credit transfer order -LatestBankTransferReceipts=Latest %s credit transfer orders -LastWithdrawalReceipts=Latest %s direct debit files -WithdrawalsLine=Direct debit order line -CreditTransfer=Credit transfer -CreditTransferLine=Credit transfer line -WithdrawalsLines=Direct debit order lines -CreditTransferLines=Credit transfer lines -RequestStandingOrderToTreat=Requests for direct debit payment order to process -RequestStandingOrderTreated=Requests for direct debit payment order processed -RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process -RequestPaymentsByBankTransferTreated=Requests for credit transfer processed -NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order -NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information -NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer -SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer -InvoiceWaitingWithdraw=Invoice waiting for direct debit -InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer -AmountToWithdraw=Amount to withdraw -NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. -NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. -ResponsibleUser=User Responsible -WithdrawalsSetup=Direct debit payment setup -CreditTransferSetup=Credit transfer setup -WithdrawStatistics=Direct debit payment statistics -CreditTransferStatistics=Credit transfer statistics -Rejects=Rejects -LastWithdrawalReceipt=Latest %s direct debit receipts -MakeWithdrawRequest=Make a direct debit payment request -MakeBankTransferOrder=Make a credit transfer request -WithdrawRequestsDone=%s direct debit payment requests recorded -BankTransferRequestsDone=%s credit transfer requests recorded -ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. -WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. -ClassCredited=Classify credited -ClassDebited=Classify debited -ClassCreditedConfirm=Are you sure you want to classify this withdrawal receipt as credited on your bank account? -TransData=Transmission date -TransMetod=Transmission method -Send=Send -Lines=Lines -StandingOrderReject=Issue a rejection -WithdrawsRefused=Direct debit refused -WithdrawalRefused=Withdrawal refused -CreditTransfersRefused=Credit transfers refused -WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society -RefusedData=Date of rejection -RefusedReason=Reason for rejection -RefusedInvoicing=Billing the rejection -NoInvoiceRefused=Do not charge the rejection -InvoiceRefused=Invoice refused (Charge the rejection to customer) -StatusDebitCredit=Status debit/credit -StatusWaiting=Waiting -StatusTrans=Sent -StatusDebited=Debited -StatusCredited=Credited +BankTransferReceipts=ক্রেডিট ট্রান্সফার অর্ডার +BankTransferReceipt=ক্রেডিট ট্রান্সফার অর্ডার +LatestBankTransferReceipts=সর্বশেষ %s ক্রেডিট ট্রান্সফার অর্ডার +LastWithdrawalReceipts=সর্বশেষ %s সরাসরি ডেবিট ফাইল +WithdrawalsLine=সরাসরি ডেবিট অর্ডার লাইন +CreditTransfer=ক্রেডিট স্থানান্তরণ +CreditTransferLine=ক্রেডিট ট্রান্সফার লাইন +WithdrawalsLines=সরাসরি ডেবিট অর্ডার লাইন +CreditTransferLines=ক্রেডিট ট্রান্সফার লাইন +RequestStandingOrderToTreat=প্রসেস করার জন্য সরাসরি ডেবিট পেমেন্ট অর্ডারের জন্য অনুরোধ +RequestStandingOrderTreated=সরাসরি ডেবিট পেমেন্ট অর্ডারের জন্য অনুরোধ প্রক্রিয়া করা হয়েছে +RequestPaymentsByBankTransferToTreat=ক্রেডিট ট্রান্সফার প্রক্রিয়ার জন্য অনুরোধ +RequestPaymentsByBankTransferTreated=ক্রেডিট ট্রান্সফারের জন্য অনুরোধ প্রক্রিয়া করা হয়েছে +NotPossibleForThisStatusOfWithdrawReceiptORLine=এখনো সম্ভব হয়নি। নির্দিষ্ট লাইনে প্রত্যাখ্যান ঘোষণা করার আগে প্রত্যাহারের স্থিতি অবশ্যই 'ক্রেডিটেড' এ সেট করতে হবে। +NbOfInvoiceToWithdraw=প্রত্যক্ষ ডেবিট অর্ডারের সাথে যোগ্য গ্রাহক চালানের সংখ্যা +NbOfInvoiceToWithdrawWithInfo=সংজ্ঞায়িত ব্যাঙ্ক অ্যাকাউন্ট তথ্য সহ সরাসরি ডেবিট পেমেন্ট অর্ডার সহ গ্রাহক চালানের সংখ্যা +NbOfInvoiceToPayByBankTransfer=ক্রেডিট ট্রান্সফারের মাধ্যমে অর্থপ্রদানের জন্য অপেক্ষারত যোগ্য সরবরাহকারী চালানের সংখ্যা +SupplierInvoiceWaitingWithdraw=ক্রেডিট ট্রান্সফারের মাধ্যমে পেমেন্টের অপেক্ষায় বিক্রেতা চালান +InvoiceWaitingWithdraw=চালান সরাসরি ডেবিটের জন্য অপেক্ষা করছে +InvoiceWaitingPaymentByBankTransfer=চালান ক্রেডিট স্থানান্তরের জন্য অপেক্ষা করছে +AmountToWithdraw=উত্তলনের পরিমান +AmountToTransfer=স্থানান্তর করার পরিমাণ +NoInvoiceToWithdraw='%s'-এর জন্য কোনো চালান খোলা অপেক্ষা করছে না। একটি অনুরোধ করতে চালান কার্ডে '%s' ট্যাবে যান৷ +NoSupplierInvoiceToWithdraw=খোলা '%s' সহ কোনও সরবরাহকারী চালান অপেক্ষা করছে না। একটি অনুরোধ করতে চালান কার্ডে '%s' ট্যাবে যান৷ +ResponsibleUser=ব্যবহারকারী দায়ী +WithdrawalsSetup=ডাইরেক্ট ডেবিট পেমেন্ট সেটআপ +CreditTransferSetup=ক্রেডিট ট্রান্সফার সেটআপ +WithdrawStatistics=সরাসরি ডেবিট পেমেন্ট পরিসংখ্যান +CreditTransferStatistics=ক্রেডিট ট্রান্সফার পরিসংখ্যান +Rejects=প্রত্যাখ্যান করে +LastWithdrawalReceipt=সর্বশেষ %s সরাসরি ডেবিট রসিদ +MakeWithdrawRequest=একটি সরাসরি ডেবিট পেমেন্ট অনুরোধ করুন +MakeWithdrawRequestStripe=স্ট্রাইপের মাধ্যমে সরাসরি ডেবিট পেমেন্টের অনুরোধ করুন +MakeBankTransferOrder=একটি ক্রেডিট স্থানান্তর অনুরোধ করুন +WithdrawRequestsDone=%s সরাসরি ডেবিট পেমেন্টের অনুরোধ রেকর্ড করা হয়েছে +BankTransferRequestsDone=%s ক্রেডিট ট্রান্সফার অনুরোধ রেকর্ড করা হয়েছে +ThirdPartyBankCode=তৃতীয় পক্ষের ব্যাঙ্ক কোড +NoInvoiceCouldBeWithdrawed=কোনো চালান সফলভাবে প্রক্রিয়া করা হয়নি। যাচাই করুন যে চালানগুলি একটি বৈধ IBAN সহ কোম্পানিগুলিতে রয়েছে এবং IBAN এর একটি UMR (অনন্য ম্যান্ডেট রেফারেন্স) মোড রয়েছে %s span class='notranslate'>
      । +NoInvoiceCouldBeWithdrawedSupplier=কোনো চালান সফলভাবে প্রক্রিয়া করা হয়নি। একটি বৈধ IBAN সহ কোম্পানিগুলিতে চালানগুলি আছে কিনা তা পরীক্ষা করুন৷ +NoSalariesCouldBeWithdrawed=কোন বেতন সফলভাবে প্রক্রিয়া করা হয়েছে. একটি বৈধ IBAN সহ ব্যবহারকারীদের বেতন আছে কিনা তা পরীক্ষা করুন। +WithdrawalCantBeCreditedTwice=এই প্রত্যাহার রসিদ ইতিমধ্যেই ক্রেডিট হিসাবে চিহ্নিত করা হয়েছে; এটি দুবার করা যাবে না, কারণ এটি সম্ভাব্য ডুপ্লিকেট পেমেন্ট এবং ব্যাঙ্ক এন্ট্রি তৈরি করবে। +ClassCredited=শ্রেনীবদ্ধ ক্রেডিট +ClassDebited=ডেবিট শ্রেণীবদ্ধ করুন +ClassCreditedConfirm=আপনি কি নিশ্চিত যে আপনি এই প্রত্যাহার রসিদটিকে আপনার ব্যাঙ্ক অ্যাকাউন্টে জমা হিসাবে শ্রেণীবদ্ধ করতে চান? +TransData=ট্রান্সমিশন তারিখ +TransMetod=সংক্রমণ পদ্ধতি +Send=পাঠান +Lines=লাইন +StandingOrderReject=একটি প্রত্যাখ্যান রেকর্ড করুন +WithdrawsRefused=সরাসরি ডেবিট প্রত্যাখ্যান +WithdrawalRefused=প্রত্যাহার প্রত্যাখ্যান +CreditTransfersRefused=ক্রেডিট স্থানান্তর প্রত্যাখ্যান +WithdrawalRefusedConfirm=আপনি কি নিশ্চিত যে আপনি সমাজের জন্য একটি প্রত্যাহার প্রত্যাখ্যান লিখতে চান৷ +RefusedData=প্রত্যাখ্যানের তারিখ +RefusedReason=প্রত্যাখ্যানের কারণ +RefusedInvoicing=প্রত্যাখ্যান বিল করা +NoInvoiceRefused=প্রত্যাখ্যানের জন্য গ্রাহককে চার্জ করবেন না +InvoiceRefused=প্রত্যাখ্যানের জন্য গ্রাহককে চার্জ করুন +DirectDebitRefusedInvoicingDesc=এই প্রত্যাখ্যানটি গ্রাহকের কাছে চার্জ করা আবশ্যক বলে একটি পতাকা সেট করুন +StatusDebitCredit=স্ট্যাটাস ডেবিট/ক্রেডিট +StatusWaiting=অপেক্ষা করছে +StatusTrans=পাঠানো হয়েছে +StatusDebited=ডেবিট +StatusCredited=ক্রেডিট StatusPaid=Processed -StatusRefused=Refused -StatusMotif0=Unspecified -StatusMotif1=Insufficient funds -StatusMotif2=Request contested -StatusMotif3=No direct debit payment order -StatusMotif4=Sales Order -StatusMotif5=RIB unusable -StatusMotif6=Account without balance -StatusMotif7=Judicial Decision -StatusMotif8=Other reason -CreateForSepaFRST=Create direct debit file (SEPA FRST) -CreateForSepaRCUR=Create direct debit file (SEPA RCUR) -CreateAll=Create direct debit file -CreateFileForPaymentByBankTransfer=Create file for credit transfer -CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) -CreateGuichet=Only office -CreateBanque=Only bank -OrderWaiting=Waiting for treatment -NotifyTransmision=Record file transmission of order -NotifyCredit=Record credit of order -NumeroNationalEmetter=National Transmitter Number -WithBankUsingRIB=For bank accounts using RIB -WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT -BankToReceiveWithdraw=Receiving Bank Account -BankToPayCreditTransfer=Bank Account used as source of payments -CreditDate=Credit on -WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) -ShowWithdraw=Show Direct Debit Order -IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Payment by direct debit to generate and manage the direct debit order. When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu Bank->Payment by credit transfer to generate and manage the credit transfer order. When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -WithdrawalFile=Debit order file -CreditTransferFile=Credit transfer file -SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null -StatisticsByLineStatus=Statistics by status of lines +StatusRefused=প্রত্যাখ্যান করেছে +StatusMotif0=অনির্দিষ্ট +StatusMotif1=অপর্যাপ্ত তহবিল +StatusMotif2=অনুরোধ প্রতিদ্বন্দ্বিতা +StatusMotif3=সরাসরি ডেবিট পেমেন্ট অর্ডার নেই +StatusMotif4=বিক্রয় আদেশ +StatusMotif5=RIB অব্যবহারযোগ্য +StatusMotif6=ব্যালেন্স ছাড়া অ্যাকাউন্ট +StatusMotif7=বিচার বিভাগীয় সিদ্ধান্ত +StatusMotif8=অন্যান্য কারণ +CreateForSepaFRST=সরাসরি ডেবিট ফাইল তৈরি করুন (SEPA FRST) +CreateForSepaRCUR=সরাসরি ডেবিট ফাইল তৈরি করুন (SEPA RCUR) +CreateAll=সরাসরি ডেবিট ফাইল তৈরি করুন +CreateFileForPaymentByBankTransfer=ক্রেডিট ট্রান্সফারের জন্য ফাইল তৈরি করুন +CreateSepaFileForPaymentByBankTransfer=ক্রেডিট ট্রান্সফার ফাইল তৈরি করুন (SEPA) +CreateGuichet=শুধু অফিস +CreateBanque=শুধু ব্যাংক +OrderWaiting=চিকিৎসার অপেক্ষায় +NotifyTransmision=অর্ডার ফাইল ট্রান্সমিশন রেকর্ড +NotifyCredit=অর্ডারের রেকর্ড ক্রেডিট +NumeroNationalEmetter=জাতীয় ট্রান্সমিটার নম্বর +WithBankUsingRIB=RIB ব্যবহার করে ব্যাঙ্ক অ্যাকাউন্টের জন্য +WithBankUsingBANBIC=IBAN/BIC/SWIFT ব্যবহার করে ব্যাঙ্ক অ্যাকাউন্টের জন্য +BankToReceiveWithdraw=ব্যাঙ্ক অ্যাকাউন্ট গ্রহণ +BankToPayCreditTransfer=অর্থপ্রদানের উৎস হিসেবে ব্যাঙ্ক অ্যাকাউন্ট ব্যবহার করা হয় +CreditDate=ক্রেডিট অন +WithdrawalFileNotCapable=আপনার দেশের জন্য প্রত্যাহারের রসিদ ফাইল তৈরি করতে অক্ষম %s (আপনার দেশ সমর্থিত নয়) +ShowWithdraw=সরাসরি ডেবিট অর্ডার দেখান +IfInvoiceNeedOnWithdrawPaymentWontBeClosed=যাইহোক, যদি ইনভয়েসে অন্তত একটি সরাসরি ডেবিট পেমেন্ট অর্ডার এখনও প্রসেস করা না হয়, তাহলে এটিকে প্রদত্ত হিসাবে সেট করা হবে না যাতে আগে প্রত্যাহার পরিচালনার অনুমতি দেওয়া হয়। +DoStandingOrdersBeforePayments=এই ট্যাবটি আপনাকে সরাসরি ডেবিট পেমেন্ট অর্ডারের জন্য অনুরোধ করতে দেয়। একবার হয়ে গেলে, আপনি সরাসরি ডেবিট অর্ডার ফাইল তৈরি এবং পরিচালনা করতে "ব্যাঙ্ক->প্রত্যক্ষ ডেবিট দ্বারা অর্থপ্রদান" মেনুতে যেতে পারেন। +DoStandingOrdersBeforePayments2=এছাড়াও আপনি স্ট্রাইপের মতো একটি SEPA পেমেন্ট প্রসেসরে সরাসরি একটি অনুরোধ পাঠাতে পারেন, ... +DoStandingOrdersBeforePayments3=অনুরোধ বন্ধ হয়ে গেলে, ইনভয়েসে পেমেন্ট স্বয়ংক্রিয়ভাবে রেকর্ড করা হবে, এবং পেমেন্ট বাকি থাকলে চালান বন্ধ হয়ে যাবে। +DoCreditTransferBeforePayments=এই ট্যাবটি আপনাকে ক্রেডিট ট্রান্সফার অর্ডারের অনুরোধ করতে দেয়। একবার হয়ে গেলে, একটি ক্রেডিট ট্রান্সফার অর্ডার ফাইল তৈরি এবং পরিচালনা করতে "ব্যাঙ্ক->ক্রেডিট ট্রান্সফার দ্বারা অর্থপ্রদান" মেনুতে যান৷ +DoCreditTransferBeforePayments3=ক্রেডিট ট্রান্সফার অর্ডার বন্ধ হয়ে গেলে, ইনভয়েসে পেমেন্ট স্বয়ংক্রিয়ভাবে রেকর্ড হয়ে যাবে, এবং পেমেন্ট বাকি থাকলে ইনভয়েস বন্ধ হয়ে যাবে। +WithdrawalFile=ডেবিট অর্ডার ফাইল +CreditTransferFile=ক্রেডিট ট্রান্সফার ফাইল +SetToStatusSent="ফাইল পাঠানো" স্ট্যাটাসে সেট করুন +ThisWillAlsoAddPaymentOnInvoice=এটি ইনভয়েসে পেমেন্ট রেকর্ড করবে এবং পেমেন্ট শূন্য থাকলে সেগুলিকে "প্রদেয়" হিসাবে শ্রেণীবদ্ধ করবে +StatisticsByLineStatus=লাইনের অবস্থা অনুসারে পরিসংখ্যান RUM=UMR -DateRUM=Mandate signature date -RUMLong=Unique Mandate Reference -RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) -WithdrawRequestAmount=Amount of Direct debit request: -BankTransferAmount=Amount of Credit Transfer request: -WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. -SepaMandate=SEPA Direct Debit Mandate -SepaMandateShort=SEPA Mandate -PleaseReturnMandate=Please return this mandate form by email to %s or by mail to -SEPALegalText=By signing this mandate form, you authorize (A) %s to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. -CreditorIdentifier=Creditor Identifier -CreditorName=Creditor Name -SEPAFillForm=(B) Please complete all the fields marked * -SEPAFormYourName=Your name -SEPAFormYourBAN=Your Bank Account Name (IBAN) -SEPAFormYourBIC=Your Bank Identifier Code (BIC) -SEPAFrstOrRecur=Type of payment -ModeRECUR=Recurring payment -ModeFRST=One-off payment -PleaseCheckOne=Please check one only -CreditTransferOrderCreated=Credit transfer order %s created -DirectDebitOrderCreated=Direct debit order %s created -AmountRequested=Amount requested +DateRUM=ম্যান্ডেট স্বাক্ষরের তারিখ +RUMLong=অনন্য ম্যান্ডেট রেফারেন্স +RUMWillBeGenerated=খালি থাকলে, ব্যাঙ্ক অ্যাকাউন্টের তথ্য সংরক্ষিত হয়ে গেলে একটি UMR (ইউনিক ম্যান্ডেট রেফারেন্স) তৈরি হবে। +WithdrawMode=সরাসরি ডেবিট মোড (FRST বা RCUR) +WithdrawRequestAmount=সরাসরি ডেবিট অনুরোধের পরিমাণ: +BankTransferAmount=ক্রেডিট ট্রান্সফার অনুরোধের পরিমাণ: +WithdrawRequestErrorNilAmount=খালি পরিমাণের জন্য সরাসরি ডেবিট অনুরোধ তৈরি করতে অক্ষম৷ +SepaMandate=SEPA ডাইরেক্ট ডেবিট ম্যান্ডেট +SepaMandateShort=SEPA ম্যান্ডেট +PleaseReturnMandate=অনুগ্রহ করে এই ম্যান্ডেট ফর্মটি ইমেলের মাধ্যমে %s-এ অথবা মেইলে ফেরত দিন +SEPALegalText=এই ম্যান্ডেট ফর্মে স্বাক্ষর করার মাধ্যমে, আপনি (A) %s এবং এর অর্থপ্রদান পরিষেবা প্রদানকারীকে আপনার অ্যাকাউন্ট ডেবিট করার জন্য আপনার ব্যাঙ্কে নির্দেশাবলী পাঠাতে এবং (B) আপনার ব্যাঙ্ককে আপনার অ্যাকাউন্ট ডেবিট করার জন্য অনুমোদন দেন %s থেকে নির্দেশাবলী অনুসারে। আপনার অধিকারের অংশ হিসাবে, আপনি আপনার ব্যাঙ্কের সাথে আপনার চুক্তির শর্তাবলীর অধীনে আপনার ব্যাঙ্ক থেকে ফেরত পাওয়ার অধিকারী। উপরের আদেশ সংক্রান্ত আপনার অধিকারগুলি একটি বিবৃতিতে ব্যাখ্যা করা হয়েছে যা আপনি আপনার ব্যাঙ্ক থেকে পেতে পারেন। আপনি ভবিষ্যতের চার্জগুলি হওয়ার 2 দিন আগে পর্যন্ত বিজ্ঞপ্তিগুলি পেতে সম্মত হন৷ +CreditorIdentifier=পাওনাদার শনাক্তকারী +CreditorName=পাওনাদারের নাম +SEPAFillForm=(B) অনুগ্রহ করে চিহ্নিত সমস্ত ক্ষেত্র পূরণ করুন * +SEPAFormYourName=তোমার নাম +SEPAFormYourBAN=আপনার ব্যাঙ্ক অ্যাকাউন্টের নাম (IBAN) +SEPAFormYourBIC=আপনার ব্যাঙ্ক শনাক্তকারী কোড (BIC) +SEPAFrstOrRecur=অর্থপ্রদানের নমুনা +ModeRECUR=পুনরাবৃত্ত পেমেন্ট +ModeRCUR=পুনরাবৃত্ত পেমেন্ট +ModeFRST=বন্ধ পেমেন্ট +PleaseCheckOne=শুধুমাত্র একটি চেক করুন +CreditTransferOrderCreated=ক্রেডিট ট্রান্সফার অর্ডার %s তৈরি করা হয়েছে +DirectDebitOrderCreated=সরাসরি ডেবিট অর্ডার %s তৈরি করা হয়েছে +AmountRequested=অনুরোধ করা পরিমাণ SEPARCUR=SEPA CUR SEPAFRST=SEPA FRST -ExecutionDate=Execution date -CreateForSepa=Create direct debit file -ICS=Creditor Identifier - ICS -END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction -USTRD="Unstructured" SEPA XML tag -ADDDAYS=Add days to Execution Date -NoDefaultIBANFound=No default IBAN found for this third party +ExecutionDate=মৃত্যুদন্ড তারিখ +CreateForSepa=সরাসরি ডেবিট ফাইল তৈরি করুন +ICS=ক্রেডিটর আইডেন্টিফায়ার - আইসিএস +IDS=ডেবিটর শনাক্তকারী +END_TO_END="EndToEndId" SEPA XML ট্যাগ - প্রতি লেনদেনের জন্য নির্দিষ্ট করা অনন্য আইডি +USTRD="আনস্ট্রাকচার্ড" SEPA XML ট্যাগ +ADDDAYS=মৃত্যুদন্ডের তারিখে দিন যোগ করুন +NoDefaultIBANFound=এই তৃতীয় পক্ষের জন্য কোনো ডিফল্ট IBAN পাওয়া যায়নি ### Notifications -InfoCreditSubject=Payment of direct debit payment order %s by the bank -InfoCreditMessage=The direct debit payment order %s has been paid by the bank
      Data of payment: %s -InfoTransSubject=Transmission of direct debit payment order %s to bank -InfoTransMessage=The direct debit payment order %s has been sent to bank by %s %s.

      -InfoTransData=Amount: %s
      Method: %s
      Date: %s -InfoRejectSubject=Direct debit payment order refused -InfoRejectMessage=Hello,

      the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

      --
      %s -ModeWarning=Option for real mode was not set, we stop after this simulation -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. -ErrorICSmissing=Missing ICS in Bank account %s -TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines -WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s -WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s +InfoCreditSubject=ব্যাঙ্কের সরাসরি ডেবিট পেমেন্ট অর্ডার %s পেমেন্ট +InfoCreditMessage=সরাসরি ডেবিট পেমেন্ট অর্ডার %s ব্যাঙ্কের দ্বারা দেওয়া হয়েছে
      প্রদানের ডেটা: %s +InfoTransSubject=ব্যাঙ্কে সরাসরি ডেবিট পেমেন্ট অর্ডার %s ট্রান্সমিশন +InfoTransMessage=সরাসরি ডেবিট পেমেন্ট অর্ডার %s ব্যাঙ্কে পাঠানো হয়েছে %s %s .

      +InfoTransData=পরিমাণ: %s
      পদ্ধতি: %s
      তারিখ: %s +InfoRejectSubject=সরাসরি ডেবিট পেমেন্ট অর্ডার প্রত্যাখ্যান +InfoRejectMessage=হ্যালো,

      চালানের সরাসরি ডেবিট পেমেন্ট অর্ডার %s সম্পর্কিত কোম্পানি %s, একটি পরিমাণ %s ব্যাঙ্কের দ্বারা প্রত্যাখ্যান করা হয়েছে৷

      --
      %s +ModeWarning=বাস্তব মোডের জন্য বিকল্প সেট করা হয়নি, আমরা এই সিমুলেশন পরে থামা +ErrorCompanyHasDuplicateDefaultBAN=%s আইডি সহ কোম্পানির একাধিক ডিফল্ট ব্যাঙ্ক অ্যাকাউন্ট আছে। কোনটি ব্যবহার করবেন তা জানার উপায় নেই। +ErrorICSmissing=ব্যাঙ্ক অ্যাকাউন্টে ICS অনুপস্থিত %s +TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=সরাসরি ডেবিট অর্ডারের মোট পরিমাণ লাইনের যোগফল থেকে আলাদা +WarningSomeDirectDebitOrdersAlreadyExists=সতর্কতা: ইতিমধ্যেই কিছু মুলতুবি থাকা ডাইরেক্ট ডেবিট অর্ডার (%s) %s এর জন্য অনুরোধ করা হয়েছে +WarningSomeCreditTransferAlreadyExists=সতর্কতা: ইতিমধ্যেই কিছু মুলতুবি ক্রেডিট ট্রান্সফার (%s) %s এর জন্য অনুরোধ করা হয়েছে +UsedFor=%s এর জন্য ব্যবহৃত +Societe_ribSigned=SEPA ম্যান্ডেট স্বাক্ষরিত +NbOfInvoiceToPayByBankTransferForSalaries=ক্রেডিট ট্রান্সফারের মাধ্যমে অর্থপ্রদানের জন্য অপেক্ষারত যোগ্য বেতনের সংখ্যা +SalaryWaitingWithdraw=ক্রেডিট ট্রান্সফারের মাধ্যমে পেমেন্টের অপেক্ষায় বেতন +RefSalary=বেতন +NoSalaryInvoiceToWithdraw='%s'-এর জন্য কোনো বেতন অপেক্ষা করছে না। একটি অনুরোধ করতে বেতন কার্ডে '%s' ট্যাবে যান৷ +SalaryInvoiceWaitingWithdraw=ক্রেডিট ট্রান্সফারের মাধ্যমে পেমেন্টের অপেক্ষায় বেতন + diff --git a/htdocs/langs/bn_BD/workflow.lang b/htdocs/langs/bn_BD/workflow.lang index adfe7f69609..ea15f93ad14 100644 --- a/htdocs/langs/bn_BD/workflow.lang +++ b/htdocs/langs/bn_BD/workflow.lang @@ -1,26 +1,38 @@ # Dolibarr language file - Source file is en_US - workflow -WorkflowSetup=Workflow module setup -WorkflowDesc=This module provides some automatic actions. By default, the workflow is open (you can do things in the order you want) but here you can activate some automatic actions. -ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules. +WorkflowSetup=ওয়ার্কফ্লো মডিউল সেটআপ +WorkflowDesc=এই মডিউল কিছু স্বয়ংক্রিয় ক্রিয়া প্রদান করে। ডিফল্টরূপে, ওয়ার্কফ্লো খোলা থাকে (আপনি আপনার ইচ্ছামত কাজ করতে পারেন) কিন্তু এখানে আপনি কিছু স্বয়ংক্রিয় ক্রিয়া সক্রিয় করতে পারেন। +ThereIsNoWorkflowToModify=সক্রিয় মডিউলগুলির সাথে কোন কর্মপ্রবাহ পরিবর্তন উপলব্ধ নেই। # Autocreate -descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a sales order after a commercial proposal is signed (the new order will have same amount as the proposal) -descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Automatically create a customer invoice after a commercial proposal is signed (the new invoice will have same amount as the proposal) -descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automatically create a customer invoice after a contract is validated -descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automatically create a customer invoice after a sales order is closed (the new invoice will have same amount as the order) +descWORKFLOW_PROPAL_AUTOCREATE_ORDER=একটি বাণিজ্যিক প্রস্তাব স্বাক্ষরিত হওয়ার পরে স্বয়ংক্রিয়ভাবে একটি বিক্রয় আদেশ তৈরি করুন (নতুন আদেশে প্রস্তাবের সমান পরিমাণ থাকবে) +descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=একটি বাণিজ্যিক প্রস্তাবে স্বাক্ষর করার পরে স্বয়ংক্রিয়ভাবে একটি গ্রাহক চালান তৈরি করুন (নতুন চালানে প্রস্তাবের সমান পরিমাণ থাকবে) +descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=একটি চুক্তি বৈধ হওয়ার পরে স্বয়ংক্রিয়ভাবে একটি গ্রাহক চালান তৈরি করুন +descWORKFLOW_ORDER_AUTOCREATE_INVOICE=বিক্রয় আদেশ বন্ধ হয়ে যাওয়ার পরে স্বয়ংক্রিয়ভাবে একটি গ্রাহক চালান তৈরি করুন (নতুন চালানে অর্ডারের সমান পরিমাণ থাকবে) +descWORKFLOW_TICKET_CREATE_INTERVENTION=টিকিট তৈরিতে, স্বয়ংক্রিয়ভাবে একটি হস্তক্ষেপ তৈরি করুন। # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales order as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classify linked source sales order as shipped when a shipment is closed (and if the quantity shipped by all shipments is the same as in the order to update) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=একটি বিক্রয় আদেশ বিলে সেট করা হলে লিঙ্কযুক্ত উত্স প্রস্তাবগুলিকে বিল হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি অর্ডারের পরিমাণ স্বাক্ষরিত লিঙ্কযুক্ত প্রস্তাবগুলির মোট পরিমাণের সমান হয়) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=যখন একটি গ্রাহক চালান যাচাই করা হয় তখন লিঙ্কযুক্ত উত্স প্রস্তাবগুলিকে বিল হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি চালানের পরিমাণ স্বাক্ষরিত লিঙ্কযুক্ত প্রস্তাবগুলির মোট পরিমাণের সমান হয়) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=যখন একটি গ্রাহক চালান বৈধ করা হয় তখন লিঙ্কযুক্ত উত্স বিক্রয় আদেশকে বিল হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি চালানের পরিমাণ লিঙ্কযুক্ত বিক্রয় আদেশের মোট পরিমাণের সমান হয়)। আপনার যদি n অর্ডারের জন্য 1টি চালান যাচাই করা থাকে, তাহলে এটি সমস্ত অর্ডারকেও বিলের জন্য সেট করতে পারে। +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=যখন একটি গ্রাহক চালান অর্থপ্রদানের জন্য সেট করা হয় (এবং যদি চালানের পরিমাণ লিঙ্কযুক্ত বিক্রয় আদেশের মোট পরিমাণের সমান হয়) তখন লিঙ্কযুক্ত উত্স বিক্রয় আদেশগুলিকে বিল হিসাবে শ্রেণীবদ্ধ করুন। আপনার যদি n অর্ডারের জন্য 1টি চালান সেট করা থাকে, তাহলে এটি সমস্ত অর্ডারকেও বিলের জন্য সেট করতে পারে। +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=যখন একটি চালান যাচাই করা হয় তখন লিংকড সোর্স সেলস অর্ডারকে শিপড হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি সমস্ত চালানের মাধ্যমে পাঠানো পরিমাণ আপডেট করার জন্য একই রকম হয়) +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=শিপমেন্ট বন্ধ হয়ে গেলে লিংকড সোর্স সেলস অর্ডারকে শিপড হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি সমস্ত চালানের মাধ্যমে পাঠানো পরিমাণ আপডেট করার জন্য একই রকম হয়) +# Autoclassify purchase proposal +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=যখন বিক্রেতা চালান যাচাই করা হয় তখন লিঙ্কযুক্ত উত্স বিক্রেতা প্রস্তাবকে বিল হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি চালানের পরিমাণ লিঙ্কযুক্ত প্রস্তাবগুলির মোট পরিমাণের সমান হয়) # Autoclassify purchase order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated -# Autoclose intervention -descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed -AutomaticCreation=Automatic creation -AutomaticClassification=Automatic classification +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=বিক্রেতার চালান যাচাই করা হলে লিঙ্কযুক্ত উত্স ক্রয় আদেশকে বিল হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি চালানের পরিমাণ লিঙ্ক করা অর্ডারগুলির মোট পরিমাণের সমান হয়) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=একটি অভ্যর্থনা যাচাই করা হলে প্রাপ্ত হিসাবে লিঙ্কযুক্ত উত্স ক্রয় আদেশ শ্রেণীবদ্ধ করুন (এবং যদি সমস্ত অভ্যর্থনা দ্বারা প্রাপ্ত পরিমাণ আপডেট করার জন্য ক্রয় আদেশের মতোই হয়) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=একটি অভ্যর্থনা বন্ধ হয়ে গেলে প্রাপ্ত হিসাবে লিঙ্কযুক্ত উত্স ক্রয়ের আদেশকে শ্রেণীবদ্ধ করুন (এবং যদি সমস্ত রিসেপশন দ্বারা প্রাপ্ত পরিমাণ আপডেট করার জন্য ক্রয় আদেশের মতোই হয়) # Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=যখন একটি গ্রাহক চালান যাচাই করা হয় তখন লিঙ্কযুক্ত উত্স চালানকে বন্ধ হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি চালানের পরিমাণ লিঙ্ক করা চালানের মোট পরিমাণের সমান হয়) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=যখন একটি গ্রাহক চালান যাচাই করা হয় তখন লিঙ্কযুক্ত উত্স চালানকে বিল হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি চালানের পরিমাণ লিঙ্ক করা চালানের মোট পরিমাণের সমান হয়) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=একটি ক্রয় চালান যাচাই করা হলে লিঙ্কযুক্ত উত্স অভ্যর্থনাগুলিকে বিল হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি চালানের পরিমাণ লিঙ্কযুক্ত অভ্যর্থনার মোট পরিমাণের সমান হয়) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=একটি ক্রয় চালান যাচাই করা হলে লিঙ্কযুক্ত উত্স অভ্যর্থনাগুলিকে বিল হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি চালানের পরিমাণ লিঙ্কযুক্ত অভ্যর্থনার মোট পরিমাণের সমান হয়) +# Automatically link ticket to contract +descWORKFLOW_TICKET_LINK_CONTRACT=একটি টিকিট তৈরি করার সময়, তৃতীয় পক্ষের সাথে মিলে যাওয়া সমস্ত উপলব্ধ চুক্তি লিঙ্ক করুন +descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=চুক্তি লিঙ্ক করার সময়, পিতামাতার কোম্পানিগুলির মধ্যে অনুসন্ধান করুন +# Autoclose intervention +descWORKFLOW_TICKET_CLOSE_INTERVENTION=টিকিট বন্ধ হয়ে গেলে টিকিটের সাথে যুক্ত সমস্ত হস্তক্ষেপ বন্ধ করুন +AutomaticCreation=স্বয়ংক্রিয় সৃষ্টি +AutomaticClassification=স্বয়ংক্রিয় শ্রেণীবিভাগ +AutomaticClosing=স্বয়ংক্রিয় বন্ধ +AutomaticLinking=স্বয়ংক্রিয় লিঙ্কিং diff --git a/htdocs/langs/bn_BD/zapier.lang b/htdocs/langs/bn_BD/zapier.lang index b4cc4ccba4a..93c6e40e7d7 100644 --- a/htdocs/langs/bn_BD/zapier.lang +++ b/htdocs/langs/bn_BD/zapier.lang @@ -13,9 +13,9 @@ # You should have received a copy of the GNU General Public License # along with this program. If not, see . -ModuleZapierForDolibarrName = Zapier for Dolibarr -ModuleZapierForDolibarrDesc = Zapier for Dolibarr module -ZapierForDolibarrSetup=Setup of Zapier for Dolibarr -ZapierDescription=Interface with Zapier -ZapierAbout=About the module Zapier -ZapierSetupPage=There is no need for a setup on Dolibarr side to use Zapier. However, you must generate and publish a package on zapier to be able to use Zapier with Dolibarr. See documentation on
      this wiki page. +ModuleZapierForDolibarrName = Dolibarr জন্য Zapier +ModuleZapierForDolibarrDesc = Dolibarr মডিউল জন্য Zapier +ZapierForDolibarrSetup=Dolibarr জন্য Zapier সেটআপ +ZapierDescription=Zapier সঙ্গে ইন্টারফেস +ZapierAbout=মডিউল Zapier সম্পর্কে +ZapierSetupPage=Zapier ব্যবহার করার জন্য Dolibarr পাশে একটি সেটআপের প্রয়োজন নেই। যাইহোক, Dolibarr এর সাথে Zapier ব্যবহার করতে আপনাকে অবশ্যই zapier-এ একটি প্যাকেজ তৈরি এবং প্রকাশ করতে হবে। এই উইকি পৃষ্ঠা-এ ডকুমেন্টেশন দেখুন। diff --git a/htdocs/langs/bn_IN/accountancy.lang b/htdocs/langs/bn_IN/accountancy.lang index 8bc4b54a090..5746cd97be3 100644 --- a/htdocs/langs/bn_IN/accountancy.lang +++ b/htdocs/langs/bn_IN/accountancy.lang @@ -1,437 +1,518 @@ # Dolibarr language file - en_US - Accountancy (Double entries) -Accountancy=Accountancy -Accounting=Accounting -ACCOUNTING_EXPORT_SEPARATORCSV=Column separator for export file -ACCOUNTING_EXPORT_DATE=Date format for export file -ACCOUNTING_EXPORT_PIECE=Export the number of piece -ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Export with global account -ACCOUNTING_EXPORT_LABEL=Export label -ACCOUNTING_EXPORT_AMOUNT=Export amount -ACCOUNTING_EXPORT_DEVISE=Export currency -Selectformat=Select the format for the file -ACCOUNTING_EXPORT_FORMAT=Select the format for the file -ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type -ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name -ThisService=This service -ThisProduct=This product -DefaultForService=Default for service -DefaultForProduct=Default for product -ProductForThisThirdparty=Product for this thirdparty -ServiceForThisThirdparty=Service for this thirdparty -CantSuggest=Can't suggest -AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s -ConfigAccountingExpert=Configuration of the module accounting (double entry) -Journalization=Journalization -Journals=Journals -JournalFinancial=Financial journals -BackToChartofaccounts=Return chart of accounts -Chartofaccounts=Chart of accounts -ChartOfSubaccounts=Chart of individual accounts -ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger -CurrentDedicatedAccountingAccount=Current dedicated account -AssignDedicatedAccountingAccount=New account to assign -InvoiceLabel=Invoice label -OverviewOfAmountOfLinesNotBound=Overview of amount of lines not bound to an accounting account -OverviewOfAmountOfLinesBound=Overview of amount of lines already bound to an accounting account -OtherInfo=Other information -DeleteCptCategory=Remove accounting account from group -ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group? -JournalizationInLedgerStatus=Status of journalization -AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger -GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group -DetailByAccount=Show detail by account -AccountWithNonZeroValues=Accounts with non-zero values -ListOfAccounts=List of accounts -CountriesInEEC=Countries in EEC -CountriesNotInEEC=Countries not in EEC -CountriesInEECExceptMe=Countries in EEC except %s -CountriesExceptMe=All countries except %s -AccountantFiles=Export source documents -ExportAccountingSourceDocHelp=With this tool, you can export the source events (list in CSV and PDFs) that are used to generate your accountancy. -ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. -VueByAccountAccounting=View by accounting account -VueBySubAccountAccounting=View by accounting subaccount +Accountancy=হিসাববিজ্ঞান +Accounting=হিসাববিজ্ঞান +ACCOUNTING_EXPORT_SEPARATORCSV=এক্সপোর্ট ফাইলের জন্য কলাম বিভাজক +ACCOUNTING_EXPORT_DATE=রপ্তানি ফাইলের জন্য তারিখ বিন্যাস +ACCOUNTING_EXPORT_PIECE=টুকরা সংখ্যা রপ্তানি +ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=গ্লোবাল অ্যাকাউন্ট দিয়ে রপ্তানি করুন +ACCOUNTING_EXPORT_LABEL=রপ্তানি লেবেল +ACCOUNTING_EXPORT_AMOUNT=রপ্তানির পরিমাণ +ACCOUNTING_EXPORT_DEVISE=রপ্তানি মুদ্রা +Selectformat=ফাইলের জন্য বিন্যাস নির্বাচন করুন +ACCOUNTING_EXPORT_FORMAT=ফাইলের জন্য বিন্যাস নির্বাচন করুন +ACCOUNTING_EXPORT_ENDLINE=ক্যারেজ রিটার্ন টাইপ নির্বাচন করুন +ACCOUNTING_EXPORT_PREFIX_SPEC=ফাইলের নামের জন্য উপসর্গ নির্দিষ্ট করুন +ThisService=এই সেবা +ThisProduct=এই পণ্য +DefaultForService=পরিষেবার জন্য ডিফল্ট +DefaultForProduct=পণ্যের জন্য ডিফল্ট +ProductForThisThirdparty=এই তৃতীয় পক্ষের জন্য পণ্য +ServiceForThisThirdparty=এই তৃতীয় পক্ষের জন্য পরিষেবা +CantSuggest=সাজেস্ট করতে পারছি না +AccountancySetupDoneFromAccountancyMenu=অ্যাকাউন্টেন্সির বেশিরভাগ সেটআপ মেনু থেকে করা হয় %s +ConfigAccountingExpert=মডিউল অ্যাকাউন্টিং কনফিগারেশন (ডাবল এন্ট্রি) +Journalization=সাংবাদিকতা +Journals=খতিয়ান +JournalFinancial=আর্থিক জার্নাল +BackToChartofaccounts=অ্যাকাউন্টের রিটার্ন চার্ট +Chartofaccounts=হিসাবরক্ষনের তালিকা +ChartOfSubaccounts=পৃথক অ্যাকাউন্টের চার্ট +ChartOfIndividualAccountsOfSubsidiaryLedger=সাবসিডিয়ারি লেজারের পৃথক অ্যাকাউন্টের চার্ট +CurrentDedicatedAccountingAccount=বর্তমান ডেডিকেটেড অ্যাকাউন্ট +AssignDedicatedAccountingAccount=বরাদ্দ করার জন্য নতুন অ্যাকাউন্ট +InvoiceLabel=চালান লেবেল +OverviewOfAmountOfLinesNotBound=একটি অ্যাকাউন্টিং অ্যাকাউন্টে আবদ্ধ নয় লাইনের পরিমাণের ওভারভিউ +OverviewOfAmountOfLinesBound=ইতিমধ্যে একটি অ্যাকাউন্টিং অ্যাকাউন্টে আবদ্ধ লাইনের পরিমাণের ওভারভিউ +OtherInfo=অন্যান্য তথ্য +DeleteCptCategory=গ্রুপ থেকে অ্যাকাউন্টিং অ্যাকাউন্ট সরান +ConfirmDeleteCptCategory=আপনি কি অ্যাকাউন্টিং অ্যাকাউন্ট গ্রুপ থেকে এই অ্যাকাউন্টিং অ্যাকাউন্টটি সরানোর বিষয়ে নিশ্চিত? +JournalizationInLedgerStatus=সাংবাদিকতার অবস্থা +AlreadyInGeneralLedger=ইতিমধ্যে অ্যাকাউন্টিং জার্নাল এবং লেজারে স্থানান্তরিত হয়েছে +NotYetInGeneralLedger=এখনও অ্যাকাউন্টিং জার্নাল এবং লেজারে স্থানান্তর করা হয়নি +GroupIsEmptyCheckSetup=গ্রুপ খালি, ব্যক্তিগতকৃত অ্যাকাউন্টিং গ্রুপের সেটআপ চেক করুন +DetailByAccount=অ্যাকাউন্ট দ্বারা বিস্তারিত দেখান +DetailBy=দ্বারা বিস্তারিত +AccountWithNonZeroValues=অ-শূন্য মান সহ অ্যাকাউন্ট +ListOfAccounts=অ্যাকাউন্টের তালিকা +CountriesInEEC=EEC-তে থাকা দেশগুলো +CountriesNotInEEC=যেসব দেশ EEC-তে নেই +CountriesInEECExceptMe=%s ছাড়া EEC-তে থাকা দেশ +CountriesExceptMe=%s ছাড়া সব দেশ +AccountantFiles=উৎস নথি রপ্তানি +ExportAccountingSourceDocHelp=এই টুলের সাহায্যে, আপনি আপনার অ্যাকাউন্টেন্সি তৈরি করতে ব্যবহৃত উত্স ইভেন্টগুলি অনুসন্ধান এবং রপ্তানি করতে পারেন।
      রপ্তানি করা জিপ ফাইলে CSV-তে অনুরোধ করা আইটেমগুলির তালিকা, সেইসাথে তাদের সংযুক্ত ফাইলগুলি তাদের আসল বিন্যাসে (PDF, ODT, DOCX...) থাকবে। +ExportAccountingSourceDocHelp2=আপনার জার্নাল রপ্তানি করতে, মেনু এন্ট্রি ব্যবহার করুন %s - %s। +ExportAccountingProjectHelp=যদি আপনি শুধুমাত্র একটি নির্দিষ্ট প্রকল্পের জন্য একটি অ্যাকাউন্টিং রিপোর্ট প্রয়োজন একটি প্রকল্প নির্দিষ্ট করুন. ব্যয় প্রতিবেদন এবং ঋণ পরিশোধ প্রকল্প প্রতিবেদন অন্তর্ভুক্ত করা হয় না. +ExportAccountancy=এক্সপোর্ট অ্যাকাউন্টেন্সি +WarningDataDisappearsWhenDataIsExported=সতর্কতা, এই তালিকায় শুধুমাত্র অ্যাকাউন্টিং এন্ট্রি রয়েছে যা ইতিমধ্যে রপ্তানি করা হয়নি (রপ্তানির তারিখ খালি)। আপনি যদি ইতিমধ্যে রপ্তানি করা অ্যাকাউন্টিং এন্ট্রিগুলি অন্তর্ভুক্ত করতে চান তবে উপরের বোতামটিতে ক্লিক করুন৷ +VueByAccountAccounting=অ্যাকাউন্টিং অ্যাকাউন্ট দ্বারা দেখুন +VueBySubAccountAccounting=অ্যাকাউন্টিং সাবঅ্যাকাউন্ট দ্বারা দেখুন -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup -MainAccountForUsersNotDefined=Main accounting account for users not defined in setup -MainAccountForVatPaymentNotDefined=Main accounting account for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Main accounting account for subscription payment not defined in setup +MainAccountForCustomersNotDefined=মূল অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) গ্রাহকদের জন্য সেটআপে সংজ্ঞায়িত করা হয়নি +MainAccountForSuppliersNotDefined=বিক্রেতাদের জন্য মূল অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) সেটআপে সংজ্ঞায়িত করা হয়নি +MainAccountForUsersNotDefined=সেটআপে সংজ্ঞায়িত করা হয়নি এমন ব্যবহারকারীদের জন্য প্রধান অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) +MainAccountForVatPaymentNotDefined=VAT প্রদানের জন্য অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) সেটআপে সংজ্ঞায়িত করা হয়নি +MainAccountForSubscriptionPaymentNotDefined=সদস্যতা প্রদানের জন্য অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) সেটআপে সংজ্ঞায়িত করা হয়নি +MainAccountForRetainedWarrantyNotDefined=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) ধরে রাখা ওয়ারেন্টির জন্য সেটআপে সংজ্ঞায়িত করা হয়নি +UserAccountNotDefined=ব্যবহারকারীর জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সেটআপে সংজ্ঞায়িত করা হয়নি -AccountancyArea=Accounting area -AccountancyAreaDescIntro=Usage of the accountancy module is done in several step: -AccountancyAreaDescActionOnce=The following actions are usually executed one time only, or once per year... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you the correct default accounting account when making the journalization (writing record in Journals and General ledger) -AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... +AccountancyArea=অ্যাকাউন্টিং এলাকা +AccountancyAreaDescIntro=অ্যাকাউন্টেন্সি মডিউলের ব্যবহার কয়েকটি ধাপে করা হয়: +AccountancyAreaDescActionOnce=নিম্নলিখিত ক্রিয়াগুলি সাধারণত শুধুমাত্র একবার বা বছরে একবার সম্পাদিত হয়... +AccountancyAreaDescActionOnceBis=অ্যাকাউন্টিংয়ে ডেটা স্থানান্তর করার সময় আপনাকে স্বয়ংক্রিয়ভাবে সঠিক ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্টের পরামর্শ দিয়ে ভবিষ্যতে আপনার সময় বাঁচাতে পরবর্তী পদক্ষেপগুলি করা উচিত +AccountancyAreaDescActionFreq=নিম্নলিখিত ক্রিয়াগুলি সাধারণত খুব বড় কোম্পানিগুলির জন্য প্রতি মাসে, সপ্তাহে বা দিনে সম্পাদিত হয়... -AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s -AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescJournalSetup=ধাপ %s: মেনু %s থেকে আপনার জার্নাল তালিকার বিষয়বস্তু পরীক্ষা করুন +AccountancyAreaDescChartModel=ধাপ %s: চেক করুন যে অ্যাকাউন্টের চার্টের একটি মডেল বিদ্যমান আছে বা মেনু থেকে একটি তৈরি করুন %s +AccountancyAreaDescChart=ধাপ %s: নির্বাচন করুন এবং|অথবা মেনু %s থেকে আপনার অ্যাকাউন্টের চার্ট সম্পূর্ণ করুন -AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. -AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. -AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expenses (miscellaneous taxes). For this, use the menu entry %s. -AccountancyAreaDescDonation=STEP %s: Define default accounting accounts for donation. For this, use the menu entry %s. -AccountancyAreaDescSubscription=STEP %s: Define default accounting accounts for member subscription. For this, use the menu entry %s. -AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. -AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your products/services. For this, use the menu entry %s. +AccountancyAreaDescFiscalPeriod=ধাপ %s: ডিফল্টভাবে একটি আর্থিক বছর সংজ্ঞায়িত করুন যার উপর আপনার অ্যাকাউন্টিং এন্ট্রিগুলিকে একীভূত করতে হবে। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescVat=ধাপ %s: প্রতিটি ভ্যাট হারের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescDefault=ধাপ %s: ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescExpenseReport=ধাপ %s: প্রতিটি ধরনের ব্যয় প্রতিবেদনের জন্য ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescSal=ধাপ %s: বেতন পরিশোধের জন্য ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescContrib=ধাপ %s: করের (বিশেষ খরচ) জন্য ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescDonation=ধাপ %s: অনুদানের জন্য ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescSubscription=ধাপ %s: সদস্য সদস্যতার জন্য ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescMisc=ধাপ %s: বিবিধ লেনদেনের জন্য বাধ্যতামূলক ডিফল্ট অ্যাকাউন্ট এবং ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescLoan=ধাপ %s: ঋণের জন্য ডিফল্ট অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescBank=ধাপ %s: প্রতিটি ব্যাঙ্ক এবং আর্থিক অ্যাকাউন্টের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট এবং জার্নাল কোড সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescProd=ধাপ %s: আপনার পণ্য/পরিষেবাগুলিতে অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। -AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. -AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and generate reports and exports. +AccountancyAreaDescBind=পদক্ষেপ %s: বিদ্যমান %s লাইন এবং অ্যাকাউন্টিং অ্যাকাউন্টের মধ্যে বাঁধাই পরীক্ষা করুন, তাই অ্যাপ্লিকেশন লেজারে লেনদেন জার্নালাইজ করতে সক্ষম হবে এক ক্লিকে। অনুপস্থিত বাঁধাই সম্পূর্ণ করুন। এর জন্য, %s মেনু এন্ট্রি ব্যবহার করুন। +AccountancyAreaDescWriteRecords=ধাপ %s: লেজারে লেনদেন লিখুন। এর জন্য, %s মেনুতে যান এবং বোতামে ক্লিক করুন %s। +AccountancyAreaDescAnalyze=ধাপ %s: রিপোর্টিং পড়ুন বা অন্য বুককিপারদের জন্য এক্সপোর্ট ফাইল তৈরি করুন। +AccountancyAreaDescClosePeriod=ধাপ %s: সময়কাল বন্ধ করুন যাতে আমরা ভবিষ্যতে একই সময়ের মধ্যে আর ডেটা স্থানান্তর করতে পারি না। -AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. - -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) -Selectchartofaccounts=Select active chart of accounts -ChangeAndLoad=Change and load -Addanaccount=Add an accounting account -AccountAccounting=Accounting account -AccountAccountingShort=Account -SubledgerAccount=Subledger account -SubledgerAccountLabel=Subledger account label -ShowAccountingAccount=Show accounting account -ShowAccountingJournal=Show accounting journal -ShowAccountingAccountInLedger=Show accounting account in ledger -ShowAccountingAccountInJournals=Show accounting account in journals -AccountAccountingSuggest=Accounting account suggested -MenuDefaultAccounts=Default accounts -MenuBankAccounts=Bank accounts -MenuVatAccounts=Vat accounts -MenuTaxAccounts=Tax accounts -MenuExpenseReportAccounts=Expense report accounts -MenuLoanAccounts=Loan accounts -MenuProductsAccounts=Product accounts -MenuClosureAccounts=Closure accounts -MenuAccountancyClosure=Closure -MenuAccountancyValidationMovements=Validate movements -ProductsBinding=Products accounts -TransferInAccounting=Transfer in accounting -RegistrationInAccounting=Registration in accounting -Binding=Binding to accounts -CustomersVentilation=Customer invoice binding -SuppliersVentilation=Vendor invoice binding -ExpenseReportsVentilation=Expense report binding -CreateMvts=Create new transaction -UpdateMvts=Modification of a transaction -ValidTransaction=Validate transaction -WriteBookKeeping=Register transactions in accounting -Bookkeeping=Ledger -BookkeepingSubAccount=Subledger -AccountBalance=Account balance -ObjectsRef=Source object ref -CAHTF=Total purchase vendor before tax -TotalExpenseReport=Total expense report -InvoiceLines=Lines of invoices to bind -InvoiceLinesDone=Bound lines of invoices -ExpenseReportLines=Lines of expense reports to bind -ExpenseReportLinesDone=Bound lines of expense reports -IntoAccount=Bind line with the accounting account -TotalForAccount=Total accounting account +TheFiscalPeriodIsNotDefined=সেটআপের একটি বাধ্যতামূলক পদক্ষেপ সম্পূর্ণ হয়নি (আর্থিক সময়কাল সংজ্ঞায়িত করা হয়নি) +TheJournalCodeIsNotDefinedOnSomeBankAccount=সেটআপের একটি বাধ্যতামূলক পদক্ষেপ সম্পূর্ণ হয়নি (সব ব্যাঙ্ক অ্যাকাউন্টের জন্য অ্যাকাউন্টিং কোড জার্নাল সংজ্ঞায়িত নয়) +Selectchartofaccounts=অ্যাকাউন্টের সক্রিয় চার্ট নির্বাচন করুন +CurrentChartOfAccount=অ্যাকাউন্টের বর্তমান সক্রিয় চার্ট +ChangeAndLoad=পরিবর্তন এবং লোড +Addanaccount=একটি অ্যাকাউন্টিং অ্যাকাউন্ট যোগ করুন +AccountAccounting=অ্যাকাউন্টিং অ্যাকাউন্ট +AccountAccountingShort=হিসাব +SubledgerAccount=Subledger অ্যাকাউন্ট +SubledgerAccountLabel=Subledger অ্যাকাউন্ট লেবেল +ShowAccountingAccount=হিসাব-নিকাশ দেখান +ShowAccountingJournal=অ্যাকাউন্টিং জার্নাল দেখান +ShowAccountingAccountInLedger=লেজারে অ্যাকাউন্টিং অ্যাকাউন্ট দেখান +ShowAccountingAccountInJournals=জার্নালে অ্যাকাউন্টিং অ্যাকাউন্ট দেখান +DataUsedToSuggestAccount=অ্যাকাউন্ট সাজেস্ট করতে ব্যবহৃত ডেটা +AccountAccountingSuggest=অ্যাকাউন্ট প্রস্তাবিত +MenuDefaultAccounts=ডিফল্ট অ্যাকাউন্ট +MenuBankAccounts=ব্যাংক হিসাব +MenuVatAccounts=ভ্যাট অ্যাকাউন্ট +MenuTaxAccounts=ট্যাক্স অ্যাকাউন্ট +MenuExpenseReportAccounts=খরচ রিপোর্ট অ্যাকাউন্ট +MenuLoanAccounts=ঋণ হিসাব +MenuProductsAccounts=পণ্য অ্যাকাউন্ট +MenuClosureAccounts=বন্ধ অ্যাকাউন্ট +MenuAccountancyClosure=বন্ধ +MenuExportAccountancy=এক্সপোর্ট অ্যাকাউন্টেন্সি +MenuAccountancyValidationMovements=আন্দোলনের বৈধতা +ProductsBinding=পণ্য অ্যাকাউন্ট +TransferInAccounting=অ্যাকাউন্টিং মধ্যে স্থানান্তর +RegistrationInAccounting=অ্যাকাউন্টিং মধ্যে রেকর্ডিং +Binding=অ্যাকাউন্টে বাঁধাই +CustomersVentilation=গ্রাহক চালান বাঁধাই +SuppliersVentilation=বিক্রেতা চালান বাঁধাই +ExpenseReportsVentilation=ব্যয় প্রতিবেদন বাধ্যতামূলক +CreateMvts=নতুন লেনদেন তৈরি করুন +UpdateMvts=একটি লেনদেনের পরিবর্তন +ValidTransaction=লেনদেন যাচাই করুন +WriteBookKeeping=অ্যাকাউন্টিংয়ে লেনদেন রেকর্ড করুন +Bookkeeping=খাতা +BookkeepingSubAccount=সাবলেজার +AccountBalance=হিসাবের পরিমান +AccountBalanceSubAccount=উপ-অ্যাকাউন্ট ব্যালেন্স +ObjectsRef=উৎস বস্তু রেফ +CAHTF=ট্যাক্সের আগে মোট ক্রয় বিক্রেতা +TotalExpenseReport=মোট খরচ রিপোর্ট +InvoiceLines=চালান লাইন বাঁধাই +InvoiceLinesDone=চালানের আবদ্ধ লাইন +ExpenseReportLines=ব্যয়ের প্রতিবেদনের লাইন বাঁধাই +ExpenseReportLinesDone=ব্যয় প্রতিবেদনের আবদ্ধ লাইন +IntoAccount=অ্যাকাউন্টিং অ্যাকাউন্টের সাথে লাইন বাঁধুন +TotalForAccount=মোট হিসাব হিসাব -Ventilate=Bind -LineId=Id line -Processing=Processing -EndProcessing=Process terminated. -SelectedLines=Selected lines -Lineofinvoice=Line of invoice -LineOfExpenseReport=Line of expense report -NoAccountSelected=No accounting account selected -VentilatedinAccount=Binded successfully to the accounting account -NotVentilatedinAccount=Not bound to the accounting account -XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account -XLineFailedToBeBinded=%s products/services were not bound to any accounting account +Ventilate=বাঁধাই করা +LineId=আইডি লাইন +Processing=প্রক্রিয়াকরণ +EndProcessing=প্রক্রিয়া সমাপ্ত. +SelectedLines=নির্বাচিত লাইন +Lineofinvoice=চালানের লাইন +LineOfExpenseReport=ব্যয় প্রতিবেদনের লাইন +NoAccountSelected=কোনো অ্যাকাউন্টিং অ্যাকাউন্ট নির্বাচন করা হয়নি +VentilatedinAccount=অ্যাকাউন্টিং অ্যাকাউন্টে সফলভাবে আবদ্ধ +NotVentilatedinAccount=হিসাব খাতায় আবদ্ধ নয় +XLineSuccessfullyBinded=%s পণ্য/পরিষেবা সফলভাবে একটি অ্যাকাউন্টিং অ্যাকাউন্টে আবদ্ধ +XLineFailedToBeBinded=%s পণ্য/পরিষেবা কোনো অ্যাকাউন্টিং অ্যাকাউন্টে আবদ্ধ ছিল না -ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50) -ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements -ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements +ACCOUNTING_LIMIT_LIST_VENTILATION=তালিকা এবং বাঁধাই পৃষ্ঠায় সর্বাধিক লাইনের সংখ্যা (প্রস্তাবিত: 50) +ACCOUNTING_LIST_SORT_VENTILATION_TODO=সাম্প্রতিক উপাদানগুলির দ্বারা "করতে বাঁধাই" পৃষ্ঠার সাজানো শুরু করুন +ACCOUNTING_LIST_SORT_VENTILATION_DONE=সাম্প্রতিক উপাদানগুলির দ্বারা "বাইন্ডিং সম্পন্ন" পৃষ্ঠার সাজানো শুরু করুন -ACCOUNTING_LENGTH_DESCRIPTION=Truncate product & services description in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncate product & services account description form in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set value to 6 here, the account '706' will appear like '706000' on screen) -ACCOUNTING_LENGTH_AACCOUNT=Length of the third-party accounting accounts (If you set value to 6 here, the account '401' will appear like '401000' on screen) -ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of an accounting account. Needed by some countries (like Switzerland). If set to off (default), you can set the following two parameters to ask the application to add virtual zeros. -BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account -ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal -ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, select period show by default +ACCOUNTING_LENGTH_DESCRIPTION=x অক্ষরের পরে তালিকায় পণ্য ও পরিষেবার বিবরণ ছেঁটে দিন (সেরা = ৫০) +ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=x অক্ষরের পরে তালিকায় পণ্য ও পরিষেবার অ্যাকাউন্টের বিবরণ ফর্ম ছেঁটে দিন (সেরা = ৫০) +ACCOUNTING_LENGTH_GACCOUNT=সাধারণ অ্যাকাউন্টিং অ্যাকাউন্টের দৈর্ঘ্য (যদি আপনি এখানে 6 মান সেট করেন, তাহলে '706' অ্যাকাউন্টটি স্ক্রিনে '706000'-এর মতো প্রদর্শিত হবে) +ACCOUNTING_LENGTH_AACCOUNT=তৃতীয় পক্ষের অ্যাকাউন্টিং অ্যাকাউন্টগুলির দৈর্ঘ্য (যদি আপনি এখানে 6 তে মান সেট করেন, তাহলে '401' অ্যাকাউন্টটি স্ক্রিনে '401000'-এর মতো প্রদর্শিত হবে) +ACCOUNTING_MANAGE_ZERO=একটি অ্যাকাউন্টিং অ্যাকাউন্টের শেষে বিভিন্ন সংখ্যক শূন্য পরিচালনা করার অনুমতি দিন। কিছু দেশ (যেমন সুইজারল্যান্ড) দ্বারা প্রয়োজন। যদি অফ সেট করা থাকে (ডিফল্ট), আপনি ভার্চুয়াল শূন্য যোগ করতে অ্যাপ্লিকেশনটিকে বলার জন্য নিম্নলিখিত দুটি প্যারামিটার সেট করতে পারেন। +BANK_DISABLE_DIRECT_INPUT=ব্যাঙ্ক অ্যাকাউন্টে লেনদেনের সরাসরি রেকর্ডিং অক্ষম করুন +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=জার্নালে খসড়া রপ্তানি সক্ষম করুন৷ +ACCOUNTANCY_COMBO_FOR_AUX=সাবসিডিয়ারি অ্যাকাউন্টের জন্য কম্বো তালিকা সক্ষম করুন (যদি আপনার অনেক তৃতীয় পক্ষ থাকে তবে ধীর হতে পারে, মানটির একটি অংশ অনুসন্ধান করার ক্ষমতা বিরতি) +ACCOUNTING_DATE_START_BINDING=তারিখ এই তারিখের নিচে হলে অ্যাকাউন্টেন্সিতে বাঁধাই এবং স্থানান্তর অক্ষম করুন (এই তারিখের আগে লেনদেনগুলি ডিফল্টরূপে বাদ দেওয়া হবে) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=অ্যাকাউন্টেন্সিতে ডেটা স্থানান্তর করতে পৃষ্ঠায়, ডিফল্টরূপে নির্বাচিত সময়কাল কী -ACCOUNTING_SELL_JOURNAL=Sell journal -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal -ACCOUNTING_MISCELLANEOUS_JOURNAL=Miscellaneous journal -ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal -ACCOUNTING_SOCIAL_JOURNAL=Social journal -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal +ACCOUNTING_SELL_JOURNAL=বিক্রয় জার্নাল - বিক্রয় এবং রিটার্ন +ACCOUNTING_PURCHASE_JOURNAL=ক্রয় জার্নাল - ক্রয় এবং ফেরত +ACCOUNTING_BANK_JOURNAL=নগদ জার্নাল - রসিদ এবং বিতরণ +ACCOUNTING_EXPENSEREPORT_JOURNAL=ব্যয় প্রতিবেদন জার্নাল +ACCOUNTING_MISCELLANEOUS_JOURNAL=সাধারণ সাময়িক পত্রিকা +ACCOUNTING_HAS_NEW_JOURNAL=নতুন জার্নাল আছে +ACCOUNTING_INVENTORY_JOURNAL=ইনভেন্টরি জার্নাল +ACCOUNTING_SOCIAL_JOURNAL=সামাজিক জার্নাল -ACCOUNTING_RESULT_PROFIT=Result accounting account (Profit) -ACCOUNTING_RESULT_LOSS=Result accounting account (Loss) -ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal of closure +ACCOUNTING_RESULT_PROFIT=ফলাফল হিসাব হিসাব (লাভ) +ACCOUNTING_RESULT_LOSS=ফলাফল হিসাব হিসাব (ক্ষতি) +ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=বন্ধের জার্নাল +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=ব্যালেন্স শীট অ্যাকাউন্টের জন্য ব্যবহৃত অ্যাকাউন্টিং গ্রুপ (কমা দ্বারা পৃথক) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=আয় বিবরণীর জন্য ব্যবহৃত অ্যাকাউন্টিং গ্রুপ (কমা দ্বারা পৃথক) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Accounting account of transitional bank transfer -TransitionalAccount=Transitional bank transfer account +ACCOUNTING_ACCOUNT_TRANSFER_CASH=ট্রানজিশনাল ব্যাঙ্ক ট্রান্সফারের জন্য অ্যাকাউন্ট হিসাবে ব্যবহার করা অ্যাকাউন্ট (একাউন্টের চার্ট থেকে) +TransitionalAccount=ট্রানজিশনাল ব্যাঙ্ক ট্রান্সফার অ্যাকাউন্ট -ACCOUNTING_ACCOUNT_SUSPENSE=Accounting account of wait -DONATION_ACCOUNTINGACCOUNT=Accounting account to register donations -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Accounting account to register subscriptions +ACCOUNTING_ACCOUNT_SUSPENSE=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) প্রাপ্ত বা প্রদত্ত অর্থের জন্য অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে প্রাপ্ত বা প্রদত্ত অর্থ "অপেক্ষা[ইং]" এর মধ্যে +DONATION_ACCOUNTINGACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) অনুদান নিবন্ধন করতে ব্যবহার করা হবে (দান মডিউল) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) সদস্যতা সদস্যতা নিবন্ধন করতে ব্যবহার করা হবে (সদস্য মডিউল - যদি সদস্যতা চালান ছাড়া রেকর্ড করা হয়) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Accounting account by default to register customer deposit +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=গ্রাহক আমানত নিবন্ধন করার জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) +UseAuxiliaryAccountOnCustomerDeposit=ডাউন পেমেন্টের লাইনের জন্য সাবসিডিয়ারি লেজারে পৃথক অ্যাকাউন্ট হিসাবে গ্রাহক অ্যাকাউন্ট সংরক্ষণ করুন (অক্ষম থাকলে, ডাউন পেমেন্ট লাইনের জন্য পৃথক অ্যাকাউন্ট খালি থাকবে) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) ডিফল্ট হিসাবে ব্যবহার করতে হবে +UseAuxiliaryAccountOnSupplierDeposit=ডাউন পেমেন্ট লাইনের জন্য সাবসিডিয়ারি লেজারে পৃথক অ্যাকাউন্ট হিসাবে সরবরাহকারীর অ্যাকাউন্ট সংরক্ষণ করুন (অক্ষম থাকলে, ডাউন পেমেন্ট লাইনের জন্য পৃথক অ্যাকাউন্ট খালি থাকবে) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=গ্রাহক ধরে রাখা ওয়ারেন্টি নিবন্ধন করার জন্য ডিফল্টরূপে অ্যাকাউন্টিং অ্যাকাউন্ট -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Accounting account by default for the bought products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Accounting account by default for the bought products in EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought products and imported out of EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Accounting account by default for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Accounting account by default for the products sold in EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Accounting account by default for the products sold and exported out of EEC (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) একই দেশের মধ্যে কেনা পণ্যগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (প্রোডাক্ট শীটে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) EEC থেকে অন্য EEC দেশে কেনা পণ্যগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (প্রোডাক্ট শীটে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) অন্য কোনো বিদেশী দেশ থেকে কেনা এবং আমদানি করা পণ্যগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (যদি পণ্য শীটে সংজ্ঞায়িত না থাকে তবে ব্যবহার করা হয়) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) বিক্রি হওয়া পণ্যগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (প্রোডাক্ট শীটে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) EEC থেকে অন্য EEC দেশে বিক্রি হওয়া পণ্যগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (যদি পণ্য শীটে সংজ্ঞায়িত না হয় তবে ব্যবহৃত হয়) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) অন্য কোনো বিদেশী দেশে বিক্রি এবং রপ্তানি করা পণ্যের জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (পণ্যের শীটে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Accounting account by default for the bought services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Accounting account by default for the bought services in EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought services and imported out of EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Accounting account by default for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Accounting account by default for the services sold in EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Accounting account by default for the services sold and exported out of EEC (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) একই দেশের মধ্যে কেনা পরিষেবাগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (পরিষেবা পত্রে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) EEC থেকে অন্য EEC দেশে কেনা পরিষেবাগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (যদি পরিষেবা শীটে সংজ্ঞায়িত না থাকে তবে ব্যবহার করা হয়) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) অন্য বিদেশ থেকে কেনা এবং আমদানি করা পরিষেবাগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (পরিষেবা শীটে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) বিক্রি হওয়া পরিষেবাগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (পরিষেবা শীটে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) EEC থেকে অন্য EEC দেশে বিক্রি করা পরিষেবাগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (যদি পরিষেবা শীটে সংজ্ঞায়িত না থাকে তবে ব্যবহার করা হয়) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) অন্য কোন বিদেশী দেশে বিক্রি এবং রপ্তানি করা পরিষেবাগুলির জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (পরিষেবা পত্রে সংজ্ঞায়িত না থাকলে ব্যবহার করা হয়) -Doctype=Type of document -Docdate=Date -Docref=Reference -LabelAccount=Label account -LabelOperation=Label operation -Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
      For an accounting account of a supplier, use Debit to record a payment you made -LetteringCode=Lettering code -Lettering=Lettering -Codejournal=Journal -JournalLabel=Journal label -NumPiece=Piece number -TransactionNumShort=Num. transaction -AccountingCategory=Custom group -GroupByAccountAccounting=Group by general ledger account -GroupBySubAccountAccounting=Group by subledger account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. -ByAccounts=By accounts -ByPredefinedAccountGroups=By predefined groups -ByPersonalizedAccountGroups=By personalized groups -ByYear=By year -NotMatch=Not Set -DeleteMvt=Delete some operation lines from accounting -DelMonth=Month to delete -DelYear=Year to delete -DelJournal=Journal to delete -ConfirmDeleteMvt=This will delete all operation lines of the accounting for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all operation lines related to the same transaction will be deleted) -FinanceJournal=Finance journal -ExpenseReportsJournal=Expense reports journal -DescFinanceJournal=Finance journal including all the types of payments by bank account -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. -VATAccountNotDefined=Account for VAT not defined -ThirdpartyAccountNotDefined=Account for third party not defined -ProductAccountNotDefined=Account for product not defined -FeeAccountNotDefined=Account for fee not defined -BankAccountNotDefined=Account for bank not defined -CustomerInvoicePayment=Payment of invoice customer -ThirdPartyAccount=Third-party account -NewAccountingMvt=New transaction -NumMvts=Numero of transaction -ListeMvts=List of movements -ErrorDebitCredit=Debit and Credit cannot have a value at the same time -AddCompteFromBK=Add accounting accounts to the group -ReportThirdParty=List third-party account -DescThirdPartyReport=Consult here the list of third-party customers and vendors and their accounting accounts -ListAccounts=List of the accounting accounts -UnknownAccountForThirdparty=Unknown third-party account. We will use %s -UnknownAccountForThirdpartyBlocking=Unknown third-party account. Blocking error -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Third-party unknown and subledger not defined on the payment. We will keep the subledger account value empty. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger account not defined or third party or user unknown. Blocking error. -UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third-party account and waiting account not defined. Blocking error -PaymentsNotLinkedToProduct=Payment not linked to any product / service -OpeningBalance=Opening balance -ShowOpeningBalance=Show opening balance -HideOpeningBalance=Hide opening balance -ShowSubtotalByGroup=Show subtotal by level +Doctype=নথির ধরণ +Docdate=তারিখ +Docref=রেফারেন্স +LabelAccount=লেবেল অ্যাকাউন্ট +LabelOperation=লেবেল অপারেশন +Sens=অভিমুখ +AccountingDirectionHelp=একটি গ্রাহকের অ্যাকাউন্টিং অ্যাকাউন্টের জন্য, আপনার প্রাপ্ত একটি পেমেন্ট রেকর্ড করতে ক্রেডিট ব্যবহার করুন
      একটি সরবরাহকারীর অ্যাকাউন্টিং অ্যাকাউন্টের জন্য, আপনার করা পেমেন্ট রেকর্ড করতে ডেবিট ব্যবহার করুন +LetteringCode=লেটারিং কোড +Lettering=লেটারিং +Codejournal=জার্নাল +JournalLabel=জার্নাল লেবেল +NumPiece=পিস নম্বর +TransactionNumShort=সংখ্যা লেনদেন +AccountingCategory=অ্যাকাউন্টের কাস্টম গ্রুপ +AccountingCategories=অ্যাকাউন্টের কাস্টম গ্রুপ +GroupByAccountAccounting=সাধারণ লেজার অ্যাকাউন্ট দ্বারা গোষ্ঠী +GroupBySubAccountAccounting=সাবলেজার অ্যাকাউন্ট দ্বারা গোষ্ঠী +AccountingAccountGroupsDesc=আপনি এখানে অ্যাকাউন্টিং অ্যাকাউন্টের কয়েকটি গ্রুপ সংজ্ঞায়িত করতে পারেন। এগুলি ব্যক্তিগতকৃত অ্যাকাউন্টিং প্রতিবেদনের জন্য ব্যবহার করা হবে। +ByAccounts=অ্যাকাউন্টস দ্বারা +ByPredefinedAccountGroups=পূর্বনির্ধারিত গ্রুপ দ্বারা +ByPersonalizedAccountGroups=ব্যক্তিগতকৃত গ্রুপ দ্বারা +ByYear=বছর দ্বারা +NotMatch=সেট না +DeleteMvt=অ্যাকাউন্টিং থেকে কিছু লাইন মুছুন +DelMonth=মুছে ফেলার মাস +DelYear=মুছে ফেলার বছর +DelJournal=মুছে ফেলার জন্য জার্নাল +ConfirmDeleteMvt=এটি বছরের/মাস এবং/অথবা একটি নির্দিষ্ট জার্নালের জন্য অ্যাকাউন্টেন্সির সমস্ত লাইন মুছে ফেলবে (অন্তত একটি মানদণ্ড প্রয়োজন)। মুছে ফেলা রেকর্ডটি লেজারে ফেরত পেতে আপনাকে '%s' বৈশিষ্ট্যটি পুনরায় ব্যবহার করতে হবে৷ +ConfirmDeleteMvtPartial=এটি অ্যাকাউন্টিং থেকে লেনদেন মুছে ফেলবে (একই লেনদেনের সাথে সম্পর্কিত সমস্ত লাইন মুছে ফেলা হবে) +FinanceJournal=ফাইন্যান্স জার্নাল +ExpenseReportsJournal=খরচ রিপোর্ট জার্নাল +InventoryJournal=ইনভেন্টরি জার্নাল +DescFinanceJournal=ব্যাঙ্ক অ্যাকাউন্ট দ্বারা সমস্ত ধরনের অর্থপ্রদান সহ ফিনান্স জার্নাল +DescJournalOnlyBindedVisible=এটি রেকর্ডের একটি দৃশ্য যা একটি অ্যাকাউন্টিং অ্যাকাউন্টের সাথে আবদ্ধ এবং জার্নাল এবং লেজারে রেকর্ড করা যেতে পারে। +VATAccountNotDefined=ভ্যাটের জন্য অ্যাকাউন্ট সংজ্ঞায়িত নয় +ThirdpartyAccountNotDefined=তৃতীয় পক্ষের জন্য অ্যাকাউন্ট সংজ্ঞায়িত নয় +ProductAccountNotDefined=পণ্যের জন্য অ্যাকাউন্ট সংজ্ঞায়িত নয় +FeeAccountNotDefined=ফি জন্য অ্যাকাউন্ট সংজ্ঞায়িত করা হয় না +BankAccountNotDefined=ব্যাঙ্কের জন্য অ্যাকাউন্ট সংজ্ঞায়িত নয় +CustomerInvoicePayment=চালান গ্রাহকের পেমেন্ট +ThirdPartyAccount=তৃতীয় পক্ষের অ্যাকাউন্ট +NewAccountingMvt=নতুন লেনদেন +NumMvts=লেনদেনের সংখ্যা +ListeMvts=আন্দোলনের তালিকা +ErrorDebitCredit=ডেবিট এবং ক্রেডিট একই সময়ে একটি মান থাকতে পারে না +AddCompteFromBK=গ্রুপে অ্যাকাউন্টিং অ্যাকাউন্ট যোগ করুন +ReportThirdParty=তৃতীয় পক্ষের অ্যাকাউন্ট তালিকাভুক্ত করুন +DescThirdPartyReport=এখানে তৃতীয় পক্ষের গ্রাহক এবং বিক্রেতাদের তালিকা এবং তাদের অ্যাকাউন্টিং অ্যাকাউন্টগুলির সাথে পরামর্শ করুন৷ +ListAccounts=অ্যাকাউন্টিং অ্যাকাউন্টের তালিকা +UnknownAccountForThirdparty=অজানা তৃতীয় পক্ষের অ্যাকাউন্ট। আমরা %s ব্যবহার করব +UnknownAccountForThirdpartyBlocking=অজানা তৃতীয় পক্ষের অ্যাকাউন্ট। ব্লকিং ত্রুটি +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger অ্যাকাউন্ট সংজ্ঞায়িত নয় বা তৃতীয় পক্ষ বা ব্যবহারকারী অজানা। আমরা %s ব্যবহার করব +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=তৃতীয় পক্ষের অজানা এবং সাবলেজার পেমেন্টে সংজ্ঞায়িত নয়। আমরা সাবলেজার অ্যাকাউন্টের মান খালি রাখব। +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger অ্যাকাউন্ট সংজ্ঞায়িত নয় বা তৃতীয় পক্ষ বা ব্যবহারকারী অজানা। ব্লকিং ত্রুটি। +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=অজানা তৃতীয় পক্ষের অ্যাকাউন্ট এবং অপেক্ষার অ্যাকাউন্ট সংজ্ঞায়িত করা হয়নি। ব্লকিং ত্রুটি +PaymentsNotLinkedToProduct=অর্থপ্রদান কোনো পণ্য/সেবার সাথে যুক্ত নয় +OpeningBalance=খোলার ব্যালেন্স +ShowOpeningBalance=খোলার ব্যালেন্স দেখান +HideOpeningBalance=খোলার ব্যালেন্স লুকান +ShowSubtotalByGroup=স্তর অনুসারে সাবটোটাল দেখান -Pcgtype=Group of account -PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. +Pcgtype=অ্যাকাউন্টের গ্রুপ +PcgtypeDesc=অ্যাকাউন্টের গ্রুপ কিছু অ্যাকাউন্টিং রিপোর্টের জন্য পূর্বনির্ধারিত 'ফিল্টার' এবং 'গ্রুপিং' মানদণ্ড হিসাবে ব্যবহৃত হয়। উদাহরণস্বরূপ, 'আয়' বা 'ব্যয়' ব্যয়/আয় প্রতিবেদন তৈরি করার জন্য পণ্যের অ্যাকাউন্টিং অ্যাকাউন্টের জন্য গ্রুপ হিসাবে ব্যবহৃত হয়। +AccountingCategoriesDesc=ফিল্টার ব্যবহার বা কাস্টম রিপোর্ট তৈরি করা সহজ করার জন্য অ্যাকাউন্টের কাস্টম গ্রুপ অ্যাকাউন্টিং অ্যাকাউন্টগুলিকে একটি নামে গ্রুপ করতে ব্যবহার করা যেতে পারে। -Reconcilable=Reconcilable +Reconcilable=মিলনযোগ্য -TotalVente=Total turnover before tax -TotalMarge=Total sales margin +TotalVente=ট্যাক্সের আগে মোট টার্নওভার +TotalMarge=মোট বিক্রয় মার্জিন -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product accounting account -DescVentilMore=In most cases, if you use predefined products or services and you set the account number on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product accounting account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product accounting account -ChangeAccount=Change the product/service accounting account for selected lines with the following accounting account: +DescVentilCustomer=এখানে অ্যাকাউন্টের চার্ট থেকে একটি পণ্য অ্যাকাউন্টে আবদ্ধ (বা না) গ্রাহক চালান লাইনের তালিকা দেখুন +DescVentilMore=বেশিরভাগ ক্ষেত্রে, আপনি যদি পূর্বনির্ধারিত পণ্য বা পরিষেবা ব্যবহার করেন এবং আপনি পণ্য/পরিষেবা কার্ডে অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) সেট করেন, তাহলে অ্যাপ্লিকেশনটি আপনার চালান লাইন এবং আপনার চার্টের অ্যাকাউন্টিং অ্যাকাউন্টের মধ্যে সমস্ত বাঁধাই করতে সক্ষম হবে অ্যাকাউন্টগুলির, বোতামের সাথে শুধুমাত্র এক ক্লিকে "%s" > যদি পণ্য/পরিষেবা কার্ডে অ্যাকাউন্ট সেট করা না থাকে বা আপনার যদি এখনও কিছু লাইন থাকে যা কোনো অ্যাকাউন্টে আবদ্ধ না থাকে, তাহলে আপনাকে মেনু থেকে একটি ম্যানুয়াল বাইন্ডিং করতে হবে "%s"। +DescVentilDoneCustomer=এখানে অ্যাকাউন্টের চার্ট থেকে চালান গ্রাহকদের লাইন এবং তাদের পণ্য অ্যাকাউন্টের তালিকা দেখুন +DescVentilTodoCustomer=অ্যাকাউন্টের চার্ট থেকে একটি পণ্য অ্যাকাউন্টের সাথে ইতিমধ্যেই আবদ্ধ নয় চালান লাইনগুলি আবদ্ধ করুন৷ +ChangeAccount=নিম্নলিখিত অ্যাকাউন্টের সাথে নির্বাচিত লাইনগুলির জন্য পণ্য/পরিষেবা অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) পরিবর্তন করুন: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product accounting account (only record not already transfered in accountancy are visible) -DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account -DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account -DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account -DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s". -DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account +DescVentilSupplier=এখানে অ্যাকাউন্টের চার্ট থেকে পণ্য অ্যাকাউন্টে আবদ্ধ বা এখনও আবদ্ধ নয় এমন বিক্রেতা চালান লাইনের তালিকা দেখুন (শুধুমাত্র অ্যাকাউন্টে ইতিমধ্যে স্থানান্তরিত হয়নি এমন রেকর্ড দৃশ্যমান) +DescVentilDoneSupplier=এখানে বিক্রেতার চালানের লাইনের তালিকা এবং তাদের অ্যাকাউন্টিং অ্যাকাউন্টের সাথে পরামর্শ করুন +DescVentilTodoExpenseReport=ফি অ্যাকাউন্টিং অ্যাকাউন্টের সাথে ইতিমধ্যে আবদ্ধ নয় ব্যয়ের প্রতিবেদনের লাইনগুলিকে বাঁধুন +DescVentilExpenseReport=একটি ফি অ্যাকাউন্টিং অ্যাকাউন্টে আবদ্ধ (বা না) ব্যয় প্রতিবেদন লাইনের তালিকাটি এখানে দেখুন +DescVentilExpenseReportMore=আপনি যদি খরচ রিপোর্ট লাইনের প্রকারের উপর অ্যাকাউন্টিং অ্যাকাউন্ট সেটআপ করেন, তাহলে অ্যাপ্লিকেশনটি আপনার খরচ রিপোর্ট লাইন এবং আপনার অ্যাকাউন্টের তালিকার অ্যাকাউন্টিং অ্যাকাউন্টের মধ্যে সমস্ত বাঁধাই করতে সক্ষম হবে, বোতামটি দিয়ে শুধুমাত্র এক ক্লিকে "%s"। যদি অ্যাকাউন্টটি ফি অভিধানে সেট করা না থাকে বা আপনার যদি এখনও কিছু লাইন থাকে যা কোনো অ্যাকাউন্টে আবদ্ধ না থাকে, তাহলে আপনাকে মেনু থেকে একটি ম্যানুয়াল বাইন্ডিং করতে হবে "%s"। +DescVentilDoneExpenseReport=এখানে খরচের রিপোর্টের লাইনের তালিকা এবং তাদের ফি অ্যাকাউন্টিং অ্যাকাউন্টের সাথে পরামর্শ করুন -Closure=Annual closure -DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open -OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year) -AllMovementsWereRecordedAsValidated=All movements were recorded as validated -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated -ValidateMovements=Validate movements -DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible +Closure=বার্ষিক বন্ধ +AccountancyClosureStep1Desc=মাস অনুযায়ী চলাচলের সংখ্যা এখনও যাচাই করা এবং লক করা হয়নি এখানে পরামর্শ করুন +OverviewOfMovementsNotValidated=আন্দোলনের ওভারভিউ বৈধ এবং লক করা হয়নি +AllMovementsWereRecordedAsValidated=সমস্ত আন্দোলন বৈধ এবং লক হিসাবে রেকর্ড করা হয়েছিল +NotAllMovementsCouldBeRecordedAsValidated=সব আন্দোলন বৈধ এবং লক হিসাবে রেকর্ড করা যাবে না +ValidateMovements=বৈধ এবং লক আন্দোলন +DescValidateMovements=লেখার কোন পরিবর্তন বা মুছে ফেলা, অক্ষর এবং মুছে ফেলা নিষিদ্ধ করা হবে। একটি অনুশীলনের জন্য সমস্ত এন্ট্রি অবশ্যই বৈধ হতে হবে অন্যথায় বন্ধ করা সম্ভব হবে না -ValidateHistory=Bind Automatically -AutomaticBindingDone=Automatic bindings done (%s) - Automatic binding not possible for some record (%s) +ValidateHistory=স্বয়ংক্রিয়ভাবে আবদ্ধ করুন +AutomaticBindingDone=স্বয়ংক্রিয় বাইন্ডিং সম্পন্ন হয়েছে (%s) - কিছু রেকর্ডের জন্য স্বয়ংক্রিয় বাঁধাই সম্ভব নয় (%s) +DoManualBindingForFailedRecord=স্বয়ংক্রিয়ভাবে লিঙ্ক না হওয়া %s সারিগুলির জন্য আপনাকে একটি ম্যানুয়াল লিঙ্ক করতে হবে৷ -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot delete this accounting account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s | Credit = %s -Balancing=Balancing -FicheVentilation=Binding card -GeneralLedgerIsWritten=Transactions are written in the Ledger -GeneralLedgerSomeRecordWasNotRecorded=Some of the transactions could not be journalized. If there is no other error message, this is probably because they were already journalized. -NoNewRecordSaved=No more record to journalize -ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account -ChangeBinding=Change the binding -Accounted=Accounted in ledger -NotYetAccounted=Not yet transferred to accounting -ShowTutorial=Show Tutorial -NotReconciled=Not reconciled -WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view +ErrorAccountancyCodeIsAlreadyUse=ত্রুটি, আপনি অ্যাকাউন্টের চার্টের এই অ্যাকাউন্টটি সরাতে বা নিষ্ক্রিয় করতে পারবেন না কারণ এটি ব্যবহার করা হয়েছে৷ +MvtNotCorrectlyBalanced=আন্দোলন সঠিকভাবে ভারসাম্যপূর্ণ নয়। ডেবিট = %s & ক্রেডিট = %s +Balancing=ব্যালেন্সিং +FicheVentilation=বাইন্ডিং কার্ড +GeneralLedgerIsWritten=লেনদেন লেজারে লেখা হয় +GeneralLedgerSomeRecordWasNotRecorded=কিছু লেনদেন জার্নালাইজ করা যায়নি। যদি অন্য কোন ত্রুটির বার্তা না থাকে, তাহলে এটি সম্ভবত কারণ সেগুলি ইতিমধ্যেই জার্নালাইজ করা হয়েছে৷ +NoNewRecordSaved=স্থানান্তর করার জন্য আর কোন রেকর্ড নেই +ListOfProductsWithoutAccountingAccount=অ্যাকাউন্টের চার্টের কোনো অ্যাকাউন্টে আবদ্ধ নয় পণ্যের তালিকা +ChangeBinding=বাঁধাই পরিবর্তন করুন +Accounted=খাতায় হিসাব করা +NotYetAccounted=এখনও অ্যাকাউন্টিং স্থানান্তর করা হয়নি +ShowTutorial=টিউটোরিয়াল দেখান +NotReconciled=মিটমাট হয়নি +WarningRecordWithoutSubledgerAreExcluded=সতর্কতা, সাবলেজার অ্যাকাউন্ট ছাড়া সমস্ত লাইন এই ভিউ থেকে ফিল্টার করা এবং বাদ দেওয়া হয়েছে +AccountRemovedFromCurrentChartOfAccount=অ্যাকাউন্টিং অ্যাকাউন্ট যা অ্যাকাউন্টের বর্তমান চার্টে বিদ্যমান নেই ## Admin -BindingOptions=Binding options -ApplyMassCategories=Apply mass categories -AddAccountFromBookKeepingWithNoCategories=Available account not yet in the personalized group -CategoryDeleted=Category for the accounting account has been removed -AccountingJournals=Accounting journals -AccountingJournal=Accounting journal -NewAccountingJournal=New accounting journal -ShowAccountingJournal=Show accounting journal -NatureOfJournal=Nature of Journal -AccountingJournalType1=Miscellaneous operations -AccountingJournalType2=Sales -AccountingJournalType3=Purchases -AccountingJournalType4=Bank -AccountingJournalType5=Expenses report -AccountingJournalType8=Inventory -AccountingJournalType9=Has-new -ErrorAccountingJournalIsAlreadyUse=This journal is already use -AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s -NumberOfAccountancyEntries=Number of entries -NumberOfAccountancyMovements=Number of movements -ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) +BindingOptions=বাইন্ডিং অপশন +ApplyMassCategories=ভর বিভাগ প্রয়োগ করুন +AddAccountFromBookKeepingWithNoCategories=ব্যক্তিগতকৃত গোষ্ঠীতে এখনও উপলব্ধ অ্যাকাউন্ট নেই৷ +CategoryDeleted=অ্যাকাউন্টিং অ্যাকাউন্টের জন্য বিভাগ সরানো হয়েছে +AccountingJournals=অ্যাকাউন্টিং জার্নাল +AccountingJournal=অ্যাকাউন্টিং জার্নাল +NewAccountingJournal=নতুন অ্যাকাউন্টিং জার্নাল +ShowAccountingJournal=অ্যাকাউন্টিং জার্নাল দেখান +NatureOfJournal=জার্নালের প্রকৃতি +AccountingJournalType1=বিবিধ অপারেশন +AccountingJournalType2=বিক্রয় +AccountingJournalType3=ক্রয় +AccountingJournalType4=ব্যাংক +AccountingJournalType5=খরচ রিপোর্ট +AccountingJournalType8=ইনভেন্টরি +AccountingJournalType9=ধরে রাখা উপার্জন +GenerationOfAccountingEntries=অ্যাকাউন্টিং এন্ট্রি প্রজন্ম +ErrorAccountingJournalIsAlreadyUse=এই জার্নাল ইতিমধ্যে ব্যবহার করা হয় +AccountingAccountForSalesTaxAreDefinedInto=দ্রষ্টব্য: বিক্রয় করের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট %sমেনুতে সংজ্ঞায়িত করা হয়েছে - %s +NumberOfAccountancyEntries=এন্ট্রি সংখ্যা +NumberOfAccountancyMovements=আন্দোলনের সংখ্যা +ACCOUNTING_DISABLE_BINDING_ON_SALES=বিক্রয়ের ক্ষেত্রে অ্যাকাউন্টেন্সিতে বাঁধাই এবং স্থানান্তর অক্ষম করুন (কাস্টমার ইনভয়েস অ্যাকাউন্টিংয়ে বিবেচনা করা হবে না) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=ক্রয়ের ক্ষেত্রে অ্যাকাউন্টেন্সিতে বাঁধাই এবং স্থানান্তর অক্ষম করুন (বিক্রেতার চালান অ্যাকাউন্টিংয়ে বিবেচনায় নেওয়া হবে না) +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=ব্যয়ের প্রতিবেদনে হিসাববিজ্ঞানে বাঁধাই এবং স্থানান্তর অক্ষম করুন (ব্যয় প্রতিবেদন অ্যাকাউন্টিংয়ে বিবেচনা করা হবে না) +ACCOUNTING_ENABLE_LETTERING=অ্যাকাউন্টিং এ লেটারিং ফাংশন সক্রিয় করুন +ACCOUNTING_ENABLE_LETTERING_DESC=যখন এই বিকল্পগুলি সক্রিয় করা হয়, আপনি প্রতিটি অ্যাকাউন্টিং এন্ট্রিতে একটি কোড সংজ্ঞায়িত করতে পারেন যাতে আপনি বিভিন্ন অ্যাকাউন্টিং আন্দোলনকে একসাথে গোষ্ঠী করতে পারেন। অতীতে, যখন বিভিন্ন জার্নাল স্বাধীনভাবে পরিচালিত হত, তখন এই বৈশিষ্ট্যটি বিভিন্ন জার্নালের আন্দোলনের লাইনগুলিকে একত্রিত করার জন্য প্রয়োজনীয় ছিল। যাইহোক, ডলিবার অ্যাকাউন্টেন্সির সাথে, এই ধরনের একটি ট্র্যাকিং কোড, যাকে বলা হয় "%s span>" ইতিমধ্যেই স্বয়ংক্রিয়ভাবে সংরক্ষিত হয়েছে, তাই একটি স্বয়ংক্রিয় অক্ষর ইতিমধ্যেই সম্পন্ন হয়েছে, ত্রুটির কোনো ঝুঁকি নেই তাই এই বৈশিষ্ট্যটি সাধারণ ব্যবহারের জন্য অকেজো হয়ে পড়েছে। ম্যানুয়াল লেটারিং বৈশিষ্ট্য শেষ ব্যবহারকারীদের জন্য সরবরাহ করা হয়েছে যারা অ্যাকাউন্টেন্সিতে ডেটা স্থানান্তর করার জন্য কম্পিউটার ইঞ্জিনকে সত্যিই বিশ্বাস করেন না। +EnablingThisFeatureIsNotNecessary=একটি কঠোর অ্যাকাউন্টিং ব্যবস্থাপনার জন্য এই বৈশিষ্ট্যটি সক্ষম করার আর প্রয়োজন নেই৷ +ACCOUNTING_ENABLE_AUTOLETTERING=অ্যাকাউন্টিংয়ে স্থানান্তর করার সময় স্বয়ংক্রিয় অক্ষর সক্ষম করুন +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=অক্ষরের জন্য কোডটি স্বয়ংক্রিয়ভাবে তৈরি এবং বৃদ্ধি পায় এবং শেষ ব্যবহারকারী দ্বারা নির্বাচিত হয় না +ACCOUNTING_LETTERING_NBLETTERS=লেটারিং কোড তৈরি করার সময় অক্ষরের সংখ্যা (ডিফল্ট 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=কিছু অ্যাকাউন্টিং সফ্টওয়্যার শুধুমাত্র একটি দুই-অক্ষরের কোড গ্রহণ করে। এই প্যারামিটার আপনাকে এই দিকটি সেট করতে দেয়। অক্ষরের ডিফল্ট সংখ্যা তিনটি। +OptionsAdvanced=উন্নত বিকল্প +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=সরবরাহকারী ক্রয়ের উপর ভ্যাট রিভার্স চার্জ পরিচালনা সক্রিয় করুন +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=যখন এই বিকল্পটি সক্রিয় থাকে, তখন আপনি সংজ্ঞায়িত করতে পারেন যে একটি সরবরাহকারী বা একটি প্রদত্ত বিক্রেতার চালানকে অবশ্যই অ্যাকাউন্টেন্সিতে স্থানান্তর করতে হবে: একটি অতিরিক্ত ডেবিট এবং একটি ক্রেডিট লাইন 2টি প্রদত্ত অ্যাকাউন্টে অ্যাকাউন্টিংয়ে তৈরি হবে "< এ সংজ্ঞায়িত অ্যাকাউন্টের চার্ট থেকে span class='notranslate'>%s" সেটআপ পৃষ্ঠা৷ ## Export -NotifiedExportDate=Flag exported lines as exported (modification of the lines will not be possible) -NotifiedValidationDate=Validate the exported entries (modification or deletion of the lines will not be possible) -ConfirmExportFile=Confirmation of the generation of the accounting export file ? -ExportDraftJournal=Export draft journal -Modelcsv=Model of export -Selectmodelcsv=Select a model of export -Modelcsv_normal=Classic export -Modelcsv_CEGID=Export for CEGID Expert Comptabilité -Modelcsv_COALA=Export for Sage Coala -Modelcsv_bob50=Export for Sage BOB 50 -Modelcsv_ciel=Export for Sage50, Ciel Compta or Compta Evo. (Format XIMPORT) -Modelcsv_quadratus=Export for Quadratus QuadraCompta -Modelcsv_ebp=Export for EBP -Modelcsv_cogilog=Export for Cogilog -Modelcsv_agiris=Export for Agiris Isacompta -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) -Modelcsv_openconcerto=Export for OpenConcerto (Test) -Modelcsv_configurable=Export CSV Configurable -Modelcsv_FEC=Export FEC -Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed) -Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland -Modelcsv_winfic=Export for Winfic - eWinfic - WinSis Compta -Modelcsv_Gestinumv3=Export for Gestinum (v3) -Modelcsv_Gestinumv5=Export for Gestinum (v5) -Modelcsv_charlemagne=Export for Aplim Charlemagne -ChartofaccountsId=Chart of accounts Id +NotExportLettering=ফাইল তৈরি করার সময় অক্ষর রপ্তানি করবেন না +NotifiedExportDate=রপ্তানি করা হিসাবে এখনও রপ্তানি হয়নি লাইনগুলিকে ফ্ল্যাগ করুন (রপ্তানি করা হিসাবে পতাকাঙ্কিত একটি লাইন সংশোধন করতে, আপনাকে পুরো লেনদেনটি মুছে ফেলতে হবে এবং অ্যাকাউন্টিংয়ে পুনরায় স্থানান্তর করতে হবে) +NotifiedValidationDate=রপ্তানি করা এন্ট্রিগুলিকে যাচাই করুন এবং লক করুন যেগুলি এখনও লক করা হয়নি ("%s" বৈশিষ্ট্য, পরিবর্তন এবং মুছে ফেলার তুলনায় একই প্রভাব লাইনগুলি অবশ্যই সম্ভব হবে না) +NotifiedExportFull=নথি রপ্তানি? +DateValidationAndLock=তারিখ বৈধতা এবং লক +ConfirmExportFile=অ্যাকাউন্টিং রপ্তানি ফাইল প্রজন্মের নিশ্চিতকরণ? +ExportDraftJournal=খসড়া জার্নাল রপ্তানি করুন +Modelcsv=রপ্তানির মডেল +Selectmodelcsv=রপ্তানির একটি মডেল নির্বাচন করুন +Modelcsv_normal=ক্লাসিক রপ্তানি +Modelcsv_CEGID=CEGID বিশেষজ্ঞ কম্প্যাবিলিটির জন্য রপ্তানি করুন +Modelcsv_COALA=ঋষি কয়লা জন্য রপ্তানি +Modelcsv_bob50=সেজ BOB 50 এর জন্য রপ্তানি করুন +Modelcsv_ciel=Sage50, Ciel Compta বা Compta Evo-এর জন্য রপ্তানি করুন। (XIMPORT ফর্ম্যাট) +Modelcsv_quadratus=Quadratus QuadraCompta এর জন্য রপ্তানি করুন +Modelcsv_ebp=EBP জন্য রপ্তানি +Modelcsv_cogilog=Cogilog জন্য রপ্তানি +Modelcsv_agiris=Agiris Isacompta জন্য রপ্তানি +Modelcsv_LDCompta=LD Compta (v9) (পরীক্ষা) এর জন্য রপ্তানি করুন +Modelcsv_LDCompta10=LD Compta (v10 এবং উচ্চতর) এর জন্য রপ্তানি করুন +Modelcsv_openconcerto=OpenConcerto (পরীক্ষা) এর জন্য রপ্তানি করুন +Modelcsv_configurable=CSV কনফিগারযোগ্য রপ্তানি করুন +Modelcsv_FEC=FEC রপ্তানি করুন +Modelcsv_FEC2=এফইসি রপ্তানি করুন (তারিখ প্রজন্মের লেখা / নথি উল্টানো সহ) +Modelcsv_Sage50_Swiss=সেজ 50 সুইজারল্যান্ডের জন্য রপ্তানি করুন +Modelcsv_winfic=Winfic - eWinfic - WinSis Compta-এর জন্য রপ্তানি করুন +Modelcsv_Gestinumv3=Gestinum (v3) এর জন্য রপ্তানি করুন +Modelcsv_Gestinumv5=Gestinum (v5) এর জন্য রপ্তানি করুন +Modelcsv_charlemagne=অ্যাপলিম শার্লেমেনের জন্য রপ্তানি করুন +ChartofaccountsId=অ্যাকাউন্টস আইডির চার্ট ## Tools - Init accounting account on product / service -InitAccountancy=Init accountancy -InitAccountancyDesc=This page can be used to initialize an accounting account on products and services that does not have accounting account defined for sales and purchases. -DefaultBindingDesc=This page can be used to set a default account to use to link transactions record about payment salaries, donation, taxes and vat when no specific accounting account were already set. -DefaultClosureDesc=This page can be used to set parameters used for accounting closures. -Options=Options -OptionModeProductSell=Mode sales -OptionModeProductSellIntra=Mode sales exported in EEC -OptionModeProductSellExport=Mode sales exported in other countries -OptionModeProductBuy=Mode purchases -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries -OptionModeProductSellDesc=Show all products with accounting account for sales. -OptionModeProductSellIntraDesc=Show all products with accounting account for sales in EEC. -OptionModeProductSellExportDesc=Show all products with accounting account for other foreign sales. -OptionModeProductBuyDesc=Show all products with accounting account for purchases. -OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC. -OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases. -CleanFixHistory=Remove accounting code from lines that not exists into charts of account -CleanHistory=Reset all bindings for selected year -PredefinedGroups=Predefined groups -WithoutValidAccount=Without valid dedicated account -WithValidAccount=With valid dedicated account -ValueNotIntoChartOfAccount=This value of accounting account does not exist into chart of account -AccountRemovedFromGroup=Account removed from group -SaleLocal=Local sale -SaleExport=Export sale -SaleEEC=Sale in EEC -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fallback on the product account for standard sales. You can fix the VAT ID of thirdparty or the product account if needed. -ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. -ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. +InitAccountancy=ইনইট অ্যাকাউন্টেন্সি +InitAccountancyDesc=এই পৃষ্ঠাটি এমন পণ্য এবং পরিষেবাগুলিতে একটি অ্যাকাউন্টিং অ্যাকাউন্ট শুরু করতে ব্যবহার করা যেতে পারে যেগুলিতে বিক্রয় এবং ক্রয়ের জন্য সংজ্ঞায়িত অ্যাকাউন্টিং অ্যাকাউন্ট নেই। +DefaultBindingDesc=এই পৃষ্ঠাটি ডিফল্ট অ্যাকাউন্ট সেট করতে ব্যবহার করা যেতে পারে (অ্যাকাউন্টের চার্ট থেকে) ব্যবসায়িক বস্তুগুলিকে অ্যাকাউন্টের সাথে লিঙ্ক করার জন্য ব্যবহার করতে, যেমন অর্থপ্রদানের বেতন, দান, ট্যাক্স এবং ভ্যাট, যখন কোনও নির্দিষ্ট অ্যাকাউন্ট ইতিমধ্যে সেট করা ছিল না। +DefaultClosureDesc=এই পৃষ্ঠাটি অ্যাকাউন্টিং বন্ধের জন্য ব্যবহৃত পরামিতি সেট করতে ব্যবহার করা যেতে পারে। +Options=অপশন +OptionModeProductSell=মোড বিক্রয় +OptionModeProductSellIntra=মোড বিক্রয় EEC রপ্তানি +OptionModeProductSellExport=মোড বিক্রয় অন্যান্য দেশে রপ্তানি করা হয় +OptionModeProductBuy=মোড ক্রয় +OptionModeProductBuyIntra=মোড কেনাকাটা EEC এ আমদানি করা হয়েছে +OptionModeProductBuyExport=মোড অন্যান্য দেশ থেকে আমদানি করা কেনা +OptionModeProductSellDesc=বিক্রয়ের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সহ সমস্ত পণ্য দেখান। +OptionModeProductSellIntraDesc=EEC-তে বিক্রয়ের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সহ সমস্ত পণ্য দেখান। +OptionModeProductSellExportDesc=অন্যান্য বিদেশী বিক্রয়ের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সহ সমস্ত পণ্য দেখান। +OptionModeProductBuyDesc=ক্রয়ের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সহ সমস্ত পণ্য দেখান। +OptionModeProductBuyIntraDesc=EEC-তে কেনাকাটার জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সহ সমস্ত পণ্য দেখান। +OptionModeProductBuyExportDesc=অন্যান্য বিদেশী ক্রয়ের জন্য অ্যাকাউন্টিং অ্যাকাউন্ট সহ সমস্ত পণ্য দেখান। +CleanFixHistory=অ্যাকাউন্টের চার্টে বিদ্যমান নেই এমন লাইনগুলি থেকে অ্যাকাউন্টিং কোড সরান +CleanHistory=নির্বাচিত বছরের জন্য সমস্ত বাঁধাই পুনরায় সেট করুন +PredefinedGroups=পূর্বনির্ধারিত গ্রুপ +WithoutValidAccount=বৈধ ডেডিকেটেড অ্যাকাউন্ট ছাড়া +WithValidAccount=বৈধ ডেডিকেটেড অ্যাকাউন্ট সহ +ValueNotIntoChartOfAccount=অ্যাকাউন্টিং অ্যাকাউন্টের এই মান অ্যাকাউন্টের চার্টে বিদ্যমান নেই +AccountRemovedFromGroup=গ্রুপ থেকে অ্যাকাউন্ট সরানো হয়েছে +SaleLocal=স্থানীয় বিক্রয় +SaleExport=রপ্তানি বিক্রয় +SaleEEC=ইইসি-তে বিক্রয় +SaleEECWithVAT=ভ্যাট সহ EEC-তে বিক্রয় শূন্য নয়, তাই আমরা মনে করি এটি একটি অন্তর্মুখী বিক্রয় নয় এবং প্রস্তাবিত অ্যাকাউন্টটি মানক পণ্য অ্যাকাউন্ট। +SaleEECWithoutVATNumber=কোনো ভ্যাট ছাড়াই EEC-তে বিক্রয় কিন্তু তৃতীয় পক্ষের VAT ID সংজ্ঞায়িত করা হয়নি। আমরা স্ট্যান্ডার্ড বিক্রয়ের জন্য অ্যাকাউন্টে ফিরে যাই। আপনি তৃতীয় পক্ষের ভ্যাট আইডি ঠিক করতে পারেন, অথবা প্রয়োজনে বাঁধার জন্য প্রস্তাবিত পণ্য অ্যাকাউন্ট পরিবর্তন করতে পারেন। +ForbiddenTransactionAlreadyExported=নিষিদ্ধ: লেনদেন বৈধ করা হয়েছে এবং/অথবা রপ্তানি করা হয়েছে। +ForbiddenTransactionAlreadyValidated=নিষিদ্ধ: লেনদেন বৈধ করা হয়েছে. ## Dictionary -Range=Range of accounting account -Calculated=Calculated -Formula=Formula +Range=অ্যাকাউন্টিং অ্যাকাউন্টের পরিসর +Calculated=গণনা করা হয়েছে +Formula=সূত্র + +## Reconcile +LetteringAuto=স্বয়ংক্রিয় মিলন +LetteringManual=ম্যানুয়াল পুনর্মিলন +Unlettering=অমিল +UnletteringAuto=অটো মিলন +UnletteringManual=সামঞ্জস্যহীন ম্যানুয়াল +AccountancyNoLetteringModified=কোন পুনর্মিলন পরিবর্তিত +AccountancyOneLetteringModifiedSuccessfully=একটি পুনর্মিলন সফলভাবে সংশোধন করা হয়েছে৷ +AccountancyLetteringModifiedSuccessfully=%s পুনর্মিলন সফলভাবে সংশোধন করা হয়েছে +AccountancyNoUnletteringModified=কোন অমীমাংসিত সংশোধন করা হয়েছে +AccountancyOneUnletteringModifiedSuccessfully=একটি মিলন সফলভাবে সংশোধন করা হয়েছে +AccountancyUnletteringModifiedSuccessfully=%s মিলন সফলভাবে সংশোধন করা হয়েছে + +## Closure +AccountancyClosureStep1=ধাপ 1: আন্দোলনগুলিকে যাচাই এবং লক করুন +AccountancyClosureStep2=ধাপ 2: আর্থিক সময়কাল বন্ধ করুন +AccountancyClosureStep3=ধাপ 3 : এক্সট্রাক্ট এন্ট্রি (ঐচ্ছিক) +AccountancyClosureClose=আর্থিক সময়কাল বন্ধ করুন +AccountancyClosureAccountingReversal="রক্ষিত উপার্জন" এন্ট্রি বের করুন এবং রেকর্ড করুন +AccountancyClosureStep3NewFiscalPeriod=পরবর্তী আর্থিক সময়কাল +AccountancyClosureGenerateClosureBookkeepingRecords=পরবর্তী অর্থবছরে "রিটেইন করা উপার্জন" এন্ট্রি তৈরি করুন +AccountancyClosureSeparateAuxiliaryAccounts="রিটেইনড আর্নিং" এন্ট্রি তৈরি করার সময়, সাব-লেজার অ্যাকাউন্টের বিশদ বিবরণ দিন +AccountancyClosureCloseSuccessfully=আর্থিক সময়কাল সফলভাবে বন্ধ করা হয়েছে +AccountancyClosureInsertAccountingReversalSuccessfully="রক্ষিত উপার্জন" এর জন্য বুককিপিং এন্ট্রিগুলি সফলভাবে সন্নিবেশ করা হয়েছে৷ + +## Confirm box +ConfirmMassUnletteringAuto=বাল্ক স্বয়ংক্রিয় মিলন নিশ্চিতকরণ +ConfirmMassUnletteringManual=বাল্ক ম্যানুয়াল মিলন নিশ্চিতকরণ +ConfirmMassUnletteringQuestion=আপনি কি নিশ্চিত যে আপনি %s নির্বাচিত রেকর্ড(গুলি) অমীমাংসিত করতে চান? +ConfirmMassDeleteBookkeepingWriting=বাল্ক মুছে ফেলা নিশ্চিতকরণ +ConfirmMassDeleteBookkeepingWritingQuestion=এটি অ্যাকাউন্টিং থেকে লেনদেন মুছে ফেলবে (একই লেনদেনের সাথে সম্পর্কিত সমস্ত লাইন এন্ট্রি মুছে ফেলা হবে)। আপনি কি %s নির্বাচিত এন্ট্রিগুলি মুছতে চান? +AccountancyClosureConfirmClose=আপনি কি নিশ্চিত আপনি বর্তমান আর্থিক সময়কাল বন্ধ করতে চান? আপনি বোঝেন যে আর্থিক সময়কাল বন্ধ করা একটি অপরিবর্তনীয় ক্রিয়া এবং এই সময়ের মধ্যে এন্ট্রিগুলির কোনও পরিবর্তন বা মুছে ফেলাকে স্থায়ীভাবে ব্লক করবে . +AccountancyClosureConfirmAccountingReversal=আপনি কি "রক্ষিত উপার্জন" এর জন্য এন্ট্রি রেকর্ড করার বিষয়ে নিশ্চিত? ## Error -SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them -ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) -ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused. -ErrorInvoiceContainsLinesNotYetBoundedShort=Some lines on invoice are not bound to accounting account. -ExportNotSupported=The export format setuped is not supported into this page -BookeppingLineAlreayExists=Lines already existing into bookkeeping -NoJournalDefined=No journal defined -Binded=Lines bound -ToBind=Lines to bind -UseMenuToSetBindindManualy=Lines not yet bound, use menu %s to make the binding manually -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Sorry this module is not compatible with the experimental feature of situation invoices +SomeMandatoryStepsOfSetupWereNotDone=সেটআপের কিছু বাধ্যতামূলক পদক্ষেপ করা হয়নি, অনুগ্রহ করে সেগুলি সম্পূর্ণ করুন৷ +ErrorNoAccountingCategoryForThisCountry=দেশের জন্য কোনো অ্যাকাউন্টিং অ্যাকাউন্ট গ্রুপ উপলব্ধ নেই %s (দেখুন %s - %s - %s) +ErrorInvoiceContainsLinesNotYetBounded=আপনি চালানের কিছু লাইন জার্নালাইজ করার চেষ্টা করুন %sকিন্তু কিছু অন্যান্য লাইন এখনও অ্যাকাউন্টিং অ্যাকাউন্টে আবদ্ধ নয়। এই চালানের জন্য সমস্ত চালান লাইনের জার্নালাইজেশন প্রত্যাখ্যান করা হয়েছে। +ErrorInvoiceContainsLinesNotYetBoundedShort=চালানের কিছু লাইন অ্যাকাউন্টিং অ্যাকাউন্টে আবদ্ধ নয়। +ExportNotSupported=সেটআপ করা রপ্তানি বিন্যাস এই পৃষ্ঠায় সমর্থিত নয় +BookeppingLineAlreayExists=বুককিপিং-এ ইতিমধ্যেই বিদ্যমান লাইন +NoJournalDefined=কোন জার্নাল সংজ্ঞায়িত +Binded=লাইন আবদ্ধ +ToBind=আবদ্ধ করার জন্য লাইন +UseMenuToSetBindindManualy=লাইনগুলি এখনও আবদ্ধ নয়, বিনডিং করতে %s মেনু ব্যবহার করুন ম্যানুয়ালি +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=দ্রষ্টব্য: এই মডিউল বা পৃষ্ঠা পরিস্থিতি চালানের পরীক্ষামূলক বৈশিষ্ট্যের সাথে সম্পূর্ণরূপে সামঞ্জস্যপূর্ণ নয়। কিছু তথ্য ভুল হতে পারে. +AccountancyErrorMismatchLetterCode=মিলন কোডে অমিল +AccountancyErrorMismatchBalanceAmount=ব্যালেন্স (%s) 0 এর সমান নয় +AccountancyErrorLetteringBookkeeping=লেনদেন সংক্রান্ত ত্রুটি ঘটেছে: %s +ErrorAccountNumberAlreadyExists=অ্যাকাউন্টিং নম্বর %s ইতিমধ্যেই বিদ্যমান +ErrorArchiveAddFile=আর্কাইভে "%s" ফাইল রাখা যাবে না +ErrorNoFiscalPeriodActiveFound=কোনো সক্রিয় আর্থিক সময়কাল পাওয়া যায়নি +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=বুককিপিং ডক তারিখ সক্রিয় আর্থিক সময়ের মধ্যে নেই +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=বুককিপিং ডক তারিখ একটি বন্ধ আর্থিক সময়ের মধ্যে আছে ## Import -ImportAccountingEntries=Accounting entries -ImportAccountingEntriesFECFormat=Accounting entries - FEC format -FECFormatJournalCode=Code journal (JournalCode) -FECFormatJournalLabel=Label journal (JournalLib) -FECFormatEntryNum=Piece number (EcritureNum) -FECFormatEntryDate=Piece date (EcritureDate) -FECFormatGeneralAccountNumber=General account number (CompteNum) -FECFormatGeneralAccountLabel=General account label (CompteLib) -FECFormatSubledgerAccountNumber=Subledger account number (CompAuxNum) -FECFormatSubledgerAccountLabel=Subledger account number (CompAuxLib) -FECFormatPieceRef=Piece ref (PieceRef) -FECFormatPieceDate=Piece date creation (PieceDate) -FECFormatLabelOperation=Label operation (EcritureLib) -FECFormatDebit=Debit (Debit) -FECFormatCredit=Credit (Credit) -FECFormatReconcilableCode=Reconcilable code (EcritureLet) -FECFormatReconcilableDate=Reconcilable date (DateLet) -FECFormatValidateDate=Piece date validated (ValidDate) -FECFormatMulticurrencyAmount=Multicurrency amount (Montantdevise) -FECFormatMulticurrencyCode=Multicurrency code (Idevise) +ImportAccountingEntries=অ্যাকাউন্টিং এন্ট্রি +ImportAccountingEntriesFECFormat=অ্যাকাউন্টিং এন্ট্রি - FEC বিন্যাস +FECFormatJournalCode=কোড জার্নাল (জার্নালকোড) +FECFormatJournalLabel=লেবেল জার্নাল (জার্নাললিব) +FECFormatEntryNum=পিস নম্বর (EcritureNum) +FECFormatEntryDate=টুকরা তারিখ (EcritureDate) +FECFormatGeneralAccountNumber=সাধারণ অ্যাকাউন্ট নম্বর (CompteNum) +FECFormatGeneralAccountLabel=সাধারণ অ্যাকাউন্ট লেবেল (CompteLib) +FECFormatSubledgerAccountNumber=সাবলেজার অ্যাকাউন্ট নম্বর (CompAuxNum) +FECFormatSubledgerAccountLabel=Subledger অ্যাকাউন্ট নম্বর (CompAuxLib) +FECFormatPieceRef=পিস রেফ (পিস রেফ) +FECFormatPieceDate=পিস ডেট তৈরি (পিস ডেট) +FECFormatLabelOperation=লেবেল অপারেশন (EcritureLib) +FECFormatDebit=ডেবিট (ডেবিট) +FECFormatCredit=ক্রেডিট (ঋণ) +FECFormatReconcilableCode=পুনর্মিলনযোগ্য কোড (EcritureLet) +FECFormatReconcilableDate=পুনর্মিলনযোগ্য তারিখ (তারিখ) +FECFormatValidateDate=পিস তারিখ যাচাই করা হয়েছে (ValidDate) +FECFormatMulticurrencyAmount=বহুমূদ্রার পরিমাণ (মন্টেন্টডেভাইজ) +FECFormatMulticurrencyCode=মাল্টিকারেন্সি কোড (আইডিভাইস) -DateExport=Date export -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contains transaction modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. -ExpenseReportJournal=Expense Report Journal -InventoryJournal=Inventory Journal +DateExport=তারিখ রপ্তানি +WarningReportNotReliable=সতর্কতা, এই প্রতিবেদনটি লেজারের উপর ভিত্তি করে নয়, তাই লেজারে ম্যানুয়ালি পরিবর্তিত লেনদেন ধারণ করে না। আপনার জার্নালাইজেশন আপ টু ডেট হলে, বুককিপিং ভিউ আরও সঠিক। +ExpenseReportJournal=খরচ রিপোর্ট জার্নাল +DocsAlreadyExportedAreIncluded=ইতিমধ্যে রপ্তানি করা নথি অন্তর্ভুক্ত করা হয়েছে৷ +ClickToShowAlreadyExportedLines=ইতিমধ্যে রপ্তানি করা লাইন দেখাতে ক্লিক করুন -NAccounts=%s accounts +NAccounts=%s অ্যাকাউন্ট diff --git a/htdocs/langs/bn_IN/admin.lang b/htdocs/langs/bn_IN/admin.lang index d79adb1e960..da19d58fcab 100644 --- a/htdocs/langs/bn_IN/admin.lang +++ b/htdocs/langs/bn_IN/admin.lang @@ -1,2222 +1,2442 @@ # Dolibarr language file - Source file is en_US - admin -BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF -BoldLabelOnPDF=Print label of product item in Bold in PDF -Foundation=Foundation -Version=Version -Publisher=Publisher -VersionProgram=Version program -VersionLastInstall=Initial install version -VersionLastUpgrade=Latest version upgrade -VersionExperimental=Experimental -VersionDevelopment=Development -VersionUnknown=Unknown -VersionRecommanded=Recommended -FileCheck=Fileset Integrity Checks -FileCheckDesc=This tool allows you to check the integrity of files and the setup of your application, comparing each file with the official one. The value of some setup constants may also be checked. You can use this tool to determine if any files have been modified (e.g by a hacker). -FileIntegrityIsStrictlyConformedWithReference=Files integrity is strictly conformed with the reference. -FileIntegrityIsOkButFilesWereAdded=Files integrity check has passed, however some new files have been added. -FileIntegritySomeFilesWereRemovedOrModified=Files integrity check has failed. Some files were modified, removed or added. -GlobalChecksum=Global checksum -MakeIntegrityAnalysisFrom=Make integrity analysis of application files from -LocalSignature=Embedded local signature (less reliable) -RemoteSignature=Remote distant signature (more reliable) -FilesMissing=Missing Files -FilesUpdated=Updated Files -FilesModified=Modified Files -FilesAdded=Added Files -FileCheckDolibarr=Check integrity of application files -AvailableOnlyOnPackagedVersions=The local file for integrity checking is only available when the application is installed from an official package -XmlNotFound=Xml Integrity File of application not found -SessionId=Session ID -SessionSaveHandler=Handler to save sessions -SessionSavePath=Session save location -PurgeSessions=Purge of sessions -ConfirmPurgeSessions=Do you really want to purge all sessions? This will disconnect every user (except yourself). -NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow listing all running sessions. -LockNewSessions=Lock new connections -ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself? Only user %s will be able to connect after that. -UnlockNewSessions=Remove connection lock -YourSession=Your session -Sessions=Users Sessions -WebUserGroup=Web server user/group -PermissionsOnFiles=Permissions on files -PermissionsOnFilesInWebRoot=Permissions on files in web root directory -PermissionsOnFile=Permissions on file %s -NoSessionFound=Your PHP configuration seems to not allow listing of active sessions. The directory used to save sessions (%s) may be protected (for example by OS permissions or by PHP directive open_basedir). -DBStoringCharset=Database charset to store data -DBSortingCharset=Database charset to sort data -HostCharset=Host charset -ClientCharset=Client charset -ClientSortingCharset=Client collation -WarningModuleNotActive=Module %s must be enabled -WarningOnlyPermissionOfActivatedModules=Only permissions related to activated modules are shown here. You can activate other modules in the Home->Setup->Modules page. -DolibarrSetup=Dolibarr install or upgrade -InternalUser=Internal user -ExternalUser=External user -InternalUsers=Internal users -ExternalUsers=External users -UserInterface=User interface -GUISetup=Display -SetupArea=Setup -UploadNewTemplate=Upload new template(s) -FormToTestFileUploadForm=Form to test file upload (according to setup) -ModuleMustBeEnabled=The module/application %s must be enabled -ModuleIsEnabled=The module/application %s has been enabled -IfModuleEnabled=Note: yes is effective only if module %s is enabled -RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool. -RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. -SecuritySetup=Security setup -PHPSetup=PHP setup -OSSetup=OS setup -SecurityFilesDesc=Define here options related to security about uploading files. -ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher -ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher -ErrorDecimalLargerThanAreForbidden=Error, a precision higher than %s is not supported. -DictionarySetup=Dictionary setup -Dictionary=Dictionaries -ErrorReservedTypeSystemSystemAuto=Value 'system' and 'systemauto' for type is reserved. You can use 'user' as value to add your own record -ErrorCodeCantContainZero=Code can't contain value 0 -DisableJavascript=Disable JavaScript and Ajax functions -DisableJavascriptNote=Note: For test or debug purpose only. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user -UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -DelaiedFullListToSelectCompany=Wait until a key is pressed before loading content of Third Parties combo list.
      This may increase performance if you have a large number of third parties, but it is less convenient. -DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list.
      This may increase performance if you have a large number of contacts, but it is less convenient. -NumberOfKeyToSearch=Number of characters to trigger search: %s -NumberOfBytes=Number of Bytes -SearchString=Search string -NotAvailableWhenAjaxDisabled=Not available when Ajax disabled -AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party -TimesheetPreventAfterFollowingMonths=Prevent recording time spent after the following number of months -JavascriptDisabled=JavaScript disabled -UsePreviewTabs=Use preview tabs -ShowPreview=Show preview -ShowHideDetails=Show-Hide details -PreviewNotAvailable=Preview not available -ThemeCurrentlyActive=Theme currently active -MySQLTimeZone=TimeZone MySql (database) -TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered). -Space=Space -Table=Table -Fields=Fields -Index=Index -Mask=Mask -NextValue=Next value -NextValueForInvoices=Next value (invoices) -NextValueForCreditNotes=Next value (credit notes) -NextValueForDeposit=Next value (down payment) -NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration -MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page -AntiVirusCommand=Full path to antivirus command -AntiVirusCommandExample=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
      Example for ClamWin (very very slow): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe -AntiVirusParam= More parameters on command line -AntiVirusParamExample=Example for ClamAv Daemon: --fdpass
      Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" -ComptaSetup=Accounting module setup -UserSetup=User management setup -MultiCurrencySetup=Multi-currency setup -MenuLimits=Limits and accuracy -MenuIdParent=Parent menu ID -DetailMenuIdParent=ID of parent menu (empty for a top menu) -ParentID=Parent ID -DetailPosition=Sort number to define menu position -AllMenus=All -NotConfigured=Module/Application not configured -Active=Active -SetupShort=Setup -OtherOptions=Other options -OtherSetup=Other Setup -CurrentValueSeparatorDecimal=Decimal separator -CurrentValueSeparatorThousand=Thousand separator -Destination=Destination -IdModule=Module ID -IdPermissions=Permissions ID -LanguageBrowserParameter=Parameter %s -LocalisationDolibarrParameters=Localization parameters -ClientHour=Client time (user) -OSTZ=Server OS Time Zone -PHPTZ=PHP server Time Zone -DaylingSavingTime=Daylight saving time -CurrentHour=PHP Time (server) -CurrentSessionTimeOut=Current session timeout -YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a .htaccess file with a line like this "SetEnv TZ Europe/Paris" -HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but of the timezone of the server. -Box=Widget -Boxes=Widgets -MaxNbOfLinesForBoxes=Max. number of lines for widgets -AllWidgetsWereEnabled=All available widgets are enabled -PositionByDefault=Default order -Position=Position -MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical). -MenusEditorDesc=The menu editor allows you to define custom menu entries. Use it carefully to avoid instability and permanently unreachable menu entries.
      Some modules add menu entries (in menu All mostly). If you remove some of these entries by mistake, you can restore them disabling and reenabling the module. -MenuForUsers=Menu for users -LangFile=.lang file -Language_en_US_es_MX_etc=Language (en_US, es_MX, ...) -System=System -SystemInfo=System information -SystemToolsArea=System tools area -SystemToolsAreaDesc=This area provides administration functions. Use the menu to choose the required feature. -Purge=Purge -PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server. -PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data) -PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Parameter can be 'tempfilesold', 'logfiles' or both 'tempfilesold+logfiles'. Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files (no risk of losing data) -PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s.
      This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files. -PurgeRunNow=Purge now -PurgeNothingToDelete=No directory or files to delete. -PurgeNDirectoriesDeleted=%s files or directories deleted. -PurgeNDirectoriesFailed=Failed to delete %s files or directories. -PurgeAuditEvents=Purge all security events -ConfirmPurgeAuditEvents=Are you sure you want to purge all security events? All security logs will be deleted, no other data will be removed. -GenerateBackup=Generate backup -Backup=Backup -Restore=Restore -RunCommandSummary=Backup has been launched with the following command -BackupResult=Backup result -BackupFileSuccessfullyCreated=Backup file successfully generated -YouCanDownloadBackupFile=The generated file can now be downloaded -NoBackupFileAvailable=No backup files available. -ExportMethod=Export method -ImportMethod=Import method -ToBuildBackupFileClickHere=To build a backup file, click here. -ImportMySqlDesc=To import a MySQL backup file, you may use phpMyAdmin via your hosting or use the mysql command from the Command line.
      For example: -ImportPostgreSqlDesc=To import a backup file, you must use pg_restore command from command line: +BoldRefAndPeriodOnPDF=পিডিএফ-এ পণ্যের আইটেমের রেফারেন্স এবং সময়কাল প্রিন্ট করুন +BoldLabelOnPDF=পিডিএফে বোল্ডে পণ্যের আইটেমের লেবেল প্রিন্ট করুন +Foundation=ফাউন্ডেশন +Version=সংস্করণ +Publisher=প্রকাশক +VersionProgram=সংস্করণ প্রোগ্রাম +VersionLastInstall=প্রাথমিক ইনস্টল সংস্করণ +VersionLastUpgrade=সর্বশেষ সংস্করণ আপগ্রেড +VersionExperimental=পরীক্ষামূলক +VersionDevelopment=উন্নয়ন +VersionUnknown=অজানা +VersionRecommanded=প্রস্তাবিত +FileCheck=ফাইলসেট ইন্টিগ্রিটি চেক +FileCheckDesc=এই টুলটি আপনাকে অফিসিয়াল ফাইলের সাথে প্রতিটি ফাইলের তুলনা করে ফাইলের অখণ্ডতা এবং আপনার অ্যাপ্লিকেশনের সেটআপ পরীক্ষা করতে দেয়। কিছু সেটআপ ধ্রুবকের মানও পরীক্ষা করা যেতে পারে। কোনো ফাইল পরিবর্তন করা হয়েছে কিনা তা নির্ধারণ করতে আপনি এই টুলটি ব্যবহার করতে পারেন (যেমন একটি হ্যাকার দ্বারা)। +FileIntegrityIsStrictlyConformedWithReference=ফাইলের অখণ্ডতা রেফারেন্সের সাথে কঠোরভাবে মেনে চলে। +FileIntegrityIsOkButFilesWereAdded=ফাইলের অখণ্ডতা পরীক্ষা পাস হয়েছে, তবে কিছু নতুন ফাইল যোগ করা হয়েছে। +FileIntegritySomeFilesWereRemovedOrModified=ফাইলের অখণ্ডতা পরীক্ষা ব্যর্থ হয়েছে৷ কিছু ফাইল পরিবর্তিত, সরানো বা যোগ করা হয়েছে। +GlobalChecksum=গ্লোবাল চেকসাম +MakeIntegrityAnalysisFrom=থেকে অ্যাপ্লিকেশন ফাইলের অখণ্ডতা বিশ্লেষণ করুন +LocalSignature=এম্বেড করা স্থানীয় স্বাক্ষর (কম নির্ভরযোগ্য) +RemoteSignature=দূরবর্তী দূরবর্তী স্বাক্ষর (আরো নির্ভরযোগ্য) +FilesMissing=অনুপস্থিত ফাইল +FilesUpdated=আপডেট করা ফাইল +FilesModified=পরিবর্তিত ফাইল +FilesAdded=ফাইল যোগ করা হয়েছে +FileCheckDolibarr=অ্যাপ্লিকেশন ফাইলের অখণ্ডতা পরীক্ষা করুন +AvailableOnlyOnPackagedVersions=অখণ্ডতা যাচাইয়ের জন্য স্থানীয় ফাইল শুধুমাত্র তখনই উপলব্ধ হয় যখন একটি অফিসিয়াল প্যাকেজ থেকে অ্যাপ্লিকেশন ইনস্টল করা হয় +XmlNotFound=অ্যাপ্লিকেশানের Xml ইন্টিগ্রিটি ফাইল পাওয়া যায়নি +SessionId=সেশন আইডি +SessionSaveHandler=সেশন সংরক্ষণ করতে হ্যান্ডলার +SessionSavePath=সেশন সংরক্ষণ অবস্থান +PurgeSessions=অধিবেশন পরিষ্কার +ConfirmPurgeSessions=আপনি কি সত্যিই সব সেশন শুদ্ধ করতে চান? এটি প্রত্যেক ব্যবহারকারী (নিজেকে ছাড়া) সংযোগ বিচ্ছিন্ন করবে। +NoSessionListWithThisHandler=আপনার PHP-তে কনফিগার করা সেশন হ্যান্ডলার সংরক্ষণ করুন সমস্ত চলমান সেশন তালিকাভুক্ত করার অনুমতি দেয় না। +LockNewSessions=নতুন সংযোগ লক করুন +ConfirmLockNewSessions=আপনি কি নিশ্চিত যে আপনি নিজের মধ্যে কোনো নতুন ডলিবার সংযোগ সীমাবদ্ধ করতে চান? শুধুমাত্র ব্যবহারকারী %s এর পরে সংযোগ করতে সক্ষম হবে। +UnlockNewSessions=সংযোগ লক সরান +YourSession=আপনার অধিবেশন +Sessions=ব্যবহারকারীদের সেশন +WebUserGroup=ওয়েব সার্ভার ব্যবহারকারী/গ্রুপ +PermissionsOnFiles=ফাইলে অনুমতি +PermissionsOnFilesInWebRoot=ওয়েব রুট ডিরেক্টরিতে ফাইলের অনুমতি +PermissionsOnFile=ফাইলে অনুমতি %s +NoSessionFound=আপনার পিএইচপি কনফিগারেশন সক্রিয় সেশনের তালিকার অনুমতি দেয় না বলে মনে হচ্ছে। সেশন সংরক্ষণ করতে ব্যবহৃত ডিরেক্টরি (%s) সুরক্ষিত হতে পারে (উদাহরণস্বরূপ OS অনুমতি দ্বারা বা PHP নির্দেশিকা open_basedir দ্বারা)। +DBStoringCharset=ডেটা সঞ্চয় করার জন্য ডাটাবেস অক্ষর সেট +DBSortingCharset=ডেটা সাজানোর জন্য ডাটাবেস অক্ষর সেট +HostCharset=হোস্ট অক্ষর সেট +ClientCharset=ক্লায়েন্ট অক্ষর সেট +ClientSortingCharset=ক্লায়েন্ট কোলেশন +WarningModuleNotActive=মডিউল %s সক্ষম হতে হবে +WarningOnlyPermissionOfActivatedModules=শুধুমাত্র সক্রিয় মডিউল সম্পর্কিত অনুমতি এখানে দেখানো হয়েছে। আপনি হোম->সেটআপ->মডিউল পৃষ্ঠায় অন্যান্য মডিউল সক্রিয় করতে পারেন। +DolibarrSetup=ডলিবার ইন্সটল বা আপগ্রেড করুন +DolibarrUpgrade=ডলিবার আপগ্রেড +DolibarrAddonInstall=অ্যাডন/বাহ্যিক মডিউলগুলির ইনস্টলেশন (আপলোড বা তৈরি) +InternalUsers=অভ্যন্তরীণ ব্যবহারকারী +ExternalUsers=বহিরাগত ব্যবহারকারীরা +UserInterface=ব্যবহারকারী ইন্টারফেস +GUISetup=প্রদর্শন +SetupArea=সেটআপ +UploadNewTemplate=নতুন টেমপ্লেট আপলোড করুন +FormToTestFileUploadForm=ফাইল আপলোড পরীক্ষা করার জন্য ফর্ম (সেটআপ অনুযায়ী) +ModuleMustBeEnabled=মডিউল/অ্যাপ্লিকেশন %s সক্ষম হতে হবে +ModuleIsEnabled=মডিউল/অ্যাপ্লিকেশন %s সক্ষম করা হয়েছে +IfModuleEnabled=দ্রষ্টব্য: হ্যাঁ কার্যকর হয় শুধুমাত্র যদি মডিউল %sb09a4b739f17f8zd0 enable হয় +RemoveLock=ফাইলটি সরান/পুনঃনামকরণ করুন %s যদি এটি বিদ্যমান থাকে, তাহলে ব্যবহারের অনুমতি দিতে আপডেট/ইনস্টল টুলের। +RestoreLock=ফাইলটি পুনরুদ্ধার করুন %s, শুধুমাত্র পড়ার অনুমতি সহ, যেকোনো অক্ষম করতে আপডেট/ইনস্টল টুলের আরও ব্যবহার। +SecuritySetup=নিরাপত্তা সেটআপ +PHPSetup=পিএইচপি সেটআপ +OSSetup=ওএস সেটআপ +SecurityFilesDesc=ফাইল আপলোড করার বিষয়ে নিরাপত্তা সম্পর্কিত বিকল্পগুলি এখানে সংজ্ঞায়িত করুন। +ErrorModuleRequirePHPVersion=ত্রুটি, এই মডিউলটির PHP সংস্করণের প্রয়োজন %s বা উচ্চতর +ErrorModuleRequireDolibarrVersion=ত্রুটি, এই মডিউলটির জন্য Dolibarr সংস্করণ প্রয়োজন %s বা উচ্চতর +ErrorDecimalLargerThanAreForbidden=ত্রুটি, %s এর চেয়ে বেশি নির্ভুলতা সমর্থিত নয়। +DictionarySetup=অভিধান সেটআপ +Dictionary=অভিধান +ErrorReservedTypeSystemSystemAuto=টাইপের জন্য 'system' এবং 'systemauto' মান সংরক্ষিত। আপনি আপনার নিজের রেকর্ড যোগ করতে মান হিসাবে 'ব্যবহারকারী' ব্যবহার করতে পারেন +ErrorCodeCantContainZero=কোডে মান 0 থাকতে পারে না +DisableJavascript=JavaScript এবং Ajax ফাংশন নিষ্ক্রিয় করুন +DisableJavascriptNote=দ্রষ্টব্য: শুধুমাত্র পরীক্ষা বা ডিবাগ উদ্দেশ্যে। অন্ধ ব্যক্তি বা টেক্সট ব্রাউজারগুলির জন্য অপ্টিমাইজেশনের জন্য, আপনি ব্যবহারকারীর প্রোফাইলে সেটআপ ব্যবহার করতে পছন্দ করতে পারেন +UseSearchToSelectCompanyTooltip=এছাড়াও যদি আপনার কাছে প্রচুর সংখ্যক তৃতীয় পক্ষ থাকে (> 100 000), তাহলে আপনি Setup->অন্যান্যে 1 থেকে ধ্রুবক COMPANY_DONOTSEARCH_ANYWHERE সেট করে গতি বাড়াতে পারেন। অনুসন্ধান তখন স্ট্রিং শুরুতে সীমাবদ্ধ থাকবে। +UseSearchToSelectContactTooltip=এছাড়াও আপনার যদি প্রচুর সংখ্যক তৃতীয় পক্ষ থাকে (> 100 000), তাহলে আপনি Setup->অন্য-এ 1 থেকে স্থির CONTACT_DONOTSEARCH_ANYWHERE সেট করে গতি বাড়াতে পারেন। অনুসন্ধান তখন স্ট্রিং শুরুতে সীমাবদ্ধ থাকবে। +DelaiedFullListToSelectCompany=তৃতীয় পক্ষের কম্বো তালিকার বিষয়বস্তু লোড করার আগে একটি কী চাপা না হওয়া পর্যন্ত অপেক্ষা করুন।
      আপনার যদি প্রচুর সংখ্যক তৃতীয় পক্ষ থাকে তবে এটি কম সুবিধাজনক। +DelaiedFullListToSelectContact=পরিচিতি কম্বো তালিকার বিষয়বস্তু লোড করার আগে একটি কী চাপা না হওয়া পর্যন্ত অপেক্ষা করুন।
      আপনার কাছে প্রচুর পরিচিতি থাকলে এটি কার্যক্ষমতা বাড়াতে পারে, তবে এটি কম সুবিধাজনক। +NumberOfKeyToSearch=সার্চ ট্রিগার করার জন্য অক্ষরের সংখ্যা: %s +NumberOfBytes=বাইটের সংখ্যা +SearchString=অনুসন্ধান স্ট্রিং +NotAvailableWhenAjaxDisabled=Ajax নিষ্ক্রিয় হলে উপলব্ধ নয় +AllowToSelectProjectFromOtherCompany=একটি তৃতীয় পক্ষের নথিতে, অন্য তৃতীয় পক্ষের সাথে সংযুক্ত একটি প্রকল্প চয়ন করতে পারেন +TimesheetPreventAfterFollowingMonths=নিম্নলিখিত সংখ্যক মাস পরে কাটানো রেকর্ডিং সময় প্রতিরোধ করুন +JavascriptDisabled=জাভাস্ক্রিপ্ট নিষ্ক্রিয় +UsePreviewTabs=পূর্বরূপ ট্যাব ব্যবহার করুন +ShowPreview=পূর্বরূপ প্রদর্শন +ShowHideDetails=বিস্তারিত দেখান-লুকান +PreviewNotAvailable=পূর্বরূপ উপলব্ধ নেই +ThemeCurrentlyActive=থিম বর্তমানে সক্রিয় +MySQLTimeZone=টাইমজোন মাইএসকিউএল (ডাটাবেস) +TZHasNoEffect=তারিখগুলি সংরক্ষণ করা হয় এবং ডাটাবেস সার্ভার দ্বারা ফেরত দেওয়া হয় যেন সেগুলি জমা দেওয়া স্ট্রিং হিসাবে রাখা হয়েছিল। টাইমজোনটি শুধুমাত্র UNIX_TIMESTAMP ফাংশন ব্যবহার করার সময় প্রভাব ফেলে (যা Dolibarr দ্বারা ব্যবহার করা উচিত নয়, তাই ডাটাবেস TZ এর কোন প্রভাব থাকা উচিত নয়, এমনকি ডেটা প্রবেশের পরে পরিবর্তিত হলেও)। +Space=স্থান +Table=টেবিল +Fields=ক্ষেত্র +Index=সূচক +Mask=মুখোশ +NextValue=পরবর্তী মান +NextValueForInvoices=পরবর্তী মান (চালান) +NextValueForCreditNotes=পরবর্তী মান (ক্রেডিট নোট) +NextValueForDeposit=পরবর্তী মান (ডাউন পেমেন্ট) +NextValueForReplacements=পরবর্তী মান (প্রতিস্থাপন) +MustBeLowerThanPHPLimit=দ্রষ্টব্য: আপনার PHP কনফিগারেশন বর্তমানে %sb09a4b739fz0b09a4b739fz0-এ আপলোড করার জন্য সর্বাধিক ফাইলের আকার সীমাবদ্ধ করে span> %s, এই প্যারামিটারের মান নির্বিশেষে +NoMaxSizeByPHPLimit=দ্রষ্টব্য: আপনার পিএইচপি কনফিগারেশনে কোন সীমা সেট করা নেই +MaxSizeForUploadedFiles=আপলোড করা ফাইলগুলির জন্য সর্বাধিক আকার (0 যেকোন আপলোডের অনুমতি না দেওয়ার জন্য) +UseCaptchaCode=লগইন পৃষ্ঠা এবং কিছু পাবলিক পৃষ্ঠায় গ্রাফিকাল কোড (ক্যাপচা) ব্যবহার করুন +AntiVirusCommand=অ্যান্টিভাইরাস কমান্ডের সম্পূর্ণ পথ +AntiVirusCommandExample=ClamAv ডেমনের উদাহরণ (ক্ল্যামাভ-ডেমনের প্রয়োজন): /usr/bin/clamdscan
      ক্ল্যামউইনের উদাহরণ (খুব খুব ধীর): c:\\Progra~1\\ClamWin\\bin\\ clamscan.exe +AntiVirusParam= কমান্ড লাইনে আরও পরামিতি +AntiVirusParamExample=ClamAv ডেমনের উদাহরণ: --fdpass
      ClamWin-এর উদাহরণ: --database="C:\\Program Files (x86)\\ClamWin\\lib" +ComptaSetup=অ্যাকাউন্টিং মডিউল সেটআপ +UserSetup=ব্যবহারকারী ব্যবস্থাপনা সেটআপ +MultiCurrencySetup=মাল্টি-কারেন্সি সেটআপ +MenuLimits=সীমা এবং নির্ভুলতা +MenuIdParent=অভিভাবক মেনু আইডি +DetailMenuIdParent=অভিভাবক মেনুর আইডি (শীর্ষ মেনুর জন্য খালি) +ParentID=অভিভাবক আইডি +DetailPosition=মেনু অবস্থান সংজ্ঞায়িত করার জন্য সংখ্যা সাজান +AllMenus=সব +NotConfigured=মডিউল/অ্যাপ্লিকেশন কনফিগার করা হয়নি +Active=সক্রিয় +SetupShort=সেটআপ +OtherOptions=অন্যান্য অপশন +OtherSetup=অন্যান্য সেটআপ +CurrentValueSeparatorDecimal=দশমিক বিভাজক +CurrentValueSeparatorThousand=হাজার বিভাজক +Destination=গন্তব্য +IdModule=মডিউল আইডি +IdPermissions=অনুমতি আইডি +LanguageBrowserParameter=প্যারামিটার %s +LocalisationDolibarrParameters=স্থানীয়করণ পরামিতি +ClientHour=ক্লায়েন্ট সময় (ব্যবহারকারী) +OSTZ=সার্ভার ওএস টাইম জোন +PHPTZ=পিএইচপি সার্ভার টাইম জোন +DaylingSavingTime=দিনের আলো সংরক্ষণের সময় +CurrentHour=পিএইচপি সময় (সার্ভার) +CurrentSessionTimeOut=বর্তমান সেশনের সময়সীমা +YouCanEditPHPTZ=একটি ভিন্ন PHP টাইমজোন সেট করতে (প্রয়োজনীয় নয়), আপনি এই "SetEnv TZ Europe/Paris" এর মত একটি লাইন সহ একটি .htaccess ফাইল যোগ করার চেষ্টা করতে পারেন। +HoursOnThisPageAreOnServerTZ=সতর্কতা, অন্যান্য স্ক্রিনের বিপরীতে, এই পৃষ্ঠার ঘন্টাগুলি আপনার স্থানীয় টাইমজোনে নয়, কিন্তু সার্ভারের সময় অঞ্চলে। +Box=উইজেট +Boxes=উইজেট +MaxNbOfLinesForBoxes=সর্বোচ্চ উইজেটগুলির জন্য লাইনের সংখ্যা +AllWidgetsWereEnabled=সমস্ত উপলব্ধ উইজেট সক্রিয় করা হয় +WidgetAvailable=উইজেট উপলব্ধ +PositionByDefault=ডিফল্ট অর্ডার +Position=অবস্থান +MenusDesc=মেনু পরিচালকরা দুটি মেনু বারের বিষয়বস্তু সেট করে (অনুভূমিক এবং উল্লম্ব)। +MenusEditorDesc=মেনু এডিটর আপনাকে কাস্টম মেনু এন্ট্রি সংজ্ঞায়িত করতে দেয়। অস্থিরতা এবং স্থায়ীভাবে পৌঁছানো যায় না এমন মেনু এন্ট্রি এড়াতে সাবধানে এটি ব্যবহার করুন।
      কিছু মডিউল মেনু এন্ট্রি যোগ করে (মেনু সমস্ত
      বেশিরভাগই)। আপনি যদি ভুলবশত এই এন্ট্রিগুলির কিছু মুছে ফেলেন, তাহলে আপনি মডিউলটিকে নিষ্ক্রিয় এবং পুনরায় সক্রিয় করে সেগুলি পুনরুদ্ধার করতে পারেন। +MenuForUsers=ব্যবহারকারীদের জন্য মেনু +LangFile=.lang ফাইল +Language_en_US_es_MX_etc=ভাষা (en_US, es_MX, ...) +System=পদ্ধতি +SystemInfo=পদ্ধতিগত তথ্য +SystemToolsArea=সিস্টেম টুলস এলাকা +SystemToolsAreaDesc=এই এলাকা প্রশাসনের কার্যাবলী প্রদান করে। প্রয়োজনীয় বৈশিষ্ট্য চয়ন করতে মেনু ব্যবহার করুন. +Purge=শুদ্ধ করুন +PurgeAreaDesc=এই পৃষ্ঠাটি আপনাকে Dolibarr দ্বারা তৈরি বা সংরক্ষিত সমস্ত ফাইল মুছে ফেলার অনুমতি দেয় (অস্থায়ী ফাইল বা %s ডিরেক্টরি)। এই বৈশিষ্ট্যটি ব্যবহার করা সাধারণত প্রয়োজনীয় নয়। এটি এমন ব্যবহারকারীদের জন্য একটি সমাধান হিসাবে সরবরাহ করা হয়েছে যাদের ডলিবার এমন একটি প্রদানকারী দ্বারা হোস্ট করা হয়েছে যা ওয়েব সার্ভার দ্বারা উত্পন্ন ফাইলগুলি মুছে ফেলার অনুমতি দেয় না। +PurgeDeleteLogFile=লগ ফাইলগুলি মুছুন, যার মধ্যে রয়েছে %s Snolog এর জন্য সংজ্ঞায়িত তথ্য হারানোর ঝুঁকি) +PurgeDeleteTemporaryFiles=সমস্ত লগ এবং অস্থায়ী ফাইল মুছুন (ডেটা হারানোর কোন ঝুঁকি নেই)। প্যারামিটার 'tempfilesold', 'logfiles' বা উভয় 'tempfilesold+logfiles' হতে পারে। দ্রষ্টব্য: অস্থায়ী ফাইল মুছে ফেলা হয় শুধুমাত্র যদি টেম্প ডিরেক্টরি 24 ঘন্টা আগে তৈরি করা হয়। +PurgeDeleteTemporaryFilesShort=লগ এবং অস্থায়ী ফাইল মুছুন (ডেটা হারানোর কোন ঝুঁকি নেই) +PurgeDeleteAllFilesInDocumentsDir=ডিরেক্টরির সমস্ত ফাইল মুছুন: %s
      এটি উপাদান (তৃতীয় পক্ষ, ইনভয়েস ইত্যাদি...), ECM মডিউলে আপলোড করা ফাইল, ডাটাবেস ব্যাকআপ ডাম্প এবং অস্থায়ী ফাইলগুলির সাথে সম্পর্কিত সমস্ত উত্পন্ন নথি মুছে ফেলবে৷ +PurgeRunNow=এখন পরিষ্কার করুন +PurgeNothingToDelete=মুছে ফেলার জন্য কোন ডিরেক্টরি বা ফাইল নেই। +PurgeNDirectoriesDeleted=%s ফাইল বা ডিরেক্টরি মুছে ফেলা হয়েছে। +PurgeNDirectoriesFailed=%s ফাইল বা ডিরেক্টরি মুছে ফেলতে ব্যর্থ হয়েছে৷ +PurgeAuditEvents=সমস্ত নিরাপত্তা ইভেন্ট পরিষ্কার করুন +ConfirmPurgeAuditEvents=আপনি কি নিশ্চিত যে আপনি সমস্ত নিরাপত্তা ইভেন্ট পরিষ্কার করতে চান? সমস্ত নিরাপত্তা লগ মুছে ফেলা হবে, অন্য কোন ডেটা সরানো হবে না। +GenerateBackup=ব্যাকআপ জেনারেট করুন +Backup=ব্যাকআপ +Restore=পুনরুদ্ধার করুন +RunCommandSummary=নিম্নলিখিত কমান্ড দিয়ে ব্যাকআপ চালু করা হয়েছে +BackupResult=ব্যাকআপ ফলাফল +BackupFileSuccessfullyCreated=ব্যাকআপ ফাইল সফলভাবে তৈরি হয়েছে৷ +YouCanDownloadBackupFile=উত্পন্ন ফাইল এখন ডাউনলোড করা যাবে +NoBackupFileAvailable=কোন ব্যাকআপ ফাইল উপলব্ধ. +ExportMethod=রপ্তানি পদ্ধতি +ImportMethod=আমদানি পদ্ধতি +ToBuildBackupFileClickHere=একটি ব্যাকআপ ফাইল তৈরি করতে, এখানে ক্লিক করুন। +ImportMySqlDesc=একটি MySQL ব্যাকআপ ফাইল আমদানি করতে, আপনি আপনার হোস্টিংয়ের মাধ্যমে phpMyAdmin ব্যবহার করতে পারেন বা কমান্ড লাইন থেকে mysql কমান্ড ব্যবহার করতে পারেন৷
      উদাহরণস্বরূপ: +ImportPostgreSqlDesc=একটি ব্যাকআপ ফাইল আমদানি করতে, আপনাকে কমান্ড লাইন থেকে pg_restore কমান্ড ব্যবহার করতে হবে: ImportMySqlCommand=%s %s < mybackupfile.sql ImportPostgreSqlCommand=%s %s mybackupfile.sql -FileNameToGenerate=Filename for backup: -Compression=Compression -CommandsToDisableForeignKeysForImport=Command to disable foreign keys on import -CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later -ExportCompatibility=Compatibility of generated export file -ExportUseMySQLQuickParameter=Use the --quick parameter -ExportUseMySQLQuickParameterHelp=The '--quick' parameter helps limit RAM consumption for large tables. -MySqlExportParameters=MySQL export parameters -PostgreSqlExportParameters= PostgreSQL export parameters -UseTransactionnalMode=Use transactional mode -FullPathToMysqldumpCommand=Full path to mysqldump command -FullPathToPostgreSQLdumpCommand=Full path to pg_dump command -AddDropDatabase=Add DROP DATABASE command -AddDropTable=Add DROP TABLE command -ExportStructure=Structure -NameColumn=Name columns -ExtendedInsert=Extended INSERT -NoLockBeforeInsert=No lock commands around INSERT -DelayedInsert=Delayed insert -EncodeBinariesInHexa=Encode binary data in hexadecimal -IgnoreDuplicateRecords=Ignore errors of duplicate record (INSERT IGNORE) -AutoDetectLang=Autodetect (browser language) -FeatureDisabledInDemo=Feature disabled in demo -FeatureAvailableOnlyOnStable=Feature only available on official stable versions -BoxesDesc=Widgets are components showing some information that you can add to personalize some pages. You can choose between showing the widget or not by selecting target page and clicking 'Activate', or by clicking the trashcan to disable it. -OnlyActiveElementsAreShown=Only elements from enabled modules are shown. -ModulesDesc=The modules/applications determine which features are available in the software. Some modules require permissions to be granted to users after activating the module. Click the on/off button %s of each module to enable or disable a module/application. -ModulesDesc2=Click the wheel button %s to configure the module/application. -ModulesMarketPlaceDesc=You can find more modules to download on external websites on the Internet... -ModulesDeployDesc=If permissions on your file system allow it, you can use this tool to deploy an external module. The module will then be visible on the tab %s. -ModulesMarketPlaces=Find external app/modules -ModulesDevelopYourModule=Develop your own app/modules -ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. -DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New module -FreeModule=Free -CompatibleUpTo=Compatible with version %s -NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). -CompatibleAfterUpdate=This module requires an update to your Dolibarr %s (Min %s - Max %s). -SeeInMarkerPlace=See in Market place -SeeSetupOfModule=See setup of module %s -SetOptionTo=Set option %s to %s -Updated=Updated -AchatTelechargement=Buy / Download -GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. -DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
      Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. -WebSiteDesc=External websites for more add-on (non-core) modules... -DevelopYourModuleDesc=Some solutions to develop your own module... +FileNameToGenerate=ব্যাকআপের জন্য ফাইলের নাম: +Compression=সঙ্কোচন +CommandsToDisableForeignKeysForImport=আমদানিতে বিদেশী কীগুলি নিষ্ক্রিয় করার আদেশ৷ +CommandsToDisableForeignKeysForImportWarning=বাধ্যতামূলক যদি আপনি পরে আপনার sql ডাম্প পুনরুদ্ধার করতে সক্ষম হতে চান +ExportCompatibility=উত্পন্ন রপ্তানি ফাইলের সামঞ্জস্য +ExportUseMySQLQuickParameter=--দ্রুত প্যারামিটার ব্যবহার করুন +ExportUseMySQLQuickParameterHelp='--দ্রুত' প্যারামিটার বড় টেবিলের জন্য RAM খরচ সীমিত করতে সাহায্য করে। +MySqlExportParameters=মাইএসকিউএল এক্সপোর্ট প্যারামিটার +PostgreSqlExportParameters= PostgreSQL এক্সপোর্ট প্যারামিটার +UseTransactionnalMode=লেনদেন মোড ব্যবহার করুন +FullPathToMysqldumpCommand=mysqldump কমান্ডের সম্পূর্ণ পথ +FullPathToPostgreSQLdumpCommand=pg_dump কমান্ডের সম্পূর্ণ পথ +AddDropDatabase=ড্রপ ডেটাবেস কমান্ড যোগ করুন +AddDropTable=ড্রপ টেবিল কমান্ড যোগ করুন +ExportStructure=গঠন +NameColumn=নাম কলাম +ExtendedInsert=বর্ধিত INSERT +NoLockBeforeInsert=INSERT এর আশেপাশে কোন লক কমান্ড নেই৷ +DelayedInsert=বিলম্বিত সন্নিবেশ +EncodeBinariesInHexa=হেক্সাডেসিমেলে বাইনারি ডেটা এনকোড করুন +IgnoreDuplicateRecords=ডুপ্লিকেট রেকর্ডের ত্রুটিগুলি উপেক্ষা করুন (INSERT IGNORE) +AutoDetectLang=অটোডিটেক্ট (ব্রাউজারের ভাষা) +FeatureDisabledInDemo=ডেমোতে বৈশিষ্ট্য অক্ষম করা হয়েছে +FeatureAvailableOnlyOnStable=বৈশিষ্ট্য শুধুমাত্র অফিসিয়াল স্থিতিশীল সংস্করণে উপলব্ধ +BoxesDesc=উইজেট হল এমন উপাদান যা কিছু তথ্য দেখায় যা আপনি কিছু পৃষ্ঠা ব্যক্তিগতকৃত করতে যোগ করতে পারেন। আপনি উইজেট দেখানো বা না দেখানোর মধ্যে বেছে নিতে পারেন লক্ষ্য পৃষ্ঠা নির্বাচন করে এবং 'অ্যাক্টিভেট' ক্লিক করে, অথবা ট্র্যাশক্যানে ক্লিক করে এটি নিষ্ক্রিয় করতে পারেন। +OnlyActiveElementsAreShown=শুধুমাত্র সক্ষম মডিউল থেকে উপাদানগুলি দেখানো হয়েছে৷ +ModulesDesc=মডিউল/অ্যাপ্লিকেশনগুলি নির্ধারণ করে যে কোন বৈশিষ্ট্যগুলি সফ্টওয়্যারে উপলব্ধ। কিছু মডিউল মডিউল সক্রিয় করার পরে ব্যবহারকারীদের অনুমতি দেওয়ার প্রয়োজন হয়। সক্রিয় করতে প্রতিটি মডিউলের %s চালু/বন্ধ বোতামে ক্লিক করুন অথবা একটি মডিউল/অ্যাপ্লিকেশন নিষ্ক্রিয় করুন। +ModulesDesc2=মডিউল কনফিগার করতে চাকা বোতাম %s ক্লিক করুন। +ModulesMarketPlaceDesc=আপনি ইন্টারনেটে বাহ্যিক ওয়েবসাইটে ডাউনলোড করার জন্য আরও মডিউল খুঁজে পেতে পারেন... +ModulesDeployDesc=যদি আপনার ফাইল সিস্টেমের অনুমতি এটির অনুমতি দেয়, আপনি একটি বহিরাগত মডিউল স্থাপন করতে এই সরঞ্জামটি ব্যবহার করতে পারেন। মডিউলটি তখন ট্যাবে দৃশ্যমান হবে %s। +ModulesMarketPlaces=বাহ্যিক অ্যাপ/মডিউল খুঁজুন +ModulesDevelopYourModule=আপনার নিজস্ব অ্যাপ/মডিউল বিকাশ করুন +ModulesDevelopDesc=আপনি আপনার নিজস্ব মডিউল বিকাশ করতে পারেন বা আপনার জন্য একটি বিকাশ করার জন্য একজন অংশীদার খুঁজে পেতে পারেন। +DOLISTOREdescriptionLong=একটি বাহ্যিক মডিউল খুঁজতে www.dolistore.com ওয়েব সাইট চালু করার পরিবর্তে, আপনি এই এমবেড করা টুলটি ব্যবহার করতে পারেন যা আপনার জন্য বাহ্যিক বাজারের জায়গায় অনুসন্ধান করবে (ধীর হতে পারে, একটি ইন্টারনেট অ্যাক্সেস প্রয়োজন)... +NewModule=নতুন মডিউল +FreeModule=বিনামূল্যে +CompatibleUpTo=%s সংস্করণের সাথে সামঞ্জস্যপূর্ণ +NotCompatible=এই মডিউলটি আপনার Dolibarr %s (মিনিমাম %s - সর্বোচ্চ b0ecb2ec87fz0 এর সাথে সামঞ্জস্যপূর্ণ বলে মনে হচ্ছে না span>)। +CompatibleAfterUpdate=এই মডিউলটির জন্য আপনার Dolibarr %s (মিনিমাম %s - সর্বাধিক %s-এ একটি আপডেট প্রয়োজন >)। +SeeInMarkerPlace=মার্কেট প্লেসে দেখুন +SeeSetupOfModule=%s মডিউল সেটআপ দেখুন +SeeSetupPage=%s এ সেটআপ পৃষ্ঠা দেখুন +SeeReportPage=%s এ রিপোর্ট পৃষ্ঠা দেখুন +SetOptionTo=%s বিকল্প সেট করুন %s +Updated=আপডেট করা হয়েছে +AchatTelechargement=কিনুন/ডাউনলোড করুন +GoModuleSetupArea=একটি নতুন মডিউল স্থাপন/ইনস্টল করতে, মডিউল সেটআপ এলাকায় যান: %sb0e40dc6588 +DoliStoreDesc=DoliStore, Dolibarr ERP/CRM বাহ্যিক মডিউলের অফিসিয়াল মার্কেট প্লেস +DoliPartnersDesc=কাস্টম-উন্নত মডিউল বা বৈশিষ্ট্যগুলি প্রদানকারী সংস্থাগুলির তালিকা৷
      দ্রষ্টব্য: যেহেতু ডলিবার একটি ওপেন সোর্স অ্যাপ্লিকেশন, তাই যে কেউ পিএইচপি প্রোগ্রামিংয়ে অভিজ্ঞদের একটি মডিউল তৈরি করতে সক্ষম হওয়া উচিত। +WebSiteDesc=আরো অ্যাড-অন (নন-কোর) মডিউলের জন্য বাহ্যিক ওয়েবসাইট... +DevelopYourModuleDesc=আপনার নিজস্ব মডিউল বিকাশের জন্য কিছু সমাধান... URL=URL -RelativeURL=Relative URL -BoxesAvailable=Widgets available -BoxesActivated=Widgets activated -ActivateOn=Activate on -ActiveOn=Activated on -ActivatableOn=Activatable on -SourceFile=Source file -AvailableOnlyIfJavascriptAndAjaxNotDisabled=Available only if JavaScript is not disabled -Required=Required -UsedOnlyWithTypeOption=Used by some agenda option only -Security=Security -Passwords=Passwords -DoNotStoreClearPassword=Encrypt passwords stored in database (NOT as plain-text). It is strongly recommended to activate this option. -MainDbPasswordFileConfEncrypted=Encrypt database password stored in conf.php. It is strongly recommended to activate this option. -InstrucToEncodePass=To have password encoded into the conf.php file, replace the line
      $dolibarr_main_db_pass="...";
      by
      $dolibarr_main_db_pass="crypted:%s"; -InstrucToClearPass=To have password decoded (clear) into the conf.php file, replace the line
      $dolibarr_main_db_pass="crypted:...";
      by
      $dolibarr_main_db_pass="%s"; -ProtectAndEncryptPdfFiles=Protect generated PDF files. This is NOT recommended as it breaks bulk PDF generation. -ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature makes building of a global merged PDFs not working. -Feature=Feature -DolibarrLicense=License -Developpers=Developers/contributors -OfficialWebSite=Dolibarr official web site -OfficialWebSiteLocal=Local web site (%s) -OfficialWiki=Dolibarr documentation / Wiki -OfficialDemo=Dolibarr online demo -OfficialMarketPlace=Official market place for external modules/addons -OfficialWebHostingService=Referenced web hosting services (Cloud hosting) -ReferencedPreferredPartners=Preferred Partners -OtherResources=Other resources -ExternalResources=External Resources -SocialNetworks=Social Networks -SocialNetworkId=Social Network ID -ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),
      take a look at the Dolibarr Wiki:
      %s -ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:
      %s -HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr. -HelpCenterDesc2=Some of these resources are only available in english. -CurrentMenuHandler=Current menu handler -MeasuringUnit=Measuring unit -LeftMargin=Left margin -TopMargin=Top margin -PaperSize=Paper type -Orientation=Orientation -SpaceX=Space X -SpaceY=Space Y -FontSize=Font size -Content=Content -ContentForLines=Content to display for each product or service (from variable __LINES__ of Content) -NoticePeriod=Notice period -NewByMonth=New by month -Emails=Emails -EMailsSetup=Emails setup -EMailsDesc=This page allows you to set parameters or options for email sending. -EmailSenderProfiles=Emails sender profiles -EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. -MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (default value in php.ini: %s) -MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (default value in php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix-like systems) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix-like systems) -MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (default value in php.ini: %s) -MAIN_MAIL_ERRORS_TO=Email used for error returns emails (fields 'Errors-To' in emails sent) -MAIN_MAIL_AUTOCOPY_TO= Copy (Bcc) all sent emails to -MAIN_DISABLE_ALL_MAILS=Disable all email sending (for test purposes or demos) -MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email -MAIN_MAIL_SENDMODE=Email sending method -MAIN_MAIL_SMTPS_ID=SMTP ID (if sending server requires authentication) -MAIN_MAIL_SMTPS_PW=SMTP Password (if sending server requires authentication) -MAIN_MAIL_EMAIL_TLS=Use TLS (SSL) encryption -MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés -MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature -MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim -MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector -MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing -MAIN_DISABLE_ALL_SMS=Disable all SMS sending (for test purposes or demos) -MAIN_SMS_SENDMODE=Method to use to send SMS -MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending -MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email) -UserEmail=User email -CompanyEmail=Company Email -FeatureNotAvailableOnLinux=Feature not available on Unix like systems. Test your sendmail program locally. -FixOnTransifex=Fix the translation on the online translation platform of project -SubmitTranslation=If the translation for this language is not complete or you find errors, you can correct this by editing files in directory langs/%s and submit your change to www.transifex.com/dolibarr-association/dolibarr/ -SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or, if you are a developer, with a PR on github.com/Dolibarr/dolibarr -ModuleSetup=Module setup -ModulesSetup=Modules/Application setup -ModuleFamilyBase=System -ModuleFamilyCrm=Customer Relationship Management (CRM) -ModuleFamilySrm=Vendor Relationship Management (VRM) -ModuleFamilyProducts=Product Management (PM) -ModuleFamilyHr=Human Resource Management (HR) -ModuleFamilyProjects=Projects/Collaborative work -ModuleFamilyOther=Other -ModuleFamilyTechnic=Multi-modules tools -ModuleFamilyExperimental=Experimental modules -ModuleFamilyFinancial=Financial Modules (Accounting/Treasury) -ModuleFamilyECM=Electronic Content Management (ECM) -ModuleFamilyPortal=Websites and other frontal application -ModuleFamilyInterface=Interfaces with external systems -MenuHandlers=Menu handlers -MenuAdmin=Menu editor -DoNotUseInProduction=Do not use in production -ThisIsProcessToFollow=Upgrade procedure: -ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: -StepNb=Step %s -FindPackageFromWebSite=Find a package that provides the features you need (for example on the official web site %s). -DownloadPackageFromWebSite=Download package (for example from the official web site %s). -UnpackPackageInDolibarrRoot=Unpack/unzip the packaged files into your Dolibarr server directory: %s -UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s -SetupIsReadyForUse=Module deployment is finished. You must however enable and setup the module in your application by going to the page setup modules: %s. -NotExistsDirect=The alternative root directory is not defined to an existing directory.
      -InfDirAlt=Since version 3, it is possible to define an alternative root directory. This allows you to store, into a dedicated directory, plug-ins and custom templates.
      Just create a directory at the root of Dolibarr (eg: custom).
      -InfDirExample=
      Then declare it in the file conf.php
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
      If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. -YouCanSubmitFile=You can upload the .zip file of module package from here: -CurrentVersion=Dolibarr current version -CallUpdatePage=Browse to the page that updates the database structure and data: %s. -LastStableVersion=Latest stable version -LastActivationDate=Latest activation date -LastActivationAuthor=Latest activation author -LastActivationIP=Latest activation IP -LastActivationVersion=Latest activation version -UpdateServerOffline=Update server offline -WithCounter=Manage a counter -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      -GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      -GenericMaskCodes3=All other characters in the mask will remain intact.
      Spaces are not allowed.
      -GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
      Spaces are not allowed.
      In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2007-01-31:
      -GenericMaskCodes4b=Example on third party created on 2007-03-01:
      -GenericMaskCodes4c=Example on product created on 2007-03-01:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC0701-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN0701-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' -GenericNumRefModelDesc=Returns a customizable number according to a defined mask. -ServerAvailableOnIPOrPort=Server is available at address %s on port %s -ServerNotAvailableOnIPOrPort=Server is not available at address %s on port %s -DoTestServerAvailability=Test server connectivity -DoTestSend=Test sending -DoTestSendHTML=Test sending HTML -ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. -ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, can't use option @ if sequence {yy}{mm} or {yyyy}{mm} is not in mask. -UMask=UMask parameter for new files on Unix/Linux/BSD/Mac file system. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone).
      This parameter is useless on a Windows server. -SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization -UseACacheDelay= Delay for caching export response in seconds (0 or empty for no cache) -DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page -DisableLinkToHelp=Hide the link to the online help "%s" -AddCRIfTooLong=There is no automatic text wrapping, text that is too long will not display on documents. Please add carriage returns in the text area if needed. -ConfirmPurge=Are you sure you want to execute this purge?
      This will permanently delete all your data files with no way to restore them (ECM files, attached files...). -MinLength=Minimum length -LanguageFilesCachedIntoShmopSharedMemory=Files .lang loaded in shared memory -LanguageFile=Language file -ExamplesWithCurrentSetup=Examples with current configuration -ListOfDirectories=List of OpenDocument templates directories -ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.

      Put here full path of directories.
      Add a carriage return between eah directory.
      To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.

      Files in those directories must end with .odt or .ods. -NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories -ExampleOfDirectoriesForModelGen=Examples of syntax:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir -FollowingSubstitutionKeysCanBeUsed=
      To know how to create your odt document templates, before storing them in those directories, read wiki documentation: -FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template -FirstnameNamePosition=Position of Name/Lastname -DescWeather=The following images will be shown on the dashboard when the number of late actions reach the following values: -KeyForWebServicesAccess=Key to use Web Services (parameter "dolibarrkey" in webservices) -TestSubmitForm=Input test form -ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever the user choice. Also this menu manager specialized for smartphones does not work on all smartphone. Use another menu manager if you experience problems with yours. -ThemeDir=Skins directory -ConnectionTimeout=Connection timeout -ResponseTimeout=Response timeout -SmsTestMessage=Test message from __PHONEFROM__ to __PHONETO__ -ModuleMustBeEnabledFirst=Module %s must be enabled first if you need this feature. -SecurityToken=Key to secure URLs -NoSmsEngine=No SMS sender manager available. A SMS sender manager is not installed with the default distribution because they depend on an external vendor, but you can find some on %s -PDF=PDF -PDFDesc=Global options for PDF generation -PDFOtherDesc=PDF Option specific to some modules -PDFAddressForging=Rules for address section -HideAnyVATInformationOnPDF=Hide all information related to Sales Tax / VAT -PDFRulesForSalesTax=Rules for Sales Tax / VAT -PDFLocaltax=Rules for %s -HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT -HideDescOnPDF=Hide products description -HideRefOnPDF=Hide products ref. -HideDetailsOnPDF=Hide product lines details -PlaceCustomerAddressToIsoLocation=Use french standard position (La Poste) for customer address position -Library=Library -UrlGenerationParameters=Parameters to secure URLs -SecurityTokenIsUnique=Use a unique securekey parameter for each URL -EnterRefToBuildUrl=Enter reference for object %s -GetSecuredUrl=Get calculated URL -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) -OldVATRates=Old VAT rate -NewVATRates=New VAT rate -PriceBaseTypeToChange=Modify on prices with base reference value defined on -MassConvert=Launch bulk conversion -PriceFormatInCurrentLanguage=Price Format In Current Language -String=String -String1Line=String (1 line) -TextLong=Long text -TextLongNLines=Long text (n lines) -HtmlText=Html text -Int=Integer -Float=Float -DateAndTime=Date and hour -Unique=Unique -Boolean=Boolean (one checkbox) -ExtrafieldPhone = Phone -ExtrafieldPrice = Price -ExtrafieldMail = Email -ExtrafieldUrl = Url -ExtrafieldSelect = Select list -ExtrafieldSelectList = Select from table -ExtrafieldSeparator=Separator (not a field) -ExtrafieldPassword=Password -ExtrafieldRadio=Radio buttons (one choice only) -ExtrafieldCheckBox=Checkboxes -ExtrafieldCheckBoxFromList=Checkboxes from table -ExtrafieldLink=Link to an object -ComputedFormula=Computed field -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $object.
      WARNING: Only some properties of $object may be available. If you need a properties not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $object->id < 10 ? round($object->id / 2, 2): ($object->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($obj->id ? $obj->id: ($obj->rowid ? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' -Computedpersistent=Store computed field -ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!! -ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored without encryption (field must be only hidden with star on screen).
      Set 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retrieve original value) -ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      In order to have the list depending on another list:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key -ExtrafieldParamHelpcheckbox=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpradio=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath -ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) -LibraryToBuildPDF=Library used for PDF generation -LocalTaxDesc=Some countries may apply two or three taxes on each invoice line. If this is the case, choose the type for the second and third tax and its rate. Possible type are:
      1: local tax apply on products and services without vat (localtax is calculated on amount without tax)
      2: local tax apply on products and services including vat (localtax is calculated on amount + main tax)
      3: local tax apply on products without vat (localtax is calculated on amount without tax)
      4: local tax apply on products including vat (localtax is calculated on amount + main vat)
      5: local tax apply on services without vat (localtax is calculated on amount without tax)
      6: local tax apply on services including vat (localtax is calculated on amount + tax) -SMS=SMS -LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user %s -RefreshPhoneLink=Refresh link -LinkToTest=Clickable link generated for user %s (click phone number to test) -KeepEmptyToUseDefault=Keep empty to use default value -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. -DefaultLink=Default link -SetAsDefault=Set as default -ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) -ExternalModule=External module -InstalledInto=Installed into directory %s -BarcodeInitForThirdparties=Mass barcode init for third-parties -BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services -CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. -InitEmptyBarCode=Init value for next %s empty records -EraseAllCurrentBarCode=Erase all current barcode values -ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values? -AllBarcodeReset=All barcode values have been removed -NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled in the Barcode module setup. -EnableFileCache=Enable file cache -ShowDetailsInPDFPageFoot=Add more details into footer, such as company address or manager names (in addition to professional ids, company capital and VAT number). -NoDetails=No additional details in footer -DisplayCompanyInfo=Display company address -DisplayCompanyManagers=Display manager names -DisplayCompanyInfoAndManagers=Display company address and manager names -EnableAndSetupModuleCron=If you want to have this recurring invoice generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template using the *Create* button. Note that even if you enabled automatic generation, you can still safely launch manual generation. Generation of duplicates for the same period is not possible. -ModuleCompanyCodeCustomerAquarium=%s followed by customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by vendor code for a vendor accounting code -ModuleCompanyCodePanicum=Return an empty accounting code. -ModuleCompanyCodeDigitaria=Returns a compound accounting code according to the name of the third party. The code consists of a prefix that can be defined in the first position followed by the number of characters defined in the third party code. -ModuleCompanyCodeCustomerDigitaria=%s followed by the truncated customer name by the number of characters: %s for the customer accounting code. -ModuleCompanyCodeSupplierDigitaria=%s followed by the truncated supplier name by the number of characters: %s for the supplier accounting code. -Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
      Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. -UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... -WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons: -WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM -WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota). -WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox. -WarningPHPMailD=Also, it is therefore recommended to change the sending method of e-mails to the value "SMTP". If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by setting the MAIN_HIDE_WARNING_TO_ENCOURAGE_SMTP_SETUP constant to 1 in Home - Setup - Other. -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask your domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. -ActualMailSPFRecordFound=Actual SPF record found : %s -ClickToShowDescription=Click to show description -DependsOn=This module needs the module(s) -RequiredBy=This module is required by module(s) -TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. Technical knowledge is required to read the content of the HTML page to get the key name of a field. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, the default values will be effective if all parameters are set to same value. -PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) -EnableDefaultValues=Enable customization of default values -EnableOverwriteTranslation=Enable usage of overwritten translation -GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation. -WarningSettingSortOrder=Warning, setting a default sort order may result in a technical error when going on the list page if field is an unknown field. If you experience such an error, come back to this page to remove the default sort order and restore default behavior. -Field=Field -ProductDocumentTemplates=Document templates to generate product document -FreeLegalTextOnExpenseReports=Free legal text on expense reports -WatermarkOnDraftExpenseReports=Watermark on draft expense reports -ProjectIsRequiredOnExpenseReports=The project is mandatory for entering an expense report -PrefillExpenseReportDatesWithCurrentMonth=Pre-fill start and end dates of new expense report with start and end dates of the current month -ForceExpenseReportsLineAmountsIncludingTaxesOnly=Force the entry of expense report amounts always in amount with taxes -AttachMainDocByDefault=Set this to 1 if you want to attach main document to email by default (if applicable) -FilesAttachedToEmail=Attach file -SendEmailsReminders=Send agenda reminders by emails -davDescription=Setup a WebDAV server -DAVSetup=Setup of module DAV -DAV_ALLOW_PRIVATE_DIR=Enable the generic private directory (WebDAV dedicated directory named "private" - login required) -DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory anybody can access with its application login/pass. -DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). -DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. -# Modules -Module0Name=Users & Groups -Module0Desc=Users / Employees and Groups management -Module1Name=Third Parties -Module1Desc=Companies and contacts management (customers, prospects...) -Module2Name=Commercial -Module2Desc=Commercial management -Module10Name=Accounting (simplified) -Module10Desc=Simple accounting reports (journals, turnover) based on database content. Does not use any ledger table. -Module20Name=Proposals -Module20Desc=Commercial proposal management -Module22Name=Mass Emailings -Module22Desc=Manage bulk emailing -Module23Name=Energy -Module23Desc=Monitoring the consumption of energies -Module25Name=Sales Orders -Module25Desc=Sales order management -Module30Name=Invoices -Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers -Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) -Module42Name=Debug Logs -Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. -Module43Name=Debug Bar -Module43Desc=A tool for developper adding a debug bar in your browser. -Module49Name=Editors -Module49Desc=Editor management -Module50Name=Products -Module50Desc=Management of Products -Module51Name=Mass mailings -Module51Desc=Mass paper mailing management -Module52Name=Stocks -Module52Desc=Stock management -Module53Name=Services -Module53Desc=Management of Services -Module54Name=Contracts/Subscriptions -Module54Desc=Management of contracts (services or recurring subscriptions) -Module55Name=Barcodes -Module55Desc=Barcode or QR code management -Module56Name=Payment by credit transfer -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. -Module57Name=Payments by Direct Debit -Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. -Module58Name=ClickToDial -Module58Desc=Integration of a ClickToDial system (Asterisk, ...) -Module60Name=Stickers -Module60Desc=Management of stickers -Module70Name=Interventions -Module70Desc=Intervention management -Module75Name=Expense and trip notes -Module75Desc=Expense and trip notes management -Module80Name=Shipments -Module80Desc=Shipments and delivery note management -Module85Name=Banks & Cash -Module85Desc=Management of bank or cash accounts -Module100Name=External Site -Module100Desc=Add a link to an external website as a main menu icon. Website is shown in a frame under the top menu. -Module105Name=Mailman and SPIP -Module105Desc=Mailman or SPIP interface for member module -Module200Name=LDAP -Module200Desc=LDAP directory synchronization -Module210Name=PostNuke -Module210Desc=PostNuke integration -Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistance) -Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistance) -Module310Name=Members -Module310Desc=Foundation members management -Module320Name=RSS Feed -Module320Desc=Add a RSS feed to Dolibarr pages -Module330Name=Bookmarks & Shortcuts -Module330Desc=Create shortcuts, always accessible, to the internal or external pages to which you frequently access -Module400Name=Projects or Leads -Module400Desc=Management of projects, leads/opportunities and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. -Module410Name=Webcalendar -Module410Desc=Webcalendar integration -Module500Name=Taxes & Special Expenses -Module500Desc=Management of other expenses (sales taxes, social or fiscal taxes, dividends, ...) -Module510Name=Salaries -Module510Desc=Record and track employee payments -Module520Name=Loans -Module520Desc=Management of loans -Module600Name=Notifications on business event -Module600Desc=Send email notifications triggered by a business event: per user (setup defined on each user), per third-party contacts (setup defined on each third party) or by specific emails -Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. -Module610Name=Product Variants -Module610Desc=Creation of product variants (color, size etc.) -Module700Name=Donations -Module700Desc=Donation management -Module770Name=Expense Reports -Module770Desc=Manage expense reports claims (transportation, meal, ...) -Module1120Name=Vendor Commercial Proposals -Module1120Desc=Request vendor commercial proposal and prices -Module1200Name=Mantis -Module1200Desc=Mantis integration -Module1520Name=Document Generation -Module1520Desc=Mass email document generation -Module1780Name=Tags/Categories -Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members) -Module2000Name=WYSIWYG editor -Module2000Desc=Allow text fields to be edited/formatted using CKEditor (html) -Module2200Name=Dynamic Prices -Module2200Desc=Use maths expressions for auto-generation of prices -Module2300Name=Scheduled jobs -Module2300Desc=Scheduled jobs management (alias cron or chrono table) -Module2400Name=Events/Agenda -Module2400Desc=Track events. Log automatic events for tracking purposes or record manual events or meetings. This is the principal module for good Customer or Vendor Relationship Management. -Module2500Name=DMS / ECM -Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. -Module2600Name=API/Web services (SOAP server) -Module2600Desc=Enable the Dolibarr SOAP server providing API services -Module2610Name=API/Web services (REST server) -Module2610Desc=Enable the Dolibarr REST server providing API services -Module2660Name=Call WebServices (SOAP client) -Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Only Purchase orders are currently supported.) -Module2700Name=Gravatar -Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Needs Internet access -Module2800Desc=FTP Client -Module2900Name=GeoIPMaxmind -Module2900Desc=GeoIP Maxmind conversions capabilities -Module3200Name=Unalterable Archives -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. -Module3400Name=Social Networks -Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). -Module4000Name=HRM -Module4000Desc=Human resources management (management of department, employee contracts and feelings) -Module5000Name=Multi-company -Module5000Desc=Allows you to manage multiple companies -Module6000Name=Inter-modules Workflow -Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) -Module10000Name=Websites -Module10000Desc=Create websites (public) with a WYSIWYG editor. This is a webmaster or developer oriented CMS (it is better to know HTML and CSS language). Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the internet with your own domain name. -Module20000Name=Leave Request Management -Module20000Desc=Define and track employee leave requests -Module39000Name=Product Lots -Module39000Desc=Lots, serial numbers, eat-by/sell-by date management for products -Module40000Name=Multicurrency -Module40000Desc=Use alternative currencies in prices and documents -Module50000Name=PayBox -Module50000Desc=Offer customers a PayBox online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +RelativeURL=আপেক্ষিক URL +BoxesAvailable=উইজেট উপলব্ধ +BoxesActivated=উইজেট সক্রিয় করা হয়েছে +ActivateOn=চালু করুন +ActiveOn=চালু হয়েছে +ActivatableOn=চালু করা যাবে +SourceFile=উৎস ফাইল +AvailableOnlyIfJavascriptAndAjaxNotDisabled=জাভাস্ক্রিপ্ট নিষ্ক্রিয় না হলেই উপলব্ধ +Required=প্রয়োজন +UsedOnlyWithTypeOption=শুধুমাত্র কিছু এজেন্ডা বিকল্প দ্বারা ব্যবহৃত +Security=নিরাপত্তা +Passwords=পাসওয়ার্ড +DoNotStoreClearPassword=ডাটাবেসে সংরক্ষিত পাসওয়ার্ড এনক্রিপ্ট করুন (প্লেন-টেক্সট হিসেবে নয়)। এই বিকল্পটি সক্রিয় করার জন্য দৃঢ়ভাবে সুপারিশ করা হয়। +MainDbPasswordFileConfEncrypted=conf.php এ সংরক্ষিত ডাটাবেস পাসওয়ার্ড এনক্রিপ্ট করুন। এই বিকল্পটি সক্রিয় করার জন্য দৃঢ়ভাবে সুপারিশ করা হয়। +InstrucToEncodePass=conf.php ফাইলে পাসওয়ার্ড এনকোড করতে, লাইনটি প্রতিস্থাপন করুন b0342fccfda19b /span>$dolibarr_main_db_pass="...";b0342fccfda19 >দ্বারা
      $dolibarr_main_db_pass="crypted:b0ecb2ecz87fz" span class='notranslate'>
      +InstrucToClearPass=conf.php ফাইলে পাসওয়ার্ড ডিকোড (ক্লিয়ার) করতে, লাইনটি প্রতিস্থাপন করুন
      $dolibarr_main_db_pass="crypted:...";$dolibarr_main_db_pass="
      দ্বারা ";
      +ProtectAndEncryptPdfFiles=উত্পন্ন পিডিএফ ফাইল রক্ষা করুন. এটি বাঞ্ছনীয় নয় কারণ এটি বাল্ক পিডিএফ তৈরি করে। +ProtectAndEncryptPdfFilesDesc=একটি পিডিএফ ডকুমেন্টের সুরক্ষা এটিকে যেকোনো পিডিএফ ব্রাউজার দিয়ে পড়তে এবং মুদ্রণের জন্য উপলব্ধ রাখে। তবে এডিট ও কপি করা আর সম্ভব নয়। মনে রাখবেন যে এই বৈশিষ্ট্যটি ব্যবহার করার ফলে একটি বিশ্বব্যাপী মার্জড PDF গুলি কাজ করছে না। +Feature=বৈশিষ্ট্য +DolibarrLicense=লাইসেন্স +Developpers=বিকাশকারী / অবদানকারী +OfficialWebSite=ডলিবার অফিসিয়াল ওয়েব সাইট +OfficialWebSiteLocal=স্থানীয় ওয়েব সাইট (%s) +OfficialWiki=ডলিবার ডকুমেন্টেশন / উইকি +OfficialDemo=ডলিবার অনলাইন ডেমো +OfficialMarketPlace=বাহ্যিক মডিউল/অ্যাডনের জন্য অফিসিয়াল মার্কেট প্লেস +OfficialWebHostingService=রেফারেন্সযুক্ত ওয়েব হোস্টিং পরিষেবা (ক্লাউড হোস্টিং) +ReferencedPreferredPartners=পছন্দের অংশীদার +OtherResources=অন্যান্য উৎস +ExternalResources=বাহ্যিক সম্পদ +SocialNetworks=সামাজিক যোগাযোগ +SocialNetworkId=সামাজিক নেটওয়ার্ক আইডি +ForDocumentationSeeWiki=ব্যবহারকারী বা বিকাশকারী ডকুমেন্টেশনের জন্য (ডক, প্রায়শই জিজ্ঞাসিত প্রশ্নাবলী...),
      Dolibarr Wiki:
      %sb0e40dc658> +ForAnswersSeeForum=অন্য কোনো প্রশ্ন/সাহায্যের জন্য, আপনি Dolibarr ফোরাম ব্যবহার করতে পারেন:
      %s +HelpCenterDesc1=Dolibarr-এর সাহায্য এবং সমর্থন পাওয়ার জন্য এখানে কিছু সংস্থান রয়েছে। +HelpCenterDesc2=এই সম্পদগুলির মধ্যে কিছু শুধুমাত্র ইংরেজি এ উপলব্ধ। +CurrentMenuHandler=বর্তমান মেনু হ্যান্ডলার +MeasuringUnit=পরিমাপ ইউনিট +LeftMargin=বাম কিনারা +TopMargin=শীর্ষ মার্জিন +PaperSize=কাগজের ধরন +Orientation=ওরিয়েন্টেশন +SpaceX=স্পেস এক্স +SpaceY=স্পেস ওয়াই +FontSize=অক্ষরের আকার +Content=বিষয়বস্তু +ContentForLines=প্রতিটি পণ্য বা পরিষেবার জন্য প্রদর্শনের জন্য সামগ্রী (কন্টেন্টের পরিবর্তনশীল __LINES__ থেকে) +NoticePeriod=বিজ্ঞপ্তি সময়কাল +NewByMonth=মাসে নতুন +Emails=ইমেইল +EMailsSetup=ইমেল সেটআপ +EMailsDesc=এই পৃষ্ঠাটি আপনাকে ইমেল পাঠানোর জন্য পরামিতি বা বিকল্প সেট করতে দেয়। +EmailSenderProfiles=ইমেল প্রেরকের প্রোফাইল +EMailsSenderProfileDesc=আপনি এই বিভাগটি খালি রাখতে পারেন। আপনি এখানে কিছু ইমেল লিখলে, আপনি যখন একটি নতুন ইমেল লিখবেন তখন সেগুলি কম্বোবক্সে সম্ভাব্য প্রেরকদের তালিকায় যোগ করা হবে। +MAIN_MAIL_SMTP_PORT=SMTP/SMTPS পোর্ট (php.ini তে ডিফল্ট মান: %sb09a4b739f17fz0 >>) +MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS হোস্ট (php.ini-এ ডিফল্ট মান: %sb09a4b739f17fz0 >>) +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS পোর্ট +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS হোস্ট +MAIN_MAIL_EMAIL_FROM=স্বয়ংক্রিয় ইমেলের জন্য প্রেরক ইমেল +EMailHelpMsgSPFDKIM=Dolibarr ইমেলগুলিকে স্প্যাম হিসাবে শ্রেণীবদ্ধ করা প্রতিরোধ করার জন্য, নিশ্চিত করুন যে সার্ভার এই পরিচয়ের অধীনে ই-মেইল পাঠাতে অনুমোদিত (ডোমেন নামের SPF এবং DKIM কনফিগারেশন চেক করে) +MAIN_MAIL_ERRORS_TO=ত্রুটির জন্য ব্যবহৃত ইমেল ইমেল ফেরত দেয় (প্রেরিত ইমেলে 'ত্রুটি-টু' ক্ষেত্র) +MAIN_MAIL_AUTOCOPY_TO= কপি (Bcc) সব পাঠানো ইমেল +MAIN_DISABLE_ALL_MAILS=সমস্ত ইমেল পাঠানো অক্ষম করুন (পরীক্ষার উদ্দেশ্যে বা ডেমোর জন্য) +MAIN_MAIL_FORCE_SENDTO=সমস্ত ইমেল পাঠান (প্রকৃত প্রাপকদের পরিবর্তে, পরীক্ষার উদ্দেশ্যে) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=একটি নতুন ইমেল লেখার সময় পূর্বনির্ধারিত প্রাপকের তালিকায় কর্মচারীদের ইমেল (যদি সংজ্ঞায়িত করা হয়) সুপারিশ করুন +MAIN_MAIL_NO_WITH_TO_SELECTED=শুধুমাত্র 1টি সম্ভাব্য পছন্দ থাকলেও একটি ডিফল্ট প্রাপক নির্বাচন করবেন না +MAIN_MAIL_SENDMODE=ইমেইল পাঠানোর পদ্ধতি +MAIN_MAIL_SMTPS_ID=SMTP আইডি (সার্ভার পাঠানোর জন্য প্রমাণীকরণের প্রয়োজন হলে) +MAIN_MAIL_SMTPS_PW=SMTP পাসওয়ার্ড (যদি সার্ভার পাঠানোর জন্য প্রমাণীকরণের প্রয়োজন হয়) +MAIN_MAIL_EMAIL_TLS=TLS (SSL) এনক্রিপশন ব্যবহার করুন +MAIN_MAIL_EMAIL_STARTTLS=TLS (STARTTLS) এনক্রিপশন ব্যবহার করুন +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=স্ব-স্বাক্ষরিত শংসাপত্র অনুমোদন করুন +MAIN_MAIL_EMAIL_DKIM_ENABLED=ইমেল স্বাক্ষর তৈরি করতে DKIM ব্যবহার করুন +MAIN_MAIL_EMAIL_DKIM_DOMAIN=dkim-এর সাথে ব্যবহারের জন্য ইমেল ডোমেন +MAIN_MAIL_EMAIL_DKIM_SELECTOR=dkim নির্বাচকের নাম +MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=dkim স্বাক্ষর করার জন্য ব্যক্তিগত কী +MAIN_DISABLE_ALL_SMS=সমস্ত এসএমএস পাঠানো অক্ষম করুন (পরীক্ষার উদ্দেশ্যে বা ডেমোর জন্য) +MAIN_SMS_SENDMODE=SMS পাঠাতে ব্যবহার করার পদ্ধতি +MAIN_MAIL_SMS_FROM=এসএমএস পাঠানোর জন্য ডিফল্ট প্রেরকের ফোন নম্বর +MAIN_MAIL_DEFAULT_FROMTYPE=ডিফল্ট প্রেরক ইমেল ইমেল পাঠাতে ফর্মগুলিতে পূর্বনির্বাচিত +UserEmail=ব্যবহারকারীর ইমেইল +CompanyEmail=কোম্পানির ইমেইল +FeatureNotAvailableOnLinux=ইউনিক্সের মতো সিস্টেমে বৈশিষ্ট্য উপলব্ধ নয়। স্থানীয়ভাবে আপনার সেন্ডমেইল প্রোগ্রাম পরীক্ষা করুন। +FixOnTransifex=প্রকল্পের অনলাইন অনুবাদ প্ল্যাটফর্মে অনুবাদ ঠিক করুন +SubmitTranslation=যদি এই ভাষার অনুবাদ সম্পূর্ণ না হয় বা আপনি ত্রুটি খুঁজে পান, তাহলে আপনি langs/%s ডিরেক্টরিতে ফাইলগুলি সম্পাদনা করে এটি সংশোধন করতে পারেন > এবং www.transifex.com/dolibarr-association/dolibarr/ এ আপনার পরিবর্তন জমা দিন +SubmitTranslationENUS=যদি এই ভাষার অনুবাদ সম্পূর্ণ না হয় বা আপনি ত্রুটি খুঁজে পান, আপনি langs/%s ডিরেক্টরিতে ফাইলগুলি সম্পাদনা করে এটি সংশোধন করতে পারেন এবং পরিবর্তিত ফাইলগুলি dolibarr.org/forum-এ জমা দিন বা, আপনি যদি একজন বিকাশকারী হন, github.com/Dolibarr/dolibarr-এ PR সহ +ModuleSetup=মডিউল সেটআপ +ModulesSetup=মডিউল/অ্যাপ্লিকেশন সেটআপ +ModuleFamilyBase=পদ্ধতি +ModuleFamilyCrm=গ্রাহক সম্পর্ক ব্যবস্থাপনা (CRM) +ModuleFamilySrm=ভেন্ডর রিলেশনশিপ ম্যানেজমেন্ট (ভিআরএম) +ModuleFamilyProducts=পণ্য ব্যবস্থাপনা (PM) +ModuleFamilyHr=মানব সম্পদ ব্যবস্থাপনা (HR) +ModuleFamilyProjects=প্রকল্প/সহযোগী কাজ +ModuleFamilyOther=অন্যান্য +ModuleFamilyTechnic=মাল্টি-মডিউল টুল +ModuleFamilyExperimental=পরীক্ষামূলক মডিউল +ModuleFamilyFinancial=আর্থিক মডিউল (অ্যাকাউন্টিং/ট্র্যাজারি) +ModuleFamilyECM=ইলেকট্রনিক কন্টেন্ট ম্যানেজমেন্ট (ECM) +ModuleFamilyPortal=ওয়েবসাইট এবং অন্যান্য ফ্রন্টাল অ্যাপ্লিকেশন +ModuleFamilyInterface=বাহ্যিক সিস্টেমের সাথে ইন্টারফেস +MenuHandlers=মেনু হ্যান্ডলার +MenuAdmin=মেনু সম্পাদক +DoNotUseInProduction=উৎপাদনে ব্যবহার করবেন না +ThisIsProcessToFollow=আপগ্রেড পদ্ধতি: +ThisIsAlternativeProcessToFollow=এটি ম্যানুয়ালি প্রক্রিয়া করার জন্য একটি বিকল্প সেটআপ: +StepNb=ধাপ %s +FindPackageFromWebSite=আপনার প্রয়োজনীয় বৈশিষ্ট্যগুলি প্রদান করে এমন একটি প্যাকেজ খুঁজুন (উদাহরণস্বরূপ অফিসিয়াল ওয়েব সাইটে %s)। +DownloadPackageFromWebSite=প্যাকেজ ডাউনলোড করুন (উদাহরণস্বরূপ অফিসিয়াল ওয়েব সাইট %s থেকে)। +UnpackPackageInDolibarrRoot=আপনার Dolibarr সার্ভার ডিরেক্টরিতে প্যাকেজ করা ফাইলগুলি আনপ্যাক/আনজিপ করুন: %sb09a4b739f8 +UnpackPackageInModulesRoot=একটি বাহ্যিক মডিউল স্থাপন/ইনস্টল করতে, আপনাকে অবশ্যই বহিরাগত মডিউলগুলির জন্য নিবেদিত সার্ভার ডিরেক্টরিতে সংরক্ষণাগার ফাইলটি আনপ্যাক/আনজিপ করতে হবে:
      b0aee8365837fz0 >%s
      +SetupIsReadyForUse=মডিউল স্থাপনার কাজ শেষ। তবে আপনাকে অবশ্যই পৃষ্ঠা সেটআপ মডিউলগুলিতে গিয়ে আপনার অ্যাপ্লিকেশনে মডিউলটি সক্ষম এবং সেটআপ করতে হবে: %s. +NotExistsDirect=বিকল্প রুট ডিরেক্টরি একটি বিদ্যমান ডিরেক্টরিতে সংজ্ঞায়িত করা হয় না৷
      +InfDirAlt=সংস্করণ 3 থেকে, একটি বিকল্প রুট ডিরেক্টরি সংজ্ঞায়িত করা সম্ভব। এটি আপনাকে একটি ডেডিকেটেড ডিরেক্টরি, প্লাগ-ইন এবং কাস্টম টেমপ্লেটে সঞ্চয় করতে দেয়।
      শুধু Dolibarr এর রুটে একটি ডিরেক্টরি তৈরি করুন (যেমন: কাস্টম)।
      +InfDirExample=
      তারপর ফাইলে এটি ঘোষণা করুন conf.php class='notranslate'>
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt/span>$dolibarr_main_document_root_alt'//barlib='/classom= 'notranslate'>
      যদি এই লাইনগুলিকে "#" দিয়ে কমেন্ট করা হয়, সেগুলিকে সক্রিয় করতে, শুধুমাত্র "#" অক্ষরটি সরিয়ে আনকমেন্ট করুন৷ +YouCanSubmitFile=আপনি এখান থেকে মডিউল প্যাকেজের .zip ফাইল আপলোড করতে পারেন: +CurrentVersion=ডলিবার বর্তমান সংস্করণ +CallUpdatePage=ডাটাবেস গঠন এবং ডেটা আপডেট করে এমন পৃষ্ঠায় ব্রাউজ করুন: %s। +LastStableVersion=সর্বশেষ স্থিতিশীল সংস্করণ +LastActivationDate=সর্বশেষ সক্রিয়করণ তারিখ +LastActivationAuthor=সর্বশেষ অ্যাক্টিভেশন লেখক +LastActivationIP=সর্বশেষ সক্রিয়করণ আইপি +LastActivationVersion=সর্বশেষ অ্যাক্টিভেশন সংস্করণ +UpdateServerOffline=সার্ভার অফলাইনে আপডেট করুন +WithCounter=একটি কাউন্টার পরিচালনা করুন +GenericMaskCodes=আপনি যেকোন নম্বর মাস্ক লিখতে পারেন। এই মাস্কে, নিম্নলিখিত ট্যাগগুলি ব্যবহার করা যেতে পারে:
      {000000}b09a4b739f17f17 একটি সংখ্যার সাথে মিলে যায় যা প্রতিটি %s এ বৃদ্ধি পাবে। কাউন্টারের পছন্দসই দৈর্ঘ্য হিসাবে অনেক শূন্য লিখুন। কাউন্টারটি বাম দিক থেকে শূন্য দ্বারা সম্পন্ন হবে যাতে মুখোশের মতো শূন্য থাকে।
      {000000+000} কিন্তু আগেরটির মতোই প্রথম %s থেকে শুরু করে + চিহ্নের ডানদিকের নম্বরের সাথে সম্পর্কিত একটি অফসেট প্রয়োগ করা হয়।
      {000000@x} কিন্তু আগেরটির মতোই মাস x এ পৌঁছালে কাউন্টারটি শূন্যে রিসেট করা হয় (x 1 থেকে 12-এর মধ্যে, অথবা আপনার কনফিগারেশনে সংজ্ঞায়িত আর্থিক বছরের প্রথম মাস ব্যবহার করতে 0, অথবা প্রতি মাসে শূন্যে রিসেট করতে 99)। যদি এই বিকল্পটি ব্যবহার করা হয় এবং x 2 বা উচ্চতর হয়, তাহলে ক্রম {yy}{mm} বা {yyyy}{mm}ও প্রয়োজন।
      {dd} দিন (01 থেকে 31)।
      {mm} মাস (01 থেকে 12)।
      {yy}, b0635837fz35 {yyyy}
      বা {y} 2, 4 বা 1 সংখ্যার বেশি বছর।
      +GenericMaskCodes2={cccc} n অক্ষরের উপর ক্লায়েন্ট কোড
      {cccc000}b09a4b739f7>ক্লায়েন্ট কোড অন n অক্ষরের পরে গ্রাহককে উৎসর্গ করা একটি কাউন্টার রয়েছে। গ্রাহকের জন্য নিবেদিত এই কাউন্টারটি গ্লোবাল কাউন্টারের মতো একই সময়ে পুনরায় সেট করা হয়েছে।
      b06a5f451419e800 n অক্ষরে তৃতীয় পক্ষের প্রকারের কোড (মেনু হোম - সেটআপ - অভিধান - তৃতীয় পক্ষের প্রকারগুলি দেখুন)। আপনি এই ট্যাগ যোগ করলে, কাউন্টারটি প্রতিটি ধরণের তৃতীয় পক্ষের জন্য আলাদা হবে৷
      +GenericMaskCodes3=মাস্কের অন্য সব অক্ষর অক্ষত থাকবে।
      স্পেস অনুমোদিত নয়।
      +GenericMaskCodes3EAN=মুখোশের অন্যান্য সমস্ত অক্ষর অক্ষত থাকবে (ইএএন 13 এ 13তম অবস্থানে * বা? ছাড়া)।
      স্পেস অনুমোদিত নয়।
      span>EAN13-এ, 13তম অবস্থানে শেষ } এর পরে শেষ অক্ষরটি * বা? . এটি গণনা করা কী দ্বারা প্রতিস্থাপিত হবে৷
      +GenericMaskCodes4a=তৃতীয় পক্ষের TheCompany-এর 99তম %s উদাহরণ, তারিখ 2023-01-31:
      +GenericMaskCodes4b=2023-01-31 তারিখে তৈরি তৃতীয় পক্ষের উদাহরণ:
      > +GenericMaskCodes4c=2023-01-31 তারিখে তৈরি পণ্যের উদাহরণ:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000} দেবে b0aee8336580 span>ABC2301-000099

      b0aee8365837fz0{0@span>0+1 }-ZZZ/{dd}/XXX
      দেবে 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} দেবে IN2301-0099-A যদি কোম্পানির প্রকার হয় 'A_RI' টাইপের কোড সহ 'দায়িত্বশীল ইনস্ক্রিপ্টো' +GenericNumRefModelDesc=একটি সংজ্ঞায়িত মাস্ক অনুযায়ী একটি কাস্টমাইজযোগ্য সংখ্যা প্রদান করে। +ServerAvailableOnIPOrPort=সার্ভার ঠিকানা %s পোর্টে উপলব্ধ 'notranslate'>
      %s +ServerNotAvailableOnIPOrPort=পোর্ট %s ঠিকানায় সার্ভার উপলব্ধ নয় ='notranslate'>
      %s +DoTestServerAvailability=সার্ভার সংযোগ পরীক্ষা করুন +DoTestSend=পরীক্ষা পাঠানো +DoTestSendHTML=এইচটিএমএল পাঠানোর পরীক্ষা করুন +ErrorCantUseRazIfNoYearInMask=ত্রুটি, ক্রম {yy} বা {yyyy} মাস্কে না থাকলে প্রতি বছর কাউন্টার রিসেট করতে @ বিকল্প ব্যবহার করা যাবে না। +ErrorCantUseRazInStartedYearIfNoYearMonthInMask=ত্রুটি, @ বিকল্প ব্যবহার করা যাবে না যদি ক্রম {yy}{mm} বা {yyyy} {mm} মাস্কে নেই। +UMask=ইউনিক্স/লিনাক্স/বিএসডি/ম্যাক ফাইল সিস্টেমে নতুন ফাইলের জন্য UMask প্যারামিটার। +UMaskExplanation=এই প্যারামিটারটি আপনাকে সার্ভারে Dolibarr দ্বারা তৈরি করা ফাইলগুলিতে ডিফল্টভাবে সেট করা অনুমতিগুলিকে সংজ্ঞায়িত করতে দেয় (উদাহরণস্বরূপ আপলোডের সময়)।
      এটি অক্টাল মান হতে হবে (উদাহরণস্বরূপ, 0666 মানে রিড এবং সবার জন্য লিখুন।) প্রস্তাবিত মান হল 0600 বা 0660
      এই প্যারামিটারটি একটি Windows সার্ভারে অকেজো৷ +SeeWikiForAllTeam=অবদানকারীদের এবং তাদের সংস্থার তালিকার জন্য উইকি পৃষ্ঠাটি দেখুন +UseACacheDelay= সেকেন্ডে রপ্তানি প্রতিক্রিয়া ক্যাশ করার জন্য বিলম্ব (0 বা কোন ক্যাশের জন্য খালি) +DisableLinkToHelpCenter=লগইন পৃষ্ঠায় "সহায়তা বা সমর্থন প্রয়োজন" লিঙ্কটি লুকান +DisableLinkToHelp=অনলাইন সহায়তার লিঙ্কটি লুকান "%s" +AddCRIfTooLong=কোন স্বয়ংক্রিয় টেক্সট মোড়ানো নেই, খুব দীর্ঘ টেক্সট নথিতে প্রদর্শিত হবে না। প্রয়োজনে পাঠ্য এলাকায় ক্যারেজ রিটার্ন যোগ করুন. +ConfirmPurge=আপনি কি এই শুদ্ধি কার্যকর করার বিষয়ে নিশ্চিত?
      এটি স্থায়ীভাবে আপনার সমস্ত ডেটা ফাইল মুছে ফেলবে যেগুলি পুনরুদ্ধার করার কোনো উপায় ছাড়াই (ECM ফাইল, সংযুক্ত ফাইল...)। +MinLength=ন্যূনতম দৈর্ঘ্য +LanguageFilesCachedIntoShmopSharedMemory=ফাইল .lang শেয়ার করা মেমরিতে লোড করা হয়েছে +LanguageFile=ভাষা ফাইল +ExamplesWithCurrentSetup=বর্তমান কনফিগারেশন সহ উদাহরণ +ListOfDirectories=OpenDocument টেমপ্লেট ডিরেক্টরির তালিকা +ListOfDirectoriesForModelGenODT=OpenDocument ফরম্যাট সহ টেমপ্লেট ফাইল ধারণকারী ডিরেক্টরিগুলির তালিকা৷

      এখানে ডিরেক্টরিগুলির সম্পূর্ণ পথ রাখুন৷
      eah ডিরেক্টরির মধ্যে একটি ক্যারেজ রিটার্ন যোগ করুন।
      GED মডিউলের একটি ডিরেক্টরি যোগ করতে, এখানে যোগ করুন b0aee8365837fz0 >DOL_DATA_ROOT/ecm/yourdirectoryname

      b0342fccfda19bzless0>এ পরিচালক .odt অথবা .ods দিয়ে শেষ করতে হবে ='notranslate'>। +NumberOfModelFilesFound=এই ডিরেক্টরিগুলিতে পাওয়া ODT/ODS টেমপ্লেট ফাইলের সংখ্যা +ExampleOfDirectoriesForModelGen=সিনট্যাক্সের উদাহরণ:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir 'notranslate'>
      DOL_DATA_ROOT/ecm/ecmdir +FollowingSubstitutionKeysCanBeUsed=
      আপনার odt নথি টেমপ্লেটগুলি কীভাবে তৈরি করবেন তা জানতে, সেগুলিকে সেই ডিরেক্টরিগুলিতে সংরক্ষণ করার আগে, উইকি ডকুমেন্টেশন পড়ুন: +FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template +FirstnameNamePosition=নাম/শেষনামের অবস্থান +DescWeather=দেরী ক্রিয়াগুলির সংখ্যা নিম্নলিখিত মানগুলিতে পৌঁছলে নিম্নলিখিত চিত্রগুলি ড্যাশবোর্ডে প্রদর্শিত হবে: +KeyForWebServicesAccess=ওয়েব পরিষেবাগুলি ব্যবহার করার কী (ওয়েব পরিষেবাগুলিতে "ডোলিবারকি" প্যারামিটার) +TestSubmitForm=ইনপুট পরীক্ষার ফর্ম +ThisForceAlsoTheme=এই মেনু ম্যানেজার ব্যবহার করে ব্যবহারকারীর পছন্দ যাই হোক না কেন তার নিজস্ব থিম ব্যবহার করবে। এছাড়াও স্মার্টফোনের জন্য বিশেষায়িত এই মেনু ম্যানেজার সব স্মার্টফোনে কাজ করে না। আপনি যদি আপনার সাথে সমস্যা অনুভব করেন তবে অন্য মেনু ম্যানেজার ব্যবহার করুন। +ThemeDir=স্কিন ডিরেক্টরি +ConnectionTimeout=আউট সংযোগ সময় +ResponseTimeout=প্রতিক্রিয়ার সময়সীমা +SmsTestMessage=__PHONEFROM__ থেকে __PHONETO__ পর্যন্ত পরীক্ষার বার্তা +ModuleMustBeEnabledFirst=মডিউল %s আপনার যদি এই বৈশিষ্ট্যটির প্রয়োজন হয় তবে প্রথমে সক্ষম করতে হবে৷ +SecurityToken=ইউআরএল সুরক্ষিত করার চাবিকাঠি +NoSmsEngine=কোনো SMS প্রেরক ব্যবস্থাপক উপলব্ধ নেই৷ একটি এসএমএস প্রেরক পরিচালক ডিফল্ট বিতরণের সাথে ইনস্টল করা নেই কারণ তারা একটি বহিরাগত বিক্রেতার উপর নির্ভর করে, তবে আপনি কিছু খুঁজে পেতে পারেন %s এ +PDF=পিডিএফ +PDFDesc=পিডিএফ তৈরির জন্য বিশ্বব্যাপী বিকল্প +PDFOtherDesc=কিছু মডিউলের জন্য নির্দিষ্ট PDF বিকল্প +PDFAddressForging=ঠিকানা বিভাগের জন্য নিয়ম +HideAnyVATInformationOnPDF=বিক্রয় কর/ভ্যাট সম্পর্কিত সমস্ত তথ্য লুকান +PDFRulesForSalesTax=বিক্রয় কর/ভ্যাটের নিয়ম +PDFLocaltax=%s এর জন্য নিয়ম +HideLocalTaxOnPDF=সেল ট্যাক্স / ভ্যাট কলামে %s হার লুকান +HideDescOnPDF=পণ্যের বিবরণ লুকান +HideRefOnPDF=পণ্য রেফ লুকান. +ShowProductBarcodeOnPDF=পণ্যের বারকোড নম্বর প্রদর্শন করুন +HideDetailsOnPDF=পণ্য লাইন বিবরণ লুকান +PlaceCustomerAddressToIsoLocation=গ্রাহক ঠিকানা অবস্থানের জন্য ফ্রেঞ্চ স্ট্যান্ডার্ড পজিশন (লা পোস্টে) ব্যবহার করুন +Library=লাইব্রেরি +UrlGenerationParameters=ইউআরএল সুরক্ষিত করার পরামিতি +SecurityTokenIsUnique=প্রতিটি ইউআরএলের জন্য একটি অনন্য সুরক্ষিত কী প্যারামিটার ব্যবহার করুন +EnterRefToBuildUrl=বস্তুর জন্য রেফারেন্স লিখুন %s +GetSecuredUrl=গণনা করা URL পান +ButtonHideUnauthorized=অভ্যন্তরীণ ব্যবহারকারীদের জন্য অননুমোদিত অ্যাকশন বোতামগুলিও লুকান (অন্যথায় কেবল ধূসর) +OldVATRates=পুরানো ভ্যাট হার +NewVATRates=নতুন ভ্যাট হার +PriceBaseTypeToChange=উপর সংজ্ঞায়িত বেস রেফারেন্স মান সঙ্গে দাম পরিবর্তন করুন +MassConvert=বাল্ক রূপান্তর চালু করুন +PriceFormatInCurrentLanguage=বর্তমান ভাষায় মূল্য বিন্যাস +String=স্ট্রিং +String1Line=স্ট্রিং (1 লাইন) +TextLong=দীর্ঘ লেখা +TextLongNLines=দীর্ঘ পাঠ্য (n লাইন) +HtmlText=এইচটিএমএল পাঠ্য +Int=পূর্ণসংখ্যা +Float=ভাসা +DateAndTime=তারিখ এবং ঘন্টা +Unique=অনন্য +Boolean=বুলিয়ান (একটি চেকবক্স) +ExtrafieldPhone = ফোন +ExtrafieldPrice = দাম +ExtrafieldPriceWithCurrency=মুদ্রা সহ মূল্য +ExtrafieldMail = ইমেইল +ExtrafieldUrl = ইউআরএল +ExtrafieldIP = আইপি +ExtrafieldSelect = তালিকা নির্বাচন করুন +ExtrafieldSelectList = টেবিল থেকে নির্বাচন করুন +ExtrafieldSeparator=বিভাজক (কোন ক্ষেত্র নয়) +ExtrafieldPassword=পাসওয়ার্ড +ExtrafieldRadio=রেডিও বোতাম (শুধুমাত্র একটি পছন্দ) +ExtrafieldCheckBox=চেকবক্স +ExtrafieldCheckBoxFromList=টেবিল থেকে চেকবক্স +ExtrafieldLink=একটি বস্তুর লিঙ্ক +ComputedFormula=গণনা করা ক্ষেত্র +ComputedFormulaDesc=ডায়নামিক কম্পিউটেড মান পেতে আপনি এখানে বস্তুর অন্যান্য বৈশিষ্ট্য বা যেকোনো পিএইচপি কোডিং ব্যবহার করে একটি সূত্র লিখতে পারেন। আপনি "?" সহ যেকোনো পিএইচপি সামঞ্জস্যপূর্ণ সূত্র ব্যবহার করতে পারেন। কন্ডিশন অপারেটর, এবং নিম্নলিখিত গ্লোবাল অবজেক্ট: $db, $conf, $langs, $mysoc, $user, $objectoffield >।
      সতর্কতা: আপনার যদি কোনো বস্তুর বৈশিষ্ট্যের প্রয়োজন হয় লোড করা হয়নি, দ্বিতীয় উদাহরণের মত আপনার সূত্রে বস্তুটিকে নিয়ে আসুন।
      একটি গণনা করা ক্ষেত্র ব্যবহার করার অর্থ হল আপনি ইন্টারফেস থেকে নিজেকে কোনো মান লিখতে পারবেন না। এছাড়াও, যদি একটি সিনট্যাক্স ত্রুটি থাকে তবে সূত্রটি কিছুই ফেরত দিতে পারে না।

      সূত্রের উদাহরণ:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      অবজেক্ট পুনরায় লোড করার উদাহরণ
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldreloadedkey'*-j >capital / 5: '-1')

      অবজেক্ট এবং এর মূল বস্তুকে জোর করে লোড করার জন্য সূত্রের অন্য উদাহরণ:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = নতুন প্রকল্প( $db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0))? $secondloadedobj->রেফ: 'প্যারেন্ট প্রজেক্ট পাওয়া যায়নি' +Computedpersistent=কম্পিউটেড ফিল্ড স্টোর করুন +ComputedpersistentDesc=গণনা করা অতিরিক্ত ক্ষেত্রগুলি ডাটাবেসে সংরক্ষণ করা হবে, তবে, এই ক্ষেত্রের অবজেক্টটি পরিবর্তিত হলেই মানটি পুনরায় গণনা করা হবে। যদি গণনা করা ক্ষেত্রটি অন্যান্য অবজেক্ট বা গ্লোবাল ডেটার উপর নির্ভর করে তবে এই মানটি ভুল হতে পারে!! +ExtrafieldParamHelpPassword=এই ক্ষেত্রটি ফাঁকা রাখার অর্থ হল এই মানটি এনক্রিপশন ছাড়াই সংরক্ষণ করা হবে (ক্ষেত্রটি স্ক্রিনে তারা দিয়ে লুকানো আছে)।

      এন্টার করুন একটি বিপরীত এনক্রিপশন অ্যালগরিদমের সাথে মান এনকোড করতে মান 'ডলক্রিপ্ট'। পরিষ্কার ডেটা এখনও জানা এবং সম্পাদনা করা যেতে পারে তবে ডেটাবেসে এনক্রিপ্ট করা হয়৷

      'অটো' (বা 'md5' লিখুন, 'sha256', 'password_hash', ...) ডিফল্ট পাসওয়ার্ড এনক্রিপশন অ্যালগরিদম ব্যবহার করতে (বা md5, sha256, password_hash...) ডাটাবেসে নন-রিভার্সিবল হ্যাশড পাসওয়ার্ড সংরক্ষণ করতে (মূল মান পুনরুদ্ধারের কোনো উপায় নেই) +ExtrafieldParamHelpselect=মানগুলির তালিকা অবশ্যই ফর্ম্যাট কী, মান সহ লাইন হতে হবে (যেখানে কী '0' হতে পারে না)

      উদাহরণস্বরূপ :
      1,value1
      2,value2
      code3,value span class='notranslate'>
      ...

      অন্যের উপর নির্ভর করে তালিকা পেতে পরিপূরক বৈশিষ্ট্য তালিকা:
      1,value1|options_parent_list_codeb0ae634>b0ae634 parent_key
      2,value2|options_parent_list_codeb0ae64758>

      অন্য তালিকার উপর নির্ভর করে তালিকা পেতে:
      1, value1|parent_list_code:parent_keyb0342fccfda19bzval, class='notranslate'>parent_list_code:parent_key +ExtrafieldParamHelpcheckbox=মানগুলির তালিকা অবশ্যই ফর্ম্যাট কী, মান সহ লাইন হতে হবে (যেখানে কী '0' হতে পারে না)

      উদাহরণস্বরূপ :
      1,value1
      2,value2
      3,value span class='notranslate'>
      ... +ExtrafieldParamHelpradio=মানগুলির তালিকা অবশ্যই ফর্ম্যাট কী, মান সহ লাইন হতে হবে (যেখানে কী '0' হতে পারে না)

      উদাহরণস্বরূপ :
      1,value1
      2,value2
      3,value span class='notranslate'>
      ... +ExtrafieldParamHelpsellist=মানের তালিকাটি একটি টেবিল থেকে আসে
      সিনট্যাক্স: table_name:label_field:id_field::filtersql
      উদাহরণ: c_tep ::filtersql

      - id_field অগত্যা একটি প্রাথমিক int কী
      - filtersql একটি SQL শর্ত। শুধুমাত্র সক্রিয় মান প্রদর্শন করার জন্য এটি একটি সাধারণ পরীক্ষা (যেমন সক্রিয়=1) হতে পারে
      আপনি ফিল্টারে $ID$ ব্যবহার করতে পারেন যা বর্তমান বস্তুর বর্তমান আইডি
      ফিল্টারে একটি SELECT ব্যবহার করতে ইনজেকশন-বিরোধী সুরক্ষা বাইপাস করতে $SEL$ কীওয়ার্ডটি ব্যবহার করুন।
      যদি আপনি অতিরিক্ত ফিল্ডে ফিল্টার করতে চান সিনট্যাক্স extra.fieldcode=... ব্যবহার করুন (যেখানে ফিল্ড কোড হল এক্সট্রাফিল্ডের কোড)

      অন্য একটি পরিপূরক বৈশিষ্ট্যের তালিকার উপর নির্ভর করে তালিকা:
      c_typent:libelle:id:options_parent_list_translate'notranslate' |parent_column:filter

      অন্য তালিকার উপর নির্ভর করে তালিকা পাওয়ার জন্য:
      c_typent:libelle:id:parent_list_codeb0ae64758bac33parent_col: +ExtrafieldParamHelpchkbxlst=মানের তালিকাটি একটি টেবিল থেকে আসে
      সিনট্যাক্স: table_name:label_field:id_field::filtersql
      উদাহরণ: c_tep ::filtersql

      শুধুমাত্র সক্রিয় মান প্রদর্শনের জন্য ফিল্টার একটি সাধারণ পরীক্ষা (যেমন সক্রিয়=1) হতে পারে
      আপনি ফিল্টার জাদুকরীতে $ID$ ব্যবহার করতে পারেন এটি বর্তমান বস্তুর বর্তমান আইডি
      ফিল্টারে একটি নির্বাচন করতে $SEL$ ব্যবহার করুন span class='notranslate'>
      যদি আপনি এক্সট্রাফিল্ডে ফিল্টার করতে চান তাহলে সিনট্যাক্স ব্যবহার করুন extra.fieldcode=... (যেখানে ফিল্ড কোড হল এক্সট্রাফিল্ডের কোড)
      >
      অন্য একটি পরিপূরক বৈশিষ্ট্যের তালিকার উপর নির্ভর করে তালিকা পেতে:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter b0342fccfda19bzc0b0342fccfda19bzc0b024fda19bz অন্য তালিকার উপর নির্ভর করে তালিকা পেতে:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelplink=পরামিতি হতে হবে ObjectName:Classpath
      সিনট্যাক্স: ObjectName:Classpath +ExtrafieldParamHelpSeparator=একটি সাধারণ বিভাজকের জন্য খালি রাখুন
      কোলাপসিং সেপারেটরের জন্য এটি 1 এ সেট করুন (নতুন সেশনের জন্য ডিফল্টরূপে খোলা, তারপর প্রতিটি ব্যবহারকারীর সেশনের জন্য স্থিতি রাখা হয়)
      কোলাপসিং সেপারেটরের জন্য এটিকে 2 এ সেট করুন (নতুন সেশনের জন্য ডিফল্টরূপে ভেঙে পড়ে, তারপর প্রতিটি ব্যবহারকারীর সেশনের আগে স্থিতি রাখা হয়) +LibraryToBuildPDF=পিডিএফ তৈরির জন্য ব্যবহৃত লাইব্রেরি +LocalTaxDesc=কিছু দেশ প্রতিটি চালান লাইনে দুই বা তিনটি কর প্রয়োগ করতে পারে। যদি এটি হয়, দ্বিতীয় এবং তৃতীয় করের ধরন এবং তার হার নির্বাচন করুন। সম্ভাব্য প্রকারগুলি হল:
      1: ভ্যাট ছাড়া পণ্য এবং পরিষেবার উপর স্থানীয় কর প্রযোজ্য (ট্যাক্স ছাড়াই পরিমাণের উপর স্থানীয় ট্যাক্স গণনা করা হয়)
      2: ভ্যাট সহ পণ্য এবং পরিষেবাগুলিতে স্থানীয় কর প্রযোজ্য (স্থানীয় ট্যাক্স পরিমাণ + মূল ট্যাক্সের উপর গণনা করা হয়)
      3: ভ্যাট ছাড়া পণ্যের উপর স্থানীয় কর প্রযোজ্য (স্থানীয় ট্যাক্স ব্যতীত পরিমাণের উপর গণনা করা হয় ট্যাক্স)
      4: ভ্যাট সহ পণ্যের উপর স্থানীয় কর প্রযোজ্য (স্থানীয় ট্যাক্স পরিমাণ + প্রধান ভ্যাটের উপর গণনা করা হয়)
      5: স্থানীয় ভ্যাট ছাড়া পরিষেবাগুলিতে কর প্রযোজ্য (স্থানীয় ট্যাক্স ট্যাক্স ছাড়া পরিমাণের উপর গণনা করা হয়)
      6: ভ্যাট সহ পরিষেবাগুলিতে স্থানীয় কর প্রযোজ্য (স্থানীয় ট্যাক্স পরিমাণ + ট্যাক্সের উপর গণনা করা হয়) +SMS=খুদেবার্তা +LinkToTestClickToDial=ব্যবহারকারী %s +RefreshPhoneLink=লিঙ্ক রিফ্রেশ করুন +LinkToTest=ব্যবহারকারীর জন্য ক্লিকযোগ্য লিঙ্ক তৈরি করা হয়েছে %s (পরীক্ষা করতে ফোন নম্বরে ক্লিক করুন ) +KeepEmptyToUseDefault=ডিফল্ট মান ব্যবহার করতে খালি রাখুন +KeepThisEmptyInMostCases=বেশিরভাগ ক্ষেত্রে, আপনি এই ক্ষেত্রটি খালি রাখতে পারেন। +DefaultLink=ডিফল্ট লিঙ্ক +SetAsDefault=ডিফল্ট হিসেবে সেট করুন +ValueOverwrittenByUserSetup=সতর্কতা, এই মান ব্যবহারকারী নির্দিষ্ট সেটআপ দ্বারা ওভাররাইট করা হতে পারে (প্রত্যেক ব্যবহারকারী তার নিজস্ব ক্লিকটোডিয়াল ইউআরএল সেট করতে পারেন) +ExternalModule=বাহ্যিক মডিউল +InstalledInto=%s ডিরেক্টরিতে ইনস্টল করা হয়েছে +BarcodeInitForThirdparties=তৃতীয় পক্ষের জন্য গণ বারকোড init +BarcodeInitForProductsOrServices=পণ্য বা পরিষেবার জন্য বারকোড শুরু বা রিসেট করুন +CurrentlyNWithoutBarCode=বর্তমানে, আপনার %s রেকর্ড আছে %s b0ecb2ecb9fz87f> barcode ছাড়া . +InitEmptyBarCode=%s খালি বারকোডের জন্য ইনিট মান +EraseAllCurrentBarCode=সমস্ত বর্তমান বারকোড মান মুছুন +ConfirmEraseAllCurrentBarCode=আপনি কি সব বর্তমান বারকোড মান মুছে ফেলার বিষয়ে নিশ্চিত? +AllBarcodeReset=সব বারকোড মান মুছে ফেলা হয়েছে +NoBarcodeNumberingTemplateDefined=বারকোড মডিউল সেটআপে কোনো নম্বরিং বারকোড টেমপ্লেট সক্রিয় নেই। +EnableFileCache=ফাইল ক্যাশে সক্ষম করুন +ShowDetailsInPDFPageFoot=ফুটারে আরও বিশদ যোগ করুন, যেমন কোম্পানির ঠিকানা বা পরিচালকের নাম (পেশাদার আইডি, কোম্পানির মূলধন এবং ভ্যাট নম্বর ছাড়াও)। +NoDetails=ফুটারে কোন অতিরিক্ত বিবরণ নেই +DisplayCompanyInfo=কোম্পানির ঠিকানা প্রদর্শন করুন +DisplayCompanyManagers=ডিসপ্লে ম্যানেজারের নাম +DisplayCompanyInfoAndManagers=কোম্পানির ঠিকানা এবং পরিচালকের নাম প্রদর্শন করুন +EnableAndSetupModuleCron=আপনি যদি এই পুনরাবৃত্ত চালানটি স্বয়ংক্রিয়ভাবে তৈরি করতে চান তবে মডিউল *%s* সক্রিয় এবং সঠিকভাবে সেটআপ করতে হবে। অন্যথায়, *তৈরি* বোতাম ব্যবহার করে এই টেমপ্লেট থেকে ম্যানুয়ালি চালান তৈরি করতে হবে। মনে রাখবেন যে আপনি স্বয়ংক্রিয় জেনারেশন চালু করলেও, আপনি এখনও নিরাপদে ম্যানুয়াল জেনারেশন চালু করতে পারেন। একই সময়ের জন্য ডুপ্লিকেট তৈরি করা সম্ভব নয়। +ModuleCompanyCodeCustomerAquarium=%s একটি গ্রাহক অ্যাকাউন্টিং কোডের জন্য গ্রাহক কোড অনুসরণ করে +ModuleCompanyCodeSupplierAquarium=%s একটি বিক্রেতা অ্যাকাউন্টিং কোডের জন্য বিক্রেতা কোড অনুসরণ করে +ModuleCompanyCodePanicum=একটি খালি অ্যাকাউন্টিং কোড ফেরত দিন। +ModuleCompanyCodeDigitaria=তৃতীয় পক্ষের নাম অনুসারে একটি যৌগিক অ্যাকাউন্টিং কোড প্রদান করে। কোডটি একটি উপসর্গ নিয়ে গঠিত যা তৃতীয় পক্ষের কোডে সংজ্ঞায়িত অক্ষর সংখ্যা দ্বারা অনুসরণ করে প্রথম অবস্থানে সংজ্ঞায়িত করা যেতে পারে। +ModuleCompanyCodeCustomerDigitaria=%s অক্ষর সংখ্যা দ্বারা কাটা গ্রাহকের নাম অনুসরণ করুন: গ্রাহক অ্যাকাউন্টিং কোডের জন্য %s। +ModuleCompanyCodeSupplierDigitaria=%s তারপরে অক্ষরের সংখ্যা দ্বারা কাটা সরবরাহকারীর নাম: সরবরাহকারী অ্যাকাউন্টিং কোডের জন্য %s। +Use3StepsApproval=ডিফল্টরূপে, ক্রয় আদেশগুলি 2টি ভিন্ন ব্যবহারকারীর দ্বারা তৈরি এবং অনুমোদিত হতে হবে (একটি ধাপ/ব্যবহারকারী তৈরি করতে এবং এক ধাপ/ব্যবহারকারী অনুমোদনের জন্য। মনে রাখবেন যে ব্যবহারকারীর যদি তৈরি এবং অনুমোদন করার উভয়েরই অনুমতি থাকে, তবে একটি ধাপ/ব্যবহারকারী যথেষ্ট হবে) . আপনি এই বিকল্পের মাধ্যমে একটি তৃতীয় ধাপ/ব্যবহারকারীর অনুমোদন প্রবর্তন করতে বলতে পারেন, যদি পরিমাণ একটি উৎসর্গীকৃত মানের থেকে বেশি হয় (তাই 3টি ধাপের প্রয়োজন হবে: 1=বৈধকরণ, 2=প্রথম অনুমোদন এবং 3=দ্বিতীয় অনুমোদন যদি যথেষ্ট হয়)।
      একটি অনুমোদন (2 পদক্ষেপ) যথেষ্ট হলে এটিকে খালি হিসাবে সেট করুন, যদি দ্বিতীয় অনুমোদন (3 ধাপ) সর্বদা প্রয়োজন হয় তবে এটিকে খুব কম মান (0.1) এ সেট করুন। +UseDoubleApproval=একটি 3 ধাপ অনুমোদন ব্যবহার করুন যখন পরিমাণ (ট্যাক্স ছাড়া) এর থেকে বেশি হয়... +WarningPHPMail=সতর্কতা: অ্যাপ্লিকেশন থেকে ইমেল পাঠানোর সেটআপটি ডিফল্ট জেনেরিক সেটআপ ব্যবহার করছে৷ বিভিন্ন কারণে ডিফল্ট সেটআপের পরিবর্তে আপনার ইমেল পরিষেবা প্রদানকারীর ইমেল সার্ভার ব্যবহার করার জন্য বহির্গামী ইমেলগুলি সেটআপ করা প্রায়শই ভাল: +WarningPHPMailA=- ইমেল পরিষেবা প্রদানকারীর সার্ভার ব্যবহার করা আপনার ইমেলের বিশ্বাসযোগ্যতা বাড়ায়, তাই এটি স্প্যাম হিসাবে পতাকাঙ্কিত না হয়ে বিতরণযোগ্যতা বাড়ায় +WarningPHPMailB=- কিছু ইমেল পরিষেবা প্রদানকারী (যেমন ইয়াহু) আপনাকে তাদের নিজস্ব সার্ভারের পরিবর্তে অন্য সার্ভার থেকে একটি ইমেল পাঠাতে দেয় না। আপনার বর্তমান সেটআপ ইমেল পাঠানোর জন্য অ্যাপ্লিকেশনের সার্ভার ব্যবহার করে এবং আপনার ইমেল প্রদানকারীর সার্ভার নয়, তাই কিছু প্রাপক (নিষেধাজ্ঞামূলক DMARC প্রোটোকলের সাথে সামঞ্জস্যপূর্ণ), আপনার ইমেল প্রদানকারীকে জিজ্ঞাসা করবে তারা আপনার ইমেল এবং কিছু ইমেল প্রদানকারী গ্রহণ করতে পারে কিনা (ইয়াহুর মতো) "না" উত্তর দিতে পারে কারণ সার্ভারটি তাদের নয়, তাই আপনার পাঠানো কিছু ইমেল বিতরণের জন্য গৃহীত নাও হতে পারে (আপনার ইমেল প্রদানকারীর পাঠানোর কোটা সম্পর্কেও সতর্ক থাকুন)। +WarningPHPMailC=- ইমেল পাঠানোর জন্য আপনার নিজস্ব ইমেল পরিষেবা প্রদানকারীর SMTP সার্ভার ব্যবহার করাও আকর্ষণীয় তাই অ্যাপ্লিকেশন থেকে পাঠানো সমস্ত ইমেলগুলি আপনার মেলবক্সের "প্রেরিত" ডিরেক্টরিতেও সংরক্ষিত হবে৷ +WarningPHPMailD=তাই ই-মেইল পাঠানোর পদ্ধতিকে "SMTP" মানতে পরিবর্তন করার পরামর্শ দেওয়া হচ্ছে। +WarningPHPMailDbis=আপনি যদি সত্যিই ইমেল পাঠানোর জন্য ডিফল্ট "PHP" পদ্ধতি রাখতে চান, তাহলে এই সতর্কতা উপেক্ষা করুন, অথবা %sএখানে ক্লিক করে %s< দ্বারা এটি সরিয়ে দিন /span>। +WarningPHPMail2=যদি আপনার ইমেল SMTP প্রদানকারীর ইমেল ক্লায়েন্টকে কিছু আইপি ঠিকানায় সীমাবদ্ধ করতে হয় (খুব বিরল), এটি আপনার ERP CRM অ্যাপ্লিকেশনের জন্য মেল ব্যবহারকারী এজেন্টের (MUA) IP ঠিকানা: %s। +WarningPHPMailSPF=যদি আপনার প্রেরকের ইমেল ঠিকানার ডোমেন নামটি একটি SPF রেকর্ড দ্বারা সুরক্ষিত থাকে (আপনার ডোমেন নাম রেজিস্টারকে জিজ্ঞাসা করুন), আপনাকে অবশ্যই আপনার ডোমেনের DNS-এর SPF রেকর্ডে নিম্নলিখিত IPগুলি যোগ করতে হবে: %s। +ActualMailSPFRecordFound=প্রকৃত SPF রেকর্ড পাওয়া গেছে (ইমেলের জন্য %s): %s +ClickToShowDescription=বর্ণনা প্রদর্শন করতে ক্লিক করুন +DependsOn=এই মডিউলটির মডিউল(গুলি) প্রয়োজন +RequiredBy=এই মডিউলটি মডিউল(গুলি) দ্বারা প্রয়োজনীয় +TheKeyIsTheNameOfHtmlField=এটি HTML ক্ষেত্রের নাম। একটি ক্ষেত্রের মূল নাম পেতে HTML পৃষ্ঠার বিষয়বস্তু পড়ার জন্য প্রযুক্তিগত জ্ঞান প্রয়োজন। +PageUrlForDefaultValues=আপনাকে অবশ্যই পৃষ্ঠা URL এর আপেক্ষিক পাথ লিখতে হবে। আপনি URL-এ প্যারামিটার অন্তর্ভুক্ত করলে, ব্রাউজ করা URL-এর সমস্ত প্যারামিটারের মান এখানে সংজ্ঞায়িত থাকলে এটি কার্যকর হবে। +PageUrlForDefaultValuesCreate=
      উদাহরণ:
      একটি নতুন তৃতীয় পক্ষ তৈরি করার ফর্মের জন্য, এটি হল b0e7843947c%s

      এ ইনস্টল করা বাহ্যিক মডিউলগুলির URL এর জন্য কাস্টম ডিরেক্টরি, "কাস্টম/" অন্তর্ভুক্ত করবেন না, তাই পথ ব্যবহার করুন যেমন mymodule/mypage.php এবং কাস্টম নয় /mymodule/mypage.php.
      যদি আপনি ডিফল্ট মান চান শুধুমাত্র যদি url এর কিছু প্যারামিটার থাকে, আপনি %s +PageUrlForDefaultValuesList=
      উদাহরণ:
      যে পৃষ্ঠাটি তৃতীয় পক্ষের তালিকা করে, সেটি হল >%s
      কাস্টম ডিরেক্টরিতে ইনস্টল করা বাহ্যিক মডিউলগুলির URL এর জন্য , "কাস্টম/" অন্তর্ভুক্ত করবেন না তাই mymodule/mypagelist.php মত একটি পথ ব্যবহার করুন এবং কাস্টম/mymodule নয় /mypagelist.php.
      যদি আপনি ডিফল্ট মান চান শুধুমাত্র যদি url এর কিছু প্যারামিটার থাকে, আপনি %s +AlsoDefaultValuesAreEffectiveForActionCreate=এছাড়াও মনে রাখবেন যে ফর্ম তৈরির জন্য ডিফল্ট মানগুলি ওভাররাইট করা শুধুমাত্র সঠিকভাবে ডিজাইন করা পৃষ্ঠাগুলির জন্য কাজ করে (তাই প্যারামিটার অ্যাকশন = তৈরি করুন বা উপস্থাপন করুন...) +EnableDefaultValues=ডিফল্ট মানগুলির কাস্টমাইজেশন সক্ষম করুন +EnableOverwriteTranslation=অনুবাদ কাস্টমাইজ করার অনুমতি দিন +GoIntoTranslationMenuToChangeThis=এই কোড সহ কীটির জন্য একটি অনুবাদ পাওয়া গেছে। এই মান পরিবর্তন করতে, আপনাকে অবশ্যই হোম-সেটআপ-অনুবাদ থেকে এটি সম্পাদনা করতে হবে। +WarningSettingSortOrder=সতর্কতা, একটি ডিফল্ট সাজানোর অর্ডার সেট করার ফলে ক্ষেত্রটি একটি অজানা ক্ষেত্র হলে তালিকা পৃষ্ঠায় যাওয়ার সময় একটি প্রযুক্তিগত ত্রুটি হতে পারে। আপনি যদি এই ধরনের ত্রুটির সম্মুখীন হন, ডিফল্ট সাজানোর ক্রম সরাতে এবং ডিফল্ট আচরণ পুনরুদ্ধার করতে এই পৃষ্ঠায় ফিরে আসুন। +Field=মাঠ +ProductDocumentTemplates=পণ্য নথি তৈরি করতে নথি টেমপ্লেট +ProductBatchDocumentTemplates=প্রোডাক্ট লট ডকুমেন্ট তৈরি করতে ডকুমেন্ট টেমপ্লেট +FreeLegalTextOnExpenseReports=খরচ রিপোর্ট বিনামূল্যে আইনি পাঠ্য +WatermarkOnDraftExpenseReports=খসড়া খরচ রিপোর্ট জলছাপ +ProjectIsRequiredOnExpenseReports=একটি ব্যয় প্রতিবেদন প্রবেশ করার জন্য প্রকল্পটি বাধ্যতামূলক +PrefillExpenseReportDatesWithCurrentMonth=বর্তমান মাসের শুরু এবং শেষ তারিখগুলির সাথে নতুন ব্যয় প্রতিবেদনের প্রাক-পূরণ এবং শেষের তারিখগুলি +ForceExpenseReportsLineAmountsIncludingTaxesOnly=সব সময় করের সাথে পরিমাণে ব্যয়ের প্রতিবেদনের পরিমাণ এন্ট্রি করতে বাধ্য করুন +AttachMainDocByDefault=এটিকে হ্যাঁ এ সেট করুন যদি আপনি ইমেলের সাথে মূল নথিটি ডিফল্টভাবে সংযুক্ত করতে চান (যদি প্রযোজ্য হয়) +FilesAttachedToEmail=ফাইল সংযুক্ত +SendEmailsReminders=ইমেল দ্বারা এজেন্ডা অনুস্মারক পাঠান +davDescription=একটি WebDAV সার্ভার সেটআপ করুন +DAVSetup=মডিউল DAV সেটআপ +DAV_ALLOW_PRIVATE_DIR=জেনেরিক ব্যক্তিগত ডিরেক্টরি সক্ষম করুন ("প্রাইভেট" নামে ওয়েবডিএভি ডেডিকেটেড ডিরেক্টরি - লগইন প্রয়োজন) +DAV_ALLOW_PRIVATE_DIRTooltip=জেনেরিক প্রাইভেট ডিরেক্টরি হল একটি WebDAV ডিরেক্টরি যা যেকেউ এর অ্যাপ্লিকেশন লগইন/পাস দিয়ে অ্যাক্সেস করতে পারে। +DAV_ALLOW_PUBLIC_DIR=জেনেরিক পাবলিক ডিরেক্টরি সক্ষম করুন ("পাবলিক" নামে ওয়েবডিএভি ডেডিকেটেড ডিরেক্টরি - কোন লগইন প্রয়োজন নেই) +DAV_ALLOW_PUBLIC_DIRTooltip=জেনেরিক পাবলিক ডিরেক্টরি হল একটি WebDAV ডিরেক্টরি যে কেউ অ্যাক্সেস করতে পারে (পড়া এবং লেখার মোডে), কোনো অনুমোদনের প্রয়োজন নেই (লগইন/পাসওয়ার্ড অ্যাকাউন্ট)। +DAV_ALLOW_ECM_DIR=DMS/ECM ব্যক্তিগত ডিরেক্টরি সক্রিয় করুন (DMS/ECM মডিউলের রুট ডিরেক্টরি - লগইন প্রয়োজন) +DAV_ALLOW_ECM_DIRTooltip=রুট ডিরেক্টরি যেখানে DMS/ECM মডিউল ব্যবহার করার সময় সমস্ত ফাইল ম্যানুয়ালি আপলোড করা হয়। একইভাবে ওয়েব ইন্টারফেস থেকে অ্যাক্সেস হিসাবে, এটি অ্যাক্সেস করার জন্য আপনার পর্যাপ্ত অনুমতি সহ একটি বৈধ লগইন/পাসওয়ার্ড প্রয়োজন। +##### Modules ##### +Module0Name=ব্যবহারকারী ও গোষ্ঠী +Module0Desc=ব্যবহারকারী / কর্মচারী এবং গোষ্ঠী ব্যবস্থাপনা +Module1Name=তৃতীয় পক্ষ +Module1Desc=কোম্পানি এবং পরিচিতি ব্যবস্থাপনা (গ্রাহক, সম্ভাবনা...) +Module2Name=ব্যবসায়িক +Module2Desc=বাণিজ্যিক ব্যবস্থাপনা +Module10Name=অ্যাকাউন্টিং (সরলীকৃত) +Module10Desc=ডাটাবেস বিষয়বস্তুর উপর ভিত্তি করে সহজ অ্যাকাউন্টিং রিপোর্ট (জার্নাল, টার্নওভার)। কোনো লেজার টেবিল ব্যবহার করে না। +Module20Name=প্রস্তাব +Module20Desc=বাণিজ্যিক প্রস্তাব ব্যবস্থাপনা +Module22Name=গণ ইমেইলিং +Module22Desc=বাল্ক ইমেল পরিচালনা করুন +Module23Name=শক্তি +Module23Desc=শক্তি খরচ নিরীক্ষণ +Module25Name=বিক্রয় আদেশ +Module25Desc=বিক্রয় আদেশ ব্যবস্থাপনা +Module30Name=চালান +Module30Desc=গ্রাহকদের জন্য চালান এবং ক্রেডিট নোট পরিচালনা। সরবরাহকারীদের জন্য চালান এবং ক্রেডিট নোট পরিচালনা +Module40Name=বিক্রেতারা +Module40Desc=বিক্রেতা এবং ক্রয় ব্যবস্থাপনা (ক্রয় আদেশ এবং সরবরাহকারীর চালানের বিলিং) +Module42Name=ডিবাগ লগ +Module42Desc=লগিং সুবিধা (ফাইল, সিসলগ, ...)। এই ধরনের লগগুলি প্রযুক্তিগত/ডিবাগ উদ্দেশ্যে। +Module43Name=ডিবাগ বার +Module43Desc=ডেভেলপারদের জন্য একটি টুল, আপনার ব্রাউজারে একটি ডিবাগ বার যোগ করা। +Module49Name=সম্পাদকদের +Module49Desc=সম্পাদক ব্যবস্থাপনা +Module50Name=পণ্য +Module50Desc=পণ্য ব্যবস্থাপনা +Module51Name=গণ মেইলিং +Module51Desc=গণ কাগজ মেইলিং ব্যবস্থাপনা +Module52Name=স্টক +Module52Desc=স্টক ব্যবস্থাপনা (স্টক মুভমেন্ট ট্র্যাকিং এবং ইনভেন্টরি) +Module53Name=সেবা +Module53Desc=সেবা ব্যবস্থাপনা +Module54Name=চুক্তি/সাবস্ক্রিপশন +Module54Desc=চুক্তির ব্যবস্থাপনা (পরিষেবা বা পুনরাবৃত্ত সদস্যতা) +Module55Name=বারকোড +Module55Desc=বারকোড বা QR কোড ব্যবস্থাপনা +Module56Name=ক্রেডিট ট্রান্সফার দ্বারা পেমেন্ট +Module56Desc=ক্রেডিট ট্রান্সফার আদেশ দ্বারা সরবরাহকারী বা বেতন প্রদানের ব্যবস্থাপনা। এটি ইউরোপীয় দেশগুলির জন্য SEPA ফাইলের প্রজন্ম অন্তর্ভুক্ত করে। +Module57Name=সরাসরি ডেবিট দ্বারা অর্থপ্রদান +Module57Desc=সরাসরি ডেবিট আদেশের ব্যবস্থাপনা। এটি ইউরোপীয় দেশগুলির জন্য SEPA ফাইলের প্রজন্ম অন্তর্ভুক্ত করে। +Module58Name=ক্লিক টোডায়াল +Module58Desc=একটি ClickToDial সিস্টেমের ইন্টিগ্রেশন (Asterisk, ...) +Module60Name=স্টিকার +Module60Desc=স্টিকার ব্যবস্থাপনা +Module70Name=হস্তক্ষেপ +Module70Desc=হস্তক্ষেপ ব্যবস্থাপনা +Module75Name=খরচ এবং ট্রিপ নোট +Module75Desc=খরচ এবং ট্রিপ নোট ব্যবস্থাপনা +Module80Name=চালান +Module80Desc=চালান এবং ডেলিভারি নোট ব্যবস্থাপনা +Module85Name=ব্যাংক এবং নগদ +Module85Desc=ব্যাঙ্ক বা নগদ অ্যাকাউন্টের ব্যবস্থাপনা +Module100Name=বাহ্যিক সাইট +Module100Desc=একটি প্রধান মেনু আইকন হিসাবে একটি বহিরাগত ওয়েবসাইটে একটি লিঙ্ক যোগ করুন. ওয়েবসাইট উপরের মেনু অধীনে একটি ফ্রেমে প্রদর্শিত হয়. +Module105Name=মেইলম্যান এবং SPIP +Module105Desc=সদস্য মডিউলের জন্য মেইলম্যান বা SPIP ইন্টারফেস +Module200Name=এলডিএপি +Module200Desc=LDAP ডিরেক্টরি সিঙ্ক্রোনাইজেশন +Module210Name=পোস্টনুকে +Module210Desc=PostNuke ইন্টিগ্রেশন +Module240Name=ডেটা রপ্তানি +Module240Desc=ডলিবার ডেটা এক্সপোর্ট করার টুল (সহায়তা সহ) +Module250Name=ডেটা আমদানি +Module250Desc=ডলিবারে ডেটা আমদানি করার টুল (সহায়তা সহ) +Module310Name=সদস্যরা +Module310Desc=ফাউন্ডেশনের সদস্যদের ব্যবস্থাপনা +Module320Name=আরএসএস ফিড +Module320Desc=Dolibarr পৃষ্ঠাগুলিতে একটি RSS ফিড যোগ করুন +Module330Name=বুকমার্ক এবং শর্টকাট +Module330Desc=শর্টকাট তৈরি করুন, সবসময় অ্যাক্সেসযোগ্য, অভ্যন্তরীণ বা বাহ্যিক পৃষ্ঠাগুলিতে যা আপনি প্রায়শই অ্যাক্সেস করেন +Module400Name=প্রকল্প বা লিড +Module400Desc=প্রকল্পের ব্যবস্থাপনা, নেতৃত্ব/সুযোগ এবং/অথবা কার্য। আপনি একটি প্রকল্পে যেকোন উপাদান (চালান, আদেশ, প্রস্তাব, হস্তক্ষেপ, ...) বরাদ্দ করতে পারেন এবং প্রকল্পের দৃশ্য থেকে একটি ট্রান্সভার্সাল ভিউ পেতে পারেন। +Module410Name=ওয়েবক্যালেন্ডার +Module410Desc=ওয়েবক্যালেন্ডার ইন্টিগ্রেশন +Module500Name=কর এবং বিশেষ ব্যয় +Module500Desc=অন্যান্য খরচের ব্যবস্থাপনা (বিক্রয় কর, সামাজিক বা আর্থিক কর, লভ্যাংশ, ...) +Module510Name=বেতন +Module510Desc=কর্মচারীদের পেমেন্ট রেকর্ড করুন এবং ট্র্যাক করুন +Module520Name=ঋণ +Module520Desc=ঋণ ব্যবস্থাপনা +Module600Name=ব্যবসায়িক ইভেন্টে বিজ্ঞপ্তি +Module600Desc=একটি ব্যবসায়িক ইভেন্ট দ্বারা ট্রিগার করা ইমেল বিজ্ঞপ্তি পাঠান: প্রতি ব্যবহারকারী (প্রতিটি ব্যবহারকারীর জন্য সেটআপ সংজ্ঞায়িত), প্রতি তৃতীয় পক্ষের পরিচিতি (প্রতিটি তৃতীয় পক্ষের জন্য সেটআপ সংজ্ঞায়িত) বা নির্দিষ্ট ইমেল দ্বারা +Module600Long=মনে রাখবেন যে এই মডিউলটি রিয়েল-টাইমে ইমেল পাঠায় যখন একটি নির্দিষ্ট ব্যবসায়িক ঘটনা ঘটে। আপনি যদি এজেন্ডা ইভেন্টের জন্য ইমেল অনুস্মারক পাঠানোর জন্য একটি বৈশিষ্ট্য খুঁজছেন, মডিউল এজেন্ডার সেটআপে যান। +Module610Name=পণ্য বৈকল্পিক +Module610Desc=পণ্যের রূপ (রঙ, আকার ইত্যাদি) তৈরি করা +Module650Name=উপাদানের বিল (BOM) +Module650Desc=আপনার সামগ্রীর বিল (BOM) সংজ্ঞায়িত করার জন্য মডিউল। মডিউল ম্যানুফ্যাকচারিং অর্ডার (MO) দ্বারা উত্পাদন সংস্থান পরিকল্পনার জন্য ব্যবহার করা যেতে পারে +Module660Name=ম্যানুফ্যাকচারিং রিসোর্স প্ল্যানিং (MRP) +Module660Desc=ম্যানুফ্যাকচারিং অর্ডার ম্যানেজ করার মডিউল (MO) +Module700Name=দান +Module700Desc=দান ব্যবস্থাপনা +Module770Name=ব্যয় প্রতিবেদন +Module770Desc=ব্যয়ের প্রতিবেদনের দাবিগুলি পরিচালনা করুন (পরিবহন, খাবার, ...) +Module1120Name=বিক্রেতা বাণিজ্যিক প্রস্তাব +Module1120Desc=বিক্রেতা বাণিজ্যিক প্রস্তাব এবং দাম অনুরোধ +Module1200Name=ম্যান্টিস +Module1200Desc=ম্যান্টিস ইন্টিগ্রেশন +Module1520Name=ডকুমেন্ট জেনারেশন +Module1520Desc=ব্যাপক ইমেল নথি তৈরি +Module1780Name=ট্যাগ/বিভাগ +Module1780Desc=ট্যাগ/বিভাগ তৈরি করুন (পণ্য, গ্রাহক, সরবরাহকারী, পরিচিতি বা সদস্য) +Module2000Name=WYSIWYG সম্পাদক +Module2000Desc=CKEditor (html) ব্যবহার করে পাঠ্য ক্ষেত্র সম্পাদনা/ফরম্যাট করার অনুমতি দিন +Module2200Name=গতিশীল মূল্য +Module2200Desc=দামের স্বয়ংক্রিয় উৎপন্নের জন্য গণিতের অভিব্যক্তি ব্যবহার করুন +Module2300Name=নির্ধারিত কাজ +Module2300Desc=নির্ধারিত চাকরি ব্যবস্থাপনা (অরফে ক্রোন বা ক্রোনো টেবিল) +Module2400Name=ইভেন্ট/এজেন্ডা +Module2400Desc=ঘটনা ট্র্যাক. ট্র্যাকিংয়ের উদ্দেশ্যে স্বয়ংক্রিয় ইভেন্টগুলি লগ করুন বা ম্যানুয়াল ইভেন্ট বা মিটিং রেকর্ড করুন। এটি ভাল গ্রাহক বা বিক্রেতা সম্পর্ক পরিচালনার জন্য প্রধান মডিউল। +Module2430Name=অনলাইন অ্যাপয়েন্টমেন্ট সময়সূচী +Module2430Desc=একটি অনলাইন অ্যাপয়েন্টমেন্ট বুকিং সিস্টেম প্রদান করে। এটি পূর্বনির্ধারিত রেঞ্জ বা প্রাপ্যতা অনুসারে যে কেউ রেন্ডেজ-ভাউস বুক করার অনুমতি দেয়। +Module2500Name=ডিএমএস/ইসিএম +Module2500Desc=ডকুমেন্ট ম্যানেজমেন্ট সিস্টেম / ইলেকট্রনিক কন্টেন্ট ম্যানেজমেন্ট। আপনার তৈরি বা সঞ্চিত নথিগুলির স্বয়ংক্রিয় সংগঠন। আপনার প্রয়োজন হলে তাদের ভাগ করুন. +Module2600Name=API / ওয়েব পরিষেবা (SOAP সার্ভার) +Module2600Desc=API পরিষেবা প্রদানকারী Dolibarr SOAP সার্ভার সক্ষম করুন৷ +Module2610Name=API / ওয়েব পরিষেবা (REST সার্ভার) +Module2610Desc=API পরিষেবা প্রদানকারী Dolibarr REST সার্ভার সক্ষম করুন৷ +Module2660Name=কল ওয়েব সার্ভিসেস (SOAP ক্লায়েন্ট) +Module2660Desc=Dolibarr ওয়েব পরিষেবা ক্লায়েন্ট সক্রিয় করুন (বাহ্যিক সার্ভারে ডেটা/অনুরোধ পুশ করতে ব্যবহার করা যেতে পারে। শুধুমাত্র ক্রয় আদেশ বর্তমানে সমর্থিত।) +Module2700Name=গ্রাভাটার +Module2700Desc=ব্যবহারকারীদের/সদস্যদের (তাদের ইমেলের সাথে পাওয়া) ছবি দেখানোর জন্য অনলাইন Gravatar পরিষেবা (www.gravatar.com) ব্যবহার করুন। ইন্টারনেট অ্যাক্সেস প্রয়োজন +Module2800Desc=FTP ক্লায়েন্ট +Module2900Name=জিওআইপি ম্যাক্সমাইন্ড +Module2900Desc=জিওআইপি ম্যাক্সমাইন্ড রূপান্তর ক্ষমতা +Module3200Name=অপরিবর্তনীয় আর্কাইভস +Module3200Desc=ব্যবসায়িক ইভেন্টগুলির একটি অপরিবর্তনীয় লগ সক্ষম করুন৷ ইভেন্টগুলি রিয়েল-টাইমে আর্কাইভ করা হয়। লগ হল শৃঙ্খলিত ইভেন্টগুলির একটি পঠনযোগ্য টেবিল যা রপ্তানি করা যেতে পারে। এই মডিউল কিছু দেশের জন্য বাধ্যতামূলক হতে পারে. +Module3300Name=মডিউল নির্মাতা +Module3300Desc=একটি RAD (র‍্যাপিড অ্যাপ্লিকেশন ডেভেলপমেন্ট - লো-কোড এবং নো-কোড) টুল যা ডেভেলপার বা উন্নত ব্যবহারকারীদের তাদের নিজস্ব মডিউল/অ্যাপ্লিকেশন তৈরি করতে সাহায্য করে। +Module3400Name=সামাজিক যোগাযোগ +Module3400Desc=সামাজিক নেটওয়ার্ক ক্ষেত্রগুলিকে তৃতীয় পক্ষ এবং ঠিকানাগুলিতে সক্ষম করুন (স্কাইপ, টুইটার, ফেসবুক, ...)। +Module4000Name=এইচআরএম +Module4000Desc=মানব সম্পদ ব্যবস্থাপনা (বিভাগের ব্যবস্থাপনা, কর্মচারী চুক্তি, দক্ষতা ব্যবস্থাপনা এবং সাক্ষাৎকার) +Module5000Name=মাল্টি কোম্পানি +Module5000Desc=আপনাকে একাধিক কোম্পানি পরিচালনা করার অনুমতি দেয় +Module6000Name=ইন্টার-মডিউল ওয়ার্কফ্লো +Module6000Desc=বিভিন্ন মডিউলের মধ্যে কর্মপ্রবাহ ব্যবস্থাপনা (অবজেক্টের স্বয়ংক্রিয় সৃষ্টি এবং/অথবা স্বয়ংক্রিয় স্থিতি পরিবর্তন) +Module10000Name=ওয়েবসাইট +Module10000Desc=একটি WYSIWYG সম্পাদক দিয়ে ওয়েবসাইট (সর্বজনীন) তৈরি করুন। এটি একটি ওয়েবমাস্টার বা ডেভেলপার ওরিয়েন্টেড সিএমএস (এইচটিএমএল এবং সিএসএস ভাষা জানা ভাল)। শুধু আপনার ওয়েব সার্ভার (Apache, Nginx, ...) সেটআপ করুন ডেডিকেটেড Dolibarr ডিরেক্টরিকে আপনার নিজের ডোমেন নামের সাথে ইন্টারনেটে অনলাইনে রাখতে। +Module20000Name=অনুরোধ ব্যবস্থাপনা ছেড়ে +Module20000Desc=কর্মচারী ছুটির অনুরোধ সংজ্ঞায়িত করুন এবং ট্র্যাক করুন +Module39000Name=পণ্য প্রচুর +Module39000Desc=প্রচুর পরিমাণে, সিরিয়াল নম্বর, পণ্যের জন্য তারিখ ব্যবস্থাপনার দ্বারা খাওয়া/বিক্রয় +Module40000Name=বিভিন্ন দেশের মুদ্রা +Module40000Desc=দাম এবং নথিতে বিকল্প মুদ্রা ব্যবহার করুন +Module50000Name=পেবক্স +Module50000Desc=গ্রাহকদের একটি PayBox অনলাইন পেমেন্ট পেজ (ক্রেডিট/ডেবিট কার্ড) অফার করুন। এটি আপনার গ্রাহকদের একটি নির্দিষ্ট ডলিবার অবজেক্ট (চালান, অর্ডার ইত্যাদি...) সম্পর্কিত অ্যাড-হক অর্থপ্রদান বা অর্থপ্রদান করার অনুমতি দেওয়ার জন্য ব্যবহার করা যেতে পারে। Module50100Name=POS SimplePOS -Module50100Desc=Point of Sale module SimplePOS (simple POS). +Module50100Desc=পয়েন্ট অফ সেল মডিউল SimplePOS (সাধারণ POS)। Module50150Name=POS TakePOS -Module50150Desc=Point of Sale module TakePOS (touchscreen POS, for shops, bars or restaurants). -Module50200Name=Paypal -Module50200Desc=Offer customers a PayPal online payment page (PayPal account or credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50300Name=Stripe -Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50400Name=Accounting (double entry) -Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats. -Module54000Name=PrintIPP -Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installed on server). -Module55000Name=Poll, Survey or Vote -Module55000Desc=Create online polls, surveys or votes (like Doodle, Studs, RDVz etc...) -Module59000Name=Margins -Module59000Desc=Module to follow margins -Module60000Name=Commissions -Module60000Desc=Module to manage commissions -Module62000Name=Incoterms -Module62000Desc=Add features to manage Incoterms -Module63000Name=Resources -Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to events -Permission11=Read customer invoices -Permission12=Create/modify customer invoices -Permission13=Invalidate customer invoices -Permission14=Validate customer invoices -Permission15=Send customer invoices by email -Permission16=Create payments for customer invoices -Permission19=Delete customer invoices -Permission21=Read commercial proposals -Permission22=Create/modify commercial proposals -Permission24=Validate commercial proposals -Permission25=Send commercial proposals -Permission26=Close commercial proposals -Permission27=Delete commercial proposals -Permission28=Export commercial proposals -Permission31=Read products -Permission32=Create/modify products -Permission34=Delete products -Permission36=See/manage hidden products -Permission38=Export products -Permission39=Ignore minimum price -Permission41=Read projects and tasks (shared project and projects I'm contact for). Can also enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) -Permission42=Create/modify projects (shared project and projects I'm contact for). Can also create tasks and assign users to project and tasks -Permission44=Delete projects (shared project and projects I'm contact for) -Permission45=Export projects -Permission61=Read interventions -Permission62=Create/modify interventions -Permission64=Delete interventions -Permission67=Export interventions -Permission68=Send interventions by email -Permission69=Validate interventions -Permission70=Invalidate interventions -Permission71=Read members -Permission72=Create/modify members -Permission74=Delete members -Permission75=Setup types of membership -Permission76=Export data -Permission78=Read subscriptions -Permission79=Create/modify subscriptions -Permission81=Read customers orders -Permission82=Create/modify customers orders -Permission84=Validate customers orders -Permission86=Send customers orders -Permission87=Close customers orders -Permission88=Cancel customers orders -Permission89=Delete customers orders -Permission91=Read social or fiscal taxes and vat -Permission92=Create/modify social or fiscal taxes and vat -Permission93=Delete social or fiscal taxes and vat -Permission94=Export social or fiscal taxes -Permission95=Read reports -Permission101=Read sendings -Permission102=Create/modify sendings -Permission104=Validate sendings -Permission105=Send sendings by email -Permission106=Export sendings -Permission109=Delete sendings -Permission111=Read financial accounts -Permission112=Create/modify/delete and compare transactions -Permission113=Setup financial accounts (create, manage categories of bank transactions) -Permission114=Reconcile transactions -Permission115=Export transactions and account statements -Permission116=Transfers between accounts -Permission117=Manage checks dispatching -Permission121=Read third parties linked to user -Permission122=Create/modify third parties linked to user -Permission125=Delete third parties linked to user -Permission126=Export third parties -Permission130=Create/modify third parties payment information -Permission141=Read all projects and tasks (also private projects for which I am not a contact) -Permission142=Create/modify all projects and tasks (also private projects for which I am not a contact) -Permission144=Delete all projects and tasks (also private projects i am not contact for) -Permission146=Read providers -Permission147=Read stats -Permission151=Read direct debit payment orders -Permission152=Create/modify a direct debit payment orders -Permission153=Send/Transmit direct debit payment orders -Permission154=Record Credits/Rejections of direct debit payment orders -Permission161=Read contracts/subscriptions -Permission162=Create/modify contracts/subscriptions -Permission163=Activate a service/subscription of a contract -Permission164=Disable a service/subscription of a contract -Permission165=Delete contracts/subscriptions -Permission167=Export contracts -Permission171=Read trips and expenses (yours and your subordinates) -Permission172=Create/modify trips and expenses -Permission173=Delete trips and expenses -Permission174=Read all trips and expenses -Permission178=Export trips and expenses -Permission180=Read suppliers -Permission181=Read purchase orders -Permission182=Create/modify purchase orders -Permission183=Validate purchase orders -Permission184=Approve purchase orders -Permission185=Order or cancel purchase orders -Permission186=Receive purchase orders -Permission187=Close purchase orders -Permission188=Cancel purchase orders -Permission192=Create lines -Permission193=Cancel lines -Permission194=Read the bandwidth lines -Permission202=Create ADSL connections -Permission203=Order connections orders -Permission204=Order connections -Permission205=Manage connections -Permission206=Read connections -Permission211=Read Telephony -Permission212=Order lines -Permission213=Activate line -Permission214=Setup Telephony -Permission215=Setup providers -Permission221=Read emailings -Permission222=Create/modify emailings (topic, recipients...) -Permission223=Validate emailings (allows sending) -Permission229=Delete emailings -Permission237=View recipients and info -Permission238=Manually send mailings -Permission239=Delete mailings after validation or sent -Permission241=Read categories -Permission242=Create/modify categories -Permission243=Delete categories -Permission244=See the contents of the hidden categories -Permission251=Read other users and groups -PermissionAdvanced251=Read other users -Permission252=Read permissions of other users -Permission253=Create/modify other users, groups and permissions -PermissionAdvanced253=Create/modify internal/external users and permissions -Permission254=Create/modify external users only -Permission255=Modify other users password -Permission256=Delete or disable other users -Permission262=Extend access to all third parties AND their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission263=Extend access to all third parties WITHOUT their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission271=Read CA -Permission272=Read invoices -Permission273=Issue invoices -Permission281=Read contacts -Permission282=Create/modify contacts -Permission283=Delete contacts -Permission286=Export contacts -Permission291=Read tariffs -Permission292=Set permissions on the tariffs -Permission293=Modify customer's tariffs -Permission300=Read barcodes -Permission301=Create/modify barcodes -Permission302=Delete barcodes -Permission311=Read services -Permission312=Assign service/subscription to contract -Permission331=Read bookmarks -Permission332=Create/modify bookmarks -Permission333=Delete bookmarks -Permission341=Read its own permissions -Permission342=Create/modify his own user information -Permission343=Modify his own password -Permission344=Modify its own permissions -Permission351=Read groups -Permission352=Read groups permissions -Permission353=Create/modify groups -Permission354=Delete or disable groups -Permission358=Export users -Permission401=Read discounts -Permission402=Create/modify discounts -Permission403=Validate discounts -Permission404=Delete discounts -Permission430=Use Debug Bar -Permission511=Read salaries and payments (yours and subordinates) -Permission512=Create/modify salaries and payments -Permission514=Delete salaries and payments -Permission517=Read salaries and payments everybody -Permission519=Export salaries -Permission520=Read Loans -Permission522=Create/modify loans -Permission524=Delete loans -Permission525=Access loan calculator -Permission527=Export loans -Permission531=Read services -Permission532=Create/modify services -Permission534=Delete services -Permission536=See/manage hidden services -Permission538=Export services -Permission561=Read payment orders by credit transfer -Permission562=Create/modify payment order by credit transfer -Permission563=Send/Transmit payment order by credit transfer -Permission564=Record Debits/Rejections of credit transfer -Permission601=Read stickers -Permission602=Create/modify stickers -Permission609=Delete stickers -Permission650=Read Bills of Materials -Permission651=Create/Update Bills of Materials -Permission652=Delete Bills of Materials -Permission660=Read Manufacturing Order (MO) -Permission661=Create/Update Manufacturing Order (MO) -Permission662=Delete Manufacturing Order (MO) -Permission701=Read donations -Permission702=Create/modify donations -Permission703=Delete donations -Permission771=Read expense reports (yours and your subordinates) -Permission772=Create/modify expense reports (for you and your subordinates) -Permission773=Delete expense reports -Permission775=Approve expense reports -Permission776=Pay expense reports -Permission777=Read all expense reports (even those of user not subordinates) -Permission778=Create/modify expense reports of everybody -Permission779=Export expense reports -Permission1001=Read stocks -Permission1002=Create/modify warehouses -Permission1003=Delete warehouses -Permission1004=Read stock movements -Permission1005=Create/modify stock movements -Permission1011=View inventories -Permission1012=Create new inventory -Permission1014=Validate inventory -Permission1015=Allow to change PMP value for a product -Permission1016=Delete inventory -Permission1101=Read delivery receipts -Permission1102=Create/modify delivery receipts -Permission1104=Validate delivery receipts -Permission1109=Delete delivery receipts -Permission1121=Read supplier proposals -Permission1122=Create/modify supplier proposals -Permission1123=Validate supplier proposals -Permission1124=Send supplier proposals -Permission1125=Delete supplier proposals -Permission1126=Close supplier price requests -Permission1181=Read suppliers -Permission1182=Read purchase orders -Permission1183=Create/modify purchase orders -Permission1184=Validate purchase orders -Permission1185=Approve purchase orders -Permission1186=Order purchase orders -Permission1187=Acknowledge receipt of purchase orders -Permission1188=Delete purchase orders -Permission1189=Check/Uncheck a purchase order reception -Permission1190=Approve (second approval) purchase orders -Permission1191=Export supplier orders and their attributes -Permission1201=Get result of an export -Permission1202=Create/Modify an export -Permission1231=Read vendor invoices -Permission1232=Create/modify vendor invoices -Permission1233=Validate vendor invoices -Permission1234=Delete vendor invoices -Permission1235=Send vendor invoices by email -Permission1236=Export vendor invoices, attributes and payments -Permission1237=Export purchase orders and their details -Permission1251=Run mass imports of external data into database (data load) -Permission1321=Export customer invoices, attributes and payments -Permission1322=Reopen a paid bill -Permission1421=Export sales orders and attributes -Permission1521=Read documents -Permission1522=Delete documents -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) -Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) -Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) -Permission2411=Read actions (events or tasks) of others -Permission2412=Create/modify actions (events or tasks) of others -Permission2413=Delete actions (events or tasks) of others -Permission2414=Export actions/tasks of others -Permission2501=Read/Download documents -Permission2502=Download documents -Permission2503=Submit or delete documents -Permission2515=Setup documents directories -Permission2801=Use FTP client in read mode (browse and download only) -Permission2802=Use FTP client in write mode (delete or upload files) -Permission3200=Read archived events and fingerprints -Permission3301=Generate new modules -Permission4001=Read skill/job/position -Permission4002=Create/modify skill/job/position -Permission4003=Delete skill/job/position -Permission4020=Read evaluations -Permission4021=Create/modify your evaluation -Permission4022=Validate evaluation -Permission4023=Delete evaluation -Permission4030=See comparison menu -Permission10001=Read website content -Permission10002=Create/modify website content (html and javascript content) -Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. -Permission10005=Delete website content -Permission20001=Read leave requests (your leave and those of your subordinates) -Permission20002=Create/modify your leave requests (your leave and those of your subordinates) -Permission20003=Delete leave requests -Permission20004=Read all leave requests (even those of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) -Permission20006=Administer leave requests (setup and update balance) -Permission20007=Approve leave requests -Permission23001=Read Scheduled job -Permission23002=Create/update Scheduled job -Permission23003=Delete Scheduled job -Permission23004=Execute Scheduled job -Permission50101=Use Point of Sale (SimplePOS) -Permission50151=Use Point of Sale (TakePOS) -Permission50152=Edit sales lines -Permission50153=Edit ordered sales lines -Permission50201=Read transactions -Permission50202=Import transactions -Permission50330=Read objects of Zapier -Permission50331=Create/Update objects of Zapier -Permission50332=Delete objects of Zapier -Permission50401=Bind products and invoices with accounting accounts -Permission50411=Read operations in ledger -Permission50412=Write/Edit operations in ledger -Permission50414=Delete operations in ledger -Permission50415=Delete all operations by year and journal in ledger -Permission50418=Export operations of the ledger -Permission50420=Report and export reports (turnover, balance, journals, ledger) -Permission50430=Define fiscal periods. Validate transactions and close fiscal periods. -Permission50440=Manage chart of accounts, setup of accountancy -Permission51001=Read assets -Permission51002=Create/Update assets -Permission51003=Delete assets -Permission51005=Setup types of asset -Permission54001=Print -Permission55001=Read polls -Permission55002=Create/modify polls -Permission59001=Read commercial margins -Permission59002=Define commercial margins -Permission59003=Read every user margin -Permission63001=Read resources -Permission63002=Create/modify resources -Permission63003=Delete resources -Permission63004=Link resources to agenda events -Permission64001=Allow direct printing -Permission67000=Allow printing of receipts -Permission68001=Read intracomm report -Permission68002=Create/modify intracomm report -Permission68004=Delete intracomm report -Permission941601=Read receipts -Permission941602=Create and modify receipts -Permission941603=Validate receipts -Permission941604=Send receipts by email -Permission941605=Export receipts -Permission941606=Delete receipts -DictionaryCompanyType=Third-party types -DictionaryCompanyJuridicalType=Third-party legal entities -DictionaryProspectLevel=Prospect potential level for companies -DictionaryProspectContactLevel=Prospect potential level for contacts -DictionaryCanton=States/Provinces -DictionaryRegion=Regions -DictionaryCountry=Countries -DictionaryCurrency=Currencies -DictionaryCivility=Honorific titles -DictionaryActions=Types of agenda events -DictionarySocialContributions=Types of social or fiscal taxes -DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of tax stamps -DictionaryPaymentConditions=Payment Terms -DictionaryPaymentModes=Payment Modes -DictionaryTypeContact=Contact/Address types -DictionaryTypeOfContainer=Website - Type of website pages/containers -DictionaryEcotaxe=Ecotax (WEEE) -DictionaryPaperFormat=Paper formats -DictionaryFormatCards=Card formats -DictionaryFees=Expense report - Types of expense report lines -DictionarySendingMethods=Shipping methods -DictionaryStaff=Number of Employees -DictionaryAvailability=Delivery delay -DictionaryOrderMethods=Order methods -DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups for reports -DictionaryAccountancysystem=Models for chart of accounts -DictionaryAccountancyJournal=Accounting journals -DictionaryEMailTemplates=Email Templates -DictionaryUnits=Units -DictionaryMeasuringUnits=Measuring Units -DictionarySocialNetworks=Social Networks -DictionaryProspectStatus=Prospect status for companies -DictionaryProspectContactStatus=Prospect status for contacts -DictionaryHolidayTypes=Leave - Types of leave -DictionaryOpportunityStatus=Lead status for project/lead -DictionaryExpenseTaxCat=Expense report - Transportation categories -DictionaryExpenseTaxRange=Expense report - Range by transportation category -DictionaryTransportMode=Intracomm report - Transport mode -DictionaryBatchStatus=Product lot/serial Quality Control status -TypeOfUnit=Type of unit -SetupSaved=Setup saved -SetupNotSaved=Setup not saved -BackToModuleList=Back to Module list -BackToDictionaryList=Back to Dictionaries list -TypeOfRevenueStamp=Type of tax stamp -VATManagement=Sales Tax Management -VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. -VATIsNotUsedDesc=By default the proposed Sales tax is 0 which can be used for cases like associations, individuals or small companies. -VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. -VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +Module50150Desc=পয়েন্ট অফ সেল মডিউল TakePOS (দোকান, বার বা রেস্টুরেন্টের জন্য টাচস্ক্রিন POS)। +Module50200Name=পেপাল +Module50200Desc=গ্রাহকদের একটি পেপ্যাল অনলাইন পেমেন্ট পেজ অফার করুন (পেপাল অ্যাকাউন্ট বা ক্রেডিট/ডেবিট কার্ড)। এটি আপনার গ্রাহকদের একটি নির্দিষ্ট ডলিবার অবজেক্ট (চালান, অর্ডার ইত্যাদি...) সম্পর্কিত অ্যাড-হক অর্থপ্রদান বা অর্থপ্রদান করার অনুমতি দেওয়ার জন্য ব্যবহার করা যেতে পারে। +Module50300Name=ডোরা +Module50300Desc=গ্রাহকদের একটি স্ট্রাইপ অনলাইন পেমেন্ট পৃষ্ঠা (ক্রেডিট/ডেবিট কার্ড) অফার করুন। এটি আপনার গ্রাহকদের একটি নির্দিষ্ট ডলিবার অবজেক্ট (চালান, অর্ডার ইত্যাদি...) সম্পর্কিত অ্যাড-হক অর্থপ্রদান বা অর্থপ্রদান করার অনুমতি দেওয়ার জন্য ব্যবহার করা যেতে পারে। +Module50400Name=অ্যাকাউন্টিং (ডাবল এন্ট্রি) +Module50400Desc=অ্যাকাউন্টিং ম্যানেজমেন্ট (ডাবল এন্ট্রি, সাপোর্ট জেনারেল এবং সাবসিডিয়ারি লেজার)। অন্যান্য অ্যাকাউন্টিং সফ্টওয়্যার ফর্ম্যাটে লেজারটি রপ্তানি করুন। +Module54000Name=প্রিন্টআইপিপি +Module54000Desc=কাপস আইপিপি ইন্টারফেস ব্যবহার করে সরাসরি মুদ্রণ (ডকুমেন্টগুলি না খুলে) (প্রিন্টার অবশ্যই সার্ভার থেকে দৃশ্যমান হতে হবে এবং CUPS সার্ভারে ইনস্টল করতে হবে)। +Module55000Name=পোল, সার্ভে বা ভোট +Module55000Desc=অনলাইন পোল, সমীক্ষা বা ভোট তৈরি করুন (যেমন ডুডল, স্টাডস, RDVz ইত্যাদি...) +Module59000Name=মার্জিন +Module59000Desc=মার্জিন অনুসরণ করার মডিউল +Module60000Name=কমিশন +Module60000Desc=কমিশন পরিচালনার মডিউল +Module62000Name=ইনকোটার্মস +Module62000Desc=Incoterms পরিচালনা করতে বৈশিষ্ট্য যোগ করুন +Module63000Name=সম্পদ +Module63000Desc=ইভেন্টে বরাদ্দ করার জন্য সংস্থানগুলি (প্রিন্টার, গাড়ি, রুম, ...) পরিচালনা করুন +Module66000Name=OAuth2 টোকেন ব্যবস্থাপনা +Module66000Desc=OAuth2 টোকেন তৈরি এবং পরিচালনা করার জন্য একটি টুল প্রদান করুন। টোকেনটি তখন অন্য কিছু মডিউল দ্বারা ব্যবহার করা যেতে পারে। +Module94160Name=অভ্যর্থনা +ModuleBookCalName=বুকিং ক্যালেন্ডার সিস্টেম +ModuleBookCalDesc=অ্যাপয়েন্টমেন্ট বুক করার জন্য একটি ক্যালেন্ডার পরিচালনা করুন +##### Permissions ##### +Permission11=গ্রাহক চালান পড়ুন (এবং অর্থপ্রদান) +Permission12=গ্রাহক চালান তৈরি/পরিবর্তন করুন +Permission13=গ্রাহকের চালান বাতিল করুন +Permission14=গ্রাহক চালান যাচাই +Permission15=ইমেল দ্বারা গ্রাহক চালান পাঠান +Permission16=গ্রাহক চালানের জন্য অর্থপ্রদান তৈরি করুন +Permission19=গ্রাহক চালান মুছুন +Permission21=বাণিজ্যিক প্রস্তাব পড়ুন +Permission22=বাণিজ্যিক প্রস্তাব তৈরি/পরিবর্তন করুন +Permission24=বাণিজ্যিক প্রস্তাব যাচাই +Permission25=বাণিজ্যিক প্রস্তাব পাঠান +Permission26=বাণিজ্যিক প্রস্তাব বন্ধ করুন +Permission27=বাণিজ্যিক প্রস্তাবগুলি মুছুন +Permission28=বাণিজ্যিক প্রস্তাব রপ্তানি +Permission31=পণ্য পড়ুন +Permission32=পণ্য তৈরি/পরিবর্তন করুন +Permission33=পণ্যের দাম পড়ুন +Permission34=পণ্য মুছুন +Permission36=লুকানো পণ্য দেখুন/পরিচালনা করুন +Permission38=পণ্য রপ্তানি করুন +Permission39=ন্যূনতম মূল্য উপেক্ষা করুন +Permission41=প্রকল্প এবং কাজ পড়ুন (ভাগ করা প্রকল্প এবং প্রকল্প যার আমি একজন পরিচিতি)। +Permission42=প্রকল্পগুলি তৈরি/পরিবর্তন করুন (ভাগ করা প্রকল্প এবং প্রকল্প যার আমি একজন পরিচিতি)। এছাড়াও ব্যবহারকারীদের প্রকল্প এবং কাজের জন্য বরাদ্দ করতে পারে +Permission44=প্রকল্পগুলি মুছুন (ভাগ করা প্রকল্প এবং প্রকল্প যার আমি একজন পরিচিতি) +Permission45=রপ্তানি প্রকল্প +Permission61=হস্তক্ষেপ পড়ুন +Permission62=হস্তক্ষেপ তৈরি/পরিবর্তন করুন +Permission64=হস্তক্ষেপ মুছুন +Permission67=রপ্তানি হস্তক্ষেপ +Permission68=ইমেল দ্বারা হস্তক্ষেপ পাঠান +Permission69=হস্তক্ষেপ বৈধতা +Permission70=হস্তক্ষেপ অবৈধ +Permission71=সদস্যদের পড়ুন +Permission72=সদস্য তৈরি/পরিবর্তন করুন +Permission74=সদস্যদের মুছুন +Permission75=সদস্যপদ সেটআপ প্রকার +Permission76=রপ্তানি তথ্য +Permission78=সদস্যতা পড়ুন +Permission79=সদস্যতা তৈরি/পরিবর্তন করুন +Permission81=গ্রাহকদের আদেশ পড়ুন +Permission82=গ্রাহকদের অর্ডার তৈরি/পরিবর্তন করুন +Permission84=গ্রাহকদের আদেশ যাচাই +Permission85=নথি বিক্রয় আদেশ তৈরি করুন +Permission86=গ্রাহকদের অর্ডার পাঠান +Permission87=গ্রাহকদের আদেশ বন্ধ করুন +Permission88=গ্রাহকদের আদেশ বাতিল করুন +Permission89=গ্রাহকদের আদেশ মুছুন +Permission91=সামাজিক বা রাজস্ব কর এবং ভ্যাট পড়ুন +Permission92=সামাজিক বা রাজস্ব কর এবং ভ্যাট তৈরি/পরিবর্তন করুন +Permission93=সামাজিক বা রাজস্ব কর এবং ভ্যাট মুছুন +Permission94=সামাজিক বা রাজস্ব কর রপ্তানি করুন +Permission95=রিপোর্ট পড়ুন +Permission101=পাঠান পড়ুন +Permission102=পাঠান তৈরি/পরিবর্তন করুন +Permission104=পাঠানোর বৈধতা +Permission105=ইমেল দ্বারা প্রেরণ পাঠান +Permission106=রপ্তানি প্রেরণ +Permission109=পাঠানো মুছুন +Permission111=আর্থিক হিসাব পড়ুন +Permission112=লেনদেন তৈরি/পরিবর্তন/মুছুন এবং তুলনা করুন +Permission113=আর্থিক অ্যাকাউন্ট সেটআপ করুন (ব্যাংক লেনদেনের বিভাগগুলি তৈরি করুন, পরিচালনা করুন) +Permission114=লেনদেন মিটমাট +Permission115=লেনদেন এবং অ্যাকাউন্টের বিবৃতি রপ্তানি করুন +Permission116=অ্যাকাউন্টের মধ্যে স্থানান্তর +Permission117=চেক প্রেরণ পরিচালনা করুন +Permission121=ব্যবহারকারীর সাথে লিঙ্ক করা তৃতীয় পক্ষগুলি পড়ুন +Permission122=ব্যবহারকারীর সাথে লিঙ্ক করা তৃতীয় পক্ষগুলি তৈরি/পরিবর্তন করুন৷ +Permission125=ব্যবহারকারীর সাথে লিঙ্ক করা তৃতীয় পক্ষগুলি মুছুন +Permission126=তৃতীয় পক্ষ রপ্তানি করুন +Permission130=তৃতীয় পক্ষের অর্থপ্রদানের তথ্য তৈরি/পরিবর্তন করুন +Permission141=সমস্ত প্রকল্প এবং কাজগুলি পড়ুন (পাশাপাশি ব্যক্তিগত প্রকল্প যার জন্য আমি যোগাযোগ নই) +Permission142=সমস্ত প্রকল্প এবং কাজগুলি তৈরি/পরিবর্তন করুন (পাশাপাশি ব্যক্তিগত প্রকল্প যার জন্য আমি একজন পরিচিত নই) +Permission144=সমস্ত প্রকল্প এবং কাজগুলি মুছুন (পাশাপাশি ব্যক্তিগত প্রকল্পগুলির সাথে আমি পরিচিত নই) +Permission145=নির্ধারিত কাজগুলিতে আমার বা আমার অনুক্রমের জন্য খরচ করা সময় লিখতে পারে (টাইমশিট) +Permission146=প্রদানকারী পড়ুন +Permission147=পরিসংখ্যান পড়ুন +Permission151=সরাসরি ডেবিট পেমেন্ট অর্ডার পড়ুন +Permission152=একটি সরাসরি ডেবিট পেমেন্ট অর্ডার তৈরি/পরিবর্তন করুন +Permission153=সরাসরি ডেবিট পেমেন্ট অর্ডার পাঠান/ট্রান্সমিট করুন +Permission154=সরাসরি ডেবিট পেমেন্ট অর্ডারের রেকর্ড ক্রেডিট/প্রত্যাখ্যান +Permission161=চুক্তি/সাবস্ক্রিপশন পড়ুন +Permission162=চুক্তি/সাবস্ক্রিপশন তৈরি/পরিবর্তন করুন +Permission163=একটি চুক্তির একটি পরিষেবা/সাবস্ক্রিপশন সক্রিয় করুন +Permission164=একটি চুক্তির একটি পরিষেবা/সাবস্ক্রিপশন অক্ষম করুন +Permission165=চুক্তি/সাবস্ক্রিপশন মুছুন +Permission167=রপ্তানি চুক্তি +Permission171=ট্রিপ এবং খরচ পড়ুন (আপনার এবং আপনার অধীনস্থদের) +Permission172=ট্রিপ এবং খরচ তৈরি/পরিবর্তন করুন +Permission173=ট্রিপ এবং খরচ মুছুন +Permission174=সমস্ত ভ্রমণ এবং খরচ পড়ুন +Permission178=রপ্তানি ভ্রমণ এবং খরচ +Permission180=সরবরাহকারী পড়ুন +Permission181=ক্রয় আদেশ পড়ুন +Permission182=ক্রয় অর্ডার তৈরি/পরিবর্তন করুন +Permission183=ক্রয় আদেশ যাচাই +Permission184=ক্রয় আদেশ অনুমোদন +Permission185=অর্ডার বা ক্রয় আদেশ বাতিল +Permission186=ক্রয় আদেশ গ্রহণ +Permission187=ক্রয় আদেশ বন্ধ করুন +Permission188=ক্রয় আদেশ বাতিল করুন +Permission192=লাইন তৈরি করুন +Permission193=লাইন বাতিল করুন +Permission194=ব্যান্ডউইথ লাইন পড়ুন +Permission202=ADSL সংযোগ তৈরি করুন +Permission203=অর্ডার সংযোগ আদেশ +Permission204=অর্ডার সংযোগ +Permission205=সংযোগগুলি পরিচালনা করুন +Permission206=সংযোগ পড়ুন +Permission211=টেলিফোনি পড়ুন +Permission212=অর্ডার লাইন +Permission213=লাইন সক্রিয় করুন +Permission214=টেলিফোনি সেটআপ করুন +Permission215=সেটআপ প্রদানকারী +Permission221=ইমেলগুলি পড়ুন +Permission222=ইমেলগুলি তৈরি/পরিবর্তন করুন (বিষয়, প্রাপক...) +Permission223=ইমেলগুলি যাচাই করুন (প্রেরণের অনুমতি দেয়) +Permission229=ইমেলগুলি মুছুন +Permission237=প্রাপক এবং তথ্য দেখুন +Permission238=ম্যানুয়ালি মেইলিং পাঠান +Permission239=যাচাই বা পাঠানোর পরে মেইলিং মুছুন +Permission241=বিভাগ পড়ুন +Permission242=বিভাগ তৈরি/পরিবর্তন করুন +Permission243=বিভাগগুলি মুছুন +Permission244=লুকানো বিভাগের বিষয়বস্তু দেখুন +Permission251=অন্যান্য ব্যবহারকারী এবং গ্রুপ পড়ুন +PermissionAdvanced251=অন্যান্য ব্যবহারকারীদের পড়ুন +Permission252=অন্যান্য ব্যবহারকারীদের অনুমতি পড়ুন +Permission253=অন্যান্য ব্যবহারকারী, গ্রুপ এবং অনুমতি তৈরি/পরিবর্তন করুন +PermissionAdvanced253=অভ্যন্তরীণ/বাহ্যিক ব্যবহারকারী এবং অনুমতি তৈরি/পরিবর্তন করুন +Permission254=শুধুমাত্র বহিরাগত ব্যবহারকারীদের তৈরি/সংশোধন করুন +Permission255=অন্যান্য ব্যবহারকারীদের পাসওয়ার্ড পরিবর্তন করুন +Permission256=অন্যান্য ব্যবহারকারীদের মুছুন বা অক্ষম করুন +Permission262=সমস্ত তৃতীয় পক্ষ এবং তাদের বস্তুগুলিতে অ্যাক্সেস প্রসারিত করুন (কেবল তৃতীয় পক্ষ নয় যার জন্য ব্যবহারকারী একজন বিক্রয় প্রতিনিধি)।
      বহিরাগত ব্যবহারকারীদের জন্য কার্যকর নয় (প্রস্তাবগুলির জন্য সর্বদা নিজেদের মধ্যে সীমাবদ্ধ, অর্ডার, ইনভয়েস, চুক্তি, ইত্যাদি)।
      প্রকল্পের জন্য কার্যকর নয় (শুধুমাত্র প্রকল্পের অনুমতি, দৃশ্যমানতা এবং অ্যাসাইনমেন্ট সংক্রান্ত বিষয়ে নিয়ম)। +Permission263=তাদের বস্তু ছাড়াই সমস্ত তৃতীয় পক্ষের অ্যাক্সেস প্রসারিত করুন (কেবল তৃতীয় পক্ষ নয় যার জন্য ব্যবহারকারী একজন বিক্রয় প্রতিনিধি)।
      বহিরাগত ব্যবহারকারীদের জন্য কার্যকর নয় (প্রস্তাবের জন্য সর্বদা নিজেদের মধ্যে সীমাবদ্ধ, অর্ডার, ইনভয়েস, চুক্তি, ইত্যাদি)।
      প্রকল্পের জন্য কার্যকর নয় (শুধুমাত্র প্রকল্পের অনুমতি, দৃশ্যমানতা এবং অ্যাসাইনমেন্ট সংক্রান্ত বিষয়ে নিয়ম)। +Permission271=সিএ পড়ুন +Permission272=চালান পড়ুন +Permission273=চালান ইস্যু করুন +Permission281=পরিচিতি পড়ুন +Permission282=পরিচিতি তৈরি/পরিবর্তন করুন +Permission283=পরিচিতি মুছুন +Permission286=পরিচিতি রপ্তানি করুন +Permission291=শুল্ক পড়ুন +Permission292=শুল্ক উপর অনুমতি সেট +Permission293=গ্রাহকের ট্যারিফ পরিবর্তন করুন +Permission301=বারকোডের পিডিএফ শীট তৈরি করুন +Permission304=বারকোড তৈরি/পরিবর্তন করুন +Permission305=বারকোড মুছুন +Permission311=পরিষেবা পড়ুন +Permission312=চুক্তিতে পরিষেবা/সাবস্ক্রিপশন বরাদ্দ করুন +Permission331=বুকমার্ক পড়ুন +Permission332=বুকমার্ক তৈরি/পরিবর্তন করুন +Permission333=বুকমার্ক মুছুন +Permission341=তার নিজস্ব অনুমতি পড়ুন +Permission342=তার নিজের ব্যবহারকারীর তথ্য তৈরি/পরিবর্তন করুন +Permission343=নিজের পাসওয়ার্ড পরিবর্তন করুন +Permission344=তার নিজস্ব অনুমতি পরিবর্তন +Permission351=গ্রুপ পড়ুন +Permission352=গ্রুপ অনুমতি পড়ুন +Permission353=গ্রুপ তৈরি/পরিবর্তন করুন +Permission354=গোষ্ঠীগুলি মুছুন বা অক্ষম করুন +Permission358=রপ্তানি ব্যবহারকারী +Permission401=ডিসকাউন্ট পড়ুন +Permission402=ডিসকাউন্ট তৈরি/পরিবর্তন করুন +Permission403=ডিসকাউন্ট যাচাই +Permission404=ডিসকাউন্ট মুছুন +Permission430=ডিবাগ বার ব্যবহার করুন +Permission511=বেতন এবং পেমেন্ট পড়ুন (আপনার এবং অধীনস্থদের) +Permission512=বেতন এবং পেমেন্ট তৈরি/পরিবর্তন করুন +Permission514=বেতন এবং অর্থ প্রদান মুছুন +Permission517=বেতন এবং পেমেন্ট সবাই পড়ুন +Permission519=রপ্তানি বেতন +Permission520=ঋণ পড়া +Permission522=ঋণ তৈরি/পরিবর্তন করুন +Permission524=ঋণ মুছে ফেলুন +Permission525=অ্যাক্সেস ঋণ ক্যালকুলেটর +Permission527=রপ্তানি ঋণ +Permission531=পরিষেবা পড়ুন +Permission532=পরিষেবাগুলি তৈরি/পরিবর্তন করুন +Permission533=মূল্য পরিষেবা পড়ুন +Permission534=পরিষেবাগুলি মুছুন +Permission536=লুকানো পরিষেবাগুলি দেখুন/পরিচালনা করুন +Permission538=রপ্তানি সেবা +Permission561=ক্রেডিট ট্রান্সফারের মাধ্যমে পেমেন্ট অর্ডার পড়ুন +Permission562=ক্রেডিট ট্রান্সফারের মাধ্যমে পেমেন্ট অর্ডার তৈরি/পরিবর্তন করুন +Permission563=ক্রেডিট ট্রান্সফারের মাধ্যমে পেমেন্ট অর্ডার পাঠান/ট্রান্সমিট করুন +Permission564=রেকর্ড ডেবিট/ক্রেডিট ট্রান্সফার প্রত্যাখ্যান +Permission601=স্টিকার পড়ুন +Permission602=স্টিকার তৈরি/পরিবর্তন করুন +Permission609=স্টিকার মুছুন +Permission611=বৈকল্পিক বৈশিষ্ট্য পড়ুন +Permission612=ভেরিয়েন্টের বৈশিষ্ট্যগুলি তৈরি/আপডেট করুন +Permission613=বৈকল্পিক বৈশিষ্ট্য মুছুন +Permission650=উপকরণের বিল পড়ুন +Permission651=উপকরণের বিল তৈরি/আপডেট করুন +Permission652=উপকরণ বিল মুছুন +Permission660=ম্যানুফ্যাকচারিং অর্ডার (MO) পড়ুন +Permission661=ম্যানুফ্যাকচারিং অর্ডার তৈরি/আপডেট করুন (MO) +Permission662=ম্যানুফ্যাকচারিং অর্ডার (MO) মুছুন +Permission701=অনুদান পড়ুন +Permission702=অনুদান তৈরি/পরিবর্তন করুন +Permission703=অনুদান মুছুন +Permission771=খরচ রিপোর্ট পড়ুন (আপনার এবং আপনার অধীনস্থদের) +Permission772=ব্যয় প্রতিবেদন তৈরি/পরিবর্তন করুন (আপনার এবং আপনার অধীনস্থদের জন্য) +Permission773=ব্যয় প্রতিবেদন মুছুন +Permission775=ব্যয় রিপোর্ট অনুমোদন +Permission776=খরচ রিপোর্ট প্রদান +Permission777=সমস্ত খরচ রিপোর্ট পড়ুন (এমনকি ব্যবহারকারীর অধীনস্থ নয়) +Permission778=প্রত্যেকের ব্যয়ের প্রতিবেদন তৈরি/পরিবর্তন করুন +Permission779=রপ্তানি ব্যয় প্রতিবেদন +Permission1001=স্টক পড়ুন +Permission1002=গুদাম তৈরি/পরিবর্তন করুন +Permission1003=গুদামগুলি মুছুন +Permission1004=স্টক আন্দোলন পড়ুন +Permission1005=স্টক মুভমেন্ট তৈরি/পরিবর্তন করুন +Permission1011=ইনভেন্টরি দেখুন +Permission1012=নতুন ইনভেন্টরি তৈরি করুন +Permission1014=জায় যাচাই +Permission1015=একটি পণ্যের জন্য PMP মান পরিবর্তন করার অনুমতি দিন +Permission1016=ইনভেন্টরি মুছুন +Permission1101=ডেলিভারি রসিদ পড়ুন +Permission1102=ডেলিভারি রসিদ তৈরি/পরিবর্তন করুন +Permission1104=ডেলিভারি রসিদ যাচাই করুন +Permission1109=ডেলিভারি রসিদ মুছুন +Permission1121=সরবরাহকারীর প্রস্তাব পড়ুন +Permission1122=সরবরাহকারীর প্রস্তাব তৈরি/পরিবর্তন করুন +Permission1123=সরবরাহকারীর প্রস্তাব যাচাই করুন +Permission1124=সরবরাহকারী প্রস্তাব পাঠান +Permission1125=সরবরাহকারীর প্রস্তাবগুলি মুছুন +Permission1126=সরবরাহকারী মূল্য অনুরোধ বন্ধ করুন +Permission1181=সরবরাহকারী পড়ুন +Permission1182=ক্রয় আদেশ পড়ুন +Permission1183=ক্রয় অর্ডার তৈরি/পরিবর্তন করুন +Permission1184=ক্রয় আদেশ যাচাই +Permission1185=ক্রয় আদেশ অনুমোদন +Permission1186=অর্ডার ক্রয় আদেশ +Permission1187=ক্রয় আদেশের প্রাপ্তি স্বীকার করুন +Permission1188=ক্রয় আদেশ মুছুন +Permission1189=একটি ক্রয় অর্ডার রিসেপশন চেক/আনচেক করুন +Permission1190=অনুমোদন (দ্বিতীয় অনুমোদন) ক্রয় আদেশ +Permission1191=সরবরাহকারীর আদেশ এবং তাদের গুণাবলী রপ্তানি করুন +Permission1201=একটি রপ্তানি ফলাফল পান +Permission1202=একটি রপ্তানি তৈরি/পরিবর্তন করুন +Permission1231=বিক্রেতা চালান পড়ুন (এবং অর্থপ্রদান) +Permission1232=বিক্রেতা চালান তৈরি/পরিবর্তন করুন +Permission1233=বিক্রেতা চালান যাচাই +Permission1234=বিক্রেতা চালান মুছুন +Permission1235=ইমেল দ্বারা বিক্রেতা চালান পাঠান +Permission1236=বিক্রেতা চালান, গুণাবলী এবং অর্থপ্রদান রপ্তানি করুন +Permission1237=ক্রয় আদেশ এবং তাদের বিশদ রপ্তানি করুন +Permission1251=ডাটাবেসে বহিরাগত ডেটার ব্যাপক আমদানি চালান (ডেটা লোড) +Permission1321=গ্রাহক চালান, গুণাবলী এবং অর্থপ্রদান রপ্তানি করুন +Permission1322=একটি প্রদত্ত বিল পুনরায় খুলুন +Permission1421=বিক্রয় আদেশ এবং গুণাবলী রপ্তানি করুন +Permission1521=নথি পড়ুন +Permission1522=নথি মুছুন +Permission2401=তার ব্যবহারকারীর অ্যাকাউন্টের সাথে লিঙ্ক করা অ্যাকশন (ইভেন্ট বা কাজ) পড়ুন (যদি ইভেন্টের মালিক বা শুধু বরাদ্দ করা হয়) +Permission2402=তার ব্যবহারকারীর অ্যাকাউন্টের সাথে লিঙ্কযুক্ত ক্রিয়াগুলি (ইভেন্ট বা কাজ) তৈরি/পরিবর্তন করুন (যদি ইভেন্টের মালিক হন) +Permission2403=তার ব্যবহারকারীর অ্যাকাউন্টের সাথে লিঙ্ক করা অ্যাকশন (ইভেন্ট বা কাজ) মুছুন (ইভেন্টের মালিক হলে) +Permission2411=অন্যের কর্ম (ইভেন্ট বা কাজ) পড়ুন +Permission2412=অন্যদের কর্ম (ইভেন্ট বা কাজ) তৈরি/পরিবর্তন করুন +Permission2413=অন্যদের কর্ম (ইভেন্ট বা কাজ) মুছুন +Permission2414=অন্যদের কর্ম/কাজ রপ্তানি করুন +Permission2501=ডকুমেন্ট পড়ুন/ডাউনলোড করুন +Permission2502=নথি ডাউনলোড করুন +Permission2503=নথি জমা দিন বা মুছে দিন +Permission2515=নথির ডিরেক্টরি সেটআপ করুন +Permission2610=ব্যবহারকারীদের API কী তৈরি/সংশোধন করুন +Permission2801=রিড মোডে FTP ক্লায়েন্ট ব্যবহার করুন (শুধু ব্রাউজ এবং ডাউনলোড করুন) +Permission2802=লেখার মোডে FTP ক্লায়েন্ট ব্যবহার করুন (ফাইলগুলি মুছুন বা আপলোড করুন) +Permission3200=সংরক্ষণাগারভুক্ত ঘটনা এবং আঙ্গুলের ছাপ পড়ুন +Permission3301=নতুন মডিউল তৈরি করুন +Permission4001=দক্ষতা/চাকরি/পদ পড়ুন +Permission4002=দক্ষতা/চাকরি/পদ তৈরি/পরিবর্তন করুন +Permission4003=দক্ষতা/চাকরি/পদ মুছুন +Permission4021=মূল্যায়ন পড়ুন (আপনার এবং আপনার অধস্তন) +Permission4022=মূল্যায়ন তৈরি/পরিবর্তন করুন +Permission4023=মূল্যায়ন যাচাই করুন +Permission4025=মূল্যায়ন মুছুন +Permission4028=তুলনা মেনু দেখুন +Permission4031=ব্যক্তিগত তথ্য পড়ুন +Permission4032=ব্যক্তিগত তথ্য লিখুন +Permission4033=সমস্ত মূল্যায়ন পড়ুন (এমনকি ব্যবহারকারীর অধীনস্থ নয়) +Permission10001=ওয়েবসাইটের বিষয়বস্তু পড়ুন +Permission10002=ওয়েবসাইট সামগ্রী তৈরি/পরিবর্তন করুন (html এবং JavaScript সামগ্রী) +Permission10003=ওয়েবসাইট বিষয়বস্তু তৈরি/পরিবর্তন করুন (ডাইনামিক পিএইচপি কোড)। বিপজ্জনক, সীমাবদ্ধ বিকাশকারীদের জন্য সংরক্ষিত করা আবশ্যক। +Permission10005=ওয়েবসাইটের বিষয়বস্তু মুছুন +Permission20001=ছুটির অনুরোধ পড়ুন (আপনার ছুটি এবং আপনার অধীনস্থদের) +Permission20002=আপনার ছুটির অনুরোধগুলি তৈরি/পরিবর্তন করুন (আপনার ছুটি এবং আপনার অধীনস্থদের) +Permission20003=ছুটির অনুরোধগুলি মুছুন +Permission20004=সমস্ত ছুটির অনুরোধ পড়ুন (এমনকি ব্যবহারকারীর অধীনস্থ নয়) +Permission20005=প্রত্যেকের জন্য ছুটির অনুরোধ তৈরি/পরিবর্তন করুন (এমনকি ব্যবহারকারীর অধীনস্থ নয়) +Permission20006=ছুটির অনুরোধগুলি পরিচালনা করুন (ব্যালেন্স সেটআপ এবং আপডেট করুন) +Permission20007=ছুটির অনুরোধ অনুমোদন করুন +Permission23001=নির্ধারিত চাকরি পড়ুন +Permission23002=নির্ধারিত কাজ তৈরি/আপডেট করুন +Permission23003=নির্ধারিত কাজ মুছুন +Permission23004=নির্ধারিত কাজ সম্পাদন করুন +Permission40001=মুদ্রা এবং তাদের হার পড়ুন +Permission40002=মুদ্রা এবং তাদের হার তৈরি/আপডেট করুন +Permission40003=মুদ্রা এবং তাদের হার মুছুন +Permission50101=পয়েন্ট অফ সেল ব্যবহার করুন (SimplePOS) +Permission50151=পয়েন্ট অফ সেল ব্যবহার করুন (টেকপিওএস) +Permission50152=বিক্রয় লাইন সম্পাদনা করুন +Permission50153=আদেশকৃত বিক্রয় লাইন সম্পাদনা করুন +Permission50201=লেনদেন পড়ুন +Permission50202=আমদানি লেনদেন +Permission50330=Zapier অবজেক্ট পড়ুন +Permission50331=Zapier এর বস্তু তৈরি/আপডেট করুন +Permission50332=Zapier এর বস্তু মুছুন +Permission50401=অ্যাকাউন্টিং অ্যাকাউন্টের সাথে পণ্য এবং চালান আবদ্ধ করুন +Permission50411=লেজারে অপারেশন পড়ুন +Permission50412=লেজারে ক্রিয়াকলাপ লিখুন/সম্পাদনা করুন +Permission50414=লেজারে ক্রিয়াকলাপগুলি মুছুন +Permission50415=লেজারে বছরের এবং জার্নাল অনুসারে সমস্ত ক্রিয়াকলাপ মুছুন +Permission50418=খাতার রপ্তানি কার্যক্রম +Permission50420=রিপোর্ট এবং এক্সপোর্ট রিপোর্ট (টার্নওভার, ব্যালেন্স, জার্নাল, লেজার) +Permission50430=আর্থিক সময়কাল সংজ্ঞায়িত করুন। লেনদেন যাচাই করুন এবং আর্থিক সময়কাল বন্ধ করুন। +Permission50440=অ্যাকাউন্টের চার্ট, অ্যাকাউন্টেন্সি সেটআপ পরিচালনা করুন +Permission51001=সম্পদ পড়ুন +Permission51002=সম্পদ তৈরি/আপডেট করুন +Permission51003=সম্পদ মুছুন +Permission51005=সেটআপ প্রকারের সম্পদ +Permission54001=ছাপা +Permission55001=ভোট পড়ুন +Permission55002=পোল তৈরি/সংশোধন করুন +Permission59001=বাণিজ্যিক মার্জিন পড়ুন +Permission59002=বাণিজ্যিক মার্জিন সংজ্ঞায়িত করুন +Permission59003=প্রতিটি ব্যবহারকারী মার্জিন পড়ুন +Permission63001=সম্পদ পড়ুন +Permission63002=সম্পদ তৈরি/পরিবর্তন করুন +Permission63003=সম্পদ মুছুন +Permission63004=এজেন্ডা ইভেন্টে সংস্থান লিঙ্ক করুন +Permission64001=সরাসরি মুদ্রণের অনুমতি দিন +Permission67000=রসিদ মুদ্রণের অনুমতি দিন +Permission68001=ইন্ট্রাকম রিপোর্ট পড়ুন +Permission68002=ইন্ট্রাকম রিপোর্ট তৈরি/পরিবর্তন করুন +Permission68004=ইন্ট্রাকম রিপোর্ট মুছুন +Permission941601=রসিদ পড়ুন +Permission941602=রসিদগুলি তৈরি এবং সংশোধন করুন +Permission941603=রসিদ যাচাই +Permission941604=ইমেল দ্বারা রসিদ পাঠান +Permission941605=রপ্তানি রসিদ +Permission941606=রসিদ মুছুন +DictionaryCompanyType=তৃতীয় পক্ষের প্রকার +DictionaryCompanyJuridicalType=তৃতীয় পক্ষের আইনি সত্তা +DictionaryProspectLevel=কোম্পানীর জন্য সম্ভাবনা সম্ভাব্য স্তর +DictionaryProspectContactLevel=পরিচিতির জন্য সম্ভাব্য সম্ভাব্য স্তর +DictionaryCanton=রাজ্য/প্রদেশ +DictionaryRegion=অঞ্চলসমূহ +DictionaryCountry=দেশগুলো +DictionaryCurrency=মুদ্রা +DictionaryCivility=সম্মানজনক শিরোনাম +DictionaryActions=এজেন্ডা ইভেন্টের ধরন +DictionarySocialContributions=সামাজিক বা রাজস্ব করের প্রকার +DictionaryVAT=ভ্যাট হার বা বিক্রয় করের হার +DictionaryRevenueStamp=ট্যাক্স স্ট্যাম্পের পরিমাণ +DictionaryPaymentConditions=পরিশোধের শর্ত +DictionaryPaymentModes=পেমেন্ট মোড +DictionaryTypeContact=যোগাযোগ/ঠিকানার প্রকার +DictionaryTypeOfContainer=ওয়েবসাইট - ওয়েবসাইট পেজ/পাত্রের ধরন +DictionaryEcotaxe=ইকোট্যাক্স (WEEE) +DictionaryPaperFormat=কাগজ বিন্যাস +DictionaryFormatCards=কার্ড ফরম্যাট +DictionaryFees=ব্যয় প্রতিবেদন - ব্যয় প্রতিবেদন লাইনের প্রকার +DictionarySendingMethods=পরিবহন পদ্ধতি +DictionaryStaff=কর্মচারীর সংখ্যা +DictionaryAvailability=দেরীতে বিলি +DictionaryOrderMethods=অর্ডার পদ্ধতি +DictionarySource=প্রস্তাব/আদেশের উত্স +DictionaryAccountancyCategory=প্রতিবেদনের জন্য ব্যক্তিগতকৃত গোষ্ঠী +DictionaryAccountancysystem=অ্যাকাউন্টের চার্টের জন্য মডেল +DictionaryAccountancyJournal=অ্যাকাউন্টিং জার্নাল +DictionaryEMailTemplates=ইমেল টেমপ্লেট +DictionaryUnits=ইউনিট +DictionaryMeasuringUnits=পরিমাপ ইউনিট +DictionarySocialNetworks=সামাজিক যোগাযোগ +DictionaryProspectStatus=কোম্পানির জন্য সম্ভাবনা অবস্থা +DictionaryProspectContactStatus=পরিচিতিগুলির জন্য সম্ভাব্য অবস্থা +DictionaryHolidayTypes=ছুটি - ছুটির ধরন +DictionaryOpportunityStatus=প্রজেক্ট/লিডের জন্য লিড স্ট্যাটাস +DictionaryExpenseTaxCat=ব্যয় প্রতিবেদন - পরিবহন বিভাগ +DictionaryExpenseTaxRange=খরচ রিপোর্ট - পরিবহণ বিভাগ দ্বারা পরিসীমা +DictionaryTransportMode=ইন্ট্রাকম রিপোর্ট - পরিবহন মোড +DictionaryBatchStatus=পণ্য লট / সিরিয়াল মান নিয়ন্ত্রণ অবস্থা +DictionaryAssetDisposalType=সম্পদ নিষ্পত্তির ধরন +DictionaryInvoiceSubtype=চালান উপপ্রকার +TypeOfUnit=ইউনিটের ধরন +SetupSaved=সেটআপ সংরক্ষিত +SetupNotSaved=সেটআপ সংরক্ষিত হয়নি +OAuthServiceConfirmDeleteTitle=OAuth এন্ট্রি মুছুন +OAuthServiceConfirmDeleteMessage=আপনি কি এই OAuth এন্ট্রি মুছে ফেলার বিষয়ে নিশ্চিত? এর জন্য বিদ্যমান সমস্ত টোকেনও মুছে ফেলা হবে। +ErrorInEntryDeletion=এন্ট্রি মুছে ফেলার ক্ষেত্রে ত্রুটি৷ +EntryDeleted=এন্ট্রি মুছে ফেলা হয়েছে +BackToModuleList=মডিউল তালিকায় ফিরে যান +BackToDictionaryList=অভিধান তালিকায় ফিরে যান +TypeOfRevenueStamp=ট্যাক্স স্ট্যাম্পের প্রকার +VATManagement=বিক্রয় কর ব্যবস্থাপনা +VATIsUsedDesc=সম্ভাবনা, চালান, অর্ডার ইত্যাদি তৈরি করার সময় ডিফল্টরূপে। বিক্রয় করের হার সক্রিয় আদর্শ নিয়ম অনুসরণ করে:
      যদি বিক্রেতা বিক্রয় করের অধীন না হয়, তাহলে বিক্রয় করের ডিফল্ট 0 তে নিয়মের সমাপ্তি।
      যদি (বিক্রেতার দেশ = ক্রেতার দেশ), তাহলে ডিফল্টভাবে বিক্রয় কর বিক্রেতার দেশে পণ্যের বিক্রয় করের সমান। নিয়মের সমাপ্তি৷
      যদি বিক্রেতা এবং ক্রেতা উভয়ই ইউরোপীয় সম্প্রদায়ের হয় এবং পণ্যগুলি পরিবহন-সম্পর্কিত পণ্য (হোলেজ, শিপিং, এয়ারলাইন) হয় তবে ডিফল্ট ভ্যাট 0৷ এটি নিয়ম বিক্রেতার দেশের উপর নির্ভরশীল - অনুগ্রহ করে আপনার হিসাবরক্ষকের সাথে পরামর্শ করুন। ভ্যাট ক্রেতাকে তাদের দেশের কাস্টমস অফিসে দিতে হবে, বিক্রেতাকে নয়। নিয়মের শেষ।
      যদি বিক্রেতা এবং ক্রেতা উভয়ই ইউরোপীয় সম্প্রদায়ের হয় এবং ক্রেতা একটি কোম্পানি না হয় (একটি নিবন্ধিত আন্তঃ-সম্প্রদায় ভ্যাট নম্বর সহ) তাহলে ভ্যাট ডিফল্ট হয় বিক্রেতার দেশের ভ্যাট হার। নিয়মের সমাপ্তি।
      যদি বিক্রেতা এবং ক্রেতা উভয়ই ইউরোপীয় সম্প্রদায়ের হয় এবং ক্রেতা একটি কোম্পানি হয় (একটি নিবন্ধিত আন্তঃ-সম্প্রদায় ভ্যাট নম্বর সহ), তাহলে ভ্যাট 0 গতানুগতিক. নিয়মের শেষ।
      অন্য যেকোনো ক্ষেত্রে প্রস্তাবিত ডিফল্ট হল বিক্রয় কর=0। শাসনের শেষ। +VATIsNotUsedDesc=ডিফল্টরূপে প্রস্তাবিত বিক্রয় কর হল 0 যা সমিতি, ব্যক্তি বা ছোট কোম্পানির মতো ক্ষেত্রে ব্যবহার করা যেতে পারে। +VATIsUsedExampleFR=ফ্রান্সে, এর অর্থ একটি বাস্তব আর্থিক ব্যবস্থা (সরলীকৃত বাস্তব বা স্বাভাবিক বাস্তব) রয়েছে এমন কোম্পানি বা সংস্থা। একটি সিস্টেম যেখানে ভ্যাট ঘোষণা করা হয়। +VATIsNotUsedExampleFR=ফ্রান্সে, এর অর্থ হল অ-বিক্রয় কর ঘোষিত সংস্থা বা কোম্পানি, সংস্থা বা উদার পেশা যারা মাইক্রো এন্টারপ্রাইজ ফিসকাল সিস্টেম (ফ্রাঞ্চাইজে সেলস ট্যাক্স) বেছে নিয়েছে এবং কোনও সেলস ট্যাক্স ঘোষণা ছাড়াই একটি ফ্র্যাঞ্চাইজ সেলস ট্যাক্স প্রদান করেছে। এই পছন্দটি ইনভয়েসে "অপ্রযোজ্য বিক্রয় কর - CGI-এর আর্ট-293B" রেফারেন্স প্রদর্শন করবে। +VATType=ভ্যাট প্রকার ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax -LTRate=Rate -LocalTax1IsNotUsed=Do not use second tax -LocalTax1IsUsedDesc=Use a second type of tax (other than first one) -LocalTax1IsNotUsedDesc=Do not use other type of tax (other than first one) -LocalTax1Management=Second type of tax +TypeOfSaleTaxes=বিক্রয় করের ধরন +LTRate=হার +LocalTax1IsNotUsed=দ্বিতীয় কর ব্যবহার করবেন না +LocalTax1IsUsedDesc=দ্বিতীয় ধরনের ট্যাক্স ব্যবহার করুন (প্রথমটি ছাড়া) +LocalTax1IsNotUsedDesc=অন্য ধরনের ট্যাক্স ব্যবহার করবেন না (প্রথমটি ছাড়া) +LocalTax1Management=কর দ্বিতীয় প্রকার LocalTax1IsUsedExample= LocalTax1IsNotUsedExample= -LocalTax2IsNotUsed=Do not use third tax -LocalTax2IsUsedDesc=Use a third type of tax (other than first one) -LocalTax2IsNotUsedDesc=Do not use other type of tax (other than first one) -LocalTax2Management=Third type of tax +LocalTax2IsNotUsed=তৃতীয় ট্যাক্স ব্যবহার করবেন না +LocalTax2IsUsedDesc=তৃতীয় ধরনের ট্যাক্স ব্যবহার করুন (প্রথমটি ছাড়া) +LocalTax2IsNotUsedDesc=অন্য ধরনের ট্যাক্স ব্যবহার করবেন না (প্রথমটি ছাড়া) +LocalTax2Management=তৃতীয় প্রকার ট্যাক্স LocalTax2IsUsedExample= LocalTax2IsNotUsedExample= -LocalTax1ManagementES=RE Management -LocalTax1IsUsedDescES=The RE rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the buyer is not subjected to RE, RE by default=0. End of rule.
      If the buyer is subjected to RE then the RE by default. End of rule.
      -LocalTax1IsNotUsedDescES=By default the proposed RE is 0. End of rule. -LocalTax1IsUsedExampleES=In Spain they are professionals subject to some specific sections of the Spanish IAE. -LocalTax1IsNotUsedExampleES=In Spain they are professional and societies and subject to certain sections of the Spanish IAE. -LocalTax2ManagementES=IRPF Management -LocalTax2IsUsedDescES=The IRPF rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.
      If the seller is subjected to IRPF then the IRPF by default. End of rule.
      -LocalTax2IsNotUsedDescES=By default the proposed IRPF is 0. End of rule. -LocalTax2IsUsedExampleES=In Spain, freelancers and independent professionals who provide services and companies who have chosen the tax system of modules. -LocalTax2IsNotUsedExampleES=In Spain they are businesses not subject to tax system of modules. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) -CalcLocaltax=Reports on local taxes -CalcLocaltax1=Sales - Purchases -CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases -CalcLocaltax2=Purchases -CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases -CalcLocaltax3=Sales -CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax -LabelUsedByDefault=Label used by default if no translation can be found for code -LabelOnDocuments=Label on documents -LabelOrTranslationKey=Label or translation key -ValueOfConstantKey=Value of a configuration constant -ConstantIsOn=Option %s is on -NbOfDays=No. of days -AtEndOfMonth=At end of month -CurrentNext=Current/Next -Offset=Offset -AlwaysActive=Always active -Upgrade=Upgrade -MenuUpgrade=Upgrade / Extend -AddExtensionThemeModuleOrOther=Deploy/install external app/module -WebServer=Web server -DocumentRootServer=Web server's root directory -DataRootServer=Data files directory -IP=IP -Port=Port -VirtualServerName=Virtual server name -OS=OS -PhpWebLink=Web-Php link -Server=Server -Database=Database -DatabaseServer=Database host -DatabaseName=Database name -DatabasePort=Database port -DatabaseUser=Database user -DatabasePassword=Database password -Tables=Tables -TableName=Table name -NbOfRecord=No. of records -Host=Server -DriverType=Driver type -SummarySystem=System information summary -SummaryConst=List of all Dolibarr setup parameters -MenuCompanySetup=Company/Organization -DefaultMenuManager= Standard menu manager -DefaultMenuSmartphoneManager=Smartphone menu manager -Skin=Skin theme -DefaultSkin=Default skin theme -MaxSizeList=Max length for list -DefaultMaxSizeList=Default max length for lists -DefaultMaxSizeShortList=Default max length for short lists (i.e. in customer card) -MessageOfDay=Message of the day -MessageLogin=Login page message -LoginPage=Login page -BackgroundImageLogin=Background image -PermanentLeftSearchForm=Permanent search form on left menu -DefaultLanguage=Default language -EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships -EnableShowLogo=Show the company logo in the menu -CompanyInfo=Company/Organization -CompanyIds=Company/Organization identities -CompanyName=Name -CompanyAddress=Address -CompanyZip=Zip -CompanyTown=Town -CompanyCountry=Country -CompanyCurrency=Main currency -CompanyObject=Object of the company -IDCountry=ID country -Logo=Logo -LogoDesc=Main logo of company. Will be used into generated documents (PDF, ...) -LogoSquarred=Logo (squarred) -LogoSquarredDesc=Must be a squarred icon (width = height). This logo will be used as the favorite icon or other need like for the top menu bar (if not disabled into display setup). -DoNotSuggestPaymentMode=Do not suggest -NoActiveBankAccountDefined=No active bank account defined -OwnerOfBankAccount=Owner of bank account %s -BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show the link "%s" -ShowBugTrackLinkDesc=Keep empty to not display this link, use value 'github' for the link to the Dolibarr project or define directly an url 'https://...' -Alerts=Alerts -DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: -DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. -Delays_MAIN_DELAY_ACTIONS_TODO=Planned events (agenda events) not completed -Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Project not closed in time -Delays_MAIN_DELAY_TASKS_TODO=Planned task (project tasks) not completed -Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Order not processed -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Purchase order not processed -Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Proposal not closed -Delays_MAIN_DELAY_PROPALS_TO_BILL=Proposal not billed -Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Service to activate -Delays_MAIN_DELAY_RUNNING_SERVICES=Expired service -Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Unpaid vendor invoice -Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Unpaid customer invoice -Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Pending bank reconciliation -Delays_MAIN_DELAY_MEMBERS=Delayed membership fee -Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Check deposit not done -Delays_MAIN_DELAY_EXPENSEREPORTS=Expense report to approve -Delays_MAIN_DELAY_HOLIDAYS=Leave requests to approve -SetupDescription1=Before starting to use Dolibarr some initial parameters must be defined and modules enabled/configured. -SetupDescription2=The following two sections are mandatory (the two first entries in the Setup menu): -SetupDescription3=%s -> %s

      Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4=%s -> %s

      This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. -SetupDescription5=Other Setup menu entries manage optional parameters. -SetupDescriptionLink=%s - %s -SetupDescription3b=Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s -Audit=Security events -InfoDolibarr=About Dolibarr -InfoBrowser=About Browser -InfoOS=About OS -InfoWebServer=About Web Server -InfoDatabase=About Database -InfoPHP=About PHP -InfoPerf=About Performances -InfoSecurity=About Security -BrowserName=Browser name -BrowserOS=Browser OS -ListOfSecurityEvents=List of Dolibarr security events -SecurityEventsPurged=Security events purged -LogEventDesc=Enable logging for specific security events. Administrators the log via menu %s - %s. Warning, this feature can generate a large amount of data in the database. -AreaForAdminOnly=Setup parameters can be set by administrator users only. -SystemInfoDesc=System information is miscellaneous technical information you get in read only mode and visible for administrators only. -SystemAreaForAdminOnly=This area is available to administrator users only. Dolibarr user permissions cannot change this restriction. -CompanyFundationDesc=Edit the information of your company/organization. Click on "%s" button at the bottom of the page when done. -AccountantDesc=If you have an external accountant/bookkeeper, you can edit here its information. -AccountantFileNumber=Accountant code -DisplayDesc=Parameters affecting the look and presentation of the application can be modified here. -AvailableModules=Available app/modules -ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). -SessionTimeOut=Time out for session -SessionExplanation=This number guarantees that the session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guarantee that the session will expire after this delay. It will expire, after this delay, and when the session cleaner is run, so every %s/%s access, but only during access made by other sessions (if value is 0, it means clearing of session is done only by an external process).
      Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by an external setup, no matter what the value entered here is. -SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. -TriggersAvailable=Available triggers -TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). -TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. -TriggerDisabledAsModuleDisabled=Triggers in this file are disabled as module %s is disabled. -TriggerAlwaysActive=Triggers in this file are always active, whatever are the activated Dolibarr modules. -TriggerActiveAsModuleActive=Triggers in this file are active as module %s is enabled. -GeneratedPasswordDesc=Choose the method to be used for auto-generated passwords. -DictionaryDesc=Insert all reference data. You can add your values to the default. -ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting only. -MiscellaneousDesc=All other security related parameters are defined here. -LimitsSetup=Limits/Precision setup -LimitsDesc=You can define limits, precisions and optimizations used by Dolibarr here -MAIN_MAX_DECIMALS_UNIT=Max. decimals for unit prices -MAIN_MAX_DECIMALS_TOT=Max. decimals for total prices -MAIN_MAX_DECIMALS_SHOWN=Max. decimals for prices shown on screen. Add an ellipsis ... after this parameter (e.g. "2...") if you want to see "..." suffixed to the truncated price. -MAIN_ROUNDING_RULE_TOT=Step of rounding range (for countries where rounding is done on something other than base 10. For example, put 0.05 if rounding is done by 0.05 steps) -UnitPriceOfProduct=Net unit price of a product -TotalPriceAfterRounding=Total price (excl/vat/incl tax) after rounding -ParameterActiveForNextInputOnly=Parameter effective for next input only -NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit has not been enabled in the "Setup - Security - Events" page. -NoEventFoundWithCriteria=No security event has been found for this search criteria. -SeeLocalSendMailSetup=See your local sendmail setup -BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. -BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. -BackupDescX=The archived directory should be stored in a secure place. -BackupDescY=The generated dump file should be stored in a secure place. -BackupPHPWarning=Backup cannot be guaranteed with this method. Previous one recommended. -RestoreDesc=To restore a Dolibarr backup, two steps are required. -RestoreDesc2=Restore the backup file (zip file for example) of the "documents" directory to a new Dolibarr installation or into this current documents directory (%s). -RestoreDesc3=Restore the database structure and data from a backup dump file into the database of the new Dolibarr installation or into the database of this current installation (%s). Warning, once the restore is complete, you must use a login/password, that existed from the backup time/installation to connect again.
      To restore a backup database into this current installation, you can follow this assistant. -RestoreMySQL=MySQL import -ForcedToByAModule=This rule is forced to %s by an activated module -ValueIsForcedBySystem=This value is forced by the system. You can't change it. -PreviousDumpFiles=Existing backup files -PreviousArchiveFiles=Existing archive files -WeekStartOnDay=First day of the week -RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) -YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. -YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP -DownloadMoreSkins=More skins to download -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset -ShowProfIdInAddress=Show professional ID with addresses -ShowVATIntaInAddress=Hide intra-Community VAT number -TranslationUncomplete=Partial translation -MAIN_DISABLE_METEO=Disable weather thumb -MeteoStdMod=Standard mode -MeteoStdModEnabled=Standard mode enabled -MeteoPercentageMod=Percentage mode -MeteoPercentageModEnabled=Percentage mode enabled -MeteoUseMod=Click to use %s -TestLoginToAPI=Test login to API -ProxyDesc=Some features of Dolibarr require internet access. Define here the internet connection parameters such as access through a proxy server if necessary. -ExternalAccess=External/Internet Access -MAIN_PROXY_USE=Use a proxy server (otherwise access is direct to the internet) -MAIN_PROXY_HOST=Proxy server: Name/Address -MAIN_PROXY_PORT=Proxy server: Port -MAIN_PROXY_USER=Proxy server: Login/User -MAIN_PROXY_PASS=Proxy server: Password -DefineHereComplementaryAttributes=Define any additional / custom attributes that must be added to: %s -ExtraFields=Complementary attributes -ExtraFieldsLines=Complementary attributes (lines) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) -ExtraFieldsSupplierOrdersLines=Complementary attributes (order lines) -ExtraFieldsSupplierInvoicesLines=Complementary attributes (invoice lines) -ExtraFieldsThirdParties=Complementary attributes (third party) -ExtraFieldsContacts=Complementary attributes (contacts/address) -ExtraFieldsMember=Complementary attributes (member) -ExtraFieldsMemberType=Complementary attributes (member type) -ExtraFieldsCustomerInvoices=Complementary attributes (invoices) -ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) -ExtraFieldsSupplierOrders=Complementary attributes (orders) -ExtraFieldsSupplierInvoices=Complementary attributes (invoices) -ExtraFieldsProject=Complementary attributes (projects) -ExtraFieldsProjectTask=Complementary attributes (tasks) -ExtraFieldsSalaries=Complementary attributes (salaries) -ExtraFieldHasWrongValue=Attribute %s has a wrong value. -AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space -SendmailOptionNotComplete=Warning, on some Linux systems, to send email from your email, sendmail execution setup must contains option -ba (parameter mail.force_extra_parameters into your php.ini file). If some recipients never receive emails, try to edit this PHP parameter with mail.force_extra_parameters = -ba). -PathToDocuments=Path to documents -PathDirectory=Directory -SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might not be parsed correctly by some receiving mail servers. The result is that some mails can't be read by people hosted by those bugged platforms. This is the case for some Internet providers (Ex: Orange in France). This is not a problem with Dolibarr or PHP but with the receiving mail server. You can however add an option MAIN_FIX_FOR_BUGGED_MTA to 1 in Setup - Other to modify Dolibarr to avoid this. However, you may experience problems with other servers that strictly use the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" which has no disadvantages. -TranslationSetup=Setup of translation -TranslationKeySearch=Search a translation key or string -TranslationOverwriteKey=Overwrite a translation string -TranslationDesc=How to set the display language:
      * Default/Systemwide: menu Home -> Setup -> Display
      * Per user: Click on the username at the top of the screen and modify the User Display Setup tab on the user card. -TranslationOverwriteDesc=You can also override strings filling the following table. Choose your language from "%s" dropdown, insert the translation key string into "%s" and your new translation into "%s" -TranslationOverwriteDesc2=You can use the other tab to help you know which translation key to use -TranslationString=Translation string -CurrentTranslationString=Current translation string -WarningAtLeastKeyOrTranslationRequired=A search criteria is required at least for key or translation string -NewTranslationStringToShow=New translation string to show -OriginalValueWas=The original translation is overwritten. Original value was:

      %s -TransKeyWithoutOriginalValue=You forced a new translation for the translation key '%s' that does not exist in any language files -TitleNumberOfActivatedModules=Activated modules -TotalNumberOfActivatedModules=Activated modules: %s / %s -YouMustEnableOneModule=You must at least enable 1 module -ClassNotFoundIntoPathWarning=Class %s not found in PHP path -YesInSummer=Yes in summer -OnlyFollowingModulesAreOpenedToExternalUsers=Note, only the following modules are available to external users (irrespective of the permissions of such users) and only if permissions are granted:
      -SuhosinSessionEncrypt=Session storage encrypted by Suhosin -ConditionIsCurrently=Condition is currently %s -YouUseBestDriver=You use driver %s which is the best driver currently available. -YouDoNotUseBestDriver=You use driver %s but driver %s is recommended. -NbOfObjectIsLowerThanNoPb=You have only %s %s in the database. This does not require any particular optimization. -ComboListOptim=Combo list loading optimization -SearchOptim=Search optimization -YouHaveXObjectUseComboOptim=You have %s %s in the database. You can go into setup of module to enable loading of combo list on key pressed event. -YouHaveXObjectUseSearchOptim=You have %s %s in the database. You can add the constant %s to 1 in Home-Setup-Other. -YouHaveXObjectUseSearchOptimDesc=This limits the search to the beginning of strings which makes it possible for the database to use indexes and you should get an immediate response. -YouHaveXObjectAndSearchOptimOn=You have %s %s in the database and constant %s is set to %s in Home-Setup-Other. -BrowserIsOK=You are using the %s web browser. This browser is ok for security and performance. -BrowserIsKO=You are using the %s web browser. This browser is known to be a bad choice for security, performance and reliability. We recommend using Firefox, Chrome, Opera or Safari. -PHPModuleLoaded=PHP component %s is loaded -PreloadOPCode=Preloaded OPCode is used -AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". -AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". -AskForPreferredShippingMethod=Ask for preferred shipping method for Third Parties. -FieldEdition=Edition of field %s -FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) -GetBarCode=Get barcode -NumberingModules=Numbering models -DocumentModules=Document models +LocalTax1ManagementES=RE ব্যবস্থাপনা +LocalTax1IsUsedDescES=সম্ভাবনা, চালান, অর্ডার ইত্যাদি তৈরি করার সময় ডিফল্টরূপে RE হার। সক্রিয় আদর্শ নিয়ম অনুসরণ করুন:
      যদি ক্রেতা RE-এর অধীন না হয়, ডিফল্টরূপে RE=0। নিয়মের শেষ।
      যদি ক্রেতা RE এর অধীন হয় তাহলে ডিফল্টরূপে RE। নিয়মের শেষ।
      +LocalTax1IsNotUsedDescES=ডিফল্টরূপে প্রস্তাবিত RE হল 0। নিয়মের শেষ। +LocalTax1IsUsedExampleES=স্পেনে তারা স্প্যানিশ IAE এর কিছু নির্দিষ্ট বিভাগের অধীন পেশাদার। +LocalTax1IsNotUsedExampleES=স্পেনে তারা পেশাদার এবং সমাজ এবং স্প্যানিশ IAE এর নির্দিষ্ট বিভাগের অধীন। +LocalTax2ManagementES=আইআরপিএফ ব্যবস্থাপনা +LocalTax2IsUsedDescES=সম্ভাবনা, চালান, অর্ডার ইত্যাদি তৈরি করার সময় ডিফল্টরূপে IRPF রেট সক্রিয় মান নিয়ম অনুসরণ করে:
      যদি বিক্রেতা IRPF-এর অধীন না হয়, তাহলে ডিফল্টরূপে IRPF=0৷ নিয়মের শেষ।
      যদি বিক্রেতা IRPF এর অধীন হয় তাহলে ডিফল্টরূপে IRPF। নিয়মের শেষ।
      +LocalTax2IsNotUsedDescES=ডিফল্টরূপে প্রস্তাবিত IRPF হল 0। নিয়মের শেষ। +LocalTax2IsUsedExampleES=স্পেনে, ফ্রিল্যান্সার এবং স্বাধীন পেশাদার যারা পরিষেবা প্রদান করে এবং কোম্পানি যারা মডিউলের ট্যাক্স সিস্টেম বেছে নিয়েছে। +LocalTax2IsNotUsedExampleES=স্পেনে তারা এমন ব্যবসা যা মডিউলের ট্যাক্স সিস্টেমের অধীন নয়। +RevenueStampDesc="ট্যাক্স স্ট্যাম্প" বা "রেভিনিউ স্ট্যাম্প" হল একটি নির্দিষ্ট ট্যাক্স যা আপনি প্রতি চালান (এটি চালানের পরিমাণের উপর নির্ভর করে না)। এটি একটি শতাংশ ট্যাক্সও হতে পারে তবে শতাংশ করের জন্য দ্বিতীয় বা তৃতীয় ধরনের ট্যাক্স ব্যবহার করা ভাল কারণ ট্যাক্স স্ট্যাম্প কোনও রিপোর্টিং প্রদান করে না। মাত্র কয়েকটি দেশ এই ধরনের ট্যাক্স ব্যবহার করে। +UseRevenueStamp=ট্যাক্স স্ট্যাম্প ব্যবহার করুন +UseRevenueStampExample=ট্যাক্স স্ট্যাম্পের মান ডিফল্টরূপে অভিধানের সেটআপে সংজ্ঞায়িত করা হয় (%s - %s - %s) +CalcLocaltax=স্থানীয় কর সংক্রান্ত প্রতিবেদন +CalcLocaltax1=বিক্রয় - ক্রয় +CalcLocaltax1Desc=স্থানীয় করের প্রতিবেদনগুলি গণনা করা হয় স্থানীয় কর বিক্রয় এবং স্থানীয় কর ক্রয়ের মধ্যে পার্থক্যের সাথে +CalcLocaltax2=ক্রয় +CalcLocaltax2Desc=স্থানীয় ট্যাক্সের রিপোর্ট হল স্থানীয় ট্যাক্স ক্রয়ের মোট সংখ্যা +CalcLocaltax3=বিক্রয় +CalcLocaltax3Desc=স্থানীয় ট্যাক্স রিপোর্ট হল স্থানীয় কর বিক্রয়ের মোট +NoLocalTaxXForThisCountry=করের সেটআপ অনুযায়ী (%s - %s - %s দেখুন) , আপনার দেশের এই ধরনের ট্যাক্স ব্যবহার করার প্রয়োজন নেই +LabelUsedByDefault=কোডের জন্য কোন অনুবাদ পাওয়া না গেলে ডিফল্টরূপে লেবেল ব্যবহার করা হয় +LabelOnDocuments=নথিতে লেবেল +LabelOrTranslationKey=লেবেল বা অনুবাদ কী +ValueOfConstantKey=একটি কনফিগারেশন ধ্রুবকের মান +ConstantIsOn=বিকল্প %s চালু আছে +NbOfDays=দিনের সংখ্যা +AtEndOfMonth=মাসের শেষে +CurrentNext=মাসে একটি নির্দিষ্ট দিন +Offset=অফসেট +AlwaysActive=সর্বদা সক্রিয় +Upgrade=আপগ্রেড করুন +MenuUpgrade=আপগ্রেড / প্রসারিত করুন +AddExtensionThemeModuleOrOther=বাহ্যিক অ্যাপ/মডিউল স্থাপন/ইনস্টল করুন +WebServer=ওয়েব সার্ভার +DocumentRootServer=ওয়েব সার্ভারের রুট ডিরেক্টরি +DataRootServer=ডেটা ফাইল ডিরেক্টরি +IP=আইপি +Port=বন্দর +VirtualServerName=ভার্চুয়াল সার্ভারের নাম +OS=ওএস +PhpWebLink=ওয়েব-পিএইচপি লিঙ্ক +Server=সার্ভার +Database=তথ্যশালা +DatabaseServer=ডাটাবেস হোস্ট +DatabaseName=ডাটাবেসের নাম +DatabasePort=ডাটাবেস পোর্ট +DatabaseUser=ডাটাবেস ব্যবহারকারী +DatabasePassword=ডাটাবেস পাসওয়ার্ড +Tables=টেবিল +TableName=টেবিলের নাম +NbOfRecord=রেকর্ডের সংখ্যা +Host=সার্ভার +DriverType=ড্রাইভারের ধরন +SummarySystem=সিস্টেম তথ্য সারাংশ +SummaryConst=সমস্ত Dolibarr সেটআপ প্যারামিটারের তালিকা +MenuCompanySetup=কোম্পানি/সংস্থা +DefaultMenuManager= স্ট্যান্ডার্ড মেনু ম্যানেজার +DefaultMenuSmartphoneManager=স্মার্টফোন মেনু ম্যানেজার +Skin=ত্বকের থিম +DefaultSkin=ডিফল্ট স্কিন থিম +MaxSizeList=তালিকার জন্য সর্বোচ্চ দৈর্ঘ্য +DefaultMaxSizeList=তালিকার জন্য ডিফল্ট সর্বোচ্চ দৈর্ঘ্য +DefaultMaxSizeShortList=ছোট তালিকার জন্য ডিফল্ট সর্বোচ্চ দৈর্ঘ্য (যেমন গ্রাহক কার্ডে) +MessageOfDay=দিনের বার্তা +MessageLogin=লগইন পৃষ্ঠা বার্তা +LoginPage=লগইন পৃষ্ঠায় +BackgroundImageLogin=ব্যাকগ্রাউন্ড ইমেজ +PermanentLeftSearchForm=বাম মেনুতে স্থায়ী অনুসন্ধান ফর্ম +DefaultLanguage=নির্ধারিত ভাষা +EnableMultilangInterface=গ্রাহক বা বিক্রেতা সম্পর্কের জন্য বহুভাষা সমর্থন সক্ষম করুন৷ +EnableShowLogo=মেনুতে কোম্পানির লোগো দেখান +CompanyInfo=কোম্পানি/সংস্থা +CompanyIds=কোম্পানি/সংস্থার পরিচয় +CompanyName=নাম +CompanyAddress=ঠিকানা +CompanyZip=জিপ +CompanyTown=শহর +CompanyCountry=দেশ +CompanyCurrency=প্রধান মুদ্রা +CompanyObject=কোম্পানির অবজেক্ট +IDCountry=আইডি দেশ +Logo=লোগো +LogoDesc=কোম্পানির প্রধান লোগো। উত্পন্ন নথিতে ব্যবহার করা হবে (পিডিএফ, ...) +LogoSquarred=লোগো (বর্গাকার) +LogoSquarredDesc=একটি বর্গাকার আইকন হতে হবে (প্রস্থ = উচ্চতা)। এই লোগোটি পছন্দের আইকন হিসেবে ব্যবহার করা হবে বা উপরের মেনু বারের মতো অন্যান্য প্রয়োজন (যদি ডিসপ্লে সেটআপে নিষ্ক্রিয় না থাকে)। +DoNotSuggestPaymentMode=সাজেস্ট করবেন না +NoActiveBankAccountDefined=কোনো সক্রিয় ব্যাঙ্ক অ্যাকাউন্ট সংজ্ঞায়িত করা হয়নি +OwnerOfBankAccount=ব্যাঙ্ক অ্যাকাউন্টের মালিক %s +BankModuleNotActive=ব্যাঙ্ক অ্যাকাউন্ট মডিউল সক্ষম করা নেই৷ +ShowBugTrackLink=লিঙ্কটি দেখান "%s" +ShowBugTrackLinkDesc=এই লিঙ্কটি প্রদর্শন না করার জন্য খালি রাখুন, Dolibarr প্রকল্পের লিঙ্কের জন্য মান 'github' ব্যবহার করুন বা সরাসরি একটি url 'https://...' সংজ্ঞায়িত করুন +Alerts=সতর্কতা +DelaysOfToleranceBeforeWarning=এর জন্য একটি সতর্কতা সতর্কতা প্রদর্শন করা হচ্ছে... +DelaysOfToleranceDesc=দেরী উপাদানের জন্য একটি সতর্কতা আইকন %s অনস্ক্রিন দেখানোর আগে বিলম্ব সেট করুন। +Delays_MAIN_DELAY_ACTIONS_TODO=পরিকল্পিত ইভেন্ট (এজেন্ডা ইভেন্ট) সম্পূর্ণ হয়নি +Delays_MAIN_DELAY_PROJECT_TO_CLOSE=সময়মতো প্রকল্প বন্ধ হয়নি +Delays_MAIN_DELAY_TASKS_TODO=পরিকল্পিত কাজ (প্রকল্পের কাজ) সম্পন্ন হয়নি +Delays_MAIN_DELAY_ORDERS_TO_PROCESS=অর্ডার প্রক্রিয়া করা হয় না +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=ক্রয় আদেশ প্রক্রিয়া করা হয় না +Delays_MAIN_DELAY_PROPALS_TO_CLOSE=প্রস্তাব বন্ধ না +Delays_MAIN_DELAY_PROPALS_TO_BILL=প্রস্তাব বিল করা হয়নি +Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=সক্রিয় করার জন্য পরিষেবা +Delays_MAIN_DELAY_RUNNING_SERVICES=মেয়াদোত্তীর্ণ পরিষেবা +Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=অবৈতনিক বিক্রেতা চালান +Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=অবৈতনিক গ্রাহক চালান +Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=মুলতুবি ব্যাংক পুনর্মিলন +Delays_MAIN_DELAY_MEMBERS=বিলম্বিত সদস্য ফি +Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=চেক ডিপোজিট করা হয়নি +Delays_MAIN_DELAY_EXPENSEREPORTS=অনুমোদনের জন্য ব্যয় প্রতিবেদন +Delays_MAIN_DELAY_HOLIDAYS=অনুমোদনের জন্য অনুরোধগুলি ছেড়ে দিন +SetupDescription1=Dolibarr ব্যবহার শুরু করার আগে কিছু প্রাথমিক পরামিতি সংজ্ঞায়িত করতে হবে এবং মডিউল সক্রিয়/কনফিগার করতে হবে। +SetupDescription2=নিম্নলিখিত দুটি বিভাগ বাধ্যতামূলক (সেটআপ মেনুতে দুটি প্রথম এন্ট্রি): +SetupDescription3=%s -> %sb0e40dc858

      আপনার অ্যাপ্লিকেশনের ডিফল্ট আচরণ কাস্টমাইজ করার জন্য ব্যবহৃত মৌলিক প্যারামিটারগুলি (যেমন দেশ-সম্পর্কিত বৈশিষ্ট্যগুলির জন্য)। +SetupDescription4=
      %s -> %sb0e40dc858

      এই সফ্টওয়্যারটি অনেক মডিউল/অ্যাপ্লিকেশনের একটি স্যুট। আপনার প্রয়োজনের সাথে সম্পর্কিত মডিউলগুলি অবশ্যই সক্ষম এবং কনফিগার করা উচিত। এই মডিউলগুলি সক্রিয় করার সাথে মেনু এন্ট্রি প্রদর্শিত হবে। +SetupDescription5=অন্যান্য সেটআপ মেনু এন্ট্রি ঐচ্ছিক পরামিতি পরিচালনা করে। +SetupDescriptionLink=
      %s - %sb0e40dc +SetupDescription3b=আপনার অ্যাপ্লিকেশনের ডিফল্ট আচরণ কাস্টমাইজ করতে ব্যবহৃত মৌলিক পরামিতিগুলি (যেমন দেশ-সম্পর্কিত বৈশিষ্ট্যগুলির জন্য)। +SetupDescription4b=এই সফ্টওয়্যারটি অনেক মডিউল/অ্যাপ্লিকেশনের একটি স্যুট। আপনার প্রয়োজনের সাথে সম্পর্কিত মডিউলগুলি সক্রিয় করতে হবে। এই মডিউলগুলি সক্রিয় করার সাথে মেনু এন্ট্রি প্রদর্শিত হবে। +AuditedSecurityEvents=নিরাপত্তা ঘটনা যা নিরীক্ষিত হয় +NoSecurityEventsAreAduited=কোন নিরাপত্তা ঘটনা নিরীক্ষিত হয়. আপনি %s মেনু থেকে তাদের সক্ষম করতে পারেন +Audit=নিরাপত্তা ঘটনা +InfoDolibarr=ডলিবার সম্পর্কে +InfoBrowser=ব্রাউজার সম্পর্কে +InfoOS=OS সম্পর্কে +InfoWebServer=ওয়েব সার্ভার সম্পর্কে +InfoDatabase=ডাটাবেস সম্পর্কে +InfoPHP=পিএইচপি সম্পর্কে +InfoPerf=পারফরম্যান্স সম্পর্কে +InfoSecurity=নিরাপত্তা সম্পর্কে +BrowserName=ব্রাউজারের নাম +BrowserOS=ব্রাউজার ওএস +ListOfSecurityEvents=ডলিবার নিরাপত্তা ইভেন্টের তালিকা +SecurityEventsPurged=নিরাপত্তা ঘটনা শুদ্ধ +TrackableSecurityEvents=ট্র্যাকযোগ্য নিরাপত্তা ঘটনা +LogEventDesc=নির্দিষ্ট নিরাপত্তা ইভেন্টের জন্য লগিং সক্ষম করুন. প্রশাসক মেনু %s - %s. সতর্কতা, এই বৈশিষ্ট্যটি ডাটাবেসে প্রচুর পরিমাণে ডেটা তৈরি করতে পারে। +AreaForAdminOnly=সেটআপ প্যারামিটারগুলি শুধুমাত্র প্রশাসক ব্যবহারকারীদের দ্বারা সেট করা যেতে পারে। +SystemInfoDesc=সিস্টেমের তথ্য হল বিবিধ প্রযুক্তিগত তথ্য যা আপনি শুধুমাত্র পঠন মোডে পান এবং শুধুমাত্র প্রশাসকদের জন্য দৃশ্যমান। +SystemAreaForAdminOnly=এই এলাকা শুধুমাত্র প্রশাসক ব্যবহারকারীদের জন্য উপলব্ধ. Dolibarr ব্যবহারকারীর অনুমতি এই সীমাবদ্ধতা পরিবর্তন করতে পারে না. +CompanyFundationDesc=আপনার কোম্পানি/সংস্থার তথ্য সম্পাদনা করুন। হয়ে গেলে পৃষ্ঠার নীচে "%s" বোতামে ক্লিক করুন৷ +MoreNetworksAvailableWithModule="সামাজিক নেটওয়ার্ক" মডিউল সক্ষম করে আরও সামাজিক নেটওয়ার্ক উপলব্ধ হতে পারে৷ +AccountantDesc=আপনার যদি একজন বহিরাগত হিসাবরক্ষক/বুককিপার থাকে, আপনি এখানে তার তথ্য সম্পাদনা করতে পারেন। +AccountantFileNumber=হিসাবরক্ষক কোড +DisplayDesc=অ্যাপ্লিকেশনের চেহারা এবং উপস্থাপনাকে প্রভাবিত করে এমন প্যারামিটারগুলি এখানে পরিবর্তন করা যেতে পারে। +AvailableModules=উপলব্ধ অ্যাপ/মডিউল +ToActivateModule=মডিউল সক্রিয় করতে, সেটআপ এরিয়াতে যান (হোম->সেটআপ->মডিউল)। +SessionTimeOut=অধিবেশনের জন্য সময় শেষ +SessionExplanation=এই সংখ্যাটি গ্যারান্টি দেয় যে সেশনটি এই বিলম্বের আগে কখনই শেষ হবে না, যদি সেশন ক্লিনারটি অভ্যন্তরীণ PHP সেশন ক্লিনার দ্বারা করা হয় (এবং অন্য কিছু নয়)। অভ্যন্তরীণ PHP সেশন ক্লিনার গ্যারান্টি দেয় না যে এই বিলম্বের পরে সেশনের মেয়াদ শেষ হয়ে যাবে। এই বিলম্বের পরে এবং যখন সেশন ক্লিনার চালানো হবে তখন এটির মেয়াদ শেষ হয়ে যাবে, তাই প্রতিটি %s/%s অ্যাক্সেস, কিন্তু শুধুমাত্র অন্যান্য সেশন দ্বারা করা অ্যাক্সেসের সময় (যদি মান 0 হয়, এর অর্থ হল সেশনটি ক্লিয়ার করা শুধুমাত্র একটি বাহ্যিক প্রক্রিয়া দ্বারা সম্পন্ন হয়) .
      দ্রষ্টব্য: একটি বাহ্যিক সেশন ক্লিনিং মেকানিজম সহ কিছু সার্ভারে (ডেবিয়ানের অধীনে ক্রন, উবুন্টু ...), সেশনগুলি একটি বাহ্যিক সেটআপ দ্বারা সংজ্ঞায়িত সময়ের পরে ধ্বংস করা যেতে পারে, এখানে প্রবেশ করা মান কোন ব্যাপার না. +SessionsPurgedByExternalSystem=এই সার্ভারের সেশনগুলি একটি বাহ্যিক প্রক্রিয়া (ডেবিয়ান, উবুন্টুর অধীনে ক্রন ...) দ্বারা পরিষ্কার করা হয়েছে বলে মনে হচ্ছে, সম্ভবত প্রতিটি %s
      সেকেন্ড (= প্যারামিটারের মান session.gc_maxlifetimeb09a4b739fz8 , তাই এখানে মান পরিবর্তনের কোন প্রভাব নেই। আপনাকে অবশ্যই সার্ভার অ্যাডমিনিস্ট্রেটরকে সেশন বিলম্ব পরিবর্তন করতে বলতে হবে। +TriggersAvailable=উপলব্ধ ট্রিগার +TriggersDesc=ট্রিগার হল এমন ফাইল যা htdocs/core/triggers-এ কপি করা হলে Dolibarr ওয়ার্কফ্লো-এর আচরণ পরিবর্তন করবে। তারা নতুন কর্ম উপলব্ধি করে, ডলিবার ইভেন্টগুলিতে সক্রিয় (নতুন কোম্পানি তৈরি, চালান বৈধতা, ...)। +TriggerDisabledByName=এই ফাইলের ট্রিগারগুলি তাদের নামের -NORUN প্রত্যয় দ্বারা অক্ষম করা হয়েছে৷ +TriggerDisabledAsModuleDisabled=এই ফাইলের ট্রিগারগুলি মডিউল হিসাবে নিষ্ক্রিয় করা হয়েছে %sb09a4b739f17f8zd0। +TriggerAlwaysActive=এই ফাইলের ট্রিগারগুলি সর্বদা সক্রিয় থাকে, সক্রিয় ডলিবার মডিউল যাই হোক না কেন। +TriggerActiveAsModuleActive=এই ফাইলের ট্রিগারগুলি মডিউল হিসাবে সক্রিয় রয়েছে %s সক্রিয়। +GeneratedPasswordDesc=স্বয়ংক্রিয়-উত্পন্ন পাসওয়ার্ডের জন্য ব্যবহার করা পদ্ধতি নির্বাচন করুন। +DictionaryDesc=সমস্ত রেফারেন্স ডেটা সন্নিবেশ করুন। আপনি ডিফল্টে আপনার মান যোগ করতে পারেন। +ConstDesc=এই পৃষ্ঠাটি আপনাকে অন্য পৃষ্ঠাগুলিতে উপলব্ধ নয় এমন প্যারামিটারগুলি সম্পাদনা (ওভাররাইড) করতে দেয়৷ এগুলি বেশিরভাগই ডেভেলপার/উন্নত সমস্যা সমাধানের জন্য সংরক্ষিত প্যারামিটার। +MiscellaneousOptions=বিবিধ বিকল্প +MiscellaneousDesc=অন্যান্য সমস্ত নিরাপত্তা সম্পর্কিত পরামিতি এখানে সংজ্ঞায়িত করা হয়েছে। +LimitsSetup=সীমা/নির্ভুল সেটআপ +LimitsDesc=আপনি এখানে Dolibarr দ্বারা ব্যবহৃত সীমা, নির্ভুলতা এবং অপ্টিমাইজেশান সংজ্ঞায়িত করতে পারেন +MAIN_MAX_DECIMALS_UNIT=সর্বোচ্চ ইউনিট মূল্যের জন্য দশমিক +MAIN_MAX_DECIMALS_TOT=সর্বোচ্চ মোট দামের জন্য দশমিক +MAIN_MAX_DECIMALS_SHOWN=সর্বোচ্চ দামের জন্য দশমিক স্ক্রীনে দেখানো হয়েছে। আপনি যদি দেখতে চান তাহলে এই প্যারামিটারের পরে একটি উপবৃত্ত ... যোগ করুন (যেমন "2...") ..." কাটা মূল্যের সাথে প্রত্যয়িত। +MAIN_ROUNDING_RULE_TOT=রাউন্ডিং পরিসরের ধাপ (যেসব দেশে রাউন্ডিং বেস 10 ছাড়া অন্য কিছুতে করা হয়। উদাহরণস্বরূপ, 0.05 রাখুন যদি রাউন্ডিং 0.05 ধাপে করা হয়) +UnitPriceOfProduct=একটি পণ্যের নিট একক মূল্য +TotalPriceAfterRounding=রাউন্ডিংয়ের পরে মোট মূল্য (ভ্যাট/ভ্যাট সহ ট্যাক্স) +ParameterActiveForNextInputOnly=পরামিতি শুধুমাত্র পরবর্তী ইনপুট জন্য কার্যকর +NoEventOrNoAuditSetup=কোন নিরাপত্তা ইভেন্ট লগ করা হয়েছে. এটি স্বাভাবিক যদি "সেটআপ - নিরাপত্তা - ইভেন্ট" পৃষ্ঠায় অডিট সক্রিয় করা না থাকে। +NoEventFoundWithCriteria=এই অনুসন্ধানের মানদণ্ডের জন্য কোনও নিরাপত্তা ইভেন্ট পাওয়া যায়নি। +SeeLocalSendMailSetup=আপনার স্থানীয় সেন্ডমেইল সেটআপ দেখুন +BackupDesc=একটি Dolibarr ইনস্টলেশনের একটি সম্পূর্ণ ব্যাকআপের জন্য দুটি ধাপ প্রয়োজন৷ +BackupDesc2="নথিপত্র" ডিরেক্টরির বিষয়বস্তু ব্যাকআপ করুন (%s) আপলোড করা এবং জেনারেট করা সমস্ত ফাইল রয়েছে। এটি ধাপ 1-এ উত্পন্ন সমস্ত ডাম্প ফাইলও অন্তর্ভুক্ত করবে। এই অপারেশনটি কয়েক মিনিট স্থায়ী হতে পারে। +BackupDesc3=আপনার ডাটাবেসের গঠন এবং বিষয়বস্তু ব্যাকআপ করুন (%s) একটি ডাম্প ফাইল। এই জন্য, আপনি নিম্নলিখিত সহকারী ব্যবহার করতে পারেন. +BackupDescX=সংরক্ষণাগারভুক্ত ডিরেক্টরি একটি নিরাপদ স্থানে সংরক্ষণ করা উচিত। +BackupDescY=উত্পন্ন ডাম্প ফাইল একটি নিরাপদ জায়গায় সংরক্ষণ করা উচিত. +BackupPHPWarning=এই পদ্ধতিতে ব্যাকআপ নিশ্চিত করা যাবে না। পূর্ববর্তী একটি প্রস্তাবিত. +RestoreDesc=একটি Dolibarr ব্যাকআপ পুনরুদ্ধার করতে, দুটি পদক্ষেপ প্রয়োজন৷ +RestoreDesc2="নথিপত্র" ডিরেক্টরির ব্যাকআপ ফাইল (উদাহরণস্বরূপ জিপ ফাইল) একটি নতুন ডলিবার ইনস্টলেশনে বা এই বর্তমান নথির ডিরেক্টরিতে পুনরুদ্ধার করুন (%s )। +RestoreDesc3=একটি ব্যাকআপ ডাম্প ফাইল থেকে ডাটাবেস কাঠামো এবং ডেটা পুনরুদ্ধার করুন নতুন ডলিবার ইনস্টলেশনের ডাটাবেসে বা এই বর্তমান ইনস্টলেশনের ডাটাবেসে (%s )। সতর্কতা, একবার পুনরুদ্ধার সম্পূর্ণ হলে, আপনাকে অবশ্যই একটি লগইন/পাসওয়ার্ড ব্যবহার করতে হবে, যা ব্যাকআপের সময়/ইন্সটলেশন থেকে বিদ্যমান ছিল আবার সংযোগ করতে।
      এই বর্তমান ইনস্টলেশনে একটি ব্যাকআপ ডাটাবেস পুনরুদ্ধার করতে , আপনি এই সহকারী অনুসরণ করতে পারেন. +RestoreMySQL=MySQL আমদানি +ForcedToByAModule=এই নিয়মটি একটি সক্রিয় মডিউল দ্বারা %s করতে বাধ্য করা হয়েছে +ValueIsForcedBySystem=এই মান সিস্টেম দ্বারা বাধ্য করা হয়. আপনি এটা পরিবর্তন করতে পারবেন না. +PreviousDumpFiles=বিদ্যমান ব্যাকআপ ফাইল +PreviousArchiveFiles=বিদ্যমান সংরক্ষণাগার ফাইল +WeekStartOnDay=সপ্তাহের প্রথম দিন +RunningUpdateProcessMayBeRequired=আপগ্রেড প্রক্রিয়া চালানো প্রয়োজন বলে মনে হচ্ছে (প্রোগ্রাম সংস্করণ %s ডেটাবেস সংস্করণ %s থেকে আলাদা) +YouMustRunCommandFromCommandLineAfterLoginToUser=ব্যবহারকারী %s এর সাথে একটি শেলে লগইন করার পরে আপনাকে কমান্ড লাইন থেকে এই কমান্ডটি চালাতে হবে অথবা আপনাকে %s পাসওয়ার্ড। +YourPHPDoesNotHaveSSLSupport=আপনার পিএইচপি-তে SSL ফাংশন উপলব্ধ নয় +DownloadMoreSkins=আরো স্কিন ডাউনলোড করতে +SimpleNumRefModelDesc=%s yymm-nnnn ফর্ম্যাটে রেফারেন্স নম্বর ফেরত দেয় যেখানে yy হল বছর, mm হল মাস এবং nnnn হল একটি ক্রমিক স্বয়ংক্রিয়-বৃদ্ধি সংখ্যা রিসেট ছাড়াই +SimpleRefNumRefModelDesc=n ফরম্যাটে রেফারেন্স নম্বর প্রদান করে যেখানে n হল একটি ক্রমিক স্বয়ংক্রিয়-বৃদ্ধি সংখ্যা রিসেট ছাড়াই +AdvancedNumRefModelDesc=%s yymm-nnnn ফর্ম্যাটে রেফারেন্স নম্বর ফেরত দেয় যেখানে yy হল বছর, mm হল মাস এবং nnnn হল একটি ক্রমিক স্বয়ংক্রিয়-বৃদ্ধি সংখ্যা রিসেট ছাড়াই +SimpleNumRefNoDateModelDesc=%s-এনএনএনএন বিন্যাসে রেফারেন্স নম্বরটি ফেরত দেয় যেখানে nnnn কোন রিসেট ছাড়াই একটি ক্রমিক স্বয়ংক্রিয়-বর্ধিত সংখ্যা +ShowProfIdInAddress=ঠিকানা সহ পেশাদার আইডি দেখান +ShowVATIntaInAddress=আন্তঃ-সম্প্রদায় ভ্যাট নম্বর লুকান +TranslationUncomplete=আংশিক অনুবাদ +MAIN_DISABLE_METEO=আবহাওয়ার থাম্ব অক্ষম করুন +MeteoStdMod=আদর্শ অবস্থা +MeteoStdModEnabled=স্ট্যান্ডার্ড মোড সক্ষম +MeteoPercentageMod=শতাংশ মোড +MeteoPercentageModEnabled=শতাংশ মোড সক্ষম +MeteoUseMod=%s ব্যবহার করতে ক্লিক করুন +TestLoginToAPI=API এ লগইন পরীক্ষা করুন +ProxyDesc=Dolibarr এর কিছু বৈশিষ্ট্য ইন্টারনেট অ্যাক্সেস প্রয়োজন. প্রয়োজনে প্রক্সি সার্ভারের মাধ্যমে অ্যাক্সেসের মতো ইন্টারনেট সংযোগের পরামিতি এখানে সংজ্ঞায়িত করুন। +ExternalAccess=বাহ্যিক/ইন্টারনেট অ্যাক্সেস +MAIN_PROXY_USE=একটি প্রক্সি সার্ভার ব্যবহার করুন (অন্যথায় অ্যাক্সেস সরাসরি ইন্টারনেটে) +MAIN_PROXY_HOST=প্রক্সি সার্ভার: নাম/ঠিকানা +MAIN_PROXY_PORT=প্রক্সি সার্ভার: পোর্ট +MAIN_PROXY_USER=প্রক্সি সার্ভার: লগইন/ব্যবহারকারী +MAIN_PROXY_PASS=প্রক্সি সার্ভার: পাসওয়ার্ড +DefineHereComplementaryAttributes=যেকোন অতিরিক্ত / কাস্টম বৈশিষ্ট্যগুলিকে সংজ্ঞায়িত করুন যা যোগ করতে হবে: %s +ExtraFields=পরিপূরক গুণাবলী +ExtraFieldsLines=পরিপূরক বৈশিষ্ট্য (লাইন) +ExtraFieldsLinesRec=পরিপূরক বৈশিষ্ট্য (টেমপ্লেট চালান লাইন) +ExtraFieldsSupplierOrdersLines=পরিপূরক বৈশিষ্ট্য (অর্ডার লাইন) +ExtraFieldsSupplierInvoicesLines=পরিপূরক বৈশিষ্ট্য (চালান লাইন) +ExtraFieldsThirdParties=পরিপূরক বৈশিষ্ট্য (তৃতীয় পক্ষ) +ExtraFieldsContacts=পরিপূরক বৈশিষ্ট্য (পরিচিতি/ঠিকানা) +ExtraFieldsMember=পরিপূরক বৈশিষ্ট্য (সদস্য) +ExtraFieldsMemberType=পরিপূরক বৈশিষ্ট্য (সদস্য প্রকার) +ExtraFieldsCustomerInvoices=পরিপূরক বৈশিষ্ট্য (চালান) +ExtraFieldsCustomerInvoicesRec=পরিপূরক বৈশিষ্ট্য (টেমপ্লেট চালান) +ExtraFieldsSupplierOrders=পরিপূরক বৈশিষ্ট্য (অর্ডার) +ExtraFieldsSupplierInvoices=পরিপূরক বৈশিষ্ট্য (চালান) +ExtraFieldsProject=পরিপূরক বৈশিষ্ট্য (প্রকল্প) +ExtraFieldsProjectTask=পরিপূরক বৈশিষ্ট্য (কাজ) +ExtraFieldsSalaries=পরিপূরক বৈশিষ্ট্য (বেতন) +ExtraFieldHasWrongValue=অ্যাট্রিবিউট %s এর একটি ভুল মান আছে। +AlphaNumOnlyLowerCharsAndNoSpace=স্থান ছাড়া শুধুমাত্র আলফানিউমেরিক্যাল এবং ছোট হাতের অক্ষর +SendmailOptionNotComplete=সতর্কতা, কিছু লিনাক্স সিস্টেমে, আপনার ইমেল থেকে ইমেল পাঠাতে, সেন্ডমেইল এক্সিকিউশন সেটআপে অবশ্যই -ba (আপনার php.ini ফাইলে প্যারামিটার mail.force_extra_parameters) বিকল্প থাকতে হবে। যদি কিছু প্রাপক কখনই ইমেল না পায়, তাহলে এই PHP প্যারামিটারটি mail.force_extra_parameters = -ba দিয়ে সম্পাদনা করার চেষ্টা করুন। +PathToDocuments=নথির পথ +PathDirectory=ডিরেক্টরি +SendmailOptionMayHurtBuggedMTA="PHP মেল ডাইরেক্ট" পদ্ধতি ব্যবহার করে মেল পাঠানোর বৈশিষ্ট্য একটি মেল বার্তা তৈরি করবে যা কিছু প্রাপ্ত মেইল সার্ভার দ্বারা সঠিকভাবে পার্স করা নাও হতে পারে। ফলাফল হল যে কিছু মেল সেই বাগড প্ল্যাটফর্মগুলির দ্বারা হোস্ট করা লোকেরা পড়তে পারে না৷ এটি কিছু ইন্টারনেট প্রদানকারীর ক্ষেত্রে (যেমন: ফ্রান্সে অরেঞ্জ)। এটি Dolibarr বা PHP এর সাথে সমস্যা নয় কিন্তু রিসিভিং মেল সার্ভারের সাথে। তবে আপনি সেটআপে MAIN_FIX_FOR_BUGGED_MTA একটি বিকল্প যোগ করতে পারেন - এটি এড়াতে Dolibarr সংশোধন করতে অন্য। যাইহোক, আপনি অন্যান্য সার্ভারের সাথে সমস্যা অনুভব করতে পারেন যেগুলি কঠোরভাবে SMTP মান ব্যবহার করে। অন্য সমাধান (প্রস্তাবিত) হল "SMTP সকেট লাইব্রেরি" পদ্ধতিটি ব্যবহার করা যার কোন অসুবিধা নেই। +TranslationSetup=অনুবাদের সেটআপ +TranslationKeySearch=একটি অনুবাদ কী বা স্ট্রিং অনুসন্ধান করুন +TranslationOverwriteKey=একটি অনুবাদ স্ট্রিং ওভাররাইট করুন +TranslationDesc=ডিসপ্লে ভাষা কিভাবে সেট করবেন:
      * ডিফল্ট/সিস্টেমওয়াইড: মেনু হোম -> সেটআপ -> ডিসপ্লে
      * প্রতি ব্যবহারকারী: স্ক্রিনের শীর্ষে থাকা ব্যবহারকারীর নামটিতে ক্লিক করুন এবং span>ইউজার কার্ডে ইউজার ডিসপ্লে সেটআপ ট্যাব। +TranslationOverwriteDesc=আপনি নিম্নলিখিত সারণী পূরণ করে স্ট্রিং ওভাররাইড করতে পারেন। "%s" ড্রপডাউন থেকে আপনার ভাষা চয়ন করুন, "%s"-এ অনুবাদ কী স্ট্রিং ঢোকান এবং "%s" +TranslationOverwriteDesc2=কোন অনুবাদ কী ব্যবহার করতে হবে তা জানার জন্য আপনি অন্য ট্যাবটি ব্যবহার করতে পারেন +TranslationString=অনুবাদ স্ট্রিং +CurrentTranslationString=বর্তমান অনুবাদ স্ট্রিং +WarningAtLeastKeyOrTranslationRequired=অন্তত কী বা অনুবাদ স্ট্রিংয়ের জন্য একটি অনুসন্ধানের মানদণ্ড প্রয়োজন৷ +NewTranslationStringToShow=দেখানোর জন্য নতুন অনুবাদ স্ট্রিং +OriginalValueWas=মূল অনুবাদটি ওভাররাইট করা হয়েছে। আসল মান ছিল:

      %s +TransKeyWithoutOriginalValue=আপনি '%s' অনুবাদ কীটির জন্য একটি নতুন অনুবাদ বাধ্য করেছেন যা কোনো ভাষার ফাইলে বিদ্যমান নেই +TitleNumberOfActivatedModules=সক্রিয় মডিউল +TotalNumberOfActivatedModules=সক্রিয় মডিউল: %s / %s +YouMustEnableOneModule=আপনাকে কমপক্ষে 1টি মডিউল সক্ষম করতে হবে +YouMustEnableTranslationOverwriteBefore=একটি অনুবাদ প্রতিস্থাপন করার জন্য আপনাকে প্রথমে অনুবাদ ওভাররাইটিং সক্ষম করতে হবে৷ +ClassNotFoundIntoPathWarning=ক্লাস %s PHP পাথে পাওয়া যায়নি +YesInSummer=হ্যাঁ গ্রীষ্মে +OnlyFollowingModulesAreOpenedToExternalUsers=দ্রষ্টব্য, শুধুমাত্র নিম্নলিখিত মডিউলগুলি বহিরাগত ব্যবহারকারীদের জন্য উপলব্ধ (এই ধরনের ব্যবহারকারীদের অনুমতি নির্বিশেষে) এবং শুধুমাত্র যদি অনুমতি দেওয়া হয়:
      +SuhosinSessionEncrypt=সেশন স্টোরেজ সুহোসিন দ্বারা এনক্রিপ্ট করা হয়েছে +ConditionIsCurrently=অবস্থা বর্তমানে %s +YouUseBestDriver=আপনি ড্রাইভার ব্যবহার করেন %s যা বর্তমানে উপলব্ধ সেরা ড্রাইভার। +YouDoNotUseBestDriver=আপনি ড্রাইভার %s ব্যবহার করুন কিন্তু ড্রাইভার %s সুপারিশ করা হয়। +NbOfObjectIsLowerThanNoPb=আপনার ডাটাবেসে শুধুমাত্র %s %s আছে। এর জন্য কোনো বিশেষ অপ্টিমাইজেশনের প্রয়োজন নেই। +ComboListOptim=কম্বো তালিকা লোডিং অপ্টিমাইজেশান +SearchOptim=অনুসন্ধান অপ্টিমাইজেশান +YouHaveXObjectUseComboOptim=আপনার ডাটাবেসে %s %s আছে। কী চাপা ইভেন্টে কম্বো তালিকা লোড করা সক্ষম করতে আপনি মডিউলের সেটআপে যেতে পারেন। +YouHaveXObjectUseSearchOptim=আপনার ডাটাবেসে %s %s আছে। আপনি হোম-সেটআপ-অন্যান্যে 1-এ ধ্রুবক %s যোগ করতে পারেন। +YouHaveXObjectUseSearchOptimDesc=এটি স্ট্রিংগুলির শুরুতে অনুসন্ধানকে সীমাবদ্ধ করে যা ডাটাবেসের জন্য সূচীগুলি ব্যবহার করা সম্ভব করে এবং আপনার তাত্ক্ষণিক প্রতিক্রিয়া পাওয়া উচিত। +YouHaveXObjectAndSearchOptimOn=আপনার ডেটাবেসে %s %s আছে এবং ধ্রুবক %s সেট করা আছে %s হোম-সেটআপ-অন্যান্যে। +BrowserIsOK=আপনি %s ওয়েব ব্রাউজার ব্যবহার করছেন৷ এই ব্রাউজার নিরাপত্তা এবং কর্মক্ষমতা জন্য ঠিক আছে. +BrowserIsKO=আপনি %s ওয়েব ব্রাউজার ব্যবহার করছেন৷ এই ব্রাউজারটি নিরাপত্তা, কর্মক্ষমতা এবং নির্ভরযোগ্যতার জন্য একটি খারাপ পছন্দ হিসাবে পরিচিত। আমরা ফায়ারফক্স, ক্রোম, অপেরা বা সাফারি ব্যবহার করার পরামর্শ দিই। +PHPModuleLoaded=PHP উপাদান %s লোড হয়েছে +PreloadOPCode=প্রিলোডেড ওপিকোড ব্যবহার করা হয় +AddRefInList=গ্রাহক/বিক্রেতা রেফ প্রদর্শন করুন। কম্বো তালিকায়৷
      তৃতীয় পক্ষগুলি "CC12345 - SC45678 - The Big Company corp" এর নামের বিন্যাস সহ উপস্থিত হবে৷ "The Big Company corp" এর পরিবর্তে। +AddVatInList=কম্বো তালিকায় গ্রাহক/বিক্রেতার ভ্যাট নম্বর প্রদর্শন করুন। +AddAdressInList=কম্বো তালিকায় গ্রাহক/বিক্রেতার ঠিকানা প্রদর্শন করুন৷
      তৃতীয় পক্ষগুলি "The Big Company corp. - 21 jump street 123456 Big town - USA" এর নামের বিন্যাস সহ প্রদর্শিত হবে৷ বিগ কোম্পানি কর্পোরেশন"। +AddEmailPhoneTownInContactList=পরিচিতি ইমেল (অথবা সংজ্ঞায়িত না থাকলে ফোন) এবং শহরের তথ্য তালিকা (তালিকা বা কম্বোবক্স নির্বাচন করুন) প্রদর্শন করুন
      পরিচিতিগুলি "ডুপন্ড ডুরান্ড - dupond.durand@example নামের ফর্ম্যাট সহ প্রদর্শিত হবে .com - প্যারিস" বা "Dupond Durand - 06 07 59 65 66 - Paris" এর পরিবর্তে "Dupond Durand"। +AskForPreferredShippingMethod=তৃতীয় পক্ষের জন্য পছন্দের শিপিং পদ্ধতির জন্য জিজ্ঞাসা করুন। +FieldEdition=ক্ষেত্রের সংস্করণ %s +FillThisOnlyIfRequired=উদাহরণ: +2 (শুধুমাত্র টাইমজোন অফসেট সমস্যার সম্মুখীন হলেই পূরণ করুন) +GetBarCode=বারকোড পান +NumberingModules=নম্বরিং মডেল +DocumentModules=নথির মডেল ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters in lowercase. -PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. -PasswordGenerationPerso=Return a password according to your personally defined configuration. -SetupPerso=According to your configuration -PasswordPatternDesc=Password pattern description +PasswordGenerationStandard=অভ্যন্তরীণ Dolibarr অ্যালগরিদম অনুযায়ী তৈরি করা একটি পাসওয়ার্ড ফেরত দিন: %s শেয়ার করা সংখ্যা এবং অক্ষর সমন্বিত অক্ষর। +PasswordGenerationNone=জেনারেট করা পাসওয়ার্ড সাজেস্ট করবেন না। পাসওয়ার্ড ম্যানুয়ালি টাইপ করতে হবে। +PasswordGenerationPerso=আপনার ব্যক্তিগতভাবে সংজ্ঞায়িত কনফিগারেশন অনুযায়ী একটি পাসওয়ার্ড ফেরত দিন। +SetupPerso=আপনার কনফিগারেশন অনুযায়ী +PasswordPatternDesc=পাসওয়ার্ড প্যাটার্ন বিবরণ ##### Users setup ##### -RuleForGeneratedPasswords=Rules to generate and validate passwords -DisableForgetPasswordLinkOnLogonPage=Do not show the "Password Forgotten" link on the Login page -UsersSetup=Users module setup -UserMailRequired=Email required to create a new user -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) -UsersDocModules=Document templates for documents generated from user record -GroupsDocModules=Document templates for documents generated from a group record +RuleForGeneratedPasswords=পাসওয়ার্ড তৈরি এবং যাচাই করার নিয়ম +DisableForgetPasswordLinkOnLogonPage=লগইন পৃষ্ঠায় "পাসওয়ার্ড ভুলে গেছে" লিঙ্কটি দেখাবেন না +UsersSetup=ব্যবহারকারীদের মডিউল সেটআপ +UserMailRequired=একটি নতুন ব্যবহারকারী তৈরি করতে ইমেল প্রয়োজন +UserHideInactive=ব্যবহারকারীদের সমস্ত কম্বো তালিকা থেকে নিষ্ক্রিয় ব্যবহারকারীদের লুকান (প্রস্তাবিত নয়: এর অর্থ আপনি কিছু পৃষ্ঠায় পুরানো ব্যবহারকারীদের ফিল্টার বা অনুসন্ধান করতে পারবেন না) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) +UsersDocModules=ব্যবহারকারীর রেকর্ড থেকে তৈরি নথিগুলির জন্য নথির টেমপ্লেট৷ +GroupsDocModules=একটি গোষ্ঠী রেকর্ড থেকে উত্পন্ন নথিগুলির জন্য নথির টেমপ্লেট৷ ##### HRM setup ##### -HRMSetup=HRM module setup +HRMSetup=এইচআরএম মডিউল সেটআপ ##### Company setup ##### -CompanySetup=Companies module setup -CompanyCodeChecker=Options for automatic generation of customer/vendor codes -AccountCodeManager=Options for automatic generation of customer/vendor accounting codes -NotificationsDesc=Email notifications can be sent automatically for some Dolibarr events.
      Recipients of notifications can be defined: -NotificationsDescUser=* per user, one user at a time. -NotificationsDescContact=* per third-party contacts (customers or vendors), one contact at a time. -NotificationsDescGlobal=* or by setting global email addresses in the setup page of the module. -ModelModules=Document Templates -DocumentModelOdt=Generate documents from OpenDocument templates (.ODT / .ODS files from LibreOffice, OpenOffice, KOffice, TextEdit,...) -WatermarkOnDraft=Watermark on draft document -JSOnPaimentBill=Activate feature to autofill payment lines on payment form -CompanyIdProfChecker=Rules for Professional IDs -MustBeUnique=Must be unique? -MustBeMandatory=Mandatory to create third parties (if VAT number or type of company defined) ? -MustBeInvoiceMandatory=Mandatory to validate invoices? -TechnicalServicesProvided=Technical services provided -#####DAV ##### -WebDAVSetupDesc=This is the link to access the WebDAV directory. It contains a "public" dir open to any user knowing the URL (if public directory access allowed) and a "private" directory that needs an existing login account/password for access. -WebDavServer=Root URL of %s server: %s -##### Webcal setup ##### -WebCalUrlForVCalExport=An export link to %s format is available at following link: %s +CompanySetup=কোম্পানি মডিউল সেটআপ +CompanyCodeChecker=গ্রাহক/বিক্রেতা কোডের স্বয়ংক্রিয় প্রজন্মের জন্য বিকল্প +AccountCodeManager=গ্রাহক/বিক্রেতা অ্যাকাউন্টিং কোডের স্বয়ংক্রিয় প্রজন্মের জন্য বিকল্প +NotificationsDesc=কিছু Dolibarr ইভেন্টের জন্য ইমেল বিজ্ঞপ্তিগুলি স্বয়ংক্রিয়ভাবে পাঠানো যেতে পারে৷
      বিজ্ঞপ্তিগুলির প্রাপকদের সংজ্ঞায়িত করা যেতে পারে: +NotificationsDescUser=* প্রতি ব্যবহারকারী, একবারে একজন ব্যবহারকারী। +NotificationsDescContact=* প্রতি তৃতীয় পক্ষের পরিচিতি (গ্রাহক বা বিক্রেতা), একবারে একটি পরিচিতি। +NotificationsDescGlobal=* অথবা মডিউলের সেটআপ পৃষ্ঠায় বিশ্বব্যাপী ইমেল ঠিকানা সেট করে। +ModelModules=নথি টেমপ্লেট +DocumentModelOdt=OpenDocument টেমপ্লেট (.ODT/.ODS ফাইল LibreOffice, OpenOffice, KOffice, TextEdit,...) থেকে নথি তৈরি করুন +WatermarkOnDraft=খসড়া নথিতে জলছাপ +JSOnPaimentBill=পেমেন্ট ফর্মে পেমেন্ট লাইন অটোফিল করতে বৈশিষ্ট্য সক্রিয় করুন +CompanyIdProfChecker=প্রফেশনাল আইডির নিয়ম +MustBeUnique=অবশ্যই অনন্য হবে? +MustBeMandatory=তৃতীয় পক্ষ তৈরি করা বাধ্যতামূলক (যদি ভ্যাট নম্বর বা কোম্পানির ধরন সংজ্ঞায়িত করা হয়)? +MustBeInvoiceMandatory=চালান যাচাই করা বাধ্যতামূলক? +TechnicalServicesProvided=প্রযুক্তিগত সেবা প্রদান করা হয় +##### WebDAV ##### +WebDAVSetupDesc=এটি WebDAV ডিরেক্টরি অ্যাক্সেস করার লিঙ্ক। এটিতে একটি "পাবলিক" ডাইর রয়েছে যা ইউআরএল (যদি সর্বজনীন ডিরেক্টরি অ্যাক্সেস অনুমোদিত হয়) জানা ব্যবহারকারীর জন্য খোলা থাকে এবং একটি "ব্যক্তিগত" ডিরেক্টরি রয়েছে যার অ্যাক্সেসের জন্য একটি বিদ্যমান লগইন অ্যাকাউন্ট/পাসওয়ার্ড প্রয়োজন। +WebDavServer=%s সার্ভারের রুট URL: %s +##### WebCAL setup ##### +WebCalUrlForVCalExport=%s ফর্ম্যাটে একটি রপ্তানি লিঙ্ক নিম্নলিখিত লিঙ্কে উপলব্ধ: %s ##### Invoices ##### -BillsSetup=Invoices module setup -BillsNumberingModule=Invoices and credit notes numbering model -BillsPDFModules=Invoice documents models -BillsPDFModulesAccordindToInvoiceType=Invoice documents models according to invoice type -PaymentsPDFModules=Payment documents models -ForceInvoiceDate=Force invoice date to validation date -SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined on the invoice -SuggestPaymentByRIBOnAccount=Suggest payment by withdrawal on account -SuggestPaymentByChequeToAddress=Suggest payment by check to -FreeLegalTextOnInvoices=Free text on invoices -WatermarkOnDraftInvoices=Watermark on draft invoices (none if empty) -PaymentsNumberingModule=Payments numbering model -SuppliersPayment=Vendor payments -SupplierPaymentSetup=Vendor payments setup +BillsSetup=চালান মডিউল সেটআপ +BillsNumberingModule=চালান এবং ক্রেডিট নোট নম্বরিং মডেল +BillsPDFModules=চালান নথি মডেল +BillsPDFModulesAccordindToInvoiceType=চালানের ধরন অনুযায়ী চালান নথির মডেল +PaymentsPDFModules=পেমেন্ট নথি মডেল +ForceInvoiceDate=বৈধকরণ তারিখে চালান তারিখ জোর করে +SuggestedPaymentModesIfNotDefinedInInvoice=ইনভয়েসে সংজ্ঞায়িত না থাকলে ডিফল্টরূপে ইনভয়েসে প্রস্তাবিত পেমেন্ট মোড +SuggestPaymentByRIBOnAccount=অ্যাকাউন্টে প্রত্যাহার করে অর্থ প্রদানের পরামর্শ দিন +SuggestPaymentByChequeToAddress=চেকের মাধ্যমে অর্থ প্রদানের পরামর্শ দিন +FreeLegalTextOnInvoices=চালান বিনামূল্যে পাঠ্য +WatermarkOnDraftInvoices=খসড়া চালানে ওয়াটারমার্ক (খালি না থাকলে কিছুই নয়) +PaymentsNumberingModule=পেমেন্ট নম্বরিং মডেল +SuppliersPayment=বিক্রেতা পেমেন্ট +SupplierPaymentSetup=বিক্রেতা পেমেন্ট সেটআপ +InvoiceCheckPosteriorDate=যাচাইকরণের আগে ফ্যাক্টর তারিখ পরীক্ষা করুন +InvoiceCheckPosteriorDateHelp=একটি চালান যাচাই করা নিষিদ্ধ হবে যদি এর তারিখটি একই ধরণের শেষ চালানের তারিখের আগে হয়। +InvoiceOptionCategoryOfOperations=ইনভয়েসে উল্লেখ "অপারেশনের বিভাগ" প্রদর্শন করুন। +InvoiceOptionCategoryOfOperationsHelp=পরিস্থিতির উপর নির্ভর করে, উল্লেখটি ফর্মে উপস্থিত হবে:
      - ক্রিয়াকলাপের বিভাগ: পণ্য সরবরাহ
      - এর বিভাগ ক্রিয়াকলাপ: পরিষেবার বিধান
      - অপারেশনের বিভাগ: মিশ্র - পণ্য সরবরাহ এবং পরিষেবার বিধান +InvoiceOptionCategoryOfOperationsYes1=হ্যাঁ, ঠিকানা ব্লকের নীচে +InvoiceOptionCategoryOfOperationsYes2=হ্যাঁ, নীচের বাম-হাতের কোণে ##### Proposals ##### -PropalSetup=Commercial proposals module setup -ProposalsNumberingModules=Commercial proposal numbering models -ProposalsPDFModules=Commercial proposal documents models -SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined on the proposal -FreeLegalTextOnProposal=Free text on commercial proposals -WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty) -BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal +PropalSetup=বাণিজ্যিক প্রস্তাব মডিউল সেটআপ +ProposalsNumberingModules=বাণিজ্যিক প্রস্তাব নম্বরিং মডেল +ProposalsPDFModules=বাণিজ্যিক প্রস্তাব নথি মডেল +SuggestedPaymentModesIfNotDefinedInProposal=প্রস্তাবে সংজ্ঞায়িত না থাকলে ডিফল্টভাবে প্রস্তাবে প্রস্তাবিত অর্থপ্রদানের মোড +FreeLegalTextOnProposal=বাণিজ্যিক প্রস্তাব বিনামূল্যে পাঠ্য +WatermarkOnDraftProposal=খসড়া বাণিজ্যিক প্রস্তাবে জলছাপ (খালি না থাকলে কিছুই নয়) +BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=প্রস্তাবের ব্যাঙ্ক অ্যাকাউন্টের গন্তব্যের জন্য জিজ্ঞাসা করুন ##### SupplierProposal ##### -SupplierProposalSetup=Price requests suppliers module setup -SupplierProposalNumberingModules=Price requests suppliers numbering models -SupplierProposalPDFModules=Price requests suppliers documents models -FreeLegalTextOnSupplierProposal=Free text on price requests suppliers -WatermarkOnDraftSupplierProposal=Watermark on draft price requests suppliers (none if empty) -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Ask for bank account destination of price request -WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Ask for Warehouse Source for order +SupplierProposalSetup=দাম অনুরোধ সরবরাহকারী মডিউল সেটআপ +SupplierProposalNumberingModules=দাম অনুরোধ সরবরাহকারীদের নম্বরিং মডেল +SupplierProposalPDFModules=দাম অনুরোধ সরবরাহকারী নথি মডেল +FreeLegalTextOnSupplierProposal=মূল্য অনুরোধ সরবরাহকারী বিনামূল্যে পাঠ্য +WatermarkOnDraftSupplierProposal=খসড়া মূল্যের অনুরোধে সরবরাহকারীদের জলছাপ (খালি না থাকলে কেউ) +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=মূল্য অনুরোধের ব্যাঙ্ক অ্যাকাউন্টের গন্তব্যের জন্য জিজ্ঞাসা করুন +WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=অর্ডারের জন্য গুদাম উৎসের জন্য জিজ্ঞাসা করুন ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=ক্রয় অর্ডারের ব্যাঙ্ক অ্যাকাউন্টের গন্তব্যের জন্য জিজ্ঞাসা করুন ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sales order by default if not defined on the order -OrdersSetup=Sales Orders management setup -OrdersNumberingModules=Orders numbering models -OrdersModelModule=Order documents models -FreeLegalTextOnOrders=Free text on orders -WatermarkOnDraftOrders=Watermark on draft orders (none if empty) -ShippableOrderIconInList=Add an icon in Orders list which indicate if order is shippable -BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ask for bank account destination of order +SuggestedPaymentModesIfNotDefinedInOrder=অর্ডারে সংজ্ঞায়িত না থাকলে ডিফল্টরূপে বিক্রয় অর্ডারে প্রস্তাবিত অর্থপ্রদানের মোড +OrdersSetup=বিক্রয় আদেশ ব্যবস্থাপনা সেটআপ +OrdersNumberingModules=অর্ডার নম্বরিং মডেল +OrdersModelModule=নথির মডেল অর্ডার করুন +FreeLegalTextOnOrders=অর্ডারে বিনামূল্যে পাঠ্য +WatermarkOnDraftOrders=ড্রাফ্ট অর্ডারে ওয়াটারমার্ক (খালি থাকলে কিছুই নেই) +ShippableOrderIconInList=অর্ডার তালিকায় একটি আইকন যোগ করুন যা নির্দেশ করে যে অর্ডার পাঠানো যায় কিনা +BANK_ASK_PAYMENT_BANK_DURING_ORDER=অর্ডারের ব্যাঙ্ক অ্যাকাউন্টের গন্তব্যের জন্য জিজ্ঞাসা করুন ##### Interventions ##### -InterventionsSetup=Interventions module setup -FreeLegalTextOnInterventions=Free text on intervention documents -FicheinterNumberingModules=Intervention numbering models -TemplatePDFInterventions=Intervention card documents models -WatermarkOnDraftInterventionCards=Watermark on intervention card documents (none if empty) +InterventionsSetup=হস্তক্ষেপ মডিউল সেটআপ +FreeLegalTextOnInterventions=হস্তক্ষেপ নথি বিনামূল্যে পাঠ্য +FicheinterNumberingModules=হস্তক্ষেপ নম্বরিং মডেল +TemplatePDFInterventions=হস্তক্ষেপ কার্ড নথি মডেল +WatermarkOnDraftInterventionCards=ইন্টারভেনশন কার্ড ডকুমেন্টে ওয়াটারমার্ক (খালি না থাকলে কিছুই নয়) ##### Contracts ##### -ContractsSetup=Contracts/Subscriptions module setup -ContractsNumberingModules=Contracts numbering modules -TemplatePDFContracts=Contracts documents models -FreeLegalTextOnContracts=Free text on contracts -WatermarkOnDraftContractCards=Watermark on draft contracts (none if empty) +ContractsSetup=চুক্তি/সাবস্ক্রিপশন মডিউল সেটআপ +ContractsNumberingModules=চুক্তি সংখ্যায়ন মডিউল +TemplatePDFContracts=চুক্তি নথি মডেল +FreeLegalTextOnContracts=চুক্তিতে বিনামূল্যে পাঠ্য +WatermarkOnDraftContractCards=খসড়া চুক্তিতে ওয়াটারমার্ক (খালি না থাকলে কিছুই নয়) ##### Members ##### -MembersSetup=Members module setup -MemberMainOptions=Main options -AdherentLoginRequired= Manage a Login for each member -AdherentMailRequired=Email required to create a new member -MemberSendInformationByMailByDefault=Checkbox to send mail confirmation to members (validation or new subscription) is on by default -MemberCreateAnExternalUserForSubscriptionValidated=Create an external user login for each new member subscription validated -VisitorCanChooseItsPaymentMode=Visitor can choose from available payment modes -MEMBER_REMINDER_EMAIL=Enable automatic reminder by email of expired subscriptions. Note: Module %s must be enabled and correctly setup to send reminders. -MembersDocModules=Document templates for documents generated from member record +MembersSetup=সদস্য মডিউল সেটআপ +MemberMainOptions=প্রধান বিকল্প +MemberCodeChecker=সদস্য কোড স্বয়ংক্রিয় প্রজন্মের জন্য বিকল্প +AdherentLoginRequired=প্রতিটি সদস্যের জন্য একটি লগইন/পাসওয়ার্ড পরিচালনা করুন +AdherentLoginRequiredDesc=সদস্য ফাইলে লগইন এবং পাসওয়ার্ডের জন্য একটি মান যোগ করুন। সদস্য যদি কোনো ব্যবহারকারীর সাথে সংযুক্ত থাকে, সদস্য লগইন এবং পাসওয়ার্ড আপডেট করলে ব্যবহারকারীর লগইন এবং পাসওয়ার্ডও আপডেট হবে। +AdherentMailRequired=একটি নতুন সদস্য তৈরি করতে ইমেল প্রয়োজন +MemberSendInformationByMailByDefault=সদস্যদের মেইল নিশ্চিতকরণ পাঠাতে চেকবক্স (বৈধকরণ বা নতুন সদস্যতা) ডিফল্টরূপে চালু আছে +MemberCreateAnExternalUserForSubscriptionValidated=বৈধ হওয়া প্রতিটি নতুন সদস্য সদস্যতার জন্য একটি বহিরাগত ব্যবহারকারী লগইন তৈরি করুন +VisitorCanChooseItsPaymentMode=দর্শক যেকোন উপলব্ধ পেমেন্ট মোড থেকে বেছে নিতে পারেন +MEMBER_REMINDER_EMAIL=মেয়াদ উত্তীর্ণ সাবস্ক্রিপশনের স্বয়ংক্রিয় অনুস্মারক ইমেল দ্বারা সক্ষম করুন৷ দ্রষ্টব্য: মডিউল %s সক্ষম করতে হবে এবং সঠিকভাবে পাঠাতে হবে অনুস্মারক +MembersDocModules=সদস্য রেকর্ড থেকে উত্পন্ন নথির জন্য নথি টেমপ্লেট ##### LDAP setup ##### -LDAPSetup=LDAP Setup -LDAPGlobalParameters=Global parameters -LDAPUsersSynchro=Users -LDAPGroupsSynchro=Groups -LDAPContactsSynchro=Contacts -LDAPMembersSynchro=Members -LDAPMembersTypesSynchro=Members types -LDAPSynchronization=LDAP synchronisation -LDAPFunctionsNotAvailableOnPHP=LDAP functions are not available on your PHP +LDAPSetup=LDAP সেটআপ +LDAPGlobalParameters=গ্লোবাল প্যারামিটার +LDAPUsersSynchro=ব্যবহারকারীদের +LDAPGroupsSynchro=গোষ্ঠী +LDAPContactsSynchro=পরিচিতি +LDAPMembersSynchro=সদস্যরা +LDAPMembersTypesSynchro=সদস্যদের প্রকার +LDAPSynchronization=LDAP সিঙ্ক্রোনাইজেশন +LDAPFunctionsNotAvailableOnPHP=LDAP ফাংশন আপনার PHP এ উপলব্ধ নেই LDAPToDolibarr=LDAP -> Dolibarr -DolibarrToLDAP=Dolibarr -> LDAP -LDAPNamingAttribute=Key in LDAP -LDAPSynchronizeUsers=Organization of users in LDAP -LDAPSynchronizeGroups=Organization of groups in LDAP -LDAPSynchronizeContacts=Organization of contacts in LDAP -LDAPSynchronizeMembers=Organization of foundation's members in LDAP -LDAPSynchronizeMembersTypes=Organization of foundation's members types in LDAP -LDAPPrimaryServer=Primary server -LDAPSecondaryServer=Secondary server -LDAPServerPort=Server port -LDAPServerPortExample=Standard or StartTLS: 389, LDAPs: 636 -LDAPServerProtocolVersion=Protocol version -LDAPServerUseTLS=Use TLS -LDAPServerUseTLSExample=Your LDAP server use StartTLS -LDAPServerDn=Server DN -LDAPAdminDn=Administrator DN -LDAPAdminDnExample=Complete DN (ex: cn=admin,dc=example,dc=com or cn=Administrator,cn=Users,dc=example,dc=com for active directory) -LDAPPassword=Administrator password -LDAPUserDn=Users' DN -LDAPUserDnExample=Complete DN (ex: ou=users,dc=example,dc=com) -LDAPGroupDn=Groups' DN -LDAPGroupDnExample=Complete DN (ex: ou=groups,dc=example,dc=com) -LDAPServerExample=Server address (ex: localhost, 192.168.0.2, ldaps://ldap.example.com/) -LDAPServerDnExample=Complete DN (ex: dc=example,dc=com) -LDAPDnSynchroActive=Users and groups synchronization -LDAPDnSynchroActiveExample=LDAP to Dolibarr or Dolibarr to LDAP synchronization -LDAPDnContactActive=Contacts' synchronization -LDAPDnContactActiveExample=Activated/Unactivated synchronization -LDAPDnMemberActive=Members' synchronization -LDAPDnMemberActiveExample=Activated/Unactivated synchronization -LDAPDnMemberTypeActive=Members types' synchronization -LDAPDnMemberTypeActiveExample=Activated/Unactivated synchronization -LDAPContactDn=Dolibarr contacts' DN -LDAPContactDnExample=Complete DN (ex: ou=contacts,dc=example,dc=com) -LDAPMemberDn=Dolibarr members DN -LDAPMemberDnExample=Complete DN (ex: ou=members,dc=example,dc=com) -LDAPMemberObjectClassList=List of objectClass -LDAPMemberObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPMemberTypeDn=Dolibarr members types DN -LDAPMemberTypepDnExample=Complete DN (ex: ou=memberstypes,dc=example,dc=com) -LDAPMemberTypeObjectClassList=List of objectClass -LDAPMemberTypeObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames) -LDAPUserObjectClassList=List of objectClass -LDAPUserObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPGroupObjectClassList=List of objectClass -LDAPGroupObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames) -LDAPContactObjectClassList=List of objectClass -LDAPContactObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPTestConnect=Test LDAP connection -LDAPTestSynchroContact=Test contacts synchronization -LDAPTestSynchroUser=Test user synchronization -LDAPTestSynchroGroup=Test group synchronization -LDAPTestSynchroMember=Test member synchronization -LDAPTestSynchroMemberType=Test member type synchronization -LDAPTestSearch= Test a LDAP search -LDAPSynchroOK=Synchronization test successful -LDAPSynchroKO=Failed synchronization test -LDAPSynchroKOMayBePermissions=Failed synchronization test. Check that the connection to the server is correctly configured and allows LDAP updates -LDAPTCPConnectOK=TCP connect to LDAP server successful (Server=%s, Port=%s) -LDAPTCPConnectKO=TCP connect to LDAP server failed (Server=%s, Port=%s) -LDAPBindOK=Connect/Authenticate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s) -LDAPBindKO=Connect/Authenticate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=%s) -LDAPSetupForVersion3=LDAP server configured for version 3 -LDAPSetupForVersion2=LDAP server configured for version 2 -LDAPDolibarrMapping=Dolibarr Mapping -LDAPLdapMapping=LDAP Mapping -LDAPFieldLoginUnix=Login (unix) -LDAPFieldLoginExample=Example: uid -LDAPFilterConnection=Search filter -LDAPFilterConnectionExample=Example: &(objectClass=inetOrgPerson) -LDAPGroupFilterExample=Example: &(objectClass=groupOfUsers) -LDAPFieldLoginSamba=Login (samba, activedirectory) -LDAPFieldLoginSambaExample=Example: samaccountname -LDAPFieldFullname=Full name -LDAPFieldFullnameExample=Example: cn -LDAPFieldPasswordNotCrypted=Password not encrypted -LDAPFieldPasswordCrypted=Password encrypted -LDAPFieldPasswordExample=Example: userPassword -LDAPFieldCommonNameExample=Example: cn -LDAPFieldName=Name -LDAPFieldNameExample=Example: sn -LDAPFieldFirstName=First name -LDAPFieldFirstNameExample=Example: givenName -LDAPFieldMail=Email address -LDAPFieldMailExample=Example: mail -LDAPFieldPhone=Professional phone number -LDAPFieldPhoneExample=Example: telephonenumber -LDAPFieldHomePhone=Personal phone number -LDAPFieldHomePhoneExample=Example: homephone -LDAPFieldMobile=Cellular phone -LDAPFieldMobileExample=Example: mobile -LDAPFieldFax=Fax number -LDAPFieldFaxExample=Example: facsimiletelephonenumber -LDAPFieldAddress=Street -LDAPFieldAddressExample=Example: street -LDAPFieldZip=Zip -LDAPFieldZipExample=Example: postalcode -LDAPFieldTown=Town -LDAPFieldTownExample=Example: l -LDAPFieldCountry=Country -LDAPFieldDescription=Description -LDAPFieldDescriptionExample=Example: description -LDAPFieldNotePublic=Public Note -LDAPFieldNotePublicExample=Example: publicnote -LDAPFieldGroupMembers= Group members -LDAPFieldGroupMembersExample= Example: uniqueMember -LDAPFieldBirthdate=Birthdate -LDAPFieldCompany=Company -LDAPFieldCompanyExample=Example: o -LDAPFieldSid=SID -LDAPFieldSidExample=Example: objectsid -LDAPFieldEndLastSubscription=Date of subscription end -LDAPFieldTitle=Job position -LDAPFieldTitleExample=Example: title -LDAPFieldGroupid=Group id -LDAPFieldGroupidExample=Exemple : gidnumber -LDAPFieldUserid=User id -LDAPFieldUseridExample=Exemple : uidnumber -LDAPFieldHomedirectory=Home directory -LDAPFieldHomedirectoryExample=Exemple : homedirectory -LDAPFieldHomedirectoryprefix=Home directory prefix -LDAPSetupNotComplete=LDAP setup not complete (go on others tabs) -LDAPNoUserOrPasswordProvidedAccessIsReadOnly=No administrator or password provided. LDAP access will be anonymous and in read only mode. -LDAPDescContact=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr contacts. -LDAPDescUsers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr users. -LDAPDescGroups=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr groups. -LDAPDescMembers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members module. -LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. -LDAPDescValues=Example values are designed for OpenLDAP with following loaded schemas: core.schema, cosine.schema, inetorgperson.schema). If you use thoose values and OpenLDAP, modify your LDAP config file slapd.conf to have all thoose schemas loaded. -ForANonAnonymousAccess=For an authenticated access (for a write access for example) -PerfDolibarr=Performance setup/optimizing report -YouMayFindPerfAdviceHere=This page provides some checks or advice related to performance. -NotInstalled=Not installed. -NotSlowedDownByThis=Not slowed down by this. -NotRiskOfLeakWithThis=Not risk of leak with this. -ApplicativeCache=Applicative cache -MemcachedNotAvailable=No applicative cache found. You can enhance performance by installing a cache server Memcached and a module able to use this cache server.
      More information here
      http://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      Note that a lot of web hosting provider does not provide such cache server. -MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete. -MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled. -OPCodeCache=OPCode cache -NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad). -HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript) -FilesOfTypeCached=Files of type %s are cached by HTTP server -FilesOfTypeNotCached=Files of type %s are not cached by HTTP server -FilesOfTypeCompressed=Files of type %s are compressed by HTTP server -FilesOfTypeNotCompressed=Files of type %s are not compressed by HTTP server -CacheByServer=Cache by server -CacheByServerDesc=For example using the Apache directive "ExpiresByType image/gif A2592000" -CacheByClient=Cache by browser -CompressionOfResources=Compression of HTTP responses -CompressionOfResourcesDesc=For example using the Apache directive "AddOutputFilterByType DEFLATE" -TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers -DefaultValuesDesc=Here you may define the default value you wish to use when creating a new record, and/or default filters or the sort order when you list records. -DefaultCreateForm=Default values (to use on forms) -DefaultSearchFilters=Default search filters -DefaultSortOrder=Default sort orders -DefaultFocus=Default focus fields -DefaultMandatory=Mandatory form fields +DolibarrToLDAP=ডলিবার -> এলডিএপি +LDAPNamingAttribute=LDAP এ কী +LDAPSynchronizeUsers=LDAP-এ ব্যবহারকারীদের সংগঠন +LDAPSynchronizeGroups=LDAP-এ গোষ্ঠীর সংগঠন +LDAPSynchronizeContacts=LDAP-এ পরিচিতির সংগঠন +LDAPSynchronizeMembers=এলডিএপি-তে ফাউন্ডেশনের সদস্যদের সংগঠন +LDAPSynchronizeMembersTypes=LDAP-তে ফাউন্ডেশনের সদস্যদের সংগঠন +LDAPPrimaryServer=প্রাথমিক সার্ভার +LDAPSecondaryServer=সেকেন্ডারি সার্ভার +LDAPServerPort=সার্ভারের পোর্ট +LDAPServerPortExample=স্ট্যান্ডার্ড বা স্টার্টটিএলএস: 389, LDAPs: 636 +LDAPServerProtocolVersion=প্রোটোকল সংস্করণ +LDAPServerUseTLS=TLS ব্যবহার করুন +LDAPServerUseTLSExample=আপনার LDAP সার্ভার StartTLS ব্যবহার করে +LDAPServerDn=সার্ভার DN +LDAPAdminDn=প্রশাসক ডি.এন +LDAPAdminDnExample=সম্পূর্ণ ডিএন (যেমন: cn=admin,dc=example,dc=com or cn=Administrator,cn=Users,dc=example,dc=com সক্রিয় ডিরেক্টরির জন্য) +LDAPPassword=প্রশাসকের পাসওয়ার্ড +LDAPUserDn=ব্যবহারকারীদের DN +LDAPUserDnExample=সম্পূর্ণ DN (যেমন: ou=users,dc=example,dc=com) +LDAPGroupDn=গ্রুপের DN +LDAPGroupDnExample=সম্পূর্ণ DN (যেমন: ou=groups,dc=example,dc=com) +LDAPServerExample=সার্ভারের ঠিকানা (যেমন: localhost, 192.168.0.2, ldaps://ldap.example.com/) +LDAPServerDnExample=সম্পূর্ণ DN (যেমন: dc=example,dc=com) +LDAPDnSynchroActive=ব্যবহারকারী এবং গ্রুপ সিঙ্ক্রোনাইজেশন +LDAPDnSynchroActiveExample=LDAP থেকে Dolibarr অথবা Dolibarr থেকে LDAP সিঙ্ক্রোনাইজেশন +LDAPDnContactActive=পরিচিতিগুলির সিঙ্ক্রোনাইজেশন +LDAPDnContactActiveExample=সক্রিয়/অসক্রিয় সিঙ্ক্রোনাইজেশন +LDAPDnMemberActive=সদস্যদের সিঙ্ক্রোনাইজেশন +LDAPDnMemberActiveExample=সক্রিয়/আনঅ্যাক্টিভেটেড সিঙ্ক্রোনাইজেশন +LDAPDnMemberTypeActive=সদস্যদের প্রকারের সিঙ্ক্রোনাইজেশন +LDAPDnMemberTypeActiveExample=সক্রিয়/অসক্রিয় সিঙ্ক্রোনাইজেশন +LDAPContactDn=Dolibarr পরিচিতি 'DN +LDAPContactDnExample=সম্পূর্ণ DN (যেমন: ou=contacts,dc=example,dc=com) +LDAPMemberDn=ডলিবার সদস্যরা ডি.এন +LDAPMemberDnExample=সম্পূর্ণ DN (যেমন: ou=members,dc=example,dc=com) +LDAPMemberObjectClassList=অবজেক্টক্লাসের তালিকা +LDAPMemberObjectClassListExample=অবজেক্টক্লাস সংজ্ঞায়িত রেকর্ড বৈশিষ্ট্যের তালিকা (যেমন: শীর্ষ, inetOrgPerson বা শীর্ষ, সক্রিয় ডিরেক্টরির জন্য ব্যবহারকারী) +LDAPMemberTypeDn=Dolibarr সদস্যদের ধরন DN +LDAPMemberTypepDnExample=সম্পূর্ণ DN (যেমন: ou=membertypes,dc=example,dc=com) +LDAPMemberTypeObjectClassList=অবজেক্টক্লাসের তালিকা +LDAPMemberTypeObjectClassListExample=অবজেক্টক্লাস সংজ্ঞায়িত রেকর্ড বৈশিষ্ট্যের তালিকা (যেমন: শীর্ষ, গ্রুপঅফ ইউনিক নাম) +LDAPUserObjectClassList=অবজেক্টক্লাসের তালিকা +LDAPUserObjectClassListExample=অবজেক্টক্লাস সংজ্ঞায়িত রেকর্ড বৈশিষ্ট্যের তালিকা (যেমন: শীর্ষ, inetOrgPerson বা শীর্ষ, সক্রিয় ডিরেক্টরির জন্য ব্যবহারকারী) +LDAPGroupObjectClassList=অবজেক্টক্লাসের তালিকা +LDAPGroupObjectClassListExample=অবজেক্টক্লাস সংজ্ঞায়িত রেকর্ড বৈশিষ্ট্যের তালিকা (যেমন: শীর্ষ, গ্রুপঅফ ইউনিক নাম) +LDAPContactObjectClassList=অবজেক্টক্লাসের তালিকা +LDAPContactObjectClassListExample=অবজেক্টক্লাস সংজ্ঞায়িত রেকর্ড বৈশিষ্ট্যের তালিকা (যেমন: শীর্ষ, inetOrgPerson বা শীর্ষ, সক্রিয় ডিরেক্টরির জন্য ব্যবহারকারী) +LDAPTestConnect=LDAP সংযোগ পরীক্ষা করুন +LDAPTestSynchroContact=পরিচিতি সিঙ্ক্রোনাইজেশন পরীক্ষা করুন +LDAPTestSynchroUser=ব্যবহারকারীর সিঙ্ক্রোনাইজেশন পরীক্ষা করুন +LDAPTestSynchroGroup=টেস্ট গ্রুপ সিঙ্ক্রোনাইজেশন +LDAPTestSynchroMember=টেস্ট সদস্য সিঙ্ক্রোনাইজেশন +LDAPTestSynchroMemberType=পরীক্ষা সদস্য টাইপ সিঙ্ক্রোনাইজেশন +LDAPTestSearch= একটি LDAP অনুসন্ধান পরীক্ষা করুন +LDAPSynchroOK=সিঙ্ক্রোনাইজেশন পরীক্ষা সফল হয়েছে +LDAPSynchroKO=সিঙ্ক্রোনাইজেশন পরীক্ষা ব্যর্থ হয়েছে +LDAPSynchroKOMayBePermissions=সিঙ্ক্রোনাইজেশন পরীক্ষা ব্যর্থ হয়েছে। সার্ভারের সাথে সংযোগ সঠিকভাবে কনফিগার করা হয়েছে এবং LDAP আপডেটের অনুমতি দেয় তা পরীক্ষা করুন +LDAPTCPConnectOK=LDAP সার্ভারের সাথে TCP সংযোগ সফল হয়েছে (Server=%s, Port=%s) +LDAPTCPConnectKO=LDAP সার্ভারের সাথে TCP সংযোগ ব্যর্থ হয়েছে (Server=%s, Port=%s) +LDAPBindOK=LDAP সার্ভারের সাথে সংযোগ/প্রমাণিত করা সফল (Server=%s, Port=%s, Admin= %s, Password=%s) +LDAPBindKO=LDAP সার্ভারে সংযোগ/প্রমাণিত করা ব্যর্থ হয়েছে (সার্ভার=%s, Port=%s, Admin= %s, Password=%s) +LDAPSetupForVersion3=LDAP সার্ভার 3 সংস্করণের জন্য কনফিগার করা হয়েছে +LDAPSetupForVersion2=LDAP সার্ভার সংস্করণ 2 এর জন্য কনফিগার করা হয়েছে +LDAPDolibarrMapping=ডলিবার ম্যাপিং +LDAPLdapMapping=LDAP ম্যাপিং +LDAPFieldLoginUnix=লগইন (ইউনিক্স) +LDAPFieldLoginExample=উদাহরণ: uid +LDAPFilterConnection=অনুসন্ধান ফিল্টার +LDAPFilterConnectionExample=উদাহরণ: &(objectClass=inetOrgPerson) +LDAPGroupFilterExample=উদাহরণ: &(objectClass=groupOfUsers) +LDAPFieldLoginSamba=লগইন (সাম্বা, সক্রিয় ডিরেক্টরি) +LDAPFieldLoginSambaExample=উদাহরণ: samaccountname +LDAPFieldFullname=পুরো নাম +LDAPFieldFullnameExample=উদাহরণ: cn +LDAPFieldPasswordNotCrypted=পাসওয়ার্ড এনক্রিপ্ট করা হয়নি +LDAPFieldPasswordCrypted=পাসওয়ার্ড এনক্রিপ্ট করা হয়েছে +LDAPFieldPasswordExample=উদাহরণ: userPassword +LDAPFieldCommonNameExample=উদাহরণ: cn +LDAPFieldName=নাম +LDAPFieldNameExample=উদাহরণ: sn +LDAPFieldFirstName=নামের প্রথম অংশ +LDAPFieldFirstNameExample=উদাহরণ: দেওয়া নাম +LDAPFieldMail=ইমেইল ঠিকানা +LDAPFieldMailExample=উদাহরণ: মেইল +LDAPFieldPhone=পেশাদার ফোন নম্বর +LDAPFieldPhoneExample=উদাহরণ: টেলিফোন নম্বর +LDAPFieldHomePhone=ব্যক্তিগত ফোন নম্বর +LDAPFieldHomePhoneExample=উদাহরণ: হোমফোন +LDAPFieldMobile=মোবাইল ফোন +LDAPFieldMobileExample=উদাহরণ: মোবাইল +LDAPFieldFax=ফ্যাক্স নম্বর +LDAPFieldFaxExample=উদাহরণ: ফ্যাসিমাইল টেলিফোন নম্বর +LDAPFieldAddress=রাস্তা +LDAPFieldAddressExample=উদাহরণ: রাস্তা +LDAPFieldZip=জিপ +LDAPFieldZipExample=উদাহরণ: পোস্টালকোড +LDAPFieldTown=শহর +LDAPFieldTownExample=উদাহরণ: l +LDAPFieldCountry=দেশ +LDAPFieldDescription=বর্ণনা +LDAPFieldDescriptionExample=উদাহরণ: বর্ণনা +LDAPFieldNotePublic=পাবলিক নোট +LDAPFieldNotePublicExample=উদাহরণ: পাবলিক নোট +LDAPFieldGroupMembers= দলের সদস্যগণ +LDAPFieldGroupMembersExample= উদাহরণ: অনন্য সদস্য +LDAPFieldBirthdate=জন্ম তারিখ +LDAPFieldCompany=প্রতিষ্ঠান +LDAPFieldCompanyExample=উদাহরণ: o +LDAPFieldSid=এসআইডি +LDAPFieldSidExample=উদাহরণ: অবজেক্টসিড +LDAPFieldEndLastSubscription=সদস্যতা শেষ হওয়ার তারিখ +LDAPFieldTitle=চাকুরী পদমর্যাদা +LDAPFieldTitleExample=উদাহরণ: শিরোনাম +LDAPFieldGroupid=গ্রুপ আইডি +LDAPFieldGroupidExample=উদাহরণ: gidnumber +LDAPFieldUserid=ব্যবহারকারী আইডি +LDAPFieldUseridExample=উদাহরণ: uidnumber +LDAPFieldHomedirectory=হোম ডিরেক্টরি +LDAPFieldHomedirectoryExample=উদাহরণ: homedirectory +LDAPFieldHomedirectoryprefix=হোম ডিরেক্টরি উপসর্গ +LDAPSetupNotComplete=LDAP সেটআপ সম্পূর্ণ হয়নি (অন্য ট্যাবে যান) +LDAPNoUserOrPasswordProvidedAccessIsReadOnly=কোন প্রশাসক বা পাসওয়ার্ড প্রদান করা হয়. LDAP অ্যাক্সেস বেনামী এবং শুধুমাত্র পঠন মোডে থাকবে। +LDAPDescContact=এই পৃষ্ঠাটি আপনাকে ডলিবার পরিচিতিতে পাওয়া প্রতিটি ডেটার জন্য LDAP ট্রিতে LDAP বৈশিষ্ট্যের নাম সংজ্ঞায়িত করতে দেয়। +LDAPDescUsers=এই পৃষ্ঠাটি আপনাকে ডলিবার ব্যবহারকারীদের মধ্যে পাওয়া প্রতিটি ডেটার জন্য LDAP ট্রিতে LDAP বৈশিষ্ট্যের নাম সংজ্ঞায়িত করতে দেয়। +LDAPDescGroups=এই পৃষ্ঠাটি আপনাকে ডলিবার গ্রুপে পাওয়া প্রতিটি ডেটার জন্য LDAP ট্রিতে LDAP বৈশিষ্ট্যের নাম সংজ্ঞায়িত করতে দেয়। +LDAPDescMembers=এই পৃষ্ঠাটি আপনাকে ডলিবার সদস্য মডিউলে পাওয়া প্রতিটি ডেটার জন্য LDAP ট্রিতে LDAP বৈশিষ্ট্যের নাম সংজ্ঞায়িত করতে দেয়। +LDAPDescMembersTypes=এই পৃষ্ঠাটি আপনাকে LDAP ট্রিতে LDAP অ্যাট্রিবিউটের নাম সংজ্ঞায়িত করতে দেয় যা Dolibarr সদস্যদের প্রকারে পাওয়া প্রতিটি ডেটার জন্য। +LDAPDescValues=উদাহরণ মানগুলি OpenLDAP-এর জন্য নিম্নলিখিত লোড করা স্কিমাগুলির সাথে ডিজাইন করা হয়েছে: b0aee8365>b0aee83365 core.schema, cosine.schema, inetorgperson.schema
      )। আপনি যদি সেই মানগুলি এবং OpenLDAP ব্যবহার করেন, আপনার LDAP কনফিগারেশন ফাইলটি পরিবর্তন করুন slapd.conf এই সমস্ত স্কিমা লোড করতে। +ForANonAnonymousAccess=একটি প্রমাণীকৃত অ্যাক্সেসের জন্য (উদাহরণস্বরূপ একটি লেখার অ্যাক্সেসের জন্য) +PerfDolibarr=কর্মক্ষমতা সেটআপ/অপ্টিমাইজিং রিপোর্ট +YouMayFindPerfAdviceHere=এই পৃষ্ঠাটি কর্মক্ষমতা সম্পর্কিত কিছু চেক বা পরামর্শ প্রদান করে। +NotInstalled=ইনস্টল করা না. +NotSlowedDownByThis=এই দ্বারা ধীর না. +NotRiskOfLeakWithThis=এর সাথে ফাঁসের ঝুঁকি নেই। +ApplicativeCache=প্রযোজ্য ক্যাশে +MemcachedNotAvailable=কোনো প্রযোজ্য ক্যাশে পাওয়া যায়নি। আপনি একটি ক্যাশে সার্ভার Memcached এবং এই ক্যাশে সার্ভারটি ব্যবহার করতে সক্ষম একটি মডিউল ইনস্টল করে কর্মক্ষমতা উন্নত করতে পারেন।
      এখানে আরও তথ্য http ://wiki.dolibarr.org/index.php/Module_MemCached_EN
      উল্লেখ্য যে প্রচুর ওয়েব হোস্টিং প্রদান করে যেমন ক্যাশে সার্ভার প্রদান না. +MemcachedModuleAvailableButNotSetup=প্রযোজ্য ক্যাশের জন্য মডিউল মেমক্যাশে পাওয়া গেছে কিন্তু মডিউলের সেটআপ সম্পূর্ণ হয়নি। +MemcachedAvailableAndSetup=মেমক্যাশেড সার্ভার ব্যবহার করার জন্য নিবেদিত মডিউল মেমক্যাশে সক্ষম করা হয়েছে। +OPCodeCache=OPCode ক্যাশে +NoOPCodeCacheFound=কোন OPCode ক্যাশে পাওয়া যায়নি. হতে পারে আপনি XCache বা eAccelerator (ভাল) ব্যতীত অন্য একটি OPCode ক্যাশে ব্যবহার করছেন, বা আপনার কাছে OPCode ক্যাশে নেই (খুব খারাপ)। +HTTPCacheStaticResources=স্ট্যাটিক রিসোর্সের জন্য HTTP ক্যাশে (css, img, JavaScript) +FilesOfTypeCached=%s ধরনের ফাইলগুলি HTTP সার্ভার দ্বারা ক্যাশ করা হয় +FilesOfTypeNotCached=%s ধরনের ফাইল HTTP সার্ভার দ্বারা ক্যাশে করা হয় না +FilesOfTypeCompressed=%s ধরনের ফাইল HTTP সার্ভার দ্বারা সংকুচিত হয় +FilesOfTypeNotCompressed=%s ধরনের ফাইল HTTP সার্ভার দ্বারা সংকুচিত হয় না +CacheByServer=সার্ভার দ্বারা ক্যাশে +CacheByServerDesc=উদাহরণস্বরূপ Apache নির্দেশিকা ব্যবহার করে "ExpiresByType image/gif A2592000" +CacheByClient=ব্রাউজার দ্বারা ক্যাশে +CompressionOfResources=HTTP প্রতিক্রিয়াগুলির সংকোচন +CompressionOfResourcesDesc=উদাহরণস্বরূপ Apache নির্দেশিকা ব্যবহার করে "AddOutputFilterByType DEFLATE" +TestNotPossibleWithCurrentBrowsers=বর্তমান ব্রাউজারগুলির সাথে এমন একটি স্বয়ংক্রিয় সনাক্তকরণ সম্ভব নয় +DefaultValuesDesc=এখানে আপনি একটি নতুন রেকর্ড তৈরি করার সময় আপনি যে ডিফল্ট মান ব্যবহার করতে চান তা নির্ধারণ করতে পারেন, এবং/অথবা ডিফল্ট ফিল্টার বা বাছাই ক্রম যখন আপনি রেকর্ড তালিকাভুক্ত করেন। +DefaultCreateForm=ডিফল্ট মান (ফর্মে ব্যবহার করতে) +DefaultSearchFilters=ডিফল্ট অনুসন্ধান ফিল্টার +DefaultSortOrder=ডিফল্ট বাছাই আদেশ +DefaultFocus=ডিফল্ট ফোকাস ক্ষেত্র +DefaultMandatory=বাধ্যতামূলক ফর্ম ক্ষেত্র ##### Products ##### -ProductSetup=Products module setup -ServiceSetup=Services module setup -ProductServiceSetup=Products and Services modules setup -NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) -ViewProductDescInFormAbility=Display product descriptions in lines of items (otherwise show description in a tooltip popup) -OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document -AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product -DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. -DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents -MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) -UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) -SetDefaultBarcodeTypeProducts=Default barcode type to use for products -SetDefaultBarcodeTypeThirdParties=Default barcode type to use for third parties -UseUnits=Define a unit of measure for Quantity during order, proposal or invoice lines edition -ProductCodeChecker= Module for product code generation and checking (product or service) -ProductOtherConf= Product / Service configuration -IsNotADir=is not a directory! +ProductSetup=পণ্য মডিউল সেটআপ +ServiceSetup=সেবা মডিউল সেটআপ +ProductServiceSetup=পণ্য এবং পরিষেবা মডিউল সেটআপ +NumberOfProductShowInSelect=কম্বো নির্বাচনের তালিকায় দেখানোর জন্য সর্বাধিক সংখ্যক পণ্য (0=কোন সীমা নেই) +ViewProductDescInFormAbility=আইটেমগুলির লাইনে পণ্যের বিবরণ প্রদর্শন করুন (অন্যথায় একটি টুলটিপ পপআপে বিবরণ দেখান) +OnProductSelectAddProductDesc=একটি নথির একটি লাইন হিসাবে একটি পণ্য যোগ করার সময় পণ্যের বর্ণনা কীভাবে ব্যবহার করবেন +AutoFillFormFieldBeforeSubmit=পণ্যের বিবরণ সহ বর্ণনা ইনপুট ক্ষেত্র স্বয়ংক্রিয়ভাবে পূরণ করুন +DoNotAutofillButAutoConcat=পণ্যের বিবরণ সহ ইনপুট ক্ষেত্রটি স্বয়ংক্রিয়ভাবে পূরণ করবেন না। পণ্যের বিবরণ স্বয়ংক্রিয়ভাবে প্রবেশ করা বিবরণের সাথে সংযুক্ত করা হবে। +DoNotUseDescriptionOfProdut=পণ্যের বর্ণনা কখনই নথির লাইনের বর্ণনায় অন্তর্ভুক্ত করা হবে না +MergePropalProductCard=প্রোডাক্ট/পরিষেবা অ্যাটাচড ফাইল ট্যাবে সক্রিয় করুন প্রোডাক্ট পিডিএফ ডকুমেন্টকে প্রোপোজাল পিডিএফ আজুরে মার্জ করার বিকল্প যদি প্রোডাক্ট/পরিষেবা প্রস্তাবে থাকে +ViewProductDescInThirdpartyLanguageAbility=তৃতীয় পক্ষের ভাষায় ফর্মে পণ্যের বিবরণ প্রদর্শন করুন (অন্যথায় ব্যবহারকারীর ভাষায়) +UseSearchToSelectProductTooltip=এছাড়াও যদি আপনার কাছে প্রচুর সংখ্যক পণ্য থাকে (> 100 000), আপনি সেটআপ->অন্যান্যে 1 থেকে 1 থেকে ধ্রুবক PRODUCT_DONOTSEARCH_ANYWHERE সেট করে গতি বাড়াতে পারেন। অনুসন্ধান তখন স্ট্রিং শুরুতে সীমাবদ্ধ থাকবে। +UseSearchToSelectProduct=পণ্য কম্বো তালিকার বিষয়বস্তু লোড করার আগে আপনি একটি কী টিপ না হওয়া পর্যন্ত অপেক্ষা করুন (আপনার যদি প্রচুর সংখ্যক পণ্য থাকে তবে এটি কম সুবিধাজনক) +SetDefaultBarcodeTypeProducts=পণ্যের জন্য ব্যবহার করার জন্য ডিফল্ট বারকোড প্রকার +SetDefaultBarcodeTypeThirdParties=তৃতীয় পক্ষের জন্য ব্যবহার করার জন্য ডিফল্ট বারকোড প্রকার +UseUnits=অর্ডার, প্রস্তাব বা চালান লাইন সংস্করণের সময় পরিমাণের জন্য পরিমাপের একটি ইউনিট সংজ্ঞায়িত করুন +ProductCodeChecker= পণ্য কোড তৈরি এবং পরীক্ষা করার জন্য মডিউল (পণ্য বা পরিষেবা) +ProductOtherConf= পণ্য / পরিষেবা কনফিগারেশন +IsNotADir=একটি ডিরেক্টরি না! ##### Syslog ##### -SyslogSetup=Logs module setup -SyslogOutput=Logs outputs -SyslogFacility=Facility -SyslogLevel=Level -SyslogFilename=File name and path -YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. -ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant -OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported -CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) -SyslogFileNumberOfSaves=Number of backup logs to keep -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +SyslogSetup=লগ মডিউল সেটআপ +SyslogOutput=লগ আউটপুট +SyslogFacility=সুবিধা +SyslogLevel=স্তর +SyslogFilename=ফাইলের নাম এবং পথ +YouCanUseDOL_DATA_ROOT=আপনি Dolibarr "ডকুমেন্টস" ডিরেক্টরিতে একটি লগ ফাইলের জন্য DOL_DATA_ROOT/dolibarr.log ব্যবহার করতে পারেন। আপনি এই ফাইল সংরক্ষণ করার জন্য একটি ভিন্ন পথ সেট করতে পারেন. +ErrorUnknownSyslogConstant=ধ্রুবক %s একটি পরিচিত Syslog ধ্রুবক নয় +OnlyWindowsLOG_USER=Windows এ, শুধুমাত্র LOG_USER সুবিধা সমর্থিত হবে +CompressSyslogs=ডিবাগ লগ ফাইলের কম্প্রেশন এবং ব্যাকআপ (ডিবাগের জন্য মডিউল লগ দ্বারা তৈরি) +SyslogFileNumberOfSaves=রাখা ব্যাকআপ লগ সংখ্যা +ConfigureCleaningCronjobToSetFrequencyOfSaves=লগ ব্যাকআপ ফ্রিকোয়েন্সি সেট করতে নির্ধারিত কাজ পরিষ্কার করার কনফিগার করুন ##### Donations ##### -DonationsSetup=Donation module setup -DonationsReceiptModel=Template of donation receipt +DonationsSetup=দান মডিউল সেটআপ +DonationsReceiptModel=দান প্রাপ্তির টেমপ্লেট ##### Barcode ##### -BarcodeSetup=Barcode setup -PaperFormatModule=Print format module -BarcodeEncodeModule=Barcode encoding type -CodeBarGenerator=Barcode generator -ChooseABarCode=No generator defined -FormatNotSupportedByGenerator=Format not supported by this generator -BarcodeDescEAN8=Barcode of type EAN8 -BarcodeDescEAN13=Barcode of type EAN13 -BarcodeDescUPC=Barcode of type UPC -BarcodeDescISBN=Barcode of type ISBN -BarcodeDescC39=Barcode of type C39 -BarcodeDescC128=Barcode of type C128 -BarcodeDescDATAMATRIX=Barcode of type Datamatrix -BarcodeDescQRCODE=Barcode of type QR code -GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".
      For example: /usr/local/bin/genbarcode -BarcodeInternalEngine=Internal engine -BarCodeNumberManager=Manager to auto define barcode numbers +BarcodeSetup=বারকোড সেটআপ +PaperFormatModule=প্রিন্ট ফরম্যাট মডিউল +BarcodeEncodeModule=বারকোড এনকোডিং টাইপ +CodeBarGenerator=বারকোড জেনারেটর +ChooseABarCode=কোন জেনারেটর সংজ্ঞায়িত +FormatNotSupportedByGenerator=বিন্যাস এই জেনারেটর দ্বারা সমর্থিত নয় +BarcodeDescEAN8=EAN8 ধরনের বারকোড +BarcodeDescEAN13=EAN13 ধরনের বারকোড +BarcodeDescUPC=ইউপিসি টাইপের বারকোড +BarcodeDescISBN=ISBN টাইপের বারকোড +BarcodeDescC39=C39 টাইপের বারকোড +BarcodeDescC128=C128 টাইপের বারকোড +BarcodeDescDATAMATRIX=Datamatrix ধরনের বারকোড +BarcodeDescQRCODE=QR কোডের বারকোড +GenbarcodeLocation=বার কোড জেনারেশন কমান্ড লাইন টুল (কিছু বার কোড ধরনের জন্য অভ্যন্তরীণ ইঞ্জিন দ্বারা ব্যবহৃত)। অবশ্যই "জেনবারকোড" এর সাথে সামঞ্জস্যপূর্ণ হতে হবে।
      উদাহরণস্বরূপ: /usr/local/bin/genbarcode +BarcodeInternalEngine=অভ্যন্তরীণ ইঞ্জিন +BarCodeNumberManager=বারকোড নম্বর স্বয়ংক্রিয়ভাবে সংজ্ঞায়িত করার জন্য ম্যানেজার ##### Prelevements ##### -WithdrawalsSetup=Setup of module Direct Debit payments +WithdrawalsSetup=মডিউল সরাসরি ডেবিট পেমেন্ট সেটআপ ##### ExternalRSS ##### -ExternalRSSSetup=External RSS imports setup -NewRSS=New RSS Feed +ExternalRSSSetup=বাহ্যিক RSS আমদানি সেটআপ +NewRSS=নতুন আরএসএস ফিড RSSUrl=RSS URL -RSSUrlExample=An interesting RSS feed +RSSUrlExample=একটি আকর্ষণীয় RSS ফিড ##### Mailing ##### -MailingSetup=EMailing module setup -MailingEMailFrom=Sender email (From) for emails sent by emailing module -MailingEMailError=Return Email (Errors-to) for emails with errors -MailingDelay=Seconds to wait after sending next message +MailingSetup=ইমেইল মডিউল সেটআপ +MailingEMailFrom=ইমেল মডিউল দ্বারা পাঠানো ইমেলের জন্য প্রেরক ইমেল (থেকে) +MailingEMailError=ত্রুটি সহ ইমেলের জন্য ইমেল (ত্রুটি-টু) ফেরত দিন +MailingDelay=পরবর্তী বার্তা পাঠানোর পর সেকেন্ড অপেক্ষা করতে হবে ##### Notification ##### -NotificationSetup=Email Notification module setup -NotificationEMailFrom=Sender email (From) for emails sent by the Notifications module -FixedEmailTarget=Recipient -NotificationDisableConfirmMessageContact=Hide the list of recipients (subscribed as contact) of notifications into the confirmation message -NotificationDisableConfirmMessageUser=Hide the list of recipients (subscribed as user) of notifications into the confirmation message -NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as global email) of notifications into the confirmation message +NotificationSetup=ইমেল বিজ্ঞপ্তি মডিউল সেটআপ +NotificationEMailFrom=বিজ্ঞপ্তি মডিউল দ্বারা প্রেরিত ইমেলের জন্য প্রেরক ইমেল (থেকে) +FixedEmailTarget=প্রাপক +NotificationDisableConfirmMessageContact=নিশ্চিতকরণ বার্তায় বিজ্ঞপ্তিগুলির প্রাপকদের তালিকা (যোগাযোগ হিসাবে সদস্যতা) লুকান৷ +NotificationDisableConfirmMessageUser=নিশ্চিতকরণ বার্তায় বিজ্ঞপ্তিগুলির প্রাপকদের তালিকা (ব্যবহারকারী হিসাবে সদস্যতা) লুকান৷ +NotificationDisableConfirmMessageFix=নিশ্চিতকরণ বার্তায় বিজ্ঞপ্তিগুলির প্রাপকদের তালিকা (গ্লোবাল ইমেল হিসাবে সদস্যতা) লুকান৷ ##### Sendings ##### -SendingsSetup=Shipping module setup -SendingsReceiptModel=Sending receipt model -SendingsNumberingModules=Sendings numbering modules -SendingsAbility=Support shipping sheets for customer deliveries -NoNeedForDeliveryReceipts=In most cases, shipping sheets are used both as sheets for customer deliveries (list of products to send) and sheets that are received and signed by customer. Hence the product deliveries receipt is a duplicated feature and is rarely activated. -FreeLegalTextOnShippings=Free text on shipments +SendingsSetup=শিপিং মডিউল সেটআপ +SendingsReceiptModel=রসিদ মডেল পাঠানো হচ্ছে +SendingsNumberingModules=নাম্বারিং মডিউল পাঠাচ্ছে +SendingsAbility=গ্রাহক ডেলিভারি জন্য শিপিং শীট সমর্থন +NoNeedForDeliveryReceipts=বেশিরভাগ ক্ষেত্রে, শিপিং শীটগুলি গ্রাহকের ডেলিভারির জন্য শীট (প্রেরনের জন্য পণ্যের তালিকা) এবং গ্রাহকের দ্বারা প্রাপ্ত এবং স্বাক্ষরিত শীট হিসাবে উভয়ই ব্যবহৃত হয়। তাই পণ্য সরবরাহের রসিদ একটি সদৃশ বৈশিষ্ট্য এবং খুব কমই সক্রিয় করা হয়। +FreeLegalTextOnShippings=চালান বিনামূল্যে পাঠ্য ##### Deliveries ##### -DeliveryOrderNumberingModules=Products deliveries receipt numbering module -DeliveryOrderModel=Products deliveries receipt model -DeliveriesOrderAbility=Support products deliveries receipts -FreeLegalTextOnDeliveryReceipts=Free text on delivery receipts +DeliveryOrderNumberingModules=পণ্য বিতরণ রসিদ নম্বর মডিউল +DeliveryOrderModel=পণ্য বিতরণ রসিদ মডেল +DeliveriesOrderAbility=সমর্থন পণ্য বিতরণ রসিদ +FreeLegalTextOnDeliveryReceipts=বিতরণ রসিদ বিনামূল্যে পাঠ্য ##### FCKeditor ##### -AdvancedEditor=Advanced editor -ActivateFCKeditor=Activate advanced editor for: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProduct=WYSIWIG creation/edition of the field description of products/services -FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG creation/edition for mass eMailings (Tools->eMailing) -FCKeditorForUserSignature=WYSIWIG creation/edition of user signature -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +AdvancedEditor=উন্নত সম্পাদক +ActivateFCKeditor=এর জন্য উন্নত সম্পাদক সক্রিয় করুন: +FCKeditorForNotePublic=উপাদানগুলির "পাবলিক নোট" ক্ষেত্রের WYSIWYG সৃষ্টি/সংস্করণ +FCKeditorForNotePrivate=উপাদানগুলির "ব্যক্তিগত নোট" ক্ষেত্রের WYSIWYG সৃষ্টি/সংস্করণ +FCKeditorForCompany=উপাদানগুলির ক্ষেত্রের বর্ণনার WYSIWYG তৈরি/সংস্করণ (পণ্য/পরিষেবা ছাড়া) +FCKeditorForProductDetails=পণ্যের বর্ণনার WYSIWYG তৈরি/সংস্করণ বা বস্তুর লাইন (প্রস্তাব, অর্ডার, চালান, ইত্যাদি...)। +FCKeditorForProductDetails2=সতর্কতা: এই ক্ষেত্রে এই বিকল্পটি ব্যবহার করা গুরুতরভাবে সুপারিশ করা হয় না কারণ এটি পিডিএফ ফাইল তৈরি করার সময় বিশেষ অক্ষর এবং পৃষ্ঠা বিন্যাসের সমস্যা তৈরি করতে পারে। +FCKeditorForMailing= গণ ইমেলিংয়ের জন্য WYSIWYG তৈরি/সংস্করণ (সরঞ্জাম->ইমেলিং) +FCKeditorForUserSignature=ব্যবহারকারীর স্বাক্ষরের WYSIWYG সৃষ্টি/সংস্করণ +FCKeditorForMail=সমস্ত মেলের জন্য WYSIWYG তৈরি/সংস্করণ (সরঞ্জাম->ইমেলিং ব্যতীত) +FCKeditorForTicket=টিকিটের জন্য WYSIWYG তৈরি/সংস্করণ ##### Stock ##### -StockSetup=Stock module setup -IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. +StockSetup=স্টক মডিউল সেটআপ +IfYouUsePointOfSaleCheckModule=আপনি যদি ডিফল্ট বা একটি বাহ্যিক মডিউল দ্বারা সরবরাহিত পয়েন্ট অফ সেল মডিউল (POS) ব্যবহার করেন তবে এই সেটআপটি আপনার POS মডিউল দ্বারা উপেক্ষা করা হতে পারে। বেশিরভাগ POS মডিউলগুলি ডিফল্টভাবে ডিজাইন করা হয়েছে অবিলম্বে একটি চালান তৈরি করতে এবং এখানে বিকল্পগুলি নির্বিশেষে স্টক হ্রাস করতে। সুতরাং আপনার POS থেকে বিক্রয় নিবন্ধন করার সময় আপনার স্টক হ্রাসের প্রয়োজন বা না থাকলে, আপনার POS মডিউল সেটআপও পরীক্ষা করে দেখুন। ##### Menu ##### -MenuDeleted=Menu deleted -Menu=Menu -Menus=Menus -TreeMenuPersonalized=Personalized menus -NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry -NewMenu=New menu -MenuHandler=Menu handler -MenuModule=Source module -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) -DetailId=Id menu -DetailMenuHandler=Menu handler where to show new menu -DetailMenuModule=Module name if menu entry come from a module -DetailType=Type of menu (top or left) -DetailTitre=Menu label or label code for translation -DetailUrl=URL where menu send you (Absolute URL link or external link with http://) -DetailEnabled=Condition to show or not entry -DetailRight=Condition to display unauthorized grey menus -DetailLangs=Lang file name for label code translation -DetailUser=Intern / Extern / All -Target=Target -DetailTarget=Target for links (_blank top opens a new window) -DetailLevel=Level (-1:top menu, 0:header menu, >0 menu and sub menu) -ModifMenu=Menu change -DeleteMenu=Delete menu entry -ConfirmDeleteMenu=Are you sure you want to delete menu entry %s? -FailedToInitializeMenu=Failed to initialize menu +MenuDeleted=মেনু মুছে ফেলা হয়েছে +Menu=তালিকা +Menus=মেনু +TreeMenuPersonalized=ব্যক্তিগতকৃত মেনু +NotTopTreeMenuPersonalized=ব্যক্তিগতকৃত মেনুগুলি একটি শীর্ষ মেনু এন্ট্রির সাথে লিঙ্ক করা হয়নি৷ +NewMenu=নতুন মেনু +MenuHandler=মেনু হ্যান্ডলার +MenuModule=উত্স মডিউল +HideUnauthorizedMenu=অভ্যন্তরীণ ব্যবহারকারীদের জন্যও অননুমোদিত মেনু লুকান (অন্যথায় শুধু ধূসর) +DetailId=আইডি মেনু +DetailMenuHandler=মেনু হ্যান্ডলার যেখানে নতুন মেনু দেখাতে হবে +DetailMenuModule=মডিউলের নাম যদি মেনু এন্ট্রি একটি মডিউল থেকে আসে +DetailType=মেনুর প্রকার (উপরে বা বাম) +DetailTitre=অনুবাদের জন্য মেনু লেবেল বা লেবেল কোড +DetailUrl=URL যেখানে মেনু আপনাকে পাঠায় (আপেক্ষিক URL লিঙ্ক বা https:// সহ বাহ্যিক লিঙ্ক) +DetailEnabled=এন্ট্রি দেখানো বা না করার শর্ত +DetailRight=অননুমোদিত ধূসর মেনু প্রদর্শনের শর্ত +DetailLangs=লেবেল কোড অনুবাদের জন্য ল্যাং ফাইলের নাম +DetailUser=ইন্টার্ন / এক্সটার্ন / সব +Target=টার্গেট +DetailTarget=লিঙ্কগুলির জন্য লক্ষ্য (_খালি শীর্ষ একটি নতুন উইন্ডো খোলে) +DetailLevel=লেভেল (-1:টপ মেনু, 0:হেডার মেনু, >0 মেনু এবং সাব মেনু) +ModifMenu=মেনু পরিবর্তন +DeleteMenu=মেনু এন্ট্রি মুছুন +ConfirmDeleteMenu=আপনি কি নিশ্চিত যে আপনি মেনু এন্ট্রি %s মুছে ফেলতে চান? +FailedToInitializeMenu=মেনু আরম্ভ করতে ব্যর্থ হয়েছে ##### Tax ##### -TaxSetup=Taxes, social or fiscal taxes and dividends module setup -OptionVatMode=VAT due -OptionVATDefault=Standard basis -OptionVATDebitOption=Accrual basis -OptionVatDefaultDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on payments for services -OptionVatDebitOptionDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on invoice (debit) for services -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
      - on payment for goods
      - on payments for services -SummaryOfVatExigibilityUsedByDefault=Time of VAT eligibility by default according to chosen option: -OnDelivery=On delivery -OnPayment=On payment -OnInvoice=On invoice -SupposedToBePaymentDate=Payment date used -SupposedToBeInvoiceDate=Invoice date used -Buy=Buy -Sell=Sell -InvoiceDateUsed=Invoice date used -YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organization), so there is no VAT options to setup. -AccountancyCode=Accounting Code -AccountancyCodeSell=Sale account. code -AccountancyCodeBuy=Purchase account. code -CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Keep the checkbox “Automatically create the payment” empty by default when creating a new tax +TaxSetup=কর, সামাজিক বা রাজস্ব কর এবং লভ্যাংশ মডিউল সেটআপ +OptionVatMode=ভ্যাট বকেয়া +OptionVATDefault=স্ট্যান্ডার্ড ভিত্তি +OptionVATDebitOption=বৃদ্ধি ভিত্তিতে +OptionVatDefaultDesc=ভ্যাট বকেয়া:
      - পণ্য সরবরাহের উপর (চালানের তারিখের উপর ভিত্তি করে)
      - পরিষেবার জন্য অর্থপ্রদানের উপর +OptionVatDebitOptionDesc=ভ্যাট বকেয়া:
      - পণ্য সরবরাহের উপর (চালানের তারিখের উপর ভিত্তি করে)
      - পরিষেবার চালানের উপর (ডেবিট) +OptionPaymentForProductAndServices=পণ্য এবং পরিষেবার জন্য নগদ ভিত্তি +OptionPaymentForProductAndServicesDesc=ভ্যাট বকেয়া:
      - পণ্যের জন্য অর্থপ্রদানের উপর
      - পরিষেবার জন্য অর্থপ্রদানের উপর +SummaryOfVatExigibilityUsedByDefault=নির্বাচিত বিকল্প অনুযায়ী ডিফল্টরূপে ভ্যাট যোগ্যতার সময়: +OnDelivery=ডেলিভারিতে +OnPayment=অর্থ প্রদানের উপর +OnInvoice=চালানে +SupposedToBePaymentDate=অর্থপ্রদানের তারিখ ব্যবহার করা হয়েছে +SupposedToBeInvoiceDate=চালানের তারিখ ব্যবহার করা হয়েছে +Buy=কেনা +Sell=বিক্রয় +InvoiceDateUsed=চালানের তারিখ ব্যবহার করা হয়েছে +YourCompanyDoesNotUseVAT=আপনার কোম্পানিকে ভ্যাট ব্যবহার না করার জন্য সংজ্ঞায়িত করা হয়েছে (হোম - সেটআপ - কোম্পানি/সংস্থা), তাই সেটআপ করার জন্য কোনও ভ্যাট বিকল্প নেই৷ +AccountancyCode=অ্যাকাউন্টিং কোড +AccountancyCodeSell=বিক্রয় হিসাব। কোড +AccountancyCodeBuy=ক্রয় অ্যাকাউন্ট। কোড +CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=একটি নতুন ট্যাক্স তৈরি করার সময় ডিফল্টরূপে "স্বয়ংক্রিয়ভাবে অর্থপ্রদান তৈরি করুন" চেকবক্সটি খালি রাখুন ##### Agenda ##### -AgendaSetup=Events and agenda module setup -PasswordTogetVCalExport=Key to authorize export link -SecurityKey = Security Key -PastDelayVCalExport=Do not export event older than -AGENDA_USE_EVENT_TYPE=Use events types (managed in menu Setup -> Dictionaries -> Type of agenda events) -AGENDA_USE_EVENT_TYPE_DEFAULT=Automatically set this default value for type of event in event create form -AGENDA_DEFAULT_FILTER_TYPE=Automatically set this type of event in search filter of agenda view -AGENDA_DEFAULT_FILTER_STATUS=Automatically set this status for events in search filter of agenda view -AGENDA_DEFAULT_VIEW=Which view do you want to open by default when selecting menu Agenda -AGENDA_REMINDER_BROWSER=Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). -AGENDA_REMINDER_BROWSER_SOUND=Enable sound notification -AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event). -AGENDA_REMINDER_EMAIL_NOTE=Note: The frequency of the scheduled job %s must be enough to be sure that the remind are sent at the correct moment. -AGENDA_SHOW_LINKED_OBJECT=Show linked object into agenda view -##### Clicktodial ##### -ClickToDialSetup=Click To Dial module setup -ClickToDialUrlDesc=Url called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). -ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. -ClickToDialUseTelLink=Use just a link "tel:" on phone numbers -ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface, installed on the same computer as the browser, and called when you click on a link starting with "tel:" in your browser. If you need a link that start with "sip:" or a full server solution (no need of local software installation), you must set this to "No" and fill the next field. +AgendaSetup = ইভেন্ট এবং এজেন্ডা মডিউল সেটআপ +AGENDA_DEFAULT_FILTER_TYPE = এজেন্ডা ভিউয়ের সার্চ ফিল্টারে এই ধরনের ইভেন্ট স্বয়ংক্রিয়ভাবে সেট করুন +AGENDA_DEFAULT_FILTER_STATUS = এজেন্ডা ভিউয়ের অনুসন্ধান ফিল্টারে ইভেন্টগুলির জন্য স্বয়ংক্রিয়ভাবে এই স্থিতি সেট করুন৷ +AGENDA_DEFAULT_VIEW = মেনু এজেন্ডা নির্বাচন করার সময় আপনি ডিফল্টরূপে কোন ভিউ খুলতে চান +AGENDA_EVENT_PAST_COLOR = অতীত ঘটনার রঙ +AGENDA_EVENT_CURRENT_COLOR = বর্তমান ইভেন্টের রঙ +AGENDA_EVENT_FUTURE_COLOR = ভবিষ্যতের ইভেন্টের রঙ +AGENDA_REMINDER_BROWSER = ইভেন্ট অনুস্মারক সক্ষম করুন ব্যবহারকারীর ব্রাউজারে (যখন স্মরণ করিয়ে দেওয়ার তারিখে পৌঁছে যায়, তখন ব্রাউজার দ্বারা একটি পপআপ দেখানো হয়। প্রতিটি ব্যবহারকারী করতে পারেন এর ব্রাউজার বিজ্ঞপ্তি সেটআপ থেকে এই ধরনের বিজ্ঞপ্তিগুলি অক্ষম করুন)। +AGENDA_REMINDER_BROWSER_SOUND = শব্দ বিজ্ঞপ্তি সক্রিয় করুন +AGENDA_REMINDER_EMAIL = ইভেন্ট অনুস্মারক সক্ষম করুন ইমেল দ্বারা (প্রতিটি ইভেন্টে অনুস্মারক বিকল্প/বিলম্ব সংজ্ঞায়িত করা যেতে পারে)। +AGENDA_REMINDER_EMAIL_NOTE = দ্রষ্টব্য: নির্ধারিত কাজের ফ্রিকোয়েন্সি %s সঠিক মুহুর্তে অনুস্মারক পাঠানো হয়েছে তা নিশ্চিত করার জন্য যথেষ্ট হতে হবে। +AGENDA_SHOW_LINKED_OBJECT = এজেন্ডা ভিউতে লিঙ্ক করা অবজেক্ট দেখান +AGENDA_USE_EVENT_TYPE = ইভেন্টের ধরন ব্যবহার করুন (মেনু সেটআপে পরিচালিত -> অভিধান -> এজেন্ডা ইভেন্টের ধরন) +AGENDA_USE_EVENT_TYPE_DEFAULT = ইভেন্ট তৈরি ফর্মে ইভেন্টের প্রকারের জন্য স্বয়ংক্রিয়ভাবে এই ডিফল্ট মান সেট করুন +PasswordTogetVCalExport = রপ্তানি লিঙ্ক অনুমোদন করার কী +PastDelayVCalExport=এর চেয়ে পুরানো ইভেন্ট রপ্তানি করবেন না +SecurityKey = নিরাপত্তা কী +##### ClickToDial ##### +ClickToDialSetup=মডিউল সেটআপ ডায়াল করতে ক্লিক করুন +ClickToDialUrlDesc=ফোন পিক্টোতে ক্লিক করলে URL বলা হয়। URL-এ, আপনি ট্যাগগুলি ব্যবহার করতে পারেন
      __PHONETO__ হবে কল করার জন্য ব্যক্তির ফোন নম্বর দিয়ে প্রতিস্থাপিত হয়েছে
      __PHONEFROM__ কল করা ব্যক্তির (আপনার) ফোন নম্বর দিয়ে প্রতিস্থাপিত হবে
      __LOGIN__b09a4b739f17f span> যা ক্লিকটোডিয়াল লগইন দিয়ে প্রতিস্থাপিত হবে (ব্যবহারকারী কার্ডে সংজ্ঞায়িত)
      __PASS__ যা ক্লিকটোডিয়াল পাসওয়ার্ড দিয়ে প্রতিস্থাপিত হবে (ব্যবহারকারী কার্ডে সংজ্ঞায়িত)। +ClickToDialDesc=এই মডিউলটি একটি ডেস্কটপ কম্পিউটার ব্যবহার করার সময় ফোন নম্বরগুলিকে ক্লিকযোগ্য লিঙ্কগুলিতে পরিবর্তন করে। একটি ক্লিক নম্বরে কল করবে। এটি আপনার ডেস্কটপে একটি নরম ফোন ব্যবহার করার সময় বা উদাহরণস্বরূপ SIP প্রোটোকলের উপর ভিত্তি করে একটি CTI সিস্টেম ব্যবহার করার সময় ফোন কল শুরু করতে ব্যবহার করা যেতে পারে। দ্রষ্টব্য: স্মার্টফোন ব্যবহার করার সময়, ফোন নম্বরগুলি সর্বদা ক্লিকযোগ্য। +ClickToDialUseTelLink=ফোন নম্বরগুলিতে শুধুমাত্র একটি লিঙ্ক "টেল:" ব্যবহার করুন৷ +ClickToDialUseTelLinkDesc=এই পদ্ধতিটি ব্যবহার করুন যদি আপনার ব্যবহারকারীদের একটি সফ্টফোন বা একটি সফ্টওয়্যার ইন্টারফেস থাকে, ব্রাউজার হিসাবে একই কম্পিউটারে ইনস্টল করা হয় এবং আপনি যখন আপনার ব্রাউজারে "tel:" দিয়ে শুরু হওয়া একটি লিঙ্কে ক্লিক করেন তখন কল করা হয়৷ আপনার যদি "sip:" বা একটি সম্পূর্ণ সার্ভার সমাধান (স্থানীয় সফ্টওয়্যার ইনস্টলেশনের প্রয়োজন নেই) দিয়ে শুরু হয় এমন একটি লিঙ্কের প্রয়োজন হলে, আপনাকে অবশ্যই এটি "না" তে সেট করতে হবে এবং পরবর্তী ক্ষেত্রটি পূরণ করতে হবে। ##### Point Of Sale (CashDesk) ##### -CashDesk=Point of Sale -CashDeskSetup=Point of Sales module setup -CashDeskThirdPartyForSell=Default generic third party to use for sales -CashDeskBankAccountForSell=Default account to use to receive cash payments -CashDeskBankAccountForCheque=Default account to use to receive payments by check -CashDeskBankAccountForCB=Default account to use to receive payments by credit cards -CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). -CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease -StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled -StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. -CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sale from Point of Sale. Hence a warehouse is required. -CashDeskForceDecreaseStockLabel=Stock decrease for batch products was forced. -CashDeskForceDecreaseStockDesc=Decrease first by the oldest eatby and sellby dates. -CashDeskReaderKeyCodeForEnter=Key code for "Enter" defined in barcode reader (Example: 13) +CashDesk=বিক্রয় বিন্দু +CashDeskSetup=বিক্রয় মডিউল সেটআপ পয়েন্ট +CashDeskThirdPartyForSell=বিক্রয়ের জন্য ব্যবহার করার জন্য ডিফল্ট জেনেরিক তৃতীয় পক্ষ +CashDeskBankAccountForSell=নগদ অর্থ প্রদানের জন্য ব্যবহার করার জন্য ডিফল্ট অ্যাকাউন্ট +CashDeskBankAccountForCheque=চেকের মাধ্যমে পেমেন্ট পেতে ব্যবহার করতে ডিফল্ট অ্যাকাউন্ট +CashDeskBankAccountForCB=ক্রেডিট কার্ড দ্বারা অর্থপ্রদান পেতে ব্যবহার করার জন্য ডিফল্ট অ্যাকাউন্ট +CashDeskBankAccountForSumup=SumUp দ্বারা অর্থপ্রদান পেতে ব্যবহার করার জন্য ডিফল্ট ব্যাঙ্ক অ্যাকাউন্ট৷ +CashDeskDoNotDecreaseStock=পয়েন্ট অফ সেল থেকে বিক্রয় করা হলে স্টক হ্রাস অক্ষম করুন +CashDeskDoNotDecreaseStockHelp=যদি "না" হয়, তাহলে মডিউল স্টকের বিকল্প নির্বিশেষে POS থেকে করা প্রতিটি বিক্রয়ের জন্য স্টক হ্রাস করা হয়। +CashDeskIdWareHouse=স্টক হ্রাসের জন্য গুদাম ব্যবহার করতে বাধ্য করুন এবং সীমাবদ্ধ করুন +StockDecreaseForPointOfSaleDisabled=বিক্রয় পয়েন্ট থেকে স্টক হ্রাস নিষ্ক্রিয় +StockDecreaseForPointOfSaleDisabledbyBatch=POS-এ স্টক হ্রাস মডিউল সিরিয়াল/লট পরিচালনার (বর্তমানে সক্রিয়) সাথে সামঞ্জস্যপূর্ণ নয় তাই স্টক হ্রাস অক্ষম করা হয়েছে। +CashDeskYouDidNotDisableStockDecease=পয়েন্ট অফ সেল থেকে বিক্রয় করার সময় আপনি স্টক হ্রাস অক্ষম করেননি। তাই একটি গুদাম প্রয়োজন। +CashDeskForceDecreaseStockLabel=ব্যাচ পণ্যের জন্য স্টক হ্রাস বাধ্য করা হয়. +CashDeskForceDecreaseStockDesc=প্রথমে কমিয়ে দিন সবচেয়ে পুরনো খাবার এবং বিক্রির খেজুর। +CashDeskReaderKeyCodeForEnter=বারকোড রিডারে সংজ্ঞায়িত "এন্টার" এর জন্য কী ASCII কোড (উদাহরণ: 13) ##### Bookmark ##### -BookmarkSetup=Bookmark module setup -BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or external web sites on your left menu. -NbOfBoomarkToShow=Maximum number of bookmarks to show in left menu +BookmarkSetup=বুকমার্ক মডিউল সেটআপ +BookmarkDesc=এই মডিউলটি আপনাকে বুকমার্ক পরিচালনা করতে দেয়। আপনি আপনার বাম মেনুতে যেকোন ডলিবার পৃষ্ঠা বা বহিরাগত ওয়েব সাইটগুলিতে শর্টকাট যোগ করতে পারেন। +NbOfBoomarkToShow=বাম মেনুতে দেখানোর জন্য বুকমার্কের সর্বাধিক সংখ্যা৷ ##### WebServices ##### -WebServicesSetup=Webservices module setup -WebServicesDesc=By enabling this module, Dolibarr become a web service server to provide miscellaneous web services. -WSDLCanBeDownloadedHere=WSDL descriptor files of provided services can be download here -EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at URL +WebServicesSetup=ওয়েব সার্ভিস মডিউল সেটআপ +WebServicesDesc=এই মডিউলটি সক্রিয় করার মাধ্যমে, Dolibarr বিবিধ ওয়েব পরিষেবা প্রদানের জন্য একটি ওয়েব পরিষেবা সার্ভার হয়ে ওঠে। +WSDLCanBeDownloadedHere=প্রদত্ত পরিষেবাগুলির WSDL বর্ণনাকারী ফাইলগুলি এখানে ডাউনলোড করা যেতে পারে +EndPointIs=SOAP ক্লায়েন্টদের অবশ্যই URL-এ উপলব্ধ Dolibarr এন্ডপয়েন্টে তাদের অনুরোধ পাঠাতে হবে ##### API #### -ApiSetup=API module setup -ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services. -ApiProductionMode=Enable production mode (this will activate use of a cache for services management) -ApiExporerIs=You can explore and test the APIs at URL -OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed -ApiKey=Key for API -WarningAPIExplorerDisabled=The API explorer has been disabled. API explorer is not required to provide API services. It is a tool for developer to find/test REST APIs. If you need this tool, go into setup of module API REST to activate it. +ApiSetup=API মডিউল সেটআপ +ApiDesc=এই মডিউলটি সক্রিয় করার মাধ্যমে, Dolibarr বিবিধ ওয়েব পরিষেবা প্রদানের জন্য একটি REST সার্ভার হয়ে ওঠে। +ApiProductionMode=উত্পাদন মোড সক্ষম করুন (এটি পরিষেবা পরিচালনার জন্য একটি ক্যাশের ব্যবহার সক্রিয় করবে) +ApiExporerIs=আপনি URL-এ APIs অন্বেষণ এবং পরীক্ষা করতে পারেন +OnlyActiveElementsAreExposed=শুধুমাত্র সক্রিয় মডিউল থেকে উপাদান উন্মুক্ত করা হয় +ApiKey=API-এর জন্য কী +WarningAPIExplorerDisabled=API এক্সপ্লোরার নিষ্ক্রিয় করা হয়েছে। API পরিষেবা প্রদানের জন্য API এক্সপ্লোরারের প্রয়োজন নেই। এটি ডেভেলপারের জন্য REST APIs খুঁজে/পরীক্ষা করার জন্য একটি টুল। আপনার যদি এই টুলের প্রয়োজন হয়, তাহলে এটি সক্রিয় করতে মডিউল API REST এর সেটআপে যান। ##### Bank ##### -BankSetupModule=Bank module setup -FreeLegalTextOnChequeReceipts=Free text on check receipts -BankOrderShow=Display order of bank accounts for countries using "detailed bank number" -BankOrderGlobal=General -BankOrderGlobalDesc=General display order -BankOrderES=Spanish -BankOrderESDesc=Spanish display order -ChequeReceiptsNumberingModule=Check Receipts Numbering Module +BankSetupModule=ব্যাংক মডিউল সেটআপ +FreeLegalTextOnChequeReceipts=চেকের রসিদে বিনামূল্যে পাঠ্য +BankOrderShow="বিশদ ব্যাঙ্ক নম্বর" ব্যবহার করা দেশগুলির জন্য ব্যাঙ্ক অ্যাকাউন্টের অর্ডার প্রদর্শন করুন +BankOrderGlobal=সাধারণ +BankOrderGlobalDesc=সাধারণ প্রদর্শনের আদেশ +BankOrderES=স্পেনীয় +BankOrderESDesc=স্প্যানিশ ডিসপ্লে অর্ডার +ChequeReceiptsNumberingModule=রসিদ নম্বর মডিউল চেক করুন ##### Multicompany ##### -MultiCompanySetup=Multi-company module setup +MultiCompanySetup=মাল্টি-কোম্পানি মডিউল সেটআপ ##### Suppliers ##### -SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of Purchase Order -SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template) -SuppliersInvoiceModel=Complete template of Vendor Invoice -SuppliersInvoiceNumberingModel=Vendor invoices numbering models -IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval +SuppliersSetup=বিক্রেতা মডিউল সেটআপ +SuppliersCommandModel=ক্রয় আদেশ সম্পূর্ণ টেমপ্লেট +SuppliersCommandModelMuscadet=ক্রয় আদেশের সম্পূর্ণ টেমপ্লেট (কর্ণাস টেমপ্লেটের পুরানো বাস্তবায়ন) +SuppliersInvoiceModel=ভেন্ডর ইনভয়েসের সম্পূর্ণ টেমপ্লেট +SuppliersInvoiceNumberingModel=বিক্রেতা চালান নম্বরিং মডেল +IfSetToYesDontForgetPermission=যদি একটি নন-নাল মান সেট করা হয়, তাহলে দ্বিতীয় অনুমোদনের জন্য অনুমোদিত গোষ্ঠী বা ব্যবহারকারীদের অনুমতি দিতে ভুলবেন না ##### GeoIPMaxmind ##### -GeoIPMaxmindSetup=GeoIP Maxmind module setup -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation.
      Examples:
      /usr/local/share/GeoIP/GeoIP.dat
      /usr/share/GeoIP/GeoIP.dat
      /usr/share/GeoIP/GeoLite2-Country.mmdb -NoteOnPathLocation=Note that your ip to country data file must be inside a directory your PHP can read (Check your PHP open_basedir setup and filesystem permissions). -YouCanDownloadFreeDatFileTo=You can download a free demo version of the Maxmind GeoIP country file at %s. -YouCanDownloadAdvancedDatFileTo=You can also download a more complete version, with updates, of the Maxmind GeoIP country file at %s. -TestGeoIPResult=Test of a conversion IP -> country +GeoIPMaxmindSetup=জিওআইপি ম্যাক্সমাইন্ড মডিউল সেটআপ +PathToGeoIPMaxmindCountryDataFile=ম্যাক্সমাইন্ড আইপি থেকে দেশের অনুবাদ ধারণকারী ফাইলের পথ +NoteOnPathLocation=মনে রাখবেন যে আপনার আইপি টু কান্ট্রি ডেটা ফাইলটি আপনার PHP পড়তে পারে এমন একটি ডিরেক্টরির মধ্যে থাকা আবশ্যক (আপনার PHP open_basedir সেটআপ এবং ফাইল সিস্টেমের অনুমতি পরীক্ষা করুন)। +YouCanDownloadFreeDatFileTo=আপনি ম্যাক্সমাইন্ড জিওআইপি কান্ট্রি ফাইলের একটি ফ্রি ডেমো সংস্করণ ডাউনলোড করতে পারেন b0ecb2ecz87f4 /span>। +YouCanDownloadAdvancedDatFileTo=এছাড়াও আপনি আরও সম্পূর্ণ সংস্করণ ডাউনলোড করতে পারেন, আপডেট সহ, %s. +TestGeoIPResult=একটি রূপান্তর আইপি পরীক্ষা -> দেশ ##### Projects ##### -ProjectsNumberingModules=Projects numbering module -ProjectsSetup=Project module setup -ProjectsModelModule=Project reports document model -TasksNumberingModules=Tasks numbering module -TaskModelModule=Tasks reports document model -UseSearchToSelectProject=Wait until a key is pressed before loading content of Project combo list.
      This may improve performance if you have a large number of projects, but it is less convenient. +ProjectsNumberingModules=প্রজেক্ট নম্বরিং মডিউল +ProjectsSetup=প্রকল্প মডিউল সেটআপ +ProjectsModelModule=প্রকল্প রিপোর্ট নথি মডেল +TasksNumberingModules=টাস্ক নম্বরিং মডিউল +TaskModelModule=কার্য রিপোর্ট নথি মডেল +UseSearchToSelectProject=প্রজেক্ট কম্বো তালিকার বিষয়বস্তু লোড করার আগে একটি কী চাপা না হওয়া পর্যন্ত অপেক্ষা করুন।
      আপনার যদি প্রচুর সংখ্যক প্রকল্প থাকে তবে এটি কম সুবিধাজনক। ##### ECM (GED) ##### ##### Fiscal Year ##### -AccountingPeriods=Accounting periods -AccountingPeriodCard=Accounting period -NewFiscalYear=New accounting period -OpenFiscalYear=Open accounting period -CloseFiscalYear=Close accounting period -DeleteFiscalYear=Delete accounting period -ConfirmDeleteFiscalYear=Are you sure to delete this accounting period? -ShowFiscalYear=Show accounting period -AlwaysEditable=Can always be edited -MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application) -NbMajMin=Minimum number of uppercase characters -NbNumMin=Minimum number of numeric characters -NbSpeMin=Minimum number of special characters -NbIteConsecutive=Maximum number of repeating same characters -NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation -SalariesSetup=Setup of module salaries -SortOrder=Sort order -Format=Format -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and suppliers payment type -IncludePath=Include path (defined into variable %s) -ExpenseReportsSetup=Setup of module Expense Reports -TemplatePDFExpenseReports=Document templates to generate expense report document -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules -ExpenseReportNumberingModules=Expense reports numbering module -NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only. -YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification". -TemplatesForNotifications=Templates for notifications -ListOfNotificationsPerUser=List of automatic notifications per user* -ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** -ListOfFixedNotifications=List of automatic fixed notifications -GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses -Threshold=Threshold -BackupDumpWizard=Wizard to build the database dump file -BackupZipWizard=Wizard to build the archive of documents directory -SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: -SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. -InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. -ConfFileMustContainCustom=Installing or building an external module from application need to save the module files into directory %s. To have this directory processed by Dolibarr, you must setup your conf/conf.php to add the 2 directive lines:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; -HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over -HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) -HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) -BtnActionColor=Color of the action button -TextBtnActionColor=Text color of the action button -TextTitleColor=Text color of Page title -LinkColor=Color of links -PressF5AfterChangingThis=Press CTRL+F5 on keyboard or clear your browser cache after changing this value to have it effective -NotSupportedByAllThemes=Will works with core themes, may not be supported by external themes -BackgroundColor=Background color -TopMenuBackgroundColor=Background color for Top menu -TopMenuDisableImages=Hide images in Top menu -LeftMenuBackgroundColor=Background color for Left menu -BackgroundTableTitleColor=Background color for Table title line -BackgroundTableTitleTextColor=Text color for Table title line -BackgroundTableTitleTextlinkColor=Text color for Table title link line -BackgroundTableLineOddColor=Background color for odd table lines -BackgroundTableLineEvenColor=Background color for even table lines -MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay) -NbAddedAutomatically=Number of days added to counters of users (automatically) each month -EnterAnyCode=This field contains a reference to identify the line. Enter any value of your choice, but without special characters. -Enter0or1=Enter 0 or 1 -UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] -ColorFormat=The RGB color is in HEX format, eg: FF0000 -PictoHelp=Icon name in dolibarr format ('image.png' if into the current theme directory, 'image.png@nom_du_module' if into the directory /img/ of a module) -PositionIntoComboList=Position of line into combo lists -SellTaxRate=Sales tax rate -RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. -UrlTrackingDesc=If the provider or transport service offers a page or web site to check the status of your shipments, you may enter it here. You can use the key {TRACKID} in the URL parameters so the system will replace it with the tracking number the user entered into the shipment card. -OpportunityPercent=When you create a lead, you will define an estimated amount of project/lead. According to status of the lead, this amount may be multiplied by this rate to evaluate a total amount all your leads may generate. Value is a percentage (between 0 and 100). -TemplateForElement=This mail template is related to what type of object? An email template is available only when using the "Send Email" button from the related object. -TypeOfTemplate=Type of template -TemplateIsVisibleByOwnerOnly=Template is visible to owner only -VisibleEverywhere=Visible everywhere -VisibleNowhere=Visible nowhere -FixTZ=TimeZone fix -FillFixTZOnlyIfRequired=Example: +2 (fill only if problem experienced) -ExpectedChecksum=Expected Checksum -CurrentChecksum=Current Checksum -ExpectedSize=Expected size -CurrentSize=Current size -ForcedConstants=Required constant values -MailToSendProposal=Customer proposals -MailToSendOrder=Sales orders -MailToSendInvoice=Customer invoices -MailToSendShipment=Shipments -MailToSendIntervention=Interventions -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices -MailToSendContract=Contracts -MailToSendReception=Receptions -MailToThirdparty=Third parties -MailToMember=Members -MailToUser=Users -MailToProject=Projects -MailToTicket=Tickets -ByDefaultInList=Show by default on list view -YouUseLastStableVersion=You use the latest stable version -TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) -TitleExampleForMaintenanceRelease=Example of message you can use to announce this maintenance release (feel free to use it on your web sites) -ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s is available. Version %s is a major release with a lot of new features for both users and developers. You can download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read ChangeLog for complete list of changes. -ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is available. Version %s is a maintenance version, so contains only bug fixes. We recommend all users to upgrade to this version. A maintenance release does not introduce new features or changes to the database. You may download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read the ChangeLog for complete list of changes. -MultiPriceRuleDesc=When option "Several levels of prices per product/service" is enabled, you can define different prices (one per price level) for each product. To save you time, here you may enter a rule to autocalculate a price for each level based on the price of the first level, so you will have to only enter a price for the first level for each product. This page is designed to save you time but is useful only if your prices for each level are relative to first level. You can ignore this page in most cases. -ModelModulesProduct=Templates for product documents -WarehouseModelModules=Templates for documents of warehouses -ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate codes automatically, you must first define a manager to auto-define the barcode number. -SeeSubstitutionVars=See * note for list of possible substitution variables -SeeChangeLog=See ChangeLog file (english only) -AllPublishers=All publishers -UnknownPublishers=Unknown publishers -AddRemoveTabs=Add or remove tabs -AddDataTables=Add object tables -AddDictionaries=Add dictionaries tables -AddData=Add objects or dictionaries data -AddBoxes=Add widgets -AddSheduledJobs=Add scheduled jobs -AddHooks=Add hooks -AddTriggers=Add triggers -AddMenus=Add menus -AddPermissions=Add permissions -AddExportProfiles=Add export profiles -AddImportProfiles=Add import profiles -AddOtherPagesOrServices=Add other pages or services -AddModels=Add document or numbering templates -AddSubstitutions=Add keys substitutions -DetectionNotPossible=Detection not possible -UrlToGetKeyToUseAPIs=Url to get token to use API (once token has been received it is saved in database user table and must be provided on each API call) -ListOfAvailableAPIs=List of available APIs -activateModuleDependNotSatisfied=Module "%s" depends on module "%s", that is missing, so module "%1$s" may not work correctly. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise -CommandIsNotInsideAllowedCommands=The command you are trying to run is not in the list of allowed commands defined in parameter $dolibarr_main_restrict_os_commands in the conf.php file. -LandingPage=Landing page -SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", the price will also be the same for all companies if products are shared between environments -ModuleEnabledAdminMustCheckRights=Module has been activated. Permissions for activated module(s) were given to admin users only. You may need to grant permissions to other users or groups manually if necessary. -UserHasNoPermissions=This user has no permissions defined -TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "%s")
      Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "%s" in days)
      Use "Current/Next" to have payment term date being the first Nth of the month after delta (delta is field "%s", N is stored into field "%s") -BaseCurrency=Reference currency of the company (go into setup of company to change this) -WarningNoteModuleInvoiceForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016). -WarningNoteModulePOSForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016) because module Non Reversible Logs is automatically activated. -WarningInstallationMayBecomeNotCompliantWithLaw=You are trying to install module %s that is an external module. Activating an external module means you trust the publisher of that module and that you are sure that this module does not adversely impact the behavior of your application, and is compliant with laws of your country (%s). If the module introduces an illegal feature, you become responsible for the use of illegal software. -MAIN_PDF_MARGIN_LEFT=Left margin on PDF -MAIN_PDF_MARGIN_RIGHT=Right margin on PDF -MAIN_PDF_MARGIN_TOP=Top margin on PDF -MAIN_PDF_MARGIN_BOTTOM=Bottom margin on PDF -MAIN_DOCUMENTS_LOGO_HEIGHT=Height for logo on PDF -MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Add column for picture on proposal lines -MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Width of the column if a picture is added on lines -MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame -MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code -MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block -PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions -PROPOSAL_PDF_HIDE_PAYMENTMODE=Hide payment mode -MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Add electronic sign in PDF -NothingToSetup=There is no specific setup required for this module. -SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes.
      For example:
      CODEGRP1+CODEGRP2 -SeveralLangugeVariatFound=Several language variants found -RemoveSpecialChars=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_DIGITARIA_CLEAN_REGEX=Regex filter to clean value (COMPANY_DIGITARIA_CLEAN_REGEX) -COMPANY_DIGITARIA_UNIQUE_CODE=Duplicate not allowed -GDPRContact=Data Protection Officer (DPO, Data Privacy or GDPR contact) -GDPRContactDesc=If you store data about European companies/citizens, you can name the contact who is responsible for the General Data Protection Regulation here -HelpOnTooltip=Help text to show on tooltip -HelpOnTooltipDesc=Put text or a translation key here for the text to show in a tooltip when this field appears in a form -YouCanDeleteFileOnServerWith=You can delete this file on the server with Command Line:
      %s -ChartLoaded=Chart of account loaded -SocialNetworkSetup=Setup of module Social Networks -EnableFeatureFor=Enable features for %s -VATIsUsedIsOff=Note: The option to use Sales Tax or VAT has been set to Off in the menu %s - %s, so Sales tax or Vat used will always be 0 for sales. -SwapSenderAndRecipientOnPDF=Swap sender and recipient address position on PDF documents -FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields and combo lists only. Also an URL parameter action=create or action=edit must be set OR page name must end with 'new.php' to trigger this feature. -EmailCollector=Email collector -EmailCollectorDescription=Add a scheduled job and a setup page to scan regularly email boxes (using IMAP protocol) and record emails received into your application, at the right place and/or create some records automatically (like leads). -NewEmailCollector=New Email Collector -EMailHost=Host of email IMAP server -MailboxSourceDirectory=Mailbox source directory -MailboxTargetDirectory=Mailbox target directory -EmailcollectorOperations=Operations to do by collector -EmailcollectorOperationsDesc=Operations are executed from top to bottom order -MaxEmailCollectPerCollect=Max number of emails collected per collect -CollectNow=Collect now -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ? -DateLastCollectResult=Date of latest collect try -DateLastcollectResultOk=Date of latest collect success -LastResult=Latest result -EmailCollectorConfirmCollectTitle=Email collect confirmation -EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ? -NoNewEmailToProcess=No new email (matching filters) to process -NothingProcessed=Nothing done -XEmailsDoneYActionsDone=%s emails qualified, %s emails successfully processed (for %s record/actions done) -RecordEvent=Record an event in agenda (with type Email sent or received) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation, with no third party otherwise) -CodeLastResult=Latest result code -NbOfEmailsInInbox=Number of emails in source directory -LoadThirdPartyFromName=Load third party searching on %s (load only) -LoadThirdPartyFromNameOrCreate=Load third party searching on %s (create if not found) -AttachJoinedDocumentsToObject=Save attached files into object documents if a ref of an object is found into email topic. -WithDolTrackingID=Message from a conversation initiated by a first email sent from Dolibarr -WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr -WithDolTrackingIDInMsgId=Message sent from Dolibarr -WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr -CreateCandidature=Create job application -FormatZip=Zip -MainMenuCode=Menu entry code (mainmenu) -ECMAutoTree=Show automatic ECM tree -OperationParamDesc=Define the rules to use to extract or set values.
      Example for operations that need to extract a name from email subject:
      name=EXTRACT:SUBJECT:Message from company ([^\n]*)
      Example for operations that create objects:
      objproperty1=SET:the value to set
      objproperty2=SET:a value including value of __objproperty1__
      objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a ; char as separator to extract or set several properties. -OpeningHours=Opening hours -OpeningHoursDesc=Enter here the regular opening hours of your company. -ResourceSetup=Configuration of Resource module -UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). -DisabledResourceLinkUser=Disable feature to link a resource to users -DisabledResourceLinkContact=Disable feature to link a resource to contacts -EnableResourceUsedInEventCheck=Enable feature to check if a resource is in use in an event -ConfirmUnactivation=Confirm module reset -OnMobileOnly=On small screen (smartphone) only -DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be "Prospect" or "Customer", but can't be both) -MAIN_OPTIMIZEFORTEXTBROWSER=Simplify interface for blind person -MAIN_OPTIMIZEFORTEXTBROWSERDesc=Enable this option if you are a blind person, or if you use the application from a text browser like Lynx or Links. -MAIN_OPTIMIZEFORCOLORBLIND=Change interface's color for color blind person -MAIN_OPTIMIZEFORCOLORBLINDDesc=Enable this option if you are a color blind person, in some case interface will change color setup to increase contrast. -Protanopia=Protanopia +AccountingPeriods=অ্যাকাউন্টিং সময়কাল +AccountingPeriodCard=নির্দিষ্ট হিসাব +NewFiscalYear=নতুন অ্যাকাউন্টিং সময়কাল +OpenFiscalYear=অ্যাকাউন্টিং সময়কাল খুলুন +CloseFiscalYear=অ্যাকাউন্টিং সময়কাল বন্ধ করুন +DeleteFiscalYear=অ্যাকাউন্টিং সময়কাল মুছুন +ConfirmDeleteFiscalYear=আপনি কি এই অ্যাকাউন্টিং সময়কাল মুছে ফেলার বিষয়ে নিশ্চিত? +ShowFiscalYear=অ্যাকাউন্টিং সময়কাল দেখান +AlwaysEditable=সবসময় সম্পাদনা করা যেতে পারে +MAIN_APPLICATION_TITLE=অ্যাপ্লিকেশনের দৃশ্যমান নাম বলপূর্বক (সতর্কতা: এখানে আপনার নিজের নাম সেট করলে ডলিড্রয়েড মোবাইল অ্যাপ্লিকেশন ব্যবহার করার সময় স্বয়ংক্রিয়ভাবে লগইন বৈশিষ্ট্যটি ভেঙে যেতে পারে) +NbMajMin=ন্যূনতম সংখ্যা বড় হাতের অক্ষর +NbNumMin=সাংখ্যিক অক্ষরের ন্যূনতম সংখ্যা +NbSpeMin=বিশেষ অক্ষরের ন্যূনতম সংখ্যা +NbIteConsecutive=একই অক্ষরের পুনরাবৃত্তির সর্বাধিক সংখ্যা +NoAmbiCaracAutoGeneration=স্বয়ংক্রিয় প্রজন্মের জন্য অস্পষ্ট অক্ষর ("1","l","i","|","0","O") ব্যবহার করবেন না +SalariesSetup=মডিউল বেতন সেটআপ +SortOrder=সাজানোর ক্রম +Format=বিন্যাস +TypePaymentDesc=0:গ্রাহকের অর্থপ্রদানের ধরন, 1:বিক্রেতার অর্থপ্রদানের ধরন, 2:উভয় গ্রাহক এবং সরবরাহকারী অর্থপ্রদানের ধরন +IncludePath=পথ অন্তর্ভুক্ত করুন (ভেরিয়েবলে সংজ্ঞায়িত %s) +ExpenseReportsSetup=মডিউল খরচ রিপোর্ট সেটআপ +TemplatePDFExpenseReports=ব্যয় প্রতিবেদন নথি তৈরি করতে নথির টেমপ্লেট +ExpenseReportsRulesSetup=মডিউল খরচ রিপোর্ট সেটআপ - নিয়ম +ExpenseReportNumberingModules=খরচ রিপোর্ট সংখ্যায়ন মডিউল +NoModueToManageStockIncrease=স্বয়ংক্রিয় স্টক বৃদ্ধি পরিচালনা করতে সক্ষম কোনো মডিউল সক্রিয় করা হয়নি। স্টক বৃদ্ধি শুধুমাত্র ম্যানুয়াল ইনপুট করা হবে. +YouMayFindNotificationsFeaturesIntoModuleNotification=আপনি মডিউল "বিজ্ঞপ্তি" সক্রিয় এবং কনফিগার করে ইমেল বিজ্ঞপ্তির জন্য বিকল্প খুঁজে পেতে পারেন। +TemplatesForNotifications=বিজ্ঞপ্তির জন্য টেমপ্লেট +ListOfNotificationsPerUser=ব্যবহারকারী প্রতি স্বয়ংক্রিয় বিজ্ঞপ্তির তালিকা* +ListOfNotificationsPerUserOrContact=সম্ভাব্য স্বয়ংক্রিয় বিজ্ঞপ্তির তালিকা (ব্যবসায়িক ইভেন্টে) প্রতি ব্যবহারকারী* বা প্রতি যোগাযোগের জন্য উপলব্ধ** +ListOfFixedNotifications=স্বয়ংক্রিয় স্থির বিজ্ঞপ্তিগুলির তালিকা +GoOntoUserCardToAddMore=ব্যবহারকারীদের জন্য বিজ্ঞপ্তি যোগ করতে বা সরাতে ব্যবহারকারীর "বিজ্ঞপ্তি" ট্যাবে যান +GoOntoContactCardToAddMore=পরিচিতি/ঠিকানার জন্য বিজ্ঞপ্তি যোগ করতে বা সরাতে তৃতীয় পক্ষের "বিজ্ঞপ্তি" ট্যাবে যান +Threshold=থ্রেশহোল্ড +BackupDumpWizard=ডাটাবেস ডাম্প ফাইল তৈরি করতে উইজার্ড +BackupZipWizard=নথির ডিরেক্টরির সংরক্ষণাগার তৈরি করতে উইজার্ড +SomethingMakeInstallFromWebNotPossible=নিম্নলিখিত কারণে ওয়েব ইন্টারফেস থেকে বাহ্যিক মডিউল ইনস্টল করা সম্ভব নয়: +SomethingMakeInstallFromWebNotPossible2=এই কারণে, এখানে বর্ণিত আপগ্রেড করার প্রক্রিয়াটি একটি ম্যানুয়াল প্রক্রিয়া শুধুমাত্র একজন বিশেষ সুবিধাপ্রাপ্ত ব্যবহারকারী সম্পাদন করতে পারেন। +InstallModuleFromWebHasBeenDisabledContactUs=অ্যাপ্লিকেশন থেকে বাহ্যিক মডিউল বা গতিশীল ওয়েবসাইটগুলির ইনস্টল বা বিকাশ বর্তমানে নিরাপত্তার উদ্দেশ্যে লক করা আছে। আপনি যদি এই বৈশিষ্ট্যটি সক্ষম করতে চান তাহলে অনুগ্রহ করে আমাদের সাথে যোগাযোগ করুন৷ +InstallModuleFromWebHasBeenDisabledByFile=অ্যাপ্লিকেশন থেকে বহিরাগত মডিউল ইনস্টল আপনার প্রশাসক দ্বারা নিষ্ক্রিয় করা হয়েছে. এটির অনুমতি দেওয়ার জন্য আপনাকে অবশ্যই তাকে %s ফাইলটি সরাতে বলতে হবে বৈশিষ্ট্য +ConfFileMustContainCustom=অ্যাপ্লিকেশন থেকে একটি বাহ্যিক মডিউল ইনস্টল বা নির্মাণ করার জন্য মডিউল ফাইলগুলিকে %s ডিরেক্টরিতে সংরক্ষণ করতে হবে . Dolibarr দ্বারা এই ডিরেক্টরিটি প্রক্রিয়া করার জন্য, আপনাকে অবশ্যই আপনার conf/conf.php সেটআপ করতে হবে 2টি নির্দেশিক লাইন যোগ করতে:
      $dolibarr_main_url_root_alt='/custom';b0a65dc>b0a65d0 ='notranslate'>
      $dolibarr_main_document_root_alt='b0ecb2ec87f49fzmto '>
      +HighlightLinesOnMouseHover=মাউস সরে গেলে টেবিল লাইন হাইলাইট করুন +HighlightLinesColor=মাউস অতিক্রম করার সময় লাইনের রঙ হাইলাইট করুন (হাইলাইট না করার জন্য 'ffffff' ব্যবহার করুন) +HighlightLinesChecked=যখন এটি চেক করা হয় তখন লাইনের রঙ হাইলাইট করুন (কোন হাইলাইটের জন্য 'ffffff' ব্যবহার করুন) +UseBorderOnTable=টেবিলে বাম-ডান সীমানা দেখান +TableLineHeight=টেবিল লাইন উচ্চতা +BtnActionColor=অ্যাকশন বোতামের রঙ +TextBtnActionColor=অ্যাকশন বোতামের পাঠ্য রঙ +TextTitleColor=পৃষ্ঠার শিরোনামের পাঠ্য রঙ +LinkColor=লিঙ্কের রঙ +PressF5AfterChangingThis=কীবোর্ডে CTRL+F5 টিপুন অথবা এই মান পরিবর্তন করার পরে আপনার ব্রাউজার ক্যাশে সাফ করুন যাতে এটি কার্যকর হয় +NotSupportedByAllThemes=মূল থিমগুলির সাথে কাজ করবে, বহিরাগত থিম দ্বারা সমর্থিত নাও হতে পারে৷ +BackgroundColor=পেছনের রং +TopMenuBackgroundColor=শীর্ষ মেনুর জন্য পটভূমির রঙ +TopMenuDisableImages=শীর্ষ মেনুতে আইকন বা পাঠ্য +LeftMenuBackgroundColor=বাম মেনুর জন্য পটভূমির রঙ +BackgroundTableTitleColor=টেবিল শিরোনাম লাইনের জন্য পটভূমির রঙ +BackgroundTableTitleTextColor=টেবিল শিরোনাম লাইনের জন্য পাঠ্য রঙ +BackgroundTableTitleTextlinkColor=টেবিল শিরোনাম লিঙ্ক লাইনের জন্য পাঠ্য রঙ +BackgroundTableLineOddColor=বিজোড় টেবিল লাইনের জন্য পটভূমির রঙ +BackgroundTableLineEvenColor=এমনকি টেবিল লাইনের জন্য পটভূমির রঙ +MinimumNoticePeriod=ন্যূনতম নোটিশ সময়কাল (আপনার ছুটির অনুরোধ এই বিলম্বের আগে করা আবশ্যক) +NbAddedAutomatically=প্রতি মাসে ব্যবহারকারীদের কাউন্টারে যোগ করা দিনের সংখ্যা (স্বয়ংক্রিয়ভাবে) +EnterAnyCode=এই ক্ষেত্রটিতে লাইন সনাক্ত করার জন্য একটি রেফারেন্স রয়েছে। আপনার পছন্দের যেকোনো মান লিখুন, কিন্তু বিশেষ অক্ষর ছাড়াই। +Enter0or1=0 বা 1 লিখুন +UnicodeCurrency=এখানে ধনুর্বন্ধনীর মধ্যে লিখুন, বাইট নম্বরের তালিকা যা মুদ্রার প্রতীককে উপস্থাপন করে। উদাহরণস্বরূপ: $ এর জন্য, লিখুন [36] - ব্রাজিলের আসল R$ [82,36] - € এর জন্য, [8364] লিখুন +ColorFormat=RGB রঙটি HEX ফর্ম্যাটে, যেমন: FF0000৷ +PictoHelp=বিন্যাসে আইকনের নাম:
      - বর্তমান থিম ডিরেক্টরিতে একটি চিত্র ফাইলের জন্য image.png
      - image.png@module যদি ফাইলটি একটি মডিউলের /img/ ডিরেক্টরিতে থাকে
      - একটি FontAwesome fa-xxx ছবির জন্য fa-xxx
      - একটি FontAwesome fa-xxx পিক্টোর জন্য fontawesome_xxx_fa_color_size (উপসর্গ, রঙ এবং আকার সেট সহ) +PositionIntoComboList=কম্বো তালিকায় লাইনের অবস্থান +SellTaxRate=বিক্রয় করের হার +RecuperableOnly=হ্যাঁ ভ্যাটের জন্য "অনুভূত নয় কিন্তু পুনরুদ্ধারযোগ্য" ফ্রান্সের কিছু রাজ্যের জন্য উত্সর্গীকৃত৷ অন্য সব ক্ষেত্রে "না" মান রাখুন। +UrlTrackingDesc=যদি প্রদানকারী বা পরিবহন পরিষেবা আপনার চালানের স্থিতি পরীক্ষা করার জন্য একটি পৃষ্ঠা বা ওয়েব সাইট অফার করে, আপনি এটি এখানে লিখতে পারেন। আপনি URL প্যারামিটারে {TRACKID} কী ব্যবহার করতে পারেন যাতে সিস্টেম এটিকে ব্যবহারকারীর শিপমেন্ট কার্ডে প্রবেশ করা ট্র্যাকিং নম্বর দিয়ে প্রতিস্থাপন করবে। +OpportunityPercent=যখন আপনি একটি লিড তৈরি করেন, তখন আপনি একটি আনুমানিক পরিমাণ প্রকল্প/লিড নির্ধারণ করবেন। লিডের স্থিতি অনুসারে, আপনার সমস্ত লিড তৈরি করতে পারে এমন মোট পরিমাণ মূল্যায়ন করতে এই পরিমাণটি এই হার দ্বারা গুণিত হতে পারে। মান হল একটি শতাংশ (0 এবং 100 এর মধ্যে)। +TemplateForElement=এই মেইল টেমপ্লেট কি ধরনের বস্তুর সাথে সম্পর্কিত? সম্পর্কিত বস্তু থেকে "ইমেল পাঠান" বোতাম ব্যবহার করার সময়ই একটি ইমেল টেমপ্লেট পাওয়া যায়৷ +TypeOfTemplate=টেমপ্লেটের ধরন +TemplateIsVisibleByOwnerOnly=টেমপ্লেট শুধুমাত্র মালিকের কাছে দৃশ্যমান +VisibleEverywhere=সর্বত্র দৃশ্যমান +VisibleNowhere=কোথাও দেখা যাচ্ছে না +FixTZ=টাইমজোন ফিক্স +FillFixTZOnlyIfRequired=উদাহরণ: +2 (সমস্যা থাকলেই পূরণ করুন) +ExpectedChecksum=প্রত্যাশিত চেকসাম +CurrentChecksum=বর্তমান চেকসাম +ExpectedSize=প্রত্যাশিত আকার +CurrentSize=বর্তমান আকার +ForcedConstants=প্রয়োজনীয় ধ্রুবক মান +MailToSendProposal=গ্রাহক প্রস্তাব +MailToSendOrder=বিক্রয় আদেশ +MailToSendInvoice=গ্রাহক চালান +MailToSendShipment=চালান +MailToSendIntervention=হস্তক্ষেপ +MailToSendSupplierRequestForQuotation=উদ্ধৃত অণুরোধ +MailToSendSupplierOrder=ক্রয় আদেশ +MailToSendSupplierInvoice=বিক্রেতা চালান +MailToSendContract=চুক্তি +MailToSendReception=অভ্যর্থনা +MailToExpenseReport=খরচ রিপোর্ট +MailToThirdparty=তৃতীয় পক্ষ +MailToMember=সদস্যরা +MailToUser=ব্যবহারকারীদের +MailToProject=প্রকল্প +MailToTicket=টিকিট +ByDefaultInList=তালিকা দৃশ্যে ডিফল্টরূপে দেখান +YouUseLastStableVersion=আপনি সর্বশেষ স্থিতিশীল সংস্করণ ব্যবহার করুন +TitleExampleForMajorRelease=এই বড় রিলিজটি ঘোষণা করতে আপনি যে বার্তা ব্যবহার করতে পারেন তার উদাহরণ (আপনার ওয়েব সাইটগুলিতে এটি ব্যবহার করতে নির্দ্বিধায়) +TitleExampleForMaintenanceRelease=এই রক্ষণাবেক্ষণ রিলিজটি ঘোষণা করতে আপনি ব্যবহার করতে পারেন এমন বার্তার উদাহরণ (আপনার ওয়েব সাইটগুলিতে এটি ব্যবহার করতে নির্দ্বিধায়) +ExampleOfNewsMessageForMajorRelease=Dolibarr ERP এবং CRM %s উপলব্ধ। সংস্করণ %s ব্যবহারকারী এবং বিকাশকারী উভয়ের জন্য অনেক নতুন বৈশিষ্ট্য সহ একটি প্রধান প্রকাশ। আপনি এটি https://www.dolibarr.org পোর্টালের ডাউনলোড এলাকা থেকে ডাউনলোড করতে পারেন (সাবডিরেক্টরি স্ট্যাবল সংস্করণ)। পরিবর্তনের সম্পূর্ণ তালিকার জন্য আপনি ChangeLog পড়তে পারেন। +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP এবং CRM %s উপলব্ধ। সংস্করণ %s একটি রক্ষণাবেক্ষণ সংস্করণ, তাই এতে শুধুমাত্র বাগ সংশোধন রয়েছে। আমরা সমস্ত ব্যবহারকারীদের এই সংস্করণে আপগ্রেড করার পরামর্শ দিই৷ একটি রক্ষণাবেক্ষণ রিলিজ ডাটাবেসের নতুন বৈশিষ্ট্য বা পরিবর্তনগুলি প্রবর্তন করে না। আপনি এটি https://www.dolibarr.org পোর্টালের ডাউনলোড এলাকা থেকে ডাউনলোড করতে পারেন (সাবডিরেক্টরি স্ট্যাবল সংস্করণ)। পরিবর্তনের সম্পূর্ণ তালিকার জন্য আপনি ChangeLog পড়তে পারেন। +MultiPriceRuleDesc=যখন বিকল্প "পণ্য/পরিষেবা প্রতি মূল্যের বেশ কয়েকটি স্তর" সক্ষম করা থাকে, তখন আপনি প্রতিটি পণ্যের জন্য বিভিন্ন মূল্য (মূল্য স্তরের প্রতি একটি) সংজ্ঞায়িত করতে পারেন। আপনার সময় বাঁচাতে, এখানে আপনি প্রথম স্তরের মূল্যের উপর ভিত্তি করে প্রতিটি স্তরের জন্য একটি মূল্য স্বয়ংক্রিয়ভাবে গণনা করার জন্য একটি নিয়ম লিখতে পারেন, তাই আপনাকে প্রতিটি পণ্যের জন্য শুধুমাত্র প্রথম স্তরের জন্য একটি মূল্য লিখতে হবে৷ এই পৃষ্ঠাটি আপনার সময় বাঁচানোর জন্য ডিজাইন করা হয়েছে কিন্তু শুধুমাত্র তখনই উপযোগী যদি প্রতিটি স্তরের জন্য আপনার মূল্য প্রথম স্তরের সাথে আপেক্ষিক হয়। আপনি বেশিরভাগ ক্ষেত্রে এই পৃষ্ঠাটিকে উপেক্ষা করতে পারেন। +ModelModulesProduct=পণ্য নথি জন্য টেমপ্লেট +WarehouseModelModules=গুদামগুলির নথিগুলির জন্য টেমপ্লেট৷ +ToGenerateCodeDefineAutomaticRuleFirst=কোডগুলি স্বয়ংক্রিয়ভাবে তৈরি করতে সক্ষম হওয়ার জন্য, আপনাকে প্রথমে বারকোড নম্বর স্বয়ংক্রিয়ভাবে সংজ্ঞায়িত করতে একজন পরিচালককে সংজ্ঞায়িত করতে হবে। +SeeSubstitutionVars=সম্ভাব্য প্রতিস্থাপন ভেরিয়েবলের তালিকার জন্য * নোট দেখুন +SeeChangeLog=চেঞ্জলগ ফাইল দেখুন (শুধুমাত্র ইংরেজি) +AllPublishers=সকল প্রকাশক +UnknownPublishers=অজানা প্রকাশক +AddRemoveTabs=ট্যাব যোগ করুন বা সরান +AddDataTables=অবজেক্ট টেবিল যোগ করুন +AddDictionaries=অভিধান টেবিল যোগ করুন +AddData=বস্তু বা অভিধান ডেটা যোগ করুন +AddBoxes=উইজেট যোগ করুন +AddSheduledJobs=নির্ধারিত কাজ যোগ করুন +AddHooks=হুক যোগ করুন +AddTriggers=ট্রিগার যোগ করুন +AddMenus=মেনু যোগ করুন +AddPermissions=অনুমতি যোগ করুন +AddExportProfiles=এক্সপোর্ট প্রোফাইল যোগ করুন +AddImportProfiles=আমদানি প্রোফাইল যোগ করুন +AddOtherPagesOrServices=অন্যান্য পৃষ্ঠা বা পরিষেবা যোগ করুন +AddModels=নথি বা নম্বরিং টেমপ্লেট যোগ করুন +AddSubstitutions=কী প্রতিস্থাপন যোগ করুন +DetectionNotPossible=সনাক্তকরণ সম্ভব নয় +UrlToGetKeyToUseAPIs=API ব্যবহার করার জন্য টোকেন পেতে Url (একবার টোকেন প্রাপ্ত হলে এটি ডাটাবেস ব্যবহারকারী টেবিলে সংরক্ষিত হয় এবং প্রতিটি API কলে অবশ্যই প্রদান করতে হবে) +ListOfAvailableAPIs=উপলব্ধ API-এর তালিকা +activateModuleDependNotSatisfied=মডিউল "%s" মডিউল "%s" এর উপর নির্ভর করে, এটি অনুপস্থিত, তাই মডিউল " %1$s" সঠিকভাবে কাজ নাও করতে পারে। আপনি যদি কোনো বিস্ময় থেকে নিরাপদ থাকতে চান তাহলে অনুগ্রহ করে "%2$s" মডিউল ইনস্টল করুন বা "%1$s" মডিউলটি নিষ্ক্রিয় করুন +CommandIsNotInsideAllowedCommands=আপনি যে কমান্ডটি চালানোর চেষ্টা করছেন সেটি প্যারামিটারে সংজ্ঞায়িত অনুমোদিত কমান্ডের তালিকায় নেই $dolibarr_main_restrict_os_commands class='notranslate'>
      conf.php ফাইল। +LandingPage=অবতরণ পাতা +SamePriceAlsoForSharedCompanies=আপনি যদি একটি মাল্টিকোম্পানি মডিউল ব্যবহার করেন, "একক মূল্য" পছন্দের সাথে, পণ্যগুলি পরিবেশের মধ্যে ভাগ করা হলে মূল্যও সমস্ত কোম্পানির জন্য একই হবে +ModuleEnabledAdminMustCheckRights=মডিউল সক্রিয় করা হয়েছে. সক্রিয় মডিউল (গুলি) জন্য অনুমতি শুধুমাত্র প্রশাসক ব্যবহারকারীদের দেওয়া হয়েছে. প্রয়োজনে আপনাকে অন্য ব্যবহারকারী বা গোষ্ঠীকে ম্যানুয়ালি অনুমতি দিতে হতে পারে। +UserHasNoPermissions=এই ব্যবহারকারীর কোন অনুমতি সংজ্ঞায়িত নেই +TypeCdr=যদি অর্থপ্রদানের মেয়াদের তারিখটি ইনভয়েসের তারিখ এবং দিনের মধ্যে একটি ডেল্টা হয় (ডেল্টা হল "%s")
      span>"মাসের শেষে" ব্যবহার করুন, যদি, ডেল্টার পরে, মাসের শেষে পৌঁছানোর জন্য তারিখ অবশ্যই বাড়াতে হবে (+ একটি ঐচ্ছিক "%s" দিনে)
      "বর্তমান/পরবর্তী" ব্যবহার করুন যাতে অর্থপ্রদানের মেয়াদ ডেল্টার পর মাসের প্রথম Nth তারিখ হয় (ডেল্টা হল "%s" , N "%s") ক্ষেত্রে সংরক্ষণ করা হয় +BaseCurrency=কোম্পানির রেফারেন্স মুদ্রা (এটি পরিবর্তন করতে কোম্পানির সেটআপে যান) +WarningNoteModuleInvoiceForFrenchLaw=এই মডিউল %s ফরাসি আইনের সাথে সঙ্গতিপূর্ণ (Loi Finance 2016)। +WarningNoteModulePOSForFrenchLaw=এই মডিউল %s ফরাসি আইন (Loi Finance 2016) এর সাথে সঙ্গতিপূর্ণ কারণ মডিউল নন-রিভার্সিবল লগগুলি স্বয়ংক্রিয়ভাবে সক্রিয় হয়৷ +WarningInstallationMayBecomeNotCompliantWithLaw=আপনি %s মডিউল ইনস্টল করার চেষ্টা করছেন যেটি একটি বাহ্যিক মডিউল। একটি বাহ্যিক মডিউল সক্রিয় করার অর্থ হল আপনি সেই মডিউলটির প্রকাশককে বিশ্বাস করেন এবং আপনি নিশ্চিত যে এই মডিউলটি আপনার অ্যাপ্লিকেশনের আচরণে বিরূপ প্রভাব ফেলবে না এবং আপনার দেশের আইনের সাথে সঙ্গতিপূর্ণ (%s span>)। যদি মডিউলটি একটি অবৈধ বৈশিষ্ট্য প্রবর্তন করে, তাহলে আপনি অবৈধ সফ্টওয়্যার ব্যবহারের জন্য দায়ী হন৷ + +MAIN_PDF_MARGIN_LEFT=পিডিএফ-এ বাম মার্জিন +MAIN_PDF_MARGIN_RIGHT=পিডিএফ-এ ডান মার্জিন +MAIN_PDF_MARGIN_TOP=পিডিএফ-এ শীর্ষ মার্জিন +MAIN_PDF_MARGIN_BOTTOM=পিডিএফে নিচের মার্জিন +MAIN_DOCUMENTS_LOGO_HEIGHT=পিডিএফ-এ লোগোর উচ্চতা +DOC_SHOW_FIRST_SALES_REP=প্রথম বিক্রয় প্রতিনিধি দেখান +MAIN_GENERATE_PROPOSALS_WITH_PICTURE=প্রস্তাব লাইনে ছবির জন্য কলাম যোগ করুন +MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=লাইনে ছবি যোগ করা হলে কলামের প্রস্থ +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=উদ্ধৃতি অনুরোধে ইউনিট মূল্য কলাম লুকান +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=উদ্ধৃতি অনুরোধে মোট মূল্য কলাম লুকান +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=ক্রয় আদেশে ইউনিট মূল্য কলাম লুকান +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=puchase অর্ডারে মোট মূল্য কলাম লুকান +MAIN_PDF_NO_SENDER_FRAME=প্রেরকের ঠিকানা ফ্রেমে সীমানা লুকান +MAIN_PDF_NO_RECIPENT_FRAME=প্রাপকের ঠিকানা ফ্রেমে সীমানা লুকান +MAIN_PDF_HIDE_CUSTOMER_CODE=গ্রাহক কোড লুকান +MAIN_PDF_HIDE_SENDER_NAME=ঠিকানা ব্লকে প্রেরক/কোম্পানীর নাম লুকান +PROPOSAL_PDF_HIDE_PAYMENTTERM=পেমেন্ট শর্ত লুকান +PROPOSAL_PDF_HIDE_PAYMENTMODE=পেমেন্ট মোড লুকান +MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=PDF এ ইলেকট্রনিক সাইন যোগ করুন +NothingToSetup=এই মডিউলটির জন্য কোন নির্দিষ্ট সেটআপের প্রয়োজন নেই। +SetToYesIfGroupIsComputationOfOtherGroups=যদি এই গোষ্ঠীটি অন্য গোষ্ঠীগুলির একটি গণনা হয় তবে এটিকে হ্যাঁতে সেট করুন৷ +EnterCalculationRuleIfPreviousFieldIsYes=আগের ক্ষেত্র হ্যাঁ সেট করা থাকলে গণনার নিয়ম লিখুন।
      উদাহরণস্বরূপ:
      CODEGRP1+CODEGRP2 +SeveralLangugeVariatFound=বেশ কিছু ভাষার রূপ পাওয়া গেছে +RemoveSpecialChars=বিশেষ অক্ষর সরান +COMPANY_AQUARIUM_CLEAN_REGEX=মান পরিষ্কার করতে রেজেক্স ফিল্টার (COMPANY_AQUARIUM_CLEAN_REGEX) +COMPANY_AQUARIUM_NO_PREFIX=উপসর্গ ব্যবহার করবেন না, শুধুমাত্র গ্রাহক বা সরবরাহকারী কোড অনুলিপি করুন +COMPANY_DIGITARIA_CLEAN_REGEX=মান পরিষ্কার করতে রেজেক্স ফিল্টার (COMPANY_DIGITARIA_CLEAN_REGEX) +COMPANY_DIGITARIA_UNIQUE_CODE=ডুপ্লিকেট অনুমোদিত নয় +RemoveSpecialWords=গ্রাহক বা সরবরাহকারীদের জন্য উপ-অ্যাকাউন্ট তৈরি করার সময় নির্দিষ্ট শব্দগুলি পরিষ্কার করুন +RemoveSpecialWordsHelp=গ্রাহক বা সরবরাহকারীর হিসাব গণনা করার আগে পরিষ্কার করতে হবে এমন শব্দ উল্লেখ করুন। ব্যবহার করা ";" প্রতিটি শব্দের মধ্যে +GDPRContact=ডেটা সুরক্ষা অফিসার (DPO, ডেটা গোপনীয়তা বা GDPR যোগাযোগ) +GDPRContactDesc=আপনি যদি আপনার ইনফরমেশন সিস্টেমে ব্যক্তিগত ডেটা সঞ্চয় করেন, তাহলে আপনি এখানে সাধারণ ডেটা সুরক্ষা প্রবিধানের জন্য দায়ী পরিচিতের নাম দিতে পারেন +HelpOnTooltip=টুলটিপে দেখানোর জন্য পাঠ্য সাহায্য করুন +HelpOnTooltipDesc=এই ক্ষেত্রটি একটি ফর্মে উপস্থিত হলে একটি টুলটিপে পাঠ্য দেখানোর জন্য এখানে পাঠ্য বা একটি অনুবাদ কী রাখুন +YouCanDeleteFileOnServerWith=আপনি কমান্ড লাইন দিয়ে সার্ভারে এই ফাইলটি মুছে ফেলতে পারেন:
      %s +ChartLoaded=অ্যাকাউন্টের চার্ট লোড হয়েছে +SocialNetworkSetup=মডিউল সামাজিক নেটওয়ার্ক সেটআপ +EnableFeatureFor=%s এর জন্য বৈশিষ্ট্যগুলি সক্ষম করুন +VATIsUsedIsOff=দ্রষ্টব্য: বিক্রয় কর বা ভ্যাট ব্যবহারের বিকল্পটি মেনুতে বন্ধ সেট করা হয়েছে '>%s
      - %s, তাই বিক্রয় কর বা ভ্যাট সর্বদা বিক্রয়ের জন্য 0 হবে। +SwapSenderAndRecipientOnPDF=PDF নথিতে প্রেরক এবং প্রাপকের ঠিকানার অবস্থান অদলবদল করুন +FeatureSupportedOnTextFieldsOnly=সতর্কতা, বৈশিষ্ট্য শুধুমাত্র পাঠ্য ক্ষেত্র এবং কম্বো তালিকায় সমর্থিত। এছাড়াও একটি URL প্যারামিটার action=create or action=edit সেট করতে হবে অথবা এই বৈশিষ্ট্যটিকে ট্রিগার করতে পৃষ্ঠার নাম অবশ্যই 'new.php' দিয়ে শেষ করতে হবে। +EmailCollector=ইমেল সংগ্রাহক +EmailCollectors=ইমেল সংগ্রাহক +EmailCollectorDescription=নিয়মিত ইমেল বক্স (IMAP প্রোটোকল ব্যবহার করে) স্ক্যান করতে একটি নির্ধারিত কাজ এবং একটি সেটআপ পৃষ্ঠা যোগ করুন এবং আপনার অ্যাপ্লিকেশনে প্রাপ্ত ইমেলগুলি সঠিক জায়গায় রেকর্ড করুন এবং/অথবা স্বয়ংক্রিয়ভাবে কিছু রেকর্ড তৈরি করুন (যেমন লিড)। +NewEmailCollector=নতুন ইমেইল কালেক্টর +EMailHost=ইমেল IMAP সার্ভারের হোস্ট +EMailHostPort=ইমেল IMAP সার্ভারের পোর্ট +loginPassword=প্রবেশের গুপ্তসংকেত +oauthToken=OAuth2 টোকেন +accessType=অ্যাক্সেসের ধরন +oauthService=Oauth পরিষেবা +TokenMustHaveBeenCreated=মডিউল OAuth2 অবশ্যই সক্ষম হতে হবে এবং সঠিক অনুমতির সাথে একটি oauth2 টোকেন তৈরি করা আবশ্যক (উদাহরণস্বরূপ Gmail এর জন্য OAuth এর সাথে "gmail_full" স্কোপ)। +ImapEncryption = IMAP এনক্রিপশন পদ্ধতি +ImapEncryptionHelp = উদাহরণ: none, ssl, tls, notls +NoRSH = NoRSH কনফিগারেশন ব্যবহার করুন +NoRSHHelp = একটি IMAP প্রাক-শনাক্তকরণ সেশন প্রতিষ্ঠা করতে RSH বা SSH প্রোটোকল ব্যবহার করবেন না +MailboxSourceDirectory=মেইলবক্স উৎস ডিরেক্টরি +MailboxTargetDirectory=মেইলবক্স টার্গেট ডিরেক্টরি +EmailcollectorOperations=সংগ্রাহক দ্বারা অপারেশন +EmailcollectorOperationsDesc=অপারেশনগুলি উপরে থেকে নীচের ক্রম পর্যন্ত সঞ্চালিত হয় +MaxEmailCollectPerCollect=প্রতি সংগ্রহে সংগৃহীত ইমেলের সর্বাধিক সংখ্যা +TestCollectNow=পরীক্ষা সংগ্রহ +CollectNow=এখন সংগ্রহ করুন +ConfirmCloneEmailCollector=আপনি কি নিশ্চিত যে আপনি ইমেল সংগ্রাহক %s ক্লোন করতে চান? +DateLastCollectResult=সর্বশেষ সংগ্রহের চেষ্টার তারিখ +DateLastcollectResultOk=সর্বশেষ সংগ্রহ সাফল্যের তারিখ +LastResult=সর্বশেষ ফলাফল +EmailCollectorHideMailHeaders=সংগৃহীত ই-মেইলের সংরক্ষিত বিষয়বস্তুতে ইমেল হেডারের বিষয়বস্তু অন্তর্ভুক্ত করবেন না +EmailCollectorHideMailHeadersHelp=সক্রিয় করা হলে, ইমেল বিষয়বস্তুর শেষে ই-মেইল শিরোনাম যোগ করা হয় না যা একটি এজেন্ডা ইভেন্ট হিসাবে সংরক্ষিত হয়। +EmailCollectorConfirmCollectTitle=ইমেইল সংগ্রহ নিশ্চিতকরণ +EmailCollectorConfirmCollect=আপনি কি এখন এই সংগ্রাহক চালাতে চান? +EmailCollectorExampleToCollectTicketRequestsDesc=কিছু নিয়মের সাথে মেলে এমন ইমেলগুলি সংগ্রহ করুন এবং ইমেল তথ্য সহ স্বয়ংক্রিয়ভাবে একটি টিকিট (মডিউল টিকিট সক্ষম হতে হবে) তৈরি করুন৷ আপনি এই সংগ্রাহকটি ব্যবহার করতে পারেন যদি আপনি ইমেলের মাধ্যমে কিছু সহায়তা প্রদান করেন, তাই আপনার টিকিটের অনুরোধ স্বয়ংক্রিয়ভাবে তৈরি হবে। টিকিট ভিউতে সরাসরি আপনার ক্লায়েন্টের উত্তর সংগ্রহ করতে Collect_Responses সক্রিয় করুন (আপনাকে অবশ্যই Dolibarr থেকে উত্তর দিতে হবে)। +EmailCollectorExampleToCollectTicketRequests=টিকিটের অনুরোধ সংগ্রহের উদাহরণ (শুধুমাত্র প্রথম বার্তা) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=আপনার ইমেল সফ্টওয়্যার থেকে সরাসরি অন্য ইমেলের উত্তর হিসাবে পাঠানো ইমেলগুলি খুঁজে পেতে আপনার মেলবক্স "প্রেরিত" ডিরেক্টরি স্ক্যান করুন এবং Dolibarr থেকে নয়৷ যদি এই ধরনের একটি ইমেল পাওয়া যায়, উত্তরের ঘটনা ডলিবারে রেকর্ড করা হয় +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=একটি বহিরাগত ই-মেইল সফ্টওয়্যার থেকে পাঠানো ই-মেইল উত্তর সংগ্রহের উদাহরণ +EmailCollectorExampleToCollectDolibarrAnswersDesc=সমস্ত ইমেল সংগ্রহ করুন যেগুলি আপনার অ্যাপ্লিকেশন থেকে পাঠানো একটি ইমেলের উত্তর। ইমেল প্রতিক্রিয়া সহ একটি ইভেন্ট (মডিউল এজেন্ডা সক্ষম হতে হবে) ভাল জায়গায় রেকর্ড করা হবে। উদাহরণস্বরূপ, আপনি যদি অ্যাপ্লিকেশন থেকে ইমেলের মাধ্যমে একটি টিকিটের জন্য একটি বাণিজ্যিক প্রস্তাব, অর্ডার, চালান বা বার্তা পাঠান এবং প্রাপক আপনার ইমেলের উত্তর দেন, তাহলে সিস্টেম স্বয়ংক্রিয়ভাবে উত্তরটি ধরবে এবং এটি আপনার ERP-তে যোগ করবে। +EmailCollectorExampleToCollectDolibarrAnswers=ডলিবার' থেকে প্রেরিত বার্তাগুলির উত্তর হিসাবে সমস্ত আগত বার্তা সংগ্রহের উদাহরণ +EmailCollectorExampleToCollectLeadsDesc=কিছু নিয়মের সাথে মেলে এমন ইমেলগুলি সংগ্রহ করুন এবং ইমেল তথ্য সহ স্বয়ংক্রিয়ভাবে একটি লিড (মডিউল প্রকল্প সক্ষম হতে হবে) তৈরি করুন৷ আপনি যদি মডিউল প্রকল্প (1 লিড = 1 প্রকল্প) ব্যবহার করে আপনার লিড অনুসরণ করতে চান তবে আপনি এই সংগ্রাহকটি ব্যবহার করতে পারেন, তাই আপনার লিডগুলি স্বয়ংক্রিয়ভাবে তৈরি হবে। যদি সংগ্রাহক Collect_Responses সক্ষম করা থাকে, আপনি যখন আপনার লিড, প্রস্তাবনা বা অন্য কোনো বস্তু থেকে একটি ইমেল পাঠান, তখন আপনি সরাসরি আবেদনে আপনার গ্রাহক বা অংশীদারদের উত্তরও দেখতে পাবেন।
      দ্রষ্টব্য: এই প্রাথমিক উদাহরণের সাহায্যে, ইমেল সহ লিডের শিরোনাম তৈরি করা হয়েছে। যদি তৃতীয় পক্ষকে ডাটাবেসে (নতুন গ্রাহক) পাওয়া না যায়, তাহলে সীসাটি আইডি 1 সহ তৃতীয় পক্ষের সাথে সংযুক্ত করা হবে। +EmailCollectorExampleToCollectLeads=লিড সংগ্রহের উদাহরণ +EmailCollectorExampleToCollectJobCandidaturesDesc=চাকরির অফারগুলিতে আবেদনকারী ইমেলগুলি সংগ্রহ করুন (মডিউল নিয়োগ অবশ্যই সক্ষম হতে হবে)। আপনি যদি চাকরির অনুরোধের জন্য স্বয়ংক্রিয়ভাবে প্রার্থীতা তৈরি করতে চান তবে আপনি এই সংগ্রাহকটি সম্পূর্ণ করতে পারেন। দ্রষ্টব্য: এই প্রাথমিক উদাহরণ দিয়ে, ইমেল সহ প্রার্থীর শিরোনাম তৈরি করা হয়েছে। +EmailCollectorExampleToCollectJobCandidatures=ই-মেইলের মাধ্যমে প্রাপ্ত চাকরির প্রার্থীতা সংগ্রহের উদাহরণ +NoNewEmailToProcess=প্রক্রিয়া করার জন্য কোন নতুন ইমেল (মেলা ফিল্টার) নেই +NothingProcessed=কিছুই করা হয়নি +RecordEvent=এজেন্ডায় একটি ইভেন্ট রেকর্ড করুন (প্রেরিত বা প্রাপ্ত ধরনের ইমেল সহ) +CreateLeadAndThirdParty=একটি লিড তৈরি করুন (এবং প্রয়োজনে একটি তৃতীয় পক্ষ) +CreateTicketAndThirdParty=একটি টিকিট তৈরি করুন (একটি তৃতীয় পক্ষের সাথে লিঙ্ক করা হয়েছে যদি তৃতীয় পক্ষ পূর্ববর্তী অপারেশন দ্বারা লোড করা হয় বা ইমেল হেডারে একটি ট্র্যাকার থেকে অনুমান করা হয়, অন্যথায় তৃতীয় পক্ষ ছাড়া) +CodeLastResult=সর্বশেষ ফলাফল কোড +NbOfEmailsInInbox=উৎস ডিরেক্টরিতে ইমেলের সংখ্যা +LoadThirdPartyFromName=%s-এ তৃতীয় পক্ষের অনুসন্ধান লোড করুন (শুধুমাত্র লোড) +LoadThirdPartyFromNameOrCreate=%s-এ তৃতীয় পক্ষের অনুসন্ধান লোড করুন (না পাওয়া গেলে তৈরি করুন) +LoadContactFromEmailOrCreate=%s এ পরিচিতি অনুসন্ধান লোড করুন (না পাওয়া গেলে তৈরি করুন) +AttachJoinedDocumentsToObject=সংযুক্ত ফাইলগুলিকে অবজেক্ট ডকুমেন্টে সেভ করুন যদি ইমেল টপিকে কোনো অবজেক্টের রেফ পাওয়া যায়। +WithDolTrackingID=Dolibarr থেকে পাঠানো একটি প্রথম ইমেল দ্বারা শুরু একটি কথোপকথন থেকে বার্তা +WithoutDolTrackingID=Dolibarr থেকে পাঠানো হয়নি এমন একটি প্রথম ইমেলের মাধ্যমে শুরু করা কথোপকথনের বার্তা +WithDolTrackingIDInMsgId=Dolibarr থেকে বার্তা পাঠানো হয়েছে +WithoutDolTrackingIDInMsgId=Dolibarr থেকে বার্তা পাঠানো হয়নি +CreateCandidature=চাকরির আবেদন তৈরি করুন +FormatZip=জিপ +MainMenuCode=মেনু এন্ট্রি কোড (মেনমেনু) +ECMAutoTree=স্বয়ংক্রিয় ECM গাছ দেখান +OperationParamDesc=কিছু ডেটা বের করতে ব্যবহার করার নিয়মগুলি সংজ্ঞায়িত করুন বা অপারেশনের জন্য ব্যবহার করার জন্য মানগুলি সেট করুন৷

      থেকে কোম্পানির নাম বের করার উদাহরণ একটি অস্থায়ী পরিবর্তনশীল মধ্যে ইমেল বিষয়:
      tmp_var=EXTRACT:SUBJECT:কোম্পানীর বার্তা ([^\n]*)

      তৈরি করার জন্য একটি বস্তুর বৈশিষ্ট্য সেট করার উদাহরণ:
      objproperty1=SET:একটি হার্ড কোডেড মান
      objproperty2=SET:__tmp_var__
      objproperty3=YMPvalue:YMPVALue সম্পত্তি ইতিমধ্যে সংজ্ঞায়িত না থাকলেই সেট করা হয়)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY is:My s([^\\s]*)

      বিভিন্ন বৈশিষ্ট্যগুলি বের করতে বা সেট করতে একটি নতুন লাইন ব্যবহার করুন৷ +OpeningHours=খোলার সময় +OpeningHoursDesc=আপনার কোম্পানির নিয়মিত খোলার সময় এখানে লিখুন। +ResourceSetup=সম্পদ মডিউল কনফিগারেশন +UseSearchToSelectResource=একটি সংস্থান চয়ন করতে একটি অনুসন্ধান ফর্ম ব্যবহার করুন (ড্রপ-ডাউন তালিকার পরিবর্তে)। +DisabledResourceLinkUser=ব্যবহারকারীদের সাথে একটি সংস্থান লিঙ্ক করতে বৈশিষ্ট্যটি অক্ষম করুন৷ +DisabledResourceLinkContact=পরিচিতিগুলির সাথে একটি সংস্থান লিঙ্ক করতে বৈশিষ্ট্যটি অক্ষম করুন৷ +EnableResourceUsedInEventCheck=এজেন্ডায় একই সময়ে একই সম্পদের ব্যবহার নিষিদ্ধ করুন +ConfirmUnactivation=মডিউল রিসেট নিশ্চিত করুন +OnMobileOnly=শুধুমাত্র ছোট পর্দায় (স্মার্টফোন) +DisableProspectCustomerType="সম্ভাব্য + গ্রাহক" তৃতীয় পক্ষের প্রকার অক্ষম করুন (তাই তৃতীয় পক্ষকে অবশ্যই "সম্ভাব্য" বা "গ্রাহক" হতে হবে, তবে উভয়ই হতে পারে না) +MAIN_OPTIMIZEFORTEXTBROWSER=অন্ধ ব্যক্তির জন্য ইন্টারফেস সরলীকরণ +MAIN_OPTIMIZEFORTEXTBROWSERDesc=আপনি যদি একজন অন্ধ ব্যক্তি হন, অথবা যদি আপনি Lynx বা Links এর মত কোনো টেক্সট ব্রাউজার থেকে অ্যাপ্লিকেশন ব্যবহার করেন তাহলে এই বিকল্পটি সক্রিয় করুন৷ +MAIN_OPTIMIZEFORCOLORBLIND=বর্ণান্ধ ব্যক্তির জন্য ইন্টারফেসের রঙ পরিবর্তন করুন +MAIN_OPTIMIZEFORCOLORBLINDDesc=আপনি যদি বর্ণান্ধ ব্যক্তি হন তবে এই বিকল্পটি সক্ষম করুন, কিছু ক্ষেত্রে ইন্টারফেস বৈসাদৃশ্য বাড়ানোর জন্য রঙ সেটআপ পরিবর্তন করবে। +Protanopia=প্রোটানোপিয়া Deuteranopes=Deuteranopes -Tritanopes=Tritanopes -ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' -DefaultCustomerType=Default thirdparty type for "New customer" creation form -ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. -RootCategoryForProductsToSell=Root category of products to sell -RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale -DebugBar=Debug Bar -DebugBarDesc=Toolbar that comes with a plenty of tools to simplify debugging -DebugBarSetup=DebugBar Setup -GeneralOptions=General Options -LogsLinesNumber=Number of lines to show on logs tab -UseDebugBar=Use the debug bar -DEBUGBAR_LOGS_LINES_NUMBER=Number of last log lines to keep in console -WarningValueHigherSlowsDramaticalyOutput=Warning, higher values slows dramaticaly output -ModuleActivated=Module %s is activated and slows the interface -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) -IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. -AntivirusEnabledOnUpload=Antivirus enabled on uploaded files -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode -EXPORTS_SHARE_MODELS=Export models are share with everybody -ExportSetup=Setup of module Export -ImportSetup=Setup of module Import -InstanceUniqueID=Unique ID of the instance -SmallerThan=Smaller than -LargerThan=Larger than -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -EndPointFor=End point for %s : %s -DeleteEmailCollector=Delete email collector -ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? -RecipientEmailsWillBeReplacedWithThisValue=Recipient emails will be always replaced with this value -AtLeastOneDefaultBankAccountMandatory=At least 1 default bank account must be defined -RESTRICT_ON_IP=Allow access to some host IP only (wildcard not allowed, use space between values). Empty means every hosts can access. +Tritanopes=ট্রাইটানোপস +ThisValueCanOverwrittenOnUserLevel=এই মানটি প্রতিটি ব্যবহারকারী তার ব্যবহারকারী পৃষ্ঠা থেকে ওভাররাইট করতে পারে - ট্যাব '%s' +DefaultCustomerType="নতুন গ্রাহক" তৈরির ফর্মের জন্য ডিফল্ট তৃতীয় পক্ষের ধরন +ABankAccountMustBeDefinedOnPaymentModeSetup=দ্রষ্টব্য: এই বৈশিষ্ট্যটি কাজ করার জন্য প্রতিটি পেমেন্ট মোডের (পেপাল, স্ট্রাইপ, ...) মডিউলে ব্যাঙ্ক অ্যাকাউন্টটি অবশ্যই সংজ্ঞায়িত করা উচিত। +RootCategoryForProductsToSell=রুট ক্যাটাগরির পণ্য বিক্রি করতে হবে +RootCategoryForProductsToSellDesc=যদি সংজ্ঞায়িত করা হয়, শুধুমাত্র এই বিষয়শ্রেণীতে অন্তর্ভুক্ত পণ্য বা এই বিভাগের শিশুদের বিক্রয় পয়েন্ট পাওয়া যাবে +DebugBar=ডিবাগ বার +DebugBarDesc=টুলবার যা ডিবাগিং সহজ করার জন্য প্রচুর টুলের সাথে আসে +DebugBarSetup=ডিবাগবার সেটআপ +GeneralOptions=সাধারণ বিকল্পসমূহ +LogsLinesNumber=লগ ট্যাবে দেখানোর জন্য লাইনের সংখ্যা +UseDebugBar=ডিবাগ বার ব্যবহার করুন +DEBUGBAR_LOGS_LINES_NUMBER=কনসোলে রাখার জন্য শেষ লগ লাইনের সংখ্যা +WarningValueHigherSlowsDramaticalyOutput=সতর্কতা, উচ্চ মান নাটকীয়ভাবে আউটপুট ধীর +ModuleActivated=মডিউল %s সক্রিয় হয় এবং ইন্টারফেসকে ধীর করে দেয় +ModuleActivatedWithTooHighLogLevel=মডিউল %s একটি খুব উচ্চ লগিং স্তরের সাথে সক্রিয় করা হয়েছে (ভাল পারফরম্যান্স এবং নিরাপত্তার জন্য একটি নিম্ন স্তর ব্যবহার করার চেষ্টা করুন) +ModuleSyslogActivatedButLevelNotTooVerbose=মডিউল %s সক্রিয় করা হয়েছে এবং লগ লেভেল (%s) সঠিক (খুব শব্দভাষী নয়) +IfYouAreOnAProductionSetThis=আপনি যদি একটি উত্পাদন পরিবেশে থাকেন, তাহলে আপনার এই সম্পত্তিটি %s এ সেট করা উচিত। +AntivirusEnabledOnUpload=আপলোড করা ফাইলগুলিতে অ্যান্টিভাইরাস সক্ষম +SomeFilesOrDirInRootAreWritable=কিছু ফাইল বা ডিরেক্টরি শুধুমাত্র পঠনযোগ্য মোডে নেই +EXPORTS_SHARE_MODELS=রপ্তানি মডেল সবার সাথে শেয়ার করা হয় +ExportSetup=মডিউল রপ্তানি সেটআপ +ImportSetup=মডিউল আমদানি সেটআপ +InstanceUniqueID=উদাহরণের অনন্য আইডি +SmallerThan=অপেক্ষা ছোট +LargerThan=চেয়ে বড় +IfTrackingIDFoundEventWillBeLinked=মনে রাখবেন যে যদি ইমেলের মধ্যে একটি বস্তুর একটি ট্র্যাকিং আইডি পাওয়া যায়, বা যদি ইমেলটি ইতিমধ্যেই সংগ্রহ করা এবং একটি বস্তুর সাথে লিঙ্ক করা একটি ইমেলের উত্তর হয়, তাহলে তৈরি ইভেন্টটি পরিচিত সম্পর্কিত বস্তুর সাথে স্বয়ংক্রিয়ভাবে লিঙ্ক হয়ে যাবে। +WithGMailYouCanCreateADedicatedPassword=একটি GMail অ্যাকাউন্টের সাথে, আপনি যদি 2 ধাপের বৈধতা সক্ষম করেন, তাহলে https://myaccount.google.com/ থেকে আপনার নিজের অ্যাকাউন্টের পাসওয়ার্ড ব্যবহার না করে অ্যাপ্লিকেশনটির জন্য একটি ডেডিকেটেড দ্বিতীয় পাসওয়ার্ড তৈরি করার পরামর্শ দেওয়া হয়। +EmailCollectorTargetDir=এটি সফলভাবে প্রক্রিয়া করা হলে ইমেলটিকে অন্য ট্যাগ/ডিরেক্টরিতে স্থানান্তর করা একটি পছন্দসই আচরণ হতে পারে। এই বৈশিষ্ট্যটি ব্যবহার করতে এখানে শুধু ডিরেক্টরির নাম সেট করুন (নামে বিশেষ অক্ষর ব্যবহার করবেন না)। মনে রাখবেন যে আপনাকে অবশ্যই একটি পঠন/লেখা লগইন অ্যাকাউন্ট ব্যবহার করতে হবে। +EmailCollectorLoadThirdPartyHelp=আপনি আপনার ডাটাবেসে বিদ্যমান তৃতীয় পক্ষকে খুঁজে পেতে এবং লোড করতে ইমেল সামগ্রী ব্যবহার করতে এই ক্রিয়াটি ব্যবহার করতে পারেন ('আইডি', 'নাম', 'নাম_আলিয়াস', 'ইমেল'-এর মধ্যে সংজ্ঞায়িত সম্পত্তিতে অনুসন্ধান করা হবে)। পাওয়া (বা তৈরি করা) তৃতীয় পক্ষকে নিম্নলিখিত ক্রিয়াকলাপের জন্য ব্যবহার করা হবে যেগুলির জন্য এটি প্রয়োজন৷
      উদাহরণস্বরূপ, যদি আপনি একটি স্ট্রিং থেকে বের করা একটি নাম দিয়ে একটি তৃতীয় পক্ষ তৈরি করতে চান ' নাম: নাম: খুঁজে বের করতে নাম' বডিতে উপস্থিত, প্রেরকের ইমেলটিকে ইমেল হিসাবে ব্যবহার করুন, আপনি প্যারামিটার ক্ষেত্রটি এভাবে সেট করতে পারেন:
      'email=HEADER:^From:(। *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=সতর্কতা: অনেক ইমেল সার্ভার (যেমন Gmail) একটি স্ট্রিং অনুসন্ধান করার সময় সম্পূর্ণ শব্দ অনুসন্ধান করছে এবং যদি স্ট্রিংটি শুধুমাত্র একটি শব্দে আংশিকভাবে পাওয়া যায় তবে ফলাফল প্রদান করবে না। এই কারণেও, একটি অনুসন্ধানের মানদণ্ডে বিশেষ অক্ষর ব্যবহার করলে তা উপেক্ষা করা হবে যদি সেগুলি বিদ্যমান শব্দগুলির অংশ নয়৷
      কোনও শব্দের উপর একটি বাদ অনুসন্ধান করতে (শব্দ থাকলে ইমেল ফেরত দিন পাওয়া যায় না), আপনি ব্যবহার করতে পারেন! শব্দের আগে অক্ষর (কিছু মেল সার্ভারে কাজ নাও করতে পারে)। +EndPointFor=%s এর জন্য শেষ বিন্দু : %s +DeleteEmailCollector=ইমেল সংগ্রাহক মুছুন +ConfirmDeleteEmailCollector=আপনি কি এই ইমেল সংগ্রাহক মুছে ফেলার বিষয়ে নিশ্চিত? +RecipientEmailsWillBeReplacedWithThisValue=প্রাপকের ইমেল সবসময় এই মান দিয়ে প্রতিস্থাপিত হবে +AtLeastOneDefaultBankAccountMandatory=কমপক্ষে 1টি ডিফল্ট ব্যাঙ্ক অ্যাকাউন্ট সংজ্ঞায়িত করা আবশ্যক৷ +RESTRICT_ON_IP=শুধুমাত্র নির্দিষ্ট ক্লায়েন্ট আইপিগুলিতে API অ্যাক্সেসের অনুমতি দিন (ওয়াইল্ডকার্ড অনুমোদিত নয়, মানগুলির মধ্যে স্থান ব্যবহার করুন)। খালি মানে প্রত্যেক ক্লায়েন্ট অ্যাক্সেস করতে পারেন। IPListExample=127.0.0.1 192.168.0.2 [::1] -BaseOnSabeDavVersion=Based on the library SabreDAV version -NotAPublicIp=Not a public IP -MakeAnonymousPing=Make an anonymous Ping '+1' to the Dolibarr foundation server (done 1 time only after installation) to allow the foundation to count the number of Dolibarr installation. -FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled -EmailTemplate=Template for email -EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF -FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. -RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard -JumpToBoxes=Jump to Setup -> Widgets -MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" -MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values. -TemplateAdded=Template added -TemplateUpdated=Template updated -TemplateDeleted=Template deleted -MailToSendEventPush=Event reminder email -SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security -DictionaryProductNature= Nature of product -CountryIfSpecificToOneCountry=Country (if specific to a given country) -YouMayFindSecurityAdviceHere=You may find security advisory here -ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. -ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. -CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples -SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. -AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only -ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. -MailToSendEventOrganization=Event Organization -MailToPartnership=Partnership -AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an anitivurs program), you must keep PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s -Recommended=Recommended -NotRecommended=Not recommended -ARestrictedPath=Some restricted path -CheckForModuleUpdate=Check for external modules updates -CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. -ModuleUpdateAvailable=An update is available -NoExternalModuleWithUpdate=No updates found for external modules -SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) -YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=You enabled deprecated WS API. You should use REST API instead. -RandomlySelectedIfSeveral=Randomly selected if several pictures are available -DatabasePasswordObfuscated=Database password is obfuscated in conf file -DatabasePasswordNotObfuscated=Database password is NOT obfuscated in conf file -APIsAreNotEnabled=APIs modules are not enabled -YouShouldSetThisToOff=You should set this to 0 or off -InstallAndUpgradeLockedBy=Install and upgrades are locked by the file %s -OldImplementation=Old implementation -PDF_SHOW_LINK_TO_ONLINE_PAYMENT=If some online payment modules are enabled (Paypal, Stripe, ...), add a link on the PDF to make the online payment -DashboardDisableGlobal=Disable globally all the thumbs of open objects -BoxstatsDisableGlobal=Disable totally box statistics -DashboardDisableBlocks=Thumbs of open objects (to process or late) on main dashboard -DashboardDisableBlockAgenda=Disable the thumb for agenda -DashboardDisableBlockProject=Disable the thumb for projects -DashboardDisableBlockCustomer=Disable the thumb for customers -DashboardDisableBlockSupplier=Disable the thumb for suppliers -DashboardDisableBlockContract=Disable the thumb for contracts -DashboardDisableBlockTicket=Disable the thumb for tickets -DashboardDisableBlockBank=Disable the thumb for banks -DashboardDisableBlockAdherent=Disable the thumb for memberships -DashboardDisableBlockExpenseReport=Disable the thumb for expense reports -DashboardDisableBlockHoliday=Disable the thumb for leaves -EnabledCondition=Condition to have field enabled (if not enabled, visibility will always be off) -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sale tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sale tax -LanguageAndPresentation=Language and presentation -SkinAndColors=Skin and colors -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sale tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sale tax -PDF_USE_1A=Generate PDF with PDF/A-1b format -MissingTranslationForConfKey = Missing translation for %s -NativeModules=Native modules -NoDeployedModulesFoundWithThisSearchCriteria=No modules found for these search criteria -API_DISABLE_COMPRESSION=Disable compression of API responses -EachTerminalHasItsOwnCounter=Each terminal use its own counter. -FillAndSaveAccountIdAndSecret=Fill and save account ID and secret first -PreviousHash=Previous hash +BaseOnSabeDavVersion=লাইব্রেরি SabreDAV সংস্করণের উপর ভিত্তি করে +NotAPublicIp=পাবলিক আইপি নয় +MakeAnonymousPing=ডলিবার ফাউন্ডেশন সার্ভারে একটি বেনামী পিং '+1' তৈরি করুন (ইন্সটলেশনের পর মাত্র 1 বার করা হয়েছে) যাতে ফাউন্ডেশন ডলিবার ইনস্টলেশনের সংখ্যা গণনা করতে পারে। +FeatureNotAvailableWithReceptionModule=মডিউল অভ্যর্থনা সক্ষম হলে বৈশিষ্ট্য উপলব্ধ নয়৷ +EmailTemplate=ইমেলের জন্য টেমপ্লেট +EMailsWillHaveMessageID=ইমেলে এই সিনট্যাক্সের সাথে মিলে একটি ট্যাগ 'রেফারেন্স' থাকবে +PDF_SHOW_PROJECT=নথিতে প্রকল্প দেখান +ShowProjectLabel=প্রকল্প লেবেল +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=তৃতীয় পক্ষের নামে উপনাম অন্তর্ভুক্ত করুন +THIRDPARTY_ALIAS=তৃতীয় পক্ষের নাম - তৃতীয় পক্ষের উপনাম +ALIAS_THIRDPARTY=তৃতীয় পক্ষের উপনাম - তৃতীয় পক্ষের নাম +PDFIn2Languages=পিডিএফ-এ 2টি ভিন্ন ভাষায় লেবেল দেখান (এই বৈশিষ্ট্যটি কয়েকটি ভাষার জন্য কাজ নাও করতে পারে) +PDF_USE_ALSO_LANGUAGE_CODE=আপনি যদি আপনার পিডিএফের কিছু পাঠ্য একই জেনারেটেড পিডিএফ-এ 2টি ভিন্ন ভাষায় সদৃশ করতে চান, তাহলে আপনাকে অবশ্যই এখানে এই দ্বিতীয় ভাষাটি সেট করতে হবে যাতে জেনারেট করা পিডিএফে একই পৃষ্ঠায় 2টি ভিন্ন ভাষা থাকবে, যেটি PDF তৈরি করার সময় বেছে নেওয়া হয় এবং এটি ( শুধুমাত্র কয়েকটি পিডিএফ টেমপ্লেট এটি সমর্থন করে)। পিডিএফ প্রতি 1টি ভাষার জন্য খালি রাখুন। +PDF_USE_A=ডিফল্ট ফরম্যাট PDF এর পরিবর্তে PDF/A ফরম্যাট সহ পিডিএফ ডকুমেন্ট তৈরি করুন +FafaIconSocialNetworksDesc=এখানে একটি FontAwesome আইকনের কোড লিখুন। আপনি যদি না জানেন যে FontAwesome কি, আপনি জেনেরিক মান fa-address-book ব্যবহার করতে পারেন। +RssNote=দ্রষ্টব্য: প্রতিটি RSS ফিড সংজ্ঞা একটি উইজেট প্রদান করে যেটি ড্যাশবোর্ডে উপলব্ধ থাকতে আপনাকে অবশ্যই সক্ষম করতে হবে +JumpToBoxes=সেটআপে যান -> উইজেট +MeasuringUnitTypeDesc=এখানে একটি মান ব্যবহার করুন যেমন "আকার", "সারফেস", "ভলিউম", "ওজন", "সময়" +MeasuringScaleDesc=স্কেল হল ডিফল্ট রেফারেন্স ইউনিটের সাথে মেলে আপনার দশমিক অংশটি স্থানান্তরের সংখ্যা। "সময়" ইউনিট টাইপের জন্য, এটি সেকেন্ডের সংখ্যা। 80 এবং 99 এর মধ্যে মানগুলি সংরক্ষিত মান। +TemplateAdded=টেমপ্লেট যোগ করা হয়েছে +TemplateUpdated=টেমপ্লেট আপডেট করা হয়েছে +TemplateDeleted=টেমপ্লেট মুছে ফেলা হয়েছে +MailToSendEventPush=ইভেন্ট অনুস্মারক ইমেল +SwitchThisForABetterSecurity=আরও নিরাপত্তার জন্য এই মানটিকে %s এ পরিবর্তন করার পরামর্শ দেওয়া হয় +DictionaryProductNature= পণ্যের প্রকৃতি +CountryIfSpecificToOneCountry=দেশ (যদি একটি নির্দিষ্ট দেশের জন্য নির্দিষ্ট) +YouMayFindSecurityAdviceHere=আপনি এখানে নিরাপত্তা পরামর্শ পেতে পারেন +ModuleActivatedMayExposeInformation=এই পিএইচপি এক্সটেনশনটি সংবেদনশীল ডেটা প্রকাশ করতে পারে। আপনার যদি এটির প্রয়োজন না হয় তবে এটি অক্ষম করুন। +ModuleActivatedDoNotUseInProduction=উন্নয়নের জন্য ডিজাইন করা একটি মডিউল সক্ষম করা হয়েছে। এটি একটি উত্পাদন পরিবেশে সক্ষম করবেন না। +CombinationsSeparator=পণ্যের সংমিশ্রণের জন্য বিভাজক অক্ষর +SeeLinkToOnlineDocumentation=উদাহরণের জন্য শীর্ষ মেনুতে অনলাইন ডকুমেন্টেশনের লিঙ্ক দেখুন +SHOW_SUBPRODUCT_REF_IN_PDF=যদি বৈশিষ্ট্য "%s" মডিউল %s ব্যবহার করা হয়, পিডিএফ-এ একটি কিটের সাব-প্রোডাক্টের বিবরণ দেখান। +AskThisIDToYourBank=এই আইডি পেতে আপনার ব্যাঙ্কের সাথে যোগাযোগ করুন +AdvancedModeOnly=অনুমতি শুধুমাত্র উন্নত অনুমতি মোডে উপলব্ধ +ConfFileIsReadableOrWritableByAnyUsers=conf ফাইলটি যেকোনো ব্যবহারকারীর দ্বারা পাঠযোগ্য বা লেখার যোগ্য। শুধুমাত্র ওয়েব সার্ভার ব্যবহারকারী এবং গোষ্ঠীকে অনুমতি দিন। +MailToSendEventOrganization=ইভেন্ট অর্গানাইজেশন +MailToPartnership=অংশীদারিত্ব +AGENDA_EVENT_DEFAULT_STATUS=ফর্ম থেকে একটি ইভেন্ট তৈরি করার সময় ডিফল্ট ইভেন্ট স্থিতি +YouShouldDisablePHPFunctions=আপনি PHP ফাংশন নিষ্ক্রিয় করা উচিত +IfCLINotRequiredYouShouldDisablePHPFunctions=আপনার কাস্টম কোডে সিস্টেম কমান্ড চালানোর প্রয়োজন না হলে, আপনার পিএইচপি ফাংশনগুলি অক্ষম করা উচিত +PHPFunctionsRequiredForCLI=শেল উদ্দেশ্যে (যেমন নির্ধারিত কাজের ব্যাকআপ বা অ্যান্টিভাইরাস প্রোগ্রাম চালানো), আপনাকে অবশ্যই পিএইচপি ফাংশন রাখতে হবে +NoWritableFilesFoundIntoRootDir=আপনার রুট ডিরেক্টরিতে সাধারণ প্রোগ্রামগুলির কোন লিখনযোগ্য ফাইল বা ডিরেক্টরি পাওয়া যায়নি (ভাল) +RecommendedValueIs=প্রস্তাবিত: %s +Recommended=প্রস্তাবিত +NotRecommended=সুপারিশ করা হয় না +ARestrictedPath=ডেটা ফাইলের জন্য কিছু সীমাবদ্ধ পথ +CheckForModuleUpdate=বাহ্যিক মডিউল আপডেটের জন্য পরীক্ষা করুন +CheckForModuleUpdateHelp=এই ক্রিয়াটি একটি নতুন সংস্করণ উপলব্ধ কিনা তা পরীক্ষা করতে বাহ্যিক মডিউলগুলির সম্পাদকদের সাথে সংযোগ করবে৷ +ModuleUpdateAvailable=একটি আপডেট উপলব্ধ +NoExternalModuleWithUpdate=বাহ্যিক মডিউলগুলির জন্য কোন আপডেট পাওয়া যায়নি +SwaggerDescriptionFile=Swagger API বর্ণনা ফাইল (উদাহরণস্বরূপ redoc এর সাথে ব্যবহারের জন্য) +YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=আপনি বন্ধ করা WS API সক্ষম করেছেন৷ আপনার পরিবর্তে REST API ব্যবহার করা উচিত। +RandomlySelectedIfSeveral=বেশ কয়েকটি ছবি পাওয়া গেলে এলোমেলোভাবে নির্বাচিত +SalesRepresentativeInfo=প্রস্তাব, আদেশ, চালান জন্য. +DatabasePasswordObfuscated=কনফ ফাইলে ডাটাবেস পাসওয়ার্ড অস্পষ্ট করা হয়েছে +DatabasePasswordNotObfuscated=ডাটাবেস পাসওয়ার্ড কনফ ফাইলে অস্পষ্ট নয় +APIsAreNotEnabled=APIs মডিউল সক্রিয় করা নেই +YouShouldSetThisToOff=আপনার এটি 0 বা বন্ধ করা উচিত +InstallAndUpgradeLockedBy=%s ফাইল দ্বারা ইনস্টল এবং আপগ্রেডগুলি লক করা আছে +InstallLockedBy=%s ফাইল দ্বারা ইনস্টল/পুনঃইনস্টল লক করা আছে +InstallOfAddonIsNotBlocked=অ্যাডঅনগুলির ইনস্টলেশন লক করা হয় না। একটি ফাইল তৈরি করুন installmodules.lock ডিরেক্টরিতে b0aee8365837>%s
      বহিরাগত অ্যাডঅন/মডিউলগুলির ইনস্টলেশন ব্লক করতে। +OldImplementation=পুরানো বাস্তবায়ন +PDF_SHOW_LINK_TO_ONLINE_PAYMENT=যদি কিছু অনলাইন পেমেন্ট মডিউল সক্ষম করা থাকে (পেপাল, স্ট্রাইপ, ...), অনলাইন পেমেন্ট করতে PDF এ একটি লিঙ্ক যোগ করুন +DashboardDisableGlobal=বিশ্বব্যাপী খোলা বস্তুর সমস্ত থাম্ব অক্ষম করুন +BoxstatsDisableGlobal=সম্পূর্ণ বক্স পরিসংখ্যান নিষ্ক্রিয় +DashboardDisableBlocks=প্রধান ড্যাশবোর্ডে খোলা বস্তুর থাম্বস (প্রক্রিয়া করতে বা দেরিতে) +DashboardDisableBlockAgenda=এজেন্ডার জন্য থাম্ব অক্ষম করুন +DashboardDisableBlockProject=প্রকল্পের জন্য থাম্ব নিষ্ক্রিয় +DashboardDisableBlockCustomer=গ্রাহকদের জন্য থাম্ব নিষ্ক্রিয় +DashboardDisableBlockSupplier=সরবরাহকারীদের জন্য থাম্ব নিষ্ক্রিয় +DashboardDisableBlockContract=চুক্তির জন্য থাম্ব নিষ্ক্রিয় করুন +DashboardDisableBlockTicket=টিকিটের জন্য থাম্ব অক্ষম করুন +DashboardDisableBlockBank=ব্যাঙ্কের জন্য থাম্ব অক্ষম করুন +DashboardDisableBlockAdherent=সদস্যপদ জন্য থাম্ব নিষ্ক্রিয় +DashboardDisableBlockExpenseReport=খরচ রিপোর্টের জন্য থাম্ব নিষ্ক্রিয় +DashboardDisableBlockHoliday=পাতার জন্য থাম্ব নিষ্ক্রিয় +EnabledCondition=ক্ষেত্র সক্ষম করার শর্ত (যদি সক্ষম না করা হয়, দৃশ্যমানতা সর্বদা বন্ধ থাকবে) +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=আপনি যদি দ্বিতীয় ট্যাক্স ব্যবহার করতে চান, তাহলে আপনাকে অবশ্যই প্রথম সেলস ট্যাক্স চালু করতে হবে +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=আপনি যদি তৃতীয় ট্যাক্স ব্যবহার করতে চান, তাহলে আপনাকে অবশ্যই প্রথম সেলস ট্যাক্স চালু করতে হবে +LanguageAndPresentation=ভাষা এবং উপস্থাপনা +SkinAndColors=চামড়া এবং রং +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=আপনি যদি দ্বিতীয় ট্যাক্স ব্যবহার করতে চান, তাহলে আপনাকে অবশ্যই প্রথম সেলস ট্যাক্স চালু করতে হবে +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=আপনি যদি তৃতীয় ট্যাক্স ব্যবহার করতে চান, তাহলে আপনাকে অবশ্যই প্রথম সেলস ট্যাক্স চালু করতে হবে +PDF_USE_1A=PDF/A-1b বিন্যাসের সাথে PDF তৈরি করুন +MissingTranslationForConfKey = %s-এর অনুবাদ অনুপস্থিত +NativeModules=নেটিভ মডিউল +NoDeployedModulesFoundWithThisSearchCriteria=এই অনুসন্ধানের মানদণ্ডের জন্য কোন মডিউল পাওয়া যায়নি +API_DISABLE_COMPRESSION=API প্রতিক্রিয়াগুলির কম্প্রেশন অক্ষম করুন +EachTerminalHasItsOwnCounter=প্রতিটি টার্মিনাল তার নিজস্ব কাউন্টার ব্যবহার করে। +FillAndSaveAccountIdAndSecret=প্রথমে অ্যাকাউন্ট আইডি এবং গোপন পূরণ করুন এবং সংরক্ষণ করুন +PreviousHash=পূর্ববর্তী হ্যাশ +LateWarningAfter=পরে "দেরী" সতর্কতা +TemplateforBusinessCards=বিভিন্ন আকারের একটি ব্যবসা কার্ডের জন্য টেমপ্লেট +InventorySetup= ইনভেন্টরি সেটআপ +ExportUseLowMemoryMode=একটি কম মেমরি মোড ব্যবহার করুন +ExportUseLowMemoryModeHelp=ডাম্প ফাইল তৈরি করতে কম মেমরি মোড ব্যবহার করুন (পিএইচপি মেমরির পরিবর্তে একটি পাইপের মাধ্যমে কম্প্রেশন করা হয়)। এই পদ্ধতিটি ফাইলটি সম্পূর্ণ কিনা তা পরীক্ষা করার অনুমতি দেয় না এবং এটি ব্যর্থ হলে ত্রুটি বার্তা প্রতিবেদন করা যাবে না। আপনি যদি যথেষ্ট মেমরি ত্রুটি অনুভব না করেন তবে এটি ব্যবহার করুন। + +ModuleWebhookName = ওয়েবহুক +ModuleWebhookDesc = ডলিবার ট্রিগার ধরার ইন্টারফেস এবং একটি ইউআরএলে ইভেন্টের ডেটা পাঠাতে +WebhookSetup = ওয়েবহুক সেটআপ +Settings = সেটিংস +WebhookSetupPage = ওয়েবহুক সেটআপ পৃষ্ঠা +ShowQuickAddLink=উপরের ডানদিকের মেনুতে একটি উপাদান দ্রুত যোগ করতে একটি বোতাম দেখান +ShowSearchAreaInTopMenu=উপরের মেনুতে অনুসন্ধান এলাকা দেখান +HashForPing=হ্যাশ পিং জন্য ব্যবহৃত +ReadOnlyMode="শুধুমাত্র পঠন" মোডে উদাহরণ +DEBUGBAR_USE_LOG_FILE=লগ ট্র্যাপ করতে dolibarr.log ফাইল ব্যবহার করুন +UsingLogFileShowAllRecordOfSubrequestButIsSlower=লাইভ মেমরি ধরার পরিবর্তে লগ ফাঁদে ফেলতে dolibarr.log ফাইলটি ব্যবহার করুন। এটি শুধুমাত্র বর্তমান প্রক্রিয়ার লগের পরিবর্তে সমস্ত লগ ধরার অনুমতি দেয় (তাই AJAX সাবরিকোয়েস্ট পৃষ্ঠাগুলির মধ্যে একটি সহ) তবে আপনার উদাহরণকে খুব ধীর করে তুলবে। সুপারিশ করা হয় না. +FixedOrPercent=স্থির ('স্থির' কীওয়ার্ড ব্যবহার করুন) বা শতাংশ ('শতাংশ' কীওয়ার্ড ব্যবহার করুন) +DefaultOpportunityStatus=ডিফল্ট সুযোগের স্থিতি (লিড তৈরি হলে প্রথম অবস্থা) + +IconAndText=আইকন এবং পাঠ্য +TextOnly=শুধুমাত্র পাঠ্য +IconOnlyAllTextsOnHover=শুধুমাত্র আইকন - সমস্ত পাঠ্যগুলি মেনু বারে মাউসের আইকনের অধীনে প্রদর্শিত হয় +IconOnlyTextOnHover=শুধুমাত্র আইকন - আইকনের টেক্সট আইকনের উপরে মাউসের আইকনের নিচে প্রদর্শিত হয় +IconOnly=শুধুমাত্র আইকন - শুধুমাত্র টুলটিপে পাঠ্য +INVOICE_ADD_ZATCA_QR_CODE=চালানে ZATCA QR কোড দেখান +INVOICE_ADD_ZATCA_QR_CODEMore=কিছু আরবি দেশে তাদের চালানে এই QR কোড প্রয়োজন +INVOICE_ADD_SWISS_QR_CODE=চালানে সুইস QR-বিল কোড দেখান +INVOICE_ADD_SWISS_QR_CODEMore=চালানের জন্য সুইজারল্যান্ডের মান; নিশ্চিত করুন যে ZIP এবং সিটি পূরণ করা হয়েছে এবং অ্যাকাউন্টগুলিতে বৈধ সুইস/লিচেনস্টাইন IBAN আছে। +INVOICE_SHOW_SHIPPING_ADDRESS=শিপিং ঠিকানা দেখান +INVOICE_SHOW_SHIPPING_ADDRESSMore=কিছু দেশে বাধ্যতামূলক ইঙ্গিত (ফ্রান্স, ...) +UrlSocialNetworksDesc=সামাজিক নেটওয়ার্কের ইউআরএল লিঙ্ক। সামাজিক নেটওয়ার্ক আইডি ধারণ করে এমন পরিবর্তনশীল অংশের জন্য {socialid} ব্যবহার করুন। +IfThisCategoryIsChildOfAnother=এই শ্রেনীর যদি অন্য একজনের সন্তান হয় +DarkThemeMode=গাঢ় থিম মোড +AlwaysDisabled=সবসময় অক্ষম +AccordingToBrowser=ব্রাউজার অনুযায়ী +AlwaysEnabled=সর্বদা সক্রিয় +DoesNotWorkWithAllThemes=সব থিম নিয়ে কাজ করবে না +NoName=নামহীন +ShowAdvancedOptions= আরো অপশন প্রদর্শন করুন +HideAdvancedoptions= উন্নত বিকল্পগুলি লুকান +CIDLookupURL=মডিউলটি একটি URL নিয়ে আসে যা একটি বাহ্যিক সরঞ্জাম দ্বারা তৃতীয় পক্ষের নাম বা তার ফোন নম্বর থেকে পরিচিতির নাম পেতে ব্যবহার করা যেতে পারে। ব্যবহার করার জন্য URL হল: +OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 প্রমাণীকরণ সমস্ত হোস্টের জন্য উপলব্ধ নয়, এবং সঠিক অনুমতি সহ একটি টোকেন অবশ্যই OAUTH মডিউলের সাথে আপস্ট্রিম তৈরি করা উচিত +MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 প্রমাণীকরণ পরিষেবা +DontForgetCreateTokenOauthMod=সঠিক অনুমতি সহ একটি টোকেন অবশ্যই OAUTH মডিউল দিয়ে আপস্ট্রিম তৈরি করা হয়েছে +MAIN_MAIL_SMTPS_AUTH_TYPE=প্রমাণীকরণ পদ্ধতি +UsePassword=একটি পাসওয়ার্ড ব্যবহার করুন +UseOauth=একটি OAUTH টোকেন ব্যবহার করুন +Images=ছবি +MaxNumberOfImagesInGetPost=একটি ফর্মে জমা দেওয়া একটি HTML ক্ষেত্রের সর্বাধিক সংখ্যক ছবি অনুমোদিত৷ +MaxNumberOfPostOnPublicPagesByIP=এক মাসে একই IP ঠিকানা সহ সর্বজনীন পৃষ্ঠাগুলিতে সর্বাধিক সংখ্যক পোস্ট +CIDLookupURL=মডিউলটি একটি URL নিয়ে আসে যা একটি বাহ্যিক সরঞ্জাম দ্বারা তৃতীয় পক্ষের নাম বা তার ফোন নম্বর থেকে পরিচিতির নাম পেতে ব্যবহার করা যেতে পারে। ব্যবহার করার জন্য URL হল: +ScriptIsEmpty=স্ক্রিপ্ট খালি +ShowHideTheNRequests=দেখান/লুকান %s SQL অনুরোধ(গুলি) +DefinedAPathForAntivirusCommandIntoSetup=%s এ অ্যান্টিভাইরাস প্রোগ্রামের জন্য একটি পথ সংজ্ঞায়িত করুন +TriggerCodes=উদ্দীপক ঘটনা +TriggerCodeInfo=এখানে ট্রিগার কোড(গুলি) লিখুন যা অবশ্যই একটি ওয়েব অনুরোধের একটি পোস্ট তৈরি করতে হবে (শুধুমাত্র বহিরাগত URL অনুমোদিত)৷ আপনি একটি কমা দ্বারা পৃথক করা বেশ কয়েকটি ট্রিগার কোড লিখতে পারেন। +EditableWhenDraftOnly=যদি টিক চিহ্ন না থাকে, তাহলে মান পরিবর্তন করা যেতে পারে যখন বস্তুর একটি খসড়া স্থিতি থাকে +CssOnEdit=সম্পাদনা পাতায় CSS +CssOnView=ভিউ পৃষ্ঠায় CSS +CssOnList=তালিকায় CSS +HelpCssOnEditDesc=ক্ষেত্র সম্পাদনা করার সময় ব্যবহৃত CSS।
      উদাহরণ: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=ক্ষেত্র দেখার সময় ব্যবহৃত CSS। +HelpCssOnListDesc=যখন ফিল্ড একটি তালিকা টেবিলের ভিতরে থাকে তখন CSS ব্যবহৃত হয়।
      উদাহরণ: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=রিসেপশনের জন্য উত্পন্ন নথিতে অর্ডারকৃত পরিমাণ লুকান +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=রিসেপশনের জন্য উত্পন্ন নথিতে মূল্য দেখান +WarningDisabled=সতর্কতা অক্ষম +LimitsAndMitigation=অ্যাক্সেস সীমা এবং প্রশমন +RecommendMitigationOnURL=সমালোচনামূলক URL-এ প্রশমন সক্রিয় করার পরামর্শ দেওয়া হয়। এটি fail2ban নিয়মগুলির তালিকা যা আপনি প্রধান গুরুত্বপূর্ণ URLগুলির জন্য ব্যবহার করতে পারেন৷ +DesktopsOnly=শুধুমাত্র ডেস্কটপ +DesktopsAndSmartphones=ডেস্কটপ এবং স্মার্টফোন +AllowOnlineSign=অনলাইন স্বাক্ষর করার অনুমতি দিন +AllowExternalDownload=বাহ্যিক ডাউনলোডের অনুমতি দিন (লগইন ছাড়াই, শেয়ার করা লিঙ্ক ব্যবহার করে) +DeadlineDayVATSubmission=পরের মাসে ভ্যাট জমা দেওয়ার শেষ তারিখ +MaxNumberOfAttachementOnForms=একটি ফর্মে যুক্ত হওয়া ফাইলের সর্বাধিক সংখ্যা +IfDefinedUseAValueBeetween=যদি সংজ্ঞায়িত করা হয়, %s এবং %s এর মধ্যে একটি মান ব্যবহার করুন +Reload=পুনরায় লোড করুন +ConfirmReload=মডিউল পুনরায় লোড নিশ্চিত করুন +WarningModuleHasChangedLastVersionCheckParameter=সতর্কতা: মডিউল %s প্রতিটি পৃষ্ঠা অ্যাক্সেসে এর সংস্করণ পরীক্ষা করার জন্য একটি প্যারামিটার সেট করেছে৷ এটি একটি খারাপ এবং অনুমোদিত অভ্যাস যা মডিউল পরিচালনা করতে পৃষ্ঠাটিকে অস্থির করে তুলতে পারে। এটি ঠিক করতে মডিউল লেখকের সাথে যোগাযোগ করুন. +WarningModuleHasChangedSecurityCsrfParameter=সতর্কতা: মডিউল %s আপনার উদাহরণের CSRF নিরাপত্তা নিষ্ক্রিয় করেছে। এই ক্রিয়াটি সন্দেহজনক এবং আপনার ইনস্টলেশন আর সুরক্ষিত নাও হতে পারে৷ ব্যাখ্যার জন্য মডিউল লেখকের সাথে যোগাযোগ করুন. +EMailsInGoingDesc=ইনকামিং ইমেলগুলি %s মডিউল দ্বারা পরিচালিত হয়৷ আপনি যদি ইনগোয়িং ইমেলগুলিকে সমর্থন করতে চান তবে আপনাকে অবশ্যই এটি সক্ষম এবং কনফিগার করতে হবে৷ +MAIN_IMAP_USE_PHPIMAP=নেটিভ PHP IMAP-এর পরিবর্তে IMAP-এর জন্য PHP-IMAP লাইব্রেরি ব্যবহার করুন। এটি IMAP এর জন্য একটি OAuth2 সংযোগ ব্যবহারের অনুমতি দেয় (মডিউল OAuthও সক্রিয় করা আবশ্যক)৷ +MAIN_CHECKBOX_LEFT_COLUMN=বাম দিকে ক্ষেত্র এবং লাইন নির্বাচনের জন্য কলাম দেখান (ডিফল্টরূপে ডানদিকে) +NotAvailableByDefaultEnabledOnModuleActivation=ডিফল্টরূপে তৈরি করা হয় না. শুধুমাত্র মডিউল অ্যাক্টিভেশনে তৈরি করা হয়েছে। +CSSPage=CSS শৈলী +Defaultfortype=ডিফল্ট +DefaultForTypeDesc=টেমপ্লেট প্রকারের জন্য একটি নতুন ইমেল তৈরি করার সময় ডিফল্টরূপে ব্যবহৃত টেমপ্লেট +OptionXShouldBeEnabledInModuleY=বিকল্প "%s" মডিউল %s +OptionXIsCorrectlyEnabledInModuleY=বিকল্প "%s" মডিউল
      %s +AllowOnLineSign=অন লাইন স্বাক্ষরের অনুমতি দিন +AtBottomOfPage=পৃষ্ঠার নীচে +FailedAuth=ব্যর্থ প্রমাণীকরণ +MaxNumberOfFailedAuth=লগইন অস্বীকার করতে 24 ঘন্টার মধ্যে ব্যর্থ প্রমাণীকরণের সর্বাধিক সংখ্যা৷ +AllowPasswordResetBySendingANewPassByEmail=যদি একজন ব্যবহারকারী A এর এই অনুমতি থাকে এবং এমনকি যদি A ব্যবহারকারী "প্রশাসক" ব্যবহারকারী না হন, তবে A-কে অন্য কোনো ব্যবহারকারী B-এর পাসওয়ার্ড রিসেট করার অনুমতি দেওয়া হয়, নতুন পাসওয়ার্ডটি অন্য ব্যবহারকারী B-এর ইমেলে পাঠানো হবে কিন্তু এটি A-এর কাছে দৃশ্যমান হবে না। যদি ব্যবহারকারী A-এর "অ্যাডমিন" ফ্ল্যাগ থাকে, তবে তিনি B এর নতুন তৈরি করা পাসওয়ার্ড কী তা জানতে সক্ষম হবেন যাতে তিনি B ব্যবহারকারীর অ্যাকাউন্টের নিয়ন্ত্রণ নিতে সক্ষম হবেন। +AllowAnyPrivileges=যদি একজন ব্যবহারকারী A-এর এই অনুমতি থাকে, তবে তিনি সমস্ত বিশেষাধিকার সহ একটি ব্যবহারকারী B তৈরি করতে পারেন তারপর এই ব্যবহারকারী B ব্যবহার করতে পারেন, বা যেকোনো অনুমতি নিয়ে নিজেকে অন্য কোনো গ্রুপ মঞ্জুর করতে পারেন। সুতরাং এর অর্থ হল ব্যবহারকারী A সমস্ত ব্যবসায়িক সুবিধার মালিক (শুধুমাত্র সেটআপ পৃষ্ঠাগুলিতে সিস্টেম অ্যাক্সেস নিষিদ্ধ করা হবে) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=এই মানটি পড়া যেতে পারে কারণ আপনার উদাহরণ উত্পাদন মোডে সেট করা নেই +SeeConfFile=সার্ভারে conf.php ফাইলের ভিতরে দেখুন +ReEncryptDesc=এখনও এনক্রিপ্ট করা না থাকলে ডেটা পুনরায় এনক্রিপ্ট করুন +PasswordFieldEncrypted=%s নতুন রেকর্ড এই ক্ষেত্রটি এনক্রিপ্ট করা হয়েছে +ExtrafieldsDeleted=এক্সট্রাফিল্ড %s মুছে ফেলা হয়েছে +LargeModern=বড় - আধুনিক +SpecialCharActivation=বিশেষ অক্ষর লিখতে একটি ভার্চুয়াল কীবোর্ড খুলতে বোতামটি সক্রিয় করুন৷ +DeleteExtrafield=এক্সট্রাফিল্ড মুছুন +ConfirmDeleteExtrafield=আপনি কি %s ক্ষেত্রটি মুছে ফেলার বিষয়টি নিশ্চিত করেন? এই ক্ষেত্রটিতে সংরক্ষিত সমস্ত ডেটা অবশ্যই মুছে ফেলা হবে +ExtraFieldsSupplierInvoicesRec=পরিপূরক বৈশিষ্ট্য (টেমপ্লেট চালান) +ExtraFieldsSupplierInvoicesLinesRec=পরিপূরক বৈশিষ্ট্য (টেমপ্লেট চালান লাইন) +ParametersForTestEnvironment=পরীক্ষার পরিবেশের জন্য পরামিতি +TryToKeepOnly=শুধুমাত্র %s রাখার চেষ্টা করুন +RecommendedForProduction=উত্পাদন জন্য প্রস্তাবিত +RecommendedForDebug=ডিবাগ জন্য প্রস্তাবিত diff --git a/htdocs/langs/bn_IN/agenda.lang b/htdocs/langs/bn_IN/agenda.lang index db135467608..7cd4a2a3174 100644 --- a/htdocs/langs/bn_IN/agenda.lang +++ b/htdocs/langs/bn_IN/agenda.lang @@ -1,174 +1,207 @@ # Dolibarr language file - Source file is en_US - agenda -IdAgenda=ID event -Actions=Events -Agenda=Agenda -TMenuAgenda=Agenda -Agendas=Agendas -LocalAgenda=Default calendar -ActionsOwnedBy=Event owned by -ActionsOwnedByShort=Owner -AffectedTo=Assigned to -Event=Event -Events=Events -EventsNb=Number of events -ListOfActions=List of events -EventReports=Event reports -Location=Location -ToUserOfGroup=Event assigned to any user in the group -EventOnFullDay=Event on all day(s) -MenuToDoActions=All incomplete events -MenuDoneActions=All terminated events -MenuToDoMyActions=My incomplete events -MenuDoneMyActions=My terminated events -ListOfEvents=List of events (default calendar) -ActionsAskedBy=Events reported by -ActionsToDoBy=Events assigned to -ActionsDoneBy=Events done by -ActionAssignedTo=Event assigned to -ViewCal=Month view -ViewDay=Day view -ViewWeek=Week view -ViewPerUser=Per user view -ViewPerType=Per type view -AutoActions= Automatic filling -AgendaAutoActionDesc= Here you may define events which you want Dolibarr to create automatically in Agenda. If nothing is checked, only manual actions will be included in logs and displayed in Agenda. Automatic tracking of business actions done on objects (validation, status change) will not be saved. -AgendaSetupOtherDesc= This page provides options to allow the export of your Dolibarr events into an external calendar (Thunderbird, Google Calendar etc...) -AgendaExtSitesDesc=This page allows to declare external sources of calendars to see their events into Dolibarr agenda. -ActionsEvents=Events for which Dolibarr will create an action in agenda automatically -EventRemindersByEmailNotEnabled=Event reminders by email was not enabled into %s module setup. +IdAgenda=আইডি ইভেন্ট +Actions=ঘটনা +Agenda=আলোচ্যসূচি +TMenuAgenda=আলোচ্যসূচি +Agendas=এজেন্ডা +LocalAgenda=ডিফল্ট ক্যালেন্ডার +ActionsOwnedBy=ইভেন্ট মালিকানাধীন +ActionsOwnedByShort=মালিক +AffectedTo=নির্ধারিত +Event=ঘটনা +Events=ঘটনা +EventsNb=ইভেন্টের সংখ্যা +ListOfActions=ঘটনা তালিকা +EventReports=ইভেন্ট রিপোর্ট +Location=অবস্থান +ToUserOfGroup=গ্রুপের যেকোনো ব্যবহারকারীর জন্য ইভেন্ট বরাদ্দ করা হয়েছে +EventOnFullDay=সারাদিনের ইভেন্ট +MenuToDoActions=সব অসম্পূর্ণ ঘটনা +MenuDoneActions=সব বন্ধ ইভেন্ট +MenuToDoMyActions=আমার অসম্পূর্ণ ঘটনা +MenuDoneMyActions=আমার সমাপ্ত ঘটনা +ListOfEvents=ইভেন্টের তালিকা (ডিফল্ট ক্যালেন্ডার) +ActionsAskedBy=দ্বারা রিপোর্ট করা ঘটনা +ActionsToDoBy=ইভেন্ট বরাদ্দ করা হয়েছে +ActionsDoneBy=দ্বারা সম্পন্ন ঘটনা +ActionAssignedTo=ইভেন্ট বরাদ্দ করা হয়েছে +ViewCal=মাস ভিউ +ViewDay=দিনের দৃশ্য +ViewWeek=সপ্তাহের দৃশ্য +ViewPerUser=প্রতি ব্যবহারকারী ভিউ +ViewPerType=টাইপ ভিউ প্রতি +AutoActions= স্বয়ংক্রিয় ভর্তি +AgendaAutoActionDesc= এখানে আপনি ইভেন্টগুলি সংজ্ঞায়িত করতে পারেন যা আপনি Dolibarr এজেন্ডায় স্বয়ংক্রিয়ভাবে তৈরি করতে চান। যদি কিছুই চেক না করা হয়, শুধুমাত্র ম্যানুয়াল ক্রিয়াগুলি লগগুলিতে অন্তর্ভুক্ত করা হবে এবং এজেন্ডায় প্রদর্শিত হবে৷ বস্তুর উপর করা ব্যবসায়িক ক্রিয়াগুলির স্বয়ংক্রিয় ট্র্যাকিং (বৈধতা, স্থিতি পরিবর্তন) সংরক্ষণ করা হবে না। +AgendaSetupOtherDesc= এই পৃষ্ঠাটি একটি বহিরাগত ক্যালেন্ডারে (থান্ডারবার্ড, গুগল ক্যালেন্ডার ইত্যাদি...) আপনার ডলিবার ইভেন্টগুলি রপ্তানির অনুমতি দেওয়ার বিকল্পগুলি সরবরাহ করে। +AgendaExtSitesDesc=এই পৃষ্ঠাটি ক্যালেন্ডারের বাহ্যিক উত্সগুলিকে তাদের ইভেন্টগুলি ডলিবার এজেন্ডায় দেখার জন্য ঘোষণা করার অনুমতি দেয়৷ +ActionsEvents=যে ইভেন্টগুলির জন্য Dolibarr স্বয়ংক্রিয়ভাবে এজেন্ডায় একটি অ্যাকশন তৈরি করবে৷ +EventRemindersByEmailNotEnabled=ইমেলের মাধ্যমে ইভেন্ট অনুস্মারক %s মডিউল সেটআপে সক্ষম করা হয়নি৷ ##### Agenda event labels ##### -NewCompanyToDolibarr=Third party %s created -COMPANY_MODIFYInDolibarr=Third party %s modified -COMPANY_DELETEInDolibarr=Third party %s deleted -ContractValidatedInDolibarr=Contract %s validated -CONTRACT_DELETEInDolibarr=Contract %s deleted -PropalClosedSignedInDolibarr=Proposal %s signed -PropalClosedRefusedInDolibarr=Proposal %s refused -PropalValidatedInDolibarr=Proposal %s validated -PropalClassifiedBilledInDolibarr=Proposal %s classified billed -InvoiceValidatedInDolibarr=Invoice %s validated -InvoiceValidatedInDolibarrFromPos=Invoice %s validated from POS -InvoiceBackToDraftInDolibarr=Invoice %s go back to draft status -InvoiceDeleteDolibarr=Invoice %s deleted -InvoicePaidInDolibarr=Invoice %s changed to paid -InvoiceCanceledInDolibarr=Invoice %s canceled -MemberValidatedInDolibarr=Member %s validated -MemberModifiedInDolibarr=Member %s modified -MemberResiliatedInDolibarr=Member %s terminated -MemberDeletedInDolibarr=Member %s deleted -MemberSubscriptionAddedInDolibarr=Subscription %s for member %s added -MemberSubscriptionModifiedInDolibarr=Subscription %s for member %s modified -MemberSubscriptionDeletedInDolibarr=Subscription %s for member %s deleted -ShipmentValidatedInDolibarr=Shipment %s validated -ShipmentClassifyClosedInDolibarr=Shipment %s classified billed -ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified re-open -ShipmentBackToDraftInDolibarr=Shipment %s go back to draft status -ShipmentDeletedInDolibarr=Shipment %s deleted -ShipmentCanceledInDolibarr=Shipment %s canceled -ReceptionValidatedInDolibarr=Reception %s validated -OrderCreatedInDolibarr=Order %s created -OrderValidatedInDolibarr=Order %s validated -OrderDeliveredInDolibarr=Order %s classified delivered -OrderCanceledInDolibarr=Order %s canceled -OrderBilledInDolibarr=Order %s classified billed -OrderApprovedInDolibarr=Order %s approved -OrderRefusedInDolibarr=Order %s refused -OrderBackToDraftInDolibarr=Order %s go back to draft status -ProposalSentByEMail=Commercial proposal %s sent by email -ContractSentByEMail=Contract %s sent by email -OrderSentByEMail=Sales order %s sent by email -InvoiceSentByEMail=Customer invoice %s sent by email -SupplierOrderSentByEMail=Purchase order %s sent by email -ORDER_SUPPLIER_DELETEInDolibarr=Purchase order %s deleted -SupplierInvoiceSentByEMail=Vendor invoice %s sent by email -ShippingSentByEMail=Shipment %s sent by email -ShippingValidated= Shipment %s validated -InterventionSentByEMail=Intervention %s sent by email -ProposalDeleted=Proposal deleted -OrderDeleted=Order deleted -InvoiceDeleted=Invoice deleted -DraftInvoiceDeleted=Draft invoice deleted -CONTACT_CREATEInDolibarr=Contact %s created -CONTACT_MODIFYInDolibarr=Contact %s modified -CONTACT_DELETEInDolibarr=Contact %s deleted -PRODUCT_CREATEInDolibarr=Product %s created -PRODUCT_MODIFYInDolibarr=Product %s modified -PRODUCT_DELETEInDolibarr=Product %s deleted -HOLIDAY_CREATEInDolibarr=Request for leave %s created -HOLIDAY_MODIFYInDolibarr=Request for leave %s modified -HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated -HOLIDAY_DELETEInDolibarr=Request for leave %s deleted -EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created -EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated -EXPENSE_REPORT_APPROVEInDolibarr=Expense report %s approved -EXPENSE_REPORT_DELETEInDolibarr=Expense report %s deleted -EXPENSE_REPORT_REFUSEDInDolibarr=Expense report %s refused -PROJECT_CREATEInDolibarr=Project %s created -PROJECT_MODIFYInDolibarr=Project %s modified -PROJECT_DELETEInDolibarr=Project %s deleted -TICKET_CREATEInDolibarr=Ticket %s created -TICKET_MODIFYInDolibarr=Ticket %s modified -TICKET_ASSIGNEDInDolibarr=Ticket %s assigned -TICKET_CLOSEInDolibarr=Ticket %s closed -TICKET_DELETEInDolibarr=Ticket %s deleted -BOM_VALIDATEInDolibarr=BOM validated -BOM_UNVALIDATEInDolibarr=BOM unvalidated -BOM_CLOSEInDolibarr=BOM disabled -BOM_REOPENInDolibarr=BOM reopen -BOM_DELETEInDolibarr=BOM deleted -MRP_MO_VALIDATEInDolibarr=MO validated -MRP_MO_UNVALIDATEInDolibarr=MO set to draft status -MRP_MO_PRODUCEDInDolibarr=MO produced -MRP_MO_DELETEInDolibarr=MO deleted -MRP_MO_CANCELInDolibarr=MO canceled -PAIDInDolibarr=%s paid +NewCompanyToDolibarr=তৃতীয় পক্ষ %s তৈরি করা হয়েছে +COMPANY_MODIFYInDolibarr=তৃতীয় পক্ষ %s পরিবর্তিত +COMPANY_DELETEInDolibarr=তৃতীয় পক্ষ %s মুছে ফেলা হয়েছে +ContractValidatedInDolibarr=চুক্তি %s বৈধ +CONTRACT_DELETEInDolibarr=চুক্তি %s মুছে ফেলা হয়েছে +PropalClosedSignedInDolibarr=প্রস্তাব %s স্বাক্ষরিত +PropalClosedRefusedInDolibarr=প্রস্তাব %s প্রত্যাখ্যান করা হয়েছে +PropalValidatedInDolibarr=প্রস্তাব %s যাচাই করা হয়েছে +PropalBackToDraftInDolibarr=প্রস্তাব %s খসড়া স্ট্যাটাসে ফিরে যান +PropalClassifiedBilledInDolibarr=প্রস্তাব %s শ্রেণীবদ্ধ বিল +InvoiceValidatedInDolibarr=চালান %s যাচাই করা হয়েছে +InvoiceValidatedInDolibarrFromPos=চালান %s POS থেকে যাচাই করা হয়েছে +InvoiceBackToDraftInDolibarr=চালান %s খসড়া স্ট্যাটাসে ফিরে যান +InvoiceDeleteDolibarr=চালান %s মুছে ফেলা হয়েছে +InvoicePaidInDolibarr=চালান %s অর্থপ্রদানে পরিবর্তিত হয়েছে +InvoiceCanceledInDolibarr=চালান %s বাতিল করা হয়েছে +MemberValidatedInDolibarr=সদস্য %s যাচাই করা হয়েছে +MemberModifiedInDolibarr=সদস্য %s পরিবর্তিত +MemberResiliatedInDolibarr=সদস্য %s বন্ধ করা হয়েছে +MemberDeletedInDolibarr=সদস্য %s মুছে ফেলা হয়েছে +MemberExcludedInDolibarr=সদস্য %s বাদ +MemberSubscriptionAddedInDolibarr=সদস্যতা %s সদস্যের জন্য %s যোগ করা হয়েছে +MemberSubscriptionModifiedInDolibarr=সদস্যতা %s সদস্যের জন্য %s পরিবর্তিত +MemberSubscriptionDeletedInDolibarr=সদস্যতার %s সদস্য %s মুছে ফেলা হয়েছে +ShipmentValidatedInDolibarr=চালান %s বৈধ +ShipmentClassifyClosedInDolibarr=চালান %s শ্রেণীবদ্ধ বন্ধ +ShipmentUnClassifyCloseddInDolibarr=চালান %s শ্রেণীবদ্ধ পুনরায় খোলা +ShipmentBackToDraftInDolibarr=চালান %s খসড়া স্ট্যাটাসে ফিরে যান +ShipmentDeletedInDolibarr=চালান %s মুছে ফেলা হয়েছে +ShipmentCanceledInDolibarr=চালান %s বাতিল করা হয়েছে +ReceptionValidatedInDolibarr=অভ্যর্থনা %s বৈধ +ReceptionDeletedInDolibarr=অভ্যর্থনা %s মুছে ফেলা হয়েছে +ReceptionClassifyClosedInDolibarr=অভ্যর্থনা %s শ্রেণীবদ্ধ বন্ধ +OrderCreatedInDolibarr=অর্ডার %s তৈরি করা হয়েছে +OrderValidatedInDolibarr=অর্ডার %s বৈধ +OrderDeliveredInDolibarr=অর্ডার %s শ্রেণীবদ্ধ বিতরণ করা হয়েছে +OrderCanceledInDolibarr=অর্ডার %s বাতিল করা হয়েছে +OrderBilledInDolibarr=অর্ডার %s শ্রেণীবদ্ধ বিল +OrderApprovedInDolibarr=অর্ডার %s অনুমোদিত +OrderRefusedInDolibarr=অর্ডার %s প্রত্যাখ্যান করা হয়েছে +OrderBackToDraftInDolibarr=অর্ডার %s খসড়া স্ট্যাটাসে ফিরে যান +ProposalSentByEMail=বাণিজ্যিক প্রস্তাব %s ইমেলের মাধ্যমে পাঠানো হয়েছে +ContractSentByEMail=ইমেলের মাধ্যমে পাঠানো %s চুক্তি +OrderSentByEMail=সেলস অর্ডার %s ইমেলের মাধ্যমে পাঠানো +InvoiceSentByEMail=গ্রাহক চালান %s ইমেলের মাধ্যমে পাঠানো হয়েছে +SupplierOrderSentByEMail=ক্রয়ের অর্ডার %s ইমেলের মাধ্যমে পাঠানো হয়েছে +ORDER_SUPPLIER_DELETEInDolibarr=ক্রয় আদেশ %s মুছে ফেলা হয়েছে +SupplierInvoiceSentByEMail=ইমেলের মাধ্যমে পাঠানো বিক্রেতার চালান %s +ShippingSentByEMail=চালান %s ইমেলের মাধ্যমে পাঠানো +ShippingValidated= চালান %s বৈধ +InterventionSentByEMail=হস্তক্ষেপ %s ইমেলের মাধ্যমে পাঠানো +ProjectSentByEMail=প্রকল্প %s ইমেলের মাধ্যমে পাঠানো হয়েছে +ProjectDeletedInDolibarr=প্রকল্প %s মুছে ফেলা হয়েছে +ProjectClosedInDolibarr=প্রকল্প %s বন্ধ +ProposalDeleted=প্রস্তাব মোছা +OrderDeleted=অর্ডার মুছে ফেলা হয়েছে +InvoiceDeleted=চালান মুছে ফেলা হয়েছে +DraftInvoiceDeleted=খসড়া চালান মুছে ফেলা হয়েছে +CONTACT_CREATEInDolibarr=যোগাযোগ %s তৈরি করা হয়েছে +CONTACT_MODIFYInDolibarr=যোগাযোগ %s পরিবর্তিত +CONTACT_DELETEInDolibarr=যোগাযোগ %s মুছে ফেলা হয়েছে +PRODUCT_CREATEInDolibarr=পণ্য %s তৈরি করা হয়েছে +PRODUCT_MODIFYInDolibarr=পণ্য %s পরিবর্তিত +PRODUCT_DELETEInDolibarr=পণ্য %s মুছে ফেলা হয়েছে +HOLIDAY_CREATEInDolibarr=ছুটির অনুরোধ %s তৈরি করা হয়েছে +HOLIDAY_MODIFYInDolibarr=পরিবর্তিত %s ছুটির অনুরোধ +HOLIDAY_APPROVEInDolibarr=ছুটির অনুরোধ %s অনুমোদিত +HOLIDAY_VALIDATEInDolibarr=ছুটির অনুরোধ %s বৈধ +HOLIDAY_DELETEInDolibarr=ছুটির অনুরোধ %s মুছে ফেলা হয়েছে +EXPENSE_REPORT_CREATEInDolibarr=ব্যয় প্রতিবেদন %s তৈরি করা হয়েছে +EXPENSE_REPORT_VALIDATEInDolibarr=ব্যয় প্রতিবেদন %s যাচাই করা হয়েছে +EXPENSE_REPORT_APPROVEInDolibarr=ব্যয় প্রতিবেদন %s অনুমোদিত +EXPENSE_REPORT_DELETEInDolibarr=ব্যয় প্রতিবেদন %s মুছে ফেলা হয়েছে +EXPENSE_REPORT_REFUSEDInDolibarr=ব্যয় প্রতিবেদন %s প্রত্যাখ্যান করা হয়েছে +PROJECT_CREATEInDolibarr=প্রকল্প %s তৈরি করা হয়েছে +PROJECT_MODIFYInDolibarr=প্রকল্প %s পরিবর্তিত হয়েছে +PROJECT_DELETEInDolibarr=প্রকল্প %s মুছে ফেলা হয়েছে +TICKET_CREATEInDolibarr=টিকিট %s তৈরি করা হয়েছে +TICKET_MODIFYInDolibarr=টিকিট %s পরিবর্তিত +TICKET_ASSIGNEDInDolibarr=টিকিট %s বরাদ্দ করা হয়েছে +TICKET_CLOSEInDolibarr=টিকিট %s বন্ধ +TICKET_DELETEInDolibarr=টিকিট %s মুছে ফেলা হয়েছে +BOM_VALIDATEInDolibarr=BOM যাচাই করা হয়েছে +BOM_UNVALIDATEInDolibarr=BOM অবৈধ +BOM_CLOSEInDolibarr=BOM নিষ্ক্রিয় +BOM_REOPENInDolibarr=BOM আবার খুলুন +BOM_DELETEInDolibarr=BOM মুছে ফেলা হয়েছে +MRP_MO_VALIDATEInDolibarr=MO যাচাই করা হয়েছে +MRP_MO_UNVALIDATEInDolibarr=MO খসড়া স্ট্যাটাসে সেট করা হয়েছে +MRP_MO_PRODUCEDInDolibarr=MO উত্পাদিত +MRP_MO_DELETEInDolibarr=MO মুছে ফেলা হয়েছে +MRP_MO_CANCELInDolibarr=MO বাতিল হয়েছে +PAIDInDolibarr=%s অর্থপ্রদান +ENABLEDISABLEInDolibarr=ব্যবহারকারী সক্ষম বা অক্ষম +CANCELInDolibarr=বাতিল ##### End agenda events ##### -AgendaModelModule=Document templates for event -DateActionStart=Start date -DateActionEnd=End date -AgendaUrlOptions1=You can also add following parameters to filter output: -AgendaUrlOptions3=logina=%s to restrict output to actions owned by a user %s. -AgendaUrlOptionsNotAdmin=logina=!%s to restrict output to actions not owned by user %s. -AgendaUrlOptions4=logint=%s to restrict output to actions assigned to user %s (owner and others). -AgendaUrlOptionsProject=project=__PROJECT_ID__ to restrict output to actions linked to project __PROJECT_ID__. -AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto to exclude automatic events. -AgendaUrlOptionsIncludeHolidays=includeholidays=1 to include events of holidays. -AgendaShowBirthdayEvents=Birthdays of contacts -AgendaHideBirthdayEvents=Hide birthdays of contacts -Busy=Busy -ExportDataset_event1=List of agenda events -DefaultWorkingDays=Default working days range in week (Example: 1-5, 1-6) -DefaultWorkingHours=Default working hours in day (Example: 9-18) +AgendaModelModule=ইভেন্টের জন্য নথির টেমপ্লেট +DateActionStart=শুরুর তারিখ +DateActionEnd=শেষ তারিখ +AgendaUrlOptions1=আপনি ফিল্টার আউটপুট নিম্নলিখিত পরামিতি যোগ করতে পারেন: +AgendaUrlOptions3=logina=%s ব্যবহারকারীর মালিকানাধীন ক্রিয়াকলাপগুলিতে আউটপুট সীমাবদ্ধ করতে %s। +AgendaUrlOptionsNotAdmin=logina=!%s আউটপুটকে নিজের নয় এমন ক্রিয়াগুলিতে সীমাবদ্ধ করতে ব্যবহারকারী %s। +AgendaUrlOptions4=logint=%s ব্যবহারকারীকে <অর্পণ করা কর্মগুলিতে আউটপুট সীমাবদ্ধ করতে span class='notranslate'>
      %s (মালিক এবং অন্যান্য)। +AgendaUrlOptionsProject=project=__PROJECT_ID__ প্রজেক্টের সাথে লিঙ্ক করা ক্রিয়াকলাপের আউটপুট সীমাবদ্ধ করতে b0aee85>b0aee83333 __PROJECT_ID__
      । +AgendaUrlOptionsNotAutoEvent=স্বয়ংক্রিয় ইভেন্টগুলি বাদ দিতে notactiontype=systemauto। +AgendaUrlOptionsIncludeHolidays=ছুটির ইভেন্টগুলি অন্তর্ভুক্ত করতে includeholidays=1। +AgendaShowBirthdayEvents=পরিচিতির জন্মদিন +AgendaHideBirthdayEvents=পরিচিতির জন্মদিন লুকান +Busy=ব্যস্ত +ExportDataset_event1=এজেন্ডা ইভেন্টের তালিকা +DefaultWorkingDays=ডিফল্ট কর্মদিবস সপ্তাহে পরিসীমা (উদাহরণ: 1-5, 1-6) +DefaultWorkingHours=দিনের ডিফল্ট কাজের সময় (উদাহরণ: 9-18) # External Sites ical -ExportCal=Export calendar -ExtSites=Import external calendars -ExtSitesEnableThisTool=Show external calendars (defined in global setup) in Agenda. Does not affect external calendars defined by users. -ExtSitesNbOfAgenda=Number of calendars -AgendaExtNb=Calendar no. %s -ExtSiteUrlAgenda=URL to access .ical file -ExtSiteNoLabel=No Description -VisibleTimeRange=Visible time range -VisibleDaysRange=Visible days range -AddEvent=Create event -MyAvailability=My availability -ActionType=Event type -DateActionBegin=Start event date -ConfirmCloneEvent=Are you sure you want to clone the event %s? -RepeatEvent=Repeat event -OnceOnly=Once only -EveryWeek=Every week -EveryMonth=Every month -DayOfMonth=Day of month -DayOfWeek=Day of week -DateStartPlusOne=Date start + 1 hour -SetAllEventsToTodo=Set all events to todo -SetAllEventsToInProgress=Set all events to in progress -SetAllEventsToFinished=Set all events to finished -ReminderTime=Reminder period before the event -TimeType=Duration type -ReminderType=Callback type -AddReminder=Create an automatic reminder notification for this event -ErrorReminderActionCommCreation=Error creating the reminder notification for this event -BrowserPush=Browser Popup Notification -ActiveByDefault=Enabled by default +ExportCal=ক্যালেন্ডার রপ্তানি করুন +ExtSites=বাহ্যিক ক্যালেন্ডার আমদানি করুন +ExtSitesEnableThisTool=এজেন্ডায় বহিরাগত ক্যালেন্ডার (গ্লোবাল সেটআপে সংজ্ঞায়িত) দেখান। ব্যবহারকারীদের দ্বারা সংজ্ঞায়িত বহিরাগত ক্যালেন্ডার প্রভাবিত করে না। +ExtSitesNbOfAgenda=ক্যালেন্ডারের সংখ্যা +AgendaExtNb=ক্যালেন্ডার নং %s +ExtSiteUrlAgenda=.ical ফাইল অ্যাক্সেস করতে URL +ExtSiteNoLabel=বর্ণনা নাই +VisibleTimeRange=দৃশ্যমান সময় সীমা +VisibleDaysRange=দৃশ্যমান দিনের পরিসর +AddEvent=ইভেন্ট তৈরি করা +MyAvailability=আমার প্রাপ্যতা +ActionType=ইভেন্টের ধরণ +DateActionBegin=ইভেন্টের তারিখ শুরু করুন +ConfirmCloneEvent=আপনি কি ইভেন্টটি %s ক্লোন করার বিষয়ে নিশ্চিত? +RepeatEvent=ঘটনা পুনরাবৃত্তি করুন +OnceOnly=কেবল একবার +EveryDay=প্রতিদিন +EveryWeek=প্রতি সপ্তাহে +EveryMonth=প্রতি মাসে +DayOfMonth=মাসের দিন +DayOfWeek=সপ্তাহের দিন +DateStartPlusOne=তারিখ শুরু + 1 ঘন্টা +SetAllEventsToTodo=সমস্ত ইভেন্ট করণীয় সেট করুন +SetAllEventsToInProgress=সমস্ত ঘটনা প্রগতিতে সেট করুন +SetAllEventsToFinished=সব ইভেন্টকে শেষ করতে সেট করুন +ReminderTime=ইভেন্টের আগে অনুস্মারক সময়কাল +TimeType=সময়কাল প্রকার +ReminderType=কলব্যাক প্রকার +AddReminder=এই ইভেন্টের জন্য একটি স্বয়ংক্রিয় অনুস্মারক বিজ্ঞপ্তি তৈরি করুন৷ +ErrorReminderActionCommCreation=এই ইভেন্টের জন্য অনুস্মারক বিজ্ঞপ্তি তৈরিতে ত্রুটি৷ +BrowserPush=ব্রাউজার পপআপ বিজ্ঞপ্তি +Reminders=অনুস্মারক +ActiveByDefault=ডিফল্টরূপে সক্রিয় +Until=পর্যন্ত +DataFromWasMerged=%s থেকে ডেটা একত্রিত করা হয়েছে +AgendaShowBookcalCalendar=বুকিং ক্যালেন্ডার: %s +MenuBookcalIndex=অনলাইন অ্যাপয়েন্টমেন্ট +BookcalLabelAvailabilityHelp=উপলব্ধতার পরিসরের লেবেল। উদাহরণস্বরূপ:
      সাধারণ উপলব্ধতা
      বড়দিনের ছুটির সময় উপলব্ধতা +DurationOfRange=ব্যাপ্তির সময়কাল +BookCalSetup = অনলাইন অ্যাপয়েন্টমেন্ট সেটআপ +Settings = সেটিংস +BookCalSetupPage = অনলাইন অ্যাপয়েন্টমেন্ট সেটআপ পৃষ্ঠা +BOOKCAL_PUBLIC_INTERFACE_TOPIC = ইন্টারফেস শিরোনাম +About = সম্পর্কিত +BookCalAbout = BookCal সম্পর্কে +BookCalAboutPage = পৃষ্ঠা সম্পর্কে BookCal +Calendars=ক্যালেন্ডার +Availabilities=প্রাপ্যতা +NewAvailabilities=নতুন উপলব্ধতা +NewCalendar=নতুন ক্যালেন্ডার +ThirdPartyBookCalHelp=এই ক্যালেন্ডারে বুক করা ইভেন্ট স্বয়ংক্রিয়ভাবে এই তৃতীয় পক্ষের সাথে লিঙ্ক করা হবে। +AppointmentDuration = অ্যাপয়েন্টমেন্টের সময়কাল : %s +BookingSuccessfullyBooked=আপনার বুকিং সংরক্ষণ করা হয়েছে +BookingReservationHourAfter=আমরা %s তারিখে আমাদের সভার রিজার্ভেশন নিশ্চিত করি +BookcalBookingTitle=অনলাইন অ্যাপয়েন্টমেন্ট diff --git a/htdocs/langs/bn_IN/assets.lang b/htdocs/langs/bn_IN/assets.lang index ef04723c6c2..b9b73548c4d 100644 --- a/htdocs/langs/bn_IN/assets.lang +++ b/htdocs/langs/bn_IN/assets.lang @@ -1,4 +1,4 @@ -# Copyright (C) 2018 Alexandre Spangaro +# Copyright (C) 2018-2022 Alexandre Spangaro # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by @@ -16,50 +16,171 @@ # # Generic # -Assets = Assets -NewAsset = New asset -AccountancyCodeAsset = Accounting code (asset) -AccountancyCodeDepreciationAsset = Accounting code (depreciation asset account) -AccountancyCodeDepreciationExpense = Accounting code (depreciation expense account) -NewAssetType=New asset type -AssetsTypeSetup=Asset type setup -AssetTypeModified=Asset type modified -AssetType=Asset type -AssetsLines=Assets -DeleteType=Delete -DeleteAnAssetType=Delete an asset type -ConfirmDeleteAssetType=Are you sure you want to delete this asset type? -ShowTypeCard=Show type '%s' +NewAsset=নতুন সম্পদ +AccountancyCodeAsset=অ্যাকাউন্টিং কোড (সম্পদ) +AccountancyCodeDepreciationAsset=অ্যাকাউন্টিং কোড (অবচরণ সম্পদ অ্যাকাউন্ট) +AccountancyCodeDepreciationExpense=অ্যাকাউন্টিং কোড (অবচরণ খরচ অ্যাকাউন্ট) +AssetsLines=সম্পদ +DeleteType=মুছে ফেলা +DeleteAnAssetType=একটি সম্পদ মডেল মুছুন +ConfirmDeleteAssetType=আপনি কি এই সম্পদ মডেল মুছে ফেলার বিষয়ে নিশ্চিত? +ShowTypeCard=মডেল দেখান '%s' # Module label 'ModuleAssetsName' -ModuleAssetsName = Assets +ModuleAssetsName=সম্পদ # Module description 'ModuleAssetsDesc' -ModuleAssetsDesc = Assets description +ModuleAssetsDesc=সম্পদের বিবরণ # # Admin page # -AssetsSetup = Assets setup -Settings = Settings -AssetsSetupPage = Assets setup page -ExtraFieldsAssetsType = Complementary attributes (Asset type) -AssetsType=Asset type -AssetsTypeId=Asset type id -AssetsTypeLabel=Asset type label -AssetsTypes=Assets types +AssetSetup=সম্পদ সেটআপ +AssetSetupPage=সম্পদ সেটআপ পৃষ্ঠা +ExtraFieldsAssetModel=পরিপূরক বৈশিষ্ট্য (সম্পদ মডেল) + +AssetsType=সম্পদ মডেল +AssetsTypeId=সম্পদ মডেল আইডি +AssetsTypeLabel=সম্পদ মডেল লেবেল +AssetsTypes=সম্পদের মডেল +ASSET_ACCOUNTANCY_CATEGORY=স্থায়ী সম্পদ অ্যাকাউন্টিং গ্রুপ # # Menu # -MenuAssets = Assets -MenuNewAsset = New asset -MenuTypeAssets = Type assets -MenuListAssets = List -MenuNewTypeAssets = New -MenuListTypeAssets = List +MenuAssets=সম্পদ +MenuNewAsset=নতুন সম্পদ +MenuAssetModels=মডেল সম্পদ +MenuListAssets=তালিকা +MenuNewAssetModel=নতুন সম্পদের মডেল +MenuListAssetModels=তালিকা # # Module # -NewAssetType=New asset type -NewAsset=New asset +ConfirmDeleteAsset=আপনি কি সত্যিই এই সম্পদ সরাতে চান? + +# +# Tab +# +AssetDepreciationOptions=অবচয় বিকল্প +AssetAccountancyCodes=অ্যাকাউন্টিং অ্যাকাউন্ট +AssetDepreciation=অবচয় + +# +# Asset +# +Asset=সম্পদ +Assets=সম্পদ +AssetReversalAmountHT=বিপরীত পরিমাণ (ট্যাক্স ছাড়া) +AssetAcquisitionValueHT=অধিগ্রহণের পরিমাণ (কর ছাড়া) +AssetRecoveredVAT=উদ্ধারকৃত ভ্যাট +AssetReversalDate=বিপরীত তারিখ +AssetDateAcquisition=অধিগ্রহণের তারিখ +AssetDateStart=শুরুর তারিখ +AssetAcquisitionType=অধিগ্রহণের ধরন +AssetAcquisitionTypeNew=নতুন +AssetAcquisitionTypeOccasion=ব্যবহৃত +AssetType=সম্পদের ধরন +AssetTypeIntangible=অধরা +AssetTypeTangible=বাস্তব +AssetTypeInProgress=চলমান +AssetTypeFinancial=আর্থিক +AssetNotDepreciated=অবমূল্যায়ন নয় +AssetDisposal=নিষ্পত্তি +AssetConfirmDisposalAsk=আপনি কি %s সম্পদের নিষ্পত্তি করার বিষয়ে নিশ্চিত? +AssetConfirmReOpenAsk=আপনি কি %s সম্পদ পুনরায় খুলতে চান? + +# +# Asset status +# +AssetInProgress=চলমান +AssetDisposed=নিষ্পত্তি +AssetRecorded=অ্যাকাউন্টেড + +# +# Asset disposal +# +AssetDisposalDate=নিষ্পত্তির তারিখ +AssetDisposalAmount=নিষ্পত্তি মূল্য +AssetDisposalType=নিষ্পত্তির ধরন +AssetDisposalDepreciated=স্থানান্তরের বছর অবমূল্যায়ন করুন +AssetDisposalSubjectToVat=ভ্যাট সাপেক্ষে নিষ্পত্তি + +# +# Asset model +# +AssetModel=সম্পদের মডেল +AssetModels=সম্পদের মডেল + +# +# Asset depreciation options +# +AssetDepreciationOptionEconomic=অর্থনৈতিক অবচয় +AssetDepreciationOptionAcceleratedDepreciation=ত্বরিত অবচয় (কর) +AssetDepreciationOptionDepreciationType=অবচয় প্রকার +AssetDepreciationOptionDepreciationTypeLinear=রৈখিক +AssetDepreciationOptionDepreciationTypeDegressive=অধঃপতনশীল +AssetDepreciationOptionDepreciationTypeExceptional=ব্যতিক্রমী +AssetDepreciationOptionDegressiveRate=অধঃপতন হার +AssetDepreciationOptionAcceleratedDepreciation=ত্বরিত অবচয় (কর) +AssetDepreciationOptionDuration=সময়কাল +AssetDepreciationOptionDurationType=সময়কাল টাইপ করুন +AssetDepreciationOptionDurationTypeAnnual=বার্ষিক +AssetDepreciationOptionDurationTypeMonthly=মাসিক +AssetDepreciationOptionDurationTypeDaily=দৈনিক +AssetDepreciationOptionRate=হার (%%) +AssetDepreciationOptionAmountBaseDepreciationHT=অবচয় বেস (ভ্যাট বাদে) +AssetDepreciationOptionAmountBaseDeductibleHT=কর্তনযোগ্য ভিত্তি (ভ্যাট বাদে) +AssetDepreciationOptionTotalAmountLastDepreciationHT=মোট পরিমাণ শেষ অবচয় (ভ্যাট বাদে) + +# +# Asset accountancy codes +# +AssetAccountancyCodeDepreciationEconomic=অর্থনৈতিক অবমূল্যায়ন +AssetAccountancyCodeAsset=সম্পদ +AssetAccountancyCodeDepreciationAsset=অবচয় +AssetAccountancyCodeDepreciationExpense=অবচয় ব্যয় +AssetAccountancyCodeValueAssetSold=নিষ্পত্তিকৃত সম্পদের মূল্য +AssetAccountancyCodeReceivableOnAssignment=নিষ্পত্তি উপর প্রাপ্য +AssetAccountancyCodeProceedsFromSales=নিষ্পত্তি থেকে আয় +AssetAccountancyCodeVatCollected=সংগৃহীত ভ্যাট +AssetAccountancyCodeVatDeductible=সম্পদের উপর ভ্যাট আদায় করা হয়েছে +AssetAccountancyCodeDepreciationAcceleratedDepreciation=ত্বরিত অবচয় (কর) +AssetAccountancyCodeAcceleratedDepreciation=হিসাব +AssetAccountancyCodeEndowmentAcceleratedDepreciation=অবচয় ব্যয় +AssetAccountancyCodeProvisionAcceleratedDepreciation=দখল/বিধান + +# +# Asset depreciation +# +AssetBaseDepreciationHT=অবচয় ভিত্তিতে (ভ্যাট বাদে) +AssetDepreciationBeginDate=অবচয় শুরু +AssetDepreciationDuration=সময়কাল +AssetDepreciationRate=হার (%%) +AssetDepreciationDate=অবচয় তারিখ +AssetDepreciationHT=অবচয় (ভ্যাট বাদে) +AssetCumulativeDepreciationHT=ক্রমবর্ধমান অবচয় (ভ্যাট বাদে) +AssetResidualHT=অবশিষ্ট মান (ভ্যাট বাদে) +AssetDispatchedInBookkeeping=অবচয় রেকর্ড করা হয়েছে +AssetFutureDepreciationLine=ভবিষ্যৎ অবচয় +AssetDepreciationReversal=উল্টো + +# +# Errors +# +AssetErrorAssetOrAssetModelIDNotProvide=সম্পদের আইডি বা পাওয়া মডেল প্রদান করা হয়নি +AssetErrorFetchAccountancyCodesForMode='%s' অবচয় মোডের জন্য অ্যাকাউন্টিং অ্যাকাউন্টগুলি পুনরুদ্ধার করার সময় ত্রুটি +AssetErrorDeleteAccountancyCodesForMode='%s' অবচয় মোড থেকে অ্যাকাউন্টিং অ্যাকাউন্টগুলি মুছে ফেলার সময় ত্রুটি +AssetErrorInsertAccountancyCodesForMode=অবচয় মোড '%s' এর অ্যাকাউন্টিং অ্যাকাউন্ট সন্নিবেশ করার সময় ত্রুটি +AssetErrorFetchDepreciationOptionsForMode='%s' অবচয় মোডের বিকল্পগুলি পুনরুদ্ধার করার সময় ত্রুটি +AssetErrorDeleteDepreciationOptionsForMode='%s' অবচয় মোড বিকল্পগুলি মুছে ফেলার সময় ত্রুটি +AssetErrorInsertDepreciationOptionsForMode='%s' অবচয় মোড বিকল্পগুলি সন্নিবেশ করার সময় ত্রুটি +AssetErrorFetchDepreciationLines=রেকর্ড করা অবচয় লাইন পুনরুদ্ধার করার সময় ত্রুটি +AssetErrorClearDepreciationLines=রেকর্ড করা অবচয় লাইন শুদ্ধ করার সময় ত্রুটি (উল্টানো এবং ভবিষ্যত) +AssetErrorAddDepreciationLine=একটি অবচয় লাইন যোগ করার সময় ত্রুটি +AssetErrorCalculationDepreciationLines=অবচয় লাইন গণনা করার সময় ত্রুটি (পুনরুদ্ধার এবং ভবিষ্যত) +AssetErrorReversalDateNotProvidedForMode='%s' অবচয় পদ্ধতির জন্য বিপরীত তারিখ প্রদান করা হয় না +AssetErrorReversalDateNotGreaterThanCurrentBeginFiscalDateForMode=রিভার্সাল তারিখটি '%s' অবচয় পদ্ধতির জন্য চলতি অর্থবছরের শুরুর চেয়ে বেশি বা সমান হতে হবে +AssetErrorReversalAmountNotProvidedForMode=অবচয় মোড '%s'-এর জন্য বিপরীত পরিমাণ প্রদান করা হয় না। +AssetErrorFetchCumulativeDepreciation=অবচয় লাইন থেকে সঞ্চিত অবচয় পরিমাণ পুনরুদ্ধার করার সময় ত্রুটি +AssetErrorSetLastCumulativeDepreciation=শেষ সঞ্চিত অবচয় পরিমাণ রেকর্ড করার সময় ত্রুটি diff --git a/htdocs/langs/bn_IN/banks.lang b/htdocs/langs/bn_IN/banks.lang index f066877f676..78619d0785b 100644 --- a/htdocs/langs/bn_IN/banks.lang +++ b/htdocs/langs/bn_IN/banks.lang @@ -1,184 +1,196 @@ # Dolibarr language file - Source file is en_US - banks -Bank=Bank -MenuBankCash=Banks | Cash -MenuVariousPayment=Miscellaneous payments -MenuNewVariousPayment=New Miscellaneous payment -BankName=Bank name -FinancialAccount=Account -BankAccount=Bank account -BankAccounts=Bank accounts -BankAccountsAndGateways=Bank accounts | Gateways -ShowAccount=Show Account -AccountRef=Financial account ref -AccountLabel=Financial account label -CashAccount=Cash account -CashAccounts=Cash accounts -CurrentAccounts=Current accounts -SavingAccounts=Savings accounts -ErrorBankLabelAlreadyExists=Financial account label already exists -BankBalance=Balance -BankBalanceBefore=Balance before -BankBalanceAfter=Balance after -BalanceMinimalAllowed=Minimum allowed balance -BalanceMinimalDesired=Minimum desired balance -InitialBankBalance=Initial balance -EndBankBalance=End balance -CurrentBalance=Current balance -FutureBalance=Future balance -ShowAllTimeBalance=Show balance from start -AllTime=From start -Reconciliation=Reconciliation -RIB=Bank Account Number -IBAN=IBAN number -BIC=BIC/SWIFT code -SwiftValid=BIC/SWIFT valid -SwiftNotValid=BIC/SWIFT not valid -IbanValid=BAN valid -IbanNotValid=BAN not valid -StandingOrders=Direct debit orders -StandingOrder=Direct debit order -PaymentByDirectDebit=Payment by direct debit -PaymentByBankTransfers=Payments by credit transfer -PaymentByBankTransfer=Payment by credit transfer -AccountStatement=Account statement -AccountStatementShort=Statement -AccountStatements=Account statements -LastAccountStatements=Last account statements -IOMonthlyReporting=Monthly reporting -BankAccountDomiciliation=Bank address -BankAccountCountry=Account country -BankAccountOwner=Account owner name -BankAccountOwnerAddress=Account owner address -CreateAccount=Create account -NewBankAccount=New account -NewFinancialAccount=New financial account -MenuNewFinancialAccount=New financial account -EditFinancialAccount=Edit account -LabelBankCashAccount=Bank or cash label -AccountType=Account type -BankType0=Savings account -BankType1=Current or credit card account -BankType2=Cash account -AccountsArea=Accounts area -AccountCard=Account card -DeleteAccount=Delete account -ConfirmDeleteAccount=Are you sure you want to delete this account? -Account=Account -BankTransactionByCategories=Bank entries by categories -BankTransactionForCategory=Bank entries for category %s -RemoveFromRubrique=Remove link with category -RemoveFromRubriqueConfirm=Are you sure you want to remove link between the entry and the category? -ListBankTransactions=List of bank entries -IdTransaction=Transaction ID -BankTransactions=Bank entries -BankTransaction=Bank entry -ListTransactions=List entries -ListTransactionsByCategory=List entries/category -TransactionsToConciliate=Entries to reconcile -TransactionsToConciliateShort=To reconcile -Conciliable=Can be reconciled -Conciliate=Reconcile -Conciliation=Reconciliation -SaveStatementOnly=Save statement only -ReconciliationLate=Reconciliation late -IncludeClosedAccount=Include closed accounts -OnlyOpenedAccount=Only open accounts -AccountToCredit=Account to credit -AccountToDebit=Account to debit -DisableConciliation=Disable reconciliation feature for this account -ConciliationDisabled=Reconciliation feature disabled -LinkedToAConciliatedTransaction=Linked to a conciliated entry -StatusAccountOpened=Open -StatusAccountClosed=Closed -AccountIdShort=Number -LineRecord=Transaction -AddBankRecord=Add entry -AddBankRecordLong=Add entry manually -Conciliated=Reconciled -ConciliatedBy=Reconciled by -DateConciliating=Reconcile date -BankLineConciliated=Entry reconciled with bank receipt -Reconciled=Reconciled -NotReconciled=Not reconciled -CustomerInvoicePayment=Customer payment -SupplierInvoicePayment=Vendor payment -SubscriptionPayment=Subscription payment -WithdrawalPayment=Debit payment order -SocialContributionPayment=Social/fiscal tax payment -BankTransfer=Credit transfer -BankTransfers=Credit transfers -MenuBankInternalTransfer=Internal transfer -TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. -TransferFrom=From -TransferTo=To -TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Sender -ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes will be possible once validated. -DeleteCheckReceipt=Delete this check receipt? -ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? -BankChecks=Bank checks -BankChecksToReceipt=Checks awaiting deposit -BankChecksToReceiptShort=Checks awaiting deposit -ShowCheckReceipt=Show check deposit receipt -NumberOfCheques=No. of check -DeleteTransaction=Delete entry -ConfirmDeleteTransaction=Are you sure you want to delete this entry? -ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry -BankMovements=Movements -PlannedTransactions=Planned entries -Graph=Graphs -ExportDataset_banque_1=Bank entries and account statement -ExportDataset_banque_2=Deposit slip -TransactionOnTheOtherAccount=Transaction on the other account -PaymentNumberUpdateSucceeded=Payment number updated successfully -PaymentNumberUpdateFailed=Payment number could not be updated -PaymentDateUpdateSucceeded=Payment date updated successfully -PaymentDateUpdateFailed=Payment date could not be updated -Transactions=Transactions -BankTransactionLine=Bank entry -AllAccounts=All bank and cash accounts -BackToAccount=Back to account -ShowAllAccounts=Show for all accounts -FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". -InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD -EventualyAddCategory=Eventually, specify a category in which to classify the records -ToConciliate=To reconcile? -ThenCheckLinesAndConciliate=Then, check the lines present in the bank statement and click -DefaultRIB=Default BAN -AllRIB=All BAN -LabelRIB=BAN Label -NoBANRecord=No BAN record -DeleteARib=Delete BAN record -ConfirmDeleteRib=Are you sure you want to delete this BAN record? -RejectCheck=Check returned -ConfirmRejectCheck=Are you sure you want to mark this check as rejected? -RejectCheckDate=Date the check was returned -CheckRejected=Check returned -CheckRejectedAndInvoicesReopened=Check returned and invoices re-open -BankAccountModelModule=Document templates for bank accounts -DocumentModelSepaMandate=Template of SEPA mandate. Useful for European countries in EEC only. -DocumentModelBan=Template to print a page with BAN information. -NewVariousPayment=New miscellaneous payment -VariousPayment=Miscellaneous payment -VariousPayments=Miscellaneous payments -ShowVariousPayment=Show miscellaneous payment -AddVariousPayment=Add miscellaneous payment -VariousPaymentId=Miscellaneous payment ID -VariousPaymentLabel=Miscellaneous payment label -ConfirmCloneVariousPayment=Confirm the clone of a miscellaneous payment -SEPAMandate=SEPA mandate -YourSEPAMandate=Your SEPA mandate -FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to -AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation -CashControl=POS cash desk control -NewCashFence=New cash desk opening or closing -BankColorizeMovement=Colorize movements -BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements -BankColorizeMovementName1=Background color for debit movement -BankColorizeMovementName2=Background color for credit movement -IfYouDontReconcileDisableProperty=If you don't make the bank reconciliations on some bank accounts, disable the property "%s" on them to remove this warning. -NoBankAccountDefined=No bank account defined -NoRecordFoundIBankcAccount=No record found in bank account. Commonly, this occurs when a record has been deleted manually from the list of transaction in the bank account (for example during a reconciliation of the bank account). Another reason is that the payment was recorded when the module "%s" was disabled. -AlreadyOneBankAccount=Already one bank account defined +Bank=ব্যাংক +MenuBankCash=ব্যাঙ্ক | নগদ +MenuVariousPayment=বিবিধ অর্থপ্রদান +MenuNewVariousPayment=নতুন বিবিধ পেমেন্ট +BankName=ব্যাংকের নাম +FinancialAccount=হিসাব +BankAccount=ব্যাংক হিসাব +BankAccounts=ব্যাংক হিসাব +BankAccountsAndGateways=ব্যাঙ্ক অ্যাকাউন্ট | গেটওয়ে +ShowAccount=অ্যাকাউন্ট দেখান +AccountRef=আর্থিক হিসাব রেফ +AccountLabel=আর্থিক অ্যাকাউন্ট লেবেল +CashAccount=নগদ হিসাব +CashAccounts=নগদ অ্যাকাউন্ট +CurrentAccounts=চলতি হিসাব +SavingAccounts=সেভিংস অ্যাকাউন্ট +ErrorBankLabelAlreadyExists=আর্থিক অ্যাকাউন্ট লেবেল ইতিমধ্যেই বিদ্যমান +ErrorBankReceiptAlreadyExists=ব্যাঙ্ক রসিদ রেফারেন্স ইতিমধ্যেই বিদ্যমান +BankBalance=ভারসাম্য +BankBalanceBefore=আগে ব্যালেন্স +BankBalanceAfter=পরে ব্যালেন্স +BalanceMinimalAllowed=ন্যূনতম অনুমোদিত ব্যালেন্স +BalanceMinimalDesired=ন্যূনতম কাঙ্ক্ষিত ব্যালেন্স +InitialBankBalance=প্রাথমিক ভারসাম্য +EndBankBalance=শেষ ভারসাম্য +CurrentBalance=বর্তমান হিসাব +FutureBalance=ভবিষ্যতের ভারসাম্য +ShowAllTimeBalance=শুরু থেকে ব্যালেন্স দেখান +AllTime=শুরু থেকেই +Reconciliation=মিলন +RIB=ব্যাংক একাউন্ট নম্বর +IBAN=ইবান সংখ্যা +BIC=BIC/SWIFT কোড +SwiftValid=BIC/SWIFT বৈধ +SwiftNotValid=BIC/SWIFT বৈধ নয় +IbanValid=BAN বৈধ +IbanNotValid=ব্যান বৈধ নয় +StandingOrders=সরাসরি ডেবিট অর্ডার +StandingOrder=সরাসরি ডেবিট অর্ডার +PaymentByDirectDebit=সরাসরি ডেবিট দ্বারা অর্থপ্রদান +PaymentByBankTransfers=ক্রেডিট ট্রান্সফার দ্বারা পেমেন্ট +PaymentByBankTransfer=ক্রেডিট ট্রান্সফার দ্বারা পেমেন্ট +AccountStatement=অ্যাকাউন্ট বিবৃতি +AccountStatementShort=বিবৃতি +AccountStatements=অ্যাকাউন্ট বিবৃতি +LastAccountStatements=সর্বশেষ অ্যাকাউন্টের বিবৃতি +IOMonthlyReporting=মাসিক রিপোর্টিং +BankAccountDomiciliation=ব্যাংকের ঠিকানা +BankAccountCountry=অ্যাকাউন্টের দেশ +BankAccountOwner=অ্যাকাউন্ট মালিকের নাম +BankAccountOwnerAddress=অ্যাকাউন্ট মালিকের ঠিকানা +BankAccountOwnerZip=অ্যাকাউন্ট মালিক জিপ +BankAccountOwnerTown=অ্যাকাউন্ট মালিক শহর +BankAccountOwnerCountry=অ্যাকাউন্ট মালিক দেশ +CreateAccount=হিসাব তৈরি কর +NewBankAccount=নতুন হিসাব +NewFinancialAccount=নতুন আর্থিক হিসাব +MenuNewFinancialAccount=নতুন আর্থিক হিসাব +EditFinancialAccount=অ্যাকাউন্ট সম্পাদনা করুন +LabelBankCashAccount=ব্যাঙ্ক বা নগদ লেবেল +AccountType=অ্যাকাউন্ট ধরন +BankType0=সঞ্চয় অ্যাকাউন্ট +BankType1=বর্তমান, চেক বা ক্রেডিট কার্ড অ্যাকাউন্ট +BankType2=নগদ হিসাব +AccountsArea=অ্যাকাউন্ট এলাকা +AccountCard=অ্যাকাউন্ট কার্ড +DeleteAccount=হিসাব মুছে ফেলা +ConfirmDeleteAccount=আপনি কি এই অ্যাকাউন্টটি মুছে ফেলার বিষয়ে নিশ্চিত? +Account=হিসাব +BankTransactionByCategories=বিভাগ দ্বারা ব্যাঙ্ক এন্ট্রি +BankTransactionForCategory=%s বিভাগের জন্য ব্যাঙ্ক এন্ট্রি +RemoveFromRubrique=বিভাগ সহ লিঙ্ক সরান +RemoveFromRubriqueConfirm=আপনি কি নিশ্চিত আপনি এন্ট্রি এবং বিভাগের মধ্যে লিঙ্ক সরাতে চান? +ListBankTransactions=ব্যাঙ্ক এন্ট্রি তালিকা +IdTransaction=লেনদেন নাম্বার +BankTransactions=ব্যাংক এন্ট্রি +BankTransaction=ব্যাংক এন্ট্রি +ListTransactions=তালিকা এন্ট্রি +ListTransactionsByCategory=তালিকা এন্ট্রি/বিভাগ +TransactionsToConciliate=মিটমাট করার জন্য এন্ট্রি +TransactionsToConciliateShort=মিটমাট করা +Conciliable=মিটমাট করা যায় +Conciliate=মিলন +Conciliation=মিলন +SaveStatementOnly=শুধুমাত্র বিবৃতি সংরক্ষণ করুন +ReconciliationLate=মিলন দেরিতে +IncludeClosedAccount=বন্ধ অ্যাকাউন্ট অন্তর্ভুক্ত করুন +OnlyOpenedAccount=শুধুমাত্র অ্যাকাউন্ট খুলুন +AccountToCredit=ক্রেডিট অ্যাকাউন্ট +AccountToDebit=ডেবিট করার জন্য অ্যাকাউন্ট +DisableConciliation=এই অ্যাকাউন্টের জন্য পুনর্মিলন বৈশিষ্ট্য অক্ষম করুন +ConciliationDisabled=পুনর্মিলন বৈশিষ্ট্য নিষ্ক্রিয় +LinkedToAConciliatedTransaction=একটি সমঝোতা এন্ট্রি লিঙ্ক +StatusAccountOpened=খোলা +StatusAccountClosed=বন্ধ +AccountIdShort=সংখ্যা +LineRecord=লেনদেন +AddBankRecord=এন্ট্রি যোগ করুন +AddBankRecordLong=ম্যানুয়ালি এন্ট্রি যোগ করুন +Conciliated=মিটমাট +ReConciliedBy=দ্বারা পুনর্মিলন +DateConciliating=মিলনের তারিখ +BankLineConciliated=এন্ট্রি ব্যাঙ্ক রসিদ সঙ্গে মিলিত +BankLineReconciled=মিটমাট +BankLineNotReconciled=মিটমাট হয়নি +CustomerInvoicePayment=গ্রাহক পেমেন্ট +SupplierInvoicePayment=বিক্রেতা পেমেন্ট +SubscriptionPayment=সাবস্ক্রিপশন পেমেন্ট +WithdrawalPayment=ডাইরেক্ট ডেবিট পেমেন্ট +BankTransferPayment=ক্রেডিট ট্রান্সফার পেমেন্ট +SocialContributionPayment=সামাজিক/আর্থিক কর প্রদান +BankTransfer=ক্রেডিট স্থানান্তরণ +BankTransfers=ক্রেডিট স্থানান্তর +MenuBankInternalTransfer=অভ্যন্তরীণ স্থানান্তর +TransferDesc=এক অ্যাকাউন্ট থেকে অন্য অ্যাকাউন্টে স্থানান্তর করতে অভ্যন্তরীণ স্থানান্তর ব্যবহার করুন, অ্যাপ্লিকেশন দুটি রেকর্ড লিখবে: উত্স অ্যাকাউন্টে একটি ডেবিট এবং লক্ষ্য অ্যাকাউন্টে একটি ক্রেডিট। এই লেনদেনের জন্য একই পরিমাণ, লেবেল এবং তারিখ ব্যবহার করা হবে। +TransferFrom=থেকে +TransferTo=প্রতি +TransferFromToDone=%s থেকে %s 'notranslate'>%s %s রেকর্ড করা হয়েছে৷ +CheckTransmitter=প্রেরক +ValidateCheckReceipt=এই চেক রসিদ বৈধ? +ConfirmValidateCheckReceipt=আপনি কি নিশ্চিত যে আপনি যাচাইকরণের জন্য এই চেকের রসিদ জমা দিতে চান? একবার যাচাই করা হলে কোন পরিবর্তন সম্ভব হবে না। +DeleteCheckReceipt=এই চেকের রসিদটি মুছবেন? +ConfirmDeleteCheckReceipt=আপনি কি নিশ্চিত আপনি এই চেক রসিদ মুছে ফেলতে চান? +DocumentsForDeposit=ব্যাংকে জমা করার নথি +BankChecks=ব্যাংক চেক +BankChecksToReceipt=চেক জমার জন্য অপেক্ষা করছে +BankChecksToReceiptShort=চেক জমার জন্য অপেক্ষা করছে +ShowCheckReceipt=চেক জমার রসিদ দেখান +NumberOfCheques=চেকের সংখ্যা +DeleteTransaction=লেখা মুছে ফেলো +ConfirmDeleteTransaction=আপনি কি এই এন্ট্রি মুছে ফেলার বিষয়ে নিশ্চিত? +ThisWillAlsoDeleteBankRecord=এটি জেনারেট করা ব্যাঙ্ক এন্ট্রিও মুছে দেবে৷ +BankMovements=আন্দোলন +PlannedTransactions=পরিকল্পিত এন্ট্রি +Graph=গ্রাফ +ExportDataset_banque_1=ব্যাঙ্ক এন্ট্রি এবং অ্যাকাউন্ট স্টেটমেন্ট +ExportDataset_banque_2=আমানত স্লিপ +TransactionOnTheOtherAccount=অন্য অ্যাকাউন্টে লেনদেন +PaymentNumberUpdateSucceeded=পেমেন্ট নম্বর সফলভাবে আপডেট করা হয়েছে +PaymentNumberUpdateFailed=পেমেন্ট নম্বর আপডেট করা যায়নি +PaymentDateUpdateSucceeded=পেমেন্টের তারিখ সফলভাবে আপডেট করা হয়েছে +PaymentDateUpdateFailed=পেমেন্ট তারিখ আপডেট করা যায়নি +Transactions=লেনদেন +BankTransactionLine=ব্যাংক এন্ট্রি +AllAccounts=সমস্ত ব্যাঙ্ক এবং নগদ অ্যাকাউন্ট +BackToAccount=অ্যাকাউন্টে ফিরে যান +ShowAllAccounts=সমস্ত অ্যাকাউন্টের জন্য দেখান +FutureTransaction=ভবিষ্যতের লেনদেন। মিটমাট করতে অক্ষম। +SelectChequeTransactionAndGenerate=চেক জমার রসিদে অন্তর্ভুক্ত করা চেকগুলি নির্বাচন/ফিল্টার করুন। তারপরে, "তৈরি করুন" এ ক্লিক করুন। +SelectPaymentTransactionAndGenerate=%s জমার রসিদে অন্তর্ভুক্ত করা নথিগুলি নির্বাচন/ফিল্টার করুন৷ তারপরে, "তৈরি করুন" এ ক্লিক করুন। +InputReceiptNumber=সমঝোতার সাথে সম্পর্কিত ব্যাঙ্ক স্টেটমেন্ট বেছে নিন। একটি বাছাইযোগ্য সংখ্যাসূচক মান ব্যবহার করুন +InputReceiptNumberBis=YYYYMM বা YYYYMMDD +EventualyAddCategory=অবশেষে, রেকর্ড শ্রেণীবদ্ধ করার জন্য একটি বিভাগ নির্দিষ্ট করুন +ToConciliate=মিটমাট করা? +ThenCheckLinesAndConciliate=তারপর, ব্যাঙ্ক স্টেটমেন্টে উপস্থিত লাইনগুলি পরীক্ষা করুন এবং ক্লিক করুন +DefaultRIB=ডিফল্ট ব্যান +AllRIB=সব ব্যান +LabelRIB=ব্যান লেবেল +NoBANRecord=ব্যান রেকর্ড নেই +DeleteARib=BAN রেকর্ড মুছুন +ConfirmDeleteRib=আপনি কি এই BAN রেকর্ডটি মুছতে চান? +RejectCheck=চেক ফেরত +ConfirmRejectCheck=আপনি কি নিশ্চিত আপনি এই চেকটিকে প্রত্যাখ্যাত হিসাবে চিহ্নিত করতে চান? +RejectCheckDate=চেক ফেরত দেওয়ার তারিখ +CheckRejected=চেক ফেরত +CheckRejectedAndInvoicesReopened=চেক ফেরত এবং চালান পুনরায় খুলুন +BankAccountModelModule=ব্যাঙ্ক অ্যাকাউন্টের জন্য নথির টেমপ্লেট +DocumentModelSepaMandate=SEPA আদেশের টেমপ্লেট। EEC শুধুমাত্র ইউরোপীয় দেশগুলির জন্য দরকারী। +DocumentModelBan=BAN তথ্য সহ একটি পৃষ্ঠা প্রিন্ট করার জন্য টেমপ্লেট। +NewVariousPayment=নতুন বিবিধ পেমেন্ট +VariousPayment=বিবিধ পেমেন্ট +VariousPayments=বিবিধ অর্থপ্রদান +ShowVariousPayment=বিবিধ পেমেন্ট দেখান +AddVariousPayment=বিবিধ পেমেন্ট যোগ করুন +VariousPaymentId=বিবিধ পেমেন্ট আইডি +VariousPaymentLabel=বিবিধ পেমেন্ট লেবেল +ConfirmCloneVariousPayment=একটি বিবিধ অর্থপ্রদানের ক্লোন নিশ্চিত করুন +SEPAMandate=SEPA আদেশ +YourSEPAMandate=আপনার SEPA আদেশ +FindYourSEPAMandate=আপনার ব্যাঙ্কে সরাসরি ডেবিট অর্ডার করার জন্য আমাদের কোম্পানিকে অনুমোদন করার জন্য এটি আপনার SEPA ম্যান্ডেট। এটি স্বাক্ষরিত ফেরত দিন (স্বাক্ষরিত নথির স্ক্যান করুন) অথবা এটিকে মেইলে পাঠান৷ +AutoReportLastAccountStatement=পুনর্মিলন করার সময় শেষ বিবৃতি নম্বর সহ 'ব্যাংক স্টেটমেন্টের নম্বর' ক্ষেত্রটি স্বয়ংক্রিয়ভাবে পূরণ করুন +CashControl=POS নগদ নিয়ন্ত্রণ +NewCashFence=নতুন নগদ নিয়ন্ত্রণ (খোলা বা বন্ধ) +BankColorizeMovement=গতিবিধি রঙিন করুন +BankColorizeMovementDesc=এই ফাংশনটি সক্ষম হলে, আপনি ডেবিট বা ক্রেডিট আন্দোলনের জন্য নির্দিষ্ট পটভূমির রঙ চয়ন করতে পারেন +BankColorizeMovementName1=ডেবিট আন্দোলনের জন্য পটভূমির রঙ +BankColorizeMovementName2=ক্রেডিট আন্দোলনের জন্য পটভূমির রঙ +IfYouDontReconcileDisableProperty=আপনি যদি কিছু ব্যাঙ্ক অ্যাকাউন্টে ব্যাঙ্ক পুনর্মিলন না করেন, তাহলে এই সতর্কতা মুছে ফেলার জন্য তাদের উপর "%s" সম্পত্তি অক্ষম করুন। +NoBankAccountDefined=কোন ব্যাঙ্ক অ্যাকাউন্ট সংজ্ঞায়িত +NoRecordFoundIBankcAccount=ব্যাঙ্ক অ্যাকাউন্টে কোনও রেকর্ড পাওয়া যায়নি। সাধারণত, এটি ঘটে যখন ব্যাঙ্ক অ্যাকাউন্টের লেনদেনের তালিকা থেকে একটি রেকর্ড ম্যানুয়ালি মুছে ফেলা হয় (উদাহরণস্বরূপ ব্যাঙ্ক অ্যাকাউন্টের পুনর্মিলনের সময়)। আরেকটি কারণ হল যখন মডিউল "%s" নিষ্ক্রিয় ছিল তখন অর্থপ্রদান রেকর্ড করা হয়েছিল৷ +AlreadyOneBankAccount=ইতিমধ্যে একটি ব্যাঙ্ক অ্যাকাউন্ট সংজ্ঞায়িত করা হয়েছে৷ +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=SEPA ফাইলের বৈকল্পিক +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=হ্যাঁ = SEPA ফাইলের 'ক্রেডিট ট্রান্সফার' বিভাগে 'পেমেন্ট টাইপ' সঞ্চয় করুন

      ক্রেডিটের জন্য একটি SEPA XML ফাইল তৈরি করার সময় স্থানান্তর, "PaymentTypeInformation" বিভাগটি এখন "CreditTransferTransactionInformation" বিভাগে ("পেমেন্ট" বিভাগের পরিবর্তে) স্থাপন করা যেতে পারে। পেমেন্ট লেভেলে PaymentTypeInformation স্থাপন করার জন্য আমরা দৃঢ়ভাবে এটিকে আনচেক করার পরামর্শ দিই, কারণ সমস্ত ব্যাঙ্ক এটিকে ক্রেডিট ট্রান্সফার ট্রানজ্যাকশন ইনফরমেশন স্তরে গ্রহণ করবে না। CreditTransferTransactionInformation লেভেলে PaymentTypeInformation স্থাপন করার আগে আপনার ব্যাঙ্কের সাথে যোগাযোগ করুন। +ToCreateRelatedRecordIntoBank=অনুপস্থিত সম্পর্কিত ব্যাঙ্ক রেকর্ড তৈরি করতে +XNewLinesConciliated=%s নতুন লাইন(গুলি) সমঝোতা diff --git a/htdocs/langs/bn_IN/bills.lang b/htdocs/langs/bn_IN/bills.lang index f7d0155f41e..4734f508869 100644 --- a/htdocs/langs/bn_IN/bills.lang +++ b/htdocs/langs/bn_IN/bills.lang @@ -1,609 +1,652 @@ # Dolibarr language file - Source file is en_US - bills -Bill=Invoice -Bills=Invoices -BillsCustomers=Customer invoices -BillsCustomer=Customer invoice -BillsSuppliers=Vendor invoices -BillsCustomersUnpaid=Unpaid customer invoices -BillsCustomersUnpaidForCompany=Unpaid customer invoices for %s -BillsSuppliersUnpaid=Unpaid vendor invoices -BillsSuppliersUnpaidForCompany=Unpaid vendors invoices for %s -BillsLate=Late payments -BillsStatistics=Customers invoices statistics -BillsStatisticsSuppliers=Vendors invoices statistics -DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping -DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. -DisabledBecauseNotErasable=Disabled because cannot be erased -InvoiceStandard=Standard invoice -InvoiceStandardAsk=Standard invoice -InvoiceStandardDesc=This kind of invoice is the common invoice. -InvoiceDeposit=Down payment invoice -InvoiceDepositAsk=Down payment invoice -InvoiceDepositDesc=This kind of invoice is done when a down payment has been received. -InvoiceProForma=Proforma invoice -InvoiceProFormaAsk=Proforma invoice -InvoiceProFormaDesc=Proforma invoice is an image of a true invoice but has no accountancy value. -InvoiceReplacement=Replacement invoice -InvoiceReplacementAsk=Replacement invoice for invoice -InvoiceReplacementDesc=Replacement invoice is used to completely replace an invoice with no payment already received.

      Note: Only invoices with no payment on it can be replaced. If the invoice you replace is not yet closed, it will be automatically closed to 'abandoned'. -InvoiceAvoir=Credit note -InvoiceAvoirAsk=Credit note to correct invoice -InvoiceAvoirDesc=The credit note is a negative invoice used to correct the fact that an invoice shows an amount that differs from the amount actually paid (eg the customer paid too much by mistake, or will not pay the complete amount since some products were returned). -invoiceAvoirWithLines=Create Credit Note with lines from the origin invoice -invoiceAvoirWithPaymentRestAmount=Create Credit Note with remaining unpaid of origin invoice -invoiceAvoirLineWithPaymentRestAmount=Credit Note for remaining unpaid amount -ReplaceInvoice=Replace invoice %s -ReplacementInvoice=Replacement invoice -ReplacedByInvoice=Replaced by invoice %s -ReplacementByInvoice=Replaced by invoice -CorrectInvoice=Correct invoice %s -CorrectionInvoice=Correction invoice -UsedByInvoice=Used to pay invoice %s -ConsumedBy=Consumed by -NotConsumed=Not consumed -NoReplacableInvoice=No replaceable invoices -NoInvoiceToCorrect=No invoice to correct -InvoiceHasAvoir=Was source of one or several credit notes -CardBill=Invoice card -PredefinedInvoices=Predefined Invoices -Invoice=Invoice -PdfInvoiceTitle=Invoice -Invoices=Invoices -InvoiceLine=Invoice line -InvoiceCustomer=Customer invoice -CustomerInvoice=Customer invoice -CustomersInvoices=Customer invoices -SupplierInvoice=Vendor invoice -SuppliersInvoices=Vendor invoices -SupplierInvoiceLines=Vendor invoice lines -SupplierBill=Vendor invoice -SupplierBills=Vendor invoices -Payment=Payment -PaymentBack=Refund -CustomerInvoicePaymentBack=Refund -Payments=Payments -PaymentsBack=Refunds -paymentInInvoiceCurrency=in invoices currency -PaidBack=Paid back -DeletePayment=Delete payment -ConfirmDeletePayment=Are you sure you want to delete this payment? -ConfirmConvertToReduc=Do you want to convert this %s into an available credit? -ConfirmConvertToReduc2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this customer. -ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit? -ConfirmConvertToReducSupplier2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this vendor. -SupplierPayments=Vendor payments -ReceivedPayments=Received payments -ReceivedCustomersPayments=Payments received from customers -PayedSuppliersPayments=Payments paid to vendors -ReceivedCustomersPaymentsToValid=Received customers payments to validate -PaymentsReportsForYear=Payments reports for %s -PaymentsReports=Payments reports -PaymentsAlreadyDone=Payments already done -PaymentsBackAlreadyDone=Refunds already done -PaymentRule=Payment rule -PaymentMode=Payment method -PaymentModes=Payment methods -DefaultPaymentMode=Default Payment method -DefaultBankAccount=Default Bank Account -IdPaymentMode=Payment method (id) -CodePaymentMode=Payment method (code) -LabelPaymentMode=Payment method (label) -PaymentModeShort=Payment method -PaymentTerm=Payment Term -PaymentConditions=Payment Terms -PaymentConditionsShort=Payment Terms -PaymentAmount=Payment amount -PaymentHigherThanReminderToPay=Payment higher than reminder to pay -HelpPaymentHigherThanReminderToPay=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess received for each overpaid invoice. -HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess paid for each overpaid invoice. -ClassifyPaid=Classify 'Paid' -ClassifyUnPaid=Classify 'Unpaid' -ClassifyPaidPartially=Classify 'Paid partially' -ClassifyCanceled=Classify 'Abandoned' -ClassifyClosed=Classify 'Closed' -ClassifyUnBilled=Classify 'Unbilled' -CreateBill=Create Invoice -CreateCreditNote=Create credit note -AddBill=Create invoice or credit note -AddToDraftInvoices=Add to draft invoice -DeleteBill=Delete invoice -SearchACustomerInvoice=Search for a customer invoice -SearchASupplierInvoice=Search for a vendor invoice -CancelBill=Cancel an invoice -SendRemindByMail=Send reminder by email -DoPayment=Enter payment -DoPaymentBack=Enter refund -ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into available credit -ConvertExcessPaidToReduc=Convert excess paid into available discount -EnterPaymentReceivedFromCustomer=Enter payment received from customer -EnterPaymentDueToCustomer=Make payment due to customer -DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Base price -BillStatus=Invoice status -StatusOfGeneratedInvoices=Status of generated invoices -BillStatusDraft=Draft (needs to be validated) -BillStatusPaid=Paid -BillStatusPaidBackOrConverted=Credit note refund or marked as credit available -BillStatusConverted=Paid (ready for consumption in final invoice) -BillStatusCanceled=Abandoned -BillStatusValidated=Validated (needs to be paid) -BillStatusStarted=Started -BillStatusNotPaid=Not paid -BillStatusNotRefunded=Not refunded -BillStatusClosedUnpaid=Closed (unpaid) -BillStatusClosedPaidPartially=Paid (partially) -BillShortStatusDraft=Draft -BillShortStatusPaid=Paid -BillShortStatusPaidBackOrConverted=Refunded or converted -Refunded=Refunded -BillShortStatusConverted=Paid -BillShortStatusCanceled=Abandoned -BillShortStatusValidated=Validated -BillShortStatusStarted=Started -BillShortStatusNotPaid=Not paid -BillShortStatusNotRefunded=Not refunded -BillShortStatusClosedUnpaid=Closed -BillShortStatusClosedPaidPartially=Paid (partially) -PaymentStatusToValidShort=To validate -ErrorVATIntraNotConfigured=Intra-Community VAT number not yet defined -ErrorNoPaiementModeConfigured=No default payment type defined. Go to Invoice module setup to fix this. -ErrorCreateBankAccount=Create a bank account, then go to Setup panel of Invoice module to define payment types -ErrorBillNotFound=Invoice %s does not exist -ErrorInvoiceAlreadyReplaced=Error, you tried to validate an invoice to replace invoice %s. But this one has already been replaced by invoice %s. -ErrorDiscountAlreadyUsed=Error, discount already used -ErrorInvoiceAvoirMustBeNegative=Error, correct invoice must have a negative amount -ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have an amount excluding tax positive (or null) -ErrorCantCancelIfReplacementInvoiceNotValidated=Error, can't cancel an invoice that has been replaced by another invoice that is still in draft status -ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=This part or another is already used so discount series cannot be removed. -BillFrom=From -BillTo=To -ActionsOnBill=Actions on invoice -RecurringInvoiceTemplate=Template / Recurring invoice -NoQualifiedRecurringInvoiceTemplateFound=No recurring template invoice qualified for generation. -FoundXQualifiedRecurringInvoiceTemplate=Found %s recurring template invoice(s) qualified for generation. -NotARecurringInvoiceTemplate=Not a recurring template invoice -NewBill=New invoice -LastBills=Latest %s invoices -LatestTemplateInvoices=Latest %s template invoices -LatestCustomerTemplateInvoices=Latest %s customer template invoices -LatestSupplierTemplateInvoices=Latest %s vendor template invoices -LastCustomersBills=Latest %s customer invoices -LastSuppliersBills=Latest %s vendor invoices -AllBills=All invoices -AllCustomerTemplateInvoices=All template invoices -OtherBills=Other invoices -DraftBills=Draft invoices -CustomersDraftInvoices=Customer draft invoices -SuppliersDraftInvoices=Vendor draft invoices -Unpaid=Unpaid -ErrorNoPaymentDefined=Error No payment defined -ConfirmDeleteBill=Are you sure you want to delete this invoice? -ConfirmValidateBill=Are you sure you want to validate this invoice with reference %s? -ConfirmUnvalidateBill=Are you sure you want to change invoice %s to draft status? -ConfirmClassifyPaidBill=Are you sure you want to change invoice %s to status paid? -ConfirmCancelBill=Are you sure you want to cancel invoice %s? -ConfirmCancelBillQuestion=Why do you want to classify this invoice 'abandoned'? -ConfirmClassifyPaidPartially=Are you sure you want to change invoice %s to status paid? -ConfirmClassifyPaidPartiallyQuestion=This invoice has not been paid completely. What is the reason for closing this invoice? -ConfirmClassifyPaidPartiallyReasonAvoir=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I regularize the VAT with a credit note. -ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. -ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I accept to lose the VAT on this discount. -ConfirmClassifyPaidPartiallyReasonDiscountVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I recover the VAT on this discount without a credit note. -ConfirmClassifyPaidPartiallyReasonBadCustomer=Bad customer -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fees) -ConfirmClassifyPaidPartiallyReasonProductReturned=Products partially returned -ConfirmClassifyPaidPartiallyReasonOther=Amount abandoned for other reason -ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=This choice is possible if your invoice has been provided with suitable comments. (Example «Only the tax corresponding to the price that has been actually paid gives rights to deduction») -ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=In some countries, this choice might be possible only if your invoice contains correct notes. -ConfirmClassifyPaidPartiallyReasonAvoirDesc=Use this choice if all other does not suit -ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=A bad customer is a customer that refuses to pay his debt. -ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=This choice is used when payment is not complete because some of products were returned -ConfirmClassifyPaidPartiallyReasonBankChargeDesc=The unpaid amount is intermediary bank fees, deducted directly from the correct amount paid by the Customer. -ConfirmClassifyPaidPartiallyReasonOtherDesc=Use this choice if all others are not suitable, for example in following situation:
      - payment not complete because some products were shipped back
      - amount claimed too important because a discount was forgotten
      In all cases, amount over-claimed must be corrected in accountancy system by creating a credit note. -ConfirmClassifyAbandonReasonOther=Other -ConfirmClassifyAbandonReasonOtherDesc=This choice will be used in all other cases. For example because you plan to create a replacing invoice. -ConfirmCustomerPayment=Do you confirm this payment input for %s %s? -ConfirmSupplierPayment=Do you confirm this payment input for %s %s? -ConfirmValidatePayment=Are you sure you want to validate this payment? No change can be made once payment is validated. -ValidateBill=Validate invoice -UnvalidateBill=Unvalidate invoice -NumberOfBills=No. of invoices -NumberOfBillsByMonth=No. of invoices per month -AmountOfBills=Amount of invoices -AmountOfBillsHT=Amount of invoices (net of tax) -AmountOfBillsByMonthHT=Amount of invoices by month (net of tax) -UseSituationInvoices=Allow situation invoice -UseSituationInvoicesCreditNote=Allow situation invoice credit note -Retainedwarranty=Retained warranty -AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices -RetainedwarrantyDefaultPercent=Retained warranty default percent -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation -ToPayOn=To pay on %s -toPayOn=to pay on %s -RetainedWarranty=Retained Warranty -PaymentConditionsShortRetainedWarranty=Retained warranty payment terms -DefaultPaymentConditionsRetainedWarranty=Default retained warranty payment terms -setPaymentConditionsShortRetainedWarranty=Set retained warranty payment terms -setretainedwarranty=Set retained warranty -setretainedwarrantyDateLimit=Set retained warranty date limit -RetainedWarrantyDateLimit=Retained warranty date limit -RetainedWarrantyNeed100Percent=The situation invoice need to be at 100%% progress to be displayed on PDF -AlreadyPaid=Already paid -AlreadyPaidBack=Already paid back -AlreadyPaidNoCreditNotesNoDeposits=Already paid (without credit notes and down payments) -Abandoned=Abandoned -RemainderToPay=Remaining unpaid -RemainderToPayMulticurrency=Remaining unpaid, original currency -RemainderToTake=Remaining amount to take -RemainderToTakeMulticurrency=Remaining amount to take, original currency -RemainderToPayBack=Remaining amount to refund -RemainderToPayBackMulticurrency=Remaining amount to refund, original currency -NegativeIfExcessRefunded=negative if excess refunded -Rest=Pending -AmountExpected=Amount claimed -ExcessReceived=Excess received -ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received -ExcessPaid=Excess paid -ExcessPaidMulticurrency=Excess paid, original currency -EscompteOffered=Discount offered (payment before term) -EscompteOfferedShort=Discount -SendBillRef=Submission of invoice %s -SendReminderBillRef=Submission of invoice %s (reminder) -SendPaymentReceipt=Submission of payment receipt %s -NoDraftBills=No draft invoices -NoOtherDraftBills=No other draft invoices -NoDraftInvoices=No draft invoices -RefBill=Invoice ref -ToBill=To bill -RemainderToBill=Remainder to bill -SendBillByMail=Send invoice by email -SendReminderBillByMail=Send reminder by email -RelatedCommercialProposals=Related commercial proposals -RelatedRecurringCustomerInvoices=Related recurring customer invoices -MenuToValid=To valid -DateMaxPayment=Payment due on -DateInvoice=Invoice date -DatePointOfTax=Point of tax -NoInvoice=No invoice -NoOpenInvoice=No open invoice -NbOfOpenInvoices=Number of open invoices -ClassifyBill=Classify invoice -SupplierBillsToPay=Unpaid vendor invoices -CustomerBillsUnpaid=Unpaid customer invoices -NonPercuRecuperable=Non-recoverable -SetConditions=Set Payment Terms -SetMode=Set Payment Type -SetRevenuStamp=Set revenue stamp -Billed=Billed -RecurringInvoices=Recurring invoices -RecurringInvoice=Recurring invoice -RepeatableInvoice=Template invoice -RepeatableInvoices=Template invoices -Repeatable=Template -Repeatables=Templates -ChangeIntoRepeatableInvoice=Convert into template invoice -CreateRepeatableInvoice=Create template invoice -CreateFromRepeatableInvoice=Create from template invoice -CustomersInvoicesAndInvoiceLines=Customer invoices and invoice details -CustomersInvoicesAndPayments=Customer invoices and payments -ExportDataset_invoice_1=Customer invoices and invoice details -ExportDataset_invoice_2=Customer invoices and payments -ProformaBill=Proforma Bill: -Reduction=Reduction -ReductionShort=Disc. -Reductions=Reductions -ReductionsShort=Disc. -Discounts=Discounts -AddDiscount=Create discount -AddRelativeDiscount=Create relative discount -EditRelativeDiscount=Edit relative discount -AddGlobalDiscount=Create absolute discount -EditGlobalDiscounts=Edit absolute discounts -AddCreditNote=Create credit note -ShowDiscount=Show discount -ShowReduc=Show the discount -ShowSourceInvoice=Show the source invoice -RelativeDiscount=Relative discount -GlobalDiscount=Global discount -CreditNote=Credit note -CreditNotes=Credit notes -CreditNotesOrExcessReceived=Credit notes or excess received -Deposit=Down payment -Deposits=Down payments -DiscountFromCreditNote=Discount from credit note %s -DiscountFromDeposit=Down payments from invoice %s -DiscountFromExcessReceived=Payments in excess of invoice %s -DiscountFromExcessPaid=Payments in excess of invoice %s -AbsoluteDiscountUse=This kind of credit can be used on invoice before its validation -CreditNoteDepositUse=Invoice must be validated to use this kind of credits -NewGlobalDiscount=New absolute discount -NewRelativeDiscount=New relative discount -DiscountType=Discount type -NoteReason=Note/Reason -ReasonDiscount=Reason -DiscountOfferedBy=Granted by -DiscountStillRemaining=Discounts or credits available -DiscountAlreadyCounted=Discounts or credits already consumed -CustomerDiscounts=Customer discounts -SupplierDiscounts=Vendors discounts -BillAddress=Bill address -HelpEscompte=This discount is a discount granted to customer because payment was made before term. -HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loss. -HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by another for example) -IdSocialContribution=Social/fiscal tax payment id -PaymentId=Payment id -PaymentRef=Payment ref. -InvoiceId=Invoice id -InvoiceRef=Invoice ref. -InvoiceDateCreation=Invoice creation date -InvoiceStatus=Invoice status -InvoiceNote=Invoice note -InvoicePaid=Invoice paid -InvoicePaidCompletely=Paid completely -InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. -OrderBilled=Order billed -DonationPaid=Donation paid -PaymentNumber=Payment number -RemoveDiscount=Remove discount -WatermarkOnDraftBill=Watermark on draft invoices (nothing if empty) -InvoiceNotChecked=No invoice selected -ConfirmCloneInvoice=Are you sure you want to clone this invoice %s? -DisabledBecauseReplacedInvoice=Action disabled because invoice has been replaced -DescTaxAndDividendsArea=This area presents a summary of all payments made for special expenses. Only records with payments during the fixed year are included here. -NbOfPayments=No. of payments -SplitDiscount=Split discount in two -ConfirmSplitDiscount=Are you sure you want to split this discount of %s %s into two smaller discounts? -TypeAmountOfEachNewDiscount=Input amount for each of two parts: -TotalOfTwoDiscountMustEqualsOriginal=The total of the two new discounts must be equal to the original discount amount. -ConfirmRemoveDiscount=Are you sure you want to remove this discount? -RelatedBill=Related invoice -RelatedBills=Related invoices -RelatedCustomerInvoices=Related customer invoices -RelatedSupplierInvoices=Related vendor invoices -LatestRelatedBill=Latest related invoice -WarningBillExist=Warning, one or more invoices already exist -MergingPDFTool=Merging PDF tool -AmountPaymentDistributedOnInvoice=Payment amount distributed on invoice -PaymentOnDifferentThirdBills=Allow payments on different third parties bills but same parent company -PaymentNote=Payment note -ListOfPreviousSituationInvoices=List of previous situation invoices -ListOfNextSituationInvoices=List of next situation invoices -ListOfSituationInvoices=List of situation invoices -CurrentSituationTotal=Total current situation -DisabledBecauseNotEnouthCreditNote=To remove a situation invoice from cycle, this invoice's credit note total must cover this invoice total -RemoveSituationFromCycle=Remove this invoice from cycle -ConfirmRemoveSituationFromCycle=Remove this invoice %s from cycle ? -ConfirmOuting=Confirm outing -FrequencyPer_d=Every %s days -FrequencyPer_m=Every %s months -FrequencyPer_y=Every %s years -FrequencyUnit=Frequency unit -toolTipFrequency=Examples:
      Set 7, Day: give a new invoice every 7 days
      Set 3, Month: give a new invoice every 3 month -NextDateToExecution=Date for next invoice generation -NextDateToExecutionShort=Date next gen. -DateLastGeneration=Date of latest generation -DateLastGenerationShort=Date latest gen. -MaxPeriodNumber=Max. number of invoice generation -NbOfGenerationDone=Number of invoice generation already done -NbOfGenerationOfRecordDone=Number of record generation already done -NbOfGenerationDoneShort=Number of generation done -MaxGenerationReached=Maximum number of generations reached -InvoiceAutoValidate=Validate invoices automatically -GeneratedFromRecurringInvoice=Generated from template recurring invoice %s -DateIsNotEnough=Date not reached yet -InvoiceGeneratedFromTemplate=Invoice %s generated from recurring template invoice %s -GeneratedFromTemplate=Generated from template invoice %s -WarningInvoiceDateInFuture=Warning, the invoice date is higher than current date -WarningInvoiceDateTooFarInFuture=Warning, the invoice date is too far from current date -ViewAvailableGlobalDiscounts=View available discounts -GroupPaymentsByModOnReports=Group payments by mode on reports +Bill=চালান +Bills=চালান +BillsCustomers=গ্রাহক চালান +BillsCustomer=গ্রাহক চালান +BillsSuppliers=বিক্রেতা চালান +BillsCustomersUnpaid=অবৈতনিক গ্রাহক চালান +BillsCustomersUnpaidForCompany=%s এর জন্য অবৈতনিক গ্রাহক চালান +BillsSuppliersUnpaid=অবৈতনিক বিক্রেতা চালান +BillsSuppliersUnpaidForCompany=%s এর জন্য অবৈতনিক বিক্রেতাদের চালান +BillsLate=দেরী পেমেন্ট +BillsStatistics=গ্রাহকদের চালান পরিসংখ্যান +BillsStatisticsSuppliers=বিক্রেতাদের চালান পরিসংখ্যান +DisabledBecauseDispatchedInBookkeeping=অক্ষম করা হয়েছে কারণ চালান হিসাবপত্রে পাঠানো হয়েছে +DisabledBecauseNotLastInvoice=অক্ষম কারণ চালান মুছে ফেলা যায় না। এর পরে কিছু চালান রেকর্ড করা হয়েছে এবং এটি কাউন্টারে গর্ত তৈরি করবে। +DisabledBecauseNotLastSituationInvoice=অক্ষম কারণ চালান মুছে ফেলা যায় না। এই চালান পরিস্থিতি চালান চক্রের শেষ এক নয়। +DisabledBecauseNotErasable=অক্ষম কারণ মোছা যাবে না +InvoiceStandard=স্ট্যান্ডার্ড চালান +InvoiceStandardAsk=স্ট্যান্ডার্ড চালান +InvoiceStandardDesc=এই ধরনের চালান হল সাধারণ চালান। +InvoiceStandardShort=স্ট্যান্ডার্ড +InvoiceDeposit=ডাউন পেমেন্ট চালান +InvoiceDepositAsk=ডাউন পেমেন্ট চালান +InvoiceDepositDesc=ডাউন পেমেন্ট প্রাপ্ত হলে এই ধরনের চালান করা হয়। +InvoiceProForma=প্রফর্মা চালান +InvoiceProFormaAsk=প্রফর্মা চালান +InvoiceProFormaDesc=প্রফর্মা চালান একটি সত্যিকারের চালানের একটি চিত্র কিন্তু কোনো হিসাবরক্ষণ মূল্য নেই। +InvoiceReplacement=প্রতিস্থাপন চালান +InvoiceReplacementShort=প্রতিস্থাপন +InvoiceReplacementAsk=চালানের জন্য প্রতিস্থাপন চালান +InvoiceReplacementDesc=প্রতিস্থাপন চালান একটি চালান সম্পূর্ণরূপে প্রতিস্থাপন করতে ব্যবহৃত হয় যেখানে ইতিমধ্যে কোনো অর্থপ্রদান পাওয়া যায়নি।b0342fcc0da
      দ্রষ্টব্য: শুধুমাত্র কোন অর্থপ্রদান ছাড়াই চালানগুলি প্রতিস্থাপন করা যাবে৷ আপনি যে চালানটি প্রতিস্থাপন করেন তা যদি এখনও বন্ধ না হয়, তাহলে এটি স্বয়ংক্রিয়ভাবে 'পরিত্যক্ত' হয়ে যাবে। +InvoiceAvoir=ক্রেডিট নোট +InvoiceAvoirAsk=চালান সংশোধনের জন্য ক্রেডিট নোট +InvoiceAvoirDesc=ক্রেডিট নোট হল একটি নেতিবাচক চালান যা এই সত্যটি সংশোধন করতে ব্যবহৃত হয় যে একটি চালান এমন একটি পরিমাণ দেখায় যা প্রকৃতপক্ষে পরিমাণ থেকে আলাদা। প্রদত্ত (যেমন গ্রাহক ভুল করে অনেক বেশি অর্থ প্রদান করেছেন, অথবা কিছু পণ্য ফেরত দেওয়ার পর থেকে সম্পূর্ণ অর্থ প্রদান করবেন না)। +invoiceAvoirWithLines=অরিজিন ইনভয়েস থেকে লাইন দিয়ে ক্রেডিট নোট তৈরি করুন +invoiceAvoirWithPaymentRestAmount=অরিজিন ইনভয়েসের বাকি অবৈতনিক সহ ক্রেডিট নোট তৈরি করুন +invoiceAvoirLineWithPaymentRestAmount=বাকি অবৈতনিক পরিমাণের জন্য ক্রেডিট নোট +ReplaceInvoice=চালান প্রতিস্থাপন করুন %s +ReplacementInvoice=প্রতিস্থাপন চালান +ReplacedByInvoice=চালান দ্বারা প্রতিস্থাপিত %s +ReplacementByInvoice=চালান দ্বারা প্রতিস্থাপিত +CorrectInvoice=সঠিক চালান %s +CorrectionInvoice=সংশোধন চালান +UsedByInvoice=চালান পরিশোধ করতে ব্যবহৃত হয় %s +ConsumedBy=দ্বারা গ্রাস +NotConsumed=সেবন করা হয়নি +NoReplacableInvoice=কোনো পরিবর্তনযোগ্য চালান নেই +NoInvoiceToCorrect=সংশোধন করার জন্য কোন চালান নেই +InvoiceHasAvoir=এক বা একাধিক ক্রেডিট নোটের উৎস ছিল +CardBill=চালান কার্ড +PredefinedInvoices=পূর্বনির্ধারিত চালান +Invoice=চালান +PdfInvoiceTitle=চালান +Invoices=চালান +InvoiceLine=চালান লাইন +InvoiceCustomer=গ্রাহক চালান +CustomerInvoice=গ্রাহক চালান +CustomersInvoices=গ্রাহক চালান +SupplierInvoice=বিক্রেতা চালান +SuppliersInvoices=বিক্রেতা চালান +SupplierInvoiceLines=বিক্রেতা চালান লাইন +SupplierBill=বিক্রেতা চালান +SupplierBills=বিক্রেতা চালান +Payment=পেমেন্ট +PaymentBack=ফেরত +CustomerInvoicePaymentBack=ফেরত +Payments=পেমেন্ট +PaymentsBack=রিফান্ড +paymentInInvoiceCurrency=চালান মুদ্রায় +PaidBack=ফেরত দেওয়া +DeletePayment=পেমেন্ট মুছুন +ConfirmDeletePayment=আপনি কি এই অর্থপ্রদান মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmConvertToReduc=আপনি কি এই %sটিকে একটি উপলব্ধ ক্রেডিটে রূপান্তর করতে চান? +ConfirmConvertToReduc2=পরিমাণটি সমস্ত ছাড়ের মধ্যে সংরক্ষণ করা হবে এবং এই গ্রাহকের জন্য বর্তমান বা ভবিষ্যতের চালানের জন্য ছাড় হিসাবে ব্যবহার করা যেতে পারে। +ConfirmConvertToReducSupplier=আপনি কি এই %sটিকে একটি উপলব্ধ ক্রেডিটে রূপান্তর করতে চান? +ConfirmConvertToReducSupplier2=পরিমাণটি সমস্ত ছাড়ের মধ্যে সংরক্ষণ করা হবে এবং এই বিক্রেতার জন্য বর্তমান বা ভবিষ্যতের চালানের জন্য ছাড় হিসাবে ব্যবহার করা যেতে পারে। +SupplierPayments=বিক্রেতা পেমেন্ট +ReceivedPayments=পেমেন্ট প্রাপ্ত +ReceivedCustomersPayments=গ্রাহকদের কাছ থেকে পেমেন্ট প্রাপ্ত +PayedSuppliersPayments=বিক্রেতাদের দেওয়া পেমেন্ট +ReceivedCustomersPaymentsToValid=যাচাই করার জন্য গ্রাহকদের পেমেন্ট পেয়েছেন +PaymentsReportsForYear=%s এর জন্য পেমেন্ট রিপোর্ট +PaymentsReports=পেমেন্ট রিপোর্ট +PaymentsAlreadyDone=পেমেন্ট ইতিমধ্যে সম্পন্ন +PaymentsBackAlreadyDone=রিফান্ড ইতিমধ্যে সম্পন্ন হয়েছে +PaymentRule=অর্থ প্রদানের নিয়ম +PaymentMode=মূল্যপরিশোধ পদ্ধতি +PaymentModes=মুল্য পরিশোধ পদ্ধতি +DefaultPaymentMode=ডিফল্ট পেমেন্ট পদ্ধতি +DefaultBankAccount=ডিফল্ট ব্যাঙ্ক অ্যাকাউন্ট +IdPaymentMode=পেমেন্ট পদ্ধতি (আইডি) +CodePaymentMode=পেমেন্ট পদ্ধতি (কোড) +LabelPaymentMode=পেমেন্ট পদ্ধতি (লেবেল) +PaymentModeShort=মূল্যপরিশোধ পদ্ধতি +PaymentTerm=অর্থপ্রদানের মেয়াদ +PaymentConditions=পরিশোধের শর্ত +PaymentConditionsShort=পরিশোধের শর্ত +PaymentAmount=পরিশোধিত অর্থ +PaymentHigherThanReminderToPay=অর্থপ্রদান অনুস্মারক থেকে বেশী +HelpPaymentHigherThanReminderToPay=মনোযোগ দিন, এক বা একাধিক বিলের অর্থপ্রদানের পরিমাণ বকেয়া অর্থের চেয়ে বেশি।
      আপনার এন্ট্রি সম্পাদনা করুন, অন্যথায় নিশ্চিত করুন এবং প্রতিটি অতিরিক্ত পরিশোধিত চালানের জন্য অতিরিক্ত প্রাপ্তির জন্য একটি ক্রেডিট নোট তৈরি করার কথা বিবেচনা করুন। +HelpPaymentHigherThanReminderToPaySupplier=মনোযোগ দিন, এক বা একাধিক বিলের অর্থপ্রদানের পরিমাণ বকেয়া অর্থের চেয়ে বেশি।
      আপনার এন্ট্রি সম্পাদনা করুন, অন্যথায় নিশ্চিত করুন এবং প্রতিটি অতিরিক্ত পরিশোধিত চালানের জন্য অতিরিক্ত অর্থ প্রদানের জন্য একটি ক্রেডিট নোট তৈরি করার কথা বিবেচনা করুন। +ClassifyPaid='প্রদেয়' শ্রেণীবদ্ধ করুন +ClassifyUnPaid='অপেইড' শ্রেণীবদ্ধ করুন +ClassifyPaidPartially='আংশিকভাবে অর্থপ্রদান' শ্রেণীবদ্ধ করুন +ClassifyCanceled='পরিত্যক্ত' শ্রেণিবদ্ধ করুন +ClassifyClosed='বন্ধ' শ্রেণীবদ্ধ করুন +ClassifyUnBilled='আনবিলড' শ্রেণীবদ্ধ করুন +CreateBill=চালান তৈরি করুন +CreateCreditNote=ক্রেডিট নোট তৈরি করুন +AddBill=চালান বা ক্রেডিট নোট তৈরি করুন +AddToDraftInvoices=খসড়া চালানে যোগ করুন +DeleteBill=চালান মুছুন +SearchACustomerInvoice=একটি গ্রাহক চালান জন্য অনুসন্ধান করুন +SearchASupplierInvoice=একটি বিক্রেতা চালান জন্য অনুসন্ধান করুন +CancelBill=একটি চালান বাতিল করুন +SendRemindByMail=ইমেল দ্বারা অনুস্মারক পাঠান +DoPayment=অর্থপ্রদান লিখুন +DoPaymentBack=ফেরত লিখুন +ConvertToReduc=ক্রেডিট উপলব্ধ হিসাবে চিহ্নিত করুন +ConvertExcessReceivedToReduc=উপলব্ধ ক্রেডিট মধ্যে অতিরিক্ত প্রাপ্ত রূপান্তর +ConvertExcessPaidToReduc=উপলব্ধ ডিসকাউন্ট মধ্যে অতিরিক্ত প্রদত্ত রূপান্তর +EnterPaymentReceivedFromCustomer=গ্রাহকের কাছ থেকে প্রাপ্ত অর্থপ্রদান লিখুন +EnterPaymentDueToCustomer=গ্রাহকের কারণে অর্থ প্রদান করুন +DisabledBecauseRemainderToPayIsZero=অক্ষম কারণ বাকি অবৈতনিক শূন্য +PriceBase=মুলদাম +BillStatus=চালানের স্থিতি +StatusOfAutoGeneratedInvoices=স্বয়ংক্রিয়ভাবে তৈরি করা চালানের স্থিতি +BillStatusDraft=খসড়া (বৈধীকরণ করা প্রয়োজন) +BillStatusPaid=পেড +BillStatusPaidBackOrConverted=ক্রেডিট নোট ফেরত বা ক্রেডিট উপলব্ধ হিসাবে চিহ্নিত +BillStatusConverted=অর্থপ্রদান (চূড়ান্ত চালানে ব্যবহারের জন্য প্রস্তুত) +BillStatusCanceled=পরিত্যক্ত +BillStatusValidated=বৈধ (অর্থ প্রদান করতে হবে) +BillStatusStarted=শুরু হয়েছে +BillStatusNotPaid=টাকা দেওয়া হয়নি +BillStatusNotRefunded=ফেরত দেওয়া হয়নি +BillStatusClosedUnpaid=বন্ধ (অবৈধ) +BillStatusClosedPaidPartially=অর্থপ্রদান (আংশিকভাবে) +BillShortStatusDraft=খসড়া +BillShortStatusPaid=পেড +BillShortStatusPaidBackOrConverted=ফেরত বা রূপান্তরিত +Refunded=ফেরত দেওয়া হয়েছে +BillShortStatusConverted=পেড +BillShortStatusCanceled=পরিত্যক্ত +BillShortStatusValidated=যাচাই করা হয়েছে +BillShortStatusStarted=শুরু হয়েছে +BillShortStatusNotPaid=টাকা দেওয়া হয়নি +BillShortStatusNotRefunded=ফেরত দেওয়া হয়নি +BillShortStatusClosedUnpaid=বন্ধ +BillShortStatusClosedPaidPartially=অর্থপ্রদান (আংশিকভাবে) +PaymentStatusToValidShort=যাচাই করা +ErrorVATIntraNotConfigured=আন্তঃ-সম্প্রদায়িক ভ্যাট নম্বর এখনও সংজ্ঞায়িত করা হয়নি +ErrorNoPaiementModeConfigured=কোনো ডিফল্ট অর্থপ্রদানের ধরন সংজ্ঞায়িত করা হয়নি। এটি ঠিক করতে চালান মডিউল সেটআপে যান৷ +ErrorCreateBankAccount=একটি ব্যাঙ্ক অ্যাকাউন্ট তৈরি করুন, তারপর অর্থপ্রদানের ধরন নির্ধারণ করতে চালান মডিউলের সেটআপ প্যানেলে যান +ErrorBillNotFound=চালান %s বিদ্যমান নেই +ErrorInvoiceAlreadyReplaced=ত্রুটি, আপনি চালান %s প্রতিস্থাপন করার জন্য একটি চালান যাচাই করার চেষ্টা করেছেন৷ কিন্তু এটি ইতিমধ্যেই %s দ্বারা প্রতিস্থাপিত হয়েছে৷ +ErrorDiscountAlreadyUsed=ত্রুটি, ডিসকাউন্ট ইতিমধ্যে ব্যবহৃত +ErrorInvoiceAvoirMustBeNegative=ত্রুটি, সঠিক চালানের একটি ঋণাত্মক পরিমাণ থাকতে হবে +ErrorInvoiceOfThisTypeMustBePositive=ত্রুটি, এই ধরনের চালানে ট্যাক্স পজিটিভ (বা শূন্য) ব্যতীত একটি পরিমাণ থাকতে হবে +ErrorCantCancelIfReplacementInvoiceNotValidated=ত্রুটি, একটি চালান বাতিল করা যাবে না যা অন্য একটি চালান দ্বারা প্রতিস্থাপিত হয়েছে যা এখনও খসড়া অবস্থায় রয়েছে +ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=এই অংশ বা অন্য ইতিমধ্যেই ব্যবহার করা হয়েছে তাই ডিসকাউন্ট সিরিজ সরানো যাবে না। +ErrorInvoiceIsNotLastOfSameType=ত্রুটি: চালানের তারিখ %s হল %s। এটি অবশ্যই একই ধরনের চালানের জন্য শেষ তারিখের পরবর্তী বা সমান হতে হবে (%s)। চালান তারিখ পরিবর্তন করুন. +BillFrom=থেকে +BillTo=প্রতি +ShippingTo=এ শিপিং +ActionsOnBill=চালান উপর কর্ম +ActionsOnBillRec=পুনরাবৃত্ত ইনভয়েসের উপর ক্রিয়াকলাপ +RecurringInvoiceTemplate=টেমপ্লেট / পুনরাবৃত্ত চালান +NoQualifiedRecurringInvoiceTemplateFound=প্রজন্মের জন্য যোগ্য কোনো পুনরাবৃত্ত টেমপ্লেট চালান নেই। +FoundXQualifiedRecurringInvoiceTemplate=%s পুনরাবৃত্ত টেমপ্লেট চালান(গুলি) প্রজন্মের জন্য যোগ্য৷ +NotARecurringInvoiceTemplate=একটি পুনরাবৃত্ত টেমপ্লেট চালান নয়৷ +NewBill=নতুন চালান +LastBills=সর্বশেষ %s চালান +LatestTemplateInvoices=সর্বশেষ %s টেমপ্লেট চালান +LatestCustomerTemplateInvoices=সর্বশেষ %s গ্রাহক টেমপ্লেট চালান +LatestSupplierTemplateInvoices=সর্বশেষ %s বিক্রেতা টেমপ্লেট চালান +LastCustomersBills=সর্বশেষ %s গ্রাহক চালান +LastSuppliersBills=সর্বশেষ %s বিক্রেতা চালান +AllBills=সমস্ত চালান +AllCustomerTemplateInvoices=সমস্ত টেমপ্লেট চালান +OtherBills=অন্যান্য চালান +DraftBills=খসড়া চালান +CustomersDraftInvoices=গ্রাহকের খসড়া চালান +SuppliersDraftInvoices=বিক্রেতার খসড়া চালান +Unpaid=অবৈতনিক +ErrorNoPaymentDefined=ত্রুটি কোন পেমেন্ট সংজ্ঞায়িত করা হয়নি +ConfirmDeleteBill=আপনি কি এই চালানটি মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmValidateBill=আপনি কি %sরেফারেন্স সহ এই চালানটি যাচাই করতে চান? >? +ConfirmUnvalidateBill=আপনি কি নিশ্চিত যে আপনি চালান %s খসড়া স্থিতিতে পরিবর্তন করতে চান ? +ConfirmClassifyPaidBill=আপনি কি নিশ্চিত যে আপনি ইনভয়েস %s প্রদত্ত স্থিতিতে পরিবর্তন করতে চান ? +ConfirmCancelBill=আপনি কি %s চালান বাতিল করার বিষয়ে নিশ্চিত? +ConfirmCancelBillQuestion=কেন আপনি এই চালান 'পরিত্যক্ত' শ্রেণীবদ্ধ করতে চান? +ConfirmClassifyPaidPartially=আপনি কি নিশ্চিত যে আপনি ইনভয়েস %s প্রদত্ত স্থিতিতে পরিবর্তন করতে চান ? +ConfirmClassifyPaidPartiallyQuestion=এই চালান পুরোপুরি পরিশোধ করা হয়নি. এই চালান বন্ধ করার কারণ কি? +ConfirmClassifyPaidPartiallyReasonAvoir=বাকি অবৈতনিক (%s %s) একটি ছাড় দেওয়া হয়েছে কারণ মেয়াদের আগে অর্থপ্রদান করা হয়েছিল। আমি ক্রেডিট নোট দিয়ে ভ্যাট নিয়মিত করি। +ConfirmClassifyPaidPartiallyReasonDiscount=বাকি অবৈতনিক (%s %s) একটি ছাড় দেওয়া হয়েছে কারণ মেয়াদের আগে অর্থপ্রদান করা হয়েছিল। +ConfirmClassifyPaidPartiallyReasonDiscountNoVat=বাকি অবৈতনিক (%s %s) একটি ছাড় দেওয়া হয়েছে কারণ মেয়াদের আগে অর্থপ্রদান করা হয়েছিল। আমি এই ডিসকাউন্টে ভ্যাট হারাতে সম্মত। +ConfirmClassifyPaidPartiallyReasonDiscountVat=বাকি অবৈতনিক (%s %s) একটি ছাড় দেওয়া হয়েছে কারণ মেয়াদের আগে অর্থপ্রদান করা হয়েছিল। আমি ক্রেডিট নোট ছাড়াই এই ছাড়ের উপর ভ্যাট পুনরুদ্ধার করি। +ConfirmClassifyPaidPartiallyReasonBadCustomer=খারাপ গ্রাহক +ConfirmClassifyPaidPartiallyReasonBadSupplier=খারাপ বিক্রেতা +ConfirmClassifyPaidPartiallyReasonBankCharge=ব্যাঙ্ক দ্বারা কর্তন (মধ্যস্থ ব্যাঙ্ক ফি) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=উইথহোল্ডিং ট্যাক্স +ConfirmClassifyPaidPartiallyReasonProductReturned=পণ্য আংশিকভাবে ফিরে +ConfirmClassifyPaidPartiallyReasonOther=অন্য কারণে পরিত্যক্ত পরিমাণ +ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=আপনার চালান উপযুক্ত মন্তব্য প্রদান করা হলে এই পছন্দটি সম্ভব। (উদাহরণ "শুধুমাত্র মূল্যের সাথে সংশ্লিষ্ট কর যা প্রকৃতপক্ষে পরিশোধ করা হয়েছে তা কর্তনের অধিকার দেয়") +ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=কিছু দেশে, আপনার ইনভয়েসে সঠিক নোট থাকলেই এই পছন্দটি সম্ভব হতে পারে। +ConfirmClassifyPaidPartiallyReasonAvoirDesc=অন্য সব উপযুক্ত না হলে এই পছন্দটি ব্যবহার করুন +ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=একজন খারাপ গ্রাহক হল একজন গ্রাহক যে তার ঋণ পরিশোধ করতে অস্বীকার করে। +ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=পেমেন্ট সম্পূর্ণ না হলে এই পছন্দটি ব্যবহার করা হয় কারণ কিছু পণ্য ফেরত দেওয়া হয়েছে +ConfirmClassifyPaidPartiallyReasonBankChargeDesc=অপরিশোধিত পরিমাণ হল মধ্যস্থ ব্যাঙ্ক ফি, সরাসরি b0aee83zspan783653 থেকে কাটা >সঠিক পরিমাণ গ্রাহকের দ্বারা প্রদত্ত। +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=অপরিশোধিত পরিমাণ কখনই দেওয়া হবে না কারণ এটি একটি উইথহোল্ডিং ট্যাক্স +ConfirmClassifyPaidPartiallyReasonOtherDesc=অন্য সবগুলি উপযুক্ত না হলে এই পছন্দটি ব্যবহার করুন, উদাহরণস্বরূপ নিম্নলিখিত পরিস্থিতিতে:
      - অর্থপ্রদান সম্পূর্ণ হয়নি কারণ কিছু পণ্য ফেরত পাঠানো হয়েছে
      span>- দাবি করা পরিমাণটি অত্যন্ত গুরুত্বপূর্ণ কারণ একটি ছাড় ভুলে যাওয়া হয়েছে
      সকল ক্ষেত্রে, একটি ক্রেডিট নোট তৈরি করে হিসাব ব্যবস্থায় অতিরিক্ত দাবি করা পরিমাণ সংশোধন করতে হবে। +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=একজন খারাপ সরবরাহকারী হল এমন একটি সরবরাহকারী যা আমরা অর্থ প্রদান করতে অস্বীকার করি। +ConfirmClassifyAbandonReasonOther=অন্যান্য +ConfirmClassifyAbandonReasonOtherDesc=এই পছন্দটি অন্য সব ক্ষেত্রে ব্যবহার করা হবে। উদাহরণস্বরূপ কারণ আপনি একটি প্রতিস্থাপন চালান তৈরি করার পরিকল্পনা করছেন৷ +ConfirmCustomerPayment=আপনি কি %s %s? +ConfirmSupplierPayment=আপনি কি %s %s? +ConfirmValidatePayment=আপনি কি নিশ্চিত যে আপনি এই অর্থপ্রদান যাচাই করতে চান? একবার অর্থপ্রদান যাচাই হয়ে গেলে কোনো পরিবর্তন করা যাবে না। +ValidateBill=চালান যাচাই করুন +UnvalidateBill=চালান বাতিল করুন +NumberOfBills=চালানের সংখ্যা +NumberOfBillsByMonth=প্রতি মাসে চালানের সংখ্যা +AmountOfBills=চালানের পরিমাণ +AmountOfBillsHT=চালানের পরিমাণ (করের নেট) +AmountOfBillsByMonthHT=মাস অনুসারে চালানের পরিমাণ (করের নেট) +UseSituationInvoices=পরিস্থিতি চালান অনুমতি দিন +UseSituationInvoicesCreditNote=পরিস্থিতি চালান ক্রেডিট নোট অনুমতি দিন +Retainedwarranty=ওয়ারেন্টি রাখা হয়েছে +AllowedInvoiceForRetainedWarranty=নিম্নলিখিত ধরনের চালানে ব্যবহারযোগ্য ওয়্যারেন্টি ধরে রাখা +RetainedwarrantyDefaultPercent=ওয়ারেন্টি ডিফল্ট শতাংশ ধরে রাখা হয়েছে +RetainedwarrantyOnlyForSituation=শুধুমাত্র পরিস্থিতির চালানের জন্য "রিটেন্ড ওয়ারেন্টি" উপলব্ধ করুন +RetainedwarrantyOnlyForSituationFinal=পরিস্থিতির চালানে বিশ্বব্যাপী "রিটেইনড ওয়ারেন্টি" কর্তন শুধুমাত্র চূড়ান্ত পরিস্থিতিতে প্রয়োগ করা হয় +ToPayOn=%s এ অর্থ প্রদান করতে +toPayOn=%s এ অর্থ প্রদান করতে +RetainedWarranty=ওয়্যারেন্টি রাখা হয়েছে +PaymentConditionsShortRetainedWarranty=ওয়ারেন্টি পেমেন্ট শর্তাবলী বজায় রাখা +DefaultPaymentConditionsRetainedWarranty=ডিফল্ট ধরে রাখা ওয়ারেন্টি পেমেন্ট শর্তাবলী +setPaymentConditionsShortRetainedWarranty=ধরে রাখা ওয়ারেন্টি প্রদানের শর্তাবলী সেট করুন +setretainedwarranty=ধরে রাখা ওয়ারেন্টি সেট করুন +setretainedwarrantyDateLimit=ধরে রাখা ওয়ারেন্টি তারিখ সীমা সেট করুন +RetainedWarrantyDateLimit=ওয়ারেন্টি তারিখ সীমা বজায় রাখা +RetainedWarrantyNeed100Percent=পিডিএফ-এ দেখানোর জন্য পরিস্থিতি চালানটি 100%% অগ্রগতিতে হওয়া দরকার +AlreadyPaid=ইতোমধ্যে পরিশোধিত +AlreadyPaidBack=ইতিমধ্যেই ফেরত দিয়েছে +AlreadyPaidNoCreditNotesNoDeposits=ইতিমধ্যে অর্থ প্রদান করা হয়েছে (ক্রেডিট নোট এবং ডাউন পেমেন্ট ছাড়া) +Abandoned=পরিত্যক্ত +RemainderToPay=অবৈতনিক বাকি +RemainderToPayMulticurrency=বাকি অবৈতনিক, আসল মুদ্রা +RemainderToTake=নিতে বাকি পরিমাণ +RemainderToTakeMulticurrency=নিতে বাকি পরিমাণ, মূল মুদ্রা +RemainderToPayBack=ফেরত বাকি পরিমাণ +RemainderToPayBackMulticurrency=ফেরতের অবশিষ্ট পরিমাণ, আসল মুদ্রা +NegativeIfExcessReceived=অতিরিক্ত প্রাপ্ত হলে নেতিবাচক +NegativeIfExcessRefunded=অতিরিক্ত ফেরত দিলে নেতিবাচক +NegativeIfExcessPaid=অতিরিক্ত অর্থ প্রদান করলে নেতিবাচক +Rest=বিচারাধীন +AmountExpected=দাবি করা পরিমাণ +ExcessReceived=অতিরিক্ত প্রাপ্তি +ExcessReceivedMulticurrency=অতিরিক্ত প্রাপ্ত, আসল মুদ্রা +ExcessPaid=অতিরিক্ত অর্থ প্রদান +ExcessPaidMulticurrency=অতিরিক্ত প্রদত্ত, আসল মুদ্রা +EscompteOffered=ডিসকাউন্ট দেওয়া হয়েছে (মেয়াদের আগে অর্থপ্রদান) +EscompteOfferedShort=ছাড় +SendBillRef=চালান জমা %s +SendReminderBillRef=চালান জমা %s (অনুস্মারক) +SendPaymentReceipt=অর্থপ্রদানের রসিদ জমা দেওয়া %s +NoDraftBills=কোন খসড়া চালান নেই +NoOtherDraftBills=অন্য কোন খসড়া চালান নেই +NoDraftInvoices=কোন খসড়া চালান নেই +RefBill=চালান রেফ +RefSupplierBill=সরবরাহকারী চালান রেফ +SupplierOrderCreateBill=চালান তৈরি করুন +ToBill=বিল +RemainderToBill=বিল বাকি +SendBillByMail=ইমেল দ্বারা চালান পাঠান +SendReminderBillByMail=ইমেল দ্বারা অনুস্মারক পাঠান +RelatedCommercialProposals=সম্পর্কিত বাণিজ্যিক প্রস্তাব +RelatedRecurringCustomerInvoices=সম্পর্কিত পুনরাবৃত্ত গ্রাহক চালান +MenuToValid=বৈধ করার জন্য +DateMaxPayment=পেমেন্ট বাকি আছে +DateInvoice=চালান তারিখ +DatePointOfTax=ট্যাক্সের পয়েন্ট +NoInvoice=চালান নেই +NoOpenInvoice=কোনো খোলা চালান নেই +NbOfOpenInvoices=খোলা চালানের সংখ্যা +ClassifyBill=চালান শ্রেণীবদ্ধ করুন +SupplierBillsToPay=অবৈতনিক বিক্রেতা চালান +CustomerBillsUnpaid=অবৈতনিক গ্রাহক চালান +NonPercuRecuperable=অ-পুনরুদ্ধারযোগ্য +SetConditions=পেমেন্ট শর্তাবলী সেট করুন +SetMode=পেমেন্ট টাইপ সেট করুন +SetRevenuStamp=রাজস্ব স্ট্যাম্প সেট করুন +Billed=বিল করা হয়েছে +RecurringInvoices=পুনরাবৃত্ত চালান +RecurringInvoice=পুনরাবৃত্ত চালান +RecurringInvoiceSource=উৎস পুনরাবৃত্ত চালান +RepeatableInvoice=টেমপ্লেট চালান +RepeatableInvoices=টেমপ্লেট চালান +RecurringInvoicesJob=পুনরাবৃত্ত চালান তৈরি করা (বিক্রয় চালান) +RecurringSupplierInvoicesJob=পুনরাবৃত্ত চালান তৈরি করা (ক্রয় চালান) +Repeatable=টেমপ্লেট +Repeatables=টেমপ্লেট +ChangeIntoRepeatableInvoice=টেমপ্লেট চালান রূপান্তর করুন +CreateRepeatableInvoice=টেমপ্লেট চালান তৈরি করুন +CreateFromRepeatableInvoice=টেমপ্লেট চালান থেকে তৈরি করুন +CustomersInvoicesAndInvoiceLines=গ্রাহকের চালান এবং চালানের বিবরণ +CustomersInvoicesAndPayments=গ্রাহক চালান এবং অর্থপ্রদান +ExportDataset_invoice_1=গ্রাহকের চালান এবং চালানের বিবরণ +ExportDataset_invoice_2=গ্রাহক চালান এবং অর্থপ্রদান +ProformaBill=প্রফর্মা বিল: +Reduction=হ্রাস +ReductionShort=ডিস্ক +Reductions=হ্রাস +ReductionsShort=ডিস্ক +Discounts=ছাড় +AddDiscount=ডিসকাউন্ট তৈরি করুন +AddRelativeDiscount=আপেক্ষিক ডিসকাউন্ট তৈরি করুন +EditRelativeDiscount=আপেক্ষিক ডিসকাউন্ট সম্পাদনা করুন +AddGlobalDiscount=পরম ডিসকাউন্ট তৈরি করুন +EditGlobalDiscounts=পরম ডিসকাউন্ট সম্পাদনা করুন +AddCreditNote=ক্রেডিট নোট তৈরি করুন +ShowDiscount=ডিসকাউন্ট দেখান +ShowReduc=ডিসকাউন্ট দেখান +ShowSourceInvoice=উৎস চালান দেখান +RelativeDiscount=আপেক্ষিক ছাড় +GlobalDiscount=বিশ্বব্যাপী ছাড় +CreditNote=ক্রেডিট নোট +CreditNotes=ক্রেডিট নোট +CreditNotesOrExcessReceived=ক্রেডিট নোট বা অতিরিক্ত প্রাপ্তি +Deposit=ডাউন পেমেন্ট +Deposits=ডাউন পেমেন্ট +DiscountFromCreditNote=ক্রেডিট নোট থেকে ছাড় %s +DiscountFromDeposit=ইনভয়েস থেকে ডাউন পেমেন্ট %s +DiscountFromExcessReceived=চালানের অতিরিক্ত অর্থ প্রদান %s +DiscountFromExcessPaid=চালানের অতিরিক্ত অর্থ প্রদান %s +AbsoluteDiscountUse=এই ধরনের ক্রেডিট তার বৈধতা আগে চালান ব্যবহার করা যেতে পারে +CreditNoteDepositUse=এই ধরনের ক্রেডিট ব্যবহার করার জন্য চালান যাচাই করা আবশ্যক +NewGlobalDiscount=নতুন পরম ছাড় +NewSupplierGlobalDiscount=নতুন পরম সরবরাহকারী ডিসকাউন্ট +NewClientGlobalDiscount=নতুন পরম ক্লায়েন্ট ডিসকাউন্ট +NewRelativeDiscount=নতুন আপেক্ষিক ছাড় +DiscountType=ছাড়ের ধরন +NoteReason=নোট/কারণ +ReasonDiscount=কারণ +DiscountOfferedBy=দ্বারা মঞ্জুর +DiscountStillRemaining=ডিসকাউন্ট বা ক্রেডিট উপলব্ধ +DiscountAlreadyCounted=ডিসকাউন্ট বা ক্রেডিট ইতিমধ্যে গ্রাস +CustomerDiscounts=গ্রাহক ডিসকাউন্ট +SupplierDiscounts=বিক্রেতাদের ডিসকাউন্ট +BillAddress=বিল ঠিকানা +HelpEscompte=এই ডিসকাউন্টটি গ্রাহককে দেওয়া একটি ডিসকাউন্ট কারণ মেয়াদের আগে অর্থ প্রদান করা হয়েছিল। +HelpAbandonBadCustomer=এই পরিমাণ পরিত্যক্ত করা হয়েছে (গ্রাহক একটি খারাপ গ্রাহক বলে) এবং একটি ব্যতিক্রমী ক্ষতি হিসাবে বিবেচিত হয়। +HelpAbandonOther=এই পরিমাণটি পরিত্যক্ত করা হয়েছে যেহেতু এটি একটি ত্রুটি ছিল (উদাহরণস্বরূপ অন্য একটি দ্বারা প্রতিস্থাপিত ভুল গ্রাহক বা চালান) +IdSocialContribution=সামাজিক/আর্থিক ট্যাক্স পেমেন্ট আইডি +PaymentId=পেমেন্ট আইডি +PaymentRef=পেমেন্ট রেফ. +SourceInvoiceId=Source invoice id +InvoiceId=চালান আইডি +InvoiceRef=চালান রেফ. +InvoiceDateCreation=চালান তৈরির তারিখ +InvoiceStatus=চালানের স্থিতি +InvoiceNote=চালান নোট +InvoicePaid=চালান দেওয়া +InvoicePaidCompletely=সম্পূর্ণ অর্থ প্রদান করা হয়েছে +InvoicePaidCompletelyHelp=সম্পূর্ণরূপে পরিশোধ করা হয় যে চালান. এটি আংশিক অর্থ প্রদান করা চালানগুলি বাদ দেয়৷ সমস্ত 'ক্লোজড' বা অ 'ক্লোজড' ইনভয়েসের তালিকা পেতে, ইনভয়েসের স্ট্যাটাসে একটি ফিল্টার ব্যবহার করতে পছন্দ করুন। +OrderBilled=অর্ডার বিল করা হয়েছে +DonationPaid=দান প্রদান করা হয়েছে +PaymentNumber=পেমেন্ট সংখ্যা +RemoveDiscount=ডিসকাউন্ট সরান +WatermarkOnDraftBill=খসড়া চালানে ওয়াটারমার্ক (খালি থাকলে কিছুই নয়) +InvoiceNotChecked=কোনো চালান নির্বাচন করা হয়নি৷ +ConfirmCloneInvoice=আপনি কি এই চালানটি %s ক্লোন করার বিষয়ে নিশ্চিত? +DisabledBecauseReplacedInvoice=চালান প্রতিস্থাপন করা হয়েছে বলে অ্যাকশন অক্ষম করা হয়েছে +DescTaxAndDividendsArea=এই এলাকাটি বিশেষ খরচের জন্য করা সমস্ত অর্থপ্রদানের সারাংশ উপস্থাপন করে। শুধুমাত্র নির্দিষ্ট বছরে পেমেন্ট সহ রেকর্ডগুলি এখানে অন্তর্ভুক্ত করা হয়েছে। +NbOfPayments=পেমেন্ট সংখ্যা +SplitDiscount=দুই ভাগে ডিসকাউন্ট বিভক্ত +ConfirmSplitDiscount=আপনি কি নিশ্চিত যে আপনি %s এই ছাড়টি ভাগ করতে চান span class='notranslate'>%s দুটি ছোট ডিসকাউন্টে? +TypeAmountOfEachNewDiscount=দুটি অংশের প্রতিটির জন্য ইনপুট পরিমাণ: +TotalOfTwoDiscountMustEqualsOriginal=মোট দুটি নতুন ডিসকাউন্ট মূল ছাড়ের পরিমাণের সমান হতে হবে। +ConfirmRemoveDiscount=আপনি কি এই ছাড় সরানোর বিষয়ে নিশ্চিত? +RelatedBill=সম্পর্কিত চালান +RelatedBills=সম্পর্কিত চালান +RelatedCustomerInvoices=সম্পর্কিত গ্রাহক চালান +RelatedSupplierInvoices=সম্পর্কিত বিক্রেতা চালান +LatestRelatedBill=সর্বশেষ সম্পর্কিত চালান +WarningBillExist=সতর্কতা, এক বা একাধিক চালান ইতিমধ্যেই বিদ্যমান৷ +MergingPDFTool=পিডিএফ টুল মার্জিং +AmountPaymentDistributedOnInvoice=অর্থপ্রদানের পরিমাণ চালানে বিতরণ করা হয়েছে +PaymentOnDifferentThirdBills=ভিন্ন ভিন্ন তৃতীয় পক্ষের বিল কিন্তু একই মূল কোম্পানিতে অর্থপ্রদানের অনুমতি দিন +PaymentNote=পেমেন্ট নোট +ListOfPreviousSituationInvoices=পূর্ববর্তী পরিস্থিতি চালান তালিকা +ListOfNextSituationInvoices=পরবর্তী পরিস্থিতি চালান তালিকা +ListOfSituationInvoices=পরিস্থিতি চালান তালিকা +CurrentSituationTotal=মোট বর্তমান পরিস্থিতি +DisabledBecauseNotEnouthCreditNote=চক্র থেকে একটি পরিস্থিতি চালান সরাতে, এই চালানের ক্রেডিট নোট মোট এই চালান মোট কভার করা আবশ্যক +RemoveSituationFromCycle=চক্র থেকে এই চালান সরান +ConfirmRemoveSituationFromCycle=চক্র থেকে এই চালান %s সরান? +ConfirmOuting=আউটিং নিশ্চিত করুন +FrequencyPer_d=প্রতি %s দিন +FrequencyPer_m=প্রতি %s মাসে +FrequencyPer_y=প্রতি %s বছর +FrequencyUnit=ফ্রিকোয়েন্সি ইউনিট +toolTipFrequency=উদাহরণ:
      সেট 7, দিন: একটি নতুন দিন প্রতি 7 দিন
      সেট 3, মাস: একটি নতুন দিন প্রতি 3 মাসে চালান +NextDateToExecution=পরবর্তী চালান প্রজন্মের জন্য তারিখ +NextDateToExecutionShort=পরবর্তী প্রজন্মের তারিখ। +DateLastGeneration=সর্বশেষ প্রজন্মের তারিখ +DateLastGenerationShort=তারিখ সর্বশেষ প্রজন্ম. +MaxPeriodNumber=সর্বোচ্চ চালান প্রজন্মের সংখ্যা +NbOfGenerationDone=ইনভয়েস তৈরির সংখ্যা ইতিমধ্যেই সম্পন্ন হয়েছে৷ +NbOfGenerationOfRecordDone=রেকর্ড তৈরির সংখ্যা ইতিমধ্যেই সম্পন্ন হয়েছে +NbOfGenerationDoneShort=সম্পন্ন প্রজন্মের সংখ্যা +MaxGenerationReached=প্রজন্মের সর্বোচ্চ সংখ্যা পৌঁছেছে +InvoiceAutoValidate=স্বয়ংক্রিয়ভাবে চালান যাচাই করুন +GeneratedFromRecurringInvoice=টেমপ্লেট রিকারিং ইনভয়েস %s থেকে তৈরি +DateIsNotEnough=তারিখ এখনও পৌঁছেনি +InvoiceGeneratedFromTemplate=চালান %s পুনরাবৃত্ত টেমপ্লেট চালান থেকে তৈরি করা হয়েছে %s +GeneratedFromTemplate=টেমপ্লেট চালান থেকে তৈরি করা হয়েছে %s +WarningInvoiceDateInFuture=সতর্কতা, চালানের তারিখ বর্তমান তারিখের চেয়ে বেশি +WarningInvoiceDateTooFarInFuture=সতর্কতা, চালানের তারিখ বর্তমান তারিখ থেকে অনেক দূরে +ViewAvailableGlobalDiscounts=উপলব্ধ ডিসকাউন্ট দেখুন +GroupPaymentsByModOnReports=রিপোর্টে মোড দ্বারা গ্রুপ পেমেন্ট # PaymentConditions -Statut=Status -PaymentConditionShortRECEP=Due Upon Receipt -PaymentConditionRECEP=Due Upon Receipt -PaymentConditionShort30D=30 days -PaymentCondition30D=30 days -PaymentConditionShort30DENDMONTH=30 days of month-end -PaymentCondition30DENDMONTH=Within 30 days following the end of the month -PaymentConditionShort60D=60 days -PaymentCondition60D=60 days -PaymentConditionShort60DENDMONTH=60 days of month-end -PaymentCondition60DENDMONTH=Within 60 days following the end of the month -PaymentConditionShortPT_DELIVERY=Delivery -PaymentConditionPT_DELIVERY=On delivery -PaymentConditionShortPT_ORDER=Order -PaymentConditionPT_ORDER=On order +Statut=স্ট্যাটাস +PaymentConditionShortRECEP=প্রাপ্তির পর দায় +PaymentConditionRECEP=প্রাপ্তির পর দায় +PaymentConditionShort30D=30 দিন +PaymentCondition30D=30 দিন +PaymentConditionShort30DENDMONTH=মাস-শেষের 30 দিন +PaymentCondition30DENDMONTH=মাস শেষ হওয়ার 30 দিনের মধ্যে +PaymentConditionShort60D=60 দিন +PaymentCondition60D=60 দিন +PaymentConditionShort60DENDMONTH=মাস-শেষের 60 দিন +PaymentCondition60DENDMONTH=মাস শেষ হওয়ার 60 দিনের মধ্যে +PaymentConditionShortPT_DELIVERY=ডেলিভারি +PaymentConditionPT_DELIVERY=ডেলিভারিতে +PaymentConditionShortPT_ORDER=অর্ডার +PaymentConditionPT_ORDER=আদেশ PaymentConditionShortPT_5050=50-50 -PaymentConditionPT_5050=50%% in advance, 50%% on delivery -PaymentConditionShort10D=10 days -PaymentCondition10D=10 days -PaymentConditionShort10DENDMONTH=10 days of month-end -PaymentCondition10DENDMONTH=Within 10 days following the end of the month -PaymentConditionShort14D=14 days -PaymentCondition14D=14 days -PaymentConditionShort14DENDMONTH=14 days of month-end -PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount - 1 line with label '%s' -VarAmount=Variable amount (%% tot.) -VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' -VarAmountAllLines=Variable amount (%% tot.) - all lines from origin +PaymentConditionPT_5050=50%% অগ্রিম, 50%% ডেলিভারি +PaymentConditionShort10D=10 দিন +PaymentCondition10D=10 দিন +PaymentConditionShort10DENDMONTH=মাস শেষের 10 দিন +PaymentCondition10DENDMONTH=মাস শেষ হওয়ার 10 দিনের মধ্যে +PaymentConditionShort14D=14 দিন +PaymentCondition14D=14 দিন +PaymentConditionShort14DENDMONTH=মাস শেষের 14 দিন +PaymentCondition14DENDMONTH=মাস শেষ হওয়ার 14 দিনের মধ্যে +PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% আমানত +PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% ডিপোজিট, ডেলিভারির বাকি +FixAmount=নির্দিষ্ট পরিমাণ - '%s' লেবেল সহ 1 লাইন +VarAmount=পরিবর্তনশীল পরিমাণ (%% মোট।) +VarAmountOneLine=পরিবর্তনশীল পরিমাণ (%% tot.) - '%s' লেবেল সহ 1 লাইন +VarAmountAllLines=পরিবর্তনশীল পরিমাণ (%% tot.) - উৎপত্তি থেকে সমস্ত লাইন +DepositPercent=ডিপোজিট %% +DepositGenerationPermittedByThePaymentTermsSelected=এটি নির্বাচিত অর্থপ্রদানের শর্তাবলী দ্বারা অনুমোদিত +GenerateDeposit=একটি %s%% জমা চালান তৈরি করুন +ValidateGeneratedDeposit=উত্পন্ন আমানত বৈধতা +DepositGenerated=আমানত উত্পন্ন +ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=আপনি শুধুমাত্র একটি প্রস্তাব বা আদেশ থেকে স্বয়ংক্রিয়ভাবে একটি আমানত তৈরি করতে পারেন৷ +ErrorPaymentConditionsNotEligibleToDepositCreation=বেছে নেওয়া অর্থপ্রদানের শর্তগুলি স্বয়ংক্রিয় আমানত তৈরির জন্য যোগ্য নয় # PaymentType -PaymentTypeVIR=Bank transfer -PaymentTypeShortVIR=Bank transfer -PaymentTypePRE=Direct debit payment order -PaymentTypeShortPRE=Debit payment order -PaymentTypeLIQ=Cash -PaymentTypeShortLIQ=Cash -PaymentTypeCB=Credit card -PaymentTypeShortCB=Credit card -PaymentTypeCHQ=Check -PaymentTypeShortCHQ=Check -PaymentTypeTIP=TIP (Documents against Payment) -PaymentTypeShortTIP=TIP Payment -PaymentTypeVAD=Online payment -PaymentTypeShortVAD=Online payment -PaymentTypeTRA=Bank draft -PaymentTypeShortTRA=Draft -PaymentTypeFAC=Factor -PaymentTypeShortFAC=Factor -PaymentTypeDC=Debit/Credit Card -PaymentTypePP=PayPal -BankDetails=Bank details -BankCode=Bank code -DeskCode=Branch code -BankAccountNumber=Account number -BankAccountNumberKey=Checksum -Residence=Address -IBANNumber=IBAN account number +PaymentTypeVIR=ব্যাংক লেনদেন +PaymentTypeShortVIR=ব্যাংক লেনদেন +PaymentTypePRE=সরাসরি ডেবিট পেমেন্ট অর্ডার +PaymentTypePREdetails=(অ্যাকাউন্ট %s...) +PaymentTypeShortPRE=ডেবিট পেমেন্ট অর্ডার +PaymentTypeLIQ=নগদ +PaymentTypeShortLIQ=নগদ +PaymentTypeCB=ক্রেডিট কার্ড +PaymentTypeShortCB=ক্রেডিট কার্ড +PaymentTypeCHQ=চেক করুন +PaymentTypeShortCHQ=চেক করুন +PaymentTypeTIP=টিআইপি (পেমেন্টের বিরুদ্ধে নথি) +PaymentTypeShortTIP=টিআইপি পেমেন্ট +PaymentTypeVAD=অনলাইন পেমেন্ট +PaymentTypeShortVAD=অনলাইন পেমেন্ট +PaymentTypeTRA=ব্যাংক খসড়া +PaymentTypeShortTRA=খসড়া +PaymentTypeFAC=ফ্যাক্টর +PaymentTypeShortFAC=ফ্যাক্টর +PaymentTypeDC=ডেবিট/ক্রেডিট কার্ড +PaymentTypePP=পেপ্যাল +BankDetails=ব্যাংক বিবরণ +BankCode=ব্যাংেকর সংকেতলিপি +DeskCode=শাখা কোড +BankAccountNumber=হিসাব নাম্বার +BankAccountNumberKey=চেকসাম +Residence=ঠিকানা +IBANNumber=IBAN অ্যাকাউন্ট নম্বর IBAN=IBAN -CustomerIBAN=IBAN of customer -SupplierIBAN=IBAN of vendor +CustomerIBAN=গ্রাহকের IBAN +SupplierIBAN=বিক্রেতার IBAN BIC=BIC/SWIFT -BICNumber=BIC/SWIFT code -ExtraInfos=Extra infos -RegulatedOn=Regulated on -ChequeNumber=Check N° -ChequeOrTransferNumber=Check/Transfer N° -ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer sender -ChequeBank=Bank of Check -CheckBank=Check -NetToBePaid=Net to be paid -PhoneNumber=Tel -FullPhoneNumber=Telephone -TeleFax=Fax -PrettyLittleSentence=Accept the amount of payments due by checks issued in my name as a Member of an accounting association approved by the Fiscal Administration. -IntracommunityVATNumber=Intra-Community VAT ID -PaymentByChequeOrderedTo=Check payments (including tax) are payable to %s, send to -PaymentByChequeOrderedToShort=Check payments (incl. tax) are payable to -SendTo=sent to -PaymentByTransferOnThisBankAccount=Payment by transfer to the following bank account -VATIsNotUsedForInvoice=* Non applicable VAT art-293B of CGI -LawApplicationPart1=By application of the law 80.335 of 12/05/80 -LawApplicationPart2=the goods remain the property of -LawApplicationPart3=the seller until full payment of -LawApplicationPart4=their price. -LimitedLiabilityCompanyCapital=SARL with Capital of -UseLine=Apply -UseDiscount=Use discount -UseCredit=Use credit -UseCreditNoteInInvoicePayment=Reduce amount to pay with this credit -MenuChequeDeposits=Check Deposits -MenuCheques=Checks -MenuChequesReceipts=Check receipts -NewChequeDeposit=New deposit -ChequesReceipts=Check receipts -ChequesArea=Check deposits area -ChequeDeposits=Check deposits -Cheques=Checks -DepositId=Id deposit -NbCheque=Number of checks -CreditNoteConvertedIntoDiscount=This %s has been converted into %s -UsBillingContactAsIncoiveRecipientIfExist=Use contact/address with type 'billing contact' instead of third-party address as recipient for invoices -ShowUnpaidAll=Show all unpaid invoices -ShowUnpaidLateOnly=Show late unpaid invoices only -PaymentInvoiceRef=Payment invoice %s -ValidateInvoice=Validate invoice -ValidateInvoices=Validate invoices -Cash=Cash -Reported=Delayed -DisabledBecausePayments=Not possible since there are some payments -CantRemovePaymentWithOneInvoicePaid=Can't remove payment since there is at least one invoice classified paid -CantRemovePaymentVATPaid=Can't remove payment since VAT declaration is classified paid -CantRemovePaymentSalaryPaid=Can't remove payment since salary is classified paid -ExpectedToPay=Expected payment -CantRemoveConciliatedPayment=Can't remove reconciled payment -PayedByThisPayment=Paid by this payment -ClosePaidInvoicesAutomatically=Classify automatically all standard, down payment or replacement invoices as "Paid" when payment is done entirely. -ClosePaidCreditNotesAutomatically=Classify automatically all credit notes as "Paid" when refund is done entirely. -ClosePaidContributionsAutomatically=Classify automatically all social or fiscal contributions as "Paid" when payment is done entirely. -ClosePaidVATAutomatically=Classify automatically VAT declaration as "Paid" when payment is done entirely. -ClosePaidSalaryAutomatically=Classify automatically salary as "Paid" when payment is done entirely. -AllCompletelyPayedInvoiceWillBeClosed=All invoices with no remainder to pay will be automatically closed with status "Paid". -ToMakePayment=Pay -ToMakePaymentBack=Pay back -ListOfYourUnpaidInvoices=List of unpaid invoices -NoteListOfYourUnpaidInvoices=Note: This list contains only invoices for third parties you are linked to as a sale representative. -RevenueStamp=Tax stamp -YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party -YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party -YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) -PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template -PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -TerreNumRefModelError=A bill starting with $syymm already exists and is not compatible with this model of sequence. Remove it or rename it to activate this module. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -EarlyClosingReason=Early closing reason -EarlyClosingComment=Early closing note +BICNumber=BIC/SWIFT কোড +ExtraInfos=অতিরিক্ত তথ্য +RegulatedOn=উপর নিয়ন্ত্রিত +ChequeNumber=N° চেক করুন +ChequeOrTransferNumber=চেক/ট্রান্সফার N° +ChequeBordereau=সময়সূচী পরীক্ষা করুন +ChequeMaker=চেক/ট্রান্সফার প্রেরক +ChequeBank=ব্যাঙ্ক অফ চেক +CheckBank=চেক করুন +NetToBePaid=নেট দিতে হবে +PhoneNumber=টেলিফোন +FullPhoneNumber=টেলিফোন +TeleFax=ফ্যাক্স +PrettyLittleSentence=ফিসকাল অ্যাডমিনিস্ট্রেশন দ্বারা অনুমোদিত একটি অ্যাকাউন্টিং অ্যাসোসিয়েশনের সদস্য হিসাবে আমার নামে জারি করা চেকের মাধ্যমে বকেয়া অর্থপ্রদানের পরিমাণ গ্রহণ করুন। +IntracommunityVATNumber=আন্তঃ-সম্প্রদায় ভ্যাট আইডি +PaymentByChequeOrderedTo=চেক পেমেন্ট (ট্যাক্স সহ) %s এ প্রদেয়, পাঠান +PaymentByChequeOrderedToShort=চেক পেমেন্ট (ট্যাক্স সহ) প্রদেয় হয় +SendTo=প্রেরিত +PaymentByTransferOnThisBankAccount=নিম্নলিখিত ব্যাঙ্ক অ্যাকাউন্টে স্থানান্তরের মাধ্যমে অর্থপ্রদান +VATIsNotUsedForInvoice=* CGI এর অপ্রযোজ্য ভ্যাট আর্ট-293B +VATIsNotUsedForInvoiceAsso=* সিজিআই-এর অপ্রযোজ্য ভ্যাট আর্ট-261-7 +LawApplicationPart1=12/05/80 এর 80.335 আইনের প্রয়োগের মাধ্যমে +LawApplicationPart2=পণ্য সম্পত্তি অবশেষ +LawApplicationPart3=সম্পূর্ণ অর্থ প্রদান না হওয়া পর্যন্ত বিক্রেতা +LawApplicationPart4=তাদের দাম। +LimitedLiabilityCompanyCapital=ক্যাপিটাল এর সাথে SARL +UseLine=আবেদন করুন +UseDiscount=ডিসকাউন্ট ব্যবহার করুন +UseCredit=ক্রেডিট ব্যবহার করুন +UseCreditNoteInInvoicePayment=এই ক্রেডিট দিয়ে অর্থ প্রদানের পরিমাণ হ্রাস করুন +MenuChequeDeposits=জমা স্লিপ +MenuCheques=চেক করে +MenuChequesReceipts=জমা স্লিপ +NewChequeDeposit=নতুন ডিপোজিট স্লিপ +ChequesReceipts=ডিপোজিট স্লিপ চেক করুন +DocumentsDepositArea=জমা স্লিপ এলাকা +ChequesArea=জমা স্লিপ এলাকা +ChequeDeposits=জমা স্লিপ +Cheques=চেক করে +DepositId=আইডি জমা +NbCheque=চেকের সংখ্যা +CreditNoteConvertedIntoDiscount=এই %sটিকে %s এ রূপান্তরিত করা হয়েছে +UsBillingContactAsIncoiveRecipientIfExist=ইনভয়েসের জন্য প্রাপক হিসাবে তৃতীয় পক্ষের ঠিকানার পরিবর্তে 'বিলিং পরিচিতি' টাইপ সহ পরিচিতি/ঠিকানা ব্যবহার করুন +ShowUnpaidAll=সমস্ত অবৈতনিক চালান দেখান৷ +ShowUnpaidLateOnly=শুধুমাত্র বিলম্বিত অবৈতনিক চালানগুলি দেখান৷ +PaymentInvoiceRef=পেমেন্ট ইনভয়েস %s +ValidateInvoice=চালান যাচাই করুন +ValidateInvoices=চালান যাচাই করুন +Cash=নগদ +Reported=বিলম্বিত +DisabledBecausePayments=কিছু অর্থ প্রদানের কারণে সম্ভব নয় +CantRemovePaymentWithOneInvoicePaid=পেমেন্ট অপসারণ করা যাবে না যেহেতু অন্তত একটি চালান শ্রেণীবদ্ধ করা হয়েছে +CantRemovePaymentVATPaid=অর্থপ্রদান সরানো যাবে না যেহেতু ভ্যাট ঘোষণা শ্রেণীবদ্ধ প্রদত্ত +CantRemovePaymentSalaryPaid=যেহেতু বেতন শ্রেণীবদ্ধ করা হয়েছে তাই অর্থপ্রদান সরাতে পারবেন না +ExpectedToPay=প্রত্যাশিত অর্থপ্রদান +CantRemoveConciliatedPayment=মিলিত পেমেন্ট সরানো যাবে না +PayedByThisPayment=এই পেমেন্ট দ্বারা পরিশোধ করা হয় +ClosePaidInvoicesAutomatically=অর্থপ্রদান সম্পূর্ণ হয়ে গেলে স্বয়ংক্রিয়ভাবে সমস্ত স্ট্যান্ডার্ড, ডাউন পেমেন্ট বা প্রতিস্থাপন চালানকে "প্রদেয়" হিসাবে শ্রেণীবদ্ধ করুন। +ClosePaidCreditNotesAutomatically=ফেরত সম্পূর্ণ হয়ে গেলে স্বয়ংক্রিয়ভাবে সমস্ত ক্রেডিট নোটকে "প্রদেয়" হিসাবে শ্রেণীবদ্ধ করুন। +ClosePaidContributionsAutomatically=অর্থপ্রদান সম্পূর্ণ হয়ে গেলে স্বয়ংক্রিয়ভাবে সমস্ত সামাজিক বা আর্থিক অবদানকে "প্রদেয়" হিসাবে শ্রেণীবদ্ধ করুন। +ClosePaidVATAutomatically=অর্থপ্রদান সম্পূর্ণ হয়ে গেলে স্বয়ংক্রিয়ভাবে ভ্যাট ঘোষণাকে "প্রদেয়" হিসাবে শ্রেণীবদ্ধ করুন। +ClosePaidSalaryAutomatically=অর্থ প্রদান সম্পূর্ণ হয়ে গেলে স্বয়ংক্রিয়ভাবে বেতনকে "প্রদেয়" হিসাবে শ্রেণীবদ্ধ করুন। +AllCompletelyPayedInvoiceWillBeClosed=পরিশোধ করতে বাকি নেই এমন সমস্ত চালান স্বয়ংক্রিয়ভাবে "প্রদেয়" স্ট্যাটাস সহ বন্ধ হয়ে যাবে। +ToMakePayment=বেতন +ToMakePaymentBack=ফেরত দিন +ListOfYourUnpaidInvoices=অপরিশোধিত চালানের তালিকা +NoteListOfYourUnpaidInvoices=দ্রষ্টব্য: এই তালিকায় শুধুমাত্র তৃতীয় পক্ষের চালান রয়েছে যার সাথে আপনি বিক্রয় প্রতিনিধি হিসাবে লিঙ্ক করেছেন৷ +RevenueStamp=ট্যাক্স স্ট্যাম্প +YouMustCreateInvoiceFromThird=তৃতীয় পক্ষের ট্যাব "গ্রাহক" থেকে একটি চালান তৈরি করার সময় এই বিকল্পটি শুধুমাত্র উপলব্ধ +YouMustCreateInvoiceFromSupplierThird=তৃতীয় পক্ষের ট্যাব "বিক্রেতা" থেকে একটি চালান তৈরি করার সময় এই বিকল্পটি শুধুমাত্র উপলব্ধ +YouMustCreateStandardInvoiceFirstDesc=আপনাকে প্রথমে একটি আদর্শ চালান তৈরি করতে হবে এবং একটি নতুন টেমপ্লেট চালান তৈরি করতে এটিকে "টেমপ্লেট"-এ রূপান্তর করতে হবে +PDFCrabeDescription=চালান PDF টেমপ্লেট Crabe. একটি সম্পূর্ণ চালান টেমপ্লেট (স্পঞ্জ টেমপ্লেটের পুরানো বাস্তবায়ন) +PDFSpongeDescription=চালান পিডিএফ টেমপ্লেট স্পঞ্জ. একটি সম্পূর্ণ চালান টেমপ্লেট +PDFCrevetteDescription=চালান PDF টেমপ্লেট Crevette. পরিস্থিতি চালানের জন্য একটি সম্পূর্ণ চালান টেমপ্লেট +TerreNumRefModelDesc1=ফর্ম্যাটে রিটার্ন নম্বর %sপ্রমিত চালানের জন্য yymm-nnnn এবং %sক্রেডিট নোটের জন্য yymm-nnnn যেখানে yy বছর, মিমি মাস হল এবং nnnn হল একটি ক্রমিক স্বয়ংক্রিয়-বৃদ্ধি সংখ্যা যার কোন বিরতি নেই এবং 0 এ ফেরত নেই +MarsNumRefModelDesc1=ফর্ম্যাটে ফেরত নম্বর %sপ্রমিত চালানের জন্য yymm-nnnn, %sপ্রতিস্থাপন চালানের জন্য yymm-nnnn, %sডাউন পেমেন্ট ইনভয়েসের জন্য yymm-nnnn এবং %sক্রেডিট নোটের জন্য yymm-nnnn যেখানে yy বছর, মিমি মাস এবং nnnn একটি অনুক্রমিক স্বয়ংক্রিয়- ক্রমবর্ধমান সংখ্যা কোন বিরতি ছাড়া এবং 0-এ ফেরত নেই +TerreNumRefModelError=$syymm দিয়ে শুরু হওয়া একটি বিল ইতিমধ্যেই বিদ্যমান এবং অনুক্রমের এই মডেলের সাথে সামঞ্জস্যপূর্ণ নয়। এই মডিউলটি সক্রিয় করতে এটি সরান বা এটির নাম পরিবর্তন করুন। +CactusNumRefModelDesc1=ফর্ম্যাটে রিটার্ন নম্বর %sপ্রমিত চালানের জন্য yymm-nnnn, %sক্রেডিট নোটের জন্য yymm-nnnn এবং %sডাউন পেমেন্ট ইনভয়েসের জন্য yymm-nnnn যেখানে yy হল বছর, mm হল মাস এবং nnnn হল একটি ক্রমিক স্বয়ংক্রিয়-বৃদ্ধি সংখ্যা যেখানে কোনও বিরতি নেই এবং 0-তে ফেরত নেই +EarlyClosingReason=প্রারম্ভিক বন্ধ কারণ +EarlyClosingComment=প্রারম্ভিক বন্ধ নোট ##### Types de contacts ##### -TypeContact_facture_internal_SALESREPFOLL=Representative following-up customer invoice -TypeContact_facture_external_BILLING=Customer invoice contact -TypeContact_facture_external_SHIPPING=Customer shipping contact -TypeContact_facture_external_SERVICE=Customer service contact -TypeContact_invoice_supplier_internal_SALESREPFOLL=Representative following-up vendor invoice -TypeContact_invoice_supplier_external_BILLING=Vendor invoice contact -TypeContact_invoice_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_invoice_supplier_external_SERVICE=Vendor service contact +TypeContact_facture_internal_SALESREPFOLL=প্রতিনিধি অনুসরণকারী গ্রাহক চালান +TypeContact_facture_external_BILLING=গ্রাহক চালান যোগাযোগ +TypeContact_facture_external_SHIPPING=গ্রাহক শিপিং যোগাযোগ +TypeContact_facture_external_SERVICE=গ্রাহক সেবা যোগাযোগ +TypeContact_invoice_supplier_internal_SALESREPFOLL=প্রতিনিধি অনুসরণ-আপ বিক্রেতা চালান +TypeContact_invoice_supplier_external_BILLING=বিক্রেতা চালান যোগাযোগ +TypeContact_invoice_supplier_external_SHIPPING=বিক্রেতা শিপিং যোগাযোগ +TypeContact_invoice_supplier_external_SERVICE=বিক্রেতা সেবা যোগাযোগ # Situation invoices -InvoiceFirstSituationAsk=First situation invoice -InvoiceFirstSituationDesc=The situation invoices are tied to situations related to a progression, for example the progression of a construction. Each situation is tied to an invoice. -InvoiceSituation=Situation invoice -PDFInvoiceSituation=Situation invoice -InvoiceSituationAsk=Invoice following the situation -InvoiceSituationDesc=Create a new situation following an already existing one -SituationAmount=Situation invoice amount(net) -SituationDeduction=Situation subtraction -ModifyAllLines=Modify all lines -CreateNextSituationInvoice=Create next situation -ErrorFindNextSituationInvoice=Error unable to find next situation cycle ref -ErrorOutingSituationInvoiceOnUpdate=Unable to outing this situation invoice. -ErrorOutingSituationInvoiceCreditNote=Unable to outing linked credit note. -NotLastInCycle=This invoice is not the latest in cycle and must not be modified. -DisabledBecauseNotLastInCycle=The next situation already exists. -DisabledBecauseFinal=This situation is final. -situationInvoiceShortcode_AS=AS -situationInvoiceShortcode_S=S -CantBeLessThanMinPercent=The progress can't be smaller than its value in the previous situation. -NoSituations=No open situations -InvoiceSituationLast=Final and general invoice -PDFCrevetteSituationNumber=Situation N°%s -PDFCrevetteSituationInvoiceLineDecompte=Situation invoice - COUNT -PDFCrevetteSituationInvoiceTitle=Situation invoice -PDFCrevetteSituationInvoiceLine=Situation N°%s: Inv. N°%s on %s -TotalSituationInvoice=Total situation -invoiceLineProgressError=Invoice line progress can't be greater than or equal to the next invoice line -updatePriceNextInvoiceErrorUpdateline=Error: update price on invoice line: %s -ToCreateARecurringInvoice=To create a recurring invoice for this contract, first create this draft invoice, then convert it into an invoice template and define the frequency for generation of future invoices. -ToCreateARecurringInvoiceGene=To generate future invoices regularly and manually, just go on menu %s - %s - %s. -ToCreateARecurringInvoiceGeneAuto=If you need to have such invoices generated automatically, ask your administrator to enable and setup module %s. Note that both methods (manual and automatic) can be used together with no risk of duplication. -DeleteRepeatableInvoice=Delete template invoice -ConfirmDeleteRepeatableInvoice=Are your sure you want to delete the template invoice? -CreateOneBillByThird=Create one invoice per third party (otherwise, one invoice per selected object) -BillCreated=%s invoice(s) generated -BillXCreated=Invoice %s generated -StatusOfGeneratedDocuments=Status of document generation -DoNotGenerateDoc=Do not generate document file -AutogenerateDoc=Auto generate document file -AutoFillDateFrom=Set start date for service line with invoice date -AutoFillDateFromShort=Set start date -AutoFillDateTo=Set end date for service line with next invoice date -AutoFillDateToShort=Set end date -MaxNumberOfGenerationReached=Max number of gen. reached -BILL_DELETEInDolibarr=Invoice deleted -BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted -UnitPriceXQtyLessDiscount=Unit price x Qty - Discount -CustomersInvoicesArea=Customer billing area -SupplierInvoicesArea=Supplier billing area -FacParentLine=Invoice Line Parent -SituationTotalRayToRest=Remainder to pay without taxe -PDFSituationTitle=Situation n° %d -SituationTotalProgress=Total progress %d %% -SearchUnpaidInvoicesWithDueDate=Search unpaid invoices with a due date = %s -NoPaymentAvailable=No payment available for %s -PaymentRegisteredAndInvoiceSetToPaid=Payment registered and invoice %s set to paid -SendEmailsRemindersOnInvoiceDueDate=Send reminder by email for unpaid invoices +InvoiceFirstSituationAsk=প্রথম অবস্থা চালান +InvoiceFirstSituationDesc=পরিস্থিতি চালান একটি অগ্রগতির সাথে সম্পর্কিত পরিস্থিতির সাথে আবদ্ধ, উদাহরণস্বরূপ একটি নির্মাণের অগ্রগতি৷ প্রতিটি পরিস্থিতি একটি চালানের সাথে আবদ্ধ। +InvoiceSituation=পরিস্থিতি চালান +PDFInvoiceSituation=পরিস্থিতি চালান +InvoiceSituationAsk=পরিস্থিতি অনুসরণ করে চালান +InvoiceSituationDesc=ইতিমধ্যে বিদ্যমান একটি অনুসরণ করে একটি নতুন পরিস্থিতি তৈরি করুন +SituationAmount=পরিস্থিতি চালানের পরিমাণ (নেট) +SituationDeduction=পরিস্থিতি বিয়োগ +ModifyAllLines=সমস্ত লাইন পরিবর্তন করুন +CreateNextSituationInvoice=পরবর্তী পরিস্থিতি তৈরি করুন +ErrorFindNextSituationInvoice=ত্রুটি পরবর্তী পরিস্থিতি চক্র রেফ খুঁজে পেতে অক্ষম +ErrorOutingSituationInvoiceOnUpdate=এই পরিস্থিতি চালান আউট করতে অক্ষম. +ErrorOutingSituationInvoiceCreditNote=লিঙ্ক করা ক্রেডিট নোট আউট করতে অক্ষম. +NotLastInCycle=এই চালানটি চক্রের সর্বশেষতম নয় এবং সংশোধন করা উচিত নয়৷ +DisabledBecauseNotLastInCycle=পরবর্তী পরিস্থিতি ইতিমধ্যে বিদ্যমান। +DisabledBecauseFinal=এই পরিস্থিতি চূড়ান্ত। +situationInvoiceShortcode_AS=এএস +situationInvoiceShortcode_S=এস +CantBeLessThanMinPercent=অগ্রগতি পূর্ববর্তী পরিস্থিতিতে এর মূল্যের চেয়ে ছোট হতে পারে না। +NoSituations=কোন খোলা পরিস্থিতিতে +InvoiceSituationLast=চূড়ান্ত এবং সাধারণ চালান +PDFCrevetteSituationNumber=পরিস্থিতি N°%s +PDFCrevetteSituationInvoiceLineDecompte=পরিস্থিতি চালান - COUNTটি৷ +PDFCrevetteSituationInvoiceTitle=পরিস্থিতি চালান +PDFCrevetteSituationInvoiceLine=পরিস্থিতি N°%s: ইনভ. N°%s এ %s +TotalSituationInvoice=মোট অবস্থা +invoiceLineProgressError=ইনভয়েস লাইনের অগ্রগতি পরবর্তী চালান লাইনের চেয়ে বেশি বা সমান হতে পারে না +updatePriceNextInvoiceErrorUpdateline=ত্রুটি: চালান লাইনে মূল্য আপডেট করুন: %s +ToCreateARecurringInvoice=এই চুক্তির জন্য একটি পুনরাবৃত্ত চালান তৈরি করতে, প্রথমে এই ড্রাফ্ট চালানটি তৈরি করুন, তারপর এটিকে একটি চালান টেমপ্লেটে রূপান্তর করুন এবং ভবিষ্যতের চালানগুলির প্রজন্মের জন্য ফ্রিকোয়েন্সি সংজ্ঞায়িত করুন৷ +ToCreateARecurringInvoiceGene=নিয়মিত এবং ম্যানুয়ালি ভবিষ্যত চালান তৈরি করতে, শুধু মেনুতে যান %s - b0ecb2ecz80 span> - %s৷ +ToCreateARecurringInvoiceGeneAuto=আপনার যদি এই ধরনের চালানগুলি স্বয়ংক্রিয়ভাবে তৈরি করতে হয়, তাহলে আপনার প্রশাসককে %s। নোট করুন যে উভয় পদ্ধতি (ম্যানুয়াল এবং স্বয়ংক্রিয়) একসাথে ব্যবহার করা যেতে পারে নকলের ঝুঁকি ছাড়াই। +DeleteRepeatableInvoice=টেমপ্লেট চালান মুছুন +ConfirmDeleteRepeatableInvoice=আপনি কি নিশ্চিত আপনি টেমপ্লেট চালান মুছে ফেলতে চান? +CreateOneBillByThird=তৃতীয় পক্ষের প্রতি একটি চালান তৈরি করুন (অন্যথায়, নির্বাচিত বস্তু প্রতি একটি চালান) +BillCreated=%s চালান(গুলি) তৈরি হয়েছে +BillXCreated=চালান %s তৈরি হয়েছে +StatusOfGeneratedDocuments=নথি তৈরির অবস্থা +DoNotGenerateDoc=ডকুমেন্ট ফাইল তৈরি করবেন না +AutogenerateDoc=স্বয়ংক্রিয়ভাবে নথি ফাইল তৈরি করুন +AutoFillDateFrom=চালান তারিখ সহ পরিষেবা লাইনের জন্য শুরুর তারিখ সেট করুন +AutoFillDateFromShort=শুরুর তারিখ সেট করুন +AutoFillDateTo=পরবর্তী চালান তারিখের সাথে পরিষেবা লাইনের জন্য শেষ তারিখ সেট করুন +AutoFillDateToShort=শেষ তারিখ সেট করুন +MaxNumberOfGenerationReached=জেনার সর্বাধিক সংখ্যা। পৌঁছেছে +BILL_DELETEInDolibarr=চালান মুছে ফেলা হয়েছে +BILL_SUPPLIER_DELETEInDolibarr=সরবরাহকারী চালান মুছে ফেলা হয়েছে +UnitPriceXQtyLessDiscount=ইউনিট মূল্য x পরিমাণ - ছাড় +CustomersInvoicesArea=গ্রাহক বিলিং এলাকা +SupplierInvoicesArea=সরবরাহকারী বিলিং এলাকা +SituationTotalRayToRest=ট্যাক্স ছাড়া পরিশোধ করতে বাকি +PDFSituationTitle=পরিস্থিতি n° %d +SituationTotalProgress=মোট অগ্রগতি %d %% +SearchUnpaidInvoicesWithDueDate=একটি নির্দিষ্ট তারিখ = %s সহ অবৈতনিক চালান খুঁজুন +SearchValidatedInvoicesWithDate=একটি বৈধতা তারিখ = %s সহ অবৈতনিক চালান অনুসন্ধান করুন +NoPaymentAvailable=%s এর জন্য কোনো অর্থপ্রদান উপলব্ধ নেই +PaymentRegisteredAndInvoiceSetToPaid=অর্থপ্রদান নিবন্ধিত এবং চালান %s অর্থপ্রদানে সেট +SendEmailsRemindersOnInvoiceDueDate=বৈধ এবং অবৈতনিক চালানের জন্য ইমেলের মাধ্যমে অনুস্মারক পাঠান +MakePaymentAndClassifyPayed=পেমেন্ট রেকর্ড করুন +BulkPaymentNotPossibleForInvoice=চালানের জন্য বাল্ক পেমেন্ট সম্ভব নয় %s (খারাপ প্রকার বা স্থিতি) +MentionVATDebitOptionIsOn=ডেবিটের উপর ভিত্তি করে কর প্রদানের বিকল্প +MentionCategoryOfOperations=অপারেশন বিভাগ +MentionCategoryOfOperations0=মালামাল সরবরাহ +MentionCategoryOfOperations1=সেবার বন্দোবস্ত +MentionCategoryOfOperations2=মিশ্র - পণ্য বিতরণ এবং পরিষেবার বিধান +Salaries=বেতন +InvoiceSubtype=চালান সাবটাইপ +SalaryInvoice=বেতন +BillsAndSalaries=বিল ও বেতন +CreateCreditNoteWhenClientInvoiceExists=এই বিকল্পটি তখনই সক্ষম হয় যখন কোনো গ্রাহকের জন্য বৈধ চালান(গুলি) বিদ্যমান থাকে বা যখন ধ্রুবক INVOICE_CREDIT_NOTE_STANDALONE ব্যবহার করা হয় (কিছু দেশের জন্য দরকারী) diff --git a/htdocs/langs/bn_IN/blockedlog.lang b/htdocs/langs/bn_IN/blockedlog.lang index 12f28737d49..6389269d8ed 100644 --- a/htdocs/langs/bn_IN/blockedlog.lang +++ b/htdocs/langs/bn_IN/blockedlog.lang @@ -1,57 +1,62 @@ -BlockedLog=Unalterable Logs -Field=Field -BlockedLogDesc=This module tracks some events into an unalterable log (that you can't modify once recorded) into a block chain, in real time. This module provides compatibility with requirements of laws of some countries (like France with the law Finance 2016 - Norme NF525). -Fingerprints=Archived events and fingerprints -FingerprintsDesc=This is the tool to browse or extract the unalterable logs. Unalterable logs are generated and archived locally into a dedicated table, in real time when you record a business event. You can use this tool to export this archive and save it into an external support (some countries, like France, ask that you do it every year). Note that, there is no feature to purge this log and every change tried to be done directly into this log (by a hacker for example) will be reported with a non-valid fingerprint. If you really need to purge this table because you used your application for a demo/test purpose and want to clean your data to start your production, you can ask your reseller or integrator to reset your database (all your data will be removed). -CompanyInitialKey=Company initial key (hash of genesis block) -BrowseBlockedLog=Unalterable logs -ShowAllFingerPrintsMightBeTooLong=Show all archived logs (might be long) -ShowAllFingerPrintsErrorsMightBeTooLong=Show all non-valid archive logs (might be long) -DownloadBlockChain=Download fingerprints -KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists) or has modified checksum of the previous record. -OkCheckFingerprintValidity=Archived log record is valid. The data on this line was not modified and the entry follows the previous one. -OkCheckFingerprintValidityButChainIsKo=Archived log seems valid compared to previous one but the chain was corrupted previously. -AddedByAuthority=Stored into remote authority -NotAddedByAuthorityYet=Not yet stored into remote authority -ShowDetails=Show stored details -logPAYMENT_VARIOUS_CREATE=Payment (not assigned to an invoice) created -logPAYMENT_VARIOUS_MODIFY=Payment (not assigned to an invoice) modified -logPAYMENT_VARIOUS_DELETE=Payment (not assigned to an invoice) logical deletion -logPAYMENT_ADD_TO_BANK=Payment added to bank -logPAYMENT_CUSTOMER_CREATE=Customer payment created -logPAYMENT_CUSTOMER_DELETE=Customer payment logical deletion -logDONATION_PAYMENT_CREATE=Donation payment created -logDONATION_PAYMENT_DELETE=Donation payment logical deletion -logBILL_PAYED=Customer invoice paid -logBILL_UNPAYED=Customer invoice set unpaid -logBILL_VALIDATE=Customer invoice validated -logBILL_SENTBYMAIL=Customer invoice send by mail -logBILL_DELETE=Customer invoice logically deleted -logMODULE_RESET=Module BlockedLog was disabled -logMODULE_SET=Module BlockedLog was enabled -logDON_VALIDATE=Donation validated -logDON_MODIFY=Donation modified -logDON_DELETE=Donation logical deletion -logMEMBER_SUBSCRIPTION_CREATE=Member subscription created -logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified -logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion -logCASHCONTROL_VALIDATE=Cash desk closing recording -BlockedLogBillDownload=Customer invoice download -BlockedLogBillPreview=Customer invoice preview -BlockedlogInfoDialog=Log Details -ListOfTrackedEvents=List of tracked events -Fingerprint=Fingerprint -DownloadLogCSV=Export archived logs (CSV) -logDOC_PREVIEW=Preview of a validated document in order to print or download -logDOC_DOWNLOAD=Download of a validated document in order to print or send -DataOfArchivedEvent=Full datas of archived event -ImpossibleToReloadObject=Original object (type %s, id %s) not linked (see 'Full datas' column to get unalterable saved data) -BlockedLogAreRequiredByYourCountryLegislation=Unalterable Logs module may be required by the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they can not be validated by a tax audit. -BlockedLogActivatedBecauseRequiredByYourCountryLegislation=Unalterable Logs module was activated because of the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they cannot be validated by a tax audit. -BlockedLogDisableNotAllowedForCountry=List of countries where usage of this module is mandatory (just to prevent to disable the module by error, if your country is in this list, disable of module is not possible without editing this list first. Note also that enabling/disabling this module will keep a track into the unalterable log). -OnlyNonValid=Non-valid -TooManyRecordToScanRestrictFilters=Too many records to scan/analyze. Please restrict list with more restrictive filters. -RestrictYearToExport=Restrict month / year to export -BlockedLogEnabled=System to track events into unalterable logs has been enabled -BlockedLogDisabled=System to track events into unalterable logs has been disabled after some recording were done. We saved a special Fingerprint to track the chain as broken -BlockedLogDisabledBis=System to track events into unalterable logs has been disabled. This is possible because no record were done yet. +BlockedLog=অপরিবর্তনীয় লগ +Field=মাঠ +BlockedLogDesc=এই মডিউলটি কিছু ইভেন্টকে একটি অপরিবর্তনীয় লগে (যা আপনি একবার রেকর্ড করার পরে পরিবর্তন করতে পারবেন না) একটি ব্লক চেইনে, রিয়েল টাইমে ট্র্যাক করে। এই মডিউলটি কিছু দেশের আইনের প্রয়োজনীয়তার সাথে সামঞ্জস্যপূর্ণতা প্রদান করে (যেমন ফ্রান্স আইন ফাইন্যান্স 2016 - Norme NF525)। +Fingerprints=আর্কাইভ করা ঘটনা এবং আঙ্গুলের ছাপ +FingerprintsDesc=এটি অপরিবর্তনীয় লগগুলি ব্রাউজ বা নিষ্কাশন করার সরঞ্জাম। অপরিবর্তনীয় লগগুলি তৈরি করা হয় এবং স্থানীয়ভাবে একটি ডেডিকেটেড টেবিলে আর্কাইভ করা হয়, যখন আপনি একটি ব্যবসায়িক ইভেন্ট রেকর্ড করেন। আপনি এই আর্কাইভটি রপ্তানি করতে এবং এটিকে একটি বাহ্যিক সমর্থনে সংরক্ষণ করতে এই সরঞ্জামটি ব্যবহার করতে পারেন (কিছু দেশ, যেমন ফ্রান্স, আপনাকে প্রতি বছর এটি করতে বলে)৷ মনে রাখবেন, এই লগটি শুদ্ধ করার কোন বৈশিষ্ট্য নেই এবং প্রতিটি পরিবর্তন সরাসরি এই লগে করার চেষ্টা করা হয়েছে (উদাহরণস্বরূপ হ্যাকার দ্বারা) একটি অ-বৈধ আঙ্গুলের ছাপ দিয়ে রিপোর্ট করা হবে। আপনি যদি সত্যিই এই টেবিলটি পরিষ্কার করতে চান কারণ আপনি একটি ডেমো/পরীক্ষার উদ্দেশ্যে আপনার অ্যাপ্লিকেশনটি ব্যবহার করেছেন এবং আপনার উত্পাদন শুরু করার জন্য আপনার ডেটা পরিষ্কার করতে চান, আপনি আপনার রিসেলার বা ইন্টিগ্রেটরকে আপনার ডাটাবেস রিসেট করতে বলতে পারেন (আপনার সমস্ত ডেটা মুছে ফেলা হবে)৷ +CompanyInitialKey=কোম্পানির প্রাথমিক কী (জেনেসিস ব্লকের হ্যাশ) +BrowseBlockedLog=অপরিবর্তনীয় লগ +ShowAllFingerPrintsMightBeTooLong=সমস্ত সংরক্ষণাগারভুক্ত লগ দেখান (দীর্ঘ হতে পারে) +ShowAllFingerPrintsErrorsMightBeTooLong=সমস্ত অ-বৈধ সংরক্ষণাগার লগ দেখান (দীর্ঘ হতে পারে) +DownloadBlockChain=আঙ্গুলের ছাপ ডাউনলোড করুন +KoCheckFingerprintValidity=সংরক্ষণাগারভুক্ত লগ এন্ট্রি বৈধ নয়. এর অর্থ কেউ (একজন হ্যাকার?) এই রেকর্ডের কিছু ডেটা রেকর্ড করার পরে পরিবর্তন করেছে, বা আগের সংরক্ষণাগারভুক্ত রেকর্ডটি মুছে দিয়েছে (আগের # বিদ্যমান আছে সেই লাইনটি পরীক্ষা করে দেখুন) বা পূর্ববর্তী রেকর্ডের চেকসাম পরিবর্তন করেছেন। +OkCheckFingerprintValidity=সংরক্ষণাগারভুক্ত লগ রেকর্ড বৈধ। এই লাইনের ডেটা পরিবর্তন করা হয়নি এবং এন্ট্রিটি আগেরটি অনুসরণ করে। +OkCheckFingerprintValidityButChainIsKo=সংরক্ষণাগারভুক্ত লগটি আগেরটির তুলনায় বৈধ বলে মনে হচ্ছে তবে চেইনটি আগে দূষিত হয়েছিল৷ +AddedByAuthority=দূরবর্তী কর্তৃপক্ষের মধ্যে সংরক্ষিত +NotAddedByAuthorityYet=এখনও দূরবর্তী কর্তৃপক্ষের মধ্যে সংরক্ষণ করা হয়নি +ShowDetails=সংরক্ষিত বিবরণ দেখান +BlockedLogBillDownload=গ্রাহক চালান ডাউনলোড +BlockedLogBillPreview=গ্রাহক চালান পূর্বরূপ +BlockedlogInfoDialog=লগ বিবরণ +ListOfTrackedEvents=ট্র্যাক করা ইভেন্টের তালিকা +Fingerprint=আঙুলের ছাপ +DownloadLogCSV=সংরক্ষণাগারভুক্ত লগ রপ্তানি করুন (CSV) +logDOC_PREVIEW=প্রিন্ট বা ডাউনলোড করার জন্য একটি বৈধ নথির পূর্বরূপ +logDOC_DOWNLOAD=প্রিন্ট বা পাঠানোর জন্য একটি বৈধ নথি ডাউনলোড করুন +DataOfArchivedEvent=আর্কাইভ করা ইভেন্টের সম্পূর্ণ ডেটা +ImpossibleToReloadObject=আসল বস্তু (টাইপ %s, id %s) লিঙ্কযুক্ত নয় (অপরিবর্তনীয় সংরক্ষিত ডেটা পেতে 'সম্পূর্ণ ডেটা' কলাম দেখুন) +BlockedLogAreRequiredByYourCountryLegislation=আপনার দেশের আইন দ্বারা অপরিবর্তনীয় লগ মডিউল প্রয়োজন হতে পারে। এই মডিউলটি অক্ষম করলে ভবিষ্যতের যেকোন লেনদেন আইন এবং আইনি সফ্টওয়্যার ব্যবহারের ক্ষেত্রে অবৈধ হতে পারে কারণ সেগুলি ট্যাক্স অডিট দ্বারা যাচাই করা যায় না। +BlockedLogActivatedBecauseRequiredByYourCountryLegislation=আপনার দেশের আইনের কারণে অপরিবর্তনীয় লগ মডিউল সক্রিয় করা হয়েছে। এই মডিউলটি নিষ্ক্রিয় করা ভবিষ্যতের যেকোন লেনদেন আইন এবং আইনি সফ্টওয়্যার ব্যবহারের ক্ষেত্রে অবৈধ হতে পারে কারণ সেগুলি ট্যাক্স অডিট দ্বারা যাচাই করা যায় না। +BlockedLogDisableNotAllowedForCountry=দেশের তালিকা যেখানে এই মডিউলটির ব্যবহার বাধ্যতামূলক (শুধুমাত্র ভুল করে মডিউলটি নিষ্ক্রিয় করতে বাধা দেওয়ার জন্য, যদি আপনার দেশ এই তালিকায় থাকে, তবে প্রথমে এই তালিকাটি সম্পাদনা না করে মডিউলটি নিষ্ক্রিয় করা সম্ভব নয়। এছাড়াও মনে রাখবেন যে এই মডিউলটি সক্রিয়/অক্ষম করা হবে অপরিবর্তনীয় লগে একটি ট্র্যাক রাখুন)। +OnlyNonValid=বৈধ নয় +TooManyRecordToScanRestrictFilters=স্ক্যান/বিশ্লেষণ করার জন্য অনেক রেকর্ড। অনুগ্রহ করে আরো সীমাবদ্ধ ফিল্টার সহ তালিকা সীমাবদ্ধ করুন। +RestrictYearToExport=রপ্তানির জন্য মাস/বছর সীমাবদ্ধ করুন +BlockedLogEnabled=অপরিবর্তনীয় লগগুলিতে ইভেন্ট ট্র্যাক করার সিস্টেম সক্ষম করা হয়েছে +BlockedLogDisabled=কিছু রেকর্ডিং সম্পন্ন হওয়ার পর অপরিবর্তনীয় লগগুলিতে ইভেন্ট ট্র্যাক করার সিস্টেমটি নিষ্ক্রিয় করা হয়েছে৷ চেইনটিকে ভাঙা হিসাবে ট্র্যাক করতে আমরা একটি বিশেষ ফিঙ্গারপ্রিন্ট সংরক্ষণ করেছি +BlockedLogDisabledBis=অপরিবর্তনীয় লগগুলিতে ইভেন্ট ট্র্যাক করার সিস্টেম নিষ্ক্রিয় করা হয়েছে৷ এটি সম্ভব কারণ এখনও কোন রেকর্ড করা হয়নি। +LinkHasBeenDisabledForPerformancePurpose=কার্য সম্পাদনের উদ্দেশ্যে, 100 তম লাইনের পরে নথিতে সরাসরি লিঙ্ক দেখানো হয় না। + +## logTypes +logBILL_DELETE=গ্রাহক চালান যৌক্তিকভাবে মুছে ফেলা হয়েছে +logBILL_PAYED=গ্রাহক চালান প্রদান করা হয়েছে +logBILL_SENTBYMAIL=গ্রাহক চালান মেল দ্বারা পাঠান +logBILL_UNPAYED=গ্রাহক চালান সেট অবৈতনিক +logBILL_VALIDATE=গ্রাহক চালান বৈধ +logCASHCONTROL_VALIDATE=নগদ ডেস্ক বন্ধ রেকর্ডিং +logDOC_DOWNLOAD=প্রিন্ট বা পাঠানোর জন্য একটি বৈধ নথি ডাউনলোড করুন +logDOC_PREVIEW=প্রিন্ট বা ডাউনলোড করার জন্য একটি বৈধ নথির পূর্বরূপ +logDONATION_PAYMENT_CREATE=দান পেমেন্ট তৈরি করা হয়েছে +logDONATION_PAYMENT_DELETE=অনুদান প্রদান যৌক্তিক মুছে ফেলা +logDON_DELETE=দান যৌক্তিক মুছে ফেলা +logDON_MODIFY=দান পরিবর্তিত +logDON_VALIDATE=দান বৈধ +logMEMBER_SUBSCRIPTION_CREATE=সদস্য সদস্যতা তৈরি করা হয়েছে +logMEMBER_SUBSCRIPTION_DELETE=সদস্য সদস্যতা যৌক্তিক মুছে ফেলা +logMEMBER_SUBSCRIPTION_MODIFY=সদস্য সদস্যতা সংশোধন করা হয়েছে +logMODULE_RESET=মডিউল ব্লকডলগ অক্ষম করা হয়েছে৷ +logMODULE_SET=মডিউল ব্লকডলগ সক্ষম করা হয়েছে৷ +logPAYMENT_ADD_TO_BANK=পেমেন্ট ব্যাঙ্ক যোগ করা হয়েছে +logPAYMENT_CUSTOMER_CREATE=গ্রাহক পেমেন্ট তৈরি করা হয়েছে +logPAYMENT_CUSTOMER_DELETE=গ্রাহক অর্থপ্রদান যৌক্তিক মুছে ফেলা +logPAYMENT_VARIOUS_CREATE=অর্থপ্রদান (একটি চালানে বরাদ্দ করা হয়নি) তৈরি করা হয়েছে৷ +logPAYMENT_VARIOUS_DELETE=অর্থপ্রদান (একটি চালানে বরাদ্দ করা হয়নি) যৌক্তিক মুছে ফেলা +logPAYMENT_VARIOUS_MODIFY=অর্থপ্রদান (একটি চালানে বরাদ্দ করা হয়নি) সংশোধন করা হয়েছে৷ diff --git a/htdocs/langs/bn_IN/bookmarks.lang b/htdocs/langs/bn_IN/bookmarks.lang index be0f2f7e25d..66390fd6dba 100644 --- a/htdocs/langs/bn_IN/bookmarks.lang +++ b/htdocs/langs/bn_IN/bookmarks.lang @@ -1,22 +1,24 @@ -# Dolibarr language file - Source file is en_US - marque pages -AddThisPageToBookmarks=Add current page to bookmarks -Bookmark=Bookmark -Bookmarks=Bookmarks -ListOfBookmarks=List of bookmarks -EditBookmarks=List/edit bookmarks -NewBookmark=New bookmark -ShowBookmark=Show bookmark -OpenANewWindow=Open a new tab -ReplaceWindow=Replace current tab -BookmarkTargetNewWindowShort=New tab -BookmarkTargetReplaceWindowShort=Current tab -BookmarkTitle=Bookmark name -UrlOrLink=URL -BehaviourOnClick=Behaviour when a bookmark URL is selected -CreateBookmark=Create bookmark -SetHereATitleForLink=Set a name for the bookmark -UseAnExternalHttpLinkOrRelativeDolibarrLink=Use an external/absolute link (https://externalurl.com) or an internal/relative link (/mypage.php). You can also use phone like tel:0123456. -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Choose if the linked page should open in the current tab or a new tab -BookmarksManagement=Bookmarks management -BookmarksMenuShortCut=Ctrl + shift + m -NoBookmarks=No bookmarks defined +# Dolibarr language file - Source file is en_US - marque pages / bookmarks + +AddThisPageToBookmarks = বুকমার্কে বর্তমান পৃষ্ঠা যোগ করুন +BehaviourOnClick = একটি বুকমার্ক URL নির্বাচন করা হলে আচরণ +Bookmark = বুকমার্ক +Bookmarks = বুকমার্ক +BookmarkTargetNewWindowShort = নতুন ট্যাব +BookmarkTargetReplaceWindowShort = বর্তমান ট্যাব +BookmarkTitle = বুকমার্ক নাম +BookmarksManagement = বুকমার্ক ব্যবস্থাপনা +BookmarksMenuShortCut = Ctrl + shift + m +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark = বর্তমান ট্যাবে বা একটি নতুন ট্যাবে লিঙ্ক করা পৃষ্ঠা খোলা উচিত কিনা তা বেছে নিন +CreateBookmark = বুকমার্ক তৈরি করুন +EditBookmarks = বুকমার্ক তালিকা/সম্পাদনা করুন +ListOfBookmarks = বুকমার্কের তালিকা +NewBookmark = নতুন বুকমার্ক +NoBookmarkFound = কোন বুকমার্ক পাওয়া যায়নি +NoBookmarks = কোন বুকমার্ক সংজ্ঞায়িত +OpenANewWindow = একটি নতুন ট্যাব খুলুন +ReplaceWindow = বর্তমান ট্যাব প্রতিস্থাপন করুন +SetHereATitleForLink = বুকমার্কের জন্য একটি নাম সেট করুন +ShowBookmark = বুকমার্ক দেখান +UrlOrLink = URL +UseAnExternalHttpLinkOrRelativeDolibarrLink = একটি বাহ্যিক/পরম লিঙ্ক (https://externalurl.com) বা একটি অভ্যন্তরীণ/আপেক্ষিক লিঙ্ক (/mypage.php) ব্যবহার করুন। এছাড়াও আপনি tel:0123456 এর মত ফোন ব্যবহার করতে পারেন। diff --git a/htdocs/langs/bn_IN/boxes.lang b/htdocs/langs/bn_IN/boxes.lang index 710d49bfab6..1578c33977e 100644 --- a/htdocs/langs/bn_IN/boxes.lang +++ b/htdocs/langs/bn_IN/boxes.lang @@ -1,120 +1,146 @@ # Dolibarr language file - Source file is en_US - boxes -BoxDolibarrStateBoard=Statistics on main business objects in database -BoxLoginInformation=Login Information -BoxLastRssInfos=RSS Information -BoxLastProducts=Latest %s Products/Services -BoxProductsAlertStock=Stock alerts for products -BoxLastProductsInContract=Latest %s contracted products/services -BoxLastSupplierBills=Latest Vendor invoices -BoxLastCustomerBills=Latest Customer invoices -BoxOldestUnpaidCustomerBills=Oldest unpaid customer invoices -BoxOldestUnpaidSupplierBills=Oldest unpaid vendor invoices -BoxLastProposals=Latest commercial proposals -BoxLastProspects=Latest modified prospects -BoxLastCustomers=Latest modified customers -BoxLastSuppliers=Latest modified suppliers -BoxLastCustomerOrders=Latest sales orders -BoxLastActions=Latest actions -BoxLastContracts=Latest contracts -BoxLastContacts=Latest contacts/addresses -BoxLastMembers=Latest members -BoxLastModifiedMembers=Latest modified members -BoxLastMembersSubscriptions=Latest member subscriptions -BoxFicheInter=Latest interventions -BoxCurrentAccounts=Open accounts balance -BoxTitleMemberNextBirthdays=Birthdays of this month (members) -BoxTitleMembersByType=Members by type -BoxTitleMembersSubscriptionsByYear=Members Subscriptions by year -BoxTitleLastRssInfos=Latest %s news from %s -BoxTitleLastProducts=Products/Services: last %s modified -BoxTitleProductsAlertStock=Products: stock alert -BoxTitleLastSuppliers=Latest %s recorded suppliers -BoxTitleLastModifiedSuppliers=Vendors: last %s modified -BoxTitleLastModifiedCustomers=Customers: last %s modified -BoxTitleLastCustomersOrProspects=Latest %s customers or prospects -BoxTitleLastCustomerBills=Latest %s modified Customer invoices -BoxTitleLastSupplierBills=Latest %s modified Vendor invoices -BoxTitleLastModifiedProspects=Prospects: last %s modified -BoxTitleLastModifiedMembers=Latest %s members -BoxTitleLastFicheInter=Latest %s modified interventions -BoxTitleOldestUnpaidCustomerBills=Customer Invoices: oldest %s unpaid -BoxTitleOldestUnpaidSupplierBills=Vendor Invoices: oldest %s unpaid -BoxTitleCurrentAccounts=Open Accounts: balances -BoxTitleSupplierOrdersAwaitingReception=Supplier orders awaiting reception -BoxTitleLastModifiedContacts=Contacts/Addresses: last %s modified -BoxMyLastBookmarks=Bookmarks: latest %s -BoxOldestExpiredServices=Oldest active expired services -BoxLastExpiredServices=Latest %s oldest contacts with active expired services -BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s contracts which were modified -BoxTitleLastModifiedDonations=Latest %s donations which were modified -BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified -BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified -BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified -BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded -BoxGlobalActivity=Global activity (invoices, proposals, orders) -BoxGoodCustomers=Good customers -BoxTitleGoodCustomers=%s Good customers -BoxScheduledJobs=Scheduled jobs -BoxTitleFunnelOfProspection=Lead funnel -FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s -LastRefreshDate=Latest refresh date -NoRecordedBookmarks=No bookmarks defined. -ClickToAdd=Click here to add. -NoRecordedCustomers=No recorded customers -NoRecordedContacts=No recorded contacts -NoActionsToDo=No actions to do -NoRecordedOrders=No recorded sales orders -NoRecordedProposals=No recorded proposals -NoRecordedInvoices=No recorded customer invoices -NoUnpaidCustomerBills=No unpaid customer invoices -NoUnpaidSupplierBills=No unpaid vendor invoices -NoModifiedSupplierBills=No recorded vendor invoices -NoRecordedProducts=No recorded products/services -NoRecordedProspects=No recorded prospects -NoContractedProducts=No products/services contracted -NoRecordedContracts=No recorded contracts -NoRecordedInterventions=No recorded interventions -BoxLatestSupplierOrders=Latest purchase orders -BoxLatestSupplierOrdersAwaitingReception=Latest Purchase Orders (with a pending reception) -NoSupplierOrder=No recorded purchase order -BoxCustomersInvoicesPerMonth=Customer Invoices per month -BoxSuppliersInvoicesPerMonth=Vendor Invoices per month -BoxCustomersOrdersPerMonth=Sales Orders per month -BoxSuppliersOrdersPerMonth=Vendor Orders per month -BoxProposalsPerMonth=Proposals per month -NoTooLowStockProducts=No products are under the low stock limit -BoxProductDistribution=Products/Services Distribution -ForObject=On %s -BoxTitleLastModifiedSupplierBills=Vendor Invoices: last %s modified -BoxTitleLatestModifiedSupplierOrders=Vendor Orders: last %s modified -BoxTitleLastModifiedCustomerBills=Customer Invoices: last %s modified -BoxTitleLastModifiedCustomerOrders=Sales Orders: last %s modified -BoxTitleLastModifiedPropals=Latest %s modified proposals -BoxTitleLatestModifiedJobPositions=Latest %s modified job positions -BoxTitleLatestModifiedCandidatures=Latest %s modified job applications -ForCustomersInvoices=Customers invoices -ForCustomersOrders=Customers orders -ForProposals=Proposals -LastXMonthRolling=The latest %s month rolling -ChooseBoxToAdd=Add widget to your dashboard -BoxAdded=Widget was added in your dashboard -BoxTitleUserBirthdaysOfMonth=Birthdays of this month (users) -BoxLastManualEntries=Latest record in accountancy entered manually or without source document -BoxTitleLastManualEntries=%s latest record entered manually or without source document -NoRecordedManualEntries=No manual entries record in accountancy -BoxSuspenseAccount=Count accountancy operation with suspense account -BoxTitleSuspenseAccount=Number of unallocated lines -NumberOfLinesInSuspenseAccount=Number of line in suspense account -SuspenseAccountNotDefined=Suspense account isn't defined -BoxLastCustomerShipments=Last customer shipments -BoxTitleLastCustomerShipments=Latest %s customer shipments -NoRecordedShipments=No recorded customer shipment -BoxCustomersOutstandingBillReached=Customers with oustanding limit reached +BoxDolibarrStateBoard=ডাটাবেসের প্রধান ব্যবসায়িক বস্তুর পরিসংখ্যান +BoxLoginInformation=লগইন তথ্য +BoxLastRssInfos=আরএসএস তথ্য +BoxLastProducts=সর্বশেষ %s পণ্য/পরিষেবা +BoxProductsAlertStock=পণ্যের জন্য স্টক সতর্কতা +BoxLastProductsInContract=সর্বশেষ %s চুক্তিবদ্ধ পণ্য/পরিষেবা +BoxLastSupplierBills=সর্বশেষ বিক্রেতা চালান +BoxLastCustomerBills=সর্বশেষ গ্রাহক চালান +BoxOldestUnpaidCustomerBills=প্রাচীনতম অবৈতনিক গ্রাহক চালান +BoxOldestUnpaidSupplierBills=প্রাচীনতম অবৈতনিক বিক্রেতা চালান +BoxLastProposals=সর্বশেষ বাণিজ্যিক প্রস্তাব +BoxLastProspects=সর্বশেষ পরিবর্তিত সম্ভাবনা +BoxLastCustomers=সর্বশেষ পরিবর্তিত গ্রাহকদের +BoxLastSuppliers=সর্বশেষ পরিবর্তিত সরবরাহকারী +BoxLastCustomerOrders=সর্বশেষ বিক্রয় আদেশ +BoxLastActions=সর্বশেষ কর্ম +BoxLastContracts=সর্বশেষ চুক্তি +BoxLastContacts=সর্বশেষ পরিচিতি/ঠিকানা +BoxLastMembers=সর্বশেষ সদস্য +BoxLastModifiedMembers=সর্বশেষ পরিবর্তিত সদস্য +BoxLastMembersSubscriptions=সর্বশেষ সদস্য সদস্যতা +BoxFicheInter=সর্বশেষ হস্তক্ষেপ +BoxCurrentAccounts=অ্যাকাউন্ট ব্যালেন্স খুলুন +BoxTitleMemberNextBirthdays=এই মাসের জন্মদিন (সদস্য) +BoxTitleMembersByType=প্রকার এবং স্থিতি অনুসারে সদস্য +BoxTitleMembersByTags=ট্যাগ এবং স্ট্যাটাস দ্বারা সদস্য +BoxTitleMembersSubscriptionsByYear=সদস্যদের সদস্যতা বছর অনুসারে +BoxTitleLastRssInfos=%s থেকে সর্বশেষ %s খবর +BoxTitleLastProducts=পণ্য/পরিষেবা: সর্বশেষ %s পরিবর্তিত হয়েছে +BoxTitleProductsAlertStock=পণ্য: স্টক সতর্কতা +BoxTitleLastSuppliers=সর্বশেষ %s রেকর্ড করা সরবরাহকারী +BoxTitleLastModifiedSuppliers=বিক্রেতারা: সর্বশেষ %s পরিবর্তিত +BoxTitleLastModifiedCustomers=গ্রাহক: সর্বশেষ %s সংশোধিত +BoxTitleLastCustomersOrProspects=সর্বশেষ %s গ্রাহক বা সম্ভাবনা +BoxTitleLastCustomerBills=সর্বশেষ %s পরিবর্তিত গ্রাহক চালান +BoxTitleLastSupplierBills=সর্বশেষ %s পরিবর্তিত ভেন্ডর ইনভয়েস +BoxTitleLastModifiedProspects=সম্ভাবনা: সর্বশেষ %s পরিবর্তিত +BoxTitleLastModifiedMembers=সর্বশেষ %s সদস্য +BoxTitleLastFicheInter=সর্বশেষ %s পরিবর্তিত হস্তক্ষেপ +BoxTitleOldestUnpaidCustomerBills=গ্রাহক চালান: প্রাচীনতম %s অবৈতনিক +BoxTitleOldestUnpaidSupplierBills=ভেন্ডর ইনভয়েস: সবচেয়ে পুরনো %s অবৈতনিক +BoxTitleCurrentAccounts=অ্যাকাউন্ট খুলুন: ব্যালেন্স +BoxTitleSupplierOrdersAwaitingReception=সরবরাহকারী আদেশ অভ্যর্থনা অপেক্ষা করছে +BoxTitleLastModifiedContacts=পরিচিতি/ঠিকানা: সর্বশেষ %s পরিবর্তিত হয়েছে +BoxMyLastBookmarks=বুকমার্ক: সর্বশেষ %s +BoxOldestExpiredServices=প্রাচীনতম সক্রিয় মেয়াদোত্তীর্ণ পরিষেবা +BoxOldestActions=করতে সবচেয়ে পুরানো ঘটনা +BoxLastExpiredServices=সর্বশেষ %s সক্রিয় মেয়াদোত্তীর্ণ পরিষেবাগুলির সাথে প্রাচীনতম পরিচিতি +BoxTitleLastActionsToDo=সর্বশেষ %s করণীয় +BoxTitleOldestActionsToDo=প্রাচীনতম %s ইভেন্টগুলি যা করতে হবে, সম্পূর্ণ হয়নি +BoxTitleFutureActions=পরবর্তী %s আসন্ন ইভেন্ট +BoxTitleLastContracts=সর্বশেষ %s চুক্তি যা সংশোধন করা হয়েছে +BoxTitleLastModifiedDonations=সর্বশেষ %s দান যা সংশোধন করা হয়েছে +BoxTitleLastModifiedExpenses=সর্বশেষ %s ব্যয় প্রতিবেদন যা পরিবর্তিত হয়েছে +BoxTitleLatestModifiedBoms=সর্বশেষ %s BOM যা পরিবর্তিত হয়েছে +BoxTitleLatestModifiedMos=সর্বশেষ %s ম্যানুফ্যাকচারিং অর্ডার যা পরিবর্তন করা হয়েছে +BoxTitleLastOutstandingBillReached=সর্বাধিক বকেয়া সঙ্গে গ্রাহকদের অতিক্রম +BoxGlobalActivity=বিশ্বব্যাপী কার্যকলাপ (চালান, প্রস্তাব, আদেশ) +BoxGoodCustomers=ভাল গ্রাহকদের +BoxTitleGoodCustomers=%s ভাল গ্রাহক +BoxScheduledJobs=নির্ধারিত কাজ +BoxTitleFunnelOfProspection=সীসা ফানেল +FailedToRefreshDataInfoNotUpToDate=RSS ফ্লাক্স রিফ্রেশ করতে ব্যর্থ হয়েছে৷ সর্বশেষ সফল রিফ্রেশ তারিখ: %s +LastRefreshDate=সর্বশেষ রিফ্রেশ তারিখ +NoRecordedBookmarks=কোন বুকমার্ক সংজ্ঞায়িত. +ClickToAdd=যোগ করতে এখানে ক্লিক করুন. +NoRecordedCustomers=কোন নথিভুক্ত গ্রাহকদের +NoRecordedContacts=কোন রেকর্ড করা পরিচিতি +NoActionsToDo=কোন কাজ করতে হবে +NoRecordedOrders=কোন রেকর্ড বিক্রয় আদেশ +NoRecordedProposals=কোন নথিভুক্ত প্রস্তাব +NoRecordedInvoices=কোন রেকর্ড করা গ্রাহক চালান +NoUnpaidCustomerBills=কোন অবৈতনিক গ্রাহক চালান +NoUnpaidSupplierBills=কোন অবৈতনিক বিক্রেতা চালান +NoModifiedSupplierBills=কোন রেকর্ড করা বিক্রেতা চালান +NoRecordedProducts=কোন নথিভুক্ত পণ্য/পরিষেবা +NoRecordedProspects=কোন নথিভুক্ত সম্ভাবনা +NoContractedProducts=কোন পণ্য/পরিষেবা চুক্তিবদ্ধ +NoRecordedContracts=কোন নথিভুক্ত চুক্তি +NoRecordedInterventions=কোন নথিভুক্ত হস্তক্ষেপ +BoxLatestSupplierOrders=সর্বশেষ ক্রয় আদেশ +BoxLatestSupplierOrdersAwaitingReception=সর্বশেষ ক্রয় আদেশ (একটি মুলতুবি অভ্যর্থনা সহ) +NoSupplierOrder=কোন নথিভুক্ত ক্রয় আদেশ +BoxCustomersInvoicesPerMonth=প্রতি মাসে গ্রাহক চালান +BoxSuppliersInvoicesPerMonth=প্রতি মাসে বিক্রেতার চালান +BoxCustomersOrdersPerMonth=প্রতি মাসে বিক্রয় আদেশ +BoxSuppliersOrdersPerMonth=প্রতি মাসে বিক্রেতা আদেশ +BoxProposalsPerMonth=প্রতি মাসে প্রস্তাব +NoTooLowStockProducts=কোন পণ্য কম স্টক সীমা অধীনে নেই +BoxProductDistribution=পণ্য/পরিষেবা বিতরণ +ForObject=%s এ +BoxTitleLastModifiedSupplierBills=ভেন্ডর ইনভয়েস: সর্বশেষ %s পরিবর্তিত +BoxTitleLatestModifiedSupplierOrders=বিক্রেতার আদেশ: সর্বশেষ %s পরিবর্তিত +BoxTitleLastModifiedCustomerBills=গ্রাহক চালান: সর্বশেষ %s পরিবর্তিত +BoxTitleLastModifiedCustomerOrders=বিক্রয় আদেশ: সর্বশেষ %s পরিবর্তিত +BoxTitleLastModifiedPropals=সর্বশেষ %s পরিবর্তিত প্রস্তাব +BoxTitleLatestModifiedJobPositions=সর্বশেষ %s পরিবর্তিত চাকরির অবস্থান +BoxTitleLatestModifiedCandidatures=সর্বশেষ %s পরিবর্তিত চাকরির আবেদন +ForCustomersInvoices=গ্রাহকদের চালান +ForCustomersOrders=গ্রাহকদের আদেশ +ForProposals=প্রস্তাব +LastXMonthRolling=সর্বশেষ %s মাস রোলিং +ChooseBoxToAdd=আপনার ড্যাশবোর্ডে উইজেট যোগ করুন +BoxAdded=আপনার ড্যাশবোর্ডে উইজেট যোগ করা হয়েছে +BoxTitleUserBirthdaysOfMonth=এই মাসের জন্মদিন (ব্যবহারকারী) +BoxLastManualEntries=হিসাববিজ্ঞানের সর্বশেষ রেকর্ড ম্যানুয়ালি বা উৎস নথি ছাড়াই প্রবেশ করানো হয়েছে +BoxTitleLastManualEntries=%s সর্বশেষ রেকর্ড ম্যানুয়ালি বা উৎস নথি ছাড়াই প্রবেশ করানো হয়েছে +NoRecordedManualEntries=হিসাববিজ্ঞানে কোনো ম্যানুয়াল এন্ট্রি রেকর্ড নেই +BoxSuspenseAccount=সাসপেন্স অ্যাকাউন্টের সাথে অ্যাকাউন্টিং অপারেশন গণনা করুন +BoxTitleSuspenseAccount=অনির্ধারিত লাইনের সংখ্যা +NumberOfLinesInSuspenseAccount=সাসপেন্স অ্যাকাউন্টে লাইনের সংখ্যা +SuspenseAccountNotDefined=সাসপেন্স অ্যাকাউন্ট সংজ্ঞায়িত করা হয় না +BoxLastCustomerShipments=শেষ গ্রাহক চালান +BoxTitleLastCustomerShipments=সর্বশেষ %s গ্রাহক চালান +BoxTitleLastLeaveRequests=সর্বশেষ %s পরিবর্তিত ছুটির অনুরোধ +NoRecordedShipments=কোন রেকর্ড করা গ্রাহক চালান +BoxCustomersOutstandingBillReached=বকেয়া সীমা পৌঁছেছেন গ্রাহকদের # Pages -UsersHome=Home users and groups -MembersHome=Home Membership -ThirdpartiesHome=Home Thirdparties -TicketsHome=Home Tickets -AccountancyHome=Home Accountancy -ValidatedProjects=Validated projects +UsersHome=হোম ব্যবহারকারী এবং গ্রুপ +MembersHome=হোম সদস্যপদ +ThirdpartiesHome=হোম তৃতীয় পক্ষ +productindex=হোম পণ্য এবং সেবা +mrpindex=হোম এমআরপি +commercialindex=হোম বাণিজ্যিক +projectsindex=হোম প্রকল্প +invoiceindex=বাড়ির চালান +hrmindex=বাড়ির চালান +TicketsHome=হোম টিকিট +stockindex=হোম স্টক +sendingindex=হোম শিপিং +receptionindex=হোম রিসিভিং +activityindex=বাড়ির কার্যকলাপ +proposalindex=বাড়ির প্রস্তাব +ordersindex=বাড়ি বিক্রয়ের আদেশ +orderssuppliersindex=বাড়ি কেনার অর্ডার +contractindex=বাড়ির চুক্তি +interventionindex=হোম হস্তক্ষেপ +suppliersproposalsindex=হোম সরবরাহকারী প্রস্তাব +donationindex=বাড়ির দান +specialexpensesindex=বাড়ির বিশেষ খরচ +expensereportindex=বাড়ির খরচ রিপোর্ট +mailingindex=হোম মেইলিং +opensurveyindex=হোম ওপেন সার্ভে +AccountancyHome=হোম অ্যাকাউন্টেন্সি +ValidatedProjects=বৈধ প্রকল্প diff --git a/htdocs/langs/bn_IN/cashdesk.lang b/htdocs/langs/bn_IN/cashdesk.lang index f99600c2aca..a6293b70585 100644 --- a/htdocs/langs/bn_IN/cashdesk.lang +++ b/htdocs/langs/bn_IN/cashdesk.lang @@ -1,136 +1,155 @@ # Language file - Source file is en_US - cashdesk -CashDeskMenu=Point of sale -CashDesk=Point of sale -CashDeskBankCash=Bank account (cash) -CashDeskBankCB=Bank account (card) -CashDeskBankCheque=Bank account (cheque) -CashDeskWarehouse=Warehouse -CashdeskShowServices=Selling services -CashDeskProducts=Products -CashDeskStock=Stock -CashDeskOn=on -CashDeskThirdParty=Third party -ShoppingCart=Shopping cart -NewSell=New sell -AddThisArticle=Add this article -RestartSelling=Go back on sell -SellFinished=Sale complete -PrintTicket=Print ticket -SendTicket=Send ticket -NoProductFound=No article found -ProductFound=product found -NoArticle=No article -Identification=Identification -Article=Article -Difference=Difference -TotalTicket=Total ticket -NoVAT=No VAT for this sale -Change=Excess received -BankToPay=Account for payment -ShowCompany=Show company -ShowStock=Show warehouse -DeleteArticle=Click to remove this article -FilterRefOrLabelOrBC=Search (Ref/Label) -UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. -DolibarrReceiptPrinter=Dolibarr Receipt Printer -PointOfSale=Point of Sale +CashDeskMenu=বিক্রয় বিন্দু +CashDesk=বিক্রয় বিন্দু +CashDeskBankCash=ব্যাঙ্ক অ্যাকাউন্ট (নগদ) +CashDeskBankCB=ব্যাঙ্ক অ্যাকাউন্ট (কার্ড) +CashDeskBankCheque=ব্যাঙ্ক অ্যাকাউন্ট (চেক) +CashDeskWarehouse=গুদাম +CashdeskShowServices=সেবা বিক্রয় +CashDeskProducts=পণ্য +CashDeskStock=স্টক +CashDeskOn=চালু +CashDeskThirdParty=তৃতীয় পক্ষ +ShoppingCart=বাজারের ব্যাগ +NewSell=নতুন বিক্রি +AddThisArticle=এই নিবন্ধ যোগ করুন +RestartSelling=বিক্রি ফিরে যান +SellFinished=বিক্রয় সম্পূর্ণ +PrintTicket=টিকিট প্রিন্ট করুন +SendTicket=টিকিট পাঠান +NoProductFound=কোন নিবন্ধ পাওয়া যায়নি +ProductFound=পণ্য পাওয়া গেছে +NoArticle=নিবন্ধ নাই +Identification=শনাক্তকরণ +Article=প্রবন্ধ +Difference=পার্থক্য +TotalTicket=মোট টিকিট +NoVAT=এই বিক্রয়ের জন্য কোন ভ্যাট নেই +Change=অতিরিক্ত প্রাপ্তি +BankToPay=অর্থপ্রদানের জন্য অ্যাকাউন্ট +ShowCompany=কোম্পানি দেখান +ShowStock=গুদাম দেখান +DeleteArticle=এই নিবন্ধটি সরাতে ক্লিক করুন +FilterRefOrLabelOrBC=অনুসন্ধান (রেফ/লেবেল) +UserNeedPermissionToEditStockToUsePos=আপনি চালান তৈরিতে স্টক কমাতে বলেন, তাই যে ব্যবহারকারী POS ব্যবহার করেন তাদের স্টক সম্পাদনা করার অনুমতি থাকতে হবে। +DolibarrReceiptPrinter=Dolibarr রসিদ প্রিন্টার +PointOfSale=বিক্রয় বিন্দু PointOfSaleShort=POS -CloseBill=Close Bill -Floors=Floors -Floor=Floor -AddTable=Add table -Place=Place -TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) -NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser -SearchProduct=Search product -Receipt=Receipt -Header=Header -Footer=Footer -AmountAtEndOfPeriod=Amount at end of period (day, month or year) -TheoricalAmount=Theorical amount -RealAmount=Real amount -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period -NbOfInvoices=Nb of invoices -Paymentnumpad=Type of Pad to enter payment -Numberspad=Numbers Pad -BillsCoinsPad=Coins and banknotes Pad -DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work -TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work -OrderNotes=Can add some notes to each ordered items -CashDeskBankAccountFor=Default account to use for payments in -NoPaimementModesDefined=No paiment mode defined in TakePOS configuration -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts -EnableBarOrRestaurantFeatures=Enable features for Bar or Restaurant -ConfirmDeletionOfThisPOSSale=Do your confirm the deletion of this current sale ? -ConfirmDiscardOfThisPOSSale=Do you want to discard this current sale ? -History=History -ValidateAndClose=Validate and close -Terminal=Terminal -NumberOfTerminals=Number of Terminals -TerminalSelect=Select terminal you want to use: -POSTicket=POS Ticket -POSTerminal=POS Terminal -POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones -SetupOfTerminalNotComplete=Setup of terminal %s is not complete -DirectPayment=Direct payment -DirectPaymentButton=Add a "Direct cash payment" button -InvoiceIsAlreadyValidated=Invoice is already validated -NoLinesToBill=No lines to bill -CustomReceipt=Custom Receipt -ReceiptName=Receipt Name -ProductSupplements=Manage supplements of products -SupplementCategory=Supplement category -ColorTheme=Color theme -Colorful=Colorful -HeadBar=Head Bar -SortProductField=Field for sorting products -Browser=Browser -BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. -PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad -CashDeskRefNumberingModules=Numbering module for POS sales -CashDeskGenericMaskCodes6 =
      {TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -SaleStartedAt=Sale started at %s -ControlCashOpening=Open the "Control cash" popup when opening the POS -CloseCashFence=Close cash desk control -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use -BarRestaurant=Bar Restaurant -AutoOrder=Order by the customer himself -RestaurantMenu=Menu -CustomerMenu=Customer menu -ScanToMenu=Scan QR code to see the menu -ScanToOrder=Scan QR code to order -Appearance=Appearance -HideCategoryImages=Hide Category Images -HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show -DefineTablePlan=Define tables plan -GiftReceiptButton=Add a "Gift receipt" button -GiftReceipt=Gift receipt -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first -AllowDelayedPayment=Allow delayed payment -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts -WeighingScale=Weighing scale -ShowPriceHT = Display the column with the price excluding tax (on screen) -ShowPriceHTOnReceipt = Display the column with the price excluding tax (on the receipt) -CustomerDisplay=Customer display -SplitSale=Split sale -PrintWithoutDetailsButton=Add "Print without details" button -PrintWithoutDetailsLabelDefault=Line label by default on printing without details -PrintWithoutDetails=Print without details -YearNotDefined=Year is not defined +CloseBill=বিল বন্ধ করুন +Floors=মেঝে +Floor=মেঝে +AddTable=টেবিল যোগ করুন +Place=স্থান +TakeposConnectorNecesary='TakePOS সংযোগকারী' প্রয়োজন৷ +OrderPrinters=কিছু প্রদত্ত প্রিন্টারে অর্ডার পাঠাতে একটি বোতাম যোগ করুন, অর্থ প্রদান ছাড়াই (উদাহরণস্বরূপ একটি রান্নাঘরে একটি অর্ডার পাঠাতে) +NotAvailableWithBrowserPrinter=রসিদের জন্য প্রিন্টার ব্রাউজারে সেট করা থাকলে উপলব্ধ নয়৷ +SearchProduct=পণ্য অনুসন্ধান করুন +Receipt=প্রাপ্তি +Header=হেডার +Footer=ফুটার +AmountAtEndOfPeriod=মেয়াদ শেষে পরিমাণ (দিন, মাস বা বছর) +TheoricalAmount=তাত্ত্বিক পরিমাণ +RealAmount=আসল পরিমাণ +CashFence=ক্যাশ বক্স বন্ধ +CashFenceDone=সময়ের জন্য ক্যাশ বক্স বন্ধ করা হয়েছে +NbOfInvoices=চালানের Nb +Paymentnumpad=পেমেন্ট লিখতে প্যাডের ধরন +Numberspad=নম্বর প্যাড +BillsCoinsPad=কয়েন এবং নোট প্যাড +DolistorePosCategory=Dolibarr-এর জন্য TakePOS মডিউল এবং অন্যান্য POS সমাধান +TakeposNeedsCategories=TakePOS কাজ করার জন্য কমপক্ষে একটি পণ্য বিভাগ প্রয়োজন +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS বিভাগে %s-এর অধীনে কমপক্ষে 1টি পণ্য বিভাগের প্রয়োজন কাজ +OrderNotes=প্রতিটি অর্ডার করা আইটেম কিছু নোট যোগ করতে পারেন +CashDeskBankAccountFor=অর্থপ্রদানের জন্য ব্যবহার করার জন্য ডিফল্ট অ্যাকাউন্ট +NoPaimementModesDefined=TakePOS কনফিগারেশনে কোনো পেমেন্ট মোড সংজ্ঞায়িত করা নেই +TicketVatGrouped=টিকিটের হার অনুসারে ভ্যাট গ্রুপ করুন|রসিদ +AutoPrintTickets=স্বয়ংক্রিয়ভাবে টিকিট প্রিন্ট করুন|রসিদ +PrintCustomerOnReceipts=টিকিটে গ্রাহক প্রিন্ট করুন|রসিদ +EnableBarOrRestaurantFeatures=বার বা রেস্তোরাঁর জন্য বৈশিষ্ট্যগুলি সক্ষম করুন৷ +ConfirmDeletionOfThisPOSSale=আপনি কি এই বর্তমান বিক্রয় মুছে ফেলার বিষয়টি নিশ্চিত করেন? +ConfirmDiscardOfThisPOSSale=আপনি কি এই বর্তমান বিক্রয় বাতিল করতে চান? +History=ইতিহাস +ValidateAndClose=যাচাই করুন এবং বন্ধ করুন +Terminal=টার্মিনাল +NumberOfTerminals=টার্মিনালের সংখ্যা +TerminalSelect=আপনি ব্যবহার করতে চান টার্মিনাল নির্বাচন করুন: +POSTicket=POS টিকেট +POSTerminal=POS টার্মিনাল +POSModule=POS মডিউল +BasicPhoneLayout=ফোনে, একটি ন্যূনতম লেআউট দিয়ে POS প্রতিস্থাপন করুন (শুধুমাত্র অর্ডার রেকর্ড করুন, চালান তৈরি করা যাবে না, রসিদ প্রিন্ট করা যাবে না) +SetupOfTerminalNotComplete=টার্মিনাল %s সেটআপ সম্পূর্ণ হয়নি +DirectPayment=সরাসরি প্রদান +DirectPaymentButton=একটি "সরাসরি নগদ অর্থ প্রদান" বোতাম যোগ করুন +InvoiceIsAlreadyValidated=চালান ইতিমধ্যে যাচাই করা হয়েছে +NoLinesToBill=বিল দিতে কোন লাইন নেই +CustomReceipt=কাস্টম রসিদ +ReceiptName=প্রাপ্তির নাম +ProductSupplements=পণ্য পরিপূরক পরিচালনা করুন +SupplementCategory=পরিপূরক বিভাগ +ColorTheme=রঙ থিম +Colorful=রঙিন +HeadBar=হেড বার +SortProductField=পণ্য বাছাই জন্য ক্ষেত্র +Browser=ব্রাউজার +BrowserMethodDescription=সহজ এবং সহজ রসিদ মুদ্রণ. রসিদ কনফিগার করার জন্য শুধুমাত্র কয়েকটি পরামিতি। ব্রাউজারের মাধ্যমে প্রিন্ট করুন। +TakeposConnectorMethodDescription=অতিরিক্ত বৈশিষ্ট্য সহ বাহ্যিক মডিউল। ক্লাউড থেকে প্রিন্ট করার সম্ভাবনা। +PrintMethod=প্রিন্ট পদ্ধতি +ReceiptPrinterMethodDescription=অনেক পরামিতি সহ শক্তিশালী পদ্ধতি। টেমপ্লেট সহ সম্পূর্ণ কাস্টমাইজযোগ্য। অ্যাপ্লিকেশনটি হোস্ট করা সার্ভারটি ক্লাউডে থাকতে পারে না (আপনার নেটওয়ার্কের প্রিন্টারগুলিতে পৌঁছাতে সক্ষম হতে হবে)৷ +ByTerminal=টার্মিনাল দ্বারা +TakeposNumpadUsePaymentIcon=নমপ্যাডের পেমেন্ট বোতামে টেক্সটের পরিবর্তে আইকন ব্যবহার করুন +CashDeskRefNumberingModules=POS বিক্রয়ের জন্য সংখ্যায়ন মডিউল +CashDeskGenericMaskCodes6 =
      {TN}b09f870 ট্যাগ ব্যবহার করা হয় +TakeposGroupSameProduct=একই পণ্যের লাইন মার্জ করুন +StartAParallelSale=একটি নতুন সমান্তরাল বিক্রয় শুরু করুন +SaleStartedAt=%s এ বিক্রি শুরু হয়েছে +ControlCashOpening=POS খোলার সময় "কন্ট্রোল ক্যাশ বক্স" পপআপ খুলুন +CloseCashFence=ক্যাশ বক্স নিয়ন্ত্রণ বন্ধ করুন +CashReport=নগদ রিপোর্ট +MainPrinterToUse=ব্যবহার করার জন্য প্রধান প্রিন্টার +OrderPrinterToUse=ব্যবহার করার জন্য প্রিন্টার অর্ডার করুন +MainTemplateToUse=ব্যবহার করার জন্য প্রধান টেমপ্লেট +OrderTemplateToUse=অর্ডার টেমপ্লেট ব্যবহার করার জন্য +BarRestaurant=বার রেস্তোরাঁ +AutoOrder=গ্রাহক নিজেই অর্ডার করুন +RestaurantMenu=তালিকা +CustomerMenu=গ্রাহক মেনু +ScanToMenu=মেনু দেখতে QR কোড স্ক্যান করুন +ScanToOrder=অর্ডার করতে QR কোড স্ক্যান করুন +Appearance=চেহারা +HideCategoryImages=ক্যাটাগরি ছবি লুকান +HideProductImages=পণ্যের ছবি লুকান +NumberOfLinesToShow=থাম্ব ইমেজে দেখানোর জন্য টেক্সটের লাইনের সর্বাধিক সংখ্যা +DefineTablePlan=টেবিল পরিকল্পনা সংজ্ঞায়িত করুন +GiftReceiptButton=একটি "উপহার রসিদ" বোতাম যোগ করুন +GiftReceipt=উপহারের রসিদ +ModuleReceiptPrinterMustBeEnabled=মডিউল রসিদ প্রিন্টার প্রথমে সক্রিয় করা আবশ্যক +AllowDelayedPayment=বিলম্বিত অর্থ প্রদানের অনুমতি দিন +PrintPaymentMethodOnReceipts=টিকিটে প্রিন্ট পেমেন্ট পদ্ধতি|রসিদ +WeighingScale=ওজন মাপকাঠি +ShowPriceHT = কর ব্যতীত মূল্য সহ কলামটি প্রদর্শন করুন (স্ক্রীনে) +ShowPriceHTOnReceipt = কর ব্যতীত মূল্য সহ কলামটি প্রদর্শন করুন (রসিদে) +CustomerDisplay=গ্রাহক প্রদর্শন +SplitSale=বিভক্ত বিক্রয় +PrintWithoutDetailsButton="বিশদ বিবরণ ছাড়া মুদ্রণ" বোতাম যোগ করুন +PrintWithoutDetailsLabelDefault=বিশদ বিবরণ ছাড়া মুদ্রণে ডিফল্টরূপে লাইন লেবেল +PrintWithoutDetails=বিস্তারিত ছাড়াই প্রিন্ট করুন +YearNotDefined=বছর সংজ্ঞায়িত করা হয় না +TakeposBarcodeRuleToInsertProduct=পণ্য সন্নিবেশ করার জন্য বারকোড নিয়ম +TakeposBarcodeRuleToInsertProductDesc=স্ক্যান করা বারকোড থেকে পণ্যের রেফারেন্স + একটি পরিমাণ বের করার নিয়ম।
      খালি থাকলে (ডিফল্ট মান), অ্যাপ্লিকেশনটি পণ্যটি খুঁজতে স্ক্যান করা সম্পূর্ণ বারকোড ব্যবহার করবে।

      যদি সংজ্ঞায়িত করা হয়, সিনট্যাক্স অবশ্যই হতে হবে:
      ref:NB+qu:NB+qd:NB+other:NB
      যেখানে NB আছে স্ক্যান করা বারকোড থেকে ডেটা বের করার জন্য ব্যবহার করা অক্ষরের সংখ্যা
      : পণ্যের রেফারেন্স
      qu : পরিমাণ আইটেম সন্নিবেশ করার সময় সেট করুন (ইউনিট)
      qd to : আইটেম সন্নিবেশ করার সময় সেট করুন (দশমিক)
      অন্যান্যঅন্যান্য অক্ষর +AlreadyPrinted=ইতিমধ্যে ছাপা হয়েছে +HideCategories=বিভাগ নির্বাচনের পুরো বিভাগটি লুকান +HideStockOnLine=অনলাইন স্টক লুকান +ShowOnlyProductInStock=শুধুমাত্র স্টক পণ্য দেখান +ShowCategoryDescription=বিভাগ বিবরণ দেখান +ShowProductReference=পণ্যের রেফারেন্স বা লেবেল দেখান +UsePriceHT=মূল্য ব্যতীত ব্যবহার করুন। কর এবং মূল্য সহ নয়। একটি মূল্য পরিবর্তন করার সময় কর +TerminalName=টার্মিনাল %s +TerminalNameDesc=টার্মিনাল নাম +DefaultPOSThirdLabel=TakePOS জেনেরিক গ্রাহক +DefaultPOSCatLabel=পয়েন্ট অফ সেল (POS) পণ্য +DefaultPOSProductLabel=TakePOS এর জন্য পণ্যের উদাহরণ +TakeposNeedsPayment=TakePOS-এর কাজ করার জন্য একটি অর্থপ্রদানের পদ্ধতি প্রয়োজন, আপনি কি 'নগদ' অর্থপ্রদানের পদ্ধতি তৈরি করতে চান? +LineDiscount=লাইন ডিসকাউন্ট +LineDiscountShort=লাইন ডিস্ক। +InvoiceDiscount=চালান ছাড় +InvoiceDiscountShort=চালান ডিস্ক। diff --git a/htdocs/langs/bn_IN/categories.lang b/htdocs/langs/bn_IN/categories.lang index cf0de898bdb..6ee423cae44 100644 --- a/htdocs/langs/bn_IN/categories.lang +++ b/htdocs/langs/bn_IN/categories.lang @@ -1,100 +1,105 @@ # Dolibarr language file - Source file is en_US - categories -Rubrique=Tag/Category -Rubriques=Tags/Categories -RubriquesTransactions=Tags/Categories of transactions -categories=tags/categories -NoCategoryYet=No tag/category of this type has been created -In=In -AddIn=Add in -modify=modify -Classify=Classify -CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Product/Service tags/categories area -SuppliersCategoriesArea=Vendor tags/categories area -CustomersCategoriesArea=Customer tags/categories area -MembersCategoriesArea=Member tags/categories area -ContactsCategoriesArea=Contact tags/categories area -AccountsCategoriesArea=Bank account tags/categories area -ProjectsCategoriesArea=Project tags/categories area -UsersCategoriesArea=User tags/categories area -SubCats=Sub-categories -CatList=List of tags/categories -CatListAll=List of tags/categories (all types) -NewCategory=New tag/category -ModifCat=Modify tag/category -CatCreated=Tag/category created -CreateCat=Create tag/category -CreateThisCat=Create this tag/category -NoSubCat=No subcategory. -SubCatOf=Subcategory -FoundCats=Found tags/categories -ImpossibleAddCat=Impossible to add the tag/category %s -WasAddedSuccessfully=%s was added successfully. -ObjectAlreadyLinkedToCategory=Element is already linked to this tag/category. -ProductIsInCategories=Product/service is linked to following tags/categories -CompanyIsInCustomersCategories=This third party is linked to following customers/prospects tags/categories -CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories -MemberIsInCategories=This member is linked to following members tags/categories -ContactIsInCategories=This contact is linked to following contacts tags/categories -ProductHasNoCategory=This product/service is not in any tags/categories -CompanyHasNoCategory=This third party is not in any tags/categories -MemberHasNoCategory=This member is not in any tags/categories -ContactHasNoCategory=This contact is not in any tags/categories -ProjectHasNoCategory=This project is not in any tags/categories -ClassifyInCategory=Add to tag/category -NotCategorized=Without tag/category -CategoryExistsAtSameLevel=This category already exists with this ref -ContentsVisibleByAllShort=Contents visible by all -ContentsNotVisibleByAllShort=Contents not visible by all -DeleteCategory=Delete tag/category -ConfirmDeleteCategory=Are you sure you want to delete this tag/category? -NoCategoriesDefined=No tag/category defined -SuppliersCategoryShort=Vendors tag/category -CustomersCategoryShort=Customers tag/category -ProductsCategoryShort=Products tag/category -MembersCategoryShort=Members tag/category -SuppliersCategoriesShort=Vendors tags/categories -CustomersCategoriesShort=Customers tags/categories -ProspectsCategoriesShort=Prospects tags/categories -CustomersProspectsCategoriesShort=Cust./Prosp. tags/categories -ProductsCategoriesShort=Products tags/categories -MembersCategoriesShort=Members tags/categories -ContactCategoriesShort=Contacts tags/categories -AccountsCategoriesShort=Accounts tags/categories -ProjectsCategoriesShort=Projects tags/categories -UsersCategoriesShort=Users tags/categories -StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoItems=This category does not contain any items. -CategId=Tag/category id -ParentCategory=Parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories -CatProdList=List of products tags/categories -CatMemberList=List of members tags/categories -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories -CatCusLinks=Links between customers/prospects and tags/categories -CatContactsLinks=Links between contacts/addresses and tags/categories -CatProdLinks=Links between products/services and tags/categories -CatMembersLinks=Links between members and tags/categories -CatProjectsLinks=Links between projects and tags/categories -CatUsersLinks=Links between users and tags/categories -DeleteFromCat=Remove from tags/category -ExtraFieldsCategories=Complementary attributes -CategoriesSetup=Tags/categories setup -CategorieRecursiv=Link with parent tag/category automatically -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. -AddProductServiceIntoCategory=Add the following product/service -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier -ShowCategory=Show tag/category -ByDefaultInList=By default in list -ChooseCategory=Choose category -StocksCategoriesArea=Warehouse Categories -ActionCommCategoriesArea=Event Categories -WebsitePagesCategoriesArea=Page-Container Categories -KnowledgemanagementsCategoriesArea=KM article Categories -UseOrOperatorForCategories=Use 'OR' operator for categories +Rubrique=ট্যাগ/বিভাগ +Rubriques=ট্যাগ/বিভাগ +RubriquesTransactions=লেনদেনের ট্যাগ/বিভাগ +categories=ট্যাগ/বিভাগ +NoCategoryYet=এই ধরনের কোনো ট্যাগ/বিভাগ তৈরি করা হয়নি +In=ভিতরে +AddIn=মধ্যে যোগ করুন +modify=সংশোধন করা +Classify=শ্রেণীবদ্ধ করুন +CategoriesArea=ট্যাগ/বিভাগ এলাকা +ProductsCategoriesArea=পণ্য/পরিষেবা ট্যাগ/বিভাগ এলাকা +SuppliersCategoriesArea=বিক্রেতা ট্যাগ/বিভাগ এলাকা +CustomersCategoriesArea=গ্রাহক ট্যাগ/বিভাগ এলাকা +MembersCategoriesArea=সদস্য ট্যাগ/বিভাগ এলাকা +ContactsCategoriesArea=যোগাযোগ ট্যাগ/বিভাগ এলাকা +AccountsCategoriesArea=ব্যাঙ্ক অ্যাকাউন্ট ট্যাগ/বিভাগ এলাকা +ProjectsCategoriesArea=প্রকল্প ট্যাগ/বিভাগ এলাকা +UsersCategoriesArea=ব্যবহারকারীর ট্যাগ/বিভাগ এলাকা +SubCats=উপ-শ্রেণী +CatList=ট্যাগ/বিভাগের তালিকা +CatListAll=ট্যাগ/বিভাগের তালিকা (সব ধরনের) +NewCategory=নতুন ট্যাগ/বিভাগ +ModifCat=ট্যাগ/বিভাগ পরিবর্তন করুন +CatCreated=ট্যাগ/বিভাগ তৈরি করা হয়েছে +CreateCat=ট্যাগ/বিভাগ তৈরি করুন +CreateThisCat=এই ট্যাগ/বিভাগ তৈরি করুন +NoSubCat=কোনো উপশ্রেণী নেই। +SubCatOf=উপশ্রেণি +FoundCats=ট্যাগ/বিভাগ পাওয়া গেছে +ImpossibleAddCat=ট্যাগ/বিভাগ যোগ করা অসম্ভব %s +WasAddedSuccessfully=%s সফলভাবে যোগ করা হয়েছে৷ +ObjectAlreadyLinkedToCategory=উপাদানটি ইতিমধ্যেই এই ট্যাগ/বিভাগের সাথে লিঙ্ক করা আছে৷ +ProductIsInCategories=পণ্য/পরিষেবা নিম্নলিখিত ট্যাগ/বিভাগের সাথে সংযুক্ত +CompanyIsInCustomersCategories=এই তৃতীয় পক্ষ নিম্নলিখিত গ্রাহকদের/সম্ভাব্য ট্যাগ/বিভাগের সাথে যুক্ত +CompanyIsInSuppliersCategories=এই তৃতীয় পক্ষ নিম্নলিখিত বিক্রেতা ট্যাগ/বিভাগের সাথে সংযুক্ত +MemberIsInCategories=এই সদস্য নিম্নলিখিত সদস্য ট্যাগ/বিভাগের সাথে লিঙ্ক করা হয়েছে +ContactIsInCategories=এই পরিচিতিটি নিম্নলিখিত পরিচিতি ট্যাগ/বিভাগের সাথে সংযুক্ত +ProductHasNoCategory=এই পণ্য/পরিষেবা কোনো ট্যাগ/বিভাগে নেই +CompanyHasNoCategory=এই তৃতীয় পক্ষ কোনো ট্যাগ/বিভাগে নেই +MemberHasNoCategory=এই সদস্য কোনো ট্যাগ/বিভাগে নেই +ContactHasNoCategory=এই পরিচিতি কোনো ট্যাগ/বিভাগে নেই +ProjectHasNoCategory=এই প্রকল্পটি কোনো ট্যাগ/বিভাগে নেই +ClassifyInCategory=ট্যাগ/বিভাগে যোগ করুন +RemoveCategory=বিভাগ সরান +NotCategorized=ট্যাগ/বিভাগ ছাড়া +CategoryExistsAtSameLevel=এই রেফের সাথে এই বিভাগটি ইতিমধ্যেই বিদ্যমান +ContentsVisibleByAllShort=বিষয়বস্তু সকলের দ্বারা দৃশ্যমান +ContentsNotVisibleByAllShort=বিষয়বস্তু সব দ্বারা দৃশ্যমান নয় +DeleteCategory=ট্যাগ/বিভাগ মুছুন +ConfirmDeleteCategory=আপনি কি এই ট্যাগ/বিভাগ মুছে ফেলার বিষয়ে নিশ্চিত? +NoCategoriesDefined=কোনো ট্যাগ/বিভাগ সংজ্ঞায়িত করা হয়নি +SuppliersCategoryShort=বিক্রেতাদের ট্যাগ/বিভাগ +CustomersCategoryShort=গ্রাহকদের ট্যাগ/বিভাগ +ProductsCategoryShort=পণ্য ট্যাগ/বিভাগ +MembersCategoryShort=সদস্যদের ট্যাগ/বিভাগ +SuppliersCategoriesShort=বিক্রেতাদের ট্যাগ/বিভাগ +CustomersCategoriesShort=গ্রাহকদের ট্যাগ/বিভাগ +ProspectsCategoriesShort=সম্ভাব্য ট্যাগ/বিভাগ +CustomersProspectsCategoriesShort=কাস্ট./Prosp. ট্যাগ/বিভাগ +ProductsCategoriesShort=পণ্য ট্যাগ/বিভাগ +MembersCategoriesShort=সদস্যদের ট্যাগ/বিভাগ +ContactCategoriesShort=পরিচিতি ট্যাগ/বিভাগ +AccountsCategoriesShort=অ্যাকাউন্ট ট্যাগ/বিভাগ +ProjectsCategoriesShort=প্রকল্পের ট্যাগ/বিভাগ +UsersCategoriesShort=ব্যবহারকারীর ট্যাগ/বিভাগ +StockCategoriesShort=গুদাম ট্যাগ/বিভাগ +ThisCategoryHasNoItems=এই বিভাগে কোন আইটেম নেই. +CategId=ট্যাগ/বিভাগ আইডি +ParentCategory=অভিভাবক ট্যাগ/বিভাগ +ParentCategoryID=অভিভাবক ট্যাগ/বিভাগের আইডি +ParentCategoryLabel=অভিভাবক ট্যাগ/বিভাগের লেবেল +CatSupList=বিক্রেতাদের ট্যাগ/বিভাগের তালিকা +CatCusList=গ্রাহক/সম্ভাব্য ট্যাগ/বিভাগের তালিকা +CatProdList=পণ্যের ট্যাগ/বিভাগের তালিকা +CatMemberList=সদস্যদের ট্যাগ/বিভাগের তালিকা +CatContactList=পরিচিতি ট্যাগ/বিভাগের তালিকা +CatProjectsList=প্রকল্পের ট্যাগ/বিভাগের তালিকা +CatUsersList=ব্যবহারকারীর ট্যাগ/বিভাগের তালিকা +CatSupLinks=বিক্রেতা এবং ট্যাগ/বিভাগের মধ্যে লিঙ্ক +CatCusLinks=গ্রাহক/সম্ভাব্য এবং ট্যাগ/বিভাগের মধ্যে লিঙ্ক +CatContactsLinks=পরিচিতি/ঠিকানা এবং ট্যাগ/বিভাগের মধ্যে লিঙ্ক +CatProdLinks=পণ্য/পরিষেবা এবং ট্যাগ/বিভাগের মধ্যে লিঙ্ক +CatMembersLinks=সদস্য এবং ট্যাগ/বিভাগের মধ্যে লিঙ্ক +CatProjectsLinks=প্রকল্প এবং ট্যাগ/বিভাগের মধ্যে লিঙ্ক +CatUsersLinks=ব্যবহারকারী এবং ট্যাগ/বিভাগের মধ্যে লিঙ্ক +DeleteFromCat=ট্যাগ/বিভাগ থেকে সরান +ExtraFieldsCategories=পরিপূরক গুণাবলী +CategoriesSetup=ট্যাগ/বিভাগ সেটআপ +CategorieRecursiv=স্বয়ংক্রিয়ভাবে অভিভাবক ট্যাগ/বিভাগের সাথে লিঙ্ক করুন +CategorieRecursivHelp=যদি বিকল্পটি চালু থাকে, আপনি যখন একটি উপশ্রেণীতে একটি অবজেক্ট যোগ করেন, তখন অবজেক্টটিও প্যারেন্ট ক্যাটাগরিতে যোগ করা হবে। +AddProductServiceIntoCategory=পণ্য/পরিষেবার জন্য বিভাগ বরাদ্দ করুন +AddCustomerIntoCategory=গ্রাহককে বিভাগ বরাদ্দ করুন +AddSupplierIntoCategory=সরবরাহকারীকে বিভাগ বরাদ্দ করুন +AssignCategoryTo=কে বিভাগ বরাদ্দ করুন +ShowCategory=ট্যাগ/বিভাগ দেখান +ByDefaultInList=তালিকায় ডিফল্টরূপে +ChooseCategory=বিভাগ নির্বাচন +StocksCategoriesArea=গুদাম বিভাগ +TicketsCategoriesArea=টিকিট বিভাগ +ActionCommCategoriesArea=ইভেন্ট বিভাগ +WebsitePagesCategoriesArea=পৃষ্ঠা-ধারক বিভাগ +KnowledgemanagementsCategoriesArea=KM নিবন্ধ বিভাগ +UseOrOperatorForCategories=বিভাগের জন্য 'OR' অপারেটর ব্যবহার করুন +AddObjectIntoCategory=বিভাগে বরাদ্দ করুন diff --git a/htdocs/langs/bn_IN/commercial.lang b/htdocs/langs/bn_IN/commercial.lang index 10c536e0d48..dca04a06b4a 100644 --- a/htdocs/langs/bn_IN/commercial.lang +++ b/htdocs/langs/bn_IN/commercial.lang @@ -1,80 +1,93 @@ # Dolibarr language file - Source file is en_US - commercial -Commercial=Commerce -CommercialArea=Commerce area -Customer=Customer -Customers=Customers -Prospect=Prospect -Prospects=Prospects -DeleteAction=Delete an event -NewAction=New event -AddAction=Create event -AddAnAction=Create an event -AddActionRendezVous=Create a Rendez-vous event -ConfirmDeleteAction=Are you sure you want to delete this event? -CardAction=Event card -ActionOnCompany=Related company -ActionOnContact=Related contact -TaskRDVWith=Meeting with %s -ShowTask=Show task -ShowAction=Show event -ActionsReport=Events report -ThirdPartiesOfSaleRepresentative=Third parties with sales representative -SaleRepresentativesOfThirdParty=Sales representatives of third party -SalesRepresentative=Sales representative -SalesRepresentatives=Sales representatives -SalesRepresentativeFollowUp=Sales representative (follow-up) -SalesRepresentativeSignature=Sales representative (signature) -NoSalesRepresentativeAffected=No particular sales representative assigned -ShowCustomer=Show customer -ShowProspect=Show prospect -ListOfProspects=List of prospects -ListOfCustomers=List of customers -LastDoneTasks=Latest %s completed actions -LastActionsToDo=Oldest %s not completed actions -DoneAndToDoActions=Completed and To do events -DoneActions=Completed events -ToDoActions=Incomplete events -SendPropalRef=Submission of commercial proposal %s -SendOrderRef=Submission of order %s -StatusNotApplicable=Not applicable -StatusActionToDo=To do -StatusActionDone=Complete -StatusActionInProcess=In process -TasksHistoryForThisContact=Events for this contact -LastProspectDoNotContact=Do not contact -LastProspectNeverContacted=Never contacted -LastProspectToContact=To contact -LastProspectContactInProcess=Contact in process -LastProspectContactDone=Contact done -ActionAffectedTo=Event assigned to -ActionDoneBy=Event done by -ActionAC_TEL=Phone call -ActionAC_FAX=Send fax -ActionAC_PROP=Send proposal by mail -ActionAC_EMAIL=Send Email -ActionAC_EMAIL_IN=Reception of Email -ActionAC_RDV=Meetings -ActionAC_INT=Intervention on site -ActionAC_FAC=Send customer invoice by mail -ActionAC_REL=Send customer invoice by mail (reminder) -ActionAC_CLO=Close -ActionAC_EMAILING=Send mass email -ActionAC_COM=Send sales order by mail -ActionAC_SHIP=Send shipping by mail -ActionAC_SUP_ORD=Send purchase order by mail -ActionAC_SUP_INV=Send vendor invoice by mail -ActionAC_OTH=Other -ActionAC_OTH_AUTO=Automatically inserted events -ActionAC_MANUAL=Manually inserted events -ActionAC_AUTO=Automatically inserted events -ActionAC_OTH_AUTOShort=Auto -Stats=Sales statistics -StatusProsp=Prospect status -DraftPropals=Draft commercial proposals -NoLimit=No limit -ToOfferALinkForOnlineSignature=Link for online signature -WelcomeOnOnlineSignaturePage=Welcome to the page to accept commercial proposals from %s -ThisScreenAllowsYouToSignDocFrom=This screen allow you to accept and sign, or refuse, a quote/commercial proposal -ThisIsInformationOnDocumentToSign=This is information on document to accept or refuse -SignatureProposalRef=Signature of quote/commercial proposal %s -FeatureOnlineSignDisabled=Feature for online signing disabled or document generated before the feature was enabled +Commercial=বাণিজ্য +CommercialArea=বাণিজ্য এলাকা +Customer=ক্রেতা +Customers=গ্রাহকদের +Prospect=সম্ভাবনা +Prospects=সম্ভাবনা +DeleteAction=একটি ইভেন্ট মুছুন +NewAction=নতুন ঘটনা +AddAction=ইভেন্ট তৈরি করা +AddAnAction=একটি ইভেন্ট তৈরি করুন +AddActionRendezVous=একটি Rendez-vous ইভেন্ট তৈরি করুন +ConfirmDeleteAction=আপনি কি এই ইভেন্টটি মুছতে চান? +CardAction=ইভেন্ট কার্ড +ActionOnCompany=সম্পর্কিত কোম্পানি +ActionOnContact=সম্পর্কিত যোগাযোগ +TaskRDVWith=%s এর সাথে মিটিং +ShowTask=টাস্ক দেখান +ShowAction=ঘটনা দেখান +ActionsReport=ঘটনা রিপোর্ট +ThirdPartiesOfSaleRepresentative=বিক্রয় প্রতিনিধি সহ তৃতীয় পক্ষ +SaleRepresentativesOfThirdParty=তৃতীয় পক্ষের বিক্রয় প্রতিনিধি +SalesRepresentative=বিক্রয় প্রতিনিধি +SalesRepresentatives=বিক্রয় প্রতিনিধি +SalesRepresentativeFollowUp=বিক্রয় প্রতিনিধি (ফলো-আপ) +SalesRepresentativeSignature=বিক্রয় প্রতিনিধি (স্বাক্ষর) +NoSalesRepresentativeAffected=কোন নির্দিষ্ট বিক্রয় প্রতিনিধি নিযুক্ত করা হয়েছে +ShowCustomer=গ্রাহক দেখান +ShowProspect=সম্ভাবনা দেখান +ListOfProspects=সম্ভাবনার তালিকা +ListOfCustomers=গ্রাহকদের তালিকা +LastDoneTasks=সর্বশেষ %s সম্পন্ন ক্রিয়া +LastActionsToDo=প্রাচীনতম %s সম্পূর্ণ হয়নি +DoneAndToDoActions=সমাপ্ত এবং ইভেন্ট করতে +DoneActions=সমাপ্ত ঘটনা +ToDoActions=অসম্পূর্ণ ঘটনা +SendPropalRef=বাণিজ্যিক প্রস্তাব জমা দেওয়া %s +SendOrderRef=অর্ডার জমা %s +StatusNotApplicable=প্রযোজ্য নয় +StatusActionToDo=করতে +StatusActionDone=সম্পূর্ণ +StatusActionInProcess=প্রক্রিয়াধীন +TasksHistoryForThisContact=এই যোগাযোগের জন্য ইভেন্ট +LastProspectDoNotContact=যোগাযোগ করবেন না +LastProspectNeverContacted=কখনো যোগাযোগ করেনি +LastProspectToContact=যোগাযোগ করতে +LastProspectContactInProcess=প্রক্রিয়াধীন যোগাযোগ +LastProspectContactDone=যোগাযোগ সম্পন্ন +ActionAffectedTo=ইভেন্ট বরাদ্দ করা হয়েছে +ActionDoneBy=ইভেন্ট দ্বারা সম্পন্ন +ActionAC_TEL=ফোন কল +ActionAC_FAX=ফ্যাক্স পাঠান +ActionAC_PROP=মেল দ্বারা প্রস্তাব পাঠান +ActionAC_EMAIL=ইমেইল পাঠান +ActionAC_EMAIL_IN=ইমেইল গ্রহণ +ActionAC_RDV=মিটিং +ActionAC_INT=সাইটে হস্তক্ষেপ +ActionAC_FAC=মেল দ্বারা গ্রাহক চালান পাঠান +ActionAC_REL=মেইলের মাধ্যমে গ্রাহক চালান পাঠান (অনুস্মারক) +ActionAC_CLO=বন্ধ +ActionAC_EMAILING=ভর ইমেইল পাঠান +ActionAC_COM=মেইল দ্বারা বিক্রয় আদেশ পাঠান +ActionAC_SHIP=ডাকযোগে শিপিং পাঠান +ActionAC_SUP_ORD=মেল দ্বারা ক্রয় আদেশ পাঠান +ActionAC_SUP_INV=মেল দ্বারা বিক্রেতা চালান পাঠান +ActionAC_OTH=অন্যান্য +ActionAC_OTH_AUTO=অন্য অটো +ActionAC_MANUAL=ইভেন্টগুলি ম্যানুয়ালি ঢোকানো হয়েছে (একজন ব্যবহারকারীর দ্বারা) +ActionAC_AUTO=ইভেন্ট স্বয়ংক্রিয়ভাবে ঢোকানো +ActionAC_OTH_AUTOShort=অন্যান্য +ActionAC_EVENTORGANIZATION=ইভেন্ট সংগঠন ঘটনা +Stats=বিক্রয় পরিসংখ্যান +StatusProsp=সম্ভাবনা অবস্থা +DraftPropals=বাণিজ্যিক প্রস্তাবের খসড়া +NoLimit=সীমাহীন +ToOfferALinkForOnlineSignature=অনলাইন স্বাক্ষর জন্য লিঙ্ক +WelcomeOnOnlineSignaturePageProposal=%s থেকে বাণিজ্যিক প্রস্তাব গ্রহণ করতে পৃষ্ঠায় স্বাগতম +WelcomeOnOnlineSignaturePageContract=%s চুক্তি PDF স্বাক্ষর পৃষ্ঠায় স্বাগতম +WelcomeOnOnlineSignaturePageFichinter=%s ইন্টারভেনশন পিডিএফ সাইনিং পেজে স্বাগতম +WelcomeOnOnlineSignaturePageSociete_rib=%s SEPA ম্যান্ডেট পিডিএফ সাইনিং পেজে স্বাগতম +ThisScreenAllowsYouToSignDocFromProposal=এই পর্দা আপনাকে একটি উদ্ধৃতি/বাণিজ্যিক প্রস্তাব গ্রহণ এবং স্বাক্ষর করতে বা প্রত্যাখ্যান করতে দেয় +ThisScreenAllowsYouToSignDocFromContract=এই স্ক্রীনটি আপনাকে অনলাইনে পিডিএফ ফরম্যাটে চুক্তি স্বাক্ষর করতে দেয়। +ThisScreenAllowsYouToSignDocFromFichinter=এই স্ক্রীনটি আপনাকে অনলাইনে পিডিএফ ফরম্যাটে হস্তক্ষেপ স্বাক্ষর করতে দেয়। +ThisScreenAllowsYouToSignDocFromSociete_rib=এই স্ক্রীনটি আপনাকে অনলাইনে পিডিএফ ফরম্যাটে SEPA ম্যান্ডেট স্বাক্ষর করার অনুমতি দেয়। +ThisIsInformationOnDocumentToSignProposal=এটি গ্রহণ বা প্রত্যাখ্যান করার নথিতে তথ্য +ThisIsInformationOnDocumentToSignContract=এটি স্বাক্ষর করার জন্য চুক্তির তথ্য +ThisIsInformationOnDocumentToSignFichinter=এটি স্বাক্ষর করার জন্য হস্তক্ষেপের তথ্য +ThisIsInformationOnDocumentToSignSociete_rib=এটি স্বাক্ষর করার জন্য SEPA ম্যান্ডেটের তথ্য +SignatureProposalRef=উদ্ধৃতি/বাণিজ্যিক প্রস্তাবের স্বাক্ষর %s +SignatureContractRef=চুক্তি স্বাক্ষর %s +SignatureFichinterRef=হস্তক্ষেপের স্বাক্ষর %s +SignatureSociete_ribRef=SEPA ম্যান্ডেটের স্বাক্ষর %s +FeatureOnlineSignDisabled=অনলাইন স্বাক্ষর করার জন্য বৈশিষ্ট্য নিষ্ক্রিয় বা বৈশিষ্ট্য সক্রিয় করার আগে নথি তৈরি করা হয়েছে৷ diff --git a/htdocs/langs/bn_IN/companies.lang b/htdocs/langs/bn_IN/companies.lang index 7de663ede6d..f2498552d18 100644 --- a/htdocs/langs/bn_IN/companies.lang +++ b/htdocs/langs/bn_IN/companies.lang @@ -1,131 +1,149 @@ # Dolibarr language file - Source file is en_US - companies -ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. -ErrorSetACountryFirst=Set the country first -SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? -DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? -MenuNewThirdParty=New Third Party -MenuNewCustomer=New Customer -MenuNewProspect=New Prospect -MenuNewSupplier=New Vendor -MenuNewPrivateIndividual=New private individual -NewCompany=New company (prospect, customer, vendor) -NewThirdParty=New Third Party (prospect, customer, vendor) -CreateDolibarrThirdPartySupplier=Create a third party (vendor) -CreateThirdPartyOnly=Create third party -CreateThirdPartyAndContact=Create a third party + a child contact -ProspectionArea=Prospection area -IdThirdParty=Id third party -IdCompany=Company Id -IdContact=Contact Id -ThirdPartyContacts=Third-party contacts -ThirdPartyContact=Third-party contact/address -Company=Company -CompanyName=Company name -AliasNames=Alias name (commercial, trademark, ...) -AliasNameShort=Alias Name -Companies=Companies -CountryIsInEEC=Country is inside the European Economic Community -PriceFormatInCurrentLanguage=Price display format in the current language and currency -ThirdPartyName=Third-party name -ThirdPartyEmail=Third-party email -ThirdParty=Third-party -ThirdParties=Third-parties -ThirdPartyProspects=Prospects -ThirdPartyProspectsStats=Prospects -ThirdPartyCustomers=Customers -ThirdPartyCustomersStats=Customers -ThirdPartyCustomersWithIdProf12=Customers with %s or %s -ThirdPartySuppliers=Vendors -ThirdPartyType=Third-party type -Individual=Private individual -ToCreateContactWithSameName=Will automatically create a contact/address with same information as the third party under the third party. In most cases, even if your third party is a physical person, creating a third party alone is enough. -ParentCompany=Parent company -Subsidiaries=Subsidiaries -ReportByMonth=Report per month -ReportByCustomers=Report per customer -ReportByThirdparties=Report per thirdparty -ReportByQuarter=Report per rate -CivilityCode=Civility code -RegisteredOffice=Registered office -Lastname=Last name -Firstname=First name -PostOrFunction=Job position -UserTitle=Title -NatureOfThirdParty=Nature of Third party -NatureOfContact=Nature of Contact -Address=Address -State=State/Province -StateCode=State/Province code -StateShort=State -Region=Region -Region-State=Region - State -Country=Country -CountryCode=Country code -CountryId=Country id -Phone=Phone -PhoneShort=Phone -Skype=Skype -Call=Call -Chat=Chat -PhonePro=Bus. phone -PhonePerso=Pers. phone -PhoneMobile=Mobile -No_Email=Refuse bulk emailings -Fax=Fax -Zip=Zip Code -Town=City -Web=Web -Poste= Position -DefaultLang=Default language -VATIsUsed=Sales tax used -VATIsUsedWhenSelling=This defines if this third party includes a sales tax or not when it makes an invoice to its own customers -VATIsNotUsed=Sales tax is not used -CopyAddressFromSoc=Copy address from third-party details -ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available referring objects -ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor vendor, discounts are not available -PaymentBankAccount=Payment bank account -OverAllProposals=Proposals -OverAllOrders=Orders -OverAllInvoices=Invoices -OverAllSupplierProposals=Price requests +newSocieteAdded=আপনার যোগাযোগের বিবরণ রেকর্ড করা হয়েছে. আমরা খুব শীঘ্রই আপনার কাছে ফিরে আসবো... +ContactUsDesc=এই ফর্মটি আপনাকে প্রথম পরিচিতির জন্য আমাদের একটি বার্তা পাঠাতে দেয়। +ErrorCompanyNameAlreadyExists=কোম্পানির নাম %s ইতিমধ্যেই বিদ্যমান। অন্য একটি চয়ন করুন. +ErrorSetACountryFirst=আগে দেশ নির্ধারণ করুন +SelectThirdParty=একটি তৃতীয় পক্ষ নির্বাচন করুন +ConfirmDeleteCompany=আপনি কি এই কোম্পানি এবং সমস্ত সম্পর্কিত তথ্য মুছে ফেলার বিষয়ে নিশ্চিত? +DeleteContact=একটি পরিচিতি/ঠিকানা মুছুন +ConfirmDeleteContact=আপনি কি নিশ্চিত আপনি এই পরিচিতি এবং সমস্ত সম্পর্কিত তথ্য মুছে ফেলতে চান? +MenuNewThirdParty=নতুন তৃতীয় পক্ষ +MenuNewCustomer=নতুন গ্রাহক +MenuNewProspect=নতুন সম্ভাবনা +MenuNewSupplier=নতুন বিক্রেতা +MenuNewPrivateIndividual=নতুন ব্যক্তিগত ব্যক্তি +NewCompany=নতুন কোম্পানি (সম্ভাব্য, গ্রাহক, বিক্রেতা) +NewThirdParty=নতুন তৃতীয় পক্ষ (সম্ভাব্য, গ্রাহক, বিক্রেতা) +CreateDolibarrThirdPartySupplier=একটি তৃতীয় পক্ষ তৈরি করুন (বিক্রেতা) +CreateThirdPartyOnly=তৃতীয় পক্ষ তৈরি করুন +CreateThirdPartyAndContact=একটি তৃতীয় পক্ষ + একটি শিশু পরিচিতি তৈরি করুন +ProspectionArea=সম্ভাব্য এলাকা +IdThirdParty=আইডি তৃতীয় পক্ষ +IdCompany=কোম্পানি আইডি +IdContact=যোগাযোগের আইডি +ThirdPartyAddress=তৃতীয় পক্ষের ঠিকানা +ThirdPartyContacts=তৃতীয় পক্ষের পরিচিতি +ThirdPartyContact=তৃতীয় পক্ষের যোগাযোগ/ঠিকানা +Company=প্রতিষ্ঠান +CompanyName=কোমপানির নাম +AliasNames=উপনাম নাম (বাণিজ্যিক, ট্রেডমার্ক, ...) +AliasNameShort=উপনাম +Companies=কোম্পানিগুলো +CountryIsInEEC=দেশটি ইউরোপীয় অর্থনৈতিক সম্প্রদায়ের মধ্যে রয়েছে +PriceFormatInCurrentLanguage=বর্তমান ভাষা এবং মুদ্রায় মূল্য প্রদর্শন বিন্যাস +ThirdPartyName=তৃতীয় পক্ষের নাম +ThirdPartyEmail=তৃতীয় পক্ষের ইমেল +ThirdParty=তৃতীয় পক্ষ +ThirdParties=তৃতীয় পক্ষ +ThirdPartyProspects=সম্ভাবনা +ThirdPartyProspectsStats=সম্ভাবনা +ThirdPartyCustomers=গ্রাহকদের +ThirdPartyCustomersStats=গ্রাহকদের +ThirdPartyCustomersWithIdProf12=%s বা %s সহ গ্রাহকরা +ThirdPartySuppliers=বিক্রেতারা +ThirdPartyType=তৃতীয় পক্ষের ধরন +Individual=একান্ত ব্যক্তিগত +ToCreateContactWithSameName=তৃতীয় পক্ষের অধীনে তৃতীয় পক্ষের মতো একই তথ্য সহ স্বয়ংক্রিয়ভাবে একটি পরিচিতি/ঠিকানা তৈরি করবে। বেশিরভাগ ক্ষেত্রে, আপনার তৃতীয় পক্ষ একজন শারীরিক ব্যক্তি হলেও, একা তৃতীয় পক্ষ তৈরি করাই যথেষ্ট। +ParentCompany=মূল কোম্পানি +Subsidiaries=সাবসিডিয়ারি +ReportByMonth=প্রতি মাসে রিপোর্ট +ReportByCustomers=গ্রাহক প্রতি রিপোর্ট +ReportByThirdparties=তৃতীয় পক্ষের প্রতি প্রতিবেদন +ReportByQuarter=হার প্রতি রিপোর্ট +CivilityCode=সিভিলিটি কোড +RegisteredOffice=নিবন্ধিত দপ্তর +Lastname=নামের শেষাংশ +Firstname=নামের প্রথম অংশ +RefEmployee=কর্মচারী রেফারেন্স +NationalRegistrationNumber=জাতীয় নিবন্ধন নম্বর +PostOrFunction=চাকুরী পদমর্যাদা +UserTitle=শিরোনাম +NatureOfThirdParty=তৃতীয় পক্ষের প্রকৃতি +NatureOfContact=যোগাযোগের প্রকৃতি +Address=ঠিকানা +State=রাজ্য/প্রদেশ +StateId=রাজ্য আইডি +StateCode=রাজ্য/প্রদেশ কোড +StateShort=অবস্থা +Region=অঞ্চল +Region-State=অঞ্চল - রাজ্য +Country=দেশ +CountryCode=কান্ট্রি কোড +CountryId=দেশের আইডি +Phone=ফোন +PhoneShort=ফোন +Skype=স্কাইপ +Call=কল +Chat=চ্যাট +PhonePro=বাস। ফোন +PhonePerso=পারস ফোন +PhoneMobile=মুঠোফোন +No_Email=বাল্ক ইমেল প্রত্যাখ্যান +Fax=ফ্যাক্স +Zip=জিপ কোড +Town=শহর +Web=ওয়েব +Poste= অবস্থান +DefaultLang=নির্ধারিত ভাষা +VATIsUsed=বিক্রয় কর ব্যবহার করা হয়েছে +VATIsUsedWhenSelling=এটি সংজ্ঞায়িত করে যে এই তৃতীয় পক্ষটি তার নিজস্ব গ্রাহকদের কাছে একটি চালান তৈরি করার সময় বিক্রয় কর অন্তর্ভুক্ত করে কিনা +VATIsNotUsed=বিক্রয় কর ব্যবহার করা হয় না +VATReverseCharge=ভ্যাট রিভার্স চার্জ +VATReverseChargeByDefault=ডিফল্টরূপে ভ্যাট রিভার্স-চার্জ +VATReverseChargeByDefaultDesc=সরবরাহকারী চালানে, ডিফল্টরূপে ভ্যাট রিভার্স-চার্জ ব্যবহার করা হয় +CopyAddressFromSoc=তৃতীয় পক্ষের বিবরণ থেকে ঠিকানা কপি করুন +ThirdpartyNotCustomerNotSupplierSoNoRef=তৃতীয় পক্ষ না গ্রাহক বা বিক্রেতা, কোন উপলব্ধ রেফারিং বস্তু +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=তৃতীয় পক্ষ না গ্রাহক বা বিক্রেতা, ডিসকাউন্ট পাওয়া যায় না +PaymentBankAccount=পেমেন্ট ব্যাঙ্ক অ্যাকাউন্ট +OverAllProposals=প্রস্তাব +OverAllOrders=আদেশ +OverAllInvoices=চালান +OverAllSupplierProposals=মূল্য অনুরোধ ##### Local Taxes ##### -LocalTax1IsUsed=Use second tax -LocalTax1IsUsedES= RE is used -LocalTax1IsNotUsedES= RE is not used -LocalTax2IsUsed=Use third tax -LocalTax2IsUsedES= IRPF is used -LocalTax2IsNotUsedES= IRPF is not used -WrongCustomerCode=Customer code invalid -WrongSupplierCode=Vendor code invalid -CustomerCodeModel=Customer code model -SupplierCodeModel=Vendor code model -Gencod=Barcode +LocalTax1IsUsed=দ্বিতীয় ট্যাক্স ব্যবহার করুন +LocalTax1IsUsedES= RE ব্যবহার করা হয় +LocalTax1IsNotUsedES= RE ব্যবহার করা হয় না +LocalTax2IsUsed=তৃতীয় ট্যাক্স ব্যবহার করুন +LocalTax2IsUsedES= IRPF ব্যবহার করা হয় +LocalTax2IsNotUsedES= IRPF ব্যবহার করা হয় না +WrongCustomerCode=গ্রাহক কোড অবৈধ +WrongSupplierCode=ভেন্ডর কোড অবৈধ +CustomerCodeModel=গ্রাহক কোড মডেল +SupplierCodeModel=বিক্রেতা কোড মডেল +Gencod=বারকোড +GencodBuyPrice=মূল্য রেফের বারকোড ##### Professional ID ##### -ProfId1Short=Prof. id 1 -ProfId2Short=Prof. id 2 -ProfId3Short=Prof. id 3 -ProfId4Short=Prof. id 4 -ProfId5Short=Prof. id 5 -ProfId6Short=Prof. id 6 -ProfId1=Professional ID 1 -ProfId2=Professional ID 2 -ProfId3=Professional ID 3 -ProfId4=Professional ID 4 -ProfId5=Professional ID 5 -ProfId6=Professional ID 6 -ProfId1AR=Prof Id 1 (CUIT/CUIL) -ProfId2AR=Prof Id 2 (Revenu brutes) +ProfId1Short=প্রফেসর আইডি ১ +ProfId2Short=প্রফেসর আইডি 2 +ProfId3Short=প্রফেসর আইডি 3 +ProfId4Short=প্রফেসর আইডি 4 +ProfId5Short=প্রফেসর আইডি 5 +ProfId6Short=প্রফেসর আইডি 6 +ProfId7Short=প্রফেসর আইডি 7 +ProfId8Short=প্রফেসর আইডি 8 +ProfId9Short=প্রফেসর আইডি 9 +ProfId10Short=প্রফেসর আইডি 10 +ProfId1=প্রফেশনাল আইডি ১ +ProfId2=প্রফেশনাল আইডি 2 +ProfId3=প্রফেশনাল আইডি ৩ +ProfId4=প্রফেশনাল আইডি 4 +ProfId5=প্রফেশনাল আইডি 5 +ProfId6=প্রফেশনাল আইডি 6 +ProfId7=প্রফেশনাল আইডি 7 +ProfId8=প্রফেশনাল আইডি 8 +ProfId9=প্রফেশনাল আইডি 9 +ProfId10=প্রফেশনাল আইডি 10 +ProfId1AR=প্রফেসর আইডি 1 (CUIT/CUIL) +ProfId2AR=Prof Id 2 (রেভেনু ব্রুটস) ProfId3AR=- ProfId4AR=- ProfId5AR=- ProfId6AR=- ProfId1AT=Prof Id 1 (USt.-IdNr) ProfId2AT=Prof Id 2 (USt.-Nr) -ProfId3AT=Prof Id 3 (Handelsregister-Nr.) +ProfId3AT=Prof Id 3 (হ্যান্ডেলরেজিস্টার-Nr.) ProfId4AT=- -ProfId5AT=EORI number +ProfId5AT=ইওআরই সংখ্যা ProfId6AT=- ProfId1AU=Prof Id 1 (ABN) ProfId2AU=- @@ -133,23 +151,23 @@ ProfId3AU=- ProfId4AU=- ProfId5AU=- ProfId6AU=- -ProfId1BE=Prof Id 1 (Professional number) +ProfId1BE=প্রফেসর আইডি 1 (পেশাদার নম্বর) ProfId2BE=- ProfId3BE=- ProfId4BE=- -ProfId5BE=EORI number +ProfId5BE=ইওআরই সংখ্যা ProfId6BE=- ProfId1BR=- ProfId2BR=IE (Inscricao Estadual) ProfId3BR=IM (Inscricao Municipal) -ProfId4BR=CPF +ProfId4BR=সিপিএফ #ProfId5BR=CNAE #ProfId6BR=INSS -ProfId1CH=UID-Nummer +ProfId1CH=UID-সংখ্যা ProfId2CH=- -ProfId3CH=Prof Id 1 (Federal number) -ProfId4CH=Prof Id 2 (Commercial Record number) -ProfId5CH=EORI number +ProfId3CH=অধ্যাপক আইডি 1 (ফেডারেল নম্বর) +ProfId4CH=প্রফেসর আইডি 2 (বাণিজ্যিক রেকর্ড নম্বর) +ProfId5CH=ইওআরই সংখ্যা ProfId6CH=- ProfId1CL=Prof Id 1 (R.U.T.) ProfId2CL=- @@ -157,17 +175,17 @@ ProfId3CL=- ProfId4CL=- ProfId5CL=- ProfId6CL=- -ProfId1CM=Id. prof. 1 (Trade Register) -ProfId2CM=Id. prof. 2 (Taxpayer No.) -ProfId3CM=Id. prof. 3 (Decree of creation) -ProfId4CM=- -ProfId5CM=- +ProfId1CM=আইডি অধ্যাপক 1 (বাণিজ্য নিবন্ধন) +ProfId2CM=আইডি অধ্যাপক 2 (করদাতা নং) +ProfId3CM=আইডি অধ্যাপক 3 (সৃষ্টি ডিক্রির সংখ্যা) +ProfId4CM=আইডি অধ্যাপক 4 (আমানত শংসাপত্রের নম্বর) +ProfId5CM=আইডি অধ্যাপক 5 (অন্যান্য) ProfId6CM=- -ProfId1ShortCM=Trade Register -ProfId2ShortCM=Taxpayer No. -ProfId3ShortCM=Decree of creation -ProfId4ShortCM=- -ProfId5ShortCM=- +ProfId1ShortCM=ট্রেড রেজিস্টার +ProfId2ShortCM=করদাতা নং +ProfId3ShortCM=ক্রিয়েশন ডিক্রির সংখ্যা +ProfId4ShortCM=জমা শংসাপত্রের সংখ্যা +ProfId5ShortCM=অন্যান্য ProfId6ShortCM=- ProfId1CO=Prof Id 1 (R.U.T.) ProfId2CO=- @@ -177,35 +195,43 @@ ProfId5CO=- ProfId6CO=- ProfId1DE=Prof Id 1 (USt.-IdNr) ProfId2DE=Prof Id 2 (USt.-Nr) -ProfId3DE=Prof Id 3 (Handelsregister-Nr.) +ProfId3DE=Prof Id 3 (হ্যান্ডেলরেজিস্টার-Nr.) ProfId4DE=- -ProfId5DE=EORI number +ProfId5DE=ইওআরই সংখ্যা ProfId6DE=- ProfId1ES=Prof Id 1 (CIF/NIF) -ProfId2ES=Prof Id 2 (Social security number) +ProfId2ES=অধ্যাপক আইডি 2 (সামাজিক নিরাপত্তা নম্বর) ProfId3ES=Prof Id 3 (CNAE) -ProfId4ES=Prof Id 4 (Collegiate number) -ProfId5ES=Prof Id 5 (EORI number) +ProfId4ES=প্রফেসর আইডি 4 (কলেজিয়েট নম্বর) +ProfId5ES=Prof Id 5 (EORI নম্বর) ProfId6ES=- ProfId1FR=Prof Id 1 (SIREN) ProfId2FR=Prof Id 2 (SIRET) ProfId3FR=Prof Id 3 (NAF, old APE) ProfId4FR=Prof Id 4 (RCS/RM) -ProfId5FR=Prof Id 5 (numéro EORI) +ProfId5FR=Prof Id 5 (সংখ্যা EORI) ProfId6FR=- -ProfId1ShortFR=SIREN +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- +ProfId1ShortFR=সাইরেন ProfId2ShortFR=SIRET -ProfId3ShortFR=NAF -ProfId4ShortFR=RCS -ProfId5ShortFR=EORI +ProfId3ShortFR=এনএএফ +ProfId4ShortFR=আরসিএস +ProfId5ShortFR=ইওআরআই ProfId6ShortFR=- -ProfId1GB=Registration Number +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- +ProfId1GB=নিবন্ধন নম্বর ProfId2GB=- ProfId3GB=SIC ProfId4GB=- ProfId5GB=- ProfId6GB=- -ProfId1HN=Id prof. 1 (RTN) +ProfId1HN=আইডি অধ্যাপক ড. 1 (RTN) ProfId2HN=- ProfId3HN=- ProfId4HN=- @@ -214,58 +240,58 @@ ProfId6HN=- ProfId1IN=Prof Id 1 (TIN) ProfId2IN=Prof Id 2 (PAN) ProfId3IN=Prof Id 3 (SRVC TAX) -ProfId4IN=Prof Id 4 +ProfId4IN=প্রফেসর আইডি 4 ProfId5IN=Prof Id 5 ProfId6IN=- ProfId1IT=- ProfId2IT=- ProfId3IT=- ProfId4IT=- -ProfId5IT=EORI number +ProfId5IT=ইওআরই সংখ্যা ProfId6IT=- -ProfId1LU=Id. prof. 1 (R.C.S. Luxembourg) -ProfId2LU=Id. prof. 2 (Business permit) +ProfId1LU=আইডি অধ্যাপক 1 (R.C.S. লুক্সেমবার্গ) +ProfId2LU=আইডি অধ্যাপক 2 (ব্যবসায়িক অনুমতি) ProfId3LU=- ProfId4LU=- -ProfId5LU=EORI number +ProfId5LU=ইওআরই সংখ্যা ProfId6LU=- -ProfId1MA=Id prof. 1 (R.C.) -ProfId2MA=Id prof. 2 (Patente) -ProfId3MA=Id prof. 3 (I.F.) -ProfId4MA=Id prof. 4 (C.N.S.S.) -ProfId5MA=Id prof. 5 (I.C.E.) +ProfId1MA=আইডি অধ্যাপক ড. 1 (R.C.) +ProfId2MA=আইডি অধ্যাপক ড. 2 (পেটেন্ট) +ProfId3MA=আইডি অধ্যাপক ড. 3 (I.F.) +ProfId4MA=আইডি অধ্যাপক ড. 4 (C.N.S.S.) +ProfId5MA=আইডি অধ্যাপক ড. 5 (I.C.E.) ProfId6MA=- -ProfId1MX=Prof Id 1 (R.F.C). -ProfId2MX=Prof Id 2 (R..P. IMSS) -ProfId3MX=Prof Id 3 (Profesional Charter) +ProfId1MX=Prof Id 1 (R.F.C)। +ProfId2MX=Prof Id 2 (R.P. IMSS) +ProfId3MX=Prof Id 3 (পেশাদার সনদ) ProfId4MX=- ProfId5MX=- ProfId6MX=- -ProfId1NL=KVK nummer +ProfId1NL=কেভিকে নম্বর ProfId2NL=- ProfId3NL=- ProfId4NL=Burgerservicenummer (BSN) -ProfId5NL=EORI number +ProfId5NL=ইওআরই সংখ্যা ProfId6NL=- ProfId1PT=Prof Id 1 (NIPC) -ProfId2PT=Prof Id 2 (Social security number) -ProfId3PT=Prof Id 3 (Commercial Record number) -ProfId4PT=Prof Id 4 (Conservatory) -ProfId5PT=Prof Id 5 (EORI number) +ProfId2PT=প্রফেসর আইডি 2 (সামাজিক নিরাপত্তা নম্বর) +ProfId3PT=প্রফেসর আইডি 3 (বাণিজ্যিক রেকর্ড নম্বর) +ProfId4PT=প্রফেসর আইডি 4 (সংরক্ষণ) +ProfId5PT=Prof Id 5 (EORI নম্বর) ProfId6PT=- -ProfId1SN=RC -ProfId2SN=NINEA +ProfId1SN=আরসি +ProfId2SN=নিনা ProfId3SN=- ProfId4SN=- ProfId5SN=- ProfId6SN=- ProfId1TN=Prof Id 1 (RC) -ProfId2TN=Prof Id 2 (Fiscal matricule) +ProfId2TN=প্রফেসর আইডি 2 (ফিসকাল ম্যাট্রিকুল) ProfId3TN=Prof Id 3 (Douane code) ProfId4TN=Prof Id 4 (BAN) ProfId5TN=- ProfId6TN=- -ProfId1US=Prof Id (FEIN) +ProfId1US=অধ্যাপক আইডি (FEIN) ProfId2US=- ProfId3US=- ProfId4US=- @@ -275,7 +301,7 @@ ProfId1RO=Prof Id 1 (CUI) ProfId2RO=Prof Id 2 (Nr. Înmatriculare) ProfId3RO=Prof Id 3 (CAEN) ProfId4RO=Prof Id 5 (EUID) -ProfId5RO=Prof Id 5 (EORI number) +ProfId5RO=Prof Id 5 (EORI নম্বর) ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) @@ -283,213 +309,222 @@ ProfId3RU=Prof Id 3 (KPP) ProfId4RU=Prof Id 4 (OKPO) ProfId5RU=- ProfId6RU=- -ProfId1UA=Prof Id 1 (EDRPOU) +ProfId1UA=প্রফেসর আইডি 1 (EDRPOU) ProfId2UA=Prof Id 2 (DRFO) ProfId3UA=Prof Id 3 (INN) -ProfId4UA=Prof Id 4 (Certificate) +ProfId4UA=প্রফেসর আইডি 4 (সার্টিফিকেট) ProfId5UA=Prof Id 5 (RNOKPP) ProfId6UA=Prof Id 6 (TRDPAU) -ProfId1DZ=RC -ProfId2DZ=Art. +ProfId1DZ=আরসি +ProfId2DZ=শিল্প. ProfId3DZ=NIF -ProfId4DZ=NIS -VATIntra=VAT ID -VATIntraShort=VAT ID -VATIntraSyntaxIsValid=Syntax is valid -VATReturn=VAT return -ProspectCustomer=Prospect / Customer -Prospect=Prospect -CustomerCard=Customer Card -Customer=Customer -CustomerRelativeDiscount=Relative customer discount -SupplierRelativeDiscount=Relative vendor discount -CustomerRelativeDiscountShort=Relative discount -CustomerAbsoluteDiscountShort=Absolute discount -CompanyHasRelativeDiscount=This customer has a default discount of %s%% -CompanyHasNoRelativeDiscount=This customer has no relative discount by default -HasRelativeDiscountFromSupplier=You have a default discount of %s%% from this vendor -HasNoRelativeDiscountFromSupplier=You have no default relative discount from this vendor -CompanyHasAbsoluteDiscount=This customer has discounts available (credits notes or down payments) for %s %s -CompanyHasDownPaymentOrCommercialDiscount=This customer has discounts available (commercial, down payments) for %s %s -CompanyHasCreditNote=This customer still has credit notes for %s %s -HasNoAbsoluteDiscountFromSupplier=You have no discount credit available from this vendor -HasAbsoluteDiscountFromSupplier=You have discounts available (credits notes or down payments) for %s %s from this vendor -HasDownPaymentOrCommercialDiscountFromSupplier=You have discounts available (commercial, down payments) for %s %s from this vendor -HasCreditNoteFromSupplier=You have credit notes for %s %s from this vendor -CompanyHasNoAbsoluteDiscount=This customer has no discount credit available -CustomerAbsoluteDiscountAllUsers=Absolute customer discounts (granted by all users) -CustomerAbsoluteDiscountMy=Absolute customer discounts (granted by yourself) -SupplierAbsoluteDiscountAllUsers=Absolute vendor discounts (entered by all users) -SupplierAbsoluteDiscountMy=Absolute vendor discounts (entered by yourself) -DiscountNone=None -Vendor=Vendor -Supplier=Vendor -AddContact=Create contact -AddContactAddress=Create contact/address -EditContact=Edit contact -EditContactAddress=Edit contact/address -Contact=Contact/Address -Contacts=Contacts/Addresses -ContactId=Contact id -ContactsAddresses=Contacts/Addresses -FromContactName=Name: -NoContactDefinedForThirdParty=No contact defined for this third party -NoContactDefined=No contact defined -DefaultContact=Default contact/address -ContactByDefaultFor=Default contact/address for -AddThirdParty=Create third party -DeleteACompany=Delete a company -PersonalInformations=Personal data -AccountancyCode=Accounting account -CustomerCode=Customer Code -SupplierCode=Vendor Code -CustomerCodeShort=Customer Code -SupplierCodeShort=Vendor Code -CustomerCodeDesc=Customer Code, unique for all customers -SupplierCodeDesc=Vendor Code, unique for all vendors -RequiredIfCustomer=Required if third party is a customer or prospect -RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by the module -ThisIsModuleRules=Rules for this module -ProspectToContact=Prospect to contact -CompanyDeleted=Company "%s" deleted from database. -ListOfContacts=List of contacts/addresses -ListOfContactsAddresses=List of contacts/addresses -ListOfThirdParties=List of Third Parties -ShowCompany=Third Party -ShowContact=Contact-Address -ContactsAllShort=All (No filter) -ContactType=Contact type -ContactForOrders=Order's contact -ContactForOrdersOrShipments=Order's or shipment's contact -ContactForProposals=Proposal's contact -ContactForContracts=Contract's contact -ContactForInvoices=Invoice's contact -NoContactForAnyOrder=This contact is not a contact for any order -NoContactForAnyOrderOrShipments=This contact is not a contact for any order or shipment -NoContactForAnyProposal=This contact is not a contact for any commercial proposal -NoContactForAnyContract=This contact is not a contact for any contract -NoContactForAnyInvoice=This contact is not a contact for any invoice -NewContact=New contact -NewContactAddress=New Contact/Address -MyContacts=My contacts -Capital=Capital -CapitalOf=Capital of %s -EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer or vendor -VATIntraCheck=Check -VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do -VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commission website -VATIntraManualCheck=You can also check manually on the European Commission website %s -ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s). -NorProspectNorCustomer=Not prospect, nor customer -JuridicalStatus=Business entity type -Workforce=Workforce -Staff=Employees -ProspectLevelShort=Potential -ProspectLevel=Prospect potential -ContactPrivate=Private -ContactPublic=Shared -ContactVisibility=Visibility -ContactOthers=Other -OthersNotLinkedToThirdParty=Others, not linked to a third party -ProspectStatus=Prospect status -PL_NONE=None -PL_UNKNOWN=Unknown -PL_LOW=Low -PL_MEDIUM=Medium -PL_HIGH=High +ProfId4DZ=এনআইএস +VATIntra=ভ্যাট আইডি +VATIntraShort=ভ্যাট আইডি +VATIntraSyntaxIsValid=সিনট্যাক্স বৈধ +VATReturn=ভ্যাট রিটার্ন +ProspectCustomer=প্রত্যাশা গ্রাহক +Prospect=সম্ভাবনা +CustomerCard=গ্রাহক কার্ড +Customer=ক্রেতা +CustomerRelativeDiscount=আপেক্ষিক গ্রাহক ডিসকাউন্ট +SupplierRelativeDiscount=আপেক্ষিক বিক্রেতা ডিসকাউন্ট +CustomerRelativeDiscountShort=আপেক্ষিক ছাড় +CustomerAbsoluteDiscountShort=পরম ছাড় +CompanyHasRelativeDiscount=এই গ্রাহকের ডিফল্ট ডিসকাউন্ট %s%% +CompanyHasNoRelativeDiscount=এই গ্রাহকের ডিফল্টরূপে কোন আপেক্ষিক ডিসকাউন্ট নেই +HasRelativeDiscountFromSupplier=আপনার ডিফল্ট ডিসকাউন্ট %s%% এই বিক্রেতার সাথে +HasNoRelativeDiscountFromSupplier=এই বিক্রেতার সাথে কোন ডিফল্ট আপেক্ষিক ডিসকাউন্ট +CompanyHasAbsoluteDiscount=এই গ্রাহকের %sb09a4b739f17fz0এর জন্য ডিসকাউন্ট উপলব্ধ (ক্রেডিট নোট বা ডাউন পেমেন্ট) span> %s +CompanyHasDownPaymentOrCommercialDiscount=এই গ্রাহকের %sএর জন্য ডিসকাউন্ট উপলব্ধ (বাণিজ্যিক, ডাউন পেমেন্ট) > %s +CompanyHasCreditNote=এই গ্রাহকের কাছে এখনও %s %s +HasNoAbsoluteDiscountFromSupplier=এই বিক্রেতা থেকে কোন ডিসকাউন্ট/ক্রেডিট উপলব্ধ +HasAbsoluteDiscountFromSupplier=%sএর জন্য আপনার কাছে ছাড় রয়েছে (ক্রেডিট নোট বা ডাউন পেমেন্ট) > %s এই বিক্রেতার কাছ থেকে +HasDownPaymentOrCommercialDiscountFromSupplier=%sএর জন্য আপনার কাছে ছাড় রয়েছে (বাণিজ্যিক, ডাউন পেমেন্ট) এই বিক্রেতার কাছ থেকে %s +HasCreditNoteFromSupplier=আপনার কাছে %s %s এই বিক্রেতা থেকে +CompanyHasNoAbsoluteDiscount=এই গ্রাহকের কোন ডিসকাউন্ট ক্রেডিট উপলব্ধ নেই +CustomerAbsoluteDiscountAllUsers=নিখুঁত গ্রাহক ছাড় (সমস্ত ব্যবহারকারীদের দ্বারা প্রদত্ত) +CustomerAbsoluteDiscountMy=সম্পূর্ণ গ্রাহক ছাড় (নিজের দ্বারা প্রদত্ত) +SupplierAbsoluteDiscountAllUsers=সম্পূর্ণ বিক্রেতা ছাড় (সমস্ত ব্যবহারকারীদের দ্বারা প্রবেশ করানো) +SupplierAbsoluteDiscountMy=সম্পূর্ণ বিক্রেতা ছাড় (নিজের দ্বারা প্রবেশ করানো) +DiscountNone=কোনোটিই নয় +Vendor=বিক্রেতা +Supplier=বিক্রেতা +AddContact=যোগাযোগ তৈরি করুন +AddContactAddress=যোগাযোগ/ঠিকানা তৈরি করুন +EditContact=সম্পাদনা করুন +EditContactAddress=যোগাযোগ/ঠিকানা সম্পাদনা করুন +Contact=যোগাযোগের ঠিকানা +Contacts=পরিচিতি/ঠিকানা +ContactId=যোগাযোগ আইডি +ContactsAddresses=পরিচিতি/ঠিকানা +FromContactName=নাম: +NoContactDefinedForThirdParty=এই তৃতীয় পক্ষের জন্য কোনো যোগাযোগ সংজ্ঞায়িত করা হয়নি +NoContactDefined=কোন যোগাযোগ সংজ্ঞায়িত +DefaultContact=ডিফল্ট যোগাযোগ/ঠিকানা +ContactByDefaultFor=এর জন্য ডিফল্ট যোগাযোগ/ঠিকানা +AddThirdParty=তৃতীয় পক্ষ তৈরি করুন +DeleteACompany=একটি কোম্পানি মুছুন +PersonalInformations=ব্যক্তিগত তথ্য +AccountancyCode=অ্যাকাউন্টিং অ্যাকাউন্ট +CustomerCode=গ্রাহক কোড +SupplierCode=বিক্রেতার কোড +CustomerCodeShort=গ্রাহক কোড +SupplierCodeShort=বিক্রেতার কোড +CustomerCodeDesc=গ্রাহক কোড, সমস্ত গ্রাহকদের জন্য অনন্য +SupplierCodeDesc=বিক্রেতা কোড, সমস্ত বিক্রেতাদের জন্য অনন্য +RequiredIfCustomer=তৃতীয় পক্ষ একজন গ্রাহক বা সম্ভাবনা হলে প্রয়োজনীয় +RequiredIfSupplier=তৃতীয় পক্ষ একজন বিক্রেতা হলে প্রয়োজনীয় +ValidityControledByModule=বৈধতা মডিউল দ্বারা নিয়ন্ত্রিত +ThisIsModuleRules=এই মডিউল জন্য নিয়ম +ProspectToContact=যোগাযোগের সম্ভাবনা +CompanyDeleted=কোম্পানি "%s" ডাটাবেস থেকে মুছে ফেলা হয়েছে। +ListOfContacts=পরিচিতি/ঠিকানার তালিকা +ListOfContactsAddresses=পরিচিতি/ঠিকানার তালিকা +ListOfThirdParties=তৃতীয় পক্ষের তালিকা +ShowCompany=তৃতীয় পক্ষ +ShowContact=যোগাযোগের ঠিকানা +ContactsAllShort=সব (কোন ফিল্টার নেই) +ContactType=যোগাযোগ ভূমিকা +ContactForOrders=অর্ডার এর যোগাযোগ +ContactForOrdersOrShipments=অর্ডার বা চালানের যোগাযোগ +ContactForProposals=প্রস্তাবের যোগাযোগ +ContactForContracts=চুক্তির যোগাযোগ +ContactForInvoices=চালানের যোগাযোগ +NoContactForAnyOrder=এই যোগাযোগ কোন অর্ডার জন্য একটি যোগাযোগ নয় +NoContactForAnyOrderOrShipments=এই যোগাযোগ কোন অর্ডার বা চালানের জন্য একটি যোগাযোগ নয় +NoContactForAnyProposal=এই যোগাযোগ কোনো বাণিজ্যিক প্রস্তাবের জন্য একটি যোগাযোগ নয় +NoContactForAnyContract=এই যোগাযোগ কোন চুক্তির জন্য একটি পরিচিতি নয় +NoContactForAnyInvoice=এই পরিচিতি কোনো চালানের জন্য একটি পরিচিতি নয় +NewContact=নতুন কন্টাক্ট +NewContactAddress=নতুন যোগাযোগ/ঠিকানা +MyContacts=আমার যোগাযোগ +Capital=মূলধন +CapitalOf=%s এর মূলধন +EditCompany=কোম্পানি সম্পাদনা করুন +ThisUserIsNot=এই ব্যবহারকারী একটি সম্ভাবনা, গ্রাহক বা বিক্রেতা নয় +VATIntraCheck=চেক করুন +VATIntraCheckDesc=ভ্যাট আইডিতে অবশ্যই দেশের উপসর্গ থাকতে হবে। লিঙ্ক %s ইউরোপীয় ভ্যাট চেকার পরিষেবা (VIES) ব্যবহার করে যার জন্য Dolibarr সার্ভার থেকে ইন্টারনেট অ্যাক্সেস প্রয়োজন। +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation +VATIntraCheckableOnEUSite=ইউরোপীয় কমিশনের ওয়েবসাইটে ইন্ট্রা-কমিউনিটি ভ্যাট আইডি চেক করুন +VATIntraManualCheck=এছাড়াও আপনি ইউরোপীয় কমিশনের ওয়েবসাইটে ম্যানুয়ালি চেক করতে পারেন %s +ErrorVATCheckMS_UNAVAILABLE=চেক করা সম্ভব নয়। সদস্য রাষ্ট্র দ্বারা চেক পরিষেবা প্রদান করা হয় না (%s)। +NorProspectNorCustomer=না সম্ভাবনা, না গ্রাহক +JuridicalStatus=ব্যবসায়িক সত্তার ধরন +Workforce=কর্মশক্তি +Staff=কর্মচারীদের +ProspectLevelShort=সম্ভাব্য +ProspectLevel=সম্ভাবনা সম্ভাবনা +ContactPrivate=ব্যক্তিগত +ContactPublic=শেয়ার করা হয়েছে +ContactVisibility=দৃশ্যমানতা +ContactOthers=অন্যান্য +OthersNotLinkedToThirdParty=অন্যরা, তৃতীয় পক্ষের সাথে সংযুক্ত নয় +ProspectStatus=সম্ভাবনা অবস্থা +PL_NONE=কোনোটিই নয় +PL_UNKNOWN=অজানা +PL_LOW=কম +PL_MEDIUM=মধ্যম +PL_HIGH=উচ্চ TE_UNKNOWN=- -TE_STARTUP=Startup -TE_GROUP=Large company -TE_MEDIUM=Medium company -TE_ADMIN=Governmental -TE_SMALL=Small company -TE_RETAIL=Retailer -TE_WHOLE=Wholesaler -TE_PRIVATE=Private individual -TE_OTHER=Other -StatusProspect-1=Do not contact -StatusProspect0=Never contacted -StatusProspect1=To be contacted -StatusProspect2=Contact in process -StatusProspect3=Contact done -ChangeDoNotContact=Change status to 'Do not contact' -ChangeNeverContacted=Change status to 'Never contacted' -ChangeToContact=Change status to 'To be contacted' -ChangeContactInProcess=Change status to 'Contact in process' -ChangeContactDone=Change status to 'Contact done' -ProspectsByStatus=Prospects by status -NoParentCompany=None -ExportCardToFormat=Export card to format -ContactNotLinkedToCompany=Contact not linked to any third party -DolibarrLogin=Dolibarr login -NoDolibarrAccess=No Dolibarr access -ExportDataset_company_1=Third-parties (companies/foundations/physical people) and their properties -ExportDataset_company_2=Contacts and their properties -ImportDataset_company_1=Third-parties and their properties -ImportDataset_company_2=Third-parties additional contacts/addresses and attributes -ImportDataset_company_3=Third-parties Bank accounts -ImportDataset_company_4=Third-parties Sales representatives (assign sales representatives/users to companies) -PriceLevel=Price Level -PriceLevelLabels=Price Level Labels -DeliveryAddress=Delivery address -AddAddress=Add address -SupplierCategory=Vendor category -JuridicalStatus200=Independent -DeleteFile=Delete file -ConfirmDeleteFile=Are you sure you want to delete this file? -AllocateCommercial=Assigned to sales representative -Organization=Organization -FiscalYearInformation=Fiscal Year -FiscalMonthStart=Starting month of the fiscal year -SocialNetworksInformation=Social networks -SocialNetworksFacebookURL=Facebook URL -SocialNetworksTwitterURL=Twitter URL -SocialNetworksLinkedinURL=Linkedin URL -SocialNetworksInstagramURL=Instagram URL -SocialNetworksYoutubeURL=Youtube URL +TE_STARTUP=স্টার্টআপ +TE_GROUP=বড় কোম্পানি +TE_MEDIUM=মাঝারি কোম্পানি +TE_ADMIN=সরকারী +TE_SMALL=ছোট কোম্পানি +TE_RETAIL=খুচরা বিক্রেতা +TE_WHOLE=পাইকারী বিক্রেতা +TE_PRIVATE=একান্ত ব্যক্তিগত +TE_OTHER=অন্যান্য +StatusProspect-1=যোগাযোগ করবেন না +StatusProspect0=কখনো যোগাযোগ করেনি +StatusProspect1=যোগাযোগ করা হবে +StatusProspect2=প্রক্রিয়াধীন যোগাযোগ +StatusProspect3=যোগাযোগ সম্পন্ন +ChangeDoNotContact=স্থিতি পরিবর্তন করুন 'যোগাযোগ করবেন না' +ChangeNeverContacted='কখনও যোগাযোগ করা হয়নি' স্থিতি পরিবর্তন করুন +ChangeToContact=স্থিতি পরিবর্তন করে 'যোগাযোগ করতে হবে' +ChangeContactInProcess='প্রক্রিয়ায় যোগাযোগ' স্থিতি পরিবর্তন করুন +ChangeContactDone='যোগাযোগ সম্পন্ন' স্থিতি পরিবর্তন করুন +ProspectsByStatus=অবস্থা দ্বারা সম্ভাবনা +NoParentCompany=কোনোটিই নয় +ExportCardToFormat=ফরম্যাটে কার্ড রপ্তানি করুন +ContactNotLinkedToCompany=যোগাযোগ কোনো তৃতীয় পক্ষের সাথে লিঙ্ক করা নেই +DolibarrLogin=Dolibarr লগইন +NoDolibarrAccess=Dolibarr অ্যাক্সেস নেই +ExportDataset_company_1=তৃতীয় পক্ষ (কোম্পানী/ফাউন্ডেশন/ভৌতিক ব্যক্তি) এবং তাদের বৈশিষ্ট্য +ExportDataset_company_2=পরিচিতি এবং তাদের বৈশিষ্ট্য +ImportDataset_company_1=তৃতীয় পক্ষ এবং তাদের বৈশিষ্ট্য +ImportDataset_company_2=তৃতীয় পক্ষের অতিরিক্ত পরিচিতি/ঠিকানা এবং বৈশিষ্ট্য +ImportDataset_company_3=তৃতীয় পক্ষের ব্যাঙ্ক অ্যাকাউন্ট +ImportDataset_company_4=তৃতীয় পক্ষের বিক্রয় প্রতিনিধি (কোম্পানিগুলিতে বিক্রয় প্রতিনিধি/ব্যবহারকারীকে বরাদ্দ করুন) +PriceLevel=মূল্যস্তর +PriceLevelLabels=মূল্য স্তর লেবেল +DeliveryAddress=সরবরাহের ঠিকানা +AddAddress=ঠিকানা যোগ করুন +SupplierCategory=বিক্রেতা বিভাগ +JuridicalStatus200=স্বাধীন +DeleteFile=নথিপত্র মুছে দাও +ConfirmDeleteFile=আপনি কি এই ফাইলটি %s মুছতে চান? +AllocateCommercial=বিক্রয় প্রতিনিধিকে নিয়োগ করা হয়েছে +Organization=সংগঠন +FiscalYearInformation=অর্থবছর +FiscalMonthStart=অর্থবছরের শুরুর মাস +SocialNetworksInformation=সামাজিক যোগাযোগ +SocialNetworksFacebookURL=ফেসবুক ইউআরএল +SocialNetworksTwitterURL=টুইটার ইউআরএল +SocialNetworksLinkedinURL=লিঙ্কডইন ইউআরএল +SocialNetworksInstagramURL=ইনস্টাগ্রাম ইউআরএল +SocialNetworksYoutubeURL=ইউটিউব ইউআরএল SocialNetworksGithubURL=Github URL -YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. -YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party -ListSuppliersShort=List of Vendors -ListProspectsShort=List of Prospects -ListCustomersShort=List of Customers -ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s Third Parties which were modified -UniqueThirdParties=Total number of Third Parties -InActivity=Open -ActivityCeased=Closed -ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services mapped to %s -CurrentOutstandingBill=Current outstanding bill -OutstandingBill=Max. for outstanding bill -OutstandingBillReached=Max. for outstanding bill reached -OrderMinAmount=Minimum amount for order -MonkeyNumRefModelDesc=Return a number in the format %syymm-nnnn for the customer code and %syymm-nnnn for the vendor code where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0. -LeopardNumRefModelDesc=The code is free. This code can be modified at any time. -ManagingDirectors=Manager(s) name (CEO, director, president...) -MergeOriginThirdparty=Duplicate third party (third party you want to delete) -MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. -ThirdpartiesMergeSuccess=Third parties have been merged -SaleRepresentativeLogin=Login of sales representative -SaleRepresentativeFirstname=First name of sales representative -SaleRepresentativeLastname=Last name of sales representative -ErrorThirdpartiesMerge=There was an error when deleting the third parties. Please check the log. Changes have been reverted. -NewCustomerSupplierCodeProposed=Customer or Vendor code already used, a new code is suggested -KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address +YouMustAssignUserMailFirst=একটি ইমেল বিজ্ঞপ্তি যোগ করতে সক্ষম হওয়ার আগে আপনাকে অবশ্যই এই ব্যবহারকারীর জন্য একটি ইমেল তৈরি করতে হবে৷ +YouMustCreateContactFirst=ইমেল বিজ্ঞপ্তি যোগ করতে সক্ষম হতে, আপনাকে প্রথমে তৃতীয় পক্ষের জন্য বৈধ ইমেল সহ পরিচিতিগুলিকে সংজ্ঞায়িত করতে হবে +ListSuppliersShort=বিক্রেতাদের তালিকা +ListProspectsShort=সম্ভাবনার তালিকা +ListCustomersShort=গ্রাহকদের তালিকা +ThirdPartiesArea=তৃতীয় পক্ষ/পরিচিতি +LastModifiedThirdParties=সর্বশেষ %s তৃতীয় পক্ষ যা সংশোধন করা হয়েছে +UniqueThirdParties=তৃতীয় পক্ষের মোট সংখ্যা +InActivity=খোলা +ActivityCeased=বন্ধ +ThirdPartyIsClosed=তৃতীয় পক্ষ বন্ধ +ProductsIntoElements=%s এ ম্যাপ করা পণ্য/পরিষেবার তালিকা +CurrentOutstandingBill=বর্তমান বকেয়া বিল +OutstandingBill=সর্বোচ্চ বকেয়া বিলের জন্য +OutstandingBillReached=সর্বোচ্চ বকেয়া বিল পৌঁছনোর জন্য +OrderMinAmount=অর্ডারের জন্য সর্বনিম্ন পরিমাণ +MonkeyNumRefModelDesc=ফরম্যাটে একটি নম্বর ফেরত দিন %sগ্রাহকের কোডের জন্য yymm-nnnn এবং %sযেখানে yy আছে সেই বিক্রেতার কোডের জন্য yymm-nnnn বছর, mm হল মাস এবং nnnn হল একটি ক্রমিক স্বয়ংক্রিয়ভাবে বৃদ্ধি করা সংখ্যা যার কোন বিরতি নেই এবং 0 এ ফেরত নেই। +LeopardNumRefModelDesc=কোড বিনামূল্যে. এই কোড যে কোন সময় পরিবর্তন করা যেতে পারে. +ManagingDirectors=ম্যানেজার(দের) নাম (সিইও, ডিরেক্টর, প্রেসিডেন্ট...) +MergeOriginThirdparty=সদৃশ তৃতীয় পক্ষ (তৃতীয় পক্ষ আপনি মুছতে চান) +MergeThirdparties=তৃতীয় পক্ষকে একত্রিত করুন +ConfirmMergeThirdparties=আপনি কি বর্তমানের সাথে নির্বাচিত তৃতীয় পক্ষকে মার্জ করার বিষয়ে নিশ্চিত? সমস্ত লিঙ্ক করা বস্তু (চালান, আদেশ, ...) বর্তমান তৃতীয় পক্ষের কাছে সরানো হবে, তারপরে নির্বাচিত তৃতীয় পক্ষ মুছে ফেলা হবে৷ +ThirdpartiesMergeSuccess=তৃতীয় পক্ষকে একীভূত করা হয়েছে +SaleRepresentativeLogin=বিক্রয় প্রতিনিধির লগইন +SaleRepresentativeFirstname=বিক্রয় প্রতিনিধির প্রথম নাম +SaleRepresentativeLastname=বিক্রয় প্রতিনিধির শেষ নাম +ErrorThirdpartiesMerge=তৃতীয় পক্ষগুলি মুছে ফেলার সময় একটি ত্রুটি ছিল৷ লগ চেক করুন. পরিবর্তন প্রত্যাবর্তন করা হয়েছে. +NewCustomerSupplierCodeProposed=গ্রাহক বা বিক্রেতা কোড ইতিমধ্যে ব্যবহৃত, একটি নতুন কোড প্রস্তাবিত হয় +KeepEmptyIfGenericAddress=এই ঠিকানাটি একটি জেনেরিক ঠিকানা হলে এই ক্ষেত্রটি খালি রাখুন৷ #Imports -PaymentTypeCustomer=Payment Type - Customer -PaymentTermsCustomer=Payment Terms - Customer -PaymentTypeSupplier=Payment Type - Vendor -PaymentTermsSupplier=Payment Term - Vendor -PaymentTypeBoth=Payment Type - Customer and Vendor -MulticurrencyUsed=Use Multicurrency -MulticurrencyCurrency=Currency -InEEC=Europe (EEC) -RestOfEurope=Rest of Europe (EEC) -OutOfEurope=Out of Europe (EEC) -CurrentOutstandingBillLate=Current outstanding bill late -BecarefullChangeThirdpartyBeforeAddProductToInvoice=Be carefull, depending on your product price settings, you should change thirdparty before adding product to POS. +PaymentTypeCustomer=পেমেন্টের ধরন - গ্রাহক +PaymentTermsCustomer=অর্থপ্রদানের শর্তাবলী - গ্রাহক +PaymentTypeSupplier=অর্থপ্রদানের ধরন - বিক্রেতা +PaymentTermsSupplier=অর্থপ্রদানের মেয়াদ - বিক্রেতা +PaymentTypeBoth=অর্থপ্রদানের ধরন - গ্রাহক এবং বিক্রেতা +MulticurrencyUsed=মাল্টিকারেন্সি ব্যবহার করুন +MulticurrencyCurrency=মুদ্রা +InEEC=ইউরোপ (EEC) +RestOfEurope=ইউরোপের বাকি অংশ (EEC) +OutOfEurope=ইউরোপের বাইরে (EEC) +CurrentOutstandingBillLate=বর্তমান বকেয়া বিল বিলম্বিত +BecarefullChangeThirdpartyBeforeAddProductToInvoice=সতর্ক থাকুন, আপনার পণ্যের মূল্য সেটিংসের উপর নির্ভর করে, আপনার POS-এ পণ্য যোগ করার আগে তৃতীয় পক্ষ পরিবর্তন করা উচিত। +EmailAlreadyExistsPleaseRewriteYourCompanyName=ইমেল ইতিমধ্যেই বিদ্যমান আছে অনুগ্রহ করে আপনার কোম্পানির নাম পুনরায় লিখুন +TwoRecordsOfCompanyName=এই কোম্পানির জন্য একাধিক রেকর্ড বিদ্যমান, আপনার অংশীদারিত্বের অনুরোধ সম্পূর্ণ করতে আমাদের সাথে যোগাযোগ করুন +CompanySection=কোম্পানি বিভাগ +ShowSocialNetworks=সামাজিক নেটওয়ার্ক দেখান +HideSocialNetworks=সামাজিক নেটওয়ার্ক লুকান +ExternalSystemID=বাহ্যিক সিস্টেম আইডি +IDOfPaymentInAnExternalSystem=একটি বাহ্যিক সিস্টেমে পেমেন্ট মোডের আইডি (যেমন স্ট্রাইপ, পেপ্যাল, ...) +AADEWebserviceCredentials=AADE ওয়েবসার্ভিস শংসাপত্র +ThirdPartyMustBeACustomerToCreateBANOnStripe=স্ট্রাইপ সাইডে তার ব্যাঙ্কের তথ্য তৈরি করার অনুমতি দেওয়ার জন্য তৃতীয় পক্ষকে অবশ্যই একজন গ্রাহক হতে হবে diff --git a/htdocs/langs/bn_IN/compta.lang b/htdocs/langs/bn_IN/compta.lang index 640a229b7f2..2fe53cc44da 100644 --- a/htdocs/langs/bn_IN/compta.lang +++ b/htdocs/langs/bn_IN/compta.lang @@ -1,300 +1,314 @@ # Dolibarr language file - Source file is en_US - compta -MenuFinancial=Billing | Payment -TaxModuleSetupToModifyRules=Go to Taxes module setup to modify rules for calculation -TaxModuleSetupToModifyRulesLT=Go to Company setup to modify rules for calculation -OptionMode=Option for accountancy -OptionModeTrue=Option Incomes-Expenses -OptionModeVirtual=Option Claims-Debts -OptionModeTrueDesc=In this context, the turnover is calculated over payments (date of payments). The validity of the figures is assured only if the book-keeping is scrutinized through the input/output on the accounts via invoices. -OptionModeVirtualDesc=In this context, the turnover is calculated over invoices (date of validation). When these invoices are due, whether they have been paid or not, they are listed in the turnover output. -FeatureIsSupportedInInOutModeOnly=Feature only available in CREDITS-DEBTS accountancy mode (See Accountancy module configuration) -VATReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Tax module setup. -LTReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Company setup. -Param=Setup -RemainingAmountPayment=Amount payment remaining: -Account=Account -Accountparent=Parent account -Accountsparent=Parent accounts -Income=Income -Outcome=Expense -MenuReportInOut=Income / Expense -ReportInOut=Balance of income and expenses -ReportTurnover=Turnover invoiced -ReportTurnoverCollected=Turnover collected -PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party -PaymentsNotLinkedToUser=Payments not linked to any user -Profit=Profit -AccountingResult=Accounting result -BalanceBefore=Balance (before) -Balance=Balance -Debit=Debit -Credit=Credit -Piece=Accounting Doc. -AmountHTVATRealReceived=Net collected -AmountHTVATRealPaid=Net paid -VATToPay=Tax sales -VATReceived=Tax received -VATToCollect=Tax purchases -VATSummary=Tax monthly -VATBalance=Tax Balance -VATPaid=Tax paid -LT1Summary=Tax 2 summary -LT2Summary=Tax 3 summary -LT1SummaryES=RE Balance -LT2SummaryES=IRPF Balance -LT1SummaryIN=CGST Balance -LT2SummaryIN=SGST Balance -LT1Paid=Tax 2 paid -LT2Paid=Tax 3 paid -LT1PaidES=RE Paid -LT2PaidES=IRPF Paid -LT1PaidIN=CGST Paid -LT2PaidIN=SGST Paid -LT1Customer=Tax 2 sales -LT1Supplier=Tax 2 purchases -LT1CustomerES=RE sales -LT1SupplierES=RE purchases -LT1CustomerIN=CGST sales -LT1SupplierIN=CGST purchases -LT2Customer=Tax 3 sales -LT2Supplier=Tax 3 purchases -LT2CustomerES=IRPF sales -LT2SupplierES=IRPF purchases -LT2CustomerIN=SGST sales -LT2SupplierIN=SGST purchases -VATCollected=VAT collected -StatusToPay=To pay -SpecialExpensesArea=Area for all special payments -VATExpensesArea=Area for all TVA payments -SocialContribution=Social or fiscal tax -SocialContributions=Social or fiscal taxes -SocialContributionsDeductibles=Deductible social or fiscal taxes -SocialContributionsNondeductibles=Nondeductible social or fiscal taxes -DateOfSocialContribution=Date of social or fiscal tax -LabelContrib=Label contribution -TypeContrib=Type contribution -MenuSpecialExpenses=Special expenses -MenuTaxAndDividends=Taxes and dividends -MenuSocialContributions=Social/fiscal taxes -MenuNewSocialContribution=New social/fiscal tax -NewSocialContribution=New social/fiscal tax -AddSocialContribution=Add social/fiscal tax -ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Billing and payment area -NewPayment=New payment -PaymentCustomerInvoice=Customer invoice payment -PaymentSupplierInvoice=vendor invoice payment -PaymentSocialContribution=Social/fiscal tax payment -PaymentVat=VAT payment -AutomaticCreationPayment=Automatically record the payment -ListPayment=List of payments -ListOfCustomerPayments=List of customer payments -ListOfSupplierPayments=List of vendor payments -DateStartPeriod=Date start period -DateEndPeriod=Date end period -newLT1Payment=New tax 2 payment -newLT2Payment=New tax 3 payment -LT1Payment=Tax 2 payment -LT1Payments=Tax 2 payments -LT2Payment=Tax 3 payment -LT2Payments=Tax 3 payments -newLT1PaymentES=New RE payment -newLT2PaymentES=New IRPF payment -LT1PaymentES=RE Payment -LT1PaymentsES=RE Payments -LT2PaymentES=IRPF Payment -LT2PaymentsES=IRPF Payments -VATPayment=Sales tax payment -VATPayments=Sales tax payments -VATDeclarations=VAT declarations -VATDeclaration=VAT declaration -VATRefund=Sales tax refund -NewVATPayment=New sales tax payment -NewLocalTaxPayment=New tax %s payment -Refund=Refund -SocialContributionsPayments=Social/fiscal taxes payments -ShowVatPayment=Show VAT payment -TotalToPay=Total to pay -BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters) -CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=Vendor accounting code -CustomerAccountancyCodeShort=Cust. account. code -SupplierAccountancyCodeShort=Sup. account. code -AccountNumber=Account number -NewAccountingAccount=New account -Turnover=Turnover invoiced -TurnoverCollected=Turnover collected -SalesTurnoverMinimum=Minimum turnover -ByExpenseIncome=By expenses & incomes -ByThirdParties=By third parties -ByUserAuthorOfInvoice=By invoice author -CheckReceipt=Check deposit -CheckReceiptShort=Check deposit -LastCheckReceiptShort=Latest %s check receipts -NewCheckReceipt=New discount -NewCheckDeposit=New check deposit -NewCheckDepositOn=Create receipt for deposit on account: %s -NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check receiving date -NbOfCheques=No. of checks -PaySocialContribution=Pay a social/fiscal tax -PayVAT=Pay a VAT declaration -PaySalary=Pay a salary card -ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid ? -ConfirmPayVAT=Are you sure you want to classify this VAT declaration as paid ? -ConfirmPaySalary=Are you sure you want to classify this salary card as paid? -DeleteSocialContribution=Delete a social or fiscal tax payment -DeleteVAT=Delete a VAT declaration -DeleteSalary=Delete a salary card -ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment ? -ConfirmDeleteVAT=Are you sure you want to delete this VAT declaration ? -ConfirmDeleteSalary=Are you sure you want to delete this salary? -ExportDataset_tax_1=Social and fiscal taxes and payments -CalcModeVATDebt=Mode %sVAT on commitment accounting%s. -CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s. -CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger. -CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger. -CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table. -CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s -CalcModeLT1Debt=Mode %sRE on customer invoices%s -CalcModeLT1Rec= Mode %sRE on suppliers invoices%s -CalcModeLT2= Mode %sIRPF on customer invoices - suppliers invoices%s -CalcModeLT2Debt=Mode %sIRPF on customer invoices%s -CalcModeLT2Rec= Mode %sIRPF on suppliers invoices%s -AnnualSummaryDueDebtMode=Balance of income and expenses, annual summary -AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary -AnnualByCompanies=Balance of income and expenses, by predefined groups of account -AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting. -AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting. -SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger -SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger -SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table -RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included -RulesAmountWithTaxExcluded=- Amounts of invoices shown are with all taxes excluded -RulesResultDue=- It includes all invoices, expenses, VAT, donations, salaries, whether they are paid or not.
      - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries, the date of end of period is used. -RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries.
      - It is based on the payment dates of the invoices, expenses, VAT, donations and salaries. -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
      - It is based on the billing date of these invoices.
      -RulesCAIn=- It includes all the effective payments of invoices received from customers.
      - It is based on the payment date of these invoices
      -RulesCATotalSaleJournal=It includes all credit lines from the Sale journal. -RulesSalesTurnoverOfIncomeAccounts=It includes (credit - debit) of lines for product accounts in group INCOME -RulesAmountOnInOutBookkeepingRecord=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" -RulesResultBookkeepingPredefined=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" -RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting accounts grouped by personalized groups -SeePageForSetup=See menu %s for setup -DepositsAreNotIncluded=- Down payment invoices are not included -DepositsAreIncluded=- Down payment invoices are included -LT1ReportByMonth=Tax 2 report by month -LT2ReportByMonth=Tax 3 report by month -LT1ReportByCustomers=Report tax 2 by third party -LT2ReportByCustomers=Report tax 3 by third party -LT1ReportByCustomersES=Report by third party RE -LT2ReportByCustomersES=Report by third party IRPF -VATReport=Sales tax report -VATReportByPeriods=Sales tax report by period -VATReportByMonth=Sales tax report by month -VATReportByRates=Sales tax report by rate -VATReportByThirdParties=Sales tax report by third party -VATReportByCustomers=Sales tax report by customer -VATReportByCustomersInInputOutputMode=Report by the customer VAT collected and paid -VATReportByQuartersInInputOutputMode=Report by Sales tax rate of the tax collected and paid -VATReportShowByRateDetails=Show details of this rate -LT1ReportByQuarters=Report tax 2 by rate -LT2ReportByQuarters=Report tax 3 by rate -LT1ReportByQuartersES=Report by RE rate -LT2ReportByQuartersES=Report by IRPF rate -SeeVATReportInInputOutputMode=See report %sVAT collection%s for a standard calculation -SeeVATReportInDueDebtMode=See report %sVAT on debit%s for a calculation with an option on the invoicing -RulesVATInServices=- For services, the report includes the VAT of payments actually received or paid on the basis of the date of payment. -RulesVATInProducts=- For material assets, the report includes the VAT on the basis of the date of payment. -RulesVATDueServices=- For services, the report includes VAT of due invoices, paid or not, based on the invoice date. -RulesVATDueProducts=- For material assets, the report includes the VAT of due invoices, based on the invoice date. -OptionVatInfoModuleComptabilite=Note: For material assets, it should use the date of delivery to be more fair. -ThisIsAnEstimatedValue=This is a preview, based on business events and not from the final ledger table, so final results may differ from this preview values -PercentOfInvoice=%%/invoice -NotUsedForGoods=Not used on goods -ProposalStats=Statistics on proposals -OrderStats=Statistics on orders -InvoiceStats=Statistics on bills -Dispatch=Dispatching -Dispatched=Dispatched -ToDispatch=To dispatch -ThirdPartyMustBeEditAsCustomer=Third party must be defined as a customer -SellsJournal=Sales Journal -PurchasesJournal=Purchases Journal -DescSellsJournal=Sales Journal -DescPurchasesJournal=Purchases Journal -CodeNotDef=Not defined -WarningDepositsNotIncluded=Down payment invoices are not included in this version with this accountancy module. -DatePaymentTermCantBeLowerThanObjectDate=Payment term date can't be lower than object date. -Pcg_version=Chart of accounts models -Pcg_type=Pcg type -Pcg_subtype=Pcg subtype -InvoiceLinesToDispatch=Invoice lines to dispatch -ByProductsAndServices=By product and service -RefExt=External ref -ToCreateAPredefinedInvoice=To create a template invoice, create a standard invoice, then, without validating it, click on button "%s". -LinkedOrder=Link to order -Mode1=Method 1 -Mode2=Method 2 -CalculationRuleDesc=To calculate total VAT, there is two methods:
      Method 1 is rounding vat on each line, then summing them.
      Method 2 is summing all vat on each line, then rounding result.
      Final result may differs from few cents. Default mode is mode %s. -CalculationRuleDescSupplier=According to vendor, choose appropriate method to apply same calculation rule and get same result expected by your vendor. -TurnoverPerProductInCommitmentAccountingNotRelevant=The report of Turnover collected per product is not available. This report is only available for turnover invoiced. -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The report of Turnover collected per sale tax rate is not available. This report is only available for turnover invoiced. -CalculationMode=Calculation mode -AccountancyJournal=Accounting code journal -ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_BUY_ACCOUNT=Accounting account by default for VAT on purchases (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_PAY_ACCOUNT=Accounting account by default for paying VAT -ACCOUNTING_ACCOUNT_CUSTOMER=Accounting account used for customer third parties -ACCOUNTING_ACCOUNT_CUSTOMER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated customer accounting account on third party is not defined. -ACCOUNTING_ACCOUNT_SUPPLIER=Accounting account used for vendor third parties -ACCOUNTING_ACCOUNT_SUPPLIER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated vendor accounting account on third party is not defined. -ConfirmCloneTax=Confirm the clone of a social/fiscal tax -ConfirmCloneVAT=Confirm the clone of a VAT declaration -ConfirmCloneSalary=Confirm the clone of a salary -CloneTaxForNextMonth=Clone it for next month -SimpleReport=Simple report -AddExtraReport=Extra reports (add foreign and national customer report) -OtherCountriesCustomersReport=Foreign customers report -BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=Based on the two first letters of the VAT number being different from your own company's country code -SameCountryCustomersWithVAT=National customers report -BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Based on the two first letters of the VAT number being the same as your own company's country code -LinkedFichinter=Link to an intervention -ImportDataset_tax_contrib=Social/fiscal taxes -ImportDataset_tax_vat=Vat payments -ErrorBankAccountNotFound=Error: Bank account not found -FiscalPeriod=Accounting period -ListSocialContributionAssociatedProject=List of social contributions associated with the project -DeleteFromCat=Remove from accounting group -AccountingAffectation=Accounting assignment -LastDayTaxIsRelatedTo=Last day of period the tax is related to -VATDue=Sale tax claimed -ClaimedForThisPeriod=Claimed for the period -PaidDuringThisPeriod=Paid for this period -PaidDuringThisPeriodDesc=This is the sum of all payments linked to VAT declarations which have an end-of-period date in the selected date range -ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover invoiced by sale tax rate -TurnoverCollectedbyVatrate=Turnover collected by sale tax rate -PurchasebyVatrate=Purchase by sale tax rate -LabelToShow=Short label -PurchaseTurnover=Purchase turnover -PurchaseTurnoverCollected=Purchase turnover collected -RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
      - It is based on the invoice date of these invoices.
      -RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers.
      - It is based on the payment date of these invoices
      -RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal. -RulesPurchaseTurnoverOfExpenseAccounts=It includes (debit - credit) of lines for product accounts in group EXPENSE -ReportPurchaseTurnover=Purchase turnover invoiced -ReportPurchaseTurnoverCollected=Purchase turnover collected -IncludeVarpaysInResults = Include various payments in reports -IncludeLoansInResults = Include loans in reports -InvoiceLate30Days = Invoices late (> 30 days) -InvoiceLate15Days = Invoices late (15 to 30 days) -InvoiceLateMinus15Days = Invoices late (< 15 days) -InvoiceNotLate = To be collected (< 15 days) -InvoiceNotLate15Days = To be collected (15 to 30 days) -InvoiceNotLate30Days = To be collected (> 30 days) -InvoiceToPay=To pay (< 15 days) -InvoiceToPay15Days=To pay (15 to 30 days) -InvoiceToPay30Days=To pay (> 30 days) -ConfirmPreselectAccount=Preselect accountancy code -ConfirmPreselectAccountQuestion=Are you sure you want to preselect the %s selected lines with this accountancy code ? +MenuFinancial=বিলিং | পেমেন্ট +TaxModuleSetupToModifyRules=গণনার নিয়ম পরিবর্তন করতে ট্যাক্স মডিউল সেটআপ এ যান +TaxModuleSetupToModifyRulesLT=গণনার নিয়ম পরিবর্তন করতে কোম্পানি সেটআপ এ যান +OptionMode=অ্যাকাউন্টেন্সির জন্য বিকল্প +OptionModeTrue=বিকল্প আয়-ব্যয় +OptionModeVirtual=বিকল্প দাবি-দেনা +OptionModeTrueDesc=এই প্রসঙ্গে, টার্নওভার অর্থপ্রদানের (অর্থ প্রদানের তারিখ) উপর গণনা করা হয়। ইনভয়েসের মাধ্যমে অ্যাকাউন্টে ইনপুট/আউটপুটের মাধ্যমে বই-কিপিং যাচাই করা হলেই পরিসংখ্যানের বৈধতা নিশ্চিত করা হয়। +OptionModeVirtualDesc=এই প্রেক্ষাপটে, টার্নওভার ইনভয়েসের উপর গণনা করা হয় (বৈধকরণের তারিখ)। যখন এই চালানগুলি বকেয়া থাকে, সেগুলি পরিশোধ করা হয়েছে বা না করা হয়েছে, সেগুলি টার্নওভার আউটপুটে তালিকাভুক্ত করা হয়৷ +FeatureIsSupportedInInOutModeOnly=বৈশিষ্ট্যটি শুধুমাত্র ক্রেডিট-ডেবিটিএস অ্যাকাউন্টেন্সি মোডে উপলব্ধ (অ্যাকাউন্টেন্সি মডিউল কনফিগারেশন দেখুন) +VATReportBuildWithOptionDefinedInModule=এখানে দেখানো পরিমাণ ট্যাক্স মডিউল সেটআপ দ্বারা সংজ্ঞায়িত নিয়ম ব্যবহার করে গণনা করা হয়। +LTReportBuildWithOptionDefinedInModule=এখানে দেখানো পরিমাণ কোম্পানি সেটআপ দ্বারা সংজ্ঞায়িত নিয়ম ব্যবহার করে গণনা করা হয়। +Param=সেটআপ +RemainingAmountPayment=বাকি পেমেন্টের পরিমাণ: +Account=হিসাব +Accountparent=পিতামাতার অ্যাকাউন্ট +Accountsparent=পিতামাতার অ্যাকাউন্ট +Income=আয় +Outcome=ব্যয় +MenuReportInOut=আয়/ব্যয় +ReportInOut=আয় এবং ব্যয়ের ভারসাম্য +ReportTurnover=টার্নওভার চালান +ReportTurnoverCollected=টার্নওভার সংগৃহীত +PaymentsNotLinkedToInvoice=অর্থপ্রদান কোনো চালানের সাথে সংযুক্ত নয়, তাই কোনো তৃতীয় পক্ষের সাথে সংযুক্ত নয়৷ +PaymentsNotLinkedToUser=পেমেন্ট কোনো ব্যবহারকারীর সাথে লিঙ্ক করা হয় না +Profit=লাভ +AccountingResult=অ্যাকাউন্টিং ফলাফল +BalanceBefore=ভারসাম্য (আগে) +Balance=ভারসাম্য +Debit=ডেবিট +Credit=ক্রেডিট +AccountingDebit=ডেবিট +AccountingCredit=ক্রেডিট +Piece=অ্যাকাউন্টিং ডক। +AmountHTVATRealReceived=নেট সংগৃহীত +AmountHTVATRealPaid=নেট প্রদত্ত +VATToPay=ট্যাক্স বিক্রয় +VATReceived=ট্যাক্স প্রাপ্ত +VATToCollect=ট্যাক্স ক্রয় +VATSummary=মাসিক ট্যাক্স +VATBalance=ট্যাক্স ব্যালেন্স +VATPaid=ট্যাক্স দেওয়া হয়েছে +LT1Summary=ট্যাক্স 2 সারাংশ +LT2Summary=ট্যাক্স 3 সারাংশ +LT1SummaryES=RE ব্যালেন্স +LT2SummaryES=আইআরপিএফ ব্যালেন্স +LT1SummaryIN=CGST ব্যালেন্স +LT2SummaryIN=SGST ব্যালেন্স +LT1Paid=ট্যাক্স 2 দেওয়া হয়েছে +LT2Paid=ট্যাক্স 3 দেওয়া হয়েছে +LT1PaidES=RE প্রদান করা হয়েছে +LT2PaidES=আইআরপিএফ প্রদত্ত +LT1PaidIN=CGST দেওয়া হয়েছে +LT2PaidIN=SGST প্রদত্ত +LT1Customer=কর 2 বিক্রয় +LT1Supplier=ট্যাক্স 2 ক্রয় +LT1CustomerES=RE বিক্রয় +LT1SupplierES=RE ক্রয় +LT1CustomerIN=সিজিএসটি বিক্রয় +LT1SupplierIN=CGST কেনাকাটা +LT2Customer=কর 3 বিক্রয় +LT2Supplier=ট্যাক্স 3 ক্রয় +LT2CustomerES=আইআরপিএফ বিক্রয় +LT2SupplierES=আইআরপিএফ কেনাকাটা +LT2CustomerIN=SGST বিক্রয় +LT2SupplierIN=SGST কেনাকাটা +VATCollected=ভ্যাট আদায় করেছে +StatusToPay=পরিশোধ করতে +SpecialExpensesArea=সমস্ত বিশেষ অর্থপ্রদানের জন্য এলাকা +VATExpensesArea=সমস্ত TVA পেমেন্টের জন্য এলাকা +SocialContribution=সামাজিক বা রাজস্ব ট্যাক্স +SocialContributions=সামাজিক বা রাজস্ব কর +SocialContributionsDeductibles=কর্তনযোগ্য সামাজিক বা রাজস্ব ট্যাক্স +SocialContributionsNondeductibles=অনাদায়ী সামাজিক বা রাজস্ব ট্যাক্স +DateOfSocialContribution=সামাজিক বা আর্থিক করের তারিখ +LabelContrib=লেবেল অবদান +TypeContrib=টাইপ অবদান +MenuSpecialExpenses=বিশেষ খরচ +MenuTaxAndDividends=কর এবং লভ্যাংশ +MenuSocialContributions=সামাজিক/আর্থিক কর +MenuNewSocialContribution=নতুন সামাজিক/আর্থিক কর +NewSocialContribution=নতুন সামাজিক/আর্থিক কর +AddSocialContribution=সামাজিক/আর্থিক কর যোগ করুন +ContributionsToPay=সামাজিক/আর্থিক কর দিতে হবে +AccountancyTreasuryArea=অ্যাকাউন্টিং এলাকা +InvoicesArea=বিলিং এবং পেমেন্ট এলাকা +NewPayment=নতুন পেমেন্ট +PaymentCustomerInvoice=গ্রাহক চালান পেমেন্ট +PaymentSupplierInvoice=বিক্রেতা চালান প্রদান +PaymentSocialContribution=সামাজিক/আর্থিক কর প্রদান +PaymentVat=ভ্যাট প্রদান +AutomaticCreationPayment=স্বয়ংক্রিয়ভাবে পেমেন্ট রেকর্ড +ListPayment=অর্থপ্রদানের তালিকা +ListOfCustomerPayments=গ্রাহক পেমেন্ট তালিকা +ListOfSupplierPayments=বিক্রেতা পেমেন্ট তালিকা +DateStartPeriod=তারিখ শুরুর সময়কাল +DateEndPeriod=তারিখ শেষ সময়কাল +newLT1Payment=নতুন ট্যাক্স 2 পেমেন্ট +newLT2Payment=নতুন ট্যাক্স 3 পেমেন্ট +LT1Payment=ট্যাক্স 2 পেমেন্ট +LT1Payments=ট্যাক্স 2 পেমেন্ট +LT2Payment=ট্যাক্স 3 প্রদান +LT2Payments=ট্যাক্স 3 পেমেন্ট +newLT1PaymentES=নতুন RE পেমেন্ট +newLT2PaymentES=নতুন IRPF পেমেন্ট +LT1PaymentES=RE পেমেন্ট +LT1PaymentsES=RE পেমেন্ট +LT2PaymentES=আইআরপিএফ পেমেন্ট +LT2PaymentsES=আইআরপিএফ পেমেন্ট +VATPayment=বিক্রয় কর প্রদান +VATPayments=বিক্রয় কর প্রদান +VATDeclarations=ভ্যাট ঘোষণা +VATDeclaration=ভ্যাট ঘোষণা +VATRefund=বিক্রয় কর ফেরত +NewVATPayment=নতুন বিক্রয় কর প্রদান +NewLocalTaxPayment=নতুন কর %s পেমেন্ট +Refund=ফেরত +SocialContributionsPayments=সামাজিক/আর্থিক কর প্রদান +ShowVatPayment=ভ্যাট পেমেন্ট দেখান +TotalToPay=পরিশোধ করতে মোট +BalanceVisibilityDependsOnSortAndFilters=সারণীটি %s এ সাজানো থাকলে এবং 1টি ব্যাঙ্ক অ্যাকাউন্টে ফিল্টার করা থাকলেই এই তালিকায় ব্যালেন্স দেখা যায় (অন্য কোনো ফিল্টার ছাড়াই) +CustomerAccountancyCode=গ্রাহক অ্যাকাউন্টিং কোড +SupplierAccountancyCode=বিক্রেতা অ্যাকাউন্টিং কোড +CustomerAccountancyCodeShort=কাস্ট। অ্যাকাউন্ট কোড +SupplierAccountancyCodeShort=Sup. অ্যাকাউন্ট কোড +AccountNumber=হিসাব নাম্বার +NewAccountingAccount=নতুন হিসাব +Turnover=টার্নওভার চালান +TurnoverCollected=টার্নওভার সংগৃহীত +SalesTurnoverMinimum=ন্যূনতম টার্নওভার +ByExpenseIncome=খরচ এবং আয় দ্বারা +ByThirdParties=তৃতীয় পক্ষের দ্বারা +ByUserAuthorOfInvoice=চালান লেখক দ্বারা +CheckReceipt=আমানত স্লিপ +CheckReceiptShort=আমানত স্লিপ +LastCheckReceiptShort=সর্বশেষ %s জমা স্লিপ +LastPaymentForDepositShort=সর্বশেষ %s %s জমা স্লিপ +NewCheckReceipt=নতুন ছাড় +NewCheckDeposit=নতুন ডিপোজিট স্লিপ +NewCheckDepositOn=অ্যাকাউন্টে জমা করার জন্য রসিদ তৈরি করুন: %s +NoWaitingChecks=কোনো চেক জমার জন্য অপেক্ষা করছে। +NoWaitingPaymentForDeposit=কোনো %s পেমেন্ট জমার জন্য অপেক্ষা করছে। +DateChequeReceived=প্রাপ্তির তারিখ চেক করুন +DatePaymentReceived=নথি গ্রহণের তারিখ +NbOfCheques=চেকের সংখ্যা +PaySocialContribution=একটি সামাজিক/আর্থিক কর প্রদান করুন +PayVAT=একটি ভ্যাট ঘোষণা প্রদান করুন +PaySalary=বেতন কার্ড দিন +ConfirmPaySocialContribution=আপনি কি এই সামাজিক বা রাজস্ব ট্যাক্সকে প্রদত্ত হিসাবে শ্রেণীবদ্ধ করার বিষয়ে নিশ্চিত? +ConfirmPayVAT=আপনি কি এই ভ্যাট ঘোষণাকে প্রদত্ত হিসাবে শ্রেণীবদ্ধ করার বিষয়ে নিশ্চিত? +ConfirmPaySalary=আপনি কি নিশ্চিত যে আপনি এই বেতন কার্ডটিকে প্রদত্ত হিসাবে শ্রেণীবদ্ধ করতে চান? +DeleteSocialContribution=একটি সামাজিক বা রাজস্ব ট্যাক্স প্রদান মুছুন +DeleteVAT=একটি ভ্যাট ঘোষণা মুছুন +DeleteSalary=একটি বেতন কার্ড মুছুন +DeleteVariousPayment=একটি বিভিন্ন পেমেন্ট মুছুন +ConfirmDeleteSocialContribution=আপনি কি এই সামাজিক/আর্থিক কর প্রদান মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmDeleteVAT=আপনি কি এই ভ্যাট ঘোষণা মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmDeleteSalary=আপনি কি এই বেতন মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmDeleteVariousPayment=আপনি কি এই বিভিন্ন অর্থপ্রদান মুছে ফেলার বিষয়ে নিশ্চিত? +ExportDataset_tax_1=সামাজিক এবং রাজস্ব ট্যাক্স এবং পেমেন্ট +CalcModeVATDebt=মোড %sকমিটমেন্ট অ্যাকাউন্টিংয়ের উপর ভ্যাট%s
      । +CalcModeVATEngagement=মোড %sআয়-ব্যয়ের উপর ভ্যাট%s. +CalcModeDebt=পরিচিত নথিভুক্ত নথি বিশ্লেষণ +CalcModeEngagement=পরিচিত নথিভুক্ত পেমেন্ট বিশ্লেষণ +CalcModeBookkeeping=বুককিপিং লেজার টেবিলে জার্নালাইজ করা ডেটা বিশ্লেষণ। +CalcModeNoBookKeeping=এমনকি যদি তারা এখনও লেজারে হিসাব না করে থাকে +CalcModeLT1= মোড %sগ্রাহকের চালানের উপর RE - সরবরাহকারীদের চালানb0ecb2ec87f>
      +CalcModeLT1Debt=মোড %sগ্রাহকের চালানে RE%s
      +CalcModeLT1Rec= মোড %sসাপ্লায়ার ইনভয়েসে RE%s
      +CalcModeLT2= মোড %sগ্রাহকের চালানে IRPF - সরবরাহকারীদের চালানb0ecb2ec87f> +CalcModeLT2Debt=মোড %sগ্রাহকের চালানে IRPF%s +CalcModeLT2Rec= মোড %sসাপ্লায়ার ইনভয়েসগুলিতে IRPF%s +AnnualSummaryDueDebtMode=আয় এবং ব্যয়ের ভারসাম্য, বার্ষিক সারাংশ +AnnualSummaryInputOutputMode=আয় এবং ব্যয়ের ভারসাম্য, বার্ষিক সারাংশ +AnnualByCompanies=অ্যাকাউন্টের পূর্বনির্ধারিত গোষ্ঠী দ্বারা আয় এবং ব্যয়ের ভারসাম্য +AnnualByCompaniesDueDebtMode=আয় এবং ব্যয়ের ভারসাম্য, পূর্বনির্ধারিত গোষ্ঠী দ্বারা বিশদ, মোড %sদাবি-ঋণb0ecb2ec8080 বলেছে কমিটমেন্ট অ্যাকাউন্টিং। +AnnualByCompaniesInputOutputMode=আয় এবং ব্যয়ের ভারসাম্য, পূর্বনির্ধারিত গোষ্ঠী দ্বারা বিশদ, মোড %sআয়-ব্যয়b0ecb2ecz80 বলেছেন নগদ হিসাব। +SeeReportInInputOutputMode=%sপেমেন্টের বিশ্লেষণ দেখুন%sরেকর্ড করা পেমেন্ট এর উপর ভিত্তি করে গণনার জন্য >
      এমনকি যদি সেগুলি এখনও এল একাউন্টে না থাকে +SeeReportInDueDebtMode=%sলিপিবদ্ধ নথির বিশ্লেষণ দেখুন%s পরিচিত লিপিবদ্ধ নথি একাউন্টে না থাকলেও একটি গণনার জন্য +SeeReportInBookkeepingMode=দেখুন %sখাতা খাতা টেবিলের বিশ্লেষণ%s notranslate'> বুককিপিং লেজার টেবিল ভিত্তিক একটি প্রতিবেদনের জন্য +RulesAmountWithTaxIncluded=- সমস্ত ট্যাক্স সহ দেখানো পরিমাণ +RulesAmountWithTaxExcluded=- সমস্ত ট্যাক্স বাদ দিয়ে দেখানো চালানের পরিমাণ +RulesResultDue=- এতে সমস্ত ইনভয়েস, খরচ, ভ্যাট, অনুদান, বেতন অন্তর্ভুক্ত থাকে, সেগুলি দেওয়া হোক বা না হোক।
      - এটি চালানের বিলিংয়ের তারিখ এবং নির্ধারিত তারিখের উপর ভিত্তি করে খরচ বা ট্যাক্স পেমেন্ট। বেতনের জন্য, মেয়াদ শেষ হওয়ার তারিখ ব্যবহার করা হয়। +RulesResultInOut=- এতে ইনভয়েস, খরচ, ভ্যাট এবং বেতনের প্রকৃত অর্থপ্রদান অন্তর্ভুক্ত রয়েছে।
      - এটি চালান, খরচ, ভ্যাট, অনুদান এবং বেতনের পেমেন্ট তারিখের উপর ভিত্তি করে। +RulesCADue=- এতে গ্রাহকের বকেয়া ইনভয়েস অন্তর্ভুক্ত থাকে তারা অর্থপ্রদান করুক বা না করুক।
      - এটি এই চালানগুলির বিলিং তারিখের উপর ভিত্তি করে।
      +RulesCAIn=- এতে গ্রাহকদের কাছ থেকে প্রাপ্ত সমস্ত কার্যকরী অর্থপ্রদান অন্তর্ভুক্ত রয়েছে।
      - এটি এই চালানগুলির অর্থপ্রদানের তারিখের উপর ভিত্তি করে
      +RulesCATotalSaleJournal=এটি বিক্রয় জার্নাল থেকে সমস্ত ক্রেডিট লাইন অন্তর্ভুক্ত করে। +RulesSalesTurnoverOfIncomeAccounts=এতে গ্রুপ ইনকামের পণ্য অ্যাকাউন্টের লাইনের (ক্রেডিট - ডেবিট) অন্তর্ভুক্ত রয়েছে +RulesAmountOnInOutBookkeepingRecord=এটি আপনার লেজারে অ্যাকাউন্টিং অ্যাকাউন্টগুলির সাথে রেকর্ড অন্তর্ভুক্ত করে যার গ্রুপ "ব্যয়" বা "আয়" রয়েছে +RulesResultBookkeepingPredefined=এটি আপনার লেজারে অ্যাকাউন্টিং অ্যাকাউন্টগুলির সাথে রেকর্ড অন্তর্ভুক্ত করে যার গ্রুপ "ব্যয়" বা "আয়" রয়েছে +RulesResultBookkeepingPersonalized=এটি অ্যাকাউন্টিং অ্যাকাউন্টগুলির সাথে আপনার লেজারে রেকর্ড দেখায় ব্যক্তিগত গ্রুপ দ্বারা গোষ্ঠীবদ্ধ +SeePageForSetup=সেটআপের জন্য %s মেনু দেখুন +DepositsAreNotIncluded=- ডাউন পেমেন্ট চালান অন্তর্ভুক্ত করা হয় না +DepositsAreIncluded=- ডাউন পেমেন্ট চালান অন্তর্ভুক্ত করা হয় +LT1ReportByMonth=ট্যাক্স 2 মাসে রিপোর্ট +LT2ReportByMonth=ট্যাক্স 3 মাসে রিপোর্ট +LT1ReportByCustomers=তৃতীয় পক্ষ দ্বারা ট্যাক্স 2 রিপোর্ট করুন +LT2ReportByCustomers=তৃতীয় পক্ষের দ্বারা ট্যাক্স 3 রিপোর্ট করুন +LT1ReportByCustomersES=তৃতীয় পক্ষ RE দ্বারা রিপোর্ট +LT2ReportByCustomersES=তৃতীয় পক্ষের IRPF দ্বারা রিপোর্ট +VATReport=বিক্রয় কর রিপোর্ট +VATReportByPeriods=সময় অনুযায়ী বিক্রয় কর রিপোর্ট +VATReportByMonth=মাস অনুযায়ী বিক্রয় কর রিপোর্ট +VATReportByRates=হার দ্বারা বিক্রয় কর রিপোর্ট +VATReportByThirdParties=তৃতীয় পক্ষ দ্বারা বিক্রয় কর রিপোর্ট +VATReportByCustomers=গ্রাহক দ্বারা বিক্রয় কর রিপোর্ট +VATReportByCustomersInInputOutputMode=গ্রাহক ভ্যাট সংগ্রহ এবং পরিশোধিত দ্বারা রিপোর্ট +VATReportByQuartersInInputOutputMode=সংগৃহীত এবং পরিশোধিত করের বিক্রয় করের হার দ্বারা প্রতিবেদন +VATReportShowByRateDetails=এই হারের বিশদ বিবরণ দেখান +LT1ReportByQuarters=হার দ্বারা কর 2 রিপোর্ট করুন +LT2ReportByQuarters=হার দ্বারা রিপোর্ট কর 3 +LT1ReportByQuartersES=RE হার দ্বারা রিপোর্ট +LT2ReportByQuartersES=IRPF হার দ্বারা রিপোর্ট +SeeVATReportInInputOutputMode=প্রতিবেদন দেখুন %sভ্যাট সংগ্রহ%s একটি আদর্শ গণনার জন্য +SeeVATReportInDueDebtMode=রিপোর্ট দেখুন %sডেবিটের উপর ভ্যাট%s +RulesVATInServices=- পরিষেবাগুলির জন্য, প্রতিবেদনে অর্থপ্রদানের তারিখের ভিত্তিতে প্রকৃতপক্ষে প্রাপ্ত অর্থপ্রদানের ভ্যাট অন্তর্ভুক্ত থাকে। +RulesVATInProducts=- বস্তুগত সম্পদের জন্য, প্রতিবেদনে অর্থপ্রদানের তারিখের ভিত্তিতে ভ্যাট অন্তর্ভুক্ত থাকে। +RulesVATDueServices=- পরিষেবার জন্য, প্রতিবেদনে ইনভয়েসের তারিখের উপর ভিত্তি করে, পরিশোধ করা বা না করা বকেয়া চালানের ভ্যাট অন্তর্ভুক্ত রয়েছে। +RulesVATDueProducts=- বস্তুগত সম্পদের জন্য, প্রতিবেদনে ইনভয়েসের তারিখের উপর ভিত্তি করে বকেয়া ইনভয়েসের ভ্যাট অন্তর্ভুক্ত থাকে। +OptionVatInfoModuleComptabilite=দ্রষ্টব্য: বস্তুগত সম্পদের জন্য, এটি আরও ন্যায্য হতে বিতরণের তারিখ ব্যবহার করা উচিত। +ThisIsAnEstimatedValue=এটি একটি পূর্বরূপ, ব্যবসার ইভেন্টের উপর ভিত্তি করে এবং চূড়ান্ত লেজার টেবিল থেকে নয়, তাই চূড়ান্ত ফলাফল এই পূর্বরূপ মান থেকে ভিন্ন হতে পারে +PercentOfInvoice=%%/চালান +NotUsedForGoods=পণ্য ব্যবহার করা হয় না +ProposalStats=প্রস্তাবের পরিসংখ্যান +OrderStats=আদেশের পরিসংখ্যান +InvoiceStats=বিলের পরিসংখ্যান +Dispatch=প্রেরণ +Dispatched=প্রেরিত +ToDispatch=প্রেরণ করা +ThirdPartyMustBeEditAsCustomer=তৃতীয় পক্ষকে অবশ্যই গ্রাহক হিসাবে সংজ্ঞায়িত করতে হবে +SellsJournal=বিক্রয় জার্নাল +PurchasesJournal=ক্রয় জার্নাল +DescSellsJournal=বিক্রয় জার্নাল +DescPurchasesJournal=ক্রয় জার্নাল +CodeNotDef=সংজ্ঞায়িত নয় +WarningDepositsNotIncluded=এই অ্যাকাউন্টেন্সি মডিউল সহ এই সংস্করণে ডাউন পেমেন্ট ইনভয়েসগুলি অন্তর্ভুক্ত করা হয়নি। +DatePaymentTermCantBeLowerThanObjectDate=অর্থপ্রদানের মেয়াদ অবজেক্টের তারিখের চেয়ে কম হতে পারে না। +Pcg_version=অ্যাকাউন্ট মডেলের চার্ট +Pcg_type=পিসিজি টাইপ +Pcg_subtype=পিসিজি সাবটাইপ +InvoiceLinesToDispatch=চালান লাইন পাঠানোর জন্য +ByProductsAndServices=পণ্য এবং পরিষেবা দ্বারা +RefExt=বহিরাগত রেফ +ToCreateAPredefinedInvoice=একটি টেমপ্লেট চালান তৈরি করতে, একটি আদর্শ চালান তৈরি করুন, তারপর, এটিকে যাচাই না করে, "%s" বোতামে ক্লিক করুন৷ +LinkedOrder=অর্ডার লিঙ্ক +Mode1=পদ্ধতি 1 +Mode2=পদ্ধতি 2 +CalculationRuleDesc=মোট ভ্যাট গণনা করার জন্য, দুটি পদ্ধতি আছে:
      পদ্ধতি 1 হল প্রতিটি লাইনে ভ্যাটকে রাউন্ডিং করা, তারপর তাদের যোগ করা।
      পদ্ধতি 2 প্রতিটি লাইনে সমস্ত ভ্যাট যোগ করে, তারপর বৃত্তাকার ফলাফল।
      চূড়ান্ত ফলাফল কয়েক সেন্ট থেকে আলাদা হতে পারে। ডিফল্ট মোড হল মোড %s। +CalculationRuleDescSupplier=বিক্রেতার মতে, একই গণনার নিয়ম প্রয়োগ করার জন্য উপযুক্ত পদ্ধতি বেছে নিন এবং আপনার বিক্রেতার দ্বারা প্রত্যাশিত একই ফলাফল পান। +TurnoverPerProductInCommitmentAccountingNotRelevant=পণ্য প্রতি সংগৃহীত টার্নওভারের প্রতিবেদন পাওয়া যায় না। এই রিপোর্ট শুধুমাত্র টার্নওভার চালানের জন্য উপলব্ধ. +TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=বিক্রয় করের হার প্রতি সংগৃহীত টার্নওভারের প্রতিবেদন পাওয়া যায় না। এই রিপোর্ট শুধুমাত্র টার্নওভার চালান জন্য উপলব্ধ. +CalculationMode=গণনা মোড +AccountancyJournal=অ্যাকাউন্টিং কোড জার্নাল +ACCOUNTING_VAT_SOLD_ACCOUNT=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) বিক্রয়ের উপর ভ্যাটের জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (ভ্যাট অভিধান সেটআপে সংজ্ঞায়িত না হলে ব্যবহার করা হবে) +ACCOUNTING_VAT_BUY_ACCOUNT=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) ক্রয়ের উপর ভ্যাটের জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে (ভ্যাট অভিধান সেটআপে সংজ্ঞায়িত না হলে ব্যবহার করা হবে) +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) বিক্রয়ের উপর রাজস্ব স্ট্যাম্পের জন্য ব্যবহার করা হবে +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=ক্রয়ের উপর রাজস্ব স্ট্যাম্পের জন্য ব্যবহার করা অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) +ACCOUNTING_VAT_PAY_ACCOUNT=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) ভ্যাট প্রদানের জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) রিভার্স চার্জের (ক্রেডিট) জন্য ক্রয়ের উপর ভ্যাটের জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা হবে +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=রিভার্স চার্জের (ডেবিট) জন্য ক্রয়ের উপর ভ্যাটের জন্য ডিফল্ট অ্যাকাউন্ট হিসাবে ব্যবহার করা অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) +ACCOUNTING_ACCOUNT_CUSTOMER=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) "গ্রাহক" তৃতীয় পক্ষের জন্য ব্যবহৃত +ACCOUNTING_ACCOUNT_CUSTOMER_Desc=তৃতীয় পক্ষের কার্ডে সংজ্ঞায়িত ডেডিকেটেড অ্যাকাউন্টিং অ্যাকাউন্ট শুধুমাত্র Subledger অ্যাকাউন্টিংয়ের জন্য ব্যবহার করা হবে। এটি সাধারণ লেজারের জন্য এবং সাবলেজার অ্যাকাউন্টিংয়ের ডিফল্ট মান হিসাবে ব্যবহার করা হবে যদি তৃতীয় পক্ষের ডেডিকেটেড গ্রাহক অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত না হয়। +ACCOUNTING_ACCOUNT_SUPPLIER=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) "বিক্রেতা" তৃতীয় পক্ষের জন্য ব্যবহৃত +ACCOUNTING_ACCOUNT_SUPPLIER_Desc=তৃতীয় পক্ষের কার্ডে সংজ্ঞায়িত ডেডিকেটেড অ্যাকাউন্টিং অ্যাকাউন্ট শুধুমাত্র Subledger অ্যাকাউন্টিংয়ের জন্য ব্যবহার করা হবে। এটি সাধারণ লেজারের জন্য এবং সাবলেজার অ্যাকাউন্টিংয়ের ডিফল্ট মান হিসাবে ব্যবহার করা হবে যদি তৃতীয় পক্ষের ডেডিকেটেড ভেন্ডর অ্যাকাউন্টিং অ্যাকাউন্ট সংজ্ঞায়িত না করা হয়। +ConfirmCloneTax=একটি সামাজিক/আর্থিক করের ক্লোন নিশ্চিত করুন +ConfirmCloneVAT=ভ্যাট ঘোষণার ক্লোন নিশ্চিত করুন +ConfirmCloneSalary=বেতনের ক্লোন নিশ্চিত করুন +CloneTaxForNextMonth=আগামী মাসের জন্য এটি ক্লোন করুন +SimpleReport=সরল রিপোর্ট +AddExtraReport=অতিরিক্ত রিপোর্ট (বিদেশী এবং জাতীয় গ্রাহক রিপোর্ট যোগ করুন) +OtherCountriesCustomersReport=বিদেশী গ্রাহকদের রিপোর্ট +BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=ভ্যাট নম্বরের দুটি প্রথম অক্ষরের উপর ভিত্তি করে আপনার নিজের কোম্পানির দেশের কোড থেকে আলাদা +SameCountryCustomersWithVAT=জাতীয় গ্রাহকদের রিপোর্ট +BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=ভ্যাট নম্বরের দুটি প্রথম অক্ষরের উপর ভিত্তি করে আপনার নিজের কোম্পানির দেশের কোড একই +LinkedFichinter=একটি হস্তক্ষেপ লিঙ্ক +ImportDataset_tax_contrib=সামাজিক/আর্থিক কর +ImportDataset_tax_vat=ভ্যাট পেমেন্ট +ErrorBankAccountNotFound=ত্রুটি: ব্যাঙ্ক অ্যাকাউন্ট পাওয়া যায়নি +FiscalPeriod=নির্দিষ্ট হিসাব +ListSocialContributionAssociatedProject=প্রকল্পের সাথে যুক্ত সামাজিক অবদানের তালিকা +DeleteFromCat=অ্যাকাউন্টিং গ্রুপ থেকে সরান +AccountingAffectation=অ্যাকাউন্টিং অ্যাসাইনমেন্ট +LastDayTaxIsRelatedTo=পিরিয়ডের শেষ দিন ট্যাক্স সম্পর্কিত +VATDue=বিক্রয় কর দাবি করা হয়েছে +ClaimedForThisPeriod=সময়ের জন্য দাবি করা হয়েছে +PaidDuringThisPeriod=এই সময়ের জন্য অর্থ প্রদান করা হয়েছে +PaidDuringThisPeriodDesc=এটি হল ভ্যাট ঘোষণার সাথে সংযুক্ত সমস্ত অর্থপ্রদানের সমষ্টি যার নির্বাচিত তারিখ সীমার মধ্যে মেয়াদ শেষ হওয়ার তারিখ রয়েছে +ByVatRate=বিক্রয় করের হার দ্বারা +TurnoverbyVatrate=বিক্রয় করের হার দ্বারা টার্নওভার চালান +TurnoverCollectedbyVatrate=বিক্রয় করের হার দ্বারা সংগৃহীত টার্নওভার +PurchasebyVatrate=বিক্রয় করের হার দ্বারা ক্রয় +LabelToShow=সংক্ষিপ্ত লেবেল +PurchaseTurnover=ক্রয় টার্নওভার +PurchaseTurnoverCollected=ক্রয় টার্নওভার সংগৃহীত +RulesPurchaseTurnoverDue=- এতে সরবরাহকারীর বকেয়া ইনভয়েস অন্তর্ভুক্ত থাকে যে তারা অর্থপ্রদান করুক বা না করুক।
      - এটি এই চালানগুলির চালানের তারিখের উপর ভিত্তি করে৷
      +RulesPurchaseTurnoverIn=- এটি সরবরাহকারীদের কাছে করা সমস্ত কার্যকরী অর্থপ্রদান অন্তর্ভুক্ত করে।
      - এটি এই চালানগুলির অর্থপ্রদানের তারিখের উপর ভিত্তি করে
      +RulesPurchaseTurnoverTotalPurchaseJournal=এটি ক্রয় জার্নাল থেকে সমস্ত ডেবিট লাইন অন্তর্ভুক্ত করে। +RulesPurchaseTurnoverOfExpenseAccounts=এতে গ্রুপ এক্সপেনসে পণ্য অ্যাকাউন্টের লাইনের (ডেবিট - ক্রেডিট) অন্তর্ভুক্ত রয়েছে +ReportPurchaseTurnover=ক্রয় টার্নওভার চালান +ReportPurchaseTurnoverCollected=ক্রয় টার্নওভার সংগৃহীত +IncludeVarpaysInResults = প্রতিবেদনে বিভিন্ন অর্থপ্রদান অন্তর্ভুক্ত করুন +IncludeLoansInResults = প্রতিবেদনে ঋণ অন্তর্ভুক্ত করুন +InvoiceLate30Days = দেরী (> 30 দিন) +InvoiceLate15Days = দেরীতে (15 থেকে 30 দিন) +InvoiceLateMinus15Days = দেরীতে (<15 দিন) +InvoiceNotLate = সংগ্রহ করতে হবে (<15 দিন) +InvoiceNotLate15Days = সংগ্রহ করতে হবে (15 থেকে 30 দিন) +InvoiceNotLate30Days = সংগ্রহ করতে হবে (> 30 দিন) +InvoiceToPay=পেমেন্ট করতে (<15 দিন) +InvoiceToPay15Days=পরিশোধ করতে (15 থেকে 30 দিন) +InvoiceToPay30Days=পেমেন্ট করতে (> 30 দিন) +ConfirmPreselectAccount=অ্যাকাউন্টেন্সি কোড পূর্বনির্বাচন করুন +ConfirmPreselectAccountQuestion=আপনি কি এই অ্যাকাউন্টেন্সি কোডের সাথে %s নির্বাচিত লাইনগুলি পূর্বনির্বাচন করার বিষয়ে নিশ্চিত? +AmountPaidMustMatchAmountOfDownPayment=প্রদত্ত পরিমাণ অবশ্যই ডাউন পেমেন্টের পরিমাণের সাথে মেলে diff --git a/htdocs/langs/bn_IN/contracts.lang b/htdocs/langs/bn_IN/contracts.lang index 1f3526bd994..49c275d91df 100644 --- a/htdocs/langs/bn_IN/contracts.lang +++ b/htdocs/langs/bn_IN/contracts.lang @@ -1,104 +1,107 @@ # Dolibarr language file - Source file is en_US - contracts -ContractsArea=Contracts area -ListOfContracts=List of contracts -AllContracts=All contracts -ContractCard=Contract card -ContractStatusNotRunning=Not running -ContractStatusDraft=Draft -ContractStatusValidated=Validated -ContractStatusClosed=Closed -ServiceStatusInitial=Not running -ServiceStatusRunning=Running -ServiceStatusNotLate=Running, not expired -ServiceStatusNotLateShort=Not expired -ServiceStatusLate=Running, expired -ServiceStatusLateShort=Expired -ServiceStatusClosed=Closed -ShowContractOfService=Show contract of service -Contracts=Contracts -ContractsSubscriptions=Contracts/Subscriptions -ContractsAndLine=Contracts and line of contracts -Contract=Contract -ContractLine=Contract line -Closing=Closing -NoContracts=No contracts -MenuServices=Services -MenuInactiveServices=Services not active -MenuRunningServices=Running services -MenuExpiredServices=Expired services -MenuClosedServices=Closed services -NewContract=New contract -NewContractSubscription=New contract or subscription -AddContract=Create contract -DeleteAContract=Delete a contract -ActivateAllOnContract=Activate all services -CloseAContract=Close a contract -ConfirmDeleteAContract=Are you sure you want to delete this contract and all its services? -ConfirmValidateContract=Are you sure you want to validate this contract under name %s? -ConfirmActivateAllOnContract=This will open all services (not yet active). Are you sure you want to open all services? -ConfirmCloseContract=This will close all services (expired or not). Are you sure you want to close this contract? -ConfirmCloseService=Are you sure you want to close this service with date %s? -ValidateAContract=Validate a contract -ActivateService=Activate service -ConfirmActivateService=Are you sure you want to activate this service with date %s? -RefContract=Contract reference -DateContract=Contract date -DateServiceActivate=Service activation date -ListOfServices=List of services -ListOfInactiveServices=List of not active services -ListOfExpiredServices=List of expired active services -ListOfClosedServices=List of closed services -ListOfRunningServices=List of running services -NotActivatedServices=Inactive services (among validated contracts) -BoardNotActivatedServices=Services to activate among validated contracts -BoardNotActivatedServicesShort=Services to activate -LastContracts=Latest %s contracts -LastModifiedServices=Latest %s modified services -ContractStartDate=Start date -ContractEndDate=End date -DateStartPlanned=Planned start date -DateStartPlannedShort=Planned start date -DateEndPlanned=Planned end date -DateEndPlannedShort=Planned end date -DateStartReal=Real start date -DateStartRealShort=Real start date -DateEndReal=Real end date -DateEndRealShort=Real end date -CloseService=Close service -BoardRunningServices=Services running -BoardRunningServicesShort=Services running -BoardExpiredServices=Services expired -BoardExpiredServicesShort=Services expired -ServiceStatus=Status of service -DraftContracts=Drafts contracts -CloseRefusedBecauseOneServiceActive=Contract can't be closed as there is at least one open service on it -ActivateAllContracts=Activate all contract lines -CloseAllContracts=Close all contract lines -DeleteContractLine=Delete a contract line -ConfirmDeleteContractLine=Are you sure you want to delete this contract line? -MoveToAnotherContract=Move service into another contract. -ConfirmMoveToAnotherContract=I choosed new target contract and confirm I want to move this service into this contract. -ConfirmMoveToAnotherContractQuestion=Choose in which existing contract (of same third party), you want to move this service to? -PaymentRenewContractId=Renew contract line (number %s) -ExpiredSince=Expiration date -NoExpiredServices=No expired active services -ListOfServicesToExpireWithDuration=List of Services to expire in %s days -ListOfServicesToExpireWithDurationNeg=List of Services expired from more than %s days -ListOfServicesToExpire=List of Services to expire -NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative. -StandardContractsTemplate=Standard contracts template -ContactNameAndSignature=For %s, name and signature: -OnlyLinesWithTypeServiceAreUsed=Only lines with type "Service" will be cloned. -ConfirmCloneContract=Are you sure you want to clone the contract %s? -LowerDateEndPlannedShort=Lower planned end date of active services -SendContractRef=Contract information __REF__ -OtherContracts=Other contracts +ContractsArea=চুক্তি এলাকা +ListOfContracts=চুক্তির তালিকা +AllContracts=সমস্ত চুক্তি +ContractCard=চুক্তি +ContractStatusNotRunning=চলমান না +ContractStatusDraft=খসড়া +ContractStatusValidated=যাচাই করা হয়েছে +ContractStatusClosed=বন্ধ +ServiceStatusInitial=চলমান না +ServiceStatusRunning=চলছে +ServiceStatusNotLate=চলমান, মেয়াদ শেষ হয়নি +ServiceStatusNotLateShort=মেয়াদ শেষ হয়নি +ServiceStatusLate=চলমান, মেয়াদ উত্তীর্ণ +ServiceStatusLateShort=মেয়াদোত্তীর্ণ +ServiceStatusClosed=বন্ধ +ShowContractOfService=পরিষেবার চুক্তি দেখান +Contracts=চুক্তি +ContractsSubscriptions=চুক্তি/সাবস্ক্রিপশন +ContractsAndLine=চুক্তি এবং চুক্তির লাইন +Contract=চুক্তি +ContractLine=চুক্তি লাইন +ContractLines=চুক্তি লাইন +Closing=বন্ধ +NoContracts=কোনো চুক্তি নেই +MenuServices=সেবা +MenuInactiveServices=পরিষেবা সক্রিয় নয় +MenuRunningServices=চলমান পরিষেবা +MenuExpiredServices=মেয়াদোত্তীর্ণ পরিষেবা +MenuClosedServices=বন্ধ সেবা +NewContract=নতুন চুক্তি +NewContractSubscription=নতুন চুক্তি বা সাবস্ক্রিপশন +AddContract=চুক্তি তৈরি করুন +DeleteAContract=একটি চুক্তি মুছুন +ActivateAllOnContract=সমস্ত পরিষেবা সক্রিয় করুন +CloseAContract=একটি চুক্তি বন্ধ করুন +ConfirmDeleteAContract=আপনি কি এই চুক্তি এবং এর সমস্ত পরিষেবা মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmValidateContract=আপনি কি %s নামে এই চুক্তিটি যাচাই করতে চান? ? +ConfirmActivateAllOnContract=এটি সমস্ত পরিষেবা খুলবে (এখনও সক্রিয় নয়)। আপনি কি সমস্ত পরিষেবা খুলতে চান? +ConfirmCloseContract=এটি সমস্ত পরিষেবা বন্ধ করবে (মেয়াদ শেষ বা না)। আপনি কি নিশ্চিত আপনি এই চুক্তি বন্ধ করতে চান? +ConfirmCloseService=আপনি কি নিশ্চিত যে আপনি %s তারিখে এই পরিষেবাটি বন্ধ করতে চান ? +ValidateAContract=একটি চুক্তি যাচাই +ActivateService=পরিষেবা সক্রিয় করুন +ConfirmActivateService=আপনি কি %s তারিখের সাথে এই পরিষেবাটি সক্রিয় করার বিষয়ে নিশ্চিত? ? +RefContract=চুক্তির রেফারেন্স +DateContract=চুক্তির তারিখ +DateServiceActivate=পরিষেবা সক্রিয়করণ তারিখ +ListOfServices=পরিষেবার তালিকা +ListOfInactiveServices=সক্রিয় নয় এমন পরিষেবাগুলির তালিকা৷ +ListOfExpiredServices=মেয়াদোত্তীর্ণ সক্রিয় পরিষেবার তালিকা +ListOfClosedServices=বন্ধ পরিষেবার তালিকা +ListOfRunningServices=চলমান পরিষেবার তালিকা +NotActivatedServices=নিষ্ক্রিয় পরিষেবা (প্রমাণিত চুক্তির মধ্যে) +BoardNotActivatedServices=বৈধ চুক্তির মধ্যে সক্রিয় করার জন্য পরিষেবা +BoardNotActivatedServicesShort=সক্রিয় করার জন্য পরিষেবা +LastContracts=সর্বশেষ %s চুক্তি +LastModifiedServices=সর্বশেষ %s পরিবর্তিত পরিষেবা +ContractStartDate=শুরুর তারিখ +ContractEndDate=শেষ তারিখ +DateStartPlanned=পরিকল্পিত শুরুর তারিখ +DateStartPlannedShort=পরিকল্পিত শুরুর তারিখ +DateEndPlanned=পরিকল্পিত শেষ তারিখ +DateEndPlannedShort=পরিকল্পিত শেষ তারিখ +DateStartReal=আসল শুরুর তারিখ +DateStartRealShort=আসল শুরুর তারিখ +DateEndReal=বাস্তব শেষ তারিখ +DateEndRealShort=বাস্তব শেষ তারিখ +CloseService=পরিষেবা বন্ধ করুন +BoardRunningServices=সেবা চলমান +BoardRunningServicesShort=সেবা চলছে +BoardExpiredServices=পরিষেবার মেয়াদ শেষ +BoardExpiredServicesShort=পরিষেবার মেয়াদ শেষ +ServiceStatus=সেবার অবস্থা +DraftContracts=খসড়া চুক্তি +CloseRefusedBecauseOneServiceActive=চুক্তিটি বন্ধ করা যাবে না কারণ এটিতে কমপক্ষে একটি খোলা পরিষেবা রয়েছে৷ +ActivateAllContracts=সমস্ত চুক্তি লাইন সক্রিয় করুন +CloseAllContracts=সমস্ত চুক্তি লাইন বন্ধ করুন +DeleteContractLine=একটি চুক্তি লাইন মুছুন +ConfirmDeleteContractLine=আপনি কি নিশ্চিত আপনি এই চুক্তি লাইন মুছে দিতে চান? +MoveToAnotherContract=অন্য চুক্তিতে পরিষেবা সরান। +ConfirmMoveToAnotherContract=আমি একটি নতুন লক্ষ্য চুক্তি বেছে নিয়েছি এবং নিশ্চিত করছি যে আমি এই পরিষেবাটিকে এই চুক্তিতে স্থানান্তর করতে চাই৷ +ConfirmMoveToAnotherContractQuestion=কোন বিদ্যমান চুক্তিতে (একই তৃতীয় পক্ষের) বেছে নিন, আপনি এই পরিষেবাটি সরাতে চান? +PaymentRenewContractId=চুক্তি পুনর্নবীকরণ করুন %s (পরিষেবা %s) +ExpiredSince=মেয়াদ শেষ হওয়ার তারিখ +NoExpiredServices=কোনো মেয়াদোত্তীর্ণ সক্রিয় সেবা +ListOfServicesToExpireWithDuration=%s দিনের মধ্যে মেয়াদ শেষ হবে পরিষেবার তালিকা +ListOfServicesToExpireWithDurationNeg=পরিষেবার তালিকা %s দিনের বেশি সময় ধরে মেয়াদ শেষ হয়ে গেছে +ListOfServicesToExpire=মেয়াদ শেষ হওয়ার জন্য পরিষেবার তালিকা +NoteListOfYourExpiredServices=এই তালিকায় শুধুমাত্র তৃতীয় পক্ষের জন্য চুক্তির পরিষেবা রয়েছে যার সাথে আপনি বিক্রয় প্রতিনিধি হিসাবে লিঙ্ক করেছেন৷ +StandardContractsTemplate=স্ট্যান্ডার্ড চুক্তি টেমপ্লেট +ContactNameAndSignature=%s এর জন্য, নাম এবং স্বাক্ষর: +OnlyLinesWithTypeServiceAreUsed=শুধুমাত্র "পরিষেবা" টাইপ সহ লাইন ক্লোন করা হবে। +ConfirmCloneContract=আপনি কি নিশ্চিত %s চুক্তিটি ক্লোন করতে চান? +LowerDateEndPlannedShort=সক্রিয় পরিষেবার নিম্ন পরিকল্পিত শেষ তারিখ +SendContractRef=চুক্তির তথ্য __REF__ +OtherContracts=অন্যান্য চুক্তি ##### Types de contacts ##### -TypeContact_contrat_internal_SALESREPSIGN=Sales representative signing contract -TypeContact_contrat_internal_SALESREPFOLL=Sales representative following-up contract -TypeContact_contrat_external_BILLING=Billing customer contact -TypeContact_contrat_external_CUSTOMER=Follow-up customer contact -TypeContact_contrat_external_SALESREPSIGN=Signing contract customer contact -HideClosedServiceByDefault=Hide closed services by default -ShowClosedServices=Show Closed Services -HideClosedServices=Hide Closed Services +TypeContact_contrat_internal_SALESREPSIGN=বিক্রয় প্রতিনিধি চুক্তি স্বাক্ষর +TypeContact_contrat_internal_SALESREPFOLL=বিক্রয় প্রতিনিধি অনুসরণ-আপ চুক্তি +TypeContact_contrat_external_BILLING=বিলিং গ্রাহক যোগাযোগ +TypeContact_contrat_external_CUSTOMER=ফলো-আপ গ্রাহক যোগাযোগ +TypeContact_contrat_external_SALESREPSIGN=চুক্তি স্বাক্ষর গ্রাহক যোগাযোগ +HideClosedServiceByDefault=ডিফল্টরূপে বন্ধ পরিষেবাগুলি লুকান৷ +ShowClosedServices=বন্ধ পরিষেবা দেখান +HideClosedServices=বন্ধ সেবা লুকান +UserStartingService=ব্যবহারকারী শুরু পরিষেবা +UserClosingService=ব্যবহারকারী বন্ধ করার পরিষেবা diff --git a/htdocs/langs/bn_IN/cron.lang b/htdocs/langs/bn_IN/cron.lang index 4fd2220dea6..3f03cd9dd5c 100644 --- a/htdocs/langs/bn_IN/cron.lang +++ b/htdocs/langs/bn_IN/cron.lang @@ -1,91 +1,101 @@ # Dolibarr language file - Source file is en_US - cron # About page # Right -Permission23101 = Read Scheduled job -Permission23102 = Create/update Scheduled job -Permission23103 = Delete Scheduled job -Permission23104 = Execute Scheduled job +Permission23101 = নির্ধারিত চাকরি পড়ুন +Permission23102 = নির্ধারিত কাজ তৈরি/আপডেট করুন +Permission23103 = নির্ধারিত কাজ মুছুন +Permission23104 = নির্ধারিত কাজ সম্পাদন করুন # Admin -CronSetup=Scheduled job management setup -URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser -OrToLaunchASpecificJob=Or to check and launch a specific job from a browser -KeyForCronAccess=Security key for URL to launch cron jobs -FileToLaunchCronJobs=Command line to check and launch qualified cron jobs -CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes -CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes -CronMethodDoesNotExists=Class %s does not contains any method %s -CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods -CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s. -CronJobProfiles=List of predefined cron job profiles +CronSetup=নির্ধারিত চাকরি ব্যবস্থাপনা সেটআপ +URLToLaunchCronJobs=একটি ব্রাউজার থেকে যোগ্য ক্রন কাজগুলি পরীক্ষা এবং চালু করার URL +OrToLaunchASpecificJob=অথবা ব্রাউজার থেকে একটি নির্দিষ্ট কাজ চেক এবং লঞ্চ করতে +KeyForCronAccess=ক্রোন জব চালু করতে URL-এর নিরাপত্তা কী +FileToLaunchCronJobs=যোগ্য ক্রন কাজগুলি পরীক্ষা এবং চালু করার জন্য কমান্ড লাইন +CronExplainHowToRunUnix=ইউনিক্স পরিবেশে প্রতি 5 মিনিটে কমান্ড লাইন চালানোর জন্য আপনাকে নিম্নলিখিত ক্রন্টাব এন্ট্রি ব্যবহার করতে হবে +CronExplainHowToRunWin=মাইক্রোসফ্ট(টিএম) উইন্ডোজ পরিবেশে আপনি প্রতি 5 মিনিটে কমান্ড লাইন চালানোর জন্য নির্ধারিত টাস্ক সরঞ্জামগুলি ব্যবহার করতে পারেন +CronMethodDoesNotExists=ক্লাস %s কোনো পদ্ধতি নেই %s +CronMethodNotAllowed=পদ্ধতি %s ক্লাস %s নিষিদ্ধ পদ্ধতির ব্লক তালিকায় রয়েছে +CronJobDefDesc=ক্রোন জব প্রোফাইল মডিউল বর্ণনাকারী ফাইলে সংজ্ঞায়িত করা হয়। যখন মডিউল সক্রিয় করা হয়, তখন সেগুলি লোড হয় এবং উপলব্ধ থাকে যাতে আপনি অ্যাডমিন টুল মেনু %s থেকে কাজগুলি পরিচালনা করতে পারেন৷ +CronJobProfiles=পূর্বনির্ধারিত ক্রন কাজের প্রোফাইলের তালিকা # Menu -EnabledAndDisabled=Enabled and disabled +EnabledAndDisabled=সক্রিয় এবং নিষ্ক্রিয় # Page list -CronLastOutput=Latest run output -CronLastResult=Latest result code -CronCommand=Command -CronList=Scheduled jobs -CronDelete=Delete scheduled jobs -CronConfirmDelete=Are you sure you want to delete these scheduled jobs? -CronExecute=Launch scheduled job -CronConfirmExecute=Are you sure you want to execute these scheduled jobs now? -CronInfo=Scheduled job module allows to schedule jobs to execute them automatically. Jobs can also be started manually. -CronTask=Job -CronNone=None -CronDtStart=Not before -CronDtEnd=Not after -CronDtNextLaunch=Next execution -CronDtLastLaunch=Start date of latest execution -CronDtLastResult=End date of latest execution -CronFrequency=Frequency -CronClass=Class -CronMethod=Method -CronModule=Module -CronNoJobs=No jobs registered -CronPriority=Priority -CronLabel=Label -CronNbRun=Number of launches -CronMaxRun=Maximum number of launches -CronEach=Every -JobFinished=Job launched and finished -Scheduled=Scheduled +CronLastOutput=সর্বশেষ রান আউটপুট +CronLastResult=সর্বশেষ ফলাফল কোড +CronCommand=আদেশ +CronList=নির্ধারিত কাজ +CronDelete=নির্ধারিত কাজ মুছুন +CronConfirmDelete=আপনি কি এই নির্ধারিত কাজগুলি মুছে দেওয়ার বিষয়ে নিশ্চিত? +CronExecute=এখন আরম্ভ +CronConfirmExecute=আপনি কি নিশ্চিত যে আপনি এখন এই নির্ধারিত কাজগুলি সম্পাদন করতে চান? +CronInfo=নির্ধারিত কাজের মডিউল স্বয়ংক্রিয়ভাবে কাজগুলি চালানোর জন্য নির্ধারিত করার অনুমতি দেয়। ম্যানুয়ালিও চাকরি শুরু করা যায়। +CronTask=চাকরি +CronNone=কোনোটিই নয় +CronDtStart=পূর্বের না +CronDtEnd=পরে না +CronDtNextLaunch=পরবর্তী মৃত্যুদন্ড +CronDtLastLaunch=সর্বশেষ মৃত্যুদন্ড শুরুর তারিখ +CronDtLastResult=সর্বশেষ মৃত্যুদন্ডের শেষ তারিখ +CronFrequency=ফ্রিকোয়েন্সি +CronClass=ক্লাস +CronMethod=পদ্ধতি +CronModule=মডিউল +CronNoJobs=কোন কাজ নিবন্ধিত +CronPriority=অগ্রাধিকার +CronLabel=লেবেল +CronNbRun=লঞ্চের সংখ্যা +CronMaxRun=লঞ্চের সর্বাধিক সংখ্যা +CronEach=প্রতি +JobFinished=কাজ চালু এবং সমাপ্ত +Scheduled=তালিকাভুক্ত #Page card -CronAdd= Add jobs -CronEvery=Execute job each -CronObject=Instance/Object to create -CronArgs=Parameters -CronSaveSucess=Save successfully -CronNote=Comment -CronFieldMandatory=Fields %s is mandatory -CronErrEndDateStartDt=End date cannot be before start date -StatusAtInstall=Status at module installation -CronStatusActiveBtn=Schedule -CronStatusInactiveBtn=Disable -CronTaskInactive=This job is disabled (not scheduled) -CronId=Id -CronClassFile=Filename with class -CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module).
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is
      product -CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory).
      For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is
      product/class/product.class.php -CronObjectHelp=The object name to load.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is
      Product -CronMethodHelp=The object method to launch.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is
      fetch -CronArgsHelp=The method arguments.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be
      0, ProductRef -CronCommandHelp=The system command line to execute. -CronCreateJob=Create new Scheduled Job -CronFrom=From +CronAdd= চাকরি যোগ করুন +CronEvery=প্রতিটি কাজ সম্পাদন করুন +CronObject=ইনস্ট্যান্স/অবজেক্ট তৈরি করতে হবে +CronArgs=পরামিতি +CronSaveSucess=সফলভাবে সংরক্ষণ করুন +CronNote=মন্তব্য করুন +CronFieldMandatory=ক্ষেত্রগুলি %s বাধ্যতামূলক +CronErrEndDateStartDt=শেষ তারিখ শুরুর তারিখের আগে হতে পারে না +StatusAtInstall=মডিউল ইনস্টলেশনের অবস্থা +CronStatusActiveBtn=সময়সূচী সক্ষম করুন +CronStatusInactiveBtn=নিষ্ক্রিয় করুন +CronTaskInactive=এই কাজটি অক্ষম (নির্ধারিত নয়) +CronId=আইডি +CronClassFile=ক্লাস সহ ফাইলের নাম +CronModuleHelp=Dolibarr মডিউল ডিরেক্টরির নাম (এছাড়াও বহিরাগত Dolibarr মডিউলের সাথে কাজ করে)।
      উদাহরণস্বরূপ ডলিবার প্রোডাক্ট অবজেক্টের আনয়ন পদ্ধতি কল করার জন্য /class/product.class.php, মডিউলের মান হল
      পণ্য +CronClassFileHelp=লোড করার জন্য আপেক্ষিক পাথ এবং ফাইলের নাম (পাথটি ওয়েব সার্ভার রুট ডিরেক্টরির সাথে সম্পর্কিত)।
      উদাহরণস্বরূপ Dolibarr পণ্য বস্তু htdocs/product/class/product.class.php, ক্লাস ফাইল নামের মান হল
      পণ্য/শ্রেণী/পণ্য .class.php +CronObjectHelp=লোড করার জন্য বস্তুর নাম।
      উদাহরণস্বরূপ ডলিবার প্রোডাক্ট অবজেক্টের আনয়ন পদ্ধতি কল করার জন্য /htdocs/product/class/product.class.php, ক্লাস ফাইল নামের মান হল
      পণ্য +CronMethodHelp=লঞ্চ করার জন্য অবজেক্ট পদ্ধতি।
      উদাহরণস্বরূপ ডলিবার প্রোডাক্ট অবজেক্টের আনয়ন পদ্ধতিকে কল করার জন্য /htdocs/product/class/product.class.php, পদ্ধতির মান হল
      আনয়ন +CronArgsHelp=পদ্ধতি আর্গুমেন্ট.
      উদাহরণস্বরূপ ডলিবার প্রোডাক্ট অবজেক্টের আনয়ন পদ্ধতি কল করার জন্য /htdocs/product/class/product.class.php, প্যারামিটারের মান হতে পারে
      0, ProductRef +CronCommandHelp=এক্সিকিউট করার জন্য সিস্টেম কমান্ড লাইন। +CronCreateJob=নতুন নির্ধারিত চাকরি তৈরি করুন +CronFrom=থেকে # Info # Common -CronType=Job type -CronType_method=Call method of a PHP Class -CronType_command=Shell command -CronCannotLoadClass=Cannot load class file %s (to use class %s) -CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it -UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs. -JobDisabled=Job disabled -MakeLocalDatabaseDumpShort=Local database backup -MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep -WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run. -DATAPOLICYJob=Data cleaner and anonymizer -JobXMustBeEnabled=Job %s must be enabled +CronType=কাজের ধরন +CronType_method=পিএইচপি ক্লাসের কল পদ্ধতি +CronType_command=শেল কমান্ড +CronCannotLoadClass=ক্লাস ফাইল %s লোড করা যাবে না (ক্লাস %s ব্যবহার করতে) +CronCannotLoadObject=ক্লাস ফাইল %s লোড করা হয়েছে, কিন্তু বস্তু %s পাওয়া যায়নি +UseMenuModuleToolsToAddCronJobs=নির্ধারিত কাজগুলি দেখতে এবং সম্পাদনা করতে "হোম - অ্যাডমিন টুলস - নির্ধারিত কাজ" মেনুতে যান৷ +JobDisabled=চাকরি অক্ষম +MakeLocalDatabaseDumpShort=স্থানীয় ডাটাবেস ব্যাকআপ +MakeLocalDatabaseDump=একটি স্থানীয় ডাটাবেস ডাম্প তৈরি করুন। পরামিতিগুলি হল: কম্প্রেশন ('gz' বা 'bz' বা 'কোনোটি'), ব্যাকআপের ধরন ('mysql', 'pgsql', 'অটো'), 1, 'অটো' বা ফাইলের নাম তৈরি করা, রাখার জন্য ব্যাকআপ ফাইলের সংখ্যা +MakeSendLocalDatabaseDumpShort=স্থানীয় ডাটাবেস ব্যাকআপ পাঠান +MakeSendLocalDatabaseDump=ইমেল দ্বারা স্থানীয় ডাটাবেস ব্যাকআপ পাঠান. প্যারামিটারগুলি হল: থেকে, থেকে, বিষয়, বার্তা, ফাইলের নাম (প্রেরিত ফাইলের নাম), ফিল্টার (শুধুমাত্র ডাটাবেসের ব্যাকআপের জন্য 'sql') +BackupIsTooLargeSend=দুঃখিত, শেষ ব্যাকআপ ফাইলটি ইমেল দ্বারা পাঠানোর জন্য খুব বড় +CleanUnfinishedCronjobShort=অসম্পূর্ণ ক্রোনজব পরিষ্কার করুন +CleanUnfinishedCronjob=ক্লিন ক্রোনজব প্রক্রিয়াকরণে আটকে গেছে যখন প্রক্রিয়াটি আর চলছে না +WarningCronDelayed=মনোযোগ, কর্মক্ষমতার উদ্দেশ্যে, সক্রিয় কাজগুলি সম্পাদনের পরবর্তী তারিখ যাই হোক না কেন, আপনার কাজগুলি চালানোর আগে সর্বাধিক %s ঘন্টা বিলম্বিত হতে পারে৷ +DATAPOLICYJob=ডেটা ক্লিনার এবং বেনামী +JobXMustBeEnabled=চাকরি %s সক্ষম হতে হবে +EmailIfError=ত্রুটি সম্পর্কে সতর্কতা জন্য ইমেল +JobNotFound=চাকরি %s কাজের তালিকায় পাওয়া যায়নি (মডিউল নিষ্ক্রিয়/সক্ষম করার চেষ্টা করুন) +ErrorInBatch=কাজ চালানোর সময় ত্রুটি %s + # Cron Boxes -LastExecutedScheduledJob=Last executed scheduled job -NextScheduledJobExecute=Next scheduled job to execute -NumberScheduledJobError=Number of scheduled jobs in error +LastExecutedScheduledJob=শেষ নির্বাহিত নির্ধারিত কাজ +NextScheduledJobExecute=কার্যকর করার জন্য পরবর্তী নির্ধারিত কাজ +NumberScheduledJobError=ভুলভাবে নির্ধারিত কাজের সংখ্যা +NumberScheduledJobNeverFinished=নির্ধারিত কাজের সংখ্যা কখনই শেষ হয়নি diff --git a/htdocs/langs/bn_IN/datapolicy.lang b/htdocs/langs/bn_IN/datapolicy.lang index aad90c75e2f..111ea16787d 100644 --- a/htdocs/langs/bn_IN/datapolicy.lang +++ b/htdocs/langs/bn_IN/datapolicy.lang @@ -14,79 +14,79 @@ # along with this program. If not, see . # Module label 'ModuledatapolicyName' -Module4100Name = Data Privacy Policy +Module4100Name = ডেটা গোপনীয়তা নীতি # Module description 'ModuledatapolicyDesc' -Module4100Desc = Module to manage Data Privacy (Conformity with the GDPR) +Module4100Desc = ডেটা গোপনীয়তা পরিচালনার মডিউল (জিডিপিআরের সাথে সামঞ্জস্যপূর্ণ) # # Administration page # -datapolicySetup = Module Data Privacy Policy Setup -Deletion = Deletion of data -datapolicySetupPage = Depending of laws of your countries (Example Article 5 of the GDPR), personal data must be kept for a period not exceeding that necessary for the purposes for which they were collected, except for archival purposes.
      The deletion will be done automatically after a certain duration without event (the duration which you will have indicated below). -NB_MONTHS = %s months -ONE_YEAR = 1 year -NB_YEARS = %s years -DATAPOLICY_TIERS_CLIENT = Customer -DATAPOLICY_TIERS_PROSPECT = Prospect -DATAPOLICY_TIERS_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = Nor prospect/Nor customer -DATAPOLICY_TIERS_FOURNISSEUR = Supplier -DATAPOLICY_CONTACT_CLIENT = Customer -DATAPOLICY_CONTACT_PROSPECT = Prospect -DATAPOLICY_CONTACT_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = Nor prospect/Nor customer -DATAPOLICY_CONTACT_FOURNISSEUR = Supplier -DATAPOLICY_ADHERENT = Member -DATAPOLICY_Tooltip_SETUP = Type of contact - Indicate your choices for each type. -DATAPOLICYMail = Emails Setup -DATAPOLICYSUBJECTMAIL = Subject of email -DATAPOLICYCONTENTMAIL = Content of the email -DATAPOLICYSUBSITUTION = You can use the following variables in your email (LINKACCEPT allows to create a link recording the agreement of the person, LINKREFUSED makes it possible to record the refusal of the person): -DATAPOLICYACCEPT = Message after agreement -DATAPOLICYREFUSE = Message after desagreement -SendAgreementText = You can send a GDPR email to all your relevant contacts (who have not yet received an email and for which you have not registered anything about their GDPR agreement). To do this, use the following button. -SendAgreement = Send emails -AllAgreementSend = All emails have been sent -TXTLINKDATAPOLICYACCEPT = Text for the link "agreement" -TXTLINKDATAPOLICYREFUSE = Text for the link "desagreement" +datapolicySetup = মডিউল ডেটা গোপনীয়তা নীতি সেটআপ +Deletion = ডেটা মুছে ফেলা +datapolicySetupPage = আপনার দেশের আইনের উপর নির্ভর করে (উদাহরণ GDPR এর অনুচ্ছেদ 5), ব্যক্তিগত ডেটা নির্দিষ্ট সময়ের জন্য রাখতে হবে সংরক্ষণাগারের উদ্দেশ্যে ব্যতীত যে উদ্দেশ্যে এগুলি সংগ্রহ করা হয়েছিল তার জন্য প্রয়োজনীয়তা অতিক্রম করে৷
      বিনা ইভেন্ট (যে সময়কালটি আপনি নির্দেশ করবেন) একটি নির্দিষ্ট সময়ের পরে স্বয়ংক্রিয়ভাবে মুছে ফেলা হবে নিচে). +NB_MONTHS = %s মাস +ONE_YEAR = 1 বছর +NB_YEARS = %s বছর +DATAPOLICY_TIERS_CLIENT = ক্রেতা +DATAPOLICY_TIERS_PROSPECT = সম্ভাবনা +DATAPOLICY_TIERS_PROSPECT_CLIENT = প্রত্যাশা গ্রাহক +DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = না সম্ভাবনা/না গ্রাহক +DATAPOLICY_TIERS_FOURNISSEUR = সরবরাহকারী +DATAPOLICY_CONTACT_CLIENT = ক্রেতা +DATAPOLICY_CONTACT_PROSPECT = সম্ভাবনা +DATAPOLICY_CONTACT_PROSPECT_CLIENT = প্রত্যাশা গ্রাহক +DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = না সম্ভাবনা/না গ্রাহক +DATAPOLICY_CONTACT_FOURNISSEUR = সরবরাহকারী +DATAPOLICY_ADHERENT = সদস্য +DATAPOLICY_Tooltip_SETUP = যোগাযোগের ধরন - প্রতিটি প্রকারের জন্য আপনার পছন্দগুলি নির্দেশ করুন৷ +DATAPOLICYMail = ইমেল সেটআপ +DATAPOLICYSUBJECTMAIL = ইমেইলের বিষয় +DATAPOLICYCONTENTMAIL = ইমেইলের বিষয়বস্তু +DATAPOLICYSUBSITUTION = আপনি আপনার ইমেলে নিম্নলিখিত ভেরিয়েবলগুলি ব্যবহার করতে পারেন (LINKACCEPT ব্যক্তির চুক্তি রেকর্ড করে একটি লিঙ্ক তৈরি করতে দেয়, LINKREFUSED ব্যক্তির অস্বীকৃতি রেকর্ড করা সম্ভব করে তোলে): +DATAPOLICYACCEPT = চুক্তির পর বার্তা +DATAPOLICYREFUSE = অসম্মতির পর বার্তা +SendAgreementText = আপনি আপনার সমস্ত প্রাসঙ্গিক পরিচিতিদের একটি GDPR ইমেল পাঠাতে পারেন (যারা এখনও একটি ইমেল পাননি এবং যার জন্য আপনি তাদের GDPR চুক্তি সম্পর্কে কিছু নিবন্ধন করেননি)। এটি করতে, নিম্নলিখিত বোতামটি ব্যবহার করুন। +SendAgreement = ইমেইল পাঠান +AllAgreementSend = সব ইমেইল পাঠানো হয়েছে +TXTLINKDATAPOLICYACCEPT = লিঙ্কের জন্য পাঠ্য "চুক্তি" +TXTLINKDATAPOLICYREFUSE = লিঙ্কের জন্য পাঠ্য "অসম্মতি" # # Extrafields # -DATAPOLICY_BLOCKCHECKBOX = GDPR : Processing of personal data -DATAPOLICY_consentement = Consent obtained for the processing of personal data -DATAPOLICY_opposition_traitement = Opposes the processing of his personal data -DATAPOLICY_opposition_prospection = Opposes the processing of his personal data for the purposes of prospecting +DATAPOLICY_BLOCKCHECKBOX = জিডিপিআর: ব্যক্তিগত তথ্য প্রক্রিয়াকরণ +DATAPOLICY_consentement = ব্যক্তিগত তথ্য প্রক্রিয়াকরণের জন্য সম্মতি প্রাপ্ত +DATAPOLICY_opposition_traitement = তার ব্যক্তিগত তথ্য প্রক্রিয়াকরণের বিরোধিতা করে +DATAPOLICY_opposition_prospection = প্রত্যাশার উদ্দেশ্যে তার ব্যক্তিগত ডেটা প্রক্রিয়াকরণের বিরোধিতা করে # # Popup # -DATAPOLICY_POPUP_ANONYME_TITLE = Anonymize a thirdparty -DATAPOLICY_POPUP_ANONYME_TEXTE = You can not delete this contact from Dolibarr because there are related items. In accordance with the GDPR, you will make all this data anonymous to respect your obligations. Would you like to continue ? +DATAPOLICY_POPUP_ANONYME_TITLE = একটি তৃতীয় পক্ষ বেনামী +DATAPOLICY_POPUP_ANONYME_TEXTE = আপনি Dolibarr থেকে এই পরিচিতি মুছে ফেলতে পারবেন না কারণ সম্পর্কিত আইটেম আছে। জিডিপিআর অনুসারে, আপনি আপনার বাধ্যবাধকতাগুলিকে সম্মান করতে এই সমস্ত ডেটা বেনামী করে দেবেন। আপনি কি অবিরত করতে চান ? # # Button for portability # -DATAPOLICY_PORTABILITE = Portability GDPR -DATAPOLICY_PORTABILITE_TITLE = Export of personal data -DATAPOLICY_PORTABILITE_CONFIRMATION = You want to export the personal data of this contact. Are you sure ? +DATAPOLICY_PORTABILITE = পোর্টেবিলিটি জিডিপিআর +DATAPOLICY_PORTABILITE_TITLE = ব্যক্তিগত তথ্য রপ্তানি +DATAPOLICY_PORTABILITE_CONFIRMATION = আপনি এই পরিচিতির ব্যক্তিগত ডেটা রপ্তানি করতে চান৷ তুমি কি নিশ্চিত ? # # Notes added during an anonymization # -ANONYMISER_AT = Anonymised the %s +ANONYMISER_AT = বেনামী %s # V2 -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_date = Date of agreement/desagreement GDPR -DATAPOLICY_send = Date sending agreement email -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_SEND = Send GDPR email -MailSent = Email has been sent +DATAPOLICYReturn = জিডিপিআর বৈধতা +DATAPOLICY_date = চুক্তি/অসম্মতির তারিখ GDPR +DATAPOLICY_send = চুক্তি ইমেল পাঠানোর তারিখ +DATAPOLICYReturn = জিডিপিআর বৈধতা +DATAPOLICY_SEND = GDPR ইমেল পাঠান +MailSent = ইমেল পাঠানো হয়েছে # ERROR -ErrorSubjectIsRequired = Error : The subject of email is required. Indicate it in the module setup -=Due to a technical problem, we were unable to register your choice. We apologize for that. Contact us to send us your choice. -NUMBER_MONTH_BEFORE_DELETION = Number of month before deletion +ErrorSubjectIsRequired = ত্রুটি: ইমেলের বিষয় প্রয়োজন। মডিউল সেটআপে এটি নির্দেশ করুন +=একটি প্রযুক্তিগত সমস্যার কারণে, আমরা আপনার পছন্দ নিবন্ধন করতে অক্ষম ছিল. এর জন্য আমরা ক্ষমাপ্রার্থী। আমাদের আপনার পছন্দ পাঠাতে আমাদের সাথে যোগাযোগ করুন. +NUMBER_MONTH_BEFORE_DELETION = মুছে ফেলার আগে মাসের সংখ্যা diff --git a/htdocs/langs/bn_IN/deliveries.lang b/htdocs/langs/bn_IN/deliveries.lang index cd8a36e6c70..1c5a65d1aff 100644 --- a/htdocs/langs/bn_IN/deliveries.lang +++ b/htdocs/langs/bn_IN/deliveries.lang @@ -1,33 +1,33 @@ # Dolibarr language file - Source file is en_US - deliveries -Delivery=Delivery -DeliveryRef=Ref Delivery -DeliveryCard=Receipt card -DeliveryOrder=Delivery receipt -DeliveryDate=Delivery date -CreateDeliveryOrder=Generate delivery receipt -DeliveryStateSaved=Delivery state saved -SetDeliveryDate=Set shipping date -ValidateDeliveryReceipt=Validate delivery receipt -ValidateDeliveryReceiptConfirm=Are you sure you want to validate this delivery receipt? -DeleteDeliveryReceipt=Delete delivery receipt -DeleteDeliveryReceiptConfirm=Are you sure you want to delete delivery receipt %s? -DeliveryMethod=Delivery method -TrackingNumber=Tracking number -DeliveryNotValidated=Delivery not validated -StatusDeliveryCanceled=Canceled -StatusDeliveryDraft=Draft -StatusDeliveryValidated=Received +Delivery=ডেলিভারি +DeliveryRef=রেফ ডেলিভারি +DeliveryCard=স্টক রসিদ +DeliveryOrder=প্রসবের প্রাপ্তি +DeliveryDate=প্রসবের তারিখ +CreateDeliveryOrder=ডেলিভারি রসিদ তৈরি করুন +DeliveryStateSaved=ডেলিভারি অবস্থা সংরক্ষিত +SetDeliveryDate=শিপিং তারিখ সেট করুন +ValidateDeliveryReceipt=ডেলিভারি রসিদ যাচাই করুন +ValidateDeliveryReceiptConfirm=আপনি কি এই ডেলিভারি রসিদ যাচাই করার বিষয়ে নিশ্চিত? +DeleteDeliveryReceipt=ডেলিভারি রসিদ মুছুন +DeleteDeliveryReceiptConfirm=আপনি কি নিশ্চিত যে আপনি %s ডেলিভারি রসিদ মুছে ফেলতে চান? +DeliveryMethod=ডেলিভারি পদ্ধতি +TrackingNumber=ট্র্যাকিং নম্বর +DeliveryNotValidated=ডেলিভারি বৈধ নয় +StatusDeliveryCanceled=বাতিল +StatusDeliveryDraft=খসড়া +StatusDeliveryValidated=গৃহীত # merou PDF model -NameAndSignature=Name and Signature: -ToAndDate=To___________________________________ on ____/_____/__________ -GoodStatusDeclaration=Have received the goods above in good condition, -Deliverer=Deliverer: -Sender=Sender -Recipient=Recipient -ErrorStockIsNotEnough=There's not enough stock -Shippable=Shippable -NonShippable=Not Shippable -ShowShippableStatus=Show shippable status -ShowReceiving=Show delivery receipt -NonExistentOrder=Nonexistent order -StockQuantitiesAlreadyAllocatedOnPreviousLines = Stock quantities already allocated on previous lines +NameAndSignature=নাম এবং স্বাক্ষর: +ToAndDate=___________________________________-এ _____________________________ +GoodStatusDeclaration=উপরের পণ্যগুলি ভাল অবস্থায় পেয়েছি, +Deliverer=বিতরণকারী: +Sender=প্রেরক +Recipient=প্রাপক +ErrorStockIsNotEnough=পর্যাপ্ত স্টক নেই +Shippable=চালানযোগ্য +NonShippable=জাহাজীকরণযোগ্য নয় +ShowShippableStatus=জাহাজীকরণযোগ্য অবস্থা দেখান +ShowReceiving=ডেলিভারি রসিদ দেখান +NonExistentOrder=অস্তিত্বহীন আদেশ +StockQuantitiesAlreadyAllocatedOnPreviousLines = পূর্ববর্তী লাইনে ইতিমধ্যেই বরাদ্দকৃত স্টক পরিমাণ diff --git a/htdocs/langs/bn_IN/dict.lang b/htdocs/langs/bn_IN/dict.lang index ec315d97142..67360b513ab 100644 --- a/htdocs/langs/bn_IN/dict.lang +++ b/htdocs/langs/bn_IN/dict.lang @@ -1,359 +1,362 @@ # Dolibarr language file - Source file is en_US - dict -CountryFR=France -CountryBE=Belgium -CountryIT=Italy -CountryES=Spain -CountryDE=Germany -CountryCH=Switzerland +CountryFR=ফ্রান্স +CountryBE=বেলজিয়াম +CountryIT=ইতালি +CountryES=স্পেন +CountryDE=জার্মানি +CountryCH=সুইজারল্যান্ড # Warning, country code GB is for United Kingdom. UK Does not exists as country code in ISO standard. -CountryGB=United Kingdom -CountryUK=United Kingdom -CountryIE=Ireland -CountryCN=China -CountryTN=Tunisia -CountryUS=United States -CountryMA=Morocco -CountryDZ=Algeria -CountryCA=Canada -CountryTG=Togo -CountryGA=Gabon -CountryNL=Netherlands -CountryHU=Hungary -CountryRU=Russia -CountrySE=Sweden -CountryCI=Ivoiry Coast -CountrySN=Senegal -CountryAR=Argentina -CountryCM=Cameroon -CountryPT=Portugal -CountrySA=Saudi Arabia -CountryMC=Monaco -CountryAU=Australia -CountrySG=Singapore -CountryAF=Afghanistan -CountryAX=Åland Islands -CountryAL=Albania -CountryAS=American Samoa -CountryAD=Andorra -CountryAO=Angola -CountryAI=Anguilla -CountryAQ=Antarctica -CountryAG=Antigua and Barbuda -CountryAM=Armenia -CountryAW=Aruba -CountryAT=Austria -CountryAZ=Azerbaijan -CountryBS=Bahamas -CountryBH=Bahrain -CountryBD=Bangladesh -CountryBB=Barbados -CountryBY=Belarus -CountryBZ=Belize -CountryBJ=Benin -CountryBM=Bermuda -CountryBT=Bhutan -CountryBO=Bolivia -CountryBA=Bosnia and Herzegovina -CountryBW=Botswana -CountryBV=Bouvet Island -CountryBR=Brazil -CountryIO=British Indian Ocean Territory -CountryBN=Brunei Darussalam -CountryBG=Bulgaria -CountryBF=Burkina Faso -CountryBI=Burundi -CountryKH=Cambodia -CountryCV=Cape Verde -CountryKY=Cayman Islands -CountryCF=Central African Republic -CountryTD=Chad -CountryCL=Chile -CountryCX=Christmas Island -CountryCC=Cocos (Keeling) Islands -CountryCO=Colombia -CountryKM=Comoros -CountryCG=Congo -CountryCD=Congo, The Democratic Republic of the -CountryCK=Cook Islands -CountryCR=Costa Rica -CountryHR=Croatia -CountryCU=Cuba -CountryCY=Cyprus -CountryCZ=Czech Republic -CountryDK=Denmark -CountryDJ=Djibouti -CountryDM=Dominica -CountryDO=Dominican Republic -CountryEC=Ecuador -CountryEG=Egypt -CountrySV=El Salvador -CountryGQ=Equatorial Guinea -CountryER=Eritrea -CountryEE=Estonia -CountryET=Ethiopia -CountryFK=Falkland Islands -CountryFO=Faroe Islands -CountryFJ=Fiji Islands -CountryFI=Finland -CountryGF=French Guiana -CountryPF=French Polynesia -CountryTF=French Southern Territories -CountryGM=Gambia -CountryGE=Georgia -CountryGH=Ghana -CountryGI=Gibraltar -CountryGR=Greece -CountryGL=Greenland -CountryGD=Grenada -CountryGP=Guadeloupe -CountryGU=Guam -CountryGT=Guatemala -CountryGN=Guinea -CountryGW=Guinea-Bissau -CountryGY=Guyana -CountryHT=Haïti -CountryHM=Heard Island and McDonald -CountryVA=Holy See (Vatican City State) -CountryHN=Honduras -CountryHK=Hong Kong -CountryIS=Iceland -CountryIN=India -CountryID=Indonesia -CountryIR=Iran -CountryIQ=Iraq -CountryIL=Israel -CountryJM=Jamaica -CountryJP=Japan -CountryJO=Jordan -CountryKZ=Kazakhstan -CountryKE=Kenya -CountryKI=Kiribati -CountryKP=North Korea -CountryKR=South Korea -CountryKW=Kuwait -CountryKG=Kyrgyzstan -CountryLA=Lao -CountryLV=Latvia -CountryLB=Lebanon -CountryLS=Lesotho -CountryLR=Liberia -CountryLY=Libyan -CountryLI=Liechtenstein -CountryLT=Lithuania -CountryLU=Luxembourg -CountryMO=Macao -CountryMK=Macedonia, the former Yugoslav of -CountryMG=Madagascar -CountryMW=Malawi -CountryMY=Malaysia -CountryMV=Maldives -CountryML=Mali -CountryMT=Malta -CountryMH=Marshall Islands -CountryMQ=Martinique -CountryMR=Mauritania -CountryMU=Mauritius -CountryYT=Mayotte -CountryMX=Mexico -CountryFM=Micronesia -CountryMD=Moldova -CountryMN=Mongolia -CountryMS=Monserrat -CountryMZ=Mozambique -CountryMM=Myanmar (Burma) -CountryNA=Namibia -CountryNR=Nauru -CountryNP=Nepal -CountryAN=Netherlands Antilles -CountryNC=New Caledonia -CountryNZ=New Zealand -CountryNI=Nicaragua -CountryNE=Niger -CountryNG=Nigeria -CountryNU=Niue -CountryNF=Norfolk Island -CountryMP=Northern Mariana Islands -CountryNO=Norway -CountryOM=Oman -CountryPK=Pakistan -CountryPW=Palau -CountryPS=Palestinian Territory, Occupied -CountryPA=Panama -CountryPG=Papua New Guinea -CountryPY=Paraguay -CountryPE=Peru -CountryPH=Philippines -CountryPN=Pitcairn Islands -CountryPL=Poland -CountryPR=Puerto Rico -CountryQA=Qatar -CountryRE=Reunion -CountryRO=Romania -CountryRW=Rwanda -CountrySH=Saint Helena -CountryKN=Saint Kitts and Nevis -CountryLC=Saint Lucia -CountryPM=Saint Pierre and Miquelon -CountryVC=Saint Vincent and Grenadines -CountryWS=Samoa -CountrySM=San Marino -CountryST=Sao Tome and Principe -CountryRS=Serbia -CountrySC=Seychelles -CountrySL=Sierra Leone -CountrySK=Slovakia -CountrySI=Slovenia -CountrySB=Solomon Islands -CountrySO=Somalia -CountryZA=South Africa -CountryGS=South Georgia and the South Sandwich Islands -CountryLK=Sri Lanka -CountrySD=Sudan -CountrySR=Suriname -CountrySJ=Svalbard and Jan Mayen -CountrySZ=Swaziland -CountrySY=Syrian -CountryTW=Taiwan -CountryTJ=Tajikistan -CountryTZ=Tanzania -CountryTH=Thailand -CountryTL=Timor-Leste -CountryTK=Tokelau -CountryTO=Tonga -CountryTT=Trinidad and Tobago -CountryTR=Turkey -CountryTM=Turkmenistan -CountryTC=Turks and Caicos Islands -CountryTV=Tuvalu -CountryUG=Uganda -CountryUA=Ukraine -CountryAE=United Arab Emirates -CountryUM=United States Minor Outlying Islands -CountryUY=Uruguay -CountryUZ=Uzbekistan -CountryVU=Vanuatu -CountryVE=Venezuela -CountryVN=Viet Nam -CountryVG=Virgin Islands, British -CountryVI=Virgin Islands, U.S. -CountryWF=Wallis and Futuna -CountryEH=Western Sahara -CountryYE=Yemen -CountryZM=Zambia -CountryZW=Zimbabwe -CountryGG=Guernsey -CountryIM=Isle of Man -CountryJE=Jersey -CountryME=Montenegro -CountryBL=Saint Barthelemy -CountryMF=Saint Martin +CountryGB=যুক্তরাজ্য +CountryUK=যুক্তরাজ্য +CountryIE=আয়ারল্যান্ড +CountryCN=চীন +CountryTN=তিউনিসিয়া +CountryUS=যুক্তরাষ্ট্র +CountryMA=মরক্কো +CountryDZ=আলজেরিয়া +CountryCA=কানাডা +CountryTG=যাও +CountryGA=গ্যাবন +CountryNL=নেদারল্যান্ডস +CountryHU=হাঙ্গেরি +CountryRU=রাশিয়া +CountrySE=সুইডেন +CountryCI=আইভরি কোস্ট +CountrySN=সেনেগাল +CountryAR=আর্জেন্টিনা +CountryCM=ক্যামেরুন +CountryPT=পর্তুগাল +CountrySA=সৌদি আরব +CountryMC=মোনাকো +CountryAU=অস্ট্রেলিয়া +CountrySG=সিঙ্গাপুর +CountryAF=আফগানিস্তান +CountryAX=এল্যান্ড দ্বীপপুঞ্জ +CountryAL=আলবেনিয়া +CountryAS=আমেরিকান সামোয়া +CountryAD=এন্ডোরা +CountryAO=অ্যাঙ্গোলা +CountryAI=অ্যাঙ্গুইলা +CountryAQ=অ্যান্টার্কটিকা +CountryAG=অ্যান্টিগুয়া ও বার্বুডা +CountryAM=আর্মেনিয়া +CountryAW=আরুবা +CountryAT=অস্ট্রিয়া +CountryAZ=আজারবাইজান +CountryBS=বাহামাস +CountryBH=বাহরাইন +CountryBD=বাংলাদেশ +CountryBB=বার্বাডোজ +CountryBY=বেলারুশ +CountryBZ=বেলিজ +CountryBJ=বেনিন +CountryBM=বারমুডা +CountryBT=ভুটান +CountryBO=বলিভিয়া +CountryBA=বসনিয়া ও হার্জেগোভিনা +CountryBW=বতসোয়ানা +CountryBV=বুভেট দ্বীপ +CountryBR=ব্রাজিল +CountryIO=ব্রিটিশ ভারত মহাসাগরীয় অঞ্চল +CountryBN=ব্রুনাই দারুসসালাম +CountryBG=বুলগেরিয়া +CountryBF=বুর্কিনা ফাসো +CountryBI=বুরুন্ডি +CountryKH=কম্বোডিয়া +CountryCV=কেপ ভার্দে +CountryKY=কেম্যান দ্বীপপুঞ্জ +CountryCF=মধ্য আফ্রিকান প্রজাতন্ত্র +CountryTD=চাদ +CountryCL=চিলি +CountryCX=ক্রিস্টমাস দ্বীপ +CountryCC=কোকোস (কিলিং) দ্বীপপুঞ্জ +CountryCO=কলম্বিয়া +CountryKM=কোমোরোস +CountryCG=কঙ্গো +CountryCD=কঙ্গো, গণতান্ত্রিক প্রজাতন্ত্র +CountryCK=কুক দ্বীপপুঞ্জ +CountryCR=কোস্টারিকা +CountryHR=ক্রোয়েশিয়া +CountryCU=কিউবা +CountryCY=সাইপ্রাস +CountryCZ=চেক প্রজাতন্ত্র +CountryDK=ডেনমার্ক +CountryDJ=জিবুতি +CountryDM=ডমিনিকা +CountryDO=ডোমিনিকান প্রজাতন্ত্র +CountryEC=ইকুয়েডর +CountryEG=মিশর +CountrySV=এল সালভাদর +CountryGQ=নিরক্ষীয় গিনি +CountryER=ইরিত্রিয়া +CountryEE=এস্তোনিয়া +CountryET=ইথিওপিয়া +CountryFK=ফকল্যান্ড দ্বীপপুঞ্জ +CountryFO=ফারো দ্বীপপুঞ্জ +CountryFJ=ফিজি দ্বীপপুঞ্জ +CountryFI=ফিনল্যান্ড +CountryGF=একটি দেশের নাম +CountryPF=ফরাসি পলিনেশিয়া +CountryTF=ফরাসি সাউদার্ন টেরিটোরিজ +CountryGM=গাম্বিয়া +CountryGE=জর্জিয়া +CountryGH=ঘানা +CountryGI=জিব্রাল্টার +CountryGR=গ্রীস +CountryGL=গ্রীনল্যান্ড +CountryGD=গ্রেনাডা +CountryGP=গুয়াদেলুপ +CountryGU=গুয়াম +CountryGT=গুয়াতেমালা +CountryGN=গিনি +CountryGW=গিনি-বিসাউ +CountryGY=গায়ানা +CountryHT=হাইতি +CountryHM=হার্ড আইল্যান্ড এবং ম্যাকডোনাল্ড +CountryVA=হলি সি (ভ্যাটিকান সিটি স্টেট) +CountryHN=হন্ডুরাস +CountryHK=হংকং +CountryIS=আইসল্যান্ড +CountryIN=ভারত +CountryID=ইন্দোনেশিয়া +CountryIR=ইরান +CountryIQ=ইরাক +CountryIL=ইজরায়েল +CountryJM=জ্যামাইকা +CountryJP=জাপান +CountryJO=জর্ডান +CountryKZ=কাজাখস্তান +CountryKE=কেনিয়া +CountryKI=কিরিবাতি +CountryKP=উত্তর কোরিয়া +CountryKR=দক্ষিণ কোরিয়া +CountryKW=কুয়েত +CountryKG=কিরগিজস্তান +CountryLA=লাও +CountryLV=লাটভিয়া +CountryLB=লেবানন +CountryLS=লেসোথো +CountryLR=লাইবেরিয়া +CountryLY=লিবিয়া +CountryLI=লিচেনস্টাইন +CountryLT=লিথুয়ানিয়া +CountryLU=লুক্সেমবার্গ +CountryMO=ম্যাকাও +CountryMK=মেসিডোনিয়া, সাবেক যুগোস্লাভ +CountryMG=মাদাগাস্কার +CountryMW=মালাউই +CountryMY=মালয়েশিয়া +CountryMV=মালদ্বীপ +CountryML=মালি +CountryMT=মাল্টা +CountryMH=মার্শাল দ্বীপপুঞ্জ +CountryMQ=মার্টিনিক +CountryMR=মৌরিতানিয়া +CountryMU=মরিশাস +CountryYT=মায়োট +CountryMX=মেক্সিকো +CountryFM=মাইক্রোনেশিয়া +CountryMD=মলদোভা +CountryMN=মঙ্গোলিয়া +CountryMS=মন্টসেরাট +CountryMZ=মোজাম্বিক +CountryMM=মায়ানমার (বার্মা) +CountryNA=নামিবিয়া +CountryNR=নাউরু +CountryNP=নেপাল +CountryAN=নেদারল্যান্ডস এন্টিলস +CountryNC=নতুন ক্যালেডোনিয়া +CountryNZ=নিউজিল্যান্ড +CountryNI=নিকারাগুয়া +CountryNE=নাইজার +CountryNG=নাইজেরিয়া +CountryNU=নিউ +CountryNF=নরফোক দ্বীপ +CountryMP=উত্তর মারিয়ানা দ্বীপপুঞ্জ +CountryNO=নরওয়ে +CountryOM=ওমান +CountryPK=পাকিস্তান +CountryPW=পালাউ +CountryPS=ফিলিস্তিনি ভূখণ্ড, অধিকৃত +CountryPA=পানামা +CountryPG=পাপুয়া নিউ গিনি +CountryPY=প্যারাগুয়ে +CountryPE=পেরু +CountryPH=ফিলিপাইন +CountryPN=পিটকেয়ার্ন দ্বীপপুঞ্জ +CountryPL=পোল্যান্ড +CountryPR=পুয়ের্তো রিকো +CountryQA=কাতার +CountryRE=পুনর্মিলন +CountryRO=রোমানিয়া +CountryRW=রুয়ান্ডা +CountrySH=সেন্ট হেলেনা +CountryKN=সেন্ট কিটস ও নেভিস +CountryLC=সেন্ট লুসিয়া +CountryPM=সেন্ট পিয়ের এবং মিকেলন +CountryVC=সেন্ট ভিনসেন্ট এবং গ্রেনাডাইনস +CountryWS=সামোয়া +CountrySM=সান মারিনো +CountryST=সাও টোমে এবং প্রিনসিপে +CountryRS=সার্বিয়া +CountrySC=সেশেলস +CountrySL=সিয়েরা লিওন +CountrySK=স্লোভাকিয়া +CountrySI=স্লোভেনিয়া +CountrySB=সলোমান দ্বীপপুঞ্জ +CountrySO=সোমালিয়া +CountryZA=দক্ষিন আফ্রিকা +CountryGS=দক্ষিণ জর্জিয়া এবং দক্ষিণ স্যান্ডউইচ দ্বীপপুঞ্জ +CountryLK=শ্রীলংকা +CountrySD=সুদান +CountrySR=সুরিনাম +CountrySJ=স্বালবার্ড এবং জান মায়েন +CountrySZ=সোয়াজিল্যান্ড +CountrySY=সিরিয়ান +CountryTW=তাইওয়ান +CountryTJ=তাজিকিস্তান +CountryTZ=তানজানিয়া +CountryTH=থাইল্যান্ড +CountryTL=তিমুর-লেস্তে +CountryTK=টোকেলাউ +CountryTO=টোঙ্গা +CountryTT=ত্রিনিদাদ ও টোবাগো +CountryTR=তুরস্ক +CountryTM=তুর্কমেনিস্তান +CountryTC=টার্কস্ ও কেইকোস দ্বীপপুঞ্জ +CountryTV=টুভালু +CountryUG=উগান্ডা +CountryUA=ইউক্রেন +CountryAE=সংযুক্ত আরব আমিরাত +CountryUM=মার্কিন যুক্তরাষ্ট্র ক্ষুদ্র ও পার্শ্ববর্তী দ্বীপপুঞ্জ +CountryUY=উরুগুয়ে +CountryUZ=উজবেকিস্তান +CountryVU=ভানুয়াতু +CountryVE=ভেনেজুয়েলা +CountryVN=ভিয়েতনাম +CountryVG=ভার্জিন দ্বীপপুঞ্জ, ব্রিটিশ +CountryVI=ভার্জিন দ্বীপপুঞ্জ, মার্কিন যুক্তরাষ্ট্র +CountryWF=ওয়ালিস এবং ফুটুনা +CountryEH=পশ্চিম সাহারা +CountryYE=ইয়েমেন +CountryZM=জাম্বিয়া +CountryZW=জিম্বাবুয়ে +CountryGG=গার্নসি +CountryIM=আইল অফ ম্যান +CountryJE=জার্সি +CountryME=মন্টিনিগ্রো +CountryBL=সেন্ট বার্থেলেমি +CountryMF=সেন্ট মার্টিন +CountryXK=কসোভো ##### Civilities ##### -CivilityMME=Mrs. -CivilityMR=Mr. -CivilityMLE=Ms. -CivilityMTRE=Master -CivilityDR=Doctor +CivilityMME=জনাবা. +CivilityMMEShort=জনাবা. +CivilityMR=জনাব. +CivilityMRShort=জনাব. +CivilityMLE=মাইক্রোসফট. +CivilityMTRE=ওস্তাদ +CivilityDR=ডাক্তার ##### Currencies ##### -Currencyeuros=Euros -CurrencyAUD=AU Dollars -CurrencySingAUD=AU Dollar -CurrencyCAD=CAN Dollars -CurrencySingCAD=CAN Dollar -CurrencyCHF=Swiss Francs -CurrencySingCHF=Swiss Franc -CurrencyEUR=Euros -CurrencySingEUR=Euro -CurrencyFRF=French Francs -CurrencySingFRF=French Franc -CurrencyGBP=GB Pounds -CurrencySingGBP=GB Pound -CurrencyINR=Indian rupees -CurrencySingINR=Indian rupee -CurrencyMAD=Dirham -CurrencySingMAD=Dirham -CurrencyMGA=Ariary -CurrencySingMGA=Ariary -CurrencyMUR=Mauritius rupees -CurrencySingMUR=Mauritius rupee -CurrencyNOK=Norwegian krones -CurrencySingNOK=Norwegian kronas -CurrencyTND=Tunisian dinars -CurrencySingTND=Tunisian dinar -CurrencyUSD=US Dollars -CurrencySingUSD=US Dollar -CurrencyUAH=Hryvnia -CurrencySingUAH=Hryvnia -CurrencyXAF=CFA Francs BEAC -CurrencySingXAF=CFA Franc BEAC -CurrencyXOF=CFA Francs BCEAO -CurrencySingXOF=CFA Franc BCEAO -CurrencyXPF=CFP Francs -CurrencySingXPF=CFP Franc -CurrencyCentEUR=cents -CurrencyCentSingEUR=cent -CurrencyCentINR=paisa -CurrencyCentSingINR=paise -CurrencyThousandthSingTND=thousandth +Currencyeuros=ইউরো +CurrencyAUD=AU ডলার +CurrencySingAUD=AU ডলার +CurrencyCAD=CAN ডলার +CurrencySingCAD=ক্যান ডলার +CurrencyCHF=সুইস ফ্রাঙ্ক +CurrencySingCHF=সুইস ফ্রাংক +CurrencyEUR=ইউরো +CurrencySingEUR=ইউরো +CurrencyFRF=ফরাসি ফ্রাঙ্ক +CurrencySingFRF=ফরাসি ফ্রাঙ্ক +CurrencyGBP=জিবি পাউন্ড +CurrencySingGBP=জিবি পাউন্ড +CurrencyINR=ভারতীয় রুপি +CurrencySingINR=ভারতীয় রুপি +CurrencyMAD=দিরহাম +CurrencySingMAD=দিরহাম +CurrencyMGA=অরিরি +CurrencySingMGA=অরিরি +CurrencyMUR=মরিশাস রুপি +CurrencySingMUR=মরিশাস রুপি +CurrencyNOK=নরওয়েজিয়ান ক্রোনস +CurrencySingNOK=নরওয়েজিয়ান ক্রোনাস +CurrencyTND=তিউনিসিয়ান দিনার +CurrencySingTND=তিউনিসিয়ান দিনার +CurrencyUSD=মার্কিন ডলার +CurrencySingUSD=আমেরিকান ডলার +CurrencyUAH=রিভনিয়া +CurrencySingUAH=রিভনিয়া +CurrencyXAF=CFA ফ্রাঙ্ক BEAC +CurrencySingXAF=CFA ফ্রাঙ্ক BEAC +CurrencyXOF=CFA ফ্রাঙ্ক BCEAO +CurrencySingXOF=CFA ফ্রাঙ্ক BCEAO +CurrencyXPF=সিএফপি ফ্রাঙ্ক +CurrencySingXPF=CFP ফ্রাঙ্ক +CurrencyCentEUR=সেন্ট +CurrencyCentSingEUR=শতক +CurrencyCentINR=পয়সা +CurrencyCentSingINR=পয়সা +CurrencyThousandthSingTND=হাজারতম #### Input reasons ##### -DemandReasonTypeSRC_INTE=Internet -DemandReasonTypeSRC_CAMP_MAIL=Mailing campaign -DemandReasonTypeSRC_CAMP_EMAIL=EMailing campaign -DemandReasonTypeSRC_CAMP_PHO=Phone campaign -DemandReasonTypeSRC_CAMP_FAX=Fax campaign -DemandReasonTypeSRC_COMM=Commercial contact -DemandReasonTypeSRC_SHOP=Shop contact -DemandReasonTypeSRC_WOM=Word of mouth -DemandReasonTypeSRC_PARTNER=Partner -DemandReasonTypeSRC_EMPLOYEE=Employee -DemandReasonTypeSRC_SPONSORING=Sponsorship -DemandReasonTypeSRC_SRC_CUSTOMER=Incoming contact of a customer +DemandReasonTypeSRC_INTE=ইন্টারনেট +DemandReasonTypeSRC_CAMP_MAIL=মেইলিং প্রচারণা +DemandReasonTypeSRC_CAMP_EMAIL=ইমেইল প্রচারাভিযান +DemandReasonTypeSRC_CAMP_PHO=ফোন প্রচারণা +DemandReasonTypeSRC_CAMP_FAX=ফ্যাক্স প্রচারণা +DemandReasonTypeSRC_COMM=বাণিজ্যিক যোগাযোগ +DemandReasonTypeSRC_SHOP=দোকান যোগাযোগ +DemandReasonTypeSRC_WOM=মুখের কথা +DemandReasonTypeSRC_PARTNER=অংশীদার +DemandReasonTypeSRC_EMPLOYEE=কর্মচারী +DemandReasonTypeSRC_SPONSORING=স্পনসরশিপ +DemandReasonTypeSRC_SRC_CUSTOMER=একটি গ্রাহকের ইনকামিং যোগাযোগ #### Paper formats #### -PaperFormatEU4A0=Format 4A0 -PaperFormatEU2A0=Format 2A0 -PaperFormatEUA0=Format A0 -PaperFormatEUA1=Format A1 -PaperFormatEUA2=Format A2 -PaperFormatEUA3=Format A3 -PaperFormatEUA4=Format A4 -PaperFormatEUA5=Format A5 -PaperFormatEUA6=Format A6 -PaperFormatUSLETTER=Format Letter US -PaperFormatUSLEGAL=Format Legal US -PaperFormatUSEXECUTIVE=Format Executive US -PaperFormatUSLEDGER=Format Ledger/Tabloid -PaperFormatCAP1=Format P1 Canada -PaperFormatCAP2=Format P2 Canada -PaperFormatCAP3=Format P3 Canada -PaperFormatCAP4=Format P4 Canada -PaperFormatCAP5=Format P5 Canada -PaperFormatCAP6=Format P6 Canada +PaperFormatEU4A0=বিন্যাস 4A0 +PaperFormatEU2A0=বিন্যাস 2A0 +PaperFormatEUA0=বিন্যাস A0 +PaperFormatEUA1=বিন্যাস A1 +PaperFormatEUA2=বিন্যাস A2 +PaperFormatEUA3=ফরম্যাট A3 +PaperFormatEUA4=বিন্যাস A4 +PaperFormatEUA5=বিন্যাস A5 +PaperFormatEUA6=বিন্যাস A6 +PaperFormatUSLETTER=বিন্যাস চিঠি US +PaperFormatUSLEGAL=ফরম্যাট আইনি US +PaperFormatUSEXECUTIVE=ফরম্যাট এক্সিকিউটিভ মার্কিন +PaperFormatUSLEDGER=ফর্ম্যাট লেজার/ট্যাবলয়েড +PaperFormatCAP1=ফরম্যাট P1 কানাডা +PaperFormatCAP2=ফরম্যাট P2 কানাডা +PaperFormatCAP3=ফরম্যাট P3 কানাডা +PaperFormatCAP4=ফরম্যাট P4 কানাডা +PaperFormatCAP5=ফরম্যাট P5 কানাডা +PaperFormatCAP6=ফরম্যাট P6 কানাডা #### Expense report categories #### -ExpAutoCat=Car -ExpCycloCat=Moped -ExpMotoCat=Motorbike -ExpAuto3CV=3 CV -ExpAuto4CV=4 CV -ExpAuto5CV=5 CV -ExpAuto6CV=6 CV -ExpAuto7CV=7 CV -ExpAuto8CV=8 CV -ExpAuto9CV=9 CV -ExpAuto10CV=10 CV -ExpAuto11CV=11 CV -ExpAuto12CV=12 CV -ExpAuto3PCV=3 CV and more -ExpAuto4PCV=4 CV and more -ExpAuto5PCV=5 CV and more -ExpAuto6PCV=6 CV and more -ExpAuto7PCV=7 CV and more -ExpAuto8PCV=8 CV and more -ExpAuto9PCV=9 CV and more -ExpAuto10PCV=10 CV and more -ExpAuto11PCV=11 CV and more -ExpAuto12PCV=12 CV and more -ExpAuto13PCV=13 CV and more -ExpCyclo=Capacity lower to 50cm3 -ExpMoto12CV=Motorbike 1 or 2 CV -ExpMoto345CV=Motorbike 3, 4 or 5 CV -ExpMoto5PCV=Motorbike 5 CV and more +ExpAutoCat=গাড়ি +ExpCycloCat=মোপেড +ExpMotoCat=মোটরবাইক +ExpAuto3CV=3 সিভি +ExpAuto4CV=4 সিভি +ExpAuto5CV=5 সিভি +ExpAuto6CV=6 সিভি +ExpAuto7CV=7 সিভি +ExpAuto8CV=8 সিভি +ExpAuto9CV=9 সিভি +ExpAuto10CV=10 সিভি +ExpAuto11CV=11 সিভি +ExpAuto12CV=12 সিভি +ExpAuto3PCV=3 সিভি এবং আরো +ExpAuto4PCV=4 সিভি এবং আরো +ExpAuto5PCV=5 সিভি এবং আরো +ExpAuto6PCV=6 সিভি এবং আরো +ExpAuto7PCV=7 সিভি এবং আরো +ExpAuto8PCV=8 সিভি এবং আরো +ExpAuto9PCV=9 সিভি এবং আরো +ExpAuto10PCV=10 সিভি এবং আরো +ExpAuto11PCV=11 সিভি এবং আরো +ExpAuto12PCV=12 সিভি এবং আরো +ExpAuto13PCV=13 সিভি এবং আরো +ExpCyclo=ক্ষমতা কম 50cm3 +ExpMoto12CV=মোটরবাইক 1 বা 2 সিভি +ExpMoto345CV=মোটরবাইক 3, 4 বা 5 সিভি +ExpMoto5PCV=মোটরবাইক 5 সিভি এবং আরো diff --git a/htdocs/langs/bn_IN/donations.lang b/htdocs/langs/bn_IN/donations.lang index de4bdf68f03..a8a9ff38a7c 100644 --- a/htdocs/langs/bn_IN/donations.lang +++ b/htdocs/langs/bn_IN/donations.lang @@ -1,34 +1,36 @@ # Dolibarr language file - Source file is en_US - donations -Donation=Donation -Donations=Donations -DonationRef=Donation ref. -Donor=Donor -AddDonation=Create a donation -NewDonation=New donation -DeleteADonation=Delete a donation -ConfirmDeleteADonation=Are you sure you want to delete this donation? -PublicDonation=Public donation -DonationsArea=Donations area -DonationStatusPromiseNotValidated=Draft promise -DonationStatusPromiseValidated=Validated promise -DonationStatusPaid=Donation received -DonationStatusPromiseNotValidatedShort=Draft -DonationStatusPromiseValidatedShort=Validated -DonationStatusPaidShort=Received -DonationTitle=Donation receipt -DonationDate=Donation date -DonationDatePayment=Payment date -ValidPromess=Validate promise -DonationReceipt=Donation receipt -DonationsModels=Documents models for donation receipts -LastModifiedDonations=Latest %s modified donations -DonationRecipient=Donation recipient -IConfirmDonationReception=The recipient declare reception, as a donation, of the following amount -MinimumAmount=Minimum amount is %s -FreeTextOnDonations=Free text to show in footer -FrenchOptions=Options for France -DONATION_ART200=Show article 200 from CGI if you are concerned -DONATION_ART238=Show article 238 from CGI if you are concerned -DONATION_ART885=Show article 885 from CGI if you are concerned -DonationPayment=Donation payment -DonationValidated=Donation %s validated +Donation=দান +Donations=দান +DonationRef=দান রেফ. +Donor=দাতা +AddDonation=একটি অনুদান তৈরি করুন +NewDonation=নতুন দান +DeleteADonation=একটি অনুদান মুছুন +ConfirmDeleteADonation=আপনি কি এই দান মুছে ফেলার বিষয়ে নিশ্চিত? +PublicDonation=পাবলিক দান +DonationsArea=দান এলাকা +DonationStatusPromiseNotValidated=খসড়া প্রতিশ্রুতি +DonationStatusPromiseValidated=বৈধ প্রতিশ্রুতি +DonationStatusPaid=অনুদান পাওয়া গেছে +DonationStatusPromiseNotValidatedShort=খসড়া +DonationStatusPromiseValidatedShort=যাচাই করা হয়েছে +DonationStatusPaidShort=গৃহীত +DonationTitle=অনুদানের রসিদ +DonationDate=দানের তারিখ +DonationDatePayment=টাকা প্রদানের তারিখ +ValidPromess=প্রতিশ্রুতি যাচাই করুন +DonationReceipt=অনুদানের রসিদ +DonationsModels=দানের রসিদের জন্য নথির মডেল +LastModifiedDonations=সর্বশেষ %s পরিবর্তিত অনুদান +DonationRecipient=দান প্রাপক +IConfirmDonationReception=প্রাপক নিম্নলিখিত পরিমাণের দান হিসাবে অভ্যর্থনা ঘোষণা করেন +MinimumAmount=সর্বনিম্ন পরিমাণ হল %s +FreeTextOnDonations=ফুটারে দেখানোর জন্য বিনামূল্যে পাঠ্য +FrenchOptions=ফ্রান্সের জন্য বিকল্প +DONATION_ART200=আপনি উদ্বিগ্ন হলে CGI থেকে নিবন্ধ 200 দেখান +DONATION_ART238=আপনি উদ্বিগ্ন হলে CGI থেকে নিবন্ধ 238 দেখান +DONATION_ART978=আপনি উদ্বিগ্ন হলে CGI থেকে নিবন্ধ 978 দেখান +DonationPayment=অনুদান প্রদান +DonationValidated=দান %s বৈধ +DonationUseThirdparties=দাতার ঠিকানা হিসাবে একটি বিদ্যমান তৃতীয় পক্ষের ঠিকানা ব্যবহার করুন +DonationsStatistics=অনুদানের পরিসংখ্যান diff --git a/htdocs/langs/bn_IN/ecm.lang b/htdocs/langs/bn_IN/ecm.lang index 494a6c55164..e2377fa3d3c 100644 --- a/htdocs/langs/bn_IN/ecm.lang +++ b/htdocs/langs/bn_IN/ecm.lang @@ -1,49 +1,56 @@ # Dolibarr language file - Source file is en_US - ecm -ECMNbOfDocs=No. of documents in directory -ECMSection=Directory -ECMSectionManual=Manual directory -ECMSectionAuto=Automatic directory -ECMSectionsManual=Manual tree -ECMSectionsAuto=Automatic tree -ECMSections=Directories -ECMRoot=ECM Root -ECMNewSection=New directory -ECMAddSection=Add directory -ECMCreationDate=Creation date -ECMNbOfFilesInDir=Number of files in directory -ECMNbOfSubDir=Number of sub-directories -ECMNbOfFilesInSubDir=Number of files in sub-directories -ECMCreationUser=Creator -ECMArea=DMS/ECM area -ECMAreaDesc=The DMS/ECM (Document Management System / Electronic Content Management) area allows you to save, share and search quickly all kind of documents in Dolibarr. -ECMAreaDesc2=* Automatic directories are filled automatically when adding documents from card of an element.
      * Manual directories can be used to save documents not linked to a particular element. -ECMSectionWasRemoved=Directory %s has been deleted. -ECMSectionWasCreated=Directory %s has been created. -ECMSearchByKeywords=Search by keywords -ECMSearchByEntity=Search by object -ECMSectionOfDocuments=Directories of documents -ECMTypeAuto=Automatic -ECMDocsBy=Documents linked to %s -ECMNoDirectoryYet=No directory created -ShowECMSection=Show directory -DeleteSection=Remove directory -ConfirmDeleteSection=Can you confirm you want to delete the directory %s? -ECMDirectoryForFiles=Relative directory for files -CannotRemoveDirectoryContainsFilesOrDirs=Removal not possible because it contains some files or sub-directories -CannotRemoveDirectoryContainsFiles=Removal not possible because it contains some files -ECMFileManager=File manager -ECMSelectASection=Select a directory in the tree... -DirNotSynchronizedSyncFirst=This directory seems to be created or modified outside ECM module. You must click on "Resync" button first to synchronize disk and database to get content of this directory. -ReSyncListOfDir=Resync list of directories -HashOfFileContent=Hash of file content -NoDirectoriesFound=No directories found -FileNotYetIndexedInDatabase=File not yet indexed into database (try to re-upload it) -ExtraFieldsEcmFiles=Extrafields Ecm Files -ExtraFieldsEcmDirectories=Extrafields Ecm Directories -ECMSetup=ECM Setup -GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... -ConfirmImgWebpCreation=Confirm all images duplication -SucessConvertImgWebp=Images successfully duplicated -ECMDirName=Dir name -ECMParentDirectory=Parent directory +ECMNbOfDocs=ডিরেক্টরিতে নথির সংখ্যা +ECMSection=ডিরেক্টরি +ECMSectionManual=ম্যানুয়াল ডিরেক্টরি +ECMSectionAuto=স্বয়ংক্রিয় ডিরেক্টরি +ECMSectionsManual=ব্যক্তিগত ম্যানুয়াল গাছ +ECMSectionsAuto=ব্যক্তিগত স্বয়ংক্রিয় গাছ +ECMSectionsMedias=পাবলিক গাছ +ECMSections=ডিরেক্টরি +ECMRoot=ইসিএম রুট +ECMNewSection=নতুন ডিরেক্টরি +ECMAddSection=ডিরেক্টরি যোগ করুন +ECMCreationDate=তৈরির তারিখ +ECMNbOfFilesInDir=ডিরেক্টরিতে ফাইলের সংখ্যা +ECMNbOfSubDir=সাব-ডিরেক্টরির সংখ্যা +ECMNbOfFilesInSubDir=সাব-ডিরেক্টরিতে ফাইলের সংখ্যা +ECMCreationUser=সৃষ্টিকর্তা +ECMArea=DMS/ECM এলাকা +ECMAreaDesc=DMS/ECM (ডকুমেন্ট ম্যানেজমেন্ট সিস্টেম / ইলেকট্রনিক কনটেন্ট ম্যানেজমেন্ট) এলাকা আপনাকে ডলিবারে সব ধরনের নথি সংরক্ষণ, শেয়ার এবং দ্রুত অনুসন্ধান করতে দেয়। +ECMAreaDesc2a=* গাছের কাঠামোর একটি বিনামূল্যে সংগঠনের সাথে নথি সংরক্ষণ করতে ম্যানুয়াল ডিরেক্টরি ব্যবহার করা যেতে পারে। +ECMAreaDesc2b=* একটি উপাদানের পৃষ্ঠা থেকে নথি যোগ করার সময় স্বয়ংক্রিয় ডিরেক্টরিগুলি স্বয়ংক্রিয়ভাবে পূর্ণ হয়। +ECMAreaDesc3=* সর্বজনীন ডিরেক্টরি হল নথির ডিরেক্টরির /medias সাবডিরেক্টরিতে ফাইল, লগ ইন করার প্রয়োজন ছাড়াই প্রত্যেকের দ্বারা পাঠযোগ্য এবং ফাইলটি স্পষ্টভাবে শেয়ার করার দরকার নেই। এটি ইমেল বা ওয়েবসাইট মডিউলের জন্য ইমেজ ফাইল সংরক্ষণ করতে ব্যবহৃত হয়। +ECMSectionWasRemoved=ডিরেক্টরি %s মুছে ফেলা হয়েছে৷ +ECMSectionWasCreated=ডিরেক্টরি %s তৈরি করা হয়েছে৷ +ECMSearchByKeywords=কীওয়ার্ড দ্বারা অনুসন্ধান করুন +ECMSearchByEntity=বস্তু দ্বারা অনুসন্ধান +ECMSectionOfDocuments=নথির ডিরেক্টরি +ECMTypeAuto=স্বয়ংক্রিয় +ECMDocsBy=%s এর সাথে লিঙ্ক করা নথি +ECMNoDirectoryYet=কোনো ডিরেক্টরি তৈরি করা হয়নি +ShowECMSection=ডিরেক্টরি দেখান +DeleteSection=ডিরেক্টরি সরান +ConfirmDeleteSection=আপনি কি নিশ্চিত করতে পারেন যে আপনি %s ডিরেক্টরি মুছে দিতে চান? +ECMDirectoryForFiles=ফাইলের জন্য আপেক্ষিক ডিরেক্টরি +CannotRemoveDirectoryContainsFilesOrDirs=অপসারণ সম্ভব নয় কারণ এতে কিছু ফাইল বা সাব-ডিরেক্টরি রয়েছে +CannotRemoveDirectoryContainsFiles=অপসারণ সম্ভব নয় কারণ এতে কিছু ফাইল রয়েছে +ECMFileManager=নথি ব্যবস্থাপক +ECMSelectASection=গাছে একটি ডিরেক্টরি নির্বাচন করুন... +DirNotSynchronizedSyncFirst=এই ডিরেক্টরিটি ECM মডিউলের বাইরে তৈরি বা পরিবর্তিত বলে মনে হচ্ছে। এই ডিরেক্টরির বিষয়বস্তু পেতে ডিস্ক এবং ডাটাবেস সিঙ্ক্রোনাইজ করতে আপনাকে প্রথমে "রিসিঙ্ক" বোতামে ক্লিক করতে হবে৷ +ReSyncListOfDir=ডিরেক্টরির তালিকা পুনরায় সিঙ্ক করুন +HashOfFileContent=ফাইল কন্টেন্ট হ্যাশ +NoDirectoriesFound=কোনো ডিরেক্টরি পাওয়া যায়নি +FileNotYetIndexedInDatabase=ফাইলটি এখনও ডাটাবেসে সূচীভুক্ত হয়নি (এটি পুনরায় আপলোড করার চেষ্টা করুন) +ExtraFieldsEcmFiles=Extrafields Ecm ফাইল +ExtraFieldsEcmDirectories=Extrafields Ecm ডিরেক্টরি +ECMSetup=ECM সেটআপ +GenerateImgWebp=.webp ফরম্যাটের সাথে অন্য সংস্করণের সাথে সমস্ত ছবি নকল করুন +ConfirmGenerateImgWebp=যদি আপনি নিশ্চিত করেন, আপনি এই ফোল্ডারে থাকা সমস্ত ছবির জন্য .webp ফরম্যাটে একটি ছবি তৈরি করবেন (সাবফোল্ডারগুলি অন্তর্ভুক্ত করা হয়নি, আকারের থেকে বড় হলে webp ছবিগুলি তৈরি করা হবে না)... +ConfirmImgWebpCreation=সমস্ত ছবি নকল নিশ্চিত করুন +GenerateChosenImgWebp=.webp ফরম্যাটের সাথে অন্য সংস্করণের সাথে নির্বাচিত ছবি নকল করুন +ConfirmGenerateChosenImgWebp=আপনি নিশ্চিত করলে, আপনি %s ছবির জন্য .webp ফর্ম্যাটে একটি ছবি তৈরি করবেন +ConfirmChosenImgWebpCreation=নির্বাচিত ছবি ডুপ্লিকেশন নিশ্চিত করুন +SucessConvertImgWebp=ছবিগুলি সফলভাবে নকল করা হয়েছে৷ +SucessConvertChosenImgWebp=নির্বাচিত ছবি সফলভাবে সদৃশ হয়েছে৷ +ECMDirName=দির নাম +ECMParentDirectory=মূল নির্দেশিকা diff --git a/htdocs/langs/bn_IN/errors.lang b/htdocs/langs/bn_IN/errors.lang index 20f5b6f264a..bf698b1c877 100644 --- a/htdocs/langs/bn_IN/errors.lang +++ b/htdocs/langs/bn_IN/errors.lang @@ -1,334 +1,406 @@ # Dolibarr language file - Source file is en_US - errors # No errors -NoErrorCommitIsDone=No error, we commit +NoErrorCommitIsDone=কোন ত্রুটি নেই, আমরা প্রতিশ্রুতিবদ্ধ # Errors -ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is incorrect -ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) -ErrorBadUrl=Url %s is incorrect -ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. -ErrorRefAlreadyExists=Reference %s already exists. -ErrorLoginAlreadyExists=Login %s already exists. -ErrorGroupAlreadyExists=Group %s already exists. -ErrorEmailAlreadyExists=Email %s already exists. -ErrorRecordNotFound=Record not found. -ErrorFailToCopyFile=Failed to copy file '%s' into '%s'. -ErrorFailToCopyDir=Failed to copy directory '%s' into '%s'. -ErrorFailToRenameFile=Failed to rename file '%s' into '%s'. -ErrorFailToDeleteFile=Failed to remove file '%s'. -ErrorFailToCreateFile=Failed to create file '%s'. -ErrorFailToRenameDir=Failed to rename directory '%s' into '%s'. -ErrorFailToCreateDir=Failed to create directory '%s'. -ErrorFailToDeleteDir=Failed to delete directory '%s'. -ErrorFailToMakeReplacementInto=Failed to make replacement into file '%s'. -ErrorFailToGenerateFile=Failed to generate file '%s'. -ErrorThisContactIsAlreadyDefinedAsThisType=This contact is already defined as contact for this type. -ErrorCashAccountAcceptsOnlyCashMoney=This bank account is a cash account, so it accepts payments of type cash only. -ErrorFromToAccountsMustDiffers=Source and targets bank accounts must be different. -ErrorBadThirdPartyName=Bad value for third-party name -ForbiddenBySetupRules=Forbidden by setup rules -ErrorProdIdIsMandatory=The %s is mandatory -ErrorAccountancyCodeCustomerIsMandatory=The accountancy code of customer %s is mandatory -ErrorBadCustomerCodeSyntax=Bad syntax for customer code -ErrorBadBarCodeSyntax=Bad syntax for barcode. May be you set a bad barcode type or you defined a barcode mask for numbering that does not match value scanned. -ErrorCustomerCodeRequired=Customer code required -ErrorBarCodeRequired=Barcode required -ErrorCustomerCodeAlreadyUsed=Customer code already used -ErrorBarCodeAlreadyUsed=Barcode already used -ErrorPrefixRequired=Prefix required -ErrorBadSupplierCodeSyntax=Bad syntax for vendor code -ErrorSupplierCodeRequired=Vendor code required -ErrorSupplierCodeAlreadyUsed=Vendor code already used -ErrorBadParameters=Bad parameters -ErrorWrongParameters=Wrong or missing parameters -ErrorBadValueForParameter=Wrong value '%s' for parameter '%s' -ErrorBadImageFormat=Image file has not a supported format (Your PHP does not support functions to convert images of this format) -ErrorBadDateFormat=Value '%s' has wrong date format -ErrorWrongDate=Date is not correct! -ErrorFailedToWriteInDir=Failed to write in directory %s -ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) -ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields have been left blank. -ErrorSubjectIsRequired=The email subject is required -ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). -ErrorNoMailDefinedForThisUser=No mail defined for this user -ErrorSetupOfEmailsNotComplete=Setup of emails is not complete -ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display. -ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'. -ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id. -ErrorFileNotFound=File %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter) -ErrorDirNotFound=Directory %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter) -ErrorFunctionNotAvailableInPHP=Function %s is required for this feature but is not available in this version/setup of PHP. -ErrorDirAlreadyExists=A directory with this name already exists. -ErrorFileAlreadyExists=A file with this name already exists. -ErrorDestinationAlreadyExists=Another file with the name %s already exists. -ErrorPartialFile=File not received completely by server. -ErrorNoTmpDir=Temporary directy %s does not exists. -ErrorUploadBlockedByAddon=Upload blocked by a PHP/Apache plugin. -ErrorFileSizeTooLarge=File size is too large. -ErrorFieldTooLong=Field %s is too long. -ErrorSizeTooLongForIntType=Size too long for int type (%s digits maximum) -ErrorSizeTooLongForVarcharType=Size too long for string type (%s chars maximum) -ErrorNoValueForSelectType=Please fill value for select list -ErrorNoValueForCheckBoxType=Please fill value for checkbox list -ErrorNoValueForRadioType=Please fill value for radio list -ErrorBadFormatValueList=The list value cannot have more than one comma: %s, but need at least one: key,value -ErrorFieldCanNotContainSpecialCharacters=The field %s must not contains special characters. -ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters and cannot contain only numbers. -ErrorFieldMustHaveXChar=The field %s must have at least %s characters. -ErrorNoAccountancyModuleLoaded=No accountancy module activated -ErrorExportDuplicateProfil=This profile name already exists for this export set. -ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete. -ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors. -ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled. -ErrorRefAlreadyExists=Reference %s already exists. -ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD) -ErrorRecordHasChildren=Failed to delete record since it has some child records. -ErrorRecordHasAtLeastOneChildOfType=Object %s has at least one child of type %s -ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into another object. -ErrorModuleRequireJavascript=Javascript must not be disabled to have this feature working. To enable/disable Javascript, go to menu Home->Setup->Display. -ErrorPasswordsMustMatch=Both typed passwords must match each other -ErrorContactEMail=A technical error occured. Please, contact administrator to following email %s and provide the error code %s in your message, or add a screen copy of this page. -ErrorWrongValueForField=Field %s: '%s' does not match regex rule %s -ErrorFieldValueNotIn=Field %s: '%s' is not a value found in field %s of %s -ErrorFieldRefNotIn=Field %s: '%s' is not a %s existing ref -ErrorsOnXLines=%s errors found -ErrorFileIsInfectedWithAVirus=The antivirus program was not able to validate the file (file might be infected by a virus) -ErrorSpecialCharNotAllowedForField=Special characters are not allowed for field "%s" -ErrorNumRefModel=A reference exists into database (%s) and is not compatible with this numbering rule. Remove record or renamed reference to activate this module. -ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this vendor -ErrorOrdersNotCreatedQtyTooLow=Some orders haven't been created because of too-low quantities -ErrorModuleSetupNotComplete=Setup of module %s looks to be uncomplete. Go on Home - Setup - Modules to complete. -ErrorBadMask=Error on mask -ErrorBadMaskFailedToLocatePosOfSequence=Error, mask without sequence number -ErrorBadMaskBadRazMonth=Error, bad reset value -ErrorMaxNumberReachForThisMask=Maximum number reached for this mask -ErrorCounterMustHaveMoreThan3Digits=Counter must have more than 3 digits -ErrorSelectAtLeastOne=Error, select at least one entry. -ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transaction that is conciliated -ErrorProdIdAlreadyExist=%s is assigned to another third -ErrorFailedToSendPassword=Failed to send password -ErrorFailedToLoadRSSFile=Fails to get RSS feed. Try to add constant MAIN_SIMPLEXMLLOAD_DEBUG if error messages does not provide enough information. -ErrorForbidden=Access denied.
      You try to access to a page, area or feature of a disabled module or without being in an authenticated session or that is not allowed to your user. -ErrorForbidden2=Permission for this login can be defined by your Dolibarr administrator from menu %s->%s. -ErrorForbidden3=It seems that Dolibarr is not used through an authenticated session. Take a look at Dolibarr setup documentation to know how to manage authentications (htaccess, mod_auth or other...). -ErrorForbidden4=Note: clear your browser cookies to destroy existing sessions for this login. -ErrorNoImagickReadimage=Class Imagick is not found in this PHP. No preview can be available. Administrators can disable this tab from menu Setup - Display. -ErrorRecordAlreadyExists=Record already exists -ErrorLabelAlreadyExists=This label already exists -ErrorCantReadFile=Failed to read file '%s' -ErrorCantReadDir=Failed to read directory '%s' -ErrorBadLoginPassword=Bad value for login or password -ErrorLoginDisabled=Your account has been disabled -ErrorFailedToRunExternalCommand=Failed to run external command. Check it is available and runnable by your PHP server user. Check also the command is not protected on shell level by a security layer like apparmor. -ErrorFailedToChangePassword=Failed to change password -ErrorLoginDoesNotExists=User with login %s could not be found. -ErrorLoginHasNoEmail=This user has no email address. Process aborted. -ErrorBadValueForCode=Bad value for security code. Try again with new value... -ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines (net of tax) can't be negative for a given not null VAT rate (Found a negative total for VAT rate %s%%). -ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. -ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative -ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that -ErrorNoActivatedBarcode=No barcode type activated -ErrUnzipFails=Failed to unzip %s with ZipArchive -ErrNoZipEngine=No engine to zip/unzip %s file in this PHP -ErrorFileMustBeADolibarrPackage=The file %s must be a Dolibarr zip package -ErrorModuleFileRequired=You must select a Dolibarr module package file -ErrorPhpCurlNotInstalled=The PHP CURL is not installed, this is essential to talk with Paypal -ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP base -ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base -ErrorNewValueCantMatchOldValue=New value can't be equal to old one -ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process. -ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check database server is running (for example, with mysql/mariadb, you can launch it from command line with 'sudo service mysql start'). -ErrorFailedToAddContact=Failed to add contact -ErrorDateMustBeBeforeToday=The date must be lower than today -ErrorDateMustBeInFuture=The date must be greater than today -ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode. -ErrorPHPNeedModule=Error, your PHP must have module %s installed to use this feature. -ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s -ErrorWarehouseMustDiffers=Source and target warehouses must differs -ErrorBadFormat=Bad format! -ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any third party. Link member to an existing third party or create a new third party before creating subscription with invoice. -ErrorThereIsSomeDeliveries=Error, there is some deliveries linked to this shipment. Deletion refused. -ErrorCantDeletePaymentReconciliated=Can't delete a payment that had generated a bank entry that was reconciled -ErrorCantDeletePaymentSharedWithPayedInvoice=Can't delete a payment shared by at least one invoice with status Paid -ErrorPriceExpression1=Cannot assign to constant '%s' -ErrorPriceExpression2=Cannot redefine built-in function '%s' -ErrorPriceExpression3=Undefined variable '%s' in function definition -ErrorPriceExpression4=Illegal character '%s' -ErrorPriceExpression5=Unexpected '%s' -ErrorPriceExpression6=Wrong number of arguments (%s given, %s expected) -ErrorPriceExpression8=Unexpected operator '%s' -ErrorPriceExpression9=An unexpected error occured -ErrorPriceExpression10=Operator '%s' lacks operand -ErrorPriceExpression11=Expecting '%s' -ErrorPriceExpression14=Division by zero -ErrorPriceExpression17=Undefined variable '%s' -ErrorPriceExpression19=Expression not found -ErrorPriceExpression20=Empty expression -ErrorPriceExpression21=Empty result '%s' -ErrorPriceExpression22=Negative result '%s' -ErrorPriceExpression23=Unknown or non set variable '%s' in %s -ErrorPriceExpression24=Variable '%s' exists but has no value -ErrorPriceExpressionInternal=Internal error '%s' -ErrorPriceExpressionUnknown=Unknown error '%s' -ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs -ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on product '%s' requiring lot/serial information -ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=All recorded receptions must first be verified (approved or denied) before being allowed to do this action -ErrorCantSetReceptionToTotalDoneWithReceptionDenied=All recorded receptions must first be verified (approved) before being allowed to do this action -ErrorGlobalVariableUpdater0=HTTP request failed with error '%s' -ErrorGlobalVariableUpdater1=Invalid JSON format '%s' -ErrorGlobalVariableUpdater2=Missing parameter '%s' -ErrorGlobalVariableUpdater3=The requested data was not found in result -ErrorGlobalVariableUpdater4=SOAP client failed with error '%s' -ErrorGlobalVariableUpdater5=No global variable selected -ErrorFieldMustBeANumeric=Field %s must be a numeric value -ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided -ErrorOppStatusRequiredIfAmount=You set an estimated amount for this lead. So you must also enter it's status. -ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s -ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu) -ErrorSavingChanges=An error has occurred when saving the changes -ErrorWarehouseRequiredIntoShipmentLine=Warehouse is required on the line to ship -ErrorFileMustHaveFormat=File must have format %s -ErrorFilenameCantStartWithDot=Filename can't start with a '.' -ErrorSupplierCountryIsNotDefined=Country for this vendor is not defined. Correct this first. -ErrorsThirdpartyMerge=Failed to merge the two records. Request canceled. -ErrorStockIsNotEnoughToAddProductOnOrder=Stock is not enough for product %s to add it into a new order. -ErrorStockIsNotEnoughToAddProductOnInvoice=Stock is not enough for product %s to add it into a new invoice. -ErrorStockIsNotEnoughToAddProductOnShipment=Stock is not enough for product %s to add it into a new shipment. -ErrorStockIsNotEnoughToAddProductOnProposal=Stock is not enough for product %s to add it into a new proposal. -ErrorFailedToLoadLoginFileForMode=Failed to get the login key for mode '%s'. -ErrorModuleNotFound=File of module was not found. -ErrorFieldAccountNotDefinedForBankLine=Value for Accounting account not defined for source line id %s (%s) -ErrorFieldAccountNotDefinedForInvoiceLine=Value for Accounting account not defined for invoice id %s (%s) -ErrorFieldAccountNotDefinedForLine=Value for Accounting account not defined for the line (%s) -ErrorBankStatementNameMustFollowRegex=Error, bank statement name must follow the following syntax rule %s -ErrorPhpMailDelivery=Check that you don't use a too high number of recipients and that your email content is not similar to a Spam. Ask also your administrator to check firewall and server logs files for a more complete information. -ErrorUserNotAssignedToTask=User must be assigned to task to be able to enter time consumed. -ErrorTaskAlreadyAssigned=Task already assigned to user -ErrorModuleFileSeemsToHaveAWrongFormat=The module package seems to have a wrong format. -ErrorModuleFileSeemsToHaveAWrongFormat2=At least one mandatory directory must exists into zip of module: %s or %s -ErrorFilenameDosNotMatchDolibarrPackageRules=The name of the module package (%s) does not match expected name syntax: %s -ErrorDuplicateTrigger=Error, duplicate trigger name %s. Already loaded from %s. -ErrorNoWarehouseDefined=Error, no warehouses defined. -ErrorBadLinkSourceSetButBadValueForRef=The link you use is not valid. A 'source' for payment is defined, but value for 'ref' is not valid. -ErrorTooManyErrorsProcessStopped=Too many errors. Process was stopped. -ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Mass validation is not possible when option to increase/decrease stock is set on this action (you must validate one by one so you can define the warehouse to increase/decrease) -ErrorObjectMustHaveStatusDraftToBeValidated=Object %s must have status 'Draft' to be validated. -ErrorObjectMustHaveLinesToBeValidated=Object %s must have lines to be validated. -ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Only validated invoices can be sent using the "Send by email" mass action. -ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a predefined product or not -ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before. -ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently. -ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference. -ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number. -ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product -ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use -ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually. -ErrorBadSyntaxForParamKeyForContent=Bad syntax for param keyforcontent. Must have a value starting with %s or %s -ErrorVariableKeyForContentMustBeSet=Error, the constant with name %s (with text content to show) or %s (with external url to show) must be set. -ErrorURLMustEndWith=URL %s must end %s -ErrorURLMustStartWithHttp=URL %s must start with http:// or https:// -ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// -ErrorNewRefIsAlreadyUsed=Error, the new reference is already used -ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible. -ErrorSearchCriteriaTooSmall=Search criteria too small. -ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to be disabled -ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled -ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. -ErrorFieldRequiredForProduct=Field '%s' is required for product %s -ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. -ErrorAddAtLeastOneLineFirst=Add at least one line first -ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, record is already transferred in accounting, deletion is not possible. -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one. -ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s". -ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty -ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number -ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number -ErrorFailedToReadObject=Error, failed to read object of type %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler -ErrorLoginDateValidity=Error, this login is outside the validity date range -ErrorValueLength=Length of field '%s' must be higher than '%s' -ErrorReservedKeyword=The word '%s' is a reserved keyword -ErrorNotAvailableWithThisDistribution=Not available with this distribution -ErrorPublicInterfaceNotEnabled=Public interface was not enabled -ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page -ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page -ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation -ErrorDateIsInFuture=Error, the date can't be in the future -ErrorAnAmountWithoutTaxIsRequired=Error, amount is mandatory -ErrorAPercentIsRequired=Error, please fill in the percentage correctly -ErrorYouMustFirstSetupYourChartOfAccount=You must first setup your chart of account -ErrorFailedToFindEmailTemplate=Failed to find template with code name %s -ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Duration not defined on service. No way to calculate the hourly price. -ErrorActionCommPropertyUserowneridNotDefined=User's owner is required -ErrorActionCommBadType=Selected event type (id: %s, code: %s) do not exist in Event Type dictionary -CheckVersionFail=Version check fail -ErrorWrongFileName=Name of the file cannot have __SOMETHING__ in it -ErrorNotInDictionaryPaymentConditions=Not in Payment Terms Dictionary, please modify. -ErrorIsNotADraft=%s is not a draft -ErrorExecIdFailed=Can't execute command "id" -ErrorBadCharIntoLoginName=Unauthorized character in the login name -ErrorRequestTooLarge=Error, request too large +ErrorButCommitIsDone=ত্রুটি পাওয়া গেছে কিন্তু আমরা এই সত্ত্বেও যাচাই +ErrorBadEMail=ইমেল ঠিকানা %s ভুল +ErrorBadMXDomain=ইমেল %s ভুল বলে মনে হচ্ছে (ডোমেনের কোনো বৈধ MX রেকর্ড নেই) +ErrorBadUrl=Url %s ভুল +ErrorBadValueForParamNotAString=আপনার প্যারামিটারের জন্য খারাপ মান। অনুবাদ অনুপস্থিত হলে এটি সাধারণত যুক্ত হয়। +ErrorRefAlreadyExists=রেফারেন্স %s ইতিমধ্যেই বিদ্যমান। +ErrorTitleAlreadyExists=শিরোনাম %s ইতিমধ্যেই বিদ্যমান৷ +ErrorLoginAlreadyExists=লগইন %s আগে থেকেই আছে। +ErrorGroupAlreadyExists=গ্রুপ %s ইতিমধ্যেই বিদ্যমান। +ErrorEmailAlreadyExists=ইমেল %s ইতিমধ্যেই বিদ্যমান। +ErrorRecordNotFound=রেকর্ড পাওয়া যায়নি। +ErrorRecordNotFoundShort=পাওয়া যায়নি +ErrorFailToCopyFile='%s' ফাইলটি '%s'। +ErrorFailToCopyDir='%s' '%s'। +ErrorFailToRenameFile='%s' ফাইলের নাম পরিবর্তন করতে ব্যর্থ হয়েছে '%s'। +ErrorFailToDeleteFile='%s' ফাইল সরাতে ব্যর্থ হয়েছে৷ +ErrorFailToCreateFile='%s' ফাইল তৈরি করতে ব্যর্থ হয়েছে৷ +ErrorFailToRenameDir='%s'কে '%s'। +ErrorFailToCreateDir='%s' ডিরেক্টরি তৈরি করতে ব্যর্থ হয়েছে৷ +ErrorFailToDeleteDir='%s' ডিরেক্টরি মুছে ফেলতে ব্যর্থ হয়েছে৷ +ErrorFailToMakeReplacementInto='%s' ফাইলে প্রতিস্থাপন করতে ব্যর্থ হয়েছে৷ +ErrorFailToGenerateFile='%s' ফাইল তৈরি করতে ব্যর্থ হয়েছে৷ +ErrorThisContactIsAlreadyDefinedAsThisType=এই পরিচিতিটি ইতিমধ্যেই এই ধরণের যোগাযোগ হিসাবে সংজ্ঞায়িত করা হয়েছে৷ +ErrorCashAccountAcceptsOnlyCashMoney=এই ব্যাঙ্ক অ্যাকাউন্টটি একটি নগদ অ্যাকাউন্ট, তাই এটি শুধুমাত্র নগদ ধরনের অর্থপ্রদান গ্রহণ করে। +ErrorFromToAccountsMustDiffers=উৎস এবং লক্ষ্য ব্যাঙ্ক অ্যাকাউন্ট আলাদা হতে হবে। +ErrorBadThirdPartyName=তৃতীয় পক্ষের নামের জন্য খারাপ মান +ForbiddenBySetupRules=সেটআপ নিয়ম দ্বারা নিষিদ্ধ +ErrorProdIdIsMandatory=%s বাধ্যতামূলক +ErrorAccountancyCodeCustomerIsMandatory=গ্রাহকের অ্যাকাউন্টেন্সি কোড %s বাধ্যতামূলক +ErrorAccountancyCodeSupplierIsMandatory=সরবরাহকারীর অ্যাকাউন্টেন্সি কোড %s বাধ্যতামূলক +ErrorBadCustomerCodeSyntax=গ্রাহক কোডের জন্য খারাপ সিনট্যাক্স +ErrorBadBarCodeSyntax=বারকোডের জন্য খারাপ সিনট্যাক্স। আপনি একটি খারাপ বারকোড টাইপ সেট করতে পারেন বা আপনি নম্বর দেওয়ার জন্য একটি বারকোড মাস্ক সংজ্ঞায়িত করেছেন যা স্ক্যান করা মানের সাথে মেলে না। +ErrorCustomerCodeRequired=গ্রাহক কোড প্রয়োজন +ErrorBarCodeRequired=বারকোড প্রয়োজন +ErrorCustomerCodeAlreadyUsed=গ্রাহক কোড ইতিমধ্যে ব্যবহার করা হয়েছে +ErrorBarCodeAlreadyUsed=বারকোড ইতিমধ্যেই ব্যবহার করা হয়েছে +ErrorPrefixRequired=উপসর্গ প্রয়োজন +ErrorBadSupplierCodeSyntax=বিক্রেতা কোডের জন্য খারাপ সিনট্যাক্স +ErrorSupplierCodeRequired=বিক্রেতা কোড প্রয়োজন +ErrorSupplierCodeAlreadyUsed=বিক্রেতা কোড ইতিমধ্যে ব্যবহার করা হয়েছে +ErrorBadParameters=খারাপ পরামিতি +ErrorWrongParameters=ভুল বা অনুপস্থিত পরামিতি +ErrorBadValueForParameter='%s' প্যারামিটারের জন্য ভুল মান '%s' +ErrorBadImageFormat=ইমেজ ফাইলের কোনো সমর্থিত ফরম্যাট নেই (আপনার পিএইচপি এই ফরম্যাটের ছবি কনভার্ট করার ফাংশন সমর্থন করে না) +ErrorBadDateFormat=মান '%s' তারিখের বিন্যাস ভুল আছে +ErrorWrongDate=তারিখ ঠিক হয়নি! +ErrorFailedToWriteInDir=%s ডিরেক্টরিতে লিখতে ব্যর্থ হয়েছে +ErrorFailedToBuildArchive=সংরক্ষণাগার ফাইল তৈরি করতে ব্যর্থ %s +ErrorFoundBadEmailInFile=ফাইলে %s লাইনের জন্য ভুল ইমেল সিনট্যাক্স পাওয়া গেছে (উদাহরণ লাইন %s ইমেল=b0ecb2ecz87fb0ecb2ecz87f) +ErrorUserCannotBeDelete=ব্যবহারকারী মুছে ফেলা যাবে না. হতে পারে এটি ডলিবার সত্তার সাথে যুক্ত। +ErrorFieldsRequired=কিছু প্রয়োজনীয় ক্ষেত্র ফাঁকা রাখা হয়েছে। +ErrorSubjectIsRequired=ইমেইল বিষয় প্রয়োজন +ErrorFailedToCreateDir=একটি ডিরেক্টরি তৈরি করতে ব্যর্থ হয়েছে৷ ওয়েব সার্ভার ব্যবহারকারীর ডলিবার ডকুমেন্ট ডিরেক্টরিতে লেখার অনুমতি আছে কিনা তা পরীক্ষা করুন। যদি এই PHP-এ প্যারামিটার safe_mode সক্ষম করা থাকে, তাহলে দেখুন Dolibarr php ফাইলগুলি ওয়েব সার্ভার ব্যবহারকারীর (বা গ্রুপ) মালিকানাধীন। +ErrorNoMailDefinedForThisUser=এই ব্যবহারকারীর জন্য কোনো মেল সংজ্ঞায়িত করা হয়নি +ErrorSetupOfEmailsNotComplete=ইমেল সেটআপ সম্পূর্ণ হয়নি +ErrorFeatureNeedJavascript=এই বৈশিষ্ট্যটি কাজ করার জন্য জাভাস্ক্রিপ্ট সক্রিয় করা প্রয়োজন। সেটআপ - প্রদর্শনে এটি পরিবর্তন করুন। +ErrorTopMenuMustHaveAParentWithId0='টপ' টাইপের একটি মেনুতে একটি মূল মেনু থাকতে পারে না। মূল মেনুতে 0 রাখুন বা 'বাম' টাইপের একটি মেনু বেছে নিন। +ErrorLeftMenuMustHaveAParentId='বাম' টাইপের একটি মেনুতে একটি অভিভাবক আইডি থাকতে হবে। +ErrorFileNotFound=ফাইল %s পাওয়া যায়নি (খারাপ পথ, ভুল অনুমতি বা অ্যাক্সেস পিএইচপি openbasedir বা safe_mode প্যারামিটার দ্বারা অস্বীকার করা হয়েছে) +ErrorDirNotFound=ডিরেক্টরি %s পাওয়া যায়নি (খারাপ পথ, ভুল অনুমতি বা অ্যাক্সেস পিএইচপি openbasedir বা safe_mode প্যারামিটার দ্বারা অস্বীকার করা হয়েছে) +ErrorFunctionNotAvailableInPHP=ফাংশন %s এই বৈশিষ্ট্যটির জন্য প্রয়োজন কিন্তু এটি উপলব্ধ নয় পিএইচপি-এর এই সংস্করণ/সেটআপ। +ErrorDirAlreadyExists=এই নামের একটি ডিরেক্টরি ইতিমধ্যেই বিদ্যমান৷ +ErrorDirNotWritable=ডিরেক্টরি %s লেখার যোগ্য নয়। +ErrorFileAlreadyExists=এই নামের একটি ফাইল ইতিমধ্যেই বিদ্যমান৷ +ErrorDestinationAlreadyExists=%s নামের আরেকটি ফাইল ইতিমধ্যেই বিদ্যমান। +ErrorPartialFile=ফাইল সার্ভার দ্বারা সম্পূর্ণরূপে গৃহীত হয় না. +ErrorNoTmpDir=অস্থায়ী ডিরেক্টরি %s বিদ্যমান নেই। +ErrorUploadBlockedByAddon=একটি PHP/Apache প্লাগইন দ্বারা অবরুদ্ধ আপলোড. +ErrorFileSizeTooLarge=ফাইলের আকার খুব বড় বা ফাইল দেওয়া হয়নি৷ +ErrorFieldTooLong=%s ক্ষেত্রটি অত্যন্ত দীর্ঘ৷ +ErrorSizeTooLongForIntType=int টাইপের জন্য সাইজ অনেক বড় (%s সংখ্যা সর্বাধিক) +ErrorSizeTooLongForVarcharType=স্ট্রিং টাইপের জন্য সাইজ অনেক বড় (%s অক্ষর সর্বাধিক) +ErrorNoValueForSelectType=নির্বাচন তালিকার জন্য মান পূরণ করুন +ErrorNoValueForCheckBoxType=চেকবক্স তালিকার জন্য মান পূরণ করুন +ErrorNoValueForRadioType=রেডিও তালিকার জন্য মান পূরণ করুন +ErrorBadFormatValueList=তালিকার মানের একাধিক কমা থাকতে পারে না: %s, কিন্তু অন্তত একটি প্রয়োজন: কী, মান +ErrorFieldCanNotContainSpecialCharacters=%s ক্ষেত্রটিতে অবশ্যই বিশেষ অক্ষর থাকবে না। +ErrorFieldCanNotContainSpecialNorUpperCharacters=%s বিশেষ অক্ষর থাকা উচিত নয়, বড় হাতের অক্ষরও থাকবে না অক্ষর, এবং একটি বর্ণানুক্রমিক অক্ষর দিয়ে শুরু করতে হবে (a-z) +ErrorFieldMustHaveXChar=%s ক্ষেত্রটিতে কমপক্ষে %s অক্ষর। +ErrorNoAccountancyModuleLoaded=কোনো অ্যাকাউন্টেন্সি মডিউল সক্রিয় করা হয়নি +ErrorExportDuplicateProfil=এই প্রোফাইল নামটি এই এক্সপোর্ট সেটের জন্য ইতিমধ্যেই বিদ্যমান। +ErrorLDAPSetupNotComplete=Dolibarr-LDAP মিল সম্পূর্ণ নয়। +ErrorLDAPMakeManualTest=%s ডিরেক্টরিতে একটি .ldif ফাইল তৈরি করা হয়েছে। ত্রুটি সম্পর্কে আরও তথ্য পেতে কমান্ড লাইন থেকে ম্যানুয়ালি লোড করার চেষ্টা করুন। +ErrorCantSaveADoneUserWithZeroPercentage="স্ট্যাটাস নট স্টার্ট" দিয়ে একটি অ্যাকশন সেভ করা যাবে না যদি ক্ষেত্র "দ্বারা সম্পন্ন"ও পূর্ণ হয়। +ErrorRefAlreadyExists=রেফারেন্স %s ইতিমধ্যেই বিদ্যমান। +ErrorPleaseTypeBankTransactionReportName=অনুগ্রহ করে ব্যাঙ্ক স্টেটমেন্টের নাম লিখুন যেখানে এন্ট্রি রিপোর্ট করতে হবে (ফর্ম্যাট YYYYMM বা YYYYMMDD) +ErrorRecordHasChildren=রেকর্ড মুছে ফেলতে ব্যর্থ হয়েছে কারণ এতে কিছু চাইল্ড রেকর্ড রয়েছে৷ +ErrorRecordHasAtLeastOneChildOfType=বস্তু %s টাইপের অন্তত একটি শিশু আছে %s +ErrorRecordIsUsedCantDelete=রেকর্ড মুছে ফেলা যাবে না. এটি ইতিমধ্যে অন্য বস্তুর মধ্যে ব্যবহৃত বা অন্তর্ভুক্ত করা হয়েছে। +ErrorModuleRequireJavascript=এই বৈশিষ্ট্যটি কাজ করার জন্য জাভাস্ক্রিপ্ট অক্ষম করা উচিত নয়। জাভাস্ক্রিপ্ট সক্রিয়/অক্ষম করতে, মেনু হোম->সেটআপ->ডিসপ্লেতে যান। +ErrorPasswordsMustMatch=উভয় টাইপ করা পাসওয়ার্ড একে অপরের সাথে মিলতে হবে +ErrorContactEMail=একটি প্রযুক্তিগত ত্রুটি ঘটেছে. অনুগ্রহ করে, নিম্নলিখিত ইমেল %s করার জন্য প্রশাসকের সাথে যোগাযোগ করুন এবং ত্রুটি প্রদান করুন কোড %s আপনার বার্তায়, অথবা এর একটি স্ক্রিন কপি যোগ করুন এই পৃষ্ঠা. +ErrorWrongValueForField=ক্ষেত্র %s: ' %s' রেজেক্স নিয়মের সাথে মেলে না %s +ErrorHtmlInjectionForField=ক্ষেত্র %s: মান '%s' একটি দূষিত ডেটা রয়েছে অনুমোদিত নয় +ErrorFieldValueNotIn=ক্ষেত্র %s: ' %s' b0aee83z5 এর span>%s %s +ErrorFieldRefNotIn=ক্ষেত্র %s: ' %s' একটি b0aee83f>%s বিদ্যমান রেফ +ErrorMultipleRecordFoundFromRef=রেফ %s থেকে অনুসন্ধান করার সময় বেশ কিছু রেকর্ড পাওয়া গেছে। কোন আইডি ব্যবহার করবেন তা জানার উপায় নেই। +ErrorsOnXLines=%s ত্রুটি পাওয়া গেছে +ErrorFileIsInfectedWithAVirus=অ্যান্টিভাইরাস প্রোগ্রাম ফাইলটি যাচাই করতে সক্ষম হয়নি (ফাইলটি ভাইরাস দ্বারা সংক্রমিত হতে পারে) +ErrorFileIsAnInfectedPDFWithJSInside=ফাইলটি ভিতরে কিছু জাভাস্ক্রিপ্ট দ্বারা সংক্রামিত একটি পিডিএফ +ErrorNumRefModel=ডাটাবেসের মধ্যে একটি রেফারেন্স বিদ্যমান (%s) এবং এই সংখ্যার নিয়মের সাথে সামঞ্জস্যপূর্ণ নয়। এই মডিউলটি সক্রিয় করতে রেকর্ড বা রেফারেন্সের নাম পরিবর্তন করুন। +ErrorQtyTooLowForThisSupplier=এই বিক্রেতার জন্য পরিমাণ খুব কম বা এই বিক্রেতার জন্য এই পণ্যের উপর কোন মূল্য সংজ্ঞায়িত করা হয়নি +ErrorOrdersNotCreatedQtyTooLow=খুব কম পরিমাণের কারণে কিছু অর্ডার তৈরি করা হয়নি +ErrorOrderStatusCantBeSetToDelivered=অর্ডার স্ট্যাটাস ডেলিভারির জন্য সেট করা যাবে না। +ErrorModuleSetupNotComplete=মডিউল %s সেটআপ অসম্পূর্ণ বলে মনে হচ্ছে। সম্পূর্ণ করতে হোম - সেটআপ - মডিউলগুলিতে যান৷ +ErrorBadMask=মাস্কে ত্রুটি +ErrorBadMaskFailedToLocatePosOfSequence=ত্রুটি, ক্রম নম্বর ছাড়া মুখোশ +ErrorBadMaskBadRazMonth=ত্রুটি, খারাপ রিসেট মান +ErrorMaxNumberReachForThisMask=এই মুখোশের জন্য সর্বাধিক সংখ্যা পৌঁছেছে৷ +ErrorCounterMustHaveMoreThan3Digits=কাউন্টারে অবশ্যই 3 সংখ্যার বেশি থাকতে হবে +ErrorSelectAtLeastOne=ত্রুটি, অন্তত একটি এন্ট্রি নির্বাচন করুন. +ErrorDeleteNotPossibleLineIsConsolidated=মুছে ফেলা সম্ভব নয় কারণ রেকর্ড একটি ব্যাঙ্ক লেনদেনের সাথে সংযুক্ত রয়েছে যা সমঝোতা করা হয়েছে +ErrorProdIdAlreadyExist=%s অন্য তৃতীয়কে বরাদ্দ করা হয়েছে +ErrorFailedToSendPassword=পাসওয়ার্ড পাঠাতে ব্যর্থ হয়েছে +ErrorFailedToLoadRSSFile=RSS ফিড পেতে ব্যর্থ. যদি ত্রুটি বার্তাগুলি যথেষ্ট তথ্য প্রদান না করে তবে ধ্রুবক MAIN_SIMPLEXMLLOAD_DEBUG যোগ করার চেষ্টা করুন৷ +ErrorForbidden=অ্যাক্সেস অস্বীকৃত৷
      আপনি একটি অক্ষম মডিউলের একটি পৃষ্ঠা, এলাকা বা বৈশিষ্ট্য অ্যাক্সেস করার চেষ্টা করেন বা একটি প্রমাণীকৃত সেশনে না থেকে বা এটি আপনার ব্যবহারকারীকে অনুমোদিত নয়৷ +ErrorForbidden2=এই লগইনের জন্য অনুমতি মেনু %s->%s থেকে আপনার Dolibarr প্রশাসক দ্বারা সংজ্ঞায়িত করা যেতে পারে। +ErrorForbidden3=মনে হচ্ছে ডলিবার একটি প্রমাণিত সেশনের মাধ্যমে ব্যবহার করা হয় না। প্রমাণীকরণগুলি কীভাবে পরিচালনা করবেন তা জানতে Dolibarr সেটআপ ডকুমেন্টেশন দেখুন (htaccess, mod_auth বা অন্যান্য...)। +ErrorForbidden4=দ্রষ্টব্য: এই লগইনের জন্য বিদ্যমান সেশনগুলি ধ্বংস করতে আপনার ব্রাউজার কুকিজ সাফ করুন। +ErrorNoImagickReadimage=ক্লাস ইমেজিক এই পিএইচপিতে পাওয়া যায় না। কোন পূর্বরূপ উপলব্ধ করা যাবে না. প্রশাসকরা মেনু সেটআপ - প্রদর্শন থেকে এই ট্যাবটি নিষ্ক্রিয় করতে পারেন৷ +ErrorRecordAlreadyExists=রেকর্ড আগে থেকেই আছে +ErrorLabelAlreadyExists=এই লেবেলটি ইতিমধ্যেই বিদ্যমান৷ +ErrorCantReadFile='%s' ফাইল পড়তে ব্যর্থ হয়েছে +ErrorCantReadDir='%s' ডিরেক্টরি পড়তে ব্যর্থ হয়েছে +ErrorBadLoginPassword=লগইন বা পাসওয়ার্ডের জন্য খারাপ মান +ErrorLoginDisabled=আপনার অ্যাকাউন্ট নিষ্ক্রিয় করা হয়েছে +ErrorFailedToRunExternalCommand=বাহ্যিক কমান্ড চালাতে ব্যর্থ হয়েছে৷ এটি আপনার পিএইচপি সার্ভার ব্যবহারকারী দ্বারা উপলব্ধ এবং চালানোর যোগ্য কিনা তা পরীক্ষা করুন। কমান্ডটি শেল স্তরে অ্যাপারমারের মতো একটি সুরক্ষা স্তর দ্বারা সুরক্ষিত নয় তাও পরীক্ষা করুন। +ErrorFailedToChangePassword=পাসওয়ার্ড পরিবর্তন করতে ব্যর্থ হয়েছে +ErrorLoginDoesNotExists=লগইন সহ ব্যবহারকারী %s খুঁজে পাওয়া যায়নি। +ErrorLoginHasNoEmail=এই ব্যবহারকারীর কোন ইমেল ঠিকানা নেই. প্রক্রিয়া বাতিল করা হয়েছে। +ErrorBadValueForCode=নিরাপত্তা কোডের জন্য খারাপ মান। নতুন মান দিয়ে আবার চেষ্টা করুন... +ErrorBothFieldCantBeNegative=ক্ষেত্র %s এবং %s উভয়ই নেতিবাচক হতে পারে না +ErrorFieldCantBeNegativeOnInvoice=এই ধরনের চালানের ক্ষেত্রে %s নেতিবাচক হতে পারে না। আপনি যদি একটি ডিসকাউন্ট লাইন যোগ করতে চান তবে প্রথমে ডিসকাউন্ট তৈরি করুন (তৃতীয় পক্ষের কার্ডে '%s' ফিল্ড থেকে) এবং চালানে এটি প্রয়োগ করুন। +ErrorLinesCantBeNegativeForOneVATRate=প্রদত্ত শূন্য ভ্যাট হারের জন্য মোট লাইন (করের নেট) ঋণাত্মক হতে পারে না (ভ্যাট হারের জন্য একটি ঋণাত্মক মোট পাওয়া গেছে %s %%)। +ErrorLinesCantBeNegativeOnDeposits=একটি ডিপোজিটে লাইন ঋণাত্মক হতে পারে না। আপনি সমস্যার সম্মুখীন হবেন যখন আপনি যদি তা করেন তাহলে চূড়ান্ত চালানে আমানত গ্রহণ করতে হবে। +ErrorQtyForCustomerInvoiceCantBeNegative=গ্রাহক চালানগুলিতে লাইনের পরিমাণ নেতিবাচক হতে পারে না +ErrorWebServerUserHasNotPermission=ওয়েব সার্ভার চালানোর জন্য ব্যবহৃত ব্যবহারকারীর অ্যাকাউন্ট %s ব্যবহার করার অনুমতি নেই যে +ErrorNoActivatedBarcode=কোন বারকোড টাইপ সক্রিয় করা হয়নি +ErrUnzipFails=ZipArchive দিয়ে %s আনজিপ করতে ব্যর্থ হয়েছে +ErrNoZipEngine=এই PHP-এ %s ফাইল জিপ/আনজিপ করার জন্য কোনো ইঞ্জিন নেই +ErrorFileMustBeADolibarrPackage=ফাইল %s অবশ্যই একটি ডলিবার জিপ প্যাকেজ হতে হবে +ErrorModuleFileRequired=আপনাকে অবশ্যই একটি Dolibarr মডিউল প্যাকেজ ফাইল নির্বাচন করতে হবে +ErrorPhpCurlNotInstalled=PHP CURL ইনস্টল করা নেই, পেপালের সাথে কথা বলার জন্য এটি অপরিহার্য +ErrorFailedToAddToMailmanList=মেইলম্যান তালিকা %s বা SPIP বেসে রেকর্ড %s যোগ করতে ব্যর্থ হয়েছে +ErrorFailedToRemoveToMailmanList=মেইলম্যান তালিকা %s বা SPIP বেস থেকে রেকর্ড %s সরাতে ব্যর্থ হয়েছে +ErrorNewValueCantMatchOldValue=নতুন মান পুরানো এক সমান হতে পারে না +ErrorFailedToValidatePasswordReset=পাসওয়ার্ড পুনরায় চালু করতে ব্যর্থ হয়েছে৷ রিনিট ইতিমধ্যেই সম্পন্ন হতে পারে (এই লিঙ্কটি শুধুমাত্র একবার ব্যবহার করা যেতে পারে)। যদি তা না হয়, পুনরায় চালু করার প্রক্রিয়াটি পুনরায় চালু করার চেষ্টা করুন। +ErrorToConnectToMysqlCheckInstance=ডাটাবেসের সাথে সংযোগ ব্যর্থ। চেক ডাটাবেস সার্ভার চলছে (উদাহরণস্বরূপ, mysql/mariadb এর সাথে, আপনি 'sudo service mysql start' দিয়ে কমান্ড লাইন থেকে এটি চালু করতে পারেন)। +ErrorFailedToAddContact=পরিচিতি যোগ করতে ব্যর্থ হয়েছে +ErrorDateMustBeBeforeToday=তারিখটি আজকের থেকে কম হতে হবে +ErrorDateMustBeInFuture=তারিখটি আজকের থেকে বড় হতে হবে +ErrorStartDateGreaterEnd=শুরুর তারিখটি শেষের তারিখের চেয়ে বড়৷ +ErrorPaymentModeDefinedToWithoutSetup=একটি অর্থপ্রদানের মোড %s টাইপ করার জন্য সেট করা হয়েছিল কিন্তু এই অর্থপ্রদানের মোডের জন্য দেখানোর জন্য তথ্য সংজ্ঞায়িত করার জন্য মডিউল চালানের সেটআপ সম্পূর্ণ হয়নি। +ErrorPHPNeedModule=ত্রুটি, আপনার PHP-এ মডিউল %s ইনস্টল করা আবশ্যক বৈশিষ্ট্য +ErrorOpenIDSetupNotComplete=আপনি OpenID প্রমাণীকরণের অনুমতি দেওয়ার জন্য Dolibarr কনফিগারেশন ফাইল সেটআপ করেন, কিন্তু OpenID পরিষেবার URL ধ্রুবক %s তে সংজ্ঞায়িত করা হয় না। +ErrorWarehouseMustDiffers=উত্স এবং লক্ষ্য গুদামগুলি অবশ্যই পৃথক হতে হবে +ErrorBadFormat=খারাপ ফরম্যাট! +ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=ত্রুটি, এই সদস্য এখনও কোনো তৃতীয় পক্ষের সাথে লিঙ্ক করা হয়নি. সদস্যকে একটি বিদ্যমান তৃতীয় পক্ষের সাথে লিঙ্ক করুন বা চালান দিয়ে সদস্যতা তৈরি করার আগে একটি নতুন তৃতীয় পক্ষ তৈরি করুন। +ErrorThereIsSomeDeliveries=ত্রুটি, এই চালানের সাথে কিছু বিতরণ লিঙ্ক করা আছে৷ অপসারণ প্রত্যাখ্যান. +ErrorCantDeletePaymentReconciliated=মিটমাট করা হয়েছে এমন একটি ব্যাঙ্ক এন্ট্রি জেনারেট করেছে এমন একটি পেমেন্ট মুছে ফেলা যাবে না +ErrorCantDeletePaymentSharedWithPayedInvoice=পেইড স্ট্যাটাস সহ অন্তত একটি চালান দ্বারা শেয়ার করা পেমেন্ট মুছে ফেলা যাবে না +ErrorPriceExpression1=ধ্রুবক '%s'কে বরাদ্দ করা যাবে না +ErrorPriceExpression2=অন্তর্নির্মিত ফাংশন পুনরায় সংজ্ঞায়িত করা যাবে না '%s' +ErrorPriceExpression3=ফাংশনের সংজ্ঞায় অনির্ধারিত পরিবর্তনশীল '%s' +ErrorPriceExpression4=অবৈধ অক্ষর '%s' +ErrorPriceExpression5=অপ্রত্যাশিত '%s' +ErrorPriceExpression6=আর্গুমেন্টের ভুল সংখ্যা (%s দেওয়া হয়েছে, %s প্রত্যাশিত) +ErrorPriceExpression8=অপ্রত্যাশিত অপারেটর '%s' +ErrorPriceExpression9=একটি অপ্রত্যাশিত ত্রুটি ঘটেছে৷ +ErrorPriceExpression10=অপারেটর '%s' অপারেন্ডের অভাব রয়েছে +ErrorPriceExpression11=আশা করা হচ্ছে '%s' +ErrorPriceExpression14=শূন্য দ্বারা বিভাগ +ErrorPriceExpression17=অনির্ধারিত চলক '%s' +ErrorPriceExpression19=অভিব্যক্তি পাওয়া যায়নি +ErrorPriceExpression20=খালি অভিব্যক্তি +ErrorPriceExpression21=খালি ফলাফল '%s' +ErrorPriceExpression22=নেতিবাচক ফলাফল '%s' +ErrorPriceExpression23=অজানা বা অ-সেট পরিবর্তনশীল '%s-এ '%s' +ErrorPriceExpression24=ভেরিয়েবল '%s' বিদ্যমান কিন্তু এর কোনো মান নেই +ErrorPriceExpressionInternal=অভ্যন্তরীণ ত্রুটি '%s' +ErrorPriceExpressionUnknown=অজানা ত্রুটি '%s' +ErrorSrcAndTargetWarehouseMustDiffers=উত্স এবং লক্ষ্য গুদামগুলি অবশ্যই পৃথক হতে হবে +ErrorTryToMakeMoveOnProductRequiringBatchData=ত্রুটি, পণ্য '%s' লট/ক্রমিক তথ্য ছাড়াই একটি স্টক মুভমেন্ট করার চেষ্টা করছে +ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=এই ক্রিয়াটি করার অনুমতি দেওয়ার আগে সমস্ত রেকর্ড করা অভ্যর্থনা প্রথমে যাচাই করা উচিত (অনুমোদিত বা অস্বীকৃত) +ErrorCantSetReceptionToTotalDoneWithReceptionDenied=এই ক্রিয়াটি করার অনুমতি দেওয়ার আগে সমস্ত রেকর্ড করা অভ্যর্থনাগুলি অবশ্যই প্রথমে যাচাই করা উচিত (অনুমোদিত) +ErrorGlobalVariableUpdater0='%s' ত্রুটি সহ HTTP অনুরোধ ব্যর্থ হয়েছে +ErrorGlobalVariableUpdater1=অবৈধ JSON ফর্ম্যাট '%s' +ErrorGlobalVariableUpdater2=অনুপস্থিত প্যারামিটার '%s' +ErrorGlobalVariableUpdater3=অনুরোধ করা তথ্য ফলাফল পাওয়া যায়নি +ErrorGlobalVariableUpdater4='%s' ত্রুটি সহ SOAP ক্লায়েন্ট ব্যর্থ হয়েছে +ErrorGlobalVariableUpdater5=কোনো বৈশ্বিক পরিবর্তনশীল নির্বাচন করা হয়নি +ErrorFieldMustBeANumeric=ক্ষেত্র %s একটি সংখ্যাসূচক মান হতে হবে +ErrorMandatoryParametersNotProvided=বাধ্যতামূলক প্যারামিটার(গুলি) প্রদান করা হয়নি +ErrorOppStatusRequiredIfUsage=আপনি এই প্রকল্পে একটি সুযোগ অনুসরণ করতে বেছে নিন, তাই আপনাকে অবশ্যই লিড স্ট্যাটাস পূরণ করতে হবে। +ErrorOppStatusRequiredIfAmount=আপনি এই লিডের জন্য একটি আনুমানিক পরিমাণ সেট করেছেন। তাই আপনাকে অবশ্যই এটির স্থিতি লিখতে হবে। +ErrorFailedToLoadModuleDescriptorForXXX=%s এর জন্য মডিউল বর্ণনাকারী ক্লাস লোড করতে ব্যর্থ হয়েছে +ErrorBadDefinitionOfMenuArrayInModuleDescriptor=মডিউল বর্ণনাকারীতে মেনু অ্যারের খারাপ সংজ্ঞা (কী fk_menu-এর জন্য খারাপ মান) +ErrorSavingChanges=পরিবর্তনগুলি সংরক্ষণ করার সময় একটি ত্রুটি ঘটেছে৷ +ErrorWarehouseRequiredIntoShipmentLine=জাহাজের লাইনে গুদাম প্রয়োজন +ErrorFileMustHaveFormat=ফাইলে অবশ্যই %s ফর্ম্যাট থাকতে হবে +ErrorFilenameCantStartWithDot=ফাইলের নাম '.' দিয়ে শুরু হতে পারে না। +ErrorSupplierCountryIsNotDefined=এই বিক্রেতার জন্য দেশ সংজ্ঞায়িত করা হয় না. প্রথমে এটি সংশোধন করুন। +ErrorsThirdpartyMerge=দুটি রেকর্ড একত্রিত করতে ব্যর্থ হয়েছে. অনুরোধ বাতিল করা হয়েছে। +ErrorStockIsNotEnoughToAddProductOnOrder=একটি নতুন অর্ডারে যোগ করার জন্য পণ্য %s এর জন্য স্টক যথেষ্ট নয়। +ErrorStockIsNotEnoughToAddProductOnInvoice=একটি নতুন ইনভয়েসে যোগ করার জন্য পণ্য %s এর জন্য স্টক যথেষ্ট নয়। +ErrorStockIsNotEnoughToAddProductOnShipment=একটি নতুন চালানে যোগ করার জন্য পণ্য %s এর জন্য স্টক যথেষ্ট নয়। +ErrorStockIsNotEnoughToAddProductOnProposal=পণ্য %s একটি নতুন প্রস্তাবে যোগ করার জন্য স্টক যথেষ্ট নয়। +ErrorFailedToLoadLoginFileForMode='%s' মোডের জন্য লগইন কী পেতে ব্যর্থ হয়েছে৷ +ErrorModuleNotFound=মডিউল ফাইল পাওয়া যায়নি. +ErrorFieldAccountNotDefinedForBankLine=উৎস লাইন আইডি %s (%s) এর জন্য অ্যাকাউন্টিং অ্যাকাউন্টের মান সংজ্ঞায়িত করা হয়নি +ErrorFieldAccountNotDefinedForInvoiceLine=ইনভয়েস আইডি %s (%s) এর জন্য অ্যাকাউন্টিং অ্যাকাউন্টের মূল্য সংজ্ঞায়িত করা হয়নি +ErrorFieldAccountNotDefinedForLine=অ্যাকাউন্টিং অ্যাকাউন্টের জন্য মান লাইনের জন্য সংজ্ঞায়িত নয় (%s) +ErrorBankStatementNameMustFollowRegex=ত্রুটি, ব্যাঙ্ক স্টেটমেন্টের নাম অবশ্যই নিম্নলিখিত সিনট্যাক্স নিয়ম অনুসরণ করবে %s +ErrorPhpMailDelivery=পরীক্ষা করুন যে আপনি খুব বেশি সংখ্যক প্রাপক ব্যবহার করেন না এবং আপনার ইমেল সামগ্রীটি স্প্যামের মতো নয়৷ আরও সম্পূর্ণ তথ্যের জন্য আপনার প্রশাসককে ফায়ারওয়াল এবং সার্ভার লগ ফাইলগুলি পরীক্ষা করতে বলুন। +ErrorUserNotAssignedToTask=ব্যবহারকারীকে অবশ্যই কাজে নিযুক্ত করতে হবে যাতে সময় ব্যয় করা যায়। +ErrorTaskAlreadyAssigned=টাস্ক ইতিমধ্যেই ব্যবহারকারীকে বরাদ্দ করা হয়েছে৷ +ErrorModuleFileSeemsToHaveAWrongFormat=মডিউল প্যাকেজ একটি ভুল বিন্যাস আছে বলে মনে হচ্ছে. +ErrorModuleFileSeemsToHaveAWrongFormat2=মডিউলের জিপে অন্তত একটি বাধ্যতামূলক ডিরেক্টরি থাকতে হবে: %sb0a65d071f6fz90 অথবা %s +ErrorFilenameDosNotMatchDolibarrPackageRules=মডিউল প্যাকেজের নাম (%s) মেলে না প্রত্যাশিত নামের সিনট্যাক্স: %s +ErrorDuplicateTrigger=ত্রুটি, ডুপ্লিকেট ট্রিগার নাম %s। ইতিমধ্যেই %s থেকে লোড করা হয়েছে৷ +ErrorNoWarehouseDefined=ত্রুটি, কোনো গুদাম সংজ্ঞায়িত করা নেই। +ErrorBadLinkSourceSetButBadValueForRef=আপনি যে লিঙ্কটি ব্যবহার করেন সেটি বৈধ নয়। অর্থপ্রদানের জন্য একটি 'উৎস' সংজ্ঞায়িত করা হয়েছে, কিন্তু 'রেফ'-এর মান বৈধ নয়। +ErrorTooManyErrorsProcessStopped=অনেক ত্রুটি. প্রক্রিয়া বন্ধ হয়ে যায়। +ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=এই অ্যাকশনে স্টক বাড়ানো/কমাবার বিকল্প সেট করা থাকলে ব্যাপক বৈধতা সম্ভব নয় (আপনাকে অবশ্যই একে একে যাচাই করতে হবে যাতে আপনি বাড়া/কমাতে গুদামটি সংজ্ঞায়িত করতে পারেন) +ErrorObjectMustHaveStatusDraftToBeValidated=বস্তু %s বৈধ হওয়ার জন্য 'খসড়া' স্থিতি থাকতে হবে। +ErrorObjectMustHaveLinesToBeValidated=বস্তু %s যাচাই করার জন্য লাইন থাকতে হবে। +ErrorOnlyInvoiceValidatedCanBeSentInMassAction="ইমেল দ্বারা পাঠান" গণ অ্যাকশন ব্যবহার করে শুধুমাত্র বৈধ চালান পাঠানো যেতে পারে। +ErrorChooseBetweenFreeEntryOrPredefinedProduct=নিবন্ধটি পূর্বনির্ধারিত পণ্য কিনা তা আপনাকে অবশ্যই চয়ন করতে হবে +ErrorDiscountLargerThanRemainToPaySplitItBefore=আপনি যে ডিসকাউন্টটি প্রয়োগ করার চেষ্টা করছেন তা পরিশোধ করার চেয়ে বেশি। ডিসকাউন্টটিকে আগে 2টি ছোট ডিসকাউন্টে ভাগ করুন৷ +ErrorFileNotFoundWithSharedLink=ফাইল পাওয়া যায়নি. শেয়ার কী সংশোধন করা হয়েছে বা ফাইল সম্প্রতি সরানো হয়েছে হতে পারে. +ErrorProductBarCodeAlreadyExists=পণ্যের বারকোড %s আগে থেকেই অন্য পণ্যের রেফারেন্সে বিদ্যমান। +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=আরও মনে রাখবেন যে কিট ব্যবহার করে উপ-প্রোডাক্টের স্বয়ংক্রিয় বৃদ্ধি/কমানো সম্ভব নয় যখন অন্তত একটি সাব-প্রোডাক্টের (বা সাব-প্রোডাক্টের সাব-প্রোডাক্ট) একটি সিরিয়াল/লট নম্বর প্রয়োজন। +ErrorDescRequiredForFreeProductLines=বিনামূল্যে পণ্যের সাথে লাইনের জন্য বর্ণনা বাধ্যতামূলক +ErrorAPageWithThisNameOrAliasAlreadyExists=পৃষ্ঠা/কন্টেইনার %s একই নাম বা বিকল্প হিসাবে আছে যেটা আপনি ব্যবহার করার চেষ্টা করেন +ErrorDuringChartLoad=অ্যাকাউন্টের চার্ট লোড করার সময় ত্রুটি। যদি কয়েকটি অ্যাকাউন্ট লোড না করা হয় তবে আপনি এখনও সেগুলি ম্যানুয়ালি প্রবেশ করতে পারেন। +ErrorBadSyntaxForParamKeyForContent=প্যারাম কী-কন্টেন্টের জন্য খারাপ সিনট্যাক্স। %s বা %s দিয়ে শুরু হওয়া একটি মান থাকতে হবে +ErrorVariableKeyForContentMustBeSet=ত্রুটি, %s নামের ধ্রুবক (দেখাতে পাঠ্য সামগ্রী সহ) বা %s (দেখাতে বাহ্যিক url সহ) সেট করতে হবে . +ErrorURLMustEndWith=URL %s শেষ হওয়া আবশ্যক %s +ErrorURLMustStartWithHttp=URL %s অবশ্যই http:// অথবা https:// দিয়ে শুরু হবে +ErrorHostMustNotStartWithHttp=হোস্টের নাম %s অবশ্যই http:// বা https:// দিয়ে শুরু হবে না +ErrorNewRefIsAlreadyUsed=ত্রুটি, নতুন রেফারেন্স ইতিমধ্যে ব্যবহার করা হয়েছে +ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=ত্রুটি, একটি বন্ধ চালানের সাথে লিঙ্ক করা অর্থ প্রদান মুছে ফেলা সম্ভব নয়৷ +ErrorSearchCriteriaTooSmall=অনুসন্ধানের মানদণ্ড খুব ছোট। +ErrorObjectMustHaveStatusActiveToBeDisabled=অক্ষম করার জন্য অবজেক্টের 'সক্রিয়' স্থিতি থাকতে হবে +ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=সক্রিয় করার জন্য অবজেক্টের 'ড্রাফ্ট' বা 'অক্ষম' অবস্থা থাকতে হবে +ErrorNoFieldWithAttributeShowoncombobox='%s' অবজেক্টের সংজ্ঞায় কোনো ক্ষেত্রের 'showoncombobox' বৈশিষ্ট্য নেই। কম্বোলিস্ট দেখানোর কোন উপায় নেই। +ErrorFieldRequiredForProduct=ক্ষেত্র '%s' পণ্যের জন্য প্রয়োজন %s +AlreadyTooMuchPostOnThisIPAdress=আপনি ইতিমধ্যে এই আইপি ঠিকানায় অনেক বেশি পোস্ট করেছেন। +ProblemIsInSetupOfTerminal=টার্মিনাল %s সেটআপে সমস্যা। +ErrorAddAtLeastOneLineFirst=প্রথমে অন্তত একটি লাইন যোগ করুন +ErrorRecordAlreadyInAccountingDeletionNotPossible=ত্রুটি, রেকর্ড ইতিমধ্যে অ্যাকাউন্টিং স্থানান্তর করা হয়েছে, মুছে ফেলা সম্ভব নয়. +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=ত্রুটি, ভাষা বাধ্যতামূলক যদি আপনি পৃষ্ঠাটিকে অন্য একটি অনুবাদ হিসাবে সেট করেন৷ +ErrorLanguageOfTranslatedPageIsSameThanThisPage=ত্রুটি, অনূদিত পৃষ্ঠার ভাষা এইটির থেকে একই। +ErrorBatchNoFoundForProductInWarehouse=গুদামে "%s" পণ্যের জন্য কোনো লট/সিরিয়াল পাওয়া যায়নি "%s"। +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=গুদামে "%s" "%s" পণ্যের জন্য এই লট/সিরিয়ালের জন্য পর্যাপ্ত পরিমাণ নেই৷ +ErrorOnlyOneFieldForGroupByIsPossible='গ্রুপ বাই' এর জন্য শুধুমাত্র 1টি ক্ষেত্র সম্ভব (অন্যগুলি বাতিল করা হয়েছে) +ErrorTooManyDifferentValueForSelectedGroupBy=অনেকগুলি ভিন্ন মান পাওয়া গেছে (%s এর চেয়ে বেশি) ক্ষেত্র '%s', তাই আমরা এটি ব্যবহার করতে পারি না গ্রাফিক্সের জন্য 'গ্রুপ বাই' হিসেবে। 'গ্রুপ বাই' ক্ষেত্রটি সরানো হয়েছে। আপনি একটি X-অক্ষ হিসাবে এটি ব্যবহার করতে চেয়েছিলেন হতে পারে? +ErrorReplaceStringEmpty=ত্রুটি, প্রতিস্থাপন করার জন্য স্ট্রিং খালি +ErrorProductNeedBatchNumber=ত্রুটি, পণ্য '%s' প্রচুর/ক্রমিক নম্বর প্রয়োজন +ErrorProductDoesNotNeedBatchNumber=ত্রুটি, পণ্য '%s' অনেক কিছু গ্রহণ করে না/ ক্রমিক সংখ্যা +ErrorFailedToReadObject=ত্রুটি, %s প্রকারের বস্তু পড়তে ব্যর্থ হয়েছে +ErrorParameterMustBeEnabledToAllwoThisFeature=ত্রুটি, প্যারামিটার %s অবশ্যই conf/conf.php<> অভ্যন্তরীণ কাজের সময়সূচী দ্বারা কমান্ড লাইন ইন্টারফেস ব্যবহারের অনুমতি দিতে +ErrorLoginDateValidity=ত্রুটি, এই লগইনটি বৈধতার তারিখ সীমার বাইরে +ErrorValueLength='%s' ফিল্ডের দৈর্ঘ্য অবশ্যই '< এর থেকে বেশি হতে হবে span class='notranslate'>%s' +ErrorReservedKeyword='%s' শব্দটি একটি সংরক্ষিত কীওয়ার্ড +ErrorFilenameReserved=ফাইলের নাম %s ব্যবহার করা যাবে না কারণ এটি একটি। সংরক্ষিত এবং সুরক্ষিত কমান্ড। +ErrorNotAvailableWithThisDistribution=এই বিতরণের সাথে উপলব্ধ নয় +ErrorPublicInterfaceNotEnabled=পাবলিক ইন্টারফেস সক্রিয় ছিল না +ErrorLanguageRequiredIfPageIsTranslationOfAnother=নতুন পৃষ্ঠার ভাষা অবশ্যই সংজ্ঞায়িত করা উচিত যদি এটি অন্য পৃষ্ঠার অনুবাদ হিসাবে সেট করা হয় +ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=নতুন পৃষ্ঠার ভাষা অন্য পৃষ্ঠার অনুবাদ হিসাবে সেট করা থাকলে অবশ্যই উত্স ভাষা হবে না৷ +ErrorAParameterIsRequiredForThisOperation=এই অপারেশনের জন্য একটি প্যারামিটার বাধ্যতামূলক +ErrorDateIsInFuture=ত্রুটি, তারিখটি ভবিষ্যতে হতে পারে না৷ +ErrorAnAmountWithoutTaxIsRequired=ত্রুটি, পরিমাণ বাধ্যতামূলক +ErrorAPercentIsRequired=ত্রুটি, সঠিকভাবে শতাংশ পূরণ করুন +ErrorYouMustFirstSetupYourChartOfAccount=আপনাকে প্রথমে আপনার অ্যাকাউন্টের চার্ট সেটআপ করতে হবে +ErrorFailedToFindEmailTemplate=%s কোড নামের টেমপ্লেট খুঁজে পাওয়া যায়নি +ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=পরিষেবাতে সময়কাল সংজ্ঞায়িত নয়। প্রতি ঘন্টার মূল্য গণনা করার কোন উপায় নেই। +ErrorActionCommPropertyUserowneridNotDefined=ব্যবহারকারীর মালিক প্রয়োজন +ErrorActionCommBadType=নির্বাচিত ইভেন্টের প্রকার (id: %s, কোড: %s) ইভেন্ট প্রকার অভিধানে বিদ্যমান নেই +CheckVersionFail=সংস্করণ চেক ব্যর্থ +ErrorWrongFileName=ফাইলের নামের মধ্যে __SOMETHING__ থাকতে পারে না +ErrorNotInDictionaryPaymentConditions=অর্থপ্রদানের শর্তাবলী অভিধানে নেই, অনুগ্রহ করে সংশোধন করুন। +ErrorIsNotADraft=%s একটি খসড়া নয় +ErrorExecIdFailed=কমান্ড "আইডি" চালানো যাবে না +ErrorBadCharIntoLoginName=%s ক্ষেত্রে অননুমোদিত অক্ষর +ErrorRequestTooLarge=ত্রুটি, অনুরোধটি খুব বড় বা সেশনের মেয়াদ শেষ হয়েছে৷ +ErrorNotApproverForHoliday=আপনি ছুটির অনুমোদনকারী নন %s +ErrorAttributeIsUsedIntoProduct=এই বৈশিষ্ট্যটি এক বা একাধিক পণ্য বৈকল্পিক ব্যবহার করা হয় +ErrorAttributeValueIsUsedIntoProduct=এই বৈশিষ্ট্য মান এক বা একাধিক পণ্য বৈকল্পিক ব্যবহার করা হয় +ErrorPaymentInBothCurrency=ত্রুটি, সমস্ত পরিমাণ একই কলামে লিখতে হবে৷ +ErrorYouTryToPayInvoicesInACurrencyFromBankWithAnotherCurrency=আপনি মুদ্রা %s সহ একটি অ্যাকাউন্ট থেকে %s মুদ্রায় চালান দেওয়ার চেষ্টা করেন +ErrorInvoiceLoadThirdParty=চালানের জন্য তৃতীয় পক্ষের বস্তু লোড করা যাচ্ছে না "%s" +ErrorInvoiceLoadThirdPartyKey=থার্ড-পার্টি কী "%s" ইনভয়েসের জন্য কোনো সেট নেই "%s" +ErrorDeleteLineNotAllowedByObjectStatus=বর্তমান অবজেক্ট স্ট্যাটাস দ্বারা লাইন মুছে ফেলার অনুমতি নেই +ErrorAjaxRequestFailed=অনুরোধ ব্যর্থ +ErrorThirpdartyOrMemberidIsMandatory=তৃতীয় পক্ষ বা অংশীদারিত্বের সদস্য বাধ্যতামূলক +ErrorFailedToWriteInTempDirectory=টেম্প ডিরেক্টরিতে লিখতে ব্যর্থ +ErrorQuantityIsLimitedTo=পরিমাণ %s এ সীমিত +ErrorFailedToLoadThirdParty=id=%s, email=%s, name= থেকে তৃতীয় পক্ষ খুঁজে/লোড করতে ব্যর্থ %s +ErrorThisPaymentModeIsNotSepa=এই পেমেন্ট মোড একটি ব্যাঙ্ক অ্যাকাউন্ট নয় +ErrorStripeCustomerNotFoundCreateFirst=স্ট্রাইপ গ্রাহক এই তৃতীয় পক্ষের জন্য সেট করা নেই (অথবা স্ট্রাইপের পাশে মুছে ফেলা একটি মান সেট)। প্রথমে এটি তৈরি করুন (বা পুনরায় সংযুক্ত করুন)। +ErrorCharPlusNotSupportedByImapForSearch=IMAP অনুসন্ধান + অক্ষর ধারণকারী একটি স্ট্রিং জন্য প্রেরক বা প্রাপক অনুসন্ধান করতে সক্ষম নয় +ErrorTableNotFound=টেবিল %s পাওয়া যায়নি +ErrorRefNotFound=রেফারেন্স %s পাওয়া যায়নি +ErrorValueForTooLow=%s-এর মান খুবই কম +ErrorValueCantBeNull=%s এর মান শূন্য হতে পারে না +ErrorDateOfMovementLowerThanDateOfFileTransmission=ব্যাঙ্ক লেনদেনের তারিখ ফাইল ট্রান্সমিশনের তারিখের চেয়ে কম হতে পারে না +ErrorTooMuchFileInForm=আকারে অনেক বেশি ফাইল, সর্বাধিক সংখ্যা হল %s ফাইল(গুলি) +ErrorSessionInvalidatedAfterPasswordChange=পাসওয়ার্ড, ইমেল, স্থিতি বা বৈধতার তারিখের পরিবর্তনের পরে অধিবেশনটি অবৈধ হয়ে গেছে। আবার লগইন করুন. +ErrorExistingPermission = %s বস্তুর অনুমতি %s ইতিমধ্যেই বিদ্যমান +ErrorFieldExist=%s এর মান ইতিমধ্যেই বিদ্যমান +ErrorEqualModule=%s-এ মডিউল অবৈধ +ErrorFieldValue=%s এর মান ভুল +ErrorCoherenceMenu=%s প্রয়োজন হয় যখন %s 'বামে' +ErrorUploadFileDragDrop=ফাইল(গুলি) আপলোড করার সময় একটি ত্রুটি ছিল৷ +ErrorUploadFileDragDropPermissionDenied=ফাইল(গুলি) আপলোড করার সময় একটি ত্রুটি ছিল : অনুমতি অস্বীকার করা হয়েছে৷ +ErrorFixThisHere=এটি এখানে ঠিক করুন +ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=ত্রুটি: আপনার বর্তমান উদাহরণের URL (%s) আপনার OAuth2 লগইন সেটআপে সংজ্ঞায়িত URL এর সাথে মেলে না (%s)। এই ধরনের কনফিগারেশনে OAuth2 লগইন করা অনুমোদিত নয়। +ErrorMenuExistValue=এই শিরোনাম বা URL সহ একটি মেনু ইতিমধ্যেই বিদ্যমান৷ +ErrorSVGFilesNotAllowedAsLinksWithout=বিকল্প %s ছাড়া SVG ফাইলগুলি বহিরাগত লিঙ্ক হিসাবে অনুমোদিত নয় +ErrorTypeMenu=নেভিবারে একই মডিউলের জন্য অন্য মেনু যোগ করা অসম্ভব, এখনও পরিচালনা করা হয়নি +ErrorObjectNotFound = বস্তুটি %s পাওয়া যায়নি, অনুগ্রহ করে আপনার url চেক করুন +ErrorCountryCodeMustBe2Char=দেশের কোড একটি 2 অক্ষরের স্ট্রিং হতে হবে + +ErrorTableExist=সারণি %s আগে থেকেই বিদ্যমান +ErrorDictionaryNotFound=অভিধান %s পাওয়া যায়নি +ErrorFailedToCreateSymLinkToMedias=%s-এ নির্দেশ করার জন্য প্রতীকী লিঙ্ক %s তৈরি করতে ব্যর্থ হয়েছে +ErrorCheckTheCommandInsideTheAdvancedOptions=এক্সপোর্টের অ্যাডভান্সড অপশনে এক্সপোর্টের জন্য ব্যবহৃত কমান্ড চেক করুন # Warnings -WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. -WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. -WarningMandatorySetupNotComplete=Click here to setup mandatory parameters -WarningEnableYourModulesApplications=Click here to enable your modules and applications -WarningSafeModeOnCheckExecDir=Warning, PHP option safe_mode is on so command must be stored inside a directory declared by php parameter safe_mode_exec_dir. -WarningBookmarkAlreadyExists=A bookmark with this title or this target (URL) already exists. -WarningPassIsEmpty=Warning, database password is empty. This is a security hole. You should add a password to your database and change your conf.php file to reflect this. -WarningConfFileMustBeReadOnly=Warning, your config file (htdocs/conf/conf.php) can be overwritten by the web server. This is a serious security hole. Modify permissions on file to be in read only mode for operating system user used by Web server. If you use Windows and FAT format for your disk, you must know that this file system does not allow to add permissions on file, so can't be completely safe. +WarningParamUploadMaxFileSizeHigherThanPostMaxSize=আপনার PHP প্যারামিটার upload_max_filesize (%s) PHP প্যারামিটার post_max_size (%s) থেকে বেশি। এটি একটি সামঞ্জস্যপূর্ণ সেটআপ নয়। +WarningPasswordSetWithNoAccount=এই সদস্যের জন্য একটি পাসওয়ার্ড সেট করা হয়েছে৷ তবে কোনো ব্যবহারকারীর অ্যাকাউন্ট তৈরি হয়নি। তাই এই পাসওয়ার্ড সংরক্ষণ করা হয় কিন্তু Dolibarr লগইন করতে ব্যবহার করা যাবে না. এটি একটি বাহ্যিক মডিউল/ইন্টারফেস দ্বারা ব্যবহার করা যেতে পারে কিন্তু যদি আপনাকে কোনো সদস্যের জন্য কোনো লগইন বা পাসওয়ার্ড নির্ধারণ করতে না হয়, তাহলে আপনি সদস্য মডিউল সেটআপ থেকে "প্রতিটি সদস্যের জন্য একটি লগইন পরিচালনা করুন" বিকল্পটি নিষ্ক্রিয় করতে পারেন৷ আপনার যদি লগইন পরিচালনা করতে হয় কিন্তু কোনো পাসওয়ার্ডের প্রয়োজন না হয়, তাহলে এই সতর্কতা এড়াতে আপনি এই ক্ষেত্রটি খালি রাখতে পারেন। দ্রষ্টব্য: সদস্য যদি ব্যবহারকারীর সাথে সংযুক্ত থাকে তবে ইমেলটি লগইন হিসাবেও ব্যবহার করা যেতে পারে। +WarningMandatorySetupNotComplete=প্রধান পরামিতি সেটআপ করতে এখানে ক্লিক করুন +WarningEnableYourModulesApplications=আপনার মডিউল এবং অ্যাপ্লিকেশন সক্রিয় করতে এখানে ক্লিক করুন +WarningSafeModeOnCheckExecDir=সতর্কতা, PHP বিকল্প safe_mode চালু আছে তাই php প্যারামিটার safe_mode_exec_dir৷ +WarningBookmarkAlreadyExists=এই শিরোনাম বা এই লক্ষ্য (URL) সহ একটি বুকমার্ক ইতিমধ্যেই বিদ্যমান৷ +WarningPassIsEmpty=সতর্কতা, ডাটাবেস পাসওয়ার্ড খালি। এটি একটি নিরাপত্তা গর্ত. আপনার ডাটাবেসে একটি পাসওয়ার্ড যোগ করা উচিত এবং এটি প্রতিফলিত করার জন্য আপনার conf.php ফাইল পরিবর্তন করা উচিত। +WarningConfFileMustBeReadOnly=সতর্কতা, আপনার কনফিগার ফাইল (htdocs/conf/conf.php) ওয়েব সার্ভার দ্বারা ওভাররাইট করা যেতে পারে। এটি একটি গুরুতর নিরাপত্তা গর্ত. ওয়েব সার্ভার দ্বারা ব্যবহৃত অপারেটিং সিস্টেম ব্যবহারকারীর জন্য শুধুমাত্র পঠন মোডে ফাইলের অনুমতিগুলি পরিবর্তন করুন৷ আপনি যদি আপনার ডিস্কের জন্য Windows এবং FAT ফর্ম্যাট ব্যবহার করেন, তাহলে আপনাকে অবশ্যই জানতে হবে যে এই ফাইল সিস্টেম ফাইলে অনুমতি যোগ করার অনুমতি দেয় না, তাই সম্পূর্ণ নিরাপদ হতে পারে না। WarningsOnXLines=Warnings on %s source record(s) -WarningNoDocumentModelActivated=No model, for document generation, has been activated. A model will be chosen by default until you check your module setup. -WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable the installation/migration tools by adding a file install.lock into directory %s. Omitting the creation of this file is a grave security risk. -WarningUntilDirRemoved=All security warnings (visible by admin users only) will remain active as long as the vulnerability is present (or that constant MAIN_REMOVE_INSTALL_WARNING is added in Setup->Other Setup). -WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution. -WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box. -WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card). -WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers. -WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s. -WarningTooManyDataPleaseUseMoreFilters=Too many data (more than %s lines). Please use more filters or set the constant %s to a higher limit. -WarningSomeLinesWithNullHourlyRate=Some times were recorded by some users while their hourly rate was not defined. A value of 0 %s per hour was used but this may result in wrong valuation of time spent. -WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security purpose you will have to login with your new login before next action. -WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language -WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists -WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report -WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks. -WarningProjectClosed=Project is closed. You must re-open it first. -WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. -WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table -WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on. -WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list -WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection. -WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. -WarningPaypalPaymentNotCompatibleWithStrict=The value 'Strict' makes the online payment features not working correctly. Use 'Lax' instead. +WarningNoDocumentModelActivated=নথি তৈরির জন্য কোনো মডেল সক্রিয় করা হয়নি। আপনি আপনার মডিউল সেটআপ চেক না করা পর্যন্ত একটি মডেল ডিফল্টরূপে নির্বাচিত হবে৷ +WarningLockFileDoesNotExists=সতর্কতা, সেটআপ শেষ হয়ে গেলে, আপনাকে অবশ্যই ডিরেক্টরিতে install.lock ফাইল যোগ করে ইনস্টলেশন/মাইগ্রেশন টুল অক্ষম করতে হবে %s। এই ফাইল তৈরি করা বাদ দেওয়া একটি গুরুতর নিরাপত্তা ঝুঁকি। +WarningUntilDirRemoved=যতক্ষণ না দুর্বলতা থাকবে ততক্ষণ এই নিরাপত্তা সতর্কতা সক্রিয় থাকবে। +WarningCloseAlways=উত্স এবং লক্ষ্য উপাদানগুলির মধ্যে পরিমাণে পার্থক্য থাকলেও সতর্কতা, বন্ধ করা হয়। সতর্কতার সাথে এই বৈশিষ্ট্যটি সক্ষম করুন। +WarningUsingThisBoxSlowDown=সতর্কতা, এই বক্সটি ব্যবহার করে বক্সটি দেখানো সমস্ত পৃষ্ঠাগুলিকে গুরুত্ব সহকারে ধীর করে দিন৷ +WarningClickToDialUserSetupNotComplete=আপনার ব্যবহারকারীর জন্য ClickToDial তথ্যের সেটআপ সম্পূর্ণ নয় (আপনার ব্যবহারকারী কার্ডে ক্লিকটোডায়াল ট্যাব দেখুন)। +WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=অন্ধ ব্যক্তি বা পাঠ্য ব্রাউজারগুলির জন্য ডিসপ্লে সেটআপ অপ্টিমাইজ করা হলে বৈশিষ্ট্যটি অক্ষম করা হয়৷ +WarningPaymentDateLowerThanInvoiceDate=অর্থপ্রদানের তারিখ (%s) চালানের তারিখের আগে (%s) চালান %s span> +WarningTooManyDataPleaseUseMoreFilters=অনেক বেশি ডেটা (%s লাইনের বেশি)। অনুগ্রহ করে আরও ফিল্টার ব্যবহার করুন বা ধ্রুবক %s একটি উচ্চ সীমাতে সেট করুন। +WarningSomeLinesWithNullHourlyRate=কিছু সময় কিছু ব্যবহারকারীর দ্বারা রেকর্ড করা হয়েছিল যখন তাদের ঘন্টার হার সংজ্ঞায়িত করা হয়নি। প্রতি ঘন্টায় 0 %s এর মান ব্যবহার করা হয়েছিল কিন্তু এর ফলে ব্যয় করা সময়ের ভুল মূল্যায়ন হতে পারে। +WarningYourLoginWasModifiedPleaseLogin=আপনার লগইন পরিবর্তন করা হয়েছে. নিরাপত্তার উদ্দেশ্যে পরবর্তী পদক্ষেপের আগে আপনাকে আপনার নতুন লগইন দিয়ে লগইন করতে হবে। +WarningYourPasswordWasModifiedPleaseLogin=আপনার পাসওয়ার্ড পরিবর্তন করা হয়েছে. নিরাপত্তার জন্য আপনাকে এখন আপনার নতুন পাসওয়ার্ড দিয়ে লগইন করতে হবে। +WarningAnEntryAlreadyExistForTransKey=এই ভাষার জন্য অনুবাদ কীটির জন্য একটি এন্ট্রি ইতিমধ্যেই বিদ্যমান +WarningNumberOfRecipientIsRestrictedInMassAction=সতর্কতা, বিভিন্ন প্রাপকের সংখ্যা %s ব্যবহার করার সময় সীমাবদ্ধ। তালিকায় ভর কর্ম +WarningDateOfLineMustBeInExpenseReportRange=সতর্কতা, লাইনের তারিখ ব্যয় প্রতিবেদনের সীমার মধ্যে নেই +WarningProjectDraft=প্রকল্পটি এখনও খসড়া মোডে রয়েছে। আপনি যদি কাজগুলি ব্যবহার করার পরিকল্পনা করেন তবে এটি যাচাই করতে ভুলবেন না। +WarningProjectClosed=প্রকল্প বন্ধ। আপনাকে প্রথমে এটি পুনরায় খুলতে হবে। +WarningSomeBankTransactionByChequeWereRemovedAfter=কিছু ব্যাঙ্ক লেনদেন সরিয়ে নেওয়ার পরে সেগুলি সহ রসিদ তৈরি করা হয়েছিল। তাই চেকের nb এবং প্রাপ্তির মোট সংখ্যা এবং তালিকার মোট সংখ্যা থেকে আলাদা হতে পারে। +WarningFailedToAddFileIntoDatabaseIndex=সতর্কতা, ECM ডাটাবেস সূচক টেবিলে ফাইল এন্ট্রি যোগ করতে ব্যর্থ হয়েছে৷ +WarningTheHiddenOptionIsOn=সতর্কতা, লুকানো বিকল্প %s চালু আছে। +WarningCreateSubAccounts=সতর্কতা, আপনি সরাসরি একটি সাব অ্যাকাউন্ট তৈরি করতে পারবেন না, আপনাকে অবশ্যই একটি তৃতীয় পক্ষ বা ব্যবহারকারী তৈরি করতে হবে এবং তাদের এই তালিকায় খুঁজে পেতে একটি অ্যাকাউন্টিং কোড বরাদ্দ করতে হবে +WarningAvailableOnlyForHTTPSServers=শুধুমাত্র HTTPS সুরক্ষিত সংযোগ ব্যবহার করলেই উপলব্ধ। +WarningModuleXDisabledSoYouMayMissEventHere=মডিউল %s সক্ষম করা হয়নি৷ তাই আপনি এখানে অনেক ঘটনা মিস করতে পারেন. +WarningPaypalPaymentNotCompatibleWithStrict=মান 'কঠোর' অনলাইন পেমেন্ট বৈশিষ্ট্য সঠিকভাবে কাজ না করে তোলে. পরিবর্তে 'Lax' ব্যবহার করুন। +WarningThemeForcedTo=সতর্কতা, থিমটি লুকানো কনস্ট্যান্ট দ্বারা %s করতে বাধ্য করা হয়েছে +WarningPagesWillBeDeleted=সতর্কতা, এটি ওয়েবসাইটের সমস্ত বিদ্যমান পৃষ্ঠা/পাত্র মুছে ফেলবে। আপনার ওয়েবসাইটটি আগে রপ্তানি করা উচিত, তাই পরে এটি পুনরায় আমদানি করার জন্য আপনার কাছে একটি ব্যাকআপ আছে৷ +WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal="চালান যাচাইকরণ" এ স্টক কমানোর বিকল্প সেট করা থাকলে স্বয়ংক্রিয় বৈধতা অক্ষম করা হয়। +WarningModuleNeedRefresh = মডিউল %s নিষ্ক্রিয় করা হয়েছে৷ এটি সক্ষম করতে ভুলবেন না +WarningPermissionAlreadyExist=এই বস্তুর জন্য বিদ্যমান অনুমতি +WarningGoOnAccountancySetupToAddAccounts=এই তালিকাটি খালি থাকলে, মেনুতে যান %s - %s - %s আপনার অ্যাকাউন্টের চার্টের জন্য অ্যাকাউন্ট লোড করতে বা তৈরি করতে। +WarningCorrectedInvoiceNotFound=সঠিক চালান পাওয়া যায়নি +WarningCommentNotFound=অনুগ্রহ করে %s বিভাগের জন্য শুরু এবং শেষ মন্তব্যের স্থান নির্ধারণ করুন আপনার অ্যাকশন জমা দেওয়ার আগে ফাইল %s +WarningAlreadyReverse=স্টক আন্দোলন ইতিমধ্যে বিপরীত + +SwissQrOnlyVIR = সুইসকিউআর ইনভয়েস শুধুমাত্র ক্রেডিট ট্রান্সফার পেমেন্টের সাথে প্রদান করা সেট ইনভয়েসে যোগ করা যেতে পারে। +SwissQrCreditorAddressInvalid = পাওনাদারের ঠিকানা অবৈধ (জিপ এবং শহর সেট আছে? (%s) +SwissQrCreditorInformationInvalid = IBAN (%s) এর জন্য পাওনাদারের তথ্য অবৈধ: %s +SwissQrIbanNotImplementedYet = QR-IBAN এখনও বাস্তবায়িত হয়নি৷ +SwissQrPaymentInformationInvalid = অর্থপ্রদানের তথ্য মোট %s : %s এর জন্য অবৈধ ছিল +SwissQrDebitorAddressInvalid = ডেবিটর তথ্য অবৈধ ছিল (%s) # Validate -RequireValidValue = Value not valid -RequireAtLeastXString = Requires at least %s character(s) -RequireXStringMax = Requires %s character(s) max -RequireAtLeastXDigits = Requires at least %s digit(s) -RequireXDigitsMax = Requires %s digit(s) max -RequireValidNumeric = Requires a numeric value -RequireValidEmail = Email address is not valid -RequireMaxLength = Length must be less than %s chars -RequireMinLength = Length must be more than %s char(s) -RequireValidUrl = Require valid URL -RequireValidDate = Require a valid date -RequireANotEmptyValue = Is required -RequireValidDuration = Require a valid duration -RequireValidExistingElement = Require an existing value -RequireValidBool = Require a valid boolean -BadSetupOfField = Error bad setup of field -BadSetupOfFieldClassNotFoundForValidation = Error bad setup of field : Class not found for validation -BadSetupOfFieldFileNotFound = Error bad setup of field : File not found for inclusion -BadSetupOfFieldFetchNotCallable = Error bad setup of field : Fetch not callable on class +RequireValidValue = মান বৈধ নয় +RequireAtLeastXString = কমপক্ষে %s অক্ষর(গুলি) প্রয়োজন +RequireXStringMax = সর্বাধিক %s অক্ষর(গুলি) প্রয়োজন +RequireAtLeastXDigits = কমপক্ষে %s সংখ্যা(গুলি) প্রয়োজন +RequireXDigitsMax = প্রয়োজন %s সংখ্যা(গুলি) সর্বাধিক +RequireValidNumeric = একটি সংখ্যাসূচক মান প্রয়োজন +RequireValidEmail = ইমেইল ঠিকানা বৈধ নয় +RequireMaxLength = দৈর্ঘ্য অবশ্যই %s অক্ষরের কম হতে হবে +RequireMinLength = দৈর্ঘ্য অবশ্যই %s অক্ষরের চেয়ে বেশি হতে হবে +RequireValidUrl = বৈধ URL প্রয়োজন৷ +RequireValidDate = একটি বৈধ তারিখ প্রয়োজন +RequireANotEmptyValue = দরকার +RequireValidDuration = একটি বৈধ সময়কাল প্রয়োজন +RequireValidExistingElement = একটি বিদ্যমান মান প্রয়োজন +RequireValidBool = একটি বৈধ বুলিয়ান প্রয়োজন +BadSetupOfField = ক্ষেত্রের ভুল সেটআপ ত্রুটি +BadSetupOfFieldClassNotFoundForValidation = ক্ষেত্রের ত্রুটি খারাপ সেটআপ: যাচাইকরণের জন্য ক্লাস পাওয়া যায়নি +BadSetupOfFieldFileNotFound = ক্ষেত্রের ত্রুটি খারাপ সেটআপ: অন্তর্ভুক্তির জন্য ফাইল পাওয়া যায়নি +BadSetupOfFieldFetchNotCallable = ক্ষেত্রের ত্রুটি খারাপ সেটআপ: ক্লাসে কলযোগ্য নয় আনা +ErrorTooManyAttempts= অনেক প্রচেষ্টা। অনুগ্রহ করে একটু পরে আবার চেষ্টা করুন diff --git a/htdocs/langs/bn_IN/eventorganization.lang b/htdocs/langs/bn_IN/eventorganization.lang index b4a7279d757..4f68100ba3d 100644 --- a/htdocs/langs/bn_IN/eventorganization.lang +++ b/htdocs/langs/bn_IN/eventorganization.lang @@ -17,151 +17,164 @@ # # Generic # -ModuleEventOrganizationName = Event Organization -EventOrganizationDescription = Event Organization through Module Project -EventOrganizationDescriptionLong= Manage the organization of an event (show, conferences, attendees or speakers, with public pages for suggestion, vote or registration) +ModuleEventOrganizationName = ইভেন্ট অর্গানাইজেশন +EventOrganizationDescription = মডিউল প্রকল্পের মাধ্যমে ইভেন্ট সংগঠন +EventOrganizationDescriptionLong= একটি ইভেন্টের সংগঠন পরিচালনা করুন (শো, সম্মেলন, অংশগ্রহণকারী বা বক্তা, পরামর্শ, ভোট বা নিবন্ধনের জন্য সর্বজনীন পৃষ্ঠা সহ) # # Menu # -EventOrganizationMenuLeft = Organized events -EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth +EventOrganizationMenuLeft = সংগঠিত অনুষ্ঠান +EventOrganizationConferenceOrBoothMenuLeft = সম্মেলন বা বুথ -PaymentEvent=Payment of event +PaymentEvent=ইভেন্টের অর্থপ্রদান # # Admin page # -NewRegistration=Registration -EventOrganizationSetup=Event Organization setup -EventOrganization=Event organization -Settings=Settings -EventOrganizationSetupPage = Event Organization setup page -EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated -EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

      For example:
      Send Call for Conference
      Send Call for Booth
      Receive call for conferences
      Receive call for Booth
      Open subscriptions to events for attendees
      Send remind of event to speakers
      Send remind of event to Booth hoster
      Send remind of event to attendees -EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference -EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth -EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. -EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. -EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a registration to a booth has been paid. -EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a registration to an event has been paid. -EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email to use when sending emails from the massaction "Send emails" to speakers -EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email to use when sending emails from the massaction "Send emails" on attendee list -EVENTORGANIZATION_FILTERATTENDEES_CAT = In the form to create/add an attendee, restricts the list of thirdparties to thirdparties in the category -EVENTORGANIZATION_FILTERATTENDEES_TYPE = In the form to create/add an attendee, restricts the list of thirdparties to thirdparties with the nature +NewRegistration=নিবন্ধন +EventOrganizationSetup=ইভেন্ট অর্গানাইজেশন সেটআপ +EventOrganization=ইভেন্ট সংগঠন +Settings=সেটিংস +EventOrganizationSetupPage = ইভেন্ট সংস্থা সেটআপ পৃষ্ঠা +EVENTORGANIZATION_TASK_LABEL = প্রোজেক্ট যাচাই করা হলে স্বয়ংক্রিয়ভাবে তৈরি করা কাজের লেবেল +EVENTORGANIZATION_TASK_LABELTooltip = যখন আপনি একটি ইভেন্টকে সংগঠিত করার জন্য যাচাই করেন, তখন কিছু কাজ স্বয়ংক্রিয়ভাবে প্রকল্পে তৈরি হতে পারে

      উদাহরণস্বরূপ:
      সম্মেলনের জন্য কল পাঠান
      বুথের জন্য কল পাঠান
      সম্মেলনের প্রস্তাবনা ='notranslate'>
      বুথের জন্য আবেদন যাচাই করুন
      অতিথিদের জন্য ইভেন্টের সদস্যতা উন্মুক্ত করুন
      respandSmin বক্তাদের কাছে ইভেন্টের কথা
      বুথ হোস্টার্সকে ইভেন্টের একটি অনুস্মারক পাঠান
      অতিথিদের ইভেন্টের একটি অনুস্মারক পাঠান +EVENTORGANIZATION_TASK_LABELTooltip2=আপনার যদি স্বয়ংক্রিয়ভাবে কাজ তৈরি করার প্রয়োজন না হয় তবে খালি রাখুন। +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = তৃতীয় পক্ষের সাথে যুক্ত করার জন্য বিভাগ স্বয়ংক্রিয়ভাবে তৈরি হয় যখন কেউ একটি সম্মেলনের পরামর্শ দেয় +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = তৃতীয় পক্ষের সাথে যুক্ত করার জন্য বিভাগ স্বয়ংক্রিয়ভাবে তৈরি করা হয় যখন তারা একটি বুথের পরামর্শ দেয় +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = একটি সম্মেলনের পরামর্শ পাওয়ার পরে পাঠানোর জন্য ইমেলের টেমপ্লেট। +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = একটি বুথের পরামর্শ পাওয়ার পর পাঠানোর জন্য ইমেলের টেমপ্লেট। +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = একটি বুথে নিবন্ধন করার পরে পাঠানোর জন্য ইমেলের টেমপ্লেট প্রদান করা হয়েছে। +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = একটি ইভেন্টে নিবন্ধনের পরে পাঠানোর জন্য ইমেলের টেমপ্লেট প্রদান করা হয়েছে। +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = স্পিকারের কাছে "ইমেল পাঠান" ম্যাসাকশন থেকে ইমেল পাঠানোর সময় ব্যবহার করার জন্য ইমেলের টেমপ্লেট +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = অংশগ্রহণকারীদের তালিকায় ম্যাসাকশন "ইমেল পাঠান" থেকে ইমেল পাঠানোর সময় ব্যবহার করার জন্য ইমেলের টেমপ্লেট +EVENTORGANIZATION_FILTERATTENDEES_CAT = একজন অংশগ্রহণকারী তৈরি/যোগ করার ফর্মে, তৃতীয় পক্ষের তালিকাকে তৃতীয় পক্ষের বিভাগে সীমাবদ্ধ করে +EVENTORGANIZATION_FILTERATTENDEES_TYPE = একজন অংশগ্রহণকারী তৈরি/যোগ করার ফর্মে, প্রকৃতির সাথে তৃতীয় পক্ষের তালিকাকে তৃতীয় পক্ষের কাছে সীমাবদ্ধ করে # # Object # -EventOrganizationConfOrBooth= Conference Or Booth -ManageOrganizeEvent = Manage the organization of an event -ConferenceOrBooth = Conference Or Booth -ConferenceOrBoothTab = Conference Or Booth -AmountPaid = Amount paid -DateOfRegistration = Date of registration -ConferenceOrBoothAttendee = Conference Or Booth Attendee +OrganizedEvent=সংগঠিত অনুষ্ঠান +EventOrganizationConfOrBooth= সম্মেলন বা বুথ +EventOrganizationConfOrBoothes=সম্মেলন বা বুথ +ManageOrganizeEvent = একটি ইভেন্টের সংগঠন পরিচালনা করুন +ConferenceOrBooth = সম্মেলন বা বুথ +ConferenceOrBoothTab = সম্মেলন বা বুথ +AmountPaid = পরিমাণ অর্থ প্রদান করা +DateOfRegistration = নিবন্ধনের তারিখ +ConferenceOrBoothAttendee = সম্মেলন বা বুথ অংশগ্রহণকারী +ApplicantOrVisitor=আবেদনকারী বা দর্শনার্থী +Speaker=স্পিকার # # Template Mail # -YourOrganizationEventConfRequestWasReceived = Your request for conference was received -YourOrganizationEventBoothRequestWasReceived = Your request for booth was received -EventOrganizationEmailAskConf = Request for conference -EventOrganizationEmailAskBooth = Request for booth -EventOrganizationEmailBoothPayment = Payment of your booth -EventOrganizationEmailRegistrationPayment = Registration for an event -EventOrganizationMassEmailAttendees = Communication to attendees -EventOrganizationMassEmailSpeakers = Communication to speakers -ToSpeakers=To speakers +YourOrganizationEventConfRequestWasReceived = সম্মেলনের জন্য আপনার অনুরোধ গৃহীত হয়েছে +YourOrganizationEventBoothRequestWasReceived = বুথ জন্য আপনার অনুরোধ গৃহীত হয়েছে +EventOrganizationEmailAskConf = সম্মেলনের জন্য অনুরোধ +EventOrganizationEmailAskBooth = বুথের জন্য অনুরোধ +EventOrganizationEmailBoothPayment = আপনার বুথ পেমেন্ট +EventOrganizationEmailRegistrationPayment = একটি ইভেন্টের জন্য নিবন্ধন +EventOrganizationMassEmailAttendees = অংশগ্রহণকারীদের সাথে যোগাযোগ +EventOrganizationMassEmailSpeakers = বক্তাদের সাথে যোগাযোগ +ToSpeakers=বক্তাদের কাছে # # Event # -AllowUnknownPeopleSuggestConf=Allow people to suggest conferences -AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest a conference they want to do -AllowUnknownPeopleSuggestBooth=Allow people to apply for a booth -AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to apply for a booth -PriceOfRegistration=Price of registration -PriceOfRegistrationHelp=Price to pay to register or participate in the event -PriceOfBooth=Subscription price to stand a booth -PriceOfBoothHelp=Subscription price to stand a booth -EventOrganizationICSLink=Link ICS for conferences -ConferenceOrBoothInformation=Conference Or Booth informations -Attendees=Attendees -ListOfAttendeesOfEvent=List of attendees of the event project -DownloadICSLink = Download ICS link -EVENTORGANIZATION_SECUREKEY = Seed to secure the key for the public registration page to suggest a conference -SERVICE_BOOTH_LOCATION = Service used for the invoice row about a booth location -SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Service used for the invoice row about an attendee subscription to an event -NbVotes=Number of votes +AllowUnknownPeopleSuggestConf=লোকেদের সম্মেলন প্রস্তাব করার অনুমতি দিন +AllowUnknownPeopleSuggestConfHelp=অজানা লোকেদেরকে তারা করতে চান এমন একটি সম্মেলন প্রস্তাব করার অনুমতি দিন +AllowUnknownPeopleSuggestBooth=লোকেদের একটি বুথের জন্য আবেদন করার অনুমতি দিন +AllowUnknownPeopleSuggestBoothHelp=অজানা লোকদের একটি বুথের জন্য আবেদন করার অনুমতি দিন +PriceOfRegistration=নিবন্ধনের মূল্য +PriceOfRegistrationHelp=ইভেন্টে নিবন্ধন বা অংশগ্রহণের জন্য মূল্য দিতে হবে +PriceOfBooth=সাবস্ক্রিপশন মূল্য একটি বুথ দাঁড়ানো +PriceOfBoothHelp=সাবস্ক্রিপশন মূল্য একটি বুথ দাঁড়ানো +EventOrganizationICSLink=সম্মেলনের জন্য আইসিএস লিঙ্ক করুন +ConferenceOrBoothInformation=সম্মেলন বা বুথ তথ্য +Attendees=উপস্থিতরা +ListOfAttendeesOfEvent=ইভেন্ট প্রকল্পের অংশগ্রহণকারীদের তালিকা +DownloadICSLink = ICS লিঙ্ক ডাউনলোড করুন +EVENTORGANIZATION_SECUREKEY = একটি কনফারেন্সের পরামর্শ দেওয়ার জন্য পাবলিক রেজিস্ট্রেশন পৃষ্ঠার কী সুরক্ষিত করার জন্য বীজ +SERVICE_BOOTH_LOCATION = একটি বুথ অবস্থান সম্পর্কে চালান সারির জন্য ব্যবহৃত পরিষেবা +SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = একটি ইভেন্টে অংশগ্রহণকারী সদস্যতা সম্পর্কে চালান সারির জন্য ব্যবহৃত পরিষেবা +NbVotes=ভোটের সংখ্যা + # # Status # -EvntOrgDraft = Draft -EvntOrgSuggested = Suggested -EvntOrgConfirmed = Confirmed -EvntOrgNotQualified = Not Qualified -EvntOrgDone = Done -EvntOrgCancelled = Cancelled -# -# Public page -# -SuggestForm = Suggestion page -SuggestOrVoteForConfOrBooth = Page for suggestion or vote -EvntOrgRegistrationHelpMessage = Here, you can vote for a conference or suggest a new one for the event. You can also apply to have a booth during the event. -EvntOrgRegistrationConfHelpMessage = Here, you can suggest a new conference to animate during the event. -EvntOrgRegistrationBoothHelpMessage = Here, you can apply to have a booth during the event. -ListOfSuggestedConferences = List of suggested conferences -ListOfSuggestedBooths = List of suggested booths -ListOfConferencesOrBooths=List of conferences or booths of event project -SuggestConference = Suggest a new conference -SuggestBooth = Suggest a booth -ViewAndVote = View and vote for suggested events -PublicAttendeeSubscriptionGlobalPage = Public link for registration to the event -PublicAttendeeSubscriptionPage = Public link for registration to this event only -MissingOrBadSecureKey = The security key is invalid or missing -EvntOrgWelcomeMessage = This form allows you to register as a new participant to the event : %s -EvntOrgDuration = This conference starts on %s and ends on %s. -ConferenceAttendeeFee = Conference attendee fee for the event : '%s' occurring from %s to %s. -BoothLocationFee = Booth location for the event : '%s' occurring from %s to %s -EventType = Event type -LabelOfBooth=Booth label -LabelOfconference=Conference label -ConferenceIsNotConfirmed=Registration not available, conference is not confirmed yet -DateMustBeBeforeThan=%s must be before %s -DateMustBeAfterThan=%s must be after %s - -NewSubscription=Registration -OrganizationEventConfRequestWasReceived=Your suggestion for a conference has been received -OrganizationEventBoothRequestWasReceived=Your request for a booth has been received -OrganizationEventPaymentOfBoothWasReceived=Your payment for your booth has been recorded -OrganizationEventPaymentOfRegistrationWasReceived=Your payment for your event registration has been recorded -OrganizationEventBulkMailToAttendees=This is a remind about your participation in the event as an attendee -OrganizationEventBulkMailToSpeakers=This is a reminder on your participation in the event as a speaker -OrganizationEventLinkToThirdParty=Link to third party (customer, supplier or partner) - -NewSuggestionOfBooth=Application for a booth -NewSuggestionOfConference=Application for a conference +EvntOrgDraft = খসড়া +EvntOrgSuggested = প্রস্তাবিত +EvntOrgConfirmed = নিশ্চিত করা হয়েছে +EvntOrgNotQualified = অনুত্তীর্ন +EvntOrgDone = সম্পন্ন +EvntOrgCancelled = বাতিল # -# Vote page +# Other # -EvntOrgRegistrationWelcomeMessage = Welcome on the conference or booth suggestion page. -EvntOrgRegistrationConfWelcomeMessage = Welcome on the conference suggestion page. -EvntOrgRegistrationBoothWelcomeMessage = Welcome on the booth suggestion page. -EvntOrgVoteHelpMessage = Here, you can view and vote for the suggested events for the project -VoteOk = Your vote has been accepted. -AlreadyVoted = You have already voted for this event. -VoteError = An error has occurred during the vote, please try again. - -SubscriptionOk = Your registration has been validated -ConfAttendeeSubscriptionConfirmation = Confirmation of your subscription to an event -Attendee = Attendee -PaymentConferenceAttendee = Conference attendee payment -PaymentBoothLocation = Booth location payment -DeleteConferenceOrBoothAttendee=Remove attendee -RegistrationAndPaymentWereAlreadyRecorder=A registration and a payment were already recorded for the email %s -EmailAttendee=Attendee email -EmailCompanyForInvoice=Company email (for invoice, if different of attendee email) -ErrorSeveralCompaniesWithEmailContactUs=Several companies with this email has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation -ErrorSeveralCompaniesWithNameContactUs=Several companies with this name has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation -NoPublicActionsAllowedForThisEvent=No public actions are open to public for this event +SuggestForm = সাজেশন পেজ +SuggestOrVoteForConfOrBooth = পরামর্শ বা ভোটের জন্য পৃষ্ঠা +EvntOrgRegistrationHelpMessage = এখানে, আপনি একটি সম্মেলনের জন্য ভোট দিতে পারেন বা ইভেন্টের জন্য একটি নতুন প্রস্তাব দিতে পারেন৷ আপনি ইভেন্ট চলাকালীন একটি বুথ থাকার জন্য আবেদন করতে পারেন। +EvntOrgRegistrationConfHelpMessage = এখানে, আপনি ইভেন্ট চলাকালীন অ্যানিমেট করার জন্য একটি নতুন সম্মেলনের পরামর্শ দিতে পারেন। +EvntOrgRegistrationBoothHelpMessage = এখানে, আপনি ইভেন্ট চলাকালীন একটি বুথ থাকার জন্য আবেদন করতে পারেন। +ListOfSuggestedConferences = প্রস্তাবিত সম্মেলনের তালিকা +ListOfSuggestedBooths=প্রস্তাবিত বুথ +ListOfConferencesOrBooths=ইভেন্ট প্রকল্পের সম্মেলন বা বুথ +SuggestConference = একটি নতুন সম্মেলন প্রস্তাব করুন +SuggestBooth = একটি বুথ প্রস্তাব +ViewAndVote = প্রস্তাবিত ইভেন্টগুলির জন্য দেখুন এবং ভোট দিন +PublicAttendeeSubscriptionGlobalPage = ইভেন্টে নিবন্ধনের জন্য পাবলিক লিঙ্ক +PublicAttendeeSubscriptionPage = শুধুমাত্র এই ইভেন্টে নিবন্ধনের জন্য পাবলিক লিঙ্ক +MissingOrBadSecureKey = নিরাপত্তা কীটি অবৈধ বা অনুপস্থিত৷ +EvntOrgWelcomeMessage = এই ফর্মটি আপনাকে ইভেন্টে নতুন অংশগ্রহণকারী হিসাবে নিবন্ধন করতে দেয় +EvntOrgDuration = এই সম্মেলন শুরু হয় %s এবং শেষ হয় %s তারিখে। +ConferenceAttendeeFee = ইভেন্টের জন্য সম্মেলনে অংশগ্রহণকারীর ফি : '%s' %s থেকে %s > +BoothLocationFee = ইভেন্টের জন্য বুথের অবস্থান: '%s' %s থেকে %s +EventType = ইভেন্টের ধরণ +LabelOfBooth=বুথ লেবেল +LabelOfconference=সম্মেলন লেবেল +ConferenceIsNotConfirmed=নিবন্ধন উপলব্ধ নেই, সম্মেলন এখনও নিশ্চিত করা হয়নি +DateMustBeBeforeThan=%s অবশ্যই %s আগে হতে হবে +DateMustBeAfterThan=%s অবশ্যই %s এর পরে হতে হবে +MaxNbOfAttendeesReached=অংশগ্রহণকারীদের সর্বোচ্চ সংখ্যা পৌঁছেছে +NewSubscription=নিবন্ধন +OrganizationEventConfRequestWasReceived=একটি সম্মেলনের জন্য আপনার পরামর্শ গৃহীত হয়েছে +OrganizationEventBoothRequestWasReceived=একটি বুথ জন্য আপনার অনুরোধ গৃহীত হয়েছে +OrganizationEventPaymentOfBoothWasReceived=আপনার বুথের জন্য আপনার পেমেন্ট রেকর্ড করা হয়েছে +OrganizationEventPaymentOfRegistrationWasReceived=আপনার ইভেন্ট রেজিস্ট্রেশনের জন্য আপনার পেমেন্ট রেকর্ড করা হয়েছে +OrganizationEventBulkMailToAttendees=এটি একজন অংশগ্রহণকারী হিসাবে ইভেন্টে আপনার অংশগ্রহণ সম্পর্কে একটি অনুস্মারক +OrganizationEventBulkMailToSpeakers=এটি একটি স্পিকার হিসাবে ইভেন্টে আপনার অংশগ্রহণের একটি অনুস্মারক +OrganizationEventLinkToThirdParty=তৃতীয় পক্ষের সাথে লিঙ্ক (গ্রাহক, সরবরাহকারী বা অংশীদার) +OrganizationEvenLabelName=সম্মেলন বা বুথের পাবলিক নাম +NewSuggestionOfBooth=একটি বুথ জন্য আবেদন +NewSuggestionOfConference=একটি সম্মেলন অনুষ্ঠিত করার জন্য আবেদন +EvntOrgRegistrationWelcomeMessage = সম্মেলন বা বুথ পরামর্শ পৃষ্ঠায় স্বাগতম। +EvntOrgRegistrationConfWelcomeMessage = সম্মেলনের পরামর্শ পৃষ্ঠায় স্বাগতম। +EvntOrgRegistrationBoothWelcomeMessage = বুথ সাজেশন পেজে স্বাগতম। +EvntOrgVoteHelpMessage = এখানে, আপনি প্রকল্পের জন্য প্রস্তাবিত ইভেন্টগুলি দেখতে এবং ভোট দিতে পারেন৷ +VoteOk = আপনার ভোট গ্রহণ করা হয়েছে. +AlreadyVoted = আপনি ইতিমধ্যেই এই ইভেন্টের জন্য ভোট দিয়েছেন৷ +VoteError = ভোটের সময় একটি ত্রুটি ঘটেছে, অনুগ্রহ করে আবার চেষ্টা করুন৷ +SubscriptionOk=আপনার নিবন্ধন রেকর্ড করা হয়েছে +AmountOfRegistrationPaid=প্রদত্ত নিবন্ধনের পরিমাণ +ConfAttendeeSubscriptionConfirmation = একটি ইভেন্টে আপনার সদস্যতার নিশ্চিতকরণ +Attendee = অংশগ্রহণকারী +PaymentConferenceAttendee = সম্মেলনে অংশগ্রহণকারীদের অর্থ প্রদান +PaymentBoothLocation = বুথ অবস্থান পেমেন্ট +DeleteConferenceOrBoothAttendee=অংশগ্রহণকারীকে সরান +RegistrationAndPaymentWereAlreadyRecorder=%s ইমেলের জন্য একটি নিবন্ধন এবং একটি অর্থপ্রদান ইতিমধ্যেই রেকর্ড করা হয়েছে +EmailAttendee=অংশগ্রহণকারী ইমেল +EmailCompany=কোম্পানির ইমেইল +EmailCompanyForInvoice=কোম্পানির ইমেল (চালানের জন্য, যদি অংশগ্রহণকারীর ইমেল থেকে আলাদা হয়) +ErrorSeveralCompaniesWithEmailContactUs=এই ইমেল সহ বেশ কয়েকটি কোম্পানি পাওয়া গেছে তাই আমরা স্বয়ংক্রিয়ভাবে আপনার নিবন্ধন যাচাই করতে পারছি না। ম্যানুয়াল বৈধতার জন্য অনুগ্রহ করে আমাদের সাথে %s এ যোগাযোগ করুন +ErrorSeveralCompaniesWithNameContactUs=এই নামের বেশ কিছু কোম্পানি পাওয়া গেছে তাই আমরা আপনার নিবন্ধন স্বয়ংক্রিয়ভাবে যাচাই করতে পারছি না। ম্যানুয়াল যাচাইকরণের জন্য অনুগ্রহ করে আমাদের সাথে %s এ যোগাযোগ করুন +NoPublicActionsAllowedForThisEvent=এই ইভেন্টের জন্য জনসাধারণের জন্য কোনো পাবলিক অ্যাকশন খোলা নেই +MaxNbOfAttendees=অংশগ্রহণকারীদের সর্বাধিক সংখ্যা +DateStartEvent=ইভেন্ট শুরুর তারিখ +DateEndEvent=ইভেন্ট শেষ তারিখ +ModifyStatus=স্থিতি পরিবর্তন করুন +ConfirmModifyStatus=স্থিতি পরিবর্তন নিশ্চিত করুন +ConfirmModifyStatusQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) সংশোধন করার বিষয়ে নিশ্চিত? +RecordsUpdated = %s রেকর্ড আপডেট করা হয়েছে +RecordUpdated = রেকর্ড আপডেট করা হয়েছে +NoRecordUpdated = কোনো রেকর্ড আপডেট করা হয়নি diff --git a/htdocs/langs/bn_IN/exports.lang b/htdocs/langs/bn_IN/exports.lang index f2f2d2cf587..4e1f9ac9725 100644 --- a/htdocs/langs/bn_IN/exports.lang +++ b/htdocs/langs/bn_IN/exports.lang @@ -1,137 +1,147 @@ # Dolibarr language file - Source file is en_US - exports -ExportsArea=Exports -ImportArea=Import -NewExport=New Export -NewImport=New Import -ExportableDatas=Exportable dataset -ImportableDatas=Importable dataset -SelectExportDataSet=Choose dataset you want to export... -SelectImportDataSet=Choose dataset you want to import... -SelectExportFields=Choose the fields you want to export, or select a predefined export profile -SelectImportFields=Choose the source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile: -NotImportedFields=Fields of source file not imported -SaveExportModel=Save your selections as an export profile/template (for reuse). -SaveImportModel=Save this import profile (for reuse) ... -ExportModelName=Export profile name -ExportModelSaved=Export profile saved as %s. -ExportableFields=Exportable fields -ExportedFields=Exported fields -ImportModelName=Import profile name -ImportModelSaved=Import profile saved as %s. -DatasetToExport=Dataset to export -DatasetToImport=Import file into dataset -ChooseFieldsOrdersAndTitle=Choose fields order... -FieldsTitle=Fields title -FieldTitle=Field title -NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file... -AvailableFormats=Available Formats -LibraryShort=Library -ExportCsvSeparator=Csv caracter separator -ImportCsvSeparator=Csv caracter separator -Step=Step -FormatedImport=Import Assistant -FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant. -FormatedImportDesc2=First step is to choose the kind of data you want to import, then the format of the source file, then the fields you want to import. -FormatedExport=Export Assistant -FormatedExportDesc1=These tools allow the export of personalized data using an assistant, to help you in the process without requiring technical knowledge. -FormatedExportDesc2=First step is to choose a predefined dataset, then which fields you want to export, and in which order. -FormatedExportDesc3=When data to export are selected, you can choose the format of the output file. -Sheet=Sheet -NoImportableData=No importable data (no module with definitions to allow data imports) -FileSuccessfullyBuilt=File generated -SQLUsedForExport=SQL Request used to extract data -LineId=Id of line -LineLabel=Label of line -LineDescription=Description of line -LineUnitPrice=Unit price of line -LineVATRate=VAT Rate of line -LineQty=Quantity for line -LineTotalHT=Amount excl. tax for line -LineTotalTTC=Amount with tax for line -LineTotalVAT=Amount of VAT for line -TypeOfLineServiceOrProduct=Type of line (0=product, 1=service) -FileWithDataToImport=File with data to import -FileToImport=Source file to import -FileMustHaveOneOfFollowingFormat=File to import must have one of following formats -DownloadEmptyExample=Download template file with field content information -StarAreMandatory=* are mandatory fields -ChooseFormatOfFileToImport=Choose the file format to use as import file format by clicking on the %s icon to select it... -ChooseFileToImport=Upload file then click on the %s icon to select file as source import file... -SourceFileFormat=Source file format -FieldsInSourceFile=Fields in source file -FieldsInTargetDatabase=Target fields in Dolibarr database (bold=mandatory) -Field=Field -NoFields=No fields -MoveField=Move field column number %s -ExampleOfImportFile=Example_of_import_file -SaveImportProfile=Save this import profile -ErrorImportDuplicateProfil=Failed to save this import profile with this name. An existing profile already exists with this name. -TablesTarget=Targeted tables -FieldsTarget=Targeted fields -FieldTarget=Targeted field -FieldSource=Source field -NbOfSourceLines=Number of lines in source file -NowClickToTestTheImport=Check that the file format (field and string delimiters) of your file matches the options shown and that you have omitted the header line, or these will be flagged as errors in the following simulation.
      Click on the "%s" button to run a check of the file structure/contents and simulate the import process.
      No data will be changed in your database. -RunSimulateImportFile=Run Import Simulation -FieldNeedSource=This field requires data from the source file -SomeMandatoryFieldHaveNoSource=Some mandatory fields have no source from data file -InformationOnSourceFile=Information on source file -InformationOnTargetTables=Information on target fields -SelectAtLeastOneField=Switch at least one source field in the column of fields to export -SelectFormat=Choose this import file format -RunImportFile=Import Data -NowClickToRunTheImport=Check the results of the import simulation. Correct any errors and re-test.
      When the simulation reports no errors you may proceed to import the data into the database. -DataLoadedWithId=The imported data will have an additional field in each database table with this import id: %s, to allow it to be searchable in the case of investigating a problem related to this import. -ErrorMissingMandatoryValue=Mandatory data is empty in the source file for field %s. -TooMuchErrors=There are still %s other source lines with errors but output has been limited. -TooMuchWarnings=There are still %s other source lines with warnings but output has been limited. -EmptyLine=Empty line (will be discarded) -CorrectErrorBeforeRunningImport=You must correct all errors before running the definitive import. -FileWasImported=File was imported with number %s. -YouCanUseImportIdToFindRecord=You can find all the imported records in your database by filtering on field import_key='%s'. -NbOfLinesOK=Number of lines with no errors and no warnings: %s. -NbOfLinesImported=Number of lines successfully imported: %s. -DataComeFromNoWhere=Value to insert comes from nowhere in source file. -DataComeFromFileFieldNb=Value to insert comes from field number %s in source file. -DataComeFromIdFoundFromRef=Value that comes from field number %s of source file will be used to find the id of the parent object to use (so the object %s that has the ref. from source file must exist in the database). -DataComeFromIdFoundFromCodeId=Code that comes from field number %s of source file will be used to find the id of the parent object to use (so the code from source file must exist in the dictionary %s). Note that if you know the id, you can also use it in the source file instead of the code. Import should work in both cases. -DataIsInsertedInto=Data coming from source file will be inserted into the following field: -DataIDSourceIsInsertedInto=The id of the parent object, that was found using the data in the source file, will be inserted into the following field: -DataCodeIDSourceIsInsertedInto=The id of the parent line, that was found from code, will be inserted into the following field: -SourceRequired=Data value is mandatory -SourceExample=Example of possible data value -ExampleAnyRefFoundIntoElement=Any ref found for element %s -ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary %s -CSVFormatDesc=Comma Separated Value file format (.csv).
      This is a text file format where fields are separated by a separator [ %s ]. If separator is found inside a field content, field is rounded by round character [ %s ]. Escape character to escape round character is [ %s ]. -Excel95FormatDesc=Excel file format (.xls)
      This is the native Excel 95 format (BIFF5). -Excel2007FormatDesc=Excel file format (.xlsx)
      This is the native Excel 2007 format (SpreadsheetML). -TsvFormatDesc=Tab Separated Value file format (.tsv)
      This is a text file format where fields are separated by a tabulator [tab]. -ExportFieldAutomaticallyAdded=Field %s was automatically added. It will avoid you to have similar lines to be treated as duplicate record (with this field added, all lines will own their own id and will differ). -CsvOptions=CSV format options -Separator=Field Separator -Enclosure=String Delimiter -SpecialCode=Special code -ExportStringFilter=%% allows replacing one or more characters in the text -ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: filters by one year/month/day
      YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD: filters over a range of years/months/days
      > YYYY, > YYYYMM, > YYYYMMDD: filters on all following years/months/days
      < YYYY, < YYYYMM, < YYYYMMDD: filters on all previous years/months/days -ExportNumericFilter=NNNNN filters by one value
      NNNNN+NNNNN filters over a range of values
      < NNNNN filters by lower values
      > NNNNN filters by higher values -ImportFromLine=Import starting from line number -EndAtLineNb=End at line number -ImportFromToLine=Limit range (From - To). Eg. to omit header line(s). -SetThisValueTo2ToExcludeFirstLine=For example, set this value to 3 to exclude the 2 first lines.
      If the header lines are NOT omitted, this will result in multiple errors in the Import Simulation. -KeepEmptyToGoToEndOfFile=Keep this field empty to process all lines to the end of the file. -SelectPrimaryColumnsForUpdateAttempt=Select column(s) to use as primary key for an UPDATE import -UpdateNotYetSupportedForThisImport=Update is not supported for this type of import (only insert) -NoUpdateAttempt=No update attempt was performed, only insert -ImportDataset_user_1=Users (employees or not) and properties -ComputedField=Computed field +ExportsArea=রপ্তানি +ImportArea=আমদানি +NewExport=নতুন রপ্তানি +NewImport=নতুন আমদানি +ExportableDatas=রপ্তানিযোগ্য ডেটাসেট +ImportableDatas=আমদানিযোগ্য ডেটাসেট +SelectExportDataSet=আপনি রপ্তানি করতে চান এমন ডেটাসেট বেছে নিন... +SelectImportDataSet=আপনি আমদানি করতে চান এমন ডেটাসেট চয়ন করুন... +SelectExportFields=আপনি যে ক্ষেত্রগুলি রপ্তানি করতে চান তা চয়ন করুন বা একটি পূর্বনির্ধারিত রপ্তানি প্রোফাইল নির্বাচন করুন৷ +SelectImportFields=আপনি যে সোর্স ফাইল ক্ষেত্রগুলি আমদানি করতে চান এবং ডাটাবেসে তাদের টার্গেট ক্ষেত্রগুলিকে অ্যাঙ্কর %s দিয়ে উপরে এবং নীচে সরানোর মাধ্যমে চয়ন করুন, অথবা একটি পূর্বনির্ধারিত আমদানি প্রোফাইল নির্বাচন করুন: +NotImportedFields=উৎস ফাইলের ক্ষেত্র আমদানি করা হয়নি +SaveExportModel=আপনার নির্বাচনগুলিকে রপ্তানি প্রোফাইল/টেমপ্লেট হিসাবে সংরক্ষণ করুন (পুনরায় ব্যবহারের জন্য)। +SaveImportModel=এই আমদানি প্রোফাইল সংরক্ষণ করুন (পুনঃব্যবহারের জন্য) ... +ExportModelName=প্রোফাইল নাম রপ্তানি করুন +ExportModelSaved=রপ্তানি প্রোফাইল %s হিসাবে সংরক্ষিত। +ExportableFields=রপ্তানিযোগ্য ক্ষেত্র +ExportedFields=রপ্তানি ক্ষেত্র +ImportModelName=প্রোফাইল নাম আমদানি করুন +ImportModelSaved=আমদানি প্রোফাইল %s হিসাবে সংরক্ষিত। +ImportProfile=প্রোফাইল আমদানি করুন +DatasetToExport=রপ্তানি করার জন্য ডেটাসেট +DatasetToImport=ডেটাসেটে ফাইল আমদানি করুন +ChooseFieldsOrdersAndTitle=ক্ষেত্র ক্রম চয়ন করুন... +FieldsTitle=ক্ষেত্র শিরোনাম +FieldTitle=মাঠের শিরোনাম +NowClickToGenerateToBuildExportFile=এখন, কম্বো বক্সে ফাইল ফরম্যাট নির্বাচন করুন এবং এক্সপোর্ট ফাইল তৈরি করতে "জেনারেট" এ ক্লিক করুন... +AvailableFormats=উপলব্ধ বিন্যাস +LibraryShort=লাইব্রেরি +ExportCsvSeparator=Csv অক্ষর বিভাজক +ImportCsvSeparator=Csv অক্ষর বিভাজক +Step=ধাপ +FormatedImport=সহকারী আমদানি করুন +FormatedImportDesc1=এই মডিউল আপনাকে একটি সহকারী ব্যবহার করে, প্রযুক্তিগত জ্ঞান ছাড়াই একটি ফাইল থেকে বিদ্যমান ডেটা আপডেট করতে বা ডেটাবেসে নতুন অবজেক্ট যোগ করতে দেয়। +FormatedImportDesc2=প্রথম ধাপ হল আপনি যে ধরনের ডেটা ইম্পোর্ট করতে চান তা বেছে নেওয়া, তারপর সোর্স ফাইলের ফর্ম্যাট, তারপর আপনি যে ক্ষেত্রগুলি আমদানি করতে চান। +FormatedExport=রপ্তানি সহকারী +FormatedExportDesc1=এই সরঞ্জামগুলি আপনাকে প্রযুক্তিগত জ্ঞানের প্রয়োজন ছাড়াই প্রক্রিয়াটিতে সহায়তা করার জন্য একজন সহকারী ব্যবহার করে ব্যক্তিগতকৃত ডেটা রপ্তানির অনুমতি দেয়। +FormatedExportDesc2=প্রথম ধাপ হল একটি পূর্বনির্ধারিত ডেটাসেট বেছে নেওয়া, তারপর আপনি কোন ক্ষেত্রগুলি রপ্তানি করতে চান এবং কোন ক্রমে। +FormatedExportDesc3=রপ্তানির জন্য ডেটা নির্বাচন করা হলে, আপনি আউটপুট ফাইলের বিন্যাস চয়ন করতে পারেন। +Sheet=শীট +NoImportableData=কোনও আমদানিযোগ্য ডেটা নেই (ডেটা আমদানির অনুমতি দেওয়ার জন্য সংজ্ঞা সহ কোনও মডিউল নেই) +FileSuccessfullyBuilt=ফাইল তৈরি হয়েছে +SQLUsedForExport=এসকিউএল অনুরোধ ডেটা বের করতে ব্যবহৃত হয় +LineId=লাইনের আইডি +LineLabel=লাইনের লেবেল +LineDescription=লাইনের বর্ণনা +LineUnitPrice=লাইনের ইউনিট মূল্য +LineVATRate=লাইনের ভ্যাট হার +LineQty=লাইনের জন্য পরিমাণ +LineTotalHT=পরিমাণ বাদ। লাইনের জন্য ট্যাক্স +LineTotalTTC=লাইনের জন্য ট্যাক্স সহ পরিমাণ +LineTotalVAT=লাইনের জন্য ভ্যাটের পরিমাণ +TypeOfLineServiceOrProduct=লাইনের ধরন (0=পণ্য, 1=পরিষেবা) +FileWithDataToImport=আমদানি করতে ডেটা সহ ফাইল করুন +FileToImport=উৎস ফাইল আমদানি করতে +FileMustHaveOneOfFollowingFormat=ফাইল আমদানি করতে নিম্নলিখিত ফর্ম্যাটগুলির মধ্যে একটি থাকতে হবে৷ +DownloadEmptyExampleShort=একটি নমুনা ফাইল ডাউনলোড করুন +DownloadEmptyExample=আপনি আমদানি করতে পারেন এমন ক্ষেত্রের উদাহরণ এবং তথ্য সহ একটি টেমপ্লেট ফাইল ডাউনলোড করুন +StarAreMandatory=টেমপ্লেট ফাইলের মধ্যে, একটি * সহ সমস্ত ক্ষেত্র বাধ্যতামূলক ক্ষেত্র +ChooseFormatOfFileToImport=এটি নির্বাচন করতে %s আইকনে ক্লিক করে আমদানি ফাইল বিন্যাস হিসাবে ব্যবহার করার জন্য ফাইল বিন্যাসটি চয়ন করুন... +ChooseFileToImport=ফাইল আপলোড করুন তারপর সোর্স ইম্পোর্ট ফাইল হিসাবে ফাইল নির্বাচন করতে %s আইকনে ক্লিক করুন... +SourceFileFormat=সোর্স ফাইল ফরম্যাট +FieldsInSourceFile=উৎস ফাইলে ক্ষেত্র +FieldsInTargetDatabase=ডলিবার ডাটাবেসের লক্ষ্য ক্ষেত্রগুলি (বোল্ড = বাধ্যতামূলক) +Field=মাঠ +NoFields=কোনো ক্ষেত্র নেই +MoveField=ফিল্ড কলাম নম্বর %s সরান +ExampleOfImportFile=ইমপোর্ট_ফাইলের_উদাহরণ +SaveImportProfile=এই আমদানি প্রোফাইল সংরক্ষণ করুন +ErrorImportDuplicateProfil=এই নামের সাথে এই আমদানি প্রোফাইল সংরক্ষণ করতে ব্যর্থ হয়েছে. এই নামের সাথে একটি বিদ্যমান প্রোফাইল ইতিমধ্যেই বিদ্যমান। +TablesTarget=টার্গেটেড টেবিল +FieldsTarget=টার্গেটেড ক্ষেত্র +FieldTarget=টার্গেটেড ক্ষেত্র +FieldSource=উৎস ক্ষেত্র +NbOfSourceLines=উৎস ফাইলে লাইনের সংখ্যা +NowClickToTestTheImport=আপনার ফাইলের ফাইল ফরম্যাট (ক্ষেত্র এবং স্ট্রিং ডিলিমিটার) দেখানো বিকল্পগুলির সাথে মেলে এবং আপনি হেডার লাইনটি বাদ দিয়েছেন কিনা তা পরীক্ষা করে দেখুন, অথবা এইগুলি নিম্নলিখিত সিমুলেশনে ত্রুটি হিসাবে ফ্ল্যাগ করা হবে।
      একটি চালানোর জন্য "%s" বোতামে ক্লিক করুন ফাইলের গঠন/বিষয়বস্তু পরীক্ষা করুন এবং আমদানি প্রক্রিয়া অনুকরণ করুন।
      আপনার ডাটাবেসে কোনো ডেটা পরিবর্তন করা হবে না। +RunSimulateImportFile=আমদানি সিমুলেশন চালান +FieldNeedSource=এই ক্ষেত্রের উৎস ফাইল থেকে ডেটা প্রয়োজন +SomeMandatoryFieldHaveNoSource=কিছু বাধ্যতামূলক ক্ষেত্র ডেটা ফাইল থেকে কোন উৎস নেই +InformationOnSourceFile=সোর্স ফাইলের তথ্য +InformationOnTargetTables=লক্ষ্য ক্ষেত্র তথ্য +SelectAtLeastOneField=রপ্তানি করতে ক্ষেত্রের কলামে অন্তত একটি উৎস ক্ষেত্র পরিবর্তন করুন +SelectFormat=এই আমদানি ফাইল বিন্যাস নির্বাচন করুন +RunImportFile=তথ্য আমদানি +NowClickToRunTheImport=আমদানি সিমুলেশন ফলাফল পরীক্ষা করুন. কোনো ত্রুটি সংশোধন করুন এবং পুনরায় পরীক্ষা করুন।
      যখন সিমুলেশন কোনো ত্রুটির প্রতিবেদন করে না আপনি ডাটাবেসে ডেটা আমদানি করতে এগিয়ে যেতে পারেন। +DataLoadedWithId=এই আমদানি আইডি সহ প্রতিটি ডাটাবেস টেবিলে আমদানি করা ডেটার একটি অতিরিক্ত ক্ষেত্র থাকবে: %s, এই আমদানির সাথে সম্পর্কিত একটি সমস্যা তদন্তের ক্ষেত্রে এটি অনুসন্ধানযোগ্য হওয়ার অনুমতি দিতে৷ +ErrorMissingMandatoryValue=%s কলামের উৎস ফাইলে বাধ্যতামূলক ডেটা খালি। +TooMuchErrors=এখনও %s ত্রুটি সহ অন্যান্য উত্স লাইন আছে কিন্তু আউটপুট আছে সীমিত করা হয়েছে। +TooMuchWarnings=এখনও %s সতর্কতা সহ অন্যান্য উত্স লাইন আছে কিন্তু আউটপুট আছে সীমিত করা হয়েছে। +EmptyLine=খালি লাইন (বাদ দেওয়া হবে) +CorrectErrorBeforeRunningImport=আপনাকে অবশ্যই সমস্ত ত্রুটি সংশোধন করতে হবে আগে notranslate'> নিশ্চিত আমদানি চলছে৷ +FileWasImported=%s নম্বর সহ ফাইল আমদানি করা হয়েছে৷ +YouCanUseImportIdToFindRecord=আপনি import_key='%s'
      । +NbOfLinesOK=কোনো ত্রুটি এবং কোনো সতর্কতা ছাড়াই লাইনের সংখ্যা: %s +NbOfLinesImported=লাইনের সংখ্যা সফলভাবে আমদানি করা হয়েছে: %s। +DataComeFromNoWhere=সন্নিবেশ করার মান উৎস ফাইলের কোথাও থেকে আসে। +DataComeFromFileFieldNb=সন্নিবেশ করার মান উৎস ফাইলে %s থেকে আসে। +DataComeFromIdFoundFromRef=সোর্স ফাইল থেকে আসা মানটি ব্যবহার করার জন্য মূল বস্তুর আইডি খুঁজে পেতে ব্যবহার করা হবে (তাই বস্তুটি %s যার রেফ. ফ্রম সোর্স ফাইলটি ডাটাবেসে বিদ্যমান থাকতে হবে)। +DataComeFromIdFoundFromCodeId=সোর্স ফাইল থেকে আসা কোডের মান ব্যবহার করা হবে প্যারেন্ট অবজেক্টের আইডি খুঁজে বের করার জন্য (সুতরাং সোর্স ফাইলের কোডটি ডিকশনারিতে থাকা আবশ্যক %s)। মনে রাখবেন যে আপনি যদি আইডিটি জানেন তবে আপনি কোডের পরিবর্তে সোর্স ফাইলে এটি ব্যবহার করতে পারেন। আমদানি উভয় ক্ষেত্রেই কাজ করা উচিত। +DataIsInsertedInto=উৎস ফাইল থেকে আসা ডেটা নিম্নলিখিত ক্ষেত্রে সন্নিবেশ করা হবে: +DataIDSourceIsInsertedInto=মূল বস্তুর আইডি, যা উৎস ফাইলের ডেটা ব্যবহার করে পাওয়া গেছে, নিম্নলিখিত ক্ষেত্রে সন্নিবেশ করা হবে: +DataCodeIDSourceIsInsertedInto=প্যারেন্ট লাইনের আইডি, যা কোড থেকে পাওয়া গেছে, নিম্নলিখিত ক্ষেত্রে ঢোকানো হবে: +SourceRequired=ডেটা মান বাধ্যতামূলক +SourceExample=সম্ভাব্য ডেটা মানের উদাহরণ +ExampleAnyRefFoundIntoElement=%s উপাদানের জন্য কোনো রেফারেন্স পাওয়া গেছে +ExampleAnyCodeOrIdFoundIntoDictionary=অভিধানে পাওয়া যেকোন কোড (বা আইডি) %s +CSVFormatDesc=কমা আলাদা করা মান ফাইল ফরম্যাট (.csv)।
      একটি পাঠ্য ফাইল বিন্যাস যেখানে ক্ষেত্রগুলি একটি বিভাজক দ্বারা পৃথক করা হয় [ %s ]। যদি একটি ক্ষেত্রের বিষয়বস্তুর ভিতরে বিভাজক পাওয়া যায়, তবে ক্ষেত্রটি বৃত্তাকার অক্ষর দ্বারা বৃত্তাকার করা হয় [ %s ]। বৃত্তাকার অক্ষর এস্কেপ করতে Escape অক্ষর হল [ %s ]। +Excel95FormatDesc=Excel ফাইল ফরম্যাট (.xls)
      এটি নেটিভ এক্সেল 95 ফরম্যাট (BIFF5)। +Excel2007FormatDesc=Excel ফাইল ফরম্যাট (.xlsx)
      এটি নেটিভ এক্সেল 2007 ফরম্যাট (স্প্রেডশীটএমএল)। +TsvFormatDesc=ট্যাব আলাদা করা মান ফাইল ফরম্যাট (.tsv)
      একটি টেক্সট ফাইল ফরম্যাট যেখানে ক্ষেত্রগুলি একটি ট্যাবুলেটর [ট্যাব] দ্বারা পৃথক করা হয়। +ExportFieldAutomaticallyAdded=ক্ষেত্র %s স্বয়ংক্রিয়ভাবে যোগ করা হয়েছে। এটি আপনাকে ডুপ্লিকেট রেকর্ড হিসাবে বিবেচিত হওয়ার অনুরূপ লাইনগুলি এড়াবে (এই ক্ষেত্রটি যোগ করার সাথে, সমস্ত লাইন তাদের নিজস্ব আইডির মালিক হবে এবং আলাদা হবে)। +CsvOptions=CSV ফরম্যাটের বিকল্প +Separator=ক্ষেত্র বিভাজক +Enclosure=স্ট্রিং ডিলিমিটার +SpecialCode=বিশেষ কোড +ExportStringFilter=%% পাঠ্যের এক বা একাধিক অক্ষর প্রতিস্থাপনের অনুমতি দেয় +ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: এক বছর/মাস/দিনের দ্বারা ফিল্টার করুন
      YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD+YYYYMMDD বছর/মাস/মাস রেঞ্জের বেশি বছর span class='notranslate'>
      > YYYY, > YYYYMM, > YYYYMMDD: পরবর্তী সমস্ত বছর/মাস/দিনে ফিল্টার
      < YYYY, NNNNN+NNNNN ফিল্টারগুলি বিভিন্ন মানের পরিসরে
      > NNNNN উচ্চতর মান দ্বারা ফিল্টার +ImportFromLine=লাইন নম্বর থেকে শুরু করে আমদানি +EndAtLineNb=লাইন নম্বরে শেষ করুন +ImportFromToLine=সীমা পরিসীমা (থেকে - থেকে)। যেমন হেডার লাইন(গুলি) বাদ দিতে। +SetThisValueTo2ToExcludeFirstLine=উদাহরণস্বরূপ, 2টি প্রথম লাইন বাদ দিতে এই মানটি 3 তে সেট করুন।
      যদি হেডার লাইনগুলি বাদ না দেওয়া হয়, এর ফলে আমদানি সিমুলেশনে একাধিক ত্রুটি দেখা দেবে। +KeepEmptyToGoToEndOfFile=ফাইলের শেষ পর্যন্ত সমস্ত লাইন প্রক্রিয়া করতে এই ক্ষেত্রটি খালি রাখুন। +SelectPrimaryColumnsForUpdateAttempt=একটি আপডেট আমদানির জন্য প্রাথমিক কী হিসাবে ব্যবহার করতে কলাম(গুলি) নির্বাচন করুন৷ +UpdateNotYetSupportedForThisImport=এই ধরনের আমদানির জন্য আপডেট সমর্থিত নয় (শুধু সন্নিবেশ করান) +NoUpdateAttempt=কোন আপডেট প্রচেষ্টা সঞ্চালিত হয়নি, শুধুমাত্র সন্নিবেশ +ImportDataset_user_1=ব্যবহারকারী (কর্মচারী বা না) এবং বৈশিষ্ট্য +ComputedField=গণনা করা ক্ষেত্র ## filters -SelectFilterFields=If you want to filter on some values, just input values here. -FilteredFields=Filtered fields -FilteredFieldsValues=Value for filter -FormatControlRule=Format control rule +SelectFilterFields=আপনি যদি কিছু মান ফিল্টার করতে চান তবে এখানে মানগুলি ইনপুট করুন। +FilteredFields=ফিল্টার করা ক্ষেত্র +FilteredFieldsValues=ফিল্টার জন্য মান +FormatControlRule=বিন্যাস নিয়ন্ত্রণ নিয়ম ## imports updates -KeysToUseForUpdates=Key (column) to use for updating existing data -NbInsert=Number of inserted lines: %s -NbUpdate=Number of updated lines: %s -MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s -StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number +KeysToUseForUpdates=বিদ্যমান ডেটা আপডেট করার জন্য ব্যবহার করার জন্য কী (কলাম) +NbInsert=ঢোকানো লাইনের সংখ্যা: %s +NbInsertSim=ঢোকানো হবে এমন লাইনের সংখ্যা: %s +NbUpdate=আপডেট হওয়া লাইনের সংখ্যা: %s +NbUpdateSim=আপডেট করা হবে এমন লাইনের সংখ্যা : %s +MultipleRecordFoundWithTheseFilters=এই ফিল্টারগুলির সাথে একাধিক রেকর্ড পাওয়া গেছে: %s +StocksWithBatch=ব্যাচ/ক্রমিক নম্বর সহ পণ্যের স্টক এবং অবস্থান (গুদাম) +WarningFirstImportedLine=বর্তমান নির্বাচনের সাথে প্রথম লাইন(গুলি) আমদানি করা হবে না +NotUsedFields=ডাটাবেসের ক্ষেত্র ব্যবহার করা হয় না +SelectImportFieldsSource = আপনি যে উৎস ফাইল ক্ষেত্রগুলি আমদানি করতে চান এবং প্রতিটি নির্বাচন বাক্সে ক্ষেত্রগুলি নির্বাচন করে ডাটাবেসে তাদের লক্ষ্য ক্ষেত্র চয়ন করুন বা একটি পূর্বনির্ধারিত আমদানি প্রোফাইল নির্বাচন করুন: +MandatoryTargetFieldsNotMapped=কিছু বাধ্যতামূলক লক্ষ্য ক্ষেত্র ম্যাপ করা হয় না +AllTargetMandatoryFieldsAreMapped=একটি বাধ্যতামূলক মান প্রয়োজন যে সমস্ত লক্ষ্য ক্ষেত্র ম্যাপ করা হয় +ResultOfSimulationNoError=সিমুলেশনের ফলাফল: কোন ত্রুটি নেই diff --git a/htdocs/langs/bn_IN/help.lang b/htdocs/langs/bn_IN/help.lang index 048de16d3c0..6d5e675a21f 100644 --- a/htdocs/langs/bn_IN/help.lang +++ b/htdocs/langs/bn_IN/help.lang @@ -1,23 +1,23 @@ # Dolibarr language file - Source file is en_US - help -CommunitySupport=Forum/Wiki support -EMailSupport=Emails support -RemoteControlSupport=Online real-time / remote support -OtherSupport=Other support -ToSeeListOfAvailableRessources=To contact/see available resources: -HelpCenter=Help Center -DolibarrHelpCenter=Dolibarr Help and Support Center -ToGoBackToDolibarr=Otherwise, click here to continue to use Dolibarr. -TypeOfSupport=Type of support -TypeSupportCommunauty=Community (free) -TypeSupportCommercial=Commercial -TypeOfHelp=Type -NeedHelpCenter=Need help or support? -Efficiency=Efficiency -TypeHelpOnly=Help only -TypeHelpDev=Help+Development -TypeHelpDevForm=Help+Development+Training -BackToHelpCenter=Otherwise, go back to Help center home page. -LinkToGoldMember=You can call one of the trainers preselected by Dolibarr for your language (%s) by clicking their Widget (status and maximum price are automatically updated): -PossibleLanguages=Supported languages -SubscribeToFoundation=Help the Dolibarr project, subscribe to the foundation -SeeOfficalSupport=For official Dolibarr support in your language:
      %s +CommunitySupport=ফোরাম/উইকি সমর্থন +EMailSupport=ইমেল সমর্থন +RemoteControlSupport=অনলাইন রিয়েল-টাইম / দূরবর্তী সমর্থন +OtherSupport=অন্যান্য সমর্থন +ToSeeListOfAvailableRessources=যোগাযোগ করতে/উপলব্ধ সম্পদ দেখতে: +HelpCenter=সাহায্য কেন্দ্র +DolibarrHelpCenter=ডলিবার হেল্প অ্যান্ড সাপোর্ট সেন্টার +ToGoBackToDolibarr=অন্যথায়, Dolibarr ব্যবহার চালিয়ে যেতে এখানে ক্লিক করুন। +TypeOfSupport=সমর্থন প্রকার +TypeSupportCommunauty=সম্প্রদায় (বিনামূল্যে) +TypeSupportCommercial=ব্যবসায়িক +TypeOfHelp=টাইপ +NeedHelpCenter=সমর্থন প্রয়োজন? +Efficiency=দক্ষতা +TypeHelpOnly=শুধুমাত্র সাহায্য +TypeHelpDev=সাহায্য+উন্নয়ন +TypeHelpDevForm=সাহায্য+উন্নয়ন+প্রশিক্ষণ +BackToHelpCenter=অন্যথায়, সহায়তা কেন্দ্রের হোম পেজে ফিরে যান। +LinkToGoldMember=আপনি আপনার ভাষার জন্য Dolibarr দ্বারা পূর্বনির্বাচিত একজন প্রশিক্ষককে কল করতে পারেন (%s) তাদের উইজেটে ক্লিক করে (স্থিতি এবং সর্বোচ্চ মূল্য স্বয়ংক্রিয়ভাবে আপডেট হয়): +PossibleLanguages=সমর্থিত ভাষা +SubscribeToFoundation=Dolibarr প্রকল্পে সাহায্য করুন, ফাউন্ডেশনের সদস্যতা নিন +SeeOfficalSupport=আপনার ভাষায় অফিসিয়াল ডলিবার সমর্থনের জন্য:
      %s diff --git a/htdocs/langs/bn_IN/holiday.lang b/htdocs/langs/bn_IN/holiday.lang index 3d0ae64be0f..56075cd3a55 100644 --- a/htdocs/langs/bn_IN/holiday.lang +++ b/htdocs/langs/bn_IN/holiday.lang @@ -1,139 +1,157 @@ # Dolibarr language file - Source file is en_US - holiday -HRM=HRM -Holidays=Leave -CPTitreMenu=Leave -MenuReportMonth=Monthly statement -MenuAddCP=New leave request -NotActiveModCP=You must enable the module Leave to view this page. -AddCP=Make a leave request -DateDebCP=Start date -DateFinCP=End date -DraftCP=Draft -ToReviewCP=Awaiting approval -ApprovedCP=Approved -CancelCP=Canceled -RefuseCP=Refused -ValidatorCP=Approver -ListeCP=List of leave -Leave=Leave request -LeaveId=Leave ID -ReviewedByCP=Will be approved by -UserID=User ID -UserForApprovalID=User for approval ID -UserForApprovalFirstname=First name of approval user -UserForApprovalLastname=Last name of approval user -UserForApprovalLogin=Login of approval user -DescCP=Description -SendRequestCP=Create leave request -DelayToRequestCP=Leave requests must be made at least %s day(s) before them. -MenuConfCP=Balance of leave -SoldeCPUser=Leave balance (in days) %s -ErrorEndDateCP=You must select an end date greater than the start date. -ErrorSQLCreateCP=An SQL error occurred during the creation: -ErrorIDFicheCP=An error has occurred, the leave request does not exist. -ReturnCP=Return to previous page -ErrorUserViewCP=You are not authorized to read this leave request. -InfosWorkflowCP=Information Workflow -RequestByCP=Requested by -TitreRequestCP=Leave request -TypeOfLeaveId=Type of leave ID -TypeOfLeaveCode=Type of leave code -TypeOfLeaveLabel=Type of leave label -NbUseDaysCP=Number of days of leave used -NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. -NbUseDaysCPShort=Days of leave -NbUseDaysCPShortInMonth=Days of leave in month -DayIsANonWorkingDay=%s is a non-working day -DateStartInMonth=Start date in month -DateEndInMonth=End date in month -EditCP=Edit -DeleteCP=Delete -ActionRefuseCP=Refuse -ActionCancelCP=Cancel -StatutCP=Status -TitleDeleteCP=Delete the leave request -ConfirmDeleteCP=Confirm the deletion of this leave request? -ErrorCantDeleteCP=Error you don't have the right to delete this leave request. -CantCreateCP=You don't have the right to make leave requests. -InvalidValidatorCP=You must choose the approver for your leave request. -NoDateDebut=You must select a start date. -NoDateFin=You must select an end date. -ErrorDureeCP=Your leave request does not contain working day. -TitleValidCP=Approve the leave request -ConfirmValidCP=Are you sure you want to approve the leave request? -DateValidCP=Date approved -TitleToValidCP=Send leave request -ConfirmToValidCP=Are you sure you want to send the leave request? -TitleRefuseCP=Refuse the leave request -ConfirmRefuseCP=Are you sure you want to refuse the leave request? -NoMotifRefuseCP=You must choose a reason for refusing the request. -TitleCancelCP=Cancel the leave request -ConfirmCancelCP=Are you sure you want to cancel the leave request? -DetailRefusCP=Reason for refusal -DateRefusCP=Date of refusal -DateCancelCP=Date of cancellation -DefineEventUserCP=Assign an exceptional leave for a user -addEventToUserCP=Assign leave -NotTheAssignedApprover=You are not the assigned approver -MotifCP=Reason -UserCP=User -ErrorAddEventToUserCP=An error occurred while adding the exceptional leave. -AddEventToUserOkCP=The addition of the exceptional leave has been completed. -MenuLogCP=View change logs -LogCP=Log of all updates made to "Balance of Leave" -ActionByCP=Updated by -UserUpdateCP=Updated for -PrevSoldeCP=Previous Balance -NewSoldeCP=New Balance -alreadyCPexist=A leave request has already been done on this period. -FirstDayOfHoliday=Beginning day of leave request -LastDayOfHoliday=Ending day of leave request -BoxTitleLastLeaveRequests=Latest %s modified leave requests -HolidaysMonthlyUpdate=Monthly update -ManualUpdate=Manual update -HolidaysCancelation=Leave request cancelation -EmployeeLastname=Employee last name -EmployeeFirstname=Employee first name -TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests -HalfDay=Half day -NotTheAssignedApprover=You are not the assigned approver -LEAVE_PAID=Paid vacation -LEAVE_SICK=Sick leave -LEAVE_OTHER=Other leave -LEAVE_PAID_FR=Paid vacation +HRM=এইচআরএম +Holidays=পাতা +Holiday=ছেড়ে দিন +CPTitreMenu=ছেড়ে দিন +MenuReportMonth=মাসিক বিবৃতি +MenuAddCP=নতুন ছুটির অনুরোধ +MenuCollectiveAddCP=নতুন যৌথ ছুটি +NotActiveModCP=এই পৃষ্ঠাটি দেখতে আপনাকে অবশ্যই মডিউলটি সক্রিয় করতে হবে। +AddCP=ছুটির অনুরোধ করুন +DateDebCP=শুরুর তারিখ +DateFinCP=শেষ তারিখ +DraftCP=খসড়া +ToReviewCP=অনুমোদনের অপেক্ষায় +ApprovedCP=অনুমোদিত +CancelCP=বাতিল +RefuseCP=প্রত্যাখ্যান করেছে +ValidatorCP=অনুমোদনকারী +ListeCP=ছুটির তালিকা +Leave=অনুরোধ ছেড়ে দিন +LeaveId=আইডি ছেড়ে দিন +ReviewedByCP=দ্বারা অনুমোদিত হবে +UserID=ব্যবহারকারী আইডি +UserForApprovalID=অনুমোদন আইডি জন্য ব্যবহারকারী +UserForApprovalFirstname=অনুমোদন ব্যবহারকারীর প্রথম নাম +UserForApprovalLastname=অনুমোদন ব্যবহারকারীর শেষ নাম +UserForApprovalLogin=অনুমোদন ব্যবহারকারীর লগইন +DescCP=বর্ণনা +SendRequestCP=ছুটির অনুরোধ তৈরি করুন +DelayToRequestCP=ছুটির অনুরোধ অন্ততপক্ষে করতে হবে %s দিন(গুলি) তাদের আগে. +MenuConfCP=ছুটির ভারসাম্য +SoldeCPUser=ব্যালেন্স ছেড়ে দিন (দিনে) : %s +ErrorEndDateCP=আপনাকে অবশ্যই শুরুর তারিখের চেয়ে বড় একটি শেষ তারিখ নির্বাচন করতে হবে৷ +ErrorSQLCreateCP=নির্মাণের সময় একটি SQL ত্রুটি ঘটেছে: +ErrorIDFicheCP=একটি ত্রুটি ঘটেছে, ছুটির অনুরোধ বিদ্যমান নেই. +ReturnCP=পূর্ববর্তী পৃষ্ঠায় ফিরে +ErrorUserViewCP=আপনি এই ছুটির অনুরোধটি পড়ার জন্য অনুমোদিত নন। +InfosWorkflowCP=তথ্য কর্মপ্রবাহ +RequestByCP=দ্বারা অনুরোধ করা হয়েছে +TitreRequestCP=অনুরোধ ছেড়ে দিন +TypeOfLeaveId=ছুটির আইডির ধরন +TypeOfLeaveCode=ছুটির কোডের ধরন +TypeOfLeaveLabel=ছুটির লেবেলের ধরন +NbUseDaysCP=ব্যবহৃত ছুটির দিনের সংখ্যা +NbUseDaysCPHelp=গণনাটি অ-কাজের দিন এবং অভিধানে সংজ্ঞায়িত ছুটির দিনগুলিকে বিবেচনা করে। +NbUseDaysCPShort=ছুটির দিনগুলো +NbUseDaysCPShortInMonth=মাসে ছুটির দিন +DayIsANonWorkingDay=%s একটি অ-কাজের দিন +DateStartInMonth=মাসে শুরুর তারিখ +DateEndInMonth=মাসের শেষ তারিখ +EditCP=সম্পাদনা করুন +DeleteCP=মুছে ফেলা +ActionRefuseCP=প্রত্যাখ্যান +ActionCancelCP=বাতিল করুন +StatutCP=স্ট্যাটাস +TitleDeleteCP=ছুটির অনুরোধটি মুছুন +ConfirmDeleteCP=এই ছুটির অনুরোধ মুছে ফেলা নিশ্চিত করুন? +ErrorCantDeleteCP=ত্রুটি এই ছুটির অনুরোধ মুছে ফেলার অধিকার আপনার নেই. +CantCreateCP=আপনার ছুটির অনুরোধ করার অধিকার নেই। +InvalidValidatorCP=আপনার ছুটির অনুরোধের জন্য আপনাকে অবশ্যই অনুমোদনকারী বেছে নিতে হবে। +InvalidValidator=নির্বাচিত ব্যবহারকারী একজন অনুমোদনকারী নন। +NoDateDebut=আপনাকে অবশ্যই একটি শুরুর তারিখ নির্বাচন করতে হবে। +NoDateFin=আপনি একটি শেষ তারিখ নির্বাচন করতে হবে. +ErrorDureeCP=আপনার ছুটির অনুরোধে কার্যদিবস নেই। +TitleValidCP=ছুটির অনুরোধ অনুমোদন করুন +ConfirmValidCP=আপনি কি নিশ্চিত যে আপনি ছুটির অনুরোধ অনুমোদন করতে চান? +DateValidCP=তারিখ অনুমোদিত +TitleToValidCP=ছুটির অনুরোধ পাঠান +ConfirmToValidCP=আপনি কি নিশ্চিত যে আপনি ছুটির অনুরোধ পাঠাতে চান? +TitleRefuseCP=ছুটির অনুরোধ প্রত্যাখ্যান করুন +ConfirmRefuseCP=আপনি কি নিশ্চিত যে আপনি ছুটির অনুরোধ প্রত্যাখ্যান করতে চান? +NoMotifRefuseCP=অনুরোধ প্রত্যাখ্যান করার জন্য আপনাকে অবশ্যই একটি কারণ বেছে নিতে হবে। +TitleCancelCP=ছুটির অনুরোধ বাতিল করুন +ConfirmCancelCP=আপনি কি নিশ্চিত যে আপনি ছুটির অনুরোধ বাতিল করতে চান? +DetailRefusCP=প্রত্যাখ্যানের কারণ +DateRefusCP=প্রত্যাখ্যানের তারিখ +DateCancelCP=বাতিলের তারিখ +DefineEventUserCP=একজন ব্যবহারকারীর জন্য একটি ব্যতিক্রমী ছুটি বরাদ্দ করুন +addEventToUserCP=ছুটি বরাদ্দ করুন +NotTheAssignedApprover=আপনি নির্ধারিত অনুমোদনকারী নন +MotifCP=কারণ +UserCP=ব্যবহারকারী +ErrorAddEventToUserCP=ব্যতিক্রমী ছুটি যোগ করার সময় একটি ত্রুটি ঘটেছে৷ +AddEventToUserOkCP=ব্যতিক্রমী ছুটির সংযোজন সম্পন্ন হয়েছে। +ErrorFieldRequiredUserOrGroup="গ্রুপ" ক্ষেত্র বা "ব্যবহারকারী" ক্ষেত্রটি অবশ্যই পূরণ করতে হবে +fusionGroupsUsers=গ্রুপ ক্ষেত্র এবং ব্যবহারকারী ক্ষেত্র একত্রিত করা হবে +MenuLogCP=পরিবর্তন লগ দেখুন +LogCP="ব্যালেন্স অফ লিভ"-এ করা সমস্ত আপডেটের লগ +ActionByCP=দ্বারা আপডেট করা হয়েছে +UserUpdateCP=জন্য আপডেট করা হয়েছে +PrevSoldeCP=পূর্বের হিসাব +NewSoldeCP=নতুন ভারসাম্য +alreadyCPexist=এই সময়ের মধ্যে একটি ছুটির অনুরোধ ইতিমধ্যে করা হয়েছে. +UseralreadyCPexist=এই সময়ে %s-এর জন্য ছুটির অনুরোধ ইতিমধ্যেই করা হয়েছে। +groups=গোষ্ঠী +users=ব্যবহারকারীদের +AutoSendMail=স্বয়ংক্রিয় মেইলিং +NewHolidayForGroup=নতুন যৌথ ছুটি +SendRequestCollectiveCP=যৌথ ছুটি তৈরি করুন +AutoValidationOnCreate=স্বয়ংক্রিয় বৈধতা +FirstDayOfHoliday=ছুটির অনুরোধের শুরুর দিন +LastDayOfHoliday=ছুটির অনুরোধের শেষ দিন +HolidaysMonthlyUpdate=মাসিক আপডেট +ManualUpdate=ম্যানুয়াল আপডেট +HolidaysCancelation=ত্যাগ অনুরোধ বাতিল +EmployeeLastname=কর্মচারী পদবি +EmployeeFirstname=কর্মচারীর প্রথম নাম +TypeWasDisabledOrRemoved=ছুটির ধরন (আইডি %s) অক্ষম বা সরানো হয়েছে +LastHolidays=সর্বশেষ %s ছুটির অনুরোধ +AllHolidays=সমস্ত ছুটির অনুরোধ +HalfDay=অর্ধেক দিন +NotTheAssignedApprover=আপনি নির্ধারিত অনুমোদনকারী নন +LEAVE_PAID=বেতনের ছুটি +LEAVE_SICK=অসুস্থতাজনিত ছুটি +LEAVE_OTHER=অন্যান্য ছুটি +LEAVE_PAID_FR=বেতনের ছুটি ## Configuration du Module ## -LastUpdateCP=Last automatic update of leave allocation -MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation -UpdateConfCPOK=Updated successfully. -Module27130Name= Management of leave requests -Module27130Desc= Management of leave requests -ErrorMailNotSend=An error occurred while sending email: -NoticePeriod=Notice period +LastUpdateCP=ছুটি বরাদ্দের শেষ স্বয়ংক্রিয় আপডেট +MonthOfLastMonthlyUpdate=ছুটি বরাদ্দের শেষ স্বয়ংক্রিয় আপডেটের মাস +UpdateConfCPOK=সফলভাবে আপডেট করা হয়েছে৷ +Module27130Name= ছুটির অনুরোধের ব্যবস্থাপনা +Module27130Desc= ছুটির অনুরোধের ব্যবস্থাপনা +ErrorMailNotSend=ইমেল পাঠানোর সময় একটি ত্রুটি ঘটেছে: +NoticePeriod=বিজ্ঞপ্তি সময়কাল #Messages -HolidaysToValidate=Validate leave requests -HolidaysToValidateBody=Below is a leave request to validate -HolidaysToValidateDelay=This leave request will take place within a period of less than %s days. -HolidaysToValidateAlertSolde=The user who made this leave request does not have enough available days. -HolidaysValidated=Validated leave requests -HolidaysValidatedBody=Your leave request for %s to %s has been validated. -HolidaysRefused=Request denied -HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason: -HolidaysCanceled=Canceled leaved request -HolidaysCanceledBody=Your leave request for %s to %s has been canceled. -FollowedByACounter=1: This type of leave need to be followed by a counter. Counter is incremented manually or automatically and when a leave request is validated, counter is decremented.
      0: Not followed by a counter. -NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter -GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leave to setup the different types of leaves. -HolidaySetup=Setup of module Leave -HolidaysNumberingModules=Numbering models for leave requests -TemplatePDFHolidays=Template for leave requests PDF -FreeLegalTextOnHolidays=Free text on PDF -WatermarkOnDraftHolidayCards=Watermarks on draft leave requests -HolidaysToApprove=Holidays to approve -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays -HolidayBalanceMonthlyUpdate=Monthly update of holiday balance -XIsAUsualNonWorkingDay=%s is usualy a NON working day -BlockHolidayIfNegative=Block if balance negative -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative -ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted +HolidaysToValidate=ছুটির অনুরোধ যাচাই করুন +HolidaysToValidateBody=নীচে বৈধ করার জন্য একটি ছুটির অনুরোধ রয়েছে +HolidaysToValidateDelay=এই ছুটির অনুরোধটি %s দিনের কম সময়ের মধ্যে সঞ্চালিত হবে। +HolidaysToValidateAlertSolde=যে ব্যবহারকারী এই ছুটির অনুরোধ করেছেন তার কাছে পর্যাপ্ত উপলব্ধ দিন নেই। +HolidaysValidated=বৈধ ছুটির অনুরোধ +HolidaysValidatedBody=%s থেকে %s-এর জন্য আপনার ছুটির অনুরোধ বৈধ করা হয়েছে। +HolidaysRefused=অনুরোধ প্রত্যাখ্যাত +HolidaysRefusedBody=%s থেকে %s-এর জন্য আপনার ছুটির অনুরোধ নিম্নলিখিত কারণে অস্বীকার করা হয়েছে: +HolidaysCanceled=ছেড়ে দেওয়া অনুরোধ বাতিল করা হয়েছে +HolidaysCanceledBody=%s থেকে %s-এর জন্য আপনার ছুটির অনুরোধ বাতিল করা হয়েছে। +FollowedByACounter=1: এই ধরনের ছুটি একটি কাউন্টার দ্বারা অনুসরণ করা প্রয়োজন। কাউন্টার ম্যানুয়ালি বা স্বয়ংক্রিয়ভাবে বৃদ্ধি করা হয় এবং যখন একটি ছুটির অনুরোধ যাচাই করা হয়, তখন কাউন্টার হ্রাস করা হয়।
      0: একটি কাউন্টার অনুসরণ করে না। +NoLeaveWithCounterDefined=কোন ছুটির ধরন সংজ্ঞায়িত নেই যা একটি কাউন্টার দ্বারা অনুসরণ করা প্রয়োজন +GoIntoDictionaryHolidayTypes=বিভিন্ন ধরনের পাতা সেটআপ করতে হোম - সেটআপ - অভিধান - ছুটির ধরন এ যান৷ +HolidaySetup=মডিউল ত্যাগ সেটআপ +HolidaysNumberingModules=ছুটির অনুরোধের জন্য মডেল সংখ্যা +TemplatePDFHolidays=পিডিএফ ছুটির অনুরোধের জন্য টেমপ্লেট +FreeLegalTextOnHolidays=পিডিএফে বিনামূল্যে পাঠ্য +WatermarkOnDraftHolidayCards=খসড়া ছুটির অনুরোধে ওয়াটারমার্ক +HolidaysToApprove=অনুমোদনের জন্য ছুটি +NobodyHasPermissionToValidateHolidays=কারোরই ছুটির অনুরোধ যাচাই করার অনুমতি নেই +HolidayBalanceMonthlyUpdate=ছুটির ব্যালেন্সের মাসিক আপডেট +XIsAUsualNonWorkingDay=%s সাধারণত একটি অ-কার্যকর দিন +BlockHolidayIfNegative=ব্যালেন্স নেগেটিভ হলে ব্লক করুন +LeaveRequestCreationBlockedBecauseBalanceIsNegative=আপনার ব্যালেন্স ঋণাত্মক হওয়ার কারণে এই ছুটির অনুরোধটি ব্লক করা হয়েছে +ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=ত্যাগের অনুরোধ %s খসড়া হতে হবে, বাতিল করতে হবে বা মুছে দিতে অস্বীকার করতে হবে +IncreaseHolidays=ছুটির ভারসাম্য বাড়ান +HolidayRecordsIncreased= %s ছুটির ব্যালেন্স বেড়েছে +HolidayRecordIncreased=লিভ ব্যালেন্স বেড়েছে +ConfirmMassIncreaseHoliday=বাল্ক ছুটি ব্যালেন্স বৃদ্ধি +NumberDayAddMass=নির্বাচন যোগ করার জন্য দিনের সংখ্যা +ConfirmMassIncreaseHolidayQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) এর ছুটি বাড়াতে চান? +HolidayQtyNotModified=%s এর জন্য অবশিষ্ট দিনের ব্যালেন্স পরিবর্তন করা হয়নি diff --git a/htdocs/langs/bn_IN/hrm.lang b/htdocs/langs/bn_IN/hrm.lang index 8724bb805a6..ee380f4fcf7 100644 --- a/htdocs/langs/bn_IN/hrm.lang +++ b/htdocs/langs/bn_IN/hrm.lang @@ -2,80 +2,96 @@ # Admin -HRM_EMAIL_EXTERNAL_SERVICE=Email to prevent HRM external service -Establishments=Establishments -Establishment=Establishment -NewEstablishment=New establishment -DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? -OpenEtablishment=Open establishment -CloseEtablishment=Close establishment +HRM_EMAIL_EXTERNAL_SERVICE=এইচআরএম বাহ্যিক পরিষেবা প্রতিরোধ করতে ইমেল +Establishments=প্রতিষ্ঠান +Establishment=প্রতিষ্ঠা +NewEstablishment=নতুন স্থাপনা +DeleteEstablishment=স্থাপনা মুছুন +ConfirmDeleteEstablishment=আপনি কি এই স্থাপনা মুছে ফেলার বিষয়ে নিশ্চিত? +OpenEtablishment=খোলা স্থাপনা +CloseEtablishment=বন্ধ স্থাপন # Dictionary -DictionaryPublicHolidays=Leave - Public holidays -DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Job positions +DictionaryPublicHolidays=ছুটি - সরকারি ছুটির দিন +DictionaryDepartment=HRM - সাংগঠনিক ইউনিট +DictionaryFunction=HRM - চাকরির পদ # Module -Employees=Employees -Employee=Employee -NewEmployee=New employee -ListOfEmployees=List of employees -HrmSetup=HRM module setup -HRM_MAXRANK=Maximum rank for a skill -HRM_DEFAULT_SKILL_DESCRIPTION=Default description of ranks when skill is created -deplacement=Shift -DateEval=Evaluation date -JobCard=Job card -Job=Job -Jobs=Jobs -NewSkill=New Skill -SkillType=Skill type -Skilldets=List of ranks for this skill -Skilldet=Skill level -rank=Rank -ErrNoSkillSelected=No skill selected -ErrSkillAlreadyAdded=This skill is already in the list -SkillHasNoLines=This skill has no lines -skill=Skill -Skills=Skills -SkillCard=Skill card -EmployeeSkillsUpdated=Employee skills have been updated (see "Skills" tab of employee card) -Eval=Evaluation -Evals=Evaluations -NewEval=New evaluation -ValidateEvaluation=Validate evaluation -ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with reference %s? -EvaluationCard=Evaluation card -RequiredRank=Required rank for this job -EmployeeRank=Employee rank for this skill -Position=Position -Positions=Positions -PositionCard=Position card -EmployeesInThisPosition=Employees in this position -group1ToCompare=Usergroup to analyze -group2ToCompare=Second usergroup for comparison -OrJobToCompare=Compare to job skills requirements -difference=Difference -CompetenceAcquiredByOneOrMore=Competence acquired by one or more users but not requested by the second comparator -MaxlevelGreaterThan=Max level greater than the one requested -MaxLevelEqualTo=Max level equal to that demand -MaxLevelLowerThan=Max level lower than that demand -MaxlevelGreaterThanShort=Employee level greater than the one requested -MaxLevelEqualToShort=Employee level equals to that demand -MaxLevelLowerThanShort=Employee level lower than that demand -SkillNotAcquired=Skill not acquired by all users and requested by the second comparator -legend=Legend -TypeSkill=Skill type -AddSkill=Add skills to job -RequiredSkills=Required skills for this job -UserRank=User Rank -SkillList=Skill list -SaveRank=Save rank -knowHow=Know how -HowToBe=How to be -knowledge=Knowledge -AbandonmentComment=Abandonment comment -DateLastEval=Date last evaluation -NoEval=No evaluation done for this employee -HowManyUserWithThisMaxNote=Number of users with this rank -HighestRank=Highest rank -SkillComparison=Skill comparison +Employees=কর্মচারীদের +Employee=কর্মচারী +NewEmployee=নতুন কর্মচারী +ListOfEmployees=কর্মচারীদের তালিকা +HrmSetup=এইচআরএম মডিউল সেটআপ +SkillsManagement=দক্ষতা ব্যবস্থাপনা +HRM_MAXRANK=একটি দক্ষতা র‌্যাঙ্ক করার জন্য সর্বোচ্চ সংখ্যক স্তর +HRM_DEFAULT_SKILL_DESCRIPTION=দক্ষতা তৈরি করা হলে র‌্যাঙ্কের ডিফল্ট বিবরণ +deplacement=শিফট +DateEval=মূল্যায়ন তারিখ +JobCard=জব কার্ড +NewJobProfile=নতুন চাকরির প্রোফাইল +JobProfile=চাকরি বৃত্তান্ত +JobsProfiles=কাজের প্রোফাইল +NewSkill=নতুন দক্ষতা +SkillType=দক্ষতার ধরন +Skilldets=এই দক্ষতার জন্য পদের তালিকা +Skilldet=দক্ষতা স্তর +rank=পদমর্যাদা +ErrNoSkillSelected=কোন দক্ষতা নির্বাচন করা হয়নি +ErrSkillAlreadyAdded=এই দক্ষতা ইতিমধ্যে তালিকায় আছে +SkillHasNoLines=এই দক্ষতা কোন লাইন আছে +Skill=দক্ষতা +Skills=দক্ষতা +SkillCard=স্কিল কার্ড +EmployeeSkillsUpdated=কর্মচারীর দক্ষতা আপডেট করা হয়েছে (কর্মচারী কার্ডের "দক্ষতা" ট্যাব দেখুন) +Eval=মূল্যায়ন +Evals=মূল্যায়ন +NewEval=নতুন মূল্যায়ন +ValidateEvaluation=মূল্যায়ন যাচাই করুন +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? +EvaluationCard=মূল্যায়ন কার্ড +RequiredRank=কাজের প্রোফাইলের জন্য প্রয়োজনীয় র‌্যাঙ্ক +RequiredRankShort=প্রয়োজনীয় পদমর্যাদা +PositionsWithThisProfile=এই কাজের প্রোফাইলের সাথে অবস্থান +EmployeeRank=এই দক্ষতার জন্য কর্মচারী পদমর্যাদা +EmployeeRankShort=কর্মচারী পদমর্যাদা +EmployeePosition=কর্মচারী অবস্থান +EmployeePositions=কর্মচারী পদ +EmployeesInThisPosition=এই পদে কর্মচারীরা +group1ToCompare=ইউজার গ্রুপ বিশ্লেষণ করতে +group2ToCompare=তুলনার জন্য দ্বিতীয় ব্যবহারকারী গ্রুপ +OrJobToCompare=কাজের প্রোফাইলের দক্ষতার প্রয়োজনীয়তার সাথে তুলনা করুন +difference=পার্থক্য +CompetenceAcquiredByOneOrMore=এক বা একাধিক ব্যবহারকারীর দ্বারা অর্জিত দক্ষতা কিন্তু দ্বিতীয় তুলনাকারীর দ্বারা অনুরোধ করা হয়নি +MaxlevelGreaterThan=কর্মচারীর স্তর প্রত্যাশিত স্তরের চেয়ে বেশি +MaxLevelEqualTo=কর্মচারী স্তর প্রত্যাশিত স্তরের সমান +MaxLevelLowerThan=কর্মচারীর স্তর প্রত্যাশিত স্তরের চেয়ে কম +MaxlevelGreaterThanShort=প্রত্যাশার চেয়ে বেশি মাত্রা +MaxLevelEqualToShort=প্রত্যাশিত স্তরের সমান +MaxLevelLowerThanShort=প্রত্যাশিত মাত্রার চেয়ে কম +SkillNotAcquired=দক্ষতা সমস্ত ব্যবহারকারী দ্বারা অর্জিত নয় এবং দ্বিতীয় তুলনাকারীর দ্বারা অনুরোধ করা হয়েছে +legend=কিংবদন্তি +TypeSkill=দক্ষতার ধরন +AddSkill=কাজের প্রোফাইলে দক্ষতা যোগ করুন +RequiredSkills=এই কাজের প্রোফাইলের জন্য প্রয়োজনীয় দক্ষতা +UserRank=ব্যবহারকারীর পদমর্যাদা +SkillList=দক্ষতার তালিকা +SaveRank=র্যাঙ্ক সংরক্ষণ করুন +TypeKnowHow=জানি-কিভাবে +TypeHowToBe=কিভাবে হবে +TypeKnowledge=জ্ঞান +AbandonmentComment=বিসর্জন মন্তব্য +DateLastEval=শেষ মূল্যায়নের তারিখ +NoEval=এই কর্মচারীর জন্য কোন মূল্যায়ন করা হয়নি +HowManyUserWithThisMaxNote=এই র্যাঙ্ক সহ ব্যবহারকারীর সংখ্যা +HighestRank=সর্বোচ্চ পদমর্যাদা +SkillComparison=দক্ষতা তুলনা +ActionsOnJob=এই কাজের ইভেন্ট +VacantPosition=চাকরি খালি আছে +VacantCheckboxHelper=এই বিকল্পটি চেক করলে অপূর্ণ পদ দেখাবে (চাকরির শূন্যতা) +SaveAddSkill = দক্ষতা(গুলি) যোগ করা হয়েছে +SaveLevelSkill = দক্ষতা(গুলি) স্তর সংরক্ষিত +DeleteSkill = দক্ষতা সরানো হয়েছে +SkillsExtraFields=পরিপূরক বৈশিষ্ট্য (দক্ষতা) +JobsExtraFields=পরিপূরক বৈশিষ্ট্য (চাকরির প্রোফাইল) +EvaluationsExtraFields=পরিপূরক বৈশিষ্ট্য (মূল্যায়ন) +NeedBusinessTravels=ব্যবসায়িক ভ্রমণ প্রয়োজন +NoDescription=বর্ণনা নাই +TheJobProfileHasNoSkillsDefinedFixBefore=এই কর্মচারীর মূল্যায়নকৃত কাজের প্রোফাইলে কোন দক্ষতা সংজ্ঞায়িত করা নেই। দক্ষতা(গুলি) যোগ করুন, তারপর মুছে ফেলুন এবং মূল্যায়ন পুনরায় আরম্ভ করুন. diff --git a/htdocs/langs/bn_IN/install.lang b/htdocs/langs/bn_IN/install.lang index 989f6aa9793..b3c934c7305 100644 --- a/htdocs/langs/bn_IN/install.lang +++ b/htdocs/langs/bn_IN/install.lang @@ -1,219 +1,219 @@ # Dolibarr language file - Source file is en_US - install -InstallEasy=Just follow the instructions step by step. -MiscellaneousChecks=Prerequisites check -ConfFileExists=Configuration file %s exists. -ConfFileDoesNotExistsAndCouldNotBeCreated=Configuration file %s does not exist and could not be created! -ConfFileCouldBeCreated=Configuration file %s could be created. -ConfFileIsNotWritable=Configuration file %s is not writable. Check permissions. For first install, your web server must be able to write into this file during configuration process ("chmod 666" for example on a Unix like OS). -ConfFileIsWritable=Configuration file %s is writable. -ConfFileMustBeAFileNotADir=Configuration file %s must be a file, not a directory. -ConfFileReload=Reloading parameters from configuration file. -PHPSupportPOSTGETOk=This PHP supports variables POST and GET. -PHPSupportPOSTGETKo=It's possible your PHP setup does not support variables POST and/or GET. Check the parameter variables_order in php.ini. -PHPSupportSessions=This PHP supports sessions. -PHPSupport=This PHP supports %s functions. -PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. -PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. -Recheck=Click here for a more detailed test -ErrorPHPDoesNotSupportSessions=Your PHP installation does not support sessions. This feature is required to allow Dolibarr to work. Check your PHP setup and permissions of the sessions directory. -ErrorPHPDoesNotSupportGD=Your PHP installation does not support GD graphical functions. No graphs will be available. -ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. -ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. -ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. -ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. -ErrorPHPDoesNotSupportMbstring=Your PHP installation does not support mbstring functions. -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. -ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. -ErrorDirDoesNotExists=Directory %s does not exist. -ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. -ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. -ErrorFailedToCreateDatabase=Failed to create database '%s'. -ErrorFailedToConnectToDatabase=Failed to connect to database '%s'. -ErrorDatabaseVersionTooLow=Database version (%s) too old. Version %s or higher is required. -ErrorPHPVersionTooLow=PHP version too old. Version %s is required. -ErrorConnectedButDatabaseNotFound=Connection to server successful but database '%s' not found. -ErrorDatabaseAlreadyExists=Database '%s' already exists. -IfDatabaseNotExistsGoBackAndUncheckCreate=If the database does not exist, go back and check option "Create database". -IfDatabaseExistsGoBackAndCheckCreate=If database already exists, go back and uncheck "Create database" option. -WarningBrowserTooOld=Version of browser is too old. Upgrading your browser to a recent version of Firefox, Chrome or Opera is highly recommended. -PHPVersion=PHP Version -License=Using license -ConfigurationFile=Configuration file -WebPagesDirectory=Directory where web pages are stored -DocumentsDirectory=Directory to store uploaded and generated documents -URLRoot=URL Root -ForceHttps=Force secure connections (https) -CheckToForceHttps=Check this option to force secure connections (https).
      This requires that the web server is configured with an SSL certificate. -DolibarrDatabase=Dolibarr Database -DatabaseType=Database type -DriverType=Driver type -Server=Server -ServerAddressDescription=Name or ip address for the database server. Usually 'localhost' when the database server is hosted on the same server as the web server. -ServerPortDescription=Database server port. Keep empty if unknown. -DatabaseServer=Database server -DatabaseName=Database name -DatabasePrefix=Database table prefix -DatabasePrefixDescription=Database table prefix. If empty, defaults to llx_. -AdminLogin=User account for the Dolibarr database owner. -PasswordAgain=Retype password confirmation -AdminPassword=Password for Dolibarr database owner. -CreateDatabase=Create database -CreateUser=Create user account or grant user account permission on the Dolibarr database -DatabaseSuperUserAccess=Database server - Superuser access -CheckToCreateDatabase=Check the box if the database does not exist yet and so must be created.
      In this case, you must also fill in the user name and password for the superuser account at the bottom of this page. -CheckToCreateUser=Check the box if:
      the database user account does not yet exist and so must be created, or
      if the user account exists but the database does not exist and permissions must be granted.
      In this case, you must enter the user account and password and also the superuser account name and password at the bottom of this page. If this box is unchecked, database owner and password must already exist. -DatabaseRootLoginDescription=Superuser account name (to create new databases or new users), mandatory if the database or its owner does not already exist. -KeepEmptyIfNoPassword=Leave empty if superuser has no password (NOT recommended) -SaveConfigurationFile=Saving parameters to -ServerConnection=Server connection -DatabaseCreation=Database creation -CreateDatabaseObjects=Database objects creation -ReferenceDataLoading=Reference data loading -TablesAndPrimaryKeysCreation=Tables and Primary keys creation -CreateTableAndPrimaryKey=Create table %s -CreateOtherKeysForTable=Create foreign keys and indexes for table %s -OtherKeysCreation=Foreign keys and indexes creation -FunctionsCreation=Functions creation -AdminAccountCreation=Administrator login creation -PleaseTypePassword=Please type a password, empty passwords are not allowed! -PleaseTypeALogin=Please type a login! -PasswordsMismatch=Passwords differs, please try again! -SetupEnd=End of setup -SystemIsInstalled=This installation is complete. -SystemIsUpgraded=Dolibarr has been upgraded successfully. -YouNeedToPersonalizeSetup=You need to configure Dolibarr to suit your needs (appearance, features, ...). To do this, please follow the link below: -AdminLoginCreatedSuccessfuly=Dolibarr administrator login '%s' created successfully. -GoToDolibarr=Go to Dolibarr -GoToSetupArea=Go to Dolibarr (setup area) -MigrationNotFinished=The database version is not completely up to date: run the upgrade process again. -GoToUpgradePage=Go to upgrade page again -WithNoSlashAtTheEnd=Without the slash "/" at the end -DirectoryRecommendation=IMPORTANT: You must use a directory that is outside of the web pages (so do not use a subdirectory of previous parameter). -LoginAlreadyExists=Already exists -DolibarrAdminLogin=Dolibarr admin login -AdminLoginAlreadyExists=Dolibarr administrator account '%s' already exists. Go back if you want to create another one. -FailedToCreateAdminLogin=Failed to create Dolibarr administrator account. -WarningRemoveInstallDir=Warning, for security reasons, once the install or upgrade is complete, you should add a file called install.lock into the Dolibarr document directory in order to prevent the accidental/malicious use of the install tools again. -FunctionNotAvailableInThisPHP=Not available in this PHP -ChoosedMigrateScript=Choose migration script -DataMigration=Database migration (data) -DatabaseMigration=Database migration (structure + some data) -ProcessMigrateScript=Script processing -ChooseYourSetupMode=Choose your setup mode and click "Start"... -FreshInstall=Fresh install -FreshInstallDesc=Use this mode if this is your first install. If not, this mode can repair a incomplete previous install. If you want to upgrade your version, choose "Upgrade" mode. -Upgrade=Upgrade -UpgradeDesc=Use this mode if you have replaced old Dolibarr files with files from a newer version. This will upgrade your database and data. -Start=Start -InstallNotAllowed=Setup not allowed by conf.php permissions -YouMustCreateWithPermission=You must create file %s and set write permissions on it for the web server during install process. -CorrectProblemAndReloadPage=Please fix the problem and press F5 to reload the page. -AlreadyDone=Already migrated -DatabaseVersion=Database version -ServerVersion=Database server version -YouMustCreateItAndAllowServerToWrite=You must create this directory and allow for the web server to write into it. -DBSortingCollation=Character sorting order -YouAskDatabaseCreationSoDolibarrNeedToConnect=You selected create database %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions. -YouAskLoginCreationSoDolibarrNeedToConnect=You selected create database user %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions. -BecauseConnectionFailedParametersMayBeWrong=The database connection failed: the host or super user parameters must be wrong. -OrphelinsPaymentsDetectedByMethod=Orphans payment detected by method %s -RemoveItManuallyAndPressF5ToContinue=Remove it manually and press F5 to continue. -FieldRenamed=Field renamed -IfLoginDoesNotExistsCheckCreateUser=If the user does not exist yet, you must check option "Create user" -ErrorConnection=Server "%s", database name "%s", login "%s", or database password may be wrong or the PHP client version may be too old compared to the database version. -InstallChoiceRecommanded=Recommended choice to install version %s from your current version %s -InstallChoiceSuggested=Install choice suggested by installer. -MigrateIsDoneStepByStep=The targeted version (%s) has a gap of several versions. The install wizard will come back to suggest a further migration once this one is complete. -CheckThatDatabasenameIsCorrect=Check that the database name "%s" is correct. -IfAlreadyExistsCheckOption=If this name is correct and that database does not exist yet, you must check option "Create database". -OpenBaseDir=PHP openbasedir parameter -YouAskToCreateDatabaseSoRootRequired=You checked the box "Create database". For this, you need to provide the login/password of superuser (bottom of form). -YouAskToCreateDatabaseUserSoRootRequired=You checked the box "Create database owner". For this, you need to provide the login/password of superuser (bottom of form). -NextStepMightLastALongTime=The current step may take several minutes. Please wait until the next screen is shown completely before continuing. -MigrationCustomerOrderShipping=Migrate shipping for sales orders storage -MigrationShippingDelivery=Upgrade storage of shipping -MigrationShippingDelivery2=Upgrade storage of shipping 2 -MigrationFinished=Migration finished -LastStepDesc=Last step: Define here the login and password you wish to use to connect to Dolibarr. Do not lose this as it is the master account to administer all other/additional user accounts. -ActivateModule=Activate module %s -ShowEditTechnicalParameters=Click here to show/edit advanced parameters (expert mode) -WarningUpgrade=Warning:\nDid you run a database backup first?\nThis is highly recommended. Loss of data (due to for example bugs in mysql version 5.5.40/41/42/43) may be possible during this process, so it is essential to take a complete dump of your database before starting any migration.\n\nClick OK to start migration process... -ErrorDatabaseVersionForbiddenForMigration=Your database version is %s. It has a critical bug, making data loss possible if you make structural changes in your database, such as is required by the migration process. For his reason, migration will not be allowed until you upgrade your database to a layer (patched) version (list of known buggy versions: %s) -KeepDefaultValuesWamp=You used the Dolibarr setup wizard from DoliWamp, so values proposed here are already optimized. Change them only if you know what you are doing. -KeepDefaultValuesDeb=You used the Dolibarr setup wizard from a Linux package (Ubuntu, Debian, Fedora...), so the values proposed here are already optimized. Only the password of the database owner to create must be entered. Change other parameters only if you know what you are doing. -KeepDefaultValuesMamp=You used the Dolibarr setup wizard from DoliMamp, so the values proposed here are already optimized. Change them only if you know what you are doing. -KeepDefaultValuesProxmox=You used the Dolibarr setup wizard from a Proxmox virtual appliance, so the values proposed here are already optimized. Change them only if you know what you are doing. -UpgradeExternalModule=Run dedicated upgrade process of external module -SetAtLeastOneOptionAsUrlParameter=Set at least one option as a parameter in URL. For example: '...repair.php?standard=confirmed' -NothingToDelete=Nothing to clean/delete -NothingToDo=Nothing to do +InstallEasy=শুধু ধাপে ধাপে নির্দেশাবলী অনুসরণ করুন. +MiscellaneousChecks=পূর্বশর্ত চেক +ConfFileExists=কনফিগারেশন ফাইল %s বিদ্যমান। +ConfFileDoesNotExistsAndCouldNotBeCreated=কনফিগারেশন ফাইল %s বিদ্যমান নেই এবং তৈরি করা যায়নি! +ConfFileCouldBeCreated=কনফিগারেশন ফাইল %s তৈরি করা যেতে পারে। +ConfFileIsNotWritable=কনফিগারেশন ফাইল %s লেখার যোগ্য নয়। অনুমতি পরীক্ষা করুন. প্রথম ইনস্টল করার জন্য, কনফিগারেশন প্রক্রিয়া চলাকালীন আপনার ওয়েব সার্ভার অবশ্যই এই ফাইলটিতে লিখতে সক্ষম হবে ("chmod 666" উদাহরণস্বরূপ, OS-এর মতো ইউনিক্সে)। +ConfFileIsWritable=কনফিগারেশন ফাইল %s লেখার যোগ্য। +ConfFileMustBeAFileNotADir=কনফিগারেশন ফাইল %s একটি ফাইল হতে হবে, একটি ডিরেক্টরি নয়। +ConfFileReload=কনফিগারেশন ফাইল থেকে পরামিতি পুনরায় লোড করা হচ্ছে। +NoReadableConfFileSoStartInstall=কনফিগারেশন ফাইল conf/conf.php বিদ্যমান নেই বা পাঠযোগ্য নয়৷ আমরা এটি শুরু করার চেষ্টা করার জন্য ইনস্টলেশন প্রক্রিয়া চালাব। +PHPSupportPOSTGETOk=এই পিএইচপি ভেরিয়েবল POST এবং GET সমর্থন করে। +PHPSupportPOSTGETKo=এটা সম্ভব যে আপনার PHP সেটআপ ভেরিয়েবল পোস্ট এবং/অথবা GET সমর্থন করে না। php.ini-এ variables_order প্যারামিটার চেক করুন। +PHPSupportSessions=এই পিএইচপি সেশন সমর্থন করে। +PHPSupport=এই PHP %s ফাংশন সমর্থন করে। +PHPMemoryOK=আপনার PHP সর্বোচ্চ সেশন মেমরি %s এ সেট করা আছে। এই যথেষ্ট হওয়া উচিত. +PHPMemoryTooLow=আপনার PHP সর্বোচ্চ সেশন মেমরি %s বাইটে সেট করা আছে। এটা খুবই কম। আপনার php.ini মেমোরি সেট করতে পরিবর্তন করুন ='notranslate'>
      প্যারামিটারে অন্তত %sb091b বাইট। +Recheck=আরো বিস্তারিত পরীক্ষার জন্য এখানে ক্লিক করুন +ErrorPHPDoesNotSupportSessions=আপনার পিএইচপি ইনস্টলেশন সেশন সমর্থন করে না. ডলিবারকে কাজ করার অনুমতি দেওয়ার জন্য এই বৈশিষ্ট্যটি প্রয়োজন। আপনার পিএইচপি সেটআপ এবং সেশন ডিরেক্টরির অনুমতি পরীক্ষা করুন। +ErrorPHPDoesNotSupport=আপনার PHP ইনস্টলেশন %s ফাংশন সমর্থন করে না। +ErrorDirDoesNotExists=ডিরেক্টরি %s বিদ্যমান নেই৷ +ErrorGoBackAndCorrectParameters=ফিরে যান এবং পরামিতি চেক/সংশোধন করুন। +ErrorWrongValueForParameter=আপনি '%s' প্যারামিটারের জন্য একটি ভুল মান টাইপ করতে পারেন। +ErrorFailedToCreateDatabase='%s' ডাটাবেস তৈরি করতে ব্যর্থ হয়েছে৷ +ErrorFailedToConnectToDatabase='%s' ডাটাবেসের সাথে সংযোগ করতে ব্যর্থ হয়েছে৷ +ErrorDatabaseVersionTooLow=ডেটাবেস সংস্করণ (%s) খুব পুরানো৷ %s বা উচ্চতর সংস্করণ প্রয়োজন। +ErrorPHPVersionTooLow=পিএইচপি সংস্করণ খুব পুরানো. %s বা উচ্চতর সংস্করণ প্রয়োজন৷ +ErrorPHPVersionTooHigh=পিএইচপি সংস্করণ খুব বেশি। সংস্করণ %s বা নিম্নতর প্রয়োজন। +ErrorConnectedButDatabaseNotFound=সার্ভারের সাথে সংযোগ সফল হয়েছে কিন্তু ডেটাবেস '%s' পাওয়া যায়নি। +ErrorDatabaseAlreadyExists=ডেটাবেস '%s' ইতিমধ্যেই বিদ্যমান। +ErrorNoMigrationFilesFoundForParameters=নির্বাচিত সংস্করণের জন্য কোনো মাইগ্রেশন ফাইল পাওয়া যায়নি +IfDatabaseNotExistsGoBackAndUncheckCreate=ডাটাবেস বিদ্যমান না থাকলে, ফিরে যান এবং "ডেটাবেস তৈরি করুন" বিকল্পটি চেক করুন। +IfDatabaseExistsGoBackAndCheckCreate=যদি ডাটাবেস ইতিমধ্যেই বিদ্যমান থাকে তবে ফিরে যান এবং "ডেটাবেস তৈরি করুন" বিকল্পটি আনচেক করুন। +WarningBrowserTooOld=ব্রাউজারের সংস্করণ অনেক পুরানো। আপনার ব্রাউজারকে ফায়ারফক্স, ক্রোম বা অপেরার সাম্প্রতিক সংস্করণে আপগ্রেড করা অত্যন্ত বাঞ্ছনীয়। +PHPVersion=পিএইচপি সংস্করণ +License=লাইসেন্স ব্যবহার করে +ConfigurationFile=কনফিগারেশন ফাইল +WebPagesDirectory=ডিরেক্টরি যেখানে ওয়েব পৃষ্ঠাগুলি সংরক্ষণ করা হয় +DocumentsDirectory=আপলোড করা এবং জেনারেট করা নথি সংরক্ষণ করার জন্য ডিরেক্টরি +URLRoot=ইউআরএল রুট +ForceHttps=জোর করে সুরক্ষিত সংযোগ (https) +CheckToForceHttps=সুরক্ষিত সংযোগগুলি (https) জোর করতে এই বিকল্পটি চেক করুন।
      এর জন্য ওয়েব সার্ভারটি একটি SSL শংসাপত্রের সাথে কনফিগার করা প্রয়োজন। +DolibarrDatabase=ডলিবার ডাটাবেস +DatabaseType=ডাটাবেস প্রকার +DriverType=ড্রাইভারের ধরন +Server=সার্ভার +ServerAddressDescription=ডাটাবেস সার্ভারের জন্য নাম বা আইপি ঠিকানা। সাধারণত 'লোকালহোস্ট' যখন ডাটাবেস সার্ভার ওয়েব সার্ভারের মতো একই সার্ভারে হোস্ট করা হয়। +ServerPortDescription=ডাটাবেস সার্ভার পোর্ট। অজানা থাকলে খালি রাখুন। +DatabaseServer=ডাটাবেস সার্ভার +DatabaseName=ডাটাবেসের নাম +DatabasePrefix=ডাটাবেস টেবিলের উপসর্গ +DatabasePrefixDescription=ডাটাবেস টেবিলের উপসর্গ। যদি খালি থাকে, ডিফল্ট llx_. +AdminLogin=Dolibarr ডাটাবেসের মালিকের জন্য ব্যবহারকারীর অ্যাকাউন্ট। +AdminPassword=Dolibarr ডাটাবেস মালিকের জন্য পাসওয়ার্ড. +CreateDatabase=ডাটাবেস তৈরি করুন +CreateUser=ব্যবহারকারী অ্যাকাউন্ট তৈরি করুন বা ডলিবার ডাটাবেসে ব্যবহারকারীর অ্যাকাউন্টের অনুমতি দিন +DatabaseSuperUserAccess=ডাটাবেস সার্ভার - সুপার ইউজার অ্যাক্সেস +CheckToCreateDatabase=ডাটাবেসটি এখনও বিদ্যমান না থাকলে বাক্সটি চেক করুন এবং তাই তৈরি করতে হবে৷
      এই ক্ষেত্রে, আপনাকে অবশ্যই নীচের দিকে থাকা সুপার ইউজার অ্যাকাউন্টের জন্য ব্যবহারকারীর নাম এবং পাসওয়ার্ড পূরণ করতে হবে এই পৃষ্ঠার। +CheckToCreateUser=বক্সটি চেক করুন যদি:
      ডাটাবেস ব্যবহারকারীর অ্যাকাউন্টটি এখনও বিদ্যমান নেই এবং তাই তৈরি করতে হবে, অথবা
      যদি ব্যবহারকারীর অ্যাকাউন্ট বিদ্যমান কিন্তু ডাটাবেস বিদ্যমান নেই এবং অনুমতি দিতে হবে।
      এই ক্ষেত্রে, আপনাকে অবশ্যই ব্যবহারকারীর অ্যাকাউন্ট এবং পাসওয়ার্ড লিখতে হবে এবং span>এছাড়াও এই পৃষ্ঠার নীচে সুপার ইউজার অ্যাকাউন্টের নাম এবং পাসওয়ার্ড৷ যদি এই বাক্সটি আনচেক করা থাকে, তবে ডাটাবেসের মালিক এবং পাসওয়ার্ড অবশ্যই বিদ্যমান থাকতে হবে। +DatabaseRootLoginDescription=সুপার ইউজার অ্যাকাউন্টের নাম (নতুন ডেটাবেস বা নতুন ব্যবহারকারী তৈরি করতে), বাধ্যতামূলক যদি ডাটাবেস বা এর মালিক ইতিমধ্যেই বিদ্যমান না থাকে। +KeepEmptyIfNoPassword=সুপার ইউজারের পাসওয়ার্ড না থাকলে খালি ছেড়ে দিন (প্রস্তাবিত নয়) +SaveConfigurationFile=এতে প্যারামিটার সংরক্ষণ করা হচ্ছে +ServerConnection=সার্ভার সংযোগ +DatabaseCreation=ডাটাবেস তৈরি +CreateDatabaseObjects=ডাটাবেস অবজেক্ট তৈরি +ReferenceDataLoading=রেফারেন্স ডেটা লোড হচ্ছে +TablesAndPrimaryKeysCreation=টেবিল এবং প্রাথমিক কী তৈরি +CreateTableAndPrimaryKey=টেবিল তৈরি করুন %s +CreateOtherKeysForTable=%s টেবিলের জন্য বিদেশী কী এবং সূচী তৈরি করুন +OtherKeysCreation=বিদেশী কী এবং সূচী তৈরি +FunctionsCreation=ফাংশন সৃষ্টি +AdminAccountCreation=প্রশাসক লগইন সৃষ্টি +PleaseTypePassword=অনুগ্রহ করে একটি পাসওয়ার্ড টাইপ করুন, খালি পাসওয়ার্ড অনুমোদিত নয়! +PleaseTypeALogin=একটি লগইন টাইপ করুন! +PasswordsMismatch=পাসওয়ার্ড ভিন্ন, আবার চেষ্টা করুন! +SetupEnd=সেটআপ শেষ +SystemIsInstalled=এই ইনস্টলেশন সম্পূর্ণ হয়েছে. +SystemIsUpgraded=Dolibarr সফলভাবে আপগ্রেড করা হয়েছে. +YouNeedToPersonalizeSetup=আপনার প্রয়োজন অনুসারে আপনাকে Dolibarr কনফিগার করতে হবে (চেহারা, বৈশিষ্ট্য, ...)। এটি করতে, অনুগ্রহ করে নীচের লিঙ্কটি অনুসরণ করুন: +AdminLoginCreatedSuccessfuly=Dolibarr অ্যাডমিনিস্ট্রেটর লগইন '%s' সফলভাবে তৈরি হয়েছে৷ +GoToDolibarr=ডলিবরে যান +GoToSetupArea=Dolibarr এ যান (সেটআপ এলাকা) +MigrationNotFinished=ডাটাবেস সংস্করণ সম্পূর্ণ আপ টু ডেট নয়: আপগ্রেড প্রক্রিয়া আবার চালান। +GoToUpgradePage=আবার আপগ্রেড পৃষ্ঠায় যান +WithNoSlashAtTheEnd=শেষে "/" স্ল্যাশ ছাড়া +DirectoryRecommendation=গুরুত্বপূর্ণ: আপনাকে অবশ্যই একটি ডিরেক্টরি ব্যবহার করতে হবে যা ওয়েব পৃষ্ঠাগুলির বাইরে থাকে (তাই পূর্ববর্তী প্যারামিটারের একটি সাবডিরেক্টরি ব্যবহার করবেন না ) +LoginAlreadyExists=আগে থেকেই আছে +DolibarrAdminLogin=ডলিবার অ্যাডমিন লগইন করুন +AdminLoginAlreadyExists=Dolibarr অ্যাডমিনিস্ট্রেটর অ্যাকাউন্ট '%s' ইতিমধ্যেই বিদ্যমান। আপনি যদি অন্য একটি তৈরি করতে চান তাহলে ফিরে যান। +FailedToCreateAdminLogin=Dolibarr অ্যাডমিনিস্ট্রেটর অ্যাকাউন্ট তৈরি করতে ব্যর্থ হয়েছে৷ +WarningRemoveInstallDir=সতর্কতা, নিরাপত্তার কারণে, একবার ইনস্টলেশন প্রক্রিয়া সম্পূর্ণ হলে, আপনাকে অবশ্যই install.lock নামে একটি ফাইল যোগ করতে হবে Dolibarr ডকুমেন্ট ডিরেক্টরি আবার ইনস্টল টুলের দুর্ঘটনাজনিত/দূষিত ব্যবহার প্রতিরোধ করার জন্য। +FunctionNotAvailableInThisPHP=এই PHP এ উপলব্ধ নয় +ChoosedMigrateScript=মাইগ্রেশন স্ক্রিপ্ট চয়ন করুন +DataMigration=ডাটাবেস মাইগ্রেশন (ডেটা) +DatabaseMigration=ডাটাবেস স্থানান্তর (কাঠামো + কিছু ডেটা) +ProcessMigrateScript=স্ক্রিপ্ট প্রক্রিয়াকরণ +ChooseYourSetupMode=আপনার সেটআপ মোড চয়ন করুন এবং "শুরু" ক্লিক করুন... +FreshInstall=নতুন ইনস্টল +FreshInstallDesc=এটি আপনার প্রথম ইনস্টল হলে এই মোডটি ব্যবহার করুন। যদি না হয়, এই মোড একটি অসম্পূর্ণ পূর্ববর্তী ইনস্টল মেরামত করতে পারে. আপনি আপনার সংস্করণ আপগ্রেড করতে চান, "আপগ্রেড" মোড নির্বাচন করুন. +Upgrade=আপগ্রেড করুন +UpgradeDesc=আপনি যদি পুরানো ডলিবার ফাইলগুলিকে একটি নতুন সংস্করণের ফাইলগুলির সাথে প্রতিস্থাপন করে থাকেন তবে এই মোডটি ব্যবহার করুন৷ এটি আপনার ডেটাবেস এবং ডেটা আপগ্রেড করবে। +Start=শুরু করুন +InstallNotAllowed=conf.php অনুমতি দ্বারা সেটআপ অনুমোদিত নয় +YouMustCreateWithPermission=আপনাকে অবশ্যই %s ফাইল তৈরি করতে হবে এবং ইনস্টল প্রক্রিয়া চলাকালীন ওয়েব সার্ভারের জন্য এটিতে লেখার অনুমতি সেট করতে হবে। +CorrectProblemAndReloadPage=অনুগ্রহ করে সমস্যাটি সমাধান করুন এবং পৃষ্ঠাটি পুনরায় লোড করতে F5 টিপুন৷ +AlreadyDone=ইতিমধ্যেই স্থানান্তরিত হয়েছে +DatabaseVersion=ডাটাবেস সংস্করণ +ServerVersion=ডাটাবেস সার্ভার সংস্করণ +YouMustCreateItAndAllowServerToWrite=আপনাকে অবশ্যই এই ডিরেক্টরি তৈরি করতে হবে এবং ওয়েব সার্ভারকে এটিতে লিখতে অনুমতি দিতে হবে। +DBSortingCollation=অক্ষর বাছাই ক্রম +YouAskDatabaseCreationSoDolibarrNeedToConnect=আপনি ডাটাবেস তৈরি করা নির্বাচন করেছেন %s, তবে এর জন্য ডলিবার প্রয়োজন সার্ভারের সাথে সংযোগ করতে %s সুপার ব্যবহারকারীর সাথে %s অনুমতি। +YouAskLoginCreationSoDolibarrNeedToConnect=আপনি ডাটাবেস ব্যবহারকারী তৈরি করুন %s নির্বাচন করেছেন, কিন্তু এর জন্য, ডলিবার সুপার ব্যবহারকারী %s সার্ভারের সাথে সংযোগ করতে হবে %s অনুমতি। +BecauseConnectionFailedParametersMayBeWrong=ডাটাবেস সংযোগ ব্যর্থ হয়েছে: হোস্ট বা সুপার ব্যবহারকারী পরামিতি ভুল হতে হবে। +OrphelinsPaymentsDetectedByMethod=%s পদ্ধতির মাধ্যমে অনাথ পেমেন্ট শনাক্ত করা হয়েছে +RemoveItManuallyAndPressF5ToContinue=এটি ম্যানুয়ালি সরান এবং চালিয়ে যেতে F5 টিপুন। +FieldRenamed=ক্ষেত্রটির নাম পরিবর্তন করা হয়েছে +IfLoginDoesNotExistsCheckCreateUser=যদি ব্যবহারকারী এখনও বিদ্যমান না থাকে তবে আপনাকে অবশ্যই "ব্যবহারকারী তৈরি করুন" বিকল্পটি চেক করতে হবে +ErrorConnection=সার্ভার "%s", ডাটাবেসের নাম "%s", লগইন "b0aee%s
      ", অথবা ডাটাবেস পাসওয়ার্ড ভুল হতে পারে বা PHP ক্লায়েন্ট সংস্করণ ডাটাবেস সংস্করণের তুলনায় অনেক পুরানো হতে পারে . +InstallChoiceRecommanded=আপনার বর্তমান সংস্করণ %s সংস্করণ ইনস্টল করার প্রস্তাবিত পছন্দ class='notranslate'>%s +InstallChoiceSuggested=ইন্সটলার দ্বারা প্রস্তাবিত ইনস্টল পছন্দ৷ +MigrateIsDoneStepByStep=লক্ষ্যযুক্ত সংস্করণে (%s) বেশ কয়েকটি সংস্করণের ব্যবধান রয়েছে। এটি সম্পূর্ণ হয়ে গেলে ইনস্টল উইজার্ডটি আরও একটি মাইগ্রেশনের পরামর্শ দিতে ফিরে আসবে। +CheckThatDatabasenameIsCorrect=পরীক্ষা করুন যে ডাটাবেসের নাম "%s" সঠিক। +IfAlreadyExistsCheckOption=যদি এই নামটি সঠিক হয় এবং সেই ডাটাবেসটি এখনও বিদ্যমান না থাকে তবে আপনাকে অবশ্যই "ডেটাবেস তৈরি করুন" বিকল্পটি চেক করতে হবে। +OpenBaseDir=পিএইচপি openbasedir পরামিতি +YouAskToCreateDatabaseSoRootRequired=আপনি "ডেটাবেস তৈরি করুন" বাক্সটি চেক করেছেন। এর জন্য, আপনাকে সুপার ইউজারের লগইন/পাসওয়ার্ড প্রদান করতে হবে (ফর্মের নীচে)। +YouAskToCreateDatabaseUserSoRootRequired=আপনি "ডেটাবেসের মালিক তৈরি করুন" বাক্সটি চেক করেছেন। এর জন্য, আপনাকে সুপার ইউজারের লগইন/পাসওয়ার্ড প্রদান করতে হবে (ফর্মের নীচে)। +NextStepMightLastALongTime=বর্তমান পদক্ষেপটি কয়েক মিনিট সময় নিতে পারে। চালিয়ে যাওয়ার আগে অনুগ্রহ করে পরবর্তী স্ক্রীন সম্পূর্ণভাবে দেখানো না হওয়া পর্যন্ত অপেক্ষা করুন। +MigrationCustomerOrderShipping=সেলস অর্ডার স্টোরেজের জন্য শিপিং মাইগ্রেট করুন +MigrationShippingDelivery=শিপিংয়ের স্টোরেজ আপগ্রেড করুন +MigrationShippingDelivery2=শিপিংয়ের স্টোরেজ আপগ্রেড করুন 2 +MigrationFinished=মাইগ্রেশন শেষ +LastStepDesc=শেষ ধাপ: Dolibarr-এর সাথে সংযোগ করতে আপনি যে লগইন এবং পাসওয়ার্ড ব্যবহার করতে চান তা এখানে সংজ্ঞায়িত করুন। এটিকে হারাবেন না কারণ এটি অন্য সমস্ত/অতিরিক্ত ব্যবহারকারী অ্যাকাউন্টগুলি পরিচালনা করার জন্য প্রধান অ্যাকাউন্ট৷ +ActivateModule=মডিউল সক্রিয় করুন %s +ShowEditTechnicalParameters=উন্নত প্যারামিটার দেখাতে/সম্পাদনা করতে এখানে ক্লিক করুন (বিশেষজ্ঞ মোড) +WarningUpgrade=সতর্কতা:\nআপনি কি প্রথমে একটি ডাটাবেস ব্যাকআপ চালান?\nএই অত্যন্ত সুপারিশ করা হয়. এই প্রক্রিয়া চলাকালীন ডেটার ক্ষতি (উদাহরণস্বরূপ mysql সংস্করণ 5.5.40/41/42/43-এ বাগগুলির কারণে) সম্ভব হতে পারে, তাই কোনও স্থানান্তর শুরু করার আগে আপনার ডাটাবেসের সম্পূর্ণ ডাম্প নেওয়া অপরিহার্য।\n\nমাইগ্রেশন প্রক্রিয়া শুরু করতে ওকে ক্লিক করুন... +ErrorDatabaseVersionForbiddenForMigration=আপনার ডাটাবেস সংস্করণ হল %s। এটিতে একটি গুরুতর বাগ রয়েছে, যদি আপনি আপনার ডাটাবেসে কাঠামোগত পরিবর্তন করেন, যেমন মাইগ্রেশন প্রক্রিয়ার জন্য প্রয়োজনীয় ডেটা ক্ষতি সম্ভব করে তোলে। তার কারণে, আপনি আপনার ডাটাবেসকে একটি স্তর (প্যাচড) সংস্করণে আপগ্রেড না করা পর্যন্ত মাইগ্রেশনের অনুমতি দেওয়া হবে না (পরিচিত বগি সংস্করণগুলির তালিকা: %s) +KeepDefaultValuesWamp=আপনি DoliWamp থেকে Dolibarr সেটআপ উইজার্ড ব্যবহার করেছেন, তাই এখানে প্রস্তাবিত মানগুলি ইতিমধ্যেই অপ্টিমাইজ করা হয়েছে৷ আপনি কি করছেন তা জানলে তবেই সেগুলি পরিবর্তন করুন। +KeepDefaultValuesDeb=আপনি একটি লিনাক্স প্যাকেজ (উবুন্টু, ডেবিয়ান, ফেডোরা...) থেকে Dolibarr সেটআপ উইজার্ড ব্যবহার করেছেন, তাই এখানে প্রস্তাবিত মানগুলি ইতিমধ্যেই অপ্টিমাইজ করা হয়েছে। শুধুমাত্র ডাটাবেস মালিকের পাসওয়ার্ড তৈরি করতে হবে। আপনি কি করছেন তা জানলেই অন্যান্য পরামিতি পরিবর্তন করুন। +KeepDefaultValuesMamp=আপনি DoliMamp থেকে Dolibarr সেটআপ উইজার্ড ব্যবহার করেছেন, তাই এখানে প্রস্তাবিত মানগুলি ইতিমধ্যেই অপ্টিমাইজ করা হয়েছে৷ আপনি কি করছেন তা জানলে তবেই সেগুলি পরিবর্তন করুন। +KeepDefaultValuesProxmox=আপনি একটি Proxmox ভার্চুয়াল অ্যাপ্লায়েন্স থেকে Dolibarr সেটআপ উইজার্ড ব্যবহার করেছেন, তাই এখানে প্রস্তাবিত মানগুলি ইতিমধ্যেই অপ্টিমাইজ করা হয়েছে৷ আপনি কি করছেন তা জানলে তবেই সেগুলি পরিবর্তন করুন। +UpgradeExternalModule=এক্সটার্নাল মডিউলের ডেডিকেটেড আপগ্রেড প্রক্রিয়া চালান +SetAtLeastOneOptionAsUrlParameter=URL-এ প্যারামিটার হিসেবে অন্তত একটি বিকল্প সেট করুন। যেমন: '...repair.php?standard=confirmed' +NothingToDelete=পরিষ্কার/মুছে ফেলার কিছু নেই +NothingToDo=কিছুই করার নাই ######### # upgrade -MigrationFixData=Fix for denormalized data -MigrationOrder=Data migration for customer's orders -MigrationSupplierOrder=Data migration for vendor's orders -MigrationProposal=Data migration for commercial proposals -MigrationInvoice=Data migration for customer's invoices -MigrationContract=Data migration for contracts -MigrationSuccessfullUpdate=Upgrade successful -MigrationUpdateFailed=Failed upgrade process -MigrationRelationshipTables=Data migration for relationship tables (%s) -MigrationPaymentsUpdate=Payment data correction -MigrationPaymentsNumberToUpdate=%s payment(s) to update -MigrationProcessPaymentUpdate=Update payment(s) %s -MigrationPaymentsNothingToUpdate=No more things to do -MigrationPaymentsNothingUpdatable=No more payments that can be corrected -MigrationContractsUpdate=Contract data correction -MigrationContractsNumberToUpdate=%s contract(s) to update -MigrationContractsLineCreation=Create contract line for contract ref %s -MigrationContractsNothingToUpdate=No more things to do -MigrationContractsFieldDontExist=Field fk_facture does not exist anymore. Nothing to do. -MigrationContractsEmptyDatesUpdate=Contract empty date correction -MigrationContractsEmptyDatesUpdateSuccess=Contract empty date correction done successfully -MigrationContractsEmptyDatesNothingToUpdate=No contract empty date to correct -MigrationContractsEmptyCreationDatesNothingToUpdate=No contract creation date to correct -MigrationContractsInvalidDatesUpdate=Bad value date contract correction -MigrationContractsInvalidDateFix=Correct contract %s (Contract date=%s, Starting service date min=%s) -MigrationContractsInvalidDatesNumber=%s contracts modified -MigrationContractsInvalidDatesNothingToUpdate=No date with bad value to correct -MigrationContractsIncoherentCreationDateUpdate=Bad value contract creation date correction -MigrationContractsIncoherentCreationDateUpdateSuccess=Bad value contract creation date correction done successfully -MigrationContractsIncoherentCreationDateNothingToUpdate=No bad value for contract creation date to correct -MigrationReopeningContracts=Open contract closed by error -MigrationReopenThisContract=Reopen contract %s -MigrationReopenedContractsNumber=%s contracts modified -MigrationReopeningContractsNothingToUpdate=No closed contract to open -MigrationBankTransfertsUpdate=Update links between bank entry and a bank transfer -MigrationBankTransfertsNothingToUpdate=All links are up to date -MigrationShipmentOrderMatching=Sendings receipt update -MigrationDeliveryOrderMatching=Delivery receipt update -MigrationDeliveryDetail=Delivery update -MigrationStockDetail=Update stock value of products -MigrationMenusDetail=Update dynamic menus tables -MigrationDeliveryAddress=Update delivery address in shipments -MigrationProjectTaskActors=Data migration for table llx_projet_task_actors -MigrationProjectUserResp=Data migration field fk_user_resp of llx_projet to llx_element_contact -MigrationProjectTaskTime=Update time spent in seconds -MigrationActioncommElement=Update data on actions -MigrationPaymentMode=Data migration for payment type -MigrationCategorieAssociation=Migration of categories -MigrationEvents=Migration of events to add event owner into assignment table -MigrationEventsContact=Migration of events to add event contact into assignment table -MigrationRemiseEntity=Update entity field value of llx_societe_remise -MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except -MigrationUserRightsEntity=Update entity field value of llx_user_rights -MigrationUserGroupRightsEntity=Update entity field value of llx_usergroup_rights -MigrationUserPhotoPath=Migration of photo paths for users -MigrationFieldsSocialNetworks=Migration of users fields social networks (%s) -MigrationReloadModule=Reload module %s -MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm -MigrationImportOrExportProfiles=Migration of import or export profiles (%s) -ShowNotAvailableOptions=Show unavailable options -HideNotAvailableOptions=Hide unavailable options -ErrorFoundDuringMigration=Error(s) were reported during the migration process so next step is not available. To ignore errors, you can click here, but the application or some features may not work correctly until the errors are resolved. -YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
      -YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
      -ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. -Loaded=Loaded -FunctionTest=Function test +MigrationFixData=অস্বাভাবিক ডেটার জন্য ঠিক করুন +MigrationOrder=গ্রাহকের অর্ডারের জন্য ডেটা মাইগ্রেশন +MigrationSupplierOrder=বিক্রেতার আদেশের জন্য ডেটা স্থানান্তর +MigrationProposal=বাণিজ্যিক প্রস্তাবের জন্য ডেটা মাইগ্রেশন +MigrationInvoice=গ্রাহকের চালানের জন্য ডেটা স্থানান্তর +MigrationContract=চুক্তির জন্য ডেটা মাইগ্রেশন +MigrationSuccessfullUpdate=আপগ্রেড সফল হয়েছে +MigrationUpdateFailed=আপগ্রেড প্রক্রিয়া ব্যর্থ হয়েছে৷ +MigrationRelationshipTables=সম্পর্ক টেবিলের জন্য ডেটা স্থানান্তর (%s) +MigrationPaymentsUpdate=পেমেন্ট ডেটা সংশোধন +MigrationPaymentsNumberToUpdate=আপডেট করার জন্য %s পেমেন্ট +MigrationProcessPaymentUpdate=পেমেন্ট আপডেট করুন %s +MigrationPaymentsNothingToUpdate=আর কিছু করার নেই +MigrationPaymentsNothingUpdatable=আর কোন পেমেন্ট যা সংশোধন করা যাবে না +MigrationContractsUpdate=চুক্তি তথ্য সংশোধন +MigrationContractsNumberToUpdate=আপডেট করার জন্য %s চুক্তি(গুলি) +MigrationContractsLineCreation=চুক্তি রেফ %s এর জন্য চুক্তি লাইন তৈরি করুন +MigrationContractsNothingToUpdate=আর কিছু করার নেই +MigrationContractsFieldDontExist=ক্ষেত্র fk_facture আর বিদ্যমান নেই। কিছুই করার নাই. +MigrationContractsEmptyDatesUpdate=চুক্তি খালি তারিখ সংশোধন +MigrationContractsEmptyDatesUpdateSuccess=চুক্তি খালি তারিখ সংশোধন সফলভাবে সম্পন্ন হয়েছে +MigrationContractsEmptyDatesNothingToUpdate=সংশোধন করার জন্য কোন চুক্তি খালি তারিখ নেই +MigrationContractsEmptyCreationDatesNothingToUpdate=সংশোধন করার জন্য কোন চুক্তি তৈরির তারিখ নেই +MigrationContractsInvalidDatesUpdate=খারাপ মান তারিখ চুক্তি সংশোধন +MigrationContractsInvalidDateFix=সঠিক চুক্তি %s (চুক্তির তারিখ=%s, পরিষেবা শুরু হওয়ার তারিখ min=%s >>) +MigrationContractsInvalidDatesNumber=%s চুক্তি সংশোধন করা হয়েছে +MigrationContractsInvalidDatesNothingToUpdate=ভুল মান সহ কোনো তারিখ সংশোধন করতে হবে না +MigrationContractsIncoherentCreationDateUpdate=খারাপ মান চুক্তি তৈরির তারিখ সংশোধন +MigrationContractsIncoherentCreationDateUpdateSuccess=খারাপ মান চুক্তি তৈরির তারিখ সংশোধন সফলভাবে সম্পন্ন হয়েছে +MigrationContractsIncoherentCreationDateNothingToUpdate=ঠিক করার জন্য চুক্তি তৈরির তারিখের জন্য কোন খারাপ মান নেই +MigrationReopeningContracts=খোলা চুক্তি ত্রুটি দ্বারা বন্ধ +MigrationReopenThisContract=চুক্তি আবার খুলুন %s +MigrationReopenedContractsNumber=%s চুক্তি সংশোধন করা হয়েছে +MigrationReopeningContractsNothingToUpdate=খোলার জন্য কোন বন্ধ চুক্তি নেই +MigrationBankTransfertsUpdate=ব্যাঙ্ক এন্ট্রি এবং ব্যাঙ্ক ট্রান্সফারের মধ্যে লিঙ্ক আপডেট করুন +MigrationBankTransfertsNothingToUpdate=সমস্ত লিঙ্ক আপ টু ডেট +MigrationShipmentOrderMatching=রসিদ আপডেট পাঠানো হচ্ছে +MigrationDeliveryOrderMatching=ডেলিভারি রসিদ আপডেট +MigrationDeliveryDetail=ডেলিভারি আপডেট +MigrationStockDetail=পণ্যের স্টক মূল্য আপডেট করুন +MigrationMenusDetail=ডায়নামিক মেনু টেবিল আপডেট করুন +MigrationDeliveryAddress=শিপমেন্টে ডেলিভারি ঠিকানা আপডেট করুন +MigrationProjectTaskActors=টেবিল llx_projet_task_actors এর জন্য ডেটা মাইগ্রেশন +MigrationProjectUserResp=llx_projet-এর llx_element_contact-এ ডেটা মাইগ্রেশন ফিল্ড fk_user_resp +MigrationProjectTaskTime=সেকেন্ডে কাটানো সময় আপডেট করুন +MigrationActioncommElement=কর্মের উপর ডেটা আপডেট করুন +MigrationPaymentMode=পেমেন্ট টাইপের জন্য ডেটা মাইগ্রেশন +MigrationCategorieAssociation=বিভাগের স্থানান্তর +MigrationEvents=অ্যাসাইনমেন্ট টেবিলে ইভেন্টের মালিককে যোগ করতে ইভেন্টের স্থানান্তর +MigrationEventsContact=অ্যাসাইনমেন্ট টেবিলে ইভেন্টের পরিচিতি যোগ করতে ইভেন্টের স্থানান্তর +MigrationRemiseEntity=llx_societe_remise-এর সত্তা ক্ষেত্রের মান আপডেট করুন +MigrationRemiseExceptEntity=llx_societe_remise_except-এর সত্তা ক্ষেত্রের মান আপডেট করুন +MigrationUserRightsEntity=llx_user_rights এর সত্তা ক্ষেত্রের মান আপডেট করুন +MigrationUserGroupRightsEntity=llx_usergroup_rights এর সত্তা ক্ষেত্রের মান আপডেট করুন +MigrationUserPhotoPath=ব্যবহারকারীদের জন্য ফটো পাথের স্থানান্তর +MigrationFieldsSocialNetworks=ব্যবহারকারীদের ক্ষেত্র সামাজিক নেটওয়ার্কের স্থানান্তর (%s) +MigrationReloadModule=মডিউল পুনরায় লোড করুন %s +MigrationResetBlockedLog=v7 অ্যালগরিদমের জন্য BlockedLog মডিউল রিসেট করুন +MigrationImportOrExportProfiles=আমদানি বা রপ্তানি প্রোফাইলের স্থানান্তর (%s) +ShowNotAvailableOptions=অনুপলব্ধ বিকল্পগুলি দেখান৷ +HideNotAvailableOptions=অনুপলব্ধ বিকল্প লুকান +ErrorFoundDuringMigration=স্থানান্তর প্রক্রিয়া চলাকালীন ত্রুটি(গুলি) রিপোর্ট করা হয়েছিল তাই পরবর্তী পদক্ষেপ উপলব্ধ নেই৷ ত্রুটিগুলি উপেক্ষা করতে, আপনি এখানে ক্লিক করুন, কিন্তু ত্রুটিগুলি সমাধান না হওয়া পর্যন্ত অ্যাপ্লিকেশন বা কিছু বৈশিষ্ট্য সঠিকভাবে কাজ নাও করতে পারে . +YouTryInstallDisabledByDirLock=অ্যাপ্লিকেশনটি স্ব-আপগ্রেড করার চেষ্টা করেছে, কিন্তু নিরাপত্তার জন্য ইনস্টল/আপগ্রেড পৃষ্ঠাগুলি অক্ষম করা হয়েছে (ডিরেক্টরি .lock সাফিক্স দিয়ে পুনঃনামকরণ করা হয়েছে)।
      +YouTryInstallDisabledByFileLock=অ্যাপ্লিকেশনটি স্ব-আপগ্রেড করার চেষ্টা করেছে, কিন্তু নিরাপত্তার জন্য ইনস্টল/আপগ্রেড পৃষ্ঠাগুলি অক্ষম করা হয়েছে (একটি লক ফাইলের অস্তিত্বের কারণে install.lock ডলিবার ডকুমেন্ট ডিরেক্টরিতে)।
      +YouTryUpgradeDisabledByMissingFileUnLock=অ্যাপ্লিকেশনটি স্ব-আপগ্রেড করার চেষ্টা করেছে, কিন্তু আপগ্রেড প্রক্রিয়াটি বর্তমানে অনুমোদিত নয়৷
      +ClickHereToGoToApp=আপনার আবেদনে যেতে এখানে ক্লিক করুন +ClickOnLinkOrRemoveManualy=যদি একটি আপগ্রেড প্রক্রিয়াধীন থাকে, অনুগ্রহ করে অপেক্ষা করুন৷ না হলে নিচের লিঙ্কে ক্লিক করুন। আপনি যদি সর্বদা এই একই পৃষ্ঠাটি দেখতে পান, তাহলে আপনাকে অবশ্যই নথির ডিরেক্টরিতে install.lock ফাইলটি অপসারণ/পুনঃনামকরণ করতে হবে। +ClickOnLinkOrCreateUnlockFileManualy=যদি একটি আপগ্রেড প্রক্রিয়াধীন থাকে, অনুগ্রহ করে অপেক্ষা করুন... না হলে, আপনাকে অবশ্যই install.lock ফাইলটি সরিয়ে ফেলতে হবে বা Dolibarr নথি ডিরেক্টরিতে একটি ফাইল upgrade.unlock তৈরি করতে হবে৷ +Loaded=লোড করা হয়েছে +FunctionTest=ফাংশন পরীক্ষা +NodoUpgradeAfterDB=ডাটাবেস আপগ্রেড করার পরে বাহ্যিক মডিউল দ্বারা কোন পদক্ষেপের অনুরোধ করা হয়নি +NodoUpgradeAfterFiles=ফাইল বা ডিরেক্টরি আপগ্রেড করার পরে বহিরাগত মডিউল দ্বারা কোন পদক্ষেপের অনুরোধ করা হয়নি +MigrationContractLineRank=র‌্যাঙ্ক ব্যবহার করতে চুক্তি লাইন মাইগ্রেট করুন (এবং পুনর্বিন্যাস সক্ষম করুন) diff --git a/htdocs/langs/bn_IN/interventions.lang b/htdocs/langs/bn_IN/interventions.lang index ef5df43e546..d9bd9745b90 100644 --- a/htdocs/langs/bn_IN/interventions.lang +++ b/htdocs/langs/bn_IN/interventions.lang @@ -1,68 +1,75 @@ # Dolibarr language file - Source file is en_US - interventions -Intervention=Intervention -Interventions=Interventions -InterventionCard=Intervention card -NewIntervention=New intervention -AddIntervention=Create intervention -ChangeIntoRepeatableIntervention=Change to repeatable intervention -ListOfInterventions=List of interventions -ActionsOnFicheInter=Actions on intervention -LastInterventions=Latest %s interventions -AllInterventions=All interventions -CreateDraftIntervention=Create draft -InterventionContact=Intervention contact -DeleteIntervention=Delete intervention -ValidateIntervention=Validate intervention -ModifyIntervention=Modify intervention -DeleteInterventionLine=Delete intervention line -ConfirmDeleteIntervention=Are you sure you want to delete this intervention? -ConfirmValidateIntervention=Are you sure you want to validate this intervention under name %s? -ConfirmModifyIntervention=Are you sure you want to modify this intervention? -ConfirmDeleteInterventionLine=Are you sure you want to delete this intervention line? -ConfirmCloneIntervention=Are you sure you want to clone this intervention? -NameAndSignatureOfInternalContact=Name and signature of intervening: -NameAndSignatureOfExternalContact=Name and signature of customer: -DocumentModelStandard=Standard document model for interventions -InterventionCardsAndInterventionLines=Interventions and lines of interventions -InterventionClassifyBilled=Classify "Billed" -InterventionClassifyUnBilled=Classify "Unbilled" -InterventionClassifyDone=Classify "Done" -StatusInterInvoiced=Billed -SendInterventionRef=Submission of intervention %s -SendInterventionByMail=Send intervention by email -InterventionCreatedInDolibarr=Intervention %s created -InterventionValidatedInDolibarr=Intervention %s validated -InterventionModifiedInDolibarr=Intervention %s modified -InterventionClassifiedBilledInDolibarr=Intervention %s set as billed -InterventionClassifiedUnbilledInDolibarr=Intervention %s set as unbilled -InterventionSentByEMail=Intervention %s sent by email -InterventionDeletedInDolibarr=Intervention %s deleted -InterventionsArea=Interventions area -DraftFichinter=Draft interventions -LastModifiedInterventions=Latest %s modified interventions -FichinterToProcess=Interventions to process -TypeContact_fichinter_external_CUSTOMER=Following-up customer contact -PrintProductsOnFichinter=Print also lines of type "product" (not only services) on intervention card -PrintProductsOnFichinterDetails=interventions generated from orders -UseServicesDurationOnFichinter=Use services duration for interventions generated from orders -UseDurationOnFichinter=Hides the duration field for intervention records -UseDateWithoutHourOnFichinter=Hides hours and minutes off the date field for intervention records -InterventionStatistics=Statistics of interventions -NbOfinterventions=No. of intervention cards -NumberOfInterventionsByMonth=No. of intervention cards by month (date of validation) -AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). Add option PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT to 1 into home-setup-other to include them. -InterId=Intervention id -InterRef=Intervention ref. -InterDateCreation=Date creation intervention -InterDuration=Duration intervention -InterStatus=Status intervention -InterNote=Note intervention -InterLine=Line of intervention -InterLineId=Line id intervention -InterLineDate=Line date intervention -InterLineDuration=Line duration intervention -InterLineDesc=Line description intervention -RepeatableIntervention=Template of intervention -ToCreateAPredefinedIntervention=To create a predefined or recurring intervention, create a common intervention and convert it into intervention template -ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? -GenerateInter=Generate intervention +Intervention=হস্তক্ষেপ +Interventions=হস্তক্ষেপ +InterventionCard=হস্তক্ষেপ কার্ড +NewIntervention=নতুন হস্তক্ষেপ +AddIntervention=হস্তক্ষেপ তৈরি করুন +ChangeIntoRepeatableIntervention=পুনরাবৃত্তিযোগ্য হস্তক্ষেপে পরিবর্তন করুন +ListOfInterventions=হস্তক্ষেপের তালিকা +ActionsOnFicheInter=হস্তক্ষেপের উপর পদক্ষেপ +LastInterventions=সাম্প্রতিক %s হস্তক্ষেপ +AllInterventions=সমস্ত হস্তক্ষেপ +CreateDraftIntervention=খসড়া তৈরি করুন +InterventionContact=হস্তক্ষেপ যোগাযোগ +DeleteIntervention=হস্তক্ষেপ মুছুন +ValidateIntervention=হস্তক্ষেপ বৈধতা +ModifyIntervention=হস্তক্ষেপ সংশোধন করুন +CloseIntervention=ঘনিষ্ঠ হস্তক্ষেপ +DeleteInterventionLine=হস্তক্ষেপ লাইন মুছুন +ConfirmDeleteIntervention=আপনি কি এই হস্তক্ষেপ মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmValidateIntervention=আপনি কি %s নামে এই হস্তক্ষেপটি যাচাই করার বিষয়ে নিশ্চিত ? +ConfirmModifyIntervention=আপনি কি নিশ্চিত আপনি এই হস্তক্ষেপ সংশোধন করতে চান? +ConfirmCloseIntervention=আপনি কি নিশ্চিত আপনি এই হস্তক্ষেপ বন্ধ করতে চান? +ConfirmDeleteInterventionLine=আপনি কি এই হস্তক্ষেপ লাইন মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmCloneIntervention=আপনি কি নিশ্চিত আপনি এই হস্তক্ষেপ ক্লোন করতে চান? +NameAndSignatureOfInternalContact=হস্তক্ষেপকারীর নাম এবং স্বাক্ষর: +NameAndSignatureOfExternalContact=গ্রাহকের নাম এবং স্বাক্ষর: +DocumentModelStandard=হস্তক্ষেপের জন্য স্ট্যান্ডার্ড নথি মডেল +InterventionCardsAndInterventionLines=হস্তক্ষেপ এবং হস্তক্ষেপের লাইন +InterventionClassifyBilled="বিল করা" শ্রেণীবদ্ধ করুন +InterventionClassifyUnBilled="অবিল" শ্রেণীবদ্ধ করুন +InterventionClassifyDone="সম্পন্ন" শ্রেণীবদ্ধ করুন +StatusInterInvoiced=বিল করা হয়েছে +SendInterventionRef=হস্তক্ষেপ জমা %s +SendInterventionByMail=ইমেল দ্বারা হস্তক্ষেপ পাঠান +InterventionCreatedInDolibarr=হস্তক্ষেপ %s তৈরি করা হয়েছে +InterventionValidatedInDolibarr=হস্তক্ষেপ %s বৈধ +InterventionModifiedInDolibarr=হস্তক্ষেপ %s পরিবর্তিত +InterventionClassifiedBilledInDolibarr=হস্তক্ষেপ %s বিল হিসাবে সেট করা হয়েছে +InterventionClassifiedUnbilledInDolibarr=হস্তক্ষেপ %s বিলবিহীন হিসাবে সেট করা হয়েছে +InterventionSentByEMail=হস্তক্ষেপ %s ইমেলের মাধ্যমে পাঠানো +InterventionClosedInDolibarr= হস্তক্ষেপ %s বন্ধ +InterventionDeletedInDolibarr=হস্তক্ষেপ %s মুছে ফেলা হয়েছে +InterventionsArea=হস্তক্ষেপ এলাকা +DraftFichinter=খসড়া হস্তক্ষেপ +LastModifiedInterventions=সর্বশেষ %s পরিবর্তিত হস্তক্ষেপ +FichinterToProcess=প্রক্রিয়া হস্তক্ষেপ +TypeContact_fichinter_external_CUSTOMER=অনুসরণ-আপ গ্রাহক যোগাযোগ +PrintProductsOnFichinter=ইন্টারভেনশন কার্ডে "পণ্য" (শুধু পরিষেবা নয়) টাইপের লাইনও প্রিন্ট করুন +PrintProductsOnFichinterDetails=আদেশ থেকে উত্পন্ন হস্তক্ষেপ +UseServicesDurationOnFichinter=অর্ডার থেকে উৎপন্ন হস্তক্ষেপের জন্য পরিষেবার সময়কাল ব্যবহার করুন +UseDurationOnFichinter=হস্তক্ষেপ রেকর্ডের জন্য সময়কাল ক্ষেত্র লুকায় +UseDateWithoutHourOnFichinter=হস্তক্ষেপ রেকর্ডের জন্য তারিখ ক্ষেত্রের বন্ধ ঘন্টা এবং মিনিট লুকায় +InterventionStatistics=হস্তক্ষেপের পরিসংখ্যান +NbOfinterventions=হস্তক্ষেপ কার্ডের সংখ্যা +NumberOfInterventionsByMonth=মাস অনুসারে হস্তক্ষেপ কার্ডের সংখ্যা (বৈধকরণের তারিখ) +AmountOfInteventionNotIncludedByDefault=হস্তক্ষেপের পরিমাণ ডিফল্টরূপে লাভে অন্তর্ভুক্ত করা হয় না (বেশিরভাগ ক্ষেত্রে, সময়পত্র ব্যয় করা সময় গণনা করতে ব্যবহৃত হয়)। আপনি PROJECT_ELEMENTS_FOR_ADD_MARGIN এবং PROJECT_ELEMENTS_FOR_MINUS_MARGIN বিকল্প ব্যবহার করতে পারেন হোম-সেটআপ-অন্যান্য মুনাফায় অন্তর্ভুক্ত উপাদানের তালিকা সম্পূর্ণ করতে। +InterId=হস্তক্ষেপ আইডি +InterRef=হস্তক্ষেপ রেফ. +InterDateCreation=তারিখ সৃষ্টি হস্তক্ষেপ +InterDuration=সময়কাল হস্তক্ষেপ +InterStatus=স্থিতি হস্তক্ষেপ +InterNote=হস্তক্ষেপ নোট করুন +InterLine=হস্তক্ষেপের লাইন +InterLineId=লাইন আইডি হস্তক্ষেপ +InterLineDate=লাইন তারিখ হস্তক্ষেপ +InterLineDuration=লাইন সময়কাল হস্তক্ষেপ +InterLineDesc=লাইন বর্ণনা হস্তক্ষেপ +RepeatableIntervention=হস্তক্ষেপের টেমপ্লেট +ToCreateAPredefinedIntervention=একটি পূর্বনির্ধারিত বা পুনরাবৃত্তিমূলক হস্তক্ষেপ তৈরি করতে, একটি সাধারণ হস্তক্ষেপ তৈরি করুন এবং এটিকে হস্তক্ষেপ টেমপ্লেটে রূপান্তর করুন +ConfirmReopenIntervention=আপনি কি হস্তক্ষেপটি %s খোলার বিষয়ে নিশ্চিত? +GenerateInter=হস্তক্ষেপ তৈরি করুন +FichinterNoContractLinked=হস্তক্ষেপ %s লিঙ্কযুক্ত চুক্তি ছাড়াই তৈরি করা হয়েছে৷ +ErrorFicheinterCompanyDoesNotExist=কোম্পানির অস্তিত্ব নেই। হস্তক্ষেপ তৈরি করা হয়নি। +NextDateToIntervention=পরবর্তী হস্তক্ষেপ প্রজন্মের জন্য তারিখ +NoIntervention=কোন হস্তক্ষেপ diff --git a/htdocs/langs/bn_IN/intracommreport.lang b/htdocs/langs/bn_IN/intracommreport.lang index 3060300b974..38302e67421 100644 --- a/htdocs/langs/bn_IN/intracommreport.lang +++ b/htdocs/langs/bn_IN/intracommreport.lang @@ -1,40 +1,40 @@ -Module68000Name = Intracomm report -Module68000Desc = Intracomm report management (Support for French DEB/DES format) -IntracommReportSetup = Intracommreport module setup -IntracommReportAbout = About intracommreport +Module68000Name = ইন্ট্রাকম রিপোর্ট +Module68000Desc = ইন্ট্রাকম রিপোর্ট ম্যানেজমেন্ট (ফরাসি DEB/DES ফর্ম্যাটের জন্য সমর্থন) +IntracommReportSetup = Intracommreport মডিউল সেটআপ +IntracommReportAbout = intracommreport সম্পর্কে # Setup INTRACOMMREPORT_NUM_AGREMENT=Numéro d'agrément (délivré par le CISD de rattachement) -INTRACOMMREPORT_TYPE_ACTEUR=Type d'acteur -INTRACOMMREPORT_ROLE_ACTEUR=Rôle joué par l'acteur +INTRACOMMREPORT_TYPE_ACTEUR=অভিনেতা টাইপ +INTRACOMMREPORT_ROLE_ACTEUR=রোল জুয়ে পার ল'অ্যাক্টুর INTRACOMMREPORT_NIV_OBLIGATION_INTRODUCTION=Niveau d'obligation sur les introductions INTRACOMMREPORT_NIV_OBLIGATION_EXPEDITION=Niveau d'obligation sur les expéditions -INTRACOMMREPORT_CATEG_FRAISDEPORT=Catégorie de services de type "Frais de port" +INTRACOMMREPORT_CATEG_FRAISDEPORT="Frais de port" টাইপ পরিষেবার বিভাগ INTRACOMMREPORT_NUM_DECLARATION=Numéro de déclarant # Menu -MenuIntracommReport=Intracomm report -MenuIntracommReportNew=New declaration -MenuIntracommReportList=List +MenuIntracommReport=ইন্ট্রাকম রিপোর্ট +MenuIntracommReportNew=নতুন ঘোষণা +MenuIntracommReportList=তালিকা # View -NewDeclaration=New declaration -Declaration=Declaration -AnalysisPeriod=Analysis period -TypeOfDeclaration=Type of declaration -DEB=Goods exchange declaration (DEB) -DES=Services exchange declaration (DES) +NewDeclaration=নতুন ঘোষণা +Declaration=ঘোষণা +AnalysisPeriod=বিশ্লেষণ সময়কাল +TypeOfDeclaration=ঘোষণার ধরন +DEB=পণ্য বিনিময় ঘোষণা (DEB) +DES=পরিষেবা বিনিময় ঘোষণা (DES) # Export page -IntracommReportTitle=Preparation of an XML file in ProDouane format +IntracommReportTitle=ProDouane বিন্যাসে একটি XML ফাইলের প্রস্তুতি # List -IntracommReportList=List of generated declarations -IntracommReportNumber=Numero of declaration -IntracommReportPeriod=Period of nalysis -IntracommReportTypeDeclaration=Type of declaration -IntracommReportDownload=download XML file +IntracommReportList=উত্পন্ন ঘোষণার তালিকা +IntracommReportNumber=ঘোষণার সংখ্যা +IntracommReportPeriod=বিশ্লেষণের সময়কাল +IntracommReportTypeDeclaration=ঘোষণার ধরন +IntracommReportDownload=XML ফাইল ডাউনলোড করুন # Invoice -IntracommReportTransportMode=Transport mode +IntracommReportTransportMode=পরিবহন মোড diff --git a/htdocs/langs/bn_IN/knowledgemanagement.lang b/htdocs/langs/bn_IN/knowledgemanagement.lang index bcdf9740cdd..e16c9909641 100644 --- a/htdocs/langs/bn_IN/knowledgemanagement.lang +++ b/htdocs/langs/bn_IN/knowledgemanagement.lang @@ -18,37 +18,44 @@ # # Module label 'ModuleKnowledgeManagementName' -ModuleKnowledgeManagementName = Knowledge Management System +ModuleKnowledgeManagementName = নলেজ ম্যানেজমেন্ট সিস্টেম # Module description 'ModuleKnowledgeManagementDesc' -ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base +ModuleKnowledgeManagementDesc=একটি নলেজ ম্যানেজমেন্ট (কেএম) বা হেল্প-ডেস্ক বেস পরিচালনা করুন # # Admin page # -KnowledgeManagementSetup = Knowledge Management System setup -Settings = Settings -KnowledgeManagementSetupPage = Knowledge Management System setup page +KnowledgeManagementSetup = নলেজ ম্যানেজমেন্ট সিস্টেম সেটআপ +Settings = সেটিংস +KnowledgeManagementSetupPage = নলেজ ম্যানেজমেন্ট সিস্টেম সেটআপ পৃষ্ঠা # # About page # -About = About -KnowledgeManagementAbout = About Knowledge Management -KnowledgeManagementAboutPage = Knowledge Management about page +About = সম্পর্কিত +KnowledgeManagementAbout = জ্ঞান ব্যবস্থাপনা সম্পর্কে +KnowledgeManagementAboutPage = পৃষ্ঠা সম্পর্কে জ্ঞান ব্যবস্থাপনা -KnowledgeManagementArea = Knowledge Management -MenuKnowledgeRecord = Knowledge base -ListKnowledgeRecord = List of articles -NewKnowledgeRecord = New article -ValidateReply = Validate solution -KnowledgeRecords = Articles -KnowledgeRecord = Article -KnowledgeRecordExtraFields = Extrafields for Article -GroupOfTicket=Group of tickets -YouCanLinkArticleToATicketCategory=You can link an article to a ticket group (so the article will be suggested during qualification of new tickets) -SuggestedForTicketsInGroup=Suggested for tickets when group is +KnowledgeManagementArea = জ্ঞান ব্যবস্থাপনা +MenuKnowledgeRecord = জ্ঞানভিত্তিক +MenuKnowledgeRecordShort = জ্ঞানভিত্তিক +ListKnowledgeRecord = নিবন্ধের তালিকা +NewKnowledgeRecord = নতুন নিবন্ধ +ValidateReply = সমাধান যাচাই করুন +KnowledgeRecords = প্রবন্ধ +KnowledgeRecord = প্রবন্ধ +KnowledgeRecordExtraFields = প্রবন্ধের জন্য অতিরিক্ত ক্ষেত্র +GroupOfTicket=টিকিটের গ্রুপ +YouCanLinkArticleToATicketCategory=আপনি নিবন্ধটিকে একটি টিকিট গ্রুপে লিঙ্ক করতে পারেন (তাই নিবন্ধটি এই গ্রুপের যেকোনো টিকিটে হাইলাইট করা হবে) +SuggestedForTicketsInGroup=টিকিট তৈরির পরামর্শ দেওয়া হয়েছে -SetObsolete=Set as obsolete -ConfirmCloseKM=Do you confirm the closing of this article as obsolete ? -ConfirmReopenKM=Do you want to restore this article to status "Validated" ? +SetObsolete=অপ্রচলিত হিসাবে সেট করুন +ConfirmCloseKM=আপনি কি এই নিবন্ধটি অপ্রচলিত হিসাবে বন্ধ করার বিষয়টি নিশ্চিত করেন? +ConfirmReopenKM=আপনি কি এই নিবন্ধটিকে "প্রমাণিত" স্থিতিতে পুনরুদ্ধার করতে চান? +BoxLastKnowledgerecordDescription=শেষ %s নিবন্ধ +BoxLastKnowledgerecord=শেষ নিবন্ধ +BoxLastKnowledgerecordContent=শেষ নিবন্ধ +BoxLastKnowledgerecordModifiedContent=সর্বশেষ পরিবর্তিত নিবন্ধ +BoxLastModifiedKnowledgerecordDescription=শেষ %s পরিবর্তিত নিবন্ধ +BoxLastModifiedKnowledgerecord=সর্বশেষ পরিবর্তিত নিবন্ধ diff --git a/htdocs/langs/bn_IN/languages.lang b/htdocs/langs/bn_IN/languages.lang index 82dabbaeda2..8a2a7a27863 100644 --- a/htdocs/langs/bn_IN/languages.lang +++ b/htdocs/langs/bn_IN/languages.lang @@ -1,114 +1,129 @@ # Dolibarr language file - Source file is en_US - languages -Language_am_ET=Ethiopian -Language_ar_AR=Arabic -Language_ar_DZ=Arabic (Algeria) -Language_ar_EG=Arabic (Egypt) -Language_ar_MA=Arabic (Moroco) -Language_ar_SA=Arabic -Language_ar_TN=Arabic (Tunisia) -Language_ar_IQ=Arabic (Iraq) -Language_as_IN=Assamese -Language_az_AZ=Azerbaijani -Language_bn_BD=Bengali -Language_bn_IN=Bengali (India) -Language_bg_BG=Bulgarian -Language_bs_BA=Bosnian -Language_ca_ES=Catalan -Language_cs_CZ=Czech -Language_da_DA=Danish -Language_da_DK=Danish -Language_de_DE=German -Language_de_AT=German (Austria) -Language_de_CH=German (Switzerland) -Language_el_GR=Greek -Language_el_CY=Greek (Cyprus) -Language_en_AU=English (Australia) -Language_en_CA=English (Canada) -Language_en_GB=English (United Kingdom) -Language_en_IN=English (India) -Language_en_NZ=English (New Zealand) -Language_en_SA=English (Saudi Arabia) -Language_en_SG=English (Singapore) -Language_en_US=English (United States) -Language_en_ZA=English (South Africa) -Language_es_ES=Spanish -Language_es_AR=Spanish (Argentina) -Language_es_BO=Spanish (Bolivia) -Language_es_CL=Spanish (Chile) -Language_es_CO=Spanish (Colombia) -Language_es_DO=Spanish (Dominican Republic) -Language_es_EC=Spanish (Ecuador) -Language_es_GT=Spanish (Guatemala) -Language_es_HN=Spanish (Honduras) -Language_es_MX=Spanish (Mexico) -Language_es_PA=Spanish (Panama) -Language_es_PY=Spanish (Paraguay) -Language_es_PE=Spanish (Peru) -Language_es_PR=Spanish (Puerto Rico) -Language_es_US=Spanish (USA) -Language_es_UY=Spanish (Uruguay) -Language_es_GT=Spanish (Guatemala) -Language_es_VE=Spanish (Venezuela) -Language_et_EE=Estonian -Language_eu_ES=Basque -Language_fa_IR=Persian -Language_fi_FI=Finnish -Language_fr_BE=French (Belgium) -Language_fr_CA=French (Canada) -Language_fr_CH=French (Switzerland) -Language_fr_CI=French (Cost Ivory) -Language_fr_CM=French (Cameroun) -Language_fr_FR=French -Language_fr_GA=French (Gabon) -Language_fr_NC=French (New Caledonia) -Language_fr_SN=French (Senegal) -Language_fy_NL=Frisian -Language_gl_ES=Galician -Language_he_IL=Hebrew -Language_hi_IN=Hindi (India) -Language_hr_HR=Croatian -Language_hu_HU=Hungarian -Language_id_ID=Indonesian -Language_is_IS=Icelandic -Language_it_IT=Italian -Language_it_CH=Italian (Switzerland) -Language_ja_JP=Japanese -Language_ka_GE=Georgian -Language_kk_KZ=Kazakh -Language_km_KH=Khmer -Language_kn_IN=Kannada -Language_ko_KR=Korean -Language_lo_LA=Lao -Language_lt_LT=Lithuanian -Language_lv_LV=Latvian -Language_mk_MK=Macedonian -Language_mn_MN=Mongolian -Language_nb_NO=Norwegian (Bokmål) -Language_ne_NP=Nepali -Language_nl_BE=Dutch (Belgium) -Language_nl_NL=Dutch -Language_pl_PL=Polish -Language_pt_AO=Portuguese (Angola) -Language_pt_BR=Portuguese (Brazil) -Language_pt_PT=Portuguese -Language_ro_MD=Romanian (Moldavia) -Language_ro_RO=Romanian -Language_ru_RU=Russian -Language_ru_UA=Russian (Ukraine) -Language_tg_TJ=Tajik -Language_tr_TR=Turkish -Language_sl_SI=Slovenian -Language_sv_SV=Swedish -Language_sv_SE=Swedish -Language_sq_AL=Albanian -Language_sk_SK=Slovakian -Language_sr_RS=Serbian -Language_sw_SW=Kiswahili -Language_th_TH=Thai -Language_uk_UA=Ukrainian -Language_uz_UZ=Uzbek -Language_vi_VN=Vietnamese -Language_zh_CN=Chinese -Language_zh_TW=Chinese (Traditional) -Language_zh_HK=Chinese (Hong Kong) -Language_bh_MY=Malay +Language_am_ET=ইথিওপিয়ান +Language_af_ZA=আফ্রিকান (দক্ষিণ আফ্রিকা) +Language_en_AE=আরবি (সংযুক্ত আরব আমিরাত) +Language_ar_AR=আরবি +Language_ar_DZ=আরবি (আলজেরিয়া) +Language_ar_EG=আরবি (মিশর) +Language_ar_JO=আরবি (জর্দানিয়া) +Language_ar_MA=আরবি (মরোকো) +Language_ar_SA=আরবি (সৌদি আরব) +Language_ar_TN=আরবি (তিউনিসিয়া) +Language_ar_IQ=আরবি (ইরাক) +Language_as_IN=অসমীয়া +Language_az_AZ=আজারবাইজানি +Language_bn_BD=বাংলা +Language_bn_IN=বাংলা (ভারত) +Language_bg_BG=বুলগেরিয়ান +Language_bo_CN=তিব্বতি +Language_bs_BA=বসনিয়ান +Language_ca_ES=কাতালান +Language_cs_CZ=চেক +Language_cy_GB=ওয়েলশ +Language_da_DA=ড্যানিশ +Language_da_DK=ড্যানিশ +Language_de_DE=জার্মান +Language_de_AT=জার্মান (অস্ট্রিয়া) +Language_de_CH=জার্মান (সুইজারল্যান্ড) +Language_de_LU=জার্মান (লাক্সেমবার্গ) +Language_el_GR=গ্রীক +Language_el_CY=গ্রীক (সাইপ্রাস) +Language_en_AE=আরবি (সংযুক্ত আরব আমিরাত) +Language_en_AU=ইংরেজি (অস্ট্রেলিয়া) +Language_en_CA=ইংরেজি (কানাডা) +Language_en_GB=ইংরেজি যুক্তরাজ্য) +Language_en_IN=ইংরেজি (ভারত) +Language_en_MY=ইংরেজি (মিয়ানমার) +Language_en_NZ=ইংরেজি (নিউজিল্যান্ড) +Language_en_SA=ইংরেজি (সৌদি আরব) +Language_en_SG=ইংরেজি (সিঙ্গাপুর) +Language_en_US=ইংরেজি মার্কিন যুক্তরাষ্ট্র) +Language_en_ZA=ইংরেজি (দক্ষিণ আফ্রিকা) +Language_en_ZW=ইংরেজি (জিম্বাবুয়ে) +Language_es_ES=স্পেনীয় +Language_es_AR=স্প্যানিশ (আর্জেন্টিনা) +Language_es_BO=স্প্যানিশ (বলিভিয়া) +Language_es_CL=স্প্যানিশ (চিলি) +Language_es_CO=স্প্যানিশ (কলম্বিয়া) +Language_es_CR=স্প্যানিশ (কোস্টারিকা) +Language_es_DO=স্প্যানিশ (ডোমিনিকান প্রজাতন্ত্র) +Language_es_EC=স্প্যানিশ (ইকুয়েডর) +Language_es_GT=স্প্যানিশ (গুয়াতেমালা) +Language_es_HN=স্প্যানিশ (হন্ডুরাস) +Language_es_MX=স্প্যানিশ (মেক্সিকো) +Language_es_PA=স্প্যানিশ (পানামা) +Language_es_PY=স্প্যানিশ (প্যারাগুয়ে) +Language_es_PE=স্প্যানিশ (পেরু) +Language_es_PR=স্প্যানিশ (পুয়ের্তো রিকো) +Language_es_US=স্প্যানিশ (মার্কিন যুক্তরাষ্ট্র) +Language_es_UY=স্প্যানিশ (উরুগুয়ে) +Language_es_GT=স্প্যানিশ (গুয়াতেমালা) +Language_es_VE=স্প্যানিশ (ভেনিজুয়েলা) +Language_et_EE=এস্তোনিয়ান +Language_eu_ES=বাস্ক +Language_fa_IR=ফারসি +Language_fi_FI=ফিনিশ +Language_fr_BE=ফরাসি (বেলজিয়াম) +Language_fr_CA=ফরাসি (কানাডা) +Language_fr_CH=ফরাসি (সুইজারল্যান্ড) +Language_fr_CI=ফরাসি (খরচ আইভরি) +Language_fr_CM=ফরাসি (ক্যামেরুন) +Language_fr_FR=ফরাসি +Language_fr_GA=ফরাসি (গ্যাবন) +Language_fr_NC=ফরাসি (নিউ ক্যালেডোনিয়া) +Language_fr_SN=ফরাসি (সেনেগাল) +Language_fy_NL=ফ্রিজিয়ান +Language_gl_ES=গ্যালিসিয়ান +Language_he_IL=হিব্রু +Language_hi_IN=হিন্দি (ভারত) +Language_hr_HR=ক্রোয়েশিয়ান +Language_hu_HU=হাঙ্গেরিয়ান +Language_id_ID=ইন্দোনেশিয়ান +Language_is_IS=আইসল্যান্ডিক +Language_it_IT=ইতালীয় +Language_it_CH=ইতালীয় (সুইজারল্যান্ড) +Language_ja_JP=জাপানিজ +Language_ka_GE=জর্জিয়ান +Language_kk_KZ=কাজাখ +Language_km_KH=খমের +Language_kn_IN=কন্নড় +Language_ko_KR=কোরিয়ান +Language_lo_LA=লাও +Language_lt_LT=লিথুয়ানিয়ান +Language_lv_LV=লাটভিয়ান +Language_mk_MK=ম্যাসেডোনিয়ান +Language_mn_MN=মঙ্গোলীয় +Language_my_MM=বার্মিজ +Language_nb_NO=নরওয়েজিয়ান (Bokmål) +Language_ne_NP=নেপালি +Language_nl_BE=ডাচ (বেলজিয়াম) +Language_nl_NL=ডাচ +Language_pl_PL=পোলিশ +Language_pt_AO=পর্তুগিজ (অ্যাঙ্গোলা) +Language_pt_MZ=পর্তুগিজ (মোজাম্বিক) +Language_pt_BR=পর্তুগিজ (ব্রাজিল) +Language_pt_PT=পর্তুগীজ +Language_ro_MD=রোমানিয়ান (মোলদাভিয়া) +Language_ro_RO=রোমানিয়ান +Language_ru_RU=রাশিয়ান +Language_ru_UA=রাশিয়ান (ইউক্রেন) +Language_ta_IN=তামিল +Language_tg_TJ=তাজিক +Language_tr_TR=তুর্কি +Language_sl_SI=স্লোভেনীয় +Language_sv_SV=সুইডিশ +Language_sv_SE=সুইডিশ +Language_sq_AL=আলবেনিয়ান +Language_sk_SK=স্লোভাকিয়ান +Language_sr_RS=সার্বিয়ান +Language_sw_KE=সোয়াহিলি +Language_sw_SW=কিসোয়াহিলি +Language_th_TH=থাই +Language_uk_UA=ইউক্রেনীয় +Language_ur_PK=উর্দু +Language_uz_UZ=উজবেক +Language_vi_VN=ভিয়েতনামী +Language_zh_CN=চাইনিজ +Language_zh_TW=চীনা (তাইওয়ান) +Language_zh_HK=চীনা (হংকং) +Language_bh_MY=মলয় diff --git a/htdocs/langs/bn_IN/ldap.lang b/htdocs/langs/bn_IN/ldap.lang index 8b6f0864215..12070195724 100644 --- a/htdocs/langs/bn_IN/ldap.lang +++ b/htdocs/langs/bn_IN/ldap.lang @@ -1,27 +1,33 @@ # Dolibarr language file - Source file is en_US - ldap -YouMustChangePassNextLogon=Password for user %s on the domain %s must be changed. -UserMustChangePassNextLogon=User must change password on the domain %s -LDAPInformationsForThisContact=Information in LDAP database for this contact -LDAPInformationsForThisUser=Information in LDAP database for this user -LDAPInformationsForThisGroup=Information in LDAP database for this group -LDAPInformationsForThisMember=Information in LDAP database for this member -LDAPInformationsForThisMemberType=Information in LDAP database for this member type -LDAPAttributes=LDAP attributes -LDAPCard=LDAP card -LDAPRecordNotFound=Record not found in LDAP database -LDAPUsers=Users in LDAP database -LDAPFieldStatus=Status -LDAPFieldFirstSubscriptionDate=First subscription date -LDAPFieldFirstSubscriptionAmount=First subscription amount -LDAPFieldLastSubscriptionDate=Latest subscription date -LDAPFieldLastSubscriptionAmount=Latest subscription amount -LDAPFieldSkype=Skype id -LDAPFieldSkypeExample=Example: skypeName -UserSynchronized=User synchronized -GroupSynchronized=Group synchronized -MemberSynchronized=Member synchronized -MemberTypeSynchronized=Member type synchronized -ContactSynchronized=Contact synchronized -ForceSynchronize=Force synchronizing Dolibarr -> LDAP -ErrorFailedToReadLDAP=Failed to read LDAP database. Check LDAP module setup and database accessibility. -PasswordOfUserInLDAP=Password of user in LDAP +YouMustChangePassNextLogon=%s পরিবর্তন করতে হবে। +UserMustChangePassNextLogon=ব্যবহারকারীকে ডোমেনে পাসওয়ার্ড পরিবর্তন করতে হবে %s +LDAPInformationsForThisContact=এই পরিচিতির জন্য LDAP ডাটাবেসে তথ্য +LDAPInformationsForThisUser=এই ব্যবহারকারীর জন্য LDAP ডাটাবেসে তথ্য +LDAPInformationsForThisGroup=এই গ্রুপের জন্য LDAP ডাটাবেসে তথ্য +LDAPInformationsForThisMember=এই সদস্যের জন্য LDAP ডাটাবেসে তথ্য +LDAPInformationsForThisMemberType=এই সদস্য প্রকারের জন্য LDAP ডাটাবেসে তথ্য +LDAPAttributes=LDAP বৈশিষ্ট্য +LDAPCard=এলডিএপি কার্ড +LDAPRecordNotFound=LDAP ডাটাবেসে রেকর্ড পাওয়া যায়নি +LDAPUsers=LDAP ডাটাবেসের ব্যবহারকারীরা +LDAPFieldStatus=স্ট্যাটাস +LDAPFieldFirstSubscriptionDate=প্রথম সদস্যতা তারিখ +LDAPFieldFirstSubscriptionAmount=প্রথম সাবস্ক্রিপশন পরিমাণ +LDAPFieldLastSubscriptionDate=সর্বশেষ সদস্যতা তারিখ +LDAPFieldLastSubscriptionAmount=সর্বশেষ সাবস্ক্রিপশন পরিমাণ +LDAPFieldSkype=স্কাইপ আইডি +LDAPFieldSkypeExample=উদাহরণ: skypeName +UserSynchronized=ব্যবহারকারী সিঙ্ক্রোনাইজড +GroupSynchronized=গ্রুপ সিঙ্ক্রোনাইজ করা হয়েছে +MemberSynchronized=সদস্য সিঙ্ক্রোনাইজ করা হয়েছে +MemberTypeSynchronized=সদস্যের ধরন সিঙ্ক্রোনাইজ করা হয়েছে +ContactSynchronized=পরিচিতি সিঙ্ক্রোনাইজ করা হয়েছে +ForceSynchronize=ডলিবারকে জোর করে সিঙ্ক্রোনাইজ করুন -> এলডিএপি +ErrorFailedToReadLDAP=LDAP ডাটাবেস পড়তে ব্যর্থ হয়েছে৷ LDAP মডিউল সেটআপ এবং ডাটাবেস অ্যাক্সেসযোগ্যতা পরীক্ষা করুন। +PasswordOfUserInLDAP=LDAP এ ব্যবহারকারীর পাসওয়ার্ড +LDAPPasswordHashType=পাসওয়ার্ড হ্যাশ টাইপ +LDAPPasswordHashTypeExample=সার্ভারে ব্যবহৃত পাসওয়ার্ড হ্যাশের ধরন +SupportedForLDAPExportScriptOnly=শুধুমাত্র একটি ldap এক্সপোর্ট স্ক্রিপ্ট দ্বারা সমর্থিত +SupportedForLDAPImportScriptOnly=শুধুমাত্র একটি ldap আমদানি স্ক্রিপ্ট দ্বারা সমর্থিত +LDAPUserAccountControl = সৃষ্টির উপর userAccountControl (সক্রিয় ডিরেক্টরি) +LDAPUserAccountControlExample = 512 সাধারণ অ্যাকাউন্ট / 546 সাধারণ অ্যাকাউন্ট + পাসওয়ার্ড নেই + নিষ্ক্রিয় (দেখুন: https://fr.wikipedia.org/wiki/Active_Directory) diff --git a/htdocs/langs/bn_IN/loan.lang b/htdocs/langs/bn_IN/loan.lang index d271ed0c140..b7209481a09 100644 --- a/htdocs/langs/bn_IN/loan.lang +++ b/htdocs/langs/bn_IN/loan.lang @@ -1,34 +1,34 @@ # Dolibarr language file - Source file is en_US - loan -Loan=Loan -Loans=Loans -NewLoan=New Loan -ShowLoan=Show Loan -PaymentLoan=Loan payment -LoanPayment=Loan payment -ShowLoanPayment=Show Loan Payment -LoanCapital=Capital -Insurance=Insurance -Interest=Interest -Nbterms=Number of terms -Term=Term -LoanAccountancyCapitalCode=Accounting account capital -LoanAccountancyInsuranceCode=Accounting account insurance -LoanAccountancyInterestCode=Accounting account interest -ConfirmDeleteLoan=Confirm deleting this loan -LoanDeleted=Loan Deleted Successfully -ConfirmPayLoan=Confirm classify paid this loan -LoanPaid=Loan Paid -ListLoanAssociatedProject=List of loan associated with the project -AddLoan=Create loan -FinancialCommitment=Financial commitment -InterestAmount=Interest -CapitalRemain=Capital remain -TermPaidAllreadyPaid = This term is allready paid -CantUseScheduleWithLoanStartedToPaid = Can't use scheduler for a loan with payment started -CantModifyInterestIfScheduleIsUsed = You can't modify interest if you use schedule +Loan=ঋণ +Loans=ঋণ +NewLoan=নতুন ঋণ +ShowLoan=ঋণ দেখান +PaymentLoan=ঋণ পরিশোধ +LoanPayment=ঋণ পরিশোধ +ShowLoanPayment=লোন পেমেন্ট দেখান +LoanCapital=মূলধন +Insurance=বীমা +Interest=স্বার্থ +Nbterms=পদের সংখ্যা +Term=মেয়াদ +LoanAccountancyCapitalCode=হিসাবরক্ষণ হিসাব মূলধন +LoanAccountancyInsuranceCode=অ্যাকাউন্টিং অ্যাকাউন্ট বীমা +LoanAccountancyInterestCode=অ্যাকাউন্টিং অ্যাকাউন্টের সুদ +ConfirmDeleteLoan=এই ঋণ মুছে ফেলা নিশ্চিত করুন +LoanDeleted=ঋণ সফলভাবে মুছে ফেলা হয়েছে +ConfirmPayLoan=এই ঋণ পরিশোধ করা শ্রেণীবদ্ধ নিশ্চিত করুন +LoanPaid=ঋণ পরিশোধ করা হয়েছে +ListLoanAssociatedProject=প্রকল্পের সাথে যুক্ত ঋণের তালিকা +AddLoan=ঋণ তৈরি করুন +FinancialCommitment=আর্থিক প্রতিশ্রুতি +InterestAmount=স্বার্থ +CapitalRemain=মূলধন রয়ে গেছে +TermPaidAllreadyPaid = এই মেয়াদ ইতিমধ্যে প্রদান করা হয় +CantUseScheduleWithLoanStartedToPaid = একটি পেমেন্ট শুরু করা ঋণের জন্য একটি টাইমলাইন তৈরি করতে পারে না +CantModifyInterestIfScheduleIsUsed = আপনি যদি সময়সূচী ব্যবহার করেন তবে আপনি আগ্রহ পরিবর্তন করতে পারবেন না # Admin -ConfigLoan=Configuration of the module loan -LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Accounting account capital by default -LOAN_ACCOUNTING_ACCOUNT_INTEREST=Accounting account interest by default -LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Accounting account insurance by default -CreateCalcSchedule=Edit financial commitment +ConfigLoan=মডিউল ঋণ কনফিগারেশন +LOAN_ACCOUNTING_ACCOUNT_CAPITAL=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) মূলধনের জন্য ডিফল্টরূপে ব্যবহার করা হবে (লোন মডিউল) +LOAN_ACCOUNTING_ACCOUNT_INTEREST=অ্যাকাউন্ট (চার্ট অফ অ্যাকাউন্ট থেকে) সুদের জন্য ডিফল্টরূপে ব্যবহার করা হবে (লোন মডিউল) +LOAN_ACCOUNTING_ACCOUNT_INSURANCE=অ্যাকাউন্ট (অ্যাকাউন্টের চার্ট থেকে) বীমার জন্য ডিফল্টরূপে ব্যবহার করা হবে (লোন মডিউল) +CreateCalcSchedule=আর্থিক প্রতিশ্রুতি সম্পাদনা করুন diff --git a/htdocs/langs/bn_IN/mailmanspip.lang b/htdocs/langs/bn_IN/mailmanspip.lang index bab4b3576b4..833dd4b4ee4 100644 --- a/htdocs/langs/bn_IN/mailmanspip.lang +++ b/htdocs/langs/bn_IN/mailmanspip.lang @@ -1,27 +1,27 @@ # Dolibarr language file - Source file is en_US - mailmanspip -MailmanSpipSetup=Mailman and SPIP module Setup -MailmanTitle=Mailman mailing list system -TestSubscribe=To test subscription to Mailman lists -TestUnSubscribe=To test unsubscribe from Mailman lists -MailmanCreationSuccess=Subscription test was executed successfully -MailmanDeletionSuccess=Unsubscription test was executed successfully -SynchroMailManEnabled=A Mailman update will be performed -SynchroSpipEnabled=A Spip update will be performed -DescADHERENT_MAILMAN_ADMINPW=Mailman administrator password -DescADHERENT_MAILMAN_URL=URL for Mailman subscriptions -DescADHERENT_MAILMAN_UNSUB_URL=URL for Mailman unsubscriptions -DescADHERENT_MAILMAN_LISTS=List(s) for automatic inscription of new members (separated by a comma) -SPIPTitle=SPIP Content Management System -DescADHERENT_SPIP_SERVEUR=SPIP Server -DescADHERENT_SPIP_DB=SPIP database name -DescADHERENT_SPIP_USER=SPIP database login -DescADHERENT_SPIP_PASS=SPIP database password -AddIntoSpip=Add into SPIP -AddIntoSpipConfirmation=Are you sure you want to add this member into SPIP? -AddIntoSpipError=Failed to add the user in SPIP -DeleteIntoSpip=Remove from SPIP -DeleteIntoSpipConfirmation=Are you sure you want to remove this member from SPIP? -DeleteIntoSpipError=Failed to suppress the user from SPIP -SPIPConnectionFailed=Failed to connect to SPIP -SuccessToAddToMailmanList=%s successfully added to mailman list %s or SPIP database -SuccessToRemoveToMailmanList=%s successfully removed from mailman list %s or SPIP database +MailmanSpipSetup=মেইলম্যান এবং SPIP মডিউল সেটআপ +MailmanTitle=মেইলম্যান মেইলিং লিস্ট সিস্টেম +TestSubscribe=মেইলম্যান তালিকার সদস্যতা পরীক্ষা করতে +TestUnSubscribe=মেইলম্যান তালিকা থেকে সদস্যতা ত্যাগ করার পরীক্ষা করতে +MailmanCreationSuccess=সদস্যতা পরীক্ষা সফলভাবে সম্পাদিত হয়েছে +MailmanDeletionSuccess=আনসাবস্ক্রিপশন পরীক্ষা সফলভাবে সম্পাদিত হয়েছে +SynchroMailManEnabled=একটি মেইলম্যান আপডেট করা হবে +SynchroSpipEnabled=একটি স্পিপ আপডেট করা হবে +DescADHERENT_MAILMAN_ADMIN_PASSWORD=মেইলম্যান প্রশাসকের পাসওয়ার্ড +DescADHERENT_MAILMAN_URL=মেইলম্যান সদস্যতা জন্য URL +DescADHERENT_MAILMAN_UNSUB_URL=মেইলম্যান সদস্যতা ত্যাগের জন্য URL +DescADHERENT_MAILMAN_LISTS=নতুন সদস্যদের স্বয়ংক্রিয় শিলালিপির জন্য তালিকা(গুলি) (কমা দ্বারা পৃথক করা) +SPIPTitle=SPIP কন্টেন্ট ম্যানেজমেন্ট সিস্টেম +DescADHERENT_SPIP_SERVEUR=SPIP সার্ভার +DescADHERENT_SPIP_DB=SPIP ডাটাবেসের নাম +DescADHERENT_SPIP_USER=SPIP ডাটাবেস লগইন +DescADHERENT_SPIP_PASS=SPIP ডাটাবেস পাসওয়ার্ড +AddIntoSpip=SPIP এ যোগ করুন +AddIntoSpipConfirmation=আপনি কি এই সদস্যকে SPIP-এ যোগ করার বিষয়ে নিশ্চিত? +AddIntoSpipError=SPIP-এ ব্যবহারকারী যোগ করতে ব্যর্থ হয়েছে +DeleteIntoSpip=SPIP থেকে সরান +DeleteIntoSpipConfirmation=আপনি কি SPIP থেকে এই সদস্যকে সরানোর বিষয়ে নিশ্চিত? +DeleteIntoSpipError=SPIP থেকে ব্যবহারকারীকে দমন করতে ব্যর্থ হয়েছে৷ +SPIPConnectionFailed=SPIP এর সাথে সংযোগ করতে ব্যর্থ হয়েছে৷ +SuccessToAddToMailmanList=%s সফলভাবে মেইলম্যান তালিকায় যোগ করা হয়েছে %s বা SPIP ডাটাবেস +SuccessToRemoveToMailmanList=%s মেইলম্যান তালিকা থেকে সফলভাবে সরানো হয়েছে %s বা SPIP ডাটাবেস diff --git a/htdocs/langs/bn_IN/mails.lang b/htdocs/langs/bn_IN/mails.lang index 52c4d4dbf69..c3ad62e716f 100644 --- a/htdocs/langs/bn_IN/mails.lang +++ b/htdocs/langs/bn_IN/mails.lang @@ -1,180 +1,186 @@ # Dolibarr language file - Source file is en_US - mails -Mailing=EMailing -EMailing=EMailing -EMailings=EMailings -AllEMailings=All eMailings -MailCard=EMailing card -MailRecipients=Recipients -MailRecipient=Recipient -MailTitle=Description -MailFrom=Sender -MailErrorsTo=Errors to -MailReply=Reply to -MailTo=Receiver(s) -MailToUsers=To user(s) -MailCC=Copy to -MailToCCUsers=Copy to users(s) -MailCCC=Cached copy to -MailTopic=Email subject -MailText=Message -MailFile=Attached files -MailMessage=Email body -SubjectNotIn=Not in Subject -BodyNotIn=Not in Body -ShowEMailing=Show emailing -ListOfEMailings=List of emailings -NewMailing=New emailing -EditMailing=Edit emailing -ResetMailing=Resend emailing -DeleteMailing=Delete emailing -DeleteAMailing=Delete an emailing -PreviewMailing=Preview emailing -CreateMailing=Create emailing -TestMailing=Test email -ValidMailing=Valid emailing -MailingStatusDraft=Draft -MailingStatusValidated=Validated -MailingStatusSent=Sent -MailingStatusSentPartialy=Sent partially -MailingStatusSentCompletely=Sent completely -MailingStatusError=Error -MailingStatusNotSent=Not sent -MailSuccessfulySent=Email (from %s to %s) successfully accepted for delivery -MailingSuccessfullyValidated=EMailing successfully validated -MailUnsubcribe=Unsubscribe -MailingStatusNotContact=Don't contact anymore -MailingStatusReadAndUnsubscribe=Read and unsubscribe -ErrorMailRecipientIsEmpty=Email recipient is empty -WarningNoEMailsAdded=No new Email to add to recipient's list. -ConfirmValidMailing=Are you sure you want to validate this emailing? -ConfirmResetMailing=Warning, by re-initializing emailing %s, you will allow the re-sending this email in a bulk mailing. Are you sure you want to do this? -ConfirmDeleteMailing=Are you sure you want to delete this emailing? -NbOfUniqueEMails=No. of unique emails -NbOfEMails=No. of EMails -TotalNbOfDistinctRecipients=Number of distinct recipients -NoTargetYet=No recipients defined yet (Go on tab 'Recipients') -NoRecipientEmail=No recipient email for %s -RemoveRecipient=Remove recipient -YouCanAddYourOwnPredefindedListHere=To create your email selector module, see htdocs/core/modules/mailings/README. -EMailTestSubstitutionReplacedByGenericValues=When using test mode, substitutions variables are replaced by generic values -MailingAddFile=Attach this file -NoAttachedFiles=No attached files -BadEMail=Bad value for Email -EMailNotDefined=Email not defined -ConfirmCloneEMailing=Are you sure you want to clone this emailing? -CloneContent=Clone message -CloneReceivers=Cloner recipients -DateLastSend=Date of latest sending -DateSending=Date sending -SentTo=Sent to %s -MailingStatusRead=Read -YourMailUnsubcribeOK=The email %s is correctly unsubscribe from mailing list -ActivateCheckReadKey=Key used to encrypt URL used for "Read Receipt" and "Unsubscribe" feature -EMailSentToNRecipients=Email sent to %s recipients. -EMailSentForNElements=Email sent for %s elements. -XTargetsAdded=%s recipients added into target list -OnlyPDFattachmentSupported=If the PDF documents were already generated for the objects to send, they will be attached to email. If not, no email will be sent (also, note that only pdf documents are supported as attachments in mass sending in this version). -AllRecipientSelected=The recipients of the %s record selected (if their email is known). -GroupEmails=Group emails -OneEmailPerRecipient=One email per recipient (by default, one email per record selected) -WarningIfYouCheckOneRecipientPerEmail=Warning, if you check this box, it means only one email will be sent for several different record selected, so, if your message contains substitution variables that refers to data of a record, it becomes not possible to replace them. -ResultOfMailSending=Result of mass Email sending -NbSelected=Number selected -NbIgnored=Number ignored -NbSent=Number sent -SentXXXmessages=%s message(s) sent. -ConfirmUnvalidateEmailing=Are you sure you want to change email %s to draft status? -MailingModuleDescContactsWithThirdpartyFilter=Contact with customer filters -MailingModuleDescContactsByCompanyCategory=Contacts by third-party category -MailingModuleDescContactsByCategory=Contacts by categories -MailingModuleDescContactsByFunction=Contacts by position -MailingModuleDescEmailsFromFile=Emails from file -MailingModuleDescEmailsFromUser=Emails input by user -MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) -SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. -EmailCollectorFilterDesc=All filters must match to have an email being collected +Mailing=ইমেইলিং +EMailing=ইমেইলিং +EMailings=ইমেইলিং +AllEMailings=সমস্ত ইমেইলিং +MailCard=ইমেইল কার্ড +MailRecipients=প্রাপক +MailRecipient=প্রাপক +MailTitle=বর্ণনা +MailFrom=থেকে +MailErrorsTo=ত্রুটি +MailReply=প্রতিউত্তর +MailTo=প্রতি +MailToUsers=ব্যবহারকারীদের কাছে +MailCC=নকল করা +MailToCCUsers=ব্যবহারকারীদের কাছে কপি করুন +MailCCC=ক্যাশে কপি +MailTopic=ইমেইল বিষয় +MailText=বার্তা +MailFile=সংযুক্ত ফাইল +MailMessage=ইমেইল বডি +SubjectNotIn=সাবজেক্টে নয় +BodyNotIn=শরীরে নয় +ShowEMailing=ইমেল দেখান +ListOfEMailings=ইমেইলের তালিকা +NewMailing=নতুন ইমেইল +EditMailing=ইমেল সম্পাদনা করুন +ResetMailing=ইমেল পুনরায় পাঠান +DeleteMailing=ইমেল মুছুন +DeleteAMailing=একটি ইমেল মুছুন +PreviewMailing=পূর্বরূপ ইমেল +CreateMailing=ইমেল তৈরি করুন +TestMailing=পরীক্ষা ইমেল +ValidMailing=বৈধ ইমেইল +MailingStatusDraft=খসড়া +MailingStatusValidated=যাচাই করা হয়েছে +MailingStatusSent=পাঠানো হয়েছে +MailingStatusSentPartialy=আংশিক পাঠানো হয়েছে +MailingStatusSentCompletely=সম্পূর্ণভাবে পাঠানো হয়েছে +MailingStatusError=ত্রুটি +MailingStatusNotSent=পাঠানো না +MailSuccessfulySent=ইমেল (%s থেকে %s পর্যন্ত) সফলভাবে বিতরণের জন্য গৃহীত হয়েছে +MailingSuccessfullyValidated=ইমেইল সফলভাবে যাচাই করা হয়েছে +MailUnsubcribe=সদস্যতা ত্যাগ করুন +MailingStatusNotContact=আর যোগাযোগ করবেন না +MailingStatusReadAndUnsubscribe=পড়ুন এবং সদস্যতা ত্যাগ করুন +ErrorMailRecipientIsEmpty=ইমেল প্রাপক খালি +WarningNoEMailsAdded=প্রাপকের তালিকায় যোগ করার জন্য কোনো নতুন ইমেল নেই। +ConfirmValidMailing=আপনি কি এই ইমেল যাচাই করার বিষয়ে নিশ্চিত? +ConfirmResetMailing=সতর্কতা, %s ইমেল পুনরায় শুরু করার মাধ্যমে, আপনি অনুমতি দেবেন একটি বাল্ক মেইলিং এই ইমেল পুনরায় পাঠান. আপনি কি সত্যি এটা করতে চান? +ConfirmDeleteMailing=আপনি কি এই ইমেল মুছে ফেলার বিষয়ে নিশ্চিত? +NbOfUniqueEMails=অনন্য ইমেলের সংখ্যা +NbOfEMails=ইমেইল সংখ্যা +TotalNbOfDistinctRecipients=স্বতন্ত্র প্রাপকের সংখ্যা +NoTargetYet=এখনও কোন প্রাপক সংজ্ঞায়িত করা হয়নি ('প্রাপক' ট্যাবে যান) +NoRecipientEmail=%s এর জন্য কোনো প্রাপকের ইমেল নেই +RemoveRecipient=প্রাপক সরান +YouCanAddYourOwnPredefindedListHere=আপনার ইমেল নির্বাচক মডিউল তৈরি করতে, htdocs/core/modules/mailings/README দেখুন। +EMailTestSubstitutionReplacedByGenericValues=পরীক্ষার মোড ব্যবহার করার সময়, প্রতিস্থাপন ভেরিয়েবলগুলি জেনেরিক মান দ্বারা প্রতিস্থাপিত হয় +MailingAddFile=এই ফাইলটি সংযুক্ত করুন +NoAttachedFiles=সংযুক্ত ফাইল নেই +BadEMail=ইমেলের জন্য খারাপ মান +EMailNotDefined=ইমেল সংজ্ঞায়িত করা হয়নি +ConfirmCloneEMailing=আপনি কি নিশ্চিত আপনি এই ইমেল ক্লোন করতে চান? +CloneContent=ক্লোন বার্তা +CloneReceivers=ক্লোনার প্রাপক +DateLastSend=সর্বশেষ পাঠানোর তারিখ +DateSending=পাঠানোর তারিখ +SentTo=%s এ পাঠানো হয়েছে +MailingStatusRead=পড়ুন +YourMailUnsubcribeOK=ইমেল %s সঠিকভাবে মেইলিং তালিকা থেকে সদস্যতা ত্যাগ করেছে +ActivateCheckReadKey="পড়ার রসিদ" এবং "আনসাবস্ক্রাইব" বৈশিষ্ট্যের জন্য ব্যবহৃত URL এনক্রিপ্ট করতে ব্যবহৃত কী +EMailSentToNRecipients=%s প্রাপকদের ইমেল পাঠানো হয়েছে। +EMailSentForNElements=%s উপাদানগুলির জন্য ইমেল পাঠানো হয়েছে৷ +XTargetsAdded=%s প্রাপকদের লক্ষ্য তালিকায় যোগ করা হয়েছে +OnlyPDFattachmentSupported=যদি পিডিএফ নথিগুলি ইতিমধ্যেই পাঠানো বস্তুগুলির জন্য তৈরি করা হয়, তবে সেগুলি ইমেলের সাথে সংযুক্ত করা হবে। যদি তা না হয়, কোন ইমেল পাঠানো হবে না (এছাড়াও, মনে রাখবেন যে এই সংস্করণে শুধুমাত্র পিডিএফ নথিগুলিই সংযুক্তি হিসাবে সমর্থিত। +AllRecipientSelected=%s রেকর্ডের প্রাপক নির্বাচিত (যদি তাদের ইমেল পরিচিত হয়)। +GroupEmails=গ্রুপ ইমেল +OneEmailPerRecipient=প্রতি প্রাপক একটি ইমেল (ডিফল্টরূপে, রেকর্ড প্রতি একটি ইমেল নির্বাচিত) +WarningIfYouCheckOneRecipientPerEmail=সতর্কতা, যদি আপনি এই বাক্সটি চেক করেন, এর অর্থ হল শুধুমাত্র একটি ইমেল বিভিন্ন নির্বাচিত রেকর্ডের জন্য পাঠানো হবে, তাই, যদি আপনার বার্তায় প্রতিস্থাপন ভেরিয়েবল থাকে যা একটি রেকর্ডের ডেটাকে নির্দেশ করে, তাহলে তাদের প্রতিস্থাপন করা সম্ভব হবে না। +ResultOfMailSending=গণ ইমেল পাঠানোর ফলাফল +NbSelected=নম্বর বেছে নেওয়া হয়েছে +NbIgnored=নম্বর উপেক্ষা করা হয়েছে +NbSent=নম্বর পাঠানো হয়েছে +SentXXXmessages=%s বার্তা(গুলি) পাঠানো হয়েছে৷ +ConfirmUnvalidateEmailing=আপনি কি নিশ্চিত ইমেল %s খসড়া স্থিতিতে পরিবর্তন করতে চান ? +MailingModuleDescContactsWithThirdpartyFilter=গ্রাহক ফিল্টার সঙ্গে যোগাযোগ +MailingModuleDescContactsByCompanyCategory=তৃতীয় পক্ষের বিভাগ দ্বারা পরিচিতি +MailingModuleDescContactsByCategory=বিভাগ দ্বারা পরিচিতি +MailingModuleDescContactsByFunction=অবস্থান অনুযায়ী পরিচিতি +MailingModuleDescEmailsFromFile=ফাইল থেকে ইমেল +MailingModuleDescEmailsFromUser=ব্যবহারকারী দ্বারা ইমেল ইনপুট +MailingModuleDescDolibarrUsers=ইমেল সহ ব্যবহারকারীরা +MailingModuleDescThirdPartiesByCategories=তৃতীয় পক্ষ +SendingFromWebInterfaceIsNotAllowed=ওয়েব ইন্টারফেস থেকে পাঠানো অনুমোদিত নয়। +EmailCollectorFilterDesc=একটি ইমেল সংগ্রহ করার জন্য সমস্ত ফিল্টার অবশ্যই মেলে।
      আপনি "!" অক্ষরটি ব্যবহার করতে পারেন। যদি আপনার একটি নেতিবাচক পরীক্ষার প্রয়োজন হয় অনুসন্ধান স্ট্রিং মান আগে # Libelle des modules de liste de destinataires mailing -LineInFile=Line %s in file -RecipientSelectionModules=Defined requests for recipient's selection -MailSelectedRecipients=Selected recipients -MailingArea=EMailings area -LastMailings=Latest %s emailings -TargetsStatistics=Targets statistics -NbOfCompaniesContacts=Unique contacts/addresses -MailNoChangePossible=Recipients for validated emailing can't be changed -SearchAMailing=Search mailing -SendMailing=Send emailing -SentBy=Sent by -MailingNeedCommand=Sending an emailing can be performed from command line. Ask your server administrator to launch the following command to send the emailing to all recipients: -MailingNeedCommand2=You can however send them online by adding parameter MAILING_LIMIT_SENDBYWEB with value of max number of emails you want to send by session. For this, go on Home - Setup - Other. -ConfirmSendingEmailing=If you want to send emailing directly from this screen, please confirm you are sure you want to send emailing now from your browser ? -LimitSendingEmailing=Note: Sending of emailings from web interface is done in several times for security and timeout reasons, %s recipients at a time for each sending session. -TargetsReset=Clear list -ToClearAllRecipientsClickHere=Click here to clear the recipient list for this emailing -ToAddRecipientsChooseHere=Add recipients by choosing from the lists -NbOfEMailingsReceived=Mass emailings received -NbOfEMailingsSend=Mass emailings sent -IdRecord=ID record -DeliveryReceipt=Delivery Ack. -YouCanUseCommaSeparatorForSeveralRecipients=You can use the comma separator to specify several recipients. -TagCheckMail=Track mail opening -TagUnsubscribe=Unsubscribe link -TagSignature=Signature of sending user -EMailRecipient=Recipient Email -TagMailtoEmail=Recipient Email (including html "mailto:" link) -NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile. +LineInFile=ফাইলে %s লাইন +RecipientSelectionModules=প্রাপকের নির্বাচনের জন্য সংজ্ঞায়িত অনুরোধ +MailSelectedRecipients=নির্বাচিত প্রাপক +MailingArea=ইমেইল এলাকা +LastMailings=সর্বশেষ %s ইমেল +TargetsStatistics=লক্ষ্য পরিসংখ্যান +NbOfCompaniesContacts=অনন্য পরিচিতি/ঠিকানা +MailNoChangePossible=বৈধ ইমেল করার জন্য প্রাপক পরিবর্তন করা যাবে না +SearchAMailing=মেইলিং অনুসন্ধান করুন +SendMailing=ইমেইল পাঠান +SentBy=পাঠানো +MailingNeedCommand=একটি ইমেল পাঠানো কমান্ড লাইন থেকে সঞ্চালিত করা যেতে পারে. সমস্ত প্রাপককে ইমেল পাঠাতে আপনার সার্ভার প্রশাসককে নিম্নলিখিত কমান্ডটি চালু করতে বলুন: +MailingNeedCommand2=তবে আপনি সেশনের মাধ্যমে পাঠাতে চান এমন সর্বাধিক সংখ্যক ইমেলের মান সহ প্যারামিটার MAILING_LIMIT_SENDBYWEB যোগ করে সেগুলি অনলাইনে পাঠাতে পারেন৷ এর জন্য, হোম - সেটআপ - অন্যান্য এ যান। +ConfirmSendingEmailing=আপনি যদি এই স্ক্রীন থেকে সরাসরি ইমেল পাঠাতে চান, তাহলে অনুগ্রহ করে নিশ্চিত করুন যে আপনি এখন আপনার ব্রাউজার থেকে ইমেল পাঠাতে চান? +LimitSendingEmailing=দ্রষ্টব্য: ওয়েব ইন্টারফেস থেকে ইমেল পাঠানো নিরাপত্তা এবং সময় শেষ হওয়ার কারণে বেশ কয়েকবার করা হয়, %s প্রতিটি সেন্ডিং সেশনের জন্য এক সময়ে প্রাপক। +TargetsReset=লিস্ট পরিষ্কার করো +ToClearAllRecipientsClickHere=এই ইমেলের জন্য প্রাপক তালিকা সাফ করতে এখানে ক্লিক করুন +ToAddRecipientsChooseHere=তালিকা থেকে বেছে নিয়ে প্রাপকদের যোগ করুন +NbOfEMailingsReceived=গণ ইমেল প্রাপ্ত +NbOfEMailingsSend=গণ ইমেল পাঠানো হয়েছে +IdRecord=আইডি রেকর্ড +DeliveryReceipt=ডেলিভারি Ack. +YouCanUseCommaSeparatorForSeveralRecipients=আপনি বেশ কিছু প্রাপককে নির্দিষ্ট করতে কমা বিভাজক ব্যবহার করতে পারেন। +TagCheckMail=মেইল খোলার ট্র্যাক +TagUnsubscribe=আনসাবস্ক্রাইব লিঙ্ক +TagSignature=প্রেরক ব্যবহারকারীর স্বাক্ষর +EMailRecipient=প্রাপক ই - মেইল +TagMailtoEmail=প্রাপকের ইমেল (html "mailto:" লিঙ্ক সহ) +NoEmailSentBadSenderOrRecipientEmail=কোনো ইমেল পাঠানো হয়নি। খারাপ প্রেরক বা প্রাপকের ইমেল। ব্যবহারকারীর প্রোফাইল যাচাই করুন। # Module Notifications -Notifications=Notifications -NotificationsAuto=Notifications Auto. -NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company -ANotificationsWillBeSent=1 automatic notification will be sent by email -SomeNotificationsWillBeSent=%s automatic notifications will be sent by email -AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List of all automatic email notifications sent -MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. -MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. -MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. -YouCanAlsoUseSupervisorKeyword=You can also add the keyword __SUPERVISOREMAIL__ to have email being sent to the supervisor of user (works only if an email is defined for this supervisor) -NbOfTargetedContacts=Current number of targeted contact emails -UseFormatFileEmailToTarget=Imported file must have format email;name;firstname;other -UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other -MailAdvTargetRecipients=Recipients (advanced selection) -AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target -AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima -AdvTgtSearchIntHelp=Use interval to select int or float value -AdvTgtMinVal=Minimum value -AdvTgtMaxVal=Maximum value -AdvTgtSearchDtHelp=Use interval to select date value -AdvTgtStartDt=Start dt. -AdvTgtEndDt=End dt. -AdvTgtTypeOfIncudeHelp=Target Email of third party and email of contact of the third party, or just third-party email or just contact email -AdvTgtTypeOfIncude=Type of targeted email -AdvTgtContactHelp=Use only if you target contact into "Type of targeted email" -AddAll=Add all -RemoveAll=Remove all -ItemsCount=Item(s) -AdvTgtNameTemplate=Filter name -AdvTgtAddContact=Add emails according to criteria -AdvTgtLoadFilter=Load filter -AdvTgtDeleteFilter=Delete filter -AdvTgtSaveFilter=Save filter -AdvTgtCreateFilter=Create filter -AdvTgtOrCreateNewFilter=Name of new filter -NoContactWithCategoryFound=No category found linked to some contacts/addresses -NoContactLinkedToThirdpartieWithCategoryFound=No category found linked to some thirdparties -OutGoingEmailSetup=Outgoing emails -InGoingEmailSetup=Incoming emails -OutGoingEmailSetupForEmailing=Outgoing emails (for module %s) -DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup -Information=Information -ContactsWithThirdpartyFilter=Contacts with third-party filter -Unanswered=Unanswered -Answered=Answered -IsNotAnAnswer=Is not answer (initial email) -IsAnAnswer=Is an answer of an initial email -RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s -DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact -DefaultStatusEmptyMandatory=Empty but mandatory +Notifications=বিজ্ঞপ্তি +NotificationsAuto=বিজ্ঞপ্তি স্বয়ংক্রিয়. +NoNotificationsWillBeSent=এই ইভেন্টের ধরন এবং কোম্পানির জন্য কোন স্বয়ংক্রিয় ইমেল বিজ্ঞপ্তির পরিকল্পনা করা হয় না +ANotificationsWillBeSent=1টি স্বয়ংক্রিয় বিজ্ঞপ্তি ইমেলের মাধ্যমে পাঠানো হবে +SomeNotificationsWillBeSent=%s স্বয়ংক্রিয় বিজ্ঞপ্তি ইমেলের মাধ্যমে পাঠানো হবে +AddNewNotification=একটি নতুন স্বয়ংক্রিয় ইমেল বিজ্ঞপ্তিতে সদস্যতা নিন (লক্ষ্য/ইভেন্ট) +ListOfActiveNotifications=স্বয়ংক্রিয় ইমেল বিজ্ঞপ্তির জন্য সমস্ত সক্রিয় সদস্যতার তালিকা (লক্ষ্য/ইভেন্ট) +ListOfNotificationsDone=পাঠানো সমস্ত স্বয়ংক্রিয় ইমেল বিজ্ঞপ্তিগুলির তালিকা৷ +MailSendSetupIs=ইমেল পাঠানোর কনফিগারেশন '%s'-এ সেটআপ করা হয়েছে। এই মোডটি ব্যাপক ইমেল পাঠাতে ব্যবহার করা যাবে না। +MailSendSetupIs2=প্যারামিটার পরিবর্তন করতে আপনাকে প্রথমে একটি প্রশাসক অ্যাকাউন্ট সহ মেনু %sহোম - সেটআপ - ইমেল%s এ যেতে হবে '%s' মোড ব্যবহার করার জন্য ' এই মোডের মাধ্যমে, আপনি আপনার ইন্টারনেট পরিষেবা প্রদানকারী দ্বারা প্রদত্ত SMTP সার্ভারের সেটআপ প্রবেশ করতে পারেন এবং গণ ইমেল বৈশিষ্ট্য ব্যবহার করতে পারেন। +MailSendSetupIs3=আপনার SMTP সার্ভার কিভাবে সেটআপ করবেন সে সম্পর্কে আপনার কোনো প্রশ্ন থাকলে, আপনি %s-কে জিজ্ঞাসা করতে পারেন। +YouCanAlsoUseSupervisorKeyword=ব্যবহারকারীর তত্ত্বাবধায়কের কাছে ইমেল পাঠানোর জন্য আপনি __SUPERVISOREMAIL__ কীওয়ার্ডটিও যোগ করতে পারেন (একটি ইমেল থাকলেই কাজ করে এই সুপারভাইজার জন্য সংজ্ঞায়িত) +NbOfTargetedContacts=টার্গেট করা যোগাযোগের ইমেলের বর্তমান সংখ্যা +UseFormatFileEmailToTarget=আমদানি করা ফাইলে অবশ্যই email;name;firstname;other ফর্ম্যাট থাকতে হবে +UseFormatInputEmailToTarget=বিন্যাস সহ একটি স্ট্রিং লিখুন email;name;firstname;other +MailAdvTargetRecipients=প্রাপক (উন্নত নির্বাচন) +AdvTgtTitle=লক্ষ্য করার জন্য তৃতীয় পক্ষ বা পরিচিতি/ঠিকানাগুলি পূর্বনির্বাচন করতে ইনপুট ক্ষেত্রগুলি পূরণ করুন +AdvTgtSearchTextHelp=ওয়াইল্ডকার্ড হিসেবে %% ব্যবহার করুন। উদাহরণস্বরূপ জিন, জো, জিম এর মতো সমস্ত আইটেম খুঁজে পেতে, আপনি ইনপুট করতে পারেন j%%, আপনিও ব্যবহার করতে পারেন ; মান জন্য বিভাজক হিসাবে, এবং ব্যবহার করুন! এই মান ছাড়া জন্য. যেমন jean;joe;jim%%;!jimo;!jimab07e63171f5dacz span> সব জিন, জো, জিম দিয়ে শুরু করবে কিন্তু জিমো নয় এবং জিমা দিয়ে শুরু হওয়া সবকিছু নয় +AdvTgtSearchIntHelp=int বা ফ্লোট মান নির্বাচন করতে ব্যবধান ব্যবহার করুন +AdvTgtMinVal=সর্বনিম্ন মান +AdvTgtMaxVal=সর্বোচ্চ মূল্য +AdvTgtSearchDtHelp=তারিখ মান নির্বাচন করতে ব্যবধান ব্যবহার করুন +AdvTgtStartDt=শুরু dt. +AdvTgtEndDt=শেষ dt. +AdvTgtTypeOfIncudeHelp=তৃতীয় পক্ষের টার্গেট ইমেল এবং তৃতীয় পক্ষের যোগাযোগের ইমেল, অথবা শুধুমাত্র তৃতীয় পক্ষের ইমেল বা শুধুমাত্র যোগাযোগের ইমেল +AdvTgtTypeOfIncude=টার্গেটেড ইমেইলের ধরন +AdvTgtContactHelp=আপনি "টার্গেটেড ইমেলের প্রকার"-এ পরিচিতি টার্গেট করলেই ব্যবহার করুন +AddAll=সব যোগ কর +RemoveAll=সব মুছে ফেলুন +ItemsCount=আইটেম(গুলি) +AdvTgtNameTemplate=ফিল্টারের নাম +AdvTgtAddContact=মানদণ্ড অনুযায়ী ইমেল যোগ করুন +AdvTgtLoadFilter=ফিল্টার লোড করুন +AdvTgtDeleteFilter=ফিল্টার মুছুন +AdvTgtSaveFilter=ফিল্টার সংরক্ষণ করুন +AdvTgtCreateFilter=ফিল্টার তৈরি করুন +AdvTgtOrCreateNewFilter=নতুন ফিল্টারের নাম +NoContactWithCategoryFound=কিছু পরিচিতি/ঠিকানার সাথে লিঙ্কযুক্ত কোনো বিভাগ পাওয়া যায়নি +NoContactLinkedToThirdpartieWithCategoryFound=কিছু তৃতীয় পক্ষের সাথে লিঙ্কযুক্ত কোনো বিভাগ পাওয়া যায়নি +OutGoingEmailSetup=বহির্গামী ইমেল +InGoingEmailSetup=ইনকামিং ইমেল +OutGoingEmailSetupForEmailing=বহির্গামী ইমেল (%s মডিউলের জন্য) +DefaultOutgoingEmailSetup=গ্লোবাল আউটগোয়িং ইমেল সেটআপের তুলনায় একই কনফিগারেশন +Information=তথ্য +ContactsWithThirdpartyFilter=তৃতীয় পক্ষের ফিল্টারের সাথে পরিচিতি +Unanswered=উত্তরহীন +Answered=উত্তর দিয়েছেন +IsNotAnAnswer=উত্তর নয় (প্রাথমিক ইমেল) +IsAnAnswer=এটি একটি প্রাথমিক ইমেলের একটি উত্তর +RecordCreatedByEmailCollector=ইমেল সংগ্রাহকের দ্বারা তৈরি করা রেকর্ড %s ইমেল থেকে %s +DefaultBlacklistMailingStatus=একটি নতুন পরিচিতি তৈরি করার সময় '%s' ক্ষেত্রের ডিফল্ট মান +DefaultStatusEmptyMandatory=খালি কিন্তু বাধ্যতামূলক +WarningLimitSendByDay=সতর্কতা: আপনার উদাহরণের সেটআপ বা চুক্তিটি প্রতিদিন আপনার ইমেলের সংখ্যা %s। আরও পাঠানোর চেষ্টা করার ফলে আপনার দৃষ্টান্ত ধীর বা স্থগিত হতে পারে। আপনি একটি উচ্চ কোটা প্রয়োজন হলে আপনার সমর্থনের সাথে যোগাযোগ করুন. +NoMoreRecipientToSendTo=ইমেল পাঠাতে আর কোন প্রাপক +EmailOptedOut=ইমেলের মালিক অনুরোধ করেছেন এই ইমেলের মাধ্যমে তার সাথে আর যোগাযোগ না করার জন্য +EvenUnsubscribe=অপ্ট-আউট ইমেলগুলি অন্তর্ভুক্ত করুন৷ +EvenUnsubscribeDesc=আপনি যখন লক্ষ্য হিসাবে ইমেল নির্বাচন করেন তখন অপ্ট-আউট ইমেলগুলি অন্তর্ভুক্ত করুন৷ উদাহরণস্বরূপ বাধ্যতামূলক পরিষেবা ইমেলের জন্য দরকারী। +XEmailsDoneYActionsDone=%s ইমেলগুলি প্রাক-যোগ্য, %s ইমেলগুলি সফলভাবে প্রক্রিয়া করা হয়েছে (%s রেকর্ডের জন্য /ক্রিয়া সম্পন্ন) diff --git a/htdocs/langs/bn_IN/main.lang b/htdocs/langs/bn_IN/main.lang index 2d850927782..00dd1046a0f 100644 --- a/htdocs/langs/bn_IN/main.lang +++ b/htdocs/langs/bn_IN/main.lang @@ -1,9 +1,15 @@ # Dolibarr language file - Source file is en_US - main DIRECTION=ltr +# Default for FONTFORPDF=helvetica # Note for Chinese: -# msungstdlight or cid0ct are for traditional Chinese (traditional does not render with Ubuntu pdf reader) -# stsongstdlight or cid0cs are for simplified Chinese +# msungstdlight or cid0ct are for traditional Chinese zh_TW (traditional does not render with Ubuntu pdf reader) +# stsongstdlight or cid0cs are for simplified Chinese zh_CN # To read Chinese pdf with Linux: sudo apt-get install poppler-data +# cid0jp is for Japanish +# cid0kr is for Korean +# DejaVuSans is for some Eastern languages, some Asian languages and some Arabic languages +# freemono is for ru_RU or uk_UA, uz_UZ +# freeserif is for Tamil FONTFORPDF=helvetica FONTSIZEFORPDF=10 SeparatorDecimal=. @@ -23,1144 +29,1234 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p -DatabaseConnection=Database connection -NoTemplateDefined=No template available for this email type -AvailableVariables=Available substitution variables -NoTranslation=No translation -Translation=Translation -CurrentTimeZone=TimeZone PHP (server) -EmptySearchString=Enter non empty search criterias -EnterADateCriteria=Enter a date criteria -NoRecordFound=No record found -NoRecordDeleted=No record deleted -NotEnoughDataYet=Not enough data -NoError=No error -Error=Error -Errors=Errors -ErrorFieldRequired=Field '%s' is required -ErrorFieldFormat=Field '%s' has a bad value -ErrorFileDoesNotExists=File %s does not exist -ErrorFailedToOpenFile=Failed to open file %s -ErrorCanNotCreateDir=Cannot create dir %s -ErrorCanNotReadDir=Cannot read dir %s -ErrorConstantNotDefined=Parameter %s not defined -ErrorUnknown=Unknown error -ErrorSQL=SQL Error -ErrorLogoFileNotFound=Logo file '%s' was not found -ErrorGoToGlobalSetup=Go to 'Company/Organization' setup to fix this -ErrorGoToModuleSetup=Go to Module setup to fix this -ErrorFailedToSendMail=Failed to send mail (sender=%s, receiver=%s) -ErrorFileNotUploaded=File was not uploaded. Check that size does not exceed maximum allowed, that free space is available on disk and that there is not already a file with same name in this directory. -ErrorInternalErrorDetected=Error detected -ErrorWrongHostParameter=Wrong host parameter -ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post the form again. -ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child record. -ErrorWrongValue=Wrong value -ErrorWrongValueForParameterX=Wrong value for parameter %s -ErrorNoRequestInError=No request in error -ErrorServiceUnavailableTryLater=Service not available at the moment. Try again later. -ErrorDuplicateField=Duplicate value in a unique field -ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. Changes have been rolled back. -ErrorConfigParameterNotDefined=Parameter %s is not defined in the Dolibarr config file conf.php. -ErrorCantLoadUserFromDolibarrDatabase=Failed to find user %s in Dolibarr database. -ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'. -ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'. -ErrorFailedToSaveFile=Error, failed to save file. -ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of a existing warehouse -FieldCannotBeNegative=Field "%s" cannot be negative -MaxNbOfRecordPerPage=Max. number of records per page -NotAuthorized=You are not authorized to do that. -SetDate=Set date -SelectDate=Select a date -SeeAlso=See also %s -SeeHere=See here -ClickHere=Click here -Here=Here -Apply=Apply -BackgroundColorByDefault=Default background color -FileRenamed=The file was successfully renamed -FileGenerated=The file was successfully generated -FileSaved=The file was successfully saved -FileUploaded=The file was successfully uploaded -FileTransferComplete=File(s) uploaded successfully -FilesDeleted=File(s) successfully deleted -FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. Click on "Attach file" for this. -NbOfEntries=No. of entries -GoToWikiHelpPage=Read online help (Internet access needed) -GoToHelpPage=Read help -DedicatedPageAvailable=Dedicated help page related to your current screen -HomePage=Home Page -RecordSaved=Record saved -RecordDeleted=Record deleted -RecordGenerated=Record generated -LevelOfFeature=Level of features -NotDefined=Not defined -DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is set to %s in configuration file conf.php.
      This means that the password database is external to Dolibarr, so changing this field may have no effect. -Administrator=Administrator -Undefined=Undefined -PasswordForgotten=Password forgotten? -NoAccount=No account? -SeeAbove=See above -HomeArea=Home -LastConnexion=Last login -PreviousConnexion=Previous login -PreviousValue=Previous value -ConnectedOnMultiCompany=Connected on environment -ConnectedSince=Connected since -AuthenticationMode=Authentication mode -RequestedUrl=Requested URL -DatabaseTypeManager=Database type manager -RequestLastAccessInError=Latest database access request error -ReturnCodeLastAccessInError=Return code for latest database access request error -InformationLastAccessInError=Information for latest database access request error -DolibarrHasDetectedError=Dolibarr has detected a technical error -YouCanSetOptionDolibarrMainProdToZero=You can read log file or set option $dolibarr_main_prod to '0' in your config file to get more information. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) -MoreInformation=More information -TechnicalInformation=Technical information -TechnicalID=Technical ID -LineID=Line ID -NotePublic=Note (public) -NotePrivate=Note (private) -PrecisionUnitIsLimitedToXDecimals=Dolibarr was setup to limit precision of unit prices to %s decimals. -DoTest=Test -ToFilter=Filter -NoFilter=No filter -WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance time. -yes=yes -Yes=Yes -no=no -No=No -All=All -Home=Home -Help=Help -OnlineHelp=Online help -PageWiki=Wiki page -MediaBrowser=Media browser -Always=Always -Never=Never -Under=under -Period=Period -PeriodEndDate=End date for period -SelectedPeriod=Selected period -PreviousPeriod=Previous period -Activate=Activate -Activated=Activated -Closed=Closed -Closed2=Closed -NotClosed=Not closed -Enabled=Enabled -Enable=Enable -Deprecated=Deprecated -Disable=Disable -Disabled=Disabled -Add=Add -AddLink=Add link -RemoveLink=Remove link -AddToDraft=Add to draft -Update=Update -Close=Close -CloseAs=Set status to -CloseBox=Remove widget from your dashboard -Confirm=Confirm -ConfirmSendCardByMail=Do you really want to send the content of this card by mail to %s? -Delete=Delete -Remove=Remove -Resiliate=Terminate -Cancel=Cancel -Modify=Modify -Edit=Edit -Validate=Validate -ValidateAndApprove=Validate and Approve -ToValidate=To validate -NotValidated=Not validated -Save=Save -SaveAs=Save As -SaveAndStay=Save and stay -SaveAndNew=Save and new -TestConnection=Test connection -ToClone=Clone -ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose the data you want to clone: -NoCloneOptionsSpecified=No data to clone defined. -Of=of -Go=Go -Run=Run -CopyOf=Copy of -Show=Show -Hide=Hide -ShowCardHere=Show card -Search=Search -SearchOf=Search -SearchMenuShortCut=Ctrl + shift + f -QuickAdd=Quick add -QuickAddMenuShortCut=Ctrl + shift + l -Valid=Valid -Approve=Approve -Disapprove=Disapprove -ReOpen=Re-Open -Upload=Upload -ToLink=Link -Select=Select -SelectAll=Select all -Choose=Choose -Resize=Resize -ResizeOrCrop=Resize or Crop -Recenter=Recenter -Author=Author -User=User -Users=Users -Group=Group -Groups=Groups -UserGroup=User group -UserGroups=User groups -NoUserGroupDefined=No user group defined -Password=Password -PasswordRetype=Retype your password -NoteSomeFeaturesAreDisabled=Note that a lot of features/modules are disabled in this demonstration. -Name=Name -NameSlashCompany=Name / Company -Person=Person -Parameter=Parameter -Parameters=Parameters -Value=Value -PersonalValue=Personal value -NewObject=New %s -NewValue=New value -OldValue=Old value %s -CurrentValue=Current value -Code=Code -Type=Type -Language=Language -MultiLanguage=Multi-language -Note=Note -Title=Title -Label=Label -RefOrLabel=Ref. or label -Info=Log -Family=Family -Description=Description -Designation=Description -DescriptionOfLine=Description of line -DateOfLine=Date of line -DurationOfLine=Duration of line -Model=Doc template -DefaultModel=Default doc template -Action=Event -About=About -Number=Number -NumberByMonth=Total reports by month -AmountByMonth=Amount by month -Numero=Number -Limit=Limit -Limits=Limits -Logout=Logout -NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode %s -Connection=Login -Setup=Setup -Alert=Alert -MenuWarnings=Alerts -Previous=Previous -Next=Next -Cards=Cards -Card=Card -Now=Now -HourStart=Start hour -Deadline=Deadline -Date=Date -DateAndHour=Date and hour -DateToday=Today's date -DateReference=Reference date -DateStart=Start date -DateEnd=End date -DateCreation=Creation date -DateCreationShort=Creat. date -IPCreation=Creation IP -DateModification=Modification date -DateModificationShort=Modif. date -IPModification=Modification IP -DateLastModification=Latest modification date -DateValidation=Validation date -DateSigning=Signing date -DateClosing=Closing date -DateDue=Due date -DateValue=Value date -DateValueShort=Value date -DateOperation=Operation date -DateOperationShort=Oper. Date -DateLimit=Limit date -DateRequest=Request date -DateProcess=Process date -DateBuild=Report build date -DatePayment=Date of payment -DateApprove=Approving date -DateApprove2=Approving date (second approval) -RegistrationDate=Registration date -UserCreation=Creation user -UserModification=Modification user -UserValidation=Validation user -UserCreationShort=Creat. user -UserModificationShort=Modif. user -UserValidationShort=Valid. user -DurationYear=year -DurationMonth=month -DurationWeek=week -DurationDay=day -DurationYears=years -DurationMonths=months -DurationWeeks=weeks -DurationDays=days -Year=Year -Month=Month -Week=Week -WeekShort=Week -Day=Day -Hour=Hour -Minute=Minute -Second=Second -Years=Years -Months=Months -Days=Days -days=days -Hours=Hours -Minutes=Minutes -Seconds=Seconds -Weeks=Weeks -Today=Today -Yesterday=Yesterday -Tomorrow=Tomorrow -Morning=Morning -Afternoon=Afternoon -Quadri=Quadri -MonthOfDay=Month of the day -DaysOfWeek=Days of week -HourShort=H +DatabaseConnection=ডাটাবেস সংযোগ +NoTemplateDefined=এই ইমেল ধরনের জন্য কোন টেমপ্লেট উপলব্ধ +AvailableVariables=উপলব্ধ প্রতিস্থাপন ভেরিয়েবল +NoTranslation=কোন অনুবাদ নেই +Translation=অনুবাদ +Translations=অনুবাদ +CurrentTimeZone=টাইমজোন পিএইচপি (সার্ভার) +EmptySearchString=অ খালি অনুসন্ধান মানদণ্ড লিখুন +EnterADateCriteria=একটি তারিখ মানদণ্ড লিখুন +NoRecordFound=পাওয়া কোন রেকর্ড +NoRecordDeleted=কোনো রেকর্ড মুছে ফেলা হয়নি +NotEnoughDataYet=পর্যাপ্ত ডেটা নেই +NoError=কোন ত্রুটি নেই +Error=ত্রুটি +Errors=ত্রুটি +ErrorFieldRequired=ক্ষেত্র '%s' প্রয়োজন +ErrorFieldFormat=ফিল্ড '%s' এর মান খারাপ +ErrorFileDoesNotExists=ফাইল %s বিদ্যমান নেই +ErrorFailedToOpenFile=%s ফাইল খুলতে ব্যর্থ হয়েছে +ErrorCanNotCreateDir=dir তৈরি করা যাবে না %s +ErrorCanNotReadDir=dir %s পড়া যাবে না +ErrorConstantNotDefined=প্যারামিটার %s সংজ্ঞায়িত করা হয়নি +ErrorUnknown=অজানা ত্রুটি +ErrorSQL=এসকিউএল ত্রুটি +ErrorLogoFileNotFound=লোগো ফাইল '%s' পাওয়া যায়নি +ErrorGoToGlobalSetup=এটি ঠিক করতে 'কোম্পানি/সংস্থা' সেটআপে যান +ErrorGoToModuleSetup=এটি ঠিক করতে মডিউল সেটআপে যান +ErrorFailedToSendMail=মেল পাঠাতে ব্যর্থ হয়েছে (প্রেরক=%s, রিসিভার=%s) +ErrorFileNotUploaded=ফাইল আপলোড করা হয়নি. চেক করুন যে আকারটি অনুমোদিত সর্বোচ্চ অতিক্রম না করে, ডিস্কে যে খালি স্থান পাওয়া যায় এবং এই ডিরেক্টরিতে ইতিমধ্যেই একই নামের একটি ফাইল নেই। +ErrorInternalErrorDetected=ত্রুটি সনাক্ত করা হয়েছে +ErrorWrongHostParameter=ভুল হোস্ট প্যারামিটার +ErrorYourCountryIsNotDefined=আপনার দেশ সংজ্ঞায়িত করা হয় না. হোম-সেটআপ-কোম্পানী/ফাউন্ডেশনে যান এবং ফর্মটি আবার পোস্ট করুন। +ErrorRecordIsUsedByChild=এই রেকর্ড মুছে ফেলতে ব্যর্থ হয়েছে. এই রেকর্ড অন্তত একটি শিশু রেকর্ড দ্বারা ব্যবহার করা হয়. +ErrorWrongValue=ভুল মান +ErrorWrongValueForParameterX=প্যারামিটারের জন্য ভুল মান %s +ErrorNoRequestInError=ভুল কোন অনুরোধ +ErrorServiceUnavailableTryLater=এই মুহূর্তে পরিষেবা উপলব্ধ নেই৷ পরে আবার চেষ্টা করুন. +ErrorDuplicateField=একটি অনন্য ক্ষেত্রে ডুপ্লিকেট মান +ErrorSomeErrorWereFoundRollbackIsDone=কিছু ত্রুটি পাওয়া গেছে. পরিবর্তনগুলি ফিরিয়ে আনা হয়েছে৷ +ErrorConfigParameterNotDefined=প্যারামিটার %s ডলিবার কনফিগারেশন ফাইলে সংজ্ঞায়িত করা হয়নি class='notranslate'>conf.php। +ErrorCantLoadUserFromDolibarrDatabase=Dolibarr ডেটাবেসে %s ব্যবহারকারী খুঁজে পাওয়া যায়নি। +ErrorNoVATRateDefinedForSellerCountry=ত্রুটি, '%s' দেশের জন্য কোনো ভ্যাট হার সংজ্ঞায়িত করা হয়নি। +ErrorNoSocialContributionForSellerCountry=ত্রুটি, '%s' দেশের জন্য কোনো সামাজিক/আর্থিক করের ধরন সংজ্ঞায়িত করা হয়নি। +ErrorFailedToSaveFile=ত্রুটি, ফাইল সংরক্ষণ করতে ব্যর্থ হয়েছে. +ErrorCannotAddThisParentWarehouse=আপনি একটি অভিভাবক গুদাম যোগ করার চেষ্টা করছেন যা ইতিমধ্যেই একটি বিদ্যমান গুদামের সন্তান৷ +ErrorInvalidSubtype=নির্বাচিত সাবটাইপ অনুমোদিত নয় +FieldCannotBeNegative=ক্ষেত্র "%s" নেতিবাচক হতে পারে না +MaxNbOfRecordPerPage=সর্বোচ্চ প্রতি পৃষ্ঠায় রেকর্ডের সংখ্যা +NotAuthorized=আপনি এটি করতে অনুমোদিত নন. +SetDate=তারিখ ঠিক করা +SelectDate=একটি তারিখ নির্বাচন করুন +SeeAlso=এছাড়াও দেখুন %s +SeeHere=এখানে দেখো +ClickHere=এখানে ক্লিক করুন +Here=এখানে +Apply=আবেদন করুন +BackgroundColorByDefault=ডিফল্ট পটভূমির রঙ +FileRenamed=ফাইলটি সফলভাবে পুনঃনামকরণ করা হয়েছে৷ +FileGenerated=ফাইলটি সফলভাবে তৈরি করা হয়েছে +FileSaved=ফাইল সফলভাবে সংরক্ষিত হয়েছে +FileUploaded=ফাইলটি সফলভাবে আপলোড করা হয়েছে৷ +FileTransferComplete=ফাইল(গুলি) সফলভাবে আপলোড হয়েছে৷ +FilesDeleted=ফাইল(গুলি) সফলভাবে মুছে ফেলা হয়েছে৷ +FileWasNotUploaded=সংযুক্তির জন্য একটি ফাইল নির্বাচন করা হয়েছে কিন্তু এখনও আপলোড করা হয়নি৷ এর জন্য "অ্যাটাচ ফাইল" এ ক্লিক করুন। +NbOfEntries=এন্ট্রি সংখ্যা +GoToWikiHelpPage=অনলাইন সাহায্য পড়ুন (ইন্টারনেট অ্যাক্সেস প্রয়োজন) +GoToHelpPage=সাহায্য পড়ুন +DedicatedPageAvailable=আপনার বর্তমান স্ক্রিনের সাথে সম্পর্কিত ডেডিকেটেড সহায়তা পৃষ্ঠা +HomePage=হোম পেজ +RecordSaved=রেকর্ড সংরক্ষিত +RecordDeleted=রেকর্ড মুছে ফেলা হয়েছে +RecordGenerated=রেকর্ড তৈরি হয়েছে +LevelOfFeature=বৈশিষ্ট্যের স্তর +NotDefined=সংজ্ঞায়িত নয় +DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr প্রমাণীকরণ মোড %s কনফিগারেশন ফাইলে সেট করা আছে class='notranslate'>conf.php
      এর মানে হল পাসওয়ার্ডের প্রাক্তন ডেটাবেস Dolibarr, তাই এই ক্ষেত্র পরিবর্তন কোন প্রভাব হতে পারে. +Administrator=সিস্টেম অ্যাডমিনিস্ট্রেটর +AdministratorDesc=সিস্টেম অ্যাডমিনিস্ট্রেটর (ব্যবহারকারী, অনুমতি কিন্তু সিস্টেম সেটআপ এবং মডিউল কনফিগারেশন পরিচালনা করতে পারে) +Undefined=অনির্ধারিত +PasswordForgotten=পাসওয়ার্ড ভুলে গেছেন? +NoAccount=কোন হিসাব নেই? +SeeAbove=উপরে দেখুন +HomeArea=বাড়ি +LastConnexion=শেষ লগইন +PreviousConnexion=পূর্ববর্তী লগইন +PreviousValue=পূর্ববর্তী মান +ConnectedOnMultiCompany=পরিবেশের সাথে সংযুক্ত +ConnectedSince=থেকে সংযুক্ত +AuthenticationMode=প্রমাণীকরণ মোড +RequestedUrl=অনুরোধ করা URL +DatabaseTypeManager=ডাটাবেস টাইপ ম্যানেজার +RequestLastAccessInError=সর্বশেষ ডাটাবেস অ্যাক্সেস অনুরোধ ত্রুটি +ReturnCodeLastAccessInError=সর্বশেষ ডাটাবেস অ্যাক্সেস অনুরোধ ত্রুটির জন্য কোড রিটার্ন +InformationLastAccessInError=সর্বশেষ ডাটাবেস অ্যাক্সেস অনুরোধ ত্রুটির জন্য তথ্য +DolibarrHasDetectedError=Dolibarr একটি প্রযুক্তিগত ত্রুটি সনাক্ত করেছে +YouCanSetOptionDolibarrMainProdToZero=আপনি লগ ফাইল পড়তে পারেন বা আরও তথ্য পেতে আপনার কনফিগার ফাইলে $dolibarr_main_prod বিকল্পটি '0'-এ সেট করতে পারেন। +InformationToHelpDiagnose=এই তথ্যটি ডায়াগনস্টিক উদ্দেশ্যে উপযোগী হতে পারে (সংবেদনশীল তথ্য লুকানোর জন্য আপনি $dolibarr_main_prod বিকল্পটি '1' এ সেট করতে পারেন) +MoreInformation=অধিক তথ্য +TechnicalInformation=প্রযুক্তিগত তথ্য +TechnicalID=প্রযুক্তিগত আইডি +LineID=লাইন আইডি +NotePublic=নোট (সর্বজনীন) +NotePrivate=নোট (ব্যক্তিগত) +PrecisionUnitIsLimitedToXDecimals=ইউনিটের দামের নির্ভুলতা %sb09a4b739f17f8cimalএ সীমাবদ্ধ করার জন্য Dolibarr সেটআপ করা হয়েছিল . +DoTest=পরীক্ষা +ToFilter=ছাঁকনি +NoFilter=ছাঁকনিবিহীন +WarningYouHaveAtLeastOneTaskLate=সতর্কতা, আপনার অন্তত একটি উপাদান আছে যা সহনশীলতার সময় অতিক্রম করেছে। +yes=হ্যাঁ +Yes=হ্যাঁ +no=না +No=না +All=সব +Home=বাড়ি +Help=সাহায্য +OnlineHelp=অনলাইন সাহায্য +PageWiki=উইকি পাতা +MediaBrowser=মিডিয়া ব্রাউজার +Always=সর্বদা +Never=কখনই না +Under=অধীন +Period=সময়কাল +PeriodEndDate=সময়ের জন্য শেষ তারিখ +SelectedPeriod=নির্বাচিত সময়কাল +PreviousPeriod=আগের কালে +Activate=সক্রিয় করুন +Activated=সক্রিয় +Closed=বন্ধ +Closed2=বন্ধ +NotClosed=বন্ধ হয়নি +Enabled=সক্রিয় +Enable=সক্ষম করুন +Deprecated=অবচয় +Disable=নিষ্ক্রিয় করুন +Disabled=অক্ষম +Add=যোগ করুন +AddLink=লিঙ্ক যোগ করুন +RemoveLink=লিঙ্ক সরান +AddToDraft=খসড়া যোগ করুন +Update=হালনাগাদ +Close=বন্ধ +CloseAs=স্থিতি সেট করুন +CloseBox=আপনার ড্যাশবোর্ড থেকে উইজেট সরান +Confirm=নিশ্চিত করুন +ConfirmSendCardByMail=আপনি কি সত্যিই এই কার্ডের বিষয়বস্তু %s< এ মেইলে পাঠাতে চান /span>? +Delete=মুছে ফেলা +Remove=অপসারণ +Resiliate=সমাপ্ত করুন +Cancel=বাতিল করুন +Modify=পরিবর্তন করুন +Edit=সম্পাদনা করুন +Validate=যাচাই করুন +ValidateAndApprove=যাচাই করুন এবং অনুমোদন করুন +ToValidate=যাচাই করা +NotValidated=যাচাই করা হয়নি +Save=সংরক্ষণ +SaveAs=সংরক্ষণ করুন +SaveAndStay=সংরক্ষণ করুন এবং থাকুন +SaveAndNew=সংরক্ষণ করুন এবং নতুন +TestConnection=পরীক্ষামূলক সংযোগ +ToClone=ক্লোন +ConfirmCloneAsk=আপনি কি বস্তু %s ক্লোন করার বিষয়ে নিশ্চিত? +ConfirmClone=আপনি যে ডেটা ক্লোন করতে চান তা চয়ন করুন: +NoCloneOptionsSpecified=ক্লোন করার জন্য কোনো ডেটা নেই। +Of=এর +Go=যাওয়া +Run=চালান +CopyOf=এর অনুলিপি +Show=দেখান +Hide=লুকান +ShowCardHere=কার্ড দেখান +Search=অনুসন্ধান করুন +SearchOf=অনুসন্ধান করুন +QuickAdd=দ্রুত যোগ করুন +Valid=বৈধ +Approve=অনুমোদন করুন +Disapprove=অস্বীকৃতি +ReOpen=পুনরায় খুলুন +OpenVerb=খোলা +Upload=আপলোড করুন +ToLink=লিঙ্ক +Select=নির্বাচন করুন +SelectAll=সব নির্বাচন করুন +Choose=পছন্দ করা +Resize=আকার পরিবর্তন করুন +Crop=ফসল +ResizeOrCrop=আকার পরিবর্তন করুন বা ক্রপ করুন +Author=লেখক +User=ব্যবহারকারী +Users=ব্যবহারকারীদের +Group=গ্রুপ +Groups=গোষ্ঠী +UserGroup=ব্যবহারকারী দল +UserGroups=ব্যবহারকারী গ্রুপ +NoUserGroupDefined=কোন ব্যবহারকারী গ্রুপ সংজ্ঞায়িত +Password=পাসওয়ার্ড +PasswordRetype=আপনার পাসওয়ার্ড পুনরাবৃত্তি করুন +NoteSomeFeaturesAreDisabled=উল্লেখ্য যে এই প্রদর্শনীতে অনেক বৈশিষ্ট্য/মডিউল নিষ্ক্রিয় করা হয়েছে। +YourUserFile=আপনার ব্যবহারকারী ফাইল +Name=নাম +NameSlashCompany=নাম / কোম্পানি +Person=ব্যক্তি +Parameter=প্যারামিটার +Parameters=পরামিতি +Value=মান +PersonalValue=ব্যক্তিগত মান +NewObject=নতুন %s +NewValue=নতুন মান +OldValue=পুরানো মান %s +FieldXModified=ক্ষেত্র %s পরিবর্তিত হয়েছে +FieldXModifiedFromYToZ=ক্ষেত্র %s %s থেকে %s পরিবর্তিত হয়েছে +CurrentValue=বর্তমান মূল্য +Code=কোড +Type=টাইপ +Language=ভাষা +MultiLanguage=বহু-ভাষা +Note=বিঃদ্রঃ +Title=শিরোনাম +Label=লেবেল +RefOrLabel=রেফ. বা লেবেল +Info=লগ +Family=পরিবার +Description=বর্ণনা +Designation=বর্ণনা +DescriptionOfLine=লাইনের বর্ণনা +DateOfLine=লাইনের তারিখ +DurationOfLine=লাইনের সময়কাল +ParentLine=অভিভাবক লাইন আইডি +Model=ডক টেমপ্লেট +DefaultModel=ডিফল্ট ডক টেমপ্লেট +Action=ঘটনা +About=সম্পর্কিত +Number=সংখ্যা +NumberByMonth=মাস অনুযায়ী মোট রিপোর্ট +AmountByMonth=মাস অনুযায়ী পরিমাণ +Numero=সংখ্যা +Limit=সীমা +Limits=সীমা +Logout=প্রস্থান +NoLogoutProcessWithAuthMode=প্রমাণীকরণ মোড %s সহ কোনো প্রযোজ্য সংযোগ বিচ্ছিন্ন বৈশিষ্ট্য +Connection=প্রবেশ করুন +Setup=সেটআপ +Alert=সতর্কতা +MenuWarnings=সতর্কতা +Previous=আগে +Next=পরবর্তী +Cards=তাস +Card=কার্ড +Now=এখন +HourStart=শুরুর ঘন্টা +Deadline=শেষ তারিখ +Date=তারিখ +DateAndHour=তারিখ এবং ঘন্টা +DateToday=আজকের তারিখ +DateReference=উল্লেখ তারিখ +DateStart=শুরুর তারিখ +DateEnd=শেষ তারিখ +DateCreation=তৈরির তারিখ +DateCreationShort=সৃষ্টি করুন। তারিখ +IPCreation=আইপি তৈরি করা +DateModification=পরিবর্তনের তারিখ +DateModificationShort=মডিফ তারিখ +IPModification=পরিবর্তন আইপি +DateLastModification=সর্বশেষ পরিবর্তনের তারিখ +DateValidation=বৈধতা তারিখ +DateSigning=স্বাক্ষর করার তারিখ +DateClosing=বন্ধের তারিখ +DateDue=নির্দিষ্ট তারিখ +DateValue=মূল্য তারিখ +DateValueShort=মূল্য তারিখ +DateOperation=অপারেশন তারিখ +DateOperationShort=অপার। তারিখ +DateLimit=সীমা তারিখ +DateRequest=অনুরোধ তারিখ +DateProcess=প্রক্রিয়া তারিখ +DateBuild=বিল্ড তারিখ রিপোর্ট করুন +DatePayment=পরিশোধের তারিখ +DateApprove=অনুমোদনের তারিখ +DateApprove2=অনুমোদনের তারিখ (দ্বিতীয় অনুমোদন) +RegistrationDate=নিবন্ধনের তারিখ +UserCreation=সৃষ্টি ব্যবহারকারী +UserModification=পরিবর্তন ব্যবহারকারী +UserValidation=বৈধতা ব্যবহারকারী +UserCreationShort=সৃষ্টি করুন। ব্যবহারকারী +UserModificationShort=মডিফ ব্যবহারকারী +UserValidationShort=বৈধ। ব্যবহারকারী +UserClosing=ক্লোজিং ব্যবহারকারী +UserClosingShort=ক্লোজিং ব্যবহারকারী +DurationYear=বছর +DurationMonth=মাস +DurationWeek=সপ্তাহ +DurationDay=দিন +DurationYears=বছর +DurationMonths=মাস +DurationWeeks=সপ্তাহ +DurationDays=দিন +Year=বছর +Month=মাস +Week=সপ্তাহ +WeekShort=সপ্তাহ +Day=দিন +Hour=ঘন্টা +Minute=মিনিট +Second=দ্বিতীয় +Years=বছর +Months=মাস +Days=দিন +days=দিন +Hours=ঘন্টার +Minutes=মিনিট +Seconds=সেকেন্ড +Weeks=সপ্তাহ +Today=আজ +Yesterday=গতকাল +Tomorrow=কাল +Morning=সকাল +Afternoon=বিকেল +Quadri=কাদরি +MonthOfDay=দিনের মাস +DaysOfWeek=সপ্তাহের দিনগুলি +HourShort=এইচ MinuteShort=mn -Rate=Rate -CurrencyRate=Currency conversion rate -UseLocalTax=Include tax -Bytes=Bytes -KiloBytes=Kilobytes -MegaBytes=Megabytes -GigaBytes=Gigabytes -TeraBytes=Terabytes -UserAuthor=Ceated by -UserModif=Updated by -b=b. +SecondShort=সেকেন্ড +Rate=হার +CurrencyRate=মুদ্রা রূপান্তর হার +UseLocalTax=ট্যাক্স অন্তর্ভুক্ত করুন +Bytes=বাইট +KiloBytes=কিলোবাইট +MegaBytes=মেগাবাইট +GigaBytes=গিগাবাইট +TeraBytes=টেরাবাইট +UserAuthor=দ্বারা সৃষ্টি +UserModif=দ্বারা আপডেট করা হয়েছে +b=খ. Kb=Kb -Mb=Mb -Gb=Gb -Tb=Tb -Cut=Cut -Copy=Copy -Paste=Paste -Default=Default -DefaultValue=Default value -DefaultValues=Default values/filters/sorting -Price=Price -PriceCurrency=Price (currency) -UnitPrice=Unit price -UnitPriceHT=Unit price (excl.) -UnitPriceHTCurrency=Unit price (excl.) (currency) -UnitPriceTTC=Unit price -PriceU=U.P. -PriceUHT=U.P. (net) -PriceUHTCurrency=U.P (net) (currency) -PriceUTTC=U.P. (inc. tax) -Amount=Amount -AmountInvoice=Invoice amount -AmountInvoiced=Amount invoiced -AmountInvoicedHT=Amount invoiced (excl. tax) -AmountInvoicedTTC=Amount invoiced (inc. tax) -AmountPayment=Payment amount -AmountHTShort=Amount (excl.) -AmountTTCShort=Amount (inc. tax) -AmountHT=Amount (excl. tax) -AmountTTC=Amount (inc. tax) -AmountVAT=Amount tax -MulticurrencyAlreadyPaid=Already paid, original currency -MulticurrencyRemainderToPay=Remain to pay, original currency -MulticurrencyPaymentAmount=Payment amount, original currency -MulticurrencyAmountHT=Amount (excl. tax), original currency -MulticurrencyAmountTTC=Amount (inc. of tax), original currency -MulticurrencyAmountVAT=Amount tax, original currency -MulticurrencySubPrice=Amount sub price multi currency -AmountLT1=Amount tax 2 -AmountLT2=Amount tax 3 -AmountLT1ES=Amount RE -AmountLT2ES=Amount IRPF -AmountTotal=Total amount -AmountAverage=Average amount -PriceQtyMinHT=Price quantity min. (excl. tax) -PriceQtyMinHTCurrency=Price quantity min. (excl. tax) (currency) -PercentOfOriginalObject=Percent of original object -AmountOrPercent=Amount or percent -Percentage=Percentage -Total=Total -SubTotal=Subtotal -TotalHTShort=Total (excl.) -TotalHT100Short=Total 100%% (excl.) -TotalHTShortCurrency=Total (excl. in currency) -TotalTTCShort=Total (inc. tax) -TotalHT=Total (excl. tax) -TotalHTforthispage=Total (excl. tax) for this page -Totalforthispage=Total for this page -TotalTTC=Total (inc. tax) -TotalTTCToYourCredit=Total (inc. tax) to your credit -TotalVAT=Total tax -TotalVATIN=Total IGST -TotalLT1=Total tax 2 -TotalLT2=Total tax 3 -TotalLT1ES=Total RE -TotalLT2ES=Total IRPF -TotalLT1IN=Total CGST -TotalLT2IN=Total SGST -HT=Excl. tax -TTC=Inc. tax -INCVATONLY=Inc. VAT -INCT=Inc. all taxes -VAT=Sales tax -VATIN=IGST -VATs=Sales taxes -VATINs=IGST taxes -LT1=Sales tax 2 -LT1Type=Sales tax 2 type -LT2=Sales tax 3 -LT2Type=Sales tax 3 type -LT1ES=RE -LT2ES=IRPF -LT1IN=CGST -LT2IN=SGST -LT1GC=Additionnal cents -VATRate=Tax Rate -RateOfTaxN=Rate of tax %s -VATCode=Tax Rate code -VATNPR=Tax Rate NPR -DefaultTaxRate=Default tax rate -Average=Average -Sum=Sum -Delta=Delta -StatusToPay=To pay -RemainToPay=Remain to pay -Module=Module/Application -Modules=Modules/Applications -Option=Option -Filters=Filters -List=List -FullList=Full list -FullConversation=Full conversation -Statistics=Statistics -OtherStatistics=Other statistics -Status=Status -Favorite=Favorite -ShortInfo=Info. -Ref=Ref. -ExternalRef=Ref. extern -RefSupplier=Ref. vendor -RefPayment=Ref. payment -CommercialProposalsShort=Commercial proposals -Comment=Comment -Comments=Comments -ActionsToDo=Events to do -ActionsToDoShort=To do -ActionsDoneShort=Done -ActionNotApplicable=Not applicable -ActionRunningNotStarted=To start -ActionRunningShort=In progress -ActionDoneShort=Finished -ActionUncomplete=Incomplete -LatestLinkedEvents=Latest %s linked events -CompanyFoundation=Company/Organization -Accountant=Accountant -ContactsForCompany=Contacts for this third party -ContactsAddressesForCompany=Contacts/addresses for this third party -AddressesForCompany=Addresses for this third party -ActionsOnCompany=Events for this third party -ActionsOnContact=Events for this contact/address -ActionsOnContract=Events for this contract -ActionsOnMember=Events about this member -ActionsOnProduct=Events about this product -NActionsLate=%s late -ToDo=To do -Completed=Completed -Running=In progress -RequestAlreadyDone=Request already recorded -Filter=Filter -FilterOnInto=Search criteria '%s' into fields %s -RemoveFilter=Remove filter -ChartGenerated=Chart generated -ChartNotGenerated=Chart not generated -GeneratedOn=Build on %s -Generate=Generate -Duration=Duration -TotalDuration=Total duration -Summary=Summary -DolibarrStateBoard=Database Statistics -DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No open element to process -Available=Available -NotYetAvailable=Not yet available -NotAvailable=Not available -Categories=Tags/categories -Category=Tag/category -By=By -From=From -FromDate=From -FromLocation=From -to=to -To=to -ToDate=to -ToLocation=to -at=at -and=and -or=or -Other=Other -Others=Others -OtherInformations=Other information -Quantity=Quantity -Qty=Qty -ChangedBy=Changed by -ApprovedBy=Approved by -ApprovedBy2=Approved by (second approval) -Approved=Approved -Refused=Refused -ReCalculate=Recalculate -ResultKo=Failure -Reporting=Reporting -Reportings=Reporting -Draft=Draft -Drafts=Drafts -StatusInterInvoiced=Invoiced -Validated=Validated -ValidatedToProduce=Validated (To produce) -Opened=Open -OpenAll=Open (All) -ClosedAll=Closed (All) -New=New -Discount=Discount -Unknown=Unknown -General=General -Size=Size -OriginalSize=Original size -Received=Received -Paid=Paid -Topic=Subject -ByCompanies=By third parties -ByUsers=By user -Links=Links -Link=Link -Rejects=Rejects -Preview=Preview -NextStep=Next step -Datas=Data -None=None -NoneF=None -NoneOrSeveral=None or several -Late=Late -LateDesc=An item is defined as Delayed as per the system configuration in menu Home - Setup - Alerts. -NoItemLate=No late item -Photo=Picture -Photos=Pictures -AddPhoto=Add picture -DeletePicture=Picture delete -ConfirmDeletePicture=Confirm picture deletion? -Login=Login -LoginEmail=Login (email) -LoginOrEmail=Login or Email -CurrentLogin=Current login -EnterLoginDetail=Enter login details -January=January -February=February -March=March -April=April -May=May -June=June -July=July -August=August -September=September -October=October -November=November -December=December -Month01=January -Month02=February -Month03=March -Month04=April -Month05=May -Month06=June -Month07=July -Month08=August -Month09=September -Month10=October -Month11=November -Month12=December -MonthShort01=Jan -MonthShort02=Feb -MonthShort03=Mar -MonthShort04=Apr -MonthShort05=May -MonthShort06=Jun -MonthShort07=Jul -MonthShort08=Aug -MonthShort09=Sep -MonthShort10=Oct -MonthShort11=Nov -MonthShort12=Dec -MonthVeryShort01=J -MonthVeryShort02=F -MonthVeryShort03=M -MonthVeryShort04=A -MonthVeryShort05=M -MonthVeryShort06=J -MonthVeryShort07=J -MonthVeryShort08=A -MonthVeryShort09=S -MonthVeryShort10=O -MonthVeryShort11=N -MonthVeryShort12=D -AttachedFiles=Attached files and documents -JoinMainDoc=Join main document +Mb=এমবি +Gb=জিবি +Tb=টিবি +Cut=কাটা +Copy=কপি +Paste=পেস্ট করুন +Default=ডিফল্ট +DefaultValue=ডিফল্ট মান +DefaultValues=ডিফল্ট মান/ফিল্টার/বাছাই +Price=দাম +PriceCurrency=মূল্য (মুদ্রা) +UnitPrice=একক দাম +UnitPriceHT=ইউনিট মূল্য (বাদে) +UnitPriceHTCurrency=ইউনিট মূল্য (ব্যতীত) (মুদ্রা) +UnitPriceTTC=একক দাম +PriceU=ইউ.পি. +PriceUHT=ইউ.পি. (নেট) +PriceUHTCurrency=U.P (নেট) (মুদ্রা) +PriceUTTC=ইউ.পি. (inc. ট্যাক্স) +Amount=পরিমাণ +AmountInvoice=চালান পরিমাণ +AmountInvoiced=চালান করা পরিমাণ +AmountInvoicedHT=চালানের পরিমাণ (ট্যাক্স বাদে) +AmountInvoicedTTC=ইনভয়েস করা পরিমাণ (inc. ট্যাক্স) +AmountPayment=পরিশোধিত অর্থ +AmountHTShort=পরিমাণ (বাদে) +AmountTTCShort=পরিমাণ (inc. ট্যাক্স) +AmountHT=পরিমাণ (ট্যাক্স বাদে) +AmountTTC=পরিমাণ (inc. ট্যাক্স) +AmountVAT=ট্যাক্সের পরিমাণ +MulticurrencyAlreadyPaid=ইতিমধ্যেই অর্থপ্রদান, আসল মুদ্রা +MulticurrencyRemainderToPay=মূল মুদ্রা পরিশোধ করতে থাকুন +MulticurrencyPaymentAmount=অর্থপ্রদানের পরিমাণ, আসল মুদ্রা +MulticurrencyAmountHT=পরিমাণ (ট্যাক্স বাদে), আসল মুদ্রা +MulticurrencyAmountTTC=পরিমাণ (ট্যাক্স ইনক.), আসল মুদ্রা +MulticurrencyAmountVAT=ট্যাক্সের পরিমাণ, আসল মুদ্রা +MulticurrencySubPrice=পরিমাণ উপমূল্য বহু মুদ্রা +AmountLT1=ট্যাক্সের পরিমাণ 2 +AmountLT2=ট্যাক্সের পরিমাণ 3 +AmountLT1ES=পরিমাণ RE +AmountLT2ES=পরিমাণ IRPF +AmountTotal=সর্বমোট পরিমাণ +AmountAverage=গড় পরিমাণ +PriceQtyMinHT=দামের পরিমাণ ন্যূনতম। (ট্যাক্স বাদে) +PriceQtyMinHTCurrency=দামের পরিমাণ ন্যূনতম। (কর বাদে) (মুদ্রা) +PercentOfOriginalObject=আসল বস্তুর শতাংশ +AmountOrPercent=পরিমাণ বা শতাংশ +Percentage=শতাংশ +Total=মোট +SubTotal=সাবটোটাল +TotalHTShort=মোট (বাদে) +TotalHT100Short=মোট 100%% (বাদে) +TotalHTShortCurrency=মোট (মুদ্রা ছাড়া) +TotalTTCShort=মোট (inc. ট্যাক্স) +TotalHT=মোট (ট্যাক্স বাদে) +TotalHTforthispage=এই পৃষ্ঠার জন্য মোট (ট্যাক্স বাদে) +Totalforthispage=এই পৃষ্ঠার জন্য মোট +TotalTTC=মোট (inc. ট্যাক্স) +TotalTTCToYourCredit=আপনার ক্রেডিট মোট (inc. ট্যাক্স) +TotalVAT=মোট ট্যাক্স +TotalVATIN=মোট IGST +TotalLT1=মোট কর 2 +TotalLT2=মোট কর 3 +TotalLT1ES=মোট RE +TotalLT2ES=মোট আইআরপিএফ +TotalLT1IN=মোট সিজিএসটি +TotalLT2IN=মোট SGST +HT=বাদ। ট্যাক্স +TTC=Inc. ট্যাক্স +INCVATONLY=Inc. ভ্যাট +INCT=Inc. সমস্ত কর +VAT=বিক্রয় কর +VATIN=আইজিএসটি +VATs=সেলস ট্যাক্স +VATINs=IGST কর +LT1=বিক্রয় কর 2 +LT1Type=বিক্রয় কর 2 প্রকার +LT2=বিক্রয় কর 3 +LT2Type=বিক্রয় কর 3 প্রকার +LT1ES=আর.ই +LT2ES=আইআরপিএফ +LT1IN=সিজিএসটি +LT2IN=এসজিএসটি +LT1GC=অতিরিক্ত সেন্ট +VATRate=করের হার +RateOfTaxN=করের হার %s +VATCode=ট্যাক্স রেট কোড +VATNPR=ট্যাক্স রেট NPR +DefaultTaxRate=ডিফল্ট করের হার +Average=গড় +Sum=সমষ্টি +Delta=ডেল্টা +StatusToPay=পরিশোধ করতে +RemainToPay=পরিশোধ করতে বাকি +Module=মডিউল/অ্যাপ্লিকেশন +Modules=মডিউল/অ্যাপ্লিকেশন +Option=অপশন +Filters=ফিল্টার +List=তালিকা +FullList=সম্পুর্ণ তালিকা +FullConversation=সম্পূর্ণ কথোপকথন +Statistics=পরিসংখ্যান +OtherStatistics=অন্যান্য পরিসংখ্যান +Status=স্ট্যাটাস +Favorite=প্রিয় +ShortInfo=তথ্য +Ref=রেফ. +ExternalRef=রেফ. বহিরাগত +RefSupplier=রেফ. বিক্রেতা +RefPayment=রেফ. পেমেন্ট +CommercialProposalsShort=বাণিজ্যিক প্রস্তাব +Comment=মন্তব্য করুন +Comments=মন্তব্য +ActionsToDo=করতে ইভেন্ট +ActionsToDoShort=করতে +ActionsDoneShort=সম্পন্ন +ActionNotApplicable=প্রযোজ্য নয় +ActionRunningNotStarted=শুরুতেই +ActionRunningShort=চলমান +ActionDoneShort=সমাপ্ত +ActionUncomplete=অসম্পূর্ণ +LatestLinkedEvents=সাম্প্রতিক %s লিঙ্ক করা ইভেন্ট +CompanyFoundation=কোম্পানি/সংস্থা +Accountant=হিসাবরক্ষক +ContactsForCompany=এই তৃতীয় পক্ষের জন্য পরিচিতি +ContactsAddressesForCompany=এই তৃতীয় পক্ষের জন্য পরিচিতি/ঠিকানা +AddressesForCompany=এই তৃতীয় পক্ষের জন্য ঠিকানা +ActionsOnCompany=এই তৃতীয় পক্ষের জন্য ইভেন্ট +ActionsOnContact=এই যোগাযোগ/ঠিকানার জন্য ইভেন্ট +ActionsOnContract=এই চুক্তির জন্য ইভেন্ট +ActionsOnMember=এই সদস্য সম্পর্কে ঘটনা +ActionsOnProduct=এই পণ্য সম্পর্কে ইভেন্ট +ActionsOnAsset=এই স্থায়ী সম্পদের জন্য ইভেন্ট +NActionsLate=%s দেরিতে +ToDo=করতে +Completed=সম্পন্ন +Running=চলমান +RequestAlreadyDone=অনুরোধ ইতিমধ্যে রেকর্ড করা হয়েছে +Filter=ছাঁকনি +FilterOnInto=মাপদণ্ড '%s' ক্ষেত্রে %s +RemoveFilter=ফিল্টার সরান +ChartGenerated=চার্ট তৈরি হয়েছে +ChartNotGenerated=চার্ট তৈরি হয়নি +GeneratedOn=%s-এ তৈরি করুন +Generate=তৈরি করুন +Duration=সময়কাল +TotalDuration=মোট সময়কাল +Summary=সারসংক্ষেপ +DolibarrStateBoard=ডাটাবেস পরিসংখ্যান +DolibarrWorkBoard=উন্মুক্ত বস্তু +NoOpenedElementToProcess=প্রক্রিয়া করার জন্য কোন খোলা উপাদান নেই +Available=পাওয়া যায় +NotYetAvailable=এখনও পাওয়া যায় না +NotAvailable=পাওয়া যায় না +Categories=ট্যাগ/বিভাগ +Category=ট্যাগ/বিভাগ +SelectTheTagsToAssign=বরাদ্দ করার জন্য ট্যাগ/বিভাগ নির্বাচন করুন +By=দ্বারা +From=থেকে +FromDate=থেকে +FromLocation=থেকে +to=প্রতি +To=প্রতি +ToDate=প্রতি +ToLocation=প্রতি +at=এ +and=এবং +or=বা +Other=অন্যান্য +Others=অন্যান্য +OtherInformations=অন্যান্য তথ্য +Workflow=কর্মধারা +Quantity=পরিমাণ +Qty=পরিমাণ +ChangedBy=দ্বারা পরিবর্তিত +ApprovedBy=দ্বারা অনুমোদিত +ApprovedBy2=দ্বারা অনুমোদিত (দ্বিতীয় অনুমোদন) +Approved=অনুমোদিত +Refused=প্রত্যাখ্যান করেছে +ReCalculate=পুনরায় গণনা করুন +ResultKo=ব্যর্থতা +Reporting=রিপোর্টিং +Reportings=রিপোর্টিং +Draft=খসড়া +Drafts=খসড়া +StatusInterInvoiced=চালান করা হয়েছে +Done=সম্পন্ন +Validated=যাচাই করা হয়েছে +ValidatedToProduce=বৈধ (উৎপাদন করতে) +Opened=খোলা +OpenAll=সব খোলো) +ClosedAll=বন্ধ (সমস্ত) +New=নতুন +Discount=ছাড় +Unknown=অজানা +General=সাধারণ +Size=আকার +OriginalSize=মূল আকার +RotateImage=90° ঘোরান +Received=গৃহীত +Paid=পেড +Topic=বিষয় +ByCompanies=তৃতীয় পক্ষের দ্বারা +ByUsers=ব্যবহারকারী দ্বারা +Links=লিঙ্ক +Link=লিঙ্ক +Rejects=প্রত্যাখ্যান করে +Preview=পূর্বরূপ +NextStep=পরবর্তী পর্ব +Datas=ডেটা +None=কোনোটিই নয় +NoneF=কোনোটিই নয় +NoneOrSeveral=কোনটি বা একাধিক +Late=দেরী +LateDesc=হোম - সেটআপ - সতর্কতা মেনুতে সিস্টেম কনফিগারেশন অনুসারে একটি আইটেমকে বিলম্বিত হিসাবে সংজ্ঞায়িত করা হয়৷ +NoItemLate=কোন দেরী আইটেম +Photo=ছবি +Photos=ছবি +AddPhoto=ছবি যোগ করুন +DeletePicture=ছবি মুছে দিন +ConfirmDeletePicture=ছবি মুছে ফেলা নিশ্চিত করুন? +Login=প্রবেশ করুন +LoginEmail=লগইন (ই - মেইল) +LoginOrEmail=লগইন বা ইমেইল +CurrentLogin=বর্তমান লগইন +EnterLoginDetail=লগইন বিবরণ লিখুন +January=জানুয়ারি +February=ফেব্রুয়ারি +March=মার্চ +April=এপ্রিল +May=মে +June=জুন +July=জুলাই +August=আগস্ট +September=সেপ্টেম্বর +October=অক্টোবর +November=নভেম্বর +December=ডিসেম্বর +Month01=জানুয়ারি +Month02=ফেব্রুয়ারি +Month03=মার্চ +Month04=এপ্রিল +Month05=মে +Month06=জুন +Month07=জুলাই +Month08=আগস্ট +Month09=সেপ্টেম্বর +Month10=অক্টোবর +Month11=নভেম্বর +Month12=ডিসেম্বর +MonthShort01=জান +MonthShort02=ফেব্রুয়ারী +MonthShort03=মার +MonthShort04=এপ্রিল +MonthShort05=মে +MonthShort06=জুন +MonthShort07=জুল +MonthShort08=অগাস্ট +MonthShort09=সেপ্টেম্বর +MonthShort10=অক্টো +MonthShort11=নভেম্বর +MonthShort12=ডিসেম্বর +MonthVeryShort01=জে +MonthVeryShort02=চ +MonthVeryShort03=এম +MonthVeryShort04=ক +MonthVeryShort05=এম +MonthVeryShort06=জে +MonthVeryShort07=জে +MonthVeryShort08=ক +MonthVeryShort09=এস +MonthVeryShort10=ও +MonthVeryShort11=এন +MonthVeryShort12=ডি +AttachedFiles=সংযুক্ত ফাইল এবং নথি +JoinMainDoc=প্রধান নথিতে যোগদান করুন +JoinMainDocOrLastGenerated=যদি না পাওয়া যায় তাহলে মূল নথি বা শেষ জেনারেটেড পাঠান DateFormatYYYYMM=YYYY-MM DateFormatYYYYMMDD=YYYY-MM-DD DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS -ReportName=Report name -ReportPeriod=Report period -ReportDescription=Description -Report=Report -Keyword=Keyword -Origin=Origin -Legend=Legend -Fill=Fill -Reset=Reset -File=File -Files=Files -NotAllowed=Not allowed -ReadPermissionNotAllowed=Read permission not allowed -AmountInCurrency=Amount in %s currency -Example=Example -Examples=Examples -NoExample=No example -FindBug=Report a bug -NbOfThirdParties=Number of third parties -NbOfLines=Number of lines -NbOfObjects=Number of objects -NbOfObjectReferers=Number of related items -Referers=Related items -TotalQuantity=Total quantity -DateFromTo=From %s to %s -DateFrom=From %s -DateUntil=Until %s -Check=Check -Uncheck=Uncheck -Internal=Internal -External=External -Internals=Internal -Externals=External -Warning=Warning -Warnings=Warnings -BuildDoc=Build Doc -Entity=Environment -Entities=Entities -CustomerPreview=Customer preview -SupplierPreview=Vendor preview -ShowCustomerPreview=Show customer preview -ShowSupplierPreview=Show vendor preview -RefCustomer=Ref. customer -InternalRef=Internal ref. -Currency=Currency -InfoAdmin=Information for administrators -Undo=Undo -Redo=Redo -ExpandAll=Expand all -UndoExpandAll=Undo expand -SeeAll=See all -Reason=Reason -FeatureNotYetSupported=Feature not yet supported -CloseWindow=Close window -Response=Response -Priority=Priority -SendByMail=Send by email -MailSentBy=Email sent by -NotSent=Not sent -TextUsedInTheMessageBody=Email body -SendAcknowledgementByMail=Send confirmation email -SendMail=Send email -Email=Email -NoEMail=No email -AlreadyRead=Already read -NotRead=Unread -NoMobilePhone=No mobile phone -Owner=Owner -FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. -Refresh=Refresh -BackToList=Back to list -BackToTree=Back to tree -GoBack=Go back -CanBeModifiedIfOk=Can be modified if valid -CanBeModifiedIfKo=Can be modified if not valid -ValueIsValid=Value is valid -ValueIsNotValid=Value is not valid -RecordCreatedSuccessfully=Record created successfully -RecordModifiedSuccessfully=Record modified successfully -RecordsModified=%s record(s) modified -RecordsDeleted=%s record(s) deleted -RecordsGenerated=%s record(s) generated -AutomaticCode=Automatic code -FeatureDisabled=Feature disabled -MoveBox=Move widget -Offered=Offered -NotEnoughPermissions=You don't have permission for this action -SessionName=Session name -Method=Method -Receive=Receive -CompleteOrNoMoreReceptionExpected=Complete or nothing more expected -ExpectedValue=Expected Value -ExpectedQty=Expected Qty -PartialWoman=Partial -TotalWoman=Total -NeverReceived=Never received -Canceled=Canceled -YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu Setup - Dictionaries -YouCanChangeValuesForThisListFrom=You can change values for this list from menu %s -YouCanSetDefaultValueInModuleSetup=You can set the default value used when creating a new record in module setup -Color=Color -Documents=Linked files -Documents2=Documents -UploadDisabled=Upload disabled -MenuAccountancy=Accounting -MenuECM=Documents +ReportName=রিপোর্টের নাম +ReportPeriod=রিপোর্ট সময়কাল +ReportDescription=বর্ণনা +Report=রিপোর্ট +Keyword=কীওয়ার্ড +Origin=উৎপত্তি +Legend=কিংবদন্তি +Fill=ভরাট +Reset=রিসেট +File=ফাইল +Files=নথি পত্র +NotAllowed=অনুমতি নেই +ReadPermissionNotAllowed=পড়ার অনুমতি নেই +AmountInCurrency=%s মুদ্রায় পরিমাণ +Example=উদাহরণ +Examples=উদাহরণ +NoExample=উদাহরণ নেই +FindBug=একটি বাগ রিপোর্ট করুন +NbOfThirdParties=তৃতীয় পক্ষের সংখ্যা +NbOfLines=লাইনের সংখ্যা +NbOfObjects=বস্তুর সংখ্যা +NbOfObjectReferers=সম্পর্কিত আইটেম সংখ্যা +Referers=সম্পর্কিত আইটেম +TotalQuantity=মোট পরিমাণ +DateFromTo=%s থেকে %s পর্যন্ত +DateFrom=%s থেকে +DateUntil=%s পর্যন্ত +Check=চেক করুন +Uncheck=আনচেক করুন +Internal=অভ্যন্তরীণ +External=বাহ্যিক +Internals=অভ্যন্তরীণ +Externals=বাহ্যিক +Warning=সতর্কতা +Warnings=সতর্কতা +BuildDoc=ডক তৈরি করুন +Entity=পরিবেশ +Entities=সত্তা +CustomerPreview=গ্রাহক পূর্বরূপ +SupplierPreview=বিক্রেতার পূর্বরূপ +ShowCustomerPreview=গ্রাহক পূর্বরূপ দেখান +ShowSupplierPreview=বিক্রেতার পূর্বরূপ দেখান +RefCustomer=রেফ. ক্রেতা +InternalRef=অভ্যন্তরীণ রেফ. +Currency=মুদ্রা +InfoAdmin=প্রশাসকদের জন্য তথ্য +Undo=পূর্বাবস্থায় ফেরান +Redo=আবার করুন +ExpandAll=সব কিছু বিশদভাবে ব্যক্ত করা +UndoExpandAll=পূর্বাবস্থায় প্রসারিত করুন +SeeAll=সবগুলো দেখ +Reason=কারণ +FeatureNotYetSupported=বৈশিষ্ট্য এখনও সমর্থিত নয় +CloseWindow=বন্ধ জানালা +Response=প্রতিক্রিয়া +Priority=অগ্রাধিকার +SendByMail=ইমেইলের মাধ্যমে প্রেরিত +MailSentBy=ইমেল পাঠানো হয়েছে +MailSentByTo=%s দ্বারা %s-এ ইমেল পাঠানো হয়েছে +NotSent=পাঠানো না +TextUsedInTheMessageBody=ইমেইল বডি +SendAcknowledgementByMail=নিশ্চিতকরণ ইমেল পাঠান +SendMail=ইমেইল পাঠান +Email=ইমেইল +NoEMail=কোনো ইমেল নেই +AlreadyRead=ইতিমধ্যেই পড়েছি +NotRead=অপঠিত +NoMobilePhone=মোবাইল ফোন নেই +Owner=মালিক +FollowingConstantsWillBeSubstituted=নিম্নলিখিত ধ্রুবকগুলি সংশ্লিষ্ট মানের সাথে প্রতিস্থাপিত হবে। +Refresh=রিফ্রেশ +BackToList=ফিরে তালিকায় +BackToTree=গাছে ফিরে যান +GoBack=ফিরে যাও +CanBeModifiedIfOk=বৈধ হলে সংশোধন করা যেতে পারে +CanBeModifiedIfKo=বৈধ না হলে সংশোধন করা যেতে পারে +ValueIsValid=মান বৈধ +ValueIsNotValid=মান বৈধ নয় +RecordCreatedSuccessfully=রেকর্ড সফলভাবে তৈরি করা হয়েছে৷ +RecordModifiedSuccessfully=রেকর্ড সফলভাবে পরিবর্তিত হয়েছে +RecordsModified=%s রেকর্ড(গুলি) সংশোধন করা হয়েছে +RecordsDeleted=%s রেকর্ড(গুলি) মুছে ফেলা হয়েছে +RecordsGenerated=%s রেকর্ড(গুলি) তৈরি হয়েছে +ValidatedRecordWhereFound = নির্বাচিত কিছু রেকর্ড ইতিমধ্যেই যাচাই করা হয়েছে। কোন রেকর্ড মুছে ফেলা হয়েছে. +AutomaticCode=স্বয়ংক্রিয় কোড +FeatureDisabled=বৈশিষ্ট্য নিষ্ক্রিয় +MoveBox=উইজেট সরান +Offered=অফার করা হয়েছে +NotEnoughPermissions=এই কর্মের জন্য আপনার কাছে অনুমতি নেই +UserNotInHierachy=এই ক্রিয়াটি এই ব্যবহারকারীর সুপারভাইজারদের কাছে সংরক্ষিত +SessionName=সেশনের নাম +Method=পদ্ধতি +Receive=গ্রহণ করুন +CompleteOrNoMoreReceptionExpected=সম্পূর্ণ বা আর কিছুই প্রত্যাশিত +ExpectedValue=প্রত্যাশিত মান +ExpectedQty=প্রত্যাশিত পরিমাণ +PartialWoman=আংশিক +TotalWoman=মোট +NeverReceived=কখনোই পাইনি +Canceled=বাতিল +YouCanChangeValuesForThisListFromDictionarySetup=আপনি মেনু সেটআপ - অভিধান থেকে এই তালিকার মান পরিবর্তন করতে পারেন +YouCanChangeValuesForThisListFrom=আপনি %s মেনু থেকে এই তালিকার মান পরিবর্তন করতে পারেন +YouCanSetDefaultValueInModuleSetup=আপনি মডিউল সেটআপে একটি নতুন রেকর্ড তৈরি করার সময় ব্যবহৃত ডিফল্ট মান সেট করতে পারেন +Color=রঙ +Documents=লিঙ্ক করা ফাইল +Documents2=নথিপত্র +UploadDisabled=আপলোড নিষ্ক্রিয় +MenuAccountancy=হিসাববিজ্ঞান +MenuECM=নথিপত্র MenuAWStats=AWStats -MenuMembers=Members -MenuAgendaGoogle=Google agenda -MenuTaxesAndSpecialExpenses=Taxes | Special expenses -ThisLimitIsDefinedInSetup=Dolibarr limit (Menu home-setup-security): %s Kb, PHP limit: %s Kb -ThisLimitIsDefinedInSetupAt=Dolibarr limit (Menu %s): %s Kb, PHP limit (Param %s): %s Kb -NoFileFound=No documents uploaded -CurrentUserLanguage=Current language -CurrentTheme=Current theme -CurrentMenuManager=Current menu manager -Browser=Browser -Layout=Layout -Screen=Screen -DisabledModules=Disabled modules -For=For -ForCustomer=For customer -Signature=Signature -DateOfSignature=Date of signature -HidePassword=Show command with password hidden -UnHidePassword=Show real command with clear password -Root=Root -RootOfMedias=Root of public medias (/medias) -Informations=Information -Page=Page -Notes=Notes -AddNewLine=Add new line -AddFile=Add file -FreeZone=Free-text product -FreeLineOfType=Free-text item, type: -CloneMainAttributes=Clone object with its main attributes -ReGeneratePDF=Re-generate PDF -PDFMerge=PDF Merge -Merge=Merge -DocumentModelStandardPDF=Standard PDF template -PrintContentArea=Show page to print main content area -MenuManager=Menu manager -WarningYouAreInMaintenanceMode=Warning, you are in maintenance mode: only login %s is allowed to use the application in this mode. -CoreErrorTitle=System error -CoreErrorMessage=Sorry, an error occurred. Contact your system administrator to check the logs or disable $dolibarr_main_prod=1 to get more information. -CreditCard=Credit card -ValidatePayment=Validate payment -CreditOrDebitCard=Credit or debit card -FieldsWithAreMandatory=Fields with %s are mandatory -FieldsWithIsForPublic=Fields with %s are shown in public list of members. If you don't want this, uncheck the "public" box. -AccordingToGeoIPDatabase=(according to GeoIP conversion) -Line=Line -NotSupported=Not supported -RequiredField=Required field -Result=Result -ToTest=Test -ValidateBefore=Item must be validated before using this feature -Visibility=Visibility -Totalizable=Totalizable -TotalizableDesc=This field is totalizable in list -Private=Private -Hidden=Hidden -Resources=Resources -Source=Source -Prefix=Prefix -Before=Before -After=After -IPAddress=IP address -Frequency=Frequency -IM=Instant messaging -NewAttribute=New attribute -AttributeCode=Attribute code -URLPhoto=URL of photo/logo -SetLinkToAnotherThirdParty=Link to another third party -LinkTo=Link to -LinkToProposal=Link to proposal -LinkToOrder=Link to order -LinkToInvoice=Link to invoice -LinkToTemplateInvoice=Link to template invoice -LinkToSupplierOrder=Link to purchase order -LinkToSupplierProposal=Link to vendor proposal -LinkToSupplierInvoice=Link to vendor invoice -LinkToContract=Link to contract -LinkToIntervention=Link to intervention -LinkToTicket=Link to ticket -LinkToMo=Link to Mo -CreateDraft=Create draft -SetToDraft=Back to draft -ClickToEdit=Click to edit -ClickToRefresh=Click to refresh -EditWithEditor=Edit with CKEditor -EditWithTextEditor=Edit with Text editor -EditHTMLSource=Edit HTML Source -ObjectDeleted=Object %s deleted -ByCountry=By country -ByTown=By town -ByDate=By date -ByMonthYear=By month/year -ByYear=By year -ByMonth=By month -ByDay=By day -BySalesRepresentative=By sales representative -LinkedToSpecificUsers=Linked to a particular user contact -NoResults=No results -AdminTools=Admin Tools -SystemTools=System tools -ModulesSystemTools=Modules tools -Test=Test -Element=Element -NoPhotoYet=No pictures available yet -Dashboard=Dashboard -MyDashboard=My Dashboard -Deductible=Deductible -from=from -toward=toward -Access=Access -SelectAction=Select action -SelectTargetUser=Select target user/employee -HelpCopyToClipboard=Use Ctrl+C to copy to clipboard -SaveUploadedFileWithMask=Save file on server with name "%s" (otherwise "%s") -OriginFileName=Original filename -SetDemandReason=Set source -SetBankAccount=Define Bank Account -AccountCurrency=Account currency -ViewPrivateNote=View notes -XMoreLines=%s line(s) hidden -ShowMoreLines=Show more/less lines -PublicUrl=Public URL -AddBox=Add box -SelectElementAndClick=Select an element and click on %s -PrintFile=Print File %s -ShowTransaction=Show entry on bank account -ShowIntervention=Show intervention -ShowContract=Show contract -GoIntoSetupToChangeLogo=Go to Home - Setup - Company to change logo or go to Home - Setup - Display to hide. -Deny=Deny -Denied=Denied -ListOf=List of %s -ListOfTemplates=List of templates -Gender=Gender -Genderman=Male -Genderwoman=Female -Genderother=Other -ViewList=List view -ViewGantt=Gantt view -ViewKanban=Kanban view -Mandatory=Mandatory -Hello=Hello -GoodBye=GoodBye -Sincerely=Sincerely -ConfirmDeleteObject=Are you sure you want to delete this object? -DeleteLine=Delete line -ConfirmDeleteLine=Are you sure you want to delete this line? -ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. -NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record -TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. -NoRecordSelected=No record selected -MassFilesArea=Area for files built by mass actions -ShowTempMassFilesArea=Show area of files built by mass actions -ConfirmMassDeletion=Bulk Delete confirmation -ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record(s)? -RelatedObjects=Related Objects -ClassifyBilled=Classify billed -ClassifyUnbilled=Classify unbilled -Progress=Progress -ProgressShort=Progr. -FrontOffice=Front office -BackOffice=Back office -Submit=Submit -View=View -Export=Export -Exports=Exports -ExportFilteredList=Export filtered list -ExportList=Export list -ExportOptions=Export Options -IncludeDocsAlreadyExported=Include docs already exported -ExportOfPiecesAlreadyExportedIsEnable=Export of pieces already exported is enable -ExportOfPiecesAlreadyExportedIsDisable=Export of pieces already exported is disable -AllExportedMovementsWereRecordedAsExported=All exported movements were recorded as exported -NotAllExportedMovementsCouldBeRecordedAsExported=Not all exported movements could be recorded as exported -Miscellaneous=Miscellaneous -Calendar=Calendar -GroupBy=Group by... -ViewFlatList=View flat list -ViewAccountList=View ledger -ViewSubAccountList=View subaccount ledger -RemoveString=Remove string '%s' -SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. -DirectDownloadLink=Public download link -PublicDownloadLinkDesc=Only the link is required to download the file -DirectDownloadInternalLink=Private download link -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file -Download=Download -DownloadDocument=Download document -ActualizeCurrency=Update currency rate -Fiscalyear=Fiscal year -ModuleBuilder=Module and Application Builder -SetMultiCurrencyCode=Set currency -BulkActions=Bulk actions -ClickToShowHelp=Click to show tooltip help -WebSite=Website -WebSites=Websites -WebSiteAccounts=Website accounts -ExpenseReport=Expense report -ExpenseReports=Expense reports -HR=HR -HRAndBank=HR and Bank -AutomaticallyCalculated=Automatically calculated -TitleSetToDraft=Go back to draft -ConfirmSetToDraft=Are you sure you want to go back to Draft status? -ImportId=Import id -Events=Events -EMailTemplates=Email templates -FileNotShared=File not shared to external public -Project=Project -Projects=Projects -LeadOrProject=Lead | Project -LeadsOrProjects=Leads | Projects -Lead=Lead -Leads=Leads -ListOpenLeads=List open leads -ListOpenProjects=List open projects -NewLeadOrProject=New lead or project -Rights=Permissions -LineNb=Line no. -IncotermLabel=Incoterms -TabLetteringCustomer=Customer lettering -TabLetteringSupplier=Vendor lettering -Monday=Monday -Tuesday=Tuesday -Wednesday=Wednesday -Thursday=Thursday -Friday=Friday -Saturday=Saturday -Sunday=Sunday -MondayMin=Mo -TuesdayMin=Tu -WednesdayMin=We -ThursdayMin=Th +MenuMembers=সদস্যরা +MenuAgendaGoogle=গুগল এজেন্ডা +MenuTaxesAndSpecialExpenses=কর | বিশেষ খরচ +ThisLimitIsDefinedInSetup=Dolibarr সীমা (মেনু হোম-সেটআপ-নিরাপত্তা): %s Kb, PHP সীমা: %s Kb +ThisLimitIsDefinedInSetupAt=Dolibarr সীমা (মেনু %s): %s Kb, PHP সীমা (Param b0ecb2ec87fz0 >): %s Kb +NoFileFound=কোন নথি আপলোড +CurrentUserLanguage=বর্তমান ভাষা +CurrentTheme=বর্তমান থিম +CurrentMenuManager=বর্তমান মেনু ম্যানেজার +Browser=ব্রাউজার +Layout=লেআউট +Screen=পর্দা +DisabledModules=অক্ষম মডিউল +For=জন্য +ForCustomer=গ্রাহকের জন্য +Signature=স্বাক্ষর +HidePassword=লুকানো পাসওয়ার্ড সহ কমান্ড দেখান +UnHidePassword=পরিষ্কার পাসওয়ার্ড সহ বাস্তব কমান্ড দেখান +Root=রুট +RootOfMedias=পাবলিক মিডিয়ার মূল (/মিডিয়া) +Informations=তথ্য +Page=পাতা +Notes=মন্তব্য +AddNewLine=নতুন লাইন যোগ করুন +AddFile=নথি যুক্ত করা +FreeZone=ফ্রি-টেক্সট পণ্য +FreeLineOfType=ফ্রি-টেক্সট আইটেম, টাইপ করুন: +CloneMainAttributes=ক্লোন অবজেক্ট এর প্রধান বৈশিষ্ট্য সহ +ReGeneratePDF=পিডিএফ পুনরায় তৈরি করুন +PDFMerge=PDF মার্জ +Merge=একত্রিত করা +DocumentModelStandardPDF=স্ট্যান্ডার্ড পিডিএফ টেমপ্লেট +PrintContentArea=প্রধান বিষয়বস্তু এলাকা প্রিন্ট করতে পৃষ্ঠা দেখান +MenuManager=মেনু ম্যানেজার +WarningYouAreInMaintenanceMode=সতর্কতা, আপনি রক্ষণাবেক্ষণ মোডে আছেন: শুধুমাত্র লগইন %s হল এই মোডে অ্যাপ্লিকেশন ব্যবহার করার অনুমতি দেওয়া হয়েছে। +CoreErrorTitle=সিস্টেম ত্রুটি +CoreErrorMessage=দুঃখিত, একটি ত্রুটি ঘটেছে. লগ চেক করতে আপনার সিস্টেম অ্যাডমিনিস্ট্রেটরের সাথে যোগাযোগ করুন বা আরো তথ্য পেতে $dolibarr_main_prod=1 অক্ষম করুন৷ +CreditCard=ক্রেডিট কার্ড +ValidatePayment=পেমেন্ট যাচাই করুন +CreditOrDebitCard=ক্রেডিট অথবা ডেবিট কার্ড +FieldsWithAreMandatory=%s সহ ক্ষেত্রগুলি বাধ্যতামূলক +FieldsWithIsForPublic=%s সহ ক্ষেত্রগুলি সদস্যদের সর্বজনীন তালিকায় দেখানো হয়েছে৷ আপনি যদি এটি না চান, তাহলে "সর্বজনীন" বাক্সটি আনচেক করুন৷ +AccordingToGeoIPDatabase=(জিওআইপি রূপান্তর অনুসারে) +Line=লাইন +NotSupported=সমর্থিত নয় +RequiredField=প্রয়োজনীয় ক্ষেত্র +Result=ফলাফল +ToTest=পরীক্ষা +ValidateBefore=এই বৈশিষ্ট্যটি ব্যবহার করার আগে আইটেমটি অবশ্যই যাচাই করা উচিত +Visibility=দৃশ্যমানতা +Totalizable=টোটালাইজেবল +TotalizableDesc=এই ক্ষেত্রটি তালিকায় সম্পূর্ণ করা যায় +Private=ব্যক্তিগত +Hidden=গোপন +Resources=সম্পদ +Source=উৎস +Prefix=উপসর্গ +Before=আগে +After=পরে +IPAddress=আইপি ঠিকানা +Frequency=ফ্রিকোয়েন্সি +IM=তাৎক্ষণিক বার্তা আদান প্রদান +NewAttribute=নতুন বৈশিষ্ট্য +AttributeCode=অ্যাট্রিবিউট কোড +URLPhoto=ফটো/লোগোর URL +SetLinkToAnotherThirdParty=অন্য তৃতীয় পক্ষের সাথে লিঙ্ক করুন +LinkTo=লিঙ্ক +LinkToProposal=প্রস্তাব লিঙ্ক +LinkToExpedition= অভিযানের লিঙ্ক +LinkToOrder=অর্ডার লিঙ্ক +LinkToInvoice=চালান লিঙ্ক +LinkToTemplateInvoice=টেমপ্লেট চালানের লিঙ্ক +LinkToSupplierOrder=ক্রয় অর্ডার লিঙ্ক +LinkToSupplierProposal=বিক্রেতা প্রস্তাব লিঙ্ক +LinkToSupplierInvoice=বিক্রেতা চালান লিঙ্ক +LinkToContract=চুক্তির লিঙ্ক +LinkToIntervention=হস্তক্ষেপ লিঙ্ক +LinkToTicket=টিকিটের লিঙ্ক +LinkToMo=Mo লিঙ্ক +CreateDraft=খসড়া তৈরি করুন +SetToDraft=খসড়ায় ফিরে যান +ClickToEdit=সংযোজন করার জন্য ক্লিক করো +ClickToRefresh=রিফ্রেশ করতে ক্লিক করুন +EditWithEditor=CKEditor দিয়ে সম্পাদনা করুন +EditWithTextEditor=টেক্সট এডিটর দিয়ে এডিট করুন +EditHTMLSource=HTML উৎস সম্পাদনা করুন +ObjectDeleted=বস্তু %s মুছে ফেলা হয়েছে +ByCountry=দেশ অনুসারে +ByTown=শহরে +ByDate=তারিখ অনুসারে +ByMonthYear=মাস/বছর অনুসারে +ByYear=বছর দ্বারা +ByMonth=মাসে +ByDay=দিনের মধ্যে +BySalesRepresentative=বিক্রয় প্রতিনিধি দ্বারা +LinkedToSpecificUsers=একটি নির্দিষ্ট ব্যবহারকারী পরিচিতি লিঙ্ক +NoResults=কোন ফলাফল নেই +AdminTools=অ্যাডমিন সরঞ্জাম +SystemTools=সিস্টেম টুলস +ModulesSystemTools=মডিউল টুল +Test=পরীক্ষা +Element=উপাদান +NoPhotoYet=কোন ছবি এখনো উপলব্ধ +Dashboard=ড্যাশবোর্ড +MyDashboard=আমার ড্যাশবোর্ড +Deductible=বাদ +from=থেকে +toward=দিকে +Access=অ্যাক্সেস +SelectAction=কর্ম নির্বাচন করুন +SelectTargetUser=লক্ষ্য ব্যবহারকারী/কর্মচারী নির্বাচন করুন +HelpCopyToClipboard=ক্লিপবোর্ডে কপি করতে Ctrl+C ব্যবহার করুন +SaveUploadedFileWithMask=সার্ভারে ফাইল সংরক্ষণ করুন "%s" (অন্যথায় " %s") +OriginFileName=আসল ফাইলের নাম +SetDemandReason=উৎস সেট করুন +SetBankAccount=ব্যাঙ্ক অ্যাকাউন্ট সংজ্ঞায়িত করুন +AccountCurrency=অ্যাকাউন্ট মুদ্রা +ViewPrivateNote=নোট দেখুন +XMoreLines=%s লাইন(গুলি) লুকানো আছে +ShowMoreLines=বেশি/কম লাইন দেখান +PublicUrl=সর্বজনীন URL +AddBox=বক্স যোগ করুন +SelectElementAndClick=একটি উপাদান নির্বাচন করুন এবং %s এ ক্লিক করুন +PrintFile=প্রিন্ট ফাইল %s +ShowTransaction=ব্যাঙ্ক অ্যাকাউন্টে এন্ট্রি দেখান +ShowIntervention=হস্তক্ষেপ দেখান +ShowContract=চুক্তি দেখান +GoIntoSetupToChangeLogo=লোগো পরিবর্তন করতে হোম - সেটআপ - কোম্পানিতে যান বা হোম - সেটআপ - লুকানোর জন্য প্রদর্শনে যান। +Deny=অস্বীকার করুন +Denied=অস্বীকৃত +ListOf=%s-এর তালিকা +ListOfTemplates=টেমপ্লেট তালিকা +Gender=লিঙ্গ +Genderman=পুরুষ +Genderwoman=মহিলা +Genderother=অন্যান্য +ViewList=তালিকা দেখুন +ViewGantt=গ্যান্ট ভিউ +ViewKanban=কানবন দৃশ্য +Mandatory=বাধ্যতামূলক +Hello=হ্যালো +GoodBye=বিদায় +Sincerely=আন্তরিকভাবে +ConfirmDeleteObject=আপনি কি এই বস্তুটি মুছে ফেলার বিষয়ে নিশ্চিত? +DeleteLine=লাইন মুছুন +ConfirmDeleteLine=আপনি কি এই লাইনটি মুছতে চান? +ErrorPDFTkOutputFileNotFound=ত্রুটি: ফাইল তৈরি করা হয়নি. অনুগ্রহ করে পরীক্ষা করুন যে 'pdftk' কমান্ড $PATH এনভায়রনমেন্ট ভেরিয়েবল (শুধুমাত্র linux/unix) এর অন্তর্ভুক্ত একটি ডিরেক্টরিতে ইনস্টল করা আছে বা আপনার সিস্টেম প্রশাসকের সাথে যোগাযোগ করুন। +NoPDFAvailableForDocGenAmongChecked=চেক করা রেকর্ডের মধ্যে নথি তৈরির জন্য কোনো PDF উপলব্ধ ছিল না +TooManyRecordForMassAction=গণ ক্রিয়াকলাপের জন্য অনেকগুলি রেকর্ড নির্বাচন করা হয়েছে৷ ক্রিয়াটি %s রেকর্ডের তালিকার মধ্যে সীমাবদ্ধ। +NoRecordSelected=কোনো রেকর্ড নির্বাচন করা হয়নি +MassFilesArea=গণ ক্রিয়া দ্বারা নির্মিত ফাইলের জন্য এলাকা +ShowTempMassFilesArea=ভর ক্রিয়া দ্বারা নির্মিত ফাইলের এলাকা দেখান +ConfirmMassDeletion=বাল্ক মুছে ফেলা নিশ্চিতকরণ +ConfirmMassDeletionQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) মুছতে চান? +ConfirmMassClone=বাল্ক ক্লোন নিশ্চিতকরণ +ConfirmMassCloneQuestion=ক্লোন করার জন্য প্রকল্প নির্বাচন করুন +ConfirmMassCloneToOneProject=প্রকল্পের ক্লোন %s +RelatedObjects=সম্পর্কিত বস্তু +ClassifyBilled=শ্রেণীবদ্ধ বিল করা +ClassifyUnbilled=বিলবিহীন শ্রেণিবদ্ধ করুন +Progress=অগ্রগতি +ProgressShort=প্রোগ্রাম +FrontOffice=সামনে অফিস +BackOffice=ব্যাক অফিস +Submit=জমা দিন +View=দেখুন +Export=রপ্তানি +Import=আমদানি +Exports=রপ্তানি +ExportFilteredList=ফিল্টার করা তালিকা রপ্তানি করুন +ExportList=রপ্তানি তালিকা +ExportOptions=রপ্তানি বিকল্প +IncludeDocsAlreadyExported=ইতিমধ্যেই রপ্তানি করা ডক্স অন্তর্ভুক্ত করুন৷ +ExportOfPiecesAlreadyExportedIsEnable=ইতিমধ্যে রপ্তানি করা নথিগুলি দৃশ্যমান এবং রপ্তানি করা হবে৷ +ExportOfPiecesAlreadyExportedIsDisable=ইতিমধ্যে রপ্তানি করা নথিগুলি লুকানো আছে এবং রপ্তানি করা হবে না৷ +AllExportedMovementsWereRecordedAsExported=সমস্ত রপ্তানি আন্দোলন রপ্তানি হিসাবে রেকর্ড করা হয়েছিল +NotAllExportedMovementsCouldBeRecordedAsExported=সব রপ্তানি আন্দোলন রপ্তানি হিসাবে রেকর্ড করা যাবে না +Miscellaneous=বিবিধ +Calendar=ক্যালেন্ডার +GroupBy=গ্রুপ করে... +GroupByX=%s অনুসারে গ্রুপ +ViewFlatList=ফ্ল্যাট তালিকা দেখুন +ViewAccountList=খাতা দেখুন +ViewSubAccountList=উপ-অ্যাকাউন্ট লেজার দেখুন +RemoveString='%s' স্ট্রিং সরান +SomeTranslationAreUncomplete=অফার করা কিছু ভাষা শুধুমাত্র আংশিকভাবে অনুবাদ করা হতে পারে বা ত্রুটি থাকতে পারে। অনুগ্রহ করে https://transifex.com/projects/p/dolibarr/-এ নিবন্ধন করে আপনার ভাষা সংশোধন করতে সাহায্য করুন আপনার উন্নতি যোগ করুন। +DirectDownloadLink=পাবলিক ডাউনলোড লিঙ্ক +PublicDownloadLinkDesc=ফাইলটি ডাউনলোড করার জন্য শুধুমাত্র লিঙ্কটি প্রয়োজন +DirectDownloadInternalLink=ব্যক্তিগত ডাউনলোড লিঙ্ক +PrivateDownloadLinkDesc=আপনাকে লগ ইন করতে হবে এবং ফাইলটি দেখতে বা ডাউনলোড করার জন্য আপনার অনুমতি প্রয়োজন৷ +Download=ডাউনলোড করুন +DownloadDocument=ডকুমেন্ট ডাউনলোড করুন +DownloadSignedDocument=স্বাক্ষরিত নথি ডাউনলোড করুন +ActualizeCurrency=মুদ্রার হার আপডেট করুন +Fiscalyear=অর্থবছর +ModuleBuilder=মডিউল এবং অ্যাপ্লিকেশন নির্মাতা +SetMultiCurrencyCode=মুদ্রা সেট করুন +BulkActions=বিপুল কর্ম +ClickToShowHelp=টুলটিপ সাহায্য দেখানোর জন্য ক্লিক করুন +WebSite=ওয়েবসাইট +WebSites=ওয়েবসাইট +WebSiteAccounts=ওয়েব অ্যাক্সেস অ্যাকাউন্ট +ExpenseReport=ব্যয় রিপোর্ট +ExpenseReports=খরচ রিপোর্ট +HR=এইচআর +HRAndBank=এইচআর এবং ব্যাংক +AutomaticallyCalculated=স্বয়ংক্রিয়ভাবে গণনা করা হয় +TitleSetToDraft=খসড়ায় ফিরে যান +ConfirmSetToDraft=আপনি কি খসড়া স্ট্যাটাসে ফিরে যেতে চান? +ImportId=আইডি আমদানি করুন +Events=ঘটনা +EMailTemplates=ইমেল টেমপ্লেট +FileNotShared=ফাইল বহিরাগত পাবলিক শেয়ার করা হয় না +Project=প্রকল্প +Projects=প্রকল্প +LeadOrProject=লিড | প্রকল্প +LeadsOrProjects=লিড | প্রকল্প +Lead=সীসা +Leads=নেতৃত্ব দেয় +ListOpenLeads=তালিকা খোলা লিড +ListOpenProjects=খোলা প্রকল্প তালিকা +NewLeadOrProject=নতুন নেতৃত্ব বা প্রকল্প +Rights=অনুমতি +LineNb=লাইন নং। +IncotermLabel=ইনকোটার্মস +TabLetteringCustomer=গ্রাহকের চিঠিপত্র +TabLetteringSupplier=বিক্রেতা চিঠিপত্র +Monday=সোমবার +Tuesday=মঙ্গলবার +Wednesday=বুধবার +Thursday=বৃহস্পতিবার +Friday=শুক্রবার +Saturday=শনিবার +Sunday=রবিবার +MondayMin=মো +TuesdayMin=তু +WednesdayMin=আমরা +ThursdayMin=ম FridayMin=Fr -SaturdayMin=Sa -SundayMin=Su -Day1=Monday -Day2=Tuesday -Day3=Wednesday -Day4=Thursday -Day5=Friday -Day6=Saturday -Day0=Sunday -ShortMonday=M -ShortTuesday=T -ShortWednesday=W -ShortThursday=T -ShortFriday=F -ShortSaturday=S -ShortSunday=S -one=one -two=two -three=three -four=four -five=five -six=six -seven=seven -eight=eight -nine=nine -ten=ten -eleven=eleven -twelve=twelve -thirteen=thirdteen -fourteen=fourteen -fifteen=fifteen -sixteen=sixteen -seventeen=seventeen -eighteen=eighteen -nineteen=nineteen -twenty=twenty -thirty=thirty -forty=forty -fifty=fifty -sixty=sixty -seventy=seventy -eighty=eighty -ninety=ninety -hundred=hundred -thousand=thousand -million=million -billion=billion -trillion=trillion +SaturdayMin=সা +SundayMin=সু +Day1=সোমবার +Day2=মঙ্গলবার +Day3=বুধবার +Day4=বৃহস্পতিবার +Day5=শুক্রবার +Day6=শনিবার +Day0=রবিবার +ShortMonday=এম +ShortTuesday=টি +ShortWednesday=ডব্লিউ +ShortThursday=টি +ShortFriday=চ +ShortSaturday=এস +ShortSunday=এস +one=এক +two=দুই +three=তিন +four=চার +five=পাঁচ +six=ছয় +seven=সাত +eight=আট +nine=নয়টি +ten=দশ +eleven=এগারো +twelve=বারো +thirteen=তৃতীয় +fourteen=চৌদ্দ +fifteen=পনের +sixteen=ষোল +seventeen=সতের +eighteen=আঠার +nineteen=উনিশ +twenty=বিশ +thirty=ত্রিশ +forty=চল্লিশ +fifty=পঞ্চাশ +sixty=ষাট +seventy=সত্তর +eighty=আশি +ninety=নব্বই +hundred=শত +thousand=হাজার +million=মিলিয়ন +billion=বিলিয়ন +trillion=ট্রিলিয়ন quadrillion=quadrillion -SelectMailModel=Select an email template -SetRef=Set ref -Select2ResultFoundUseArrows=Some results found. Use arrows to select. -Select2NotFound=No result found -Select2Enter=Enter -Select2MoreCharacter=or more character -Select2MoreCharacters=or more characters -Select2MoreCharactersMore=Search syntax:
      | OR (a|b)
      * Any character (a*b)
      ^ Start with (^ab)
      $ End with (ab$)
      -Select2LoadingMoreResults=Loading more results... -Select2SearchInProgress=Search in progress... -SearchIntoThirdparties=Third parties -SearchIntoContacts=Contacts -SearchIntoMembers=Members -SearchIntoUsers=Users -SearchIntoProductsOrServices=Products or services -SearchIntoBatch=Lots / Serials -SearchIntoProjects=Projects -SearchIntoMO=Manufacturing Orders -SearchIntoTasks=Tasks -SearchIntoCustomerInvoices=Customer invoices -SearchIntoSupplierInvoices=Vendor invoices -SearchIntoCustomerOrders=Sales orders -SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Commercial proposals -SearchIntoSupplierProposals=Vendor proposals -SearchIntoInterventions=Interventions -SearchIntoContracts=Contracts -SearchIntoCustomerShipments=Customer shipments -SearchIntoExpenseReports=Expense reports -SearchIntoLeaves=Leave -SearchIntoTickets=Tickets -SearchIntoCustomerPayments=Customer payments -SearchIntoVendorPayments=Vendor payments -SearchIntoMiscPayments=Miscellaneous payments -CommentLink=Comments -NbComments=Number of comments -CommentPage=Comments space -CommentAdded=Comment added -CommentDeleted=Comment deleted -Everybody=Everybody -PayedBy=Paid by -PayedTo=Paid to -Monthly=Monthly -Quarterly=Quarterly -Annual=Annual -Local=Local -Remote=Remote -LocalAndRemote=Local and Remote -KeyboardShortcut=Keyboard shortcut -AssignedTo=Assigned to -Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft mass delete confirmation -FileSharedViaALink=File shared with a public link -SelectAThirdPartyFirst=Select a third party first... -YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode -Inventory=Inventory -AnalyticCode=Analytic code -TMenuMRP=MRP -ShowCompanyInfos=Show company infos -ShowMoreInfos=Show More Infos -NoFilesUploadedYet=Please upload a document first -SeePrivateNote=See private note -PaymentInformation=Payment information -ValidFrom=Valid from -ValidUntil=Valid until -NoRecordedUsers=No users -ToClose=To close -ToRefuse=To refuse -ToProcess=To process -ToApprove=To approve -GlobalOpenedElemView=Global view -NoArticlesFoundForTheKeyword=No article found for the keyword '%s' -NoArticlesFoundForTheCategory=No article found for the category -ToAcceptRefuse=To accept | refuse -ContactDefault_agenda=Event -ContactDefault_commande=Order -ContactDefault_contrat=Contract -ContactDefault_facture=Invoice -ContactDefault_fichinter=Intervention -ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Purchase Order -ContactDefault_project=Project -ContactDefault_project_task=Task -ContactDefault_propal=Proposal -ContactDefault_supplier_proposal=Supplier Proposal -ContactDefault_ticket=Ticket -ContactAddedAutomatically=Contact added from contact thirdparty roles -More=More -ShowDetails=Show details -CustomReports=Custom reports -StatisticsOn=Statistics on -SelectYourGraphOptionsFirst=Select your graph options to build a graph -Measures=Measures -XAxis=X-Axis -YAxis=Y-Axis -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? -ShowOtherLanguages=Show other languages -SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language -NotUsedForThisCustomer=Not used for this customer -AmountMustBePositive=Amount must be positive -ByStatus=By status -InformationMessage=Information -Used=Used -ASAP=As Soon As Possible -CREATEInDolibarr=Record %s created -MODIFYInDolibarr=Record %s modified -DELETEInDolibarr=Record %s deleted -VALIDATEInDolibarr=Record %s validated -APPROVEDInDolibarr=Record %s approved -DefaultMailModel=Default Mail Model -PublicVendorName=Public name of vendor -DateOfBirth=Date of birth -SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again. -UpToDate=Up-to-date -OutOfDate=Out-of-date -EventReminder=Event Reminder -UpdateForAllLines=Update for all lines -OnHold=On hold -Civility=Civility -AffectTag=Affect Tag -CreateExternalUser=Create external user -ConfirmAffectTag=Bulk Tag Affect -ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records -CopiedToClipboard=Copied to clipboard -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. -ConfirmCancel=Are you sure you want to cancel -EmailMsgID=Email MsgID -SetToEnabled=Set to enabled -SetToDisabled=Set to disabled -ConfirmMassEnabling=mass enabling confirmation -ConfirmMassEnablingQuestion=Are you sure you want to enable the %s selected record(s)? -ConfirmMassDisabling=mass disabling confirmation -ConfirmMassDisablingQuestion=Are you sure you want to disable the %s selected record(s)? -RecordsEnabled=%s record(s) enabled -RecordsDisabled=%s record(s) disabled -RecordEnabled=Record enabled -RecordDisabled=Record disabled -Forthcoming=Forthcoming -Currently=Currently -ConfirmMassLeaveApprovalQuestion=Are you sure you want to approve the %s selected record(s)? -ConfirmMassLeaveApproval=Mass leave approval confirmation -RecordAproved=Record approved -RecordsApproved=%s Record(s) approved -Properties=Properties -hasBeenValidated=%s has been validated -ClientTZ=Client Time Zone (user) -NotClosedYet=Not yet closed -ClearSignature=Reset signature -CanceledHidden=Canceled hidden -CanceledShown=Canceled shown +SelectMailModel=একটি ইমেল টেমপ্লেট নির্বাচন করুন +SetRef=রেফ সেট করুন +Select2ResultFoundUseArrows=কিছু ফলাফল পাওয়া গেছে. নির্বাচন করতে তীর ব্যবহার করুন। +Select2NotFound=কোন ফলাফল পাওয়া যায়নি +Select2Enter=প্রবেশ করুন +Select2MoreCharacter=বা আরও চরিত্র +Select2MoreCharacters=বা আরও অক্ষর +Select2MoreCharactersMore=অনুসন্ধান সিনট্যাক্স:
      'notranslate>'notranslate' |b0860de534daf0 notranslate'>
      OR (a|b)
      b061d061d /span>* যেকোনো অক্ষর (a*b)
      b06aecd0207 span>^ দিয়ে শুরু করুন (^ab)
      b03aecd01>b03aecd20 $b061d061d (ab$)
      দিয়ে শেষ করুন +Select2LoadingMoreResults=আরও ফলাফল লোড হচ্ছে... +Select2SearchInProgress=অনুসন্ধান চলছে... +SearchIntoThirdparties=তৃতীয় পক্ষ +SearchIntoContacts=পরিচিতি +SearchIntoMembers=সদস্যরা +SearchIntoUsers=ব্যবহারকারীদের +SearchIntoProductsOrServices=পণ্য বা পরিষেবা +SearchIntoBatch=প্রচুর / সিরিয়াল +SearchIntoProjects=প্রকল্প +SearchIntoMO=ম্যানুফ্যাকচারিং অর্ডার +SearchIntoTasks=কাজ +SearchIntoCustomerInvoices=গ্রাহক চালান +SearchIntoSupplierInvoices=বিক্রেতা চালান +SearchIntoCustomerOrders=বিক্রয় আদেশ +SearchIntoSupplierOrders=ক্রয় আদেশ +SearchIntoCustomerProposals=বাণিজ্যিক প্রস্তাব +SearchIntoSupplierProposals=বিক্রেতা প্রস্তাব +SearchIntoInterventions=হস্তক্ষেপ +SearchIntoContracts=চুক্তি +SearchIntoCustomerShipments=গ্রাহক চালান +SearchIntoExpenseReports=খরচ রিপোর্ট +SearchIntoLeaves=ছেড়ে দিন +SearchIntoKM=জ্ঞানভিত্তিক +SearchIntoTickets=টিকিট +SearchIntoCustomerPayments=গ্রাহকের অর্থপ্রদান +SearchIntoVendorPayments=বিক্রেতা পেমেন্ট +SearchIntoMiscPayments=বিবিধ অর্থপ্রদান +CommentLink=মন্তব্য +NbComments=মন্তব্য সংখ্যা +CommentPage=মন্তব্য স্থান +CommentAdded=মন্তব্য যোগ করা হয়েছে +CommentDeleted=মন্তব্য মুছে ফেলা হয়েছে +Everybody=সবাই +EverybodySmall=সবাই +PayedBy=দ্বারা পরিশোধ করা হয় +PayedTo=দেওয়া +Monthly=মাসিক +Quarterly=ত্রৈমাসিক +Annual=বার্ষিক +Local=স্থানীয় +Remote=দূরবর্তী +LocalAndRemote=স্থানীয় এবং দূরবর্তী +KeyboardShortcut=কীবোর্ড শর্টকাট +AssignedTo=নির্ধারিত +Deletedraft=খসড়া মুছুন +ConfirmMassDraftDeletion=খসড়া ভর মুছে ফেলা নিশ্চিতকরণ +FileSharedViaALink=লিঙ্কের মাধ্যমে পাবলিক ফাইল শেয়ার করা হয়েছে +SelectAThirdPartyFirst=প্রথমে একটি তৃতীয় পক্ষ নির্বাচন করুন... +YouAreCurrentlyInSandboxMode=আপনি বর্তমানে %s "স্যান্ডবক্স" মোডে আছেন +Inventory=ইনভেন্টরি +AnalyticCode=বিশ্লেষণাত্মক কোড +TMenuMRP=এমআরপি +ShowCompanyInfos=কোম্পানির তথ্য দেখান +ShowMoreInfos=আরো তথ্য দেখান +NoFilesUploadedYet=প্রথমে একটি নথি আপলোড করুন +SeePrivateNote=ব্যক্তিগত নোট দেখুন +PaymentInformation=পেমেন্ট তথ্য +ValidFrom=বৈধ হবে +ValidUntil=বৈধতার সীমা +NoRecordedUsers=কোনো ব্যবহারকারী নেই +ToClose=কাছে +ToRefuse=প্রত্যাখ্যান করা +ToProcess=প্রক্রিয়া করতে +ToApprove=অনুমোদন +GlobalOpenedElemView=গ্লোবাল ভিউ +NoArticlesFoundForTheKeyword='%s' কীওয়ার্ডের জন্য কোনো নিবন্ধ পাওয়া যায়নি +NoArticlesFoundForTheCategory=বিভাগের জন্য কোন নিবন্ধ পাওয়া যায়নি +ToAcceptRefuse=গ্রহণ করতে | প্রত্যাখ্যান +ContactDefault_agenda=ঘটনা +ContactDefault_commande=অর্ডার +ContactDefault_contrat=চুক্তি +ContactDefault_facture=চালান +ContactDefault_fichinter=হস্তক্ষেপ +ContactDefault_invoice_supplier=সরবরাহকারী চালান +ContactDefault_order_supplier=ক্রয় আদেশ +ContactDefault_project=প্রকল্প +ContactDefault_project_task=টাস্ক +ContactDefault_propal=প্রস্তাব +ContactDefault_supplier_proposal=সরবরাহকারীর প্রস্তাব +ContactDefault_ticket=টিকিট +ContactAddedAutomatically=তৃতীয় পক্ষের পরিচিতি ভূমিকা থেকে পরিচিতি যোগ করা হয়েছে +More=আরও +ShowDetails=বিস্তারিত দেখাও +CustomReports=কাস্টম রিপোর্ট +StatisticsOn=পরিসংখ্যান চালু +SelectYourGraphOptionsFirst=একটি গ্রাফ তৈরি করতে আপনার গ্রাফ বিকল্পগুলি নির্বাচন করুন +Measures=পরিমাপ +XAxis=এক্স-অক্ষ +YAxis=Y-অক্ষ +StatusOfRefMustBe=%s এর স্ট্যাটাস অবশ্যই %s হতে হবে +DeleteFileHeader=ফাইল মুছে ফেলা নিশ্চিত করুন +DeleteFileText=আপনি কি সত্যিই এই ফাইলটি মুছে ফেলতে চান? +ShowOtherLanguages=অন্যান্য ভাষা দেখান +SwitchInEditModeToAddTranslation=এই ভাষার জন্য অনুবাদ যোগ করতে সম্পাদনা মোডে স্যুইচ করুন +NotUsedForThisCustomer=এই গ্রাহকের জন্য ব্যবহার করা হয় না +NotUsedForThisVendor=এই বিক্রেতার জন্য ব্যবহার করা হয় না +AmountMustBePositive=পরিমাণ অবশ্যই ধনাত্মক হতে হবে +ByStatus=স্ট্যাটাস দ্বারা +InformationMessage=তথ্য +Used=ব্যবহৃত +ASAP=যত দ্রুত সম্ভব +CREATEInDolibarr=রেকর্ড %s তৈরি করা হয়েছে +MODIFYInDolibarr=রেকর্ড %s পরিবর্তিত +DELETEInDolibarr=রেকর্ড %s মুছে ফেলা হয়েছে +VALIDATEInDolibarr=রেকর্ড %s বৈধ +APPROVEDInDolibarr=রেকর্ড %s অনুমোদিত +DefaultMailModel=ডিফল্ট মেল মডেল +PublicVendorName=বিক্রেতার সর্বজনীন নাম +DateOfBirth=জন্ম তারিখ +SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=নিরাপত্তা টোকেনের মেয়াদ শেষ হয়ে গেছে, তাই অ্যাকশন বাতিল করা হয়েছে। অনুগ্রহপূর্বক আবার চেষ্টা করুন. +UpToDate=আপ টু ডেট +OutOfDate=পুরানো +EventReminder=ইভেন্ট অনুস্মারক +UpdateForAllLines=সব লাইনের জন্য আপডেট +OnHold=স্হগিত +Civility=সভ্যতা +AffectTag=একটি ট্যাগ বরাদ্দ করুন +AffectUser=একজন ব্যবহারকারীকে বরাদ্দ করুন +SetSupervisor=সুপারভাইজার সেট করুন +CreateExternalUser=বাহ্যিক ব্যবহারকারী তৈরি করুন +ConfirmAffectTag=বাল্ক ট্যাগ অ্যাসাইনমেন্ট +ConfirmAffectUser=বাল্ক ইউজার অ্যাসাইনমেন্ট +ProjectRole=প্রতিটি প্রকল্প/সুযোগের উপর দায়িত্ব বরাদ্দ করা হয়েছে +TasksRole=প্রতিটি টাস্কে ভূমিকা বরাদ্দ করা হয়েছে (যদি ব্যবহার করা হয়) +ConfirmSetSupervisor=বাল্ক সুপারভাইজার সেট +ConfirmUpdatePrice=দাম বৃদ্ধি/কমানোর হার বেছে নিন +ConfirmAffectTagQuestion=আপনি কি নিশ্চিত যে আপনি %s নির্বাচিত রেকর্ড(গুলি) ট্যাগ বরাদ্দ করতে চান? +ConfirmAffectUserQuestion=আপনি কি নিশ্চিত যে আপনি %s নির্বাচিত রেকর্ড(গুলি) ব্যবহারকারীদের বরাদ্দ করতে চান? +ConfirmSetSupervisorQuestion=আপনি কি %s নির্বাচিত রেকর্ডে সুপারভাইজার সেট করতে চান? +ConfirmUpdatePriceQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) এর মূল্য আপডেট করার বিষয়ে নিশ্চিত? +CategTypeNotFound=রেকর্ডের ধরনের জন্য কোন ট্যাগ টাইপ পাওয়া যায়নি +Rate=হার +SupervisorNotFound=সুপারভাইজার পাওয়া যায়নি +CopiedToClipboard=ক্লিপবোর্ডে কপি করা হয়েছে +InformationOnLinkToContract=এই পরিমাণ শুধুমাত্র চুক্তির সমস্ত লাইনের মোট। সময়ের কোন ধারণা বিবেচনায় নেওয়া হয় না। +ConfirmCancel=আপনি বাতিল করতে চান +EmailMsgID=ইমেল MsgID +EmailDate=ইমেল তারিখ +SetToStatus=স্ট্যাটাসে সেট করুন %s +SetToEnabled=সক্রিয় হিসাবে সেট করুন৷ +SetToDisabled=অক্ষম হিসাবে সেট করুন +ConfirmMassEnabling=ভর সক্ষম নিশ্চিতকরণ +ConfirmMassEnablingQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) সক্ষম করার বিষয়ে নিশ্চিত? +ConfirmMassDisabling=ভর নিষ্ক্রিয় নিশ্চিতকরণ +ConfirmMassDisablingQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) নিষ্ক্রিয় করার বিষয়ে নিশ্চিত? +RecordsEnabled=%s রেকর্ড(গুলি) সক্ষম +RecordsDisabled=%s রেকর্ড(গুলি) নিষ্ক্রিয় +RecordEnabled=রেকর্ড সক্ষম +RecordDisabled=রেকর্ড নিষ্ক্রিয় +Forthcoming=আসন্ন +Currently=বর্তমানে +ConfirmMassLeaveApprovalQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) অনুমোদন করার বিষয়ে নিশ্চিত? +ConfirmMassLeaveApproval=গণ ছুটি অনুমোদন নিশ্চিতকরণ +RecordAproved=রেকর্ড অনুমোদিত +RecordsApproved=%s রেকর্ড(গুলি) অনুমোদিত +Properties=বৈশিষ্ট্য +hasBeenValidated=%s যাচাই করা হয়েছে +ClientTZ=ক্লায়েন্ট টাইম জোন (ব্যবহারকারী) +NotClosedYet=এখনো বন্ধ হয়নি +ClearSignature=স্বাক্ষর রিসেট করুন +CanceledHidden=বাতিল লুকানো +CanceledShown=বাতিল দেখানো হয়েছে +Terminate=সমাপ্ত করুন +Terminated=সমাপ্ত +AddLineOnPosition=অবস্থানে লাইন যোগ করুন (শেষে যদি খালি থাকে) +ConfirmAllocateCommercial=বিক্রয় প্রতিনিধি নিশ্চিতকরণ বরাদ্দ করুন +ConfirmAllocateCommercialQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) বরাদ্দ করার বিষয়ে নিশ্চিত? +CommercialsAffected=বিক্রয় প্রতিনিধি নিয়োগ +CommercialAffected=বিক্রয় প্রতিনিধি নিয়োগ +YourMessage=তোমার বার্তা +YourMessageHasBeenReceived=আপনার বার্তা গৃহীত হয়েছে। আমরা যত তাড়াতাড়ি সম্ভব উত্তর দেব বা আপনার সাথে যোগাযোগ করব। +UrlToCheck=চেক করার জন্য ইউআরএল +Automation=অটোমেশন +CreatedByEmailCollector=ইমেল সংগ্রাহক দ্বারা নির্মিত +CreatedByPublicPortal=পাবলিক পোর্টাল থেকে তৈরি +UserAgent=ব্যবহারিক দূত +InternalUser=অভ্যন্তরীণ ব্যবহারকারী +ExternalUser=বহিরাগত ব্যবহারকারী +NoSpecificContactAddress=কোনো নির্দিষ্ট যোগাযোগ বা ঠিকানা নেই +NoSpecificContactAddressBis=এই ট্যাবটি বর্তমান বস্তুর জন্য নির্দিষ্ট পরিচিতি বা ঠিকানা জোর করার জন্য নিবেদিত। আপনি যদি বস্তুর জন্য এক বা একাধিক নির্দিষ্ট পরিচিতি বা ঠিকানা নির্ধারণ করতে চান তখনই এটি ব্যবহার করুন যখন তৃতীয় পক্ষের তথ্য যথেষ্ট নয় বা সঠিক নয়। +HideOnVCard=লুকান %s +AddToContacts=আমার পরিচিতি ঠিকানা যোগ করুন +LastAccess=শেষ অ্যাক্সেস +UploadAnImageToSeeAPhotoHere=এখানে একটি ফটো দেখতে %s ট্যাব থেকে একটি ছবি আপলোড করুন +LastPasswordChangeDate=শেষ পাসওয়ার্ড পরিবর্তনের তারিখ +PublicVirtualCardUrl=ভার্চুয়াল ব্যবসা কার্ড পৃষ্ঠা URL +PublicVirtualCard=ভার্চুয়াল বিজনেস কার্ড +TreeView=গাছ দেখুন +DropFileToAddItToObject=এই বস্তুতে এটি যোগ করতে একটি ফাইল ড্রপ করুন +UploadFileDragDropSuccess=ফাইল(গুলি) সফলভাবে আপলোড করা হয়েছে৷ +SearchSyntaxTooltipForStringOrNum=পাঠ্য ক্ষেত্রের ভিতরে অনুসন্ধানের জন্য, আপনি ^ বা $ অক্ষর ব্যবহার করে একটি 'শুরু বা শেষ দিয়ে' অনুসন্ধান করতে পারেন বা ব্যবহার করতে পারেন ! একটি 'ধারণ করে না' পরীক্ষা করতে। আপনি | ব্যবহার করতে পারেন দুটি স্ট্রিংয়ের মধ্যে 'AND'-এর পরিবর্তে 'OR' অবস্থার জন্য একটি স্থানের পরিবর্তে। সাংখ্যিক মানের জন্য, আপনি একটি গাণিতিক তুলনা ব্যবহার করে ফিল্টার করতে <, >, <=, >= বা != মানের আগে অপারেটর ব্যবহার করতে পারেন +InProgress=চলমান +DateOfPrinting=মুদ্রণের তারিখ +ClickFullScreenEscapeToLeave=ফুল স্ক্রিন মোডে স্যুইচ করতে এখানে ক্লিক করুন। ফুল স্ক্রিন মোড ছেড়ে যেতে ESCAPE টিপুন। +UserNotYetValid=এখনো বৈধ নয় +UserExpired=মেয়াদোত্তীর্ণ +LinkANewFile=একটি নতুন ফাইল/নথি লিঙ্ক করুন +LinkedFiles=লিঙ্ক করা ফাইল এবং নথি +NoLinkFound=কোন নিবন্ধিত লিঙ্ক +LinkComplete=ফাইলটি সফলভাবে লিঙ্ক করা হয়েছে৷ +ErrorFileNotLinked=ফাইল লিঙ্ক করা যায়নি +LinkRemoved=লিঙ্কটি %s সরানো হয়েছে +ErrorFailedToDeleteLink= লিঙ্ক '%s' সরাতে ব্যর্থ হয়েছে +ErrorFailedToUpdateLink= লিঙ্ক আপডেট করতে ব্যর্থ হয়েছে '%s' +URLToLink=লিঙ্ক করতে URL +OverwriteIfExists=ফাইল বিদ্যমান থাকলে ওভাররাইট করুন +AmountSalary=বেতনের পরিমাণ +InvoiceSubtype=চালান সাবটাইপ +ConfirmMassReverse=বাল্ক বিপরীত নিশ্চিতকরণ +ConfirmMassReverseQuestion=আপনি কি %s নির্বাচিত রেকর্ড(গুলি) বিপরীত করতে চান? + diff --git a/htdocs/langs/bn_IN/margins.lang b/htdocs/langs/bn_IN/margins.lang index a91b139ec7b..f55b4839494 100644 --- a/htdocs/langs/bn_IN/margins.lang +++ b/htdocs/langs/bn_IN/margins.lang @@ -1,45 +1,46 @@ # Dolibarr language file - Source file is en_US - marges -Margin=Margin -Margins=Margins -TotalMargin=Total Margin -MarginOnProducts=Margin / Products -MarginOnServices=Margin / Services -MarginRate=Margin rate -MarkRate=Mark rate -DisplayMarginRates=Display margin rates -DisplayMarkRates=Display mark rates -InputPrice=Input price -margin=Profit margins management -margesSetup=Profit margins management setup -MarginDetails=Margin details -ProductMargins=Product margins -CustomerMargins=Customer margins -SalesRepresentativeMargins=Sales representative margins -ContactOfInvoice=Contact of invoice -UserMargins=User margins -ProductService=Product or Service -AllProducts=All products and services -ChooseProduct/Service=Choose product or service -ForceBuyingPriceIfNull=Force buying/cost price to selling price if not defined -ForceBuyingPriceIfNullDetails=If buying/cost price not provided when we add a new line, and this option is "ON", the margin will be 0%% on the new line (buying/cost price = selling price). If this option is "OFF" (recommended), margin will be equal to the value suggested by default (and may be 100%% if no default value can be found). -MARGIN_METHODE_FOR_DISCOUNT=Margin method for global discounts -UseDiscountAsProduct=As a product -UseDiscountAsService=As a service -UseDiscountOnTotal=On subtotal -MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Defines if a global discount is treated as a product, a service, or only on subtotal for margin calculation. -MARGIN_TYPE=Buying/Cost price suggested by default for margin calculation -MargeType1=Margin on Best vendor price -MargeType2=Margin on Weighted Average Price (WAP) -MargeType3=Margin on Cost Price -MarginTypeDesc=* Margin on best buying price = Selling price - Best vendor price defined on product card
      * Margin on Weighted Average Price (WAP) = Selling price - Product Weighted Average Price (WAP) or best vendor price if WAP not yet defined
      * Margin on Cost price = Selling price - Cost price defined on product card or WAP if cost price not defined, or best vendor price if WAP not yet defined -CostPrice=Cost price -UnitCharges=Unit charges -Charges=Charges -AgentContactType=Commercial agent contact type -AgentContactTypeDetails=Define what contact type (linked on invoices) will be used for margin report per contact/address. Note that reading statistics on a contact is not reliable since in most cases the contact may not be defined explicitely on the invoices. -rateMustBeNumeric=Rate must be a numeric value -markRateShouldBeLesserThan100=Mark rate should be lower than 100 -ShowMarginInfos=Show margin infos -CheckMargins=Margins detail -MarginPerSaleRepresentativeWarning=The report of margin per user use the link between third parties and sale representatives to calculate the margin of each sale representative. Because some thirdparties may not have any dedicated sale representative and some third parties may be linked to several, some amounts may not be included into this report (if there is no sale representative) and some may appear on different lines (for each sale representative). +Margin=মার্জিন +Margins=মার্জিন +TotalMargin=মোট মার্জিন +MarginOnProducts=মার্জিন / পণ্য +MarginOnServices=মার্জিন / পরিষেবা +MarginRate=মার্জিন হার +ModifyMarginRates=মার্জিনের হার পরিবর্তন করুন +MarkRate=মার্ক রেট +DisplayMarginRates=মার্জিন রেট প্রদর্শন করুন +DisplayMarkRates=প্রদর্শন চিহ্ন হার +InputPrice=ইনপুট মূল্য +margin=লাভ মার্জিন ব্যবস্থাপনা +margesSetup=লাভ মার্জিন ব্যবস্থাপনা সেটআপ +MarginDetails=মার্জিনের বিবরণ +ProductMargins=পণ্য মার্জিন +CustomerMargins=গ্রাহক মার্জিন +SalesRepresentativeMargins=বিক্রয় প্রতিনিধি মার্জিন +ContactOfInvoice=চালান যোগাযোগ +UserMargins=ব্যবহারকারীর মার্জিন +ProductService=পণ্য বা পরিষেবা +AllProducts=সমস্ত পণ্য এবং পরিষেবা +ChooseProduct/Service=পণ্য বা পরিষেবা চয়ন করুন +ForceBuyingPriceIfNull=সংজ্ঞায়িত না থাকলে ক্রয়/মূল্য বিক্রয় মূল্যে বাধ্য করুন +ForceBuyingPriceIfNullDetails=যদি আমরা একটি নতুন লাইন যোগ করার সময় ক্রয়/মূল্য প্রদান না করা হয় এবং এই বিকল্পটি "চালু" থাকে, তাহলে মার্জিন হবে 0%% নতুন লাইনে (ক্রয়/খরচের দাম = বিক্রয় মূল্য). যদি এই বিকল্পটি "বন্ধ" হয় (প্রস্তাবিত), মার্জিন ডিফল্টভাবে প্রস্তাবিত মানের সমান হবে (এবং যদি কোনও ডিফল্ট মান পাওয়া না যায় তবে 100%% হতে পারে)। +MARGIN_METHODE_FOR_DISCOUNT=বিশ্বব্যাপী ছাড়ের জন্য মার্জিন পদ্ধতি +UseDiscountAsProduct=পণ্য হিসেবে +UseDiscountAsService=একটি সেবা হিসাবে +UseDiscountOnTotal=সাবটোটালে +MARGIN_METHODE_FOR_DISCOUNT_DETAILS=একটি বৈশ্বিক ডিসকাউন্টকে একটি পণ্য, একটি পরিষেবা বা শুধুমাত্র মার্জিন গণনার জন্য সাবটোটাল হিসাবে বিবেচনা করা হয় কিনা তা সংজ্ঞায়িত করে৷ +MARGIN_TYPE=মার্জিন গণনার জন্য ডিফল্টভাবে প্রস্তাবিত ক্রয়/মূল্য মূল্য +MargeType1=সেরা বিক্রেতা মূল্য মার্জিন +MargeType2=ওয়েটেড এভারেজ প্রাইসের মার্জিন (WAP) +MargeType3=খরচ মূল্য মার্জিন +MarginTypeDesc=* সর্বোত্তম ক্রয় মূল্যের মার্জিন = বিক্রয় মূল্য - পণ্য কার্ডে সংজ্ঞায়িত সেরা বিক্রেতার মূল্য
      * ওজনযুক্ত গড় মূল্যের মার্জিন (WAP) = বিক্রয় মূল্য - পণ্যের ওজনযুক্ত গড় মূল্য (WAP) বা সেরা বিক্রেতার মূল্য যদি WAP এখনও সংজ্ঞায়িত না হয়
      * খরচ মূল্যের মার্জিন = বিক্রয় মূল্য - মূল্য মূল্য পণ্য কার্ডে সংজ্ঞায়িত করা হয় বা WAP-এ সংজ্ঞায়িত করা হয় যদি খরচের মূল্য সংজ্ঞায়িত করা না হয়, অথবা সেরা বিক্রেতার মূল্য যদি WAP এখনও সংজ্ঞায়িত করা হয়নি +CostPrice=কেনা দাম +UnitCharges=ইউনিট চার্জ +Charges=চার্জ +AgentContactType=বাণিজ্যিক এজেন্ট যোগাযোগের ধরন +AgentContactTypeDetails=পরিচিতি/ঠিকানা প্রতি মার্জিন রিপোর্টের জন্য কোন যোগাযোগের ধরন (ইনভয়েসে লিঙ্ক করা) ব্যবহার করা হবে তা নির্ধারণ করুন। নোট করুন যে কোনও পরিচিতির পরিসংখ্যান পড়া নির্ভরযোগ্য নয় কারণ বেশিরভাগ ক্ষেত্রে যোগাযোগটি চালানগুলিতে স্পষ্টভাবে সংজ্ঞায়িত নাও হতে পারে। +rateMustBeNumeric=হার অবশ্যই একটি সাংখ্যিক মান হতে হবে +markRateShouldBeLesserThan100=মার্ক রেট 100 এর কম হতে হবে +ShowMarginInfos=মার্জিন তথ্য দেখান +CheckMargins=মার্জিনের বিস্তারিত +MarginPerSaleRepresentativeWarning=প্রতি ব্যবহারকারীর মার্জিনের প্রতিবেদন প্রতিটি বিক্রয় প্রতিনিধির মার্জিন গণনা করতে তৃতীয় পক্ষ এবং বিক্রয় প্রতিনিধিদের মধ্যে লিঙ্ক ব্যবহার করে। কারণ কিছু তৃতীয় পক্ষের কোনো ডেডিকেটেড বিক্রয় প্রতিনিধি নাও থাকতে পারে এবং কিছু তৃতীয় পক্ষের একাধিক সাথে লিঙ্ক করা হতে পারে, কিছু পরিমাণ এই প্রতিবেদনে অন্তর্ভুক্ত নাও হতে পারে (যদি কোনো বিক্রয় প্রতিনিধি না থাকে) এবং কিছু ভিন্ন লাইনে উপস্থিত হতে পারে (প্রতিটি বিক্রয় প্রতিনিধির জন্য) . diff --git a/htdocs/langs/bn_IN/members.lang b/htdocs/langs/bn_IN/members.lang index 332fe9665d2..ae5756f88f7 100644 --- a/htdocs/langs/bn_IN/members.lang +++ b/htdocs/langs/bn_IN/members.lang @@ -1,220 +1,246 @@ # Dolibarr language file - Source file is en_US - members -MembersArea=Members area -MemberCard=Member card -SubscriptionCard=Subscription card -Member=Member -Members=Members -ShowMember=Show member card -UserNotLinkedToMember=User not linked to a member -ThirdpartyNotLinkedToMember=Third party not linked to a member -MembersTickets=Membership address sheet -FundationMembers=Foundation members -ListOfValidatedPublicMembers=List of validated public members -ErrorThisMemberIsNotPublic=This member is not public -ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, login: %s) is already linked to a third party %s. Remove this link first because a third party can't be linked to only a member (and vice versa). -ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. -SetLinkToUser=Link to a Dolibarr user -SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Business cards for members -MembersList=List of members -MembersListToValid=List of draft members (to be validated) -MembersListValid=List of valid members -MembersListUpToDate=List of valid members with up-to-date contribution -MembersListNotUpToDate=List of valid members with out-of-date contribution -MembersListExcluded=List of excluded members -MembersListResiliated=List of terminated members -MembersListQualified=List of qualified members -MenuMembersToValidate=Draft members -MenuMembersValidated=Validated members -MenuMembersExcluded=Excluded members -MenuMembersResiliated=Terminated members -MembersWithSubscriptionToReceive=Members with contribution to receive -MembersWithSubscriptionToReceiveShort=Contributions to receive -DateSubscription=Date of membership -DateEndSubscription=End date of membership -EndSubscription=End of membership -SubscriptionId=Contribution ID -WithoutSubscription=Without contribution -MemberId=Member id -NewMember=New member -MemberType=Member type -MemberTypeId=Member type id -MemberTypeLabel=Member type label -MembersTypes=Members types -MemberStatusDraft=Draft (needs to be validated) -MemberStatusDraftShort=Draft -MemberStatusActive=Validated (waiting contribution) -MemberStatusActiveShort=Validated -MemberStatusActiveLate=Contribution expired -MemberStatusActiveLateShort=Expired -MemberStatusPaid=Subscription up to date -MemberStatusPaidShort=Up to date -MemberStatusExcluded=Excluded member -MemberStatusExcludedShort=Excluded -MemberStatusResiliated=Terminated member -MemberStatusResiliatedShort=Terminated -MembersStatusToValid=Draft members -MembersStatusExcluded=Excluded members -MembersStatusResiliated=Terminated members -MemberStatusNoSubscription=Validated (no contribution required) -MemberStatusNoSubscriptionShort=Validated -SubscriptionNotNeeded=No contribution required -NewCotisation=New contribution -PaymentSubscription=New contribution payment -SubscriptionEndDate=Subscription's end date -MembersTypeSetup=Members type setup -MemberTypeModified=Member type modified -DeleteAMemberType=Delete a member type -ConfirmDeleteMemberType=Are you sure you want to delete this member type? -MemberTypeDeleted=Member type deleted -MemberTypeCanNotBeDeleted=Member type can not be deleted -NewSubscription=New contribution -NewSubscriptionDesc=This form allows you to record your subscription as a new member of the foundation. If you want to renew your subscription (if already a member), please contact foundation board instead by email %s. -Subscription=Contribution -Subscriptions=Contributions -SubscriptionLate=Late -SubscriptionNotReceived=Contribution never received -ListOfSubscriptions=List of contributions -SendCardByMail=Send card by email -AddMember=Create member -NoTypeDefinedGoToSetup=No member types defined. Go to menu "Members types" -NewMemberType=New member type -WelcomeEMail=Welcome email -SubscriptionRequired=Contribution required -DeleteType=Delete -VoteAllowed=Vote allowed -Physical=Individual -Moral=Corporation -MorAndPhy=Corporation and Individual -Reenable=Re-Enable -ExcludeMember=Exclude a member -Exclude=Exclude -ConfirmExcludeMember=Are you sure you want to exclude this member ? -ResiliateMember=Terminate a member -ConfirmResiliateMember=Are you sure you want to terminate this member? -DeleteMember=Delete a member -ConfirmDeleteMember=Are you sure you want to delete this member (Deleting a member will delete all his contributions)? -DeleteSubscription=Delete a subscription -ConfirmDeleteSubscription=Are you sure you want to delete this contribution? -Filehtpasswd=htpasswd file -ValidateMember=Validate a member -ConfirmValidateMember=Are you sure you want to validate this member? -FollowingLinksArePublic=The following links are open pages not protected by any Dolibarr permission. They are not formatted pages, provided as example to show how to list members database. -PublicMemberList=Public member list -BlankSubscriptionForm=Public self-registration form -BlankSubscriptionFormDesc=Dolibarr can provide you a public URL/website to allow external visitors to ask to subscribe to the foundation. If an online payment module is enabled, a payment form may also be automatically provided. -EnablePublicSubscriptionForm=Enable the public website with self-subscription form -ForceMemberType=Force the member type -ExportDataset_member_1=Members and contributions -ImportDataset_member_1=Members -LastMembersModified=Latest %s modified members -LastSubscriptionsModified=Latest %s modified contributions -String=String -Text=Text -Int=Int -DateAndTime=Date and time -PublicMemberCard=Member public card -SubscriptionNotRecorded=Contribution not recorded -AddSubscription=Create contribution -ShowSubscription=Show contribution +MembersArea=সদস্যদের এলাকা +MemberCard=সদস্য কার্ড +SubscriptionCard=সাবস্ক্রিপশন কার্ড +Member=সদস্য +Members=সদস্যরা +NoRecordedMembers=কোন নথিভুক্ত সদস্য +NoRecordedMembersByType=কোন নথিভুক্ত সদস্য +ShowMember=সদস্য কার্ড দেখান +UserNotLinkedToMember=ব্যবহারকারী একটি সদস্যের সাথে লিঙ্ক করা নেই +ThirdpartyNotLinkedToMember=তৃতীয় পক্ষ কোনো সদস্যের সাথে সংযুক্ত নয় +MembersTickets=সদস্যপদ ঠিকানা শীট +FundationMembers=ফাউন্ডেশনের সদস্যরা +ListOfValidatedPublicMembers=বৈধ পাবলিক সদস্যদের তালিকা +ErrorThisMemberIsNotPublic=এই সদস্য সর্বজনীন নয় +ErrorMemberIsAlreadyLinkedToThisThirdParty=অন্য সদস্য (নাম: %s, লগইন: %s) ইতিমধ্যেই একটি তৃতীয় পক্ষের সাথে লিঙ্ক করা আছে %s। প্রথমে এই লিঙ্কটি সরান কারণ একটি তৃতীয় পক্ষ শুধুমাত্র একজন সদস্যের সাথে লিঙ্ক করা যাবে না (এবং এর বিপরীতে)। +ErrorUserPermissionAllowsToLinksToItselfOnly=নিরাপত্তার কারণে, আপনার নয় এমন ব্যবহারকারীর সাথে সদস্যকে লিঙ্ক করতে সক্ষম হওয়ার জন্য আপনাকে অবশ্যই সমস্ত ব্যবহারকারীকে সম্পাদনা করার অনুমতি দিতে হবে। +SetLinkToUser=একটি Dolibarr ব্যবহারকারী লিঙ্ক +SetLinkToThirdParty=একটি Dolibarr তৃতীয় পক্ষের লিঙ্ক +MemberCountersArePublic=বৈধ সদস্যদের কাউন্টার সর্বজনীন +MembersCards=সদস্যদের জন্য কার্ড তৈরি করা +MembersList=সদস্যদের তালিকা +MembersListToValid=খসড়া সদস্যদের তালিকা (যাচাই করা হবে) +MembersListValid=বৈধ সদস্যদের তালিকা +MembersListUpToDate=আপ-টু-ডেট অবদান সহ বৈধ সদস্যদের তালিকা +MembersListNotUpToDate=মেয়াদোত্তীর্ণ অবদান সহ বৈধ সদস্যদের তালিকা +MembersListExcluded=বাদ পড়া সদস্যদের তালিকা +MembersListResiliated=বাতিল হওয়া সদস্যদের তালিকা +MembersListQualified=যোগ্য সদস্যদের তালিকা +MembersShowMembershipTypesTable=সমস্ত উপলব্ধ সদস্যতার প্রকারের একটি টেবিল দেখান (যদি না হয়, সরাসরি নিবন্ধন ফর্ম দেখান) +MembersShowVotesAllowed=সদস্যতার প্রকারের সারণীতে ভোট অনুমোদিত কিনা তা দেখান +MenuMembersToValidate=খসড়া সদস্য +MenuMembersValidated=বৈধ সদস্য +MenuMembersExcluded=বহিষ্কৃত সদস্য +MenuMembersResiliated=বরখাস্ত সদস্য +MembersWithSubscriptionToReceive=প্রাপ্তির অবদান সহ সদস্যদের +MembersWithSubscriptionToReceiveShort=অবদান গ্রহণ +DateSubscription=সদস্য হওয়ার তারিখ +DateEndSubscription=সদস্যতার শেষ তারিখ +EndSubscription=সদস্যপদ শেষ +SubscriptionId=অবদান আইডি +WithoutSubscription=সদস্যপদ ছাড়া +WaitingSubscription=সদস্যপদ মুলতুবি +WaitingSubscriptionShort=বিচারাধীন +MemberId=সদস্য আইডি +MemberRef=সদস্য রেফ +NewMember=নতুন সদেস্য +MemberType=সদস্যের ধরন +MemberTypeId=সদস্য টাইপ আইডি +MemberTypeLabel=সদস্য প্রকার লেবেল +MembersTypes=সদস্যদের প্রকার +MemberStatusDraft=খসড়া (বৈধীকরণ করা প্রয়োজন) +MemberStatusDraftShort=খসড়া +MemberStatusActive=বৈধ (অবদান অপেক্ষা) +MemberStatusActiveShort=যাচাই করা হয়েছে +MemberStatusActiveLate=অবদানের মেয়াদ শেষ +MemberStatusActiveLateShort=মেয়াদোত্তীর্ণ +MemberStatusPaid=সদস্যতা আপ টু ডেট +MemberStatusPaidShort=আপ টু ডেট +MemberStatusExcluded=বাদ সদস্য +MemberStatusExcludedShort=ছাঁটা +MemberStatusResiliated=বরখাস্ত সদস্য +MemberStatusResiliatedShort=সমাপ্ত +MembersStatusToValid=খসড়া সদস্য +MembersStatusExcluded=বহিষ্কৃত সদস্য +MembersStatusResiliated=বরখাস্ত সদস্য +MemberStatusNoSubscription=বৈধ (কোন অবদানের প্রয়োজন নেই) +MemberStatusNoSubscriptionShort=যাচাই করা হয়েছে +SubscriptionNotNeeded=কোন অবদান প্রয়োজন +NewCotisation=নতুন অবদান +PaymentSubscription=নতুন অবদান পেমেন্ট +SubscriptionEndDate=সদস্যতার শেষ তারিখ +MembersTypeSetup=সদস্যদের টাইপ সেটআপ +MemberTypeModified=সদস্যের ধরন পরিবর্তিত হয়েছে +DeleteAMemberType=সদস্যের ধরন মুছুন +ConfirmDeleteMemberType=আপনি কি এই সদস্য প্রকার মুছে ফেলার বিষয়ে নিশ্চিত? +MemberTypeDeleted=সদস্য প্রকার মুছে ফেলা হয়েছে +MemberTypeCanNotBeDeleted=সদস্য প্রকার মুছে ফেলা যাবে না +NewSubscription=নতুন অবদান +NewSubscriptionDesc=এই ফর্মটি আপনাকে ফাউন্ডেশনের নতুন সদস্য হিসাবে আপনার সদস্যতা রেকর্ড করতে দেয়। আপনি যদি আপনার সদস্যতা পুনর্নবীকরণ করতে চান (যদি ইতিমধ্যেই একজন সদস্য হন), তাহলে অনুগ্রহ করে এর পরিবর্তে ইমেলের মাধ্যমে ফাউন্ডেশন বোর্ডের সাথে যোগাযোগ করুন %s। +Subscription=অবদান +AnyAmountWithAdvisedAmount=আপনার পছন্দের যেকোনো পরিমাণ, প্রস্তাবিত %s +AnyAmountWithoutAdvisedAmount=আপনার পছন্দের যেকোনো পরিমাণ +CanEditAmountShort=যে কোন পরিমান +CanEditAmountShortForValues=প্রস্তাবিত, যেকোনো পরিমাণ +MembershipDuration=সময়কাল +GetMembershipButtonLabel=যোগদান করুন +Subscriptions=অবদানসমূহ +SubscriptionLate=দেরী +SubscriptionNotReceived=অবদান কখনোই পায়নি +ListOfSubscriptions=অবদানের তালিকা +SendCardByMail=ইমেল দ্বারা কার্ড পাঠান +AddMember=সদস্য তৈরি করুন +NoTypeDefinedGoToSetup=কোন সদস্য প্রকার সংজ্ঞায়িত. মেনুতে যান "সদস্যের ধরন" +NewMemberType=নতুন সদস্য প্রকার +WelcomeEMail=স্বাগতম ইমেইল +SubscriptionRequired=অবদান প্রয়োজন +SubscriptionRequiredDesc=যদি সাবস্ক্রিপশনের প্রয়োজন হয়, তাহলে সদস্যদের আপ টু ডেট রাখার জন্য একটি শুরু বা শেষ তারিখ সহ একটি সাবস্ক্রিপশন অবশ্যই রেকর্ড করতে হবে (সাবস্ক্রিপশনের পরিমাণ যাই হোক না কেন, সদস্যতা বিনামূল্যে হলেও)। +DeleteType=মুছে ফেলা +VoteAllowed=ভোট অনুমোদিত +Physical=স্বতন্ত্র +Moral=কর্পোরেশন +MorAndPhy=কর্পোরেশন এবং ব্যক্তি +Reenable=পুনরায় সক্ষম করুন +ExcludeMember=একজন সদস্যকে বাদ দিন +Exclude=বাদ দিন +ConfirmExcludeMember=আপনি কি নিশ্চিত আপনি এই সদস্যকে বাদ দিতে চান? +ResiliateMember=একজন সদস্যকে বাতিল করুন +ConfirmResiliateMember=আপনি কি এই সদস্যকে শেষ করার বিষয়ে নিশ্চিত? +DeleteMember=একজন সদস্য মুছুন +ConfirmDeleteMember=আপনি কি নিশ্চিত যে আপনি এই সদস্যকে মুছে ফেলতে চান (একজন সদস্যকে মুছে দিলে তার সমস্ত অবদান মুছে যাবে)? +DeleteSubscription=একটি সদস্যতা মুছুন +ConfirmDeleteSubscription=আপনি কি নিশ্চিত আপনি এই অবদান মুছে দিতে চান? +Filehtpasswd=htpasswd ফাইল +ValidateMember=একজন সদস্যকে যাচাই করুন +ConfirmValidateMember=আপনি কি নিশ্চিত যে আপনি এই সদস্যকে যাচাই করতে চান? +FollowingLinksArePublic=নিম্নলিখিত লিঙ্কগুলি খোলা পৃষ্ঠাগুলি কোন Dolibarr অনুমতি দ্বারা সুরক্ষিত নয়. এগুলি ফর্ম্যাট করা পৃষ্ঠা নয়, কীভাবে সদস্যদের ডাটাবেস তালিকাভুক্ত করা যায় তা দেখানোর জন্য উদাহরণ হিসাবে দেওয়া হয়েছে। +PublicMemberList=পাবলিক সদস্য তালিকা +BlankSubscriptionForm=পাবলিক স্ব-নিবন্ধন ফর্ম +BlankSubscriptionFormDesc=Dolibarr আপনাকে একটি সর্বজনীন URL/ওয়েবসাইট প্রদান করতে পারে যাতে বহিরাগত দর্শকরা ফাউন্ডেশনে সদস্যতা নেওয়ার জন্য অনুরোধ করতে পারে। যদি একটি অনলাইন পেমেন্ট মডিউল সক্ষম করা হয়, তাহলে একটি অর্থপ্রদানের ফর্ম স্বয়ংক্রিয়ভাবে প্রদান করা যেতে পারে। +EnablePublicSubscriptionForm=স্ব-সাবস্ক্রিপশন ফর্ম সহ সর্বজনীন ওয়েবসাইট সক্ষম করুন +ForceMemberType=সদস্য প্রকার জোর করে +ExportDataset_member_1=সদস্য এবং অবদান +ImportDataset_member_1=সদস্যরা +LastMembersModified=সর্বশেষ %s পরিবর্তিত সদস্য +LastSubscriptionsModified=সর্বশেষ %s পরিবর্তিত অবদান +String=স্ট্রিং +Text=পাঠ্য +Int=int +DateAndTime=তারিখ এবং সময় +PublicMemberCard=পাবলিক মেম্বার কার্ড +SubscriptionNotRecorded=অবদান রেকর্ড করা হয়নি +AddSubscription=অবদান তৈরি করুন +ShowSubscription=অবদান দেখান # Label of email templates -SendingAnEMailToMember=Sending information email to member -SendingEmailOnAutoSubscription=Sending email on auto registration -SendingEmailOnMemberValidation=Sending email on new member validation -SendingEmailOnNewSubscription=Sending email on new contribution -SendingReminderForExpiredSubscription=Sending reminder for expired contributions -SendingEmailOnCancelation=Sending email on cancelation -SendingReminderActionComm=Sending reminder for agenda event +SendingAnEMailToMember=সদস্যকে তথ্য ইমেল পাঠানো হচ্ছে +SendingEmailOnAutoSubscription=অটো রেজিস্ট্রেশনে ইমেল পাঠানো হচ্ছে +SendingEmailOnMemberValidation=নতুন সদস্য যাচাইকরণে ইমেল পাঠানো হচ্ছে +SendingEmailOnNewSubscription=নতুন অবদান ইমেল পাঠানো হচ্ছে +SendingReminderForExpiredSubscription=মেয়াদোত্তীর্ণ অবদানের জন্য অনুস্মারক পাঠানো হচ্ছে +SendingEmailOnCancelation=বাতিলকরণে ইমেল পাঠানো হচ্ছে +SendingReminderActionComm=এজেন্ডা ইভেন্টের জন্য অনুস্মারক পাঠানো হচ্ছে # Topic of email templates -YourMembershipRequestWasReceived=Your membership was received. -YourMembershipWasValidated=Your membership was validated -YourSubscriptionWasRecorded=Your new contribution was recorded -SubscriptionReminderEmail=contribution reminder -YourMembershipWasCanceled=Your membership was canceled -CardContent=Content of your member card +YourMembershipRequestWasReceived=আপনার সদস্যপদ গৃহীত হয়েছে. +YourMembershipWasValidated=আপনার সদস্যতা যাচাই করা হয়েছে +YourSubscriptionWasRecorded=আপনার নতুন অবদান রেকর্ড করা হয়েছে +SubscriptionReminderEmail=অবদান অনুস্মারক +YourMembershipWasCanceled=আপনার সদস্যপদ বাতিল করা হয়েছে +CardContent=আপনার সদস্য কার্ডের বিষয়বস্তু # Text of email templates -ThisIsContentOfYourMembershipRequestWasReceived=We want to let you know that your membership request was received.

      -ThisIsContentOfYourMembershipWasValidated=We want to let you know that your membership was validated with the following information:

      -ThisIsContentOfYourSubscriptionWasRecorded=We want to let you know that your new subscription was recorded.

      -ThisIsContentOfSubscriptionReminderEmail=We want to let you know that your subscription is about to expire or has already expired (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). We hope you will renew it.

      -ThisIsContentOfYourCard=This is a summary of the information we have about you. Please contact us if anything is incorrect.

      -DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Subject of the notification email received in case of auto-inscription of a guest -DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Content of the notification email received in case of auto-inscription of a guest -DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Email template to use to send email to a member on member auto-registration -DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Email template to use to send email to a member on member validation -DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Email template to use to send email to a member on new contribution recording -DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Email template to use to send email reminder when contribution is about to expire -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Email template to use to send email to a member on member cancelation -DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Email template to use to send email to a member on member exclusion -DescADHERENT_MAIL_FROM=Sender Email for automatic emails -DescADHERENT_ETIQUETTE_TYPE=Format of labels page -DescADHERENT_ETIQUETTE_TEXT=Text printed on member address sheets -DescADHERENT_CARD_TYPE=Format of cards page -DescADHERENT_CARD_HEADER_TEXT=Text printed on top of member cards -DescADHERENT_CARD_TEXT=Text printed on member cards (align on left) -DescADHERENT_CARD_TEXT_RIGHT=Text printed on member cards (align on right) -DescADHERENT_CARD_FOOTER_TEXT=Text printed on bottom of member cards -ShowTypeCard=Show type '%s' -HTPasswordExport=htpassword file generation -NoThirdPartyAssociatedToMember=No third party associated with this member -MembersAndSubscriptions=Members and Contributions -MoreActions=Complementary action on recording -MoreActionsOnSubscription=Complementary action, suggested by default when recording a contribution -MoreActionBankDirect=Create a direct entry on bank account -MoreActionBankViaInvoice=Create an invoice, and a payment on bank account -MoreActionInvoiceOnly=Create an invoice with no payment -LinkToGeneratedPages=Generate visit cards -LinkToGeneratedPagesDesc=This screen allows you to generate PDF files with business cards for all your members or a particular member. -DocForAllMembersCards=Generate business cards for all members -DocForOneMemberCards=Generate business cards for a particular member -DocForLabels=Generate address sheets -SubscriptionPayment=Contribution payment -LastSubscriptionDate=Date of latest contribution payment -LastSubscriptionAmount=Amount of latest contribution -LastMemberType=Last Member type -MembersStatisticsByCountries=Members statistics by country -MembersStatisticsByState=Members statistics by state/province -MembersStatisticsByTown=Members statistics by town -MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Total number of members -NbOfActiveMembers=Total number of current active members -NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. -MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics of members by town. -MembersByNature=This screen show you statistics of members by nature. -MembersByRegion=This screen show you statistics of members by region. -MembersStatisticsDesc=Choose statistics you want to read... -MenuMembersStats=Statistics -LastMemberDate=Latest membership date -LatestSubscriptionDate=Latest contribution date -MemberNature=Nature of the member -MembersNature=Nature of the members -Public=Information is public -NewMemberbyWeb=New member added. Awaiting approval -NewMemberForm=New member form -SubscriptionsStatistics=Contributions statistics -NbOfSubscriptions=Number of contributions -AmountOfSubscriptions=Amount collected from contributions -TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) -DefaultAmount=Default amount of contribution -CanEditAmount=Visitor can choose/edit amount of its contribution -MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page -ByProperties=By nature -MembersStatisticsByProperties=Members statistics by nature -VATToUseForSubscriptions=VAT rate to use for contributionss -NoVatOnSubscription=No VAT for contributions -ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for contribution line into invoice: %s -NameOrCompany=Name or company -SubscriptionRecorded=Contribution recorded -NoEmailSentToMember=No email sent to member -EmailSentToMember=Email sent to member at %s -SendReminderForExpiredSubscriptionTitle=Send reminder by email for expired contributions -SendReminderForExpiredSubscription=Send reminder by email to members when contribution is about to expire (parameter is number of days before end of membership to send the remind. It can be a list of days separated by a semicolon, for example '10;5;0;-5') -MembershipPaid=Membership paid for current period (until %s) -YouMayFindYourInvoiceInThisEmail=You may find your invoice attached to this email -XMembersClosed=%s member(s) closed -XExternalUserCreated=%s external user(s) created -ForceMemberNature=Force member nature (Individual or Corporation) -CreateDolibarrLoginDesc=The creation of a user login for members allows them to connect to the application. Depending on the authorizations granted, they will be able, for example, to consult or modify their file themselves. -CreateDolibarrThirdPartyDesc=A thirdparty is the legal entity that will be used on the invoice if you decide to generate invoice for each contribution. You will be able to create it later during the process of recording the contribution. +ThisIsContentOfYourMembershipRequestWasReceived=আমরা আপনাকে জানাতে চাই যে আপনার সদস্যতার অনুরোধ গৃহীত হয়েছে।

      +ThisIsContentOfYourMembershipWasValidated=আমরা আপনাকে জানাতে চাই যে আপনার সদস্যপদ নিম্নলিখিত তথ্যের সাথে যাচাই করা হয়েছে:

      +ThisIsContentOfYourSubscriptionWasRecorded=আমরা আপনাকে জানাতে চাই যে আপনার নতুন সদস্যতা রেকর্ড করা হয়েছে৷ অনুগ্রহ করে এখানে আপনার চালানটি সংযুক্ত করুন।

      +ThisIsContentOfSubscriptionReminderEmail=আমরা আপনাকে জানাতে চাই যে আপনার সদস্যতার মেয়াদ শেষ হতে চলেছে বা ইতিমধ্যে মেয়াদ শেষ হয়ে গেছে (__MEMBER_LAST_SUBSCRIPTION_DATE_END__)৷ আমরা আশা করি আপনি এটি পুনর্নবীকরণ করবেন।

      +ThisIsContentOfYourCard=এটি আপনার সম্পর্কে আমাদের কাছে থাকা তথ্যের সারসংক্ষেপ। কিছু ভুল হলে আমাদের সাথে যোগাযোগ করুন।

      +DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=অতিথির স্বয়ংক্রিয় শিলালিপির ক্ষেত্রে প্রাপ্ত বিজ্ঞপ্তি ইমেলের বিষয় +DescADHERENT_AUTOREGISTER_NOTIF_MAIL=অতিথির স্বয়ংক্রিয় শিলালিপির ক্ষেত্রে প্রাপ্ত বিজ্ঞপ্তি ইমেলের বিষয়বস্তু +DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=সদস্য স্বতঃ-নিবন্ধনে একজন সদস্যকে ইমেল পাঠাতে ব্যবহার করার জন্য ইমেল টেমপ্লেট +DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=ইমেল টেমপ্লেটটি সদস্যের বৈধতার জন্য সদস্যকে ইমেল পাঠাতে ব্যবহার করতে হবে +DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=নতুন অবদান রেকর্ডিংয়ে একজন সদস্যকে ইমেল পাঠাতে ব্যবহার করার জন্য ইমেল টেমপ্লেট +DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=অবদানের মেয়াদ শেষ হওয়ার সময় ইমেল অনুস্মারক পাঠাতে ব্যবহার করার জন্য ইমেল টেমপ্লেট +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=সদস্য বাতিলের সময় একজন সদস্যকে ইমেল পাঠাতে ব্যবহার করার জন্য ইমেল টেমপ্লেট +DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=ইমেল টেমপ্লেটটি সদস্য বর্জনের একজন সদস্যকে ইমেল পাঠাতে ব্যবহার করতে হবে +DescADHERENT_MAIL_FROM=স্বয়ংক্রিয় ইমেলের জন্য প্রেরকের ইমেল +DescADHERENT_CC_MAIL_FROM=স্বয়ংক্রিয় ইমেইল কপি পাঠান +DescADHERENT_ETIQUETTE_TYPE=লেবেল পৃষ্ঠার বিন্যাস +DescADHERENT_ETIQUETTE_TEXT=সদস্য ঠিকানা শীটে টেক্সট মুদ্রিত +DescADHERENT_CARD_TYPE=কার্ড পৃষ্ঠার বিন্যাস +DescADHERENT_CARD_HEADER_TEXT=সদস্য কার্ডের উপরে টেক্সট মুদ্রিত +DescADHERENT_CARD_TEXT=সদস্য কার্ডে টেক্সট মুদ্রিত (বাম দিকে সারিবদ্ধ) +DescADHERENT_CARD_TEXT_RIGHT=সদস্য কার্ডে টেক্সট মুদ্রিত (ডানদিকে সারিবদ্ধ) +DescADHERENT_CARD_FOOTER_TEXT=সদস্য কার্ডের নীচে টেক্সট মুদ্রিত +ShowTypeCard=ধরন দেখান '%s' +HTPasswordExport=htpassword ফাইল প্রজন্ম +NoThirdPartyAssociatedToMember=এই সদস্যের সাথে কোন তৃতীয় পক্ষ যুক্ত নয় +MembersAndSubscriptions=সদস্য এবং অবদান +MoreActions=রেকর্ডিং সম্পূরক কর্ম +MoreActionsOnSubscription=একটি অবদান রেকর্ড করার সময় ডিফল্টরূপে পরিপূরক ক্রিয়া প্রস্তাবিত, এটি একটি অবদানের অনলাইন অর্থপ্রদানে স্বয়ংক্রিয়ভাবে সম্পন্ন হয় +MoreActionBankDirect=ব্যাঙ্ক অ্যাকাউন্টে একটি সরাসরি এন্ট্রি তৈরি করুন +MoreActionBankViaInvoice=একটি চালান তৈরি করুন, এবং ব্যাঙ্ক অ্যাকাউন্টে একটি অর্থপ্রদান করুন +MoreActionInvoiceOnly=পেমেন্ট ছাড়াই একটি চালান তৈরি করুন +LinkToGeneratedPages=ব্যবসায়িক কার্ড বা ঠিকানা শীট তৈরি করা +LinkToGeneratedPagesDesc=এই স্ক্রীনটি আপনাকে আপনার সমস্ত সদস্য বা একটি নির্দিষ্ট সদস্যের জন্য ব্যবসায়িক কার্ড সহ পিডিএফ ফাইল তৈরি করতে দেয়। +DocForAllMembersCards=সমস্ত সদস্যদের জন্য ব্যবসায়িক কার্ড তৈরি করুন +DocForOneMemberCards=একটি নির্দিষ্ট সদস্যের জন্য ব্যবসায়িক কার্ড তৈরি করুন +DocForLabels=ঠিকানা শীট তৈরি করুন +SubscriptionPayment=অবদান প্রদান +LastSubscriptionDate=সর্বশেষ অবদান প্রদানের তারিখ +LastSubscriptionAmount=সর্বশেষ অবদানের পরিমাণ +LastMemberType=সর্বশেষ সদস্য প্রকার +MembersStatisticsByCountries=দেশ অনুসারে সদস্যদের পরিসংখ্যান +MembersStatisticsByState=রাজ্য/প্রদেশ অনুসারে সদস্যদের পরিসংখ্যান +MembersStatisticsByTown=শহর অনুসারে সদস্যদের পরিসংখ্যান +MembersStatisticsByRegion=অঞ্চল অনুসারে সদস্যদের পরিসংখ্যান +NbOfMembers=মোট সদস্য সংখ্যা +NbOfActiveMembers=বর্তমান সক্রিয় সদস্যের মোট সংখ্যা +NoValidatedMemberYet=কোন বৈধ সদস্য পাওয়া যায়নি +MembersByCountryDesc=এই স্ক্রিনটি আপনাকে দেশ অনুসারে সদস্যদের পরিসংখ্যান দেখায়। গ্রাফ এবং চার্টগুলি Google অনলাইন গ্রাফ পরিষেবার প্রাপ্যতার পাশাপাশি একটি কার্যকরী ইন্টারনেট সংযোগের প্রাপ্যতার উপর নির্ভর করে৷ +MembersByStateDesc=এই স্ক্রীন আপনাকে রাজ্য/প্রদেশ/ক্যান্টন অনুসারে সদস্যদের পরিসংখ্যান দেখায়। +MembersByTownDesc=এই স্ক্রীনটি আপনাকে শহর অনুসারে সদস্যদের পরিসংখ্যান দেখায়। +MembersByNature=এই স্ক্রিনটি আপনাকে প্রকৃতি অনুসারে সদস্যদের পরিসংখ্যান দেখায়। +MembersByRegion=এই স্ক্রীনটি আপনাকে অঞ্চল অনুসারে সদস্যদের পরিসংখ্যান দেখায়। +MembersStatisticsDesc=আপনি যে পরিসংখ্যান পড়তে চান তা বেছে নিন... +MenuMembersStats=পরিসংখ্যান +LastMemberDate=সর্বশেষ সদস্যতা তারিখ +LatestSubscriptionDate=সর্বশেষ অবদানের তারিখ +MemberNature=সদস্যের প্রকৃতি +MembersNature=সদস্যদের প্রকৃতি +Public=%s আমার সদস্যপদ পাবলিক রেজিস্টারে প্রকাশ করতে পারে +MembershipPublic=পাবলিক সদস্যপদ +NewMemberbyWeb=নতুন সদস্য যোগ করা হয়েছে। অনুমোদনের অপেক্ষায় +NewMemberForm=নতুন সদস্য ফর্ম +SubscriptionsStatistics=অবদান পরিসংখ্যান +NbOfSubscriptions=অবদানের সংখ্যা +AmountOfSubscriptions=অবদান থেকে সংগৃহীত পরিমাণ +TurnoverOrBudget=টার্নওভার (একটি কোম্পানির জন্য) বা বাজেট (একটি ভিত্তির জন্য) +DefaultAmount=অবদানের ডিফল্ট পরিমাণ (সদস্য প্রকার স্তরে কোনো পরিমাণ সংজ্ঞায়িত না হলেই ব্যবহার করা হয়) +MinimumAmount=ন্যূনতম পরিমাণ (অবদানের পরিমাণ বিনামূল্যে হলেই ব্যবহৃত হয়) +CanEditAmount=সদস্যতার পরিমাণ সদস্য দ্বারা সংজ্ঞায়িত করা যেতে পারে +CanEditAmountDetail=সদস্যের ধরন নির্বিশেষে দর্শক তার অবদানের পরিমাণ চয়ন/সম্পাদনা করতে পারে +AmountIsLowerToMinimumNotice=পরিমাণটি সর্বনিম্ন %s থেকে কম +MEMBER_NEWFORM_PAYONLINE=অনলাইন রেজিস্ট্রেশনের পরে, অনলাইন পেমেন্ট পৃষ্ঠায় স্বয়ংক্রিয়ভাবে স্যুইচ করুন +ByProperties=প্রকৃতিগতভাবে +MembersStatisticsByProperties=প্রকৃতির সদস্যদের পরিসংখ্যান +VATToUseForSubscriptions=অবদানের জন্য ব্যবহার করার জন্য ভ্যাট হার +NoVatOnSubscription=অবদানের জন্য কোন ভ্যাট নেই +ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=ইনভয়েসে অবদান লাইনের জন্য ব্যবহৃত পণ্য: %s +NameOrCompany=নাম বা কোম্পানি +SubscriptionRecorded=অবদান নথিভুক্ত +NoEmailSentToMember=সদস্যকে কোনো ইমেল পাঠানো হয়নি +EmailSentToMember=%s-এ সদস্যকে ইমেল পাঠানো হয়েছে +SendReminderForExpiredSubscriptionTitle=মেয়াদোত্তীর্ণ অবদানের জন্য ইমেলের মাধ্যমে অনুস্মারক পাঠান +SendReminderForExpiredSubscription=যখন অবদানের মেয়াদ শেষ হতে চলেছে তখন সদস্যদের ইমেলের মাধ্যমে অনুস্মারক পাঠান (অনুস্মারক পাঠানোর জন্য সদস্যতা শেষ হওয়ার আগের দিনগুলির সংখ্যা। এটি একটি সেমিকোলন দ্বারা পৃথক করা দিনের তালিকা হতে পারে, উদাহরণস্বরূপ '10;5;0;-5 ') +MembershipPaid=বর্তমান সময়ের জন্য সদস্যতা প্রদান করা হয়েছে (%s পর্যন্ত) +YouMayFindYourInvoiceInThisEmail=আপনি এই ইমেলের সাথে আপনার চালান সংযুক্ত দেখতে পারেন +XMembersClosed=%s সদস্য(গুলি) বন্ধ +XExternalUserCreated=%s বহিরাগত ব্যবহারকারী(গুলি) তৈরি করা হয়েছে +ForceMemberNature=ফোর্স সদস্য প্রকৃতি (ব্যক্তি বা কর্পোরেশন) +CreateDolibarrLoginDesc=সদস্যদের জন্য একটি ব্যবহারকারী লগইন তৈরি করা তাদের অ্যাপ্লিকেশনের সাথে সংযোগ করার অনুমতি দেয়। প্রদত্ত অনুমোদনের উপর নির্ভর করে, তারা সক্ষম হবে, উদাহরণস্বরূপ, তাদের ফাইল নিজেরাই পরামর্শ বা সংশোধন করতে। +CreateDolibarrThirdPartyDesc=একটি তৃতীয় পক্ষ হল আইনি সত্তা যা চালানে ব্যবহার করা হবে যদি আপনি প্রতিটি অবদানের জন্য চালান তৈরি করার সিদ্ধান্ত নেন। অবদান রেকর্ড করার প্রক্রিয়া চলাকালীন আপনি পরে এটি তৈরি করতে সক্ষম হবেন। +MemberFirstname=সদস্যের প্রথম নাম +MemberLastname=সদস্য পদবি +MemberCodeDesc=সদস্য কোড, সকল সদস্যের জন্য অনন্য +NoRecordedMembers=কোন নথিভুক্ত সদস্য +MemberSubscriptionStartFirstDayOf=একটি সদস্যতার শুরুর তারিখ a এর প্রথম দিনের সাথে মিলে যায় +MemberSubscriptionStartAfter=নবায়ন ব্যতীত সাবস্ক্রিপশন শুরু হওয়ার তারিখে প্রবেশের ন্যূনতম সময়কাল (উদাহরণ +3m = +3 মাস, -5d = -5 দিন, +1Y = +1 বছর) diff --git a/htdocs/langs/bn_IN/modulebuilder.lang b/htdocs/langs/bn_IN/modulebuilder.lang index 61b5c939d12..88b1ae1779b 100644 --- a/htdocs/langs/bn_IN/modulebuilder.lang +++ b/htdocs/langs/bn_IN/modulebuilder.lang @@ -1,147 +1,189 @@ # Dolibarr language file - Source file is en_US - loan -ModuleBuilderDesc=This tool must be used only by experienced users or developers. It provides utilities to build or edit your own module. Documentation for alternative manual development is here. -EnterNameOfModuleDesc=Enter name of the module/application to create with no spaces. Use uppercase to separate words (For example: MyModule, EcommerceForShop, SyncWithMySystem...) -EnterNameOfObjectDesc=Enter name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, but also API file, pages to list/add/edit/delete object and SQL files will be generated. -ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s -ModuleBuilderDesc3=Generated/editable modules found: %s -ModuleBuilderDesc4=A module is detected as 'editable' when the file %s exists in root of module directory -NewModule=New module -NewObjectInModulebuilder=New object -ModuleKey=Module key -ObjectKey=Object key -ModuleInitialized=Module initialized -FilesForObjectInitialized=Files for new object '%s' initialized -FilesForObjectUpdated=Files for object '%s' updated (.sql files and .class.php file) -ModuleBuilderDescdescription=Enter here all general information that describe your module. -ModuleBuilderDescspecifications=You can enter here a detailed description of the specifications of your module that is not already structured into other tabs. So you have within easy reach all the rules to develop. Also this text content will be included into the generated documentation (see last tab). You can use Markdown format, but it is recommended to use Asciidoc format (comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). -ModuleBuilderDescobjects=Define here the objects you want to manage with your module. A CRUD DAO class, SQL files, page to list record of objects, to create/edit/view a record and an API will be generated. -ModuleBuilderDescmenus=This tab is dedicated to define menu entries provided by your module. -ModuleBuilderDescpermissions=This tab is dedicated to define the new permissions you want to provide with your module. -ModuleBuilderDesctriggers=This is the view of triggers provided by your module. To include code executed when a triggered business event is launched, just edit this file. -ModuleBuilderDeschooks=This tab is dedicated to hooks. -ModuleBuilderDescwidgets=This tab is dedicated to manage/build widgets. -ModuleBuilderDescbuildpackage=You can generate here a "ready to distribute" package file (a normalized .zip file) of your module and a "ready to distribute" documentation file. Just click on button to build the package or documentation file. -EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: All coding files of module (generated or created manually) AND structured data and documentation will be deleted! -EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All coding files (generated or created manually) related to object will be deleted! -DangerZone=Danger zone -BuildPackage=Build package -BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. -BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here -ModuleIsLive=This module has been activated. Any change may break a current live feature. -DescriptionLong=Long description -EditorName=Name of editor -EditorUrl=URL of editor -DescriptorFile=Descriptor file of module -ClassFile=File for PHP DAO CRUD class -ApiClassFile=File for PHP API class -PageForList=PHP page for list of record -PageForCreateEditView=PHP page to create/edit/view a record -PageForAgendaTab=PHP page for event tab -PageForDocumentTab=PHP page for document tab -PageForNoteTab=PHP page for note tab -PageForContactTab=PHP page for contact tab -PathToModulePackage=Path to zip of module/application package -PathToModuleDocumentation=Path to file of module/application documentation (%s) -SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed. -FileNotYetGenerated=File not yet generated -RegenerateClassAndSql=Force update of .class and .sql files -RegenerateMissingFiles=Generate missing files -SpecificationFile=File of documentation -LanguageFile=File for language -ObjectProperties=Object Properties -ConfirmDeleteProperty=Are you sure you want to delete the property %s? This will change code in PHP class but also remove column from table definition of object. -NotNull=Not NULL -NotNullDesc=1=Set database to NOT NULL. -1=Allow null values and force value to NULL if empty ('' or 0). -SearchAll=Used for 'search all' -DatabaseIndex=Database index -FileAlreadyExists=File %s already exists -TriggersFile=File for triggers code -HooksFile=File for hooks code -ArrayOfKeyValues=Array of key-val -ArrayOfKeyValuesDesc=Array of keys and values if field is a combo list with fixed values -WidgetFile=Widget file -CSSFile=CSS file -JSFile=Javascript file -ReadmeFile=Readme file -ChangeLog=ChangeLog file -TestClassFile=File for PHP Unit Test class -SqlFile=Sql file -PageForLib=File for the common PHP library -PageForObjLib=File for the PHP library dedicated to object -SqlFileExtraFields=Sql file for complementary attributes -SqlFileKey=Sql file for keys -SqlFileKeyExtraFields=Sql file for keys of complementary attributes -AnObjectAlreadyExistWithThisNameAndDiffCase=An object already exists with this name and a different case -UseAsciiDocFormat=You can use Markdown format, but it is recommended to use Asciidoc format (omparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) -IsAMeasure=Is a measure -DirScanned=Directory scanned -NoTrigger=No trigger -NoWidget=No widget -GoToApiExplorer=API explorer -ListOfMenusEntries=List of menu entries -ListOfDictionariesEntries=List of dictionaries entries -ListOfPermissionsDefined=List of defined permissions -SeeExamples=See examples here -EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update).

      Using a negative value means field is not shown by default on list but can be selected for viewing).

      It can be an expression, for example:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      ($user->rights->holiday->define_holiday ? 1 : 0) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
      Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

      For document :
      0 = not displayed
      1 = display
      2 = display only if not empty

      For document lines :
      0 = not displayed
      1 = displayed in a column
      3 = display in line description column after the description
      4 = display in description column after the description only if not empty -DisplayOnPdf=Display on PDF -IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) -SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) -SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. -LanguageDefDesc=Enter in this files, all the key and the translation for each language file. -MenusDefDesc=Define here the menus provided by your module -DictionariesDefDesc=Define here the dictionaries provided by your module -PermissionsDefDesc=Define here the new permissions provided by your module -MenusDefDescTooltip=The menus provided by your module/application are defined into the array $this->menus into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), menus are also visible into the menu editor available to administrator users on %s. -DictionariesDefDescTooltip=The dictionaries provided by your module/application are defined into the array $this->dictionaries into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), dictionaries are also visible into the setup area to administrator users on %s. -PermissionsDefDescTooltip=The permissions provided by your module/application are defined into the array $this->rights into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), permissions are visible into the default permissions setup %s. -HooksDefDesc=Define in the module_parts['hooks'] property, in the module descriptor, the context of hooks you want to manage (list of contexts can be found by a search on 'initHooks(' in core code).
      Edit the hook file to add code of your hooked functions (hookable functions can be found by a search on 'executeHooks' in core code). -TriggerDefDesc=Define in the trigger file the code that you want to execute when a business event external to your module is executed (events triggered by other modules). -SeeIDsInUse=See IDs in use in your installation -SeeReservedIDsRangeHere=See range of reserved IDs -ToolkitForDevelopers=Toolkit for Dolibarr developers -TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the native module builder wizard.
      Enable the module %s and use the wizard by clicking the on the top right menu.
      Warning: This is an advanced developer feature, do not experiment on your production site! -SeeTopRightMenu=See on the top right menu -AddLanguageFile=Add language file -YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages") -DropTableIfEmpty=(Destroy table if empty) -TableDoesNotExists=The table %s does not exists -TableDropped=Table %s deleted -InitStructureFromExistingTable=Build the structure array string of an existing table -UseAboutPage=Disable the about page -UseDocFolder=Disable the documentation folder -UseSpecificReadme=Use a specific ReadMe -ContentOfREADMECustomized=Note: The content of the README.md file has been replaced with the specific value defined into setup of ModuleBuilder. -RealPathOfModule=Real path of module -ContentCantBeEmpty=Content of file can't be empty -WidgetDesc=You can generate and edit here the widgets that will be embedded with your module. -CSSDesc=You can generate and edit here a file with personalized CSS embedded with your module. -JSDesc=You can generate and edit here a file with personalized Javascript embedded with your module. -CLIDesc=You can generate here some command line scripts you want to provide with your module. -CLIFile=CLI File -NoCLIFile=No CLI files -UseSpecificEditorName = Use a specific editor name -UseSpecificEditorURL = Use a specific editor URL -UseSpecificFamily = Use a specific family -UseSpecificAuthor = Use a specific author -UseSpecificVersion = Use a specific initial version -IncludeRefGeneration=The reference of object must be generated automatically -IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference -IncludeDocGeneration=I want to generate some documents from the object -IncludeDocGenerationHelp=If you check this, some code will be generated to add a "Generate document" box on the record. -ShowOnCombobox=Show value into combobox -KeyForTooltip=Key for tooltip -CSSClass=CSS for edit/create form -CSSViewClass=CSS for read form -CSSListClass=CSS for list -NotEditable=Not editable -ForeignKey=Foreign key -TypeOfFieldsHelp=Type of fields:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) -AsciiToHtmlConverter=Ascii to HTML converter -AsciiToPdfConverter=Ascii to PDF converter -TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. -ModuleBuilderNotAllowed=The module builder is available but not allowed to your user. -ImportExportProfiles=Import and export profiles -ValidateModBuilderDesc=Put 1 if this field need to be validated with $this->validateField() or 0 if validation required +IdModule= মডিউল আইডি +ModuleBuilderDesc=এই টুলটি শুধুমাত্র অভিজ্ঞ ব্যবহারকারী বা ডেভেলপারদের দ্বারা ব্যবহার করা আবশ্যক। এটি আপনার নিজস্ব মডিউল তৈরি বা সম্পাদনা করার জন্য ইউটিলিটি প্রদান করে। বিকল্প ম্যানুয়াল ডেভেলপমেন্টের জন্য ডকুমেন্টেশন এখানে আছে। +EnterNameOfModuleDesc=কোনো স্পেস ছাড়াই তৈরি করতে মডিউল/অ্যাপ্লিকেশনের নাম লিখুন। শব্দ আলাদা করতে বড় হাতের অক্ষর ব্যবহার করুন (উদাহরণস্বরূপ: MyModule, EcommerceForShop, SyncWithMySystem...) +EnterNameOfObjectDesc=কোন স্পেস ছাড়া তৈরি করতে বস্তুর নাম লিখুন। শব্দ আলাদা করতে বড় হাতের অক্ষর ব্যবহার করুন (উদাহরণস্বরূপ: MyObject, Student, Teacher...)। CRUD ক্লাস ফাইল, বস্তুর তালিকা/সংযোজন/সম্পাদনা/মুছে ফেলার পৃষ্ঠা এবং SQL ফাইল তৈরি করা হবে। +EnterNameOfDictionaryDesc=কোনো স্পেস ছাড়াই তৈরি করতে অভিধানের নাম লিখুন। শব্দ আলাদা করতে বড় হাতের অক্ষর ব্যবহার করুন (উদাহরণস্বরূপ: MyDico...)। ক্লাস ফাইলের পাশাপাশি এসকিউএল ফাইলও তৈরি হবে। +ModuleBuilderDesc2=পথ যেখানে মডিউল তৈরি/সম্পাদিত হয় (বাহ্যিক মডিউলগুলির জন্য প্রথম ডিরেক্টরি %s-এ সংজ্ঞায়িত করা হয়েছে): %s +ModuleBuilderDesc3=জেনারেটেড/সম্পাদনাযোগ্য মডিউল পাওয়া গেছে: %s +ModuleBuilderDesc4=যখন ফাইল %sb0a65d096zfz0 মডিউল ডিরেক্টরির রুটে বিদ্যমান +NewModule=নতুন মডিউল +NewObjectInModulebuilder=নতুন বস্তু +NewDictionary=নতুন অভিধান +ModuleName=মডিউল নাম +ModuleKey=মডিউল কী +ObjectKey=অবজেক্ট কী +DicKey=অভিধান কী +ModuleInitialized=মডিউল আরম্ভ করা হয়েছে +FilesForObjectInitialized=নতুন অবজেক্টের জন্য ফাইলগুলি '%s' শুরু করা হয়েছে +FilesForObjectUpdated=অবজেক্টের জন্য ফাইলগুলি '%s' আপডেট করা হয়েছে (.sql ফাইল এবং .class.php ফাইল) +ModuleBuilderDescdescription=এখানে সমস্ত সাধারণ তথ্য লিখুন যা আপনার মডিউল বর্ণনা করে। +ModuleBuilderDescspecifications=আপনি এখানে আপনার মডিউলের স্পেসিফিকেশনগুলির একটি বিশদ বিবরণ লিখতে পারেন যা ইতিমধ্যে অন্যান্য ট্যাবে গঠন করা হয়নি। তাই আপনি সহজে নাগালের মধ্যে সব নিয়ম বিকাশ. এছাড়াও এই পাঠ্য বিষয়বস্তু তৈরি করা ডকুমেন্টেশনে অন্তর্ভুক্ত করা হবে (শেষ ট্যাব দেখুন)। আপনি মার্কডাউন ফর্ম্যাট ব্যবহার করতে পারেন, তবে Asciidoc ফর্ম্যাট ব্যবহার করার পরামর্শ দেওয়া হয় (.md এবং .asciidoc-এর মধ্যে তুলনা: http://asciidoctor.org/docs/user-manual/#compared-to-markdown)। +ModuleBuilderDescobjects=আপনার মডিউল দিয়ে আপনি যে অবজেক্টগুলি পরিচালনা করতে চান তা এখানে সংজ্ঞায়িত করুন। একটি CRUD DAO ক্লাস, SQL ফাইল, অবজেক্টের রেকর্ড তালিকাভুক্ত করার পৃষ্ঠা, একটি রেকর্ড তৈরি/সম্পাদনা/দেখতে এবং একটি API তৈরি করা হবে। +ModuleBuilderDescmenus=এই ট্যাবটি আপনার মডিউল দ্বারা প্রদত্ত মেনু এন্ট্রি সংজ্ঞায়িত করার জন্য নিবেদিত। +ModuleBuilderDescpermissions=এই ট্যাবটি আপনার মডিউল দিয়ে আপনি যে নতুন অনুমতি প্রদান করতে চান তা নির্ধারণ করার জন্য নিবেদিত। +ModuleBuilderDesctriggers=এটি আপনার মডিউল দ্বারা প্রদত্ত ট্রিগারগুলির দৃশ্য৷ একটি ট্রিগার করা ব্যবসায়িক ইভেন্ট চালু হলে এক্সিকিউট করা কোড অন্তর্ভুক্ত করতে, শুধু এই ফাইলটি সম্পাদনা করুন৷ +ModuleBuilderDeschooks=এই ট্যাবটি হুকের জন্য নিবেদিত। +ModuleBuilderDescwidgets=এই ট্যাবটি উইজেট পরিচালনা/বিল্ড করার জন্য নিবেদিত। +ModuleBuilderDescbuildpackage=আপনি এখানে আপনার মডিউলের একটি "বন্টন করার জন্য প্রস্তুত" প্যাকেজ ফাইল (একটি স্বাভাবিক .zip ফাইল) এবং একটি "বন্টন করার জন্য প্রস্তুত" ডকুমেন্টেশন ফাইল তৈরি করতে পারেন। প্যাকেজ বা ডকুমেন্টেশন ফাইল তৈরি করতে শুধু বোতামে ক্লিক করুন। +EnterNameOfModuleToDeleteDesc=আপনি আপনার মডিউল মুছে ফেলতে পারেন। সতর্কতা: মডিউলের সমস্ত কোডিং ফাইল (ম্যানুয়ালি তৈরি বা তৈরি) এবং কাঠামোগত ডেটা এবং ডকুমেন্টেশন মুছে ফেলা হবে! +EnterNameOfObjectToDeleteDesc=আপনি একটি বস্তু মুছে ফেলতে পারেন. সতর্কতা: বস্তুর সাথে সম্পর্কিত সমস্ত কোডিং ফাইল (উত্পন্ন বা ম্যানুয়ালি তৈরি) মুছে ফেলা হবে! +EnterNameOfObjectToDeleteDesc=আপনি একটি বস্তু মুছে ফেলতে পারেন. সতর্কতা: বস্তুর সাথে সম্পর্কিত সমস্ত কোডিং ফাইল (উত্পন্ন বা ম্যানুয়ালি তৈরি) মুছে ফেলা হবে! +DangerZone=বিপদজনক এলাকা +BuildPackage=প্যাকেজ তৈরি করুন +BuildPackageDesc=আপনি আপনার অ্যাপ্লিকেশনের একটি জিপ প্যাকেজ তৈরি করতে পারেন যাতে আপনি এটিকে যেকোনো ডলিবারে বিতরণ করতে প্রস্তুত থাকেন। এছাড়াও আপনি এটি বিতরণ করতে পারেন বা বাজারে বিক্রি করতে পারেন যেমন DoliStore.com। +BuildDocumentation=ডকুমেন্টেশন তৈরি করুন +ModuleIsNotActive=এই মডিউল এখনও সক্রিয় করা হয় নি. এটি লাইভ করতে %s এ যান বা এখানে ক্লিক করুন +ModuleIsLive=এই মডিউল সক্রিয় করা হয়েছে. কোনো পরিবর্তন একটি বর্তমান লাইভ বৈশিষ্ট্য ভঙ্গ করতে পারে. +DescriptionLong=দীর্ঘ বিবরণ +EditorName=সম্পাদকের নাম +EditorUrl=সম্পাদকের URL +DescriptorFile=মডিউলের বর্ণনাকারী ফাইল +ClassFile=পিএইচপি DAO CRUD ক্লাসের জন্য ফাইল +ApiClassFile=মডিউলের API ফাইল +PageForList=রেকর্ডের তালিকার জন্য পিএইচপি পৃষ্ঠা +PageForCreateEditView=একটি রেকর্ড তৈরি/সম্পাদনা/দেখতে পিএইচপি পৃষ্ঠা +PageForAgendaTab=ইভেন্ট ট্যাবের জন্য পিএইচপি পৃষ্ঠা +PageForDocumentTab=ডকুমেন্ট ট্যাবের জন্য পিএইচপি পৃষ্ঠা +PageForNoteTab=নোট ট্যাবের জন্য পিএইচপি পৃষ্ঠা +PageForContactTab=যোগাযোগ ট্যাবের জন্য পিএইচপি পৃষ্ঠা +PathToModulePackage=মডিউল/অ্যাপ্লিকেশন প্যাকেজের জিপ করার পথ +PathToModuleDocumentation=মডিউল/অ্যাপ্লিকেশন ডকুমেন্টেশনের ফাইলের পাথ (%s) +SpaceOrSpecialCharAreNotAllowed=স্পেস বা বিশেষ অক্ষর অনুমোদিত নয়। +FileNotYetGenerated=ফাইল এখনো তৈরি হয়নি +GenerateCode=কোড তৈরি করুন +RegenerateClassAndSql=.class এবং .sql ফাইলগুলির জোর করে আপডেট করুন৷ +RegenerateMissingFiles=অনুপস্থিত ফাইল তৈরি করুন +SpecificationFile=ডকুমেন্টেশন ফাইল +LanguageFile=ভাষার জন্য ফাইল +ObjectProperties=অবজেক্ট প্রোপার্টি +Property=সম্পত্তি +PropertyDesc=একটি সম্পত্তি একটি বৈশিষ্ট্য যা একটি বস্তুর বৈশিষ্ট্য. এই অ্যাট্রিবিউটে একটি কোড, একটি লেবেল এবং একটি টাইপ রয়েছে যার বিভিন্ন বিকল্প রয়েছে৷ +ConfirmDeleteProperty=আপনি কি %s সম্পত্তি মুছে ফেলার বিষয়ে নিশ্চিত? এটি পিএইচপি ক্লাসে কোড পরিবর্তন করবে কিন্তু বস্তুর টেবিল সংজ্ঞা থেকে কলাম মুছে ফেলবে। +NotNull=নাল না +NotNullDesc=1=ডাটাবেসকে NOT NULL-এ সেট করুন, 0=শূন্য মানগুলিকে অনুমতি দিন, -1=খালি হলে মানকে NULL-এ জোর করে শূন্য মানগুলিকে অনুমতি দিন ('' বা 0) +SearchAll='সকল অনুসন্ধান' এর জন্য ব্যবহৃত +DatabaseIndex=ডাটাবেস সূচক +FileAlreadyExists=ফাইল %s ইতিমধ্যেই বিদ্যমান +TriggersFile=ট্রিগার কোডের জন্য ফাইল +HooksFile=হুক কোডের জন্য ফাইল +ArrayOfKeyValues=কী-ভাল এর অ্যারে +ArrayOfKeyValuesDesc=ফিল্ড যদি নির্দিষ্ট মান সহ একটি কম্বো তালিকা হয় তবে কী এবং মানগুলির অ্যারে +WidgetFile=উইজেট ফাইল +CSSFile=CSS ফাইল +JSFile=জাভাস্ক্রিপ্ট ফাইল +ReadmeFile=রিডমি ফাইল +ChangeLog=চেঞ্জলগ ফাইল +TestClassFile=পিএইচপি ইউনিট টেস্ট ক্লাসের জন্য ফাইল +SqlFile=এসকিউএল ফাইল +PageForLib=সাধারণ পিএইচপি লাইব্রেরির জন্য ফাইল +PageForObjLib=বস্তুর জন্য নিবেদিত পিএইচপি লাইব্রেরির জন্য ফাইল +SqlFileExtraFields=পরিপূরক বৈশিষ্ট্যের জন্য এসকিউএল ফাইল +SqlFileKey=কীগুলির জন্য এসকিউএল ফাইল +SqlFileKeyExtraFields=পরিপূরক বৈশিষ্ট্যের কীগুলির জন্য এসকিউএল ফাইল +AnObjectAlreadyExistWithThisNameAndDiffCase=একটি বস্তু ইতিমধ্যেই এই নাম এবং একটি ভিন্ন ক্ষেত্রে বিদ্যমান আছে +UseAsciiDocFormat=আপনি মার্কডাউন ফর্ম্যাট ব্যবহার করতে পারেন, তবে Asciidoc ফর্ম্যাট ব্যবহার করার পরামর্শ দেওয়া হয় (.md এবং .asciidoc-এর মধ্যে তুলনা: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) +IsAMeasure=একটি পরিমাপ হয় +DirScanned=ডিরেক্টরি স্ক্যান করা হয়েছে +NoTrigger=কোনো ট্রিগার নেই +NoWidget=কোনো উইজেট নেই +ApiExplorer=API এক্সপ্লোরার +ListOfMenusEntries=মেনু এন্ট্রি তালিকা +ListOfDictionariesEntries=অভিধান এন্ট্রি তালিকা +ListOfPermissionsDefined=নির্ধারিত অনুমতির তালিকা +SeeExamples=এখানে উদাহরণ দেখুন +EnabledDesc=এই ক্ষেত্রটি সক্রিয় থাকার শর্ত।

      উদাহরণ:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=মাঠ কি দৃশ্যমান? (উদাহরণ: 0=কখনও দৃশ্যমান নয়, 1=তালিকায় দৃশ্যমান এবং ফর্মগুলি তৈরি/আপডেট/দেখুন, 2=শুধু তালিকায় দৃশ্যমান, 3=শুধুমাত্র তৈরি/আপডেট/দেখার ফর্মে দৃশ্যমান (তালিকায় নয়), 4=তালিকায় দৃশ্যমান এবং শুধুমাত্র ফর্ম আপডেট/দেখুন (তৈরি নয়), 5=তালিকাতে দৃশ্যমান এবং শুধুমাত্র ফর্ম দেখুন (তৈরি নয়, আপডেট নয়)।

      একটি নেতিবাচক মান ব্যবহার করার অর্থ হল তালিকায় ডিফল্টরূপে ক্ষেত্র দেখানো হয় না তবে দেখার জন্য নির্বাচন করা যেতে পারে)। +ItCanBeAnExpression=এটি একটি অভিব্যক্তি হতে পারে. উদাহরণ:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user ->অধিকার আছে('ছুটি', 'নির্ধারিত_ছুটির')?1:5 +DisplayOnPdfDesc=সামঞ্জস্যপূর্ণ PDF নথিতে এই ক্ষেত্রটি প্রদর্শন করুন, আপনি "পজিশন" ক্ষেত্রের সাথে অবস্থান পরিচালনা করতে পারেন।
      নথির জন্য :

      0 = প্রদর্শিত হয় না
      1 =
      2 = শুধুমাত্র খালি না থাকলে প্রদর্শন করুন

      b0e7849434 span>নথি লাইনের জন্য :

      0 = প্রদর্শিত হয় না
      1 = একটি কলামে প্রদর্শিত হয়
      3 = বর্ণনার পরে লাইন বর্ণনা কলামে প্রদর্শিত হয়
      4 = বর্ণনার পরে বিবরণ কলামে প্রদর্শন শুধুমাত্র যদি খালি না হয় +DisplayOnPdf=PDF এ +IsAMeasureDesc=তালিকায় মোট পেতে ক্ষেত্রের মান কি কম্পুলেট করা যেতে পারে? (উদাহরণ: 1 বা 0) +SearchAllDesc=ক্ষেত্রটি কি দ্রুত অনুসন্ধান সরঞ্জাম থেকে অনুসন্ধান করতে ব্যবহৃত হয়? (উদাহরণ: 1 বা 0) +SpecDefDesc=এখানে সমস্ত ডকুমেন্টেশন লিখুন যা আপনি আপনার মডিউলের সাথে প্রদান করতে চান যা ইতিমধ্যেই অন্যান্য ট্যাব দ্বারা সংজ্ঞায়িত করা হয়নি। আপনি .md বা আরও ভাল, সমৃদ্ধ .asciidoc সিনট্যাক্স ব্যবহার করতে পারেন। +LanguageDefDesc=এই ফাইলগুলিতে লিখুন, প্রতিটি ভাষার ফাইলের জন্য সমস্ত কী এবং অনুবাদ। +MenusDefDesc=আপনার মডিউল দ্বারা প্রদত্ত মেনুগুলি এখানে সংজ্ঞায়িত করুন +DictionariesDefDesc=আপনার মডিউল দ্বারা প্রদত্ত অভিধানগুলি এখানে সংজ্ঞায়িত করুন +PermissionsDefDesc=আপনার মডিউল দ্বারা প্রদত্ত নতুন অনুমতি এখানে সংজ্ঞায়িত করুন +MenusDefDescTooltip=আপনার মডিউল/অ্যাপ্লিকেশন দ্বারা প্রদত্ত মেনুগুলি মডিউল বর্ণনাকারী ফাইলে $this->মেনু অ্যারেতে সংজ্ঞায়িত করা হয়েছে। আপনি ম্যানুয়ালি এই ফাইলটি সম্পাদনা করতে পারেন বা এমবেডেড এডিটর ব্যবহার করতে পারেন।

      দ্রষ্টব্য: একবার সংজ্ঞায়িত (এবং মডিউলটি পুনরায় সক্রিয় করা হয়েছে) , %s-এ প্রশাসক ব্যবহারকারীদের জন্য উপলব্ধ মেনু সম্পাদকেও মেনুগুলি দৃশ্যমান। +DictionariesDefDescTooltip=আপনার মডিউল/অ্যাপ্লিকেশন দ্বারা প্রদত্ত অভিধানগুলিকে অ্যারে $this->ডিকশনারি মডিউল বর্ণনাকারী ফাইলে সংজ্ঞায়িত করা হয়েছে। আপনি নিজে এই ফাইলটি সম্পাদনা করতে পারেন বা এমবেড করা সম্পাদক ব্যবহার করতে পারেন।

      দ্রষ্টব্য: একবার সংজ্ঞায়িত (এবং মডিউল পুনরায় সক্রিয় করা হয়েছে), %s-এ প্রশাসক ব্যবহারকারীদের সেটআপ এলাকায় অভিধানগুলিও দৃশ্যমান। +PermissionsDefDescTooltip=আপনার মডিউল/অ্যাপ্লিকেশন দ্বারা প্রদত্ত অনুমতিগুলি অ্যারে $this->rights মডিউল বর্ণনাকারী ফাইলে সংজ্ঞায়িত করা হয়েছে। আপনি নিজে এই ফাইলটি সম্পাদনা করতে পারেন বা এমবেড করা সম্পাদক ব্যবহার করতে পারেন।

      দ্রষ্টব্য: একবার সংজ্ঞায়িত (এবং মডিউল পুনরায় সক্রিয় করা হয়েছে), অনুমতিগুলি ডিফল্ট অনুমতি সেটআপে দৃশ্যমান হয় %s। +HooksDefDesc=বৈশিষ্ট্য module_parts['hooks'], মডিউল বর্ণনাকারী ফাইলে, প্রসঙ্গগুলির তালিকা যখন আপনার হুক কার্যকর করা আবশ্যক (সম্ভাব্য প্রসঙ্গগুলির তালিকা 'initHooks('-এ অনুসন্ধানের মাধ্যমে পাওয়া যাবে) .
      তারপর আপনার হুক করা ফাংশনগুলির কোড সহ হুক কোড সহ ফাইলটি সম্পাদনা করুন (হুকযোগ্য ফাংশনের তালিকা ' এ অনুসন্ধান করে পাওয়া যাবে executeHooks' মূল কোডে)। +TriggerDefDesc=আপনার মডিউলের বাহ্যিক একটি ব্যবসায়িক ইভেন্ট কার্যকর হলে (অন্যান্য মডিউল দ্বারা ট্রিগার করা ইভেন্ট) আপনি যে কোডটি চালাতে চান সেটি ট্রিগার ফাইলে সংজ্ঞায়িত করুন। +SeeIDsInUse=আপনার ইনস্টলেশন ব্যবহার করা আইডি দেখুন +SeeReservedIDsRangeHere=সংরক্ষিত আইডি পরিসীমা দেখুন +ToolkitForDevelopers=ডলিবার ডেভেলপারদের জন্য টুলকিট +TryToUseTheModuleBuilder=আপনার যদি SQL এবং PHP সম্পর্কে জ্ঞান থাকে, আপনি স্থানীয় মডিউল নির্মাতা উইজার্ড ব্যবহার করতে পারেন।
      মডিউলটি সক্ষম করুন %s এবং উপরের ডানদিকের মেনুতে।
      সতর্কতা: এটি একটি উন্নত ডেভেলপার বৈশিষ্ট্য, করুন no span class='notranslate'> আপনার প্রোডাকশন সাইটে পরীক্ষা! +SeeTopRightMenu=উপরের ডানদিকের মেনুতে দেখুন +AddLanguageFile=ভাষা ফাইল যোগ করুন +YouCanUseTranslationKey=আপনি এখানে একটি কী ব্যবহার করতে পারেন যা ভাষা ফাইলে পাওয়া অনুবাদ কী (ট্যাব "ভাষা" দেখুন) +DropTableIfEmpty=(খালি হলে টেবিল ধ্বংস করুন) +TableDoesNotExists=টেবিল %s বিদ্যমান নেই +TableDropped=সারণী %s মুছে ফেলা হয়েছে +InitStructureFromExistingTable=একটি বিদ্যমান টেবিলের স্ট্রাকচার অ্যারে স্ট্রিং তৈরি করুন +UseAboutPage=সম্পর্কে পৃষ্ঠা তৈরি করবেন না +UseDocFolder=ডকুমেন্টেশন ফোল্ডার নিষ্ক্রিয় করুন +UseSpecificReadme=একটি নির্দিষ্ট ReadMe ব্যবহার করুন +ContentOfREADMECustomized=দ্রষ্টব্য: README.md ফাইলের বিষয়বস্তু ModuleBuilder-এর সেটআপে সংজ্ঞায়িত নির্দিষ্ট মান দিয়ে প্রতিস্থাপিত হয়েছে। +RealPathOfModule=মডিউল বাস্তব পথ +ContentCantBeEmpty=ফাইলের বিষয়বস্তু খালি হতে পারে না +WidgetDesc=আপনি এখানে উইজেট তৈরি এবং সম্পাদনা করতে পারেন যা আপনার মডিউলের সাথে এমবেড করা হবে। +CSSDesc=আপনি এখানে আপনার মডিউলের সাথে এমবেড করা ব্যক্তিগতকৃত CSS সহ একটি ফাইল তৈরি এবং সম্পাদনা করতে পারেন। +JSDesc=আপনি এখানে আপনার মডিউলের সাথে এমবেড করা ব্যক্তিগতকৃত জাভাস্ক্রিপ্ট সহ একটি ফাইল তৈরি এবং সম্পাদনা করতে পারেন। +CLIDesc=আপনি এখানে কিছু কমান্ড লাইন স্ক্রিপ্ট তৈরি করতে পারেন যা আপনি আপনার মডিউল দিয়ে দিতে চান। +CLIFile=CLI ফাইল +NoCLIFile=কোন CLI ফাইল নেই +UseSpecificEditorName = একটি নির্দিষ্ট সম্পাদক নাম ব্যবহার করুন +UseSpecificEditorURL = একটি নির্দিষ্ট সম্পাদক URL ব্যবহার করুন +UseSpecificFamily = একটি নির্দিষ্ট পরিবার ব্যবহার করুন +UseSpecificAuthor = একটি নির্দিষ্ট লেখক ব্যবহার করুন +UseSpecificVersion = একটি নির্দিষ্ট প্রাথমিক সংস্করণ ব্যবহার করুন +IncludeRefGeneration=এই বস্তুর রেফারেন্স স্বয়ংক্রিয়ভাবে কাস্টম সংখ্যায়ন নিয়ম দ্বারা তৈরি করা আবশ্যক +IncludeRefGenerationHelp=আপনি যদি কাস্টম সংখ্যায়ন নিয়মগুলি ব্যবহার করে স্বয়ংক্রিয়ভাবে রেফারেন্সের প্রজন্ম পরিচালনা করতে কোড অন্তর্ভুক্ত করতে চান তবে এটি পরীক্ষা করুন৷ +IncludeDocGeneration=আমি এই বস্তুর জন্য টেমপ্লেট থেকে কিছু নথি (পিডিএফ, ওডিটি) তৈরি করতে বৈশিষ্ট্যটি চাই +IncludeDocGenerationHelp=আপনি যদি এটি চেক করেন, রেকর্ডে একটি "ডকুমেন্ট তৈরি করুন" বক্স যোগ করতে কিছু কোড তৈরি করা হবে। +ShowOnCombobox=কম্বো বাক্সে মান দেখান +KeyForTooltip=টুলটিপের জন্য কী +CSSClass=ফর্ম সম্পাদনা/তৈরি করার জন্য CSS +CSSViewClass=পড়ার ফর্মের জন্য CSS +CSSListClass=তালিকার জন্য CSS +NotEditable=সম্পাদনাযোগ্য নয় +ForeignKey=বিদেশী চাবি +ForeignKeyDesc=যদি এই ক্ষেত্রের মান অবশ্যই অন্য টেবিলে উপস্থিত থাকার নিশ্চয়তা দিতে হবে। এখানে একটি মান মেলে সিনট্যাক্স লিখুন: tablename.parentfieldtocheck +TypeOfFieldsHelp=উদাহরণ:
      varchar(99)
      ইমেল
      ফোন
      ip
      url
      পাসওয়ার্ড
      span>ডাবল(24,8)
      real
      পাঠ্য
      html
      তারিখ
      তারিখের সময়
      টাইমস্ট্যাম্প'notranslate'
      পূর্ণসংখ্যা
      পূর্ণসংখ্যা:ClassName:relativepath/to/classfile.class.php[:1[:filter]]b0342fcc
      '1' মানে আমরা রেকর্ড তৈরি করতে কম্বোর পরে একটি + বোতাম যোগ করি
      'ফিল্টার' হল একটি ইউনিভার্সাল ফিল্টার সিনট্যাক্স শর্ত, উদাহরণ: '((status:=:1) AND (fk_user:=:__USER_ID__) AND (entity:IN:(__SHARED_ENTITIES__))' +TypeOfFieldsHelpIntro=এটি হল ক্ষেত্র/বিশিষ্টের ধরন। +AsciiToHtmlConverter=Ascii থেকে HTML রূপান্তরকারী +AsciiToPdfConverter=Ascii থেকে পিডিএফ কনভার্টার +TableNotEmptyDropCanceled=টেবিল খালি নেই। ড্রপ বাতিল করা হয়েছে। +ModuleBuilderNotAllowed=মডিউল নির্মাতা উপলব্ধ কিন্তু আপনার ব্যবহারকারীর কাছে অনুমোদিত নয়। +ImportExportProfiles=আমদানি এবং রপ্তানি প্রোফাইল +ValidateModBuilderDesc=সন্নিবেশ বা আপডেটের সময় ক্ষেত্রের বিষয়বস্তু যাচাই করার জন্য কল করা অবজেক্টের $this->validateField() পদ্ধতি থাকতে চাইলে এটি 1 এ সেট করুন। কোন বৈধতা প্রয়োজন না হলে 0 সেট করুন। +WarningDatabaseIsNotUpdated=সতর্কতা: ডাটাবেস স্বয়ংক্রিয়ভাবে আপডেট হয় না, আপনাকে অবশ্যই টেবিলগুলি ধ্বংস করতে হবে এবং টেবিলগুলি পুনরায় তৈরি করতে মডিউলটিকে নিষ্ক্রিয়-সক্ষম করতে হবে +LinkToParentMenu=অভিভাবক মেনু (fk_xxxxmenu) +ListOfTabsEntries=ট্যাব এন্ট্রির তালিকা +TabsDefDesc=আপনার মডিউল দ্বারা প্রদত্ত ট্যাবগুলি এখানে সংজ্ঞায়িত করুন +TabsDefDescTooltip=আপনার মডিউল/অ্যাপ্লিকেশন দ্বারা প্রদত্ত ট্যাবগুলি অ্যারে $this->ট্যাব মডিউল বর্ণনাকারী ফাইলে সংজ্ঞায়িত করা হয়েছে। আপনি ম্যানুয়ালি এই ফাইলটি সম্পাদনা করতে পারেন বা এমবেডেড এডিটর ব্যবহার করতে পারেন৷ +BadValueForType=%s প্রকারের জন্য খারাপ মান +DefinePropertiesFromExistingTable=বিদ্যমান টেবিল থেকে ক্ষেত্র/বৈশিষ্ট্য নির্ধারণ করুন +DefinePropertiesFromExistingTableDesc=যদি ডাটাবেসের একটি টেবিল (অবজেক্ট তৈরি করার জন্য) ইতিমধ্যেই বিদ্যমান থাকে, তাহলে আপনি বস্তুর বৈশিষ্ট্য নির্ধারণ করতে এটি ব্যবহার করতে পারেন। +DefinePropertiesFromExistingTableDesc2=টেবিলটি এখনও বিদ্যমান না থাকলে খালি রাখুন। কোড জেনারেটর টেবিলের একটি উদাহরণ তৈরি করতে বিভিন্ন ধরণের ক্ষেত্র ব্যবহার করবে যা আপনি পরে সম্পাদনা করতে পারেন। +GeneratePermissions=আমি এই বস্তুর অনুমতি পরিচালনা করতে চাই +GeneratePermissionsHelp=আপনি যদি এটি চেক করেন, তাহলে অবজেক্টের রেকর্ড পড়তে, লিখতে এবং মুছে ফেলার অনুমতি পরিচালনা করতে কিছু কোড যোগ করা হবে +PermissionDeletedSuccesfuly=অনুমতি সফলভাবে সরানো হয়েছে +PermissionUpdatedSuccesfuly=অনুমতি সফলভাবে আপডেট করা হয়েছে +PermissionAddedSuccesfuly=অনুমতি সফলভাবে যোগ করা হয়েছে +MenuDeletedSuccessfuly=মেনু সফলভাবে মুছে ফেলা হয়েছে +MenuAddedSuccessfuly=মেনু সফলভাবে যোগ করা হয়েছে +MenuUpdatedSuccessfuly=মেনু সফলভাবে আপডেট করা হয়েছে +ApiObjectDeleted=বস্তুর জন্য API %s সফলভাবে মুছে ফেলা হয়েছে +CRUDRead=পড়ুন +CRUDCreateWrite=তৈরি করুন বা আপডেট করুন +FailedToAddCodeIntoDescriptor=বর্ণনাকারীতে কোড যোগ করতে ব্যর্থ হয়েছে৷ পরীক্ষা করুন যে স্ট্রিং মন্তব্য "%s" ফাইলটিতে এখনও উপস্থিত রয়েছে৷ +DictionariesCreated=অভিধান %s সফলভাবে তৈরি করা হয়েছে +DictionaryDeleted=অভিধান %s সফলভাবে সরানো হয়েছে +PropertyModuleUpdated=সম্পত্তি %s সফলভাবে আপডেট করা হয়েছে +InfoForApiFile=* আপনি যখন প্রথমবার ফাইল তৈরি করবেন তখন প্রতিটি বস্তুর জন্য সমস্ত পদ্ধতি তৈরি হবে।
      * আপনি যখন এ ক্লিক করুন আপনি শুধু নির্বাচিত বস্তু। +SetupFile=মডিউল সেটআপের জন্য পৃষ্ঠা +EmailingSelectors=ইমেল নির্বাচকদের +EmailingSelectorDesc=আপনি গণ ইমেল মডিউলের জন্য নতুন ইমেল লক্ষ্য নির্বাচক প্রদান করতে এখানে ক্লাস ফাইল তৈরি এবং সম্পাদনা করতে পারেন +EmailingSelectorFile=ইমেল নির্বাচক ফাইল +NoEmailingSelector=কোনো ইমেল নির্বাচক ফাইল নেই diff --git a/htdocs/langs/bn_IN/mrp.lang b/htdocs/langs/bn_IN/mrp.lang index 74bed0d9186..de15c6b24fe 100644 --- a/htdocs/langs/bn_IN/mrp.lang +++ b/htdocs/langs/bn_IN/mrp.lang @@ -1,109 +1,139 @@ -Mrp=Manufacturing Orders -MOs=Manufacturing orders -ManufacturingOrder=Manufacturing Order -MRPDescription=Module to manage production and Manufacturing Orders (MO). -MRPArea=MRP Area -MrpSetupPage=Setup of module MRP -MenuBOM=Bills of material -LatestBOMModified=Latest %s Bills of materials modified -LatestMOModified=Latest %s Manufacturing Orders modified -Bom=Bills of Material -BillOfMaterials=Bill of Materials -BillOfMaterialsLines=Bill of Materials lines -BOMsSetup=Setup of module BOM -ListOfBOMs=List of bills of material - BOM -ListOfManufacturingOrders=List of Manufacturing Orders -NewBOM=New bill of materials -ProductBOMHelp=Product to create (or disassemble) with this BOM.
      Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list. -BOMsNumberingModules=BOM numbering templates -BOMsModelModule=BOM document templates -MOsNumberingModules=MO numbering templates -MOsModelModule=MO document templates -FreeLegalTextOnBOMs=Free text on document of BOM -WatermarkOnDraftBOMs=Watermark on draft BOM -FreeLegalTextOnMOs=Free text on document of MO -WatermarkOnDraftMOs=Watermark on draft MO -ConfirmCloneBillOfMaterials=Are you sure you want to clone the bill of materials %s ? -ConfirmCloneMo=Are you sure you want to clone the Manufacturing Order %s ? -ManufacturingEfficiency=Manufacturing efficiency -ConsumptionEfficiency=Consumption efficiency -ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the manufacturing or the disassembly -ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product -DeleteBillOfMaterials=Delete Bill Of Materials -DeleteMo=Delete Manufacturing Order -ConfirmDeleteBillOfMaterials=Are you sure you want to delete this Bill Of Materials? -ConfirmDeleteMo=Are you sure you want to delete this Manufacturing Order? -MenuMRP=Manufacturing Orders -NewMO=New Manufacturing Order -QtyToProduce=Qty to produce -DateStartPlannedMo=Date start planned -DateEndPlannedMo=Date end planned -KeepEmptyForAsap=Empty means 'As Soon As Possible' -EstimatedDuration=Estimated duration -EstimatedDurationDesc=Estimated duration to manufacture (or disassemble) this product using this BOM -ConfirmValidateBom=Are you sure you want to validate the BOM with the reference %s (you will be able to use it to build new Manufacturing Orders) -ConfirmCloseBom=Are you sure you want to cancel this BOM (you won't be able to use it to build new Manufacturing Orders anymore) ? -ConfirmReopenBom=Are you sure you want to re-open this BOM (you will be able to use it to build new Manufacturing Orders) -StatusMOProduced=Produced -QtyFrozen=Frozen Qty -QuantityFrozen=Frozen Quantity -QuantityConsumedInvariable=When this flag is set, the quantity consumed is always the value defined and is not relative to the quantity produced. -DisableStockChange=Stock change disabled -DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed -BomAndBomLines=Bills Of Material and lines -BOMLine=Line of BOM -WarehouseForProduction=Warehouse for production -CreateMO=Create MO -ToConsume=To consume -ToProduce=To produce -ToObtain=To obtain -QtyAlreadyConsumed=Qty already consumed -QtyAlreadyProduced=Qty already produced -QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) -ConsumeOrProduce=Consume or Produce -ConsumeAndProduceAll=Consume and Produce All -Manufactured=Manufactured -TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf=For a quantity to produce of %s -ForAQuantityToConsumeOf=For a quantity to disassemble of %s -ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? -ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRef=Production of %s -AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached -NoStockChangeOnServices=No stock change on services -ProductQtyToConsumeByMO=Product quantity still to consume by open MO -ProductQtyToProduceByMO=Product quantity still to produce by open MO -AddNewConsumeLines=Add new line to consume -AddNewProduceLines=Add new line to produce -ProductsToConsume=Products to consume -ProductsToProduce=Products to produce -UnitCost=Unit cost -TotalCost=Total cost -BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) -GoOnTabProductionToProduceFirst=You must first have started the production to close a Manufacturing Order (See tab '%s'). But you can Cancel it. -ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO -Workstation=Workstation -Workstations=Workstations -WorkstationsDescription=Workstations management -WorkstationSetup = Workstations setup -WorkstationSetupPage = Workstations setup page -WorkstationList=Workstation list -WorkstationCreate=Add new workstation -ConfirmEnableWorkstation=Are you sure you want to enable workstation %s ? -EnableAWorkstation=Enable a workstation -ConfirmDisableWorkstation=Are you sure you want to disable workstation %s ? -DisableAWorkstation=Disable a workstation -DeleteWorkstation=Delete -NbOperatorsRequired=Number of operators required -THMOperatorEstimated=Estimated operator THM -THMMachineEstimated=Estimated machine THM -WorkstationType=Workstation type -Human=Human -Machine=Machine -HumanMachine=Human / Machine -WorkstationArea=Workstation area -Machines=Machines -THMEstimatedHelp=This rate makes it possible to define a forecast cost of the item -BOM=Bill Of Materials -CollapseBOMHelp=You can define the default display of the details of the nomenclature in the configuration of the BOM module -MOAndLines=Manufacturing Orders and lines +Mrp=ম্যানুফ্যাকচারিং অর্ডার +MOs=ম্যানুফ্যাকচারিং অর্ডার +ManufacturingOrder=ম্যানুফ্যাকচারিং অর্ডার +MRPDescription=উত্পাদন এবং উত্পাদন আদেশ (MO) পরিচালনার মডিউল। +MRPArea=এমআরপি এলাকা +MrpSetupPage=মডিউল এমআরপি সেটআপ +MenuBOM=উপাদান বিল +LatestBOMModified=সর্বশেষ %s উপকরণের বিল পরিবর্তিত হয়েছে +LatestMOModified=সর্বশেষ %s ম্যানুফ্যাকচারিং অর্ডার পরিবর্তন করা হয়েছে +Bom=উপাদান বিল +BillOfMaterials=উপকরণ বিল +BillOfMaterialsLines=উপকরণ লাইন বিল +BOMsSetup=BOM মডিউল সেটআপ +ListOfBOMs=উপাদানের বিল - BOM +ListOfManufacturingOrders=ম্যানুফ্যাকচারিং অর্ডার +NewBOM=উপকরণের নতুন বিল +ProductBOMHelp=এই BOM দিয়ে পণ্য তৈরি করা (বা বিচ্ছিন্ন করা)।
      দ্রষ্টব্য: 'পণ্যের প্রকৃতি' = 'কাঁচা মাল' বৈশিষ্ট্য সহ পণ্যগুলি এই তালিকায় দৃশ্যমান নয়। +BOMsNumberingModules=BOM নম্বরিং টেমপ্লেট +BOMsModelModule=BOM নথি টেমপ্লেট +MOsNumberingModules=MO নম্বরিং টেমপ্লেট +MOsModelModule=MO নথি টেমপ্লেট +FreeLegalTextOnBOMs=BOM এর নথিতে বিনামূল্যে পাঠ্য +WatermarkOnDraftBOMs=খসড়া BOM-এ জলছাপ +FreeLegalTextOnMOs=MO এর নথিতে বিনামূল্যে পাঠ্য +WatermarkOnDraftMOs=ড্রাফ্ট MO-তে ওয়াটারমার্ক +ConfirmCloneBillOfMaterials=আপনি কি নিশ্চিত যে আপনি %s সামগ্রীর বিল ক্লোন করতে চান? +ConfirmCloneMo=আপনি কি ম্যানুফ্যাকচারিং অর্ডার %s ক্লোন করার বিষয়ে নিশ্চিত? +ManufacturingEfficiency=উত্পাদন দক্ষতা +ConsumptionEfficiency=খরচ দক্ষতা +Consumption=খরচ +ValueOfMeansLoss=0.95 মান মানে উৎপাদন বা বিচ্ছিন্ন করার সময় গড় 5%% ক্ষতি +ValueOfMeansLossForProductProduced=0.95 মান মানে উত্পাদিত পণ্যের গড় 5%% ক্ষতি +DeleteBillOfMaterials=সামগ্রীর বিল মুছুন +CancelMo=ম্যানুফ্যাকচারিং অর্ডার বাতিল করুন +MoCancelConsumedAndProducedLines=এছাড়াও সমস্ত খাওয়া এবং উত্পাদিত লাইনগুলি বাতিল করুন (লাইন এবং রোলব্যাক স্টকগুলি মুছুন) +ConfirmCancelMo=আপনি কি এই ম্যানুফ্যাকচারিং অর্ডার বাতিল করার বিষয়ে নিশ্চিত? +DeleteMo=ম্যানুফ্যাকচারিং অর্ডার মুছুন +ConfirmDeleteBillOfMaterials=আপনি কি নিশ্চিত যে আপনি এই বিল অফ ম্যাটেরিয়ালস মুছতে চান? +ConfirmDeleteMo=আপনি কি এই ম্যানুফ্যাকচারিং অর্ডার মুছে ফেলার বিষয়ে নিশ্চিত? +DeleteMoChild = এই MO %s-এর সাথে লিঙ্ক করা চাইল্ড MOs মুছুন +MoChildsDeleted = সমস্ত শিশু এমও মুছে ফেলা হয়েছে +MenuMRP=ম্যানুফ্যাকচারিং অর্ডার +NewMO=নতুন ম্যানুফ্যাকচারিং অর্ডার +QtyToProduce=উত্পাদনের পরিমাণ +DateStartPlannedMo=তারিখ শুরু পরিকল্পিত +DateEndPlannedMo=তারিখ শেষ পরিকল্পিত +KeepEmptyForAsap=খালি মানে 'যত তাড়াতাড়ি সম্ভব' +EstimatedDuration=আনুমানিক সময়কাল +EstimatedDurationDesc=এই BOM ব্যবহার করে এই পণ্যটি তৈরি (বা বিচ্ছিন্ন) করার আনুমানিক সময়কাল +ConfirmValidateBom=আপনি কি %sরেফারেন্স সহ BOM যাচাই করতে চান > (আপনি নতুন ম্যানুফ্যাকচারিং অর্ডার তৈরি করতে এটি ব্যবহার করতে সক্ষম হবেন) +ConfirmCloseBom=আপনি কি এই BOM বাতিল করার বিষয়ে নিশ্চিত (আপনি আর নতুন ম্যানুফ্যাকচারিং অর্ডার তৈরি করতে এটি ব্যবহার করতে পারবেন না)? +ConfirmReopenBom=আপনি কি নিশ্চিত যে আপনি এই BOM পুনরায় খুলতে চান (আপনি এটি নতুন উত্পাদন অর্ডার তৈরি করতে ব্যবহার করতে সক্ষম হবেন) +StatusMOProduced=উত্পাদিত +QtyFrozen=হিমায়িত পরিমাণ +QuantityFrozen=হিমায়িত পরিমাণ +QuantityConsumedInvariable=যখন এই পতাকা সেট করা হয়, খাওয়ার পরিমাণ সর্বদা সংজ্ঞায়িত মান এবং উত্পাদিত পরিমাণের সাথে আপেক্ষিক নয়। +DisableStockChange=স্টক পরিবর্তন নিষ্ক্রিয় +DisableStockChangeHelp=যখন এই পতাকাটি সেট করা হয়, তখন এই পণ্যটিতে কোন স্টক পরিবর্তন হয় না, যে পরিমাণই ব্যবহার করা হোক না কেন +BomAndBomLines=উপাদান এবং লাইন বিল +BOMLine=BOM এর লাইন +WarehouseForProduction=উৎপাদনের জন্য গুদাম +CreateMO=MO তৈরি করুন +ToConsume=ভোজন করা +ToProduce=উৎপাদন করা +ToObtain=অর্জন +QtyAlreadyConsumed=পরিমাণ ইতিমধ্যে গ্রাস +QtyAlreadyProduced=পরিমাণ ইতিমধ্যে উত্পাদিত +QtyAlreadyConsumedShort=পরিমাণে ক্ষয়প্রাপ্ত +QtyAlreadyProducedShort=উত্পাদিত পরিমাণ +QtyRequiredIfNoLoss=কোন ক্ষতি না হলে BOM-এ সংজ্ঞায়িত পরিমাণ তৈরি করতে প্রয়োজন (যদি উৎপাদন দক্ষতা 100%% হয়) +ConsumeOrProduce=ভোগ বা উত্পাদন +ConsumeAndProduceAll=সব ভোগ এবং উত্পাদন +Manufactured=উৎপাদিত +TheProductXIsAlreadyTheProductToProduce=যে পণ্যটি যোগ করতে হবে তা ইতিমধ্যেই উৎপাদনের পণ্য। +ForAQuantityOf=%s উৎপাদনের পরিমাণের জন্য +ForAQuantityToConsumeOf=%s বিচ্ছিন্ন করার পরিমাণের জন্য +ConfirmValidateMo=আপনি কি নিশ্চিত যে আপনি এই ম্যানুফ্যাকচারিং অর্ডারটি যাচাই করতে চান? +ConfirmProductionDesc='%s'-এ ক্লিক করার মাধ্যমে, আপনি সেট করা পরিমাণের জন্য ব্যবহার এবং/অথবা উৎপাদন যাচাই করবেন। এটি স্টক আপডেট করবে এবং স্টক মুভমেন্ট রেকর্ড করবে। +ProductionForRef=%s এর উৎপাদন +CancelProductionForRef=%s পণ্যের জন্য পণ্য স্টক হ্রাস বাতিলকরণ +TooltipDeleteAndRevertStockMovement=লাইন মুছুন এবং স্টক মুভমেন্ট রিভার্ট করুন +AutoCloseMO=স্বয়ংক্রিয়ভাবে ম্যানুফ্যাকচারিং অর্ডারটি বন্ধ করুন যদি খাওয়া এবং উত্পাদন করার পরিমাণ পৌঁছে যায় +NoStockChangeOnServices=পরিষেবাগুলিতে কোনও স্টক পরিবর্তন নেই +ProductQtyToConsumeByMO=পণ্যের পরিমাণ এখনও খোলা MO দ্বারা গ্রাস করা +ProductQtyToProduceByMO=পণ্যের পরিমাণ এখনও খোলা MO দ্বারা উত্পাদন করা +AddNewConsumeLines=গ্রাস করতে নতুন লাইন যোগ করুন +AddNewProduceLines=উত্পাদন নতুন লাইন যোগ করুন +ProductsToConsume=ভোজন পণ্য +ProductsToProduce=পণ্য উত্পাদন +UnitCost=ইউনিট খরচ +TotalCost=মোট খরচ +BOMTotalCost=প্রতিটি পরিমাণ এবং পণ্যের খরচের উপর ভিত্তি করে এই BOM উৎপাদনের খরচ (যদি সংজ্ঞায়িত করা থাকে তবে খরচের দাম ব্যবহার করুন, অন্যথায় গড় ওজনযুক্ত মূল্য, অন্যথায় সর্বোত্তম ক্রয় মূল্য) +BOMTotalCostService=যদি "ওয়ার্কস্টেশন" মডিউলটি সক্রিয় করা হয় এবং লাইনে একটি ওয়ার্কস্টেশন ডিফল্টরূপে সংজ্ঞায়িত করা হয়, তাহলে গণনাটি "পরিমাণ (ঘন্টায় রূপান্তরিত) x ওয়ার্কস্টেশন ahr", অন্যথায় "পরিমাণ x পরিসেবার মূল্য মূল্য" +GoOnTabProductionToProduceFirst=একটি ম্যানুফ্যাকচারিং অর্ডার বন্ধ করতে আপনাকে অবশ্যই প্রথমে উত্পাদন শুরু করতে হবে ('%s' ট্যাব দেখুন)। তবে আপনি এটি বাতিল করতে পারেন। +ErrorAVirtualProductCantBeUsedIntoABomOrMo=একটি কিট একটি BOM বা একটি MO তে ব্যবহার করা যাবে না +Workstation=ওয়ার্কস্টেশন +Workstations=ওয়ার্কস্টেশন +WorkstationsDescription=ওয়ার্কস্টেশন ব্যবস্থাপনা +WorkstationSetup = ওয়ার্কস্টেশন সেটআপ +WorkstationSetupPage = ওয়ার্কস্টেশন সেটআপ পৃষ্ঠা +WorkstationList=ওয়ার্কস্টেশন তালিকা +WorkstationCreate=নতুন ওয়ার্কস্টেশন যোগ করুন +ConfirmEnableWorkstation=আপনি কি ওয়ার্কস্টেশন %s সক্ষম করার বিষয়ে নিশ্চিত? +EnableAWorkstation=একটি ওয়ার্কস্টেশন সক্ষম করুন +ConfirmDisableWorkstation=আপনি কি ওয়ার্কস্টেশন %s নিষ্ক্রিয় করার বিষয়ে নিশ্চিত? +DisableAWorkstation=একটি ওয়ার্কস্টেশন অক্ষম করুন +DeleteWorkstation=মুছে ফেলা +NbOperatorsRequired=প্রয়োজন অপারেটর সংখ্যা +THMOperatorEstimated=আনুমানিক অপারেটর THM +THMMachineEstimated=আনুমানিক মেশিন THM +WorkstationType=ওয়ার্কস্টেশনের ধরন +DefaultWorkstation=ডিফল্ট ওয়ার্কস্টেশন +Human=মানব +Machine=মেশিন +HumanMachine=মানুষ/মেশিন +WorkstationArea=ওয়ার্কস্টেশন এলাকা +Machines=মেশিন +THMEstimatedHelp=এই হার আইটেমের একটি পূর্বাভাস খরচ সংজ্ঞায়িত করা সম্ভব করে তোলে +BOM=উপকরণ বিল +CollapseBOMHelp=আপনি BOM মডিউলের কনফিগারেশনে নামকরণের বিশদ বিবরণের ডিফল্ট প্রদর্শন সংজ্ঞায়িত করতে পারেন +MOAndLines=ম্যানুফ্যাকচারিং অর্ডার এবং লাইন +MoChildGenerate=চাইল্ড মো জেনারেট করুন +ParentMo=MO অভিভাবক +MOChild=এমও শিশু +BomCantAddChildBom=নামকরণ %s নামকরণ %s দিকে নিয়ে যাওয়া ট্রিতে ইতিমধ্যেই উপস্থিত রয়েছে +BOMNetNeeds = BOM নেট প্রয়োজন +BOMProductsList=BOM এর পণ্য +BOMServicesList=BOM এর সেবা +Manufacturing=ম্যানুফ্যাকচারিং +Disassemble=বিচ্ছিন্ন করা +ProducedBy=দ্বারা উত্পাদিত +QtyTot=মোট পরিমাণ + +QtyCantBeSplit= পরিমাণ বিভক্ত করা যাবে না +NoRemainQtyToDispatch=ভাগ করার জন্য কোন পরিমাণ অবশিষ্ট নেই + +THMOperatorEstimatedHelp=প্রতি ঘন্টায় অপারেটরের আনুমানিক খরচ। এই ওয়ার্কস্টেশন ব্যবহার করে একটি BOM-এর খরচ অনুমান করতে ব্যবহার করা হবে। +THMMachineEstimatedHelp=প্রতি ঘণ্টায় মেশিনের আনুমানিক খরচ। এই ওয়ার্কস্টেশন ব্যবহার করে একটি BOM-এর খরচ অনুমান করতে ব্যবহার করা হবে। + diff --git a/htdocs/langs/bn_IN/multicurrency.lang b/htdocs/langs/bn_IN/multicurrency.lang index bfcbd11fb7c..eecfe6f0e7d 100644 --- a/htdocs/langs/bn_IN/multicurrency.lang +++ b/htdocs/langs/bn_IN/multicurrency.lang @@ -1,22 +1,43 @@ # Dolibarr language file - Source file is en_US - multicurrency -MultiCurrency=Multi currency -ErrorAddRateFail=Error in added rate -ErrorAddCurrencyFail=Error in added currency -ErrorDeleteCurrencyFail=Error delete fail -multicurrency_syncronize_error=Synchronization error: %s -MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=Use the date of the document to find the currency rate, instead of using the latest known rate -multicurrency_useOriginTx=When an object is created from another, keep the original rate from the source object (otherwise use the latest known rate) -CurrencyLayerAccount=CurrencyLayer API -CurrencyLayerAccount_help_to_synchronize=You must create an account on website %s to use this functionality.
      Get your API key.
      If you use a free account, you can't change the source currency (USD by default).
      If your main currency is not USD, the application will automatically recalculate it.

      You are limited to 1000 synchronizations per month. -multicurrency_appId=API key -multicurrency_appCurrencySource=Source currency -multicurrency_alternateCurrencySource=Alternate source currency -CurrenciesUsed=Currencies used -CurrenciesUsed_help_to_add=Add the different currencies and rates you need to use on your proposals, orders etc. -rate=rate -MulticurrencyReceived=Received, original currency -MulticurrencyRemainderToTake=Remaining amount, original currency -MulticurrencyPaymentAmount=Payment amount, original currency -AmountToOthercurrency=Amount To (in currency of receiving account) -CurrencyRateSyncSucceed=Currency rate synchronization done successfuly -MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Use the currency of the document for online payments +MultiCurrency=বিভিন্ন দেশের মুদ্রা +ErrorAddRateFail=যোগ করা হারে ত্রুটি +ErrorAddCurrencyFail=যোগ করা মুদ্রায় ত্রুটি +ErrorDeleteCurrencyFail=ত্রুটি মুছে ফেলতে ব্যর্থ +multicurrency_syncronize_error=সিঙ্ক্রোনাইজেশন ত্রুটি: %s +MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=সর্বশেষ পরিচিত হার ব্যবহার না করে মুদ্রার হার খুঁজতে নথির তারিখ ব্যবহার করুন +multicurrency_useOriginTx=যখন একটি বস্তু অন্য থেকে তৈরি করা হয়, উৎস বস্তু থেকে মূল হার রাখুন (অন্যথায় সর্বশেষ পরিচিত হার ব্যবহার করুন) +CurrencyLayerAccount=কারেন্সি লেয়ার এপিআই +CurrencyLayerAccount_help_to_synchronize=এই কার্যকারিতা ব্যবহার করতে আপনাকে অবশ্যই %s ওয়েবসাইটে একটি অ্যাকাউন্ট তৈরি করতে হবে।
      আপনার পান /span>API কী
      আপনি যদি একটি বিনামূল্যের অ্যাকাউন্ট ব্যবহার করেন, তাহলে আপনি উৎস মুদ্রা (ডিফল্টরূপে USD)।
      যদি আপনার মূল মুদ্রা ইউএসডি না হয়, অ্যাপ্লিকেশন স্বয়ংক্রিয়ভাবে এটি পুনরায় গণনা করবে।

      আপনি প্রতি মাসে 1000টি সিঙ্ক্রোনাইজেশনের মধ্যে সীমাবদ্ধ। +multicurrency_appId=API কী +multicurrency_appCurrencySource=উৎস মুদ্রা +multicurrency_alternateCurrencySource=বিকল্প উৎস মুদ্রা +CurrenciesUsed=ব্যবহৃত মুদ্রা +CurrenciesUsed_help_to_add=আপনার প্রস্তাব, b0aee8336058b0aee8336587 /span>অর্ডার
      ইত্যাদি +rate=হার +MulticurrencyReceived=প্রাপ্ত, আসল মুদ্রা +MulticurrencyRemainderToTake=অবশিষ্ট পরিমাণ, আসল মুদ্রা +MulticurrencyPaymentAmount=অর্থপ্রদানের পরিমাণ, আসল মুদ্রা +AmountToOthercurrency=পরিমাণ (প্রাপ্তি অ্যাকাউন্টের মুদ্রায়) +CurrencyRateSyncSucceed=কারেন্সি রেট সিঙ্ক্রোনাইজেশন সফলভাবে সম্পন্ন হয়েছে +MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=অনলাইন পেমেন্টের জন্য নথির মুদ্রা ব্যবহার করুন +TabTitleMulticurrencyRate=হার তালিকা +ListCurrencyRate=মুদ্রার বিনিময় হারের তালিকা +CreateRate=একটি হার তৈরি করুন +FormCreateRate=রেট সৃষ্টি +FormUpdateRate=হার পরিবর্তন +successRateCreate=ডাটাবেসে %s মুদ্রার হার যোগ করা হয়েছে +ConfirmDeleteLineRate=আপনি কি নিশ্চিত যে আপনি %s মুদ্রার %s হার সরাতে চান? > তারিখ? +DeleteLineRate=পরিষ্কার হার +successRateDelete=হার মুছে ফেলা হয়েছে +errorRateDelete=হার মুছে ফেলার সময় ত্রুটি +successUpdateRate=পরিবর্তন করা হয়েছে +ErrorUpdateRate=হার পরিবর্তন করার সময় ত্রুটি +Codemulticurrency=মুদ্রা কোড +UpdateRate=হার পরিবর্তন করুন +CancelUpdate=বাতিল +NoEmptyRate=হার ক্ষেত্রটি খালি হওয়া উচিত নয় +CurrencyCodeId=মুদ্রা আইডি +CurrencyCode=মুদ্রা কোড +CurrencyUnitPrice=বৈদেশিক মুদ্রায় ইউনিট মূল্য +CurrencyPrice=বৈদেশিক মুদ্রায় মূল্য +MutltiCurrencyAutoUpdateCurrencies=সমস্ত মুদ্রার হার আপডেট করুন diff --git a/htdocs/langs/bn_IN/oauth.lang b/htdocs/langs/bn_IN/oauth.lang index 075ff49a895..6ff1851f1d5 100644 --- a/htdocs/langs/bn_IN/oauth.lang +++ b/htdocs/langs/bn_IN/oauth.lang @@ -1,32 +1,42 @@ # Dolibarr language file - Source file is en_US - oauth -ConfigOAuth=OAuth Configuration -OAuthServices=OAuth Services -ManualTokenGeneration=Manual token generation -TokenManager=Token Manager -IsTokenGenerated=Is token generated ? -NoAccessToken=No access token saved into local database -HasAccessToken=A token was generated and saved into local database -NewTokenStored=Token received and saved -ToCheckDeleteTokenOnProvider=Click here to check/delete authorization saved by %s OAuth provider -TokenDeleted=Token deleted -RequestAccess=Click here to request/renew access and receive a new token to save -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider: -ListOfSupportedOauthProviders=Enter the credentials provided by your OAuth2 provider. Only supported OAuth2 providers are listedd here. These services may be used by other modules that need OAuth2 authentication. -OAuthSetupForLogin=Page to generate an OAuth token -SeePreviousTab=See previous tab -OAuthIDSecret=OAuth ID and Secret -TOKEN_REFRESH=Token Refresh Present -TOKEN_EXPIRED=Token expired -TOKEN_EXPIRE_AT=Token expire at -TOKEN_DELETE=Delete saved token -OAUTH_GOOGLE_NAME=OAuth Google service -OAUTH_GOOGLE_ID=OAuth Google Id -OAUTH_GOOGLE_SECRET=OAuth Google Secret -OAUTH_GOOGLE_DESC=Go to this page then "Credentials" to create OAuth credentials -OAUTH_GITHUB_NAME=OAuth GitHub service -OAUTH_GITHUB_ID=OAuth GitHub Id -OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_GITHUB_DESC=Go to this page then "Register a new application" to create OAuth credentials -OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test -OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live +ConfigOAuth=OAuth কনফিগারেশন +OAuthServices=OAuth পরিষেবা +ManualTokenGeneration=ম্যানুয়াল টোকেন প্রজন্ম +TokenManager=টোকেন ম্যানেজার +IsTokenGenerated=টোকেন তৈরি হয়? +NoAccessToken=স্থানীয় ডাটাবেসে কোনো অ্যাক্সেস টোকেন সংরক্ষিত নেই +HasAccessToken=একটি টোকেন তৈরি করা হয়েছিল এবং স্থানীয় ডাটাবেসে সংরক্ষিত হয়েছিল +NewTokenStored=টোকেন প্রাপ্ত এবং সংরক্ষিত +ToCheckDeleteTokenOnProvider=%s OAuth প্রদানকারীর দ্বারা সংরক্ষিত অনুমোদন চেক/মুছে ফেলতে এখানে ক্লিক করুন +TokenDeleted=টোকেন মুছে ফেলা হয়েছে +GetAccess=একটি টোকেন পেতে এখানে ক্লিক করুন +RequestAccess=অ্যাক্সেসের অনুরোধ/রিনিউ করতে এবং একটি নতুন টোকেন পেতে এখানে ক্লিক করুন +DeleteAccess=টোকেন মুছে ফেলার জন্য এখানে ক্লিক করুন +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider +ListOfSupportedOauthProviders=আপনার OAuth2 টোকেন প্রদানকারী যোগ করুন। তারপর, একটি OAuth আইডি এবং সিক্রেট তৈরি/পাতে এবং সেগুলি এখানে সংরক্ষণ করতে আপনার OAuth প্রদানকারী অ্যাডমিন পৃষ্ঠায় যান। একবার হয়ে গেলে, আপনার টোকেন তৈরি করতে অন্য ট্যাবে স্যুইচ করুন। +OAuthSetupForLogin=OAuth টোকেন পরিচালনা (জেনারেট/মোছা) করার জন্য পৃষ্ঠা +SeePreviousTab=আগের ট্যাব দেখুন +OAuthProvider=OAuth প্রদানকারী +OAuthIDSecret=OAuth আইডি এবং সিক্রেট +TOKEN_REFRESH=টোকেন রিফ্রেশ বর্তমান +TOKEN_EXPIRED=টোকেনের মেয়াদ শেষ +TOKEN_EXPIRE_AT=টোকেনের মেয়াদ শেষ হবে +TOKEN_DELETE=সংরক্ষিত টোকেন মুছুন +OAUTH_GOOGLE_NAME=OAuth Google পরিষেবা +OAUTH_GOOGLE_ID=OAuth গুগল আইডি +OAUTH_GOOGLE_SECRET=OAuth গুগল সিক্রেট +OAUTH_GITHUB_NAME=OAuth GitHub পরিষেবা +OAUTH_GITHUB_ID=OAuth GitHub আইডি +OAUTH_GITHUB_SECRET=OAuth GitHub সিক্রেট +OAUTH_URL_FOR_CREDENTIAL=এই পৃষ্ঠায় যান আপনার OAuth আইডি এবং গোপনীয়তা তৈরি করতে বা পেতে +OAUTH_STRIPE_TEST_NAME=OAuth স্ট্রাইপ পরীক্ষা +OAUTH_STRIPE_LIVE_NAME=OAuth স্ট্রাইপ লাইভ +OAUTH_ID=OAuth ক্লায়েন্ট আইডি +OAUTH_SECRET=OAuth গোপন +OAUTH_TENANT=OAuth ভাড়াটে +OAuthProviderAdded=OAuth প্রদানকারী যোগ করা হয়েছে +AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=এই প্রদানকারীর জন্য একটি OAuth এন্ট্রি এবং লেবেল ইতিমধ্যেই বিদ্যমান +URLOfServiceForAuthorization=প্রমাণীকরণের জন্য OAuth পরিষেবা দ্বারা প্রদত্ত URL +Scopes=অনুমতি (স্কোপ) +ScopeUndefined=অনুমতি (স্কোপ) অনির্ধারিত (আগের ট্যাব দেখুন) diff --git a/htdocs/langs/bn_IN/opensurvey.lang b/htdocs/langs/bn_IN/opensurvey.lang index 9fafacaf8bf..2d4445a10c7 100644 --- a/htdocs/langs/bn_IN/opensurvey.lang +++ b/htdocs/langs/bn_IN/opensurvey.lang @@ -1,63 +1,64 @@ # Dolibarr language file - Source file is en_US - opensurvey -Survey=Poll -Surveys=Polls -OrganizeYourMeetingEasily=Organize your meetings and polls easily. First select the type of poll... -NewSurvey=New poll -OpenSurveyArea=Polls area -AddACommentForPoll=You can add a comment into poll... -AddComment=Add comment -CreatePoll=Create poll -PollTitle=Poll title -ToReceiveEMailForEachVote=Receive an email for each vote -TypeDate=Type date -TypeClassic=Type standard -OpenSurveyStep2=Select your dates among the free days (grey). The selected days are green. You can unselect a day previously selected by clicking again on it -RemoveAllDays=Remove all days -CopyHoursOfFirstDay=Copy hours of first day -RemoveAllHours=Remove all hours -SelectedDays=Selected days -TheBestChoice=The best choice currently is -TheBestChoices=The best choices currently are -with=with -OpenSurveyHowTo=If you agree to vote in this poll, you have to give your name, choose the values that fit best for you and validate with the plus button at the end of the line. -CommentsOfVoters=Comments of voters -ConfirmRemovalOfPoll=Are you sure you want to remove this poll (and all votes) -RemovePoll=Remove poll -UrlForSurvey=URL to communicate to get a direct access to poll -PollOnChoice=You are creating a poll to make a multi-choice for a poll. First enter all possible choices for your poll: -CreateSurveyDate=Create a date poll -CreateSurveyStandard=Create a standard poll -CheckBox=Simple checkbox -YesNoList=List (empty/yes/no) -PourContreList=List (empty/for/against) -AddNewColumn=Add new column -TitleChoice=Choice label -ExportSpreadsheet=Export result spreadsheet -ExpireDate=Limit date -NbOfSurveys=Number of polls -NbOfVoters=No. of voters -SurveyResults=Results -PollAdminDesc=You are allowed to change all vote lines of this poll with button "Edit". You can, as well, remove a column or a line with %s. You can also add a new column with %s. -5MoreChoices=5 more choices -Against=Against -YouAreInivitedToVote=You are invited to vote for this poll -VoteNameAlreadyExists=This name was already used for this poll -AddADate=Add a date -AddStartHour=Add start hour -AddEndHour=Add end hour -votes=vote(s) -NoCommentYet=No comments have been posted for this poll yet -CanComment=Voters can comment in the poll -YourVoteIsPrivate=This poll is private, nobody can see your vote. -YourVoteIsPublic=This poll is public, anybody with the link can see your vote. -CanSeeOthersVote=Voters can see other people's vote -SelectDayDesc=For each selected day, you can choose, or not, meeting hours in the following format:
      - empty,
      - "8h", "8H" or "8:00" to give a meeting's start hour,
      - "8-11", "8h-11h", "8H-11H" or "8:00-11:00" to give a meeting's start and end hour,
      - "8h15-11h15", "8H15-11H15" or "8:15-11:15" for the same thing but with minutes. -BackToCurrentMonth=Back to current month -ErrorOpenSurveyFillFirstSection=You haven't filled the first section of the poll creation -ErrorOpenSurveyOneChoice=Enter at least one choice -ErrorInsertingComment=There was an error while inserting your comment -MoreChoices=Enter more choices for the voters -SurveyExpiredInfo=The poll has been closed or voting delay has expired. -EmailSomeoneVoted=%s has filled a line.\nYou can find your poll at the link: \n%s -ShowSurvey=Show survey -UserMustBeSameThanUserUsedToVote=You must have voted and use the same user name that the one used to vote, to post a comment +Survey=পোল +Surveys=ভোট +OrganizeYourMeetingEasily=সহজে আপনার মিটিং এবং পোল সংগঠিত করুন. প্রথমে পোলের ধরন নির্বাচন করুন... +NewSurvey=নতুন ভোট +OpenSurveyArea=ভোট এলাকা +AddACommentForPoll=আপনি পোলে একটি মন্তব্য যোগ করতে পারেন... +AddComment=মন্তব্য যোগ করুন +CreatePoll=পোল তৈরি করুন +PollTitle=ভোটের শিরোনাম +ToReceiveEMailForEachVote=প্রতিটি ভোটের জন্য একটি ইমেল পান +TypeDate=তারিখ টাইপ করুন +TypeClassic=স্ট্যান্ডার্ড টাইপ করুন +OpenSurveyStep2=বিনামূল্যের দিনগুলির মধ্যে আপনার তারিখগুলি নির্বাচন করুন (ধূসর)। নির্বাচিত দিনগুলি সবুজ। আপনি এটিতে আবার ক্লিক করে পূর্বে নির্বাচিত একটি দিন অনির্বাচন করতে পারেন +RemoveAllDays=সমস্ত দিন সরান +CopyHoursOfFirstDay=প্রথম দিনের ঘন্টা কপি করুন +RemoveAllHours=সমস্ত ঘন্টা সরান +SelectedDays=নির্বাচিত দিন +TheBestChoice=সেরা পছন্দ বর্তমানে +TheBestChoices=সেরা পছন্দ বর্তমানে হয় +with=সঙ্গে +OpenSurveyHowTo=আপনি যদি এই পোলে ভোট দিতে সম্মত হন, তাহলে আপনাকে আপনার নাম দিতে হবে, আপনার জন্য সবচেয়ে উপযুক্ত মানগুলি বেছে নিতে হবে এবং লাইনের শেষে প্লাস বোতাম দিয়ে যাচাই করতে হবে। +CommentsOfVoters=ভোটারদের মন্তব্য +ConfirmRemovalOfPoll=আপনি কি নিশ্চিত আপনি এই পোল (এবং সমস্ত ভোট) সরাতে চান +RemovePoll=পোল সরান +UrlForSurvey=পোলে সরাসরি অ্যাক্সেস পেতে যোগাযোগের URL +PollOnChoice=আপনি একটি পোল তৈরি করছেন একটি পোলের জন্য বহু-পছন্দ করার জন্য৷ প্রথমে আপনার পোলের জন্য সম্ভাব্য সব পছন্দ লিখুন: +CreateSurveyDate=একটি তারিখ পোল তৈরি করুন +CreateSurveyStandard=একটি স্ট্যান্ডার্ড পোল তৈরি করুন +CheckBox=সহজ চেকবক্স +YesNoList=তালিকা (খালি/হ্যাঁ/না) +PourContreList=তালিকা (খালি/পক্ষে/বিপক্ষে) +AddNewColumn=নতুন কলাম যোগ করুন +TitleChoice=পছন্দ লেবেল +ExportSpreadsheet=ফলাফল স্প্রেডশীট রপ্তানি করুন +ExpireDate=সীমা তারিখ +NbOfSurveys=ভোটের সংখ্যা +NbOfVoters=ভোটার সংখ্যা +SurveyResults=ফলাফল +PollAdminDesc=আপনি "সম্পাদনা" বোতাম দিয়ে এই পোলের সমস্ত ভোট লাইন পরিবর্তন করতে পারবেন৷ আপনি, সেইসাথে, %s দিয়ে একটি কলাম বা একটি লাইন সরাতে পারেন। এছাড়াও আপনি %s দিয়ে একটি নতুন কলাম যোগ করতে পারেন। +5MoreChoices=আরও 5টি পছন্দ +Against=বিরুদ্ধে +YouAreInivitedToVote=আপনি এই পোল জন্য ভোট আমন্ত্রিত +VoteNameAlreadyExists=এই নামটি ইতিমধ্যেই এই ভোটের জন্য ব্যবহার করা হয়েছে৷ +AddADate=একটি তারিখ যোগ করুন +AddStartHour=শুরুর সময় যোগ করুন +AddEndHour=শেষ ঘন্টা যোগ করুন +votes=ভোট(গুলি) +NoCommentYet=এই পোলের জন্য এখনো কোনো মন্তব্য পোস্ট করা হয়নি +CanComment=ভোটাররা পোলে মন্তব্য করতে পারবেন +YourVoteIsPrivate=এই পোলটি ব্যক্তিগত, কেউ আপনার ভোট দেখতে পারবে না৷ +YourVoteIsPublic=এই পোলটি সর্বজনীন, লিঙ্ক সহ যে কেউ আপনার ভোট দেখতে পারবেন৷ +CanSeeOthersVote=ভোটাররা অন্যের ভোট দেখতে পারেন +SelectDayDesc=প্রতিটি নির্বাচিত দিনের জন্য, আপনি নিম্নলিখিত ফর্ম্যাটে মিটিংয়ের সময় বেছে নিতে পারেন বা না করতে পারেন:
      - খালি,
      - " একটি মিটিং শুরুর সময় দিতে 8h", "8H" বা "8:00",
      - "8-11", "8h-11h", "8H-11H" অথবা "8:00-11:00" মিটিং শুরু এবং শেষের সময় দিতে,
      - "8h15-11h15", "8H15-11H15" বা "8:15- 11:15" একই জিনিসের জন্য কিন্তু মিনিটের সাথে। +BackToCurrentMonth=চলতি মাসে ফিরে যান +ErrorOpenSurveyFillFirstSection=আপনি পোল তৈরির প্রথম বিভাগটি পূরণ করেননি৷ +ErrorOpenSurveyOneChoice=অন্তত একটি পছন্দ লিখুন +ErrorInsertingComment=আপনার মন্তব্য সন্নিবেশ করার সময় একটি ত্রুটি ছিল +MoreChoices=ভোটারদের জন্য আরো পছন্দ লিখুন +SurveyExpiredInfo=ভোট বন্ধ করা হয়েছে বা ভোট বিলম্বের মেয়াদ শেষ হয়েছে। +EmailSomeoneVoted=%s একটি লাইন পূরণ করেছে৷\nআপনি লিঙ্কে আপনার পোল খুঁজে পেতে পারেন:\n%s +ShowSurvey=সমীক্ষা দেখান +UserMustBeSameThanUserUsedToVote=আপনি অবশ্যই ভোট দিয়েছেন এবং একটি মন্তব্য পোস্ট করার জন্য যে ব্যবহারকারী ভোট দিয়েছেন সেই একই ব্যবহারকারীর নাম ব্যবহার করবেন৷ +ListOfOpenSurveys=উন্মুক্ত সমীক্ষার তালিকা diff --git a/htdocs/langs/bn_IN/orders.lang b/htdocs/langs/bn_IN/orders.lang index 11220633d61..e1b31a80605 100644 --- a/htdocs/langs/bn_IN/orders.lang +++ b/htdocs/langs/bn_IN/orders.lang @@ -1,196 +1,208 @@ # Dolibarr language file - Source file is en_US - orders -OrdersArea=Customers orders area -SuppliersOrdersArea=Purchase orders area -OrderCard=Order card -OrderId=Order Id -Order=Order -PdfOrderTitle=Order -Orders=Orders -OrderLine=Order line -OrderDate=Order date -OrderDateShort=Order date -OrderToProcess=Order to process -NewOrder=New order -NewSupplierOrderShort=New order -NewOrderSupplier=New Purchase Order -ToOrder=Make order -MakeOrder=Make order -SupplierOrder=Purchase order -SuppliersOrders=Purchase orders -SaleOrderLines=Sales order lines -PurchaseOrderLines=Puchase order lines -SuppliersOrdersRunning=Current purchase orders -CustomerOrder=Sales Order -CustomersOrders=Sales Orders -CustomersOrdersRunning=Current sales orders -CustomersOrdersAndOrdersLines=Sales orders and order details -OrdersDeliveredToBill=Sales orders delivered to bill -OrdersToBill=Sales orders delivered -OrdersInProcess=Sales orders in process -OrdersToProcess=Sales orders to process -SuppliersOrdersToProcess=Purchase orders to process -SuppliersOrdersAwaitingReception=Purchase orders awaiting reception -AwaitingReception=Awaiting reception -StatusOrderCanceledShort=Canceled -StatusOrderDraftShort=Draft -StatusOrderValidatedShort=Validated -StatusOrderSentShort=In process -StatusOrderSent=Shipment in process -StatusOrderOnProcessShort=Ordered -StatusOrderProcessedShort=Processed -StatusOrderDelivered=Delivered -StatusOrderDeliveredShort=Delivered -StatusOrderToBillShort=Delivered -StatusOrderApprovedShort=Approved -StatusOrderRefusedShort=Refused -StatusOrderToProcessShort=To process -StatusOrderReceivedPartiallyShort=Partially received -StatusOrderReceivedAllShort=Products received -StatusOrderCanceled=Canceled -StatusOrderDraft=Draft (needs to be validated) -StatusOrderValidated=Validated -StatusOrderOnProcess=Ordered - Standby reception -StatusOrderOnProcessWithValidation=Ordered - Standby reception or validation -StatusOrderProcessed=Processed -StatusOrderToBill=Delivered -StatusOrderApproved=Approved -StatusOrderRefused=Refused -StatusOrderReceivedPartially=Partially received -StatusOrderReceivedAll=All products received -ShippingExist=A shipment exists -QtyOrdered=Qty ordered -ProductQtyInDraft=Product quantity into draft orders -ProductQtyInDraftOrWaitingApproved=Product quantity into draft or approved orders, not yet ordered -MenuOrdersToBill=Orders delivered -MenuOrdersToBill2=Billable orders -ShipProduct=Ship product -CreateOrder=Create Order -RefuseOrder=Refuse order -ApproveOrder=Approve order -Approve2Order=Approve order (second level) -ValidateOrder=Validate order -UnvalidateOrder=Unvalidate order -DeleteOrder=Delete order -CancelOrder=Cancel order -OrderReopened= Order %s re-open -AddOrder=Create order -AddSupplierOrderShort=Create order -AddPurchaseOrder=Create purchase order -AddToDraftOrders=Add to draft order -ShowOrder=Show order -OrdersOpened=Orders to process -NoDraftOrders=No draft orders -NoOrder=No order -NoSupplierOrder=No purchase order -LastOrders=Latest %s sales orders -LastCustomerOrders=Latest %s sales orders -LastSupplierOrders=Latest %s purchase orders -LastModifiedOrders=Latest %s modified orders -AllOrders=All orders -NbOfOrders=Number of orders -OrdersStatistics=Order's statistics -OrdersStatisticsSuppliers=Purchase order statistics -NumberOfOrdersByMonth=Number of orders by month -AmountOfOrdersByMonthHT=Amount of orders by month (excl. tax) -ListOfOrders=List of orders -CloseOrder=Close order -ConfirmCloseOrder=Are you sure you want to set this order to delivered? Once an order is delivered, it can be set to billed. -ConfirmDeleteOrder=Are you sure you want to delete this order? -ConfirmValidateOrder=Are you sure you want to validate this order under name %s? -ConfirmUnvalidateOrder=Are you sure you want to restore order %s to draft status? -ConfirmCancelOrder=Are you sure you want to cancel this order? -ConfirmMakeOrder=Are you sure you want to confirm you made this order on %s? -GenerateBill=Generate invoice -ClassifyShipped=Classify delivered -DraftOrders=Draft orders -DraftSuppliersOrders=Draft purchase orders -OnProcessOrders=In process orders -RefOrder=Ref. order -RefCustomerOrder=Ref. order for customer -RefOrderSupplier=Ref. order for vendor -RefOrderSupplierShort=Ref. order vendor -SendOrderByMail=Send order by mail -ActionsOnOrder=Events on order -NoArticleOfTypeProduct=No article of type 'product' so no shippable article for this order -OrderMode=Order method -AuthorRequest=Request author -UserWithApproveOrderGrant=Users granted with "approve orders" permission. -PaymentOrderRef=Payment of order %s -ConfirmCloneOrder=Are you sure you want to clone this order %s? -DispatchSupplierOrder=Receiving purchase order %s -FirstApprovalAlreadyDone=First approval already done -SecondApprovalAlreadyDone=Second approval already done -SupplierOrderReceivedInDolibarr=Purchase Order %s received %s -SupplierOrderSubmitedInDolibarr=Purchase Order %s submitted -SupplierOrderClassifiedBilled=Purchase Order %s set billed -OtherOrders=Other orders -SupplierOrderValidatedAndApproved=Supplier order is validated and approved : %s -SupplierOrderValidated=Supplier order is validated : %s +OrderExists=এই প্রস্তাবের সাথে একটি অর্ডার ইতিমধ্যেই খোলা ছিল, তাই অন্য কোনও অর্ডার স্বয়ংক্রিয়ভাবে তৈরি হয়নি৷ +OrdersArea=গ্রাহকদের আদেশ এলাকা +SuppliersOrdersArea=ক্রয় আদেশ এলাকা +OrderCard=অর্ডার কার্ড +OrderId=অর্ডার আইডি +Order=অর্ডার +PdfOrderTitle=অর্ডার +Orders=আদেশ +OrderLine=নির্দেশ রেখা +OrderDate=অর্ডারের তারিখ +OrderDateShort=অর্ডারের তারিখ +OrderToProcess=প্রক্রিয়া করার আদেশ +NewOrder=নতুন আদেশ +NewSupplierOrderShort=নতুন আদেশ +NewOrderSupplier=নতুন ক্রয় আদেশ +ToOrder=অর্ডার করুন +MakeOrder=অর্ডার করুন +SupplierOrder=ক্রয় আদেশ +SuppliersOrders=ক্রয় আদেশ +SaleOrderLines=বিক্রয় আদেশ লাইন +PurchaseOrderLines=ক্রয় অর্ডার লাইন +SuppliersOrdersRunning=বর্তমান ক্রয় আদেশ +CustomerOrder=বিক্রয় আদেশ +CustomersOrders=বিক্রয় আদেশ +CustomersOrdersRunning=বর্তমান বিক্রয় আদেশ +CustomersOrdersAndOrdersLines=বিক্রয় আদেশ এবং আদেশ বিবরণ +OrdersDeliveredToBill=বিক্রয় আদেশ বিল বিতরণ +OrdersToBill=বিক্রয় আদেশ বিতরণ +OrdersInProcess=প্রক্রিয়াধীন বিক্রয় আদেশ +OrdersToProcess=বিক্রয় আদেশ প্রক্রিয়াকরণ +SuppliersOrdersToProcess=প্রক্রিয়া করার জন্য ক্রয় আদেশ +SuppliersOrdersAwaitingReception=ক্রয় আদেশ অভ্যর্থনা অপেক্ষা করছে +AwaitingReception=রিসেপশনের অপেক্ষায় +StatusOrderCanceledShort=বাতিল +StatusOrderDraftShort=খসড়া +StatusOrderValidatedShort=যাচাই করা হয়েছে +StatusOrderSentShort=প্রক্রিয়াধীন +StatusOrderSent=চালান প্রক্রিয়াধীন +StatusOrderOnProcessShort=আদেশ দিয়েছেন +StatusOrderProcessedShort=প্রক্রিয়াকৃত +StatusOrderDelivered=বিতরণ করা হয়েছে +StatusOrderDeliveredShort=বিতরণ করা হয়েছে +StatusOrderToBillShort=বিতরণ করা হয়েছে +StatusOrderApprovedShort=অনুমোদিত +StatusOrderRefusedShort=প্রত্যাখ্যান করেছে +StatusOrderToProcessShort=প্রক্রিয়া করতে +StatusOrderReceivedPartiallyShort=আংশিক প্রাপ্তি +StatusOrderReceivedAllShort=প্রাপ্ত পণ্য +StatusOrderCanceled=বাতিল +StatusOrderDraft=খসড়া (বৈধীকরণ করা প্রয়োজন) +StatusOrderValidated=যাচাই করা হয়েছে +StatusOrderOnProcess=আদেশ - স্ট্যান্ডবাই অভ্যর্থনা +StatusOrderOnProcessWithValidation=আদেশ - স্ট্যান্ডবাই অভ্যর্থনা বা বৈধতা +StatusOrderProcessed=প্রক্রিয়াকৃত +StatusOrderToBill=বিতরণ করা হয়েছে +StatusOrderApproved=অনুমোদিত +StatusOrderRefused=প্রত্যাখ্যান করেছে +StatusOrderReceivedPartially=আংশিক প্রাপ্তি +StatusOrderReceivedAll=সমস্ত পণ্য প্রাপ্ত +ShippingExist=একটি চালান বিদ্যমান +QtyOrdered=পরিমাণ আদেশ +ProductQtyInDraft=খসড়া আদেশ মধ্যে পণ্য পরিমাণ +ProductQtyInDraftOrWaitingApproved=খসড়া বা অনুমোদিত আদেশে পণ্যের পরিমাণ, এখনও অর্ডার করা হয়নি +MenuOrdersToBill=অর্ডার বিতরণ করা হয়েছে +MenuOrdersToBill2=বিলযোগ্য আদেশ +ShipProduct=জাহাজ পণ্য +CreateOrder=অর্ডার তৈরি করুন +RefuseOrder=আদেশ প্রত্যাখ্যান +ApproveOrder=আদেশ অনুমোদন +Approve2Order=অর্ডার অনুমোদন করুন (দ্বিতীয় স্তর) +UserApproval=অনুমোদনের জন্য ব্যবহারকারী +UserApproval2=অনুমোদনের জন্য ব্যবহারকারী (দ্বিতীয় স্তর) +ValidateOrder=অর্ডার যাচাই করুন +UnvalidateOrder=অর্ডার বাতিল করুন +DeleteOrder=অর্ডার মুছুন +CancelOrder=আদেশ বাতিল +OrderReopened= অর্ডার %s পুনরায় খুলুন +AddOrder=অর্ডার তৈরি করুন +AddSupplierOrderShort=অর্ডার তৈরি করুন +AddPurchaseOrder=ক্রয় অর্ডার তৈরি করুন +AddToDraftOrders=খসড়া অর্ডার যোগ করুন +ShowOrder=অর্ডার দেখান +OrdersOpened=প্রক্রিয়া করার আদেশ +NoDraftOrders=কোন খসড়া আদেশ +NoOrder=কোন নির্দেশ নেই +NoSupplierOrder=ক্রয় অর্ডার নেই +LastOrders=সর্বশেষ %s বিক্রয় আদেশ +LastCustomerOrders=সর্বশেষ %s বিক্রয় আদেশ +LastSupplierOrders=সর্বশেষ %s ক্রয় আদেশ +LastModifiedOrders=সর্বশেষ %s পরিবর্তিত আদেশ +AllOrders=সমস্ত আদেশ +NbOfOrders=অর্ডারের সংখ্যা +OrdersStatistics=অর্ডার এর পরিসংখ্যান +OrdersStatisticsSuppliers=ক্রয় আদেশ পরিসংখ্যান +NumberOfOrdersByMonth=মাস অনুসারে অর্ডারের সংখ্যা +AmountOfOrdersByMonthHT=মাস অনুসারে অর্ডারের পরিমাণ (ট্যাক্স বাদে) +ListOfOrders=আদেশের তালিকা +ListOrderLigne=আদেশের লাইন +productobuy=পণ্য শুধুমাত্র কিনতে +productonly=শুধুমাত্র পণ্য +disablelinefree=কোন বিনামূল্যে লাইন +CloseOrder=অর্ডার বন্ধ করুন +ConfirmCloseOrder=আপনি কি নিশ্চিত যে আপনি এই অর্ডারটি বিতরণে সেট করতে চান? একবার একটি অর্ডার বিতরণ করা হয়, এটি বিল সেট করা যেতে পারে. +ConfirmDeleteOrder=আপনি কি এই অর্ডারটি মুছতে চান? +ConfirmValidateOrder=আপনি কি %s নামে এই অর্ডারটি যাচাই করার বিষয়ে নিশ্চিত? ? +ConfirmUnvalidateOrder=আপনি কি নিশ্চিত যে আপনি অর্ডার %s খসড়া স্থিতিতে পুনরুদ্ধার করতে চান ? +ConfirmCancelOrder=আপনি কি নিশ্চিত আপনি এই অর্ডার বাতিল করতে চান? +ConfirmMakeOrder=আপনি কি নিশ্চিত করতে চান যে আপনি এই অর্ডারটি %s? +GenerateBill=চালান তৈরি করুন +ClassifyShipped=বিতরিত শ্রেণীবদ্ধ +PassedInShippedStatus=শ্রেণীবদ্ধ বিতরণ +YouCantShipThis=আমি এই শ্রেণীবদ্ধ করতে পারেন না. ব্যবহারকারীর অনুমতি পরীক্ষা করুন +DraftOrders=খসড়া আদেশ +DraftSuppliersOrders=খসড়া ক্রয় আদেশ +OnProcessOrders=প্রক্রিয়া আদেশ +RefOrder=রেফ. আদেশ +RefCustomerOrder=রেফ. গ্রাহকের জন্য অর্ডার +RefOrderSupplier=রেফ. বিক্রেতার জন্য অর্ডার +RefOrderSupplierShort=রেফ. অর্ডার বিক্রেতা +SendOrderByMail=ডাকযোগে অর্ডার পাঠান +ActionsOnOrder=অর্ডার উপর ইভেন্ট +NoArticleOfTypeProduct='পণ্য' টাইপের কোনো নিবন্ধ নেই তাই এই অর্ডারের জন্য পাঠানো যোগ্য কোনো নিবন্ধ নেই +OrderMode=অর্ডার পদ্ধতি +AuthorRequest=লেখকের অনুরোধ +UserWithApproveOrderGrant=ব্যবহারকারীদের "অর্ডার অনুমোদন" অনুমতি দেওয়া হয়েছে। +PaymentOrderRef=অর্ডার পেমেন্ট %s +ConfirmCloneOrder=আপনি কি নিশ্চিত এই অর্ডারটি ক্লোন করতে চান %s? +DispatchSupplierOrder=ক্রয় অর্ডার গ্রহণ করা হচ্ছে %s +FirstApprovalAlreadyDone=প্রথম অনুমোদন ইতিমধ্যে সম্পন্ন +SecondApprovalAlreadyDone=দ্বিতীয় অনুমোদন ইতিমধ্যে সম্পন্ন হয়েছে +SupplierOrderReceivedInDolibarr=ক্রয় আদেশ %s গৃহীত %s +SupplierOrderSubmitedInDolibarr=ক্রয় আদেশ %s জমা দেওয়া হয়েছে +SupplierOrderClassifiedBilled=ক্রয় আদেশ %s সেট বিল করা হয়েছে +OtherOrders=অন্যান্য আদেশ +SupplierOrderValidatedAndApproved=সরবরাহকারীর অর্ডার যাচাইকৃত এবং অনুমোদিত : %s +SupplierOrderValidated=সরবরাহকারীর অর্ডার যাচাই করা হয়েছে : %s +OrderShowDetail=অর্ডার বিস্তারিত দেখান ##### Types de contacts ##### -TypeContact_commande_internal_SALESREPFOLL=Representative following-up sales order -TypeContact_commande_internal_SHIPPING=Representative following-up shipping -TypeContact_commande_external_BILLING=Customer invoice contact -TypeContact_commande_external_SHIPPING=Customer shipping contact -TypeContact_commande_external_CUSTOMER=Customer contact following-up order -TypeContact_order_supplier_internal_SALESREPFOLL=Representative following-up purchase order -TypeContact_order_supplier_internal_SHIPPING=Representative following-up shipping -TypeContact_order_supplier_external_BILLING=Vendor invoice contact -TypeContact_order_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_order_supplier_external_CUSTOMER=Vendor contact following-up order -Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Constant COMMANDE_SUPPLIER_ADDON not defined -Error_COMMANDE_ADDON_NotDefined=Constant COMMANDE_ADDON not defined -Error_OrderNotChecked=No orders to invoice selected +TypeContact_commande_internal_SALESREPFOLL=প্রতিনিধি অনুসরণ-আপ বিক্রয় আদেশ +TypeContact_commande_internal_SHIPPING=প্রতিনিধি অনুসরণ আপ শিপিং +TypeContact_commande_external_BILLING=গ্রাহক চালান যোগাযোগ +TypeContact_commande_external_SHIPPING=গ্রাহক শিপিং যোগাযোগ +TypeContact_commande_external_CUSTOMER=গ্রাহক যোগাযোগ অনুসরণ আপ অর্ডার +TypeContact_order_supplier_internal_SALESREPFOLL=প্রতিনিধি অনুসরণ-আপ ক্রয় আদেশ +TypeContact_order_supplier_internal_SHIPPING=প্রতিনিধি অনুসরণ আপ শিপিং +TypeContact_order_supplier_external_BILLING=বিক্রেতা চালান যোগাযোগ +TypeContact_order_supplier_external_SHIPPING=বিক্রেতা শিপিং যোগাযোগ +TypeContact_order_supplier_external_CUSTOMER=বিক্রেতা যোগাযোগ অনুসরণ আপ অর্ডার +Error_COMMANDE_SUPPLIER_ADDON_NotDefined=ধ্রুবক COMMANDE_SUPPLIER_ADDON সংজ্ঞায়িত করা হয়নি +Error_COMMANDE_ADDON_NotDefined=ধ্রুবক COMMANDE_ADDON সংজ্ঞায়িত করা হয়নি +Error_OrderNotChecked=চালান নির্বাচন করা কোনো আদেশ # Order modes (how we receive order). Not the "why" are keys stored into dict.lang -OrderByMail=Mail -OrderByFax=Fax -OrderByEMail=Email -OrderByWWW=Online -OrderByPhone=Phone +OrderByMail=মেইল +OrderByFax=ফ্যাক্স +OrderByEMail=ইমেইল +OrderByWWW=অনলাইন +OrderByPhone=ফোন # Documents models -PDFEinsteinDescription=A complete order model (old implementation of Eratosthene template) -PDFEratostheneDescription=A complete order model -PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete Proforma invoice template -CreateInvoiceForThisCustomer=Bill orders -CreateInvoiceForThisSupplier=Bill orders -CreateInvoiceForThisReceptions=Bill receptions -NoOrdersToInvoice=No orders billable -CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. -OrderCreation=Order creation -Ordered=Ordered -OrderCreated=Your orders have been created -OrderFail=An error happened during your orders creation -CreateOrders=Create orders -ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. -IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. -SetShippingMode=Set shipping mode -WithReceptionFinished=With reception finished +PDFEinsteinDescription=একটি সম্পূর্ণ অর্ডার মডেল (ইরাটোস্থিন টেমপ্লেটের পুরানো বাস্তবায়ন) +PDFEratostheneDescription=একটি সম্পূর্ণ অর্ডার মডেল +PDFEdisonDescription=একটি সাধারণ অর্ডার মডেল +PDFProformaDescription=একটি সম্পূর্ণ প্রফর্মা চালান টেমপ্লেট +CreateInvoiceForThisCustomer=বিল আদেশ +CreateInvoiceForThisSupplier=বিল আদেশ +CreateInvoiceForThisReceptions=বিল অভ্যর্থনা +NoOrdersToInvoice=কোন আদেশ বিলযোগ্য +CloseProcessedOrdersAutomatically=সমস্ত নির্বাচিত আদেশ "প্রক্রিয়াকৃত" শ্রেণীবদ্ধ করুন। +OrderCreation=অর্ডার সৃষ্টি +Ordered=আদেশ দিয়েছেন +OrderCreated=আপনার আদেশ তৈরি করা হয়েছে +OrderFail=আপনার অর্ডার তৈরির সময় একটি ত্রুটি ঘটেছে৷ +CreateOrders=অর্ডার তৈরি করুন +ToBillSeveralOrderSelectCustomer=বেশ কয়েকটি অর্ডারের জন্য একটি চালান তৈরি করতে, প্রথমে গ্রাহকের উপর ক্লিক করুন, তারপর "%s" বেছে নিন। +OptionToSetOrderBilledNotEnabled=মডিউল ওয়ার্কফ্লো থেকে বিকল্প, যখন চালান যাচাই করা হয় তখন স্বয়ংক্রিয়ভাবে 'বিল করা'-তে অর্ডার সেট করার জন্য, সক্রিয় করা হয় না, তাই চালান তৈরি হওয়ার পরে আপনাকে অর্ডারের স্থিতি ম্যানুয়ালি 'বিল'-এ সেট করতে হবে। +IfValidateInvoiceIsNoOrderStayUnbilled=চালান বৈধতা 'না' হলে, চালানটি বৈধ না হওয়া পর্যন্ত অর্ডারটি 'আনবিলড' অবস্থায় থাকবে। +CloseReceivedSupplierOrdersAutomatically=সমস্ত পণ্য প্রাপ্ত হলে স্বয়ংক্রিয়ভাবে "%s" অবস্থার অর্ডার বন্ধ করুন। +SetShippingMode=শিপিং মোড সেট করুন +WithReceptionFinished=সাথে রিসেপশন শেষ #### supplier orders status -StatusSupplierOrderCanceledShort=Canceled -StatusSupplierOrderDraftShort=Draft -StatusSupplierOrderValidatedShort=Validated -StatusSupplierOrderSentShort=In process -StatusSupplierOrderSent=Shipment in process -StatusSupplierOrderOnProcessShort=Ordered -StatusSupplierOrderProcessedShort=Processed -StatusSupplierOrderDelivered=Delivered -StatusSupplierOrderDeliveredShort=Delivered -StatusSupplierOrderToBillShort=Delivered -StatusSupplierOrderApprovedShort=Approved -StatusSupplierOrderRefusedShort=Refused -StatusSupplierOrderToProcessShort=To process -StatusSupplierOrderReceivedPartiallyShort=Partially received -StatusSupplierOrderReceivedAllShort=Products received -StatusSupplierOrderCanceled=Canceled -StatusSupplierOrderDraft=Draft (needs to be validated) -StatusSupplierOrderValidated=Validated -StatusSupplierOrderOnProcess=Ordered - Standby reception -StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation -StatusSupplierOrderProcessed=Processed -StatusSupplierOrderToBill=Delivered -StatusSupplierOrderApproved=Approved -StatusSupplierOrderRefused=Refused -StatusSupplierOrderReceivedPartially=Partially received -StatusSupplierOrderReceivedAll=All products received +StatusSupplierOrderCanceledShort=বাতিল +StatusSupplierOrderDraftShort=খসড়া +StatusSupplierOrderValidatedShort=যাচাই করা হয়েছে +StatusSupplierOrderSentShort=প্রক্রিয়াধীন +StatusSupplierOrderSent=চালান প্রক্রিয়াধীন +StatusSupplierOrderOnProcessShort=আদেশ দিয়েছেন +StatusSupplierOrderProcessedShort=প্রক্রিয়াকৃত +StatusSupplierOrderDelivered=বিতরণ করা হয়েছে +StatusSupplierOrderDeliveredShort=বিতরণ করা হয়েছে +StatusSupplierOrderToBillShort=বিতরণ করা হয়েছে +StatusSupplierOrderApprovedShort=অনুমোদিত +StatusSupplierOrderRefusedShort=প্রত্যাখ্যান করেছে +StatusSupplierOrderToProcessShort=প্রক্রিয়া করতে +StatusSupplierOrderReceivedPartiallyShort=আংশিক প্রাপ্তি +StatusSupplierOrderReceivedAllShort=প্রাপ্ত পণ্য +StatusSupplierOrderCanceled=বাতিল +StatusSupplierOrderDraft=খসড়া (বৈধীকরণ করা প্রয়োজন) +StatusSupplierOrderValidated=যাচাই করা হয়েছে +StatusSupplierOrderOnProcess=আদেশ - স্ট্যান্ডবাই অভ্যর্থনা +StatusSupplierOrderOnProcessWithValidation=আদেশ - স্ট্যান্ডবাই অভ্যর্থনা বা বৈধতা +StatusSupplierOrderProcessed=প্রক্রিয়াকৃত +StatusSupplierOrderToBill=বিতরণ করা হয়েছে +StatusSupplierOrderApproved=অনুমোদিত +StatusSupplierOrderRefused=প্রত্যাখ্যান করেছে +StatusSupplierOrderReceivedPartially=আংশিক প্রাপ্তি +StatusSupplierOrderReceivedAll=সমস্ত পণ্য প্রাপ্ত +NeedAtLeastOneInvoice = কমপক্ষে একটি চালান থাকতে হবে +LineAlreadyDispatched = অর্ডার লাইন ইতিমধ্যে গৃহীত হয়েছে. diff --git a/htdocs/langs/bn_IN/other.lang b/htdocs/langs/bn_IN/other.lang index 49ff93dd589..7847d717083 100644 --- a/htdocs/langs/bn_IN/other.lang +++ b/htdocs/langs/bn_IN/other.lang @@ -1,305 +1,338 @@ # Dolibarr language file - Source file is en_US - other -SecurityCode=Security code +SecurityCode=নিরাপত্তা কোড NumberingShort=N° -Tools=Tools -TMenuTools=Tools -ToolsDesc=All tools not included in other menu entries are grouped here.
      All the tools can be accessed via the left menu. -Birthday=Birthday -BirthdayAlertOn=birthday alert active -BirthdayAlertOff=birthday alert inactive -TransKey=Translation of the key TransKey -MonthOfInvoice=Month (number 1-12) of invoice date -TextMonthOfInvoice=Month (text) of invoice date -PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date -TextPreviousMonthOfInvoice=Previous month (text) of invoice date -NextMonthOfInvoice=Following month (number 1-12) of invoice date -TextNextMonthOfInvoice=Following month (text) of invoice date -PreviousMonth=Previous month -CurrentMonth=Current month -ZipFileGeneratedInto=Zip file generated into %s. -DocFileGeneratedInto=Doc file generated into %s. -JumpToLogin=Disconnected. Go to login page... -MessageForm=Message on online payment form -MessageOK=Message on the return page for a validated payment -MessageKO=Message on the return page for a canceled payment -ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. -DeleteAlsoContentRecursively=Check to delete all content recursively -PoweredBy=Powered by -YearOfInvoice=Year of invoice date -PreviousYearOfInvoice=Previous year of invoice date -NextYearOfInvoice=Following year of invoice date -DateNextInvoiceBeforeGen=Date of next invoice (before generation) -DateNextInvoiceAfterGen=Date of next invoice (after generation) -GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. -OnlyOneFieldForXAxisIsPossible=Only 1 field is currently possible as X-Axis. Only the first selected field has been selected. -AtLeastOneMeasureIsRequired=At least 1 field for measure is required -AtLeastOneXAxisIsRequired=At least 1 field for X-Axis is required -LatestBlogPosts=Latest Blog Posts -notiftouser=To users -notiftofixedemail=To fixed mail -notiftouserandtofixedemail=To user and fixed mail -Notify_ORDER_VALIDATE=Sales order validated -Notify_ORDER_SENTBYMAIL=Sales order sent by mail -Notify_ORDER_SUPPLIER_SENTBYMAIL=Purchase order sent by email -Notify_ORDER_SUPPLIER_VALIDATE=Purchase order recorded -Notify_ORDER_SUPPLIER_APPROVE=Purchase order approved -Notify_ORDER_SUPPLIER_REFUSE=Purchase order refused -Notify_PROPAL_VALIDATE=Customer proposal validated -Notify_PROPAL_CLOSE_SIGNED=Customer proposal closed signed -Notify_PROPAL_CLOSE_REFUSED=Customer proposal closed refused -Notify_PROPAL_SENTBYMAIL=Commercial proposal sent by mail -Notify_WITHDRAW_TRANSMIT=Transmission withdrawal -Notify_WITHDRAW_CREDIT=Credit withdrawal -Notify_WITHDRAW_EMIT=Perform withdrawal -Notify_COMPANY_CREATE=Third party created -Notify_COMPANY_SENTBYMAIL=Mails sent from third party card -Notify_BILL_VALIDATE=Customer invoice validated -Notify_BILL_UNVALIDATE=Customer invoice unvalidated -Notify_BILL_PAYED=Customer invoice paid -Notify_BILL_CANCEL=Customer invoice canceled -Notify_BILL_SENTBYMAIL=Customer invoice sent by mail -Notify_BILL_SUPPLIER_VALIDATE=Vendor invoice validated -Notify_BILL_SUPPLIER_PAYED=Vendor invoice paid -Notify_BILL_SUPPLIER_SENTBYMAIL=Vendor invoice sent by mail -Notify_BILL_SUPPLIER_CANCELED=Vendor invoice cancelled -Notify_CONTRACT_VALIDATE=Contract validated -Notify_FICHINTER_VALIDATE=Intervention validated -Notify_FICHINTER_ADD_CONTACT=Added contact to Intervention -Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail -Notify_SHIPPING_VALIDATE=Shipping validated -Notify_SHIPPING_SENTBYMAIL=Shipping sent by mail -Notify_MEMBER_VALIDATE=Member validated -Notify_MEMBER_MODIFY=Member modified -Notify_MEMBER_SUBSCRIPTION=Member subscribed -Notify_MEMBER_RESILIATE=Member terminated -Notify_MEMBER_DELETE=Member deleted -Notify_PROJECT_CREATE=Project creation -Notify_TASK_CREATE=Task created -Notify_TASK_MODIFY=Task modified -Notify_TASK_DELETE=Task deleted -Notify_EXPENSE_REPORT_VALIDATE=Expense report validated (approval required) -Notify_EXPENSE_REPORT_APPROVE=Expense report approved -Notify_HOLIDAY_VALIDATE=Leave request validated (approval required) -Notify_HOLIDAY_APPROVE=Leave request approved -Notify_ACTION_CREATE=Added action to Agenda -SeeModuleSetup=See setup of module %s -NbOfAttachedFiles=Number of attached files/documents -TotalSizeOfAttachedFiles=Total size of attached files/documents -MaxSize=Maximum size -AttachANewFile=Attach a new file/document -LinkedObject=Linked object -NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__
      This is a test mail sent to __EMAIL__ (the word test must be in bold).
      The lines are separated by a carriage return.

      __USER_SIGNATURE__ -PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendProposal=__(Hello)__\n\nPlease find commercial proposal __REF__ attached \n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nPlease find price request __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendOrder=__(Hello)__\n\nPlease find order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nPlease find our order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n -PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__

      This is an automatic message, please do not reply. -DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available. -ChooseYourDemoProfil=Choose the demo profile that best suits your needs... -ChooseYourDemoProfilMore=...or build your own profile
      (manual module selection) -DemoFundation=Manage members of a foundation -DemoFundation2=Manage members and bank account of a foundation -DemoCompanyServiceOnly=Company or freelance selling service only -DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Shop selling products with Point Of Sales -DemoCompanyManufacturing=Company manufacturing products -DemoCompanyAll=Company with multiple activities (all main modules) -CreatedBy=Created by %s -ModifiedBy=Modified by %s -ValidatedBy=Validated by %s -SignedBy=Signed by %s -ClosedBy=Closed by %s -CreatedById=User id who created -ModifiedById=User id who made latest change -ValidatedById=User id who validated -CanceledById=User id who canceled -ClosedById=User id who closed -CreatedByLogin=User login who created -ModifiedByLogin=User login who made latest change -ValidatedByLogin=User login who validated -CanceledByLogin=User login who canceled -ClosedByLogin=User login who closed -FileWasRemoved=File %s was removed -DirWasRemoved=Directory %s was removed -FeatureNotYetAvailable=Feature not yet available in the current version -FeatureNotAvailableOnDevicesWithoutMouse=Feature not available on devices without mouse -FeaturesSupported=Supported features -Width=Width -Height=Height -Depth=Depth -Top=Top -Bottom=Bottom -Left=Left -Right=Right -CalculatedWeight=Calculated weight -CalculatedVolume=Calculated volume -Weight=Weight -WeightUnitton=ton -WeightUnitkg=kg +Tools=টুলস +TMenuTools=টুলস +ToolsDesc=অন্যান্য মেনু এন্ট্রিতে অন্তর্ভুক্ত নয় এমন সমস্ত সরঞ্জাম এখানে গোষ্ঠীভুক্ত করা হয়েছে৷
      সমস্ত টুলগুলি বাম মেনুর মাধ্যমে অ্যাক্সেস করা যেতে পারে৷ +Birthday=জন্মদিন +BirthdayAlert=জন্মদিনের সতর্কতা +BirthdayAlertOn=জন্মদিনের সতর্কতা সক্রিয় +BirthdayAlertOff=জন্মদিনের সতর্কতা নিষ্ক্রিয় +TransKey=কী TransKey এর অনুবাদ +MonthOfInvoice=চালানের তারিখের মাস (সংখ্যা 1-12) +TextMonthOfInvoice=চালানের তারিখের মাস (টেক্সট) +PreviousMonthOfInvoice=চালানের তারিখের আগের মাস (সংখ্যা 1-12) +TextPreviousMonthOfInvoice=চালানের তারিখের আগের মাস (টেক্সট) +NextMonthOfInvoice=ইনভয়েসের তারিখের পরের মাস (সংখ্যা 1-12) +TextNextMonthOfInvoice=ইনভয়েসের তারিখের পরের মাস (টেক্সট) +PreviousMonth=পূর্ববর্তী মাস +CurrentMonth=বর্তমান মাস +ZipFileGeneratedInto=জিপ ফাইল %s-এ তৈরি হয়েছে। +DocFileGeneratedInto=ডক ফাইল %s-এ তৈরি হয়েছে৷ +JumpToLogin=সংযোগ বিচ্ছিন্ন লগইন পৃষ্ঠায় যান... +MessageForm=অনলাইন পেমেন্ট ফর্মে বার্তা +MessageOK=একটি বৈধ অর্থপ্রদানের জন্য রিটার্ন পৃষ্ঠায় বার্তা +MessageKO=একটি বাতিল পেমেন্টের জন্য রিটার্ন পৃষ্ঠায় বার্তা +ContentOfDirectoryIsNotEmpty=এই ডিরেক্টরির বিষয়বস্তু খালি নয়। +DeleteAlsoContentRecursively=বারবার সব কন্টেন্ট মুছে ফেলার জন্য চেক করুন +PoweredBy=দ্বারা চালিত +YearOfInvoice=চালানের তারিখের বছর +PreviousYearOfInvoice=চালানের তারিখের আগের বছর +NextYearOfInvoice=চালানের তারিখের পরের বছর +DateNextInvoiceBeforeGen=পরবর্তী চালানের তারিখ (প্রজন্মের আগে) +DateNextInvoiceAfterGen=পরবর্তী চালানের তারিখ (প্রজন্মের পর) +GraphInBarsAreLimitedToNMeasures=গ্রাফিক্স 'বার' মোডে %s পরিমাপের মধ্যে সীমাবদ্ধ। পরিবর্তে 'লাইন' মোড স্বয়ংক্রিয়ভাবে নির্বাচিত হয়েছে। +OnlyOneFieldForXAxisIsPossible=X-অক্ষ হিসাবে বর্তমানে শুধুমাত্র 1টি ক্ষেত্র সম্ভব। শুধুমাত্র প্রথম নির্বাচিত ক্ষেত্র নির্বাচন করা হয়েছে. +AtLeastOneMeasureIsRequired=পরিমাপের জন্য কমপক্ষে 1টি ক্ষেত্র প্রয়োজন৷ +AtLeastOneXAxisIsRequired=X-অক্ষের জন্য কমপক্ষে 1টি ক্ষেত্র প্রয়োজন৷ +LatestBlogPosts=সাম্প্রতিক ব্লগ পোস্ট +notiftouser=ব্যবহারকারীদের কাছে +notiftofixedemail=ফিক্সড মেল করার জন্য +notiftouserandtofixedemail=ব্যবহারকারী এবং স্থির মেল থেকে +Notify_ORDER_VALIDATE=বিক্রয় আদেশ বৈধ +Notify_ORDER_SENTBYMAIL=সেলস অর্ডার মেইলে পাঠানো হয়েছে +Notify_ORDER_CLOSE=বিক্রয় আদেশ বিতরণ +Notify_ORDER_SUPPLIER_SENTBYMAIL=ক্রয় আদেশ ইমেল দ্বারা পাঠানো +Notify_ORDER_SUPPLIER_VALIDATE=ক্রয় আদেশ রেকর্ড করা হয়েছে +Notify_ORDER_SUPPLIER_APPROVE=ক্রয় আদেশ অনুমোদিত +Notify_ORDER_SUPPLIER_SUBMIT=ক্রয় আদেশ জমা দেওয়া হয়েছে +Notify_ORDER_SUPPLIER_REFUSE=ক্রয় আদেশ প্রত্যাখ্যান +Notify_PROPAL_VALIDATE=গ্রাহক প্রস্তাব বৈধ +Notify_PROPAL_CLOSE_SIGNED=গ্রাহক প্রস্তাব স্বাক্ষরিত বন্ধ +Notify_PROPAL_CLOSE_REFUSED=গ্রাহক প্রস্তাব বন্ধ প্রত্যাখ্যান +Notify_PROPAL_SENTBYMAIL=বাণিজ্যিক প্রস্তাব ডাকযোগে পাঠানো হয়েছে +Notify_WITHDRAW_TRANSMIT=ট্রান্সমিশন প্রত্যাহার +Notify_WITHDRAW_CREDIT=ক্রেডিট উত্তোলন +Notify_WITHDRAW_EMIT=প্রত্যাহার সঞ্চালন +Notify_COMPANY_CREATE=তৃতীয় পক্ষ তৈরি করা হয়েছে +Notify_COMPANY_SENTBYMAIL=তৃতীয় পক্ষের পৃষ্ঠা থেকে পাঠানো মেল +Notify_BILL_VALIDATE=গ্রাহক চালান বৈধ +Notify_BILL_UNVALIDATE=গ্রাহক চালান অবৈধ +Notify_BILL_PAYED=গ্রাহক চালান প্রদান করা হয়েছে +Notify_BILL_CANCEL=গ্রাহক চালান বাতিল করা হয়েছে +Notify_BILL_SENTBYMAIL=গ্রাহক চালান ডাকযোগে পাঠানো হয়েছে +Notify_BILL_SUPPLIER_VALIDATE=বিক্রেতা চালান বৈধ +Notify_BILL_SUPPLIER_PAYED=বিক্রেতা চালান প্রদান করা হয় +Notify_BILL_SUPPLIER_SENTBYMAIL=বিক্রেতার চালান ডাকযোগে পাঠানো হয়েছে +Notify_BILL_SUPPLIER_CANCELED=বিক্রেতার চালান বাতিল করা হয়েছে +Notify_CONTRACT_VALIDATE=চুক্তি বৈধ +Notify_FICHINTER_VALIDATE=হস্তক্ষেপ বৈধ +Notify_FICHINTER_CLOSE=হস্তক্ষেপ বন্ধ +Notify_FICHINTER_ADD_CONTACT=হস্তক্ষেপ যোগাযোগ যোগ করা হয়েছে +Notify_FICHINTER_SENTBYMAIL=হস্তক্ষেপ মেল দ্বারা পাঠানো +Notify_SHIPPING_VALIDATE=শিপিং বৈধ +Notify_SHIPPING_SENTBYMAIL=শিপিং ডাকযোগে পাঠানো হয়েছে +Notify_MEMBER_VALIDATE=সদস্য বৈধ +Notify_MEMBER_MODIFY=সদস্য সংশোধিত +Notify_MEMBER_SUBSCRIPTION=সদস্য সদস্যতা +Notify_MEMBER_RESILIATE=সদস্য পদত্যাগ করা হয়েছে +Notify_MEMBER_DELETE=সদস্য মোছা +Notify_PROJECT_CREATE=প্রকল্প তৈরি +Notify_TASK_CREATE=টাস্ক তৈরি করা হয়েছে +Notify_TASK_MODIFY=টাস্ক সংশোধন করা হয়েছে +Notify_TASK_DELETE=টাস্ক মুছে ফেলা হয়েছে +Notify_EXPENSE_REPORT_VALIDATE=ব্যয় প্রতিবেদন বৈধ (অনুমোদন প্রয়োজন) +Notify_EXPENSE_REPORT_APPROVE=ব্যয় প্রতিবেদন অনুমোদিত +Notify_HOLIDAY_VALIDATE=ত্যাগের অনুরোধ বৈধ (অনুমোদন প্রয়োজন) +Notify_HOLIDAY_APPROVE=ছুটির অনুরোধ অনুমোদিত +Notify_ACTION_CREATE=কর্মসূচী যোগ করা হয়েছে +SeeModuleSetup=%s মডিউল সেটআপ দেখুন +NbOfAttachedFiles=সংযুক্ত ফাইল/ডকুমেন্টের সংখ্যা +TotalSizeOfAttachedFiles=সংযুক্ত ফাইল/নথিপত্রের মোট আকার +MaxSize=সর্বাধিক আকার +AttachANewFile=একটি নতুন ফাইল/নথি সংযুক্ত করুন +LinkedObject=লিঙ্কযুক্ত বস্তু +NbOfActiveNotifications=বিজ্ঞপ্তির সংখ্যা (প্রাপকের ইমেলের সংখ্যা) +PredefinedMailTest=__(হ্যালো)__\nএটি একটি পরীক্ষামূলক মেল যা __EMAIL__ এ পাঠানো হয়েছে৷\nলাইন একটি ক্যারেজ রিটার্ন দ্বারা পৃথক করা হয়.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(হ্যালো)__
      এটি একটি পরীক্ষামেল পাঠানো হয়েছে __EMAIL__ এ (পরীক্ষা শব্দটি অবশ্যই মোটা হতে হবে)।
      রেখাগুলি একটি ক্যারেজ রিটার্ন দ্বারা পৃথক করা হয়েছে।

      __USER_SIGNATURE__ +PredefinedMailContentContract=__(হ্যালো)__\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(হ্যালো)__\n\nঅনুগ্রহ করে __REF__ সংযুক্ত চালান খুঁজুন\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(হ্যালো)__\n\nআমরা আপনাকে মনে করিয়ে দিতে চাই যে চালান __REF__ পরিশোধ করা হয়নি বলে মনে হচ্ছে। একটি অনুস্মারক হিসাবে চালানের একটি অনুলিপি সংযুক্ত করা হয়।\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendProposal=__(হ্যালো)__\n\nঅনুগ্রহ করে বাণিজ্যিক প্রস্তাব __REF__ সংযুক্ত খুঁজুন\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierProposal=__(হ্যালো)__\n\nঅনুগ্রহ করে মূল্য অনুরোধ __REF__ সংযুক্ত খুঁজুন\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendOrder=__(হ্যালো)__\n\nঅনুগ্রহ করে অর্ডার __REF__ সংযুক্ত খুঁজুন\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierOrder=__(হ্যালো)__\n\nঅনুগ্রহ করে আমাদের অর্ডার __REF__ সংযুক্ত খুঁজুন\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierInvoice=__(হ্যালো)__\n\nঅনুগ্রহ করে __REF__ সংযুক্ত চালান খুঁজুন\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendShipping=__(হ্যালো)__\n\nঅনুগ্রহ করে শিপিং __REF__ সংযুক্ত খুঁজুন\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendFichInter=__(হ্যালো)__\n\nঅনুগ্রহ করে হস্তক্ষেপ __REF__ সংযুক্ত খুঁজুন\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentLink=আপনার অর্থপ্রদান করতে আপনি নীচের লিঙ্কে ক্লিক করতে পারেন যদি এটি ইতিমধ্যে সম্পন্ন না হয়।\n\n%s\n\n +PredefinedMailContentGeneric=__(হ্যালো)__\n\n\n__(বিনীত)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendActionComm=ইভেন্ট অনুস্মারক "__EVENT_LABEL__" __EVENT_DATE__ তারিখে __EVENT_TIME__

      এটি একটি স্বয়ংক্রিয় বার্তা, দয়া করে উত্তর দেবেন না৷ +DemoDesc=ডলিবার হল একটি কমপ্যাক্ট ইআরপি/সিআরএম যা বিভিন্ন ব্যবসায়িক মডিউল সমর্থন করে। সমস্ত মডিউল প্রদর্শনের একটি ডেমো কোন অর্থবোধ করে না কারণ এই দৃশ্যটি কখনই ঘটে না (কয়েক শতাধিক উপলব্ধ)। সুতরাং, বেশ কয়েকটি ডেমো প্রোফাইল উপলব্ধ। +ChooseYourDemoProfil=আপনার প্রয়োজনের জন্য সবচেয়ে উপযুক্ত ডেমো প্রোফাইল বেছে নিন... +ChooseYourDemoProfilMore=...অথবা আপনার নিজের প্রোফাইল তৈরি করুন
      (ম্যানুয়াল মডিউল নির্বাচন) +DemoFundation=একটি ফাউন্ডেশনের সদস্যদের পরিচালনা করুন +DemoFundation2=একটি ফাউন্ডেশনের সদস্য এবং ব্যাঙ্ক অ্যাকাউন্ট পরিচালনা করুন +DemoCompanyServiceOnly=কোম্পানি বা ফ্রিল্যান্স বিক্রয় সেবা শুধুমাত্র +DemoCompanyShopWithCashDesk=একটি নগদ বাক্স সঙ্গে একটি দোকান পরিচালনা করুন +DemoCompanyProductAndStocks=পয়েন্ট অফ সেলস সহ পণ্য বিক্রয় করুন +DemoCompanyManufacturing=কোম্পানি উত্পাদন পণ্য +DemoCompanyAll=একাধিক কার্যক্রম সহ কোম্পানি (সমস্ত প্রধান মডিউল) +CreatedBy=%s দ্বারা তৈরি +ModifiedBy=%s দ্বারা সংশোধিত +ValidatedBy=%s দ্বারা যাচাই করা হয়েছে +SignedBy=%s দ্বারা স্বাক্ষরিত +ClosedBy=%s দ্বারা বন্ধ +CreatedById=ইউজার আইডি যিনি তৈরি করেছেন +ModifiedById=ব্যবহারকারী আইডি যিনি সর্বশেষ পরিবর্তন করেছেন +ValidatedById=ইউজার আইডি যারা যাচাই করেছে +CanceledById=যে ইউজার আইডি বাতিল করেছে +ClosedById=ইউজার আইডি যিনি বন্ধ করেছেন +CreatedByLogin=ব্যবহারকারী লগইন যিনি তৈরি করেছেন +ModifiedByLogin=ব্যবহারকারী লগইন যারা সর্বশেষ পরিবর্তন করেছেন +ValidatedByLogin=ব্যবহারকারী লগইন যারা বৈধ +CanceledByLogin=ব্যবহারকারী লগইন যারা বাতিল করেছে +ClosedByLogin=ব্যবহারকারী লগইন যারা বন্ধ +FileWasRemoved=ফাইল %s সরানো হয়েছে +DirWasRemoved=ডিরেক্টরি %s সরানো হয়েছে +FeatureNotYetAvailable=বর্তমান সংস্করণে বৈশিষ্ট্যটি এখনও উপলব্ধ নয়৷ +FeatureNotAvailableOnDevicesWithoutMouse=মাউস ছাড়া ডিভাইসে বৈশিষ্ট্য উপলব্ধ নয় +FeaturesSupported=সমর্থিত বৈশিষ্ট্য +Width=প্রস্থ +Height=উচ্চতা +Depth=গভীরতা +Top=শীর্ষ +Bottom=নীচে +Left=বাম +Right=ঠিক +CalculatedWeight=গণনা করা ওজন +CalculatedVolume=গণনা করা ভলিউম +Weight=ওজন +WeightUnitton=টন +WeightUnitkg=কেজি WeightUnitg=g -WeightUnitmg=mg -WeightUnitpound=pound -WeightUnitounce=ounce -Length=Length -LengthUnitm=m +WeightUnitmg=মিলিগ্রাম +WeightUnitpound=পাউন্ড +WeightUnitounce=আউন্স +Length=দৈর্ঘ্য +LengthUnitm=মি LengthUnitdm=dm -LengthUnitcm=cm -LengthUnitmm=mm -Surface=Area +LengthUnitcm=সেমি +LengthUnitmm=মিমি +Surface=এলাকা SurfaceUnitm2=m² SurfaceUnitdm2=dm² SurfaceUnitcm2=cm² -SurfaceUnitmm2=mm² +SurfaceUnitmm2=মিমি² SurfaceUnitfoot2=ft² -SurfaceUnitinch2=in² -Volume=Volume +SurfaceUnitinch2=² মধ্যে +Volume=আয়তন VolumeUnitm3=m³ VolumeUnitdm3=dm³ (L) VolumeUnitcm3=cm³ (ml) VolumeUnitmm3=mm³ (µl) VolumeUnitfoot3=ft³ VolumeUnitinch3=in³ -VolumeUnitounce=ounce -VolumeUnitlitre=litre -VolumeUnitgallon=gallon -SizeUnitm=m +VolumeUnitounce=আউন্স +VolumeUnitlitre=লিটার +VolumeUnitgallon=গ্যালন +SizeUnitm=মি SizeUnitdm=dm -SizeUnitcm=cm -SizeUnitmm=mm -SizeUnitinch=inch -SizeUnitfoot=foot -SizeUnitpoint=point -BugTracker=Bug tracker -SendNewPasswordDesc=This form allows you to request a new password. It will be sent to your email address.
      Change will become effective once you click on the confirmation link in the email.
      Check your inbox. -BackToLoginPage=Back to login page -AuthenticationDoesNotAllowSendNewPassword=Authentication mode is %s.
      In this mode, Dolibarr can't know nor change your password.
      Contact your system administrator if you want to change your password. -EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use this option. -ProfIdShortDesc=Prof Id %s is an information depending on third party country.
      For example, for country %s, it's code %s. -DolibarrDemo=Dolibarr ERP/CRM demo -StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) -NumberOfProposals=Number of proposals -NumberOfCustomerOrders=Number of sales orders -NumberOfCustomerInvoices=Number of customer invoices -NumberOfSupplierProposals=Number of vendor proposals -NumberOfSupplierOrders=Number of purchase orders -NumberOfSupplierInvoices=Number of vendor invoices -NumberOfContracts=Number of contracts -NumberOfMos=Number of manufacturing orders -NumberOfUnitsProposals=Number of units on proposals -NumberOfUnitsCustomerOrders=Number of units on sales orders -NumberOfUnitsCustomerInvoices=Number of units on customer invoices -NumberOfUnitsSupplierProposals=Number of units on vendor proposals -NumberOfUnitsSupplierOrders=Number of units on purchase orders -NumberOfUnitsSupplierInvoices=Number of units on vendor invoices -NumberOfUnitsContracts=Number of units on contracts -NumberOfUnitsMos=Number of units to produce in manufacturing orders -EMailTextInterventionAddedContact=A new intervention %s has been assigned to you. -EMailTextInterventionValidated=The intervention %s has been validated. -EMailTextInvoiceValidated=Invoice %s has been validated. -EMailTextInvoicePayed=Invoice %s has been paid. -EMailTextProposalValidated=Proposal %s has been validated. -EMailTextProposalClosedSigned=Proposal %s has been closed signed. -EMailTextOrderValidated=Order %s has been validated. -EMailTextOrderApproved=Order %s has been approved. -EMailTextOrderValidatedBy=Order %s has been recorded by %s. -EMailTextOrderApprovedBy=Order %s has been approved by %s. -EMailTextOrderRefused=Order %s has been refused. -EMailTextOrderRefusedBy=Order %s has been refused by %s. -EMailTextExpeditionValidated=Shipping %s has been validated. -EMailTextExpenseReportValidated=Expense report %s has been validated. -EMailTextExpenseReportApproved=Expense report %s has been approved. -EMailTextHolidayValidated=Leave request %s has been validated. -EMailTextHolidayApproved=Leave request %s has been approved. -EMailTextActionAdded=The action %s has been added to the Agenda. -ImportedWithSet=Importation data set -DolibarrNotification=Automatic notification -ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... -NewLength=New width -NewHeight=New height -NewSizeAfterCropping=New size after cropping -DefineNewAreaToPick=Define new area on image to pick (left click on image then drag until you reach the opposite corner) -CurrentInformationOnImage=This tool was designed to help you to resize or crop an image. This is the information on the current edited image -ImageEditor=Image editor -YouReceiveMailBecauseOfNotification=You receive this message because your email has been added to list of targets to be informed of particular events into %s software of %s. -YouReceiveMailBecauseOfNotification2=This event is the following: -ThisIsListOfModules=This is a list of modules preselected by this demo profile (only most common modules are visible in this demo). Edit this to have a more personalized demo and click on "Start". -UseAdvancedPerms=Use the advanced permissions of some modules -FileFormat=File format -SelectAColor=Choose a color -AddFiles=Add Files -StartUpload=Start upload -CancelUpload=Cancel upload -FileIsTooBig=Files is too big -PleaseBePatient=Please be patient... -NewPassword=New password -ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received. -NewKeyIs=This is your new keys to login -NewKeyWillBe=Your new key to login to software will be -ClickHereToGoTo=Click here to go to %s -YouMustClickToChange=You must however first click on the following link to validate this password change -ConfirmPasswordChange=Confirm password change -ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe. -IfAmountHigherThan=If amount higher than %s -SourcesRepository=Repository for sources -Chart=Chart -PassEncoding=Password encoding -PermissionsAdd=Permissions added -PermissionsDelete=Permissions removed -YourPasswordMustHaveAtLeastXChars=Your password must have at least %s chars -PasswordNeedAtLeastXUpperCaseChars=The password need at least %s upper case chars -PasswordNeedAtLeastXDigitChars=The password need at least %s numeric chars -PasswordNeedAtLeastXSpecialChars=The password need at least %s special chars -PasswordNeedNoXConsecutiveChars=The password must not have %s consecutive similar chars -YourPasswordHasBeenReset=Your password has been reset successfully -ApplicantIpAddress=IP address of applicant -SMSSentTo=SMS sent to %s -MissingIds=Missing ids -ThirdPartyCreatedByEmailCollector=Third party created by email collector from email MSGID %s -ContactCreatedByEmailCollector=Contact/address created by email collector from email MSGID %s -ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s -TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s -OpeningHoursFormatDesc=Use a - to separate opening and closing hours.
      Use a space to enter different ranges.
      Example: 8-12 14-18 -SuffixSessionName=Suffix for session name -LoginWith=Login with %s +SizeUnitcm=সেমি +SizeUnitmm=মিমি +SizeUnitinch=ইঞ্চি +SizeUnitfoot=পা +SizeUnitpoint=বিন্দু +BugTracker=বাগ তালাশকারী +SendNewPasswordDesc=এই ফর্মটি আপনাকে একটি নতুন পাসওয়ার্ড অনুরোধ করার অনুমতি দেয়। এটি আপনার ইমেল ঠিকানায় পাঠানো হবে৷
      আপনি ইমেলের নিশ্চিতকরণ লিঙ্কে ক্লিক করলেই পরিবর্তন কার্যকর হবে৷
      আপনার ইনবক্স চেক করুন. +EnterNewPasswordHere=এখানে আপনার নতুন পাসওয়ার্ড লিখুন +BackToLoginPage=লগইন পৃষ্ঠায় ফিরে যান +AuthenticationDoesNotAllowSendNewPassword=প্রমাণীকরণ মোড হল %s
      এই মোডে, Dolibarr আপনার পাসওয়ার্ড জানতে বা পরিবর্তন করতে পারে না।
      আপনার পাসওয়ার্ড পরিবর্তন করতে চাইলে আপনার সিস্টেম অ্যাডমিনিস্ট্রেটরের সাথে যোগাযোগ করুন। +EnableGDLibraryDesc=এই বিকল্পটি ব্যবহার করতে আপনার পিএইচপি ইনস্টলেশনে জিডি লাইব্রেরি ইনস্টল বা সক্ষম করুন। +ProfIdShortDesc=প্রফেসর আইডি %s তৃতীয় পক্ষের দেশের উপর নির্ভর করে একটি তথ্য৷
      উদাহরণস্বরূপ, দেশের জন্য %s, এটির কোড %sb09a4b7837fz. +DolibarrDemo=ডলিবার ইআরপি/সিআরএম ডেমো +StatsByAmount=পণ্য/পরিষেবার পরিমাণের পরিসংখ্যান +StatsByAmountProducts=পণ্যের পরিমাণের পরিসংখ্যান +StatsByAmountServices=পরিষেবার পরিমাণের পরিসংখ্যান +StatsByNumberOfUnits=পণ্য/পরিষেবার পরিমাণের যোগফলের পরিসংখ্যান +StatsByNumberOfUnitsProducts=পণ্যের পরিমাণের যোগফলের পরিসংখ্যান +StatsByNumberOfUnitsServices=পরিসংখ্যানের পরিসংখ্যান +StatsByNumberOfEntities=উল্লেখকারী সত্তার সংখ্যার পরিসংখ্যান (চালানের সংখ্যা, বা আদেশ...) +NumberOf=%s এর সংখ্যা +NumberOfUnits=%s এ ইউনিটের সংখ্যা +AmountIn=%s এ পরিমাণ +NumberOfUnitsMos=উত্পাদন আদেশ উত্পাদন ইউনিট সংখ্যা +EMailTextInterventionAddedContact=একটি নতুন হস্তক্ষেপ %s আপনাকে বরাদ্দ করা হয়েছে৷ +EMailTextInterventionValidated=হস্তক্ষেপ %s বৈধ করা হয়েছে। +EMailTextInterventionClosed=হস্তক্ষেপ %s বন্ধ করা হয়েছে। +EMailTextInvoiceValidated=চালান %s যাচাই করা হয়েছে। +EMailTextInvoicePayed=চালান %s প্রদান করা হয়েছে। +EMailTextProposalValidated=প্রস্তাব %s যাচাই করা হয়েছে। +EMailTextProposalClosedSigned=প্রস্তাব %s বন্ধ স্বাক্ষরিত হয়েছে। +EMailTextProposalClosedSignedWeb=প্রস্তাব %s পোর্টাল পৃষ্ঠায় স্বাক্ষরিত বন্ধ করা হয়েছে। +EMailTextProposalClosedRefused=প্রস্তাব %s বন্ধ প্রত্যাখ্যান করা হয়েছে। +EMailTextProposalClosedRefusedWeb=পোর্টাল পৃষ্ঠায় প্রস্তাব %s বন্ধ করা হয়েছে। +EMailTextOrderValidated=অর্ডার %s যাচাই করা হয়েছে। +EMailTextOrderClose=অর্ডার %s বিতরণ করা হয়েছে। +EMailTextSupplierOrderApprovedBy=ক্রয় আদেশ %s %s দ্বারা অনুমোদিত হয়েছে৷ +EMailTextSupplierOrderValidatedBy=ক্রয় আদেশ %s %s দ্বারা রেকর্ড করা হয়েছে৷ +EMailTextSupplierOrderSubmittedBy=ক্রয় আদেশ %s জমা দিয়েছে %s। +EMailTextSupplierOrderRefusedBy=ক্রয় আদেশ %s %s দ্বারা প্রত্যাখ্যান করা হয়েছে৷ +EMailTextExpeditionValidated=শিপিং %s বৈধ করা হয়েছে। +EMailTextExpenseReportValidated=ব্যয় প্রতিবেদন %s যাচাই করা হয়েছে। +EMailTextExpenseReportApproved=ব্যয় প্রতিবেদন %s অনুমোদিত হয়েছে। +EMailTextHolidayValidated=ছেড়ে যাওয়ার অনুরোধ %s যাচাই করা হয়েছে। +EMailTextHolidayApproved=ছেড়ে যাওয়ার অনুরোধ %s অনুমোদিত হয়েছে৷ +EMailTextActionAdded=কর্মসূচীতে %s যোগ করা হয়েছে৷ +ImportedWithSet=আমদানি ডেটা সেট +DolibarrNotification=স্বয়ংক্রিয় বিজ্ঞপ্তি +ResizeDesc=নতুন প্রস্থ লিখুন বা নতুন উচ্চতা। আকার পরিবর্তন করার সময় অনুপাত রাখা হবে... +NewLength=নতুন প্রস্থ +NewHeight=নতুন উচ্চতা +NewSizeAfterCropping=ফসল কাটার পরে নতুন আকার +DefineNewAreaToPick=বাছাই করার জন্য ছবিতে নতুন এলাকা সংজ্ঞায়িত করুন (ছবিতে বাম ক্লিক করুন তারপর টেনে আনুন যতক্ষণ না আপনি বিপরীত কোণে পৌঁছান) +CurrentInformationOnImage=এই টুলটি আপনাকে একটি চিত্রের আকার পরিবর্তন বা ক্রপ করতে সাহায্য করার জন্য ডিজাইন করা হয়েছে৷ এটি বর্তমান সম্পাদিত চিত্রের তথ্য +ImageEditor=চিত্র সম্পাদক +YouReceiveMailBecauseOfNotification=আপনি এই বার্তাটি পেয়েছেন কারণ আপনার ইমেলটি %s সফ্টওয়্যার %s সফ্টওয়্যারে নির্দিষ্ট ইভেন্ট সম্পর্কে অবহিত করার লক্ষ্যগুলির তালিকায় যোগ করা হয়েছে৷ +YouReceiveMailBecauseOfNotification2=এই ঘটনাটি নিম্নরূপ: +ThisIsListOfModules=এটি এই ডেমো প্রোফাইল দ্বারা পূর্বনির্বাচিত মডিউলগুলির একটি তালিকা (শুধুমাত্র সর্বাধিক সাধারণ মডিউলগুলি এই ডেমোতে দৃশ্যমান)৷ আরও ব্যক্তিগতকৃত ডেমো পেতে এটি সম্পাদনা করুন এবং "স্টার্ট" এ ক্লিক করুন। +UseAdvancedPerms=কিছু মডিউলের উন্নত অনুমতি ব্যবহার করুন +FileFormat=ফাইলের বিন্যাস +SelectAColor=একটি রং চয়ন করুন +AddFiles=ফাইল যোগ করুন +StartUpload=আপলোড শুরু করুন +CancelUpload=আপলোড বাতিল করুন +FileIsTooBig=ফাইলগুলি খুব বড় +PleaseBePatient=দয়া করে ধৈর্য ধরুন... +NewPassword=নতুন পাসওয়ার্ড +ResetPassword=পাসওয়ার্ড রিসেট করুন +RequestToResetPasswordReceived=আপনার পাসওয়ার্ড পরিবর্তন করার একটি অনুরোধ গৃহীত হয়েছে. +NewKeyIs=লগইন করার জন্য এটি আপনার নতুন কী +NewKeyWillBe=সফটওয়্যারে লগইন করার জন্য আপনার নতুন কী হবে +ClickHereToGoTo=%s এ যেতে এখানে ক্লিক করুন +YouMustClickToChange=যাইহোক, এই পাসওয়ার্ড পরিবর্তনটি যাচাই করতে আপনাকে প্রথমে নিম্নলিখিত লিঙ্কে ক্লিক করতে হবে +ConfirmPasswordChange=পাসওয়ার্ড পরিবর্তন নিশ্চিত করুন +ForgetIfNothing=আপনি যদি এই পরিবর্তনের জন্য অনুরোধ না করে থাকেন তবে এই ইমেলটি ভুলে যান৷ আপনার প্রমাণপত্র নিরাপদ রাখা হয়. +IfAmountHigherThan=যদি পরিমাণ %s এর চেয়ে বেশি +SourcesRepository=উৎসের জন্য সংগ্রহস্থল +Chart=চার্ট +PassEncoding=পাসওয়ার্ড এনকোডিং +PermissionsAdd=অনুমতি যোগ করা হয়েছে +PermissionsDelete=অনুমতি সরানো হয়েছে +YourPasswordMustHaveAtLeastXChars=আপনার পাসওয়ার্ডে কমপক্ষে %s অক্ষর থাকতে হবে +PasswordNeedAtLeastXUpperCaseChars=পাসওয়ার্ডের কমপক্ষে %s বড় হাতের অক্ষর প্রয়োজন +PasswordNeedAtLeastXDigitChars=পাসওয়ার্ডের কমপক্ষে %s সংখ্যাসূচক অক্ষর প্রয়োজন +PasswordNeedAtLeastXSpecialChars=পাসওয়ার্ডের কমপক্ষে %s বিশেষ অক্ষর প্রয়োজন +PasswordNeedNoXConsecutiveChars=পাসওয়ার্ডে অবশ্যই %s পরপর অনুরূপ অক্ষর থাকতে হবে না +YourPasswordHasBeenReset=আপনার পাসওয়ার্ড সফলভাবে পুনরায় সেট করা হয়েছে +ApplicantIpAddress=আবেদনকারীর আইপি ঠিকানা +SMSSentTo=%s-এ এসএমএস পাঠানো হয়েছে +MissingIds=অনুপস্থিত আইডি +ThirdPartyCreatedByEmailCollector=ইমেল MSGID %s থেকে ইমেল সংগ্রাহকের দ্বারা তৈরি তৃতীয় পক্ষ +ContactCreatedByEmailCollector=ইমেল MSGID %s থেকে ইমেল সংগ্রাহকের দ্বারা তৈরি যোগাযোগ/ঠিকানা +ProjectCreatedByEmailCollector=ইমেল MSGID %s থেকে ইমেল সংগ্রাহকের দ্বারা তৈরি করা প্রকল্প +TicketCreatedByEmailCollector=ইমেল MSGID %s থেকে ইমেল সংগ্রাহকের দ্বারা টিকিট তৈরি করা হয়েছে +OpeningHoursFormatDesc=খোলার এবং বন্ধের সময় আলাদা করতে a - ব্যবহার করুন।
      বিভিন্ন রেঞ্জে প্রবেশ করতে একটি স্থান ব্যবহার করুন।
      উদাহরণ: 8-12 14 -18 +SuffixSessionName=অধিবেশন নামের জন্য প্রত্যয় +LoginWith=%s দিয়ে লগইন করুন ##### Export ##### -ExportsArea=Exports area -AvailableFormats=Available formats -LibraryUsed=Library used -LibraryVersion=Library version -ExportableDatas=Exportable data -NoExportableData=No exportable data (no modules with exportable data loaded, or missing permissions) +ExportsArea=রপ্তানি এলাকা +AvailableFormats=উপলব্ধ বিন্যাস +LibraryUsed=লাইব্রেরি ব্যবহার করা হয়েছে +LibraryVersion=লাইব্রেরি সংস্করণ +ExportableDatas=রপ্তানিযোগ্য ডেটা +NoExportableData=কোনও রপ্তানিযোগ্য ডেটা নেই (রপ্তানিযোগ্য ডেটা লোড করা বা অনুপস্থিত অনুমতি সহ কোনও মডিউল নেই) ##### External sites ##### -WebsiteSetup=Setup of module website -WEBSITE_PAGEURL=URL of page -WEBSITE_TITLE=Title -WEBSITE_DESCRIPTION=Description -WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). -WEBSITE_KEYWORDS=Keywords -LinesToImport=Lines to import +WebsiteSetup=মডিউল ওয়েবসাইট সেটআপ +WEBSITE_PAGEURL=পৃষ্ঠার URL +WEBSITE_TITLE=শিরোনাম +WEBSITE_DESCRIPTION=বর্ণনা +WEBSITE_IMAGE=ছবি +WEBSITE_IMAGEDesc=ইমেজ মিডিয়ার আপেক্ষিক পথ। আপনি এটি খালি রাখতে পারেন কারণ এটি খুব কমই ব্যবহৃত হয় (ব্লগ পোস্টের একটি তালিকায় থাম্বনেইল দেখানোর জন্য এটি গতিশীল সামগ্রী দ্বারা ব্যবহার করা যেতে পারে)। যদি পাথ ওয়েবসাইটের নামের উপর নির্ভর করে তাহলে পাথে __WEBSITE_KEY__ ব্যবহার করুন (উদাহরণস্বরূপ: image/__WEBSITE_KEY__/stories/myimage.png)। +WEBSITE_KEYWORDS=কীওয়ার্ড +LinesToImport=আমদানি করার জন্য লাইন -MemoryUsage=Memory usage -RequestDuration=Duration of request -ProductsPerPopularity=Products/Services by popularity -PopuProp=Products/Services by popularity in Proposals -PopuCom=Products/Services by popularity in Orders -ProductStatistics=Products/Services Statistics -NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... +MemoryUsage=মেমরি ব্যবহার +RequestDuration=অনুরোধের সময়কাল +ProductsServicesPerPopularity=পণ্য|জনপ্রিয়তার ভিত্তিতে পরিষেবা +ProductsPerPopularity=জনপ্রিয়তা দ্বারা পণ্য +ServicesPerPopularity=জনপ্রিয়তার ভিত্তিতে পরিষেবা +PopuProp=পণ্য|প্রস্তাবে জনপ্রিয়তার ভিত্তিতে পরিষেবা +PopuCom=পণ্য|অর্ডারে জনপ্রিয়তার ভিত্তিতে পরিষেবা +ProductStatistics=পণ্য|পরিষেবা পরিসংখ্যান +NbOfQtyInOrders=অর্ডারের পরিমাণ +SelectTheTypeOfObjectToAnalyze=এর পরিসংখ্যান দেখতে একটি বস্তু নির্বাচন করুন... -ConfirmBtnCommonContent = Are you sure you want to "%s" ? -ConfirmBtnCommonTitle = Confirm your action -CloseDialog = Close +ConfirmBtnCommonContent = আপনি কি "%s" করতে চান? +ConfirmBtnCommonTitle = আপনার কর্ম নিশ্চিত করুন +CloseDialog = বন্ধ +Autofill = অটোফিল +OrPasteAnURL=অথবা একটি URL পেস্ট করুন + +# externalsite +ExternalSiteSetup=বাহ্যিক ওয়েবসাইটের লিঙ্ক সেটআপ করুন +ExternalSiteURL=HTML iframe বিষয়বস্তুর বহিরাগত সাইট URL +ExternalSiteModuleNotComplete=মডিউল এক্সটার্নালসাইট সঠিকভাবে কনফিগার করা হয়নি। +ExampleMyMenuEntry=আমার মেনু এন্ট্রি + +# ftp +FTPClientSetup=FTP বা SFTP ক্লায়েন্ট মডিউল সেটআপ +NewFTPClient=নতুন FTP/SFTP সংযোগ সেটআপ +FTPArea=FTP/SFTP এলাকা +FTPAreaDesc=এই স্ক্রীনটি একটি FTP এবং SFTP সার্ভারের একটি দৃশ্য দেখায়। +SetupOfFTPClientModuleNotComplete=FTP বা SFTP ক্লায়েন্ট মডিউলের সেটআপ অসম্পূর্ণ বলে মনে হচ্ছে +FTPFeatureNotSupportedByYourPHP=আপনার PHP FTP বা SFTP ফাংশন সমর্থন করে না +FailedToConnectToFTPServer=সার্ভারের সাথে সংযোগ করতে ব্যর্থ হয়েছে (সার্ভার %s, পোর্ট %s) +FailedToConnectToFTPServerWithCredentials=সংজ্ঞায়িত লগইন/পাসওয়ার্ড দিয়ে সার্ভারে লগইন করতে ব্যর্থ হয়েছে৷ +FTPFailedToRemoveFile=%s ফাইল সরাতে ব্যর্থ হয়েছে৷ +FTPFailedToRemoveDir=ডিরেক্টরি সরাতে ব্যর্থ হয়েছে %s: অনুমতি পরীক্ষা করুন এবং সেটি খালি. +FTPPassiveMode=প্যাসিভ মোড +ChooseAFTPEntryIntoMenu=মেনু থেকে একটি FTP/SFTP সাইট বেছে নিন... +FailedToGetFile=%s ফাইল পেতে ব্যর্থ +ErrorFTPNodisconnect=FTP/SFTP সার্ভার সংযোগ বিচ্ছিন্ন করতে ত্রুটি৷ +FileWasUpload=ফাইল %s আপলোড করা হয়েছে +FTPFailedToUploadFile=%s ফাইলটি আপলোড করতে ব্যর্থ হয়েছে৷ +AddFolder=ফোল্ডার তৈরি করুন +FileWasCreateFolder=ফোল্ডার %s তৈরি করা হয়েছে +FTPFailedToCreateFolder=%s ফোল্ডার তৈরি করতে ব্যর্থ হয়েছে৷ diff --git a/htdocs/langs/bn_IN/partnership.lang b/htdocs/langs/bn_IN/partnership.lang index c755ec8591d..df09f082d82 100644 --- a/htdocs/langs/bn_IN/partnership.lang +++ b/htdocs/langs/bn_IN/partnership.lang @@ -16,77 +16,84 @@ # # Generic # -ModulePartnershipName=Partnership management -PartnershipDescription=Module Partnership management -PartnershipDescriptionLong= Module Partnership management -Partnership=Partnership -AddPartnership=Add partnership -CancelPartnershipForExpiredMembers=Partnership: Cancel partnership of members with expired subscriptions -PartnershipCheckBacklink=Partnership: Check referring backlink +ModulePartnershipName=অংশীদারিত্ব ব্যবস্থাপনা +PartnershipDescription=মডিউল অংশীদারিত্ব ব্যবস্থাপনা +PartnershipDescriptionLong= মডিউল অংশীদারিত্ব ব্যবস্থাপনা +Partnership=অংশীদারিত্ব +Partnerships=অংশীদারিত্ব +AddPartnership=অংশীদারিত্ব যোগ করুন +CancelPartnershipForExpiredMembers=অংশীদারিত্ব: মেয়াদ উত্তীর্ণ সাবস্ক্রিপশন সহ সদস্যদের অংশীদারিত্ব বাতিল করুন +PartnershipCheckBacklink=অংশীদারিত্ব: রেফারিং ব্যাকলিংক চেক করুন # # Menu # -NewPartnership=New Partnership -ListOfPartnerships=List of partnership +NewPartnership=নতুন অংশীদারিত্ব +NewPartnershipbyWeb=আপনার অংশীদারিত্বের অনুরোধ সফলভাবে যোগ করা হয়েছে৷ আমরা শীঘ্রই আপনার সাথে যোগাযোগ করতে পারি... +ListOfPartnerships=অংশীদারিত্বের তালিকা # # Admin page # -PartnershipSetup=Partnership setup -PartnershipAbout=About Partnership -PartnershipAboutPage=Partnership about page -partnershipforthirdpartyormember=Partner status must be set on a 'thirdparty' or a 'member' -PARTNERSHIP_IS_MANAGED_FOR=Partnership managed for -PARTNERSHIP_BACKLINKS_TO_CHECK=Backlinks to check -PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb of days before cancelling status of a partnership when a subscription has expired -ReferingWebsiteCheck=Check of website referring -ReferingWebsiteCheckDesc=You can enable a feature to check that your partners has added a backlink to your website domains on their own website. +PartnershipSetup=অংশীদারিত্ব সেটআপ +PartnershipAbout=অংশীদারিত্ব সম্পর্কে +PartnershipAboutPage=পৃষ্ঠা সম্পর্কে অংশীদারিত্ব +partnershipforthirdpartyormember=পার্টনার স্ট্যাটাস অবশ্যই 'তৃতীয় পক্ষ' বা 'সদস্য'-এ সেট করতে হবে +PARTNERSHIP_IS_MANAGED_FOR=অংশীদারিত্ব জন্য পরিচালিত +PARTNERSHIP_BACKLINKS_TO_CHECK=চেক করতে ব্যাকলিংক +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=সাবস্ক্রিপশনের মেয়াদ শেষ হয়ে গেলে অংশীদারিত্বের স্থিতি বাতিল করার আগের দিনের Nb +ReferingWebsiteCheck=ওয়েবসাইট রেফারিং চেক +ReferingWebsiteCheckDesc=আপনার অংশীদাররা তাদের নিজস্ব ওয়েবসাইটে আপনার ওয়েবসাইট ডোমেনে একটি ব্যাকলিঙ্ক যুক্ত করেছে কিনা তা পরীক্ষা করতে আপনি একটি বৈশিষ্ট্য সক্রিয় করতে পারেন৷ +PublicFormRegistrationPartnerDesc=Dolibarr আপনাকে একটি সর্বজনীন URL/ওয়েবসাইট প্রদান করতে পারে যাতে বহিরাগত দর্শকদের অংশীদারিত্ব প্রোগ্রামের অংশ হতে অনুরোধ করতে পারে। # # Object # -DeletePartnership=Delete a partnership -PartnershipDedicatedToThisThirdParty=Partnership dedicated to this third party -PartnershipDedicatedToThisMember=Partnership dedicated to this member -DatePartnershipStart=Start date -DatePartnershipEnd=End date -ReasonDecline=Decline reason -ReasonDeclineOrCancel=Decline reason -PartnershipAlreadyExist=Partnership already exist -ManagePartnership=Manage partnership -BacklinkNotFoundOnPartnerWebsite=Backlink not found on partner website -ConfirmClosePartnershipAsk=Are you sure you want to cancel this partnership? -PartnershipType=Partnership type -PartnershipRefApproved=Partnership %s approved +DeletePartnership=একটি অংশীদারিত্ব মুছুন +PartnershipDedicatedToThisThirdParty=অংশীদারিত্ব এই তৃতীয় পক্ষের জন্য নিবেদিত +PartnershipDedicatedToThisMember=অংশীদারিত্ব এই সদস্য নিবেদিত +DatePartnershipStart=শুরুর তারিখ +DatePartnershipEnd=শেষ তারিখ +ReasonDecline=প্রত্যাখ্যান কারণ +ReasonDeclineOrCancel=প্রত্যাখ্যান কারণ +PartnershipAlreadyExist=অংশীদারিত্ব ইতিমধ্যে বিদ্যমান +ManagePartnership=অংশীদারিত্ব পরিচালনা করুন +BacklinkNotFoundOnPartnerWebsite=ব্যাকলিংক অংশীদার ওয়েবসাইটে পাওয়া যায়নি +ConfirmClosePartnershipAsk=আপনি কি এই অংশীদারিত্ব বাতিল করার বিষয়ে নিশ্চিত? +PartnershipType=অংশীদারিত্বের ধরন +PartnershipRefApproved=অংশীদারিত্ব %s অনুমোদিত +KeywordToCheckInWebsite=আপনি যদি প্রতিটি অংশীদারের ওয়েবসাইটে একটি প্রদত্ত কীওয়ার্ড উপস্থিত রয়েছে কিনা তা পরীক্ষা করতে চান তবে এখানে এই কীওয়ার্ডটি সংজ্ঞায়িত করুন +PartnershipDraft=খসড়া +PartnershipAccepted=গৃহীত +PartnershipRefused=প্রত্যাখ্যান করেছে +PartnershipCanceled=বাতিল +PartnershipManagedFor=অংশীদার হয় # # Template Mail # -SendingEmailOnPartnershipWillSoonBeCanceled=Partnership will soon be canceled -SendingEmailOnPartnershipRefused=Partnership refused -SendingEmailOnPartnershipAccepted=Partnership accepted -SendingEmailOnPartnershipCanceled=Partnership canceled +SendingEmailOnPartnershipWillSoonBeCanceled=অংশীদারিত্ব শীঘ্রই বাতিল করা হবে +SendingEmailOnPartnershipRefused=অংশীদারিত্ব প্রত্যাখ্যান করেছে +SendingEmailOnPartnershipAccepted=অংশীদারিত্ব গৃহীত +SendingEmailOnPartnershipCanceled=অংশীদারিত্ব বাতিল করা হয়েছে৷ -YourPartnershipWillSoonBeCanceledTopic=Partnership will soon be canceled -YourPartnershipRefusedTopic=Partnership refused -YourPartnershipAcceptedTopic=Partnership accepted -YourPartnershipCanceledTopic=Partnership canceled +YourPartnershipWillSoonBeCanceledTopic=অংশীদারিত্ব শীঘ্রই বাতিল করা হবে +YourPartnershipRefusedTopic=অংশীদারিত্ব প্রত্যাখ্যান করেছে +YourPartnershipAcceptedTopic=অংশীদারিত্ব গৃহীত +YourPartnershipCanceledTopic=অংশীদারিত্ব বাতিল করা হয়েছে৷ -YourPartnershipWillSoonBeCanceledContent=We inform you that your partnership will soon be canceled (Backlink not found) -YourPartnershipRefusedContent=We inform you that your partnership request has been refused. -YourPartnershipAcceptedContent=We inform you that your partnership request has been accepted. -YourPartnershipCanceledContent=We inform you that your partnership has been canceled. +YourPartnershipWillSoonBeCanceledContent=আমরা আপনাকে জানাতে চাই যে আমাদের অংশীদারিত্ব শীঘ্রই বাতিল করা হবে (আমরা পুনর্নবীকরণ পাইনি বা আমাদের অংশীদারিত্বের পূর্বশর্ত পূরণ করা হয়নি)। আপনি একটি ত্রুটির কারণে এটি পেয়ে থাকলে আমাদের সাথে যোগাযোগ করুন. +YourPartnershipRefusedContent=আমরা আপনাকে জানাতে চাই যে আপনার অংশীদারিত্বের অনুরোধ প্রত্যাখ্যান করা হয়েছে৷ পূর্বশর্ত পূরণ করা হয়নি. আপনি আরও তথ্যের প্রয়োজন হলে আমাদের সাথে যোগাযোগ করুন। +YourPartnershipAcceptedContent=আমরা আপনাকে জানাতে চাই যে আপনার অংশীদারিত্বের অনুরোধ গৃহীত হয়েছে। +YourPartnershipCanceledContent=আমরা আপনাকে জানাতে চাই যে আমাদের অংশীদারিত্ব বাতিল করা হয়েছে। আপনি আরও তথ্যের প্রয়োজন হলে আমাদের সাথে যোগাযোগ করুন। -CountLastUrlCheckError=Number of errors for last URL check -LastCheckBacklink=Date of last URL check -ReasonDeclineOrCancel=Decline reason +CountLastUrlCheckError=শেষ URL চেকের জন্য ত্রুটির সংখ্যা৷ +LastCheckBacklink=শেষ ইউআরএল চেক করার তারিখ +ReasonDeclineOrCancel=প্রত্যাখ্যান কারণ + +NewPartnershipRequest=নতুন অংশীদারিত্বের অনুরোধ +NewPartnershipRequestDesc=এই ফর্মটি আপনাকে আমাদের অংশীদারিত্ব প্রোগ্রামের একটি অংশ হতে অনুরোধ করতে দেয়৷ এই ফর্মটি পূরণ করতে আপনার সাহায্যের প্রয়োজন হলে, অনুগ্রহ করে ইমেলের মাধ্যমে যোগাযোগ করুন %s span> +ThisUrlMustContainsAtLeastOneLinkToWebsite=এই পৃষ্ঠায় নিম্নলিখিত ডোমেনের একটিতে অন্তত একটি লিঙ্ক থাকতে হবে: %s + +IPOfApplicant=আবেদনকারীর আইপি -# -# Status -# -PartnershipDraft=Draft -PartnershipAccepted=Accepted -PartnershipRefused=Refused -PartnershipCanceled=Canceled -PartnershipManagedFor=Partners are diff --git a/htdocs/langs/bn_IN/paybox.lang b/htdocs/langs/bn_IN/paybox.lang index 1bbbef4017b..ed01b55721a 100644 --- a/htdocs/langs/bn_IN/paybox.lang +++ b/htdocs/langs/bn_IN/paybox.lang @@ -1,31 +1,30 @@ # Dolibarr language file - Source file is en_US - paybox -PayBoxSetup=PayBox module setup -PayBoxDesc=This module offer pages to allow payment on Paybox by customers. This can be used for a free payment or for a payment on a particular Dolibarr object (invoice, order, ...) -FollowingUrlAreAvailableToMakePayments=Following URLs are available to offer a page to a customer to make a payment on Dolibarr objects -PaymentForm=Payment form -WelcomeOnPaymentPage=Welcome to our online payment service -ThisScreenAllowsYouToPay=This screen allow you to make an online payment to %s. -ThisIsInformationOnPayment=This is information on payment to do -ToComplete=To complete -YourEMail=Email to receive payment confirmation -Creditor=Creditor -PaymentCode=Payment code -PayBoxDoPayment=Pay with Paybox -YouWillBeRedirectedOnPayBox=You will be redirected on secured Paybox page to input you credit card information -Continue=Next -SetupPayBoxToHavePaymentCreatedAutomatically=Setup your Paybox with url %s to have payment created automatically when validated by Paybox. -YourPaymentHasBeenRecorded=This page confirms that your payment has been recorded. Thank you. -YourPaymentHasNotBeenRecorded=Your payment has NOT been recorded and the transaction has been canceled. Thank you. -AccountParameter=Account parameters -UsageParameter=Usage parameters -InformationToFindParameters=Help to find your %s account information -PAYBOX_CGI_URL_V2=Url of Paybox CGI module for payment -VendorName=Name of vendor -CSSUrlForPaymentForm=CSS style sheet url for payment form -NewPayboxPaymentReceived=New Paybox payment received -NewPayboxPaymentFailed=New Paybox payment tried but failed -PAYBOX_PAYONLINE_SENDEMAIL=Email notification after payment attempt (success or fail) -PAYBOX_PBX_SITE=Value for PBX SITE -PAYBOX_PBX_RANG=Value for PBX Rang -PAYBOX_PBX_IDENTIFIANT=Value for PBX ID -PAYBOX_HMAC_KEY=HMAC key +PayBoxSetup=পেবক্স মডিউল সেটআপ +PayBoxDesc=এই মডিউলটি গ্রাহকদের Paybox-এ অর্থপ্রদানের অনুমতি দেওয়ার জন্য পেজ অফার করে। এটি বিনামূল্যে অর্থপ্রদানের জন্য বা একটি নির্দিষ্ট ডলিবার অবজেক্টে অর্থপ্রদানের জন্য ব্যবহার করা যেতে পারে (চালান, আদেশ, ...) +FollowingUrlAreAvailableToMakePayments=Dolibarr অবজেক্টে অর্থপ্রদান করার জন্য গ্রাহককে একটি পৃষ্ঠা অফার করার জন্য নিম্নলিখিত URLগুলি উপলব্ধ +PaymentForm=পেমেন্ট ফর্ম +WelcomeOnPaymentPage=আমাদের অনলাইন পেমেন্ট সেবা স্বাগতম +ThisScreenAllowsYouToPay=এই স্ক্রীনটি আপনাকে %s এ একটি অনলাইন অর্থপ্রদান করতে দেয়। +ThisIsInformationOnPayment=এটি করতে অর্থ প্রদানের তথ্য +ToComplete=শেষ করতে +YourEMail=পেমেন্ট নিশ্চিতকরণ পেতে ইমেল +Creditor=পাওনাদার +PaymentCode=পেমেন্ট কোড +PayBoxDoPayment=Paybox দিয়ে পেমেন্ট করুন +YouWillBeRedirectedOnPayBox=আপনার ক্রেডিট কার্ডের তথ্য ইনপুট করার জন্য আপনাকে নিরাপদ পেবক্স পৃষ্ঠায় পুনঃনির্দেশিত করা হবে +Continue=পরবর্তী +SetupPayBoxToHavePaymentCreatedAutomatically=স্বয়ংক্রিয়ভাবে অর্থপ্রদান তৈরি হওয়ার জন্য url %s দিয়ে আপনার পেবক্স সেটআপ করুন Paybox দ্বারা যাচাই করা হয়েছে। +YourPaymentHasBeenRecorded=এই পৃষ্ঠাটি নিশ্চিত করে যে আপনার পেমেন্ট রেকর্ড করা হয়েছে। ধন্যবাদ. +YourPaymentHasNotBeenRecorded=আপনার পেমেন্ট রেকর্ড করা হয়নি এবং লেনদেন বাতিল করা হয়েছে। ধন্যবাদ. +AccountParameter=অ্যাকাউন্ট প্যারামিটার +UsageParameter=ব্যবহারের পরামিতি +InformationToFindParameters=আপনার %s অ্যাকাউন্ট তথ্য খুঁজে পেতে সাহায্য করুন +PAYBOX_CGI_URL_V2=পেমেন্টের জন্য পেবক্স সিজিআই মডিউলের ইউআরএল +CSSUrlForPaymentForm=পেমেন্ট ফর্মের জন্য CSS শৈলী শীট url +NewPayboxPaymentReceived=নতুন পেবক্স পেমেন্ট গৃহীত হয়েছে +NewPayboxPaymentFailed=নতুন পেবক্স পেমেন্ট চেষ্টা করা হয়েছে কিন্তু ব্যর্থ হয়েছে +PAYBOX_PAYONLINE_SENDEMAIL=অর্থপ্রদানের প্রচেষ্টার পরে ইমেল বিজ্ঞপ্তি (সফল বা ব্যর্থ) +PAYBOX_PBX_SITE=PBX সাইট এর জন্য মান +PAYBOX_PBX_RANG=PBX Rang-এর মান +PAYBOX_PBX_IDENTIFIANT=PBX আইডির মান +PAYBOX_HMAC_KEY=HMAC কী diff --git a/htdocs/langs/bn_IN/paypal.lang b/htdocs/langs/bn_IN/paypal.lang index 5eb5f389445..6261a654d0f 100644 --- a/htdocs/langs/bn_IN/paypal.lang +++ b/htdocs/langs/bn_IN/paypal.lang @@ -1,36 +1,37 @@ # Dolibarr language file - Source file is en_US - paypal -PaypalSetup=PayPal module setup -PaypalDesc=This module allows payment by customers via PayPal. This can be used for a ad-hoc payment or for a payment related to a Dolibarr object (invoice, order, ...) -PaypalOrCBDoPayment=Pay with PayPal (Card or PayPal) -PaypalDoPayment=Pay with PayPal -PAYPAL_API_SANDBOX=Mode test/sandbox -PAYPAL_API_USER=API username -PAYPAL_API_PASSWORD=API password -PAYPAL_API_SIGNATURE=API signature -PAYPAL_SSLVERSION=Curl SSL Version -PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Offer "integral" payment (Credit card+PayPal) or "PayPal" only -PaypalModeIntegral=Integral -PaypalModeOnlyPaypal=PayPal only -ONLINE_PAYMENT_CSS_URL=Optional URL of CSS stylesheet on online payment page -ThisIsTransactionId=This is id of transaction: %s -PAYPAL_ADD_PAYMENT_URL=Include the PayPal payment url when you send a document by email -NewOnlinePaymentReceived=New online payment received -NewOnlinePaymentFailed=New online payment tried but failed -ONLINE_PAYMENT_SENDEMAIL=Email address for notifications after each payment attempt (for success and fail) -ReturnURLAfterPayment=Return URL after payment -ValidationOfOnlinePaymentFailed=Validation of online payment failed -PaymentSystemConfirmPaymentPageWasCalledButFailed=Payment confirmation page was called by payment system returned an error -SetExpressCheckoutAPICallFailed=SetExpressCheckout API call failed. -DoExpressCheckoutPaymentAPICallFailed=DoExpressCheckoutPayment API call failed. -DetailedErrorMessage=Detailed Error Message -ShortErrorMessage=Short Error Message -ErrorCode=Error Code -ErrorSeverityCode=Error Severity Code -OnlinePaymentSystem=Online payment system -PaypalLiveEnabled=PayPal "live" mode enabled (otherwise test/sandbox mode) -PaypalImportPayment=Import PayPal payments -PostActionAfterPayment=Post actions after payments -ARollbackWasPerformedOnPostActions=A rollback was performed on all Post actions. You must complete post actions manually if they are necessary. -ValidationOfPaymentFailed=Validation of payment has failed -CardOwner=Card holder -PayPalBalance=Paypal credit +PaypalSetup=পেপ্যাল মডিউল সেটআপ +PaypalDesc=এই মডিউলটি PayPal এর মাধ্যমে গ্রাহকদের অর্থ প্রদানের অনুমতি দেয়। এটি একটি অ্যাড-হক অর্থপ্রদানের জন্য বা ডলিবার অবজেক্টের সাথে সম্পর্কিত অর্থ প্রদানের জন্য ব্যবহার করা যেতে পারে (চালান, আদেশ, ...) +PaypalOrCBDoPayment=পেপ্যাল দিয়ে পেমেন্ট করুন (কার্ড বা পেপ্যাল) +PaypalDoPayment=পেপালের মাধ্যমে প্রদান করুন +PAYPAL_API_SANDBOX=মোড পরীক্ষা/স্যান্ডবক্স +PAYPAL_API_USER=API ব্যবহারকারীর নাম +PAYPAL_API_PASSWORD=API পাসওয়ার্ড +PAYPAL_API_SIGNATURE=API স্বাক্ষর +PAYPAL_SSLVERSION=কার্ল SSL সংস্করণ +PAYPAL_API_INTEGRAL_OR_PAYPALONLY=শুধুমাত্র "অবিচ্ছেদ" অর্থপ্রদান (ক্রেডিট কার্ড+পেপাল) বা "পেপাল" অফার করুন +PaypalModeIntegral=অখণ্ড +PaypalModeOnlyPaypal=শুধুমাত্র পেপ্যাল +ONLINE_PAYMENT_CSS_URL=অনলাইন পেমেন্ট পৃষ্ঠায় CSS স্টাইলশীটের ঐচ্ছিক URL +ThisIsTransactionId=এটি লেনদেনের আইডি: %s +PAYPAL_ADD_PAYMENT_URL=আপনি যখন ইমেলের মাধ্যমে একটি নথি পাঠান তখন পেপাল পেমেন্ট ইউআরএল অন্তর্ভুক্ত করুন +NewOnlinePaymentReceived=নতুন অনলাইন পেমেন্ট গৃহীত হয়েছে +NewOnlinePaymentFailed=নতুন অনলাইন পেমেন্ট চেষ্টা করা হয়েছে কিন্তু ব্যর্থ হয়েছে +ONLINE_PAYMENT_SENDEMAIL=প্রতিটি অর্থপ্রদানের প্রচেষ্টার পরে বিজ্ঞপ্তির জন্য ইমেল ঠিকানা (সাফল্য এবং ব্যর্থতার জন্য) +ReturnURLAfterPayment=অর্থ প্রদানের পরে URL রিটার্ন করুন +ValidationOfOnlinePaymentFailed=অনলাইন পেমেন্টের বৈধতা ব্যর্থ হয়েছে +PaymentSystemConfirmPaymentPageWasCalledButFailed=পেমেন্ট নিশ্চিতকরণ পৃষ্ঠা পেমেন্ট সিস্টেম দ্বারা কল করা হয়েছিল একটি ত্রুটি ফেরত +SetExpressCheckoutAPICallFailed=SetExpressCheckout API কল ব্যর্থ হয়েছে৷ +DoExpressCheckoutPaymentAPICallFailed=DoExpressCheckoutPayment API কল ব্যর্থ হয়েছে৷ +DetailedErrorMessage=বিস্তারিত ত্রুটি বার্তা +ShortErrorMessage=সংক্ষিপ্ত ত্রুটি বার্তা +ErrorCode=ভুল সংকেত +ErrorSeverityCode=ত্রুটি তীব্রতা কোড +OnlinePaymentSystem=অনলাইন পেমেন্ট সিস্টেম +PaypalLiveEnabled=পেপ্যাল "লাইভ" মোড সক্ষম (অন্যথায় পরীক্ষা/স্যান্ডবক্স মোড) +PaypalImportPayment=পেপ্যাল পেমেন্ট আমদানি করুন +PostActionAfterPayment=অর্থ প্রদানের পরে কর্ম পোস্ট করুন +ARollbackWasPerformedOnPostActions=সমস্ত পোস্ট অ্যাকশনে একটি রোলব্যাক সঞ্চালিত হয়েছিল। প্রয়োজন হলে আপনাকে অবশ্যই পোস্ট অ্যাকশনগুলি ম্যানুয়ালি সম্পূর্ণ করতে হবে। +ValidationOfPaymentFailed=অর্থপ্রদানের বৈধতা ব্যর্থ হয়েছে৷ +CardOwner=কার্ড হোল্ডার +PayPalBalance=পেপ্যাল ক্রেডিট +OnlineSubscriptionPaymentLine=অনলাইন সাবস্ক্রিপশন %s
      %s
      প্রাথমিক আইপি ঠিকানা: %s
      লেনদেন আইডি: ALL
      products and services! -MassBarcodeInit=Mass barcode init -MassBarcodeInitDesc=This page can be used to initialize a barcode on objects that does not have barcode defined. Check before that setup of module barcode is complete. -ProductAccountancyBuyCode=Accounting code (purchase) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) -ProductAccountancySellCode=Accounting code (sale) -ProductAccountancySellIntraCode=Accounting code (sale intra-Community) -ProductAccountancySellExportCode=Accounting code (sale export) -ProductOrService=Product or Service -ProductsAndServices=Products and Services -ProductsOrServices=Products or Services -ProductsPipeServices=Products | Services -ProductsOnSale=Products for sale -ProductsOnPurchase=Products for purchase -ProductsOnSaleOnly=Products for sale only -ProductsOnPurchaseOnly=Products for purchase only -ProductsNotOnSell=Products not for sale and not for purchase -ProductsOnSellAndOnBuy=Products for sale and for purchase -ServicesOnSale=Services for sale -ServicesOnPurchase=Services for purchase -ServicesOnSaleOnly=Services for sale only -ServicesOnPurchaseOnly=Services for purchase only -ServicesNotOnSell=Services not for sale and not for purchase -ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s products/services which were modified -LastRecordedProducts=Latest %s recorded products -LastRecordedServices=Latest %s recorded services -CardProduct0=Product -CardProduct1=Service -Stock=Stock -MenuStocks=Stocks -Stocks=Stocks and location (warehouse) of products -Movements=Movements -Sell=Sell -Buy=Purchase -OnSell=For sale -OnBuy=For purchase -NotOnSell=Not for sale -ProductStatusOnSell=For sale -ProductStatusNotOnSell=Not for sale -ProductStatusOnSellShort=For sale -ProductStatusNotOnSellShort=Not for sale -ProductStatusOnBuy=For purchase -ProductStatusNotOnBuy=Not for purchase -ProductStatusOnBuyShort=For purchase -ProductStatusNotOnBuyShort=Not for purchase -UpdateVAT=Update vat -UpdateDefaultPrice=Update default price -UpdateLevelPrices=Update prices for each level -AppliedPricesFrom=Applied from -SellingPrice=Selling price -SellingPriceHT=Selling price (excl. tax) -SellingPriceTTC=Selling price (inc. tax) -SellingMinPriceTTC=Minimum Selling price (inc. tax) -CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. -CostPriceUsage=This value could be used for margin calculation. -ManufacturingPrice=Manufacturing price -SoldAmount=Sold amount -PurchasedAmount=Purchased amount -NewPrice=New price -MinPrice=Min. selling price -EditSellingPriceLabel=Edit selling price label -CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. -ContractStatusClosed=Closed -ErrorProductAlreadyExists=A product with reference %s already exists. -ErrorProductBadRefOrLabel=Wrong value for reference or label. -ErrorProductClone=There was a problem while trying to clone the product or service. -ErrorPriceCantBeLowerThanMinPrice=Error, price can't be lower than minimum price. -Suppliers=Vendors -SupplierRef=Vendor SKU -ShowProduct=Show product -ShowService=Show service -ProductsAndServicesArea=Product and Services area -ProductsArea=Product area -ServicesArea=Services area -ListOfStockMovements=List of stock movements -BuyingPrice=Buying price -PriceForEachProduct=Products with specific prices -SupplierCard=Vendor card -PriceRemoved=Price removed -BarCode=Barcode -BarcodeType=Barcode type -SetDefaultBarcodeType=Set barcode type -BarcodeValue=Barcode value -NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) -ServiceLimitedDuration=If product is a service with limited duration: -FillWithLastServiceDates=Fill with last service line dates -MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) -MultiPricesNumPrices=Number of prices -DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices -AssociatedProductsAbility=Enable Kits (set of several products) -VariantsAbility=Enable Variants (variations of products, for example color, size) -AssociatedProducts=Kits -AssociatedProductsNumber=Number of products composing this kit -ParentProductsNumber=Number of parent packaging product -ParentProducts=Parent products -IfZeroItIsNotAVirtualProduct=If 0, this product is not a kit -IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit -KeywordFilter=Keyword filter -CategoryFilter=Category filter -ProductToAddSearch=Search product to add -NoMatchFound=No match found -ListOfProductsServices=List of products/services -ProductAssociationList=List of products/services that are component(s) of this kit -ProductParentList=List of kits with this product as a component -ErrorAssociationIsFatherOfThis=One of selected product is parent with current product -DeleteProduct=Delete a product/service -ConfirmDeleteProduct=Are you sure you want to delete this product/service? -ProductDeleted=Product/Service "%s" deleted from database. -ExportDataset_produit_1=Products -ExportDataset_service_1=Services -ImportDataset_produit_1=Products -ImportDataset_service_1=Services -DeleteProductLine=Delete product line -ConfirmDeleteProductLine=Are you sure you want to delete this product line? -ProductSpecial=Special -QtyMin=Min. purchase quantity -PriceQtyMin=Price quantity min. -PriceQtyMinCurrency=Price (currency) for this qty. (no discount) -VATRateForSupplierProduct=VAT Rate (for this vendor/product) -DiscountQtyMin=Discount for this qty. -NoPriceDefinedForThisSupplier=No price/qty defined for this vendor/product -NoSupplierPriceDefinedForThisProduct=No vendor price/qty defined for this product -PredefinedItem=Predefined item -PredefinedProductsToSell=Predefined Product -PredefinedServicesToSell=Predefined Service -PredefinedProductsAndServicesToSell=Predefined products/services to sell -PredefinedProductsToPurchase=Predefined product to purchase -PredefinedServicesToPurchase=Predefined services to purchase -PredefinedProductsAndServicesToPurchase=Predefined products/services to purchase -NotPredefinedProducts=Not predefined products/services -GenerateThumb=Generate thumb -ServiceNb=Service #%s -ListProductServiceByPopularity=List of products/services by popularity -ListProductByPopularity=List of products by popularity -ListServiceByPopularity=List of services by popularity -Finished=Manufactured product -RowMaterial=Raw Material -ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of the product/service -ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone linked tags/categories -CloneCompositionProduct=Clone virtual products/services -CloneCombinationsProduct=Clone the product variants -ProductIsUsed=This product is used -NewRefForClone=Ref. of new product/service -SellingPrices=Selling prices -BuyingPrices=Buying prices -CustomerPrices=Customer prices -SuppliersPrices=Vendor prices -SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) -CustomCode=Customs|Commodity|HS code -CountryOrigin=Country of origin -RegionStateOrigin=Region of origin -StateOrigin=State|Province of origin -Nature=Nature of product (raw/manufactured) -NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or manufactured product -ShortLabel=Short label -Unit=Unit -p=u. -set=set -se=set -second=second +ProductRef=পণ্য রেফ. +ProductLabel=পণ্য লেবেল +ProductLabelTranslated=অনুবাদিত পণ্য লেবেল +ProductDescription=পণ্যের বর্ণনা +ProductDescriptionTranslated=অনুবাদিত পণ্যের বিবরণ +ProductNoteTranslated=অনুবাদিত পণ্য নোট +ProductServiceCard=পণ্য/পরিষেবা কার্ড +TMenuProducts=পণ্য +TMenuServices=সেবা +Products=পণ্য +Services=সেবা +Product=পণ্য +Service=সেবা +ProductId=পণ্য/পরিষেবা আইডি +Create=সৃষ্টি +Reference=রেফারেন্স +NewProduct=নতুন পণ্য +NewService=নতুন পরিষেবা +ProductVatMassChange=গ্লোবাল ভ্যাট আপডেট +ProductVatMassChangeDesc=এই টুলটি ALLতে সংজ্ঞায়িত ভ্যাট হার আপডেট করে class='notranslate'> পণ্য এবং পরিষেবা! +MassBarcodeInit=ভর বারকোড init +MassBarcodeInitDesc=এই পৃষ্ঠাটি এমন বস্তুগুলিতে একটি বারকোড শুরু করতে ব্যবহার করা যেতে পারে যেগুলিতে বারকোড সংজ্ঞায়িত নেই৷ মডিউল বারকোডের সেটআপ সম্পূর্ণ হওয়ার আগে পরীক্ষা করুন। +ProductAccountancyBuyCode=অ্যাকাউন্টিং কোড (ক্রয়) +ProductAccountancyBuyIntraCode=অ্যাকাউন্টিং কোড (আন্তঃ-সম্প্রদায় ক্রয়) +ProductAccountancyBuyExportCode=অ্যাকাউন্টিং কোড (ক্রয় আমদানি) +ProductAccountancySellCode=অ্যাকাউন্টিং কোড (বিক্রয়) +ProductAccountancySellIntraCode=অ্যাকাউন্টিং কোড (বিক্রয় আন্তঃ-সম্প্রদায়) +ProductAccountancySellExportCode=অ্যাকাউন্টিং কোড (বিক্রয় রপ্তানি) +ProductOrService=পণ্য বা পরিষেবা +ProductsAndServices=পণ্য এবং সেবা +ProductsOrServices=পণ্য বা পরিষেবা +ProductsPipeServices=পণ্য | সেবা +ProductsOnSale=বিক্রয়ের জন্য পণ্য +ProductsOnPurchase=ক্রয়ের জন্য পণ্য +ProductsOnSaleOnly=শুধুমাত্র বিক্রয়ের জন্য পণ্য +ProductsOnPurchaseOnly=শুধুমাত্র ক্রয়ের জন্য পণ্য +ProductsNotOnSell=পণ্য বিক্রয়ের জন্য নয় এবং ক্রয়ের জন্য নয় +ProductsOnSellAndOnBuy=বিক্রয় এবং ক্রয়ের জন্য পণ্য +ServicesOnSale=বিক্রয়ের জন্য সেবা +ServicesOnPurchase=ক্রয়ের জন্য পরিষেবা +ServicesOnSaleOnly=শুধুমাত্র বিক্রয়ের জন্য সেবা +ServicesOnPurchaseOnly=শুধুমাত্র ক্রয়ের জন্য পরিষেবা +ServicesNotOnSell=পরিষেবাগুলি বিক্রয়ের জন্য নয় এবং ক্রয়ের জন্য নয় +ServicesOnSellAndOnBuy=বিক্রয় এবং ক্রয়ের জন্য পরিষেবা +LastModifiedProductsAndServices=সর্বশেষ %s পণ্য/পরিষেবা যা পরিবর্তিত হয়েছে +LastRecordedProducts=সর্বশেষ %s রেকর্ড করা পণ্য +LastRecordedServices=সর্বশেষ %s রেকর্ড করা পরিষেবা +CardProduct0=পণ্য +CardProduct1=সেবা +Stock=স্টক +MenuStocks=স্টক +Stocks=পণ্যের স্টক এবং অবস্থান (গুদাম) +Movements=আন্দোলন +Sell=বিক্রয় +Buy=ক্রয় +OnSell=বিক্রির জন্য +OnBuy=কেনার জন্য +NotOnSell=বিক্রির জন্য নহে +ProductStatusOnSell=বিক্রির জন্য +ProductStatusNotOnSell=বিক্রির জন্য নহে +ProductStatusOnSellShort=বিক্রির জন্য +ProductStatusNotOnSellShort=বিক্রির জন্য নহে +ProductStatusOnBuy=কেনার জন্য +ProductStatusNotOnBuy=কেনার জন্য নয় +ProductStatusOnBuyShort=কেনার জন্য +ProductStatusNotOnBuyShort=কেনার জন্য নয় +UpdateVAT=ভ্যাট আপডেট করুন +UpdateDefaultPrice=ডিফল্ট মূল্য আপডেট করুন +UpdateLevelPrices=প্রতিটি স্তরের জন্য দাম আপডেট করুন +AppliedPricesFrom=থেকে আবেদন করা হয়েছে +SellingPrice=বিক্রয় মূল্য +SellingPriceHT=বিক্রয় মূল্য (ট্যাক্স বাদে) +SellingPriceTTC=বিক্রয় মূল্য (কর সহ) +SellingMinPriceTTC=ন্যূনতম বিক্রয় মূল্য (inc. ট্যাক্স) +CostPriceDescription=এই মূল্য ক্ষেত্র (ট্যাক্স বাদে) এই পণ্যটি আপনার কোম্পানির জন্য খরচের গড় পরিমাণ ক্যাপচার করতে ব্যবহার করা যেতে পারে। আপনি নিজে গণনা করেন এমন যেকোনো মূল্য হতে পারে, উদাহরণস্বরূপ, গড় ক্রয় মূল্য এবং গড় উৎপাদন এবং বিতরণ খরচ থেকে। +CostPriceUsage=এই মানটি মার্জিন গণনার জন্য ব্যবহার করা যেতে পারে। +ManufacturingPrice=উত্পাদন মূল্য +SoldAmount=বিক্রির পরিমাণ +PurchasedAmount=কেনা পরিমাণ +NewPrice=নতুন মূল্য +MinPrice=মিন. বিক্রয় মূল্য +MinPriceHT=মিন. বিক্রয় মূল্য (ট্যাক্স বাদে) +MinPriceTTC=মিন. বিক্রয় মূল্য (কর সহ) +EditSellingPriceLabel=বিক্রয় মূল্য লেবেল সম্পাদনা করুন +CantBeLessThanMinPrice=বিক্রয় মূল্য এই পণ্যের জন্য অনুমোদিত সর্বনিম্ন থেকে কম হতে পারে না (%s ট্যাক্স ছাড়া)। আপনি একটি উল্লেখযোগ্য ছাড় টাইপ করলে এই বার্তাটিও উপস্থিত হতে পারে। +CantBeLessThanMinPriceInclTax=বিক্রয় মূল্য এই পণ্যের জন্য অনুমোদিত সর্বনিম্ন থেকে কম হতে পারে না (%s ট্যাক্স সহ)। আপনি যদি খুব গুরুত্বপূর্ণ ডিসকাউন্ট টাইপ করেন তবে এই বার্তাটিও উপস্থিত হতে পারে। +ContractStatusClosed=বন্ধ +ErrorProductAlreadyExists=%s রেফারেন্স সহ একটি পণ্য ইতিমধ্যেই বিদ্যমান। +ErrorProductBadRefOrLabel=রেফারেন্স বা লেবেলের জন্য ভুল মান। +ErrorProductClone=পণ্য বা পরিষেবা ক্লোন করার চেষ্টা করার সময় একটি সমস্যা হয়েছে৷ +ErrorPriceCantBeLowerThanMinPrice=ত্রুটি, মূল্য সর্বনিম্ন মূল্যের চেয়ে কম হতে পারে না৷ +Suppliers=বিক্রেতারা +SupplierRef=বিক্রেতা SKU +ShowProduct=পণ্য দেখান +ShowService=সেবা দেখান +ProductsAndServicesArea=পণ্য এবং পরিষেবা এলাকা +ProductsArea=পণ্য এলাকা +ServicesArea=পরিষেবা এলাকা +ListOfStockMovements=স্টক আন্দোলনের তালিকা +BuyingPrice=ক্রয় মূল্য +PriceForEachProduct=নির্দিষ্ট দাম সহ পণ্য +SupplierCard=বিক্রেতা কার্ড +PriceRemoved=মূল্য সরানো হয়েছে +BarCode=বারকোড +BarcodeType=বারকোড টাইপ +SetDefaultBarcodeType=বারকোড টাইপ সেট করুন +BarcodeValue=বারকোড মান +NoteNotVisibleOnBill=নোট (চালান, প্রস্তাবে দৃশ্যমান নয়...) +ServiceLimitedDuration=যদি পণ্যটি সীমিত সময়ের সাথে একটি পরিষেবা হয়: +FillWithLastServiceDates=শেষ পরিষেবা লাইনের তারিখগুলি পূরণ করুন +MultiPricesAbility=পণ্য/পরিষেবা প্রতি একাধিক মূল্য বিভাগ (প্রতিটি গ্রাহক একটি মূল্য বিভাগে) +MultiPricesNumPrices=দামের সংখ্যা +DefaultPriceType=নতুন বিক্রয় মূল্য যোগ করার সময় প্রতি ডিফল্ট মূল্যের ভিত্তি (কর ছাড়াই) +AssociatedProductsAbility=কিটস সক্ষম করুন (বেশ কয়েকটি পণ্যের সেট) +VariantsAbility=বৈকল্পিক সক্ষম করুন (পণ্যের বৈচিত্র, উদাহরণস্বরূপ রঙ, আকার) +AssociatedProducts=কিটস +AssociatedProductsNumber=এই কিট রচনা পণ্য সংখ্যা +ParentProductsNumber=মূল প্যাকেজিং পণ্যের সংখ্যা +ParentProducts=অভিভাবক পণ্য +IfZeroItIsNotAVirtualProduct=যদি 0, এই পণ্য একটি কিট নয় +IfZeroItIsNotUsedByVirtualProduct=যদি 0, এই পণ্যটি কোনো কিট দ্বারা ব্যবহার করা হয় না +KeywordFilter=কীওয়ার্ড ফিল্টার +CategoryFilter=বিভাগ ফিল্টার +ProductToAddSearch=যোগ করার জন্য পণ্য অনুসন্ধান করুন +NoMatchFound=পাওয়া যায়নি +ListOfProductsServices=পণ্য/পরিষেবার তালিকা +ProductAssociationList=পণ্য/পরিষেবাগুলির তালিকা যা এই কিটের উপাদান(গুলি) +ProductParentList=একটি উপাদান হিসাবে এই পণ্য সহ কিট তালিকা +ErrorAssociationIsFatherOfThis=নির্বাচিত পণ্যগুলির মধ্যে একটি হল বর্তমান পণ্যের অভিভাবক৷ +DeleteProduct=একটি পণ্য/পরিষেবা মুছুন +ConfirmDeleteProduct=আপনি কি এই পণ্য/পরিষেবা মুছে ফেলার বিষয়ে নিশ্চিত? +ProductDeleted=পণ্য/পরিষেবা "%s" ডাটাবেস থেকে মুছে ফেলা হয়েছে৷ +ExportDataset_produit_1=পণ্য +ExportDataset_service_1=সেবা +ImportDataset_produit_1=পণ্য +ImportDataset_service_1=সেবা +DeleteProductLine=পণ্য লাইন মুছুন +ConfirmDeleteProductLine=আপনি কি এই পণ্য লাইন মুছে ফেলার বিষয়ে নিশ্চিত? +ProductSpecial=বিশেষ +QtyMin=মিন. ক্রয় পরিমাণ +PriceQtyMin=দামের পরিমাণ ন্যূনতম। +PriceQtyMinCurrency=এই পরিমাণের জন্য মূল্য (মুদ্রা)। +WithoutDiscount=ছাড় ছাড়া +VATRateForSupplierProduct=ভ্যাট হার (এই বিক্রেতা/পণ্যের জন্য) +DiscountQtyMin=এই পরিমাণের জন্য ছাড়। +NoPriceDefinedForThisSupplier=এই বিক্রেতা/পণ্যের জন্য কোন মূল্য/পরিমাণ সংজ্ঞায়িত করা হয়নি +NoSupplierPriceDefinedForThisProduct=এই পণ্যের জন্য কোন বিক্রেতার মূল্য/পরিমাণ সংজ্ঞায়িত করা হয়নি +PredefinedItem=পূর্বনির্ধারিত আইটেম +PredefinedProductsToSell=পূর্বনির্ধারিত পণ্য +PredefinedServicesToSell=পূর্বনির্ধারিত পরিষেবা +PredefinedProductsAndServicesToSell=বিক্রয়ের জন্য পূর্বনির্ধারিত পণ্য/পরিষেবা +PredefinedProductsToPurchase=ক্রয় করার জন্য পূর্বনির্ধারিত পণ্য +PredefinedServicesToPurchase=ক্রয় করার জন্য পূর্বনির্ধারিত পরিষেবা +PredefinedProductsAndServicesToPurchase=ক্রয় করার জন্য পূর্বনির্ধারিত পণ্য/পরিষেবা +NotPredefinedProducts=পূর্বনির্ধারিত পণ্য/পরিষেবা নয় +GenerateThumb=থাম্ব তৈরি করুন +ServiceNb=পরিষেবা #%s +ListProductServiceByPopularity=জনপ্রিয়তা অনুসারে পণ্য/পরিষেবার তালিকা +ListProductByPopularity=জনপ্রিয়তা অনুসারে পণ্যের তালিকা +ListServiceByPopularity=জনপ্রিয়তার ভিত্তিতে পরিষেবার তালিকা +Finished=উৎপাদিত পণ্য +RowMaterial=কাঁচামাল +ConfirmCloneProduct=আপনি কি পণ্য বা পরিষেবা %s ক্লোন করার বিষয়ে নিশ্চিত? +CloneContentProduct=পণ্য/পরিষেবার সমস্ত প্রধান তথ্য ক্লোন করুন +ClonePricesProduct=ক্লোনের দাম +CloneCategoriesProduct=লিঙ্কযুক্ত ট্যাগ/বিভাগ ক্লোন করুন +CloneCompositionProduct=ভার্চুয়াল পণ্য/পরিষেবা ক্লোন করুন +CloneCombinationsProduct=পণ্য বৈকল্পিক ক্লোন +ProductIsUsed=এই পণ্য ব্যবহার করা হয় +NewRefForClone=রেফ. নতুন পণ্য/পরিষেবার +SellingPrices=দাম বিক্রি +BuyingPrices=দাম ক্রয় +CustomerPrices=গ্রাহকের দাম +SuppliersPrices=বিক্রেতার দাম +SuppliersPricesOfProductsOrServices=বিক্রেতার মূল্য (পণ্য বা পরিষেবার) +CustomCode=কাস্টমস|কমোডিটি|এইচএস কোড +CountryOrigin=মাত্রিভূমি +RegionStateOrigin=উৎপত্তি অঞ্চল +StateOrigin=রাজ্য|উৎপত্তির প্রদেশ +Nature=পণ্যের প্রকৃতি (কাঁচা/উৎপাদিত) +NatureOfProductShort=পণ্যের প্রকৃতি +NatureOfProductDesc=কাঁচামাল বা উৎপাদিত পণ্য +ShortLabel=সংক্ষিপ্ত লেবেল +Unit=ইউনিট +p=u +set=সেট +se=সেট +second=দ্বিতীয় s=s -hour=hour -h=h -day=day +hour=ঘন্টা +h=জ +day=দিন d=d -kilogram=kilogram -kg=Kg -gram=gram +kilogram=কিলোগ্রাম +kg=কেজি +gram=গ্রাম g=g -meter=meter -m=m +meter=মিটার +m=মি lm=lm m2=m² m3=m³ -liter=liter -l=L -unitP=Piece -unitSET=Set -unitS=Second -unitH=Hour -unitD=Day -unitG=Gram -unitM=Meter -unitLM=Linear meter -unitM2=Square meter -unitM3=Cubic meter -unitL=Liter -unitT=ton -unitKG=kg -unitG=Gram -unitMG=mg -unitLB=pound -unitOZ=ounce -unitM=Meter +liter=লিটার +l=এল +unitP=টুকরা +unitSET=সেট +unitS=দ্বিতীয় +unitH=ঘন্টা +unitD=দিন +unitG=ছোলা +unitM=মিটার +unitLM=রৈখিক মিটার +unitM2=বর্গ মিটার +unitM3=ঘন মিটার +unitL=লিটার +unitT=টন +unitKG=কেজি +unitG=ছোলা +unitMG=মিলিগ্রাম +unitLB=পাউন্ড +unitOZ=আউন্স +unitM=মিটার unitDM=dm -unitCM=cm -unitMM=mm -unitFT=ft -unitIN=in -unitM2=Square meter +unitCM=সেমি +unitMM=মিমি +unitFT=ফুট +unitIN=ভিতরে +unitM2=বর্গ মিটার unitDM2=dm² unitCM2=cm² -unitMM2=mm² +unitMM2=মিমি² unitFT2=ft² -unitIN2=in² -unitM3=Cubic meter +unitIN2=² মধ্যে +unitM3=ঘন মিটার unitDM3=dm³ unitCM3=cm³ unitMM3=mm³ unitFT3=ft³ unitIN3=in³ -unitOZ3=ounce -unitgallon=gallon -ProductCodeModel=Product ref template -ServiceCodeModel=Service ref template -CurrentProductPrice=Current price -AlwaysUseNewPrice=Always use current price of product/service -AlwaysUseFixedPrice=Use the fixed price -PriceByQuantity=Different prices by quantity -DisablePriceByQty=Disable prices by quantity -PriceByQuantityRange=Quantity range -MultipriceRules=Automatic prices for segment -UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment -PercentVariationOver=%% variation over %s -PercentDiscountOver=%% discount over %s -KeepEmptyForAutoCalculation=Keep empty to have this calculated automatically from weight or volume of products -VariantRefExample=Examples: COL, SIZE -VariantLabelExample=Examples: Color, Size +unitOZ3=আউন্স +unitgallon=গ্যালন +ProductCodeModel=পণ্য রেফ টেমপ্লেট +ServiceCodeModel=পরিষেবা রেফ টেমপ্লেট +CurrentProductPrice=বর্তমান মূল্য +AlwaysUseNewPrice=সর্বদা পণ্য/পরিষেবার বর্তমান মূল্য ব্যবহার করুন +AlwaysUseFixedPrice=নির্ধারিত মূল্য ব্যবহার করুন +PriceByQuantity=পরিমাণ অনুযায়ী বিভিন্ন দাম +DisablePriceByQty=পরিমাণ দ্বারা মূল্য নিষ্ক্রিয় +PriceByQuantityRange=পরিমাণ পরিসীমা +MultipriceRules=সেগমেন্টের জন্য স্বয়ংক্রিয় দাম +UseMultipriceRules=প্রথম সেগমেন্ট অনুযায়ী অন্য সব সেগমেন্টের দাম স্বয়ংক্রিয়ভাবে গণনা করতে মূল্য বিভাগের নিয়ম (পণ্য মডিউল সেটআপে সংজ্ঞায়িত) ব্যবহার করুন +PercentVariationOver=%% বৈচিত্র্য %s +PercentDiscountOver=%% %s এর উপরে ছাড় +KeepEmptyForAutoCalculation=পণ্যের ওজন বা ভলিউম থেকে এটি স্বয়ংক্রিয়ভাবে গণনা করার জন্য খালি রাখুন +VariantRefExample=উদাহরণ: COL, SIZE +VariantLabelExample=উদাহরণ: রঙ, আকার ### composition fabrication -Build=Produce -ProductsMultiPrice=Products and prices for each price segment -ProductsOrServiceMultiPrice=Customer prices (of products or services, multi-prices) -ProductSellByQuarterHT=Products turnover quarterly before tax -ServiceSellByQuarterHT=Services turnover quarterly before tax -Quarter1=1st. Quarter -Quarter2=2nd. Quarter -Quarter3=3rd. Quarter -Quarter4=4th. Quarter -BarCodePrintsheet=Print barcode -PageToGenerateBarCodeSheets=With this tool, you can print sheets of barcode stickers. Choose format of your sticker page, type of barcode and value of barcode, then click on button %s. -NumberOfStickers=Number of stickers to print on page -PrintsheetForOneBarCode=Print several stickers for one barcode -BuildPageToPrint=Generate page to print -FillBarCodeTypeAndValueManually=Fill barcode type and value manually. -FillBarCodeTypeAndValueFromProduct=Fill barcode type and value from barcode of a product. -FillBarCodeTypeAndValueFromThirdParty=Fill barcode type and value from barcode of a third party. -DefinitionOfBarCodeForProductNotComplete=Definition of type or value of barcode not complete for product %s. -DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of barcode non complete for third party %s. -BarCodeDataForProduct=Barcode information of product %s: -BarCodeDataForThirdparty=Barcode information of third party %s: -ResetBarcodeForAllRecords=Define barcode value for all record (this will also reset barcode value already defined with new values) -PriceByCustomer=Different prices for each customer -PriceCatalogue=A single sell price per product/service -PricingRule=Rules for selling prices -AddCustomerPrice=Add price by customer -ForceUpdateChildPriceSoc=Set same price on customer's subsidiaries -PriceByCustomerLog=Log of previous customer prices -MinimumPriceLimit=Minimum price can't be lower then %s -MinimumRecommendedPrice=Minimum recommended price is: %s -PriceExpressionEditor=Price expression editor -PriceExpressionSelected=Selected price expression -PriceExpressionEditorHelp1="price = 2 + 2" or "2 + 2" for setting the price. Use ; to separate expressions -PriceExpressionEditorHelp2=You can access ExtraFields with variables like #extrafield_myextrafieldkey# and global variables with #global_mycode# -PriceExpressionEditorHelp3=In both product/service and vendor prices there are these variables available:
      #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# -PriceExpressionEditorHelp4=In product/service price only: #supplier_min_price#
      In vendor prices only: #supplier_quantity# and #supplier_tva_tx# -PriceExpressionEditorHelp5=Available global values: -PriceMode=Price mode -PriceNumeric=Number -DefaultPrice=Default price -DefaultPriceLog=Log of previous default prices -ComposedProductIncDecStock=Increase/Decrease stock on parent change -ComposedProduct=Child products -MinSupplierPrice=Minimum buying price -MinCustomerPrice=Minimum selling price -NoDynamicPrice=No dynamic price -DynamicPriceConfiguration=Dynamic price configuration -DynamicPriceDesc=You may define mathematical formulae to calculate Customer or Vendor prices. Such formulas can use all mathematical operators, some constants and variables. You can define here the variables you wish to use. If the variable needs an automatic update, you may define the external URL to allow Dolibarr to update the value automatically. -AddVariable=Add Variable -AddUpdater=Add Updater -GlobalVariables=Global variables -VariableToUpdate=Variable to update -GlobalVariableUpdaters=External updaters for variables -GlobalVariableUpdaterType0=JSON data -GlobalVariableUpdaterHelp0=Parses JSON data from specified URL, VALUE specifies the location of relevant value, -GlobalVariableUpdaterHelpFormat0=Format for request {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"} -GlobalVariableUpdaterType1=WebService data -GlobalVariableUpdaterHelp1=Parses WebService data from specified URL, NS specifies the namespace, VALUE specifies the location of relevant value, DATA should contain the data to send and METHOD is the calling WS method -GlobalVariableUpdaterHelpFormat1=Format for request is {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD": "myWSMethod", "DATA": {"your": "data", "to": "send"}} -UpdateInterval=Update interval (minutes) -LastUpdated=Latest update -CorrectlyUpdated=Correctly updated -PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is -PropalMergePdfProductChooseFile=Select PDF files -IncludingProductWithTag=Including products/services with the tag -DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer -WarningSelectOneDocument=Please select at least one document -DefaultUnitToShow=Unit -NbOfQtyInProposals=Qty in proposals -ClinkOnALinkOfColumn=Click on a link of column %s to get a detailed view... -ProductsOrServicesTranslations=Products/Services translations -TranslatedLabel=Translated label -TranslatedDescription=Translated description -TranslatedNote=Translated notes -ProductWeight=Weight for 1 product -ProductVolume=Volume for 1 product -WeightUnits=Weight unit -VolumeUnits=Volume unit -WidthUnits=Width unit -LengthUnits=Length unit -HeightUnits=Height unit -SurfaceUnits=Surface unit -SizeUnits=Size unit -DeleteProductBuyPrice=Delete buying price -ConfirmDeleteProductBuyPrice=Are you sure you want to delete this buying price? -SubProduct=Sub product -ProductSheet=Product sheet -ServiceSheet=Service sheet -PossibleValues=Possible values -GoOnMenuToCreateVairants=Go on menu %s - %s to prepare attribute variants (like colors, size, ...) -UseProductFournDesc=Add a feature to define the product description defined by the vendors (for each vendor reference) in addition to the description for customers -ProductSupplierDescription=Vendor description for the product -UseProductSupplierPackaging=Use packaging on supplier prices (recalculate quantities according to packaging set on supplier price when adding/updating line in supplier documents) -PackagingForThisProduct=Packaging -PackagingForThisProductDesc=On supplier order, you will automaticly order this quantity (or a multiple of this quantity). Cannot be less than minimum buying quantity -QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging +Build=উৎপাদন করা +ProductsMultiPrice=প্রতিটি মূল্য বিভাগের জন্য পণ্য এবং মূল্য +ProductsOrServiceMultiPrice=গ্রাহকের দাম (পণ্য বা পরিষেবার, বহু-মূল্য) +ProductSellByQuarterHT=ট্যাক্সের আগে ত্রৈমাসিক পণ্য টার্নওভার +ServiceSellByQuarterHT=ট্যাক্সের আগে ত্রৈমাসিক পরিষেবার টার্নওভার +Quarter1=১ম। কোয়ার্টার +Quarter2=২য়। কোয়ার্টার +Quarter3=৩য়। কোয়ার্টার +Quarter4=৪র্থ। কোয়ার্টার +BarCodePrintsheet=বারকোড প্রিন্ট করুন +PageToGenerateBarCodeSheets=এই টুলের সাহায্যে, আপনি বারকোড স্টিকারের শীট মুদ্রণ করতে পারেন। আপনার স্টিকার পৃষ্ঠার বিন্যাস, বারকোডের ধরন এবং বারকোডের মান চয়ন করুন, তারপর বোতামে ক্লিক করুন %s. +NumberOfStickers=পৃষ্ঠায় প্রিন্ট করার জন্য স্টিকারের সংখ্যা +PrintsheetForOneBarCode=একটি বারকোডের জন্য একাধিক স্টিকার প্রিন্ট করুন +BuildPageToPrint=প্রিন্ট করতে পৃষ্ঠা তৈরি করুন +FillBarCodeTypeAndValueManually=বারকোডের ধরন এবং মান ম্যানুয়ালি পূরণ করুন। +FillBarCodeTypeAndValueFromProduct=একটি পণ্যের বারকোড থেকে বারকোডের ধরন এবং মান পূরণ করুন। +FillBarCodeTypeAndValueFromThirdParty=তৃতীয় পক্ষের বারকোড থেকে বারকোডের ধরন এবং মান পূরণ করুন। +DefinitionOfBarCodeForProductNotComplete=%s পণ্যের জন্য বারকোডের ধরন বা মানের সংজ্ঞা সম্পূর্ণ নয়। +DefinitionOfBarCodeForThirdpartyNotComplete=থার্ড পার্টি %s-এর জন্য বারকোডের ধরন বা মানের সংজ্ঞা সম্পূর্ণ নয়। +BarCodeDataForProduct=পণ্যের বারকোড তথ্য %s: +BarCodeDataForThirdparty=তৃতীয় পক্ষের বারকোড তথ্য %s: +ResetBarcodeForAllRecords=সমস্ত রেকর্ডের জন্য বারকোড মান সংজ্ঞায়িত করুন (এটি নতুন মানগুলির সাথে ইতিমধ্যে সংজ্ঞায়িত বারকোড মানও পুনরায় সেট করবে) +PriceByCustomer=প্রতিটি গ্রাহকের জন্য বিভিন্ন মূল্য +PriceCatalogue=পণ্য/পরিষেবা প্রতি একক বিক্রয় মূল্য +PricingRule=দাম বিক্রির নিয়ম +AddCustomerPrice=গ্রাহক দ্বারা মূল্য যোগ করুন +ForceUpdateChildPriceSoc=গ্রাহকের সাবসিডিয়ারিগুলিতে একই মূল্য সেট করুন +PriceByCustomerLog=পূর্ববর্তী গ্রাহক মূল্য লগ +MinimumPriceLimit=সর্বনিম্ন মূল্য %s এর চেয়ে কম হতে পারে না +MinimumRecommendedPrice=ন্যূনতম প্রস্তাবিত মূল্য হল: %s +PriceExpressionEditor=মূল্য প্রকাশ সম্পাদক +PriceExpressionSelected=নির্বাচিত মূল্য অভিব্যক্তি +PriceExpressionEditorHelp1=মূল্য নির্ধারণের জন্য "মূল্য = 2 + 2" বা "2 + 2"। ব্যবহার; অভিব্যক্তি পৃথক করতে +PriceExpressionEditorHelp2=আপনি #extrafield_myextrafieldkey# এর মত ভেরিয়েবলের সাথে এক্সট্রাফিল্ড এবং " +LabelOfInventoryMovemement=ইনভেন্টরি %s +ReOpen=আবার খুলুন +ConfirmFinish=আপনি জায় বন্ধ নিশ্চিত করুন? এটি আপনার ইনভেন্টরিতে প্রবেশ করা আসল পরিমাণে আপনার স্টক আপডেট করতে সমস্ত স্টক মুভমেন্ট তৈরি করবে। +ObjectNotFound=%s পাওয়া যায়নি +MakeMovementsAndClose=আন্দোলন তৈরি করুন এবং বন্ধ করুন +AutofillWithExpected=প্রত্যাশিত পরিমাণের সাথে বাস্তব পরিমাণ পূরণ করুন +ShowAllBatchByDefault=ডিফল্টরূপে, পণ্য "স্টক" ট্যাবে ব্যাচের বিবরণ দেখান +CollapseBatchDetailHelp=আপনি স্টক মডিউল কনফিগারেশনে ব্যাচ বিস্তারিত ডিফল্ট প্রদর্শন সেট করতে পারেন +ErrorWrongBarcodemode=অজানা বারকোড মোড +ProductDoesNotExist=পণ্য বিদ্যমান নেই +ErrorSameBatchNumber=ইনভেন্টরি শীটে ব্যাচ নম্বরের বেশ কিছু রেকর্ড পাওয়া গেছে। কোনটা বাড়াবো জানার উপায় নেই। +ProductBatchDoesNotExist=ব্যাচ/সিরিয়াল সহ পণ্য বিদ্যমান নেই +ProductBarcodeDoesNotExist=বারকোড সহ পণ্য বিদ্যমান নেই +WarehouseId=গুদাম আইডি +WarehouseRef=গুদাম রেফ +SaveQtyFirst=স্টক মুভমেন্ট তৈরি করার আগে আগে প্রকৃত উদ্ভাবিত পরিমাণ সংরক্ষণ করুন। +ToStart=শুরু করুন +InventoryStartedShort=শুরু হয়েছে +ErrorOnElementsInventory=নিম্নলিখিত কারণে অপারেশন বাতিল করা হয়েছে: +ErrorCantFindCodeInInventory=জায় নিম্নলিখিত কোড খুঁজে পাচ্ছি না +QtyWasAddedToTheScannedBarcode=সফলতা!! সমস্ত অনুরোধ করা বারকোডে পরিমাণ যোগ করা হয়েছে। আপনি স্ক্যানার টুল বন্ধ করতে পারেন। +StockChangeDisabled=স্টক পরিবর্তন নিষ্ক্রিয় +NoWarehouseDefinedForTerminal=টার্মিনালের জন্য কোন গুদাম সংজ্ঞায়িত করা হয়নি +ClearQtys=সমস্ত পরিমাণ সাফ করুন +ModuleStockTransferName=উন্নত স্টক স্থানান্তর +ModuleStockTransferDesc=স্টক ট্রান্সফারের উন্নত ব্যবস্থাপনা, ট্রান্সফার শীট জেনারেশন সহ +StockTransferNew=নতুন স্টক স্থানান্তর +StockTransferList=স্টক স্থানান্তর তালিকা +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? +ConfirmDestock=স্থানান্তর সহ স্টক হ্রাস %s +ConfirmDestockCancel=স্থানান্তর %s সহ স্টক হ্রাস বাতিল করুন +DestockAllProduct=মজুদ কমে যাওয়া +DestockAllProductCancel=স্টক হ্রাস বাতিল করুন +ConfirmAddStock=ট্রান্সফারের সাথে স্টক বাড়ান %s +ConfirmAddStockCancel=স্থানান্তর %s সহ স্টক বৃদ্ধি বাতিল করুন +AddStockAllProduct=স্টক বৃদ্ধি +AddStockAllProductCancel=স্টক বৃদ্ধি বাতিল করুন +DatePrevueDepart=প্রস্থানের উদ্দেশ্য তারিখ +DateReelleDepart=প্রস্থানের আসল তারিখ +DatePrevueArrivee=পৌঁছানোর সম্ভাব্য তারিখ +DateReelleArrivee=আসল আগমনের তারিখ +HelpWarehouseStockTransferSource=যদি এই গুদামটি সেট করা হয় তবে শুধুমাত্র নিজে এবং এর সন্তানরা উৎস গুদাম হিসাবে উপলব্ধ হবে +HelpWarehouseStockTransferDestination=যদি এই গুদামটি সেট করা হয়, শুধুমাত্র নিজের এবং তার সন্তানদের গন্তব্য গুদাম হিসাবে উপলব্ধ হবে +LeadTimeForWarning=সতর্কতার আগে সীসা সময় (দিনে) +TypeContact_stocktransfer_internal_STFROM=স্টক স্থানান্তর প্রেরক +TypeContact_stocktransfer_internal_STDEST=স্টক স্থানান্তরের প্রাপক +TypeContact_stocktransfer_internal_STRESP=স্টক স্থানান্তরের দায়িত্ব +StockTransferSheet=স্টক স্থানান্তর শীট +StockTransferSheetProforma=প্রফর্মা স্টক স্থানান্তর শীট +StockTransferDecrementation=উৎস গুদাম হ্রাস +StockTransferIncrementation=গন্তব্য গুদাম বৃদ্ধি +StockTransferDecrementationCancel=উৎস গুদাম হ্রাস বাতিল +StockTransferIncrementationCancel=গন্তব্য গুদাম বৃদ্ধি বাতিল +StockStransferDecremented=উৎস গুদাম হ্রাস +StockStransferDecrementedCancel=উৎস গুদাম বাতিল করা হয়েছে +StockStransferIncremented=বন্ধ - স্টক স্থানান্তর +StockStransferIncrementedShort=স্টক স্থানান্তর +StockStransferIncrementedShortCancel=গন্তব্য গুদাম বৃদ্ধি বাতিল করা হয়েছে +StockTransferNoBatchForProduct=পণ্য %s ব্যাচ ব্যবহার করে না, লাইনে ব্যাচ পরিষ্কার করুন এবং আবার চেষ্টা করুন +StockTransferSetup = স্টক স্থানান্তর মডিউল কনফিগারেশন +Settings=সেটিংস +StockTransferSetupPage = স্টক স্থানান্তর মডিউল জন্য কনফিগারেশন পৃষ্ঠা +StockTransferRightRead=স্টক স্থানান্তর পড়ুন +StockTransferRightCreateUpdate=স্টক স্থানান্তর তৈরি/আপডেট করুন +StockTransferRightDelete=স্টক স্থানান্তর মুছুন +BatchNotFound=এই পণ্যের জন্য লট / সিরিয়াল পাওয়া যায়নি +StockEntryDate=
      স্টকে প্রবেশের তারিখ +StockMovementWillBeRecorded=স্টক আন্দোলন রেকর্ড করা হবে +StockMovementNotYetRecorded=স্টক আন্দোলন এই পদক্ষেপ দ্বারা প্রভাবিত হবে না +ReverseConfirmed=স্টক আন্দোলন সফলভাবে বিপরীত হয়েছে + +WarningThisWIllAlsoDeleteStock=সতর্কতা, এটি গুদামে স্টক থাকা সমস্ত পরিমাণও ধ্বংস করবে +ValidateInventory=ইনভেন্টরি বৈধতা +IncludeSubWarehouse=সাব-গুদাম অন্তর্ভুক্ত? +IncludeSubWarehouseExplanation=আপনি যদি ইনভেন্টরিতে সংশ্লিষ্ট গুদামের সমস্ত সাব-ওয়্যারহাউস অন্তর্ভুক্ত করতে চান তবে এই বাক্সটি চেক করুন৷ +DeleteBatch=লট/সিরিয়াল মুছুন +ConfirmDeleteBatch=আপনি কি লট/সিরিয়াল মুছতে চান? +WarehouseUsage=গুদাম ব্যবহার +InternalWarehouse=অভ্যন্তরীণ গুদাম +ExternalWarehouse=বাহ্যিক গুদাম +WarningThisWIllAlsoDeleteStock=সতর্কতা, এটি গুদামে স্টক থাকা সমস্ত পরিমাণও ধ্বংস করবে diff --git a/htdocs/langs/bn_IN/stripe.lang b/htdocs/langs/bn_IN/stripe.lang index 2c95bcfce27..e815edfca11 100644 --- a/htdocs/langs/bn_IN/stripe.lang +++ b/htdocs/langs/bn_IN/stripe.lang @@ -1,71 +1,80 @@ # Dolibarr language file - Source file is en_US - stripe -StripeSetup=Stripe module setup -StripeDesc=Offer your customers an online payment page for payments with credit/debit cards via Stripe. This can be used to allow your customers to make ad-hoc payments or for payments related to a particular Dolibarr object (invoice, order, ...) -StripeOrCBDoPayment=Pay with credit card or Stripe -FollowingUrlAreAvailableToMakePayments=Following URLs are available to offer a page to a customer to make a payment on Dolibarr objects -PaymentForm=Payment form -WelcomeOnPaymentPage=Welcome to our online payment service -ThisScreenAllowsYouToPay=This screen allow you to make an online payment to %s. -ThisIsInformationOnPayment=This is information on payment to do -ToComplete=To complete -YourEMail=Email to receive payment confirmation -STRIPE_PAYONLINE_SENDEMAIL=Email notification after a payment attempt (success or fail) -Creditor=Creditor -PaymentCode=Payment code -StripeDoPayment=Pay with Stripe -YouWillBeRedirectedOnStripe=You will be redirected on secured Stripe page to input you credit card information -Continue=Next -ToOfferALinkForOnlinePayment=URL for %s payment -ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order -ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice -ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line -ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment page of any amount with no existing object -ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment page for a member subscription -ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation -YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag.
      For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter) -SetupStripeToHavePaymentCreatedAutomatically=Setup your Stripe with url %s to have payment created automatically when validated by Stripe. -AccountParameter=Account parameters -UsageParameter=Usage parameters -InformationToFindParameters=Help to find your %s account information -STRIPE_CGI_URL_V2=Url of Stripe CGI module for payment -CSSUrlForPaymentForm=CSS style sheet url for payment form -NewStripePaymentReceived=New Stripe payment received -NewStripePaymentFailed=New Stripe payment tried but failed -FailedToChargeCard=Failed to charge card -STRIPE_TEST_SECRET_KEY=Secret test key -STRIPE_TEST_PUBLISHABLE_KEY=Publishable test key -STRIPE_TEST_WEBHOOK_KEY=Webhook test key -STRIPE_LIVE_SECRET_KEY=Secret live key -STRIPE_LIVE_PUBLISHABLE_KEY=Publishable live key -STRIPE_LIVE_WEBHOOK_KEY=Webhook live key -ONLINE_PAYMENT_WAREHOUSE=Stock to use for stock decrease when online payment is done
      (TODO When option to decrease stock is done on an action on invoice and the online payment generate itself the invoice ?) -StripeLiveEnabled=Stripe live enabled (otherwise test/sandbox mode) -StripeImportPayment=Import Stripe payments -ExampleOfTestCreditCard=Example of credit card for test: %s => valid, %s => error CVC, %s => expired, %s => charge fails -StripeGateways=Stripe gateways -OAUTH_STRIPE_TEST_ID=Stripe Connect Client ID (ca_...) -OAUTH_STRIPE_LIVE_ID=Stripe Connect Client ID (ca_...) -BankAccountForBankTransfer=Bank account for fund payouts -StripeAccount=Stripe account -StripeChargeList=List of Stripe charges -StripeTransactionList=List of Stripe transactions -StripeCustomerId=Stripe customer id -StripePaymentModes=Stripe payment modes -LocalID=Local ID -StripeID=Stripe ID -NameOnCard=Name on card -CardNumber=Card Number -ExpiryDate=Expiry Date -CVN=CVN -DeleteACard=Delete Card -ConfirmDeleteCard=Are you sure you want to delete this Credit or Debit card? -CreateCustomerOnStripe=Create customer on Stripe -CreateCardOnStripe=Create card on Stripe -ShowInStripe=Show in Stripe -StripeUserAccountForActions=User account to use for email notification of some Stripe events (Stripe payouts) -StripePayoutList=List of Stripe payouts -ToOfferALinkForTestWebhook=Link to setup Stripe WebHook to call the IPN (test mode) -ToOfferALinkForLiveWebhook=Link to setup Stripe WebHook to call the IPN (live mode) -PaymentWillBeRecordedForNextPeriod=Payment will be recorded for the next period. -ClickHereToTryAgain=Click here to try again... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s +StripeSetup=স্ট্রাইপ মডিউল সেটআপ +StripeDesc=আপনার গ্রাহকদের স্ট্রাইপ এর মাধ্যমে ক্রেডিট/ডেবিট কার্ডের মাধ্যমে অর্থপ্রদানের জন্য একটি অনলাইন পেমেন্ট পৃষ্ঠা অফার করুন। এটি আপনার গ্রাহকদের অ্যাড-হক অর্থপ্রদান বা একটি নির্দিষ্ট ডলিবার অবজেক্ট (চালান, আদেশ, ...) সম্পর্কিত অর্থপ্রদানের অনুমতি দেওয়ার জন্য ব্যবহার করা যেতে পারে। +StripeOrCBDoPayment=ক্রেডিট কার্ড বা স্ট্রাইপ দিয়ে অর্থ প্রদান করুন +FollowingUrlAreAvailableToMakePayments=Dolibarr অবজেক্টে অর্থপ্রদান করার জন্য গ্রাহককে একটি পৃষ্ঠা অফার করার জন্য নিম্নলিখিত URLগুলি উপলব্ধ +PaymentForm=পেমেন্ট ফর্ম +WelcomeOnPaymentPage=আমাদের অনলাইন পেমেন্ট সেবা স্বাগতম +ThisScreenAllowsYouToPay=এই স্ক্রীনটি আপনাকে %s এ একটি অনলাইন অর্থপ্রদান করতে দেয়। +ThisIsInformationOnPayment=এটি করতে অর্থ প্রদানের তথ্য +ToComplete=শেষ করতে +YourEMail=পেমেন্ট নিশ্চিতকরণ পেতে ইমেল +STRIPE_PAYONLINE_SENDEMAIL=অর্থপ্রদানের প্রচেষ্টার পরে ইমেল বিজ্ঞপ্তি (সফল বা ব্যর্থ) +Creditor=পাওনাদার +PaymentCode=পেমেন্ট কোড +StripeDoPayment=স্ট্রাইপ দিয়ে অর্থ প্রদান করুন +YouWillBeRedirectedOnStripe=আপনার ক্রেডিট কার্ডের তথ্য ইনপুট করার জন্য আপনাকে সুরক্ষিত স্ট্রাইপ পৃষ্ঠায় পুনঃনির্দেশিত করা হবে +Continue=পরবর্তী +ToOfferALinkForOnlinePayment=%s পেমেন্টের URL +ToOfferALinkForOnlinePaymentOnOrder=একটি বিক্রয় আদেশের জন্য একটি %s অনলাইন পেমেন্ট পৃষ্ঠা অফার করার URL +ToOfferALinkForOnlinePaymentOnInvoice=একটি গ্রাহক চালানের জন্য একটি %s অনলাইন পেমেন্ট পৃষ্ঠা অফার করার URL +ToOfferALinkForOnlinePaymentOnContractLine=একটি চুক্তি লাইনের জন্য একটি %s অনলাইন পেমেন্ট পৃষ্ঠা অফার করার URL +ToOfferALinkForOnlinePaymentOnFreeAmount=একটি %s যেকোন পরিমাণের অনলাইন পেমেন্ট পেজ অফার করার জন্য URL কোনো বিদ্যমান বস্তু ছাড়াই +ToOfferALinkForOnlinePaymentOnMemberSubscription=সদস্য সদস্যতার জন্য একটি %s অনলাইন পেমেন্ট পৃষ্ঠা অফার করার URL +ToOfferALinkForOnlinePaymentOnDonation=অনুদানের অর্থ প্রদানের জন্য একটি %s অনলাইন পেমেন্ট পৃষ্ঠা অফার করার URL +YouCanAddTagOnUrl=এছাড়াও আপনি url প্যারামিটার যোগ করতে পারেন &tag=মানb0ae64758bac> class='notranslate'> আপনার নিজস্ব অর্থপ্রদানের মন্তব্য ট্যাগ যোগ করার জন্য সেই URLগুলির যে কোনো একটিতে (শুধুমাত্র অর্থপ্রদানের জন্য বাধ্যতামূলক) কোন বিদ্যমান বস্তু ছাড়া পেমেন্টের URL, আপনি প্যারামিটার যোগ করতে পারেন &noidempotency=1 তাই একই ট্যাগের সাথে একই লিঙ্ক বেশ কয়েকবার ব্যবহার করা যেতে পারে (কিছু পেমেন্ট মোড এই প্যারামিটার ব্যতীত প্রতিটি আলাদা লিঙ্কের জন্য পেমেন্ট 1-এ সীমাবদ্ধ করতে পারে) +SetupStripeToHavePaymentCreatedAutomatically=স্বয়ংক্রিয়ভাবে পেমেন্ট তৈরি করার জন্য url %s দিয়ে আপনার স্ট্রাইপ সেটআপ করুন স্ট্রাইপ দ্বারা যাচাই করা হয়েছে। +AccountParameter=অ্যাকাউন্ট প্যারামিটার +UsageParameter=ব্যবহারের পরামিতি +InformationToFindParameters=আপনার %s অ্যাকাউন্ট তথ্য খুঁজে পেতে সাহায্য করুন +STRIPE_CGI_URL_V2=অর্থপ্রদানের জন্য স্ট্রাইপ সিজিআই মডিউলের ইউআরএল +CSSUrlForPaymentForm=পেমেন্ট ফর্মের জন্য CSS শৈলী শীট url +NewStripePaymentReceived=নতুন স্ট্রাইপ পেমেন্ট প্রাপ্ত হয়েছে +NewStripePaymentFailed=নতুন স্ট্রাইপ অর্থপ্রদানের চেষ্টা করা হয়েছে কিন্তু ব্যর্থ হয়েছে৷ +FailedToChargeCard=কার্ড চার্জ করতে ব্যর্থ হয়েছে +STRIPE_TEST_SECRET_KEY=গোপন পরীক্ষার কী +STRIPE_TEST_PUBLISHABLE_KEY=প্রকাশযোগ্য পরীক্ষা কী +STRIPE_TEST_WEBHOOK_KEY=ওয়েবহুক পরীক্ষার কী +STRIPE_LIVE_SECRET_KEY=গোপন লাইভ কী +STRIPE_LIVE_PUBLISHABLE_KEY=প্রকাশযোগ্য লাইভ কী +STRIPE_LIVE_WEBHOOK_KEY=ওয়েবহুক লাইভ কী +ONLINE_PAYMENT_WAREHOUSE=যখন অনলাইন পেমেন্ট করা হয় তখন স্টক কমানোর জন্য ব্যবহার করার জন্য স্টক
      (TODO যখন স্টক কমানোর বিকল্পটি চালানের উপর একটি অ্যাকশন করা হয় এবং অনলাইন পেমেন্ট নিজেই চালান তৈরি করে?) +StripeLiveEnabled=স্ট্রাইপ লাইভ সক্ষম (অন্যথায় পরীক্ষা/স্যান্ডবক্স মোড) +StripeImportPayment=স্ট্রাইপ পেমেন্ট আমদানি করুন +ExampleOfTestCreditCard=পরীক্ষার অর্থপ্রদানের জন্য ক্রেডিট কার্ডের উদাহরণ: %s => বৈধ, %s => ত্রুটি CVC, %s => মেয়াদ শেষ, %s => চার্জ ব্যর্থ হয় +ExampleOfTestBankAcountForSEPA=সরাসরি ডেবিট পরীক্ষার জন্য ব্যাঙ্ক অ্যাকাউন্ট ব্যান-এর উদাহরণ: %s +StripeGateways=ডোরাকাটা গেটওয়ে +OAUTH_STRIPE_TEST_ID=স্ট্রাইপ কানেক্ট ক্লায়েন্ট আইডি (ca_...) +OAUTH_STRIPE_LIVE_ID=স্ট্রাইপ কানেক্ট ক্লায়েন্ট আইডি (ca_...) +BankAccountForBankTransfer=তহবিল পরিশোধের জন্য ব্যাঙ্ক অ্যাকাউন্ট +StripeAccount=স্ট্রাইপ অ্যাকাউন্ট +StripeChargeList=স্ট্রাইপ চার্জের তালিকা +StripeTransactionList=স্ট্রাইপ লেনদেনের তালিকা +StripeCustomerId=স্ট্রাইপ গ্রাহক আইডি +StripePaymentId=স্ট্রাইপ পেমেন্ট আইডি +StripePaymentModes=স্ট্রাইপ পেমেন্ট মোড +LocalID=লোকাল আইডি +StripeID=স্ট্রাইপ আইডি +NameOnCard=কার্ডের ওপর নাম +CardNumber=কার্ড নম্বর +ExpiryDate=মেয়াদ শেষ হওয়ার তারিখ +CVN=সিভিএন +DeleteACard=কার্ড মুছুন +ConfirmDeleteCard=আপনি কি এই ক্রেডিট বা ডেবিট কার্ড মুছে ফেলার বিষয়ে নিশ্চিত? +CreateCustomerOnStripe=স্ট্রাইপে গ্রাহক তৈরি করুন +CreateCardOnStripe=স্ট্রাইপে কার্ড তৈরি করুন +CreateBANOnStripe=স্ট্রাইপে ব্যাংক তৈরি করুন +ShowInStripe=স্ট্রাইপে দেখান +StripeUserAccountForActions=কিছু স্ট্রাইপ ইভেন্টের ইমেল বিজ্ঞপ্তির জন্য ব্যবহার করার জন্য ব্যবহারকারীর অ্যাকাউন্ট (স্ট্রাইপ পেআউট) +StripePayoutList=স্ট্রাইপ পেআউটের তালিকা +ToOfferALinkForTestWebhook=IPN কল করতে স্ট্রাইপ ওয়েবহুক সেটআপের লিঙ্ক (পরীক্ষা মোড) +ToOfferALinkForLiveWebhook=IPN (লাইভ মোড) কল করতে স্ট্রাইপ ওয়েবহুক সেটআপ করার লিঙ্ক +PaymentWillBeRecordedForNextPeriod=পেমেন্ট পরবর্তী সময়ের জন্য রেকর্ড করা হবে. +ClickHereToTryAgain=আবার চেষ্টা করতে এখানে ক্লিক করুন... +CreationOfPaymentModeMustBeDoneFromStripeInterface=শক্তিশালী গ্রাহক প্রমাণীকরণ নিয়মের কারণে, স্ট্রাইপ ব্যাক অফিস থেকে একটি কার্ড তৈরি করতে হবে। স্ট্রাইপ গ্রাহক রেকর্ড চালু করতে আপনি এখানে ক্লিক করতে পারেন: %s +STRIPE_CARD_PRESENT=স্ট্রাইপ টার্মিনালের জন্য কার্ড প্রেজেন্ট +TERMINAL_LOCATION=স্ট্রাইপ টার্মিনালের জন্য অবস্থান (ঠিকানা) +RequestDirectDebitWithStripe=স্ট্রাইপ দিয়ে সরাসরি ডেবিট অনুরোধ করুন +RequesCreditTransferWithStripe=স্ট্রাইপ দিয়ে ক্রেডিট ট্রান্সফারের অনুরোধ করুন +STRIPE_SEPA_DIRECT_DEBIT=স্ট্রাইপের মাধ্যমে সরাসরি ডেবিট পেমেন্ট সক্ষম করুন +StripeConnect_Mode=স্ট্রাইপ কানেক্ট মোড diff --git a/htdocs/langs/bn_IN/supplier_proposal.lang b/htdocs/langs/bn_IN/supplier_proposal.lang index ce5bdf0425a..117f938356f 100644 --- a/htdocs/langs/bn_IN/supplier_proposal.lang +++ b/htdocs/langs/bn_IN/supplier_proposal.lang @@ -1,54 +1,59 @@ # Dolibarr language file - Source file is en_US - supplier_proposal -SupplierProposal=Vendor commercial proposals -supplier_proposalDESC=Manage price requests to suppliers -SupplierProposalNew=New price request -CommRequest=Price request -CommRequests=Price requests -SearchRequest=Find a request -DraftRequests=Draft requests -SupplierProposalsDraft=Draft vendor proposals -LastModifiedRequests=Latest %s modified price requests -RequestsOpened=Open price requests -SupplierProposalArea=Vendor proposals area -SupplierProposalShort=Vendor proposal -SupplierProposals=Vendor proposals -SupplierProposalsShort=Vendor proposals -NewAskPrice=New price request -ShowSupplierProposal=Show price request -AddSupplierProposal=Create a price request -SupplierProposalRefFourn=Vendor ref -SupplierProposalDate=Delivery date -SupplierProposalRefFournNotice=Before closing to "Accepted", think to grasp suppliers references. -ConfirmValidateAsk=Are you sure you want to validate this price request under name %s? -DeleteAsk=Delete request -ValidateAsk=Validate request -SupplierProposalStatusDraft=Draft (needs to be validated) -SupplierProposalStatusValidated=Validated (request is open) -SupplierProposalStatusClosed=Closed -SupplierProposalStatusSigned=Accepted -SupplierProposalStatusNotSigned=Refused -SupplierProposalStatusDraftShort=Draft -SupplierProposalStatusValidatedShort=Validated -SupplierProposalStatusClosedShort=Closed -SupplierProposalStatusSignedShort=Accepted -SupplierProposalStatusNotSignedShort=Refused -CopyAskFrom=Create a price request by copying an existing request -CreateEmptyAsk=Create blank request -ConfirmCloneAsk=Are you sure you want to clone the price request %s? -ConfirmReOpenAsk=Are you sure you want to open back the price request %s? -SendAskByMail=Send price request by mail -SendAskRef=Sending the price request %s -SupplierProposalCard=Request card -ConfirmDeleteAsk=Are you sure you want to delete this price request %s? -ActionsOnSupplierProposal=Events on price request -DocModelAuroreDescription=A complete request model (logo...) -CommercialAsk=Price request -DefaultModelSupplierProposalCreate=Default model creation -DefaultModelSupplierProposalToBill=Default template when closing a price request (accepted) -DefaultModelSupplierProposalClosed=Default template when closing a price request (refused) -ListOfSupplierProposals=List of vendor proposal requests -ListSupplierProposalsAssociatedProject=List of vendor proposals associated with project -SupplierProposalsToClose=Vendor proposals to close -SupplierProposalsToProcess=Vendor proposals to process -LastSupplierProposals=Latest %s price requests -AllPriceRequests=All requests +SupplierProposal=বিক্রেতা বাণিজ্যিক প্রস্তাব +supplier_proposalDESC=সরবরাহকারীদের কাছে মূল্য অনুরোধ পরিচালনা করুন +SupplierProposalNew=নতুন দামের অনুরোধ +CommRequest=দামের জন্য অনুরোধ করা হল +CommRequests=মূল্য অনুরোধ +SearchRequest=একটি অনুরোধ খুঁজুন +DraftRequests=খসড়া অনুরোধ +SupplierProposalsDraft=খসড়া বিক্রেতা প্রস্তাব +LastModifiedRequests=সর্বশেষ %s পরিবর্তিত মূল্য অনুরোধ +RequestsOpened=মূল্য অনুরোধ খুলুন +SupplierProposalArea=বিক্রেতা প্রস্তাব এলাকা +SupplierProposalShort=বিক্রেতা প্রস্তাব +SupplierProposals=বিক্রেতা প্রস্তাব +SupplierProposalsShort=বিক্রেতা প্রস্তাব +AskPrice=দামের জন্য অনুরোধ করা হল +NewAskPrice=নতুন দামের অনুরোধ +ShowSupplierProposal=দামের অনুরোধ দেখান +AddSupplierProposal=একটি মূল্য অনুরোধ তৈরি করুন +SupplierProposalRefFourn=বিক্রেতা রেফ +SupplierProposalDate=প্রসবের তারিখ +SupplierProposalRefFournNotice="স্বীকৃত" বন্ধ করার আগে, সরবরাহকারীদের রেফারেন্সগুলি বোঝার জন্য চিন্তা করুন। +ConfirmValidateAsk=আপনি কি %s নামে এই মূল্য অনুরোধটি যাচাই করার বিষয়ে নিশ্চিত >? +DeleteAsk=অনুরোধ মুছুন +ValidateAsk=অনুরোধ যাচাই +SupplierProposalStatusDraft=খসড়া (বৈধীকরণ করা প্রয়োজন) +SupplierProposalStatusValidated=বৈধ (অনুরোধ খোলা আছে) +SupplierProposalStatusClosed=বন্ধ +SupplierProposalStatusSigned=গৃহীত +SupplierProposalStatusNotSigned=প্রত্যাখ্যান করেছে +SupplierProposalStatusDraftShort=খসড়া +SupplierProposalStatusValidatedShort=যাচাই করা হয়েছে +SupplierProposalStatusClosedShort=বন্ধ +SupplierProposalStatusSignedShort=গৃহীত +SupplierProposalStatusNotSignedShort=প্রত্যাখ্যান করেছে +CopyAskFrom=একটি বিদ্যমান অনুরোধ অনুলিপি করে একটি মূল্য অনুরোধ তৈরি করুন +CreateEmptyAsk=ফাঁকা অনুরোধ তৈরি করুন +ConfirmCloneAsk=আপনি কি নিশ্চিত %s মূল্য অনুরোধ ক্লোন করতে চান? +ConfirmReOpenAsk=আপনি কি নিশ্চিত যে আপনি মূল্যের অনুরোধ %s খুলতে চান ? +SendAskByMail=মেল দ্বারা মূল্য অনুরোধ পাঠান +SendAskRef=মূল্যের অনুরোধ পাঠানো হচ্ছে %s +SupplierProposalCard=কার্ড অনুরোধ করুন +ConfirmDeleteAsk=আপনি কি এই মূল্য অনুরোধটি %s মুছতে চান? +ActionsOnSupplierProposal=দামের অনুরোধে ইভেন্ট +DocModelAuroreDescription=একটি বিক্রেতার উদ্ধৃতি অনুরোধের জন্য একটি সম্পূর্ণ টেমপ্লেট (স্পঞ্জ টেমপ্লেটের পুরানো বাস্তবায়ন) +DocModelZenithDescription=একটি বিক্রেতার উদ্ধৃতি অনুরোধের জন্য একটি সম্পূর্ণ টেমপ্লেট +CommercialAsk=দামের জন্য অনুরোধ করা হল +DefaultModelSupplierProposalCreate=ডিফল্ট মডেল তৈরি +DefaultModelSupplierProposalToBill=একটি মূল্য অনুরোধ বন্ধ করার সময় ডিফল্ট টেমপ্লেট (স্বীকৃত) +DefaultModelSupplierProposalClosed=একটি মূল্য অনুরোধ বন্ধ করার সময় ডিফল্ট টেমপ্লেট (অস্বীকৃত) +ListOfSupplierProposals=বিক্রেতা প্রস্তাব অনুরোধের তালিকা +ListSupplierProposalsAssociatedProject=প্রকল্পের সাথে যুক্ত বিক্রেতা প্রস্তাবের তালিকা +SupplierProposalsToClose=বিক্রেতা বন্ধ করার প্রস্তাব +SupplierProposalsToProcess=বিক্রেতা প্রক্রিয়া করার প্রস্তাব +LastSupplierProposals=সর্বশেষ %s দামের অনুরোধ +AllPriceRequests=সব অনুরোধ +TypeContact_supplier_proposal_external_SHIPPING=ডেলিভারির জন্য বিক্রেতা যোগাযোগ +TypeContact_supplier_proposal_external_BILLING=বিলিং জন্য বিক্রেতা যোগাযোগ +TypeContact_supplier_proposal_external_SERVICE=প্রতিনিধি অনুসরণ-আপ প্রস্তাব diff --git a/htdocs/langs/bn_IN/suppliers.lang b/htdocs/langs/bn_IN/suppliers.lang index ca9ee174d29..182101f9d49 100644 --- a/htdocs/langs/bn_IN/suppliers.lang +++ b/htdocs/langs/bn_IN/suppliers.lang @@ -1,49 +1,57 @@ # Dolibarr language file - Source file is en_US - vendors -Suppliers=Vendors -SuppliersInvoice=Vendor invoice -SupplierInvoices=Vendor invoices -ShowSupplierInvoice=Show Vendor Invoice -NewSupplier=New vendor -History=History -ListOfSuppliers=List of vendors -ShowSupplier=Show vendor -OrderDate=Order date -BuyingPriceMin=Best buying price -BuyingPriceMinShort=Best buying price -TotalBuyingPriceMinShort=Total of subproducts buying prices -TotalSellingPriceMinShort=Total of subproducts selling prices -SomeSubProductHaveNoPrices=Some sub-products have no price defined -AddSupplierPrice=Add buying price -ChangeSupplierPrice=Change buying price -SupplierPrices=Vendor prices -ReferenceSupplierIsAlreadyAssociatedWithAProduct=This vendor reference is already associated with a product: %s -NoRecordedSuppliers=No vendor recorded -SupplierPayment=Vendor payment -SuppliersArea=Vendor area -RefSupplierShort=Ref. vendor -Availability=Availability -ExportDataset_fournisseur_1=Vendor invoices and invoice details -ExportDataset_fournisseur_2=Vendor invoices and payments -ExportDataset_fournisseur_3=Purchase orders and order details -ApproveThisOrder=Approve this order -ConfirmApproveThisOrder=Are you sure you want to approve order %s? -DenyingThisOrder=Deny this order -ConfirmDenyingThisOrder=Are you sure you want to deny this order %s? -ConfirmCancelThisOrder=Are you sure you want to cancel this order %s? -AddSupplierOrder=Create Purchase Order -AddSupplierInvoice=Create vendor invoice -ListOfSupplierProductForSupplier=List of products and prices for vendor %s -SentToSuppliers=Sent to vendors -ListOfSupplierOrders=List of purchase orders -MenuOrdersSupplierToBill=Purchase orders to invoice -NbDaysToDelivery=Delivery delay (days) -DescNbDaysToDelivery=The longest delivery delay of the products from this order -SupplierReputation=Vendor reputation -ReferenceReputation=Reference reputation -DoNotOrderThisProductToThisSupplier=Do not order -NotTheGoodQualitySupplier=Low quality -ReputationForThisProduct=Reputation -BuyerName=Buyer name -AllProductServicePrices=All product / service prices -AllProductReferencesOfSupplier=All references of vendor -BuyingPriceNumShort=Vendor prices +Suppliers=বিক্রেতারা +SuppliersInvoice=বিক্রেতা চালান +SupplierInvoices=বিক্রেতা চালান +ShowSupplierInvoice=ভেন্ডর ইনভয়েস দেখান +NewSupplier=নতুন বিক্রেতা +NewSupplierInvoice = নতুন বিক্রেতা চালান +History=ইতিহাস +ListOfSuppliers=বিক্রেতাদের তালিকা +ShowSupplier=বিক্রেতা দেখান +OrderDate=অর্ডারের তারিখ +BuyingPriceMin=সেরা ক্রয় মূল্য +BuyingPriceMinShort=সেরা ক্রয় মূল্য +TotalBuyingPriceMinShort=মোট উপ-পণ্য ক্রয় মূল্য +TotalSellingPriceMinShort=মোট উপ-পণ্য বিক্রয় মূল্য +SomeSubProductHaveNoPrices=কিছু উপ-পণ্যের কোনো মূল্য সংজ্ঞায়িত নেই +AddSupplierPrice=ক্রয় মূল্য যোগ করুন +ChangeSupplierPrice=ক্রয় মূল্য পরিবর্তন করুন +SupplierPrices=বিক্রেতা মূল্য +ReferenceSupplierIsAlreadyAssociatedWithAProduct=এই বিক্রেতার রেফারেন্স ইতিমধ্যেই একটি পণ্যের সাথে যুক্ত: %s +NoRecordedSuppliers=কোন বিক্রেতা রেকর্ড +SupplierPayment=বিক্রেতা পেমেন্ট +SuppliersArea=বিক্রেতা এলাকা +RefSupplierShort=রেফ. বিক্রেতা +Availability=উপস্থিতি +ExportDataset_fournisseur_1=বিক্রেতার চালান এবং চালানের বিবরণ +ExportDataset_fournisseur_2=বিক্রেতা চালান এবং পেমেন্ট +ExportDataset_fournisseur_3=ক্রয় আদেশ এবং আদেশ বিবরণ +ApproveThisOrder=এই আদেশ অনুমোদন করুন +ConfirmApproveThisOrder=আপনি কি %s অর্ডার অনুমোদন করার বিষয়ে নিশ্চিত? +DenyingThisOrder=এই আদেশ অস্বীকার করুন +ConfirmDenyingThisOrder=আপনি কি এই আদেশ %s অস্বীকার করার বিষয়ে নিশ্চিত? +ConfirmCancelThisOrder=আপনি কি এই অর্ডারটি %s বাতিল করার বিষয়ে নিশ্চিত? +AddSupplierOrder=ক্রয় অর্ডার তৈরি করুন +AddSupplierInvoice=বিক্রেতা চালান তৈরি করুন +ListOfSupplierProductForSupplier=বিক্রেতার জন্য পণ্য এবং দামের তালিকা %s +SentToSuppliers=বিক্রেতাদের কাছে পাঠানো হয়েছে +ListOfSupplierOrders=ক্রয় আদেশের তালিকা +MenuOrdersSupplierToBill=চালান অর্ডার ক্রয় +NbDaysToDelivery=ডেলিভারি বিলম্ব (দিন) +DescNbDaysToDelivery=এই অর্ডার থেকে পণ্যের দীর্ঘতম ডেলিভারি বিলম্ব +SupplierReputation=বিক্রেতার খ্যাতি +ReferenceReputation=রেফারেন্স খ্যাতি +DoNotOrderThisProductToThisSupplier=অর্ডার করবেন না +NotTheGoodQualitySupplier=নিম্ন মান +ReputationForThisProduct=খ্যাতি +BuyerName=ক্রেতার নাম +AllProductServicePrices=সমস্ত পণ্য / পরিষেবার দাম +AllProductReferencesOfSupplier=বিক্রেতার সমস্ত রেফারেন্স +BuyingPriceNumShort=বিক্রেতার দাম +RepeatableSupplierInvoice=টেমপ্লেট সরবরাহকারী চালান +RepeatableSupplierInvoices=টেমপ্লেট সরবরাহকারী চালান +RepeatableSupplierInvoicesList=টেমপ্লেট সরবরাহকারী চালান +RecurringSupplierInvoices=পৌনঃপুনিক সরবরাহকারী চালান +ToCreateAPredefinedSupplierInvoice=টেমপ্লেট সরবরাহকারী চালান তৈরি করতে, আপনাকে অবশ্যই একটি আদর্শ চালান তৈরি করতে হবে, তারপরে, এটিকে যাচাই না করে, "%s" বোতামে ক্লিক করুন৷ +GeneratedFromSupplierTemplate=সরবরাহকারী চালান টেমপ্লেট %s থেকে তৈরি +SupplierInvoiceGeneratedFromTemplate=সরবরাহকারী চালান %s সরবরাহকারী চালান টেমপ্লেট থেকে তৈরি করা হয়েছে %s diff --git a/htdocs/langs/bn_IN/ticket.lang b/htdocs/langs/bn_IN/ticket.lang index 9bcdcb341fd..aa9b5a8996d 100644 --- a/htdocs/langs/bn_IN/ticket.lang +++ b/htdocs/langs/bn_IN/ticket.lang @@ -18,307 +18,355 @@ # Generic # -Module56000Name=Tickets -Module56000Desc=Ticket system for issue or request management +Module56000Name=টিকিট +Module56000Desc=ইস্যু বা অনুরোধ পরিচালনার জন্য টিকিট সিস্টেম -Permission56001=See tickets -Permission56002=Modify tickets -Permission56003=Delete tickets -Permission56004=Manage tickets -Permission56005=See tickets of all third parties (not effective for external users, always be limited to the third party they depend on) +Permission56001=টিকিট দেখুন +Permission56002=টিকিট পরিবর্তন করুন +Permission56003=টিকিট মুছে দিন +Permission56004=টিকিট পরিচালনা করুন +Permission56005=সমস্ত তৃতীয় পক্ষের টিকিট দেখুন (বাহ্যিক ব্যবহারকারীদের জন্য কার্যকর নয়, সর্বদা তারা যে তৃতীয় পক্ষের উপর নির্ভর করে তাদের মধ্যে সীমাবদ্ধ থাকবেন) +Permission56006=টিকিট রপ্তানি করুন -TicketDictType=Ticket - Types -TicketDictCategory=Ticket - Groupes -TicketDictSeverity=Ticket - Severities -TicketDictResolution=Ticket - Resolution +Tickets=টিকিট +TicketDictType=টিকিট - প্রকার +TicketDictCategory=টিকিট - গ্রুপ +TicketDictSeverity=টিকিট - তীব্রতা +TicketDictResolution=টিকিট - রেজোলিউশন -TicketTypeShortCOM=Commercial question -TicketTypeShortHELP=Request for functionnal help -TicketTypeShortISSUE=Issue or bug -TicketTypeShortPROBLEM=Problem -TicketTypeShortREQUEST=Change or enhancement request -TicketTypeShortPROJET=Project -TicketTypeShortOTHER=Other +TicketTypeShortCOM=বাণিজ্যিক প্রশ্ন +TicketTypeShortHELP=কার্যকরী সাহায্যের জন্য অনুরোধ +TicketTypeShortISSUE=সমস্যা বা বাগ +TicketTypeShortPROBLEM=সমস্যা +TicketTypeShortREQUEST=পরিবর্তন বা বর্ধনের অনুরোধ +TicketTypeShortPROJET=প্রকল্প +TicketTypeShortOTHER=অন্যান্য -TicketSeverityShortLOW=Low -TicketSeverityShortNORMAL=Normal -TicketSeverityShortHIGH=High -TicketSeverityShortBLOCKING=Critical, Blocking +TicketSeverityShortLOW=কম +TicketSeverityShortNORMAL=স্বাভাবিক +TicketSeverityShortHIGH=উচ্চ +TicketSeverityShortBLOCKING=ক্রিটিক্যাল, ব্লকিং -TicketCategoryShortOTHER=Other +TicketCategoryShortOTHER=অন্যান্য -ErrorBadEmailAddress=Field '%s' incorrect -MenuTicketMyAssign=My tickets -MenuTicketMyAssignNonClosed=My open tickets -MenuListNonClosed=Open tickets +ErrorBadEmailAddress=ক্ষেত্র '%s' ভুল +MenuTicketMyAssign=আমার টিকেট +MenuTicketMyAssignNonClosed=আমার খোলা টিকিট +MenuListNonClosed=টিকিট খুলুন -TypeContact_ticket_internal_CONTRIBUTOR=Contributor -TypeContact_ticket_internal_SUPPORTTEC=Assigned user -TypeContact_ticket_external_SUPPORTCLI=Customer contact / incident tracking -TypeContact_ticket_external_CONTRIBUTOR=External contributor +TypeContact_ticket_internal_CONTRIBUTOR=অবদানকারী +TypeContact_ticket_internal_SUPPORTTEC=নির্ধারিত ব্যবহারকারী +TypeContact_ticket_external_SUPPORTCLI=গ্রাহক যোগাযোগ / ঘটনা ট্র্যাকিং +TypeContact_ticket_external_CONTRIBUTOR=বহিরাগত অবদানকারী -OriginEmail=Reporter Email -Notify_TICKET_SENTBYMAIL=Send ticket message by email +OriginEmail=রিপোর্টার ইমেইল +Notify_TICKET_SENTBYMAIL=ইমেল দ্বারা টিকিট বার্তা পাঠান + +ExportDataset_ticket_1=টিকিট # Status -Read=Read -Assigned=Assigned -InProgress=In progress -NeedMoreInformation=Waiting for reporter feedback -NeedMoreInformationShort=Waiting for feedback -Answered=Answered -Waiting=Waiting -SolvedClosed=Solved -Deleted=Deleted +Read=পড়ুন +Assigned=বরাদ্দ করা হয়েছে +NeedMoreInformation=প্রতিবেদকের মতামতের জন্য অপেক্ষা করছি +NeedMoreInformationShort=প্রতিক্রিয়ার জন্য অপেক্ষা +Answered=উত্তর দিয়েছেন +Waiting=অপেক্ষা করছে +SolvedClosed=সমাধান করা হয়েছে +Deleted=মুছে ফেলা হয়েছে # Dict -Type=Type -Severity=Severity -TicketGroupIsPublic=Group is public -TicketGroupIsPublicDesc=If a ticket group is public, it will be visible in the form when creating a ticket from the public interface +Type=টাইপ +Severity=নির্দয়তা +TicketGroupIsPublic=গ্রুপ সর্বজনীন +TicketGroupIsPublicDesc=একটি টিকিট গ্রুপ সর্বজনীন হলে, পাবলিক ইন্টারফেস থেকে একটি টিকিট তৈরি করার সময় এটি ফর্মে দৃশ্যমান হবে # Email templates -MailToSendTicketMessage=To send email from ticket message +MailToSendTicketMessage=টিকিট বার্তা থেকে ইমেল পাঠাতে # # Admin page # -TicketSetup=Ticket module setup -TicketSettings=Settings +TicketSetup=টিকিট মডিউল সেটআপ +TicketSettings=সেটিংস TicketSetupPage= -TicketPublicAccess=A public interface requiring no identification is available at the following url -TicketSetupDictionaries=The type of ticket, severity and analytic codes are configurable from dictionaries -TicketParamModule=Module variable setup -TicketParamMail=Email setup -TicketEmailNotificationFrom=Notification email from -TicketEmailNotificationFromHelp=Used into ticket message answer by example -TicketEmailNotificationTo=Notifications email to -TicketEmailNotificationToHelp=Send email notifications to this address. -TicketNewEmailBodyLabel=Text message sent after creating a ticket -TicketNewEmailBodyHelp=The text specified here will be inserted into the email confirming the creation of a new ticket from the public interface. Information on the consultation of the ticket are automatically added. -TicketParamPublicInterface=Public interface setup -TicketsEmailMustExist=Require an existing email address to create a ticket -TicketsEmailMustExistHelp=In the public interface, the email address should already be filled in the database to create a new ticket. -PublicInterface=Public interface -TicketUrlPublicInterfaceLabelAdmin=Alternative URL for public interface -TicketUrlPublicInterfaceHelpAdmin=It is possible to define an alias to the web server and thus make available the public interface with another URL (the server must act as a proxy on this new URL) -TicketPublicInterfaceTextHomeLabelAdmin=Welcome text of the public interface -TicketPublicInterfaceTextHome=You can create a support ticket or view existing from its identifier tracking ticket. -TicketPublicInterfaceTextHomeHelpAdmin=The text defined here will appear on the home page of the public interface. -TicketPublicInterfaceTopicLabelAdmin=Interface title -TicketPublicInterfaceTopicHelp=This text will appear as the title of the public interface. -TicketPublicInterfaceTextHelpMessageLabelAdmin=Help text to the message entry -TicketPublicInterfaceTextHelpMessageHelpAdmin=This text will appear above the message input area of the user. -ExtraFieldsTicket=Extra attributes -TicketCkEditorEmailNotActivated=HTML editor is not activated. Please put FCKEDITOR_ENABLE_MAIL content to 1 to get it. -TicketsDisableEmail=Do not send emails for ticket creation or message recording -TicketsDisableEmailHelp=By default, emails are sent when new tickets or messages created. Enable this option to disable *all* email notifications -TicketsLogEnableEmail=Enable log by email -TicketsLogEnableEmailHelp=At each change, an email will be sent **to each contact** associated with the ticket. -TicketParams=Params -TicketsShowModuleLogo=Display the logo of the module in the public interface -TicketsShowModuleLogoHelp=Enable this option to hide the logo module in the pages of the public interface -TicketsShowCompanyLogo=Display the logo of the company in the public interface -TicketsShowCompanyLogoHelp=Enable this option to hide the logo of the main company in the pages of the public interface -TicketsEmailAlsoSendToMainAddress=Also send a notification to the main email address -TicketsEmailAlsoSendToMainAddressHelp=Enable this option to also send an email to the address defined into setup "%s" (see tab "%s") -TicketsLimitViewAssignedOnly=Restrict the display to tickets assigned to the current user (not effective for external users, always be limited to the third party they depend on) -TicketsLimitViewAssignedOnlyHelp=Only tickets assigned to the current user will be visible. Does not apply to a user with tickets management rights. -TicketsActivatePublicInterface=Activate public interface -TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create tickets. -TicketsAutoAssignTicket=Automatically assign the user who created the ticket -TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket. -TicketNumberingModules=Tickets numbering module -TicketsModelModule=Document templates for tickets -TicketNotifyTiersAtCreation=Notify third party at creation -TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface -TicketsPublicNotificationNewMessage=Send email(s) when a new message/comment is added to a ticket -TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) -TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) -TicketPublicNotificationNewMessageDefaultEmailHelp=Send an email to this address for each new message notifications if the ticket doesn't have a user assigned to it or if the user doesn't have any known email. +TicketPublicAccess=একটি সর্বজনীন ইন্টারফেস যার জন্য কোন সনাক্তকরণের প্রয়োজন নেই নিম্নলিখিত url-এ উপলব্ধ +TicketSetupDictionaries=টিকিটের ধরন, তীব্রতা এবং বিশ্লেষণাত্মক কোড অভিধান থেকে কনফিগারযোগ্য +TicketParamModule=মডিউল পরিবর্তনশীল সেটআপ +TicketParamMail=ইমেল সেটআপ +TicketEmailNotificationFrom=উত্তরে বিজ্ঞপ্তির জন্য প্রেরক ই-মেইল +TicketEmailNotificationFromHelp=ব্যাক অফিসের ভিতরে একটি উত্তর প্রদান করা হলে বিজ্ঞপ্তি ইমেল পাঠানোর জন্য প্রেরক ই-মেইল ব্যবহার করুন। যেমন noreply@example.com +TicketEmailNotificationTo=এই ই-মেইল ঠিকানায় টিকিট তৈরির বিষয়ে অবহিত করুন +TicketEmailNotificationToHelp=উপস্থিত থাকলে, এই ই-মেইল ঠিকানাটি টিকিট তৈরির বিষয়ে অবহিত করা হবে +TicketNewEmailBodyLabel=টিকিট তৈরি করার পর টেক্সট মেসেজ পাঠানো হয়েছে +TicketNewEmailBodyHelp=এখানে নির্দিষ্ট করা পাঠ্যটি পাবলিক ইন্টারফেস থেকে একটি নতুন টিকিট তৈরির বিষয়টি নিশ্চিত করে ইমেলে ঢোকানো হবে। টিকিটের পরামর্শের তথ্য স্বয়ংক্রিয়ভাবে যোগ করা হয়। +TicketParamPublicInterface=পাবলিক ইন্টারফেস সেটআপ +TicketsEmailMustExist=একটি টিকিট তৈরি করতে একটি বিদ্যমান ইমেল ঠিকানা প্রয়োজন৷ +TicketsEmailMustExistHelp=পাবলিক ইন্টারফেসে, একটি নতুন টিকিট তৈরি করতে ইমেল ঠিকানাটি ইতিমধ্যেই ডাটাবেসে পূরণ করা উচিত। +TicketsShowProgression=পাবলিক ইন্টারফেসে টিকিটের অগ্রগতি প্রদর্শন করুন +TicketsShowProgressionHelp=পাবলিক ইন্টারফেস পৃষ্ঠাগুলিতে টিকিটের অগ্রগতি লুকানোর জন্য এই বিকল্পটি সক্রিয় করুন৷ +TicketCreateThirdPartyWithContactIfNotExist=অজানা ইমেলের জন্য নাম এবং কোম্পানির নাম জিজ্ঞাসা করুন। +TicketCreateThirdPartyWithContactIfNotExistHelp=প্রবেশ করা ইমেলের জন্য একটি তৃতীয় পক্ষ বা একটি পরিচিতি বিদ্যমান কিনা তা পরীক্ষা করুন৷ যদি না হয়, যোগাযোগের সাথে একটি তৃতীয় পক্ষ তৈরি করতে একটি নাম এবং একটি কোম্পানির নাম জিজ্ঞাসা করুন৷ +PublicInterface=পাবলিক ইন্টারফেস +TicketUrlPublicInterfaceLabelAdmin=পাবলিক ইন্টারফেসের জন্য বিকল্প URL +TicketUrlPublicInterfaceHelpAdmin=ওয়েব সার্ভারে একটি উপনাম সংজ্ঞায়িত করা সম্ভব এবং এইভাবে অন্য URL এর সাথে সর্বজনীন ইন্টারফেস উপলব্ধ করা সম্ভব (সার্ভারটিকে অবশ্যই এই নতুন URL এ একটি প্রক্সি হিসাবে কাজ করতে হবে) +TicketPublicInterfaceTextHomeLabelAdmin=পাবলিক ইন্টারফেসের স্বাগত পাঠ্য +TicketPublicInterfaceTextHome=আপনি একটি সমর্থন টিকিট তৈরি করতে পারেন বা এটির সনাক্তকারী ট্র্যাকিং টিকিট থেকে বিদ্যমান দেখতে পারেন। +TicketPublicInterfaceTextHomeHelpAdmin=এখানে সংজ্ঞায়িত পাঠ্য পাবলিক ইন্টারফেসের হোম পেজে প্রদর্শিত হবে। +TicketPublicInterfaceTopicLabelAdmin=ইন্টারফেস শিরোনাম +TicketPublicInterfaceTopicHelp=এই পাঠ্যটি সর্বজনীন ইন্টারফেসের শিরোনাম হিসাবে উপস্থিত হবে। +TicketPublicInterfaceTextHelpMessageLabelAdmin=বার্তা এন্ট্রিতে সাহায্য টেক্সট +TicketPublicInterfaceTextHelpMessageHelpAdmin=এই পাঠ্য ব্যবহারকারীর বার্তা ইনপুট এলাকার উপরে প্রদর্শিত হবে. +ExtraFieldsTicket=অতিরিক্ত গুণাবলী +TicketCkEditorEmailNotActivated=HTML সম্পাদক সক্রিয় করা হয় না. এটি পেতে অনুগ্রহ করে FCKEDITOR_ENABLE_MAIL বিষয়বস্তু 1 এ রাখুন। +TicketsDisableEmail=টিকিট তৈরি বা বার্তা রেকর্ডিংয়ের জন্য ইমেল পাঠাবেন না +TicketsDisableEmailHelp=ডিফল্টরূপে, নতুন টিকিট বা বার্তা তৈরি হলে ইমেল পাঠানো হয়। *সমস্ত* ইমেল বিজ্ঞপ্তিগুলি নিষ্ক্রিয় করতে এই বিকল্পটি সক্ষম করুন৷ +TicketsLogEnableEmail=ইমেল দ্বারা লগ সক্রিয় করুন +TicketsLogEnableEmailHelp=প্রতিটি পরিবর্তনে, টিকিটের সাথে যুক্ত **প্রতিটি পরিচিতিকে** একটি ইমেল পাঠানো হবে। +TicketParams=পরম +TicketsShowModuleLogo=পাবলিক ইন্টারফেসে মডিউলের লোগো প্রদর্শন করুন +TicketsShowModuleLogoHelp=পাবলিক ইন্টারফেসের পৃষ্ঠাগুলিতে লোগো মডিউল লুকানোর জন্য এই বিকল্পটি সক্রিয় করুন৷ +TicketsShowCompanyLogo=পাবলিক ইন্টারফেসে কোম্পানির লোগো প্রদর্শন করুন +TicketsShowCompanyLogoHelp=পাবলিক ইন্টারফেসের পৃষ্ঠাগুলিতে প্রধান কোম্পানির লোগো দেখাতে এই বিকল্পটি সক্রিয় করুন৷ +TicketsShowCompanyFooter=পাবলিক ইন্টারফেসে কোম্পানির ফুটার প্রদর্শন করুন +TicketsShowCompanyFooterHelp=পাবলিক ইন্টারফেসের পৃষ্ঠাগুলিতে প্রধান কোম্পানির ফুটার দেখানোর জন্য এই বিকল্পটি সক্রিয় করুন +TicketsEmailAlsoSendToMainAddress=এছাড়াও প্রধান ইমেল ঠিকানায় একটি বিজ্ঞপ্তি পাঠান +TicketsEmailAlsoSendToMainAddressHelp="%s" সেটআপে সংজ্ঞায়িত ঠিকানায় একটি ইমেল পাঠাতেও এই বিকল্পটি সক্ষম করুন (ট্যাব "%s" দেখুন) +TicketsLimitViewAssignedOnly=বর্তমান ব্যবহারকারীর জন্য নির্ধারিত টিকিটগুলিতে প্রদর্শন সীমাবদ্ধ করুন (বাহ্যিক ব্যবহারকারীদের জন্য কার্যকর নয়, সর্বদা তারা যে তৃতীয় পক্ষের উপর নির্ভর করে তাদের মধ্যে সীমাবদ্ধ থাকবেন) +TicketsLimitViewAssignedOnlyHelp=শুধুমাত্র বর্তমান ব্যবহারকারীর জন্য নির্ধারিত টিকিট দৃশ্যমান হবে। টিকিট পরিচালনার অধিকার সহ ব্যবহারকারীর জন্য প্রযোজ্য নয়। +TicketsActivatePublicInterface=পাবলিক ইন্টারফেস সক্রিয় করুন +TicketsActivatePublicInterfaceHelp=পাবলিক ইন্টারফেস যেকোনো দর্শকদের টিকিট তৈরি করতে দেয়। +TicketsAutoAssignTicket=টিকিট তৈরি করা ব্যবহারকারীকে স্বয়ংক্রিয়ভাবে বরাদ্দ করুন +TicketsAutoAssignTicketHelp=একটি টিকিট তৈরি করার সময়, ব্যবহারকারীকে স্বয়ংক্রিয়ভাবে টিকিটে বরাদ্দ করা যেতে পারে। +TicketNumberingModules=টিকিট সংখ্যা মডিউল +TicketsModelModule=টিকিটের জন্য নথির টেমপ্লেট +TicketNotifyTiersAtCreation=সৃষ্টির সময় তৃতীয় পক্ষকে অবহিত করুন +TicketsDisableCustomerEmail=যখন পাবলিক ইন্টারফেস থেকে একটি টিকিট তৈরি করা হয় তখন সর্বদা ইমেলগুলি অক্ষম করুন৷ +TicketsPublicNotificationNewMessage=একটি টিকিটে একটি নতুন বার্তা/মন্তব্য যোগ করা হলে ইমেল(গুলি) পাঠান৷ +TicketsPublicNotificationNewMessageHelp=যখন পাবলিক ইন্টারফেস থেকে একটি নতুন বার্তা যোগ করা হয় তখন ইমেল(গুলি) পাঠান (অর্পিত ব্যবহারকারীকে বা বিজ্ঞপ্তি ইমেল (আপডেট) এবং/অথবা বিজ্ঞপ্তি ইমেল +TicketPublicNotificationNewMessageDefaultEmail=বিজ্ঞপ্তি ইমেল (আপডেট) +TicketPublicNotificationNewMessageDefaultEmailHelp=প্রতিটি নতুন বার্তা বিজ্ঞপ্তির জন্য এই ঠিকানায় একটি ইমেল পাঠান যদি টিকিটটিতে কোনও ব্যবহারকারী বরাদ্দ না থাকে বা ব্যবহারকারীর কোনও পরিচিত ইমেল না থাকে। +TicketsAutoReadTicket=টিকিটটিকে স্বয়ংক্রিয়ভাবে পঠিত হিসাবে চিহ্নিত করুন (যখন ব্যাক অফিস থেকে তৈরি করা হয়) +TicketsAutoReadTicketHelp=ব্যাক অফিস থেকে তৈরি করার সময় টিকিটটিকে পঠিত হিসাবে স্বয়ংক্রিয়ভাবে চিহ্নিত করুন। যখন পাবলিক ইন্টারফেস থেকে টিকিট তৈরি করা হয়, তখন টিকিট "পড়া হয়নি" স্ট্যাটাস দিয়ে থাকে। +TicketsDelayBeforeFirstAnswer=একটি নতুন টিকিটের (ঘন্টা) আগে একটি প্রথম উত্তর পাওয়া উচিত: +TicketsDelayBeforeFirstAnswerHelp=যদি একটি নতুন টিকিট এই সময়ের পরে (ঘন্টার মধ্যে) উত্তর না পায় তবে তালিকার দৃশ্যে একটি গুরুত্বপূর্ণ সতর্কতা আইকন প্রদর্শিত হবে। +TicketsDelayBetweenAnswers=একটি অমীমাংসিত টিকিট (ঘন্টা) চলাকালীন নিষ্ক্রিয় হওয়া উচিত নয়: +TicketsDelayBetweenAnswersHelp=যদি একটি অমীমাংসিত টিকিট যা ইতিমধ্যেই একটি উত্তর পেয়েছে তার এই সময়ের পরে (ঘন্টাগুলিতে) আর ইন্টারঅ্যাকশন না হয়ে থাকে তবে তালিকা ভিউতে একটি সতর্কতা আইকন প্রদর্শিত হবে। +TicketsAutoNotifyClose=একটি টিকিট বন্ধ করার সময় স্বয়ংক্রিয়ভাবে তৃতীয় পক্ষকে অবহিত করুন +TicketsAutoNotifyCloseHelp=একটি টিকিট বন্ধ করার সময়, আপনাকে তৃতীয় পক্ষের পরিচিতিগুলির একটিতে একটি বার্তা পাঠানোর প্রস্তাব করা হবে৷ গণ বন্ধ করার সময়, টিকিটের সাথে লিঙ্কযুক্ত তৃতীয় পক্ষের একটি পরিচিতিতে একটি বার্তা পাঠানো হবে। +TicketWrongContact=প্রদত্ত পরিচিতি বর্তমান টিকিটের পরিচিতির অংশ নয়। ইমেল পাঠানো হয়নি. +TicketChooseProductCategory=টিকিট সমর্থন জন্য পণ্য বিভাগ +TicketChooseProductCategoryHelp=টিকিট সমর্থন পণ্য বিভাগ নির্বাচন করুন. এটি একটি টিকিটের সাথে স্বয়ংক্রিয়ভাবে একটি চুক্তি লিঙ্ক করতে ব্যবহার করা হবে। +TicketUseCaptchaCode=টিকিট তৈরি করার সময় গ্রাফিকাল কোড (ক্যাপচা) ব্যবহার করুন +TicketUseCaptchaCodeHelp=একটি নতুন টিকিট তৈরি করার সময় ক্যাপচা যাচাইকরণ যোগ করে। +TicketsAllowClassificationModificationIfClosed=বন্ধ টিকিটের শ্রেণীবিভাগ পরিবর্তন করার অনুমতি দিন +TicketsAllowClassificationModificationIfClosedHelp=টিকিট বন্ধ থাকলেও শ্রেণীবিভাগ (প্রকার, টিকিট গ্রুপ, তীব্রতা) পরিবর্তন করার অনুমতি দিন। + # # Index & list page # -TicketsIndex=Tickets area -TicketList=List of tickets -TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user -NoTicketsFound=No ticket found -NoUnreadTicketsFound=No unread ticket found -TicketViewAllTickets=View all tickets -TicketViewNonClosedOnly=View only open tickets -TicketStatByStatus=Tickets by status -OrderByDateAsc=Sort by ascending date -OrderByDateDesc=Sort by descending date -ShowAsConversation=Show as conversation list -MessageListViewType=Show as table list +TicketsIndex=টিকিট এলাকা +TicketList=টিকিটের তালিকা +TicketAssignedToMeInfos=এই পৃষ্ঠা প্রদর্শন টিকিট তালিকা বর্তমান ব্যবহারকারী দ্বারা তৈরি বা বরাদ্দ করা হয়েছে +NoTicketsFound=কোনো টিকিট পাওয়া যায়নি +NoUnreadTicketsFound=কোনো অপঠিত টিকিট পাওয়া যায়নি +TicketViewAllTickets=সব টিকিট দেখুন +TicketViewNonClosedOnly=শুধুমাত্র খোলা টিকিট দেখুন +TicketStatByStatus=স্ট্যাটাস অনুযায়ী টিকিট +OrderByDateAsc=ক্রমবর্ধমান তারিখ অনুসারে সাজান +OrderByDateDesc=অবরোহী তারিখ অনুসারে সাজান +ShowAsConversation=কথোপকথনের তালিকা হিসাবে দেখান +MessageListViewType=টেবিল তালিকা হিসাবে দেখান +ConfirmMassTicketClosingSendEmail=টিকিট বন্ধ করার সময় স্বয়ংক্রিয়ভাবে ইমেল পাঠান +ConfirmMassTicketClosingSendEmailQuestion=এই টিকিটগুলি বন্ধ করার সময় আপনি কি তৃতীয় পক্ষকে অবহিত করতে চান? # # Ticket card # -Ticket=Ticket -TicketCard=Ticket card -CreateTicket=Create ticket -EditTicket=Edit ticket -TicketsManagement=Tickets Management -CreatedBy=Created by -NewTicket=New Ticket -SubjectAnswerToTicket=Ticket answer -TicketTypeRequest=Request type -TicketCategory=Ticket categorization -SeeTicket=See ticket -TicketMarkedAsRead=Ticket has been marked as read -TicketReadOn=Read on -TicketCloseOn=Closing date -MarkAsRead=Mark ticket as read -TicketHistory=Ticket history -AssignUser=Assign to user -TicketAssigned=Ticket is now assigned -TicketChangeType=Change type -TicketChangeCategory=Change analytic code -TicketChangeSeverity=Change severity -TicketAddMessage=Add a message -AddMessage=Add a message -MessageSuccessfullyAdded=Ticket added -TicketMessageSuccessfullyAdded=Message successfully added -TicketMessagesList=Message list -NoMsgForThisTicket=No message for this ticket -TicketProperties=Classification -LatestNewTickets=Latest %s newest tickets (not read) -TicketSeverity=Severity -ShowTicket=See ticket -RelatedTickets=Related tickets -TicketAddIntervention=Create intervention -CloseTicket=Close|Solve ticket -AbandonTicket=Abandon ticket -CloseATicket=Close|Solve a ticket -ConfirmCloseAticket=Confirm ticket closing -ConfirmAbandonTicket=Do you confirm the closing of the ticket to status 'Abandonned' -ConfirmDeleteTicket=Please confirm ticket deleting -TicketDeletedSuccess=Ticket deleted with success -TicketMarkedAsClosed=Ticket marked as closed -TicketDurationAuto=Calculated duration -TicketDurationAutoInfos=Duration calculated automatically from intervention related -TicketUpdated=Ticket updated -SendMessageByEmail=Send message by email -TicketNewMessage=New message -ErrorMailRecipientIsEmptyForSendTicketMessage=Recipient is empty. No email send -TicketGoIntoContactTab=Please go into "Contacts" tab to select them -TicketMessageMailIntro=Introduction -TicketMessageMailIntroHelp=This text is added only at the beginning of the email and will not be saved. -TicketMessageMailIntroLabelAdmin=Introduction to the message when sending email -TicketMessageMailIntroText=Hello,
      A new response was sent on a ticket that you contact. Here is the message:
      -TicketMessageMailIntroHelpAdmin=This text will be inserted before the text of the response to a ticket. -TicketMessageMailSignature=Signature -TicketMessageMailSignatureHelp=This text is added only at the end of the email and will not be saved. -TicketMessageMailSignatureText=

      Sincerely,

      --

      -TicketMessageMailSignatureLabelAdmin=Signature of response email -TicketMessageMailSignatureHelpAdmin=This text will be inserted after the response message. -TicketMessageHelp=Only this text will be saved in the message list on ticket card. -TicketMessageSubstitutionReplacedByGenericValues=Substitutions variables are replaced by generic values. -TimeElapsedSince=Time elapsed since -TicketTimeToRead=Time elapsed before read -TicketTimeElapsedBeforeSince=Time elapsed before / since -TicketContacts=Contacts ticket -TicketDocumentsLinked=Documents linked to ticket -ConfirmReOpenTicket=Confirm reopen this ticket ? -TicketMessageMailIntroAutoNewPublicMessage=A new message was posted on the ticket with the subject %s: -TicketAssignedToYou=Ticket assigned -TicketAssignedEmailBody=You have been assigned the ticket #%s by %s -MarkMessageAsPrivate=Mark message as private -TicketMessagePrivateHelp=This message will not display to external users -TicketEmailOriginIssuer=Issuer at origin of the tickets -InitialMessage=Initial Message -LinkToAContract=Link to a contract -TicketPleaseSelectAContract=Select a contract -UnableToCreateInterIfNoSocid=Can not create an intervention when no third party is defined -TicketMailExchanges=Mail exchanges -TicketInitialMessageModified=Initial message modified -TicketMessageSuccesfullyUpdated=Message successfully updated -TicketChangeStatus=Change status -TicketConfirmChangeStatus=Confirm the status change: %s ? -TicketLogStatusChanged=Status changed: %s to %s -TicketNotNotifyTiersAtCreate=Not notify company at create -Unread=Unread -TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface. -ErrorTicketRefRequired=Ticket reference name is required +Ticket=টিকিট +TicketCard=টিকিট কার্ড +CreateTicket=টিকেট তৈরি +EditTicket=টিকিট সম্পাদনা করুন +TicketsManagement=টিকিট ব্যবস্থাপনা +CreatedBy=দ্বারা সৃষ্টি +NewTicket=নতুন টিকিট +SubjectAnswerToTicket=টিকিটের উত্তর +TicketTypeRequest=অনুরোধের ধরন +TicketCategory=টিকিট গ্রুপ +SeeTicket=টিকিট দেখুন +TicketMarkedAsRead=টিকিট পড়া হিসেবে চিহ্নিত করা হয়েছে +TicketReadOn=পড়তে +TicketCloseOn=বন্ধের তারিখ +MarkAsRead=টিকিট পঠিত হিসাবে চিহ্নিত করুন +TicketHistory=টিকিটের ইতিহাস +AssignUser=ব্যবহারকারীকে বরাদ্দ করুন +TicketAssigned=টিকিট এখন বরাদ্দ করা হয়েছে +TicketChangeType=ধরন পরিবর্তন করুন +TicketChangeCategory=বিশ্লেষণী কোড পরিবর্তন করুন +TicketChangeSeverity=তীব্রতা পরিবর্তন করুন +TicketAddMessage=যোগ করুন বা একটি বার্তা পাঠান +TicketAddPrivateMessage=একটি ব্যক্তিগত বার্তা যোগ করুন +MessageSuccessfullyAdded=টিকিট যোগ করা হয়েছে +TicketMessageSuccessfullyAdded=বার্তা সফলভাবে যোগ করা হয়েছে +TicketMessagesList=বার্তা তালিকা +NoMsgForThisTicket=এই টিকিটের জন্য কোন বার্তা নেই +TicketProperties=শ্রেণীবিভাগ +LatestNewTickets=সর্বশেষ %s নতুন টিকিট (পড়া হয়নি) +TicketSeverity=নির্দয়তা +ShowTicket=টিকিট দেখুন +RelatedTickets=সম্পর্কিত টিকিট +TicketAddIntervention=হস্তক্ষেপ তৈরি করুন +CloseTicket=বন্ধ করুন|সমাধান করুন +AbandonTicket=পরিত্যাগ করা +CloseATicket=বন্ধ করুন | একটি টিকিট সমাধান করুন৷ +ConfirmCloseAticket=টিকিট বন্ধ নিশ্চিত করুন +ConfirmAbandonTicket=আপনি কি 'পরিত্যক্ত' স্ট্যাটাসে টিকিট বন্ধ করার বিষয়টি নিশ্চিত করেছেন? +ConfirmDeleteTicket=টিকিট মুছে ফেলা নিশ্চিত করুন +TicketDeletedSuccess=সফলতার সাথে টিকিট মুছে ফেলা হয়েছে +TicketMarkedAsClosed=টিকিট বন্ধ হিসেবে চিহ্নিত +TicketDurationAuto=গণনা করা সময়কাল +TicketDurationAutoInfos=সময়কাল হস্তক্ষেপ সম্পর্কিত থেকে স্বয়ংক্রিয়ভাবে গণনা করা হয় +TicketUpdated=টিকিট আপডেট করা হয়েছে +SendMessageByEmail=ইমেল দ্বারা বার্তা পাঠান +TicketNewMessage=নতুন বার্তা +ErrorMailRecipientIsEmptyForSendTicketMessage=প্রাপক খালি। কোন ইমেইল পাঠান না +TicketGoIntoContactTab=তাদের নির্বাচন করতে দয়া করে "পরিচিতি" ট্যাবে যান৷ +TicketMessageMailIntro=বার্তা শীর্ষ +TicketMessageMailIntroHelp=এই পাঠ্যটি শুধুমাত্র ইমেলের শুরুতে যোগ করা হয়েছে এবং সংরক্ষিত হবে না। +TicketMessageMailIntroText=হ্যালো,
      আপনার অনুসরণ করা টিকিটে একটি নতুন উত্তর যোগ করা হয়েছে। এখানে বার্তাটি রয়েছে:
      +TicketMessageMailIntroHelpAdmin=ডলিবার থেকে টিকিটের উত্তর দেওয়ার সময় এই লেখাটি উত্তরের আগে ঢোকানো হবে +TicketMessageMailFooter=বার্তা ফুটার +TicketMessageMailFooterHelp=এই পাঠ্যটি শুধুমাত্র ইমেলের মাধ্যমে প্রেরিত বার্তার শেষে যোগ করা হয়েছে এবং সংরক্ষণ করা হবে না। +TicketMessageMailFooterText=বার্তা পাঠানো হয়েছে %s Dolibarr এর মাধ্যমে +TicketMessageMailFooterHelpAdmin=এই টেক্সট প্রতিক্রিয়া বার্তা পরে সন্নিবেশ করা হবে. +TicketMessageHelp=টিকিট কার্ডের মেসেজ লিস্টে শুধুমাত্র এই লেখাটি সংরক্ষিত থাকবে। +TicketMessageSubstitutionReplacedByGenericValues=সাবস্টিটিউশন ভেরিয়েবলগুলি জেনেরিক মান দ্বারা প্রতিস্থাপিত হয়। +ForEmailMessageWillBeCompletedWith=বহিরাগত ব্যবহারকারীদের পাঠানো ইমেল বার্তাগুলির জন্য, বার্তাটি সম্পূর্ণ হবে +TimeElapsedSince=এর পর থেকে সময় কেটে গেছে +TicketTimeToRead=পড়ার আগেই সময় কেটে গেছে +TicketTimeElapsedBeforeSince=সময় আগে / থেকে অতিবাহিত +TicketContacts=যোগাযোগের টিকিট +TicketDocumentsLinked=টিকিটের সাথে সংযুক্ত নথি +ConfirmReOpenTicket=এই টিকিট পুনরায় খুলতে নিশ্চিত করুন? +TicketMessageMailIntroAutoNewPublicMessage=টিকিটে %s বিষয় সহ একটি নতুন বার্তা পোস্ট করা হয়েছে: +TicketAssignedToYou=টিকিট বরাদ্দ করা হয়েছে +TicketAssignedEmailBody=আপনাকে %s দ্বারা #%s টিকেট বরাদ্দ করা হয়েছে +TicketAssignedCustomerEmail=আপনার টিকিট প্রক্রিয়াকরণের জন্য বরাদ্দ করা হয়েছে। +TicketAssignedCustomerBody=আপনার টিকিট প্রক্রিয়াকরণের জন্য বরাদ্দ করা হয়েছে তা নিশ্চিত করার জন্য এটি একটি স্বয়ংক্রিয় ইমেল। +MarkMessageAsPrivate=ব্যক্তিগত হিসাবে বার্তা চিহ্নিত করুন +TicketMessageSendEmailHelp=সমস্ত বরাদ্দকৃত পরিচিতিকে একটি ইমেল পাঠানো হবে +TicketMessageSendEmailHelp2a=(অভ্যন্তরীণ পরিচিতি, তবে বহিরাগত পরিচিতিগুলি ব্যতীত যদি "%s" বিকল্পটি চেক করা থাকে) +TicketMessageSendEmailHelp2b=(অভ্যন্তরীণ পরিচিতি, কিন্তু বহিরাগত পরিচিতি) +TicketMessagePrivateHelp=এই বার্তাটি বহিরাগত ব্যবহারকারীদের কাছে দৃশ্যমান হবে না +TicketMessageRecipientsHelp=প্রাপকের ক্ষেত্র টিকিটের সাথে সংযুক্ত সক্রিয় পরিচিতিগুলির সাথে সম্পন্ন হয়েছে৷ +TicketEmailOriginIssuer=টিকিট মূলে ইস্যুকারী +InitialMessage=প্রাথমিক বার্তা +LinkToAContract=একটি চুক্তি লিঙ্ক +TicketPleaseSelectAContract=একটি চুক্তি নির্বাচন করুন +UnableToCreateInterIfNoSocid=কোনো তৃতীয় পক্ষ সংজ্ঞায়িত না হলে একটি হস্তক্ষেপ তৈরি করতে পারে না +TicketMailExchanges=মেইল বিনিময় +TicketInitialMessageModified=প্রাথমিক বার্তা পরিবর্তন করা হয়েছে +TicketMessageSuccesfullyUpdated=বার্তা সফলভাবে আপডেট করা হয়েছে +TicketChangeStatus=স্ট্যাটাস বদলাও +TicketConfirmChangeStatus=স্থিতি পরিবর্তন নিশ্চিত করুন: %s? +TicketLogStatusChanged=স্থিতি পরিবর্তিত হয়েছে: %s থেকে %s +TicketNotNotifyTiersAtCreate=তৈরিতে কোম্পানিকে অবহিত করবেন না +NotifyThirdpartyOnTicketClosing=টিকিট বন্ধ করার সময় অবহিত করার জন্য পরিচিতি +TicketNotifyAllTiersAtClose=সমস্ত সম্পর্কিত পরিচিতি +TicketNotNotifyTiersAtClose=কোন সম্পর্কিত যোগাযোগ +Unread=অপঠিত +TicketNotCreatedFromPublicInterface=পাওয়া যায় না. টিকিট পাবলিক ইন্টারফেস থেকে তৈরি করা হয়নি. +ErrorTicketRefRequired=টিকিট রেফারেন্স নাম প্রয়োজন +TicketsDelayForFirstResponseTooLong=কোনো উত্তর ছাড়াই টিকিট খোলার পর অনেক সময় কেটে গেছে। +TicketsDelayFromLastResponseTooLong=এই টিকিটে শেষ উত্তর থেকে অনেক সময় অতিবাহিত হয়েছে। +TicketNoContractFoundToLink=এই টিকিটের সাথে স্বয়ংক্রিয়ভাবে লিঙ্ক করা কোনো চুক্তি পাওয়া যায়নি। ম্যানুয়ালি একটি চুক্তি লিঙ্ক করুন. +TicketManyContractsLinked=অনেক চুক্তি স্বয়ংক্রিয়ভাবে এই টিকিটের সাথে যুক্ত হয়েছে। কোনটি বেছে নেওয়া উচিত তা যাচাই করতে ভুলবেন না। +TicketRefAlreadyUsed=রেফারেন্স [%s] ইতিমধ্যেই ব্যবহার করা হয়েছে, আপনার নতুন রেফারেন্স হল [%s] # # Logs # -TicketLogMesgReadBy=Ticket %s read by %s -NoLogForThisTicket=No log for this ticket yet -TicketLogAssignedTo=Ticket %s assigned to %s -TicketLogPropertyChanged=Ticket %s modified: classification from %s to %s -TicketLogClosedBy=Ticket %s closed by %s -TicketLogReopen=Ticket %s re-open +TicketLogMesgReadBy=টিকিট %s পড়ে %s +NoLogForThisTicket=এই টিকিটের জন্য এখনো কোনো লগ নেই +TicketLogAssignedTo=টিকিট %s %s কে বরাদ্দ করা হয়েছে +TicketLogPropertyChanged=টিকিট %s পরিবর্তিত: %s থেকে %s শ্রেণীবিভাগ +TicketLogClosedBy=টিকিট %s %s দ্বারা বন্ধ +TicketLogReopen=টিকিট %s আবার খুলুন # # Public pages # -TicketSystem=Ticket system -ShowListTicketWithTrackId=Display ticket list from track ID -ShowTicketWithTrackId=Display ticket from track ID -TicketPublicDesc=You can create a support ticket or check from an existing ID. -YourTicketSuccessfullySaved=Ticket has been successfully saved! -MesgInfosPublicTicketCreatedWithTrackId=A new ticket has been created with ID %s and Ref %s. -PleaseRememberThisId=Please keep the tracking number that we might ask you later. -TicketNewEmailSubject=Ticket creation confirmation - Ref %s (public ticket ID %s) -TicketNewEmailSubjectCustomer=New support ticket -TicketNewEmailBody=This is an automatic email to confirm you have registered a new ticket. -TicketNewEmailBodyCustomer=This is an automatic email to confirm a new ticket has just been created into your account. -TicketNewEmailBodyInfosTicket=Information for monitoring the ticket -TicketNewEmailBodyInfosTrackId=Ticket tracking number: %s -TicketNewEmailBodyInfosTrackUrl=You can view the progress of the ticket by clicking the link above. -TicketNewEmailBodyInfosTrackUrlCustomer=You can view the progress of the ticket in the specific interface by clicking the following link -TicketEmailPleaseDoNotReplyToThisEmail=Please do not reply directly to this email! Use the link to reply into the interface. -TicketPublicInfoCreateTicket=This form allows you to record a support ticket in our management system. -TicketPublicPleaseBeAccuratelyDescribe=Please accurately describe the problem. Provide the most information possible to allow us to correctly identify your request. -TicketPublicMsgViewLogIn=Please enter ticket tracking ID -TicketTrackId=Public Tracking ID -OneOfTicketTrackId=One of your tracking ID -ErrorTicketNotFound=Ticket with tracking ID %s not found! -Subject=Subject -ViewTicket=View ticket -ViewMyTicketList=View my ticket list -ErrorEmailMustExistToCreateTicket=Error: email address not found in our database -TicketNewEmailSubjectAdmin=New ticket created - Ref %s (public ticket ID %s) -TicketNewEmailBodyAdmin=

      Ticket has just been created with ID #%s, see information:

      -SeeThisTicketIntomanagementInterface=See ticket in management interface -TicketPublicInterfaceForbidden=The public interface for the tickets was not enabled -ErrorEmailOrTrackingInvalid=Bad value for tracking ID or email -OldUser=Old user -NewUser=New user -NumberOfTicketsByMonth=Number of tickets per month -NbOfTickets=Number of tickets -# notifications -TicketNotificationEmailSubject=Ticket %s updated -TicketNotificationEmailBody=This is an automatic message to notify you that ticket %s has just been updated -TicketNotificationRecipient=Notification recipient -TicketNotificationLogMessage=Log message -TicketNotificationEmailBodyInfosTrackUrlinternal=View ticket into interface -TicketNotificationNumberEmailSent=Notification email sent: %s +TicketSystem=টিকিট সিস্টেম +ShowListTicketWithTrackId=ট্র্যাক আইডি থেকে টিকিটের তালিকা প্রদর্শন করুন +ShowTicketWithTrackId=ট্র্যাক আইডি থেকে টিকিট প্রদর্শন করুন +TicketPublicDesc=আপনি একটি সমর্থন টিকিট তৈরি করতে পারেন বা বিদ্যমান আইডি থেকে চেক করতে পারেন। +YourTicketSuccessfullySaved=টিকিট সফলভাবে সংরক্ষণ করা হয়েছে! +MesgInfosPublicTicketCreatedWithTrackId=আইডি %s এবং রেফ %s দিয়ে একটি নতুন টিকিট তৈরি করা হয়েছে। +PleaseRememberThisId=অনুগ্রহ করে ট্র্যাকিং নম্বরটি রাখুন যা আমরা আপনাকে পরে জিজ্ঞাসা করতে পারি। +TicketNewEmailSubject=টিকিট তৈরি নিশ্চিতকরণ - রেফ %s (সর্বজনীন টিকিট আইডি %s) +TicketNewEmailSubjectCustomer=নতুন সমর্থন টিকিট +TicketNewEmailBody=আপনি একটি নতুন টিকিট নিবন্ধন করেছেন তা নিশ্চিত করার জন্য এটি একটি স্বয়ংক্রিয় ইমেল। +TicketNewEmailBodyCustomer=আপনার অ্যাকাউন্টে একটি নতুন টিকিট তৈরি হয়েছে তা নিশ্চিত করার জন্য এটি একটি স্বয়ংক্রিয় ইমেল। +TicketNewEmailBodyInfosTicket=টিকিট নিরীক্ষণের জন্য তথ্য +TicketNewEmailBodyInfosTrackId=টিকিট ট্র্যাকিং নম্বর: %s +TicketNewEmailBodyInfosTrackUrl=আপনি নিম্নলিখিত লিঙ্কে ক্লিক করে টিকিটের অগ্রগতি দেখতে পারেন +TicketNewEmailBodyInfosTrackUrlCustomer=আপনি নিম্নলিখিত লিঙ্কে ক্লিক করে নির্দিষ্ট ইন্টারফেসে টিকিটের অগ্রগতি দেখতে পারেন +TicketCloseEmailBodyInfosTrackUrlCustomer=আপনি নিম্নলিখিত লিঙ্কে ক্লিক করে এই টিকিটের ইতিহাসের সাথে পরামর্শ করতে পারেন +TicketEmailPleaseDoNotReplyToThisEmail=অনুগ্রহ করে এই ইমেইলটিতে সরাসরি কোন জবাব দিবেন না! ইন্টারফেসে উত্তর দিতে লিঙ্কটি ব্যবহার করুন। +TicketPublicInfoCreateTicket=এই ফর্মটি আপনাকে আমাদের ম্যানেজমেন্ট সিস্টেমে একটি সমর্থন টিকিট রেকর্ড করতে দেয়। +TicketPublicPleaseBeAccuratelyDescribe=আপনার অনুরোধ সঠিকভাবে বর্ণনা করুন. আমাদের সঠিকভাবে আপনার অনুরোধ সনাক্ত করার অনুমতি দিতে সম্ভাব্য সর্বাধিক তথ্য প্রদান করুন। +TicketPublicMsgViewLogIn=অনুগ্রহ করে টিকিট ট্র্যাকিং আইডি লিখুন +TicketTrackId=পাবলিক ট্র্যাকিং আইডি +OneOfTicketTrackId=আপনার ট্র্যাকিং আইডি এক +ErrorTicketNotFound=ট্র্যাকিং আইডি %s সহ টিকিট পাওয়া যায়নি! +Subject=বিষয় +ViewTicket=টিকিট দেখুন +ViewMyTicketList=আমার টিকিট তালিকা দেখুন +ErrorEmailMustExistToCreateTicket=ত্রুটি: আমাদের ডাটাবেসে ইমেল ঠিকানা পাওয়া যায়নি +TicketNewEmailSubjectAdmin=নতুন টিকিট তৈরি করা হয়েছে - রেফ %s (পাবলিক টিকেট আইডি %s) +TicketNewEmailBodyAdmin=

      টিকেট এইমাত্র #%s দিয়ে তৈরি করা হয়েছে, তথ্য দেখুন:

      > +SeeThisTicketIntomanagementInterface=ম্যানেজমেন্ট ইন্টারফেসে টিকিট দেখুন +TicketPublicInterfaceForbidden=টিকিটের জন্য সর্বজনীন ইন্টারফেস সক্ষম করা হয়নি +ErrorEmailOrTrackingInvalid=ট্র্যাকিং আইডি বা ইমেলের জন্য খারাপ মান +OldUser=পুরানো ব্যবহারকারী +NewUser=নতুন ব্যবহারকারী +NumberOfTicketsByMonth=প্রতি মাসে টিকিটের সংখ্যা +NbOfTickets=টিকিটের সংখ্যা +ExternalContributors=বহিরাগত অবদানকারীরা +AddContributor=বহিরাগত অবদানকারী যোগ করুন -ActionsOnTicket=Events on ticket +# notifications +TicketCloseEmailSubjectCustomer=টিকিট বন্ধ +TicketCloseEmailBodyCustomer=এটি আপনাকে জানানোর জন্য একটি স্বয়ংক্রিয় বার্তা যে টিকিট %s এইমাত্র বন্ধ করা হয়েছে। +TicketCloseEmailSubjectAdmin=টিকিট বন্ধ - Réf %s (পাবলিক টিকেট আইডি %s) +TicketCloseEmailBodyAdmin=#%s আইডি সহ একটি টিকিট এইমাত্র বন্ধ করা হয়েছে, তথ্য দেখুন: +TicketNotificationEmailSubject=টিকিট %s আপডেট করা হয়েছে +TicketNotificationEmailBody=এটি আপনাকে জানানোর জন্য একটি স্বয়ংক্রিয় বার্তা যে টিকিট %s সবেমাত্র আপডেট করা হয়েছে +TicketNotificationRecipient=বিজ্ঞপ্তি প্রাপক +TicketNotificationLogMessage=লগ বার্তা +TicketNotificationEmailBodyInfosTrackUrlinternal=ইন্টারফেসে টিকিট দেখুন +TicketNotificationNumberEmailSent=বিজ্ঞপ্তি ইমেল পাঠানো হয়েছে: %s + +ActionsOnTicket=টিকিটে ইভেন্ট # # Boxes # -BoxLastTicket=Latest created tickets -BoxLastTicketDescription=Latest %s created tickets +BoxLastTicket=সর্বশেষ তৈরি টিকিট +BoxLastTicketDescription=সর্বশেষ %s তৈরি করা টিকিট BoxLastTicketContent= -BoxLastTicketNoRecordedTickets=No recent unread tickets -BoxLastModifiedTicket=Latest modified tickets -BoxLastModifiedTicketDescription=Latest %s modified tickets +BoxLastTicketNoRecordedTickets=কোন সাম্প্রতিক অপঠিত টিকিট +BoxLastModifiedTicket=সর্বশেষ পরিবর্তিত টিকিট +BoxLastModifiedTicketDescription=সর্বশেষ %s পরিবর্তিত টিকিট BoxLastModifiedTicketContent= -BoxLastModifiedTicketNoRecordedTickets=No recent modified tickets -BoxTicketType=Distribution of open tickets by type -BoxTicketSeverity=Number of open tickets by severity -BoxNoTicketSeverity=No tickets opened -BoxTicketLastXDays=Number of new tickets by days the last %s days -BoxTicketLastXDayswidget = Number of new tickets by days the last X days -BoxNoTicketLastXDays=No new tickets the last %s days -BoxNumberOfTicketByDay=Number of new tickets by day -BoxNewTicketVSClose=Number of tickets versus closed tickets (today) -TicketCreatedToday=Ticket created today -TicketClosedToday=Ticket closed today -KMFoundForTicketGroup=We found topics and FAQs that may answers your question, thanks to check them before submitting the ticket +BoxLastModifiedTicketNoRecordedTickets=কোন সাম্প্রতিক পরিবর্তিত টিকিট +BoxTicketType=প্রকার অনুসারে খোলা টিকিট বিতরণ +BoxTicketSeverity=তীব্রতা অনুসারে খোলা টিকিটের সংখ্যা +BoxNoTicketSeverity=টিকিট খোলা হয়নি +BoxTicketLastXDays=গত %s দিন অনুসারে নতুন টিকিটের সংখ্যা +BoxTicketLastXDayswidget = শেষ X দিনের দিন অনুসারে নতুন টিকিটের সংখ্যা +BoxNoTicketLastXDays=গত %s দিনে কোনো নতুন টিকিট নেই +BoxNumberOfTicketByDay=দিনে নতুন টিকিটের সংখ্যা +BoxNewTicketVSClose=টিকিটের সংখ্যা বনাম বন্ধ টিকিটের সংখ্যা (আজ) +TicketCreatedToday=টিকিট আজ তৈরি হয়েছে +TicketClosedToday=আজ টিকিট বন্ধ +KMFoundForTicketGroup=আমরা এমন বিষয় এবং প্রায়শই জিজ্ঞাসিত প্রশ্ন খুঁজে পেয়েছি যা আপনার প্রশ্নের উত্তর দিতে পারে, টিকিট জমা দেওয়ার আগে সেগুলি পরীক্ষা করার জন্য ধন্যবাদ৷ diff --git a/htdocs/langs/bn_IN/trips.lang b/htdocs/langs/bn_IN/trips.lang index 9210ede360c..10f130fc157 100644 --- a/htdocs/langs/bn_IN/trips.lang +++ b/htdocs/langs/bn_IN/trips.lang @@ -1,150 +1,152 @@ # Dolibarr language file - Source file is en_US - trips -ShowExpenseReport=Show expense report -Trips=Expense reports -TripsAndExpenses=Expenses reports -TripsAndExpensesStatistics=Expense reports statistics -TripCard=Expense report card -AddTrip=Create expense report -ListOfTrips=List of expense reports -ListOfFees=List of fees -TypeFees=Types of fees -ShowTrip=Show expense report -NewTrip=New expense report -LastExpenseReports=Latest %s expense reports -AllExpenseReports=All expense reports -CompanyVisited=Company/organization visited -FeesKilometersOrAmout=Amount or kilometers -DeleteTrip=Delete expense report -ConfirmDeleteTrip=Are you sure you want to delete this expense report? -ListTripsAndExpenses=List of expense reports -ListToApprove=Waiting for approval -ExpensesArea=Expense reports area -ClassifyRefunded=Classify 'Refunded' -ExpenseReportWaitingForApproval=A new expense report has been submitted for approval -ExpenseReportWaitingForApprovalMessage=A new expense report has been submitted and is waiting for approval.
      - User: %s
      - Period: %s
      Click here to validate: %s -ExpenseReportWaitingForReApproval=An expense report has been submitted for re-approval -ExpenseReportWaitingForReApprovalMessage=An expense report has been submitted and is waiting for re-approval.
      The %s, you refused to approve the expense report for this reason: %s.
      A new version has been proposed and waiting for your approval.
      - User: %s
      - Period: %s
      Click here to validate: %s -ExpenseReportApproved=An expense report was approved -ExpenseReportApprovedMessage=The expense report %s was approved.
      - User: %s
      - Approved by: %s
      Click here to show the expense report: %s -ExpenseReportRefused=An expense report was refused -ExpenseReportRefusedMessage=The expense report %s was refused.
      - User: %s
      - Refused by: %s
      - Motive for refusal: %s
      Click here to show the expense report: %s -ExpenseReportCanceled=An expense report was canceled -ExpenseReportCanceledMessage=The expense report %s was canceled.
      - User: %s
      - Canceled by: %s
      - Motive for cancellation: %s
      Click here to show the expense report: %s -ExpenseReportPaid=An expense report was paid -ExpenseReportPaidMessage=The expense report %s was paid.
      - User: %s
      - Paid by: %s
      Click here to show the expense report: %s -TripId=Id expense report -AnyOtherInThisListCanValidate=Person to be informed for validating the request. -TripSociete=Information company -TripNDF=Informations expense report -PDFStandardExpenseReports=Standard template to generate a PDF document for expense report -ExpenseReportLine=Expense report line -TF_OTHER=Other -TF_TRIP=Transportation -TF_LUNCH=Lunch -TF_METRO=Metro -TF_TRAIN=Train -TF_BUS=Bus -TF_CAR=Car -TF_PEAGE=Toll -TF_ESSENCE=Fuel -TF_HOTEL=Hotel -TF_TAXI=Taxi -EX_KME=Mileage costs -EX_FUE=Fuel CV -EX_HOT=Hotel -EX_PAR=Parking CV -EX_TOL=Toll CV -EX_TAX=Various Taxes -EX_IND=Indemnity transportation subscription -EX_SUM=Maintenance supply -EX_SUO=Office supplies -EX_CAR=Car rental -EX_DOC=Documentation -EX_CUR=Customers receiving -EX_OTR=Other receiving -EX_POS=Postage -EX_CAM=CV maintenance and repair -EX_EMM=Employees meal -EX_GUM=Guests meal -EX_BRE=Breakfast -EX_FUE_VP=Fuel PV -EX_TOL_VP=Toll PV -EX_PAR_VP=Parking PV -EX_CAM_VP=PV maintenance and repair -DefaultCategoryCar=Default transportation mode -DefaultRangeNumber=Default range number -UploadANewFileNow=Upload a new document now -Error_EXPENSEREPORT_ADDON_NotDefined=Error, the rule for expense report numbering ref was not defined into setup of module 'Expense Report' -ErrorDoubleDeclaration=You have declared another expense report into a similar date range. -AucuneLigne=There is no expense report declared yet -ModePaiement=Payment mode -VALIDATOR=User responsible for approval -VALIDOR=Approved by -AUTHOR=Recorded by -AUTHORPAIEMENT=Paid by -REFUSEUR=Denied by -CANCEL_USER=Deleted by -MOTIF_REFUS=Reason -MOTIF_CANCEL=Reason -DATE_REFUS=Deny date -DATE_SAVE=Validation date -DATE_CANCEL=Cancelation date -DATE_PAIEMENT=Payment date -ExpenseReportRef=Ref. expense report -ValidateAndSubmit=Validate and submit for approval -ValidatedWaitingApproval=Validated (waiting for approval) -NOT_AUTHOR=You are not the author of this expense report. Operation cancelled. -ConfirmRefuseTrip=Are you sure you want to deny this expense report? -ValideTrip=Approve expense report -ConfirmValideTrip=Are you sure you want to approve this expense report? -PaidTrip=Pay an expense report -ConfirmPaidTrip=Are you sure you want to change status of this expense report to "Paid"? -ConfirmCancelTrip=Are you sure you want to cancel this expense report? -BrouillonnerTrip=Move back expense report to status "Draft" -ConfirmBrouillonnerTrip=Are you sure you want to move this expense report to status "Draft"? -SaveTrip=Validate expense report -ConfirmSaveTrip=Are you sure you want to validate this expense report? -NoTripsToExportCSV=No expense report to export for this period. -ExpenseReportPayment=Expense report payment -ExpenseReportsToApprove=Expense reports to approve -ExpenseReportsToPay=Expense reports to pay -ConfirmCloneExpenseReport=Are you sure you want to clone this expense report ? -ExpenseReportsIk=Configuration of mileage charges -ExpenseReportsRules=Expense report rules -ExpenseReportIkDesc=You can modify the calculation of kilometers expense by category and range who they are previously defined. d is the distance in kilometers -ExpenseReportRulesDesc=You can define max amount rules for expense reports. These rules will be applied when a new expense is added to an expense report -expenseReportOffset=Offset -expenseReportCoef=Coefficient -expenseReportTotalForFive=Example with d = 5 -expenseReportRangeFromTo=from %d to %d -expenseReportRangeMoreThan=more than %d -expenseReportCoefUndefined=(value not defined) -expenseReportCatDisabled=Category disabled - see the c_exp_tax_cat dictionary -expenseReportRangeDisabled=Range disabled - see the c_exp_tax_range dictionay -expenseReportPrintExample=offset + (d x coef) = %s -ExpenseReportApplyTo=Apply to -ExpenseReportDomain=Domain to apply -ExpenseReportLimitOn=Limit on -ExpenseReportDateStart=Date start -ExpenseReportDateEnd=Date end -ExpenseReportLimitAmount=Max amount -ExpenseReportRestrictive=Exceeding forbidden -AllExpenseReport=All type of expense report -OnExpense=Expense line -ExpenseReportRuleSave=Expense report rule saved -ExpenseReportRuleErrorOnSave=Error: %s -RangeNum=Range %d -ExpenseReportConstraintViolationError=Max amount exceeded (rule %s): %s is higher than %s (Exceeding forbidden) -byEX_DAY=by day (limitation to %s) -byEX_MON=by month (limitation to %s) -byEX_YEA=by year (limitation to %s) -byEX_EXP=by line (limitation to %s) -ExpenseReportConstraintViolationWarning=Max amount exceeded (rule %s): %s is higher than %s (Exceeding authorized) -nolimitbyEX_DAY=by day (no limitation) -nolimitbyEX_MON=by month (no limitation) -nolimitbyEX_YEA=by year (no limitation) -nolimitbyEX_EXP=by line (no limitation) -CarCategory=Vehicle category -ExpenseRangeOffset=Offset amount: %s -RangeIk=Mileage range -AttachTheNewLineToTheDocument=Attach the line to an uploaded document +AUTHOR=দ্বারা নথিভুক্ত +AUTHORPAIEMENT=দ্বারা পরিশোধ করা হয় +AddTrip=ব্যয় প্রতিবেদন তৈরি করুন +AllExpenseReport=সব ধরনের খরচ রিপোর্ট +AllExpenseReports=সমস্ত খরচ রিপোর্ট +AnyOtherInThisListCanValidate=অনুরোধ বৈধ করার জন্য অবহিত করা ব্যক্তি। +AttachTheNewLineToTheDocument=একটি আপলোড করা নথিতে লাইনটি সংযুক্ত করুন +AucuneLigne=এখনো কোনো ব্যয়ের প্রতিবেদন ঘোষণা করা হয়নি +BrouillonnerTrip="খসড়া" স্থিতিতে ব্যয় প্রতিবেদনটি ফিরিয়ে নিয়ে যান +byEX_DAY=দিনের দ্বারা (%s এর সীমাবদ্ধতা) +byEX_EXP=লাইন দ্বারা (%s এর সীমাবদ্ধতা) +byEX_MON=মাস অনুসারে (%s এর সীমাবদ্ধতা) +byEX_YEA=বছর অনুসারে (%s এর সীমাবদ্ধতা) +CANCEL_USER=দ্বারা মুছে ফেলা হয়েছে +CarCategory=যানবাহন বিভাগ +ClassifyRefunded='ফেরত' শ্রেণীবদ্ধ করুন +CompanyVisited=কোম্পানি/সংস্থা পরিদর্শন করা হয়েছে +ConfirmBrouillonnerTrip=আপনি কি এই ব্যয় প্রতিবেদনটিকে "খসড়া" স্থিতিতে সরানোর বিষয়ে নিশ্চিত? +ConfirmCancelTrip=আপনি কি নিশ্চিত আপনি এই ব্যয় প্রতিবেদন বাতিল করতে চান? +ConfirmCloneExpenseReport=আপনি কি নিশ্চিত আপনি এই খরচ রিপোর্ট ক্লোন করতে চান? +ConfirmDeleteTrip=আপনি কি নিশ্চিত আপনি এই খরচ রিপোর্ট মুছে ফেলতে চান? +ConfirmPaidTrip=আপনি কি নিশ্চিত যে আপনি এই ব্যয় প্রতিবেদনের স্থিতি "প্রদেয়" এ পরিবর্তন করতে চান? +ConfirmRefuseTrip=আপনি কি নিশ্চিত আপনি এই খরচ রিপোর্ট অস্বীকার করতে চান? +ConfirmSaveTrip=আপনি কি নিশ্চিত যে আপনি এই ব্যয় প্রতিবেদনটি যাচাই করতে চান? +ConfirmValideTrip=আপনি কি এই ব্যয়ের প্রতিবেদনটি অনুমোদন করার বিষয়ে নিশ্চিত? +DATE_CANCEL=বাতিলের তারিখ +DATE_PAIEMENT=টাকা প্রদানের তারিখ +DATE_REFUS=তারিখ অস্বীকার করুন +DATE_SAVE=বৈধতা তারিখ +DefaultCategoryCar=ডিফল্ট পরিবহন মোড +DefaultRangeNumber=ডিফল্ট পরিসীমা নম্বর +DeleteTrip=ব্যয় প্রতিবেদন মুছুন +ErrorDoubleDeclaration=আপনি একই তারিখের পরিসরে আরেকটি ব্যয়ের প্রতিবেদন ঘোষণা করেছেন। +Error_EXPENSEREPORT_ADDON_NotDefined=ত্রুটি, ব্যয় প্রতিবেদন সংখ্যার রেফের নিয়ম 'ব্যয় প্রতিবেদন' মডিউল সেটআপে সংজ্ঞায়িত করা হয়নি +ExpenseRangeOffset=অফসেট পরিমাণ: %s +expenseReportCatDisabled=বিভাগ অক্ষম - c_exp_tax_cat অভিধান দেখুন +expenseReportCoef=গুণাঙ্ক +expenseReportCoefUndefined=(মান সংজ্ঞায়িত নয়) +expenseReportOffset=অফসেট +expenseReportPrintExample=অফসেট + (d x coef) = %s +expenseReportRangeDisabled=পরিসর অক্ষম - c_exp_tax_range অভিধান দেখুন +expenseReportRangeFromTo=%d থেকে %d +expenseReportRangeMoreThan=%d এর চেয়ে বেশি +expenseReportTotalForFive=d = 5 সহ উদাহরণ +ExpenseReportApplyTo=আবেদন করতে +ExpenseReportApproved=একটি ব্যয় রিপোর্ট অনুমোদিত হয় +ExpenseReportApprovedMessage=ব্যয় প্রতিবেদন %s অনুমোদিত হয়েছে।
      - ব্যবহারকারী: %s class='notranslate'>
      - এর দ্বারা অনুমোদিত: %s
      খরচ প্রতিবেদন দেখানোর জন্য এখানে ক্লিক করুন: span class='notranslate'>%s +ExpenseReportCanceled=একটি খরচ রিপোর্ট বাতিল করা হয়েছে +ExpenseReportCanceledMessage=ব্যয় প্রতিবেদন %s বাতিল করা হয়েছে।
      - ব্যবহারকারী: %s class='notranslate'>
      - এর দ্বারা বাতিল করা হয়েছে: %s
      - বাতিলের উদ্দেশ্য: %s
      ব্যয় প্রতিবেদন দেখানোর জন্য এখানে ক্লিক করুন: %s +ExpenseReportConstraintViolationError=সর্বাধিক পরিমাণ ছাড়িয়ে গেছে (নিয়ম %s): %s %s থেকে বেশি ( হারাম ছাড়িয়ে যাওয়া) +ExpenseReportConstraintViolationWarning=সর্বাধিক পরিমাণ ছাড়িয়ে গেছে (নিয়ম %s): %s %s থেকে বেশি ( অনুমোদনের চেয়ে বেশি) +ExpenseReportDateEnd=তারিখ শেষ +ExpenseReportDateStart=তারিখ শুরু +ExpenseReportDomain=আবেদন করার জন্য ডোমেইন +ExpenseReportIkDesc=আপনি বিভাগ এবং পরিসীমা দ্বারা কিলোমিটার ব্যয়ের গণনা পরিবর্তন করতে পারেন যারা তারা পূর্বে সংজ্ঞায়িত করা হয়েছে। d হল দূরত্ব কিলোমিটারে +ExpenseReportLimitAmount=সর্বোচ্চ পরিমাণ +ExpenseReportLimitOn=সীমাবদ্ধ করুন +ExpenseReportLine=খরচ রিপোর্ট লাইন +ExpenseReportPaid=একটি খরচ রিপোর্ট প্রদান করা হয়েছে +ExpenseReportPaidMessage=খরচের রিপোর্ট %s দেওয়া হয়েছে।
      - ব্যবহারকারী: %s
      - এর দ্বারা অর্থপ্রদান করা হয়েছে: %s
      খরচ প্রতিবেদন দেখাতে এখানে ক্লিক করুন: %s +ExpenseReportPayment=ব্যয় প্রতিবেদন প্রদান +ExpenseReportRef=রেফ. ব্যয় রিপোর্ট +ExpenseReportRefused=একটি খরচ রিপোর্ট প্রত্যাখ্যান করা হয়েছে +ExpenseReportRefusedMessage=ব্যয়ের প্রতিবেদন %s প্রত্যাখ্যান করা হয়েছে।
      - ব্যবহারকারী: %s class='notranslate'>
      - প্রত্যাখ্যান করেছেন: %s
      - প্রত্যাখ্যানের উদ্দেশ্য: %s
      ব্যয় প্রতিবেদন দেখানোর জন্য এখানে ক্লিক করুন: %s +ExpenseReportRestrictive=হারাম ছাড়িয়ে গেছে +ExpenseReportRuleErrorOnSave=ত্রুটি: %s +ExpenseReportRuleSave=খরচ রিপোর্ট নিয়ম সংরক্ষিত +ExpenseReportRulesDesc=আপনি ব্যয় প্রতিবেদনের জন্য সর্বাধিক পরিমাণের নিয়ম নির্ধারণ করতে পারেন। এই নিয়মগুলি প্রয়োগ করা হবে যখন একটি নতুন ব্যয় একটি ব্যয় প্রতিবেদনে যোগ করা হয় +ExpenseReportWaitingForApproval=একটি নতুন ব্যয় প্রতিবেদন অনুমোদনের জন্য জমা দেওয়া হয়েছে +ExpenseReportWaitingForApprovalMessage=একটি নতুন ব্যয় প্রতিবেদন জমা দেওয়া হয়েছে এবং অনুমোদনের জন্য অপেক্ষা করছে৷
      - ব্যবহারকারী: %s
      - সময়কাল: %s
      বৈধকরণ করতে এখানে ক্লিক করুন: b0849fz span> +ExpenseReportWaitingForReApproval=পুনঃঅনুমোদনের জন্য একটি ব্যয় প্রতিবেদন জমা দেওয়া হয়েছে +ExpenseReportWaitingForReApprovalMessage=একটি ব্যয় প্রতিবেদন জমা দেওয়া হয়েছে এবং পুনরায় অনুমোদনের জন্য অপেক্ষা করছে৷
      The %s, আপনি এর জন্য ব্যয় প্রতিবেদন অনুমোদন করতে অস্বীকার করেছেন এই কারণে: %s।
      একটি নতুন সংস্করণ প্রস্তাব করা হয়েছে এবং আপনার অনুমোদনের জন্য অপেক্ষা করছে।
      - ব্যবহারকারী: %s
      - সময়কাল: b0ecb2ecb9fz84
      প্রমাণিত করতে এখানে ক্লিক করুন: %s +ExpenseReportsIk=মাইলেজ চার্জ কনফিগারেশন +ExpenseReportsRules=ব্যয় প্রতিবেদনের নিয়ম +ExpenseReportsToApprove=অনুমোদনের জন্য ব্যয়ের প্রতিবেদন +ExpenseReportsToPay=খরচের রিপোর্ট দিতে হবে +ExpensesArea=খরচ রিপোর্ট এলাকা +FeesKilometersOrAmout=পরিমাণ বা কিলোমিটার +LastExpenseReports=সর্বশেষ %s খরচ রিপোর্ট +ListOfFees=ফি তালিকা +ListOfTrips=ব্যয় প্রতিবেদনের তালিকা +ListToApprove=অনুমোদনের জন্য অপেক্ষা করছে +ListTripsAndExpenses=ব্যয় প্রতিবেদনের তালিকা +MOTIF_CANCEL=কারণ +MOTIF_REFUS=কারণ +ModePaiement=পরিশোধের মাধ্যম +NewTrip=নতুন খরচ রিপোর্ট +nolimitbyEX_DAY=দিনের দ্বারা (কোন সীমাবদ্ধতা নেই) +nolimitbyEX_EXP=লাইন দ্বারা (কোন সীমাবদ্ধতা নেই) +nolimitbyEX_MON=মাস অনুসারে (কোন সীমাবদ্ধতা নেই) +nolimitbyEX_YEA=বছরের দ্বারা (কোন সীমাবদ্ধতা নেই) +NoTripsToExportCSV=এই সময়ের জন্য রপ্তানি করার জন্য কোন খরচের রিপোর্ট নেই। +NOT_AUTHOR=আপনি এই ব্যয় প্রতিবেদনের লেখক নন। অপারেশন বাতিল করা হয়েছে। +OnExpense=ব্যয়ের লাইন +PDFStandardExpenseReports=ব্যয় প্রতিবেদনের জন্য একটি পিডিএফ নথি তৈরি করতে স্ট্যান্ডার্ড টেমপ্লেট +PaidTrip=একটি খরচ রিপোর্ট প্রদান +REFUSEUR=দ্বারা অস্বীকার করা হয়েছে +RangeIk=মাইলেজ পরিসীমা +RangeNum=ব্যাপ্তি %d +SaveTrip=খরচ রিপোর্ট যাচাই +ShowExpenseReport=ব্যয় প্রতিবেদন দেখান +ShowTrip=ব্যয় প্রতিবেদন দেখান +TripCard=খরচ রিপোর্ট কার্ড +TripId=আইডি খরচ রিপোর্ট +TripNDF=তথ্য ব্যয় প্রতিবেদন +TripSociete=তথ্য সংস্থা +Trips=খরচ রিপোর্ট +TripsAndExpenses=খরচ রিপোর্ট +TripsAndExpensesStatistics=খরচ রিপোর্ট পরিসংখ্যান +TypeFees=ফি এর প্রকার +UploadANewFileNow=এখন একটি নতুন নথি আপলোড করুন +VALIDATOR=অনুমোদনের জন্য দায়ী ব্যবহারকারী +VALIDOR=দ্বারা অনুমোদিত +ValidateAndSubmit=যাচাই করুন এবং অনুমোদনের জন্য জমা দিন +ValidatedWaitingApproval=বৈধ (অনুমোদনের জন্য অপেক্ষা করা হচ্ছে) +ValideTrip=ব্যয় প্রতিবেদন অনুমোদন করুন + +## Dictionary +EX_BRE=সকালের নাস্তা +EX_CAM=সিভি রক্ষণাবেক্ষণ এবং মেরামত +EX_CAM_VP=PV রক্ষণাবেক্ষণ এবং মেরামত +EX_CAR=গাড়ী ভাড়া +EX_CUR=গ্রাহকরা গ্রহণ করছেন +EX_DOC=ডকুমেন্টেশন +EX_EMM=কর্মচারীদের খাবার +EX_FUE=ফুয়েল সিভি +EX_FUE_VP=জ্বালানী পিভি +EX_GUM=অতিথিদের খাবার +EX_HOT=হোটেল +EX_IND=ক্ষতিপূরণ পরিবহন সাবস্ক্রিপশন +EX_KME=মাইলেজ খরচ +EX_OTR=অন্যান্য গ্রহণ +EX_PAR=পার্কিং সিভি +EX_PAR_VP=পার্কিং PV +EX_POS=ডাক +EX_SUM=রক্ষণাবেক্ষণ সরবরাহ +EX_SUO=অফিসে ব্যবহারকৃত জিনিসপত্র +EX_TAX=বিভিন্ন ট্যাক্স +EX_TOL=টোল সিভি +EX_TOL_VP=টোল পিভি +TF_BUS=বাস +TF_CAR=গাড়ি +TF_ESSENCE=জ্বালানী +TF_HOTEL=হোটেল +TF_LUNCH=মধ্যাহ্নভোজ +TF_METRO=মেট্রো +TF_OTHER=অন্যান্য +TF_PEAGE=টোল +TF_TAXI=ট্যাক্সি +TF_TRAIN=ট্রেন +TF_TRIP=পরিবহন diff --git a/htdocs/langs/bn_IN/users.lang b/htdocs/langs/bn_IN/users.lang index b6c7feb7bd2..21234aca461 100644 --- a/htdocs/langs/bn_IN/users.lang +++ b/htdocs/langs/bn_IN/users.lang @@ -1,126 +1,136 @@ # Dolibarr language file - Source file is en_US - users -HRMArea=HRM area -UserCard=User card -GroupCard=Group card -Permission=Permission -Permissions=Permissions -EditPassword=Edit password -SendNewPassword=Regenerate and send password -SendNewPasswordLink=Send link to reset password -ReinitPassword=Regenerate password -PasswordChangedTo=Password changed to: %s -SubjectNewPassword=Your new password for %s -GroupRights=Group permissions -UserRights=User permissions -Credentials=Credentials -UserGUISetup=User Display Setup -DisableUser=Disable -DisableAUser=Disable a user -DeleteUser=Delete -DeleteAUser=Delete a user -EnableAUser=Enable a user -DeleteGroup=Delete -DeleteAGroup=Delete a group -ConfirmDisableUser=Are you sure you want to disable user %s? -ConfirmDeleteUser=Are you sure you want to delete user %s? -ConfirmDeleteGroup=Are you sure you want to delete group %s? -ConfirmEnableUser=Are you sure you want to enable user %s? -ConfirmReinitPassword=Are you sure you want to generate a new password for user %s? -ConfirmSendNewPassword=Are you sure you want to generate and send new password for user %s? -NewUser=New user -CreateUser=Create user -LoginNotDefined=Login is not defined. -NameNotDefined=Name is not defined. -ListOfUsers=List of users -SuperAdministrator=Super Administrator -SuperAdministratorDesc=Global administrator -AdministratorDesc=Administrator -DefaultRights=Default Permissions -DefaultRightsDesc=Define here the default permissions that are automatically granted to a new user (to modify permissions for existing users, go to the user card). -DolibarrUsers=Dolibarr users -LastName=Last name -FirstName=First name -ListOfGroups=List of groups -NewGroup=New group -CreateGroup=Create group -RemoveFromGroup=Remove from group -PasswordChangedAndSentTo=Password changed and sent to %s. -PasswordChangeRequest=Request to change password for %s -PasswordChangeRequestSent=Request to change password for %s sent to %s. -IfLoginExistPasswordRequestSent=If this login is a valid account, an email to reset password has been sent. -IfEmailExistPasswordRequestSent=If this email is a valid account, an email to reset password has been sent. -ConfirmPasswordReset=Confirm password reset -MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s groups created -LastUsersCreated=Latest %s users created -ShowGroup=Show group -ShowUser=Show user -NonAffectedUsers=Non assigned users -UserModified=User modified successfully -PhotoFile=Photo file -ListOfUsersInGroup=List of users in this group -ListOfGroupsForUser=List of groups for this user -LinkToCompanyContact=Link to third party / contact -LinkedToDolibarrMember=Link to member -LinkedToDolibarrUser=Link to user -LinkedToDolibarrThirdParty=Link to third party -CreateDolibarrLogin=Create a user -CreateDolibarrThirdParty=Create a third party -LoginAccountDisableInDolibarr=Account disabled in Dolibarr. -UsePersonalValue=Use personal value -InternalUser=Internal user -ExportDataset_user_1=Users and their properties -DomainUser=Domain user %s -Reactivate=Reactivate -CreateInternalUserDesc=This form allows you to create an internal user in your company/organization. To create an external user (customer, vendor etc. ..), use the button 'Create Dolibarr User' from that third-party's contact card. -InternalExternalDesc=An internal user is a user that is part of your company/organization, or is a partner user outside of your organization that may need to see more data than data related to his company (the permission system will define what he can or can't see or do).
      An external user is a customer, vendor or other that must view ONLY data related to himself (Creating an external user for a third-party can be done from the contact record of the third-party).

      In both cases, you must grant permissions on the features that the user need. -PermissionInheritedFromAGroup=Permission granted because inherited from one of a user's group. -Inherited=Inherited -UserWillBe=Created user will be -UserWillBeInternalUser=Created user will be an internal user (because not linked to a particular third party) -UserWillBeExternalUser=Created user will be an external user (because linked to a particular third party) -IdPhoneCaller=Id phone caller -NewUserCreated=User %s created -NewUserPassword=Password change for %s -NewPasswordValidated=Your new password have been validated and must be used now to login. -EventUserModified=User %s modified -UserDisabled=User %s disabled -UserEnabled=User %s activated -UserDeleted=User %s removed -NewGroupCreated=Group %s created -GroupModified=Group %s modified -GroupDeleted=Group %s removed -ConfirmCreateContact=Are you sure you want to create a Dolibarr account for this contact? -ConfirmCreateLogin=Are you sure you want to create a Dolibarr account for this member? -ConfirmCreateThirdParty=Are you sure you want to create a third party for this member? -LoginToCreate=Login to create -NameToCreate=Name of third party to create -YourRole=Your roles -YourQuotaOfUsersIsReached=Your quota of active users is reached ! -NbOfUsers=Number of users -NbOfPermissions=Number of permissions -DontDowngradeSuperAdmin=Only a superadmin can downgrade a superadmin -HierarchicalResponsible=Supervisor -HierarchicView=Hierarchical view -UseTypeFieldToChange=Use field Type to change +HRMArea=এইচআরএম এলাকা +UserCard=ব্যবহারকারী কার্ড +GroupCard=গ্রুপ কার্ড +Permission=অনুমতি +Permissions=অনুমতি +EditPassword=পাসওয়ার্ড সম্পাদনা করুন +SendNewPassword=পুনরায় তৈরি করুন এবং পাসওয়ার্ড পাঠান +SendNewPasswordLink=পাসওয়ার্ড রিসেট করতে লিঙ্ক পাঠান +ReinitPassword=পাসওয়ার্ড পুনরায় তৈরি করুন +PasswordChangedTo=পাসওয়ার্ড এতে পরিবর্তিত হয়েছে: %s +SubjectNewPassword=%s এর জন্য আপনার নতুন পাসওয়ার্ড +GroupRights=গ্রুপ অনুমতি +UserRights=ব্যবহারকারীর অনুমতি +Credentials=শংসাপত্র +UserGUISetup=ব্যবহারকারী প্রদর্শন সেটআপ +DisableUser=নিষ্ক্রিয় করুন +DisableAUser=একজন ব্যবহারকারীকে অক্ষম করুন +DeleteUser=মুছে ফেলা +DeleteAUser=একটি ব্যবহারকারী মুছুন +EnableAUser=একটি ব্যবহারকারী সক্রিয় করুন +DeleteGroup=মুছে ফেলা +DeleteAGroup=একটি গ্রুপ মুছুন +ConfirmDisableUser=আপনি কি ব্যবহারকারী %s অক্ষম করার বিষয়ে নিশ্চিত? +ConfirmDeleteUser=আপনি কি নিশ্চিত যে আপনি %s মুছে ফেলতে চান? +ConfirmDeleteGroup=আপনি কি %s গোষ্ঠী মুছে ফেলার বিষয়ে নিশ্চিত? +ConfirmEnableUser=আপনি কি ব্যবহারকারী %s সক্ষম করার বিষয়ে নিশ্চিত? +ConfirmReinitPassword=আপনি কি নিশ্চিত যে আপনি ব্যবহারকারীর জন্য একটি নতুন পাসওয়ার্ড তৈরি করতে চান %s? +ConfirmSendNewPassword=আপনি কি নিশ্চিত যে আপনি ব্যবহারকারীর জন্য নতুন পাসওয়ার্ড তৈরি এবং পাঠাতে চান %s
      ? +NewUser=নতুন ব্যবহারকারী +CreateUser=ব্যবহারকারী তৈরি করুন +LoginNotDefined=লগইন সংজ্ঞায়িত করা হয় না. +NameNotDefined=নাম সংজ্ঞায়িত করা হয় না. +ListOfUsers=ব্যবহারকারীদের তালিকা +SuperAdministrator=মাল্টিকোম্পানি প্রশাসক +SuperAdministratorDesc=মাল্টিকোম্পানি সিস্টেম অ্যাডমিনিস্ট্রেটর (সেটআপ এবং ব্যবহারকারীদের পরিবর্তন করতে পারেন) +DefaultRights=ডিফল্ট অনুমতি +DefaultRightsDesc=এখানে ডিফল্ট অনুমতিগুলি সংজ্ঞায়িত করুন যা স্বয়ংক্রিয়ভাবে কে দেওয়া হয় নতুন ব্যবহারকারী (বিদ্যমান ব্যবহারকারীদের জন্য অনুমতি পরিবর্তন করতে, ব্যবহারকারী কার্ডে যান)। +DolibarrUsers=ডলিবার ব্যবহারকারী +LastName=নামের শেষাংশ +FirstName=নামের প্রথম অংশ +ListOfGroups=গ্রুপের তালিকা +NewGroup=নতুন দল +CreateGroup=গ্রুপ তৈরি করুন +RemoveFromGroup=দল থেকে বহিষ্কার করা +PasswordChangedAndSentTo=পাসওয়ার্ড পরিবর্তন করে %s-এ পাঠানো হয়েছে। +PasswordChangeRequest=%s-এর পাসওয়ার্ড পরিবর্তন করার অনুরোধ করুন +PasswordChangeRequestSent=%s এর পাসওয়ার্ড পরিবর্তন করার অনুরোধ %s। +IfLoginExistPasswordRequestSent=যদি এই লগইনটি একটি বৈধ অ্যাকাউন্ট হয় (একটি বৈধ ইমেল সহ), পাসওয়ার্ড পুনরায় সেট করার জন্য একটি ইমেল পাঠানো হয়েছে৷ +IfEmailExistPasswordRequestSent=যদি এই ইমেলটি একটি বৈধ অ্যাকাউন্ট হয়, তাহলে পাসওয়ার্ড রিসেট করার জন্য একটি ইমেল পাঠানো হয়েছে (আপনি কিছু না পেলে আপনার স্প্যাম ফোল্ডার চেক করতে ভুলবেন না) +ConfirmPasswordReset=পাসওয়ার্ড রিসেট নিশ্চিত করুন +MenuUsersAndGroups=ব্যবহারকারী ও গোষ্ঠী +LastGroupsCreated=সর্বশেষ %s গ্রুপ তৈরি করা হয়েছে +LastUsersCreated=সর্বশেষ %s ব্যবহারকারীরা তৈরি +ShowGroup=গ্রুপ দেখান +ShowUser=ব্যবহারকারী দেখান +NonAffectedUsers=অ নির্ধারিত ব্যবহারকারী +UserModified=ব্যবহারকারী সফলভাবে সংশোধন করা হয়েছে +PhotoFile=ফটো ফাইল +ListOfUsersInGroup=এই গ্রুপের ব্যবহারকারীদের তালিকা +ListOfGroupsForUser=এই ব্যবহারকারীর জন্য গ্রুপ তালিকা +LinkToCompanyContact=তৃতীয় পক্ষ/যোগাযোগের লিঙ্ক +LinkedToDolibarrMember=সদস্য লিঙ্ক +LinkedToDolibarrUser=ব্যবহারকারী লিঙ্ক +LinkedToDolibarrThirdParty=তৃতীয় পক্ষের সাথে লিঙ্ক করুন +CreateDolibarrLogin=একটি ব্যবহারকারী তৈরি করুন +CreateDolibarrThirdParty=একটি তৃতীয় পক্ষ তৈরি করুন +LoginAccountDisableInDolibarr=Dolibarr এ অ্যাকাউন্ট নিষ্ক্রিয় করা হয়েছে +PASSWORDInDolibarr=ডলিবারে পাসওয়ার্ড পরিবর্তন করা হয়েছে +UsePersonalValue=ব্যক্তিগত মান ব্যবহার করুন +ExportDataset_user_1=ব্যবহারকারী এবং তাদের বৈশিষ্ট্য +DomainUser=ডোমেন ব্যবহারকারী %s +Reactivate=পুনরায় সক্রিয় করুন +CreateInternalUserDesc=এই ফর্মটি আপনাকে আপনার কোম্পানি/প্রতিষ্ঠানে একজন অভ্যন্তরীণ ব্যবহারকারী তৈরি করতে দেয়। একটি বহিরাগত ব্যবহারকারী (গ্রাহক, বিক্রেতা ইত্যাদি ..) তৈরি করতে, সেই তৃতীয় পক্ষের যোগাযোগ কার্ড থেকে 'ডোলিবার ব্যবহারকারী তৈরি করুন' বোতামটি ব্যবহার করুন। +InternalExternalDesc=একজন অভ্যন্তরীণ ব্যবহারকারী এমন একজন ব্যবহারকারী যে আপনার কোম্পানি/সংস্থার অংশ, অথবা আপনার প্রতিষ্ঠানের বাইরে একজন অংশীদার ব্যবহারকারী যাকে তার কোম্পানির সাথে সম্পর্কিত ডেটার চেয়ে বেশি ডেটা দেখতে হবে (অনুমতি সিস্টেমটি নির্ধারণ করবে যে সে কী দেখতে পারে বা কী করতে পারে না)।
      একটি বহিরাগত ব্যবহারকারী একজন গ্রাহক, বিক্রেতা বা অন্য যাকে শুধুমাত্র নিজের সাথে সম্পর্কিত ডেটা দেখতে হবে (একটি তৃতীয় পক্ষের জন্য একটি বহিরাগত ব্যবহারকারী তৈরি করা হতে পারে তৃতীয় পক্ষের যোগাযোগের রেকর্ড থেকে করা হয়েছে। ব্যবহারকারীর প্রয়োজন। +PermissionInheritedFromAGroup=অনুমতি দেওয়া হয়েছে কারণ একজন ব্যবহারকারীর গ্রুপ থেকে উত্তরাধিকারসূত্রে প্রাপ্ত। +Inherited=উত্তরাধিকারসূত্রে প্রাপ্ত +UserWillBe=ব্যবহারকারী তৈরি হবে +UserWillBeInternalUser=তৈরি করা ব্যবহারকারী একজন অভ্যন্তরীণ ব্যবহারকারী হবেন (কারণ একটি নির্দিষ্ট তৃতীয় পক্ষের সাথে লিঙ্ক করা হয়নি) +UserWillBeExternalUser=তৈরি করা ব্যবহারকারী একজন বহিরাগত ব্যবহারকারী হবেন (কারণ একটি নির্দিষ্ট তৃতীয় পক্ষের সাথে লিঙ্ক করা হয়েছে) +IdPhoneCaller=আইডি ফোন কলার +NewUserCreated=ব্যবহারকারী %s তৈরি করা হয়েছে +NewUserPassword=%s এর জন্য পাসওয়ার্ড পরিবর্তন +NewPasswordValidated=আপনার নতুন পাসওয়ার্ড যাচাই করা হয়েছে এবং লগইন করতে এখনই ব্যবহার করতে হবে। +EventUserModified=ব্যবহারকারী %s পরিবর্তিত +UserDisabled=ব্যবহারকারী %s অক্ষম +UserEnabled=ব্যবহারকারী %s সক্রিয় করা হয়েছে +UserDeleted=ব্যবহারকারী %s সরানো হয়েছে +NewGroupCreated=গ্রুপ %s তৈরি করা হয়েছে +GroupModified=গোষ্ঠী %s পরিবর্তিত হয়েছে +GroupDeleted=গ্রুপ %s সরানো হয়েছে +ConfirmCreateContact=আপনি কি এই পরিচিতির জন্য একটি Dolibarr অ্যাকাউন্ট তৈরি করার বিষয়ে নিশ্চিত? +ConfirmCreateLogin=আপনি কি এই সদস্যের জন্য একটি Dolibarr অ্যাকাউন্ট তৈরি করার বিষয়ে নিশ্চিত? +ConfirmCreateThirdParty=আপনি কি এই সদস্যের জন্য একটি তৃতীয় পক্ষ তৈরি করার বিষয়ে নিশ্চিত? +LoginToCreate=তৈরি করতে লগইন করুন +NameToCreate=তৈরি করার জন্য তৃতীয় পক্ষের নাম +YourRole=আপনার ভূমিকা +YourQuotaOfUsersIsReached=আপনার সক্রিয় ব্যবহারকারীদের কোটা পৌঁছে গেছে! +NbOfUsers=ব্যবহারকারীর সংখ্যা +NbOfPermissions=অনুমতি সংখ্যা +DontDowngradeSuperAdmin=শুধুমাত্র অন্য অ্যাডমিন একজন অ্যাডমিনকে ডাউনগ্রেড করতে পারেন +HierarchicalResponsible=কর্মকর্তা +HierarchicView=অনুক্রমিক দৃষ্টিভঙ্গি +UseTypeFieldToChange=পরিবর্তন করতে ক্ষেত্রের ধরন ব্যবহার করুন OpenIDURL=OpenID URL -LoginUsingOpenID=Use OpenID to login -WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected hours worked per week -ColorUser=Color of the user -DisabledInMonoUserMode=Disabled in maintenance mode -UserAccountancyCode=User accounting code -UserLogoff=User logout -UserLogged=User logged -DateOfEmployment=Employment date -DateEmployment=Employment -DateEmploymentstart=Employment Start Date -DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Access validity date range -CantDisableYourself=You can't disable your own user record -ForceUserExpenseValidator=Force expense report validator -ForceUserHolidayValidator=Force leave request validator -ValidatorIsSupervisorByDefault=By default, the validator is the supervisor of the user. Keep empty to keep this behaviour. -UserPersonalEmail=Personal email -UserPersonalMobile=Personal mobile phone -WarningNotLangOfInterface=Warning, this is the main language the user speak, not the language of the interface he choosed to see. To change the interface language visible by this user, go on tab %s +LoginUsingOpenID=লগইন করতে OpenID ব্যবহার করুন +WeeklyHours=কাজের ঘন্টা (প্রতি সপ্তাহে) +ExpectedWorkedHours=প্রতি সপ্তাহে প্রত্যাশিত ঘন্টা কাজ করেছে +ColorUser=ব্যবহারকারীর রঙ +DisabledInMonoUserMode=রক্ষণাবেক্ষণ মোডে অক্ষম +UserAccountancyCode=ব্যবহারকারীর অ্যাকাউন্টিং কোড +UserLogoff=ব্যবহারকারী লগআউট: %s +UserLogged=ব্যবহারকারী লগ করেছেন: %s +UserLoginFailed=ব্যবহারকারীর লগইন ব্যর্থ হয়েছে: %s +DateOfEmployment=কর্মসংস্থান তারিখ +DateEmployment=কর্মসংস্থান +DateEmploymentStart=কর্মসংস্থান শুরুর তারিখ +DateEmploymentEnd=চাকরির শেষ তারিখ +RangeOfLoginValidity=অ্যাক্সেস বৈধতা তারিখ পরিসীমা +CantDisableYourself=আপনি আপনার নিজের ব্যবহারকারী রেকর্ড নিষ্ক্রিয় করতে পারবেন না +ForceUserExpenseValidator=ফোর্স খরচ রিপোর্ট যাচাইকারী +ForceUserHolidayValidator=বাধ্যতামূলক ছুটির অনুরোধ যাচাইকারী +ValidatorIsSupervisorByDefault=ডিফল্টরূপে, যাচাইকারী ব্যবহারকারীর সুপারভাইজার। এই আচরণ রাখতে খালি রাখুন। +UserPersonalEmail=ব্যক্তিগত ইমেইল +UserPersonalMobile=ব্যক্তিগত মোবাইল ফোন +WarningNotLangOfInterface=সতর্কতা, এটি ব্যবহারকারীর প্রধান ভাষা, ইন্টারফেসের ভাষা নয় যেটি তিনি দেখতে বেছে নিয়েছেন। এই ব্যবহারকারীর দ্বারা দৃশ্যমান ইন্টারফেস ভাষা পরিবর্তন করতে, ট্যাবে যান %s +DateLastLogin=শেষ লগইন তারিখ +DatePreviousLogin=আগের লগইন তারিখ +IPLastLogin=আইপি শেষ লগইন +IPPreviousLogin=আইপি আগের লগইন +ShowAllPerms=সমস্ত অনুমতি সারি দেখান +HideAllPerms=সমস্ত অনুমতি সারি লুকান +UserPublicPageDesc=আপনি এই ব্যবহারকারীর জন্য একটি ভার্চুয়াল কার্ড সক্ষম করতে পারেন৷ ব্যবহারকারীর প্রোফাইল এবং একটি বারকোড সহ একটি ইউআরএল উপলব্ধ থাকবে যাতে স্মার্টফোন সহ যে কেউ এটিকে স্ক্যান করতে এবং আপনার পরিচিতিকে এর ঠিকানা বইতে যুক্ত করতে দেয়৷ +EnablePublicVirtualCard=ব্যবহারকারীর ভার্চুয়াল ব্যবসা কার্ড সক্রিয় করুন +UserEnabledDisabled=ব্যবহারকারীর স্থিতি পরিবর্তিত হয়েছে: %s +AlternativeEmailForOAuth2=Alternative Email for OAuth2 login diff --git a/htdocs/langs/bn_IN/website.lang b/htdocs/langs/bn_IN/website.lang index dc2ec2c0b3d..e8211fe167f 100644 --- a/htdocs/langs/bn_IN/website.lang +++ b/htdocs/langs/bn_IN/website.lang @@ -1,147 +1,166 @@ # Dolibarr language file - Source file is en_US - website -Shortname=Code -WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them. -DeleteWebsite=Delete website -ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. -WEBSITE_TYPE_CONTAINER=Type of page/container -WEBSITE_PAGE_EXAMPLE=Web page to use as example -WEBSITE_PAGENAME=Page name/alias -WEBSITE_ALIASALT=Alternative page names/aliases -WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
      alternativename1, alternativename2, ... -WEBSITE_CSS_URL=URL of external CSS file -WEBSITE_CSS_INLINE=CSS file content (common to all pages) -WEBSITE_JS_INLINE=Javascript file content (common to all pages) -WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) -WEBSITE_ROBOT=Robot file (robots.txt) -WEBSITE_HTACCESS=Website .htaccess file -WEBSITE_MANIFEST_JSON=Website manifest.json file -WEBSITE_README=README.md file -WEBSITE_KEYWORDSDesc=Use a comma to separate values -EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. -HtmlHeaderPage=HTML header (specific to this page only) -PageNameAliasHelp=Name or alias of the page.
      This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. -EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. -MediaFiles=Media library -EditCss=Edit website properties -EditMenu=Edit menu -EditMedias=Edit medias -EditPageMeta=Edit page/container properties -EditInLine=Edit inline -AddWebsite=Add website -Webpage=Web page/container -AddPage=Add page/container -PageContainer=Page -PreviewOfSiteNotYetAvailable=The preview of your website %s is not yet available. You must first 'Import a full website template' or just 'Add a page/container'. -RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this. -SiteDeleted=Web site '%s' deleted -PageContent=Page/Contenair -PageDeleted=Page/Contenair '%s' of website %s deleted -PageAdded=Page/Contenair '%s' added -ViewSiteInNewTab=View site in new tab -ViewPageInNewTab=View page in new tab -SetAsHomePage=Set as Home page -RealURL=Real URL -ViewWebsiteInProduction=View web site using home URLs -SetHereVirtualHost=Use with Apache/NGinx/...
      Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
      %s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: -YouCanAlsoTestWithPHPS=Use with PHP embedded server
      On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
      php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
      If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org -CheckVirtualHostPerms=Check also that the virtual host user (for example www-data) has %s permissions on files into
      %s -ReadPerm=Read -WritePerm=Write -TestDeployOnWeb=Test/deploy on web -PreviewSiteServedByWebServer=Preview %s in a new tab.

      The %s will be served by an external web server (like Apache, Nginx, IIS). You must install and setup this server before to point to directory:
      %s
      URL served by external server:
      %s -PreviewSiteServedByDolibarr=Preview %s in a new tab.

      The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed.
      The inconvenient is that the URLs of pages are not user friendly and start with the path of your Dolibarr.
      URL served by Dolibarr:
      %s

      To use your own external web server to serve this web site, create a virtual host on your web server that points on directory
      %s
      then enter the name of this virtual server in the properties of this website and click on the link "Test/Deploy on the web". -VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined -NoPageYet=No pages yet -YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template -SyntaxHelp=Help on specific syntax tips -YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . -ClonePage=Clone page/container -CloneSite=Clone site -SiteAdded=Website added -ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page. -PageIsANewTranslation=The new page is a translation of the current page ? -LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page. -ParentPageId=Parent page ID -WebsiteId=Website ID -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... -OrEnterPageInfoManually=Or create page from scratch or from a page template... -FetchAndCreate=Fetch and Create -ExportSite=Export website -ImportSite=Import website template -IDOfPage=Id of page -Banner=Banner -BlogPost=Blog post -WebsiteAccount=Website account -WebsiteAccounts=Website accounts -AddWebsiteAccount=Create web site account -BackToListForThirdParty=Back to list for the third-party -DisableSiteFirst=Disable website first -MyContainerTitle=My web site title -AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists) -SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please comme back later... -WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table -WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party -YouMustDefineTheHomePage=You must first define the default Home page -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correclty when used on a grabbed external page. -OnlyEditionOfSourceForGrabbedContent=Only edition of HTML source is possible when content was grabbed from an external site -GrabImagesInto=Grab also images found into css and page. -ImagesShouldBeSavedInto=Images should be saved into directory -WebsiteRootOfImages=Root directory for website images -SubdirOfPage=Sub-directory dedicated to page -AliasPageAlreadyExists=Alias page %s already exists -CorporateHomePage=Corporate Home page -EmptyPage=Empty page -ExternalURLMustStartWithHttp=External URL must start with http:// or https:// -ZipOfWebsitePackageToImport=Upload the Zip file of the website template package -ZipOfWebsitePackageToLoad=or Choose an available embedded website template package -ShowSubcontainers=Show dynamic content -InternalURLOfPage=Internal URL of page -ThisPageIsTranslationOf=This page/container is a translation of -ThisPageHasTranslationPages=This page/container has translation -NoWebSiteCreateOneFirst=No website has been created yet. Create one first. -GoTo=Go to -DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). -NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. -ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? -MyWebsitePages=My website pages -SearchReplaceInto=Search | Replace into -ReplaceString=New string -CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. -Dynamiccontent=Sample of a page with dynamic content -ImportSite=Import website template -EditInLineOnOff=Mode 'Edit inline' is %s -ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s -GlobalCSSorJS=Global CSS/JS/Header file of web site -BackToHomePage=Back to home page... -TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
      (ref=%s, type=%s, status=%s) -UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters -MainLanguage=Main language -OtherLanguages=Other languages -UseManifest=Provide a manifest.json file -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers -RSSFeed=RSS Feed -RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL -PagesRegenerated=%s page(s)/container(s) regenerated -RegenerateWebsiteContent=Regenerate web site cache files -AllowedInFrames=Allowed in Frames -DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties. -GenerateSitemaps=Generate website sitemap file -ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... -ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap file %s generated -ImportFavicon=Favicon -ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 -FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) +Shortname=কোড +WebsiteName=ওয়েবসাইটের নাম +WebsiteSetupDesc=আপনি যে ওয়েবসাইটগুলি ব্যবহার করতে চান তা এখানে তৈরি করুন৷ তারপর সেগুলি সম্পাদনা করতে মেনু ওয়েবসাইটগুলিতে যান৷ +DeleteWebsite=ওয়েবসাইট মুছুন +ConfirmDeleteWebsite=আপনি কি নিশ্চিত আপনি এই ওয়েব সাইট মুছে ফেলতে চান? এর সমস্ত পৃষ্ঠা এবং সামগ্রীও মুছে ফেলা হবে৷ আপলোড করা ফাইলগুলি (যেমন মিডিয়াস ডিরেক্টরিতে, ECM মডিউল, ...) থাকবে। +WEBSITE_TYPE_CONTAINER=পৃষ্ঠা/পাত্রের প্রকার +WEBSITE_PAGE_EXAMPLE=ওয়েব পেজ উদাহরণ হিসাবে ব্যবহার করুন +WEBSITE_PAGENAME=পৃষ্ঠার নাম/উপানা +WEBSITE_ALIASALT=বিকল্প পৃষ্ঠার নাম/উপানা +WEBSITE_ALIASALTDesc=এখানে অন্যান্য নাম/উপানামের তালিকা ব্যবহার করুন যাতে এই অন্যান্য নাম/উপানামগুলি ব্যবহার করেও পৃষ্ঠাটি অ্যাক্সেস করা যেতে পারে (উদাহরণস্বরূপ পুরানো লিঙ্ক/নামে ব্যাকলিংক চালু রাখার জন্য উপনামের নাম পরিবর্তন করার পরে পুরানো নাম)। সিনট্যাক্স হল:
      alternativename1, option2, ... +WEBSITE_CSS_URL=বাহ্যিক CSS ফাইলের URL +WEBSITE_CSS_INLINE=CSS ফাইলের বিষয়বস্তু (সব পৃষ্ঠায় সাধারণ) +WEBSITE_JS_INLINE=জাভাস্ক্রিপ্ট ফাইলের বিষয়বস্তু (সব পৃষ্ঠায় সাধারণ) +WEBSITE_HTML_HEADER=HTML হেডারের নীচে সংযোজন (সমস্ত পৃষ্ঠায় সাধারণ) +WEBSITE_ROBOT=রোবট ফাইল (robots.txt) +WEBSITE_HTACCESS=ওয়েবসাইট .htaccess ফাইল +WEBSITE_MANIFEST_JSON=ওয়েবসাইট manifest.json ফাইল +WEBSITE_KEYWORDSDesc=মান আলাদা করতে একটি কমা ব্যবহার করুন +EnterHereReadmeInformation=এখানে ওয়েবসাইটের একটি বিবরণ লিখুন। আপনি যদি আপনার ওয়েবসাইটটিকে একটি টেমপ্লেট হিসাবে বিতরণ করেন, ফাইলটি টেমপ্লেট প্যাকেজে অন্তর্ভুক্ত করা হবে। +EnterHereLicenseInformation=এখানে ওয়েবসাইটের কোডের লাইসেন্স লিখুন। আপনি যদি আপনার ওয়েবসাইটটিকে একটি টেমপ্লেট হিসাবে বিতরণ করেন, ফাইলটি টেমপ্লেট প্যাকেজে অন্তর্ভুক্ত করা হবে। +HtmlHeaderPage=HTML হেডার (শুধুমাত্র এই পৃষ্ঠার জন্য নির্দিষ্ট) +PageNameAliasHelp=পৃষ্ঠার নাম বা উপনাম।
      যখন ওয়েব সার্ভারের ভার্চুয়াল হোস্ট থেকে ওয়েবসাইট চালানো হয় (যেমন Apacke, Nginx, .. .) এই উপনামটি সম্পাদনা করতে "%s" বোতামটি ব্যবহার করুন৷ +EditTheWebSiteForACommonHeader=দ্রষ্টব্য: আপনি যদি সমস্ত পৃষ্ঠার জন্য একটি ব্যক্তিগতকৃত শিরোনাম সংজ্ঞায়িত করতে চান, তাহলে পৃষ্ঠা/কন্টেইনারের পরিবর্তে সাইটের স্তরে শিরোনামটি সম্পাদনা করুন৷ +MediaFiles=মিডিয়া লাইব্রেরি +EditCss=ওয়েবসাইট বৈশিষ্ট্য সম্পাদনা করুন +EditMenu=এডিট মেনু +EditMedias=মিডিয়া সম্পাদনা করুন +EditPageMeta=পৃষ্ঠা/ধারক বৈশিষ্ট্য সম্পাদনা করুন +EditInLine=ইনলাইন সম্পাদনা করুন +AddWebsite=ওয়েবসাইট যোগ করুন +Webpage=ওয়েব পেজ/কন্টেইনার +AddPage=পৃষ্ঠা/পাত্র যোগ করুন +PageContainer=পাতা +PreviewOfSiteNotYetAvailable=আপনার ওয়েবসাইটের পূর্বরূপ %s এখনও উপলব্ধ নয়৷ আপনাকে প্রথমে 'একটি সম্পূর্ণ ওয়েবসাইট টেমপ্লেট আমদানি করতে হবে' অথবা শুধুমাত্র 'b0e7843947c span>একটি পৃষ্ঠা/কন্টেইনার যোগ করুন
      '। +RequestedPageHasNoContentYet=%s আইডি সহ অনুরোধ করা পৃষ্ঠাটিতে এখনও কোনও সামগ্রী নেই, বা ক্যাশে ফাইল .tpl.php সরানো হয়েছে৷ এটি সমাধান করতে পৃষ্ঠার বিষয়বস্তু সম্পাদনা করুন। +SiteDeleted=ওয়েব সাইট '%s' মুছে ফেলা হয়েছে +PageContent=পৃষ্ঠা/কন্টেয়ার +PageDeleted=%s ওয়েবসাইটের পৃষ্ঠা/কন্টেনার '%s' মুছে ফেলা হয়েছে +PageAdded=পৃষ্ঠা/কন্টেনার '%s' যোগ করা হয়েছে +ViewSiteInNewTab=নতুন ট্যাবে সাইট দেখুন +ViewPageInNewTab=নতুন ট্যাবে পৃষ্ঠা দেখুন +SetAsHomePage=হোম পেজ সেট কর +RealURL=বাস্তব URL +ViewWebsiteInProduction=হোম URL ব্যবহার করে ওয়েব সাইট দেখুন +Virtualhost=ভার্চুয়াল হোস্ট বা ডোমেইন নাম +VirtualhostDesc=ভার্চুয়াল হোস্ট বা ডোমেনের নাম (উদাহরণস্বরূপ: www.mywebsite.com, mybigcompany.net, ...) +SetHereVirtualHost=Apache/NGinx এর সাথে ব্যবহার করুন/...
      এ তৈরি করুন আপনার ওয়েব সার্ভার (Apache, Nginx, ...) PHP সক্ষম সহ একটি ডেডিকেটেড ভার্চুয়াল হোস্ট এবং একটি রুট ডিরেক্টরি
      %s +ExampleToUseInApacheVirtualHostConfig=Apache ভার্চুয়াল হোস্ট সেটআপে ব্যবহার করার উদাহরণ: +YouCanAlsoTestWithPHPS=PHP এম্বেডেড সার্ভারের সাথে ব্যবহার করুন
      উন্নত পরিবেশে, আপনি করতে পারেন
      php -S 0.0.0.0 চালিয়ে PHP এমবেডেড ওয়েব সার্ভার (PHP 5.5 প্রয়োজনীয়) দিয়ে সাইটটি পরীক্ষা করতে পছন্দ করুন :8080 -t %s +YouCanAlsoDeployToAnotherWHP=অন্য Dolibarr হোস্টিং প্রদানকারীর সাথে আপনার ওয়েব সাইট চালান
      ইন্টারনেটে Apache বা NGinx-এর মতো কোনো ওয়েব সার্ভার উপলব্ধ নেই, আপনি আপনার ওয়েব সাইটটিকে অন্য Dolibarr হোস্টিং প্রদানকারী দ্বারা প্রদত্ত অন্য Dolibarr উদাহরণে রপ্তানি এবং আমদানি করতে পারেন যা ওয়েবসাইট মডিউলের সাথে সম্পূর্ণ একীকরণ প্রদান করে। আপনি https://saas.dolibarr.org-এ কিছু Dolibarr হোস্টিং প্রদানকারীর একটি তালিকা পেতে পারেন +CheckVirtualHostPerms=ভার্চুয়াল হোস্ট ব্যবহারকারীর (উদাহরণস্বরূপ www-ডেটা) %sb0a65d071f6fcz9 আছে কিনা পরীক্ষা করুন ফাইলগুলিতে
      %s +ReadPerm=পড়ুন +WritePerm=লিখুন +TestDeployOnWeb=ওয়েবে পরীক্ষা/নিয়োগ করুন +PreviewSiteServedByWebServer=একটি নতুন ট্যাবে %s পূর্বরূপ দেখুন।

      %s একটি বহিরাগত ওয়েব সার্ভার (যেমন Apache, NginxIS, Nginx) দ্বারা পরিবেশিত হবে ) ডিরেক্টরিতে নির্দেশ করার আগে আপনাকে অবশ্যই এই সার্ভারটি ইনস্টল এবং সেটআপ করতে হবে:
      %s span>
      বাহ্যিক সার্ভার দ্বারা পরিবেশিত URL:
      %s +PreviewSiteServedByDolibarr=একটি নতুন ট্যাবে %s পূর্বরূপ দেখুন।

      %s Dolibarr সার্ভার দ্বারা পরিবেশিত হবে তাই এটির কোনো অতিরিক্ত ওয়েব সার্ভারের প্রয়োজন নেই (যেমন Apache, Nginx, IIS) ইনস্টল করতে হবে।
      অসুবিধে হল যে পৃষ্ঠাগুলির URLগুলি ব্যবহারকারী বান্ধব নয় এবং আপনার Dolibarr এর পথ দিয়ে শুরু হয়৷


      এতে আপনার নিজস্ব বাহ্যিক ওয়েব সার্ভার ব্যবহার করতে এই ওয়েব সাইটটি পরিবেশন করুন, আপনার ওয়েব সার্ভারে একটি ভার্চুয়াল হোস্ট তৈরি করুন যা নির্দেশিকা নির্দেশ করে
      %s
      তারপর এই ওয়েবসাইটের বৈশিষ্ট্যগুলিতে এই ভার্চুয়াল সার্ভারের নাম লিখুন এবং ক্লিক করুন লিঙ্ক "টেস্ট/ডেপ্লয় অন ওয়েব"। +VirtualHostUrlNotDefined=বহিরাগত ওয়েব সার্ভার দ্বারা পরিবেশিত ভার্চুয়াল হোস্টের URL সংজ্ঞায়িত করা হয়নি +NoPageYet=এখনো কোনো পৃষ্ঠা নেই +YouCanCreatePageOrImportTemplate=আপনি একটি নতুন পৃষ্ঠা তৈরি করতে পারেন বা একটি সম্পূর্ণ ওয়েবসাইট টেমপ্লেট আমদানি করতে পারেন৷ +SyntaxHelp=নির্দিষ্ট সিনট্যাক্স টিপস সাহায্য +YouCanEditHtmlSourceckeditor=আপনি সম্পাদকের "উৎস" বোতামটি ব্যবহার করে HTML উত্স কোড সম্পাদনা করতে পারেন৷ +YouCanEditHtmlSource=
      আপনি ট্যাগ ব্যবহার করে এই উত্সে PHP কোড অন্তর্ভুক্ত করতে পারেন span class='notranslate'><?php ?> নিম্নলিখিত গ্লোবাল ভেরিয়েবলগুলি উপলব্ধ: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs।

      আপনি নিম্নলিখিত সিনট্যাক্স সহ অন্য পৃষ্ঠা/কন্টেইনারের সামগ্রীও অন্তর্ভুক্ত করতে পারেন:
      <?php includeContainer('alias_of'_include); ?>
      b0341ccb0341 /span> আপনি নিম্নলিখিত সিনট্যাক্স সহ অন্য পৃষ্ঠা/কন্টেইনারে একটি পুনঃনির্দেশ করতে পারেন (দ্রষ্টব্য: কোনো আউটপুট করবেন না পুনঃনির্দেশের আগে সামগ্রী):
      <?php redirect('noCtain) alias_of_container_to_redirect_to'); ?>
      b0341ccb0341 /span> অন্য পৃষ্ঠায় একটি লিঙ্ক যোগ করতে, সিনট্যাক্স ব্যবহার করুন:
      <a href="alias_of_page_to_link_to.php"b0012c807dcbe >mylink<a>

      এ অন্তর্ভুক্ত করার জন্য ='notranslate'>
      ডাউনলোড করার লিঙ্ক দস্তাবেজগুলিতে সংরক্ষিত একটি ফাইল notranslate'>
      ডিরেক্টরি ব্যবহার করুন, document.php class'=translate' wrapper:
      উদাহরণ, নথিতে একটি ফাইলের জন্য/ecm (লগ করা প্রয়োজন), সিনট্যাক্স হল:
      ><a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      দস্তাবেজ/মিডিয়াতে একটি ফাইলের জন্য (সর্বজনীন অ্যাক্সেসের জন্য খোলা ডিরেক্টরি), সিনট্যাক্স হল:
      <a href="/document.php?modulepart=medias&file=[relative_dname. ext">
      শেয়ার লিঙ্কের সাথে শেয়ার করা ফাইলের জন্য ( ফাইলের শেয়ারিং হ্যাশ কী ব্যবহার করে খোলা অ্যাক্সেস), সিনট্যাক্স হল:
      < /span>a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      একটি অন্তর্ভুক্ত করতে ছবি দস্তাবেজগুলি সংরক্ষিত , viewimage.php র‍্যাপার ব্যবহার করুন।b0342fccfda19bzamp>এর জন্য, নথি/মিডিয়াতে একটি চিত্র (সর্বজনীন অ্যাক্সেসের জন্য খোলা ডিরেক্টরি), সিনট্যাক্স হল:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext"b00dc78
      +YouCanEditHtmlSource2=একটি শেয়ার লিঙ্কের সাথে শেয়ার করা একটি ছবির জন্য (ফাইলের শেয়ারিং হ্যাশ কী ব্যবহার করে খোলা অ্যাক্সেস), সিনট্যাক্স হল:
      <img src="/viewimage.php?hashp=12345679012...">016f7f7f7012
      +YouCanEditHtmlSource3=একটি PHP বস্তুর ছবির URL পেতে,
      < span>img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?> class='notranslate'>>
      +YouCanEditHtmlSourceMore=
      এইচটিএমএল বা ডায়নামিক কোডের আরও উদাহরণ উইকি ডকুমেন্টেশনb0e40dc6587এ উপলব্ধ >।
      +ClonePage=ক্লোন পৃষ্ঠা/ধারক +CloneSite=ক্লোন সাইট +SiteAdded=ওয়েবসাইট যোগ করা হয়েছে +ConfirmClonePage=অনুগ্রহ করে নতুন পৃষ্ঠার কোড/উনাম লিখুন এবং যদি এটি ক্লোন করা পৃষ্ঠার অনুবাদ হয়। +PageIsANewTranslation=নতুন পাতা কি বর্তমান পাতার অনুবাদ? +LanguageMustNotBeSameThanClonedPage=আপনি একটি অনুবাদ হিসাবে একটি পৃষ্ঠা ক্লোন. নতুন পৃষ্ঠার ভাষা উৎস পৃষ্ঠার ভাষার থেকে আলাদা হতে হবে। +ParentPageId=মূল পৃষ্ঠা আইডি +WebsiteId=ওয়েবসাইট আইডি +CreateByFetchingExternalPage=বাহ্যিক URL থেকে পৃষ্ঠা নিয়ে পৃষ্ঠা/কন্টেইনার তৈরি করুন... +OrEnterPageInfoManually=অথবা স্ক্র্যাচ থেকে বা একটি পৃষ্ঠা টেমপ্লেট থেকে পৃষ্ঠা তৈরি করুন... +FetchAndCreate=আনুন এবং তৈরি করুন +ExportSite=রপ্তানি ওয়েবসাইট +ImportSite=ওয়েবসাইট টেমপ্লেট আমদানি করুন +IDOfPage=পৃষ্ঠার আইডি +Banner=ব্যানার +BlogPost=ব্লগ পোস্ট +WebsiteAccount=ওয়েবসাইট অ্যাকাউন্ট +WebsiteAccounts=ওয়েবসাইট অ্যাকাউন্ট +AddWebsiteAccount=ওয়েব সাইট অ্যাকাউন্ট তৈরি করুন +BackToListForThirdParty=তৃতীয় পক্ষের জন্য তালিকায় ফিরে যান +DisableSiteFirst=প্রথমে ওয়েবসাইট অক্ষম করুন +MyContainerTitle=আমার ওয়েব সাইটের শিরোনাম +AnotherContainer=এইভাবে অন্য পৃষ্ঠা/কন্টেইনারের বিষয়বস্তু অন্তর্ভুক্ত করতে হয় (আপনি যদি ডায়নামিক কোড সক্ষম করেন তাহলে এখানে একটি ত্রুটি থাকতে পারে কারণ এমবেডেড সাবকন্টেইনারটি নাও থাকতে পারে) +SorryWebsiteIsCurrentlyOffLine=দুঃখিত, এই ওয়েবসাইটটি বর্তমানে অফ লাইন। অনুগ্রহ করে পরে ফিরে আসবেন... +WEBSITE_USE_WEBSITE_ACCOUNTS=ওয়েব সাইট অ্যাকাউন্ট টেবিল সক্রিয় করুন +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=প্রতিটি ওয়েবসাইট/তৃতীয় পক্ষের জন্য ওয়েব সাইট অ্যাকাউন্ট (লগইন/পাস) সংরক্ষণ করতে টেবিলটি সক্ষম করুন +YouMustDefineTheHomePage=আপনাকে প্রথমে ডিফল্ট হোম পেজ নির্ধারণ করতে হবে +OnlyEditionOfSourceForGrabbedContentFuture=সতর্কতা: একটি বহিরাগত ওয়েব পৃষ্ঠা আমদানি করে একটি ওয়েব পৃষ্ঠা তৈরি করা অভিজ্ঞ ব্যবহারকারীদের জন্য সংরক্ষিত৷ উৎস পৃষ্ঠার জটিলতার উপর নির্ভর করে, আমদানির ফলাফল মূল থেকে ভিন্ন হতে পারে। এছাড়াও যদি উত্স পৃষ্ঠাটি সাধারণ CSS শৈলী বা বিরোধপূর্ণ জাভাস্ক্রিপ্ট ব্যবহার করে, তাহলে এই পৃষ্ঠায় কাজ করার সময় এটি ওয়েবসাইট সম্পাদকের চেহারা বা বৈশিষ্ট্যগুলি ভেঙে দিতে পারে। এই পদ্ধতিটি একটি পৃষ্ঠা তৈরি করার একটি দ্রুত উপায় কিন্তু এটি স্ক্র্যাচ থেকে বা একটি প্রস্তাবিত পৃষ্ঠার টেমপ্লেট থেকে আপনার নতুন পৃষ্ঠা তৈরি করার সুপারিশ করা হয়৷
      এটাও মনে রাখবেন যে ইনলাইন সম্পাদক কাজ নাও করতে পারে একটি গ্র্যাবড বাহ্যিক পৃষ্ঠায় ব্যবহার করার সময় সঠিকতা। +OnlyEditionOfSourceForGrabbedContent=এইচটিএমএল উত্সের শুধুমাত্র সংস্করণ সম্ভব যখন বিষয়বস্তু একটি বহিরাগত সাইট থেকে দখল করা হয় +GrabImagesInto=সিএসএস এবং পৃষ্ঠায় পাওয়া চিত্রগুলিও ধরুন। +ImagesShouldBeSavedInto=ছবিগুলি ডিরেক্টরিতে সংরক্ষণ করা উচিত +WebsiteRootOfImages=ওয়েবসাইট ইমেজ জন্য রুট ডিরেক্টরি +SubdirOfPage=সাব-ডিরেক্টরি পৃষ্ঠায় নিবেদিত +AliasPageAlreadyExists=উপনাম পৃষ্ঠা %s ইতিমধ্যেই বিদ্যমান +CorporateHomePage=কর্পোরেট হোম পেজ +EmptyPage=খালি পাতা +ExternalURLMustStartWithHttp=বাহ্যিক URL অবশ্যই http:// অথবা https:// দিয়ে শুরু হতে হবে +ZipOfWebsitePackageToImport=ওয়েবসাইট টেমপ্লেট প্যাকেজের জিপ ফাইল আপলোড করুন +ZipOfWebsitePackageToLoad=অথবা একটি উপলব্ধ এমবেডেড ওয়েবসাইট টেমপ্লেট প্যাকেজ চয়ন করুন৷ +ShowSubcontainers=গতিশীল বিষয়বস্তু দেখান +InternalURLOfPage=পৃষ্ঠার অভ্যন্তরীণ URL +ThisPageIsTranslationOf=এই পৃষ্ঠা/ধারক একটি অনুবাদ +ThisPageHasTranslationPages=এই পৃষ্ঠা/পাত্রে অনুবাদ আছে +NoWebSiteCreateOneFirst=এখনো কোনো ওয়েবসাইট তৈরি হয়নি। প্রথমে একটি তৈরি করুন। +GoTo=যাও +DynamicPHPCodeContainsAForbiddenInstruction=আপনি ডায়নামিক PHP কোড যোগ করেন যাতে PHP নির্দেশনা '%sb0a65d071fz ' যেটি গতিশীল বিষয়বস্তু হিসাবে ডিফল্টরূপে নিষিদ্ধ (অনুমতিপ্রাপ্ত কমান্ডের তালিকা বাড়ানোর জন্য লুকানো বিকল্প WEBSITE_PHP_ALLOW_xxx দেখুন)। +NotAllowedToAddDynamicContent=ওয়েবসাইটগুলিতে পিএইচপি ডায়নামিক সামগ্রী যুক্ত বা সম্পাদনা করার অনুমতি আপনার নেই৷ অনুমতি জিজ্ঞাসা করুন বা শুধুমাত্র অপরিবর্তিত php ট্যাগগুলিতে কোড রাখুন। +ReplaceWebsiteContent=ওয়েবসাইট বিষয়বস্তু অনুসন্ধান বা প্রতিস্থাপন +DeleteAlsoJs=এই ওয়েবসাইটের জন্য নির্দিষ্ট সমস্ত জাভাস্ক্রিপ্ট ফাইল মুছবেন? +DeleteAlsoMedias=এই ওয়েবসাইটের জন্য নির্দিষ্ট সমস্ত মিডিয়া ফাইলগুলিও মুছবেন? +MyWebsitePages=আমার ওয়েবসাইট পেজ +SearchReplaceInto=অনুসন্ধান | মধ্যে প্রতিস্থাপন +ReplaceString=নতুন স্ট্রিং +CSSContentTooltipHelp=এখানে CSS কন্টেন্ট লিখুন। অ্যাপ্লিকেশনের CSS-এর সাথে কোনো দ্বন্দ্ব এড়াতে, .bodywebsite ক্লাসের সাথে সমস্ত ঘোষণা আগে-প্রান্তে রাখতে ভুলবেন না। যেমন:

      #mycssselector, input.myclass:hover { ...
      অবশ্যই
      ।bodywebsite #mycssselector, .bodywebsite input.myclass:হোভার { ... b0342fccfda19>b0342fccfda19
      দ্রষ্টব্য: যদি আপনার কাছে এই উপসর্গ ছাড়া একটি বড় ফাইল থাকে, তাহলে আপনি 'lessc' ব্যবহার করে এটিকে রূপান্তর করতে .bodywebsite উপসর্গটি সর্বত্র যুক্ত করতে পারেন। +LinkAndScriptsHereAreNotLoadedInEditor=সতর্কতা: এই বিষয়বস্তু আউটপুট শুধুমাত্র যখন সাইট একটি সার্ভার থেকে অ্যাক্সেস করা হয়. এটি সম্পাদনা মোডে ব্যবহার করা হয় না তাই যদি আপনাকে জাভাস্ক্রিপ্ট ফাইলগুলিকে সম্পাদনা মোডেও লোড করতে হয়, তাহলে পৃষ্ঠায় আপনার ট্যাগ 'script src=...' যোগ করুন। +Dynamiccontent=গতিশীল বিষয়বস্তু সহ একটি পৃষ্ঠার নমুনা +ImportSite=ওয়েবসাইট টেমপ্লেট আমদানি করুন +EditInLineOnOff=মোড 'ইনলাইন সম্পাদনা' হল %s +ShowSubContainersOnOff='ডাইনামিক কন্টেন্ট' চালানোর মোড হল %s +GlobalCSSorJS=ওয়েব সাইটের গ্লোবাল CSS/JS/হেডার ফাইল +BackToHomePage=হোমপেইজে ফিরে যাও... +TranslationLinks=অনুবাদ লিঙ্ক +YouTryToAccessToAFileThatIsNotAWebsitePage=আপনি এমন একটি পৃষ্ঠায় অ্যাক্সেস করার চেষ্টা করুন যা উপলব্ধ নয়৷
      (ref=%s, type=%s, status=%s) +UseTextBetween5And70Chars=ভাল SEO অনুশীলনের জন্য, 5 থেকে 70 অক্ষরের মধ্যে একটি পাঠ্য ব্যবহার করুন +MainLanguage=প্রধান ভাষা +OtherLanguages=অন্যান্য ভাষাসমূহ +UseManifest=একটি manifest.json ফাইল প্রদান করুন +PublicAuthorAlias=পাবলিক লেখক ওরফে +AvailableLanguagesAreDefinedIntoWebsiteProperties=উপলব্ধ ভাষাগুলিকে ওয়েবসাইট বৈশিষ্ট্যের মধ্যে সংজ্ঞায়িত করা হয় +ReplacementDoneInXPages=%s পৃষ্ঠা বা পাত্রে প্রতিস্থাপন করা হয়েছে +RSSFeed=আরএসএস ফিড +RSSFeedDesc=আপনি এই URL ব্যবহার করে 'ব্লগপোস্ট' টাইপ সহ সাম্প্রতিক নিবন্ধগুলির একটি RSS ফিড পেতে পারেন +PagesRegenerated=%s পৃষ্ঠা(গুলি)/ধারক(গুলি) পুনরুত্থিত হয়েছে +RegenerateWebsiteContent=ওয়েব সাইটের ক্যাশে ফাইল পুনরুত্পাদন +AllowedInFrames=ফ্রেমে অনুমোদিত +DefineListOfAltLanguagesInWebsiteProperties=ওয়েব সাইটের বৈশিষ্ট্যে সমস্ত উপলব্ধ ভাষার তালিকা সংজ্ঞায়িত করুন। +GenerateSitemaps=ওয়েবসাইট sitemap.xml ফাইল তৈরি করুন +ConfirmGenerateSitemaps=আপনি নিশ্চিত করলে, আপনি বিদ্যমান সাইটম্যাপ ফাইলটি মুছে ফেলবেন... +ConfirmSitemapsCreation=সাইটম্যাপ তৈরি নিশ্চিত করুন +SitemapGenerated=সাইটম্যাপ ফাইল %s তৈরি করা হয়েছে +ImportFavicon=ফেভিকন +ErrorFaviconType=ফেভিকন অবশ্যই png হতে হবে +ErrorFaviconSize=ফেভিকন 16x16, 32x32 বা 64x64 আকারের হতে হবে +FaviconTooltip=একটি ছবি আপলোড করুন যা একটি png হতে হবে (16x16, 32x32 বা 64x64) +NextContainer=পরবর্তী পৃষ্ঠা/ধারক +PreviousContainer=পূর্ববর্তী পৃষ্ঠা/ধারক +WebsiteMustBeDisabled=ওয়েবসাইটটির অবশ্যই "%s" অবস্থা থাকতে হবে +WebpageMustBeDisabled=ওয়েব পৃষ্ঠায় অবশ্যই "%s" অবস্থা থাকতে হবে +SetWebsiteOnlineBefore=ওয়েবসাইট অফলাইন হলে, সমস্ত পেজ অফলাইন থাকে। প্রথমে ওয়েবসাইটের অবস্থা পরিবর্তন করুন। +Booking=সংরক্ষণ +Reservation=রিজার্ভেশন +PagesViewedPreviousMonth=পৃষ্ঠা দেখা হয়েছে (আগের মাসে) +PagesViewedTotal=পৃষ্ঠা দেখা (মোট) +Visibility=দৃশ্যমানতা +Everyone=সবাই +AssignedContacts=বরাদ্দ পরিচিতি +WebsiteTypeLabel=ওয়েব সাইটের ধরন +WebsiteTypeDolibarrWebsite=ওয়েব সাইট (সিএমএস ডলিবার) +WebsiteTypeDolibarrPortal=নেটিভ ডলিবার পোর্টাল diff --git a/htdocs/langs/bn_IN/withdrawals.lang b/htdocs/langs/bn_IN/withdrawals.lang index bda987276b1..e4dcff5a246 100644 --- a/htdocs/langs/bn_IN/withdrawals.lang +++ b/htdocs/langs/bn_IN/withdrawals.lang @@ -1,156 +1,174 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Payments by Direct debit orders -SuppliersStandingOrdersArea=Payments by Credit transfer -StandingOrdersPayment=Direct debit payment orders -StandingOrderPayment=Direct debit payment order -NewStandingOrder=New direct debit order -NewPaymentByBankTransfer=New payment by credit transfer -StandingOrderToProcess=To process -PaymentByBankTransferReceipts=Credit transfer orders -PaymentByBankTransferLines=Credit transfer order lines -WithdrawalsReceipts=Direct debit orders -WithdrawalReceipt=Direct debit order -BankTransferReceipts=Credit transfer orders -BankTransferReceipt=Credit transfer order -LatestBankTransferReceipts=Latest %s credit transfer orders -LastWithdrawalReceipts=Latest %s direct debit files -WithdrawalsLine=Direct debit order line -CreditTransfer=Credit transfer -CreditTransferLine=Credit transfer line -WithdrawalsLines=Direct debit order lines -CreditTransferLines=Credit transfer lines -RequestStandingOrderToTreat=Requests for direct debit payment order to process -RequestStandingOrderTreated=Requests for direct debit payment order processed -RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process -RequestPaymentsByBankTransferTreated=Requests for credit transfer processed -NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order -NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information -NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer -SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer -InvoiceWaitingWithdraw=Invoice waiting for direct debit -InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer -AmountToWithdraw=Amount to withdraw -NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. -NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. -ResponsibleUser=User Responsible -WithdrawalsSetup=Direct debit payment setup -CreditTransferSetup=Credit transfer setup -WithdrawStatistics=Direct debit payment statistics -CreditTransferStatistics=Credit transfer statistics -Rejects=Rejects -LastWithdrawalReceipt=Latest %s direct debit receipts -MakeWithdrawRequest=Make a direct debit payment request -MakeBankTransferOrder=Make a credit transfer request -WithdrawRequestsDone=%s direct debit payment requests recorded -BankTransferRequestsDone=%s credit transfer requests recorded -ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. -WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. -ClassCredited=Classify credited -ClassDebited=Classify debited -ClassCreditedConfirm=Are you sure you want to classify this withdrawal receipt as credited on your bank account? -TransData=Transmission date -TransMetod=Transmission method -Send=Send -Lines=Lines -StandingOrderReject=Issue a rejection -WithdrawsRefused=Direct debit refused -WithdrawalRefused=Withdrawal refused -CreditTransfersRefused=Credit transfers refused -WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society -RefusedData=Date of rejection -RefusedReason=Reason for rejection -RefusedInvoicing=Billing the rejection -NoInvoiceRefused=Do not charge the rejection -InvoiceRefused=Invoice refused (Charge the rejection to customer) -StatusDebitCredit=Status debit/credit -StatusWaiting=Waiting -StatusTrans=Sent -StatusDebited=Debited -StatusCredited=Credited -StatusPaid=Paid -StatusRefused=Refused -StatusMotif0=Unspecified -StatusMotif1=Insufficient funds -StatusMotif2=Request contested -StatusMotif3=No direct debit payment order -StatusMotif4=Sales Order -StatusMotif5=RIB unusable -StatusMotif6=Account without balance -StatusMotif7=Judicial Decision -StatusMotif8=Other reason -CreateForSepaFRST=Create direct debit file (SEPA FRST) -CreateForSepaRCUR=Create direct debit file (SEPA RCUR) -CreateAll=Create direct debit file -CreateFileForPaymentByBankTransfer=Create file for credit transfer -CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) -CreateGuichet=Only office -CreateBanque=Only bank -OrderWaiting=Waiting for treatment -NotifyTransmision=Record file transmission of order -NotifyCredit=Record credit of order -NumeroNationalEmetter=National Transmitter Number -WithBankUsingRIB=For bank accounts using RIB -WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT -BankToReceiveWithdraw=Receiving Bank Account -BankToPayCreditTransfer=Bank Account used as source of payments -CreditDate=Credit on -WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) -ShowWithdraw=Show Direct Debit Order -IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Payment by direct debit to generate and manage the direct debit order. When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu Bank->Payment by credit transfer to generate and manage the credit transfer order. When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -WithdrawalFile=Debit order file -CreditTransferFile=Credit transfer file -SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null -StatisticsByLineStatus=Statistics by status of lines +CustomersStandingOrdersArea=সরাসরি ডেবিট অর্ডার দ্বারা অর্থপ্রদান +SuppliersStandingOrdersArea=ক্রেডিট ট্রান্সফারের মাধ্যমে পেমেন্ট +StandingOrdersPayment=সরাসরি ডেবিট পেমেন্ট অর্ডার +StandingOrderPayment=সরাসরি ডেবিট পেমেন্ট অর্ডার +NewStandingOrder=নতুন সরাসরি ডেবিট অর্ডার +NewPaymentByBankTransfer=ক্রেডিট ট্রান্সফারের মাধ্যমে নতুন পেমেন্ট +StandingOrderToProcess=প্রক্রিয়া করতে +PaymentByBankTransferReceipts=ক্রেডিট ট্রান্সফার অর্ডার +PaymentByBankTransferLines=ক্রেডিট ট্রান্সফার অর্ডার লাইন +WithdrawalsReceipts=সরাসরি ডেবিট অর্ডার +WithdrawalReceipt=সরাসরি ডেবিট অর্ডার +BankTransferReceipts=ক্রেডিট ট্রান্সফার অর্ডার +BankTransferReceipt=ক্রেডিট ট্রান্সফার অর্ডার +LatestBankTransferReceipts=সর্বশেষ %s ক্রেডিট ট্রান্সফার অর্ডার +LastWithdrawalReceipts=সর্বশেষ %s সরাসরি ডেবিট ফাইল +WithdrawalsLine=সরাসরি ডেবিট অর্ডার লাইন +CreditTransfer=ক্রেডিট স্থানান্তরণ +CreditTransferLine=ক্রেডিট ট্রান্সফার লাইন +WithdrawalsLines=সরাসরি ডেবিট অর্ডার লাইন +CreditTransferLines=ক্রেডিট ট্রান্সফার লাইন +RequestStandingOrderToTreat=প্রসেস করার জন্য সরাসরি ডেবিট পেমেন্ট অর্ডারের জন্য অনুরোধ +RequestStandingOrderTreated=সরাসরি ডেবিট পেমেন্ট অর্ডারের জন্য অনুরোধ প্রক্রিয়া করা হয়েছে +RequestPaymentsByBankTransferToTreat=ক্রেডিট ট্রান্সফার প্রক্রিয়ার জন্য অনুরোধ +RequestPaymentsByBankTransferTreated=ক্রেডিট ট্রান্সফারের জন্য অনুরোধ প্রক্রিয়া করা হয়েছে +NotPossibleForThisStatusOfWithdrawReceiptORLine=এখনো সম্ভব হয়নি। নির্দিষ্ট লাইনে প্রত্যাখ্যান ঘোষণা করার আগে প্রত্যাহারের স্থিতি অবশ্যই 'ক্রেডিটেড' এ সেট করতে হবে। +NbOfInvoiceToWithdraw=প্রত্যক্ষ ডেবিট অর্ডারের সাথে যোগ্য গ্রাহক চালানের সংখ্যা +NbOfInvoiceToWithdrawWithInfo=সংজ্ঞায়িত ব্যাঙ্ক অ্যাকাউন্ট তথ্য সহ সরাসরি ডেবিট পেমেন্ট অর্ডার সহ গ্রাহক চালানের সংখ্যা +NbOfInvoiceToPayByBankTransfer=ক্রেডিট ট্রান্সফারের মাধ্যমে অর্থপ্রদানের জন্য অপেক্ষারত যোগ্য সরবরাহকারী চালানের সংখ্যা +SupplierInvoiceWaitingWithdraw=ক্রেডিট ট্রান্সফারের মাধ্যমে পেমেন্টের জন্য অপেক্ষারত বিক্রেতা চালান +InvoiceWaitingWithdraw=চালান সরাসরি ডেবিটের জন্য অপেক্ষা করছে +InvoiceWaitingPaymentByBankTransfer=চালান ক্রেডিট স্থানান্তরের জন্য অপেক্ষা করছে +AmountToWithdraw=উত্তলনের পরিমান +AmountToTransfer=স্থানান্তর করার পরিমাণ +NoInvoiceToWithdraw='%s'-এর জন্য কোনো চালান খোলা অপেক্ষা করছে না। একটি অনুরোধ করতে চালান কার্ডে '%s' ট্যাবে যান৷ +NoSupplierInvoiceToWithdraw=খোলা '%s' সহ কোনো সরবরাহকারী চালান অপেক্ষা করছে না। একটি অনুরোধ করতে চালান কার্ডে '%s' ট্যাবে যান৷ +ResponsibleUser=ব্যবহারকারী দায়ী +WithdrawalsSetup=ডাইরেক্ট ডেবিট পেমেন্ট সেটআপ +CreditTransferSetup=ক্রেডিট ট্রান্সফার সেটআপ +WithdrawStatistics=সরাসরি ডেবিট পেমেন্ট পরিসংখ্যান +CreditTransferStatistics=ক্রেডিট ট্রান্সফার পরিসংখ্যান +Rejects=প্রত্যাখ্যান করে +LastWithdrawalReceipt=সর্বশেষ %s সরাসরি ডেবিট রসিদ +MakeWithdrawRequest=একটি সরাসরি ডেবিট পেমেন্ট অনুরোধ করুন +MakeWithdrawRequestStripe=স্ট্রাইপের মাধ্যমে সরাসরি ডেবিট পেমেন্টের অনুরোধ করুন +MakeBankTransferOrder=একটি ক্রেডিট স্থানান্তর অনুরোধ করুন +WithdrawRequestsDone=%s সরাসরি ডেবিট অর্থপ্রদানের অনুরোধ রেকর্ড করা হয়েছে +BankTransferRequestsDone=%s ক্রেডিট ট্রান্সফার অনুরোধ রেকর্ড করা হয়েছে +ThirdPartyBankCode=তৃতীয় পক্ষের ব্যাঙ্ক কোড +NoInvoiceCouldBeWithdrawed=কোনো চালান সফলভাবে প্রক্রিয়া করা হয়নি। যাচাই করুন যে চালানগুলি একটি বৈধ IBAN সহ কোম্পানিগুলিতে রয়েছে এবং IBAN এর একটি UMR (অনন্য ম্যান্ডেট রেফারেন্স) মোড %s span class='notranslate'>
      । +NoInvoiceCouldBeWithdrawedSupplier=কোনো চালান সফলভাবে প্রক্রিয়া করা হয়নি। একটি বৈধ IBAN সহ কোম্পানিগুলিতে চালানগুলি রয়েছে তা পরীক্ষা করুন৷ +NoSalariesCouldBeWithdrawed=কোন বেতন সফলভাবে প্রক্রিয়া করা হয়েছে. বৈধ IBAN সহ ব্যবহারকারীদের বেতন আছে কিনা তা পরীক্ষা করুন। +WithdrawalCantBeCreditedTwice=এই প্রত্যাহার রসিদ ইতিমধ্যেই ক্রেডিট হিসাবে চিহ্নিত করা হয়েছে; এটি দুবার করা যাবে না, কারণ এটি সম্ভাব্য ডুপ্লিকেট পেমেন্ট এবং ব্যাঙ্ক এন্ট্রি তৈরি করবে। +ClassCredited=শ্রেনীবদ্ধ ক্রেডিট +ClassDebited=ডেবিট শ্রেণীবদ্ধ করুন +ClassCreditedConfirm=আপনি কি নিশ্চিত যে আপনি এই প্রত্যাহার রসিদটিকে আপনার ব্যাঙ্ক অ্যাকাউন্টে জমা হিসাবে শ্রেণীবদ্ধ করতে চান? +TransData=ট্রান্সমিশন তারিখ +TransMetod=সংক্রমণ পদ্ধতি +Send=পাঠান +Lines=লাইন +StandingOrderReject=একটি প্রত্যাখ্যান রেকর্ড করুন +WithdrawsRefused=সরাসরি ডেবিট প্রত্যাখ্যান +WithdrawalRefused=প্রত্যাহার প্রত্যাখ্যান +CreditTransfersRefused=ক্রেডিট স্থানান্তর প্রত্যাখ্যান +WithdrawalRefusedConfirm=আপনি কি নিশ্চিত যে আপনি সমাজের জন্য একটি প্রত্যাহার প্রত্যাখ্যান লিখতে চান৷ +RefusedData=প্রত্যাখ্যানের তারিখ +RefusedReason=প্রত্যাখ্যানের কারণ +RefusedInvoicing=প্রত্যাখ্যান বিল করা +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer +StatusDebitCredit=স্ট্যাটাস ডেবিট/ক্রেডিট +StatusWaiting=অপেক্ষা করছে +StatusTrans=পাঠানো হয়েছে +StatusDebited=ডেবিট +StatusCredited=ক্রেডিট +StatusPaid=পেড +StatusRefused=প্রত্যাখ্যান করেছে +StatusMotif0=অনির্দিষ্ট +StatusMotif1=অপর্যাপ্ত তহবিল +StatusMotif2=অনুরোধ প্রতিদ্বন্দ্বিতা +StatusMotif3=কোন সরাসরি ডেবিট পেমেন্ট অর্ডার +StatusMotif4=বিক্রয় আদেশ +StatusMotif5=RIB অব্যবহারযোগ্য +StatusMotif6=ব্যালেন্স ছাড়া অ্যাকাউন্ট +StatusMotif7=বিচার বিভাগীয় সিদ্ধান্ত +StatusMotif8=অন্যান্য কারণ +CreateForSepaFRST=সরাসরি ডেবিট ফাইল তৈরি করুন (SEPA FRST) +CreateForSepaRCUR=সরাসরি ডেবিট ফাইল তৈরি করুন (SEPA RCUR) +CreateAll=সরাসরি ডেবিট ফাইল তৈরি করুন +CreateFileForPaymentByBankTransfer=ক্রেডিট ট্রান্সফারের জন্য ফাইল তৈরি করুন +CreateSepaFileForPaymentByBankTransfer=ক্রেডিট ট্রান্সফার ফাইল তৈরি করুন (SEPA) +CreateGuichet=শুধু অফিস +CreateBanque=শুধু ব্যাংক +OrderWaiting=চিকিৎসার অপেক্ষায় +NotifyTransmision=অর্ডার ফাইল ট্রান্সমিশন রেকর্ড +NotifyCredit=অর্ডারের রেকর্ড ক্রেডিট +NumeroNationalEmetter=জাতীয় ট্রান্সমিটার নম্বর +WithBankUsingRIB=RIB ব্যবহার করে ব্যাঙ্ক অ্যাকাউন্টের জন্য +WithBankUsingBANBIC=IBAN/BIC/SWIFT ব্যবহার করে ব্যাঙ্ক অ্যাকাউন্টের জন্য +BankToReceiveWithdraw=ব্যাঙ্ক অ্যাকাউন্ট গ্রহণ +BankToPayCreditTransfer=অর্থপ্রদানের উৎস হিসেবে ব্যাঙ্ক অ্যাকাউন্ট ব্যবহার করা হয় +CreditDate=ক্রেডিট অন +WithdrawalFileNotCapable=আপনার দেশের জন্য প্রত্যাহারের রসিদ ফাইল তৈরি করতে অক্ষম %s (আপনার দেশ সমর্থিত নয়) +ShowWithdraw=সরাসরি ডেবিট অর্ডার দেখান +IfInvoiceNeedOnWithdrawPaymentWontBeClosed=যাইহোক, যদি ইনভয়েসে অন্তত একটি সরাসরি ডেবিট পেমেন্ট অর্ডার এখনও প্রসেস করা না হয়, তাহলে এটিকে প্রদত্ত হিসাবে সেট করা হবে না যাতে আগে প্রত্যাহার পরিচালনার অনুমতি দেওয়া হয়। +DoStandingOrdersBeforePayments=এই ট্যাবটি আপনাকে সরাসরি ডেবিট পেমেন্ট অর্ডারের জন্য অনুরোধ করতে দেয়। একবার হয়ে গেলে, আপনি একটি ডাইরেক্ট ডেবিট অর্ডার ফাইল তৈরি এবং পরিচালনা করতে "ব্যাঙ্ক->প্রত্যক্ষ ডেবিট দ্বারা অর্থপ্রদান" মেনুতে যেতে পারেন। +DoStandingOrdersBeforePayments2=এছাড়াও আপনি স্ট্রাইপের মতো একটি SEPA পেমেন্ট প্রসেসরে সরাসরি একটি অনুরোধ পাঠাতে পারেন, ... +DoStandingOrdersBeforePayments3=অনুরোধ বন্ধ হয়ে গেলে, ইনভয়েসে পেমেন্ট স্বয়ংক্রিয়ভাবে রেকর্ড হয়ে যাবে, এবং যদি পেমেন্ট বাকি থাকে তাহলে ইনভয়েস বন্ধ হয়ে যাবে। +DoCreditTransferBeforePayments=এই ট্যাবটি আপনাকে ক্রেডিট ট্রান্সফার অর্ডারের অনুরোধ করতে দেয়। একবার হয়ে গেলে, একটি ক্রেডিট ট্রান্সফার অর্ডার ফাইল তৈরি এবং পরিচালনা করতে "ব্যাঙ্ক->ক্রেডিট ট্রান্সফার দ্বারা অর্থপ্রদান" মেনুতে যান৷ +DoCreditTransferBeforePayments3=ক্রেডিট ট্রান্সফার অর্ডার বন্ধ হয়ে গেলে, ইনভয়েসে পেমেন্ট স্বয়ংক্রিয়ভাবে রেকর্ড হয়ে যাবে, এবং পেমেন্ট বাকি থাকলে ইনভয়েস বন্ধ হয়ে যাবে। +WithdrawalFile=ডেবিট অর্ডার ফাইল +CreditTransferFile=ক্রেডিট ট্রান্সফার ফাইল +SetToStatusSent="ফাইল পাঠানো" স্ট্যাটাসে সেট করুন +ThisWillAlsoAddPaymentOnInvoice=এটি ইনভয়েসে পেমেন্ট রেকর্ড করবে এবং পেমেন্ট শূন্য থাকলে সেগুলিকে "প্রদেয়" হিসাবে শ্রেণীবদ্ধ করবে +StatisticsByLineStatus=লাইনের অবস্থা অনুসারে পরিসংখ্যান RUM=UMR -DateRUM=Mandate signature date -RUMLong=Unique Mandate Reference -RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) -WithdrawRequestAmount=Amount of Direct debit request: -BankTransferAmount=Amount of Credit Transfer request: -WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. -SepaMandate=SEPA Direct Debit Mandate -SepaMandateShort=SEPA Mandate -PleaseReturnMandate=Please return this mandate form by email to %s or by mail to -SEPALegalText=By signing this mandate form, you authorize (A) %s to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. -CreditorIdentifier=Creditor Identifier -CreditorName=Creditor Name -SEPAFillForm=(B) Please complete all the fields marked * -SEPAFormYourName=Your name -SEPAFormYourBAN=Your Bank Account Name (IBAN) -SEPAFormYourBIC=Your Bank Identifier Code (BIC) -SEPAFrstOrRecur=Type of payment -ModeRECUR=Recurring payment -ModeFRST=One-off payment -PleaseCheckOne=Please check one only -CreditTransferOrderCreated=Credit transfer order %s created -DirectDebitOrderCreated=Direct debit order %s created -AmountRequested=Amount requested +DateRUM=ম্যান্ডেট স্বাক্ষরের তারিখ +RUMLong=অনন্য ম্যান্ডেট রেফারেন্স +RUMWillBeGenerated=খালি থাকলে, ব্যাঙ্ক অ্যাকাউন্টের তথ্য সংরক্ষিত হলে একটি UMR (ইউনিক ম্যান্ডেট রেফারেন্স) তৈরি হবে। +WithdrawMode=সরাসরি ডেবিট মোড (FRST বা RCUR) +WithdrawRequestAmount=সরাসরি ডেবিট অনুরোধের পরিমাণ: +BankTransferAmount=ক্রেডিট ট্রান্সফার অনুরোধের পরিমাণ: +WithdrawRequestErrorNilAmount=খালি পরিমাণের জন্য সরাসরি ডেবিট অনুরোধ তৈরি করতে অক্ষম৷ +SepaMandate=SEPA ডাইরেক্ট ডেবিট ম্যান্ডেট +SepaMandateShort=SEPA ম্যান্ডেট +PleaseReturnMandate=অনুগ্রহ করে এই ম্যান্ডেট ফর্মটি ইমেলের মাধ্যমে %s-এ অথবা মেইলে ফেরত দিন +SEPALegalText=এই ম্যান্ডেট ফর্মে স্বাক্ষর করার মাধ্যমে, আপনি (A) %s এবং এর অর্থপ্রদান পরিষেবা প্রদানকারীকে আপনার অ্যাকাউন্ট ডেবিট করার জন্য আপনার ব্যাঙ্কে নির্দেশাবলী পাঠাতে এবং (B) আপনার ব্যাঙ্ককে আপনার অ্যাকাউন্ট ডেবিট করার জন্য অনুমোদন দেন %s থেকে নির্দেশাবলী অনুসারে। আপনার অধিকারের অংশ হিসাবে, আপনি আপনার ব্যাঙ্কের সাথে আপনার চুক্তির শর্তাবলীর অধীনে আপনার ব্যাঙ্ক থেকে ফেরত পাওয়ার অধিকারী। উপরের আদেশ সংক্রান্ত আপনার অধিকারগুলি একটি বিবৃতিতে ব্যাখ্যা করা হয়েছে যা আপনি আপনার ব্যাঙ্ক থেকে পেতে পারেন। আপনি ভবিষ্যতের চার্জগুলি হওয়ার 2 দিন আগে পর্যন্ত বিজ্ঞপ্তিগুলি পেতে সম্মত হন৷ +CreditorIdentifier=পাওনাদার শনাক্তকারী +CreditorName=পাওনাদারের নাম +SEPAFillForm=(B) অনুগ্রহ করে চিহ্নিত সমস্ত ক্ষেত্র পূরণ করুন * +SEPAFormYourName=তোমার নাম +SEPAFormYourBAN=আপনার ব্যাঙ্ক অ্যাকাউন্টের নাম (IBAN) +SEPAFormYourBIC=আপনার ব্যাঙ্ক শনাক্তকারী কোড (BIC) +SEPAFrstOrRecur=অর্থপ্রদানের নমুনা +ModeRECUR=পুনরাবৃত্ত পেমেন্ট +ModeRCUR=পুনরাবৃত্ত পেমেন্ট +ModeFRST=বন্ধ পেমেন্ট +PleaseCheckOne=শুধুমাত্র একটি চেক করুন +CreditTransferOrderCreated=ক্রেডিট ট্রান্সফার অর্ডার %s তৈরি করা হয়েছে +DirectDebitOrderCreated=সরাসরি ডেবিট অর্ডার %s তৈরি করা হয়েছে +AmountRequested=অনুরোধ করা পরিমাণ SEPARCUR=SEPA CUR SEPAFRST=SEPA FRST -ExecutionDate=Execution date -CreateForSepa=Create direct debit file -ICS=Creditor Identifier - ICS -END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction -USTRD="Unstructured" SEPA XML tag -ADDDAYS=Add days to Execution Date -NoDefaultIBANFound=No default IBAN found for this third party +ExecutionDate=মৃত্যুদন্ড তারিখ +CreateForSepa=সরাসরি ডেবিট ফাইল তৈরি করুন +ICS=ক্রেডিটর আইডেন্টিফায়ার - আইসিএস +IDS=ডেবিটর শনাক্তকারী +END_TO_END="EndToEndId" SEPA XML ট্যাগ - প্রতি লেনদেনের জন্য নির্দিষ্ট করা অনন্য আইডি +USTRD="আনস্ট্রাকচার্ড" SEPA XML ট্যাগ +ADDDAYS=মৃত্যুদন্ডের তারিখে দিন যোগ করুন +NoDefaultIBANFound=এই তৃতীয় পক্ষের জন্য কোনো ডিফল্ট IBAN পাওয়া যায়নি ### Notifications -InfoCreditSubject=Payment of direct debit payment order %s by the bank -InfoCreditMessage=The direct debit payment order %s has been paid by the bank
      Data of payment: %s -InfoTransSubject=Transmission of direct debit payment order %s to bank -InfoTransMessage=The direct debit payment order %s has been sent to bank by %s %s.

      -InfoTransData=Amount: %s
      Method: %s
      Date: %s -InfoRejectSubject=Direct debit payment order refused -InfoRejectMessage=Hello,

      the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

      --
      %s -ModeWarning=Option for real mode was not set, we stop after this simulation -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. -ErrorICSmissing=Missing ICS in Bank account %s -TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines -WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s -WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s +InfoCreditSubject=ব্যাঙ্কের সরাসরি ডেবিট পেমেন্ট অর্ডার %s পেমেন্ট +InfoCreditMessage=সরাসরি ডেবিট পেমেন্ট অর্ডার %s ব্যাঙ্কের দ্বারা দেওয়া হয়েছে
      প্রদানের ডেটা: %s +InfoTransSubject=সরাসরি ডেবিট পেমেন্ট অর্ডার %s ব্যাঙ্কে ট্রান্সমিশন +InfoTransMessage=সরাসরি ডেবিট পেমেন্ট অর্ডার %s ব্যাঙ্কে পাঠানো হয়েছে %s %s .

      +InfoTransData=পরিমাণ: %s
      পদ্ধতি: %s
      তারিখ: %s +InfoRejectSubject=সরাসরি ডেবিট পেমেন্ট অর্ডার প্রত্যাখ্যান +InfoRejectMessage=হ্যালো,

      চালানের সরাসরি ডেবিট পেমেন্ট অর্ডার %s সম্পর্কিত কোম্পানি %s, একটি পরিমাণ %s ব্যাঙ্কের দ্বারা প্রত্যাখ্যান করা হয়েছে৷

      --
      %s +ModeWarning=বাস্তব মোডের জন্য বিকল্প সেট করা হয়নি, আমরা এই সিমুলেশন পরে থামা +ErrorCompanyHasDuplicateDefaultBAN=%s আইডি সহ কোম্পানির একাধিক ডিফল্ট ব্যাঙ্ক অ্যাকাউন্ট আছে। কোনটি ব্যবহার করবেন তা জানার উপায় নেই। +ErrorICSmissing=ব্যাঙ্ক অ্যাকাউন্টে ICS অনুপস্থিত %s +TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=সরাসরি ডেবিট অর্ডারের মোট পরিমাণ লাইনের যোগফল থেকে আলাদা +WarningSomeDirectDebitOrdersAlreadyExists=সতর্কতা: ইতিমধ্যেই কিছু মুলতুবি থাকা ডাইরেক্ট ডেবিট অর্ডার (%s) %s এর জন্য অনুরোধ করা হয়েছে +WarningSomeCreditTransferAlreadyExists=সতর্কতা: ইতিমধ্যেই কিছু মুলতুবি ক্রেডিট ট্রান্সফার (%s) %s এর জন্য অনুরোধ করা হয়েছে +UsedFor=%s এর জন্য ব্যবহৃত +Societe_ribSigned=SEPA আদেশ স্বাক্ষরিত +NbOfInvoiceToPayByBankTransferForSalaries=ক্রেডিট ট্রান্সফারের মাধ্যমে অর্থপ্রদানের জন্য অপেক্ষারত যোগ্য বেতনের সংখ্যা +SalaryWaitingWithdraw=ক্রেডিট ট্রান্সফারের মাধ্যমে পেমেন্টের অপেক্ষায় বেতন +RefSalary=বেতন +NoSalaryInvoiceToWithdraw='%s'-এর জন্য কোনো বেতন অপেক্ষা করছে না। একটি অনুরোধ করতে বেতন কার্ডে '%s' ট্যাবে যান৷ +SalaryInvoiceWaitingWithdraw=ক্রেডিট ট্রান্সফারের মাধ্যমে পেমেন্টের অপেক্ষায় বেতন + diff --git a/htdocs/langs/bn_IN/workflow.lang b/htdocs/langs/bn_IN/workflow.lang index adfe7f69609..8cd79538fd3 100644 --- a/htdocs/langs/bn_IN/workflow.lang +++ b/htdocs/langs/bn_IN/workflow.lang @@ -1,26 +1,38 @@ # Dolibarr language file - Source file is en_US - workflow -WorkflowSetup=Workflow module setup -WorkflowDesc=This module provides some automatic actions. By default, the workflow is open (you can do things in the order you want) but here you can activate some automatic actions. -ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules. +WorkflowSetup=ওয়ার্কফ্লো মডিউল সেটআপ +WorkflowDesc=এই মডিউল কিছু স্বয়ংক্রিয় ক্রিয়া প্রদান করে। ডিফল্টরূপে, ওয়ার্কফ্লো খোলা থাকে (আপনি আপনার ইচ্ছামত কাজ করতে পারেন) কিন্তু এখানে আপনি কিছু স্বয়ংক্রিয় ক্রিয়া সক্রিয় করতে পারেন। +ThereIsNoWorkflowToModify=সক্রিয় মডিউলগুলির সাথে কোনও ওয়ার্কফ্লো পরিবর্তন উপলব্ধ নেই৷ # Autocreate -descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a sales order after a commercial proposal is signed (the new order will have same amount as the proposal) -descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Automatically create a customer invoice after a commercial proposal is signed (the new invoice will have same amount as the proposal) -descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automatically create a customer invoice after a contract is validated -descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automatically create a customer invoice after a sales order is closed (the new invoice will have same amount as the order) +descWORKFLOW_PROPAL_AUTOCREATE_ORDER=একটি বাণিজ্যিক প্রস্তাব স্বাক্ষরিত হওয়ার পরে স্বয়ংক্রিয়ভাবে একটি বিক্রয় আদেশ তৈরি করুন (নতুন আদেশে প্রস্তাবের সমান পরিমাণ থাকবে) +descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=একটি বাণিজ্যিক প্রস্তাবে স্বাক্ষর করার পরে স্বয়ংক্রিয়ভাবে একটি গ্রাহক চালান তৈরি করুন (নতুন চালানে প্রস্তাবের সমান পরিমাণ থাকবে) +descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=একটি চুক্তি বৈধ হওয়ার পরে স্বয়ংক্রিয়ভাবে একটি গ্রাহক চালান তৈরি করুন +descWORKFLOW_ORDER_AUTOCREATE_INVOICE=বিক্রয় আদেশ বন্ধ হয়ে যাওয়ার পরে স্বয়ংক্রিয়ভাবে একটি গ্রাহক চালান তৈরি করুন (নতুন চালানে অর্ডারের সমান পরিমাণ থাকবে) +descWORKFLOW_TICKET_CREATE_INTERVENTION=টিকিট তৈরিতে, স্বয়ংক্রিয়ভাবে একটি হস্তক্ষেপ তৈরি করুন। # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales order as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classify linked source sales order as shipped when a shipment is closed (and if the quantity shipped by all shipments is the same as in the order to update) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=যখন একটি চালান যাচাই করা হয় তখন লিংকড সোর্স সেলস অর্ডারকে শিপড হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি সমস্ত চালানের মাধ্যমে পাঠানো পরিমাণ আপডেট করার জন্য একই রকম হয়) +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=শিপমেন্ট বন্ধ হয়ে গেলে লিংকড সোর্স সেলস অর্ডারকে শিপড হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি সমস্ত চালান দ্বারা পাঠানো পরিমাণ আপডেট করার জন্য একই রকম হয়) +# Autoclassify purchase proposal +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated -# Autoclose intervention -descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed -AutomaticCreation=Automatic creation -AutomaticClassification=Automatic classification +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=একটি অভ্যর্থনা যাচাই করা হলে প্রাপ্ত হিসাবে লিঙ্কযুক্ত উত্স ক্রয় আদেশ শ্রেণীবদ্ধ করুন (এবং যদি সমস্ত অভ্যর্থনা দ্বারা প্রাপ্ত পরিমাণ আপডেট করার জন্য ক্রয় আদেশের মতোই হয়) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=একটি অভ্যর্থনা বন্ধ হয়ে গেলে প্রাপ্ত হিসাবে লিঙ্কযুক্ত উত্স ক্রয়ের আদেশকে শ্রেণীবদ্ধ করুন (এবং যদি সমস্ত রিসেপশন দ্বারা প্রাপ্ত পরিমাণ আপডেট করার জন্য ক্রয় আদেশের মতোই হয়) # Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=যখন একটি গ্রাহক চালান যাচাই করা হয় তখন লিঙ্কযুক্ত উত্স চালানকে বন্ধ হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি চালানের পরিমাণ লিঙ্ক করা চালানের মোট পরিমাণের সমান হয়) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=যখন একটি গ্রাহক চালান যাচাই করা হয় তখন লিঙ্কযুক্ত উত্স চালানকে বিল হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি চালানের পরিমাণ লিঙ্ক করা চালানের মোট পরিমাণের সমান হয়) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=একটি ক্রয় চালান যাচাই করা হলে লিঙ্কযুক্ত উত্স অভ্যর্থনাগুলিকে বিল হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি চালানের পরিমাণ লিঙ্কযুক্ত অভ্যর্থনার মোট পরিমাণের সমান হয়) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=একটি ক্রয় চালান যাচাই করা হলে লিঙ্কযুক্ত উত্স অভ্যর্থনাগুলিকে বিল হিসাবে শ্রেণীবদ্ধ করুন (এবং যদি চালানের পরিমাণ লিঙ্কযুক্ত অভ্যর্থনার মোট পরিমাণের সমান হয়) +# Automatically link ticket to contract +descWORKFLOW_TICKET_LINK_CONTRACT=একটি টিকিট তৈরি করার সময়, তৃতীয় পক্ষের সাথে মিলে যাওয়া সমস্ত উপলব্ধ চুক্তি লিঙ্ক করুন +descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=চুক্তি লিঙ্ক করার সময়, পিতামাতার কোম্পানিগুলির মধ্যে অনুসন্ধান করুন +# Autoclose intervention +descWORKFLOW_TICKET_CLOSE_INTERVENTION=টিকিট বন্ধ হয়ে গেলে টিকিটের সাথে যুক্ত সমস্ত হস্তক্ষেপ বন্ধ করুন +AutomaticCreation=স্বয়ংক্রিয় সৃষ্টি +AutomaticClassification=স্বয়ংক্রিয় শ্রেণীবিভাগ +AutomaticClosing=স্বয়ংক্রিয় বন্ধ +AutomaticLinking=স্বয়ংক্রিয় লিঙ্কিং diff --git a/htdocs/langs/bn_IN/zapier.lang b/htdocs/langs/bn_IN/zapier.lang index b4cc4ccba4a..ed9baaaa013 100644 --- a/htdocs/langs/bn_IN/zapier.lang +++ b/htdocs/langs/bn_IN/zapier.lang @@ -13,9 +13,9 @@ # You should have received a copy of the GNU General Public License # along with this program. If not, see . -ModuleZapierForDolibarrName = Zapier for Dolibarr -ModuleZapierForDolibarrDesc = Zapier for Dolibarr module -ZapierForDolibarrSetup=Setup of Zapier for Dolibarr -ZapierDescription=Interface with Zapier -ZapierAbout=About the module Zapier -ZapierSetupPage=There is no need for a setup on Dolibarr side to use Zapier. However, you must generate and publish a package on zapier to be able to use Zapier with Dolibarr. See documentation on
      this wiki page. +ModuleZapierForDolibarrName = Dolibarr জন্য Zapier +ModuleZapierForDolibarrDesc = Dolibarr মডিউল জন্য Zapier +ZapierForDolibarrSetup=Dolibarr জন্য Zapier সেটআপ +ZapierDescription=Zapier সঙ্গে ইন্টারফেস +ZapierAbout=মডিউল Zapier সম্পর্কে +ZapierSetupPage=Zapier ব্যবহার করার জন্য Dolibarr পাশে একটি সেটআপের প্রয়োজন নেই। যাইহোক, Dolibarr-এর সাথে Zapier ব্যবহার করতে আপনাকে অবশ্যই zapier-এ একটি প্যাকেজ তৈরি এবং প্রকাশ করতে হবে। এই উইকি পৃষ্ঠা-এ ডকুমেন্টেশন দেখুন। diff --git a/htdocs/langs/bs_BA/accountancy.lang b/htdocs/langs/bs_BA/accountancy.lang index a15b6a0d8b7..53ad6a2eef4 100644 --- a/htdocs/langs/bs_BA/accountancy.lang +++ b/htdocs/langs/bs_BA/accountancy.lang @@ -10,474 +10,509 @@ ACCOUNTING_EXPORT_AMOUNT=Izvoz iznosa ACCOUNTING_EXPORT_DEVISE=Izvoz valute Selectformat=Odaberi format za datoteku ACCOUNTING_EXPORT_FORMAT=Odaberi format za datoteku -ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type +ACCOUNTING_EXPORT_ENDLINE=Odaberite tip vraćanja nosača ACCOUNTING_EXPORT_PREFIX_SPEC=Odredi prefiks za naziv datoteke -ThisService=This service +ThisService=Ova usluga ThisProduct=Ovaj proizvod -DefaultForService=Default for services -DefaultForProduct=Default for products -ProductForThisThirdparty=Product for this thirdparty -ServiceForThisThirdparty=Service for this thirdparty -CantSuggest=Can't suggest -AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s -ConfigAccountingExpert=Configuration of the module accounting (double entry) +DefaultForService=Podrazumevano za usluge +DefaultForProduct=Zadano za proizvode +ProductForThisThirdparty=Proizvod za ovu treću stranu +ServiceForThisThirdparty=Usluga za ovu treću stranu +CantSuggest=Ne mogu predložiti +AccountancySetupDoneFromAccountancyMenu=Većina podešavanja računovodstva se vrši iz menija %s +ConfigAccountingExpert=Konfiguracija modula računovodstva (dvostruki unos) Journalization=Prenos u dnevnik Journals=Dnevnici JournalFinancial=Finansijski dnevnici BackToChartofaccounts=Vraćanje na pregled računa -Chartofaccounts=Chart of accounts -ChartOfSubaccounts=Chart of individual accounts -ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger -CurrentDedicatedAccountingAccount=Current dedicated account -AssignDedicatedAccountingAccount=New account to assign -InvoiceLabel=Invoice label -OverviewOfAmountOfLinesNotBound=Overview of amount of lines not bound to an accounting account -OverviewOfAmountOfLinesBound=Overview of amount of lines already bound to an accounting account -OtherInfo=Other information -DeleteCptCategory=Remove accounting account from group -ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group? -JournalizationInLedgerStatus=Status of journalization -AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger -GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group -DetailByAccount=Show detail by account -AccountWithNonZeroValues=Accounts with non-zero values -ListOfAccounts=List of accounts -CountriesInEEC=Countries in EEC -CountriesNotInEEC=Countries not in EEC -CountriesInEECExceptMe=Countries in EEC except %s -CountriesExceptMe=All countries except %s -AccountantFiles=Export source documents -ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). -ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. -ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -VueByAccountAccounting=View by accounting account -VueBySubAccountAccounting=View by accounting subaccount +Chartofaccounts=Kontni plan +ChartOfSubaccounts=Plan individualnih računa +ChartOfIndividualAccountsOfSubsidiaryLedger=Dijagram pojedinačnih računa pomoćne knjige +CurrentDedicatedAccountingAccount=Trenutni namenski račun +AssignDedicatedAccountingAccount=Novi račun za dodjelu +InvoiceLabel=Oznaka fakture +OverviewOfAmountOfLinesNotBound=Pregled iznosa redova koji nisu vezani za računovodstveni račun +OverviewOfAmountOfLinesBound=Pregled količine linija koje su već vezane za računovodstveni račun +OtherInfo=Ostale informacije +DeleteCptCategory=Uklonite računovodstveni račun iz grupe +ConfirmDeleteCptCategory=Jeste li sigurni da želite ukloniti ovaj računski račun iz grupe računovodstvenih računa? +JournalizationInLedgerStatus=Status novinarstva +AlreadyInGeneralLedger=Već preneseno u računovodstvene dnevnike i knjigu +NotYetInGeneralLedger=Još nije preneseno u računovodstvene dnevnike i knjigu +GroupIsEmptyCheckSetup=Grupa je prazna, provjerite postavke personalizirane grupe računovodstva +DetailByAccount=Prikaži detalje po nalogu +DetailBy=Detail by +AccountWithNonZeroValues=Računi sa vrijednostima koje nisu nula +ListOfAccounts=Lista računa +CountriesInEEC=Zemlje u EEZ +CountriesNotInEEC=Zemlje koje nisu u EEZ +CountriesInEECExceptMe=Zemlje u EEZ-u osim %s +CountriesExceptMe=Sve zemlje osim %s +AccountantFiles=Izvoz izvornih dokumenata +ExportAccountingSourceDocHelp=Pomoću ovog alata možete pretraživati i izvorne događaje koji se koriste za generiranje vašeg računovodstva.
      Izvezena ZIP datoteka će sadržavati liste traženih stavki u CSV-u, kao i njihove priložene datoteke u njihovom originalnom formatu (PDF, ODT, DOCX...). +ExportAccountingSourceDocHelp2=Da izvezete svoje dnevnike, koristite unos menija %s - %s. +ExportAccountingProjectHelp=Navedite projekt ako vam je potreban računovodstveni izvještaj samo za određeni projekat. Izvještaji o troškovima i plaćanja kredita nisu uključena u izvještaje o projektu. +ExportAccountancy=Izvozno knjigovodstvo +WarningDataDisappearsWhenDataIsExported=Upozorenje, ova lista sadrži samo računovodstvene unose koji nisu već izvezeni (datum izvoza je prazan). Ako želite da uključite računovodstvene unose koji su već izvezeni, kliknite na dugme iznad. +VueByAccountAccounting=Pregled po računovodstvenom računu +VueBySubAccountAccounting=Pregled po računovodstvenom podračunu -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup -MainAccountForUsersNotDefined=Main accounting account for users not defined in setup -MainAccountForVatPaymentNotDefined=Main accounting account for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Main accounting account for subscription payment not defined in setup -UserAccountNotDefined=Accounting account for user not defined in setup +MainAccountForCustomersNotDefined=Glavni račun (iz Kontnog plana) za kupce koji nisu definisani u podešavanju +MainAccountForSuppliersNotDefined=Glavni račun (iz kontnog plana) za dobavljače koji nisu definirani u podešavanjima +MainAccountForUsersNotDefined=Glavni račun (iz kontnog plana) za korisnike koji nisu definisani u podešavanjima +MainAccountForVatPaymentNotDefined=Račun (iz kontnog plana) za plaćanje PDV-a nije definisan u podešavanjima +MainAccountForSubscriptionPaymentNotDefined=Račun (iz kontnog plana) za uplatu članarine nije definisan u podešavanjima +MainAccountForRetainedWarrantyNotDefined=Račun (iz kontnog plana) za zadržanu garanciju nije definisan u podešavanju +UserAccountNotDefined=Računski račun za korisnika nije definiran u postavkama -AccountancyArea=Accounting area -AccountancyAreaDescIntro=Usage of the accountancy module is done in several step: -AccountancyAreaDescActionOnce=The following actions are usually executed one time only, or once per year... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting -AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... +AccountancyArea=Računovodstvena oblast +AccountancyAreaDescIntro=Korištenje računovodstvenog modula odvija se u nekoliko koraka: +AccountancyAreaDescActionOnce=Sljedeće radnje se obično izvode samo jednom ili jednom godišnje... +AccountancyAreaDescActionOnceBis=Sljedeće korake treba učiniti kako biste uštedjeli vrijeme u budućnosti tako što će vam automatski predložiti ispravan zadani računski račun prilikom prijenosa podataka u računovodstvo +AccountancyAreaDescActionFreq=Sledeće radnje se obično izvršavaju svakog meseca, nedelje ili dana za veoma velike kompanije... -AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s -AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescJournalSetup=KORAK %s: Provjerite sadržaj svoje liste časopisa iz menija %s +AccountancyAreaDescChartModel=KORAK %s: Provjerite postoji li model kontnog plana ili ga kreirajte iz menija %s +AccountancyAreaDescChart=KORAK %s: Odaberite i|ili dovršite svoj kontni plan iz menija %s -AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. -AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. -AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. -AccountancyAreaDescDonation=STEP %s: Define default accounting accounts for donation. For this, use the menu entry %s. -AccountancyAreaDescSubscription=STEP %s: Define default accounting accounts for member subscription. For this, use the menu entry %s. -AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. -AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. +AccountancyAreaDescFiscalPeriod=KORAK %s: Definirajte fiskalnu godinu prema zadanim postavkama u koju ćete integrirati svoje računovodstvene unose. Za ovo koristite unos menija %s. +AccountancyAreaDescVat=KORAK %s: Definirajte računovodstvene račune za svaku stopu PDV-a. Za ovo koristite unos menija %s. +AccountancyAreaDescDefault=KORAK %s: Definirajte zadane računovodstvene račune. Za ovo koristite unos menija %s. +AccountancyAreaDescExpenseReport=KORAK %s: Definirajte zadane računovodstvene račune za svaku vrstu izvještaja o troškovima. Za ovo koristite unos menija %s. +AccountancyAreaDescSal=KORAK %s: Definirajte zadane računovodstvene račune za isplatu plata. Za ovo koristite unos menija %s. +AccountancyAreaDescContrib=KORAK %s: Definirajte zadane računovodstvene račune za poreze (posebne troškove). Za ovo koristite unos menija %s. +AccountancyAreaDescDonation=KORAK %s: Definirajte zadane računovodstvene račune za donacije. Za ovo koristite unos menija %s. +AccountancyAreaDescSubscription=KORAK %s: Definirajte zadane računovodstvene račune za pretplatu članova. Za ovo koristite unos menija %s. +AccountancyAreaDescMisc=KORAK %s: Definirajte obavezne zadane račune i zadane računovodstvene račune za razne transakcije. Za ovo koristite unos menija %s. +AccountancyAreaDescLoan=KORAK %s: Definirajte zadane računovodstvene račune za kredite. Za ovo koristite unos menija %s. +AccountancyAreaDescBank=KORAK %s: Definirajte računovodstvene račune i šifru dnevnika za svaku banku b01f882f7e6484z račune. Za ovo koristite unos menija %s. +AccountancyAreaDescProd=KORAK %s: Definirajte računovodstvene račune na vašim proizvodima/uslugama. Za ovo koristite unos menija %s. -AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. -AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and generate reports and exports. +AccountancyAreaDescBind=KORAK %s: Provjerite vezu između postojećih %s redova i račun je račun gotovo, tako da će aplikacija moći da evidentira transakcije u Ledgeru jednim klikom. Kompletne veze koje nedostaju. Za ovo koristite unos menija %s. +AccountancyAreaDescWriteRecords=KORAK %s: Upišite transakcije u Knjigu. Za ovo idite u meni %s, i kliknite na dugme %sb0z06fdb0z06fdc >. +AccountancyAreaDescAnalyze=KORAK %s: Pročitajte izvještaje ili generirajte datoteke za izvoz za druge knjigovođe. +AccountancyAreaDescClosePeriod=KORAK %s: Zatvorite period tako da ne možemo više prenositi podatke u istom periodu u budućnosti. -AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. - -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) +TheFiscalPeriodIsNotDefined=Obavezni korak u postavljanju nije završen (Fiskalni period nije definiran) +TheJournalCodeIsNotDefinedOnSomeBankAccount=Obavezni korak u postavljanju nije dovršen (dnevnik šifre računa nije definiran za sve bankovne račune) Selectchartofaccounts=Odaberi aktivnog pregleda računa -ChangeAndLoad=Change and load +CurrentChartOfAccount=Trenutni aktivni kontni plan +ChangeAndLoad=Promijeni učitavanje i Addanaccount=Dodaj računovodstveni račun AccountAccounting=Računovodstveni račun AccountAccountingShort=Account -SubledgerAccount=Subledger account -SubledgerAccountLabel=Subledger account label -ShowAccountingAccount=Show accounting account -ShowAccountingJournal=Show accounting journal -ShowAccountingAccountInLedger=Show accounting account in ledger -ShowAccountingAccountInJournals=Show accounting account in journals -DataUsedToSuggestAccount=Data used to suggest account -AccountAccountingSuggest=Account suggested -MenuDefaultAccounts=Default accounts +SubledgerAccount=Podknjižni račun +SubledgerAccountLabel=Oznaka podknjižnog računa +ShowAccountingAccount=Prikaži računovodstveni račun +ShowAccountingJournal=Prikaži računovodstveni dnevnik +ShowAccountingAccountInLedger=Prikaži računovodstveni račun u knjizi +ShowAccountingAccountInJournals=Prikaži računovodstveni račun u časopisima +DataUsedToSuggestAccount=Podaci korišteni za predlaganje računa +AccountAccountingSuggest=Predložen račun +MenuDefaultAccounts=Zadani računi MenuBankAccounts=Žiro računi -MenuVatAccounts=Vat accounts -MenuTaxAccounts=Tax accounts -MenuExpenseReportAccounts=Expense report accounts -MenuLoanAccounts=Loan accounts -MenuProductsAccounts=Product accounts -MenuClosureAccounts=Closure accounts -MenuAccountancyClosure=Closure -MenuAccountancyValidationMovements=Validate movements -ProductsBinding=Products accounts -TransferInAccounting=Transfer in accounting -RegistrationInAccounting=Recording in accounting -Binding=Binding to accounts -CustomersVentilation=Customer invoice binding -SuppliersVentilation=Vendor invoice binding -ExpenseReportsVentilation=Expense report binding -CreateMvts=Create new transaction +MenuVatAccounts=PDV računi +MenuTaxAccounts=Poreski računi +MenuExpenseReportAccounts=Računi izvještaja o troškovima +MenuLoanAccounts=Kreditni računi +MenuProductsAccounts=Računi proizvoda +MenuClosureAccounts=Zatvaranje računa +MenuAccountancyClosure=Zatvaranje +MenuExportAccountancy=Izvozno knjigovodstvo +MenuAccountancyValidationMovements=Potvrdite pokrete +ProductsBinding=Računi proizvoda +TransferInAccounting=Transfer u računovodstvu +RegistrationInAccounting=Evidentiranje u računovodstvu +Binding=Vezanje za račune +CustomersVentilation=Vezivanje računa kupca +SuppliersVentilation=Vezivanje faktura dobavljača +ExpenseReportsVentilation=Izvještaj o troškovima obavezujući +CreateMvts=Kreirajte novu transakciju UpdateMvts=Modifikacija transakcije -ValidTransaction=Validate transaction -WriteBookKeeping=Record transactions in accounting +ValidTransaction=Potvrdite transakciju +WriteBookKeeping=Zabilježite transakcije u računovodstvu Bookkeeping=Ledger BookkeepingSubAccount=Subledger -AccountBalance=Account balance -AccountBalanceSubAccount=Sub-accounts balance -ObjectsRef=Source object ref -CAHTF=Total purchase vendor before tax -TotalExpenseReport=Total expense report -InvoiceLines=Lines of invoices to bind -InvoiceLinesDone=Bound lines of invoices -ExpenseReportLines=Lines of expense reports to bind -ExpenseReportLinesDone=Bound lines of expense reports -IntoAccount=Bind line with the accounting account -TotalForAccount=Total accounting account +AccountBalance=Stanje računa +AccountBalanceSubAccount=Stanje podračuna +ObjectsRef=Izvorni objekat ref +CAHTF=Ukupna kupovina dobavljača prije poreza +TotalExpenseReport=Izvještaj o ukupnim troškovima +InvoiceLines=Redovi faktura za vezanje +InvoiceLinesDone=Vezani redovi faktura +ExpenseReportLines=Redovi izvještaja o troškovima za vezanje +ExpenseReportLinesDone=Vezani redovi izvještaja o troškovima +IntoAccount=Vezati red sa računovodstvenim računom +TotalForAccount=Ukupno računovodstveni račun Ventilate=Bind LineId=Id line Processing=Processing -EndProcessing=Process terminated. +EndProcessing=Proces prekinut. SelectedLines=Odabrani redovi Lineofinvoice=Red fakture -LineOfExpenseReport=Line of expense report -NoAccountSelected=No accounting account selected -VentilatedinAccount=Binded successfully to the accounting account -NotVentilatedinAccount=Not bound to the accounting account -XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account -XLineFailedToBeBinded=%s products/services were not bound to any accounting account +LineOfExpenseReport=Linija izvještaja o troškovima +NoAccountSelected=Nije odabran računski račun +VentilatedinAccount=Uspješno vezano za račun računovodstva +NotVentilatedinAccount=Nije vezano za računovodstveni račun +XLineSuccessfullyBinded=%s proizvodi/usluge uspješno vezani za računovodstveni račun +XLineFailedToBeBinded=%s proizvodi/usluge nisu bili vezani ni za jedan računovodstveni račun -ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50) -ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements -ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements +ACCOUNTING_LIMIT_LIST_VENTILATION=Maksimalan broj redova na stranici za povezivanje i na listi (preporučeno: 50) +ACCOUNTING_LIST_SORT_VENTILATION_TODO=Započnite sortiranje stranice "Obvezuje se za obavljanje" prema najnovijim elementima +ACCOUNTING_LIST_SORT_VENTILATION_DONE=Započnite sortiranje stranice "Vezivanje obavljeno" prema najnovijim elementima -ACCOUNTING_LENGTH_DESCRIPTION=Truncate product & services description in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncate product & services account description form in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set value to 6 here, the account '706' will appear like '706000' on screen) -ACCOUNTING_LENGTH_AACCOUNT=Length of the third-party accounting accounts (If you set value to 6 here, the account '401' will appear like '401000' on screen) -ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of an accounting account. Needed by some countries (like Switzerland). If set to off (default), you can set the following two parameters to ask the application to add virtual zeros. -BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account -ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal -ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_LENGTH_DESCRIPTION=Skratite opis proizvoda i usluga u oglasima nakon x znakova (najbolje = 50) +ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Skratite obrazac za opis računa proizvoda i usluga u oglasima nakon x znakova (najbolje = 50) +ACCOUNTING_LENGTH_GACCOUNT=Dužina opštih računovodstvenih računa (ako ovdje postavite vrijednost na 6, račun '706' će se pojaviti kao '706000' na ekranu) +ACCOUNTING_LENGTH_AACCOUNT=Dužina računovodstvenih računa treće strane (ako ovdje postavite vrijednost na 6, račun '401' će se pojaviti kao '401000' na ekranu) +ACCOUNTING_MANAGE_ZERO=Omogućite upravljanje različitim brojem nula na kraju računovodstvenog računa. Potreban nekim zemljama (poput Švajcarske). Ako je postavljeno na isključeno (podrazumevano), možete postaviti sljedeća dva parametra kako biste zatražili od aplikacije da doda virtuelne nule. +BANK_DISABLE_DIRECT_INPUT=Onemogućite direktno evidentiranje transakcije na bankovnom računu +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Omogućite izvoz nacrta u dnevnik +ACCOUNTANCY_COMBO_FOR_AUX=Omogući kombinovanu listu za račun podružnice (može biti spor ako imate puno trećih strana, prekinuti mogućnost pretraživanja na dijelu vrijednosti) +ACCOUNTING_DATE_START_BINDING=Onemogućite vezivanje i prijenos u računovodstvu kada je datum ispod ovog datuma (transakcije prije ovog datuma će biti isključene prema zadanim postavkama) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Na stranici za prijenos podataka u računovodstvo, koji je period odabran po defaultu -ACCOUNTING_SELL_JOURNAL=Sales journal (sales and returns) -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal (purchase and returns) -ACCOUNTING_BANK_JOURNAL=Cash journal (receipts and disbursements) +ACCOUNTING_SELL_JOURNAL=Dnevnik prodaje - vraćanje i prodaje +ACCOUNTING_PURCHASE_JOURNAL=Dnevnik kupovine - kupovina i vraća +ACCOUNTING_BANK_JOURNAL=Blagajnički dnevnik - potvrde o i isplatama ACCOUNTING_EXPENSEREPORT_JOURNAL=Dnevnik troškova ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal -ACCOUNTING_INVENTORY_JOURNAL=Inventory journal +ACCOUNTING_HAS_NEW_JOURNAL=Ima novi časopis +ACCOUNTING_INVENTORY_JOURNAL=Dnevnik inventara ACCOUNTING_SOCIAL_JOURNAL=Dnevnik doprinosa -ACCOUNTING_RESULT_PROFIT=Result accounting account (Profit) -ACCOUNTING_RESULT_LOSS=Result accounting account (Loss) -ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal of closure +ACCOUNTING_RESULT_PROFIT=Račun rezultata (Profit) +ACCOUNTING_RESULT_LOSS=Račun računovodstva rezultata (gubitak) +ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Dnevnik zatvaranja +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Računovodstvene grupe koje se koriste za bilansni račun (odvojene zarezom) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Računovodstvene grupe koje se koriste za bilans uspjeha (odvojene zarezom) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers -TransitionalAccount=Transitional bank transfer account +ACCOUNTING_ACCOUNT_TRANSFER_CASH=Račun (iz Kontnog plana) koji će se koristiti kao račun za prelazne bankovne transfere +TransitionalAccount=Prijelazni račun bankovnog transfera -ACCOUNTING_ACCOUNT_SUSPENSE=Account (from the Chart Of Account) to be used as the account for unallocated funds either received or paid i.e. funds in "wait[ing]" -DONATION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register donations (Donation module) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ACCOUNTING_ACCOUNT_SUSPENSE=Račun (iz Kontnog plana) koji se koristi kao račun za neraspoređena sredstva primljena ili plaćena, tj. +DONATION_ACCOUNTINGACCOUNT=Račun (iz kontnog plana) koji će se koristiti za registraciju donacija (modul za donacije) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Račun (iz kontnog plana) koji će se koristiti za registraciju pretplata na članstvo (modul za članstvo - ako je članstvo evidentirano bez fakture) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit -UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default -UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Accounting account by default to register customer retained warranty +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Račun (iz plana računa) koji će se koristiti kao zadani račun za registraciju depozita klijenta +UseAuxiliaryAccountOnCustomerDeposit=Pohranite korisnički račun kao individualni račun u pomoćnoj knjizi za redove avansa (ako je onemogućen, individualni račun za redove kapare će ostati prazan) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Račun (iz kontnog plana) koji će se koristiti kao zadani +UseAuxiliaryAccountOnSupplierDeposit=Pohranite račun dobavljača kao individualni račun u pomoćnoj knjizi za redove avansa (ako je onemogućen, pojedinačni račun za redove kapara će ostati prazan) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Računovodstveni račun po defaultu za registraciju zadržane garancije kupca -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za proizvode kupljene u istoj zemlji (koristi se ako nije definirano u tablici proizvoda) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za proizvode kupljene iz EEZ-a u drugu zemlju EEZ (koristi se ako nije definirano u tablici proizvoda) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Račun (iz Kontnog plana) koji će se koristiti kao zadani račun za kupljene proizvode i uvezene iz bilo koje druge strane zemlje (koristi se ako nije definirano u tablici proizvoda) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Račun (iz Kontnog plana) koji će se koristiti kao zadani račun za prodate proizvode (koristi se ako nije definiran u tablici proizvoda) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za proizvode koji se prodaju iz EEZ u drugu zemlju EEZ (koristi se ako nije definirano u tablici proizvoda) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Račun (iz Kontnog plana) koji će se koristiti kao zadani račun za prodate proizvode i izvezene u bilo koju drugu stranu zemlju (koristi se ako nije definirano u tablici proizvoda) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased within same country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za usluge kupljene u istoj zemlji (koristi se ako nije definisano u servisnom listu) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za usluge kupljene od EEZ-a u drugu zemlju EEZ (koristi se ako nije definirano u servisnom listu) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za kupljene usluge i uvezene iz druge strane zemlje (koristi se ako nije definisano u servisnom listu) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=Račun (iz Kontnog plana) koji će se koristiti kao zadani račun za prodate usluge (koristi se ako nije definiran u servisnom listu) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za usluge koje se prodaju iz EEZ u drugu zemlju EEZ (koristi se ako nije definirano u servisnom listu) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za prodane usluge i izvezene u bilo koju drugu stranu zemlju (koristi se ako nije definirano u servisnom listu) Doctype=Type of document Docdate=Date Docref=Reference LabelAccount=Label account -LabelOperation=Label operation -Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
      For an accounting account of a supplier, use Debit to record a payment you made -LetteringCode=Lettering code +LabelOperation=Rad sa etiketom +Sens=Smjer +AccountingDirectionHelp=Za računovodstveni račun kupca, koristite Kredit za evidentiranje uplate koju ste primili
      Za računovodstveni račun dobavljača, koristite Debit za evidentiranje uplate koju ste izvršili +LetteringCode=Kôd slova Lettering=Lettering Codejournal=Journal -JournalLabel=Journal label -NumPiece=Piece number -TransactionNumShort=Num. transaction -AccountingCategory=Custom group of accounts -AccountingCategories=Custom groups of accounts -GroupByAccountAccounting=Group by general ledger account -GroupBySubAccountAccounting=Group by subledger account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. -ByAccounts=By accounts -ByPredefinedAccountGroups=By predefined groups -ByPersonalizedAccountGroups=By personalized groups +JournalLabel=Oznaka časopisa +NumPiece=Broj komada +TransactionNumShort=Num. transakcija +AccountingCategory=Prilagođena grupa računa +AccountingCategories=Prilagođene grupe računa +GroupByAccountAccounting=Grupirajte po kontu glavne knjige +GroupBySubAccountAccounting=Grupirajte po računu podknjige +AccountingAccountGroupsDesc=Ovdje možete definirati neke grupe računovodstvenih računa. Oni će se koristiti za personalizirane računovodstvene izvještaje. +ByAccounts=Po računima +ByPredefinedAccountGroups=Po unapred definisanim grupama +ByPersonalizedAccountGroups=Po personalizovanim grupama ByYear=Po godini -NotMatch=Not Set -DeleteMvt=Delete some lines from accounting -DelMonth=Month to delete -DelYear=Year to delete -DelJournal=Journal to delete -ConfirmDeleteMvt=This will delete all lines in accountancy for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) +NotMatch=Nije postavljeno +DeleteMvt=Izbrišite neke redove iz računovodstva +DelMonth=Mjesec za brisanje +DelYear=Godina za brisanje +DelJournal=Dnevnik za brisanje +ConfirmDeleteMvt=Ovo će izbrisati sve redove u računovodstvu za godinu/mjesec i/ili za određeni časopis (Potreban je najmanje jedan kriterij). Morat ćete ponovo koristiti funkciju '%s' da biste vratili izbrisani zapis u knjigu. +ConfirmDeleteMvtPartial=Ovo će izbrisati transakciju iz računovodstva (svi redovi koji se odnose na istu transakciju će biti izbrisani) FinanceJournal=Finance journal -ExpenseReportsJournal=Expense reports journal +ExpenseReportsJournal=Dnevnik izvještaja o troškovima +InventoryJournal=Dnevnik inventara DescFinanceJournal=Finance journal including all the types of payments by bank account -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. -VATAccountNotDefined=Account for VAT not defined -ThirdpartyAccountNotDefined=Account for third party not defined -ProductAccountNotDefined=Account for product not defined -FeeAccountNotDefined=Account for fee not defined -BankAccountNotDefined=Account for bank not defined +DescJournalOnlyBindedVisible=Ovo je prikaz zapisa koji je vezan za računovodstveni račun i može se zabilježiti u i knjigu dnevnika. +VATAccountNotDefined=Račun za PDV nije definisan +ThirdpartyAccountNotDefined=Račun treće strane nije definisan +ProductAccountNotDefined=Račun za proizvod nije definiran +FeeAccountNotDefined=Račun za naknadu nije definisan +BankAccountNotDefined=Račun za banku nije definisan CustomerInvoicePayment=Payment of invoice customer -ThirdPartyAccount=Third-party account -NewAccountingMvt=New transaction -NumMvts=Numero of transaction -ListeMvts=List of movements +ThirdPartyAccount=Račun treće strane +NewAccountingMvt=Nova transakcija +NumMvts=Broj transakcija +ListeMvts=Lista pokreta ErrorDebitCredit=Debit and Credit cannot have a value at the same time -AddCompteFromBK=Add accounting accounts to the group -ReportThirdParty=List third-party account -DescThirdPartyReport=Consult here the list of third-party customers and vendors and their accounting accounts +AddCompteFromBK=Dodajte računovodstvene račune u grupu +ReportThirdParty=Navedite račun treće strane +DescThirdPartyReport=Ovdje pogledajte listu kupaca trećih strana i dobavljača i njihovih računovodstvenih računa ListAccounts=List of the accounting accounts -UnknownAccountForThirdparty=Unknown third-party account. We will use %s -UnknownAccountForThirdpartyBlocking=Unknown third-party account. Blocking error -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Third-party unknown and subledger not defined on the payment. We will keep the subledger account value empty. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger account not defined or third party or user unknown. Blocking error. -UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third-party account and waiting account not defined. Blocking error -PaymentsNotLinkedToProduct=Payment not linked to any product / service -OpeningBalance=Opening balance -ShowOpeningBalance=Show opening balance -HideOpeningBalance=Hide opening balance -ShowSubtotalByGroup=Show subtotal by level +UnknownAccountForThirdparty=Nepoznati račun treće strane. Koristit ćemo %s +UnknownAccountForThirdpartyBlocking=Nepoznati račun treće strane. Greška pri blokiranju +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Podknjiga račun nije definiran ili treće lice ili korisnik nepoznat. Koristit ćemo %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Nepoznata i podknjiga treće strane nije definirana na uplati. Vrijednost računa podknjige ostat ćemo praznom. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Podknjiga račun nije definiran ili treće lice ili korisnik nepoznat. Greška pri blokiranju. +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Nepoznati račun treće strane i račun na čekanju nije definiran. Greška pri blokiranju +PaymentsNotLinkedToProduct=Plaćanje nije povezano ni sa jednim proizvodom/uslugom +OpeningBalance=Početni bilans +ShowOpeningBalance=Prikaži početno stanje +HideOpeningBalance=Sakrij početno stanje +ShowSubtotalByGroup=Prikaži međuzbroj po nivou -Pcgtype=Group of account -PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. -AccountingCategoriesDesc=Custom group of accounts can be used to group accounting accounts into one name to ease filter use or building of custom reports. +Pcgtype=Grupa računa +PcgtypeDesc=Grupe računa se koriste kao unaprijed definirani 'filter' i kriteriji 'grupiranja' za neke računovodstvene izvještaje. Na primjer, 'INCOME' ili 'EXPENSE' se koriste kao grupe za računovodstvene račune proizvoda za izradu izvještaja o troškovima/prihodima. +AccountingCategoriesDesc=Prilagođena grupa računa može se koristiti za grupiranje računovodstvenih računa u jedno ime kako bi se olakšalo korištenje filtera ili pravljenje prilagođenih izvještaja. -Reconcilable=Reconcilable +Reconcilable=Pomirljiv TotalVente=Total turnover before tax TotalMarge=Total sales margin -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account -DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product account from chart of account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account -ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: +DescVentilCustomer=Ovdje pogledajte listu linija faktura kupaca vezanih (ili ne) za račun proizvoda iz kontnog plana +DescVentilMore=U većini slučajeva, ako koristite unaprijed definirane proizvode ili usluge i postavite račun (iz kontnog plana) na kartici proizvoda/usluge, aplikacija će moći izvršiti sve povezivanje između redova faktura i računovodstvenog računa vašeg kontnog plana, samo jednim klikom sa dugmetom "%s". Ako račun nije postavljen na karticama proizvoda/usluga ili ako još uvijek imate neke linije koje nisu vezane za račun, morat ćete napraviti ručno uvezivanje iz menija "%s". +DescVentilDoneCustomer=Ovdje pogledajte listu linija faktura kupaca i njihov račun proizvoda iz kontnog plana +DescVentilTodoCustomer=Vezati fakturne linije koje već nisu vezane za račun proizvoda iz kontnog plana +ChangeAccount=Promijenite račun proizvoda/usluge (iz kontnog plana) za odabrane linije sa sljedećim računom: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) -DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account -DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account -DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account -DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s". -DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account +DescVentilSupplier=Ovdje pogledajte listu faktura dobavljača vezanih ili još uvijek vezanih za račun proizvoda iz kontnog plana (vidljiv je samo zapis koji nije već prenesen u računovodstvo) +DescVentilDoneSupplier=Ovdje pogledajte listu linija faktura dobavljača i njihovog računovodstvenog računa +DescVentilTodoExpenseReport=Povežite redove izvještaja o troškovima koji nisu već vezani za račun obračuna naknada +DescVentilExpenseReport=Ovdje pogledajte listu linija izvještaja o troškovima vezanih (ili ne) za račun obračuna naknada +DescVentilExpenseReportMore=Ako postavite računovodstveni račun na vrstu linija izvještaja o troškovima, aplikacija će moći napraviti sve veze između vaših linija izvještaja o troškovima i računovodstvenog računa vašeg kontnog plana, samo jednim klikom sa dugmetom "%s". Ako račun nije postavljen u rječniku naknada ili ako još uvijek imate neke linije koje nisu vezane ni za jedan račun, morat ćete napraviti ručno uvezivanje iz menija "%s". +DescVentilDoneExpenseReport=Ovdje pogledajte listu linija izvještaja o troškovima i njihov račun računovodstva naknada -Closure=Annual closure -DescClosure=Consult here the number of movements by month not yet validated & locked -OverviewOfMovementsNotValidated=Overview of movements not validated and locked -AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked -ValidateMovements=Validate and lock movements... -DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible +Closure=Godišnje zatvaranje +AccountancyClosureStep1Desc=Ovdje pogledajte broj kretanja po mjesecima koji još nisu potvrđeni i zaključani +OverviewOfMovementsNotValidated=Pregled kretanja nepotvrđenih i zaključano +AllMovementsWereRecordedAsValidated=Svi pokreti su zabilježeni kao validirani i zaključani +NotAllMovementsCouldBeRecordedAsValidated=Nisu svi pokreti mogli biti snimljeni kao validirani i zaključani +ValidateMovements=Potvrdite i pokrete zaključavanja +DescValidateMovements=Bilo kakva modifikacija ili brisanje pisanja, slova i brisanja će biti zabranjena. Sve prijave za vježbu moraju biti potvrđene, inače zatvaranje neće biti moguće -ValidateHistory=Bind Automatically -AutomaticBindingDone=Automatic bindings done (%s) - Automatic binding not possible for some record (%s) -DoManualBindingForFailedRecord=You have to do a manual link for the %s row(s) not linked automatically. +ValidateHistory=Vezi automatski +AutomaticBindingDone=Automatsko povezivanje obavljeno (%s) - Automatsko povezivanje nije moguće za neki zapis (%s) +DoManualBindingForFailedRecord=Morate napraviti ručnu vezu za %s redove koji nisu automatski povezani. -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s & Credit = %s -Balancing=Balancing -FicheVentilation=Binding card -GeneralLedgerIsWritten=Transactions are written in the Ledger -GeneralLedgerSomeRecordWasNotRecorded=Some of the transactions could not be journalized. If there is no other error message, this is probably because they were already journalized. -NoNewRecordSaved=No more record to transfer -ListOfProductsWithoutAccountingAccount=List of products not bound to any account of chart of account -ChangeBinding=Change the binding -Accounted=Accounted in ledger -NotYetAccounted=Not yet transferred to accounting +ErrorAccountancyCodeIsAlreadyUse=Greška, ne možete ukloniti ili onemogućiti ovaj račun kontnog plana jer se koristi +MvtNotCorrectlyBalanced=Kretanje nije pravilno izbalansirano. Debit = %s & Kredit = %s +Balancing=Balansiranje +FicheVentilation=Kartica za vezivanje +GeneralLedgerIsWritten=Transakcije se upisuju u Knjigu +GeneralLedgerSomeRecordWasNotRecorded=Neke od transakcija nisu mogle biti evidentirane. Ako nema druge poruke o grešci, to je vjerovatno zato što su već evidentirane. +NoNewRecordSaved=Nema više zapisa za prijenos +ListOfProductsWithoutAccountingAccount=Spisak proizvoda koji nisu vezani ni za jedan račun kontnog plana +ChangeBinding=Promijenite vezivanje +Accounted=Obračun u knjizi +NotYetAccounted=Još nije preneseno u računovodstvo ShowTutorial=Show Tutorial NotReconciled=Nije izmireno -WarningRecordWithoutSubledgerAreExcluded=Warning, all lines without subledger account defined are filtered and excluded from this view -AccountRemovedFromCurrentChartOfAccount=Accounting account that does not exist in the current chart of accounts +WarningRecordWithoutSubledgerAreExcluded=Upozorenje, svi redovi bez definiranog računa podknjige su filtrirani i isključeni iz ovog prikaza +AccountRemovedFromCurrentChartOfAccount=Računovodstveni račun koji ne postoji u tekućem kontnom planu ## Admin -BindingOptions=Binding options -ApplyMassCategories=Apply mass categories -AddAccountFromBookKeepingWithNoCategories=Available account not yet in the personalized group -CategoryDeleted=Category for the accounting account has been removed -AccountingJournals=Accounting journals -AccountingJournal=Accounting journal -NewAccountingJournal=New accounting journal -ShowAccountingJournal=Show accounting journal -NatureOfJournal=Nature of Journal -AccountingJournalType1=Miscellaneous operations -AccountingJournalType2=Sales -AccountingJournalType3=Purchases +BindingOptions=Opcije vezivanja +ApplyMassCategories=Primijenite masovne kategorije +AddAccountFromBookKeepingWithNoCategories=Dostupni račun još nije u personaliziranoj grupi +CategoryDeleted=Kategorija za računovodstveni račun je uklonjena +AccountingJournals=Računovodstveni časopisi +AccountingJournal=Računovodstveni časopis +NewAccountingJournal=Novi računovodstveni dnevnik +ShowAccountingJournal=Prikaži računovodstveni dnevnik +NatureOfJournal=Priroda časopisa +AccountingJournalType1=Razne operacije +AccountingJournalType2=Prodaja +AccountingJournalType3=Kupovine AccountingJournalType4=Banka AccountingJournalType5=Izvještaj o troškovima AccountingJournalType8=Inventar -AccountingJournalType9=Has-new -GenerationOfAccountingEntries=Generation of accounting entries -ErrorAccountingJournalIsAlreadyUse=This journal is already use -AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s -NumberOfAccountancyEntries=Number of entries -NumberOfAccountancyMovements=Number of movements -ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting -ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting +AccountingJournalType9=Zadržana dobit +GenerationOfAccountingEntries=Generisanje računovodstvenih unosa +ErrorAccountingJournalIsAlreadyUse=Ovaj časopis se već koristi +AccountingAccountForSalesTaxAreDefinedInto=Napomena: Računovodstveni račun za porez na promet definiran je u meniju %s - %s +NumberOfAccountancyEntries=Broj unosa +NumberOfAccountancyMovements=Broj pokreta +ACCOUNTING_DISABLE_BINDING_ON_SALES=Onemogućite uvezivanje i prijenos u računovodstvu prodaje (fakture kupaca se neće uzimati u obzir u računovodstvu) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Onemogućite uvezivanje i prijenos u računovodstvu na kupovini (fakture dobavljača neće se uzeti u obzir u računovodstvu) +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Onemogućite uvezivanje i prijenos u računovodstvu na izvještajima o troškovima (izvještaji o troškovima neće se uzeti u obzir u računovodstvu) +ACCOUNTING_ENABLE_LETTERING=Omogućite funkciju slova u računovodstvu +ACCOUNTING_ENABLE_LETTERING_DESC=Kada je ova opcija omogućena, možete definirati, na svakom knjigovodstvenom unosu, šifru tako da možete zajedno grupirati različita računovodstvena kretanja. U prošlosti, kada se različitim časopisima upravljalo nezavisno, ova karakteristika je bila neophodna za grupisanje linija kretanja različitih časopisa zajedno. Međutim, kod Dolibarr računovodstva, takav kod za praćenje, nazvan "%sb09a4b739f17f8z span>" je već automatski sačuvan, tako da je automatsko ispisivanje već urađeno, bez rizika od greške, tako da je ova funkcija postala beskorisna za uobičajenu upotrebu. Funkcija ručnog pisanja slova je predviđena za krajnje korisnike koji zaista nemaju povjerenja u kompjuterski mehanizam koji vrši prijenos podataka u računovodstvu. +EnablingThisFeatureIsNotNecessary=Omogućavanje ove funkcije više nije potrebno za rigorozno računovodstveno upravljanje. +ACCOUNTING_ENABLE_AUTOLETTERING=Omogućite automatsko pisanje slova prilikom prelaska na računovodstvo +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Kôd za natpis se automatski generira i inkrementirano i nije izabrao krajnji korisnik +ACCOUNTING_LETTERING_NBLETTERS=Broj slova prilikom generiranja koda slova (podrazumevano 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Neki računovodstveni softver prihvata samo dvoslovni kod. Ovaj parametar vam omogućava da postavite ovaj aspekt. Zadani broj slova je tri. +OptionsAdvanced=Napredne opcije +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Aktivirajte upravljanje povratom PDV-a na nabavke dobavljača +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Kada je ova opcija omogućena, možete definirati da se dobavljač ili faktura datog dobavljača moraju drugačije prenijeti u računovodstvo: Dodatno zaduženje i kreditna linija će se generirati u računovodstvu 2. date račune iz kontnog plana definiranog na stranici za podešavanje "%s". ## Export -NotExportLettering=Do not export the lettering when generating the file -NotifiedExportDate=Flag exported lines as Exported (to modify a line, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) -NotifiedExportFull=Export documents ? -DateValidationAndLock=Date validation and lock -ConfirmExportFile=Confirmation of the generation of the accounting export file ? -ExportDraftJournal=Export draft journal +NotExportLettering=Nemojte izvoziti slova prilikom generisanja datoteke +NotifiedExportDate=Označite još neizvezene linije kao Izvezene (da modificirate liniju označenu kao izvezenu, morat ćete izbrisati cijelu transakciju i ponovo prenesite u računovodstvo) +NotifiedValidationDate=Potvrdite i Zaključajte izvezene unose koji još nisu zaključani (isti efekat kao "b0ecb2fec8 " funkcija, modifikacija i brisanje linija DEFINITIVNO neće biti moguće) +NotifiedExportFull=Izvozna dokumenta? +DateValidationAndLock=Datum validacije i zaključavanje +ConfirmExportFile=Potvrda generiranja datoteke za izvoz računovodstva ? +ExportDraftJournal=Izvoz nacrt časopisa Modelcsv=Model izvoza Selectmodelcsv=Odaberi model izvoza Modelcsv_normal=Klasični izvoz -Modelcsv_CEGID=Export for CEGID Expert Comptabilité -Modelcsv_COALA=Export for Sage Coala -Modelcsv_bob50=Export for Sage BOB 50 -Modelcsv_ciel=Export for Sage50, Ciel Compta or Compta Evo. (Format XIMPORT) -Modelcsv_quadratus=Export for Quadratus QuadraCompta -Modelcsv_ebp=Export for EBP -Modelcsv_cogilog=Export for Cogilog -Modelcsv_agiris=Export for Agiris Isacompta -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) -Modelcsv_openconcerto=Export for OpenConcerto (Test) -Modelcsv_configurable=Export CSV Configurable -Modelcsv_FEC=Export FEC -Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed) -Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland -Modelcsv_winfic=Export for Winfic - eWinfic - WinSis Compta -Modelcsv_Gestinumv3=Export for Gestinum (v3) -Modelcsv_Gestinumv5=Export for Gestinum (v5) -Modelcsv_charlemagne=Export for Aplim Charlemagne -ChartofaccountsId=Chart of accounts Id +Modelcsv_CEGID=Izvoz za CEGID Expert Comptabilité +Modelcsv_COALA=Izvoz za kadulju koalu +Modelcsv_bob50=Izvoz za žalfiju BOB 50 +Modelcsv_ciel=Izvoz za Sage50, Ciel Compta ili Compta Evo. (Format XIMPORT) +Modelcsv_quadratus=Izvoz za Quadratus QuadraCompta +Modelcsv_ebp=Izvoz za EBP +Modelcsv_cogilog=Izvoz za Cogilog +Modelcsv_agiris=Izvoz za Agiris Isacompta +Modelcsv_LDCompta=Izvoz za LD Compta (v9) (Test) +Modelcsv_LDCompta10=Izvoz za LD Compta (v10 i noviji) +Modelcsv_openconcerto=Izvoz za OpenConcerto (Test) +Modelcsv_configurable=Izvoz CSV podesiv +Modelcsv_FEC=Izvoz FEC +Modelcsv_FEC2=Izvezi FEC (sa pisanjem generiranja datuma/obrnutim dokumentom) +Modelcsv_Sage50_Swiss=Izvoz za Sage 50 Švicarska +Modelcsv_winfic=Izvoz za Winfic - eWinfic - WinSis Compta +Modelcsv_Gestinumv3=Izvoz za Gestinum (v3) +Modelcsv_Gestinumv5=Izvoz za Gestinum (v5) +Modelcsv_charlemagne=Izvoz za Aplim Karla Velikog +ChartofaccountsId=Kontni plan Id ## Tools - Init accounting account on product / service -InitAccountancy=Init accountancy -InitAccountancyDesc=This page can be used to initialize an accounting account on products and services that does not have accounting account defined for sales and purchases. -DefaultBindingDesc=This page can be used to set a default account to use to link transactions record about payment salaries, donation, taxes and vat when no specific accounting account were already set. -DefaultClosureDesc=This page can be used to set parameters used for accounting closures. -Options=Options -OptionModeProductSell=Mode sales -OptionModeProductSellIntra=Mode sales exported in EEC -OptionModeProductSellExport=Mode sales exported in other countries -OptionModeProductBuy=Mode purchases -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries -OptionModeProductSellDesc=Show all products with accounting account for sales. -OptionModeProductSellIntraDesc=Show all products with accounting account for sales in EEC. -OptionModeProductSellExportDesc=Show all products with accounting account for other foreign sales. -OptionModeProductBuyDesc=Show all products with accounting account for purchases. -OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC. -OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases. -CleanFixHistory=Remove accounting code from lines that not exists into charts of account -CleanHistory=Reset all bindings for selected year -PredefinedGroups=Predefined groups -WithoutValidAccount=Without valid dedicated account -WithValidAccount=With valid dedicated account -ValueNotIntoChartOfAccount=This value of accounting account does not exist into chart of account -AccountRemovedFromGroup=Account removed from group -SaleLocal=Local sale -SaleExport=Export sale -SaleEEC=Sale in EEC -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. -ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. -ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. +InitAccountancy=Početno računovodstvo +InitAccountancyDesc=Ova stranica se može koristiti za inicijalizaciju računovodstvenog računa na proizvodima i uslugama koji nemaju definiran računovodstveni račun za i kupovine. +DefaultBindingDesc=Ova stranica se može koristiti za postavljanje zadanih računa (iz kontnog plana) za povezivanje poslovnih objekata sa računom, kao što su isplate plata, donacija, poreza i PDV, kada nijedan poseban račun nije već postavljen. +DefaultClosureDesc=Ova stranica se može koristiti za postavljanje parametara koji se koriste za računovodstveno zatvaranje. +Options=Opcije +OptionModeProductSell=Način prodaje +OptionModeProductSellIntra=Način prodaje izvezen u EEZ +OptionModeProductSellExport=Način prodaje izvezen u druge zemlje +OptionModeProductBuy=Način kupovine +OptionModeProductBuyIntra=Način kupovine uvezen u EEZ +OptionModeProductBuyExport=Modus kupljen uvezen iz drugih zemalja +OptionModeProductSellDesc=Prikaži sve proizvode sa knjigovodstvenim računom za prodaju. +OptionModeProductSellIntraDesc=Prikaži sve proizvode sa knjigovodstvenim računom za prodaju u EEZ. +OptionModeProductSellExportDesc=Prikaži sve proizvode sa računovodstvenim računom za ostale inostrane prodaje. +OptionModeProductBuyDesc=Prikaži sve proizvode sa računom za računovodstvo za kupovine. +OptionModeProductBuyIntraDesc=Prikaži sve proizvode sa računovodstvenim računom za kupovinu u EEZ. +OptionModeProductBuyExportDesc=Prikaži sve proizvode sa računovodstvenim računom za druge strane kupovine. +CleanFixHistory=Uklonite računovodstvenu šifru iz redova koji ne postoje u kontnim planovima +CleanHistory=Poništite sve veze za odabranu godinu +PredefinedGroups=Unaprijed definirane grupe +WithoutValidAccount=Bez važećeg namenskog naloga +WithValidAccount=Sa važećim namenskim nalogom +ValueNotIntoChartOfAccount=Ova vrijednost računovodstvenog računa ne postoji u kontnom planu +AccountRemovedFromGroup=Račun je uklonjen iz grupe +SaleLocal=Lokalna prodaja +SaleExport=Izvozna prodaja +SaleEEC=Prodaja u EEZ +SaleEECWithVAT=Prodaja u EEZ-u sa PDV-om koji nije ništavan, tako da pretpostavljamo da ovo NIJE intrakomunalna prodaja i predloženi račun je standardni račun proizvoda. +SaleEECWithoutVATNumber=Prodaja u EEZ bez PDV-a ali PDV ID treće strane nije definiran. Vraćamo se na račun za standardnu prodaju. Možete popraviti PDV ID treće strane ili promijeniti račun proizvoda predložen za obvezivanje ako je potrebno. +ForbiddenTransactionAlreadyExported=Zabranjeno: Transakcija je potvrđena i/ili izvezena. +ForbiddenTransactionAlreadyValidated=Zabranjeno: Transakcija je potvrđena. ## Dictionary -Range=Range of accounting account -Calculated=Calculated +Range=Raspon računovodstvenog računa +Calculated=Izračunato Formula=Formula ## Reconcile -LetteringAuto=Reconcile auto -LetteringManual=Reconcile manual +LetteringAuto=Pomiri auto +LetteringManual=Priručnik za usklađivanje Unlettering=Unreconcile UnletteringAuto=Unreconcile auto -UnletteringManual=Unreconcile manual -AccountancyNoLetteringModified=No reconcile modified -AccountancyOneLetteringModifiedSuccessfully=One reconcile successfully modified -AccountancyLetteringModifiedSuccessfully=%s reconcile successfully modified -AccountancyNoUnletteringModified=No unreconcile modified -AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified -AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +UnletteringManual=Nepomiriti priručnik +AccountancyNoLetteringModified=Nije izmijenjeno pomirenje +AccountancyOneLetteringModifiedSuccessfully=Jedno pomirenje je uspješno izmijenjeno +AccountancyLetteringModifiedSuccessfully=%s pomirenje uspješno izmijenjeno +AccountancyNoUnletteringModified=Nepomirivanje nije izmijenjeno +AccountancyOneUnletteringModifiedSuccessfully=Jedno nepomirivanje je uspješno izmijenjeno +AccountancyUnletteringModifiedSuccessfully=%s poništenje uspješno izmijenjeno + +## Closure +AccountancyClosureStep1=Korak 1 : Potvrdite i zaključavanje pokreta +AccountancyClosureStep2=Korak 2: Zatvorite fiskalni period +AccountancyClosureStep3=Korak 3: Izdvojite unose (opciono) +AccountancyClosureClose=Zatvori fiskalni period +AccountancyClosureAccountingReversal=Izdvojite i unose "Zadržana zarada" +AccountancyClosureStep3NewFiscalPeriod=Sljedeći fiskalni period +AccountancyClosureGenerateClosureBookkeepingRecords=Generirajte unose "Zadržana dobit" u sljedećem fiskalnom periodu +AccountancyClosureSeparateAuxiliaryAccounts=Prilikom generiranja unosa "Zadržana dobit", detaljno opišite račune pod-knjige +AccountancyClosureCloseSuccessfully=Fiskalni period je uspješno zaključen +AccountancyClosureInsertAccountingReversalSuccessfully=Knjigovodstveni zapisi za "Zadržana dobit" su uspješno ubačeni ## Confirm box -ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation -ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? -ConfirmMassDeleteBookkeepingWriting=Bulk Delete confirmation -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) Are you sure you want to delete the %s selected record(s)? +ConfirmMassUnletteringAuto=Masovna potvrda automatskog poništavanja +ConfirmMassUnletteringManual=Masovna potvrda ručnog poništenja +ConfirmMassUnletteringQuestion=Jeste li sigurni da želite poništiti %s odabrane zapise? +ConfirmMassDeleteBookkeepingWriting=Potvrda masovnog brisanja +ConfirmMassDeleteBookkeepingWritingQuestion=Ovo će izbrisati transakciju iz računovodstva (svi unosi koji se odnose na istu transakciju će biti izbrisani). Jeste li sigurni da želite izbrisati %s odabrane unose? +AccountancyClosureConfirmClose=Jeste li sigurni da želite zatvoriti trenutni fiskalni period? Razumijete da je zatvaranje fiskalnog perioda nepovratna radnja i će trajno blokirati bilo kakvu izmjenu ili brisanje unosa tokom ovog perioda. +AccountancyClosureConfirmAccountingReversal=Jeste li sigurni da želite snimiti unose za "Zadržana dobit"? ## Error -SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them -ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) -ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused. -ErrorInvoiceContainsLinesNotYetBoundedShort=Some lines on invoice are not bound to accounting account. -ExportNotSupported=The export format setuped is not supported into this page -BookeppingLineAlreayExists=Lines already existing into bookkeeping -NoJournalDefined=No journal defined -Binded=Lines bound -ToBind=Lines to bind -UseMenuToSetBindindManualy=Lines not yet bound, use menu %s to make the binding manually -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Sorry this module is not compatible with the experimental feature of situation invoices -AccountancyErrorMismatchLetterCode=Mismatch in reconcile code -AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 -AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s -ErrorAccountNumberAlreadyExists=The accounting number %s already exists -ErrorArchiveAddFile=Can't put "%s" file in archive +SomeMandatoryStepsOfSetupWereNotDone=Neki obavezni koraci podešavanja nisu obavljeni, molimo dovršite ih +ErrorNoAccountingCategoryForThisCountry=Nije dostupna grupa računovodstvenih računa za zemlju %s (Pogledajte %s - %s - %s) +ErrorInvoiceContainsLinesNotYetBounded=Pokušavate upisati neke redove fakture %s neke druge linije još nisu vezane za računovodstveni račun. Odbijeno je objavljivanje svih redova faktura za ovu fakturu. +ErrorInvoiceContainsLinesNotYetBoundedShort=Neki redovi na fakturi nisu vezani za računovodstveni račun. +ExportNotSupported=Postavljeni format izvoza nije podržan na ovoj stranici +BookeppingLineAlreayExists=Redovi već postoje u knjigovodstvu +NoJournalDefined=Nema definisanog časopisa +Binded=Linije vezane +ToBind=Linije za vezanje +UseMenuToSetBindindManualy=Linije još nisu vezane, koristite meni %s da biste izvršili povezivanje ručno +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Napomena: ovaj modul ili stranica nije u potpunosti kompatibilan s eksperimentalnom karakteristikom situacijskih faktura. Neki podaci mogu biti pogrešni. +AccountancyErrorMismatchLetterCode=Nepodudaranje koda pomirenja +AccountancyErrorMismatchBalanceAmount=Stanje (%s) nije jednako 0 +AccountancyErrorLetteringBookkeeping=Došlo je do grešaka u vezi sa transakcijama: %s +ErrorAccountNumberAlreadyExists=Računski broj %s već postoji +ErrorArchiveAddFile=Ne mogu staviti "%s" fajl u arhivu +ErrorNoFiscalPeriodActiveFound=Nije pronađen aktivni fiskalni period +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Datum knjigovodstvenog dokumenta nije unutar aktivnog fiskalnog perioda +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Datum knjigovodstvene dokumentacije je unutar zatvorenog fiskalnog perioda ## Import -ImportAccountingEntries=Accounting entries -ImportAccountingEntriesFECFormat=Accounting entries - FEC format -FECFormatJournalCode=Code journal (JournalCode) -FECFormatJournalLabel=Label journal (JournalLib) -FECFormatEntryNum=Piece number (EcritureNum) -FECFormatEntryDate=Piece date (EcritureDate) -FECFormatGeneralAccountNumber=General account number (CompteNum) -FECFormatGeneralAccountLabel=General account label (CompteLib) -FECFormatSubledgerAccountNumber=Subledger account number (CompAuxNum) -FECFormatSubledgerAccountLabel=Subledger account number (CompAuxLib) -FECFormatPieceRef=Piece ref (PieceRef) -FECFormatPieceDate=Piece date creation (PieceDate) -FECFormatLabelOperation=Label operation (EcritureLib) +ImportAccountingEntries=Računovodstveni zapisi +ImportAccountingEntriesFECFormat=Računovodstveni zapisi - FEC format +FECFormatJournalCode=Kodni dnevnik (JournalCode) +FECFormatJournalLabel=Časopis etiketa (JournalLib) +FECFormatEntryNum=Broj komada (EcritureNum) +FECFormatEntryDate=Datum komada (EcritureDate) +FECFormatGeneralAccountNumber=Opšti broj računa (CompteNum) +FECFormatGeneralAccountLabel=Opća oznaka računa (CompteLib) +FECFormatSubledgerAccountNumber=Broj računa podknjige (CompAuxNum) +FECFormatSubledgerAccountLabel=Broj računa podknjiže (CompAuxLib) +FECFormatPieceRef=Ref. komada (PieceRef) +FECFormatPieceDate=Kreiranje datuma komada (PieceDate) +FECFormatLabelOperation=Rad s etiketom (EcritureLib) FECFormatDebit=Debit (Debit) -FECFormatCredit=Credit (Credit) -FECFormatReconcilableCode=Reconcilable code (EcritureLet) -FECFormatReconcilableDate=Reconcilable date (DateLet) -FECFormatValidateDate=Piece date validated (ValidDate) -FECFormatMulticurrencyAmount=Multicurrency amount (Montantdevise) -FECFormatMulticurrencyCode=Multicurrency code (Idevise) +FECFormatCredit=kredit (kredit) +FECFormatReconcilableCode=Pomirljivi kod (EcritureLet) +FECFormatReconcilableDate=Pomirljiv datum (DateLet) +FECFormatValidateDate=Datum komada potvrđen (ValidDate) +FECFormatMulticurrencyAmount=Viševalutni iznos (Montantdevise) +FECFormatMulticurrencyCode=Multivalutni kod (Idevise) -DateExport=Date export -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contains transaction modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. -ExpenseReportJournal=Expense Report Journal -DocsAlreadyExportedAreExcluded=Docs already exported are excluded -ClickToHideAlreadyExportedLines=Click to hide already exported lines +DateExport=Izvoz datuma +WarningReportNotReliable=Upozorenje, ovaj izvještaj nije zasnovan na Knjizi, tako da ne sadrži transakcije izmijenjene ručno u Knjizi. Ako je vaše dnevnike ažurirano, knjigovodstveni prikaz je precizniji. +ExpenseReportJournal=Dnevnik izvještaja o troškovima +DocsAlreadyExportedAreIncluded=Dokumenti koji su već izvezeni su uključeni +ClickToShowAlreadyExportedLines=Kliknite da prikažete već izvezene linije -NAccounts=%s accounts +NAccounts=%s računi diff --git a/htdocs/langs/bs_BA/admin.lang b/htdocs/langs/bs_BA/admin.lang index da04da88fbe..825e61cc1cb 100644 --- a/htdocs/langs/bs_BA/admin.lang +++ b/htdocs/langs/bs_BA/admin.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - admin -BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF -BoldLabelOnPDF=Print label of product item in Bold in PDF +BoldRefAndPeriodOnPDF=Ispiši referencu i period artikla proizvoda u PDF-u +BoldLabelOnPDF=Odštampajte etiketu proizvoda podebljano u PDF-u Foundation=Fondacija Version=Verzija Publisher=Izdavač @@ -11,91 +11,91 @@ VersionExperimental=Eksperimentalno VersionDevelopment=Razvoj VersionUnknown=Nepoznato VersionRecommanded=Preporučeno -FileCheck=Fileset Integrity Checks -FileCheckDesc=This tool allows you to check the integrity of files and the setup of your application, comparing each file with the official one. The value of some setup constants may also be checked. You can use this tool to determine if any files have been modified (e.g by a hacker). -FileIntegrityIsStrictlyConformedWithReference=Files integrity is strictly conformed with the reference. -FileIntegrityIsOkButFilesWereAdded=Files integrity check has passed, however some new files have been added. -FileIntegritySomeFilesWereRemovedOrModified=Files integrity check has failed. Some files were modified, removed or added. -GlobalChecksum=Global checksum -MakeIntegrityAnalysisFrom=Make integrity analysis of application files from -LocalSignature=Embedded local signature (less reliable) -RemoteSignature=Remote distant signature (more reliable) -FilesMissing=Missing Files -FilesUpdated=Updated Files +FileCheck=Provjere integriteta skupa datoteka +FileCheckDesc=Ovaj alat vam omogućava da provjerite integritet datoteka i prilikom podešavanja vaše aplikacije, upoređujući svaki fajl sa zvaničnim. Vrijednost nekih konstanti podešavanja se također može provjeriti. Možete koristiti ovaj alat da odredite jesu li neki fajlovi izmijenjeni (npr. od strane hakera). +FileIntegrityIsStrictlyConformedWithReference=Integritet fajlova je striktno usklađen sa referencom. +FileIntegrityIsOkButFilesWereAdded=Provjera integriteta datoteka je prošla, međutim dodani su neki novi fajlovi. +FileIntegritySomeFilesWereRemovedOrModified=Provjera integriteta datoteka nije uspjela. Neki fajlovi su izmijenjeni, uklonjeni ili dodani. +GlobalChecksum=Globalni kontrolni zbir +MakeIntegrityAnalysisFrom=Napravite analizu integriteta datoteka aplikacije iz +LocalSignature=Ugrađeni lokalni potpis (manje pouzdan) +RemoteSignature=Daljinski daljinski potpis (pouzdaniji) +FilesMissing=Fajlovi koji nedostaju +FilesUpdated=Ažurirani fajlovi FilesModified=Modified Files -FilesAdded=Added Files -FileCheckDolibarr=Check integrity of application files -AvailableOnlyOnPackagedVersions=The local file for integrity checking is only available when the application is installed from an official package -XmlNotFound=Xml Integrity File of application not found +FilesAdded=Dodati fajlovi +FileCheckDolibarr=Provjerite integritet datoteka aplikacije +AvailableOnlyOnPackagedVersions=Lokalna datoteka za provjeru integriteta dostupna je samo kada je aplikacija instalirana iz službenog paketa +XmlNotFound=Xml Integrity File aplikacije nije pronađen SessionId=ID sesije SessionSaveHandler=Rukovatelj snimanje sesija -SessionSavePath=Session save location +SessionSavePath=Lokacija za spremanje sesije PurgeSessions=Očistiti sesije ConfirmPurgeSessions=Da li zaista želite očistiti sve sesije? Ovo će uzrokovati odjavu svih korisnika (osim Vas). -NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow listing all running sessions. +NoSessionListWithThisHandler=Rukovalac sačuvanim sesijama konfigurisan u vašem PHP-u ne dozvoljava navođenje svih pokrenutih sesija. LockNewSessions=Zaključaj nove konekcije -ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself? Only user %s will be able to connect after that. +ConfirmLockNewSessions=Jeste li sigurni da želite ograničiti bilo koju novu Dolibarr vezu na sebe? Nakon toga će se moći povezati samo korisnik %s. UnlockNewSessions=Ukloni zaključavanje veze YourSession=Vaša sesija -Sessions=Users Sessions -WebUserGroup=Web server user/group -PermissionsOnFiles=Permissions on files -PermissionsOnFilesInWebRoot=Permissions on files in web root directory -PermissionsOnFile=Permissions on file %s -NoSessionFound=Your PHP configuration seems to not allow listing of active sessions. The directory used to save sessions (%s) may be protected (for example by OS permissions or by PHP directive open_basedir). -DBStoringCharset=Database charset to store data -DBSortingCharset=Database charset to sort data +Sessions=Korisničke sesije +WebUserGroup=Korisnik/grupa web servera +PermissionsOnFiles=Dozvole za fajlove +PermissionsOnFilesInWebRoot=Dozvole za datoteke u web root direktoriju +PermissionsOnFile=Dozvole za fajl %s +NoSessionFound=Čini se da vaša PHP konfiguracija ne dozvoljava popis aktivnih sesija. Direktorij koji se koristi za spremanje sesija (%s) može biti zaštićen (na primjer preko OS dozvola ili PHP direktive open_basedir). +DBStoringCharset=Skup znakova baze podataka za pohranjivanje podataka +DBSortingCharset=Skup znakova baze podataka za sortiranje podataka HostCharset=Host charset ClientCharset=Client charset -ClientSortingCharset=Client collation +ClientSortingCharset=Usporedba klijenata WarningModuleNotActive=Modul %s mora biti omogućen WarningOnlyPermissionOfActivatedModules=Samo dozvole koje se odnose na aktivirane module su prikazane ovdje. Možete aktivirati druge module u Početna>Postavke>Stranice modula. DolibarrSetup=Dolibarr instalacija ili unapređenje -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=Dolibarr nadogradnja +DolibarrAddonInstall=Instalacija dodataka/eksternih modula (prenesenih ili generiranih) InternalUsers=Interni korisnici ExternalUsers=Vanjski korisnici -UserInterface=User interface +UserInterface=Korisnički interfejs GUISetup=Prikaz SetupArea=Postavke -UploadNewTemplate=Upload new template(s) +UploadNewTemplate=Otpremite nove šablone FormToTestFileUploadForm=Forma za testiranje uploada fajlova (prema postavkama) -ModuleMustBeEnabled=The module/application %s must be enabled -ModuleIsEnabled=The module/application %s has been enabled -IfModuleEnabled=Note: yes is effective only if module %s is enabled -RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool. -RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. +ModuleMustBeEnabled=Modul/aplikacija %s mora biti omogućen +ModuleIsEnabled=Modul/aplikacija %s je omogućen +IfModuleEnabled=Napomena: da je efektivno samo ako je omogućen modul %s +RemoveLock=Uklonite/preimenujte datoteku %s ako postoji, da nam omogućite korištenje alata za ažuriranje/instalaciju. +RestoreLock=Vratite datoteku %s, samo sa dozvolom za čitanje, da onemogućite dalje korištenje alata za ažuriranje/instalaciju. SecuritySetup=Postavke sigurnosti PHPSetup=PHP setup OSSetup=OS setup -SecurityFilesDesc=Define here options related to security about uploading files. -ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher -ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher -ErrorDecimalLargerThanAreForbidden=Error, a precision higher than %s is not supported. +SecurityFilesDesc=Ovdje definirajte opcije koje se odnose na sigurnost u vezi sa slanjem datoteka. +ErrorModuleRequirePHPVersion=Greška, ovaj modul zahtijeva PHP verziju %s ili noviju +ErrorModuleRequireDolibarrVersion=Greška, ovaj modul zahtijeva Dolibarr verziju %s ili noviju +ErrorDecimalLargerThanAreForbidden=Greška, preciznost veća od %s nije podržana. DictionarySetup=Postavke rječnika -Dictionary=Dictionaries -ErrorReservedTypeSystemSystemAuto=Value 'system' and 'systemauto' for type is reserved. You can use 'user' as value to add your own record +Dictionary=Rječnici +ErrorReservedTypeSystemSystemAuto=Vrijednost 'system' i 'systemauto' za tip je rezervirana. Možete koristiti 'korisnik' kao vrijednost za dodavanje vlastitog zapisa ErrorCodeCantContainZero=Kod ne može sadržavati vrijednost 0 -DisableJavascript=Disable JavaScript and Ajax functions -DisableJavascriptNote=Note: For test or debug purpose only. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user -UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -DelaiedFullListToSelectCompany=Wait until a key is pressed before loading content of Third Parties combo list.
      This may increase performance if you have a large number of third parties, but it is less convenient. -DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list.
      This may increase performance if you have a large number of contacts, but it is less convenient. -NumberOfKeyToSearch=Number of characters to trigger search: %s -NumberOfBytes=Number of Bytes -SearchString=Search string +DisableJavascript=Onemogućite JavaScript i Ajax funkcije +DisableJavascriptNote=Napomena: Samo u svrhu testiranja ili otklanjanja grešaka. Za optimizaciju za slijepe osobe ili tekstualne pretraživače, možda ćete radije koristiti postavke na profilu korisnika +UseSearchToSelectCompanyTooltip=Također, ako imate veliki broj trećih strana (> 100 000), možete povećati brzinu postavljanjem konstante COMPANY_DONOTSEARCH_ANYWHERE na 1 u Setup->Other. Pretraga će tada biti ograničena na početak niza. +UseSearchToSelectContactTooltip=Također, ako imate veliki broj trećih strana (> 100 000), možete povećati brzinu postavljanjem konstante CONTACT_DONOTSEARCH_ANYWHERE na 1 u Setup->Other. Pretraga će tada biti ograničena na početak niza. +DelaiedFullListToSelectCompany=Pričekajte da se pritisne tipka prije nego što učitate sadržaj kombinovane liste trećih strana.
      Ovo može povećati performanse ako imate veliki broj trećih strana, ali je manje zgodno. +DelaiedFullListToSelectContact=Sačekajte da se pritisne tipka prije nego što učitate sadržaj liste kontakata.
      Ovo može povećati performanse ako imate veliki broj kontakata, ali je manje zgodno. +NumberOfKeyToSearch=Broj znakova za pokretanje pretraživanja: %s +NumberOfBytes=Broj bajtova +SearchString=String za pretragu NotAvailableWhenAjaxDisabled=Nije moguće kada je Ajax isključen -AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party -TimesheetPreventAfterFollowingMonths=Prevent recording time spent after the following number of months +AllowToSelectProjectFromOtherCompany=Na dokumentu treće strane, može izabrati projekat povezan sa drugom trećom stranom +TimesheetPreventAfterFollowingMonths=Spriječite vrijeme snimanja nakon sljedećeg broja mjeseci JavascriptDisabled=Onemogućena JavaScript UsePreviewTabs=Koristi kartice pretpregleda ShowPreview=Prikaži pretpregled -ShowHideDetails=Show-Hide details +ShowHideDetails=Prikaži-sakrij detalje PreviewNotAvailable=Pretpregled nije moguć ThemeCurrentlyActive=Trenutno aktivna tema -MySQLTimeZone=TimeZone MySql (database) -TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered). +MySQLTimeZone=Vremenska zona MySql (baza podataka) +TZHasNoEffect=Datumi se pohranjuju i koje vraća server baze podataka kao da se čuvaju kao dostavljeni niz. Vremenska zona ima efekta samo kada se koristi funkcija UNIX_TIMESTAMP (koju Dolibarr ne bi trebao koristiti, tako da baza podataka TZ ne bi trebala imati efekta, čak i ako se promijeni nakon unosa podataka). Space=Razmak Table=Tabela Fields=Polja @@ -104,1417 +104,1432 @@ Mask=Maska NextValue=Sljedeća vrijednost NextValueForInvoices=Sljedeća vrijednost (fakture) NextValueForCreditNotes=Sljedeća vrijednost (KO) -NextValueForDeposit=Next value (down payment) +NextValueForDeposit=Sljedeća vrijednost (kapara) NextValueForReplacements=Slijedeća vrijednost (zamjene) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration -MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page and some public pages -AntiVirusCommand=Full path to antivirus command -AntiVirusCommandExample=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
      Example for ClamWin (very very slow): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe +MustBeLowerThanPHPLimit=Napomena: vaša PHP konfiguracija trenutno ograničava maksimalnu veličinu datoteke za otpremanje na %s span> %s, bez obzira na vrijednost ovog parametra +NoMaxSizeByPHPLimit=Napomena: U vašoj PHP konfiguraciji nije postavljeno ograničenje +MaxSizeForUploadedFiles=Maksimalna veličina za otpremljene fajlove (0 da zabrani bilo kakvo otpremanje) +UseCaptchaCode=Koristite grafički kod (CAPTCHA) na stranici za prijavu i nekim javnim stranicama +AntiVirusCommand=Puni put do antivirusne komande +AntiVirusCommandExample=Primjer za ClamAv Daemon (zahtijeva clamav-daemon): /usr/bin/clamdscan
      Primjer za ClamWin (veoma vrlo spor): c:\\Progra~1\\ClamWin\\bin\\ clamscan.exe AntiVirusParam= Više parametara preko komandne linije -AntiVirusParamExample=Example for ClamAv Daemon: --fdpass
      Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" +AntiVirusParamExample=Primjer za ClamAv Daemon: --fdpass
      Primjer za ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" ComptaSetup=Postavke modula za računovodstvo UserSetup=Postavke upravljanja korisnika MultiCurrencySetup=Multi-currency setup MenuLimits=Ograničenja i preciznost -MenuIdParent=Parent menu ID -DetailMenuIdParent=ID of parent menu (empty for a top menu) -ParentID=Parent ID -DetailPosition=Sort number to define menu position +MenuIdParent=ID roditeljskog menija +DetailMenuIdParent=ID roditeljskog menija (prazno za glavni meni) +ParentID=ID roditelja +DetailPosition=Sortiraj broj za definiranje pozicije menija AllMenus=Sve -NotConfigured=Module/Application not configured +NotConfigured=Modul/aplikacija nije konfigurisana Active=Aktivan SetupShort=Postavke OtherOptions=Druge opcije OtherSetup=Other Setup CurrentValueSeparatorDecimal=Odvajanje decimala CurrentValueSeparatorThousand=Odvajanje hiljada -Destination=Destination -IdModule=Module ID -IdPermissions=Permissions ID +Destination=Odredište +IdModule=ID modula +IdPermissions=ID dozvole LanguageBrowserParameter=Parametar %s -LocalisationDolibarrParameters=Localization parameters -ClientHour=Client time (user) -OSTZ=Server OS Time Zone -PHPTZ=PHP server Time Zone -DaylingSavingTime=Daylight saving time -CurrentHour=PHP Time (server) -CurrentSessionTimeOut=Current session timeout -YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a .htaccess file with a line like this "SetEnv TZ Europe/Paris" -HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but of the timezone of the server. +LocalisationDolibarrParameters=Parametri lokalizacije +ClientHour=vrijeme klijenta (korisnika) +OSTZ=Server OS Vremenska zona +PHPTZ=PHP server Vremenska zona +DaylingSavingTime=Ljetno računanje vremena +CurrentHour=PHP vrijeme (server) +CurrentSessionTimeOut=Vremensko ograničenje trenutne sesije +YouCanEditPHPTZ=Da postavite drugu PHP vremensku zonu (nije potrebno), možete pokušati dodati .htaccess datoteku sa linijom poput ove "SetEnv TZ Europe/Paris" +HoursOnThisPageAreOnServerTZ=Upozorenje, za razliku od drugih ekrana, sati na ovoj stranici nisu u vašoj lokalnoj vremenskoj zoni, već u vremenskoj zoni servera. Box=Widget -Boxes=Widgets -MaxNbOfLinesForBoxes=Max. number of lines for widgets -AllWidgetsWereEnabled=All available widgets are enabled -WidgetAvailable=Widget available +Boxes=Widgeti +MaxNbOfLinesForBoxes=Max. broj redova za widgete +AllWidgetsWereEnabled=Svi dostupni widgeti su omogućeni +WidgetAvailable=Widget dostupan PositionByDefault=Pretpostavljeni red Position=Pozicija -MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical). -MenusEditorDesc=The menu editor allows you to define custom menu entries. Use it carefully to avoid instability and permanently unreachable menu entries.
      Some modules add menu entries (in menu All mostly). If you remove some of these entries by mistake, you can restore them disabling and reenabling the module. +MenusDesc=Menadžeri menija postavljaju sadržaj dve trake menija (horizontalna i vertikalna). +MenusEditorDesc=Uređivač menija vam omogućava da definišete prilagođene unose menija. Koristite ga pažljivo da biste izbjegli nestabilnost i trajno nedostupnih unosa menija.
      Neki moduli dodaju unose menija (u meniju Sve uglavnom). Ako greškom uklonite neke od ovih unosa, možete ih vratiti tako što ćete onemogućiti i ponovo omogućiti modul. MenuForUsers=Meni za korisnike -LangFile=.lang file -Language_en_US_es_MX_etc=Language (en_US, es_MX, ...) +LangFile=.lang fajl +Language_en_US_es_MX_etc=Jezik (en_US, es_MX, ...) System=Sistem SystemInfo=Sistemske informacije SystemToolsArea=Područje sistemskih alata -SystemToolsAreaDesc=This area provides administration functions. Use the menu to choose the required feature. +SystemToolsAreaDesc=Ovo područje pruža administrativne funkcije. Koristite meni da odaberete potrebnu funkciju. Purge=Purge -PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server. -PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data) -PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Parameter can be 'tempfilesold', 'logfiles' or both 'tempfilesold+logfiles'. Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files (no risk of losing data) -PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s.
      This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files. -PurgeRunNow=Purge now -PurgeNothingToDelete=No directory or files to delete. -PurgeNDirectoriesDeleted=%s files or directories deleted. -PurgeNDirectoriesFailed=Failed to delete %s files or directories. -PurgeAuditEvents=Purge all security events -ConfirmPurgeAuditEvents=Are you sure you want to purge all security events? All security logs will be deleted, no other data will be removed. -GenerateBackup=Generate backup +PurgeAreaDesc=Ova stranica vam omogućava da izbrišete sve datoteke koje je generirao ili pohranio Dolibarr (privremene datoteke ili sve datoteke u %s direktorij). Upotreba ove funkcije obično nije neophodna. Pruža se kao zaobilazno rješenje za korisnike čiji Dolibarr hostuje provajder koji ne nudi dozvole za brisanje datoteka koje generiše web server. +PurgeDeleteLogFile=Izbrišite datoteke dnevnika, uključujući %s definisano za Syslog modul ( rizik od gubitka podataka) +PurgeDeleteTemporaryFiles=Izbrišite sve privremene datoteke dnevnika i (bez rizika od gubitka podataka). Parametar može biti 'tempfilesold', 'logfiles' ili oba 'tempfilesold+logfiles'. Napomena: Brisanje privremenih datoteka se vrši samo ako je privremeni direktorij kreiran prije više od 24 sata. +PurgeDeleteTemporaryFilesShort=Brisanje privremenih datoteka dnevnika i (bez rizika od gubitka podataka) +PurgeDeleteAllFilesInDocumentsDir=Izbrišite sve datoteke u direktoriju: %s.
      Ovim će se izbrisati svi generirani dokumenti koji se odnose na elemente (treće strane, fakture itd.), datoteke učitane u ECM modul, rezervne kopije baze podataka i privremene datoteke. +PurgeRunNow=Očistite odmah +PurgeNothingToDelete=Nema direktorija ili datoteka za brisanje. +PurgeNDirectoriesDeleted=%s datoteke ili direktoriji su izbrisani. +PurgeNDirectoriesFailed=Brisanje datoteka ili direktorija %s nije uspjelo. +PurgeAuditEvents=Očistite sve sigurnosne događaje +ConfirmPurgeAuditEvents=Jeste li sigurni da želite očistiti sve sigurnosne događaje? Svi sigurnosni zapisnici će biti izbrisani, nikakvi drugi podaci neće biti uklonjeni. +GenerateBackup=Generiraj rezervnu kopiju Backup=Backup -Restore=Restore -RunCommandSummary=Backup has been launched with the following command -BackupResult=Backup result -BackupFileSuccessfullyCreated=Backup file successfully generated -YouCanDownloadBackupFile=The generated file can now be downloaded -NoBackupFileAvailable=No backup files available. -ExportMethod=Export method -ImportMethod=Import method -ToBuildBackupFileClickHere=To build a backup file, click here. -ImportMySqlDesc=To import a MySQL backup file, you may use phpMyAdmin via your hosting or use the mysql command from the Command line.
      For example: -ImportPostgreSqlDesc=To import a backup file, you must use pg_restore command from command line: +Restore=Vrati +RunCommandSummary=Backup je pokrenut sljedećom komandom +BackupResult=Rezultat sigurnosne kopije +BackupFileSuccessfullyCreated=Datoteka sigurnosne kopije je uspješno generirana +YouCanDownloadBackupFile=Generirani fajl se sada može preuzeti +NoBackupFileAvailable=Nema dostupnih datoteka rezervnih kopija. +ExportMethod=Metoda izvoza +ImportMethod=Metoda uvoza +ToBuildBackupFileClickHere=Da biste napravili rezervnu kopiju datoteke, kliknite ovdje. +ImportMySqlDesc=Da uvezete MySQL backup fajl, možete koristiti phpMyAdmin preko svog hostinga ili koristiti naredbu mysql iz komandne linije.
      Na primjer: +ImportPostgreSqlDesc=Da uvezete datoteku sigurnosne kopije, morate koristiti naredbu pg_restore iz komandne linije: ImportMySqlCommand=%s %s < mybackupfile.sql ImportPostgreSqlCommand=%s %s mybackupfile.sql -FileNameToGenerate=Filename for backup: -Compression=Compression -CommandsToDisableForeignKeysForImport=Command to disable foreign keys on import -CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later -ExportCompatibility=Compatibility of generated export file -ExportUseMySQLQuickParameter=Use the --quick parameter -ExportUseMySQLQuickParameterHelp=The '--quick' parameter helps limit RAM consumption for large tables. -MySqlExportParameters=MySQL export parameters -PostgreSqlExportParameters= PostgreSQL export parameters -UseTransactionnalMode=Use transactional mode -FullPathToMysqldumpCommand=Full path to mysqldump command -FullPathToPostgreSQLdumpCommand=Full path to pg_dump command -AddDropDatabase=Add DROP DATABASE command -AddDropTable=Add DROP TABLE command -ExportStructure=Structure -NameColumn=Name columns +FileNameToGenerate=Ime datoteke za sigurnosnu kopiju: +Compression=Kompresija +CommandsToDisableForeignKeysForImport=Naredba za onemogućavanje stranih ključeva pri uvozu +CommandsToDisableForeignKeysForImportWarning=Obavezno ako želite kasnije moći vratiti svoju sql dump +ExportCompatibility=Kompatibilnost generirane datoteke za izvoz +ExportUseMySQLQuickParameter=Koristite --quick parametar +ExportUseMySQLQuickParameterHelp=Parametar '--quick' pomaže u ograničavanju potrošnje RAM-a za velike tablice. +MySqlExportParameters=MySQL parametri za izvoz +PostgreSqlExportParameters= PostgreSQL parametri za izvoz +UseTransactionnalMode=Koristite transakcijski način rada +FullPathToMysqldumpCommand=Puna putanja do naredbe mysqldump +FullPathToPostgreSQLdumpCommand=Puna putanja do pg_dump komande +AddDropDatabase=Dodajte naredbu DROP DATABASE +AddDropTable=Dodajte naredbu DROP TABLE +ExportStructure=Struktura +NameColumn=Ime kolone ExtendedInsert=Extended INSERT -NoLockBeforeInsert=No lock commands around INSERT -DelayedInsert=Delayed insert -EncodeBinariesInHexa=Encode binary data in hexadecimal -IgnoreDuplicateRecords=Ignore errors of duplicate record (INSERT IGNORE) +NoLockBeforeInsert=Nema naredbi za zaključavanje oko INSERT +DelayedInsert=Odloženo umetanje +EncodeBinariesInHexa=Kodiranje binarnih podataka u heksadecimalu +IgnoreDuplicateRecords=Zanemari greške duplikata zapisa (INSERT IGNORE) AutoDetectLang=Automatsko otkrivanje (jezik preglednika) -FeatureDisabledInDemo=Feature disabled in demo -FeatureAvailableOnlyOnStable=Feature only available on official stable versions -BoxesDesc=Widgets are components showing some information that you can add to personalize some pages. You can choose between showing the widget or not by selecting target page and clicking 'Activate', or by clicking the trashcan to disable it. -OnlyActiveElementsAreShown=Only elements from enabled modules are shown. -ModulesDesc=The modules/applications determine which features are available in the software. Some modules require permissions to be granted to users after activating the module. Click the on/off button %s of each module to enable or disable a module/application. -ModulesDesc2=Click the wheel button %s to configure the module/application. -ModulesMarketPlaceDesc=You can find more modules to download on external websites on the Internet... -ModulesDeployDesc=If permissions on your file system allow it, you can use this tool to deploy an external module. The module will then be visible on the tab %s. -ModulesMarketPlaces=Find external app/modules -ModulesDevelopYourModule=Develop your own app/modules -ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. -DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New module -FreeModule=Free -CompatibleUpTo=Compatible with version %s -NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). -CompatibleAfterUpdate=This module requires an update to your Dolibarr %s (Min %s - Max %s). -SeeInMarkerPlace=See in Market place -SeeSetupOfModule=See setup of module %s -SetOptionTo=Set option %s to %s -Updated=Updated -AchatTelechargement=Buy / Download -GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. -DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
      Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. -WebSiteDesc=External websites for more add-on (non-core) modules... -DevelopYourModuleDesc=Some solutions to develop your own module... +FeatureDisabledInDemo=Funkcija je onemogućena u demonstraciji +FeatureAvailableOnlyOnStable=Funkcija dostupna samo na službenim stabilnim verzijama +BoxesDesc=Widgeti su komponente koje prikazuju neke informacije koje možete dodati da biste personalizirali neke stranice. Možete birati između prikazivanja widgeta ili ne tako što ćete odabrati ciljnu stranicu i i kliknuti na 'Aktiviraj' ili klikom na kantu za smeće da je onemogućite. +OnlyActiveElementsAreShown=Prikazani su samo elementi iz omogućenih modula. +ModulesDesc=Moduli/aplikacije određuju koje su funkcije dostupne u softveru. Neki moduli zahtijevaju da se dozvole dodijele korisnicima nakon aktivacije modula. Kliknite na dugme za uključivanje/isključivanje %s svakog modula da omogućite ili onemogućite modul/aplikaciju. +ModulesDesc2=Kliknite dugme kotačića %s da konfigurišete modul/aplikaciju. +ModulesMarketPlaceDesc=Više modula za preuzimanje možete pronaći na vanjskim web stranicama na internetu... +ModulesDeployDesc=Ako dozvole na vašem sistemu datoteka to dozvoljavaju, možete koristiti ovaj alat za postavljanje vanjskog modula. Modul će tada biti vidljiv na kartici %s. +ModulesMarketPlaces=Pronađite eksternu aplikaciju/module +ModulesDevelopYourModule=Razvijte vlastitu aplikaciju/module +ModulesDevelopDesc=Također možete razviti vlastiti modul ili pronaći partnera koji će ga razviti za vas. +DOLISTOREdescriptionLong=Umjesto da uključite www.dolistore.com web stranicu kako biste pronašli vanjski modul, možete koristiti ovaj ugrađeni alat koji izvršit će pretragu na vanjskom tržištu umjesto vas (možda je spor, potreban vam je pristup internetu)... +NewModule=Novi modul +FreeModule=Besplatno +CompatibleUpTo=Kompatibilan s verzijom %s +NotCompatible=Čini se da ovaj modul nije kompatibilan s vašim Dolibarr %s (Min %s - Max b0ecb2ec87f49 raspon>). +CompatibleAfterUpdate=Ovaj modul zahtijeva ažuriranje vašeg Dolibarra %s (Min %s - Max %s >). +SeeInMarkerPlace=Vidi u Market place +SeeSetupOfModule=Pogledajte postavljanje modula %s +SeeSetupPage=Pogledajte stranicu za postavljanje na %s +SeeReportPage=Pogledajte stranicu izvještaja na %s +SetOptionTo=Postavite opciju %s na %s +Updated=Ažurirano +AchatTelechargement=Kupi / Preuzmi +GoModuleSetupArea=Da postavite/instalirate novi modul, idite na područje za postavljanje modula: %sb0e40dc6587d8 . +DoliStoreDesc=DoliStore, službeno tržište za Dolibarr ERP/CRM eksterne module +DoliPartnersDesc=Spisak kompanija koje pružaju prilagođene module ili funkcije.
      Napomena: pošto je Dolibarr aplikacija otvorenog koda, svako sa iskustvom u PHP programiranju trebalo bi da bude u stanju da razvije modul. +WebSiteDesc=Vanjske web stranice za više dodatnih (neosnovnih) modula... +DevelopYourModuleDesc=Neka rješenja za razvoj vlastitog modula... URL=Link -RelativeURL=Relative URL -BoxesAvailable=Widgets available -BoxesActivated=Widgets activated -ActivateOn=Activate on -ActiveOn=Activated on -ActivatableOn=Activatable on -SourceFile=Source file -AvailableOnlyIfJavascriptAndAjaxNotDisabled=Available only if JavaScript is not disabled -Required=Required -UsedOnlyWithTypeOption=Used by some agenda option only -Security=Security -Passwords=Passwords -DoNotStoreClearPassword=Encrypt passwords stored in database (NOT as plain-text). It is strongly recommended to activate this option. -MainDbPasswordFileConfEncrypted=Encrypt database password stored in conf.php. It is strongly recommended to activate this option. -InstrucToEncodePass=To have password encoded into the conf.php file, replace the line
      $dolibarr_main_db_pass="...";
      by
      $dolibarr_main_db_pass="crypted:%s"; -InstrucToClearPass=To have password decoded (clear) into the conf.php file, replace the line
      $dolibarr_main_db_pass="crypted:...";
      by
      $dolibarr_main_db_pass="%s"; -ProtectAndEncryptPdfFiles=Protect generated PDF files. This is NOT recommended as it breaks bulk PDF generation. -ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature makes building of a global merged PDFs not working. +RelativeURL=Relativni URL +BoxesAvailable=Widgeti dostupni +BoxesActivated=Widgeti su aktivirani +ActivateOn=Aktivirajte uključeno +ActiveOn=Aktivirano na +ActivatableOn=Uključeno +SourceFile=Izvorni fajl +AvailableOnlyIfJavascriptAndAjaxNotDisabled=Dostupno samo ako JavaScript nije onemogućen +Required=Obavezno +UsedOnlyWithTypeOption=Koristi se samo za neke opcije dnevnog reda +Security=Sigurnost +Passwords=Lozinke +DoNotStoreClearPassword=Šifrirajte lozinke pohranjene u bazi podataka (NE kao običan tekst). Preporučuje se aktiviranje ove opcije. +MainDbPasswordFileConfEncrypted=Šifrirajte lozinku baze podataka pohranjenu u conf.php. Preporučuje se aktiviranje ove opcije. +InstrucToEncodePass=Za šifriranje lozinke u datoteku conf.php, zamijenite redak b0342fccfda19bz /span>$dolibarr_main_db_pass="...";b0392bzcfda >od
      $dolibarr_main_db_pass="crypted:b0ecb2ec87f49"; span class='notranslate'> +InstrucToClearPass=Da bi lozinka bila dekodirana (obrisana) u datoteku conf.php, zamijenite redak
      $dolibarr_main_db_pass="crypted:...";'
      od
      $dolibarr_main_db_pass="fccfda19bz0$dolibarr_main_db_pass="fccfda19bz0fccfda19bz0
      "; +ProtectAndEncryptPdfFiles=Zaštitite generirane PDF datoteke. Ovo se NE preporučuje jer prekida masovno generiranje PDF-a. +ProtectAndEncryptPdfFilesDesc=Zaštita PDF dokumenta čini ga dostupnim za čitanje i štampanja u bilo kojem PDF pretraživaču. Međutim, uređivanje i kopiranja više nije moguće. Imajte na umu da korištenje ove funkcije čini da izgradnja globalnih spojenih PDF-ova ne funkcionira. Feature=Feature -DolibarrLicense=License -Developpers=Developers/contributors -OfficialWebSite=Dolibarr official web site -OfficialWebSiteLocal=Local web site (%s) -OfficialWiki=Dolibarr documentation / Wiki +DolibarrLicense=Licenca +Developpers=Programeri/saradnici +OfficialWebSite=Dolibarr službena web stranica +OfficialWebSiteLocal=Lokalna web stranica (%s) +OfficialWiki=Dolibarr dokumentacija / Wiki OfficialDemo=Dolibarr online demo -OfficialMarketPlace=Official market place for external modules/addons -OfficialWebHostingService=Referenced web hosting services (Cloud hosting) +OfficialMarketPlace=Zvanično tržište za eksterne module/dodatke +OfficialWebHostingService=Referentne usluge web hostinga (Cloud hosting) ReferencedPreferredPartners=Preferred Partners -OtherResources=Other resources -ExternalResources=External Resources -SocialNetworks=Social Networks -SocialNetworkId=Social Network ID -ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),
      take a look at the Dolibarr Wiki:
      %s -ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:
      %s -HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr. -HelpCenterDesc2=Some of these resources are only available in english. -CurrentMenuHandler=Current menu handler -MeasuringUnit=Measuring unit -LeftMargin=Left margin -TopMargin=Top margin -PaperSize=Paper type -Orientation=Orientation -SpaceX=Space X -SpaceY=Space Y -FontSize=Font size -Content=Content -ContentForLines=Content to display for each product or service (from variable __LINES__ of Content) +OtherResources=Ostali resursi +ExternalResources=Eksterni resursi +SocialNetworks=Društvene mreže +SocialNetworkId=ID društvene mreže +ForDocumentationSeeWiki=Za dokumentaciju za korisnike ili programere (Doc, FAQ...),
      pogledajte Dolibarr Wiki:
      %sb0e40dccz05 +ForAnswersSeeForum=Za sva druga pitanja/pomoć možete koristiti Dolibarr forum:
      /span>%s +HelpCenterDesc1=Evo nekih resursa za dobijanje pomoći i podrške za Dolibarr. +HelpCenterDesc2=Neki od ovih resursa dostupni su samo na engleskom. +CurrentMenuHandler=Trenutni rukovalac menijem +MeasuringUnit=Mjerna jedinica +LeftMargin=Lijeva margina +TopMargin=Gornja margina +PaperSize=Vrsta papira +Orientation=Orijentacija +SpaceX=Prostor X +SpaceY=Prostor Y +FontSize=Veličina slova +Content=Sadržaj +ContentForLines=Sadržaj za prikaz za svaki proizvod ili uslugu (iz varijable __LINES__ sadržaja) NoticePeriod=Notice period -NewByMonth=New by month -Emails=Emails -EMailsSetup=Emails setup -EMailsDesc=This page allows you to set parameters or options for email sending. -EmailSenderProfiles=Emails sender profiles -EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. -MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (default value in php.ini: %s) -MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (default value in php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix-like systems) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix-like systems) -MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (default value in php.ini: %s) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration -MAIN_MAIL_ERRORS_TO=Email used for error returns emails (fields 'Errors-To' in emails sent) -MAIN_MAIL_AUTOCOPY_TO= Copy (Bcc) all sent emails to -MAIN_DISABLE_ALL_MAILS=Disable all email sending (for test purposes or demos) -MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice -MAIN_MAIL_SENDMODE=Email sending method -MAIN_MAIL_SMTPS_ID=SMTP ID (if sending server requires authentication) -MAIN_MAIL_SMTPS_PW=SMTP Password (if sending server requires authentication) -MAIN_MAIL_EMAIL_TLS=Use TLS (SSL) encryption -MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés -MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature -MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim -MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector -MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing -MAIN_DISABLE_ALL_SMS=Disable all SMS sending (for test purposes or demos) -MAIN_SMS_SENDMODE=Method to use to send SMS -MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending -MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email) -UserEmail=User email -CompanyEmail=Company Email -FeatureNotAvailableOnLinux=Feature not available on Unix like systems. Test your sendmail program locally. -FixOnTransifex=Fix the translation on the online translation platform of project -SubmitTranslation=If the translation for this language is not complete or you find errors, you can correct this by editing files in directory langs/%s and submit your change to www.transifex.com/dolibarr-association/dolibarr/ -SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or, if you are a developer, with a PR on github.com/Dolibarr/dolibarr +NewByMonth=Novo po mjesecu +Emails=Emailovi +EMailsSetup=Podešavanje e-pošte +EMailsDesc=Ova stranica vam omogućava da postavite parametre ili opcije za slanje e-pošte. +EmailSenderProfiles=Profili pošiljaoca e-pošte +EMailsSenderProfileDesc=Ovaj odjeljak možete ostaviti praznim. Ako ovdje unesete neke e-mailove, oni će biti dodati na listu mogućih pošiljatelja u kombobox kada napišete novu e-poštu. +MAIN_MAIL_SMTP_PORT=SMTP/SMTPS port (zadana vrijednost u php.ini: %sb09a4b739f17f8f8 >) +MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (podrazumevana vrijednost u php.ini: %sb09a4b839f17f17f >) +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=E-pošta pošiljaoca za automatske e-poruke +EMailHelpMsgSPFDKIM=Kako biste spriječili da se Dolibarr e-poruke klasificiraju kao neželjena pošta, provjerite je li server ovlašten za slanje e-pošte pod ovim identitetom (provjerom SPF i DKIM konfiguracije imena domene) +MAIN_MAIL_ERRORS_TO=E-pošta korištena za grešku vraća e-poštu (polja 'Errors-To' u poslanim e-porukama) +MAIN_MAIL_AUTOCOPY_TO= Kopirajte (Bcc) sve poslane e-poruke na +MAIN_DISABLE_ALL_MAILS=Onemogućite svo slanje e-pošte (u svrhu testiranja ili demonstracija) +MAIN_MAIL_FORCE_SENDTO=Pošaljite sve e-poruke na (umjesto stvarnim primaocima, u svrhu testiranja) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Predložite mejlove zaposlenih (ako je definisano) na listu unapred definisanih primalaca kada pišete novu e-poštu +MAIN_MAIL_NO_WITH_TO_SELECTED=Ne birajte podrazumevanog primaoca čak i ako postoji samo 1 mogući izbor +MAIN_MAIL_SENDMODE=Način slanja e-pošte +MAIN_MAIL_SMTPS_ID=SMTP ID (ako server za slanje zahtijeva autentifikaciju) +MAIN_MAIL_SMTPS_PW=SMTP lozinka (ako server za slanje zahtijeva autentifikaciju) +MAIN_MAIL_EMAIL_TLS=Koristite TLS (SSL) enkripciju +MAIN_MAIL_EMAIL_STARTTLS=Koristite TLS (STARTTLS) enkripciju +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizirajte samopotpisane certifikate +MAIN_MAIL_EMAIL_DKIM_ENABLED=Koristite DKIM za generiranje potpisa e-pošte +MAIN_MAIL_EMAIL_DKIM_DOMAIN=Domena e-pošte za korištenje sa dkim-om +MAIN_MAIL_EMAIL_DKIM_SELECTOR=Ime dkim selektora +MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Privatni ključ za dkim potpisivanje +MAIN_DISABLE_ALL_SMS=Onemogućite slanje svih SMS-ova (u svrhu testiranja ili demo prikaza) +MAIN_SMS_SENDMODE=Metoda za slanje SMS-a +MAIN_MAIL_SMS_FROM=Zadani telefonski broj pošiljaoca za slanje SMS-a +MAIN_MAIL_DEFAULT_FROMTYPE=Zadana e-pošta pošiljatelja unaprijed odabrana na obrascima za slanje e-pošte +UserEmail=Email korisnika +CompanyEmail=Email kompanije +FeatureNotAvailableOnLinux=Funkcija nije dostupna na sistemima sličnim Unixu. Testirajte svoj sendmail program lokalno. +FixOnTransifex=Popravite prijevod na online platformi za prevođenje projekta +SubmitTranslation=Ako prijevod za ovaj jezik nije potpun ili nađete greške, to možete ispraviti uređivanjem datoteka u direktoriju langs/%s i podnesite svoju promjenu na www.transifex.com/dolibarr-association/dolibarr/ +SubmitTranslationENUS=Ako prijevod za ovaj jezik nije potpun ili nađete greške, možete to ispraviti uređivanjem datoteka u direktorij langs/%s i pošaljite izmijenjene fajlove na dolibarr.org/forum ili, ako ste programer, sa PR-om na github.com /Dolibarr/dolibarr ModuleSetup=Postavke modula -ModulesSetup=Modules/Application setup +ModulesSetup=Podešavanje modula/aplikacije ModuleFamilyBase=Sistem -ModuleFamilyCrm=Customer Relationship Management (CRM) -ModuleFamilySrm=Vendor Relationship Management (VRM) -ModuleFamilyProducts=Product Management (PM) -ModuleFamilyHr=Human Resource Management (HR) -ModuleFamilyProjects=Projects/Collaborative work +ModuleFamilyCrm=Upravljanje odnosima s klijentima (CRM) +ModuleFamilySrm=Upravljanje odnosima s dobavljačima (VRM) +ModuleFamilyProducts=Upravljanje proizvodima (PM) +ModuleFamilyHr=Upravljanje ljudskim resursima (HR) +ModuleFamilyProjects=Projekti/Kolaborativni rad ModuleFamilyOther=Ostalo -ModuleFamilyTechnic=Multi-modules tools -ModuleFamilyExperimental=Experimental modules -ModuleFamilyFinancial=Financial Modules (Accounting/Treasury) -ModuleFamilyECM=Electronic Content Management (ECM) -ModuleFamilyPortal=Websites and other frontal application -ModuleFamilyInterface=Interfaces with external systems -MenuHandlers=Menu handlers -MenuAdmin=Menu editor -DoNotUseInProduction=Do not use in production -ThisIsProcessToFollow=Upgrade procedure: -ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: -StepNb=Step %s -FindPackageFromWebSite=Find a package that provides the features you need (for example on the official web site %s). -DownloadPackageFromWebSite=Download package (for example from the official web site %s). -UnpackPackageInDolibarrRoot=Unpack/unzip the packaged files into your Dolibarr server directory: %s -UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s -SetupIsReadyForUse=Module deployment is finished. You must however enable and setup the module in your application by going to the page setup modules: %s. -NotExistsDirect=The alternative root directory is not defined to an existing directory.
      -InfDirAlt=Since version 3, it is possible to define an alternative root directory. This allows you to store, into a dedicated directory, plug-ins and custom templates.
      Just create a directory at the root of Dolibarr (eg: custom).
      -InfDirExample=
      Then declare it in the file conf.php
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
      If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. -YouCanSubmitFile=You can upload the .zip file of module package from here: -CurrentVersion=Dolibarr current version -CallUpdatePage=Browse to the page that updates the database structure and data: %s. -LastStableVersion=Latest stable version -LastActivationDate=Latest activation date -LastActivationAuthor=Latest activation author -LastActivationIP=Latest activation IP -LastActivationVersion=Latest activation version -UpdateServerOffline=Update server offline -WithCounter=Manage a counter -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      -GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      -GenericMaskCodes3=All other characters in the mask will remain intact.
      Spaces are not allowed.
      -GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
      Spaces are not allowed.
      In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2007-01-31:
      -GenericMaskCodes4b=Example on third party created on 2007-03-01:
      -GenericMaskCodes4c=Example on product created on 2007-03-01:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC0701-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN0701-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' -GenericNumRefModelDesc=Returns a customizable number according to a defined mask. -ServerAvailableOnIPOrPort=Server is available at address %s on port %s -ServerNotAvailableOnIPOrPort=Server is not available at address %s on port %s -DoTestServerAvailability=Test server connectivity -DoTestSend=Test sending -DoTestSendHTML=Test sending HTML +ModuleFamilyTechnic=Alati sa više modula +ModuleFamilyExperimental=Eksperimentalni moduli +ModuleFamilyFinancial=Finansijski moduli (računovodstvo/riznica) +ModuleFamilyECM=Upravljanje elektronskim sadržajem (ECM) +ModuleFamilyPortal=Web stranice i druge frontalne aplikacije +ModuleFamilyInterface=Interfejsi sa eksternim sistemima +MenuHandlers=Rukovaoci menija +MenuAdmin=Uređivač menija +DoNotUseInProduction=Ne koristiti u proizvodnji +ThisIsProcessToFollow=Procedura nadogradnje: +ThisIsAlternativeProcessToFollow=Ovo je alternativno podešavanje za ručnu obradu: +StepNb=Korak %s +FindPackageFromWebSite=Pronađite paket koji pruža funkcije koje su vam potrebne (na primjer na službenoj web stranici %s). +DownloadPackageFromWebSite=Preuzmite paket (na primjer sa službene web stranice %s). +UnpackPackageInDolibarrRoot=Raspakirajte/raspakujte upakovane datoteke u direktorij vašeg Dolibarr servera: %sb09a4b839f17f17f > +UnpackPackageInModulesRoot=Da biste postavili/instalirali eksterni modul, morate raspakirati/raspakovati arhivsku datoteku u serverski direktorij posvećen vanjskim modulima:
      %s +SetupIsReadyForUse=Postavljanje modula je završeno. Međutim, morate omogućiti i postavljanje modula u vašoj aplikaciji tako što ćete otići na stranicu za podešavanje modula: %s. +NotExistsDirect=Alternativni korijenski direktorij nije definiran u postojećem direktoriju.
      +InfDirAlt=Od verzije 3, moguće je definirati alternativni korijenski direktorij. Ovo vam omogućava da pohranite, u namjenski direktorij, dodatke i prilagođene šablone.
      Samo kreirajte direktorij u korijenu od Dolibarra (npr. prilagođeno).
      +InfDirExample=
      Zatim ga deklarirajte u datoteci conf.php class='notranslate'>
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_rootth_alt/of/docs
      $dolibarr_main_document_rootth_alt/of/dot='/palibarr 'notranslate'>
      Ako su ovi redovi komentarisani sa "#", da biste ih omogućili, samo dekomentirajte uklanjanjem znaka "#". +YouCanSubmitFile=Ovdje možete učitati .zip datoteku modul paketa: +CurrentVersion=Dolibarr trenutna verzija +CallUpdatePage=Dođite do stranice koja ažurira strukturu baze podataka i podaci: %s. +LastStableVersion=Najnovija stabilna verzija +LastActivationDate=Najnoviji datum aktivacije +LastActivationAuthor=Autor najnovije aktivacije +LastActivationIP=Najnovija IP adresa za aktivaciju +LastActivationVersion=Najnovija verzija za aktivaciju +UpdateServerOffline=Ažurirajte server van mreže +WithCounter=Upravljajte šalterom +GenericMaskCodes=Možete uneti bilo koju masku za numerisanje. U ovoj maski se mogu koristiti sljedeće oznake:
      {000000}b09a4b739f17f17 /span> odgovara broju koji će biti povećan na svakom %s. Unesite onoliko nula koliko je željena dužina brojača. Brojač će biti upotpunjen nulama s lijeve strane kako bi imali onoliko nula koliko je maska.
      {000000+000}, ali isto kao i prethodni pomak koji odgovara broju desno od znaka + primjenjuje se počevši od prvog %s.
      {000000@x} isto kao i prethodni brojač se resetuje na nulu kada se dostigne mesec x (x između 1 i 12, ili 0 da se koriste prvi meseci fiskalne godine definisane u vašoj konfiguraciji, ili 99 da se vrati na nula svakog mjeseca). Ako se koristi ova opcija i x je 2 ili više, tada je potreban niz {yy}{mm} ili {yyyy}{mm}.
      {dd} dan (01 do 31). span class='notranslate'>
      {mm} mjesec (01 do 12).
      {yy},
      +GenericMaskCodes2={cccc} klijentski kod na n znakova
      {cccc000}b09a7b7839f kod klijenta na n znakova slijedi brojač posvećen kupcu. Ovaj brojač posvećen kupcu se resetuje u isto vreme kada i globalni brojač.
      {tttt} Kôd tipa treće strane na n znakova (pogledajte meni Početna - Podešavanje - Rečnik - Tipovi trećih strana). Ako dodate ovu oznaku, brojač će biti drugačiji za svaku vrstu treće strane.
      +GenericMaskCodes3=Svi ostali znakovi u maski će ostati netaknuti.
      Razmaci nisu dozvoljeni.
      +GenericMaskCodes3EAN=Svi ostali znakovi u maski će ostati netaknuti (osim * ili ? na 13. poziciji u EAN13).
      Razmaci nisu dozvoljeni.
      span>U EAN13, posljednji znak nakon posljednjeg } na 13. poziciji treba biti * ili ? . Bit će zamijenjen izračunatim ključem.
      +GenericMaskCodes4a=Primjer na 99. %s treće strane TheCompany, sa datumom 31.01.2023:
      +GenericMaskCodes4b=Primjer treće strane kreiran 31.01.2023:
      > +GenericMaskCodes4c=Primjer proizvoda kreiranog 31.01.2023:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000} će dati b0aee833365 span>ABC2301-000099

      b0aee83365837{000@0000 }-ZZZ/{dd}/XXX
      će dati 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} će dati IN2301-0099-A tip kompanije 'Responsable Inscripto' sa kodom za tip koji je 'A_RI' +GenericNumRefModelDesc=Vraća prilagodljivi broj prema definiranoj maski. +ServerAvailableOnIPOrPort=Server je dostupan na adresi %s na portu %s +ServerNotAvailableOnIPOrPort=Server nije dostupan na adresi %s na portu %s +DoTestServerAvailability=Testirajte povezivanje servera +DoTestSend=Testno slanje +DoTestSendHTML=Testirajte slanje HTML-a ErrorCantUseRazIfNoYearInMask=Greška, ne može se koristiti opcija @ za resetovanje brojača svake godine ako niz {yy} ili {yyyy} nije u maski. -ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, can't use option @ if sequence {yy}{mm} or {yyyy}{mm} is not in mask. -UMask=UMask parameter for new files on Unix/Linux/BSD/Mac file system. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. -SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization -UseACacheDelay= Delay for caching export response in seconds (0 or empty for no cache) -DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page -DisableLinkToHelp=Hide the link to the online help "%s" -AddCRIfTooLong=There is no automatic text wrapping, text that is too long will not display on documents. Please add carriage returns in the text area if needed. -ConfirmPurge=Are you sure you want to execute this purge?
      This will permanently delete all your data files with no way to restore them (ECM files, attached files...). -MinLength=Minimum length -LanguageFilesCachedIntoShmopSharedMemory=Files .lang loaded in shared memory -LanguageFile=Language file -ExamplesWithCurrentSetup=Examples with current configuration -ListOfDirectories=List of OpenDocument templates directories -ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.

      Put here full path of directories.
      Add a carriage return between eah directory.
      To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.

      Files in those directories must end with .odt or .ods. -NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories -ExampleOfDirectoriesForModelGen=Examples of syntax:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir -FollowingSubstitutionKeysCanBeUsed=
      To know how to create your odt document templates, before storing them in those directories, read wiki documentation: -FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template -FirstnameNamePosition=Position of Name/Lastname -DescWeather=The following images will be shown on the dashboard when the number of late actions reach the following values: -KeyForWebServicesAccess=Key to use Web Services (parameter "dolibarrkey" in webservices) -TestSubmitForm=Input test form -ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever the user choice. Also this menu manager specialized for smartphones does not work on all smartphone. Use another menu manager if you experience problems with yours. -ThemeDir=Skins directory -ConnectionTimeout=Connection timeout -ResponseTimeout=Response timeout -SmsTestMessage=Test message from __PHONEFROM__ to __PHONETO__ -ModuleMustBeEnabledFirst=Module %s must be enabled first if you need this feature. -SecurityToken=Key to secure URLs -NoSmsEngine=No SMS sender manager available. A SMS sender manager is not installed with the default distribution because they depend on an external vendor, but you can find some on %s +ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Greška, ne može se koristiti opcija @ if sekvenca {yy}{mm} ili {yyyy} {mm} nije u maski. +UMask=UMask parametar za nove datoteke na Unix/Linux/BSD/Mac sistemu datoteka. +UMaskExplanation=Ovaj parametar vam omogućava da definirate dozvole postavljene prema zadanim postavkama za datoteke koje je kreirao Dolibarr na serveru (na primjer, tokom otpremanja).
      Mora biti oktalna vrijednost (na primjer, 0666 znači čitanje i pišite za sve.). Preporučena vrijednost je 0600 ili 0660
      Ovaj parametar je beskoristan na Windows serveru. +SeeWikiForAllTeam=Pogledajte Wiki stranicu za listu saradnika i njihovu organizaciju +UseACacheDelay= Kašnjenje za keširanje izvoznog odgovora u sekundama (0 ili prazno ako nema predmemorije) +DisableLinkToHelpCenter=Sakrijte vezu "Treba vam pomoć ili podrška" na stranici za prijavu +DisableLinkToHelp=Sakrij vezu do online pomoći "%s" +AddCRIfTooLong=Nema automatskog prelamanja teksta, tekst koji je predugačak neće se prikazati na dokumentima. Molimo dodajte povratne oznake u tekstualnom području ako je potrebno. +ConfirmPurge=Jeste li sigurni da želite izvršiti ovo čišćenje?
      Ovo će trajno izbrisati sve vaše datoteke s podacima bez načina da ih vratite (ECM datoteke, priložene datoteke...). +MinLength=Minimalna dužina +LanguageFilesCachedIntoShmopSharedMemory=Fajlovi .lang učitani u dijeljenu memoriju +LanguageFile=Jezički fajl +ExamplesWithCurrentSetup=Primjeri sa trenutnom konfiguracijom +ListOfDirectories=Lista direktorija OpenDocument predložaka +ListOfDirectoriesForModelGenODT=Lista direktorija koji sadrže datoteke šablona u OpenDocument formatu.

      Ovdje stavite punu putanju direktorija.
      Dodajte povratnu kartu između eah direktorija.
      Da dodate direktorij GED modula, dodajte ovdje b0aee83365837f >DOL_DATA_ROOT/ecm/yourdirectoryname.
      b0342fccfda19b te direktorije mora završiti sa .odt ili .ods. ='notranslate'>. +NumberOfModelFilesFound=Broj ODT/ODS datoteka predložaka pronađenih u ovim direktorijima +ExampleOfDirectoriesForModelGen=Primjeri sintakse:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir +FollowingSubstitutionKeysCanBeUsed=
      Da biste znali kako kreirati svoje odt šablone dokumenata, prije nego što ih pohranite u te direktorije, pročitajte wiki dokumentaciju: +FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template +FirstnameNamePosition=Pozicija Ime/Prezime +DescWeather=Sljedeće slike će se prikazati na kontrolnoj tabli kada broj zakasnjelih radnji dostigne sljedeće vrijednosti: +KeyForWebServicesAccess=Ključ za korištenje web usluga (parametar "dolibarrkey" u web servisima) +TestSubmitForm=Formular za unos testa +ThisForceAlsoTheme=Korišćenje ovog menadžera menija će takođe koristiti sopstvenu temu bez obzira na izbor korisnika. Takođe, ovaj menadžer menija specijalizovan za pametne telefone ne radi na svim pametnim telefonima. Koristite drugi menadžer menija ako imate problema sa vašim. +ThemeDir=Direktorij skinova +ConnectionTimeout=Vremensko ograničenje veze +ResponseTimeout=Vremensko ograničenje odgovora +SmsTestMessage=Probna poruka od __PHONEFROM__ na __PHONETO__ +ModuleMustBeEnabledFirst=Modul %s mora biti prvo omogućen ako vam je potrebna ova funkcija. +SecurityToken=Ključ za sigurne URL-ove +NoSmsEngine=Nije dostupan menadžer SMS pošiljatelja. Upravitelj SMS pošiljatelja nije instaliran sa zadanom distribucijom jer zavise od vanjskog dobavljača, ali neke možete pronaći na %s PDF=PDF -PDFDesc=Global options for PDF generation -PDFOtherDesc=PDF Option specific to some modules -PDFAddressForging=Rules for address section -HideAnyVATInformationOnPDF=Hide all information related to Sales Tax / VAT -PDFRulesForSalesTax=Rules for Sales Tax / VAT -PDFLocaltax=Rules for %s -HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT -HideDescOnPDF=Hide products description -HideRefOnPDF=Hide products ref. -HideDetailsOnPDF=Hide product lines details -PlaceCustomerAddressToIsoLocation=Use french standard position (La Poste) for customer address position +PDFDesc=Globalne opcije za generisanje PDF-a +PDFOtherDesc=PDF Opcija specifična za neke module +PDFAddressForging=Pravila za adresu +HideAnyVATInformationOnPDF=Sakrij sve informacije vezane za porez na promet / PDV +PDFRulesForSalesTax=Pravila za porez na promet / PDV +PDFLocaltax=Pravila za %s +HideLocalTaxOnPDF=Sakrij stopu %s u stupcu Porez na promet/PDV +HideDescOnPDF=Sakrij opis proizvoda +HideRefOnPDF=Sakrij proizvode ref. +ShowProductBarcodeOnPDF=Prikažite broj bar koda proizvoda +HideDetailsOnPDF=Sakrij detalje o linijama proizvoda +PlaceCustomerAddressToIsoLocation=Koristite francuski standardni položaj (La Poste) za poziciju adrese klijenta Library=Library -UrlGenerationParameters=Parameters to secure URLs -SecurityTokenIsUnique=Use a unique securekey parameter for each URL -EnterRefToBuildUrl=Enter reference for object %s -GetSecuredUrl=Get calculated URL -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) -OldVATRates=Old VAT rate -NewVATRates=New VAT rate -PriceBaseTypeToChange=Modify on prices with base reference value defined on -MassConvert=Launch bulk conversion -PriceFormatInCurrentLanguage=Price Format In Current Language +UrlGenerationParameters=Parametri sigurnih URL-ova +SecurityTokenIsUnique=Koristite jedinstveni parametar sigurnosnog ključa za svaki URL +EnterRefToBuildUrl=Unesite referencu za objekat %s +GetSecuredUrl=Nabavite izračunati URL +ButtonHideUnauthorized=Sakrijte neovlaštena dugmad za radnju i za interne korisnike (u suprotnom su samo sivi) +OldVATRates=Stara stopa PDV-a +NewVATRates=Nova stopa PDV-a +PriceBaseTypeToChange=Izmijeniti cijene sa osnovnom referentnom vrijednošću definiranom na +MassConvert=Pokrenite masovnu konverziju +PriceFormatInCurrentLanguage=Format cijene na trenutnom jeziku String=String -String1Line=String (1 line) -TextLong=Long text -TextLongNLines=Long text (n lines) -HtmlText=Html text +String1Line=Niz (1 red) +TextLong=Dugačak tekst +TextLongNLines=Dugačak tekst (n reda) +HtmlText=Html tekst Int=Integer Float=Float DateAndTime=Datum i vrijeme -Unique=Unique -Boolean=Boolean (one checkbox) +Unique=Jedinstveno +Boolean=Boolean (jedan kvadratić) ExtrafieldPhone = Telefon ExtrafieldPrice = Cijena -ExtrafieldPriceWithCurrency=Price with currency +ExtrafieldPriceWithCurrency=Cijena sa valutom ExtrafieldMail = email ExtrafieldUrl = Url ExtrafieldIP = IP -ExtrafieldSelect = Select list -ExtrafieldSelectList = Select from table -ExtrafieldSeparator=Separator (not a field) +ExtrafieldSelect = Odaberite listu +ExtrafieldSelectList = Izaberite iz tabele +ExtrafieldSeparator=Razdjelnik (nije polje) ExtrafieldPassword=Šifra -ExtrafieldRadio=Radio buttons (one choice only) -ExtrafieldCheckBox=Checkboxes -ExtrafieldCheckBoxFromList=Checkboxes from table -ExtrafieldLink=Link to an object -ComputedFormula=Computed field -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' -Computedpersistent=Store computed field -ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!! -ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored without encryption (field must be only hidden with star on screen).
      Set 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retrieve original value) -ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      In order to have the list depending on another list:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key -ExtrafieldParamHelpcheckbox=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpradio=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath -ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) -LibraryToBuildPDF=Library used for PDF generation -LocalTaxDesc=Some countries may apply two or three taxes on each invoice line. If this is the case, choose the type for the second and third tax and its rate. Possible type are:
      1: local tax apply on products and services without vat (localtax is calculated on amount without tax)
      2: local tax apply on products and services including vat (localtax is calculated on amount + main tax)
      3: local tax apply on products without vat (localtax is calculated on amount without tax)
      4: local tax apply on products including vat (localtax is calculated on amount + main vat)
      5: local tax apply on services without vat (localtax is calculated on amount without tax)
      6: local tax apply on services including vat (localtax is calculated on amount + tax) +ExtrafieldRadio=Radio dugmad (samo jedan izbor) +ExtrafieldCheckBox=Potvrdni okviri +ExtrafieldCheckBoxFromList=Potvrdni okviri iz tabele +ExtrafieldLink=Veza sa objektom +ComputedFormula=Izračunato polje +ComputedFormulaDesc=Ovdje možete unijeti formulu koristeći druga svojstva objekta ili bilo koje PHP kodiranje da biste dobili dinamičku izračunatu vrijednost. Možete koristiti bilo koju PHP kompatibilnu formulu uključujući "?" operator uvjeta, i sljedeći globalni objekat: $db, $conf, $langs, $mysoc, $user, $objectoffield .
      UPOZORENJE
      UPOZORENJEb01cf607f67 : Ako su vam potrebna svojstva objekta koji nije učitan, samo dohvatite sebi objekat u svoju formulu kao u drugom primjeru.
      Upotreba izračunatog polja znači da možete' t unesite sebi bilo koju vrijednost iz interfejsa. Također, ako postoji sintaksička greška, formula može ništa vratiti.

      Primjer formule:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      Primjer za ponovno učitavanje objekta
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * >capital / 5: '-1')

      Drugi primjer formule za prisilno učitavanje objekta i njegov nadređeni objekat:
      (($reloadedobj = novi zadatak($db)) && ($reloadedobj->fetchNoCompute-($objectoffield) ) > 0) && ($secondloadedobj = novi projekat($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Nadređeni projekat nije pronađen' +Computedpersistent=Spremite izračunato polje +ComputedpersistentDesc=Izračunata dodatna polja će biti pohranjena u bazi podataka, međutim, vrijednost će biti ponovo izračunata samo kada se promijeni objekt ovog polja. Ako izračunato polje ovisi o drugim objektima ili globalnim podacima, ova vrijednost može biti pogrešna!! +ExtrafieldParamHelpPassword=Ako ovo polje ostavite praznim, znači da će ova vrijednost biti pohranjena BEZ šifriranja (polje je samo skriveno sa zvijezdama na ekranu).

      Unesite vrijednost 'dolcrypt' za kodiranje vrijednosti pomoću reverzibilnog algoritma šifriranja. Čisti podaci se i dalje mogu znati i uređivati, ali su šifrirani u bazi podataka.

      span>Unesite 'auto' (ili 'md5', 'sha256', 'password_hash', ...) da koristite zadani algoritam šifriranja lozinke (ili md5, sha256, password_hash...) za spremanje nepovratne heširane lozinke u baza podataka (nema načina da se povrati originalna vrijednost) +ExtrafieldParamHelpselect=Lista vrijednosti mora biti redova s ključem formata, vrijednosti (gdje ključ ne može biti '0')

      na primjer :
      1,value1
      2,value2
      3code span class='notranslate'>
      ...

      Da bi lista zavisila od drugog komplementarna lista atributa:
      1,value1|options_parent_list_codeb0bac34z08b0ae6475
      parent_key
      2,value2|options_parent_list_codeb0ae64758>b0ae64758bacy: class='notranslate'>

      Da bi lista zavisila od druge liste:
      1, value1|parent_list_code:parent_key
      2,bz0
      2 class='notranslate'>
      parent_list_code:parent_key +ExtrafieldParamHelpcheckbox=Lista vrijednosti mora biti redova s ključem formata, vrijednosti (gdje ključ ne može biti '0')

      na primjer :
      1,value1
      2,value2b0342fccfda19bzval03, span class='notranslate'>
      ... +ExtrafieldParamHelpradio=Lista vrijednosti mora biti redova s ključem formata, vrijednosti (gdje ključ ne može biti '0')

      na primjer :
      1,value1
      2,value2b0342fccfda19bzval03, span class='notranslate'>
      ... +ExtrafieldParamHelpsellist=Lista vrijednosti dolazi iz tabele
      Sintaksa: table_name:label_field:id_field::filtersql
      Primjer: c_typent:libelle: ::filtersql

      - id_field je nužno primarni int ključ
      - filtersql je SQL uvjet. To može biti jednostavan test (npr. active=1) za prikaz samo aktivne vrijednosti
      Možete koristiti i $ID$ u filteru koji je trenutni ID trenutnog objekta
      Da biste koristili SELECT u filteru, koristite ključnu riječ $SEL$ da biste zaobišli zaštitu protiv ubrizgavanja.
      ako želite filtrirati po ekstrapoljima koristite sintaksu extra.fieldcode=... (gdje je kod polja kod extrafield)

      Da biste imali lista u zavisnosti od druge komplementarne liste atributa:
      c_typent:libelle:id:options_parent_list_code |parent_column:filter

      Da bi lista zavisila od druge liste:
      c_typent:libelle:id:parent_list_codem +ExtrafieldParamHelpchkbxlst=Lista vrijednosti dolazi iz tabele
      Sintaksa: table_name:label_field:id_field::filtersql
      Primjer: c_typent:libelle: ::filtersql

      filter može biti jednostavan test (npr. active=1) za prikaz samo aktivne vrijednosti
      Također možete koristiti $ID$ u filteru koji je trenutni id trenutnog objekta
      Da izvršite SELECT u filteru koristite $SEL$
      ako želite filtrirati po extrafields koristite sintaksu extra.fieldcode=... (gdje je kod polja kod extrafield)

      Da bi lista zavisila od druge komplementarne liste atributa:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter
      fccfda19bz0
      fccfda19bz0
      Da bi lista zavisila od druge liste:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelplink=Parametri moraju biti ObjectName:Classpath
      Sintaksa: ObjectName:Classpath +ExtrafieldParamHelpSeparator=Ostavite prazno za jednostavan separator
      Postavite ovo na 1 za separator koji se sažima (otvoreno prema zadanim postavkama za novu sesiju, tada se status čuva za svaku korisničku sesiju)
      Postavite ovo na 2 za sažimajući separator (sažeto prema zadanim postavkama za novu sesiju, tada se status čuva za svaku korisničku sesiju) +LibraryToBuildPDF=Biblioteka koja se koristi za generiranje PDF-a +LocalTaxDesc=Neke zemlje mogu primijeniti dva ili tri poreza na svaku liniju fakture. Ako je to slučaj, odaberite vrstu za drugu i treći porez i njegovu stopu. Mogući tipovi su:
      1: lokalni porez se primjenjuje na proizvode i usluge bez PDV-a (lokalni porez se obračunava na iznos bez poreza)
      2: lokalni porez se primjenjuje na proizvode i usluge uključujući PDV (lokalni porez se obračunava na iznos + glavni porez)
      3: lokalni porez se primjenjuje na proizvode bez PDV-a (lokalni porez se obračunava na iznos bez poreza)
      4: lokalni porez se primjenjuje na proizvode uključujući PDV (lokalni porez obračunava se na iznos + glavni PDV)
      5: lokalni porez se primjenjuje na usluge bez PDV-a (lokalni porez se obračunava na iznos bez poreza)
      span>6: lokalni porez se primjenjuje na usluge uključujući PDV (lokalni porez se obračunava na iznos + porez) SMS=SMS -LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user %s -RefreshPhoneLink=Refresh link -LinkToTest=Clickable link generated for user %s (click phone number to test) -KeepEmptyToUseDefault=Keep empty to use default value -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. +LinkToTestClickToDial=Unesite broj telefona koji želite nazvati da prikažete link za testiranje URL-a ClickToDial za korisnika %s +RefreshPhoneLink=Osvježite vezu +LinkToTest=Link na koji se može kliknuti generiran za korisnika %s (kliknite na broj telefona za testiranje ) +KeepEmptyToUseDefault=Ostavite prazno da koristite zadanu vrijednost +KeepThisEmptyInMostCases=U većini slučajeva ovo polje možete ostaviti praznim. DefaultLink=Default link -SetAsDefault=Set as default +SetAsDefault=Postavi kao zadano ValueOverwrittenByUserSetup=Upozorenje, ova vrijednost se može prebrisati posebnim postavkama korisnika (svaki korisnik može postaviti svoj clicktodial URL) -ExternalModule=External module -InstalledInto=Installed into directory %s -BarcodeInitForThirdparties=Mass barcode init for third-parties -BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services -CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. -InitEmptyBarCode=Init value for the %s empty barcodes -EraseAllCurrentBarCode=Erase all current barcode values -ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values? -AllBarcodeReset=All barcode values have been removed -NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled in the Barcode module setup. -EnableFileCache=Enable file cache -ShowDetailsInPDFPageFoot=Add more details into footer, such as company address or manager names (in addition to professional ids, company capital and VAT number). -NoDetails=No additional details in footer -DisplayCompanyInfo=Display company address -DisplayCompanyManagers=Display manager names -DisplayCompanyInfoAndManagers=Display company address and manager names -EnableAndSetupModuleCron=If you want to have this recurring invoice generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template using the *Create* button. Note that even if you enabled automatic generation, you can still safely launch manual generation. Generation of duplicates for the same period is not possible. -ModuleCompanyCodeCustomerAquarium=%s followed by customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by vendor code for a vendor accounting code -ModuleCompanyCodePanicum=Return an empty accounting code. -ModuleCompanyCodeDigitaria=Returns a compound accounting code according to the name of the third party. The code consists of a prefix that can be defined in the first position followed by the number of characters defined in the third party code. -ModuleCompanyCodeCustomerDigitaria=%s followed by the truncated customer name by the number of characters: %s for the customer accounting code. -ModuleCompanyCodeSupplierDigitaria=%s followed by the truncated supplier name by the number of characters: %s for the supplier accounting code. -Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
      Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. -UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... -WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons: -WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM -WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota). -WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox. -WarningPHPMailD=It is therefore recommended to change the sending method of e-mails to the value "SMTP". -WarningPHPMailDbis=If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by %sclicking here%s. -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask your domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. -ActualMailSPFRecordFound=Actual SPF record found (for email %s) : %s -ClickToShowDescription=Click to show description -DependsOn=This module needs the module(s) -RequiredBy=This module is required by module(s) -TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. Technical knowledge is required to read the content of the HTML page to get the key name of a field. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. -PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) -EnableDefaultValues=Enable customization of default values -EnableOverwriteTranslation=Allow customization of translations -GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation. -WarningSettingSortOrder=Warning, setting a default sort order may result in a technical error when going on the list page if field is an unknown field. If you experience such an error, come back to this page to remove the default sort order and restore default behavior. +ExternalModule=Eksterni modul +InstalledInto=Instalirano u direktorij %s +BarcodeInitForThirdparties=Masovno init barkoda za treće strane +BarcodeInitForProductsOrServices=Masovno pokretanje ili resetovanje barkoda za proizvode ili usluge +CurrentlyNWithoutBarCode=Trenutno imate %s zapis na %s b0ecb2ecz0fz0 bez definiranog barcodea . +InitEmptyBarCode=Početna vrijednost za %s prazne bar kodove +EraseAllCurrentBarCode=Izbrišite sve trenutne vrijednosti bar kodova +ConfirmEraseAllCurrentBarCode=Jeste li sigurni da želite izbrisati sve trenutne vrijednosti barkodova? +AllBarcodeReset=Sve vrijednosti barkodova su uklonjene +NoBarcodeNumberingTemplateDefined=Nije omogućen predložak numeričkog barkoda u podešavanju modula za barkod. +EnableFileCache=Omogući keš memoriju datoteka +ShowDetailsInPDFPageFoot=Dodajte više detalja u podnožje, kao što su adresa kompanije ili imena menadžera (pored profesionalnih ID-ova, kapital kompanije i PDV broj). +NoDetails=Nema dodatnih detalja u podnožju +DisplayCompanyInfo=Prikaži adresu kompanije +DisplayCompanyManagers=Prikaži imena menadžera +DisplayCompanyInfoAndManagers=Prikaži adresu kompanije i imena menadžera +EnableAndSetupModuleCron=Ako želite da se ova ponavljajuća faktura generira automatski, modul *%s* mora biti omogućen i ispravno podešen. U suprotnom, generisanje faktura se mora obaviti ručno iz ovog šablona pomoću dugmeta *Kreiraj*. Imajte na umu da čak i ako ste omogućili automatsko generiranje, i dalje možete bezbedno pokrenuti ručno generisanje. Generisanje duplikata za isti period nije moguće. +ModuleCompanyCodeCustomerAquarium=%s nakon čega slijedi šifra korisnika za šifru obračuna korisnika +ModuleCompanyCodeSupplierAquarium=%s nakon čega slijedi šifra dobavljača za računovodstvenu šifru dobavljača +ModuleCompanyCodePanicum=Vratite prazan obračunski kod. +ModuleCompanyCodeDigitaria=Vraća složenu računovodstvenu šifru prema imenu treće strane. Kôd se sastoji od prefiksa koji se može definirati na prvoj poziciji praćenog brojem znakova definiranim u kodu treće strane. +ModuleCompanyCodeCustomerDigitaria=%s nakon čega slijedi skraćeno ime korisnika brojem znakova: %s za računski kod klijenta. +ModuleCompanyCodeSupplierDigitaria=%s nakon čega slijedi skraćeno ime dobavljača po broju znakova: %s za obračunski kod dobavljača. +Use3StepsApproval=Prema zadanim postavkama, Narudžbenice moraju biti kreirane i odobrene od 2 različita korisnika (jedan korak/korisnik za kreiranje i jedan korak/ Imajte na umu da ako korisnik ima obje dozvole za kreiranje i odobrenja, jedan korak/korisnik će biti dovoljan). Pomoću ove opcije možete tražiti da uvedete treći korak/korisničko odobrenje, ako je iznos veći od namjenske vrijednosti (tako da će biti potrebna 3 koraka: 1=validacija, 2=prvo odobrenje i 3=drugo odobrenje ako je iznos dovoljan).
      Postavite ovo na prazno ako je jedno odobrenje (2 koraka) dovoljno, postavite ga na vrlo nisku vrijednost (0,1) ako uvijek je potrebno drugo odobrenje (3 koraka). +UseDoubleApproval=Koristite odobrenje u 3 koraka kada je iznos (bez poreza) veći od... +WarningPHPMail=UPOZORENJE: Podešavanje za slanje e-pošte iz aplikacije koristi zadanu generičku postavku. Često je bolje postaviti odlaznu e-poštu da koristi server e-pošte vašeg dobavljača usluga e-pošte umjesto zadanih postavki iz nekoliko razloga: +WarningPHPMailA=- Korišćenje servera dobavljača usluga e-pošte povećava pouzdanost vaše e-pošte, tako da povećava isporučivost bez označavanja kao SPAM +WarningPHPMailB=- Neki dobavljači usluga e-pošte (kao što je Yahoo) vam ne dozvoljavaju slanje e-pošte sa drugog servera osim sa njihovog servera. Vaša trenutna postavka koristi server aplikacije za slanje e-pošte i, a ne server vašeg provajdera e-pošte, tako da će neki primaoci (onaj koji je kompatibilan sa restriktivnim DMARC protokolom) tražiti od vas dobavljač e-pošte ako može prihvatiti vašu e-poštu i neki provajderi e-pošte (kao što je Yahoo) mogu odgovoriti "ne" jer server nije njihov, tako da mali broj vaših poslatih e-poruka možda neće biti prihvaćen za isporuku (pazite i na kvotu slanja vašeg provajdera e-pošte). +WarningPHPMailC=- Korištenje SMTP servera vašeg vlastitog dobavljača usluga e-pošte za slanje e-pošte je također zanimljivo tako da će svi emailovi poslati iz aplikacije također biti sačuvani u vašem direktoriju "Poslano" vašeg poštanskog sandučeta. +WarningPHPMailD=Stoga je preporučljivo promijeniti način slanja e-pošte na vrijednost "SMTP". +WarningPHPMailDbis=Ako zaista želite zadržati zadanu "PHP" metodu za slanje e-pošte, samo zanemarite ovo upozorenje ili ga uklonite tako što ćete %skliknuti ovdje%s. +WarningPHPMail2=Ako vaš SMTP provajder e-pošte treba da ograniči klijenta e-pošte na neke IP adrese (vrlo rijetko), ovo je IP adresa korisničkog agenta e-pošte (MUA) za vašu ERP CRM aplikaciju: %s. +WarningPHPMailSPF=Ako je ime domena u vašoj email adresi pošiljaoca zaštićeno SPF zapisom (pitajte svoj registar imena domena), morate dodati sljedeće IP adrese u SPF zapis DNS-a vaše domene: %s. +ActualMailSPFRecordFound=Pronađen je stvarni SPF zapis (za e-poštu %s) : %s +ClickToShowDescription=Kliknite za prikaz opisa +DependsOn=Ovaj modul treba modul(e) +RequiredBy=Ovaj modul je potreban za modul(i) +TheKeyIsTheNameOfHtmlField=Ovo je naziv HTML polja. Za čitanje sadržaja HTML stranice potrebno je tehničko znanje da biste dobili ključno ime polja. +PageUrlForDefaultValues=Morate unijeti relativnu putanju URL-a stranice. Ako u URL uključite parametre, to će biti efektivno ako svi parametri u pregledanom URL-u imaju vrijednost definiranu ovdje. +PageUrlForDefaultValuesCreate=
      Primjer:
      Za obrazac za kreiranje nove treće strane, to je /span>%s.
      Za URL vanjskih modula instaliranih u prilagođeni direktorij, nemojte uključivati "custom/", pa koristite putanju kao što je mymodule/mypage.php i ne custom/mymodule/mypage.php.
      Ako želite zadanu vrijednost samo ako url ima neki parametar, možete koristiti %s +PageUrlForDefaultValuesList=
      Primjer:
      Za stranicu koja navodi treće strane, to je >%s.
      Za URL vanjskih modula instaliranih u prilagođeni direktorij , nemojte uključivati "custom/" pa koristite putanju kao što je mymodule/mypagelist.php i ne custom/mymodule/mypagelist.php.
      Ako želite zadanu vrijednost samo ako url ima neki parametar, možete koristiti %s +AlsoDefaultValuesAreEffectiveForActionCreate=Također imajte na umu da prepisivanje zadanih vrijednosti za kreiranje obrasca radi samo za stranice koje su ispravno dizajnirane (pa s parametrom action=create ili presen...) +EnableDefaultValues=Omogućite prilagođavanje zadanih vrijednosti +EnableOverwriteTranslation=Dozvolite prilagođavanje prijevoda +GoIntoTranslationMenuToChangeThis=Pronađen je prijevod za ključ s ovim kodom. Da biste promijenili ovu vrijednost, morate je urediti iz Home-Setup-translation. +WarningSettingSortOrder=Upozorenje, postavljanje zadanog redoslijeda sortiranja može dovesti do tehničke greške pri odlasku na stranicu liste ako je polje nepoznato. Ako naiđete na takvu grešku, vratite se na ovu stranicu da uklonite zadani redoslijed sortiranja i vratite zadano ponašanje. Field=Field -ProductDocumentTemplates=Document templates to generate product document -ProductBatchDocumentTemplates=Document templates to generate product lots document -FreeLegalTextOnExpenseReports=Free legal text on expense reports -WatermarkOnDraftExpenseReports=Watermark on draft expense reports -ProjectIsRequiredOnExpenseReports=The project is mandatory for entering an expense report -PrefillExpenseReportDatesWithCurrentMonth=Pre-fill start and end dates of new expense report with start and end dates of the current month -ForceExpenseReportsLineAmountsIncludingTaxesOnly=Force the entry of expense report amounts always in amount with taxes -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) -FilesAttachedToEmail=Attach file -SendEmailsReminders=Send agenda reminders by emails -davDescription=Setup a WebDAV server -DAVSetup=Setup of module DAV -DAV_ALLOW_PRIVATE_DIR=Enable the generic private directory (WebDAV dedicated directory named "private" - login required) -DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory anybody can access with its application login/pass. -DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). -DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. -# Modules +ProductDocumentTemplates=Predlošci dokumenata za generiranje dokumenta proizvoda +ProductBatchDocumentTemplates=Predlošci dokumenata za generiranje dokumenta serija proizvoda +FreeLegalTextOnExpenseReports=Besplatan pravni tekst o izvještajima o troškovima +WatermarkOnDraftExpenseReports=Vodeni žig na nacrtu izvještaja o troškovima +ProjectIsRequiredOnExpenseReports=Projekat je obavezan za unos troškovnog izvještaja +PrefillExpenseReportDatesWithCurrentMonth=Unaprijed popunite početni i datumi završetka novog izvještaja o troškovima sa početnim i datumima završetka tekućeg mjeseca +ForceExpenseReportsLineAmountsIncludingTaxesOnly=Forsirati unos iznosa izvještaja o troškovima uvijek u iznosu sa porezima +AttachMainDocByDefault=Postavite ovo na Da ako želite prema zadanim postavkama priložiti glavni dokument e-poruci (ako je primjenjivo) +FilesAttachedToEmail=Priloži datoteku +SendEmailsReminders=Šaljite podsjetnike za dnevni red putem e-pošte +davDescription=Postavite WebDAV server +DAVSetup=Postavljanje modula DAV +DAV_ALLOW_PRIVATE_DIR=Omogućite generički privatni direktorij (WebDAV namjenski direktorij pod nazivom "privatno" - potrebna je prijava) +DAV_ALLOW_PRIVATE_DIRTooltip=Generički privatni direktorij je WebDAV direktorij kojem svako može pristupiti s njegovom prijavom/prolazom aplikacije. +DAV_ALLOW_PUBLIC_DIR=Omogućite generički javni direktorij (WebDAV namjenski direktorij pod nazivom "javni" - nije potrebna prijava) +DAV_ALLOW_PUBLIC_DIRTooltip=Generički javni direktorij je WebDAV direktorij kojem svako može pristupiti (u načinu za čitanje i), bez potrebe za autorizacijom (login/lozinka račun). +DAV_ALLOW_ECM_DIR=Omogućite DMS/ECM privatni direktorij (korijenski direktorij DMS/ECM modula - potrebna je prijava) +DAV_ALLOW_ECM_DIRTooltip=Osnovni direktorij u koji se sve datoteke ručno učitavaju kada se koristi DMS/ECM modul. Slično kao pristup sa web sučelja, trebat će vam valjana prijava/lozinka sa odgovarajućim dozvolama za pristup. +##### Modules ##### Module0Name=Korisnici i grupe -Module0Desc=Users / Employees and Groups management -Module1Name=Third Parties -Module1Desc=Companies and contacts management (customers, prospects...) +Module0Desc=Korisnici / Zaposleni i Upravljanje grupama +Module1Name=Treće strane +Module1Desc=Upravljanje kontaktima kompanija i (kupci, potencijalni klijenti...) Module2Name=Poslovno -Module2Desc=Commercial management -Module10Name=Accounting (simplified) -Module10Desc=Simple accounting reports (journals, turnover) based on database content. Does not use any ledger table. +Module2Desc=Komercijalni menadžment +Module10Name=Računovodstvo (pojednostavljeno) +Module10Desc=Jednostavni računovodstveni izvještaji (dnevnici, promet) zasnovani na sadržaju baze podataka. Ne koristi tablicu glavne knjige. Module20Name=Prijedlozi -Module20Desc=Commercial proposal management +Module20Desc=Upravljanje komercijalnim ponudama Module22Name=Mass Emailings -Module22Desc=Manage bulk emailing -Module23Name=Energy -Module23Desc=Monitoring the consumption of energies +Module22Desc=Upravljajte masovnim slanjem e-pošte +Module23Name=Energija +Module23Desc=Praćenje potrošnje energije Module25Name=Sales Orders -Module25Desc=Sales order management +Module25Desc=Upravljanje prodajnim nalogom Module30Name=Fakture -Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers +Module30Desc=Upravljanje fakturama i kreditnim zapisima za kupce. Upravljanje fakturama i kreditnim zapisima za dobavljače Module40Name=Prodavači -Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) +Module40Desc=Upravljanje nabavkom i dobavljača (narudžbenice i faktura dobavljača) Module42Name=Debug Logs -Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. +Module42Desc=Objekti za evidentiranje (fajl, syslog, ...). Takvi zapisnici služe za tehničke/debug svrhe. Module43Name=Debug Bar -Module43Desc=A tool for developper adding a debug bar in your browser. -Module49Name=Editors -Module49Desc=Editor management +Module43Desc=Alat za programere koji dodaje traku za otklanjanje grešaka u vašem pretraživaču. +Module49Name=Urednici +Module49Desc=Upravljanje urednikom Module50Name=Proizvodi -Module50Desc=Management of Products -Module51Name=Mass mailings -Module51Desc=Mass paper mailing management +Module50Desc=Upravljanje proizvodima +Module51Name=Masovne pošiljke +Module51Desc=Upravljanje masovnim slanjem papira Module52Name=Zalihe -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Desc=Upravljanje zalihama (praćenje kretanja zaliha i inventara) Module53Name=Usluge -Module53Desc=Management of Services +Module53Desc=Upravljanje uslugama Module54Name=Contracts/Subscriptions -Module54Desc=Management of contracts (services or recurring subscriptions) -Module55Name=Barcodes -Module55Desc=Barcode or QR code management -Module56Name=Payment by credit transfer -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. -Module57Name=Payments by Direct Debit -Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. +Module54Desc=Upravljanje ugovorima (usluge ili periodične pretplate) +Module55Name=Bar kodovi +Module55Desc=Upravljanje bar kodom ili QR kodom +Module56Name=Plaćanje kreditnim transferom +Module56Desc=Upravljanje isplatom dobavljača ili plata nalozima za kreditni transfer. Uključuje generiranje SEPA fajla za evropske zemlje. +Module57Name=Plaćanja direktnim zaduženjem +Module57Desc=Upravljanje nalozima za direktno zaduživanje. Uključuje generiranje SEPA fajla za evropske zemlje. Module58Name=ClickToDial -Module58Desc=Integration of a ClickToDial system (Asterisk, ...) +Module58Desc=Integracija ClickToDial sistema (Asterisk, ...) Module60Name=Stickers -Module60Desc=Management of stickers +Module60Desc=Upravljanje naljepnicama Module70Name=Intervencije -Module70Desc=Intervention management -Module75Name=Expense and trip notes -Module75Desc=Expense and trip notes management +Module70Desc=Upravljanje intervencijama +Module75Name=Troškovi i bilješke o putovanju +Module75Desc=Upravljanje troškovima i Module80Name=Pošiljke -Module80Desc=Shipments and delivery note management -Module85Name=Banks & Cash -Module85Desc=Management of bank or cash accounts +Module80Desc=Pošiljke i upravljanje dostavnicama +Module85Name=Banke i gotovina +Module85Desc=Upravljanje bankovnim ili gotovinskim računima Module100Name=External Site -Module100Desc=Add a link to an external website as a main menu icon. Website is shown in a frame under the top menu. -Module105Name=Mailman and SPIP -Module105Desc=Mailman or SPIP interface for member module +Module100Desc=Dodajte vezu na vanjsku web stranicu kao ikonu glavnog menija. Web stranica je prikazana u okviru ispod gornjeg menija. +Module105Name=Mailman i SPIP +Module105Desc=Mailman ili SPIP interfejs za članski modul Module200Name=LDAP -Module200Desc=LDAP directory synchronization +Module200Desc=Sinkronizacija LDAP direktorija Module210Name=PostNuke -Module210Desc=PostNuke integration -Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistance) -Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistance) +Module210Desc=PostNuke integracija +Module240Name=Izvoz podataka +Module240Desc=Alat za izvoz Dolibarr podataka (uz pomoć) +Module250Name=Uvoz podataka +Module250Desc=Alat za uvoz podataka u Dolibarr (uz pomoć) Module310Name=Članovi -Module310Desc=Foundation members management +Module310Desc=Menadžment članova fondacije Module320Name=RSS Feed -Module320Desc=Add a RSS feed to Dolibarr pages -Module330Name=Bookmarks & Shortcuts -Module330Desc=Create shortcuts, always accessible, to the internal or external pages to which you frequently access -Module400Name=Projects or Leads -Module400Desc=Management of projects, leads/opportunities and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. -Module410Name=Webcalendar -Module410Desc=Webcalendar integration -Module500Name=Taxes & Special Expenses -Module500Desc=Management of other expenses (sales taxes, social or fiscal taxes, dividends, ...) -Module510Name=Salaries -Module510Desc=Record and track employee payments +Module320Desc=Dodajte RSS feed na Dolibarr stranice +Module330Name=Oznake i prečice +Module330Desc=Kreirajte prečice, uvijek dostupne, do internih ili eksternih stranica kojima često pristupate +Module400Name=Projekti ili vodi +Module400Desc=Upravljanje projektima, vodi/prilikama i/ili zadacima. Također možete dodijeliti bilo koji element (faktura, nalog, prijedlog, intervencija, ...) projektu i dobiti transverzalni pogled iz pogleda projekta. +Module410Name=Web kalendar +Module410Desc=Integracija web kalendara +Module500Name=Porezi i posebni troškovi +Module500Desc=Upravljanje ostalim troškovima (porezi na promet, socijalni ili fiskalni porezi, dividende,...) +Module510Name=Plate +Module510Desc=Zabilježite i praćenje isplata zaposlenih Module520Name=Loans -Module520Desc=Management of loans -Module600Name=Notifications on business event -Module600Desc=Send email notifications triggered by a business event: per user (setup defined on each user), per third-party contacts (setup defined on each third party) or by specific emails -Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. -Module610Name=Product Variants -Module610Desc=Creation of product variants (color, size etc.) +Module520Desc=Upravljanje kreditima +Module600Name=Obavještenja o poslovnom događaju +Module600Desc=Slanje obavještenja putem e-pošte pokrenutih poslovnim događajem: po korisniku (podešavanje definirano za svakog korisnika), po kontaktima treće strane (podešavanje definirano na svakoj trećoj strani) ili određenim e-porukama +Module600Long=Imajte na umu da ovaj modul šalje e-poštu u realnom vremenu kada se dogodi određeni poslovni događaj. Ako tražite funkciju za slanje podsjetnika e-poštom za događaje dnevnog reda, idite na podešavanje modula Agenda. +Module610Name=Varijante proizvoda +Module610Desc=Izrada varijanti proizvoda (boja, veličina itd.) +Module650Name=Bills of Materials (BOM) +Module650Desc=Modul za definiranje vaših Bill of Materials (BOM). Može se koristiti za planiranje proizvodnih resursa od strane modula Manufacturing Orders (MO) +Module660Name=Planiranje proizvodnih resursa (MRP) +Module660Desc=Modul za upravljanje proizvodnim narudžbama (MO) Module700Name=Donacije -Module700Desc=Donation management -Module770Name=Expense Reports -Module770Desc=Manage expense reports claims (transportation, meal, ...) -Module1120Name=Vendor Commercial Proposals -Module1120Desc=Request vendor commercial proposal and prices -Module1200Name=Mantis -Module1200Desc=Mantis integration -Module1520Name=Document Generation -Module1520Desc=Mass email document generation +Module700Desc=Upravljanje donacijama +Module770Name=Izvještaji o troškovima +Module770Desc=Upravljanje potraživanjima izvještaja o troškovima (prijevoz, obrok,...) +Module1120Name=Komercijalni prijedlozi dobavljača +Module1120Desc=Zatražite komercijalnu ponudu dobavljača i cijene +Module1200Name=Bogomoljka +Module1200Desc=Integracija bogomoljke +Module1520Name=Generisanje dokumenata +Module1520Desc=Masovno generiranje e-mail dokumenata Module1780Name=Tags/Categories -Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members) +Module1780Desc=Kreirajte oznake/kategoriju (proizvodi, kupci, dobavljači, kontakti ili članovi) Module2000Name=WYSIWYG editor -Module2000Desc=Allow text fields to be edited/formatted using CKEditor (html) +Module2000Desc=Dozvolite da se tekstualna polja uređuju/formatiraju pomoću CKEditor-a (html) Module2200Name=Dynamic Prices -Module2200Desc=Use maths expressions for auto-generation of prices +Module2200Desc=Koristite matematičke izraze za automatsko generiranje cijena Module2300Name=Scheduled jobs -Module2300Desc=Scheduled jobs management (alias cron or chrono table) -Module2400Name=Events/Agenda -Module2400Desc=Track events. Log automatic events for tracking purposes or record manual events or meetings. This is the principal module for good Customer or Vendor Relationship Management. -Module2430Name=Booking Calendar System -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2300Desc=Upravljanje planiranim poslovima (alias cron ili chrono tablica) +Module2400Name=Događaji/Dnevni red +Module2400Desc=Pratite događaje. Zabilježite automatske događaje u svrhu praćenja ili snimite ručne događaje ili sastanke. Ovo je glavni modul za dobro upravljanje odnosima s kupcima ili dobavljačima. +Module2430Name=Online zakazivanje termina +Module2430Desc=Pruža online sistem za zakazivanje termina. Ovo omogućava svakome da rezerviše rendez-vous, u skladu sa unapred definisanim rasponima ili raspoloživosti. Module2500Name=DMS / ECM -Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. -Module2600Name=API / Web services (SOAP server) -Module2600Desc=Enable the Dolibarr SOAP server providing API services -Module2610Name=API / Web services (REST server) -Module2610Desc=Enable the Dolibarr REST server providing API services -Module2660Name=Call WebServices (SOAP client) -Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Only Purchase orders are currently supported.) +Module2500Desc=Sistem za upravljanje dokumentima / Upravljanje elektronskim sadržajem. Automatska organizacija vaših generiranih ili pohranjenih dokumenata. Podijelite ih kada vam zatreba. +Module2600Name=API / Web usluge (SOAP server) +Module2600Desc=Omogućite Dolibarr SOAP server koji pruža API usluge +Module2610Name=API / Web usluge (REST server) +Module2610Desc=Omogućite Dolibarr REST server koji pruža API usluge +Module2660Name=Pozovite WebServices (SOAP klijent) +Module2660Desc=Omogućite klijenta za Dolibarr web usluge (može se koristiti za prosljeđivanje podataka/zahtjeva na vanjske servere. Trenutno su podržane samo narudžbenice.) Module2700Name=Gravatar -Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Needs Internet access -Module2800Desc=FTP Client +Module2700Desc=Koristite mrežni Gravatar servis (www.gravatar.com) za prikaz fotografija korisnika/članova (koje se nalaze uz njihove e-mailove). Potreban je pristup internetu +Module2800Desc=FTP klijent Module2900Name=GeoIPMaxmind -Module2900Desc=GeoIP Maxmind conversions capabilities +Module2900Desc=GeoIP Maxmind mogućnosti konverzije Module3200Name=Unalterable Archives -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. +Module3200Desc=Omogućite nepromjenjivi dnevnik poslovnih događaja. Događaji se arhiviraju u realnom vremenu. Dnevnik je tabela samo za čitanje vezanih događaja koji se mogu izvesti. Ovaj modul može biti obavezan za neke zemlje. Module3300Name=Module Builder -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. -Module3400Name=Social Networks -Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). +Module3300Desc=RAD (Rapid Application Development - low-code i no-code) alat koji pomaže programerima ili naprednim korisnicima da naprave vlastiti modul/aplikaciju. +Module3400Name=Društvene mreže +Module3400Desc=Omogućite polja društvenih mreža na i adresama trećih strana (skype, twitter, facebook, ...). Module4000Name=Kadrovska služba -Module4000Desc=Human resources management (management of department, employee contracts and feelings) -Module5000Name=Multi-company -Module5000Desc=Allows you to manage multiple companies +Module4000Desc=Upravljanje ljudskim resursima (upravljanje odjelom, ugovori sa zaposlenicima, upravljanje vještinama i intervju) +Module5000Name=Više kompanija +Module5000Desc=Omogućava vam upravljanje više kompanija Module6000Name=Inter-modules Workflow -Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) -Module10000Name=Websites -Module10000Desc=Create websites (public) with a WYSIWYG editor. This is a webmaster or developer oriented CMS (it is better to know HTML and CSS language). Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the internet with your own domain name. -Module20000Name=Leave Request Management -Module20000Desc=Define and track employee leave requests +Module6000Desc=Upravljanje tokom rada između različitih modula (automatsko kreiranje objekta i/ili automatska promjena statusa) +Module10000Name=Web stranice +Module10000Desc=Kreirajte web stranice (javne) pomoću WYSIWYG uređivača. Ovo je CMS orijentiran na webmastera ili programera (bolje je znati HTML i CSS jezik). Samo postavite svoj web server (Apache, Nginx, ...) da ukaže na namjenski Dolibarr direktorij kako biste ga imali online na internetu sa svojim imenom domene. +Module20000Name=Upravljanje zahtjevima za napuštanje +Module20000Desc=Definirajte i praćenje zahtjeva za odsustvo zaposlenika Module39000Name=Product Lots -Module39000Desc=Lots, serial numbers, eat-by/sell-by date management for products +Module39000Desc=Lotovi, serijski brojevi, upravljanje datumima konzumiranja/prodaje za proizvode Module40000Name=Multicurrency -Module40000Desc=Use alternative currencies in prices and documents +Module40000Desc=Koristite alternativne valute u cijenama i dokumenata Module50000Name=PayBox -Module50000Desc=Offer customers a PayBox online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50000Desc=Ponudite korisnicima PayBox stranicu za online plaćanje (kreditne/debitne kartice). Ovo se može koristiti da omogući vašim klijentima da vrše ad hoc plaćanja ili plaćanja vezana za određeni Dolibarr objekt (faktura, narudžba itd...) Module50100Name=POS SimplePOS -Module50100Desc=Point of Sale module SimplePOS (simple POS). +Module50100Desc=Modul prodajnog mjesta SimplePOS (jednostavan POS). Module50150Name=POS TakePOS -Module50150Desc=Point of Sale module TakePOS (touchscreen POS, for shops, bars or restaurants). +Module50150Desc=Modul za prodajno mjesto TakePOS (touchscreen POS, za trgovine, barove ili restorane). Module50200Name=Paypal -Module50200Desc=Offer customers a PayPal online payment page (PayPal account or credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50200Desc=Ponudite korisnicima PayPal stranicu za online plaćanje (PayPal račun ili kreditne/debitne kartice). Ovo se može koristiti da omogući vašim klijentima da vrše ad-hoc plaćanja ili plaćanja vezana za određeni Dolibarr objekt (faktura, narudžba itd...) Module50300Name=Stripe -Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50400Name=Accounting (double entry) -Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats. +Module50300Desc=Ponudite kupcima Stripe stranicu za online plaćanje (kreditne/debitne kartice). Ovo se može koristiti da omogući vašim klijentima da vrše ad hoc plaćanja ili plaćanja vezana za određeni Dolibarr objekt (faktura, narudžba itd...) +Module50400Name=Računovodstvo (dvostruki unos) +Module50400Desc=Upravljanje računovodstvom (dvostruki unos, podrška Općim i knjigama podružnica). Izvezite knjigu u nekoliko drugih formata računovodstvenog softvera. Module54000Name=PrintIPP -Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installed on server). -Module55000Name=Poll, Survey or Vote -Module55000Desc=Create online polls, surveys or votes (like Doodle, Studs, RDVz etc...) +Module54000Desc=Direktno štampanje (bez otvaranja dokumenata) koristeći Cups IPP interfejs (Štampač mora biti vidljiv sa servera, i CUPS mora biti instaliran na serveru). +Module55000Name=Anketa, anketa ili glasanje +Module55000Desc=Kreirajte online ankete, ankete ili glasove (kao što su Doodle, Studs, RDVz itd...) Module59000Name=Margins -Module59000Desc=Module to follow margins -Module60000Name=Commissions -Module60000Desc=Module to manage commissions +Module59000Desc=Modul za praćenje margina +Module60000Name=Provizije +Module60000Desc=Modul za upravljanje provizijama Module62000Name=Incoterms -Module62000Desc=Add features to manage Incoterms +Module62000Desc=Dodajte funkcije za upravljanje Incoterms Module63000Name=Resursi -Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to events -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. -Module94160Name=Receptions -Permission11=Read customer invoices (and payments) -Permission12=Create/modify customer invoices -Permission13=Invalidate customer invoices -Permission14=Validate customer invoices -Permission15=Send customer invoices by email -Permission16=Create payments for customer invoices -Permission19=Delete customer invoices -Permission21=Read commercial proposals -Permission22=Create/modify commercial proposals -Permission24=Validate commercial proposals -Permission25=Send commercial proposals -Permission26=Close commercial proposals -Permission27=Delete commercial proposals -Permission28=Export commercial proposals -Permission31=Read products -Permission32=Create/modify products -Permission33=Read prices products -Permission34=Delete products -Permission36=See/manage hidden products -Permission38=Export products -Permission39=Ignore minimum price -Permission41=Read projects and tasks (shared projects and projects of which I am a contact). -Permission42=Create/modify projects (shared projects and projects of which I am a contact). Can also assign users to projects and tasks -Permission44=Delete projects (shared projects and projects of which I am a contact) -Permission45=Export projects -Permission61=Read interventions -Permission62=Create/modify interventions -Permission64=Delete interventions -Permission67=Export interventions -Permission68=Send interventions by email -Permission69=Validate interventions -Permission70=Invalidate interventions -Permission71=Read members -Permission72=Create/modify members -Permission74=Delete members -Permission75=Setup types of membership -Permission76=Export data -Permission78=Read subscriptions -Permission79=Create/modify subscriptions -Permission81=Read customers orders -Permission82=Create/modify customers orders -Permission84=Validate customers orders -Permission85=Generate the documents sales orders -Permission86=Send customers orders -Permission87=Close customers orders -Permission88=Cancel customers orders -Permission89=Delete customers orders -Permission91=Read social or fiscal taxes and vat -Permission92=Create/modify social or fiscal taxes and vat -Permission93=Delete social or fiscal taxes and vat -Permission94=Export social or fiscal taxes -Permission95=Read reports -Permission101=Read sendings -Permission102=Create/modify sendings -Permission104=Validate sendings -Permission105=Send sendings by email -Permission106=Export sendings -Permission109=Delete sendings -Permission111=Read financial accounts -Permission112=Create/modify/delete and compare transactions -Permission113=Setup financial accounts (create, manage categories of bank transactions) -Permission114=Reconcile transactions -Permission115=Export transactions and account statements -Permission116=Transfers between accounts -Permission117=Manage checks dispatching +Module63000Desc=Upravljajte resursima (štampači, automobili, sobe,...) za dodjelu događaja +Module66000Name=Upravljanje OAuth2 tokenom +Module66000Desc=Omogućite alat za generiranje i upravljanja OAuth2 tokenima. Token tada mogu koristiti neki drugi moduli. +Module94160Name=Prijemi +ModuleBookCalName=Sistem kalendara rezervacija +ModuleBookCalDesc=Upravljajte kalendarom da rezervirate sastanke +##### Permissions ##### +Permission11=Čitanje faktura kupaca (i plaćanja) +Permission12=Kreirajte/izmijenite račune kupaca +Permission13=Poništiti račune kupaca +Permission14=Potvrdite fakture kupaca +Permission15=Šaljite račune kupcima e-poštom +Permission16=Kreirajte plaćanja za fakture kupaca +Permission19=Izbrišite račune kupaca +Permission21=Pročitajte komercijalne prijedloge +Permission22=Kreirati/izmijeniti komercijalne prijedloge +Permission24=Potvrdite komercijalne prijedloge +Permission25=Šaljite komercijalne prijedloge +Permission26=Zatvorite komercijalne ponude +Permission27=Izbrišite komercijalne prijedloge +Permission28=Izvoz komercijalnih prijedloga +Permission31=Pročitajte proizvode +Permission32=Kreirati/izmijeniti proizvode +Permission33=Pročitajte cijene proizvoda +Permission34=Izbrišite proizvode +Permission36=Pogledajte/upravljajte skrivenim proizvodima +Permission38=Izvoz proizvoda +Permission39=Zanemarite minimalnu cijenu +Permission41=Čitajte projekte i zadatke (dijeljeni projekti i projekti čiji sam kontakt). +Permission42=Kreirajte/modifikujte projekte (dijeljeni projekti i projekti čiji sam kontakt). Također može dodijeliti korisnike projektnim i zadacima +Permission44=Izbriši projekte (dijeljeni projekti i projekti čiji sam kontakt) +Permission45=Izvozni projekti +Permission61=Pročitajte intervencije +Permission62=Kreirati/izmijeniti intervencije +Permission64=Izbrisati intervencije +Permission67=Izvozne intervencije +Permission68=Šaljite intervencije e-poštom +Permission69=Potvrdite intervencije +Permission70=Nevaljane intervencije +Permission71=Čitajte članove +Permission72=Kreirajte/izmijenite članove +Permission74=Obriši članove +Permission75=Postavite vrste članstva +Permission76=Izvezi podatke +Permission78=Pročitajte pretplate +Permission79=Kreirajte/izmijenite pretplate +Permission81=Čitajte narudžbe kupaca +Permission82=Kreirajte/izmijenite narudžbe kupaca +Permission84=Potvrdite narudžbe kupaca +Permission85=Generirajte dokumente prodajnih naloga +Permission86=Šaljite narudžbe kupcima +Permission87=Zatvorite narudžbe kupaca +Permission88=Otkažite narudžbe kupaca +Permission89=Izbrišite narudžbe kupaca +Permission91=Pročitajte socijalne ili fiskalne poreze i PDV +Permission92=Kreirajte/izmijenite socijalne ili fiskalne poreze i PDV +Permission93=Izbrišite socijalne ili fiskalne poreze i PDV +Permission94=Izvozni socijalni ili fiskalni porezi +Permission95=Čitajte izvještaje +Permission101=Pročitaj slanje +Permission102=Kreirajte/izmijenite slanje +Permission104=Potvrdite slanje +Permission105=Šaljite e-mailom +Permission106=Izvoz slanja +Permission109=Izbrišite slanja +Permission111=Pročitajte finansijske račune +Permission112=Kreiraj/izmijeni/izbriši i uporedi transakcije +Permission113=Postavite finansijske račune (kreirajte, upravljajte kategorijama bankovnih transakcija) +Permission114=Uskladiti transakcije +Permission115=Izvoz transakcija i izvoda računa +Permission116=Transferi između računa +Permission117=Upravljajte slanjem čekova Permission121=Čitanje trećih stranaka vezanih za korisnika Permission122=Kreiranje/mijenjati trećih strana vezanih sa korisnika Permission125=Brisanje trećih stranaka vezanih za korisnika Permission126=Izvoz trećih stranaka -Permission130=Create/modify third parties payment information -Permission141=Read all projects and tasks (as well as the private projects for which I am not a contact) -Permission142=Create/modify all projects and tasks (as well as the private projects for which I am not a contact) -Permission144=Delete all projects and tasks (as well as the private projects I am not a contact) -Permission145=Can enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) -Permission146=Read providers -Permission147=Read stats -Permission151=Read direct debit payment orders -Permission152=Create/modify a direct debit payment orders -Permission153=Send/Transmit direct debit payment orders -Permission154=Record Credits/Rejections of direct debit payment orders -Permission161=Read contracts/subscriptions -Permission162=Create/modify contracts/subscriptions -Permission163=Activate a service/subscription of a contract -Permission164=Disable a service/subscription of a contract -Permission165=Delete contracts/subscriptions -Permission167=Export contracts -Permission171=Read trips and expenses (yours and your subordinates) -Permission172=Create/modify trips and expenses -Permission173=Delete trips and expenses -Permission174=Read all trips and expenses -Permission178=Export trips and expenses -Permission180=Read suppliers -Permission181=Read purchase orders -Permission182=Create/modify purchase orders -Permission183=Validate purchase orders -Permission184=Approve purchase orders -Permission185=Order or cancel purchase orders -Permission186=Receive purchase orders -Permission187=Close purchase orders -Permission188=Cancel purchase orders -Permission192=Create lines -Permission193=Cancel lines -Permission194=Read the bandwidth lines -Permission202=Create ADSL connections -Permission203=Order connections orders -Permission204=Order connections -Permission205=Manage connections -Permission206=Read connections -Permission211=Read Telephony -Permission212=Order lines -Permission213=Activate line +Permission130=Kreirajte/izmijenite informacije o plaćanju trećih strana +Permission141=Pročitajte sve projekte i zadatke (kao i privatne projekte za koje nisam kontakt) +Permission142=Kreirajte/izmijenite sve projekte i zadatke (kao i privatne projekte za koje nisam kontakt) +Permission144=Izbriši sve projekte i zadatke (kao i privatne projekte s kojima nisam kontakt) +Permission145=Može uneti utrošeno vrijeme, za mene ili moju hijerarhiju, na dodijeljene zadatke (Timesheet) +Permission146=Pročitajte dobavljače +Permission147=Pročitajte statistiku +Permission151=Pročitajte naloge za plaćanje direktnog zaduženja +Permission152=Kreirajte/izmijenite naloge za plaćanje direktnog zaduženja +Permission153=Slanje/prenos naloga za plaćanje direktnog zaduženja +Permission154=Evidentiranje kredita/odbijanja naloga za plaćanje direktnog zaduženja +Permission161=Pročitajte ugovore/pretplate +Permission162=Kreirajte/izmijenite ugovore/pretplate +Permission163=Aktivirajte uslugu/pretplatu ugovora +Permission164=Onemogućite uslugu/pretplatu ugovora +Permission165=Izbrišite ugovore/pretplate +Permission167=Izvozni ugovori +Permission171=Pročitajte troškove putovanja i (vaši i vaši podređeni) +Permission172=Kreirajte/izmijenite troškove putovanja i +Permission173=Izbriši i troškove putovanja +Permission174=Pročitajte sva putovanja i troškovi +Permission178=Izvozna putovanja i troškovi +Permission180=Pročitajte dobavljače +Permission181=Pročitajte narudžbenice +Permission182=Kreirajte/izmijenite narudžbenice +Permission183=Potvrdite narudžbenice +Permission184=Odobrite narudžbenice +Permission185=Naručite ili otkažite narudžbenice +Permission186=Primajte narudžbenice +Permission187=Zatvorite narudžbenice +Permission188=Otkažite narudžbenice +Permission192=Kreirajte linije +Permission193=Otkažite linije +Permission194=Pročitajte linije propusnog opsega +Permission202=Kreirajte ADSL veze +Permission203=Narudžbe veza +Permission204=Naručite priključke +Permission205=Upravljajte vezama +Permission206=Pročitajte veze +Permission211=Pročitajte telefoniju +Permission212=Redovi narudžbi +Permission213=Aktivirajte liniju Permission214=Postavke telefonije Permission215=Postavke nabavljača -Permission221=Read emailings -Permission222=Create/modify emailings (topic, recipients...) -Permission223=Validate emailings (allows sending) -Permission229=Delete emailings -Permission237=View recipients and info -Permission238=Manually send mailings -Permission239=Delete mailings after validation or sent -Permission241=Read categories -Permission242=Create/modify categories -Permission243=Delete categories -Permission244=See the contents of the hidden categories -Permission251=Read other users and groups -PermissionAdvanced251=Read other users -Permission252=Read permissions of other users -Permission253=Create/modify other users, groups and permissions -PermissionAdvanced253=Create/modify internal/external users and permissions -Permission254=Create/modify external users only -Permission255=Modify other users password -Permission256=Delete or disable other users -Permission262=Extend access to all third parties AND their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission263=Extend access to all third parties WITHOUT their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission271=Read CA -Permission272=Read invoices -Permission273=Issue invoices -Permission281=Read contacts -Permission282=Create/modify contacts -Permission283=Delete contacts -Permission286=Export contacts -Permission291=Read tariffs -Permission292=Set permissions on the tariffs -Permission293=Modify customer's tariffs -Permission301=Generate PDF sheets of barcodes -Permission304=Create/modify barcodes -Permission305=Delete barcodes -Permission311=Read services -Permission312=Assign service/subscription to contract +Permission221=Čitajte mejlove +Permission222=Kreirati/izmijeniti email poruke (tema, primaoci...) +Permission223=Potvrdite emailove (omogućava slanje) +Permission229=Izbrišite e-poruke +Permission237=Prikaži informacije o primaocima i +Permission238=Ručno slanje pošte +Permission239=Izbrišite poštu nakon validacije ili poslane +Permission241=Pročitajte kategorije +Permission242=Kreirajte/izmijenite kategorije +Permission243=Izbrišite kategorije +Permission244=Pogledajte sadržaj skrivenih kategorija +Permission251=Pročitajte druge grupe korisnika i +PermissionAdvanced251=Pročitajte druge korisnike +Permission252=Dozvole za čitanje drugih korisnika +Permission253=Kreirajte/izmijenite druge korisnike, dopuštenja za grupe i +PermissionAdvanced253=Kreirajte/izmijenite dozvole za interne/vanjske korisnike i +Permission254=Kreirajte/izmijenite samo vanjske korisnike +Permission255=Izmijenite lozinku drugih korisnika +Permission256=Izbrišite ili onemogućite druge korisnike +Permission262=Proširite pristup svim trećim stranama i njihovim objektima (ne samo trećim stranama za koje je korisnik zastupnik prodaje).
      Ne efektivno za vanjske korisnike (uvijek ograničeno na sebe za prijedloge, narudžbe, fakture, ugovore, itd.).
      Nije efektivno za projekte (samo pravila o projektnim dozvolama, vidljivost i zadatak je važan). +Permission263=Proširiti pristup svim trećim stranama BEZ njihovih objekata (ne samo trećim stranama za koje je korisnik zastupnik prodaje).
      Nije efektivno za vanjske korisnike (uvijek ograničeno na sebe za prijedloge, narudžbe, fakture, ugovori, itd.).
      Nije na snazi za projekte (samo pravila o projektnim dozvolama, vidljivost i dodjela je važna ). +Permission271=Pročitajte CA +Permission272=Čitajte fakture +Permission273=Izdavanje faktura +Permission281=Pročitajte kontakte +Permission282=Kreirajte/izmijenite kontakte +Permission283=Izbrišite kontakte +Permission286=Izvezi kontakte +Permission291=Pročitajte tarife +Permission292=Postavite dozvole za tarife +Permission293=Izmijenite tarife korisnika +Permission301=Generirajte PDF listove bar kodova +Permission304=Kreirajte/izmijenite bar kodove +Permission305=Izbrišite bar kodove +Permission311=Čitajte usluge +Permission312=Dodijelite uslugu/pretplatu ugovoru Permission331=Read bookmarks -Permission332=Create/modify bookmarks -Permission333=Delete bookmarks -Permission341=Read its own permissions -Permission342=Create/modify his own user information -Permission343=Modify his own password -Permission344=Modify its own permissions -Permission351=Read groups -Permission352=Read groups permissions -Permission353=Create/modify groups -Permission354=Delete or disable groups -Permission358=Export users -Permission401=Read discounts -Permission402=Create/modify discounts -Permission403=Validate discounts -Permission404=Delete discounts -Permission430=Use Debug Bar -Permission511=Read salaries and payments (yours and subordinates) -Permission512=Create/modify salaries and payments -Permission514=Delete salaries and payments -Permission517=Read salaries and payments everybody -Permission519=Export salaries +Permission332=Kreirajte/izmijenite oznake +Permission333=Izbrišite oznake +Permission341=Pročitajte vlastite dozvole +Permission342=Kreirati/izmijeniti vlastite korisničke podatke +Permission343=Izmijeniti sopstvenu lozinku +Permission344=Izmijeniti vlastite dozvole +Permission351=Čitajte grupe +Permission352=Dozvole za čitanje grupa +Permission353=Kreirajte/izmijenite grupe +Permission354=Izbrišite ili onemogućite grupe +Permission358=Izvezi korisnike +Permission401=Pročitajte popuste +Permission402=Kreirajte/izmijenite popuste +Permission403=Potvrdite popuste +Permission404=Obriši popuste +Permission430=Koristite traku za otklanjanje grešaka +Permission511=Pročitajte isplate i plata (vaši i podređeni) +Permission512=Kreirajte/izmijenite plaćanja i +Permission514=Izbriši plaćanja i +Permission517=Pročitajte plate i plaćanja svima +Permission519=Izvozne plate Permission520=Read Loans -Permission522=Create/modify loans -Permission524=Delete loans -Permission525=Access loan calculator -Permission527=Export loans -Permission531=Read services -Permission532=Create/modify services -Permission533=Read prices services -Permission534=Delete services -Permission536=See/manage hidden services -Permission538=Export services -Permission561=Read payment orders by credit transfer -Permission562=Create/modify payment order by credit transfer -Permission563=Send/Transmit payment order by credit transfer -Permission564=Record Debits/Rejections of credit transfer -Permission601=Read stickers -Permission602=Create/modify stickers -Permission609=Delete stickers -Permission611=Read attributes of variants -Permission612=Create/Update attributes of variants -Permission613=Delete attributes of variants -Permission650=Read Bills of Materials -Permission651=Create/Update Bills of Materials -Permission652=Delete Bills of Materials -Permission660=Read Manufacturing Order (MO) -Permission661=Create/Update Manufacturing Order (MO) -Permission662=Delete Manufacturing Order (MO) -Permission701=Read donations -Permission702=Create/modify donations -Permission703=Delete donations -Permission771=Read expense reports (yours and your subordinates) -Permission772=Create/modify expense reports (for you and your subordinates) -Permission773=Delete expense reports -Permission775=Approve expense reports -Permission776=Pay expense reports -Permission777=Read all expense reports (even those of user not subordinates) -Permission778=Create/modify expense reports of everybody -Permission779=Export expense reports -Permission1001=Read stocks -Permission1002=Create/modify warehouses -Permission1003=Delete warehouses -Permission1004=Read stock movements -Permission1005=Create/modify stock movements -Permission1011=View inventories -Permission1012=Create new inventory -Permission1014=Validate inventory -Permission1015=Allow to change PMP value for a product -Permission1016=Delete inventory -Permission1101=Read delivery receipts -Permission1102=Create/modify delivery receipts -Permission1104=Validate delivery receipts -Permission1109=Delete delivery receipts -Permission1121=Read supplier proposals -Permission1122=Create/modify supplier proposals -Permission1123=Validate supplier proposals -Permission1124=Send supplier proposals -Permission1125=Delete supplier proposals -Permission1126=Close supplier price requests -Permission1181=Read suppliers -Permission1182=Read purchase orders -Permission1183=Create/modify purchase orders -Permission1184=Validate purchase orders -Permission1185=Approve purchase orders -Permission1186=Order purchase orders -Permission1187=Acknowledge receipt of purchase orders -Permission1188=Delete purchase orders -Permission1189=Check/Uncheck a purchase order reception -Permission1190=Approve (second approval) purchase orders -Permission1191=Export supplier orders and their attributes -Permission1201=Get result of an export -Permission1202=Create/Modify an export -Permission1231=Read vendor invoices (and payments) -Permission1232=Create/modify vendor invoices -Permission1233=Validate vendor invoices -Permission1234=Delete vendor invoices -Permission1235=Send vendor invoices by email -Permission1236=Export vendor invoices, attributes and payments -Permission1237=Export purchase orders and their details -Permission1251=Run mass imports of external data into database (data load) -Permission1321=Export customer invoices, attributes and payments -Permission1322=Reopen a paid bill -Permission1421=Export sales orders and attributes -Permission1521=Read documents -Permission1522=Delete documents -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) -Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) -Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) -Permission2411=Read actions (events or tasks) of others -Permission2412=Create/modify actions (events or tasks) of others -Permission2413=Delete actions (events or tasks) of others -Permission2414=Export actions/tasks of others -Permission2501=Read/Download documents -Permission2502=Download documents -Permission2503=Submit or delete documents +Permission522=Kreirati/izmijeniti kredite +Permission524=Brisanje kredita +Permission525=Pristup kreditnom kalkulatoru +Permission527=Izvozni krediti +Permission531=Čitajte usluge +Permission532=Kreirajte/izmijenite usluge +Permission533=Pročitajte cijene usluga +Permission534=Izbrišite usluge +Permission536=Pogledajte/upravljajte skrivenim uslugama +Permission538=Izvozne usluge +Permission561=Čitanje naloga za plaćanje kreditnim prijenosom +Permission562=Kreirajte/izmijenite nalog za plaćanje kreditnim prijenosom +Permission563=Pošaljite/prenesite nalog za plaćanje kreditnim transferom +Permission564=Evidencija zaduženja/odbijanja kreditnog transfera +Permission601=Čitajte naljepnice +Permission602=Kreirajte/izmijenite naljepnice +Permission609=Obriši naljepnice +Permission611=Pročitajte atribute varijanti +Permission612=Kreiraj/ažuriraj atribute varijanti +Permission613=Brisanje atributa varijanti +Permission650=Pročitajte opise materijala +Permission651=Kreirajte/ažurirajte opise materijala +Permission652=Izbrišite popise materijala +Permission660=Pročitajte proizvodni nalog (MO) +Permission661=Kreirajte/ažurirajte proizvodni nalog (MO) +Permission662=Izbriši proizvodnu narudžbu (MO) +Permission701=Pročitajte donacije +Permission702=Kreirajte/izmijenite donacije +Permission703=Izbrišite donacije +Permission771=Pročitajte izvještaje o troškovima (vaši i vaši podređeni) +Permission772=Kreirajte/izmijenite izvještaje o troškovima (za vas i vaše podređene) +Permission773=Izbrišite izvještaje o troškovima +Permission775=Odobravanje izvještaja o troškovima +Permission776=Plaćajte izvještaje o troškovima +Permission777=Pročitajte sve izvještaje o troškovima (čak i one korisnika koji nisu podređeni) +Permission778=Kreirajte/izmijenite izvještaje o troškovima za sve +Permission779=Izvoz izvještaja o troškovima +Permission1001=Čitajte dionice +Permission1002=Kreirati/izmijeniti skladišta +Permission1003=Izbrišite skladišta +Permission1004=Pročitajte kretanje dionica +Permission1005=Kreirajte/izmijenite kretanje dionica +Permission1011=Pogledajte zalihe +Permission1012=Kreirajte novi inventar +Permission1014=Potvrdite inventar +Permission1015=Dozvolite promjenu PMP vrijednosti za proizvod +Permission1016=Izbriši inventar +Permission1101=Pročitajte potvrde o isporuci +Permission1102=Kreirajte/izmijenite potvrde o isporuci +Permission1104=Potvrdite potvrde o isporuci +Permission1109=Izbrišite račune o isporuci +Permission1121=Pročitajte prijedloge dobavljača +Permission1122=Kreirati/izmijeniti prijedloge dobavljača +Permission1123=Potvrdite ponude dobavljača +Permission1124=Pošaljite ponude dobavljača +Permission1125=Izbrišite prijedloge dobavljača +Permission1126=Zatvorite zahtjeve za cijenu dobavljača +Permission1181=Pročitajte dobavljače +Permission1182=Pročitajte narudžbenice +Permission1183=Kreirajte/izmijenite narudžbenice +Permission1184=Potvrdite narudžbenice +Permission1185=Odobrite narudžbenice +Permission1186=Naručite narudžbenice +Permission1187=Potvrdite prijem narudžbine +Permission1188=Izbrišite narudžbenice +Permission1189=Označite/poništite oznaku prijema narudžbenice +Permission1190=Odobreti (drugo odobrenje) narudžbenice +Permission1191=Izvezite narudžbe dobavljača i njihove atribute +Permission1201=Dobiti rezultat izvoza +Permission1202=Kreirajte/izmijenite izvoz +Permission1231=Pročitajte fakture dobavljača (i plaćanja) +Permission1232=Kreirajte/izmijenite fakture dobavljača +Permission1233=Potvrdite fakture dobavljača +Permission1234=Izbrišite fakture dobavljača +Permission1235=Šaljite fakture dobavljačima putem e-pošte +Permission1236=Izvoz faktura dobavljača, atributi i plaćanja +Permission1237=Izvezite narudžbenice i njihove detalje +Permission1251=Pokrenite masovni uvoz eksternih podataka u bazu podataka (učitavanje podataka) +Permission1321=Izvezite račune kupaca, atribute i plaćanja +Permission1322=Ponovo otvori plaćeni račun +Permission1421=Izvezite atribute i prodajnih naloga +Permission1521=Čitajte dokumente +Permission1522=Izbrišite dokumente +Permission2401=Čitanje radnji (događaja ili zadataka) povezanih s njegovim korisničkim računom (ako je vlasnik događaja ili mu je samo dodijeljen) +Permission2402=Kreirati/izmijeniti radnje (događaje ili zadatke) povezane s njegovim korisničkim računom (ako je vlasnik događaja) +Permission2403=Izbrišite radnje (događaje ili zadatke) povezane s njegovim korisničkim računom (ako je vlasnik događaja) +Permission2411=Pročitajte akcije (događaje ili zadatke) drugih +Permission2412=Kreirati/izmijeniti radnje (događaje ili zadatke) drugih +Permission2413=Izbrišite akcije (događaje ili zadatke) drugih +Permission2414=Izvoz akcija/zadataka drugih +Permission2501=Čitanje/preuzimanje dokumenata +Permission2502=Preuzmite dokumente +Permission2503=Pošaljite ili izbrišite dokumente Permission2515=Postavke direktorija za dokumente -Permission2610=Generate/modify users API key -Permission2801=Use FTP client in read mode (browse and download only) -Permission2802=Use FTP client in write mode (delete or upload files) -Permission3200=Read archived events and fingerprints -Permission3301=Generate new modules -Permission4001=Read skill/job/position -Permission4002=Create/modify skill/job/position -Permission4003=Delete skill/job/position -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations -Permission4023=Validate evaluation -Permission4025=Delete evaluation -Permission4028=See comparison menu -Permission4031=Read personal information -Permission4032=Write personal information -Permission4033=Read all evaluations (even those of user not subordinates) -Permission10001=Read website content -Permission10002=Create/modify website content (html and javascript content) -Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. -Permission10005=Delete website content -Permission20001=Read leave requests (your leave and those of your subordinates) -Permission20002=Create/modify your leave requests (your leave and those of your subordinates) -Permission20003=Delete leave requests -Permission20004=Read all leave requests (even those of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) -Permission20006=Administer leave requests (setup and update balance) -Permission20007=Approve leave requests +Permission2610=Generirajte/izmijenite korisnički API ključ +Permission2801=Koristite FTP klijent u načinu čitanja (pretražite samo i) +Permission2802=Koristite FTP klijent u načinu pisanja (izbrišite ili otpremite fajlove) +Permission3200=Pročitajte arhivirane događaje i otiske prstiju +Permission3301=Generirajte nove module +Permission4001=Pročitajte vještinu/posao/poziciju +Permission4002=Kreirajte/izmijenite vještinu/posao/poziciju +Permission4003=Izbrišite vještinu/posao/poziciju +Permission4021=Pročitajte ocjene (vaši i vaši podređeni) +Permission4022=Kreirajte/izmijenite evaluacije +Permission4023=Potvrdite evaluaciju +Permission4025=Obriši evaluaciju +Permission4028=Pogledajte meni za poređenje +Permission4031=Pročitajte lične podatke +Permission4032=Napišite lične podatke +Permission4033=Pročitajte sve ocjene (čak i one korisnika koji nisu podređeni) +Permission10001=Pročitajte sadržaj web stranice +Permission10002=Kreirajte/izmijenite sadržaj web stranice (html i JavaScript sadržaj) +Permission10003=Kreirati/izmijeniti sadržaj web stranice (dinamički php kod). Opasno, mora biti rezervirano za ograničene programere. +Permission10005=Izbrišite sadržaj web stranice +Permission20001=Pročitajte zahtjeve za odsustvo (vaš dopust i one vaših podređenih) +Permission20002=Kreirajte/izmijenite svoje zahtjeve za odsustvo (vaše odsustvo i onih vaših podređenih) +Permission20003=Izbrišite zahtjeve za odsustvo +Permission20004=Pročitajte sve zahtjeve za odsustvo (čak i one korisnika koji nisu podređeni) +Permission20005=Kreirati/izmijeniti zahtjeve za odsustvo za sve (čak i one korisnika koji nisu podređeni) +Permission20006=Administracija zahtjeva za odsustvo (podešavanje i ažuriranja stanja) +Permission20007=Odobravanje zahtjeva za odsustvo Permission23001=Read Scheduled job Permission23002=Create/update Scheduled job Permission23003=Delete Scheduled job Permission23004=Execute Scheduled job -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates -Permission50101=Use Point of Sale (SimplePOS) -Permission50151=Use Point of Sale (TakePOS) -Permission50152=Edit sales lines -Permission50153=Edit ordered sales lines -Permission50201=Read transactions -Permission50202=Import transactions -Permission50330=Read objects of Zapier -Permission50331=Create/Update objects of Zapier -Permission50332=Delete objects of Zapier -Permission50401=Bind products and invoices with accounting accounts -Permission50411=Read operations in ledger -Permission50412=Write/Edit operations in ledger -Permission50414=Delete operations in ledger -Permission50415=Delete all operations by year and journal in ledger -Permission50418=Export operations of the ledger -Permission50420=Report and export reports (turnover, balance, journals, ledger) -Permission50430=Define fiscal periods. Validate transactions and close fiscal periods. -Permission50440=Manage chart of accounts, setup of accountancy -Permission51001=Read assets -Permission51002=Create/Update assets -Permission51003=Delete assets -Permission51005=Setup types of asset +Permission40001=Pročitajte tečajeve valuta i +Permission40002=Kreirajte/ažurirajte valute i njihove stope +Permission40003=Izbrišite valute i njihove stope +Permission50101=Koristite prodajno mjesto (SimplePOS) +Permission50151=Koristite prodajno mjesto (TakePOS) +Permission50152=Uredite prodajne linije +Permission50153=Uredite naručene prodajne linije +Permission50201=Čitanje transakcija +Permission50202=Uvozne transakcije +Permission50330=Pročitajte Zapierove objekte +Permission50331=Kreirajte/ažurirajte objekte Zapier-a +Permission50332=Izbrišite objekte Zapier-a +Permission50401=Povežite fakture proizvoda i sa računovodstvenim računima +Permission50411=Čitanje operacija u knjizi +Permission50412=Upisi/uređivanje operacija u knjizi +Permission50414=Brisanje operacija u knjizi +Permission50415=Izbrišite sve operacije po godini i dnevnik u knjizi +Permission50418=Izvozne operacije glavne knjige +Permission50420=Izvještaj o izvoznim izvještajima i (promet, stanje, dnevnici, knjiga) +Permission50430=Definirajte fiskalne periode. Potvrdite transakcije i zatvorite fiskalne periode. +Permission50440=Upravljanje kontnim planom, postavljanje računovodstva +Permission51001=Čitanje imovine +Permission51002=Kreirajte/ažurirajte sredstva +Permission51003=Izbrišite imovinu +Permission51005=Postavite vrste sredstava Permission54001=Print -Permission55001=Read polls -Permission55002=Create/modify polls +Permission55001=Pročitajte ankete +Permission55002=Kreirajte/izmijenite ankete Permission59001=Pročitajte komercijalne margine Permission59002=Definirajte komercijalne margine -Permission59003=Read every user margin -Permission63001=Read resources -Permission63002=Create/modify resources -Permission63003=Delete resources -Permission63004=Link resources to agenda events -Permission64001=Allow direct printing -Permission67000=Allow printing of receipts -Permission68001=Read intracomm report -Permission68002=Create/modify intracomm report -Permission68004=Delete intracomm report -Permission941601=Read receipts -Permission941602=Create and modify receipts -Permission941603=Validate receipts -Permission941604=Send receipts by email -Permission941605=Export receipts -Permission941606=Delete receipts -DictionaryCompanyType=Third-party types -DictionaryCompanyJuridicalType=Third-party legal entities -DictionaryProspectLevel=Prospect potential level for companies -DictionaryProspectContactLevel=Prospect potential level for contacts -DictionaryCanton=States/Provinces -DictionaryRegion=Regions -DictionaryCountry=Countries -DictionaryCurrency=Currencies -DictionaryCivility=Honorific titles -DictionaryActions=Types of agenda events -DictionarySocialContributions=Types of social or fiscal taxes -DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of tax stamps -DictionaryPaymentConditions=Payment Terms -DictionaryPaymentModes=Payment Modes -DictionaryTypeContact=Contact/Address types -DictionaryTypeOfContainer=Website - Type of website pages/containers +Permission59003=Pročitajte svaku korisničku marginu +Permission63001=Pročitajte resurse +Permission63002=Kreirati/izmijeniti resurse +Permission63003=Izbrišite resurse +Permission63004=Povežite resurse sa događajima dnevnog reda +Permission64001=Dozvolite direktno štampanje +Permission67000=Dozvolite štampanje računa +Permission68001=Pročitajte intracomm izvještaj +Permission68002=Kreirajte/izmijenite intracomm izvještaj +Permission68004=Izbriši intracomm izvještaj +Permission941601=Pročitaj račune +Permission941602=Kreirajte i modificirajte priznanice +Permission941603=Potvrdite račune +Permission941604=Potvrde slati e-poštom +Permission941605=Izvozne potvrde +Permission941606=Izbrišite račune +DictionaryCompanyType=Tipovi trećih strana +DictionaryCompanyJuridicalType=Pravna lica treće strane +DictionaryProspectLevel=Nivo potencijalnog potencijala za kompanije +DictionaryProspectContactLevel=Potencijalni nivo potencijalnih kontakata +DictionaryCanton=države/pokrajine +DictionaryRegion=Regioni +DictionaryCountry=Zemlje +DictionaryCurrency=Valute +DictionaryCivility=Časne titule +DictionaryActions=Vrste događaja na dnevnom redu +DictionarySocialContributions=Vrste socijalnih ili fiskalnih poreza +DictionaryVAT=Stope PDV-a ili Stope poreza na promet +DictionaryRevenueStamp=Iznos poreznih markica +DictionaryPaymentConditions=Uslovi plaćanja +DictionaryPaymentModes=Načini plaćanja +DictionaryTypeContact=Tipovi kontakata/adresa +DictionaryTypeOfContainer=Web stranica - Vrsta web stranica/kontejnera DictionaryEcotaxe=Ecotax (WEEE) -DictionaryPaperFormat=Paper formats -DictionaryFormatCards=Card formats -DictionaryFees=Expense report - Types of expense report lines -DictionarySendingMethods=Shipping methods -DictionaryStaff=Number of Employees -DictionaryAvailability=Delivery delay -DictionaryOrderMethods=Order methods -DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups for reports -DictionaryAccountancysystem=Models for chart of accounts -DictionaryAccountancyJournal=Accounting journals +DictionaryPaperFormat=Formati papira +DictionaryFormatCards=Formati kartica +DictionaryFees=Izvještaj o troškovima - Vrste linija izvještaja o troškovima +DictionarySendingMethods=Načini dostave +DictionaryStaff=Broj zaposlenih +DictionaryAvailability=Kašnjenje isporuke +DictionaryOrderMethods=Načini naručivanja +DictionarySource=Porijeklo prijedloga/naloga +DictionaryAccountancyCategory=Personalizirane grupe za izvještaje +DictionaryAccountancysystem=Modeli za kontni plan +DictionaryAccountancyJournal=Računovodstveni časopisi DictionaryEMailTemplates=Email Templates DictionaryUnits=Jedinice DictionaryMeasuringUnits=Measuring Units -DictionarySocialNetworks=Social Networks -DictionaryProspectStatus=Prospect status for companies -DictionaryProspectContactStatus=Prospect status for contacts -DictionaryHolidayTypes=Leave - Types of leave -DictionaryOpportunityStatus=Lead status for project/lead -DictionaryExpenseTaxCat=Expense report - Transportation categories -DictionaryExpenseTaxRange=Expense report - Range by transportation category -DictionaryTransportMode=Intracomm report - Transport mode -DictionaryBatchStatus=Product lot/serial Quality Control status -DictionaryAssetDisposalType=Type of disposal of assets -TypeOfUnit=Type of unit +DictionarySocialNetworks=Društvene mreže +DictionaryProspectStatus=Prospektivni status za kompanije +DictionaryProspectContactStatus=Status potencijalnih kontakata +DictionaryHolidayTypes=Odsustvo - Vrste odmora +DictionaryOpportunityStatus=Status voditelja projekta/voda +DictionaryExpenseTaxCat=Izvještaj o troškovima - Kategorije transporta +DictionaryExpenseTaxRange=Izvještaj o troškovima - Raspon po kategoriji transporta +DictionaryTransportMode=Intracomm izvještaj - Način transporta +DictionaryBatchStatus=Status kontrole kvaliteta serije/serije proizvoda +DictionaryAssetDisposalType=Vrsta raspolaganja imovinom +DictionaryInvoiceSubtype=Podvrste faktura +TypeOfUnit=Tip jedinice SetupSaved=Postavke snimljene -SetupNotSaved=Setup not saved -OAuthServiceConfirmDeleteTitle=Delete OAuth entry -OAuthServiceConfirmDeleteMessage=Are you sure you want to delete this OAuth entry ? All existing tokens for it will also be deleted. -ErrorInEntryDeletion=Error in entry deletion -EntryDeleted=Entry deleted -BackToModuleList=Back to Module list -BackToDictionaryList=Back to Dictionaries list -TypeOfRevenueStamp=Type of tax stamp -VATManagement=Sales Tax Management -VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. -VATIsNotUsedDesc=By default the proposed Sales tax is 0 which can be used for cases like associations, individuals or small companies. -VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. -VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +SetupNotSaved=Podešavanje nije sačuvano +OAuthServiceConfirmDeleteTitle=Izbrišite OAuth unos +OAuthServiceConfirmDeleteMessage=Jeste li sigurni da želite izbrisati ovaj OAuth unos? Svi postojeći tokeni za to će također biti izbrisani. +ErrorInEntryDeletion=Greška u brisanju unosa +EntryDeleted=Unos izbrisan +BackToModuleList=Povratak na listu modula +BackToDictionaryList=Povratak na listu rječnika +TypeOfRevenueStamp=Vrsta porezne marke +VATManagement=Upravljanje porezom na promet +VATIsUsedDesc=Prema zadanim postavkama kada kreirate izglede, fakture, narudžbe itd. Stopa poreza na promet slijedi aktivno standardno pravilo:
      Ako prodavac ne podliježe porezu na promet, tada je porez na promet zadano 0 . Kraj pravila.
      Ako je (zemlja prodavca = zemlja kupca), tada je porez na promet prema zadanim postavkama jednak porezu na promet proizvoda u zemlji prodavca. Kraj pravila.
      Ako su prodavac i kupac obojica u Evropskoj zajednici b01f882f7e6484 /span> roba su proizvodi vezani za transport (prevoz, otprema, avio kompanija), zadani PDV je 0. Ovo pravilo zavisi od zemlje prodavca - konsultujte se sa svojim računovođom. Kupac treba da plati PDV carinarnici u svojoj zemlji i, a ne prodavcu. Kraj pravila.
      Ako su prodavac i kupac obojica u Evropskoj zajednici b01f882f7e6484 /span> kupac nije kompanija (sa registrovanim PDV brojem unutar Zajednice) tada je PDV zadana stopa PDV-a u zemlji prodavca. Kraj pravila.
      Ako su prodavac i kupac obojica u Evropskoj zajednici b01f882f7e6484 /span> kupac je kompanija (sa registrovanim PDV brojem unutar zajednice), tada je PDV po defaultu 0. Kraj pravila.
      U svakom drugom slučaju predložena zadana vrijednost je porez na promet=0. Kraj vladavine. +VATIsNotUsedDesc=Podrazumevano je predloženi porez na promet 0 koji se može koristiti za slučajeve kao što su udruženja, pojedinci ili male kompanije. +VATIsUsedExampleFR=U Francuskoj, to znači kompanije ili organizacije koje imaju stvarni fiskalni sistem (pojednostavljeni realni ili normalni real). Sistem u kojem se deklarira PDV. +VATIsNotUsedExampleFR=U Francuskoj, to znači udruženja koja nisu prijavljena poreza na promet ili kompanije, organizacije ili slobodne profesije koje su odabrale fiskalni sistem mikro preduzeća (porez na promet u franšizi) i su platile franšizu za prodaju poreza bez ikakve prijave poreza na promet. Ovaj izbor će prikazati referencu "Neprimenjivi porez na promet - art-293B CGI" na fakturama. +VATType=Vrsta PDV-a ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax +TypeOfSaleTaxes=Vrsta poreza na promet LTRate=Stopa -LocalTax1IsNotUsed=Do not use second tax -LocalTax1IsUsedDesc=Use a second type of tax (other than first one) -LocalTax1IsNotUsedDesc=Do not use other type of tax (other than first one) -LocalTax1Management=Second type of tax +LocalTax1IsNotUsed=Nemojte koristiti drugi porez +LocalTax1IsUsedDesc=Koristite drugu vrstu poreza (osim prve) +LocalTax1IsNotUsedDesc=Nemojte koristiti drugu vrstu poreza (osim prvog) +LocalTax1Management=Druga vrsta poreza LocalTax1IsUsedExample= LocalTax1IsNotUsedExample= -LocalTax2IsNotUsed=Do not use third tax -LocalTax2IsUsedDesc=Use a third type of tax (other than first one) -LocalTax2IsNotUsedDesc=Do not use other type of tax (other than first one) -LocalTax2Management=Third type of tax +LocalTax2IsNotUsed=Ne koristite treći porez +LocalTax2IsUsedDesc=Koristite treću vrstu poreza (osim prve) +LocalTax2IsNotUsedDesc=Nemojte koristiti drugu vrstu poreza (osim prvog) +LocalTax2Management=Treća vrsta poreza LocalTax2IsUsedExample= LocalTax2IsNotUsedExample= LocalTax1ManagementES=RE Management -LocalTax1IsUsedDescES=The RE rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the buyer is not subjected to RE, RE by default=0. End of rule.
      If the buyer is subjected to RE then the RE by default. End of rule.
      -LocalTax1IsNotUsedDescES=By default the proposed RE is 0. End of rule. -LocalTax1IsUsedExampleES=In Spain they are professionals subject to some specific sections of the Spanish IAE. -LocalTax1IsNotUsedExampleES=In Spain they are professional and societies and subject to certain sections of the Spanish IAE. +LocalTax1IsUsedDescES=Stopa RE prema zadanim postavkama kada kreirate izglede, fakture, narudžbe itd. slijedi aktivno standardno pravilo:
      Ako kupac nije podvrgnut RE, RE po defaultu=0. Kraj pravila.
      Ako je kupac podvrgnut RE, onda RE prema zadanim postavkama. Kraj pravila.
      +LocalTax1IsNotUsedDescES=Po defaultu predloženi RE je 0. Kraj pravila. +LocalTax1IsUsedExampleES=U Španiji su to profesionalci koji podležu nekim posebnim delovima španskog IAE. +LocalTax1IsNotUsedExampleES=U Španiji su to profesionalna i društva i koja podležu određenim delovima španskog IAE. LocalTax2ManagementES=IRPF Management -LocalTax2IsUsedDescES=The IRPF rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.
      If the seller is subjected to IRPF then the IRPF by default. End of rule.
      -LocalTax2IsNotUsedDescES=By default the proposed IRPF is 0. End of rule. -LocalTax2IsUsedExampleES=In Spain, freelancers and independent professionals who provide services and companies who have chosen the tax system of modules. -LocalTax2IsNotUsedExampleES=In Spain they are businesses not subject to tax system of modules. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) -CalcLocaltax=Reports on local taxes -CalcLocaltax1=Sales - Purchases -CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases -CalcLocaltax2=Purchases -CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases -CalcLocaltax3=Sales -CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax -LabelUsedByDefault=Label used by default if no translation can be found for code -LabelOnDocuments=Label on documents -LabelOrTranslationKey=Label or translation key -ValueOfConstantKey=Value of a configuration constant -ConstantIsOn=Option %s is on -NbOfDays=No. of days -AtEndOfMonth=At end of month -CurrentNext=A given day in month +LocalTax2IsUsedDescES=IRPF stopa prema zadanim postavkama kada kreirate izglede, fakture, narudžbe itd. slijedite aktivno standardno pravilo:
      Ako prodavac nije podvrgnut IRPF-u, tada je IRPF po defaultu=0. Kraj pravila.
      Ako je prodavac podvrgnut IRPF-u, onda IRPF prema zadanim postavkama. Kraj pravila.
      +LocalTax2IsNotUsedDescES=Podrazumevano, predloženi IRPF je 0. Kraj pravila. +LocalTax2IsUsedExampleES=U Španiji, freelanceri i nezavisni profesionalci koji pružaju usluge i kompanijama koji su odabrali poreski sistem modula. +LocalTax2IsNotUsedExampleES=U Španiji su to preduzeća koja ne podležu poreskom sistemu modula. +RevenueStampDesc="Porezna marka" ili "prihodna marka" je fiksni porez po fakturi (ne ovisi o iznosu fakture). To također može biti postotak poreza, ali korištenje druge ili treće vrste poreza je bolje za postotak poreza jer porezne markice ne pružaju nikakvo izvješćivanje. Samo nekoliko zemalja koristi ovu vrstu poreza. +UseRevenueStamp=Koristite poreznu marku +UseRevenueStampExample=Vrijednost porezne marke definirana je prema zadanim postavkama u postavci rječnika (%s - %s - %s) +CalcLocaltax=Izvještaji o lokalnim porezima +CalcLocaltax1=Prodaja - Kupovina +CalcLocaltax1Desc=Izvještaji o lokalnim porezima se izračunavaju s razlikom između lokalnih poreza na prodaju i lokalnih poreza na kupovinu +CalcLocaltax2=Kupovine +CalcLocaltax2Desc=Izvještaji o lokalnim porezima su ukupan iznos kupovine lokalnih poreza +CalcLocaltax3=Prodaja +CalcLocaltax3Desc=Izvještaji o lokalnim porezima su ukupni promet lokalnih poreza +NoLocalTaxXForThisCountry=Prema postavci poreza (Pogledajte %s - %s - %s) , vaša zemlja ne mora koristiti takvu vrstu poreza +LabelUsedByDefault=Oznaka se koristi po defaultu ako se ne može pronaći prijevod za kod +LabelOnDocuments=Oznaka na dokumentima +LabelOrTranslationKey=Oznaka ili ključ za prijevod +ValueOfConstantKey=Vrijednost konfiguracijske konstante +ConstantIsOn=Opcija %s je uključena +NbOfDays=Broj dana +AtEndOfMonth=Krajem mjeseca +CurrentNext=Određen dan u mjesecu Offset=Offset -AlwaysActive=Always active +AlwaysActive=Uvijek aktivan Upgrade=Upgrade -MenuUpgrade=Upgrade / Extend -AddExtensionThemeModuleOrOther=Deploy/install external app/module +MenuUpgrade=Nadogradi / Proširi +AddExtensionThemeModuleOrOther=Postavite/instalirajte eksternu aplikaciju/modul WebServer=Web server -DocumentRootServer=Web server's root directory -DataRootServer=Data files directory +DocumentRootServer=Osnovni direktorij web servera +DataRootServer=Direktorij datoteka sa podacima IP=IP -Port=Port -VirtualServerName=Virtual server name +Port=Luka +VirtualServerName=Ime virtuelnog servera OS=OS PhpWebLink=Web-Php link Server=Server -Database=Database -DatabaseServer=Database host +Database=Baza podataka +DatabaseServer=Host baze podataka DatabaseName=Database name -DatabasePort=Database port -DatabaseUser=Database user -DatabasePassword=Database password -Tables=Tables -TableName=Table name -NbOfRecord=No. of records +DatabasePort=Port baze podataka +DatabaseUser=Korisnik baze podataka +DatabasePassword=Lozinka baze podataka +Tables=Stolovi +TableName=Naziv tabele +NbOfRecord=Broj zapisa Host=Server DriverType=Driver type -SummarySystem=System information summary +SummarySystem=Sažetak informacija o sistemu SummaryConst=Lista svih parametara postavki za Dolibarr MenuCompanySetup=Kompanija/organizacija -DefaultMenuManager= Standard menu manager -DefaultMenuSmartphoneManager=Smartphone menu manager -Skin=Skin theme -DefaultSkin=Default skin theme -MaxSizeList=Max length for list -DefaultMaxSizeList=Default max length for lists -DefaultMaxSizeShortList=Default max length for short lists (i.e. in customer card) -MessageOfDay=Message of the day -MessageLogin=Login page message -LoginPage=Login page -BackgroundImageLogin=Background image -PermanentLeftSearchForm=Permanent search form on left menu -DefaultLanguage=Default language -EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships -EnableShowLogo=Show the company logo in the menu +DefaultMenuManager= Standardni menadžer menija +DefaultMenuSmartphoneManager=Menadžer menija pametnog telefona +Skin=Tema kože +DefaultSkin=Zadana tema kože +MaxSizeList=Maksimalna dužina liste +DefaultMaxSizeList=Zadana maksimalna dužina za liste +DefaultMaxSizeShortList=Zadana maksimalna dužina za kratke liste (tj. u korisničkoj kartici) +MessageOfDay=Poruka dana +MessageLogin=Poruka stranice za prijavu +LoginPage=Stranica za prijavu +BackgroundImageLogin=Pozadinska slika +PermanentLeftSearchForm=Trajni formular za pretragu na lijevom meniju +DefaultLanguage=Zadani jezik +EnableMultilangInterface=Omogućite višejezičnu podršku za odnose s kupcima ili dobavljačima +EnableShowLogo=Prikažite logo kompanije u meniju CompanyInfo=Kompanija/organizacija -CompanyIds=Company/Organization identities +CompanyIds=Identiteti kompanije/organizacije CompanyName=Naziv CompanyAddress=Adresa CompanyZip=Zip CompanyTown=Town CompanyCountry=Država -CompanyCurrency=Main currency -CompanyObject=Object of the company -IDCountry=ID country +CompanyCurrency=Glavna valuta +CompanyObject=Predmet kompanije +IDCountry=ID zemlje Logo=Logo -LogoDesc=Main logo of company. Will be used into generated documents (PDF, ...) -LogoSquarred=Logo (squarred) -LogoSquarredDesc=Must be a squarred icon (width = height). This logo will be used as the favorite icon or other need like for the top menu bar (if not disabled into display setup). -DoNotSuggestPaymentMode=Do not suggest -NoActiveBankAccountDefined=No active bank account defined -OwnerOfBankAccount=Owner of bank account %s -BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show the link "%s" -ShowBugTrackLinkDesc=Keep empty to not display this link, use value 'github' for the link to the Dolibarr project or define directly an url 'https://...' +LogoDesc=Glavni logo kompanije. Koristiće se u generisanim dokumentima (PDF, ...) +LogoSquarred=Logo (kvadrat) +LogoSquarredDesc=Mora biti kvadratna ikona (širina = visina). Ovaj logo će se koristiti kao omiljena ikona ili neka druga potreba kao za gornju traku menija (ako nije onemogućen u podešavanju ekrana). +DoNotSuggestPaymentMode=Ne predlažite +NoActiveBankAccountDefined=Nije definisan aktivni bankovni račun +OwnerOfBankAccount=Vlasnik bankovnog računa %s +BankModuleNotActive=Modul bankovnih računa nije omogućen +ShowBugTrackLink=Prikaži vezu "%s" +ShowBugTrackLinkDesc=Ostavite prazno da ne biste prikazali ovu vezu, koristite vrijednost 'github' za vezu do Dolibarr projekta ili direktno definirajte url 'https://...' Alerts=Upozorenja -DelaysOfToleranceBeforeWarning=Displaying a warning alert for... -DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. -Delays_MAIN_DELAY_ACTIONS_TODO=Planned events (agenda events) not completed -Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Project not closed in time -Delays_MAIN_DELAY_TASKS_TODO=Planned task (project tasks) not completed -Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Order not processed -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Purchase order not processed -Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Proposal not closed -Delays_MAIN_DELAY_PROPALS_TO_BILL=Proposal not billed -Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Service to activate -Delays_MAIN_DELAY_RUNNING_SERVICES=Expired service -Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Unpaid vendor invoice -Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Unpaid customer invoice -Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Pending bank reconciliation -Delays_MAIN_DELAY_MEMBERS=Delayed membership fee -Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Check deposit not done -Delays_MAIN_DELAY_EXPENSEREPORTS=Expense report to approve -Delays_MAIN_DELAY_HOLIDAYS=Leave requests to approve -SetupDescription1=Before starting to use Dolibarr some initial parameters must be defined and modules enabled/configured. -SetupDescription2=The following two sections are mandatory (the two first entries in the Setup menu): -SetupDescription3=%s -> %s

      Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4=%s -> %s

      This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. -SetupDescription5=Other Setup menu entries manage optional parameters. -SetupDescriptionLink=%s - %s -SetupDescription3b=Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s -Audit=Security events -InfoDolibarr=About Dolibarr -InfoBrowser=About Browser -InfoOS=About OS -InfoWebServer=About Web Server -InfoDatabase=About Database -InfoPHP=About PHP -InfoPerf=About Performances -InfoSecurity=About Security -BrowserName=Browser name -BrowserOS=Browser OS -ListOfSecurityEvents=List of Dolibarr security events -SecurityEventsPurged=Security events purged -TrackableSecurityEvents=Trackable security events -LogEventDesc=Enable logging for specific security events. Administrators the log via menu %s - %s. Warning, this feature can generate a large amount of data in the database. -AreaForAdminOnly=Setup parameters can be set by administrator users only. -SystemInfoDesc=System information is miscellaneous technical information you get in read only mode and visible for administrators only. -SystemAreaForAdminOnly=This area is available to administrator users only. Dolibarr user permissions cannot change this restriction. -CompanyFundationDesc=Edit the information of your company/organization. Click on "%s" button at the bottom of the page when done. -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". -AccountantDesc=If you have an external accountant/bookkeeper, you can edit here its information. -AccountantFileNumber=Accountant code -DisplayDesc=Parameters affecting the look and presentation of the application can be modified here. -AvailableModules=Available app/modules -ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). -SessionTimeOut=Time out for session -SessionExplanation=This number guarantees that the session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guarantee that the session will expire after this delay. It will expire, after this delay, and when the session cleaner is run, so every %s/%s access, but only during access made by other sessions (if value is 0, it means clearing of session is done only by an external process).
      Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by an external setup, no matter what the value entered here is. -SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. -TriggersAvailable=Available triggers -TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). -TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. -TriggerDisabledAsModuleDisabled=Triggers in this file are disabled as module %s is disabled. -TriggerAlwaysActive=Triggers in this file are always active, whatever are the activated Dolibarr modules. -TriggerActiveAsModuleActive=Triggers in this file are active as module %s is enabled. -GeneratedPasswordDesc=Choose the method to be used for auto-generated passwords. -DictionaryDesc=Insert all reference data. You can add your values to the default. -ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting only. -MiscellaneousOptions=Miscellaneous options -MiscellaneousDesc=All other security related parameters are defined here. +DelaysOfToleranceBeforeWarning=Prikazuje se upozorenje za... +DelaysOfToleranceDesc=Postavite odgodu prije nego što se ikona upozorenja %s prikaže na ekranu za kasni element. +Delays_MAIN_DELAY_ACTIONS_TODO=Planirani događaji (događaji na dnevnom redu) nisu završeni +Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Projekat nije zatvoren na vrijeme +Delays_MAIN_DELAY_TASKS_TODO=Planirani zadatak (projektni zadaci) nije završen +Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Narudžba nije obrađena +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Narudžbenica nije obrađena +Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Prijedlog nije zatvoren +Delays_MAIN_DELAY_PROPALS_TO_BILL=Prijedlog nije fakturisan +Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Usluga za aktiviranje +Delays_MAIN_DELAY_RUNNING_SERVICES=Istekla usluga +Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Neplaćena faktura dobavljača +Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Neplaćeni račun kupca +Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Čeka se pomirenje banke +Delays_MAIN_DELAY_MEMBERS=Odgođena članarina +Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Čekovni depozit nije izvršen +Delays_MAIN_DELAY_EXPENSEREPORTS=Izvještaj o troškovima za odobrenje +Delays_MAIN_DELAY_HOLIDAYS=Ostavite zahtjeve za odobrenje +SetupDescription1=Prije nego počnete koristiti Dolibarr, neki početni parametri moraju biti definirani i moduli omogućeni/konfigurirani. +SetupDescription2=Sljedeća dva odjeljka su obavezna (dva prva unosa u izborniku Postavke): +SetupDescription3=%s -> %sb0e870cz80e47dcz

      Osnovni parametri koji se koriste za prilagođavanje zadanog ponašanja vaše aplikacije (npr. za funkcije vezane za zemlju). +SetupDescription4=
      %s -> %sb0e870cz80e47dcz

      Ovaj softver je paket mnogih modula/aplikacija. Moduli koji se odnose na vaše potrebe moraju biti omogućeni i konfigurirani. Unosi u meni će se pojaviti sa aktivacijom ovih modula. +SetupDescription5=Drugi unosi menija za podešavanje upravljaju opcionim parametrima. +SetupDescriptionLink=
      %s - %sb0e87dcczb0e87dccz /span> +SetupDescription3b=Osnovni parametri koji se koriste za prilagođavanje zadanog ponašanja vaše aplikacije (npr. za funkcije vezane za zemlju). +SetupDescription4b=Ovaj softver je skup mnogih modula/aplikacija. Moduli koji se odnose na vaše potrebe moraju biti aktivirani. Unosi u meni će se pojaviti sa aktivacijom ovih modula. +AuditedSecurityEvents=Sigurnosni događaji koji se revidiraju +NoSecurityEventsAreAduited=Nema sigurnosnih događaja. Možete ih omogućiti iz menija %s +Audit=Sigurnosni događaji +InfoDolibarr=O Dolibarru +InfoBrowser=O pretraživaču +InfoOS=O OS-u +InfoWebServer=O web serveru +InfoDatabase=O bazi podataka +InfoPHP=O PHP-u +InfoPerf=O predstavama +InfoSecurity=O sigurnosti +BrowserName=Ime pretraživača +BrowserOS=OS pretraživača +ListOfSecurityEvents=Lista Dolibarr sigurnosnih događaja +SecurityEventsPurged=Sigurnosni događaji očišćeni +TrackableSecurityEvents=Sigurnosni događaji koji se mogu pratiti +LogEventDesc=Omogućite evidentiranje određenih sigurnosnih događaja. Administratorski zapisnik preko menija %s - %s. Upozorenje, ova funkcija može generirati veliku količinu podataka u bazi podataka. +AreaForAdminOnly=Parametre podešavanja mogu postaviti samo administratorski korisnici. +SystemInfoDesc=Informacije o sistemu su razne tehničke informacije koje dobijate u režimu samo za čitanje i vidljive samo za administratore. +SystemAreaForAdminOnly=Ovo područje je dostupno samo administratorskim korisnicima. Dolibarr korisničke dozvole ne mogu promijeniti ovo ograničenje. +CompanyFundationDesc=Uredite informacije o vašoj kompaniji/organizaciji. Kliknite na dugme "%s" na dnu stranice kada završite. +MoreNetworksAvailableWithModule=Više društvenih mreža može biti dostupno ako omogućite modul "Društvene mreže". +AccountantDesc=Ako imate vanjskog računovođu/knjigovođu, ovdje možete urediti njegove podatke. +AccountantFileNumber=Šifra računovođe +DisplayDesc=Ovdje se mogu mijenjati parametri koji utječu na izgled i prezentacije aplikacije. +AvailableModules=Dostupne aplikacije/moduli +ToActivateModule=Da biste aktivirali module, idite na Područje za podešavanje (Home->Setup->Modules). +SessionTimeOut=Tajm aut za sesiju +SessionExplanation=Ovaj broj garantuje da sesija nikada neće isteći prije ovog kašnjenja, ako čišćenje sesije vrši interni čistač PHP sesije (i ništa drugo). Interni čistač PHP sesije ne garantuje da će sesija isteći nakon ovog kašnjenja. Isteći će nakon ovog kašnjenja, i kada se pokrene čistač sesije, tako da svaki %s/%s pristup, ali samo tokom pristupa koji su napravile druge sesije (ako je vrijednost 0, znači brisanje sesije vrši samo vanjski proces).
      Napomena: na nekim serverima s vanjskim mehanizmom za čišćenje sesije (cron pod debianom, ubuntu...), sesije može se uništiti nakon perioda definiranog vanjskim podešavanjem, bez obzira koja je vrijednost unesena ovdje. +SessionsPurgedByExternalSystem=Čini se da su sesije na ovom serveru očišćene vanjskim mehanizmom (cron pod debianom, ubuntu...), vjerovatno svaki %s sekundi (= vrijednost parametra session.gc_maxlifetimeb09a17b73z) , tako da promjena vrijednosti ovdje nema efekta. Morate zamoliti administratora servera da promijeni kašnjenje sesije. +TriggersAvailable=Dostupni okidači +TriggersDesc=Okidači su datoteke koje će modificirati ponašanje Dolibarr toka posla nakon kopiranja u direktorij htdocs/core/triggers. Realizuju nove akcije, aktivirane na Dolibarr događajima (kreiranje nove kompanije, validacija računa,...). +TriggerDisabledByName=Okidači u ovoj datoteci su onemogućeni sufiksom -NORUN u njihovom nazivu. +TriggerDisabledAsModuleDisabled=Okidači u ovoj datoteci su onemogućeni jer je modul %s. disabled +TriggerAlwaysActive=Okidači u ovoj datoteci su uvijek aktivni, bez obzira na to koji su Dolibarr moduli aktivirani. +TriggerActiveAsModuleActive=Okidači u ovoj datoteci su aktivni jer je modul %s omogućen. +GeneratedPasswordDesc=Odaberite metodu koja će se koristiti za automatski generirane lozinke. +DictionaryDesc=Unesite sve referentne podatke. Možete dodati svoje vrijednosti zadanim. +ConstDesc=Ova stranica vam omogućava da uređujete (zaobilazite) parametre koji nisu dostupni na drugim stranicama. Ovo su uglavnom rezervirani parametri samo za programere/napredno rješavanje problema. +MiscellaneousOptions=Razne opcije +MiscellaneousDesc=Ovdje su definirani svi ostali sigurnosni parametri. LimitsSetup=Limits/Precision setup -LimitsDesc=You can define limits, precisions and optimizations used by Dolibarr here -MAIN_MAX_DECIMALS_UNIT=Max. decimals for unit prices -MAIN_MAX_DECIMALS_TOT=Max. decimals for total prices -MAIN_MAX_DECIMALS_SHOWN=Max. decimals for prices shown on screen. Add an ellipsis ... after this parameter (e.g. "2...") if you want to see "..." suffixed to the truncated price. -MAIN_ROUNDING_RULE_TOT=Step of rounding range (for countries where rounding is done on something other than base 10. For example, put 0.05 if rounding is done by 0.05 steps) -UnitPriceOfProduct=Net unit price of a product -TotalPriceAfterRounding=Total price (excl/vat/incl tax) after rounding -ParameterActiveForNextInputOnly=Parameter effective for next input only -NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit has not been enabled in the "Setup - Security - Events" page. -NoEventFoundWithCriteria=No security event has been found for this search criteria. -SeeLocalSendMailSetup=See your local sendmail setup -BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. -BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. -BackupDescX=The archived directory should be stored in a secure place. -BackupDescY=The generated dump file should be stored in a secure place. -BackupPHPWarning=Backup cannot be guaranteed with this method. Previous one recommended. -RestoreDesc=To restore a Dolibarr backup, two steps are required. -RestoreDesc2=Restore the backup file (zip file for example) of the "documents" directory to a new Dolibarr installation or into this current documents directory (%s). -RestoreDesc3=Restore the database structure and data from a backup dump file into the database of the new Dolibarr installation or into the database of this current installation (%s). Warning, once the restore is complete, you must use a login/password, that existed from the backup time/installation to connect again.
      To restore a backup database into this current installation, you can follow this assistant. -RestoreMySQL=MySQL import -ForcedToByAModule=This rule is forced to %s by an activated module -ValueIsForcedBySystem=This value is forced by the system. You can't change it. -PreviousDumpFiles=Existing backup files -PreviousArchiveFiles=Existing archive files -WeekStartOnDay=First day of the week -RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) -YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. -YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP -DownloadMoreSkins=More skins to download -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset -AdvancedNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset -ShowProfIdInAddress=Show professional ID with addresses -ShowVATIntaInAddress=Hide intra-Community VAT number -TranslationUncomplete=Partial translation -MAIN_DISABLE_METEO=Disable weather thumb -MeteoStdMod=Standard mode -MeteoStdModEnabled=Standard mode enabled -MeteoPercentageMod=Percentage mode -MeteoPercentageModEnabled=Percentage mode enabled -MeteoUseMod=Click to use %s -TestLoginToAPI=Test login to API -ProxyDesc=Some features of Dolibarr require internet access. Define here the internet connection parameters such as access through a proxy server if necessary. -ExternalAccess=External/Internet Access -MAIN_PROXY_USE=Use a proxy server (otherwise access is direct to the internet) -MAIN_PROXY_HOST=Proxy server: Name/Address +LimitsDesc=Ovdje možete definirati ograničenja, preciznosti i optimizacije koje koristi Dolibarr +MAIN_MAX_DECIMALS_UNIT=Max. decimale za jedinične cijene +MAIN_MAX_DECIMALS_TOT=Max. decimale za ukupne cijene +MAIN_MAX_DECIMALS_SHOWN=Max. decimale za cijene prikazane na ekranu. Dodajte trotočku ... nakon ovog parametra (npr. "2...") ako želite vidjeti " ..." sa sufiksom skraćene cijene. +MAIN_ROUNDING_RULE_TOT=Korak raspona zaokruživanja (za zemlje u kojima se zaokruživanje vrši na nečem drugom osim baze 10. Na primjer, stavite 0,05 ako se zaokruživanje vrši za 0,05 koraka) +UnitPriceOfProduct=Neto jedinična cijena proizvoda +TotalPriceAfterRounding=Ukupna cijena (bez PDV-a/sa PDV-om) nakon zaokruživanja +ParameterActiveForNextInputOnly=Parametar vrijedi samo za sljedeći unos +NoEventOrNoAuditSetup=Nije zabilježen nijedan sigurnosni događaj. Ovo je normalno ako revizija nije omogućena na stranici "Podešavanje - Sigurnost - Događaji". +NoEventFoundWithCriteria=Nije pronađen nijedan sigurnosni događaj za ovaj kriterij pretraživanja. +SeeLocalSendMailSetup=Pogledajte vaše lokalne postavke sendmaila +BackupDesc=potpuna sigurnosna kopija Dolibarr instalacije zahtijeva dva koraka. +BackupDesc2=Napravite sigurnosnu kopiju sadržaja direktorija "dokumenti" (%s) koji sadrži sve učitane i datoteke. Ovo će također uključiti sve dump datoteke generirane u koraku 1. Ova operacija može trajati nekoliko minuta. +BackupDesc3=Napravite sigurnosnu kopiju strukture i sadržaja vaše baze podataka (%s
      ) u dump datoteku. Za to možete koristiti sljedećeg pomoćnika. +BackupDescX=Arhivirani direktorij treba biti pohranjen na sigurnom mjestu. +BackupDescY=Generirani dump fajl treba da bude pohranjen na bezbednom mestu. +BackupPHPWarning=Sigurnosna kopija se ne može garantirati ovom metodom. Prethodni se preporučuje. +RestoreDesc=Za vraćanje Dolibarr sigurnosne kopije potrebna su dva koraka. +RestoreDesc2=Vratite datoteku sigurnosne kopije (na primjer zip datoteku) direktorija "dokumenti" u novu instalaciju Dolibarra ili u ovaj trenutni direktorij dokumenata (%s ). +RestoreDesc3=Vratite strukturu baze podataka i iz datoteke sigurnosne kopije u bazu podataka nove Dolibarr instalacije ili u bazu podataka ove trenutne instalacije (%s). Upozorenje, kada se vraćanje završi, morate koristiti login/lozinku, koja je postojala od vremena sigurnosne kopije/instalacije da se ponovo povežete.
      Da biste vratili rezervnu bazu podataka u ovu trenutnu instalaciju , možete pratiti ovog asistenta. +RestoreMySQL=MySQL uvoz +ForcedToByAModule=Ovo pravilo je prisiljeno na %s od strane aktiviranog modula +ValueIsForcedBySystem=Ovu vrijednost forsira sistem. Ne možeš to promijeniti. +PreviousDumpFiles=Postojeći backup fajlovi +PreviousArchiveFiles=Postojeći arhivski fajlovi +WeekStartOnDay=Prvi dan u sedmici +RunningUpdateProcessMayBeRequired=Čini se da je potrebno pokretanje procesa nadogradnje (verzija programa %s se razlikuje od verzije baze podataka %s) +YouMustRunCommandFromCommandLineAfterLoginToUser=Ovu naredbu morate pokrenuti iz komandne linije nakon prijave u ljusku s korisnikom %s ili morate dodati opciju -W na kraju komandne linije da pružite %s lozinka. +YourPHPDoesNotHaveSSLSupport=SSL funkcije nisu dostupne u vašem PHP-u +DownloadMoreSkins=Više skinova za preuzimanje +SimpleNumRefModelDesc=Vraća referentni broj u formatu %syymm-nnnn gdje je yy godina, mm je mjesec i nnnn je sekvencijalni automatski povećavajući broj bez resetiranja +SimpleRefNumRefModelDesc=Vraća referentni broj u formatu n gdje je n sekvencijalni broj koji se automatski povećava bez resetiranja +AdvancedNumRefModelDesc=Vraća referentni broj u formatu %syymm-nnnn gdje je yy godina, mm je mjesec i nnnn je sekvencijalni automatski povećavajući broj bez resetiranja +SimpleNumRefNoDateModelDesc=Vraća referentni broj u formatu %s-nnnn gdje je nnnn sekvencijalni broj koji se automatski povećava bez resetiranja +ShowProfIdInAddress=Pokažite profesionalni ID sa adresama +ShowVATIntaInAddress=Sakrij PDV broj unutar zajednice +TranslationUncomplete=Djelomični prijevod +MAIN_DISABLE_METEO=Onemogući palac za vremensku prognozu +MeteoStdMod=Standardni način rada +MeteoStdModEnabled=Standardni način rada je omogućen +MeteoPercentageMod=Procentualni način rada +MeteoPercentageModEnabled=Procentualni mod je omogućen +MeteoUseMod=Kliknite da koristite %s +TestLoginToAPI=Testirajte prijavu na API +ProxyDesc=Neke funkcije Dolibarra zahtijevaju pristup internetu. Ovdje definirajte parametre internetske veze kao što je pristup preko proxy servera ako je potrebno. +ExternalAccess=Eksterni/Internet pristup +MAIN_PROXY_USE=Koristite proxy server (inače pristup je direktan na internet) +MAIN_PROXY_HOST=Proxy server: Ime/Adresa MAIN_PROXY_PORT=Proxy server: Port -MAIN_PROXY_USER=Proxy server: Login/User -MAIN_PROXY_PASS=Proxy server: Password -DefineHereComplementaryAttributes=Define any additional / custom attributes that must be added to: %s +MAIN_PROXY_USER=Proxy server: Prijava/Korisnik +MAIN_PROXY_PASS=Proxy server: Lozinka +DefineHereComplementaryAttributes=Definirajte sve dodatne / prilagođene atribute koji se moraju dodati na: %s ExtraFields=Dopunski atributi ExtraFieldsLines=Dopunski atributi (tekstovi) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) -ExtraFieldsSupplierOrdersLines=Complementary attributes (order lines) -ExtraFieldsSupplierInvoicesLines=Complementary attributes (invoice lines) -ExtraFieldsThirdParties=Complementary attributes (third party) -ExtraFieldsContacts=Complementary attributes (contacts/address) +ExtraFieldsLinesRec=Komplementarni atributi (predlošci linija faktura) +ExtraFieldsSupplierOrdersLines=Komplementarni atributi (redovi narudžbe) +ExtraFieldsSupplierInvoicesLines=Komplementarni atributi (redovi faktura) +ExtraFieldsThirdParties=Komplementarni atributi (treće strane) +ExtraFieldsContacts=Komplementarni atributi (kontakti/adresa) ExtraFieldsMember=Dopunski atributi (član) ExtraFieldsMemberType=Dopunske atributa (tip član) ExtraFieldsCustomerInvoices=Dopunski atributi (fakture) -ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsCustomerInvoicesRec=Komplementarni atributi (šabloni faktura) ExtraFieldsSupplierOrders=Dopunske atributa (naloga) ExtraFieldsSupplierInvoices=Dopunski atributi (fakture) ExtraFieldsProject=Dopunski atributi (projekti) ExtraFieldsProjectTask=Dopunski atributi (zadaci) -ExtraFieldsSalaries=Complementary attributes (salaries) -ExtraFieldHasWrongValue=Attribute %s has a wrong value. -AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space -SendmailOptionNotComplete=Warning, on some Linux systems, to send email from your email, sendmail execution setup must contains option -ba (parameter mail.force_extra_parameters into your php.ini file). If some recipients never receive emails, try to edit this PHP parameter with mail.force_extra_parameters = -ba). -PathToDocuments=Path to documents +ExtraFieldsSalaries=Komplementarni atributi (plate) +ExtraFieldHasWrongValue=Atribut %s ima pogrešnu vrijednost. +AlphaNumOnlyLowerCharsAndNoSpace=samo alfanumerički i mala slova bez razmaka +SendmailOptionNotComplete=Upozorenje, na nekim Linux sistemima, za slanje e-pošte sa vaše e-pošte, podešavanje izvršenja sendmaila mora sadržavati opciju -ba (parametar mail.force_extra_parameters u vašoj php.ini datoteci). Ako neki primaoci nikada ne primaju e-poštu, pokušajte da uredite ovaj PHP parametar sa mail.force_extra_parameters = -ba). +PathToDocuments=Put do dokumenata PathDirectory=Direktorij -SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might not be parsed correctly by some receiving mail servers. The result is that some mails can't be read by people hosted by those bugged platforms. This is the case for some Internet providers (Ex: Orange in France). This is not a problem with Dolibarr or PHP but with the receiving mail server. You can however add an option MAIN_FIX_FOR_BUGGED_MTA to 1 in Setup - Other to modify Dolibarr to avoid this. However, you may experience problems with other servers that strictly use the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" which has no disadvantages. -TranslationSetup=Setup of translation -TranslationKeySearch=Search a translation key or string -TranslationOverwriteKey=Overwrite a translation string -TranslationDesc=How to set the display language:
      * Default/Systemwide: menu Home -> Setup -> Display
      * Per user: Click on the username at the top of the screen and modify the User Display Setup tab on the user card. -TranslationOverwriteDesc=You can also override strings filling the following table. Choose your language from "%s" dropdown, insert the translation key string into "%s" and your new translation into "%s" -TranslationOverwriteDesc2=You can use the other tab to help you know which translation key to use +SendmailOptionMayHurtBuggedMTA=Funkcija za slanje e-pošte korištenjem metode "PHP mail direct" će generirati poruku e-pošte koju neki serveri za primanje pošte možda neće pravilno analizirati. Rezultat je da neke mailove ne mogu čitati ljudi koji su hostovani na tim platformama sa greškama. Ovo je slučaj sa nekim internet provajderima (npr. Orange u Francuskoj). Ovo nije problem sa Dolibarr-om ili PHP-om, već sa serverom za primanje pošte. Međutim, možete dodati opciju MAIN_FIX_FOR_BUGGED_MTA na 1 u Setup - Other da modificirate Dolibarr kako biste to izbjegli. Međutim, možete imati problema sa drugim serverima koji striktno koriste SMTP standard. Drugo rješenje (preporučeno) je korištenje metode "SMTP socket library" koja nema nedostataka. +TranslationSetup=Postavljanje prijevoda +TranslationKeySearch=Pretražite prevodni ključ ili niz +TranslationOverwriteKey=Zamenite prevodni niz +TranslationDesc=Kako podesiti jezik prikaza:
      * Zadano/Sistemski: meni Početna -> Podešavanje -> Prikaz
      * Po korisniku: Kliknite na korisničko ime na vrhu ekrana i modify kartica Podešavanje korisničkog prikaza na korisničkoj kartici. +TranslationOverwriteDesc=Također možete nadjačati nizove koji ispunjavaju sljedeću tabelu. Odaberite svoj jezik iz padajućeg izbornika "%s", umetnite string ključa prijevoda u "%s" i vaš novi prijevod na "%s" +TranslationOverwriteDesc2=Možete koristiti drugu karticu da vam pomogne da znate koji ključ za prijevod koristiti TranslationString=Translation string -CurrentTranslationString=Current translation string -WarningAtLeastKeyOrTranslationRequired=A search criteria is required at least for key or translation string -NewTranslationStringToShow=New translation string to show -OriginalValueWas=The original translation is overwritten. Original value was:

      %s -TransKeyWithoutOriginalValue=You forced a new translation for the translation key '%s' that does not exist in any language files -TitleNumberOfActivatedModules=Activated modules -TotalNumberOfActivatedModules=Activated modules: %s / %s -YouMustEnableOneModule=You must at least enable 1 module -YouMustEnableTranslationOverwriteBefore=You must first enable translation overwriting to be allowed to replace a translation -ClassNotFoundIntoPathWarning=Class %s not found in PHP path -YesInSummer=Yes in summer -OnlyFollowingModulesAreOpenedToExternalUsers=Note, only the following modules are available to external users (irrespective of the permissions of such users) and only if permissions are granted:
      -SuhosinSessionEncrypt=Session storage encrypted by Suhosin -ConditionIsCurrently=Condition is currently %s -YouUseBestDriver=You use driver %s which is the best driver currently available. -YouDoNotUseBestDriver=You use driver %s but driver %s is recommended. -NbOfObjectIsLowerThanNoPb=You have only %s %s in the database. This does not require any particular optimization. -ComboListOptim=Combo list loading optimization +CurrentTranslationString=Trenutni prevodni niz +WarningAtLeastKeyOrTranslationRequired=Potreban je kriterij pretraživanja barem za ključ ili prevodni niz +NewTranslationStringToShow=Novi niz prijevoda za prikaz +OriginalValueWas=Originalni prijevod je prepisan. Originalna vrijednost je bila:

      %s +TransKeyWithoutOriginalValue=Prisilili ste novi prijevod za prijevodni ključ '%s' koji ne postoji ni u jednom jezičkom fajlu +TitleNumberOfActivatedModules=Aktivirani moduli +TotalNumberOfActivatedModules=Aktivirani moduli: %s /
      ). Ako koristite te vrijednosti i OpenLDAP, izmijenite svoju LDAP konfiguracijsku datoteku slapd.confb0344f0344 /span>Imajte na umu da mnogi web hosting provajderi ne pružaju takav keš server. +MemcachedModuleAvailableButNotSetup=Modul memcached za aplikativnu keš memoriju je pronađen, ali postavljanje modula nije završeno. +MemcachedAvailableAndSetup=Modul memcached namijenjen za korištenje memcached servera je omogućen. OPCodeCache=OPCode cache -NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad). -HTTPCacheStaticResources=HTTP cache za statičke resurse (css, img, javascript) +NoOPCodeCacheFound=Nije pronađena keš memorija za OPCod. Možda koristite OPCode keš koji nije XCache ili eAccelerator (dobro), ili možda nemate OPCode keš (veoma loše). +HTTPCacheStaticResources=HTTP keš memorija za statičke resurse (css, img, JavaScript) FilesOfTypeCached=Fajlovi tipa %s su keširani na HTTP serveru FilesOfTypeNotCached=Fajlovi tipa %s nisu keširani na HTTP serveru FilesOfTypeCompressed=Fajlovi tipa %s su kompresovani od strane HTTP servera FilesOfTypeNotCompressed=Fajlovi tipa %s nisu kompresovani od strane HTTP servera CacheByServer=Keširanje na serveru -CacheByServerDesc=For example using the Apache directive "ExpiresByType image/gif A2592000" +CacheByServerDesc=Na primjer korištenjem Apache direktive "ExpiresByType image/gif A2592000" CacheByClient=Keširanje u browser-u CompressionOfResources=Kompresija HTTP odgovora -CompressionOfResourcesDesc=For example using the Apache directive "AddOutputFilterByType DEFLATE" -TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers -DefaultValuesDesc=Here you may define the default value you wish to use when creating a new record, and/or default filters or the sort order when you list records. -DefaultCreateForm=Default values (to use on forms) -DefaultSearchFilters=Default search filters -DefaultSortOrder=Default sort orders -DefaultFocus=Default focus fields -DefaultMandatory=Mandatory form fields +CompressionOfResourcesDesc=Na primjer korištenjem Apache direktive "AddOutputFilterByType DEFLATE" +TestNotPossibleWithCurrentBrowsers=Takva automatska detekcija nije moguća sa trenutnim pretraživačima +DefaultValuesDesc=Ovdje možete definirati zadanu vrijednost koju želite koristiti prilikom kreiranja novog zapisa, i/ili zadane filtere ili redoslijed sortiranja kada navodite zapise. +DefaultCreateForm=Zadane vrijednosti (za korištenje na obrascima) +DefaultSearchFilters=Zadani filteri za pretraživanje +DefaultSortOrder=Zadani redoslijed sortiranja +DefaultFocus=Zadana polja fokusa +DefaultMandatory=Obavezna polja obrasca ##### Products ##### -ProductSetup=Products module setup -ServiceSetup=Services module setup -ProductServiceSetup=Products and Services modules setup -NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) -ViewProductDescInFormAbility=Display product descriptions in lines of items (otherwise show description in a tooltip popup) -OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document -AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product -DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. -DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents -MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) -UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) -SetDefaultBarcodeTypeProducts=Default barcode type to use for products +ProductSetup=Podešavanje modula proizvoda +ServiceSetup=Podešavanje servisnog modula +ProductServiceSetup=Proizvodi i Postavljanje modula usluga +NumberOfProductShowInSelect=Maksimalan broj proizvoda za prikaz u kombinovanim listama za odabir (0=bez ograničenja) +ViewProductDescInFormAbility=Prikaži opise proizvoda u redovima stavki (inače prikaži opis u skočnom prozoru s opisom alata) +OnProductSelectAddProductDesc=Kako koristiti opis proizvoda kada dodajete proizvod kao red dokumenta +AutoFillFormFieldBeforeSubmit=Automatski ispunite polje za unos opisa opisom proizvoda +DoNotAutofillButAutoConcat=Nemojte automatski popunjavati polje za unos opisom proizvoda. Opis proizvoda će se automatski povezati sa unesenim opisom. +DoNotUseDescriptionOfProdut=Opis proizvoda nikada neće biti uključen u opis redova dokumenata +MergePropalProductCard=Aktivirajte na kartici Priložene datoteke proizvoda/usluge opciju za spajanje PDF dokumenta proizvoda u PDF azur prijedloga ako je proizvod/usluga u prijedlogu +ViewProductDescInThirdpartyLanguageAbility=Prikaz opisa proizvoda u obrascima na jeziku treće strane (inače na jeziku korisnika) +UseSearchToSelectProductTooltip=Također, ako imate veliki broj proizvoda (> 100 000), možete povećati brzinu postavljanjem konstante PRODUCT_DONOTSEARCH_ANYWHERE na 1 u Setup->Other. Pretraga će tada biti ograničena na početak niza. +UseSearchToSelectProduct=Pričekajte dok ne pritisnete tipku prije učitavanja sadržaja kombinirane liste proizvoda (ovo može povećati performanse ako imate veliki broj proizvoda, ali je manje zgodno) +SetDefaultBarcodeTypeProducts=Zadani tip barkoda koji se koristi za proizvode SetDefaultBarcodeTypeThirdParties=Defaultni tip barkoda koji se koristi za treće stranke -UseUnits=Define a unit of measure for Quantity during order, proposal or invoice lines edition -ProductCodeChecker= Module for product code generation and checking (product or service) -ProductOtherConf= Product / Service configuration -IsNotADir=is not a directory! +UseUnits=Definirajte jedinicu mjere za količinu tokom izdanja narudžbe, ponude ili faktura +ProductCodeChecker= Modul za generiranje koda proizvoda i provjeru (proizvod ili usluga) +ProductOtherConf= Konfiguracija proizvoda / usluge +IsNotADir=nije imenik! ##### Syslog ##### -SyslogSetup=Logs module setup -SyslogOutput=Logs outputs -SyslogFacility=Facility -SyslogLevel=Level -SyslogFilename=File name and path -YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. -ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant -OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported -CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) -SyslogFileNumberOfSaves=Number of backup logs to keep -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +SyslogSetup=Zapisuje podešavanje modula +SyslogOutput=Zapisuje izlaze +SyslogFacility=Objekt +SyslogLevel=Nivo +SyslogFilename=Naziv datoteke i put +YouCanUseDOL_DATA_ROOT=Možete koristiti DOL_DATA_ROOT/dolibarr.log za datoteku dnevnika u direktoriju Dolibarr "dokumenti". Možete postaviti drugu putanju za pohranjivanje ove datoteke. +ErrorUnknownSyslogConstant=Konstanta %s nije poznata Syslog konstanta +OnlyWindowsLOG_USER=Na Windows-u će biti podržana samo mogućnost LOG_USER +CompressSyslogs=Kompresija i sigurnosne kopije datoteka dnevnika za otklanjanje grešaka (generiranog od strane modula Log za otklanjanje grešaka) +SyslogFileNumberOfSaves=Broj rezervnih dnevnika koje treba čuvati +ConfigureCleaningCronjobToSetFrequencyOfSaves=Konfigurirajte planirani posao čišćenja da postavite frekvenciju sigurnosne kopije dnevnika ##### Donations ##### -DonationsSetup=Donation module setup -DonationsReceiptModel=Template of donation receipt +DonationsSetup=Podešavanje modula za donacije +DonationsReceiptModel=Obrazac potvrde o donaciji ##### Barcode ##### -BarcodeSetup=Barcode setup -PaperFormatModule=Print format module -BarcodeEncodeModule=Barcode encoding type -CodeBarGenerator=Barcode generator -ChooseABarCode=No generator defined -FormatNotSupportedByGenerator=Format not supported by this generator -BarcodeDescEAN8=Barcode of type EAN8 -BarcodeDescEAN13=Barcode of type EAN13 -BarcodeDescUPC=Barcode of type UPC -BarcodeDescISBN=Barcode of type ISBN -BarcodeDescC39=Barcode of type C39 -BarcodeDescC128=Barcode of type C128 -BarcodeDescDATAMATRIX=Barcode of type Datamatrix -BarcodeDescQRCODE=Barcode of type QR code -GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".
      For example: /usr/local/bin/genbarcode -BarcodeInternalEngine=Internal engine +BarcodeSetup=Podešavanje barkoda +PaperFormatModule=Modul formata štampanja +BarcodeEncodeModule=Vrsta kodiranja bar koda +CodeBarGenerator=Generator bar kodova +ChooseABarCode=Generator nije definiran +FormatNotSupportedByGenerator=Ovaj generator ne podržava format +BarcodeDescEAN8=Bar kod tipa EAN8 +BarcodeDescEAN13=Bar kod tipa EAN13 +BarcodeDescUPC=Bar kod tipa UPC +BarcodeDescISBN=Bar kod tipa ISBN +BarcodeDescC39=Bar kod tipa C39 +BarcodeDescC128=Bar kod tipa C128 +BarcodeDescDATAMATRIX=Bar kod tipa Datamatrix +BarcodeDescQRCODE=Bar kod tipa QR kod +GenbarcodeLocation=Alat komandne linije za generiranje bar koda (koristi ga interni motor za neke vrste bar kodova). Mora biti kompatibilan sa "genbarcode".
      Na primjer: /usr/local/bin/genbarcode +BarcodeInternalEngine=Unutrašnji motor BarCodeNumberManager=Menadžer za automatsko određivanje barkod brojeva ##### Prelevements ##### -WithdrawalsSetup=Setup of module Direct Debit payments +WithdrawalsSetup=Postavljanje modula Direktno zaduživanje plaćanja ##### ExternalRSS ##### -ExternalRSSSetup=External RSS imports setup -NewRSS=New RSS Feed +ExternalRSSSetup=Podešavanje eksternog RSS uvoza +NewRSS=Novi RSS Feed RSSUrl=RSS URL -RSSUrlExample=An interesting RSS feed +RSSUrlExample=Zanimljiv RSS feed ##### Mailing ##### -MailingSetup=EMailing module setup -MailingEMailFrom=Sender email (From) for emails sent by emailing module -MailingEMailError=Return Email (Errors-to) for emails with errors -MailingDelay=Seconds to wait after sending next message +MailingSetup=Podešavanje modula za slanje e-pošte +MailingEMailFrom=E-pošta pošiljaoca (Od) za e-poruke koje šalje modul za slanje e-pošte +MailingEMailError=Vrati e-poštu (Greške-do) za e-poštu s greškama +MailingDelay=Sekunde čekanja nakon slanja sljedeće poruke ##### Notification ##### -NotificationSetup=Email Notification module setup -NotificationEMailFrom=Sender email (From) for emails sent by the Notifications module +NotificationSetup=Podešavanje modula obavještenja putem e-pošte +NotificationEMailFrom=E-pošta pošiljaoca (Od) za e-poruke koje šalje modul Obavještenja FixedEmailTarget=Primalac -NotificationDisableConfirmMessageContact=Hide the list of recipients (subscribed as contact) of notifications into the confirmation message -NotificationDisableConfirmMessageUser=Hide the list of recipients (subscribed as user) of notifications into the confirmation message -NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as global email) of notifications into the confirmation message +NotificationDisableConfirmMessageContact=Sakrijte listu primalaca (pretplaćenih kao kontakt) obaveštenja u poruci potvrde +NotificationDisableConfirmMessageUser=Sakrijte listu primalaca (pretplaćenih kao korisnik) obaveštenja u poruci potvrde +NotificationDisableConfirmMessageFix=Sakrijte listu primatelja (pretplaćenih na globalnu e-poštu) obavijesti u poruci potvrde ##### Sendings ##### -SendingsSetup=Shipping module setup -SendingsReceiptModel=Sending receipt model -SendingsNumberingModules=Sendings numbering modules -SendingsAbility=Support shipping sheets for customer deliveries -NoNeedForDeliveryReceipts=In most cases, shipping sheets are used both as sheets for customer deliveries (list of products to send) and sheets that are received and signed by customer. Hence the product deliveries receipt is a duplicated feature and is rarely activated. -FreeLegalTextOnShippings=Free text on shipments +SendingsSetup=Podešavanje modula za otpremu +SendingsReceiptModel=Slanje modela računa +SendingsNumberingModules=Moduli za numerisanje slanja +SendingsAbility=Podrška otpremnim listovima za isporuke kupaca +NoNeedForDeliveryReceipts=U većini slučajeva, otpremni listovi se koriste i kao listovi za isporuke kupaca (lista proizvoda za slanje) i listovi koji se primaju i potpisan od strane kupca. Stoga je potvrda o isporuci proizvoda duplicirana funkcija i koja se rijetko aktivira. +FreeLegalTextOnShippings=Besplatan tekst o pošiljkama ##### Deliveries ##### -DeliveryOrderNumberingModules=Products deliveries receipt numbering module -DeliveryOrderModel=Products deliveries receipt model -DeliveriesOrderAbility=Support products deliveries receipts -FreeLegalTextOnDeliveryReceipts=Free text on delivery receipts +DeliveryOrderNumberingModules=Modul numeracije računa o isporuci proizvoda +DeliveryOrderModel=Model prijema isporuke proizvoda +DeliveriesOrderAbility=Podržite račune o isporuci proizvoda +FreeLegalTextOnDeliveryReceipts=Besplatan tekst na potvrdama o isporuci ##### FCKeditor ##### -AdvancedEditor=Advanced editor -ActivateFCKeditor=Activate advanced editor for: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG creation/edition for mass eMailings (Tools->eMailing) -FCKeditorForUserSignature=WYSIWIG creation/edition of user signature -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +AdvancedEditor=Napredni uređivač +ActivateFCKeditor=Aktivirajte napredni uređivač za: +FCKeditorForNotePublic=WYSIWYG kreiranje/izdanje polja "javne napomene" elemenata +FCKeditorForNotePrivate=WYSIWYG kreiranje/izdanje polja "privatne bilješke" elemenata +FCKeditorForCompany=WYSIWYG kreiranje/izdanje opisa polja elemenata (osim proizvoda/usluga) +FCKeditorForProductDetails=WYSIWYG kreiranje/izdanje opisa proizvoda ili linija za objekte (redovi ponuda, narudžbi, faktura, itd...). +FCKeditorForProductDetails2=Upozorenje: Upotreba ove opcije u ovom slučaju se ozbiljno ne preporučuje jer može stvoriti probleme s formatiranjem stranica specijalnih znakova i prilikom pravljenja PDF datoteka. +FCKeditorForMailing= Kreiranje/izdanje WYSIWYG-a za masovne slanje e-pošte (Alati->E-pošta) +FCKeditorForUserSignature=WYSIWYG kreiranje/izdanje korisničkog potpisa +FCKeditorForMail=Kreiranje/izdanje WYSIWYG za svu poštu (osim Alati->E-pošta) +FCKeditorForTicket=WYSIWYG kreiranje/izdanje za ulaznice ##### Stock ##### -StockSetup=Stock module setup -IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. +StockSetup=Podešavanje Stock modula +IfYouUsePointOfSaleCheckModule=Ako koristite modul za prodajno mjesto (POS) koji je zadano predviđen ili eksterni modul, vaš POS modul može zanemariti ovo podešavanje. Većina POS modula je dizajnirana prema zadanim postavkama da odmah kreiraju fakturu i smanjuju zalihe bez obzira na opcije ovdje. Dakle, ako trebate ili ne da imate smanjenje zaliha prilikom registracije prodaje sa vašeg POS-a, provjerite i postavke vašeg POS modula. ##### Menu ##### -MenuDeleted=Menu deleted -Menu=Menu -Menus=Menus -TreeMenuPersonalized=Personalized menus -NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry -NewMenu=New menu +MenuDeleted=Meni je izbrisan +Menu=Meni +Menus=Meniji +TreeMenuPersonalized=Personalizovani meniji +NotTopTreeMenuPersonalized=Personalizovani meniji nisu povezani sa glavnim unosom u meniju +NewMenu=Novi meni MenuHandler=Menu handler -MenuModule=Source module -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) -DetailId=Id menu -DetailMenuHandler=Menu handler where to show new menu -DetailMenuModule=Module name if menu entry come from a module -DetailType=Type of menu (top or left) -DetailTitre=Menu label or label code for translation -DetailUrl=URL where menu send you (Relative URL link or external link with https://) -DetailEnabled=Condition to show or not entry -DetailRight=Condition to display unauthorized grey menus -DetailLangs=Lang file name for label code translation -DetailUser=Intern / Extern / All +MenuModule=Izvorni modul +HideUnauthorizedMenu=Sakrijte neovlaštene menije i za interne korisnike (u suprotnom je samo sivo) +DetailId=Id meni +DetailMenuHandler=Rukovalac menijem gde da se prikaže novi meni +DetailMenuModule=Ime modula ako unos iz menija dolazi iz modula +DetailType=Vrsta menija (gore ili lijevo) +DetailTitre=Oznaka menija ili oznaka oznake za prijevod +DetailUrl=URL na koji vam meni šalje (relativni URL link ili eksterni link sa https://) +DetailEnabled=Uvjet za prikaz ili ne ulazak +DetailRight=Uslov za prikaz neovlaštenih sivih menija +DetailLangs=Naziv datoteke jezika za prijevod koda oznake +DetailUser=Pripravnik / Eksterni / Sve Target=Za -DetailTarget=Target for links (_blank top opens a new window) -DetailLevel=Level (-1:top menu, 0:header menu, >0 menu and sub menu) -ModifMenu=Menu change -DeleteMenu=Delete menu entry -ConfirmDeleteMenu=Are you sure you want to delete menu entry %s? -FailedToInitializeMenu=Failed to initialize menu +DetailTarget=Cilj za linkove (_blank top otvara novi prozor) +DetailLevel=Nivo (-1: gornji meni, 0: meni zaglavlja, >0 meni i podmeni) +ModifMenu=Promjena menija +DeleteMenu=Izbriši unos iz menija +ConfirmDeleteMenu=Jeste li sigurni da želite izbrisati unos iz menija %s? +FailedToInitializeMenu=Inicijalizacija menija nije uspjela ##### Tax ##### -TaxSetup=Taxes, social or fiscal taxes and dividends module setup -OptionVatMode=VAT due -OptionVATDefault=Standard basis -OptionVATDebitOption=Accrual basis -OptionVatDefaultDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on payments for services -OptionVatDebitOptionDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on invoice (debit) for services -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
      - on payment for goods
      - on payments for services -SummaryOfVatExigibilityUsedByDefault=Time of VAT eligibility by default according to chosen option: +TaxSetup=Porezi, socijalni ili fiskalni porezi i postavka modula za dividende +OptionVatMode=PDV obaveza +OptionVATDefault=Standardna osnova +OptionVATDebitOption=Obračunska osnova +OptionVatDefaultDesc=PDV se plaća:
      - na isporuku robe (na osnovu datuma fakture)
      - na plaćanje usluga +OptionVatDebitOptionDesc=PDV se plaća:
      - na isporuku robe (na osnovu datuma fakture)
      - na fakturi (zaduženju) za usluge +OptionPaymentForProductAndServices=Gotovina za proizvode i usluge +OptionPaymentForProductAndServicesDesc=PDV se plaća:
      - na plaćanje robe
      - na plaćanje usluga +SummaryOfVatExigibilityUsedByDefault=Standardno vrijeme stjecanja PDV-a prema odabranoj opciji: OnDelivery=Na isporuci -OnPayment=On payment -OnInvoice=On invoice -SupposedToBePaymentDate=Payment date used -SupposedToBeInvoiceDate=Invoice date used -Buy=Buy -Sell=Sell -InvoiceDateUsed=Invoice date used -YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organization), so there is no VAT options to setup. -AccountancyCode=Accounting Code -AccountancyCodeSell=Sale account. code -AccountancyCodeBuy=Purchase account. code -CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Keep the checkbox “Automatically create the payment” empty by default when creating a new tax +OnPayment=Na plaćanje +OnInvoice=Na fakturi +SupposedToBePaymentDate=Korišten datum plaćanja +SupposedToBeInvoiceDate=Korišten datum fakture +Buy=Kupi +Sell=Prodaj +InvoiceDateUsed=Korišten datum fakture +YourCompanyDoesNotUseVAT=Vaša kompanija je definirana da ne koristi PDV (Home - Setup - Company/Organization), tako da nema PDV opcija za podešavanje. +AccountancyCode=Računovodstveni kod +AccountancyCodeSell=Prodajni račun. kod +AccountancyCodeBuy=Kupovina računa. kod +CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Ostavite potvrdni okvir „Automatski kreiraj plaćanje“ prazan prema zadanim postavkama kada kreirate novi porez ##### Agenda ##### -AgendaSetup=Events and agenda module setup -PasswordTogetVCalExport=Key to authorize export link -SecurityKey = Security Key -PastDelayVCalExport=Do not export event older than -AGENDA_USE_EVENT_TYPE=Use events types (managed in menu Setup -> Dictionaries -> Type of agenda events) -AGENDA_USE_EVENT_TYPE_DEFAULT=Automatically set this default value for type of event in event create form -AGENDA_DEFAULT_FILTER_TYPE=Automatically set this type of event in search filter of agenda view -AGENDA_DEFAULT_FILTER_STATUS=Automatically set this status for events in search filter of agenda view -AGENDA_EVENT_PAST_COLOR=Past event color -AGENDA_EVENT_CURRENT_COLOR=Current event color -AGENDA_EVENT_FUTURE_COLOR=Future event color -AGENDA_DEFAULT_VIEW=Which view do you want to open by default when selecting menu Agenda -AGENDA_REMINDER_BROWSER=Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). -AGENDA_REMINDER_BROWSER_SOUND=Enable sound notification -AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event). -AGENDA_REMINDER_EMAIL_NOTE=Note: The frequency of the scheduled job %s must be enough to be sure that the remind are sent at the correct moment. -AGENDA_SHOW_LINKED_OBJECT=Show linked object into agenda view -##### Clicktodial ##### -ClickToDialSetup=Click To Dial module setup -ClickToDialUrlDesc=Url called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). -ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. -ClickToDialUseTelLink=Use just a link "tel:" on phone numbers -ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface, installed on the same computer as the browser, and called when you click on a link starting with "tel:" in your browser. If you need a link that start with "sip:" or a full server solution (no need of local software installation), you must set this to "No" and fill the next field. +AgendaSetup = Događaji i postavljanje modula dnevnog reda +AGENDA_DEFAULT_FILTER_TYPE = Automatski postavite ovu vrstu događaja u filteru pretraživanja prikaza dnevnog reda +AGENDA_DEFAULT_FILTER_STATUS = Automatski postavite ovaj status za događaje u filteru pretraživanja prikaza dnevnog reda +AGENDA_DEFAULT_VIEW = Koji prikaz želite da otvorite podrazumevano kada izaberete meni Agenda +AGENDA_EVENT_PAST_COLOR = Boja prošlog događaja +AGENDA_EVENT_CURRENT_COLOR = Boja trenutnog događaja +AGENDA_EVENT_FUTURE_COLOR = Boja budućeg događaja +AGENDA_REMINDER_BROWSER = Omogući podsjetnik na događaj na korisnikovom pregledniku (Kada se dostigne datum podsjetnika, preglednik prikazuje skočni prozor. Svaki korisnik može onemogućiti takva obavještenja iz podešavanja obavještenja preglednika). +AGENDA_REMINDER_BROWSER_SOUND = Omogući zvučno obavještenje +AGENDA_REMINDER_EMAIL = Omogući podsjetnik na događaj e-porukom (opcija podsjetnika/odgoda se može definirati za svaki događaj). +AGENDA_REMINDER_EMAIL_NOTE = Napomena: Učestalost zakazanog posla %s mora biti dovoljna da bude siguran da je podsjetnik poslat u pravom trenutku. +AGENDA_SHOW_LINKED_OBJECT = Prikaži povezani objekt u prikazu dnevnog reda +AGENDA_USE_EVENT_TYPE = Koristi vrste događaja (upravlja se u meniju Podešavanje -> Rječnici -> Vrsta događaja dnevnog reda) +AGENDA_USE_EVENT_TYPE_DEFAULT = Automatski postavite ovu zadanu vrijednost za tip događaja u obrascu za kreiranje događaja +PasswordTogetVCalExport = Ključ za autorizaciju veze za izvoz +PastDelayVCalExport=Nemojte izvoziti događaj stariji od +SecurityKey = Sigurnosni ključ +##### ClickToDial ##### +ClickToDialSetup=Kliknite za podešavanje modula za biranje +ClickToDialUrlDesc=URL se poziva kada se klikne na sliku telefona. U URL-u možete koristiti oznake
      __PHONETO__ koje će biti zamijenjen sa brojem telefona osobe koju treba pozvati
      __PHONEFROM__b09a4b739f17f da bit će zamijenjen brojem telefona osobe koja poziva (vaš)
      __LOGIN__b09a4b78z01 span> koji će biti zamijenjen klikom za prijavu (definirano na korisničkoj kartici)
      __PASS__ koja će biti zamijenjena lozinkom za biranje klikom (definiranom na korisničkoj kartici). +ClickToDialDesc=Ovaj modul mijenja telefonske brojeve, kada koristite desktop računar, u linkove na koje se može kliknuti. Klik će pozvati broj. Ovo se može koristiti za pokretanje telefonskog poziva kada koristite softverski telefon na vašem desktopu ili kada koristite CTI sistem baziran na SIP protokolu, na primjer. Napomena: Kada koristite pametni telefon, telefonski brojevi se uvijek mogu kliknuti. +ClickToDialUseTelLink=Koristite samo link "tel:" na brojevima telefona +ClickToDialUseTelLinkDesc=Koristite ovu metodu ako vaši korisnici imaju softverski telefon ili softverski interfejs, instaliran na istom računaru kao i pretraživač, i pozvan kada kliknete na link koji počinje sa "tel:" u vaš pretraživač. Ako vam je potrebna veza koja počinje sa "sip:" ili potpuno serversko rješenje (nema potrebe za instalacijom lokalnog softvera), ovo morate postaviti na "Ne" i ispunite sljedeći polje. ##### Point Of Sale (CashDesk) ##### -CashDesk=Point of Sale -CashDeskSetup=Point of Sales module setup -CashDeskThirdPartyForSell=Default generic third party to use for sales -CashDeskBankAccountForSell=Default account to use to receive cash payments -CashDeskBankAccountForCheque=Default account to use to receive payments by check -CashDeskBankAccountForCB=Default account to use to receive payments by credit cards -CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). -CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease -StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled -StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. -CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sale from Point of Sale. Hence a warehouse is required. -CashDeskForceDecreaseStockLabel=Stock decrease for batch products was forced. -CashDeskForceDecreaseStockDesc=Decrease first by the oldest eatby and sellby dates. -CashDeskReaderKeyCodeForEnter=Key ASCII code for "Enter" defined in barcode reader (Example: 13) +CashDesk=Mjestu prodaje +CashDeskSetup=Podešavanje modula prodajnog mjesta +CashDeskThirdPartyForSell=Zadana generička treća strana za korištenje za prodaju +CashDeskBankAccountForSell=Zadani račun koji se koristi za primanje gotovinskih uplata +CashDeskBankAccountForCheque=Zadani račun koji se koristi za primanje uplata čekom +CashDeskBankAccountForCB=Zadani račun za korištenje za primanje plaćanja kreditnim karticama +CashDeskBankAccountForSumup=Zadani bankovni račun koji se koristi za primanje uplata putem SumUp-a +CashDeskDoNotDecreaseStock=Onemogućite smanjenje zaliha kada se prodaja obavi sa prodajnog mjesta +CashDeskDoNotDecreaseStockHelp=Ako je "ne", smanjenje zaliha se vrši za svaku prodaju obavljenu sa POS-a, bez obzira na opciju postavljenu u modulu Zaliha. +CashDeskIdWareHouse=Prisilno i ograniči skladište za korištenje za smanjenje zaliha +StockDecreaseForPointOfSaleDisabled=Smanjenje zaliha sa prodajnog mjesta onemogućeno +StockDecreaseForPointOfSaleDisabledbyBatch=Smanjenje zaliha u POS-u nije kompatibilno sa modulom Serial/Lot management (trenutno aktivan) tako da je smanjenje zaliha onemogućeno. +CashDeskYouDidNotDisableStockDecease=Niste onemogućili smanjenje zaliha prilikom prodaje na prodajnom mjestu. Stoga je potrebno skladište. +CashDeskForceDecreaseStockLabel=Smanjenje zaliha za serijske proizvode je prinudno. +CashDeskForceDecreaseStockDesc=Prvo smanjite za najstarije datume prodaje i. +CashDeskReaderKeyCodeForEnter=Ključni ASCII kod za "Enter" definiran u čitaču barkodova (Primjer: 13) ##### Bookmark ##### -BookmarkSetup=Bookmark module setup -BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or external web sites on your left menu. -NbOfBoomarkToShow=Maximum number of bookmarks to show in left menu +BookmarkSetup=Podešavanje Bookmark modula +BookmarkDesc=Ovaj modul vam omogućava da upravljate obeleživačima. Također možete dodati prečice do bilo koje Dolibarr stranice ili vanjske web stranice na lijevom izborniku. +NbOfBoomarkToShow=Maksimalan broj obeleživača za prikaz u levom meniju ##### WebServices ##### -WebServicesSetup=Webservices module setup -WebServicesDesc=By enabling this module, Dolibarr become a web service server to provide miscellaneous web services. -WSDLCanBeDownloadedHere=WSDL descriptor files of provided services can be download here -EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at URL +WebServicesSetup=Podešavanje modula web servisa +WebServicesDesc=Omogućavanjem ovog modula Dolibarr postaje server web servisa za pružanje raznih web usluga. +WSDLCanBeDownloadedHere=WSDL datoteke deskriptora pruženih usluga možete preuzeti ovdje +EndPointIs=SOAP klijenti moraju poslati svoje zahtjeve na Dolibarr krajnju tačku dostupnu na URL ##### API #### -ApiSetup=API module setup -ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services. -ApiProductionMode=Enable production mode (this will activate use of a cache for services management) -ApiExporerIs=You can explore and test the APIs at URL -OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed -ApiKey=Key for API -WarningAPIExplorerDisabled=The API explorer has been disabled. API explorer is not required to provide API services. It is a tool for developer to find/test REST APIs. If you need this tool, go into setup of module API REST to activate it. +ApiSetup=Podešavanje API modula +ApiDesc=Omogućavanjem ovog modula, Dolibarr postaje REST server za pružanje raznih web usluga. +ApiProductionMode=Omogućite proizvodni način rada (ovo će aktivirati korištenje keš memorije za upravljanje uslugama) +ApiExporerIs=Možete istražiti i testirati API-je na URL-u +OnlyActiveElementsAreExposed=Izloženi su samo elementi iz omogućenih modula +ApiKey=Ključ za API +WarningAPIExplorerDisabled=API istraživač je onemogućen. API istraživač nije potreban za pružanje API usluga. To je alat za programere da pronađe/testira REST API-je. Ako vam je potreban ovaj alat, idite na podešavanje modula API REST da ga aktivirate. ##### Bank ##### -BankSetupModule=Bank module setup -FreeLegalTextOnChequeReceipts=Free text on check receipts -BankOrderShow=Display order of bank accounts for countries using "detailed bank number" +BankSetupModule=Podešavanje modula banke +FreeLegalTextOnChequeReceipts=Besplatan tekst na čekovima +BankOrderShow=Prikaži redoslijed bankovnih računa za zemlje koristeći "detaljan broj banke" BankOrderGlobal=Opće -BankOrderGlobalDesc=General display order +BankOrderGlobalDesc=Opšti redosled prikaza BankOrderES=Španski -BankOrderESDesc=Spanish display order -ChequeReceiptsNumberingModule=Check Receipts Numbering Module +BankOrderESDesc=Španski redosled prikaza +ChequeReceiptsNumberingModule=Provjerite modul numeracije računa ##### Multicompany ##### -MultiCompanySetup=Multi-company module setup +MultiCompanySetup=Postavljanje modula za više kompanija ##### Suppliers ##### -SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of Purchase Order -SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template) -SuppliersInvoiceModel=Complete template of Vendor Invoice -SuppliersInvoiceNumberingModel=Vendor invoices numbering models -IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval +SuppliersSetup=Podešavanje modula dobavljača +SuppliersCommandModel=Kompletan obrazac narudžbenice +SuppliersCommandModelMuscadet=Kompletan predložak narudžbenice (stara implementacija predloška cornas) +SuppliersInvoiceModel=Kompletan predložak fakture dobavljača +SuppliersInvoiceNumberingModel=Modeli numeracije faktura dobavljača +IfSetToYesDontForgetPermission=Ako je postavljena na vrijednost koja nije null, ne zaboravite dati dopuštenja grupama ili korisnicima kojima je dozvoljeno drugo odobrenje ##### GeoIPMaxmind ##### -GeoIPMaxmindSetup=GeoIP Maxmind module setup -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation -NoteOnPathLocation=Note that your ip to country data file must be inside a directory your PHP can read (Check your PHP open_basedir setup and filesystem permissions). -YouCanDownloadFreeDatFileTo=You can download a free demo version of the Maxmind GeoIP country file at %s. -YouCanDownloadAdvancedDatFileTo=You can also download a more complete version, with updates, of the Maxmind GeoIP country file at %s. -TestGeoIPResult=Test of a conversion IP -> country +GeoIPMaxmindSetup=Podešavanje GeoIP Maxmind modula +PathToGeoIPMaxmindCountryDataFile=Put do datoteke koja sadrži Maxmind ip u prijevod zemlje +NoteOnPathLocation=Imajte na umu da vaša datoteka sa podacima o IP-u i državi mora biti unutar direktorija koji vaš PHP može čitati (Provjerite dopuštenja vašeg PHP open_basedir podešavanja i). +YouCanDownloadFreeDatFileTo=Možete preuzeti besplatnu demo verziju datoteke zemlje Maxmind GeoIP na b0ecb2ecz87fb0ecb2ecz87f /span>. +YouCanDownloadAdvancedDatFileTo=Također možete preuzeti više kompletnu verziju, sa ažuriranjima, Maxmind GeoIP zemlje na %s. +TestGeoIPResult=Test IP konverzije -> zemlja ##### Projects ##### -ProjectsNumberingModules=Projects numbering module -ProjectsSetup=Project module setup -ProjectsModelModule=Project reports document model +ProjectsNumberingModules=Modul numeracije projekata +ProjectsSetup=Podešavanje modula projekta +ProjectsModelModule=Model dokumenta projektnih izvještaja TasksNumberingModules=Modul za numerisanje zadataka TaskModelModule=Model dokumenta za izvještaj o zadacima -UseSearchToSelectProject=Wait until a key is pressed before loading content of Project combo list.
      This may improve performance if you have a large number of projects, but it is less convenient. +UseSearchToSelectProject=Sačekajte da se pritisne tipka prije nego što učitate sadržaj kombinirane liste projekta.
      Ovo može poboljšati performanse ako imate veliki broj projekata, ali je manje zgodno. ##### ECM (GED) ##### ##### Fiscal Year ##### -AccountingPeriods=Accounting periods +AccountingPeriods=Obračunski periodi AccountingPeriodCard=Accounting period -NewFiscalYear=New accounting period -OpenFiscalYear=Open accounting period -CloseFiscalYear=Close accounting period -DeleteFiscalYear=Delete accounting period -ConfirmDeleteFiscalYear=Are you sure to delete this accounting period? -ShowFiscalYear=Show accounting period -AlwaysEditable=Can always be edited -MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application) -NbMajMin=Minimum number of uppercase characters -NbNumMin=Minimum number of numeric characters -NbSpeMin=Minimum number of special characters -NbIteConsecutive=Maximum number of repeating same characters -NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation -SalariesSetup=Setup of module salaries -SortOrder=Sort order +NewFiscalYear=Novi obračunski period +OpenFiscalYear=Otvoreni obračunski period +CloseFiscalYear=Zatvori obračunski period +DeleteFiscalYear=Brisanje obračunskog perioda +ConfirmDeleteFiscalYear=Jeste li sigurni da želite izbrisati ovaj obračunski period? +ShowFiscalYear=Prikaži obračunski period +AlwaysEditable=Uvijek se može uređivati +MAIN_APPLICATION_TITLE=Forsirajte vidljivo ime aplikacije (upozorenje: postavljanje vlastitog imena ovdje može prekinuti funkciju automatskog popunjavanja prijave kada koristite DoliDroid mobilnu aplikaciju) +NbMajMin=Minimalni broj velikih znakova +NbNumMin=Minimalni broj numeričkih znakova +NbSpeMin=Minimalni broj specijalnih znakova +NbIteConsecutive=Maksimalan broj ponavljanja istih znakova +NoAmbiCaracAutoGeneration=Nemojte koristiti dvosmislene znakove ("1","l","i","|","0","O") za automatsko generiranje +SalariesSetup=Postavljanje modula plata +SortOrder=Redoslijed sortiranja Format=Format -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and suppliers payment type -IncludePath=Include path (defined into variable %s) -ExpenseReportsSetup=Setup of module Expense Reports -TemplatePDFExpenseReports=Document templates to generate expense report document -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules -ExpenseReportNumberingModules=Expense reports numbering module -NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only. -YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification". -TemplatesForNotifications=Templates for notifications -ListOfNotificationsPerUser=List of automatic notifications per user* -ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** -ListOfFixedNotifications=List of automatic fixed notifications -GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses -Threshold=Threshold -BackupDumpWizard=Wizard to build the database dump file -BackupZipWizard=Wizard to build the archive of documents directory -SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: -SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. -InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. -ConfFileMustContainCustom=Installing or building an external module from application need to save the module files into directory %s. To have this directory processed by Dolibarr, you must setup your conf/conf.php to add the 2 directive lines:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; -HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over -HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) -HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) -UseBorderOnTable=Show left-right borders on tables -BtnActionColor=Color of the action button -TextBtnActionColor=Text color of the action button -TextTitleColor=Text color of Page title -LinkColor=Color of links -PressF5AfterChangingThis=Press CTRL+F5 on keyboard or clear your browser cache after changing this value to have it effective -NotSupportedByAllThemes=Will works with core themes, may not be supported by external themes -BackgroundColor=Background color -TopMenuBackgroundColor=Background color for Top menu -TopMenuDisableImages=Icon or Text in Top menu -LeftMenuBackgroundColor=Background color for Left menu -BackgroundTableTitleColor=Background color for Table title line -BackgroundTableTitleTextColor=Text color for Table title line -BackgroundTableTitleTextlinkColor=Text color for Table title link line -BackgroundTableLineOddColor=Background color for odd table lines -BackgroundTableLineEvenColor=Background color for even table lines -MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay) -NbAddedAutomatically=Number of days added to counters of users (automatically) each month -EnterAnyCode=This field contains a reference to identify the line. Enter any value of your choice, but without special characters. -Enter0or1=Enter 0 or 1 -UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] -ColorFormat=The RGB color is in HEX format, eg: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) -PositionIntoComboList=Position of line into combo lists -SellTaxRate=Sales tax rate -RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. -UrlTrackingDesc=If the provider or transport service offers a page or web site to check the status of your shipments, you may enter it here. You can use the key {TRACKID} in the URL parameters so the system will replace it with the tracking number the user entered into the shipment card. -OpportunityPercent=When you create a lead, you will define an estimated amount of project/lead. According to status of the lead, this amount may be multiplied by this rate to evaluate a total amount all your leads may generate. Value is a percentage (between 0 and 100). -TemplateForElement=This mail template is related to what type of object? An email template is available only when using the "Send Email" button from the related object. -TypeOfTemplate=Type of template -TemplateIsVisibleByOwnerOnly=Template is visible to owner only -VisibleEverywhere=Visible everywhere -VisibleNowhere=Visible nowhere +TypePaymentDesc=0: Vrsta plaćanja za kupca, 1: Vrsta plaćanja od dobavljača, 2: Vrsta plaćanja za oba kupca i dobavljača +IncludePath=Uključi stazu (definiranu u varijablu %s) +ExpenseReportsSetup=Postavljanje modula Izvještaji o troškovima +TemplatePDFExpenseReports=Predlošci dokumenata za generiranje dokumenta izvještaja o troškovima +ExpenseReportsRulesSetup=Postavljanje modula Izvještaji o troškovima - Pravila +ExpenseReportNumberingModules=Modul numeracije izvještaja o troškovima +NoModueToManageStockIncrease=Nije aktiviran nijedan modul koji može upravljati automatskim povećanjem zaliha. Povećanje zaliha će se vršiti samo na ručnom unosu. +YouMayFindNotificationsFeaturesIntoModuleNotification=Možete pronaći opcije za obavještenja putem e-pošte tako što ćete omogućiti i konfiguriranje modula "Obavijesti". +TemplatesForNotifications=Predlošci za obavještenja +ListOfNotificationsPerUser=Lista automatskih obavještenja po korisniku* +ListOfNotificationsPerUserOrContact=Lista mogućih automatskih obavještenja (o poslovnom događaju) dostupna po korisniku* ili po kontaktu** +ListOfFixedNotifications=Lista automatskih fiksnih obavještenja +GoOntoUserCardToAddMore=Idite na karticu "Obavijesti" korisnika da dodate ili uklonite obavještenja za korisnike +GoOntoContactCardToAddMore=Idite na karticu "Obavijesti" treće strane da dodate ili uklonite obavještenja za kontakte/adrese +Threshold=Prag +BackupDumpWizard=Čarobnjak za izradu datoteke dump-a baze podataka +BackupZipWizard=Čarobnjak za izgradnju direktorija arhive dokumenata +SomethingMakeInstallFromWebNotPossible=Instalacija eksternog modula nije moguća sa web sučelja iz sljedećeg razloga: +SomethingMakeInstallFromWebNotPossible2=Iz tog razloga, proces za nadogradnju opisan ovdje je ručni proces koji samo privilegirani korisnik može izvršiti. +InstallModuleFromWebHasBeenDisabledContactUs=Instalacija ili razvoj vanjskih modula ili dinamičkih web stranica iz aplikacije je trenutno zaključan iz sigurnosnih razloga. Molimo kontaktirajte nas ako trebate omogućiti ovu funkciju. +InstallModuleFromWebHasBeenDisabledByFile=Vaš administrator je onemogućio instalaciju eksternog modula iz aplikacije. Morate ga zamoliti da ukloni datoteku %s kako bi ovo dozvolio karakteristika. +ConfFileMustContainCustom=Instaliranje ili izgradnja eksternog modula iz aplikacije mora spremiti datoteke modula u direktorij %s . Da bi Dolibarr obradio ovaj direktorij, morate postaviti svoj conf/conf.php da dodate 2 linije direktive:
      $dolibarr_main_url_root_alt='/custom';b0a65fc07>b0a65fc07 ='notranslate'>
      $dolibarr_main_document_root_alt='b0ecb2ec87f49f49fz0'; '> +HighlightLinesOnMouseHover=Označite linije tabele kada pređete mišem +HighlightLinesColor=Označite boju linije kada miš prijeđe (koristite 'ffffff' za bez isticanja) +HighlightLinesChecked=Istaknite boju linije kada je označena (koristite 'ffffff' da nema isticanja) +UseBorderOnTable=Prikaži lijevo-desne granice na tablicama +TableLineHeight=Visina linije stola +BtnActionColor=Boja akcijskog dugmeta +TextBtnActionColor=Boja teksta akcijskog dugmeta +TextTitleColor=Boja teksta naslova stranice +LinkColor=Boja linkova +PressF5AfterChangingThis=Pritisnite CTRL+F5 na tastaturi ili obrišite keš pretraživača nakon što promijenite ovu vrijednost da bi bila učinkovita +NotSupportedByAllThemes=Will radi s osnovnim temama, možda neće biti podržan od strane vanjskih tema +BackgroundColor=Boja pozadine +TopMenuBackgroundColor=Boja pozadine za gornji meni +TopMenuDisableImages=Ikona ili tekst u gornjem meniju +LeftMenuBackgroundColor=Boja pozadine za levi meni +BackgroundTableTitleColor=Boja pozadine za naslovnu liniju tabele +BackgroundTableTitleTextColor=Boja teksta za naslovnu liniju tabele +BackgroundTableTitleTextlinkColor=Boja teksta za liniju veze naslova tabele +BackgroundTableLineOddColor=Boja pozadine za neparne linije tabele +BackgroundTableLineEvenColor=Boja pozadine za ujednačene linije stola +MinimumNoticePeriod=Minimalni otkazni rok (Vaš zahtjev za odsustvo mora biti urađen prije ovog kašnjenja) +NbAddedAutomatically=Broj dana koji se dodaje brojačima korisnika (automatski) svakog mjeseca +EnterAnyCode=Ovo polje sadrži referencu za identifikaciju linije. Unesite bilo koju vrijednost po svom izboru, ali bez posebnih znakova. +Enter0or1=Unesite 0 ili 1 +UnicodeCurrency=Unesite ovdje između zagrada, listu brojeva bajtova koji predstavljaju simbol valute. Na primjer: za $, unesite [36] - za brazilski real R$ [82,36] - za €, unesite [8364] +ColorFormat=RGB boja je u HEX formatu, npr.: FF0000 +PictoHelp=Ime ikone u formatu:
      - image.png za datoteku slike u trenutni direktorij teme
      - image.png@module ako je datoteka u direktoriju /img/ modula
      - fa-xxx za FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size za FontAwesome fa-xxx sliku (sa prefiksom, postavljena veličina i) +PositionIntoComboList=Položaj linije u kombinovanim listama +SellTaxRate=Stopa poreza na promet +RecuperableOnly=Da za PDV "Ne percipira se, ali se može povratiti" namijenjen nekoj državi u Francuskoj. Zadržite vrijednost na "Ne" u svim ostalim slučajevima. +UrlTrackingDesc=Ako dobavljač ili transportna usluga nudi stranicu ili web stranicu za provjeru statusa vaših pošiljki, možete to unijeti ovdje. Možete koristiti ključ {TRACKID} u parametrima URL-a tako da će ga sistem zamijeniti brojem za praćenje koji je korisnik unio u karticu za otpremu. +OpportunityPercent=Kada kreirate potencijalnog klijenta, definirat ćete procijenjenu količinu projekta/potencijala. Prema statusu potencijalnog klijenta, ovaj iznos se može pomnožiti sa ovom stopom kako bi se procijenio ukupan iznos koji svi vaši potencijalni klijenti mogu generirati. Vrijednost je postotak (između 0 i 100). +TemplateForElement=Ovaj predložak pošte se odnosi na koju vrstu objekta? Šablon e-pošte je dostupan samo kada se koristi dugme "Pošalji e-poštu" iz povezanog objekta. +TypeOfTemplate=Vrsta šablona +TemplateIsVisibleByOwnerOnly=Šablon je vidljiv samo vlasniku +VisibleEverywhere=Vidljivo svuda +VisibleNowhere=Nigdje vidljivo FixTZ=TimeZone fix -FillFixTZOnlyIfRequired=Example: +2 (fill only if problem experienced) -ExpectedChecksum=Expected Checksum -CurrentChecksum=Current Checksum -ExpectedSize=Expected size -CurrentSize=Current size -ForcedConstants=Required constant values +FillFixTZOnlyIfRequired=Primjer: +2 (popunite samo ako se pojavi problem) +ExpectedChecksum=Očekivana kontrolna suma +CurrentChecksum=Trenutna kontrolna suma +ExpectedSize=Očekivana veličina +CurrentSize=Trenutna veličina +ForcedConstants=Obavezne konstantne vrijednosti MailToSendProposal=Ponude kupcima -MailToSendOrder=Sales orders +MailToSendOrder=Prodajni nalozi MailToSendInvoice=Fakture kupaca MailToSendShipment=Pošiljke MailToSendIntervention=Intervencije -MailToSendSupplierRequestForQuotation=Quotation request +MailToSendSupplierRequestForQuotation=Zahtjev za ponudu MailToSendSupplierOrder=Narudžbe za nabavku MailToSendSupplierInvoice=Fakture prodavača MailToSendContract=Ugovori -MailToSendReception=Receptions +MailToSendReception=Prijemi MailToExpenseReport=Izvještaj o troškovima MailToThirdparty=Subjekti MailToMember=Članovi MailToUser=Korisnici MailToProject=Projekti -MailToTicket=Tickets -ByDefaultInList=Show by default on list view -YouUseLastStableVersion=You use the latest stable version -TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) -TitleExampleForMaintenanceRelease=Example of message you can use to announce this maintenance release (feel free to use it on your web sites) -ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s is available. Version %s is a major release with a lot of new features for both users and developers. You can download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read
      ChangeLog for complete list of changes. -ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is available. Version %s is a maintenance version, so contains only bug fixes. We recommend all users to upgrade to this version. A maintenance release does not introduce new features or changes to the database. You may download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read the ChangeLog for complete list of changes. -MultiPriceRuleDesc=When option "Several levels of prices per product/service" is enabled, you can define different prices (one per price level) for each product. To save you time, here you may enter a rule to autocalculate a price for each level based on the price of the first level, so you will have to only enter a price for the first level for each product. This page is designed to save you time but is useful only if your prices for each level are relative to first level. You can ignore this page in most cases. -ModelModulesProduct=Templates for product documents -WarehouseModelModules=Templates for documents of warehouses -ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate codes automatically, you must first define a manager to auto-define the barcode number. -SeeSubstitutionVars=See * note for list of possible substitution variables -SeeChangeLog=See ChangeLog file (english only) -AllPublishers=All publishers -UnknownPublishers=Unknown publishers -AddRemoveTabs=Add or remove tabs -AddDataTables=Add object tables -AddDictionaries=Add dictionaries tables -AddData=Add objects or dictionaries data -AddBoxes=Add widgets -AddSheduledJobs=Add scheduled jobs -AddHooks=Add hooks -AddTriggers=Add triggers -AddMenus=Add menus -AddPermissions=Add permissions -AddExportProfiles=Add export profiles -AddImportProfiles=Add import profiles -AddOtherPagesOrServices=Add other pages or services -AddModels=Add document or numbering templates -AddSubstitutions=Add keys substitutions -DetectionNotPossible=Detection not possible -UrlToGetKeyToUseAPIs=Url to get token to use API (once token has been received it is saved in database user table and must be provided on each API call) -ListOfAvailableAPIs=List of available APIs -activateModuleDependNotSatisfied=Module "%s" depends on module "%s", that is missing, so module "%1$s" may not work correctly. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise -CommandIsNotInsideAllowedCommands=The command you are trying to run is not in the list of allowed commands defined in parameter $dolibarr_main_restrict_os_commands in the conf.php file. +MailToTicket=Ulaznice +ByDefaultInList=Prikaži podrazumevano na prikazu liste +YouUseLastStableVersion=Koristite najnoviju stabilnu verziju +TitleExampleForMajorRelease=Primjer poruke koju možete koristiti za najavu ovog velikog izdanja (slobodno ga koristite na svojim web stranicama) +TitleExampleForMaintenanceRelease=Primjer poruke koju možete koristiti za najavu ovog izdanja za održavanje (slobodno ga koristite na svojim web stranicama) +ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s je dostupan. Verzija %s je veliko izdanje sa puno novih funkcija za oba korisnička programera i. Možete ga preuzeti sa područja za preuzimanje portala https://www.dolibarr.org (poddirektorij Stabilne verzije). Možete pročitati ChangeLog za kompletnu listu promjena. +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s je dostupan. Verzija %s je verzija za održavanje, tako da sadrži samo ispravke grešaka. Svim korisnicima preporučujemo nadogradnju na ovu verziju. Izdanje za održavanje ne uvodi nove značajke ili promjene u bazu podataka. Možete ga preuzeti sa područja za preuzimanje portala https://www.dolibarr.org (poddirektorij Stabilne verzije). Možete pročitati ChangeLog za kompletnu listu promjena. +MultiPriceRuleDesc=Kada je omogućena opcija "Nekoliko nivoa cijena po proizvodu/uslugi", možete definirati različite cijene (jednu po nivou cijene) za svaki proizvod. Da biste uštedjeli vrijeme, ovdje možete unijeti pravilo za automatsko izračunavanje cijene za svaki nivo na osnovu cijene prvog nivoa, tako da ćete morati unijeti samo cijenu za prvi nivo za svaki proizvod. Ova stranica je dizajnirana da vam uštedi vrijeme, ali je korisna samo ako su vaše cijene za svaki nivo u odnosu na prvi nivo. U većini slučajeva možete zanemariti ovu stranicu. +ModelModulesProduct=Šabloni za dokumente proizvoda +WarehouseModelModules=Šabloni za dokumente skladišta +ToGenerateCodeDefineAutomaticRuleFirst=Da biste mogli automatski generirati kodove, prvo morate definirati menadžera koji će automatski definirati broj bar koda. +SeeSubstitutionVars=Pogledajte * bilješku za listu mogućih zamjenskih varijabli +SeeChangeLog=Pogledajte ChangeLog fajl (samo na engleskom) +AllPublishers=Svi izdavači +UnknownPublishers=Nepoznati izdavači +AddRemoveTabs=Dodajte ili uklonite kartice +AddDataTables=Dodajte tabele objekata +AddDictionaries=Dodajte tablice rječnika +AddData=Dodajte objekte ili podatke iz rječnika +AddBoxes=Dodajte widgete +AddSheduledJobs=Dodajte zakazane poslove +AddHooks=Dodajte kuke +AddTriggers=Dodajte okidače +AddMenus=Dodajte menije +AddPermissions=Dodajte dozvole +AddExportProfiles=Dodajte izvozne profile +AddImportProfiles=Dodajte profile za uvoz +AddOtherPagesOrServices=Dodajte druge stranice ili usluge +AddModels=Dodajte predloške dokumenta ili numeracije +AddSubstitutions=Dodajte zamjene ključeva +DetectionNotPossible=Detekcija nije moguća +UrlToGetKeyToUseAPIs=Url za dobivanje tokena za korištenje API-ja (kada je token primljen, pohranjuje se u korisničku tablicu baze podataka i mora biti naveden pri svakom API pozivu) +ListOfAvailableAPIs=Lista dostupnih API-ja +activateModuleDependNotSatisfied=Modul "%s" zavisi od modula "%s", koji nedostaje, pa modul " %1$s" možda neće raditi ispravno. Molimo instalirajte modul "%2$s" ili onemogućite modul "%1$s" ako želite biti sigurni od bilo kakvog iznenađenja +CommandIsNotInsideAllowedCommands=Naredba koju pokušavate pokrenuti nije na listi dozvoljenih komandi definiranih u parametru $dolibarr_main_restrict_os_commands u class='notranslate'>
      conf.php fajl. LandingPage=Landing page -SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", the price will also be the same for all companies if products are shared between environments -ModuleEnabledAdminMustCheckRights=Module has been activated. Permissions for activated module(s) were given to admin users only. You may need to grant permissions to other users or groups manually if necessary. -UserHasNoPermissions=This user has no permissions defined -TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "%s")
      Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "%s" in days)
      Use "Current/Next" to have payment term date being the first Nth of the month after delta (delta is field "%s", N is stored into field "%s") -BaseCurrency=Reference currency of the company (go into setup of company to change this) -WarningNoteModuleInvoiceForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016). -WarningNoteModulePOSForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016) because module Non Reversible Logs is automatically activated. -WarningInstallationMayBecomeNotCompliantWithLaw=You are trying to install module %s that is an external module. Activating an external module means you trust the publisher of that module and that you are sure that this module does not adversely impact the behavior of your application, and is compliant with laws of your country (%s). If the module introduces an illegal feature, you become responsible for the use of illegal software. -MAIN_PDF_MARGIN_LEFT=Left margin on PDF -MAIN_PDF_MARGIN_RIGHT=Right margin on PDF -MAIN_PDF_MARGIN_TOP=Top margin on PDF -MAIN_PDF_MARGIN_BOTTOM=Bottom margin on PDF -MAIN_DOCUMENTS_LOGO_HEIGHT=Height for logo on PDF -DOC_SHOW_FIRST_SALES_REP=Show first sales representative -MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Add column for picture on proposal lines -MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Width of the column if a picture is added on lines -MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame -MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code -MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block -PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions -PROPOSAL_PDF_HIDE_PAYMENTMODE=Hide payment mode -MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Add electronic sign in PDF -NothingToSetup=There is no specific setup required for this module. -SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes.
      For example:
      CODEGRP1+CODEGRP2 -SeveralLangugeVariatFound=Several language variants found -RemoveSpecialChars=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code -COMPANY_DIGITARIA_CLEAN_REGEX=Regex filter to clean value (COMPANY_DIGITARIA_CLEAN_REGEX) -COMPANY_DIGITARIA_UNIQUE_CODE=Duplicate not allowed -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word -GDPRContact=Data Protection Officer (DPO, Data Privacy or GDPR contact) -GDPRContactDesc=If you store personal data in your Information System, you can name the contact who is responsible for the General Data Protection Regulation here -HelpOnTooltip=Help text to show on tooltip -HelpOnTooltipDesc=Put text or a translation key here for the text to show in a tooltip when this field appears in a form -YouCanDeleteFileOnServerWith=You can delete this file on the server with Command Line:
      %s -ChartLoaded=Chart of account loaded -SocialNetworkSetup=Setup of module Social Networks -EnableFeatureFor=Enable features for %s -VATIsUsedIsOff=Note: The option to use Sales Tax or VAT has been set to Off in the menu %s - %s, so Sales tax or Vat used will always be 0 for sales. -SwapSenderAndRecipientOnPDF=Swap sender and recipient address position on PDF documents -FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields and combo lists only. Also an URL parameter action=create or action=edit must be set OR page name must end with 'new.php' to trigger this feature. +SamePriceAlsoForSharedCompanies=Ako koristite modul za više kompanija, uz izbor "Jedinstvena cijena", cijena će također biti ista za sve kompanije ako se proizvodi dijele između okruženja +ModuleEnabledAdminMustCheckRights=Modul je aktiviran. Dozvole za aktivirani modul(e) su date samo administratorskim korisnicima. Možda ćete morati ručno dodijeliti dozvole drugim korisnicima ili grupama ako je potrebno. +UserHasNoPermissions=Ovaj korisnik nema definirane dozvole +TypeCdr=Koristite "Ništa" ako je datum plaćanja datum fakture plus delta u danima (delta je polje "%s")
      span>Koristite "Na kraju mjeseca", ako se, nakon delte, datum mora povećati da bi dostigao kraj mjeseca (+ opcionalno "%s" u danima)
      Koristite "Trenutni/Sljedeći" da rok plaćanja bude prvi N-i u mjesecu nakon delte (delta je polje "%s" , N se pohranjuje u polje "%s") +BaseCurrency=Referentna valuta kompanije (idite u podešavanje kompanije da biste ovo promijenili) +WarningNoteModuleInvoiceForFrenchLaw=Ovaj modul %s je u skladu sa francuskim zakonima (Loi Finance 2016). +WarningNoteModulePOSForFrenchLaw=Ovaj modul %s je u skladu sa francuskim zakonima (Loi Finance 2016) jer se modul Non Reversible Logs automatski aktivira. +WarningInstallationMayBecomeNotCompliantWithLaw=Pokušavate instalirati modul %s koji je vanjski modul. Aktiviranje vanjskog modula znači da vjerujete izdavaču tog modula i da ste sigurni da ovaj modul neće negativno utjecati na ponašanje vaše aplikacije, i je u skladu sa zakonima vaše zemlje (%s). Ako modul uvede ilegalnu funkciju, postajete odgovorni za korištenje ilegalnog softvera. + +MAIN_PDF_MARGIN_LEFT=Lijeva margina u PDF-u +MAIN_PDF_MARGIN_RIGHT=Desna margina u PDF-u +MAIN_PDF_MARGIN_TOP=Gornja margina u PDF-u +MAIN_PDF_MARGIN_BOTTOM=Donja margina u PDF-u +MAIN_DOCUMENTS_LOGO_HEIGHT=Visina za logo u PDF-u +DOC_SHOW_FIRST_SALES_REP=Pokažite prvog prodajnog predstavnika +MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Dodajte kolonu za sliku na linije prijedloga +MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Širina kolone ako se slika dodaje na redove +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Sakrij stupac jedinične cijene na zahtjevima za ponudu +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Sakrij kolonu ukupne cijene na zahtjevima za ponudu +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Sakrijte stupac jedinične cijene na narudžbenicama +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Sakrij kolonu ukupne cijene na narudžbenicama +MAIN_PDF_NO_SENDER_FRAME=Sakrij granice na okviru adrese pošiljaoca +MAIN_PDF_NO_RECIPENT_FRAME=Sakrij ivice na okviru adrese primaoca +MAIN_PDF_HIDE_CUSTOMER_CODE=Sakrij šifru kupca +MAIN_PDF_HIDE_SENDER_NAME=Sakrij ime pošiljaoca/kompanije u bloku adrese +PROPOSAL_PDF_HIDE_PAYMENTTERM=Sakrij uslove plaćanja +PROPOSAL_PDF_HIDE_PAYMENTMODE=Sakrij način plaćanja +MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Dodajte elektroničku prijavu u PDF +NothingToSetup=Za ovaj modul nije potrebno posebno podešavanje. +SetToYesIfGroupIsComputationOfOtherGroups=Postavite ovo na da ako je ova grupa izračun drugih grupa +EnterCalculationRuleIfPreviousFieldIsYes=Unesite pravilo izračuna ako je prethodno polje postavljeno na Da.
      Na primjer:
      CODEGRP1+CODEGRP2 +SeveralLangugeVariatFound=Pronađeno je nekoliko jezičkih varijanti +RemoveSpecialChars=Uklonite posebne znakove +COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter za čistu vrijednost (COMPANY_AQUARIUM_CLEAN_REGEX) +COMPANY_AQUARIUM_NO_PREFIX=Nemojte koristiti prefiks, samo kopirajte šifru kupca ili dobavljača +COMPANY_DIGITARIA_CLEAN_REGEX=Regex filter za čistu vrijednost (COMPANY_DIGITARIA_CLEAN_REGEX) +COMPANY_DIGITARIA_UNIQUE_CODE=Duplikat nije dozvoljen +RemoveSpecialWords=Očistite određene riječi prilikom generiranja podračuna za kupce ili dobavljače +RemoveSpecialWordsHelp=Navedite riječi koje treba očistiti prije izračunavanja računa kupca ili dobavljača. Koristite ";" između svake reči +GDPRContact=Službenik za zaštitu podataka (DPO, kontakt za privatnost podataka ili GDPR) +GDPRContactDesc=Ako pohranjujete lične podatke u svom informacionom sistemu, ovdje možete imenovati kontakt koji je odgovoran za Opću uredbu o zaštiti podataka +HelpOnTooltip=Tekst pomoći za prikaz u opisu alata +HelpOnTooltipDesc=Ovdje stavite tekst ili ključ za prijevod kako bi se tekst prikazao u opisu alata kada se ovo polje pojavi u obrascu +YouCanDeleteFileOnServerWith=Ovu datoteku možete izbrisati na serveru pomoću komandne linije:
      %s +ChartLoaded=Kontni plan je učitan +SocialNetworkSetup=Postavljanje modula Društvene mreže +EnableFeatureFor=Omogući funkcije za %s +VATIsUsedIsOff=Napomena: Opcija korištenja poreza na promet ili PDV-a je postavljena na Isključeno u meniju %s - %s, tako da će porez na promet ili korišteni PDV uvijek biti 0 za prodaju. +SwapSenderAndRecipientOnPDF=Zamijenite položaj adrese primatelja i na PDF dokumentima +FeatureSupportedOnTextFieldsOnly=Upozorenje, funkcija je podržana samo na kombinovanim listama i tekstualnih polja. Također, parametar URL-a action=create ili action=edit mora biti postavljen ILI ime stranice mora završiti sa 'new.php' da aktivira ovu funkciju. EmailCollector=Email collector -EmailCollectors=Email collectors -EmailCollectorDescription=Add a scheduled job and a setup page to scan regularly email boxes (using IMAP protocol) and record emails received into your application, at the right place and/or create some records automatically (like leads). -NewEmailCollector=New Email Collector -EMailHost=Host of email IMAP server -EMailHostPort=Port of email IMAP server -loginPassword=Login/Password -oauthToken=Oauth2 token -accessType=Acces type +EmailCollectors=Kolekcionari e-pošte +EmailCollectorDescription=Dodajte zakazani posao i stranicu za podešavanje za redovno skeniranje sandučića e-pošte (koristeći IMAP protokol) i zabilježite e-poštu primljene u vašu aplikaciju, na pravom mjestu i/ili kreirajte neke zapise automatski (kao što su kontakti). +NewEmailCollector=Novi sakupljač e-pošte +EMailHost=Host IMAP servera e-pošte +EMailHostPort=Port IMAP servera e-pošte +loginPassword=Prijava/Lozinka +oauthToken=OAuth2 token +accessType=Vrsta pristupa oauthService=Oauth service -TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session -MailboxSourceDirectory=Mailbox source directory -MailboxTargetDirectory=Mailbox target directory -EmailcollectorOperations=Operations to do by collector -EmailcollectorOperationsDesc=Operations are executed from top to bottom order -MaxEmailCollectPerCollect=Max number of emails collected per collect +TokenMustHaveBeenCreated=Modul OAuth2 mora biti omogućen i oauth2 token mora biti kreiran s ispravnim dozvolama (na primjer opseg "gmail_full" sa OAuthom za Gmail). +ImapEncryption = Metoda IMAP šifriranja +ImapEncryptionHelp = Primjer: none, ssl, tls, notls +NoRSH = Koristite NoRSH konfiguraciju +NoRSHHelp = Nemojte koristiti RSH ili SSH protokole za uspostavljanje IMAP sesije pre identifikacije +MailboxSourceDirectory=Izvorni direktorij poštanskog sandučeta +MailboxTargetDirectory=Ciljni direktorij poštanskog sandučića +EmailcollectorOperations=Radnje koje treba obaviti sakupljač +EmailcollectorOperationsDesc=Operacije se izvode od vrha do dna +MaxEmailCollectPerCollect=Maksimalan broj prikupljenih e-poruka po prikupljanju TestCollectNow=Test collect -CollectNow=Collect now -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s? -DateLastCollectResult=Date of latest collect try -DateLastcollectResultOk=Date of latest collect success -LastResult=Latest result -EmailCollectorHideMailHeaders=Do not include the content of email header into the saved content of collected e-mails -EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. -EmailCollectorConfirmCollectTitle=Email collect confirmation -EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). -EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software -EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. -EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. -EmailCollectorExampleToCollectLeads=Example collecting leads -EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. -EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail -NoNewEmailToProcess=No new email (matching filters) to process -NothingProcessed=Nothing done -RecordEvent=Record an event in agenda (with type Email sent or received) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation or was guessed from a tracker in email header, without third party otherwise) +CollectNow=Sakupite sada +ConfirmCloneEmailCollector=Jeste li sigurni da želite klonirati sakupljač e-pošte %s? +DateLastCollectResult=Datum posljednjeg pokušaja prikupljanja +DateLastcollectResultOk=Datum posljednjeg uspjeha prikupljanja +LastResult=Najnoviji rezultat +EmailCollectorHideMailHeaders=Ne uključujte sadržaj zaglavlja e-pošte u sačuvani sadržaj prikupljenih e-poruka +EmailCollectorHideMailHeadersHelp=Kada je omogućeno, zaglavlja e-pošte se ne dodaju na kraj sadržaja e-pošte koji se čuva kao događaj dnevnog reda. +EmailCollectorConfirmCollectTitle=E-mail za prikupljanje potvrde +EmailCollectorConfirmCollect=Želite li sada pokrenuti ovaj kolektor? +EmailCollectorExampleToCollectTicketRequestsDesc=Prikupite e-poruke koje odgovaraju nekim pravilima i kreirajte automatski tiket (Modul Ticket mora biti omogućen) s informacijama e-pošte. Možete koristiti ovaj sakupljač ako pružite podršku putem e-pošte, tako da će vaš zahtjev za ulaznicu biti automatski generiran. Aktivirajte i Collect_Responses da prikupite odgovore vašeg klijenta direktno na prikazu tiketa (morate odgovoriti od Dolibarra). +EmailCollectorExampleToCollectTicketRequests=Primjer prikupljanja zahtjeva za ulaznicu (samo prva poruka) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Skenirajte imenik "Poslano" svog poštanskog sandučeta da pronađete e-poštu koja je poslana kao odgovor na drugu e-poštu direktno iz vašeg softvera za e-poštu i, a ne iz Dolibarra. Ako se takav email pronađe, događaj odgovora se bilježi u Dolibarr +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Primjer prikupljanja odgovora na e-poštu poslanih iz vanjskog softvera za e-poštu +EmailCollectorExampleToCollectDolibarrAnswersDesc=Prikupite sve e-poruke koje su odgovor na e-poštu poslanu iz vaše aplikacije. Događaj (Modul Agenda mora biti omogućen) sa odgovorom putem e-pošte biće snimljen na dobrom mjestu. Na primjer, ako pošaljete komercijalni prijedlog, narudžbu, fakturu ili poruku za kartu putem e-pošte iz aplikacije, i primalac odgovori na vašu e-poštu, sistem će automatski uhvatiti odgovor i dodajte ga u svoj ERP. +EmailCollectorExampleToCollectDolibarrAnswers=Primjer prikupljanja svih ulaznih poruka kao odgovora na poruke poslane s Dolibarra' +EmailCollectorExampleToCollectLeadsDesc=Prikupite e-poruke koje odgovaraju nekim pravilima i automatski kreirajte potencijalnog klijenta (Modul Project mora biti omogućen) s informacijama e-pošte. Možete koristiti ovaj kolektor ako želite da pratite svoje vođstvo pomoću modula Projekat (1 potencijalni cilj = 1 projekat), tako da će vaši potencijalni klijenti biti automatski generisani. Ako je sakupljač Collect_Responses također omogućen, kada pošaljete e-poštu od svojih potencijalnih klijenata, prijedloga ili bilo kojeg drugog objekta, također možete vidjeti odgovore svojih kupaca ili partnera direktno u aplikaciji.
      Napomena: U ovom početnom primjeru, generira se naslov potencijalnog klijenta uključujući e-poštu. Ako se treća strana ne može pronaći u bazi podataka (novi kupac), potencijalni klijent će biti vezan za treću stranu sa ID 1. +EmailCollectorExampleToCollectLeads=Primjer prikupljanja tragova +EmailCollectorExampleToCollectJobCandidaturesDesc=Prikupljajte e-poruke koje se prijavljuju na ponude za posao (Modul Regrutacija mora biti omogućen). Možete dovršiti ovaj sakupljač ako želite automatski kreirati kandidaturu za zahtjev za posao. Napomena: U ovom početnom primjeru generira se naslov kandidature uključujući e-mail. +EmailCollectorExampleToCollectJobCandidatures=Primjer prikupljanja kandidatura za posao primljenih e-mailom +NoNewEmailToProcess=Nema nove e-pošte (podudarni filteri) za obradu +NothingProcessed=Ništa nije urađeno +RecordEvent=Zabilježite događaj u dnevnom redu (sa tipom Email poslana ili primljena) +CreateLeadAndThirdParty=Kreirajte potencijalnog klijenta (i treću stranu ako je potrebno) +CreateTicketAndThirdParty=Kreirajte tiket (povezan sa trećom stranom ako je treća strana učitana prethodnom operacijom ili je pretpostavljena iz trackera u zaglavlju e-pošte, bez treće strane u suprotnom) CodeLastResult=Latest result code -NbOfEmailsInInbox=Number of emails in source directory -LoadThirdPartyFromName=Load third party searching on %s (load only) -LoadThirdPartyFromNameOrCreate=Load third party searching on %s (create if not found) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) -AttachJoinedDocumentsToObject=Save attached files into object documents if a ref of an object is found into email topic. -WithDolTrackingID=Message from a conversation initiated by a first email sent from Dolibarr -WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr -WithDolTrackingIDInMsgId=Message sent from Dolibarr -WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr -CreateCandidature=Create job application +NbOfEmailsInInbox=Broj e-mailova u izvornom direktoriju +LoadThirdPartyFromName=Učitajte pretraživanje treće strane na %s (samo učitavanje) +LoadThirdPartyFromNameOrCreate=Učitajte pretraživanje treće strane na %s (kreirajte ako nije pronađeno) +LoadContactFromEmailOrCreate=Učitaj pretragu kontakata na %s (kreiraj ako nije pronađen) +AttachJoinedDocumentsToObject=Sačuvajte priložene datoteke u objektne dokumente ako se referenca objekta pronađe u temi e-pošte. +WithDolTrackingID=Poruka iz razgovora koji je pokrenut prvom e-poštom poslanom od Dolibarra +WithoutDolTrackingID=Poruka iz razgovora pokrenutog prvom e-poštom NIJE poslanom od Dolibarra +WithDolTrackingIDInMsgId=Poruka poslana iz Dolibarra +WithoutDolTrackingIDInMsgId=Poruka NIJE poslana od Dolibarra +CreateCandidature=Kreirajte prijavu za posao FormatZip=Zip -MainMenuCode=Menu entry code (mainmenu) -ECMAutoTree=Show automatic ECM tree -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. -OpeningHours=Opening hours -OpeningHoursDesc=Enter here the regular opening hours of your company. -ResourceSetup=Configuration of Resource module -UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). -DisabledResourceLinkUser=Disable feature to link a resource to users -DisabledResourceLinkContact=Disable feature to link a resource to contacts -EnableResourceUsedInEventCheck=Prohibit the use of the same resource at the same time in the agenda -ConfirmUnactivation=Confirm module reset -OnMobileOnly=On small screen (smartphone) only -DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be "Prospect" or "Customer", but can't be both) -MAIN_OPTIMIZEFORTEXTBROWSER=Simplify interface for blind person -MAIN_OPTIMIZEFORTEXTBROWSERDesc=Enable this option if you are a blind person, or if you use the application from a text browser like Lynx or Links. -MAIN_OPTIMIZEFORCOLORBLIND=Change interface's color for color blind person -MAIN_OPTIMIZEFORCOLORBLINDDesc=Enable this option if you are a color blind person, in some case interface will change color setup to increase contrast. -Protanopia=Protanopia +MainMenuCode=Kod za unos menija (glavni meni) +ECMAutoTree=Prikaži automatsko ECM stablo +OperationParamDesc=Definirajte pravila koja će se koristiti za izdvajanje nekih podataka ili postavite vrijednosti koje ćete koristiti za rad.

      Primjer za izdvajanje naziva kompanije iz predmet e-pošte u privremenu varijablu:
      tmp_var=EXTRACT:SUBJECT:Poruka od kompanije ([^\n]*)

      Primjeri za postavljanje svojstava objekta za kreiranje:
      objproperty1=SET:tvrdo kodirana vrijednost
      objproperty2=SET:__tmp_var__
      objEMPuerty3:a SETIF vrijednost (vrijednost se postavlja samo ako svojstvo nije već definirano)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY ime je\\:Moja kompanija s([^\\s]*)

      Koristite novi red da izdvojite ili postavite nekoliko svojstava. +OpeningHours=Radno vrijeme +OpeningHoursDesc=Ovdje unesite redovno radno vrijeme Vaše kompanije. +ResourceSetup=Konfiguracija modula resursa +UseSearchToSelectResource=Koristite obrazac za pretragu da odaberete resurs (a ne padajuću listu). +DisabledResourceLinkUser=Onemogućite funkciju za povezivanje resursa s korisnicima +DisabledResourceLinkContact=Onemogućite funkciju za povezivanje resursa sa kontaktima +EnableResourceUsedInEventCheck=Zabraniti korištenje istog resursa u isto vrijeme na dnevnom redu +ConfirmUnactivation=Potvrdite resetovanje modula +OnMobileOnly=Samo na malom ekranu (pametni telefon). +DisableProspectCustomerType=Onemogućite tip treće strane "Prospect + Customer" (tako da treća strana mora biti "Prospect" ili "Customer", ali ne može biti oboje) +MAIN_OPTIMIZEFORTEXTBROWSER=Pojednostavite interfejs za slijepe osobe +MAIN_OPTIMIZEFORTEXTBROWSERDesc=Omogućite ovu opciju ako ste slijepa osoba ili ako koristite aplikaciju iz tekstualnog pretraživača kao što je Lynx ili Links. +MAIN_OPTIMIZEFORCOLORBLIND=Promijenite boju interfejsa za daltonistiku +MAIN_OPTIMIZEFORCOLORBLINDDesc=Omogućite ovu opciju ako ste slepa za boje, u nekim slučajevima interfejs će promeniti podešavanje boje da poveća kontrast. +Protanopia=Protanopija Deuteranopes=Deuteranopes Tritanopes=Tritanopes -ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' -DefaultCustomerType=Default thirdparty type for "New customer" creation form -ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. -RootCategoryForProductsToSell=Root category of products to sell -RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale +ThisValueCanOverwrittenOnUserLevel=Ovu vrijednost svaki korisnik može prepisati sa svoje korisničke stranice - kartica '%s' +DefaultCustomerType=Zadani tip treće strane za obrazac za kreiranje "Novi kupac". +ABankAccountMustBeDefinedOnPaymentModeSetup=Napomena: Bankovni račun mora biti definiran na modulu svakog načina plaćanja (Paypal, Stripe, ...) da bi ova funkcija radila. +RootCategoryForProductsToSell=Osnovna kategorija proizvoda za prodaju +RootCategoryForProductsToSellDesc=Ako je definirano, samo proizvodi unutar ove kategorije ili djeca ove kategorije bit će dostupni na prodajnom mjestu DebugBar=Debug Bar -DebugBarDesc=Toolbar that comes with a plenty of tools to simplify debugging +DebugBarDesc=Traka sa alatkama koja dolazi sa mnoštvom alata za pojednostavljenje otklanjanja grešaka DebugBarSetup=DebugBar Setup -GeneralOptions=General Options -LogsLinesNumber=Number of lines to show on logs tab -UseDebugBar=Use the debug bar -DEBUGBAR_LOGS_LINES_NUMBER=Number of last log lines to keep in console -WarningValueHigherSlowsDramaticalyOutput=Warning, higher values slows dramaticaly output -ModuleActivated=Module %s is activated and slows the interface -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) -IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. -AntivirusEnabledOnUpload=Antivirus enabled on uploaded files -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode -EXPORTS_SHARE_MODELS=Export models are share with everybody -ExportSetup=Setup of module Export -ImportSetup=Setup of module Import -InstanceUniqueID=Unique ID of the instance -SmallerThan=Smaller than -LargerThan=Larger than -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). -EndPointFor=End point for %s : %s -DeleteEmailCollector=Delete email collector -ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? -RecipientEmailsWillBeReplacedWithThisValue=Recipient emails will be always replaced with this value -AtLeastOneDefaultBankAccountMandatory=At least 1 default bank account must be defined -RESTRICT_ON_IP=Allow API access to only certain client IPs (wildcard not allowed, use space between values). Empty means every clients can access. +GeneralOptions=Opšte opcije +LogsLinesNumber=Broj redova za prikaz na kartici dnevnika +UseDebugBar=Koristite traku za otklanjanje grešaka +DEBUGBAR_LOGS_LINES_NUMBER=Broj zadnjih redova dnevnika za čuvanje u konzoli +WarningValueHigherSlowsDramaticalyOutput=Upozorenje, veće vrijednosti dramatično usporavaju izlaz +ModuleActivated=Modul %s je aktiviran i usporava interfejs +ModuleActivatedWithTooHighLogLevel=Modul %s je aktiviran s previsokim nivoom evidentiranja (pokušajte koristiti niži nivo za bolje performanse i sigurnosti) +ModuleSyslogActivatedButLevelNotTooVerbose=Modul %s je aktiviran i nivo dnevnika (%s) je ispravan previše opširno) +IfYouAreOnAProductionSetThis=Ako ste u proizvodnom okruženju, trebali biste ovo svojstvo postaviti na %s. +AntivirusEnabledOnUpload=Antivirus je omogućen za otpremljene fajlove +SomeFilesOrDirInRootAreWritable=Neke datoteke ili direktoriji nisu u načinu samo za čitanje +EXPORTS_SHARE_MODELS=Izvozni modeli se dijele sa svima +ExportSetup=Postavljanje modula Export +ImportSetup=Podešavanje uvoza modula +InstanceUniqueID=Jedinstveni ID instance +SmallerThan=Manji od +LargerThan=Veći od +IfTrackingIDFoundEventWillBeLinked=Imajte na umu da ako se ID za praćenje objekta pronađe u e-pošti ili ako je e-pošta odgovor na e-poruku koja je već prikupljena i povezana s objektom, kreirani događaj će biti automatski povezan sa poznatim povezanim objektom. +WithGMailYouCanCreateADedicatedPassword=Uz GMail nalog, ako ste omogućili provjeru valjanosti u 2 koraka, preporučuje se kreiranje posebne druge lozinke za aplikaciju umjesto korištenja lozinke vlastitog računa sa https://myaccount.google.com/. +EmailCollectorTargetDir=Možda bi bilo poželjno premjestiti e-poštu u drugu oznaku/direktorij kada je uspješno obrađena. Samo postavite naziv direktorija ovdje da biste koristili ovu funkciju (NE koristite posebne znakove u imenu). Imajte na umu da morate koristiti i račun za prijavu za čitanje/pisanje. +EmailCollectorLoadThirdPartyHelp=Ovu radnju možete koristiti za korištenje sadržaja e-pošte da pronađete i učitavanje postojeće treće strane u vašu bazu podataka (pretraga će se obaviti na definiranom svojstvu između 'id', 'name' ,'name_alias','email'). Pronađena (ili kreirana) treća strana će se koristiti za sljedeće radnje kojima je to potrebno.
      Na primjer, ako želite kreirati treću stranu s imenom izvučenim iz niza ' Ime: ime koje treba pronaći' prisutno u tijelu, koristite email pošiljaoca kao e-poštu, možete postaviti polje parametra ovako:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=Upozorenje: mnogi serveri e-pošte (kao što je Gmail) pretražuju cijelu riječ kada pretražuju niz i neće vratiti rezultat ako se string nađe samo djelomično u riječi. I iz ovog razloga, korištenje specijalnih znakova u kriterijima pretraživanja bit će zanemareni ako nisu dio postojećih riječi.
      Da izvršite pretragu izuzeća za riječ (vratite email ako riječ nije pronađen), možete koristiti ! znak ispred reči (možda neće raditi na nekim serverima pošte). +EndPointFor=Krajnja tačka za %s : %s +DeleteEmailCollector=Izbrišite sakupljač e-pošte +ConfirmDeleteEmailCollector=Jeste li sigurni da želite izbrisati ovaj sakupljač e-pošte? +RecipientEmailsWillBeReplacedWithThisValue=E-poruke primatelja uvijek će biti zamijenjene ovom vrijednošću +AtLeastOneDefaultBankAccountMandatory=Mora biti definiran najmanje 1 zadani bankovni račun +RESTRICT_ON_IP=Dozvolite pristup API-ju samo određenim IP adresama klijenata (zamjenski znak nije dozvoljen, koristite razmak između vrijednosti). Prazno znači da svaki klijent može pristupiti. IPListExample=127.0.0.1 192.168.0.2 [::1] -BaseOnSabeDavVersion=Based on the library SabreDAV version -NotAPublicIp=Not a public IP -MakeAnonymousPing=Make an anonymous Ping '+1' to the Dolibarr foundation server (done 1 time only after installation) to allow the foundation to count the number of Dolibarr installation. -FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled -EmailTemplate=Template for email -EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF -FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. -RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard -JumpToBoxes=Jump to Setup -> Widgets -MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" -MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values. -TemplateAdded=Template added -TemplateUpdated=Template updated -TemplateDeleted=Template deleted -MailToSendEventPush=Event reminder email -SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security -DictionaryProductNature= Nature of product -CountryIfSpecificToOneCountry=Country (if specific to a given country) -YouMayFindSecurityAdviceHere=You may find security advisory here -ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. -ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. -CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples -SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. -AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only -ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. -MailToSendEventOrganization=Event Organization -MailToPartnership=Partnership -AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s +BaseOnSabeDavVersion=Zasnovano na verziji biblioteke SabreDAV +NotAPublicIp=Nije javna IP adresa +MakeAnonymousPing=Napravite anonimni Ping '+1' na Dolibarr temeljni server (urađeno samo 1 put nakon instalacije) kako biste omogućili fondaciji da prebroji broj Dolibarr instalacije. +FeatureNotAvailableWithReceptionModule=Funkcija nije dostupna kada je omogućen prijem modula +EmailTemplate=Šablon za email +EMailsWillHaveMessageID=E-poruke će imati oznaku 'Reference' koja odgovara ovoj sintaksi +PDF_SHOW_PROJECT=Prikaži projekat na dokumentu +ShowProjectLabel=Oznaka projekta +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Uključite alias u ime treće strane +THIRDPARTY_ALIAS=Ime treće strane - pseudonim treće strane +ALIAS_THIRDPARTY=Alias treće strane - Ime treće strane +PDFIn2Languages=Prikaži oznake u PDF-u na 2 različita jezika (ova funkcija možda neće raditi za nekoliko jezika) +PDF_USE_ALSO_LANGUAGE_CODE=Ako želite da neki tekstovi u vašem PDF-u budu duplirani na 2 različita jezika u istom generiranom PDF-u, ovdje morate postaviti ovaj drugi jezik tako da će generirani PDF sadržavati 2 različita jezika na istoj stranici, onaj koji je odabran prilikom generiranja PDF-a i ovaj (samo nekoliko PDF šablona to podržava). Ostavite prazno za 1 jezik po PDF-u. +PDF_USE_A=Generirajte PDF dokumente u formatu PDF/A umjesto zadanog formata PDF +FafaIconSocialNetworksDesc=Ovdje unesite kod ikone FontAwesome. Ako ne znate šta je FontAwesome, možete koristiti generičku vrijednost fa-address-book. +RssNote=Napomena: Svaka definicija RSS feed-a pruža widget koji morate omogućiti da bi bio dostupan na kontrolnoj tabli +JumpToBoxes=Skoči na Podešavanje -> Widgeti +MeasuringUnitTypeDesc=Ovdje koristite vrijednost kao što je "veličina", "površina", "volumen", "težina", "vrijeme" +MeasuringScaleDesc=Skala je broj mjesta na koje morate pomjeriti decimalni dio da bi odgovarao zadanoj referentnoj jedinici. Za tip jedinice "vreme", to je broj sekundi. Vrijednosti između 80 i 99 su rezervirane vrijednosti. +TemplateAdded=Šablon je dodan +TemplateUpdated=Šablon je ažuriran +TemplateDeleted=Predložak je izbrisan +MailToSendEventPush=E-mail podsjetnika na događaj +SwitchThisForABetterSecurity=Za veću sigurnost preporučuje se prebacivanje ove vrijednosti na %s +DictionaryProductNature= Priroda proizvoda +CountryIfSpecificToOneCountry=Država (ako je specifična za datu zemlju) +YouMayFindSecurityAdviceHere=Ovdje možete pronaći sigurnosne savjete +ModuleActivatedMayExposeInformation=Ova PHP ekstenzija može otkriti osjetljive podatke. Ako vam ne treba, isključite ga. +ModuleActivatedDoNotUseInProduction=Omogućen je modul dizajniran za razvoj. Nemojte ga omogućiti u proizvodnom okruženju. +CombinationsSeparator=Znak za razdvajanje za kombinacije proizvoda +SeeLinkToOnlineDocumentation=Za primjere pogledajte vezu do online dokumentacije u gornjem meniju +SHOW_SUBPRODUCT_REF_IN_PDF=Ako je karakteristika "%s" modula %s
      , prikaži detalje podproizvoda kompleta u PDF-u. +AskThisIDToYourBank=Kontaktirajte svoju banku da dobijete ovaj ID +AdvancedModeOnly=Dozvola je dostupna samo u naprednom načinu rada +ConfFileIsReadableOrWritableByAnyUsers=Konf datoteku može čitati ili pisati bilo koji korisnik. Dajte dozvolu samo grupi korisnika i web servera. +MailToSendEventOrganization=Organizacija događaja +MailToPartnership=Partnerstvo +AGENDA_EVENT_DEFAULT_STATUS=Zadani status događaja prilikom kreiranja događaja iz obrasca +YouShouldDisablePHPFunctions=Trebali biste onemogućiti PHP funkcije +IfCLINotRequiredYouShouldDisablePHPFunctions=Osim ako ne trebate pokrenuti sistemske komande u prilagođenom kodu, trebali biste onemogućiti PHP funkcije +PHPFunctionsRequiredForCLI=Za potrebe ljuske (kao što je planirano sigurnosno kopiranje posla ili pokretanje antivirusnog programa), morate zadržati PHP funkcije +NoWritableFilesFoundIntoRootDir=U vašem osnovnom direktoriju nisu pronađene datoteke za pisanje ili direktoriji uobičajenih programa (Dobro) +RecommendedValueIs=Preporučeno: %s Recommended=Preporučeno -NotRecommended=Not recommended -ARestrictedPath=Some restricted path for data files -CheckForModuleUpdate=Check for external modules updates -CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. -ModuleUpdateAvailable=An update is available -NoExternalModuleWithUpdate=No updates found for external modules -SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) -YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=You enabled deprecated WS API. You should use REST API instead. -RandomlySelectedIfSeveral=Randomly selected if several pictures are available -SalesRepresentativeInfo=For Proposals, Orders, Invoices. -DatabasePasswordObfuscated=Database password is obfuscated in conf file -DatabasePasswordNotObfuscated=Database password is NOT obfuscated in conf file -APIsAreNotEnabled=APIs modules are not enabled -YouShouldSetThisToOff=You should set this to 0 or off -InstallAndUpgradeLockedBy=Install and upgrades are locked by the file %s -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. -OldImplementation=Old implementation -PDF_SHOW_LINK_TO_ONLINE_PAYMENT=If some online payment modules are enabled (Paypal, Stripe, ...), add a link on the PDF to make the online payment -DashboardDisableGlobal=Disable globally all the thumbs of open objects -BoxstatsDisableGlobal=Disable totally box statistics -DashboardDisableBlocks=Thumbs of open objects (to process or late) on main dashboard -DashboardDisableBlockAgenda=Disable the thumb for agenda -DashboardDisableBlockProject=Disable the thumb for projects -DashboardDisableBlockCustomer=Disable the thumb for customers -DashboardDisableBlockSupplier=Disable the thumb for suppliers -DashboardDisableBlockContract=Disable the thumb for contracts -DashboardDisableBlockTicket=Disable the thumb for tickets -DashboardDisableBlockBank=Disable the thumb for banks -DashboardDisableBlockAdherent=Disable the thumb for memberships -DashboardDisableBlockExpenseReport=Disable the thumb for expense reports -DashboardDisableBlockHoliday=Disable the thumb for leaves -EnabledCondition=Condition to have field enabled (if not enabled, visibility will always be off) -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -LanguageAndPresentation=Language and presentation -SkinAndColors=Skin and colors -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -PDF_USE_1A=Generate PDF with PDF/A-1b format -MissingTranslationForConfKey = Missing translation for %s -NativeModules=Native modules -NoDeployedModulesFoundWithThisSearchCriteria=No modules found for these search criteria -API_DISABLE_COMPRESSION=Disable compression of API responses -EachTerminalHasItsOwnCounter=Each terminal use its own counter. -FillAndSaveAccountIdAndSecret=Fill and save account ID and secret first -PreviousHash=Previous hash -LateWarningAfter="Late" warning after -TemplateforBusinessCards=Template for a business card in different size -InventorySetup= Inventory Setup -ExportUseLowMemoryMode=Use a low memory mode -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. +NotRecommended=Nije preporuceno +ARestrictedPath=Neka ograničena putanja za datoteke sa podacima +CheckForModuleUpdate=Provjerite ima li ažuriranja vanjskih modula +CheckForModuleUpdateHelp=Ova akcija će se povezati s uređivačima vanjskih modula kako bi provjerili da li je dostupna nova verzija. +ModuleUpdateAvailable=Dostupno je ažuriranje +NoExternalModuleWithUpdate=Nisu pronađena ažuriranja za vanjske module +SwaggerDescriptionFile=Swagger API datoteka opisa (za korištenje s redoc na primjer) +YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=Omogućili ste zastarjeli WS API. Umjesto toga trebate koristiti REST API. +RandomlySelectedIfSeveral=Nasumično odabrano ako je dostupno nekoliko slika +SalesRepresentativeInfo=Za prijedloge, narudžbe, fakture. +DatabasePasswordObfuscated=Lozinka baze podataka je zamagljena u conf datoteci +DatabasePasswordNotObfuscated=Lozinka baze podataka NIJE zamagljena u conf datoteci +APIsAreNotEnabled=API moduli nisu omogućeni +YouShouldSetThisToOff=Trebali biste ovo postaviti na 0 ili isključeno +InstallAndUpgradeLockedBy=Instaliranje i nadogradnje je zaključano datotekom %s +InstallLockedBy=Instalacija/ponovna instalacija je zaključana datotekom %s +InstallOfAddonIsNotBlocked=Instalacije dodataka nisu zaključane. Kreirajte datoteku installmodules.lock u direktorij ='notranslate'>%s za blokiranje instalacije vanjskih dodataka/modula. +OldImplementation=Stara implementacija +PDF_SHOW_LINK_TO_ONLINE_PAYMENT=Ako su neki moduli za online plaćanje omogućeni (Paypal, Stripe, ...), dodajte link na PDF da izvršite online plaćanje +DashboardDisableGlobal=Onemogućite globalno sve palčeve otvorenih objekata +BoxstatsDisableGlobal=Onemogućite totalno box statistiku +DashboardDisableBlocks=Palci otvorenih objekata (za obradu ili zakašnjenje) na glavnoj kontrolnoj tabli +DashboardDisableBlockAgenda=Onemogućite palac za dnevni red +DashboardDisableBlockProject=Onemogućite palac za projekte +DashboardDisableBlockCustomer=Onemogućite palac za kupce +DashboardDisableBlockSupplier=Onemogućite palac za dobavljače +DashboardDisableBlockContract=Onemogućite palac za ugovore +DashboardDisableBlockTicket=Onemogućite palac za karte +DashboardDisableBlockBank=Onemogućite palac za banke +DashboardDisableBlockAdherent=Onemogućite palac za članstva +DashboardDisableBlockExpenseReport=Onemogućite palac za izvještaje o troškovima +DashboardDisableBlockHoliday=Onemogućite palac za listove +EnabledCondition=Uslov da polje bude omogućeno (ako nije omogućeno, vidljivost će uvijek biti isključena) +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=Ako želite koristiti drugi porez, morate omogućiti i prvi porez na promet +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Ako želite koristiti treći porez, morate omogućiti i prvi porez na promet +LanguageAndPresentation=Jezik i prezentacije +SkinAndColors=Boje kože i +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=Ako želite koristiti drugi porez, morate omogućiti i prvi porez na promet +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Ako želite koristiti treći porez, morate omogućiti i prvi porez na promet +PDF_USE_1A=Generirajte PDF u PDF/A-1b formatu +MissingTranslationForConfKey = Nedostaje prijevod za %s +NativeModules=Izvorni moduli +NoDeployedModulesFoundWithThisSearchCriteria=Nisu pronađeni moduli za ove kriterije pretraživanja +API_DISABLE_COMPRESSION=Onemogućite kompresiju API odgovora +EachTerminalHasItsOwnCounter=Svaki terminal koristi svoj brojač. +FillAndSaveAccountIdAndSecret=Prvo ispunite tajnu i sačuvaj ID računa i +PreviousHash=Prethodni hash +LateWarningAfter="Kasno" upozorenje nakon +TemplateforBusinessCards=Šablon za vizit kartu u različitim veličinama +InventorySetup= Postavljanje inventara +ExportUseLowMemoryMode=Koristite režim niske memorije +ExportUseLowMemoryModeHelp=Koristite režim niske memorije da generišete dump fajl (komprimovanje se vrši kroz cev umesto u PHP memoriju). Ova metoda ne dozvoljava provjeru da li je datoteka kompletna i poruka o grešci se ne može prijaviti ako ne uspije. Upotrijebite ga ako imate nedovoljno memorijskih grešaka. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL +ModuleWebhookDesc = Interfejs za hvatanje dolibarr okidača i šalje podatke o događaju na URL WebhookSetup = Webhook setup -Settings = Settings -WebhookSetupPage = Webhook setup page -ShowQuickAddLink=Show a button to quickly add an element in top right menu +Settings = Postavke +WebhookSetupPage = Stranica za podešavanje Webhooka +ShowQuickAddLink=Prikaži dugme za brzo dodavanje elementa u gornji desni meni +ShowSearchAreaInTopMenu=Prikažite područje pretraživanja u gornjem meniju +HashForPing=Haš se koristi za ping +ReadOnlyMode=Je instanca u načinu "Samo za čitanje". +DEBUGBAR_USE_LOG_FILE=Koristite datoteku dolibarr.log da uhvatite dnevnike +UsingLogFileShowAllRecordOfSubrequestButIsSlower=Koristite datoteku dolibarr.log da uhvatite dnevnike umjesto hvatanja memorije uživo. Omogućava hvatanje svih dnevnika umjesto samo dnevnika trenutnog procesa (pa uključujući i onu sa stranicama ajax podzahtjeva), ali će vašu instancu učiniti vrlo sporim. Nije preporuceno. +FixedOrPercent=Fiksno (koristite ključnu riječ 'fixed') ili postotak (koristite ključnu riječ 'percent') +DefaultOpportunityStatus=Zadani status mogućnosti (prvi status kada se kreira potencijalni potencijal) -HashForPing=Hash used for ping -ReadOnlyMode=Is instance in "Read Only" mode -DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs -UsingLogFileShowAllRecordOfSubrequestButIsSlower=Use the dolibarr.log file to trap Logs instead of live memory catching. It allows to catch all logs instead of only log of current process (so including the one of ajax subrequests pages) but will make your instance very very slow. Not recommended. -FixedOrPercent=Fixed (use keyword 'fixed') or percent (use keyword 'percent') -DefaultOpportunityStatus=Default opportunity status (first status when lead is created) - -IconAndText=Icon and text -TextOnly=Text only -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon -IconOnly=Icon only - Text on tooltip only -INVOICE_ADD_ZATCA_QR_CODE=Show the ZATCA QR code on invoices -INVOICE_ADD_ZATCA_QR_CODEMore=Some Arabic countries need this QR Code on their invoices -INVOICE_ADD_SWISS_QR_CODE=Show the swiss QR-Bill code on invoices -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP&City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. -INVOICE_SHOW_SHIPPING_ADDRESS=Show shipping address -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory mention for France -UrlSocialNetworksDesc=Url link of social network. Use {socialid} for the variable part that contains the social network ID. -IfThisCategoryIsChildOfAnother=If this category is a child of another one -DarkThemeMode=Dark theme mode -AlwaysDisabled=Always disabled -AccordingToBrowser=According to browser -AlwaysEnabled=Always Enabled -DoesNotWorkWithAllThemes=Will not work with all themes -NoName=No name -ShowAdvancedOptions= Show advanced options -HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service -DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method -UsePassword=Use a password -UseOauth=Use a OAUTH token -Images=Images -MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -ScriptIsEmpty=The script is empty -ShowHideTheNRequests=Show/hide the %s SQL request(s) -DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s -TriggerCodes=Triggerable events -TriggerCodeInfo=Enter here the trigger code(s) that must generate a post of a web request (only external URL are allowed). You can enter several trigger codes separated by a comma. -EditableWhenDraftOnly=If unchecked, the value can only be modified when object has a draft status -CssOnEdit=Css on edit pages -CssOnView=Css on view pages -CssOnList=Css on lists -HelpCssOnEditDesc=The Css used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The Css used when viewing the field. -HelpCssOnListDesc=The Css used when field is inside a list table.
      Example: "tdoverflowmax200" -RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents for receptions -MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions -WarningDisabled=Warning disabled -LimitsAndMitigation=Access limits and mitigation -DesktopsOnly=Desktops only -DesktopsAndSmartphones=Desktops et smartphones -AllowOnlineSign=Allow online signing -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. +IconAndText=Ikona i tekst +TextOnly=Samo tekst +IconOnlyAllTextsOnHover=Samo ikona - Svi tekstovi se pojavljuju ispod ikone na mišu iznad trake menija +IconOnlyTextOnHover=Samo ikona - Tekst ikone se pojavljuje ispod ikone kada mišem pređete preko ikone +IconOnly=Samo ikona - tekst samo u opisu alata +INVOICE_ADD_ZATCA_QR_CODE=Prikažite ZATCA QR kod na fakturi +INVOICE_ADD_ZATCA_QR_CODEMore=Neke arapske zemlje trebaju ovaj QR kod na svojim fakturama +INVOICE_ADD_SWISS_QR_CODE=Prikažite švicarski QR-kod računa na fakturama +INVOICE_ADD_SWISS_QR_CODEMore=švicarski standard za fakture; provjerite jesu li ZIP & City popunjeni i da računi imaju važeće švicarske/lihtenštajnske IBAN-ove. +INVOICE_SHOW_SHIPPING_ADDRESS=Pokaži adresu za dostavu +INVOICE_SHOW_SHIPPING_ADDRESSMore=Obavezna indikacija u nekim zemljama (Francuska, ...) +UrlSocialNetworksDesc=Url link društvene mreže. Koristite {socialid} za varijabilni dio koji sadrži ID društvene mreže. +IfThisCategoryIsChildOfAnother=Ako je ova kategorija dijete druge +DarkThemeMode=Način rada tamne teme +AlwaysDisabled=Uvijek onemogućen +AccordingToBrowser=Prema pretraživaču +AlwaysEnabled=Uvijek omogućeno +DoesNotWorkWithAllThemes=Neće raditi sa svim temama +NoName=Bez imena +ShowAdvancedOptions= Prikaži napredne opcije +HideAdvancedoptions= Sakrij napredne opcije +CIDLookupURL=Modul donosi URL koji može koristiti eksterni alat za dobijanje imena treće strane ili kontakta sa njenog broja telefona. URL za korištenje je: +OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 autentifikacija nije dostupna za sve hostove, i token s pravim dozvolama mora biti kreiran uzvodno s OAUTH modulom +MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 usluga provjere autentičnosti +DontForgetCreateTokenOauthMod=Token s pravim dozvolama mora biti kreiran uzvodno s OAUTH modulom +MAIN_MAIL_SMTPS_AUTH_TYPE=Metoda autentifikacije +UsePassword=Koristite lozinku +UseOauth=Koristite OAUTH token +Images=Slike +MaxNumberOfImagesInGetPost=Maksimalan broj dozvoljenih slika u HTML polju dostavljenom u obrascu +MaxNumberOfPostOnPublicPagesByIP=Maksimalan broj postova na javnim stranicama sa istom IP adresom u mjesecu +CIDLookupURL=Modul donosi URL koji može koristiti eksterni alat za dobijanje imena treće strane ili kontakta sa njenog broja telefona. URL za korištenje je: +ScriptIsEmpty=Skripta je prazna +ShowHideTheNRequests=Prikaži/sakrij %s SQL zahtjev(e) +DefinedAPathForAntivirusCommandIntoSetup=Definirajte putanju za antivirusni program u %s +TriggerCodes=Događaji koji se mogu pokrenuti +TriggerCodeInfo=Ovdje unesite kod(ove) okidača koji moraju generirati objavu web zahtjeva (dozvoljeni su samo vanjski URL). Možete unijeti nekoliko kodova okidača odvojenih zarezom. +EditableWhenDraftOnly=Ako nije označeno, vrijednost se može mijenjati samo kada objekt ima status nacrta +CssOnEdit=CSS na stranicama za uređivanje +CssOnView=CSS na stranicama za pregled +CssOnList=CSS na listama +HelpCssOnEditDesc=CSS koji se koristi prilikom uređivanja polja.
      Primjer: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=CSS koji se koristi prilikom pregleda polja. +HelpCssOnListDesc=CSS koji se koristi kada je polje unutar tabele liste.
      Primjer: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=Sakrijte naručenu količinu na generiranim dokumentima za prijeme +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Prikažite cenu na generisanim dokumentima za prijeme +WarningDisabled=Upozorenje je onemogućeno +LimitsAndMitigation=Ograničenja pristupa i ublažavanje +RecommendMitigationOnURL=Preporučuje se aktiviranje ublažavanja na kritičnom URL-u. Ovo je lista fail2ban pravila koja možete koristiti za glavne važne URL-ove. +DesktopsOnly=Samo stoni računari +DesktopsAndSmartphones=Stoni računari i pametni telefoni +AllowOnlineSign=Dozvolite online potpisivanje +AllowExternalDownload=Dozvoli vanjsko preuzimanje (bez prijave, koristeći zajednički link) +DeadlineDayVATSubmission=Rok za predaju PDV-a narednog mjeseca +MaxNumberOfAttachementOnForms=Maksimalan broj spojenih datoteka u obrascu +IfDefinedUseAValueBeetween=Ako je definirano, koristite vrijednost između %s i %s +Reload=Ponovo učitaj +ConfirmReload=Potvrdite ponovno učitavanje modula +WarningModuleHasChangedLastVersionCheckParameter=Upozorenje: modul %s je postavio parametar za provjeru njegove verzije pri svakom pristupu stranici. Ovo je loša i nedozvoljena praksa koja može učiniti stranicu za administriranje modula nestabilnom. Molimo kontaktirajte autora modula da to popravite. +WarningModuleHasChangedSecurityCsrfParameter=Upozorenje: modul %s je onemogućio CSRF sigurnost vaše instance. Ova radnja je sumnjiva i da vaša instalacija više neće biti osigurana. Molimo kontaktirajte autora modula za objašnjenje. +EMailsInGoingDesc=Dolaznom e-poštom upravlja modul %s. Morate omogućiti i da biste ga konfigurirali ako trebate podržavati dolaznu e-poštu. +MAIN_IMAP_USE_PHPIMAP=Koristite PHP-IMAP biblioteku za IMAP umjesto izvornog PHP IMAP-a. Ovo također omogućava korištenje OAuth2 veze za IMAP (modul OAuth također mora biti aktiviran). +MAIN_CHECKBOX_LEFT_COLUMN=Prikaži kolonu za odabir linije i polja na lijevoj strani (desno prema zadanim postavkama) +NotAvailableByDefaultEnabledOnModuleActivation=Nije kreirano po defaultu. Kreirano samo nakon aktivacije modula. CSSPage=CSS Style Defaultfortype=Uobičajeni -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page +DefaultForTypeDesc=Predložak koji se podrazumevano koristi prilikom kreiranja nove e-pošte za tip šablona +OptionXShouldBeEnabledInModuleY=Opcija "%s" treba biti omogućena u modulu %s +OptionXIsCorrectlyEnabledInModuleY=Opcija "%s" je omogućena u modulu %s +AllowOnLineSign=Dozvoli potpis na mreži +AtBottomOfPage=Na dnu stranice +FailedAuth=neuspjele autentifikacije +MaxNumberOfFailedAuth=Maksimalan broj neuspjele autentifikacije u 24h za odbijanje prijave. +AllowPasswordResetBySendingANewPassByEmail=Ako korisnik A ima ovu dozvolu, i čak i ako korisnik A nije "admin" korisnik, A može resetirati lozinku bilo kojeg drugog korisnika B, novu lozinku će biti poslat na e-mail drugog korisnika B, ali neće biti vidljiv za A. Ako korisnik A ima "admin" zastavicu, on će također moći znati koja je nova generirana lozinka za B tako da će moći preuzeti kontrolu nad korisničkim računom B. +AllowAnyPrivileges=Ako korisnik A ima ovu dozvolu, može kreirati korisnika B sa svim privilegijama, a zatim koristiti ovog korisnika B, ili sebi dodijeliti bilo koju drugu grupu sa bilo kojom dozvolom. Dakle, to znači da korisnik A posjeduje sve poslovne privilegije (samo sistemski pristup stranicama za podešavanje bit će zabranjen) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Ova vrijednost se može pročitati jer vaša instanca nije postavljena u proizvodni način +SeeConfFile=Pogledajte unutar conf.php fajla na serveru +ReEncryptDesc=Ponovo šifrirajte podatke ako još nisu šifrirani +PasswordFieldEncrypted=%s novi zapis da li je ovo polje šifrirano +ExtrafieldsDeleted=Dodatna polja %s su izbrisana +LargeModern=Veliki - moderan +SpecialCharActivation=Omogućite dugme za otvaranje virtuelne tastature za unos posebnih znakova +DeleteExtrafield=Izbriši ekstrapolje +ConfirmDeleteExtrafield=Da li potvrđujete brisanje polja %s? Svi podaci sačuvani u ovom polju biće definitivno izbrisani +ExtraFieldsSupplierInvoicesRec=Komplementarni atributi (šabloni faktura) +ExtraFieldsSupplierInvoicesLinesRec=Komplementarni atributi (predlošci faktura) +ParametersForTestEnvironment=Parametri za testno okruženje +TryToKeepOnly=Pokušajte zadržati samo %s +RecommendedForProduction=Preporučeno za proizvodnju +RecommendedForDebug=Preporučeno za otklanjanje grešaka diff --git a/htdocs/langs/bs_BA/agenda.lang b/htdocs/langs/bs_BA/agenda.lang index 494c3be8809..12827e6a27d 100644 --- a/htdocs/langs/bs_BA/agenda.lang +++ b/htdocs/langs/bs_BA/agenda.lang @@ -4,7 +4,7 @@ Actions=Događaji Agenda=Agenda TMenuAgenda=Agenda Agendas=Agende -LocalAgenda=Default calendar +LocalAgenda=Zadani kalendar ActionsOwnedBy=Događaj u vlasništvu ActionsOwnedByShort=Vlasnik AffectedTo=Dodijeljeno korisniku @@ -12,15 +12,15 @@ Event=Događaj Events=Događaji EventsNb=Broj događaja ListOfActions=Lista događaja -EventReports=Event reports +EventReports=Izvještaji o događajima Location=Lokacija -ToUserOfGroup=Event assigned to any user in the group +ToUserOfGroup=Događaj dodijeljen bilo kojem korisniku u grupi EventOnFullDay=Događaj za cijeli dan(e) MenuToDoActions=Svi nepotpuni događaji MenuDoneActions=Sve završeni događaji MenuToDoMyActions=Moji nepotpuni događaji MenuDoneMyActions=Moji završeni događaji -ListOfEvents=List of events (default calendar) +ListOfEvents=Lista događaja (podrazumevani kalendar) ActionsAskedBy=Događaje izvijestio/la ActionsToDoBy=Događaji dodijeljeni korisniku ActionsDoneBy=Događaji završeni od strane korisnika @@ -31,20 +31,21 @@ ViewWeek=Sedmični pregled ViewPerUser=Pregled po korisniku ViewPerType=Pregled po vrsti AutoActions= Automatsko popunjavanje -AgendaAutoActionDesc= Here you may define events which you want Dolibarr to create automatically in Agenda. If nothing is checked, only manual actions will be included in logs and displayed in Agenda. Automatic tracking of business actions done on objects (validation, status change) will not be saved. -AgendaSetupOtherDesc= This page provides options to allow the export of your Dolibarr events into an external calendar (Thunderbird, Google Calendar etc...) +AgendaAutoActionDesc= Ovdje možete definirati događaje koje želite da Dolibarr automatski kreira u Agendi. Ako ništa nije označeno, samo ručne radnje će biti uključene u dnevnike i prikazane u dnevnom redu. Automatsko praćenje poslovnih radnji izvršenih na objektima (validacija, promjena statusa) neće se pohranjivati. +AgendaSetupOtherDesc= Ova stranica pruža opcije za omogućavanje izvoza vaših Dolibarr događaja u vanjski kalendar (Thunderbird, Google kalendar itd...) AgendaExtSitesDesc=Ova stranica omogućava definisanje eksternih izvora kalendara da vidite svoje događaje u Dolibarr agendi. ActionsEvents=Događaji za koje će Dolibarr stvoriti akciju u dnevni red automatski -EventRemindersByEmailNotEnabled=Event reminders by email was not enabled into %s module setup. +EventRemindersByEmailNotEnabled=Podsjetnici na događaje putem e-pošte nisu bili omogućeni u postavci %s modula. ##### Agenda event labels ##### NewCompanyToDolibarr=Kreirana treća strana %s -COMPANY_MODIFYInDolibarr=Third party %s modified -COMPANY_DELETEInDolibarr=Third party %s deleted +COMPANY_MODIFYInDolibarr=Treća strana %s modificirana +COMPANY_DELETEInDolibarr=%s treće strane je izbrisan ContractValidatedInDolibarr=Ugovor %s potvrđen -CONTRACT_DELETEInDolibarr=Contract %s deleted +CONTRACT_DELETEInDolibarr=Ugovor %s izbrisan PropalClosedSignedInDolibarr=Prijedlog %s potpisan PropalClosedRefusedInDolibarr=Prijedlog %s odbijen PropalValidatedInDolibarr=Prijedlog %s potvrđen +PropalBackToDraftInDolibarr=Prijedlog %s vrati se na status nacrta PropalClassifiedBilledInDolibarr=Prijedlog %s klasificiran kao fakturisan InvoiceValidatedInDolibarr=Faktura %s potvrđena InvoiceValidatedInDolibarrFromPos=Račun %s odobren na POSu @@ -53,20 +54,23 @@ InvoiceDeleteDolibarr=Faktura %s obrisana InvoicePaidInDolibarr=Faktura %s promijenjena u status plaćeno InvoiceCanceledInDolibarr=Faktura %s otkazana MemberValidatedInDolibarr=Član %s potvrđen -MemberModifiedInDolibarr=Member %s modified +MemberModifiedInDolibarr=Član %s izmijenjen MemberResiliatedInDolibarr=Član %s ugašen MemberDeletedInDolibarr=Član%s obrisan -MemberSubscriptionAddedInDolibarr=Subscription %s for member %s added -MemberSubscriptionModifiedInDolibarr=Subscription %s for member %s modified -MemberSubscriptionDeletedInDolibarr=Subscription %s for member %s deleted +MemberExcludedInDolibarr=Član %s isključen +MemberSubscriptionAddedInDolibarr=Dodana je pretplata %s za člana %s +MemberSubscriptionModifiedInDolibarr=Izmijenjena pretplata %s za člana %s +MemberSubscriptionDeletedInDolibarr=Pretplata %s za člana %s je izbrisana ShipmentValidatedInDolibarr=Pošiljka %s odobrena -ShipmentClassifyClosedInDolibarr=Shipment %s classified billed -ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified re-open -ShipmentBackToDraftInDolibarr=Shipment %s go back to draft status -ShipmentDeletedInDolibarr=Shipment %s deleted -ShipmentCanceledInDolibarr=Shipment %s canceled -ReceptionValidatedInDolibarr=Reception %s validated -OrderCreatedInDolibarr=Order %s created +ShipmentClassifyClosedInDolibarr=Pošiljka %s klasificirana zatvorena +ShipmentUnClassifyCloseddInDolibarr=Pošiljka %s klasificirana ponovo otvorena +ShipmentBackToDraftInDolibarr=Pošiljka %s vrati se na status nacrta +ShipmentDeletedInDolibarr=Pošiljka %s izbrisana +ShipmentCanceledInDolibarr=Isporuka %s otkazana +ReceptionValidatedInDolibarr=Prijem %s potvrđen +ReceptionDeletedInDolibarr=Prijem %s izbrisan +ReceptionClassifyClosedInDolibarr=Prijem %s klasificiran zatvoren +OrderCreatedInDolibarr=Narudžba %s kreirana OrderValidatedInDolibarr=Narudžba %s potvrđena OrderDeliveredInDolibarr=Narudžba %s klasificirana kao isporučena OrderCanceledInDolibarr=Narudžba %s otkazana @@ -74,67 +78,72 @@ OrderBilledInDolibarr=Narudžba %s klasificirana kao fakturisana OrderApprovedInDolibarr=Narudžba %s odobrena OrderRefusedInDolibarr=Narudžba %s odbijena OrderBackToDraftInDolibarr=NArudžbu %s vratiti u status izrade -ProposalSentByEMail=Commercial proposal %s sent by email -ContractSentByEMail=Contract %s sent by email -OrderSentByEMail=Sales order %s sent by email -InvoiceSentByEMail=Customer invoice %s sent by email -SupplierOrderSentByEMail=Purchase order %s sent by email -ORDER_SUPPLIER_DELETEInDolibarr=Purchase order %s deleted -SupplierInvoiceSentByEMail=Vendor invoice %s sent by email -ShippingSentByEMail=Shipment %s sent by email +ProposalSentByEMail=Komercijalni prijedlog %s poslan e-poštom +ContractSentByEMail=Ugovor %s poslan e-poštom +OrderSentByEMail=Prodajna narudžba %s poslana e-poštom +InvoiceSentByEMail=Račun klijenta %s poslan e-poštom +SupplierOrderSentByEMail=Narudžbenica %s poslana e-poštom +ORDER_SUPPLIER_DELETEInDolibarr=Narudžbenica %s izbrisana +SupplierInvoiceSentByEMail=Faktura dobavljača %s poslana e-poštom +ShippingSentByEMail=Pošiljka %s poslana e-poštom ShippingValidated= Pošiljka %s odobrena -InterventionSentByEMail=Intervention %s sent by email +InterventionSentByEMail=Intervencija %s poslana e-poštom +ProjectSentByEMail=Projekat %s poslan e-poštom +ProjectDeletedInDolibarr=Projekat %s je izbrisan +ProjectClosedInDolibarr=Projekat %s zatvoren ProposalDeleted=Ponuda obrisana OrderDeleted=Narudžba obrisana InvoiceDeleted=Faktura obrisana -DraftInvoiceDeleted=Draft invoice deleted -CONTACT_CREATEInDolibarr=Contact %s created -CONTACT_MODIFYInDolibarr=Contact %s modified -CONTACT_DELETEInDolibarr=Contact %s deleted -PRODUCT_CREATEInDolibarr=Product %s created -PRODUCT_MODIFYInDolibarr=Product %s modified -PRODUCT_DELETEInDolibarr=Product %s deleted -HOLIDAY_CREATEInDolibarr=Request for leave %s created -HOLIDAY_MODIFYInDolibarr=Request for leave %s modified -HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated -HOLIDAY_DELETEInDolibarr=Request for leave %s deleted -EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created -EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated -EXPENSE_REPORT_APPROVEInDolibarr=Expense report %s approved -EXPENSE_REPORT_DELETEInDolibarr=Expense report %s deleted -EXPENSE_REPORT_REFUSEDInDolibarr=Expense report %s refused -PROJECT_CREATEInDolibarr=Project %s created -PROJECT_MODIFYInDolibarr=Project %s modified -PROJECT_DELETEInDolibarr=Project %s deleted -TICKET_CREATEInDolibarr=Ticket %s created -TICKET_MODIFYInDolibarr=Ticket %s modified -TICKET_ASSIGNEDInDolibarr=Ticket %s assigned -TICKET_CLOSEInDolibarr=Ticket %s closed -TICKET_DELETEInDolibarr=Ticket %s deleted -BOM_VALIDATEInDolibarr=BOM validated -BOM_UNVALIDATEInDolibarr=BOM unvalidated -BOM_CLOSEInDolibarr=BOM disabled -BOM_REOPENInDolibarr=BOM reopen -BOM_DELETEInDolibarr=BOM deleted -MRP_MO_VALIDATEInDolibarr=MO validated -MRP_MO_UNVALIDATEInDolibarr=MO set to draft status -MRP_MO_PRODUCEDInDolibarr=MO produced -MRP_MO_DELETEInDolibarr=MO deleted -MRP_MO_CANCELInDolibarr=MO canceled -PAIDInDolibarr=%s paid +DraftInvoiceDeleted=Nacrt fakture je izbrisan +CONTACT_CREATEInDolibarr=Kontakt %s kreiran +CONTACT_MODIFYInDolibarr=Kontakt %s izmijenjen +CONTACT_DELETEInDolibarr=Kontakt %s izbrisan +PRODUCT_CREATEInDolibarr=Proizvod %s kreiran +PRODUCT_MODIFYInDolibarr=Proizvod %s izmijenjen +PRODUCT_DELETEInDolibarr=Proizvod %s izbrisan +HOLIDAY_CREATEInDolibarr=Zahtjev za odsustvo %s kreiran +HOLIDAY_MODIFYInDolibarr=Zahtjev za odsustvo %s izmijenjen +HOLIDAY_APPROVEInDolibarr=Zahtjev za odsustvo %s odobren +HOLIDAY_VALIDATEInDolibarr=Zahtjev za odsustvo %s potvrđen +HOLIDAY_DELETEInDolibarr=Zahtjev za odsustvo %s izbrisan +EXPENSE_REPORT_CREATEInDolibarr=Izvještaj o troškovima %s kreiran +EXPENSE_REPORT_VALIDATEInDolibarr=Izvještaj o troškovima %s potvrđen +EXPENSE_REPORT_APPROVEInDolibarr=Izvještaj o troškovima %s odobren +EXPENSE_REPORT_DELETEInDolibarr=Izvještaj o troškovima %s izbrisan +EXPENSE_REPORT_REFUSEDInDolibarr=Izvještaj o troškovima %s odbijen +PROJECT_CREATEInDolibarr=Projekt %s kreiran +PROJECT_MODIFYInDolibarr=Projekt %s izmijenjen +PROJECT_DELETEInDolibarr=Projekat %s je izbrisan +TICKET_CREATEInDolibarr=Karta %s kreirana +TICKET_MODIFYInDolibarr=Ulaznica %s izmijenjena +TICKET_ASSIGNEDInDolibarr=Ulaznica %s dodijeljena +TICKET_CLOSEInDolibarr=Ulaznica %s zatvorena +TICKET_DELETEInDolibarr=Ulaznica %s izbrisana +BOM_VALIDATEInDolibarr=BOM validiran +BOM_UNVALIDATEInDolibarr=BOM nije validiran +BOM_CLOSEInDolibarr=BOM onemogućen +BOM_REOPENInDolibarr=BOM ponovo otvoren +BOM_DELETEInDolibarr=BOM izbrisan +MRP_MO_VALIDATEInDolibarr=MO validiran +MRP_MO_UNVALIDATEInDolibarr=MO postavljen na status drafta +MRP_MO_PRODUCEDInDolibarr=MO proizveden +MRP_MO_DELETEInDolibarr=MO izbrisan +MRP_MO_CANCELInDolibarr=MO otkazan +PAIDInDolibarr=%s plaćeno +ENABLEDISABLEInDolibarr=Korisnik je omogućen ili onemogućen +CANCELInDolibarr=Otkazan ##### End agenda events ##### -AgendaModelModule=Document templates for event +AgendaModelModule=Predlošci dokumenata za događaj DateActionStart=Datum početka DateActionEnd=Datum završetka AgendaUrlOptions1=Također možete dodati sljedeće parametre za filtriranje prikazanog: -AgendaUrlOptions3=logina=%s to restrict output to actions owned by a user %s. -AgendaUrlOptionsNotAdmin=logina=!%s to restrict output to actions not owned by user %s. -AgendaUrlOptions4=logint=%s to restrict output to actions assigned to user %s (owner and others). -AgendaUrlOptionsProject=project=__PROJECT_ID__ to restrict output to actions linked to project __PROJECT_ID__. -AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto to exclude automatic events. -AgendaUrlOptionsIncludeHolidays=includeholidays=1 to include events of holidays. -AgendaShowBirthdayEvents=Birthdays of contacts +AgendaUrlOptions3=logina=%s za ograničavanje izlaza na radnje u vlasništvu korisnika %s. +AgendaUrlOptionsNotAdmin=logina=!%s za ograničavanje izlaza na radnje koje nisu u vlasništvu korisnik %s. +AgendaUrlOptions4=logint=%s za ograničavanje izlaza na radnje koje su dodijeljene korisniku span class='notranslate'>
      %s (vlasnik ostali). +AgendaUrlOptionsProject=project=__PROJECT_ID__ za ograničavanje izlaza na radnje povezane s projektom 36aee88736aee87 __PROJECT_ID__. +AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto da isključite automatske događaje. +AgendaUrlOptionsIncludeHolidays=includeholidays=1 da uključi događaje praznika. +AgendaShowBirthdayEvents=Rođendani kontakata AgendaHideBirthdayEvents=Sakrij rođendane kontakata Busy=Zauzet ExportDataset_event1=Lista događaja u agendi @@ -143,7 +152,7 @@ DefaultWorkingHours=Postavljeni radni sati u danu (naprimjer: 9-18) # External Sites ical ExportCal=Export kalendara ExtSites=Import eksternih kalendara -ExtSitesEnableThisTool=Show external calendars (defined in global setup) in Agenda. Does not affect external calendars defined by users. +ExtSitesEnableThisTool=Prikaži eksterne kalendare (definisane u globalnom podešavanju) u dnevnom redu. Ne utiče na eksterne kalendare koje definišu korisnici. ExtSitesNbOfAgenda=Broj kalendara AgendaExtNb=Kalendar br. %s ExtSiteUrlAgenda=URL za pristup .ical fajla @@ -156,19 +165,43 @@ ActionType=Vrsta događaja DateActionBegin=Početni datum događaja ConfirmCloneEvent=Jeste li sigurni da želite duplirati događaj %s? RepeatEvent=Ponovi događaj -OnceOnly=Once only +OnceOnly=Samo jednom +EveryDay=Svaki dan EveryWeek=Svake sedmice EveryMonth=Svakog mjeseca DayOfMonth=Dan u mjesecu DayOfWeek=Dan u sedmici DateStartPlusOne=Datum početka + 1 sat -SetAllEventsToTodo=Set all events to todo -SetAllEventsToInProgress=Set all events to in progress -SetAllEventsToFinished=Set all events to finished -ReminderTime=Reminder period before the event -TimeType=Duration type -ReminderType=Callback type -AddReminder=Create an automatic reminder notification for this event -ErrorReminderActionCommCreation=Error creating the reminder notification for this event -BrowserPush=Browser Popup Notification -ActiveByDefault=Enabled by default +SetAllEventsToTodo=Postavite sve događaje na obaveze +SetAllEventsToInProgress=Postavite sve događaje na u toku +SetAllEventsToFinished=Postavite sve događaje na gotove +ReminderTime=Period podsjetnika prije događaja +TimeType=Vrsta trajanja +ReminderType=Vrsta povratnog poziva +AddReminder=Kreirajte automatsko obavještenje o podsjetniku za ovaj događaj +ErrorReminderActionCommCreation=Greška pri kreiranju obavještenja o podsjetniku za ovaj događaj +BrowserPush=Obavijest o iskačućem prozoru preglednika +Reminders=Podsjetnici +ActiveByDefault=Omogućeno prema zadanim postavkama +Until=do +DataFromWasMerged=Podaci iz %s su spojeni +AgendaShowBookcalCalendar=Kalendar rezervacija: %s +MenuBookcalIndex=Online termin +BookcalLabelAvailabilityHelp=Oznaka raspona dostupnosti. Na primjer:
      Opća dostupnost
      Dostupnost tokom božićnih praznika +DurationOfRange=Trajanje raspona +BookCalSetup = Postavljanje online termina +Settings = Postavke +BookCalSetupPage = Stranica za postavljanje termina na mreži +BOOKCAL_PUBLIC_INTERFACE_TOPIC = Naslov interfejsa +About = O programu +BookCalAbout = O BookCal-u +BookCalAboutPage = BookCal o stranici +Calendars=Kalendari +Availabilities=Dostupnost +NewAvailabilities=Nove dostupnosti +NewCalendar=Novi kalendar +ThirdPartyBookCalHelp=Događaj rezerviran u ovom kalendaru će se automatski povezati s ovom trećom stranom. +AppointmentDuration = Trajanje termina : %s +BookingSuccessfullyBooked=Vaša rezervacija je sačuvana +BookingReservationHourAfter=Potvrđujemo rezervaciju našeg sastanka na datum %s +BookcalBookingTitle=Online termin diff --git a/htdocs/langs/bs_BA/bills.lang b/htdocs/langs/bs_BA/bills.lang index c831ea389bb..fcf7c3cc88f 100644 --- a/htdocs/langs/bs_BA/bills.lang +++ b/htdocs/langs/bs_BA/bills.lang @@ -13,7 +13,7 @@ BillsStatistics=Statistika faktura kupaca BillsStatisticsSuppliers=Statistika računa dobavljača DisabledBecauseDispatchedInBookkeeping=Onemogućeno jer je faktura proslijeđena računovodstvu DisabledBecauseNotLastInvoice=Onemogućeno jer se račun ne može obrisati. Neki računi su evidentirane nakon ove i ona može napraviti rupe u brojaču. -DisabledBecauseNotLastSituationInvoice=Disabled because invoice is not erasable. This invoice is not the last one in situation invoice cycle. +DisabledBecauseNotLastSituationInvoice=Onemogućeno jer se faktura ne može izbrisati. Ova faktura nije posljednja u ciklusu situacija. DisabledBecauseNotErasable=Onemogućeno jer se ne može brisati InvoiceStandard=Standardna faktura InvoiceStandardAsk=Standardna faktura @@ -26,15 +26,15 @@ InvoiceProForma=Predračun InvoiceProFormaAsk=Predračun InvoiceProFormaDesc=Predračun izgleda isto kao račun, ali nema računovodstvene vrijednosti. InvoiceReplacement=Zamjenska faktura -InvoiceReplacementShort=Replacement +InvoiceReplacementShort=Zamjena InvoiceReplacementAsk=Zamjenska faktura za fakturu -InvoiceReplacementDesc=Replacement invoice is used to completely replace an invoice with no payment already received.

      Note: Only invoices with no payment on it can be replaced. If the invoice you replace is not yet closed, it will be automatically closed to 'abandoned'. +InvoiceReplacementDesc=Zamjenska faktura se koristi za potpunu zamjenu fakture bez već primljene uplate.b0342bzcf
      Napomena: Mogu se zamijeniti samo fakture bez plaćanja. Ako faktura koju zamjenjujete još nije zatvorena, automatski će biti zatvorena u 'napuštena'. InvoiceAvoir=Knjižna obavijest InvoiceAvoirAsk=Knjižna obavijest za korekciju računa -InvoiceAvoirDesc=The credit note is a negative invoice used to correct the fact that an invoice shows an amount that differs from the amount actually paid (eg the customer paid too much by mistake, or will not pay the complete amount since some products were returned). +InvoiceAvoirDesc=kreditna zabilješka je negativna faktura koja se koristi za ispravljanje činjenice da faktura pokazuje iznos koji se razlikuje od stvarnog iznosa plaćeno (npr. kupac je greškom platio previše, ili neće platiti cijeli iznos jer su neki proizvodi vraćeni). invoiceAvoirWithLines=Napravi knjižnu obavijest sa stavkama iz originalne fakture -invoiceAvoirWithPaymentRestAmount=Create Credit Note with remaining unpaid of origin invoice -invoiceAvoirLineWithPaymentRestAmount=Credit Note for remaining unpaid amount +invoiceAvoirWithPaymentRestAmount=Kreirajte kreditno pismo sa preostalom neplaćenom fakturom porekla +invoiceAvoirLineWithPaymentRestAmount=Kredit za preostali neplaćeni iznos ReplaceInvoice=Zamijeni fakturu %s ReplacementInvoice=Zamjenska faktura ReplacedByInvoice=Zamijenjeno sa fakturom %s @@ -44,7 +44,7 @@ CorrectionInvoice=Ispravak fakture UsedByInvoice=Upotrebljeno za plaćanje fakture %s ConsumedBy=Utrošeno od strane NotConsumed=Nije utrošeno -NoReplacableInvoice=No replaceable invoices +NoReplacableInvoice=Nema zamjenjivih faktura NoInvoiceToCorrect=Nema fakture za ispravljanje InvoiceHasAvoir=je bila izvor jedne ili više knjižnih obavijesti CardBill=Kartica fakture @@ -56,51 +56,51 @@ InvoiceLine=Tekst fakture InvoiceCustomer=Faktura kupca CustomerInvoice=Faktura kupca CustomersInvoices=Fakture kupaca -SupplierInvoice=Vendor invoice +SupplierInvoice=Račun dobavljača SuppliersInvoices=Fakture prodavača -SupplierInvoiceLines=Vendor invoice lines -SupplierBill=Vendor invoice +SupplierInvoiceLines=Linije faktura dobavljača +SupplierBill=Račun dobavljača SupplierBills=Fakture prodavača Payment=Uplata PaymentBack=Refund CustomerInvoicePaymentBack=Refund Payments=Uplate -PaymentsBack=Refunds +PaymentsBack=Povrat novca paymentInInvoiceCurrency=u valuti faktura PaidBack=Uplaćeno nazad DeletePayment=Obriši uplatu ConfirmDeletePayment=Da li ste sigurni da želite obrisati ovu uplatu? -ConfirmConvertToReduc=Do you want to convert this %s into an available credit? -ConfirmConvertToReduc2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this customer. -ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit? -ConfirmConvertToReducSupplier2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this vendor. -SupplierPayments=Vendor payments +ConfirmConvertToReduc=Želite li ovaj %s pretvoriti u dostupan kredit? +ConfirmConvertToReduc2=Iznos će biti sačuvan među svim popustima i koji se mogu koristiti kao popust za trenutnu ili buduću fakturu za ovog kupca. +ConfirmConvertToReducSupplier=Želite li ovaj %s pretvoriti u dostupan kredit? +ConfirmConvertToReducSupplier2=Iznos će biti sačuvan među svim popustima i koji se mogu koristiti kao popust za trenutnu ili buduću fakturu za ovog dobavljača. +SupplierPayments=Plaćanja dobavljača ReceivedPayments=Primljene uplate ReceivedCustomersPayments=Primljene uplate od kupaca -PayedSuppliersPayments=Payments paid to vendors +PayedSuppliersPayments=Plaćanja dobavljačima ReceivedCustomersPaymentsToValid=Primljene uplate od kupaca za potvrditi PaymentsReportsForYear=Izvještaji o uplatama za %s PaymentsReports=Izvještaji o uplatama PaymentsAlreadyDone=Izvršene uplate -PaymentsBackAlreadyDone=Refunds already done +PaymentsBackAlreadyDone=Povrat novca je već izvršen PaymentRule=Pravilo plaćanja -PaymentMode=Payment method -PaymentModes=Payment methods -DefaultPaymentMode=Default Payment method -DefaultBankAccount=Default Bank Account -IdPaymentMode=Payment method (id) -CodePaymentMode=Payment method (code) -LabelPaymentMode=Payment method (label) -PaymentModeShort=Payment method -PaymentTerm=Payment Term -PaymentConditions=Payment Terms -PaymentConditionsShort=Payment Terms +PaymentMode=Način plaćanja +PaymentModes=Metode plaćanja +DefaultPaymentMode=Zadani način plaćanja +DefaultBankAccount=Zadani bankovni račun +IdPaymentMode=Način plaćanja (id) +CodePaymentMode=Način plaćanja (šifra) +LabelPaymentMode=Način plaćanja (oznaka) +PaymentModeShort=Način plaćanja +PaymentTerm=Rok plaćanja +PaymentConditions=Uslovi plaćanja +PaymentConditionsShort=Uslovi plaćanja PaymentAmount=Iznos plaćanja PaymentHigherThanReminderToPay=Uplata viša od zaostalog duga -HelpPaymentHigherThanReminderToPay=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess received for each overpaid invoice. -HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess paid for each overpaid invoice. +HelpPaymentHigherThanReminderToPay=Pažnja, iznos plaćanja jednog ili više računa je veći od nepodmirenog iznosa za plaćanje.
      Uredite svoj unos, u suprotnom potvrdite da i razmislite o kreiranju kreditne oznake za primljeni višak za svaku preplaćenu fakturu. +HelpPaymentHigherThanReminderToPaySupplier=Pažnja, iznos plaćanja jednog ili više računa je veći od nepodmirenog iznosa za plaćanje.
      Uredite svoj unos, u suprotnom potvrdite da i razmislite o kreiranju kreditne note za višak plaćen za svaku preplaćenu fakturu. ClassifyPaid=Označi kao 'Plaćeno' -ClassifyUnPaid=Classify 'Unpaid' +ClassifyUnPaid=Razvrstaj 'Neplaćeno' ClassifyPaidPartially=Označi kao 'Djelimično plaćeno' ClassifyCanceled=Označi kao 'Otkazano' ClassifyClosed=Označi kao 'Zaključeno' @@ -111,24 +111,24 @@ AddBill=Napravi račun ili knjižnu obavijest AddToDraftInvoices=Dodaj na uzorak fakture DeleteBill=Obriši fakturu SearchACustomerInvoice=Traži fakturu kupca -SearchASupplierInvoice=Search for a vendor invoice +SearchASupplierInvoice=Potražite fakturu dobavljača CancelBill=Otkaži fakturu SendRemindByMail=Pošalji opomenu na e-mail DoPayment=Unesi uplatu DoPaymentBack=Unesi refundaciju -ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into available credit -ConvertExcessPaidToReduc=Convert excess paid into available discount +ConvertToReduc=Označi kao kredit dostupan +ConvertExcessReceivedToReduc=Pretvorite primljeni višak u raspoloživi kredit +ConvertExcessPaidToReduc=Pretvorite višak plaćenog u raspoloživi popust EnterPaymentReceivedFromCustomer=Unesi uplate primljene od kupca EnterPaymentDueToCustomer=Unesi rok plaćanja za kupca DisabledBecauseRemainderToPayIsZero=Onemogućeno jer je ostatak duga nula -PriceBase=Base price +PriceBase=Osnovna cijena BillStatus=Status fakture -StatusOfGeneratedInvoices=Status of generated invoices +StatusOfAutoGeneratedInvoices=Status automatski generisanih faktura BillStatusDraft=Uzorak (Potrebna je potvrda) BillStatusPaid=Plaćeno -BillStatusPaidBackOrConverted=Credit note refund or marked as credit available -BillStatusConverted=Paid (ready for consumption in final invoice) +BillStatusPaidBackOrConverted=Povrat kredita ili označeno kao kredit dostupan +BillStatusConverted=Plaćeno (spremno za potrošnju u konačnom računu) BillStatusCanceled=Otkazano BillStatusValidated=Potvrđeno (Potrebno platiti) BillStatusStarted=Započeto @@ -138,8 +138,8 @@ BillStatusClosedUnpaid=Zaključeno (neplaćeno) BillStatusClosedPaidPartially=Plaćeno (djelimično) BillShortStatusDraft=Uzorak BillShortStatusPaid=Plaćeno -BillShortStatusPaidBackOrConverted=Refunded or converted -Refunded=Refunded +BillShortStatusPaidBackOrConverted=Povrat novca ili konverzija +Refunded=Refundirano BillShortStatusConverted=Plaćeno BillShortStatusCanceled=Otkazano BillShortStatusValidated=Potvrđeno @@ -149,157 +149,163 @@ BillShortStatusNotRefunded=Nije vraćeno BillShortStatusClosedUnpaid=Zaključeno BillShortStatusClosedPaidPartially=Plaćeno (djelimično) PaymentStatusToValidShort=Za potvrdu -ErrorVATIntraNotConfigured=Intra-Community VAT number not yet defined -ErrorNoPaiementModeConfigured=No default payment type defined. Go to Invoice module setup to fix this. -ErrorCreateBankAccount=Create a bank account, then go to Setup panel of Invoice module to define payment types +ErrorVATIntraNotConfigured=PDV broj unutar zajednice još nije definiran +ErrorNoPaiementModeConfigured=Nije definirana zadana vrsta plaćanja. Idite na podešavanje modula fakture da to popravite. +ErrorCreateBankAccount=Kreirajte bankovni račun, a zatim idite na panel za podešavanje modula Faktura da definirate vrste plaćanja ErrorBillNotFound=Faktura %s ne postoji -ErrorInvoiceAlreadyReplaced=Error, you tried to validate an invoice to replace invoice %s. But this one has already been replaced by invoice %s. +ErrorInvoiceAlreadyReplaced=Greška, pokušali ste potvrditi fakturu za zamjenu fakture %s. Ali ovaj je već zamijenjen fakturom %s. ErrorDiscountAlreadyUsed=Greška, popust se već koristi ErrorInvoiceAvoirMustBeNegative=Greška, na popravljenem računu mora biti negativni iznos -ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have an amount excluding tax positive (or null) +ErrorInvoiceOfThisTypeMustBePositive=Greška, ova vrsta fakture mora imati iznos bez poreza pozitivan (ili ništav) ErrorCantCancelIfReplacementInvoiceNotValidated=Greška, ne možete poništiti fakturu koju je zamijenila druga faktura a koja je još u statusu nacrta -ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=This part or another is already used so discount series cannot be removed. -ErrorInvoiceIsNotLastOfSameType=Error: The date of invoice %s is %s. It must be posterior or equal to last date for same type invoices (%s). Please change the invoice date. +ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Ovaj ili drugi dio se već koristi tako da se serija popusta ne može ukloniti. +ErrorInvoiceIsNotLastOfSameType=Greška: Datum fakture %s je %s. Mora biti zadnji ili jednak posljednjem datumu za iste vrste faktura (%s). Molimo promijenite datum fakture. BillFrom=Od BillTo=Račun za -ShippingTo=Shipping to +ShippingTo=Dostava do ActionsOnBill=Aktivnosti na fakturi -RecurringInvoiceTemplate=Template / Recurring invoice -NoQualifiedRecurringInvoiceTemplateFound=No recurring template invoice qualified for generation. -FoundXQualifiedRecurringInvoiceTemplate=Found %s recurring template invoice(s) qualified for generation. -NotARecurringInvoiceTemplate=Not a recurring template invoice +ActionsOnBillRec=Radnje na računima koji se ponavljaju +RecurringInvoiceTemplate=Predložak / Ponavljajuća faktura +NoQualifiedRecurringInvoiceTemplateFound=Nijedan šablonski obrazac fakture nije kvalificiran za generiranje. +FoundXQualifiedRecurringInvoiceTemplate=%s ponavljajući šablon fakture(e) kvalificiran za generiranje. +NotARecurringInvoiceTemplate=Nije ponavljajući šablon fakture NewBill=Nova faktura LastBills=Posljednjih %s faktura -LatestTemplateInvoices=Latest %s template invoices -LatestCustomerTemplateInvoices=Latest %s customer template invoices -LatestSupplierTemplateInvoices=Latest %s vendor template invoices +LatestTemplateInvoices=Najnoviji %s predložak faktura +LatestCustomerTemplateInvoices=Najnoviji %s fakture klijenta +LatestSupplierTemplateInvoices=Najnoviji %s predložak faktura dobavljača LastCustomersBills=Posljednjih %s faktura kupaca -LastSuppliersBills=Latest %s vendor invoices +LastSuppliersBills=Najnovije %s fakture dobavljača AllBills=Sve fakture -AllCustomerTemplateInvoices=All template invoices +AllCustomerTemplateInvoices=Svi šabloni faktura OtherBills=Ostale fakture DraftBills=Nacrt fakture CustomersDraftInvoices=Nacrti faktura kupcima -SuppliersDraftInvoices=Vendor draft invoices +SuppliersDraftInvoices=Nacrti faktura dobavljača Unpaid=Neplaćeno -ErrorNoPaymentDefined=Error No payment defined +ErrorNoPaymentDefined=Greška Nije definirano plaćanje ConfirmDeleteBill=Da li ste sigurni da želite obrisati ovu fakturu? -ConfirmValidateBill=Are you sure you want to validate this invoice with reference %s? +ConfirmValidateBill=Jeste li sigurni da želite potvrditi ovu fakturu s referencom %s? ConfirmUnvalidateBill=Da li ste sigurni da želite promijeniti status fakture %s u nacrtu? -ConfirmClassifyPaidBill=Are you sure you want to change invoice %s to status paid? -ConfirmCancelBill=Are you sure you want to cancel invoice %s? -ConfirmCancelBillQuestion=Why do you want to classify this invoice 'abandoned'? -ConfirmClassifyPaidPartially=Are you sure you want to change invoice %s to status paid? -ConfirmClassifyPaidPartiallyQuestion=This invoice has not been paid completely. What is the reason for closing this invoice? -ConfirmClassifyPaidPartiallyReasonAvoir=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I regularize the VAT with a credit note. -ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. -ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I accept to lose the VAT on this discount. -ConfirmClassifyPaidPartiallyReasonDiscountVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I recover the VAT on this discount without a credit note. +ConfirmClassifyPaidBill=Jeste li sigurni da želite promijeniti fakturu %s u status plaćeno ? +ConfirmCancelBill=Jeste li sigurni da želite otkazati fakturu %s? +ConfirmCancelBillQuestion=Zašto ovu fakturu želite klasificirati kao napuštenu? +ConfirmClassifyPaidPartially=Jeste li sigurni da želite promijeniti fakturu %s u status plaćeno ? +ConfirmClassifyPaidPartiallyQuestion=Ova faktura nije u potpunosti plaćena. Koji je razlog zatvaranja ove fakture? +ConfirmClassifyPaidPartiallyReasonAvoir=Preostalo neplaćeno (%s %s)%s %s) je popust koji se odobrava jer je plaćanje izvršeno prije roka. PDV regulišem dobropisom. +ConfirmClassifyPaidPartiallyReasonDiscount=Preostalo neplaćeno (%s %s)%s %s) je popust koji se odobrava jer je plaćanje izvršeno prije roka. +ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Preostalo neplaćeno (%s %s)%s %s) je popust koji se odobrava jer je plaćanje izvršeno prije roka. Pristajem da izgubim PDV na ovaj popust. +ConfirmClassifyPaidPartiallyReasonDiscountVat=Preostalo neplaćeno (%s %s)%s %s) je popust koji se odobrava jer je plaćanje izvršeno prije roka. Vraćam PDV na ovaj popust bez kreditne note. ConfirmClassifyPaidPartiallyReasonBadCustomer=Loš kupac -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) -ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax +ConfirmClassifyPaidPartiallyReasonBadSupplier=Loš prodavac +ConfirmClassifyPaidPartiallyReasonBankCharge=Odbitak po banci (provizija posredničke banke) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=Porez po odbitku ConfirmClassifyPaidPartiallyReasonProductReturned=Proizvodi djelimično vraćeni ConfirmClassifyPaidPartiallyReasonOther=Iznos otkazan zbog drugog razloga -ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=This choice is possible if your invoice has been provided with suitable comments. (Example «Only the tax corresponding to the price that has been actually paid gives rights to deduction») -ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=In some countries, this choice might be possible only if your invoice contains correct notes. +ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=Ovaj izbor je moguć ako je vaša faktura dostavljena sa odgovarajućim komentarima. (Primjer «Samo porez koji odgovara cijeni koja je stvarno plaćena daje pravo na odbitak») +ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=U nekim zemljama ovaj izbor može biti moguć samo ako vaša faktura sadrži ispravne napomene. ConfirmClassifyPaidPartiallyReasonAvoirDesc=Koristiti ovaj izbor samo ako nije drugi nije zadovoljavajući -ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=A bad customer is a customer that refuses to pay his debt. +ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=loš kupac je kupac koji odbija da plati svoj dug. ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Ovaj izbor se koristi kada uplata nije završena zbog povrata nekih proizvoda -ConfirmClassifyPaidPartiallyReasonBankChargeDesc=The unpaid amount is intermediary bank fees, deducted directly from the correct amount paid by the Customer. -ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax -ConfirmClassifyPaidPartiallyReasonOtherDesc=Use this choice if all others are not suitable, for example in following situation:
      - payment not complete because some products were shipped back
      - amount claimed too important because a discount was forgotten
      In all cases, amount over-claimed must be corrected in accountancy system by creating a credit note. +ConfirmClassifyPaidPartiallyReasonBankChargeDesc=Neplaćeni iznos je provizije posredničke banke, oduzet direktno od b0aee83f365 >tačan iznos
      koji je platio Kupac. +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=Neplaćeni iznos nikada neće biti plaćen jer se radi o porezu po odbitku +ConfirmClassifyPaidPartiallyReasonOtherDesc=Koristite ovaj izbor ako svi ostali nisu prikladni, na primjer u sljedećoj situaciji:
      - plaćanje nije završeno jer su neki proizvodi vraćeni
      span>- traženi iznos je previše važan jer je popust zaboravljen
      U svim slučajevima, prekomjerno traženi iznos se mora ispraviti u računovodstvenom sistemu kreiranjem kreditne note. +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=loš dobavljač je dobavljač kojeg odbijamo platiti. ConfirmClassifyAbandonReasonOther=Ostalo ConfirmClassifyAbandonReasonOtherDesc=Ovaj izbor se koristi u svim drugih slučajevima. Naprimjer, zbog toga sto planiranje kreirati zamjensku fakturu. ConfirmCustomerPayment=Da li odobravate unos ovo plaćanja za %s %s? ConfirmSupplierPayment=Da li odobravate unos ovo plaćanja za %s %s? ConfirmValidatePayment=Da li ste sigurni da želite odobriti ovo plaćanje? Poslije toga neće biti moguće izmjene ovog plaćanja. ValidateBill=Potvrdi fakturu -UnvalidateBill=Otkaži potvrdu fakture -NumberOfBills=No. of invoices -NumberOfBillsByMonth=No. of invoices per month +UnvalidateBill=Nevažeća faktura +NumberOfBills=br. faktura +NumberOfBillsByMonth=Broj faktura po mjesecu AmountOfBills=Iznos faktura -AmountOfBillsHT=Amount of invoices (net of tax) +AmountOfBillsHT=Iznos faktura (bez poreza) AmountOfBillsByMonthHT=Iznos faktura po mjesecu (bez PDV-a) -UseSituationInvoices=Allow situation invoice -UseSituationInvoicesCreditNote=Allow situation invoice credit note -Retainedwarranty=Retained warranty -AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices -RetainedwarrantyDefaultPercent=Retained warranty default percent -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation -ToPayOn=To pay on %s -toPayOn=to pay on %s -RetainedWarranty=Retained Warranty -PaymentConditionsShortRetainedWarranty=Retained warranty payment terms -DefaultPaymentConditionsRetainedWarranty=Default retained warranty payment terms -setPaymentConditionsShortRetainedWarranty=Set retained warranty payment terms -setretainedwarranty=Set retained warranty -setretainedwarrantyDateLimit=Set retained warranty date limit -RetainedWarrantyDateLimit=Retained warranty date limit -RetainedWarrantyNeed100Percent=The situation invoice need to be at 100%% progress to be displayed on PDF +UseSituationInvoices=Dozvoli situacija +UseSituationInvoicesCreditNote=Dozvoli situacija kreditno pismo +Retainedwarranty=Zadržana garancija +AllowedInvoiceForRetainedWarranty=Zadržana garancija koja se može koristiti za sljedeće vrste računa +RetainedwarrantyDefaultPercent=Procenat zadržane garancije +RetainedwarrantyOnlyForSituation=Učinite "zadržanu garanciju" dostupnom samo za fakture situacije +RetainedwarrantyOnlyForSituationFinal=Na računima situacije globalni odbitak "zadržane garancije" primjenjuje se samo na konačnu situaciju +ToPayOn=Za plaćanje na %s +toPayOn=platiti na %s +RetainedWarranty=Zadržana garancija +PaymentConditionsShortRetainedWarranty=Uslovi plaćanja zadržane garancije +DefaultPaymentConditionsRetainedWarranty=Zadani uslovi plaćanja zadržane garancije +setPaymentConditionsShortRetainedWarranty=Postavite uslove plaćanja zadržane garancije +setretainedwarranty=Postavljena zadržana garancija +setretainedwarrantyDateLimit=Postavite ograničenje roka zadržavanja garancije +RetainedWarrantyDateLimit=Ograničenje roka zadržavanja garancije +RetainedWarrantyNeed100Percent=situacija mora biti na 100%% napretka da bi se prikazao u PDF-u AlreadyPaid=Već plaćeno AlreadyPaidBack=Već izvršen povrat uplate AlreadyPaidNoCreditNotesNoDeposits=Već plaćeno (bez KO i avansa) Abandoned=Otkazano RemainderToPay=Ostalo neplaćeno -RemainderToPayMulticurrency=Remaining unpaid, original currency +RemainderToPayMulticurrency=Preostalo neplaćeno, originalna valuta RemainderToTake=Ostatak iznosa za naplatu -RemainderToTakeMulticurrency=Remaining amount to take, original currency +RemainderToTakeMulticurrency=Preostali iznos za preuzimanje, originalna valuta RemainderToPayBack=Ostatak iznosa za povrat -RemainderToPayBackMulticurrency=Remaining amount to refund, original currency -NegativeIfExcessRefunded=negative if excess refunded +RemainderToPayBackMulticurrency=Preostali iznos za povrat, originalna valuta +NegativeIfExcessReceived=negativan ako se primi višak +NegativeIfExcessRefunded=negativan ako se višak refundira +NegativeIfExcessPaid=negativan ako se plati višak Rest=Čekanje AmountExpected=Iznos za potraživati ExcessReceived=Višak primljen -ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received -ExcessPaid=Excess paid -ExcessPaidMulticurrency=Excess paid, original currency +ExcessReceivedMulticurrency=Primljeno višak, originalna valuta +ExcessPaid=Višak plaćen +ExcessPaidMulticurrency=Višak plaćeni, originalna valuta EscompteOffered=Popust ponuđen (uplata prije roka) EscompteOfferedShort=Popust SendBillRef=Slanje fakture %s -SendReminderBillRef=Submission of invoice %s (reminder) -SendPaymentReceipt=Submission of payment receipt %s +SendReminderBillRef=Dostavljanje fakture %s (podsjetnik) +SendPaymentReceipt=Dostavljanje potvrde o uplati %s NoDraftBills=Nema uzoraka faktura NoOtherDraftBills=Nema drugih uzoraka faktura NoDraftInvoices=Nema uzoraka faktura RefBill=Referenca fakture +RefSupplierBill=Račun dobavljača br +SupplierOrderCreateBill=Kreirajte fakturu ToBill=Za fakturisati RemainderToBill=Ostatak za naplatiti SendBillByMail=Pošalji fakturu na e-mail SendReminderBillByMail=Pošalji opomenu na e-mail RelatedCommercialProposals=Vezani poslovni prijedlozi -RelatedRecurringCustomerInvoices=Related recurring customer invoices +RelatedRecurringCustomerInvoices=Povezane periodične fakture kupaca MenuToValid=Za važeći -DateMaxPayment=Payment due on +DateMaxPayment=Plaćanje dospjelo DateInvoice=Datum fakture -DatePointOfTax=Point of tax +DatePointOfTax=Porezna tačka NoInvoice=Nema fakture -NoOpenInvoice=No open invoice -NbOfOpenInvoices=Number of open invoices +NoOpenInvoice=Nema otvorene fakture +NbOfOpenInvoices=Broj otvorenih faktura ClassifyBill=Označi fakturu SupplierBillsToPay=Neplaćene fakture dobavljača CustomerBillsUnpaid=Nenaplaćene fakture od kupca NonPercuRecuperable=Nepovratno -SetConditions=Set Payment Terms -SetMode=Set Payment Type -SetRevenuStamp=Set revenue stamp +SetConditions=Postavite uslove plaćanja +SetMode=Postavite vrstu plaćanja +SetRevenuStamp=Postavite marku prihoda Billed=Fakturisano -RecurringInvoices=Recurring invoices -RecurringInvoice=Recurring invoice -RecurringInvoiceSource=Source recurring invoice +RecurringInvoices=Ponavljajuće fakture +RecurringInvoice=Ponavljajuća faktura +RecurringInvoiceSource=Izvorna ponavljajuća faktura RepeatableInvoice=Šablonska faktura RepeatableInvoices=Šablonske fakture -RecurringInvoicesJob=Generation of recurring invoices (sales invoices) -RecurringSupplierInvoicesJob=Generation of recurring invoices (purchase invoices) +RecurringInvoicesJob=Generiranje periodičnih faktura (prodajnih faktura) +RecurringSupplierInvoicesJob=Generiranje periodičnih faktura (faktura za kupovinu) Repeatable=Šablon Repeatables=Šabloni ChangeIntoRepeatableInvoice=Pretvori u šablonsku fakturu CreateRepeatableInvoice=Napravi šablonsku fakturu CreateFromRepeatableInvoice=Napravi od šablonske fakture -CustomersInvoicesAndInvoiceLines=Customer invoices and invoice details +CustomersInvoicesAndInvoiceLines=Fakture klijenata i detalji fakture CustomersInvoicesAndPayments=Faktura kupaca i uplate -ExportDataset_invoice_1=Customer invoices and invoice details +ExportDataset_invoice_1=Fakture klijenata i detalji fakture ExportDataset_invoice_2=Faktura kupaca i uplate ProformaBill=Predračun: Reduction=Snižavanje @@ -314,104 +320,105 @@ AddGlobalDiscount=Dodaj popust EditGlobalDiscounts=Uredi absolutne popuste AddCreditNote=Ustvari dobropis ShowDiscount=Prikaži popust -ShowReduc=Show the discount -ShowSourceInvoice=Show the source invoice +ShowReduc=Pokažite popust +ShowSourceInvoice=Prikaži izvornu fakturu RelativeDiscount=Relativni popust GlobalDiscount=Globalni popust CreditNote=Dobropis CreditNotes=Dobropisi -CreditNotesOrExcessReceived=Credit notes or excess received +CreditNotesOrExcessReceived=Primljeni kreditni zapisi ili višak Deposit=Akontacija Deposits=Akontacije DiscountFromCreditNote=Popust z dobropisa %s DiscountFromDeposit=Akontacije po računu %s -DiscountFromExcessReceived=Payments in excess of invoice %s -DiscountFromExcessPaid=Payments in excess of invoice %s +DiscountFromExcessReceived=Uplate iznad fakture %s +DiscountFromExcessPaid=Uplate iznad fakture %s AbsoluteDiscountUse=Ova vrsta kredita može se koristiti na fakturi prije potvrde CreditNoteDepositUse=Faktura mora biti potvrđena da bi se koristio ova vrsta kredita NewGlobalDiscount=Nov fiksni popust -NewSupplierGlobalDiscount=New supplier absolute discount -NewClientGlobalDiscount=New client absolute discount +NewSupplierGlobalDiscount=Novi apsolutni popust za dobavljače +NewClientGlobalDiscount=Novi apsolutni popust za klijente NewRelativeDiscount=Nov relativni popust -DiscountType=Discount type +DiscountType=Vrsta popusta NoteReason=Bilješka/Razlog ReasonDiscount=Razlog DiscountOfferedBy=Odobreno od strane -DiscountStillRemaining=Discounts or credits available -DiscountAlreadyCounted=Discounts or credits already consumed -CustomerDiscounts=Customer discounts -SupplierDiscounts=Vendors discounts +DiscountStillRemaining=Dostupni su popusti ili krediti +DiscountAlreadyCounted=Popusti ili krediti su već potrošeni +CustomerDiscounts=Popusti za kupce +SupplierDiscounts=Popusti prodavaca BillAddress=Adresa fakture -HelpEscompte=This discount is a discount granted to customer because payment was made before term. -HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loss. -HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by another for example) -IdSocialContribution=Social/fiscal tax payment id +HelpEscompte=Ovaj popust je popust koji se odobrava kupcu jer je plaćanje izvršeno prije termina. +HelpAbandonBadCustomer=Ovaj iznos je napušten (za klijenta se kaže da je loš kupac) i se smatra izuzetnim gubitkom. +HelpAbandonOther=Ovaj iznos je napušten jer je bila greška (pogrešan kupac ili faktura zamijenjena drugim na primjer) +IdSocialContribution=ID plaćanja socijalnog/fiskalnog poreza PaymentId=ID uplate -PaymentRef=Payment ref. +PaymentRef=Plaćanje ref. +SourceInvoiceId=Source invoice id InvoiceId=ID fakture InvoiceRef=Referenca fakture InvoiceDateCreation=Datum kreiranja fakture InvoiceStatus=Status fakture InvoiceNote=Bilješka fakture InvoicePaid=Faktura plaćena -InvoicePaidCompletely=Paid completely -InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. -OrderBilled=Order billed -DonationPaid=Donation paid +InvoicePaidCompletely=U potpunosti plaćeno +InvoicePaidCompletelyHelp=Fakture koje su u potpunosti plaćene. Ovo isključuje fakture koje se plaćaju djelimično. Da biste dobili listu svih faktura 'Zatvoreno' ili ne 'Zatvoreno', radije koristite filter statusa fakture. +OrderBilled=Narudžba je naplaćena +DonationPaid=Donacija plaćena PaymentNumber=Broj uplate RemoveDiscount=Ukloni popust WatermarkOnDraftBill=Vodni žig na uzorku fakture (ništa, ako je prazno) InvoiceNotChecked=Nijedna faktura nije odabrana -ConfirmCloneInvoice=Are you sure you want to clone this invoice %s? +ConfirmCloneInvoice=Jeste li sigurni da želite klonirati ovu fakturu %s? DisabledBecauseReplacedInvoice=Akcija onemogućena jer faktura je zamijenjena -DescTaxAndDividendsArea=This area presents a summary of all payments made for special expenses. Only records with payments during the fixed year are included here. -NbOfPayments=No. of payments +DescTaxAndDividendsArea=Ovo područje predstavlja sažetak svih plaćanja za posebne troškove. Ovdje su uključeni samo zapisi sa isplatama tokom fiksne godine. +NbOfPayments=Broj uplata SplitDiscount=Razdvoji popust na dva -ConfirmSplitDiscount=Are you sure you want to split this discount of %s %s into two smaller discounts? -TypeAmountOfEachNewDiscount=Input amount for each of two parts: -TotalOfTwoDiscountMustEqualsOriginal=The total of the two new discounts must be equal to the original discount amount. -ConfirmRemoveDiscount=Are you sure you want to remove this discount? +ConfirmSplitDiscount=Jeste li sigurni da želite podijeliti ovaj popust od %s %s u dva manja popusta? +TypeAmountOfEachNewDiscount=Unesite iznos za svaki od dva dijela: +TotalOfTwoDiscountMustEqualsOriginal=Ukupan iznos dva nova popusta mora biti jednak originalnom iznosu popusta. +ConfirmRemoveDiscount=Jeste li sigurni da želite ukloniti ovaj popust? RelatedBill=Povezana faktura RelatedBills=Povezane fakture -RelatedCustomerInvoices=Related customer invoices -RelatedSupplierInvoices=Related vendor invoices +RelatedCustomerInvoices=Povezane fakture kupaca +RelatedSupplierInvoices=Povezane fakture dobavljača LatestRelatedBill=Posljednje povezane fakture -WarningBillExist=Warning, one or more invoices already exist -MergingPDFTool=Merging PDF tool -AmountPaymentDistributedOnInvoice=Payment amount distributed on invoice -PaymentOnDifferentThirdBills=Allow payments on different third parties bills but same parent company -PaymentNote=Payment note -ListOfPreviousSituationInvoices=List of previous situation invoices -ListOfNextSituationInvoices=List of next situation invoices -ListOfSituationInvoices=List of situation invoices -CurrentSituationTotal=Total current situation -DisabledBecauseNotEnouthCreditNote=To remove a situation invoice from cycle, this invoice's credit note total must cover this invoice total -RemoveSituationFromCycle=Remove this invoice from cycle -ConfirmRemoveSituationFromCycle=Remove this invoice %s from cycle ? -ConfirmOuting=Confirm outing +WarningBillExist=Upozorenje, jedna ili više faktura već postoje +MergingPDFTool=Alat za spajanje PDF-a +AmountPaymentDistributedOnInvoice=Iznos plaćanja raspoređen na fakturi +PaymentOnDifferentThirdBills=Dozvoljava plaćanja na račune različitih trećih strana, ali iste matične kompanije +PaymentNote=Bilješka o uplati +ListOfPreviousSituationInvoices=Spisak ranijih faktura situacije +ListOfNextSituationInvoices=Lista sljedećih faktura situacije +ListOfSituationInvoices=Spisak situacionih faktura +CurrentSituationTotal=Ukupno trenutno stanje +DisabledBecauseNotEnouthCreditNote=Da biste uklonili situacija iz ciklusa, ukupan iznos kreditne note ove fakture mora pokriti ovaj ukupni iznos fakture +RemoveSituationFromCycle=Uklonite ovu fakturu iz ciklusa +ConfirmRemoveSituationFromCycle=Ukloniti ovu fakturu %s iz ciklusa ? +ConfirmOuting=Potvrdite izlazak FrequencyPer_d=Svakih %s dana FrequencyPer_m=Svakih %s mjeseci FrequencyPer_y=Svakih %s godina -FrequencyUnit=Frequency unit -toolTipFrequency=Examples:
      Set 7, Day: give a new invoice every 7 days
      Set 3, Month: give a new invoice every 3 month -NextDateToExecution=Date for next invoice generation -NextDateToExecutionShort=Date next gen. -DateLastGeneration=Date of latest generation -DateLastGenerationShort=Date latest gen. -MaxPeriodNumber=Max. number of invoice generation -NbOfGenerationDone=Number of invoice generation already done -NbOfGenerationOfRecordDone=Number of record generation already done -NbOfGenerationDoneShort=Number of generation done -MaxGenerationReached=Maximum number of generations reached -InvoiceAutoValidate=Validate invoices automatically -GeneratedFromRecurringInvoice=Generated from template recurring invoice %s -DateIsNotEnough=Date not reached yet -InvoiceGeneratedFromTemplate=Invoice %s generated from recurring template invoice %s -GeneratedFromTemplate=Generated from template invoice %s -WarningInvoiceDateInFuture=Warning, the invoice date is higher than current date -WarningInvoiceDateTooFarInFuture=Warning, the invoice date is too far from current date -ViewAvailableGlobalDiscounts=View available discounts -GroupPaymentsByModOnReports=Group payments by mode on reports +FrequencyUnit=Jedinica frekvencije +toolTipFrequency=Primjeri:
      Set 7, dan: dajte novi invokator svakih 7 dana
      Set 3, mjesec: dajte novi faktura svaka 3 mjeseca +NextDateToExecution=Datum sljedećeg generisanja računa +NextDateToExecutionShort=Datum sljedeće gen. +DateLastGeneration=Datum najnovije generacije +DateLastGenerationShort=Datum najnovije gen. +MaxPeriodNumber=Max. broj generisanja računa +NbOfGenerationDone=Broj generisanja faktura je već urađen +NbOfGenerationOfRecordDone=Broj generisanja zapisa je već urađen +NbOfGenerationDoneShort=Broj odrađenih generacija +MaxGenerationReached=Dostignut maksimalan broj generacija +InvoiceAutoValidate=Automatski potvrdite fakture +GeneratedFromRecurringInvoice=Generirano iz predloška ponavljajuće fakture %s +DateIsNotEnough=Datum još nije postignut +InvoiceGeneratedFromTemplate=Faktura %s generirana iz ponavljajuće šablonske fakture %s +GeneratedFromTemplate=Generirano iz predloška fakture %s +WarningInvoiceDateInFuture=Upozorenje, datum fakture je veći od trenutnog datuma +WarningInvoiceDateTooFarInFuture=Upozorenje, datum fakture je predaleko od trenutnog datuma +ViewAvailableGlobalDiscounts=Pogledajte dostupne popuste +GroupPaymentsByModOnReports=Grupirajte plaćanja po načinu rada na izvještajima # PaymentConditions Statut=Status PaymentConditionShortRECEP=Rok po preuzimanju @@ -432,30 +439,30 @@ PaymentConditionShortPT_5050=50-50 PaymentConditionPT_5050=50%% unaprijed, 50%% na isporuci PaymentConditionShort10D=10 dana PaymentCondition10D=10 dana -PaymentConditionShort10DENDMONTH=10 days of month-end -PaymentCondition10DENDMONTH=Within 10 days following the end of the month +PaymentConditionShort10DENDMONTH=10 dana od kraja mjeseca +PaymentCondition10DENDMONTH=U roku od 10 dana nakon kraja mjeseca PaymentConditionShort14D=14 dana PaymentCondition14D=14 dana -PaymentConditionShort14DENDMONTH=14 days of month-end -PaymentCondition14DENDMONTH=Within 14 days following the end of the month -PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit -PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit, remainder on delivery -FixAmount=Fixed amount - 1 line with label '%s' +PaymentConditionShort14DENDMONTH=14 dana od kraja mjeseca +PaymentCondition14DENDMONTH=U roku od 14 dana nakon kraja mjeseca +PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% depozit +PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% depozit, ostatak po isporuci +FixAmount=Fiksni iznos - 1 red s oznakom '%s' VarAmount=Varijabilni iznos (%% tot.) -VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' -VarAmountAllLines=Variable amount (%% tot.) - all lines from origin -DepositPercent=Deposit %% -DepositGenerationPermittedByThePaymentTermsSelected=This is permitted by the payment terms selected -GenerateDeposit=Generate a %s%% deposit invoice -ValidateGeneratedDeposit=Validate the generated deposit -DepositGenerated=Deposit generated -ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=You can only automatically generate a deposit from a proposal or an order -ErrorPaymentConditionsNotEligibleToDepositCreation=The chose payment conditions are not eligible for automatic deposit generation +VarAmountOneLine=Varijabilni iznos (%% tot.) - 1 red s oznakom '%s' +VarAmountAllLines=Varijabilni iznos (%% tot.) - svi redovi od početka +DepositPercent=Depozit %% +DepositGenerationPermittedByThePaymentTermsSelected=Ovo je dozvoljeno odabranim uslovima plaćanja +GenerateDeposit=Generirajte %s%% račun za depozit +ValidateGeneratedDeposit=Potvrdite generirani depozit +DepositGenerated=Depozit generiran +ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=Možete automatski generirati depozit samo iz ponude ili narudžbe +ErrorPaymentConditionsNotEligibleToDepositCreation=Odabrani uslovi plaćanja ne ispunjavaju uslove za automatsko generisanje depozita # PaymentType PaymentTypeVIR=Bankovna transakcija PaymentTypeShortVIR=Bankovna transakcija PaymentTypePRE=Direktni nalog za plaćanje -PaymentTypePREdetails=(on account %s...) +PaymentTypePREdetails=(na računu %s...) PaymentTypeShortPRE=Nalog za plaćanje PaymentTypeLIQ=Gotovina PaymentTypeShortLIQ=Gotovina @@ -465,32 +472,32 @@ PaymentTypeCHQ=Ček PaymentTypeShortCHQ=Ček PaymentTypeTIP=Akreditiv (Akreditivno pismo) PaymentTypeShortTIP=Plaćanje akreditivom -PaymentTypeVAD=Online payment -PaymentTypeShortVAD=Online payment +PaymentTypeVAD=Online plaćanje +PaymentTypeShortVAD=Online plaćanje PaymentTypeTRA=Povlačenje banke PaymentTypeShortTRA=Nacrt -PaymentTypeFAC=Factor -PaymentTypeShortFAC=Factor +PaymentTypeFAC=Faktor +PaymentTypeShortFAC=Faktor PaymentTypeDC=Debitna/kreditna kartica PaymentTypePP=PayPal BankDetails=Podaci o banki BankCode=Kod banke -DeskCode=Branch code +DeskCode=Šifra podružnice BankAccountNumber=Kod računa -BankAccountNumberKey=Checksum +BankAccountNumberKey=Kontrolni zbroj Residence=Adresa -IBANNumber=IBAN account number +IBANNumber=IBAN broj računa IBAN=IBAN -CustomerIBAN=IBAN of customer -SupplierIBAN=IBAN of vendor +CustomerIBAN=IBAN kupca +SupplierIBAN=IBAN dobavljača BIC=BIC/SWIFT -BICNumber=BIC/SWIFT code +BICNumber=BIC/SWIFT kod ExtraInfos=Dodatne informacije RegulatedOn=Uređen na ChequeNumber=Ček N° ChequeOrTransferNumber=Ček/Prenos N° -ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer sender +ChequeBordereau=Provjerite raspored +ChequeMaker=Pošiljalac čeka/transfera ChequeBank=Banka izdatog čeka CheckBank=Provjeri NetToBePaid=Neto za plaćanje @@ -498,35 +505,35 @@ PhoneNumber=Tel FullPhoneNumber=Telefon TeleFax=Fax PrettyLittleSentence=Potrjujem zneske pretečenih plačil s čeki, izdanimi v mojem imenu, kot član združenja računaodij potrjen s strani davčne administracije. -IntracommunityVATNumber=Intra-Community VAT ID -PaymentByChequeOrderedTo=Check payments (including tax) are payable to %s, send to -PaymentByChequeOrderedToShort=Check payments (incl. tax) are payable to +IntracommunityVATNumber=PDV ID unutar zajednice +PaymentByChequeOrderedTo=Uplate čekom (uključujući porez) se plaćaju na %s, pošaljite na +PaymentByChequeOrderedToShort=Plaćanje čekom (uključujući porez) se plaća na SendTo=pošalji na -PaymentByTransferOnThisBankAccount=Payment by transfer to the following bank account +PaymentByTransferOnThisBankAccount=Plaćanje transferom na sljedeći bankovni račun VATIsNotUsedForInvoice=* Nije primjenjiv PDV art-293B CGI -VATIsNotUsedForInvoiceAsso=* Non applicable VAT art-261-7 of CGI +VATIsNotUsedForInvoiceAsso=* Neprimjenjiv PDV art-261-7 CGI LawApplicationPart1=Primjenom zakon 80.335 of 12/05/80 LawApplicationPart2=roba ostaju vlasništvo od -LawApplicationPart3=the seller until full payment of +LawApplicationPart3=prodavac do pune isplate LawApplicationPart4=njihove vrijednosti. LimitedLiabilityCompanyCapital=d.o.o. s kapitalom UseLine=Primijeniti UseDiscount=Upotrijebi popust UseCredit=Upotrijebi kredit UseCreditNoteInInvoicePayment=Smanji iznos za platiti sa ovim kreditom -MenuChequeDeposits=Deposits slips +MenuChequeDeposits=Depoziti MenuCheques=Čekovi -MenuChequesReceipts=Deposit slips -NewChequeDeposit=New deposit slip -ChequesReceipts=Cheque deposit slips -DocumentsDepositArea=Deposit slip area -ChequesArea=Deposit slips area -ChequeDeposits=Deposit slips +MenuChequesReceipts=Uplatnice +NewChequeDeposit=Nova uplatnica +ChequesReceipts=Provjerite uplatnice +DocumentsDepositArea=Područje depozitnog lista +ChequesArea=Područje za polog +ChequeDeposits=Uplatnice Cheques=Čekovi -DepositId=Id deposit -NbCheque=Number of checks +DepositId=Id depozit +NbCheque=Broj provjera CreditNoteConvertedIntoDiscount=Ova %s je konvertirana u %s -UsBillingContactAsIncoiveRecipientIfExist=Use contact/address with type 'billing contact' instead of third-party address as recipient for invoices +UsBillingContactAsIncoiveRecipientIfExist=Koristite kontakt/adresu s tipom 'kontakt za naplatu' umjesto adrese treće strane kao primaoca faktura ShowUnpaidAll=Prikaži sve neplaćene fakture ShowUnpaidLateOnly=Prikaži samo zakašnjele neplaćene fakture PaymentInvoiceRef=Faktura za plaćanje %s @@ -536,105 +543,110 @@ Cash=Gotovina Reported=Odgođeno DisabledBecausePayments=Nije moguće jer ima nekoliko uplata CantRemovePaymentWithOneInvoicePaid=Ne može se obrisati uplata jer ima bar jedna faktura klasifikovana kao plaćena -CantRemovePaymentVATPaid=Can't remove payment since VAT declaration is classified paid -CantRemovePaymentSalaryPaid=Can't remove payment since salary is classified paid +CantRemovePaymentVATPaid=Nije moguće ukloniti plaćanje jer je PDV prijava klasifikovana kao plaćena +CantRemovePaymentSalaryPaid=Ne mogu ukloniti uplatu jer je plata klasifikovana isplaćena ExpectedToPay=Očekivano plaćanje -CantRemoveConciliatedPayment=Can't remove reconciled payment +CantRemoveConciliatedPayment=Nije moguće ukloniti usaglašenu uplatu PayedByThisPayment=Plaćeno ovom uplatom -ClosePaidInvoicesAutomatically=Classify automatically all standard, down payment or replacement invoices as "Paid" when payment is done entirely. -ClosePaidCreditNotesAutomatically=Classify automatically all credit notes as "Paid" when refund is done entirely. -ClosePaidContributionsAutomatically=Classify automatically all social or fiscal contributions as "Paid" when payment is done entirely. -ClosePaidVATAutomatically=Classify automatically VAT declaration as "Paid" when payment is done entirely. -ClosePaidSalaryAutomatically=Classify automatically salary as "Paid" when payment is done entirely. -AllCompletelyPayedInvoiceWillBeClosed=All invoices with no remainder to pay will be automatically closed with status "Paid". +ClosePaidInvoicesAutomatically=Automatski klasificirajte sve standardne, avansne ili zamjenske fakture kao "Plaćene" kada se plaćanje u potpunosti izvrši. +ClosePaidCreditNotesAutomatically=Automatski klasifikujte sve kreditne zapise kao "Plaćene" kada se povraćaj u potpunosti izvrši. +ClosePaidContributionsAutomatically=Automatski klasifikujte sve socijalne ili fiskalne doprinose kao "Plaćene" kada se plaćanje u potpunosti izvrši. +ClosePaidVATAutomatically=Automatski klasifikovati prijavu PDV-a kao "Plaćeno" kada se plaćanje izvrši u potpunosti. +ClosePaidSalaryAutomatically=Automatski klasifikovati platu kao "Isplaćenu" kada se isplata izvrši u potpunosti. +AllCompletelyPayedInvoiceWillBeClosed=Sve fakture bez ostatka za plaćanje će se automatski zatvoriti sa statusom "Plaćeno". ToMakePayment=Platiti ToMakePaymentBack=Povrat uplate ListOfYourUnpaidInvoices=Lista neplaćenih faktura -NoteListOfYourUnpaidInvoices=Note: This list contains only invoices for third parties you are linked to as a sale representative. -RevenueStamp=Tax stamp -YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party -YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party -YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) -PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template +NoteListOfYourUnpaidInvoices=Napomena: Ova lista sadrži samo fakture za treća lica s kojima ste povezani kao prodajni predstavnik. +RevenueStamp=Porezna marka +YouMustCreateInvoiceFromThird=Ova opcija je dostupna samo kada kreirate fakturu sa kartice "Kupac" treće strane +YouMustCreateInvoiceFromSupplierThird=Ova opcija je dostupna samo kada kreirate fakturu sa kartice "Prodavac" treće strane +YouMustCreateStandardInvoiceFirstDesc=Prvo morate kreirati standardnu fakturu i pretvoriti je u "template" da kreirate novu fakturu predloška +PDFCrabeDescription=PDF predložak fakture Crabe. Kompletan predložak fakture (stara implementacija predloška Spužva) +PDFSpongeDescription=PDF predložak fakture Spužva. Kompletan predložak fakture PDFCrevetteDescription=PDF šablon Crevette za račune. Kompletan šablon za situiranje privremenih situacija -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=Vrati broj u formatu %syymm-nnnn za standardne fakture i b0ecb2ec87f49 yymm-nnnn za kreditne zapise gdje je yy godina, mm je mjesec i nnnn je sekvencijalni broj koji se automatski povećava bez prekida i > nema povratka na 0 +MarsNumRefModelDesc1=Povratni broj u formatu %syymm-nnnn za standardne fakture, %syymm-nnnn za zamjenske fakture, %syymm-nnnn za fakture avansa i %sza kredit nije ymm-nn gdje je nny godina, mm je mjesec i nnnn je sekvencijalni broj koji se automatski povećava bez prekida i bez povratka na 0 TerreNumRefModelError=Račun z začetkom $syymm že obstaja in ni kompatibilen s tem modelom zaporedja. Odstranite ga ali ga preimenujte za aktiviranje tega modula. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -EarlyClosingReason=Early closing reason -EarlyClosingComment=Early closing note +CactusNumRefModelDesc1=Povratni broj u formatu %syymm-nnnn za standardne fakture, %syymm-nnnn za kreditne zapise i %syymm-nnnn za fakture avansa gdje je yy godina, mm mjesec b01f882f7e6484z jenn sekvencijalni broj koji se automatski povećava bez prekida i bez povratka na 0 +EarlyClosingReason=Razlog za rano zatvaranje +EarlyClosingComment=Rano zatvaranje ##### Types de contacts ##### TypeContact_facture_internal_SALESREPFOLL=Predstavnik za kontrolu fakture kupca TypeContact_facture_external_BILLING=Kontakt za fakturu kupca TypeContact_facture_external_SHIPPING=Kontakt za otpremanje kupcu TypeContact_facture_external_SERVICE=Kontakt službe za korisnike -TypeContact_invoice_supplier_internal_SALESREPFOLL=Representative following-up vendor invoice -TypeContact_invoice_supplier_external_BILLING=Vendor invoice contact -TypeContact_invoice_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_invoice_supplier_external_SERVICE=Vendor service contact +TypeContact_invoice_supplier_internal_SALESREPFOLL=Predstavnički prateći račun dobavljača +TypeContact_invoice_supplier_external_BILLING=Kontakt fakture dobavljača +TypeContact_invoice_supplier_external_SHIPPING=Kontakt za isporuku dobavljača +TypeContact_invoice_supplier_external_SERVICE=Kontakt servis dobavljača # Situation invoices InvoiceFirstSituationAsk=Prva privremena situacija -InvoiceFirstSituationDesc=The situation invoices are tied to situations related to a progression, for example the progression of a construction. Each situation is tied to an invoice. +InvoiceFirstSituationDesc=fakture za situacije su vezane za situacije povezane s napredovanjem, na primjer s napredovanjem konstrukcije. Svaka situacija je vezana za fakturu. InvoiceSituation=Privremena situacija PDFInvoiceSituation=Privremena situacija InvoiceSituationAsk=Faktura nakon situacije -InvoiceSituationDesc=Create a new situation following an already existing one -SituationAmount=Situation invoice amount(net) +InvoiceSituationDesc=Kreirajte novu situaciju nakon već postojeće +SituationAmount=situacija iznos (neto) SituationDeduction=Oduzimanje situacije ModifyAllLines=Izmijeni sve redove CreateNextSituationInvoice=Napravi sljedeću situaciju -ErrorFindNextSituationInvoice=Error unable to find next situation cycle ref -ErrorOutingSituationInvoiceOnUpdate=Unable to outing this situation invoice. -ErrorOutingSituationInvoiceCreditNote=Unable to outing linked credit note. -NotLastInCycle=This invoice is not the latest in cycle and must not be modified. +ErrorFindNextSituationInvoice=Greška ne može pronaći sljedeći ciklus situacije ref +ErrorOutingSituationInvoiceOnUpdate=Nije moguće izvesti ovaj situacija. +ErrorOutingSituationInvoiceCreditNote=Nije moguće poslati povezanu kreditnu notu. +NotLastInCycle=Ova faktura nije zadnja u ciklusu i ne smije se mijenjati. DisabledBecauseNotLastInCycle=Sljedeća situacija već postoji. DisabledBecauseFinal=Ova situacija je konačna. situationInvoiceShortcode_AS=AS situationInvoiceShortcode_S=S -CantBeLessThanMinPercent=The progress can't be smaller than its value in the previous situation. +CantBeLessThanMinPercent=Napredak ne može biti manji od njegove vrijednosti u prethodnoj situaciji. NoSituations=Nema otvorenih situacija -InvoiceSituationLast=Final and general invoice +InvoiceSituationLast=Konačna i opća faktura PDFCrevetteSituationNumber=Situacija br.%s PDFCrevetteSituationInvoiceLineDecompte=Privremena situacija - broj PDFCrevetteSituationInvoiceTitle=Privremena situacija -PDFCrevetteSituationInvoiceLine=Situation N°%s: Inv. N°%s on %s +PDFCrevetteSituationInvoiceLine=Situacija br.%s: Inv. N°%s na %s TotalSituationInvoice=Ukupna situacija invoiceLineProgressError=Red prethodno fakturisanog ne može biti veće ili jednako sljedećem redu u fakturi -updatePriceNextInvoiceErrorUpdateline=Error: update price on invoice line: %s -ToCreateARecurringInvoice=To create a recurring invoice for this contract, first create this draft invoice, then convert it into an invoice template and define the frequency for generation of future invoices. -ToCreateARecurringInvoiceGene=To generate future invoices regularly and manually, just go on menu %s - %s - %s. -ToCreateARecurringInvoiceGeneAuto=If you need to have such invoices generated automatically, ask your administrator to enable and setup module %s. Note that both methods (manual and automatic) can be used together with no risk of duplication. +updatePriceNextInvoiceErrorUpdateline=Greška: ažuriranje cijene na liniji fakture: %s +ToCreateARecurringInvoice=Da biste kreirali ponavljajuću fakturu za ovaj ugovor, prvo kreirajte ovaj nacrt fakture, a zatim ga pretvorite u predložak fakture i definirajte učestalost generiranja budućih faktura. +ToCreateARecurringInvoiceGene=Da biste buduće fakture redovno generirali i ručno, samo idite na meni b0ecb2ec87f49fz - %s - %s. +ToCreateARecurringInvoiceGeneAuto=Ako trebate imati takve fakture automatski generirane, zamolite svog administratora da omogući i modul za podešavanje %s. Imajte na umu da se obje metode (ručni i automatski) mogu koristiti zajedno bez rizika od dupliranja. DeleteRepeatableInvoice=Obriši šablon fakture -ConfirmDeleteRepeatableInvoice=Are your sure you want to delete the template invoice? -CreateOneBillByThird=Create one invoice per third party (otherwise, one invoice per selected object) -BillCreated=%s invoice(s) generated -BillXCreated=Invoice %s generated -StatusOfGeneratedDocuments=Status of document generation -DoNotGenerateDoc=Do not generate document file -AutogenerateDoc=Auto generate document file -AutoFillDateFrom=Set start date for service line with invoice date -AutoFillDateFromShort=Set start date -AutoFillDateTo=Set end date for service line with next invoice date -AutoFillDateToShort=Set end date -MaxNumberOfGenerationReached=Max number of gen. reached +ConfirmDeleteRepeatableInvoice=Jeste li sigurni da želite izbrisati predložak fakture? +CreateOneBillByThird=Kreirajte jednu fakturu po trećoj strani (u suprotnom, jednu fakturu po odabranom objektu) +BillCreated=%s generirane fakture +BillXCreated=Generirana faktura %s +StatusOfGeneratedDocuments=Status generisanja dokumenta +DoNotGenerateDoc=Nemojte generirati datoteku dokumenta +AutogenerateDoc=Automatsko generiranje datoteke dokumenta +AutoFillDateFrom=Postavite datum početka za servisnu liniju sa datumom fakture +AutoFillDateFromShort=Postavite datum početka +AutoFillDateTo=Postavite datum završetka za servisnu liniju sa sljedećim datumom fakture +AutoFillDateToShort=Postavite datum završetka +MaxNumberOfGenerationReached=Maksimalni broj gen. dosegnuto BILL_DELETEInDolibarr=Faktura obrisana -BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted -UnitPriceXQtyLessDiscount=Unit price x Qty - Discount -CustomersInvoicesArea=Customer billing area -SupplierInvoicesArea=Supplier billing area -SituationTotalRayToRest=Remainder to pay without taxe -PDFSituationTitle=Situation n° %d -SituationTotalProgress=Total progress %d %% -SearchUnpaidInvoicesWithDueDate=Search unpaid invoices with a due date = %s -SearchValidatedInvoicesWithDate=Search unpaid invoices with a validation date = %s -NoPaymentAvailable=No payment available for %s -PaymentRegisteredAndInvoiceSetToPaid=Payment registered and invoice %s set to paid -SendEmailsRemindersOnInvoiceDueDate=Send reminder by email for validated and unpaid invoices -MakePaymentAndClassifyPayed=Record payment -BulkPaymentNotPossibleForInvoice=Bulk payment is not possible for invoice %s (bad type or status) -MentionVATDebitOptionIsOn=Option to pay tax based on debits -MentionCategoryOfOperations=Category of operations -MentionCategoryOfOperations0=Delivery of goods -MentionCategoryOfOperations1=Provision of services -MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +BILL_SUPPLIER_DELETEInDolibarr=Račun dobavljača je izbrisan +UnitPriceXQtyLessDiscount=Jedinična cijena x Količina - Popust +CustomersInvoicesArea=Područje za naplatu kupaca +SupplierInvoicesArea=Područje za obračun dobavljača +SituationTotalRayToRest=Ostatak platiti bez poreza +PDFSituationTitle=Situacija br. %d +SituationTotalProgress=Ukupni napredak %d %% +SearchUnpaidInvoicesWithDueDate=Pretražite neplaćene fakture s rokom dospijeća = %s +SearchValidatedInvoicesWithDate=Pretražite neplaćene fakture s datumom validacije = %s +NoPaymentAvailable=Nije moguće plaćanje za %s +PaymentRegisteredAndInvoiceSetToPaid=Prijavljeno plaćanje i faktura %s postavljena na plaćeno +SendEmailsRemindersOnInvoiceDueDate=Pošaljite podsjetnik e-poštom za validirane i neplaćene fakture +MakePaymentAndClassifyPayed=Zabilježite plaćanje +BulkPaymentNotPossibleForInvoice=Grupno plaćanje nije moguće za fakturu %s (loš tip ili status) +MentionVATDebitOptionIsOn=Mogućnost plaćanja poreza na osnovu zaduženja +MentionCategoryOfOperations=Kategorija operacija +MentionCategoryOfOperations0=Isporuka robe +MentionCategoryOfOperations1=Pružanje usluga +MentionCategoryOfOperations2=Mješovito - Isporuka robe i pružanje usluga +Salaries=Plate +InvoiceSubtype=Podvrsta fakture +SalaryInvoice=Plata +BillsAndSalaries=Računi i plate +CreateCreditNoteWhenClientInvoiceExists=Ova opcija je omogućena samo kada postoji validirana faktura(e) za kupca ili kada se koristi konstanta INVOICE_CREDIT_NOTE_STANDALONE (korisno za neke zemlje) diff --git a/htdocs/langs/bs_BA/cashdesk.lang b/htdocs/langs/bs_BA/cashdesk.lang index 62cdc6b8d92..509ea0a75da 100644 --- a/htdocs/langs/bs_BA/cashdesk.lang +++ b/htdocs/langs/bs_BA/cashdesk.lang @@ -16,7 +16,7 @@ AddThisArticle=Dodaj ovaj proizvod RestartSelling=Nazad na prodaju SellFinished=Sale complete PrintTicket=Isprintaj račun -SendTicket=Send ticket +SendTicket=Pošalji kartu NoProductFound=Nema pronađenih proizvoda ProductFound=proizvod pronađen NoArticle=Nema proizvoda @@ -31,106 +31,125 @@ ShowCompany=Prikaži kompaniju ShowStock=Prikaži skladište DeleteArticle=Klikni da uklonis ovaj proizvod FilterRefOrLabelOrBC=Traži (Ref/Oznaku) -UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. +UserNeedPermissionToEditStockToUsePos=Tražite smanjenje zaliha prilikom kreiranja računa, tako da korisnik koji koristi POS mora imati dozvolu za uređivanje zaliha. DolibarrReceiptPrinter=Dolibarr Receipt Printer -PointOfSale=Point of Sale +PointOfSale=Mjestu prodaje PointOfSaleShort=POS -CloseBill=Close Bill -Floors=Floors -Floor=Floor -AddTable=Add table -Place=Place -TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) -NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser -SearchProduct=Search product +CloseBill=Zatvori Bill +Floors=Podovi +Floor=Kat +AddTable=Dodaj tabelu +Place=Mjesto +TakeposConnectorNecesary=Potreban je 'TakePOS konektor' +OrderPrinters=Dodajte dugme za slanje narudžbe na određene štampače, bez plaćanja (npr. za slanje narudžbe u kuhinju) +NotAvailableWithBrowserPrinter=Nije dostupno kada je štampač za račun postavljen na pretraživač +SearchProduct=Pretražite proizvod Receipt=Priznanica -Header=Header -Footer=Footer -AmountAtEndOfPeriod=Amount at end of period (day, month or year) -TheoricalAmount=Theorical amount -RealAmount=Real amount -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period +Header=Zaglavlje +Footer=Podnožje +AmountAtEndOfPeriod=Iznos na kraju perioda (dan, mjesec ili godina) +TheoricalAmount=Teoretski iznos +RealAmount=Realni iznos +CashFence=Zatvaranje kase +CashFenceDone=Zatvaranje kase izvršeno za period NbOfInvoices=Broj faktura -Paymentnumpad=Type of Pad to enter payment +Paymentnumpad=Vrsta podloge za unos plaćanja Numberspad=Numbers Pad -BillsCoinsPad=Coins and banknotes Pad -DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work -TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work -OrderNotes=Can add some notes to each ordered items -CashDeskBankAccountFor=Default account to use for payments in -NoPaimementModesDefined=No paiment mode defined in TakePOS configuration -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts -EnableBarOrRestaurantFeatures=Enable features for Bar or Restaurant -ConfirmDeletionOfThisPOSSale=Do your confirm the deletion of this current sale ? -ConfirmDiscardOfThisPOSSale=Do you want to discard this current sale ? +BillsCoinsPad=Kovanice i Podloga za novčanice +DolistorePosCategory=TakePOS moduli i ostala POS rješenja za Dolibarr +TakeposNeedsCategories=TakePOS treba barem jednu kategoriju proizvoda da bi radio +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS treba najmanje 1 kategoriju proizvoda u kategoriji %s rad +OrderNotes=Svakom naručenom artiklu možete dodati neke napomene +CashDeskBankAccountFor=Zadani račun za korištenje za plaćanja +NoPaimementModesDefined=Nema definiranog načina plaćanja u TakePOS konfiguraciji +TicketVatGrouped=Grupirajte PDV po stopi u ulaznicama|priznama +AutoPrintTickets=Automatski štampaj karte|priznanice +PrintCustomerOnReceipts=Štampajte kupca na kartama|priznanicama +EnableBarOrRestaurantFeatures=Omogućite funkcije za bar ili restoran +ConfirmDeletionOfThisPOSSale=Da li potvrđujete brisanje ove trenutne rasprodaje? +ConfirmDiscardOfThisPOSSale=Želite li odbaciti ovu trenutnu rasprodaju? History=Historija -ValidateAndClose=Validate and close +ValidateAndClose=Potvrdi i zatvori Terminal=Terminal -NumberOfTerminals=Number of Terminals -TerminalSelect=Select terminal you want to use: +NumberOfTerminals=Broj terminala +TerminalSelect=Odaberite terminal koji želite koristiti: POSTicket=POS Ticket -POSTerminal=POS Terminal -POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones -SetupOfTerminalNotComplete=Setup of terminal %s is not complete -DirectPayment=Direct payment -DirectPaymentButton=Add a "Direct cash payment" button -InvoiceIsAlreadyValidated=Invoice is already validated -NoLinesToBill=No lines to bill +POSTerminal=POS terminal +POSModule=POS modul +BasicPhoneLayout=Na telefonima zamijenite POS minimalnim izgledom (samo narudžbe za evidenciju, bez generiranja računa, bez štampanja računa) +SetupOfTerminalNotComplete=Postavljanje terminala %s nije završeno +DirectPayment=Direktno plaćanje +DirectPaymentButton=Dodajte dugme "Direktno gotovinsko plaćanje". +InvoiceIsAlreadyValidated=Faktura je već potvrđena +NoLinesToBill=Nema linija za naplatu CustomReceipt=Custom Receipt -ReceiptName=Receipt Name -ProductSupplements=Manage supplements of products -SupplementCategory=Supplement category -ColorTheme=Color theme -Colorful=Colorful +ReceiptName=Naziv priznanice +ProductSupplements=Upravljajte dodacima proizvoda +SupplementCategory=Dodatna kategorija +ColorTheme=Tema u boji +Colorful=Raznobojan HeadBar=Head Bar -SortProductField=Field for sorting products +SortProductField=Polje za sortiranje proizvoda Browser=Browser -BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. -PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad -CashDeskRefNumberingModules=Numbering module for POS sales -CashDeskGenericMaskCodes6 =
      {TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -SaleStartedAt=Sale started at %s -ControlCashOpening=Open the "Control cash" popup when opening the POS -CloseCashFence=Close cash desk control -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use +BrowserMethodDescription=Jednostavno i jednostavno štampanje računa. Samo nekoliko parametara za konfiguraciju računa. Štampajte preko pretraživača. +TakeposConnectorMethodDescription=Eksterni modul sa dodatnim funkcijama. Mogućnost štampanja iz oblaka. +PrintMethod=Način štampanja +ReceiptPrinterMethodDescription=Snažna metoda sa puno parametara. Potpuno prilagodljiv sa šablonima. Server koji hostuje aplikaciju ne može biti u oblaku (mora biti u mogućnosti da dopre do štampača u vašoj mreži). +ByTerminal=Putem terminala +TakeposNumpadUsePaymentIcon=Koristite ikonu umjesto teksta na dugmadima za plaćanje numeričke tipkovnice +CashDeskRefNumberingModules=Modul numeracije za POS prodaju +CashDeskGenericMaskCodes6 =
      {TN}b09fb09f174 span> oznaka se koristi za dodavanje broja terminala +TakeposGroupSameProduct=Spojite linije istih proizvoda +StartAParallelSale=Započnite novu paralelnu prodaju +SaleStartedAt=Prodaja je počela u %s +ControlCashOpening=Otvorite iskačući prozor "Kontrolna kasa" kada otvorite POS +CloseCashFence=Zatvorite kontrolu kase +CashReport=Izvještaj o gotovini +MainPrinterToUse=Glavni štampač za upotrebu +OrderPrinterToUse=Naručite štampač za korištenje +MainTemplateToUse=Glavni šablon za korištenje +OrderTemplateToUse=Šablon narudžbe za korištenje BarRestaurant=Bar Restaurant -AutoOrder=Order by the customer himself -RestaurantMenu=Menu -CustomerMenu=Customer menu -ScanToMenu=Scan QR code to see the menu -ScanToOrder=Scan QR code to order -Appearance=Appearance -HideCategoryImages=Hide Category Images -HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show -DefineTablePlan=Define tables plan -GiftReceiptButton=Add a "Gift receipt" button -GiftReceipt=Gift receipt -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first -AllowDelayedPayment=Allow delayed payment -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts -WeighingScale=Weighing scale -ShowPriceHT = Display the column with the price excluding tax (on screen) -ShowPriceHTOnReceipt = Display the column with the price excluding tax (on the receipt) -CustomerDisplay=Customer display -SplitSale=Split sale -PrintWithoutDetailsButton=Add "Print without details" button -PrintWithoutDetailsLabelDefault=Line label by default on printing without details -PrintWithoutDetails=Print without details -YearNotDefined=Year is not defined +AutoOrder=Naruči sam kupac +RestaurantMenu=Meni +CustomerMenu=Korisnički meni +ScanToMenu=Skenirajte QR kod da vidite meni +ScanToOrder=Skenirajte QR kod za narudžbu +Appearance=Izgled +HideCategoryImages=Sakrij slike kategorije +HideProductImages=Sakrij slike proizvoda +NumberOfLinesToShow=Maksimalan broj redova teksta za prikaz na slikama palca +DefineTablePlan=Definirajte plan tabela +GiftReceiptButton=Dodajte dugme "Razvoj poklona". +GiftReceipt=Poklon račun +ModuleReceiptPrinterMustBeEnabled=Modul Receipt pisač mora biti prvo omogućen +AllowDelayedPayment=Dozvolite odloženo plaćanje +PrintPaymentMethodOnReceipts=Odštampajte način plaćanja na ulaznicama|priznanicama +WeighingScale=Vaga za vaganje +ShowPriceHT = Prikaži kolonu sa cijenom bez poreza (na ekranu) +ShowPriceHTOnReceipt = Prikaži kolonu sa cijenom bez poreza (na računu) +CustomerDisplay=Prikaz korisnika +SplitSale=Split prodaja +PrintWithoutDetailsButton=Dodajte dugme "Štampaj bez detalja". +PrintWithoutDetailsLabelDefault=Oznaka na liniji po zadanom pri štampanju bez detalja +PrintWithoutDetails=Štampajte bez detalja +YearNotDefined=Godina nije definisana +TakeposBarcodeRuleToInsertProduct=Pravilo crtičnog koda za umetanje proizvoda +TakeposBarcodeRuleToInsertProductDesc=Pravilo za izdvajanje reference proizvoda + količine iz skeniranog bar koda.
      Ako je prazno (podrazumevana vrijednost), aplikacija će koristiti cijeli skenirani bar kod da pronađe proizvod.

      Ako je definirana, sintaksa mora biti:
      ref:NB+qu:NB+qd:NB+other:NB
      gdje je NB broj znakova koji se koriste za izdvajanje podataka iz skeniranog bar koda sa:
      refb09a4b739f17 : referenca proizvoda
      qu na : postavljeno prilikom umetanja stavke (jedinica)
      qd na postavljeno prilikom umetanja stavke (decimala)
      other drugi znakovi +AlreadyPrinted=Već odštampano +HideCategories=Sakrij cijeli odjeljak odabira kategorija +HideStockOnLine=Sakrijte zalihe na mreži +ShowOnlyProductInStock=Pokažite samo proizvode na zalihama +ShowCategoryDescription=Prikaži opis kategorija +ShowProductReference=Pokažite referencu ili etiketu proizvoda +UsePriceHT=Iskoristite cijenu bez porezi i ne uklj. porezi prilikom izmjene cijene +TerminalName=Terminal %s +TerminalNameDesc=Naziv terminala +DefaultPOSThirdLabel=TakePOS generički kupac +DefaultPOSCatLabel=Point Of Sale (POS) proizvodi +DefaultPOSProductLabel=Primjer proizvoda za TakePOS +TakeposNeedsPayment=TakePOS-u je potreban način plaćanja da bi funkcionirao, želite li kreirati način plaćanja 'Gotovina'? +LineDiscount=Popust na liniju +LineDiscountShort=Linijski disk. +InvoiceDiscount=Popust na fakturu +InvoiceDiscountShort=Disk sa fakturom. diff --git a/htdocs/langs/bs_BA/categories.lang b/htdocs/langs/bs_BA/categories.lang index 72a31850752..95e2c4bb0c3 100644 --- a/htdocs/langs/bs_BA/categories.lang +++ b/htdocs/langs/bs_BA/categories.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - categories Rubrique=Tag/Category Rubriques=Tags/Categories -RubriquesTransactions=Tags/Categories of transactions +RubriquesTransactions=Oznake/Kategorije transakcija categories=tags/categories NoCategoryYet=kreirano In=U @@ -9,17 +9,17 @@ AddIn=Dodaj u modify=izmijeniti Classify=Svrstati CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Product/Service tags/categories area -SuppliersCategoriesArea=Vendor tags/categories area -CustomersCategoriesArea=Customer tags/categories area -MembersCategoriesArea=Member tags/categories area -ContactsCategoriesArea=Contact tags/categories area -AccountsCategoriesArea=Bank account tags/categories area -ProjectsCategoriesArea=Project tags/categories area -UsersCategoriesArea=User tags/categories area -SubCats=Sub-categories +ProductsCategoriesArea=Oznake proizvoda/usluga/kategorije +SuppliersCategoriesArea=Oznake/kategorije dobavljača +CustomersCategoriesArea=Oznake/kategorije kupaca +MembersCategoriesArea=Oznake/kategorije članova +ContactsCategoriesArea=Područje sa oznakama/kategorijama kontakata +AccountsCategoriesArea=Oznake/kategorije bankovnog računa +ProjectsCategoriesArea=Oznake/kategorije projekta +UsersCategoriesArea=Područje korisničkih oznaka/kategorija +SubCats=Podkategorije CatList=List of tags/categories -CatListAll=List of tags/categories (all types) +CatListAll=Lista oznaka/kategorija (sve vrste) NewCategory=New tag/category ModifCat=Modify tag/category CatCreated=Tag/category created @@ -33,7 +33,7 @@ WasAddedSuccessfully=%s je uspješno dodan/a. ObjectAlreadyLinkedToCategory=Element is already linked to this tag/category. ProductIsInCategories=Product/service is linked to following tags/categories CompanyIsInCustomersCategories=This third party is linked to following customers/prospects tags/categories -CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories +CompanyIsInSuppliersCategories=Ova treća strana je povezana sa sljedećim oznakama/kategorijama dobavljača MemberIsInCategories=This member is linked to following members tags/categories ContactIsInCategories=This contact is linked to following contacts tags/categories ProductHasNoCategory=This product/service is not in any tags/categories @@ -42,7 +42,7 @@ MemberHasNoCategory=This member is not in any tags/categories ContactHasNoCategory=This contact is not in any tags/categories ProjectHasNoCategory=This project is not in any tags/categories ClassifyInCategory=Add to tag/category -RemoveCategory=Remove category +RemoveCategory=Ukloni kategoriju NotCategorized=Bez oznake/kategorije CategoryExistsAtSameLevel=Već postoji kategorija sa ovom referencom ContentsVisibleByAllShort=Sadržaj vidljiv svima @@ -50,56 +50,57 @@ ContentsNotVisibleByAllShort=Sadržaj nije vidljiv svima DeleteCategory=Delete tag/category ConfirmDeleteCategory=Are you sure you want to delete this tag/category ? NoCategoriesDefined=No tag/category defined -SuppliersCategoryShort=Vendors tag/category +SuppliersCategoryShort=Oznaka/kategorija dobavljača CustomersCategoryShort=Customers tag/category ProductsCategoryShort=Products tag/category MembersCategoryShort=Members tag/category -SuppliersCategoriesShort=Vendors tags/categories +SuppliersCategoriesShort=Oznake/kategorije dobavljača CustomersCategoriesShort=Customers tags/categories ProspectsCategoriesShort=Prospects tags/categories -CustomersProspectsCategoriesShort=Cust./Prosp. tags/categories +CustomersProspectsCategoriesShort=Cust./Prosp. oznake/kategorije ProductsCategoriesShort=Products tags/categories MembersCategoriesShort=Members tags/categories ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories -UsersCategoriesShort=Users tags/categories -StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoItems=This category does not contain any items. +UsersCategoriesShort=Korisničke oznake/kategorije +StockCategoriesShort=Skladišne oznake/kategorije +ThisCategoryHasNoItems=Ova kategorija ne sadrži nijednu stavku. CategId=Tag/category id -ParentCategory=Parent tag/category -ParentCategoryID=ID of parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories +ParentCategory=Roditeljska oznaka/kategorija +ParentCategoryID=ID roditeljske oznake/kategorije +ParentCategoryLabel=Oznaka roditeljske oznake/kategorije +CatSupList=Lista oznaka/kategorija dobavljača +CatCusList=Lista oznaka/kategorija kupaca/potencijala CatProdList=Spisak oznaka proizvoda/kategorija CatMemberList=List of members tags/categories -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories +CatContactList=Lista oznaka/kategorija kontakata +CatProjectsList=Lista oznaka/kategorija projekata +CatUsersList=Lista korisničkih oznaka/kategorija +CatSupLinks=Veze između i oznaka/kategorija dobavljača CatCusLinks=Links between customers/prospects and tags/categories -CatContactsLinks=Links between contacts/addresses and tags/categories +CatContactsLinks=Veze između kontakata/adresa i oznaka/kategorija CatProdLinks=Links between products/services and tags/categories -CatMembersLinks=Links between members and tags/categories +CatMembersLinks=Veze između članova i oznake/kategorije CatProjectsLinks=Links between projects and tags/categories -CatUsersLinks=Links between users and tags/categories +CatUsersLinks=Veze između korisnika i oznaka/kategorija DeleteFromCat=Remove from tags/category ExtraFieldsCategories=Complementary attributes CategoriesSetup=Tags/categories setup CategorieRecursiv=Link with parent tag/category automatically -CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. -AddProductServiceIntoCategory=Assign category to the product/service -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier -AssignCategoryTo=Assign category to +CategorieRecursivHelp=Ako je opcija uključena, kada dodate objekat u potkategoriju, objekat će takođe biti dodan u nadređene kategorije. +AddProductServiceIntoCategory=Dodijelite kategoriju proizvodu/usluzi +AddCustomerIntoCategory=Dodijelite kategoriju kupcu +AddSupplierIntoCategory=Dodijelite kategoriju dobavljaču +AssignCategoryTo=Dodijelite kategoriju ShowCategory=Show tag/category ByDefaultInList=By default in list -ChooseCategory=Choose category -StocksCategoriesArea=Warehouse Categories -TicketsCategoriesArea=Tickets Categories -ActionCommCategoriesArea=Event Categories -WebsitePagesCategoriesArea=Page-Container Categories -KnowledgemanagementsCategoriesArea=KM article Categories -UseOrOperatorForCategories=Use 'OR' operator for categories -AddObjectIntoCategory=Assign the category +ChooseCategory=Odaberite kategoriju +StocksCategoriesArea=Kategorije skladišta +TicketsCategoriesArea=Kategorije karata +ActionCommCategoriesArea=Kategorije događaja +WebsitePagesCategoriesArea=Kategorije kontejnera stranica +KnowledgemanagementsCategoriesArea=Kategorije KM članaka +UseOrOperatorForCategories=Za kategorije koristite operator 'OR' +AddObjectIntoCategory=Dodijelite kategoriji +Position=Pozicija diff --git a/htdocs/langs/bs_BA/donations.lang b/htdocs/langs/bs_BA/donations.lang index cd5f4c3093a..8e32d805bc2 100644 --- a/htdocs/langs/bs_BA/donations.lang +++ b/htdocs/langs/bs_BA/donations.lang @@ -3,10 +3,10 @@ Donation=Donacija Donations=Donacije DonationRef=Donacija ref. Donor=Donator -AddDonation=Create a donation +AddDonation=Napravite donaciju NewDonation=Nova donacija -DeleteADonation=Delete a donation -ConfirmDeleteADonation=Are you sure you want to delete this donation? +DeleteADonation=Izbrišite donaciju +ConfirmDeleteADonation=Jeste li sigurni da želite izbrisati ovu donaciju? PublicDonation=Javne donacije DonationsArea=Područje za donacije DonationStatusPromiseNotValidated=Nacrt obećanja @@ -16,7 +16,7 @@ DonationStatusPromiseNotValidatedShort=Nacrt DonationStatusPromiseValidatedShort=Potvrđena donacija DonationStatusPaidShort=Primljena donacija DonationTitle=Priznanica za donaciju -DonationDate=Donation date +DonationDate=Datum donacije DonationDatePayment=Datum uplate ValidPromess=Potvrdi obećanje DonationReceipt=Priznanica za donaciju @@ -24,11 +24,13 @@ DonationsModels=Modeli dokumenata za priznanicu donacije LastModifiedDonations=Posljednjih %s izmijenjenih donacija DonationRecipient=Primalac donacije IConfirmDonationReception=Primalac potvrđuje prijem, kao donacija, slijedeći iznos -MinimumAmount=Minimum amount is %s -FreeTextOnDonations=Free text to show in footer -FrenchOptions=Options for France -DONATION_ART200=Show article 200 from CGI if you are concerned -DONATION_ART238=Show article 238 from CGI if you are concerned -DONATION_ART885=Show article 885 from CGI if you are concerned -DonationPayment=Donation payment -DonationValidated=Donation %s validated +MinimumAmount=Minimalni iznos je %s +FreeTextOnDonations=Besplatan tekst za prikaz u podnožju +FrenchOptions=Opcije za Francusku +DONATION_ART200=Pokažite članak 200 iz CGI ako ste zabrinuti +DONATION_ART238=Pokažite članak 238 iz CGI ako ste zabrinuti +DONATION_ART978=Pokažite članak 978 iz CGI ako ste zabrinuti +DonationPayment=Uplata donacije +DonationValidated=Donacija %s potvrđena +DonationUseThirdparties=Koristite adresu postojeće treće strane kao adresu donatora +DonationsStatistics=Statistika donacija diff --git a/htdocs/langs/bs_BA/errors.lang b/htdocs/langs/bs_BA/errors.lang index 25fa336f994..b6cbbbba600 100644 --- a/htdocs/langs/bs_BA/errors.lang +++ b/htdocs/langs/bs_BA/errors.lang @@ -4,15 +4,17 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is incorrect -ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) -ErrorBadUrl=Url %s is incorrect +ErrorBadEMail=Adresa e-pošte %s je netačna +ErrorBadMXDomain=Čini se da e-pošta %s nije tačna (domena nema važeći MX zapis) +ErrorBadUrl=Url %s je netačan ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. -ErrorRefAlreadyExists=Reference %s already exists. +ErrorRefAlreadyExists=Referenca %s već postoji. +ErrorTitleAlreadyExists=Naslov %s već postoji. ErrorLoginAlreadyExists=Prijava %s već postoji. ErrorGroupAlreadyExists=Grupa %s već postoji. -ErrorEmailAlreadyExists=Email %s already exists. +ErrorEmailAlreadyExists=E-pošta %s već postoji. ErrorRecordNotFound=Zapis nije pronađen. +ErrorRecordNotFoundShort=Nije pronađeno ErrorFailToCopyFile=Failed to copy file '%s' into '%s'. ErrorFailToCopyDir=Failed to copy directory '%s' into '%s'. ErrorFailToRenameFile=Failed to rename file '%s' into '%s'. @@ -26,110 +28,116 @@ ErrorFailToGenerateFile=Failed to generate file '%s'. ErrorThisContactIsAlreadyDefinedAsThisType=This contact is already defined as contact for this type. ErrorCashAccountAcceptsOnlyCashMoney=This bank account is a cash account, so it accepts payments of type cash only. ErrorFromToAccountsMustDiffers=Source and targets bank accounts must be different. -ErrorBadThirdPartyName=Bad value for third-party name -ForbiddenBySetupRules=Forbidden by setup rules +ErrorBadThirdPartyName=Loša vrijednost za ime treće strane +ForbiddenBySetupRules=Zabranjeno pravilima podešavanja ErrorProdIdIsMandatory=The %s is mandatory -ErrorAccountancyCodeCustomerIsMandatory=The accountancy code of customer %s is mandatory +ErrorAccountancyCodeCustomerIsMandatory=Knjigovodstveni kod kupca %s je obavezan +ErrorAccountancyCodeSupplierIsMandatory=Knjigovodstvena šifra dobavljača %s je obavezna ErrorBadCustomerCodeSyntax=Bad syntax for customer code -ErrorBadBarCodeSyntax=Bad syntax for barcode. May be you set a bad barcode type or you defined a barcode mask for numbering that does not match value scanned. +ErrorBadBarCodeSyntax=Loša sintaksa za bar kod. Možda ste postavili loš tip barkoda ili ste definirali barkod masku za numeriranje koja ne odgovara skeniranoj vrijednosti. ErrorCustomerCodeRequired=Customer code required -ErrorBarCodeRequired=Barcode required +ErrorBarCodeRequired=Potreban je bar kod ErrorCustomerCodeAlreadyUsed=Customer code already used -ErrorBarCodeAlreadyUsed=Barcode already used +ErrorBarCodeAlreadyUsed=Bar kod je već korišten ErrorPrefixRequired=Prefix required -ErrorBadSupplierCodeSyntax=Bad syntax for vendor code -ErrorSupplierCodeRequired=Vendor code required -ErrorSupplierCodeAlreadyUsed=Vendor code already used +ErrorBadSupplierCodeSyntax=Loša sintaksa za šifru dobavljača +ErrorSupplierCodeRequired=Potreban kod dobavljača +ErrorSupplierCodeAlreadyUsed=Šifra dobavljača je već korištena ErrorBadParameters=Bad parameters -ErrorWrongParameters=Wrong or missing parameters +ErrorWrongParameters=Pogrešni ili nedostajući parametri ErrorBadValueForParameter=Wrong value '%s' for parameter '%s' ErrorBadImageFormat=Image file has not a supported format (Your PHP does not support functions to convert images of this format) ErrorBadDateFormat=Value '%s' has wrong date format ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s +ErrorFailedToBuildArchive=Izgradnja arhivskog fajla nije uspjela %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) -ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields have been left blank. -ErrorSubjectIsRequired=The email subject is required +ErrorUserCannotBeDelete=Korisnik se ne može izbrisati. Možda je povezan sa Dolibarr entitetima. +ErrorFieldsRequired=Neka obavezna polja su ostavljena prazna. +ErrorSubjectIsRequired=Predmet e-pošte je obavezan ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user -ErrorSetupOfEmailsNotComplete=Setup of emails is not complete -ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display. +ErrorSetupOfEmailsNotComplete=Postavljanje e-pošte nije završeno +ErrorFeatureNeedJavascript=Za ovu funkciju je potreban JavaScript da bi se aktivirao. Promijenite ovo u podešavanjima - prikazu. ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'. ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id. ErrorFileNotFound=File %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter) ErrorDirNotFound=Directory %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter) ErrorFunctionNotAvailableInPHP=Function %s is required for this feature but is not available in this version/setup of PHP. ErrorDirAlreadyExists=A directory with this name already exists. +ErrorDirNotWritable=U direktorij %s nije moguće pisati. ErrorFileAlreadyExists=A file with this name already exists. -ErrorDestinationAlreadyExists=Another file with the name %s already exists. +ErrorDestinationAlreadyExists=Drugi fajl sa imenom %s već postoji. ErrorPartialFile=File not received completely by server. -ErrorNoTmpDir=Temporary directy %s does not exists. +ErrorNoTmpDir=Privremeni direktorij %s ne postoji. ErrorUploadBlockedByAddon=Upload blocked by a PHP/Apache plugin. -ErrorFileSizeTooLarge=File size is too large. -ErrorFieldTooLong=Field %s is too long. +ErrorFileSizeTooLarge=Veličina datoteke je prevelika ili datoteka nije navedena. +ErrorFieldTooLong=Polje %s je predugačko. ErrorSizeTooLongForIntType=Size too long for int type (%s digits maximum) ErrorSizeTooLongForVarcharType=Size too long for string type (%s chars maximum) ErrorNoValueForSelectType=Please fill value for select list ErrorNoValueForCheckBoxType=Please fill value for checkbox list ErrorNoValueForRadioType=Please fill value for radio list ErrorBadFormatValueList=The list value cannot have more than one comma: %s, but need at least one: key,value -ErrorFieldCanNotContainSpecialCharacters=The field %s must not contains special characters. -ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters and cannot contain only numbers. -ErrorFieldMustHaveXChar=The field %s must have at least %s characters. +ErrorFieldCanNotContainSpecialCharacters=Polje %s ne smije sadržavati posebne znakove. +ErrorFieldCanNotContainSpecialNorUpperCharacters=Polje %s ne smije sadržavati posebne znakove, niti velika slova znakovi, i mora početi abecednim znakom (a-z) +ErrorFieldMustHaveXChar=Polje %s mora imati najmanje %s znakova. ErrorNoAccountancyModuleLoaded=No accountancy module activated ErrorExportDuplicateProfil=This profile name already exists for this export set. ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete. ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors. -ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled. -ErrorRefAlreadyExists=Reference %s already exists. -ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD) -ErrorRecordHasChildren=Failed to delete record since it has some child records. -ErrorRecordHasAtLeastOneChildOfType=Object %s has at least one child of type %s -ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into another object. -ErrorModuleRequireJavascript=Javascript must not be disabled to have this feature working. To enable/disable Javascript, go to menu Home->Setup->Display. +ErrorCantSaveADoneUserWithZeroPercentage=Ne može se sačuvati radnja sa "statusom nije pokrenut" ako je polje "done by" također popunjeno. +ErrorRefAlreadyExists=Referenca %s već postoji. +ErrorPleaseTypeBankTransactionReportName=Molimo unesite naziv bankovnog izvoda gdje unos treba prijaviti (format GGGGMM ili GGGGMMDD) +ErrorRecordHasChildren=Brisanje zapisa nije uspjelo jer ima neke podređene zapise. +ErrorRecordHasAtLeastOneChildOfType=Objekt %s ima najmanje jedno dijete tipa %s +ErrorRecordIsUsedCantDelete=Nije moguće izbrisati zapis. Već je korišten ili uključen u drugi objekt. +ErrorModuleRequireJavascript=JavaScript ne smije biti onemogućen da bi ova funkcija radila. Da omogućite/onemogućite JavaScript, idite na meni Početna->Podešavanje->Prikaz. ErrorPasswordsMustMatch=Both typed passwords must match each other -ErrorContactEMail=A technical error occured. Please, contact administrator to following email %s and provide the error code %s in your message, or add a screen copy of this page. -ErrorWrongValueForField=Field %s: '%s' does not match regex rule %s -ErrorFieldValueNotIn=Field %s: '%s' is not a value found in field %s of %s -ErrorFieldRefNotIn=Field %s: '%s' is not a %s existing ref -ErrorsOnXLines=%s errors found +ErrorContactEMail=Došlo je do tehničke greške. Molimo kontaktirajte administratora na sljedeći e-mail %s i navedite šifru greške %sf09f77b09 span> u svoju poruku ili dodajte ekransku kopiju ove stranice. +ErrorWrongValueForField=Polje %s: 'notranslate' %s' se ne podudara s pravilom redovnog izraza 36aee83b0aee8 %s +ErrorHtmlInjectionForField=Polje %s: vrijednost '%s' sadrži zlonamjerne podatke koji nisu dozvoljeni +ErrorFieldValueNotIn=Polje %s: 'notranslate' %s' nije vrijednost pronađena u polju b0z0837 span>%s
      od %s +ErrorFieldRefNotIn=Polje %s: 'notranslate' %s' nije b0ae83f7365 class='notranslate'>%s
      postojeća ref. +ErrorMultipleRecordFoundFromRef=Nekoliko zapisa pronađeno je pretraživanjem iz ref %s. Nema načina da znate koji ID koristiti. +ErrorsOnXLines=%s pronađene greške ErrorFileIsInfectedWithAVirus=The antivirus program was not able to validate the file (file might be infected by a virus) -ErrorSpecialCharNotAllowedForField=Special characters are not allowed for field "%s" +ErrorFileIsAnInfectedPDFWithJSInside=Datoteka je PDF zaražen nekim Javascriptom unutra ErrorNumRefModel=A reference exists into database (%s) and is not compatible with this numbering rule. Remove record or renamed reference to activate this module. -ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this vendor -ErrorOrdersNotCreatedQtyTooLow=Some orders haven't been created because of too-low quantities -ErrorModuleSetupNotComplete=Setup of module %s looks to be uncomplete. Go on Home - Setup - Modules to complete. +ErrorQtyTooLowForThisSupplier=Količina je preniska za ovog dobavljača ili cijena nije definirana za ovaj proizvod za ovog dobavljača +ErrorOrdersNotCreatedQtyTooLow=Neke narudžbe nisu kreirane zbog preniskih količina +ErrorOrderStatusCantBeSetToDelivered=Status narudžbe se ne može postaviti na isporučeno. +ErrorModuleSetupNotComplete=Izgleda da je podešavanje modula %s nepotpuno. Idite na Početna - Podešavanje - Moduli da završite. ErrorBadMask=Error on mask ErrorBadMaskFailedToLocatePosOfSequence=Error, mask without sequence number ErrorBadMaskBadRazMonth=Error, bad reset value -ErrorMaxNumberReachForThisMask=Maximum number reached for this mask +ErrorMaxNumberReachForThisMask=Dostignut je maksimalan broj za ovu masku ErrorCounterMustHaveMoreThan3Digits=Counter must have more than 3 digits -ErrorSelectAtLeastOne=Error, select at least one entry. -ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transaction that is conciliated +ErrorSelectAtLeastOne=Greška, odaberite barem jedan unos. +ErrorDeleteNotPossibleLineIsConsolidated=Brisanje nije moguće jer je zapis povezan s bankovnom transakcijom koja je usklađena ErrorProdIdAlreadyExist=%s is assigned to another third ErrorFailedToSendPassword=Failed to send password ErrorFailedToLoadRSSFile=Fails to get RSS feed. Try to add constant MAIN_SIMPLEXMLLOAD_DEBUG if error messages does not provide enough information. ErrorForbidden=Access denied.
      You try to access to a page, area or feature of a disabled module or without being in an authenticated session or that is not allowed to your user. ErrorForbidden2=Permission for this login can be defined by your Dolibarr administrator from menu %s->%s. ErrorForbidden3=It seems that Dolibarr is not used through an authenticated session. Take a look at Dolibarr setup documentation to know how to manage authentications (htaccess, mod_auth or other...). -ErrorForbidden4=Note: clear your browser cookies to destroy existing sessions for this login. +ErrorForbidden4=Napomena: obrišite kolačiće vašeg pretraživača da uništite postojeće sesije za ovu prijavu. ErrorNoImagickReadimage=Class Imagick is not found in this PHP. No preview can be available. Administrators can disable this tab from menu Setup - Display. ErrorRecordAlreadyExists=Record already exists -ErrorLabelAlreadyExists=This label already exists +ErrorLabelAlreadyExists=Ova oznaka već postoji ErrorCantReadFile=Failed to read file '%s' ErrorCantReadDir=Failed to read directory '%s' ErrorBadLoginPassword=Bad value for login or password ErrorLoginDisabled=Your account has been disabled -ErrorFailedToRunExternalCommand=Failed to run external command. Check it is available and runnable by your PHP server user. Check also the command is not protected on shell level by a security layer like apparmor. +ErrorFailedToRunExternalCommand=Pokretanje vanjske komande nije uspjelo. Provjerite da li je dostupan i i da ga može pokrenuti korisnik vašeg PHP servera. Provjerite također da naredba nije zaštićena na nivou ljuske sigurnosnim slojem kao što je apparmor. ErrorFailedToChangePassword=Failed to change password ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines (net of tax) can't be negative for a given not null VAT rate (Found a negative total for VAT rate %s%%). -ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. +ErrorFieldCantBeNegativeOnInvoice=Polje %s ne može biti negativno na ovoj vrsti fakture. Ako trebate dodati liniju popusta, samo prvo kreirajte popust (iz polja '%s' na kartici treće strane) i primijeniti na fakturu. +ErrorLinesCantBeNegativeForOneVATRate=Ukupan broj redova (bez poreza) ne može biti negativan za datu stopu PDV-a koja nije nula (Pronađen negativan zbroj za stopu PDV-a %s %%). +ErrorLinesCantBeNegativeOnDeposits=Linije ne mogu biti negativne u depozitu. Suočićete se sa problemima kada ćete morati da potrošite depozit u konačnoj fakturi ako to učinite. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -142,10 +150,11 @@ ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base ErrorNewValueCantMatchOldValue=New value can't be equal to old one ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process. -ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check database server is running (for example, with mysql/mariadb, you can launch it from command line with 'sudo service mysql start'). +ErrorToConnectToMysqlCheckInstance=Povezivanje s bazom podataka nije uspjelo. Proverite da li server baze podataka radi (na primer, sa mysql/mariadb, možete ga pokrenuti iz komandne linije sa 'sudo service mysql start'). ErrorFailedToAddContact=Failed to add contact -ErrorDateMustBeBeforeToday=The date must be lower than today -ErrorDateMustBeInFuture=The date must be greater than today +ErrorDateMustBeBeforeToday=Datum mora biti manji od današnjeg +ErrorDateMustBeInFuture=Datum mora biti veći od današnjeg +ErrorStartDateGreaterEnd=Datum početka je veći od datuma završetka ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode. ErrorPHPNeedModule=Error, your PHP must have module %s installed to use this feature. ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s @@ -154,7 +163,7 @@ ErrorBadFormat=Bad format! ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any third party. Link member to an existing third party or create a new third party before creating subscription with invoice. ErrorThereIsSomeDeliveries=Error, there is some deliveries linked to this shipment. Deletion refused. ErrorCantDeletePaymentReconciliated=Can't delete a payment that had generated a bank entry that was reconciled -ErrorCantDeletePaymentSharedWithPayedInvoice=Can't delete a payment shared by at least one invoice with status Paid +ErrorCantDeletePaymentSharedWithPayedInvoice=Nije moguće izbrisati plaćanje koje dijeli barem jedna faktura sa statusom Plaćeno ErrorPriceExpression1=Cannot assign to constant '%s' ErrorPriceExpression2=Cannot redefine built-in function '%s' ErrorPriceExpression3=Undefined variable '%s' in function definition @@ -162,8 +171,8 @@ ErrorPriceExpression4=Illegal character '%s' ErrorPriceExpression5=Unexpected '%s' ErrorPriceExpression6=Wrong number of arguments (%s given, %s expected) ErrorPriceExpression8=Unexpected operator '%s' -ErrorPriceExpression9=An unexpected error occured -ErrorPriceExpression10=Operator '%s' lacks operand +ErrorPriceExpression9=Došlo je do neočekivane greške +ErrorPriceExpression10=Operatoru '%s' nedostaje operand ErrorPriceExpression11=Expecting '%s' ErrorPriceExpression14=Division by zero ErrorPriceExpression17=Undefined variable '%s' @@ -171,12 +180,12 @@ ErrorPriceExpression19=Expression not found ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' -ErrorPriceExpression23=Unknown or non set variable '%s' in %s -ErrorPriceExpression24=Variable '%s' exists but has no value +ErrorPriceExpression23=Nepoznata ili nije postavljena varijabla '%s' u %s +ErrorPriceExpression24=Varijabla '%s' postoji, ali nema vrijednost ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs -ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on product '%s' requiring lot/serial information +ErrorTryToMakeMoveOnProductRequiringBatchData=Greška, pokušava se izvršiti kretanje zaliha bez informacija o seriji/seriji, na proizvodu '%s' koji zahtijeva informacije o seriji/seriji ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=All recorded receptions must first be verified (approved or denied) before being allowed to do this action ErrorCantSetReceptionToTotalDoneWithReceptionDenied=All recorded receptions must first be verified (approved) before being allowed to do this action ErrorGlobalVariableUpdater0=HTTP request failed with error '%s' @@ -187,14 +196,15 @@ ErrorGlobalVariableUpdater4=SOAP client failed with error '%s' ErrorGlobalVariableUpdater5=No global variable selected ErrorFieldMustBeANumeric=Field %s must be a numeric value ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided -ErrorOppStatusRequiredIfAmount=You set an estimated amount for this lead. So you must also enter it's status. +ErrorOppStatusRequiredIfUsage=Odabirete da pratite priliku u ovom projektu, tako da morate popuniti i status voditelja. +ErrorOppStatusRequiredIfAmount=Postavili ste procijenjeni iznos za ovog potencijalnog klijenta. Dakle, morate unijeti i njegov status. ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu) -ErrorSavingChanges=An error has occurred when saving the changes +ErrorSavingChanges=Došlo je do greške prilikom pohranjivanja promjena ErrorWarehouseRequiredIntoShipmentLine=Warehouse is required on the line to ship ErrorFileMustHaveFormat=File must have format %s -ErrorFilenameCantStartWithDot=Filename can't start with a '.' -ErrorSupplierCountryIsNotDefined=Country for this vendor is not defined. Correct this first. +ErrorFilenameCantStartWithDot=Ime datoteke ne može početi sa '.' +ErrorSupplierCountryIsNotDefined=Država za ovog dobavljača nije definirana. Ispravi ovo prvo. ErrorsThirdpartyMerge=Failed to merge the two records. Request canceled. ErrorStockIsNotEnoughToAddProductOnOrder=Stock is not enough for product %s to add it into a new order. ErrorStockIsNotEnoughToAddProductOnInvoice=Stock is not enough for product %s to add it into a new invoice. @@ -210,87 +220,131 @@ ErrorPhpMailDelivery=Check that you don't use a too high number of recipients an ErrorUserNotAssignedToTask=User must be assigned to task to be able to enter time consumed. ErrorTaskAlreadyAssigned=Task already assigned to user ErrorModuleFileSeemsToHaveAWrongFormat=The module package seems to have a wrong format. -ErrorModuleFileSeemsToHaveAWrongFormat2=At least one mandatory directory must exists into zip of module: %s or %s +ErrorModuleFileSeemsToHaveAWrongFormat2=Najmanje jedan obavezni direktorij mora postojati u zip modulu: %s > ili %s ErrorFilenameDosNotMatchDolibarrPackageRules=The name of the module package (%s) does not match expected name syntax: %s ErrorDuplicateTrigger=Error, duplicate trigger name %s. Already loaded from %s. ErrorNoWarehouseDefined=Error, no warehouses defined. ErrorBadLinkSourceSetButBadValueForRef=The link you use is not valid. A 'source' for payment is defined, but value for 'ref' is not valid. ErrorTooManyErrorsProcessStopped=Too many errors. Process was stopped. -ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Mass validation is not possible when option to increase/decrease stock is set on this action (you must validate one by one so you can define the warehouse to increase/decrease) -ErrorObjectMustHaveStatusDraftToBeValidated=Object %s must have status 'Draft' to be validated. -ErrorObjectMustHaveLinesToBeValidated=Object %s must have lines to be validated. -ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Only validated invoices can be sent using the "Send by email" mass action. -ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a predefined product or not -ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before. -ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently. -ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference. -ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number. -ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product -ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use -ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually. -ErrorBadSyntaxForParamKeyForContent=Bad syntax for param keyforcontent. Must have a value starting with %s or %s -ErrorVariableKeyForContentMustBeSet=Error, the constant with name %s (with text content to show) or %s (with external url to show) must be set. -ErrorURLMustEndWith=URL %s must end %s -ErrorURLMustStartWithHttp=URL %s must start with http:// or https:// -ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// -ErrorNewRefIsAlreadyUsed=Error, the new reference is already used -ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible. -ErrorSearchCriteriaTooSmall=Search criteria too small. -ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to be disabled -ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled -ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. -ErrorFieldRequiredForProduct=Field '%s' is required for product %s -ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. -ErrorAddAtLeastOneLineFirst=Add at least one line first -ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, record is already transferred in accounting, deletion is not possible. -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one. -ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s". -ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty -ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number -ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number -ErrorFailedToReadObject=Error, failed to read object of type %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler -ErrorLoginDateValidity=Error, this login is outside the validity date range -ErrorValueLength=Length of field '%s' must be higher than '%s' -ErrorReservedKeyword=The word '%s' is a reserved keyword -ErrorNotAvailableWithThisDistribution=Not available with this distribution -ErrorPublicInterfaceNotEnabled=Public interface was not enabled -ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page -ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page -ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation -ErrorDateIsInFuture=Error, the date can't be in the future -ErrorAnAmountWithoutTaxIsRequired=Error, amount is mandatory -ErrorAPercentIsRequired=Error, please fill in the percentage correctly -ErrorYouMustFirstSetupYourChartOfAccount=You must first setup your chart of account -ErrorFailedToFindEmailTemplate=Failed to find template with code name %s -ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Duration not defined on service. No way to calculate the hourly price. -ErrorActionCommPropertyUserowneridNotDefined=User's owner is required -ErrorActionCommBadType=Selected event type (id: %s, code: %s) do not exist in Event Type dictionary -CheckVersionFail=Version check fail -ErrorWrongFileName=Name of the file cannot have __SOMETHING__ in it -ErrorNotInDictionaryPaymentConditions=Not in Payment Terms Dictionary, please modify. -ErrorIsNotADraft=%s is not a draft -ErrorExecIdFailed=Can't execute command "id" -ErrorBadCharIntoLoginName=Unauthorized character in the login name -ErrorRequestTooLarge=Error, request too large +ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Masovna provjera valjanosti nije moguća kada je na ovoj radnji postavljena opcija povećanja/smanjivanja zaliha (morate potvrditi jednu po jednu da biste mogli definirati skladište za povećanje/smanjenje) +ErrorObjectMustHaveStatusDraftToBeValidated=Objekt %s mora imati status 'Nacrt' da bi se potvrdio. +ErrorObjectMustHaveLinesToBeValidated=Objekt %s mora imati linije za provjeru valjanosti. +ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Pomoću masovne akcije "Pošalji e-poštom" mogu se slati samo provjerene fakture. +ErrorChooseBetweenFreeEntryOrPredefinedProduct=Morate odabrati da li je članak unaprijed definiran proizvod ili ne +ErrorDiscountLargerThanRemainToPaySplitItBefore=Popust koji pokušate primijeniti je veći od onog koji ostaje da platite. Ranije podijelite popust na 2 manja popusta. +ErrorFileNotFoundWithSharedLink=Fajl nije pronađen. Možda je ključ za dijeljenje izmijenjen ili je datoteka nedavno uklonjena. +ErrorProductBarCodeAlreadyExists=Barkod proizvoda %s već postoji na drugoj referenci proizvoda. +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Imajte na umu da korištenje kompleta za automatsko povećanje/smanjenje podproizvoda nije moguće kada je za barem jedan podproizvod (ili podproizvod podproizvoda) potreban serijski/smanjenje broja podproizvoda. +ErrorDescRequiredForFreeProductLines=Opis je obavezan za linije sa besplatnim proizvodom +ErrorAPageWithThisNameOrAliasAlreadyExists=Stranica/kontejner %s ima isto ime ili alternativni alias koji pokušavate da koristite +ErrorDuringChartLoad=Greška prilikom učitavanja kontnog plana. Ako nekoliko naloga nije učitano, još uvijek ih možete unijeti ručno. +ErrorBadSyntaxForParamKeyForContent=Loša sintaksa za param keyforcontent. Mora imati vrijednost koja počinje sa %s ili %s +ErrorVariableKeyForContentMustBeSet=Greška, konstanta s imenom %s (sa tekstualnim sadržajem za prikaz) ili %s (sa vanjskim URL-om za prikaz) mora biti postavljena . +ErrorURLMustEndWith=URL %s mora završiti %s +ErrorURLMustStartWithHttp=URL %s mora početi s http:// ili https:// +ErrorHostMustNotStartWithHttp=Ime hosta %s NE smije početi sa http:// ili https:// +ErrorNewRefIsAlreadyUsed=Greška, nova referenca se već koristi +ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Greška, brisanje plaćanja povezanog sa zatvorenom fakturom nije moguće. +ErrorSearchCriteriaTooSmall=Kriterijumi za pretragu su prekratki. +ErrorObjectMustHaveStatusActiveToBeDisabled=Objekti moraju imati status 'Aktivan' da bi bili onemogućeni +ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objekti moraju imati status 'Nacrt' ili 'Onemogućeno' da bi bili omogućeni +ErrorNoFieldWithAttributeShowoncombobox=Nijedno polje nema svojstvo 'showoncombobox' u definiciji objekta '%s'. Nema načina da se pokaže kombolista. +ErrorFieldRequiredForProduct=Polje '%s' je obavezno za proizvod %s +AlreadyTooMuchPostOnThisIPAdress=Već ste previše objavili na ovoj IP adresi. +ProblemIsInSetupOfTerminal=Problem je u podešavanju terminala %s. +ErrorAddAtLeastOneLineFirst=Prvo dodajte barem jedan red +ErrorRecordAlreadyInAccountingDeletionNotPossible=Greška, zapis je već prenesen u računovodstvo, brisanje nije moguće. +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Greška, jezik je obavezan ako postavite stranicu kao prijevod druge. +ErrorLanguageOfTranslatedPageIsSameThanThisPage=Greška, jezik prevedene stranice je isti kao ovaj. +ErrorBatchNoFoundForProductInWarehouse=Nije pronađena serija/serija za proizvod "%s" u skladištu "%s". +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Nema dovoljne količine za ovu seriju/seriju za proizvod "%s" u skladištu "%s". +ErrorOnlyOneFieldForGroupByIsPossible=Moguće je samo 1 polje za 'Grupiraj po' (druga se odbacuju) +ErrorTooManyDifferentValueForSelectedGroupBy=Pronađeno je previše različitih vrijednosti (više od %s) za polje '%s', tako da ga ne možemo koristiti kao 'Grupiraj po' za grafiku. Polje 'Grupiraj po' je uklonjeno. Možda ste htjeli da ga koristite kao X-osu? +ErrorReplaceStringEmpty=Greška, niz za zamjenu je prazan +ErrorProductNeedBatchNumber=Greška, proizvodu '%s' potreban je broj/serijski broj +ErrorProductDoesNotNeedBatchNumber=Greška, proizvod '%s' ne prihvata lot/ serijski broj +ErrorFailedToReadObject=Greška, nije uspjelo čitanje objekta tipa %s +ErrorParameterMustBeEnabledToAllwoThisFeature=Greška, parametar %s mora biti omogućen u class 'notranslate'>conf/conf.php<> za omogućavanje upotrebe sučelja komandne linije od strane internog planera poslova +ErrorLoginDateValidity=Greška, ova prijava je izvan raspona datuma valjanosti +ErrorValueLength=Dužina polja '%s< mora biti veća od' span class='notranslate'>%s' +ErrorReservedKeyword=Riječ '%s' je rezervirana ključna riječ +ErrorFilenameReserved=Ime datoteke %s se ne može koristiti jer je rezervirana i zaštićena naredba. +ErrorNotAvailableWithThisDistribution=Nije dostupno sa ovom distribucijom +ErrorPublicInterfaceNotEnabled=Javni interfejs nije bio omogućen +ErrorLanguageRequiredIfPageIsTranslationOfAnother=Jezik nove stranice mora biti definiran ako je postavljen kao prijevod druge stranice +ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=Jezik nove stranice ne smije biti izvorni jezik ako je postavljen kao prijevod druge stranice +ErrorAParameterIsRequiredForThisOperation=Parametar je obavezan za ovu operaciju +ErrorDateIsInFuture=Greška, datum ne može biti u budućnosti +ErrorAnAmountWithoutTaxIsRequired=Greška, iznos je obavezan +ErrorAPercentIsRequired=Greška, molimo vas da ispravno unesete procenat +ErrorYouMustFirstSetupYourChartOfAccount=Prvo morate postaviti svoj kontni plan +ErrorFailedToFindEmailTemplate=Nije uspjelo pronaći predložak s kodnim imenom %s +ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Trajanje nije definisano na usluzi. Nema načina da se izračuna satnica. +ErrorActionCommPropertyUserowneridNotDefined=Potreban je vlasnik korisnika +ErrorActionCommBadType=Odabrani tip događaja (id: %s, kod: %s) ne postoji u rječniku vrste događaja +CheckVersionFail=Provjera verzije nije uspjela +ErrorWrongFileName=Ime datoteke ne može sadržavati __SOMETHING__ u sebi +ErrorNotInDictionaryPaymentConditions=Nije u Rječniku uslova plaćanja, izmijenite. +ErrorIsNotADraft=%s nije nacrt +ErrorExecIdFailed=Ne mogu izvršiti naredbu "id" +ErrorBadCharIntoLoginName=Neovlašteni znak u polju %s +ErrorRequestTooLarge=Greška, zahtjev je prevelik ili je sesija istekla +ErrorNotApproverForHoliday=Vi niste davalac odobrenja za odsustvo %s +ErrorAttributeIsUsedIntoProduct=Ovaj atribut se koristi u jednoj ili više varijanti proizvoda +ErrorAttributeValueIsUsedIntoProduct=Ova vrijednost atributa se koristi u jednoj ili više varijanti proizvoda +ErrorPaymentInBothCurrency=Greška, svi iznosi moraju biti upisani u istu kolonu +ErrorYouTryToPayInvoicesInACurrencyFromBankWithAnotherCurrency=Pokušavate da platite fakture u valuti %s sa računa u valuti %s +ErrorInvoiceLoadThirdParty=Nije moguće učitati objekt treće strane za fakturu "%s" +ErrorInvoiceLoadThirdPartyKey=Ključ treće strane "%s" nije postavljen za fakturu "%s" +ErrorDeleteLineNotAllowedByObjectStatus=Brisanje linije nije dozvoljeno trenutnim statusom objekta +ErrorAjaxRequestFailed=Zahtjev nije uspio +ErrorThirpdartyOrMemberidIsMandatory=Treća strana ili član partnerstva je obavezan +ErrorFailedToWriteInTempDirectory=Upisivanje u privremeni direktorij nije uspjelo +ErrorQuantityIsLimitedTo=Količina je ograničena na %s +ErrorFailedToLoadThirdParty=Neuspješno pronalaženje/učitavanje treće strane sa id=%s, email=%s, name= %s +ErrorThisPaymentModeIsNotSepa=Ovaj način plaćanja nije bankovni račun +ErrorStripeCustomerNotFoundCreateFirst=Stripe kupac nije postavljen za ovu treću stranu (ili je postavljen na vrijednost izbrisanu na strani Stripe). Prvo ga kreirajte (ili ponovo pričvrstite). +ErrorCharPlusNotSupportedByImapForSearch=IMAP pretraga ne može tražiti kod pošiljaoca ili primaoca niz koji sadrži znak + +ErrorTableNotFound=Tabela %s nije pronađena +ErrorRefNotFound=Ref %s nije pronađen +ErrorValueForTooLow=Vrijednost za %s je preniska +ErrorValueCantBeNull=Vrijednost za %s ne može biti null +ErrorDateOfMovementLowerThanDateOfFileTransmission=Datum bankovne transakcije ne može biti manji od datuma prenosa datoteke +ErrorTooMuchFileInForm=Previše fajlova u formi, maksimalni broj je %s fajl(ova) +ErrorSessionInvalidatedAfterPasswordChange=Sesija je poništena nakon promjene lozinke, e-pošte, statusa ili datuma valjanosti. Molimo ponovo se prijavite. +ErrorExistingPermission = Dozvola %s za objekt %s već postoji +ErrorFieldExist=Vrijednost za %s već postoji +ErrorEqualModule=Modul nevažeći u %s +ErrorFieldValue=Vrijednost za %s je netačna +ErrorCoherenceMenu=%s je potreban kada je %s je 'lijevo' +ErrorUploadFileDragDrop=Došlo je do greške prilikom otpremanja fajlova +ErrorUploadFileDragDropPermissionDenied=Došlo je do greške prilikom otpremanja fajlova: Dozvola odbijena +ErrorFixThisHere=Popravi ovo ovdje +ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Greška: URL vaše trenutne instance (%s) se ne podudara s URL-om definiranim u vašoj OAuth2 postavci prijave (%s). OAuth2 prijava u takvoj konfiguraciji nije dozvoljena. +ErrorMenuExistValue=Meni već postoji sa ovim naslovom ili URL-om +ErrorSVGFilesNotAllowedAsLinksWithout=SVG datoteke nisu dozvoljene kao vanjske veze bez opcije %s +ErrorTypeMenu=Nemoguće je dodati još jedan meni za isti modul na navigacijsku traku, još nije rukovati +ErrorObjectNotFound = Objekt %s nije pronađen, provjerite svoj url +ErrorCountryCodeMustBe2Char=Kôd zemlje mora biti niz od 2 karaktera + +ErrorTableExist=Tabela %s već postoji +ErrorDictionaryNotFound=Rječnik %s nije pronađen +ErrorFailedToCreateSymLinkToMedias=Nije uspjelo kreiranje simboličke veze %s koja ukazuje na %s +ErrorCheckTheCommandInsideTheAdvancedOptions=Provjerite naredbu koja se koristi za izvoz u Napredne opcije izvoza # Warnings -WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. +WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Vaš PHP parametar upload_max_filesize (%s) je veći od PHP parametra post_max_size (%s). Ovo nije dosljedna postavka. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. -WarningMandatorySetupNotComplete=Click here to setup mandatory parameters -WarningEnableYourModulesApplications=Click here to enable your modules and applications +WarningMandatorySetupNotComplete=Kliknite ovdje za podešavanje glavnih parametara +WarningEnableYourModulesApplications=Kliknite ovdje da omogućite svoje module i aplikacije WarningSafeModeOnCheckExecDir=Warning, PHP option safe_mode is on so command must be stored inside a directory declared by php parameter safe_mode_exec_dir. WarningBookmarkAlreadyExists=A bookmark with this title or this target (URL) already exists. WarningPassIsEmpty=Warning, database password is empty. This is a security hole. You should add a password to your database and change your conf.php file to reflect this. WarningConfFileMustBeReadOnly=Warning, your config file (htdocs/conf/conf.php) can be overwritten by the web server. This is a serious security hole. Modify permissions on file to be in read only mode for operating system user used by Web server. If you use Windows and FAT format for your disk, you must know that this file system does not allow to add permissions on file, so can't be completely safe. WarningsOnXLines=Warnings on %s source record(s) -WarningNoDocumentModelActivated=No model, for document generation, has been activated. A model will be chosen by default until you check your module setup. -WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable the installation/migration tools by adding a file install.lock into directory %s. Omitting the creation of this file is a grave security risk. -WarningUntilDirRemoved=All security warnings (visible by admin users only) will remain active as long as the vulnerability is present (or that constant MAIN_REMOVE_INSTALL_WARNING is added in Setup->Other Setup). +WarningNoDocumentModelActivated=Nijedan model za generiranje dokumenata nije aktiviran. Model će biti odabran prema zadanim postavkama dok ne provjerite postavke vašeg modula. +WarningLockFileDoesNotExists=Upozorenje, kada se postavljanje završi, morate onemogućiti alate za instalaciju/migraciju dodavanjem datoteke install.lock u direktorij %s. Izostavljanje kreiranja ove datoteke predstavlja ozbiljan sigurnosni rizik. +WarningUntilDirRemoved=Ovo sigurnosno upozorenje će ostati aktivno sve dok je ranjivost prisutna. WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution. WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box. WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card). @@ -299,36 +353,54 @@ WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice WarningTooManyDataPleaseUseMoreFilters=Too many data (more than %s lines). Please use more filters or set the constant %s to a higher limit. WarningSomeLinesWithNullHourlyRate=Some times were recorded by some users while their hourly rate was not defined. A value of 0 %s per hour was used but this may result in wrong valuation of time spent. WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security purpose you will have to login with your new login before next action. +WarningYourPasswordWasModifiedPleaseLogin=Vaša lozinka je izmijenjena. Iz sigurnosnih razloga morat ćete se sada prijaviti sa svojom novom lozinkom. WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language -WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists -WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report -WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks. -WarningProjectClosed=Project is closed. You must re-open it first. -WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. -WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table -WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on. -WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list -WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection. -WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. -WarningPaypalPaymentNotCompatibleWithStrict=The value 'Strict' makes the online payment features not working correctly. Use 'Lax' instead. +WarningNumberOfRecipientIsRestrictedInMassAction=Upozorenje, broj različitih primatelja je ograničen na %s kada koristite masovne akcije na listama +WarningDateOfLineMustBeInExpenseReportRange=Upozorenje, datum reda nije u rasponu izvještaja o troškovima +WarningProjectDraft=Projekat je još uvijek u nacrtu. Ne zaboravite ga potvrditi ako planirate koristiti zadatke. +WarningProjectClosed=Projekat je zatvoren. Prvo ga morate ponovo otvoriti. +WarningSomeBankTransactionByChequeWereRemovedAfter=Neke bankovne transakcije su uklonjene nakon što je generisana potvrda sa njima. Dakle, broj čekova i ukupan broj računa može se razlikovati od ukupnog broja i na listi. +WarningFailedToAddFileIntoDatabaseIndex=Upozorenje, nije uspjelo dodavanje unosa datoteke u indeksnu tablicu ECM baze podataka +WarningTheHiddenOptionIsOn=Upozorenje, uključena je skrivena opcija %s. +WarningCreateSubAccounts=Upozorenje, ne možete direktno kreirati podračun, morate kreirati treću stranu ili korisnik i im dodijeliti računski kod da ih pronađe na ovoj listi +WarningAvailableOnlyForHTTPSServers=Dostupno samo ako koristite zaštićenu HTTPS vezu. +WarningModuleXDisabledSoYouMayMissEventHere=Modul %s nije omogućen. Tako da možete propustiti mnogo događaja ovdje. +WarningPaypalPaymentNotCompatibleWithStrict=Vrijednost 'Strict' čini da funkcije online plaćanja ne rade ispravno. Umjesto toga koristite 'Lax'. +WarningThemeForcedTo=Upozorenje, tema je prisiljena %s MAME od strane FORdenC konstante HEET_hidden +WarningPagesWillBeDeleted=Upozorenje, ovo će također izbrisati sve postojeće stranice/kontejnere web stranice. Trebali biste prije izvesti svoju web stranicu, tako da imate sigurnosnu kopiju da je kasnije ponovo uvezete. +WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Automatska provjera valjanosti je onemogućena kada je opcija smanjenja zaliha postavljena na "Provjera fakture". +WarningModuleNeedRefresh = Modul %s je onemogućen. Ne zaboravite to omogućiti +WarningPermissionAlreadyExist=Postojeće dozvole za ovaj objekt +WarningGoOnAccountancySetupToAddAccounts=Ako je ova lista prazna, idite u meni %s - %s - %s da učitate ili kreirate račune za vaš kontni plan. +WarningCorrectedInvoiceNotFound=Ispravljena faktura nije pronađena +WarningCommentNotFound=Molimo provjerite položaj početnih i krajnjih komentara za %s
      odjeljak u datoteci %sb09f4b>b09f17 span> prije podnošenja radnje +WarningAlreadyReverse=Kretanje dionica je već obrnuto + +SwissQrOnlyVIR = SwissQR faktura se može dodati samo na fakture postavljene da se plaćaju plaćanjem kreditnim transferom. +SwissQrCreditorAddressInvalid = Adresa kreditora je nevažeća (da li je ZIP i postavljen na grad? (%s) +SwissQrCreditorInformationInvalid = Podaci o kreditoru su nevažeći za IBAN (%s): %s +SwissQrIbanNotImplementedYet = QR-IBAN još nije implementiran +SwissQrPaymentInformationInvalid = Podaci o plaćanju su bili nevažeći za ukupno %s : %s +SwissQrDebitorAddressInvalid = Podaci o dužniku su bili nevažeći (%s) # Validate -RequireValidValue = Value not valid -RequireAtLeastXString = Requires at least %s character(s) -RequireXStringMax = Requires %s character(s) max -RequireAtLeastXDigits = Requires at least %s digit(s) -RequireXDigitsMax = Requires %s digit(s) max -RequireValidNumeric = Requires a numeric value -RequireValidEmail = Email address is not valid -RequireMaxLength = Length must be less than %s chars -RequireMinLength = Length must be more than %s char(s) -RequireValidUrl = Require valid URL -RequireValidDate = Require a valid date -RequireANotEmptyValue = Is required -RequireValidDuration = Require a valid duration -RequireValidExistingElement = Require an existing value -RequireValidBool = Require a valid boolean -BadSetupOfField = Error bad setup of field -BadSetupOfFieldClassNotFoundForValidation = Error bad setup of field : Class not found for validation -BadSetupOfFieldFileNotFound = Error bad setup of field : File not found for inclusion -BadSetupOfFieldFetchNotCallable = Error bad setup of field : Fetch not callable on class +RequireValidValue = Vrijednost nije važeća +RequireAtLeastXString = Zahtijeva najmanje %s karakter(e) +RequireXStringMax = Zahtijeva maksimalno %s znakova +RequireAtLeastXDigits = Zahtijeva najmanje %s cifru(e) +RequireXDigitsMax = Zahtijeva maksimalno %s cifru(e) +RequireValidNumeric = Zahtijeva numeričku vrijednost +RequireValidEmail = Adresa e-pošte nije važeća +RequireMaxLength = Dužina mora biti manja od %s znakova +RequireMinLength = Dužina mora biti veća od %s znakova +RequireValidUrl = Zahtijevajte važeći URL +RequireValidDate = Zahtijevajte važeći datum +RequireANotEmptyValue = Potrebno je +RequireValidDuration = Zahtijevajte važeće trajanje +RequireValidExistingElement = Zahtijevajte postojeću vrijednost +RequireValidBool = Zahtijevajte važeći boolean +BadSetupOfField = Greška loše postavke polja +BadSetupOfFieldClassNotFoundForValidation = Greška loše postavke polja: klasa nije pronađena za validaciju +BadSetupOfFieldFileNotFound = Greška loše postavke polja: Datoteka nije pronađena za uključivanje +BadSetupOfFieldFetchNotCallable = Greška loše postavke polja: Dohvaćanje nije moguće pozvati na klasi +ErrorTooManyAttempts= Previše pokušaja, pokušajte ponovo kasnije diff --git a/htdocs/langs/bs_BA/holiday.lang b/htdocs/langs/bs_BA/holiday.lang index 90bda10a7fc..cf69d3e7635 100644 --- a/htdocs/langs/bs_BA/holiday.lang +++ b/htdocs/langs/bs_BA/holiday.lang @@ -1,12 +1,12 @@ # Dolibarr language file - Source file is en_US - holiday HRM=Kadrovska služba -Holidays=Leaves -Holiday=Leave -CPTitreMenu=Leave +Holidays=Lišće +Holiday=Odlazi +CPTitreMenu=Odlazi MenuReportMonth=Mjesečni izvještaj MenuAddCP=New leave request -MenuCollectiveAddCP=New collective leave request -NotActiveModCP=You must enable the module Leave to view this page. +MenuCollectiveAddCP=Novo kolektivno odsustvo +NotActiveModCP=Morate omogućiti modul Napusti da biste vidjeli ovu stranicu. AddCP=Make a leave request DateDebCP=Datum početka DateFinCP=Datum završetka @@ -15,21 +15,21 @@ ToReviewCP=Čeka na odobrenje ApprovedCP=Odobren CancelCP=Otkazan RefuseCP=Odbijen -ValidatorCP=Approver -ListeCP=List of leave +ValidatorCP=Odobravač +ListeCP=Spisak odsustva Leave=Leave request -LeaveId=Leave ID +LeaveId=Ostavite ID ReviewedByCP=Will be approved by -UserID=User ID -UserForApprovalID=User for approval ID -UserForApprovalFirstname=First name of approval user -UserForApprovalLastname=Last name of approval user -UserForApprovalLogin=Login of approval user +UserID=Korisnički broj +UserForApprovalID=ID korisnika za odobrenje +UserForApprovalFirstname=Ime korisnika odobrenja +UserForApprovalLastname=Prezime korisnika odobrenja +UserForApprovalLogin=Prijava korisnika odobrenja DescCP=Opis SendRequestCP=Create leave request DelayToRequestCP=Leave requests must be made at least %s day(s) before them. -MenuConfCP=Balance of leave -SoldeCPUser=Leave balance (in days) : %s +MenuConfCP=Bilans odsustva +SoldeCPUser=Ostavite stanje (u danima) : %s ErrorEndDateCP=Datum završetka mora biti poslije datuma početka. ErrorSQLCreateCP=Desila se SQL greška prilikom kreiranja: ErrorIDFicheCP=An error has occurred, the leave request does not exist. @@ -38,16 +38,16 @@ ErrorUserViewCP=You are not authorized to read this leave request. InfosWorkflowCP=Workflow informacija RequestByCP=Zahtjev poslao TitreRequestCP=Leave request -TypeOfLeaveId=Type of leave ID -TypeOfLeaveCode=Type of leave code -TypeOfLeaveLabel=Type of leave label -NbUseDaysCP=Number of days of leave used -NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. -NbUseDaysCPShort=Days of leave -NbUseDaysCPShortInMonth=Days of leave in month -DayIsANonWorkingDay=%s is a non-working day -DateStartInMonth=Start date in month -DateEndInMonth=End date in month +TypeOfLeaveId=Vrsta odsustva ID +TypeOfLeaveCode=Vrsta koda za odsustvo +TypeOfLeaveLabel=Vrsta oznake za odsustvo +NbUseDaysCP=Broj iskorištenih dana odsustva +NbUseDaysCPHelp=Izračun uzima u obzir neradne dane i praznike definirane u rječniku. +NbUseDaysCPShort=Dani odsustva +NbUseDaysCPShortInMonth=Dani odmora u mjesecu +DayIsANonWorkingDay=%s je neradni dan +DateStartInMonth=Datum početka u mjesecu +DateEndInMonth=Datum završetka u mjesecu EditCP=Izmjena DeleteCP=Obrisati ActionRefuseCP=Odbij @@ -57,8 +57,8 @@ TitleDeleteCP=Delete the leave request ConfirmDeleteCP=Confirm the deletion of this leave request? ErrorCantDeleteCP=Error you don't have the right to delete this leave request. CantCreateCP=You don't have the right to make leave requests. -InvalidValidatorCP=You must choose the approver for your leave request. -InvalidValidator=The user chosen isn't an approver. +InvalidValidatorCP=Morate odabrati odobravatelja za vaš zahtjev za odsustvo. +InvalidValidator=Odabrani korisnik nije odobravalac. NoDateDebut=Morate odabrati datum početka. NoDateFin=Morate odabrati datum završetka. ErrorDureeCP=Your leave request does not contain working day. @@ -77,46 +77,46 @@ DateRefusCP=Datum odbijanja DateCancelCP=Datum poništavanja DefineEventUserCP=Dodijeli izuzetno odsustvo za korisnika addEventToUserCP=Dodijeli odsustvo -NotTheAssignedApprover=You are not the assigned approver +NotTheAssignedApprover=Vi niste dodijeljeni odobravalac MotifCP=Razlog UserCP=Korisnik ErrorAddEventToUserCP=Došlo je do greške prilikom dodavanja izuzetnog odsustva. AddEventToUserOkCP=Dodavanje izuzetno odsustva je kopmletirano. -ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be filled in -fusionGroupsUsers=The groups field and the user field will be merged +ErrorFieldRequiredUserOrGroup=Polje "grupa" ili polje "korisnik" mora biti popunjeno +fusionGroupsUsers=Polje grupe i korisničko polje će biti spojeno MenuLogCP=View change logs -LogCP=Log of all updates made to "Balance of Leave" -ActionByCP=Updated by -UserUpdateCP=Updated for +LogCP=Zapisnik svih ažuriranja napravljenih na "Bilans dopusta" +ActionByCP=Ažurirano od strane +UserUpdateCP=Ažurirano za PrevSoldeCP=Prethodno stanje NewSoldeCP=Novo stanje alreadyCPexist=A leave request has already been done on this period. -UseralreadyCPexist=A leave request has already been done on this period for %s. +UseralreadyCPexist=Zahtjev za odsustvo je već urađen u ovom periodu za %s. groups=Grupe users=Korisnici -AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request -AutoValidationOnCreate=Automatic validation -FirstDayOfHoliday=Beginning day of leave request -LastDayOfHoliday=Ending day of leave request +AutoSendMail=Automatsko slanje poštom +NewHolidayForGroup=Novo kolektivno odsustvo +SendRequestCollectiveCP=Napravite kolektivni odmor +AutoValidationOnCreate=Automatska validacija +FirstDayOfHoliday=Početni dan zahtjeva za odsustvo +LastDayOfHoliday=Završni dan zahtjeva za odsustvo HolidaysMonthlyUpdate=Mjesečno ažuriranje ManualUpdate=Ručno ažuriranje -HolidaysCancelation=Leave request cancelation +HolidaysCancelation=Ostavite zahtjev za otkazivanje EmployeeLastname=Employee last name EmployeeFirstname=Employee first name TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests -HalfDay=Half day -NotTheAssignedApprover=You are not the assigned approver -LEAVE_PAID=Paid vacation -LEAVE_SICK=Sick leave -LEAVE_OTHER=Other leave -LEAVE_PAID_FR=Paid vacation +LastHolidays=Najnoviji %s zahtjevi za napuštanje +AllHolidays=Svi zahtjevi za odsustvo +HalfDay=Pola dana +NotTheAssignedApprover=Vi niste dodijeljeni odobravalac +LEAVE_PAID=Plaćeni odmor +LEAVE_SICK=Bolovanje +LEAVE_OTHER=Ostalo odsustvo +LEAVE_PAID_FR=Plaćeni odmor ## Configuration du Module ## -LastUpdateCP=Last automatic update of leave allocation -MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation +LastUpdateCP=Posljednje automatsko ažuriranje dodjele dopusta +MonthOfLastMonthlyUpdate=Mjesec posljednjeg automatskog ažuriranja dodjele dopusta UpdateConfCPOK=Uspješno ažuriranje. Module27130Name= Management of leave requests Module27130Desc= Management of leave requests @@ -126,32 +126,32 @@ NoticePeriod=Notice period HolidaysToValidate=Validate leave requests HolidaysToValidateBody=Below is a leave request to validate HolidaysToValidateDelay=This leave request will take place within a period of less than %s days. -HolidaysToValidateAlertSolde=The user who made this leave request does not have enough available days. +HolidaysToValidateAlertSolde=Korisnik koji je podnio ovaj zahtjev za odsustvo nema dovoljno slobodnih dana. HolidaysValidated=Validated leave requests HolidaysValidatedBody=Your leave request for %s to %s has been validated. HolidaysRefused=Request denied -HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason: +HolidaysRefusedBody=Vaš zahtjev za odsustvo za %s do %s je odbijen iz sljedećeg razloga: HolidaysCanceled=Canceled leaved request HolidaysCanceledBody=Your leave request for %s to %s has been canceled. FollowedByACounter=1: This type of leave need to be followed by a counter. Counter is incremented manually or automatically and when a leave request is validated, counter is decremented.
      0: Not followed by a counter. NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter -GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leave to setup the different types of leaves. -HolidaySetup=Setup of module Leave -HolidaysNumberingModules=Numbering models for leave requests -TemplatePDFHolidays=Template for leave requests PDF -FreeLegalTextOnHolidays=Free text on PDF -WatermarkOnDraftHolidayCards=Watermarks on draft leave requests -HolidaysToApprove=Holidays to approve -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate leave requests -HolidayBalanceMonthlyUpdate=Monthly update of leave balance -XIsAUsualNonWorkingDay=%s is usualy a NON working day -BlockHolidayIfNegative=Block if balance negative -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative -ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted -IncreaseHolidays=Increase leave balance -HolidayRecordsIncreased= %s leave balances increased -HolidayRecordIncreased=Leave balance increased -ConfirmMassIncreaseHoliday=Bulk leave balance increase -NumberDayAddMass=Number of day to add to the selection -ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? -HolidayQtyNotModified=Balance of remaining days for %s has not been changed +GoIntoDictionaryHolidayTypes=Idite na Početnu - Podešavanje - Rječnici - Vrsta ostavljanja da biste podesili različite vrste listova. +HolidaySetup=Postavljanje modula Ostavite +HolidaysNumberingModules=Modeli numeracije za zahtjeve za odsustvo +TemplatePDFHolidays=Šablon za zahtjeve za odsustvo PDF +FreeLegalTextOnHolidays=Besplatan tekst u PDF-u +WatermarkOnDraftHolidayCards=Vodeni žigovi na zahtjevima za odsustvo +HolidaysToApprove=Odobrenje praznika +NobodyHasPermissionToValidateHolidays=Niko nema dozvolu za validaciju zahtjeva za odsustvo +HolidayBalanceMonthlyUpdate=Mjesečno ažuriranje stanja odmora +XIsAUsualNonWorkingDay=%s je obično NEradni dan +BlockHolidayIfNegative=Blokirajte ako je balans negativan +LeaveRequestCreationBlockedBecauseBalanceIsNegative=Kreiranje ovog zahtjeva za odsustvo je blokirano jer je vaš saldo negativan +ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Zahtjev za napuštanje %s mora biti nacrt, otkazan ili odbijen za brisanje +IncreaseHolidays=Povećajte saldo odsustva +HolidayRecordsIncreased= %s ostavi povećana stanja +HolidayRecordIncreased=Balans napuštanja je povećan +ConfirmMassIncreaseHoliday=Povećava se saldo odsustva +NumberDayAddMass=Broj dana za dodavanje odabiru +ConfirmMassIncreaseHolidayQuestion=Jeste li sigurni da želite povećati odmor za %s odabrane zapise? +HolidayQtyNotModified=Stanje preostalih dana za %s nije promijenjeno diff --git a/htdocs/langs/bs_BA/main.lang b/htdocs/langs/bs_BA/main.lang index 51c493a9956..08c2e6ee118 100644 --- a/htdocs/langs/bs_BA/main.lang +++ b/htdocs/langs/bs_BA/main.lang @@ -34,10 +34,10 @@ NoTemplateDefined=Šablon za ovu vrstu emaila nije dostupan AvailableVariables=Dostupne zamjenske varijable NoTranslation=Nema prevoda Translation=Prevod -Translations=Translations +Translations=Prevodi CurrentTimeZone=Vremenska zona PHP (servera) -EmptySearchString=Enter non empty search criterias -EnterADateCriteria=Enter a date criteria +EmptySearchString=Unesite neprazne kriterije pretraživanja +EnterADateCriteria=Unesite kriterij datuma NoRecordFound=Nije pronađen zapis NoRecordDeleted=Nijedan zapis nije obrisan NotEnoughDataYet=Nema dovoljno podataka @@ -60,22 +60,23 @@ ErrorFailedToSendMail=Neuspjeh pri slanju maila (pošiljalac=%s, primalac=%s) ErrorFileNotUploaded=Datoteka nije postavljena. Provjerite da li joj je veličina iznad dozvoljene, da li ima dovoljno slobodnog mjesta na disku i da li već postoji datoteka istog imena u ovom direktoriju. ErrorInternalErrorDetected=Pronađena greška ErrorWrongHostParameter=Pogrešan parametar hosta -ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post the form again. -ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child record. +ErrorYourCountryIsNotDefined=Vaša zemlja nije definirana. Idite na Home-Setup-Company/Foundation i ponovo postavite obrazac. +ErrorRecordIsUsedByChild=Brisanje ovog zapisa nije uspjelo. Ovaj zapis koristi najmanje jedan podređeni zapis. ErrorWrongValue=Pogrešna vrijednost ErrorWrongValueForParameterX=Pogrešna vrijednost za parametar %s ErrorNoRequestInError=Nema greške u zahtjevu -ErrorServiceUnavailableTryLater=Service not available at the moment. Try again later. +ErrorServiceUnavailableTryLater=Usluga trenutno nije dostupna. Pokušajte ponovo kasnije. ErrorDuplicateField=Duplicirana vrijednost u unikatnom polju -ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. Changes have been rolled back. -ErrorConfigParameterNotDefined=Parameter %s is not defined in the Dolibarr config file conf.php. +ErrorSomeErrorWereFoundRollbackIsDone=Pronađene su neke greške. Promjene su vraćene. +ErrorConfigParameterNotDefined=Parametar %s nije definiran u conf.php. ErrorCantLoadUserFromDolibarrDatabase=Neuspjelo traženje korisnika %s u Dolibarr bazi podataka. ErrorNoVATRateDefinedForSellerCountry=Greška, nije definirana PDV stopa za državu '%s'. ErrorNoSocialContributionForSellerCountry=Greška, nisu definirane vrste doprinosa i poreza za državu '%s'. ErrorFailedToSaveFile=Greška, neuspjelo spremanje datoteke. -ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of a existing warehouse -FieldCannotBeNegative=Field "%s" cannot be negative -MaxNbOfRecordPerPage=Max. number of records per page +ErrorCannotAddThisParentWarehouse=Pokušavate dodati nadređeno skladište koje je već podređeno postojećem skladištu +ErrorInvalidSubtype=Odabrani podtip nije dozvoljen +FieldCannotBeNegative=Polje "%s" ne može biti negativno +MaxNbOfRecordPerPage=Max. broj zapisa po stranici NotAuthorized=Niste ovlašteni da to uradite. SetDate=Postavi datum SelectDate=Odaberi datum @@ -89,28 +90,29 @@ FileRenamed=Datoteka je uspješno preimenovana FileGenerated=Datoteka je uspješno generirana FileSaved=Datoteka je uspješno spremljena FileUploaded=Datoteka je uspješno postavljena -FileTransferComplete=File(s) uploaded successfully +FileTransferComplete=Fajlovi su uspješno otpremljeni FilesDeleted=Datoteka(e) uspješno obrisana FileWasNotUploaded=Datoteka je odabrana za prilog ali nije još postavljena. Kliknite na "Dodaj datoteku" da bi ste to uradili. -NbOfEntries=No. of entries +NbOfEntries=Broj unosa GoToWikiHelpPage=Pročitajte online pomoć (neophodan pristup internetu) GoToHelpPage=Pročitaj pomoć -DedicatedPageAvailable=Dedicated help page related to your current screen -HomePage=Home Page +DedicatedPageAvailable=Posebna stranica pomoći koja se odnosi na vaš trenutni ekran +HomePage=Početna stranica RecordSaved=Unos spremljen RecordDeleted=Unos obrisan -RecordGenerated=Record generated +RecordGenerated=Zapis je generiran LevelOfFeature=Nivo osobina NotDefined=Nije definirano DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr način odobrenja je postavljen na %s u datoteci postavki conf.php.
      To znači da je baza podataka šifri izvan Dolibarra, pa mjenjanje ovog polja nema efekta. -Administrator=Administrator +Administrator=Sistem administrator +AdministratorDesc=Administrator sistema (može administrirati korisnika, dozvole, ali i konfiguraciju modula za i konfiguraciju sistema) Undefined=Nedefinirano PasswordForgotten=Zaboravljena šifra? NoAccount=Nema računa? SeeAbove=Vidi iznad HomeArea=Početna -LastConnexion=Last login -PreviousConnexion=Previous login +LastConnexion=Zadnja prijava +PreviousConnexion=Prethodna prijava PreviousValue=Prethodna vrijednost ConnectedOnMultiCompany=Spojeno na okruženje ConnectedSince=Spojen od @@ -122,18 +124,18 @@ ReturnCodeLastAccessInError=Vraća kod za posljednju grešku pristupa bazi podat InformationLastAccessInError=Informacija za posljednju grešku pristupa bazi podataka DolibarrHasDetectedError=Dolibarr je otkrio tehničku grešku YouCanSetOptionDolibarrMainProdToZero=Možete pročitati datoteku zapisa ili postaviti opciju $dolibarr_main_prod to '0' u vašoj konfiguracijskoj datoteci za više informacija. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) +InformationToHelpDiagnose=Ove informacije mogu biti korisne u dijagnostičke svrhe (možete postaviti opciju $dolibarr_main_prod na '1' da sakrijete osjetljive informacije) MoreInformation=Više informacija TechnicalInformation=Tehničke informacije TechnicalID=Tehnički ID -LineID=Line ID +LineID=ID linije NotePublic=Napomena (javna) NotePrivate=Napomena (privatna) PrecisionUnitIsLimitedToXDecimals=Dolibarr je podešen za ograniči preciznost cijena stavki na %s decimala. DoTest=Test ToFilter=Filter NoFilter=Nema filtera -WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance time. +WarningYouHaveAtLeastOneTaskLate=Upozorenje, imate barem jedan element koji je premašio vrijeme tolerancije. yes=da Yes=Da no=ne @@ -167,10 +169,10 @@ RemoveLink=Ukloni link AddToDraft=Dodaj u nacrt Update=Ažuriraj Close=Zatvori -CloseAs=Set status to +CloseAs=Postavite status na CloseBox=Ukloni kutijicu sa svoje nadzorne ploče Confirm=Potvrdi -ConfirmSendCardByMail=Do you really want to send the content of this card by mail to %s? +ConfirmSendCardByMail=Da li zaista želite da pošaljete sadržaj ove kartice poštom na %s? Delete=Obriši Remove=Ukloni Resiliate=Deaktiviraj @@ -183,12 +185,12 @@ ToValidate=Za potvrdu NotValidated=Nije odobreno Save=Sačuvaj SaveAs=Sačuvaj kao -SaveAndStay=Save and stay -SaveAndNew=Save and new +SaveAndStay=Sačuvaj i ostani +SaveAndNew=Sačuvaj i novo TestConnection=Test konekcije ToClone=Kloniraj -ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose the data you want to clone: +ConfirmCloneAsk=Jeste li sigurni da želite klonirati objekat %s? +ConfirmClone=Odaberite podatke koje želite klonirati: NoCloneOptionsSpecified=Nije definiran podatak za kloniranje. Of=od Go=Idi @@ -199,7 +201,7 @@ Hide=Sakrij ShowCardHere=Prikaži karticu Search=Traži SearchOf=Traži -QuickAdd=Quick add +QuickAdd=Brzo dodavanje Valid=Valjan Approve=Odobriti Disapprove=Odbij @@ -208,25 +210,25 @@ OpenVerb=Otvoren Upload=Upload ToLink=Link Select=Odaberi -SelectAll=Select all +SelectAll=Označi sve Choose=Izaberi Resize=Promjena veličine +Crop=Rezati ResizeOrCrop=Promijeni veličinu ili izreži -Recenter=Postavi centar Author=Autor User=Korisnik Users=Korisnici Group=Grupa Groups=Grupe -UserGroup=User group -UserGroups=User groups +UserGroup=Grupa korisnika +UserGroups=Grupe korisnika NoUserGroupDefined=Nije definirana korisnička grupa Password=Šifra -PasswordRetype=Repeat your password +PasswordRetype=Ponovite lozinku NoteSomeFeaturesAreDisabled=Mnoge osobine/moduli su onemogućeni pri ovoj demostraciji. -YourUserFile=Your user file +YourUserFile=Vaš korisnički fajl Name=Naziv -NameSlashCompany=Name / Company +NameSlashCompany=Ime / Kompanija Person=Osoba Parameter=Parametar Parameters=Parametri @@ -234,9 +236,9 @@ Value=Vrijednost PersonalValue=Lična vrijednost NewObject=Novi %s NewValue=Nova vrijednost -OldValue=Old value %s -FieldXModified=Field %s modified -FieldXModifiedFromYToZ=Field %s modified from %s to %s +OldValue=Stara vrijednost %s +FieldXModified=Polje %s izmijenjeno +FieldXModifiedFromYToZ=Polje %s izmijenjeno iz %s u %s CurrentValue=Trenutna vrijednost Code=Kod Type=Tip @@ -251,15 +253,15 @@ Family=Porodica Description=Opis Designation=Opis DescriptionOfLine=Description of line -DateOfLine=Date of line -DurationOfLine=Duration of line -ParentLine=Parent line ID +DateOfLine=Datum linije +DurationOfLine=Trajanje linije +ParentLine=ID roditeljske linije Model=Šablon dokumenta DefaultModel=Defaultni šablon dokumenta Action=Događaj About=O programu Number=Broj -NumberByMonth=Total reports by month +NumberByMonth=Ukupni izvještaji po mjesecima AmountByMonth=Iznos po mjesecu Numero=Broj Limit=Ograničenje @@ -276,7 +278,7 @@ Cards=Kartice Card=Kartica Now=Sada HourStart=Početno vrijeme -Deadline=Deadline +Deadline=Rok Date=Datum DateAndHour=Datum i vrijeme DateToday=Današnji datum @@ -288,10 +290,10 @@ DateCreationShort=Datum pravlj. IPCreation=Creation IP DateModification=Datum izmjene DateModificationShort=Datum izmj. -IPModification=Modification IP +IPModification=Modifikacija IP DateLastModification=Datum zadnje izmjene DateValidation=Datum potvrde -DateSigning=Signing date +DateSigning=Datum potpisivanja DateClosing=Datum zatvaranja DateDue=Datum roka plaćanja DateValue=Datum valute @@ -312,8 +314,8 @@ UserValidation=Odobravanje korisnika UserCreationShort=Napr. korisnika UserModificationShort=Izmj. korisnika UserValidationShort=Odobr. korisnik -UserClosing=Closing user -UserClosingShort=Closing user +UserClosing=Zatvaranje korisnika +UserClosingShort=Zatvaranje korisnika DurationYear=godina DurationMonth=mjesec DurationWeek=sedmica @@ -345,7 +347,7 @@ Morning=Jutro Afternoon=Večer Quadri=Četvoro MonthOfDay=Mjesec dana -DaysOfWeek=Days of week +DaysOfWeek=Dani u nedelji HourShort=h MinuteShort=min SecondShort=sec @@ -358,7 +360,7 @@ MegaBytes=megabajta GigaBytes=gigabajta TeraBytes=terabajta UserAuthor=Created by -UserModif=Updated by +UserModif=Ažurirano od strane b=b. Kb=Kb Mb=Mb @@ -369,54 +371,54 @@ Copy=Kopiraj Paste=Zalijepi Default=Uobičajeni DefaultValue=Uobičajena vrijednost -DefaultValues=Default values/filters/sorting +DefaultValues=Zadane vrijednosti/filtri/sortiranje Price=Cijena PriceCurrency=Cijena (valuta) UnitPrice=Jedinična cijena -UnitPriceHT=Unit price (excl.) -UnitPriceHTCurrency=Unit price (excl.) (currency) +UnitPriceHT=Jedinična cijena (bez cijene) +UnitPriceHTCurrency=Jedinična cijena (bez.) (valuta) UnitPriceTTC=Jedinična cijena PriceU=J.C. PriceUHT=J.C. (neto) -PriceUHTCurrency=U.P (net) (currency) +PriceUHTCurrency=U.P (neto) (valuta) PriceUTTC=J.C. (uklj. PDV) Amount=Iznos AmountInvoice=Iznos fakture AmountInvoiced=Fakturisani iznos -AmountInvoicedHT=Amount invoiced (excl. tax) -AmountInvoicedTTC=Amount invoiced (inc. tax) +AmountInvoicedHT=Iznos fakturisanja (bez poreza) +AmountInvoicedTTC=Iznos fakturisanja (sa porezom) AmountPayment=Iznos plaćanja -AmountHTShort=Amount (excl.) +AmountHTShort=Iznos (isklj.) AmountTTCShort=Iznos (uklj. PDV) -AmountHT=Amount (excl. tax) +AmountHT=Iznos (bez poreza) AmountTTC=Iznos (uklj. PDV) AmountVAT=Iznos poreza -MulticurrencyAlreadyPaid=Already paid, original currency +MulticurrencyAlreadyPaid=Već plaćeno, originalna valuta MulticurrencyRemainderToPay=Ostatak za plaćanje, orig. valuta MulticurrencyPaymentAmount=Iznos za plaćanje, orig. valuta -MulticurrencyAmountHT=Amount (excl. tax), original currency +MulticurrencyAmountHT=Iznos (bez poreza), originalna valuta MulticurrencyAmountTTC=Iznos (uklj. porez), origin. valuta MulticurrencyAmountVAT=Iznos poreza, orig. valuta -MulticurrencySubPrice=Amount sub price multi currency +MulticurrencySubPrice=Iznos ispod cijene više valuta AmountLT1=Iznos poreza 2 AmountLT2=Iznos poreza 3 AmountLT1ES=Iznos RE AmountLT2ES=Iznos IRPF AmountTotal=Ukupni iznos AmountAverage=Prosječni iznos -PriceQtyMinHT=Price quantity min. (excl. tax) -PriceQtyMinHTCurrency=Price quantity min. (excl. tax) (currency) -PercentOfOriginalObject=Percent of original object -AmountOrPercent=Amount or percent +PriceQtyMinHT=Cijena količina min. (bez poreza) +PriceQtyMinHTCurrency=Cijena količina min. (bez poreza) (valuta) +PercentOfOriginalObject=Procenat originalnog objekta +AmountOrPercent=Iznos ili postotak Percentage=Postotak Total=Ukupno SubTotal=Međuzbir -TotalHTShort=Total (excl.) -TotalHT100Short=Total 100%% (excl.) -TotalHTShortCurrency=Total (excl. in currency) +TotalHTShort=Ukupno (isklj.) +TotalHT100Short=Ukupno 100%% (isklj.) +TotalHTShortCurrency=Ukupno (bez valute) TotalTTCShort=Ukupno (uklj. PDV) -TotalHT=Total (excl. tax) -TotalHTforthispage=Total (excl. tax) for this page +TotalHT=Ukupno (bez poreza) +TotalHTforthispage=Ukupno (bez poreza) za ovu stranicu Totalforthispage=Ukupno za ovu stranicu TotalTTC=Ukupno (uklj. PDV) TotalTTCToYourCredit=Ukupno (uklj. PDV) u vašu korist @@ -428,7 +430,7 @@ TotalLT1ES=Ukupno RE TotalLT2ES=Ukupno IRPF TotalLT1IN=Ukupno CGST TotalLT2IN=Ukupno SGST -HT=Excl. tax +HT=Excl. porez TTC=Uklj. porez INCVATONLY=Uklj. PDV INCT=Uklj. sve poreze @@ -444,9 +446,9 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Additionnal cents +LT1GC=Dodatni centi VATRate=Stopa poreza -RateOfTaxN=Rate of tax %s +RateOfTaxN=Stopa poreza %s VATCode=Šifra stope poreza VATNPR=NPR stopa poreza DefaultTaxRate=Pretpostavljena stopa poreza @@ -458,10 +460,10 @@ RemainToPay=Preostalo za platiti Module=Modul/aplikacija Modules=Moduli/aplikacije Option=Opcija -Filters=Filters +Filters=Filteri List=Spisak FullList=Potpuni spisak -FullConversation=Full conversation +FullConversation=Cijeli razgovor Statistics=Statistika OtherStatistics=Druge statistike Status=Status @@ -481,19 +483,19 @@ ActionNotApplicable=Nije primjenjivo ActionRunningNotStarted=Treba započeti ActionRunningShort=U toku ActionDoneShort=Završeno -ActionUncomplete=Incomplete +ActionUncomplete=Nepotpuno LatestLinkedEvents=Posljednjih %s povezanih događaja CompanyFoundation=Kompanija/organizacija Accountant=Računovođa ContactsForCompany=Kontakti za ovaj subjekt ContactsAddressesForCompany=Kontakti/adrese za ovaj subjekt AddressesForCompany=Adrese za ovaj subjekt -ActionsOnCompany=Events for this third party -ActionsOnContact=Events for this contact/address -ActionsOnContract=Events for this contract +ActionsOnCompany=Događaji za ovu treću stranu +ActionsOnContact=Događaji za ovaj kontakt/adresu +ActionsOnContract=Događaji za ovaj ugovor ActionsOnMember=Događaji o ovom članu ActionsOnProduct=Događaji o ovom proizvodu -ActionsOnAsset=Events for this fixed asset +ActionsOnAsset=Događaji za ovo osnovno sredstvo NActionsLate=%s kasne ToDo=To do Completed=Završeno @@ -509,15 +511,15 @@ Generate=Napravi Duration=Trajanje TotalDuration=Ukupno trajanje Summary=Sažetak -DolibarrStateBoard=Database Statistics -DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No open element to process +DolibarrStateBoard=Statistika baze podataka +DolibarrWorkBoard=Otvorite stavke +NoOpenedElementToProcess=Nema otvorenog elementa za obradu Available=Dostupno NotYetAvailable=Još uvijek nedostupno NotAvailable=Nije dostupno Categories=Oznake/kategorije Category=Oznaka/kategorija -SelectTheTagsToAssign=Select the tags/categories to assign +SelectTheTagsToAssign=Odaberite oznake/kategorije koje želite dodijeliti By=Od From=Od FromDate=Od @@ -531,7 +533,7 @@ and=i or=ili Other=Ostalo Others=Drugi -OtherInformations=Other information +OtherInformations=Ostale informacije Workflow=Workflow - Tok rada Quantity=Količina Qty=Kol @@ -546,19 +548,20 @@ Reporting=Izvještavanje Reportings=Izvještavanja Draft=Nacrt Drafts=Uzorak -StatusInterInvoiced=Invoiced +StatusInterInvoiced=Fakturisano +Done=Završeno Validated=Potvrđeno -ValidatedToProduce=Validated (To produce) +ValidatedToProduce=Validirano (za proizvodnju) Opened=Otvori -OpenAll=Open (All) -ClosedAll=Closed (All) +OpenAll=Otvori (sve) +ClosedAll=Zatvoreno (sve) New=Novo Discount=Popust Unknown=Nepoznat General=Opće Size=Veličina OriginalSize=Prvobitna veličina -RotateImage=Rotate 90° +RotateImage=Rotirajte za 90° Received=Primljeno Paid=Plaćeno Topic=Tema @@ -574,7 +577,7 @@ None=Ništa NoneF=Ništa NoneOrSeveral=Nijedan ili više Late=Kasno -LateDesc=An item is defined as Delayed as per the system configuration in menu Home - Setup - Alerts. +LateDesc=Stavka je definisana kao Odložena prema konfiguraciji sistema u meniju Početna - Podešavanje - Upozorenja. NoItemLate=Nema zakašnjelih stavki Photo=Slika Photos=Slike @@ -636,7 +639,7 @@ MonthVeryShort11=N MonthVeryShort12=D AttachedFiles=Priložene datoteke i dokumenti JoinMainDoc=Spoji glavni dokument -JoinMainDocOrLastGenerated=Send the main document or the last generated one if not found +JoinMainDocOrLastGenerated=Pošaljite glavni dokument ili posljednji generirani ako nije pronađen DateFormatYYYYMM=MM-YYYY DateFormatYYYYMMDD=DD-MM-YYYY DateFormatYYYYMMDDHHMM=DD-MM-YYYY HH:SS @@ -683,7 +686,7 @@ SupplierPreview=Pregled prodavača ShowCustomerPreview=Pokaži sažetak kupca ShowSupplierPreview=Pokaži pregled prodavača RefCustomer=Ref. kupca -InternalRef=Internal ref. +InternalRef=Interna ref. Currency=valuta InfoAdmin=Informacije za administratore Undo=vrati @@ -696,22 +699,23 @@ FeatureNotYetSupported=Osobina još nije podržana CloseWindow=Zatvori prozor Response=Odgovor Priority=Prioritet -SendByMail=Send by email +SendByMail=Pošaljite emailom MailSentBy=Email je poslao +MailSentByTo=E-poruku je poslao %s na %s NotSent=Nije poslano TextUsedInTheMessageBody=Tekst emaila SendAcknowledgementByMail=Pošalji konfirmacijski email SendMail=Pošalji e-mail Email=email NoEMail=nema emaila -AlreadyRead=Already read -NotRead=Unread +AlreadyRead=Već sam pročitao +NotRead=Nepročitano NoMobilePhone=Nema broj mobitela Owner=Vlasnik FollowingConstantsWillBeSubstituted=Sljedeće konstante će se zamijeniti sa odgovarajućim vrijednostima. Refresh=Osvježi BackToList=Nazad na spisak -BackToTree=Back to tree +BackToTree=Nazad na drvo GoBack=Idi nazad CanBeModifiedIfOk=Može se mijenjati ako je valjan CanBeModifiedIfKo=Može biti promijenjeno ako nije valjano @@ -719,28 +723,29 @@ ValueIsValid=Vrijednost je važeća ValueIsNotValid=Vrijednost nije valjana RecordCreatedSuccessfully=Zapis je uspješno napravljen RecordModifiedSuccessfully=Zapis uspješno promijenjen -RecordsModified=%s record(s) modified -RecordsDeleted=%s record(s) deleted -RecordsGenerated=%s record(s) generated +RecordsModified=%s zapis(i) izmijenjen +RecordsDeleted=%s zapis(i) izbrisani +RecordsGenerated=%s generirani zapis(i) +ValidatedRecordWhereFound = Neki od odabranih zapisa su već potvrđeni. Nijedan zapis nije izbrisan. AutomaticCode=Automatski kod FeatureDisabled=Osobina onemogućena MoveBox=Pomjeri prikaz Offered=Ponuđeno NotEnoughPermissions=Nemate dozvolu za ovu akciju -UserNotInHierachy=This action is reserved to the supervisors of this user +UserNotInHierachy=Ova radnja je rezervirana za nadzornike ovog korisnika SessionName=Naziv sesije Method=Metoda Receive=Primiti CompleteOrNoMoreReceptionExpected=Završeno ili se ne očekuje više ExpectedValue=Očekivana vrijednost -ExpectedQty=Expected Qty +ExpectedQty=Očekivana količina PartialWoman=Djelimično TotalWoman=Ukupno NeverReceived=Nikad primljeno Canceled=Otkazan YouCanChangeValuesForThisListFromDictionarySetup=Možete promijeniti vrijednosti na ovom spisku u meniju Postavke-Rječnici YouCanChangeValuesForThisListFrom=Možete promijeniti vrijednosti za ovaj spisak u meniju %s -YouCanSetDefaultValueInModuleSetup=You can set the default value used when creating a new record in module setup +YouCanSetDefaultValueInModuleSetup=Možete postaviti zadanu vrijednost koja se koristi prilikom kreiranja novog zapisa u podešavanjima modula Color=Boja Documents=Povezane datoteke Documents2=Dokumenti @@ -750,10 +755,10 @@ MenuECM=Dokumenti MenuAWStats=AWStats MenuMembers=Članovi MenuAgendaGoogle=Google kalendar -MenuTaxesAndSpecialExpenses=Taxes | Special expenses +MenuTaxesAndSpecialExpenses=Porezi | Posebni troškovi ThisLimitIsDefinedInSetup=Dolibarr ograničenje (Meni Početna-Postavke-Sigurnost): %s Kb, PHP ograničenje: %s Kb -ThisLimitIsDefinedInSetupAt=Dolibarr limit (Menu %s): %s Kb, PHP limit (Param %s): %s Kb -NoFileFound=No documents uploaded +ThisLimitIsDefinedInSetupAt=Dolibarr ograničenje (Meni %s): %s Kb, PHP ograničenje (param %s >): %s Kb +NoFileFound=Nema učitanih dokumenata CurrentUserLanguage=Trenutni jezik CurrentTheme=Trenutna tema CurrentMenuManager=Trenutni upravljač menija @@ -764,43 +769,42 @@ DisabledModules=Onemogućeni moduli For=Za ForCustomer=Za kupca Signature=Potpis -DateOfSignature=Datum potpisa HidePassword=Pokaži komandu sa skrivenom šifrom UnHidePassword=Pokaži stvarnu komandu sa pokazanom šifrom Root=Root -RootOfMedias=Root of public medias (/medias) +RootOfMedias=Korijen javnih medija (/medias) Informations=Inromacije Page=Stranica Notes=Napomene AddNewLine=Dodaj novi red AddFile=Dodaj datoteku -FreeZone=Free-text product -FreeLineOfType=Free-text item, type: +FreeZone=Proizvod slobodnog teksta +FreeLineOfType=Stavka slobodnog teksta, tip: CloneMainAttributes=Kloniraj objekt sa njegovim osnovnim osobinama -ReGeneratePDF=Re-generate PDF +ReGeneratePDF=Ponovo generirajte PDF PDFMerge=PDF spajanje Merge=Spajanje DocumentModelStandardPDF=Standardni šablon PDFa PrintContentArea=Pokaži stranicu za štampu glavnog područja MenuManager=Upravljanje menijima -WarningYouAreInMaintenanceMode=Warning, you are in maintenance mode: only login %s is allowed to use the application in this mode. +WarningYouAreInMaintenanceMode=Upozorenje, nalazite se u načinu održavanja: samo prijava %s je dozvoljeno korištenje aplikacije u ovom načinu rada. CoreErrorTitle=Sistemska greška CoreErrorMessage=Žao nam je, desila se greška. Kontaktirajte sistemskog administratora da provjeri zapisnik ili onemogući $dolibarr_main_prod=1 za dobijanje više informacija. CreditCard=Kreditna kartica ValidatePayment=Potvrditi uplatu CreditOrDebitCard=Kreditna kartica FieldsWithAreMandatory=Polja sa %s su obavezna -FieldsWithIsForPublic=Fields with %s are shown in public list of members. If you don't want this, uncheck the "public" box. -AccordingToGeoIPDatabase=(according to GeoIP conversion) +FieldsWithIsForPublic=Polja sa %s su prikazana na javnoj listi članova. Ako ne želite ovo, poništite izbor u polju "javno". +AccordingToGeoIPDatabase=(prema GeoIP konverziji) Line=Red NotSupported=Nije podržano RequiredField=Obavezno polje Result=Rezultat ToTest=Test -ValidateBefore=Item must be validated before using this feature +ValidateBefore=Stavka mora biti potvrđena prije korištenja ove funkcije Visibility=Vidljivost Totalizable=Totalizable -TotalizableDesc=This field is totalizable in list +TotalizableDesc=Ovo polje je totalno u listi Private=Privatno Hidden=Sakriveno Resources=Resursi @@ -817,21 +821,21 @@ URLPhoto=URL fotografije/logotipa SetLinkToAnotherThirdParty=Link prema drugom subjektu LinkTo=Link ka LinkToProposal=Link ka prijedlogu -LinkToExpedition= Link to expedition +LinkToExpedition= Link do ekspedicije LinkToOrder=Link ka narudžbi LinkToInvoice=Link na fakturu -LinkToTemplateInvoice=Link to template invoice -LinkToSupplierOrder=Link to purchase order -LinkToSupplierProposal=Link to vendor proposal -LinkToSupplierInvoice=Link to vendor invoice +LinkToTemplateInvoice=Link do šablona fakture +LinkToSupplierOrder=Link do narudžbenice +LinkToSupplierProposal=Link do ponude dobavljača +LinkToSupplierInvoice=Link do fakture dobavljača LinkToContract=Link ka kontaktima LinkToIntervention=Link ka intervencijama -LinkToTicket=Link to ticket -LinkToMo=Link to Mo +LinkToTicket=Link do karte +LinkToMo=Link do Mo CreateDraft=Kreiraj nacrt SetToDraft=Nazad na nacrt ClickToEdit=Klikni za uređivanje -ClickToRefresh=Click to refresh +ClickToRefresh=Kliknite da osvježite EditWithEditor=Uredi sa CKUređivačem EditWithTextEditor=Uredi sa tekstualnim uređivačem EditHTMLSource=Uredi HTML izvor @@ -871,44 +875,44 @@ XMoreLines=%s red(ova) skriveno ShowMoreLines=Pokaži više/manje redova PublicUrl=Javni URL AddBox=Dodaj kutijicu -SelectElementAndClick=Select an element and click on %s +SelectElementAndClick=Odaberite element i kliknite na %s PrintFile=Štampa datoteke %s ShowTransaction=Pokaži unos u bankovni račun ShowIntervention=Prikaži intervenciju ShowContract=Prikaži ugovor -GoIntoSetupToChangeLogo=Go to Home - Setup - Company to change logo or go to Home - Setup - Display to hide. +GoIntoSetupToChangeLogo=Idite na Početna - Podešavanje - Kompanija da promijenite logotip ili idite na Početna - Podešavanje - Prikaz da biste sakrili. Deny=Zabrani Denied=Zabranjeno ListOf=Spisak %s ListOfTemplates=Spisak šablona Gender=Spol -Genderman=Male -Genderwoman=Female +Genderman=Muško +Genderwoman=Žensko Genderother=Ostalo ViewList=Lista -ViewGantt=Gantt view -ViewKanban=Kanban view +ViewGantt=Gantov pogled +ViewKanban=Kanban pogled Mandatory=Obavezno Hello=Zdravo GoodBye=Zbogom Sincerely=S poštovanjem -ConfirmDeleteObject=Are you sure you want to delete this object? +ConfirmDeleteObject=Jeste li sigurni da želite izbrisati ovaj objekt? DeleteLine=Obriši red ConfirmDeleteLine=Da li ste sigurni da želite obrisati ovaj red? -ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. +ErrorPDFTkOutputFileNotFound=Greška: datoteka nije generirana. Provjerite je li komanda 'pdftk' instalirana u direktorij uključen u varijablu okruženja $PATH (samo linux/unix) ili se obratite administratoru vašeg sistema. NoPDFAvailableForDocGenAmongChecked=Nijedan PDF nije dostupan za kreiranje dokumenata među provjerenim zapisima -TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. +TooManyRecordForMassAction=Previše zapisa odabrano za masovnu akciju. Akcija je ograničena na listu %s zapisa. NoRecordSelected=Nijedan zapis nije odabran MassFilesArea=Područje za datoteke napravljeno masovnim akcijama ShowTempMassFilesArea=Pokaži područje datoteka napravljeno masovnim akcijama -ConfirmMassDeletion=Bulk Delete confirmation -ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record(s)? -ConfirmMassClone=Bulk clone confirmation -ConfirmMassCloneQuestion=Select project to clone to -ConfirmMassCloneToOneProject=Clone to project %s +ConfirmMassDeletion=Potvrda masovnog brisanja +ConfirmMassDeletionQuestion=Jeste li sigurni da želite izbrisati %s odabrane zapise? +ConfirmMassClone=Masovna potvrda kloniranja +ConfirmMassCloneQuestion=Odaberite projekat za kloniranje +ConfirmMassCloneToOneProject=Kloniraj u projekat %s RelatedObjects=Povezani objekti -ClassifyBilled=Classify Billed -ClassifyUnbilled=Classify Unbilled +ClassifyBilled=Klasificirati Naplaćeno +ClassifyUnbilled=Klasifikujte nenaplaćeno Progress=Napredak ProgressShort=Progr. FrontOffice=Izlog @@ -916,65 +920,66 @@ BackOffice=Administracija Submit=Submit View=Pogled Export=Export +Import=Uvoz Exports=Exports ExportFilteredList=Izvezi filtrirani spisak ExportList=Spisak za izvoz ExportOptions=Opcije izvoza -IncludeDocsAlreadyExported=Include docs already exported -ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and will be exported -ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported -AllExportedMovementsWereRecordedAsExported=All exported movements were recorded as exported -NotAllExportedMovementsCouldBeRecordedAsExported=Not all exported movements could be recorded as exported +IncludeDocsAlreadyExported=Uključi dokumente koji su već izvezeni +ExportOfPiecesAlreadyExportedIsEnable=Dokumenti koji su već izvezeni su vidljivi i će biti izvezeni +ExportOfPiecesAlreadyExportedIsDisable=Dokumenti koji su već izvezeni su skriveni i neće biti izvezeni +AllExportedMovementsWereRecordedAsExported=Sva izvezena kretanja evidentirana su kao izvezena +NotAllExportedMovementsCouldBeRecordedAsExported=Nisu svi izvezeni pokreti mogli biti evidentirani kao izvezeni Miscellaneous=Razno Calendar=Kalendar GroupBy=Grupiranje po... -GroupByX=Group by %s +GroupByX=Grupiraj prema %s ViewFlatList=Vidi čisti spisak -ViewAccountList=View ledger -ViewSubAccountList=View subaccount ledger +ViewAccountList=Pogledaj knjigu +ViewSubAccountList=Pogledajte knjigu podračuna RemoveString=Ukloni pojam '%s' -SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. -DirectDownloadLink=Public download link -PublicDownloadLinkDesc=Only the link is required to download the file -DirectDownloadInternalLink=Private download link -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file +SomeTranslationAreUncomplete=Neki od ponuđenih jezika mogu biti samo djelimično prevedeni ili mogu sadržavati greške. Molimo pomozite da ispravite svoj jezik registracijom na https://transifex.com/projects/p/dolibarr/ na dodajte svoja poboljšanja. +DirectDownloadLink=Javni link za preuzimanje +PublicDownloadLinkDesc=Za preuzimanje fajla potreban je samo link +DirectDownloadInternalLink=Privatni link za preuzimanje +PrivateDownloadLinkDesc=Morate biti prijavljeni i potrebne su vam dozvole za pregled ili preuzimanje fajla Download=Skidanje DownloadDocument=Skidanje dokumenta -DownloadSignedDocument=Download signed document +DownloadSignedDocument=Preuzmite potpisani dokument ActualizeCurrency=Ažuriraj kurs valute Fiscalyear=Fiskalna godina -ModuleBuilder=Module and Application Builder +ModuleBuilder=Modul i Application Builder SetMultiCurrencyCode=Postavi valutu BulkActions=Masovne akcije ClickToShowHelp=Klikni za prikaz pomoći WebSite=Website -WebSites=Websites -WebSiteAccounts=Website accounts +WebSites=Web stranice +WebSiteAccounts=Računi za pristup internetu ExpenseReport=Izvještaj troškova ExpenseReports=Izvještaj o troškovima HR=LJR HRAndBank=LJR i banka AutomaticallyCalculated=Automatski izračunato TitleSetToDraft=Nazad na nacrt -ConfirmSetToDraft=Are you sure you want to go back to Draft status? +ConfirmSetToDraft=Jeste li sigurni da se želite vratiti na status Nacrta? ImportId=Uvoz id Events=Događaji -EMailTemplates=Email templates -FileNotShared=File not shared to external public +EMailTemplates=Šabloni e-pošte +FileNotShared=Fajl se ne dijeli sa eksternom javnošću Project=Projekt Projects=Projekti -LeadOrProject=Lead | Project -LeadsOrProjects=Leads | Projects -Lead=Lead -Leads=Leads -ListOpenLeads=List open leads -ListOpenProjects=List open projects -NewLeadOrProject=New lead or project +LeadOrProject=Olovo | Projekt +LeadsOrProjects=Vodi | Projekti +Lead=Olovo +Leads=Vodi +ListOpenLeads=Navedite otvorene potencijalne klijente +ListOpenProjects=Navedite otvorene projekte +NewLeadOrProject=Novo vođstvo ili projekat Rights=Dozvole LineNb=Red br. IncotermLabel=Incoterms -TabLetteringCustomer=Customer lettering -TabLetteringSupplier=Vendor lettering +TabLetteringCustomer=Pismo kupaca +TabLetteringSupplier=Natpis dobavljača Monday=Ponedjeljak Tuesday=Utorak Wednesday=Srijeda @@ -1003,39 +1008,39 @@ ShortThursday=Č ShortFriday=P ShortSaturday=S ShortSunday=N -one=one -two=two -three=three -four=four -five=five -six=six -seven=seven -eight=eight -nine=nine -ten=ten -eleven=eleven -twelve=twelve +one=jedan +two=dva +three=tri +four=četiri +five=pet +six=šest +seven=sedam +eight=osam +nine=devet +ten=deset +eleven=jedanaest +twelve=dvanaest thirteen=thirdteen -fourteen=fourteen -fifteen=fifteen -sixteen=sixteen -seventeen=seventeen -eighteen=eighteen -nineteen=nineteen -twenty=twenty -thirty=thirty -forty=forty -fifty=fifty -sixty=sixty -seventy=seventy -eighty=eighty -ninety=ninety -hundred=hundred -thousand=thousand -million=million -billion=billion -trillion=trillion -quadrillion=quadrillion +fourteen=četrnaest +fifteen=petnaest +sixteen=šesnaest +seventeen=sedamnaest +eighteen=osamnaest +nineteen=devetnaest +twenty=dvadeset +thirty=trideset +forty=četrdeset +fifty=pedeset +sixty=šezdeset +seventy=sedamdeset +eighty=osamdeset +ninety=devedeset +hundred=sto +thousand=hiljada +million=miliona +billion=milijardi +trillion=triliona +quadrillion=kvadrilion SelectMailModel=Odaberite šablon emaila SetRef=Postavi ref. Select2ResultFoundUseArrows=Pronađeni neki rezultati. Koristite strelice za odabir. @@ -1057,7 +1062,7 @@ SearchIntoMO=Manufacturing Orders SearchIntoTasks=Zadaci SearchIntoCustomerInvoices=Fakture kupaca SearchIntoSupplierInvoices=Fakture prodavača -SearchIntoCustomerOrders=Sales orders +SearchIntoCustomerOrders=Prodajni nalozi SearchIntoSupplierOrders=Narudžbe za nabavku SearchIntoCustomerProposals=Poslovni prijedlozi SearchIntoSupplierProposals=Prijedlozi prodavača @@ -1065,11 +1070,11 @@ SearchIntoInterventions=Intervencije SearchIntoContracts=Ugovori SearchIntoCustomerShipments=Slanje kupcu SearchIntoExpenseReports=Izvještaj o troškovima -SearchIntoLeaves=Leave -SearchIntoKM=Knowledge base -SearchIntoTickets=Tickets -SearchIntoCustomerPayments=Customer payments -SearchIntoVendorPayments=Vendor payments +SearchIntoLeaves=Odlazi +SearchIntoKM=Baza znanja +SearchIntoTickets=Ulaznice +SearchIntoCustomerPayments=Plaćanja kupaca +SearchIntoVendorPayments=Plaćanja dobavljača SearchIntoMiscPayments=Razna plaćanja CommentLink=Komentari NbComments=Broj komentara @@ -1077,8 +1082,9 @@ CommentPage=Prostor komentara CommentAdded=Dodan komentar CommentDeleted=Obrisan komentar Everybody=Zajednički projekti -PayedBy=Paid by -PayedTo=Paid to +EverybodySmall=Zajednički projekti +PayedBy=Platio +PayedTo=Plaćeno Monthly=Mjesečno Quarterly=Tromjesečno Annual=Godišnje @@ -1088,154 +1094,169 @@ LocalAndRemote=Lokalni i udaljeni KeyboardShortcut=Prečica na tastaturi AssignedTo=Dodijeljeno korisniku Deletedraft=Obriši nacrt -ConfirmMassDraftDeletion=Draft mass delete confirmation -FileSharedViaALink=File shared with a public link -SelectAThirdPartyFirst=Select a third party first... -YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode +ConfirmMassDraftDeletion=Potvrda masovnog brisanja nacrta +FileSharedViaALink=Javni fajl se dijeli putem linka +SelectAThirdPartyFirst=Prvo odaberite treću stranu... +YouAreCurrentlyInSandboxMode=Trenutno ste u %s načinu rada "sandbox" Inventory=Inventar -AnalyticCode=Analytic code +AnalyticCode=Analitički kod TMenuMRP=MRP -ShowCompanyInfos=Show company infos -ShowMoreInfos=Show More Infos -NoFilesUploadedYet=Please upload a document first -SeePrivateNote=See private note -PaymentInformation=Payment information -ValidFrom=Valid from -ValidUntil=Valid until -NoRecordedUsers=No users -ToClose=To close -ToRefuse=To refuse +ShowCompanyInfos=Prikaži informacije o kompaniji +ShowMoreInfos=Prikaži više informacija +NoFilesUploadedYet=Molimo prvo učitajte dokument +SeePrivateNote=Vidi privatnu bilješku +PaymentInformation=Informacije o plaćanju +ValidFrom=Vrijedi od +ValidUntil=Vrijedi do +NoRecordedUsers=Nema korisnika +ToClose=Zatvoriti +ToRefuse=Odbiti ToProcess=Za obradu -ToApprove=To approve -GlobalOpenedElemView=Global view -NoArticlesFoundForTheKeyword=No article found for the keyword '%s' -NoArticlesFoundForTheCategory=No article found for the category -ToAcceptRefuse=To accept | refuse +ToApprove=Odobriti +GlobalOpenedElemView=Globalni pogled +NoArticlesFoundForTheKeyword=Nije pronađen članak za ključnu riječ '%s' +NoArticlesFoundForTheCategory=Nije pronađen nijedan članak za kategoriju +ToAcceptRefuse=Prihvatiti | odbiti ContactDefault_agenda=Događaj ContactDefault_commande=Narudžba ContactDefault_contrat=Ugovor ContactDefault_facture=Faktura ContactDefault_fichinter=Intervencija -ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Purchase Order +ContactDefault_invoice_supplier=Račun dobavljača +ContactDefault_order_supplier=Narudžbenica ContactDefault_project=Projekt ContactDefault_project_task=Zadatak ContactDefault_propal=Prijedlog ContactDefault_supplier_proposal=Supplier Proposal -ContactDefault_ticket=Ticket -ContactAddedAutomatically=Contact added from contact thirdparty roles -More=More -ShowDetails=Show details -CustomReports=Custom reports -StatisticsOn=Statistics on -SelectYourGraphOptionsFirst=Select your graph options to build a graph -Measures=Measures -XAxis=X-Axis -YAxis=Y-Axis -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? -ShowOtherLanguages=Show other languages -SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language -NotUsedForThisCustomer=Not used for this customer -NotUsedForThisVendor=Not used for this vendor -AmountMustBePositive=Amount must be positive -ByStatus=By status +ContactDefault_ticket=Ulaznica +ContactAddedAutomatically=Kontakt je dodan iz kontakt uloga treće strane +More=Više +ShowDetails=Pokaži detalje +CustomReports=Prilagođeni izvještaji +StatisticsOn=Statistika na +SelectYourGraphOptionsFirst=Odaberite opcije grafikona da biste napravili grafikon +Measures=Mjere +XAxis=X-osa +YAxis=Y-osa +StatusOfRefMustBe=Status %s mora biti %s +DeleteFileHeader=Potvrdite brisanje fajla +DeleteFileText=Da li zaista želite izbrisati ovaj fajl? +ShowOtherLanguages=Prikaži druge jezike +SwitchInEditModeToAddTranslation=Prebacite se u način uređivanja da dodate prijevode za ovaj jezik +NotUsedForThisCustomer=Nije korišteno za ovog kupca +NotUsedForThisVendor=Ne koristi se za ovog dobavljača +AmountMustBePositive=Iznos mora biti pozitivan +ByStatus=Po statusu InformationMessage=Inromacije -Used=Used -ASAP=As Soon As Possible -CREATEInDolibarr=Record %s created -MODIFYInDolibarr=Record %s modified -DELETEInDolibarr=Record %s deleted -VALIDATEInDolibarr=Record %s validated -APPROVEDInDolibarr=Record %s approved -DefaultMailModel=Default Mail Model -PublicVendorName=Public name of vendor -DateOfBirth=Date of birth -SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again. -UpToDate=Up-to-date -OutOfDate=Out-of-date -EventReminder=Event Reminder -UpdateForAllLines=Update for all lines -OnHold=On hold +Used=Koristi se +ASAP=Što je brže moguće +CREATEInDolibarr=Kreiran zapis %s +MODIFYInDolibarr=Zapis %s izmijenjen +DELETEInDolibarr=Zapis %s izbrisan +VALIDATEInDolibarr=Zapis %s potvrđen +APPROVEDInDolibarr=Zapis %s odobren +DefaultMailModel=Zadani model pošte +PublicVendorName=Javno ime prodavca +DateOfBirth=Datum rođenja +SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Sigurnosni token je istekao, pa je akcija otkazana. Molimo pokušajte ponovo. +UpToDate=Ažurno +OutOfDate=Zastarjelo +EventReminder=Podsjetnik na događaj +UpdateForAllLines=Ažuriranje za sve linije +OnHold=Na čekanju Civility=Civility -AffectTag=Assign a Tag -AffectUser=Assign a User -SetSupervisor=Set the supervisor -CreateExternalUser=Create external user -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) +AffectTag=Dodijelite oznaku +AffectUser=Dodijelite korisnika +SetSupervisor=Postavite supervizora +CreateExternalUser=Kreirajte vanjskog korisnika +ConfirmAffectTag=Skupna dodjela oznaka +ConfirmAffectUser=Grupna dodjela korisnika +ProjectRole=Uloga dodijeljena svakom projektu/prilici +TasksRole=Uloga dodijeljena svakom zadatku (ako se koristi) ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records +ConfirmUpdatePrice=Odaberite stopu povećanja/smanjenje cijene +ConfirmAffectTagQuestion=Jeste li sigurni da želite dodijeliti oznake %s odabranim zapisima? +ConfirmAffectUserQuestion=Jeste li sigurni da želite dodijeliti korisnike %s odabranim zapisima? +ConfirmSetSupervisorQuestion=Jeste li sigurni da želite postaviti nadzornika na %s odabrane zapise? +ConfirmUpdatePriceQuestion=Jeste li sigurni da želite ažurirati cijenu %s odabranih zapisa? +CategTypeNotFound=Nije pronađen tip oznake za vrstu zapisa Rate=Stopa -SupervisorNotFound=Supervisor not found -CopiedToClipboard=Copied to clipboard -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. -ConfirmCancel=Are you sure you want to cancel +SupervisorNotFound=Supervizor nije pronađen +CopiedToClipboard=Kopirano u međuspremnik +InformationOnLinkToContract=Ovaj iznos je samo zbir svih stavki ugovora. Nijedan pojam vremena se ne uzima u obzir. +ConfirmCancel=Jeste li sigurni da želite otkazati EmailMsgID=Email MsgID -EmailDate=Email date -SetToStatus=Set to status %s -SetToEnabled=Set to enabled -SetToDisabled=Set to disabled -ConfirmMassEnabling=mass enabling confirmation -ConfirmMassEnablingQuestion=Are you sure you want to enable the %s selected record(s)? -ConfirmMassDisabling=mass disabling confirmation -ConfirmMassDisablingQuestion=Are you sure you want to disable the %s selected record(s)? -RecordsEnabled=%s record(s) enabled -RecordsDisabled=%s record(s) disabled -RecordEnabled=Record enabled -RecordDisabled=Record disabled -Forthcoming=Forthcoming -Currently=Currently -ConfirmMassLeaveApprovalQuestion=Are you sure you want to approve the %s selected record(s)? -ConfirmMassLeaveApproval=Mass leave approval confirmation -RecordAproved=Record approved -RecordsApproved=%s Record(s) approved -Properties=Properties -hasBeenValidated=%s has been validated -ClientTZ=Client Time Zone (user) -NotClosedYet=Not yet closed -ClearSignature=Reset signature -CanceledHidden=Canceled hidden -CanceledShown=Canceled shown +EmailDate=Datum e-pošte +SetToStatus=Postavljeno na status %s +SetToEnabled=Postavite na omogućeno +SetToDisabled=Postavite na onemogućeno +ConfirmMassEnabling=masovna potvrda omogućavanja +ConfirmMassEnablingQuestion=Jeste li sigurni da želite omogućiti %s odabrane zapise? +ConfirmMassDisabling=potvrda masovnog onesposobljavanja +ConfirmMassDisablingQuestion=Jeste li sigurni da želite onemogućiti %s odabrane zapise? +RecordsEnabled=%s zapis(i) omogućen +RecordsDisabled=%s zapis(i) onemogućen +RecordEnabled=Snimanje omogućeno +RecordDisabled=Snimanje onemogućeno +Forthcoming=Predstoji +Currently=Trenutno +ConfirmMassLeaveApprovalQuestion=Jeste li sigurni da želite odobriti %s odabrane zapise? +ConfirmMassLeaveApproval=Potvrda odobrenja masovnog odsustva +RecordAproved=Zapis odobren +RecordsApproved=%s Odobreni zapisi +Properties=Svojstva +hasBeenValidated=%s je potvrđen +ClientTZ=Vremenska zona klijenta (korisnik) +NotClosedYet=Još nije zatvoreno +ClearSignature=Poništi potpis +CanceledHidden=Otkazano skriveno +CanceledShown=Otkazano je prikazano Terminate=Deaktiviraj -Terminated=Terminated -AddLineOnPosition=Add line on position (at the end if empty) -ConfirmAllocateCommercial=Assign sales representative confirmation -ConfirmAllocateCommercialQuestion=Are you sure you want to assign the %s selected record(s)? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned -YourMessage=Your message -YourMessageHasBeenReceived=Your message has been received. We will answer or contact you as soon as possible. -UrlToCheck=Url to check -Automation=Automation -CreatedByEmailCollector=Created by Email collector -CreatedByPublicPortal=Created from Public portal -UserAgent=User Agent +Terminated=Prekinuto +AddLineOnPosition=Dodajte red na poziciju (na kraju ako je prazan) +ConfirmAllocateCommercial=Dodijelite potvrdu prodajnog predstavnika +ConfirmAllocateCommercialQuestion=Jeste li sigurni da želite dodijeliti %s odabrane zapise? +CommercialsAffected=Dodijeljeni predstavnici prodaje +CommercialAffected=Dodijeljen predstavnik prodaje +YourMessage=Tvoja poruka +YourMessageHasBeenReceived=Vaša poruka je primljena. Odgovorit ćemo ili kontaktirati Vas u najkraćem mogućem roku. +UrlToCheck=Url za provjeru +Automation=Automatizacija +CreatedByEmailCollector=Kreirao sakupljač e-pošte +CreatedByPublicPortal=Kreirano od javnog portala +UserAgent=Korisnički agent InternalUser=Interni korisnik ExternalUser=Vanjski korisnik -NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. -HideOnVCard=Hide %s -AddToContacts=Add address to my contacts -LastAccess=Last access -UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here -LastPasswordChangeDate=Last password change date -PublicVirtualCardUrl=Virtual business card page URL -PublicVirtualCard=Virtual business card -TreeView=Tree view -DropFileToAddItToObject=Drop a file to add it to this object -UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +NoSpecificContactAddress=Nema konkretnog kontakta ili adrese +NoSpecificContactAddressBis=Ova kartica je posvećena prisiljavanju određenih kontakata ili adresa za trenutni objekt. Koristite ga samo ako želite da definišete jedan ili više konkretnih kontakata ili adresa za objekat kada podaci treće strane nisu dovoljni ili nisu tačni. +HideOnVCard=Sakrij %s +AddToContacts=Dodaj adresu mojim kontaktima +LastAccess=Poslednji pristup +UploadAnImageToSeeAPhotoHere=Otpremite sliku sa kartice %s da vidite fotografiju ovdje +LastPasswordChangeDate=Datum posljednje promjene lozinke +PublicVirtualCardUrl=URL stranice virtuelne vizitkarte +PublicVirtualCard=Virtuelna vizit karta +TreeView=Pogled na drvo +DropFileToAddItToObject=Ispustite datoteku da je dodate ovom objektu +UploadFileDragDropSuccess=Fajlovi su uspješno otpremljeni +SearchSyntaxTooltipForStringOrNum=Za pretraživanje unutar tekstualnih polja, možete koristiti znakove ^ ili $ da napravite pretragu 'početi ili završiti' ili koristiti ! napraviti test 'ne sadrži'. Možete koristiti | između dva niza umjesto razmaka za uvjet 'ILI' umjesto 'i'. Za numeričke vrijednosti, možete koristiti operator <, >, <=, >= ili != prije vrijednosti, za filtriranje pomoću matematičkog poređenja InProgress=U toku -DateOfPrinting=Date of printing -ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. -UserNotYetValid=Not yet valid +DateOfPrinting=Datum štampanja +ClickFullScreenEscapeToLeave=Kliknite ovdje da biste se prebacili u način rada preko cijelog ekrana. Pritisnite ESCAPE da napustite režim preko celog ekrana. +UserNotYetValid=Još nije važeća UserExpired=Istekao +LinkANewFile=Link a new file/document +LinkedFiles=Linked files and documents +NoLinkFound=No registered links +LinkComplete=The file has been linked successfully +ErrorFileNotLinked=The file could not be linked +LinkRemoved=The link %s has been removed +ErrorFailedToDeleteLink= Failed to remove link '%s' +ErrorFailedToUpdateLink= Failed to update link '%s' +URLToLink=URL to link +OverwriteIfExists=Prepiši ako datoteka postoji +AmountSalary=Visina plate +InvoiceSubtype=Podtip fakture +ConfirmMassReverse=Bulk Reverse potvrda +ConfirmMassReverseQuestion=Jeste li sigurni da želite poništiti %s odabrane zapise? + diff --git a/htdocs/langs/bs_BA/modulebuilder.lang b/htdocs/langs/bs_BA/modulebuilder.lang index 5db67226f48..e988b1476b9 100644 --- a/htdocs/langs/bs_BA/modulebuilder.lang +++ b/htdocs/langs/bs_BA/modulebuilder.lang @@ -1,179 +1,189 @@ # Dolibarr language file - Source file is en_US - loan IdModule= Module id -ModuleBuilderDesc=This tool must be used only by experienced users or developers. It provides utilities to build or edit your own module. Documentation for alternative manual development is here. -EnterNameOfModuleDesc=Enter the name of the module/application to create with no spaces. Use uppercase to separate words (For example: MyModule, EcommerceForShop, SyncWithMySystem...) -EnterNameOfObjectDesc=Enter the name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, the pages to list/add/edit/delete the object and the SQL files will be generated. -EnterNameOfDictionaryDesc=Enter the name of the dictionary to create with no spaces. Use uppercase to separate words (For example: MyDico...). The class file, but also the SQL file will be generated. -ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s -ModuleBuilderDesc3=Generated/editable modules found: %s -ModuleBuilderDesc4=A module is detected as a 'module for Module Builer' when the file %s exists in the root of the module directory -NewModule=New module -NewObjectInModulebuilder=New object -NewDictionary=New dictionary -ModuleName=Module name -ModuleKey=Module key -ObjectKey=Object key -DicKey=Dictionary key -ModuleInitialized=Module initialized -FilesForObjectInitialized=Files for new object '%s' initialized -FilesForObjectUpdated=Files for object '%s' updated (.sql files and .class.php file) -ModuleBuilderDescdescription=Enter here all general information that describe your module. -ModuleBuilderDescspecifications=You can enter here a detailed description of the specifications of your module that is not already structured into other tabs. So you have within easy reach all the rules to develop. Also this text content will be included into the generated documentation (see last tab). You can use Markdown format, but it is recommended to use Asciidoc format (comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). -ModuleBuilderDescobjects=Define here the objects you want to manage with your module. A CRUD DAO class, SQL files, page to list record of objects, to create/edit/view a record and an API will be generated. +ModuleBuilderDesc=Ovaj alat moraju koristiti samo iskusni korisnici ili programeri. Pruža pomoćne programe za izgradnju ili uređivanje vašeg vlastitog modula. Dokumentacija za alternativni ručni razvoj je ovdje. +EnterNameOfModuleDesc=Unesite naziv modula/aplikacije za kreiranje bez razmaka. Koristite velika slova za razdvajanje riječi (na primjer: MyModule, EcommerceForShop, SyncWithMySystem...) +EnterNameOfObjectDesc=Unesite ime objekta za kreiranje bez razmaka. Koristite velika slova za razdvajanje riječi (na primjer: Moj objekt, Učenik, Nastavnik...). Datoteka klase CRUD, stranice za popis/dodavanje/uređivanje/brisanje objekta i SQL datoteke će biti generirane. +EnterNameOfDictionaryDesc=Unesite naziv rječnika koji želite kreirati bez razmaka. Koristite velika slova za razdvajanje riječi (na primjer: MyDico...). Generirat će se datoteka klase, ali i SQL datoteka. +ModuleBuilderDesc2=Putanja gdje se moduli generiraju/uređuju (prvi direktorij za vanjske module definiran u %s): %s +ModuleBuilderDesc3=Pronađeni generirani/uređivanje moduli: %s +ModuleBuilderDesc4=Modul se detektuje kao 'modul za Module Builer' kada je datoteka %sb0a65fc09z071 postoji u korijenu direktorija modula +NewModule=Novi modul +NewObjectInModulebuilder=Novi objekat +NewDictionary=Novi rječnik +ModuleName=Naziv modula +ModuleKey=Ključ modula +ObjectKey=Ključ objekta +DicKey=Ključ za rječnik +ModuleInitialized=Modul je inicijaliziran +FilesForObjectInitialized=Fajlovi za novi objekat '%s' su inicijalizirani +FilesForObjectUpdated=Fajlovi za objekat '%s' su ažurirani (.sql fajlovi i .class.php fajl) +ModuleBuilderDescdescription=Ovdje unesite sve općenite informacije koje opisuju vaš modul. +ModuleBuilderDescspecifications=Ovdje možete unijeti detaljan opis specifikacija vašeg modula koji već nije strukturiran u drugim karticama. Tako da imate na dohvat ruke sva pravila za razvoj. Također će ovaj tekstualni sadržaj biti uključen u generiranu dokumentaciju (vidi posljednju karticu). Možete koristiti Markdown format, ali se preporučuje korištenje Asciidoc formata (poređenje između .md i .asciidoc: http://asciidoctor.org/docs/user-manual/# u poređenju sa smanjenjem). +ModuleBuilderDescobjects=Ovdje definirajte objekte kojima želite upravljati sa svojim modulom. CRUD DAO klasa, SQL datoteke, stranica za popis objekata, za kreiranje/uređivanje/pregled zapisa i API će biti generisan. ModuleBuilderDescmenus=Ova kartica za određena za definiranje stavki menija koje daje vaš modul. ModuleBuilderDescpermissions=Ova kartica je određena za definiranje novih dozvola koje želite dati s vašim modulom. -ModuleBuilderDesctriggers=This is the view of triggers provided by your module. To include code executed when a triggered business event is launched, just edit this file. -ModuleBuilderDeschooks=This tab is dedicated to hooks. -ModuleBuilderDescwidgets=This tab is dedicated to manage/build widgets. -ModuleBuilderDescbuildpackage=You can generate here a "ready to distribute" package file (a normalized .zip file) of your module and a "ready to distribute" documentation file. Just click on button to build the package or documentation file. -EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: All coding files of module (generated or created manually) AND structured data and documentation will be deleted! -EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All coding files (generated or created manually) related to object will be deleted! -DangerZone=Danger zone +ModuleBuilderDesctriggers=Ovo je prikaz okidača koje pruža vaš modul. Da biste uključili kod koji se izvršava kada se pokrene pokrenuti poslovni događaj, samo uredite ovu datoteku. +ModuleBuilderDeschooks=Ova kartica je posvećena kukicama. +ModuleBuilderDescwidgets=Ova kartica je posvećena upravljanju/izgradnji widgeta. +ModuleBuilderDescbuildpackage=Ovdje možete generirati datoteku paketa "spremna za distribuciju" (normaliziranu .zip datoteku) vašeg modula i datoteku dokumentacije "spremna za distribuciju". Samo kliknite na dugme da biste napravili paket ili dokumentaciju. +EnterNameOfModuleToDeleteDesc=Možete izbrisati svoj modul. UPOZORENJE: Sve datoteke kodiranja modula (generirane ili kreirane ručno) i strukturirani podaci i dokumentacija će biti izbrisana! +EnterNameOfObjectToDeleteDesc=Možete izbrisati objekat. UPOZORENJE: Sve datoteke kodiranja (generirane ili kreirane ručno) koje se odnose na objekt bit će izbrisane! +EnterNameOfObjectToDeleteDesc=Možete izbrisati objekat. UPOZORENJE: Sve datoteke kodiranja (generirane ili kreirane ručno) koje se odnose na objekt bit će izbrisane! +DangerZone=Opasna zona BuildPackage=Build package -BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. -BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here -ModuleIsLive=This module has been activated. Any change may break a current live feature. -DescriptionLong=Long description -EditorName=Name of editor -EditorUrl=URL of editor -DescriptorFile=Descriptor file of module -ClassFile=File for PHP DAO CRUD class -ApiClassFile=File for PHP API class -PageForList=PHP page for list of record -PageForCreateEditView=PHP page to create/edit/view a record -PageForAgendaTab=PHP page for event tab -PageForDocumentTab=PHP page for document tab -PageForNoteTab=PHP page for note tab -PageForContactTab=PHP page for contact tab -PathToModulePackage=Path to zip of module/application package -PathToModuleDocumentation=Path to file of module/application documentation (%s) -SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed. -FileNotYetGenerated=File not yet generated -GenerateCode=Generate code -RegenerateClassAndSql=Force update of .class and .sql files -RegenerateMissingFiles=Generate missing files -SpecificationFile=File of documentation -LanguageFile=File for language -ObjectProperties=Object Properties -Property=Propery -PropertyDesc=A property is an attribute that characterizes an object. This attribute has a code, a label and a type with several options. -ConfirmDeleteProperty=Are you sure you want to delete the property %s? This will change code in PHP class but also remove column from table definition of object. -NotNull=Not NULL -NotNullDesc=1=Set database to NOT NULL, 0=Allow null values, -1=Allow null values by forcing value to NULL if empty ('' or 0) -SearchAll=Used for 'search all' -DatabaseIndex=Database index -FileAlreadyExists=File %s already exists -TriggersFile=File for triggers code -HooksFile=File for hooks code -ArrayOfKeyValues=Array of key-val -ArrayOfKeyValuesDesc=Array of keys and values if field is a combo list with fixed values -WidgetFile=Widget file -CSSFile=CSS file -JSFile=Javascript file -ReadmeFile=Readme file -ChangeLog=ChangeLog file -TestClassFile=File for PHP Unit Test class -SqlFile=Sql file -PageForLib=File for the common PHP library -PageForObjLib=File for the PHP library dedicated to object -SqlFileExtraFields=Sql file for complementary attributes -SqlFileKey=Sql file for keys -SqlFileKeyExtraFields=Sql file for keys of complementary attributes -AnObjectAlreadyExistWithThisNameAndDiffCase=An object already exists with this name and a different case -UseAsciiDocFormat=You can use Markdown format, but it is recommended to use Asciidoc format (omparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) -IsAMeasure=Is a measure -DirScanned=Directory scanned -NoTrigger=No trigger -NoWidget=No widget -ApiExplorer=API explorer -ListOfMenusEntries=List of menu entries -ListOfDictionariesEntries=List of dictionaries entries -ListOfPermissionsDefined=List of defined permissions -SeeExamples=See examples here -EnabledDesc=Condition to have this field active.

      Examples:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update).

      Using a negative value means field is not shown by default on list but can be selected for viewing). -ItCanBeAnExpression=It can be an expression. Example:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
      For document :
      0 = not displayed
      1 = display
      2 = display only if not empty

      For document lines :
      0 = not displayed
      1 = displayed in a column
      3 = display in line description column after the description
      4 = display in description column after the description only if not empty -DisplayOnPdf=On PDF -IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) -SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) -SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. -LanguageDefDesc=Enter in this files, all the key and the translation for each language file. -MenusDefDesc=Define here the menus provided by your module -DictionariesDefDesc=Define here the dictionaries provided by your module -PermissionsDefDesc=Define here the new permissions provided by your module -MenusDefDescTooltip=The menus provided by your module/application are defined into the array $this->menus into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and the module re-activated), the menus are also visible into the menu editor available to administrator users on %s. -DictionariesDefDescTooltip=The dictionaries provided by your module/application are defined into the array $this->dictionaries into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), dictionaries are also visible into the setup area to administrator users on %s. -PermissionsDefDescTooltip=The permissions provided by your module/application are defined into the array $this->rights into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), permissions are visible into the default permissions setup %s. -HooksDefDesc=Define in the module_parts['hooks'] property, in the module descriptor, the context of hooks you want to manage (list of contexts can be found by a search on 'initHooks(' in core code).
      Edit the hook file to add code of your hooked functions (hookable functions can be found by a search on 'executeHooks' in core code). -TriggerDefDesc=Define in the trigger file the code that you want to execute when a business event external to your module is executed (events triggered by other modules). -SeeIDsInUse=See IDs in use in your installation -SeeReservedIDsRangeHere=See range of reserved IDs -ToolkitForDevelopers=Toolkit for Dolibarr developers -TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the native module builder wizard.
      Enable the module %s and use the wizard by clicking the on the top right menu.
      Warning: This is an advanced developer feature, do not experiment on your production site! -SeeTopRightMenu=See on the top right menu -AddLanguageFile=Add language file -YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages") -DropTableIfEmpty=(Destroy table if empty) -TableDoesNotExists=The table %s does not exists -TableDropped=Table %s deleted -InitStructureFromExistingTable=Build the structure array string of an existing table -UseAboutPage=Do not generate the About page -UseDocFolder=Disable the documentation folder -UseSpecificReadme=Use a specific ReadMe -ContentOfREADMECustomized=Note: The content of the README.md file has been replaced with the specific value defined into setup of ModuleBuilder. -RealPathOfModule=Real path of module -ContentCantBeEmpty=Content of file can't be empty -WidgetDesc=You can generate and edit here the widgets that will be embedded with your module. -CSSDesc=You can generate and edit here a file with personalized CSS embedded with your module. -JSDesc=You can generate and edit here a file with personalized Javascript embedded with your module. -CLIDesc=You can generate here some command line scripts you want to provide with your module. -CLIFile=CLI File -NoCLIFile=No CLI files -UseSpecificEditorName = Use a specific editor name -UseSpecificEditorURL = Use a specific editor URL -UseSpecificFamily = Use a specific family -UseSpecificAuthor = Use a specific author -UseSpecificVersion = Use a specific initial version -IncludeRefGeneration=The reference of this object must be generated automatically by custom numbering rules -IncludeRefGenerationHelp=Check this if you want to include code to manage the generation of the reference automatically using custom numbering rules -IncludeDocGeneration=I want the feature to generate some documents (PDF, ODT) from templates for this object -IncludeDocGenerationHelp=If you check this, some code will be generated to add a "Generate document" box on the record. -ShowOnCombobox=Show value into combo boxes -KeyForTooltip=Key for tooltip -CSSClass=CSS for edit/create form -CSSViewClass=CSS for read form -CSSListClass=CSS for list -NotEditable=Not editable -ForeignKey=Foreign key -ForeignKeyDesc=If the value of this field must be guaranted to exists into another table. Enter here a value matching syntax: tablename.parentfieldtocheck -TypeOfFieldsHelp=Example:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1' means we add a + button after the combo to create the record
      'filter' is a sql condition, example: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' -TypeOfFieldsHelpIntro=This is the type of the field/attribute. -AsciiToHtmlConverter=Ascii to HTML converter -AsciiToPdfConverter=Ascii to PDF converter -TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. -ModuleBuilderNotAllowed=The module builder is available but not allowed to your user. -ImportExportProfiles=Import and export profiles -ValidateModBuilderDesc=Set this to 1 if you want to have the method $this->validateField() of object being called to validate the content of the field during insert or update. Set 0 if there is no validation required. -WarningDatabaseIsNotUpdated=Warning: The database is not updated automatically, you must destroy tables and disable-enable the module to have tables recreated -LinkToParentMenu=Parent menu (fk_xxxxmenu) -ListOfTabsEntries=List of tab entries -TabsDefDesc=Define here the tabs provided by your module -TabsDefDescTooltip=The tabs provided by your module/application are defined into the array $this->tabs into the module descriptor file. You can edit manually this file or use the embedded editor. -BadValueForType=Bad value for type %s -DefinePropertiesFromExistingTable=Define properties from an existing table -DefinePropertiesFromExistingTableDesc=If a table in the database (for the object to create) already exists, you can use it to define the properties of the object. -DefinePropertiesFromExistingTableDesc2=Keep empty if the table does not exist yet. The code generator will use different kinds of fields to build an example of table that you can edit later. -GeneratePermissions=I want to add the rights for this object -GeneratePermissionsHelp=generate default rights for this object -PermissionDeletedSuccesfuly=Permission has been successfully removed -PermissionUpdatedSuccesfuly=Permission has been successfully updated -PermissionAddedSuccesfuly=Permission has been successfully added -MenuDeletedSuccessfuly=Menu has been successfully deleted -MenuAddedSuccessfuly=Menu has been successfully added -MenuUpdatedSuccessfuly=Menu has been successfully updated -ApiObjectDeleted=API for object %s has been successfully deleted +BuildPackageDesc=Možete generirati zip paket svoje aplikacije tako da ste spremni da ga distribuirate na bilo kojem Dolibarru. Također ga možete distribuirati ili prodavati na tržištu kao što je DoliStore.com. +BuildDocumentation=Izgradite dokumentaciju +ModuleIsNotActive=Ovaj modul još nije aktiviran. Idite na %s da ga objavite ili kliknite ovdje +ModuleIsLive=Ovaj modul je aktiviran. Svaka promjena može prekinuti trenutnu funkciju uživo. +DescriptionLong=Dugačak opis +EditorName=Ime urednika +EditorUrl=URL urednika +DescriptorFile=Deskriptorska datoteka modula +ClassFile=Fajl za PHP DAO CRUD klasu +ApiClassFile=API fajl modula +PageForList=PHP stranica za listu zapisa +PageForCreateEditView=PHP stranica za kreiranje/uređivanje/pregled zapisa +PageForAgendaTab=PHP stranica za karticu događaja +PageForDocumentTab=PHP stranica za karticu dokumenta +PageForNoteTab=PHP stranica za karticu bilješki +PageForContactTab=PHP stranica za karticu kontakt +PathToModulePackage=Put do zip paketa modula/aplikacije +PathToModuleDocumentation=Put do datoteke dokumentacije modula/aplikacije (%s) +SpaceOrSpecialCharAreNotAllowed=Razmaci ili specijalni znakovi nisu dozvoljeni. +FileNotYetGenerated=Fajl još nije generiran +GenerateCode=Generiraj kod +RegenerateClassAndSql=Prisilno ažuriranje .class i .sql fajlova +RegenerateMissingFiles=Generirajte datoteke koje nedostaju +SpecificationFile=Fajl dokumentacije +LanguageFile=Fajl za jezik +ObjectProperties=Svojstva objekta +Property=Nekretnina +PropertyDesc=Svojstvo je atribut koji karakterizira objekt. Ovaj atribut ima kod, oznaku i tip sa nekoliko opcija. +ConfirmDeleteProperty=Jeste li sigurni da želite izbrisati svojstvo %s? Ovo će promijeniti kod u PHP klasi, ali i ukloniti kolonu iz definicije objekta u tabeli. +NotNull=Nije NULL +NotNullDesc=1=Postavi bazu podataka na NOT NULL, 0=Dozvoli null vrijednosti, -1=Dozvoli null vrijednosti prisiljavanjem vrijednosti na NULL ako je prazna ('' ili 0) +SearchAll=Koristi se za 'pretraži sve' +DatabaseIndex=Indeks baze podataka +FileAlreadyExists=Fajl %s već postoji +TriggersFile=Fajl za kod okidača +HooksFile=Fajl za kukice koda +ArrayOfKeyValues=Niz ključ-val +ArrayOfKeyValuesDesc=Niz ključeva i vrijednosti ako je polje kombinovana lista sa fiksnim vrijednostima +WidgetFile=Widget fajl +CSSFile=CSS fajl +JSFile=JavaScript fajl +ReadmeFile=Readme fajl +ChangeLog=ChangeLog fajl +TestClassFile=Fajl za PHP Unit Test klasu +SqlFile=Sql fajl +PageForLib=Fajl za uobičajenu PHP biblioteku +PageForObjLib=Datoteka za PHP biblioteku posvećenu objektu +SqlFileExtraFields=Sql fajl za komplementarne atribute +SqlFileKey=Sql fajl za ključeve +SqlFileKeyExtraFields=Sql fajl za ključeve komplementarnih atributa +AnObjectAlreadyExistWithThisNameAndDiffCase=Objekt već postoji sa ovim imenom i drugim slučajem +UseAsciiDocFormat=Možete koristiti Markdown format, ali se preporučuje korištenje Asciidoc formata (poređenje između .md i .asciidoc: http://asciidoctor.org/docs/user-manual/# u poređenju sa smanjenjem) +IsAMeasure=Je mjera +DirScanned=Imenik je skeniran +NoTrigger=Nema okidača +NoWidget=Nema widgeta +ApiExplorer=API istraživač +ListOfMenusEntries=Lista unosa u meniju +ListOfDictionariesEntries=Lista rječničkih natuknica +ListOfPermissionsDefined=Lista definisanih dozvola +SeeExamples=Pogledajte primjere ovdje +EnabledDesc=Uslov da ovo polje bude aktivno.

      Primjeri:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=Je li polje vidljivo? (Primjeri: 0=Nikad vidljivo, 1=Vidljivo na listi i kreiranje/ažuriranje/pregled obrazaca, 2=Vidljivo samo na listi, 3=Vidljivo na obrascu za kreiranje/ažuriranje/pregled samo (ne na listama), 4=Vidljivo na listama i samo ažuriranje/pregled obrasca (ne kreiranje), 5=Vidljivo na listi i samo za prikaz (ne kreirajte, ne ažurirajte).

      Upotreba negativne vrijednosti znači da polje nije prikazano podrazumevano na listi, ali se može izabrati za pregled). +ItCanBeAnExpression=To može biti izraz. Primjer:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user ->hasRight('odmor', 'define_holiday')?1:5 +DisplayOnPdfDesc=Prikažite ovo polje na kompatibilnim PDF dokumentima, možete upravljati pozicijom pomoću polja "Pozicija".
      Za dokument :
      0 = nije prikazano
      1 = display
      2 = prikaz samo ako nije prazan

      b0e7843947b0e7843947 span>Za redove dokumenta :

      0 = nije prikazano
      1 = prikazano u koloni
      3 = prikaz u stupcu opisa reda nakon opisa
      4 = prikaz u stupcu opisa nakon opisa samo ako nije prazan +DisplayOnPdf=Na PDF +IsAMeasureDesc=Može li se vrijednost polja kumulirati da se ukupan iznos dobije na listi? (Primjeri: 1 ili 0) +SearchAllDesc=Koristi li se polje za pretraživanje iz alata za brzo pretraživanje? (Primjeri: 1 ili 0) +SpecDefDesc=Ovdje unesite svu dokumentaciju koju želite dostaviti sa svojim modulom, a koja nije već definirana drugim karticama. Možete koristiti .md ili bolje, bogatu .asciidoc sintaksu. +LanguageDefDesc=Unesite u ove fajlove sve ključeve i prevod za svaki jezički fajl. +MenusDefDesc=Ovdje definirajte menije koje pruža vaš modul +DictionariesDefDesc=Ovdje definirajte rječnike koje daje vaš modul +PermissionsDefDesc=Ovdje definirajte nove dozvole koje daje vaš modul +MenusDefDescTooltip=Meniji koje daje vaš modul/aplikacija definirani su u nizu $this->menus u datoteci deskriptora modula. Možete ručno urediti ovu datoteku ili koristiti ugrađeni uređivač.

      Napomena: Jednom definirano (i modul je ponovo aktiviran), meniji su također vidljivi u uređivaču menija koji je dostupan korisnicima administratora na %s. +DictionariesDefDescTooltip=Rječnici koje daje vaš modul/aplikacija definirani su u nizu $this->dictionaries u datoteci deskriptora modula. Možete ručno urediti ovu datoteku ili koristiti ugrađeni uređivač.

      Napomena: Jednom definirano (i modul ponovo aktiviran), rječnici su također vidljivi u području podešavanja administratorskim korisnicima na %s. +PermissionsDefDescTooltip=Dozvole koje daje vaš modul/aplikacija definirane su u nizu $this->rights u datoteci deskriptora modula. Možete ručno urediti ovu datoteku ili koristiti ugrađeni uređivač.

      Napomena: Jednom definirano (i modul ponovo aktiviran), dozvole su vidljive u zadanim postavkama dozvola %s. +HooksDefDesc=Definirajte u svojstvu module_parts['hooks'], u datoteci deskriptora modula, listu konteksta kada vaš zakači mora se izvršiti (lista mogućih konteksta može se pronaći pretraživanjem na 'initHooks(' u osnovnom kodu) .
      Zatim uredite datoteku sa zakačivim kodom s kodom vaših zakačenih funkcija (lista funkcija koje se mogu zakačiti može se pronaći pretraživanjem na ' executeHooks' u kodu jezgre). +TriggerDefDesc=Definirajte u datoteci okidača kod koji želite da izvršite kada se izvrši poslovni događaj izvan vašeg modula (događaji pokrenuti od strane drugih modula). +SeeIDsInUse=Pogledajte ID-ove koji se koriste u vašoj instalaciji +SeeReservedIDsRangeHere=Pogledajte raspon rezerviranih ID-ova +ToolkitForDevelopers=Komplet alata za Dolibarr programere +TryToUseTheModuleBuilder=Ako poznajete SQL i PHP, možete koristiti čarobnjaka za izradu izvornih modula.
      Omogućite modul %s b01f6482 koristi the4 čarobnjaka klikom na u gornjem desnom meniju.
      Warning : Ovo je napredna razvojna funkcija, ne eksperimentirajte na vašoj proizvodnoj lokaciji! +SeeTopRightMenu=Pogledajte u gornjem desnom meniju +AddLanguageFile=Dodajte jezički fajl +YouCanUseTranslationKey=Ovdje možete koristiti ključ koji je ključ za prijevod koji se nalazi u jezičnoj datoteci (pogledajte karticu "Jezici") +DropTableIfEmpty=(Uništi tabelu ako je prazna) +TableDoesNotExists=Tabela %s ne postoji +TableDropped=Tabela %s je izbrisana +InitStructureFromExistingTable=Izgradite niz strukture niza postojeće tabele +UseAboutPage=Nemojte generirati stranicu About +UseDocFolder=Onemogućite fasciklu dokumentacije +UseSpecificReadme=Koristite određeni ReadMe +ContentOfREADMECustomized=Napomena: Sadržaj datoteke README.md je zamijenjen specifičnom vrijednošću definiranom u postavci ModuleBuilder-a. +RealPathOfModule=Prava putanja modula +ContentCantBeEmpty=Sadržaj datoteke ne može biti prazan +WidgetDesc=Ovdje možete generirati i i urediti widgete koji će biti ugrađeni u vaš modul. +CSSDesc=Možete generirati i i urediti ovdje datoteku sa personaliziranim CSS-om ugrađenim u vaš modul. +JSDesc=Možete generirati i i urediti ovdje fajl sa personaliziranim JavaScriptom ugrađenim u vaš modul. +CLIDesc=Ovdje možete generisati neke skripte komandne linije koje želite da obezbedite sa svojim modulom. +CLIFile=CLI datoteka +NoCLIFile=Nema CLI fajlova +UseSpecificEditorName = Koristite određeno ime urednika +UseSpecificEditorURL = Koristite određeni URL uređivača +UseSpecificFamily = Koristite određenu porodicu +UseSpecificAuthor = Koristite određenog autora +UseSpecificVersion = Koristite određenu početnu verziju +IncludeRefGeneration=Referenca ovog objekta mora se automatski generirati prema prilagođenim pravilima numeriranja +IncludeRefGenerationHelp=Označite ovo ako želite uključiti kod za automatsko upravljanje generiranjem reference koristeći prilagođena pravila numeriranja +IncludeDocGeneration=Želim da funkcija generiše neke dokumente (PDF, ODT) iz šablona za ovaj objekat +IncludeDocGenerationHelp=Ako ovo označite, generirat će se neki kod za dodavanje okvira "Generiraj dokument" u zapis. +ShowOnCombobox=Prikaži vrijednost u kombiniranim okvirima +KeyForTooltip=Ključ za opis alata +CSSClass=CSS za uređivanje/kreiranje obrasca +CSSViewClass=CSS za čitanje obrasca +CSSListClass=CSS za listu +NotEditable=Nije moguće uređivati +ForeignKey=Strani ključ +ForeignKeyDesc=Ako vrijednost ovog polja mora biti zajamčena da postoji u drugoj tabeli. Ovdje unesite sintaksu koja odgovara vrijednosti: ime tablice.parentfieldtocheck +TypeOfFieldsHelp=Primjer:
      varchar(99)
      e-pošta
      telefon
      ip
      url
      passwordb03b92fcz1 span>double(24,8)
      real
      text
      html
      date
      datetime
      timestampinteger
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]fda149bzcc'1' znači da dodajemo + dugme nakon kombinacije da kreiramo zapis
      'filter' je Uvjet sintakse univerzalnog filtera, primjer: '((status:=:1) i (fk_user:=:__USER_ID__) i( entitet:IN:(__SHARED_ENTITIES__))' +TypeOfFieldsHelpIntro=Ovo je tip polja/atributa. +AsciiToHtmlConverter=Ascii u HTML konverter +AsciiToPdfConverter=Ascii u PDF konverter +TableNotEmptyDropCanceled=Tabela nije prazna. Spuštanje je otkazano. +ModuleBuilderNotAllowed=Kreator modula je dostupan, ali nije dozvoljen vašem korisniku. +ImportExportProfiles=Uvezite i profile za izvoz +ValidateModBuilderDesc=Postavite ovo na 1 ako želite da se metoda $this->validateField() objekta poziva da potvrdi sadržaj polja tokom umetanja ili ažuriranja. Postavite 0 ako nije potrebna validacija. +WarningDatabaseIsNotUpdated=Upozorenje: Baza podataka se ne ažurira automatski, morate uništiti tabele i onemogućiti-omogućiti modul da se tabele ponovo kreiraju +LinkToParentMenu=Roditeljski meni (fk_xxxxmenu) +ListOfTabsEntries=Lista unosa na kartici +TabsDefDesc=Ovdje definirajte kartice koje pruža vaš modul +TabsDefDescTooltip=Kartice koje obezbeđuje vaš modul/aplikacija su definisane u nizu $this->tabs u datoteci deskriptora modula. Možete ručno uređivati ovu datoteku ili koristiti ugrađeni uređivač. +BadValueForType=Loša vrijednost za tip %s +DefinePropertiesFromExistingTable=Definirajte polja/svojstva iz postojeće tabele +DefinePropertiesFromExistingTableDesc=Ako tablica u bazi podataka (za objekt za kreiranje) već postoji, možete je koristiti za definiranje svojstava objekta. +DefinePropertiesFromExistingTableDesc2=Ostavite prazno ako tabela još ne postoji. Generator koda će koristiti različite vrste polja za izradu primjera tabele koju kasnije možete uređivati. +GeneratePermissions=Želim upravljati dozvolama za ovaj objekt +GeneratePermissionsHelp=Ako ovo označite, bit će dodan neki kod za upravljanje dozvolama za čitanje, napišite i izbriši zapis objekata +PermissionDeletedSuccesfuly=Dozvola je uspješno uklonjena +PermissionUpdatedSuccesfuly=Dozvola je uspješno ažurirana +PermissionAddedSuccesfuly=Dozvola je uspješno dodana +MenuDeletedSuccessfuly=Meni je uspješno obrisan +MenuAddedSuccessfuly=Meni je uspješno dodan +MenuUpdatedSuccessfuly=Meni je uspješno ažuriran +ApiObjectDeleted=API za objekat %s je uspješno obrisan CRUDRead=Pročitaj -CRUDCreateWrite=Create or Update -FailedToAddCodeIntoDescriptor=Failed to add code into descriptor. Check that the string comment "%s" is still present into the file. +CRUDCreateWrite=Kreirajte ili ažurirajte +FailedToAddCodeIntoDescriptor=Dodavanje koda u deskriptor nije uspjelo. Provjerite je li komentar stringa "%s" još uvijek prisutan u datoteci. +DictionariesCreated=Rječnik %s uspješno kreiran +DictionaryDeleted=Rječnik %s je uspješno uklonjen +PropertyModuleUpdated=Svojstvo %s je uspješno ažurirano +InfoForApiFile=* Kada generirate datoteku po prvi put, sve metode će biti kreirane za svaki objekt.
      * Kada kliknete na ukloni samo uklanjate sve metode za klasu odabrani objekat. +SetupFile=Stranica za podešavanje modula +EmailingSelectors=Selektori e-pošte +EmailingSelectorDesc=Možete generirati i ovdje urediti datoteke klasa kako biste pružili nove birače cilja e-pošte za modul masovnog slanja e-pošte +EmailingSelectorFile=Fajl selektora e-pošte +NoEmailingSelector=Nema datoteke za odabir e-pošte diff --git a/htdocs/langs/bs_BA/mrp.lang b/htdocs/langs/bs_BA/mrp.lang index b3fb904ae07..2afed9bf5c7 100644 --- a/htdocs/langs/bs_BA/mrp.lang +++ b/htdocs/langs/bs_BA/mrp.lang @@ -1,109 +1,139 @@ Mrp=Manufacturing Orders -MOs=Manufacturing orders +MOs=Proizvodne narudžbe ManufacturingOrder=Manufacturing Order -MRPDescription=Module to manage production and Manufacturing Orders (MO). +MRPDescription=Modul za upravljanje proizvodnjom i Manufacturing Orders (MO). MRPArea=MRP Area -MrpSetupPage=Setup of module MRP -MenuBOM=Bills of material -LatestBOMModified=Latest %s Bills of materials modified -LatestMOModified=Latest %s Manufacturing Orders modified +MrpSetupPage=Postavljanje modula MRP +MenuBOM=Računi materijala +LatestBOMModified=Najnovije %s Izmijenjene fakture materijala +LatestMOModified=Najnovije %s proizvodne narudžbe izmijenjene Bom=Bills of Material BillOfMaterials=Bill of Materials -BillOfMaterialsLines=Bill of Materials lines -BOMsSetup=Setup of module BOM -ListOfBOMs=List of bills of material - BOM -ListOfManufacturingOrders=List of Manufacturing Orders -NewBOM=New bill of materials -ProductBOMHelp=Product to create (or disassemble) with this BOM.
      Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list. -BOMsNumberingModules=BOM numbering templates -BOMsModelModule=BOM document templates -MOsNumberingModules=MO numbering templates -MOsModelModule=MO document templates -FreeLegalTextOnBOMs=Free text on document of BOM -WatermarkOnDraftBOMs=Watermark on draft BOM -FreeLegalTextOnMOs=Free text on document of MO -WatermarkOnDraftMOs=Watermark on draft MO -ConfirmCloneBillOfMaterials=Are you sure you want to clone the bill of materials %s ? -ConfirmCloneMo=Are you sure you want to clone the Manufacturing Order %s ? -ManufacturingEfficiency=Manufacturing efficiency -ConsumptionEfficiency=Consumption efficiency -ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the manufacturing or the disassembly -ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product -DeleteBillOfMaterials=Delete Bill Of Materials -DeleteMo=Delete Manufacturing Order -ConfirmDeleteBillOfMaterials=Are you sure you want to delete this Bill Of Materials? -ConfirmDeleteMo=Are you sure you want to delete this Manufacturing Order? +BillOfMaterialsLines=Linije opisa materijala +BOMsSetup=Postavljanje sastavnice modula +ListOfBOMs=Opis materijala - BOM +ListOfManufacturingOrders=Manufacturing Orders +NewBOM=Novi popis materijala +ProductBOMHelp=Proizvod za kreiranje (ili rastavljanje) sa ovom BOM-om.
      Napomena: Proizvodi sa svojstvom 'Priroda proizvoda' = 'Sirovina' nisu vidljivi na ovoj listi. +BOMsNumberingModules=Predlošci za numerisanje BOM-a +BOMsModelModule=Predlošci dokumenata BOM +MOsNumberingModules=MO predlošci numeracije +MOsModelModule=MO predlošci dokumenata +FreeLegalTextOnBOMs=Slobodan tekst na dokumentu BOM-a +WatermarkOnDraftBOMs=Vodeni žig na nacrtu BOM-a +FreeLegalTextOnMOs=Slobodan tekst na dokumentu MO +WatermarkOnDraftMOs=Vodeni žig na nacrtu MO +ConfirmCloneBillOfMaterials=Jeste li sigurni da želite klonirati popis materijala %s? +ConfirmCloneMo=Jeste li sigurni da želite klonirati proizvodni nalog %s? +ManufacturingEfficiency=Efikasnost proizvodnje +ConsumptionEfficiency=Efikasnost potrošnje +Consumption=Potrošnja +ValueOfMeansLoss=Vrijednost od 0,95 znači u prosjeku 5%% gubitka tokom proizvodnje ili rastavljanja +ValueOfMeansLossForProductProduced=Vrijednost od 0,95 znači u prosjeku 5%% gubitka proizvedenog proizvoda +DeleteBillOfMaterials=Izbriši popis materijala +CancelMo=Otkažite proizvodnu narudžbu +MoCancelConsumedAndProducedLines=Otkažite i sve potrošene i proizvedene linije (izbrišite linije i vraćanje zaliha) +ConfirmCancelMo=Jeste li sigurni da želite otkazati ovu proizvodnu narudžbu? +DeleteMo=Izbrišite proizvodnu narudžbu +ConfirmDeleteBillOfMaterials=Jeste li sigurni da želite izbrisati ovaj popis materijala? +ConfirmDeleteMo=Jeste li sigurni da želite izbrisati ovaj proizvodni nalog? +DeleteMoChild = Izbrišite podređene MO povezane s ovim MO %s +MoChildsDeleted = Svi dječji MO-ovi su izbrisani MenuMRP=Manufacturing Orders -NewMO=New Manufacturing Order -QtyToProduce=Qty to produce -DateStartPlannedMo=Date start planned -DateEndPlannedMo=Date end planned -KeepEmptyForAsap=Empty means 'As Soon As Possible' -EstimatedDuration=Estimated duration -EstimatedDurationDesc=Estimated duration to manufacture (or disassemble) this product using this BOM -ConfirmValidateBom=Are you sure you want to validate the BOM with the reference %s (you will be able to use it to build new Manufacturing Orders) -ConfirmCloseBom=Are you sure you want to cancel this BOM (you won't be able to use it to build new Manufacturing Orders anymore) ? -ConfirmReopenBom=Are you sure you want to re-open this BOM (you will be able to use it to build new Manufacturing Orders) -StatusMOProduced=Produced +NewMO=Novi proizvodni nalog +QtyToProduce=Količina za proizvodnju +DateStartPlannedMo=Planirani datum početka +DateEndPlannedMo=Planirani datum završetka +KeepEmptyForAsap=Prazno znači 'što je prije moguće' +EstimatedDuration=Predviđeno trajanje +EstimatedDurationDesc=Procijenjeno trajanje proizvodnje (ili rastavljanja) ovog proizvoda pomoću ove specifikacije +ConfirmValidateBom=Jeste li sigurni da želite provjeriti BOM sa referencom %s (moći ćete ga koristiti za izradu novih proizvodnih narudžbi) +ConfirmCloseBom=Jeste li sigurni da želite otkazati ovaj BOM (više ga nećete moći koristiti za pravljenje novih proizvodnih narudžbi)? +ConfirmReopenBom=Jeste li sigurni da želite ponovo otvoriti ovu BOM (moći ćete je koristiti za izradu novih proizvodnih narudžbi) +StatusMOProduced=Proizvedeno QtyFrozen=Frozen Qty -QuantityFrozen=Frozen Quantity -QuantityConsumedInvariable=When this flag is set, the quantity consumed is always the value defined and is not relative to the quantity produced. -DisableStockChange=Stock change disabled -DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed -BomAndBomLines=Bills Of Material and lines -BOMLine=Line of BOM -WarehouseForProduction=Warehouse for production -CreateMO=Create MO -ToConsume=To consume -ToProduce=To produce -ToObtain=To obtain -QtyAlreadyConsumed=Qty already consumed -QtyAlreadyProduced=Qty already produced -QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) -ConsumeOrProduce=Consume or Produce -ConsumeAndProduceAll=Consume and Produce All -Manufactured=Manufactured -TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf=For a quantity to produce of %s -ForAQuantityToConsumeOf=For a quantity to disassemble of %s -ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? -ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRef=Production of %s -AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached -NoStockChangeOnServices=No stock change on services -ProductQtyToConsumeByMO=Product quantity still to consume by open MO -ProductQtyToProduceByMO=Product quantity still to produce by open MO -AddNewConsumeLines=Add new line to consume -AddNewProduceLines=Add new line to produce -ProductsToConsume=Products to consume -ProductsToProduce=Products to produce -UnitCost=Unit cost -TotalCost=Total cost -BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) -GoOnTabProductionToProduceFirst=You must first have started the production to close a Manufacturing Order (See tab '%s'). But you can Cancel it. -ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO -Workstation=Workstation -Workstations=Workstations -WorkstationsDescription=Workstations management -WorkstationSetup = Workstations setup -WorkstationSetupPage = Workstations setup page -WorkstationList=Workstation list -WorkstationCreate=Add new workstation -ConfirmEnableWorkstation=Are you sure you want to enable workstation %s ? -EnableAWorkstation=Enable a workstation -ConfirmDisableWorkstation=Are you sure you want to disable workstation %s ? -DisableAWorkstation=Disable a workstation +QuantityFrozen=Zamrznuta količina +QuantityConsumedInvariable=Kada je ova zastavica postavljena, potrošena količina je uvijek definirana vrijednost i nije relativna u odnosu na proizvedenu količinu. +DisableStockChange=Promjena zaliha onemogućena +DisableStockChangeHelp=Kada je ova zastavica postavljena, nema promjene zaliha na ovom proizvodu, bez obzira na količinu potrošene +BomAndBomLines=Bills of Materials i redovi +BOMLine=Linija BOM-a +WarehouseForProduction=Skladište za proizvodnju +CreateMO=Kreirajte MO +ToConsume=Za konzumiranje +ToProduce=Za proizvodnju +ToObtain=Za dobijanje +QtyAlreadyConsumed=Količina je već potrošena +QtyAlreadyProduced=Količina već proizvedena +QtyAlreadyConsumedShort=Potrošena količina +QtyAlreadyProducedShort=Proizvedena količina +QtyRequiredIfNoLoss=Količina potrebna za proizvodnju količine definisane u BOM-u ako nema gubitka (ako je efikasnost proizvodnje 100%%) +ConsumeOrProduce=Konzumirajte ili proizvodite +ConsumeAndProduceAll=Konzumiraj i Proizvodi sve +Manufactured=Proizvedeno +TheProductXIsAlreadyTheProductToProduce=Proizvod koji treba dodati je već proizvod za proizvodnju. +ForAQuantityOf=Za količinu koju treba proizvesti od %s +ForAQuantityToConsumeOf=Za količinu za rastavljanje %s +ConfirmValidateMo=Jeste li sigurni da želite potvrditi ovu proizvodnu narudžbu? +ConfirmProductionDesc=Klikom na '%s', potvrdit ćete potrošnju i/ili proizvodnju za postavljene količine. Ovo će također ažurirati evidenciju kretanja zaliha i. +ProductionForRef=Proizvodnja %s +CancelProductionForRef=Otkazivanje smanjenja zaliha proizvoda za proizvod %s +TooltipDeleteAndRevertStockMovement=Izbriši redak i vrati kretanje zaliha +AutoCloseMO=Automatski zatvori proizvodnu narudžbu ako su dostignute količine za potrošnju i +NoStockChangeOnServices=Bez promjene zaliha na uslugama +ProductQtyToConsumeByMO=Količina proizvoda koja još treba potrošiti do otvorenog MO +ProductQtyToProduceByMO=Količina proizvoda koja se još treba proizvesti otvorenim MO +AddNewConsumeLines=Dodajte novu liniju za konzumiranje +AddNewProduceLines=Dodajte novu liniju za proizvodnju +ProductsToConsume=Proizvodi za konzumiranje +ProductsToProduce=Proizvodi za proizvodnju +UnitCost=Jedinični trošak +TotalCost=Ukupni troškovi +BOMTotalCost=Trošak proizvodnje ovog BOM-a na osnovu cijene svake količine i proizvoda za potrošnju (koristite cijenu koštanja ako je definirana, inače prosječnu ponderiranu cijenu ako je definirana, inače najbolju nabavnu cijenu) +BOMTotalCostService=Ako je modul "Radna stanica" aktiviran i, radna stanica je definirana po defaultu na liniji, tada je proračun "količina (preračunato u sate) x radna stanica ahr", inače "količina x cijena koštanja usluge" +GoOnTabProductionToProduceFirst=Prvo morate pokrenuti proizvodnju da biste zatvorili proizvodni nalog (pogledajte karticu '%s'). Ali možete ga otkazati. +ErrorAVirtualProductCantBeUsedIntoABomOrMo=Komplet se ne može koristiti u BOM ili MO +Workstation=Radna stanica +Workstations=Radne stanice +WorkstationsDescription=Upravljanje radnim stanicama +WorkstationSetup = Postavljanje radnih stanica +WorkstationSetupPage = Stranica za podešavanje radnih stanica +WorkstationList=Lista radnih stanica +WorkstationCreate=Dodajte novu radnu stanicu +ConfirmEnableWorkstation=Jeste li sigurni da želite omogućiti radnu stanicu %s ? +EnableAWorkstation=Omogućite radnu stanicu +ConfirmDisableWorkstation=Jeste li sigurni da želite onemogućiti radnu stanicu %s ? +DisableAWorkstation=Onemogućite radnu stanicu DeleteWorkstation=Obriši -NbOperatorsRequired=Number of operators required -THMOperatorEstimated=Estimated operator THM -THMMachineEstimated=Estimated machine THM -WorkstationType=Workstation type -Human=Human -Machine=Machine -HumanMachine=Human / Machine -WorkstationArea=Workstation area -Machines=Machines -THMEstimatedHelp=This rate makes it possible to define a forecast cost of the item -BOM=Bill Of Materials -CollapseBOMHelp=You can define the default display of the details of the nomenclature in the configuration of the BOM module -MOAndLines=Manufacturing Orders and lines +NbOperatorsRequired=Broj potrebnih operatera +THMOperatorEstimated=Procijenjeni operater THM +THMMachineEstimated=Procijenjena mašina THM +WorkstationType=Tip radne stanice +DefaultWorkstation=Zadana radna stanica +Human=Čovjek +Machine=Mašina +HumanMachine=Čovjek/Mašina +WorkstationArea=Područje radne stanice +Machines=Mašine +THMEstimatedHelp=Ova stopa omogućava definiranje predviđene cijene stavke +BOM=Bill of Materials +CollapseBOMHelp=Zadani prikaz detalja nomenklature možete definirati u konfiguraciji modula BOM +MOAndLines=Proizvodne narudžbe i linije +MoChildGenerate=Generate Child Mo +ParentMo=MO Parent +MOChild=MO Child +BomCantAddChildBom=Nomenklatura %s je već prisutna u stablu koje vodi do nomenklature %s +BOMNetNeeds = BOM Net Needs +BOMProductsList=BOM-ovi proizvodi +BOMServicesList=Usluge BOM-a +Manufacturing=Manufacturing +Disassemble=Rastaviti +ProducedBy=Proizvodi +QtyTot=Količina Ukupno + +QtyCantBeSplit= Količina se ne može podijeliti +NoRemainQtyToDispatch=Nema preostale količine za podjelu + +THMOperatorEstimatedHelp=Procijenjena cijena operatera po satu. Koristiće se za procjenu troškova BOM-a koristeći ovu radnu stanicu. +THMMachineEstimatedHelp=Procijenjena cijena mašine po satu. Koristiće se za procjenu troškova BOM-a koristeći ovu radnu stanicu. + diff --git a/htdocs/langs/bs_BA/oauth.lang b/htdocs/langs/bs_BA/oauth.lang index 075ff49a895..1efee5abfd3 100644 --- a/htdocs/langs/bs_BA/oauth.lang +++ b/htdocs/langs/bs_BA/oauth.lang @@ -1,32 +1,42 @@ # Dolibarr language file - Source file is en_US - oauth -ConfigOAuth=OAuth Configuration -OAuthServices=OAuth Services -ManualTokenGeneration=Manual token generation +ConfigOAuth=OAuth konfiguracija +OAuthServices=OAuth usluge +ManualTokenGeneration=Ručno generiranje tokena TokenManager=Token Manager -IsTokenGenerated=Is token generated ? -NoAccessToken=No access token saved into local database -HasAccessToken=A token was generated and saved into local database -NewTokenStored=Token received and saved -ToCheckDeleteTokenOnProvider=Click here to check/delete authorization saved by %s OAuth provider -TokenDeleted=Token deleted -RequestAccess=Click here to request/renew access and receive a new token to save -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider: -ListOfSupportedOauthProviders=Enter the credentials provided by your OAuth2 provider. Only supported OAuth2 providers are listedd here. These services may be used by other modules that need OAuth2 authentication. -OAuthSetupForLogin=Page to generate an OAuth token -SeePreviousTab=See previous tab -OAuthIDSecret=OAuth ID and Secret +IsTokenGenerated=Je li token generiran? +NoAccessToken=Nijedan pristupni token nije spremljen u lokalnu bazu podataka +HasAccessToken=Generiran je token i spremljen u lokalnu bazu podataka +NewTokenStored=Primljeni token i sačuvan +ToCheckDeleteTokenOnProvider=Kliknite ovdje da provjerite/izbrišete autorizaciju koju je sačuvao %s OAuth provajder +TokenDeleted=Token je izbrisan +GetAccess=Kliknite ovdje da dobijete token +RequestAccess=Kliknite ovdje da zatražite/obnovite pristup i da dobijete novi token +DeleteAccess=Kliknite ovdje da izbrišete token +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider +ListOfSupportedOauthProviders=Dodajte svoje dobavljače OAuth2 tokena. Zatim idite na administratorsku stranicu vašeg OAuth provajdera da kreirate/dobijete OAuth ID i Secret i i sačuvajte ih ovdje. Kada završite, uključite drugu karticu da generišete svoj token. +OAuthSetupForLogin=Stranica za upravljanje (generisanje/brisanje) OAuth tokena +SeePreviousTab=Pogledajte prethodnu karticu +OAuthProvider=OAuth dobavljač +OAuthIDSecret=OAuth ID i Tajna TOKEN_REFRESH=Token Refresh Present -TOKEN_EXPIRED=Token expired -TOKEN_EXPIRE_AT=Token expire at -TOKEN_DELETE=Delete saved token -OAUTH_GOOGLE_NAME=OAuth Google service +TOKEN_EXPIRED=Token je istekao +TOKEN_EXPIRE_AT=Token ističe u +TOKEN_DELETE=Izbriši sačuvani token +OAUTH_GOOGLE_NAME=OAuth Google usluga OAUTH_GOOGLE_ID=OAuth Google Id OAUTH_GOOGLE_SECRET=OAuth Google Secret -OAUTH_GOOGLE_DESC=Go to this page then "Credentials" to create OAuth credentials -OAUTH_GITHUB_NAME=OAuth GitHub service +OAUTH_GITHUB_NAME=OAuth GitHub usluga OAUTH_GITHUB_ID=OAuth GitHub Id -OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_GITHUB_DESC=Go to this page then "Register a new application" to create OAuth credentials -OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test +OAUTH_GITHUB_SECRET=OAuth GitHub tajna +OAUTH_URL_FOR_CREDENTIAL=Idite na ovu stranicu da kreirate ili dobijete svoj OAuth ID i Secret +OAUTH_STRIPE_TEST_NAME=OAuth Stripe test OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live +OAUTH_ID=OAuth ID klijenta +OAUTH_SECRET=OAuth tajna +OAUTH_TENANT=OAuth stanar +OAuthProviderAdded=Dodan je OAuth provajder +AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=OAuth unos za i oznaku ovog dobavljača već postoji +URLOfServiceForAuthorization=URL pruža OAuth servis za autentifikaciju +Scopes=Dozvole (opsezi) +ScopeUndefined=Odobrenja (opsezi) nedefinirana (pogledajte prethodnu karticu) diff --git a/htdocs/langs/bs_BA/products.lang b/htdocs/langs/bs_BA/products.lang index c8f23d7694b..932be6bcd38 100644 --- a/htdocs/langs/bs_BA/products.lang +++ b/htdocs/langs/bs_BA/products.lang @@ -2,7 +2,7 @@ ProductRef=Ref. proizvoda ProductLabel=Oznaka proizvoda ProductLabelTranslated=Prevedeni naslov proizvoda -ProductDescription=Product description +ProductDescription=Opis proizvoda ProductDescriptionTranslated=Prevedeni opis proizvoda ProductNoteTranslated=Prevedena napomena proizvoda ProductServiceCard=Kartica proizvoda/usluge @@ -17,174 +17,178 @@ Create=Kreiraj Reference=Referenca NewProduct=Novi proizvod NewService=Nova usluga -ProductVatMassChange=Global VAT Update -ProductVatMassChangeDesc=This tool updates the VAT rate defined on ALL products and services! -MassBarcodeInit=Mass barcode init -MassBarcodeInitDesc=This page can be used to initialize a barcode on objects that does not have barcode defined. Check before that setup of module barcode is complete. -ProductAccountancyBuyCode=Accounting code (purchase) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) -ProductAccountancySellCode=Accounting code (sale) -ProductAccountancySellIntraCode=Accounting code (sale intra-Community) -ProductAccountancySellExportCode=Accounting code (sale export) +ProductVatMassChange=Globalno ažuriranje PDV-a +ProductVatMassChangeDesc=Ovaj alat ažurira stopu PDV-a definiranu na SVE class='notranslate'>
      proizvodi i usluge! +MassBarcodeInit=Masovni barkod init +MassBarcodeInitDesc=Ova stranica se može koristiti za inicijalizaciju barkoda na objektima koji nemaju definiran bar kod. Provjerite prije nego što je postavljanje barkoda modula završeno. +ProductAccountancyBuyCode=Knjigovodstvena šifra (kupovina) +ProductAccountancyBuyIntraCode=Račun računovodstva (kupovina unutar zajednice) +ProductAccountancyBuyExportCode=Knjigovodstvena šifra (kupovina uvoz) +ProductAccountancySellCode=Knjigovodstvena šifra (prodaja) +ProductAccountancySellIntraCode=Račun računovodstva (prodaja unutar zajednice) +ProductAccountancySellExportCode=Knjigovodstvena šifra (prodaja izvoz) ProductOrService=Proizvod ili usluga ProductsAndServices=Proizvodi i usluge ProductsOrServices=Proizvodi ili usluge -ProductsPipeServices=Products | Services -ProductsOnSale=Products for sale -ProductsOnPurchase=Products for purchase -ProductsOnSaleOnly=Products for sale only -ProductsOnPurchaseOnly=Products for purchase only -ProductsNotOnSell=Products not for sale and not for purchase -ProductsOnSellAndOnBuy=Products for sale and for purchase -ServicesOnSale=Services for sale -ServicesOnPurchase=Services for purchase -ServicesOnSaleOnly=Services for sale only -ServicesOnPurchaseOnly=Services for purchase only -ServicesNotOnSell=Services not for sale and not for purchase -ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s products/services which were modified -LastRecordedProducts=Latest %s recorded products -LastRecordedServices=Latest %s recorded services +ProductsPipeServices=Proizvodi | Usluge +ProductsOnSale=Proizvodi na prodaju +ProductsOnPurchase=Proizvodi za kupovinu +ProductsOnSaleOnly=Proizvodi samo na prodaju +ProductsOnPurchaseOnly=Proizvodi samo za kupovinu +ProductsNotOnSell=Proizvodi koji se ne prodaju i nisu za kupovinu +ProductsOnSellAndOnBuy=Proizvodi za prodaju i za kupovinu +ServicesOnSale=Usluge na prodaju +ServicesOnPurchase=Usluge za kupovinu +ServicesOnSaleOnly=Usluge samo na prodaju +ServicesOnPurchaseOnly=Usluge samo za kupovinu +ServicesNotOnSell=Usluge nisu na prodaju i nisu za kupovinu +ServicesOnSellAndOnBuy=Usluge za prodaju i za kupovinu +LastModifiedProductsAndServices=Najnoviji %s proizvodi/usluge koji su izmijenjeni +LastRecordedProducts=Najnoviji %s snimljeni proizvodi +LastRecordedServices=Najnovije %s snimljene usluge CardProduct0=Proizvod CardProduct1=Usluga Stock=Zalihe MenuStocks=Zalihe -Stocks=Stocks and location (warehouse) of products +Stocks=Zalihe i lokacija (skladište) proizvoda Movements=Kretanja -Sell=Sell -Buy=Purchase -OnSell=For sale -OnBuy=For purchase -NotOnSell=Not for sale -ProductStatusOnSell=For sale -ProductStatusNotOnSell=Not for sale -ProductStatusOnSellShort=For sale -ProductStatusNotOnSellShort=Not for sale -ProductStatusOnBuy=For purchase -ProductStatusNotOnBuy=Not for purchase -ProductStatusOnBuyShort=For purchase -ProductStatusNotOnBuyShort=Not for purchase -UpdateVAT=Update vat -UpdateDefaultPrice=Update default price -UpdateLevelPrices=Update prices for each level -AppliedPricesFrom=Applied from -SellingPrice=Selling price -SellingPriceHT=Selling price (excl. tax) -SellingPriceTTC=Selling price (inc. tax) -SellingMinPriceTTC=Minimum Selling price (inc. tax) -CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. -CostPriceUsage=This value could be used for margin calculation. -ManufacturingPrice=Manufacturing price -SoldAmount=Sold amount -PurchasedAmount=Purchased amount -NewPrice=New price -MinPrice=Min. selling price -EditSellingPriceLabel=Edit selling price label -CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. +Sell=Prodaj +Buy=Kupovina +OnSell=Na prodaju +OnBuy=Za kupovinu +NotOnSell=Nije na prodaju +ProductStatusOnSell=Na prodaju +ProductStatusNotOnSell=Nije na prodaju +ProductStatusOnSellShort=Na prodaju +ProductStatusNotOnSellShort=Nije na prodaju +ProductStatusOnBuy=Za kupovinu +ProductStatusNotOnBuy=Nije za kupovinu +ProductStatusOnBuyShort=Za kupovinu +ProductStatusNotOnBuyShort=Nije za kupovinu +UpdateVAT=Ažuriraj PDV +UpdateDefaultPrice=Ažurirajte zadanu cijenu +UpdateLevelPrices=Ažurirajte cijene za svaki nivo +AppliedPricesFrom=Primijenjeno od +SellingPrice=Prodajna cijena +SellingPriceHT=Prodajna cijena (bez poreza) +SellingPriceTTC=Prodajna cijena (sa porezom) +SellingMinPriceTTC=Minimalna prodajna cijena (sa porezom) +CostPriceDescription=Ovo polje cijene (bez poreza) može se koristiti za bilježenje prosječnog iznosa koji ovaj proizvod košta vašoj kompaniji. To može biti bilo koja cijena koju sami izračunate, na primjer, iz prosječne otkupne cijene plus prosječne proizvodne i troškove distribucije. +CostPriceUsage=Ova vrijednost se može koristiti za obračun marže. +ManufacturingPrice=Cijena proizvodnje +SoldAmount=Prodati iznos +PurchasedAmount=Kupljeni iznos +NewPrice=Nova cijena +MinPrice=Min. Prodajna cijena +MinPriceHT=Min. prodajna cijena (bez poreza) +MinPriceTTC=Min. prodajna cijena (sa porezom) +EditSellingPriceLabel=Uredite oznaku prodajne cijene +CantBeLessThanMinPrice=Prodajna cijena ne može biti niža od minimalno dozvoljene za ovaj proizvod (%s bez poreza). Ova poruka se može pojaviti i ako upišete značajan popust. +CantBeLessThanMinPriceInclTax=Prodajna cijena ne može biti niža od minimalno dozvoljenog za ovaj proizvod (%s uključujući poreze). Ova poruka se također može pojaviti ako unesete previše važan popust. ContractStatusClosed=Zatvoreno -ErrorProductAlreadyExists=A product with reference %s already exists. -ErrorProductBadRefOrLabel=Wrong value for reference or label. -ErrorProductClone=There was a problem while trying to clone the product or service. -ErrorPriceCantBeLowerThanMinPrice=Error, price can't be lower than minimum price. +ErrorProductAlreadyExists=Proizvod sa referencom %s već postoji. +ErrorProductBadRefOrLabel=Pogrešna vrijednost za referencu ili oznaku. +ErrorProductClone=Došlo je do problema prilikom pokušaja kloniranja proizvoda ili usluge. +ErrorPriceCantBeLowerThanMinPrice=Greška, cijena ne može biti niža od minimalne cijene. Suppliers=Prodavači -SupplierRef=Vendor SKU -ShowProduct=Show product +SupplierRef=SKU dobavljača +ShowProduct=Prikaži proizvod ShowService=Show service -ProductsAndServicesArea=Product and Services area -ProductsArea=Product area -ServicesArea=Services area +ProductsAndServicesArea=Proizvod i Područje usluga +ProductsArea=Područje proizvoda +ServicesArea=Područje usluga ListOfStockMovements=Lista kretanja zaliha BuyingPrice=Kupovna cijena -PriceForEachProduct=Products with specific prices -SupplierCard=Vendor card -PriceRemoved=Price removed -BarCode=Barcode -BarcodeType=Barcode type -SetDefaultBarcodeType=Set barcode type -BarcodeValue=Barcode value -NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) -ServiceLimitedDuration=If product is a service with limited duration: -FillWithLastServiceDates=Fill with last service line dates -MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) -MultiPricesNumPrices=Number of prices -DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices -AssociatedProductsAbility=Enable Kits (set of several products) -VariantsAbility=Enable Variants (variations of products, for example color, size) -AssociatedProducts=Kits -AssociatedProductsNumber=Number of products composing this kit -ParentProductsNumber=Number of parent packaging product -ParentProducts=Parent products -IfZeroItIsNotAVirtualProduct=If 0, this product is not a kit -IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit -KeywordFilter=Keyword filter -CategoryFilter=Category filter -ProductToAddSearch=Search product to add -NoMatchFound=No match found -ListOfProductsServices=List of products/services -ProductAssociationList=List of products/services that are component(s) of this kit -ProductParentList=List of kits with this product as a component -ErrorAssociationIsFatherOfThis=One of selected product is parent with current product -DeleteProduct=Delete a product/service -ConfirmDeleteProduct=Are you sure you want to delete this product/service? -ProductDeleted=Product/Service "%s" deleted from database. +PriceForEachProduct=Proizvodi sa specifičnim cijenama +SupplierCard=Kartica dobavljača +PriceRemoved=Cijena je uklonjena +BarCode=Barkod +BarcodeType=Vrsta barkoda +SetDefaultBarcodeType=Postavite vrstu barkoda +BarcodeValue=Vrijednost barkoda +NoteNotVisibleOnBill=Napomena (nije vidljivo na fakturama, prijedlozima...) +ServiceLimitedDuration=Ako je proizvod usluga ograničenog trajanja: +FillWithLastServiceDates=Popunite datume posljednje linije servisa +MultiPricesAbility=Više cjenovnih segmenata po proizvodu/usluzi (svaki kupac je u jednom cjenovnom segmentu) +MultiPricesNumPrices=Broj cijena +DefaultPriceType=Osnova cijena po defaultu (sa u odnosu na bez poreza) prilikom dodavanja novih prodajnih cijena +AssociatedProductsAbility=Omogući komplete (skup od nekoliko proizvoda) +VariantsAbility=Omogućite varijante (varijacije proizvoda, na primjer boja, veličina) +AssociatedProducts=Kompleti +AssociatedProductsNumber=Broj proizvoda koji čine ovaj komplet +ParentProductsNumber=Broj matičnog pakovanja proizvoda +ParentProducts=Roditeljski proizvodi +IfZeroItIsNotAVirtualProduct=Ako je 0, ovaj proizvod nije komplet +IfZeroItIsNotUsedByVirtualProduct=Ako je 0, ovaj proizvod ne koristi nijedan komplet +KeywordFilter=Filter ključnih riječi +CategoryFilter=Filter kategorije +ProductToAddSearch=Pretražite proizvod za dodavanje +NoMatchFound=Nije pronađeno podudaranje +ListOfProductsServices=Lista proizvoda/usluga +ProductAssociationList=Spisak proizvoda/usluga koji su komponenta(e) ovog kompleta +ProductParentList=Lista kompleta sa ovim proizvodom kao komponentom +ErrorAssociationIsFatherOfThis=Jedan od odabranih proizvoda je nadređeni s trenutnim proizvodom +DeleteProduct=Izbrišite proizvod/uslugu +ConfirmDeleteProduct=Jeste li sigurni da želite izbrisati ovaj proizvod/uslugu? +ProductDeleted=Proizvod/usluga "%s" je izbrisan iz baze podataka. ExportDataset_produit_1=Proizvodi ExportDataset_service_1=Usluge ImportDataset_produit_1=Proizvodi ImportDataset_service_1=Usluge -DeleteProductLine=Delete product line -ConfirmDeleteProductLine=Are you sure you want to delete this product line? -ProductSpecial=Special -QtyMin=Min. purchase quantity -PriceQtyMin=Price quantity min. -PriceQtyMinCurrency=Price (currency) for this qty. (no discount) -VATRateForSupplierProduct=VAT Rate (for this vendor/product) -DiscountQtyMin=Discount for this qty. -NoPriceDefinedForThisSupplier=No price/qty defined for this vendor/product -NoSupplierPriceDefinedForThisProduct=No vendor price/qty defined for this product -PredefinedItem=Predefined item -PredefinedProductsToSell=Predefined Product -PredefinedServicesToSell=Predefined Service -PredefinedProductsAndServicesToSell=Predefined products/services to sell -PredefinedProductsToPurchase=Predefined product to purchase -PredefinedServicesToPurchase=Predefined services to purchase -PredefinedProductsAndServicesToPurchase=Predefined products/services to purchase -NotPredefinedProducts=Not predefined products/services -GenerateThumb=Generate thumb -ServiceNb=Service #%s -ListProductServiceByPopularity=List of products/services by popularity -ListProductByPopularity=List of products by popularity -ListServiceByPopularity=List of services by popularity -Finished=Manufactured product -RowMaterial=Raw Material -ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of the product/service -ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone linked tags/categories -CloneCompositionProduct=Clone virtual products/services -CloneCombinationsProduct=Clone the product variants -ProductIsUsed=This product is used -NewRefForClone=Ref. of new product/service -SellingPrices=Selling prices -BuyingPrices=Buying prices -CustomerPrices=Customer prices -SuppliersPrices=Vendor prices -SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) -CustomCode=Customs|Commodity|HS code -CountryOrigin=Country of origin -RegionStateOrigin=Region of origin -StateOrigin=State|Province of origin -Nature=Nature of product (raw/manufactured) -NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or manufactured product -ShortLabel=Short label +DeleteProductLine=Izbrišite liniju proizvoda +ConfirmDeleteProductLine=Jeste li sigurni da želite izbrisati ovu liniju proizvoda? +ProductSpecial=Poseban +QtyMin=Min. količina kupovine +PriceQtyMin=Cijena količina min. +PriceQtyMinCurrency=Cijena (valuta) za ovu količinu. +WithoutDiscount=Bez popusta +VATRateForSupplierProduct=Stopa PDV-a (za ovog prodavca/proizvod) +DiscountQtyMin=Popust za ovu količinu. +NoPriceDefinedForThisSupplier=Cena/količina nije definisana za ovog prodavca/proizvod +NoSupplierPriceDefinedForThisProduct=Za ovaj proizvod nije definirana cijena/količina dobavljača +PredefinedItem=Unaprijed definirana stavka +PredefinedProductsToSell=Unaprijed definirani proizvod +PredefinedServicesToSell=Unaprijed definirana usluga +PredefinedProductsAndServicesToSell=Unaprijed definirani proizvodi/usluge za prodaju +PredefinedProductsToPurchase=Unaprijed definirani proizvod za kupovinu +PredefinedServicesToPurchase=Unaprijed definisane usluge za kupovinu +PredefinedProductsAndServicesToPurchase=Unaprijed definirani proizvodi/usluge za kupovinu +NotPredefinedProducts=Nisu unaprijed definirani proizvodi/usluge +GenerateThumb=Generiraj palac +ServiceNb=Usluga #%s +ListProductServiceByPopularity=Lista proizvoda/usluga prema popularnosti +ListProductByPopularity=Lista proizvoda po popularnosti +ListServiceByPopularity=Lista usluga po popularnosti +Finished=Proizveden proizvod +RowMaterial=Sirovina +ConfirmCloneProduct=Jeste li sigurni da želite klonirati proizvod ili uslugu %s? +CloneContentProduct=Klonirajte sve glavne informacije o proizvodu/usluzi +ClonePricesProduct=Cijene klonova +CloneCategoriesProduct=Klonirajte povezane oznake/kategorije +CloneCompositionProduct=Klonirajte virtuelne proizvode/usluge +CloneCombinationsProduct=Klonirajte varijante proizvoda +ProductIsUsed=Ovaj proizvod se koristi +NewRefForClone=Ref. novog proizvoda/usluge +SellingPrices=Prodajne cijene +BuyingPrices=Otkupne cijene +CustomerPrices=Cijene kupaca +SuppliersPrices=Cijene dobavljača +SuppliersPricesOfProductsOrServices=Cijene dobavljača (proizvoda ili usluga) +CustomCode=Carina|Roba|HS šifra +CountryOrigin=Zemlja porijekla +RegionStateOrigin=Region porekla +StateOrigin=Država|Pokrajina porekla +Nature=Priroda proizvoda (sirov/proizveden) +NatureOfProductShort=Priroda proizvoda +NatureOfProductDesc=Sirovi materijal ili proizvedeni proizvod +ShortLabel=Kratka etiketa Unit=Jedinica p=u. set=set se=set -second=second +second=sekunda s=s -hour=hour +hour=sat h=h day=dan d=d @@ -192,222 +196,245 @@ kilogram=kilogram kg=Kg gram=gram g=g -meter=meter +meter=metar m=m lm=lm m2=m² m3=m³ -liter=liter +liter=litar l=L -unitP=Piece +unitP=Komad unitSET=Set unitS=Sekunda unitH=Sat unitD=Dan unitG=Gram unitM=Meter -unitLM=Linear meter -unitM2=Square meter -unitM3=Cubic meter -unitL=Liter -unitT=ton +unitLM=Linearni metar +unitM2=Kvadratnom metru +unitM3=Kubni metar +unitL=Litara +unitT=tona unitKG=kg unitG=Gram unitMG=mg -unitLB=pound -unitOZ=ounce +unitLB=funta +unitOZ=unca unitM=Meter unitDM=dm unitCM=cm unitMM=mm unitFT=ft unitIN=in -unitM2=Square meter +unitM2=Kvadratnom metru unitDM2=dm² unitCM2=cm² unitMM2=mm² unitFT2=ft² unitIN2=in² -unitM3=Cubic meter +unitM3=Kubni metar unitDM3=dm³ unitCM3=cm³ unitMM3=mm³ unitFT3=ft³ unitIN3=in³ -unitOZ3=ounce -unitgallon=gallon -ProductCodeModel=Product ref template -ServiceCodeModel=Service ref template -CurrentProductPrice=Current price -AlwaysUseNewPrice=Always use current price of product/service -AlwaysUseFixedPrice=Use the fixed price -PriceByQuantity=Different prices by quantity -DisablePriceByQty=Disable prices by quantity -PriceByQuantityRange=Quantity range -MultipriceRules=Automatic prices for segment -UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment -PercentVariationOver=%% variation over %s -PercentDiscountOver=%% discount over %s -KeepEmptyForAutoCalculation=Keep empty to have this calculated automatically from weight or volume of products -VariantRefExample=Examples: COL, SIZE -VariantLabelExample=Examples: Color, Size +unitOZ3=unca +unitgallon=galon +ProductCodeModel=Predložak ref proizvoda +ServiceCodeModel=Šablon ref usluge +CurrentProductPrice=Trenutna cijena +AlwaysUseNewPrice=Uvijek koristite trenutnu cijenu proizvoda/usluge +AlwaysUseFixedPrice=Koristite fiksnu cijenu +PriceByQuantity=Različite cijene po količini +DisablePriceByQty=Isključite cijene po količini +PriceByQuantityRange=Raspon količine +MultipriceRules=Automatske cijene za segment +UseMultipriceRules=Koristite pravila segmenta cijena (definirana u postavkama modula proizvoda) da automatski izračunate cijene svih ostalih segmenata prema prvom segmentu +PercentVariationOver=%% varijacija u odnosu na %s +PercentDiscountOver=%% popust na %s +KeepEmptyForAutoCalculation=Ostavite prazno da bi se ovo automatski izračunalo iz težine ili zapremine proizvoda +VariantRefExample=Primjeri: COL, SIZE +VariantLabelExample=Primjeri: Boja, Veličina ### composition fabrication -Build=Produce -ProductsMultiPrice=Products and prices for each price segment -ProductsOrServiceMultiPrice=Customer prices (of products or services, multi-prices) -ProductSellByQuarterHT=Products turnover quarterly before tax -ServiceSellByQuarterHT=Services turnover quarterly before tax -Quarter1=1st. Quarter -Quarter2=2nd. Quarter -Quarter3=3rd. Quarter -Quarter4=4th. Quarter -BarCodePrintsheet=Print barcode -PageToGenerateBarCodeSheets=With this tool, you can print sheets of barcode stickers. Choose format of your sticker page, type of barcode and value of barcode, then click on button %s. -NumberOfStickers=Number of stickers to print on page -PrintsheetForOneBarCode=Print several stickers for one barcode -BuildPageToPrint=Generate page to print -FillBarCodeTypeAndValueManually=Fill barcode type and value manually. -FillBarCodeTypeAndValueFromProduct=Fill barcode type and value from barcode of a product. -FillBarCodeTypeAndValueFromThirdParty=Fill barcode type and value from barcode of a third party. -DefinitionOfBarCodeForProductNotComplete=Definition of type or value of barcode not complete for product %s. -DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of barcode non complete for third party %s. -BarCodeDataForProduct=Barcode information of product %s: -BarCodeDataForThirdparty=Barcode information of third party %s: -ResetBarcodeForAllRecords=Define barcode value for all record (this will also reset barcode value already defined with new values) -PriceByCustomer=Different prices for each customer -PriceCatalogue=A single sell price per product/service -PricingRule=Rules for selling prices -AddCustomerPrice=Add price by customer -ForceUpdateChildPriceSoc=Set same price on customer's subsidiaries -PriceByCustomerLog=Log of previous customer prices -MinimumPriceLimit=Minimum price can't be lower then %s -MinimumRecommendedPrice=Minimum recommended price is: %s -PriceExpressionEditor=Price expression editor -PriceExpressionSelected=Selected price expression -PriceExpressionEditorHelp1="price = 2 + 2" or "2 + 2" for setting the price. Use ; to separate expressions -PriceExpressionEditorHelp2=You can access ExtraFields with variables like #extrafield_myextrafieldkey# and global variables with #global_mycode# -PriceExpressionEditorHelp3=In both product/service and vendor prices there are these variables available:
      #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# -PriceExpressionEditorHelp4=In product/service price only: #supplier_min_price#
      In vendor prices only: #supplier_quantity# and #supplier_tva_tx# -PriceExpressionEditorHelp5=Available global values: -PriceMode=Price mode +Build=Proizvesti +ProductsMultiPrice=Cijene proizvoda i za svaki segment cijena +ProductsOrServiceMultiPrice=Cijene kupaca (proizvoda ili usluga, višestruke cijene) +ProductSellByQuarterHT=Promet proizvoda tromjesečno prije oporezivanja +ServiceSellByQuarterHT=Promet usluga tromjesečno prije oporezivanja +Quarter1=1st. Kvart +Quarter2=2nd. Kvart +Quarter3=3rd. Kvart +Quarter4=4th. Kvart +BarCodePrintsheet=Štampajte bar kodove +PageToGenerateBarCodeSheets=Pomoću ovog alata možete ispisati listove naljepnica sa bar kodom. Odaberite format vaše naljepnice, vrstu barkoda i vrijednost barkoda, zatim kliknite na dugme %s. +NumberOfStickers=Broj naljepnica za štampanje na stranici +PrintsheetForOneBarCode=Odštampajte nekoliko naljepnica za jedan bar kod +BuildPageToPrint=Generirajte stranicu za štampanje +FillBarCodeTypeAndValueManually=Unesite vrijednost tipa barkoda i ručno. +FillBarCodeTypeAndValueFromProduct=Unesite vrijednost barkoda tipa i iz barkoda proizvoda. +FillBarCodeTypeAndValueFromThirdParty=Unesite vrijednost barkoda tipa i iz barkoda treće strane. +DefinitionOfBarCodeForProductNotComplete=Definicija tipa ili vrijednosti barkoda nije potpuna za proizvod %s. +DefinitionOfBarCodeForThirdpartyNotComplete=Definicija tipa ili vrijednosti barkoda nije potpuna za treću stranu %s. +BarCodeDataForProduct=Informacije o bar kodu proizvoda %s: +BarCodeDataForThirdparty=Informacije o bar kodu treće strane %s: +ResetBarcodeForAllRecords=Definirajte vrijednost barkoda za sve zapise (ovo će također resetirati vrijednost barkoda koja je već definirana novim vrijednostima) +PriceByCustomer=Različite cijene za svakog kupca +PriceCatalogue=Jedinstvena prodajna cijena po proizvodu/usluzi +PricingRule=Pravila za prodajne cijene +AddCustomerPrice=Dodajte cijenu po kupcu +ForceUpdateChildPriceSoc=Postavite istu cijenu za podružnice kupaca +PriceByCustomerLog=Dnevnik cijena prethodnih kupaca +MinimumPriceLimit=Minimalna cijena ne može biti niža od %s +MinimumRecommendedPrice=Minimalna preporučena cijena je: %s +PriceExpressionEditor=Urednik izraza cijene +PriceExpressionSelected=Odabrani izraz cijene +PriceExpressionEditorHelp1="cijena = 2 + 2" ili "2 + 2" za postavljanje cijene. Koristite ; da razdvoje izraze +PriceExpressionEditorHelp2=ExtraFields možete pristupiti s varijablama kao što je #extrafield_myextrafieldkey# b07ef8>b07e684 varijable sa #global_mycode# +PriceExpressionEditorHelp3=U obje cijene proizvoda/usluge i dostupne su ove varijable:
      span>#tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# +PriceExpressionEditorHelp4=Samo u cijeni proizvoda/usluge: #supplier_min_price#b0342fccfda19b samo prodajne cijene: #supplier_quantity# i #supplier_tva_tx#%s
      "? -ProductCombinationAlreadyUsed=There was an error while deleting the variant. Please check it is not being used in any object -ProductCombinations=Variants -PropagateVariant=Propagate variants -HideProductCombinations=Hide products variant in the products selector -ProductCombination=Variant -NewProductCombination=New variant -EditProductCombination=Editing variant -NewProductCombinations=New variants -EditProductCombinations=Editing variants -SelectCombination=Select combination -ProductCombinationGenerator=Variants generator -Features=Features -PriceImpact=Price impact -ImpactOnPriceLevel=Impact on price level %s -ApplyToAllPriceImpactLevel= Apply to all levels -ApplyToAllPriceImpactLevelHelp=By clicking here you set the same price impact on all levels -WeightImpact=Weight impact +Attributes=Atributi +VariantAttributes=Atributi varijante +ProductAttributes=Varijanta atributa za proizvode +ProductAttributeName=Atribut varijante %s +ProductAttribute=Atribut varijante +ProductAttributeDeleteDialog=Jeste li sigurni da želite izbrisati ovaj atribut? Sve vrijednosti će biti izbrisane +ProductAttributeValueDeleteDialog=Jeste li sigurni da želite izbrisati vrijednost "%s" sa referencom "%s" ovog atributa? +ProductCombinationDeleteDialog=Jeste li sigurni da želite izbrisati varijantu proizvoda "%s"? +ProductCombinationAlreadyUsed=Došlo je do greške prilikom brisanja varijante. Molimo provjerite da se ne koristi ni u jednom objektu +ProductCombinations=Varijante +PropagateVariant=Propagirajte varijante +HideProductCombinations=Sakrij varijantu proizvoda u biraču proizvoda +ProductCombination=Varijanta +NewProductCombination=Nova varijanta +EditProductCombination=Varijanta uređivanja +NewProductCombinations=Nove varijante +EditProductCombinations=Varijante uređivanja +SelectCombination=Odaberite kombinaciju +ProductCombinationGenerator=Varijante generatora +Features=Karakteristike +PriceImpact=Utjecaj na cijenu +ImpactOnPriceLevel=Utjecaj na nivo cijena %s +ApplyToAllPriceImpactLevel= Primijenite na sve nivoe +ApplyToAllPriceImpactLevelHelp=Klikom ovdje postavljate isti utjecaj cijene na svim nivoima +WeightImpact=Uticaj težine NewProductAttribute=Novi atribut -NewProductAttributeValue=New attribute value -ErrorCreatingProductAttributeValue=There was an error while creating the attribute value. It could be because there is already an existing value with that reference -ProductCombinationGeneratorWarning=If you continue, before generating new variants, all previous ones will be DELETED. Already existing ones will be updated with the new values -TooMuchCombinationsWarning=Generating lots of variants may result in high CPU, memory usage and Dolibarr not able to create them. Enabling the option "%s" may help reduce memory usage. -DoNotRemovePreviousCombinations=Do not remove previous variants -UsePercentageVariations=Use percentage variations -PercentageVariation=Percentage variation -ErrorDeletingGeneratedProducts=There was an error while trying to delete existing product variants -NbOfDifferentValues=No. of different values -NbProducts=Number of products -ParentProduct=Parent product -HideChildProducts=Hide variant products -ShowChildProducts=Show variant products -NoEditVariants=Go to Parent product card and edit variants price impact in the variants tab -ConfirmCloneProductCombinations=Would you like to copy all the product variants to the other parent product with the given reference? -CloneDestinationReference=Destination product reference -ErrorCopyProductCombinations=There was an error while copying the product variants -ErrorDestinationProductNotFound=Destination product not found -ErrorProductCombinationNotFound=Product variant not found -ActionAvailableOnVariantProductOnly=Action only available on the variant of product -ProductsPricePerCustomer=Product prices per customers -ProductSupplierExtraFields=Additional Attributes (Supplier Prices) -DeleteLinkedProduct=Delete the child product linked to the combination -AmountUsedToUpdateWAP=Amount to use to update the Weighted Average Price +NewProductAttributeValue=Nova vrijednost atributa +ErrorCreatingProductAttributeValue=Došlo je do greške prilikom kreiranja vrijednosti atributa. To može biti zato što već postoji postojeća vrijednost s tom referencom +ProductCombinationGeneratorWarning=Ako nastavite, prije generiranja novih varijanti, sve prethodne će biti IZBRISANE. Već postojeće će biti ažurirane novim vrijednostima +TooMuchCombinationsWarning=Generisanje puno varijanti može rezultirati visokim CPU-om, korištenjem memorije i Dolibarr ih ne može kreirati. Omogućavanje opcije "%s" može pomoći u smanjenju upotrebe memorije. +DoNotRemovePreviousCombinations=Nemojte uklanjati prethodne varijante +UsePercentageVariations=Koristite procentualne varijacije +PercentageVariation=Procentualna varijacija +ErrorDeletingGeneratedProducts=Došlo je do greške prilikom pokušaja brisanja postojećih varijanti proizvoda +NbOfDifferentValues=br. različitih vrijednosti +NbProducts=Broj proizvoda +ParentProduct=Matični proizvod +ParentProductOfVariant=Matični proizvod varijante +HideChildProducts=Sakrij varijante proizvoda +ShowChildProducts=Prikaži varijante proizvoda +NoEditVariants=Idite na karticu matičnog proizvoda i uredite utjecaj cijene varijanti na kartici varijante +ConfirmCloneProductCombinations=Želite li kopirati sve varijante proizvoda na drugi matični proizvod sa datom referencom? +CloneDestinationReference=Referenca odredišnog proizvoda +ErrorCopyProductCombinations=Došlo je do greške prilikom kopiranja varijanti proizvoda +ErrorDestinationProductNotFound=Odredišni proizvod nije pronađen +ErrorProductCombinationNotFound=Varijanta proizvoda nije pronađena +ActionAvailableOnVariantProductOnly=Akcija dostupna samo na varijanti proizvoda +ProductsPricePerCustomer=Cijene proizvoda po kupcima +ProductSupplierExtraFields=Dodatni atributi (cijene dobavljača) +DeleteLinkedProduct=Izbrišite dječji proizvod povezan s kombinacijom +AmountUsedToUpdateWAP=Jedinični iznos koji se koristi za ažuriranje ponderisane prosječne cijene PMPValue=Ponderirana/vagana aritmetička sredina - PAS PMPValueShort=PAS -mandatoryperiod=Mandatory periods -mandatoryPeriodNeedTobeSet=Note: Period (start and end date) must be defined -mandatoryPeriodNeedTobeSetMsgValidate=A service requires a start and end period -mandatoryHelper=Check this if you want a message to the user when creating / validating an invoice, commercial proposal, sales order without entering a start and end date on lines with this service.
      Note that the message is a warning and not a blocking error. +mandatoryperiod=Obavezni periodi +mandatoryPeriodNeedTobeSet=Napomena: Period (početni i datum završetka) mora biti definiran +mandatoryPeriodNeedTobeSetMsgValidate=Usluga zahtijeva početni i period +mandatoryHelper=Označite ovo ako želite poruku korisniku prilikom kreiranja/potvrđivanja fakture, komercijalne ponude, prodajnog naloga bez unosa početnog i datuma završetka na linijama s ovom uslugom.
      Napominjemo da je poruka upozorenje i, a ne greška blokiranja. DefaultBOM=Default BOM -DefaultBOMDesc=The default BOM recommended to use to manufacture this product. This field can be set only if nature of product is '%s'. -Rank=Rank -SwitchOnSaleStatus=Switch on sale status -SwitchOnPurchaseStatus=Switch on purchase status -StockMouvementExtraFields= Extra Fields (stock mouvement) +DefaultBOMDesc=Zadani BOM koji se preporučuje za proizvodnju ovog proizvoda. Ovo polje se može postaviti samo ako je priroda proizvoda '%s'. +Rank=Rang +MergeOriginProduct=Duplikat proizvoda (proizvod koji želite da izbrišete) +MergeProducts=Spojite proizvode +ConfirmMergeProducts=Jeste li sigurni da želite spojiti odabrani proizvod sa trenutnim? Svi povezani objekti (fakture, narudžbe,...) bit će premješteni na trenutni proizvod, nakon čega će odabrani proizvod biti obrisan. +ProductsMergeSuccess=Proizvodi su spojeni +ErrorsProductsMerge=Greške u proizvodima se spajaju +SwitchOnSaleStatus=Uključite status prodaje +SwitchOnPurchaseStatus=Uključite status kupovine +UpdatePrice=Povećanje/smanjenje cijene kupaca +StockMouvementExtraFields= Dodatna polja (kretanje dionica) +InventoryExtraFields= Dodatna polja (inventar) +ScanOrTypeOrCopyPasteYourBarCodes=Skenirajte ili otkucajte ili kopirajte/zalijepite svoje bar kodove +PuttingPricesUpToDate=Ažurirajte cijene sa trenutno poznatim cijenama +PuttingDescUpToDate=Ažurirajte opise trenutnim poznatim opisima +PMPExpected=Očekivani PMP +ExpectedValuation=Očekivana procjena +PMPReal=Pravi PMP +RealValuation=Real Valuation +ConfirmEditExtrafield = Odaberite ekstrapolje koje želite izmijeniti +ConfirmEditExtrafieldQuestion = Jeste li sigurni da želite izmijeniti ovo ekstrapolje? +ModifyValueExtrafields = Izmijenite vrijednost ekstrapolja +OrProductsWithCategories=Ili proizvodi sa oznakama/kategorijama +WarningTransferBatchStockMouvToGlobal = Ako želite deserijalizirati ovaj proizvod, sva njegova serijalizirana zaliha će biti transformirana u globalnu zalihu +WarningConvertFromBatchToSerial=Ako trenutno imate količinu veću ili jednaku 2 za proizvod, prelazak na ovaj izbor znači da ćete i dalje imati proizvod s različitim objektima iste serije (dok želite jedinstveni serijski broj). Duplikat će ostati dok se ne izvrši inventar ili ručno kretanje zaliha da se to popravi. +ConfirmSetToDraftInventory=Jeste li sigurni da se želite vratiti na status Nacrta?
      Količine koje su trenutno postavljene u inventaru će biti resetirane. diff --git a/htdocs/langs/bs_BA/projects.lang b/htdocs/langs/bs_BA/projects.lang index 202506d0118..d25962aeb7a 100644 --- a/htdocs/langs/bs_BA/projects.lang +++ b/htdocs/langs/bs_BA/projects.lang @@ -6,23 +6,24 @@ ProjectLabel=Oznaka projekta ProjectsArea=Područje projekta ProjectStatus=Status projekta SharedProject=Zajednički projekti -PrivateProject=Assigned contacts -ProjectsImContactFor=Projects for which I am explicitly a contact +PrivateProject=Dodijeljeni kontakti +ProjectsImContactFor=Projekti za koje sam eksplicitno kontakt AllAllowedProjects=Svi projekti koje mogu gledati (moji + javni) AllProjects=Svi projekti -MyProjectsDesc=This view is limited to the projects that you are a contact for +MyProjectsDesc=Ovaj prikaz je ograničen na projekte za koje ste kontakt ProjectsPublicDesc=Ovaj pregled predstavlja sve projekte koje možete čitati. -TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. +TasksOnProjectsPublicDesc=Ovaj prikaz predstavlja sve zadatke na projektima koje vam je dozvoljeno čitati. ProjectsPublicTaskDesc=Ovaj pregled predstavlja sve projekte ili zadatke koje možete čitati. ProjectsDesc=Ovaj pregled predstavlja sve projekte (postavke vaših korisničkih dozvola vam omogućavaju da vidite sve). -TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to the projects or tasks that you are a contact for -OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). -ClosedProjectsAreHidden=Closed projects are not visible. +TasksOnProjectsDesc=Ovaj prikaz predstavlja sve zadatke na svim projektima (vaše korisničke dozvole vam daju dozvolu da vidite sve). +MyTasksDesc=Ovaj prikaz je ograničen na projekte ili zadatke za koje ste kontakt +OnlyOpenedProject=Vidljivi su samo otvoreni projekti (projekti u nacrtu ili zatvorenom statusu nisu vidljivi). +ClosedProjectsAreHidden=Zatvoreni projekti nisu vidljivi. TasksPublicDesc=Ovaj pregled predstavlja sve projekte ili zadatke koje možete čitati. TasksDesc=Ovaj pregled predstavlja sve projekte i zadatke (postavke vaših korisničkih dozvola vam omogućavaju da vidite sve). -AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. +AllTaskVisibleButEditIfYouAreAssigned=Svi zadaci za kvalificirane projekte su vidljivi, ali možete unijeti vrijeme samo za zadatak koji je dodijeljen odabranom korisniku. Dodijelite zadatak ako trebate unijeti vrijeme na njemu. +OnlyYourTaskAreVisible=Vidljivi su samo zadaci koji su vam dodijeljeni. Ako trebate unijeti vrijeme za zadatak i ako zadatak nije vidljiv ovdje, tada morate sebi dodijeliti zadatak. +ImportDatasetProjects=Projekti ili mogućnosti ImportDatasetTasks=Zadaci projekata ProjectCategories=Projekt oznake/kategorije NewProject=Novi projekat @@ -30,267 +31,274 @@ AddProject=Napravi projekat DeleteAProject=Obisati projekat DeleteATask=Obrisati zadatak ConfirmDeleteAProject=Jeste li sigurni da želite obrisati ovaj projekat? -ConfirmDeleteATask=Are you sure you want to delete this task? -OpenedProjects=Open projects -OpenedTasks=Open tasks -OpportunitiesStatusForOpenedProjects=Leads amount of open projects by status -OpportunitiesStatusForProjects=Leads amount of projects by status +ConfirmDeleteATask=Jeste li sigurni da želite izbrisati ovaj zadatak? +OpenedProjects=Otvoreni projekti +OpenedProjectsOpportunities=Otvorene mogućnosti +OpenedTasks=Otvoreni zadaci +OpportunitiesStatusForOpenedProjects=Vodi broj otvorenih projekata po statusu +OpportunitiesStatusForProjects=Vodi broj projekata po statusu ShowProject=Prikaži projekt ShowTask=Show task +SetThirdParty=Postavite treće strane SetProject=Postavi projekat +OutOfProject=Van projekta NoProject=Nema definisanog ili vlastitog projekta -NbOfProjects=Number of projects -NbOfTasks=Number of tasks +NbOfProjects=Broj projekata +NbOfTasks=Broj zadataka +TimeEntry=Praćenje vremena TimeSpent=Vrijeme provedeno -TimeSpentByYou=Time spent by you -TimeSpentByUser=Time spent by user -TimesSpent=Vrijeme provedeno -TaskId=Task ID -RefTask=Task ref. -LabelTask=Task label -TaskTimeSpent=Time spent on tasks +TimeSpentSmall=Vrijeme provedeno +TimeSpentByYou=Vrijeme koje ste proveli +TimeSpentByUser=Vrijeme provedeno od strane korisnika +TaskId=ID zadatka +RefTask=Zadatak ref. +LabelTask=Oznaka zadatka +TaskTimeSpent=Vrijeme utrošeno na zadatke TaskTimeUser=Korisnik TaskTimeNote=Napomena TaskTimeDate=Date -TasksOnOpenedProject=Tasks on open projects -WorkloadNotDefined=Workload not defined +TasksOnOpenedProject=Zadaci na otvorenim projektima +WorkloadNotDefined=Radno opterećenje nije definisano NewTimeSpent=Vrijeme provedeno MyTimeSpent=Moje provedeno vrijeme -BillTime=Bill the time spent +BillTime=Naplatite utrošeno vrijeme BillTimeShort=Bill time -TimeToBill=Time not billed -TimeBilled=Time billed +TimeToBill=Vrijeme nije naplaćeno +TimeBilled=Vrijeme naplaćeno Tasks=Zadaci Task=Zadatak -TaskDateStart=Task start date -TaskDateEnd=Task end date -TaskDescription=Task description +TaskDateStart=Datum početka zadatka +TaskDateEnd=Datum završetka zadatka +TaskDescription=Opis zadatka NewTask=Novi zadatak -AddTask=Create task -AddTimeSpent=Create time spent -AddHereTimeSpentForDay=Add here time spent for this day/task -AddHereTimeSpentForWeek=Add here time spent for this week/task +AddTask=Kreirajte zadatak +AddTimeSpent=Kreirajte provedeno vrijeme +AddHereTimeSpentForDay=Ovdje dodajte vrijeme provedeno za ovaj dan/zadatak +AddHereTimeSpentForWeek=Ovdje dodajte vrijeme provedeno za ovu sedmicu/zadatak Activity=Aktivnost Activities=Zadaci/aktivnosti MyActivities=Moji zadaci/aktivnosti MyProjects=Moji projekti -MyProjectsArea=My projects Area +MyProjectsArea=Moji projekti Područje DurationEffective=Efektivno trajanje -ProgressDeclared=Declared real progress -TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently open tasks -TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption -ProgressCalculated=Progress on consumption -WhichIamLinkedTo=which I'm linked to -WhichIamLinkedToProject=which I'm linked to project +ProgressDeclared=Proglašeni pravi napredak +TaskProgressSummary=Napredak zadatka +CurentlyOpenedTasks=Trenutno otvoreni zadaci +TheReportedProgressIsLessThanTheCalculatedProgressionByX=Deklarisani stvarni napredak je manji %s od napretka u potrošnji +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Deklarisani stvarni napredak je više %s nego napredak u potrošnji +ProgressCalculated=Napredak u potrošnji +WhichIamLinkedTo=sa kojim sam povezan +WhichIamLinkedToProject=koji sam povezan sa projektom Time=Vrijeme -TimeConsumed=Consumed -ListOfTasks=List of tasks -GoToListOfTimeConsumed=Go to list of time consumed +TimeConsumed=Potrošeno +ListOfTasks=Lista zadataka +GoToListOfTimeConsumed=Idite na listu utrošenog vremena GanttView=Gantt View -ListWarehouseAssociatedProject=List of warehouses associated to the project -ListProposalsAssociatedProject=List of the commercial proposals related to the project -ListOrdersAssociatedProject=List of sales orders related to the project -ListInvoicesAssociatedProject=List of customer invoices related to the project -ListPredefinedInvoicesAssociatedProject=List of customer template invoices related to the project -ListSupplierOrdersAssociatedProject=List of purchase orders related to the project -ListSupplierInvoicesAssociatedProject=List of vendor invoices related to the project -ListContractAssociatedProject=List of contracts related to the project -ListShippingAssociatedProject=List of shippings related to the project -ListFichinterAssociatedProject=List of interventions related to the project -ListExpenseReportsAssociatedProject=List of expense reports related to the project -ListDonationsAssociatedProject=List of donations related to the project -ListVariousPaymentsAssociatedProject=List of miscellaneous payments related to the project -ListSalariesAssociatedProject=List of payments of salaries related to the project -ListActionsAssociatedProject=List of events related to the project -ListMOAssociatedProject=List of manufacturing orders related to the project -ListTaskTimeUserProject=List of time consumed on tasks of project -ListTaskTimeForTask=List of time consumed on task -ActivityOnProjectToday=Activity on project today -ActivityOnProjectYesterday=Activity on project yesterday +ListWarehouseAssociatedProject=Spisak skladišta povezanih sa projektom +ListProposalsAssociatedProject=Spisak komercijalnih predloga vezanih za projekat +ListOrdersAssociatedProject=Lista prodajnih naloga vezanih za projekat +ListInvoicesAssociatedProject=Spisak faktura kupaca u vezi sa projektom +ListPredefinedInvoicesAssociatedProject=Lista predložaka faktura kupaca u vezi sa projektom +ListSupplierOrdersAssociatedProject=Spisak narudžbi u vezi sa projektom +ListSupplierInvoicesAssociatedProject=Spisak faktura dobavljača u vezi sa projektom +ListContractAssociatedProject=Spisak ugovora vezanih za projekat +ListShippingAssociatedProject=Spisak isporuka vezanih za projekat +ListFichinterAssociatedProject=Spisak intervencija u vezi sa projektom +ListExpenseReportsAssociatedProject=Spisak izveštaja o troškovima koji se odnose na projekat +ListDonationsAssociatedProject=Spisak donacija vezanih za projekat +ListVariousPaymentsAssociatedProject=Spisak raznih plaćanja vezanih za projekat +ListSalariesAssociatedProject=Spisak isplata plata u vezi sa projektom +ListActionsAssociatedProject=Spisak događaja vezanih za projekat +ListMOAssociatedProject=Spisak proizvodnih narudžbi u vezi sa projektom +ListTaskTimeUserProject=Spisak vremena utrošenog na zadatke projekta +ListTaskTimeForTask=Spisak vremena utrošenog na zadatak +ActivityOnProjectToday=Aktivnost na projektu danas +ActivityOnProjectYesterday=Jučerašnja aktivnost na projektu ActivityOnProjectThisWeek=Aktivnost na projektu ove sedmice ActivityOnProjectThisMonth=Aktivnost na projektu ovog mjeseca ActivityOnProjectThisYear=Aktivnost na projektu ove godine ChildOfProjectTask=Dijete projekta/zadatka -ChildOfTask=Child of task -TaskHasChild=Task has child +ChildOfTask=Dijete zadatka +TaskHasChild=Zadatak ima dijete NotOwnerOfProject=Niste vlasnik ovog privatnog projekta AffectedTo=Dodijeljeno -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=Potvrdi projekat -ConfirmValidateProject=Are you sure you want to validate this project? +CantRemoveProject=Ovaj projekat se ne može ukloniti jer ga referenciraju neki drugi objekti (faktura, narudžbe ili drugo). Pogledajte karticu '%s'. +ValidateProject=Validacija projekta +ConfirmValidateProject=Jeste li sigurni da želite potvrditi ovaj projekat? CloseAProject=Zatvori projekta -ConfirmCloseAProject=Are you sure you want to close this project? -AlsoCloseAProject=Also close project (keep it open if you still need to follow production tasks on it) +ConfirmCloseAProject=Jeste li sigurni da želite zatvoriti ovaj projekat? +AlsoCloseAProject=Takođe zatvorite projekat +AlsoCloseAProjectTooltip=Držite ga otvorenim ako i dalje trebate pratiti proizvodne zadatke na njemu ReOpenAProject=Otvori projekat -ConfirmReOpenAProject=Are you sure you want to re-open this project? +ConfirmReOpenAProject=Jeste li sigurni da želite ponovo otvoriti ovaj projekat? ProjectContact=Kontakti za projekte -TaskContact=Task contacts +TaskContact=Kontakti za zadatak ActionsOnProject=Događaji na projektu YouAreNotContactOfProject=Vi niste kontakt ovog privatnog projekta -UserIsNotContactOfProject=User is not a contact of this private project +UserIsNotContactOfProject=Korisnik nije kontakt ovog privatnog projekta DeleteATimeSpent=Brisanje provedenog vremena -ConfirmDeleteATimeSpent=Are you sure you want to delete this time spent? -DoNotShowMyTasksOnly=See also tasks not assigned to me -ShowMyTasksOnly=View only tasks assigned to me -TaskRessourceLinks=Contacts of task +ConfirmDeleteATimeSpent=Jeste li sigurni da želite izbrisati ovo provedeno vrijeme? +DoNotShowMyTasksOnly=Vidite i zadatke koji mi nisu dodijeljeni +ShowMyTasksOnly=Prikaži samo zadatke koji su mi dodijeljeni +TaskRessourceLinks=Kontakti zadatka ProjectsDedicatedToThisThirdParty=Projekti posvećeni ovom subjektu NoTasks=Nema zadataka za ovaj projekat LinkedToAnotherCompany=U vezi sa drugim subjektom -TaskIsNotAssignedToUser=Task not assigned to user. Use button '%s' to assign task now. +TaskIsNotAssignedToUser=Zadatak nije dodijeljen korisniku. Koristite dugme '%s' da odmah dodelite zadatak. ErrorTimeSpentIsEmpty=Vrijeme provedeno je prazno -TimeRecordingRestrictedToNMonthsBack=Time recording is restricted to %s months back +TimeRecordingRestrictedToNMonthsBack=Snimanje vremena je ograničeno na %s mjeseci unazad ThisWillAlsoRemoveTasks=Ova akcija će također izbrisati sve zadatke projekta (%s zadataka u ovom trenutku) i sve unose provedenog vremena. IfNeedToUseOtherObjectKeepEmpty=Ako neki objekti (faktura, narudžbe, ...), pripadaju drugom subjektu, mora biti u vezi sa projektom za kreiranje, ostavite ovo prazno da bi imali projekat što više subjekata. CloneTasks=Kloniraj zadatke CloneContacts=Kloniraj kontakte CloneNotes=Kloniraj zabilješke -CloneProjectFiles=Clone project joined files -CloneTaskFiles=Clone task(s) joined files (if task(s) cloned) -CloneMoveDate=Update project/tasks dates from now? -ConfirmCloneProject=Are you sure to clone this project? -ProjectReportDate=Change task dates according to new project start date -ErrorShiftTaskDate=Impossible to shift task date according to new project start date -ProjectsAndTasksLines=Projects and tasks -ProjectCreatedInDolibarr=Project %s created -ProjectValidatedInDolibarr=Project %s validated -ProjectModifiedInDolibarr=Project %s modified -TaskCreatedInDolibarr=Task %s created -TaskModifiedInDolibarr=Task %s modified -TaskDeletedInDolibarr=Task %s deleted -OpportunityStatus=Lead status -OpportunityStatusShort=Lead status -OpportunityProbability=Lead probability -OpportunityProbabilityShort=Lead probab. -OpportunityAmount=Lead amount -OpportunityAmountShort=Lead amount -OpportunityWeightedAmount=Opportunity weighted amount -OpportunityWeightedAmountShort=Opp. weighted amount -OpportunityAmountAverageShort=Average lead amount -OpportunityAmountWeigthedShort=Weighted lead amount -WonLostExcluded=Won/Lost excluded +CloneProjectFiles=Kloniraj spojene datoteke projekta +CloneTaskFiles=Kloniranje zadatka(e) spojenih fajlova (ako su zadaci klonirani) +CloneMoveDate=Ažurirati datume projekta/zadataka od sada? +ConfirmCloneProject=Jeste li sigurni da klonirate ovaj projekat? +ProjectReportDate=Promijenite datume zadataka prema novom datumu početka projekta +ErrorShiftTaskDate=Nemoguće je pomjeriti datum zadatka prema novom datumu početka projekta +ProjectsAndTasksLines=Projekti i zadaci +ProjectCreatedInDolibarr=Projekt %s kreiran +ProjectValidatedInDolibarr=Projekt %s validiran +ProjectModifiedInDolibarr=Projekt %s izmijenjen +TaskCreatedInDolibarr=Zadatak %s kreiran +TaskModifiedInDolibarr=Zadatak %s izmijenjen +TaskDeletedInDolibarr=Zadatak %s izbrisan +OpportunityStatus=Vodeći status +OpportunityStatusShort=Vodeći status +OpportunityProbability=Verovatnoća olova +OpportunityProbabilityShort=Vodi vjerovatno. +OpportunityAmount=Količina olova +OpportunityAmountShort=Količina olova +OpportunityWeightedAmount=Količina mogućnosti, ponderisana vjerovatnoćom +OpportunityWeightedAmountShort=Opp. ponderisani iznos +OpportunityAmountAverageShort=Prosječna količina olova +OpportunityAmountWeigthedShort=Ponderisani iznos olova +WonLostExcluded=Dobijeni/izgubljeni isključeni ##### Types de contacts ##### -TypeContact_project_internal_PROJECTLEADER=Project leader -TypeContact_project_external_PROJECTLEADER=Project leader -TypeContact_project_internal_PROJECTCONTRIBUTOR=Contributor -TypeContact_project_external_PROJECTCONTRIBUTOR=Contributor -TypeContact_project_task_internal_TASKEXECUTIVE=Task executive -TypeContact_project_task_external_TASKEXECUTIVE=Task executive -TypeContact_project_task_internal_TASKCONTRIBUTOR=Contributor -TypeContact_project_task_external_TASKCONTRIBUTOR=Contributor -SelectElement=Select element -AddElement=Link to element +TypeContact_project_internal_PROJECTLEADER=Vođa projekta +TypeContact_project_external_PROJECTLEADER=Vođa projekta +TypeContact_project_internal_PROJECTCONTRIBUTOR=Saradnik +TypeContact_project_external_PROJECTCONTRIBUTOR=Saradnik +TypeContact_project_task_internal_TASKEXECUTIVE=Izvršni zadatak +TypeContact_project_task_external_TASKEXECUTIVE=Izvršni zadatak +TypeContact_project_task_internal_TASKCONTRIBUTOR=Saradnik +TypeContact_project_task_external_TASKCONTRIBUTOR=Saradnik +SelectElement=Odaberite element +AddElement=Veza do elementa LinkToElementShort=Link ka # Documents models -DocumentModelBeluga=Project document template for linked objects overview -DocumentModelBaleine=Project document template for tasks -DocumentModelTimeSpent=Project report template for time spent -PlannedWorkload=Planned workload -PlannedWorkloadShort=Workload +DocumentModelBeluga=Predložak dokumenta projekta za pregled povezanih objekata +DocumentModelBaleine=Predložak projektnog dokumenta za zadatke +DocumentModelTimeSpent=Predložak izvještaja o projektu za utrošeno vrijeme +PlannedWorkload=Planirano radno opterećenje +PlannedWorkloadShort=Opterećenje posla ProjectReferers=Povezane stavke -ProjectMustBeValidatedFirst=Project must be validated first -MustBeValidatedToBeSigned=%s must be validated first to be set to Signed. -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time -InputPerDay=Input per day -InputPerWeek=Input per week -InputPerMonth=Input per month -InputDetail=Input detail -TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s -ProjectsWithThisUserAsContact=Projects with this user as contact -ProjectsWithThisContact=Projects with this contact -TasksWithThisUserAsContact=Tasks assigned to this user -ResourceNotAssignedToProject=Not assigned to project -ResourceNotAssignedToTheTask=Not assigned to the task -NoUserAssignedToTheProject=No users assigned to this project -TimeSpentBy=Time spent by -TasksAssignedTo=Tasks assigned to -AssignTaskToMe=Assign task to myself -AssignTaskToUser=Assign task to %s -SelectTaskToAssign=Select task to assign... -AssignTask=Assign -ProjectOverview=Overview -ManageTasks=Use projects to follow tasks and/or report time spent (timesheets) -ManageOpportunitiesStatus=Use projects to follow leads/opportinuties -ProjectNbProjectByMonth=No. of created projects by month -ProjectNbTaskByMonth=No. of created tasks by month -ProjectOppAmountOfProjectsByMonth=Amount of leads by month -ProjectWeightedOppAmountOfProjectsByMonth=Weighted amount of leads by month -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads -TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. -IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX -OpenedProjectsByThirdparties=Open projects by third parties -OnlyOpportunitiesShort=Only leads -OpenedOpportunitiesShort=Open leads -NotOpenedOpportunitiesShort=Not an open lead -NotAnOpportunityShort=Not a lead -OpportunityTotalAmount=Total amount of leads -OpportunityPonderatedAmount=Weighted amount of leads -OpportunityPonderatedAmountDesc=Leads amount weighted with probability -OppStatusPROSP=Prospection -OppStatusQUAL=Qualification +ProjectMustBeValidatedFirst=Projekat se prvo mora validirati +MustBeValidatedToBeSigned=%s mora prvo biti potvrđen da bi se postavio na Potpisano. +FirstAddRessourceToAllocateTime=Dodijelite korisnički resurs kao kontakt projekta za dodjelu vremena +InputPerDay=Unos po danu +InputPerWeek=Unos sedmično +InputPerMonth=Unos po mjesecu +InputDetail=Detalji unosa +TimeAlreadyRecorded=Ovo je vrijeme provedeno već zabilježeno za ovaj zadatak/dan i korisnik %s +ProjectsWithThisUserAsContact=Projekti sa ovim korisnikom kao kontaktom +ProjectsWithThisContact=Projekti s ovim kontaktom treće strane +TasksWithThisUserAsContact=Zadaci dodijeljeni ovom korisniku +ResourceNotAssignedToProject=Nije dodijeljen projektu +ResourceNotAssignedToTheTask=Nije dodijeljen zadatku +NoUserAssignedToTheProject=Nijedan korisnik nije dodijeljen ovom projektu +TimeSpentBy=Vrijeme provedeno od strane +TasksAssignedTo=Dodijeljeni zadaci +AssignTaskToMe=Dodijeli zadatak sebi +AssignTaskToUser=Dodijelite zadatak %s +SelectTaskToAssign=Odaberite zadatak koji želite dodijeliti... +AssignTask=Dodijeli +ProjectOverview=Pregled +ManageTasks=Koristite projekte za praćenje zadataka i/ili izvještaj o utrošenom vremenu (vremenski listovi) +ManageOpportunitiesStatus=Koristite projekte da biste pratili tragove/prilike +ProjectNbProjectByMonth=Broj kreiranih projekata po mjesecima +ProjectNbTaskByMonth=Broj kreiranih zadataka po mjesecima +ProjectOppAmountOfProjectsByMonth=Količina potencijalnih kupaca po mjesecima +ProjectWeightedOppAmountOfProjectsByMonth=Ponderisani iznos potencijalnih klijenata po mjesecima +ProjectOpenedProjectByOppStatus=Otvoreni projekat|vodeći status vodećeg +ProjectsStatistics=Statistika o projektima ili vodovima +TasksStatistics=Statistika o zadacima projekata ili voditelja +TaskAssignedToEnterTime=Zadatak je dodijeljen. Unošenje vremena na ovom zadatku bi trebalo biti moguće. +IdTaskTime=Id vrijeme zadatka +YouCanCompleteRef=Ako želite da upotpunite ref nekim sufiksom, preporučuje se da dodate znak - da ga odvojite, tako da će automatsko numeriranje i dalje ispravno raditi za sljedeće projekte. Na primjer %s-MYSUFFIX +OpenedProjectsByThirdparties=Otvoreni projekti trećih strana +OnlyOpportunitiesShort=Samo vodi +OpenedOpportunitiesShort=Otvoreni kontakti +NotOpenedOpportunitiesShort=Nije otvoren trag +NotAnOpportunityShort=Ne trag +OpportunityTotalAmount=Ukupan iznos potencijalnih kupaca +OpportunityPonderatedAmount=Ponderisana količina potencijalnih kupaca +OpportunityPonderatedAmountDesc=Iznos potencijalnih klijenata ponderisan vjerovatnoćom +OppStatusPROSP=Prospekcija +OppStatusQUAL=Kvalifikacije OppStatusPROPO=Prijedlog -OppStatusNEGO=Negociation +OppStatusNEGO=Negotiation OppStatusPENDING=Čekanje -OppStatusWON=Won -OppStatusLOST=Lost -Budget=Budget -AllowToLinkFromOtherCompany=Allow to link project from other company

      Supported values:
      - Keep empty: Can link any project of the company (default)
      - "all": Can link any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
      -LatestProjects=Latest %s projects -LatestModifiedProjects=Latest %s modified projects -OtherFilteredTasks=Other filtered tasks -NoAssignedTasks=No assigned tasks found (assign project/tasks to the current user from the top select box to enter time on it) -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ChooseANotYetAssignedTask=Choose a task not yet assigned to you +OppStatusWON=Pobijedio +OppStatusLOST=Izgubljena +Budget=Budžet +AllowToLinkFromOtherCompany=Dozvolite povezivanje elementa s projektom druge kompanije

      Podržane vrijednosti:
      - Ostavite prazno: može povezati elemente sa bilo kojim projektom u istoj kompaniji (podrazumevano)
      - "sve": može povezati elemente sa bilo kojim projektima, čak i projektima drugih kompanija
      - Lista ID-ova trećih strana odvojenih zarezima : može povezati elemente sa bilo kojim projektima ovih trećih strana (Primjer: 123,4795,53)
      +LatestProjects=Najnoviji %s projekti +LatestModifiedProjects=Najnoviji %s izmijenjeni projekti +OtherFilteredTasks=Ostali filtrirani zadaci +NoAssignedTasks=Nisu pronađeni dodijeljeni zadaci (dodijelite projekat/zadatke trenutnom korisniku iz gornjeg okvira za odabir da unesete vrijeme na njemu) +ThirdPartyRequiredToGenerateInvoice=Treća strana mora biti definirana na projektu da bi se mogla fakturisati. +ThirdPartyRequiredToGenerateInvoice=Treća strana mora biti definirana na projektu da bi se mogla fakturisati. +ChooseANotYetAssignedTask=Odaberite zadatak koji vam još nije dodijeljen # Comments trans -AllowCommentOnTask=Allow user comments on tasks -AllowCommentOnProject=Allow user comments on projects -DontHavePermissionForCloseProject=You do not have permissions to close the project %s -DontHaveTheValidateStatus=The project %s must be open to be closed -RecordsClosed=%s project(s) closed -SendProjectRef=Information project %s -ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized -NewTaskRefSuggested=Task ref already used, a new task ref is required -TimeSpentInvoiced=Time spent billed +AllowCommentOnTask=Dozvolite komentare korisnika na zadatke +AllowCommentOnProject=Dozvolite komentare korisnika o projektima +DontHavePermissionForCloseProject=Nemate dozvole za zatvaranje projekta %s +DontHaveTheValidateStatus=Projekat %s mora biti otvoren da bi bio zatvoren +RecordsClosed=%s projekat(i) zatvoren +SendProjectRef=Informativni projekat %s +ModuleSalaryToDefineHourlyRateMustBeEnabled=Modul 'Plate' mora biti omogućen za definiranje satnice zaposlenika kako bi se vrijeme provedeno valorizovalo +NewTaskRefSuggested=Ref zadatka je već korišten, potrebna je nova referenca zadatka +NumberOfTasksCloned=%s zadatak(i) klonirani +TimeSpentInvoiced=Naplaćeno vrijeme provedeno TimeSpentForIntervention=Vrijeme provedeno TimeSpentForInvoice=Vrijeme provedeno -OneLinePerUser=One line per user -ServiceToUseOnLines=Service to use on lines -InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. -ProjectFollowOpportunity=Follow opportunity -ProjectFollowTasks=Follow tasks or time spent -Usage=Usage -UsageOpportunity=Usage: Opportunity -UsageTasks=Usage: Tasks -UsageBillTimeShort=Usage: Bill time -InvoiceToUse=Draft invoice to use -InterToUse=Draft intervention to use +OneLinePerUser=Jedna linija po korisniku +ServiceToUseOnLines=Usluga za korištenje na linijama prema zadanim postavkama +InvoiceGeneratedFromTimeSpent=Faktura %s je generirana iz vremena provedenog na projektu +InterventionGeneratedFromTimeSpent=Intervencija %s je generirana iz vremena provedenog na projektu +ProjectBillTimeDescription=Provjerite da li unosite satnicu za zadatke projekta i planirate generirati račun(e) iz radnog lista za naplatu kupcu projekta (nemojte provjeravati da li planirate kreirati fakturu koji se ne zasniva na unesenim satnicama). Napomena: Da biste generirali fakturu, idite na karticu 'Potrošeno vrijeme' projekta i odaberite redove koje želite uključiti. +ProjectFollowOpportunity=Pratite priliku +ProjectFollowTasks=Pratite zadatke ili utrošeno vrijeme +Usage=Upotreba +UsageOpportunity=Upotreba: Prilika +UsageTasks=Upotreba: Zadaci +UsageBillTimeShort=Upotreba: Vrijeme računa +InvoiceToUse=Nacrt fakture za korištenje +InterToUse=Nacrt intervencije za korištenje NewInvoice=Nova faktura NewInter=Nova intervencija -OneLinePerTask=One line per task -OneLinePerPeriod=One line per period -OneLinePerTimeSpentLine=One line for each time spent declaration -AddDetailDateAndDuration=With date and duration into line description -RefTaskParent=Ref. Parent Task -ProfitIsCalculatedWith=Profit is calculated using -AddPersonToTask=Add also to tasks -UsageOrganizeEvent=Usage: Event Organization -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks at 100 %% progress won't be affected: you will have to close them manually. This option only affects open projects. -SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them -ProjectTasksWithoutTimeSpent=Project tasks without time spent -FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. -ProjectsHavingThisContact=Projects having this contact +OneLinePerTask=Jedan red po zadatku +OneLinePerPeriod=Jedan red po periodu +OneLinePerTimeSpentLine=Jedan red za svaku deklaraciju o utrošenom vremenu +AddDetailDateAndDuration=Sa trajanjem i u opis reda +RefTaskParent=Ref. Zadatak roditelja +ProfitIsCalculatedWith=Dobit se izračunava pomoću +AddPersonToTask=Dodajte i zadacima +UsageOrganizeEvent=Upotreba: Organizacija događaja +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Klasifikujte projekat kao zatvoren kada su svi njegovi zadaci završeni (100%% napredak) +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Napomena: to neće uticati na postojeće projekte sa svim zadacima koji su već postavljeni na napredak od 100%%: morat ćete ih zatvoriti ručno. Ova opcija utiče samo na otvorene projekte. +SelectLinesOfTimeSpentToInvoice=Odaberite linije provedenog vremena koje nisu naplaćene, a zatim grupnu radnju "Generiraj fakturu" da im naplatite +ProjectTasksWithoutTimeSpent=Projektni zadaci bez utrošenog vremena +FormForNewLeadDesc=Hvala što ste ispunili sljedeći obrazac da nas kontaktirate. Također nam možete poslati e-poruku direktno na %s. +ProjectsHavingThisContact=Projekti koji imaju ovaj kontakt StartDateCannotBeAfterEndDate=Datum završetka ne može biti prije datuma početka -ErrorPROJECTLEADERRoleMissingRestoreIt=The "PROJECTLEADER" role is missing or has been de-activited, please restore in the dictionary of contact types -LeadPublicFormDesc=You can enable here a public page to allow your prospects to make a first contact to you from a public online form -EnablePublicLeadForm=Enable the public form for contact -NewLeadbyWeb=Your message or request has been recorded. We will answer or contact your soon. -NewLeadForm=New contact form -LeadFromPublicForm=Online lead from public form +ErrorPROJECTLEADERRoleMissingRestoreIt=Uloga "VOĐA PROJEKTA" nedostaje ili je deaktivirana, vratite u rječnik tipova kontakata +LeadPublicFormDesc=Ovdje možete omogućiti javnu stranicu kako biste omogućili vašim potencijalnim klijentima da ostvare prvi kontakt s vama iz javnog online obrasca +EnablePublicLeadForm=Omogućite javni obrazac za kontakt +NewLeadbyWeb=Vaša poruka ili zahtjev je snimljen. Odgovorit ćemo ili kontaktirati Vas uskoro. +NewLeadForm=Novi kontakt obrazac +LeadFromPublicForm=Online vođenje iz javne forme +ExportAccountingReportButtonLabel=Dobiti izvještaj diff --git a/htdocs/langs/bs_BA/propal.lang b/htdocs/langs/bs_BA/propal.lang index ed684c3e570..24bd24e3f0f 100644 --- a/htdocs/langs/bs_BA/propal.lang +++ b/htdocs/langs/bs_BA/propal.lang @@ -3,7 +3,7 @@ Proposals=Poslovni prijedlozi Proposal=Poslovni prijedlog ProposalShort=Prijedlog ProposalsDraft=Nacrti poslovnih prijedloga -ProposalsOpened=Open commercial proposals +ProposalsOpened=Otvorene komercijalne ponude CommercialProposal=Poslovni prijedlog PdfCommercialProposalTitle=Prijedlog ProposalCard=Kartica prijedloga @@ -12,107 +12,113 @@ NewPropal=Novi prijedlog Prospect=Mogući klijent DeleteProp=Obrši poslovni prijedlog ValidateProp=Potbrdi poslovni prijedlog -AddProp=Create proposal -ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? -ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? -LastPropals=Latest %s proposals -LastModifiedProposals=Latest %s modified proposals +CancelPropal=Poništi +AddProp=Kreirajte prijedlog +ConfirmDeleteProp=Jeste li sigurni da želite izbrisati ovaj komercijalni prijedlog? +ConfirmValidateProp=Jeste li sigurni da želite potvrditi ovu komercijalnu ponudu pod imenom %s? +ConfirmCancelPropal=Jeste li sigurni da želite otkazati komercijalni prijedlog %s? +LastPropals=Najnoviji %s prijedlozi +LastModifiedProposals=Najnoviji %s izmijenjeni prijedlozi AllPropals=Svi prijedlozi SearchAProposal=Traži prijedlog -NoProposal=No proposal +NoProposal=Nema prijedloga ProposalsStatistics=Statistika poslovnog prijedloga NumberOfProposalsByMonth=Broj po mjesecu -AmountOfProposalsByMonthHT=Amount by month (excl. tax) +AmountOfProposalsByMonthHT=Iznos po mjesecu (bez poreza) NbOfProposals=Broj poslovnih prijedloga -ShowPropal=Show proposal +ShowPropal=Pokažite prijedlog PropalsDraft=Uzorak PropalsOpened=Otvori +PropalStatusCanceled=Otkazano (napušteno) PropalStatusDraft=Uzorak (Potrebna je potvrda) -PropalStatusValidated=Validated (proposal is open) -PropalStatusSigned=Signed (needs billing) -PropalStatusNotSigned=Not signed (closed) +PropalStatusValidated=Potvrđen (prijedlog je otvoren) +PropalStatusSigned=Potpisano (potrebna je naplata) +PropalStatusNotSigned=Nije potpisano (zatvoreno) PropalStatusBilled=Fakturisano +PropalStatusCanceledShort=Otkazan PropalStatusDraftShort=Nacrt -PropalStatusValidatedShort=Validated (open) +PropalStatusValidatedShort=Validirano (otvoreno) PropalStatusClosedShort=Zatvoreno -PropalStatusSignedShort=Signed -PropalStatusNotSignedShort=Not signed +PropalStatusSignedShort=Potpisano +PropalStatusNotSignedShort=Nije potpisano PropalStatusBilledShort=Fakturisano PropalsToClose=Poslovni prijedlozi za zatvaranje PropalsToBill=Potpisani poslovni prijedlozi za fakturisanje ListOfProposals=Lista poslovnih prijedloga -ActionsOnPropal=Events on proposal +ActionsOnPropal=Događaji na prijedlog RefProposal=Ref poslovnog prijedloga SendPropalByMail=Pošalji poslovni prijedlog e-mailom -DatePropal=Date of proposal -DateEndPropal=Validity ending date -ValidityDuration=Validity duration -SetAcceptedRefused=Set accepted/refused -ErrorPropalNotFound=Propal %s not found -AddToDraftProposals=Add to draft proposal -NoDraftProposals=No draft proposals +DatePropal=Datum predloga +DateEndPropal=Datum završetka važenja +ValidityDuration=Trajanje valjanosti +SetAcceptedRefused=Postavite prihvaćeno/odbijeno +ErrorPropalNotFound=Propal %s nije pronađen +AddToDraftProposals=Dodati u nacrt prijedloga +NoDraftProposals=Nema nacrta prijedloga CopyPropalFrom=Kreiraj poslovni prijedlog kopiranje postojećeg prijedloga -CreateEmptyPropal=Create empty commercial proposal or from list of products/services -DefaultProposalDurationValidity=Default commercial proposal validity duration (in days) -DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal -UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address -ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? -ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? -ProposalsAndProposalsLines=Commercial proposal and lines -ProposalLine=Proposal line -ProposalLines=Proposal lines -AvailabilityPeriod=Availability delay -SetAvailability=Set availability delay -AfterOrder=after order -OtherProposals=Other proposals +CreateEmptyPropal=Kreirajte praznu komercijalnu ponudu ili sa liste proizvoda/usluga +DefaultProposalDurationValidity=Zadano trajanje komercijalne ponude (u danima) +DefaultPuttingPricesUpToDate=Podrazumevano ažuriranje cijena sa trenutnim poznatim cijenama za kloniranje prijedloga +DefaultPuttingDescUpToDate=Podrazumevano ažuriranje opisa sa trenutnim poznatim opisima o kloniranju prijedloga +UseCustomerContactAsPropalRecipientIfExist=Koristite kontakt/adresu sa tipom 'Kontaktirajte naknadni prijedlog' ako je definirano umjesto adrese treće strane kao adrese primaoca prijedloga +ConfirmClonePropal=Jeste li sigurni da želite klonirati komercijalni prijedlog %s? +ConfirmReOpenProp=Jeste li sigurni da želite ponovo otvoriti komercijalni prijedlog %s ? +ProposalsAndProposalsLines=Komercijalni prijedlog i redovi +ProposalLine=Linija prijedloga +ProposalLines=Linije prijedloga +AvailabilityPeriod=Kašnjenje dostupnosti +SetAvailability=Postavite kašnjenje dostupnosti +AfterOrder=nakon narudžbe +OtherProposals=Ostali prijedlozi ##### Availability ##### AvailabilityTypeAV_NOW=Odmah -AvailabilityTypeAV_1W=1 week -AvailabilityTypeAV_2W=2 weeks -AvailabilityTypeAV_3W=3 weeks -AvailabilityTypeAV_1M=1 month +AvailabilityTypeAV_1W=1 tjedan +AvailabilityTypeAV_2W=2 sedmice +AvailabilityTypeAV_3W=3 sedmice +AvailabilityTypeAV_1M=1 mjesec ##### Types ofe contacts ##### -TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal +TypeContact_propal_internal_SALESREPFOLL=Predstavnički naknadni prijedlog TypeContact_propal_external_BILLING=Kontakt za fakturu kupca -TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal -TypeContact_propal_external_SHIPPING=Customer contact for delivery +TypeContact_propal_external_CUSTOMER=Sljedeći prijedlog za kontakt sa klijentom +TypeContact_propal_external_SHIPPING=Kontakt kupca za dostavu # Document models -CantBeNoSign=cannot be set not signed -CaseFollowedBy=Case followed by -ConfirmMassNoSignature=Bulk Not signed confirmation -ConfirmMassNoSignatureQuestion=Are you sure you want to set not signed the selected records ? -ConfirmMassSignature=Bulk Signature confirmation -ConfirmMassSignatureQuestion=Are you sure you want to sign the selected records ? -ConfirmMassValidation=Bulk Validate confirmation -ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? -ContractSigned=Contract signed -DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) -DefaultModelPropalCreate=Default model creation -DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model -FichinterSigned=Intervention signed -IdProduct=Product ID -IdProposal=Proposal ID -IsNotADraft=is not a draft -LineBuyPriceHT=Buy Price Amount net of tax for line +CantBeNoSign=ne može se postaviti nepotpisano +CaseFollowedBy=Slučaj praćen +ConfirmMassNoSignature=Bulk Nepotpisana potvrda +ConfirmMassNoSignatureQuestion=Jeste li sigurni da želite postaviti nepotpisane odabrane zapise? +ConfirmMassSignature=Skupna potvrda potpisa +ConfirmMassSignatureQuestion=Jeste li sigurni da želite potpisati odabrane zapise? +ConfirmMassValidation=Masovna potvrda validacije +ConfirmMassValidationQuestion=Jeste li sigurni da želite potvrditi odabrane zapise? +ConfirmRefusePropal=Jeste li sigurni da želite odbiti ovaj komercijalni prijedlog? +ContractSigned=Ugovor potpisan +DefaultModelPropalClosed=Zadani predložak prilikom zatvaranja poslovnog prijedloga (nenaplaćeno) +DefaultModelPropalCreate=Kreiranje zadanog modela +DefaultModelPropalToBill=Zadani predložak prilikom zatvaranja poslovnog prijedloga (treba fakturisati) +DocModelAzurDescription=Kompletan model prijedloga (stara implementacija Cyan šablona) +DocModelCyanDescription=Kompletan model ponude +FichinterSigned=Intervencija potpisana +IdProduct=ID proizvoda +IdProposal=ID prijedloga +IsNotADraft=nije nacrt +LineBuyPriceHT=Kupi Cijena Iznos bez poreza za liniju NoSign=Odbij -NoSigned=set not signed -PassedInOpenStatus=has been validated -PropalAlreadyRefused=Proposal already refused -PropalAlreadySigned=Proposal already accepted -PropalRefused=Proposal refused -PropalSigned=Proposal accepted -ProposalCustomerSignature=Written acceptance, company stamp, date and signature -ProposalsStatisticsSuppliers=Vendor proposals statistics -RefusePropal=Refuse proposal -Sign=Sign -SignContract=Sign contract -SignFichinter=Sign intervention -SignPropal=Accept proposal -Signed=signed -SignedOnly=Signed only +NoSigned=set nije potpisan +PassedInOpenStatus=je potvrđeno +PropalAlreadyRefused=Prijedlog je već odbijen +PropalAlreadySigned=Prijedlog je već prihvaćen +PropalRefused=Prijedlog odbijen +PropalSigned=Prijedlog prihvaćen +ProposalCustomerSignature=Pismeno prihvatanje, pečat kompanije, datum i potpis +ProposalsStatisticsSuppliers=Statistika ponuda dobavljača +RefusePropal=Odbijte prijedlog +Sign=Potpiši +SignContract=Potpišite ugovor +SignFichinter=Potpišite intervenciju +SignSociete_rib=Potpišite mandat +SignPropal=Prihvatite prijedlog +Signed=potpisan +SignedOnly=Samo potpisano diff --git a/htdocs/langs/bs_BA/recruitment.lang b/htdocs/langs/bs_BA/recruitment.lang index 8d71c38689f..08ef4ae88a3 100644 --- a/htdocs/langs/bs_BA/recruitment.lang +++ b/htdocs/langs/bs_BA/recruitment.lang @@ -18,59 +18,65 @@ # # Module label 'ModuleRecruitmentName' -ModuleRecruitmentName = Recruitment +ModuleRecruitmentName = Regrutacija # Module description 'ModuleRecruitmentDesc' -ModuleRecruitmentDesc = Manage and follow recruitment campaigns for new job positions +ModuleRecruitmentDesc = Upravljajte i pratite kampanje zapošljavanja za nova radna mjesta # # Admin page # -RecruitmentSetup = Recruitment setup -Settings = Settings -RecruitmentSetupPage = Enter here the setup of main options for the recruitment module -RecruitmentArea=Recruitement area -PublicInterfaceRecruitmentDesc=Public pages of jobs are public URLs to show and answer to open jobs. There is one different link for each open job, found on each job record. -EnablePublicRecruitmentPages=Enable public pages of open jobs +RecruitmentSetup = Podešavanje zapošljavanja +Settings = Postavke +RecruitmentSetupPage = Ovdje unesite postavke glavnih opcija za modul za zapošljavanje +RecruitmentArea=Područje za zapošljavanje +PublicInterfaceRecruitmentDesc=Javne stranice poslova su javni URL-ovi za prikaz i odgovora na otvorene poslove. Postoji jedna različita veza za svaki otvoreni posao, koja se nalazi na svakom zapisu o poslu. +EnablePublicRecruitmentPages=Omogućite javne stranice otvorenih poslova # # About page # About = O programu -RecruitmentAbout = About Recruitment -RecruitmentAboutPage = Recruitment about page -NbOfEmployeesExpected=Expected nb of employees -JobLabel=Label of job position -WorkPlace=Work place -DateExpected=Expected date -FutureManager=Future manager -ResponsibleOfRecruitement=Responsible of recruitment -IfJobIsLocatedAtAPartner=If job is located at a partner place +RecruitmentAbout = O regrutaciji +RecruitmentAboutPage = Regrutacija o stranici +NbOfEmployeesExpected=Očekivani broj zaposlenih +JobLabel=Oznaka radnog mjesta +WorkPlace=Radno mesto +DateExpected=Očekivani datum +FutureManager=Budući menadžer +ResponsibleOfRecruitement=Odgovoran za zapošljavanje +IfJobIsLocatedAtAPartner=Ako se posao nalazi na mjestu partnera PositionToBeFilled=Pozicija -PositionsToBeFilled=Job positions -ListOfPositionsToBeFilled=List of job positions -NewPositionToBeFilled=New job positions +PositionsToBeFilled=Radna mjesta +ListOfPositionsToBeFilled=Spisak radnih mesta +NewPositionToBeFilled=Nova radna mesta -JobOfferToBeFilled=Job position to be filled -ThisIsInformationOnJobPosition=Information of the job position to be filled -ContactForRecruitment=Contact for recruitment -EmailRecruiter=Email recruiter -ToUseAGenericEmail=To use a generic email. If not defined, the email of the responsible of recruitment will be used -NewCandidature=New application -ListOfCandidatures=List of applications -RequestedRemuneration=Requested remuneration -ProposedRemuneration=Proposed remuneration -ContractProposed=Contract proposed -ContractSigned=Contract signed -ContractRefused=Contract refused -RecruitmentCandidature=Application -JobPositions=Job positions -RecruitmentCandidatures=Applications -InterviewToDo=Interview to do -AnswerCandidature=Application answer -YourCandidature=Your application -YourCandidatureAnswerMessage=Thanks you for your application.
      ... -JobClosedTextCandidateFound=The job position is closed. The position has been filled. -JobClosedTextCanceled=The job position is closed. -ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsApplication=Complementary attributes (job applications) -MakeOffer=Make an offer +JobOfferToBeFilled=Radno mjesto koje treba popuniti +ThisIsInformationOnJobPosition=Informacije o radnom mjestu koje treba popuniti +ContactForRecruitment=Kontakt za zapošljavanje +EmailRecruiter=E-mail regruter +ToUseAGenericEmail=Za korištenje generičke e-pošte. Ako nije definirano, koristit će se e-mail odgovornog za zapošljavanje +NewCandidature=Nova aplikacija +ListOfCandidatures=Lista aplikacija +Remuneration=Plata +RequestedRemuneration=Tražena plata +ProposedRemuneration=Predložena plata +ContractProposed=Predložen ugovor +ContractSigned=Ugovor potpisan +ContractRefused=Ugovor odbijen +RecruitmentCandidature=Aplikacija +JobPositions=Radna mjesta +RecruitmentCandidatures=Prijave +InterviewToDo=Kontakti za praćenje +AnswerCandidature=Odgovor na aplikaciju +YourCandidature=Vaša prijava +YourCandidatureAnswerMessage=Hvala vam na vašoj prijavi.
      ... +JobClosedTextCandidateFound=Radno mjesto je zatvoreno. Pozicija je popunjena. +JobClosedTextCanceled=Radno mjesto je zatvoreno. +ExtrafieldsJobPosition=Komplementarni atributi (radna mjesta) +ExtrafieldsApplication=Komplementarni atributi (prijave za posao) +MakeOffer=Napravite ponudu +WeAreRecruiting=Zapošljavamo. Ovo je lista otvorenih pozicija koje treba popuniti... +NoPositionOpen=Trenutno nema otvorenih pozicija +ConfirmClose=Potvrdite otkazivanje +ConfirmCloseAsk=Jeste li sigurni da želite poništiti ovu kandidaturu za zapošljavanje +recruitment=Regrutacija diff --git a/htdocs/langs/bs_BA/stripe.lang b/htdocs/langs/bs_BA/stripe.lang index ee0c446063e..76d0e32544e 100644 --- a/htdocs/langs/bs_BA/stripe.lang +++ b/htdocs/langs/bs_BA/stripe.lang @@ -1,71 +1,80 @@ # Dolibarr language file - Source file is en_US - stripe -StripeSetup=Stripe module setup -StripeDesc=Offer your customers an online payment page for payments with credit/debit cards via Stripe. This can be used to allow your customers to make ad-hoc payments or for payments related to a particular Dolibarr object (invoice, order, ...) -StripeOrCBDoPayment=Pay with credit card or Stripe -FollowingUrlAreAvailableToMakePayments=Following URLs are available to offer a page to a customer to make a payment on Dolibarr objects -PaymentForm=Payment form -WelcomeOnPaymentPage=Welcome to our online payment service -ThisScreenAllowsYouToPay=This screen allow you to make an online payment to %s. -ThisIsInformationOnPayment=This is information on payment to do -ToComplete=To complete -YourEMail=Email to receive payment confirmation -STRIPE_PAYONLINE_SENDEMAIL=Email notification after a payment attempt (success or fail) -Creditor=Creditor -PaymentCode=Payment code -StripeDoPayment=Pay with Stripe -YouWillBeRedirectedOnStripe=You will be redirected on secured Stripe page to input you credit card information +StripeSetup=Postavljanje Stripe modula +StripeDesc=Ponudite svojim klijentima stranicu za online plaćanje za plaćanja kreditnim/debitnim karticama putem Stripe. Ovo se može koristiti za omogućavanje vašim klijentima da vrše ad hoc plaćanja ili za plaćanja vezana za određeni Dolibarr objekt (faktura, narudžba,...) +StripeOrCBDoPayment=Platite kreditnom karticom ili Stripeom +FollowingUrlAreAvailableToMakePayments=Sljedeći URL-ovi su dostupni za ponudu stranice klijentu za plaćanje na Dolibarr objektima +PaymentForm=Obrazac za plaćanje +WelcomeOnPaymentPage=Dobrodošli u našu uslugu online plaćanja +ThisScreenAllowsYouToPay=Ovaj ekran vam omogućava da izvršite online plaćanje na %s. +ThisIsInformationOnPayment=Ovo je informacija o plaćanju +ToComplete=Za završetak +YourEMail=Pošaljite email da primite potvrdu plaćanja +STRIPE_PAYONLINE_SENDEMAIL=Obavještenje putem e-pošte nakon pokušaja plaćanja (uspješan ili neuspješan) +Creditor=Povjerilac +PaymentCode=Šifra plaćanja +StripeDoPayment=Platite Stripeom +YouWillBeRedirectedOnStripe=Bit ćete preusmjereni na zaštićenu Stripe stranicu da unesete podatke o svojoj kreditnoj kartici Continue=Sljedeće -ToOfferALinkForOnlinePayment=URL for %s payment -ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order -ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice -ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line -ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment page of any amount with no existing object -ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment page for a member subscription -ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation -YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag.
      For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter) -SetupStripeToHavePaymentCreatedAutomatically=Setup your Stripe with url %s to have payment created automatically when validated by Stripe. -AccountParameter=Account parameters -UsageParameter=Usage parameters -InformationToFindParameters=Help to find your %s account information -STRIPE_CGI_URL_V2=Url of Stripe CGI module for payment -CSSUrlForPaymentForm=CSS style sheet url for payment form -NewStripePaymentReceived=New Stripe payment received -NewStripePaymentFailed=New Stripe payment tried but failed -FailedToChargeCard=Failed to charge card -STRIPE_TEST_SECRET_KEY=Secret test key -STRIPE_TEST_PUBLISHABLE_KEY=Publishable test key -STRIPE_TEST_WEBHOOK_KEY=Webhook test key -STRIPE_LIVE_SECRET_KEY=Secret live key -STRIPE_LIVE_PUBLISHABLE_KEY=Publishable live key -STRIPE_LIVE_WEBHOOK_KEY=Webhook live key -ONLINE_PAYMENT_WAREHOUSE=Stock to use for stock decrease when online payment is done
      (TODO When option to decrease stock is done on an action on invoice and the online payment generate itself the invoice ?) -StripeLiveEnabled=Stripe live enabled (otherwise test/sandbox mode) -StripeImportPayment=Import Stripe payments -ExampleOfTestCreditCard=Example of credit card for test: %s => valid, %s => error CVC, %s => expired, %s => charge fails +ToOfferALinkForOnlinePayment=URL za %s plaćanje +ToOfferALinkForOnlinePaymentOnOrder=URL za ponudu %s stranice za online plaćanje za prodajni nalog +ToOfferALinkForOnlinePaymentOnInvoice=URL za ponudu %s stranice za online plaćanje za fakturu klijenta +ToOfferALinkForOnlinePaymentOnContractLine=URL za ponudu %s stranice za online plaćanje za ugovornu liniju +ToOfferALinkForOnlinePaymentOnFreeAmount=URL za ponudu %s stranice za online plaćanje bilo kojeg iznosa bez postojećeg objekta +ToOfferALinkForOnlinePaymentOnMemberSubscription=URL za ponudu %s stranice za online plaćanje za pretplatu člana +ToOfferALinkForOnlinePaymentOnDonation=URL za ponudu %s stranice za online plaćanje za uplatu donacije +YouCanAddTagOnUrl=Također možete dodati url parametar &tag=value class='notranslate'>
      na bilo koji od tih URL-ova (obavezno samo za plaćanje koje nije povezano sa objektom) da dodate svoju oznaku komentara o plaćanju.
      Za URL plaćanja bez postojećeg objekta, možete dodati i parametar &noidempotency=1 tako da isti link sa istom oznakom može se koristiti nekoliko puta (neki način plaćanja može ograničiti plaćanje na 1 za svaki različiti link bez ovog parametra) +SetupStripeToHavePaymentCreatedAutomatically=Postavite svoj Stripe s url %s da se plaćanje automatski kreira potvrdio Stripe. +AccountParameter=Parametri računa +UsageParameter=Parametri upotrebe +InformationToFindParameters=Pomozite da pronađete informacije o vašem %s računu +STRIPE_CGI_URL_V2=Url Stripe CGI modula za plaćanje +CSSUrlForPaymentForm=CSS stilski url za obrazac za plaćanje +NewStripePaymentReceived=Nova uplata Stripe primljena +NewStripePaymentFailed=Nova Stripe uplata je pokušana, ali nije uspjela +FailedToChargeCard=Naplata kartice nije uspjela +STRIPE_TEST_SECRET_KEY=Tajni ključ za testiranje +STRIPE_TEST_PUBLISHABLE_KEY=Testni ključ koji se može objaviti +STRIPE_TEST_WEBHOOK_KEY=Webhook test ključ +STRIPE_LIVE_SECRET_KEY=Tajni živi ključ +STRIPE_LIVE_PUBLISHABLE_KEY=Živi ključ koji se može objaviti +STRIPE_LIVE_WEBHOOK_KEY=Webhook živi ključ +ONLINE_PAYMENT_WAREHOUSE=Zalihe koje se koriste za smanjenje zaliha kada se izvrši online plaćanje
      (TODO Kada se izvrši opcija smanjenja zaliha na radnji na fakturi i > online plaćanje sama generiše fakturu?) +StripeLiveEnabled=Stripe live je omogućen (inače testni/sandbox način rada) +StripeImportPayment=Import Stripe plaćanja +ExampleOfTestCreditCard=Primjer kreditne kartice za probno plaćanje: %s => važeća, %s => greška CVC, %s => istekao, %s => punjenje nije uspjelo +ExampleOfTestBankAcountForSEPA=Primjer BAN bankovnog računa za testiranje direktnog zaduženja: %s StripeGateways=Stripe gateways -OAUTH_STRIPE_TEST_ID=Stripe Connect Client ID (ca_...) -OAUTH_STRIPE_LIVE_ID=Stripe Connect Client ID (ca_...) -BankAccountForBankTransfer=Bank account for fund payouts -StripeAccount=Stripe account -StripeChargeList=List of Stripe charges -StripeTransactionList=List of Stripe transactions -StripeCustomerId=Stripe customer id -StripePaymentModes=Stripe payment modes -LocalID=Local ID +OAUTH_STRIPE_TEST_ID=Stripe Connect ID klijenta (ca_...) +OAUTH_STRIPE_LIVE_ID=Stripe Connect ID klijenta (ca_...) +BankAccountForBankTransfer=Bankovni račun za isplate sredstava +StripeAccount=Stripe račun +StripeChargeList=Spisak Stripe optužbi +StripeTransactionList=Lista Stripe transakcija +StripeCustomerId=Stripe identifikator kupca +StripePaymentId=Stripe ID plaćanja +StripePaymentModes=Stripe načini plaćanja +LocalID=Lokalni ID StripeID=Stripe ID -NameOnCard=Name on card -CardNumber=Card Number -ExpiryDate=Expiry Date +NameOnCard=Ime na kartici +CardNumber=Broj kartice +ExpiryDate=Datum isteka CVN=CVN -DeleteACard=Delete Card -ConfirmDeleteCard=Are you sure you want to delete this Credit or Debit card? -CreateCustomerOnStripe=Create customer on Stripe -CreateCardOnStripe=Create card on Stripe +DeleteACard=Izbriši karticu +ConfirmDeleteCard=Jeste li sigurni da želite izbrisati ovu kreditnu ili debitnu karticu? +CreateCustomerOnStripe=Kreirajte kupca na Stripeu +CreateCardOnStripe=Kreirajte karticu na Stripe +CreateBANOnStripe=Napravite banku na Stripeu ShowInStripe=Show in Stripe -StripeUserAccountForActions=User account to use for email notification of some Stripe events (Stripe payouts) -StripePayoutList=List of Stripe payouts -ToOfferALinkForTestWebhook=Link to setup Stripe WebHook to call the IPN (test mode) -ToOfferALinkForLiveWebhook=Link to setup Stripe WebHook to call the IPN (live mode) -PaymentWillBeRecordedForNextPeriod=Payment will be recorded for the next period. -ClickHereToTryAgain=Click here to try again... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s +StripeUserAccountForActions=Korisnički račun za korištenje za obavještavanje putem e-pošte o nekim Stripe događajima (Stripe isplate) +StripePayoutList=Lista Stripe isplata +ToOfferALinkForTestWebhook=Link za postavljanje Stripe WebHook-a za pozivanje IPN-a (test mod) +ToOfferALinkForLiveWebhook=Link za postavljanje Stripe WebHook-a za pozivanje IPN-a (način uživo) +PaymentWillBeRecordedForNextPeriod=Uplata će se evidentirati za naredni period. +ClickHereToTryAgain=Kliknite ovdje da pokušate ponovo... +CreationOfPaymentModeMustBeDoneFromStripeInterface=Zbog strogih pravila za autentifikaciju korisnika, kreiranje kartice se mora obaviti iz Stripe back officea. Možete kliknuti ovdje da uključite Stripe zapis o korisnicima: %s +STRIPE_CARD_PRESENT=Prisutna kartica za trakaste terminale +TERMINAL_LOCATION=Lokacija (adresa) za Stripe terminale +RequestDirectDebitWithStripe=Zatražite direktno zaduživanje sa trakom +RequesCreditTransferWithStripe=Zatražite prijenos kredita sa Stripe-om +STRIPE_SEPA_DIRECT_DEBIT=Omogućite plaćanja Direktnim zaduživanjem putem Stripea +StripeConnect_Mode=Stripe Connect način rada diff --git a/htdocs/langs/bs_BA/website.lang b/htdocs/langs/bs_BA/website.lang index 20c0fb939c4..b966d74ec08 100644 --- a/htdocs/langs/bs_BA/website.lang +++ b/htdocs/langs/bs_BA/website.lang @@ -1,162 +1,166 @@ # Dolibarr language file - Source file is en_US - website Shortname=Kod -WebsiteName=Name of the website -WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them. -DeleteWebsite=Delete website -ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. -WEBSITE_TYPE_CONTAINER=Type of page/container -WEBSITE_PAGE_EXAMPLE=Web page to use as example -WEBSITE_PAGENAME=Page name/alias -WEBSITE_ALIASALT=Alternative page names/aliases -WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
      alternativename1, alternativename2, ... -WEBSITE_CSS_URL=URL of external CSS file -WEBSITE_CSS_INLINE=CSS file content (common to all pages) -WEBSITE_JS_INLINE=Javascript file content (common to all pages) -WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) -WEBSITE_ROBOT=Robot file (robots.txt) -WEBSITE_HTACCESS=Website .htaccess file -WEBSITE_MANIFEST_JSON=Website manifest.json file -WEBSITE_KEYWORDSDesc=Use a comma to separate values -EnterHereReadmeInformation=Enter here a description of the website. If you distribute your website as a template, the file will be included into the temptate package. -EnterHereLicenseInformation=Enter here the LICENSE of the code of the website. If you distribute your website as a template, the file will be included into the temptate package. -HtmlHeaderPage=HTML header (specific to this page only) -PageNameAliasHelp=Name or alias of the page.
      This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. -EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. -MediaFiles=Media library -EditCss=Edit website properties -EditMenu=Edit menu -EditMedias=Edit medias -EditPageMeta=Edit page/container properties +WebsiteName=Naziv web stranice +WebsiteSetupDesc=Kreirajte ovdje web stranice koje želite koristiti. Zatim idite u meni Websites da ih uredite. +DeleteWebsite=Izbriši web stranicu +ConfirmDeleteWebsite=Jeste li sigurni da želite izbrisati ovu web stranicu? Sav sadržaj njegovih stranica i također će biti uklonjen. Učitane datoteke (kao u direktorij medija, ECM modul, ...) će ostati. +WEBSITE_TYPE_CONTAINER=Vrsta stranice/kontejnera +WEBSITE_PAGE_EXAMPLE=Web stranica za korištenje kao primjer +WEBSITE_PAGENAME=Ime stranice/pseudonim +WEBSITE_ALIASALT=Alternativni nazivi stranica/aliasi +WEBSITE_ALIASALTDesc=Koristite ovdje listu drugih imena/pseudonima tako da se stranici može pristupiti i korištenjem ovih drugih imena/pseudonima (na primjer staro ime nakon preimenovanja pseudonima kako bi povratna veza na starom linku/nazivu radila). Sintaksa je:
      alternativno ime1, alternativno ime2, ... +WEBSITE_CSS_URL=URL eksterne CSS datoteke +WEBSITE_CSS_INLINE=Sadržaj CSS fajla (zajednički za sve stranice) +WEBSITE_JS_INLINE=Sadržaj JavaScript datoteke (zajednički za sve stranice) +WEBSITE_HTML_HEADER=Dodatak na dnu HTML zaglavlja (zajedničko za sve stranice) +WEBSITE_ROBOT=Datoteka robota (robots.txt) +WEBSITE_HTACCESS=Datoteka web stranice .htaccess +WEBSITE_MANIFEST_JSON=Datoteka manifest.json web stranice +WEBSITE_KEYWORDSDesc=Koristite zarez za odvajanje vrijednosti +EnterHereReadmeInformation=Ovdje unesite opis web stranice. Ako distribuirate svoju web stranicu kao predložak, datoteka će biti uključena u temptate paket. +EnterHereLicenseInformation=Ovdje unesite LICENCU koda web stranice. Ako distribuirate svoju web stranicu kao predložak, datoteka će biti uključena u temptate paket. +HtmlHeaderPage=HTML zaglavlje (specifično samo za ovu stranicu) +PageNameAliasHelp=Naziv ili pseudonim stranice.
      Ovaj pseudonim se takođe koristi za falsifikovanje SEO URL-a kada se veb lokacija pokreće sa virtuelnog hosta veb servera (kao što je Apacke, Nginx, .. .). Koristite dugme "%s" da uredite ovaj pseudonim. +EditTheWebSiteForACommonHeader=Napomena: Ako želite definirati personalizirano zaglavlje za sve stranice, uredite zaglavlje na razini stranice umjesto na stranici/kontejneru. +MediaFiles=Medijateka +EditCss=Uredite svojstva web stranice +EditMenu=Uredi meni +EditMedias=Uredite medije +EditPageMeta=Uredite svojstva stranice/kontejnera EditInLine=Edit inline -AddWebsite=Add website -Webpage=Web page/container -AddPage=Add page/container +AddWebsite=Dodaj web stranicu +Webpage=Web stranica/kontejner +AddPage=Dodajte stranicu/kontejner PageContainer=Stranica -PreviewOfSiteNotYetAvailable=The preview of your website %s is not yet available. You must first 'Import a full website template' or just 'Add a page/container'. -RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this. -SiteDeleted=Web site '%s' deleted +PreviewOfSiteNotYetAvailable=Pregled vaše web stranice %s još nije dostupan. Prvo morate 'uvesti cijeli predložak web stranice' ili samo 'b0e7843947cDodajte stranicu/kontejner'. +RequestedPageHasNoContentYet=Zatražena stranica sa ID-om %s još nema sadržaja ili je keš datoteka .tpl.php uklonjena. Uredite sadržaj stranice da to riješite. +SiteDeleted=Web stranica '%s' je izbrisana PageContent=Page/Contenair -PageDeleted=Page/Contenair '%s' of website %s deleted -PageAdded=Page/Contenair '%s' added -ViewSiteInNewTab=View site in new tab -ViewPageInNewTab=View page in new tab -SetAsHomePage=Set as Home page -RealURL=Real URL -ViewWebsiteInProduction=View web site using home URLs -Virtualhost=Virtual host or domain name -VirtualhostDesc=The name of the Virtual host or domain (For example: www.mywebsite.com, mybigcompany.net, ...) -SetHereVirtualHost=Use with Apache/NGinx/...
      Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
      %s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: -YouCanAlsoTestWithPHPS=Use with PHP embedded server
      On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
      php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
      If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org -CheckVirtualHostPerms=Check also that the virtual host user (for example www-data) has %s permissions on files into
      %s +PageDeleted=Stranica/Contenair '%s' web stranice %s je izbrisana +PageAdded=Stranica/Contenair '%s' dodana +ViewSiteInNewTab=Pogledaj stranicu u novoj kartici +ViewPageInNewTab=Pogledajte stranicu u novoj kartici +SetAsHomePage=Postavi kao početnu stranicu +RealURL=Pravi URL +ViewWebsiteInProduction=Pregledajte web stranicu koristeći kućne URL adrese +Virtualhost=Virtuelni host ili naziv domene +VirtualhostDesc=Naziv virtuelnog hosta ili domene (na primjer: www.mywebsite.com, mybigcompany.net, ...) +SetHereVirtualHost=Koristite sa Apache/NGinx/...
      Kreirajte na vaš web server (Apache, Nginx, ...) namjenski virtuelni host sa omogućenim PHP i korijenski direktorij na
      %s +ExampleToUseInApacheVirtualHostConfig=Primjer za korištenje u Apache postavci virtualnog hosta: +YouCanAlsoTestWithPHPS=Koristite sa PHP ugrađenim serverom
      U razvojnom okruženju možete radije testirajte web lokaciju sa PHP ugrađenim web serverom (potreban je PHP 5.5) pokretanjem
      php -S 0.0.0.0 :8080 -t %s +YouCanAlsoDeployToAnotherWHP=Pokrenite svoju web stranicu s drugim Dolibarr hosting provajderom
      vas nemate web server kao što je Apache ili NGinx dostupan na internetu, možete izvesti i svoju web stranicu u drugu Dolibarr instancu koju pruža drugi Dolibarr hosting provajder koji pruža potpunu integraciju sa modul Website. Spisak nekih Dolibarr hosting provajdera možete pronaći na https://saas.dolibarr.org +CheckVirtualHostPerms=Provjerite također da li korisnik virtualnog hosta (na primjer www-data) ima %s dozvole za datoteke u
      %s
      ReadPerm=Pročitaj -WritePerm=Write -TestDeployOnWeb=Test/deploy on web -PreviewSiteServedByWebServer=Preview %s in a new tab.

      The %s will be served by an external web server (like Apache, Nginx, IIS). You must install and setup this server before to point to directory:
      %s
      URL served by external server:
      %s -PreviewSiteServedByDolibarr=Preview %s in a new tab.

      The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed.
      The inconvenient is that the URLs of pages are not user friendly and start with the path of your Dolibarr.
      URL served by Dolibarr:
      %s

      To use your own external web server to serve this web site, create a virtual host on your web server that points on directory
      %s
      then enter the name of this virtual server in the properties of this website and click on the link "Test/Deploy on the web". -VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined -NoPageYet=No pages yet -YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template -SyntaxHelp=Help on specific syntax tips -YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . -ClonePage=Clone page/container +WritePerm=Pisati +TestDeployOnWeb=Testirajte / implementirajte na webu +PreviewSiteServedByWebServer=Pregled %s na novoj kartici.

      %s će služiti vanjski web server (kao što je Apache, Nginx, IIS ). Morate instalirati i postaviti ovaj server prije nego što ukažete na direktorij:
      >%s
      URL poslužuje vanjski server:
      %sb0a65d09z0f>b0a65d09z071 +PreviewSiteServedByDolibarr=Pregled %s na novoj kartici.

      %s će služiti Dolibarr server tako da mu ne treba nikakav dodatni web server (kao Apache, Nginx, IIS) za instaliranje.
      Nezgodno je to što URL-ovi stranica nisu prilagođeni korisniku i počnite s putanjom vašeg Dolibarra.
      URL koju poslužuje Dolibarr:
      b0e7843947c06bz span>%s

      b031492zcc Da biste koristili vlastiti vanjski web server za posluživanje ove web stranice, kreirajte virtualni host na svom web serveru koji pokazuje na direktorij
      %s
      unesite ovo ime19bz0 virtuelni server u svojstvima ove web stranice i kliknite na vezu "Test/Deploy on the web". +VirtualHostUrlNotDefined=URL virtuelnog hosta kojeg opslužuje vanjski web server nije definiran +NoPageYet=Još nema stranica +YouCanCreatePageOrImportTemplate=Možete kreirati novu stranicu ili uvesti cijeli predložak web stranice +SyntaxHelp=Pomoć za specifične savjete o sintaksi +YouCanEditHtmlSourceckeditor=Možete uređivati HTML izvorni kod koristeći dugme "Izvor" u uređivaču. +YouCanEditHtmlSource=
      Možete uključiti PHP kod u ovaj izvor pomoću oznaka <?php ?>. Dostupne su sljedeće globalne varijable: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Također možete uključiti sadržaj druge stranice/kontejnera sa sljedećom sintaksom:
      <?php includeContainer('alias_of_include'); ?>
      b0349z0b0349 /span> Možete izvršiti preusmjeravanje na drugu stranicu/kontejner sa sljedećom sintaksom (Napomena: nemojte ispisivati nikakve sadržaj prije preusmjeravanja):
      <?php redirectToContainer( alias_of_container_to_redirect_to'); ?>
      b0349z0b0349 /span> Da dodate link na drugu stranicu, koristite sintaksu:
      <a href="alias_of_page_to_link_to.php"b0012c7z0dcbe >mylink<a>

      b014f1b93d7c65z To include aclass0 ='notranslate'>link za preuzimanje datoteke pohranjene u dokumentima notranslate'>
      direktorij, koristite document.php omotač class'no:
      Primjer, za fajl u dokumentima/ecm (treba biti evidentiran), sintaksa je:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Za datoteku u dokumentima/medijima (otvoreni direktorij za javni pristup), sintaksa je:
      <a href="/document.php?modulepart=medias&file/=[relative_name. ext">
      Za fajl koji se dijeli putem linka za dijeljenje ( otvoreni pristup koristeći hash ključ za dijeljenje datoteke), sintaksa je:
      < /span>a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      Za uključivanje slika pohranjena u dokumentedirektorb , koristite omotač viewimage.php.
      ,Example0, sliku u dokumente/medije (otvoreni direktorij za javni pristup), sintaksa je:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext"7zdcbe
      +YouCanEditHtmlSource2=Za sliku koja se dijeli s vezom za dijeljenje (otvoreni pristup koristeći hash ključ za dijeljenje datoteke), sintaksa je:
      <img src="/viewimage.php?hashp=12345679012...">0af665dc71f09
      +YouCanEditHtmlSource3=Da biste dobili URL slike PHP objekta, koristite
      < span>img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>" class='notranslate'>>
      +YouCanEditHtmlSourceMore=
      Više primjera HTML ili dinamičkog koda dostupno je na wiki dokumentacijib0e40dc6087 >.
      +ClonePage=Kloniraj stranicu/kontejner CloneSite=Clone site -SiteAdded=Website added -ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page. -PageIsANewTranslation=The new page is a translation of the current page ? -LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page. -ParentPageId=Parent page ID -WebsiteId=Website ID -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... -OrEnterPageInfoManually=Or create page from scratch or from a page template... -FetchAndCreate=Fetch and Create -ExportSite=Export website -ImportSite=Import website template -IDOfPage=Id of page -Banner=Banner +SiteAdded=Web stranica je dodana +ConfirmClonePage=Unesite kod/pseudonim nove stranice i ako je to prijevod klonirane stranice. +PageIsANewTranslation=Nova stranica je prijevod trenutne stranice? +LanguageMustNotBeSameThanClonedPage=Klonirate stranicu kao prijevod. Jezik nove stranice mora biti drugačiji od jezika izvorne stranice. +ParentPageId=ID roditeljske stranice +WebsiteId=ID web stranice +CreateByFetchingExternalPage=Kreirajte stranicu/kontejner preuzimanjem stranice sa vanjskog URL-a... +OrEnterPageInfoManually=Ili kreirajte stranicu od nule ili iz šablona stranice... +FetchAndCreate=Dohvati i Kreiraj +ExportSite=Izvoz web stranice +ImportSite=Uvezite predložak web stranice +IDOfPage=Id stranice +Banner=Baner BlogPost=Blog post -WebsiteAccount=Website account -WebsiteAccounts=Website accounts -AddWebsiteAccount=Create web site account -BackToListForThirdParty=Back to list for the third parties -DisableSiteFirst=Disable website first -MyContainerTitle=My web site title -AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists) -SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please comme back later... -WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table -WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party -YouMustDefineTheHomePage=You must first define the default Home page -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correclty when used on a grabbed external page. -OnlyEditionOfSourceForGrabbedContent=Only edition of HTML source is possible when content was grabbed from an external site -GrabImagesInto=Grab also images found into css and page. -ImagesShouldBeSavedInto=Images should be saved into directory -WebsiteRootOfImages=Root directory for website images -SubdirOfPage=Sub-directory dedicated to page -AliasPageAlreadyExists=Alias page %s already exists +WebsiteAccount=Račun web stranice +WebsiteAccounts=Nalozi za web stranicu +AddWebsiteAccount=Kreirajte račun web stranice +BackToListForThirdParty=Povratak na listu za treće strane +DisableSiteFirst=Prvo onemogućite web stranicu +MyContainerTitle=Naslov moje web stranice +AnotherContainer=Ovako možete uključiti sadržaj druge stranice/kontejnera (ovdje možete imati grešku ako omogućite dinamički kod jer ugrađeni podkontejner možda ne postoji) +SorryWebsiteIsCurrentlyOffLine=Žao nam je, ova web stranica je trenutno van mreže. Molim vas vratite se kasnije... +WEBSITE_USE_WEBSITE_ACCOUNTS=Omogućite tabelu računa web stranice +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Omogućite tablicu za pohranjivanje računa web stranice (login/pass) za svaku web stranicu / treću stranu +YouMustDefineTheHomePage=Prvo morate definirati zadanu početnu stranicu +OnlyEditionOfSourceForGrabbedContentFuture=Upozorenje: Kreiranje web stranice uvozom vanjske web stranice rezervirano je za iskusne korisnike. U zavisnosti od složenosti izvorne stranice, rezultat uvoza može se razlikovati od originala. Također, ako izvorna stranica koristi uobičajene CSS stilove ili konfliktni JavaScript, to može narušiti izgled ili karakteristike uređivača web stranice kada radite na ovoj stranici. Ova metoda je brži način za kreiranje stranice, ali se preporučuje da kreirate novu stranicu ispočetka ili iz predloženog šablona stranice.
      Imajte na umu da ugrađeni uređivač možda neće raditi ispravnost kada se koristi na preuzetoj vanjskoj stranici. +OnlyEditionOfSourceForGrabbedContent=Moguće je samo izdanje HTML izvora kada je sadržaj preuzet sa eksterne stranice +GrabImagesInto=Uzmite i slike pronađene na css i stranici. +ImagesShouldBeSavedInto=Slike treba pohraniti u direktorij +WebsiteRootOfImages=Korijenski direktorij za slike web stranice +SubdirOfPage=Poddirektorij posvećen stranici +AliasPageAlreadyExists=Stranica s pseudonimom %s već postoji CorporateHomePage=Corporate Home page -EmptyPage=Empty page -ExternalURLMustStartWithHttp=External URL must start with http:// or https:// -ZipOfWebsitePackageToImport=Upload the Zip file of the website template package -ZipOfWebsitePackageToLoad=or Choose an available embedded website template package -ShowSubcontainers=Show dynamic content -InternalURLOfPage=Internal URL of page -ThisPageIsTranslationOf=This page/container is a translation of -ThisPageHasTranslationPages=This page/container has translation -NoWebSiteCreateOneFirst=No website has been created yet. Create one first. -GoTo=Go to -DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). -NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. -ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? -MyWebsitePages=My website pages -SearchReplaceInto=Search | Replace into +EmptyPage=Prazna stranica +ExternalURLMustStartWithHttp=Vanjski URL mora početi s http:// ili https:// +ZipOfWebsitePackageToImport=Otpremite Zip datoteku paketa predložaka web stranice +ZipOfWebsitePackageToLoad=ili Odaberite dostupan ugrađeni paket predložaka web stranice +ShowSubcontainers=Prikaži dinamički sadržaj +InternalURLOfPage=Interni URL stranice +ThisPageIsTranslationOf=Ova stranica/kontejner je prijevod +ThisPageHasTranslationPages=Ova stranica/kontejner ima prijevod +NoWebSiteCreateOneFirst=Još nije kreirana nijedna web stranica. Prvo napravite jedan. +GoTo=Idi +DynamicPHPCodeContainsAForbiddenInstruction=Dodajte dinamički PHP kod koji sadrži PHP instrukciju '%s ' koji je po defaultu zabranjen kao dinamički sadržaj (pogledajte skrivene opcije WEBSITE_PHP_ALLOW_xxx da povećate listu dozvoljenih komandi). +NotAllowedToAddDynamicContent=Nemate dozvolu za dodavanje ili uređivanje PHP dinamičkog sadržaja na web lokacijama. Zatražite dozvolu ili jednostavno zadržite kod u php tagovima nepromijenjenim. +ReplaceWebsiteContent=Pretražite ili zamijenite sadržaj web stranice +DeleteAlsoJs=Izbrisati i sve JavaScript datoteke specifične za ovu web stranicu? +DeleteAlsoMedias=Izbrisati i sve medijske datoteke specifične za ovu web stranicu? +MyWebsitePages=Moje web stranice +SearchReplaceInto=Pretraga | Zamijenite u ReplaceString=New string -CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. -Dynamiccontent=Sample of a page with dynamic content -ImportSite=Import website template -EditInLineOnOff=Mode 'Edit inline' is %s -ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s -GlobalCSSorJS=Global CSS/JS/Header file of web site -BackToHomePage=Back to home page... -TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
      (ref=%s, type=%s, status=%s) -UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters -MainLanguage=Main language -OtherLanguages=Other languages -UseManifest=Provide a manifest.json file -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers +CSSContentTooltipHelp=Ovdje unesite CSS sadržaj. Da biste izbjegli bilo kakav sukob sa CSS-om aplikacije, obavezno dodajte sve deklaracije klasom .bodywebsite. Na primjer:

      #mycssselector, input.myclass:hover { ... }
      mora biti
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }b0342fccfda19b
      Napomena: Ako imate veliki fajl bez ovog prefiksa, možete koristiti 'lessc' da ga konvertujete da biste svuda dodali prefiks .bodywebsite. +LinkAndScriptsHereAreNotLoadedInEditor=Upozorenje: Ovaj sadržaj se izlazi samo kada se sajtu pristupa sa servera. Ne koristi se u režimu za uređivanje, tako da ako treba da učitate JavaScript fajlove iu režimu za uređivanje, samo dodajte svoju oznaku 'script src=...' na stranicu. +Dynamiccontent=Uzorak stranice sa dinamičkim sadržajem +ImportSite=Uvezite predložak web stranice +EditInLineOnOff=Način rada 'Edit inline' je %s +ShowSubContainersOnOff=Način za izvršavanje 'dinamičkog sadržaja' je %s +GlobalCSSorJS=Globalni CSS/JS/Header fajl web stranice +BackToHomePage=Povratak na početnu stranicu... +TranslationLinks=Linkovi za prevod +YouTryToAccessToAFileThatIsNotAWebsitePage=Pokušavate pristupiti stranici koja nije dostupna.
      (ref=%s, type=%s, status=%s) +UseTextBetween5And70Chars=Za dobre SEO prakse, koristite tekst između 5 i 70 znakova +MainLanguage=Glavni jezik +OtherLanguages=Drugi jezici +UseManifest=Navedite manifest.json datoteku +PublicAuthorAlias=Javno ime autora +AvailableLanguagesAreDefinedIntoWebsiteProperties=Dostupni jezici su definirani u svojstvima web stranice +ReplacementDoneInXPages=Zamjena obavljena u %s stranicama ili kontejnerima RSSFeed=RSS Feed -RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL -PagesRegenerated=%s page(s)/container(s) regenerated -RegenerateWebsiteContent=Regenerate web site cache files -AllowedInFrames=Allowed in Frames -DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties. -GenerateSitemaps=Generate website sitemap.xml file -ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... -ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap file %s generated +RSSFeedDesc=Možete dobiti RSS feed najnovijih članaka sa tipom 'blogpost' koristeći ovaj URL +PagesRegenerated=%s stranica(e)/kontejner(i) regenerirani +RegenerateWebsiteContent=Regenerirajte keš datoteke web stranice +AllowedInFrames=Dozvoljeno u okvirima +DefineListOfAltLanguagesInWebsiteProperties=Definirajte listu svih dostupnih jezika u svojstvima web stranice. +GenerateSitemaps=Generirajte web sitemap.xml datoteku +ConfirmGenerateSitemaps=Ako potvrdite, izbrisat ćete postojeću datoteku mape stranice... +ConfirmSitemapsCreation=Potvrdite generisanje mape sajta +SitemapGenerated=Sitemap datoteka %s je generirana ImportFavicon=Favicon -ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 -FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) -NextContainer=Next page/container -PreviousContainer=Previous page/container -WebsiteMustBeDisabled=The website must have the status "%s" -WebpageMustBeDisabled=The web page must have the status "%s" -SetWebsiteOnlineBefore=When website is offline, all pages are offline. Change status of website first. -Booking=Booking -Reservation=Reservation -PagesViewedPreviousMonth=Pages viewed (previous month) -PagesViewedTotal=Pages viewed (total) +ErrorFaviconType=Favicon mora biti png +ErrorFaviconSize=Favicon mora biti veličine 16x16, 32x32 ili 64x64 +FaviconTooltip=Otpremite sliku koja treba da bude png (16x16, 32x32 ili 64x64) +NextContainer=Sljedeća stranica/kontejner +PreviousContainer=Prethodna stranica/kontejner +WebsiteMustBeDisabled=Web lokacija mora imati status "%s" +WebpageMustBeDisabled=Web stranica mora imati status "%s" +SetWebsiteOnlineBefore=Kada je web stranica van mreže, sve stranice su van mreže. Prvo promijenite status web stranice. +Booking=Rezervacija +Reservation=Rezervacija +PagesViewedPreviousMonth=Pregledane stranice (prethodni mjesec) +PagesViewedTotal=Pregledane stranice (ukupno) Visibility=Vidljivost -Everyone=Everyone -AssignedContacts=Assigned contacts +Everyone=Svi +AssignedContacts=Dodijeljeni kontakti +WebsiteTypeLabel=Vrsta web stranice +WebsiteTypeDolibarrWebsite=Web stranica (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/bs_BA/withdrawals.lang b/htdocs/langs/bs_BA/withdrawals.lang index c3386daf3ac..7f2befd4310 100644 --- a/htdocs/langs/bs_BA/withdrawals.lang +++ b/htdocs/langs/bs_BA/withdrawals.lang @@ -31,8 +31,9 @@ SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit tran InvoiceWaitingWithdraw=Invoice waiting for direct debit InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Iznos za podizanje +AmountToTransfer=Amount to transfer NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. -NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open '%s' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup CreditTransferSetup=Credit transfer setup @@ -41,11 +42,14 @@ CreditTransferStatistics=Credit transfer statistics Rejects=Odbijeno LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request +MakeWithdrawRequestStripe=Make a direct debit payment request via Stripe MakeBankTransferOrder=Make a credit transfer request WithdrawRequestsDone=%s direct debit payment requests recorded BankTransferRequestsDone=%s credit transfer requests recorded ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. ClassCredited=Označi na potraživanja ClassDebited=Classify debited @@ -54,7 +58,7 @@ TransData=Transmission date TransMetod=Transmission method Send=Poslati Lines=Tekst -StandingOrderReject=Issue a rejection +StandingOrderReject=Record a rejection WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused CreditTransfersRefused=Credit transfers refused @@ -62,8 +66,9 @@ WithdrawalRefusedConfirm=Jeste li sigurni da želite da unesete odbijenicu povla RefusedData=Datum odbacivanja RefusedReason=Razlog za odbijanje RefusedInvoicing=Naplate odbijanja -NoInvoiceRefused=Ne naplatiti odbijanje -InvoiceRefused=Invoice refused (Charge the rejection to customer) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debit/credit StatusWaiting=Čekanje StatusTrans=Poslano @@ -99,8 +104,11 @@ CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Payment by direct debit to generate and manage the direct debit order. When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu Bank->Payment by credit transfer to generate and manage the credit transfer order. When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. +DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. +DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Debit order file CreditTransferFile=Credit transfer file SetToStatusSent=Set to status "File Sent" @@ -110,14 +118,14 @@ RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Amount of Direct debit request: BankTransferAmount=Amount of Credit Transfer request: WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. SepaMandate=SEPA Direct Debit Mandate SepaMandateShort=SEPA Mandate PleaseReturnMandate=Please return this mandate form by email to %s or by mail to -SEPALegalText=By signing this mandate form, you authorize (A) %s to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. +SEPALegalText=By signing this mandate form, you authorize (A) %s and its payment service provider to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. You agree to receive notifications about future charges up to 2 days before they occur. CreditorIdentifier=Creditor Identifier CreditorName=Creditor Name SEPAFillForm=(B) Please complete all the fields marked * @@ -126,6 +134,7 @@ SEPAFormYourBAN=Your Bank Account Name (IBAN) SEPAFormYourBIC=Your Bank Identifier Code (BIC) SEPAFrstOrRecur=Type of payment ModeRECUR=Recurring payment +ModeRCUR=Recurring payment ModeFRST=One-off payment PleaseCheckOne=Please check one only CreditTransferOrderCreated=Credit transfer order %s created @@ -136,6 +145,7 @@ SEPAFRST=SEPA FRST ExecutionDate=Datum izvršenja CreateForSepa=Create direct debit file ICS=Creditor Identifier - ICS +IDS=Debitor Identifier END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction USTRD="Unstructured" SEPA XML tag ADDDAYS=Add days to Execution Date @@ -149,8 +159,16 @@ InfoTransData=Amount: %s
      Method: %s
      Date: %s InfoRejectSubject=Direct debit payment order refused InfoRejectMessage=Hello,

      the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

      --
      %s ModeWarning=Option for real mode was not set, we stop after this simulation -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Missing ICS in Bank account %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s +UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Salary +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/ca_ES/accountancy.lang b/htdocs/langs/ca_ES/accountancy.lang index 223b5066045..55253d675bf 100644 --- a/htdocs/langs/ca_ES/accountancy.lang +++ b/htdocs/langs/ca_ES/accountancy.lang @@ -16,8 +16,8 @@ ThisService=Aquest servei ThisProduct=Aquest producte DefaultForService=Per defecte als serveis DefaultForProduct=Per defecte als productes -ProductForThisThirdparty=Producte per a aquest tercer -ServiceForThisThirdparty=Servei per a aquest tercer +ProductForThisThirdparty=product per a aquest Third party +ServiceForThisThirdparty=service per a aquest Third party CantSuggest=No es pot suggerir AccountancySetupDoneFromAccountancyMenu=La major part de la configuració de la comptabilitat es realitza des del menú %s ConfigAccountingExpert=Configuració del mòdul de comptabilitat (doble entrada) @@ -38,7 +38,7 @@ DeleteCptCategory=Eliminar el compte comptable del grup ConfirmDeleteCptCategory=Estàs segur que vols eliminar aquest compte comptable del grup de comptabilitat? JournalizationInLedgerStatus=Estat del diari AlreadyInGeneralLedger=Ja s'ha transferit als diaris comptables i al llibre major -NotYetInGeneralLedger=Encara no s'ha transferit a les revistes comptables i al llibre major +NotYetInGeneralLedger=Encara no s'ha transferit als diaris comptables i al llibre major GroupIsEmptyCheckSetup=El grup està buit, comproveu la configuració del grup de comptabilitat personalitzat DetailByAccount=Mostra detalls per compte DetailBy=Detall per @@ -53,30 +53,29 @@ ExportAccountingSourceDocHelp=Amb aquesta eina, podeu cercar i exportar els esde ExportAccountingSourceDocHelp2=Per a exportar els vostres diaris, utilitzeu l'entrada de menú %s - %s. ExportAccountingProjectHelp=Especifiqueu un projecte si només necessiteu un informe comptable per a un projecte concret. Els informes de despeses i els pagaments del préstec no s'inclouen als informes del projecte. ExportAccountancy=Exportació de comptabilitat -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +WarningDataDisappearsWhenDataIsExported=Avís, aquesta llista només conté els assentaments comptables que encara no s'han exportat (la data d'exportació està buida). Si voleu incloure els assentaments comptables ja exportats, feu clic al botó de dalt. VueByAccountAccounting=Visualització per compte comptable VueBySubAccountAccounting=Visualització per subcompte comptable -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup +MainAccountForCustomersNotDefined=Compte comptable principal (del Pla comptable) per a clients no definit a la configuració +MainAccountForSuppliersNotDefined=Compte comptable principal (del Pla comptable) per a proveïdors no definit a la configuració +MainAccountForUsersNotDefined=Compte comptable principal (del Pla comptable) per a usuaris no definit a la configuració +MainAccountForVatPaymentNotDefined=Compte comptable (del Pla comptable) per a IVA no definit a la configuració +MainAccountForSubscriptionPaymentNotDefined=Compte comptable (del Pla comptable) per a pagaments de subscripcions no definit a la configuració +MainAccountForRetainedWarrantyNotDefined=Compte comptable (del Pla comptable) per a retencions de garanties no definit a la configuració UserAccountNotDefined=Compte comptable per a l'usuari no definit a la configuració AccountancyArea=Àrea de comptabilitat AccountancyAreaDescIntro=L'ús del mòdul de comptabilitat es realitza en diverses etapes: AccountancyAreaDescActionOnce=Les accions següents s'executen normalment una sola vegada o una vegada a l'any... -AccountancyAreaDescActionOnceBis=Cal fer els passos següents per a estalviar-vos temps en el futur suggerint-vos automàticament el compte comptable predeterminat correcte quan transferiu dades a la comptabilitat +AccountancyAreaDescActionOnceBis=Cal fer els passos següents per estalviar-vos temps en el futur suggerint-vos automàticament el compte de comptabilitat predeterminat correcte quan transferiu dades a la comptabilitat AccountancyAreaDescActionFreq=Les accions següents s'executen normalment cada mes, setmana o dia per empreses molt grans... AccountancyAreaDescJournalSetup=PAS %s: comproveu el contingut de la vostra llista de diaris des del menú %s AccountancyAreaDescChartModel=PAS %s: Comproveu que existeix un model de pla comptable o creeu-ne un des del menú %s AccountancyAreaDescChart=PAS %s: Seleccioneu o completeu el vostre pla comptable al menú %s +AccountancyAreaDescFiscalPeriod=PAS %s: defineix per defecte un exercici fiscal on integrar les teves entrades comptables. Per a això, utilitzeu l'entrada del menú %s. AccountancyAreaDescVat=PAS %s: Defineix comptes comptables per cada tipus d'IVA. Per això, utilitzeu l'entrada del menú %s. AccountancyAreaDescDefault=PAS %s: Definiu comptes comptables per defecte. Per a això, utilitzeu l'entrada de menú %s. AccountancyAreaDescExpenseReport=PAS %s: Definiu els comptes de comptabilitat predeterminats per a cada tipus d'informe de despeses. Per a això, utilitzeu l'entrada del menú %s. @@ -84,19 +83,20 @@ AccountancyAreaDescSal=PAS %s: Defineix comptes comptables per defecte per al pa AccountancyAreaDescContrib=PAS %s: Definiu els comptes de comptabilitat predeterminats per a Impostos (despeses especials). Per a això, utilitzeu l'entrada del menú %s. AccountancyAreaDescDonation=PAS %s: Defineix comptes comptables per defecte per a les donacions. Per això, utilitzeu l'entrada del menú %s. AccountancyAreaDescSubscription=PAS %s: Defineix comptes comptables per defecte per a les donacions. Per això, utilitzeu l'entrada del menú %s. -AccountancyAreaDescMisc=PAS %s: Defineix el compte comptable obligatori per defecte i els comptes comptables per defecte pels assentaments diversos. Per això, utilitzeu l'entrada del menú %s. +AccountancyAreaDescMisc=PAS %s: defineix els comptes predeterminats obligatoris i els comptes comptables predeterminats per a transaccions diverses. Per a això, utilitzeu l'entrada del menú %s. AccountancyAreaDescLoan=PAS %s: Defineix comptes comptables per defecte per als préstecs. Per això, utilitzeu l'entrada del menú %s. AccountancyAreaDescBank=PAS %s: definiu comptes comptables i codis diaris per a cada compte bancari i financer. Per això, utilitzeu l'entrada del menú %s. AccountancyAreaDescProd=PAS %s: defineix els comptes de comptabilitat als teus productes/serveis. Per a això, utilitzeu l'entrada del menú %s. AccountancyAreaDescBind=PAS %s: Comproveu que els enllaços entre les línies %s existents i els comptes comptables és correcta, de manera que l'aplicació podrà registrar els assentaments al Llibre Major en un sol clic. Completa les unions que falten. Per això, utilitzeu l'entrada del menú %s. AccountancyAreaDescWriteRecords=PAS %s: Escriu els assentaments al Llibre Major. Per això, aneu al menú %s, i feu clic al botó %s. -AccountancyAreaDescAnalyze=PAS %s: Afegir o editar transaccions existents i generar informes i exportacions. - -AccountancyAreaDescClosePeriod=PAS %s: Tancar el període de forma que no pot fer modificacions en un futur. +AccountancyAreaDescAnalyze=STEP %s: Read reportings or generate export files for other bookkeepers. +AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't transfer anymore data in the same period in a future. +TheFiscalPeriodIsNotDefined=No s'ha completat un pas obligatori de configuració (el període fiscal no està definit) TheJournalCodeIsNotDefinedOnSomeBankAccount=No s'ha completat un pas obligatori en la configuració (no s'ha definit el codi comptable diari per a tots els comptes bancaris) Selectchartofaccounts=Seleccionar el pla de comptes actiu +CurrentChartOfAccount=Pla comptable actiu actual ChangeAndLoad=Canviar i carregar Addanaccount=Afegir un compte comptable AccountAccounting=Compte comptable @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Gestiona un nombre diferent de zero al final d'un compte BANK_DISABLE_DIRECT_INPUT=Desactiva el registre directe de transaccions al compte bancari ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Habilita l'exportació d'esborrany en el diari ACCOUNTANCY_COMBO_FOR_AUX=Activa la llista combinada per a un compte subsidiari (pot ser lent si tens molts tercers, trenca la capacitat de cerca en una part del valor) -ACCOUNTING_DATE_START_BINDING=Definiu una data per a començar la vinculació i transferència a la comptabilitat. Per sota d’aquesta data, les transaccions no es transferiran a la comptabilitat. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=En la transferència comptable, quin és el període seleccionat per defecte +ACCOUNTING_DATE_START_BINDING=Desactiveu l'enllaç i la transferència a la comptabilitat quan la data sigui inferior a aquesta data (les transaccions anteriors a aquesta data s'exclouran de manera predeterminada) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=A la pàgina per transferir dades a la comptabilitat, quin és el període seleccionat per defecte ACCOUNTING_SELL_JOURNAL=Diari de vendes: vendes i devolucions ACCOUNTING_PURCHASE_JOURNAL=Diari de compres: compres i devolucions @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Diari social ACCOUNTING_RESULT_PROFIT=Compte de comptes de resultats (benefici) ACCOUNTING_RESULT_LOSS=Compte de resultats comptable (pèrdua) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Revista de tancament +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Grups comptables utilitzats per al compte del balanç (separats per comes) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Grups comptables utilitzats per al compte de resultats (separats per comes) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Compte (del pla comptable) que s'utilitzarà com a compte per a transferències bancàries transitòries TransitionalAccount=Compte de transferència bancària transitòria @@ -290,15 +292,15 @@ DescVentilDoneCustomer=Consulteu aquí la llista de les línies de factures dels DescVentilTodoCustomer=Enllaçar línies de factura que encara no estiguin vinculades amb un compte de producte del pla comptable ChangeAccount=Canvieu el compte de producte/servei (del pla comptable) per a les línies seleccionades amb el compte següent: Vide=- -DescVentilSupplier=Consulteu aquí la llista de línies de factura de proveïdor vinculades o encara no vinculades a un compte de producte des del pla comptable (només són visibles els registres no transferits a la comptabilitat) -DescVentilDoneSupplier=Consulteu aquí la llista de les línies de venedors de factures i el seu compte comptable +DescVentilSupplier=Consulteu aquí la llista de línies de factura de proveïdor vinculades o encara no vinculades a un compte de producte des del pla de comptes (només són visibles els registres no transferits a la comptabilitat) +DescVentilDoneSupplier=Consulteu aquí la llista de les línies de proveïdors de factures i el seu compte comptable DescVentilTodoExpenseReport=Línies d'informes de despeses comptabilitzades encara no comptabilitzades amb un compte comptable de tarifa DescVentilExpenseReport=Consulteu aquí la llista de les línies d'informe de despeses vinculada (o no) a un compte comptable corresponent a tarifa DescVentilExpenseReportMore=Si poseu el compte comptable sobre les línies de l'informe per tipus de despesa, l'aplicació serà capaç de fer tots els vincles entre les línies de l'informe i els comptes comptables del vostre pla comptable, només amb un clic amb el botó «%s». Si el compte no estava al diccionari de tarifes o si encara hi ha línies no vinculades a cap compte, haureu de fer-ho manualment a partir del menú «%s». DescVentilDoneExpenseReport=Consulteu aquí la llista de les línies d'informes de despeses i el seu compte comptable de comissions Closure=Tancament anual -DescClosure=Consulta aquí el nombre de moviments per mesos encara no validats i bloquejats +AccountancyClosureStep1Desc=Consulta aquí el nombre de moviments per mesos encara no validats i bloquejats OverviewOfMovementsNotValidated=Visió general dels moviments no validats i bloquejats AllMovementsWereRecordedAsValidated=Tots els moviments es van registrar com a validats i bloquejats NotAllMovementsCouldBeRecordedAsValidated=No tots els moviments es van poder registrar com a validats i bloquejats @@ -341,7 +343,7 @@ AccountingJournalType3=Compres AccountingJournalType4=Banc AccountingJournalType5=Informes de despeses AccountingJournalType8=Inventari -AccountingJournalType9=Haver +AccountingJournalType9=Beneficis retinguts GenerationOfAccountingEntries=Generació d'assentaments comptables ErrorAccountingJournalIsAlreadyUse=Aquest diari ja està en ús AccountingAccountForSalesTaxAreDefinedInto=Nota: El compte comptable per a l'impost de vendes es defineix al menú %s - %s @@ -351,18 +353,20 @@ ACCOUNTING_DISABLE_BINDING_ON_SALES=Desactiva la vinculació i transferència de ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Desactiva la vinculació i transferència a la comptabilitat de les compres (les factures de proveïdors no es tindran en compte a la comptabilitat) ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Desactiva la vinculació i transferència de comptes en els informes de despeses (els informes de despeses no es tindran en compte a la comptabilitat) ACCOUNTING_ENABLE_LETTERING=Habiliteu la funció de lletres a la comptabilitat -ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. +ACCOUNTING_ENABLE_LETTERING_DESC=Quan aquesta opció està activada, podeu definir, a cada entrada comptable, un codi de manera que podeu agrupar diferents moviments comptables. En el passat, quan diferents diaris eren gestionats de forma independent, aquesta facilitat era necessària per agrupar els moviments de diferents llibres. De tota manera, amb Dolibarr accountancy, aquest codi de seguiment, anomenat "%s" ja es guarda automàticament, ja s'automatitza la codificació, sense risc a errors, i per tant aquesta facilitat s'ha fet inútil per a l'ús habitual. La codificació manual s'ofereix per usuaris finals que realment no es refien del computador fent tranferència de dades en comptabilitat. EnablingThisFeatureIsNotNecessary=L'habilitació d'aquesta funció ja no és necessària per a una gestió comptable rigorosa. ACCOUNTING_ENABLE_AUTOLETTERING=Habiliteu la lletra automàtica en traspassar a la comptabilitat ACCOUNTING_ENABLE_AUTOLETTERING_DESC=El codi de la lletra es genera i s'incrementa automàticament i no l'escollia l'usuari final +ACCOUNTING_LETTERING_NBLETTERS=Number de lletres en generar lettering Code ( '>default 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Alguns programari Accounting només accepta un Code de dues lletres. Aquest paràmetre us permet configurar aquest aspecte. La default Number de lletres és de tres. OptionsAdvanced=Opcions avançades ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activar la gestió de la recàrrega de l'IVA a les compres a proveïdors -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Quan aquesta opció està habilitada, podeu definir que un proveïdor o una factura de proveïdor determinada s'ha de transferir a la comptabilitat d'una altra manera: Es generarà un dèbit i una línia de crèdit addicionals a la comptabilitat en 2 comptes determinats del pla de comptes definit al "%s" pàgina de configuració. ## Export NotExportLettering=No exporteu la lletra en generar el fitxer -NotifiedExportDate=Flag not yet exported lines as Exported (to modify a line flagged as exported, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries not yet already locked (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) +NotifiedExportDate=Marca les línies encara no exportades com a Exportades (per a modificar una línia marcada com exportada, haureu de suprimir tota la transacció i tornar-la a transferir a la comptabilitat) +NotifiedValidationDate=Validar i bloquejar les entrades exportades que encara no han sigut bloquejades (mateix efecte que la característica "%s", la modificació i la supressió de les línies DEFINITIVAMENT no seran possibles) NotifiedExportFull=Exportar documents? DateValidationAndLock=Validació de data i bloqueig ConfirmExportFile=Confirmació de la generació del fitxer d'exportació comptable? @@ -394,7 +398,7 @@ ChartofaccountsId=Id pla comptable ## Tools - Init accounting account on product / service InitAccountancy=Inicialitza la comptabilitat InitAccountancyDesc=Aquesta pàgina es pot utilitzar per a inicialitzar un compte comptable de productes i serveis que no tenen un compte comptable definit per a vendes i compres. -DefaultBindingDesc=This page can be used to set the default accounts (from the chart of account) to use to link business objects with an account, like payment salaries, donation, taxes and VAT, when no specific account were already set. +DefaultBindingDesc=Aquesta pàgina es pot utilitzar per a establir el compte predeterminat (del Pla comptable) que s'utilitzarà per a enllaçar aspectes de negoci amb un compte, com el pagament de salaris, donacions, impostos i IVA, quan encara no s'hagi establert cap compte comptable específic. DefaultClosureDesc=Aquesta pàgina es pot utilitzar per a definir els paràmetres utilitzats per als tancaments de comptabilitat. Options=Opcions OptionModeProductSell=Modalitat de vendes @@ -420,7 +424,7 @@ SaleLocal=Venda local SaleExport=Venda d’exportació SaleEEC=Venda en CEE SaleEECWithVAT=Venda a la CEE amb un IVA que no és nul, per la qual cosa suposem que NO es tracta d’una venda intracomunitària i el compte suggerit és el compte estàndard del producte. -SaleEECWithoutVATNumber=Venda a la CEE sense IVA, però l'identificador d'IVA del tercer no està definit. Tornem al compte de vendes estàndard. Podeu corregir l'identificador d'IVA del tercer o canviar el compte del producte suggerit per a vincular-lo si cal. +SaleEECWithoutVATNumber=sale a EEC sense VAT però el VAT ID de Third party no està definit. Recorrem a account per a standard sales. Podeu arreglar el VAT ID del Third party o canviar el Third party span class='notranslate'>product
      account suggerit per a l'enllaç si cal. ForbiddenTransactionAlreadyExported=Prohibit: la transacció ha estat validada i/o exportada. ForbiddenTransactionAlreadyValidated=Prohibit: la transacció s'ha validat. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=No s'ha modificat cap desacord AccountancyOneUnletteringModifiedSuccessfully=S'ha desfet correctament una conciliació AccountancyUnletteringModifiedSuccessfully=%s conciliació desfeta correctament +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period +AccountancyClosureStep3=Pas 3: extreu les entrades (opcional) +AccountancyClosureClose=Tancament del període fiscal +AccountancyClosureAccountingReversal=Extract and record "Retained earnings" entries +AccountancyClosureStep3NewFiscalPeriod=El proper període fiscal +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "Retained earnings" entries on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "Retained earnings" entries, detail the sub-ledger accounts +AccountancyClosureCloseSuccessfully=El període fiscal s'ha tancat amb èxit +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping entries for "Retained earnings" has been inserted successfully + ## Confirm box ConfirmMassUnletteringAuto=Confirmació de desconciliació automàtica massiva ConfirmMassUnletteringManual=Confirmació de desconciliació manual massiva ConfirmMassUnletteringQuestion=Esteu segur que voleu anul·lar la conciliació dels registres seleccionats %s? ConfirmMassDeleteBookkeepingWriting=Confirmació d'esborrament massiu ConfirmMassDeleteBookkeepingWritingQuestion=Això suprimirà la transacció de la comptabilitat (s'eliminaran totes les entrades de línia relacionades amb la mateixa transacció). Esteu segur que voleu suprimir les %s entrades seleccionades? +AccountancyClosureConfirmClose=Esteu segur que voleu tancar l'exercici fiscal actual? Comprèn que tancar l'exercici fiscal és una acció irreversible i bloquejarà permanentment qualsevol modificació o supressió d'entrades durant aquest període . +AccountancyClosureConfirmAccountingReversal=Are you sure you want to record entries for the "Retained earnings" ? ## Error SomeMandatoryStepsOfSetupWereNotDone=No s'han fet alguns passos obligatoris de configuració, si us plau, completeu-los -ErrorNoAccountingCategoryForThisCountry=No hi ha cap grup de comptes comptables disponible per al país %s (Vegeu Inici - Configuració - Diccionaris) +ErrorNoAccountingCategoryForThisCountry=No hi ha cap grup de comptes comptables disponible per al país %s (Vegeu %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Intenteu registrar algunes línies de la factura %s, però algunes altres línies encara no estan vinculades al compte comptable. Es denega el registre al diari de totes les línies d'aquesta factura. ErrorInvoiceContainsLinesNotYetBoundedShort=Algunes línies a la factura no estan vinculades al compte de comptabilitat. ExportNotSupported=El format d'exportació configurat no està suportat en aquesta pàgina @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=El saldo (%s) no és igual a 0 AccountancyErrorLetteringBookkeeping=S'han produït errors relacionats amb les transaccions: %s ErrorAccountNumberAlreadyExists=El número de comptabilitat %s ja existeix ErrorArchiveAddFile=No es pot posar el fitxer «%s» a l'arxiu +ErrorNoFiscalPeriodActiveFound=No s'ha trobat cap període fiscal actiu +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=La data del document de comptabilitat no es troba dins de l'exercici fiscal actiu +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=La data del document de comptabilitat es troba dins d'un període fiscal tancat ## Import ImportAccountingEntries=Entrades de comptabilitat @@ -489,7 +510,7 @@ FECFormatMulticurrencyAmount=Import de múltiples divises (Montantdevise) FECFormatMulticurrencyCode=Codi multidivisa (Idevise) DateExport=Data d'exportació -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contain transactions modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. +WarningReportNotReliable=Atenció, aquest informe no està basat en el Llibre Major, de manera que no conté assentaments modificats manualment en el Llibre Major. Si el registre diari està actualitzat, la vista de comptes és més precisa. ExpenseReportJournal=Diari d'informe de despeses DocsAlreadyExportedAreIncluded=S'inclouen els documents ja exportats ClickToShowAlreadyExportedLines=Feu clic per a mostrar les línies ja exportades diff --git a/htdocs/langs/ca_ES/admin.lang b/htdocs/langs/ca_ES/admin.lang index 366d0624b4a..82447fcea23 100644 --- a/htdocs/langs/ca_ES/admin.lang +++ b/htdocs/langs/ca_ES/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Aquest mòdul no sembla compatible amb el vostre Dolibarr %s (Mín CompatibleAfterUpdate=Aquest mòdul requereix actualitzar el vostre Dolibarr %s (Mín. %s - Màx. %s). SeeInMarkerPlace=Veure a la tenda d'apps SeeSetupOfModule=Vegi la configuració del mòdul %s +SeeSetupPage=Vegeu la pàgina de configuració a %s +SeeReportPage=Vegeu la pàgina de l'informe a %s SetOptionTo=Estableix l'opció %s a %s Updated=Actualitzat AchatTelechargement=Comprar / Descarregar @@ -292,22 +294,22 @@ EmailSenderProfiles=Perfils de remitents de correus electrònics EMailsSenderProfileDesc=Podeu mantenir aquesta secció buida. Si introduïu aquí alguns emails, aquests seran afegits a la llista de possibles remitents al desplegable quan escrigueu un correu electrònic nou. MAIN_MAIL_SMTP_PORT=Port del servidor SMTP (Per defecte a php.ini: %s) MAIN_MAIL_SMTP_SERVER=Nom host o ip del servidor SMTP (Per defecte en php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Port del servidor SMTP (No definit en PHP en sistemes de tipus Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Nom servidor o ip del servidor SMTP (No definit en PHP en sistemes de tipus Unix) -MAIN_MAIL_EMAIL_FROM=E-mail del remitent per e-mails automàtics (valor predeterminat a php.ini: %s) -EMailHelpMsgSPFDKIM=Per a evitar que els correus electrònics de Dolibarr siguin classificats com a correu brossa, assegureu-vos que el servidor estigui autoritzat a enviar correus electrònics des d'aquesta adreça mitjançant la configuració SPF i DKIM +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Port SMTP/SMTPS +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Amfitrió SMTP/SMTPS +MAIN_MAIL_EMAIL_FROM=Correu electrònic del remitent per a correus electrònics automàtics +EMailHelpMsgSPFDKIM=Per evitar que els correus electrònics de Dolibarr siguin classificats com a correu brossa, assegureu-vos que el servidor estigui autoritzat a enviar correus electrònics amb aquesta identitat (comprovant la configuració SPF i DKIM del nom de domini) MAIN_MAIL_ERRORS_TO=E-mail a utilitzar per als e-mails de missatges d'error (camp 'Errors-To' als e-mails enviats) MAIN_MAIL_AUTOCOPY_TO= Copia (Bcc) tots els correus enviats a MAIN_DISABLE_ALL_MAILS=Desactiva tot l'enviament de correu electrònic (per a proves o demostracions) MAIN_MAIL_FORCE_SENDTO=Envieu tots els correus electrònics a (en lloc de destinataris reals, amb finalitats d'assaig) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggeriu correus electrònics dels empleats (si es defineix) a la llista de destinataris predefinits quan escriviu un correu electrònic nou -MAIN_MAIL_NO_WITH_TO_SELECTED=No seleccioneu un destinatari predeterminat encara que sigui d'opció única +MAIN_MAIL_NO_WITH_TO_SELECTED=No seleccioneu un destinatari predeterminat encara que només hi hagi una opció possible MAIN_MAIL_SENDMODE=Mètode d'enviament de correu electrònic MAIN_MAIL_SMTPS_ID=ID d'autenticació SMTP (si el servidor requereix autenticació) MAIN_MAIL_SMTPS_PW=Contrasenya SMTP (si el servidor requereix autenticació) MAIN_MAIL_EMAIL_TLS=Utilitza el xifratge TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Utilitza el xifratge TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autoritza els certificats autosignats +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autoritzar certificats autofirmats MAIN_MAIL_EMAIL_DKIM_ENABLED=Utilitzar DKIM per a generar firma d'email MAIN_MAIL_EMAIL_DKIM_DOMAIN=Domini d'email per a utilitzar amb dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Nom del selector dkim @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Clau privada per a la firma dkim MAIN_DISABLE_ALL_SMS=Desactiva tots els enviaments d'SMS (per a finalitats de prova o demostracions) MAIN_SMS_SENDMODE=Mètode a utilitzar per a enviar SMS MAIN_MAIL_SMS_FROM=Número de telèfon del remitent predeterminat per a l'enviament d'SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Remitent per defecte per a correus enviats manualment (adreça de correu d'usuari o d'empresa) +MAIN_MAIL_DEFAULT_FROMTYPE=Correu electrònic del remitent per defecte preseleccionat als formularis per enviar correus electrònics UserEmail=Correu electrònic de l'usuari CompanyEmail=Correu electrònic de l'empresa FeatureNotAvailableOnLinux=Funcionalitat no disponible en sistemes Unix. Proveu el seu sendmail localment. @@ -365,10 +367,10 @@ GenericMaskCodes=Podeu introduir qualsevol màscara de numeració. En aquesta m GenericMaskCodes2= {cccc} el codi del client en n caràcters
      {cccc000}. Aquest comptador dedicat al client es restableix al mateix temps que el comptador global.
      {tttt} El codi del tipus de tercers en n caràcters (vegeu el menú Inici - Configuració - Diccionari - Tipus de tercers). Si afegiu aquesta etiqueta, el comptador serà diferent per a cada tipus de tercer.
      GenericMaskCodes3=Qualsevol altre caràcter a la màscara es quedarà sense canvis.
      No es permeten espais
      GenericMaskCodes3EAN=La resta de caràcters de la màscara romandran intactes (excepte * o ? En 13a posició a EAN13).
      No es permeten espais.
      A EAN13, l'últim caràcter després de l'últim } a la 13a posició hauria de ser * o ? . Se substituirà per la clau calculada.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      +GenericMaskCodes4a=Exemple en el 99 %s del tercer L'Empresa, amb data 31/01/2023:
      GenericMaskCodes4b=Exemple en un tercer creat el 31/01/2023:
      GenericMaskCodes4c=Exemple de producte creat el 31/01/2023:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes5=ABC{yy}{mm}-{000000} donarà ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX donarà 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} donarà IN2301-0099-A si el tipus d'empresa és 'Responsable Inscripto' amb codi per a tipus que és 'A_RI' GenericNumRefModelDesc=Retorna un nombre creat d'acord amb una màscara definida. ServerAvailableOnIPOrPort=Servidor disponible a l'adreça %s al port %s ServerNotAvailableOnIPOrPort=Servidor no disponible en l'adreça %s al port %s @@ -417,6 +419,7 @@ PDFLocaltax=Regles per %s HideLocalTaxOnPDF=Amagueu la tarifa %s a la columna Impost de venda / IVA HideDescOnPDF=Amaga la descripció dels productes HideRefOnPDF=Amaga la ref. dels productes +ShowProductBarcodeOnPDF=Mostra el número de codi de barres dels productes HideDetailsOnPDF=Amaga els detalls de les línies de producte PlaceCustomerAddressToIsoLocation=Utilitza la posició estàndard francesa (La Poste) per a la posició d'adreça del client Library=Biblioteca @@ -424,7 +427,7 @@ UrlGenerationParameters=Paràmetres per a protegir els URL SecurityTokenIsUnique=Fer servir un paràmetre securekey únic per a cada URL? EnterRefToBuildUrl=Introduïu la referència de l'objecte %s GetSecuredUrl=Obteniu l'URL calculat -ButtonHideUnauthorized=Amaga els botons d'acció no autoritzats també per als usuaris interns (en cas contrari, en gris) +ButtonHideUnauthorized=Amaga els botons d'acció no autoritzat també per als usuaris interns (només en gris en cas contrari) OldVATRates=Taxa d'IVA antiga NewVATRates=Taxa d'IVA nova PriceBaseTypeToChange=Canviar el preu on la referència de base és @@ -458,11 +461,11 @@ ComputedFormula=Camp calculat ComputedFormulaDesc=Podeu introduir aquí una fórmula utilitzant altres propietats de l’objecte o qualsevol codi PHP per a obtenir un valor calculat dinàmicament. Podeu utilitzar qualsevol fórmula compatible amb PHP, inclòs l'operador condicional «?» i els següents objectes globals:$db, $conf, $langs, $mysoc, $user, $object.
      ATENCIÓ: Només poden estar disponibles algunes propietats de $object. Si necessiteu una propietat no carregada, només cal que incorporeu l'objecte a la vostra fórmula com en el segon exemple.
      Utilitzar un camp calculat implica que no podreu introduir cap valor des de la interfície. A més, si hi ha un error de sintaxi, la fórmula pot no tornar res.

      Exemple de fórmula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Exemple per a tornar a carregar l'objecte
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Un altre exemple de fórmula per a forçar la càrrega de l'objecte i el seu objecte pare:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Emmagatzemar el camp computat ComputedpersistentDesc=Els camps addicionals calculats s’emmagatzemaran a la base de dades, però el valor només es recalcularà quan es canviï l’objecte d’aquest camp. Si el camp calculat depèn d'altres objectes o dades globals, aquest valor pot ser incorrecte!! -ExtrafieldParamHelpPassword=Si deixeu aquest camp en blanc, vol dir que aquest valor s'emmagatzemarà sense xifratge (el camp només s'ha d'amagar amb una estrella a la pantalla).
      Establiu 'auto' per a utilitzar la regla de xifratge predeterminada per a desar la contrasenya a la base de dades (aleshores, el valor llegit serà només el hash, no hi ha manera de recuperar el valor original) +ExtrafieldParamHelpPassword=Si deixeu aquest Field en blanc, vol dir que aquest valor s'emmagatzemarà SENSE xifratge (Field només s'amaga amb estrelles a screen).

      Introduïu el valor "dolcrypt" per codificar el valor amb un algorisme de xifratge reversible. Les dades esborrades encara es poden conèixer and editades, però estan xifrades a database.

      Introduïu 'auto' (o 'md5', 'sha256', 'password_hash', ...) per utilitzar el default
      span> algorisme de xifratge de contrasenyes (o md5, sha256, password_hash...) per desar la contrasenya hash no reversible a database (no hi ha manera de recuperar el valor original) ExtrafieldParamHelpselect=La llista de valors ha de ser un conjunt de línies amb un format del tipus clau,valor (on la clau no pot ser '0')

      per exemple:
      1,valor1
      2,valor2
      codi3,valor3
      ...

      Per a tenir la llista depenent d'una altra llista d'atributs complementaris:
      1,valor1|options_codi_llista_pare:clau_pare
      2,valor2|options_codi_llista_pare:clau_pare

      Per a tenir la llista depenent d'una altra llista:
      1,valor1|codi_llista_pare:clau_pare
      2,valor2|codi_llista_pare:clau_pare ExtrafieldParamHelpcheckbox=La llista de valor ha de ser un conjunt de línies del tipus clau,valor (on la clau no pot ser '0')

      per exemple:
      1,valor1
      2,valor2
      3,valor3
      ... ExtrafieldParamHelpradio=La llista de valor ha de ser un conjunt de línies del tipus clau,valor (on la clau no pot ser '0')

      per exemple:
      1,valor1
      2,valor2
      3,valor3
      ... -ExtrafieldParamHelpsellist=Llista de valors que provenen d’una taula
      Sintaxi: nom_taula:nom_camp:id_camp::filtresql
      Exemple: c_typent:libelle:id::filtresql

      - id_camp ha de ser necessàriament una clau primària numèrica
      - el filtresql és una condició SQL. Pot ser una prova simple (p. ex. active=1) per a mostrar només els valors actius
      També pots utilitzar $ID$ al filtre per a representar el ID de l'actual objecte en curs
      Per a utilitzar un SELECT al filtre, utilitzeu la paraula clau $SEL$ per a evitar la protecció anti injecció.
      Si vols filtrar camps addicionals, utilitza la sintaxi extra.nom_camp=... (on nom_camp és el codi del camp addicional)

      Per a tenir la llista en funció d’una altra llista d’atributs complementaris:
      c_typent:libelle:id:options_codi_llista_mare|parent_column:filtre

      Per a tenir la llista en funció d'una altra llista:
      c_typent:libelle:id:codi_llista_mare|parent_column:filter +ExtrafieldParamHelpsellist=La llista de valors prové d'una taula
      Sintaxi: table_name:label_field:id_field::filtersql
      Exemple: c_typent:libelle: ::filtersql

      - id_field és necessàriament una clau int primària
      - filtersql és una condició SQL. Pot ser una prova senzilla (per exemple, active=1) per mostrar només el valor actiu
      També podeu utilitzar $ID$ al filtre, que és l'identificador actual de l'objecte actual
      Per utilitzar SELECT al filtre, utilitzeu la paraula clau $SEL$ per evitar la protecció anti-injecció.
      si voleu filtrar els camps addicionals utilitzeu la sintaxi extra.fieldcode=... (on el codi del camp és el codi del camp extra)

      Per tenir el llista en funció d'una altra llista d'atributs complementaris:
      c_typent:libelle:id:options_parent_list_code |parent_column:filter

      Per tal que la llista depengui d'una altra llista:
      c_typent:libelle:id:parent_list_code:filter_column>| ExtrafieldParamHelpchkbxlst=La llista de valors prové d'una taula
      Sintaxi: nom_taula:nom_camp:id_camp::filtresql
      Exemple: c_typent:libelle:id::filtresql

      El filtre pot ser un cas senzill (per exemple, active=1) per a mostrar només el valor actiu
      També podeu utilitzar $ID$ al filtre per a indicar l'identificador de l'objecte actual
      Per a fer un SELECT al filtre, utilitzeu $SEL$
      Si voleu filtrar en camps complementaris, utilitzeu la sintaxi extra.nom_camp=... (on el codi del camp és el codi del camp complementari)

      Per tal que la llista depengui d'una altra llista d'atributs complementaris:
      c_typent:libelle:id:options_ parent_list_code|parent_column:filtre

      Per tal que la llista depengui d'una altra llista:
      c_typent:libelle:id:parent_list_code |columna_parent:filtre ExtrafieldParamHelplink=Els paràmetres han de ser ObjectName:Classpath
      Sintaxi: ObjectName:Classpath ExtrafieldParamHelpSeparator=Manteniu-lo buit per un simple separador
      Configureu-ho a 1 per a un separador col·lapsador (obert per defecte per a la sessió nova, i es mantindrà l'estat de cada sessió d'usuari)
      Configureu-ho a 2 per a un separador col·lapsat (es va desplomar per defecte per a la sessió nova, i es mantindrà l'estat per a cada sessió d'usuari) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Introduïu un número de telèfon per a trucar per a mostr RefreshPhoneLink=Actualitza l'enllaç LinkToTest=Enllaç clicable generat per l'usuari %s (feu clic al número de telèfon per a provar-lo) KeepEmptyToUseDefault=Deixa-ho buit per a usar el valor per defecte -KeepThisEmptyInMostCases=En la majoria dels casos, pots deixar aquest camp buit. +KeepThisEmptyInMostCases=En la majoria dels casos, podeu mantenir aquest camp buit. DefaultLink=Enllaç per defecte SetAsDefault=Indica'l com Defecte ValueOverwrittenByUserSetup=Avís, aquest valor es pot sobreescriure per la configuració específica de l'usuari (cada usuari pot establir el seu propi URL de clicktodial) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Aquest és el nom del camp HTML. Es necessiten coneix PageUrlForDefaultValues=Heu d'introduir el camí relatiu de l'URL de la pàgina. Si incloeu paràmetres a l'URL, serà efectiu si tots els paràmetres de l'URL consultat tenen el valor definit aquí. PageUrlForDefaultValuesCreate=
      Exemple:
      Per al formulari per a crear un tercer nou, és %s.
      Per a l'URL dels mòduls externs instal·lats al directori personalitzat, no inclogueu el «custom/», de manera que utilitzeu un camí com elmeumodul/lamevapagina.php i no custom/elmeumodul/lamevapagina.php.
      Si només voleu un valor predeterminat si l'URL té algun paràmetre, podeu utilitzar %s PageUrlForDefaultValuesList=
      Exemple:
      Per a la pàgina que llista els tercers, és %s.
      Per a l'URL dels mòduls externs instal·lats al directori personalitzat, no inclogueu «custom/», així que utilitzeu un camí com elmeumodul/lamevapaginallistat.php i no custom/elmeumodul/lamevapaginallistat.php.
      Si només voleu un valor predeterminat si l'URL té algun paràmetre, podeu utilitzar %s -AlsoDefaultValuesAreEffectiveForActionCreate=També tingueu en compte que sobreescriure valors predeterminats per a la creació de formularis funciona només per a pàgines dissenyades correctament (de manera que amb el paràmetre action = create o presend ...) +AlsoDefaultValuesAreEffectiveForActionCreate=Tingueu en compte també que sobreescriure els valors predeterminats per a la creació de formularis només funciona per a pàgines que s'han dissenyat correctament (per tant, amb el paràmetre acció=crear o presentar...) EnableDefaultValues=Activa la personalització dels valors predeterminats EnableOverwriteTranslation=Permet la personalització de les traduccions GoIntoTranslationMenuToChangeThis=S'ha trobat una traducció de la clau amb aquest codi. Per a canviar aquest valor, l’heu d’editar des d'Inici-Configuració-Traducció. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=El directori privat genèric és un directori WebDA DAV_ALLOW_PUBLIC_DIR=Habiliteu el directori públic genèric (directori dedicat de WebDAV anomenat "públic": no cal iniciar sessió DAV_ALLOW_PUBLIC_DIRTooltip=El directori públic genèric és un directori WebDAV que tothom pot accedir (en mode de lectura i escriptura), sense necessitat d’autorització (compte d’inici / contrasenya). DAV_ALLOW_ECM_DIR=Habiliteu el directori privat DMS / ECM (directori arrel del mòdul DMS / ECM) -DAV_ALLOW_ECM_DIRTooltip=El directori arrel on es carreguen manualment tots els fitxers quan s’utilitza el mòdul GED. De manera similar a l'accés des de la interfície web, necessitareu un usuari/contrasenya vàlids amb permisos adequats per a accedir-hi. +DAV_ALLOW_ECM_DIRTooltip=El directori arrel on es carreguen manualment tots els fitxers quan s'utilitza el mòdul DMS/ECM. De la mateixa manera que l'accés des de la interfície web, necessitareu un inici de sessió/contrasenya vàlid amb els permisos adequats per accedir-hi. ##### Modules ##### Module0Name=Usuaris i grups Module0Desc=Gestió d'usuaris / empleats i grups @@ -566,7 +569,7 @@ Module40Desc=Gestió de proveïdors i compres (comandes de compra i facturació Module42Name=Registre de depuració Module42Desc=Generació de registres (fitxer, syslog...). Aquests registres tenen finalitats tècniques o de depuració. Module43Name=Barra de depuració -Module43Desc=Una eina per al desenvolupador que afegeix una barra de depuració al navegador. +Module43Desc=Una eina per a desenvolupadors, que afegeix una barra de depuració al vostre navegador. Module49Name=Editors Module49Desc=Gestió d'editors Module50Name=Productes @@ -582,7 +585,7 @@ Module54Desc=Gestió de contractes (serveis o subscripcions recurrents) Module55Name=Codis de barra Module55Desc=Gestió de codis de barres o codi QR Module56Name=Pagament per transferència bancària -Module56Desc=Gestió del pagament de proveïdors per ordres de Transferència de Crèdit. Inclou la generació del fitxer SEPA per als països europeus. +Module56Desc=Gestió del pagament de proveïdors o salaris per ordres de Transferència de Crèdit. Inclou la generació del fitxer SEPA per als països europeus. Module57Name=Cobraments per domiciliació bancària Module57Desc=Gestió de comandes de dèbit directe. Inclou la generació de fitxers SEPA per a països europeus. Module58Name=ClickToDial @@ -630,12 +633,16 @@ Module600Desc=Envieu notificacions per correu electrònic activades per un esdev Module600Long=Tingueu en compte que aquest mòdul està dedicat a enviar correus electrònics en temps real quan es produeix un esdeveniment de negoci específic. Si cerqueu una característica per a enviar recordatoris per correu electrònic dels esdeveniments de l'agenda, aneu a la configuració del mòdul Agenda. Module610Name=Variants de producte Module610Desc=Permet la creació de variants de producte en funció dels atributs (color, mida, etc.) +Module650Name=Llistats de materials (BOM) +Module650Desc=module per definir les vostres factures de Materials (BOM). Es pot utilitzar per a Manufacturing Resource Planificació de la module= 'notranslate'>Manufacturing
      Comandes (MO) +Module660Name=Manufacturing Resource Planificació (MRP) +Module660Desc=module per gestionar Manufacturing (MO) Module700Name=Donacions Module700Desc=Gestió de donacions Module770Name=Informes de despeses Module770Desc=Gestiona les reclamacions d'informes de despeses (transport, menjar...) Module1120Name=Pressupostos de proveïdor -Module1120Desc=Sol·licitar al venedor cotització i preus +Module1120Desc=Sol·licitar al proveïdor cotització i preus Module1200Name=Mantis Module1200Desc=Integració de Mantis Module1520Name=Generar document @@ -650,8 +657,8 @@ Module2300Name=Tasques programades Module2300Desc=Gestió de tasques programades (àlies cron o taula de crons) Module2400Name=Esdeveniments/Agenda Module2400Desc=Seguiment d'esdeveniments. Registre d'esdeveniments automàtics per a fer el seguiment o registrar esdeveniments manuals o reunions. Aquest és el mòdul principal per a una bona gestió de la relació amb clients o proveïdors. -Module2430Name=Calendari de reserves en línia -Module2430Desc=Proporcioneu un calendari en línia per a permetre que qualsevol persona pugui reservar una cita, segons els rangs o les disponibilitats predefinits. +Module2430Name=Programació de cites en línia +Module2430Desc=Proporciona un sistema de reserva de cites en línia. Això permet que qualsevol persona pugui reservar una cita, segons els rangs o les disponibilitats predefinits. Module2500Name=SGD / GCE Module2500Desc=Sistema de gestió de documents / Gestió de continguts electrònics. Organització automàtica dels vostres documents generats o emmagatzemats. Compartiu-los quan ho necessiteu. Module2600Name=Serveis API / Web (servidor SOAP) @@ -672,7 +679,7 @@ Module3300Desc=Una eina RAD (Desenvolupament ràpid d'aplicacions: codi baix i s Module3400Name=Xarxes socials Module3400Desc=Activa els camps de les xarxes socials a tercers i adreces (skype, twitter, facebook...). Module4000Name=RH -Module4000Desc=Gestió de recursos humans (gestionar departaments, empleats, contractes i "feelings") +Module4000Desc=Gestió de recursos humans (gestió de departament, contractes d'empleats, gestió de competències i entrevistes) Module5000Name=Multiempresa Module5000Desc=Permet gestionar diverses empreses Module6000Name=Flux de treball entre mòduls @@ -712,6 +719,8 @@ Module63000Desc=Gestiona els recursos (impressores, cotxes, habitacions...) que Module66000Name=Gestió de testimonis OAuth2 Module66000Desc=Proporcioneu una eina per a generar i gestionar fitxes OAuth2. El testimoni pot ser utilitzat per alguns altres mòduls. Module94160Name=Recepcions +ModuleBookCalName=Sistema de calendari de reserves +ModuleBookCalDesc=Gestioneu un calendari per reservar cites ##### Permissions ##### Permission11=Consulta les factures dels clients (i els cobraments) Permission12=Crear/Modificar factures @@ -996,7 +1005,7 @@ Permission4031=Llegeix informació personal Permission4032=Escriu informació personal Permission4033=Consulta totes les avaluacions (fins i tot les dels usuaris no subordinats) Permission10001=Llegiu el contingut del lloc web -Permission10002=Crea / modifica contingut del lloc web (contingut html i javascript) +Permission10002=Crear/modificar el contingut del lloc web (contingut html i JavaScript) Permission10003=Creeu / modifiqueu el contingut del lloc web (codi php dinàmic). Perillós, s'ha de reservar per a desenvolupadors restringits. Permission10005=Suprimeix el contingut del lloc web Permission20001=Consulta els dies de lliure disposició (els propis i els dels teus subordinats) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Informe de despeses - Rang per categoria de transport DictionaryTransportMode=Informe intracomm: mode de transport DictionaryBatchStatus=Estat del control de qualitat del lot / sèrie del producte DictionaryAssetDisposalType=Tipus d'alienació d'actius +DictionaryInvoiceSubtype=Subtipus de factures TypeOfUnit=Tipus d’unitat SetupSaved=Configuració desada SetupNotSaved=Configuració no desada @@ -1109,10 +1119,11 @@ BackToModuleList=Torna a la llista de mòduls BackToDictionaryList=Torna a la llista de Diccionaris TypeOfRevenueStamp=Tipus de segell fiscal VATManagement=Gestió IVA -VATIsUsedDesc=De manera predeterminada, quan es creen clients potencials, factures, comandes, etc., la tarifa de l'impost de vendes segueix la norma estàndard activa:
      Si el venedor no està subjecte a l'impost de vendes, l'impost de vendes s'estableix per defecte a 0. Final de la regla.
      Si el (país del venedor = país del comprador), l'impost de vendes per defecte és igual a l'impost de vendes del producte al país del venedor. Fi de la regla.
      Si el venedor i el comprador es troben a la Comunitat Europea i els productes són productes relacionats amb el transport (transport, enviament, línia aèria), l'IVA per defecte és 0. Aquesta norma depèn del país del venedor, consulteu amb el vostre comptador. L'IVA s'ha de pagar pel comprador a l'oficina de duanes del seu país i no al venedor. Fi de la regla.
      Si el venedor i el comprador es troben a la Comunitat Europea i el comprador no és una empresa (amb un número d'IVA intracomunitari registrat), l'IVA es fa per defecte al tipus d'IVA del país del venedor. Fi de la regla.
      Si el venedor i el comprador es troben a la Comunitat Europea i el comprador és una empresa (amb un número d'IVA intracomunitari registrat), l'IVA és 0 per defecte. Fi de la regla.
      En qualsevol altre cas, el valor predeterminat proposat és l'impost de vendes = 0. Fi de la regla. +VATIsUsedDesc=De manera predeterminada, quan es creen clients potencials, factures, comandes, etc., la taxa de l'impost de vendes segueix la regla estàndard activa:
      Si el venedor no està subjecte a l'impost de vendes, l'impost de vendes és 0 per defecte. . Fi de la regla.
      Si el (país del venedor = país del comprador), l'impost de vendes per defecte és igual a l'impost de vendes del producte al país del venedor. Fi de la regla.
      Si el venedor i el comprador són tots dos a la Comunitat Europea i les mercaderies són productes relacionats amb el transport (transport, enviament, línia aèria), l'IVA predeterminat és 0. Això La regla depèn del país del venedor; consulteu amb el vostre comptable. L'IVA l'ha de pagar el comprador a l'oficina de duana del seu país i no al venedor. Final de la regla.
      Si el venedor i el comprador són tots dos a la Comunitat Europea i el comprador no és una empresa (amb un número d'IVA intracomunitari registrat), l'IVA serà predeterminat. el tipus d'IVA del país del venedor. Final de la regla.
      Si el venedor i el comprador són tots dos a la Comunitat Europea i el comprador és una empresa (amb un número d'IVA intracomunitari registrat), l'IVA és 0. per defecte. Final de la regla.
      En qualsevol altre cas, el valor predeterminat proposat és Impost sobre vendes=0. Final de regla. VATIsNotUsedDesc=El tipus d'IVA proposat per defecte és 0. Aquest és el cas d'associacions, particulars o algunes petites societats. VATIsUsedExampleFR=A França, es tracta de les societats o organismes que trien un règim fiscal general (General simplificat o General normal), règim en el qual es declara l'IVA. VATIsNotUsedExampleFR=A França, s'entén per associacions que no declaren l'impost de vendes o d'empreses, organitzacions o professions liberals que han escollit el sistema fiscal de microempresa (Impost sobre vendes en franquícia) i han pagat un impost sobre vendes de franquícia sense cap declaració d'impost sobre vendes. Aquesta opció mostrarà la referència «Impost sobre vendes no aplicable - art-293B de CGI» a les factures. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Tipus d’impost sobre vendes LTRate=Tarifa @@ -1134,7 +1145,7 @@ LocalTax1IsNotUsedDescES=Per defecte, el RE proposat és 0. Fi de la regla. LocalTax1IsUsedExampleES=A Espanya, es tracta de persones físiques: autònoms subjectes a uns epígrafs concrets de l'IAE. LocalTax1IsNotUsedExampleES=A Espanya, es tracta d'empreses jurídiques: Societats limitades, anònimes, etc. i persones físiques (autònoms) subjectes a certs epígrafs de l'IAE. LocalTax2ManagementES=Gestió IRPF -LocalTax2IsUsedDescES=El tipus d'IRPF proposat per defecte en les creacions de pressupostos, factures, comandes, etc. respon a la següent regla:
      Si el venedor no està subjecte a IRPF, IRPF per defecte= 0. Final de regla.
      Si el venedor està subjecte a IRPF, aleshores s'aplica valor d'IRPF per defecte. Final de regla.
      +LocalTax2IsUsedDescES=El tipus d'IRPF proposat per defecte en les creacions de pressupostos, factures, comandes, etc. respon a la següent regla:
      Si el proveïdor no està subjecte a IRPF, IRPF per defecte= 0. Final de regla.
      Si el proveïdor està subjecte a IRPF, aleshores s'aplica valor d'IRPF per defecte. Final de regla.
      LocalTax2IsNotUsedDescES=Per defecte, l'IRPF proposat és 0. Fi de la regla. LocalTax2IsUsedExampleES=A Espanya, es tracta de persones físiques: autònoms i professionals independents que presten serveis i empreses que han triat el règim fiscal de mòduls. LocalTax2IsNotUsedExampleES=A Espanya, es tracta d'empreses no subjectes al règim fiscal de mòduls. @@ -1399,8 +1410,8 @@ PHPModuleLoaded=Es carrega el component PHP %s PreloadOPCode=S'utilitza un codi OPC precarregat AddRefInList=Mostra client/proveïdor ref. en llistes combinades.
      Els tercers apareixeran amb el format de nom "CC12345 - SC45678 - The Big Company corp". en lloc de "The Big Company corp". AddVatInList=Mostra el número d'IVA del client/proveïdor a les llistes combinades. -AddAdressInList=Mostra l'adreça del client/proveïdor en llistes combinades.
      Els tercers apareixeran amb el format de nom "The Big Company corp. - 21 jump street 123456 Big town - USA" en comptes de "The Big Company corp". -AddEmailPhoneTownInContactList=Mostra el correu electrònic de contacte (o els telèfons si no està definit) i la llista d'informació de la ciutat (llista de selecció o llista desplegable)
      Els contactes apareixeran amb un format de nom "Dupond Durand - dupond.durand@email.com - París" o "Dupond Durand - 06 07 59 65 66 - París "en lloc de" Dupond Durand". +AddAdressInList=Mostra l'adreça del client/proveïdor a les llistes combinades.
      Els tercers apareixeran amb el format de nom "The Big Company corp. - 21 jump street 123456 Big town - USA" en lloc de " The Big Company Corp". +AddEmailPhoneTownInContactList=Mostra el correu electrònic de contacte (o els telèfons si no està definit) i la llista d'informació de la ciutat (llista de selecció o llista desplegable)
      Els contactes apareixeran amb un format de nom "Dupond Durand - dupond.durand@example.com - París" o "Dupond Durand - 06 07 59 65 66 - París "en lloc de" Dupond Durand". AskForPreferredShippingMethod=Demaneu un mètode d'enviament preferit per a tercers. FieldEdition=Edició del camp %s FillThisOnlyIfRequired=Exemple: +2 (ompliu només si es produeixen problemes de compensació de la zona horària) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=No mostris l'enllaç «Contrasenya oblidada UsersSetup=Configuració del mòdul d'usuaris UserMailRequired=Cal un correu electrònic per a crear un usuari nou UserHideInactive=Amaga els usuaris inactius de totes les llistes desplegables d'usuaris (no es recomana: pot ser que no pugueu filtrar ni cercar usuaris antics en algunes pàgines) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Plantilles de documents per a documents generats a partir d'un registre d'usuari GroupsDocModules=Plantilles de documents per a documents generats a partir d’un registre de grup ##### HRM setup ##### @@ -1429,7 +1442,7 @@ CompanyCodeChecker=Opcions per a la generació automàtica de codis de client / AccountCodeManager=Opcions per a la generació automàtica de comptes comptables de client/proveïdor NotificationsDesc=Les notificacions per correu electrònic es poden enviar automàticament per a alguns esdeveniments de Dolibarr.
      Es poden definir els destinataris de les notificacions: NotificationsDescUser=* per usuari, un usuari alhora. -NotificationsDescContact=* per contactes de tercers (clients o venedors), un contacte a la vegada. +NotificationsDescContact=* per contactes de tercers (clients o proveïdors), un contacte a la vegada. NotificationsDescGlobal=* o establint adreces de correu electrònic globals a la pàgina de configuració del mòdul. ModelModules=Plantilles de documents DocumentModelOdt=Genereu documents a partir de plantilles OpenDocument (fitxers .ODT / .ODS de LibreOffice, OpenOffice, KOffice, TextEdit...) @@ -1510,7 +1523,7 @@ MembersSetup=Configuració del mòdul Socis MemberMainOptions=Opcions principals MemberCodeChecker=Opcions per a la generació automàtica de codis de soci AdherentLoginRequired=Gestiona un compte d'usuari/contrasenya per a cada soci -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +AdherentLoginRequiredDesc=Afegeix un valor per al nom i la contrasenya a l'arxiu de membres. Si el membre està enllaçat a un usuari, actualitzant el nom i la contrasenya del membre també actualitza el nom i contrasenya de l'usuari. AdherentMailRequired=Cal un correu electrònic per a crear un soci nou MemberSendInformationByMailByDefault=La casella de selecció per a enviar una confirmació per correu electrònic als socis (validació o nova subscripció) està activada per defecte MemberCreateAnExternalUserForSubscriptionValidated=Creeu un usuari extern per a cada subscripció nova membre validada @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Exemple : gidnumber LDAPFieldUserid=Identificador personal LDAPFieldUseridExample=Exemple : uidnumber LDAPFieldHomedirectory=Directori d’inici -LDAPFieldHomedirectoryExample=Exemple: directoriprincipal +LDAPFieldHomedirectoryExample=Exemple: directori inicial LDAPFieldHomedirectoryprefix=Prefix del directori inicial LDAPSetupNotComplete=Configuració LDAP incompleta (a completar en les altres pestanyes) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Administrador o contrasenya no indicats. Els accessos LDAP seran anònims i en només lectura. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=S'ha trobat el mòdul memcached per a l'apli MemcachedAvailableAndSetup=El mòdul memcached dedicat a utilitzar el servidor memcached està habilitat. OPCodeCache=OPCode memòria cau NoOPCodeCacheFound=No s'ha trobat cap memòria cau d'OPCode. Potser utilitzeu una memòria cau OPCode diferent de XCache o eAccelerator (bona), o potser no teniu memòria cau OPCode (molt malament). -HTTPCacheStaticResources=Memòria cau HTTP per a estadístiques de recursos (css, img, javascript) +HTTPCacheStaticResources=Memòria cau HTTP per a recursos estàtics (css, img, JavaScript) FilesOfTypeCached=Fitxers de tipus %s s'emmagatzemen en memòria cau pel servidor HTTP FilesOfTypeNotCached=Fitxers de tipus %s no s'emmagatzemen en memòria cau pel servidor HTTP FilesOfTypeCompressed=Fitxers de tipus %s són comprimits pel servidor HTTP @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Text lliure en els rebuts de lliurament ##### FCKeditor ##### AdvancedEditor=Editor avançat ActivateFCKeditor=Activar editor avançat per a : -FCKeditorForNotePublic=WYSIWIG creació/edició del camp "notes públiques" d'elements -FCKeditorForNotePrivate=Creació/edició WYSIWIG del camp "notes privades" d'elements -FCKeditorForCompany=Creació / edició de WYSIWIG de la descripció del camp d'elements (excepte productes / serveis) -FCKeditorForProductDetails=Creació/edició WYSIWIG de descripció de productes o línies per objectes (línies de pressupostos, comandes, factures, etc...). +FCKeditorForNotePublic=WYSIWYG creació/edició del camp "notes públiques" d'elements +FCKeditorForNotePrivate=Creació/edició WYSIWYG del camp "notes privades" d'elements +FCKeditorForCompany=Creació / edició de WYSIWYG de la descripció del camp d'elements (excepte productes / serveis) +FCKeditorForProductDetails=Creació/edició WYSIWYG de descripció de productes o línies per objectes (línies de pressupostos, comandes, factures, etc...). FCKeditorForProductDetails2=Avís: l'ús d'aquesta opció per a aquest cas no es recomana, ja que pot crear problemes amb caràcters especials i format de pàgina en crear fitxers PDF. -FCKeditorForMailing= Creació/edició WYSIWIG dels E-Mails -FCKeditorForUserSignature=Creació/edició WYSIWIG de la signatura de l'usuari -FCKeditorForMail=Creació/edició WYSIWIG per a tot el correu (excepte Eines->Enviament de correu) -FCKeditorForTicket=Creació / edició de WYSIWIG per a entrades +FCKeditorForMailing= Creació/edició WYSIWYG dels correus electrònics (Eines -> Enviament de correu) +FCKeditorForUserSignature=Creació/edició WYSIWYG de la signatura de l'usuari +FCKeditorForMail=Creació/edició WYSIWYG per a tot el correu (excepte Eines->Enviament de correu) +FCKeditorForTicket=Creació / edició de WYSIWYG per a entrades ##### Stock ##### StockSetup=Configuració del mòdul d'Estoc IfYouUsePointOfSaleCheckModule=Si utilitzeu el mòdul Punt de Venda (TPV) proporcionat per defecte o un mòdul extern, el vostre mòdul TPV pot ignorar aquesta configuració. La majoria de mòduls TPV estan dissenyats per defecte per a crear una factura immediatament i reduir l'estoc, independentment de les opcions aquí. Per tant, si necessiteu o no una reducció d’estoc en registrar una venda des del vostre TPV, comproveu també la configuració del mòdul TPV. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Els menús personalitzats no estan enllaçats a una e NewMenu=Menú nou MenuHandler=Gestor de menús MenuModule=Mòdul origen -HideUnauthorizedMenu=Amaga els menús no autoritzats també per als usuaris interns (en cas contrari, en gris) +HideUnauthorizedMenu=Amaga els menús no autoritzats també per als usuaris interns (només en gris en cas contrari) DetailId=Identificador del menú DetailMenuHandler=Nom del gestor de menús DetailMenuModule=Nom del mòdul si l'entrada del menú és resultant d'un mòdul @@ -1802,7 +1815,7 @@ DetailType=Tipus de menú (superior o esquerre) DetailTitre=Nom del menú o codi d'etiqueta per a la traducció DetailUrl=URL on t'envia el menú (enllaç URL relatiu o enllaç extern amb https://) DetailEnabled=Condició de mostrar o no -DetailRight=Condició per a mostrar menús grisos no autoritzats +DetailRight=Condició per mostrar menús grisos no autoritzats DetailLangs=Nom del fitxer de llengua per a la traducció del codi de l'etiqueta DetailUser=Intern / Extern / Tots Target=Objectiu @@ -1855,7 +1868,7 @@ PastDelayVCalExport=No exportar els esdeveniments de més de SecurityKey = Clau de seguretat ##### ClickToDial ##### ClickToDialSetup=Configuració del mòdul Click To Dial -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). +ClickToDialUrlDesc=URL cridada quan es fa un clic a la imatge miniatura del telèfon. A l'URL, podeu utilitzar les etiquetes
      __PHONETO__ que serà reemplaçada pel número de telèfon de la persona a trucar
      __PHONEFROM__ que serà reemplaçada pel número de telèfon de la persona que truca (el vostre)
      __LOGIN__ que serà reemplaçada pel teu usuari d'inici de clicktodial (definit a la fitxa d'usuari)
      __PASS__ que serà reemplaçada per la contrasenya de clicktodial (definida a la fitxa d'usuari). ClickToDialDesc=Aquest mòdul canvia els números de telèfon, en utilitzar un ordinador de sobretaula, a enllaços on es pot fer clic. Un clic trucarà al número. Es pot utilitzar per a iniciar la trucada quan s'utilitza un telèfon suau a l'escriptori o, per exemple, quan s'utilitza un sistema CTI basat en el protocol SIP. Nota: Quan feu servir un telèfon intel·ligent, sempre es pot fer clic als números de telèfon. ClickToDialUseTelLink=Utilitzar sols l'enllaç "tel:" als números de telèfon ClickToDialUseTelLinkDesc=Utilitzeu aquest mètode si els vostres usuaris tenen un telèfon mòbil o una interfície de programari, instal·lat al mateix ordinador que el navegador i que es crida quan feu clic a un enllaç que comença per "tel:" al navegador. Si necessiteu un enllaç que comenci per "sip:" o una solució de servidor completa (no cal instal·lar programari local), heu d'establir-lo a "No" i omplir el següent camp. @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Compte predeterminat que cal utilitzar per a rebre co CashDeskBankAccountForCheque=Compte a utilitzar per defecte per a rebre pagaments per xec CashDeskBankAccountForCB=Compte predeterminat que cal utilitzar per a rebre cobraments amb targeta de crèdit CashDeskBankAccountForSumup=Compte bancari per defecte que es farà servir per a rebre pagaments de SumUp -CashDeskDoNotDecreaseStock=Desactiva la reducció d'estoc quan es fa una venda des del punt de venda (si és "no", la reducció d'estoc es realitza per a cada venda realitzada des del TPV, independentment de l'opció establerta al mòdul Estoc). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Força i restringeix el magatzem a utilitzar per a disminuir l'estoc StockDecreaseForPointOfSaleDisabled=La disminució d'estoc des del punt de venda està desactivada StockDecreaseForPointOfSaleDisabledbyBatch=La disminució d'estoc al TPV no és compatible amb el mòdul de gestió de sèries/lots (actualment actiu), de manera que la disminució d'estocs està desactivada. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Remarca línies de la taula quan el ratolí passi per HighlightLinesColor=Ressalteu el color de la línia quan el ratolí passa (utilitzeu 'ffffff' per no ressaltar) HighlightLinesChecked=Ressalteu el color de la línia quan està marcada (utilitzeu 'ffffff' per no ressaltar) UseBorderOnTable=Mostra les vores esquerra-dreta a les taules +TableLineHeight=Alçada de la línia de la taula BtnActionColor=Color del botó d'acció TextBtnActionColor=Color del text del botó d'acció TextTitleColor=Color del text del títol de la pàgina @@ -1991,7 +2006,7 @@ EnterAnyCode=Aquest camp conté una referència per a identificar la línia. Int Enter0or1=Introdueix 0 o 1 UnicodeCurrency=Introduïu aquí entre claudàtors, la llista del nombre de bytes que representa el símbol de moneda. Per exemple: per $, introduïu [36] - per al real de Brasil R$ [82,36] - per €, introduïu [8364] ColorFormat=El color RGB es troba en format HEX, per exemple: FF0000 -PictoHelp=Nom de la icona en format:
      - image.png per a un fitxer d'imatge al directori del tema actual
      - image.png@module si el fitxer es troba al directori /img/ d'un mòdul
      - fa-xxx per a una fontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size per a un picto FontAwesome fa-xxx (amb prefix, color i mida conjunta) +PictoHelp=Nom de la icona en format:
      - image.png per a un fitxer d'imatge al directori del tema actual
      - image.png@module si el fitxer es troba al directori /img/ d'un mòdul
      - fa-xxx per a una fontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size per a un picto FontAwesome fa-xxx (amb prefix, color i mida conjunta) PositionIntoComboList=Posició de la línia a les llistes desplegables SellTaxRate=Tipus d’impost sobre les vendes RecuperableOnly=Sí per l'IVA "No percebut sinó recuperable" dedicat per a algun estat a França. Manteniu el valor "No" en tots els altres casos. @@ -2077,17 +2092,17 @@ MAIN_DOCUMENTS_LOGO_HEIGHT=Alçada del logotip en PDF DOC_SHOW_FIRST_SALES_REP=Mostra el primer agent comercial MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Afegiu una columna per a la imatge a les línies de proposta MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Amplada de la columna si s'afegeix una imatge a les línies -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Oculta la columna de preu unitari quan es requereix textualment +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Oculta la columna de preu total quan es requereix textualment +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Oculta la columna de preu unitari a les comandes +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Oculta la columna de preu total a les comandes MAIN_PDF_NO_SENDER_FRAME=Amaga les vores del marc d’adreça del remitent -MAIN_PDF_NO_RECIPENT_FRAME=Amaga les vores del marc d’adreça destinatari +MAIN_PDF_NO_RECIPENT_FRAME=Amaga les vores del marc de l'adreça del destinatari MAIN_PDF_HIDE_CUSTOMER_CODE=Amaga el codi de client MAIN_PDF_HIDE_SENDER_NAME=Amaga el nom del remitent / empresa al bloc d’adreces PROPOSAL_PDF_HIDE_PAYMENTTERM=Amaga les condicions de pagament PROPOSAL_PDF_HIDE_PAYMENTMODE=Amaga el mode de pagament -MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Afegir signe electrònic en PDF +MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Afegir signatura electrònica en PDF NothingToSetup=No hi ha cap configuració específica necessària per a aquest mòdul. SetToYesIfGroupIsComputationOfOtherGroups=Estableixi a SÍ si aquest grup és un càlcul d'altres grups EnterCalculationRuleIfPreviousFieldIsYes=Introduïu la regla de càlcul si el camp anterior s'ha definit a Sí.
      Per exemple:
      CODEGRP1 + CODEGRP2 @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=No inclogueu el contingut de la capçalera del cor EmailCollectorHideMailHeadersHelp=Quan està activat, les capçaleres de correu electrònic no s'afegeixen al final del contingut del correu electrònic que es desa com a esdeveniment de l'agenda. EmailCollectorConfirmCollectTitle=Confirmació de recollida de correu electrònic EmailCollectorConfirmCollect=Vols executar aquest col·leccionista ara? -EmailCollectorExampleToCollectTicketRequestsDesc=Recolliu correus electrònics que coincideixen amb algunes regles i creeu automàticament un tiquet (cal activar el mòdul Tiquet) amb la informació del correu electrònic. Podeu utilitzar aquest col·lector si proporcioneu assistència per correu electrònic, de manera que la vostra sol·licitud de tiquet es generarà automàticament. Activeu també Collect_Responses per a recollir les respostes del vostre client directament a la vista de tiquets (heu de respondre des de Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Recolliu correus electrònics que coincideixin amb algunes regles i creeu automàticament un bitllet (module Ticket ha d'estar habilitat) amb la informació del correu electrònic. Podeu utilitzar aquest col·lector si proporcioneu algun suport per correu electrònic, de manera que la vostra sol·licitud de bitllet es generarà automàticament. Activeu també Collect_Responses per recollir les respostes del vostre client directament a la vista de tickets (heu de respondre des de Dolibarr). EmailCollectorExampleToCollectTicketRequests=Exemple de recollida de la sol·licitud de tiquet (només el primer missatge) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Escanegeu el directori "Enviat" de la vostra bústia de correu per a trobar correus electrònics que s'han enviat com a resposta d'un altre correu electrònic directament des del vostre programari de correu electrònic i no des de Dolibarr. Si es troba aquest correu electrònic, l'esdeveniment de resposta es registra a Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Exemple de recollida de respostes de correu electrònic enviades des d'un programari de correu electrònic extern EmailCollectorExampleToCollectDolibarrAnswersDesc=Recolliu tots els correus electrònics que són una resposta d'un correu electrònic enviat des de la vostra aplicació. S'enregistrarà un esdeveniment (el mòdul Agenda ha d'estar habilitat) amb la resposta del correu electrònic al bon lloc. Per exemple, si envieu una proposta comercial, una comanda, una factura o un missatge d'un tiquet per correu electrònic des de l'aplicació i el destinatari respon al vostre correu electrònic, el sistema captarà automàticament la resposta i l'afegirà al vostre ERP. EmailCollectorExampleToCollectDolibarrAnswers=Exemple de recollida de tots els missatges entrants com a respostes als missatges enviats des de Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Recolliu correus electrònics que coincideixen amb algunes regles i creeu automàticament un client potencial (el mòdul de Projectes ha d'estar habilitat) amb la informació del correu electrònic. Podeu utilitzar aquest col·lector si voleu seguir la vostra oportunitat mitjançant el mòdul de Projectes (1 client potencial = 1 projecte), de manera que els vostres clients potencials es generaran automàticament. Si el col·lector Collect_Responses també està habilitat, quan envieu un correu electrònic des dels vostres clients potencials, pressupostos o qualsevol altre objecte, també podreu veure les respostes dels vostres clients o socis directament a l'aplicació.
      Nota: amb aquest exemple inicial, es genera el títol del client potencial inclòs el correu electrònic. Si el tercer no es troba a la base de dades (client nou), el client potencial s'adjuntarà al tercer amb l'identificador 1. +EmailCollectorExampleToCollectLeadsDesc=Recolliu correus electrònics que coincideixen amb algunes regles i creeu automàticament un client potencial (el projecte del mòdul ha d'estar habilitat) amb la informació del correu electrònic. Podeu utilitzar aquest col·lector si voleu seguir la vostra oportunitat mitjançant el mòdul Projecte (1 lead = 1 project), de manera que els vostres clients potencials es generaran automàticament. Si el col·lector Collect_Responses també està habilitat, quan envieu un correu electrònic des dels vostres clients potencials, propostes o qualsevol altre objecte, també podreu veure les respostes dels vostres clients o socis directament a l'aplicació.
      Nota: amb aquest exemple inicial, es genera el títol del client potencial inclòs el correu electrònic. Si el tercer no es troba a la base de dades (client nou), el client s'adjuntarà al tercer amb l'identificador 1. EmailCollectorExampleToCollectLeads=Exemple de recollida de clients potencials EmailCollectorExampleToCollectJobCandidaturesDesc=Recolliu els correus electrònics que sol·liciten ofertes de feina (ha d'activar la contractació de mòduls). Podeu completar aquest col·lector si voleu crear automàticament una candidatura per a una sol·licitud de feina. Nota: Amb aquest exemple inicial, es genera el títol de la candidatura inclòs el correu electrònic. EmailCollectorExampleToCollectJobCandidatures=Exemple de recollida de candidatures laborals rebudes per correu electrònic @@ -2169,7 +2184,7 @@ CreateCandidature=Crea sol·licitud de feina FormatZip=Format Zip MainMenuCode=Codi d'entrada del menú (menú principal) ECMAutoTree=Mostra l'arbre ECM automàtic -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. +OperationParamDesc=Definiu les regles que s'han d'utilitzar per a extreure algunes dades o establir valors que s'utilitzen per al funcionament.

      Exemple per a extreure el nom d'una empresa de l'assumpte del correu electrònic a una variable temporal:
      tmp_var=EXTRACT:SUBJECT:Missatge de l'empresa ([^\n]*)

      Exemples per a establir les propietats d'un objecte a crear:
      objproperty1=SET:un valor fixat
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:un valor (el valor s'estableix només si la propietat encara no s'ha definit)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:El nom de la meva empresa és\\s([^\\s]*)

      Utilitzeu una nova línia per a extreure o establir diverses propietats. OpeningHours=Horari d'obertura OpeningHoursDesc=Introduïu aquí l'horari habitual d'obertura de la vostra empresa. ResourceSetup=Configuració del mòdul de recursos @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranops Tritanopes=Tritanops ThisValueCanOverwrittenOnUserLevel=Aquest valor es pot sobreescriure per cada usuari des de la pestanya de la pàgina d'usuari '%s' -DefaultCustomerType=Tipus de tercer predeterminat per al formulari de creació "Nou client" +DefaultCustomerType=default third-party escriviu "Nova Customer" creació form ABankAccountMustBeDefinedOnPaymentModeSetup=Nota: el compte bancari s'ha de definir al mòdul de cada mode de pagament (Paypal, Stripe...) per tal que funcioni aquesta funció. RootCategoryForProductsToSell=Categoria mare de productes a vendre -RootCategoryForProductsToSellDesc=Si es defineix, només els productes d'aquesta categoria o els fills d’aquesta categoria estaran disponibles al punt de venda +RootCategoryForProductsToSellDesc=Si es defineix, només els productes d'aquesta categoria o els nens d'aquesta categoria estaran disponibles al punt de venda DebugBar=Barra de depuració DebugBarDesc=Barra d’eines que inclou moltes eines per a simplificar la depuració DebugBarSetup=Configuració de la barra de depuració @@ -2212,10 +2227,10 @@ ImportSetup=Configuració del mòdul Import InstanceUniqueID=ID únic de la instància SmallerThan=Menor que LargerThan=Major que -IfTrackingIDFoundEventWillBeLinked=Tingueu en compte que si es troba un identificador de seguiment d’un objecte al correu electrònic o si el correu electrònic és una resposta d’un correu electrònic que ja està recollit i enllaçat a un objecte, l’esdeveniment creat s’enllaçarà automàticament a l’objecte relacionat conegut. -WithGMailYouCanCreateADedicatedPassword=Amb un compte de GMail, si heu activat la validació de dos passos, es recomana crear una segona contrasenya dedicada a l’aplicació en comptes d’utilitzar la contrasenya del vostre compte des de https://myaccount.google.com/. -EmailCollectorTargetDir=Pot ser un comportament desitjat traslladar el correu electrònic a una altra etiqueta/directori quan s'ha processat correctament. Només heu de definir el nom del directori per a utilitzar aquesta funció (NO utilitzeu caràcters especials en el nom). Tingueu en compte que també heu d'utilitzar un compte d'inici de sessió de lectura/escriptura. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Tingueu en compte que si es troba un identificador de seguiment d'un objecte al correu electrònic, o si el correu electrònic és una resposta d'un correu electrònic ja recollit i enllaçat a un objecte, l'esdeveniment creat s'enllaçarà automàticament amb l'objecte relacionat conegut. +WithGMailYouCanCreateADedicatedPassword=Amb un GMail account, si heu activat els 2 passos validation, es recomana b0635760368 una segona contrasenya dedicada per a la Application en lloc d'utilitzar la vostra pròpia contrasenya account de https://myaccount.google .com/. +EmailCollectorTargetDir=Pot ser un comportament desitjat moure el correu electrònic a una altra etiqueta/directori quan s'ha processat correctament. Només heu d'establir aquí el nom del directori per utilitzar aquesta funció (NO feu servir caràcters especials al nom). Tingueu en compte que també heu d'utilitzar un compte d'inici de sessió de lectura/escriptura. +EmailCollectorLoadThirdPartyHelp=Podeu utilitzar aquesta acció per utilitzar el contingut email per trobar and carregar un Third party al vostre database (la cerca es farà a la propietat definida entre 'ID','name','name_alias ','email'). El Third party trobat (o creat) s'utilitzarà per a les accions following que ho necessitin.
      Per a Example, si voleu create a Third party amb un nom extret d'una cadena 'Nom: nom per trobar' present al cos, utilitzeu el remitent email com a email, podeu configurar el paràmetre Field com aquest:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY: >Nom:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Avís: molts servidors de correu electrònic (com Gmail) estan fent cerques de paraules completes quan cerquen en una cadena i no retornaran un resultat si la cadena només es troba parcialment en una paraula. Per aquest motiu també, utilitzar caràcters especials en una cerca s'ignoraran els criteris si no formen part de paraules existents.
      Per a fer una cerca d'exclusió en una paraula (retorna el correu electrònic si no es troba la paraula), pots utilitzar el ! caràcter abans de la paraula (pot no funcionar en alguns servidors de correu). EndPointFor=Punt final per %s: %s DeleteEmailCollector=Suprimeix el recollidor de correu electrònic @@ -2232,12 +2247,12 @@ EmailTemplate=Plantilla per correu electrònic EMailsWillHaveMessageID=Els correus electrònics tindran una etiqueta "Referències" que coincideix amb aquesta sintaxi PDF_SHOW_PROJECT=Mostra el projecte al document ShowProjectLabel=Nom del projecte -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Incloeu l'àlies al nom de tercers -THIRDPARTY_ALIAS=Nom de tercer - Àlies de tercer -ALIAS_THIRDPARTY=Àlies de tercer - Nom de tercer +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Inclou l'àlies al nom third-party +THIRDPARTY_ALIAS=third-party nom - third-party àlies +ALIAS_THIRDPARTY=third-party àlies - third-party nom PDFIn2Languages=Mostra les etiquetes al PDF en 2 idiomes diferents (és possible que aquesta funció no funcioni en alguns idiomes) PDF_USE_ALSO_LANGUAGE_CODE=Si voleu que alguns textos del vostre PDF es copiïn en 2 idiomes diferents en el mateix PDF generat, heu d’establir aquí aquest segon idioma perquè el PDF generat contingui 2 idiomes diferents en la mateixa pàgina, l’escollit en generar el PDF i aquesta (només poques plantilles de PDF admeten això). Mantingueu-lo buit per a 1 idioma per PDF. -PDF_USE_A=Genera documents PDF amb el format PDF/A en lloc del format PDF predeterminat +PDF_USE_A=Genereu documents PDF amb el format PDF/A en comptes del format PDF predeterminat FafaIconSocialNetworksDesc=Introduïu aquí el codi de la icona de FontAwesome. Si no sabeu què és FontAwesome, podeu utilitzar el llibre genèric d’adreces. RssNote=Nota: cada definició de canal RSS proporciona un giny que heu d'activar perquè estigui disponible al tauler JumpToBoxes=Ves a Configuració -> Ginys @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Podeu trobar assessorament de seguretat aquí ModuleActivatedMayExposeInformation=Aquesta extensió PHP pot exposar dades delicades. Si no la necessiteu, desactiveu-la. ModuleActivatedDoNotUseInProduction=S'ha habilitat un mòdul dissenyat per al desenvolupament. No l'activeu en un entorn de producció. CombinationsSeparator=Caràcter separador per a combinacions de productes -SeeLinkToOnlineDocumentation=Vegeu l'enllaç a la documentació en línia al menú superior per a obtenir exemples +SeeLinkToOnlineDocumentation=Vegeu l'enllaç a la documentació en línia al menú superior per obtenir exemples SHOW_SUBPRODUCT_REF_IN_PDF=Si s'utilitza la funció "%s" del mòdul %s , mostra els detalls dels subproductes d'un kit en el PDF. AskThisIDToYourBank=Poseu-vos en contacte amb el vostre banc per a obtenir aquesta identificació -AdvancedModeOnly=El permís està disponible només en mode de permís avançat +AdvancedModeOnly=Permís disponible només en mode de permís avançat ConfFileIsReadableOrWritableByAnyUsers=Els usuaris poden llegir o escriure el fitxer conf. Doneu permís només a l'usuari i al grup del servidor web. MailToSendEventOrganization=Organització d'esdeveniments MailToPartnership=Associació AGENDA_EVENT_DEFAULT_STATUS=Estat de l'esdeveniment per defecte en crear un esdeveniment des del formulari YouShouldDisablePHPFunctions=Hauríeu de desactivar les funcions PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=Excepte si heu d'executar ordres del sistema en codi personalitzat, hauríeu de desactivar les funcions PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=A menys que hàgiu d'executar ordres del sistema en codi personalitzat, hauríeu de desactivar les funcions PHP PHPFunctionsRequiredForCLI=Per a propòsits d'intèrpret d'ordres (com ara una còpia de seguretat de treballs programats o executar un programa antivirus), heu de mantenir les funcions PHP NoWritableFilesFoundIntoRootDir=No s'ha trobat cap fitxer ni directori d'escriptura dels programes comuns al directori arrel (Bo) RecommendedValueIs=Recomanat: %s @@ -2284,7 +2299,7 @@ APIsAreNotEnabled=Els mòduls API no estan habilitats YouShouldSetThisToOff=Hauríeu d'establir-lo a 0 o desactivar-lo InstallAndUpgradeLockedBy=La instal·lació i les actualitzacions estan bloquejades pel fitxer %s InstallLockedBy=La instal·lació/reinstal·lació està bloquejada pel fitxer %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. +InstallOfAddonIsNotBlocked=Les instal·lacions de mòduls no estan bloquejades. Creeu un arxiu installmodules.lock dins del directori %s per a bloquejar instal·lacions de mòduls externs. OldImplementation=Implementació antiga PDF_SHOW_LINK_TO_ONLINE_PAYMENT=Si alguns mòduls de pagament en línia estan habilitats (Paypal, Stripe, ...), afegiu un enllaç al PDF per a fer el pagament en línia DashboardDisableGlobal=Desactiveu globalment tots els polzes d'objectes oberts @@ -2327,7 +2342,7 @@ WebhookSetup = Configuració del webhook Settings = Configuració WebhookSetupPage = Pàgina de configuració del webhook ShowQuickAddLink=Mostra un botó per a afegir ràpidament un element al menú superior dret - +ShowSearchAreaInTopMenu=Mostra l'àrea de cerca al menú superior HashForPing=Hash utilitzat per a fer ping ReadOnlyMode=És una instància en mode «Només lectura» DEBUGBAR_USE_LOG_FILE=Utilitzeu el fitxer dolibarr.log per a atrapar els registres @@ -2343,7 +2358,7 @@ IconOnly=Només icona: només text a la informació sobre eines INVOICE_ADD_ZATCA_QR_CODE=Mostra el codi QR ZATCA a les factures INVOICE_ADD_ZATCA_QR_CODEMore=Alguns països àrabs necessiten aquest codi QR a les seves factures INVOICE_ADD_SWISS_QR_CODE=Mostra el codi QR-Bill suís a les factures -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. +INVOICE_ADD_SWISS_QR_CODEMore=Estàndard de Suïssa per a les factures; Assegureu-vos que s'omplen ZIP & City i que els comptes tinguin IBAN vàlids de Suïssa/Liechtenstein. INVOICE_SHOW_SHIPPING_ADDRESS=Mostra l'adreça d'enviament INVOICE_SHOW_SHIPPING_ADDRESSMore=Indicació obligatòria en alguns països (França, ...) UrlSocialNetworksDesc=Enllaç URL de la xarxa social. Utilitzeu {socialid} per a la part variable que conté l'identificador de la xarxa social. @@ -2356,7 +2371,7 @@ DoesNotWorkWithAllThemes=No funcionarà amb tots els temes NoName=Sense nom ShowAdvancedOptions= Mostra opcions avançades HideAdvancedoptions= Amaga les opcions avançades -CIDLookupURL=El mòdul aporta un URL que pot utilitzar una eina externa per a obtenir el nom d'un tercer o contacte des del seu número de telèfon. L'URL a utilitzar és: +CIDLookupURL=El module aporta un URL que pot ser utilitzat per una eina externa per obtenir el nom d'un Third party o contacte des del seu telèfon Number. L'URL a utilitzar és: OauthNotAvailableForAllAndHadToBeCreatedBefore=L'autenticació OAUTH2 no està disponible per a tots els amfitrions i s'ha d'haver creat un testimoni amb els permisos adequats aigües amunt amb el mòdul OAUTH MAIN_MAIL_SMTPS_OAUTH_SERVICE=Servei d'autenticació OAUTH2 DontForgetCreateTokenOauthMod=S'ha d'haver creat un testimoni amb els permisos adequats aigües amunt amb el mòdul OAUTH @@ -2366,7 +2381,7 @@ UseOauth=Utilitzeu un testimoni OAUTH Images=Imatges MaxNumberOfImagesInGetPost=Nombre màxim d'imatges permeses en un camp HTML enviat en un formulari MaxNumberOfPostOnPublicPagesByIP=Nombre màxim de publicacions a pàgines públiques amb la mateixa adreça IP en un mes -CIDLookupURL=El mòdul aporta un URL que pot utilitzar una eina externa per a obtenir el nom d'un tercer o contacte des del seu número de telèfon. L'URL a utilitzar és: +CIDLookupURL=El module aporta un URL que pot ser utilitzat per una eina externa per obtenir el nom d'un Third party o contacte des del seu telèfon Number. L'URL a utilitzar és: ScriptIsEmpty=El guió és buit ShowHideTheNRequests=Mostra/amaga les sol·licituds SQL %s DefinedAPathForAntivirusCommandIntoSetup=Definiu un camí per a un programa antivirus a %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Amaga la quantitat demanada als documents generats pe MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Mostra el preu als documents generats per a recepcions WarningDisabled=Avís desactivat LimitsAndMitigation=Límits d'accés i mitigació +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Només escriptoris DesktopsAndSmartphones=Escriptoris i telèfons intel·ligents AllowOnlineSign=Permet la signatura en línia @@ -2403,6 +2419,24 @@ Defaultfortype=Defecte DefaultForTypeDesc=Plantilla utilitzada per defecte quan es crea un correu electrònic nou per al tipus de plantilla OptionXShouldBeEnabledInModuleY=L'opció «%s» s'ha d'habilitar al mòdul %s OptionXIsCorrectlyEnabledInModuleY=L'opció «%s» està habilitada al mòdul %s +AllowOnLineSign=Permet signatura en línia AtBottomOfPage=A la part inferior de la pàgina FailedAuth=autenticacions fallides MaxNumberOfFailedAuth=Nombre màxim d'autenticacions fallides en 24 hores per a denegar l'inici de sessió. +AllowPasswordResetBySendingANewPassByEmail=Si un user A té aquest permís, and encara que el user no és un "Admin" user, A té permís per restablir la contrasenya de qualsevol altre user B, la nova contrasenya s'enviarà a la email de l'altra user B, però no ho farà. ser visible per a A. Si el user A té la marca "Admin", també podrà saber quina és la nova contrasenya generada de B perquè pugui prendre el control de B user account. +AllowAnyPrivileges=Si un user A té aquest permís, pot create un user amb tots els privilegis, feu servir aquest user B, o concediu-vos qualsevol altre group amb qualsevol permís. Per tant, vol dir que user A té tots els privilegis empresarials (només es prohibirà l'accés al sistema a les pàgines Setup) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Aquest valor pot ser read perquè la vostra instància no està configurada en mode de producció +SeeConfFile=Vegeu dins de conf.php file a server +ReEncryptDesc=Torneu a xifrar les dades si encara no s'han xifrat +PasswordFieldEncrypted=%s nou registre s'ha xifrat aquest Field +ExtrafieldsDeleted=Els camps addicionals %s s'han suprimit +LargeModern=Gran - Modern +SpecialCharActivation=Activeu el botó per obrir un teclat virtual per introduir caràcters especials +DeleteExtrafield=Suprimeix l'extracamp +ConfirmDeleteExtrafield=Confirmeu la supressió del camp %s? Totes les dades desades en aquest camp se suprimiran definitivament +ExtraFieldsSupplierInvoicesRec=Atributs complementaris (plantilles de factura) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Paràmetres per a l'entorn de prova +TryToKeepOnly=Prova de mantenir només %s +RecommendedForProduction=Recomanat per a producció +RecommendedForDebug=Recomanat per a depuració diff --git a/htdocs/langs/ca_ES/agenda.lang b/htdocs/langs/ca_ES/agenda.lang index 897c6889527..18dc6d4c0a0 100644 --- a/htdocs/langs/ca_ES/agenda.lang +++ b/htdocs/langs/ca_ES/agenda.lang @@ -128,6 +128,7 @@ MRP_MO_PRODUCEDInDolibarr=OF fabricada MRP_MO_DELETEInDolibarr=OF eliminada MRP_MO_CANCELInDolibarr=OF cancel·lada PAIDInDolibarr=%s pagat +ENABLEDISABLEInDolibarr=Usuari habilitat o desactivat ##### End agenda events ##### AgendaModelModule=Plantilles de documents per esdeveniments DateActionStart=Data inicial @@ -181,3 +182,23 @@ Reminders=Recordatoris ActiveByDefault=Habilitat per defecte Until=fins a DataFromWasMerged=Les dades de %s es van fusionar +AgendaShowBookcalCalendar=Calendari de reserves: %s +MenuBookcalIndex=Cita en línia +BookcalLabelAvailabilityHelp=Etiqueta del rang de disponibilitat. Per exemple:
      Disponibilitat general
      Disponibilitat durant les vacances de Nadal +DurationOfRange=Durada dels intervals +BookCalSetup = Configuració de cites en línia +Settings = Configuració +BookCalSetupPage = Pàgina de configuració de cites en línia +BOOKCAL_PUBLIC_INTERFACE_TOPIC = Títol de la interfície +About = Quant a +BookCalAbout = Sobre BookCal +BookCalAboutPage = BookCal sobre la pàgina +Calendars=Calendaris +Availabilities=Disponibilitats +NewAvailabilities=Noves disponibilitats +NewCalendar=Nou calendari +ThirdPartyBookCalHelp=L'esdeveniment reservat en aquest calendari s'enllaçarà automàticament amb aquest tercer. +AppointmentDuration = Durada de la cita: %s +BookingSuccessfullyBooked=La teva reserva s'ha desat +BookingReservationHourAfter=Confirmem la reserva de la nostra reunió a la data %s +BookcalBookingTitle=Cita en línia diff --git a/htdocs/langs/ca_ES/bills.lang b/htdocs/langs/ca_ES/bills.lang index 3bfd7eff439..18631cd4752 100644 --- a/htdocs/langs/ca_ES/bills.lang +++ b/htdocs/langs/ca_ES/bills.lang @@ -77,7 +77,7 @@ ConfirmConvertToReducSupplier2=L’import s’ha desat entre tots els descomptes SupplierPayments=Pagaments a proveïdors ReceivedPayments=Pagaments rebuts ReceivedCustomersPayments=Cobraments rebuts de clients -PayedSuppliersPayments=Pagaments pagats als Venedors +PayedSuppliersPayments=Pagaments pagats als proveïdors ReceivedCustomersPaymentsToValid=Cobraments rebuts de client pendents de validar PaymentsReportsForYear=Informes de pagaments de %s PaymentsReports=Informes de pagaments @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Fer pagament del client DisabledBecauseRemainderToPayIsZero=Desactivar ja que la resta a pagar és 0 PriceBase=Preu base BillStatus=Estat de la factura -StatusOfGeneratedInvoices=Estat de factures generades +StatusOfAutoGeneratedInvoices=Estat de les factures generades automàticament BillStatusDraft=Esborrany (a validar) BillStatusPaid=Pagada BillStatusPaidBackOrConverted=Nota de crèdit reembossada o marcada com a crèdit disponible @@ -167,7 +167,7 @@ ActionsOnBill=Accions en la factura ActionsOnBillRec=Accions sobre factura recurrent RecurringInvoiceTemplate=Plantilla / Factura recurrent NoQualifiedRecurringInvoiceTemplateFound=No es pot generar cap factura de plantilla periòdica. -FoundXQualifiedRecurringInvoiceTemplate=S'han trobat %s factures recurrents de plantilla qualificades per a la generació. +FoundXQualifiedRecurringInvoiceTemplate=%s plantilles recurrents de factura qualificades per a la generació. NotARecurringInvoiceTemplate=No és una plantilla de factura recurrent NewBill=Factura nova LastBills=Últimes %s factures @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Esborrany de factures de Proveïdor Unpaid=Pendents ErrorNoPaymentDefined=Error No s'ha definit el pagament ConfirmDeleteBill=Vols eliminar aquesta factura? -ConfirmValidateBill=Està segur de voler validar aquesta factura amb la referència %s? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Està segur de voler tornar la factura %s a l'estat esborrany? ConfirmClassifyPaidBill=Està segur de voler classificar la factura %s com pagada? ConfirmCancelBill=Està segur de voler anul·lar la factura %s? @@ -197,7 +197,7 @@ ConfirmClassifyPaidPartiallyReasonDiscount=La resta a pagar (%s %s) és u ConfirmClassifyPaidPartiallyReasonDiscountNoVat=La resta a pagar (%s %s) és un descompte acordat després de la facturació. Accepto perdre l'IVA d'aquest descompte ConfirmClassifyPaidPartiallyReasonDiscountVat=La resta a pagar (%s %s) és un descompte atorgat perquè el pagament es va fer abans de temps. Recupero l'IVA d'aquest descompte, sense un abonament. ConfirmClassifyPaidPartiallyReasonBadCustomer=Client morós -ConfirmClassifyPaidPartiallyReasonBadSupplier=Mal venedor +ConfirmClassifyPaidPartiallyReasonBadSupplier=Mal proveïdor ConfirmClassifyPaidPartiallyReasonBankCharge=Deducció per banc (comissió bancària) ConfirmClassifyPaidPartiallyReasonWithholdingTax=Retenció d'impostos ConfirmClassifyPaidPartiallyReasonProductReturned=Productes retornats en part @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Confirmes aquesta entrada de pagament per a %s %s? ConfirmSupplierPayment=Confirmes aquesta entrada de pagament per a %s %s? ConfirmValidatePayment=Estàs segur que vols validar aquest pagament? No es poden fer canvis un cop el pagament s'ha validat. ValidateBill=Valida la factura -UnvalidateBill=Tornar factura a esborrany +UnvalidateBill=Invalidar la factura NumberOfBills=Nombre de factures NumberOfBillsByMonth=Nombre de factures per mes AmountOfBills=Import de les factures @@ -250,12 +250,13 @@ RemainderToTake=Import restant per a cobrar RemainderToTakeMulticurrency=Import restant, moneda original RemainderToPayBack=Import restant a reemborsar RemainderToPayBackMulticurrency=Import restant a reemborsar, moneda original +NegativeIfExcessReceived=negatiu si es rep l'excés NegativeIfExcessRefunded=negatiu si es reemborsa l'excés +NegativeIfExcessPaid=negative if excess paid Rest=Pendent AmountExpected=Import reclamat ExcessReceived=Rebut en excés ExcessReceivedMulticurrency=Excés rebut, moneda original -NegativeIfExcessReceived=negatiu si es rep l'excés ExcessPaid=Excés de pagament ExcessPaidMulticurrency=Excés de pagament, moneda original EscompteOffered=Descompte (pagament aviat) @@ -485,7 +486,7 @@ Residence=Adreça IBANNumber=Codi IBAN IBAN=IBAN CustomerIBAN=IBAN del client -SupplierIBAN=IBAN del venedor +SupplierIBAN=IBAN del proveïdor BIC=BIC/SWIFT BICNumber=Codi BIC/SWIFT ExtraInfos=Informacions complementàries @@ -510,7 +511,7 @@ VATIsNotUsedForInvoice=* IVA no aplicable art-293B del CGI VATIsNotUsedForInvoiceAsso=* IVA no aplicable art-261-7 del CGI LawApplicationPart1=Per aplicació de la llei 80.335 de 12.05.80 LawApplicationPart2=les mercaderies romanen en propietat de -LawApplicationPart3=el venedor fins al cobrament de +LawApplicationPart3=el proveïdor fins al cobrament de LawApplicationPart4=els seus preus LimitedLiabilityCompanyCapital=SRL amb capital de UseLine=Aplicar @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Primer heu de crear una factura estàndard PDFCrabeDescription=Plantilla de factura PDF Crabe. Una plantilla de factura completa (implementació antiga de la plantilla Sponge) PDFSpongeDescription=Plantilla PDF de factures Sponge. Una plantilla de factura completa PDFCrevetteDescription=Plantilla Crevette per factures PDF. Una plantilla de factura completa per factures de situació. -TerreNumRefModelDesc1=Retorna el número en el format %syymm-nnnn per a les factures estàndard i %syymm-nnnn per a les notes de crèdit on aa és any, mm és mes i nnnn és un número d’increment automàtic seqüencial sense interrupció i sense retorn a 0 -MarsNumRefModelDesc1=Número de devolució en el format %syymm-nnnn per a factures estàndard, %syymm-nnnn per a factures de substitució, %syymm-nnnn per a factures d’avançament i %syymm notes i any sense descans i sense retorn a 0 +TerreNumRefModelDesc1=Número de retorn en el format %syymm-nnnn per a factures estàndard i %syymm-nnnn per a notes de crèdit on yy és any, mm és el mes i nnnn és un nombre seqüencial que s'incrementa automàticament sense interrupció i sense retorn a 0 +MarsNumRefModelDesc1=Número de retorn en el format %syymm-nnnn per a factures estàndard, %syymm-nnnn per a factures de substitució, %syymm-nnnn per a les factures de pagament inicial i %syymm-nnnn per a les notes de crèdit on yy és l'any, mm és el mes i nnnn és un auto- seqüencial. nombre incrementant sense interrupció i sense retorn a 0 TerreNumRefModelError=Ja existeix una factura que comença amb $syymm i no és compatible amb aquest model de seqüència. Elimineu-la o canvieu-li el nom per a activar aquest mòdul. -CactusNumRefModelDesc1=Retorna un número en el format %syymm-nnnn per a factures estàndard, %syymm-nnnn per a devolucions i %syymm-nnnn per a factures de bestreta on yy és l'any, mm és el mes i nnnn és un nombre seqüencial autoincrementat sense ruptura ni retorn a 0 +CactusNumRefModelDesc1=Número de retorn en el format %syymm-nnnn per a factures estàndard, %syymm-nnnn per a notes de crèdit i %syymm-nnnn per a factures de pagament inicial on yy és l'any, mm és el mes i nnnn és un número seqüencial que s'incrementa automàticament sense interrupció i sense retorn a 0 EarlyClosingReason=Motiu de tancament anticipat EarlyClosingComment=Nota de tancament anticipat ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Categoria d'operacions MentionCategoryOfOperations0=Lliurament de mercaderies MentionCategoryOfOperations1=Prestació de serveis MentionCategoryOfOperations2=Mixt: lliurament de béns i prestació de serveis +Salaries=Salaris +InvoiceSubtype=Subtipus de factura +SalaryInvoice=Sou +BillsAndSalaries=Factures i salaris +CreateCreditNoteWhenClientInvoiceExists=Aquesta opció només s'habilita quan existeixen factures validades per a un client o quan s'utilitza INVOICE_CREDIT_NOTE_STANDALONE constant (útil per a alguns països) diff --git a/htdocs/langs/ca_ES/blockedlog.lang b/htdocs/langs/ca_ES/blockedlog.lang index 2c1a310ef20..b19de67cf2e 100644 --- a/htdocs/langs/ca_ES/blockedlog.lang +++ b/htdocs/langs/ca_ES/blockedlog.lang @@ -22,7 +22,7 @@ Fingerprint=Empremtes dactilars DownloadLogCSV=Exporta els registres arxivats (CSV) logDOC_PREVIEW=Vista prèvia d'un document validat per a imprimir o descarregar logDOC_DOWNLOAD=Descàrrega d'un document validat per a imprimir o enviar -DataOfArchivedEvent=Dades completes d'esdeveniments arxivats +DataOfArchivedEvent=Dades completes de l'esdeveniment arxivat ImpossibleToReloadObject=Objecte original (tipus %s, identificador %s) no enllaçat (vegeu la columna "Dades completes" per a obtenir dades desades inalterables) BlockedLogAreRequiredByYourCountryLegislation=El mòdul de registres inalterables pot ser requerit per la legislació del vostre país. La desactivació d'aquest mòdul pot fer que qualsevol transacció futura sigui invàlida pel que fa a la llei i l'ús del programari legal, ja que no es pot validar mitjançant una auditoria fiscal. BlockedLogActivatedBecauseRequiredByYourCountryLegislation=El mòdul de registres inalterables s'ha activat a causa de la legislació del vostre país. La desactivació d'aquest mòdul pot fer que qualsevol transacció futura sigui invàlida pel que fa a la llei i l'ús del programari legal, ja que no es pot validar mitjançant una auditoria fiscal. @@ -33,6 +33,7 @@ RestrictYearToExport=Restringeix el mes / any per a exportar BlockedLogEnabled=S'ha habilitat el sistema per a fer el seguiment d'esdeveniments en registres inalterables BlockedLogDisabled=El sistema per a fer el seguiment d'esdeveniments en registres inalterables s'ha desactivat després de fer algunes gravacions. Hem desat una empremta digital especial per a fer un seguiment de la cadena com a trencada BlockedLogDisabledBis=S'ha desactivat el sistema per a fer el seguiment d'esdeveniments en registres inalterables. Això és possible perquè encara no s'ha fet cap registre. +LinkHasBeenDisabledForPerformancePurpose=A efectes de rendiment, l'enllaç directe al document no es mostra després de la línia 100. ## logTypes logBILL_DELETE=S'ha suprimit la factura del client lògicament diff --git a/htdocs/langs/ca_ES/bookmarks.lang b/htdocs/langs/ca_ES/bookmarks.lang index a35255308eb..785e9fe7877 100644 --- a/htdocs/langs/ca_ES/bookmarks.lang +++ b/htdocs/langs/ca_ES/bookmarks.lang @@ -1,23 +1,24 @@ -# Dolibarr language file - Source file is en_US - marque pages -AddThisPageToBookmarks=Afegeix aquesta pàgina als marcadors -Bookmark=Marcador -Bookmarks=Marcadors -ListOfBookmarks=Llista de marcadors -EditBookmarks=Llista/edita els marcadors -NewBookmark=Marcador nou -ShowBookmark=Mostra marcador -OpenANewWindow=Obriu una pestanya nova -ReplaceWindow=Reemplaça la pestanya actual -BookmarkTargetNewWindowShort=Pestanya nova -BookmarkTargetReplaceWindowShort=Pestanya actual -BookmarkTitle=Nom de marcatge -UrlOrLink=URL -BehaviourOnClick=Comportament quan se selecciona un URL de marcador -CreateBookmark=Crea marcador -SetHereATitleForLink=Estableix un nom per al marcador -UseAnExternalHttpLinkOrRelativeDolibarrLink=Utilitzeu un enllaç extern/absolut (https://externalurl.com) o un enllaç intern/relatiu (/mypage.php). També podeu utilitzar el telèfon com tel: 0123456. -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Trieu si la pàgina enllaçada s'ha d'obrir a la pestanya actual o a una pestanya nova -BookmarksManagement=Gestió de marcadors -BookmarksMenuShortCut=Ctrl + shift + m -NoBookmarks=No s'han definit cap marcador -NoBookmarkFound=No s'ha trobat cap marcador +# Dolibarr language file - Source file is en_US - marque pages / bookmarks + +AddThisPageToBookmarks = Afegeix aquesta pàgina als marcadors +BehaviourOnClick = Comportament quan es selecciona un URL d'adreces d'interès +Bookmark = Marcador +Bookmarks = Marcadors +BookmarkTargetNewWindowShort = Pestanya nova +BookmarkTargetReplaceWindowShort = Pestanya actual +BookmarkTitle = Nom de marcatge +BookmarksManagement = Gestió de marcadors +BookmarksMenuShortCut = Ctrl + shift + m +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark = Trieu si la pàgina enllaçada s'ha d'obrir a la pestanya actual o a una pestanya nova +CreateBookmark = Crea marcador +EditBookmarks = Llista/edita els marcadors +ListOfBookmarks = Llista de marcadors +NewBookmark = Marcador nou +NoBookmarkFound = No s'ha trobat cap marcador +NoBookmarks = No s'han definit cap marcador +OpenANewWindow = Obriu una pestanya nova +ReplaceWindow = Reemplaça la pestanya actual +SetHereATitleForLink = Estableix un nom per al marcador +ShowBookmark = Mostra marcador +UrlOrLink = URL +UseAnExternalHttpLinkOrRelativeDolibarrLink = Utilitzeu un enllaç extern/absolut (https://externalurl.com) o un enllaç intern/relatiu (/mypage.php). També podeu utilitzar el telèfon com tel: 0123456. diff --git a/htdocs/langs/ca_ES/boxes.lang b/htdocs/langs/ca_ES/boxes.lang index 88b469a46dc..9852e8c3e9f 100644 --- a/htdocs/langs/ca_ES/boxes.lang +++ b/htdocs/langs/ca_ES/boxes.lang @@ -115,7 +115,7 @@ BoxLastCustomerShipments=Últims enviaments de clients BoxTitleLastCustomerShipments=Últims %s enviaments de clients BoxTitleLastLeaveRequests=Últimes %s peticions de dies lliures modificades NoRecordedShipments=Cap enviament de client registrat -BoxCustomersOutstandingBillReached=Clients que superen el límit pendent +BoxCustomersOutstandingBillReached=Clients amb límit pendent assolit # Pages UsersHome=Usuaris i grups domèstics MembersHome=Membres a casa diff --git a/htdocs/langs/ca_ES/cashdesk.lang b/htdocs/langs/ca_ES/cashdesk.lang index c94812d4892..e5caf4dd0a8 100644 --- a/htdocs/langs/ca_ES/cashdesk.lang +++ b/htdocs/langs/ca_ES/cashdesk.lang @@ -29,9 +29,9 @@ Change=Canvi BankToPay=Compte de cobrament ShowCompany=Veure empresa ShowStock=Veure magatzem -DeleteArticle=Feu clic per treure aquest article +DeleteArticle=Feu clic per a eliminar aquest article FilterRefOrLabelOrBC=Cerca (Ref/Nom) -UserNeedPermissionToEditStockToUsePos=Es demana disminuir l'estoc en la creació de la factura, de manera que l'usuari que utilitza el TPV ha de tenir permís per editar l'estoc. +UserNeedPermissionToEditStockToUsePos=Demaneu disminuir l'estoc en la creació de la factura, de manera que l'usuari que utilitza el TPV ha de tenir permís per a editar l'estoc. DolibarrReceiptPrinter=Impressora de tiquets de Dolibarr PointOfSale=Punt de venda PointOfSaleShort=TPV @@ -55,16 +55,16 @@ CashFenceDone=Tancament de caixa fet per al període NbOfInvoices=Nombre de factures Paymentnumpad=Tipus de pad per a introduir el pagament Numberspad=Números Pad -BillsCoinsPad=Pad de monedes i bitllets -DolistorePosCategory=Mòduls TakePOS i altres solucions POS per a Dolibarr -TakeposNeedsCategories=TakePOS necessita almenys una categoria de productes per a funcionar -TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS necessita almenys una categoria a sota de la categoria %s per funcionar +BillsCoinsPad=Bloc de monedes i bitllets +DolistorePosCategory=Mòduls TakePOS i altres solucions de TPV per a Dolibarr +TakeposNeedsCategories=TakePOS necessita almenys una categoria de producte per funcionar +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS necessita almenys 1 categoria de producte a la categoria %s per a poder funcionar OrderNotes=Afegir notes a cada article demanat CashDeskBankAccountFor=Compte predeterminat a utilitzar per als pagaments NoPaimementModesDefined=No hi ha cap mode de pagament definit a la configuració de TakePOS -TicketVatGrouped=Agrupa IVA per tipus als tiquets|rebuts -AutoPrintTickets=Imprimeix automàticament els tiquets|rebuts -PrintCustomerOnReceipts=Imprimeix el client als tiquets|rebuts +TicketVatGrouped=Agrupa per tipus d'IVA als tiquets +AutoPrintTickets=Imprimeix automàticament els tiquets +PrintCustomerOnReceipts=Imprimeix el client als tiquets EnableBarOrRestaurantFeatures=Habiliteu funcions per a bar o restaurant ConfirmDeletionOfThisPOSSale=Confirmeu la supressió de la venda actual? ConfirmDiscardOfThisPOSSale=Voleu descartar aquesta venda actual? @@ -76,7 +76,7 @@ TerminalSelect=Selecciona el terminal que vols utilitzar: POSTicket=Tiquet TPV POSTerminal=Terminal TPV POSModule=Mòdul TPV -BasicPhoneLayout=Utilitzeu el disseny bàsic dels telèfons +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=La configuració del terminal %s no està completa DirectPayment=Pagament directe DirectPaymentButton=Afegeix un botó "Pagament directe en efectiu" @@ -92,14 +92,14 @@ HeadBar=Barra de capçalera SortProductField=Camp per a ordenar productes Browser=Navegador BrowserMethodDescription=Impressió de rebuts fàcil i senzilla. Només uns quants paràmetres per a configurar el rebut. Imprimeix mitjançant el navegador. -TakeposConnectorMethodDescription=Mòdul extern amb funcions addicionals. Possibilitat d’imprimir des del núvol. +TakeposConnectorMethodDescription=Mòdul extern amb funcions addicionals. Possibilitat d'imprimir des del núvol. PrintMethod=Mètode d'impressió ReceiptPrinterMethodDescription=Mètode potent amb molts paràmetres. Completament personalitzable amb plantilles. El servidor que allotja l'aplicació no pot estar al núvol (ha de poder arribar a les impressores de la vostra xarxa). ByTerminal=Per terminal TakeposNumpadUsePaymentIcon=Utilitzeu la icona en lloc del text als botons de pagament del teclat numèric CashDeskRefNumberingModules=Mòdul de numeració per a vendes des del TPV (Punt de Venda) CashDeskGenericMaskCodes6 = L'etiqueta
      {TN} s'utilitza per a afegir el número de terminal -TakeposGroupSameProduct=Agrupa les mateixes línies de productes +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Comenceu una venda nova paral·lela SaleStartedAt=La venda va començar a %s ControlCashOpening=Obriu la finestra emergent "Control de caixa" quan obriu el TPV @@ -114,11 +114,11 @@ AutoOrder=Comanda del propi client RestaurantMenu=Menú CustomerMenu=Menú de clients ScanToMenu=Escaneja el codi QR per a veure el menú -ScanToOrder=Escaneja el codi QR per demanar +ScanToOrder=Escaneja el codi QR per a fer la comanda Appearance=Aparença HideCategoryImages=Amaga les imatges de la categoria HideProductImages=Amaga les imatges del producte -NumberOfLinesToShow=Nombre de línies d'imatges a mostrar +NumberOfLinesToShow=Màxim Number de lines de text a Show el thumb imatges DefineTablePlan=Definiu el mapa de taules GiftReceiptButton=Afegeix un botó "Tiquet regal" GiftReceipt=Tiquet regal @@ -130,18 +130,26 @@ ShowPriceHT = Mostra la columna amb el preu sense impostos (a la pantalla) ShowPriceHTOnReceipt = Mostra la columna amb el preu sense impostos (al rebut) CustomerDisplay=Visualització del client SplitSale=Venda dividida -PrintWithoutDetailsButton=Afegeix el botó "Imprimeix sense detalls". +PrintWithoutDetailsButton=Afegeix el botó "Imprimeix sense detalls" PrintWithoutDetailsLabelDefault=Nom de línia per defecte a la impressió sense detalls PrintWithoutDetails=Imprimeix sense detalls YearNotDefined=L'any no està definit -TakeposBarcodeRuleToInsertProduct=Regla de codi de barres per inserir el producte -TakeposBarcodeRuleToInsertProductDesc=Regla per a extreure la referència del producte + una quantitat d'un codi de barres escanejat.
      Si està buit (valor per defecte), l'aplicació utilitzarà el codi de barres complet escanejat per a trobar el producte.

      Si es defineix, sintaxi ha de ser:
      ref: NB + Pr: NB + qd: NB + altres: NB
      on NB és el nombre de caràcters a utilitzar per a extreure dades del codi de barres escanejat amb:
      • ref : referència del producte
      • qu : quantitat de conjunt en inserir elements (unitats)
      • qd : quantitat de conjunt en inserir article (decimals)
      • altra : altres caràcters
      +TakeposBarcodeRuleToInsertProduct=Regla de codi de barres per a inserir el producte +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters AlreadyPrinted=Ja està imprès -HideCategories=Amaga les categories +HideCategories=Amaga tota la secció de la selecció Categories HideStockOnLine=Amaga l'estoc en línia -ShowOnlyProductInStock=Mostra els productes en estoc -ShowCategoryDescription=Mostra la descripció de la categoria -ShowProductReference=Mostra la referència dels productes -UsePriceHT=Utilitza el preu sense impostos i no el preu amb impostos inclosos +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Referència Show o Label de Products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price TerminalName=Terminal %s TerminalNameDesc=Nom del terminal +DefaultPOSThirdLabel=Client genèric TakePOS +DefaultPOSCatLabel=Productes Punt de Venda (POS). +DefaultPOSProductLabel=Exemple de producte per a TakePOS +TakeposNeedsPayment=TakePOS necessita un mètode de pagament per funcionar, voleu crear el mètode de pagament "Efectiu"? +LineDiscount=Descompte de línia +LineDiscountShort=Disc de línia. +InvoiceDiscount=Descompte de factura +InvoiceDiscountShort=Disc de factura. diff --git a/htdocs/langs/ca_ES/categories.lang b/htdocs/langs/ca_ES/categories.lang index bb98c6fdbd3..b6956b94f04 100644 --- a/htdocs/langs/ca_ES/categories.lang +++ b/htdocs/langs/ca_ES/categories.lang @@ -103,3 +103,4 @@ WebsitePagesCategoriesArea=Categories de Pàgines/Contenidors KnowledgemanagementsCategoriesArea=Categories de l'article KM UseOrOperatorForCategories=Utilitzeu l'operador «OR» per a les categories AddObjectIntoCategory=Assigna a l'etiqueta +Position=Càrrec diff --git a/htdocs/langs/ca_ES/companies.lang b/htdocs/langs/ca_ES/companies.lang index 0522b5c6300..864dd19ce25 100644 --- a/htdocs/langs/ca_ES/companies.lang +++ b/htdocs/langs/ca_ES/companies.lang @@ -1,4 +1,6 @@ # Dolibarr language file - Source file is en_US - companies +newSocieteAdded=Els vostres detalls de contacte han estat enregistrats. Ens posarem en contacte amb tu aviat ... +ContactUsDesc=Aquest formulari us permet d'enviar-nos un missatge per a un primer contacte. ErrorCompanyNameAlreadyExists=El nom de l'empresa %s ja existeix. Indica un altre. ErrorSetACountryFirst=Estableix, en primer lloc, el país SelectThirdParty=Seleccionar un tercer @@ -46,7 +48,7 @@ ParentCompany=Seu Central Subsidiaries=Filials ReportByMonth=Informe per mes ReportByCustomers=Informe per client -ReportByThirdparties=Informe per tercer +ReportByThirdparties=Informe per Third party ReportByQuarter=Informe per taxa CivilityCode=Codi cortesia RegisteredOffice=Domicili social @@ -117,12 +119,20 @@ ProfId3Short=CNAE ProfId4Short=Prof. id 4 ProfId5Short=Prof. id 5 ProfId6Short=Prof. id 6 +ProfId7Short=Prof. id 7 +ProfId8Short=Prof. id 8 +ProfId9Short=Prof. id 9 +ProfId10Short=Prof. id 10 ProfId1=ID professional 1 ProfId2=ID professional 2 ProfId3=ID professional 3 ProfId4=ID professional 4 ProfId5=ID professional 5 ProfId6=ID professional 6 +ProfId7=DNI professional 7 +ProfId8=DNI professional 8 +ProfId9=DNI professional 9 +ProfId10=DNI professional 10 ProfId1AR=CUIT/CUIL ProfId2AR=Ingressos bruts ProfId3AR=- @@ -201,12 +211,20 @@ ProfId3FR=CNAE ProfId4FR=RCS/RM ProfId5FR=Prof Id 5 (número EORI) ProfId6FR=- +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- ProfId1ShortFR=SIRENA ProfId2ShortFR=SIRET ProfId3ShortFR=NAF ProfId4ShortFR=RCS ProfId5ShortFR=EORI ProfId6ShortFR=- +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- ProfId1GB=Número registre ProfId2GB=- ProfId3GB=SIC @@ -245,7 +263,7 @@ ProfId5MA=Id. prof. 5 (I.C.E.) ProfId6MA=- ProfId1MX=R.F.C ProfId2MX=Núm. seguretat social -ProfId3MX=CNAE +ProfId3MX=Prof Id 3 (Carta professional) ProfId4MX=- ProfId5MX=- ProfId6MX=- @@ -316,11 +334,11 @@ CustomerAbsoluteDiscountShort=Descompte fix CompanyHasRelativeDiscount=Aquest client té un descompte per defecte de %s%% CompanyHasNoRelativeDiscount=Aquest client no té descompte relatiu per defecte HasRelativeDiscountFromSupplier=Teniu un descompte predeterminat de %s%% amb aquest proveïdor -HasNoRelativeDiscountFromSupplier=No hi ha descompte relatiu predeterminat amb aquest venedor +HasNoRelativeDiscountFromSupplier=No hi ha descompte relatiu predeterminat amb aquest proveïdor CompanyHasAbsoluteDiscount=Aquest client té descomptes disponibles (notes de crèdit o bestretes) per %s %s CompanyHasDownPaymentOrCommercialDiscount=Aquest client té un descompte disponible (comercial, de pagament) per a %s%s CompanyHasCreditNote=Aquest client encara té abonaments per %s %s -HasNoAbsoluteDiscountFromSupplier=No hi ha descompte/crèdit disponible d'aquest venedor +HasNoAbsoluteDiscountFromSupplier=No hi ha descompte/crèdit disponible d'aquest proveïdor HasAbsoluteDiscountFromSupplier=Disposes de descomptes (notes de crèdits o pagaments pendents) per a %s %s d'aquest proveïdor HasDownPaymentOrCommercialDiscountFromSupplier=Teniu descomptes disponibles (comercials, pagaments inicials) de %s %s d'aquest proveïdor HasCreditNoteFromSupplier=Teniu notes de crèdit per a %s %s d'aquest proveïdor @@ -387,7 +405,7 @@ EditCompany=Edita l'empresa ThisUserIsNot=Aquest usuari no és client potencial, client o proveïdor VATIntraCheck=Verificar VATIntraCheckDesc=El NIF Intracomunitari ha d'incloure el prefix del país. L'enllaç %s utilitza el servei europeu de verificació de NIF (VIES) que requereix accés a Internet des del servidor Dolibarr. -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation VATIntraCheckableOnEUSite=Verifica el NIF Intracomunitari a la web de la Comissió Europea VATIntraManualCheck=També podeu comprovar manualment al lloc web de la Comissió Europea
      %s ErrorVATCheckMS_UNAVAILABLE=Comprovació impossible. El servei de comprovació no és prestat pel país membre (%s). @@ -475,7 +493,7 @@ CurrentOutstandingBill=Factura pendent actual OutstandingBill=Max. de factures pendents OutstandingBillReached=S'ha arribat al màx. de factures pendents OrderMinAmount=Import mínim per comanda -MonkeyNumRefModelDesc=Torneu un número amb el format %syymm-nnnn per al codi de client i %syymm-nnnn per al codi del proveïdor on yy és any, mm és mes i nnnn és un número d’increment automàtic seqüencial sense interrupció i sense retorn a 0. +MonkeyNumRefModelDesc=Retorna un número en el format %syymm-nnnn per al codi de client i %syymm-nnnn per al codi de proveïdor on és yy any, mm és el mes i nnnn és un nombre seqüencial que s'incrementa automàticament sense interrupció i sense retorn a 0. LeopardNumRefModelDesc=El codi és lliure. Aquest codi es pot modificar en qualsevol moment. ManagingDirectors=Nom del gerent(s) (CEO, director, president ...) MergeOriginThirdparty=Duplicar tercer (tercer que vols eliminar) @@ -500,7 +518,7 @@ InEEC=Europa (CEE) RestOfEurope=Resta d'Europa (CEE) OutOfEurope=Fora d’Europa (CEE) CurrentOutstandingBillLate=Factura pendent actual en retard -BecarefullChangeThirdpartyBeforeAddProductToInvoice=Ves amb compte, en funció de la configuració del preu del producte, has de canviar de tercer abans d’afegir el producte al TPV. +BecarefullChangeThirdpartyBeforeAddProductToInvoice=Aneu amb compte, depenent de la configuració del preu del vostre producte, hauríeu de canviar el tercer abans d'afegir el producte al TPV. EmailAlreadyExistsPleaseRewriteYourCompanyName=El correu electrònic ja existeix, si us plau, reescriu el nom de la teva empresa TwoRecordsOfCompanyName=Hi ha més d'un registre per a aquesta empresa, poseu-vos en contacte amb nosaltres per a completar la vostra sol·licitud d'associació CompanySection=Secció d'empresa @@ -508,3 +526,5 @@ ShowSocialNetworks=Mostra les xarxes socials HideSocialNetworks=Amaga les xarxes socials ExternalSystemID=ID del sistema extern IDOfPaymentInAnExternalSystem=ID de la forma de pagament en un sistema extern (com Stripe, Paypal, ...) +AADEWebserviceCredentials=Credencials del servei web AADE +ThirdPartyMustBeACustomerToCreateBANOnStripe=El tercer ha de ser un client per permetre la creació de la seva informació bancària al costat de Stripe diff --git a/htdocs/langs/ca_ES/compta.lang b/htdocs/langs/ca_ES/compta.lang index a0df8cdbbe1..b6309e3a625 100644 --- a/htdocs/langs/ca_ES/compta.lang +++ b/htdocs/langs/ca_ES/compta.lang @@ -120,7 +120,7 @@ ShowVatPayment=Veure pagaments IVA TotalToPay=Total a pagar BalanceVisibilityDependsOnSortAndFilters=El saldo només es pot veure en aquesta llista si la taula està ordenada amb %s i es filtra en 1 compte bancari (sense altres filtres) CustomerAccountancyCode=Codi comptable del client -SupplierAccountancyCode=Codi de comptabilitat del venedor +SupplierAccountancyCode=Codi de comptabilitat del proveïdor CustomerAccountancyCodeShort=Codi compt. cli. SupplierAccountancyCodeShort=Codi compt. prov. AccountNumber=Número de compte @@ -162,8 +162,9 @@ CalcModeVATDebt=Mode d'%sIVA sobre comptabilitat de compromís%s . CalcModeVATEngagement=Mode d'%sIVA sobre ingressos-despeses%s. CalcModeDebt=Anàlisi de documents registrats coneguts CalcModeEngagement=Anàlisi dels pagaments registrats coneguts +CalcModePayment=Anàlisi dels pagaments registrats coneguts CalcModeBookkeeping=Anàlisi de dades publicades a la taula de compilació de llibres. -CalcModeNoBookKeeping=Even if they are not yet accounted in Ledger +CalcModeNoBookKeeping=Fins i tot si encara no es comptabilitzen a Ledger CalcModeLT1= Metode %sRE factures a client - factures de proveïdor%s CalcModeLT1Debt=Metode %sRE a factures a clients%s CalcModeLT1Rec= Metode %sRE a factures de proveïdors%s @@ -177,7 +178,7 @@ AnnualByCompaniesDueDebtMode=Saldo d'ingressos i despeses, detall per grups pred AnnualByCompaniesInputOutputMode=Saldo d'ingressos i despeses, detall per grups predefinits, mode %sIngresos-Despeses%s és a dir comptabilitat d'efectiu. SeeReportInInputOutputMode=Mostra%sl'anàlisi de pagaments%s per a obtenir un càlcul basat en pagaments registrats fets fins i tot si encara no estan comptabilitzats al llibre major SeeReportInDueDebtMode=Mostra l'%sanàlisi de documents registrats%s per a obtenir un càlcul basat en els documents registrats coneguts, fins i tot si encara no estan comptabilitzats al llibre major. -SeeReportInBookkeepingMode=Mostra %sl'anàlisi de la taula de llibres comptables%s per a obtenir un informe basat en Taula de llibres comptables +SeeReportInBookkeepingMode=Vegeu %sanàlisi de la taula de comptabilitat%s per a un informe basat en Taula de comptabilitat RulesAmountWithTaxIncluded=- Els imports mostrats són amb tots els impostos inclosos. RulesAmountWithTaxExcluded=- Els imports de les factures mostrats inclouen tots els impostos exclosos RulesResultDue=- Inclou totes les factures, despeses, IVA, donacions, sous, siguin pagats o no.
      - Es basa en la data de facturació de les factures i en la data de venciment de despeses o pagaments d'impostos. Per als salaris, s'utilitza la data de finalització del període. @@ -253,6 +254,8 @@ CalculationMode=Mode de càlcul AccountancyJournal=Diari de codi de comptable ACCOUNTING_VAT_SOLD_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per a l'IVA a les vendes (utilitzat si no està definit a la configuració del diccionari d'IVA) ACCOUNTING_VAT_BUY_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per a l'IVA a les compres (utilitzat si no està definit a la configuració del diccionari d'IVA) +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=account (del gràfic de account) que s'utilitzarà per al timbre d'ingressos a sales /span> +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=account (del gràfic de account) que s'utilitzarà per al segell d'ingressos de les compres ACCOUNTING_VAT_PAY_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per a pagar l'IVA ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per a l'IVA en compres per a càrrecs inversos (crèdit) ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per a l'IVA en compres per a càrrecs inversos (dèbit) diff --git a/htdocs/langs/ca_ES/contracts.lang b/htdocs/langs/ca_ES/contracts.lang index cdbc678453c..746b7609f66 100644 --- a/htdocs/langs/ca_ES/contracts.lang +++ b/htdocs/langs/ca_ES/contracts.lang @@ -78,7 +78,7 @@ CloseAllContracts=Tancar tots els serveis DeleteContractLine=Eliminar línia de contracte ConfirmDeleteContractLine=Esteu segur que voleu suprimir aquesta línia de contracte? MoveToAnotherContract=Moure el servei a un altre contracte d'aquest tercer. -ConfirmMoveToAnotherContract=He triat el contracte i confirmo el canvi de servei en aquest contracte +ConfirmMoveToAnotherContract=Vaig triar un nou contracte objectiu i confirmo que vull traslladar aquest servei a aquest contracte. ConfirmMoveToAnotherContractQuestion=Escull a quin contracte existent (del mateix tercer), vols moure aquest servei? PaymentRenewContractId=Renova el contracte %s (servei %s) ExpiredSince=Expirat des del diff --git a/htdocs/langs/ca_ES/cron.lang b/htdocs/langs/ca_ES/cron.lang index 2f323ce48be..518ceea266d 100644 --- a/htdocs/langs/ca_ES/cron.lang +++ b/htdocs/langs/ca_ES/cron.lang @@ -14,7 +14,7 @@ FileToLaunchCronJobs=Línia d'ordres per a comprovar i iniciar les tasques cron CronExplainHowToRunUnix=A l'entorn Unix, hauríeu d'utilitzar l'entrada crontab següent per a executar la línia d'ordres cada 5 minuts CronExplainHowToRunWin=A l'entorn Windows de Microsoft(tm), podeu utilitzar les eines de tasques programades per a executar la línia d'ordres cada 5 minuts CronMethodDoesNotExists=La classe %s no conté cap mètode %s -CronMethodNotAllowed=El mètode %s de la classe %s es troba a la llista negra de mètodes prohibits +CronMethodNotAllowed=El mètode %s de la classe %s es troba a la llista de mètodes prohibits CronJobDefDesc=Els perfils de tasques programades es defineixen al fitxer descriptor del mòdul. Quan el mòdul està activat, es carreguen i estan disponibles perquè pugueu administrar les tasques des del menú d'eines d'administració %s. CronJobProfiles=Llista de perfils predefinits de tasques programades # Menu @@ -67,7 +67,7 @@ CronModuleHelp=Nom del directori del mòdul Dolibarr (també funciona amb el mò CronClassFileHelp=El camí relatiu i el nom del fitxer a carregar (el camí és relatiu al directori arrel del servidor web).
      Per exemple, per a cridar al mètode fetch de l'objecte Producte de Dolibarr htdocs/product/class/product.class.php, el valor del nom del fitxer de classe és
      product/class/product.class.php CronObjectHelp=El nom de l'objecte a carregar.
      Per exemple, per a cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor del nom del fitxer de classe és
      Producte CronMethodHelp=El mètode d'objecte a llançar.
      Per exemple, per a cridar al mètode fetch de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor del mètode és
      fetch -CronArgsHelp=Els arguments del mètode.
      Per exemple, cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor dels paràmetres pot ser
      0, ProductRef +CronArgsHelp=Els arguments del mètode.
      Per exemple, per cridar al mètode fetch de l'objecte Dolibarr Product /htdocs/product/class/product.class.php, el valor dels paràmetres pot ser
      0, ProductRef CronCommandHelp=La línia d'ordres del sistema a executar. CronCreateJob=Crear nova tasca programada CronFrom=De @@ -91,6 +91,7 @@ WarningCronDelayed=Atenció, a efectes de rendiment, sigui quina sigui la proper DATAPOLICYJob=Netejador de dades i anonimitzador JobXMustBeEnabled=La tasca %s s'ha d'activar EmailIfError=Correu electrònic per a advertir d'error +JobNotFound=No s'ha trobat la feina %s a la llista de treballs (intenta desactivar/activar el mòdul) ErrorInBatch=Error en executar la tasca %s # Cron Boxes diff --git a/htdocs/langs/ca_ES/dict.lang b/htdocs/langs/ca_ES/dict.lang index 8af56ff3bac..9742a409e81 100644 --- a/htdocs/langs/ca_ES/dict.lang +++ b/htdocs/langs/ca_ES/dict.lang @@ -158,7 +158,7 @@ CountryMX=Mèxic CountryFM=Micronesia CountryMD=Moldàvia CountryMN=Mongòlia -CountryMS=Monserrat +CountryMS=Montserrat CountryMZ=Moçambic CountryMM=Myanmar (Birmània) CountryNA=Namíbia diff --git a/htdocs/langs/ca_ES/ecm.lang b/htdocs/langs/ca_ES/ecm.lang index 17f2abc5fe6..a31d3a32b19 100644 --- a/htdocs/langs/ca_ES/ecm.lang +++ b/htdocs/langs/ca_ES/ecm.lang @@ -3,9 +3,9 @@ ECMNbOfDocs=Nombre de documents al directori ECMSection=Carpeta ECMSectionManual=Carpeta manual ECMSectionAuto=Carpeta automàtica -ECMSectionsManual=Arbre manual -ECMSectionsAuto=Arbre automàtic -ECMSectionsMedias=Arbre dels multimèdia +ECMSectionsManual=Arbre manual privat +ECMSectionsAuto=Arbre automàtic privat +ECMSectionsMedias=Arbre públic ECMSections=Carpetes ECMRoot=Arrel del ECM ECMNewSection=Carpeta nova @@ -17,9 +17,9 @@ ECMNbOfFilesInSubDir=Nombre d'arxius en les subcarpetes ECMCreationUser=Creador ECMArea=Àrea SGD/GCE ECMAreaDesc=L’àrea SGD/GED (Sistema de Gestió de Documents / Gestió de Continguts Electrònics) us permet desar, compartir i cercar ràpidament tota mena de documents a Dolibarr. -ECMAreaDesc2a=* Els directoris manuals es poden utilitzar per a desar documents no vinculats a un element concret. +ECMAreaDesc2a=* Els directoris manuals es poden utilitzar per desar documents amb una organització lliure de l'estructura d'arbre. ECMAreaDesc2b=* Els directoris automàtics s'omplen automàticament quan s'afegeixen documents des de la pàgina d'un element. -ECMAreaDesc3=* Els directoris de multimèdia són fitxers del subdirectori /medias del directori de documents, llegibles per a tothom sense necessitat de registrar-se i sense necessitat de compartir el fitxer de manera explícita. S'utilitza per a emmagatzemar fitxers d'imatge per al mòdul de correu electrònic o lloc web, per exemple. +ECMAreaDesc3=* Els directoris públics són fitxers del subdirectori /medias del directori de documents, llegibles per tothom sense necessitat de registrar-se. i no cal que el fitxer es comparteixi explícitament. S'utilitza per emmagatzemar fitxers d'imatge per al mòdul de correu electrònic o lloc web, per exemple. ECMSectionWasRemoved=El directori %s s'ha suprimit. ECMSectionWasCreated=S'ha creat el directori %s. ECMSearchByKeywords=Cercar per paraules clau @@ -45,10 +45,10 @@ ExtraFieldsEcmFiles=Atributs addicionals dels fitxers ECM ExtraFieldsEcmDirectories=Atributs addicionals dels directoris ECM ECMSetup=Configuració de l'ECM GenerateImgWebp=Duplica totes les imatges amb una altra versió amb format .webp -ConfirmGenerateImgWebp=Si ho confirmeu, generareu una imatge en format .webp per a totes les imatges actualment en aquesta carpeta (no s’inclouen les subcarpetes) ... +ConfirmGenerateImgWebp=Si confirm, Generate farà una imatge en format .webp per a totes les imatges que hi ha actualment en aquesta carpeta (no s'inclouen les subcarpetes, Les imatges webp no es generaran si Size és superior a l'original)... ConfirmImgWebpCreation=Confirmeu la duplicació de totes les imatges GenerateChosenImgWebp=Duplica la imatge escollida amb una altra versió amb format .webp -ConfirmGenerateChosenImgWebp=If you confirm, you will generate an image in .webp format for the image %s +ConfirmGenerateChosenImgWebp=Si confirm, Generate una imatge en format .webp per a la imatge %s ConfirmChosenImgWebpCreation=Confirmeu la duplicació d'imatges escollides SucessConvertImgWebp=Les imatges s'han duplicat correctament SucessConvertChosenImgWebp=La imatge escollida s'ha duplicat correctament diff --git a/htdocs/langs/ca_ES/errors.lang b/htdocs/langs/ca_ES/errors.lang index a9defc87d6a..9c7e5007ba5 100644 --- a/htdocs/langs/ca_ES/errors.lang +++ b/htdocs/langs/ca_ES/errors.lang @@ -4,7 +4,7 @@ NoErrorCommitIsDone=Sense errors, és vàlid # Errors ErrorButCommitIsDone=Errors trobats, però és vàlid malgrat tot -ErrorBadEMail=El correu electrònic %s és incorrecte +ErrorBadEMail=email l'adreça %s és incorrecta ErrorBadMXDomain=El correu electrònic %s sembla incorrecte (el domini no té cap registre MX vàlid) ErrorBadUrl=L'URL %s no és correcta ErrorBadValueForParamNotAString=Valor incorrecte del paràmetre. Acostuma a passar quan falta la traducció. @@ -32,6 +32,7 @@ ErrorBadThirdPartyName=Valor incorrecte per al nom de tercers ForbiddenBySetupRules=Prohibit per les normes de configuració ErrorProdIdIsMandatory=El %s es obligatori ErrorAccountancyCodeCustomerIsMandatory=El codi comptable del client %s és obligatori +ErrorAccountancyCodeSupplierIsMandatory=El Accountancy code de Supplier %s és obligatori ErrorBadCustomerCodeSyntax=La sintaxi del codi client és incorrecta ErrorBadBarCodeSyntax=Mala sintaxi per al codi de barres. Pot ser que configureu un tipus de codi de barres incorrecte o que hàgiu definit una màscara de codi de barres per a la numeració que no coincideixi amb el valor escanejat. ErrorCustomerCodeRequired=Codi client obligatori @@ -57,17 +58,18 @@ ErrorSubjectIsRequired=L'assumpte del correu electrònic és obligatori ErrorFailedToCreateDir=Error en la creació d'una carpeta. Comprovi que l'usuari del servidor web té drets d'escriptura en les carpetes de documents de Dolibarr. Si el paràmetre safe_mode està actiu en aquest PHP, Comproveu que els fitxers php dolibarr pertanyen a l'usuari del servidor web. ErrorNoMailDefinedForThisUser=E-Mail no definit per a aquest usuari ErrorSetupOfEmailsNotComplete=La configuració dels correus electrònics no s'ha completat -ErrorFeatureNeedJavascript=Aquesta funció necessita javascript actiu per a poder funcionar. Canvieu-ho a Configuració - Entorn. +ErrorFeatureNeedJavascript=Aquesta funció necessita que JavaScript estigui activat per funcionar. Canvieu-ho a la pantalla de configuració. ErrorTopMenuMustHaveAParentWithId0=Un menú del tipus 'Superior' no pot tenir un menú pare. Poseu 0 al menú pare o trieu un menú del tipus 'Esquerra'. ErrorLeftMenuMustHaveAParentId=Un menú del tipus 'Esquerra' ha de tenir un ID de pare ErrorFileNotFound=No s'ha trobat el fitxer %s (camí incorrecte, permisos incorrectes o accés denegat pel paràmetre PHP openbasedir o safe_mode) ErrorDirNotFound=No s'ha trobat el directori %s (camí incorrecte, permisos incorrectes o accés denegat pel paràmetre PHP openbasedir o safe_mode) ErrorFunctionNotAvailableInPHP=La funció %s és requerida per aquesta característica, però no es troba disponible en aquesta versió/instal·lació de PHP. ErrorDirAlreadyExists=Ja existeix una carpeta amb aquest nom. +ErrorDirNotWritable=El directori %s no es pot escriure. ErrorFileAlreadyExists=Ja existeix un fitxer amb aquest nom. ErrorDestinationAlreadyExists=Ja existeix un altre fitxer amb el nom %s . ErrorPartialFile=Arxiu no rebut íntegrament pel servidor. -ErrorNoTmpDir=Directori temporal de recepció %s inexistent +ErrorNoTmpDir=El directori temporal %s no existeix. ErrorUploadBlockedByAddon=Càrrega bloquejada per un connector PHP/Apache. ErrorFileSizeTooLarge=La mida del fitxer és massa gran o no s'ha proporcionat el fitxer. ErrorFieldTooLong=El camp %s és massa llarg. @@ -90,9 +92,9 @@ ErrorPleaseTypeBankTransactionReportName=Introduïu el nom de l’extracte banca ErrorRecordHasChildren=No s'ha pogut eliminar el registre, ja que té alguns registres fills. ErrorRecordHasAtLeastOneChildOfType=L'objecte %s té almenys un fill del tipus %s ErrorRecordIsUsedCantDelete=No es pot eliminar el registre. Ja s'utilitza o s'inclou en un altre objecte. -ErrorModuleRequireJavascript=No s’ha de desactivar Javascript perquè funcioni aquesta funció. Per a activar/desactivar Javascript, aneu al menú Inici-> Configuració->Entorn. +ErrorModuleRequireJavascript=JavaScript no s'ha de desactivar perquè aquesta funció funcioni. Per activar/desactivar JavaScript, aneu al menú Inici->Configuració->Mostra. ErrorPasswordsMustMatch=Les 2 contrasenyes indicades s'han de correspondre -ErrorContactEMail=S'ha produït un error tècnic. Si us plau, contacteu amb l'administrador al següent correu electrònic %s i proporcioneu el codi d'error %s al vostre missatge o afegiu una còpia de la pantalla d'aquesta pàgina. +ErrorContactEMail=S'ha produït un error tècnic. Si us plau, poseu-vos en contacte amb l'administrador al correu electrònic següent %s i proporcioneu l'error. codi %s al missatge o afegiu una còpia de pantalla de aquesta pàgina. ErrorWrongValueForField=Camp %s : ' %s ' no coincideix amb la regla regex %s ErrorHtmlInjectionForField=Camp %s : el valor ' %s no conté dades malicioses ' ErrorFieldValueNotIn=Camp %s : ' %s ' no és un valor trobat en el camp %s de %s @@ -103,7 +105,8 @@ ErrorFileIsInfectedWithAVirus=L'antivirus no ha pogut validar aquest arxiu (és ErrorNumRefModel=Hi ha una referència a la base de dades (%s) i no és compatible amb aquesta regla de numeració. Elimineu el registre o canvieu el nom de referència per a activar aquest mòdul. ErrorQtyTooLowForThisSupplier=Quantitat massa baixa per aquest proveïdor o sense un preu definit en aquest producte per aquest proveïdor ErrorOrdersNotCreatedQtyTooLow=Algunes ordres no s'han creat a causa de quantitats massa baixes -ErrorModuleSetupNotComplete=La configuració del mòdul %s sembla incompleta. Aneu a Inici - Configuració - Mòduls per a completar. +ErrorOrderStatusCantBeSetToDelivered=L'estat de la comanda no es pot configurar com a lliurat. +ErrorModuleSetupNotComplete=La configuració del mòdul %s sembla incompleta. Aneu a Inici - Configuració - Mòduls per completar. ErrorBadMask=Error en la màscara ErrorBadMaskFailedToLocatePosOfSequence=Error, sense número de seqüència en la màscara ErrorBadMaskBadRazMonth=Error, valor de tornada a 0 incorrecte @@ -131,7 +134,7 @@ ErrorLoginDoesNotExists=El compte d'usuari de %s no s'ha trobat. ErrorLoginHasNoEmail=Aquest usuari no té e-mail. Impossible continuar. ErrorBadValueForCode=Valor incorrecte per codi de seguretat. Torna a intentar-ho amb un nou valor... ErrorBothFieldCantBeNegative=Els camps %s i %s no poden ser negatius -ErrorFieldCantBeNegativeOnInvoice=El camp %s no pot ser negatiu en aquest tipus de factura. Si voleu afegir una línia de descompte, només cal que creeu el descompte en primer lloc (amb el camp "%s" de la fitxa del tercer) i després apliqueu-lo a la factura. +ErrorFieldCantBeNegativeOnInvoice=Field %sb071%sb0a6fc0a65 span> Cannot sigui negatiu en aquest tipus de invoice. Si necessiteu afegir un descompte line, només cal create primer el descompte (de Field /span> '%s' a la targeta third-party) and aplica-la a el invoice. ErrorLinesCantBeNegativeForOneVATRate=El total de línies (net d’impostos) no pot ser negatiu per a un tipus d’IVA determinat no nul (s’ha trobat un total negatiu per a l’IVA %s %%). ErrorLinesCantBeNegativeOnDeposits=Les línies no poden ser negatives en un dipòsit. Si ho feu, podreu tenir problemes quan necessiteu consumir el dipòsit a la factura final ErrorQtyForCustomerInvoiceCantBeNegative=La quantitat a les línies de factures a client no poden ser negatives @@ -166,7 +169,7 @@ ErrorPriceExpression4=Caràcter '%s' il·legal ErrorPriceExpression5=No s'esperava '%s' ErrorPriceExpression6=Nombre d'arguments inadequats (%s dades, %s esperats) ErrorPriceExpression8=Operador '%s' no esperat -ErrorPriceExpression9=Ha succeït un error no esperat +ErrorPriceExpression9=S'ha produït un error inesperat ErrorPriceExpression10=L'operador '%s' manca d'operant ErrorPriceExpression11=S'esperava '%s' ErrorPriceExpression14=Divisió per zero @@ -191,7 +194,7 @@ ErrorGlobalVariableUpdater4=El client SOAP ha fallat amb l'error '%s' ErrorGlobalVariableUpdater5=Sense variable global seleccionada ErrorFieldMustBeANumeric=El camp %s ha de ser un valor numèric ErrorMandatoryParametersNotProvided=Paràmetre/s obligatori/s no definits -ErrorOppStatusRequiredIfUsage=You set you want to use this project to follow an opportunity, so you must also fill the initial Status of opportunity. +ErrorOppStatusRequiredIfUsage=Trieu seguir un opportunity en aquest project, així que també heu d'omplir el lead Status. ErrorOppStatusRequiredIfAmount=Establiu una quantitat estimada d'aquest avantatge. Així que també heu d'introduir el seu estat. ErrorFailedToLoadModuleDescriptorForXXX=No s'ha pogut carregar la classe del descriptor del mòdul per %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Definició incorrecta del menú Array en el descriptor del mòdul (valor incorrecte per a la clau fk_menu) @@ -240,7 +243,7 @@ ErrorURLMustStartWithHttp=L'URL %s ha de començar amb http: // o https: // ErrorHostMustNotStartWithHttp=El nom d'amfitrió %s NO ha de començar amb http: // o https: // ErrorNewRefIsAlreadyUsed=Error, la referència nova ja s’està utilitzant ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, l’eliminació del pagament vinculat a una factura tancada no és possible. -ErrorSearchCriteriaTooSmall=Criteris de cerca massa petits. +ErrorSearchCriteriaTooSmall=Els criteris de cerca són massa curts. ErrorObjectMustHaveStatusActiveToBeDisabled=Per a desactivar els objectes, han de tenir l'estat "Actiu" ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Per ser activats, els objectes han de tenir l'estat "Esborrany" o "Desactivat" ErrorNoFieldWithAttributeShowoncombobox=Cap camp té la propietat "showoncombobox" en la definició de l'objecte "%s". No es pot mostrar el llistat desplegable. @@ -259,7 +262,7 @@ ErrorReplaceStringEmpty=Error, la cadena a on fer la substitució és buida ErrorProductNeedBatchNumber=Error, el producte ' %s ' necessita un número de lot/sèrie ErrorProductDoesNotNeedBatchNumber=Error, el producte ' %s ' no accepta un número de lot/sèrie ErrorFailedToReadObject=Error, no s'ha pogut llegir l'objecte del tipus %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Error, el paràmetre %s s'ha d'activar a conf/conf.php per a permetre l'ús de la interfície de línia d'ordres pel programador de treball intern +ErrorParameterMustBeEnabledToAllwoThisFeature=Error, el paràmetre %s s'ha d'activar a conf/conf.php<> per permetre l'ús de la interfície de línia d'ordres pel planificador de treballs intern ErrorLoginDateValidity=Error, aquest inici de sessió està fora de l'interval de dates de validesa ErrorValueLength=La longitud del camp ' %s ' ha de ser superior a ' %s ' ErrorReservedKeyword=La paraula ' %s ' és una paraula clau reservada @@ -296,11 +299,12 @@ ErrorAjaxRequestFailed=La sol·licitud ha fallat ErrorThirpdartyOrMemberidIsMandatory=És obligatori un tercer o membre de la societat ErrorFailedToWriteInTempDirectory=No s'ha pogut escriure al directori temporal ErrorQuantityIsLimitedTo=La quantitat està limitada a %s -ErrorFailedToLoadThirdParty=No s'ha pogut trobar/carregar un tercer des d'id=%s, correu electrònic=%s, name=%s +ErrorFailedToLoadThirdParty=No s'ha pogut trobar/carregar Third party de ID=%s, email=%s, name=%s ErrorThisPaymentModeIsNotSepa=Aquest mode de pagament no és un compte bancari -ErrorStripeCustomerNotFoundCreateFirst=El client de Stripe no està configurat per a aquest tercer (o s'ha establert un valor suprimit al costat de Stripe). Creeu-lo (o torneu-lo a adjuntar) primer. +ErrorStripeCustomerNotFoundCreateFirst=Stripe Customer no està establert per a aquest Third party (o s'ha establert un valor suprimit al costat Stripe). create (o torneu a adjuntar-lo primer). ErrorCharPlusNotSupportedByImapForSearch=La cerca IMAP no pot cercar al remitent o al destinatari una cadena que contingui el caràcter + ErrorTableNotFound=No s'ha trobat la taula %s +ErrorRefNotFound=No s'ha trobat la referència %s ErrorValueForTooLow=El valor de %s és massa baix ErrorValueCantBeNull=El valor de %s no pot ser nul ErrorDateOfMovementLowerThanDateOfFileTransmission=La data de la transacció bancària no pot ser inferior a la data de transmissió del fitxer @@ -314,13 +318,17 @@ ErrorCoherenceMenu= %s és necessari quan %s és «left» ErrorUploadFileDragDrop=S'ha produït un error mentre es penjaven els fitxers ErrorUploadFileDragDropPermissionDenied=S'ha produït un error durant la càrrega dels fitxers: permís denegat ErrorFixThisHere=Arregla això aquí -ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Error: The URL of you current instance (%s) does not match the URL defined into your OAuth2 login setup (%s). Doing OAuth2 login in such a configuration is not allowed. +ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Error: l'URL de la vostra instància actual (%s) no coincideix amb l'URL definit al vostre inici de sessió OAuth2 Setup (%s). No es permet fer l'inici de sessió OAuth2 en aquesta configuració. ErrorMenuExistValue=Ja existeix un menú amb aquest títol o URL ErrorSVGFilesNotAllowedAsLinksWithout=Els fitxers SVG no es permeten com a enllaços externs sense l'opció %s ErrorTypeMenu=Impossible afegir un altre menú per al mateix mòdul a la barra de navegació, encara no es gestiona +ErrorObjectNotFound = El object %sb3z0%sb3z914b7 /span> no s'ha trobat, Check el vostre URL +ErrorCountryCodeMustBe2Char=El codi del país ha de ser una cadena de 2 caràcters + ErrorTableExist=La taula %s ja existeix ErrorDictionaryNotFound=No s'ha trobat el diccionari %s -ErrorFailedToCreateSymLinkToMedias=Failed to create the symlinks %s to point to %s +ErrorFailedToCreateSymLinkToMedias=No s'ha pogut create el simbòlic Link %s per apuntar a %s +ErrorCheckTheCommandInsideTheAdvancedOptions=Check el command utilitzat per a l'exportació a les opcions avançades de l'exportació # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=El paràmetre PHP upload_max_filesize (%s) és superior al paràmetre PHP post_max_size (%s). No es tracta d’una configuració consistent. @@ -359,12 +367,14 @@ WarningPaypalPaymentNotCompatibleWithStrict=El valor "Estricte" fa que les funci WarningThemeForcedTo=Avís, el tema s'ha forçat a %s per la constant oculta MAIN_FORCETHEME WarningPagesWillBeDeleted=Advertència, això també suprimirà totes les pàgines/contenidors existents del lloc web. Hauríeu d'exportar el vostre lloc web abans, de manera que tingueu una còpia de seguretat per tornar-lo a importar més tard. WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=La validació automàtica es desactiva quan l'opció de disminució d'estoc s'estableix a "Validació de la factura". -WarningModuleNeedRefrech = El mòdul %s s'ha desactivat. No oblideu activar-lo +WarningModuleNeedRefresh = El mòdul %s s'ha desactivat. No oblideu activar-lo WarningPermissionAlreadyExist=Permisos existents per a aquest objecte -WarningGoOnAccountancySetupToAddAccounts=If this list is empty, go into menu %s - %s - %s to load or create accounts for your chart of account. +WarningGoOnAccountancySetupToAddAccounts=Si aquest List està buit, aneu a menu %s - %s - %s per carregar o create comptes per al vostre gràfic de account. WarningCorrectedInvoiceNotFound=No s'ha trobat la factura corregida +WarningCommentNotFound=Si us plau, Check col·locació d'inici and comentaris finals per a %s a la secció file b0ae8span>f30537 %s abans d'enviar la vostra acció +WarningAlreadyReverse=estoc moviment ja invertit -SwissQrOnlyVIR = SwissQR invoice can only be added on invoices set to be paid with credit transfer payments. +SwissQrOnlyVIR = SwissQR invoice només es pot afegir a invoices establert per ser paid Transfer pagaments. SwissQrCreditorAddressInvalid = L'adreça del creditor no és vàlida (s'han definit el codi postal i la ciutat? (%s) SwissQrCreditorInformationInvalid = La informació del creditor no és vàlida per a l'IBAN (%s): %s SwissQrIbanNotImplementedYet = QR-IBAN encara no implementat diff --git a/htdocs/langs/ca_ES/eventorganization.lang b/htdocs/langs/ca_ES/eventorganization.lang index bae7044a608..7f85b9404f9 100644 --- a/htdocs/langs/ca_ES/eventorganization.lang +++ b/htdocs/langs/ca_ES/eventorganization.lang @@ -90,7 +90,7 @@ PriceOfRegistrationHelp=Preu a pagar per inscriure’s o participar a l’esdeve PriceOfBooth=Preu de la subscripció per a estand PriceOfBoothHelp=Preu de la subscripció per a estand EventOrganizationICSLink=Enllaç ICS per a conferències -ConferenceOrBoothInformation=Informació sobre conferències o estands +ConferenceOrBoothInformation=Informació sobre la conferència o l'estand Attendees=Assistents ListOfAttendeesOfEvent=Llista d’assistents al projecte de l’esdeveniment DownloadICSLink = Descarregueu l’enllaç ICS @@ -98,6 +98,7 @@ EVENTORGANIZATION_SECUREKEY = Llavor per a assegurar la clau de la pàgina de re SERVICE_BOOTH_LOCATION = Servei que s'utilitza per a la fila de factures sobre una ubicació de l'estand SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Servei utilitzat per a la fila de factura sobre la subscripció d'un assistent a un esdeveniment NbVotes=Nombre de vots + # # Status # @@ -107,8 +108,9 @@ EvntOrgConfirmed = Confirmat EvntOrgNotQualified = No qualificat EvntOrgDone = Realitzades EvntOrgCancelled = Cancel·lat + # -# Public page +# Other # SuggestForm = Pàgina de suggeriments SuggestOrVoteForConfOrBooth = Pàgina per suggerir o votar @@ -144,13 +146,8 @@ OrganizationEventBulkMailToAttendees=Aquest és un recordatori de la vostra part OrganizationEventBulkMailToSpeakers=Aquest és un recordatori de la vostra participació a l’esdeveniment com a ponent OrganizationEventLinkToThirdParty=Enllaç a tercers (client, proveïdor o soci) OrganizationEvenLabelName=Nom públic de la conferència o estand - NewSuggestionOfBooth=Sol·licitud d'estand NewSuggestionOfConference=Sol·licitud per a fer una conferència - -# -# Vote page -# EvntOrgRegistrationWelcomeMessage = Us donem la benvinguda a la pàgina de suggeriments de conferències o estands. EvntOrgRegistrationConfWelcomeMessage = Us donem la benvinguda a la pàgina de suggeriments de la conferència. EvntOrgRegistrationBoothWelcomeMessage = Us donem la benvinguda a la pàgina de suggeriments de l'estand. @@ -158,8 +155,8 @@ EvntOrgVoteHelpMessage = Aquí podeu veure i votar els esdeveniments suggerits p VoteOk = El vostre vot s’ha acceptat. AlreadyVoted = Ja heu votat per aquest esdeveniment. VoteError = S'ha produït un error durant la votació. Torneu-ho a provar. - SubscriptionOk=S'ha enregistrat la teva inscripció +AmountOfRegistrationPaid=Import de la matrícula pagada ConfAttendeeSubscriptionConfirmation = Confirmació de la subscripció a un esdeveniment Attendee = Assistent PaymentConferenceAttendee = Pagament dels assistents a la conferència @@ -170,7 +167,7 @@ EmailAttendee=Correu electrònic de l'assistent EmailCompany=Correu electrònic de l'empresa EmailCompanyForInvoice=Correu electrònic de l'empresa (per a la factura, si és diferent del correu electrònic dels assistents) ErrorSeveralCompaniesWithEmailContactUs=S'han trobat diverses empreses amb aquest correu electrònic, de manera que no podem validar automàticament el vostre registre. Si us plau, poseu-vos en contacte amb nosaltres a %s per a una validació manual -ErrorSeveralCompaniesWithNameContactUs=S'han trobat diverses empreses amb aquest nom, de manera que no podem validar automàticament el vostre registre. Si us plau, poseu-vos en contacte amb nosaltres a %s per a obtenir una validació manual +ErrorSeveralCompaniesWithNameContactUs=S'han trobat diverses empreses amb aquest nom, de manera que no podem validar automàticament el vostre registre. Si us plau, poseu-vos en contacte amb nosaltres a %s per a una validació manual NoPublicActionsAllowedForThisEvent=No hi ha cap acció pública oberta al públic per a aquest esdeveniment MaxNbOfAttendees=Nombre màxim d'assistents DateStartEvent=Data d'inici de l'esdeveniment diff --git a/htdocs/langs/ca_ES/exports.lang b/htdocs/langs/ca_ES/exports.lang index 89f976141a9..eb376174287 100644 --- a/htdocs/langs/ca_ES/exports.lang +++ b/htdocs/langs/ca_ES/exports.lang @@ -27,8 +27,8 @@ FieldTitle=Títol camp NowClickToGenerateToBuildExportFile=Ara, seleccioneu el format del fitxer al quadre combinat i feu clic a «Genera» per a crear el fitxer d'exportació... AvailableFormats=Formats disponibles LibraryShort=Biblioteca -ExportCsvSeparator=Caràcter separador del CSV -ImportCsvSeparator=Caràcter separador del CSV +ExportCsvSeparator=Separador de caràcters Csv +ImportCsvSeparator=Separador de caràcters Csv Step=Pas FormatedImport=Assistent d'importació FormatedImportDesc1=Aquest mòdul us permet actualitzar les dades existents o afegir nous objectes a la base de dades d'un fitxer sense coneixements tècnics, utilitzant un assistent. diff --git a/htdocs/langs/ca_ES/holiday.lang b/htdocs/langs/ca_ES/holiday.lang index 96d281dac63..a397cba9de3 100644 --- a/htdocs/langs/ca_ES/holiday.lang +++ b/htdocs/langs/ca_ES/holiday.lang @@ -5,7 +5,7 @@ Holiday=Dies lliures CPTitreMenu=Dia lliure MenuReportMonth=Estat mensual MenuAddCP=Sol·licitud nova de dia lliure -MenuCollectiveAddCP=Nova sol·licitud de festiu col·lectiu +MenuCollectiveAddCP=New collective leave NotActiveModCP=Heu d'habilitar el mòdul Dies lliures per a veure aquesta pàgina. AddCP=Feu una sol·licitud de dia lliure DateDebCP=Data inicial @@ -95,14 +95,14 @@ UseralreadyCPexist=Ja s'ha fet una sol·licitud de festiu en aquest període per groups=Grups users=Usuaris AutoSendMail=Correu automàtic -NewHolidayForGroup=Nova sol·licitud de festiu col·lectiu -SendRequestCollectiveCP=Enviar sol·licitud de festiu col·lectiu +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave AutoValidationOnCreate=Validació automàtica FirstDayOfHoliday=Primer dia de sol·licitud de permís LastDayOfHoliday=Últim del dia de sol·licitud de permís HolidaysMonthlyUpdate=Actualització mensual ManualUpdate=Actualització manual -HolidaysCancelation=Cancel·lació de la sol·licitud de dies lliures +HolidaysCancelation=Deixeu la sol·licitud de cancel·lació EmployeeLastname=Cognoms de l'empleat EmployeeFirstname=Nom de l'empleat TypeWasDisabledOrRemoved=El tipus de dia lliure (id %s) ha sigut desactivat o eliminat diff --git a/htdocs/langs/ca_ES/hrm.lang b/htdocs/langs/ca_ES/hrm.lang index cfcaaf89534..451f2f9ce4a 100644 --- a/htdocs/langs/ca_ES/hrm.lang +++ b/htdocs/langs/ca_ES/hrm.lang @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Descripció per defecte dels rangs quan es crea l' deplacement=Canvi DateEval=Data d'avaluació JobCard=Targeta de treball -JobPosition=Tasca -JobsPosition=Feines +NewJobProfile=Feina nova Profile +JobProfile=Perfil laboral +JobsProfiles=Perfils laborals NewSkill=Nova habilitat SkillType=Tipus d'habilitat Skilldets=Llista de classificacions per a aquesta habilitat @@ -36,7 +37,7 @@ rank=Classificació ErrNoSkillSelected=No s'ha seleccionat cap habilitat ErrSkillAlreadyAdded=Aquesta habilitat ja està a la llista SkillHasNoLines=Aquesta habilitat no té línies -skill=Habilitat +Skill=Habilitat Skills=Habilitats SkillCard=Targeta d'habilitat EmployeeSkillsUpdated=Les habilitats dels empleats s'han actualitzat (vegeu la pestanya "Habilitats" de la targeta d'empleat) @@ -44,29 +45,32 @@ Eval=Avaluació Evals=Avaluacions NewEval=Nova avaluació ValidateEvaluation=Valida l'avaluació -ConfirmValidateEvaluation=Esteu segur que voleu validar aquesta avaluació amb la referència %s ? +ConfirmValidateEvaluation=Esteu segur que voleu validar aquesta avaluació amb la referència %s? EvaluationCard=Targeta d'avaluació -RequiredRank=Grau requerit per a aquesta feina +RequiredRank=Grau requerit per al perfil de feina +RequiredRankShort=Grau requerit +PositionsWithThisProfile=Posicions amb aquest perfil laboral EmployeeRank=Classificació dels empleats per a aquesta habilitat +EmployeeRankShort=Grau d'empleat EmployeePosition=Càrrec d'empleat EmployeePositions=Càrrecs dels empleats EmployeesInThisPosition=Empleats en aquesta posició group1ToCompare=Grup d'usuaris per analitzar group2ToCompare=Segon grup d'usuaris per comparar -OrJobToCompare=Compareu amb els requisits d'habilitats laborals +OrJobToCompare=Compareu amb els requisits d'habilitats d'un perfil laboral difference=Diferència CompetenceAcquiredByOneOrMore=Competència adquirida per un o més usuaris però no sol·licitada pel segon comparador -MaxlevelGreaterThan=Nivell màxim superior al sol·licitat -MaxLevelEqualTo=Nivell màxim igual a aquesta demanda -MaxLevelLowerThan=Nivell màxim inferior a aquesta demanda -MaxlevelGreaterThanShort=Nivell de treballador superior al sol·licitat -MaxLevelEqualToShort=El nivell d'empleat és igual a aquesta demanda -MaxLevelLowerThanShort=Nivell d'empleat inferior a aquesta demanda +MaxlevelGreaterThan=Employee level és superior al level esperat +MaxLevelEqualTo=Employee level és igual a l'esperat level +MaxLevelLowerThan=Employee level és inferior a l'esperat level +MaxlevelGreaterThanShort=level més gran del que s'esperava +MaxLevelEqualToShort=level igual al level esperat +MaxLevelLowerThanShort=level inferior a l'esperat SkillNotAcquired=Habilitat no adquirida per tots els usuaris i sol·licitada pel segon comparador legend=Llegenda TypeSkill=Tipus d'habilitat -AddSkill=Afegeix habilitats a la feina -RequiredSkills=Competències necessàries per a aquesta feina +AddSkill=Afegiu habilitats al perfil de feina +RequiredSkills=Competències necessàries per a aquest perfil laboral UserRank=Rank d'usuari SkillList=Llista d'habilitats SaveRank=Guardar rang @@ -85,8 +89,9 @@ VacantCheckboxHelper=Si marqueu aquesta opció, es mostraran les posicions no oc SaveAddSkill = Habilitats afegides SaveLevelSkill = S'ha guardat el nivell d'habilitats DeleteSkill = S'ha eliminat l'habilitat -SkillsExtraFields=Atributs addicionals (Competències) -JobsExtraFields=Atributs addicionals (Empleats) -EvaluationsExtraFields=Atributs addicionals (avaluacions) +SkillsExtraFields=Atributs complementaris (Habilitats) +JobsExtraFields=Atributs complementaris (Job Profile) +EvaluationsExtraFields=Atributs complementaris (avaluacions) NeedBusinessTravels=Necessites viatges de negocis NoDescription=Sense descripció +TheJobProfileHasNoSkillsDefinedFixBefore=La feina avaluada Profile d'aquesta Employee no té cap habilitat definida. Si us plau, afegiu habilitats i, a continuació, delete and reinicieu l'avaluació. diff --git a/htdocs/langs/ca_ES/install.lang b/htdocs/langs/ca_ES/install.lang index 21c42cc277e..02bab6c320b 100644 --- a/htdocs/langs/ca_ES/install.lang +++ b/htdocs/langs/ca_ES/install.lang @@ -77,7 +77,7 @@ SetupEnd=Fi de la configuració SystemIsInstalled=La instal·lació s'ha finalitzat. SystemIsUpgraded=S'ha actualitzat Dolibarr correctament. YouNeedToPersonalizeSetup=Heu de configurar Dolibarr segons les vostres necessitats (aspecte, característiques, ...). Per a fer-ho, seguiu el següent enllaç: -AdminLoginCreatedSuccessfuly=El codi d'usuari administrador de Dolibar '%s' s'ha creat correctament. +AdminLoginCreatedSuccessfuly=El codi d'usuari administrador de Dolibarr '%s' s'ha creat correctament. GoToDolibarr=Aneu a Dolibarr GoToSetupArea=Aneu a Dolibarr (àrea de configuració) MigrationNotFinished=La versió de la base de dades no està completament actualitzada: torneu a executar el procés d'actualització. @@ -129,7 +129,7 @@ MigrationCustomerOrderShipping=Migració de dades d'enviament de comandes de ven MigrationShippingDelivery=Actualització de les dades d'enviaments MigrationShippingDelivery2=Actualització de les dades d'enviaments 2 MigrationFinished=S'ha acabat la migració -LastStepDesc=Últim pas: Definiu aquí l'inici de sessió i la contrasenya que voleu utilitzar per a connectar-vos a Dolibarr. No la perdeu, ja que és el compte principal per a administrar tots els altres comptes d'usuari addicionals. +LastStepDesc=Últim pas: definiu aquí l'inici de sessió i la contrasenya que voleu utilitzar per connectar-vos a Dolibarr. No el perdis, ja que és el compte principal per administrar tots els altres/comptes d'usuari addicionals. ActivateModule=Activació del mòdul %s ShowEditTechnicalParameters=Feu clic aquí per a mostrar/editar els paràmetres avançats (mode expert) WarningUpgrade=Avís:\nHas fet una còpia de seguretat de la base de dades primer?\nAixò és molt recomanable. La pèrdua de dades (a causa, per exemple, d'errors a la versió de mysql 5.5.40/41/42/43) és possible durant aquest procés, per la qual cosa és essencial fer un bolcat complet de la base de dades abans d'iniciar qualsevol migració.\n\nFeu clic a D'acord per a iniciar el procés de migració... @@ -211,7 +211,7 @@ YouTryInstallDisabledByFileLock=L'aplicació s'ha intentat actualitzar automàti YouTryUpgradeDisabledByMissingFileUnLock=L'aplicació ha intentat actualitzar-se, però el procés d'actualització no està permès actualment.
      ClickHereToGoToApp=Fes clic aquí per anar a la teva aplicació ClickOnLinkOrRemoveManualy=Si una actualització està en curs, espereu. Si no, feu clic al següent enllaç. Si sempre veieu aquesta mateixa pàgina, heu de suprimir / canviar el nom del fitxer install.lock del directori de documents. -ClickOnLinkOrCreateUnlockFileManualy=Si hi ha una actualització en curs, espereu... Si no, heu de crear un fitxer upgrade.unlock al directori de documents de Dolibarr. +ClickOnLinkOrCreateUnlockFileManualy=Si hi ha una actualització en curs, espereu... Si no, heu d'eliminar el fitxer install.lock o crear un fitxer upgrade.unlock al directori de documents de Dolibarr. Loaded=Carregat FunctionTest=Prova de funció NodoUpgradeAfterDB=Cap acció sol·licitada pels mòduls externs després de l'actualització de la base de dades diff --git a/htdocs/langs/ca_ES/loan.lang b/htdocs/langs/ca_ES/loan.lang index efc0ffda92f..a9484f5e70b 100644 --- a/htdocs/langs/ca_ES/loan.lang +++ b/htdocs/langs/ca_ES/loan.lang @@ -16,7 +16,7 @@ LoanAccountancyInsuranceCode=Compte comptable de l'assegurança LoanAccountancyInterestCode=Compte comptable dels interessos ConfirmDeleteLoan=Confirmeu l'eliminació d'aquest préstec LoanDeleted=Préstec eliminat correctament -ConfirmPayLoan=Confirma la classificació del préstec com a pagat +ConfirmPayLoan=Confirmeu la marca d'aquest préstec com a pagat LoanPaid=Préstec pagat ListLoanAssociatedProject=Llista de préstecs associats al projecte AddLoan=Crea un préstec diff --git a/htdocs/langs/ca_ES/main.lang b/htdocs/langs/ca_ES/main.lang index 3f39fbfc92f..10536825fc5 100644 --- a/htdocs/langs/ca_ES/main.lang +++ b/htdocs/langs/ca_ES/main.lang @@ -20,7 +20,7 @@ FormatDateShortJava=dd/MM/yyyy FormatDateShortJavaInput=dd/MM/yyyy FormatDateShortJQuery=dd/mm/yy FormatDateShortJQueryInput=dd/mm/yy -FormatHourShortJQuery=HH:MM +FormatHourShortJQuery=HH:MI FormatHourShort=%H:%M FormatHourShortDuration=%H:%M FormatDateTextShort=%d %b %Y @@ -36,7 +36,7 @@ NoTranslation=Sense traducció Translation=Traducció Translations=Traduccions CurrentTimeZone=Fus horari PHP (Servidor) -EmptySearchString=Introdueix criteris de cerca no buits +EmptySearchString=Introduïu criteris de cerca no buits EnterADateCriteria=Introduïu un criteri de data NoRecordFound=No s'han trobat registres NoRecordDeleted=Sense registres eliminats @@ -60,7 +60,7 @@ ErrorFailedToSendMail=No s'ha pogut enviar el correu (emissor=%s, receptor=%s) ErrorFileNotUploaded=El fitxer no s'ha pogut transferir ErrorInternalErrorDetected=Error detectat ErrorWrongHostParameter=Paràmetre Servidor invàlid -ErrorYourCountryIsNotDefined=El vostre país no està definit. Aneu a Inici-Configuració-Edita i torneu a omplir el formulari. +ErrorYourCountryIsNotDefined=El teu país no està definit. Aneu a Inici-Configuració-Empresa/Fundació i torneu a publicar el formulari. ErrorRecordIsUsedByChild=No s'ha pogut suprimir aquest registre. Aquest registre l’utilitza almenys un registre fill. ErrorWrongValue=Valor incorrecte ErrorWrongValueForParameterX=Valor incorrecte del paràmetre %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Error, no s'han definit les taxes d'IVA pe ErrorNoSocialContributionForSellerCountry=Error, no s'ha definit cap mena d'impost varis per al país «%s». ErrorFailedToSaveFile=Error, el registre del fitxer ha fallat. ErrorCannotAddThisParentWarehouse=Esteu intentant afegir un magatzem principal que ja és fill d'un magatzem existent +ErrorInvalidSubtype=El subtipus seleccionat no està permès FieldCannotBeNegative=El camp «%s» no pot ser negatiu MaxNbOfRecordPerPage=Màx. nombre de registres per pàgina NotAuthorized=No estàs autoritzat per a fer-ho. @@ -103,7 +104,8 @@ RecordGenerated=Registre generat LevelOfFeature=Nivell de funcions NotDefined=No definida DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr està configurat en mode d'autenticació %s al fitxer de configuració conf.php.
      Això significa que la contrasenya de la base de dades és externa a Dolibarr, de manera que canviar aquest camp pot no tenir cap efecte. -Administrator=Administrador +Administrator=Administrador de sistemes +AdministratorDesc=Administrador del sistema (pot administrar l'usuari, els permisos però també la configuració del sistema i la configuració dels mòduls) Undefined=No definit PasswordForgotten=Heu oblidat la contrasenya? NoAccount=Cap compte? @@ -211,8 +213,8 @@ Select=Seleccionar SelectAll=Selecciona-ho tot Choose=Escollir Resize=Redimensionar +Crop=Cultiu ResizeOrCrop=Canviar la mida o tallar -Recenter=Enquadrar Author=Autor User=Usuari Users=Usuaris @@ -547,6 +549,7 @@ Reportings=Informes Draft=Esborrany Drafts=Esborranys StatusInterInvoiced=Facturat +Done=Realitzades Validated=Validat ValidatedToProduce=Validat (per a produir) Opened=Actiu @@ -698,6 +701,7 @@ Response=Resposta Priority=Prioritat SendByMail=Enviar per correu electrònic MailSentBy=Mail enviat per +MailSentByTo=Email sent by %s to %s NotSent=No enviat TextUsedInTheMessageBody=Text utilitzat en el cos del missatge SendAcknowledgementByMail=Envia el correu electrònic de confirmació @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Registre modificat amb èxit RecordsModified=S'han modificat el(s) registre(s) %s RecordsDeleted=S'han suprimit el(s) registre(s) %s RecordsGenerated=S'han generat el(s) registre(s) %s +ValidatedRecordWhereFound = Alguns dels registres seleccionats ja s'han validat. No s'ha suprimit cap registre. AutomaticCode=Creació automàtica de codi FeatureDisabled=Funció desactivada MoveBox=Mou el giny @@ -764,7 +769,6 @@ DisabledModules=Mòduls desactivats For=A favor ForCustomer=Per a client Signature=Signatura -DateOfSignature=Data de signatura HidePassword=Mostra comanda amb contrasenya oculta UnHidePassword=Mostra comanda amb contrasenya a la vista Root=Arrel @@ -822,8 +826,8 @@ LinkToOrder=Enllaça a comanda LinkToInvoice=Enllaça a factura LinkToTemplateInvoice=Enllaçar a plantilla de factura LinkToSupplierOrder=Enllaç a Comanda de compra -LinkToSupplierProposal=Enllaç al pressupost del venedor -LinkToSupplierInvoice=Enllaç a la factura del venedor +LinkToSupplierProposal=Enllaç al pressupost del proveïdor +LinkToSupplierInvoice=Enllaç a la factura del proveïdor LinkToContract=Enllaça a contracte LinkToIntervention=Enllaça a intervenció LinkToTicket=Enllaç al tiquet @@ -916,6 +920,7 @@ BackOffice=Back office Submit=Envia View=Veure Export=Exporta +Import=Importació Exports=Exportacions ExportFilteredList=Llistat filtrat d'exportació ExportList=Llistat d'exportació @@ -949,7 +954,7 @@ BulkActions=Accions massives ClickToShowHelp=Feu clic per a mostrar l'ajuda desplegable WebSite=Lloc web WebSites=Pàgines web -WebSiteAccounts=Comptes de lloc web +WebSiteAccounts=Comptes d'accés al lloc web ExpenseReport=Informe de despeses ExpenseReports=Informes de despeses HR=RH @@ -1077,6 +1082,7 @@ CommentPage=Espai de comentaris CommentAdded=Comentari afegit CommentDeleted=Comentari suprimit Everybody=Tothom +EverybodySmall=Tothom PayedBy=Pagat per PayedTo=Pagat a Monthly=Mensual @@ -1089,7 +1095,7 @@ KeyboardShortcut=Tecla de drecera AssignedTo=Assignada a Deletedraft=Suprimeix l'esborrany ConfirmMassDraftDeletion=Confirmació d'eliminació massiva d'esborranys -FileSharedViaALink=Fitxer compartit amb un enllaç públic +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Selecciona un tercer primer YouAreCurrentlyInSandboxMode=Actualment, esteu en el mode «sandbox» %s Inventory=Inventari @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Tasca ContactDefault_propal=Pressupost ContactDefault_supplier_proposal=Proposta de proveïdor ContactDefault_ticket=Tiquet -ContactAddedAutomatically=El contacte s'ha afegit des de les funcions de tercers de contacte +ContactAddedAutomatically=Contacte afegit a partir de rols de contacte de tercers More=Més ShowDetails=Mostrar detalls CustomReports=Informes personalitzats @@ -1138,7 +1144,7 @@ DeleteFileText=Realment vols suprimir aquest fitxer? ShowOtherLanguages=Mostrar altres idiomes SwitchInEditModeToAddTranslation=Canviar a mode d'edició per a afegir traduccions per a aquest idioma NotUsedForThisCustomer=No s'utilitza per a aquest client -NotUsedForThisVendor=No s'utilitza per a aquest venedor +NotUsedForThisVendor=No s'utilitza per a aquest proveïdor AmountMustBePositive=L'import ha de ser positiu ByStatus=Per estat InformationMessage=Informació @@ -1150,7 +1156,7 @@ DELETEInDolibarr=Registre %s eliminat VALIDATEInDolibarr=Registre %s validat APPROVEDInDolibarr=Registre %s aprovat DefaultMailModel=Model de correu predeterminat -PublicVendorName=Nom públic del venedor +PublicVendorName=Nom públic del proveïdor DateOfBirth=Data de naixement SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=El testimoni de seguretat ha caducat, de manera que s'ha cancel·lat l'acció. Torneu-ho a provar. UpToDate=Actualitzat @@ -1163,7 +1169,7 @@ AffectTag=Assigna una etiqueta AffectUser=Assigna un usuari SetSupervisor=Estableix el supervisor CreateExternalUser=Crea un usuari extern -ConfirmAffectTag=Assignació massiva d'etiquetes +ConfirmAffectTag=Assignació d'etiquetes massives ConfirmAffectUser=Assignació massiva d'usuaris ProjectRole=Rol assignat a cada projecte/oportunitat TasksRole=Rol assignat a cada tasca (si s'utilitza) @@ -1233,9 +1239,24 @@ PublicVirtualCard=Targeta de visita virtual TreeView=Vista d'arbre DropFileToAddItToObject=Deixeu anar un fitxer per a afegir-lo en aquest objecte UploadFileDragDropSuccess=Els fitxers s'han penjat correctament -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +SearchSyntaxTooltipForStringOrNum=Per a cercar dins de camps de text, podeu utilitzar els caràcters ^ o $ per a marcar 'comença o finalitza amb', o utilitzar el caràcter ! per a marcar un 'no conté'. Podeu utilitzar el caràcter | entre dues cadenes de text enlloc d'un espai per a una condició 'OR' enlloc d'una 'AND'. Per a valors numèrics, podeu utilitzar l'operador <, >, <=, >= o != abans del valor, per a filtrar utilitzant una comparació matemàtica. InProgress=En progrés DateOfPrinting=Data d'impressió ClickFullScreenEscapeToLeave=Feu clic aquí per a canviar al mode de pantalla completa. Premeu ESCAPE per a sortir del mode de pantalla completa. UserNotYetValid=Encara no vàlid UserExpired=No al dia +LinkANewFile=Enllaça un fitxer/document nou +LinkedFiles=Arxius i documents enllaçats +NoLinkFound=No hi ha enllaços registrats +LinkComplete=L'arxiu s'ha enllaçat correctament +ErrorFileNotLinked=L'arxiu no s'ha enllaçat +LinkRemoved=L'enllaç %s s'ha eliminat +ErrorFailedToDeleteLink= Error en eliminar l'enllaç '%s' +ErrorFailedToUpdateLink= Error en actualitzar l'enllaç '%s' +URLToLink=URL a enllaçar +OverwriteIfExists=Sobreescriu si existeix un fitxer +AmountSalary=Import del salari +InvoiceSubtype=Subtipus de factura +ConfirmMassReverse=Confirmació inversa massiva +ConfirmMassReverseQuestion=Esteu segur que voleu revertir els %s registres seleccionats? + diff --git a/htdocs/langs/ca_ES/margins.lang b/htdocs/langs/ca_ES/margins.lang index e0c32c282ad..d5fddedfa77 100644 --- a/htdocs/langs/ca_ES/margins.lang +++ b/htdocs/langs/ca_ES/margins.lang @@ -38,7 +38,7 @@ CostPrice=Preu de cost UnitCharges=Càrrega unitària Charges=Càrrecs AgentContactType=Tipus de contacte comissionat -AgentContactTypeDetails=Definiu quin tipus de contacte (enllaçat en factures) que s’utilitzarà per a l’informe del marge per contacte / adreça. Tingueu en compte que la lectura d’estadístiques d’un contacte no és fiable, ja que en la majoria dels casos es pot no definir explícitament el contacte a les factures. +AgentContactTypeDetails=Definiu quin tipus de contacte (enllaçat a les factures) s'utilitzarà per a l'informe de marge per contacte/adreça. Tingueu en compte que la lectura d'estadístiques d'un contacte no és fiable, ja que en la majoria dels casos és possible que el contacte no estigui definit explícitament a les factures. rateMustBeNumeric=El marge ha de ser un valor numèric markRateShouldBeLesserThan100=El marge ha de ser inferior a 100 ShowMarginInfos=Mostra informació de marge diff --git a/htdocs/langs/ca_ES/members.lang b/htdocs/langs/ca_ES/members.lang index da3aa335452..dbf509f80dd 100644 --- a/htdocs/langs/ca_ES/members.lang +++ b/htdocs/langs/ca_ES/members.lang @@ -101,7 +101,7 @@ VoteAllowed=Vot autoritzat Physical=Individual Moral=Corporació MorAndPhy=Corporació i Particular -Reenable=Torneu a activar-lo +Reenable=Torna a activar ExcludeMember=Exclou un soci Exclude=Excloure ConfirmExcludeMember=Esteu segur que voleu excloure aquest soci? @@ -128,7 +128,7 @@ String=Cadena Text=Text llarg Int=Enter DateAndTime=Data i hora -PublicMemberCard=Fitxa pública de soci +PublicMemberCard=Carnet de soci públic SubscriptionNotRecorded=Contribució no registrada AddSubscription=Creació d'una contribució ShowSubscription=Mostra la contribució @@ -138,7 +138,7 @@ SendingEmailOnAutoSubscription=Enviament de correu electrònic amb registre auto SendingEmailOnMemberValidation=S'està enviant un correu electrònic amb la validació de membre nou SendingEmailOnNewSubscription=S'està enviant un correu electrònic sobre una nova contribució SendingReminderForExpiredSubscription=S’envia un recordatori de les contribucions caducades -SendingEmailOnCancelation=Enviant correu electrònic de cancel·lació +SendingEmailOnCancelation=Enviament de correu electrònic en cas de cancel·lació SendingReminderActionComm=Enviament de recordatori de l’esdeveniment de l’agenda # Topic of email templates YourMembershipRequestWasReceived=S'ha rebut la vostra subscripció. @@ -159,7 +159,7 @@ DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Plantilla de correu electrònic que cal DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Plantilla de correu electrònic que cal utilitzar per a enviar un correu electrònic a un soci amb la validació de socis DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Plantilla de correu electrònic que s'utilitzarà per a enviar correus electrònics a un membre en un nou registre de contribució DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Plantilla de correu electrònic que s'utilitzarà per a enviar un recordatori de correu electrònic quan la contribució estigui a punt de caducar -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Plantilla de correu electrònic que s'utilitzarà per a enviar un correu electrònic a un soci en la seva cancel·lació +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Plantilla de correu electrònic que s'utilitza per enviar un correu electrònic a un membre en cas de cancel·lació DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Plantilla de correu electrònic que s'utilitzarà per a enviar un correu electrònic a un soci en cas d'exclusió de soci DescADHERENT_MAIL_FROM=Correu electrònic del remitent per a correus electrònics automàtics DescADHERENT_CC_MAIL_FROM=Envia una còpia automàtica de correu electrònic a @@ -207,6 +207,7 @@ LatestSubscriptionDate=Última data de contribució MemberNature=Naturalesa del membre MembersNature=Naturalesa dels membres Public=%s pot publicar la meva pertinença en el registre públic +MembershipPublic=Adhesió pública NewMemberbyWeb=S'ha afegit un soci nou. Esperant l'aprovació NewMemberForm=Formulari de soci nou SubscriptionsStatistics=Estadístiques de contribucions @@ -217,11 +218,11 @@ DefaultAmount=Import per defecte de la contribució (només s'utilitza si no es MinimumAmount=Import mínim (només s'utilitza quan l'import de la contribució és gratuït) CanEditAmount=L'import de la subscripció el pot definir el soci CanEditAmountDetail=El visitant pot triar/editar la quantitat de la seva contribució independentment del tipus de soci -AmountIsLowerToMinimumNotice=sobre un total d'%s +AmountIsLowerToMinimumNotice=L'import és inferior al mínim %s MEMBER_NEWFORM_PAYONLINE=Després del registre en línia, canvieu automàticament a la pàgina de pagament en línia ByProperties=Per naturalesa MembersStatisticsByProperties=Estadístiques dels membres per naturalesa -VATToUseForSubscriptions=Tipus d’IVA a utilitzar per a les aportacions +VATToUseForSubscriptions=Tipus d'IVA a utilitzar per a les aportacions NoVatOnSubscription=Sense IVA per les aportacions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Producte utilitzat per a la línia de contribució a la factura: %s NameOrCompany=Nom o empresa @@ -229,15 +230,17 @@ SubscriptionRecorded=Contribució registrada NoEmailSentToMember=No s'ha enviat un correu electrònic al membre EmailSentToMember=Correu electrònic enviat a membre a %s SendReminderForExpiredSubscriptionTitle=Envieu un recordatori per correu electrònic de les contribucions caducades -SendReminderForExpiredSubscription=Envieu un recordatori per correu electrònic als membres quan la contribució estigui a punt de caducar (el paràmetre és el nombre de dies abans de finalitzar la subscripció per a enviar el recordatori. Pot ser una llista de dies separats per un punt i coma, per exemple '10; 5; 0; -5 ') +SendReminderForExpiredSubscription=Envieu un recordatori per correu electrònic als membres quan la contribució estigui a punt de caducar (el paràmetre és el nombre de dies abans de la finalització de la subscripció per enviar el recordatori. Pot ser una llista de dies separats per un punt i coma, per exemple '10;5;0;-5 ') MembershipPaid=Membres pagats pel període actual (fins a %s) YouMayFindYourInvoiceInThisEmail=Podeu trobar la factura adjunta a aquest correu electrònic XMembersClosed=%s soci(s) tancat(s) XExternalUserCreated=%s usuari(s) extern(s) creat(s). ForceMemberNature=Naturalesa del membre de la força (individual o corporació) CreateDolibarrLoginDesc=La creació d'un inici de sessió d'usuari per als membres els permet connectar-se a l'aplicació. En funció de les autoritzacions concedides, podran, per exemple, consultar o modificar el seu fitxer ells mateixos. -CreateDolibarrThirdPartyDesc=Un tercer és l'entitat jurídica que s'utilitzarà a la factura si decidiu generar factura per a cada contribució. El podreu crear més endavant durant el procés de gravació de la contribució. +CreateDolibarrThirdPartyDesc=Un tercer és l'entitat jurídica que s'utilitzarà a la factura si decidiu generar factura per a cada aportació. Podreu crear-lo més endavant durant el procés d'enregistrament de la contribució. MemberFirstname=Nom del membre MemberLastname=Cognom del membre MemberCodeDesc=Codi de soci, únic per a tots els socis NoRecordedMembers=No hi ha socis registrats +MemberSubscriptionStartFirstDayOf=La data d'inici d'una subscripció correspon al primer dia d'a +MemberSubscriptionStartAfter=Període mínim abans de l'entrada en vigor de la data d'inici d'una subscripció excepte renovacions (exemple +3m = +3 mesos, -5d = -5 dies, +1Y = +1 any) diff --git a/htdocs/langs/ca_ES/modulebuilder.lang b/htdocs/langs/ca_ES/modulebuilder.lang index 69d49e7603f..fcc60f757cd 100644 --- a/htdocs/langs/ca_ES/modulebuilder.lang +++ b/htdocs/langs/ca_ES/modulebuilder.lang @@ -40,7 +40,7 @@ EditorName=Nom de l'editor EditorUrl=URL de l'editor DescriptorFile=Fitxer descriptor del mòdul ClassFile=Fitxer per a la classe CRUD DAO PHP -ApiClassFile=Fitxer per la classe PHP API +ApiClassFile=Fitxer API del mòdul PageForList=Pàgina PHP per a la llista de registres PageForCreateEditView=Pàgina PHP per a crear/editar/visualitzar un registre PageForAgendaTab=Pàgina de PHP per a la pestanya d'esdeveniments @@ -71,7 +71,7 @@ ArrayOfKeyValues=Matriu de clau-valor ArrayOfKeyValuesDesc=Matriu de claus i valors si el camp és una llista desplegable amb valors fixos WidgetFile=Fitxer del giny CSSFile=Fitxer CSS -JSFile=Fitxer Javascript +JSFile=Fitxer JavaScript ReadmeFile=Fitxer Readme ChangeLog=Fitxer ChangeLog TestClassFile=Fitxer per a la classe de proves Unit amb PHP @@ -92,8 +92,8 @@ ListOfMenusEntries=Llista d'entrades de menú ListOfDictionariesEntries=Llista d'entrades de diccionaris ListOfPermissionsDefined=Llista de permisos definits SeeExamples=Mira exemples aquí -EnabledDesc=Condició per tenir aquest camp actiu.

      Exemples:
      1
      isModEnabled('MAIN_MODULE_MYMODULE') a0342fccfda19bzLE_Get ='GCCFda19bz0' -VisibleDesc=El camp és visible? (Exemples: 0=Mai visible, 1=Visible a la llista i formularis de creació/actualització/visualització, 2=Visible només a la llista, 3=Visible només al formulari de creació/actualització/visualització (no a la llista), 4=Visible a la llista i actualització/visualització només del formulari (no crear), 5=Visible només al formulari de visualització final de la llista (no crear, no actualitzar).

      L'ús d'un valor negatiu significa que el camp no es mostra per defecte a la llista, però es pot seleccionar per a veure'l). +EnabledDesc=Condició per tenir aquest camp actiu.

      Exemples:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=El camp és visible? (Exemples: 0=Mai visible, 1=Visible a la llista i crear/actualitzar/visualitzar formularis, 2=Visible només a la llista, 3=Visible només al formulari de crear/actualitzar/visualitzar (no a les llistes), 4=Visible a les llistes i només el formulari d'actualització/visualització (no creat), 5=Visible a la llista i només el formulari de visualització (no crear, no actualitzar).

      L'ús d'un valor negatiu significa que el camp no es mostra de manera predeterminada a la llista, però es pot seleccionar per veure'l). ItCanBeAnExpression=Pot ser una expressió. Exemple:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 DisplayOnPdfDesc=Mostra aquest camp en documents PDF compatibles, pots gestionar la posició amb el camp «Posició».
      Per document:
      0 = no es mostra
      1 = es mostra
      2 = es mostra només si no està buit

      Per linies de document:
      0 = no es mostra
      1 = es mostra en una columna
      3 = es mostra en la línia de la columna de descripció després de la descripció
      4 = es mostra a la columna de descripció després de la descripció només si no està buida DisplayOnPdf=En PDF @@ -107,7 +107,7 @@ PermissionsDefDesc=Definiu aquí els nous permisos proporcionats pel vostre mòd MenusDefDescTooltip=Els menús proporcionats pel vostre mòdul/aplicació es defineixen a la matriu $this->menus al fitxer descriptor del mòdul. Podeu editar manualment aquest fitxer o utilitzar l'editor incrustat.

      Nota: un cop definits (i el mòdul reactivat), els menús també són visibles a l'editor de menús disponible per als usuaris administradors a %s. DictionariesDefDescTooltip=Els diccionaris subministrats pel vostre mòdul/aplicació es defineixen a la matriu $this->dictionaries del fitxer descriptor del mòdul. Podeu editar manualment aquest fitxer o utilitzar l’editor incrustat.

      Nota: un cop definit (i reactivat el mòdul), els diccionaris també són visibles a la zona de configuració per als usuaris administradors a %s. PermissionsDefDescTooltip=Els permisos proporcionats pel vostre mòdul / aplicació es defineixen a la matriu $ this-> rights al fitxer descriptor del mòdul. Podeu editar manualment aquest fitxer o utilitzar l’editor incrustat.

      Nota: un cop definits (i el mòdul reactivat), els permisos es visualitzen a la configuració de permisos per defecte %s. -HooksDefDesc=Definiu a la propietat module_parts['hooks'] , al descriptor del mòdul, el context dels "hooks" que voleu gestionar (la llista de contextos es pot trobar mitjançant una cerca a ' initHooks(' en el codi del nucli).
      Edita el fitxer "hook" per a afegir codi de les vostres funcions enganxades (les funcions enganxables es poden trobar mitjançant una cerca a ' executeHooks ' al codi del nucli). +HooksDefDesc=Definiu a la propietat module_parts['hooks'], al fitxer descriptor del mòdul, la llista de contextos quan el vostre ganxo s'ha d'executar (la llista de possibles contextos es pot trobar mitjançant una cerca a 'initHooks(' al codi central) .
      A continuació, editeu el fitxer amb codi de ganxos amb el codi de les vostres funcions enganxades (la llista de funcions enganxables es pot trobar mitjançant una cerca a ' executeHooks' al codi principal). TriggerDefDesc=Definiu al fitxer disparador el codi que voleu executar quan s'executi un esdeveniment empresarial extern al vostre mòdul (esdeveniments desencadenats per altres mòduls). SeeIDsInUse=Consulteu els identificadors que s’utilitzen a la instal·lació SeeReservedIDsRangeHere=Consultar l'interval d'identificadors reservats @@ -128,7 +128,7 @@ RealPathOfModule=Camí real del mòdul ContentCantBeEmpty=El contingut del fitxer no pot estar buit WidgetDesc=Podeu generar i editar aquí els ginys que s'incorporaran al vostre mòdul. CSSDesc=Pots generar i editar aquí un fitxer amb CSS personalitzat incrustat amb el teu mòdul. -JSDesc=Pots generar i editar aquí un fitxer amb Javascript personalitzat incrustat amb el teu mòdul. +JSDesc=Podeu generar i editar aquí un fitxer amb JavaScript personalitzat incrustat amb el vostre mòdul. CLIDesc=Podeu generar aquí alguns scripts de línia d’ordres que voleu proporcionar amb el vostre mòdul. CLIFile=Fitxer CLI NoCLIFile=Sense fitxers CLI @@ -148,8 +148,8 @@ CSSViewClass=CSS per al formulari de lectura CSSListClass=CSS per a llistats NotEditable=No editable ForeignKey=Clau forana -ForeignKeyDesc=Si el valor d'aquest camp s'ha de garantir que existeix en una altra taula. Introduïu aquí un valor que coincideixi amb la sintaxi: tablename.parentfieldtocheck -TypeOfFieldsHelp=Exemple:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1' significa que afegim un botó + després de la combinació per a crear el registre
      «filter» és una condició sql, exemple: «status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)» +ForeignKeyDesc=Si s'ha de garantir que el valor d'aquest camp existeix en una altra taula. Introduïu aquí un valor que coincideixi amb la sintaxi: tablename.parentfieldtocheck +TypeOfFieldsHelp=Exemple:
      varchar(99)
      correu electrònic
      telèfon
      ip
      url
      contrasenyab0392bzcc span>double(24,8)
      real
      text
      html
      date
      datetime
      timestamp
      integer
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]b0342fccfda<1 /span>
      '1' significa que afegim un botó + després de la combinació per crear el registre
      'filtre' és un Condició de sintaxi del filtre universal, exemple: '((estat:=:1) AND (fk_user:=:__USER_ID__) AND (entity:IN:(__SHARED_ENTITIES__))' TypeOfFieldsHelpIntro=Aquest és el tipus de camp/atribut. AsciiToHtmlConverter=Convertidor Ascii a HTML AsciiToPdfConverter=Convertidor Ascii a PDF @@ -181,3 +181,5 @@ FailedToAddCodeIntoDescriptor=No s'ha pogut afegir el codi al descriptor. Compro DictionariesCreated=Diccionari %s creat correctament DictionaryDeleted=El diccionari %s s'ha eliminat correctament PropertyModuleUpdated=La propietat %s s'ha actualitzat correctament +InfoForApiFile=* Quan genereu un fitxer per primera vegada, es crearan tots els mètodes per a cada objecte.
      * Quan feu clic a remove només elimineu tots els mètodes de la classe objecte seleccionat. +SetupFile=Pàgina per a la configuració del mòdul diff --git a/htdocs/langs/ca_ES/mrp.lang b/htdocs/langs/ca_ES/mrp.lang index 016cab038ec..cbe0ee96e5b 100644 --- a/htdocs/langs/ca_ES/mrp.lang +++ b/htdocs/langs/ca_ES/mrp.lang @@ -31,9 +31,14 @@ Consumption=Consum ValueOfMeansLoss=El valor de 0,95 significa una mitjana de 5%% de pèrdua durant la fabricació o el desmuntatge ValueOfMeansLossForProductProduced=Un valor de 0,95 significa una mitjana de 5%% de pèrdues de producte produït DeleteBillOfMaterials=Suprimeix la llista de materials +CancelMo=Cancel·la l'ordre de fabricació +MoCancelConsumedAndProducedLines=Cancel·la també totes les línies consumides i produïdes (suprimeix les línies i retrocedeix estocs) +ConfirmCancelMo=Esteu segur que voleu cancel·lar aquesta comanda de fabricació? DeleteMo=Eliminar Ordre de Fabricació ConfirmDeleteBillOfMaterials=Esteu segur que voleu suprimir aquesta llista de materials? ConfirmDeleteMo=Esteu segur que voleu suprimir aquesta comanda de fabricació? +DeleteMoChild = Suprimeix els MO secundaris enllaçats a aquest MO %s +MoChildsDeleted = S'han suprimit tots els MO infantils MenuMRP=Ordres de fabricació NewMO=Ordre de fabricació nova QtyToProduce=Quantitat a produir @@ -83,7 +88,7 @@ ProductsToProduce=Productes a produir UnitCost=Cost unitari TotalCost=Cost total BOMTotalCost=El cost de produir aquesta Llista de materials en funció del cost de cada quantitat i producte a consumir (utilitza el preu de cost si està definit, altrament el preu mitjà ponderat si està definit, altrament el millor preu de compra) -BOMTotalCostService=If the "Workstation" module is activated and a workstation is defined by default on the line, then the calculation is "quantity (converted into hours) x workstation ahr", otherwise "quantity x cost price of the service" +BOMTotalCostService=Si el mòdul «Estació de treball» està activat i una estació de treball està definida per defecte a la línia, el càlcul és «quantitat (convertida en hores) x ahr de l'estació de treball», en cas contrari «quantitat x preu de cost del servei» GoOnTabProductionToProduceFirst=Per a tancar una Ordre de fabricació primer heu d'iniciar la producció (vegeu la pestanya «%s»). Però podeu cancel·lar-la. ErrorAVirtualProductCantBeUsedIntoABomOrMo=Un kit no es pot utilitzar en una llista de material o en una OF Workstation=Estació de treball @@ -123,3 +128,10 @@ Manufacturing=Fabricació Disassemble=Desmuntar ProducedBy=Produït per QtyTot=Qtat. total + +QtyCantBeSplit= La quantitat no es pot dividir +NoRemainQtyToDispatch=No queda cap quantitat per dividir + +THMOperatorEstimatedHelp=Cost estimat de l'operador per hora. S'utilitzarà per estimar el cost d'una LDM utilitzant aquesta estació de treball. +THMMachineEstimatedHelp=Cost estimat de la màquina per hora. S'utilitzarà per estimar el cost d'una LDM utilitzant aquesta estació de treball. + diff --git a/htdocs/langs/ca_ES/multicurrency.lang b/htdocs/langs/ca_ES/multicurrency.lang index 975a6bd22aa..35e9e30e73c 100644 --- a/htdocs/langs/ca_ES/multicurrency.lang +++ b/htdocs/langs/ca_ES/multicurrency.lang @@ -18,7 +18,7 @@ MulticurrencyReceived=Rebut, moneda original MulticurrencyRemainderToTake=Import restant, moneda original MulticurrencyPaymentAmount=Import de pagament, moneda original AmountToOthercurrency=Import (en la moneda del compte que rep) -CurrencyRateSyncSucceed=La sincronització de tipus de monedes s'ha fet amb èxit +CurrencyRateSyncSucceed=La sincronització del tipus de moneda s'ha fet correctament MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Utilitzar la moneda del document per als pagaments en línia TabTitleMulticurrencyRate=Llista de canvis ListCurrencyRate=Llista de tipus de canvi de la moneda @@ -40,3 +40,4 @@ CurrencyCodeId=ID de la moneda CurrencyCode=Codi de moneda CurrencyUnitPrice=Preu unitari en moneda estrangera CurrencyPrice=Preu en moneda estrangera +MutltiCurrencyAutoUpdateCurrencies=Actualitzeu tots els tipus de moneda diff --git a/htdocs/langs/ca_ES/oauth.lang b/htdocs/langs/ca_ES/oauth.lang index 3ee0725f0f2..a721a4e615d 100644 --- a/htdocs/langs/ca_ES/oauth.lang +++ b/htdocs/langs/ca_ES/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Token eliminat GetAccess=Feu clic aquí per a obtenir un testimoni RequestAccess=Feu clic aquí per sol·licitar/renovar l'accés i rebre un nou testimoni DeleteAccess=Feu clic aquí per a eliminar el testimoni -UseTheFollowingUrlAsRedirectURI=Utilitzeu l'URL següent com a URI de redirecció quan creeu les vostres credencials amb el vostre proveïdor de OAuth: +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Afegiu els vostres proveïdors de testimoni OAuth2. A continuació, aneu a la pàgina d'administració del vostre proveïdor d'OAuth per a crear/obtenir un ID i un secret OAuth i deseu-los aquí. Un cop fet, activeu l'altra pestanya per a generar el vostre testimoni. OAuthSetupForLogin=Pàgina per gestionar (generar/suprimir) fitxes OAuth SeePreviousTab=Veure la pestanya anterior @@ -31,11 +32,11 @@ OAUTH_GITHUB_SECRET=OAuth GitHub Secret OAUTH_URL_FOR_CREDENTIAL=Aneu a aquesta pàgina per a crear o obtenir el vostre identificador i secret d'OAuth OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live -OAUTH_ID=OAuth Client ID +OAUTH_ID=Identificador de client d'OAuth OAUTH_SECRET=Secret d'OAuth OAUTH_TENANT=Inquilí d'OAuth OAuthProviderAdded=S'ha afegit el proveïdor OAuth AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=Ja existeix una entrada d'OAuth per a aquest proveïdor i nom URLOfServiceForAuthorization=URL proporcionat pel servei OAuth per a l'autenticació Scopes=Permisos (àmbits) -ScopeUndefined=Permissions (Scopes) undefined (see previous tab) +ScopeUndefined=Permisos (àmbits) sense definir (vegeu la pestanya anterior) diff --git a/htdocs/langs/ca_ES/opensurvey.lang b/htdocs/langs/ca_ES/opensurvey.lang index f063774f1a3..fab348a4d36 100644 --- a/htdocs/langs/ca_ES/opensurvey.lang +++ b/htdocs/langs/ca_ES/opensurvey.lang @@ -11,7 +11,7 @@ PollTitle=Títol de l'enquesta ToReceiveEMailForEachVote=Rebre un correu electrònic per cada vot TypeDate=Tipus data TypeClassic=Tipus estàndard -OpenSurveyStep2=Selecciona les dates entre els dies lliures (gris). Els dies seleccionats són verds. Pots anul·lar la selecció d'un dia prèviament seleccionat fent clic de nou en ell +OpenSurveyStep2=Seleccioneu les vostres dates entre els dies lliures (gris). Els dies seleccionats són verds. Podeu anul·lar la selecció d'un dia seleccionat anteriorment fent-hi clic de nou RemoveAllDays=Eliminar tots els dies CopyHoursOfFirstDay=Copia hores del primer dia RemoveAllHours=Eliminar totes les hores @@ -61,3 +61,4 @@ SurveyExpiredInfo=L'enquesta s'ha tancat o el temps de votació s'ha acabat. EmailSomeoneVoted=%s ha emplenat una línia.\nPot trobar la seva enquesta en l'enllaç:\n%s ShowSurvey=Mostra l'enquesta UserMustBeSameThanUserUsedToVote=Per a publicar un comentari, heu d'haver votat i utilitzar el mateix nom d'usuari utilitzat per a votar +ListOfOpenSurveys=Llista d'enquestes obertes diff --git a/htdocs/langs/ca_ES/orders.lang b/htdocs/langs/ca_ES/orders.lang index bf295eaf24b..b2ea13a7184 100644 --- a/htdocs/langs/ca_ES/orders.lang +++ b/htdocs/langs/ca_ES/orders.lang @@ -19,7 +19,7 @@ MakeOrder=Fer comanda SupplierOrder=Comanda de compra SuppliersOrders=Comandes de compra SaleOrderLines=Línies de comandes de venda -PurchaseOrderLines=Línies de comandes compra +PurchaseOrderLines=Línies de comanda de compra SuppliersOrdersRunning=Comandes de compra actuals CustomerOrder=Comanda de vendes CustomersOrders=Comanda de vendes @@ -72,7 +72,7 @@ Approve2Order=Aprovar comanda (segon nivell) UserApproval=Usuari per a l'aprovació UserApproval2=Usuari per aprovació (segon nivell) ValidateOrder=Validar la comanda -UnvalidateOrder=Desvalidar la comanda +UnvalidateOrder=Invalidar la comanda DeleteOrder=Elimina la comanda CancelOrder=Anul·lar la comanda OrderReopened= Comanda %s reoberta diff --git a/htdocs/langs/ca_ES/other.lang b/htdocs/langs/ca_ES/other.lang index d95beef2845..eb932784948 100644 --- a/htdocs/langs/ca_ES/other.lang +++ b/htdocs/langs/ca_ES/other.lang @@ -31,7 +31,7 @@ PreviousYearOfInvoice=Any anterior de la data de la factura NextYearOfInvoice=Any següent de la data de la factura DateNextInvoiceBeforeGen=Data de la propera factura (abans de la generació) DateNextInvoiceAfterGen=Data de la propera factura (després de la generació) -GraphInBarsAreLimitedToNMeasures=Els gràfics es limiten a %s mesures en mode "Bars". En el seu lloc, s'ha seleccionat automàticament el mode "Línies". +GraphInBarsAreLimitedToNMeasures=Els gràfics estan limitats a mesures %s en mode "Barres". El mode "Línies" es va seleccionar automàticament. OnlyOneFieldForXAxisIsPossible=Actualment, només és possible 1 camp com a eix X. Només s'ha seleccionat el primer camp seleccionat. AtLeastOneMeasureIsRequired=Almenys 1 camp per a la mesura és obligatori AtLeastOneXAxisIsRequired=Almenys 1 camp per a l'Eix X és obligatori @@ -45,6 +45,7 @@ Notify_ORDER_CLOSE=Comandes de venda lliurades Notify_ORDER_SUPPLIER_SENTBYMAIL=Ordre de compra enviat per correu electrònic Notify_ORDER_SUPPLIER_VALIDATE=Ordre de compra registrat Notify_ORDER_SUPPLIER_APPROVE=Ordre de compra aprovat +Notify_ORDER_SUPPLIER_SUBMIT=S'ha enviat la comanda de compra Notify_ORDER_SUPPLIER_REFUSE=S'ha rebutjat l'ordre de compra Notify_PROPAL_VALIDATE=Validació pressupost client Notify_PROPAL_CLOSE_SIGNED=La proposta del client ha tancat la signatura @@ -60,12 +61,13 @@ Notify_BILL_UNVALIDATE=Devalidació factura a client Notify_BILL_PAYED=S'ha pagat la factura del client Notify_BILL_CANCEL=Cancel·lació factura a client Notify_BILL_SENTBYMAIL=Enviament factura a client per e-mail -Notify_BILL_SUPPLIER_VALIDATE=S'ha validat la factura del venedor -Notify_BILL_SUPPLIER_PAYED=Factura venedora pagada +Notify_BILL_SUPPLIER_VALIDATE=S'ha validat la factura del proveïdor +Notify_BILL_SUPPLIER_PAYED=Factura proveïdora pagada Notify_BILL_SUPPLIER_SENTBYMAIL=Factura del proveïdor enviada per correu -Notify_BILL_SUPPLIER_CANCELED=La factura del venedor s'ha cancel·lat +Notify_BILL_SUPPLIER_CANCELED=S'ha cancel·lat la factura del proveïdor Notify_CONTRACT_VALIDATE=Validació contracte Notify_FICHINTER_VALIDATE=Validació intervenció +Notify_FICHINTER_CLOSE=Intervenció tancada Notify_FICHINTER_ADD_CONTACT=Contacte afegit a la intervenció Notify_FICHINTER_SENTBYMAIL=Enviament fitxa intervenció per e-mail Notify_SHIPPING_VALIDATE=Validació enviament @@ -190,7 +192,11 @@ EnableGDLibraryDesc=Instal·leu o activeu la biblioteca GD a la instal·lació d ProfIdShortDesc=Prof Id %s és una informació que depèn del país del tercer.
      Per exemple, per al país %s, és el codi %s. DolibarrDemo=Demo de Dolibarr ERP/CRM StatsByAmount=Estadístiques d'imports de productes/serveis +StatsByAmountProducts=Estadístiques de quantitat de productes +StatsByAmountServices=Estadístiques de la quantitat de serveis StatsByNumberOfUnits=Estadístiques de suma de la quantitat de productes/serveis +StatsByNumberOfUnitsProducts=Estadístiques per a la suma de la quantitat de productes +StatsByNumberOfUnitsServices=Estadístiques per a la suma de la quantitat de serveis StatsByNumberOfEntities=Estadístiques del nombre d'entitats referents (núm. De factures o comandes ...) NumberOf=Número de %s NumberOfUnits=Nombre d'unitats en %s @@ -198,6 +204,7 @@ AmountIn=Import en %s NumberOfUnitsMos=Nombre d'unitats a produir en ordres de fabricació EMailTextInterventionAddedContact=S'ha assignat una nova intervenció %s. EMailTextInterventionValidated=Fitxa intervenció %s validada +EMailTextInterventionClosed=La intervenció %s s'ha tancat. EMailTextInvoiceValidated=La factura %s ha estat validada. EMailTextInvoicePayed=S'ha pagat la factura %s. EMailTextProposalValidated=S'ha validat la proposta %s. @@ -207,11 +214,10 @@ EMailTextProposalClosedRefused=La proposta %s ha estat tancada i rebutjada. EMailTextProposalClosedRefusedWeb=La proposta %s s'ha tancat a la pàgina del portal. EMailTextOrderValidated=S'ha validat l'ordre %s. EMailTextOrderClose=La comanda %s s'ha lliurat. -EMailTextOrderApproved=S'ha aprovat l'ordre %s. -EMailTextOrderValidatedBy=L'ordre %s ha estat registrada per %s. -EMailTextOrderApprovedBy=L'ordre %s ha estat aprovat per %s. -EMailTextOrderRefused=S'ha rebutjat l'ordre %s. -EMailTextOrderRefusedBy=L'ordre %s ha estat rebutjat per %s. +EMailTextSupplierOrderApprovedBy=La comanda de compra %s ha estat aprovada per %s. +EMailTextSupplierOrderValidatedBy=La comanda de compra %s ha estat registrada per %s. +EMailTextSupplierOrderSubmittedBy=%s ha enviat la comanda de compra %s. +EMailTextSupplierOrderRefusedBy=%s ha rebutjat la comanda de compra %s. EMailTextExpeditionValidated=S'ha validat l'enviament %s. EMailTextExpenseReportValidated=L'informe de despeses %s ha estat validat. EMailTextExpenseReportApproved=S'ha aprovat l'informe de despeses %s. @@ -289,10 +295,12 @@ LinesToImport=Línies per importar MemoryUsage=Ús de memòria RequestDuration=Durada de la sol·licitud -ProductsPerPopularity=Productes / Serveis per popularitat -PopuProp=Productes / Serveis per popularitat als pressupostos -PopuCom=Productes / Serveis per popularitat a les comandes -ProductStatistics=Productes / Serveis Estadístiques +ProductsServicesPerPopularity=Productes|Serveis per popularitat +ProductsPerPopularity=Productes per popularitat +ServicesPerPopularity=Serveis per popularitat +PopuProp=Productes|Serveis per popularitat a Propostes +PopuCom=Productes|Serveis per popularitat en Comandes +ProductStatistics=Productes|Serveis Estadístiques NbOfQtyInOrders=Quantitat en comandes SelectTheTypeOfObjectToAnalyze=Seleccioneu un objecte per a veure'n les estadístiques... diff --git a/htdocs/langs/ca_ES/partnership.lang b/htdocs/langs/ca_ES/partnership.lang index d5e9c590ed8..f3b6ac7afa1 100644 --- a/htdocs/langs/ca_ES/partnership.lang +++ b/htdocs/langs/ca_ES/partnership.lang @@ -38,10 +38,10 @@ ListOfPartnerships=Llista d'associació PartnershipSetup=Configuració de l'associació PartnershipAbout=Quant a Partnership PartnershipAboutPage=Associació sobre la pàgina -partnershipforthirdpartyormember=L'estatus de soci s'ha de definir com a «tercer» o «soci» +partnershipforthirdpartyormember=L'estatus de soci s'ha de definir en un "tercer" o en un "membre" PARTNERSHIP_IS_MANAGED_FOR=Associació gestionada per PARTNERSHIP_BACKLINKS_TO_CHECK=Retroenllaços per a comprovar -PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb de dies abans de cancel·lar l'estat d'una associació quan la subscripció ha caducat +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nombre de dies abans de l'estat de cancel·lació d'una associació quan una subscripció ha caducat ReferingWebsiteCheck=Comprovació de referència del lloc web ReferingWebsiteCheckDesc=Podeu activar una funció per a comprovar que els vostres socis hagin afegit un retroenllaç als dominis del vostre lloc web al seu propi lloc web. PublicFormRegistrationPartnerDesc=Dolibarr us pot proporcionar un URL/lloc web públic per a permetre que els visitants externs sol·licitin formar part del programa d'associació. @@ -82,10 +82,10 @@ YourPartnershipRefusedTopic=L'associació es va negar YourPartnershipAcceptedTopic=S'ha acceptat l'associació YourPartnershipCanceledTopic=S'ha cancel·lat l'associació -YourPartnershipWillSoonBeCanceledContent=Us informem que aviat es cancel·larà la vostra associació (no s'ha trobat l'enllaç de retrocés) -YourPartnershipRefusedContent=Us informem que la vostra sol·licitud de col·laboració s’ha rebutjat. -YourPartnershipAcceptedContent=Us informem que la vostra sol·licitud de col·laboració ha estat acceptada. -YourPartnershipCanceledContent=Us informem que la vostra associació s’ha cancel·lat. +YourPartnershipWillSoonBeCanceledContent=Ens agradaria informar-vos que la nostra associació es cancel·larà aviat (no hem rebut la renovació o no s'ha complert un requisit previ per a la nostra associació). Si us plau, poseu-vos en contacte amb nosaltres si ho heu rebut a causa d'un error. +YourPartnershipRefusedContent=Ens agradaria informar-vos que la vostra sol·licitud de col·laboració ha estat denegada. No s'han complert els requisits previs. Si us plau, poseu-vos en contacte amb nosaltres si necessiteu més informació. +YourPartnershipAcceptedContent=Ens agradaria informar-vos que la vostra sol·licitud de col·laboració ha estat acceptada. +YourPartnershipCanceledContent=Ens agradaria informar-vos que la nostra associació ha estat cancel·lada. Si us plau, poseu-vos en contacte amb nosaltres si necessiteu més informació. CountLastUrlCheckError=Nombre d'errors de l'última comprovació de l'URL LastCheckBacklink=Data de l'última comprovació de l'URL @@ -95,3 +95,5 @@ NewPartnershipRequest=Nova sol·licitud de col·laboració NewPartnershipRequestDesc=Aquest formulari us permet sol·licitar formar part d'un dels nostres programes d'associació. Si necessiteu ajuda per a omplir aquest formulari, poseu-vos en contacte amb el correu electrònic %s. ThisUrlMustContainsAtLeastOneLinkToWebsite=Aquesta pàgina ha de contenir almenys un enllaç a un dels dominis següents: %s +IPOfApplicant=IP del sol·licitant + diff --git a/htdocs/langs/ca_ES/products.lang b/htdocs/langs/ca_ES/products.lang index 61b83409a3b..42e9736f605 100644 --- a/htdocs/langs/ca_ES/products.lang +++ b/htdocs/langs/ca_ES/products.lang @@ -80,8 +80,11 @@ SoldAmount=Import venut PurchasedAmount=Import comprat NewPrice=Preu nou MinPrice=Mín. preu de venda +MinPriceHT=Min. preu de venda (sense impostos) +MinPriceTTC=Preu mínim de venda (impostos incluits) EditSellingPriceLabel=Edita el nom del preu de venda -CantBeLessThanMinPrice=El preu de venda no pot ser inferior al mínim permès per a aquest producte (%s sense IVA). Aquest missatge també pot aparèixer si escriviu un descompte massa gran. +CantBeLessThanMinPrice=El preu de venda no pot ser inferior al mínim permès per a aquest producte (%s sense impostos). Aquest missatge també pot aparèixer si escriviu un descompte important. +CantBeLessThanMinPriceInclTax=El preu de venda no pot ser inferior al mínim permès per a aquest producte (%s impostos inclosos). Aquest missatge també pot aparèixer si escriviu un descompte massa important. ContractStatusClosed=Tancat ErrorProductAlreadyExists=Un producte amb la referència %s ja existeix. ErrorProductBadRefOrLabel=Valor incorrecte de referència o nom. @@ -97,7 +100,7 @@ ServicesArea=Àrea Serveis ListOfStockMovements=Llista de moviments d’estoc BuyingPrice=Preu de compra PriceForEachProduct=Productes amb preus específics -SupplierCard=Targeta venedor +SupplierCard=Targeta proveïdor PriceRemoved=Preu eliminat BarCode=Codi de barra BarcodeType=Tipus de codi de barres @@ -139,7 +142,7 @@ QtyMin=Min. quantitat de compra PriceQtyMin=Preu mínim PriceQtyMinCurrency=Preu (moneda) per a aquesta quantitat. WithoutDiscount=Sense descompte -VATRateForSupplierProduct=Tipus d'IVA (per a aquest venedor/producte) +VATRateForSupplierProduct=Tipus d'IVA (per a aquest proveïdor/producte) DiscountQtyMin=Descompte per aquesta quantitat. NoPriceDefinedForThisSupplier=Sense preu ni quantitat definida per aquest proveïdor / producte NoSupplierPriceDefinedForThisProduct=No hi ha cap preu / quantitat de proveïdor definit per a aquest producte @@ -170,7 +173,7 @@ SellingPrices=Preus de venda BuyingPrices=Preus de compra CustomerPrices=Preus de client SuppliersPrices=Preus del proveïdor -SuppliersPricesOfProductsOrServices=Preus del venedor (de productes o serveis) +SuppliersPricesOfProductsOrServices=Preus del proveïdor (de productes o serveis) CustomCode=Duanes | Productes bàsics | Codi HS CountryOrigin=País d'origen RegionStateOrigin=Regió d'origen @@ -344,19 +347,20 @@ ServiceSheet=Fulla de servei PossibleValues=Valors possibles GoOnMenuToCreateVairants=Aneu al menú %s - %s per a preparar variants d’atributs (com ara colors, mida...) UseProductFournDesc=Afegiu una característica per definir la descripció del producte definida pels proveïdors (per a cada referència del proveïdor), a més de la descripció per als clients -ProductSupplierDescription=Descripció del venedor del producte -UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) +ProductSupplierDescription=Descripció del proveïdor del producte +UseProductSupplierPackaging=Utilitzeu la utilitat d'embalatge per arrodonir les quantitats a determinats valors múltiples (quan afegiu/actualitzeu línies en el document d'un proveïdor, torna a calcular les quantitats i els preus de compra conforme al múltiple més gran establert als preus de compra d'un producte) PackagingForThisProduct=Embalatge de quantitats PackagingForThisProductDesc=Comprareu automàticament un múltiple d'aquesta quantitat. QtyRecalculatedWithPackaging=La quantitat de la línia es recalcula segons els envasos del proveïdor #Attributes +Attributes=Atributs VariantAttributes=Atributs de variants ProductAttributes=Atributs de variants per a productes ProductAttributeName=Atribut %s ProductAttribute=Atribut de variant ProductAttributeDeleteDialog=Estàs segur de voler eliminar aquest atribut? Tots els valors seran esborrats -ProductAttributeValueDeleteDialog=Està segur d'eliminar el valor "%s" amb referència "%s" d'aquest atribut? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Estàs segur que vols suprimir la variant del producte «%s»? ProductCombinationAlreadyUsed=S'ha produït un error en suprimir la variant. Comproveu que no s’utilitzi en cap objecte ProductCombinations=Variants @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=S'ha produït un error en intentar suprimir les v NbOfDifferentValues=Nombre de valors diferents NbProducts=Nombre de productes ParentProduct=Producte pare +ParentProductOfVariant=Producte pare d'una variant HideChildProducts=Oculta productes variants ShowChildProducts=Mostra variants del producte NoEditVariants=Aneu a la targeta de producte principal i modifiqueu les variacions d'impacte de preus a la pestanya de variants @@ -417,7 +422,7 @@ ErrorsProductsMerge=Errors en la combinació de productes SwitchOnSaleStatus=Canvia l'estat de venda SwitchOnPurchaseStatus=Activa l'estat de compra UpdatePrice=Augmenta/disminueix el preu del client -StockMouvementExtraFields= Camps addicionals (moviment d'existències) +StockMouvementExtraFields= Camps addicionals (estoc moviment) InventoryExtraFields= Camps addicionals (inventari) ScanOrTypeOrCopyPasteYourBarCodes=Escaneja o escriviu o copieu/enganxeu els vostres codis de barres PuttingPricesUpToDate=Actualitza els preus amb els preus actuals coneguts @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Seleccioneu l'extracamp que voleu modificar ConfirmEditExtrafieldQuestion = Esteu segur que voleu modificar aquest camp extra? ModifyValueExtrafields = Modificar el valor d'un camp extra OrProductsWithCategories=O productes amb etiquetes +WarningTransferBatchStockMouvToGlobal = Si voleu deserialitzar aquest producte, tota la seva serialització estoc es transformarà en estoc global. +WarningConvertFromBatchToSerial=Si actualment teniu una quantitat superior o igual a 2 per al producte, canviar a aquesta opció significa que encara tindreu un producte amb diferents objectes del mateix lot (tot i que voleu un número de sèrie únic). El duplicat es mantindrà fins que es faci un inventari o un moviment manual estoc per solucionar-ho. diff --git a/htdocs/langs/ca_ES/projects.lang b/htdocs/langs/ca_ES/projects.lang index 08dc05f4fd0..02e1c2ce71b 100644 --- a/htdocs/langs/ca_ES/projects.lang +++ b/htdocs/langs/ca_ES/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Fora de projecte NoProject=Cap projecte definit NbOfProjects=Nombre de projectes NbOfTasks=Nombre de tasques +TimeEntry=Seguiment del temps TimeSpent=Temps dedicat +TimeSpentSmall=Temps dedicat TimeSpentByYou=Temps dedicat per vostè TimeSpentByUser=Temps dedicat per usuari -TimesSpent=Temps dedicat TaskId=ID de tasca RefTask=Ref. Tasca LabelTask=Nom de la tasca @@ -99,7 +100,7 @@ ListOrdersAssociatedProject=Llista de comandes de vendes relacionades amb el pro ListInvoicesAssociatedProject=Llista de factures a clients relacionades amb el projecte ListPredefinedInvoicesAssociatedProject=Llista de factures a clients relacionades amb el projecte ListSupplierOrdersAssociatedProject=Llista de comandes de compra relacionades amb el projecte -ListSupplierInvoicesAssociatedProject=Llista de factures de venedor relacionades amb el projecte +ListSupplierInvoicesAssociatedProject=Llista de factures de proveïdor relacionades amb el projecte ListContractAssociatedProject=Llista de contractes relacionats amb el projecte ListShippingAssociatedProject=Llista de remeses relacionades amb el projecte ListFichinterAssociatedProject=Llista d'intervencions relacionades amb el projecte @@ -122,7 +123,7 @@ TaskHasChild=La tasca té subtasques NotOwnerOfProject=No és responsable d'aquest projecte privat AffectedTo=Assignat a CantRemoveProject=Aquest projecte no es pot eliminar ja que se'n fa referència a altres objectes (factures, comandes o altres). Vegeu la pestanya "%s". -ValidateProject=Validar projecte +ValidateProject=Valida el projecte ConfirmValidateProject=Vols validar aquest projecte? CloseAProject=Tancar projecte ConfirmCloseAProject=Vols tancar aquest projecte? @@ -226,7 +227,7 @@ ProjectsStatistics=Estadístiques de projectes o leads TasksStatistics=Estadístiques de tasques de projectes o leads TaskAssignedToEnterTime=Tasca assignada. És possible entrar els temps en aquesta tasca. IdTaskTime=Id de temps de tasca -YouCanCompleteRef=Si voleu completar la referència amb algun sufix, es recomana afegir un caràcter - per a separar-lo, de manera que la numeració automàtica encara funcionarà correctament per als propers projectes. Per exemple, %s-MYSUFFIX +YouCanCompleteRef=Si voleu completar la referència amb algun sufix, es recomana afegir un caràcter - per separar-lo, de manera que la numeració automàtica encara funcionarà correctament per als propers projectes. Per exemple %s-MYSUFFIX OpenedProjectsByThirdparties=Projectes oberts per tercers OnlyOpportunitiesShort=Només oportunitats OpenedOpportunitiesShort=Oportunitats obertes diff --git a/htdocs/langs/ca_ES/propal.lang b/htdocs/langs/ca_ES/propal.lang index 1e64e91849e..19e7b0b3ca1 100644 --- a/htdocs/langs/ca_ES/propal.lang +++ b/htdocs/langs/ca_ES/propal.lang @@ -12,9 +12,11 @@ NewPropal=Pressupost nou Prospect=Client potencial DeleteProp=Eliminar pressupost ValidateProp=Validar pressupost +CancelPropal=Cancel·la AddProp=Crear pressupost ConfirmDeleteProp=Estàs segur que vols eliminar aquesta proposta comercial? ConfirmValidateProp=Estàs segur que vols validar aquesta proposta comercial sota el nom %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Últims %s pressupostos LastModifiedProposals=Últims %s pressupostos modificats AllPropals=Tots els pressupostos @@ -27,11 +29,13 @@ NbOfProposals=Nombre de pressupostos ShowPropal=Veure pressupost PropalsDraft=Esborranys PropalsOpened=Actiu +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Esborrany (a validar) PropalStatusValidated=Validat (pressupost obert) PropalStatusSigned=Signat (a facturar) PropalStatusNotSigned=No signat (tancat) PropalStatusBilled=Facturat +PropalStatusCanceledShort=Cancel·lat PropalStatusDraftShort=Esborrany PropalStatusValidatedShort=Validat (obert) PropalStatusClosedShort=Tancat @@ -111,9 +115,10 @@ PropalSigned=S'accepta la proposta ProposalCustomerSignature=Acceptació per escrit, segell de l'empresa, data i signatura ProposalsStatisticsSuppliers=Estadístiques de propostes de proveïdors RefusePropal=Rebutja la proposta -Sign=Signe +Sign=Signa SignContract=Signar contracte SignFichinter=Signar la intervenció +SignSociete_rib=Sign mandate SignPropal=Acceptar la proposta Signed=signat SignedOnly=Només signat diff --git a/htdocs/langs/ca_ES/receptions.lang b/htdocs/langs/ca_ES/receptions.lang index b3c1f9c7af4..38fe45c884e 100644 --- a/htdocs/langs/ca_ES/receptions.lang +++ b/htdocs/langs/ca_ES/receptions.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - receptions -ReceptionDescription=Gestió de recepció de venedors (crear documents de recepció) -ReceptionsSetup=Configuració de recepció del venedor +ReceptionDescription=Gestió de recepció de proveïdors (crear documents de recepció) +ReceptionsSetup=Configuració de recepció del proveïdor RefReception=Ref. recepció Reception=En procés Receptions=Recepcions @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=Processats ReceptionSheet=Full de recepció ValidateReception=Valida la recepció ConfirmDeleteReception=Vols suprimir aquesta recepció? -ConfirmValidateReception=Esteu segur que voleu validar aquesta recepció amb la referència %s? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Vols cancel·lar aquesta recepció? -StatsOnReceptionsOnlyValidated=Les estadístiques compten només les recepcions validades. La data utilitzada és la data de validació de la recepció (la data de lliurament planificada no sempre es coneix). +StatsOnReceptionsOnlyValidated=Estadístiques realitzades en recepcions només validades. La data utilitzada és la data de validació de recepció (no sempre es coneix la data de lliurament prevista). SendReceptionByEMail=Envia la recepció per correu electrònic SendReceptionRef=Presentació de la recepció %s ActionsOnReception=Esdeveniments de la recepció @@ -53,5 +53,6 @@ ReceptionBackToDraftInDolibarr=Recepció %s torna a esborrany ReceptionClassifyClosedInDolibarr=Recepció %s classificada Tancada ReceptionUnClassifyCloseddInDolibarr=La recepció %s torna a obrir RestoreWithCurrentQtySaved=Ompliu les quantitats amb els últims valors desats -ReceptionUpdated=Recepció actualitzada amb èxit +ReceptionsRecorded=Recepcions gravades +ReceptionUpdated=La recepció s'ha actualitzat correctament ReceptionDistribution=Distribució de la recepció diff --git a/htdocs/langs/ca_ES/recruitment.lang b/htdocs/langs/ca_ES/recruitment.lang index cf91f9e811c..fae1fb40df7 100644 --- a/htdocs/langs/ca_ES/recruitment.lang +++ b/htdocs/langs/ca_ES/recruitment.lang @@ -77,3 +77,5 @@ ExtrafieldsApplication=Atributs complementaris (sol·licituds de feina) MakeOffer=Feu una oferta WeAreRecruiting=Estem reclutant. Aquesta és una llista de places obertes per a cobrir... NoPositionOpen=No hi ha posicions obertes de moment +ConfirmClose=Confirmeu la cancel·lació +ConfirmCloseAsk=Esteu segur que voleu cancel·lar aquesta candidatura de contractació? diff --git a/htdocs/langs/ca_ES/sendings.lang b/htdocs/langs/ca_ES/sendings.lang index 82616a7837c..9361f181ce9 100644 --- a/htdocs/langs/ca_ES/sendings.lang +++ b/htdocs/langs/ca_ES/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Validat StatusSendingProcessedShort=Processat SendingSheet=Full d’enviament ConfirmDeleteSending=Estàs segur que vols eliminar aquest enviament? -ConfirmValidateSending=Estàs segur que vols validar aquest enviament amb referència %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Esteu segur que voleu cancel·lar aquest enviament? DocumentModelMerou=Model Merou A5 WarningNoQtyLeftToSend=Alerta, cap producte en espera d'enviament. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Quantitat de producte de comandes d NoProductToShipFoundIntoStock=No s'ha trobat cap producte per a enviar al magatzem %s. Corregiu l'estoc o torneu enrere per a triar un altre magatzem. WeightVolShort=Pes/Vol. ValidateOrderFirstBeforeShipment=S'ha de validar la comanda abans de fer expedicions. +NoLineGoOnTabToAddSome=Sense línia, aneu a la pestanya "%s" per afegir # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Suma del pes dels productes # warehouse details DetailWarehouseNumber= Detalls del magatzem DetailWarehouseFormat= Alm.:%s (Quant. : %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Mostra la darrera data d'entrada a estoc durant la creació de l'enviament per al número de sèrie o lot +CreationOptions=Opcions disponibles durant la creació de l'enviament ShipmentDistribution=Distribució de l'enviament -ErrorTooManyCombinationBatchcode=No hi ha enviament per a la línia %s ja que s'han trobat massa combinacions de codi de magatzem, producte i lot (%s). -ErrorNoCombinationBatchcode=No hi ha enviament per a la línia %s ja que no s'ha trobat cap combinació de magatzem, producte i codi de lot. +ErrorTooManyCombinationBatchcode=No hi ha enviament per a la línia %s perquè s'han trobat massa combinacions de codi de magatzem, producte i lot (%s). +ErrorNoCombinationBatchcode=No s'ha pogut desar la línia %s com a combinació de warehouse-product-lot/serial (%s, %s, %s) no s'ha trobat a estoc. + +ErrorTooMuchShipped=La quantitat enviada no hauria de ser més gran que la quantitat comandada per a la línia %s diff --git a/htdocs/langs/ca_ES/stocks.lang b/htdocs/langs/ca_ES/stocks.lang index 39753678b2f..ce736b419ce 100644 --- a/htdocs/langs/ca_ES/stocks.lang +++ b/htdocs/langs/ca_ES/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=Estoc personal %s ThisWarehouseIsPersonalStock=Aquest magatzem representa l'estoc personal de %s %s SelectWarehouseForStockDecrease=Tria el magatzem a utilitzar en el decrement d'estoc SelectWarehouseForStockIncrease=Tria el magatzem a utilitzar en l'increment d'estoc +RevertProductsToStock=Vols revertir els productes a estoc? NoStockAction=Sense accions sobre l'estoc DesiredStock=Estoc desitjat DesiredStockDesc=Aquest import d'estoc serà el valor utilitzat per a omplir l'estoc en la funció de reaprovisionament. @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=No tens estoc suficient, per aquest número de lot, d ShowWarehouse=Mostrar magatzem MovementCorrectStock=Ajustament d'estoc del producte %s MovementTransferStock=Transferència d'estoc de producte %s a un altre magatzem +BatchStockMouvementAddInGlobal=El lot estoc passa al estoc global (el producte ja no fa servir el lot) InventoryCodeShort=Codi Inv./Mov. NoPendingReceptionOnSupplierOrder=No hi ha cap recepció pendent deguda a l'ordre de compra obert ThisSerialAlreadyExistWithDifferentDate=Aquest número de lot/sèrie ( %s ) ja existeix però amb diferent data de caducitat o venda (s'ha trobat %s però heu introduït %s ). @@ -213,7 +215,7 @@ OnlyProdsInStock=No afegeixis producte sense estoc TheoricalQty=Quantitat teòrica TheoricalValue=Quantitat teòrica LastPA=Últim BP -CurrentPA=Actual BP +CurrentPA=BP actual RecordedQty=Qtat. registrada RealQty=Qtat. real RealValue=Valor real @@ -239,12 +241,12 @@ InventoryForASpecificWarehouse=Inventari d’un magatzem específic InventoryForASpecificProduct=Inventari d’un producte específic StockIsRequiredToChooseWhichLotToUse=Es requereix un estoc existent per a poder triar quin lot utilitzar ForceTo=Obligar a -AlwaysShowFullArbo=Display the full path of a warehouse (parent warehouses) on the popup of warehouse links (Warning: This may decrease dramatically performances) +AlwaysShowFullArbo=display el camí complet d'un warehouse (parent Warehouses) a la finestra emergent dels enllaços warehouse (Avís: això pot decrease tenir un rendiment espectacular). StockAtDatePastDesc=Aquí podeu veure l'estoc (estoc real) en una data determinada del passat StockAtDateFutureDesc=Podeu veure aquí l'estoc (estoc virtual) en una data determinada en el futur CurrentStock=Estoc actual InventoryRealQtyHelp=Estableix el valor a 0 per a restablir la quantitat
      Mantén el camp buit o elimina la línia per a mantenir-la sense canvis -UpdateByScaning=Completa la quantitat real escanejant +UpdateByScaning=Completa la quantitat real mitjançant l'escaneig UpdateByScaningProductBarcode=Actualització per escaneig (codi de barres de producte) UpdateByScaningLot=Actualització per escaneig (codi de barres lot|sèrie) DisableStockChangeOfSubProduct=Desactiva el canvi d'estoc de tots els subproductes d'aquest kit durant aquest moviment. @@ -280,7 +282,7 @@ ModuleStockTransferName=Transferència d'estocs avançada ModuleStockTransferDesc=Gestió avançada de Transferència d'Estocs, amb generació de full de transferència StockTransferNew=Nova transferència d'accions StockTransferList=Llista de transferències d'accions -ConfirmValidateStockTransfer=Esteu segur que voleu validar aquesta transferència d'estocs amb la referència %s ? +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? ConfirmDestock=Disminució d'existències amb transferència %s ConfirmDestockCancel=Cancel·la la disminució d'estoc amb transferència %s DestockAllProduct=Disminució d'existències @@ -307,8 +309,8 @@ StockTransferDecrementationCancel=Cancel·la la disminució dels magatzems d'ori StockTransferIncrementationCancel=Anul·lar l'augment de magatzems de destinació StockStransferDecremented=Els magatzems d'origen van disminuir StockStransferDecrementedCancel=Disminució dels magatzems d'origen cancel·lada -StockStransferIncremented=Tancat - Accions transferides -StockStransferIncrementedShort=Accions transferides +StockStransferIncremented=Tancat: estocs transferit +StockStransferIncrementedShort=estocs transferit StockStransferIncrementedShortCancel=Augment de magatzems de destinació cancel·lat StockTransferNoBatchForProduct=El producte %s no fa servir el lot, esborra el lot en línia i torna-ho a provar StockTransferSetup = Configuració del mòdul de transferència d'estocs @@ -318,8 +320,18 @@ StockTransferRightRead=Llegeix les transferències d'accions StockTransferRightCreateUpdate=Crear/Actualitzar transferències d'accions StockTransferRightDelete=Eliminar transferències d'accions BatchNotFound=No s'ha trobat lot / sèrie per a aquest producte +StockEntryDate=Data d'entrada
      a estoc StockMovementWillBeRecorded=Es registrarà el moviment d'estoc StockMovementNotYetRecorded=El moviment d'estoc no es veurà afectat per aquest pas +ReverseConfirmed=El moviment estoc s'ha invertit correctament + WarningThisWIllAlsoDeleteStock=Advertència, això també destruirà totes les quantitats en estoc al magatzem +ValidateInventory=inventory validation +IncludeSubWarehouse=Inclou sub-warehouse? +IncludeSubWarehouseExplanation=Check aquest quadre si voleu incloure tots els sub-Warehouses dels warehouse associats. span> al inventory DeleteBatch=Esborra el lot/sèrie ConfirmDeleteBatch=Esteu segur que voleu suprimir el lot/sèrie? +WarehouseUsage=Ús del magatzem +InternalWarehouse=Magatzem intern +ExternalWarehouse=Magatzem exterior +WarningThisWIllAlsoDeleteStock=Advertència, això també destruirà totes les quantitats en estoc al magatzem diff --git a/htdocs/langs/ca_ES/ticket.lang b/htdocs/langs/ca_ES/ticket.lang index 9f26d3a414e..6f9206c3c12 100644 --- a/htdocs/langs/ca_ES/ticket.lang +++ b/htdocs/langs/ca_ES/ticket.lang @@ -30,7 +30,7 @@ Permission56006=Exportar tiquets Tickets=Tiquets TicketDictType=Tiquet - Tipus -TicketDictCategory=Tiquet - Grups +TicketDictCategory=Entrada - Grups TicketDictSeverity=Tiquet - Severitats TicketDictResolution=Tiquet - Resolució @@ -94,7 +94,7 @@ TicketSetupDictionaries=El tipus de tiquet, gravetat i codis analítics es poden TicketParamModule=Configuració del mòdul de variables TicketParamMail=Configuració de correu electrònic TicketEmailNotificationFrom=Correu electrònic del remitent per a la notificació de les respostes -TicketEmailNotificationFromHelp=Correu electrònic del remitent que s'utilitzarà per a enviar el correu electrònic de notificació quan es proporcioni una resposta dins del backoffice. Per exemple noreply@example.com +TicketEmailNotificationFromHelp=Correu electrònic del remitent que s'utilitzarà per enviar el correu electrònic de notificació quan es proporcioni una resposta dins del back office. Per exemple noreply@example.com TicketEmailNotificationTo=Notifiqueu la creació del tiquet a aquesta adreça de correu electrònic TicketEmailNotificationToHelp=Si està present, aquesta adreça de correu electrònic serà notificada de la creació d'un tiquet TicketNewEmailBodyLabel=Missatge de text enviat després de crear un tiquet @@ -105,7 +105,7 @@ TicketsEmailMustExistHelp=A la interfície pública, l'adreça de correu electr TicketsShowProgression=Mostra el progrés del tiquet a la interfície pública TicketsShowProgressionHelp=Activeu aquesta opció per a ocultar el progrés del tiquet a les pàgines de la interfície pública TicketCreateThirdPartyWithContactIfNotExist=Demaneu nom i nom de l'empresa per correus electrònics desconeguts. -TicketCreateThirdPartyWithContactIfNotExistHelp=Comproveu si existeix un tercer o un contacte per al correu electrònic introduït. Si no, demaneu un nom i un nom d'empresa per a crear un tercer amb contacte. +TicketCreateThirdPartyWithContactIfNotExistHelp=Comproveu si existeix un tercer o un contacte per al correu electrònic introduït. Si no, demaneu un nom i un nom d'empresa per crear un tercer amb contacte. PublicInterface=Interfície pública TicketUrlPublicInterfaceLabelAdmin=URL alternatiu per a la interfície pública TicketUrlPublicInterfaceHelpAdmin=És possible definir un àlies al servidor web i, per tant, posar a disposició la interfície pública amb una altra URL (el servidor ha d'actuar com a proxy en aquest nou URL) @@ -145,19 +145,21 @@ TicketsPublicNotificationNewMessage=Envieu correu(s) electrònic(s) quan s'afege TicketsPublicNotificationNewMessageHelp=Envia correus electrònics quan s'afegeixi un missatge nou des de la interfície pública (a l'usuari assignat o al correu electrònic de notificacions a (actualitzar) i/o al correu electrònic de notificacions) TicketPublicNotificationNewMessageDefaultEmail=Notificar correu electrònic cap a (actualitzar) TicketPublicNotificationNewMessageDefaultEmailHelp=Envieu un correu electrònic a aquesta adreça per a cada notificació de missatge nou si el tiquet no té un usuari assignat o si l'usuari no té cap correu electrònic conegut. -TicketsAutoReadTicket=Marca automàticament el tiquet com a llegit (quan es crea des del backoffice) -TicketsAutoReadTicketHelp=Marca automàticament el tiquet com a llegit quan es crea des del backoffice. Quan el tiquet es crea des de la interfície pública, el tiquet es manté amb l'estat «No llegit». +TicketsAutoReadTicket=Marqueu automàticament el bitllet com a llegit (quan es creï des del back office) +TicketsAutoReadTicketHelp=Marqueu automàticament el bitllet com a llegit quan es creï des del back office. Quan el bitllet es crea des de la interfície pública, el bitllet es manté amb l'estat "No llegit". TicketsDelayBeforeFirstAnswer=Un tiquet nou hauria de rebre una primera resposta abans (hores): TicketsDelayBeforeFirstAnswerHelp=Si un nou tiquet no ha rebut resposta després d'aquest període de temps (en hores), es mostrarà una icona d'advertència important a la vista de llista. TicketsDelayBetweenAnswers=Un tiquet no resolt no hauria d'estar inactiu durant (hores): TicketsDelayBetweenAnswersHelp=Si un tiquet no resolt que ja ha rebut una resposta no ha tingut més interacció després d'aquest període de temps (en hores), es mostrarà una icona d'advertència a la vista de llista. -TicketsAutoNotifyClose=Aviseu automàticament a tercers quan tanqueu un tiquet -TicketsAutoNotifyCloseHelp=Quan tanqueu un tiquet, se us proposarà enviar un missatge a un dels contactes de tercers. En el tancament massiu, s'enviarà un missatge a un contacte del tercer vinculat al tiquet. +TicketsAutoNotifyClose=Aviseu automàticament al tercer quan tanqueu un bitllet +TicketsAutoNotifyCloseHelp=Quan tanqueu un bitllet, se us proposarà que envieu un missatge a un dels contactes de tercers. En el tancament massiu, s'enviarà un missatge a un contacte del tercer vinculat al bitllet. TicketWrongContact=El contacte sempre que no formi part dels contactes actuals de les entrades. Correu electrònic no enviat. TicketChooseProductCategory=Categoria de producte per al suport de tiquets TicketChooseProductCategoryHelp=Seleccioneu la categoria de producte de suport de tiquets. S'utilitzarà per a enllaçar automàticament un contracte amb un tiquet. TicketUseCaptchaCode=Utilitzeu el codi gràfic (CAPTCHA) quan creeu un tiquet TicketUseCaptchaCodeHelp=Afegeix la verificació CAPTCHA quan es crea un tiquet nou. +TicketsAllowClassificationModificationIfClosed=Permet modificar la classificació de les entrades tancades +TicketsAllowClassificationModificationIfClosedHelp=Permet modificar la classificació (tipus, grup de bitllets, gravetat) encara que els bitllets estiguin tancats. # # Index & list page @@ -311,7 +313,7 @@ TicketNewEmailBodyInfosTrackUrlCustomer=Podeu veure el progrés del tiquet a la TicketCloseEmailBodyInfosTrackUrlCustomer=Podeu consultar l'historial d'aquest tiquet fent clic al següent enllaç TicketEmailPleaseDoNotReplyToThisEmail=No respongueu directament a aquest correu electrònic. Utilitzeu l'enllaç per a respondre des de la interfície. TicketPublicInfoCreateTicket=Aquest formulari us permet registrar un tiquet de suport al nostre sistema de gestió. -TicketPublicPleaseBeAccuratelyDescribe=Descriu la teva pregunta amb precisió. Proporcioneu la màxima informació possible que ens permeti identificar correctament la vostra sol·licitud. +TicketPublicPleaseBeAccuratelyDescribe=Descriu amb precisió la teva sol·licitud. Proporcioneu la màxima informació possible que ens permeti identificar correctament la vostra sol·licitud. TicketPublicMsgViewLogIn=Introduïu l'identificador de traça dels tiquets (ID) TicketTrackId=ID de seguiment públic OneOfTicketTrackId=Un dels vostres ID de seguiment diff --git a/htdocs/langs/ca_ES/trips.lang b/htdocs/langs/ca_ES/trips.lang index b5c9fc79a06..37e1e818c31 100644 --- a/htdocs/langs/ca_ES/trips.lang +++ b/htdocs/langs/ca_ES/trips.lang @@ -39,7 +39,7 @@ expenseReportCoef=Coeficient expenseReportCoefUndefined=(valor no definit) expenseReportOffset=Decàleg expenseReportPrintExample=offset + (d x coef) = %s -expenseReportRangeDisabled=S'ha desactivat el rang: consulteu el diccionari c_exp_tax_range +expenseReportRangeDisabled=Interval desactivat: consulteu el diccionari c_exp_tax_range expenseReportRangeFromTo=de %d a %d expenseReportRangeMoreThan=més de %d expenseReportTotalForFive=Exemple amb d = 5 @@ -91,7 +91,7 @@ nolimitbyEX_EXP=per línia (sense límits) nolimitbyEX_MON=per mes (sense límits) nolimitbyEX_YEA=per any (sense límits) NoTripsToExportCSV=No hi ha cap informe de despeses per a exportar en aquest període. -NOT_AUTHOR=No sou l’autor d’aquest informe de despeses. Operació cancel·lada. +NOT_AUTHOR=No sou l'autor d'aquest informe de despeses. Operació cancel·lada. OnExpense=Línia de despesa PDFStandardExpenseReports=Plantilla estàndard per a generar un document PDF per a l'informe de despeses PaidTrip=Pagar un informe de despeses @@ -103,7 +103,7 @@ ShowExpenseReport=Mostra l'informe de despeses ShowTrip=Mostra l'informe de despeses TripCard=Informe de despesa de targeta TripId=Id d'informe de despeses -TripNDF=Informacions de l'informe de despeses +TripNDF=Informe de despeses d'informació TripSociete=Informació de l'empresa Trips=Informes de despeses TripsAndExpenses=Informes de despeses diff --git a/htdocs/langs/ca_ES/users.lang b/htdocs/langs/ca_ES/users.lang index 77b31af120e..f873c5a9071 100644 --- a/htdocs/langs/ca_ES/users.lang +++ b/htdocs/langs/ca_ES/users.lang @@ -32,9 +32,8 @@ CreateUser=Crear usuari LoginNotDefined=L'usuari no està definit NameNotDefined=El nom no està definit ListOfUsers=Llistat d'usuaris -SuperAdministrator=Super Administrador -SuperAdministratorDesc=Administrador global -AdministratorDesc=Administrador +SuperAdministrator=Administrador multiempresa +SuperAdministratorDesc=Administrador del sistema multiempresa (pot canviar la configuració i els usuaris) DefaultRights=Permisos per defecte DefaultRightsDesc=Definiu aquí els permisos per defecte que es concedeixen automàticament a un usuari nou (per a modificar els permisos dels usuaris existents, aneu a la fitxa d'usuari). DolibarrUsers=Usuaris Dolibarr @@ -110,8 +109,9 @@ ExpectedWorkedHours=Hores previstes treballades a la setmana ColorUser=Color d'usuari DisabledInMonoUserMode=Deshabilitat en mode manteniment UserAccountancyCode=Codi comptable de l'usuari -UserLogoff=Usuari desconnectat -UserLogged=Usuari connectat +UserLogoff=Tancament de sessió de l'usuari: %s +UserLogged=Usuari registrat: %s +UserLoginFailed=L'inici de sessió de l'usuari ha fallat: %s DateOfEmployment=Data de treball DateEmployment=Ocupació DateEmploymentStart=Data d'inici de l'ocupació @@ -120,10 +120,10 @@ RangeOfLoginValidity=Accés a l'interval de dates de validesa CantDisableYourself=No podeu desactivar el vostre propi registre d'usuari ForceUserExpenseValidator=Validador de l'informe de despeses obligatori ForceUserHolidayValidator=Forçar validador de sol·licitud d'abandonament -ValidatorIsSupervisorByDefault=Per defecte, el validador és el supervisor de l'usuari. Mantingueu-lo buit per a mantenir aquest comportament. +ValidatorIsSupervisorByDefault=Per defecte, el validador és el supervisor de l'usuari. Mantingueu-vos buit per mantenir aquest comportament. UserPersonalEmail=Correu electrònic personal UserPersonalMobile=Telèfon mòbil personal -WarningNotLangOfInterface=Advertència, aquest és l'idioma principal que parla l'usuari, no l'idioma de la interfície que va triar veure. Per a canviar l'idioma de la interfície visible per aquest usuari, aneu a la pestanya %s +WarningNotLangOfInterface=Advertència, aquest és l'idioma principal que parla l'usuari, no l'idioma de la interfície que va triar veure. Per canviar l'idioma de la interfície visible per aquest usuari, aneu a la pestanya %s DateLastLogin=Data darrera sessió DatePreviousLogin=Data d'inici de sessió anterior IPLastLogin=IP darrer inici de sessió @@ -132,3 +132,5 @@ ShowAllPerms=Mostra totes les files de permís HideAllPerms=Amaga totes les files de permís UserPublicPageDesc=Podeu habilitar una targeta virtual per a aquest usuari. Hi haurà disponible una URL amb el perfil d'usuari i un codi de barres per a permetre que qualsevol persona amb un telèfon intel·ligent pugui escanejar-lo i afegir el vostre contacte a la seva llibreta d'adreces. EnablePublicVirtualCard=Habilita la targeta de visita virtual de l'usuari +UserEnabledDisabled=L'estat de l'usuari ha canviat: %s +AlternativeEmailForOAuth2=Alternative Email for OAuth2 login diff --git a/htdocs/langs/ca_ES/website.lang b/htdocs/langs/ca_ES/website.lang index 4eb3a931fa7..98cc749525e 100644 --- a/htdocs/langs/ca_ES/website.lang +++ b/htdocs/langs/ca_ES/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Noms de pàgina alternatius / àlies WEBSITE_ALIASALTDesc=Utilitzeu aquí la llista d'altres noms/àlies, per la qual cosa també es pot accedir a la pàgina amb altres noms/àlies (per exemple, el nom antic després de canviar el nom de l'àlies per a mantenir el vincle d'enllaç a l'antic vincle/nom de treball). La sintaxi és:
      nomalternatiu1, nomalternatiu2... WEBSITE_CSS_URL=URL del fitxer CSS extern WEBSITE_CSS_INLINE=Fitxer de contingut CSS (comú a totes les pàgines) -WEBSITE_JS_INLINE=Fitxer amb contingut Javascript (comú a totes les pàgines) +WEBSITE_JS_INLINE=Contingut del fitxer JavaScript (comú a totes les pàgines) WEBSITE_HTML_HEADER=Afegit a la part inferior de l'encapçalament HTML (comú a totes les pàgines) WEBSITE_ROBOT=Fitxer per robots (robots.txt) WEBSITE_HTACCESS=Fitxer .htaccess del lloc web @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=Nota: si voleu definir una capçalera personalitz MediaFiles=Mediateca EditCss=Editar propietats EditMenu=Edita menú -EditMedias=Editar multimèdia +EditMedias=Edita els mitjans EditPageMeta=Editar propietats de pàgina/contenidor EditInLine=Editar en línia AddWebsite=Afegir lloc web @@ -48,7 +48,7 @@ VirtualhostDesc=El nom de l'amfitrió o domini virtual (per exemple: www.mywebsi SetHereVirtualHost=Utilitzeu-lo amb Apache/NGinx/...
      Creeu al vostre servidor web (Apache, Nginx, ...) un host virtual dedicat amb PHP habilitat i un directori arrel a
      %s ExampleToUseInApacheVirtualHostConfig=Exemple per a utilitzar a la configuració de l'amfitrió virtual d'Apache: YouCanAlsoTestWithPHPS= Utilitzeu-lo amb el servidor incrustat de PHP
      En desenvolupar l'entorn, és possible que preferiu provar el lloc amb el servidor web incrustat de PHP (requereix PHP 5.5) executant
      php -S 0.0. 0.0: 8080 -t %s -YouCanAlsoDeployToAnotherWHP= Executeu el vostre lloc web amb un altre proveïdor d'allotjament Dolibarr
      Si no teniu un servidor web com Apache o NGinx disponible a Internet, podeu exportar i importar el vostre lloc web a una altra instància d'allotjament Dolibarr proporcionada per una altra instància d'allotjament Dolibarr proporcionada per un altre servidor Dolibar complet. integració amb el mòdul del lloc web. Podeu trobar una llista d'alguns proveïdors d'allotjament de Dolibarr a https://saas.dolibarr.org +YouCanAlsoDeployToAnotherWHP= Executeu el vostre lloc web amb un altre proveïdor d'allotjament Dolibarr
      Si no teniu un servidor web com Apache o NGinx disponible a Internet, podeu exportar i importar el vostre lloc web a una altra instància d'allotjament Dolibarr proporcionada per una altra instància d'allotjament Dolibarr proporcionada per un altre servidor Dolibarr complet. integració amb el mòdul del lloc web. Podeu trobar una llista d'alguns proveïdors d'allotjament de Dolibarr a https://saas.dolibarr.org CheckVirtualHostPerms=Comproveu també que l'usuari del VIRTUAL HOST (per exemple www-data) té permisos %s sobre els fitxers a
      %s ReadPerm=Llegit WritePerm=Escriu @@ -60,10 +60,11 @@ NoPageYet=Encara sense pàgines YouCanCreatePageOrImportTemplate=Podeu crear una pàgina nova o importar una plantilla completa del lloc web SyntaxHelp=Ajuda sobre consells de sintaxi específica YouCanEditHtmlSourceckeditor=Podeu editar el codi font HTML usant el botó "Codi font" a l'editor. -YouCanEditHtmlSource=
      Podeu incloure codi PHP en aquesta font utilitzant les etiquetes <?php ?>. Les variables globals següents estan disponibles: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      També podeu incloure el contingut d'una altra pàgina/contenidor amb la sintaxi següent:
      <?php includeContainer('alias_of_container_to_include'); ?>

      Podeu fer una redirecció a una altra pàgina/contenidor amb la següent sintaxi (Nota: no emeten cap contingut abans d'una redirecció):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      Per a afegir un vincle a una altra pàgina, utilitzeu la sintaxi:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      Per a incloure un enllaç per a descàrrega un arxiu emmagatzemat en el directori documents utilitza el visor document.php:
      Exemple, per a un fitxer a documents/ecm (cal registrar-se), la sintaxi és:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Per a un fitxer a documents/mitjans (directori obert per a l'accés públic), la sintaxi és:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      Per a un fitxer compartit amb un enllaç de compartició (accés obert utilitzant una clau de fitxer compartit), la sintaxi és:
      <a href=" /document.php?hashp=publicsharekeyoffile">

      Per a incloure una imatge emmagatzemada en el directori documents, utilitza el visor viewimage.php :
      Exemple, per a una imatge a documents/medias (directori obert d'accés públic), la sintaxi és:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Per a una imatge compartida amb un enllaç compartit (accés obert utilitzant la clau hash de compartició del fitxer), la sintaxi és:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      Més exemples d'HTML o codi dinàmic disponibles a la documentació wiki
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Clona la pàgina/contenidor CloneSite=Clona el lloc SiteAdded=S'ha afegit el lloc web @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Ho sentim, actualment aquest lloc web està fora WEBSITE_USE_WEBSITE_ACCOUNTS=Activa la taula del compte del lloc web WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Activeu la taula per a emmagatzemar comptes de lloc web (nom d'usuari / contrasenya) per a cada lloc web / tercer YouMustDefineTheHomePage=Primer heu de definir la pàgina d'inici predeterminada -OnlyEditionOfSourceForGrabbedContentFuture=Avís: la creació d'una pàgina web mitjançant la importació d'una pàgina web externa es reserva per a usuaris experimentats. Segons la complexitat de la pàgina d'origen, el resultat de la importació pot diferir de l'original. També si la pàgina font utilitza estils CSS comuns o Javascript en conflicte, pot trencar l'aspecte o les funcions de l'editor del lloc web quan es treballi en aquesta pàgina. Aquest mètode és una manera més ràpida de crear una pàgina, però es recomana crear la vostra pàgina nova des de zero o des d’una plantilla de pàgina suggerida.
      Tingueu en compte també que l'editor en línia pot no funcionar correctament quan s'utilitza en una pàgina creada a partir d'importar una externa. +OnlyEditionOfSourceForGrabbedContentFuture=Avís: la creació d'una pàgina web mitjançant la importació d'una pàgina web externa està reservada per a usuaris experimentats. Depenent de la complexitat de la pàgina d'origen, el resultat de la importació pot ser diferent de l'original. A més, si la pàgina d'origen utilitza estils CSS comuns o JavaScript conflictiu, pot trencar l'aspecte o les funcions de l'editor del lloc web quan es treballa en aquesta pàgina. Aquest mètode és una manera més ràpida de crear una pàgina, però es recomana crear la vostra pàgina nova des de zero o des d'una plantilla de pàgina suggerida.
      Tingueu en compte també que l'editor en línia pot no funcionar correcta quan s'utilitza en una pàgina externa agafada. OnlyEditionOfSourceForGrabbedContent=Només l'edició de codi HTML és possible quan el contingut s'ha capturat d'un lloc extern GrabImagesInto=Agafa també imatges trobades dins del css i a la pàgina. ImagesShouldBeSavedInto=Les imatges s'han de desar al directori @@ -112,13 +113,13 @@ GoTo=Aneu a DynamicPHPCodeContainsAForbiddenInstruction=Afegiu codi PHP dinàmic que conté la instrucció PHP ' %s ' que està prohibida per defecte com a contingut dinàmic (vegeu les opcions ocultes WEBSITE_PHP_ALLOW_xxx per a augmentar la llista d'ordres permeses). NotAllowedToAddDynamicContent=No teniu permís per a afegir o editar contingut dinàmic de PHP als llocs web. Demana permís o simplement guarda el codi en etiquetes php sense modificar. ReplaceWebsiteContent=Cerqueu o substitueixi el contingut del lloc web -DeleteAlsoJs=Voleu suprimir també tots els fitxers javascript específics d'aquest lloc web? -DeleteAlsoMedias=Voleu suprimir també tots els fitxers de mitjans específics d’aquest lloc web? +DeleteAlsoJs=Vols suprimir també tots els fitxers JavaScript específics d'aquest lloc web? +DeleteAlsoMedias=Vols suprimir també tots els fitxers multimèdia específics d'aquest lloc web? MyWebsitePages=Les meves pàgines web SearchReplaceInto=Cercar | Substituïu-lo a ReplaceString=Cadena nova CSSContentTooltipHelp=Introduïu aquí contingut CSS. Per a evitar qualsevol conflicte amb el CSS de l’aplicació, assegureu-vos que preposeu tota declaració amb la classe .bodywebsite. Per exemple:

      #mycssselector, input.myclass: hover {...}
      ha de ser
      .bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}

      Nota: Si teniu un fitxer gran sense aquest prefix, podeu fer servir 'lessc' per a convertir-lo per a afegir el prefix .bodywebsite arreu. -LinkAndScriptsHereAreNotLoadedInEditor=Avís: aquest contingut només es produeix quan s'accedeix al lloc des d'un servidor. No s'utilitza en mode Edit, de manera que si necessiteu carregar fitxers Javascript també en mode d'edició, només heu d'afegir la vostra etiqueta 'script src = ...' a la pàgina. +LinkAndScriptsHereAreNotLoadedInEditor=Avís: aquest contingut només apareix quan s'accedeix al lloc des d'un servidor. No s'utilitza en mode d'edició, així que si necessiteu carregar fitxers JavaScript també en mode d'edició, només cal que afegiu l'etiqueta "script src=..." a la pàgina. Dynamiccontent=Exemple d’una pàgina amb contingut dinàmic ImportSite=Importa la plantilla del lloc web EditInLineOnOff=El mode "Edita en línia" és %s @@ -160,3 +161,6 @@ PagesViewedTotal=Pàgines vistes (total) Visibility=Visibilitat Everyone=Tothom AssignedContacts=Contactes assignats +WebsiteTypeLabel=Tipus de lloc web +WebsiteTypeDolibarrWebsite=Lloc web (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Portal nadiu de Dolibarr diff --git a/htdocs/langs/ca_ES/withdrawals.lang b/htdocs/langs/ca_ES/withdrawals.lang index 518a2c9e162..3b94af848e9 100644 --- a/htdocs/langs/ca_ES/withdrawals.lang +++ b/htdocs/langs/ca_ES/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Fes una sol·licitud de transferència WithdrawRequestsDone=%s domiciliacions registrades BankTransferRequestsDone=S'han registrat %s sol·licituds de transferència ThirdPartyBankCode=Codi bancari de tercers -NoInvoiceCouldBeWithdrawed=Cap factura s'ha carregat amb èxit. Comproveu que els tercers de les factures tenen un IBAN vàlid i que IBAN té un RUM (Referència de mandat exclusiva) amb mode %s. +NoInvoiceCouldBeWithdrawed=No s'ha processat cap factura correctament. Comproveu que les factures siguin d'empreses amb un IBAN vàlid i que l'IBAN tingui un UMR (Unique Mandate Reference) amb la modalitat %s. +NoInvoiceCouldBeWithdrawedSupplier=No s'ha processat cap factura correctament. Comproveu que les factures siguin d'empreses amb un IBAN vàlid. +NoSalariesCouldBeWithdrawed=No s'ha processat cap salari correctament. Comproveu que el sou correspon als usuaris amb un IBAN vàlid. WithdrawalCantBeCreditedTwice=Aquesta domiciliació ja està marcada com a cobrada; això no es pot fer dues vegades, ja que això podria generar duplicats de pagaments i entrades bancàries. ClassCredited=Marca abonada ClassDebited=Marca els domiciliats @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Esteu segur que voleu introduir una devolució per a l' RefusedData=Data de devolució RefusedReason=Motiu de devolució RefusedInvoicing=Facturació de la devolució -NoInvoiceRefused=No facturar la devolució -InvoiceRefused=Factura rebutjada (Carregar les despeses al client) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Estat dèbit/crèdit StatusWaiting=En espera StatusTrans=Enviada @@ -103,7 +106,7 @@ ShowWithdraw=Mostra l'ordre de domiciliació IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Tot i això, si la factura té com a mínim una ordre de pagament per domiciliació bancària encara no processada, no s’establirà com a pagament per a permetre la gestió prèvia de la retirada. DoStandingOrdersBeforePayments=Aquesta pestanya permet sol·licitar una ordre de pagament per domiciliació bancària. Un cop fet, podeu entrar al menú "Banc->Pagament per domiciliació bancària" per a generar i gestionar un fitxer de domiciliació bancària. DoStandingOrdersBeforePayments2=També podeu enviar una sol·licitud directament a un processador de pagaments SEPA com Stripe, ... -DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=Quan Request estigui tancat, Payment a invoices serà automatically enregistrat, and invoices tancat si la resta per pagar és nul·la. DoCreditTransferBeforePayments=Aquesta pestanya us permet sol·licitar una ordre de transferència de crèdit. Un cop fet, aneu al menú "Banc->Pagament per transferència de crèdit" per a generar i gestionar un fitxer d'ordre de transferència de crèdit. DoCreditTransferBeforePayments3=Quan es tanqui l'ordre de transferència de crèdit, el pagament de les factures es registrarà automàticament i les factures es tanquen si la resta per a pagar és nul·la. WithdrawalFile=Fitxer de comanda de dèbit @@ -115,14 +118,14 @@ RUM=UMR DateRUM=Data de signatura del mandat RUMLong=Referència de mandat única (UMR) RUMWillBeGenerated=Si està buit, es generarà una UMR (Referència de mandat únic) una vegada que es guardi la informació del compte bancari. -WithdrawMode=Mode de domiciliació bancària (FRST o RECUR) +WithdrawMode=Mode Direct debit (FRST o RCUR) WithdrawRequestAmount=Import de la domiciliació BankTransferAmount=Import de la petició de transferència bancària: WithdrawRequestErrorNilAmount=No és possible crear una domiciliació sense import SepaMandate=Mandat de domiciliació bancària SEPA SepaMandateShort=Mandat SEPA PleaseReturnMandate=Si us plau, envieu aquest formulari de mandat per correu electrònic a %s o per correu postal a -SEPALegalText=By signing this mandate form, you authorize (A) %s and its payment service provider to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. You agree to receive notifications about future charges up to 2 days before they occur. +SEPALegalText=En signar aquest mandat form, autoritzeu (A) %s and Payment service per enviar instruccions al vostre banc per domiciliar el vostre account and (B) al vostre banc per carregar el vostre account d'acord amb les instruccions de %s span>. Com a part dels vostres drets, teniu dret a un reemborsament del vostre banc d'acord amb les condicions and del vostre acord amb el vostre banc. Els vostres drets respecte al mandat anterior s'expliquen en un comunicat que podeu obtenir al vostre banc. Accepteu rebre Notifications sobre càrrecs futurs fins a 2 dies abans que es produeixin. CreditorIdentifier=Identificador del creditor CreditorName=Nom del creditor SEPAFillForm=(B) Si us plau completa tots els camps marcats amb * @@ -131,6 +134,7 @@ SEPAFormYourBAN=Codi del teu compte bancari (IBAN) SEPAFormYourBIC=Codi identificador del teu banc (BIC) SEPAFrstOrRecur=Tipus de pagament ModeRECUR=Pagament recurrent +ModeRCUR=Pagament recurrent ModeFRST=Pagament únic PleaseCheckOne=Si us plau, marqueu només un CreditTransferOrderCreated=S'ha creat una ordre de transferència de crèdit %s @@ -155,9 +159,16 @@ InfoTransData=Import: %s
      Mètode: %s
      Data: %s InfoRejectSubject=Rebut de domiciliació bancària rebutjat InfoRejectMessage=Hola,

      el rebut domiciliat de la factura %s relacionada amb la companyia %s, amb un import de %s ha estat rebutjada pel banc.

      --
      %s ModeWarning=No s'ha establert l'opció de treball en real, ens aturarem després d'aquesta simulació -ErrorCompanyHasDuplicateDefaultBAN=L’empresa amb l’identificador %s té més d’un compte bancari per defecte. No hi ha manera de saber quin utilitzar. +ErrorCompanyHasDuplicateDefaultBAN=L'empresa amb l'identificador %s té més d'un compte bancari predeterminat. No hi ha manera de saber quin utilitzar. ErrorICSmissing=Falta ICS al compte bancari %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=La quantitat total de l'ordre de domiciliació bancària difereix de la suma de línies WarningSomeDirectDebitOrdersAlreadyExists=Avís: ja hi ha algunes comandes de domiciliació bancària pendents (%s) sol·licitades per un import de %s WarningSomeCreditTransferAlreadyExists=Avís: ja hi ha una transferència de crèdit pendent (%s) sol·licitada per un import de %s UsedFor=S'utilitza per a %s +Societe_ribSigned=Mandat SEPA Signat +NbOfInvoiceToPayByBankTransferForSalaries=Nombre de salaris qualificats pendents de pagament per transferència de crèdit +SalaryWaitingWithdraw=Sous pendents de pagament per transferència de crèdit +RefSalary=Sou +NoSalaryInvoiceToWithdraw=Sense sou esperant un '%s'. Aneu a la pestanya '%s' de la targeta de sou per fer una sol·licitud. +SalaryInvoiceWaitingWithdraw=Sous pendents de pagament per transferència de crèdit + diff --git a/htdocs/langs/ca_ES/workflow.lang b/htdocs/langs/ca_ES/workflow.lang index fb65a49a9f3..9bd4d6169c4 100644 --- a/htdocs/langs/ca_ES/workflow.lang +++ b/htdocs/langs/ca_ES/workflow.lang @@ -7,30 +7,32 @@ descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Crea automàticament una comanda de client descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Crea automàticament una factura del client després de signar un pressupost (la nova factura tindrà el mateix import que el pressupost) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Crear automàticament una factura a client després de validar un contracte descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Crea automàticament una factura de client després de tancar una comanda de client (la nova factura tindrà el mateix import que la comanda) -descWORKFLOW_TICKET_CREATE_INTERVENTION=En crear el bitllet, creeu automàticament una intervenció. +descWORKFLOW_TICKET_CREATE_INTERVENTION=En crear el tiquet, creeu automàticament una intervenció. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classifica el pressupost d'origen com a facturat quan la comanda del client es posi com a facturada (i si l'import de la comanda és igual a l'import total del pressupost signat vinculat) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classifica els pressupostos vinculats d'origen com a facturats quan la factura del client es validi (i si l'import de la factura és igual a l'import total dels pressupostos signats vinculats) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classifica les comandes de client vinculades d'origen com a facturades quan la factura del client es validi (i si l'import de la factura és igual a l'import total de les comandes vinculades) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classifica les comandes de client vinculades d'origen com a facturades quan la factura del client es posi com a pagada (i si l'import de la factura és igual a l'import total de les comandes vinculades) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classifica les comandes vinculades com a enviades quan l'expedició es validi (i si la quantitat enviada per totes les expedicions és igual que la comanda a actualitzar) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classifiqueu la comanda de venda d'origen enllaçada com a enviada quan es tanca un enviament (i si la quantitat enviada per tots els enviaments és la mateixa que a l'ordre d'actualització) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classifica les comandes de vendes d'origen enllaçades com a enviades quan es valida un enviament (i si la quantitat enviada per tots els enviaments és la mateixa que a la comanda d'actualització) +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Marca la comanda de venda d'origen enllaçada com a enviada quan es tanca un enviament (i si la quantitat enviada per tots els enviaments és la mateixa que a la comanda a actualitzar) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classifica el pressupost de proveïdor vinculat com facturat quan la factura de proveïdor és validada (i si l'import de la factura és igual a l'import total del pressupost vinculat) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classifica la comanda de proveïdor vinculada com facturada quan la factura de proveïdor és validada (i si l'import de la factura és igual a l'import total de la comanda vinculada) -descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classifica com a rebuda l'ordre de compra d'origen enllaçada quan es valida una recepció (i si la quantitat rebuda per totes les recepcions és la mateixa que a l'ordre de compra per a actualitzar) -descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classifica com a rebuda l'ordre de compra d'origen enllaçada quan es tanca una recepció (i si la quantitat rebuda per totes les recepcions és la mateixa que a l'ordre de compra per a actualitzar) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Marca com a rebuda l'ordre de compra d'origen enllaçada quan es valida una recepció (i si la quantitat rebuda per totes les recepcions és la mateixa que a l'ordre de compra per a actualitzar) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Marca com a rebuda l'ordre de compra d'origen enllaçada quan es tanca una recepció (i si la quantitat rebuda per totes les recepcions és la mateixa que a l'ordre de compra per a actualitzar) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classifica l'enviament d'origen enllaçat com a tancat quan es valida una factura de client (i si l'import de la factura és el mateix que l'import total dels enviaments enllaçats) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classifica l'enviament d'origen enllaçat com a facturat quan es valida una factura de client (i si l'import de la factura és el mateix que l'import total dels enviaments enllaçats) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classifica les recepcions d'origen enllaçades com a facturades quan es valida una factura de compra (i si l'import de la factura és el mateix que l'import total de les recepcions enllaçades) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classifica les recepcions d'origen enllaçades com a facturades quan es valida una factura de compra (i si l'import de la factura és el mateix que l'import total de les recepcions enllaçades) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=Quan creeu un bitllet, enllaceu els contractes disponibles del tercer coincident +descWORKFLOW_TICKET_LINK_CONTRACT=Quan creeu un bitllet, enllaceu tots els contractes disponibles de tercers coincidents descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=En enllaçar contractes, cerqueu entre els de les empreses matrius # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Tanca totes les intervencions vinculades quan es tanca un tiquet AutomaticCreation=Creació automàtica AutomaticClassification=Classificació automàtica -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Tancament automàtic AutomaticLinking=Enllaç automàtic diff --git a/htdocs/langs/cs_CZ/accountancy.lang b/htdocs/langs/cs_CZ/accountancy.lang index 7937e37ea94..15bc09c11ff 100644 --- a/htdocs/langs/cs_CZ/accountancy.lang +++ b/htdocs/langs/cs_CZ/accountancy.lang @@ -16,8 +16,8 @@ ThisService=Tato služba ThisProduct=Tento výrobek DefaultForService=Default for services DefaultForProduct=Default for products -ProductForThisThirdparty=Produkty pro tento subjekt -ServiceForThisThirdparty=Služby pro tento subjekt +ProductForThisThirdparty=Product for this third party +ServiceForThisThirdparty=Service for this third party CantSuggest=Nelze navrhnout AccountancySetupDoneFromAccountancyMenu=Většina nastavení účetnictví se provádí z nabídky %s ConfigAccountingExpert=Configuration of the module accounting (double entry) @@ -38,7 +38,7 @@ DeleteCptCategory=Odstraňte účetní účet ze skupiny ConfirmDeleteCptCategory=Opravdu chcete tento účtovací účet odstranit ze skupiny účetních účtů? JournalizationInLedgerStatus=Stav žurnalizace AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger +NotYetInGeneralLedger=Not yet transferred to accounting journals and ledger GroupIsEmptyCheckSetup=Skupina je prázdná, zkontrolujte nastavení personalizované účetní skupiny DetailByAccount=Zobrazit detail podle účtu DetailBy=Detail by @@ -53,15 +53,13 @@ ExportAccountingSourceDocHelp=With this tool, you can search and export the sour ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported, click on the button above. VueByAccountAccounting=View by accounting account VueBySubAccountAccounting=View by accounting subaccount MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup @@ -70,13 +68,14 @@ UserAccountNotDefined=Accounting account for user not defined in setup AccountancyArea=Účetní oblast AccountancyAreaDescIntro=Použití účetního modulu se provádí v několika krocích: AccountancyAreaDescActionOnce=Tyto akce jsou obvykle prováděny pouze jednou, nebo jednou za rok ... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting +AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automatically the correct default accounting account when transferring data in accounting AccountancyAreaDescActionFreq=Tyto akce jsou proto zpravidla prováděny každý měsíc, týden nebo den pro velmi velké společnosti ... AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s AccountancyAreaDescChartModel=KROK %s: Zkontrolujte, zda existuje model účtové osnovy, nebo vytvořte jeden z nabídky %s. AccountancyAreaDescChart=KROK %s: Vyberte a | nebo dokončete svůj účtový graf z nabídky %s +AccountancyAreaDescFiscalPeriod=STEP %s: Define a fiscal year by default on which to integrate your accounting entries. For this, use the menu entry %s. AccountancyAreaDescVat=KROK %s: Definujte účetní účty pro každou DPH. K tomu použijte položku nabídky %s. AccountancyAreaDescDefault=KROK %s: Definujte výchozí účetní účty. K tomu použijte položku nabídky %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. @@ -84,7 +83,7 @@ AccountancyAreaDescSal=KROK %s: Definujte výchozí účty pro výplatu mezd. K AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. AccountancyAreaDescDonation=KROK %s: Definujte výchozí účetní účty pro dárcovství. K tomu použijte položku nabídky %s. AccountancyAreaDescSubscription=KROK %s: Definujte výchozí účetní účty pro členské předplatné. K tomu použijte položku nabídky %s. -AccountancyAreaDescMisc=KROK %s: Definujte povinné výchozí účty a výchozí účetní účty pro různé transakce. K tomu použijte položku nabídky %s. +AccountancyAreaDescMisc=STEP %s: Define mandatory default accounts and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. AccountancyAreaDescLoan=KROK %s: Definujte výchozí účetní účty pro úvěry. K tomu použijte položku nabídky %s. AccountancyAreaDescBank=KROK %s: Definujte účetní účty a kód časopisu pro jednotlivé bankovní a finanční účty. K tomu použijte položku nabídky %s. AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. @@ -95,6 +94,7 @@ AccountancyAreaDescAnalyze=KROK %s: Přidání nebo úprava stávajících trans AccountancyAreaDescClosePeriod=KROK %s: Zavřete období, takže nemůžeme v budoucnu provádět změny. +TheFiscalPeriodIsNotDefined=A mandatory step in setup has not been completed (Fiscal period is not defined) TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) Selectchartofaccounts=Vybrat aktivní účtové osnovy ChangeAndLoad=Změna a načtení @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Umožňuje spravovat různé počty nul na konci účetn BANK_DISABLE_DIRECT_INPUT=Zakázat přímé nahrávání transakce v bankovním účtu ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Povolit návrh exportu v žurnálu ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_DATE_START_BINDING=Disable binding & transfer in accountancy when date is below this date (the transactions before this date will be excluded by default) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On the page to transfer data into accountancy, what is the period selected by default ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Sociální deník ACCOUNTING_RESULT_PROFIT=Výsledek účetnictví (Zisk) ACCOUNTING_RESULT_LOSS=Výsledek účetní účet (ztráta) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Časopis uzavření +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Accounting groups used for the balance sheet account (separate by comma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Accounting groups used for the income statement (separate by comma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers TransitionalAccount=Účet přechodného bankovního převodu @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Consult here the list of the lines of invoices customers DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transferred in accountancy are visible) DescVentilDoneSupplier=Zde si přečtěte seznam řádků prodejních faktur a jejich účetní účet DescVentilTodoExpenseReport=Vázat řádky výkazu výdajů, které již nejsou vázány účtem účtování poplatků DescVentilExpenseReport=Zde si přečtěte seznam výkazů výdajů vázaných (nebo ne) na účty účtování poplatků @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=Pokud nastavíte účetní účet na řádcích výk DescVentilDoneExpenseReport=Poraďte se zde seznam v souladu se zprávami výdajů a jejich poplatků účtování účtu Closure=Annual closure -DescClosure=Consult here the number of movements by month not yet validated & locked +AccountancyClosureStep1Desc=Consult here the number of movements by month not yet validated & locked OverviewOfMovementsNotValidated=Overview of movements not validated and locked AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked @@ -341,7 +343,7 @@ AccountingJournalType3=Nákupy AccountingJournalType4=Banka AccountingJournalType5=Výkazy výdajů AccountingJournalType8=Inventář -AccountingJournalType9=Má-new +AccountingJournalType9=Retained earnings GenerationOfAccountingEntries=Generation of accounting entries ErrorAccountingJournalIsAlreadyUse=Tento deník se již používá AccountingAccountForSalesTaxAreDefinedInto=Poznámka: Účtovací účet pro daň z prodeje je definován v menu %s - %s @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountanc ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. +EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigorous accounting management. ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not chosen by the end user +ACCOUNTING_LETTERING_NBLETTERS=Number of letters when generating lettering code (default 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Some accounting software only accepts a two-letter code. This parameter allows you to set this aspect. The default number of letters is three. OptionsAdvanced=Advanced options ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transferred into accountancy differently: A additional debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. ## Export NotExportLettering=Do not export the lettering when generating the file @@ -420,7 +424,7 @@ SaleLocal=Místní prodej SaleExport=Exportní prodej SaleEEC=Prodej v EHS SaleEECWithVAT=Prodej v EHS s nulovou DPH, takže předpokládáme, že se nejedná o intrakomunitní prodej a navrhovaný účet je standardní produktový účet. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of third party is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the third party, or change the product account suggested for binding if needed. ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=No unreconcile modified AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock movements +AccountancyClosureStep2=Step 2 : Close fiscal period +AccountancyClosureStep3=Step 3 : Extract entries (Optional) +AccountancyClosureClose=Close fiscal period +AccountancyClosureAccountingReversal=Extract and record "Retained earnings" entries +AccountancyClosureStep3NewFiscalPeriod=Next fiscal period +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "Retained earnings" entries on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "Retained earnings" entries, detail the sub-ledger accounts +AccountancyClosureCloseSuccessfully=Fiscal period has been closed successfully +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping entries for "Retained earnings" has been inserted successfully + ## Confirm box ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? ConfirmMassDeleteBookkeepingWriting=Hromadné smazání potvrzení ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +AccountancyClosureConfirmClose=Are you sure you want to close the current fiscal period ? You understand that closing the fiscal period is an irreversible action and will permanently block any modification or deletion of entries over this period. +AccountancyClosureConfirmAccountingReversal=Are you sure you want to record entries for the "Retained earnings" ? ## Error SomeMandatoryStepsOfSetupWereNotDone=Některé povinné kroky nastavení nebyly provedeny, vyplňte je -ErrorNoAccountingCategoryForThisCountry=Účetnictví skupiny účtů není k dispozici pro země %s (viz Home - instalace - slovníky) +ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Pokoušíte se publikovat některé řádky faktury %s , ale některé další řádky ještě nejsou ohraničeny účetním účtem. Pro tuto fakturu jsou odmítnuty všechny fakturační řádky. ErrorInvoiceContainsLinesNotYetBoundedShort=Některé řádky na faktuře nejsou vázány na účetní účet. ExportNotSupported=Exportní formát setuped není podporován na této stránce @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s ErrorAccountNumberAlreadyExists=The accounting number %s already exists ErrorArchiveAddFile=Can't put "%s" file in archive +ErrorNoFiscalPeriodActiveFound=No active fiscal period found +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=The bookkeeping doc date is not inside the active fiscal period +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=The bookkeeping doc date is inside a closed fiscal period ## Import ImportAccountingEntries=Účetní zápisy diff --git a/htdocs/langs/cs_CZ/admin.lang b/htdocs/langs/cs_CZ/admin.lang index 60561531a7c..7f71d0b6d42 100644 --- a/htdocs/langs/cs_CZ/admin.lang +++ b/htdocs/langs/cs_CZ/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Tento modul se nezdá být kompatibilní s Dolibarr %s (Min %s - M CompatibleAfterUpdate=Tento modul vyžaduje aktualizaci souboru Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=Podívejte se na trh SeeSetupOfModule=Viz nastavení modulu %s +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=Set option %s to %s Updated=Aktualizováno AchatTelechargement=Koupit / stáhnout @@ -292,22 +294,22 @@ EmailSenderProfiles=Profily odesílatelů e-mailů EMailsSenderProfileDesc=Tuto sekci můžete ponechat prázdnou. Pokud sem zadáte nějaké e-maily, budou při psaní nového e-mailu přidány do seznamu možných odesílatelů do combo boxu. MAIN_MAIL_SMTP_PORT=SMTP / SMTPS Port (Výchozí nastavení v php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS Host (Výchozí nastavení v php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP / SMTPS Port (Nedefinováno v PHP na Unixových systémech) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS Hosts (Nedefinováno v PHP na Unixových systémech) -MAIN_MAIL_EMAIL_FROM=Odesílatel automatických e-mailů (Výchozí nastavení v php.ini: %s) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=E-mail, který se používá pro hlášení chyb, vrací e-maily (políčka "Chyby-To" v odeslaných e-mailech) MAIN_MAIL_AUTOCOPY_TO= Kopírovat (Bcc) všechny odeslané e-maily MAIN_DISABLE_ALL_MAILS=Zakázat veškeré odesílání e-mailů (pro testovací účely nebo ukázky) MAIN_MAIL_FORCE_SENDTO=Pošlete všechny e-maily do (namísto skutečných příjemců pro testovací účely) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Při psaní nového e-mailu navrhujte e-maily zaměstnanců (pokud jsou definováni) do seznamu předdefinovaných příjemců -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=Metoda odesílání e-mailů MAIN_MAIL_SMTPS_ID=ID SMTP (pokud odesílající server vyžaduje ověření) MAIN_MAIL_SMTPS_PW=Heslo SMTP (pokud server pro odesílání vyžaduje ověření) MAIN_MAIL_EMAIL_TLS=Používejte šifrování TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Použít TLS (STARTTLS) šifrování -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=Pomocí DKIM generujte podpis elektronické pošty MAIN_MAIL_EMAIL_DKIM_DOMAIN=E-mailová doména pro použití s dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Název selektoru dkim @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Soukromý klíč pro podepisování dkim MAIN_DISABLE_ALL_SMS=Zakázat všechny odesílané SMS (pro testovací účely apod.) MAIN_SMS_SENDMODE=Použitá metoda pro odesílání SMS MAIN_MAIL_SMS_FROM=Výchozí telefonní číslo odesílatele SMS -MAIN_MAIL_DEFAULT_FROMTYPE=E-mail odesílatele ve výchozím nastavení pro manuální sendings (uživatel e-mailu nebo e-mailu společnosti) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=Uživatelský e-mail CompanyEmail=Společnost Email FeatureNotAvailableOnLinux=Funkce není k dispozici na Unixových systémech. Otestujte svůj sendmail program lokálně. @@ -417,6 +419,7 @@ PDFLocaltax=Pravidla pro %s HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT HideDescOnPDF=Skrýt popis produktů HideRefOnPDF=Skrýt produkty ref. +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=Skryjte podrobnosti o produktech PlaceCustomerAddressToIsoLocation=Použijte francouzský standardní pozice (La Poste) o pozici zákazníka adresy Library=Knihovna @@ -424,7 +427,7 @@ UrlGenerationParameters=Parametry k zajištění URL SecurityTokenIsUnique=Pro každou adresu URL použijte jedinečný bezpečnostní parametr EnterRefToBuildUrl=Zadejte odkaz na objekt %s GetSecuredUrl=Získejte vypočtenou URL -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=Staré Sazba DPH NewVATRates=Nová sazba DPH PriceBaseTypeToChange=Změňte ceny podle základní referenční hodnoty definované na @@ -458,11 +461,11 @@ ComputedFormula=Vypočtené pole ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Uložte vypočítané pole ComputedpersistentDesc=Vypočítaná další pole pole budou uložena do databáze, hodnota však bude přepočítána pouze při změně objektu tohoto pole. Pokud vypočítané pole závisí na jiných objektech nebo globálních datech, může být tato hodnota špatná !! -ExtrafieldParamHelpPassword=Pokud ponecháte toto pole prázdné, znamená to, že tato hodnota bude uložena bez šifrování (pole musí být skryto pouze s hvězdou na obrazovce).
      Nastavte "auto" pro použití výchozího šifrovacího pravidla pro uložení hesla do databáze (pak hodnota bude číst pouze hash, žádný způsob získání původní hodnoty) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=Seznam hodnot musí být řádky s formátovým klíčem, hodnota (kde klíč nemůže být '0')

      například:
      1, value1
      2, value2
      code3, value3
      ...

      seznam v závislosti na dalším doplňkovém seznamu atributů:
      1, value1 | options_ parent_list_code : parent_key
      2, value2 | options_ parent_list_code : parent_key

      Chcete-li mít seznam v závislosti na jiném seznamu:
      1, hodnota1 | parent_list_code : parent_key
      2, hodnota2 | parent_list_code : parent_key ExtrafieldParamHelpcheckbox=Seznam hodnot musí být řádky s formátovým klíčem, hodnota (kde klíč nemůže být '0')

      například:
      1, value1
      2, value2
      3, value3
      ... ExtrafieldParamHelpradio=Seznam hodnot musí být řádky s formátovým klíčem, hodnota (kde klíč nemůže být '0')

      například:
      1, value1
      2, value2
      3, value3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath ExtrafieldParamHelpSeparator=Ponechte prázdné pro jednoduchý oddělovač
      Tuto hodnotu nastavíte na 1 pro odlučovač (výchozí nastavení je otevřeno pro novou relaci, poté je stav zachován pro každou uživatelskou relaci)
      Nastavte tuto položku na 2 pro sbalující se oddělovač. (ve výchozím nastavení sbaleno pro novou relaci, pak je stav udržován pro každou relaci uživatele) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Zadejte telefonní číslo, které chcete zavolat a zobraz RefreshPhoneLink=Obnovit odkaz LinkToTest=Klikací odkaz generovány pro uživatele %s (klikněte na telefonní číslo pro testování) KeepEmptyToUseDefault=Uchovávejte prázdnou pro použití výchozí hodnoty -KeepThisEmptyInMostCases=Ve většině případů můžete ponechat toto pole prázdné. +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=Výchozí odkaz SetAsDefault=Nastavit jako výchozí ValueOverwrittenByUserSetup=Upozornění: tato hodnota může být přepsána uživatelsky specifickým nastavením (každý uživatel si může nastavit svoji vlastní adresu kliknutí) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Toto je název pole HTML. Technická znalost je potř PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate= 
      Příklad:
      Formulář pro vytvoření nového subjektu je %s .
      Pro URL externích modulů nainstalovaných do vlastního adresáře nezahrnujte "vlastní /", tak použijte cestu jako mymodule / mypage.php a ne vlastní / mymodule / mypage.php.
      Pokud chcete výchozí hodnotu pouze v případě, že url má nějaký parametr, můžete použít %s PageUrlForDefaultValuesList= 
      Příklad:
      Pro stránku, která obsahuje subjekty, je %s .
      Pro adresy URL externích modulů nainstalovaných do vlastního adresáře nezahrnujte "vlastní", takže použijte cestu jako mymodule / mypagelist.php a ne vlastní / mymodule / mypagelist.php.
      Pokud chcete výchozí hodnotu pouze v případě, že url má nějaký parametr, můžete použít %s -AlsoDefaultValuesAreEffectiveForActionCreate=Také si všimněte, že přepsání výchozích hodnot pro vytváření formulářů funguje pouze pro stránky, které byly správně navrženy (takže s parametrem action = create or presend ...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=Povolit přizpůsobení výchozích hodnot EnableOverwriteTranslation=Allow customization of translations GoIntoTranslationMenuToChangeThis=Překlad byl nalezen pro klíč s tímto kódem. Chcete-li tuto hodnotu změnit, musíte ji upravit z Home-Setup-translation. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Obecný soukromý adresář je adresář WebDAV, ke DAV_ALLOW_PUBLIC_DIR=Povolit obecný veřejný adresář (vyhrazený adresář WebDAV s názvem "public" - není vyžadováno žádné přihlášení) DAV_ALLOW_PUBLIC_DIRTooltip=Obecný veřejný adresář je adresář WebDAV, ke kterému může přistupovat kdokoliv (v režimu čtení a zápisu), bez nutnosti autorizace (účet login / password). DAV_ALLOW_ECM_DIR=Povolit soukromý adresář DMS/ECM (kořenový adresář modulu DMS/ECM - vyžaduje se přihlášení) -DAV_ALLOW_ECM_DIRTooltip=Kořenový adresář, kde jsou všechny soubory ručně nahrány při použití modulu DMS / ECM. Stejně jako přístup z webového rozhraní budete potřebovat platné přihlašovací jméno / heslo s přístupovými oprávněními k jeho přístupu. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=Uživatelé a skupiny Module0Desc=Uživatelé / zaměstnanci a vedení Skupiny @@ -566,7 +569,7 @@ Module40Desc=Prodejci a řízení nákupu (objednávky a fakturace dodavatelský Module42Name=Ladicí protokoly Module42Desc=Zařízení pro protokolování (soubor, syslog, ...). Takové protokoly jsou určeny pro technické účely / ladění. Module43Name=Debug Bar -Module43Desc=A tool for developper adding a debug bar in your browser. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=Redakce Module49Desc=Editor pro správu Module50Name=Produkty @@ -582,7 +585,7 @@ Module54Desc=Správa smluv (služby nebo opakované předplatné) Module55Name=Čárové kódy Module55Desc=Barcode or QR code management Module56Name=Platba převodem -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=Payments by Direct Debit Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Odeslání e-mailových upozornění vyvolaných podnikovou událo Module600Long=Všimněte si, že tento modul pošle e-maily v reálném čase, když nastane konkrétní událost. Pokud hledáte funkci pro zasílání upozornění na události agend, přejděte do nastavení modulu Agenda. Module610Name=Varianty produktu Module610Desc=Tvorba variant produktů (barva, velikost atd.) +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=Dary Module700Desc=Darování řízení Module770Name=Výkazy výdajů @@ -650,8 +657,8 @@ Module2300Name=Naplánované úlohy Module2300Desc=Správa plánovaných úloh (alias cron nebo chrono table) Module2400Name=Události/Agenda Module2400Desc=Sledujte události. Nahrajte automatické události pro účely sledování nebo zaznamenávejte ruční události nebo schůzky. Jedná se o hlavní modul pro správné řízení vztahů se zákazníky nebo dodavateli. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM Module2500Desc=Systém správy dokumentů / elektronické správy obsahu. Automatické uspořádání vytvořených nebo uložených dokumentů. Sdílejte je, když budete potřebovat. Module2600Name=API / Web services (SOAP server) @@ -672,7 +679,7 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=Sociální sítě Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Řízení lidských zdrojů (řízení oddělení, pracovní smlouvy a pocity) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Multi-společnost Module5000Desc=Umožňuje spravovat více společností Module6000Name=Inter-modules Workflow @@ -712,6 +719,8 @@ Module63000Desc=Spravujte prostředky (tiskárny, auta, místnosti, ...) pro př Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=Recepce +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Read customer invoices (and payments) Permission12=Vytvářejte/upravujte zákaznické faktury @@ -996,7 +1005,7 @@ Permission4031=Read personal information Permission4032=Write personal information Permission4033=Read all evaluations (even those of user not subordinates) Permission10001=Přečtěte si obsah webových stránek -Permission10002=Vytvářejte/upravujte obsah webových stránek (html a javascript) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=Vytvářejte / upravujte obsah webových stránek (dynamický php kód). Nebezpečné, musí být vyhrazeno omezeným vývojářům. Permission10005=Smazat obsah webových stránek Permission20001=Přečtěte si žádosti o dovolenou (vaše dovolená a vaše podřízené) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Výkaz výdajů - Rozsah podle kategorie dopravy DictionaryTransportMode=Intracomm report - Transport mode DictionaryBatchStatus=Product lot/serial Quality Control status DictionaryAssetDisposalType=Type of disposal of assets +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Type of unit SetupSaved=Nastavení uloženo SetupNotSaved=Nastavení nebylo uloženo @@ -1109,10 +1119,11 @@ BackToModuleList=Zpět na seznam modulů BackToDictionaryList=Zpět na seznam slovníků TypeOfRevenueStamp=Typ daňové známky VATManagement=Řízení daní z prodeje -VATIsUsedDesc=Ve výchozím nastavení při vytváření prospektů, faktur, objednávek apod. Sazba daně z prodeje dodržuje aktivní standardní pravidlo:
      Pokud prodávající nepodléhá daně z prodeje, je daň z prodeje v prodlení s hodnotou 0. Konec pravidla.
      Pokud je (prodávajícího země = země kupujícího), pak daň z prodeje ve výchozím stavu se rovná dani z prodeje produktu v zemi prodávajícího. Konec pravidla.
      Pokud se prodávající a kupující nacházejí v Evropském společenství a zboží se jedná o produkty spojené s přepravou (nákladní, lodní, letecká společnost), DPH z prodlení je 0. Toto pravidlo závisí na zemi prodávajícího - kontaktujte prosím svého účetního. DPH by měl hradit kupující celnímu úřadu ve své zemi, nikoliv prodávajícímu. Konec pravidla.
      Pokud je prodávající a kupující v Evropském společenství, a kupující není společností (se zapsaným číslem DPH uvnitř Společenství), pak DPH je v prodlení se sazbou DPH prodávajícího. Konec pravidla.
      Pokud se prodávající a kupující nachází v Evropském společenství a kupujícím je společnost (se zapsaným DPH uvnitř Společenství), je DPH ve výchozím nastavení 0. Konec pravidla.
      V jiném případě je navrhovaným výchozím nastavením prodejní daň = 0. Konec pravidla. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=Ve výchozím nastavení je navrhovaná daň z prodeje 0, která může být použita pro případy, jako jsou sdružení, fyzické osoby nebo malé společnosti. VATIsUsedExampleFR=Ve Francii to znamená, že společnosti nebo organizace mají skutečný fiskální systém (zjednodušený reálný nebo normální reálný). Systém, v němž je uvedena DPH. VATIsNotUsedExampleFR=Ve Francii se jedná o sdružení, která jsou prohlášena za nepodléhající daň z prodeje, nebo společnosti, organizace nebo svobodné profese, které si vybraly daňový systém pro mikropodniky (daně z prodeje ve franchise) a zaplatili daň z prodeje bez daně z prodeje bez prohlášení o daních z prodeje. Tato volba zobrazí na fakturách odkaz "Neuplatňuje se daň z prodeje - art-293B CGI". +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Druh daně z obratu LTRate=Rychlost @@ -1399,8 +1410,8 @@ PHPModuleLoaded=Je načtena komponenta PHP %s PreloadOPCode=Používá se předinstalovaný OPCode AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=Požádejte o preferovanou způsob přepravy pro subjekty. FieldEdition=Editace položky %s FillThisOnlyIfRequired=Příklad: +2 (vyplňte pouze v případě, že se vyskytly problémy s posunem časových pásem) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Na stránce Přihlášení nezobrazujte odk UsersSetup=Uživatelé modul nastavení UserMailRequired=K vytvoření nového uživatele potřebujete e-mail UserHideInactive=Skrýt neaktivní uživatele ze všech seznamů uživatelů (nedoporučuje se: To může znamenat, že na některých stránkách nebudete moci filtrovat nebo prohledávat staré uživatele) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Šablony dokumentů pro dokumenty generované ze záznamu uživatele GroupsDocModules=Šablony dokumentů pro dokumenty generované ze skupinového záznamu ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Skupiny LDAPContactsSynchro=Kontakty LDAPMembersSynchro=Členové LDAPMembersTypesSynchro=Typy členů -LDAPSynchronization=LDAP synchronizace +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=LDAP funkce nejsou k dispozici ve vašem PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=Uživatelské ID LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=Domovský adresář -LDAPFieldHomedirectoryExample=Příklad: domovský adresář +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=Předpona domovského adresáře LDAPSetupNotComplete=Nastavení LDAP není úplná (přejděte na záložku Ostatní) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Není k dispozici žádný administrátor nebo heslo. Přístup LDAP bude anonymní av režimu pouze pro čtení. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Modul memcached pro nalezenou mezipaměť, a MemcachedAvailableAndSetup=Modul Memcached určené k použití Memcached serveru je povoleno. OPCodeCache=Opcode mezipaměti NoOPCodeCacheFound=Žádná mezipaměť OPCode nebyla nalezena. Možná používáte jinou mezipaměť OPCode než XCache nebo eAccelerator (dobrá), nebo možná nemáte mezipaměť OPCode (velmi špatná). -HTTPCacheStaticResources=HTTP cache pro statické zdroje (css, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=Soubory typu %s jsou ukládány do mezipaměti serveru HTTP FilesOfTypeNotCached=Soubory typu %s nejsou ukládány do mezipaměti serveru HTTP FilesOfTypeCompressed=Soubory typu %s jsou zkomprimovány serveru HTTP @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Volný text na potvrzení o doručení ##### FCKeditor ##### AdvancedEditor=Rozšířené editor ActivateFCKeditor=Aktivujte pokročilý editor pro: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG tvorba/vydání pro hromadné eMailings (Nástroje-> eMailing) -FCKeditorForUserSignature=WYSIWIG vytvoření / edice uživatelského podpisu -FCKeditorForMail=Vytvoření WYSIWIG / edition pro veškerou poštu (s výjimkou Nástroje-> e-mailem) -FCKeditorForTicket=WYSIWIG tvorba / vydání pro vstupenky +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=Konfigurace modulu Sklady IfYouUsePointOfSaleCheckModule=Používáte-li standardně dodávaný modul POS (POS) nebo externí modul, může toto nastavení vaše POS modul ignorovat. Většina POS modulů je standardně navržena tak, aby okamžitě vytvořila fakturu a snížila zásobu bez ohledu na možnosti zde. Pokud tedy při registraci prodeje z vašeho POS potřebujete nebo nemáte pokles akcií, zkontrolujte také nastavení POS modulu. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Personalizované nabídky, které nejsou propojeny s NewMenu=Nová nabídka MenuHandler=Ovládání nabídek MenuModule=Zdrojový modul -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=Id nabídka DetailMenuHandler=Ovládání nabídek, kde se má zobrazit nové menu DetailMenuModule=Název modulu, pokud položky nabídky pocházejí z modulu @@ -1802,7 +1815,7 @@ DetailType=Druh nabídky (horní nebo levý) DetailTitre=Menu štítek nebo etiketa kód pro překlad DetailUrl=URL where menu send you (Relative URL link or external link with https://) DetailEnabled=Podmínka pro zobrazení nebo ne -DetailRight=Podmínka pro zobrazení neoprávněným šedé menu +DetailRight=Condition to display unauthorized gray menus DetailLangs=Lang název souboru pro překlad kódu štítek DetailUser=Interní / Externí / All Target=Cíl @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Výchozí účet použít pro příjem plateb v hotov CashDeskBankAccountForCheque=Výchozí účet slouží k přijímání plateb šekem CashDeskBankAccountForCB=Výchozí účet použít pro příjem plateb prostřednictvím kreditní karty CashDeskBankAccountForSumup=Výchozí bankovní účet, který se používá k přijímání plateb prostřednictvím SumUp -CashDeskDoNotDecreaseStock=Zakázat pokles akcií, pokud je prodej uskutečněn z prodejního místa (pokud je to "ne", u každého prodeje provedeného z POS se sníží akcie, a to bez ohledu na možnost nastavenou v modulu Akcie). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Vynutit a omezit sklad používat pro pokles zásob StockDecreaseForPointOfSaleDisabled=Snížení zásob z prodejního místa je zakázáno StockDecreaseForPointOfSaleDisabledbyBatch=Snižování zásob v POS není kompatibilní s modulem Serial / Lot management (aktuálně aktivní), takže pokles zásob je zakázán. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Zvýrazněte řádky tabulky, když pohyb myší proj HighlightLinesColor=Zvýrazněte barvu čáry, když myš přejde (použijte "ffffff"aby nebylo zvýrazněno) HighlightLinesChecked=Zvýrazněte barvu čáry, když je zaškrtnuta (pro zvýraznění použijte "ffffff") UseBorderOnTable=Show left-right borders on tables +TableLineHeight=Table line height BtnActionColor=Color of the action button TextBtnActionColor=Text color of the action button TextTitleColor=Barva textu titulku stránky @@ -1991,7 +2006,7 @@ EnterAnyCode=This field contains a reference to identify the line. Enter any val Enter0or1=Zadejte 0 nebo 1 UnicodeCurrency=Zde zadejte mezi zarážkami, seznam čísel bytu, který představuje symbol měny. Například: pro $, zadejte [36] - pro Brazílii skutečné R $ [82,36] - za €, zadejte [8364] ColorFormat=RGB barva je ve formátu HEX, např. FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=Umístění řádku do seznamů combo SellTaxRate=Sales tax rate RecuperableOnly=Ano pro DPH "Neočekávané, ale obnovitelné" určené pro některé státy ve Francii. U všech ostatních případů udržujte hodnotu "Ne". @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions @@ -2118,7 +2133,7 @@ EMailHost=Hostitel poštovního IMAP serveru EMailHostPort=Port of email IMAP server loginPassword=Login/Password oauthToken=OAuth2 token -accessType=Acces type +accessType=Access type oauthService=Oauth service TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Do not include the content of email header into th EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. EmailCollectorConfirmCollectTitle=Potvrzení sběru e-mailu EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Example collecting leads EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail @@ -2188,10 +2203,10 @@ Protanopia=Protanopie Deuteranopes=Deuteranopy Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=Tuto hodnotu může každý uživatel přepsat z jeho uživatelské stránky - záložka '%s' -DefaultCustomerType=Výchozí typ subjektu pro formulář pro vytvoření nového zákazníka +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=Poznámka: Bankovní účet musí být definován v modulu každého platebního režimu (Paypal, Stripe, ...), aby tato funkce fungovala. RootCategoryForProductsToSell=Kořenová kategorie produktů k prodeji -RootCategoryForProductsToSellDesc=Pokud jsou definovány, budou v prodejním místě k dispozici pouze produkty v této kategorii nebo děti této kategorie +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=Debug Bar DebugBarDesc=Panel nástrojů, který je dodáván s množstvím nástrojů pro zjednodušení ladění DebugBarSetup=Nastavení DebugBar @@ -2212,10 +2227,10 @@ ImportSetup=Nastavení modulu Import InstanceUniqueID=Jedinečné ID instance SmallerThan=Menší než LargerThan=Větší než -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=Pokud jste s účtem GMail povolili ověření ve 2 - dvou krocích, doporučuje se pro aplikaci vytvořit vyhrazené druhé heslo namísto použití hesla pro vlastní účet z adresy https://myaccount.google.com/. -EmailCollectorTargetDir=Po úspěšném zpracování může být žádoucí chování při přesunu e-mailu do jiné značky/adresáře. Chcete-li tuto funkci použít, stačí zadat název adresáře (NEPOUŽÍVEJTE v názvu speciální znaky). Musíte také použít přihlašovací účet pro čtení a zápis. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=Koncový bod pro %s: %s DeleteEmailCollector=Smazat sběratele e-mailu @@ -2232,12 +2247,12 @@ EmailTemplate=Šablona pro e-mail EMailsWillHaveMessageID=E-maily budou mít značku 'Reference' odpovídající této syntaxi PDF_SHOW_PROJECT=Show project on document ShowProjectLabel=Project Label -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=Pokud chcete mít ve svém PDF duplikované texty ve 2 různých jazycích ve stejném generovaném PDF, musíte zde nastavit tento druhý jazyk, takže vygenerovaný PDF bude obsahovat 2 různé jazyky na stejné stránce, jeden vybraný při generování PDF a tento ( Podporuje to jen několik šablon PDF). Uchovávejte prázdné po dobu 1 jazyka na PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Sem zadejte kód ikony FontAwesome. Pokud nevíte, co je FontAwesome, můžete použít obecnou hodnotu fa-address-book. RssNote=Poznámka: Každá definice zdroje RSS obsahuje widget, který musíte povolit, aby byl dostupný na hlavním panelu JumpToBoxes=Přejít na nastavení -> Widgety @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=You may find security advisory here ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. MailToSendEventOrganization=Organizace události MailToPartnership=Partnership AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook setup Settings = Nastavení WebhookSetupPage = Webhook setup page ShowQuickAddLink=Show a button to quickly add an element in top right menu - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Hash used for ping ReadOnlyMode=Is instance in "Read Only" mode DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Will not work with all themes NoName=No name ShowAdvancedOptions= Show advanced options HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Use a password UseOauth=Use a OAUTH token Images=Images MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=The script is empty ShowHideTheNRequests=Show/hide the %s SQL request(s) DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2403,6 +2419,24 @@ Defaultfortype=Standardní DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Doplňkové atributy (faktury šablon) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/cs_CZ/bills.lang b/htdocs/langs/cs_CZ/bills.lang index 8be64d80399..5a24f796f44 100644 --- a/htdocs/langs/cs_CZ/bills.lang +++ b/htdocs/langs/cs_CZ/bills.lang @@ -1,15 +1,15 @@ # Dolibarr language file - Source file is en_US - bills Bill=Faktura Bills=Faktury -BillsCustomers=faktury zákazníků -BillsCustomer=Faktura zákazníka -BillsSuppliers=Faktury dodavatele -BillsCustomersUnpaid=Nezaplacené faktury zákazníků -BillsCustomersUnpaidForCompany=Nezaplacené faktury zákazníků na %s -BillsSuppliersUnpaid=Neplacené faktury dodavatele -BillsSuppliersUnpaidForCompany=Neplacené faktury dodavatelů pro %s +BillsCustomers=Zákaznické faktury +BillsCustomer=Zákaznická faktura +BillsSuppliers=Dodavatelské faktury +BillsCustomersUnpaid=Nezaplacené zákaznické faktury +BillsCustomersUnpaidForCompany=Nezaplacené zákaznické faktury pro %s +BillsSuppliersUnpaid=Nezaplacené dodavatelské faktury +BillsSuppliersUnpaidForCompany=Nezaplacené dodavatelské faktury pro %s BillsLate=Opožděné platby -BillsStatistics=Statistiky faktur zákazníků +BillsStatistics=Statistiky zákaznických faktur BillsStatisticsSuppliers=Statistiky dodavatelských faktur DisabledBecauseDispatchedInBookkeeping=Zakázáno, protože faktura byla odeslána do účetnictví DisabledBecauseNotLastInvoice=Zakázáno, protože fakturu nelze vymazat. Některé faktury byly zaznamenány až po této akci a vytvoří mezery v seznamu @@ -35,7 +35,7 @@ InvoiceAvoirDesc=Dobropis je negativní faktura řešící skutečnost, invoiceAvoirWithLines=Vytvořte dobropis s řádky z původní faktury invoiceAvoirWithPaymentRestAmount=Vytvořit dobropis se zbývající neuhrazenou původní fakturou invoiceAvoirLineWithPaymentRestAmount=Dobropis na zbývající nezaplacené částky -ReplaceInvoice=Nahradit faktury %s +ReplaceInvoice=Nahradit fakturu %s ReplacementInvoice=Náhradní faktura ReplacedByInvoice=Nahrazeno faktuře %s ReplacementByInvoice=Nahrazeno faktuře @@ -52,15 +52,15 @@ PredefinedInvoices=Předdefinované faktury Invoice=Faktura PdfInvoiceTitle=Faktura Invoices=Faktury -InvoiceLine=Fakturační řádek -InvoiceCustomer=Faktura zákazníka -CustomerInvoice=Faktura zákazníka -CustomersInvoices=faktury zákazníků -SupplierInvoice=Faktura dodavatele -SuppliersInvoices=Faktury dodavatele +InvoiceLine=Řádek faktury +InvoiceCustomer=Zákaznická faktura +CustomerInvoice=Zákaznická faktura +CustomersInvoices=Zákaznické faktury +SupplierInvoice=Dodavatelská faktura +SuppliersInvoices=Dodavatelské faktury SupplierInvoiceLines=Vendor invoice lines -SupplierBill=Faktura dodavatele -SupplierBills=Faktury dodavatele +SupplierBill=Dodavatelská faktura +SupplierBills=Dodavatelské faktury Payment=Platba PaymentBack=Vrácení CustomerInvoicePaymentBack=Vrácení @@ -68,7 +68,7 @@ Payments=Platby PaymentsBack=Vrácení peněz paymentInInvoiceCurrency=v měně faktur PaidBack=Navrácené -DeletePayment=Odstranit platby +DeletePayment=Smazat platbu ConfirmDeletePayment=Jste si jisti, že chcete smazat tuto platbu? ConfirmConvertToReduc=Chcete převést tento %s na dostupný kredit? ConfirmConvertToReduc2=Částka bude uložena mezi všechny slevy a mohla by být použita jako sleva na aktuální nebo budoucí fakturu pro tohoto zákazníka. @@ -77,8 +77,8 @@ ConfirmConvertToReducSupplier2=Částka bude uložena mezi všechny slevy a mohl SupplierPayments=Platby dodavatele ReceivedPayments=Přijaté platby ReceivedCustomersPayments=Platby přijaté od zákazníků -PayedSuppliersPayments=Platby vyplácené prodejcům -ReceivedCustomersPaymentsToValid=Ověřené přijaté platby od zákazníků +PayedSuppliersPayments=Platby vyplacené dodavatelům +ReceivedCustomersPaymentsToValid=Přijaté zákaznické platby k ověření PaymentsReportsForYear=Zprávy o platbách pro %s PaymentsReports=Zprávy o platbách PaymentsAlreadyDone=Provedené platby @@ -93,8 +93,8 @@ CodePaymentMode=Payment method (code) LabelPaymentMode=Payment method (label) PaymentModeShort=Payment method PaymentTerm=Platební termín -PaymentConditions=Platební podmínky -PaymentConditionsShort=Platební podmínky +PaymentConditions=Platební termíny +PaymentConditionsShort=Platební termíny PaymentAmount=Částka platby PaymentHigherThanReminderToPay=Platba vyšší než upomínka k zaplacení HelpPaymentHigherThanReminderToPay=Pozor, částka platby jedné nebo více účtů je vyšší než neuhrazená částka.
      Upravte svůj záznam, jinak potvrďte a zvážíte vytvoření poznámky o přebytku, který jste dostali za každou přeplatku faktury. @@ -106,12 +106,12 @@ ClassifyCanceled=Klasifikace 'Opuštěné' ClassifyClosed=Klasifikace 'Uzavřeno' ClassifyUnBilled=Označit jako "Nevyfakturovaný" CreateBill=Vytvořit fakturu -CreateCreditNote=Vytvořte dobropis +CreateCreditNote=Vytvořit dobropis AddBill=Vytvořit fakturu nebo dobropis -AddToDraftInvoices=Přidat k návrhu fakturu -DeleteBill=Odstranit fakturu +AddToDraftInvoices=Přidat k návrhu faktury +DeleteBill=Smazat fakturu SearchACustomerInvoice=Hledat zákaznickou fakturu -SearchASupplierInvoice=Vyhledejte fakturu dodavatele +SearchASupplierInvoice=Hledat dodavatelskou fakturu CancelBill=Storno faktury SendRemindByMail=Poslat upozornění e-mailem DoPayment=zadat platbu @@ -124,8 +124,8 @@ EnterPaymentDueToCustomer=Provést platbu pro zákazníka DisabledBecauseRemainderToPayIsZero=Zakázáno, protože zbývající nezaplacená částka je nula PriceBase=Base price BillStatus=Stav faktury -StatusOfGeneratedInvoices=Status vygenerovaných faktur -BillStatusDraft=Návrh (musí být ověřeno) +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices +BillStatusDraft=Návrh (je třeba ověřit) BillStatusPaid=Placeno BillStatusPaidBackOrConverted=Náhrada kreditu nebo označená jako úvěr k dispozici BillStatusConverted=Placené (připravené ke spotřebě v konečné faktuře) @@ -133,8 +133,8 @@ BillStatusCanceled=Opuštěno BillStatusValidated=Ověřeno (je třeba uhradit) BillStatusStarted=Začínáme BillStatusNotPaid=Nezaplaceno -BillStatusNotRefunded=nevrací -BillStatusClosedUnpaid=Uzavřeno (neuhrazené) +BillStatusNotRefunded=Nevráceno +BillStatusClosedUnpaid=Uzavřeno (neuhrazeno) BillStatusClosedPaidPartially=Placeno (částečně) BillShortStatusDraft=Návrh BillShortStatusPaid=Placeno @@ -143,18 +143,18 @@ Refunded=Vráceno BillShortStatusConverted=Placeno BillShortStatusCanceled=Opuštěno BillShortStatusValidated=Ověřeno -BillShortStatusStarted=Začínáme +BillShortStatusStarted=Zahájeno BillShortStatusNotPaid=Nezaplaceno -BillShortStatusNotRefunded=nevrací -BillShortStatusClosedUnpaid=Zavřeno +BillShortStatusNotRefunded=Nevráceno +BillShortStatusClosedUnpaid=Uzavřeno BillShortStatusClosedPaidPartially=Placeno (částečně) -PaymentStatusToValidShort=Chcete-li ověřit +PaymentStatusToValidShort=K ověření ErrorVATIntraNotConfigured=Číslo DPH uvnitř Společenství dosud nebylo definováno ErrorNoPaiementModeConfigured=Nebyl definován žádný výchozí typ platby. Přejděte na nastavení modulu faktury. ErrorCreateBankAccount=Vytvořte bankovní účet a poté nastavte typy plateb do panelu Nastavení v modulu Faktura ErrorBillNotFound=Faktura %s neexistuje ErrorInvoiceAlreadyReplaced=Chyba, pokusili jste se ověřit fakturu nahradit fakturu %s. Ale toto bylo již nahrazeno faktorem %s. -ErrorDiscountAlreadyUsed=Chyba, sleva byla již použita +ErrorDiscountAlreadyUsed=Chyba, sleva již byla použita ErrorInvoiceAvoirMustBeNegative=Chyba, oprava faktury musí mít zápornou částku ErrorInvoiceOfThisTypeMustBePositive=Chyba, tento typ faktury musí mít částku bez daně pozitivní (nebo nulovou) ErrorCantCancelIfReplacementInvoiceNotValidated=Chyba, nelze zrušit, pokud faktura, která byla nahrazena jinou fakturu je stále ve stavu návrhu @@ -167,7 +167,7 @@ ActionsOnBill=Akce na faktuře ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Šablona / opakovaná faktura NoQualifiedRecurringInvoiceTemplateFound=Žádná opakovaná šablona faktury není způsobilá pro generování. -FoundXQualifiedRecurringInvoiceTemplate=Nalezeno %s opakující šablony fakturu (y) schválené pro generaci. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Nejedná se o opakující se šablona faktury NewBill=Nová faktura LastBills=Nejnovější %s faktury @@ -177,15 +177,15 @@ LatestSupplierTemplateInvoices=Nejnovější %sfaktury šablony prodejců LastCustomersBills=Poslední faktury %s zákazníků LastSuppliersBills=Nejnovější %s faktury prodejců AllBills=Všechny faktury -AllCustomerTemplateInvoices=Všechny šablony faktury +AllCustomerTemplateInvoices=Všechny šablony faktur OtherBills=Ostatní faktury -DraftBills=Návrhy faktury -CustomersDraftInvoices=Návrh zákaznické faktury -SuppliersDraftInvoices=Prodejní faktury +DraftBills=Návrhy faktur +CustomersDraftInvoices=Návrhy zákaznických faktur +SuppliersDraftInvoices=Návrhy dodavatelských faktur Unpaid=Nezaplaceno ErrorNoPaymentDefined=Chyba Nebyla definována žádná platba ConfirmDeleteBill=Jste si jisti, že chcete smazat tuto fakturu? -ConfirmValidateBill=Opravdu chcete tuto fakturu ověřit pomocí odkazu %s ? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Jste si jisti, že chcete změnit fakturu %s do stavu návrhu? ConfirmClassifyPaidBill=Jste si jisti, že chcete změnit fakturu %s do stavu uhrazeno? ConfirmCancelBill=Jste si jisti, že chcete zrušit fakturu %s? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Potvrzujete tento platební vstup pro %s %s? ConfirmSupplierPayment=Potvrdíte tento vstup platby pro %s %s? ConfirmValidatePayment=Jste si jisti, že chcete ověřit tuto platbu? Po ověření platby už nebudete moci provést žádnou změnu. ValidateBill=Ověřit fakturu -UnvalidateBill=Neověřit fakturu +UnvalidateBill=Invalidate invoice NumberOfBills=Počet faktur NumberOfBillsByMonth=Počet faktur za měsíc AmountOfBills=Částka faktur @@ -250,12 +250,13 @@ RemainderToTake=Zbývající částku, která se RemainderToTakeMulticurrency=Remaining amount to take, original currency RemainderToPayBack=Zbývající částku vrátit RemainderToPayBackMulticurrency=Remaining amount to refund, original currency +NegativeIfExcessReceived=negative if excess received NegativeIfExcessRefunded=negative if excess refunded +NegativeIfExcessPaid=negative if excess paid Rest=Čeká AmountExpected=Nárokovaná částka ExcessReceived=Přeplatek obdržel ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received ExcessPaid=Nadměrně zaplaceno ExcessPaidMulticurrency=Excess paid, original currency EscompteOffered=Nabídnutá sleva (platba před termínem) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Musíte nejprve vytvořit standardní fakt PDFCrabeDescription=Šablona faktury PDF Crabe. Kompletní šablona faktury (stará implementace Sponge šablony) PDFSpongeDescription=Faktura Šablona PDF Sponge. Kompletní šablona faktury PDFCrevetteDescription=Faktura PDF šablony Crevette. Kompletní fakturu šablona pro situace faktur -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Účet počínaje $syymm již existuje a není kompatibilní s tímto modelem sekvence. Vyjměte ji nebo přejmenujte jej aktivací tohoto modulu. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Důvod předčasného uzavření EarlyClosingComment=Předčasná závěrečná poznámka ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Platy +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Mzda +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/cs_CZ/cashdesk.lang b/htdocs/langs/cs_CZ/cashdesk.lang index ce343dff178..4dac1b72852 100644 --- a/htdocs/langs/cs_CZ/cashdesk.lang +++ b/htdocs/langs/cs_CZ/cashdesk.lang @@ -48,16 +48,16 @@ Receipt=Příjem Header=Záhlaví Footer=Zápatí AmountAtEndOfPeriod=Částka na konci období (den, měsíc nebo rok) -TheoricalAmount=Teoretická částka +TheoricalAmount=Theoretical amount RealAmount=Skutečná částka -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period +CashFence=Cash box closing +CashFenceDone=Cash box closing done for the period NbOfInvoices=Některé z faktur Paymentnumpad=Zadejte Pad pro vložení platby Numberspad=Numbers Pad BillsCoinsPad=Mince a bankovky Pad DolistorePosCategory=Moduly TakePOS a další POS řešení pro Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Výchozí účet, který se má použít pro platby v účtu @@ -76,7 +76,7 @@ TerminalSelect=Vyberte terminál, který chcete použít: POSTicket=POS Vstupenka POSTerminal=POS terminál POSModule=POS modul -BasicPhoneLayout=Použít základní rozvržení pro telefony +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Nastavení terminálu %s není dokončeno DirectPayment=Přímá platba DirectPaymentButton=Add a "Direct cash payment" button @@ -92,18 +92,18 @@ HeadBar=Hlavní lišta SortProductField=Pole pro třídění produktů Browser=Prohlížeč BrowserMethodDescription=Jednoduchý a snadný tisk účtenek. Pouze několik parametrů pro konfiguraci příjmu. Tisk přes prohlížeč. -TakeposConnectorMethodDescription=Externí modul s extra funkcemi. Možnost tisku z cloudu. +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=Metoda tisku ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=Terminálem TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Modul číslování pro prodej POS CashDeskGenericMaskCodes6 =
      {TN} se používá k přidání čísla terminálu -TakeposGroupSameProduct=Seskupte stejné produktové řady +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Zahajte nový paralelní prodej SaleStartedAt=Sale started at %s -ControlCashOpening=Open the "Control cash" popup when opening the POS -CloseCashFence=Close cash desk control +ControlCashOpening=Open the "Control cash box" popup when opening the POS +CloseCashFence=Close cash box control CashReport=Hotovostní zpráva MainPrinterToUse=Hlavní tiskárna k použití OrderPrinterToUse=Objednejte tiskárnu k použití @@ -118,7 +118,7 @@ ScanToOrder=Naskenujte QR kód Appearance=Vzhled HideCategoryImages=Skrýt obrázky kategorií HideProductImages=Skrýt obrázky produktů -NumberOfLinesToShow=Počet řádků obrázků k zobrazení +NumberOfLinesToShow=Maximum number of lines of text to show on thumb images DefineTablePlan=Definujte plán tabulek GiftReceiptButton=Add a "Gift receipt" button GiftReceipt=Gift receipt @@ -134,3 +134,22 @@ PrintWithoutDetailsButton=Add "Print without details" button PrintWithoutDetailsLabelDefault=Line label by default on printing without details PrintWithoutDetails=Print without details YearNotDefined=Year is not defined +TakeposBarcodeRuleToInsertProduct=Barcode rule to insert product +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Already printed +HideCategories=Hide the whole section of categories selection +HideStockOnLine=Hide stock on line +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Show reference or label of products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Terminal %s +TerminalNameDesc=Terminal name +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/cs_CZ/categories.lang b/htdocs/langs/cs_CZ/categories.lang index 806371a14d4..34191fca022 100644 --- a/htdocs/langs/cs_CZ/categories.lang +++ b/htdocs/langs/cs_CZ/categories.lang @@ -102,4 +102,5 @@ ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories KnowledgemanagementsCategoriesArea=KM article Categories UseOrOperatorForCategories=Use 'OR' operator for categories -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Assign to the category +Position=Pozice diff --git a/htdocs/langs/cs_CZ/oauth.lang b/htdocs/langs/cs_CZ/oauth.lang index 07ffdd493ac..7b7b90a9ec7 100644 --- a/htdocs/langs/cs_CZ/oauth.lang +++ b/htdocs/langs/cs_CZ/oauth.lang @@ -9,9 +9,11 @@ HasAccessToken=Token byl generován a uložen do lokální databáze NewTokenStored=Token přijat a uložen ToCheckDeleteTokenOnProvider=Klikněte zde pro kontrolu / odstranění oprávnění uloženého zprostředkovatelem %s OAuth TokenDeleted=Token byl smazán +GetAccess=Click here to get a token RequestAccess=Click here to request/renew access and receive a new token -DeleteAccess=Klikněte zde pro smazání tokenu -UseTheFollowingUrlAsRedirectURI=Při vytváření pověření u poskytovatele OAuth použijte následující adresu URL jako URI přesměrování: +DeleteAccess=Click here to delete the token +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens SeePreviousTab=Viz předchozí tabulka @@ -30,7 +32,11 @@ OAUTH_GITHUB_SECRET=OAuth GitHub Secret OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live -OAUTH_ID=OAuth ID +OAUTH_ID=OAuth Client ID OAUTH_SECRET=OAuth secret +OAUTH_TENANT=OAuth tenant OAuthProviderAdded=OAuth provider added AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists +URLOfServiceForAuthorization=URL provided by OAuth service for authentication +Scopes=Permissions (Scopes) +ScopeUndefined=Permissions (Scopes) undefined (see previous tab) diff --git a/htdocs/langs/cs_CZ/products.lang b/htdocs/langs/cs_CZ/products.lang index ebecb50fdfc..73de3d3167f 100644 --- a/htdocs/langs/cs_CZ/products.lang +++ b/htdocs/langs/cs_CZ/products.lang @@ -80,8 +80,11 @@ SoldAmount=Prodat množství PurchasedAmount=Zakoupená částka NewPrice=Nová cena MinPrice=Min. selling price +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Minimální prodejní cena (vč. daně) EditSellingPriceLabel=Upravte štítek prodejní ceny -CantBeLessThanMinPrice=Prodejní cena nesmí být nižší než minimální povolená pro tento produkt (%s bez daně). Toto hlášení se může také zobrazí, pokud zadáte příliš důležitou slevu. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Zavřeno ErrorProductAlreadyExists=Výrobek s referenčním %s již existuje. ErrorProductBadRefOrLabel=Chybná hodnota pro reference nebo etikety. @@ -347,16 +350,17 @@ UseProductFournDesc=Add a feature to define the product description defined by t ProductSupplierDescription=Popis dodavatele produktu UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=You will automaticaly purchase a multiple of this quantity. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=Množství linky bylo přepočítáno podle obalu dodavatele #Attributes +Attributes=Atributy VariantAttributes=Atributy variant ProductAttributes=Atributy variant pro produkty ProductAttributeName=Atribut varianty %s ProductAttribute=Atribut varianty ProductAttributeDeleteDialog=Opravdu chcete tento atribut smazat? Všechny hodnoty budou smazány -ProductAttributeValueDeleteDialog=Opravdu chcete smazat hodnotu "%s" s odkazem na "%s" tohoto atributu? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Opravdu chcete smazat variantu produktu " %s "? ProductCombinationAlreadyUsed=Při mazání varianty došlo k chybě. Zkontrolujte, zda není používán v žádném objektu ProductCombinations=Varianty @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Při pokusu o odstranění existujících variant NbOfDifferentValues=Počet různých hodnot NbProducts=Počet produktů ParentProduct=Nadřazený produkt +ParentProductOfVariant=Parent product of variant HideChildProducts=Skrýt varianty produktů ShowChildProducts=Zobrazit variantní produkty NoEditVariants=Přejděte na kartě Rodičovská karta a upravte dopad variant varianta na kartě Varianty @@ -417,7 +422,7 @@ ErrorsProductsMerge=Errors in products merge SwitchOnSaleStatus=Switch on sale status SwitchOnPurchaseStatus=Switch on purchase status UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Extra Fields (stock mouvement) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Extra Fields (inventory) ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes PuttingPricesUpToDate=Update prices with current known prices @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Select the extrafield you want modify ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? ModifyValueExtrafields = Modify value of an extrafield OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/cs_CZ/projects.lang b/htdocs/langs/cs_CZ/projects.lang index 1d631bb6343..358143936ac 100644 --- a/htdocs/langs/cs_CZ/projects.lang +++ b/htdocs/langs/cs_CZ/projects.lang @@ -33,6 +33,7 @@ DeleteATask=Odstranit úkol ConfirmDeleteAProject=Opravdu chcete tento projekt smazat? ConfirmDeleteATask=Jste si jisti, že chcete smazat tento úkol? OpenedProjects=otevřené projekty +OpenedProjectsOpportunities=Open opportunities OpenedTasks=otevřené úkoly OpportunitiesStatusForOpenedProjects=Počet otevřených projektů podle stavu OpportunitiesStatusForProjects=Počet projektů podle stavu @@ -44,10 +45,11 @@ OutOfProject=Out of project NoProject=Žádný projekt nedefinován či vlastněn NbOfProjects=Počet projektů NbOfTasks=Počet úkolů +TimeEntry=Time tracking TimeSpent=Strávený čas +TimeSpentSmall=Strávený čas TimeSpentByYou=Váš strávený čas TimeSpentByUser=Čas strávený uživatelem -TimesSpent=Strávený čas TaskId=ID úlohy RefTask=Číslo. úkolu LabelTask=Štítek úlohy @@ -81,7 +83,7 @@ MyProjectsArea=Moje projekty Oblast DurationEffective=Efektivní doba trvání ProgressDeclared=Declared real progress TaskProgressSummary=Průběh úkolu -CurentlyOpenedTasks=Aktuálně otevřené úkoly +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption ProgressCalculated=Progress on consumption @@ -121,7 +123,7 @@ TaskHasChild=Úloha má podpoložku NotOwnerOfProject=Není vlastníkem privátního projektu AffectedTo=Přiděleno CantRemoveProject=Tento projekt nelze odstranit, protože na něj odkazují některé jiné objekty (faktura, objednávky nebo jiné). Viz karta '%s'. -ValidateProject=Ověřit projekt +ValidateProject=Validate project ConfirmValidateProject=Opravdu chcete tento projekt ověřit? CloseAProject=Zavřít projekt ConfirmCloseAProject=Jste si jisti, že chcete ukončit tento projekt? @@ -202,7 +204,7 @@ InputPerMonth=Vstup za měsíc InputDetail=Vstupní detail TimeAlreadyRecorded=Toto je čas strávený již zaznamenaný pro tento úkol / den a uživatel %s ProjectsWithThisUserAsContact=Projekty s tímto uživatelem jako kontakt -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=Projects with this third-party contact TasksWithThisUserAsContact=Úkoly přidělené tomuto uživateli ResourceNotAssignedToProject=Není přiřazen k projektu ResourceNotAssignedToTheTask=Není přiřazen k úkolu @@ -225,7 +227,7 @@ ProjectsStatistics=Statistics on projects or leads TasksStatistics=Statistics on tasks of projects or leads TaskAssignedToEnterTime=Úkol přidělen. Zadání času na tomto úkolu by mělo být možné. IdTaskTime=Čas úlohy Id -YouCanCompleteRef=Chcete-li doplnit odkaz nějakou příponou, doporučujeme přidat znak - aby se oddělil, takže automatické číslování bude fungovat správně pro další projekty. Například %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Otevření projektů subjekty OnlyOpportunitiesShort=pouze příležitosti OpenedOpportunitiesShort=otevřené příležitosti @@ -237,7 +239,7 @@ OpportunityPonderatedAmountDesc=Výše vážené hodnoty s pravděpodobností OppStatusPROSP=Prospektiva OppStatusQUAL=Kvalifikace OppStatusPROPO=Nabídka -OppStatusNEGO=vyjednávání +OppStatusNEGO=Negotiation OppStatusPENDING=Čeká OppStatusWON=Vyhrál OppStatusLOST=Ztracený @@ -259,6 +261,7 @@ RecordsClosed=%s projekty byly uzavřeny SendProjectRef=Informační projekt %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Modul "Platy" musí být povolen tak, aby definoval hodinovou sazbu pro zaměstnance, aby získal čas strávený valorizací NewTaskRefSuggested=Referenční úloha již byla použita, je vyžadován nový úkol ref +NumberOfTasksCloned=%s task(s) cloned TimeSpentInvoiced=Čas strávený účtováním TimeSpentForIntervention=Strávený čas TimeSpentForInvoice=Strávený čas diff --git a/htdocs/langs/cs_CZ/propal.lang b/htdocs/langs/cs_CZ/propal.lang index e100ebcd17c..717948fdf52 100644 --- a/htdocs/langs/cs_CZ/propal.lang +++ b/htdocs/langs/cs_CZ/propal.lang @@ -12,9 +12,11 @@ NewPropal=Nová nabídka Prospect=Cíl DeleteProp=Smazat obchodní nabídku ValidateProp=Ověřit obchodní nabídku +CancelPropal=Zrušit AddProp=Vytvořit nabídku ConfirmDeleteProp=Opravdu chcete smazat tento komerční návrh? ConfirmValidateProp=Opravdu chcete ověřit tento komerční návrh pod názvem %s ? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Nejnovější %s návrhy LastModifiedProposals=Poslední modifikované návrhy %s AllPropals=Všechny nabídky @@ -27,11 +29,13 @@ NbOfProposals=Počet obchodních nabídek ShowPropal=Zobrazit nabídku PropalsDraft=Návrhy PropalsOpened=Otevřeno +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Návrh (musí být ověřen) PropalStatusValidated=Ověřeno (návrh je otevřen) PropalStatusSigned=Podpis (potřeba fakturace) PropalStatusNotSigned=Nejste přihlášen (uzavřený) PropalStatusBilled=Účtováno +PropalStatusCanceledShort=Zrušený PropalStatusDraftShort=Návrh PropalStatusValidatedShort=Ověřeno (otevřeno) PropalStatusClosedShort=Zavřeno @@ -55,6 +59,7 @@ CopyPropalFrom=Vytvořit obchodní nabídku zkopírováním existující nabídk CreateEmptyPropal=Vytvoření prázdného komerčního návrhu nebo ze seznamu produktů / služeb DefaultProposalDurationValidity=Doba platnosti výchozí obchodní nabídky (ve dnech) DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal UseCustomerContactAsPropalRecipientIfExist=Použijte kontakt / adresu s typem "Návrh na další kontakt", pokud je definována namísto adresy subjektu jako adresy příjemce návrhu ConfirmClonePropal=Jste si jisti, že chcete kopírovat obchodní nabídku %s ? ConfirmReOpenProp=Jste si jisti, že chcete otevřít zpět obchodní nabídku %s ? @@ -113,6 +118,7 @@ RefusePropal=Refuse proposal Sign=Sign SignContract=Sign contract SignFichinter=Sign intervention +SignSociete_rib=Sign mandate SignPropal=Accept proposal Signed=signed SignedOnly=Podepsáno pouze diff --git a/htdocs/langs/cs_CZ/receptions.lang b/htdocs/langs/cs_CZ/receptions.lang index 6cc7811cc2f..53c7af15a4b 100644 --- a/htdocs/langs/cs_CZ/receptions.lang +++ b/htdocs/langs/cs_CZ/receptions.lang @@ -32,10 +32,11 @@ StatusReceptionDraftShort=Návrh StatusReceptionValidatedShort=Ověřeno StatusReceptionProcessedShort=Zpracované ReceptionSheet=Přijímací list +ValidateReception=Validate reception ConfirmDeleteReception=Opravdu chcete tento příjem smazat? -ConfirmValidateReception=Opravdu chcete tento příjem ověřit pomocí odkazu %s? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Opravdu chcete tento příjem zrušit? -StatsOnReceptionsOnlyValidated=Statistiky prováděné na recepcích byly ověřeny pouze. Datum použití je datum validace příjmu (plánované datum dodání není vždy známo). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Poslat recepci e-mailem SendReceptionRef=Předložení příjmu %s ActionsOnReception=Události na recepci @@ -48,7 +49,10 @@ ReceptionsNumberingModules=Modul číslování pro recepce ReceptionsReceiptModel=Šablony dokumentů pro recepce NoMorePredefinedProductToDispatch=Žádné další předdefinované produkty k odeslání ReceptionExist=A reception exists -ByingPrice=Bying price ReceptionBackToDraftInDolibarr=Reception %s back to draft ReceptionClassifyClosedInDolibarr=Reception %s classified Closed ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/cs_CZ/sendings.lang b/htdocs/langs/cs_CZ/sendings.lang index eaa2cad032e..fce24ca6fdc 100644 --- a/htdocs/langs/cs_CZ/sendings.lang +++ b/htdocs/langs/cs_CZ/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Ověřené StatusSendingProcessedShort=Zpracované SendingSheet=Zásilkový list ConfirmDeleteSending=Opravdu chcete tuto zásilku smazat? -ConfirmValidateSending=Opravdu chcete tuto zásilku ověřit odkazem %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Opravdu chcete tuto zásilku zrušit? DocumentModelMerou=Merou A5 modelu WarningNoQtyLeftToSend=Varování: žádné zboží nečeká na dopravu @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Množství produktu z již přijat NoProductToShipFoundIntoStock=Na skladě nebyl nalezen žádný produkt k dopravě %s . Opravte zásoby nebo se vraťte k výběru jiného skladu. WeightVolShort=Hmotnost / objem ValidateOrderFirstBeforeShipment=Nejprve musíte potvrdit objednávku před tím, než budete moci uskutečnit zásilky. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Součet hmotnosti produktů # warehouse details DetailWarehouseNumber= Detaily skladu DetailWarehouseFormat= W:%s (Množství : %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/cs_CZ/withdrawals.lang b/htdocs/langs/cs_CZ/withdrawals.lang index 0ad636b0163..2bd90e74a91 100644 --- a/htdocs/langs/cs_CZ/withdrawals.lang +++ b/htdocs/langs/cs_CZ/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Proveďte žádost o převod WithdrawRequestsDone=%s zaznamenané žádosti o inkaso BankTransferRequestsDone=%s credit transfer requests recorded ThirdPartyBankCode=Kód banky subjektu -NoInvoiceCouldBeWithdrawed=Žádná faktura nebyla odepsána úspěšně. Zkontrolujte, zda jsou faktury u společností s platným IBAN a zda má IBAN UMR (Unique Mandate Reference) s režimem %s . +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. ClassCredited=Označit přidání kreditu ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Opravdu chcete zadat odmítnutí výběru společnosti RefusedData=Datum odmítnutí RefusedReason=Důvod odmítnutí RefusedInvoicing=Fakturace odmítnutí -NoInvoiceRefused=Neúčtovat odmítnutí -InvoiceRefused=Faktura odmítnuta (Účtujte odmítnutí k zákazníkovi) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Stav debetní / kreditní StatusWaiting=Čekání StatusTrans=odesláno @@ -103,7 +106,7 @@ ShowWithdraw=Zobrazit příkaz k inkasu IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Pokud však na faktuře dosud nebyl zpracován alespoň jeden příkaz k inkasu, nebude nastavena jako zaplacená, aby bylo možné provést předchozí výběr. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Debit order file @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Povinné datum podpisu RUMLong=Unikátní odkaz na mandát RUMWillBeGenerated=Pokud je prázdná, po uložení informací o bankovním účtu se vytvoří UMR (jedinečný mandátový odkaz). -WithdrawMode=Režim přímé inkaso (FRST nebo opakovat) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Množství přání inkasa BankTransferAmount=Částka žádosti o převod: WithdrawRequestErrorNilAmount=Nelze vytvořit inkasa Žádost o prázdnou hodnotu. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Vaše banka Název účtu (IBAN) SEPAFormYourBIC=Váš identifikační kód banky (BIC) SEPAFrstOrRecur=Způsob platby ModeRECUR=Opakovaná platba +ModeRCUR=Opakovaná platba ModeFRST=Jednorázová platba PleaseCheckOne=Zkontrolujte prosím pouze jednu CreditTransferOrderCreated=Credit transfer order %s created @@ -155,9 +159,16 @@ InfoTransData=Částka: %s
      Metoda: %s
      Datum: %s InfoRejectSubject=Příkaz k inkasu odmítnut InfoRejectMessage=Dobrý den,

      příkaz k inkasu faktury %s týkající se společnosti %s, částkou %s, byla bankou odmítnuta.

      -
      %s ModeWarning=Volba pro reálný režim nebyl nastaven, můžeme zastavit tuto simulaci -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Missing ICS in Bank account %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Mzda +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/cs_CZ/workflow.lang b/htdocs/langs/cs_CZ/workflow.lang index df5523148a6..cb53a054883 100644 --- a/htdocs/langs/cs_CZ/workflow.lang +++ b/htdocs/langs/cs_CZ/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automaticky vytvoří zákaznickou fakt descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automaticky vytvořit zákaznickou fakturu po uzavření prodejní objednávky (nová faktura bude mít stejnou částku jako objednávka) descWORKFLOW_TICKET_CREATE_INTERVENTION=On ticket creation, automatically create an intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Zařadit návrh propojeného zdroje jako fakturovaný, když je objednávka prodeje nastavena na fakturaci (a pokud je výše objednávky shodná s celkovou částkou podepsaného propojeného návrhu) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Zařadit návrh propojeného zdroje jako fakturovaný při potvrzení faktury zákazníka (a pokud je částka faktury shodná s celkovou částkou podepsaného propojeného návrhu) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Zařadit propojenou prodejní objednávku jako fakturovanou při ověření faktury zákazníka (a pokud je částka faktury shodná s celkovou částkou propojené objednávky) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Zařadit propojenou prodejní objednávku jako fakturovanou, když je zákaznická faktura nastavena jako zaplacená (a pokud je částka faktury shodná s celkovou částkou propojené objednávky) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Klasifikujte propojenou prodejní objednávku dodávanou při ověření zásilky (a pokud je množství odeslané všemi zásilkami stejné jako v aktualizovaném pořadí) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classify linked source sales order as shipped when a shipment is closed (and if the quantity shipped by all shipments is the same as in the order to update) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Označte návrh dodavatele propojeného zdroje jako fakturovaný při validaci dodavatele (a pokud je částka faktury shodná s celkovou částkou propojeného návrhu) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Zařadit propojenou objednávku zdroje jako fakturovanou fakturaci dodavatele (a pokud je částka faktury shodná s celkovou částkou propojené objednávky) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classify linked source purchase order as received when a reception is validated (and if the quantity received by all receptions is the same as in the purchase order to update) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classify linked source purchase order as received when a reception is closed (and if the quantity received by all rceptions is the same as in the purchase order to update) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link available contracts of matching thirdparty +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=When linking contracts, search among those of parents companies # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Když je lístek uzavřen, ukončete všechny zásahy spojené s lístkem AutomaticCreation=Automatická tvorba AutomaticClassification=Automatická klasifikace -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Automatic closing AutomaticLinking=Automatic linking diff --git a/htdocs/langs/cy_GB/accountancy.lang b/htdocs/langs/cy_GB/accountancy.lang index 450afa974ba..5f204a40910 100644 --- a/htdocs/langs/cy_GB/accountancy.lang +++ b/htdocs/langs/cy_GB/accountancy.lang @@ -16,8 +16,8 @@ ThisService=Y gwasanaeth hwn ThisProduct=Mae'r cynnyrch hwn DefaultForService=Default for services DefaultForProduct=Default for products -ProductForThisThirdparty=Cynnyrch ar gyfer y trydydd parti hwn -ServiceForThisThirdparty=Gwasanaeth ar gyfer y trydydd parti hwn +ProductForThisThirdparty=Product for this third party +ServiceForThisThirdparty=Service for this third party CantSuggest=Methu awgrymu AccountancySetupDoneFromAccountancyMenu=Mae'r rhan fwyaf o sefydlu'r cyfrifyddiaeth yn cael ei wneud o'r ddewislen %s ConfigAccountingExpert=Ffurfwedd cyfrifo'r modiwl (cofnod dwbl) @@ -38,7 +38,7 @@ DeleteCptCategory=Dileu cyfrif cyfrifo o'r grŵp ConfirmDeleteCptCategory=Ydych chi'n siŵr eich bod am ddileu'r cyfrif cyfrifyddu hwn o'r grŵp cyfrifon cyfrifyddu? JournalizationInLedgerStatus=Statws newyddiaduraeth AlreadyInGeneralLedger=Eisoes wedi'i drosglwyddo i gyfnodolion cyfrifyddu a chyfriflyfr -NotYetInGeneralLedger=Heb ei drosglwyddo eto i gyfnodolion accouting a chyfriflyfr +NotYetInGeneralLedger=Not yet transferred to accounting journals and ledger GroupIsEmptyCheckSetup=Mae'r grŵp yn wag, gwiriwch setup y grŵp cyfrifo personol DetailByAccount=Dangos manylion fesul cyfrif DetailBy=Detail by @@ -53,15 +53,13 @@ ExportAccountingSourceDocHelp=With this tool, you can search and export the sour ExportAccountingSourceDocHelp2=I allforio eich dyddlyfrau, defnyddiwch y cofnod dewislen %s - %s. ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported, click on the button above. VueByAccountAccounting=Gweld yn ôl cyfrif cyfrifeg VueBySubAccountAccounting=Gweld trwy isgyfrif cyfrifo MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup @@ -70,13 +68,14 @@ UserAccountNotDefined=Accounting account for user not defined in setup AccountancyArea=Maes cyfrifo AccountancyAreaDescIntro=Gwneir defnydd o'r modiwl cyfrifeg mewn sawl cam: AccountancyAreaDescActionOnce=Mae'r camau gweithredu canlynol fel arfer yn cael eu cyflawni unwaith yn unig, neu unwaith y flwyddyn ... -AccountancyAreaDescActionOnceBis=Dylid cymryd y camau nesaf i arbed amser i chi yn y dyfodol trwy awgrymu'r cyfrif cyfrifo rhagosodedig cywir yn awtomatig wrth drosglwyddo data mewn cyfrifeg +AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automatically the correct default accounting account when transferring data in accounting AccountancyAreaDescActionFreq=Mae'r camau gweithredu canlynol fel arfer yn cael eu gweithredu bob mis, wythnos neu ddiwrnod ar gyfer cwmnïau mawr iawn ... AccountancyAreaDescJournalSetup=CAM %s: Gwiriwch gynnwys eich rhestr dyddlyfr o'r ddewislen %s AccountancyAreaDescChartModel=CAM %s: Gwiriwch fod model o siart cyfrif yn bodoli neu crëwch un o'r ddewislen %s AccountancyAreaDescChart=CAM %s: Dewiswch a|neu cwblhewch eich siart cyfrif o'r ddewislen %s +AccountancyAreaDescFiscalPeriod=STEP %s: Define a fiscal year by default on which to integrate your accounting entries. For this, use the menu entry %s. AccountancyAreaDescVat=CAM %s: Diffinio cyfrifon cyfrifo ar gyfer pob Cyfradd TAW. Ar gyfer hyn, defnyddiwch y cofnod dewislen %s. AccountancyAreaDescDefault=CAM %s: Diffinio cyfrifon cyfrifo rhagosodedig. Ar gyfer hyn, defnyddiwch y cofnod dewislen %s. AccountancyAreaDescExpenseReport=CAM %s: Diffinio cyfrifon cyfrifo rhagosodedig ar gyfer pob math o adroddiad Treuliau. Ar gyfer hyn, defnyddiwch y cofnod dewislen %s. @@ -84,7 +83,7 @@ AccountancyAreaDescSal=CAM %s: Diffinio cyfrifon cyfrifo rhagosodedig ar gyfer t AccountancyAreaDescContrib=CAM %s: Diffinio cyfrifon cyfrifo rhagosodedig ar gyfer Trethi (treuliau arbennig). Ar gyfer hyn, defnyddiwch y cofnod dewislen %s. AccountancyAreaDescDonation=CAM %s: Diffinio cyfrifon cyfrifo rhagosodedig ar gyfer rhoddion. Ar gyfer hyn, defnyddiwch y cofnod dewislen %s. AccountancyAreaDescSubscription=CAM %s: Diffinio cyfrifon cyfrifo rhagosodedig ar gyfer tanysgrifiad aelodau. Ar gyfer hyn, defnyddiwch y cofnod dewislen %s. -AccountancyAreaDescMisc=STEP %s: Diffinio cyfrif rhagosodedig gorfodol a chyfrifon cyfrifyddu diofyn ar gyfer trafodion amrywiol. Ar gyfer hyn, defnyddiwch y cofnod dewislen %s. +AccountancyAreaDescMisc=STEP %s: Define mandatory default accounts and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. AccountancyAreaDescLoan=CAM %s: Diffinio cyfrifon cyfrifo rhagosodedig ar gyfer benthyciadau. Ar gyfer hyn, defnyddiwch y cofnod dewislen %s. AccountancyAreaDescBank=CAM %s: Diffinio cyfrifon cyfrifyddu a chod dyddlyfr ar gyfer pob cyfrif banc ac ariannol. Ar gyfer hyn, defnyddiwch y cofnod dewislen %s. AccountancyAreaDescProd=CAM %s: Diffinio cyfrifon cyfrifyddu ar eich Cynhyrchion/Gwasanaethau. Ar gyfer hyn, defnyddiwch y cofnod dewislen %s. @@ -95,6 +94,7 @@ AccountancyAreaDescAnalyze=CAM %s: Ychwanegu neu olygu trafodion presennol a chy AccountancyAreaDescClosePeriod=CAM %s: Cyfnod cau fel na allwn wneud addasiad yn y dyfodol. +TheFiscalPeriodIsNotDefined=A mandatory step in setup has not been completed (Fiscal period is not defined) TheJournalCodeIsNotDefinedOnSomeBankAccount=Nid yw cam gosod gorfodol wedi'i gwblhau (dyddlyfr cod cyfrifeg heb ei ddiffinio ar gyfer pob cyfrif banc) Selectchartofaccounts=Dewiswch siart gweithredol o gyfrifon ChangeAndLoad=Newid a llwytho @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Caniatáu i reoli nifer gwahanol o sero ar ddiwedd cyfrif BANK_DISABLE_DIRECT_INPUT=Analluogi cofnodi trafodion yn uniongyrchol yn y cyfrif banc ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Galluogi allforio drafft ar y dyddlyfr ACCOUNTANCY_COMBO_FOR_AUX=Galluogi rhestr combo ar gyfer cyfrif atodol (gall fod yn araf os oes gennych lawer o drydydd parti, torri'r gallu i chwilio ar ran o werth) -ACCOUNTING_DATE_START_BINDING=Diffinio dyddiad i ddechrau rhwymo a throsglwyddo mewn cyfrifyddiaeth. O dan y dyddiad hwn, ni fydd y trafodion yn cael eu trosglwyddo i gyfrifeg. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_DATE_START_BINDING=Disable binding & transfer in accountancy when date is below this date (the transactions before this date will be excluded by default) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On the page to transfer data into accountancy, what is the period selected by default ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Cylchgrawn cymdeithasol ACCOUNTING_RESULT_PROFIT=Cyfrif cyfrifo canlyniad (Elw) ACCOUNTING_RESULT_LOSS=Cyfrif cyfrifo canlyniad (Colled) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Dyddiadur cau +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Accounting groups used for the balance sheet account (separate by comma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Accounting groups used for the income statement (separate by comma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers TransitionalAccount=Cyfrif trosglwyddo banc trosiannol @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Consult here the list of the lines of invoices customers DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transferred in accountancy are visible) DescVentilDoneSupplier=Ymgynghorwch yma â'r rhestr o linellau anfonebau gwerthwyr a'u cyfrif cyfrifyddu DescVentilTodoExpenseReport=Rhwymo llinellau adroddiad treuliau nad ydynt eisoes wedi'u rhwymo â chyfrif cyfrifo ffioedd DescVentilExpenseReport=Ymgynghorwch yma â'r rhestr o linellau adrodd ar dreuliau sydd wedi'u rhwymo (neu ddim) i gyfrif cyfrifyddu ffioedd @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=Os ydych chi'n gosod cyfrif cyfrifyddu ar y math o l DescVentilDoneExpenseReport=Ymgynghorwch yma â'r rhestr o linellau adroddiadau treuliau a'u cyfrif cyfrifo ffioedd Closure=Cau blynyddol -DescClosure=Consult here the number of movements by month not yet validated & locked +AccountancyClosureStep1Desc=Consult here the number of movements by month not yet validated & locked OverviewOfMovementsNotValidated=Overview of movements not validated and locked AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked @@ -341,7 +343,7 @@ AccountingJournalType3=Pryniannau AccountingJournalType4=Banc AccountingJournalType5=Expense reports AccountingJournalType8=Stocrestr -AccountingJournalType9=Wedi-newydd +AccountingJournalType9=Retained earnings GenerationOfAccountingEntries=Generation of accounting entries ErrorAccountingJournalIsAlreadyUse=Mae'r cyfnodolyn hwn eisoes yn cael ei ddefnyddio AccountingAccountForSalesTaxAreDefinedInto=Nodyn: Diffinnir cyfrif cyfrifo ar gyfer treth Gwerthiant yn y ddewislen %s - %s a09a4b73zf @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Analluogi rhwymo a throsglwyddo cyfrifyd ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Analluogi rhwymo a throsglwyddo cyfrifon ar adroddiadau treuliau (ni fydd adroddiadau gwariant yn cael eu hystyried wrth gyfrifo) ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. +EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigorous accounting management. ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not chosen by the end user +ACCOUNTING_LETTERING_NBLETTERS=Number of letters when generating lettering code (default 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Some accounting software only accepts a two-letter code. This parameter allows you to set this aspect. The default number of letters is three. OptionsAdvanced=Advanced options ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transferred into accountancy differently: A additional debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. ## Export NotExportLettering=Do not export the lettering when generating the file @@ -420,7 +424,7 @@ SaleLocal=Gwerthiant lleol SaleExport=Gwerthu allforio SaleEEC=Gwerthu yn EEC SaleEECWithVAT=Gwerthiant mewn EEC gyda TAW nid nwl, felly mae'n debyg NID yw hwn yn werthiant mewngymunedol a'r cyfrif a awgrymir yw'r cyfrif cynnyrch safonol. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of third party is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the third party, or change the product account suggested for binding if needed. ForbiddenTransactionAlreadyExported=Wedi'i wahardd: Mae'r trafodiad wedi'i ddilysu a/neu ei allforio. ForbiddenTransactionAlreadyValidated=Wedi'i wahardd: Mae'r trafodiad wedi'i ddilysu. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=No unreconcile modified AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock movements +AccountancyClosureStep2=Step 2 : Close fiscal period +AccountancyClosureStep3=Step 3 : Extract entries (Optional) +AccountancyClosureClose=Close fiscal period +AccountancyClosureAccountingReversal=Extract and record "Retained earnings" entries +AccountancyClosureStep3NewFiscalPeriod=Next fiscal period +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "Retained earnings" entries on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "Retained earnings" entries, detail the sub-ledger accounts +AccountancyClosureCloseSuccessfully=Fiscal period has been closed successfully +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping entries for "Retained earnings" has been inserted successfully + ## Confirm box ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? ConfirmMassDeleteBookkeepingWriting=Bulk Delete confirmation ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +AccountancyClosureConfirmClose=Are you sure you want to close the current fiscal period ? You understand that closing the fiscal period is an irreversible action and will permanently block any modification or deletion of entries over this period. +AccountancyClosureConfirmAccountingReversal=Are you sure you want to record entries for the "Retained earnings" ? ## Error SomeMandatoryStepsOfSetupWereNotDone=Ni wnaethpwyd rhai camau gosod gorfodol, cwblhewch nhw -ErrorNoAccountingCategoryForThisCountry=Dim grŵp cyfrif cyfrifo ar gael ar gyfer y wlad %s (Gweler Cartref - Gosod - Geiriaduron) +ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Rydych chi'n ceisio newyddiadura rhai llinellau o'r anfoneb %s , ond nid yw rhai llinellau eraill wedi'u cyfyngu i'r cyfrif cyfrifyddu eto. Gwrthodir dyddiaduroli pob llinell anfoneb ar gyfer yr anfoneb hon. ErrorInvoiceContainsLinesNotYetBoundedShort=Nid yw rhai llinellau ar anfoneb wedi'u rhwymo i'r cyfrif cyfrifyddu. ExportNotSupported=Nid yw'r fformat allforio a osodwyd yn cael ei gefnogi i'r dudalen hon @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s ErrorAccountNumberAlreadyExists=The accounting number %s already exists ErrorArchiveAddFile=Can't put "%s" file in archive +ErrorNoFiscalPeriodActiveFound=No active fiscal period found +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=The bookkeeping doc date is not inside the active fiscal period +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=The bookkeeping doc date is inside a closed fiscal period ## Import ImportAccountingEntries=Cofnodion cyfrifeg diff --git a/htdocs/langs/cy_GB/admin.lang b/htdocs/langs/cy_GB/admin.lang index 953868073fe..df1b113a652 100644 --- a/htdocs/langs/cy_GB/admin.lang +++ b/htdocs/langs/cy_GB/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Nid yw'n ymddangos bod y modiwl hwn yn gydnaws â'ch Dolibarr %s ( CompatibleAfterUpdate=Mae'r modiwl hwn angen diweddariad i'ch Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=Gweler yn Market Place SeeSetupOfModule=Gweler gosodiad y modiwl %s +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=Gosod opsiwn %s i %s Updated=Wedi'i ddiweddaru AchatTelechargement=Prynu / Lawrlwytho @@ -292,22 +294,22 @@ EmailSenderProfiles=Proffiliau anfonwr e-bost EMailsSenderProfileDesc=Gallwch gadw'r adran hon yn wag. Os rhowch rai e-byst yma, byddant yn cael eu hychwanegu at y rhestr o anfonwyr posibl i'r blwch combo pan fyddwch yn ysgrifennu e-bost newydd. MAIN_MAIL_SMTP_PORT=Porth SMTP/SMTPS (gwerth diofyn yn php.ini: %s ) MAIN_MAIL_SMTP_SERVER=Gwesteiwr SMTP/SMTPS (gwerth diofyn yn php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Porth SMTP/SMTPS (Heb ei ddiffinio i PHP ar systemau tebyg i Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Gwesteiwr SMTP/SMTPS (Heb ei ddiffinio i PHP ar systemau tebyg i Unix) -MAIN_MAIL_EMAIL_FROM=E-bost anfonwr ar gyfer e-byst awtomatig (gwerth diofyn yn php.ini: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=Mae e-bost a ddefnyddir ar gyfer gwall yn dychwelyd e-byst (meysydd 'Gwallau-I' mewn e-byst a anfonwyd) MAIN_MAIL_AUTOCOPY_TO= Copïwch (Bcc) yr holl negeseuon e-bost a anfonwyd at MAIN_DISABLE_ALL_MAILS=Analluogi anfon pob e-bost (at ddibenion prawf neu demos) MAIN_MAIL_FORCE_SENDTO=Anfon pob e-bost at (yn lle derbynwyr go iawn, at ddibenion prawf) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Awgrymu e-byst gweithwyr (os ydynt wedi'u diffinio) yn y rhestr o dderbynwyr rhagddiffiniedig wrth ysgrifennu e-bost newydd -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=Dull anfon e-bost MAIN_MAIL_SMTPS_ID=ID SMTP (os oes angen dilysu anfon y gweinydd) MAIN_MAIL_SMTPS_PW=Cyfrinair SMTP (os oes angen dilysu anfon y gweinydd) MAIN_MAIL_EMAIL_TLS=Defnyddiwch amgryptio TLS (SSL). MAIN_MAIL_EMAIL_STARTTLS=Defnyddiwch amgryptio TLS (STARTTLS). -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Awdurdodi les certificats auto-signés +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=Defnyddiwch DKIM i gynhyrchu llofnod e-bost MAIN_MAIL_EMAIL_DKIM_DOMAIN=Parth E-bost i'w ddefnyddio gyda dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Enw'r dewisydd dkim @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Allwedd breifat ar gyfer arwyddo dkim MAIN_DISABLE_ALL_SMS=Analluogi anfon SMS (at ddibenion prawf neu demos) MAIN_SMS_SENDMODE=Dull i'w ddefnyddio i anfon SMS MAIN_MAIL_SMS_FROM=Rhif ffôn anfonwr diofyn ar gyfer anfon SMS -MAIN_MAIL_DEFAULT_FROMTYPE=E-bost anfonwr diofyn ar gyfer anfon â llaw (E-bost defnyddiwr neu e-bost Cwmni) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=E-bost defnyddiwr CompanyEmail=E-bost y Cwmni FeatureNotAvailableOnLinux=Nid yw'r nodwedd ar gael ar systemau tebyg i Unix. Profwch eich rhaglen sendmail yn lleol. @@ -417,6 +419,7 @@ PDFLocaltax=Rheolau ar gyfer %s HideLocalTaxOnPDF=Cuddio cyfradd %s yn y golofn Treth Gwerthu / TAW HideDescOnPDF=Cuddio disgrifiad cynnyrch HideRefOnPDF=Cuddio cynhyrchion cyf. +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=Cuddio manylion llinellau cynnyrch PlaceCustomerAddressToIsoLocation=Defnyddiwch safle safonol Ffrengig (La Poste) ar gyfer safle cyfeiriad cwsmer Library=Llyfrgell @@ -424,7 +427,7 @@ UrlGenerationParameters=Paramedrau i sicrhau URLs SecurityTokenIsUnique=Defnyddiwch baramedr allwedd ddiogel unigryw ar gyfer pob URL EnterRefToBuildUrl=Rhowch gyfeirnod ar gyfer gwrthrych %s GetSecuredUrl=Cael URL cyfrifo -ButtonHideUnauthorized=Cuddio botymau gweithredu anawdurdodedig hefyd ar gyfer defnyddwyr mewnol (dim ond llwyd fel arall) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=Hen gyfradd TAW NewVATRates=Cyfradd TAW newydd PriceBaseTypeToChange=Addasu ar brisiau gyda gwerth cyfeirio sylfaenol wedi'i ddiffinio ar @@ -458,11 +461,11 @@ ComputedFormula=Maes cyfrifiadurol ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Storio maes cyfrifiadurol ComputedpersistentDesc=Bydd meysydd ychwanegol a gyfrifir yn cael eu storio yn y gronfa ddata, fodd bynnag, dim ond pan fydd gwrthrych y maes hwn yn cael ei newid y bydd y gwerth yn cael ei ailgyfrifo. Os yw'r maes a gyfrifwyd yn dibynnu ar wrthrychau eraill neu ddata byd-eang efallai bod y gwerth hwn yn anghywir!! -ExtrafieldParamHelpPassword=Mae gadael y maes hwn yn wag yn golygu y bydd y gwerth hwn yn cael ei storio heb ei amgryptio (rhaid cuddio'r maes gyda seren ar y sgrin yn unig).
      Gosod 'auto' i ddefnyddio'r rheol amgryptio rhagosodedig i gadw cyfrinair yn y gronfa ddata (yna y gwerth a ddarllenir fydd y stwnsh yn unig, dim ffordd i adfer y gwerth gwreiddiol) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=Rhaid Rhestr o werthoedd yn llinellau gyda fformat allweddol, gwerth (lle allwedd ni all fod yn '0')

      er enghraifft:
      1, value1
      2, value2
      code3, value3
      ...

      Er mwyn cael y rhestr yn dibynnu ar restr priodoledd ategol arall:
      1, value1 | options_ parent_list_code : parent_key
      2, value2 | options_ parent_list_code : parent_key

      er mwyn cael y rhestr yn dibynnu ar rhestr arall:
      1, value1 | parent_list_code : rhiant_key
      2,gwerth2| rhiant_rhestr_cod : rhiant_allwedd ExtrafieldParamHelpcheckbox=Rhaid i'r rhestr o werthoedd fod yn linellau gydag allwedd fformat, gwerth (lle na all yr allwedd fod yn '0')

      er enghraifft:
      1,value1
      2,value2 a0393bzfc a039342fc a03426fc ExtrafieldParamHelpradio=Rhaid i'r rhestr o werthoedd fod yn linellau gydag allwedd fformat, gwerth (lle na all yr allwedd fod yn '0')

      er enghraifft:
      1,value1
      2,value2 a0393bzfc a039342fc a03426fc -ExtrafieldParamHelpsellist=Rhestr o werthoedd yn dod o Tabl A0342FCCFA19BZ0 cystrawen: Label_field: Id_field :: Filtersql A0342FCCFA19BZ0 Enghraifft: C_Ypent: Libele: ID :: Fidtersql A0342fCCFDA19BZ0 - ID_field Mae int A0342FCCFA19BZ0 - Fidtersql yn gyflwr SQL. Gall fod yn brawf syml (e.e. gweithredol=1) i ddangos gwerth gweithredol yn unig
      Gallwch hefyd ddefnyddio $ID$ yn yr hidlydd sef ID cyfredol y gwrthrych cyfredol
      I ddefnyddio SELECT yn yr hidlydd defnyddiwch yr allweddair $SEL$ i ffordd osgoi amddiffyn gwrth-chwistrellu.
      os ydych am hidlo ar extrafields defnyddiwch gystrawen extra.fieldcode=... (lle mae'r cod maes yn god extrafield)

      Er mwyn cael y rhestr yn dibynnu ar restr priodoleddau cyflenwol arall:
      :
      :belle parent_list_code | parent_column: hidlo

      er mwyn cael y rhestr yn dibynnu ar rhestr arall:
      c_typent: libelle: id: parent_list_code | parent_column: hidlo +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Daw'r rhestr o werthoedd o dabl
      Cystrawen: table_name:label_field:id_field::filtersql
      Enghraifft: c_typent:libelle: id::filtersql



      yn actif yn unig gwerth dangoswch i testcfda19 gwerth yn syml testcfda19 a testcfda19 yn actif i test=19b hidlydd hefyd yn gallu defnyddio $ID$ yn filter witch yw ID cyfredol y gwrthrych cyfredol
      I wneud SELECT yn yr hidlydd defnyddiwch $SEL$
      os ydych am hidlo ar feysydd ychwanegol defnyddiwch gystrawen extra.fieldcode=... (lle mae cod y maes yw'r cod maes cod extrafield)

      er mwyn cael y rhestr yn dibynnu ar restr priodoledd ategol arall:
      c_typent: libelle: id: options_ parent_list_code | parent_column: hidlo

      er mwyn cael y rhestr yn dibynnu ar rhestr arall: c_typent
      : enllib: id: parent_list_code | rhiant_colofn: hidlo ExtrafieldParamHelplink=Rhaid i baramedrau fod yn Enw Gwrthrych:Classpath
      Cystrawen: Enw Gwrthrych:Llwybr Dosbarth ExtrafieldParamHelpSeparator=Cadwch yn wag ar gyfer gwahanydd syml
      Gosodwch hwn i 1 ar gyfer gwahanydd sy'n cwympo (ar agor yn ddiofyn ar gyfer sesiwn newydd, yna cedwir statws ar gyfer pob sesiwn defnyddiwr)
      Gosodwch hwn i 2 ar gyfer gwahanydd sy'n cwympo (wedi cwympo yn ddiofyn ar gyfer sesiwn newydd, yna statws yn cael ei gadw ar gyfer pob sesiwn defnyddiwr) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Rhowch rif ffôn i'w ffonio i ddangos dolen i brofi'r url RefreshPhoneLink=Adnewyddu dolen LinkToTest=Dolen y gellir ei chlicio wedi'i chynhyrchu ar gyfer defnyddiwr %s (cliciwch y rhif ffôn i brofi) KeepEmptyToUseDefault=Cadwch yn wag i ddefnyddio gwerth diofyn -KeepThisEmptyInMostCases=Yn y rhan fwyaf o achosion, gallwch chi gadw'r maes hwn yn wag. +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=Dolen ddiofyn SetAsDefault=Osod fel ddiofyn ValueOverwrittenByUserSetup=Rhybudd, gall y gwerth hwn gael ei drosysgrifo gan osodiad defnyddiwr penodol (gall pob defnyddiwr osod ei url clictodial ei hun) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Dyma enw'r maes HTML. Mae angen gwybodaeth dechnegol PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate=
      Enghraifft:
      Ar gyfer y ffurflen i greu trydydd parti newydd, mae'n %s .
      Ar gyfer URL modiwlau allanol sydd wedi'u gosod mewn cyfeiriadur arferol, peidiwch â chynnwys y "custom/", felly defnyddiwch lwybr fel mymodule/mypage.php ac nid custom/mymodule/mypage.php.
      Os ydych chi eisiau gwerth rhagosodedig dim ond os oes gan url rywfaint o baramedr, gallwch ddefnyddio %s PageUrlForDefaultValuesList=
      Enghraifft:
      Ar gyfer y dudalen sy'n rhestru trydydd parti, mae'n %s .
      Ar gyfer URL modiwlau allanol sydd wedi'u gosod mewn cyfeiriadur personol, peidiwch â chynnwys y "custom/" felly defnyddiwch lwybr fel mymodule/mypagelist.php ac nid custom/mymodule/mypagelist.php.
      Os ydych chi eisiau gwerth rhagosodedig dim ond os oes gan url rywfaint o baramedr, gallwch ddefnyddio %s -AlsoDefaultValuesAreEffectiveForActionCreate=Sylwch hefyd fod trosysgrifo gwerthoedd rhagosodedig ar gyfer creu ffurflenni yn gweithio dim ond ar gyfer tudalennau sydd wedi'u dylunio'n gywir (felly gyda gweithred paramedr = creu neu ragflaenu...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=Galluogi addasu gwerthoedd rhagosodedig EnableOverwriteTranslation=Allow customization of translations GoIntoTranslationMenuToChangeThis=Mae cyfieithiad wedi'i ganfod ar gyfer yr allwedd gyda'r cod hwn. I newid y gwerth hwn, rhaid i chi ei olygu o Home-Setup-translation. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Mae'r cyfeiriadur preifat generig yn gyfeiriadur We DAV_ALLOW_PUBLIC_DIR=Galluogi'r cyfeiriadur cyhoeddus generig (cyfeirlyfr pwrpasol WebDAV o'r enw "cyhoeddus" - nid oes angen mewngofnodi) DAV_ALLOW_PUBLIC_DIRTooltip=Mae'r cyfeiriadur cyhoeddus generig yn gyfeiriadur WebDAV y gall unrhyw un ei gyrchu (yn y modd darllen ac ysgrifennu), heb unrhyw awdurdodiad (cyfrif mewngofnodi / cyfrinair). DAV_ALLOW_ECM_DIR=Galluogi cyfeiriadur preifat DMS/ECM (cyfeiriadur gwraidd y modiwl DMS/ECM - angen mewngofnodi) -DAV_ALLOW_ECM_DIRTooltip=Y cyfeiriadur gwraidd lle mae'r holl ffeiliau'n cael eu huwchlwytho â llaw wrth ddefnyddio'r modiwl DMS / ECM. Yn yr un modd â mynediad o'r rhyngwyneb gwe, bydd angen mewngofnodi/cyfrinair dilys gyda chaniatâd digonol i gael mynediad iddo. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=Defnyddwyr a Grwpiau Module0Desc=Rheoli Defnyddwyr / Gweithwyr a Grwpiau @@ -566,7 +569,7 @@ Module40Desc=Gwerthwyr a rheoli pryniant (archebion prynu a bilio anfonebau cyfl Module42Name=Logiau Dadfygio Module42Desc=Cyfleusterau logio (ffeil, syslog, ...). Mae logiau o'r fath at ddibenion technegol / dadfygio. Module43Name=Bar Dadfygio -Module43Desc=Offeryn ar gyfer datblygwr sy'n ychwanegu bar dadfygio yn eich porwr. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=Golygyddion Module49Desc=Rheoli golygyddion Module50Name=Cynhyrchion @@ -582,7 +585,7 @@ Module54Desc=Rheoli contractau (gwasanaethau neu danysgrifiadau cylchol) Module55Name=Codau bar Module55Desc=Rheoli cod bar neu god QR Module56Name=Taliad trwy drosglwyddiad credyd -Module56Desc=Rheoli taliadau cyflenwyr drwy orchmynion Trosglwyddo Credyd. Mae'n cynnwys cynhyrchu ffeil SEPA ar gyfer gwledydd Ewropeaidd. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=Taliadau trwy Ddebyd Uniongyrchol Module57Desc=Rheoli gorchmynion Debyd Uniongyrchol. Mae'n cynnwys cynhyrchu ffeil SEPA ar gyfer gwledydd Ewropeaidd. Module58Name=CliciwchToDial @@ -630,6 +633,10 @@ Module600Desc=Anfon hysbysiadau e-bost a ysgogwyd gan ddigwyddiad busnes: fesul Module600Long=Sylwch fod y modiwl hwn yn anfon e-byst mewn amser real pan fydd digwyddiad busnes penodol yn digwydd. Os ydych yn chwilio am nodwedd i anfon e-byst atgoffa ar gyfer digwyddiadau agenda, ewch i mewn i osod Agenda modiwl. Module610Name=Amrywiadau Cynnyrch Module610Desc=Creu amrywiadau cynnyrch (lliw, maint ac ati) +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=Rhoddion Module700Desc=Rheoli rhoddion Module770Name=Adroddiadau Treuliau @@ -650,8 +657,8 @@ Module2300Name=Swyddi wedi'u hamserlennu Module2300Desc=Rheoli swyddi a drefnwyd (alias cron neu dabl crono) Module2400Name=Digwyddiadau/Agenda Module2400Desc=Traciwch ddigwyddiadau. Logio digwyddiadau awtomatig at ddibenion olrhain neu gofnodi digwyddiadau neu gyfarfodydd â llaw. Dyma'r prif fodiwl ar gyfer Rheoli Perthynas Cwsmer neu Werthwr yn dda. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM Module2500Desc=System Rheoli Dogfennau / Rheoli Cynnwys Electronig. Trefniadaeth awtomatig o'ch dogfennau a gynhyrchir neu a storiwyd. Rhannwch nhw pan fo angen. Module2600Name=API / Web services (SOAP server) @@ -672,7 +679,7 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=Rhwydweithiau Cymdeithasol Module3400Desc=Galluogi meysydd Rhwydweithiau Cymdeithasol yn drydydd partïon a chyfeiriadau (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Rheoli adnoddau dynol (rheoli adran, contractau gweithwyr a theimladau) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Aml-gwmni Module5000Desc=Yn eich galluogi i reoli cwmnïau lluosog Module6000Name=Llif Gwaith Rhyng-fodiwlau @@ -712,6 +719,8 @@ Module63000Desc=Rheoli adnoddau (argraffwyr, ceir, ystafelloedd, ...) ar gyfer d Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=Receptions +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Read customer invoices (and payments) Permission12=Creu/addasu anfonebau cwsmeriaid @@ -996,7 +1005,7 @@ Permission4031=Read personal information Permission4032=Write personal information Permission4033=Read all evaluations (even those of user not subordinates) Permission10001=Darllenwch gynnwys y wefan -Permission10002=Creu/addasu cynnwys gwefan (cynnwys html a javascript) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=Creu/addasu cynnwys gwefan (cod php deinamig). Peryglus, rhaid ei gadw i ddatblygwyr cyfyngedig. Permission10005=Dileu cynnwys gwefan Permission20001=Darllenwch geisiadau gwyliau (eich gwyliau a rhai eich is-weithwyr) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Adroddiad treuliau - Ystod yn ôl categori cludiant DictionaryTransportMode=Adroddiad Intracomm - Dull trafnidiaeth DictionaryBatchStatus=Lot cynnyrch/statws Rheoli Ansawdd cyfresol DictionaryAssetDisposalType=Math o waredu asedau +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Math o uned SetupSaved=Gosodiad wedi'i gadw SetupNotSaved=Nid yw'r gosodiad wedi'i gadw @@ -1109,10 +1119,11 @@ BackToModuleList=Yn ôl i'r rhestr modiwlau BackToDictionaryList=Yn ôl i'r rhestr Geiriaduron TypeOfRevenueStamp=Math o stamp treth VATManagement=Rheoli Treth Gwerthu -VATIsUsedDesc=Yn ddiofyn wrth greu rhagolygon, anfonebau, archebion ac ati, mae'r gyfradd Treth Gwerthu yn dilyn y rheol safonol weithredol:
      Os nad yw'r gwerthwr yn destun treth Gwerthiant, yna mae'r dreth Gwerthiant yn methu â chyrraedd 0. Diwedd y rheol.
      Os yw'r (gwlad y gwerthwr = gwlad y prynwr), yna mae'r dreth Werthu yn ddiofyn yn hafal i dreth Gwerthiant y cynnyrch yng ngwlad y gwerthwr. Diwedd y rheol.
      Os yw'r gwerthwr a'r prynwr yn y Gymuned Ewropeaidd a bod nwyddau'n gynhyrchion sy'n gysylltiedig â thrafnidiaeth (cludo, cludo, cwmni hedfan), y TAW rhagosodedig yw 0. Mae'r rheol hon yn dibynnu ar wlad y gwerthwr - ymgynghorwch â'ch cyfrifydd. Dylai'r TAW gael ei thalu gan y prynwr i'r swyddfa dollau yn ei wlad ac nid i'r gwerthwr. Diwedd y rheol.
      Os yw'r gwerthwr a'r prynwr ill dau yn y Gymuned Ewropeaidd ac nad yw'r prynwr yn gwmni (gyda rhif TAW cofrestredig o fewn y Gymuned) yna mae'r TAW yn ddiofyn i gyfradd TAW gwlad y gwerthwr. Diwedd y rheol.
      Os yw'r gwerthwr a'r prynwr ill dau yn y Gymuned Ewropeaidd a bod y prynwr yn gwmni (gyda rhif TAW cofrestredig o fewn y Gymuned), yna'r TAW yw 0 yn ddiofyn. Diwedd y rheol.
      Mewn unrhyw achos arall y rhagosodiad arfaethedig yw Treth Gwerthu=0. Diwedd y rheol. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=Yn ddiofyn, y dreth Gwerthiant arfaethedig yw 0 y gellir ei defnyddio ar gyfer achosion fel cymdeithasau, unigolion neu gwmnïau bach. VATIsUsedExampleFR=Yn Ffrainc, mae'n golygu cwmnïau neu sefydliadau sydd â system gyllidol go iawn (Simplified real neu normal real). System lle mae TAW yn cael ei datgan. VATIsNotUsedExampleFR=Yn Ffrainc, mae'n golygu cymdeithasau nad ydynt yn datgan treth Gwerthu neu gwmnïau, sefydliadau neu broffesiynau rhyddfrydol sydd wedi dewis y system gyllidol micro-fenter (Treth werthu mewn masnachfraint) ac wedi talu Treth Gwerthu masnachfraint heb unrhyw ddatganiad Treth Gwerthiant. Bydd y dewis hwn yn dangos y cyfeirnod "Treth Gwerthiant Amherthnasol - art-293B o CGI" ar anfonebau. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Math o dreth gwerthu LTRate=Cyfradd @@ -1399,8 +1410,8 @@ PHPModuleLoaded=Mae elfen PHP %s yn cael ei lwytho PreloadOPCode=Defnyddir OPCode wedi'i lwytho ymlaen llaw AddRefInList=Arddangos Cwsmer/Gwerthwr cyf. i mewn i restrau combo.
      Bydd Trydydd Partïon yn ymddangos gyda fformat enw o "CC12345 - SC45678 - The Big Company corp." yn lle "Corp y Cwmni Mawr". AddVatInList=Arddangos rhif TAW Cwsmer/Gwerthwr i restrau combo. -AddAdressInList=Arddangos cyfeiriad Cwsmer / Gwerthwr i restrau combo.
      Bydd Trydydd Partïon yn ymddangos gyda fformat enw o "The Big Company Corp. - 21 jump street 123456 Big town - USA" yn lle "The Big Company corp". -AddEmailPhoneTownInContactList=Arddangos E-bost Cyswllt (neu ffonau os nad ydynt wedi'u diffinio) a rhestr gwybodaeth tref (rhestr ddewisol neu flwch combo)
      Bydd cysylltiadau yn ymddangos gyda fformat enw o "Dupond Durand - dupond.durand@email.com - Paris" neu "Dupond Durand - 06 07 59 65 66 - Paris" yn lle "Dupond Durand". +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=Gofynnwch am y dull cludo a ffefrir ar gyfer Trydydd Partïon. FieldEdition=Argraffiad maes %s FillThisOnlyIfRequired=Enghraifft: +2 (llenwi dim ond os ceir problemau gwrthbwyso cylchfa amser) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Peidiwch â dangos y ddolen "Anghofio Cyfri UsersSetup=Gosod modiwlau defnyddwyr UserMailRequired=Mae angen e-bost i greu defnyddiwr newydd UserHideInactive=Cuddio defnyddwyr anactif o bob rhestr gyfun o ddefnyddwyr (Heb ei hargymell: gall hyn olygu na fyddwch yn gallu hidlo na chwilio ar hen ddefnyddwyr ar rai tudalennau) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Templedi dogfen ar gyfer dogfennau a gynhyrchir o gofnod defnyddiwr GroupsDocModules=Templedi dogfen ar gyfer dogfennau a gynhyrchir o gofnod grŵp ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Grwpiau LDAPContactsSynchro=Cysylltiadau LDAPMembersSynchro=Aelodau LDAPMembersTypesSynchro=Mathau o aelodau -LDAPSynchronization=Cydamseru LDAP +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=Nid yw swyddogaethau LDAP ar gael ar eich PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=ID Defnyddiwr LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=Cyfeiriadur cartref -LDAPFieldHomedirectoryExample=Enghraifft : cyfeiriadur cartref +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=Rhagddodiad cyfeiriadur cartref LDAPSetupNotComplete=Nid yw gosodiad LDAP wedi'i gwblhau (ewch ar dabiau eraill) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Ni ddarparwyd gweinyddwr na chyfrinair. Bydd mynediad LDAP yn ddienw ac yn y modd darllen yn unig. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Modiwl memcached ar gyfer celc cymhwysol wed MemcachedAvailableAndSetup=Mae modiwl memcached pwrpasol i ddefnyddio gweinydd memcached wedi'i alluogi. OPCodeCache=storfa OPCode NoOPCodeCacheFound=Ni chanfuwyd celc OPCode. Efallai eich bod yn defnyddio storfa OPCode heblaw XCache neu eAccelerator (da), neu efallai nad oes gennych storfa OPCode (drwg iawn). -HTTPCacheStaticResources=storfa HTTP ar gyfer adnoddau statig (css, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=Mae ffeiliau o'r math %s yn cael eu storio gan weinydd HTTP FilesOfTypeNotCached=Nid yw ffeiliau o'r math %s yn cael eu storio gan weinydd HTTP FilesOfTypeCompressed=Mae ffeiliau o'r math %s yn cael eu cywasgu gan weinydd HTTP @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Testun am ddim ar dderbynebau danfon ##### FCKeditor ##### AdvancedEditor=Golygydd uwch ActivateFCKeditor=Ysgogi golygydd uwch ar gyfer: -FCKeditorForNotePublic=WYSIWIG creu/argraffiad o'r maes "nodiadau cyhoeddus" o elfennau -FCKeditorForNotePrivate=WYSIWIG creu/argraffiad o'r maes "nodiadau preifat" o elfennau -FCKeditorForCompany=WYSIWIG creu/argraffiad o ddisgrifiad maes o elfennau (ac eithrio cynhyrchion/gwasanaethau) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= Creu/rhifyn WYSIWIG ar gyfer e-byst torfol (Tools-> eBost) -FCKeditorForUserSignature=WYSIWIG creu/rhifyn llofnod defnyddiwr -FCKeditorForMail=Creu/argraffiad WYSIWIG ar gyfer pob post (ac eithrio Offer-> e-bost) -FCKeditorForTicket=Creu/argraffiad WYSIWIG ar gyfer tocynnau +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=Gosod modiwl stoc IfYouUsePointOfSaleCheckModule=Os ydych chi'n defnyddio'r modiwl Pwynt Gwerthu (POS) a ddarperir yn ddiofyn neu fodiwl allanol, efallai y bydd eich modiwl POS yn anwybyddu'r gosodiad hwn. Mae'r rhan fwyaf o fodiwlau POS wedi'u cynllunio yn ddiofyn i greu anfoneb ar unwaith a lleihau stoc waeth beth fo'r opsiynau yma. Felly os oes angen gostyngiad mewn stoc arnoch neu beidio wrth gofrestru gwerthiant o'ch POS, gwiriwch hefyd eich gosodiad modiwl POS. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Bwydlenni personol heb eu cysylltu â chofnod ar y dd NewMenu=Bwydlen newydd MenuHandler=Triniwr dewislen MenuModule=Modiwl ffynhonnell -HideUnauthorizedMenu=Cuddio bwydlenni anawdurdodedig hefyd ar gyfer defnyddwyr mewnol (dim ond llwyd fel arall) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=Dewislen ID DetailMenuHandler=Triniwr dewislen lle i ddangos bwydlen newydd DetailMenuModule=Enw'r modiwl os daw'r cofnod ar y ddewislen o fodiwl @@ -1802,7 +1815,7 @@ DetailType=Math o ddewislen (top neu chwith) DetailTitre=Label dewislen neu god label i'w gyfieithu DetailUrl=URL where menu send you (Relative URL link or external link with https://) DetailEnabled=Amod i ddangos neu beidio mynediad -DetailRight=Amod i arddangos bwydlenni llwyd anawdurdodedig +DetailRight=Condition to display unauthorized gray menus DetailLangs=Enw ffeil Lang ar gyfer cyfieithu cod label DetailUser=Intern / Allanol / Pawb Target=Targed @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Cyfrif rhagosodedig i'w ddefnyddio i dderbyn taliadau CashDeskBankAccountForCheque=Cyfrif diofyn i'w ddefnyddio i dderbyn taliadau gyda siec CashDeskBankAccountForCB=Cyfrif diofyn i'w ddefnyddio i dderbyn taliadau gyda chardiau credyd CashDeskBankAccountForSumup=Cyfrif banc diofyn i'w ddefnyddio i dderbyn taliadau gan SumUp -CashDeskDoNotDecreaseStock=Analluogi gostyngiad stoc pan wneir gwerthiant o'r Pwynt Gwerthu (os "na", gwneir gostyngiad stoc ar gyfer pob gwerthiant a wneir o POS, waeth beth fo'r opsiwn a osodwyd yn Stoc y modiwl). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Gorfodi a chyfyngu ar warws i'w ddefnyddio i leihau stoc StockDecreaseForPointOfSaleDisabled=Gostyngiad stoc o'r Man Gwerthu anabl StockDecreaseForPointOfSaleDisabledbyBatch=Nid yw gostyngiad stoc mewn POS yn gydnaws â rheolaeth Cyfres/Lot modiwl (yn weithredol ar hyn o bryd) felly mae gostyngiad stoc wedi'i analluogi. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Amlygwch linellau tabl pan fydd symudiad y llygoden y HighlightLinesColor=Amlygwch liw'r llinell pan fydd y llygoden yn pasio drosodd (defnyddiwch 'ffffff' am ddim uchafbwynt) HighlightLinesChecked=Amlygwch liw'r llinell pan gaiff ei gwirio (defnyddiwch 'ffffff' am ddim uchafbwynt) UseBorderOnTable=Show left-right borders on tables +TableLineHeight=Table line height BtnActionColor=Lliw y botwm gweithredu TextBtnActionColor=Lliw testun y botwm gweithredu TextTitleColor=Lliw testun teitl y dudalen @@ -1991,7 +2006,7 @@ EnterAnyCode=Mae'r maes hwn yn cynnwys cyfeiriad i nodi'r llinell. Nodwch unrhyw Enter0or1=Rhowch 0 neu 1 UnicodeCurrency=Rhowch yma rhwng braces, rhestr o rif beit sy'n cynrychioli'r symbol arian cyfred. Er enghraifft: ar gyfer $, nodwch [36] - ar gyfer brazil real R$ [82,36] - am €, nodwch [8364] ColorFormat=Mae'r lliw RGB mewn fformat HEX, ee: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=Safle'r llinell mewn rhestrau combo SellTaxRate=Cyfradd treth gwerthu RecuperableOnly=Ie ar gyfer TAW "Ddim yn Canfyddedig ond Adenilladwy" ymroddedig ar gyfer rhai dalaith yn Ffrainc. Cadwch y gwerth i "Na" ym mhob achos arall. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Cuddio borderi ar ffrâm cyfeiriad anfonwr -MAIN_PDF_NO_RECIPENT_FRAME=Cuddio borderi ar ffrâm cyfeiriad y rysáit +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Cuddio cod cwsmer MAIN_PDF_HIDE_SENDER_NAME=Cuddio enw'r anfonwr/cwmni yn y bloc cyfeiriad PROPOSAL_PDF_HIDE_PAYMENTTERM=Cuddio amodau taliadau @@ -2118,7 +2133,7 @@ EMailHost=Gwesteiwr gweinydd IMAP e-bost EMailHostPort=Port of email IMAP server loginPassword=Login/Password oauthToken=OAuth2 token -accessType=Acces type +accessType=Access type oauthService=Oauth service TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Do not include the content of email header into th EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. EmailCollectorConfirmCollectTitle=Cadarnhad casglu e-bost EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Example collecting leads EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopau ThisValueCanOverwrittenOnUserLevel=Gall pob defnyddiwr drosysgrifennu'r gwerth hwn o'i dudalen defnyddiwr - tab '%s' -DefaultCustomerType=Math trydydd parti rhagosodedig ar gyfer ffurflen creu "Cwsmer newydd". +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=Nodyn: Rhaid diffinio'r cyfrif banc ar fodiwl pob dull talu (Paypal, Stripe, ...) i gael y nodwedd hon yn gweithio. RootCategoryForProductsToSell=Categori gwraidd y cynhyrchion i'w gwerthu -RootCategoryForProductsToSellDesc=Os cânt eu diffinio, dim ond cynhyrchion o fewn y categori hwn neu blant o'r categori hwn fydd ar gael yn y Man Gwerthu +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=Bar Dadfygio DebugBarDesc=Bar offer sy'n dod gyda digon o offer i symleiddio dadfygio DebugBarSetup=Gosod Bar Dadfygio @@ -2212,10 +2227,10 @@ ImportSetup=Gosod Mewnforio modiwl InstanceUniqueID=ID unigryw'r enghraifft SmallerThan=Llai na LargerThan=Mwy na -IfTrackingIDFoundEventWillBeLinked=Sylwch, Os canfyddir ID olrhain gwrthrych i mewn i e-bost, neu os yw'r e-bost yn ateb e-bost a gasglwyd ac a gysylltir â gwrthrych, bydd y digwyddiad a grëwyd yn cael ei gysylltu'n awtomatig â'r gwrthrych cysylltiedig hysbys. -WithGMailYouCanCreateADedicatedPassword=Gyda chyfrif GMail, os gwnaethoch alluogi'r dilysiad 2 gam, argymhellir creu ail gyfrinair pwrpasol ar gyfer y cais yn lle defnyddio cyfrinair eich cyfrif eich hun o https://myaccount.google.com/. -EmailCollectorTargetDir=Gall fod yn ymddygiad dymunol symud yr e-bost i dag/cyfeiriadur arall pan gafodd ei brosesu'n llwyddiannus. Gosodwch enw'r cyfeiriadur yma i ddefnyddio'r nodwedd hon (PEIDIWCH â defnyddio nodau arbennig yn yr enw). Sylwch fod yn rhaid i chi hefyd ddefnyddio cyfrif mewngofnodi darllen/ysgrifennu. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=Pwynt gorffen ar gyfer %s : %s DeleteEmailCollector=Dileu casglwr e-bost @@ -2232,12 +2247,12 @@ EmailTemplate=Templed ar gyfer e-bost EMailsWillHaveMessageID=Bydd gan e-byst dag 'Cyfeiriadau' sy'n cyfateb i'r gystrawen hon PDF_SHOW_PROJECT=Dangos y prosiect ar ddogfen ShowProjectLabel=Label Prosiect -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=Os ydych chi am i rai testunau yn eich PDF gael eu dyblygu mewn 2 iaith wahanol yn yr un PDF a gynhyrchir, rhaid i chi osod yma yr ail iaith hon felly bydd PDF a gynhyrchir yn cynnwys 2 iaith wahanol ar yr un dudalen, yr un a ddewisir wrth gynhyrchu PDF a'r un hon ( dim ond ychydig o dempledi PDF sy'n cefnogi hyn). Cadwch yn wag am 1 iaith fesul PDF. -PDF_USE_A=Cynhyrchwch ddogfennau PDF gyda fformat PDF/A yn lle fformat PDF defaut +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Rhowch god eicon FontAwesome yma. Os nad ydych chi'n gwybod beth yw FontAwesome, gallwch ddefnyddio'r llyfr cyfeiriadau gwerth generig. RssNote=Nodyn: Mae pob diffiniad porthiant RSS yn darparu teclyn y mae'n rhaid i chi ei alluogi i'w gael ar y dangosfwrdd JumpToBoxes=Neidio i Gosod -> Widgets @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Efallai y byddwch chi'n dod o hyd i gyngor diogelwc ModuleActivatedMayExposeInformation=Gall yr estyniad PHP hwn ddatgelu data sensitif. Os nad oes ei angen arnoch, analluoga ef. ModuleActivatedDoNotUseInProduction=Mae modiwl a ddyluniwyd ar gyfer y datblygiad wedi'i alluogi. Peidiwch â'i alluogi ar amgylchedd cynhyrchu. CombinationsSeparator=Cymeriad gwahanydd ar gyfer cyfuniadau cynnyrch -SeeLinkToOnlineDocumentation=Gweler y ddolen i ddogfennaeth ar-lein ar y ddewislen uchaf am enghreifftiau +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=Os defnyddir nodwedd "%s" modiwl %s , dangoswch fanylion isgynhyrchion pecyn ar PDF. AskThisIDToYourBank=Cysylltwch â'ch banc i gael yr ID hwn -AdvancedModeOnly=Caniatâd ar gael yn y modd caniatâd Uwch yn unig +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=Mae'r ffeil conf yn ddarllenadwy neu'n ysgrifennadwy gan unrhyw ddefnyddwyr. Rhowch ganiatâd i ddefnyddiwr gweinydd gwe a grŵp yn unig. MailToSendEventOrganization=Trefniadaeth Digwyddiadau MailToPartnership=Partneriaeth AGENDA_EVENT_DEFAULT_STATUS=Statws digwyddiad diofyn wrth greu digwyddiad o'r ffurflen YouShouldDisablePHPFunctions=Dylech analluogi swyddogaethau PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=Ac eithrio os oes angen i chi redeg gorchmynion system mewn cod arfer, dylech analluogi swyddogaethau PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions NoWritableFilesFoundIntoRootDir=Ni chanfuwyd unrhyw ffeiliau neu gyfeiriaduron ysgrifenadwy o'r rhaglenni cyffredin yn eich cyfeiriadur gwraidd (Da) RecommendedValueIs=Argymhellir: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page ShowQuickAddLink=Show a button to quickly add an element in top right menu - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Hash used for ping ReadOnlyMode=Is instance in "Read Only" mode DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Will not work with all themes NoName=No name ShowAdvancedOptions= Show advanced options HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Use a password UseOauth=Use a OAUTH token Images=Images MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=The script is empty ShowHideTheNRequests=Show/hide the %s SQL request(s) DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2403,6 +2419,24 @@ Defaultfortype=Default DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/cy_GB/bills.lang b/htdocs/langs/cy_GB/bills.lang index 2f43d4b282d..7a500daead7 100644 --- a/htdocs/langs/cy_GB/bills.lang +++ b/htdocs/langs/cy_GB/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Gwneud taliad sy'n ddyledus i'r cwsmer DisabledBecauseRemainderToPayIsZero=Wedi'i analluogi oherwydd bod yr aros yn ddi-dâl yn sero PriceBase=Pris sylfaenol BillStatus=Statws anfoneb -StatusOfGeneratedInvoices=Statws anfonebau a gynhyrchir +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Drafft (angen ei ddilysu) BillStatusPaid=Talwyd BillStatusPaidBackOrConverted=Ad-daliad nodyn credyd neu wedi'i nodi fel credyd ar gael @@ -167,7 +167,7 @@ ActionsOnBill=Camau gweithredu ar anfoneb ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Templed / Anfoneb cylchol NoQualifiedRecurringInvoiceTemplateFound=Dim anfoneb templed cylchol yn gymwys ar gyfer cynhyrchu. -FoundXQualifiedRecurringInvoiceTemplate=Wedi dod o hyd %s anfoneb(au) templed cylchol yn gymwys ar gyfer cynhyrchu. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Ddim yn anfoneb templed cylchol NewBill=Anfoneb newydd LastBills=Anfonebau %s diweddaraf @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Anfonebau drafft y gwerthwr Unpaid=Di-dâl ErrorNoPaymentDefined=Gwall Dim taliad wedi'i ddiffinio ConfirmDeleteBill=Ydych chi'n siŵr eich bod am ddileu'r anfoneb hon? -ConfirmValidateBill=A ydych yn siŵr eich bod am ddilysu'r anfoneb hon gyda'r cyfeirnod %s ? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Ydych chi'n siŵr eich bod am newid yr anfoneb %s i statws drafft? ConfirmClassifyPaidBill=Ydych chi'n siŵr eich bod am newid yr anfoneb %s i'r statws a dalwyd? ConfirmCancelBill=A ydych yn siŵr eich bod am ganslo anfoneb %s ? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=A ydych chi'n cadarnhau'r mewnbwn taliad hwn ar gyfer ConfirmSupplierPayment=A ydych chi'n cadarnhau'r mewnbwn taliad hwn ar gyfer %s %s? ConfirmValidatePayment=A ydych yn siŵr eich bod am ddilysu'r taliad hwn? Ni ellir gwneud unrhyw newid unwaith y bydd y taliad wedi'i ddilysu. ValidateBill=Dilysu anfoneb -UnvalidateBill=Anfoneb annilys +UnvalidateBill=Invalidate invoice NumberOfBills=Nifer yr anfonebau NumberOfBillsByMonth=Nifer yr anfonebau y mis AmountOfBills=Swm yr anfonebau @@ -250,12 +250,13 @@ RemainderToTake=Swm sy'n weddill i'w gymryd RemainderToTakeMulticurrency=Swm sy'n weddill i'w gymryd, arian cyfred gwreiddiol RemainderToPayBack=Swm sy'n weddill i'w ad-dalu RemainderToPayBackMulticurrency=Swm sy'n weddill i'w ad-dalu, arian cyfred gwreiddiol +NegativeIfExcessReceived=negyddol os derbynnir gormodedd NegativeIfExcessRefunded=negyddol os caiff gormodedd ei ad-dalu +NegativeIfExcessPaid=negative if excess paid Rest=Arfaeth AmountExpected=Swm a hawlir ExcessReceived=Derbynnir gormodedd ExcessReceivedMulticurrency=Derbynnir gormodedd, arian cyfred gwreiddiol -NegativeIfExcessReceived=negyddol os derbynnir gormodedd ExcessPaid=Telir gormodedd ExcessPaidMulticurrency=Talu gormodol, arian cyfred gwreiddiol EscompteOffered=Gostyngiad a gynigir (taliad cyn y tymor) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Mae'n rhaid i chi greu anfoneb safonol yn PDFCrabeDescription=Anfoneb PDF Templed Crabe. Templed anfoneb cyflawn (hen weithrediad templed Sbwng) PDFSpongeDescription=Anfoneb PDF templed Sbwng. Templed anfoneb cyflawn PDFCrevetteDescription=Anfoneb PDF Templed Crevette. Templed anfoneb cyflawn ar gyfer anfonebau sefyllfa -TerreNumRefModelDesc1=Rhif dychwelyd yn y fformat %syymm-nnnn ar gyfer anfonebau safonol ac %syymm-nnnn ar gyfer nodiadau credyd lle yy yw'r flwyddyn, mm yw'r mis ac mae nnnn yn rhif auto-cynnydd dilyniannol heb unrhyw doriad a dim dychwelyd i 0 -MarsNumRefModelDesc1=Rhif dychwelyd yn y fformat %syymm-nnnn ar gyfer anfonebau safonol, %syymm-nnnn ar gyfer anfonebau newydd, %syymm-nnnn ar gyfer anfonebau taliad i lawr ac a0ecb2ec87fz0yymnnnnym-nincial ar gyfer anfonebau mis awtomataidd, %syymm-nnnymnnynnynnrhefyd ar gyfer anfonebau taliad i lawr ac a0ecb2ec87fnnnynnynnyn credyd ar gyfer nodiadau blwyddyn auto heb unrhyw egwyl a dim dychwelyd i 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Mae bil sy'n dechrau gyda $syymm eisoes yn bodoli ac nid yw'n gydnaws â'r model dilyniant hwn. Tynnwch ef neu ei ailenwi i actifadu'r modiwl hwn. -CactusNumRefModelDesc1=Rhif dychwelyd yn y fformat %syymm-nnnn ar gyfer anfonebau safonol, %syymm-nnnn ar gyfer nodiadau credyd ac %syymm-nnnn ar gyfer anfonebau taliad i lawr lle yy yw'r flwyddyn, mmn yw'r mis a'r rhif awtomataidd yw dychwelyd rhif a dilyniant di-dor. 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Rheswm cau cynnar EarlyClosingComment=Nodyn cau cynnar ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Salaries +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Salary +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/cy_GB/cashdesk.lang b/htdocs/langs/cy_GB/cashdesk.lang index aa17b648e38..8084327326c 100644 --- a/htdocs/langs/cy_GB/cashdesk.lang +++ b/htdocs/langs/cy_GB/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=Derbynneb Header=Pennawd Footer=Troedyn AmountAtEndOfPeriod=Swm ar ddiwedd y cyfnod (diwrnod, mis neu flwyddyn) -TheoricalAmount=Swm damcaniaethol +TheoricalAmount=Theoretical amount RealAmount=Swm go iawn CashFence=Cash box closing CashFenceDone=Cash box closing done for the period @@ -57,7 +57,7 @@ Paymentnumpad=Math o Pad i nodi taliad Numberspad=Pad Rhifau BillsCoinsPad=Darnau arian ac arian papur Pad DolistorePosCategory=Modiwlau TakePOS ac atebion POS eraill ar gyfer Dolibarr -TakeposNeedsCategories=Mae angen o leiaf un categori cynnyrch ar TakePOS i weithio +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=Mae angen o leiaf 1 categori cynnyrch ar TakePOS o dan y categori %s i weithio OrderNotes=Yn gallu ychwanegu rhai nodiadau at bob eitem a archebir CashDeskBankAccountFor=Cyfrif diofyn i'w ddefnyddio ar gyfer taliadau i mewn @@ -76,7 +76,7 @@ TerminalSelect=Dewiswch derfynell rydych chi am ei defnyddio: POSTicket=Tocyn POS POSTerminal=Terfynell POS POSModule=Modiwl POS -BasicPhoneLayout=Defnyddiwch gynllun sylfaenol ar gyfer ffonau +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Nid yw gosod terfynell %s wedi'i gwblhau DirectPayment=Taliad uniongyrchol DirectPaymentButton=Ychwanegu botwm "Taliad arian parod uniongyrchol". @@ -92,14 +92,14 @@ HeadBar=Bar Pen SortProductField=Maes ar gyfer didoli cynhyrchion Browser=Porwr BrowserMethodDescription=Argraffu derbynneb syml a hawdd. Dim ond ychydig o baramedrau i ffurfweddu'r dderbynneb. Argraffu trwy borwr. -TakeposConnectorMethodDescription=Modiwl allanol gyda nodweddion ychwanegol. Posibilrwydd argraffu o'r cwmwl. +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=Dull argraffu ReceiptPrinterMethodDescription=Dull pwerus gyda llawer o baramedrau. Llawn customizable gyda thempledi. Ni all y gweinydd sy'n cynnal y rhaglen fod yn y Cwmwl (rhaid iddo allu cyrraedd yr argraffwyr yn eich rhwydwaith). ByTerminal=Erbyn terfynell TakeposNumpadUsePaymentIcon=Defnyddiwch eicon yn lle testun ar fotymau talu numpad CashDeskRefNumberingModules=Modiwl rhifo ar gyfer gwerthiannau POS CashDeskGenericMaskCodes6 =
      {TN} tag yn cael ei ddefnyddio i ychwanegu rhif y derfynell -TakeposGroupSameProduct=Grwpiwch yr un llinellau cynhyrchion +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Dechrau arwerthiant cyfochrog newydd SaleStartedAt=Dechreuwyd gwerthu am %s ControlCashOpening=Open the "Control cash box" popup when opening the POS @@ -118,7 +118,7 @@ ScanToOrder=Sganiwch y cod QR i archebu Appearance=Ymddangosiad HideCategoryImages=Cuddio Delweddau Categori HideProductImages=Cuddio Delweddau Cynnyrch -NumberOfLinesToShow=Nifer y llinellau o ddelweddau i'w dangos +NumberOfLinesToShow=Maximum number of lines of text to show on thumb images DefineTablePlan=Diffinio cynllun tablau GiftReceiptButton=Ychwanegu botwm "Derbynneb rhodd". GiftReceipt=Derbynneb rhodd @@ -135,4 +135,21 @@ PrintWithoutDetailsLabelDefault=Label llinell yn ddiofyn ar argraffu heb fanylio PrintWithoutDetails=Argraffu heb fanylion YearNotDefined=Nid yw blwyddyn wedi'i diffinio TakeposBarcodeRuleToInsertProduct=Rheol cod bar i fewnosod cynnyrch -TakeposBarcodeRuleToInsertProductDesc=Rheol i echdynnu cyfeirnod y cynnyrch + swm o god bar wedi'i sganio.
      Os yn wag (gwerth diofyn), bydd y cais yn defnyddio'r cod bar llawn wedi'i sganio i ddod o hyd i'r cynnyrch.

      Os diffinio, rhaid cystrawen fod yn:
      cyf: DS + qu: DS + QD: DS + eraill: DS
      lle DS yw'r nifer o gymeriadau i'w defnyddio at ddata detholiad o'r cod bar sganio gyda:
      • cyf : cyfeirnod cynnyrch
      • qu : faint i set wrth fewnosod eitem (uned)
      • QD : faint i set wrth fewnosod eitem (degolion)
      • arall: pobl eraill cymeriadau
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Already printed +HideCategories=Hide the whole section of categories selection +HideStockOnLine=Hide stock on line +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Show reference or label of products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Terminal %s +TerminalNameDesc=Terminal name +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/cy_GB/hrm.lang b/htdocs/langs/cy_GB/hrm.lang index a2119f4a432..200f823c605 100644 --- a/htdocs/langs/cy_GB/hrm.lang +++ b/htdocs/langs/cy_GB/hrm.lang @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Disgrifiad rhagosodedig o'r rhengoedd pan fydd sgi deplacement=Turn DateEval=Dyddiad gwerthuso JobCard=Cerdyn swydd -JobPosition=Job -JobsPosition=Swyddi +NewJobProfile=New Job Profile +JobProfile=Job profile +JobsProfiles=Job profiles NewSkill=Sgil Newydd SkillType=Math o sgil Skilldets=Rhestr o'r rhengoedd ar gyfer y sgil hwn @@ -36,7 +37,7 @@ rank=Safle ErrNoSkillSelected=Dim sgil wedi'i ddewis ErrSkillAlreadyAdded=Mae'r sgil hwn eisoes yn y rhestr SkillHasNoLines=Nid oes gan y sgil hon unrhyw linellau -skill=Sgil +Skill=Skill Skills=Sgiliau SkillCard=Cerdyn sgil EmployeeSkillsUpdated=Mae sgiliau gweithwyr wedi'u diweddaru (gweler y tab "Sgiliau" ar gerdyn y gweithiwr) @@ -44,33 +45,36 @@ Eval=Gwerthusiad Evals=Gwerthusiadau NewEval=Gwerthusiad newydd ValidateEvaluation=Dilysu gwerthusiad -ConfirmValidateEvaluation=A ydych yn siŵr eich bod am ddilysu'r gwerthusiad hwn gyda'r cyfeirnod %s ? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=Cerdyn gwerthuso -RequiredRank=Safle gofynnol ar gyfer y swydd hon +RequiredRank=Required rank for the job profile +RequiredRankShort=Required rank +PositionsWithThisProfile=Positions with this job profiles EmployeeRank=Safle gweithiwr ar gyfer y sgil hwn +EmployeeRankShort=Employee rank EmployeePosition=Swydd gweithiwr EmployeePositions=Swyddi gweithwyr EmployeesInThisPosition=Gweithwyr yn y sefyllfa hon group1ToCompare=Grŵp defnyddwyr i ddadansoddi group2ToCompare=Ail grŵp defnyddwyr er mwyn cymharu -OrJobToCompare=Cymharwch â gofynion sgiliau swydd +OrJobToCompare=Compare to skill requirements of a job profile difference=Gwahaniaeth CompetenceAcquiredByOneOrMore=Cymhwysedd wedi'i gaffael gan un neu fwy o ddefnyddwyr ond nad yw'r ail gymharydd yn gofyn amdano -MaxlevelGreaterThan=Lefel uchaf yn fwy na'r un y gofynnwyd amdani -MaxLevelEqualTo=Lefel uchaf sy'n cyfateb i'r galw hwnnw -MaxLevelLowerThan=Lefel uchaf yn is na'r galw hwnnw -MaxlevelGreaterThanShort=Lefel y gweithiwr yn uwch na'r un y gofynnwyd amdani -MaxLevelEqualToShort=Mae lefel y gweithiwr yn cyfateb i'r galw hwnnw -MaxLevelLowerThanShort=Lefel y gweithiwr yn is na'r galw hwnnw +MaxlevelGreaterThan=Employee level is greater than the expected level +MaxLevelEqualTo=Employee level is equals to the expected level +MaxLevelLowerThan=Employee level is lower than that the expected level +MaxlevelGreaterThanShort=Level greater than expected +MaxLevelEqualToShort=Level equal to the expected level +MaxLevelLowerThanShort=Level lower than expected SkillNotAcquired=Sgil heb ei gaffael gan bob defnyddiwr ac y mae'r ail gymharydd yn gofyn amdani legend=Chwedl TypeSkill=Math o sgil -AddSkill=Ychwanegu sgiliau at swydd -RequiredSkills=Sgiliau gofynnol ar gyfer y swydd hon +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile UserRank=Safle Defnyddiwr SkillList=Rhestr sgiliau SaveRank=Cadw rheng -TypeKnowHow=Know how +TypeKnowHow=Know-how TypeHowToBe=How to be TypeKnowledge=Knowledge AbandonmentComment=Sylw gadael @@ -85,7 +89,9 @@ VacantCheckboxHelper=Bydd gwirio'r opsiwn hwn yn dangos swyddi heb eu llenwi (sw SaveAddSkill = Skill(s) added SaveLevelSkill = Skill(s) level saved DeleteSkill = Skill removed -SkillsExtraFields=Attributs supplémentaires (Compétences) -JobsExtraFields=Attributs supplémentaires (Emplois) -EvaluationsExtraFields=Attributs supplémentaires (Evaluations) +SkillsExtraFields=Complementary attributes (Skills) +JobsExtraFields=Complementary attributes (Job profile) +EvaluationsExtraFields=Complementary attributes (Evaluations) NeedBusinessTravels=Need business travels +NoDescription=No description +TheJobProfileHasNoSkillsDefinedFixBefore=The evaluated job profile of this employee has no skill defined on it. Please add skill(s), then delete and restart the evaluation. diff --git a/htdocs/langs/cy_GB/main.lang b/htdocs/langs/cy_GB/main.lang index c85c605549d..04345560d5c 100644 --- a/htdocs/langs/cy_GB/main.lang +++ b/htdocs/langs/cy_GB/main.lang @@ -36,7 +36,7 @@ NoTranslation=Dim cyfieithiad Translation=Cyfieithiad Translations=Translations CurrentTimeZone=TimeZone PHP (gweinydd) -EmptySearchString=Rhowch feini prawf chwilio nad ydynt yn wag +EmptySearchString=Enter non empty search criteria EnterADateCriteria=Rhowch feini prawf dyddiad NoRecordFound=Heb ganfod cofnod NoRecordDeleted=Dim cofnod wedi'i ddileu @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Wedi methu ag anfon post (anfonwr=%s, derbynnydd=%s) ErrorFileNotUploaded=Ni uwchlwythwyd y ffeil. Gwiriwch nad yw'r maint yn fwy na'r uchafswm a ganiateir, bod gofod rhydd ar gael ar ddisg ac nad oes ffeil gyda'r un enw yn y cyfeiriadur hwn eisoes. ErrorInternalErrorDetected=Gwall wedi'i ganfod ErrorWrongHostParameter=Paramedr gwesteiwr anghywir -ErrorYourCountryIsNotDefined=Nid yw eich gwlad wedi'i diffinio. Ewch i Home-Setup-Edit a phostiwch y ffurflen eto. +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=Wedi methu dileu'r cofnod hwn. Defnyddir y cofnod hwn gan o leiaf un cofnod plentyn. ErrorWrongValue=Gwerth anghywir ErrorWrongValueForParameterX=Gwerth anghywir ar gyfer paramedr %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Gwall, dim cyfraddau TAW wedi'u diffinio a ErrorNoSocialContributionForSellerCountry=Gwall, dim math o drethi cymdeithasol/cyllidol wedi'u diffinio ar gyfer gwlad '%s'. ErrorFailedToSaveFile=Gwall, methu cadw'r ffeil. ErrorCannotAddThisParentWarehouse=Rydych chi'n ceisio ychwanegu warws rhiant sydd eisoes yn blentyn i warws sy'n bodoli eisoes +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=Ni all maes "%s" fod yn negyddol MaxNbOfRecordPerPage=Max. nifer y cofnodion ar bob tudalen NotAuthorized=Nid ydych wedi'ch awdurdodi i wneud hynny. @@ -103,7 +104,8 @@ RecordGenerated=Cynhyrchwyd y cofnod LevelOfFeature=Lefel y nodweddion NotDefined=Heb ei ddiffinio DolibarrInHttpAuthenticationSoPasswordUseless=Mae modd dilysu Dolibarr wedi'i osod i %s a09a4b739fz0 mewn ffeil ffurfweddu conf.php .
      Mae hyn yn golygu bod y gronfa ddata cyfrinair y tu allan i Ddolibarr, felly efallai na fydd newid y maes hwn yn cael unrhyw effaith. -Administrator=Gweinyddwr +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=Anniffiniedig PasswordForgotten=Cyfrinair wedi'i anghofio? NoAccount=Dim cyfrif? @@ -211,8 +213,8 @@ Select=Dewiswch SelectAll=Dewiswch bob un Choose=Dewiswch Resize=Newid maint +Crop=Crop ResizeOrCrop=Newid Maint neu Gnwd -Recenter=Diweddar Author=Awdur User=Defnyddiwr Users=Defnyddwyr @@ -235,6 +237,8 @@ PersonalValue=Gwerth personol NewObject=%s newydd NewValue=Gwerth newydd OldValue=Hen werth %s +FieldXModified=Field %s modified +FieldXModifiedFromYToZ=Field %s modified from %s to %s CurrentValue=Gwerth cyfredol Code=Côd Type=Math @@ -346,6 +350,7 @@ MonthOfDay=Mis o'r dydd DaysOfWeek=Dyddiau'r wythnos HourShort=H MinuteShort=mn +SecondShort=sec Rate=Cyfradd CurrencyRate=Cyfradd trosi arian cyfred UseLocalTax=Cynhwyswch dreth @@ -441,7 +446,7 @@ LT1ES=Addysg Grefyddol LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=cents ychwanegol +LT1GC=Additional cents VATRate=Gyfradd dreth RateOfTaxN=Cyfradd y dreth %s VATCode=Cod Cyfradd Treth @@ -544,6 +549,7 @@ Reportings=Adrodd Draft=Drafft Drafts=Drafftiau StatusInterInvoiced=Anfoneb +Done=Done Validated=Wedi'i ddilysu ValidatedToProduce=Wedi'i ddilysu (I gynhyrchu) Opened=Agored @@ -555,6 +561,7 @@ Unknown=Anhysbys General=Cyffredinol Size=Maint OriginalSize=Maint gwreiddiol +RotateImage=Rotate 90° Received=Derbyniwyd Paid=Talwyd Topic=Pwnc @@ -694,6 +701,7 @@ Response=Ymateb Priority=Blaenoriaeth SendByMail=Anfon trwy e-bost MailSentBy=Anfonwyd e-bost gan +MailSentByTo=Email sent by %s to %s NotSent=Heb ei anfon TextUsedInTheMessageBody=Corff e-bost SendAcknowledgementByMail=Anfon e-bost cadarnhau @@ -718,6 +726,7 @@ RecordModifiedSuccessfully=Addaswyd y cofnod yn llwyddiannus RecordsModified=%s cofnod(au) wedi'u haddasu RecordsDeleted=%s cofnod(au) wedi'u dileu RecordsGenerated=%s cofnod(au) wedi'u cynhyrchu +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=Cod awtomatig FeatureDisabled=Nodwedd wedi'i hanalluogi MoveBox=Symud teclyn @@ -760,11 +769,10 @@ DisabledModules=Modiwlau anabl For=Canys ForCustomer=Ar gyfer cwsmer Signature=Llofnod -DateOfSignature=Dyddiad y llofnod HidePassword=Dangos gorchymyn gyda chyfrinair wedi'i guddio UnHidePassword=Dangos gorchymyn go iawn gyda chyfrinair clir Root=Gwraidd -RootOfMedias=Gwraidd cyfryngau cyhoeddus (/cyfryngau) +RootOfMedias=Root of public media (/medias) Informations=Gwybodaeth Page=Tudalen Notes=Nodiadau @@ -912,6 +920,7 @@ BackOffice=Swyddfa gefn Submit=Cyflwyno View=Golwg Export=Allforio +Import=Import Exports=Allforion ExportFilteredList=Allforio rhestr wedi'i hidlo ExportList=Rhestr allforio @@ -945,7 +954,7 @@ BulkActions=Gweithrediadau swmp ClickToShowHelp=Cliciwch i ddangos cymorth cyngor WebSite=Gwefan WebSites=Gwefannau -WebSiteAccounts=Cyfrifon gwefan +WebSiteAccounts=Web access accounts ExpenseReport=Adroddiad treuliau ExpenseReports=Adroddiadau treuliau HR=AD @@ -1073,6 +1082,7 @@ CommentPage=Gofod sylwadau CommentAdded=Sylw wedi'i ychwanegu CommentDeleted=Sylw wedi'i ddileu Everybody=Pawb +EverybodySmall=Everybody PayedBy=Talwyd gan PayedTo=Talwyd i Monthly=Yn fisol @@ -1085,7 +1095,7 @@ KeyboardShortcut=Llwybr byr bysellfwrdd AssignedTo=Neilltuo i Deletedraft=Dileu drafft ConfirmMassDraftDeletion=Cadarnhad dileu màs drafft -FileSharedViaALink=Ffeil wedi'i rhannu â dolen gyhoeddus +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Dewiswch drydydd parti yn gyntaf... YouAreCurrentlyInSandboxMode=Rydych chi yn y modd "blwch tywod" %s ar hyn o bryd Inventory=Stocrestr @@ -1119,7 +1129,7 @@ ContactDefault_project_task=Tasg ContactDefault_propal=Cynnig ContactDefault_supplier_proposal=Cynnig Cyflenwr ContactDefault_ticket=Tocyn -ContactAddedAutomatically=Ychwanegwyd cyswllt o rolau trydydd parti cyswllt +ContactAddedAutomatically=Contact added from third-party contact roles More=Mwy ShowDetails=Dangos Manylion CustomReports=Adroddiadau personol @@ -1159,8 +1169,8 @@ AffectTag=Assign a Tag AffectUser=Assign a User SetSupervisor=Set the supervisor CreateExternalUser=Creu defnyddiwr allanol -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=Role assigned on each project/opportunity TasksRole=Role assigned on each task (if used) ConfirmSetSupervisor=Bulk Supervisor Set @@ -1218,7 +1228,7 @@ UserAgent=User Agent InternalUser=Internal user ExternalUser=External user NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Hide %s AddToContacts=Add address to my contacts LastAccess=Last access @@ -1229,4 +1239,24 @@ PublicVirtualCard=Virtual business card TreeView=Tree view DropFileToAddItToObject=Drop a file to add it to this object UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <= or >= before the value to filter using a mathematical comparison +SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +InProgress=In progress +DateOfPrinting=Date of printing +ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. +UserNotYetValid=Not yet valid +UserExpired=Expired +LinkANewFile=Link a new file/document +LinkedFiles=Linked files and documents +NoLinkFound=No registered links +LinkComplete=The file has been linked successfully +ErrorFileNotLinked=The file could not be linked +LinkRemoved=The link %s has been removed +ErrorFailedToDeleteLink= Failed to remove link '%s' +ErrorFailedToUpdateLink= Failed to update link '%s' +URLToLink=URL to link +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/cy_GB/oauth.lang b/htdocs/langs/cy_GB/oauth.lang index 361b2de6c37..26b195f30d2 100644 --- a/htdocs/langs/cy_GB/oauth.lang +++ b/htdocs/langs/cy_GB/oauth.lang @@ -9,9 +9,11 @@ HasAccessToken=Cynhyrchwyd tocyn a'i gadw mewn cronfa ddata leol NewTokenStored=Tocyn wedi'i dderbyn a'i gadw ToCheckDeleteTokenOnProvider=Cliciwch yma i wirio/dileu awdurdodiad sydd wedi'i gadw gan ddarparwr %s OAuth TokenDeleted=Tocyn wedi'i ddileu +GetAccess=Click here to get a token RequestAccess=Click here to request/renew access and receive a new token -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=Defnyddiwch yr URL canlynol fel yr URI Ailgyfeirio wrth greu eich manylion adnabod gyda'ch darparwr OAuth: +DeleteAccess=Click here to delete the token +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens SeePreviousTab=Gweler y tab blaenorol @@ -30,7 +32,11 @@ OAUTH_GITHUB_SECRET=Cyfrinach OAuth GitHub OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret OAUTH_STRIPE_TEST_NAME=Prawf Stripe OAuth OAUTH_STRIPE_LIVE_NAME=OAuth Stripe yn Fyw -OAUTH_ID=OAuth ID +OAUTH_ID=OAuth Client ID OAUTH_SECRET=OAuth secret +OAUTH_TENANT=OAuth tenant OAuthProviderAdded=OAuth provider added AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists +URLOfServiceForAuthorization=URL provided by OAuth service for authentication +Scopes=Permissions (Scopes) +ScopeUndefined=Permissions (Scopes) undefined (see previous tab) diff --git a/htdocs/langs/cy_GB/products.lang b/htdocs/langs/cy_GB/products.lang index 442853ad95a..3b18bee4f12 100644 --- a/htdocs/langs/cy_GB/products.lang +++ b/htdocs/langs/cy_GB/products.lang @@ -80,8 +80,11 @@ SoldAmount=Swm a werthwyd PurchasedAmount=Swm a brynwyd NewPrice=Pris newydd MinPrice=Minnau. Pris gwerthu +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=Golygu label pris gwerthu -CantBeLessThanMinPrice=Ni all y pris gwerthu fod yn is na'r isafswm a ganiateir ar gyfer y cynnyrch hwn (%s heb dreth). Gall y neges hon hefyd ymddangos os teipiwch ddisgownt rhy bwysig. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Ar gau ErrorProductAlreadyExists=Mae cynnyrch gyda chyfeiriad %s eisoes yn bodoli. ErrorProductBadRefOrLabel=Gwerth anghywir ar gyfer cyfeirio neu label. @@ -347,16 +350,17 @@ UseProductFournDesc=Ychwanegu nodwedd i ddiffinio'r disgrifiad cynnyrch a ddiffi ProductSupplierDescription=Disgrifiad gwerthwr ar gyfer y cynnyrch UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=Byddwch yn prynu lluosrif o'r swm hwn yn awtomatig. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=Ailgyfrifwyd maint y llinell yn ôl pecynnu cyflenwyr #Attributes +Attributes=Attributes VariantAttributes=Priodoleddau amrywiad ProductAttributes=Priodoleddau amrywiol ar gyfer cynhyrchion ProductAttributeName=Priodoledd amrywiad %s ProductAttribute=Priodoledd amrywiad ProductAttributeDeleteDialog=Ydych chi'n siŵr eich bod am ddileu'r briodwedd hon? Bydd yr holl werthoedd yn cael eu dileu -ProductAttributeValueDeleteDialog=A ydych yn siŵr eich bod am ddileu'r gwerth "%s" gyda'r cyfeirnod "%s" y briodwedd hon? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=A ydych yn sicr eisiau dileu amrywiad y cynnyrch " %s " ? ProductCombinationAlreadyUsed=Bu gwall wrth ddileu'r amrywiad. Gwiriwch nad yw'n cael ei ddefnyddio mewn unrhyw wrthrych ProductCombinations=Amrywiadau @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Bu gwall wrth geisio dileu amrywiadau cynnyrch pr NbOfDifferentValues=Nifer y gwahanol werthoedd NbProducts=Nifer y cynhyrchion ParentProduct=Cynnyrch rhiant +ParentProductOfVariant=Parent product of variant HideChildProducts=Cuddio cynhyrchion amrywiad ShowChildProducts=Dangos cynhyrchion amrywiad NoEditVariants=Ewch i'r cerdyn cynnyrch Rhiant a golygu effaith prisiau amrywiadau yn y tab amrywiadau @@ -417,7 +422,7 @@ ErrorsProductsMerge=Errors in products merge SwitchOnSaleStatus=Trowch ymlaen statws gwerthu SwitchOnPurchaseStatus=Trowch y statws prynu ymlaen UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Caeau Ychwanegol (symudiad stoc) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Meysydd Ychwanegol (rhestr) ScanOrTypeOrCopyPasteYourBarCodes=Sganiwch neu deipiwch neu copïwch/gludwch eich codau bar PuttingPricesUpToDate=Update prices with current known prices @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Select the extrafield you want modify ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? ModifyValueExtrafields = Modify value of an extrafield OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/cy_GB/projects.lang b/htdocs/langs/cy_GB/projects.lang index c5003dbe05d..9935037f32d 100644 --- a/htdocs/langs/cy_GB/projects.lang +++ b/htdocs/langs/cy_GB/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Out of project NoProject=Dim prosiect wedi'i ddiffinio nac yn eiddo iddo NbOfProjects=Nifer y prosiectau NbOfTasks=Nifer y tasgau +TimeEntry=Time tracking TimeSpent=Amser a dreulir +TimeSpentSmall=Time spent TimeSpentByYou=Amser a dreulir gennych chi TimeSpentByUser=Amser a dreulir gan y defnyddiwr -TimesSpent=Amser a dreulir TaskId=ID Tasg RefTask=Tasg cyf. LabelTask=Label tasg @@ -82,7 +83,7 @@ MyProjectsArea=Ardal fy mhrosiectau DurationEffective=Hyd effeithiol ProgressDeclared=Cynnydd gwirioneddol wedi'i ddatgan TaskProgressSummary=Cynnydd tasg -CurentlyOpenedTasks=Tasgau agored ar hyn o bryd +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=Mae'r cynnydd gwirioneddol datganedig yn llai %s na'r cynnydd ar ddefnydd TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Mae'r cynnydd gwirioneddol datganedig yn fwy %s na'r cynnydd ar ddefnydd ProgressCalculated=Cynnydd ar ddefnydd @@ -122,7 +123,7 @@ TaskHasChild=Mae gan y dasg blentyn NotOwnerOfProject=Ddim yn berchennog y prosiect preifat hwn AffectedTo=Wedi'i neilltuo i CantRemoveProject=Ni ellir dileu'r prosiect hwn gan fod rhai gwrthrychau eraill (anfoneb, archebion neu eraill) yn cyfeirio ato. Gweler y tab '%s'. -ValidateProject=Dilysu prosiect +ValidateProject=Validate project ConfirmValidateProject=Ydych chi'n siŵr eich bod am ddilysu'r prosiect hwn? CloseAProject=Prosiect cau ConfirmCloseAProject=Ydych chi'n siŵr eich bod am gau'r prosiect hwn? @@ -226,7 +227,7 @@ ProjectsStatistics=Ystadegau ar brosiectau neu arweinwyr TasksStatistics=Ystadegau ar dasgau prosiectau neu arweinwyr TaskAssignedToEnterTime=Tasg wedi'i neilltuo. Dylai fod yn bosibl nodi amser ar y dasg hon. IdTaskTime=Amser tasg id -YouCanCompleteRef=Os ydych chi am gwblhau'r cyfeirnod gyda rhywfaint o ôl-ddodiad, argymhellir ychwanegu cymeriad - i'w wahanu, felly bydd y rhifo awtomatig yn dal i weithio'n gywir ar gyfer prosiectau nesaf. Er enghraifft %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Prosiectau agored gan drydydd parti OnlyOpportunitiesShort=Dim ond yn arwain OpenedOpportunitiesShort=Agor gwifrau @@ -238,7 +239,7 @@ OpportunityPonderatedAmountDesc=Arwain swm wedi'i bwysoli â thebygolrwydd OppStatusPROSP=Rhagolygon OppStatusQUAL=Cymhwyster OppStatusPROPO=Cynnig -OppStatusNEGO=Negodi +OppStatusNEGO=Negotiation OppStatusPENDING=Arfaeth OppStatusWON=Ennill OppStatusLOST=Wedi colli diff --git a/htdocs/langs/cy_GB/receptions.lang b/htdocs/langs/cy_GB/receptions.lang index 374d1114f00..1fa7c27d1b2 100644 --- a/htdocs/langs/cy_GB/receptions.lang +++ b/htdocs/langs/cy_GB/receptions.lang @@ -32,10 +32,11 @@ StatusReceptionDraftShort=Drafft StatusReceptionValidatedShort=Wedi'i ddilysu StatusReceptionProcessedShort=Wedi'i brosesu ReceptionSheet=Taflen dderbyn +ValidateReception=Validate reception ConfirmDeleteReception=Ydych chi'n siŵr eich bod am ddileu'r derbyniad hwn? -ConfirmValidateReception=A ydych yn siŵr eich bod am ddilysu'r derbyniad hwn gyda'r cyfeirnod %s ? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Ydych chi'n siŵr eich bod am ganslo'r derbyniad hwn? -StatsOnReceptionsOnlyValidated=Ystadegau a gynhaliwyd ar dderbynfeydd yn unig a ddilyswyd. Y dyddiad a ddefnyddir yw'r dyddiad dilysu derbyn (nid yw'r dyddiad dosbarthu arfaethedig bob amser yn hysbys). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Anfonwch y dderbynfa trwy e-bost SendReceptionRef=Cyflwyno derbyniad %s ActionsOnReception=Digwyddiadau ar y dderbynfa @@ -48,7 +49,10 @@ ReceptionsNumberingModules=Modiwl rhifo ar gyfer derbynfeydd ReceptionsReceiptModel=Templedi dogfennau ar gyfer derbynfeydd NoMorePredefinedProductToDispatch=Dim mwy o gynhyrchion wedi'u diffinio ymlaen llaw i'w hanfon ReceptionExist=Mae derbyniad yn bodoli -ByingPrice=Bying pris ReceptionBackToDraftInDolibarr=Derbyn %s yn ôl i'r drafft ReceptionClassifyClosedInDolibarr=Derbynfa %s wedi'i ddosbarthu Ar Gau ReceptionUnClassifyCloseddInDolibarr=Derbynfa %s yn ail agor +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/cy_GB/sendings.lang b/htdocs/langs/cy_GB/sendings.lang index e8656bca4ed..a7141836416 100644 --- a/htdocs/langs/cy_GB/sendings.lang +++ b/htdocs/langs/cy_GB/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Wedi'i ddilysu StatusSendingProcessedShort=Wedi'i brosesu SendingSheet=Taflen cludo ConfirmDeleteSending=Ydych chi'n siŵr eich bod am ddileu'r llwyth hwn? -ConfirmValidateSending=A ydych yn siŵr eich bod am ddilysu'r llwyth hwn gyda'r cyfeirnod %s ? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=A ydych yn siŵr eich bod am ganslo'r llwyth hwn? DocumentModelMerou=Model Merou A5 WarningNoQtyLeftToSend=Rhybudd, dim cynhyrchion yn aros i gael eu cludo. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Swm cynnyrch o orchmynion prynu ago NoProductToShipFoundIntoStock=Ni ddarganfuwyd unrhyw gynnyrch i'w gludo yn y warws %s . Cywirwch y stoc neu ewch yn ôl i ddewis warws arall. WeightVolShort=Pwysau/Cyfrol. ValidateOrderFirstBeforeShipment=Rhaid i chi ddilysu'r archeb yn gyntaf cyn gallu cludo nwyddau. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Swm pwysau'r cynnyrch # warehouse details DetailWarehouseNumber= Manylion y warws DetailWarehouseFormat= W:%s (Qty: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/cy_GB/website.lang b/htdocs/langs/cy_GB/website.lang index 9c901036c25..27154df58d6 100644 --- a/htdocs/langs/cy_GB/website.lang +++ b/htdocs/langs/cy_GB/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Enwau tudalennau eraill/enwau eraill WEBSITE_ALIASALTDesc=Defnyddiwch yma restr o enwau/aliasau eraill fel y gellir cyrchu'r dudalen hefyd gan ddefnyddio'r enwau/enwau eraill hyn (er enghraifft yr hen enw ar ôl ailenwi'r arallenw i gadw backlink ar hen ddolen/enw yn gweithio). Cystrawen yw:
      enw amgen1, enw amgen2, ... WEBSITE_CSS_URL=URL y ffeil CSS allanol WEBSITE_CSS_INLINE=Cynnwys ffeil CSS (cyffredin i bob tudalen) -WEBSITE_JS_INLINE=Cynnwys ffeil javascript (cyffredin i bob tudalen) +WEBSITE_JS_INLINE=JavaScript file content (common to all pages) WEBSITE_HTML_HEADER=Ychwanegiad ar waelod Pennawd HTML (cyffredin i bob tudalen) WEBSITE_ROBOT=Ffeil robot (robots.txt) WEBSITE_HTACCESS=Gwefan .htaccess ffeil @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=Nodyn: Os ydych chi am ddiffinio pennyn wedi'i be MediaFiles=Llyfrgell y cyfryngau EditCss=Golygu priodweddau gwefan EditMenu=Golygu dewislen -EditMedias=Golygu cyfryngau +EditMedias=Edit media EditPageMeta=Golygu tudalen / priodweddau cynhwysydd EditInLine=Golygu ar-lein AddWebsite=Ychwanegu gwefan @@ -60,10 +60,11 @@ NoPageYet=Dim tudalennau eto YouCanCreatePageOrImportTemplate=Gallwch greu tudalen newydd neu fewnforio templed gwefan llawn SyntaxHelp=Cymorth ar awgrymiadau cystrawen penodol YouCanEditHtmlSourceckeditor=Gallwch olygu cod ffynhonnell HTML gan ddefnyddio'r botwm "Ffynhonnell" yn y golygydd. -YouCanEditHtmlSource=
      Gallwch chi gynnwys cod PHP i'r ffynhonnell hon gan ddefnyddio tagiau <?php ?a0012c67d abefc0700? Mae'r newidynnau byd-eang canlynol ar gael: $conf, $db, $mysoc, $user, $gwefan, $gwefan, $weblangs, $pagelangs.

      Gallwch hefyd gynnwys cynnwys Tudalen/Cynhwysydd arall gyda'r gystrawen ganlynol:
      a0e7843bz0 a0e7843bz0 a0e7843907conclude_conclude ? >


      Gallwch wneud ailgyfeirio i dudalen / Cynhwysydd arall gyda'r chystrawen canlynol (Noder: nid ydynt allbwn unrhyw gynnwys cyn i ailgyfeirio):?
      < php redirectToContainer ( 'alias_of_container_to_redirect_to'); ? >

      I ychwanegu dolen i dudalen arall, defnyddiwch y chystrawen:
      <a href = "alias_of_page_to_link_to.php" >mylink<a>

      I gynnwys dolen i lawrlwytho am ffeil ei storio mewn i'r dogfennau cyfeiriadur , defnyddiwch y document.php deunydd lapio:
      enghraifft, am ffeil i mewn i ddogfennau / ECM (angen bod wedi logio i), cystrawen yw:?
      <a href = "/ document.php modulepart = ECM & file = [relative_dir / ]enw'r ffeil.ext">
      Ar gyfer ffeil i mewn i ddogfennau/cyfryngau (cyfeiriadur agored ar gyfer mynediad cyhoeddus), cystrawen yw:
      a0e78439407 h0342fccfda19bz0
      78439407 ac060003: "/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

      Ar gyfer ffeil sy'n cael ei rhannu gyda dolen rhannu (mynediad agored gan ddefnyddio allwedd rhannu hash y ffeil), sy'n cyfateb i acfda903030603603: acfda1903 acfda19bz: acfda1903603: acfda190303: acfda190303: acfda190307: acfda /document.php?hashp=publicsharekeyoffile">


      i gynnwys delwedd storio mewn i'r dogfennau cyfeiriadur, defnyddiwch y viewimage.php deunydd lapio:
      enghraifft, ar gyfer delwedd i mewn i ddogfennau / cyfryngau (ar agor cyfeiriadur ar gyfer mynediad i'r cyhoedd), cystrawen yw:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]700zfc6006000000000000000000 -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Ar gyfer delwedd a rennir gyda dolen rhannu (mynediad agored gan ddefnyddio'r allwedd rhannu hash o ffeil), cystrawen yw:
      <img src="/viewimage.php?hashp=123456790012..." -YouCanEditHtmlSourceMore=
      Mwy o enghreifftiau o HTML neu god deinamig ar gael ar dogfennaeth wici
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Tudalen clonio/cynhwysydd CloneSite=Safle clôn SiteAdded=Ychwanegwyd y wefan @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Mae'n ddrwg gennym, nid yw'r wefan hon ar-lein ar WEBSITE_USE_WEBSITE_ACCOUNTS=Galluogi tabl cyfrif y wefan WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Galluogi'r tabl i storio cyfrifon gwefan (mewngofnodi/pasio) ar gyfer pob gwefan / trydydd parti YouMustDefineTheHomePage=Yn gyntaf rhaid i chi ddiffinio'r dudalen Hafan rhagosodedig -OnlyEditionOfSourceForGrabbedContentFuture=Rhybudd: Mae creu tudalen we trwy fewnforio tudalen we allanol wedi'i gadw ar gyfer defnyddwyr profiadol. Yn dibynnu ar gymhlethdod y dudalen ffynhonnell, gall canlyniad mewnforio fod yn wahanol i'r gwreiddiol. Hefyd, os yw'r dudalen ffynhonnell yn defnyddio arddulliau CSS cyffredin neu javascript sy'n gwrthdaro, gall dorri edrychiad neu nodweddion golygydd y Wefan wrth weithio ar y dudalen hon. Mae'r dull hwn yn ffordd gyflymach o greu tudalen ond argymhellir creu eich tudalen newydd o'r dechrau neu o dempled tudalen a awgrymir.
      Sylwch hefyd efallai na fydd y golygydd mewnol yn gweithio'n gywir pan gaiff ei ddefnyddio ar dudalen allanol sydd wedi'i chipio. +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting JavaScript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correctty when used on a grabbed external page. OnlyEditionOfSourceForGrabbedContent=Dim ond argraffiad o ffynhonnell HTML sy'n bosibl pan gipiwyd cynnwys o wefan allanol GrabImagesInto=Cydio hefyd delweddau a ddarganfuwyd i mewn i css a thudalen. ImagesShouldBeSavedInto=Dylid cadw delweddau yn y cyfeiriadur @@ -112,13 +113,13 @@ GoTo=Mynd i DynamicPHPCodeContainsAForbiddenInstruction=Rydych chi'n ychwanegu cod PHP deinamig sy'n cynnwys y cyfarwyddyd PHP ' %s ' sydd wedi'i wahardd yn ddiofyn fel cynnwys deinamig (gweler y dewisiadau cudd WEBSITE_PHP_ALLOW_xxx i gynyddu'r rhestr o orchmynion a ganiateir). NotAllowedToAddDynamicContent=Nid oes gennych ganiatâd i ychwanegu neu olygu cynnwys deinamig PHP mewn gwefannau. Gofynnwch am ganiatâd neu cadwch y cod yn y tagiau php heb eu haddasu. ReplaceWebsiteContent=Chwilio neu Amnewid cynnwys gwefan -DeleteAlsoJs=Dileu hefyd yr holl ffeiliau javascript sy'n benodol i'r wefan hon? -DeleteAlsoMedias=Dileu hefyd yr holl ffeiliau cyfryngau sy'n benodol i'r wefan hon? +DeleteAlsoJs=Delete also all JavaScript files specific to this website? +DeleteAlsoMedias=Delete also all media files specific to this website? MyWebsitePages=Tudalennau fy ngwefan SearchReplaceInto=Chwilio | Amnewid i mewn ReplaceString=Llinyn newydd CSSContentTooltipHelp=Rhowch gynnwys CSS yma. Er mwyn osgoi unrhyw wrthdaro â CSS y cais, gwnewch yn siŵr eich bod yn rhag-redeg pob datganiad gyda'r dosbarth .bodywebsite. Er enghraifft:

      #mycssselector, mewnbwn.myclass:hover {... }
      rhaid fod yn
      .bodywebsite #mycssselector, .bodywebsa0193:442Ffeil
      wedi ei
      .bodywebsite #mycssselector, .bodywebsa033...bodywebda0394: ffeil fawrcfda19bz0
      wedi mewnbwn.mycssselector... y rhagddodiad hwn, gallwch ddefnyddio 'lessc' i'w drosi i atodi'r rhagddodiad .bodywebsite ym mhobman. -LinkAndScriptsHereAreNotLoadedInEditor=Rhybudd: Dim ond pan fydd gweinydd yn cyrchu'r wefan y caiff y cynnwys hwn ei allbwn. Nid yw'n cael ei ddefnyddio yn y modd Golygu felly os oes angen i chi lwytho ffeiliau javascript hefyd yn y modd golygu, ychwanegwch eich tag 'script src=...' i'r dudalen. +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=Sampl o dudalen gyda chynnwys deinamig ImportSite=Mewnforio templed gwefan EditInLineOnOff=Modd 'Golygu yn unol' yw %s @@ -157,3 +158,9 @@ Booking=Booking Reservation=Reservation PagesViewedPreviousMonth=Pages viewed (previous month) PagesViewedTotal=Pages viewed (total) +Visibility=Visibility +Everyone=Everyone +AssignedContacts=Assigned contacts +WebsiteTypeLabel=Type of Web site +WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/cy_GB/withdrawals.lang b/htdocs/langs/cy_GB/withdrawals.lang index 25ee10af94a..4b43e9d5360 100644 --- a/htdocs/langs/cy_GB/withdrawals.lang +++ b/htdocs/langs/cy_GB/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Gwneud cais trosglwyddo credyd WithdrawRequestsDone=%s ceisiadau taliad debyd uniongyrchol wedi'u cofnodi BankTransferRequestsDone=%s ceisiadau trosglwyddo credyd wedi'u cofnodi ThirdPartyBankCode=Cod banc trydydd parti -NoInvoiceCouldBeWithdrawed=Dim anfoneb wedi'i debydu'n llwyddiannus. Gwiriwch fod anfonebau ar gwmnïau sydd ag IBAN dilys a bod gan IBAN UMR (Cyfeirnod Mandad Unigryw) gyda modd %s . +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=Mae'r dderbynneb tynnu'n ôl hon eisoes wedi'i nodi fel un a gredydwyd; ni ellir gwneud hyn ddwywaith, gan y gallai hyn greu taliadau dyblyg a chofnodion banc. ClassCredited=Dosbarthu wedi'i gredydu ClassDebited=Dosbarthu debyd @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=A ydych chi'n siŵr eich bod am nodi gwrthodiad tynnu'n RefusedData=Dyddiad gwrthod RefusedReason=Rheswm dros wrthod RefusedInvoicing=Bilio'r gwrthod -NoInvoiceRefused=Peidiwch â chodi tâl am wrthod -InvoiceRefused=Gwrthodwyd yr anfoneb (Codwch y cwsmer am ei gwrthod) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Debyd/credyd statws StatusWaiting=Aros StatusTrans=Anfonwyd @@ -103,7 +106,7 @@ ShowWithdraw=Dangos Archeb Debyd Uniongyrchol IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Fodd bynnag, os oes gan yr anfoneb o leiaf un archeb talu debyd uniongyrchol heb ei phrosesu eto, ni fydd yn cael ei gosod fel un a dalwyd er mwyn caniatáu rheoli codi arian ymlaen llaw. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Ffeil archeb debyd @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Dyddiad llofnod mandad RUMLong=Cyfeirnod Mandad Unigryw RUMWillBeGenerated=Os yw'n wag, bydd UMR (Cyfeirnod Mandad Unigryw) yn cael ei gynhyrchu unwaith y bydd gwybodaeth y cyfrif banc wedi'i chadw. -WithdrawMode=Modd debyd uniongyrchol (FRST neu RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Swm y Cais Debyd Uniongyrchol: BankTransferAmount=Swm y Cais Trosglwyddo Credyd: WithdrawRequestErrorNilAmount=Methu creu cais debyd uniongyrchol am swm gwag. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Eich Enw Cyfrif Banc (IBAN) SEPAFormYourBIC=Eich Cod Dynodwr Banc (BIC) SEPAFrstOrRecur=Math o daliad ModeRECUR=Taliad cylchol +ModeRCUR=Recurring payment ModeFRST=Taliad untro PleaseCheckOne=Gwiriwch un yn unig CreditTransferOrderCreated=Gorchymyn trosglwyddo credyd %s wedi'i greu @@ -155,9 +159,16 @@ InfoTransData=Swm: %s
      Dull: %s
      Dyddiad: %s InfoRejectSubject=Gwrthodwyd gorchymyn talu debyd uniongyrchol InfoRejectMessage=Helo,

      y gorchymyn talu debyd uniongyrchol o anfoneb %s yn ymwneud â'r cwmni %s, gyda swm o %s wedi'i wrthod gan y banc.

      --
      %s ModeWarning=Ni osodwyd opsiwn ar gyfer modd go iawn, rydyn ni'n stopio ar ôl yr efelychiad hwn -ErrorCompanyHasDuplicateDefaultBAN=Mae gan gwmni ag id %s fwy nag un cyfrif banc diofyn. Dim ffordd o wybod pa un i'w ddefnyddio. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=ICS ar goll yn y cyfrif banc %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Mae cyfanswm archeb debyd uniongyrchol yn wahanol i swm y llinellau WarningSomeDirectDebitOrdersAlreadyExists=Rhybudd: Mae rhai archebion Debyd Uniongyrchol yn yr arfaeth eisoes (%s) y gofynnwyd amdanynt am swm o %s WarningSomeCreditTransferAlreadyExists=Rhybudd: Mae angen rhywfaint o Drosglwyddiad Credyd ar y gweill eisoes (%s) am swm o %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Salary +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/cy_GB/workflow.lang b/htdocs/langs/cy_GB/workflow.lang index 6b7442731b1..3090b1bd142 100644 --- a/htdocs/langs/cy_GB/workflow.lang +++ b/htdocs/langs/cy_GB/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Creu anfoneb cwsmer yn awtomatig ar ôl descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Creu anfoneb cwsmer yn awtomatig ar ôl i orchymyn gwerthu gael ei gau (bydd gan yr anfoneb newydd yr un faint â'r archeb) descWORKFLOW_TICKET_CREATE_INTERVENTION=On ticket creation, automatically create an intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Dosbarthu cynnig ffynhonnell gysylltiedig fel y'i bil pan fydd archeb gwerthu yn cael ei bilio (ac os yw swm yr archeb yr un peth â chyfanswm y cynnig cysylltiedig wedi'i lofnodi) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Dosbarthu cynnig ffynhonnell gysylltiedig fel y'i bil pan ddilysir anfoneb cwsmer (ac os yw swm yr anfoneb yr un peth â chyfanswm y cynnig cysylltiedig wedi'i lofnodi) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Dosbarthu archeb gwerthu ffynhonnell gysylltiedig fel y'i bil pan ddilysir anfoneb y cwsmer (ac os yw swm yr anfoneb yr un peth â chyfanswm yr archeb gysylltiedig) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Dosbarthu archeb gwerthu ffynhonnell gysylltiedig fel y'i bil pan fydd anfoneb cwsmer yn cael ei thalu (ac os yw swm yr anfoneb yr un peth â chyfanswm yr archeb gysylltiedig) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Dosbarthwch archeb gwerthu ffynhonnell gysylltiedig fel un sy'n cael ei gludo pan fydd llwyth yn cael ei ddilysu (ac os yw'r swm a gludir gan bob llwyth yr un peth ag yn y gorchymyn i ddiweddaru) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Dosbarthwch archeb gwerthu ffynhonnell gysylltiedig fel un sy'n cael ei gludo pan fydd llwyth ar gau (ac os yw'r swm a gludir gan bob llwyth yr un peth ag yn y gorchymyn i ddiweddaru) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Dosbarthu cynnig gwerthwr ffynhonnell gysylltiedig fel y'i bil pan ddilysir anfoneb y gwerthwr (ac os yw swm yr anfoneb yr un peth â chyfanswm y cynnig cysylltiedig) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Dosbarthu archeb brynu ffynhonnell gysylltiedig fel y'i bil pan ddilysir anfoneb y gwerthwr (ac os yw swm yr anfoneb yr un peth â chyfanswm yr archeb gysylltiedig) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Dosbarthwch archeb brynu ffynhonnell gysylltiedig fel y'i derbyniwyd pan ddilysir derbyniad (ac os yw'r swm a dderbynnir gan bob derbyniad yr un peth ag yn yr archeb brynu i ddiweddaru) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Dosbarthwch archeb brynu ffynhonnell gysylltiedig fel un a dderbyniwyd pan fydd derbyniad ar gau (ac os yw'r swm a dderbynnir gan bob derbynfa yr un peth ag yn yr archeb brynu i ddiweddaru) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link available contracts of matching thirdparty +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=When linking contracts, search among those of parents companies # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Caewch yr holl ymyriadau sy'n gysylltiedig â'r tocyn pan fydd tocyn ar gau AutomaticCreation=Creu awtomatig AutomaticClassification=Dosbarthiad awtomatig -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Automatic closing AutomaticLinking=Automatic linking diff --git a/htdocs/langs/da_DK/accountancy.lang b/htdocs/langs/da_DK/accountancy.lang index 4dc428df6e0..a1ef4b25146 100644 --- a/htdocs/langs/da_DK/accountancy.lang +++ b/htdocs/langs/da_DK/accountancy.lang @@ -38,7 +38,7 @@ DeleteCptCategory=Fjern regnskabskonto fra gruppe ConfirmDeleteCptCategory=Er du sikker på, du vil fjerne denne regnskabskonto fra gruppen? JournalizationInLedgerStatus=Status for bogføring AlreadyInGeneralLedger=Allerede overført til regnskabstidsskrifter og regnskab -NotYetInGeneralLedger=Endnu ikke overført til regnskabsblade og regnskaber +NotYetInGeneralLedger=Endnu ikke overført til regnskabskladder og finans GroupIsEmptyCheckSetup=Gruppen er tom, kontroller opsætningen af ​​den brugerdefinerede regnskabsgruppe DetailByAccount=Vis detaljer efter konto DetailBy=Detalje af @@ -53,15 +53,13 @@ ExportAccountingSourceDocHelp=Med dette værktøj kan du søge og eksportere de ExportAccountingSourceDocHelp2=For at eksportere dine tidsskrifter skal du bruge menuindgangen %s - %s. ExportAccountingProjectHelp=Angiv et projekt, hvis du kun har brug for en regnskabsrapport for et specifikt projekt. Udgiftsrapporter og lånebetalinger indgår ikke i projektrapporter. ExportAccountancy=Eksportregnskab -WarningDataDisappearsWhenDataIsExported=Advarsel, denne liste indeholder kun de regnskabsposter, der ikke allerede er eksporteret (eksportdatoen er tom). Hvis du vil inkludere de allerede eksporterede regnskabsposter for at gen-eksportere dem, skal du klikke på knappen ovenfor. +WarningDataDisappearsWhenDataIsExported=Advarsel, denne List indeholder kun konto-posterne, der ikke allerede er eksporteret (Eksporter dato er tom). Hvis du vil inkludere de konto-poster, der allerede er eksporteret, skal du klikke på knappen ovenfor. VueByAccountAccounting=Vis efter regnskabskonto VueBySubAccountAccounting=Vis efter regnskabsmæssig underkonto MainAccountForCustomersNotDefined=Hovedkonto (fra kontoplanen) for kunder, der ikke er defineret i opsætning MainAccountForSuppliersNotDefined=Hovedkonto (fra kontoplanen) for leverandører, der ikke er defineret i opsætning MainAccountForUsersNotDefined=Hovedkonto (fra kontoplanen) for brugere, der ikke er defineret i opsætning -MainAccountForRevenueStampSaleNotDefined=Konto (fra kontoplanen) for indtægtsstemplet (salg), der ikke er defineret i opsætning -MainAccountForRevenueStampPurchaseNotDefined=Konto (fra kontoplanen) for indtægtsstemplet (køb), der ikke er defineret i opsætning MainAccountForVatPaymentNotDefined=Konto (fra kontoplanen) til momsbetaling ikke defineret i opsætning MainAccountForSubscriptionPaymentNotDefined=Konto (fra kontoplanen) til medlemsbetaling ikke defineret i opsætning MainAccountForRetainedWarrantyNotDefined=Konto (fra kontoplanen) for den bibeholdte garanti, der ikke er defineret i opsætningen @@ -70,13 +68,14 @@ UserAccountNotDefined=Regnskabskonto for bruger er ikke defineret i opsætning AccountancyArea=Bogførings område AccountancyAreaDescIntro=Brugen af regnskabsmodulet sker i følgende trin: AccountancyAreaDescActionOnce=Følgende handlinger udføres normalt kun én gang eller en gang om året ... -AccountancyAreaDescActionOnceBis=Næste trin bør gøres for at spare dig tid i fremtiden ved at foreslå, at du automatisk den korrekte standardkonto konto, når du overfører data til regnskabet +AccountancyAreaDescActionOnceBis=Næste trin bør gøres for at spare dig tid i fremtiden ved automatisk at foreslå dig den korrekte standardkontokonto, når du overfører data til regnskabet AccountancyAreaDescActionFreq=Følgende handlinger udføres normalt hver måned, uge ​​eller dag for meget store virksomheder ... AccountancyAreaDescJournalSetup=TRIN %s: Tjek indholdet af din journalliste fra menuen %s AccountancyAreaDescChartModel=Trin %s: Kontroller, at der findes en skabelon til en kontoplan eller opret en fra menuen %s AccountancyAreaDescChart=TRIN %s:Vælg og/eller udfyld dit kontoplan fra menuen %s +AccountancyAreaDescFiscalPeriod=TRIN %s: Definer som standard et regnskabsår, som dine regnskabsposter skal integreres på. Til dette skal du bruge menupunktet %s. AccountancyAreaDescVat=Trin %s: Definer regnskabskonto for hver momssats. Til dette skal du bruge menupunktet %s. AccountancyAreaDescDefault=TRIN %s: Definer standard regnskabskonti. Til dette skal du bruge menupunktet %s. AccountancyAreaDescExpenseReport=TRIN %s: Definer standardkonti for hver type udgiftsrapport. Til dette skal du bruge menupunktet %s. @@ -84,19 +83,20 @@ AccountancyAreaDescSal=Trin %s: Definer standardkonto for betaling af lønninger AccountancyAreaDescContrib=TRIN %s: Definer standardregnskabskonti for Skatter (særlige udgifter). Til dette skal du bruge menupunktet %s. AccountancyAreaDescDonation=Trin %s: Definer standkonto for donationer. Til dette skal du bruge menupunktet %s. AccountancyAreaDescSubscription=Trin %s: Definer standardregnskabskonti for medlemsabonnement. Brug dette til menupunktet %s. -AccountancyAreaDescMisc=Trin %s: Definer obligatorisk standardkonto og standardkonti for diverse transaktioner. Til dette skal du bruge menupunktet %s. +AccountancyAreaDescMisc=TRIN %s: Definer obligatoriske standardkonti og standardregnskabskonti for diverse transaktioner. Til dette skal du bruge menupunktet %s. AccountancyAreaDescLoan=Trin %s: Definer standardkonti for lån. Til dette skal du bruge menupunktet %s. AccountancyAreaDescBank=Trin %s: Definer regnskabskonto og regnskabskode for hver bank og finanskonto. Til dette skal du bruge menupunktet %s. AccountancyAreaDescProd=TRIN %s: Definer regnskabskonti på dine produkter/tjenester. Til dette skal du bruge menupunktet %s. AccountancyAreaDescBind=Trin %s: Tjek Bogføringer mellem eksisterende linjer for %s og regnskabskonto er udført, så systemet kan bogføre transaktionerne med et enkelt klik. Færdiggør manglende bogføringer. Dette gøres via menuen %s. AccountancyAreaDescWriteRecords=Trin %s: Bogfør transaktioner. Dette gøres via menuen %s, ved at klikke på knapen %s. -AccountancyAreaDescAnalyze=Trin %s: Tilføj eller rediger eksisterende transaktioner og generer rapporter og eksport af data. - -AccountancyAreaDescClosePeriod=Trin %s: Luk periode, så vi kan ikke foretage ændringer i fremtiden. +AccountancyAreaDescAnalyze=TRIN %s: Læs rapporter eller generer eksportfiler til andre bogholdere. +AccountancyAreaDescClosePeriod=TRIN %s: Luk periode, så vi ikke kan overføre flere data i samme periode i fremtiden. +TheFiscalPeriodIsNotDefined=Et obligatorisk trin i opsætningen er ikke blevet gennemført (regnskabsperiode er ikke defineret) TheJournalCodeIsNotDefinedOnSomeBankAccount=Et obligatorisk trin i opsætningen er ikke afsluttet (regnskabskodejournal ikke defineret for alle bankkonti) Selectchartofaccounts=Vælg aktiv kontoplan +CurrentChartOfAccount=Aktuel aktiv kontoplan ChangeAndLoad=Ret og indlæs Addanaccount=Tilføj en regnskabskonto AccountAccounting=Regnskabskonto @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Tillad at administrere forskellige antal nuller i slutnin BANK_DISABLE_DIRECT_INPUT=Deaktiver direkte registrering af transaktionen på bankkonto ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Aktivér udkast til eksport på Journal ACCOUNTANCY_COMBO_FOR_AUX=Aktivér kombinationsliste for datterselskabskonto (kan være langsom, hvis du har mange tredjeparter, bryder evnen til at søge på en del af værdien) -ACCOUNTING_DATE_START_BINDING=Definer en dato for start af binding og overførsel i regnskab. Under denne dato overføres transaktionerne ikke til regnskab. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Ved regnskabsoverførsel, hvilken periode er valgt som standard +ACCOUNTING_DATE_START_BINDING=Deaktiver binding og overførsel i bogføring, når datoen er under denne dato (transaktionerne før denne dato vil som standard blive udelukket) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=På siden for at overføre data til bogføring, hvad er den periode, der er valgt som standard ACCOUNTING_SELL_JOURNAL=Salgsjournal - salg og returnering ACCOUNTING_PURCHASE_JOURNAL=Købsjournal - køb og returnering @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Kladde for skat/afgift ACCOUNTING_RESULT_PROFIT=Resultatregnskabskonto (fortjeneste) ACCOUNTING_RESULT_LOSS=Resultatregnskabskonto (tab) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Luknings journal +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Regnskabsgrupper brugt til balancekontoen (adskilt med komma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Regnskabsgrupper brugt til resultatopgørelsen (adskilt med komma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Konto (fra kontoplanen), der skal bruges som konto for overgangsbankoverførsler TransitionalAccount=Overgangs bankoverførsels konto @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=Hvis du opsætter regnskabskonto på typen af ​​ DescVentilDoneExpenseReport=Her vises listen over linjerne for udgiftsrapporter og deres gebyrkonto Closure=Årlig lukning -DescClosure=Se her antallet af bevægelser pr. måned, der endnu ikke er valideret og låst +AccountancyClosureStep1Desc=Se her antallet af bevægelser pr. måned, der endnu ikke er valideret og låst OverviewOfMovementsNotValidated=Oversigt over bevægelser, der ikke er valideret og låst AllMovementsWereRecordedAsValidated=Alle bevægelser blev registreret som validerede og låste NotAllMovementsCouldBeRecordedAsValidated=Ikke alle bevægelser kunne registreres som validerede og låste @@ -341,7 +343,7 @@ AccountingJournalType3=Køb AccountingJournalType4=Bank AccountingJournalType5=Udgiftsrapporter AccountingJournalType8=Beholdning -AccountingJournalType9=Har nyt +AccountingJournalType9=Overført overskud GenerationOfAccountingEntries=Generering af regnskabsposteringer ErrorAccountingJournalIsAlreadyUse=Denne kladde er allerede i brug AccountingAccountForSalesTaxAreDefinedInto=Bemærk: Regnskabskonto for salgsmoms er defineret i menuen %s - %s @@ -354,10 +356,12 @@ ACCOUNTING_ENABLE_LETTERING=Aktiver bogstavfunktionen i regnskabet ACCOUNTING_ENABLE_LETTERING_DESC=Når denne indstilling er aktiveret, kan du på hver regnskabspost definere en kode, så du kan gruppere forskellige regnskabsbevægelser sammen. Tidligere, hvor forskellige tidsskrifter blev administreret uafhængigt, var denne funktion nødvendig for at gruppere bevægelseslinjer i forskellige tidsskrifter sammen. Men med Dolibarr-regnskab er en sådan sporingskode, kaldet " %s " allerede gemt automatisk, så en automatisk skrift er allerede udført uden risiko for fejl, så denne funktion er blevet ubrugelig til almindelig brug. Manuel bogstavfunktion er tilvejebragt for slutbrugere, der virkelig ikke har tillid til computermotoren, der foretager overførsel af data i bogføring. EnablingThisFeatureIsNotNecessary=Aktivering af denne funktion er ikke længere nødvendig for en stringent regnskabsstyring. ACCOUNTING_ENABLE_AUTOLETTERING=Aktiver den automatiske bogstaver ved overførsel til regnskab -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Koden til bogstaverne genereres og øges automatisk og vælges ikke af slutbrugeren +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Koden til bogstaverne genereres automatisk og øges og vælges ikke af slutbrugeren +ACCOUNTING_LETTERING_NBLETTERS=Antal bogstaver ved generering af bogstavkode (standard 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Nogle regnskabssoftware accepterer kun en kode på to bogstaver. Denne parameter giver dig mulighed for at indstille dette aspekt. Standardantallet af bogstaver er tre. OptionsAdvanced=Avancerede indstillinger ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Aktiver styringen af omvendt momspligt på leverandørkøb -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Når denne mulighed er aktiveret, kan du definere, at en leverandør eller en given leverandørfaktura skal overføres til bogføring anderledes: En ekstra debitering og en kreditgrænse vil genereres i regnskabet på 2 givne konti fra kontoplanen defineret i "%s " opsætningsside. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Når denne mulighed er aktiveret, kan du definere, at en leverandør eller en given leverandørfaktura skal overføres til bogføring anderledes: En ekstra debet- og en kreditgrænse vil genereres i regnskabet på 2 givne konti fra kontoplanen defineret i "%s" opsætningsside. ## Export NotExportLettering=Eksporter ikke bogstaverne, når du genererer filen @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Ingen uafstemt ændret AccountancyOneUnletteringModifiedSuccessfully=Én afstemning blev ændret med succes AccountancyUnletteringModifiedSuccessfully=%s afstemning blev ændret med succes +## Closure +AccountancyClosureStep1=Trin 1: Valider og lås bevægelserne +AccountancyClosureStep2=Trin 2: Luk regnskabsperioden +AccountancyClosureStep3=Trin 3: Udpak poster (valgfrit) +AccountancyClosureClose=Luk regnskabsperiode +AccountancyClosureAccountingReversal=Udtræk og registrer "Overført indtjening"-poster +AccountancyClosureStep3NewFiscalPeriod=Næste regnskabsperiode +AccountancyClosureGenerateClosureBookkeepingRecords=Generer "Overført indtjening"-poster i den næste regnskabsperiode +AccountancyClosureSeparateAuxiliaryAccounts=Når du genererer "Overført indtjening"-posteringer, skal du detaljere underreskonti +AccountancyClosureCloseSuccessfully=Regnskabsperioden er afsluttet med succes +AccountancyClosureInsertAccountingReversalSuccessfully=Bogføringsposter for "Overført indtjening" er blevet indsat + ## Confirm box ConfirmMassUnletteringAuto=Bekræftelse af automatisk afstemning af bulk ConfirmMassUnletteringManual=Bekræftelse af manuel afstemning af bulk ConfirmMassUnletteringQuestion=Er du sikker på, at du vil afstemme de valgte %s-poster()? ConfirmMassDeleteBookkeepingWriting=Bekræftelse på massesletning ConfirmMassDeleteBookkeepingWritingQuestion=Dette vil slette transaktionen fra regnskabet (alle linjeposter relateret til den samme transaktion slettes). Er du sikker på, at du vil slette de %s valgte poster? +AccountancyClosureConfirmClose=Er du sikker på, at du vil lukke den nuværende regnskabsperiode? Du forstår, at lukning af regnskabsperioden er en irreversibel handling og vil permanent blokere enhver ændring eller sletning af poster i denne periode . +AccountancyClosureConfirmAccountingReversal=Er du sikker på, at du vil registrere poster for "Overført indtjening"? ## Error SomeMandatoryStepsOfSetupWereNotDone=Visse obligatoriske trin i opsætningen blev ikke udført. Gør venligst dette -ErrorNoAccountingCategoryForThisCountry=Ingen regnskabskontogruppe tilgængelig for land %s (Se Hjem - Opsætning - Ordbøger) +ErrorNoAccountingCategoryForThisCountry=Ingen regnskabskontogruppe tilgængelig for landet %s (Se %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Du forsøger at bogføre nogle linjer i fakturaen %s , men nogle andre linjer er endnu ikke forbundet til en regnskabskonto. Bogføring af alle varelinjer for denne faktura nægtes. ErrorInvoiceContainsLinesNotYetBoundedShort=Nogle linjer på fakturaen er ikke forbundet til en regnskabskonto. ExportNotSupported=Det valgte eksportformat understøttes ikke på denne side @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=Saldoen (%s) er ikke lig med 0 AccountancyErrorLetteringBookkeeping=Der er opstået fejl vedrørende transaktionerne: %s ErrorAccountNumberAlreadyExists=Kontonummeret %s findes allerede ErrorArchiveAddFile=Kan ikke lægge "%s" fil i arkivet +ErrorNoFiscalPeriodActiveFound=Der blev ikke fundet nogen aktiv regnskabsperiode +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Datoen for bogføringsdokumentet er ikke inden for den aktive regnskabsperiode +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Datoen for bogføringsdokumentet er inden for en lukket regnskabsperiode ## Import ImportAccountingEntries=Regnskabsposter diff --git a/htdocs/langs/da_DK/admin.lang b/htdocs/langs/da_DK/admin.lang index 68597099527..239ea01343e 100644 --- a/htdocs/langs/da_DK/admin.lang +++ b/htdocs/langs/da_DK/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Dette modul ser ikke ud til at være kompatibelt med din Dolibarr CompatibleAfterUpdate=Dette modul kræver en opdatering af din Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=Se på markedspladsen SeeSetupOfModule=Se opsætning af modul %s +SeeSetupPage=Se opsætningssiden på %s +SeeReportPage=Se rapportsiden på %s SetOptionTo=Indstil indstillingen %s til %s Updated=Opdateret AchatTelechargement=Køb / download @@ -292,22 +294,22 @@ EmailSenderProfiles=E-mails afsenderprofiler EMailsSenderProfileDesc=Du kan holde denne sektion tom. Hvis du indtaster nogle e-mails her, vil de blive tilføjet til listen over mulige afsendere i kombinationsboksen, når du skriver en ny e-mail. MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (standardværdi i php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (standardværdi i php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Ikke defineret i PHP på Unix lignende systemer) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Ikke defineret i PHP på Unix lignende systemer) -MAIN_MAIL_EMAIL_FROM=Afsender adresse for automatiske e-mails (standardværdi i php.ini: %s ) -EMailHelpMsgSPFDKIM=For at forhindre, at Dolibarr-e-mails klassificeres som spam, skal du sørge for, at serveren er autoriseret til at sende e-mails fra denne adresse ved SPF- og DKIM-konfiguration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS-port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS-vært +MAIN_MAIL_EMAIL_FROM=Afsender-e-mail til automatiske e-mails +EMailHelpMsgSPFDKIM=For at forhindre, at Dolibarr-e-mails klassificeres som spam, skal du sørge for, at serveren er autoriseret til at sende e-mails under denne identitet (ved at kontrollere SPF- og DKIM-konfigurationen af domænenavnet) MAIN_MAIL_ERRORS_TO=E-mail brugt til fejl returnerer e-mails (felterne 'Errors-To' i sendte e-mails) MAIN_MAIL_AUTOCOPY_TO= Kopier (Bcc) alle sendte e-mails til MAIN_DISABLE_ALL_MAILS=Deaktiver al afsendelse af e-mail (til testformål eller demoer) MAIN_MAIL_FORCE_SENDTO=Send alle e-mails til (i stedet for rigtige modtagere til testformål) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Foreslå e-mails fra medarbejdere (hvis defineret) på listen over foruddefinerede modtagere, når du skriver en ny e-mail -MAIN_MAIL_NO_WITH_TO_SELECTED=Vælg ikke en standardmodtager, selvom det er et enkelt valg +MAIN_MAIL_NO_WITH_TO_SELECTED=Vælg ikke en standardmodtager, selvom der kun er 1 muligt valg MAIN_MAIL_SENDMODE=Metode til afsendelse af e-mail MAIN_MAIL_SMTPS_ID=SMTP ID (hvis afsendelsesserveren kræver godkendelse) MAIN_MAIL_SMTPS_PW=SMTP adgangskode (hvis afsendelsesserveren kræver godkendelse) MAIN_MAIL_EMAIL_TLS=Brug TLS (SSL) kryptering MAIN_MAIL_EMAIL_STARTTLS=Brug TLS (STARTTLS) kryptering -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Tillad selvsignerede certifikater +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Godkend selvsignerede certifikater MAIN_MAIL_EMAIL_DKIM_ENABLED=Brug DKIM til at generere e-mail signatur MAIN_MAIL_EMAIL_DKIM_DOMAIN=E-mail domæne til brug med DKIM MAIN_MAIL_EMAIL_DKIM_SELECTOR=Navn på DKIM vælger @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Privat nøgle til DKIM signering MAIN_DISABLE_ALL_SMS=Deaktiver al SMS afsendelse (til testformål eller demoer) MAIN_SMS_SENDMODE=Metode til at bruge til at sende SMS MAIN_MAIL_SMS_FROM=Standard afsender telefonnummer til SMS-afsendelse -MAIN_MAIL_DEFAULT_FROMTYPE=Standard afsender e-mail til manuel afsendelse (bruger e-mail eller firma e-mail) +MAIN_MAIL_DEFAULT_FROMTYPE=Standard afsender-e-mail forudvalgt på formularer til at sende e-mails UserEmail=Bruger e-mail CompanyEmail=Firma e-mail FeatureNotAvailableOnLinux=Funktionen er ikke tilgængelig på Unix lignende systemer. Test dit sendmail program lokalt. @@ -417,6 +419,7 @@ PDFLocaltax=Regler for %s HideLocalTaxOnPDF=Skjul %s sats i kolonnen Salgsmoms/moms HideDescOnPDF=Skjul produktbeskrivelse HideRefOnPDF=Skjul vare ref. +ShowProductBarcodeOnPDF=Vis stregkodenummeret på produkterne HideDetailsOnPDF=Skjul detaljer om varelinjer PlaceCustomerAddressToIsoLocation=Brug fransk standardposition (La Poste) til kundeadresse position Library=Bibliotek @@ -424,7 +427,7 @@ UrlGenerationParameters=Parametre til sikre URL'er SecurityTokenIsUnique=Brug en unik sikkerhedsnøgle parameter for hver URL EnterRefToBuildUrl=Indtast reference for objekt %s GetSecuredUrl=Få beregnet URL -ButtonHideUnauthorized=Skjul uautoriserede handlingsknapper også for interne brugere (kun grå ellers) +ButtonHideUnauthorized=Skjul uautoriserede handlingsknapper også for interne brugere (kun gråt ellers) OldVATRates=Gammel momssats NewVATRates=Ny momssats PriceBaseTypeToChange=Ændre på priser med basisreferenceværdi defineret på @@ -458,11 +461,11 @@ ComputedFormula=Beregnet felt ComputedFormulaDesc=Du kan her indtaste en formel ved hjælp af andre egenskaber for objektet eller enhver PHP-kodning for at få en dynamisk beregnet værdi. Du kan bruge alle PHP-kompatible formler inklusive "?" betingelsesoperator og følgende globale objekt: $db, $conf, $langs, $mysoc, $user, $objectoffield .
      ADVARSEL : Hvis du har brug for egenskaber for et objekt, der ikke er indlæst, skal du bare hente objektet ind i din formel som i det andet eksempel.
      Brug af et beregnet felt betyder, at du ikke kan indtaste dig selv nogen værdi fra grænsefladen. Hvis der er en syntaksfejl, vil formlen muligvis ikke returnere noget.

      Eksempel på formel:
      $objectoffield->id < 10 ? round($objectoffield-> id / 2, 2): ($objectoffield->id + 2 *$user->oc, 1,2) )

      Eksempel på genindlæsning af objekt
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoftionsfield_>id)' >$rebjreoptions]field->id-$' > ->hovedstad / 5: '-1')

      Andet eksempel på formel til at tvinge belastning af objektet og dets overordnede objekt:
      (($reloadedobj = new Task($db)) && ($reloadfield ->id) > 0) && ($secondloadedobj = nyt projekt($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Overordnet projekt blev ikke fundet' Computedpersistent=Gem beregnet felt ComputedpersistentDesc=Beregnet ekstra felter vil blive gemt i databasen, dog vil værdien først blive genberegnet, når objektet i dette felt ændres. Hvis det beregnede felt afhænger af andre objekter eller globale data, kan denne værdi være forkert!! -ExtrafieldParamHelpPassword=At lade dette felt være tomt betyder, at denne værdi vil blive gemt uden kryptering (feltet må kun skjules med stjerne på skærmen).
      Indstil 'auto' for at bruge standardkrypteringsreglen til at gemme adgangskoden i databasen (så vil værdien kun være hashen, ingen måde at hente den oprindelige værdi på) +ExtrafieldParamHelpPassword=At lade dette felt stå tomt betyder, at denne værdi vil blive gemt UDEN kryptering (feltet er bare skjult med stjerner på skærmen).

      Enter værdi 'dolcrypt' for at indkode værdi med en reversibel krypteringsalgoritme. Tydelige data kan stadig kendes og redigeres, men de er krypteret i databasen.

      Indtast 'auto' (eller 'md5', 'sha256', 'password_hash', ...) for at bruge standardkodeordskrypteringsalgoritmen (eller md5, sha256, password_hash...) for at gemme den ikke-reversible hashed-kodeord i databasen (ingen måde at hente den oprindelige værdi på) ExtrafieldParamHelpselect=Liste over værdier skal være linjer med formatet nøgle,værdi (hvor nøgle ikke kan være '0')

      f.eks.:
      1,value1
      2,value2
      code3,value3
      ...

      For at gøre listen afhængig af en anden supplerende attributliste:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      For at gøre listen afhængig af en anden liste:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=Liste over værdier skal være linjer med formatet nøgle,værdi (hvor nøgle ikke kan være '0')

      f.eks.:
      1,value1
      2,value2
      3,value3
      ... ExtrafieldParamHelpradio=Liste over værdier skal være linjer med formatet nøgle,værdi (hvor nøgle ikke kan være '0')

      f.eks.:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=Liste af værdier kommer fra en tabel
      Syntaks: table_name:label_field:id_field::filtersql
      Eksempel: c_typent:libelle:id::filtersql

      - id_field er nødvendigvis en primær int nøgle
      - filtersql er en SQL-betingelse. Det kan være en simpel test (f.eks. aktiv=1) kun at vise aktiv værdi
      Du kan også bruge $ID$ i filter, som er det nuværende id for det aktuelle objekt
      For at bruge en SELECT i filteret skal du bruge nøgleordet $SEL$ for at omgå anti-injection beskyttelse.
      hvis du vil filtrere på ekstrafelter, brug syntaks extra.fieldcode=... (hvor fieldcode er koden for ekstrafelt)

      For at få listen afhængig af en anden supplerende egenskabsliste:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      For at gøre listen afhængig af en anden liste:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=Liste over værdier kommer fra en tabel
      Syntaks: tabelnavn:label_field:id_field::filtersql
      Eksempel: c_idtypent:libelle: ::filtersql

      - id_field er nødvendigvis en primær int-nøgleb0342fccfdaspan19bz> - filtersql er en SQL-betingelse. Det kan være en simpel test (f.eks. active=1) kun at vise aktiv værdi
      Du kan også bruge $ID$ i filter, som er det aktuelle id for det aktuelle objekt
      For at bruge en SELECT i filteret, skal du bruge søgeordet $SEL$ for at omgå anti-injection beskyttelse.
      hvis du vil filtrere på ekstrafelter brug syntaks extra.fieldcode=... (hvor feltkoden er koden for extrafield)

      For at have liste afhængig af en anden komplementær attributliste:
      c_typent:libelle:id:options_parent_list_code |parent_column:filter

      For at få listen afhængig af en anden liste:
      c_typent:libelle:id:parent_list_code:forælder ExtrafieldParamHelpchkbxlst=Liste over værdier kommer fra en tabel
      Syntaks: table_name:label_field:id_field::filtersql
      Eksempel: c_typent:libelle:id::filtersql

      filter kan være en simpel test (f.eks. aktiv=1) for kun at vise aktiv værdi
      Du kan også bruge $ID$ i filter, som er det nuværende id for det aktuelle objekt
      For at bruge en SELECT i filteret skal du bruge nøgleordet $SEL$
      hvis du vil filtrere på ekstrafelter, brug syntaks extra.fieldcode=... (hvor fieldcode er koden for ekstrafelt)

      For at få listen afhængig af en anden supplerende egenskabsliste:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      For at gøre listen afhængig af en anden liste:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Parametre skal være ObjectName:Classpath
      Syntaks: ObjectName:Classpath ExtrafieldParamHelpSeparator=Hold tom for en simpel adskiller
      Indstil denne til 1 for en kollapsende separator (åben som standard for ny session, så beholdes status for hver brugersession)
      Indstil denne til 2 for en kollapsende separator (skjulet som standard for ny session, så beholdes status før hver brugersession) @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Det generiske private mappe er en WebDAV mappe, som DAV_ALLOW_PUBLIC_DIR=Aktiver den generiske offentlige mappe (WebDAV dedikeret mappe med navnet "public" - intet login påkrævet) DAV_ALLOW_PUBLIC_DIRTooltip=Den generiske offentlige mappe er en WebDAV mappe, som alle kan få adgang til (i læse- og skrivetilstand), uden at der kræves nogen autorisation (login/adgangskode). DAV_ALLOW_ECM_DIR=Aktiver det private DMS/ECM bibliotek (rodmappen for DMS/ECM-modulet - login påkrævet) -DAV_ALLOW_ECM_DIRTooltip=Rodbiblioteket, hvor alle filer uploades manuelt ved brug af DMS/ECM-modulet. På samme måde som adgang fra webgrænsefladen skal du have et gyldigt login/adgangskode med passende rettigheder for at få adgang til det. +DAV_ALLOW_ECM_DIRTooltip=Rodbiblioteket, hvor alle filer uploades manuelt ved brug af DMS/ECM-modulet. På samme måde som adgang fra webgrænsefladen skal du have et gyldigt login/adgangskode med passende tilladelser for at få adgang til det. ##### Modules ##### Module0Name=Brugere og grupper Module0Desc=Bruger og gruppe administration @@ -566,7 +569,7 @@ Module40Desc=Leverandører og indkøbsstyring (indkøbsordrer og fakturering af Module42Name=Fejlsøgnings logfiler Module42Desc=Lognings faciliteter (fil, syslog, ...). Sådanne logfiler er til tekniske/fejlsøgnings formål. Module43Name=Fejlfindingslinje -Module43Desc=Et værktøj til udviklere, tilføjer en fejlfindingslinje i din browser. +Module43Desc=Et værktøj til udviklere, der tilføjer en fejlretningslinje i din browser. Module49Name=Tekstredigeringsværktøjer Module49Desc=Indstillinger for tekstredigeringsværktøjer Module50Name=Varer @@ -582,7 +585,7 @@ Module54Desc=Styring af kontrakter (ydelser eller tilbagevendende abonnementer) Module55Name=Stregkoder Module55Desc=Stregkode eller QR-kode styring Module56Name=Betaling ved kreditoverførsel -Module56Desc=Styring af leverandørbetaling ved Credit Transfer ordrer. Det inkluderer generering af SEPA-fil for europæiske lande. +Module56Desc=Håndtering af betaling af leverandører eller løn ved kreditoverførselsordrer. Det inkluderer generering af SEPA-fil for europæiske lande. Module57Name=Betalinger med Direct Debit Module57Desc=Styring af Direct Debit ordrer. Det inkluderer generering af SEPA-fil for europæiske lande. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Send e-mail meddelelser udløst af en forretningsbegivenhed: pr. b Module600Long=Bemærk, at dette modul sender e-mails i realtid, når en bestemt forretningsbegivenhed indtræffer. Hvis du leder efter en funktion til at sende e-mail påmindelser om begivenheds hændelser, skal du gå ind i opsætningen af modul Begivenheder/Tidsplan. Module610Name=Vare varianter Module610Desc=Oprettelse af vare varianter (farve, størrelse osv.) +Module650Name=Styklister (BOM) +Module650Desc=Modul til at definere dine styklister (BOM). Kan bruges til Manufacturing Ressource Planning af modulet Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Modul til håndtering af produktionsordrer (MO) Module700Name=Donationer Module700Desc=Donations styring Module770Name=Udgiftsrapporter @@ -650,8 +657,8 @@ Module2300Name=Planlagte job Module2300Desc=Planlagt job styring (alias cron eller chrono tabel) Module2400Name=Begivenheder/tidsplan Module2400Desc=Spor begivenheder. Log automatiske begivenheder til sporingsformål eller optag manuelle begivenheder eller møder. Dette er hovedmodulet for god kunde- eller leverandør-relationsstyring. -Module2430Name=Online booking kalender -Module2430Desc=Giv en onlinekalender, så alle kan booke et møde, i henhold til foruddefinerede intervaller eller tilgængeligheder. +Module2430Name=Online tidsplanlægning +Module2430Desc=Giver et online aftalebestillingssystem. Dette giver enhver mulighed for at booke et møde i henhold til foruddefinerede områder eller tilgængeligheder. Module2500Name=DMS / ECM Module2500Desc=Dokumentstyringssystem / Elektronisk indholdsstyring. Automatisk organisering af dine genererede eller gemte dokumenter. Del dem, når du har behov for det. Module2600Name=API / webtjenester (SOAP-server) @@ -672,7 +679,7 @@ Module3300Desc=Et RAD (Rapid Application Development - lav kode og ingen kode) v Module3400Name=Sociale netværk Module3400Desc=Aktiver sociale netværksfelter til tredjeparter og adresser (Skype, Twitter, Facebook, ...). Module4000Name=Personaleadministration -Module4000Desc=Personaleledelse (ledelse af afdeling, medarbejderkontrakter og følelser) +Module4000Desc=Personaleledelse (ledelse af afdeling, medarbejderkontrakter, kompetencestyring og samtale) Module5000Name=Multi-virksomhed Module5000Desc=Giver dig mulighed for at administrere flere virksomheder Module6000Name=Workflow mellem moduler @@ -712,6 +719,8 @@ Module63000Desc=Administrer ressourcer (printere, biler, lokaler, ...) til at al Module66000Name=OAuth2-tokenstyring Module66000Desc=Giv et værktøj til at generere og administrere OAuth2-tokens. Tokenet kan derefter bruges af nogle andre moduler. Module94160Name=Modtagelse +ModuleBookCalName=Bestillingskalendersystem +ModuleBookCalDesc=Administrer en kalender for at booke aftaler ##### Permissions ##### Permission11=Læs kundefakturaer (og betalinger) Permission12=Oprette/ændre kundefakturaer @@ -996,7 +1005,7 @@ Permission4031=Læs personlige oplysninger Permission4032=Skriv personlige oplysninger Permission4033=Læs alle evalueringer (også dem fra brugere, der ikke er underordnede) Permission10001=Læs webside indhold -Permission10002=Opret/rediger webside indhold (html og javascript indhold) +Permission10002=Opret/rediger websted indhold (html- og JavaScript-indhold) Permission10003=Opret/rediger webside indhold (dynamisk php-kode). Farligt, skal forbeholdes betroede udviklere. Permission10005=Slet website indhold Permission20001=Læs orlovsanmodninger (din og dine underordnedes) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Udgiftsrapport - Interval efter transportkategori DictionaryTransportMode=Intracomm rapport - Transportform DictionaryBatchStatus=Produktparti / seriel kvalitetskontrolstatus DictionaryAssetDisposalType=Type af afhændelse af aktiver +DictionaryInvoiceSubtype=Faktura undertyper TypeOfUnit=Type af måleenhed SetupSaved=Opsætningen er gemt SetupNotSaved=Opsætningen er ikke gemt @@ -1109,10 +1119,11 @@ BackToModuleList=Tilbage til modullisten BackToDictionaryList=Tilbage til ordbogslisten TypeOfRevenueStamp=Type af stempelmærker VATManagement=Sales Tax Management -VATIsUsedDesc=Som standard ved oprettelse af kundeemner, fakturaer, ordrer osv. følger momssatsen den aktive standardregel:
      Hvis sælgeren ikke er underlagt moms, vil momsen som standard være 0. Slut på reglen.
      Hvis (sælgers land = købers land), så er momsen som standard lig med momsen for produktet i sælgers land. Slut på reglen.
      Hvis både sælger og køber er i Det Europæiske Fællesskab, og varer er transportrelaterede produkter (transport, forsendelse, flyselskab), er standardmomsen 0. Denne regel afhænger af sælgers land - kontakt venligst din revisor. Momsen skal betales af køberen til toldkontoret i deres land og ikke til sælgeren. Slut på reglen.
      Hvis sælger og køber begge er i Det Europæiske Fællesskab, og køberen ikke er en virksomhed (med et registreret momsnummer inden for Fællesskabet), vil momsen som standard være momssatsen i sælgers land. Slut på reglen.
      Hvis både sælger og køber er i Det Europæiske Fællesskab, og køberen er en virksomhed (med et registreret momsnummer inden for Fællesskabet), er momsen som standard 0. Slut på reglen.
      I alle andre tilfælde er den foreslåede standard Moms=0. Slut på reglen. +VATIsUsedDesc=Som standard ved oprettelse af kundeemner, fakturaer, ordrer osv. følger momssatsen den aktive standardregel:
      Hvis sælgeren ikke er underlagt moms, vil momsen som standard være 0 Slut på reglen.
      Hvis (sælgers land = købers land), er momsen som standard lig med momsen for produktet i sælgers land. Slut på regel.
      Hvis sælger og køber begge er i Det Europæiske Fællesskab, og varer er transportrelaterede produkter (transport, forsendelse, flyselskab), er standardmomsen 0. Denne reglen afhænger af sælgers land - kontakt venligst din revisor. Momsen skal betales af køberen til toldstedet i deres land og ikke til sælgeren. Slut på regel.
      Hvis sælger og køber begge er i Det Europæiske Fællesskab, og køberen ikke er en virksomhed (med et registreret momsnummer inden for Fællesskabet), vil momsen som standard være momssatsen i sælgers land. Slut på regel.
      Hvis sælger og køber begge er i Det Europæiske Fællesskab, og køberen er en virksomhed (med et registreret momsnummer inden for Fællesskabet), er momsen 0 som standard. Slut på regel.
      I alle andre tilfælde er den foreslåede standard Moms=0. Slut på reglen. VATIsNotUsedDesc=Som standard er den foreslåede momssats 0, som kan bruges af mange foreninger, enkeltpersoner eller små virksomheder. VATIsUsedExampleFR=I Frankrig betyder det virksomheder eller organisationer, der har et reelt skattesystem (forenklet reelt eller normalt reelt). Et system, hvor der angives moms. VATIsNotUsedExampleFR=I Frankrig betyder det foreninger, der ikke er angivet omsætningsafgift, eller virksomheder, organisationer eller liberale erhverv, der har valgt mikrovirksomhedens skattesystem (omsætningsafgift i franchise) og betalt en franchiseomsætningsafgift uden nogen momsangivelse. Dette valg vil vise referencen "Ikke relevant moms - art-293B of CGI" på fakturaer. +VATType=moms type ##### Local Taxes ##### TypeOfSaleTaxes=Momstype LTRate=Sats @@ -1399,8 +1410,8 @@ PHPModuleLoaded=PHP komponent %s er indlæst PreloadOPCode=Forudindlæst OPCode bruges AddRefInList=Vis Kunde/Leverandør ref. i kombinationslister.
      Tredjeparter vises med navneformatet "CC12345 - SC45678 - Det Store Selskab ApS." i stedet for "Det Store Selskab ApS". AddVatInList=Vis kundens/leverandørens momsnummer i kombinationslister. -AddAdressInList=Vis kunde-/leverandøradresse i kombinationslister.
      Tredjeparter vises med navneformatet "Det Store Selskab ApS. - Springvej 21, 0999 Storby - DK" i stedet for "Det Store Selskab ApS". -AddEmailPhoneTownInContactList=Vis kontakt e-mail (eller telefoner, hvis ingen e-mail) og bynavn liste (vælg liste eller kombinationsboks)
      Kontakter vises med navneformatet "Dupond Durand - dupond.durand@example.com - Paris" eller "Dupond Durand - 06 07 59 65 66 - Paris" i stedet for "Dupond Durand". +AddAdressInList=Vis kunde-/leverandøradresse i kombinationslister.
      Tredjeparter vises med navneformatet "The Big Company corp. - 21 jump street 123456 Big town - USA" i stedet for " The Big Company Corp". +AddEmailPhoneTownInContactList=Vis kontakt-e-mail (eller telefoner, hvis de ikke er defineret) og byinfoliste (vælg liste eller kombinationsboks)
      Kontaktpersoner vises med navneformatet "Dupond Durand - dupond.durand@example .com - Paris" eller "Dupond Durand - 06 07 59 65 66 - Paris" i stedet for "Dupond Durand". AskForPreferredShippingMethod=Spørg om foretrukket forsendelsesmetode for tredjeparter. FieldEdition=Udgave af felt %s FillThisOnlyIfRequired=Eksempel: +2 (udfyld kun, hvis der er problemer med tidszone forskydning) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Vis ikke linket "Glemt adgangskode" på log UsersSetup=Opsætning af brugermodul UserMailRequired=E-mail påkrævet for at oprette en ny bruger UserHideInactive=Skjul inaktive brugere fra alle kombinationslister over brugere (anbefales ikke: dette kan betyde, at du ikke vil være i stand til at filtrere eller søge på gamle brugere på nogle sider) +UserHideExternal=Skjul eksterne brugere (ikke knyttet til en tredjepart) fra alle kombinationslister over brugere (anbefales ikke: dette kan betyde, at du ikke vil være i stand til at filtrere eller søge på eksterne brugere på nogle sider) +UserHideNonEmployee=Skjul ikke-ansatte brugere fra alle kombinationslister over brugere (ikke anbefalet: dette kan betyde, at du ikke vil være i stand til at filtrere eller søge på ikke-ansatte brugere på nogle sider) UsersDocModules=Dokumentskabeloner til dokumenter genereret fra bruger kort GroupsDocModules=Dokumentskabeloner til dokumenter genereret fra gruppe kort ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Grupper LDAPContactsSynchro=Kontakter LDAPMembersSynchro=Medlemmer LDAPMembersTypesSynchro=Medlems typer -LDAPSynchronization=LDAP synkronisering +LDAPSynchronization=LDAP-synkronisering LDAPFunctionsNotAvailableOnPHP=LDAP funktioner er ikke tilgængelige på din PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Eksempel: gidnumber LDAPFieldUserid=Bruger ID LDAPFieldUseridExample=Eksempel: uidnummer LDAPFieldHomedirectory=Hjemmemappe -LDAPFieldHomedirectoryExample=Eksempel: homedirectory +LDAPFieldHomedirectoryExample=Eksempel: hjemmemappe LDAPFieldHomedirectoryprefix=Hjemmemappe præfiks LDAPSetupNotComplete=LDAP opsætning ikke fuldført (gå til andre faner) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Ingen administrator eller adgangskode angivet. LDAP adgang vil være anonym og i skrivebeskyttet tilstand. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Modul memcached for applikationsbuffer funde MemcachedAvailableAndSetup=Modul memcached dedikeret til at bruge memcached server er aktiveret. OPCodeCache=OPCode buffer NoOPCodeCacheFound=Ingen OPCode buffer fundet. Måske bruger du en anden OPCode buffer end XCache eller eAccelerator (god), eller måske har du ikke OPCode buffer (meget dårlig). -HTTPCacheStaticResources=HTTP buffer til statiske ressourcer (css, img, javascript) +HTTPCacheStaticResources=HTTP-cache til statiske ressourcer (css, img, JavaScript) FilesOfTypeCached=Filer af typen %s buffer gemmes af HTTP serveren FilesOfTypeNotCached=Filer af typen %s buffer gemmes ikke af HTTP serveren FilesOfTypeCompressed=Filer af typen %s komprimeres af HTTP serveren @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Fritekst på følgesedler ##### FCKeditor ##### AdvancedEditor=Avanceret editor ActivateFCKeditor=Aktiver avanceret editor for: -FCKeditorForNotePublic=WYSIWYG oprettelse/redigering af feltet "offentlige noter" på elementer -FCKeditorForNotePrivate=WYSIWYG oprettelse/redigering af feltet "private noter" på elementer -FCKeditorForCompany=WYSIWYG oprettelse/redigering af feltbeskrivelsen på elementer (undtagen varer/ydelser) -FCKeditorForProductDetails=WYSIWIG oprettelse/udgave af produktbeskrivelse eller linjer til objekter (linjer med forslag, ordrer, fakturaer, osv...). +FCKeditorForNotePublic=WYSIWYG oprettelse/udgave af feltet "offentlige noter" af elementer +FCKeditorForNotePrivate=WYSIWYG oprettelse/udgave af feltet "private notes" af elementer +FCKeditorForCompany=WYSIWYG oprettelse/udgave af feltbeskrivelsen af elementer (undtagen produkter/tjenester) +FCKeditorForProductDetails=WYSIWYG oprettelse/udgave af produktbeskrivelse eller linjer til objekter (linjer med forslag, ordrer, fakturaer, osv...). FCKeditorForProductDetails2=Advarsel: Brug af denne mulighed til dette tilfælde anbefales seriøst ikke, da det kan skabe problemer med specialtegn og sideformatering, når du bygger PDF-filer. -FCKeditorForMailing= WYSIWYG oprettelse/redigering af masse e-mails (Værktøjer->e-mailing) -FCKeditorForUserSignature=WYSIWYG oprettelse/redigering af brugersignatur -FCKeditorForMail=WYSIWYG oprettelse/redigering af al e-mail (undtagen Værktøjer->eMailing) -FCKeditorForTicket=WYSIWYG oprettelse/redigering af opgaver +FCKeditorForMailing= WYSIWYG oprettelse/udgave til masse-e-mails (Værktøjer->e-mailing) +FCKeditorForUserSignature=WYSIWYG oprettelse/udgave af brugersignatur +FCKeditorForMail=WYSIWYG oprettelse/udgave for al post (undtagen Værktøjer->e-mailing) +FCKeditorForTicket=WYSIWYG oprettelse/udgave for billetter ##### Stock ##### StockSetup=Opsætning af lagermodul IfYouUsePointOfSaleCheckModule=Hvis du bruger Point of Sale-modulet (POS), der leveres som standard, eller et eksternt modul, kan denne opsætning blive ignoreret af dit POS-modul. De fleste POS-moduler er som standard designet til at oprette en faktura med det samme og reducere lagerbeholdningen uanset mulighederne her. Så hvis du har brug for eller ikke at have en lagernedgang, når du registrerer et salg fra din POS, så tjek også din POS-modulopsætning. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Personlige menuer, der ikke er knyttet til en topmenu NewMenu=Ny menu MenuHandler=Menuhandler MenuModule=Kilde modul -HideUnauthorizedMenu=Skjul uautoriserede menuer også for interne brugere (ellers gråmarkerede) +HideUnauthorizedMenu=Skjul uautoriserede menuer også for interne brugere (kun gråt ellers) DetailId=ID menu DetailMenuHandler=Menuhandler hvor den nye menu skal vises DetailMenuModule=Modulnavn, hvis menuindgangen kommer fra et modul @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Standardkonto, der skal bruges til at modtage kontant CashDeskBankAccountForCheque=Standardkonto, der skal bruges til at modtage betalinger med check CashDeskBankAccountForCB=Standardkonto, der skal bruges til at modtage betalinger med kreditkort CashDeskBankAccountForSumup=Standard bankkonto, der skal bruges til at modtage betalinger med SumUp -CashDeskDoNotDecreaseStock=Deaktiver lagerreduktion, når et salg udføres fra Point of Sale (hvis "nej", foretages lagerreduktion for hvert salg foretaget fra POS, uanset den indstilling, der er indstillet i modulet Lager). +CashDeskDoNotDecreaseStock=Deaktiver lagerreduktion, når et salg udføres fra salgsstedet +CashDeskDoNotDecreaseStockHelp=Hvis "nej", foretages lagernedsættelse for hvert salg foretaget fra POS, uanset hvilken indstilling der er indstillet i modul Lager. CashDeskIdWareHouse=Tving og begræns lageret til brug for lagerreduktion StockDecreaseForPointOfSaleDisabled=Lagereduktion fra Point of Sale deaktiveret StockDecreaseForPointOfSaleDisabledbyBatch=Lagerreduktion i POS er ikke kompatibel med modul Seriel/Lot-styring (aktuelt aktiv), så lagerreduktion er deaktiveret. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Fremhæv tabellinjer, når musen bevæges over HighlightLinesColor=Fremhæv farven på linjen, når musen bevæges over (brug 'ffffff' for ingen fremhævelse) HighlightLinesChecked=Fremhæv farven på linjen, når den er markeret (brug 'ffffff' for ingen fremhævelse) UseBorderOnTable=Vis venstre-højre grænser på tabeller +TableLineHeight=Tabel line højde BtnActionColor=Farve på handlingsknappen TextBtnActionColor=Tekstfarve på handlingsknappen TextTitleColor=Tekstfarve på sidetitel @@ -1991,7 +2006,7 @@ EnterAnyCode=Dette felt indeholder en reference til at identificere linjen. Indt Enter0or1=Indtast 0 eller 1 UnicodeCurrency=Indtast her mellem firkantede parenteser, liste over byte nummer, der repræsenterer valutasymbolet. For eksempel: for $, indtast [36] - for Brasiliansk real R$ [82,36] - for €, indtast [8364] ColorFormat=RGB-farven er i HEX-format, f.eks.: FF0000 -PictoHelp=Ikonnavn i format:
      - image.png for en billedfil i den aktuelle temamappe
      - image.png@module, hvis filen er i mappen /img/ fra modul
      - fa-xxx for en FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for et FontAwesome fa-xxx-billede (med præfiks, farve og størrelse indstillet) +PictoHelp=Ikonnavn i formatet:
      - image.png for en billedfil til den aktuelle temamappe
      - image.png@module hvis filen er i mappen /img/ i et modul
      - fa-xxx for en FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for et FontAwesome fa-xxx-billede (med præfiks, farve og størrelse indstillet) PositionIntoComboList=Placering af linje i kombinationslister SellTaxRate=momssats RecuperableOnly=Ja for moms "Ikke opfattet, men kan tilbagebetales" dedikeret til en tilstand i Frankrig. Hold værdien til "Nej" i alle andre tilfælde. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Skjul totalprisko MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Skjul enhedspriskolonnen på indkøbsordrer MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Skjul totalpriskolonnen på indkøbsordrer MAIN_PDF_NO_SENDER_FRAME=Skjul kanter på afsenderadresserammen -MAIN_PDF_NO_RECIPENT_FRAME=Skjul kanter på receptadresserammen +MAIN_PDF_NO_RECIPENT_FRAME=Skjul kanter på modtageradresserammen MAIN_PDF_HIDE_CUSTOMER_CODE=Skjul kundekode MAIN_PDF_HIDE_SENDER_NAME=Skjul afsender/virksomhedsnavn i adresseblok PROPOSAL_PDF_HIDE_PAYMENTTERM=Skjul betalingsbetingelser @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Inkluder ikke indholdet af e-mail headeren i det g EmailCollectorHideMailHeadersHelp=Når dette er aktiveret, tilføjes e-mail headers ikke i slutningen af e-mail indholdet, der er gemt som en begivenheds hændelser. EmailCollectorConfirmCollectTitle=E-mail samler bekræftelse EmailCollectorConfirmCollect=Vil du køre denne samler nu? -EmailCollectorExampleToCollectTicketRequestsDesc=Saml e-mails, der matcher nogle regler, og opret automatisk en opgave (opgave modulet skal være aktiveret) med e-mail oplysningerne. Du kan bruge denne samler, hvis du yder support via e-mail, så din opgaveanmodning bliver automatisk genereret. Aktiver også Collect_Responses for at indsamle svar fra din klient direkte på opgavevisningen (du skal svare fra Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Saml e-mails, der matcher nogle regler, og opret automatisk en billet (modulbillet skal være aktiveret) med e-mail-oplysningerne. Du kan bruge denne samler, hvis du yder støtte via e-mail, så din billetanmodning bliver automatisk genereret. Aktiver også Collect_Responses for at indsamle svar fra din klient direkte på billetvisningen (du skal svare fra Dolibarr). EmailCollectorExampleToCollectTicketRequests=Eksempel på indsamling af opgaveanmodningen (kun første besked) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan din postkasse "Sendt" mappe for at finde e-mails, der blev sendt som svar på en anden e-mail direkte fra dit e-mail program og ikke fra Dolibarr. Hvis en sådan e-mail findes, registreres svaret i Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Eksempel på indsamling af e-mail svar sendt fra et ekstern e-mail program EmailCollectorExampleToCollectDolibarrAnswersDesc=Saml alle e-mails, der er et svar på en e-mail sendt fra dit program. En begivenhed (Modulet Tidsplan skal være aktiveret) med e-mail svaret vil blive optaget på det rigtige sted. For eksempel, hvis du sender et tilbud, ordre, faktura eller besked om en opgave via e-mail fra programmet, og modtageren besvarer din e-mail, vil systemet automatisk fange svaret og tilføje det i din ERP. EmailCollectorExampleToCollectDolibarrAnswers=Eksempel, der samler alle indgående beskeder som svar på beskeder sendt fra Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Indsaml e-mails, der matcher nogle regler, og opret automatisk et kundeemne (modulprojekt skal være aktiveret) med e-mail-oplysningerne. Du kan bruge denne samler, hvis du vil følge dit lead ved hjælp af modulet Projekt (1 lead = 1 projekt), så dine leads bliver automatisk genereret. Hvis samleren Collect_Responses også er aktiveret, når du sender en e-mail fra dine kundeemner, forslag eller ethvert andet objekt, kan du også se svar fra dine kunder eller partnere direkte i applikationen.
      Bemærk: Med dette indledende eksempel genereres titlen på kundeemnet inklusive e-mailen. Hvis tredjeparten ikke kan findes i databasen (ny kunde), vil kundeemnet blive knyttet til tredjeparten med ID 1. +EmailCollectorExampleToCollectLeadsDesc=Indsaml e-mails, der matcher nogle regler, og opret automatisk et kundeemne (modulprojekt skal være aktiveret) med e-mail-oplysningerne. Du kan bruge denne samler, hvis du vil følge dit lead ved hjælp af modulet Projekt (1 lead = 1 projekt), så dine leads bliver automatisk genereret. Hvis samleren Collect_Responses også er aktiveret, når du sender en e-mail fra dine kundeemner, forslag eller ethvert andet objekt, kan du muligvis også se svar fra dine kunder eller partnere direkte på applikationen.
      Bemærk: Med dette indledende eksempel genereres titlen på kundeemnet inklusive e-mailen. Hvis tredjeparten ikke kan findes i databasen (ny kunde), vil kundeemnet blive knyttet til tredjeparten med ID 1. EmailCollectorExampleToCollectLeads=Eksempel på samling af kundeemner EmailCollectorExampleToCollectJobCandidaturesDesc=Saml e-mails, der ansøger om jobtilbud (Rekrutterings modulet skal være aktiveret). Du kan fuldføre denne samler, hvis du automatisk vil oprette et kandidatur til en jobansøgning. Bemærk: Med dette indledende eksempel genereres titlen på kandidaturen inklusive e-mailen. EmailCollectorExampleToCollectJobCandidatures=Eksempel på indsamling af jobkandidater modtaget via e-mail @@ -2191,7 +2206,7 @@ ThisValueCanOverwrittenOnUserLevel=Denne værdi kan overskrives af den enkelte b DefaultCustomerType=Standard tredjepartstype for oprettelsesformularen "Ny kunde". ABankAccountMustBeDefinedOnPaymentModeSetup=Bemærk: Bankkontoen skal være defineret på modulet for hver betalingsmåde (Paypal, Stripe, ...) for at få denne funktion til at virke. RootCategoryForProductsToSell=Rod kategori af produkter til salg -RootCategoryForProductsToSellDesc=Hvis defineret, vil kun produkter inden for denne kategori eller underkategori i denne kategori være tilgængelige i Point Of Sale +RootCategoryForProductsToSellDesc=Hvis det er defineret, vil kun produkter inden for denne kategori eller børn i denne kategori være tilgængelige i salgsstedet DebugBar=Fejlfindingsbjælke DebugBarDesc=Værktøjslinje, der kommer med en masse værktøjer til at forenkle fejlfinding DebugBarSetup=Opsætning af Fejlfindingsbjælke @@ -2212,10 +2227,10 @@ ImportSetup=Opsætning af Importmodul InstanceUniqueID=Unikt ID for instansen SmallerThan=Mindre end LargerThan=Større end -IfTrackingIDFoundEventWillBeLinked=Bemærk, at hvis et sporings-id for et objekt findes i e-mail, eller hvis e-mailen er et svar på en e-mail, der er indsamlet og knyttet til et objekt, vil den oprettede hændelse automatisk blive knyttet til det kendte relaterede objekt. -WithGMailYouCanCreateADedicatedPassword=Med en Gmail-konto, hvis du aktiverede 2-trins validering, anbefales det at oprette en dedikeret anden adgangskode til applikationen i stedet for at bruge din egen kontoadgangskode fra https://myaccount.google.com/. -EmailCollectorTargetDir=Det kan være en ønsket adfærd at flytte e-mailen til et anden tag/mappe, når den er blevet behandlet med succes. Indstil blot navnet på mappen her for at bruge denne funktion (brug IKKE specialtegn i navnet). Bemærk, at du også skal bruge en login-konto med læse/skrive rettigheder. -EmailCollectorLoadThirdPartyHelp=Du kan bruge denne handling til at bruge e-mail-indholdet til at finde og indlæse en eksisterende tredjepart i din database (søgning vil blive udført på den definerede egenskab blandt 'id', 'navn', 'navn_alias', 'e-mail'). Den fundne (eller oprettede) tredjepart vil blive brugt til følgende handlinger, der har brug for det.
      For eksempel, hvis du vil oprette en tredjepart med et navn udtrukket fra en streng 'Navn: navn at finde' til stede i brødteksten, skal du bruge afsenderens e-mail som e-mail, du kan indstille parameterfeltet sådan:
      'email= HEADER:^Fra:(.*);navn=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Bemærk, at hvis et sporings-id for et objekt findes i e-mail, eller hvis e-mailen er et svar på en e-mail, der allerede er indsamlet og knyttet til et objekt, vil den oprettede hændelse automatisk blive knyttet til det kendte relaterede objekt. +WithGMailYouCanCreateADedicatedPassword=Med en Gmail-konto, hvis du har aktiveret 2-trins-validering, anbefales det at oprette en dedikeret anden adgangskode til applikationen i stedet for at bruge din egen kontoadgangskode fra https://myaccount.google.com/. +EmailCollectorTargetDir=Det kan være en ønsket adfærd at flytte e-mailen til en anden tag/mappe, når den blev behandlet. Indstil blot navnet på mappen her for at bruge denne funktion (brug IKKE specialtegn i navnet). Bemærk, at du også skal bruge en læse/skrive login-konto. +EmailCollectorLoadThirdPartyHelp=Du kan bruge denne handling til at bruge e-mail-indholdet til at finde og indlæse en eksisterende tredjepart i din database (søgning vil blive udført på den definerede egenskab blandt 'id', 'navn', 'navn_alias', 'e-mail'). Den fundne (eller oprettede) tredjepart vil blive brugt til følgende handlinger, der har brug for det.
      For eksempel, hvis du vil oprette en tredjepart med et navn udtrukket fra en streng ' Navn: navn at finde' til stede i brødteksten, brug afsenderens e-mail som e-mail, du kan indstille parameterfeltet sådan her:
      'email=HEADER:^Fra:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Advarsel: mange e-mail-servere (som Gmail) udfører fulde ordsøgninger, når de søger på en streng og vil ikke returnere et resultat, hvis strengen kun findes delvist i et ord. Også af denne grund vil brug af specialtegn i et søgekriterie blive ignoreret, hvis de ikke er en del af eksisterende ord.
      For at foretage en ekskluderingssøgning på et ord (retur e-mail, hvis ordet ikke findes), kan du bruge ! tegn før ordet (fungerer muligvis ikke på nogle mailservere). EndPointFor=Slutpunkt for %s: %s DeleteEmailCollector=Slet e-mail-samler @@ -2233,8 +2248,8 @@ EMailsWillHaveMessageID=E-mails har et mærke 'Referencer', der matcher denne sy PDF_SHOW_PROJECT=Vis projekt på dokument ShowProjectLabel=Projektetiket PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Inkluder alias i tredjepartsnavn -THIRDPARTY_ALIAS=Navn tredjepart - Alias tredjepart -ALIAS_THIRDPARTY=Alias tredjepart - Navngiv tredjepart +THIRDPARTY_ALIAS=Tredjeparts navn - Tredjeparts alias +ALIAS_THIRDPARTY=Tredjeparts alias - Tredjeparts navn PDFIn2Languages=Vis etiketter i PDF'en på 2 forskellige sprog (denne funktion virker muligvis ikke på nogle få sprog) PDF_USE_ALSO_LANGUAGE_CODE=Hvis du vil have nogle tekster i din PDF duplikeret på 2 forskellige sprog i den samme genererede PDF, skal du her indstille dette andet sprog, så genereret PDF vil indeholde 2 forskellige sprog på samme side, det der blev valgt ved generering af PDF og dette (kun få PDF-skabeloner understøtter dette). Hold tom for et sprog pr. PDF. PDF_USE_A=Generer PDF-dokumenter med formatet PDF/A i stedet for standardformatet PDF @@ -2263,7 +2278,7 @@ MailToSendEventOrganization=Begivenhedsorganisation MailToPartnership=Partnerskab AGENDA_EVENT_DEFAULT_STATUS=Standard hændelsesstatus ved oprettelse af en hændelse fra formularen YouShouldDisablePHPFunctions=Du bør deaktivere PHP-funktioner -IfCLINotRequiredYouShouldDisablePHPFunctions=Undtagen hvis du har brug for at køre systemkommandoer i brugerdefineret kode, skal du deaktivere PHP-funktioner +IfCLINotRequiredYouShouldDisablePHPFunctions=Medmindre du skal køre systemkommandoer i brugerdefineret kode, bør du deaktivere PHP-funktioner PHPFunctionsRequiredForCLI=Til shell-formål (som planlagt jobbackup eller kørsel af et antivirusprogram), skal du beholde PHP-funktioner NoWritableFilesFoundIntoRootDir=Der blev ikke fundet nogen skrivbare filer eller mapper for de almindelige programmer i din rodmappe (godt) RecommendedValueIs=Anbefalet: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook opsætning Settings = Indstillinger WebhookSetupPage = Webhook opsætningsside ShowQuickAddLink=Vis en knap for hurtigt at tilføje et element i menuen øverst til højre - +ShowSearchAreaInTopMenu=Vis søgeområdet i topmenuen HashForPing=Hash brugt til ping ReadOnlyMode=Er instansen i "Skrivebeskyttet"-tilstand DEBUGBAR_USE_LOG_FILE=Brug filen dolibarr.log til at samle logfiler @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Fungerer ikke med alle temaer NoName=Intet navn ShowAdvancedOptions= Vis avancerede muligheder HideAdvancedoptions= Skjul avancerede muligheder -CIDLookupURL=Modulet bringer en URL, der kan bruges af et eksternt værktøj til at hente navnet på en tredjepart eller kontakt fra dens telefonnummer. URL der skal bruges er: +CIDLookupURL=Modulet bringer en URL, der kan bruges af et eksternt værktøj til at få navnet på en tredjepart eller kontakt fra dens telefonnummer. URL der skal bruges er: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 godkendelse er ikke tilgængelig for alle værter, og en token med de korrekte tilladelser skal være oprettet med OAUTH modulet. MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 godkendelsesservice DontForgetCreateTokenOauthMod=En token med de korrekte tilladelser skal være oprettet med OAUTH modulet -MAIN_MAIL_SMTPS_AUTH_TYPE=Godkendelsesmetode +MAIN_MAIL_SMTPS_AUTH_TYPE=Autentificeringsmetode UsePassword=Brug en adgangskode UseOauth=Brug en OAUTH token Images=Billeder MaxNumberOfImagesInGetPost=Maks. antal billeder tilladt i et HTML-felt indsendt i en formular MaxNumberOfPostOnPublicPagesByIP=Max antal indlæg på offentlige sider med samme IP-adresse i en måned -CIDLookupURL=Modulet bringer en URL, der kan bruges af et eksternt værktøj til at hente navnet på en tredjepart eller kontakt fra dens telefonnummer. URL der skal bruges er: +CIDLookupURL=Modulet bringer en URL, der kan bruges af et eksternt værktøj til at få navnet på en tredjepart eller kontakt fra dens telefonnummer. URL der skal bruges er: ScriptIsEmpty=Scriptet er tomt ShowHideTheNRequests=Vis/skjul %s SQL-anmodning(er) DefinedAPathForAntivirusCommandIntoSetup=Definer en sti for et antivirusprogram til %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Skjul den bestilte mængde på de genererede dokument MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Vis prisen på de genererede dokumenter til receptioner WarningDisabled=Advarsel deaktiveret LimitsAndMitigation=Adgangsgrænser og afbødning +RecommendMitigationOnURL=Det anbefales at aktivere afbødning på kritisk URL. Dette er en liste over fail2ban regler, du kan bruge til de vigtigste vigtige URL'er. DesktopsOnly=Kun på Computer DesktopsAndSmartphones=Desktops og smartphones AllowOnlineSign=Tillad online signering @@ -2403,6 +2419,24 @@ Defaultfortype=Standard DefaultForTypeDesc=Skabelon bruges som standard ved oprettelse af en ny e-mail for skabelontypen OptionXShouldBeEnabledInModuleY=Indstillingen " %s " skal aktiveres i modulet %s OptionXIsCorrectlyEnabledInModuleY=Indstillingen " %s " er aktiveret i modulet %s +AllowOnLineSign=Tillad on-line signatur AtBottomOfPage=Nederst på siden FailedAuth=mislykkede godkendelser MaxNumberOfFailedAuth=Maks. antal mislykkede godkendelser inden for 24 timer for at nægte login. +AllowPasswordResetBySendingANewPassByEmail=Hvis en bruger A har denne tilladelse, og selvom brugeren A ikke er en "admin"-bruger, har A lov til at nulstille adgangskoden for enhver anden bruger B, den nye adgangskode vil blive sendt til e-mailen på den anden bruger B, men det vil ikke være synligt for A. Hvis brugeren A har "admin"-flaget, vil han også være i stand til at vide, hvad der er den nye genererede adgangskode for B, så han vil være i stand til at tage kontrol over B-brugerkontoen. +AllowAnyPrivileges=Hvis en bruger A har denne tilladelse, kan han oprette en bruger B med alle privilegier og derefter bruge denne bruger B eller give sig selv en hvilken som helst anden gruppe med en hvilken som helst tilladelse. Så det betyder, at bruger A ejer alle virksomhedsrettigheder (kun systemadgang til opsætningssider vil være forbudt) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Denne værdi kan læses, fordi din instans ikke er sat i produktionstilstand +SeeConfFile=Se inde i conf.php-filen på serveren +ReEncryptDesc=Genkrypter data, hvis de ikke er krypteret endnu +PasswordFieldEncrypted=%s ny post er dette felt blevet krypteret +ExtrafieldsDeleted=Ekstrafelter %s er blevet slettet +LargeModern=Stor - Moderne +SpecialCharActivation=Aktiver knappen for at åbne et virtuelt tastatur for at indtaste specialtegn +DeleteExtrafield=Slet ekstrafelt +ConfirmDeleteExtrafield=Bekræfter du sletning af feltet %s ? Alle data, der er gemt i dette felt, vil definitivt blive slettet +ExtraFieldsSupplierInvoicesRec=Supplerende egenskaber (skabeloner fakturaer) +ExtraFieldsSupplierInvoicesLinesRec=Supplerende attributter (skabelonfakturalinjer) +ParametersForTestEnvironment=Parametre for testmiljø +TryToKeepOnly=Prøv kun at beholde %s +RecommendedForProduction=Anbefalet til produktion +RecommendedForDebug=Anbefales til debug diff --git a/htdocs/langs/da_DK/bills.lang b/htdocs/langs/da_DK/bills.lang index 439f6a2f35e..7dfa3f5aa4b 100644 --- a/htdocs/langs/da_DK/bills.lang +++ b/htdocs/langs/da_DK/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Opret påmindelse til kunde DisabledBecauseRemainderToPayIsZero=Deaktiveret, da restbeløbet er nul PriceBase=Basispris BillStatus=Fakturastatus -StatusOfGeneratedInvoices=Status for genererede fakturaer +StatusOfAutoGeneratedInvoices=Status på automatisk genererede fakturaer BillStatusDraft=Udkast (skal bekræftes) BillStatusPaid=Betalt BillStatusPaidBackOrConverted=Kreditnota restitution eller markeret som kredit tilgængelig @@ -167,7 +167,7 @@ ActionsOnBill=Handlinger for faktura ActionsOnBillRec=Handlinger på tilbagevendende faktura RecurringInvoiceTemplate=Skabelon / tilbagevendende faktura NoQualifiedRecurringInvoiceTemplateFound=Ingen tilbagevendende fakturaskabelon er kvalificeret til generation. -FoundXQualifiedRecurringInvoiceTemplate=Fundet %s tilbagevendende fakturaskabelon(er) kvalificeret til generation. +FoundXQualifiedRecurringInvoiceTemplate=%s tilbagevendende skabelonfaktura(r) kvalificeret til generering. NotARecurringInvoiceTemplate=Ikke en tilbagevendende fakturaskabelon NewBill=Ny faktura LastBills=Seneste %s fakturaer @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Sælgers udkast til fakturaer Unpaid=Ubetalt ErrorNoPaymentDefined=Fejl Ingen betaling defineret ConfirmDeleteBill=Er du sikker på, du vil slette denne faktura? -ConfirmValidateBill=Er du sikker på, du vil godkende denne faktura med referencen %s? +ConfirmValidateBill=Er du sikker på, at du vil validere denne faktura med referencen %s >? ConfirmUnvalidateBill=Er du sikker på, at du vil ændre fakturaen %s til udkastsstatus? ConfirmClassifyPaidBill=Er du sikker på, at du vil ændre fakturaen %s til betalte status? ConfirmCancelBill=Er du sikker på, at du vil annullere fakturaen %s ? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Bekræfter du denne betaling for %s %s? ConfirmSupplierPayment=Bekræfter du denne betalings form for %s %s? ConfirmValidatePayment=Er du sikker på, at du vil bekræfte denne betaling? Ingen ændring kan foretages, når betalingen er bekræftet. ValidateBill=Godkend fakturaen -UnvalidateBill=Fjern godkendelse af faktura +UnvalidateBill=Ugyldig faktura NumberOfBills=Antal fakturaer NumberOfBillsByMonth=Antal fakturaer pr. Måned AmountOfBills=Mængden af fakturaer @@ -250,12 +250,13 @@ RemainderToTake=Resterende beløb at hæve RemainderToTakeMulticurrency=Resterende beløb at tage, original valuta RemainderToPayBack=Resterende beløb at refundere RemainderToPayBackMulticurrency=Resterende beløb til refusion, original valuta +NegativeIfExcessReceived=negativ, hvis overskydende modtages NegativeIfExcessRefunded=negativ, hvis selvrisikoen refunderes +NegativeIfExcessPaid=negativ, hvis der betales overskud Rest=Verserende AmountExpected=Fordret beløb ExcessReceived=Overskud modtaget ExcessReceivedMulticurrency=Overskud modtaget, original valuta -NegativeIfExcessReceived=negativ, hvis overskydende modtages ExcessPaid=Overskydende betalt ExcessPaidMulticurrency=Overskydende betalt, original valuta EscompteOffered=Rabat (betaling før sigt) @@ -267,6 +268,8 @@ NoDraftBills=Intet udkast til fakturaer NoOtherDraftBills=Ingen andre igangværende fakturaer NoDraftInvoices=Intet udkast til fakturaer RefBill=Faktura ref +RefSupplierBill=Leverandørfaktura ref +SupplierOrderCreateBill=Opret faktura ToBill=Faktureres RemainderToBill=Restbeløb, der regningen SendBillByMail=Send faktura via e-mail @@ -351,6 +354,7 @@ HelpAbandonOther=Dette beløb er blevet opgivet, da det var en fejl (forkert kun IdSocialContribution=Vis ID for skat/afgift PaymentId=Betaling id PaymentRef=Betalings ref. +SourceInvoiceId=Kildefaktura-id InvoiceId=Faktura id InvoiceRef=Faktura ref. InvoiceDateCreation=Faktura oprettelsesdato @@ -561,10 +565,10 @@ YouMustCreateStandardInvoiceFirstDesc=Du skal først oprette en standardfaktura PDFCrabeDescription=Faktura PDF-skabelon Crabe. En komplet fakturaskabelon (gammel implementering af svampeskabelon) PDFSpongeDescription=Faktura PDF skabelon opsætning. En komplet faktura skabelon PDFCrevetteDescription=Faktura PDF skabelon Crevette. En komplet faktura skabelon for kontoudtog -TerreNumRefModelDesc1=Returneringsnummer i formatet %syymm-nnnn til standardfakturaer og %syymm-nnnn til kreditnotaer, hvor yy er år, mm er måned og nnnn er et sekventielt automatisk stigende nummer uden pause og uden returnering til 0 -MarsNumRefModelDesc1=Returneringsnummer i formatet %syymm-nnnn for standardfakturaer, %syymm-nnnn til udskiftningsfakturaer, %syymm-nnnn for udbetalingsfakturaer og %syymm-nnnn er uden pause og ingen tilbagevenden til 0 +TerreNumRefModelDesc1=Returnummer i formatet %syymm-nnnn for standardfakturaer og %syymm-nnnn for kreditnotaer, hvor yy er år, mm er måned, og nnnn er et sekventielt automatisk stigende tal uden pause og uden tilbagevenden til 0 +MarsNumRefModelDesc1=Returnummer i formatet %syymm-nnnn for standardfakturaer, %syymm-nnnn for erstatningsfakturaer, %syymm-nnnn for forudbetalingsfakturaer og %syymm-nnnn for kreditnotaer, hvor yy er år, mm er måned og nnnn er en sekventiel auto- stigende tal uden pause og ingen tilbagevenden til 0 TerreNumRefModelError=Et faktura, der begynder med $ syymm allerede eksisterer og er ikke kompatible med denne model af sekvensinformation. Fjern den eller omdøbe den til at aktivere dette modul. -CactusNumRefModelDesc1=Returneringsnummer i formatet %syymm-nnnn for standardfakturaer, %syymm-nnnn for kreditnotaer og %syymm-nnnn for udbetalingsfakturaer, hvor yy er år, mm er måned og nnnn er et løbende returneringsnummer uden inkr. 0 +CactusNumRefModelDesc1=Returnummer i formatet %syymm-nnnn for standardfakturaer, %syymm-nnnn for kreditnotaer og %sååmm-nnnn for forudbetalingsfakturaer, hvor yy er år, mm er måned og nnnn er et sekventielt auto-inkrementerende tal uden pause og ingen tilbagevenden til 0 EarlyClosingReason=Årsag til tidlig lukning EarlyClosingComment=Tidlig afsluttende note ##### Types de contacts ##### @@ -641,3 +645,8 @@ MentionCategoryOfOperations=Kategori af operationer MentionCategoryOfOperations0=Levering af varer MentionCategoryOfOperations1=Levering af tjenester MentionCategoryOfOperations2=Blandet - Levering af varer & levering af tjenester +Salaries=Lønninger +InvoiceSubtype=Fakturaundertype +SalaryInvoice=Løn +BillsAndSalaries=Regninger og lønninger +CreateCreditNoteWhenClientInvoiceExists=Denne mulighed er kun aktiveret, når der findes validerede fakturaer for en kunde, eller når konstant INVOICE_CREDIT_NOTE_STANDALONE bruges (nyttigt for nogle lande) diff --git a/htdocs/langs/da_DK/cashdesk.lang b/htdocs/langs/da_DK/cashdesk.lang index 252ef889d53..d283e3a0287 100644 --- a/htdocs/langs/da_DK/cashdesk.lang +++ b/htdocs/langs/da_DK/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=Modtagelse Header=Sidehoved Footer=Sidefod AmountAtEndOfPeriod=Beløb ved udgangen af perioden (dag, måned eller år) -TheoricalAmount=Teoretisk mængde +TheoricalAmount=Teoretisk beløb RealAmount=Reelt beløb CashFence=Kasselukning CashFenceDone=Kasselukning udført for perioden @@ -57,7 +57,7 @@ Paymentnumpad=numerisk tastatur til at indtaste betaling Numberspad=Numerisk tastatur BillsCoinsPad=Mønter og sedler kasse DolistorePosCategory=TakePOS moduler and andre POS løsninger til Dolibarr -TakeposNeedsCategories=TakePOS har brug for mindst en produktkategori for at arbejde +TakeposNeedsCategories=TakePOS skal have mindst én produktkategori for at fungere TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS har brug for mindst 1 produktkategori under kategorien %s for at arbejde OrderNotes=Kan tilføje nogle noter til hver bestilte vare CashDeskBankAccountFor=Standardkonto, der skal bruges til betalinger i @@ -76,7 +76,7 @@ TerminalSelect=Vælg terminal, du vil bruge: POSTicket=POS Bon POSTerminal=POS Terminal POSModule=POS Modulet -BasicPhoneLayout=Brug grundlæggende layout til telefoner +BasicPhoneLayout=På telefoner skal du udskifte POS med et minimalt layout (kun registrere ordrer, ingen fakturagenerering, ingen kvitteringsudskrivning) SetupOfTerminalNotComplete=Opsætning af terminal %s er ikke afsluttet DirectPayment=Direkte betaling DirectPaymentButton=Tilføj en "Direkte kontant betaling" -knap @@ -92,14 +92,14 @@ HeadBar=leder Bar SortProductField=Felt til sortering af produkter Browser=Browser BrowserMethodDescription=Enkel og nem kvitteringsudskrivning. Kun et par parametre til at konfigurere kvitteringen. Udskriv via browser. -TakeposConnectorMethodDescription=Eksternt modul med ekstra funktioner. Mulighed for at udskrive fra cloud. +TakeposConnectorMethodDescription=Eksternt modul med ekstra funktioner. Mulighed for at printe fra skyen. PrintMethod=Udskrivningsmetode ReceiptPrinterMethodDescription=Kraftig metode med mange parametre. Fuldt tilpasses med skabeloner. Serveren, der er vært for applikationen, kan ikke være i skyen (skal kunne nå printerne i dit netværk). ByTerminal=Med terminal TakeposNumpadUsePaymentIcon=Brug ikonet i stedet for tekst på betalingsknapperne på numpad CashDeskRefNumberingModules=Nummereringsmodul til POS-salg CashDeskGenericMaskCodes6 =
      {TN} tag bruges til at tilføje terminal nummere -TakeposGroupSameProduct=Grupper sammen produktlinjer +TakeposGroupSameProduct=Flet linjer af de samme produkter StartAParallelSale=Start et nyt parallelt salg SaleStartedAt=Salget startede den %s ControlCashOpening=Åbn "Kontrol pengekasse" popup, når du åbner POS @@ -118,7 +118,7 @@ ScanToOrder=Scan QR-kode for at bestille Appearance=Udseende HideCategoryImages=Skjul Kategori billeder HideProductImages=Skjul produktbilleder -NumberOfLinesToShow=Antal linjer af billeder, der skal vises +NumberOfLinesToShow=Maksimalt antal tekstlinjer, der skal vises på tommelfingerbilleder DefineTablePlan=Definer tabeller planlægger GiftReceiptButton=Tilføj en "gavekvittering" -knap GiftReceipt=Gavekvittering @@ -135,5 +135,21 @@ PrintWithoutDetailsLabelDefault=Linjelabel som standard ved udskrivning uden det PrintWithoutDetails=Udskriv uden detaljer YearNotDefined=År er ikke defineret TakeposBarcodeRuleToInsertProduct=Stregkoderegel til at indsætte produkt -TakeposBarcodeRuleToInsertProductDesc=Regel for at udtrække produktreferencen + en mængde fra en scannet stregkode.
      Hvis tom (standardværdi), vil applikationen bruge den fulde stregkode, der er scannet til at finde produktet.

      Hvis defineret, skal syntaks være:
      ref: NB + qu: NB + qd: NB + andre: NB
      hvor NB er antallet af tegn til at bruge til at udtrække data fra det scannede stregkode med:
      • ref : produkt henvisning
      • qu : mængde til sæt ved isætning item (enheder)
      • qd : mængde til sæt ved isætning punkt (decimaler)
      • andre : andre tegn
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters AlreadyPrinted=Allerede udskrevet +HideCategories=Skjul hele sektionen af kategorivalg +HideStockOnLine=Skjul lager på nettet +ShowOnlyProductInStock=Vis kun produkter på lager +ShowCategoryDescription=Vis kategoribeskrivelse +ShowProductReference=Vis reference eller etiket på produkter +UsePriceHT=Brug pris ekskl. afgifter og ikke pris inkl. afgifter ved ændring af en pris +TerminalName=Terminal %s +TerminalNameDesc=Terminalnavn +DefaultPOSThirdLabel=TakePOS standard kunde +DefaultPOSCatLabel=Point Of Sale (POS) produkter +DefaultPOSProductLabel=Produkteksempel til TakePOS +TakeposNeedsPayment=TakePOS har brug for en Payment metode for at fungere, vil du create Payment > metode 'Cash'? +LineDiscount=line rabat +LineDiscountShort=line disk. +InvoiceDiscount=Faktura rabat +InvoiceDiscountShort=Faktura disk. diff --git a/htdocs/langs/da_DK/categories.lang b/htdocs/langs/da_DK/categories.lang index 0c12de08c66..dcca1d28a8f 100644 --- a/htdocs/langs/da_DK/categories.lang +++ b/htdocs/langs/da_DK/categories.lang @@ -103,3 +103,4 @@ WebsitePagesCategoriesArea=Side-containerkategorier KnowledgemanagementsCategoriesArea=KM artikel Kategorier UseOrOperatorForCategories=Brug 'ELLER' operator til kategorier AddObjectIntoCategory=Tildel til kategorien +Position=Position diff --git a/htdocs/langs/da_DK/compta.lang b/htdocs/langs/da_DK/compta.lang index fec97edc439..2b836a13960 100644 --- a/htdocs/langs/da_DK/compta.lang +++ b/htdocs/langs/da_DK/compta.lang @@ -162,6 +162,7 @@ CalcModeVATDebt=Indstilling %sMoms på forpligtelseskonto%s . CalcModeVATEngagement=Mode %sVAT på indkomst-udgifter%s . CalcModeDebt=Analyse af kendte registrerede dokumenter CalcModeEngagement=Analyse af kendte registrerede betalinger +CalcModePayment=Analyse af kendte registrerede betalinger CalcModeBookkeeping=Analyse af data journaliseret i bogførings tabelen. CalcModeNoBookKeeping=Også selvom de endnu ikke er opført i Ledger CalcModeLT1= Mode %sRE på kundefakturaer - leverandører invoices%s @@ -177,7 +178,7 @@ AnnualByCompaniesDueDebtMode=Indkomst- og udgiftsbalance, detaljer ved foruddefi AnnualByCompaniesInputOutputMode=Indkomst- og udgiftsbalance, detaljer ved foruddefinerede grupper, tilstand %sIncomes-Expenses%s sagde kontantregnskab . SeeReportInInputOutputMode=Se %sanalyse af betalinger%s for en beregning baseret på registrerede betalinger foretaget, selvom de endnu ikke er registreret i Ledger SeeReportInDueDebtMode=Se %sanalyse af registrerede dokumenter%s for en beregning baseret på kendt registrerede dokumenter selvom de endnu ikke er registreret -SeeReportInBookkeepingMode=Se %sanalyse af bogholderibillede table%s for en rapport baseret på Bogholderibord +SeeReportInBookkeepingMode=Se %sanalyse af bogføringstabel%s for en rapport baseret på Bogføringstabel RulesAmountWithTaxIncluded=- De viste beløb er inkl. moms og afgifter RulesAmountWithTaxExcluded=- De viste fakturabeløb er med alle afgifter ekskl RulesResultDue=- Det inkluderer alle fakturaer, udgifter, moms, donationer, lønninger, uanset om de er betalt eller ej.
      - Det er baseret på faktureringsdatoen for fakturaer og på forfaldsdatoen for udgifter eller skattebetalinger. For løn anvendes datoen for periodens afslutning. diff --git a/htdocs/langs/da_DK/donations.lang b/htdocs/langs/da_DK/donations.lang index b2c6ed07039..9474e246944 100644 --- a/htdocs/langs/da_DK/donations.lang +++ b/htdocs/langs/da_DK/donations.lang @@ -32,4 +32,5 @@ DONATION_ART238=Vis artikel 238 fra CGI, hvis du er bekymret DONATION_ART978=Vis artikel 978 fra CGI, hvis du er bekymret DonationPayment=Donation betaling DonationValidated=Donation %s bekræftet -DonationUseThirdparties=Brug en eksisterende tredjepart som donorers koordinater +DonationUseThirdparties=Brug adressen på en eksisterende tredjepart som donorens adresse +DonationsStatistics=Donations statistik diff --git a/htdocs/langs/da_DK/errors.lang b/htdocs/langs/da_DK/errors.lang index 273e1432852..2a3995eb75f 100644 --- a/htdocs/langs/da_DK/errors.lang +++ b/htdocs/langs/da_DK/errors.lang @@ -4,7 +4,7 @@ NoErrorCommitIsDone=Ingen fejl, vi begår # Errors ErrorButCommitIsDone=Fejl fundet, men vi validerer til trods -ErrorBadEMail=E-mail %s er forkert +ErrorBadEMail=E-mailadressen %s er forkert ErrorBadMXDomain=E-mail %s synes forkert (domæne har ingen gyldig MX-post) ErrorBadUrl=Url %s er forkert ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. @@ -32,6 +32,7 @@ ErrorBadThirdPartyName=Forkert værdi for tredjeparts navn ForbiddenBySetupRules=Forbudt ifølge opsætnings regler ErrorProdIdIsMandatory= %s er obligatorisk ErrorAccountancyCodeCustomerIsMandatory=Regnskabskoden for kunden %s er obligatorisk +ErrorAccountancyCodeSupplierIsMandatory=Regnskabskoden for leverandøren %s er obligatorisk ErrorBadCustomerCodeSyntax=Forkert syntaks for kunde-kode ErrorBadBarCodeSyntax=Forkert syntaks til stregkode. Måske angiver du en forkert stregkodetype, eller har defineret en stregkodemaske til nummerering, der ikke svarer til den scannede værdi. ErrorCustomerCodeRequired=Kundekode kræves @@ -57,17 +58,18 @@ ErrorSubjectIsRequired=E-mail-emnet er påkrævet ErrorFailedToCreateDir=Det lykkedes ikke at oprette en mappe. Kontroller, at web-server bruger har tilladelse til at skrive i Dolibarr dokument mappen. Hvis parameteren safe_mode er aktiveret i PHP, kontroller at Dolibarr php filer ejes af web-server bruger (eller gruppe). ErrorNoMailDefinedForThisUser=Ingen e-mail defineret for denne bruger ErrorSetupOfEmailsNotComplete=Opsætningen af e-mails er ikke afsluttet -ErrorFeatureNeedJavascript=Denne funktion kræver, at javascript aktiveres for at fungere. Skift dette i Opsætning - Udseende. +ErrorFeatureNeedJavascript=Denne funktion kræver, at JavaScript er aktiveret for at virke. Ændre dette i opsætning - display. ErrorTopMenuMustHaveAParentWithId0=En menu af type 'Top' kan ikke have en moder menu. Angiv 0 i moder menu eller vælg en menu af typen »Venstre«. ErrorLeftMenuMustHaveAParentId=En menu af typen »Venstre« skal have en forælder id. ErrorFileNotFound=Filen%s blev ikke fundet (Forkert sti, forkerte tilladelser eller adgang nægtet af PHP openbasedir eller safe_mode parameter) ErrorDirNotFound=Mappen %s ikke fundet (Forkert sti, forkerte rettigheder eller adgang nægtet af PHP openbasedir eller safe_mode parameter) ErrorFunctionNotAvailableInPHP=Funktionen %s er påkrævet for denne funktion, men er ikke tilgængelig i denne version/opsætning af PHP. ErrorDirAlreadyExists=En mappe med dette navn findes allerede. +ErrorDirNotWritable=Directory %s er ikke skrivbar. ErrorFileAlreadyExists=En fil med dette navn findes allerede. ErrorDestinationAlreadyExists=En anden fil med navnet %s findes allerede. ErrorPartialFile=Fil ikke modtaget helt af serveren. -ErrorNoTmpDir=Midlertidig mappe %s eksisterer ikke. +ErrorNoTmpDir=Den midlertidige mappe %s eksisterer ikke. ErrorUploadBlockedByAddon=Upload blokeret af et PHP / Apache plugin. ErrorFileSizeTooLarge=Filstørrelsen er for stor, eller filen er ikke angivet. ErrorFieldTooLong=Feltet%s er for langt. @@ -90,9 +92,9 @@ ErrorPleaseTypeBankTransactionReportName=Indtast venligst kontoudskriftsnavnet, ErrorRecordHasChildren=Kunne ikke slette posten, da den har nogle underposter ErrorRecordHasAtLeastOneChildOfType=Objekt %s har mindst et barn af typen %s ErrorRecordIsUsedCantDelete=Kan ikke slette posten. Den er allerede brugt eller inkluderet i et andet objekt. -ErrorModuleRequireJavascript=Hvis denne funktion skal fungere må Javascript ikke være deaktiveret. For at aktivere / deaktivere Javascript, skal du gå til menuen Hjem -> Opsætning -> Udseende. +ErrorModuleRequireJavascript=JavaScript må ikke deaktiveres for at få denne funktion til at virke. For at aktivere/deaktivere JavaScript, gå til menuen Hjem->Opsætning->Skærm. ErrorPasswordsMustMatch=De angivne adgangskoder skal matche hinanden -ErrorContactEMail=Der opstod en teknisk fejl. Kontakt administratoren på følgende e-mail %s og oplys fejlkoden %s i din besked eller tilføj en skærmkopi af denne side. +ErrorContactEMail=Der opstod en teknisk fejl. Kontakt venligst administratoren til følgende e-mail %s og angiv fejlen kode %s i din besked, eller tilføj en skærmkopi af denne side. ErrorWrongValueForField=Felt%s: '%s' stemmer ikke overens med regex-reglen%s ErrorHtmlInjectionForField=Felt %s: Værdien '%s indeholder skadelig data, som ikke er tilladt. ErrorFieldValueNotIn=Felt %s: '%s' er ikke en værdi fundet i felt %saf %s @@ -100,10 +102,12 @@ ErrorFieldRefNotIn=Felt%s: '%s' er ikke en %s eksisterende ErrorMultipleRecordFoundFromRef=Flere poster fundet ved søgning fra ref %s . Ingen måde at vide, hvilket ID du skal bruge. ErrorsOnXLines=%s fundne fejl ErrorFileIsInfectedWithAVirus=Antivirusprogrammet var ikke i stand til at kontrollere filen (filen kan være inficeret med en virus) +ErrorFileIsAnInfectedPDFWithJSInside=Filen er en PDF, der er inficeret med noget Javascript indeni ErrorNumRefModel=En henvisning findes i databasen (%s) og er ikke kompatibel med denne nummerering regel. Fjern registrering eller omdøb henvisning for aktivere dette modul. ErrorQtyTooLowForThisSupplier=Mængden for lav for denne leverandør eller ingen pris defineret på dette produkt for denne leverandør ErrorOrdersNotCreatedQtyTooLow=Nogle ordrer er ikke blevet oprettet på grund af for lave mængder -ErrorModuleSetupNotComplete=Opsætning af modulet %s ser ud til at være ufuldstændig. Gå til Hjem -> Opsætning -> Moduler, for at fuldføre. +ErrorOrderStatusCantBeSetToDelivered=Ordrestatus kan ikke indstilles til leveret. +ErrorModuleSetupNotComplete=Opsætningen af modulet %s ser ud til at være ufuldstændig. Gå til Hjem - Opsætning - Moduler for at fuldføre. ErrorBadMask=Fejl på maske ErrorBadMaskFailedToLocatePosOfSequence=Fejl, maske uden løbenummer ErrorBadMaskBadRazMonth=Fejl, forkert nulstillingsværdi @@ -131,7 +135,7 @@ ErrorLoginDoesNotExists=Bruger med navnet %s kunne ikke findes. ErrorLoginHasNoEmail=Denne bruger har ingen e-mail-adresse. Processen afbrydes. ErrorBadValueForCode=Ugyldig værdi for sikkerheds kode. Prøv igen med en ny værdi ... ErrorBothFieldCantBeNegative=Felterne %s og %s kan ikke begge være negative -ErrorFieldCantBeNegativeOnInvoice=Feltet %skan ikke være negativt på denne type faktura. Hvis du har brug for at tilføje en rabat linje, opret rabatten først (fra feltet '%s' i tredjeparts-kort), og anvend det til fakturaen. +ErrorFieldCantBeNegativeOnInvoice=Feltet %s kan ikke være negativt på denne type faktura. Hvis du skal tilføje en rabatlinje, skal du blot oprette rabatten først (fra feltet '%s' på tredjepartskortet) og anvende den på fakturaen. ErrorLinesCantBeNegativeForOneVATRate=Det samlede antal linjer (netto af skat) kan ikke være negativt for en given ikke nul-momssats (Fandt en negativ sum for momssats %s %%). ErrorLinesCantBeNegativeOnDeposits=Linjer kan ikke være negative for et depositum. Du vil opleve problemer, når du bliver nødt til at bruge deponering i den endelige faktura, hvis du gør det. ErrorQtyForCustomerInvoiceCantBeNegative=Mængde for linjen på kunde fakturaer kan ikke være negativ @@ -150,6 +154,7 @@ ErrorToConnectToMysqlCheckInstance=Forbindelse til database fejler. Kontroller a ErrorFailedToAddContact=Tilføjelse af kontakt fejlede ErrorDateMustBeBeforeToday=Datoen skal være før end i dag ErrorDateMustBeInFuture=Datoen skal være efter dags dato +ErrorStartDateGreaterEnd=Startdatoen er større end slutdatoen ErrorPaymentModeDefinedToWithoutSetup=En betalingsmetode var sat til typen %s men opsætningen af faktura modulet er ikke fuldført til at angive information der skal vises for denne betalingsmetode. ErrorPHPNeedModule=Fejl, din PHP skal have modulet %s installeret for at benytte denne funktion. ErrorOpenIDSetupNotComplete=Do hare opsat din Dolibarr konfigurations fil til at tillade OpenID autentificering, men URL'en til OpenID servicen er ikke defineret i konstanten %s @@ -166,7 +171,7 @@ ErrorPriceExpression4=Ugyldigt tegn '%s' ErrorPriceExpression5=Uventet '%s' ErrorPriceExpression6=Ugyldigt antal argumenter (%s angivet, %s forventet) ErrorPriceExpression8=Uventet operatør '%s' -ErrorPriceExpression9=En uventet fejl er opstået +ErrorPriceExpression9=Der opstod en uventet fejl ErrorPriceExpression10=Operatør '%s' mangler operand ErrorPriceExpression11=Forventer '%s' ErrorPriceExpression14=Deling med nul @@ -191,7 +196,7 @@ ErrorGlobalVariableUpdater4=SOAP-klient mislykkedes med fejlen '%s' ErrorGlobalVariableUpdater5=Ingen global variabel valgt ErrorFieldMustBeANumeric=Feltet %s skal være en numerisk værdi ErrorMandatoryParametersNotProvided=Obligatoriske parametre er ikke angivet -ErrorOppStatusRequiredIfUsage=Du angiver, at du vil bruge dette projekt til at følge en mulighed, så du skal også udfylde den indledende status for mulighed. +ErrorOppStatusRequiredIfUsage=Du vælger at følge en mulighed i dette projekt, så du skal også udfylde Lead-status. ErrorOppStatusRequiredIfAmount=Du angiver et estimeret beløb for denne kundeemne. Så du skal også indtaste dets status. ErrorFailedToLoadModuleDescriptorForXXX=Kunne ikke indlæse modulbeskrivelsesklassen for %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Dårlig definition af menuarray i modulbeskrivelse (dårlig værdi for nøglen fk_menu) @@ -240,7 +245,7 @@ ErrorURLMustStartWithHttp=URL %s skal starte med http: // eller https: // ErrorHostMustNotStartWithHttp=Værtsnavn %s må IKKE starte med http: // eller https: // ErrorNewRefIsAlreadyUsed=Fejl, den nye reference er allerede brugt ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Fejl, sletning af betaling, der er knyttet til en lukket faktura, er ikke mulig. -ErrorSearchCriteriaTooSmall=Søgekriterier er for korte. +ErrorSearchCriteriaTooSmall=Søgekriterier for korte. ErrorObjectMustHaveStatusActiveToBeDisabled=Objekter skal have status 'Aktiv' for at være deaktiveret ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objekter skal have status 'Udkast' eller 'Deaktiveret' for at være aktiveret ErrorNoFieldWithAttributeShowoncombobox=Ingen felter har egenskaben 'showoncombobox' til definition af objektet '%s'. Ingen måde at vise kombinationen på. @@ -259,7 +264,7 @@ ErrorReplaceStringEmpty=Fejl, strengen, der skal erstattes til, er tom ErrorProductNeedBatchNumber=Fejl, produkt ' %s ' har brug for meget / serienummer ErrorProductDoesNotNeedBatchNumber=Fejl, produkt ' %s ' accepterer ikke meget / serienummer ErrorFailedToReadObject=Fejl, objektet af typen kunne ikke læses %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Fejl, parameter %s skal aktiveres i conf / conf.php for at tillade brug af kommandolinjegrænsefladen af den interne jobplanlægning +ErrorParameterMustBeEnabledToAllwoThisFeature=Fejl, parameter %s skal være aktiveret i conf/conf.php<> for at tillade brug af kommandolinjegrænseflade af den interne jobplanlægger ErrorLoginDateValidity=Fejl, dette login er uden for gyldighedsdatointervallet ErrorValueLength=Feltets længde ' %s ' skal være højere end ' %s ' ErrorReservedKeyword=Ordet ' %s ' er et forbeholdt nøgleord @@ -296,11 +301,12 @@ ErrorAjaxRequestFailed=Anmodningen mislykkedes ErrorThirpdartyOrMemberidIsMandatory=Tredjepart eller medlem af partnerskab er obligatorisk ErrorFailedToWriteInTempDirectory=Kunne ikke skrive i midlertidigt bibliotek ErrorQuantityIsLimitedTo=Mængden er begrænset til %s -ErrorFailedToLoadThirdParty=Kunne ikke finde/indlæse tredjepart fra id=%s, email=%s, name=%s +ErrorFailedToLoadThirdParty=Kunne ikke finde/indlæse tredjepart fra id=%s, email=%s, name= %s ErrorThisPaymentModeIsNotSepa=Denne betalingsmetode er ikke en bankkonto ErrorStripeCustomerNotFoundCreateFirst=Stripe-kunde er ikke indstillet til denne tredjepart (eller indstillet til en værdi slettet på Stripe-siden). Opret (eller vedhæft igen) det først. ErrorCharPlusNotSupportedByImapForSearch=IMAP-søgning er ikke i stand til at søge i afsender eller modtager efter en streng, der indeholder tegnet + ErrorTableNotFound=Tabel %s blev ikke fundet +ErrorRefNotFound=Ref %s ikke fundet ErrorValueForTooLow=Værdien for %s er for lav ErrorValueCantBeNull=Værdien for %s kan ikke være 0 ErrorDateOfMovementLowerThanDateOfFileTransmission=Datoen for banktransaktionen må ikke være lavere end datoen for filoverførslen @@ -318,9 +324,13 @@ ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Fejl: URL'en på din a ErrorMenuExistValue=Der findes allerede en menu med denne titel eller URL ErrorSVGFilesNotAllowedAsLinksWithout=SVG-filer er ikke tilladt som eksterne links uden muligheden %s ErrorTypeMenu=Umuligt at tilføje en anden menu for det samme modul på navbaren, ikke håndtere endnu +ErrorObjectNotFound = Objektet %s er ikke fundet, tjek venligst din url +ErrorCountryCodeMustBe2Char=Land kode skal være en streng på 2 tegn + ErrorTableExist=Tabel %s findes allerede ErrorDictionaryNotFound=Ordbog %s ikke fundet -ErrorFailedToCreateSymLinkToMedias=Kunne ikke oprette symbollinkene %s for at pege på %s +ErrorFailedToCreateSymLinkToMedias=Kunne ikke oprette det symbolske link %s for at pege på %s +ErrorCheckTheCommandInsideTheAdvancedOptions=Tjek kommandoen, der bruges til eksporten, i de avancerede indstillinger for eksporten # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Din PHP-parameter upload_max_filesize (%s) er højere end PHP-parameter post_max_size (%s). Dette er ikke en ensartet opsætning. @@ -359,10 +369,12 @@ WarningPaypalPaymentNotCompatibleWithStrict=Værdien 'Strict' gør, at onlinebet WarningThemeForcedTo=Advarsel, temaet er blevet tvunget til %s af skjult konstant MAIN_FORCETHEME WarningPagesWillBeDeleted=Advarsel, dette vil også slette alle eksisterende sider/containere på hjemmesiden. Du bør eksportere dit websted før, så du har en sikkerhedskopi til at genimportere det senere. WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Automatisk validering er deaktiveret, når muligheden for at reducere lager er indstillet på "Fakturavalidering". -WarningModuleNeedRefrech = Modul %s er blevet deaktiveret. Glem ikke at aktivere det +WarningModuleNeedRefresh = Modul %s er blevet deaktiveret. Glem ikke at aktivere det WarningPermissionAlreadyExist=Eksisterende tilladelser for dette objekt WarningGoOnAccountancySetupToAddAccounts=Hvis denne liste er tom, skal du gå ind i menuen %s - %s - %s for at indlæse eller oprette konti til din kontoplan. WarningCorrectedInvoiceNotFound=Rettet faktura blev ikke fundet +WarningCommentNotFound=Tjek venligst placeringen af start- og slutkommentarer for %s sektionen i fil %s, før du indsender din handling +WarningAlreadyReverse=Lagerbevægelsen er allerede vendt SwissQrOnlyVIR = SwissQR-faktura kan kun tilføjes på fakturaer, der skal betales med kreditoverførselsbetalinger. SwissQrCreditorAddressInvalid = Kreditoradressen er ugyldig (er postnummer og by angivet? (%s) diff --git a/htdocs/langs/da_DK/holiday.lang b/htdocs/langs/da_DK/holiday.lang index e58f7d19aec..5a5420986cc 100644 --- a/htdocs/langs/da_DK/holiday.lang +++ b/htdocs/langs/da_DK/holiday.lang @@ -5,7 +5,7 @@ Holiday=Ferie/Fravær CPTitreMenu=Ferie/Fravær MenuReportMonth=Månedlig opgørelse MenuAddCP=Ny forespørgsel -MenuCollectiveAddCP=Ny kollektiv fraværssanmodning +MenuCollectiveAddCP=Ny kollektiv orlov NotActiveModCP=Du skal aktivere modulet Ferie/Fravær for at se denne side. AddCP=Lav en forespørgsel DateDebCP=Startdato @@ -95,14 +95,14 @@ UseralreadyCPexist=Der er allerede lavet en fraværssanmodning på denne periode groups=Grupper users=Brugere AutoSendMail=Automatisk forsendelse -NewHolidayForGroup=Ny kollektiv fraværssanmodning -SendRequestCollectiveCP=Send kollektiv fraværssanmodning +NewHolidayForGroup=Ny kollektiv orlov +SendRequestCollectiveCP=Opret kollektiv orlov AutoValidationOnCreate=Automatisk validering FirstDayOfHoliday=Begyndelsesdag for orlovsanmodning LastDayOfHoliday=Afslutningsdag for orlovsanmodning HolidaysMonthlyUpdate=Månedlig opdatering ManualUpdate=Manual update -HolidaysCancelation=Fraværs anmodning annullering +HolidaysCancelation=Forlad anmodning om annullering EmployeeLastname=Medarbejderens efternavn EmployeeFirstname=Medarbejderens fornavn TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed @@ -144,7 +144,7 @@ WatermarkOnDraftHolidayCards=Vandmærker på udkast ferie anmodninger HolidaysToApprove=Ferie til at godkende NobodyHasPermissionToValidateHolidays=Ingen har tilladelse til at validere orlovsanmodninger HolidayBalanceMonthlyUpdate=Månedlig opdatering af orlovssaldo -XIsAUsualNonWorkingDay=%s er sædvanligvis en IKKE arbejdsdag +XIsAUsualNonWorkingDay=%s er normalt en IKKE-arbejdsdag BlockHolidayIfNegative=Bloker hvis saldoen er negativ LeaveRequestCreationBlockedBecauseBalanceIsNegative=Oprettelsen af denne orlovsanmodning er blokeret, fordi din saldo er negativ ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Efter lad spørgsmål %s skal være udkast, annulleret eller nægtet at blive slettet diff --git a/htdocs/langs/da_DK/hrm.lang b/htdocs/langs/da_DK/hrm.lang index c68e4087ffb..b70fdab5a08 100644 --- a/htdocs/langs/da_DK/hrm.lang +++ b/htdocs/langs/da_DK/hrm.lang @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Standardbeskrivelse af rækker, når færdighed er deplacement=Flytte DateEval=Evalueringsdato JobCard=Jobkort -JobPosition=Job -JobsPosition=Jobs +NewJobProfile=Ny jobprofil +JobProfile=Jobprofil +JobsProfiles=Jobprofiler NewSkill=Ny færdighed SkillType=Færdighedstype Skilldets=Liste over stillinger for denne færdighed @@ -36,7 +37,7 @@ rank=Rang ErrNoSkillSelected=Ingen færdighed valgt ErrSkillAlreadyAdded=Denne færdighed er allerede på listen SkillHasNoLines=Denne færdighed har ingen linjer -skill=Færdighed +Skill=Færdighed Skills=Færdigheder SkillCard=Færdighedskort EmployeeSkillsUpdated=Medarbejdernes færdigheder er blevet opdateret (se fanen "Færdigheder" på medarbejderkortet) @@ -44,33 +45,36 @@ Eval=Evaluering Evals=Evalueringer NewEval=Ny evaluering ValidateEvaluation=Valider evaluering -ConfirmValidateEvaluation=Er du sikker på, at du vil validere denne evaluering med referencen %s? +ConfirmValidateEvaluation=Er du sikker på, at du vil validere denne evaluering med referencen %s >? EvaluationCard=Evalueringskort -RequiredRank=Påkrævet rang for dette job +RequiredRank=Påkrævet rang for jobprofilen +RequiredRankShort=Påkrævet rang +PositionsWithThisProfile=Stillinger med denne jobprofil EmployeeRank=Medarbejderrangering for denne færdighed +EmployeeRankShort=Medarbejder rang EmployeePosition=Medarbejder stilling EmployeePositions=Medarbejder stillinger EmployeesInThisPosition=Medarbejdere i denne stilling group1ToCompare=Brugergruppe at analysere group2ToCompare=Anden brugergruppe til sammenligning -OrJobToCompare=Sammenlign med krav til jobkompetencer +OrJobToCompare=Sammenlign med færdighedskravene til en jobprofil difference=Forskel CompetenceAcquiredByOneOrMore=Kompetence erhvervet af en eller flere brugere, men ikke efterspurgt af den anden komparator -MaxlevelGreaterThan=Maks. niveau større end det anmodede -MaxLevelEqualTo=Max niveau svarende til denne efterspørgsel -MaxLevelLowerThan=Max niveau lavere end dette krav -MaxlevelGreaterThanShort=Medarbejderniveau højere end det efterspurgte -MaxLevelEqualToShort=Medarbejderniveau svarer til den efterspurgte -MaxLevelLowerThanShort=Medarbejderniveau lavere end efterspurgt +MaxlevelGreaterThan=Medarbejderniveau er højere end det forventede niveau +MaxLevelEqualTo=Medarbejderniveau er lig med det forventede niveau +MaxLevelLowerThan=Medarbejderniveau er lavere end det forventede niveau +MaxlevelGreaterThanShort=Niveau højere end forventet +MaxLevelEqualToShort=Niveau svarende til det forventede niveau +MaxLevelLowerThanShort=Niveau lavere end forventet SkillNotAcquired=Færdighed ikke erhvervet af alle brugere og anmodet af den anden komparator legend=Legende TypeSkill=Færdighedstype -AddSkill=Tilføj færdigheder til jobbet -RequiredSkills=Nødvendige færdigheder til dette job +AddSkill=Tilføj færdigheder til jobprofilen +RequiredSkills=Nødvendige færdigheder til denne jobprofil UserRank=Brugerrangering SkillList=Færdighedsliste SaveRank=Gem rang -TypeKnowHow=Viden +TypeKnowHow=Vide hvordan TypeHowToBe=Sådan skal du være TypeKnowledge=Viden AbandonmentComment=Afslagskommentar @@ -85,8 +89,9 @@ VacantCheckboxHelper=Hvis du afkrydser denne mulighed, vises ubesatte stillinger SaveAddSkill = Færdigheder tilføjet SaveLevelSkill = Færdighedsniveauet er gemt DeleteSkill = Færdighed fjernet -SkillsExtraFields=Yderligere attributter (færdigheder) -JobsExtraFields=Yderligere attributter (job) -EvaluationsExtraFields=Yderligere attributter (vurderinger) +SkillsExtraFields=Komplementære egenskaber (færdigheder) +JobsExtraFields=Supplerende egenskaber (jobprofil) +EvaluationsExtraFields=Supplerende egenskaber (evalueringer) NeedBusinessTravels=Har brug for forretningsrejser NoDescription=Ingen beskrivelse +TheJobProfileHasNoSkillsDefinedFixBefore=Den evaluerede jobprofil for denne medarbejder har ingen færdigheder defineret. Tilføj venligst færdighed(er), slet og genstart evalueringen. diff --git a/htdocs/langs/da_DK/mails.lang b/htdocs/langs/da_DK/mails.lang index fc4d052676d..b9d8d4bb024 100644 --- a/htdocs/langs/da_DK/mails.lang +++ b/htdocs/langs/da_DK/mails.lang @@ -184,3 +184,5 @@ EmailOptedOut=E-mail-ejeren har anmodet om ikke at kontakte ham med denne e-mail EvenUnsubscribe=Inkluder fravalgs-e-mails EvenUnsubscribeDesc=Inkluder fravalgs-e-mails, når du vælger e-mails som mål. Nyttig til for eksempel obligatoriske service-e-mails. XEmailsDoneYActionsDone=%s e-mails prækvalificeret, %s e-mails behandlet med succes (for %s registrering/handlinger udført) +helpWithAi=Tilføj instruktioner +YouCanMakeSomeInstructionForEmail=Du kan lave en instruktion til din e-mail (eksempel: generer billede i e-mail-skabelon...) diff --git a/htdocs/langs/da_DK/main.lang b/htdocs/langs/da_DK/main.lang index a0330c33ec7..558095484fb 100644 --- a/htdocs/langs/da_DK/main.lang +++ b/htdocs/langs/da_DK/main.lang @@ -20,7 +20,7 @@ FormatDateShortJava=dd/MM/yyyy FormatDateShortJavaInput=dd/MM/yyyy FormatDateShortJQuery=dd/mm/yy FormatDateShortJQueryInput=dd/mm/yy -FormatHourShortJQuery=HH:mm +FormatHourShortJQuery=HH:MI FormatHourShort=%H:%M FormatHourShortDuration=%H:%M FormatDateTextShort=%d %b %Y @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Kunne ikke sende post (afsender=%s, modtager=%s) ErrorFileNotUploaded=Filen blev ikke uploadet. Kontroller, at størrelsen ikke overstiger det tilladte maksimum, at der er ledig plads på disken, og at der ikke allerede er en fil med samme navn i denne mappe. ErrorInternalErrorDetected=Fejl opdaget ErrorWrongHostParameter=Forkert værtsparameter -ErrorYourCountryIsNotDefined=Dit land er ikke defineret. Gå til Hjem-Opsætning-Ordbøger og tilføj det til Lande og send formularen igen. +ErrorYourCountryIsNotDefined=Dit land er ikke defineret. Gå til Hjem-Opsætning-Virksomhed/Fondation og post formularen igen. ErrorRecordIsUsedByChild=Kunne ikke slette denne post. Denne post bruges af mindst én underordnet post. ErrorWrongValue=Forkert værdi ErrorWrongValueForParameterX=Forkert værdi for parameter %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Fejl, ingen momssatser defineret for lande ErrorNoSocialContributionForSellerCountry=Fejl, ingen skatter/afgifter defineret for landet '%s'. ErrorFailedToSaveFile=Fejl, filen kunne ikke gemmes. ErrorCannotAddThisParentWarehouse=Du forsøger at tilføje et overordnet lager, som allerede er et underordnet lager af et eksisterende lager +ErrorInvalidSubtype=Den valgte undertype er ikke tilladt FieldCannotBeNegative=Feltet "%s" kan ikke være negativt MaxNbOfRecordPerPage=Maks. antal poster pr. side NotAuthorized=Det er du ikke autoriseret til at gøre det. @@ -103,7 +104,8 @@ RecordGenerated=Post genereret LevelOfFeature=Niveau af funktioner NotDefined=Ikke defineret DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr-godkendelsestilstand er indstillet til %s i konfigurationsfilen conf.php.
      Dette betyder, at adgangskodedatabasen er ekstern i forhold til Dolibarr, så ændring af dette felt har muligvis ingen effekt. -Administrator=Administrator +Administrator=Systemadministrator +AdministratorDesc=Systemadministrator (kan administrere bruger, tilladelser, men også systemopsætning og modulkonfiguration) Undefined=Udefineret PasswordForgotten=Glemt adgangskode? NoAccount=Ingen konto? @@ -211,8 +213,8 @@ Select=Vælg SelectAll=Vælg alle Choose=Vælge Resize=Tilpas størrelsen +Crop=Afgrøde ResizeOrCrop=Tilpas størrelsen eller Beskær -Recenter=Beskæring Author=Forfatter User=Bruger Users=Brugere @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Tillægscent +LT1GC=Yderligere øre VATRate=Momssats RateOfTaxN=Skattesats %s VATCode=Moms kode @@ -547,6 +549,7 @@ Reportings=Rapportering Draft=Udkast Drafts=Udkast StatusInterInvoiced=faktureret +Done=Gjort Validated=Godkendt ValidatedToProduce=Valideret (til produktion) Opened=Åben @@ -698,6 +701,7 @@ Response=Responds Priority=Prioritet SendByMail=Send via e-mail MailSentBy=E-mail sendt af +MailSentByTo=E-mail sendt af %s til %s NotSent=Ikke sendt TextUsedInTheMessageBody=Email indhold SendAcknowledgementByMail=Send bekræftelses Email @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Ændring gennemført med succes RecordsModified=%s post(er) ændret RecordsDeleted=%s post(er) slettet RecordsGenerated=%s post(er) genereret +ValidatedRecordWhereFound = Nogle af de valgte poster er allerede blevet valideret. Ingen poster er blevet slettet. AutomaticCode=Automatisk kode FeatureDisabled=Modul slået fra MoveBox=Flyt box @@ -764,11 +769,10 @@ DisabledModules=Deaktive moduler For=For ForCustomer=Til kunder Signature=Underskrift -DateOfSignature=Dato for underskrift HidePassword=Vis kommandoen med adgangskode skjulte UnHidePassword=Vis reelle kommandoen med klare adgangskode Root=Rod -RootOfMedias=Roden af offentlige medier (/medier) +RootOfMedias=Roden af offentlige medier (/medias) Informations=Information Page=Side Notes=Noter @@ -916,6 +920,7 @@ BackOffice=Back office Submit=Indsend View=Udsigt Export=Eksport +Import=Importere Exports=Eksporter ExportFilteredList=Eksporter filtreret liste ExportList=Eksportliste @@ -949,7 +954,7 @@ BulkActions=Masse handlinger ClickToShowHelp=Klik for at vise værktøjs tips WebSite=Internet side WebSites=Websteder -WebSiteAccounts=Websitetskonti +WebSiteAccounts=Webadgangskonti ExpenseReport=Udgiftsrapport ExpenseReports=Udgiftsrapporter HR=HR @@ -1077,6 +1082,7 @@ CommentPage=Kommentarer plads CommentAdded=Kommentar tilføjet CommentDeleted=Kommentar slettet Everybody=Fælles projekt +EverybodySmall=Fælles projekt PayedBy=Betalt af PayedTo=Betalt til Monthly=Månedlige @@ -1089,7 +1095,7 @@ KeyboardShortcut=Tastaturgenvej AssignedTo=Tildelt til Deletedraft=Slet udkast ConfirmMassDraftDeletion=Udkast til masse slette bekræftelse -FileSharedViaALink=Fil deles med et offentligt link +FileSharedViaALink=Offentlig fil delt via link SelectAThirdPartyFirst=Vælg en tredjepart først ... YouAreCurrentlyInSandboxMode=Du er i øjeblikket i %s "sandbox" -tilstanden Inventory=Beholdning @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Opgave ContactDefault_propal=Tilbud ContactDefault_supplier_proposal=Leverandørforslag ContactDefault_ticket=Opgave -ContactAddedAutomatically=Kontakt tilføjet fra kontaktpersoner roller +ContactAddedAutomatically=Kontakt tilføjet fra tredjeparts kontaktroller More=Mere ShowDetails=Vis detaljer CustomReports=Tilpassede rapporter @@ -1222,7 +1228,7 @@ UserAgent=Brugeragent InternalUser=Intern bruger ExternalUser=Ekstern bruger NoSpecificContactAddress=Ingen specifik kontakt eller adresse -NoSpecificContactAddressBis=Denne fane er dedikeret til at tvinge specifikke kontakter eller adresser til det aktuelle objekt. Brug det kun, hvis du ønsker at definere en eller flere specifikke kontakter eller adresser for objektet, når oplysningerne om tredjeparten ikke er tilstrækkelige eller ikke nøjagtige. +NoSpecificContactAddressBis=Denne fane er dedikeret til at tvinge specifikke kontakter eller adresser til det aktuelle objekt. Brug det kun, hvis du vil definere en eller flere specifikke kontakter eller adresser for objektet, når oplysningerne om tredjeparten ikke er tilstrækkelige eller ikke nøjagtige. HideOnVCard=Skjul %s AddToContacts=Tilføj adresse til mine kontakter LastAccess=Sidste adgang @@ -1239,3 +1245,18 @@ DateOfPrinting=Udskrivningsdato ClickFullScreenEscapeToLeave=Klik her for at skifte i fuldskærmstilstand. Tryk på ESCAPE for at forlade fuldskærmstilstand. UserNotYetValid=Ikke gyldig endnu UserExpired=Udløbet +LinkANewFile=Link en ny fil / et dokument +LinkedFiles=Sammenkædede filer og dokumenter +NoLinkFound=Ingen registrerede links +LinkComplete=Filen er blevet linket korrekt +ErrorFileNotLinked=Filen kunne ikke forbindes +LinkRemoved=Linket %s er blevet fjernet +ErrorFailedToDeleteLink= Kunne ikke fjerne linket ' %s ' +ErrorFailedToUpdateLink= Kunne ikke opdatere linket ' %s ' +URLToLink=URL til link +OverwriteIfExists=Overskriv hvis filen findes +AmountSalary=Lønbeløb +InvoiceSubtype=Faktura undertype +ConfirmMassReverse=Bulk Omvendt bekræftelse +ConfirmMassReverseQuestion=Er du sikker på, at du vil vende %s valgte post(er)? + diff --git a/htdocs/langs/da_DK/modulebuilder.lang b/htdocs/langs/da_DK/modulebuilder.lang index 59fb2184fbf..7535059daf6 100644 --- a/htdocs/langs/da_DK/modulebuilder.lang +++ b/htdocs/langs/da_DK/modulebuilder.lang @@ -40,7 +40,7 @@ EditorName=Redaktørens navn EditorUrl=URL til redaktør DescriptorFile=Beskrivelsesfil af modul ClassFile=Fil til PHP DAO CRUD klasse -ApiClassFile=Fil til PHP API klasse +ApiClassFile=Modulets API-fil PageForList=PHP side for liste over rekord PageForCreateEditView=PHP side til at oprette / redigere / se en post PageForAgendaTab=PHP side for fanen begivenhed @@ -71,7 +71,7 @@ ArrayOfKeyValues=Array of key-val ArrayOfKeyValuesDesc=Array af nøgler og værdier, hvis feltet er en kombinationsliste med faste værdier WidgetFile=Widget-fil CSSFile=CSS filer -JSFile=Javascript filer +JSFile=JavaScript fil ReadmeFile=Readme-fil ChangeLog=ChangeLog-fil TestClassFile=Fil til PHP Unit Test klasse @@ -92,8 +92,8 @@ ListOfMenusEntries=Liste over menupunkter ListOfDictionariesEntries=Liste over poster i ordbøger ListOfPermissionsDefined=Liste over definerede tilladelser SeeExamples=Se eksempler her -EnabledDesc=Betingelse for at have dette felt aktivt.

      Eksempler:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=Er feltet synligt? (Eksempler: 0=Aldrig synlig, 1=Synlig på liste og opret/opdater/vis formularer, 2=Kun synlig på liste, 3=Kun synlig på oprette/opdater/se formular (ikke liste), 4=Synlig på liste og kun opdater/vis formular (ikke oprette), 5=Kun synlig på liste slut visning formular (ikke opret, ikke opdatering).

      Brug af en negativ værdi betyder, at feltet ikke vises som standard på listen, men kan vælges til visning). +EnabledDesc=Betingelse for at have dette felt aktivt.

      Eksempler:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=Er feltet synligt? (Eksempler: 0=Aldrig synlig, 1=Synlig på liste og opret/opdater/vis formularer, 2=Kun synlig på liste, 3=Kun synlig på oprette/opdater/se formular (ikke på lister), 4=Synlig på lister og kun opdatering/se formular (ikke oprette), 5=Synlig på liste og kun visningsformular (ikke oprette, ikke opdatere).

      Brug af en negativ værdi betyder, at feltet ikke vises som standard på listen, men kan vælges til visning). ItCanBeAnExpression=Det kan være et udtryk. Eksempel:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 DisplayOnPdfDesc=Vis dette felt på kompatible PDF-dokumenter, du kan administrere position med feltet "Position".
      For dokument :
      0 = ikke vist
      1 = vist
      2 = vist kun hvis ikke tom

      For dokument linier :
      0 = ikke vist
      1 = vist i en række
      3 = display in line description kolonne efter beskrivelsen
      4 = vises kun i beskrivelseskolonne efter beskrivelsen, hvis den ikke er tom DisplayOnPdf=På PDF @@ -107,7 +107,7 @@ PermissionsDefDesc=Definer her de nye tilladelser, der leveres af dit modul MenusDefDescTooltip=Menuerne fra dit modul/din applikation er defineret i arrayet $this->menus i modulbeskrivelsesfilen. Du kan redigere denne fil manuelt eller bruge den indlejrede editor.

      Bemærk: Når de er defineret (og modulet genaktiveret), er menuerne også synlige i menueditoren, der er tilgængelig for administratorbrugere på %s. DictionariesDefDescTooltip=Ordbøgerne leveret af dit modul / din applikation defineres i matrixen\n$ dette-> ordbøger i modulbeskrivelsesfilen. Du kan redigere manuelt denne fil eller bruge den integrerede editor.

      Note: Når defineret (og modul re-aktiveret), ordbøger er også synlige i opsætningen område til administrator brugere på%s. PermissionsDefDescTooltip=Tilladelserne fra din modul / ansøgning er defineret i array $ this-> rettigheder i modulet deskriptor fil. Du kan redigere manuelt denne fil eller bruge den integrerede editor.

      Note: Når defineret (og modul re-aktiveret), tilladelser er synlige i standardtilladelser opsætning%s. -HooksDefDesc=Definer i egenskaben module_parts ['hooks'] i modulbeskrivelsen den kontekst af kroge, du vil administrere (liste over sammenhænge kan findes ved en søgning på ' initHooks ( 'i kernekode).
      Rediger krogfilen for at tilføje kode for dine hooked funktioner (hookable funktioner kan findes ved en søgning på' executeHooks 'i kernekode). +HooksDefDesc=Definer i egenskaben module_parts['hooks'], i modulbeskrivelsesfilen, listen over sammenhænge, når din hook skal udføres (listen over mulige kontekster kan findes ved en søgning på 'initHooks(' i kernekoden) .
      Rediger derefter filen med hooks-kode med koden for dine tilsluttede funktioner (listen over tilknyttede funktioner kan findes ved en søgning på ' executeHooks' i kernekode). TriggerDefDesc=Definer i triggerfilen den kode, som du ønsker at udføre, når en forretningsbegivenhed eksternt til dit modul udføres (hændelser udløst af andre moduler). SeeIDsInUse=Se ID'er i brug i din installation SeeReservedIDsRangeHere=Se række af reserverede id'er @@ -128,7 +128,7 @@ RealPathOfModule=Real vej af modul ContentCantBeEmpty=Indholdet af filen kan ikke være tom WidgetDesc=Du kan generere og redigere her widgets, der vil blive indlejret med din modul. CSSDesc=Du kan generere og redigere her en fil med personlig CSS indlejret med din modul. -JSDesc=Du kan her generere og redigere en fil med personaliseret Javascript integreret med dit modul. +JSDesc=Du kan her generere og redigere en fil med personlig JavaScript indlejret i dit modul. CLIDesc=Du kan her generere nogle kommando linje skripter, du vil levere med dit modul. CLIFile=CLI fil NoCLIFile=Ingen CLI filer @@ -148,8 +148,8 @@ CSSViewClass=CSS til læst form CSSListClass=CSS til liste NotEditable=Ikke redigerbar ForeignKey=Fremmed nøgle -ForeignKeyDesc=Hvis værdien af dette felt skal garanteres findes i en anden tabel. Indtast her en værdi, der matcher syntaks: tablename.parentfieldtocheck -TypeOfFieldsHelp=Eksempel:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      ' 1' betyder, at vi tilføjer en +-knap efter kombinationen for at oprette posten
      'filter' er en sql-betingelse, eksempel: 'status=1 OG fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' +ForeignKeyDesc=Hvis værdien af dette felt skal garanteres at eksistere i en anden tabel. Indtast her en værdi, der matcher syntaks: tablename.parentfieldtocheck +TypeOfFieldsHelp=Eksempel:
      varchar(99)
      e-mail
      telefon
      ip
      url
      adgangskodefzccdouble(24,8)
      real
      text
      html
      date
      datetime
      tidsstempel
      integer
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]b0342fccfda19b /span>
      '1' betyder, at vi tilføjer en +-knap efter kombinationen for at oprette posten
      'filter' er et Universal Filter-syntaksbetingelse, eksempel: '((status:=:1) AND (fk_user:=:__USER_ID__) AND (entity:IN:(__SHARED_ENTITIES__))' TypeOfFieldsHelpIntro=Dette er typen af feltet/attributten. AsciiToHtmlConverter=Ascii til HTML-konverter AsciiToPdfConverter=Ascii til PDF konverter @@ -181,3 +181,9 @@ FailedToAddCodeIntoDescriptor=Kunne ikke tilføje kode i beskrivelsen. Tjek, at DictionariesCreated=Ordbog %s oprettet med succes DictionaryDeleted=Ordbog %s fjernet med succes PropertyModuleUpdated=Ejendommen %s er blevet opdateret. +InfoForApiFile=* Når du genererer fil for første gang, vil alle metoder blive oprettet for hvert objekt.
      * Når du klikker i remove fjerner du bare alle klassemetoder for valgt objekt. +SetupFile=Side for modulopsætning +EmailingSelectors=E-mail-vælgere +EmailingSelectorDesc=Du kan generere og redigere klassefilerne her for at give nye e-mail-målvælgere til masse-e-mail-modulet +EmailingSelectorFile=E-mails vælgerfil +NoEmailingSelector=Ingen e-mail-vælgerfil diff --git a/htdocs/langs/da_DK/oauth.lang b/htdocs/langs/da_DK/oauth.lang index cd000256af8..633da5fdf23 100644 --- a/htdocs/langs/da_DK/oauth.lang +++ b/htdocs/langs/da_DK/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Token slettet GetAccess=Klik her for at få et token RequestAccess=Klik her for at anmode om/forny adgang og modtage et nyt token DeleteAccess=Klik her for at slette token -UseTheFollowingUrlAsRedirectURI=Brug følgende URL som omdirigerings-URI, når du opretter dine legitimationsoplysninger hos din OAuth-udbyder: +RedirectURL=Omdiriger URL +UseTheFollowingUrlAsRedirectURI=Brug følgende URL som omdirigerings-URL, når du opretter dine legitimationsoplysninger hos din OAuth-udbyder ListOfSupportedOauthProviders=Tilføj dine OAuth2-tokenudbydere. Gå derefter ind på din OAuth-udbyders administratorside for at oprette/få et OAuth-id og en hemmelighed og gemme dem her. Når du er færdig, skal du skifte til den anden fane for at generere dit token. OAuthSetupForLogin=Side for at administrere (generere/slette) OAuth-tokens SeePreviousTab=Se tidligere faneblad diff --git a/htdocs/langs/da_DK/products.lang b/htdocs/langs/da_DK/products.lang index be815045a6f..6742aa7cd8e 100644 --- a/htdocs/langs/da_DK/products.lang +++ b/htdocs/langs/da_DK/products.lang @@ -80,8 +80,11 @@ SoldAmount=Solgt beløb PurchasedAmount=Købt beløb NewPrice=Ny pris MinPrice=Min. salgspris +MinPriceHT=Min. salgspris (ekskl. moms) +MinPriceTTC=Min. salgspris (inkl. moms) EditSellingPriceLabel=Rediger salgsprisetiket -CantBeLessThanMinPrice=Salgsprisen kan ikke være lavere end det minimum, der er tilladt for denne vare (%s uden moms). Denne meddelelse kan også ses, hvis du bruger en for høj rabat. +CantBeLessThanMinPrice=Salgsprisen må ikke være lavere end det tilladte minimum for dette produkt (%s uden moms). Denne besked kan også vises, hvis du indtaster en betydelig rabat. +CantBeLessThanMinPriceInclTax=Salgsprisen må ikke være lavere end det tilladte minimum for dette produkt (%s inklusive afgifter). Denne meddelelse kan også vises, hvis du indtaster en for vigtig rabat. ContractStatusClosed=Lukket ErrorProductAlreadyExists=En vare med reference %s findes allerede. ErrorProductBadRefOrLabel=Forkert værdi for reference eller etiket. @@ -347,16 +350,17 @@ UseProductFournDesc=Tilføj en funktion for at definere produktbeskrivelsen defi ProductSupplierDescription=Leverandørbeskrivelse for produktet UseProductSupplierPackaging=Brug "emballeringsfunktionen" til at afrunde mængderne til nogle givne multipla (når du tilføjer/opdaterer linje i et leverandørdokument, genberegn mængder og indkøbspriser i henhold til det højere multiplum, der er sat på indkøbspriserne for et produkt) PackagingForThisProduct=Pakning af mængder -PackagingForThisProductDesc=Du vil automatisk købe et antal af denne mængde. +PackagingForThisProductDesc=Du vil automatisk købe et multiplum af denne mængde. QtyRecalculatedWithPackaging=Mængden af linjen blev beregnet om efter leverandøremballage #Attributes +Attributes=Attributter VariantAttributes=Variant attributter ProductAttributes=Variant attributter for produkter ProductAttributeName=Variant attribut %s ProductAttribute=Variantattribut ProductAttributeDeleteDialog=Er du sikker på, at du vil slette denne attribut? Alle værdier slettes -ProductAttributeValueDeleteDialog=Er du sikker på, at du vil slette værdien "%s" med reference "%s" af denne attribut? +ProductAttributeValueDeleteDialog=Er du sikker på, at du vil slette værdien "%s" med referencen "%s" for denne attribut? ProductCombinationDeleteDialog=Er du sikker på, at du vil slette varianter af produktet " %s "? ProductCombinationAlreadyUsed=Der opstod en fejl under sletningen af ​​varianten. Kontroller, at det ikke bruges i noget objekt ProductCombinations=Varianter @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Der opstod en fejl under forsøg på at slette ek NbOfDifferentValues=Antal forskellige værdier NbProducts=Antal produkter ParentProduct=Forældrevarer +ParentProductOfVariant=Moderprodukt af variant HideChildProducts=Skjul varevarianter ShowChildProducts=Vis variantprodukter NoEditVariants=Gå til Parent-produktkort og rediger variantens prispåvirkning under fanen Varianter @@ -417,7 +422,7 @@ ErrorsProductsMerge=Fejl i produkter flettes sammen SwitchOnSaleStatus=Slå salgsstatus til SwitchOnPurchaseStatus=Slå købsstatus til UpdatePrice=Forøg/sænk kundeprisen -StockMouvementExtraFields= Ekstra felter (aktiebevægelse) +StockMouvementExtraFields= Ekstra felter (lagerbevægelse) InventoryExtraFields= Ekstra felter (beholdning) ScanOrTypeOrCopyPasteYourBarCodes=Scan eller skriv eller kopier/indsæt dine stregkoder PuttingPricesUpToDate=Opdater priser med aktuelle kendte priser @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Vælg det ekstrafelt, du vil ændre ConfirmEditExtrafieldQuestion = Er du sikker på, at du vil ændre dette ekstrafelt? ModifyValueExtrafields = Ændre værdien af et ekstrafelt OrProductsWithCategories=Eller produkter med tags/kategorier +WarningTransferBatchStockMouvToGlobal = Hvis du ønsker at deserialisere dette produkt, vil hele dets serialiserede lager blive omdannet til globalt lager +WarningConvertFromBatchToSerial=Hvis du i øjeblikket har en mængde højere eller lig med 2 for produktet, betyder skift til dette valg, at du stadig vil have et produkt med forskellige objekter af samme batch (mens du ønsker et unikt serienummer). Duplikatet forbliver indtil en opgørelse eller en manuel lagerbevægelse for at rette dette. diff --git a/htdocs/langs/da_DK/projects.lang b/htdocs/langs/da_DK/projects.lang index 67ab3f7e3b9..0f7a13749a1 100644 --- a/htdocs/langs/da_DK/projects.lang +++ b/htdocs/langs/da_DK/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Ude af projekt NoProject=Intet projekt defineret NbOfProjects=Antal projekter NbOfTasks=Antal opgaver +TimeEntry=Tidsregistrering TimeSpent=Tid brugt +TimeSpentSmall=Tid brugt TimeSpentByYou=Tid brugt af dig TimeSpentByUser=Tid brugt af brugeren -TimesSpent=Tid brugt TaskId=Opgave ID RefTask=Opgave ref. LabelTask=Opgavemærkning @@ -122,7 +123,7 @@ TaskHasChild=Opgaven har under opgaver NotOwnerOfProject=Ikke ejer af denne private projekt AffectedTo=Påvirkes i CantRemoveProject=Dette projekt kan ikke fjernes, da det er henvist til af nogle andre objekter (faktura, ordrer eller andet). Se faneblad '%s'. -ValidateProject=Validér projet +ValidateProject=Godkend projekt ConfirmValidateProject=Er du sikker på, at du vil bekræfte dette projekt? CloseAProject=Luk projekt ConfirmCloseAProject=Er du sikker på at du vil lukke dette projekt? @@ -226,7 +227,7 @@ ProjectsStatistics=Statistik over projekter eller muligheder TasksStatistics=Statistik over opgaver for projekter eller muligheder TaskAssignedToEnterTime=Opgave tildelt. Indtastning af tid på denne opgave skal være muligt. IdTaskTime=Id opgave tid -YouCanCompleteRef=Hvis du ønsker at afslutte ref med et eller flere suffiks, anbefales det at tilføje et - tegn for at adskille det, så den automatiske nummerering stadig fungerer korrekt til næste projekter. For eksempel %s-MYSUFFIX +YouCanCompleteRef=Hvis du vil udfylde refen med et eller andet suffiks, anbefales det at tilføje et - tegn for at adskille det, så den automatiske nummerering stadig fungerer korrekt til næste projekter. For eksempel %s-MYSUFFIX OpenedProjectsByThirdparties=Åbne projekter af tredjeparter OnlyOpportunitiesShort=Kun muligheder OpenedOpportunitiesShort=Åbne muligheder diff --git a/htdocs/langs/da_DK/propal.lang b/htdocs/langs/da_DK/propal.lang index 57ce6ab58d6..d58407b50c8 100644 --- a/htdocs/langs/da_DK/propal.lang +++ b/htdocs/langs/da_DK/propal.lang @@ -12,9 +12,11 @@ NewPropal=Nyt tilbud Prospect=Potentiel kunde DeleteProp=Slet tilbud ValidateProp=Godkend tilbud +CancelPropal=Annuller AddProp=Opret tilbud ConfirmDeleteProp=Er du sikker på, du vil slette dette tilbud? ConfirmValidateProp=Er du sikker på, du vil godkende dette tilbud under navnet %s? +ConfirmCancelPropal=Er du sikker på, at du vil annullere et kommercielt forslag %s? LastPropals=Seneste %s tilbud LastModifiedProposals=Seneste %s tilrettede tilbud AllPropals=Alle tilbud @@ -27,11 +29,13 @@ NbOfProposals=Antal tilbud ShowPropal=Vis tilbud PropalsDraft=Drafts PropalsOpened=Åbent +PropalStatusCanceled=Annulleret (opgivet) PropalStatusDraft=Udkast (skal godkendes) PropalStatusValidated=Valideret (forslag er åbnet) PropalStatusSigned=Underskrevet (til faktura) PropalStatusNotSigned=Ikke underskrevet (lukket) PropalStatusBilled=Billed +PropalStatusCanceledShort=Annulleret PropalStatusDraftShort=Udkast PropalStatusValidatedShort=Bekræftet (åben) PropalStatusClosedShort=Lukket @@ -114,6 +118,7 @@ RefusePropal=Afvis tilbud Sign=Underskrift SignContract=Underskriv kontrakt SignFichinter=Skilteintervention +SignSociete_rib=Underskriv mandat SignPropal=Accepter forslaget Signed=underskrevet SignedOnly=Kun underskrevet diff --git a/htdocs/langs/da_DK/receptions.lang b/htdocs/langs/da_DK/receptions.lang index 0c3d6af9d7e..43a9c1788d0 100644 --- a/htdocs/langs/da_DK/receptions.lang +++ b/htdocs/langs/da_DK/receptions.lang @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=Behandlet ReceptionSheet=Modtagelse ark ValidateReception=Bekræft modtagelse ConfirmDeleteReception=Er du sikker på, at du vil slette denne modtagelse? -ConfirmValidateReception=Er du sikker på, at du vil validere denne modtagelse med reference %s ? +ConfirmValidateReception=Er du sikker på, at du vil validere denne modtagelse med referencen %s? ConfirmCancelReception=Er du sikker på, at du vil annullere denne modtagelse? -StatsOnReceptionsOnlyValidated=Statistikker udført på receptioner, der kun er valideret. Den anvendte dato er datoen for validering af modtagelse (planlagt leveringsdato er ikke altid kendt). +StatsOnReceptionsOnlyValidated=Statistik udført på kun validerede receptioner. Anvendt dato er dato for validering af modtagelse (planlagt leveringsdato kendes ikke altid). SendReceptionByEMail=Send modtagelse via e-mail SendReceptionRef=Indsendelse af modtagelse %s ActionsOnReception=Begivenheder i receptionen @@ -53,5 +53,6 @@ ReceptionBackToDraftInDolibarr=Modtagelse %s tilbage til udkast ReceptionClassifyClosedInDolibarr=Reception %s klassificeret Lukket ReceptionUnClassifyCloseddInDolibarr=Receptionen %s genåbner RestoreWithCurrentQtySaved=Fyld mængder med senest gemte værdier -ReceptionUpdated=Receptionen er blevet opdateret +ReceptionsRecorded=Receptioner optaget +ReceptionUpdated=Receptionen er opdateret ReceptionDistribution=Receptionsfordeling diff --git a/htdocs/langs/da_DK/sendings.lang b/htdocs/langs/da_DK/sendings.lang index 2e633f318e2..d82db190b32 100644 --- a/htdocs/langs/da_DK/sendings.lang +++ b/htdocs/langs/da_DK/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Gennemført StatusSendingProcessedShort=Forarbejdet SendingSheet=Forsendelsesark ConfirmDeleteSending=Er du sikker på, at du vil slette denne forsendelse? -ConfirmValidateSending=Er du sikker på, at du vil bekræfte denne forsendelse med henvisning %s? +ConfirmValidateSending=Er du sikker på, at du vil validere denne forsendelse med referencen %s >? ConfirmCancelSending=Er du sikker på, at du vil annullere denne forsendelse? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Advarsel, ingen varer venter på at blive sendt. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Produktmængde fra allerede modtagn NoProductToShipFoundIntoStock=Intet produkt til afsendelse fundet i lageret %s. Ret lager eller gå tilbage for at vælge et andet lager. WeightVolShort=Vægt / vol. ValidateOrderFirstBeforeShipment=Du skal først bekræfte ordren, inden du kan foretage forsendelser. +NoLineGoOnTabToAddSome=Ingen linje, gå på fanen "%s" for at tilføje # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Summen af ​​produktvægt # warehouse details DetailWarehouseNumber= Lager detaljer DetailWarehouseFormat= W: %s(Antal:%d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Vis sidste dato for indførsel på lager under oprettelse af forsendelse for serienummer eller batch +CreationOptions=Tilgængelige muligheder under oprettelse af forsendelse ShipmentDistribution=Forsendelsesfordeling -ErrorTooManyCombinationBatchcode=Ingen afsendelse for linje %s, da der blev fundet for mange kombinationslager, produkt, batchkode (%s). -ErrorNoCombinationBatchcode=Ingen afsendelse for linje %s, da der ikke blev fundet noget kombinationslager, produkt, batchkode. +ErrorTooManyCombinationBatchcode=Ingen afsendelse for linje %s, da der blev fundet for mange kombinationer af lager, produkt, batchkode (%s). +ErrorNoCombinationBatchcode=Linjen %s kunne ikke gemmes som kombinationen af warehouse-product-lot/serial (%s, %s, %s) blev ikke fundet på lager. + +ErrorTooMuchShipped=Den afsendte mængde bør ikke være større end den bestilte mængde for linje %s diff --git a/htdocs/langs/da_DK/stocks.lang b/htdocs/langs/da_DK/stocks.lang index a5968cca677..a3334731c80 100644 --- a/htdocs/langs/da_DK/stocks.lang +++ b/htdocs/langs/da_DK/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=Personligt lager %s ThisWarehouseIsPersonalStock=Denne lagerhal er personlig status over %s %s SelectWarehouseForStockDecrease=Vælg lageret skal bruges til lager fald SelectWarehouseForStockIncrease=Vælg lageret skal bruges til lager stigning +RevertProductsToStock=Vil du vende produkter tilbage til lager? NoStockAction=Ingen lager aktion DesiredStock=Ønsket lager DesiredStockDesc=Dette lagerbeløb er den værdi, der bruges til at fylde lageret ved genopfyldningsfunktionen. @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=Du har ikke nok lager til dette varenummer fra dit ki ShowWarehouse=Vis lager MovementCorrectStock=Lagerkorrektion for produkt %s MovementTransferStock=Lageroverførsel af produkt %s til et andet lager +BatchStockMouvementAddInGlobal=Batchlager flytter til globalt lager (produktet bruger ikke batch længere) InventoryCodeShort=Inv./Mov. kode NoPendingReceptionOnSupplierOrder=Ingen afventende modtagelse på grund af åben indkøbsordre ThisSerialAlreadyExistWithDifferentDate=Dette parti / serienummer ( %s ) eksisterer allerede, men med forskellige eatby eller sellby dato (fundet %s men du skrev %s ) @@ -213,7 +215,7 @@ OnlyProdsInStock=Tilføj ikke produkt uden lager TheoricalQty=Teoretisk antal TheoricalValue=Teoretisk antal LastPA=Sidste BP -CurrentPA=Curent BP +CurrentPA=Nuværende BP RecordedQty=Optaget antal RealQty=Real Antal RealValue=Reel værdi @@ -280,7 +282,7 @@ ModuleStockTransferName=Avanceret lageroverførsel ModuleStockTransferDesc=Avanceret styring af lageroverførsel med generering af overførselsark StockTransferNew=Ny lageroverførsel StockTransferList=Liste over lageroverførsler -ConfirmValidateStockTransfer=Er du sikker på, at du vil validere denne lageroverførsel med referencen %s? +ConfirmValidateStockTransfer=Er du sikker på, at du vil validere denne aktieoverførsel med referencen %s span> ? ConfirmDestock=Reducer lagre med overførsel %s ConfirmDestockCancel=Annuller reduktion af lagre med overførsel %s DestockAllProduct=Reducer lagre @@ -318,8 +320,18 @@ StockTransferRightRead=Læs lageroverførsler StockTransferRightCreateUpdate=Opret/opdater lageroverførsler StockTransferRightDelete=Slet lageroverførsler BatchNotFound=Parti/serie blev ikke fundet for dette produkt +StockEntryDate=Dato for
      indtastning på lager StockMovementWillBeRecorded=Lagerbevægelser vil blive registreret StockMovementNotYetRecorded=Lagerbevægelser vil ikke blive påvirket af dette trin +ReverseConfirmed=Aktiebevægelsen er blevet vendt med succes + WarningThisWIllAlsoDeleteStock=Advarsel, dette vil også ødelægge alle mængder på lager på lageret +ValidateInventory=Lagervalidering +IncludeSubWarehouse=Inkludere underlager ? +IncludeSubWarehouseExplanation=Sæt kryds i dette felt, hvis du ønsker at inkludere alle underlagre til det tilknyttede lager i varelageret DeleteBatch=Slet parti/serie ConfirmDeleteBatch=Er du sikker på, at du vil slette parti/serie? +WarehouseUsage=Lagerbrug +InternalWarehouse=Internt lager +ExternalWarehouse=Eksternt lager +WarningThisWIllAlsoDeleteStock=Advarsel, dette vil også ødelægge alle mængder på lager på lageret diff --git a/htdocs/langs/da_DK/stripe.lang b/htdocs/langs/da_DK/stripe.lang index e2679c40a86..6b3e7a8ba5e 100644 --- a/htdocs/langs/da_DK/stripe.lang +++ b/htdocs/langs/da_DK/stripe.lang @@ -71,9 +71,10 @@ ToOfferALinkForTestWebhook=Link til opsætning Stripe WebHook for at ringe til I ToOfferALinkForLiveWebhook=Link til opsætning Stripe WebHook for at ringe til IPN (live tilstand) PaymentWillBeRecordedForNextPeriod=Betaling registreres for den næste periode. ClickHereToTryAgain=Klik her for at prøve igen ... -CreationOfPaymentModeMustBeDoneFromStripeInterface=På grund af stærke kunde autentificerings regler skal oprettelse af et kort foretages fra Stripe backoffice. Du kan klikke her for at tænde for Stripe-kundepost:%s +CreationOfPaymentModeMustBeDoneFromStripeInterface=På grund af Strong Customer Authentication-regler skal oprettelsen af et kort ske fra Stripe back office. Du kan klikke her for at slå Stripe kunderegistrering til: %s STRIPE_CARD_PRESENT=Kort til stede til Stripe-terminaler TERMINAL_LOCATION=Placering (adresse) for Stripe Terminals RequestDirectDebitWithStripe=Anmod om direkte debitering med Stripe +RequesCreditTransferWithStripe=Anmod om kreditoverførsel med Stripe STRIPE_SEPA_DIRECT_DEBIT=Aktiver direkte debitering via Stripe - +StripeConnect_Mode=Stripe Connect-tilstand diff --git a/htdocs/langs/da_DK/users.lang b/htdocs/langs/da_DK/users.lang index 331c8e9e0ff..acc73d10ab5 100644 --- a/htdocs/langs/da_DK/users.lang +++ b/htdocs/langs/da_DK/users.lang @@ -32,9 +32,8 @@ CreateUser=Opret bruger LoginNotDefined=Login er ikke defineret. NameNotDefined=Navn er ikke defineret. ListOfUsers=Liste over brugere -SuperAdministrator=Super Administrator -SuperAdministratorDesc=Administrator med alle rettigheder -AdministratorDesc=Administrator +SuperAdministrator=Multicompany administrator +SuperAdministratorDesc=Multicompany systemadministrator (kan ændre opsætning og brugere) DefaultRights=Standard tilladelser DefaultRightsDesc=Her defineres standardtilladelser, der automatisk tildeles en nybruger (for at ændre tilladelser for eksisterende brugere, gå til brugerkortet). DolibarrUsers=Dolibarr brugere @@ -110,8 +109,9 @@ ExpectedWorkedHours=Forventede arbejdstimer pr. Uge ColorUser=Brugerens farve DisabledInMonoUserMode=Deaktiveret i vedligeholdelsestilstand UserAccountancyCode=Regnskabskode for bruger -UserLogoff=Bruger logout -UserLogged=Bruger logget +UserLogoff=Bruger logud: %s +UserLogged=Bruger logget: %s +UserLoginFailed=Brugerlogin mislykkedes: %s DateOfEmployment=Ansættelsesdato DateEmployment=Beskæftigelse DateEmploymentStart=Ansættelsesstartdato @@ -120,10 +120,10 @@ RangeOfLoginValidity=Adgang til gyldighedsdatointerval CantDisableYourself=Du kan ikke deaktivere din egen brugerpost ForceUserExpenseValidator=Tving udgiftsrapportvalidering ForceUserHolidayValidator=Tving orlov anmodning validator -ValidatorIsSupervisorByDefault=Som standard validatoren er supervisor for brugeren. Hold tom for at bevare denne opførsel. +ValidatorIsSupervisorByDefault=Som standard er validatoren brugerens supervisor. Hold tom for at bevare denne adfærd. UserPersonalEmail=Personlig e-mail UserPersonalMobile=Personlig mobiltelefon -WarningNotLangOfInterface=Advarsel! Dette er det vigtigste sprog, som brugeren taler, ikke sproget i den grænseflade, han valgte at se. For at ændre det interface, der er synligt for denne bruger, skal du gå til fanen %s +WarningNotLangOfInterface=Advarsel, dette er det primære sprog, brugeren taler, ikke sproget i den grænseflade, han valgte at se. For at ændre grænsefladesproget, der er synligt for denne bruger, skal du gå til fanen %s DateLastLogin=Dato sidste login DatePreviousLogin=Dato forrige login IPLastLogin=IP sidste login @@ -132,3 +132,5 @@ ShowAllPerms=Vis alle tilladelsesrækker HideAllPerms=Skjul alle tilladelsesrækker UserPublicPageDesc=Du kan aktivere et virtuelt kort for denne bruger. En url med brugerprofilen og en stregkode vil være tilgængelig, så alle med en smartphone kan scanne den og tilføje din kontakt til dens adressebog. EnablePublicVirtualCard=Aktiver brugerens virtuelle visitkort +UserEnabledDisabled=Brugerstatus ændret: %s +AlternativeEmailForOAuth2=Alternativ e-mail til OAuth2-login diff --git a/htdocs/langs/da_DK/website.lang b/htdocs/langs/da_DK/website.lang index 4800318d0f5..f4a4d721beb 100644 --- a/htdocs/langs/da_DK/website.lang +++ b/htdocs/langs/da_DK/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Alternative sidenavne / aliaser WEBSITE_ALIASALTDesc=Brug her en liste over andre navne / aliaser, så siden kan også fås ved hjælp af disse andre navne / aliaser (for eksempel det gamle navn efter omdøbning af aliaset for at holde tilbagekobling på gamle link / navnearbejde). Syntaks er:
      alternativnavn1, alternativnavn2, ... WEBSITE_CSS_URL=URL for ekstern CSS-fil WEBSITE_CSS_INLINE=CSS-fil indhold (fælles for alle sider) -WEBSITE_JS_INLINE=Javascript fil indhold (fælles for alle sider) +WEBSITE_JS_INLINE=JavaScript fil indhold (fælles for alle sider) WEBSITE_HTML_HEADER=Tilføjelse nederst på HTML-overskrift (fælles for alle sider) WEBSITE_ROBOT=Robotfil (robots.txt) WEBSITE_HTACCESS=Websted .htaccess fil @@ -60,10 +60,11 @@ NoPageYet=Ingen sider endnu YouCanCreatePageOrImportTemplate=Du kan oprette en ny side eller importere en fuld hjemmeside skabelon SyntaxHelp=Hjælp til specifikke syntax tips YouCanEditHtmlSourceckeditor=Du kan redigere HTML-kildekode ved hjælp af knappen "Kilde" i editoren. -YouCanEditHtmlSource=
      Du kan inkludere PHP-kode i denne kilde ved hjælp af tags <?php ?> Følgende globale variabler er tilgængelige: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Du kan også inkludere indholdet af en anden side/Container med følgende syntaks:
      >

      Du kan lave en omdirigering til en anden side / Container med følgende syntaks (Bemærk: ikke output noget indhold, før en omdirigering):
      <php redirectToContainer (alias_of_container_to_redirect_to '); ?>

      For at tilføje et link til en anden side, skal du bruge syntaksen:
      <a href = "alias_of_page_to_link_to.php" >mylink<a>

      For at inkludere en link til download en fil er gemt i dokumenter bibliotek, brug document.php wrapper:
      eksempel: a file into documents/ecm (need to be logged), syntax is:
      >a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For en fil til dokumenter / medier (åben mappe for offentlig adgang) er syntaks:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For en fil, der deles med et delingslink (åben adgang ved hjælp af deling hash-nøglen til fil), syntax is:
      <a href=/document.php?hashp=publicsharekeyoffile">

      vil medtage en billede lagret i dokumenter mappen, skal du bruge viewimage.php indpakning:
      eksempel, for et billede ind i dokumenter / medier (åben bibliotek for offentlig adgang), syntaks er:
      <img src = "/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      Du kan inkludere PHP-kode i denne kilde ved hjælp af tags <?php ?>
      b03492bzfcc Du kan foretage en omdirigering til en anden side/beholder med følgende syntaks (Bemærk: udskriv ikke nogen indhold før en omdirigering):
      <?php redirectToContainer alias_of_container_to_redirect_to'); ?>
      b03492bzfcc For at tilføje et link til en anden side skal du bruge syntaksen:
      <a href="alias_of_page_to_link_to.php"b0012c7z0mylink<a>

      To include a <
      link til download en fil gemt i dokumenterne
      bibliotek, brug document.php class='notranslate' wrapper: >
      Eksempel, for en fil til dokumenter/ecm (skal logges), er syntaksen:
      ><a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For en fil til dokumenter/medier (åben mappe til offentlig adgang), er syntaksen:
      <a href="/document.php?modulepart=medias&file=]relative_dir/ ext">
      For en fil, der deles med et delingslink ( åben adgang ved hjælp af filens hash-nøgle), syntaks er:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      At inkludere en image gemt i dokumenterne07843947c06bz00065d071f6fc9z0
      , brug indpakningen viewimage.php.
      ,Example,
      et billede i dokumenter/medier (åben mappe til offentlig adgang), syntaks er:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext"< span>img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>"" class='notranslate'>>
      +YouCanEditHtmlSourceMore=
      Flere eksempler på HTML eller dynamisk kode tilgængelig på wiki-dokumentationen >.
      ClonePage=Klon side / container CloneSite=Klon website SiteAdded=Hjemmeside tilføjet @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Beklager, dette websted er i øjeblikket offline. WEBSITE_USE_WEBSITE_ACCOUNTS=Aktivér webstedets kontobord WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Aktivér tabellen til at gemme webstedskonti (login / pass) for hver webside / tredjepart YouMustDefineTheHomePage=Du skal først definere standard startside -OnlyEditionOfSourceForGrabbedContentFuture=Advarsel: Oprettelse af en webside ved at importere en ekstern webside er forbeholdt erfarne brugere. Afhængigt af kildesidens kompleksitet kan resultatet af importen afvige fra originalen. Hvis kildesiden bruger almindelige CSS-stilarter eller modstridende javascript, kan det muligvis ødelægge udseendet eller funktionerne på webstededitoren, når du arbejder på denne side. Denne metode er en hurtigere måde at oprette en side på, men det anbefales at oprette din nye side fra bunden eller fra en foreslået sideskabelon. Bemærk også, at inlineeditoren muligvis ikke fungerer korrekt, når den bruges på en ekstern side, der gribes. +OnlyEditionOfSourceForGrabbedContentFuture=Advarsel: Oprettelse af en webside ved at importere en ekstern webside er forbeholdt erfarne brugere. Afhængigt af kildesidens kompleksitet kan resultatet af importen afvige fra originalen. Også hvis kildesiden bruger almindelige CSS-stile eller modstridende JavaScript, kan det ødelægge udseendet eller funktionerne i websted-editoren, når du arbejder på denne side. Denne metode er en hurtigere måde at oprette en side på, men det anbefales at oprette din nye side fra bunden eller fra en foreslået sideskabelon.
      Bemærk også, at inline-editoren muligvis ikke virker korrekthed, når det bruges på en grebet ekstern side. OnlyEditionOfSourceForGrabbedContent=Kun udgave af HTML-kilde er mulig, når indhold blev taget fra et eksternt websted GrabImagesInto=Grib også billeder fundet i css og side. ImagesShouldBeSavedInto=Billeder skal gemmes i biblioteket @@ -112,13 +113,13 @@ GoTo=Gå til DynamicPHPCodeContainsAForbiddenInstruction=Du tilføjer dynamisk PHP-kode, der indeholder PHP-instruktionen '%s', der som standard er forbudt som dynamisk indhold (se skjulte indstillinger WEBSITE_PHP_ALLOW_xxx for at øge listen over tilladte kommandoer). NotAllowedToAddDynamicContent=Du har ikke tilladelse til at tilføje eller redigere PHP dynamisk indhold i hjemmesider. Spørg tilladelse eller bare opbevar kode i php-tags umodificeret. ReplaceWebsiteContent=Søg eller erstat webstedsindhold -DeleteAlsoJs=Slet også alle javascript filer er specifikke for denne hjemmeside? -DeleteAlsoMedias=Slet du også alle mediefiler, der er specifikke for dette websted? +DeleteAlsoJs=Vil du også slette alle JavaScript-filer, der er specifikke for denne websted? +DeleteAlsoMedias=Vil du også slette alle mediefiler, der er specifikke for denne websted? MyWebsitePages=Mine webside sider SearchReplaceInto=Søg | Udskift i ReplaceString=Ny string CSSContentTooltipHelp=Indtast her CSS-indhold. For at undgå konflikt med applikationens CSS skal du sørge for at afhænge al erklæring med .bodywebsite-klassen. For eksempel:

      #mycssselector, input.myclass: hover {...}
      skal være
      .bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}

      Bemærk: Hvis du har en stor fil uden dette præfiks, kan du bruge 'lessc' for at konvertere det til at tilføje .bodywebsite-præfikset overalt. -LinkAndScriptsHereAreNotLoadedInEditor=Advarsel: Dette indhold udsendes kun, når der er adgang til webstedet fra en server. Det bruges ikke i redigeringstilstand, så hvis du har brug for at indlæse javascript-filer også i redigeringsfunktion, skal du bare tilføje dit tag 'script src = ...' på siden. +LinkAndScriptsHereAreNotLoadedInEditor=Advarsel: Dette indhold udsendes kun, når webstedet tilgås fra en server. Det bruges ikke i redigeringstilstand, så hvis du også skal indlæse JavaScript-filer i redigeringstilstand, skal du blot tilføje dit tag 'script src=...' på siden. Dynamiccontent=Eksempel på en side med dynamisk indhold ImportSite=Importer websider skabelon EditInLineOnOff=Tilstand 'Rediger inline' er%s @@ -160,3 +161,6 @@ PagesViewedTotal=Viste sider (i alt) Visibility=Synlighed Everyone=Alle sammen AssignedContacts=Tildelte kontakter +WebsiteTypeLabel=Type websted +WebsiteTypeDolibarrWebsite=Websted (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr-portal diff --git a/htdocs/langs/da_DK/withdrawals.lang b/htdocs/langs/da_DK/withdrawals.lang index 4006d2edb7a..a44a6a14058 100644 --- a/htdocs/langs/da_DK/withdrawals.lang +++ b/htdocs/langs/da_DK/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Foretag en kreditoverførselsanmodning WithdrawRequestsDone=%s anmodninger om direkte debitering indbetalt BankTransferRequestsDone=%s kredit overførselsanmodninger registreret ThirdPartyBankCode=Tredjeparts bankkode -NoInvoiceCouldBeWithdrawed=Ingen faktura debiteres med succes. Kontroller, at fakturaer er på virksomheder med en gyldig IBAN, og at IBAN har en UMR (Unique Mandate Reference) med tilstanden %s . +NoInvoiceCouldBeWithdrawed=Ingen faktura blev behandlet. Tjek, at fakturaer er på virksomheder med et gyldigt IBAN, og at IBAN har en UMR (Unique Mandate Reference) med mode %s. +NoInvoiceCouldBeWithdrawedSupplier=Ingen faktura blev behandlet. Tjek at fakturaer er på virksomheder med gyldigt IBAN. +NoSalariesCouldBeWithdrawed=Ingen løn behandlet med succes. Tjek, at lønnen er på brugere med et gyldigt IBAN. WithdrawalCantBeCreditedTwice=Denne kvittering for tilbagetrækning er allerede markeret som krediteret. dette kan ikke gøres to gange, da dette potentielt kan skabe dobbeltbetalinger og bankindtastninger. ClassCredited=Klassificere krediteres ClassDebited=Klassificer debiteret @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Er du sikker på du vil indtaste en tilbagetrækning af RefusedData=Dato for afvisning RefusedReason=Årsag til afvisning RefusedInvoicing=Fakturering afvisningen -NoInvoiceRefused=Oplad ikke afvisning -InvoiceRefused=Faktura nægtet (Oplad afvisningen til kunden) +NoInvoiceRefused=Debiter ikke kunden for afslaget +InvoiceRefused=Debiter kunden for afslaget +DirectDebitRefusedInvoicingDesc=Sæt et flag for at sige, at dette afslag skal debiteres kunden StatusDebitCredit=Status debet / kredit StatusWaiting=Venter StatusTrans=Transmitteret @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Mandat underskrift dato RUMLong=Unik Mandat Reference RUMWillBeGenerated=Hvis tom, genereres en UMR (unik mandatreference), når bankkontooplysningerne er gemt. -WithdrawMode=Direkte debiteringstilstand (FRST eller RECUR) +WithdrawMode=Direkte debiteringstilstand (FRST eller RCUR) WithdrawRequestAmount=Beløb for direkte debitering: BankTransferAmount=Mængde af kredit overførselsanmodning: WithdrawRequestErrorNilAmount=Kunne ikke oprette direkte debitering for tomt beløb. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Dit bankkonto navn (IBAN) SEPAFormYourBIC=Din bankidentifikator kode (BIC) SEPAFrstOrRecur=Betalings type ModeRECUR=Tilbagevendende betaling +ModeRCUR=Tilbagevendende betaling ModeFRST=Engangsbetaling PleaseCheckOne=Tjek venligst kun en CreditTransferOrderCreated=Kreditoverførselsordre %s oprettet @@ -155,9 +159,16 @@ InfoTransData=Beløb: %s
      Methodology: %s
      Dato: %s InfoRejectSubject=Betalingsordren afvises InfoRejectMessage=Hej,

      Betalingsordre for faktura %s relateret til firmaet %s, med et beløb på %s er blevet afvist af banken.



      %s ModeWarning=Mulighed for real mode ikke var indstillet, vi stopper efter denne simulation -ErrorCompanyHasDuplicateDefaultBAN=Virksomhed med id %s har mere end en standard bankkonto. Ingen måde at vide, hvilken man skal bruge. +ErrorCompanyHasDuplicateDefaultBAN=Virksomhed med id %s har mere end én standardbankkonto. Ingen måde at vide, hvilken man skal bruge. ErrorICSmissing=Mangler ICS på bankkonto %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Det samlede beløb for direkte debiteringsordre adskiller sig fra summen af linjer WarningSomeDirectDebitOrdersAlreadyExists=Advarsel: Der er allerede nogle afventende direkte debiteringsordrer (%s) anmodet om et beløb på %s WarningSomeCreditTransferAlreadyExists=Advarsel: Der er allerede en afventende kreditoverførsel (%s) anmodet om et beløb på %s UsedFor=Brugt til %s +Societe_ribSigned=SEPA-mandat Underskrevet +NbOfInvoiceToPayByBankTransferForSalaries=Antal kvalificerede lønninger, der venter på betaling ved kreditoverførsel +SalaryWaitingWithdraw=Løn, der venter på betaling ved kreditoverførsel +RefSalary=Løn +NoSalaryInvoiceToWithdraw=Ingen løn, der venter på en '%s'. Gå på fanen '%s' på lønkortet for at fremsætte en anmodning. +SalaryInvoiceWaitingWithdraw=Løn, der venter på betaling ved kreditoverførsel + diff --git a/htdocs/langs/da_DK/workflow.lang b/htdocs/langs/da_DK/workflow.lang index ec88edf8ff8..533d0faa6ac 100644 --- a/htdocs/langs/da_DK/workflow.lang +++ b/htdocs/langs/da_DK/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Opret automatisk en kundefaktura efter descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Opret automatisk en kundefaktura, når en salgsordre er lukket (den nye faktura har samme beløb som ordren) descWORKFLOW_TICKET_CREATE_INTERVENTION=Ved oprettelse af billet skal du automatisk oprette en intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Klassificer linket kildeforslag som faktureret, når salgsordren er indstillet til faktureret (og hvis ordrens størrelse er det samme som det samlede beløb for det underskrevne linkede forslag) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Klassificer tilsluttet kildeforslag som faktureret, når kundefakturaen er bekræftet (og hvis fakturaens størrelse er det samme som det samlede beløb for det underskrevne linkede forslag) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Klassificer den tilknyttede kildes salgsordre, som faktureres, når kundefakturaen er valideret (og hvis fakturabeløbet er det samme som det samlede beløb for den tilknyttede ordre) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Klassificer den tilknyttede kildes salgsordre, som faktureres, når kundefakturaen er indstillet til betalt (og hvis fakturaforholdet er det samme som det samlede beløb for den tilknyttede ordre) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Klassificer den tilknyttede kildes salgsordre, som sendes, når en forsendelse er valideret (og hvis den mængde, der er sendt af alle forsendelser, er den samme som i opdateringsordren) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Klassificer linkede kildeforslag som faktureret, når en salgsordre er indstillet til faktureret (og hvis ordrebeløbet er det samme som det samlede beløb for de signerede linkede forslag) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Klassificer linkede kildeforslag som faktureret, når en kundefaktura er valideret (og hvis fakturabeløbet er det samme som det samlede beløb for de signerede linkede forslag) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Klassificer tilknyttet kildesalgsordre som faktureret, når en kundefaktura er valideret (og hvis fakturabeløbet er det samme som det samlede beløb for de tilknyttede salgsordrer). Hvis du har 1 faktura valideret for n ordrer, kan dette også indstille alle ordrer til at blive faktureret. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Klassificer linkede kildesalgsordrer som faktureret, når en kundefaktura er indstillet til betalt (og hvis fakturabeløbet er det samme som det samlede beløb for de tilknyttede salgsordrer). Hvis du har 1 fakturasæt faktureret for n ordrer, kan dette også indstille alle ordrer til fakturering. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Klassificer linkede kildesalgsordrer som afsendt, når en forsendelse er valideret (og hvis mængden afsendt af alle forsendelser er den samme som i ordren, der skal opdateres) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Klassificer tilknyttet kildesalgsordre som afsendt, når en forsendelse lukkes (og hvis mængden, der sendes af alle forsendelser, er den samme som i ordren, der skal opdateres) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Klassificer tilsluttet kildeleverandørforslag som faktureret, når leverandørfakturaen er bekræftet (og hvis fakturaens størrelse er det samme som det samlede beløb for det linkede forslag) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Klassificer linket kildeleverandørforslag som faktureret, når leverandørfakturaen er valideret (og hvis fakturabeløbet er det samme som det samlede beløb for de linkede forslag) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Klassificer købt købsordre med kilden som faktureret, når leverandørfakturaen er bekræftet (og hvis fakturaens størrelse er den samme som det samlede beløb for den tilknyttede ordre) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Klassificer linket kildekøbsordre som faktureret, når leverandørfakturaen er valideret (og hvis fakturabeløbet er det samme som det samlede beløb for de linkede ordrer) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Klassificer linket kildeindkøbsordre som modtaget, når en modtagelse er valideret (og hvis mængden modtaget af alle modtagelser er den samme som i indkøbsordren, der skal opdateres) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Klassificer tilknyttet kildeindkøbsordre som modtaget, når en modtagelse lukkes (og hvis mængden modtaget af alle modtagelser er den samme som i indkøbsordren for at opdatere) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Klassificer modtagelser til "faktureret", når en tilknyttet købsfaktura er valideret (og hvis fakturabeløbet er det samme som det samlede beløb for de tilknyttede modtagelser) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Klassificer linket kildeforsendelse som lukket, når en kundefaktura er valideret (og hvis fakturabeløbet er det samme som det samlede beløb for de linkede forsendelser) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Klassificer linket kildeforsendelse som faktureret, når en kundefaktura er valideret (og hvis fakturabeløbet er det samme som det samlede beløb for de linkede forsendelser) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Klassificer tilknyttede kildemodtagelser som faktureret, når en købsfaktura er valideret (og hvis fakturabeløbet er det samme som det samlede beløb for de tilknyttede modtagelser) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Klassificer tilknyttede kildemodtagelser som faktureret, når en købsfaktura er valideret (og hvis fakturabeløbet er det samme som det samlede beløb for de tilknyttede modtagelser) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=Når du opretter en billet, skal du linke tilgængelige kontrakter fra matchende tredjepart +descWORKFLOW_TICKET_LINK_CONTRACT=Når du opretter en billet, skal du tilknytte alle tilgængelige kontrakter fra matchende tredjeparter descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Når du sammenkæder kontrakter, søg blandt moderselskabers # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Luk alle indgreb, der er knyttet til billetten, når en billet er lukket AutomaticCreation=Automatisk oprettelse AutomaticClassification=Automatisk klassificering -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Klassificer linket kildeforsendelse som lukket, når kundens faktura er valideret (og hvis fakturabeløbet er det samme som det samlede beløb for de linkede forsendelser) AutomaticClosing=Automatisk lukning AutomaticLinking=Automatisk forbinde diff --git a/htdocs/langs/de_AT/withdrawals.lang b/htdocs/langs/de_AT/withdrawals.lang index 1e452c7a2bd..6f5a8394451 100644 --- a/htdocs/langs/de_AT/withdrawals.lang +++ b/htdocs/langs/de_AT/withdrawals.lang @@ -1,6 +1,5 @@ # Dolibarr language file - Source file is en_US - withdrawals WithdrawalRefused=Abbuchungen abgelehnt -InvoiceRefused=Ablehnung in Rechnung stellen StatusWaiting=Wartestellung StatusMotif2=Abbuchung angefochten StatusMotif5=Fehlerhafte Kontodaten diff --git a/htdocs/langs/de_CH/accountancy.lang b/htdocs/langs/de_CH/accountancy.lang index a963bec1987..679df2cd371 100644 --- a/htdocs/langs/de_CH/accountancy.lang +++ b/htdocs/langs/de_CH/accountancy.lang @@ -10,7 +10,6 @@ Selectformat=Wähle das Dateiformat ACCOUNTING_EXPORT_FORMAT=Wähle das Dateiformat ACCOUNTING_EXPORT_ENDLINE=Wähle das Steuerzeichen für den Wagenrücklauf (Carriage Return CR) ACCOUNTING_EXPORT_PREFIX_SPEC=Wähle dein Präfix für den Dateinamen -ServiceForThisThirdparty=Dienstleistung für diesen Geschäftspartner CantSuggest=Ich habe keinen Vorschlag AccountancySetupDoneFromAccountancyMenu=Die meisten Einstellungen der Buchhaltung setzt du im Menu %s ConfigAccountingExpert=Einstellungen für das Modul Buchhaltung (Doppelte Buchhaltung) @@ -51,7 +50,6 @@ AccountancyAreaDescDefault=STEP %s: Hinterlege weitere Standard - Buchhaltungsko AccountancyAreaDescSal=Schritt %s: Hinterlege deine Buchhaltungskonten für Lohnzahlungen im Menu %s. AccountancyAreaDescDonation=Schritt %s: Erzeuge Standardkonten für Spenden im Menu %s. AccountancyAreaDescSubscription=SCHRITT %s: Lege die Standard - Buchhaltungskonten für die Mitgliederabonnements im Menu %s fest. -AccountancyAreaDescMisc=Schritt %s: Erzeuge Standard Buchhaltungskonten für sonstige Transaktionen im Menu %s. AccountancyAreaDescLoan=Schritt %s: Erzeuge Buchaltungskonten für Darlehen im Menu %s. AccountancyAreaDescBank=Schritt %s: Erzeuge und Verwalte deine Bank- und Finanzkonten im Menu %s und weise entsprechende Journale zu. AccountancyAreaDescBind=Schritt %s: Prüfe die Verknüpfungen von %s mit passenden Buchhaltungskonten, damit Dolibarr Sie automatisch im Hauptbuch journalisieren kann. Wenn nötig, füge die Verknüpfungen im Menu %s manuell hinzu. @@ -114,7 +112,6 @@ ACCOUNTING_MANAGE_ZERO=Unterschiedliche Anzahl Stellen für Kontonummern erlaube BANK_DISABLE_DIRECT_INPUT=Direktbuchung der Transaktion auf dem Bankkonto unterbinden ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Entwurfsexport des Journales erlauben ACCOUNTANCY_COMBO_FOR_AUX=Kombinierte Liste für Nebenbuchkonten aktivieren (das kann bei vielen Geschäftspartnern langsam gehen. Weiter kannst du so nicht nach Teilwerten suchen. -ACCOUNTING_DATE_START_BINDING=Eröffnungsdatum der Buchhaltung festlegen. Alle Vorgänge davor werden in der Buchhaltung nicht berücksichtigt. ACCOUNTING_EXPENSEREPORT_JOURNAL=Spesenabrechnungsjournal ACCOUNTING_HAS_NEW_JOURNAL=Hat neuen Journaleintrag ACCOUNTING_SOCIAL_JOURNAL=Personaljournal @@ -194,7 +191,6 @@ AccountingJournalType2=Verkauf AccountingJournalType3=Einkauf AccountingJournalType5=Spesenrapporte AccountingJournalType8=Inventar -AccountingJournalType9=Hat neues ErrorAccountingJournalIsAlreadyUse=Dieses Journal wird schon verwendet. AccountingAccountForSalesTaxAreDefinedInto=Obacht: Das Buchhaltungskonto für die MWST setzt du hier: %s - %s NumberOfAccountancyEntries=Anzahl Einträge @@ -246,7 +242,6 @@ Range=Bereich dieses Kontenplanes Calculated=Berechnet ConfirmMassDeleteBookkeepingWriting=Bestätige die Mehrfachlöschung SomeMandatoryStepsOfSetupWereNotDone=Oha - einige zwingende Einstellungen sind noch nicht gemacht worden. Bitte erledige das noch, danke. -ErrorNoAccountingCategoryForThisCountry=Ich finde keine Kontengruppe für das gewählte Land %s. Prüfe im Setup die Wörterbücher. ErrorInvoiceContainsLinesNotYetBounded=Du probierst gerade einige Rechnungspositionen von %s zu journalisieren.\nAllerdings sind nicht alle Positionen einem Konto zugeordnet.\nAlso wird nicht die gesamte Rechnung journalisiert. ErrorInvoiceContainsLinesNotYetBoundedShort=Obacht - einige Rechnungspositionen sind keinen Buchhaltungskonten zugewiesen. ExportNotSupported=Leider unterstütze ich hier dieses Exportformat nicht... diff --git a/htdocs/langs/de_CH/admin.lang b/htdocs/langs/de_CH/admin.lang index aa707ece644..03b482b74f3 100644 --- a/htdocs/langs/de_CH/admin.lang +++ b/htdocs/langs/de_CH/admin.lang @@ -54,6 +54,7 @@ UsePreviewTabs=Vorschautabs verwenden MySQLTimeZone=Aktuelle Zeitzone von MySql (Datenbank) TZHasNoEffect=Kalenderdaten werden als Text in der Datenbank abgelegt und ausgelesen. Die Datenbank - Zeitzone sollte so keinen Einfluss auf Dolibarr haben, auch wenn Sie nach Eingabe von Daten geändert wird. Nur wenn die UNIX_TIMESTAMP - Funktion verwendet wird, was man in Dolibarr nicht sollte, kann die Datenbank - Zeitzone Auswirkungen haben. Space=Raum +NextValueForCreditNotes=Nächster Wert (Gutschriften) NextValueForDeposit=Nächster Wert (Anzahlung) NextValueForReplacements=Nächster Wert (Ersatz) NoMaxSizeByPHPLimit=Hinweis: In Ihren PHP-Einstellungen sind keine Grössenbeschränkungen hinterlegt @@ -155,9 +156,6 @@ EMailsDesc=Auf dieser Seite können Sie Parameter oder Optionen für den E-Mail- EmailSenderProfiles=Absenderprofil MAIN_MAIL_SMTP_PORT=SMTP / SMTPS - Portnummer (aktuelle Konfiguration in PHP ist: %s) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS - Portnummer (aktuelle Konfiguration in PHP ist: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP / SMTPS - Portnummer (in UNIX - Umgebungen nicht in PHP konfiguriert) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS - Host (in UNIX - Umgebungen nicht in PHP konfiguriert) -MAIN_MAIL_EMAIL_FROM=E-Mail Absender für automatisch generierte Nachrichten (aktuelle Konfiguration in PHP ist: %s) MAIN_MAIL_ERRORS_TO=E-Mail - Antwortadresse für Versandfehler (greift die Felder 'Errors-To' von gesendeten Mails ab) MAIN_MAIL_AUTOCOPY_TO=Automatische Blindkopie (BCC) aller gesendeten Mails an: MAIN_DISABLE_ALL_MAILS=Deaktiviere alle E-Mail-Funktionen (für Test- oder Demozwecke) @@ -167,7 +165,6 @@ MAIN_MAIL_SENDMODE=Methode zum Senden von E-Mails MAIN_MAIL_SMTPS_ID=SMTP - Benutzer (wenn Authentifizierung durch Ausgangsserver erforderlich) MAIN_MAIL_SMTPS_PW=SMTP - Passwort (wenn Authentifizierung durch Ausgangsserver erforderlich) MAIN_MAIL_EMAIL_TLS=TLS (SSL)-Verschlüsselung verwenden -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorisieren der automatischen Signaturen der Zertifikate MAIN_MAIL_EMAIL_DKIM_ENABLED=Authentiziere dich durch DKIM - E-Mail Signatur MAIN_MAIL_EMAIL_DKIM_DOMAIN=DKIM Domäne MAIN_MAIL_EMAIL_DKIM_SELECTOR=DKIM - Selector @@ -175,7 +172,6 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Privater DKIM - Schlüssel MAIN_DISABLE_ALL_SMS=Alle SMS-Funktionen abschalten (für Test- oder Demozwecke) MAIN_SMS_SENDMODE=Methode zum Senden von SMS MAIN_MAIL_SMS_FROM=Standard - Mobilnummer für SMS Versand -MAIN_MAIL_DEFAULT_FROMTYPE=E-Mail - Absender für manuell erzeugte Nachrichten (Benutzer- oder Firmenadresse) UserEmail=Email des Benutzers CompanyEmail=Firmen - E-Mailadresse FeatureNotAvailableOnLinux=Diese Funktion ist auf Unix-Umgebungen nicht verfügbar. Testen Sie Ihr Programm sendmail lokal. @@ -228,7 +224,6 @@ HideRefOnPDF=Verstecke Produktnummern HideDetailsOnPDF=Verstecke Produktzeilen PlaceCustomerAddressToIsoLocation=ISO Position für die Kundenadresse verwenden GetSecuredUrl=Holen der berechneten URL -ButtonHideUnauthorized=Verstecke nicht autorisierte Aktionsschaltflächen auch für interne Benutzer (ansonsten nur grau) OldVATRates=Alter MwSt. Satz NewVATRates=Neuer MwSt. Satz MassConvert=Massenkonvertierung starten @@ -245,7 +240,6 @@ ExtrafieldRadio=Einfachauswahl (Radiobuttons) ExtrafieldCheckBox=Kontrollkästchen ExtrafieldCheckBoxFromList=Kontrollkästchen aus Tabelle ComputedpersistentDesc=Berechnete Extra Felder werden in die Datenbank geschrieben. Allerdings werden sie nur neu berechnet, wenn das Objekt des Feldes verändert wird. Wenn das Feld also von Objekten oder globalen Werten abhängt, kann sein Wert daneben sein. -ExtrafieldParamHelpPassword=Wenn leer, wird das Passwort unverschlüsselt geschrieben.
      Gib 'auto' an für die Standardverschlüsselung - es wird nur der Hash ausgelesen und man kann das Passwort unmöglich herausfinden. ExtrafieldParamHelpselect=Parameterlisten müssen das Format Schlüssel,Wert haben

      zum Beispiel:
      1,Wert1
      2,Wert2
      3,Wert3
      ...

      Um die Liste in Abhängigkeit zu einer anderen zu haben:
      1,Wert1|parent_list_code:parent_key
      2,Wert2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=Die Liste muss im Format: Schlüssel, Wert sein (wobei der Schlüssel nicht '0' sein kann)

      zum Beispiel:
      1, Wert1
      2, Wert2
      3, Wert3
      ... ExtrafieldParamHelpradio=Die Liste muss im Format: Schlüssel, Wert sein (wobei der Schlüssel nicht '0' sein kann)

      zum Beispiel:
      1, Wert1
      2, Wert2
      3, Wert3
      ... @@ -286,7 +280,6 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Das Standart - Privatverzeichnis in WebDAV kann jed DAV_ALLOW_PUBLIC_DIR=WebDAV - Ordner "public" aktivieren (Kein Login nötig). DAV_ALLOW_PUBLIC_DIRTooltip=Das Öffentliche Verzeichnis in WebDAV kann jeder ohne irgendein Login benutzen. DAV_ALLOW_ECM_DIR=DMS/ECM - Privatverzeichnis aktivieren (Login erforderlich). Das ist das Stammverzeichnis des DMS/ECM Modules. -DAV_ALLOW_ECM_DIRTooltip=Hier kommen alle selbst hochgeladenen DMS/ECM Dateien hin. Dazu braucht es einen ein Benutzerlogin mit den erforderlichen Rechten. Module0Desc=Benutzer / Mitarbeiter und Gruppen Administration Module1Desc=Geschäftspartner- und Kontakteverwaltung (Kunden, Leads, ...) Module10Name=Buchhaltung einfach @@ -294,8 +287,8 @@ Module10Desc=Einfache Buchhaltungsberichte (Journale, Umsätze) auf Basis von Da Module20Desc=Angeboteverwaltung Module22Desc=E-Mail-Kampagnenverwaltung Module25Desc=Kunden - Auftragsverwaltung +Module30Desc=Verwaltung von Rechnungen und Gutschriften für Kunden. Verwaltung von Rechnungen und Gutschriften für Lieferanten Module40Name=Lieferanten -Module43Desc=Ein Tool für Entwickler, die Ihrem Browser eine Debug-Leiste hinzufügen. Module49Desc=Bearbeiterverwaltung Module50Desc=Produkteverwaltung Module51Name=Postwurfsendungen @@ -438,7 +431,6 @@ DictionaryAccountancysystem=Kontenplan Modul DictionaryEMailTemplates=E-Mail Textvorlagen SetupSaved=Setup gespeichert BackToDictionaryList=Zurück zu der Stammdatenliste -VATIsUsedDesc=Standardmässig folgt der Umsatzsteuersatz beim Erstellen von Interessenten, Rechnungen, Aufträgen usw. der aktiven Standardregel:
      Wenn der Verkäufer nicht der Umsatzsteuer unterliegt, ist die Umsatzsteuer standardmäßig 0. Regelende.
      Ist das (Land des Verkäufers = Land des Käufers), entspricht die Umsatzsteuer standardmässig der Umsatzsteuer des Produkts im Land des Verkäufers. Regelende.
      Wenn der Verkäufer und der Käufer beide in der Europäischen Gemeinschaft ansässig sind und es sich bei den Waren um transportbezogene Produkte handelt (Spedition, Versand, Fluggesellschaft), beträgt die Standard-Mehrwertsteuer 0. Diese Regel ist abhängig vom Land des Verkäufers - wenden Sie sich an Ihren Buchhalter. Die Mehrwertsteuer ist vom Käufer an die Zollstelle in seinem Land und nicht an den Verkäufer zu entrichten. Regelende.
      Wenn der Verkäufer und der Käufer beide in der Europäischen Gemeinschaft ansässig sind und der Käufer kein Unternehmen ist (mit einer registrierten innergemeinschaftlichen Umsatzsteuer-Identifikationsnummer), gilt standardmässig der Umsatzsteuersatz des Landes des Verkäufers. Regelende.
      Wenn der Verkäufer und der Käufer beide in der Europäischen Gemeinschaft ansässig sind und der Käufer ein Unternehmen ist (mit einer registrierten innergemeinschaftlichen Umsatzsteuer-Identifikationsnummer), beträgt die Umsatzsteuer standardmässig 0. Regelende.
      In allen anderen Fällen lautet der vorgeschlagene Standardwert Umsatzsteuer = 0. Regelende. VATIsNotUsedDesc=Standardmässig beträgt die vorgeschlagene Umsatzsteuer 0, was für Fälle wie Vereine, Einzelpersonen oder kleine Unternehmen verwendet werden kann. LocalTax1IsNotUsedDescES=Standardmässig werden die vorgeschlagenen RE 0 ist. Ende der Regel. LocalTax2IsNotUsedDescES=Standardmässig werden die vorgeschlagenen IRPF 0 ist. Ende der Regel. @@ -484,9 +476,9 @@ HRMSetup=HRM Modul Einstellungen CompanySetup=Unternehmenseinstellungen NotificationsDesc=E-Mail - Benachrichtigungen für Ereignisse können automatisch verschickt werden.
      Die Empfänger kannst du so definieren: BillsSetup=Rechnungsmoduleinstellungen +BillsNumberingModule=Rechnungs- und Gutschriftsnumerierungsmodul FreeLegalTextOnInvoices=Freier Rechtstext für Rechnungen WatermarkOnDraftInvoices=Wasserzeichen auf Rechnungs-Entwurf (keines, falls leer) -SuppliersPayment=Lieferantenzahlungen PropalSetup=Angebotsmoduleinstellungen ProposalsNumberingModules=Angebotsnumerierungs-Module ProposalsPDFModules=PDF-Anbebotsmodule @@ -551,9 +543,6 @@ DeliveryOrderNumberingModules=Zustellscheinnumerierungs-Module DeliveryOrderModel=Zustellscheinnumerierung DeliveriesOrderAbility=Unterstütze Zustellscheine für Produkte FreeLegalTextOnDeliveryReceipts=Freier Rechtstext auf Empfangsbelegen -FCKeditorForMailing=WYSIWIG Erstellung/Bearbeitung von E-Mails -FCKeditorForUserSignature=WYSIWIG Erstellung/Bearbeitung von Benutzer-Signaturen -FCKeditorForMail=WYSIWYG Erstellung/Bearbeitung für gesamte Mail (ausser Werkzeuge->Massenmaling) StockSetup=Modul Lagerverwaltung einrichten DetailTitre=Menübezeichner oder Bezeichnungs-Code für Übersetzung DetailLangs=Sprachdateiname für Bezeichnungsübersetzung diff --git a/htdocs/langs/de_CH/bills.lang b/htdocs/langs/de_CH/bills.lang index 82fd7b46405..c0f2f90dbc5 100644 --- a/htdocs/langs/de_CH/bills.lang +++ b/htdocs/langs/de_CH/bills.lang @@ -22,7 +22,6 @@ InvoiceAvoirAsk=Gutschrift zur Rechnungskorrektur InvoiceAvoirDesc=Mit einer Gutschrift gleichst du eine Rechnung aus, z.B. weil jemand zuviel bezahlt hat, oder du zuviel verrechnet hast. Das kannst du auch bei Minderung benutzen, also einer Preisreduktion durch gelieferte mangelhafte Ware. invoiceAvoirWithLines=Neue Gutschrift mit den Positionen der Ursprungs-Rechnung invoiceAvoirWithPaymentRestAmount=Gutschrift über den Restbetrag der Originalrechnung erstellen -CorrectionInvoice=Korrigierte Rechnung NotConsumed=Nicht verbraucht NoReplacableInvoice=Ich habe keine ersatzfähige Rechnung. NoInvoiceToCorrect=Ich habe keine Rechnung zu korrigieren. @@ -38,7 +37,6 @@ ConfirmConvertToReduc=Willst du diese %s in eine Gutschrift umwandeln? ConfirmConvertToReduc2=Der Betrag wird in den Gutschriften gespeichert und kann für diesen Kunden in einer offenen oder künftigen Rechnung als Rabatt verwendet werden. ConfirmConvertToReducSupplier=Willst du diese %s in eine Gutschrift umwandeln? ConfirmConvertToReducSupplier2=Der Betrag wird in den Gutschriften gespeichert und kann für diesen Lieferanten in einer offenen oder künftigen Rechnung als Rabatt verwendet werden. -SupplierPayments=Lieferantenzahlungen ReceivedPayments=Zahlungseingang ReceivedCustomersPayments=Erhaltene Kundenzahlungen PayedSuppliersPayments=Ausgeführte Zahlungen an Lieferanten @@ -74,7 +72,6 @@ ErrorCreateBankAccount=Lege ein Bankkonto an und definiere anschliessend die Zah ErrorInvoiceAlreadyReplaced=Obacht: Du versuchst eine Ersatzrechnung für Rechnung %s freizugeben. Diese wurde allerdings bereits durch Rechnung %s ersetzt. RecurringInvoiceTemplate=Vorlage für wiederkehrende Rechnung NoQualifiedRecurringInvoiceTemplateFound=Keine passende wiederkehrende Rechnungsvorlage gefunden -FoundXQualifiedRecurringInvoiceTemplate=%s passende Vorlagen zum generieren von wiederkehrenden Rechnungen gefunden. NotARecurringInvoiceTemplate=Keine Rechnungsvorlage für wiederkehrende Rechnungen LastBills=%s neueste Rechnungen LatestTemplateInvoices=%s neueste Rechnungsvorlagen @@ -85,7 +82,6 @@ LastSuppliersBills=%s neueste Lieferantenrechnungen CustomersDraftInvoices=Kundenrechnungsentwürfe SuppliersDraftInvoices=Lieferantenrechnungsentwürfe ConfirmDeleteBill=Bist du sicher, dass du diese Rechnung löschen willst? -ConfirmValidateBill=Bist du sicher, dass du die Rechnung %s freigeben willst? ConfirmUnvalidateBill=Bist du sicher, dass du die Rechnung %s auf den Status Entwurf zurücksetzen willst? ConfirmClassifyPaidBill=Bist du sicher, dass du die Rechnung %s als bezahlt markieren willst? ConfirmCancelBill=Bist du sicher, dass du die Rechnung %s zurückziehen willst? @@ -117,10 +113,9 @@ SendReminderBillRef=Einreichung von Rechnung %s (Erinnerung) RefBill=Rechnungs Nr. ToBill=Zu verrechnen RelatedRecurringCustomerInvoices=Verknüpfte wiederkehrende Kundenrechnung +ExportDataset_invoice_2=Kundenrechnungen und -zahlungen Reduction=Ermässigung -ReductionShort=% Reductions=Ermässigungen -ReductionsShort=% AddRelativeDiscount=Jeweiligen Rabatt erstellen EditRelativeDiscount=Relativen Rabatt bearbeiten AddGlobalDiscount=Rabattregel hinzufügen @@ -212,3 +207,4 @@ PDFCrevetteSituationInvoiceTitle=Situation Rechnung invoiceLineProgressError=Rechnungszeile Fortschritt kann nicht grösser oder gleich der nächsten Rechnungszeile sein ToCreateARecurringInvoice=Um eine wiederkehrende Rechnung für diesen Vertrag zu erstellen, zuerst einen Rechnungsentwurf erstellen und diesen dann in eine Vorlage umwandeln und zuletzt den Rechnungsintervall erfassen. ToCreateARecurringInvoiceGene=Um zukünftige wiederkehrende Rechnungen manuell zu erstellen, gehen Sie zum Menü %s - %s - %s. +SalaryInvoice=Lohn diff --git a/htdocs/langs/de_CH/boxes.lang b/htdocs/langs/de_CH/boxes.lang index c8500aa1d80..ae93484f15b 100644 --- a/htdocs/langs/de_CH/boxes.lang +++ b/htdocs/langs/de_CH/boxes.lang @@ -33,8 +33,6 @@ ClickToAdd=Hier klicken um hinzuzufügen. NoRecordedInterventions=Keine verzeichneten Einsätze BoxLatestSupplierOrdersAwaitingReception=Die neuesten Bestellungen (nicht ausgeliefert) NoSupplierOrder=Keine erfassten Lieferantenbestellungen -BoxCustomersOrdersPerMonth=Kundenaufträge pro Monat -BoxSuppliersOrdersPerMonth=Lieferantenbestellungen pro Monat NoTooLowStockProducts=Keine Produkte unter der min. Warenlimite BoxProductDistribution=Vertrieb Produkte / Dienstleistungen ForObject=Am %s diff --git a/htdocs/langs/de_CH/eventorganization.lang b/htdocs/langs/de_CH/eventorganization.lang new file mode 100644 index 00000000000..09b3a171570 --- /dev/null +++ b/htdocs/langs/de_CH/eventorganization.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - eventorganization +EvntOrgCancelled =widerrufen diff --git a/htdocs/langs/de_CH/main.lang b/htdocs/langs/de_CH/main.lang index c448b2e569f..02a8dc8c4e6 100644 --- a/htdocs/langs/de_CH/main.lang +++ b/htdocs/langs/de_CH/main.lang @@ -247,7 +247,6 @@ YouCanSetDefaultValueInModuleSetup=Der Standardwert für neue Einträge wird in CurrentTheme=Aktuelle Oberfläche Screen=Bildschirm Signature=E-Mail-Signatur -DateOfSignature=Unterschriftsdatum RootOfMedias=Stammverzeichnis für öffentliche Bilder (/medias) Notes=Hinweise FreeLineOfType=Freitext vom Typ diff --git a/htdocs/langs/de_CH/projects.lang b/htdocs/langs/de_CH/projects.lang index 96bb51653c7..c76581f0811 100644 --- a/htdocs/langs/de_CH/projects.lang +++ b/htdocs/langs/de_CH/projects.lang @@ -1,27 +1,35 @@ # Dolibarr language file - Source file is en_US - projects ProjectRef=Chance ProjectsArea=Projektbereiche +ProjectStatus=Projekt Status TasksOnProjectsPublicDesc=Diese Ansicht zeigt alle Projektaufgaben, die Sie Lesenberechtigt sind. ProjectsPublicTaskDesc=Diese Ansicht ist beschränkt auf Projekt und Aufgaben bei welchen Sie über Leserechte verfügen. TasksOnProjectsDesc=Es werden alle Projekteaufgaben aller Projekte angezeigt (Ihre Berechtigungen berechtigen Sie alles zu sehen). OnlyOpenedProject=Nur offene Projekte sind sichtbar. (Projekte im Entwurf- oder Geschlossenstatus sind nicht sichtbar) ShowProject=Zeige Projekt SetProject=Projekt setzen +TimeSpentSmall=Zeitaufwände TimeSpentByYou=Dein Zeitaufwand +TaskTimeNote=Hinweis TaskDescription=Aufgaben-Beschreibung MyProjectsArea=Mein Projektbereich GoToListOfTimeConsumed=Zur Stundenaufwandsliste wechseln ChildOfProjectTask=Kindelement von Projekt/Aufgabe +NotOwnerOfProject=Nicht Eigner des privaten Projekts CloseAProject=Projekt schliessen +ProjectContact=Kontakte zum Projekt NoTasks=Keine Aufgaben für dieses Projekt ThisWillAlsoRemoveTasks=Diese Aktion löscht ebenfalls alle Aufgaben zum Projekt (%s akutelle Aufgaben) und alle Zeitaufwände. CloneNotes=Dupliziere Hinweise CloneTaskFiles=Aufgabe (n) clonen beigetreten Dateien (falls Aufgabe (n) geklont) ProjectModifiedInDolibarr=Projekt %s bearbeitet +PlannedWorkload=Geplante Auslastung ProjectReferers=Verknüpfte Objekte ProjectMustBeValidatedFirst=Projekt muss erst bestätigt werden InputPerDay=Eingang pro Tag InputPerWeek=Eingang pro Woche +ProjectsWithThisUserAsContact=Projekte mit diesem Anwender als Kontakt +TasksWithThisUserAsContact=Aufgaben zugeordnet zu diesem Anwender ResourceNotAssignedToProject=Zugewiesen zu Projekt ResourceNotAssignedToTheTask=Nicht der Aufgabe zugewiesen ProjectOverview=Projekt-Übersicht diff --git a/htdocs/langs/de_CH/propal.lang b/htdocs/langs/de_CH/propal.lang index 7db0ec23cb2..c9463fc44ea 100644 --- a/htdocs/langs/de_CH/propal.lang +++ b/htdocs/langs/de_CH/propal.lang @@ -6,12 +6,17 @@ LastModifiedProposals=%s neueste geänderte Offerten ProposalsStatistics=Angebote Statistiken PropalStatusSigned=Unterzeichnet (ist zu verrechnen) PropalStatusNotSigned=Nicht unterzeichnet (geschlossen) +PropalStatusBilled=Verrechnet +PropalStatusCanceledShort=widerrufen +PropalStatusValidatedShort=Validated (open) PropalStatusClosedShort=Geschlossen PropalStatusSignedShort=Unterzeichnet PropalStatusNotSignedShort=Nicht unterzeichnet +PropalStatusBilledShort=Verrechnet PropalsToClose=Zu schliessende Angebote ListOfProposals=Liste der Angebote ActionsOnPropal=Ereignisse zum Angebot +RefProposal=Angebots-Nr. AddToDraftProposals=Zu Angebots-Entwurf hinzufügen DefaultProposalDurationValidity=Standardmässige Gültigkeitsdatuer (Tage) AvailabilityPeriod=Verfügbarkeitszeitraum diff --git a/htdocs/langs/de_CH/receptions.lang b/htdocs/langs/de_CH/receptions.lang index 8b59f7889f4..b9d428e71d7 100644 --- a/htdocs/langs/de_CH/receptions.lang +++ b/htdocs/langs/de_CH/receptions.lang @@ -19,11 +19,10 @@ OtherReceptionsForSameOrder=Weitere Lieferungen für diese Bestellung ReceptionsAndReceivingForSameOrder=Lieferungen und Eingänge für diese Bestellung ReceptionsToValidate=Frei zu gebende Lieferungen StatusReceptionCanceled=widerrufen +StatusReceptionValidatedShort=Bestätigt ReceptionSheet=Lieferschein ConfirmDeleteReception=Willst du diese Lieferung wirklich löschen? -ConfirmValidateReception=Bist du sicher, dass du die Lieferung %s freigeben willst? ConfirmCancelReception=Bist du sicher, dass du diese Lieferung zurückziehen willst? -StatsOnReceptionsOnlyValidated=Statistik der frei gegebenen Lieferungen nach ihrem Freigabedatum. (Der geplante LIefertermin ist nicht immer klar.) SendReceptionByEMail=Lieferung per E-Mail verschicken. SendReceptionRef=Lieferung %s einreichen ActionsOnReception=Verknüpfte Ereignisse zur Lieferung diff --git a/htdocs/langs/de_CH/withdrawals.lang b/htdocs/langs/de_CH/withdrawals.lang index 9ef303e22f4..a463956f90c 100644 --- a/htdocs/langs/de_CH/withdrawals.lang +++ b/htdocs/langs/de_CH/withdrawals.lang @@ -7,3 +7,4 @@ StatusMotif4=Kundenbestellungen OrderWaiting=Wartend NumeroNationalEmetter=Nat. Überweisernummer CreditDate=Am +RefSalary=Lohn diff --git a/htdocs/langs/de_CH/workflow.lang b/htdocs/langs/de_CH/workflow.lang index 663b51e6c16..0f02368f3f0 100644 --- a/htdocs/langs/de_CH/workflow.lang +++ b/htdocs/langs/de_CH/workflow.lang @@ -6,12 +6,5 @@ descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Erzeuge automatisch eine Kundenbestellung, descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Erzeuge automatisch eine Kundenrechnung, sobald die Offerte unterzeichnet ist (Positionen und Beträge, wie offeriert). descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Erzeuge automatisch eine Kundenrechnung, sobald der Vertrag frei gegeben wird. descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Erzeuge automatisch eine Kundenrechnung, sobald die Bestellung geschlossen wird (Positionen und Beträge, wie bestellt). -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Setze die verknüpfte Offerte auf 'verrechnet', sobald die Kundenbestellung auf 'verrechnet' gesetzt wird. (Das funktioniert, wenn die Beträge der beiden übereinstimmen.) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Setze die verknüpfte Offerte auf 'verrechnet', sobald die Kundenrechnung frei gegeben wird. (Das funktioniert, wenn die Beträge der beiden übereinstimmen.) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Setze die verknüpfte Bestellung auf 'verrechnet', sobald die Kundenrechnung frei gegeben wird. (Das funktioniert, wenn die Beträge der beiden übereinstimmen.) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Setze die verknüpfte Bestellung auf 'verrechnet', sobald die Kundenrechnung als 'bezahlt' markiert wird. (Das funktioniert, wenn die Beträge der beiden übereinstimmen.) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Setze die verknüpfte Bestellung auf 'geliefert', sobald die entsprechnde Lieferung frei gegeben wird. (Das funktioniert, wenn die Artikelmengen der beiden übereinstimmen.) -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Setze die verknüpfte Lieferanten - Offerte auf 'verrechnet', sobald die Lieferantenrechnung frei gegeben wird. (Das funktioniert, wenn die Beträge der beiden übereinstimmen.) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Setze die verknüpfte Lieferanten - Bestellung auf 'verrechnet', sobald die Lieferantenrechnung frei gegeben wird. (Das funktioniert, wenn die Beträge der beiden übereinstimmen.) AutomaticCreation=Automatisch generiert AutomaticClassification=Automatisch klassifiziert diff --git a/htdocs/langs/de_DE/accountancy.lang b/htdocs/langs/de_DE/accountancy.lang index c65e1ec1a40..48dab541227 100644 --- a/htdocs/langs/de_DE/accountancy.lang +++ b/htdocs/langs/de_DE/accountancy.lang @@ -17,7 +17,7 @@ ThisProduct=Dieses Produkt DefaultForService=Standard für Leistungen DefaultForProduct=Standard für Produkte ProductForThisThirdparty=Produkt für diesen Geschäftspartner -ServiceForThisThirdparty=Leistungen für diesen Geschäftspartner +ServiceForThisThirdparty=Leistung für diesen Geschäftspartner CantSuggest=Kann keines vorschlagen AccountancySetupDoneFromAccountancyMenu=Die wichtigste Teil der Konfiguration der Buchhaltung aus dem Menü %s wurde erledigt ConfigAccountingExpert=Konfiguration des Moduls Buchhaltung (doppelt) @@ -53,18 +53,16 @@ ExportAccountingSourceDocHelp=Mit diesem Tool können Sie die Quellereignisse su ExportAccountingSourceDocHelp2=Um Ihre Journale zu exportieren, verwenden Sie den Menüeintrag %s - %s. ExportAccountingProjectHelp=Geben Sie ein Projekt an, wenn Sie einen Buchhaltungsbericht nur für ein bestimmtes Projekt benötigen. Spesenabrechnungen und Darlehenszahlungen sind in den Projektberichten nicht enthalten. ExportAccountancy=Buchhaltung exportieren -WarningDataDisappearsWhenDataIsExported=Achtung, diese Liste enthält nur die Buchhaltungseinträge, die noch nicht exportiert wurden (Exportdatum ist leer). Wenn Sie die bereits exportierten Buchhaltungseinträge in den erneuten Export aufnehmen möchten, klicken Sie auf die Schaltfläche oben. +WarningDataDisappearsWhenDataIsExported=Achtung, dieser Liste enthält nur die Buchhaltungseinträge, die noch nicht exportiert wurden (Export Datum ist leer). Wenn Sie die bereits exportierten Buchhaltungseinträge einbeziehen möchten, klicken Sie auf die Schaltfläche oben. VueByAccountAccounting=Ansicht nach Buchungskonto VueBySubAccountAccounting=Ansicht nach Buchhaltungsunterkonto -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup +MainAccountForCustomersNotDefined=Hauptkonto (aus dem Kontenplan) für Kunden, die nicht im Setup definiert sind +MainAccountForSuppliersNotDefined=Hauptkonto (aus dem Kontenplan) für Kreditoren, die nicht im Setup definiert sind +MainAccountForUsersNotDefined=Hauptkonto (aus dem Kontenplan) für Benutzer, die nicht im Setup definiert sind +MainAccountForVatPaymentNotDefined=Konto (aus dem Kontenplan) für Umsatzsteuerzahlungen, die nicht im Setup definiert sind +MainAccountForSubscriptionPaymentNotDefined=Konto (aus dem Kontoplan) für die Beitragszahlung, sofern im Setup nicht definiert +MainAccountForRetainedWarrantyNotDefined=Konto (aus dem Kontenplan) für die einbehaltene Gewährleistung, sofern im Setup nicht definiert UserAccountNotDefined=Buchungskonto für den Benutzer ist nicht im Setup definiert AccountancyArea=Bereich Buchhaltung @@ -77,6 +75,7 @@ AccountancyAreaDescJournalSetup=SCHRITT %s: Liste der Buchhaltungsjournale über AccountancyAreaDescChartModel=SCHRITT %s: Prüfen, ob der benötigte Kontenrahmen vorhanden und aktiviert ist – konfigurierbar im Menü %s AccountancyAreaDescChart=SCHRITT %s: Wählen und ergänzen Sie einen Kontenplan im Menü %s. +AccountancyAreaDescFiscalPeriod=SCHRITT %s: Definieren Sie ein Geschäftsjahr, in das standardmäßig Ihre Buchhaltungseinträge eingeordnet werden. Verwenden Sie dazu den Menüpunkt %s. AccountancyAreaDescVat=SCHRITT %s: Festlegen des Buchhaltungskontos für jeden Steuersatz über den Menüpunkt %s. AccountancyAreaDescDefault=SCHRITT %s: Standardkonten über das Menü %s konfigurieren. AccountancyAreaDescExpenseReport=SCHRITT %s: Festlegung der Standardbuchhaltungskonten für die verschiedenen Arten der Spesenabrechnung. Verwenden Sie dazu den Menüeintrag %s. @@ -84,19 +83,20 @@ AccountancyAreaDescSal=SCHRITT %s: Buchungskonto für Gehaltszahlungen definiere AccountancyAreaDescContrib=SCHRITT %s: Legen Sie Standardbuchhaltungskonten für Steuern (Sonderausgaben) fest. Verwenden Sie dazu den Menüeintrag %s. AccountancyAreaDescDonation=SCHRITT %s: Definition der Buchungskonten für Spenden. Kann im Menü %s geändert werden. AccountancyAreaDescSubscription=SCHRITT %s: Definieren Sie die Standardabrechnungskonten für Mitgliederabonnements. Verwenden Sie dazu den Menüeintrag %s. -AccountancyAreaDescMisc=SCHRITT %s: Buchungskonto für nicht zugeordnete Buchungen definieren. Kann im Menü %s geändert werden. +AccountancyAreaDescMisc=SCHRITT %s: Definieren Sie ein obligatorisches Standardbuchungskonto sowie Standardbuchungskonten für verschiedene Transaktionen. Verwenden Sie dazu den Menüpunkt %s. AccountancyAreaDescLoan=SCHRITT %s: Definition der Buchungskonten für Darlehenszahlungen. Kann im Menü %s geändert werden. AccountancyAreaDescBank=SCHRITT %s: Festlegen der Buchungskonten für Banken und Zahlungsdienstleister über den Menüpunkt %s. AccountancyAreaDescProd=SCHRITT %s: Festlegen der Buchungskonten für Ihre Produkte und Leistungen über den Menüpunkt %s. AccountancyAreaDescBind=SCHRITT %s: Prüfen, ob die Kontierung aller Positionen aus %s erfolgt ist, damit die Übernahme der Buchungen ins Hauptbuch mit einem Klick erfolgen kann. Dies erfolgt im Menüpunkt %s. AccountancyAreaDescWriteRecords=SCHRITT %s: Übernehmen Sie die Buchungen in das Hauptbuch. Dazu gehen Sie ins Menü %s, und klicken Sie auf die Schaltfläche %s -AccountancyAreaDescAnalyze=SCHRITT %s: Transaktionen hinzufügen oder bearbeiten sowie Berichte und Exporte generieren. - -AccountancyAreaDescClosePeriod=SCHRITT %s: Schließen Sie die Periode, damit wir in Zukunft keine Veränderungen vornehmen können. +AccountancyAreaDescAnalyze=SCHRITT %s: Berichte einsehen oder Export-Dateien für andere Buchhalter generieren. +AccountancyAreaDescClosePeriod=SCHRITT %s: Buchungszeitraum schließen, damit zukünftig keine weiteren Daten mehr eingeben werden können. +TheFiscalPeriodIsNotDefined=Ein obligatorischer Schritt in der Konfiguration wurde nicht abgeschlossen (Geschäftsjahr ist nicht definiert) TheJournalCodeIsNotDefinedOnSomeBankAccount=Eine erforderliche Einrichtung wurde nicht abgeschlossen. (Kontierungsinformationen fehlen bei einigen Bankkonten) Selectchartofaccounts=Aktiven Kontenplan wählen +CurrentChartOfAccount=Aktuell aktiver Kontenplan ChangeAndLoad=Ändern & laden Addanaccount=Fügen Sie ein Buchungskonto hinzu AccountAccounting=Buchungskonto @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Beibehalten der Nullen am Ende eines Buchungskontos ("120 BANK_DISABLE_DIRECT_INPUT=Deaktivieren der direkte Aufzeichnung von Transaktion auf dem Bankkonto ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Entwurfexport für Journal aktivieren ACCOUNTANCY_COMBO_FOR_AUX=Combo-Liste für Nebenkonto aktivieren (kann langsam sein, wenn Sie viele Geschäftspartner haben; verhindert die Suche nach Teilwerten) -ACCOUNTING_DATE_START_BINDING=Definieren Sie ein Datum, an dem die Bindung und Übertragung in der Buchhaltung beginnen soll. Transaktionen vor diesem Datum werden nicht in die Buchhaltung übertragen. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Welcher Zeitraum ist beim Buchhaltungstransfer standardmäßig ausgewählt? +ACCOUNTING_DATE_START_BINDING=Deaktivieren Sie die Kontierung & das Übertragen in der Buchhaltung, wenn das Datum vor diesen Datum liegt (Transaktionen vor diesem Datum werden standardmäßig ausgeschlossen) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Welcher Zeitraum soll auf der Seite zur Übertragung der Daten in die Buchhaltung standardmäßig ausgewählt werden? ACCOUNTING_SELL_JOURNAL=Verkaufsjournal - Verkäufe und Retouren ACCOUNTING_PURCHASE_JOURNAL=Einkaufsjournal - Käufe und Retouren @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Sozialabgabenjournal ACCOUNTING_RESULT_PROFIT=Ergebnisabrechnungskonto (Gewinn) ACCOUNTING_RESULT_LOSS=Ergebnisabrechnungskonto (Verlust) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal für Abschlussbuchungen +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Buchhaltungsgruppen, die für das Bilanzkonto verwendet werden (durch Komma getrennt) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Buchhaltungsgruppen, die für die Gewinn- und Verlustrechnung verwendet werden (durch Komma getrennt) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Konto (aus dem Kontenplan), das als Verrechnungskonto/Transferkonto für Banküberweisungen verwendet werden soll TransitionalAccount=Überweisungskonto @@ -227,8 +229,8 @@ Codejournal=Journal JournalLabel=Journal-Bezeichnung NumPiece=Teilenummer TransactionNumShort=Buchungsnr. -AccountingCategory=Benutzerdefinierte Kontengruppe -AccountingCategories=Benutzerdefinierte Kontengruppe +AccountingCategory=Benutzerdefinierte Gruppen +AccountingCategories=Benutzerdefinierte Gruppen GroupByAccountAccounting=Gruppieren nach Hauptbuchkonto GroupBySubAccountAccounting=Gruppieren nach Nebenbuchkonto AccountingAccountGroupsDesc=Hier können Kontengruppen definiert werden. Diese werden für personaliserte Buchhaltungsreports verwendet. @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=Wenn Sie im Modul Buchhaltung Konten für die Spesen DescVentilDoneExpenseReport=Liste der Aufwendungen aus Spesenabrechnungen und ihre zugeordneten Buchungskonten Closure=Festschreibung -DescClosure=Informieren Sie sich hier über die Anzahl der Buchungen pro Monat, die noch nicht freigegeben und festgeschrieben sind. +AccountancyClosureStep1Desc=Informieren Sie sich hier über die Anzahl der Buchungen pro Monat, die noch nicht freigegeben und festgeschrieben sind. OverviewOfMovementsNotValidated=Übersicht der noch nicht festgeschriebenen Buchungen AllMovementsWereRecordedAsValidated=Alle Buchungen wurden als freigegeben und festgeschrieben registriert NotAllMovementsCouldBeRecordedAsValidated=Nicht alle Buchungen konnten als freigegeben und festgeschrieben registriert werden @@ -322,7 +324,7 @@ Accounted=im Hauptbuch erfasst NotYetAccounted=Noch nicht in die Buchhaltung übernommen ShowTutorial=Tutorial anzeigen NotReconciled=Nicht abgeglichen -WarningRecordWithoutSubledgerAreExcluded=Achtung, alle Zeilen ohne definiertes Nebenbuchkonto werden gefiltert und von dieser Ansicht ausgeschlossen +WarningRecordWithoutSubledgerAreExcluded=Achtung: diese Ansicht zeigt nur Buchungszeilen mit definiertem Nebenbuchkonto AccountRemovedFromCurrentChartOfAccount=Im aktuellen Kontenplan nicht vorhandenes Buchungskonto ## Admin @@ -354,10 +356,12 @@ ACCOUNTING_ENABLE_LETTERING=Aktivieren Sie die Abstimmungsfunktion in der Buchha ACCOUNTING_ENABLE_LETTERING_DESC=Wenn diese Option aktiviert ist, können Sie für jeden Buchungseintrag einen Tracking-Code definieren, sodass Sie verschiedene Buchungen gruppieren können. In der Vergangenheit, als verschiedene Journale unabhängig voneinander verwaltet wurden, war diese Funktion erforderlich, um Buchungszeilen verschiedener Journale zusammenzufassen. Bei der Dolibarr-Buchhaltung wird jedoch ein solcher Tracking-Code namens "%s" bereits automatisch gespeichert, sodass ein automatisches Tracking bereits erfolgt ist, ohne dass ein Fehlerrisiko besteht. Damit ist diese Funktion für eine allgemeine Verwendung unnötig geworden. Die manuelle Funktion ist für Endbenutzer vorgesehen, die der Computer-Engine, die die Datenübertragung in der Buchhaltung durchführt, wirklich nicht vertrauen. EnablingThisFeatureIsNotNecessary=Die Aktivierung dieser Funktion ist für strenge Anforderungen an die Buchhaltung nicht mehr erforderlich. ACCOUNTING_ENABLE_AUTOLETTERING=Aktivieren Sie den automatischen Buchungsabgleich bei der Übergabe an die Buchhaltung -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Der Code für die Kennzeichnung zusammengehöriger Transaktionen wird automatisch generiert und hochgezählt und nicht vom Endverbraucher gewählt +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Der Code für die Kennzeichnung zusammengehöriger Transaktionen wird automatisch generiert und hochgezählt und nicht vom Benutzer gewählt +ACCOUNTING_LETTERING_NBLETTERS=Anzahl der Buchstaben beim Generieren des Beschriftungs-/Zuordnungs-Codes (Standard 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Manche Buchhaltungssoftware akzeptiert nur einen aus zwei Buchstaben bestehenden Code. Mit diesem Parameter können Sie diesen Aspekt festlegen. Die Standardanzahl an Buchstaben beträgt drei. OptionsAdvanced=Erweiterte Optionen ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Aktivieren Sie die Verwaltung des Reverse Charge-Verfahrens (Umkehr der Steuerschuldnerschaft) bei Lieferantenkäufen -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Wenn diese Option aktiviert ist, können Sie festlegen, dass eine Lieferanten- oder eine bestimmte Kreditorenrechnung anders in die Buchhaltung übertragen werden muss: Eine zusätzliche Soll- und Habenbuchung wird in der Buchhaltung auf 2 gegebenen Konten aus dem Kontenplan generiert, die in der "%s" Setup-Seite festgelegt werden. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Wenn diese Option aktiviert ist, können Sie festlegen, dass eine Lieferant oder eine bestimmte Kreditorenrechnung anders in die Buchhaltung übertragen werden muss: Eine zusätzliche Soll- und Habenbuchung wird in der Buchhaltung auf 2 gegebenen Konten aus dem Kontenplan generiert, die in der "%s" Setup-Seite festgelegt werden. ## Export NotExportLettering=Beim Generieren der Datei die Abstimmungsinformationen nicht exportieren @@ -394,15 +398,15 @@ ChartofaccountsId=Kontenplan ID ## Tools - Init accounting account on product / service InitAccountancy=Rechnungswesen initialisieren InitAccountancyDesc=Auf dieser Seite kann ein Buchungskonto für Produkte und Leistungen, für die noch kein Buchungskonto für Ein- und Verkäufe definiert ist, vorgegeben werden. -DefaultBindingDesc=Auf dieser Seite können Standardbuchungskonten (aus dem Kontenplan) festgelegt werden, die für Transaktionen zu Lohnzahlungen, Spenden, Steuern und USt. verwendet werden sollen, wenn kein bestimmtes Konto angegeben wurde. +DefaultBindingDesc=Auf dieser Seite können Standardbuchungskonten (aus dem Kontenplan) festgelegt werden, die für Transaktionen zu Gehaltszahlungen, Spenden, Steuern und USt. verwendet werden sollen, wenn kein bestimmtes Konto angegeben wurde. DefaultClosureDesc=Diese Seite kann verwendet werden, um Parameter festzulegen, die für Abrechnungsabschlüsse verwendet werden. Options=Optionen OptionModeProductSell=Modus Verkäufe Inland OptionModeProductSellIntra=Modus Verkäufe in EU/EWG -OptionModeProductSellExport=Modus Verkäufe Export (ausserhalb EU/EWG) -OptionModeProductBuy=Modus Einkäufe -OptionModeProductBuyIntra=Modus in die EU importierte Einkäufe -OptionModeProductBuyExport=Modus aus anderen Staaten importierte Einkäufe +OptionModeProductSellExport=Modus Verkäufe in andere Staaten (nicht-EU/EWG) +OptionModeProductBuy=Modus Einkäufe Inland +OptionModeProductBuyIntra=Modus aus der EU/EWG importierte Einkäufe +OptionModeProductBuyExport=Modus aus anderen Staaten (nicht-EU/EWG) importierte Einkäufe OptionModeProductSellDesc=Alle Produkte mit Buchungskonto für Verkäufe (Inland) anzeigen. OptionModeProductSellIntraDesc=Alle Produkte mit Buchungskonto für Verkäufe in der EWG anzeigen. OptionModeProductSellExportDesc=Alle Produkte mit Buchungskonto für Verkäufe Ausland anzeigen. @@ -420,7 +424,7 @@ SaleLocal=Verkauf Inland SaleExport=Verkauf Export (ausserhalb EWG) SaleEEC=Verkauf in EU/EWG SaleEECWithVAT=Verkauf in der EU mit Mehrwertsteuer (nicht null), und daher anzunehmen ist, dass es sich NICHT um einen innergemeinschaftlichen Verkauf handelt und das vorgeschlagene Konto daher das Standardproduktkonto ist. -SaleEECWithoutVATNumber=Verkauf in der EWG ohne Mehrwertsteuer, ohne dass die Umsatzsteuer-ID des Geschäftspartners definiert ist. Es wird stattdessen auf das Buchungskonto für Standardverkäufe zurückgegriffen. Sie können die Umsatzsteuer-ID des Geschäftspartners korrigieren oder das zur Kontierung vorgeschlagene Buchungskonto bei Bedarf ändern. +SaleEECWithoutVATNumber=Verkauf in der EWG ohne Umsatzsteuer, aber die Umsatzsteuer-ID des Geschäftspartners ist nicht definiert. Es wird stattdessen auf das Buchungskonto für Standardverkäufe zurückgegriffen. Sie können die Umsatzsteuer-ID des Geschäftspartners korrigieren oder das zur Kontierung vorgeschlagene Buchungskonto bei Bedarf ändern. ForbiddenTransactionAlreadyExported=Unzulässig: Die Transaktion wurde bereits freigegeben und/oder exportiert. ForbiddenTransactionAlreadyValidated=Unzulässig: Die Transaktion wurde bereits freigegeben. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Kein Abgleich geändert AccountancyOneUnletteringModifiedSuccessfully=Ein Abgleich wurde erfolgreich geändert AccountancyUnletteringModifiedSuccessfully=%s aufgehobene Abgleiche erfolgreich modifiziert +## Closure +AccountancyClosureStep1=Schritt 1: Buchungen freigeben und festschreiben +AccountancyClosureStep2=Schritt 2: Geschäftsjahr schließen +AccountancyClosureStep3=Schritt 3: Einträge extrahieren (optional) +AccountancyClosureClose=Geschäftsjahr schließen +AccountancyClosureAccountingReversal=Extrahieren und erfassen von Einträgen zu Eröffnungsbuchungen +AccountancyClosureStep3NewFiscalPeriod=Nächstes Geschäftsjahr +AccountancyClosureGenerateClosureBookkeepingRecords=Eröffnungsbuchungen für das nächste Geschäftsjahr erzeugen +AccountancyClosureSeparateAuxiliaryAccounts=Beim Generieren der Eröffnungsbuchungen auch Einträge für die Nebenbücher erzeugen +AccountancyClosureCloseSuccessfully=Geschäftsjahr wurde erfolgreich geschlossen +AccountancyClosureInsertAccountingReversalSuccessfully=Buchhaltungsdatensätze für Eröffnungsbuchungen wurden erfolgreich eingefügt + ## Confirm box ConfirmMassUnletteringAuto=Bestätigung für das Aufheben aller automatischen Abgleiche ConfirmMassUnletteringManual=Bestätigung für das Aufheben aller manuellen Abgleiche ConfirmMassUnletteringQuestion=Möchten Sie den Abgleich für die ausgewählten %s Datensätze wirklich rückgängig machen? ConfirmMassDeleteBookkeepingWriting=Bestätigung für Massenlöschen ConfirmMassDeleteBookkeepingWritingQuestion=Dadurch wird die Transaktion aus der Buchhaltung gelöscht (alle Zeilen, die sich auf dieselbe Transaktion beziehen, werden gelöscht). Möchten Sie die %s ausgewählten Einträge wirklich löschen? +AccountancyClosureConfirmClose=Sind Sie sicher, dass Sie das aktuelle Geschäftsjahr schließen wollen? Sie bestätigen, dass das Schließen des Geschäftsjahrs eine unumkehrbare Aktion ist, die dauerhaft jede Änderung oder Löschung von Einträgen in diesem Zeitraum verhindert. +AccountancyClosureConfirmAccountingReversal=Sind Sie sicher, dass Sie Einträge für Eröffnungsbuchungen erzeugen wollen? ## Error SomeMandatoryStepsOfSetupWereNotDone=Einige obligatorische Einstellungen wurden noch nicht vorgenommen, bitte vervollständigen Sie die Einrichtung. -ErrorNoAccountingCategoryForThisCountry=Keine Buchhaltung Kategorie für das Land %s verfügbar (siehe Start - Einstellungen - Stammdaten) +ErrorNoAccountingCategoryForThisCountry=Für das Land %s ist keine Buchhaltungskontogruppe verfügbar (siehe %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Sie versuchen einige Rechnungspositionen der Rechnung %s zu journalisieren, aber einige Postionen sind keinem Buchungskonto zugewiesen. Alle Rechnungspositionen dieser Rechnung werden ignoriert. ErrorInvoiceContainsLinesNotYetBoundedShort=Einige Rechnungspositionen sind unkontiert. ExportNotSupported=Das eingestellte Exportformat wird von deiser Seite nicht unterstützt @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=Der Saldo (%s) ist ungleich 0 AccountancyErrorLetteringBookkeeping=Bei den Transaktionen sind Fehler aufgetreten: %s ErrorAccountNumberAlreadyExists=Das Buchungskonto %s existiert bereits ErrorArchiveAddFile=Die Datei „%s“ kann nicht im Archiv abgelegt werden +ErrorNoFiscalPeriodActiveFound=Kein aktives Geschäftsjahr gefunden +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Das Datum des Buchhaltungsdokuments befindet sich nicht im aktiven Geschäftsjahr +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Das Datum des Buchhaltungsdokuments befindet sich in einem geschlossenen Geschäftsjahr ## Import ImportAccountingEntries=Buchaltungseinträge diff --git a/htdocs/langs/de_DE/admin.lang b/htdocs/langs/de_DE/admin.lang index 34fd9b94e7f..b3c15114835 100644 --- a/htdocs/langs/de_DE/admin.lang +++ b/htdocs/langs/de_DE/admin.lang @@ -70,7 +70,7 @@ PHPSetup=PHP-Einstellungen OSSetup=Betriebssystem-Einstellungen SecurityFilesDesc=Sicherheitseinstellungen für Dateiupload festlegen ErrorModuleRequirePHPVersion=Fehler: Dieses Modul benötigt die PHP Version %s oder höher -ErrorModuleRequireDolibarrVersion=Fehler: Dieses Moduls benötigt die Dolibarr Version %s oder höher +ErrorModuleRequireDolibarrVersion=Fehler: Dieses Modul benötigt die Dolibarr Version %s oder höher ErrorDecimalLargerThanAreForbidden=Fehler: Eine höhere Genauigkeit als %s wird nicht unterstützt. DictionarySetup=Stammdaten Dictionary=Stammdaten @@ -103,7 +103,7 @@ Index=Index Mask=Maske NextValue=Nächster Wert NextValueForInvoices=Nächster Wert (Rechnungen) -NextValueForCreditNotes=Nächster Wert (Gutschriften) +NextValueForCreditNotes=Nächster Wert (Stornorechnungen) NextValueForDeposit=nächster Wert (Anzahlung) NextValueForReplacements=Nächster Wert (Ersetzungen) MustBeLowerThanPHPLimit=Hinweis: Ihre PHP-Konfiguration begrenzt derzeit die maximale Dateigröße für den Upload auf %s%s, unabhängig vom hier angegebenen Wert @@ -227,6 +227,8 @@ NotCompatible=Dieses Modul scheint nicht mit ihrer Dolibarr Version %s kompatibe CompatibleAfterUpdate=Dieses Modul benötigt ein Upgrade ihrer Dolibarr Installation %s (Min %s - Max %s). SeeInMarkerPlace=siehe Marktplatz SeeSetupOfModule=Finden Sie im Modul-Setup %s +SeeSetupPage=Siehe Einrichtungsseite unter %s +SeeReportPage=Siehe Berichtsseite unter %s SetOptionTo=Setzt die Option %s auf %s Updated=Aktualisiert AchatTelechargement=Kaufen / Herunterladen @@ -292,16 +294,16 @@ EmailSenderProfiles=E-Mail-Absenderprofile EMailsSenderProfileDesc=Sie können diesen Bereich leer lassen. Wenn Sie hier E-Mail-Adressen angeben, werden diese beim Schreiben einer neuen E-Mail in die Liste der möglichen Absender aufgenommen. MAIN_MAIL_SMTP_PORT=SMTP(S)-Port (Standardwert Ihrer php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP(S)-Server (Standardwert Ihrer php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS-Port (nicht in PHP definiert in Unix-Umgebungen) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP-Host (nicht in PHP definiert in Unix-Umgebungen) -MAIN_MAIL_EMAIL_FROM=Absender-Adresse für automatisch erstellte E-Mails (Standardwert in php.ini: %s) -EMailHelpMsgSPFDKIM=Um zu verhindern, dass Dolibarr-E-Mails als Spam eingestuft werden, stellen Sie sicher, dass der Server per SPF- und DKIM-Konfiguration autorisiert ist, E-Mails von dieser Adresse zu senden +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS-Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS-Host +MAIN_MAIL_EMAIL_FROM=Absenderadresse für automatisch erstellte E-Mails +EMailHelpMsgSPFDKIM=Um zu verhindern, dass Dolibarr-E-Mails als Spam eingestuft werden, stellen Sie sicher, dass Server berechtigt ist, E-Mails unter dieser Identität zu versenden (durch Überprüfung des SPF und der DKIM-Konfiguration des Domainnamens) MAIN_MAIL_ERRORS_TO=Standard-E-Mail-Adresse für Fehlerrückmeldungen (beispielsweise unzustellbare E-Mails) MAIN_MAIL_AUTOCOPY_TO= Blindkopie (BCC) aller gesendeten E-Mails an MAIN_DISABLE_ALL_MAILS=Alle E-Mail-Funktionen deaktivieren (für Test- oder Demonstrationszwecke) MAIN_MAIL_FORCE_SENDTO=Sende alle E-Mails an den folgenden anstatt an die tatsächlichen Empfänger (für Testzwecke) MAIN_MAIL_ENABLED_USER_DEST_SELECT=E-Mail-Adressen von Mitarbeitern (falls definiert) beim Schreiben einer neuen E-Mail in der Liste vordefinierten Empfänger vorschlagen -MAIN_MAIL_NO_WITH_TO_SELECTED=Wählen Sie keinen Standardempfänger aus, auch wenn nur einer zur Auswahl steht +MAIN_MAIL_NO_WITH_TO_SELECTED=Keinen Standardempfänger auswählen, auch wenn nur einer zur Auswahl steht MAIN_MAIL_SENDMODE=Sendemethode für E-Mails MAIN_MAIL_SMTPS_ID=SMTP-Benutzer (falls der Server eine Authentifizierung benötigt) MAIN_MAIL_SMTPS_PW=SMTP-Passwort (falls der Server eine Authentifizierung benötigt) @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Privater Schlüssel für die DKIM-Signatur MAIN_DISABLE_ALL_SMS=alle SMS-Funktionen abschalten (für Test- oder Demozwecke) MAIN_SMS_SENDMODE=Methode zum Versenden von SMS MAIN_MAIL_SMS_FROM=Standard Versandrufnummer der SMS-Funktion -MAIN_MAIL_DEFAULT_FROMTYPE=Standard-Absenderadresse für manuelles Senden (Benutzer- oder Unternehmens-Adresse) +MAIN_MAIL_DEFAULT_FROMTYPE=Vorausgewählte Standard-Absenderadresse in Formularen zum Senden von E-Mails UserEmail=E-Mail des Benutzers CompanyEmail=Unternehmens-E-Mail FeatureNotAvailableOnLinux=Diese Funktion ist in Unix-Umgebungen nicht verfügbar. Testen Sie Ihr sendmail Programm lokal. @@ -362,7 +364,7 @@ LastActivationVersion=Neueste Aktivierungsversion UpdateServerOffline=Update-Server offline (nicht erreichbar) WithCounter=Zähler verwenden GenericMaskCodes=Sie können ein beliebiges Nummerierungsschema eingeben. Folgende Tags können verwendet werden:
      {000000} steht für eine 6-stellige Nummer, die sich bei jedem neuen %s automatisch erhöht. Wählen Sie die Anzahl der Nullen je nach gewünschter Nummernlänge. Der Zähler füllt sich automatisch bis zum linken Ende mit Nullen, um das gewünschte Format abzubilden.
      {000000+000} führt zu einem ähnlichen Ergebnis, allerdings mit einem Wertsprung in Höhe des Werts rechts des Pluszeichens, der bei dem/der ersten %s angewandt wird.
      {000000@x} wie zuvor, jedoch stellt sich der Zähler bei Erreichen des Monats x (zwischen 1 und 12) automatisch auf 0 zurück, bei setzen von 0 wird der Anfangsmonat des Fiskaljahrs für das Rücksetzen verwendet, mit dem Wert 99 erfolgt jeden Monat ein Rücksetzen auf 0. Ist die Rücksetzoption gewählt und x hat den Wert 2 oder höher, ist die Folge {mm}{yy} or {mm}{yyyy} ebenfalls erforderlich.
      {dd} Tag (01 bis 31).
      {mm} Monat (01 bis 12).
      {y}, {yy} or {yyyy} Jahreszahl 1-, 2- oder 4-stellig.
      -GenericMaskCodes2= {cccc} Kundencode mit n Zeichen
      {cccc000} Kundencode gefolgt von einer dem Kunden zugeordneten Partner ID. Dieser Zähler wird gleichzeitig mit dem globalen Zähler zurückgesetzt.
      {tttt} Der Code für die Partnerart, abgeschnitten nach n Zeichen (siehe Menü Start - Einstellungen - Stammdaten - Arten von Partnern). Wenn diese Option aktiv ist, wird für jede Partnerart ein separater Zähler geführt.
      +GenericMaskCodes2= {cccc} Kundennummer mit n Zeichen
      {cccc000} Kundennummer gefolgt von einer dem Kunden zugeordneten Partner ID. Dieser Zähler wird gleichzeitig mit dem globalen Zähler zurückgesetzt.
      {tttt} Der Code für die Partnerart, abgeschnitten nach n Zeichen (siehe Menü Start - Einstellungen - Stammdaten - Arten von Partnern). Wenn diese Option aktiv ist, wird für jede Partnerart ein separater Zähler geführt.
      GenericMaskCodes3=Alle anderen Zeichen in der Maske bleiben erhalten.
      \nLeerzeichen sind nicht zulässig.
      GenericMaskCodes3EAN=Alle anderen Zeichen der Maske bleiben unberührt (außer * oder ? an 13. Stelle in EAN13).
      Leerzeichen sind nicht erlaubt.
      Für EAN13 sollte das letzte Zeichen nach der letzten } an 13. Stelle ein * oder ? sein. Dies wird durch den berechneten Wert ersetzt.
      GenericMaskCodes4a= Beispiel auf der 99. %s des Geschäftspartners TheCompany, mit Datum 2023-01-31:
      @@ -417,6 +419,7 @@ PDFLocaltax=Regeln für %s HideLocalTaxOnPDF=Steuersatz %s in der Spalte Verkauf Steuer/MwSt. ausblenden HideDescOnPDF=Produktbeschreibung ausblenden HideRefOnPDF=Produkt-Ref.Nr. ausblenden +ShowProductBarcodeOnPDF=Barcode-Nummer des Produkts anzeigen HideDetailsOnPDF=Details in den Produktpositionen ausblenden PlaceCustomerAddressToIsoLocation=Benutze Standardposition in Frankreich (La Poste) für Position der Kundenadresse Library=Bibliothek @@ -458,7 +461,7 @@ ComputedFormula=Berechnetes Feld ComputedFormulaDesc=Sie können hier eine Formel eingeben, die andere Eigenschaften des Objekts oder beliebigen PHP-Code verwendet, um einen dynamisch berechneten Wert zu erhalten. Sie können alle PHP-kompatiblen Formeln verwenden, einschließlich des "?" Bedingungsoperators und folgende globalen Objekte: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNUNG : Wenn Sie Eigenschaften eines nicht geladenen Objekts benötigen, holen Sie sich das Objekt einfach selbst in Ihre Formel wie im zweiten Beispiel.
      Die Verwendung eines berechneten Felds bedeutet, dass Sie selbst keinen Wert über die Schnittstelle eingeben können. Auch wenn ein Syntaxfehler vorliegt, gibt die Formel möglicherweise nichts zurück.

      Formelbeispiel:
      $objectoffield->id < 10 ? round($objectoffield-> id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2 )

      Beispiel zum erneuten Laden des Objekts
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? ->capital / 5: '-1')

      Anderes Beispiel für eine Formel, um das Laden des Objekts und seines übergeordneten Objekts zu erzwingen:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield ->id) > 0) && ($secondloadedobj = neues Projekt($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Übergeordnetes Projekt nicht gefunden' Computedpersistent=Berechnetes Feld speichern ComputedpersistentDesc=Berechnete Extrafelder werden in der Datenbank gespeichert, dennoch wird ihr Wert nur dann neu berechnet wenn sich das Objekt zu diesem Feld ändert. Falls das berechnete Feld von anderen Objekten oder globalen Daten abhängt, kann sein Wert falsch sein! -ExtrafieldParamHelpPassword=Wenn Sie dieses Feld leer lassen, wird dieser Wert unverschlüsselt gespeichert (das Feld darf nur mit einem Stern auf dem Bildschirm ausgeblendet werden).
      Stellen Sie 'auto'; ein, um die Standardverschlüsselungsregel zum Speichern des Kennworts in der Datenbank zu verwenden (dann ist der gelesene Wert nur der Hash, keine Möglichkeit, den ursprünglichen Wert abzurufen). +ExtrafieldParamHelpPassword=Wenn Sie dieses Feld leer lassen, wird dieser Wert OHNE Verschlüsselung gespeichert (das Feld ist nur mit Sternen auf dem Bildschirm ausgeblendet).

      Eingabe Wert „dolcrypt“, um den Wert mit einem umkehrbaren Verschlüsselungsalgorithmus zu kodieren. Klare Daten können weiterhin erkannt und bearbeitet werden, werden aber in der Datenbank verschlüsselt.

      Geben Sie „auto“ (oder „md5“, „sha256“, „password_hash“, ...) ein, um den Standard-Passwortverschlüsselungsalgorithmus (oder md5, sha256, passwort_hash ...) zu verwenden, um das nicht umkehrbar gehashte Passwort in der Datenbank zu speichern (es gibt keine Möglichkeit, den Originalwert abzurufen) ExtrafieldParamHelpselect=Die Liste der Werte muss aus Zeilen mit dem Format Schlüssel, Wert bestehen (wobei Schlüssel nicht '0' sein darf)

      zum Beispiel:
      1, value1
      2, value2
      Code3, Wert3
      ...

      Damit die Liste von einer anderen ergänzenden Attributliste abhängt:
      1, value1 | options_ parent_list_code : parent_key
      2, value2 | options_ parent_list_code : parent_key

      Um die Liste von einer anderen Liste abhängig zu machen:
      1, value1 | parent_list_code : parent_key
      2, value2 | parent_list_code : parent_key ExtrafieldParamHelpcheckbox=Die Liste der Werte muss aus Zeilen mit dem Format Schlüssel, Wert bestehen (wobei Schlüssel nicht '0' sein darf)

      zum Beispiel:
      1, value1
      2, value2
      3, value3
      ... ExtrafieldParamHelpradio=Die Liste der Werte muss aus Zeilen mit dem Format Schlüssel, Wert bestehen (wobei Schlüssel nicht '0' sein darf)

      zum Beispiel:
      1, value1
      2, value2
      3, value3
      ... @@ -494,12 +497,12 @@ DisplayCompanyInfo=Firmenadresse anzeigen DisplayCompanyManagers=Namen der Geschäftsführung anzeigen DisplayCompanyInfoAndManagers=Firmenanschrift und Managernamen anzeigen EnableAndSetupModuleCron=Wenn diese wiederkehrende Rechnung automatisch generiert werden soll, muss das Modul *%s* aktiviert und korrekt eingerichtet sein. Andernfalls muss die Rechnungserstellung manuell aus dieser Vorlage mit der Schaltfläche * Erstellen * erfolgen. Beachten Sie, dass Sie die manuelle Generierung auch dann sicher starten können, wenn Sie die automatische Generierung aktiviert haben. Die Erstellung von Duplikaten für denselben Zeitraum ist nicht möglich. -ModuleCompanyCodeCustomerAquarium=%s gefolgt von Kundennummer für eine Kundenkontonummer -ModuleCompanyCodeSupplierAquarium=%s gefolgt vom Lieferantenpartnercode für eine Lieferantenkontonummer -ModuleCompanyCodePanicum=Leeren Kontierungscode zurückgeben +ModuleCompanyCodeCustomerAquarium=%s gefolgt von der Kundennummer für ein Kundenbuchungskonto (Debitorenkonto). +ModuleCompanyCodeSupplierAquarium=%s gefolgt von der Lieferantennummer für eine Lieferantenbuchungskonto (Kreditorenkonto). +ModuleCompanyCodePanicum=Keine Nummer für ein Buchungskonto erstellen (Buchungskonto bleibt leer). ModuleCompanyCodeDigitaria=Gibt einen zusammengesetzten Buchungscode gemäß dem Namen des Geschäftspartners zurück. Der Code besteht aus einem Präfix, das an der ersten Position definiert werden kann, gefolgt von der Anzahl der Zeichen, die im Code des Drittanbieters definiert sind. -ModuleCompanyCodeCustomerDigitaria=%s, gefolgt vom abgeschnittenen Kundennamen und der Anzahl der Zeichen: %s für den Kundenbuchhaltungscode. -ModuleCompanyCodeSupplierDigitaria=%s, gefolgt vom verkürzten Lieferantennamen und der Anzahl der Zeichen: %s für den Lieferantenbuchhaltungscode. +ModuleCompanyCodeCustomerDigitaria=%s, gefolgt vom abgeschnittenen Kundennamen und der Anzahl der Zeichen: %s für das Kundenbuchungskonto (Debitorenkonto). +ModuleCompanyCodeSupplierDigitaria=%s, gefolgt vom verkürzten Lieferantennamen und der Anzahl der Zeichen: %s für das Lieferantenbuchungskonto (Kreditorenkonto). Use3StepsApproval=Standardmäßig, Einkaufsaufträge müssen durch zwei unterschiedlichen Benutzer erstellt und freigegeben werden (ein Schritt/Benutzer zu erstellen und ein Schritt/Benutzer für die Freigabe). Beachten Sie wenn ein Benutzer beide Rechte hat - zum erstellen und freigeben, dann reicht ein Benutzer für diesen Vorgang. Optional können Sie ein zusätzlicher Schritt/User für die Freigabe einrichten, wenn der Betrag einen bestimmten dedizierten Wert übersteigt (wenn der Betrag übersteigt wird, werden 3 Stufen notwendig: 1=Validierung, 2=erste Freigabe und 3=Gegenfreigabe.
      Lassen Sie den Feld leer wenn eine Freigabe (2 Schritte) ausreicht; Tragen Sie einen sehr niedrigen Wert (0.1) wenn eine zweite Freigabe notwendig ist. UseDoubleApproval=3-Stufen-Genehmigung durchführen, wenn der Betrag (ohne Steuern) höher ist als ... WarningPHPMail=WARNUNG: Das Setup zum Senden von E-Mails aus der Anwendung verwendet das generische Standard-Setup. Aus mehreren Gründen ist es häufig besser, ausgehende E-Mails so einzurichten, dass sie den E-Mail-Server Ihres E-Mail-Dienstanbieters verwenden, anstatt die Standardeinstellung: @@ -560,7 +563,7 @@ Module23Desc=Überwachung des Energieverbrauchs Module25Name=Kundenaufträge Module25Desc=Auftrags- und Verkaufsverwaltung Module30Name=Rechnungen -Module30Desc=Verwaltung von Rechnungen und Gutschriften für Kunden. Verwaltung von Rechnungen und Gutschriften für Lieferanten +Module30Desc=Verwaltung von Rechnungen und Stornorechnungen für Kunden. Verwaltung von Rechnungen und Stornorechnungen von Lieferanten Module40Name=Lieferanten/Hersteller Module40Desc=Lieferanten- und Einkaufsverwaltung (Bestellungen und Fakturierung von Lieferantenrechnungen) Module42Name=Debug Logs @@ -582,7 +585,7 @@ Module54Desc=Verwaltung von Verträgen (Leistungen oder wiederkehrende Abonnemen Module55Name=Barcodes Module55Desc=Verwaltung von Barcodes bzw. QR-Codes Module56Name=Zahlung per Überweisung -Module56Desc=Verwaltung der Zahlung von Lieferanten durch Überweisungsaufträge. Es beinhaltet die Erstellung von SEPA-Dateien für europäische Länder. +Module56Desc=Verwaltung der Zahlung von Lieferanten und Gehältern durch Überweisungsaufträge. Es beinhaltet die Erstellung von SEPA-Dateien für europäische Länder. Module57Name=Zahlungen per Lastschrifteinzug Module57Desc=Verwaltung von Lastschriftaufträgen. Es beinhaltet die Erstellung von SEPA-Dateien für europäische Länder. Module58Name=ClickToDial @@ -622,7 +625,7 @@ Module410Desc=Webkalenderintegration Module500Name=Steuern & Sonderausgaben Module500Desc=Verwaltung sonstiger Ausgaben (Umsatzsteuern, Sozialabgaben, Dividenden, ...) Module510Name=Gehälter -Module510Desc=Erfassen und Verfolgen von Lohnzahlungen +Module510Desc=Erfassen und Verfolgen von Lohn- und Gehaltszahlungen Module520Name=Darlehen Module520Desc=Verwaltung von Darlehen Module600Name=Benachrichtigungen über Geschäftsereignisse @@ -630,6 +633,10 @@ Module600Desc=E-Mail-Benachrichtigungen senden, die durch ein Geschäftsereignis Module600Long=Beachten Sie, dass dieses Modul E-Mails in Echtzeit versendet, wenn ein bestimmtes Geschäftsereignis stattfindet. Wenn Sie nach einer Funktion zum Senden von e-Mail-Erinnerungen für Agenda-Ereignisse suchen, gehen Sie in die Einstellungen des Modul Agenda. Module610Name=Produktvarianten Module610Desc=Erlaubt das Erstellen von Produktvarianten, basierend auf Merkmalen (Farbe, Grösse, ...) +Module650Name=Stücklisten (BOM) +Module650Desc=Modul zum Definieren von Stücklisten (BOM). Kann für die Produktionsplanung (MRP) durch das Modul Fertigungsaufträge (MO) verwendet werden. +Module660Name=Fertigungsressourcenplanung (MRP) +Module660Desc=Modul zur Verwaltung von Fertigungsaufträgen (MO) Module700Name=Spenden Module700Desc=Spendenverwaltung Module770Name=Spesenabrechnungen @@ -650,8 +657,8 @@ Module2300Name=Geplante Aufgaben Module2300Desc=Verwaltung geplanter Aufgaben (Cron oder chrono Tabelle) Module2400Name=Agenda (Ereignisse/Termine) Module2400Desc=Modul zur Terminplanung und Ereignissaufzeichnung: Protokollieren Sie automatisch Ereignisse wie beispielsweise Änderungen an Produktdatensätzen zu Verfolgungszwecken oder tragen Sie Termine manuell ein.\nDies ist ein wichtiges Modul für ein gutes Kunden- und/oder Lieferantenbeziehungsmanagement. -Module2430Name=Online-Buchungskalender -Module2430Desc=Stellen Sie einen Online-Kalender bereit, damit jeder Besprechungen in vordefinierten Bereichen oder Verfügbarkeiten buchen kann. +Module2430Name=Online-Terminvereinbarung +Module2430Desc=Stellt ein Online-Terminbuchungssystem bereit. Dies ermöglicht es jedem, Besprechungen entsprechend vordefinierter Zeiträume oder Verfügbarkeiten zu buchen. Module2500Name=DMS/ECM Module2500Desc=Speicherung und Verteilung von Dokumenten. Automatische organisation der generierten oder gespeicherten Dokumente. Teilen Sie sie bei Bedarf. Module2600Name=API/Webservice (SOAP Server) @@ -672,7 +679,7 @@ Module3300Desc=Ein RAD-Tool (Rapid Application Development – Low-Code und No-C Module3400Name=Soziale Netzwerke Module3400Desc=Aktiviert Felder für soziale Netzwerke für Geschäftspartner und Kontakte (Skype, Twitter, Facebook, ...). Module4000Name=Personal -Module4000Desc=Personalverwaltung +Module4000Desc=Personalmanagement (Abteilungen, Arbeitsverträge, Skill Management und Personalbeschaffung) Module5000Name=Mandantenfähigkeit Module5000Desc=Ermöglicht Ihnen die Verwaltung mehrerer Firmen Module6000Name=Workflow zwischen Modulen @@ -712,6 +719,8 @@ Module63000Desc=Verwaltung von Ressourcen (Drucker, Autos, Räume, ...) für zug Module66000Name=OAuth2-Token-Management Module66000Desc=Stellt ein Tool zum Generieren und Verwalten von OAuth2-Token bereit. Der Token kann dann von einigen anderen Modulen verwendet werden. Module94160Name=Wareneingänge +ModuleBookCalName=Kalender-Buchungssystem +ModuleBookCalDesc=Einen Kalender für die Buchung von Terminen verwalten ##### Permissions ##### Permission11=Kundenrechnungen (und Zahlungen) einsehen Permission12=Rechnungen erstellen/bearbeiten @@ -792,7 +801,7 @@ Permission147=Statistiken einsehen Permission151=Lastschriftaufträge einsehen Permission152=Lastschriftaufträge erstellen/bearbeiten Permission153=Lastschriftaufträge senden/übertragen -Permission154=Gutschriften / Ablehnungen von Lastschrift-Zahlungsaufträgen erfassen +Permission154=Gutschriften/Ablehnungen von Lastschrift-Zahlungsaufträgen erfassen Permission161=Verträge/Abonnements einsehen Permission162=Verträge/Abonnements erstellen/bearbeiten Permission163=Leistung/Abonnement in einem Vertrag aktivieren @@ -927,11 +936,11 @@ Permission1002=Warenlager erstellen/bearbeiten Permission1003=Warenlager löschen Permission1004=Lagerbewegungen einsehen Permission1005=Lagerbewegungen erstellen/bearbeiten -Permission1011=Bestandsaufnahmen anzeigen -Permission1012=Neue Bestandsaufnahme erstellen -Permission1014=Bestandsaufnahme freigeben +Permission1011=Inventuren einsehen +Permission1012=Neue Inventur erstellen +Permission1014=Inventur freigeben Permission1015=Durchschnittspreis änderbar -Permission1016=Bestandsaufnahme löschen +Permission1016=Inventur löschen Permission1101=Lieferscheine einsehen Permission1102=Lieferscheine erstellen/bearbeiten Permission1104=Lieferscheine freigeben @@ -996,7 +1005,7 @@ Permission4031=Persönliche Daten einsehen Permission4032=Persönliche Daten schreiben Permission4033=Alle Bewertungen einsehen (auch die von nicht unterstellten Benutzern) Permission10001=Website-Inhalt einsehen -Permission10002=Erstelle/Bearbeite Website-Inhalte (HTML und JavaScript) +Permission10002=Erstellen/Bearbeiten von Website-Inhalten (HTML und JavaScript) Permission10003=Erstelle/Bearbeite Website-Inhalte (dynamischer PHP-Code). Gefährlich, dies muss auf ausgewählte Entwickler beschränkt werden. Permission10005=Inhalt der Website löschen Permission20001=Urlaubsanträge einsehen (eigene und die der unterstellten Mitarbeiter) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Spesenreport - Bereich pro Transportkategorie DictionaryTransportMode=Intracomm-Bericht - Transportmodus DictionaryBatchStatus=Status der Qualitätskontrolle für Produktcharge/Serie DictionaryAssetDisposalType=Veräußerungsarten von Anlagegütern +DictionaryInvoiceSubtype=Rechnungs-Untertypen TypeOfUnit=Art der Einheit SetupSaved=Einstellungen gespeichert SetupNotSaved=Einstellungen nicht gespeichert @@ -1109,10 +1119,11 @@ BackToModuleList=Zurück zur Modulübersicht BackToDictionaryList=Zurück zur Stammdaten-Übersicht TypeOfRevenueStamp=Art der Steuermarke VATManagement=MwSt-Verwaltung -VATIsUsedDesc=Standardmäßig folgt der Umsatzsteuersatz beim Erstellen von Interessenten, Rechnungen, Aufträgen usw. der aktiven Standardregel:
      Wenn der Verkäufer nicht der Umsatzsteuer unterliegt, ist die Umsatzsteuer standardmäßig 0. Ende der Regel.
      Ist das (Land des Verkäufers = Land des Käufers), entspricht die Umsatzsteuer standardmäßig der Umsatzsteuer des Produkts im Land des Verkäufers. Ende der Regel.
      Wenn der Verkäufer und der Käufer in der Europäischen Gemeinschaft ansässig sind und es sich bei den Waren um transportbezogene Produkte handelt (Spedition, Versand, Fluggesellschaft), beträgt die Standard-Mehrwertsteuer 0. Diese Regel ist abhängig vom Land des Verkäufers - wenden Sie sich bitte an Ihren Buchhalter. Die Mehrwertsteuer ist vom Käufer an die Zollstelle in seinem Land und nicht an den Verkäufer zu entrichten. Ende der Regel.
      Wenn der Verkäufer und der Käufer beide in der Europäischen Gemeinschaft ansässig sind und der Käufer kein Unternehmen ist (mit einer registrierten innergemeinschaftlichen Umsatzsteuer-Identifikationsnummer), gilt standardmäßig der Umsatzsteuersatz des Landes des Verkäufers. Ende der Regel.
      Wenn der Verkäufer und der Käufer beide in der Europäischen Gemeinschaft ansässig sind und der Käufer ein Unternehmen ist (mit einer registrierten innergemeinschaftlichen Umsatzsteuer-Identifikationsnummer), beträgt die Umsatzsteuer standardmäßig 0. Ende der Regel.
      In allen anderen Fällen lautet die vorgeschlagene Standardeinstellung Umsatzsteuer = 0. Ende der Regel. +VATIsUsedDesc=Standardmäßig basiert die Umsatzsteuer beim Erstellen von Leads, Rechnungen, Bestellungen usw. den aktiven Standardregeln:
      Wenn der Verkäufer nicht der Umsatzsteuer unterliegt, dann wird die Umsatzsteuer standardmäßig auf 0 gesetzt. Ende der Regel.
      Wenn (Land des Verkäufers = Land des Käufers), dann entspricht die Umsatzsteuer standardmäßig der Umsatzsteuer des Produkts im Land des Verkäufers. Ende der Regel.
      Wenn sich der Verkäufer und und der Käufer beide in der Europäischen Union befinden und die Güter sind zu transportierende Produkte (Abholung, Versand, Luftfracht), ist der Standardwert-Umsatzsteuersatz 0. Diese Regel hängt vom Land des Verkäufers ab – bitte wenden Sie sich an Ihren Buchhalter. Die USt. sollte vom Käufer in seinem Land bezahlt werden und und vom Verkäufer. Ende der Regel.
      Wenn sich der Verkäufer und und der Käufer beide in der Europäischen Union befinden und der Käufer ist kein Unternehmen (mit einem registrierten innergemeinschaftlichen USt.-ID), dann entspricht die USt. standardmäßig dem USt.-Satz im Land des Verkäufers. Ende der Regel.
      Wenn sich der Verkäufer und und der Käufer beide in der Europäischen Union befinden und der Käufer ist ein Unternehmen (mit einer registrierten innergemeinschaftlichen USt.-ID), dann ist die USt. standardmäßig 0. Ende der Regel.
      In allen anderen Fällen ist der vorgeschlagene Standardwert der Umsatzsteuer=0. Ende der Regel. VATIsNotUsedDesc=Die vorgeschlagene USt. ist standardmäßig 0 für alle Fälle wie Stiftungen, Einzelpersonen oder Kleinunternehmen. VATIsUsedExampleFR=In Frankreich sind damit Unternehmen oder Organisationen gemeint, die ein echtes Steuersystem haben (vereinfacht oder normal). Ein System, in dem die Mehrwertsteuer deklariert wird. VATIsNotUsedExampleFR=In Frankreich bedeutet es, dass keine Umsatzsteuer ausgewiesen wird oder Unternehmen, Organisationen oder Freiberufler, die als Kleinunternehmer tätig sind (Privilegiensteuer), Umsatzsteuern zahlen ohne selbst Umsatzsteuer auszuweisen. Diese Auswahl zeigt den Hinweis "Umsatzsteuer nicht anwendbar - Artikel-293B des CGI" auf Rechnungen an. +VATType=USt. Typ ##### Local Taxes ##### TypeOfSaleTaxes=Art der Umsatzsteuer LTRate=Rate @@ -1278,7 +1289,7 @@ SessionTimeOut=Sitzungszeitbegrenzung SessionExplanation=Diese Zahl garantiert, dass die Sitzung niemals vor dieser Verzögerung abläuft, wenn der Session Cleaner von Internal PHP Session Cleaner durchgeführt wird (und nichts anderes). Der interne PHP-Sitzungsbereiniger garantiert nicht, dass die Sitzung nach dieser Verzögerung abläuft. Es läuft nach dieser Verzögerung ab und wenn der Session Cleaner ausgeführt wird, bedeutet dies, dass jeder %s / %s -Zugriff nur während des Zugriffs von anderen Sessions erfolgt (wenn der Wert 0 ist, bedeutet dies, dass die Sitzung nur durch einen externen Zugriff gelöscht wird) Prozess).
      Hinweis: Auf einigen Servern mit einem externen Mechanismus zur Sitzungsbereinigung (cron under debian, ubuntu ...) können die Sitzungen nach einem von einem externen Setup festgelegten Zeitraum unabhängig vom hier eingegebenen Wert zerstört werden. SessionsPurgedByExternalSystem=Sitzungen auf diesem Server scheinen durch einen externen Mechanismus (cron unter Debian, Ubuntu, ...) gereinigt zu werden, wahrscheinlich alle %s Sekunden (= Wert des Parameters session.gc_maxlifetime), so dass eine Änderung des Wertes hier keinen Effekt hat. Sie müssen den Server-Administrator bitten, die Sitzungs-Verzögerung zu ändern. TriggersAvailable=Verfügbare Trigger -TriggersDesc=Trigger sind Dateien, die das Verhalten des Dolibarr-Workflows ändern, sobald sie in das Verzeichnis htdocs / core / triggers kopiert wurden. Sie erstellen neue Aktionen, die bei Dolibarr-Events aktiviert werden (Neugründung der Firma, Rechnungsprüfung, ...). +TriggersDesc=Trigger sind Dateien, die das Verhalten des Dolibarr-Workflows ändern, sobald sie in das Verzeichnis htdocs / core / triggers kopiert wurden. Sie erstellen neue Aktionen, die bei Dolibarr-Events aktiviert werden (Erstellung eines neuen Geschäftspartners, Freigabe einer Rechnung, ...). TriggerDisabledByName=Trigger in dieser Datei sind durch das -NORUN-Suffix in ihrem Namen deaktiviert. TriggerDisabledAsModuleDisabled=Trigger in dieser Datei sind durch das übergeordnete Modul %s deaktiviert. TriggerAlwaysActive=Trigger in dieser Datei sind unabhängig der Modulkonfiguration immer aktiviert. @@ -1344,7 +1355,7 @@ DefineHereComplementaryAttributes=Definieren Sie alle ergänzenden Attribute, di ExtraFields=Ergänzende Attribute ExtraFieldsLines=Ergänzende Attribute (zu Positionen/Zeilen) ExtraFieldsLinesRec=Ergänzende Attribute (Positionen in Rechnungsvorlagen) -ExtraFieldsSupplierOrdersLines=Ergänzende Attribute (in Auftragspositionen) +ExtraFieldsSupplierOrdersLines=Ergänzende Attribute (in Bestellpositionen) ExtraFieldsSupplierInvoicesLines=Ergänzende Attribute (in Rechnungspositionen) ExtraFieldsThirdParties=Ergänzende Attribute (Geschäftspartner) ExtraFieldsContacts=Ergänzende Attribute (Kontakte/Adressen) @@ -1400,7 +1411,7 @@ PreloadOPCode=Vorgeladener OPCode wird verwendet AddRefInList=Kunden-/Lieferanten-Ref. in Auswahllisten anzeigen.
      Geschäftspartner werden mit dem Namensformat "CC12345 - SC45678 - The Big Company corp." angezeigt statt "The Big Company Corp". AddVatInList=Umsatzsteuer-ID des Kunden/Lieferanten in Auswahllisten anzeigen. AddAdressInList=Kunden-/Lieferantenadresse in Auswahllisten anzeigen.
      Geschäftspartner werden mit dem Namensformat "The Big Company corp. - 21 jump street 123456 Big town - USA" anstelle von "The Big Company corp" angezeigt. -AddEmailPhoneTownInContactList=Kontakt-E-Mail (oder Telefone, falls nicht definiert) und Stadtinfo-Liste (Auswahlliste oder Combobox) anzeigen
      Kontakte werden mit dem Namensformat "Dupond Durand - dupond.durand@email.com - Paris" oder "Dupond Durand - 06 07" angezeigt 59 65 66 - Paris "statt" Dupond Durand ". +AddEmailPhoneTownInContactList=Kontakt-E-Mail (oder Telefonnummern, falls nicht definiert) und Stadt anzeigen (Auswahlliste oder Kombinationsfeld)
      Kontakte werden mit dem Namensformat „Dupond Durand – dupond.durand@example.com“ angezeigt - Paris“ oder „Dupond Durand – 06 07 59 65 66 – Paris“ anstelle von „Dupond Durand“. AskForPreferredShippingMethod=Nach der bevorzugten Versandart für Drittanbieter fragen. FieldEdition=Bearbeitung von Feld %s FillThisOnlyIfRequired=Beispiel: +2 (nur ausfüllen, wenn Sie Probleme mit der Zeitzone haben) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage='Passwort vergessen'-Link nicht auf der Anm UsersSetup=Einstellungen Modul Benutzer UserMailRequired=Für das Anlegen eines neuen Benutzers ist eine E-Mail-Adresse erforderlich UserHideInactive=Inaktive Benutzer aus allen Kombinationslisten von Benutzern ausblenden (Nicht empfohlen: dies kann bedeuten, dass Sie auf einigen Seiten nicht nach alten Benutzern filtern oder suchen können) +UserHideExternal=Verbergen Sie externe Benutzer (nicht mit einem Geschäftspartner verknüpft) in allen Combo-Auswahllisten für Benutzer (nicht empfohlen: dies hat zur Folge, dass Sie externe Benutzer auf einigen Seiten nicht filtern oder suchen können) +UserHideNonEmployee=Verbergen Sie alle Benutzer, die keine Mitarbeiter sind, in allen Combo-Auswahllisten für Benutzer (nicht empfohlen: dies hat zur Folge, dass Sie auf einigen Seiten Nicht-Mitarbeiter-Benutzer nicht filtern oder suchen können) UsersDocModules=Dokumentvorlagen für Dokumente, die aus dem Benutzerdatensatz generiert wurden GroupsDocModules=Dokumentvorlagen für Dokumente, die aus einem Gruppendatensatz generiert wurden ##### HRM setup ##### @@ -1426,7 +1439,7 @@ HRMSetup=Einstellungen Modul Personal ##### Company setup ##### CompanySetup=Einstellungen Modul Geschäftspartner CompanyCodeChecker=Optionen für die automatische Vergabe von Kunden- und Lieferantennummern -AccountCodeManager=Optionen für die automatische Generierung von Kunden-/Anbieterkontonummern +AccountCodeManager=Optionen für die automatische Generierung von Buchungskontonummern für Kunden- und Lieferantenbuchungskonten (Debitoren- und Kreditorenkonten). NotificationsDesc=Für einige Dolibarr-Ereignisse können automatisch E-Mail-Benachrichtigungen gesendet werden,
      wobei Empfänger von Benachrichtigungen definiert werden können: NotificationsDescUser=* pro Benutzer, nur ein Benutzer zur gleichen Zeit NotificationsDescContact=* Für Kontakte von Geschäftspartnern (Kunden oder Lieferanten) jeweils ein Kontakt. @@ -1447,7 +1460,7 @@ WebDavServer=Root URL von %s Server : %s WebCalUrlForVCalExport=Ein Eportlink für das Format %s findet sich unter folgendem Link: %s ##### Invoices ##### BillsSetup=Einstellungen Modul Rechnungen -BillsNumberingModule=Rechnungs- und Gutschriftsnumerierungsmodul +BillsNumberingModule=Nummerierungsmodul für Rechnungen und Stornorechnungen BillsPDFModules=PDF-Rechnungsvorlagen BillsPDFModulesAccordindToInvoiceType=Vorlagen der Rechnungsdokumente nach Rechnungstyp PaymentsPDFModules=Zahlungsvorlagen @@ -1458,7 +1471,7 @@ SuggestPaymentByChequeToAddress=Adresse für Zahlung per Scheck FreeLegalTextOnInvoices=Freier Standardtext auf Rechnungen WatermarkOnDraftInvoices=Wasserzeichen auf Rechnungsentwurf (leerlassen wenn keines benötigt wird) PaymentsNumberingModule=Zahlungen Nummerierungs Module -SuppliersPayment=Lieferanten Zahlung +SuppliersPayment=Lieferantenzahlungen SupplierPaymentSetup=Einstellungen für Lieferantenzahlungen InvoiceCheckPosteriorDate=Überprüfen Sie das Rechnungsdatum vor der Validierung InvoiceCheckPosteriorDateHelp=Die Validierung einer Rechnung ist nicht möglich, wenn ihr Datum vor dem Datum der letzten Rechnung des gleichen Typs liegt. @@ -1509,8 +1522,8 @@ WatermarkOnDraftContractCards=Wasserzeichen auf Entwurf (leerlassen, wenn nicht MembersSetup=Modul Mitglieder - Einstellungen MemberMainOptions=Haupteinstellungen MemberCodeChecker=Optionen für die automatische Generierung von Mitgliedsnummern -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +AdherentLoginRequired=Verwalten Sie für jedes Mitglied einen Benutzernamen/ein Passwort +AdherentLoginRequiredDesc=Fügen Sie der Mitgliederdatei einen Wert für einen Benutzernamen und ein Passwort hinzu. Wenn das Mitglied mit einem Benutzer verknüpft ist, werden durch die Aktualisierung des Mitglieds-Logins und -Passworts auch der Benutzer-Login und das Passwort aktualisiert. AdherentMailRequired=Für das Anlegen eines neuen Mitglieds ist eine E-Mail-Adresse erforderlich MemberSendInformationByMailByDefault=Das Kontrollkästchen für den automatischen Versand einer E-Mail-Bestätigung an Mitglieder (bei Freigabe oder neuem Abonnement) ist standardmäßig aktiviert MemberCreateAnExternalUserForSubscriptionValidated=Externes Benutzer-Login für jedes validierte neue Mitgliedsabonnement erstellen @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Gruppen LDAPContactsSynchro=Kontakte LDAPMembersSynchro=Mitglieder LDAPMembersTypesSynchro=Mitgliedschaftstypen -LDAPSynchronization=LDAP-Synchronisation +LDAPSynchronization=LDAP-Synchronisierung LDAPFunctionsNotAvailableOnPHP=LDAP-Funktionen sind in Ihrer PHP-Konfiguration nicht verfügbar LDAPToDolibarr=LDAP->Dolibarr DolibarrToLDAP=Dolibarr->LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Beispiel: GID-Nummer LDAPFieldUserid=Benutzer-ID LDAPFieldUseridExample=Beispiel: UID-Nummer LDAPFieldHomedirectory=Home-Verzeichnis -LDAPFieldHomedirectoryExample=Beispiel: homeverzeichnis +LDAPFieldHomedirectoryExample=Beispiel: Home-Verzeichnis LDAPFieldHomedirectoryprefix=Präfix für Home-Verzeichnis LDAPSetupNotComplete=LDAP-Setup nicht vollständig (siehe andere Tabs) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Kein Administrator oder Passwort gefunden. LDAP-Zugang wird anonym und im Lese-Modus ausgeführt. @@ -1773,14 +1786,14 @@ FreeLegalTextOnDeliveryReceipts=Freier Standardtext auf Empfangsbelegen ##### FCKeditor ##### AdvancedEditor=Erweiterter Editor ActivateFCKeditor=FCKEditor aktivieren für: -FCKeditorForNotePublic=WYSIWIG Erstellung/Bearbeitung des Feldes "öffentliche Notizen" von Elementen -FCKeditorForNotePrivate=WYSIWIG Erstellung/Bearbeitung des Feldes "private Notizen" von Elementen +FCKeditorForNotePublic=WYSIWYG-Erstellung/Bearbeitung des Feldes „öffentliche Notizen“ von Elementen +FCKeditorForNotePrivate=WYSIWYG-Erstellung/Bearbeitung des Feldes „Private Notizen“ von Elementen FCKeditorForCompany=WYSIWYG Erstellung/Bearbeitung der Feldbeschreibung von Elementen (ausgenommen Produkte/Leistungen) FCKeditorForProductDetails=WYSIWIG Erstellung/Bearbeitung von Produktbeschreibungen oder Zeilen für Objekte (Angebotszeilen, Bestellungen, Rechnungen usw.). FCKeditorForProductDetails2=Warnung: Von der Verwendung dieser Option für diese Anwendung wird dringend abgeraten, da es beim Erstellen von PDF-Dateien zu Problemen mit Sonderzeichen und der Seitenformatierung kommen kann. -FCKeditorForMailing= WYSIWYG Erstellung/Bearbeitung von E-Mails +FCKeditorForMailing= WYSIWYG-Erstellung/-Bearbeitung für Massen-E-Mails (Tools->E-Mailing) FCKeditorForUserSignature=WYSIWYG Erstellung/Bearbeitung von Benutzer-Signaturen -FCKeditorForMail=WYSIWYG-Erstellung/Bearbeitung für alle E-Mails (außer Werkzeuge->eMailing) +FCKeditorForMail=WYSIWYG-Erstellung/Bearbeitung für alle E-Mails (außer Tools->eMailing) FCKeditorForTicket=WYSIWYG-Erstellung/Bearbeitung von Tickets ##### Stock ##### StockSetup=Einstellungen Modul Lagerverwaltung @@ -1802,7 +1815,7 @@ DetailType=Art des Menüs (Top oder Links) DetailTitre=Menü Label oder Label für Übersetzung DetailUrl=Ziel-URL für Menüeintrag (Relative URL oder externer Link mit http://) DetailEnabled=Einstellungen für die Anzeige der Einträge -DetailRight=Zustand für die Anzeige nicht-authorisierter, grauer Menüs +DetailRight=Bedingung für die Anzeige nicht-autorisierter, grauer Menüs DetailLangs=Sprachdateiname für Label Übersetzung DetailUser=Intern/Extern/Alle Target=Ziel @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Standardkonto Kasse für Barzahlungen CashDeskBankAccountForCheque=Standardkonto für Zahlungen per Scheck CashDeskBankAccountForCB=Standardkonto für Zahlungen per Kreditkarte CashDeskBankAccountForSumup=Standardbankkonto zum Empfangen von Zahlungen von SumUp -CashDeskDoNotDecreaseStock=Deaktiviere Lagerabgangsbuchung wenn ein Verkauf an einem Point of Sale erfolgt\n(bei "Nein" wird die Lagerabgangsbuchung immer durchgeführt, auch wenn im Modul 'Lagerverwaltung' eine andere Einstellung gewählt wurde). +CashDeskDoNotDecreaseStock=Deaktiviere Lagerabgangsbuchung wenn ein Verkauf an einem Point of Sale erfolgt +CashDeskDoNotDecreaseStockHelp=Bei "Nein" wird die Lagerabgangsbuchung immer durchgeführt, auch wenn im Modul 'Lagerverwaltung' eine andere Einstellung gewählt wurde. CashDeskIdWareHouse=Lager für Entnahmen festlegen und erzwingen StockDecreaseForPointOfSaleDisabled=Lagerrückgang bei Verwendung von Point of Sale deaktiviert StockDecreaseForPointOfSaleDisabledbyBatch=Die Bestandsreduzierung am POS ist nicht mit dem Modul Chargen/Serien (derzeit aktiv) kompatibel, sodass die Bestandsreduzierung deaktiviert ist. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Zeilen hervorheben bei Mouseover HighlightLinesColor=Farbe zum Hervorheben der Zeile, wenn die Maus darüberfahrt (verwenden Sie 'ffffff' für keine Hervorhebung) HighlightLinesChecked=Farbe zum Hervorheben der Zeile, wenn die Zeile ausgewählt ist (verwenden Sie 'ffffff' für keine Hervorhebung) UseBorderOnTable=Linken und rechten Tabellenrand anzeigen +TableLineHeight=Höhe der Tabellenzeile BtnActionColor=Hintergrundfarbe der Aktionsschaltfläche TextBtnActionColor=Textfarbe der Aktionsschaltfläche TextTitleColor=Textfarbe der Seitenüberschrift @@ -2077,10 +2092,10 @@ MAIN_DOCUMENTS_LOGO_HEIGHT=Höhe des Logos im PDF DOC_SHOW_FIRST_SALES_REP=Ersten Vertriebsmitarbeiter anzeigen MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Spalte für Bild in Angebotspositionen hinzufügen MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Breite der Spalte, wenn den Positionen ein Bild hinzugefügt wird -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Spalte „Stückpreis“ in Lieferantenanfragen ausblenden +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=die Spalte „Gesamtpreis“ in Lieferantenanfragen ausblenden +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Spalte „Stückpreis“ bei Bestellungen ausblenden +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Spalte „Gesamtpreis“ bei Bestellungen ausblenden MAIN_PDF_NO_SENDER_FRAME=Rahmen des Absenderadressbereichs ausblenden MAIN_PDF_NO_RECIPENT_FRAME=Rahmen des Empfängeradressbereichs ausblenden MAIN_PDF_HIDE_CUSTOMER_CODE=Kunden-Nr. ausblenden @@ -2097,7 +2112,7 @@ COMPANY_AQUARIUM_CLEAN_REGEX=Regexfilter um die Werte zu Bereinigen (COMPANY_AQU COMPANY_AQUARIUM_NO_PREFIX=Kein Präfix verwenden, nur den Kunden- oder Lieferantencode kopieren COMPANY_DIGITARIA_CLEAN_REGEX=Regex-Filter zum Bereinigen des Werts (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=Doppelte Einträge sind nicht erlaubt -RemoveSpecialWords=Löschen Sie bestimmte Wörter, wenn Sie Unterkonten für Kunden oder Lieferanten erstellen +RemoveSpecialWords=Löschen Sie bestimmte Wörter, wenn Sie Buchungskonten für Kunden oder Lieferanten erstellen RemoveSpecialWordsHelp=Geben Sie die vor der Benennung des Kunden- oder Lieferantenkontos zu entfernenden Wörter an. Ein ";" zwischen jedem Wort verwenden. GDPRContact=Datenschutzbeauftragte(r) GDPRContactDesc=Wenn Sie personenbezogene Daten in Ihrem Informationssystem speichern, können Sie hier den für die Datenschutz-Grundverordnung (DSGVO) zuständigen Ansprechpartner benennen @@ -2146,7 +2161,7 @@ EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Durchsuchen S EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Beispiel zum Sammeln von E-Mail-Antworten, die von einer externen E-Mail-Software gesendet wurden EmailCollectorExampleToCollectDolibarrAnswersDesc=Sammeln Sie alle E-Mails, die eine Antwort auf eine E-Mail sind, die aus Ihrer Anwendung gesendet wurde. Ein Ereignis (Modul Agenda muss aktiviert sein) mit der E-Mail-Antwort wird am zugehörigen Ort erfasst. Wenn Sie beispielsweise ein Angebot, eine Bestellung, eine Rechnung oder eine Nachricht für ein Ticket per E-Mail aus der Anwendung senden und der Empfänger auf Ihre E-Mail antwortet, erfasst das System automatisch die Antwort und fügt sie in Ihrem ERP hinzu. EmailCollectorExampleToCollectDolibarrAnswers=Beispiel für das Sammeln aller eingehenden Nachrichten, die Antworten auf Nachrichten sind, die von Dolibarr gesendet wurden. -EmailCollectorExampleToCollectLeadsDesc=Sammeln Sie E-Mails, die bestimmten Regeln entsprechen und erstellen Sie automatisch einen Lead (Modul Projekt muss aktiviert sein) mit den E-Mail-Informationen. Sie können diesen Collector verwenden, wenn Sie Ihren Lead mit dem Modul Projekt (1 Lead = 1 Projekt) verfolgen möchten, um Ihre Leads automatisch zu generieren. Wenn der Collector Collect_Responses ebenfalls aktiviert ist, sehen Sie beim Senden einer E-Mail von Ihren Leads, Angeboten oder anderen Objekten möglicherweise auch die Antworten Ihrer Kunden oder Partner direkt in der Anwendung.
      Hinweis: Bei diesem ersten Beispiel wird der Titel des Leads inklusive E-Mail generiert. Wenn der Geschäftspartner nicht in der Datenbank gefunden werden kann (Neukunde), wird der Lead dem Geschäftspartner mit der ID 1 zugeordnet. +EmailCollectorExampleToCollectLeadsDesc=Werten Sie eingehende E-Mails aus, die bestimmten Regeln entsprechen, und erstellen Sie automatisch einen Lead (Modulprojekt muss aktiviert sein) mit den E-Mail-Informationen. Sie können diesen Collector verwenden, wenn Sie Ihren Lead mit dem Modul Projekt (1 Lead = 1 Projekt) verfolgen möchten, sodass Ihre Leads automatisch generiert werden. Wenn der Collector „Collect_Responses“ ebenfalls aktiviert ist, können Sie beim Senden einer E-Mail von Ihren Leads, Vorschlägen oder anderen Objekten möglicherweise auch die Antworten Ihrer Kunden oder Partner direkt in der Anwendung sehen.
      Hinweis: Bei diesem ersten Beispiel wird der Titel des Leads inklusive der E-Mail generiert. Wenn der Geschäftspartner nicht in der Datenbank gefunden werden kann (Neukunde), wird der Lead dem Geschäftspartner mit der ID 1 zugeordnet. EmailCollectorExampleToCollectLeads=Beispiel für das Sammeln von Leads EmailCollectorExampleToCollectJobCandidaturesDesc=Sammeln Sie E-Mails, die Bewerbungen auf Stellenangebote enthalten (Modul Recruitment muss aktiviert sein). Sie können diesen Collector erstellen, wenn Sie automatisch einen Bewerberdatensatz für eine Bewerbung erstellen möchten. Hinweis: Bei diesem ersten Beispiel wird der Titel des Bewerberdatensatzes inklusive E-Mail generiert. EmailCollectorExampleToCollectJobCandidatures=Beispiel für das Sammeln von per E-Mail erhaltenen Stellenbewerbungen @@ -2188,7 +2203,7 @@ Protanopia=Rotblindheit Deuteranopes=Rot-Grün-Sehschwäche Tritanopes=Blau-Gelb-Sehschwäche ThisValueCanOverwrittenOnUserLevel=Dieser Wert kann von jedem Benutzer auf seiner Benutzerseite überschrieben werden - Registerkarte '%s' -DefaultCustomerType=Standardmäßiger Drittanbietertyp für die Maske "Neuer Kunde". +DefaultCustomerType=Standardtyp eines Geschäftspartners für das Erstellungsformular „Neuer Kunde“. ABankAccountMustBeDefinedOnPaymentModeSetup=Hinweis: Das Bankkonto muss im Modul jeder Zahlungsart (Paypal, Stripe,...) definiert sein, damit diese Funktion funktioniert. RootCategoryForProductsToSell=Hauptkategorie der zu verkaufenden Produkte RootCategoryForProductsToSellDesc=Wenn definiert, sind nur Produkte dieser Kategorie oder Kinder dieser Kategorie in der Verkaufsstelle erhältlich. @@ -2213,9 +2228,9 @@ InstanceUniqueID=Eindeutige ID dieser Instanz SmallerThan=Kleiner als LargerThan=Größer als IfTrackingIDFoundEventWillBeLinked=Beachten Sie, dass das erstellte Ereignis automatisch mit dem bekannten verwandten Objekt verknüpft wird, wenn eine Tracking-ID eines Objekts in einer E-Mail gefunden wird oder wenn die E-Mail eine Antwort auf eine E-Mail ist, die bereits gesammelt und mit einem Objekt verknüpft wurde. -WithGMailYouCanCreateADedicatedPassword=Wenn Sie bei einem GMail-Konto die 2-stufige Validierung aktiviert haben, wird empfohlen, ein spezielles zweites Passwort für die Anwendung zu erstellen, anstatt Ihr eigenes Konto-Passwort von https://myaccount.google.com/. zu verwenden. -EmailCollectorTargetDir=Es kann ein erwünscht sein, die E-Mail in ein anderes Tag / Verzeichnis zu verschieben, wenn sie erfolgreich verarbeitet wurde. Legen Sie hier einfach den Namen des Verzeichnisses fest, um diese Funktion zu verwenden (verwenden Sie KEINE Sonderzeichen im Namen). Beachten Sie, dass Sie auch ein Lese- / Schreib-Anmeldekonto verwenden müssen. -EmailCollectorLoadThirdPartyHelp=Mit dieser Aktion können Sie den E-Mail-Inhalt verwenden, um einen vorhandenen Geschäftspartner in Ihrer Datenbank zu finden und zu laden (die Suche erfolgt nach der definierten Eigenschaft unter „ID“, „Name“, „Name_Alias“, „E-Mail“). Der gefundene (oder erstellte) Geschäftspartner wird für die folgenden Aktionen verwendet, die ihn benötigen.
      Wenn Sie beispielsweise einen Geschäftspartner mit einem Namen erstellen möchten, der aus einer Zeichenfolge „Name: gesuchter Name“ im Textkörper extrahiert wird, verwenden Sie die E-Mail des Absenders als E-Mail-Adresse (email). Sie können das Parameterfeld wie folgt festlegen:
      'email= HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +WithGMailYouCanCreateADedicatedPassword=Wenn Sie bei einem GMail-Konto die Validierung in zwei Schritten aktiviert haben, wird empfohlen, ein dediziertes zweites Passwort für die Anwendung zu erstellen, anstatt Ihr eigenes Kontopasswort von https://myaccount.google.com/ zu verwenden. +EmailCollectorTargetDir=Es kann gewünscht sein, die E-Mail in ein anderes Verzeichnis zu verschieben, wenn sie erfolgreich verarbeitet wurde. Legen Sie hier einfach den Namen des Verzeichnisses fest, um diese Funktion zu verwenden (verwenden Sie KEINE Sonderzeichen im Namen). Beachten Sie, dass Sie auch ein Lese-/Schreib-Login-Konto verwenden müssen. +EmailCollectorLoadThirdPartyHelp=Mit dieser Aktion können Sie den E-Mail-Inhalt verwenden, um einen vorhandenen Geschäftspartner in Ihrer Datenbank zu finden und zu laden (die Suche erfolgt anhand der definierten Eigenschaft unter „id“, „name“, „name_alias“, „email“). Der gefundene (oder erstellte) Geschäftspartner wird für die folgenden Aktionen verwendet, die ihn benötigen.
      Wenn Sie beispielsweise einen Geschäftspartner mit einem Namen erstellen möchten, der aus einer Zeichenfolge „Name: gesuchter Name“ im Textkörper extrahiert wird, verwenden Sie die E-Mail des Absenders als E-Mail-Adresse (email). Sie können das Parameterfeld wie folgt festlegen:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warnung: Viele E-Mail-Server (wie Gmail) führen bei der Suche nach einer Zeichenfolge eine vollständige Wortsuche durch und geben kein Ergebnis zurück, wenn die Zeichenfolge nur teilweise in einem Wort gefunden wird. Auch aus diesem Grund wird die Verwendung von Sonderzeichen in einem Suchkriterium ignoriert, sofern sie nicht Teil vorhandener Wörter sind.
      Um eine Ausschlusssuche nach einem Wort durchzuführen (E-Mail verwenden, wenn das Wort nicht gefunden wird), können Sie das ! als Zeichen vor dem Wort verwenden (funktioniert möglicherweise auf einigen Mail-Servern nicht). EndPointFor=Endpunkt für %s:%s DeleteEmailCollector=Lösche eMail-Collector @@ -2233,8 +2248,8 @@ EMailsWillHaveMessageID=E-Mails haben ein Schlagwort "Referenzen", das dieser Sy PDF_SHOW_PROJECT=Projekt im Dokument anzeigen ShowProjectLabel=Projektbezeichnung PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Den Namen des Geschäftspartners um Alias ergänzen -THIRDPARTY_ALIAS=Name Geschäftspartner - Alias Geschäftspartner -ALIAS_THIRDPARTY=Alias Geschäftspartner - Name Geschäftspartner +THIRDPARTY_ALIAS=Name des Geschäftspartners - Alias des Geschäftspartners +ALIAS_THIRDPARTY=Alias des Geschäftspartners – Name des Geschäftspartners PDFIn2Languages=Bezeichnungen im PDF in zwei verschiedenen Sprachen anzeigen (diese Funktion funktioniert möglicherweise bei einigen Sprachen nicht) PDF_USE_ALSO_LANGUAGE_CODE=Wenn Sie möchten, dass einige Texte in Ihrem PDF in 2 verschiedenen Sprachen in demselben generierten PDF dupliziert werden, müssen Sie hier diese zweite Sprache festlegen, damit das generierte PDF zwei verschiedene Sprachen auf derselben Seite enthält, die beim Generieren von PDF ausgewählte und diese (dies wird nur von wenigen PDF-Vorlagen unterstützt). Für 1 Sprache pro PDF leer halten. PDF_USE_A=PDF-Dokumente im Format PDF/A erstellen anstelle des Standardformats PDF @@ -2317,7 +2332,7 @@ FillAndSaveAccountIdAndSecret=Zuerst die Account-ID und den Geheimschlüssel ein PreviousHash=Vorheriger Hash LateWarningAfter=Warnung "verspätet" nach TemplateforBusinessCards=Vorlage für eine Visitenkarte in unterschiedlicher Größe -InventorySetup= Bestandsaufnahme einrichten +InventorySetup= Inventur einrichten ExportUseLowMemoryMode=Verwenden Sie einen Low-Memory-Modus ExportUseLowMemoryModeHelp=Verwenden Sie den Low-Memory-Modus, um die Dump-Datei zu generieren (die Komprimierung erfolgt über eine Pipe statt in den PHP-Speicher). Mit dieser Methode kann nicht überprüft werden, ob die Datei vollständig ist, und es kann keine Fehlermeldung gemeldet werden, wenn der Vorgang fehlschlägt. Verwenden Sie diesen Modus, wenn Sie die Fehlermeldung "nicht genügend Speicher" erhalten. @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook-Einrichtung Settings = Einstellungen WebhookSetupPage = Webhook-Einrichtungsseite ShowQuickAddLink=Eine Schaltfläche zum schnellen Hinzufügen eines Elements im oberen rechten Menü anzeigen - +ShowSearchAreaInTopMenu=Suchbereich im oberen Menü anzeigen HashForPing=Für den Ping verwendeter Hash ReadOnlyMode=Ist eine Instanz im "Read Only"-Modus DEBUGBAR_USE_LOG_FILE=Die Datei dolibarr.log verwenden, um Protokolldaten zu erfassen @@ -2356,7 +2371,7 @@ DoesNotWorkWithAllThemes=Funktioniert nicht mit allen Themes NoName=Kein Name ShowAdvancedOptions= Erweiterte Optionen anzeigen HideAdvancedoptions= Erweiterte Optionen ausblenden -CIDLookupURL=Das Modul bringt eine URL mit, die von einem externen Tool verwendet werden kann, um den Namen eines Geschäftspartners oder Kontakts aus seiner Telefonnummer zu ermitteln. Zu verwendende URL ist: +CIDLookupURL=Das Modul stellt eine URL bereit, die von einem externen Tool verwendet werden kann, um den Namen eines Geschäftspartners oder Kontakts aus seiner Telefonnummer zu ermitteln. Die zu verwendende URL lautet: OauthNotAvailableForAllAndHadToBeCreatedBefore=Die OAUTH2-Authentifizierung ist nicht für alle Hosts verfügbar, und ein Token mit den richtigen Berechtigungen muss im Vorfeld mit dem OAUTH-Modul erstellt worden sein MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2-Authentifizierungsdienst DontForgetCreateTokenOauthMod=Ein Token mit den richtigen Berechtigungen muss zuvor mit dem OAUTH-Modul erstellt worden sein @@ -2366,7 +2381,7 @@ UseOauth=OAUTH-Token verwenden Images=Bilder MaxNumberOfImagesInGetPost=Maximal zulässige Anzahl von Bildern, die in einem HTML-Feld in einem Formular eingefügt werden können MaxNumberOfPostOnPublicPagesByIP=Maximale Anzahl von Beiträgen auf öffentlichen Seiten mit derselben IP-Adresse in einem Monat -CIDLookupURL=Das Modul bringt eine URL mit, die von einem externen Tool verwendet werden kann, um den Namen eines Geschäftspartners oder Kontakts aus seiner Telefonnummer zu ermitteln. Zu verwendende URL ist: +CIDLookupURL=Das Modul stellt eine URL bereit, die von einem externen Tool verwendet werden kann, um den Namen eines Geschäftspartners oder Kontakts aus seiner Telefonnummer zu ermitteln. Die zu verwendende URL lautet: ScriptIsEmpty=Das Skript ist leer ShowHideTheNRequests=Anzeigen/Ausblenden der %s-SQL-Anfrage(n) DefinedAPathForAntivirusCommandIntoSetup=Dateipfad zu Antivirenprogramm in %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Bestellte Menge auf den generierten Belegen für den MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Anzeige des Preises auf den generierten Dokumenten für den Wareneingang WarningDisabled=Warnung deaktiviert LimitsAndMitigation=Zugriffsbeschränkungen +RecommendMitigationOnURL=Es wird empfohlen, die Schadensbegrenzung für kritische URLs zu aktivieren. Dies ist eine Liste der fail2ban-Regeln, die Sie für die wichtigsten URLs verwenden können. DesktopsOnly=Nur Desktop-Bildschirme DesktopsAndSmartphones=Desktop-Bildschirme und Smartphones AllowOnlineSign=Online-Unterzeichnung ermöglichen @@ -2403,6 +2419,24 @@ Defaultfortype=Standard DefaultForTypeDesc=Vorlage, die standardmäßig beim Erstellen einer neuen E-Mail für den Vorlagentyp verwendet wird OptionXShouldBeEnabledInModuleY=Die Option "%s" sollte im Modul %s aktiviert werden OptionXIsCorrectlyEnabledInModuleY=Die Option "%s" ist im Modul %s aktiviert +AllowOnLineSign=Online-Unterzeichnung zulassen AtBottomOfPage=Unten auf der Seite FailedAuth=fehlgeschlagene Authentifizierungen -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +MaxNumberOfFailedAuth=Maximale Anzahl fehlgeschlagener Authentifizierungen innerhalb von 24 Stunden, um die Anmeldung zu verweigern. +AllowPasswordResetBySendingANewPassByEmail=Wenn ein Benutzer A über diese Berechtigung verfügt und selbst wenn der Benutzer A kein „Administrator“-Benutzer ist, darf A das Passwort eines anderen Benutzers B zurücksetzen. Das neue Passwort wird jedoch an die E-Mail-Adresse des anderen Benutzers B gesendet es ist für A nicht sichtbar. Wenn der Benutzer A das Flag „admin“ hat, kann er auch das neu generierte Passwort von B kennen, sodass er die Kontrolle über das Benutzerkonto B übernehmen kann. +AllowAnyPrivileges=Wenn ein Benutzer A über diese Berechtigung verfügt, kann er einen Benutzer B mit allen Berechtigungen erstellen und dann diesen Benutzer B verwenden oder sich selbst eine beliebige andere Gruppe mit einer beliebigen Berechtigung erteilen. Das bedeutet, dass Benutzer A alle Geschäftsprivilegien besitzt (nur der Systemzugriff auf Setup-Seiten ist verboten). +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Dieser Wert kann gelesen werden, da bei Ihrer Instanz der Produktionsmodus nicht gesetzt ist ist +SeeConfFile=Siehe die Angaben in der Datei conf.php auf dem Server +ReEncryptDesc=Verschlüsseln Sie die Daten erneut, wenn sie noch nicht verschlüsselt sind +PasswordFieldEncrypted=%s neuer Datensatz: Wurde dieses Feld verschlüsselt? +ExtrafieldsDeleted=Das benutzerdefinierte Attribut %s wurde gelöscht +LargeModern=Groß – Modern +SpecialCharActivation=Aktivieren Sie die Schaltfläche, um eine virtuelle Tastatur für die Eingabe von Sonderzeichen zu öffnen +DeleteExtrafield=Benutzerdefiniertes Attribut löschen +ConfirmDeleteExtrafield=Wollen Sie das benutzerdefinierte Attribut%s wirklich löschen? Alle gespeicherten Daten des Attributs gehen unwiederbringlich verloren. +ExtraFieldsSupplierInvoicesRec=Ergänzende Attribute (Rechnungsvorlagen) +ExtraFieldsSupplierInvoicesLinesRec=Ergänzende Attribute (Positionen in Rechnungsvorlagen) +ParametersForTestEnvironment=Parameter für Testumgebung +TryToKeepOnly=Versuchen Sie, nur %s beizubehalten +RecommendedForProduction=Empfohlen für die Produktion +RecommendedForDebug=Empfohlen für Debug diff --git a/htdocs/langs/de_DE/bills.lang b/htdocs/langs/de_DE/bills.lang index 7077f6e677c..b4109ac88db 100644 --- a/htdocs/langs/de_DE/bills.lang +++ b/htdocs/langs/de_DE/bills.lang @@ -33,14 +33,14 @@ InvoiceAvoir=Stornorechnung InvoiceAvoirAsk=Stornorechnung zur Rechnungskorrektur InvoiceAvoirDesc=Die Stornorechnungt ist eine negative Rechnung, die die Tatsache korrigiert, dass eine Rechnung einen Betrag ausweist, der vom tatsächlich zu zahlenden Betrag abweicht (z.B. durch das Zurücksenden einiger Produkte). Eine Stornorechnung wird auch verwendet, um eine versehentlich ausgestellte Rechnung vollständig rückgängig zu machen. invoiceAvoirWithLines=Stornorechnung mit den Positionen der Ursprungs-Rechnung -invoiceAvoirWithPaymentRestAmount=Gutschrift über den Restbetrag der Originalrechnung erstellen (nicht in jedem Land zulässig oder erforderlich) -invoiceAvoirLineWithPaymentRestAmount=Gutschrift über den Restbetrag der Originalrechnung +invoiceAvoirWithPaymentRestAmount=Stornorechnung über den Restbetrag der Originalrechnung erstellen (nicht in jedem Land zulässig oder erforderlich) +invoiceAvoirLineWithPaymentRestAmount=Stornorechnung über den Restbetrag der Originalrechnung ReplaceInvoice=Ersetze Rechnung %s ReplacementInvoice=Ersatzrechnung ReplacedByInvoice=Ersetzt durch Rechnung %s ReplacementByInvoice=Ersetzt durch Rechnung CorrectInvoice=Korrigiere Rechnung %s -CorrectionInvoice=Rechnungskorrektur +CorrectionInvoice=Korrigierte Rechnung UsedByInvoice=Zur Bezahlung der Rechnung %s ConsumedBy=Verbraucht von NotConsumed=Nicht verbrauchte @@ -74,7 +74,7 @@ ConfirmConvertToReduc=Möchten Sie diese %s in ein verfügbares Guthaben umwande ConfirmConvertToReduc2=Der Betrag wird unter allen Rabatten gespeichert und kann als Rabatt für eine aktuelle oder zukünftige Rechnung für diesen Kunden verwendet werden. ConfirmConvertToReducSupplier=Möchten Sie diese %s in ein verfügbares Guthaben umwandeln? ConfirmConvertToReducSupplier2=Der Betrag wird unter allen Rabatten gespeichert und kann als Rabatt für eine aktuelle oder zukünftige Rechnung dieses Anbieters verwendet werden. -SupplierPayments=Lieferanten Zahlung +SupplierPayments=Lieferantenzahlungen ReceivedPayments=Erhaltene Zahlungen ReceivedCustomersPayments=Erhaltene Zahlungen von Kunden PayedSuppliersPayments=erledigte Zahlungen an Lieferanten @@ -104,7 +104,7 @@ ClassifyUnPaid=Als 'unbezahlt' markieren ClassifyPaidPartially=Auf 'Bezahlt (mit Abzug)' setzen ClassifyCanceled=Rechnung 'aufgegeben' ClassifyClosed=Als 'geschlossen' markieren -ClassifyUnBilled=Als "nicht fakturiert" markieren +ClassifyUnBilled=Als 'nicht fakturiert' markieren CreateBill=Rechnung erstellen CreateCreditNote=Stornorechnung erstellen AddBill=Rechnung/Stornorechnung erstellen @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Kundenzahlung fällig stellen DisabledBecauseRemainderToPayIsZero=Deaktiviert, da Zahlungserinnerung auf null steht PriceBase=Grundpreis BillStatus=Rechnungsstatus -StatusOfGeneratedInvoices=Status der erstellten Rechnungen +StatusOfAutoGeneratedInvoices=status der automatisch generierten Rechnungen BillStatusDraft=Entwurf (freizugeben) BillStatusPaid=Bezahlt BillStatusPaidBackOrConverted=Rückerstatten oder als Guthaben vermerken @@ -155,7 +155,7 @@ ErrorCreateBankAccount=Legen Sie ein Bankkonto an und definieren Sie anschließe ErrorBillNotFound=Rechnung %s existiert nicht ErrorInvoiceAlreadyReplaced=Fehler, Sie haben versucht, eine Rechnung freizugeben, um Rechnung %s zu ersetzen. Diese wurde aber bereits durch die Rechnung %s ersetzt. ErrorDiscountAlreadyUsed=Fehler: Dieser Rabatt ist bereits verbraucht. -ErrorInvoiceAvoirMustBeNegative=Fehler: Gutschriften verlangen nach einem negativen Rechnungsbetrag +ErrorInvoiceAvoirMustBeNegative=Fehler: Stornorechnungen erfordern einen negativen Rechnungsbetrag ErrorInvoiceOfThisTypeMustBePositive=Fehler, diese Art von Rechnung muss einen Betrag ohne Steuer positiv (oder null) haben. ErrorCantCancelIfReplacementInvoiceNotValidated=Fehler: Sie können keine Rechnung stornieren, deren Ersatzrechnung sich noch im Status 'Entwurf' befindet ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Dieser Artikel oder ein anderer wird bereits verwendet, so dass die Rabattstaffel nicht entfernt werden kann. @@ -167,7 +167,7 @@ ActionsOnBill=Ereignisse zu dieser Rechnung ActionsOnBillRec=Aktionen für wiederkehrende Rechnungen RecurringInvoiceTemplate=Vorlage/Wiederkehrende Rechnung NoQualifiedRecurringInvoiceTemplateFound=Keine Vorlagen zur Erstellung von wiederkehrenden Rechnungen gefunden. -FoundXQualifiedRecurringInvoiceTemplate=Es wurden %s Vorlage(n) zur Erstellung von wiederkehrenden Rechnungen gefunden. +FoundXQualifiedRecurringInvoiceTemplate=%s Vorlage(n) für wiederkehrende Rechnungen für die Rechnungserstellung qualifiziert. NotARecurringInvoiceTemplate=keine Vorlage für wiederkehrende Rechnung NewBill=Neue Rechnung LastBills=Neueste %s Rechnungen @@ -209,7 +209,7 @@ ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=Ein schlechter Kunde ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Wählen Sie diese Option, falls die Zahlungsdifferenz aus Warenrücksendungen resultiert. ConfirmClassifyPaidPartiallyReasonBankChargeDesc=Der Differenzbetrag beinhaltet Bankgebühren , die direkt vom korrekten Betrag abgezogen wurden, der vom Kunden bezahlt wurde. ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=Der unbezahlte Betrag wird niemals gezahlt, da es sich um eine einbehaltene Steuer handelt -ConfirmClassifyPaidPartiallyReasonOtherDesc=Verwenden Sie diese Option, wenn alle anderen nicht geeignet sind, z. B. in der folgenden Situation:
      - Zahlung nicht abgeschlossen, da einige Produkte zurückgesandt wurden
      - Forderung auf Grund vergessenen Rabatts zu hoch
      Korrigieren Sie in jedem Fall den zu hohen Betrag im Rechnungswesen über eine entsprechende Gutschrift. +ConfirmClassifyPaidPartiallyReasonOtherDesc=Verwenden Sie diese Option, wenn alle anderen nicht geeignet sind, z. B. in der folgenden Situation:
      - Zahlung nicht abgeschlossen, da einige Produkte zurückgesandt wurden
      - Forderung auf Grund vergessenen Rabatts zu hoch
      Korrigieren Sie in jedem Fall den zu hohen Betrag im Rechnungswesen über eine entsprechende Stornorechnung. ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=Ein schlechter Lieferant ist ein Lieferant, den wir nicht bezahlen wollen. ConfirmClassifyAbandonReasonOther=Andere ConfirmClassifyAbandonReasonOtherDesc=Wählen Sie diese Option in allen anderen Fällen, z.B. wenn Sie planen, eine Ersatzrechnung anzulegen. @@ -217,14 +217,14 @@ ConfirmCustomerPayment=Bestätigen Sie diesen Zahlungseingang für %s, %s ConfirmSupplierPayment=Bestätigen Sie diesen Zahlungseingang für %s, %s? ConfirmValidatePayment=Zahlung wirklich annehmen? Eine Änderung ist anschließend nicht mehr möglich. ValidateBill=Rechnung freigeben -UnvalidateBill=Ungültige Rechnung +UnvalidateBill=Rechnungsfreigabe aufheben NumberOfBills=Anzahl Rechnungen NumberOfBillsByMonth=Anzahl Rechnungen pro Monat AmountOfBills=Anzahl der Rechnungen AmountOfBillsHT=Rechnungsbetrag (Netto ohne Steuern) AmountOfBillsByMonthHT=Gesamtbetrag Rechnungen pro Monat (inkl. Steuern) -UseSituationInvoices=Fortschritt-Rechnung zulassen -UseSituationInvoicesCreditNote=Fortschritt-Rechnungsgutschrift zulassen +UseSituationInvoices=Abschlagsrechnung zulassen +UseSituationInvoicesCreditNote=Stornorechnung für Abschlagsrechnung zulassen Retainedwarranty=Zurückbehaltene Garantie AllowedInvoiceForRetainedWarranty=Zurückbehaltene Garantie, die auf die folgenden Arten von Rechnungen angewendet werden kann RetainedwarrantyDefaultPercent=Zurückbehaltene Garantie in Prozent @@ -242,7 +242,7 @@ RetainedWarrantyDateLimit=Datum für Beibehaltung der Gewährleistung RetainedWarrantyNeed100Percent=Teilrechnung muss 100 % %% vollständig sein, um im PDF zu erscheinen. AlreadyPaid=Bereits bezahlt AlreadyPaidBack=Bereits zurückbezahlt -AlreadyPaidNoCreditNotesNoDeposits=Bereits bezahlt (ohne Gutschriften und Anzahlungen) +AlreadyPaidNoCreditNotesNoDeposits=Bereits bezahlt (ohne Rückerstattungen und Anzahlungen) Abandoned=Aufgegeben RemainderToPay=Offener Zahlbetrag RemainderToPayMulticurrency=Verbleibender unbezahlter Betrag in Ursprungswährung @@ -250,12 +250,13 @@ RemainderToTake=Verbleibender Restbetrag RemainderToTakeMulticurrency=Zu erhaltender Restbetrag in Ursprungswährung RemainderToPayBack=Restschulden zum zurückzahlen RemainderToPayBackMulticurrency=Zu erstattender Restbetrag in Ursprungswährung +NegativeIfExcessReceived=negativ, wenn Überschuss erhalten NegativeIfExcessRefunded=negativ, wenn Überschuss erstattet +NegativeIfExcessPaid=negativ bei Überzahlung Rest=Ausstehend AmountExpected=Höhe der Forderung ExcessReceived=Erhaltener Überschuss ExcessReceivedMulticurrency=Erhaltene Überzahlung in Ursprungswährung -NegativeIfExcessReceived=negativ, wenn Überschuss erhalten ExcessPaid=Überzahlung ExcessPaidMulticurrency=Geleistete Überzahlung in Ursprungswährung EscompteOffered=Skonto (Zahlung vor Fälligkeit) @@ -267,6 +268,8 @@ NoDraftBills=Keine Rechnungsentwürfe NoOtherDraftBills=Keine weiteren Rechnungsentwürfe NoDraftInvoices=Keine Rechnungsentwürfe RefBill=Rechnungsnr. +RefSupplierBill=Ref. Lieferantenrechnung +SupplierOrderCreateBill=Rechnung erstellen ToBill=Zu fakturieren RemainderToBill=Zu verrechnender Restbetrag SendBillByMail=Rechnung per E-Mail versenden @@ -300,10 +303,10 @@ Repeatables=Vorlagen ChangeIntoRepeatableInvoice=erzeuge Rechnungsvorlage CreateRepeatableInvoice=Rechnungs-Vorlage erstellen CreateFromRepeatableInvoice=Aus Rechnungs-Vorlage erzeugen -CustomersInvoicesAndInvoiceLines=Kundenrechnungen und -details +CustomersInvoicesAndInvoiceLines=Kundenrechnungen und Rechnungsdetails CustomersInvoicesAndPayments=Kundenrechnungen und -zahlungen -ExportDataset_invoice_1=Kundenrechnungen und -details -ExportDataset_invoice_2=Kundenrechnungen und -zahlungen +ExportDataset_invoice_1=Kundenrechnungen und Rechnungsdetails +ExportDataset_invoice_2=Kundenrechnungen und Zahlungen ProformaBill=Proforma-Rechnung: Reduction=Ermäßigung ReductionShort=Rabatt @@ -322,8 +325,8 @@ ShowSourceInvoice=Zeige Original-Rechnung RelativeDiscount=Relativer Rabatt GlobalDiscount=Rabattregel CreditNote=Stornorechnung -CreditNotes=Gutschriften -CreditNotesOrExcessReceived=Gutschriften / erh. Überschuss +CreditNotes=Stornorechnungen +CreditNotesOrExcessReceived=Rückerstattungen / erh. Überzahlung Deposit=Anzahlung Deposits=Anzahlungen DiscountFromCreditNote=Guthaben aus Stornorechnung %s @@ -331,7 +334,7 @@ DiscountFromDeposit=Anzahlung gemäß Rechnung %s DiscountFromExcessReceived=Überzahlungen der Rechnung %s empfangen DiscountFromExcessPaid=Überzahlungen der Rechnung %s empfangen AbsoluteDiscountUse=Diese Art von Guthaben kann verwendet werden auf der Rechnung vor der Validierung -CreditNoteDepositUse=Die Rechnung muss freigegeben werden, um Gutschriften zu erstellen +CreditNoteDepositUse=Die Rechnung muss freigegeben werden, um Rückerstattungen zu erstellen NewGlobalDiscount=Neuer absoluter Rabatt NewSupplierGlobalDiscount=Neues Lieferantenguthaben NewClientGlobalDiscount=Neues Kundenguthaben @@ -340,8 +343,8 @@ DiscountType=Rabatt Typ NoteReason=Anmerkung/Begründung ReasonDiscount=Rabattgrund DiscountOfferedBy=Rabatt angeboten von -DiscountStillRemaining=Rabatte oder Gutschriften verfügbar -DiscountAlreadyCounted=Rabatte oder Gutschriften bereits berücksichtigt +DiscountStillRemaining=Rabatte oder Guthaben verfügbar +DiscountAlreadyCounted=Rabatte oder Guthaben bereits berücksichtigt CustomerDiscounts=Kundenrabatte SupplierDiscounts=Lieferantenrabatte BillAddress=Rechnungsanschrift @@ -351,6 +354,7 @@ HelpAbandonOther=Dieser Betrag wurde auf Grund eines Fehlers aufgegeben (z.B. fa IdSocialContribution=Zahlungs-ID der Steuern/Sozialabgaben PaymentId=Zahlung Id PaymentRef=ZahlungsRef. +SourceInvoiceId=Id der Ursprungsrechnung InvoiceId=Rechnungs ID InvoiceRef=Rechnungsnr. InvoiceDateCreation=Datum der Rechnungserstellung @@ -528,7 +532,7 @@ ChequeDeposits=Belege Scheckeinlösung Cheques=Schecks DepositId=Scheck Nr. NbCheque=Schecknummer -CreditNoteConvertedIntoDiscount=Diese Gutschrift %s wurde in %s umgewandelt +CreditNoteConvertedIntoDiscount=Diese Stornorechnung %s wurde in %s umgewandelt UsBillingContactAsIncoiveRecipientIfExist=Verwenden Sie Kontakt / Adresse mit dem Typ "Rechnungskontakt" anstelle der Adresse eines Geschäftspartners als Empfänger für Rechnungen ShowUnpaidAll=Zeige alle unbezahlten Rechnungen ShowUnpaidLateOnly=Zeige nur verspätete unbezahlte Rechnung @@ -545,7 +549,7 @@ ExpectedToPay=Erwartete Zahlung CantRemoveConciliatedPayment=Abgeglichene Zahlung kann nicht entfernt werden PayedByThisPayment=mit dieser Zahlung beglichen ClosePaidInvoicesAutomatically=Kennzeichnen Sie automatisch alle Standard-, Anzahlungs- oder Ersatzrechnungen als "Bezahlt", wenn die Zahlung vollständig erfolgt ist. -ClosePaidCreditNotesAutomatically=Kennzeichnen Sie automatisch alle Gutschriften als "Bezahlt", wenn die Rückerstattung vollständig erfolgt ist. +ClosePaidCreditNotesAutomatically=Kennzeichnen Sie automatisch alle Stornorechnungen als "Bezahlt", wenn die Rückerstattung vollständig erfolgt ist. ClosePaidContributionsAutomatically=Kennzeichnen Sie automatisch alle Sozial- oder Steuerbeiträge als "Bezahlt", wenn die Zahlung vollständig erfolgt ist. ClosePaidVATAutomatically=Klassifizieren Sie die Umsatzsteuererklärung automatisch als "bezahlt", wenn die Zahlung vollständig erfolgt ist. ClosePaidSalaryAutomatically=Klassifizieren Sie das Gehalt automatisch als "bezahlt", wenn die Zahlung vollständig erfolgt ist. @@ -561,10 +565,10 @@ YouMustCreateStandardInvoiceFirstDesc=Zuerst muss eine Standardrechnung erstellt PDFCrabeDescription=Rechnung PDF-Vorlage Crabe. Eine vollständige Rechnungsvorlage (alte Implementierung der Sponge-Vorlage) PDFSpongeDescription=Rechnung PDF-Vorlage Sponge. Eine vollständige Rechnungsvorlage PDFCrevetteDescription=PDF Rechnungsvorlage Crevette. Vollständige Rechnungsvolage für normale Rechnungen -TerreNumRefModelDesc1=Gibt eine Nummer im Format %syymm-nnnn für Standardrechnungen und %syymm-nnnn für Gutschriften zurück, wobei yy das Jahr, mm der Monat und nnnn eine sequenzielle automatisch inkrementierende Nummer ohne Unterbrechung und ohne Zurücksetzen auf 0 ist -MarsNumRefModelDesc1=Liefere Nummer im Format %syymm-nnnn für Standardrechnungen %syymm-nnnn für Ersatzrechnung, %syymm-nnnn für Anzahlungsrechnung und %syymm-nnnn für Gutschriften wobei yy Jahr, mm Monat und nnnn eine laufende Nummer ohne Unterbrechung und ohne Rückkehr zu 0 ist. +TerreNumRefModelDesc1=Gibt eine Nummer im Format %syymm-nnnn für Standardrechnungen und %syymm-nnnn für Stornorechnungen zurück, wobei yy das Jahr, mm der Monat und nnnn eine fortlaufende, automatisch inkrementierte Nummer ohne Unterbrechungen und ohne Zurücksetzen auf 0 ist +MarsNumRefModelDesc1=Erzeuge Nummer im Format %syymm-nnnn für Standardrechnungen %syymm-nnnn für Ersatzrechnung, %syymm-nnnn für Anzahlungsrechnung und %syymm-nnnn für Stornorechnungen, wobei yy Jahr, mm Monat und nnnn eine unterbrechnungsfreie fortlaufende Nummer ist, die nie auf 0 zurückgesetzt wird. TerreNumRefModelError=Eine Rechnung, beginnend mit $ syymm existiert bereits und ist nicht kompatibel mit diesem Modell der Reihe. Entfernen oder umbenennen, um dieses Modul. -CactusNumRefModelDesc1=Rückgabenummer im Format %syymm-nnnn für Standard-Rechnungen, %syymm-nnnn für Gutschriften und %syymm-nnnn für Anzahlungsrechnungen, wobei yy das Jahr ist, mm der Monat und nnnn ein ansteigender, lückenloser Zähler ist +CactusNumRefModelDesc1=Erstellt Nummern im Format %syymm-nnnn für Standard Rechnungen, %syymm-nnnn für Stornorechnungen und %sjjmm-nnnn für Anzahlungsrechnungen, wobei yy das Jahr und mm der Monat ist und nnnn ist eine sequentielle, automatisch inkrementierte von Zahl ohne Unterbrechung und ohne Rücksetzen auf 0. EarlyClosingReason=Grund für die vorzeitige Schließung EarlyClosingComment=Notiz zur vorzeitigen Schließung ##### Types de contacts ##### @@ -641,3 +645,8 @@ MentionCategoryOfOperations=Tätigkeitskategorie MentionCategoryOfOperations0=Lieferung von Waren MentionCategoryOfOperations1=Erbringung von Dienstleistungen MentionCategoryOfOperations2=Gemischt - Lieferung von Waren und Erbringung von Dienstleistungen +Salaries=Gehälter +InvoiceSubtype=Rechnung Untertyp +SalaryInvoice=Gehalt +BillsAndSalaries=Rechnungen & Gehälter +CreateCreditNoteWhenClientInvoiceExists=Diese Option ist nur aktiviert, wenn freigegebene Rechnungen für einen Kunden vorhanden sind oder wenn die Konstante INVOICE_CREDIT_NOTE_STANDALONE verwendet wird (nützlich für einige Länder). diff --git a/htdocs/langs/de_DE/boxes.lang b/htdocs/langs/de_DE/boxes.lang index af266765b2d..b94e53ec7ed 100644 --- a/htdocs/langs/de_DE/boxes.lang +++ b/htdocs/langs/de_DE/boxes.lang @@ -84,8 +84,8 @@ BoxLatestSupplierOrdersAwaitingReception=Letzte Bestellungen (mit ausstehendem E NoSupplierOrder=Keine Lieferantenbestellung BoxCustomersInvoicesPerMonth=Kundenrechnungen pro Monat BoxSuppliersInvoicesPerMonth=Lieferantenrechnungen pro Monat -BoxCustomersOrdersPerMonth=Lieferantenbestellungen pro Monat -BoxSuppliersOrdersPerMonth=Lieferantenrechnungen pro Monat +BoxCustomersOrdersPerMonth=Kundenaufträge pro Monat +BoxSuppliersOrdersPerMonth=Lieferantenbestellungen pro Monat BoxProposalsPerMonth=Angebote pro Monat NoTooLowStockProducts=Keine Produkte unter der Minimalgrenze BoxProductDistribution=Verteilung von Produkten/Leistungen @@ -107,7 +107,7 @@ BoxTitleUserBirthdaysOfMonth=Geburtstage in diesem Monat (Benutzer) BoxLastManualEntries=letzte Einträge in der Buchhaltung, manuell oder ohne Quelldokument eingegeben BoxTitleLastManualEntries=%s neueste Datensätze, die manuell oder ohne Beleg erstellt wurden NoRecordedManualEntries=In der Buchhaltung sind keine manuellen Einträge erfasst -BoxSuspenseAccount=Zähle die Buchhaltungsoperation mit dem Zwischenonto +BoxSuspenseAccount=Zähle die Buchhaltungsoperation mit dem Zwischenkonto BoxTitleSuspenseAccount=Anzahl nicht zugewiesener Zeilen NumberOfLinesInSuspenseAccount=Zeilenanzahl im Zwischenkonto SuspenseAccountNotDefined=Zwischenkonto ist nicht definiert diff --git a/htdocs/langs/de_DE/cashdesk.lang b/htdocs/langs/de_DE/cashdesk.lang index 3a1d560b280..a0973a58f0f 100644 --- a/htdocs/langs/de_DE/cashdesk.lang +++ b/htdocs/langs/de_DE/cashdesk.lang @@ -76,7 +76,7 @@ TerminalSelect=Wählen Sie das Terminal aus, das Sie verwenden möchten: POSTicket=POS Ticket POSTerminal=POS-Terminal POSModule=POS-Modul -BasicPhoneLayout=Basislayout für Telefone verwenden +BasicPhoneLayout=Auf Telefonen: ersetzen des POS durch ein minimales Layout (nur Bestellungen aufnehmen, keine Rechnungsgenerierung, kein Belegdruck) SetupOfTerminalNotComplete=Die Einrichtung von Terminal %s ist nicht abgeschlossen DirectPayment=Direktzahlung DirectPaymentButton=Schaltfläche "Direkte Barzahlung" hinzufügen @@ -118,7 +118,7 @@ ScanToOrder=Scannen Sie den QR-Code auf Bestellung Appearance=Aussehen HideCategoryImages=Bilder für Kategorien ausblenden HideProductImages=Produktbilder ausblenden -NumberOfLinesToShow=Anzahl der anzuzeigenden Bildzeilen +NumberOfLinesToShow=Maximale Anzahl an Textzeilen, die auf Miniaturbildern/Thumps angezeigt werden sollen DefineTablePlan=Tabellenplan definieren GiftReceiptButton=Schaltfläche "Gutschein/Guthaben-Quittung" hinzufügen GiftReceipt=Gutschein/Gutschrift-Quittung @@ -135,13 +135,21 @@ PrintWithoutDetailsLabelDefault=Einzelposition standardmäßig ohne Details druc PrintWithoutDetails=Drucken ohne Details YearNotDefined=Jahr ist nicht definiert TakeposBarcodeRuleToInsertProduct=Barcode-Regel zum Einfügen von Produkten -TakeposBarcodeRuleToInsertProductDesc=Regel zum Extrahieren der Produktreferenz + einer Menge aus einem gescannten Barcode.
      Wenn leer (Standardwert), verwendet die Anwendung den vollständig gescannten Barcode, um das Produkt zu finden.

      Wenn definiert, muss die Syntax lauten:
      ref:NB+qu:NB+qd:NB+other:NB
      wobei NB die Anzahl der Zeichen ist, die als Daten aus dem gescannten Barcode extrahiert werden, mit:
      • ref : Produkt-Referenz
      • qu : Menge, die beim Einfügen des Artikels gesetzt wird (Einheiten)
      • qd : Menge, die beim Einfügen des Artikels gesetzt wird (Dezimalstellen)
      • other : andere Zeichen
      +TakeposBarcodeRuleToInsertProductDesc=Regel zum Extrahieren der Produktreferenz + einer Menge aus einem gescannten Barcode.
      Wenn leer (Standardwert), verwendet die Anwendung den vollständig gescannten Barcode, um das Produkt zu finden.

      Wenn definiert, muss die Syntax lauten:
      ref:NB+qu:NB+qd:NB+other:NB
      wobei NB die Anzahl der Zeichen ist, die als Daten aus dem gescannten Barcode extrahiert werden, mit:
      ref : Produkt-Referenz
      qu: Menge, die beim Einfügen des Artikels gesetzt wird (Einheiten)
      qd: Menge, die beim Einfügen des Artikels gesetzt wird (Dezimalstellen)
      other: andere Zeichen AlreadyPrinted=Bereits gedruckt -HideCategories=Kategorien ausblenden +HideCategories=Den gesamten Abschnitt der Kategorienauswahl ausblenden HideStockOnLine=Bestand einer Position ausblenden -ShowOnlyProductInStock=Lagerbestände der Produkte anzeigen -ShowCategoryDescription=Kategoriebeschreibung anzeigen -ShowProductReference=Ref.Nr. der Produkte anzeigen -UsePriceHT=Nettopreis und nicht Preis inkl. Steuern verwenden +ShowOnlyProductInStock=Nur im Lager vorrätige Produkte anzeigen +ShowCategoryDescription=Kategoriebeschreibungen anzeigen +ShowProductReference=Ref.Nr./Artikelnr. oder Bezeichnung der Produkte anzeigen +UsePriceHT=Beim Ändern eines Preises den Nettopreis und nicht den Preis inkl. Steuern verwenden TerminalName=Terminal %s TerminalNameDesc=Name des Terminals +DefaultPOSThirdLabel=TakePOS allgemeiner Kunde +DefaultPOSCatLabel=Produkte Verkaufsstelle (POS) +DefaultPOSProductLabel=Produkt-Beispiel für TakePOS +TakeposNeedsPayment=TakePOS benötigt eine Zahlungsmethode, um zu funktionieren. Möchten Sie die Zahlungsmethode 'Bargeld' erstellen? +LineDiscount=Rabatt pro Position +LineDiscountShort=Pos.Rabatt +InvoiceDiscount=Rechnung Rabatt +InvoiceDiscountShort=Rechn.Rabatt diff --git a/htdocs/langs/de_DE/categories.lang b/htdocs/langs/de_DE/categories.lang index 773fe571f31..606be1e9834 100644 --- a/htdocs/langs/de_DE/categories.lang +++ b/htdocs/langs/de_DE/categories.lang @@ -103,3 +103,4 @@ WebsitePagesCategoriesArea=Seiteninhalte-Kategorien KnowledgemanagementsCategoriesArea=KM Artikelkategorien UseOrOperatorForCategories=Kategoriesuche mit "ODER"-Verknüpfung ausführen AddObjectIntoCategory=Kategorie zuweisen +Position=Position diff --git a/htdocs/langs/de_DE/companies.lang b/htdocs/langs/de_DE/companies.lang index 9a6fc76d005..2ce6784fc86 100644 --- a/htdocs/langs/de_DE/companies.lang +++ b/htdocs/langs/de_DE/companies.lang @@ -1,4 +1,6 @@ # Dolibarr language file - Source file is en_US - companies +newSocieteAdded=Ihre Kontaktdaten wurde erfasst. Wir melden uns in Kürze bei Ihnen... +ContactUsDesc=Mit diesem Formular können Sie uns eine Nachricht für einen ersten Kontakt senden. ErrorCompanyNameAlreadyExists=Firmenname %s bereits vorhanden. Bitte wählen Sie einen anderen. ErrorSetACountryFirst=Wählen Sie zuerst das Land SelectThirdParty=Geschäftspartner auswählen @@ -104,10 +106,10 @@ LocalTax1IsNotUsedES= RE wird nicht verwendet LocalTax2IsUsed=Dritten Steuersatz verwenden LocalTax2IsUsedES= IRPF wird verwendet LocalTax2IsNotUsedES= IRPF wird nicht verwendet -WrongCustomerCode=Kundencode ungültig +WrongCustomerCode=Ungültige Kundennummer WrongSupplierCode=Lieferantennummer ist ungültig -CustomerCodeModel=Kundencode-Modell -SupplierCodeModel=Lieferantennummern-Modell +CustomerCodeModel=Schema für Kundennummern +SupplierCodeModel=Schema für Lieferantennummern Gencod=Barcode GencodBuyPrice=Barcode der Preis-Ref. ##### Professional ID ##### @@ -117,12 +119,20 @@ ProfId3Short=Prof. ID 3 ProfId4Short=Prof. ID 4 ProfId5Short=Prof. ID 5 ProfId6Short=Prof. ID 6 +ProfId7Short=Prof. ID 7 +ProfId8Short=Prof. ID 8 +ProfId9Short=Prof. ID 9 +ProfId10Short=Prof. ID 10 ProfId1=Professional ID 1 ProfId2=Professional ID 2 ProfId3=Professional ID 3 ProfId4=Professional ID 4 ProfId5=Professional ID 5 ProfId6=Professional ID 6 +ProfId7=Professional ID 7 +ProfId8=Professional ID 8 +ProfId9=Professional ID 9 +ProfId10=Professional ID 10 ProfId1AR=Steuernummer ProfId2AR=Bruttoeinkommen ProfId3AR=- @@ -201,12 +211,20 @@ ProfId3FR=NAF (Frankreich): Statistik-Code ProfId4FR=RCS (Frankreich): Registre du Commerce et des Sociétés\n(hier: Code im Handels- und Firmenregister) ProfId5FR=Prof Id 5 (numéro EORI) ProfId6FR=- +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- ProfId1ShortFR=SIREN ProfId2ShortFR=SIRET ProfId3ShortFR=NAF ProfId4ShortFR=RCS ProfId5ShortFR=EORI ProfId6ShortFR=- +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- ProfId1GB=Registration Number ProfId2GB=- ProfId3GB=SIC @@ -245,7 +263,7 @@ ProfId5MA=Id prof. 5 (Identifiant Commun Entreprise) ProfId6MA=- ProfId1MX=Prof Id 1 (R.F.C). ProfId2MX=Prof Id 2 (R..P. IMSS) -ProfId3MX=Prof ID 3 +ProfId3MX=Prof ID 3 (Professional Charter) ProfId4MX=- ProfId5MX=- ProfId6MX=- @@ -317,9 +335,9 @@ CompanyHasRelativeDiscount=Dieser Kunde hat einen Rabatt von %s%% CompanyHasNoRelativeDiscount=Dieser Kunde hat standardmäßig keinen prozentualen Rabatt HasRelativeDiscountFromSupplier=Sie haben einen Standardrabatt von %s%% bei diesem Lieferanten HasNoRelativeDiscountFromSupplier=Kein prozentualer Standardrabatt bei diesem Lieferanten -CompanyHasAbsoluteDiscount=Dieser Kunde hat ein Guthaben verfügbar (Gutschriften oder Anzahlungen) in Höhe von %s %s -CompanyHasDownPaymentOrCommercialDiscount=Dieser Kunde hat ein Guthaben verfügbar (Gutschriften oder Anzahlungen) in Höhe von %s %s -CompanyHasCreditNote=Dieser Kunde hat noch Gutschriften über %s %s +CompanyHasAbsoluteDiscount=Dieser Kunde hat ein Guthaben verfügbar (Rückerstattungen oder Anzahlungen) in Höhe von %s %s +CompanyHasDownPaymentOrCommercialDiscount=Dieser Kunde hat ein Guthaben verfügbar (Rückerstattungen oder Anzahlungen) in Höhe von %s %s +CompanyHasCreditNote=Dieser Kunde hat noch Rückerstattungen über %s %s HasNoAbsoluteDiscountFromSupplier=Keine Rabattgutschrift von diesem Lieferanten verfügbar HasAbsoluteDiscountFromSupplier=Sie haben Guthaben (Rückerstattungen/Anzahlungen) über %s%s bei diesem Lieferanten verfügbar HasDownPaymentOrCommercialDiscountFromSupplier=Sie haben Guthaben (Rückerstattungen/Anzahlungen) über %s%s bei diesem Lieferanten verfügbar @@ -387,7 +405,7 @@ EditCompany=Unternehmen bearbeiten ThisUserIsNot=Dieser Benutzer ist weder ein Interessent, noch ein Kunde oder Lieferant VATIntraCheck=Prüfen VATIntraCheckDesc=Die Umsatzsteuer-ID muss das Länderpräfix enthalten. Der Link %s startet eine Anfrage am MwSt-Informationsaustauschsystem (MIAS) der Europäischen Kommission. Hierfür ist ein ein Internetzugang vom Dolibarr-Server erforderlich. -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation VATIntraCheckableOnEUSite=Überprüfungsergebnis des MwSt-Informationsaustauschsystems (MIAS) VATIntraManualCheck=Sie können die Überprüfung auch manuell auf der Internetseite der Europäische Kommission durchführen: %s ErrorVATCheckMS_UNAVAILABLE=Anfrage nicht möglich. Überprüfungsdienst wird vom Mitgliedsland nicht angeboten (%s). @@ -475,7 +493,7 @@ CurrentOutstandingBill=Ausstehender Rechnungsbetrag OutstandingBill=Max. für ausstehende Rechnungsbeträge OutstandingBillReached=Kreditlimite erreicht OrderMinAmount=Mindestbestellwert -MonkeyNumRefModelDesc=Gibt eine Zahl im Format %syymm-nnnn für den Kundencode und %syymm-nnnn für den Herstellercode zurück, wobei yy das Jahr, mm der Monat und nnnn eine sequenzielle automatisch inkrementierende Zahl ohne Unterbrechung und Zurücksetzung zu 0 ist. +MonkeyNumRefModelDesc=Erzeugt eine Zahl im Format %syymm-nnnn für die Kundennummer und %syymm-nnnn für die Lieferantennummer, wobei yy das Jahr, mm der Monat und nnnn eine sequenzielle automatisch inkrementierende Zahl ohne Unterbrechung und Rücksetzung auf 0 ist. LeopardNumRefModelDesc=Kunden / Lieferanten-Code ist frei. Dieser Code kann jederzeit geändert werden. ManagingDirectors=Name(n) des/der Manager (CEO, Direktor, Geschäftsführer, ...) MergeOriginThirdparty=Geschäftspartner duplizieren (Geschäftspartner, den Sie löschen möchten) @@ -508,3 +526,5 @@ ShowSocialNetworks=Soziale Netzwerke anzeigen HideSocialNetworks=Soziale Netzwerke ausblenden ExternalSystemID=ID im externen System IDOfPaymentInAnExternalSystem=ID des Zahlungsmittels in einem externen System (Stripe, Paypal, ...) +AADEWebserviceCredentials=AADE-Webservice-Anmeldeinformationen +ThirdPartyMustBeACustomerToCreateBANOnStripe=Der Geschäftspartner muss ein Kunde sein, um die Erstellung seiner Bank-Info auf der Stripe-Seite zu ermöglichen diff --git a/htdocs/langs/de_DE/compta.lang b/htdocs/langs/de_DE/compta.lang index 7623ec5f215..4831dc9b54a 100644 --- a/htdocs/langs/de_DE/compta.lang +++ b/htdocs/langs/de_DE/compta.lang @@ -34,10 +34,10 @@ AccountingCredit=Haben Piece=Beleg AmountHTVATRealReceived=Einnahmen (netto) AmountHTVATRealPaid=Ausgaben (netto) -VATToPay=Mehrwertsteuer +VATToPay=USt. Verkäufe VATReceived=USt. Verkäufe VATToCollect=USt. Einkäufe -VATSummary=Steuer monatlich +VATSummary=USt. monatlich VATBalance=USt. Saldo VATPaid=Bezahlte USt. LT1Summary=Steuer 2 Zusammenfassung @@ -162,6 +162,7 @@ CalcModeVATDebt=Modus %s USt. auf Engagement Rechnungslegung %s. CalcModeVATEngagement=Modus %sTVA auf Einnahmen-Ausgaben%s. CalcModeDebt=Analyse der erfassten Belege CalcModeEngagement=Analyse der erfassten Zahlungen +CalcModePayment=Analyse der erfassten Zahlungen CalcModeBookkeeping=Analyse der im Hauptbuch protokollierten Daten. CalcModeNoBookKeeping=Auch wenn sie noch nicht im Hauptbuch verbucht sind CalcModeLT1= Modus %sRE auf Kundenrechnungen - Lieferantenrechnungen%s @@ -177,7 +178,7 @@ AnnualByCompaniesDueDebtMode=Die Ertrags-/Aufwands-Bilanz nach vordefinierten Gr AnnualByCompaniesInputOutputMode=Die Ertrags-/Aufwands-Bilanz im Modus %sEinkünfte-Ausgaben%s d.h. Soll-Versteuerung. SeeReportInInputOutputMode=Siehe %sAnalyse der Zahlungen%s für eine Berechnung basierend auf erfassten Zahlungen , auch wenn diese noch nicht ins Hauptbuch übernommen wurden. SeeReportInDueDebtMode=Siehe %sAnalyse aufgezeichneter Dokumente%s für eine Berechnung basierend auf bekannten aufgezeichneten Dokumenten, auch wenn diese noch nicht ins Hauptbuch übernommen wurden. -SeeReportInBookkeepingMode=Siehe %sAnalyse des Buchhaltungsbuchs-Tabelle%s für einen Bericht basierend auf Buchhaltungstabelle +SeeReportInBookkeepingMode=Siehe %sAnalyse des Hauptbuchs der Buchhaltung%s für einen Bericht basierend auf dem Hauptbuch der Buchhaltung RulesAmountWithTaxIncluded=- Angezeigte Beträge enthalten sämtliche Steuern RulesAmountWithTaxExcluded=- Die ausgewiesenen Rechnungsbeträge verstehen sich ohne Steuern RulesResultDue=- Es sind alle Rechnungen, Ausgaben, Mehrwertsteuer, Spenden, Gehälter, unabhängig davon, ob sie bezahlt wurden oder nicht, enthalten.
      - Basis ist das Fälligkeitsdatum von Rechnungen und das Fälligkeitsdatum für Spesen oder Steuerzahlungen. Für Gehälter wird das Datum des Periodenendes verwendet. @@ -253,8 +254,8 @@ CalculationMode=Berechnungsmodus AccountancyJournal=Erfassung in Journal ACCOUNTING_VAT_SOLD_ACCOUNT=Konto (aus dem Kontenplan), das als Standardkonto für die Umsatzsteuer auf Verkäufe verwendet werden soll (wird verwendet, wenn nicht in den Umsatzsteuer-Stammdaten definiert) ACCOUNTING_VAT_BUY_ACCOUNT=Konto (aus dem Kontenplan), das als Standardkonto für die Umsatzsteuer auf Einkäufe verwendet werden soll (wird verwendet, wenn nicht in den Umsatzsteuer-Stammdaten definiert) -ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used for the revenue stamp on sales -ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=Account (from the Chart Of Account) to be used for the revenue stamp on purchases +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=Konto (aus dem Kontenplan), das für die Steuermarke bei Verkäufen verwendet werden soll +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=Konto (aus dem Kontenplan), das für die Steuermarke bei Einkäufen verwendet werden soll ACCOUNTING_VAT_PAY_ACCOUNT=Konto (aus dem Kontenplan), das als Standard-Aufwandskonto für die Zahlung der Umsatzsteuer verwendet werden soll ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Buchungskonto (aus dem Kontenplan) als Standardkonto für die Umsatzsteuer auf Käufe für Reverse Charges (Haben) ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Buchungskonto (aus dem Kontenplan) als Standardkonto für die Umsatsteuer auf Käufe für Reverse Charges (Soll) @@ -282,7 +283,7 @@ DeleteFromCat=Aus Kontengruppe entfernen AccountingAffectation=Kontierung zuweisen LastDayTaxIsRelatedTo=Letzter Tag an dem die Steuer relevant ist VATDue=Umsatzsteuer beansprucht -ClaimedForThisPeriod=Beantragt in der Periode +ClaimedForThisPeriod=Für diesen Zeitraum ermittelt PaidDuringThisPeriod=Für diesen Zeitraum bezahlt PaidDuringThisPeriodDesc=Dies ist die Summe aller Zahlungen im Zusammenhang mit Mehrwertsteuererklärungen, deren Periodenende im ausgewählten Zeitraum liegt ByVatRate=Nach Steuersätzen diff --git a/htdocs/langs/de_DE/donations.lang b/htdocs/langs/de_DE/donations.lang index ab1418cf2dc..73b9bdce66f 100644 --- a/htdocs/langs/de_DE/donations.lang +++ b/htdocs/langs/de_DE/donations.lang @@ -32,4 +32,5 @@ DONATION_ART238=Zeige Artikel 238 des CGI, falls Sie betroffen sind DONATION_ART978=Artikel 978 im CGI (französisches Recht) anzeigen, wenn Sie betroffen sind DonationPayment=Spendenzahlung DonationValidated=Spende %s freigegeben -DonationUseThirdparties=Einen bestehenden Geschäftspartner als Grundlage der Spenderdaten verwenden +DonationUseThirdparties=Die Adresse eines bestehenden Geschäftspartners als Adresse des Spenders verwenden +DonationsStatistics=Statistik zu Spenden diff --git a/htdocs/langs/de_DE/errors.lang b/htdocs/langs/de_DE/errors.lang index 1ff4fb59a39..fd34a89233c 100644 --- a/htdocs/langs/de_DE/errors.lang +++ b/htdocs/langs/de_DE/errors.lang @@ -32,6 +32,7 @@ ErrorBadThirdPartyName=Ungültiger Wert für den Namen des Partners ForbiddenBySetupRules=Durch Setup-Regeln verboten ErrorProdIdIsMandatory=Die %s ist zwingend notwendig ErrorAccountancyCodeCustomerIsMandatory=Der Buchhaltungscode des Kunden %s ist eine Pflichtangabe +ErrorAccountancyCodeSupplierIsMandatory=Das Buchungskonto für Lieferanten %s ist obligatorisch ErrorBadCustomerCodeSyntax=Die eingegebene Kundennummer ist unzulässig. ErrorBadBarCodeSyntax=Falsche Syntax für den Barcode. Vielleicht haben Sie eine falsche Barcodeart eingestellt oder eine falsche Barcode Maske definiert. ErrorCustomerCodeRequired=Kunden Nr. erforderlich @@ -64,6 +65,7 @@ ErrorFileNotFound=Datei '%s' konnte nicht gefunden werden (Ungültiger Pf ErrorDirNotFound=Verzeichnis %s konnte nicht gefunden werden (Ungültiger Pfad, falsche Berechtigungen oder Zugriff durch safemode- oder openbasedir-Parameter eingeschränkt) ErrorFunctionNotAvailableInPHP=Die PHP-Funktion %s ist für diese Funktion erforderlich, in dieser PHP-Konfiguration jedoch nicht verfügbar. ErrorDirAlreadyExists=Ein Verzeichnis mit diesem Namen existiert bereits. +ErrorDirNotWritable=Verzeichnis %s ist nicht beschreibbar. ErrorFileAlreadyExists=Eine Datei mit diesem Namen existiert bereits. ErrorDestinationAlreadyExists=Eine weitere Datei mit dem Namen %s ist bereits vorhanden. ErrorPartialFile=Die Datei wurde nicht vollständig zum Server übertragen. @@ -90,7 +92,7 @@ ErrorPleaseTypeBankTransactionReportName=Geben Sie den Kontoauszug an, in dem di ErrorRecordHasChildren=Kann diesen Eintrag nicht löschen. Dieser Eintrag wird von mindestens einem untergeordneten Datensatz verwendet. ErrorRecordHasAtLeastOneChildOfType=Das Objekt %s hat mindestens einen Untereintrag vom Typ %s ErrorRecordIsUsedCantDelete=Eintrag kann nicht gelöscht werden. Er wird bereits benutzt oder ist in einem anderen Objekt enthalten. -ErrorModuleRequireJavascript=Diese Funktion erfordert aktiviertes JavaScript. Aktivieren/deaktivieren können Sie Javascript im Menü Start-> Einstellungen->Anzeige. +ErrorModuleRequireJavascript=Diese Funktion erfordert aktiviertes JavaScript. Aktivieren/deaktivieren können Sie Javascript im Menü Start-> Einstellungen->Benutzeroberfläche. ErrorPasswordsMustMatch=Die eingegebenen Passwörter müssen identisch sein. ErrorContactEMail=Ein technischer Fehler ist aufgetreten. Bitte kontaktieren Sie Ihren Administrator unter der folgenden E-Mail-Adresse %s und fügen Sie den Fehlercode %s in Ihrer Nachricht ein, oder (noch besser) fügen Sie einen Screenshot dieser Seite als Anhang bei. ErrorWrongValueForField=Feld %s (Wert '%s' passt nicht zur Regex-Regel %s) @@ -100,10 +102,12 @@ ErrorFieldRefNotIn=Das Feld %s : ' %s ' ist keine %s Ref ErrorMultipleRecordFoundFromRef=Mehrere Datensätze gefunden bei der Suche von Ref.Nr. %s. Es ist daher unklar, welche ID verwendet werden soll. ErrorsOnXLines=%s Fehler gefunden ErrorFileIsInfectedWithAVirus=Der Virenschutz konnte diese Datei nicht freigeben (eventuell ist diese mit einem Virus infiziert) +ErrorFileIsAnInfectedPDFWithJSInside=Die Datei ist eine PDF-Datei, die intern mit JavaScript infiziert ist ErrorNumRefModel=Es besteht ein Bezug zur Datenbank (%s) der mit dieser Numerierungsfolge nicht kompatibel ist. Entfernen Sie den Eintrag oder benennen Sie den Verweis um, um dieses Modul zu aktivieren. ErrorQtyTooLowForThisSupplier=Menge zu niedrig für diesen Lieferanten oder kein für dieses Produkt definierter Preis für diesen Lieferanten ErrorOrdersNotCreatedQtyTooLow=Einige Bestellungen wurden aufgrund zu geringer Mengen nicht erstellt -ErrorModuleSetupNotComplete=Das Setup von Modul %s scheint unvollständig. Gehen Sie auf Start - Einstellungen - Modul/Applikation um es zu vervollständigen. +ErrorOrderStatusCantBeSetToDelivered=Status der Bestellung kann nicht auf 'geliefert' gesetzt werden. +ErrorModuleSetupNotComplete=Das Setup von Modul %s scheint unvollständig zu sein. Gehen Sie auf Start - Einstellungen - Module/Anwendungen um es zu vervollständigen. ErrorBadMask=Fehler auf der Maske ErrorBadMaskFailedToLocatePosOfSequence=Fehler, Maske ohne fortlaufende Nummer ErrorBadMaskBadRazMonth=Fehler, falscher Reset-Wert @@ -131,7 +135,7 @@ ErrorLoginDoesNotExists=Benutzer mit Anmeldung %s konnte nicht gefunden w ErrorLoginHasNoEmail=Dieser Benutzer hat keine E-Mail-Adresse. Prozess abgebrochen. ErrorBadValueForCode=Sicherheitsschlüssel falsch ErrorBothFieldCantBeNegative=Die Felder %s und %s können nicht gleichzeitig negativ sein -ErrorFieldCantBeNegativeOnInvoice=Das Feld %s darf für diesen Rechnungstyp nicht negativ sein. Wenn Sie eine Rabattzeile hinzufügen müssen, erstellen Sie zuerst den Rabatt (aus dem Feld '%s' auf der Karte eines Drittanbieters) und wenden Sie ihn dann auf die Rechnung an. +ErrorFieldCantBeNegativeOnInvoice=Das Feld %s darf bei diesem Rechnungstyp nicht negativ sein. Wenn Sie eine Rabattzeile hinzufügen müssen, erstellen Sie einfach zuerst den Rabatt (aus dem Feld „%s“ in der Geschäftspartneransicht) und wenden Sie ihn dann auf die Rechnung an. ErrorLinesCantBeNegativeForOneVATRate=Die Summe der Zeilen (nach Steuern) kann für einen bestimmten nicht null Mehrwertsteuersatz nicht negativ sein (Es wurde eine negative Summe für den Mehrwertsteuersatz %s %% gefunden). ErrorLinesCantBeNegativeOnDeposits=Zeilen in einer Anzahlung können nicht negativ sein. Es entstehen Probleme, wenn die Anzahlung in einer Rechnung verrechnet wird. ErrorQtyForCustomerInvoiceCantBeNegative=Mengen in Kundenrechnungen dürfen nicht negativ sein @@ -150,6 +154,7 @@ ErrorToConnectToMysqlCheckInstance=Verbindung zur Datenbank fehlgeschlagen. Prü ErrorFailedToAddContact=Fehler beim Hinzufügen des Kontakts ErrorDateMustBeBeforeToday=Das Datum muss früher sein als heute ErrorDateMustBeInFuture=Das Datum muss in der Zukunft liegen +ErrorStartDateGreaterEnd=Das Anfangsdatum liegt nach dem Enddatum ErrorPaymentModeDefinedToWithoutSetup=Eine Zahlungsart wurde auf Typ %s gesetzt, aber das Rechnungsmodul wurde noch nicht konfiguriert dies anzuzeigen. ErrorPHPNeedModule=Fehler, Ihr PHP muss das Modul %s installiert haben um diese Option zu benutzen. ErrorOpenIDSetupNotComplete=Sie haben im Dolibarr Konfigurationsfile eingestellt, dass die Anmeldung mit OpenID möglich ist, aber die URL zum OpenID Service ist noch nicht in %s definiert. @@ -191,7 +196,7 @@ ErrorGlobalVariableUpdater4=SOAP Client fehlgeschlagen mit Fehler '%s' ErrorGlobalVariableUpdater5=Keine globale Variable ausgewählt ErrorFieldMustBeANumeric=Feld %s muss ein numerischer Wert sein ErrorMandatoryParametersNotProvided=Erforderliche(r) Parameter wird nicht angeboten -ErrorOppStatusRequiredIfUsage=Wenn Sie festlegen, dass Sie dieses Projekt nutzen möchten, um einer Opportunity zu verfolgen, müssen Sie auch den anfänglichen Status der Opportunity ausfüllen. +ErrorOppStatusRequiredIfUsage=Sie haben festgelegt, dass Sie dieses Projekt nutzen möchten, um einen Lead zu verfolgen. Sie müssen daher auch die Option Lead ausfüllen. ErrorOppStatusRequiredIfAmount=Sie legen einen geschätzten Betrag für diesen Lead fest. Sie müssen also auch ihren Status eingeben. ErrorFailedToLoadModuleDescriptorForXXX=Moduldeskriptor für Klasse %s konnte nicht geladen werden ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Falsche Definition von Menü Array in Module Descriptor (falscher Wert für den Key fk_menu) @@ -206,7 +211,7 @@ ErrorStockIsNotEnoughToAddProductOnInvoice=Lagerbestand für Produkt %s ist zu n ErrorStockIsNotEnoughToAddProductOnShipment=Lagerbestand für Produkt %s ist zu niedrig, um es zur neuen Lieferung hinzuzufügen. ErrorStockIsNotEnoughToAddProductOnProposal=Lagerbestand für Produkt %s ist zu niedrig, um es zum neuen Angebot hinzuzufügen. ErrorFailedToLoadLoginFileForMode=Konnte Loginschlüssel für Modul '%s' nicht ermitteln. -ErrorModuleNotFound=Datei des Modul nicht gefunden. +ErrorModuleNotFound=Moduldatei wurde nicht gefunden. ErrorFieldAccountNotDefinedForBankLine=Buchungskonto nicht definiert für Quell-Position %s(%s) ErrorFieldAccountNotDefinedForInvoiceLine=Buchungskonto für Rechnung %s (%s) ist undefiniert ErrorFieldAccountNotDefinedForLine=Buchungskonto nicht definiert für Position (%s) @@ -259,7 +264,7 @@ ErrorReplaceStringEmpty=Fehler: die zu ersetzende Zeichenfolge ist leer ErrorProductNeedBatchNumber=Fehler, das Produkt ' %s ' benötigt eine Chargen- / Seriennummer ErrorProductDoesNotNeedBatchNumber=Fehler, dieses Produkt ' %s ' akzeptiert keine Chargen- / Seriennummer ErrorFailedToReadObject=Fehler, das Objekt vom Typ %s konnte nicht gelesen werden -ErrorParameterMustBeEnabledToAllwoThisFeature=Fehler, Parameter %s muss in conf / conf.php aktiviert sein, damit die Befehlszeilen-Schnittstelle vom internen Job Scheduler verwendet werden kann +ErrorParameterMustBeEnabledToAllwoThisFeature=Fehler, Parameter %s muss in conf/conf.php aktiviert sein, damit die Befehlszeilen-Schnittstelle (CLI) vom internen Job Scheduler verwendet werden kann ErrorLoginDateValidity=Fehler, diese Anmeldung liegt außerhalb des Gültigkeitszeitraums ErrorValueLength=Die Länge des Feldes ' %s ' muss höher sein als ' %s '. ErrorReservedKeyword=Das Wort ' %s ' ist ein reserviertes Schlüsselwort @@ -301,6 +306,7 @@ ErrorThisPaymentModeIsNotSepa=Diese Zahlungsart ist kein Bankkonto ErrorStripeCustomerNotFoundCreateFirst=Stripe-Kunde ist für diesen Geschäftspartner nicht festgelegt (oder auf einen Wert gesetzt, der auf der Stripe-Seite gelöscht wurde). Erstellen Sie ihn zuerst (oder fügen Sie ihn erneut hinzu). ErrorCharPlusNotSupportedByImapForSearch=Die IMAP-Suche ist nicht in der Lage, im Absender oder Empfänger nach einer Zeichenfolge zu suchen, die das Zeichen + enthält ErrorTableNotFound=Tabelle %s nicht gefunden +ErrorRefNotFound=Ref. %s nicht gefunden ErrorValueForTooLow=Wert für %s ist zu niedrig ErrorValueCantBeNull=Der Wert für %s darf nicht null sein ErrorDateOfMovementLowerThanDateOfFileTransmission=Das Datum der Banküberweisung darf nicht vor dem Datum der Dateiübermittlung liegen @@ -318,9 +324,13 @@ ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Fehler: Die URL Ihrer ErrorMenuExistValue=Es existiert bereits ein Menü mit diesem Titel oder dieser URL ErrorSVGFilesNotAllowedAsLinksWithout=SVG-Dateien sind ohne die Option %s nicht als externe Links zulässig ErrorTypeMenu=Es ist nicht möglich, ein weiteres Menü für dasselbe Modul in der Navigationsleiste hinzuzufügen (noch nicht unterstützt) +ErrorObjectNotFound = Das Objekt %s wurde nicht gefunden. Bitte überprüfen Sie Ihre URL +ErrorCountryCodeMustBe2Char=Ländercode muss eine zweistellige Zeichenfolge sein + ErrorTableExist=Tabelle %s existiert bereits ErrorDictionaryNotFound=Wörterbuch %s nicht gefunden -ErrorFailedToCreateSymLinkToMedias=Failed to create the symlinks %s to point to %s +ErrorFailedToCreateSymLinkToMedias=Der symbolische Link %s konnte nicht erstellt werden, um auf %s zu verweisen +ErrorCheckTheCommandInsideTheAdvancedOptions=Überprüfen Sie den für den Export verwendeten Befehl in den erweiterten Optionen des Exports # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Ihr PHP Parameter upload_max_filesize (%s) ist größer als Parameter post_max_size (%s). Dies ist eine inkonsistente Einstellung. @@ -359,10 +369,12 @@ WarningPaypalPaymentNotCompatibleWithStrict=Der Wert 'Strict' führt dazu, dass WarningThemeForcedTo=Warnung, das Theme wurde durch die versteckte Konstante MAIN_FORCETHEME auf %s erzwungen WarningPagesWillBeDeleted=Achtung: dadurch werden auch alle bestehenden Seiten/Container der Website gelöscht. Sie sollten Ihre Website vorher exportieren, damit Sie ein Backup haben, um sie später wieder zu importieren. WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Die automatische Freigabe ist deaktiviert, wenn die Option zur Bestandsverringerung auf "Rechnungsfreigabe" eingestellt ist. -WarningModuleNeedRefrech = Modul %s wurde deaktiviert. Vergessen Sie nicht, es zu aktivieren +WarningModuleNeedRefresh = Modul %s wurde deaktiviert. Vergessen Sie nicht, es zu aktivieren WarningPermissionAlreadyExist=Vorhandene Berechtigungen für dieses Objekt WarningGoOnAccountancySetupToAddAccounts=Wenn diese Liste leer ist, gehen Sie in das Menü %s - %s - %s um Konten für Ihren Kontenplan zu laden oder zu erstellen. WarningCorrectedInvoiceNotFound=Korrigierte Rechnung nicht gefunden +WarningCommentNotFound=Bitte überprüfen Sie die Platzierung der Start- und Endkommentare für den Abschnitt %s in der Datei %s, bevor Sie Ihre Aktion absenden +WarningAlreadyReverse=Lagerbewegung bereits rückgängig gemacht SwissQrOnlyVIR = Eine SwissQR-Rechnung kann nur Rechnungen hinzugefügt werden, die per Überweisung bezahlt werden sollen. SwissQrCreditorAddressInvalid = Die Kreditorenadresse ist ungültig (sind PLZ und Stadt festgelegt? (%s) diff --git a/htdocs/langs/de_DE/holiday.lang b/htdocs/langs/de_DE/holiday.lang index a721c3aba80..ad2c48ded4b 100644 --- a/htdocs/langs/de_DE/holiday.lang +++ b/htdocs/langs/de_DE/holiday.lang @@ -5,11 +5,11 @@ Holiday=Urlaub CPTitreMenu=Urlaub MenuReportMonth=Monatsaufstellung MenuAddCP=Neuer Urlaubsantrag -MenuCollectiveAddCP=Neuer Sammelurlaubsantrag +MenuCollectiveAddCP=Neuer Sammelurlaub NotActiveModCP=Sie müssen das Modul Leave aktivieren, um diese Seite anzuzeigen. AddCP=Neuer Urlaubsantrag -DateDebCP=Urlaubsbeginn -DateFinCP=Urlaubsende +DateDebCP=Startdatum +DateFinCP=Enddatum DraftCP=Entwurf ToReviewCP=wartet auf Genehmigung ApprovedCP=Genehmigt @@ -30,7 +30,7 @@ SendRequestCP=Entwurf erstellen DelayToRequestCP=Urlaubsanträge müssen mindestens %s Tage im voraus gestellt werden. MenuConfCP=Verwaltung Urlaubsanspruch SoldeCPUser=Urlaubssaldo (in Tagen): %s -ErrorEndDateCP=Sie müssen ein Urlaubsende-Datum wählen, dass nach dem Urlaubsbeginn-Datum liegt. +ErrorEndDateCP=Sie müssen ein Enddatum wählen, dass nach dem Startdatum liegt. ErrorSQLCreateCP=Ein SQL Fehler trat auf bei der Erstellung von: ErrorIDFicheCP=Fehler aufgetreten: der Urlaubsantrag existiert nicht. ReturnCP=Zurück zur vorherigen Seite @@ -95,8 +95,8 @@ UseralreadyCPexist=Für %s wurde in diesem Zeitraum bereits ein Urlaubsantrag ge groups=Gruppen users=Benutzer AutoSendMail=Automatischer Versand -NewHolidayForGroup=Neuer Sammelurlaubsantrag -SendRequestCollectiveCP=Sammelurlaubsantrag senden +NewHolidayForGroup=Neuer Sammelurlaub +SendRequestCollectiveCP=Sammelurlaub erstellen AutoValidationOnCreate=Automatische Freigabe FirstDayOfHoliday=Erster Tag des Urlaubsantrags LastDayOfHoliday=Letzter Tag des Urlaubsantrags diff --git a/htdocs/langs/de_DE/hrm.lang b/htdocs/langs/de_DE/hrm.lang index c456572ac18..a11e973c92c 100644 --- a/htdocs/langs/de_DE/hrm.lang +++ b/htdocs/langs/de_DE/hrm.lang @@ -2,7 +2,7 @@ # Admin -HRM_EMAIL_EXTERNAL_SERVICE=E-Mail, um HRM externen Service verhindern +HRM_EMAIL_EXTERNAL_SERVICE=E-Mail, um HRM externen Service zu verhindern Establishments=Einrichtungen Establishment=Einrichtung NewEstablishment=Neue Einrichtung @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Standardbeschreibung der Qualifikationsstufen beim deplacement=Schicht DateEval=Bewertungstag JobCard=Position – Übersicht -JobPosition=Stellenbeschreibung -JobsPosition=Stellenbeschreibungen +NewJobProfile=Neues Stellenprofil +JobProfile=Stellenbeschreibung +JobsProfiles=Stellenbeschreibungen NewSkill=Neue Kompetenz SkillType=Art der Kompetenz Skilldets=Liste der Qualifikationsstufen für diese Kompetenz @@ -36,43 +37,46 @@ rank=Rang ErrNoSkillSelected=Keine Kompetenz ausgewählt ErrSkillAlreadyAdded=Diese Kompetenz befindet sich bereits in der Liste SkillHasNoLines=Diese Kompetenz hat keine Positionen -skill=Kompetenz +Skill=Kompetenz Skills=Kompetenzen -SkillCard=Kompetenzkarte +SkillCard=Kompetenzüberblick EmployeeSkillsUpdated=Mitarbeiterkompetenzen wurden aktualisiert (siehe Registerkarte "Kompetenzen" der Mitarbeiterkarte) Eval=Bewertung Evals=Bewertungen NewEval=Neue Bewertung ValidateEvaluation=Bewertung freigeben -ConfirmValidateEvaluation=Möchten Sie diese Bewertung mit der Referenz %s wirklich freigeben? +ConfirmValidateEvaluation=Möchten Sie diese Bewertung mit der Referenz %s wirklich freigeben? EvaluationCard=Bewertungskarte -RequiredRank=Erforderliche Qualifikationsstufe für diese Position +RequiredRank=Erforderliche Qualifikationsstufe für das Stellenprofil +RequiredRankShort=Erforderliche Stufe +PositionsWithThisProfile=Positionen mit diesen Stellenprofilen EmployeeRank=Qualifikationsstufe des Mitarbeiters für diese Kompetenz +EmployeeRankShort=Stufe Mitarbeiter EmployeePosition=Mitarbeiterposition EmployeePositions=Stellenübersicht EmployeesInThisPosition=Mitarbeiter in dieser Position group1ToCompare=Zu analysierende Benutzergruppe group2ToCompare=Zweite Benutzergruppe zum Vergleich -OrJobToCompare=Vergleich mit den Kompetenzanforderungen der Position +OrJobToCompare=Vergleichen mit den Qualifikationsanforderungen eines Stellenprofils difference=Differenz CompetenceAcquiredByOneOrMore=Kompetenz, die von einem oder mehreren Benutzern erworben wurden, aber beim Vergleich nicht berücksichtigt werden -MaxlevelGreaterThan=Maximales Niveau höher als in der Anforderung -MaxLevelEqualTo=Maximales Niveau entspricht der Anforderung -MaxLevelLowerThan=Maximales Niveau niedriger in der Anforderung -MaxlevelGreaterThanShort=Mitarbeiterniveau höher als in der Anforderung -MaxLevelEqualToShort=Mitarbeiterniveau entspricht der Anforderung -MaxLevelLowerThanShort=Mitarbeiterniveau niedriger als in der Anforderung +MaxlevelGreaterThan=Das Mitarbeiterniveau ist höher als das erwartete Niveau +MaxLevelEqualTo=Das Mitarbeiterniveau entspricht dem erwarteten Niveau +MaxLevelLowerThan=Das Mitarbeiterniveau liegt unter dem erwarteten Niveau +MaxlevelGreaterThanShort=Niveau höher als erwartet +MaxLevelEqualToShort=Niveau gleich dem erwarteten Niveau +MaxLevelLowerThanShort=Niveau niedriger als erwartet SkillNotAcquired=Kompetenz wurde nicht von allen Benutzern erworben, aber im Vergleich angefragt legend=Legende TypeSkill=Art der Kompetenz -AddSkill=Kompetenzen zur Position hinzufügen -RequiredSkills=Erforderliche Kompetenzen für diese Position +AddSkill=Fügen Sie Kompetenzen zum Stellenprofil hinzu +RequiredSkills=Erforderliche Kompetenzen für dieses Stellenprofil UserRank=Qualifikationsstufe des Benutzers SkillList=Liste der Kompetenzen SaveRank=Qualifikationsstufe speichern -TypeKnowHow=Fachwissen -TypeHowToBe=Wie ist es -TypeKnowledge=Wissen +TypeKnowHow=Praktische Erfahrung +TypeHowToBe=Methodenkompetenz +TypeKnowledge=Fachkompetenz AbandonmentComment=Kommentar zur Beendigung DateLastEval=Datum letzte Bewertung NoEval=Keine Bewertung für diesen Mitarbeiter vorhanden @@ -90,3 +94,4 @@ JobsExtraFields=Ergänzende Attribute (Stellenprofil) EvaluationsExtraFields=Ergänzende Attribute (Beurteilungen) NeedBusinessTravels=Geschäftsreisen erforderlich NoDescription=Keine Beschreibung +TheJobProfileHasNoSkillsDefinedFixBefore=Für das ausgewertete Stellenprofil dieses Mitarbeiters ist keine Fähigkeit definiert. Bitte fügen Sie Fähigkeiten hinzu, löschen Sie die Auswertung und starten Sie die diese neu. diff --git a/htdocs/langs/de_DE/mails.lang b/htdocs/langs/de_DE/mails.lang index 9bdd7047607..7039dcc5dd8 100644 --- a/htdocs/langs/de_DE/mails.lang +++ b/htdocs/langs/de_DE/mails.lang @@ -1,9 +1,9 @@ # Dolibarr language file - Source file is en_US - mails Mailing=E-Mail-Versand EMailing=E-Mail-Kampagne -EMailings=E-Mail-Kampagne +EMailings=E-Mail-Kampagnen AllEMailings=Alle E-Mail-Kampagnen -MailCard=E-Mail-Kampagnenkarte +MailCard=E-Mail-Kampagne MailRecipients=Empfänger MailRecipient=Empfänger MailTitle=Bezeichnung @@ -49,7 +49,7 @@ WarningNoEMailsAdded=Keine neuen E-Mail-Adressen für das Hinzufügen zur Empfä ConfirmValidMailing=Möchten Sie diese E-Mail-Kampagne wirklich freigeben? ConfirmResetMailing=Warnung: Durch die Neuinitialisierung des E-Mailings %s erlauben Sie das erneute Versenden dieser E-Mail in einem Massenversand. Sind Sie sicher, dass Sie das tun wollen? ConfirmDeleteMailing=Möchten Sie diese E-Mail-Kampagne wirklich löschen? -NbOfUniqueEMails=Anzahl einmaliger E-Mail-Adressen +NbOfUniqueEMails=Anzahl unterschiedlicher E-Mail-Adressen NbOfEMails=Anzahl der E-Mails TotalNbOfDistinctRecipients=Anzahl der Empfänger NoTargetYet=Noch keine Empfänger ausgewählt (Bitte wechseln Sie zur Registerkarte "Empfänger") @@ -184,3 +184,5 @@ EmailOptedOut=Der Inhaber der E-Mail-Adresse hat darum gebeten, ihn nicht mehr EvenUnsubscribe=Auch als Opt-Out markierte E-Mail-Adressen hinzufügen EvenUnsubscribeDesc=Schließen Sie auch E-Mail-Adressen mit Opt-out-Status ein, wenn Sie E-Mail-Empfänger auswählen. Nützlich zum Beispiel für obligatorische Service-E-Mails. XEmailsDoneYActionsDone=%s E-Mails vorqualifiziert, %s E-Mails erfolgreich verarbeitet (für %s Aufzeichnung(en)/Aktion(en) durchgeführt) +helpWithAi=Anweisungen hinzufügen +YouCanMakeSomeInstructionForEmail=Sie können einige Anweisungen für Ihre E-Mail geben (Beispiel: Bild in E-Mail-Vorlage generieren...) diff --git a/htdocs/langs/de_DE/main.lang b/htdocs/langs/de_DE/main.lang index bce073b2d3a..6db867cfba9 100644 --- a/htdocs/langs/de_DE/main.lang +++ b/htdocs/langs/de_DE/main.lang @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Fehler beim Senden der E-Mail (Absender=%s, Empfänger=%s) ErrorFileNotUploaded=Die Datei konnte nicht hochgeladen werden. Stellen Sie sicher dass die Dateigröße nicht den gesetzten Maximalwert übersteigt, das Zielverzeichnis über genügend freien Speicherplatz verfügt und noch keine Datei mit gleichem Namen existiert. ErrorInternalErrorDetected=Interner Fehler entdeckt ErrorWrongHostParameter=Ungültige Host-Parameter -ErrorYourCountryIsNotDefined=Ihr Land ist nicht definiert. Zu "Home-Setup-Bearbeiten" gehen und die Maske erneut absenden. +ErrorYourCountryIsNotDefined=Ihr Land ist nicht definiert. Gehen Sie zu Home-Konfiguration-Unternehmen/Stiftung und senden Sie das Formular erneut. ErrorRecordIsUsedByChild=Fehler beim Löschen dieses Datensatzes. Dieser Datensatz wird mindestens von einem Unter-Datensatz verwendet. ErrorWrongValue=Ungültiger Wert ErrorWrongValueForParameterX=Ungültiger Wert für den Parameter %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Fehler, keine MwSt.-Sätze für Land '%s' ErrorNoSocialContributionForSellerCountry=Fehler, Sozialabgaben/Steuerwerte für Staat '%s' nicht definiert. ErrorFailedToSaveFile=Fehler, konnte Datei nicht speichern. ErrorCannotAddThisParentWarehouse=Sie versuchen ein Hauptlager hinzuzufügen, das bereits ein Unterlager eines existierenden Lagerortes ist +ErrorInvalidSubtype=Der ausgewählte Subtyp ist nicht zulässig FieldCannotBeNegative=Feld "%s" darf nicht negativ sein MaxNbOfRecordPerPage=Max. Anzahl der Datensätze pro Seite NotAuthorized=Sie haben keine Berechtigung dazu. @@ -103,7 +104,8 @@ RecordGenerated=Eintrag erzeugt LevelOfFeature=Funktionslevel NotDefined=Nicht definiert DolibarrInHttpAuthenticationSoPasswordUseless=Der Dolibarr Authentifizierungsmodus wurde mit dem Wert %s in der Konfigurationsdatei conf.php. definiert\n
      Das bedeutet, dass die Dolibarr Passwörter extern gespeichert werden, und somit Änderungen dieser Felder unwirksam sein können. -Administrator=Administrator +Administrator=Systemadministrator +AdministratorDesc=Systemadministrator (kann Benutzer, Berechtigungen, aber auch System Konfiguration und Modulkonfigurationen verwalten) Undefined=Nicht definiert PasswordForgotten=Passwort vergessen? NoAccount=Kein Konto? @@ -187,7 +189,7 @@ SaveAndStay=Speichern und bleiben SaveAndNew=Speichern und neu TestConnection=Verbindung testen ToClone=Duplizieren -ConfirmCloneAsk=Möchten Sie das Objekt %s sicher klonen? +ConfirmCloneAsk=Sind Sie sicher, dass Sie das Objekt %s duplizieren wollen? ConfirmClone=Wählen Sie die Daten aus, die Sie klonen möchten: NoCloneOptionsSpecified=Keine Duplikationsoptionen ausgewählt. Of=von @@ -211,8 +213,8 @@ Select=Auswählen SelectAll=Alle wählen Choose=Wählen Resize=Skalieren +Crop=Abschneiden ResizeOrCrop=Grösse ändern oder zuschneiden -Recenter=Zuschneiden Author=Autor User=Benutzer Users=Benutzer @@ -405,7 +407,7 @@ AmountLT2ES=Betrag IRPF AmountTotal=Gesamtbetrag AmountAverage=Durchschnittsbetrag PriceQtyMinHT=Mindestmengenpreis (netto) -PriceQtyMinHTCurrency=Stückpreis pro Menge (netto) (Währung) +PriceQtyMinHTCurrency=Mindestmengenpreis (netto) (Währung) PercentOfOriginalObject=Prozent des ursprünglichen Objekts AmountOrPercent=Betrag oder Prozent Percentage=Prozentsatz @@ -547,6 +549,7 @@ Reportings=Berichte Draft=Entwurf Drafts=Entwürfe StatusInterInvoiced=Berechnet +Done=Erledigt Validated=Freigegeben ValidatedToProduce=Freigegeben (zu produzieren) Opened=Offen @@ -698,6 +701,7 @@ Response=Antwort Priority=Priorität SendByMail=Per E-Mail versenden MailSentBy=E-Mail gesendet von +MailSentByTo=E-Mail gesendet von %s an %s NotSent=nicht gesendet TextUsedInTheMessageBody=E-Mail Text SendAcknowledgementByMail=Bestätigungsmail senden @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Wert erfolgreich geändert RecordsModified=%s Datensätze geändert RecordsDeleted=%s Datensätze gelöscht RecordsGenerated=%s Datensätze generiert +ValidatedRecordWhereFound = Einige der ausgewählten Datensätze wurden bereits freigegeben. Es wurden keine Datensätze gelöscht. AutomaticCode=Automatischer Code FeatureDisabled=Funktion deaktiviert MoveBox=Widget verschieben @@ -737,7 +742,7 @@ ExpectedQty=Erwartete Menge PartialWoman=Teilweise TotalWoman=Vollständig NeverReceived=Nie erhalten -Canceled=widerrufen +Canceled=Widerrufen YouCanChangeValuesForThisListFromDictionarySetup=Sie können die Listenoptionen unter Start - Einstellungen - Stammdaten anpassen YouCanChangeValuesForThisListFrom=Werte für diese Liste können im Menü %s bearbeitet werden YouCanSetDefaultValueInModuleSetup=Sie können den Standardwert beim Erstellen eines neuen Datensatzes festlegen (Modul-Setup). @@ -764,11 +769,10 @@ DisabledModules=Deaktivierte Module For=Für ForCustomer=Für Kunden Signature=Unterschrift -DateOfSignature=Datum der Unterzeichnung HidePassword=Sichere Passworteingabe (Zeichen nicht angezeigt) UnHidePassword=Passwort in Klartext anzeigen Root=Stammordner -RootOfMedias=Wurzelverzeichnis für öffentliche Medien (/medias) +RootOfMedias=Hauptverzeichnis für öffentliche Medien (/medias) Informations=Information Page=Seite Notes=Anmerkungen @@ -817,7 +821,7 @@ URLPhoto=URL für Foto/Bild SetLinkToAnotherThirdParty=Link zu einem anderen Geschäftspartner LinkTo=Link zu LinkToProposal=Link zu Angebot -LinkToExpedition= Link zur Sendung +LinkToExpedition= Link zur Lieferung LinkToOrder=Link zur Bestellung LinkToInvoice=Link zur Rechnung LinkToTemplateInvoice=Link zur Rechnungsvorlage @@ -827,7 +831,7 @@ LinkToSupplierInvoice=Link zur Lieferantenrechnung LinkToContract=Link zum Vertrag LinkToIntervention=Link zu Serviceauftrag LinkToTicket=Link zu Ticket -LinkToMo=Verknüpfung mit Fertigungsauftrag (MO) +LinkToMo=Link zu Fertigungsauftrag (MO) CreateDraft=Entwurf erstellen SetToDraft=Auf Entwurf zurücksetzen ClickToEdit=Klicken zum Bearbeiten @@ -907,7 +911,7 @@ ConfirmMassClone=Bestätigung des Massen-Klonens ConfirmMassCloneQuestion=Wählen Sie das Projekt aus, in das geklont werden soll ConfirmMassCloneToOneProject=In Projekt %s klonen RelatedObjects=Verknüpfte Objekte -ClassifyBilled=Als 'in Rechnung gestellt' markieren +ClassifyBilled=Als 'fakturiert' markieren ClassifyUnbilled=Als 'nicht fakturiert' markieren Progress=Entwicklung ProgressShort=Progr. @@ -916,6 +920,7 @@ BackOffice=Backoffice Submit=Absenden View=Ansicht Export=Export +Import=Import Exports=Exporte ExportFilteredList=Exportiere gefilterte Auswahl ExportList=Liste exportieren @@ -949,7 +954,7 @@ BulkActions=Massenaktionen ClickToShowHelp=Klicken um die Tooltiphilfe anzuzeigen WebSite=Website WebSites=Websites -WebSiteAccounts=Website Konten +WebSiteAccounts=Webzugriffskonten ExpenseReport=Spesenabrechnung ExpenseReports=Spesenabrechnungen HR=Personalabteilung @@ -1077,6 +1082,7 @@ CommentPage=Kommentare Leerzeichen CommentAdded=Kommentar hinzugefügt CommentDeleted=Kommentar gelöscht Everybody=Jeder +EverybodySmall=Alle PayedBy=Bezahlt von PayedTo=Bezahlt Monthly=Monatlich @@ -1089,10 +1095,10 @@ KeyboardShortcut=Tastatur Kürzel AssignedTo=Zugewiesen an Deletedraft=Entwurf löschen ConfirmMassDraftDeletion=Bestätigung Massenlöschung Entwurf -FileSharedViaALink=Datei mit einem öffentlichen Link geteilt +FileSharedViaALink=Öffentliche Datei mit einem Link geteilt SelectAThirdPartyFirst=Zunächst einen Geschäftspartner auswählen... YouAreCurrentlyInSandboxMode=Sie befinden sich derzeit im %s "Sandbox"-Modus -Inventory=Bestandsaufnahme +Inventory=Bestände AnalyticCode=Analyse-Code TMenuMRP=Produktion ShowCompanyInfos=Firmeninfos anzeigen @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Aufgabe ContactDefault_propal=Angebot ContactDefault_supplier_proposal=Lieferantenangebot ContactDefault_ticket=Ticket -ContactAddedAutomatically=Kontakt aus Rollen von Kontakt-Drittanbietern hinzugefügt +ContactAddedAutomatically=Kontakt aus Rollen von Drittanbieter-Kontakten hinzugefügt More=Mehr ShowDetails=Zeige Details CustomReports=Benutzerdefinierte Berichte @@ -1163,7 +1169,7 @@ AffectTag=Schlagwort/Kategorie zuweisen AffectUser=Benutzer zuordnen SetSupervisor=Vorgesetzten festlegen CreateExternalUser=Externen Benutzer anlegen -ConfirmAffectTag=Massenzuweisung von Schlagwörtern/Kategorien +ConfirmAffectTag=Massenzuordnung von Schlagwörtern/Kategorien ConfirmAffectUser=Massenzuordnung von Benutzern ProjectRole=Für jedes Projekt / jeden Lead zugewiesene Rolle TasksRole=Für jede Aufgabe zugewiesene Rolle (falls verwendet) @@ -1237,5 +1243,20 @@ SearchSyntaxTooltipForStringOrNum=Für die Suche innerhalb von Textfeldern könn InProgress=In Bearbeitung DateOfPrinting=Druckdatum ClickFullScreenEscapeToLeave=Klicken Sie hier, um in den Vollbildmodus zu wechseln. Drücken Sie ESC, um den Vollbildmodus zu verlassen. -UserNotYetValid=Not yet valid +UserNotYetValid=Noch nicht gültig UserExpired=Abgelaufen +LinkANewFile=Neue Verknüpfung erstellen +LinkedFiles=Verknüpfte Dateien +NoLinkFound=Keine verknüpften Links +LinkComplete=Die Datei wurde erfolgreich verlinkt. +ErrorFileNotLinked=Die Datei konnte nicht verlinkt werden. +LinkRemoved=Der Link %s wurde entfernt +ErrorFailedToDeleteLink= Fehler beim entfernen des Links '%s' +ErrorFailedToUpdateLink= Fehler beim aktualisieren des Link '%s' +URLToLink=zu verlinkende URL +OverwriteIfExists=Vorhandene Datei überschreiben +AmountSalary=Gehalt Betrag +InvoiceSubtype=Rechnung Untertyp +ConfirmMassReverse=Massenaktion Umkehr der Bestätigung +ConfirmMassReverseQuestion=Sind Sie sicher, dass Sie die ausgewählten %s Datensätze umkehren wollen? + diff --git a/htdocs/langs/de_DE/members.lang b/htdocs/langs/de_DE/members.lang index 61ed78f4e91..0d1059e7b1b 100644 --- a/htdocs/langs/de_DE/members.lang +++ b/htdocs/langs/de_DE/members.lang @@ -25,14 +25,14 @@ MembersListValid=Liste freigegebener Mitglieder MembersListUpToDate=Liste gültiger Mitglieder mit entrichtetem Mitgliedsbeitrag MembersListNotUpToDate=Liste gültiger Mitglieder mit rückständigem Mitgliedsbeitrag MembersListExcluded=Liste der ausgeschlossenen Mitglieder -MembersListResiliated=Liste der deaktivierten Mitglieder +MembersListResiliated=Liste der gekündigten Mitglieder MembersListQualified=Liste der qualifizierten Mitglieder MembersShowMembershipTypesTable=Eine Tabelle aller verfügbaren Mitgliedschaftstypen anzeigen (wenn nein, zeige direkt das Registrierungsformular) MembersShowVotesAllowed=In der Tabelle der Mitgliedschaftstypen anzeigen, ob ein Stimmrecht besteht MenuMembersToValidate=Freizugebende Mitglieder MenuMembersValidated=Freigegebene Mitglieder MenuMembersExcluded=Ausgeschlossene Mitglieder -MenuMembersResiliated=Deaktivierte Mitglieder +MenuMembersResiliated=Gekündigte Mitglieder MembersWithSubscriptionToReceive=Mitglieder mit offenen Beitragszahlungen MembersWithSubscriptionToReceiveShort=Offene Mitgliedsbeiträge DateSubscription=Datum der Mitgliedschaft @@ -59,11 +59,11 @@ MemberStatusPaid=Mitgliedschaft aktuell MemberStatusPaidShort=Aktuelle MemberStatusExcluded=Ausgeschlossenes Mitglied MemberStatusExcludedShort=Ausgeschlossen -MemberStatusResiliated=Deaktivierte Mitglieder -MemberStatusResiliatedShort=Deaktiviert +MemberStatusResiliated=Gekündigtes Mitglied +MemberStatusResiliatedShort=Beendet MembersStatusToValid=Freizugebende Mitglieder MembersStatusExcluded=Ausgeschlossene Mitglieder -MembersStatusResiliated=Deaktivierte Mitglieder +MembersStatusResiliated=Gekündigte Mitglieder MemberStatusNoSubscription=Freigegeben (kein Mitgliedsbeitrag erforderlich) MemberStatusNoSubscriptionShort=Freigegeben SubscriptionNotNeeded=Kein Mitgliedsbeitrag erforderlich @@ -101,7 +101,7 @@ VoteAllowed=Stimmrecht Physical=Einzelperson Moral=Unternehmen MorAndPhy=Unternehmen und Einzelperson -Reenable=Erneut aktivieren +Reenable=Wieder aktivieren ExcludeMember=Ein Mitglied ausschließen Exclude=Ausschließen ConfirmExcludeMember=Möchten Sie dieses Mitglied wirklich ausschließen? @@ -138,7 +138,7 @@ SendingEmailOnAutoSubscription=E-Mail bei Eigenregistrierung senden SendingEmailOnMemberValidation=E-Mail bei Mitgliedsbestätigung senden SendingEmailOnNewSubscription=E-Mail bei neuer Beitragszahlung senden SendingReminderForExpiredSubscription=Erinnerung für fällige Mitgliedsbeiträge senden -SendingEmailOnCancelation=E-Mail bei Stornierung senden +SendingEmailOnCancelation=Bei Stornierung wird eine E-Mail gesendet SendingReminderActionComm=Sende eine Erinnerung für ein Agenda-Ereignis # Topic of email templates YourMembershipRequestWasReceived=Ihr Mitgliedsantrag ist angekommen. @@ -159,7 +159,7 @@ DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=E-Mail-Vorlage zum Senden von E-Mails a DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Vorlage für eine E-Mail an ein Mitglied wegen der Antragsüberprüfung DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=E-Mail-Vorlage zum Senden einer E-Mail an ein Mitglied bei einer neu erfassten Beitragszahlung DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=E-Mail-Vorlage zum Senden einer E-Mail-Erinnerung, wenn ein neuer Mitgliedsbeitrag fällig wird -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Vorlage für eine E-Mail an ein Mitglied bei Erlöschen der Mitgliedschaft +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=E-Mail-Vorlage zum Senden einer E-Mail an einen Mitglied bei Stornierung der Mitgliedschaft DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=E-Mail-Vorlage zum Senden von E-Mails an ein Mitglied unter Ausschluss von Mitgliedern DescADHERENT_MAIL_FROM=E-Mail-Adresse des Absenders bei automatischen Mails DescADHERENT_CC_MAIL_FROM=Automatisch eine E-Mail-Kopie senden an @@ -207,6 +207,7 @@ LatestSubscriptionDate=Datum der letzten Beitragszahlung MemberNature=Art des Mitglieds MembersNature=Mitgliedsart Public=%s kann meine Mitgliedschaft im öffentlichen Register veröffentlichen +MembershipPublic=Öffentliche Mitgliedschaft NewMemberbyWeb=Neues Mitglied hinzugefügt, wartet auf Genehmigung. NewMemberForm=Formular neues Mitglied SubscriptionsStatistics=Statistiken zu Mitgliedsbeiträgen @@ -217,7 +218,7 @@ DefaultAmount=Standardbetrag des Mitgliedsbeitrags (wird nur verwendet, wenn auf MinimumAmount=Mindestbetrag (wird nur verwendet, wenn der Beitragsbetrag kostenlos ist) CanEditAmount=Die Höhe des Mitgliedsbeitrags kann vom Mitglied festgelegt werden CanEditAmountDetail=Der Besucher kann die Höhe seines Beitrags unabhängig vom Mitgliedstyp auswählen/bearbeiten -AmountIsLowerToMinimumNotice=von einem Gesamtbetrag von %s +AmountIsLowerToMinimumNotice=Der Betrag liegt unter dem Mindestbetrag %s MEMBER_NEWFORM_PAYONLINE=Nach der Online-Registrierung automatisch auf die Online-Zahlungsseite wechseln ByProperties=Mitgliedsart MembersStatisticsByProperties=Mitgliederstatistik nach Mitgliedsart @@ -229,7 +230,7 @@ SubscriptionRecorded=Beitragszahlung erfasst NoEmailSentToMember=Keine E-Mail an Mitglied gesendet EmailSentToMember=E-Mail an Mitglied %s versendet SendReminderForExpiredSubscriptionTitle=Erinnerung per E-Mail für fällige Mitgliedsbeiträge senden -SendReminderForExpiredSubscription=Erinnerungen per E-Mail an Mitglieder senden, wenn deren Beitragszeitraum am ablaufen ist. (Parameter ist die Anzahl der Tage vor dem Ende der Mitgliedschaft, um die Erinnerung zu senden. Dies kann eine Liste von Tagen sein, die durch ein Semikolon getrennt sind, z. B. '1;5;0;-5 ') +SendReminderForExpiredSubscription=Erinnerungen per E-Mail an Mitglieder senden, wenn deren Beitragszeitraum am ablaufen ist. (Parameter ist die Anzahl der Tage vor dem Ende der Mitgliedschaft, um die Erinnerung zu senden. Dies kann eine Liste von Tagen sein, die durch ein Semikolon getrennt sind, z. B. '10;5;0;-5 ') MembershipPaid=Die Mitgliedschaft wurde für den aktuellen Zeitraum bezahlt (bis %s) YouMayFindYourInvoiceInThisEmail=Sie finden Ihre Rechnung anhängend an dieser E-Mail. XMembersClosed=%s Mitglied(er) geschlossen @@ -241,3 +242,5 @@ MemberFirstname=Vorname des Mitglieds MemberLastname=Nachname des Mitglieds MemberCodeDesc=Mitgliedsnummer, individuell für alle Mitglieder NoRecordedMembers=Keine registrierten Mitglieder +MemberSubscriptionStartFirstDayOf=Das Anfangsdatum einer Mitgliedschaft entspricht dem ersten Tag der/des +MemberSubscriptionStartAfter=Mindestzeitraum vor dem Inkrafttreten des Anfangsd eines Abonnement mit Ausnahme von Verlängerungen (Beispiel +3m = +3 Monate, -5d = -5 Tage, +1Y = +1 Jahr) diff --git a/htdocs/langs/de_DE/modulebuilder.lang b/htdocs/langs/de_DE/modulebuilder.lang index aa645128b4e..d28938563ea 100644 --- a/htdocs/langs/de_DE/modulebuilder.lang +++ b/htdocs/langs/de_DE/modulebuilder.lang @@ -40,7 +40,7 @@ EditorName=Name des Erstellers EditorUrl=URL des Erstellers DescriptorFile=Deskriptordatei des Moduls ClassFile=Datei für die PHP DAO CRUD-Klasse -ApiClassFile=File for PHP API class +ApiClassFile=API-Datei des Moduls PageForList=PHP page for list of record PageForCreateEditView=PHP page to create/edit/view a record PageForAgendaTab=PHP page for event tab @@ -71,7 +71,7 @@ ArrayOfKeyValues=Array von Schlüsselwerten (key-val) ArrayOfKeyValuesDesc=Array aus Schlüsseln (keys) und Werten (values), wenn das Feld eine Kombinationsliste (combo list) mit festen Werten ist WidgetFile=Widget Datei CSSFile=CSS-Datei -JSFile=Javascript-Datei +JSFile=JavaScript-Datei ReadmeFile=Readme Datei ChangeLog=ChangeLog Datei TestClassFile=Datei für PHP Unit Testklasse @@ -92,8 +92,8 @@ ListOfMenusEntries=Liste der Menüeinträge ListOfDictionariesEntries=Liste der Stammdaten ListOfPermissionsDefined=Liste der definierten Berechtigungen SeeExamples=Siehe Beispiele -EnabledDesc=Bedingung, dass dieses Feld aktiv ist.

      Beispiele:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=Ist das Feld sichtbar? (Beispiele: 0=Nie sichtbar, 1=Sichtbar auf Liste und Erstellen/Aktualisieren/Anzeigen von Formularen, 2=Sichtbar nur auf Liste, 3=Sichtbar nur auf Erstellen/Aktualisieren/Anzeigen von Formularen (keine Liste), 4=Sichtbar auf Liste und Nur Formular aktualisieren/anzeigen (nicht erstellen), 5=Sichtbar nur im Listen-Endansichtsformular (nicht erstellen, nicht aktualisieren)

      Die Verwendung eines negativen Werts bedeutet, dass das Feld nicht standardmäßig in der Liste angezeigt wird, aber zur Anzeige ausgewählt werden kann). +EnabledDesc=Bedingung dafür, dass dieses Feld aktiv ist.

      Beispiele:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')= =2 +VisibleDesc=Ist das Feld sichtbar? (Beispiele: 0=Nie sichtbar, 1=Sichtbar auf Liste und in Formularen zum Erstellen/Aktualisieren/Ansehen, 2=Sichtbar nur auf Liste, 3=Sichtbar beim Erstellen/Aktualisieren/Ansehen (nicht in Listen), 4=Sichtbar bei Liste und beim Aktualisieren/Ansehen (nicht beim Erstellen), 5=Sichtbar in Liste und in der Formularansicht (nicht beim Erstellen, nicht beim Aktualisieren).

      Die Verwendung eines negativen Werts bedeutet, das Feld wird standardmäßig nicht auf Liste angezeigt, kann aber zur Anzeige ausgewählt werden. ItCanBeAnExpression=Dies kann ein Ausdruck sein. Beispiel:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 DisplayOnPdfDesc=Zeigt dieses Feld in kompatiblen PDF-Dokumenten an, Sie können die Position mit dem Feld "Position" beeinflussen.
      Für gesamtes Dokument:
      0 = nicht anzeigen
      1 = anzeigen
      2 = anzeigen, wenn nicht leer

      Für Einzelpositionen:
      0 = nicht anzeigen
      1 = in einer Spalte anzeigen
      3 = in der Beschreibungszeile nach der Beschreibung anzeigen
      4 = nur falls nicht leer: in Beschreibungszeile nach der Beschreibung anzeigen DisplayOnPdf=Anzeige im PDF @@ -107,7 +107,7 @@ PermissionsDefDesc=Festlegen der neuen Berechtigungen, die vom Modul bereitgeste MenusDefDescTooltip=Die von Ihrem Modul / Ihrer Anwendung bereitgestellten Menüs werden im Array $this->menus in der Moduldeskriptordatei definiert. Sie können diese Datei manuell bearbeiten oder den eingebetteten Editor verwenden.

      Hinweis: Nach der Definition (und erneuter Aktivierung des Moduls) sind die Menüs auch im Menüeditor sichtbar, der Administratorbenutzern auf %s zur Verfügung steht. DictionariesDefDescTooltip=Die von Ihrem Modul / Ihrer Anwendung bereitgestellten Stammdaten werden im Array $ this-> dictionaries in der Moduldeskriptordatei definiert. Sie können diese Datei manuell bearbeiten oder den eingebetteten Editor verwenden.

      Hinweis: Nach der Definition (und erneuten Aktivierung des Moduls) sind Stammdaten auch für Administratorbenutzer unter %s im Setup-Bereich sichtbar. PermissionsDefDescTooltip=Die von Ihrem Modul / Ihrer Anwendung bereitgestellten Berechtigungen werden im Array $ this-> rights in der Moduldeskriptordatei definiert. Sie können diese Datei manuell bearbeiten oder den eingebetteten Editor verwenden.

      Hinweis: Nach der Definition (und erneuten Aktivierung des Moduls) werden Berechtigungen im Standardberechtigungssetup %s angezeigt. -HooksDefDesc=Definieren Sie in der Eigenschaft module_parts ['hooks'] im Moduldeskriptor den Kontext der Hooks, die Sie verwalten möchten (die Liste der Kontexte kann durch eine Suche nach ' initHooks ( 'im Hauptcode) gefunden werden.
      Bearbeiten Sie die Hook-Datei, um Ihrer hooked-Funktionen Code hinzuzufügen (hookable functions können durch eine Suche nach' executeHooks 'im Core-Code gefunden werden). +HooksDefDesc=Definieren Sie in der Eigenschaft module_parts['hooks'], in der Modul-Deskriptor Datei, die Liste der Kontexte, in denen Ihr Hook ausgeführt werden muss (eine Liste möglicher Kontexte kann durch eine Suche nach 'initHooks' (im Core-Code) gefunden werden.
      Bearbeiten Sie dann in der Datei mit dem Hooks-Code den Code Ihrer durch den Hook aktivierten Funktionen (die Liste von Hook-Funktionen kann durch eine Suche nach „executeHooks“ im Core-Code ermittelt werden. TriggerDefDesc=Definieren Sie in der Triggerdatei den Code, den Sie ausführen möchten, wenn ein Geschäftsereignis außerhalb Ihres Moduls ausgeführt wird (Ereignisse, die in anderen Modulen getriggert werden). SeeIDsInUse=Zeige die ID's die in Ihrer Installation verwendet werden SeeReservedIDsRangeHere=Zeige die reservierten ID Bereiche @@ -128,7 +128,7 @@ RealPathOfModule=Realer Pfad des Moduls ContentCantBeEmpty=Inhalt der Datei darf nicht leer sein WidgetDesc=Hier können Sie die Widgets generieren und bearbeiten, die in Ihr Modul eingebettet werden. CSSDesc=Sie können hier eine Datei mit personalisiertem CSS generieren und bearbeiten, die in Ihr Modul eingebettet ist. -JSDesc=Sie können hier eine Datei mit personalisiertem Javascript erstellen und bearbeiten, die in Ihr Modul eingebettet ist. +JSDesc=Sie können hier eine Datei mit personalisiertem JavaScript erstellen und bearbeiten, die in Ihr Modul eingebettet wird. CLIDesc=Sie können hier einige Befehlszeilenskripte generieren, die Sie mit Ihrem Modul bereitstellen möchten. CLIFile=CLI-Datei NoCLIFile=Keine CLI-Dateien @@ -149,7 +149,7 @@ CSSListClass=CSS für Listen NotEditable=Nicht bearbeitbar ForeignKey=Fremdschlüssel ForeignKeyDesc=Wenn der Wert dieses Felds garantiert in einer anderen Tabelle vorhanden sein muss, geben Sie hier eine Syntax zum Abgleich der Werte ein: tablename.parentfieldtocheck -TypeOfFieldsHelp=Beispiel:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1' bedeutet, dass nach der Kombobox eine '+'-Schaltfläche hinzufügt wird, um den Datensatz zu erstellen
      'filter' ist eine SQL-Bedingung, Beispiel: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' +TypeOfFieldsHelp=Beispiel:
      varchar(99)
      email
      Telefon
      ip
      url
      Passwort
      double(24,8)
      real
      Text
      html
      Datum
      Datum/Uhrzeit
      timestamp
      integer
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter ]]

      '1' bedeutet, dass wir nach der Kombination eine +-Schaltfläche hinzufügen, um den Datensatz zu erstellen
      'filter' ist eine universelle Bedingungs-Syntax, Beispiel: '((Status:=: 1) und (fk_user:=:__USER_ID__) und (entity:IN:(__SHARED_ENTITIES__))' TypeOfFieldsHelpIntro=Dies ist der Typ des Felds/Attributs. AsciiToHtmlConverter=Ascii zu HTML Konverter AsciiToPdfConverter=Ascii zu PDF Konverter @@ -163,11 +163,11 @@ ListOfTabsEntries=Liste der Registerkarteneinträge/Tab-Einträge TabsDefDesc=Definieren Sie hier die von Ihrem Modul bereitgestellten Registerkarten/Tabs TabsDefDescTooltip=Die von Ihrem Modul/Ihrer Anwendung bereitgestellten Registerkarten/Tabs sind im Array $this->tabs in der Moduldeskriptordatei definiert. Sie können diese Datei manuell bearbeiten oder den eingebetteten Editor verwenden. BadValueForType=Ungültiger Wert für Typ %s -DefinePropertiesFromExistingTable=Define the fields/properties from an existing table +DefinePropertiesFromExistingTable=Felder/Eigenschaften aus einer vorhandenen Tabelle definieren DefinePropertiesFromExistingTableDesc=Wenn bereits eine Tabelle in der Datenbank (für das zu erstellende Objekt) vorhanden ist, können Sie diese verwenden, um die Eigenschaften des Objekts zu definieren. DefinePropertiesFromExistingTableDesc2=Leer lassen, wenn die Tabelle noch nicht existiert. Der Codegenerator verwendet verschiedene Arten von Feldern, um eine Beispieltabelle zu erstellen, die Sie später bearbeiten können. -GeneratePermissions=I want to manage permissions on this object -GeneratePermissionsHelp=If you check this, some code will be added to manage permissions to read, write and delete record of the objects +GeneratePermissions=Ich möchte Berechtigungen für dieses Objekt verwalten +GeneratePermissionsHelp=Wenn Sie dies aktivieren, wird Code hinzugefügt, um die Berechtigungen zum Lesen, Schreiben und Löschen von Datensätzen der Objekte zu verwalten PermissionDeletedSuccesfuly=Die Berechtigung wurde erfolgreich entfernt PermissionUpdatedSuccesfuly=Die Berechtigung wurde erfolgreich aktualisiert PermissionAddedSuccesfuly=Die Berechtigung wurde erfolgreich hinzugefügt @@ -180,4 +180,10 @@ CRUDCreateWrite=Erstellen oder aktualisieren FailedToAddCodeIntoDescriptor=Fehler beim Hinzufügen von Code zum Deskriptor. Überprüfen Sie, ob der Kommentar "%s“ noch in der Datei vorhanden ist. DictionariesCreated=Wörterbuch %s erfolgreich erstellt DictionaryDeleted=Wörterbuch %s erfolgreich entfernt -PropertyModuleUpdated=Property %s has been update successfully +PropertyModuleUpdated=Die Eigenschaft %s wurde erfolgreich aktualisiert +InfoForApiFile=* Wenn Sie die Datei zum ersten mal generieren, werden für jedes Objekt alle Methoden erstellt.
      * Wenn Sie auf remove klicken, entfernen Sie alle Methoden für das ausgewählte Objekt. +SetupFile=Seite für die Modulkonfiguration +EmailingSelectors=Sektoren für E-Mail-Kampagnen +EmailingSelectorDesc=Sie können hier die Klassendateien generieren und bearbeiten, um neue E-Mail-Ziel-Selektoren für das Modul 'E-Mail-Kampagnen' bereitzustellen. +EmailingSelectorFile=E-Mails Selector-Datei +NoEmailingSelector=Keine E-Mails-Selektor-Datei diff --git a/htdocs/langs/de_DE/oauth.lang b/htdocs/langs/de_DE/oauth.lang index 9bd8029b9eb..86e4db4559e 100644 --- a/htdocs/langs/de_DE/oauth.lang +++ b/htdocs/langs/de_DE/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Token gelöscht GetAccess=Hier klicken, um ein Token zu erhalten RequestAccess=Klicken Sie hier, um den Zugriff anzufordern/zu erneuern und ein neues Token zu erhalten DeleteAccess=Hier klicken, um das Token zu löschen -UseTheFollowingUrlAsRedirectURI=Verwenden Sie die folgende URL als Redirect-URI, wenn Sie Ihre Anmeldeinformationen bei Ihrem OAuth-Anbieter erstellen: +RedirectURL=Weiterleitungs-URL +UseTheFollowingUrlAsRedirectURI=Verwenden Sie die folgende URL als Redirect-URI, wenn Sie Ihre Anmeldeinformationen bei Ihrem OAuth-Provider erstellen ListOfSupportedOauthProviders=Fügen Sie Ihre OAuth2-Tokenanbieter hinzu. Gehen Sie dann auf die Verwaltungsseite Ihres OAuth-Anbieters, um eine OAuth-ID und ein Geheimnis zu erstellen/abzurufen und speichern Sie sie hier. Wenn Sie fertig sind, wechseln Sie auf die andere Registerkarte, um Ihr Token zu generieren. OAuthSetupForLogin=Seite zum Verwalten (Erstellen/Löschen) von OAuth-Tokens SeePreviousTab=Siehe vorherigen Registerkarte diff --git a/htdocs/langs/de_DE/other.lang b/htdocs/langs/de_DE/other.lang index 92a9cb6cecb..2005424b737 100644 --- a/htdocs/langs/de_DE/other.lang +++ b/htdocs/langs/de_DE/other.lang @@ -45,6 +45,7 @@ Notify_ORDER_CLOSE=Kundenauftrag geliefert Notify_ORDER_SUPPLIER_SENTBYMAIL=Lieferantenbestellung per E-Mail zugestellt Notify_ORDER_SUPPLIER_VALIDATE=Lieferantenbestellung erfasst Notify_ORDER_SUPPLIER_APPROVE=Lieferantenbestellung freigegeben +Notify_ORDER_SUPPLIER_SUBMIT=Lieferantenbestellung abgesendet Notify_ORDER_SUPPLIER_REFUSE=Lieferantenbestellung abgelehnt Notify_PROPAL_VALIDATE=Angebot freigegeben Notify_PROPAL_CLOSE_SIGNED=Geschlossene unterzeichnete Kundenangebote @@ -66,6 +67,7 @@ Notify_BILL_SUPPLIER_SENTBYMAIL=Lieferantenrechnung per E-Mail versendet Notify_BILL_SUPPLIER_CANCELED=Lieferantenrechnung storniert Notify_CONTRACT_VALIDATE=Vertrag gültig Notify_FICHINTER_VALIDATE=Serviceauftrag freigegeben +Notify_FICHINTER_CLOSE=Serviceauftrag geschlossen Notify_FICHINTER_ADD_CONTACT=Kontakt zum Serviceauftrag hinzufügen Notify_FICHINTER_SENTBYMAIL=Serviceauftrag per E-Mail versendet Notify_SHIPPING_VALIDATE=Versand freigegeben @@ -190,7 +192,11 @@ EnableGDLibraryDesc=Installiere oder aktiviere die GD Bibliothek in der PHP Inst ProfIdShortDesc=Prof ID %s dient zur Speicherung landesabhängiger Partnerdaten.
      Für das Land %s ist dies beispielsweise Code %s. DolibarrDemo=Dolibarr ERP/CRM-Demo StatsByAmount=Statistik über die Menge der Produkte/Dienstleistungen +StatsByAmountProducts=Statistik der Produktmengen +StatsByAmountServices=Statistik der Anzahl Leistungen StatsByNumberOfUnits=Statistik zu den Gesamtmengen an Produkte/Leistungen +StatsByNumberOfUnitsProducts=Statistik für die Summe von Produktmengen +StatsByNumberOfUnitsServices=Statistik für die Summe von Leistungen StatsByNumberOfEntities=Statistik über die Anzahl der verweisenden Entitäten (Anzahl der Rechnungen, Bestellungen etc.) NumberOf=Anzahl von %s NumberOfUnits=Anzahl der Einheiten von %s @@ -198,6 +204,7 @@ AmountIn=Betrag in %s NumberOfUnitsMos=Anzahl der Einheiten, die in Fertigungsaufträgen produziert werden sollen EMailTextInterventionAddedContact=Ein neuer Serviceauftrag %s wurde Ihnen zugewiesen. EMailTextInterventionValidated=Serviceauftrag %s wurde freigegeben +EMailTextInterventionClosed=Das Serviceauftrag %s wurde geschlossen. EMailTextInvoiceValidated=Rechnung %s wurde freigegeben. EMailTextInvoicePayed=Rechnung %s wurde bezahlt. EMailTextProposalValidated=Angebot %s wurde freigegeben @@ -207,11 +214,10 @@ EMailTextProposalClosedRefused=Abgelehntes Angebot %s wurde geschlossen. EMailTextProposalClosedRefusedWeb=Auf der Portalseite abgelehntes Angebot %s wurde geschlossen. EMailTextOrderValidated=Auftrag %s wurde freigegeben EMailTextOrderClose=Auftrag %s wurde geliefert. -EMailTextOrderApproved=Auftrag %s wurde genehmigt. -EMailTextOrderValidatedBy=Der Auftrag %s wurde von %s aufgezeichnet. -EMailTextOrderApprovedBy=Auftrag %s wurde von %s genehmigt. -EMailTextOrderRefused=Auftrag %s wurde abgelehnt. -EMailTextOrderRefusedBy=Der Auftrag %s wurde von %s abgelehnt. +EMailTextSupplierOrderApprovedBy=Lieferantenbestellung %s wurde von %s genehmigt. +EMailTextSupplierOrderValidatedBy=Lieferantenbestellung %s wurde von %s erfasst. +EMailTextSupplierOrderSubmittedBy=Lieferantenbestellung %s wurde übermittelt von %s. +EMailTextSupplierOrderRefusedBy=Lieferantenbestellung %s wurde von %s abgelehnt. EMailTextExpeditionValidated=Der Versand %s wurde freigegeben. EMailTextExpenseReportValidated=Die Spesenabrechnung %s wurde geprüft. EMailTextExpenseReportApproved=Die Spesenabrechnung %s wurde genehmigt. @@ -246,7 +252,7 @@ NewKeyWillBe=Dies sind Ihre neuen Anmeldedaten ClickHereToGoTo=Hier klicken für %s YouMustClickToChange=Sie müssen zuerst auf den folgenden Link klicken um die Passwortänderung zu bestätigen. ConfirmPasswordChange=Passwortänderung bestätigen -ForgetIfNothing=Wenn Sie diese Änderung nicht beantragt haben, löschen Sie einfach dieses Mail. Ihre Anmeldedaten sind sicher bei uns aufbewahrt. +ForgetIfNothing=Wenn Sie diese Änderung nicht beantragt haben, ignorieren Sie diese E-Mail. Ihre Anmeldedaten sind sicher bei uns verwahrt. IfAmountHigherThan=Wenn der Betrag höher als %s SourcesRepository=Repository für Quellcodes Chart=Grafik @@ -289,10 +295,12 @@ LinesToImport=Positionen zum importieren MemoryUsage=Speichernutzung RequestDuration=Dauer der Anfrage -ProductsPerPopularity=Produkte/Leistungen nach Beliebtheit -PopuProp=Produkte/Leistungen nach Beliebtheit in Angeboten -PopuCom=Produkte/Leistungen nach Beliebtheit in Bestellungen -ProductStatistics=Statistik zu Produkten/Leistungen +ProductsServicesPerPopularity=Produkte|Leistungen nach Beliebtheit +ProductsPerPopularity=Produkte nach Beliebtheit +ServicesPerPopularity=Leistungen nach Beliebtheit +PopuProp=Produkte|Leistungen nach Beliebtheit in Angeboten +PopuCom=Produkte|Leistungen nach Beliebtheit in Aufträgen +ProductStatistics=Statistik zu Produkten|Leistungen NbOfQtyInOrders=Menge in Bestellungen SelectTheTypeOfObjectToAnalyze=Wählen Sie ein Objekt aus, um seine Statistiken anzuzeigen... diff --git a/htdocs/langs/de_DE/products.lang b/htdocs/langs/de_DE/products.lang index b722a084198..054da4fd1c7 100644 --- a/htdocs/langs/de_DE/products.lang +++ b/htdocs/langs/de_DE/products.lang @@ -80,8 +80,11 @@ SoldAmount=Verkaufte Menge PurchasedAmount=Eingekaufte Menge NewPrice=Neuer Preis MinPrice=Mindestverkaufspreis +MinPriceHT=Mindesverkaufspreis (exkl. Steuern) +MinPriceTTC=Mindest-Verkaufspreis (inkl. USt.) EditSellingPriceLabel=Preisbezeichnung bearbeiten -CantBeLessThanMinPrice=Der Verkaufspreis darf den Mindestpreis für dieses Produkt (%s ohne USt.) nicht unterschreiten. Diese Meldung kann auch angezeigt werden, wenn Sie einen zu hohen Rabatt geben. +CantBeLessThanMinPrice=Der Verkaufspreis darf nicht niedriger sein als der für dieses Produkt zulässige Mindestwert (%s ohne Steuer). Diese Meldung kann auch erscheinen, wenn Sie einen zu hohen Rabatt eingeben. +CantBeLessThanMinPriceInclTax=Der Verkaufspreis darf nicht niedriger sein als der für diesen Produkt zulässige Mindestwert (%s einschließlich Steuern). Diese Meldung kann auch erscheinen, wenn Sie einen zu hohen Rabatt eingeben. ContractStatusClosed=Geschlossen ErrorProductAlreadyExists=Ein Produkt mit Artikel Nr. %s existiert bereits. ErrorProductBadRefOrLabel=Für Artikel Nr. oder Bezeichnung wurde ein ungültiger Wert eingegeben. @@ -284,7 +287,7 @@ PriceByCustomerLog=Protokoll der vorangegangenen Kundenpreise MinimumPriceLimit=Mindestpreis darf nicht kleiner als %s sein MinimumRecommendedPrice=minimal empfohlener Preis: %s PriceExpressionEditor= Preisberechnungs-Editor -PriceExpressionSelected=Ausgewählter Preis Ausdruck +PriceExpressionSelected=Preisfindungsmethode PriceExpressionEditorHelp1="price = 2 + 2" oder "2 + 2" um den Preis festzulegen. Verwende ; um Ausdrücke zu trennen PriceExpressionEditorHelp2=Sie können auf die zusätzlichen Felder mit Variablen wie #extrafield_myextrafieldkey# und auf globale Variablen mit #global_mycode# zugreifen PriceExpressionEditorHelp3=In den Produkt-/Leistungs- und Lieferantenpreisen sind folgende Variablen verfügbar:
      #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# @@ -345,18 +348,19 @@ PossibleValues=Mögliche Werte GoOnMenuToCreateVairants=Rufen Sie das Menü %s - %s auf, um Attributvarianten (wie Farben, Größe, ...) vorzubereiten. UseProductFournDesc=Fügen Sie eine Funktion hinzu, um die von den Anbietern definierte Produktbeschreibung (für jede Anbieterreferenz) zusätzlich zur Beschreibung für Kunden zu definieren ProductSupplierDescription=Lieferantenbeschreibung für das Produkt -UseProductSupplierPackaging=Verwenden Sie die Funktion „Verpackungseinheit“, um die Mengen auf ein bestimmtes Vielfaches zu runden (beim Hinzufügen/Aktualisieren von Positionen in einem Lieferantendokument, Mengen und Einkaufspreise gemäß dem höheren Vielfachen neu berechnen, das für die Einkaufspreise eines Produkts festgelegt wurde). +UseProductSupplierPackaging=Verwenden Sie die Funktion „Verpackungseinheit“, um die Mengen auf ein bestimmtes Vielfaches zu runden (beim Hinzufügen/Aktualisieren von Positionen in einem Lieferantendokument die Mengen und Einkaufspreise gemäß dem höheren Vielfachen neu berechnen, das für die Einkaufspreise eines Produkts festgelegt wurde). PackagingForThisProduct=Verpackungseinheit PackagingForThisProductDesc=Sie kaufen automatisch ein Vielfaches dieser Menge. QtyRecalculatedWithPackaging=Die Menge der Zeile wurde entsprechend der Lieferantenverpackung neu berechnet #Attributes +Attributes=Attribute VariantAttributes=Variantenattribute ProductAttributes=Variantenattribute für Produkte ProductAttributeName=Attribut der Variante %s ProductAttribute=Attribut Variante ProductAttributeDeleteDialog=Sind Sie sicher, dass Sie dieses Attribut entfernen möchten? Alle Werte werden gelöscht werden -ProductAttributeValueDeleteDialog=Sind Sie sicher, dass Sie den Wert „%s“ mit der Nummer „%s“ von diesem Attribut löschen möchten? +ProductAttributeValueDeleteDialog=Sind Sie sicher, dass Sie den Wert „%s“ mit der Referenz „%s“ von diesem Attribut löschen möchten? ProductCombinationDeleteDialog=Sind Sie sicher, dass Sie die Variante von diesem Produkt „%s“ löschen möchten? ProductCombinationAlreadyUsed=Es ist ein Fehler während dem löschen der Variante aufgetreten. Stellen Sie sicher, dass es nicht durch ein anderes Objekt verwendet wird . ProductCombinations=Varianten @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Es gab einen Fehler, während Produkt Varianten e NbOfDifferentValues=Anzahl unterschiedlicher Werte NbProducts=Anzahl der Produkte ParentProduct=Übergeordnetes Produkt +ParentProductOfVariant=Übergeordnetes Produkt der Variante HideChildProducts=Produktvarianten ausblenden ShowChildProducts=Variantenprodukte anzeigen NoEditVariants=Gehen Sie zur übergeordneten Produktkarte und bearbeiten Sie die Auswirkung von Varianten auf der Registerkarte Varianten @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Wählen Sie das zu ändernde Extrafeld aus ConfirmEditExtrafieldQuestion = Möchten Sie dieses Extrafeld wirklich ändern? ModifyValueExtrafields = Wert eines Extrafeldes ändern OrProductsWithCategories=Oder Produkte mit Tags/Kategorien +WarningTransferBatchStockMouvToGlobal = Wenn Sie dieses Produkt ohne Seriennummern verwalten möchten, wird der nach Seriennummern erfasste Lagerbestand einen globalen Lagerbestand umgewandelt +WarningConvertFromBatchToSerial=Wenn Sie derzeit eine Menge größer oder gleich 2 für das Produkt haben, bedeutet der Wechsel zu dieser Auswahl, dass Sie immer noch über ein Produkt verfügen mit verschiedenen Objekten derselben Charge (während Sie ein eindeutige Seriennummer wünschen). Die Dopplung bleibt bestehen, bis eine Bestandsaufnahme oder eine manuelle Lagerbestandsbewegung zur Behebung dieses Problems erfolgt ist. diff --git a/htdocs/langs/de_DE/projects.lang b/htdocs/langs/de_DE/projects.lang index 823869ab0d8..fc095fe8a41 100644 --- a/htdocs/langs/de_DE/projects.lang +++ b/htdocs/langs/de_DE/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Außerhalb des Projekts NoProject=Kein Projekt definiert oder keine Rechte NbOfProjects=Anzahl Projekte NbOfTasks=Anzahl Aufgaben +TimeEntry=Zeiterfassung TimeSpent=Zeitaufwand +TimeSpentSmall=Zeitaufwand TimeSpentByYou=Eigener Zeitaufwand TimeSpentByUser=Zeitaufwand von Benutzer ausgegeben -TimesSpent=Zeitaufwände TaskId=Aufgaben-ID RefTask=Aufgabenreferenz LabelTask=Aufgabenbezeichnung @@ -82,7 +83,7 @@ MyProjectsArea=Meine Projekte – Übersicht DurationEffective=Effektivdauer ProgressDeclared=Erklärte echte Fortschritte TaskProgressSummary=Aufgabenfortschritt -CurentlyOpenedTasks=Aktuell offene Aufgaben +CurentlyOpenedTasks=Derzeit offene Aufgaben TheReportedProgressIsLessThanTheCalculatedProgressionByX=Der deklarierte reale Fortschritt ist weniger %s als der Fortschritt bei der Nutzung TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Der deklarierte reale Fortschritt ist mehr %s als der Fortschritt bei der Nutzung ProgressCalculated=Fortschritt nach Verbrauch @@ -191,7 +192,7 @@ LinkToElementShort=Link zu DocumentModelBeluga=Projektdokumentvorlage für eine Übersicht der verknüpften Objekte DocumentModelBaleine=Projektdokumentvorlage für Aufgaben DocumentModelTimeSpent=Projektberichtsvorlage für die aufgewendete Zeit -PlannedWorkload=Geplante Auslastung +PlannedWorkload=Geplanter Arbeitsaufwand PlannedWorkloadShort=Arbeitsaufwand ProjectReferers=Verknüpfte Einträge ProjectMustBeValidatedFirst=Projekt muss erst freigegeben werden @@ -226,7 +227,7 @@ ProjectsStatistics=Statistiken zu Projekten oder Interessenten TasksStatistics=Statistiken zu Aufgaben von Projekten oder Interessenten TaskAssignedToEnterTime=Aufgabe zugewiesen. Eingabe der Zeit zu diese Aufgabe sollte möglich sein. IdTaskTime=ID Zeit Aufgabe -YouCanCompleteRef=Wenn die Referenz mit einem Suffix ergänzt werden soll, ist es empfehlenswert, ein Trennstrich '-' zu verwenden, so dass die automatische Numerierung für weitere Projekte funktioniert. Zum Beispiel %s-MYSUFFIX +YouCanCompleteRef=Wenn die Referenznummer um ein Suffix ergänzt werden soll, ist es empfehlenswert, einen Trennstrich '-' zu verwenden, so dass die automatische Nummerierung für weitere Projekte funktioniert. Zum Beispiel %s-MYSUFFIX OpenedProjectsByThirdparties=Offene Projekte nach Geschäftspartner OnlyOpportunitiesShort=nur Interessenten OpenedOpportunitiesShort=Offene Leads diff --git a/htdocs/langs/de_DE/propal.lang b/htdocs/langs/de_DE/propal.lang index 8a77ac3f4e0..34873dd14f0 100644 --- a/htdocs/langs/de_DE/propal.lang +++ b/htdocs/langs/de_DE/propal.lang @@ -12,9 +12,11 @@ NewPropal=Neues Angebot Prospect=Interessent DeleteProp=Angebot löschen ValidateProp=Angebot freigeben +CancelPropal=Abbrechen AddProp=Angebot erstellen ConfirmDeleteProp=Möchten Sie dieses Angebot wirklich löschen? ConfirmValidateProp=Möchten Sie dieses Angebot wirklich unter dem Namen %s freigeben? +ConfirmCancelPropal=Sind Sie sicher, dass Sie das Angebot %s stornieren wollen? LastPropals=neueste %s Angebote LastModifiedProposals=Zuletzt bearbeitete Angebote (maximal %s) AllPropals=Alle Angebote @@ -27,11 +29,13 @@ NbOfProposals=Anzahl der Angebote ShowPropal=Zeige Angebot PropalsDraft=Entwürfe PropalsOpened=Offen +PropalStatusCanceled=Storniert (abgebrochen) PropalStatusDraft=Entwurf (freizugeben) PropalStatusValidated=Freigegeben (Angebot ist offen) PropalStatusSigned=unterzeichnet (abrechenbar) PropalStatusNotSigned=Abgelehnt (geschlossen) PropalStatusBilled=Fakturiert +PropalStatusCanceledShort=Storniert PropalStatusDraftShort=Entwurf PropalStatusValidatedShort=Freigegeben (offen) PropalStatusClosedShort=geschlossen @@ -114,6 +118,7 @@ RefusePropal=Angebot ablehnen Sign=Beauftragen SignContract=Vertrag unterzeichnen SignFichinter=Serviceauftrag unterzeichnen +SignSociete_rib=Mandat unterzeichnen SignPropal=Angebot annehmen Signed=beauftragt SignedOnly=nur signiert diff --git a/htdocs/langs/de_DE/receptions.lang b/htdocs/langs/de_DE/receptions.lang index 4843c7cbfbe..55c227f95d1 100644 --- a/htdocs/langs/de_DE/receptions.lang +++ b/htdocs/langs/de_DE/receptions.lang @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=Bearbeitet ReceptionSheet=Empfangsblatt ValidateReception=Warenempfang bestätigen ConfirmDeleteReception=Möchten Sie diesen Wareneingang wirklich löschen? -ConfirmValidateReception=Möchten Sie diesen Wareneingang mit der Referenz %s wirklich freigeben ? +ConfirmValidateReception=Möchten Sie diesen Wareneingang mit der Referenz %s wirklich freigeben ? ConfirmCancelReception=Möchten Sie diesen Wareneingang wirklich stornieren? -StatsOnReceptionsOnlyValidated=Statistics wurde nur für empfangsdaten durchgeführt: validated. Das verwendete Datum ist date von validation des Empfangs (geplantes delivery date ist nicht immer bekannt). +StatsOnReceptionsOnlyValidated=Statistik wurde nur für freigegebene Wareneingänge ermittelt. Das verwendete Datum ist das Datum der Freigabe des Wareneingangs (geplantes Lieferdatum ist nicht immer bekannt). SendReceptionByEMail=Senden Sie den Empfang mit email SendReceptionRef=Wareneingang %s ActionsOnReception=Veranstaltungen an der Rezeption @@ -53,5 +53,6 @@ ReceptionBackToDraftInDolibarr=Wareneingang%s zurück auf Entwurf ReceptionClassifyClosedInDolibarr=Wareneingang %s als geschlossen klassifizieren ReceptionUnClassifyCloseddInDolibarr=Wareneingang %s wieder öffnen RestoreWithCurrentQtySaved=Mengen mit den zuletzt gespeicherten Werten füllen +ReceptionsRecorded=Wareneingänge wurden aufgezeichnet ReceptionUpdated=Wareneingang erfolgreich aktualisiert ReceptionDistribution=Verteilung Wareneingang diff --git a/htdocs/langs/de_DE/sendings.lang b/htdocs/langs/de_DE/sendings.lang index 91dab1555d7..f9bcbfd3d46 100644 --- a/htdocs/langs/de_DE/sendings.lang +++ b/htdocs/langs/de_DE/sendings.lang @@ -51,7 +51,7 @@ DateReceived=Datum der Zustellung ClassifyReception=Als 'erhalten' markieren SendShippingByEMail=Versand per E-Mail SendShippingRef=Versand der Lieferung %s -ActionsOnShipping=Hinweis zur Lieferung +ActionsOnShipping=Ereignisse zu dieser Lieferung LinkToTrackYourPackage=Link zur Paket- bzw. Sendungsverfolgung ShipmentCreationIsDoneFromOrder=Im Moment erfolgt die Erstellung einer neuen Lieferung aus dem Datensatz des Kundenauftrags. ShipmentLine=Zeilen Lieferschein @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Produktmenge aus offenen Bestellung NoProductToShipFoundIntoStock=Im Lager %s sind keine Artikel für den Versand vorhanden. Korrigieren Sie den Lagerbestand oder wählen Sie ein anderes Lager. WeightVolShort=Gew./Vol. ValidateOrderFirstBeforeShipment=Sie müssen den Auftrag erst bestätigen bevor Sie eine Lieferung machen können. +NoLineGoOnTabToAddSome=Keine Zeile, gehen Sie zum Hinzufügen auf die Registerkarte "%s". # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Summe der Produktgewichte # warehouse details DetailWarehouseNumber= Warenlagerdetails DetailWarehouseFormat= W: %s (Menge: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Das letzte Zugangsdatum im Lagerbestand während der Sendungserstellung für Seriennummer oder Batch anzeigen. +CreationOptions=Verfügbare Optionen während der Sendungserstellung ShipmentDistribution=Lieferung für den Versand ErrorTooManyCombinationBatchcode=Kein Versand für Position %s, da zu viele Kombinationen aus Lager, Produkt und Chargencode gefunden wurden (%s). -ErrorNoCombinationBatchcode=Kein Versand für Position %s, da keine Kombination aus Lager, Produkt und Chargencode gefunden wurde. +ErrorNoCombinationBatchcode=Konnte die Zeile %s nicht speichern, da keine Kombination aus Lager, Produkt und Chargencode (%s, %s, %s) gefunden wurde. + +ErrorTooMuchShipped=Die versendete Menge sollte nicht größer sein als die bestellte Menge für Zeile %s diff --git a/htdocs/langs/de_DE/stocks.lang b/htdocs/langs/de_DE/stocks.lang index e0fed7d707e..10887376d16 100644 --- a/htdocs/langs/de_DE/stocks.lang +++ b/htdocs/langs/de_DE/stocks.lang @@ -29,7 +29,7 @@ Movements=Lagerbewegungen ErrorWarehouseRefRequired=Warenlager-Referenz erforderlich ListOfWarehouses=Liste der Warenlager ListOfStockMovements=Liste der Lagerbewegungen -ListOfInventories=Liste der Bestandsaufnahmen +ListOfInventories=Liste der Inventuren MovementId=Bewegungs ID StockMovementForId=Lagerbewegung Nr. %d ListMouvementStockProject=Liste der mit dem Projekt verbundenen Lagerbewegungen @@ -90,7 +90,7 @@ StockDiffPhysicTeoric=Begründung für Differenz zwischen Inventurbestand und L NoPredefinedProductToDispatch=Es erfolgt keine Lagerbestandsänderung da keine vordefinierten Produkte enthalten sind. DispatchVerb=Position(en) verbuchen StockLimitShort=Grenzwert für Warnung -StockLimit=Warnung bei Mindestbestand +StockLimit=Warnung unter Mindestbestand StockLimitDesc=(leer) bedeutet keine Warnung.
      0 kann verwendet werden, um eine Warnung auszulösen, sobald der Bestand leer ist. PhysicalStock=Aktueller Lagerbestand RealStock=tatsächlicher Bestand @@ -100,7 +100,7 @@ VirtualStock=Theoretischer Lagerbestand VirtualStockAtDate=Virtueller Bestand zu einem zukünftigen Datum VirtualStockAtDateDesc=Virtueller Bestand, sobald alle ausstehenden Bestellungen, deren Bearbeitung vor dem ausgewählten Datum geplant ist, abgeschlossen sind VirtualStockDesc=Virtueller Bestand ist der Bestand, der verbleibt, nachdem alle offenen/ausstehenden Aktionen (die sich auf die Bestände auswirken) durchgeführt wurden (eingegangene Lieferantenbestellungen, versandte Kundenaufträge, produzierte Fertigungsaufträge usw.) -AtDate=Zum Zeitpunkt +AtDate=Am Datum IdWarehouse=Warenlager ID DescWareHouse=Beschreibung Warenlager LieuWareHouse=Standort Warenlager @@ -119,6 +119,7 @@ PersonalStock=Persönlicher Lagerbestand %s ThisWarehouseIsPersonalStock=Dieses Lager bezeichnet den persönlichen Bestand von %s %s SelectWarehouseForStockDecrease=Wählen Sie das Lager für die Entnahme SelectWarehouseForStockIncrease=Wählen Sie das Lager für den Wareneingang +RevertProductsToStock=Produkte in Lagerbestand zurücksetzen? NoStockAction=Keine Vorratsänderung DesiredStock=Gewünschter Lagerbestand DesiredStockDesc=Dieser Lagerbestand wird von der Nachbestellfunktion verwendet. @@ -142,7 +143,7 @@ WarehouseForStockIncrease=Das Lager %s wird für Wareneingang verwendet ForThisWarehouse=Für dieses Lager ReplenishmentStatusDesc=Dies ist eine Liste aller Produkte mit einem niedrigeren Bestand als gewünscht (oder niedriger als der Warnwert, wenn das Kontrollkästchen "Nur Warnung" aktiviert ist). Mit dem Kontrollkästchen können Sie Bestellungen zum Ausgleichen des Bestands erstellen . ReplenishmentStatusDescPerWarehouse=Wenn Sie Nachbestellungen basierend auf der pro Lager spezifizierten gewünschten Menge vornehmen möchten, müssen Sie das jeweilige Lager im Filter auswählen. -ReplenishmentOrdersDesc=Dies ist eine Liste aller offenen Bestellungen, einschließlich vordefinierter Produkte. Hier werden nur offene Bestellungen mit vordefinierten Produkten angezeigt, dh Bestellungen, die sich auf Lagerbestände auswirken können. +ReplenishmentOrdersDesc=Dies ist eine Liste aller offenen Bestellungen, einschließlich vordefinierter Produkte. Hier werden nur offene Bestellungen mit vordefinierten Produkten angezeigt, d.h. Bestellungen, die sich auf Lagerbestände auswirken können. Replenishments=Nachbestellung NbOfProductBeforePeriod=Menge des Produkts %s im Lager vor der gewählten Periode (< %s) NbOfProductAfterPeriod=Menge des Produkts %s im Lager nach der gewählten Periode (> %s) @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=Zu geringer Lagerbestand für eine Charge aus dem Que ShowWarehouse=Zeige Lager MovementCorrectStock=Lagerkorrektur für Produkt %s MovementTransferStock=Umlagerung des Produkts %s in ein anderes Lager +BatchStockMouvementAddInGlobal=Chargen-Lagerbestand wird in globalen Lagerbestand verschoben (Produkt verwendet Chargen nicht mehr) InventoryCodeShort=Bewegungs- oder Bestandscode NoPendingReceptionOnSupplierOrder=Kein anstehender Wareneingang aufgrund offener Bestellung ThisSerialAlreadyExistWithDifferentDate=Diese Charge/Seriennummer (%s) ist bereits vorhanden, jedoch mit unterschiedlichen Haltbarkeits- oder Verfallsdatum. \n(Gefunden: %s Erfasst: %s) @@ -181,16 +183,16 @@ ProductStockWarehouse=Warnbestand und Sollbestand pro Produkt und Lager AddNewProductStockWarehouse=Festlegen der optimalen Benachrichtigungs Warngrenze und des gewünschten Lagerbestands AddStockLocationLine=Menge verringern, danach klicken, um die Position aufzuteilen. InventoryDate=Datum der Bestandsaufnahme -Inventories=Bestandsaufnahmen -NewInventory=Neue Bestandsaufnahme -inventorySetup = Bestandsaufnahme einrichten +Inventories=Inventuren +NewInventory=Neue Inventur +inventorySetup = Inventur einrichten inventoryCreatePermission=Neue Bestandsaufnahme erstellen inventoryReadPermission=Bestände anzeigen inventoryWritePermission=Bestände aktualisieren -inventoryValidatePermission=Bestandsaufnahme freigeben -inventoryDeletePermission=Bestandsaufnahme löschen +inventoryValidatePermission=Inventur freigeben +inventoryDeletePermission=Inventur löschen inventoryTitle=Bestandsaufnahme -inventoryListTitle=Bestandsaufnahmen +inventoryListTitle=Inventuren inventoryListEmpty=Keine Bestandsaufnahme in Arbeit inventoryCreateDelete=Bestandsaufnahme erstellen/löschen inventoryCreate=Neu erstellen @@ -205,7 +207,7 @@ inventoryMvtStock=Nach Bestand inventoryWarningProductAlreadyExists=Dieses Produkt ist schon in der Liste SelectCategory=Kategoriefilter SelectFournisseur=Herstellerfilter -inventoryOnDate=Bestandsaufnahme +inventoryOnDate=Bestände INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Lagerbewegungen haben das Erfassungsdatum der Bestandsaufnahme (anstelle des Validierungsdatums der Bestandsaufnahme). inventoryChangePMPPermission=Durchschnittspreis änderbar ColumnNewPMP=Neuer Durchschnittsstückpreis @@ -224,7 +226,7 @@ ApplyPMP=Durchschnittspreis übernehmen FlushInventory=Bestand leeren ConfirmFlushInventory=Bestätigen Sie diese Aktion? InventoryFlushed=Bestand geleert -ExitEditMode=Berarbeiten beenden +ExitEditMode=Bearbeiten beenden inventoryDeleteLine=Zeile löschen RegulateStock=Lager ausgleichen ListInventory=Liste @@ -244,7 +246,7 @@ StockAtDatePastDesc=Sie können hier den Lagerbestand (tatsächlicher Bestand) z StockAtDateFutureDesc=Sie können hier den Bestand (virtueller Bestand) zu einem bestimmten Zeitpunkt in der Zukunft anzeigen CurrentStock=Aktueller Lagerbestand InventoryRealQtyHelp=Setze den Wert auf 0, um die Menge zurückzusetzen.
      Feld leer lassen oder Zeile entfernen, um unverändert zu lassen -UpdateByScaning=Vervollständigen Sie die tatsächliche Menge durch Scannen +UpdateByScaning=Eintragen der echten Menge durch Scannen UpdateByScaningProductBarcode=Update per Scan (Produkt-Barcode) UpdateByScaningLot=Update per Scan (Barcode Charge/Seriennr.) DisableStockChangeOfSubProduct=Deaktivieren Sie den Lagerwechsel für alle Unterprodukte dieses Sets während dieser Bewegung. @@ -256,7 +258,7 @@ LabelOfInventoryMovemement=Bestand %s ReOpen=wiedereröffnen ConfirmFinish=Abschluss der Bestandsaufnahme bestätigen? Dadurch werden entsprechende Lagerbewegungen generiert, um Ihren Lagerbestand auf die tatsächliche Menge zu aktualisieren, die Sie als Bestand erfasst haben. ObjectNotFound=%s nicht gefunden -MakeMovementsAndClose=Bewegungen erzeugen und schließen +MakeMovementsAndClose=Lagerbewegungen erzeugen und schließen AutofillWithExpected=Füllen Sie die reale Menge mit der erwarteten Menge ShowAllBatchByDefault=Standardmäßig die Chargendetails auf der Registerkarte "Lager" des Produkts anzeigen CollapseBatchDetailHelp=Sie können die Standardanzeige für Chargendetails in der Konfiguration des Bestandsmoduls festlegen @@ -318,8 +320,18 @@ StockTransferRightRead=Umlagerungen einsehen StockTransferRightCreateUpdate=Umlagerungen erstellen/aktualisieren StockTransferRightDelete=Umlagerungen löschen BatchNotFound=Charge/Seriennummer für dieses Produkt nicht gefunden +StockEntryDate=Datum Eintrag in Lagerbestand von
      StockMovementWillBeRecorded=Lagerbewegung wird aufgezeichnet StockMovementNotYetRecorded=Die Lagerbewegungen werden von diesem Schritt nicht beeinflusst +ReverseConfirmed=Lagerbestandsbewegung wurde erfolgreich rückgängig gemacht + WarningThisWIllAlsoDeleteStock=Achtung, dadurch werden auch alle im Lager vorrätigen Mengen gelöscht +ValidateInventory=Freigabe der Bestandsaufnahme +IncludeSubWarehouse=Hierarchisch untergeordnete Warenlager einbeziehen? +IncludeSubWarehouseExplanation=Aktivieren Sie dieses Kontrollkästchen, wenn Sie alle untergeordneten Lager des entsprechenden Warenlagers in die Bestandsaufnahme einbeziehen möchten DeleteBatch=Charge/Seriennummer löschen ConfirmDeleteBatch=Sind Sie sicher, dass Sie die Charge/Seriennummer löschen möchten? +WarehouseUsage=Belegung Warenlager +InternalWarehouse=Internes Warenlager +ExternalWarehouse=Externes Warenlager +WarningThisWIllAlsoDeleteStock=Achtung, dadurch werden auch alle im Lager vorrätigen Mengen gelöscht diff --git a/htdocs/langs/de_DE/stripe.lang b/htdocs/langs/de_DE/stripe.lang index bde05c9a024..a8a03c924b6 100644 --- a/htdocs/langs/de_DE/stripe.lang +++ b/htdocs/langs/de_DE/stripe.lang @@ -75,5 +75,6 @@ CreationOfPaymentModeMustBeDoneFromStripeInterface=Aufgrund strenger Kundenauthe STRIPE_CARD_PRESENT='Card present' für Stripe-Terminals TERMINAL_LOCATION=Standort (Adresse) für Stripe-Terminals RequestDirectDebitWithStripe=Lastschrift über Stripe anfordern +RequesCreditTransferWithStripe=Anfrage für eine Stripe-Guthabenauszahlung STRIPE_SEPA_DIRECT_DEBIT=Aktivieren Sie die Lastschriftzahlungen über Stripe - +StripeConnect_Mode=Stripe Connect-Modus diff --git a/htdocs/langs/de_DE/users.lang b/htdocs/langs/de_DE/users.lang index c37306486ff..0ad638c6a05 100644 --- a/htdocs/langs/de_DE/users.lang +++ b/htdocs/langs/de_DE/users.lang @@ -32,9 +32,8 @@ CreateUser=Benutzer erstellen LoginNotDefined=Benutzername ist nicht gesetzt. NameNotDefined=Name ist nicht gesetzt. ListOfUsers=Liste der Benutzer -SuperAdministrator=Super-Administrator -SuperAdministratorDesc=Administrator mit allen Rechten -AdministratorDesc=Administrator +SuperAdministrator=Multicompany-Administrator +SuperAdministratorDesc=Multicompany-Systemadministrator (kann Konfiguration und Benutzer ändern) DefaultRights=Standardberechtigungen DefaultRightsDesc=Legen Sie die Standard-Berechtigungen fest, die einem neuen Benutzer automatisch zugewiesen werden. Um Berechtigungen von bestehenden Benutzern zu ändern, wechseln Sie in die Benutzer-Karte. DolibarrUsers=Benutzer @@ -110,8 +109,9 @@ ExpectedWorkedHours=Erwartete Wochenarbeitszeit ColorUser=Benutzerfarbe DisabledInMonoUserMode=Deaktiviert im Wartungsmodus UserAccountancyCode=Buchhaltungscode Benutzer -UserLogoff=Benutzer abmelden -UserLogged=Benutzer angemeldet +UserLogoff=Benutzer abmelden: %s +UserLogged=Benutzer angemeldet: %s +UserLoginFailed=Benutzeranmeldung fehlgeschlagen: %s DateOfEmployment=Anstellungsdatum DateEmployment=Mitarbeiter DateEmploymentStart=Beschäftigungsbeginn @@ -120,10 +120,10 @@ RangeOfLoginValidity=Datumsbereich der Zugriffsgültigkeit CantDisableYourself=Sie können nicht ihr eigenes Benutzerkonto deaktivieren ForceUserExpenseValidator=Genehmiger für Spesenabrechnungen festlegen ForceUserHolidayValidator=Genehmiger für Urlaubsanträge festlegen -ValidatorIsSupervisorByDefault=Standardmäßig ist der Freigebende der Vorgesetzte des Benutzers. Lassen Sie es leer, um dieses Verhalten beizubehalten. +ValidatorIsSupervisorByDefault=Standardmäßig ist der Freigebende der Vorgesetzte des Benutzers. Leer lassen, um dieses Verhalten beizubehalten. UserPersonalEmail=Private E-Mail-Adresse UserPersonalMobile=Private Mobiltelefonnummer -WarningNotLangOfInterface=Warnung: das ist die eingestellte Muttersprache die der Benutzer spricht, nicht die ausgewählte Sprache der Benutzeroberfläche. Um die angezeigte Sprache der Benutzeroberfläche zu ändern, gehe zum Tab %s +WarningNotLangOfInterface=Achtung: das ist die eingestellte Muttersprache die der Benutzer spricht, nicht die ausgewählte Sprache der Benutzeroberfläche. Um die angezeigte Sprache der Benutzeroberfläche zu ändern, gehe zum Tab %s DateLastLogin=Datum der letzten Anmeldung DatePreviousLogin=Datum der vorangegangenen Anmeldung IPLastLogin=IP der letzten Anmeldung @@ -132,3 +132,5 @@ ShowAllPerms=Alle Berechtigungen anzeigen HideAllPerms=Alle Berechtigungen ausblenden UserPublicPageDesc=Sie können für diesen Benutzer eine virtuelle Karte aktivieren. Eine URL mit dem Benutzerprofil und einem Barcode wird verfügbar sein, damit jeder mit einem Smartphone sie scannen und Ihren Kontakt zu seinem Adressbuch hinzufügen kann. EnablePublicVirtualCard=Aktivieren Sie die virtuelle Visitenkarte des Benutzers +UserEnabledDisabled=Benutzerstatus geändert: %s +AlternativeEmailForOAuth2=Alternative E-Mail-Adresse für die OAuth2-Anmeldung diff --git a/htdocs/langs/de_DE/website.lang b/htdocs/langs/de_DE/website.lang index efd8d4ed1c0..d8781b7a8d4 100644 --- a/htdocs/langs/de_DE/website.lang +++ b/htdocs/langs/de_DE/website.lang @@ -60,10 +60,11 @@ NoPageYet=Noch keine Seiten YouCanCreatePageOrImportTemplate=Sie können eine neue Seite erstellen oder eine komplette Website-Vorlage importieren SyntaxHelp=Hilfe zu bestimmten Syntaxtipps YouCanEditHtmlSourceckeditor=Sie können den HTML-Quellcode über die Schaltfläche "HTML-Code bearbeiten" im Editor bearbeiten. -YouCanEditHtmlSource=
      Sie können PHP-Code mit den Tags <?php ?> in diese Quelle einfügen. Die folgenden globalen Variablen sind verfügbar: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $ pagelangs.

      Mit der folgenden Syntax können Sie auch den Inhalt einer anderen Seite/eines anderen Containers einschließen:
      <?php includeContainer('alias_of_container_to_include'); ?>

      Mit der folgenden Syntax können Sie eine Umleitung auf eine andere Seite/einen anderen Container machen (Anmerkung: keinen Inhalt vor einer Umleitung ausgeben):
      < php redirectToContainer ( 'alias_of_container_to_redirect_to'); ?

      Um einen Link zu einer anderen Seite hinzuzufügen, benutzen Sie die Syntax:
      <a href="alias_of_page_to_link_to.php" >mylink<a>

      Um einen Link zum Download hinzuzufügen, der eine Datei in das Verzeichnis Dokumente speichert, nutzen Sie den document.phpwrapper:
      Beispiel für eine Datei in Dokumente / ecm (muss aufgezeichnet werden), ist die Syntax:
      <a href = "/document.php modulepart = ecm & file = [relative_dir/]filename.ext ">
      Für eine Datei in Dokumente / Medien (offenes Verzeichnis für den öffentlichen Zugriff) lautet die Syntax:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      Für eine mit einem Freigabelink freigegebene Datei ( offener Zugang unter Nutzung des sharing hash key der Datei), lautet die Syntax:
      <a href="/document.php?hashp=publicsharekeyoffile">

      Um ein Bild in das Dokumente Verzeichnis zu speichern, verwenden Sie die viewimage.php Wrapper:
      Beispiel für ein Bild in Dokumente / Medien (offen Verzeichnis für den Zugang der Öffentlichkeit), Syntax:
      <img src = "/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      Sie können PHP-Code mit den Tags <?php ?> einbinden. Die folgenden globalen Variablen sind verfügbar: $conf, $db, $mysoc, $Benutzer, $website, $websitepage, $ weblangs, $pagelangs.

      Sie können auch Inhalte einer anderen Seite/eines anderen Containers mit der folgende-Syntax einbinden:
      <?php includeContainer('alias_of_container_to_include'); ?>

      Mit der folgenden Syntax können Sie eine Weiterleitung zu einer anderen Seite/einem anderen Container durchführen (Hinweis: vor einer Weiterleitung keinen Inhalt ausgeben):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      Um einen Link zu einer anderen Seite hinzuzufügen, verwenden Sie die Syntax:
      <a href="alias_of_page_to_link_to.php" >mylink<a>

      Um einen Link zum Herunterladen einzufügen für eine Datei, die im Verzeichnis Dokumente gespeichert ist, verwenden Sie den document.php Wrapper:
      Beispiel: für eine Datei in document/ecm (muss protokolliert werden) lautet die Syntax:
      <a href="/Dokument.php?modulepart=ecm&Datei= [relative_dir/]filename.ext">
      Für einen Datei in Dokumente/Medien (geben Sie das Verzeichnis für den öffentlichen Zugriff frei) lautet die Syntax:
      <a href="/Dokument.php?modulepart =medias&Datei=[relative_dir/]filename.ext">
      Für eine Datei, die mit einer Freigabe Verknüpfung geteilt wurde (offener Zugriff über den Hash-Key der Datei) lautet die Syntax:
      <a href="/Dokument.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      Um ein Bild, das im Verzeichnis Dokumente gespeichert ist, einzubinden, verwenden Sie den Wrapper viewimage.php.
      Beispiel: Für ein Bild in Dokumente/Medien (öffnen Sie Verzeichnis für den öffentlichen Zugriff), lautet die Syntax:
      <img src="/viewimage.php?modulepart=medias &file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Für Bilder, die über einen Link geteilt werden (öffentlicher Zugriff über den geteilten Hash-Schlüssel der Datei) gilt folgende Syntax:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      Weitere Beispiele von HTML und dynamischem Code sind in der Wiki-Dokumentaion verfügbar.
      +YouCanEditHtmlSource3=Um die URL des Bildes eines PHP Objektes zu erhalten, verwenden Sie
      <img src="<?php print getImagePublicURLOfObject($Objekt , 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      Weitere Beispiele für HTML oder dynamischen Code finden Sie in der Wiki-Dokumentation.
      ClonePage=Seite/Container klonen CloneSite=Website klonen SiteAdded=Website hinzugefügt @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Diese Website ist derzeit offline. Bitte kommen S WEBSITE_USE_WEBSITE_ACCOUNTS=Benutzertabelle für Website aktivieren WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Aktiviere die Benutzertabelle, um Webseiten-Konten (Login/Kennwort) für jede Website / jeden Geschäftspartner zu speichern YouMustDefineTheHomePage=Zuerst muss die Startseite definiert sein -OnlyEditionOfSourceForGrabbedContentFuture=Warnung: Das Erstellen einer Webseite durch Importieren einer externen Webseite ist erfahrenen Benutzern vorbehalten. Abhängig von der Komplexität der Quellseite kann das Ergebnis des Imports vom Original abweichen. Auch wenn die Quellseite gängige CSS-Stile oder widersprüchliches Javascript verwendet, kann dies das Aussehen oder die Funktionen des Website-Editors bei der Arbeit an dieser Seite beeinträchtigen. Diese Methode ist eine schnellere Methode zum Erstellen einer Seite. Es wird jedoch empfohlen, Ihre neue Seite von Grund auf neu oder anhand einer vorgeschlagenen Seitenvorlage zu erstellen.
      Beachten Sie auch, dass der Inline-Editor möglicherweise nicht ordnungsgemäß funktioniert, wenn er auf einer erfassten externen Seite verwendet wird. +OnlyEditionOfSourceForGrabbedContentFuture=Warnung: Das Erstellen einer Webseite durch Importieren einer externen Webseite ist nur für erfahrene Benutzern empfohlen. Abhängig von der Komplexität der Quellseite kann das Ergebnis des Imports vom Original abweichen. Auch wenn die Quellseite einige CSS-Stile oder problematisches JavaScript verwendet, kann es bei der Arbeit an dieser Seite zu Beeinträchtigungen des Erscheinungsbilds oder der Funktionen des Website-Editors kommen. Mit dieser Methode können Sie eine Seite schneller erstellen. Es wird jedoch empfohlen, Ihre neue Seite von Grund auf oder anhand einer vorgeschlagenen Seitenvorlage zu erstellen.
      Beachten Sie auch, dass der Inline-Editor möglicherweise nicht korrekt funktioniert bei Verwendung auf einer importierten externen Seite. OnlyEditionOfSourceForGrabbedContent=Der HTML Code kann nur editiert werden, wenn der Inhalt von einer externen Site geladen wurde GrabImagesInto=Auch Bilder aus CSS und Seite übernehmen ImagesShouldBeSavedInto=Bilder sollten im Verzeichnis gespeichert werden @@ -112,13 +113,13 @@ GoTo=Gehe zu DynamicPHPCodeContainsAForbiddenInstruction=Sie fügen dynamischen PHP-Code hinzu, der die PHP-Anweisung '%s' enthält. Diese Anweisung ist standardmäßig verboten für dynamischen Inhalt (siehe versteckte Optionen WEBSITE_PHP_ALLOW_xxx, um die Liste der erlaubten Befehle zu erweitern). NotAllowedToAddDynamicContent=Sie haben nicht die Erlaubnis, dynamische PHP-Inhalte in Websites hinzuzufügen oder zu bearbeiten. Fragen Sie nach der Erlaubnis oder lassen Sie einfach den Code in den PHP-Tags unverändert. ReplaceWebsiteContent=Inhalt der Website suchen oder ersetzen -DeleteAlsoJs=Auch alle Website bezogenen Javascript-Dateien löschen? -DeleteAlsoMedias=Auch alle Website bezogenen Mediadateien löschen? +DeleteAlsoJs=Auch alle Javascript-Dateien der Website löschen? +DeleteAlsoMedias=Auch alle Mediadateien der Website löschen? MyWebsitePages=Meine Webseiten SearchReplaceInto=Suche | Ersetzen in ReplaceString=Neue Zeichenkette CSSContentTooltipHelp=Hier CSS-Inhalte eingeben. Um jeden Konflikt mit dem CSS der Anwendung zu vermeiden, ist bei allen Deklarationen die Klasse .bodywebsite voranzustellen. Zum Beispiel:

      #mycssselector, input.myclass:hover { ... }
      muss geändert werden zu
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Hinweis: Bei umfangreichen css-Dateien ohne diesen Prefix kann das Programm 'lessc' für die Konvertierung benutzt werden, um .bodywebsite überall voranzustellen. -LinkAndScriptsHereAreNotLoadedInEditor=Warnung: Dieser Inhalt wird nur ausgegeben, wenn die Seite von einem Server aufgerufen wird. Sie wird nicht im Bearbeitungsmodus verwendet. Wenn Javascript-Dateien geladen werden sollen, muss 'script src=...' im HTML-Quellcode ergänzt werden. +LinkAndScriptsHereAreNotLoadedInEditor=Achtung: Dieser Inhalt wird nur ausgegeben, wenn die Seite von einem Server aufgerufen wird. Sie wird nicht im Bearbeitungsmodus verwendet. Wenn JavaScript-Dateien auch im Bearbeitungsmodus geladen werden sollen, muss dazu 'script src=...' im HTML-Quellcode ergänzt werden. Dynamiccontent=Beispielseite mit dynamischem Inhalt ImportSite=Website-Vorlage importieren EditInLineOnOff=Modus 'Inline bearbeiten' ist %s @@ -160,3 +161,6 @@ PagesViewedTotal=Angesehene Seiten (gesamt) Visibility=Sichtbarkeit Everyone=Alle AssignedContacts=Zugeordnete Kontakte +WebsiteTypeLabel=Art der Website +WebsiteTypeDolibarrWebsite=Website (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Natives Dolibarr-Portal diff --git a/htdocs/langs/de_DE/withdrawals.lang b/htdocs/langs/de_DE/withdrawals.lang index 232cb8b4f3b..b555e6ee335 100644 --- a/htdocs/langs/de_DE/withdrawals.lang +++ b/htdocs/langs/de_DE/withdrawals.lang @@ -41,13 +41,15 @@ WithdrawStatistics=Statistik Lastschriftzahlungen CreditTransferStatistics=Statistiken Überweisungen Rejects=Ablehnungen LastWithdrawalReceipt=Letzte 1%s Einnahmen per Lastschrift -MakeWithdrawRequest=Erstelle eine Lastschrift +MakeWithdrawRequest=Lastschrift erstellen MakeWithdrawRequestStripe=Fordern Sie eine Lastschriftzahlung über Stripe an MakeBankTransferOrder=Überweisungsauftrag erstellen WithdrawRequestsDone=%s Lastschrift-Zahlungsaufforderungen aufgezeichnet BankTransferRequestsDone=%s Überweisungsanforderungen aufgezeichnet ThirdPartyBankCode=Geschäftspartner Bankcode -NoInvoiceCouldBeWithdrawed=Keine Rechnung mit Erfolg eingezogen. Überprüfen Sie, ob die Rechnungen auf Unternehmen mit einer gültigen IBAN Nummer verweisen und die IBAN Nummer eine eindeutige Mandatsreferenz besitzt %s. +NoInvoiceCouldBeWithdrawed=Keine Rechnung erfolgreich verarbeitet. Überprüfen Sie, ob die Rechnungen auf Unternehmen mit einer gültigen IBAN Nummer verweisen und die IBAN Nummer eine eindeutige Mandatsreferenz besitzt %s. +NoInvoiceCouldBeWithdrawedSupplier=Kein Rechnung erfolgreich verarbeitet. Prüfen Sie, dass die Rechnungen Unternehmen mit einer gültigen IBAN zugeordnet sind. +NoSalariesCouldBeWithdrawed=Kein Gehalt erfolgreich verarbeitet. Prüfen Sie, dass sich das Gehalt auf Benutzer mit einer gültigen IBAN bezieht. WithdrawalCantBeCreditedTwice=Dieser Widerrufsbeleg ist bereits als gutgeschrieben markiert; Dies kann nicht zweimal durchgeführt werden, da dies möglicherweise zu doppelten Zahlungen und Bankeinträgen führen würde. ClassCredited=Als eingegangen markieren ClassDebited=Abbuchungen klassifizieren @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Möchten Sie wirklich eine Abbuchungsablehnung zu diese RefusedData=Ablehnungsdatum RefusedReason=Ablehnungsgrund RefusedInvoicing=Ablehnung in Rechnung stellen -NoInvoiceRefused=Ablehnung nicht in Rechnung stellen -InvoiceRefused=Rechnung abgelehnt (Abweisung dem Kunden berechnen) +NoInvoiceRefused=Dem Kunden keine Gebühren für die Ablehnung berechnen +InvoiceRefused=Den Kunde Gebühren für die Ablehnung berechnen +DirectDebitRefusedInvoicingDesc=Eine Markierung setzen, um anzugeben, dass diese Ablehnung dem Kunde in Rechnung gestellt werden muss StatusDebitCredit=Status Debit/Kredit StatusWaiting=Wartend StatusTrans=Gesendet @@ -84,7 +87,7 @@ StatusMotif7=Gerichtsbescheid StatusMotif8=Andere Gründe CreateForSepaFRST=Lastschriftdatei erstellen (SEPA erstmalig) CreateForSepaRCUR=Lastschriftdatei erstellen (SEPA RCUR) -CreateAll=Erstellen Sie eine Lastschriftdatei +CreateAll=Lastschriftdatei erstellen CreateFileForPaymentByBankTransfer=Datei für Überweisung erstellen CreateSepaFileForPaymentByBankTransfer=Überweisungsdatei erstellen (SEPA) CreateGuichet=Nur Büro @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Datum der Unterzeichnung des Mandats RUMLong=Eindeutige Mandatsreferenz RUMWillBeGenerated=Wenn leer, wird die Mandatsreferenz generiert, sobald die Bankkontodaten gespeichert sind -WithdrawMode=Lastschriftmodus (erstmalig oder wiederkehrend) +WithdrawMode=Lastschriftmodus (FRST oder RCUR) WithdrawRequestAmount=Lastschrifteinzug Einzugs Betrag: BankTransferAmount=Betrag des Überweisungsauftrags: WithdrawRequestErrorNilAmount=Es kann keine Lastschriftanforderung für einen leeren Betrag erstellt werden. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Ihre Kontonummer (IBAN) SEPAFormYourBIC=Ihre Bank Identifikation (BIC) SEPAFrstOrRecur=Zahlungsart ModeRECUR=Wiederkehrende Zahlungen +ModeRCUR=Wiederkehrende Zahlungen ModeFRST=Einmalzahlung PleaseCheckOne=Bitte prüfen sie nur eine CreditTransferOrderCreated=Überweisungsauftrag %s erstellt @@ -139,7 +143,7 @@ AmountRequested=angeforderter Betrag SEPARCUR=SEPA wiederkehrend SEPAFRST=SEPA erstmalig ExecutionDate=Ausführungsdatum -CreateForSepa=Erstellen Sie eine Lastschriftdatei +CreateForSepa=Lastschriftdatei erstellen ICS=Gläubiger-Identifikationsnummer - ICS IDS=Debitoren-Identifikationsnummer END_TO_END="Ende-zu-Ende" SEPA-XML-Tag - Eindeutige ID, die pro Transaktion zugewiesen wird @@ -155,9 +159,16 @@ InfoTransData=Betrag: %s
      Verwendungszweck: %s
      Datum: %s InfoRejectSubject=Lastschriftauftrag abgelehnt InfoRejectMessage=Hallo,

      der Lastschrift-Zahlungsauftrag der Rechnung %s im Zusammenhang mit dem Unternehmen %s, mit einem Betrag von %s wurde von der Bank abgelehnt
      --
      %s ModeWarning=Echtzeit-Modus wurde nicht aktiviert, wir stoppen nach der Simulation. -ErrorCompanyHasDuplicateDefaultBAN=Unternehmen mit der ID %s hat mehr als ein Standardbankkonto. Keine Möglichkeit zu wissen, welches man verwenden soll. +ErrorCompanyHasDuplicateDefaultBAN=Unternehmen mit ID %s hat mehr als ein Standardbankkonto. Daher ist es nicht möglich, eines automatisch zu verwenden. ErrorICSmissing=Fehlendes ICS auf dem Bankkonto %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Der Gesamtbetrag des Lastschriftauftrags unterscheidet sich von der Summe der Zeilen WarningSomeDirectDebitOrdersAlreadyExists=Warnung: Es sind bereits ausstehende Lastschriftaufträge (%s) für einen Betrag von %s angefordert worden WarningSomeCreditTransferAlreadyExists=Warnung: Es ist bereits eine ausstehende Überweisung (%s) für einen Betrag von %s angefordert UsedFor=Verwendet für %s +Societe_ribSigned=SEPA-Mandat unterzeichnet +NbOfInvoiceToPayByBankTransferForSalaries=Anzahl der Gehälter, die per Überweisung gezahlt werden sollen +SalaryWaitingWithdraw=Gehälter, die auf Zahlung per Überweisung warten +RefSalary=Gehalt +NoSalaryInvoiceToWithdraw=Kein Gehalt, des auf '%s' wartet. Gehen Sie auf den Tab „%s“ auf der Gehaltsseite, um eine Anfrage zu erstellen. +SalaryInvoiceWaitingWithdraw=Gehälter , die auf Zahlung per Überweisung warten + diff --git a/htdocs/langs/de_DE/workflow.lang b/htdocs/langs/de_DE/workflow.lang index 6cfee1bd30c..799da1af635 100644 --- a/htdocs/langs/de_DE/workflow.lang +++ b/htdocs/langs/de_DE/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automatisch eine Kundenrechnung erstell descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Erstellt automatisch eine Kundenrechnung, nachdem ein Kundenauftrag geschlossen wurde. Die erstellte Rechnung lautet über denselben Betrag wie der Auftrag. descWORKFLOW_TICKET_CREATE_INTERVENTION=Bei der Erstellung eines Tickets automatisch einen Serviceauftrag erstellen. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Setzt das entsprechende Angebot auf "abgerechnet", sofern der Kundenauftrag auf "abgerechnet" gesetzt wurde und sofern der Gesamtbetrag im Kundenauftrag gleich dem im Angebot ist. -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Setzt das verknüpfte Angebot auf "abgerechnet", sofern die Kundenrechnung erstellt wurde und sofern der Rechnungsbetrag identisch zur Angebotsumme ist. -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Kennzeichne den verknüpften Kundenauftrag als fakturiert ( = in Rechnung gestellt) sofern die Kundenrechnung als geprüft markiert wurde und die Beträge übereinstimmen. -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Kennzeichne verknüpfte Kundenaufträge als fakturiert ( = in Rechnung gestellt), sofern die Kundenrechnung als bezahlt markiert wurde und die Beträge übereinstimmen. -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Kennzeichne die verknüpften Aufträge als geliefert wenn die Lieferung erfolgt ist (und die Liefermenge der Bestellmenge entspricht). +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Setze die verknüpften Angebote auf 'fakturiert', sofern der Kundenauftrag auf 'fakturiert' gesetzt wurde und sofern der Gesamtbetrag im Kundenauftrag gleich dem Gesamtbetrag der akzeptierten verbundenen Angebote ist. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Setze die verknüpften Angebote auf 'fakturiert', sofern die Kundenrechnung freigegeben wurde und sofern der Rechnungsbetrag identisch mit der Gesamtsumme der akzeptierten verbundenen Angebote ist. +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Setze den verknüpften Kundenauftrag als 'fakturiert', sofern die Kundenrechnung freigegeben wurde und der Rechnungsbetrag mit dem Gesamtbetrag der verbundenen Kundenaufträge übereinstimmt. Wenn eine Rechnung für mehrere Kundenaufträge freigegeben wurde, werden alle Kundenaufträge als 'fakturiert' gesetzt. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Setze den verknüpfte Kundenauftrag als 'fakturiert', wenn die Kundenrechnung als bezahlt markiert wurde und der Rechnungsbetrag mit der Summe der verbundenen Kundenaufträge übereinstimmt. Wenn eine Rechnung für mehrere Kundenaufträge als 'fakturiert' gesetzt wird, werden alle Kundenaufträge entsprechend klassifiziert. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Setze den verknüpften Kundenauftrag als 'geliefert' wenn die Lieferung freigegeben wurde (und wenn die Liefermenge der Bestellmenge entspricht). descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Den zugrundeliegenden Kundenauftrag als versendet kennzeichnen, wenn eine Sendung geschlossen wird (sofern die Gesamtmengen aller zugehörigen Sendungen mit denen des Kundenauftrags übereinstimmen) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Setzt das verknüpfte Lieferantenangebot auf "abgerechnet", sofern die Lieferanrenrechnung erstellt wurde und sofern der Rechnungsbetrag identisch zur Angebotsumme ist. +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Setzt das verknüpfte Lieferantenangebot auf 'abgerechnet', wenn die Lieferantenrechnung freigegeben wurde und sofern der Rechnungsbetrag identisch zum Gesamtbetrag der verbundenen Angebote ist. # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Kennzeichne die verknüpfte Lieferantenbestellung als abgerechnet, wenn die Lieferantenrechnung erstellt wurde und die Gesamtbeträge übereinstimmen. +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Setze die verknüpften Lieferantenbestellungen als 'abgerechnet', wenn eine Lieferantenrechnung freigegeben wurde und der Rechnungsbetrag mit dem Gesamtbetrag der verbundenen Lieferantenbestellungen übereinstimmt. descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Verknüpfte Lieferantenbestellung als eingegangen klassifizieren, wenn ein Wareneingang freigegeben wird (und wenn die von allen Wareneingängen eingegangene Menge mit der zu aktualisierenden Lieferantenbestellung übereinstimmt) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Verknüpfte Lieferantenbestellung als eingegangen klassifizieren, wenn ein Wareneingang geschlossen wird (und wenn die von allen Wareneingängen eingegangene Menge mit der zu aktualisierenden Bestellung übereinstimmt) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Wareneingänge als „abgerechnet“ klassifizieren, wenn eine verknüpfte Einkaufsrechnung freigegeben wird (und wenn der Rechnungsbetrag mit dem Gesamtbetrag der verknüpften Wareneingänge übereinstimmt) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Setze die verknüpfte Lieferung als 'abgeschlossen', wenn die Kundenrechnung freigegeben ist (und wenn der Rechnungsbetrag mit dem Gesamtbetrag der verknüpften Lieferungen übereinstimmt) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Setze die verknüpften Warenausgänge/Lieferungen als 'fakturiert'', wenn ein Kundenrechnung freigegeben wird (und wenn der Betrag des Rechnung dem Gesamtbetrag der verknüpften Sendung entspricht) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Setze verknüpfte Wareneingänge als 'fakturiert', wenn eine Lieferantenrechnung freigegeben wird (und wenn der Betrag der Lieferantenrechnung mit dem Gesamtbetrag der verknüpften Wareneingänge übereinstimmt) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Setze verknüpfte Wareneingänge als 'fakturiert', wenn eine Lieferantenrechnung freigegeben wird (und wenn der Betrag der Lieferantenrechnung mit dem Gesamtbetrag der verknüpften Wareneinggänge übereinstimmt) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=Verknüpfen Sie beim Erstellen eines Tickets verfügbare Verträge passender Geschäftspartner +descWORKFLOW_TICKET_LINK_CONTRACT=Beim Erstellen eines Tickets alle verfügbaren Verträge des zugehörigen Geschäftspartners verknüpfen descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Beim Verknüpfen von Verträgen unter denen der Mutterunternehmen suchen # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Schließen Sie alle mit dem Ticket verknüpften Interaktionen, wenn ein Ticket geschlossen wird AutomaticCreation=Automatische Erstellung AutomaticClassification=Automatische Klassifikation -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Verknüpfte Lieferung als abgeschlossen klassifizieren, wenn die Kundenrechnung freigegeben ist (und wenn der Rechnungsbetrag mit dem Gesamtbetrag der verknüpften Lieferungen übereinstimmt) AutomaticClosing=Automatisches Schließen AutomaticLinking=Automatisches Verknüpfen diff --git a/htdocs/langs/el_GR/accountancy.lang b/htdocs/langs/el_GR/accountancy.lang index 8a5248c133d..a259e6cc543 100644 --- a/htdocs/langs/el_GR/accountancy.lang +++ b/htdocs/langs/el_GR/accountancy.lang @@ -16,8 +16,8 @@ ThisService=Αυτή η υπηρεσία ThisProduct=Αυτό το προϊόν DefaultForService=Προεπιλογή για υπηρεσίες DefaultForProduct=Προεπιλογή για προϊόντα -ProductForThisThirdparty=Προϊόν προς τρίτο μέρος -ServiceForThisThirdparty=Υπηρεσία προς τρίτο μέρος +ProductForThisThirdparty=Προϊόν για αυτό το τρίτο μέρος +ServiceForThisThirdparty=Υπηρεσία για αυτό το τρίτο μέρος CantSuggest=Δεν προτείνεται AccountancySetupDoneFromAccountancyMenu=Οι περισσότερες ρυθμίσεις της λογιστικής γίνονται από το μενού %s ConfigAccountingExpert=Διαμόρφωση της ενότητας λογιστική (διπλή εγγραφή) @@ -31,8 +31,8 @@ ChartOfIndividualAccountsOfSubsidiaryLedger=Λογιστικό σχέδιο με CurrentDedicatedAccountingAccount=Τρέχων αποκλειστικός λογαριασμός AssignDedicatedAccountingAccount=Νέος λογαριασμός προς ανάθεση InvoiceLabel=Ετικέτα τιμολογίου -OverviewOfAmountOfLinesNotBound=Επισκόπηση του ποσού των γραμμών που δεν δεσμεύονται σε λογιστικό λογαριασμό -OverviewOfAmountOfLinesBound=Επισκόπηση του ποσού των γραμμών που έχουν ήδη δεσμευτεί σε έναν λογιστικό λογαριασμό +OverviewOfAmountOfLinesNotBound=Επισκόπηση του ποσού των γραμμών που δεν δεσμεύονται σε ένα λογαριασμό λογιστικής +OverviewOfAmountOfLinesBound=Επισκόπηση του ποσού των γραμμών που έχουν ήδη δεσμευτεί σε έναν λογαριασμό λογιστικής OtherInfo=Άλλες πληροφορίες DeleteCptCategory=Κατάργηση λογαριασμού λογιστικής από την ομάδα ConfirmDeleteCptCategory=Είστε σίγουροι ότι θέλετε να καταργήσετε αυτόν τον λογαριασμό λογιστικής από την ομάδα λογαριασμών λογιστικής ; @@ -53,18 +53,16 @@ ExportAccountingSourceDocHelp=Με αυτό το εργαλείο, μπορεί ExportAccountingSourceDocHelp2=Για να εξαγάγετε τα ημερολόγια σας, χρησιμοποιήστε την καταχώριση μενού %s - %s. ExportAccountingProjectHelp=Προσδιορίστε ένα έργο εάν χρειάζεστε μια λογιστική αναφορά μόνο για ένα συγκεκριμένο έργο. Οι αναφορές εξόδων και οι πληρωμές δανείων δεν περιλαμβάνονται στις αναφορές του έργου. ExportAccountancy=Εξαγωγή λογιστικής -WarningDataDisappearsWhenDataIsExported=Προειδοποίηση, αυτή η λίστα περιέχει μόνο τις λογιστικές εγγραφές που δεν έχουν ήδη εξαχθεί (η ημερομηνία εξαγωγής είναι κενή). Εάν θέλετε να συμπεριλάβετε τις λογιστικές εγγραφές που έχουν ήδη εξαχθεί για επανεξαγωγή τους, κάντε κλικ στο παραπάνω κουμπί. +WarningDataDisappearsWhenDataIsExported=Προειδοποίηση, αυτή η λίστα περιέχει μόνο τις λογιστικές εγγραφές που δεν έχουν ήδη εξαχθεί (η ημερομηνία εξαγωγής είναι κενή). Εάν θέλετε να συμπεριλάβετε τις λογιστικές εγγραφές που έχουν ήδη εξαχθεί, κάντε κλικ στο παραπάνω κουμπί. VueByAccountAccounting=Προβολή ανά λογαριασμό λογιστικής -VueBySubAccountAccounting=Προβολή ανά λογιστικό υπολογαριασμό +VueBySubAccountAccounting=Προβολή ανά υπολογαριασμό λογιστικής -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup +MainAccountForCustomersNotDefined=Κύριος λογαριασμός (από το Λογιστικό σχέδιο) για πελάτες που δεν έχουν οριστεί κατά τη ρύθμιση +MainAccountForSuppliersNotDefined=Κύριος λογαριασμός (από το Λογιστικό σχέδιο) για προμηθευτές που δεν έχουν οριστεί κατά τη ρύθμιση +MainAccountForUsersNotDefined=Κύριος λογαριασμός (από το Λογιστικό σχέδιο) για χρήστες που δεν έχουν οριστεί κατά τη ρύθμιση +MainAccountForVatPaymentNotDefined=Ο λογαριασμός (από το Λογιστικό Σχέδιο) για την πληρωμή ΦΠΑ που δεν έχει οριστεί κατά τη ρύθμιση +MainAccountForSubscriptionPaymentNotDefined=Ο λογαριασμός (από το Λογιστικό σχέδιο) για την πληρωμή συνδρομής που δεν έχει οριστεί κατά τη ρύθμιση +MainAccountForRetainedWarrantyNotDefined=Λογαριασμός (από το Λογιστικό Σχέδιο) για τη διατηρηθείσα εγγύηση που δεν έχει καθοριστεί στη ρύθμιση UserAccountNotDefined=Ο λογαριασμός λογιστικής για τον χρήστη δεν έχει οριστεί κατά τη ρύθμιση AccountancyArea=Τομέας Λογιστικής @@ -77,26 +75,28 @@ AccountancyAreaDescJournalSetup=ΒΗΜΑ %s: Ελέγξτε το περιεχό AccountancyAreaDescChartModel=ΒΗΜΑ %s: Ελέγξτε αν υπάρχει ένα υπόδειγμα λογιστικού σχεδίου ή δημιουργήστε ένα από το μενού %s AccountancyAreaDescChart=ΒΗΜΑ %s: Επιλέξτε ή/και ολοκληρώστε το λογιστικό σας σχέδιο από το μενού %s +AccountancyAreaDescFiscalPeriod=ΒΗΜΑ %s: Ορίστε μια προεπιλεγμένη οικονομική χρονιά στην οποία να ενσωματώσετε τις λογιστικές καταχωρήσεις σας. Για αυτό, χρησιμοποιήστε την επιλογή του μενού %s. AccountancyAreaDescVat=ΒΗΜΑ %s: Καθορίστε λογαριασμούς λογιστικής για κάθε τιμή ΦΠΑ. Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. AccountancyAreaDescDefault=ΒΗΜΑ %s: Καθορίστε προεπιλεγμένους λογαριασμούς λογιστικής. Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. -AccountancyAreaDescExpenseReport=ΒΗΜΑ %s: Ορίστε προεπιλεγμένους λογιστικούς λογαριασμούς για κάθε τύπο αναφοράς Εξόδων. Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. +AccountancyAreaDescExpenseReport=ΒΗΜΑ %s: Ορίστε προεπιλεγμένους λογαριασμούς λογιστικής για κάθε τύπο αναφοράς Εξόδων. Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. AccountancyAreaDescSal=ΒΗΜΑ %s: Ορίστε τους προεπιλεγμένους λογαριασμούς λογιστικής για την πληρωμή των μισθών. Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. AccountancyAreaDescContrib=ΒΗΜΑ %s: Ορίστε προεπιλεγμένους λογαριασμούς λογιστικούς για Φόρους (ειδικά έξοδα). Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. AccountancyAreaDescDonation=ΒΗΜΑ %s: Ορίστε προεπιλεγμένους λογαριασμούς λογιστικής για δωρεές. Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. AccountancyAreaDescSubscription=ΒΗΜΑ %s: Ορίστε τους προεπιλεγμένους λογαριασμούς λογιστικής για συνδρομή μέλους. Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. -AccountancyAreaDescMisc=ΒΗΜΑ %s: Καθορίστε υποχρεωτικούς προεπιλεγμένους λογαριασμούς λογιστικής για διάφορες συναλλαγές. Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. +AccountancyAreaDescMisc=ΒΗΜΑ %s: Ορίστε υποχρεωτικούς προεπιλεγμένους λογαριασμούς και προεπιλεγμένους λογαριασμούς λογιστικής για διάφορες συναλλαγές. Για αυτό, χρησιμοποιήστε την επιλογή του μενού %s. AccountancyAreaDescLoan=ΒΗΜΑ %s: Ορίστε προεπιλεγμένους λογαριασμούς λογιστικής για δάνεια. Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. AccountancyAreaDescBank=ΒΗΜΑ %s: Καθορίστε τους λογαριασμούς λογιστικής και τον κωδικό ημερολογίων για κάθε τραπεζικό και χρηματοοικονομικό λογαριασμό. Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. AccountancyAreaDescProd=ΒΗΜΑ %s: Ορίστε λογαριασμούς λογιστικής στα Προϊόντα/Υπηρεσίες σας. Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. AccountancyAreaDescBind=ΒΗΜΑ %s: Ελέγξτε ότι η δέσμευση μεταξύ των υφιστάμενων %s γραμμών και του λογαριασμού λογιστικής έχει ολοκληρωθεί, έτσι ώστε η εφαρμογή να είναι σε θέση να καταγράφει τις συναλλαγές στο Καθολικό με ένα κλικ. Συμπληρώστε τις δεσμεύσεις που λείπουν. Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. AccountancyAreaDescWriteRecords=ΒΗΜΑ %s: Εγγραφή συναλλαγών στο Καθολικό. Για αυτό, μεταβείτε στο μενού %s και πατήστε το κουμπί %s . -AccountancyAreaDescAnalyze=ΒΗΜΑ%s: Προσθέστε ή επεξεργαστείτε υπάρχουσες συναλλαγές και δημιουργήστε αναφορές και εξαγωγές. - -AccountancyAreaDescClosePeriod=ΒΗΜΑ %s: Κλείσιμο περιόδου, ώστε να μην μπορούμε να κάνουμε τροποποίηση στο μέλλον. +AccountancyAreaDescAnalyze=ΒΗΜΑ %s: Διαβάστε αναφορές ή δημιουργήστε αρχεία εξαγωγής για άλλους λογιστές. +AccountancyAreaDescClosePeriod=ΒΗΜΑ %s: Κλείστε την περίοδο, ώστε να μην μπορούμε να μεταφέρουμε άλλα δεδομένα στην ίδια περίοδο στο μέλλον. +TheFiscalPeriodIsNotDefined=Ένα υποχρεωτικό βήμα στη διαδικασία εγκατάστασης δεν έχει ολοκληρωθεί (Η οικονομική περίοδος δεν έχει καθοριστεί) TheJournalCodeIsNotDefinedOnSomeBankAccount=Ένα υποχρεωτικό βήμα στη ρύθμιση δεν έχει ολοκληρωθεί (το ημερολόγιο κωδικών λογιστικής δεν έχει καθοριστεί για όλους τους τραπεζικούς λογαριασμούς) Selectchartofaccounts=Επιλέξτε ενεργό λογιστικό σχέδιο +CurrentChartOfAccount=Τρέχον ενεργό λογιστικό σχέδιο ChangeAndLoad=Αλλαγή και φόρτωση Addanaccount=Προσθέστε ένα λογαριασμό λογιστικής AccountAccounting=Λογαριασμός λογιστικής @@ -142,8 +142,8 @@ InvoiceLines=Γραμμές τιμολογίων προς δέσμευση InvoiceLinesDone=Δεσμευμένες γραμμές τιμολογίων ExpenseReportLines=Γραμμές αναφορών εξόδων προς δέσμευση ExpenseReportLinesDone=Δεσμευμένες γραμμές αναφορών εξόδων -IntoAccount=Δέσμευση γραμμής με τον λογιστικό λογαριασμό -TotalForAccount=Σύνολο λογιστικού λογαριασμού +IntoAccount=Δέσμευση γραμμής με τον λογαριασμό λογιστικής +TotalForAccount=Σύνολο λογαριασμό λογιστικής Ventilate=Δέσμευση @@ -156,8 +156,8 @@ LineOfExpenseReport=Γραμμή αναφοράς εξόδων NoAccountSelected=Δεν έχει επιλεχθεί λογαριασμός λογιστικής VentilatedinAccount=Δεσμεύτηκε με επιτυχία στο λογαριασμό λογιστικής NotVentilatedinAccount=Δεν δεσμεύεται στον λογαριασμό λογιστικής -XLineSuccessfullyBinded=%s προϊόντα/υπηρεσίες δεσμεύτηκαν επιτυχώς σε ένα λογιστικό λογαριασμό -XLineFailedToBeBinded=%s προϊόντα/υπηρεσίες δεν δεσμεύτηκαν σε κάποιο λογιστικό λογαριασμό +XLineSuccessfullyBinded=%s προϊόντα/υπηρεσίες δεσμεύτηκαν επιτυχώς σε ένα λογαριασμό λογιστικής +XLineFailedToBeBinded=%s προϊόντα/υπηρεσίες δεν δεσμεύτηκαν σε κάποιο λογαριασμό λογιστικής ACCOUNTING_LIMIT_LIST_VENTILATION=Μέγιστος αριθμός γραμμών στη λίστα και στη σελίδα δεσμεύσεων (συνιστάται: 50) ACCOUNTING_LIST_SORT_VENTILATION_TODO=Ξεκινήστε την ταξινόμηση της σελίδας "Προς δέσμευση" με τα πιο πρόσφατα στοιχεία @@ -165,14 +165,14 @@ ACCOUNTING_LIST_SORT_VENTILATION_DONE=Ξεκινήστε την ταξινόμη ACCOUNTING_LENGTH_DESCRIPTION=Μειώστε την περιγραφή προϊόντων και υπηρεσιών σε καταχωρίσεις μετά από x χαρακτήρες (Καλύτερη = 50) ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Μειώστε την περιγραφή του λογαριασμού προϊόντος και υπηρεσιών στις καταχωρίσεις μετά από x χαρακτήρες (Καλύτερη = 50) -ACCOUNTING_LENGTH_GACCOUNT=Μήκος των γενικών λογιστικών λογαριασμών (Εάν ορίσετε την τιμή στο 6 εδώ, ο λογαριασμός '706' θα εμφανίζεται σαν '706000' στην οθόνη) +ACCOUNTING_LENGTH_GACCOUNT=Μήκος των γενικών λογαριασμών λογιστικής (Εάν ορίσετε την τιμή στο 6 εδώ, ο λογαριασμός '706' θα εμφανίζεται σαν '706000' στην οθόνη) ACCOUNTING_LENGTH_AACCOUNT=Μήκος των λογαριασμών τρίτων (Εάν ορίσετε την τιμή στο 6 εδώ, ο λογαριασμός "401" θα εμφανίζεται σαν "401000" στην οθόνη) ACCOUNTING_MANAGE_ZERO=Να επιτρέπεται η διαχείριση διαφορετικού αριθμού μηδενικών στο τέλος ενός λογαριασμού λογιστικής. Απαιτείται από ορισμένες χώρες (όπως η Ελβετία). Εάν είναι απενεργοποιημένη (προεπιλογή), μπορείτε να ορίσετε τις ακόλουθες δύο παραμέτρους για να ζητήσετε από την εφαρμογή να προσθέσει εικονικά μηδενικά. BANK_DISABLE_DIRECT_INPUT=Απενεργοποίηση άμεσης καταγραφής συναλλαγής σε τραπεζικό λογαριασμό ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Ενεργοποίηση εξαγωγής προσχεδίου στο ημερολόγιο ACCOUNTANCY_COMBO_FOR_AUX=Ενεργοποίηση σύνθετης λίστας για θυγατρικό λογαριασμό (ενδέχεται να είναι αργή εάν έχετε πολλά τρίτα μέρη, διακοπή της δυνατότητας αναζήτησης σε ένα μέρος της αξίας) -ACCOUNTING_DATE_START_BINDING=Καθορίστε ημερομηνία έναρξης δεσμεύσεων & μεταφοράς στη λογιστική. Πριν από αυτή την ημερομηνία, οι συναλλαγές δεν θα μεταφερθούν στη λογιστική. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Ποια είναι η προεπιλεγμένη περίοδος στη λογιστική μεταφορά; +ACCOUNTING_DATE_START_BINDING=Απενεργοποίηση σύνδεσης και μεταφοράς στη λογιστική όταν η ημερομηνία είναι πριν από αυτήν την ημερομηνία (οι συναλλαγές πριν από αυτήν την ημερομηνία θα εξαιρούνται από προεπιλογή) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Στη σελίδα μεταφοράς δεδομένων στη λογιστική, ποια είναι η προεπιλεγμένη περίοδος ACCOUNTING_SELL_JOURNAL=Ημερολόγιο πωλήσεων - πωλήσεις και επιστροφές ACCOUNTING_PURCHASE_JOURNAL=Ημερολόγιο αγορών - αγορές και επιστροφές @@ -183,9 +183,11 @@ ACCOUNTING_HAS_NEW_JOURNAL=Διαθέτει νέο Ημερολόγιο ACCOUNTING_INVENTORY_JOURNAL=Ημερολόγιο απογραφής ACCOUNTING_SOCIAL_JOURNAL=Κοινωνικό ημερολόγιο -ACCOUNTING_RESULT_PROFIT=Αποτέλεσμα λογιστικού λογαριασμού (Κέρδος) -ACCOUNTING_RESULT_LOSS=Αποτέλεσμα λογιστικού λογαριασμού (Ζημιά) +ACCOUNTING_RESULT_PROFIT=Αποτέλεσμα λογαριασμό λογιστικής (Κέρδος) +ACCOUNTING_RESULT_LOSS=Αποτέλεσμα λογαριασμό λογιστικής (Ζημιά) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Ημερολόγιο κλεισίματος +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Ομάδες λογιστικής που χρησιμοποιούνται για τον λογαριασμό του ισολογισμού (διαχωρίζονται με κόμμα) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Ομάδες Λογιστικής που χρησιμοποιούνται για την δήλωση εισοδήματος (διαχωρίζονται με κόμμα) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Λογαριασμός (από το λογιστικό σχέδιο) που θα χρησιμοποιηθεί ως λογαριασμός για μεταβατικές τραπεζικές μεταφορές TransitionalAccount=Λογαριασμός της μεταβατικής τραπεζικής μεταφοράς @@ -220,7 +222,7 @@ Docref=Αναφορά LabelAccount=Ετικέτα λογαριασμού LabelOperation=Λειτουργία ετικετών Sens=Κατεύθυνση -AccountingDirectionHelp=Για έναν λογιστικό λογαριασμό πελάτη, χρησιμοποιήστε την Πίστωση για να καταγράψετε μια πληρωμή που λάβατε
      Για έναν λογιστικό λογαριασμό ενός προμηθευτή, χρησιμοποιήστε τη Χρέωση για να καταγράψετε μια πληρωμή που κάνατε +AccountingDirectionHelp=Για έναν λογαριασμό λογιστικής πελάτη, χρησιμοποιήστε την Πίστωση για να καταγράψετε μια πληρωμή που λάβατε
      Για έναν λογαριασμό λογιστικής προμηθευτή, χρησιμοποιήστε τη Χρέωση για να καταγράψετε μια πληρωμή που κάνατε LetteringCode=Κωδικός συμφωνίας Lettering=Συμφωνία Codejournal=Ημερολόγιο @@ -231,7 +233,7 @@ AccountingCategory=Προσαρμοσμένη ομάδα λογαριασμών AccountingCategories=Προσαρμοσμένες ομάδες λογαριασμών GroupByAccountAccounting=Ομαδοποίηση ανά λογαριασμό γενικού καθολικού GroupBySubAccountAccounting=Ομαδοποίηση ανά λογαριασμό βοηθητικού καθολικού -AccountingAccountGroupsDesc=Μπορείτε να ορίσετε εδώ ορισμένες ομάδες λογιστικού λογαριασμού. Θα χρησιμοποιηθούν για εξατομικευμένες λογιστικές εκθέσεις. +AccountingAccountGroupsDesc=Μπορείτε να ορίσετε εδώ ορισμένες ομάδες λογαριασμό λογιστικής. Θα χρησιμοποιηθούν για εξατομικευμένες λογιστικές εκθέσεις. ByAccounts=Ανά λογαριασμούς ByPredefinedAccountGroups=Ανά προκαθορισμένες ομάδες ByPersonalizedAccountGroups=Ανά εξατομικευμένες ομάδες @@ -247,7 +249,7 @@ FinanceJournal=Ημερολόγιο χρηματοοικονομικών ExpenseReportsJournal=Ημερολόγιο αναφοράς εξόδων InventoryJournal=Ημερολόγιο απογραφής DescFinanceJournal=Ημερολόγιο χρηματοοικονομικών που περιλαμβάνει όλους τους τύπους πληρωμών μέσω τραπεζικού λογαριασμού -DescJournalOnlyBindedVisible=Αυτή είναι μια προβολή αρχείων που είναι δεσμευμένα σε έναν λογιστικό λογαριασμό και μπορούν να καταγραφούν στα Ημερολόγια και στο Καθολικό. +DescJournalOnlyBindedVisible=Αυτή είναι μια προβολή αρχείων που είναι δεσμευμένα σε έναν λογαριασμό λογιστικής και μπορούν να καταγραφούν στα Ημερολόγια και στο Καθολικό. VATAccountNotDefined=Δεν έχει οριστεί λογαριασμός για ΦΠΑ ThirdpartyAccountNotDefined=Ο λογαριασμός για τρίτο μέρος δεν έχει οριστεί ProductAccountNotDefined=Ο λογαριασμός για το προϊόν δεν έχει οριστεί @@ -262,7 +264,7 @@ ErrorDebitCredit=Η χρέωση και η πίστωση δεν μπορούν AddCompteFromBK=Προσθήκη λογαριασμών λογιστικής στην ομάδα ReportThirdParty=Λίστα λογαριασμού τρίτου μέρους DescThirdPartyReport=Συμβουλευτείτε εδώ τη λίστα με τους πελάτες και τους προμηθευτές και τους λογαριασμούς τους -ListAccounts=Λίστα των λογιστικών λογαριασμών +ListAccounts=Λίστα των λογαριασμών λογιστικής UnknownAccountForThirdparty=Άγνωστος λογαριασμός τρίτου μέρους. Θα χρησιμοποιήσουμε %s UnknownAccountForThirdpartyBlocking=Άγνωστος λογαριασμός τρίτου μέρους. Σφάλμα αποκλεισμού ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Ο λογαριασμός Βοηθητικού καθολικού δεν έχει οριστεί ή το τρίτο μέρος ή ο χρήστης είναι άγνωστος. Θα χρησιμοποιήσουμε %s @@ -276,8 +278,8 @@ HideOpeningBalance=Κρύψιμο ισολογισμού έναρξης ShowSubtotalByGroup=Εμφάνιση υποσυνόλου ανά επίπεδο Pcgtype=Ομάδα του λογαριασμού -PcgtypeDesc=Η ομάδα λογαριασμού χρησιμοποιείται ως προκαθορισμένο κριτήριο «φίλτρου» και «ομαδοποίησης» για ορισμένες λογιστικές αναφορές. Για παράδειγμα, «ΕΣΟΔΑ» ή «ΕΞΟΔΑ» χρησιμοποιούνται ως ομάδες λογιστικών λογαριασμών προϊόντων για τη δημιουργία της αναφοράς εξόδων / εσόδων. -AccountingCategoriesDesc=Η προσαρμοσμένη ομάδα λογαριασμών μπορεί να χρησιμοποιηθεί για την ομαδοποίηση λογιστικών λογαριασμών σε ένα όνομα για τη διευκόλυνση της χρήσης φίλτρου ή της δημιουργίας προσαρμοσμένων αναφορών. +PcgtypeDesc=Η ομάδα λογαριασμού χρησιμοποιείται ως προκαθορισμένο κριτήριο «φίλτρου» και «ομαδοποίησης» για ορισμένες λογιστικές αναφορές. Για παράδειγμα, «ΕΣΟΔΑ» ή «ΕΞΟΔΑ» χρησιμοποιούνται ως ομάδες λογαριασμό λογιστικής προϊόντων για τη δημιουργία της αναφοράς εξόδων / εσόδων. +AccountingCategoriesDesc=Η προσαρμοσμένη ομάδα λογαριασμών μπορεί να χρησιμοποιηθεί για την ομαδοποίηση λογαριασμό λογιστικής σε ένα όνομα για τη διευκόλυνση της χρήσης φίλτρου ή της δημιουργίας προσαρμοσμένων αναφορών. Reconcilable=Προς συμφωνία @@ -285,20 +287,20 @@ TotalVente=Συνολικός κύκλος εργασιών προ φόρων TotalMarge=Συνολικό περιθώριο πωλήσεων DescVentilCustomer=Δείτε εδώ τη λίστα των γραμμών τιμολογίων πελάτη που συνδέονται (ή όχι) σε έναν λογαριασμό προϊόντος από το λογιστικό σχέδιο -DescVentilMore=Στις περισσότερες περιπτώσεις, εάν χρησιμοποιείτε προκαθορισμένα προϊόντα ή υπηρεσίες και ορίσετε τον λογαριασμό (από το λογιστικό σχέδιο) στην κάρτα προϊόντος/υπηρεσίας, η εφαρμογή θα μπορεί να δεσμεύει όλες τις γραμμές τιμολογίου σας στον λογιστικό λογαριασμό του λογιστικού σχεδίου σας, με ένα μόνο κλικ στο κουμπί "%s" . Εάν ο λογαριασμός δεν έχει οριστεί σε κάρτες προϊόντων/υπηρεσιών ή εάν εξακολουθείτε να έχετε ορισμένες γραμμές που δεν είναι δεσμευμένες σε έναν λογαριασμό, θα πρέπει να κάνετε μια μη αυτόματη δέσμευση από το μενού " %s ". +DescVentilMore=Στις περισσότερες περιπτώσεις, εάν χρησιμοποιείτε προκαθορισμένα προϊόντα ή υπηρεσίες και ορίσετε τον λογαριασμό (από το λογιστικό σχέδιο) στην κάρτα προϊόντος/υπηρεσίας, η εφαρμογή θα μπορεί να δεσμεύει όλες τις γραμμές τιμολογίου σας στον λογαριασμό λογιστικής του λογιστικού σχεδίου σας, με ένα μόνο κλικ στο κουμπί "%s" . Εάν ο λογαριασμός δεν έχει οριστεί σε κάρτες προϊόντων/υπηρεσιών ή εάν εξακολουθείτε να έχετε ορισμένες γραμμές που δεν είναι δεσμευμένες σε έναν λογαριασμό, θα πρέπει να κάνετε μια μη αυτόματη δέσμευση από το μενού " %s ". DescVentilDoneCustomer=Δείτε εδώ τη λίστα με τις γραμμές τιμολογίων πελατών και τον λογαριασμό προϊόντος τους από το λογιστικό σχέδιο DescVentilTodoCustomer=Δεσμεύστε τις γραμμές τιμολογίου που δεν έχουν ήδη δεσμευθεί με έναν λογαριασμό προϊόντος από το λογιστικό σχέδιο ChangeAccount=Αλλάξτε τον λογαριασμό προϊόντος/υπηρεσίας (από το λογιστικό σχέδιο) για τις επιλεγμένες γραμμές με τον ακόλουθο λογαριασμό: Vide=- -DescVentilSupplier=Συμβουλευτείτε εδώ τη λίστα των γραμμών τιμολογίων προμηθευτή που είναι συνδεδεμένες ή δεν έχουν ακόμη δεσμευτεί σε λογαριασμό προϊόντος από το λογιστικό σχέδιο (μόνο το αρχείο που δεν έχει ήδη μεταφερθεί στη λογιστική είναι ορατό) -DescVentilDoneSupplier=Συμβουλευτείτε εδώ τον κατάλογο των γραμμών των τιμολογίων προμηθευτών και του λογιστικού λογαριασμού τους -DescVentilTodoExpenseReport=Δεσμεύστε τις γραμμές αναφοράς εξόδων που δεν έχουν ήδη δεσμευθεί με ένα Λογιστικός λογαριασμός αμοιβής +DescVentilSupplier=Συμβουλευτείτε εδώ τη λίστα των γραμμών τιμολογίων προμηθευτή που είναι συνδεδεμένες ή δεν έχουν ακόμη δεσμευτεί σε λογαριασμό προϊόντος από το λογιστικό σχέδιο (εμφανίζονται μόνο εγγραφές που δεν έχουν ήδη μεταφερθεί στη λογιστική) +DescVentilDoneSupplier=Συμβουλευτείτε εδώ τον κατάλογο των γραμμών των τιμολογίων προμηθευτών και του λογαριασμού λογιστικής τους +DescVentilTodoExpenseReport=Δεσμεύστε τις γραμμές αναφοράς εξόδων που δεν έχουν ήδη δεσμευθεί με ένα λογαριασμό λογιστικής αμοιβής DescVentilExpenseReport=Συμβουλευτείτε εδώ τον κατάλογο των γραμμών αναφοράς εξόδων που δεσμεύονται (ή όχι) σε ένα λογαριασμό λογιστικής αμοιβής -DescVentilExpenseReportMore=Εάν ρυθμίσετε τον λογιστικό λογαριασμό σε γραμμές τύπου αναφοράς εξόδων, η εφαρμογή θα είναι σε θέση να κάνει όλη τη δέσμευση μεταξύ των γραμμών αναφοράς εξόδων σας και του λογαριασμού λογιστικής του λογιστικού σχεδίου σας, με ένα μόνο κλικ στο κουμπί "%s" . Εάν ο λογαριασμός δεν έχει οριστεί σε λεξικό αμοιβών ή αν έχετε ακόμα ορισμένες γραμμές που δεν δεσμεύονται σε κανένα λογαριασμό, θα πρέπει να κάνετε μια χειροκίνητη σύνδεση από το μενού "%s". -DescVentilDoneExpenseReport=Συμβουλευτείτε εδώ τον κατάλογο των γραμμών των αναφορών εξόδων και του λογιστικού λογαριασμού των αμοιβών τους +DescVentilExpenseReportMore=Εάν ρυθμίσετε τον λογαριασμό λογιστικής σε γραμμές τύπου αναφοράς εξόδων, η εφαρμογή θα είναι σε θέση να κάνει όλη τη δέσμευση μεταξύ των γραμμών αναφοράς εξόδων σας και του λογαριασμού λογιστικής του λογιστικού σχεδίου σας, με ένα μόνο κλικ στο κουμπί "%s" . Εάν ο λογαριασμός δεν έχει οριστεί σε λεξικό αμοιβών ή αν έχετε ακόμα ορισμένες γραμμές που δεν δεσμεύονται σε κανένα λογαριασμό, θα πρέπει να κάνετε μια χειροκίνητη σύνδεση από το μενού "%s". +DescVentilDoneExpenseReport=Συμβουλευτείτε εδώ τον κατάλογο των γραμμών των αναφορών εξόδων και του λογαριασμό λογιστικής των αμοιβών τους Closure=Ετήσιο κλείσιμο -DescClosure=Δείτε εδώ τον αριθμό των κινήσεων ανά μήνα που δεν έχουν ακόμη επικυρωθεί και κλειδωθεί +AccountancyClosureStep1Desc=Δείτε εδώ τον αριθμό των κινήσεων ανά μήνα που δεν έχουν ακόμη επικυρωθεί και κλειδωθεί OverviewOfMovementsNotValidated=Επισκόπηση κινήσεων που δεν έχουν επικυρωθεί και κλειδωθεί AllMovementsWereRecordedAsValidated=Όλες οι κινήσεις καταγράφηκαν ως επικυρωμένες και κλειδωμένες NotAllMovementsCouldBeRecordedAsValidated=Δεν ήταν δυνατό να καταγραφούν όλες οι κινήσεις ως επικυρωμένες και κλειδωμένες @@ -329,7 +331,7 @@ AccountRemovedFromCurrentChartOfAccount=Λογαριασμός λογιστικ BindingOptions=Επιλογές δέσμευσης ApplyMassCategories=Εφαρμογή μαζικών κατηγοριών AddAccountFromBookKeepingWithNoCategories=Ο διαθέσιμος λογαριασμός δεν ειναι ακόμα στην εξατομικευμένη ομάδα -CategoryDeleted=Η κατηγορία για τον λογιστικό λογαριασμό έχει αφαιρεθεί +CategoryDeleted=Η κατηγορία για τον λογαριασμό λογιστικής έχει αφαιρεθεί AccountingJournals=Λογιστικά ημερολόγια AccountingJournal=Λογιστικό ημερολόγιο NewAccountingJournal=Νέο λογιστικό ημερολόγιο @@ -341,7 +343,7 @@ AccountingJournalType3=Αγορές AccountingJournalType4=Τράπεζα AccountingJournalType5=Αναφορές εξόδων AccountingJournalType8=Απογραφή -AccountingJournalType9=Διαθέτει νέο +AccountingJournalType9=Παρακρατηθέντα κέρδη GenerationOfAccountingEntries=Δημιουργία λογιστικών εγγραφών ErrorAccountingJournalIsAlreadyUse=Αυτό το ημερολόγιο χρησιμοποιείται ήδη AccountingAccountForSalesTaxAreDefinedInto=Σημείωση: Ο λογαριασμός λογιστικής για τον φόρο πωλήσεων ορίζεται στο μενού %s - %s @@ -352,9 +354,11 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Απενεργοποίηση δέσμε ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Απενεργοποίηση δέσμευσης και μεταφοράς των αναφορών εξόδων (στη λογιστική οι αναφορές εξόδων δεν θα ληφθούν υπόψη στη λογιστική) ACCOUNTING_ENABLE_LETTERING=Ενεργοποίηση της λειτουργίας συμφωνίας στη λογιστική ACCOUNTING_ENABLE_LETTERING_DESC=Όταν αυτή η επιλογή είναι ενεργοποιημένη, μπορείτε να ορίσετε, σε κάθε λογιστική καταχώρηση, έναν κωδικό ώστε να μπορείτε να ομαδοποιήσετε διαφορετικές λογιστικές κινήσεις μαζί. Στο παρελθόν, όταν η διαχείριση διαφορετικών ημερολογίων γινόταν ανεξάρτητα, αυτή η δυνατότητα ήταν απαραίτητη για την ομαδοποίηση των γραμμών κίνησης διαφορετικών ημερολογίων. Ωστόσο, με τη λογιστική Dolibarr, ένας τέτοιος κώδικας παρακολούθησης, που ονομάζεται " %s " έχει ήδη αποθηκευτεί αυτόματα, επομένως έχει ήδη γίνει αυτόματη εγγραφή, χωρίς κίνδυνο λάθους, επομένως αυτή η δυνατότητα έχει καταστεί άχρηστη για μια κοινή χρήση. Η δυνατότητα μη αυτόματης εγγραφής γραμμάτων παρέχεται για τελικούς χρήστες που πραγματικά δεν εμπιστεύονται τη μηχανή του υπολογιστή που κάνει τη μεταφορά δεδομένων στη λογιστική. -EnablingThisFeatureIsNotNecessary=Η ενεργοποίηση αυτής της δυνατότητας δεν είναι πλέον απαραίτητη για μια αυστηρή λογιστική διαχείριση. +EnablingThisFeatureIsNotNecessary=Η ενεργοποίηση αυτής της λειτουργίας δεν είναι πλέον απαραίτητη για μια αυστηρή λογιστική διαχείριση. ACCOUNTING_ENABLE_AUTOLETTERING=Ενεργοποιήστε την αυτόματη συμφωνία κατά τη μεταφορά στη λογιστική -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Ο κωδικός συμφωνίας δημιουργείται αυτόματα είναι αυξανόμενος και δεν επιλέγεται από τον τελικό χρήστη +ACCOUNTING_LETTERING_NBLETTERS=Αριθμός γραμμάτων κατά τη δημιουργία κωδικού γραμμάτων (προεπιλογή 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Ορισμένα λογιστικά λογισμικά δέχονται μόνο κωδικό δύο γραμμάτων. Αυτή η παράμετρος σάς επιτρέπει να ορίσετε αυτήν την πτυχή. Ο προεπιλεγμένος αριθμός γραμμάτων είναι τρία. OptionsAdvanced=Σύνθετες επιλογές ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Ενεργοποίηση της διαχείρισης της αντιστροφής χρέωσης ΦΠΑ στις αγορές προμηθευτών ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Όταν είναι ενεργοποιημένη αυτή η επιλογή, μπορείτε να ορίσετε ότι ένας προμηθευτής ή ένα συγκεκριμένο τιμολόγιο προμηθευτή πρέπει να μεταφερθεί στη λογιστική με διαφορετικό τρόπο: Μια πρόσθετη χρέωση και ένα πιστωτικό όριο θα δημιουργηθεί στη λογιστική σε 2 δεδομένους λογαριασμούς από το λογιστικό σχέδιο που ορίζεται στη "%s " σελίδα ρύθμισης. @@ -393,7 +397,7 @@ ChartofaccountsId=Αναγνωριστικό λογιστικού σχεδίου ## Tools - Init accounting account on product / service InitAccountancy=Έναρξη λογιστικής -InitAccountancyDesc=Αυτή η σελίδα μπορεί να χρησιμοποιηθεί για την προετοιμασία ενός λογαριασμού λογιστικής σε προϊόντα και υπηρεσίες που δεν έχουν λογιστικό λογαριασμό για τις πωλήσεις και τις αγορές. +InitAccountancyDesc=Αυτή η σελίδα μπορεί να χρησιμοποιηθεί για την προετοιμασία ενός λογαριασμού λογιστικής σε προϊόντα και υπηρεσίες που δεν έχουν λογαριασμό λογιστικής για τις πωλήσεις και τις αγορές. DefaultBindingDesc=Αυτή η σελίδα μπορεί να χρησιμοποιηθεί για τον ορισμό των προεπιλεγμένων λογαριασμών (από το λογιστικό σχέδιο) που θα χρησιμοποιηθούν για τη σύνδεση επιχειρηματικών αντικειμένων με έναν λογαριασμό, όπως πληρωμή μισθών , δωρεές, φόρους και ΦΠΑ, όταν δεν είχε ήδη οριστεί συγκεκριμένος λογαριασμός. DefaultClosureDesc=Αυτή η σελίδα μπορεί να χρησιμοποιηθεί για να ορίσετε τις παραμέτρους που χρησιμοποιούνται για τα λογιστικά κλεισίματα. Options=Επιλογές @@ -403,24 +407,24 @@ OptionModeProductSellExport=Λειτουργία πωλήσεων/εξαγωγώ OptionModeProductBuy=Λειτουργία αγορών OptionModeProductBuyIntra=Λειτουργία αγορών/εισαγωγών στην Ε.Ε. OptionModeProductBuyExport=Λειτουργία αγορών/εισαγωγών από άλλες χώρες -OptionModeProductSellDesc=Εμφάνιση όλων των προϊόντων με λογιστικό λογαριασμό για πωλήσεις. -OptionModeProductSellIntraDesc=Εμφάνιση όλων των προϊόντων με λογιστικό λογαριασμό πωλήσεων στην Ε.Ε.. -OptionModeProductSellExportDesc=Εμφάνιση όλων των προϊόντων με λογιστικό λογαριασμό για άλλες ξένες πωλήσεις. -OptionModeProductBuyDesc=Εμφάνιση όλων των προϊόντων με λογιστικό λογαριασμό για αγορές. -OptionModeProductBuyIntraDesc=Εμφάνιση όλων των προϊόντων με λογιστικό λογαριασμό για αγορές στην Ε.Ε. -OptionModeProductBuyExportDesc=Εμφάνιση όλων των προϊόντων με λογιστικό λογαριασμό για άλλες αγορές από το εξωτερικό. +OptionModeProductSellDesc=Εμφάνιση όλων των προϊόντων με λογαριασμό λογιστικής για πωλήσεις. +OptionModeProductSellIntraDesc=Εμφάνιση όλων των προϊόντων με λογαριασμό λογιστικής πωλήσεων στην Ε.Ε.. +OptionModeProductSellExportDesc=Εμφάνιση όλων των προϊόντων με λογαριασμό λογιστικής για άλλες ξένες πωλήσεις. +OptionModeProductBuyDesc=Εμφάνιση όλων των προϊόντων με λογαριασμό λογιστικής για αγορές. +OptionModeProductBuyIntraDesc=Εμφάνιση όλων των προϊόντων με λογαριασμό λογιστικής για αγορές στην Ε.Ε. +OptionModeProductBuyExportDesc=Εμφάνιση όλων των προϊόντων με λογαριασμό λογιστικής για άλλες αγορές από το εξωτερικό. CleanFixHistory=Αφαιρέστε τον κωδικό λογιστικής από γραμμές που δεν υπάρχουν στο λογιστικό σχέδιο CleanHistory=Επαναφέρετε όλες τις δεσμεύσεις για το επιλεγμένο έτος PredefinedGroups=Προκαθορισμένες ομάδες WithoutValidAccount=Χωρίς έγκυρο αποκλειστικό λογαριασμό WithValidAccount=Με έγκυρο αποκλειστικό λογαριασμό -ValueNotIntoChartOfAccount=Αυτή η αξία λογιστικού λογαριασμού δεν υπάρχει στο λογιστικό σχέδιο +ValueNotIntoChartOfAccount=Αυτή η αξία λογαριασμού λογιστικής δεν υπάρχει στο λογιστικό σχέδιο AccountRemovedFromGroup=Ο λογαριασμός αφαιρέθηκε από την ομάδα SaleLocal=Τοπική πώληση SaleExport=Εξαγωγική πώληση SaleEEC=Πώληση στην Ε.Ε. SaleEECWithVAT=Πώληση στην Ε.Ε. με μη μηδενικό ΦΠΑ, άρα υποθέτουμε ότι ΔΕΝ πρόκειται για ενδοκοινοτική πώληση και ο προτεινόμενος λογαριασμός είναι ο τυπικός λογαριασμός προϊόντος. -SaleEECWithoutVATNumber=Πώληση στην Ε.Ε. χωρίς ΦΠΑ αλλά χωρίς ΑΦΜ τρίτου. Επιστρέφουμε στον λογαριασμό για τυπικές πωλήσεις. Μπορείτε να διορθώσετε το ΑΦΜ του τρίτου μέρους ή να αλλάξετε τον λογαριασμό προϊόντος που προτείνεται για δέσμευση, εάν χρειάζεται. +SaleEECWithoutVATNumber=Πώληση στην Ε.Ε. χωρίς ΦΠΑ αλλά το ΑΦΜ τρίτου μέρους δεν έχει οριστεί. Επιστρέφουμε στον λογαριασμό για τυπικές πωλήσεις. Μπορείτε να διορθώσετε το ΑΦΜ του τρίτου μέρους ή να αλλάξετε τον λογαριασμό προϊόντος που προτείνεται για δέσμευση εάν χρειάζεται. ForbiddenTransactionAlreadyExported=Απαγορευμένο: Η συναλλαγή έχει επικυρωθεί ή/και έχει εξαχθεί. ForbiddenTransactionAlreadyValidated=Απαγορευμένο: Η συναλλαγή έχει επικυρωθεί. ## Dictionary @@ -441,17 +445,31 @@ AccountancyNoUnletteringModified=Κανένα μη συμφωνημένο δεν AccountancyOneUnletteringModifiedSuccessfully=Ένα μη συμφωνηθέν τροποποιήθηκε με επιτυχία AccountancyUnletteringModifiedSuccessfully=%s μη συμφωνηθέντα τροποποιήθηκαν επιτυχώς +## Closure +AccountancyClosureStep1=Βήμα 1 : Επικύρωση και κλείδωμα κινήσεων +AccountancyClosureStep2=Βήμα 2: Κλείσιμο φορολογικής περιόδου +AccountancyClosureStep3=Βήμα 3: Εξαγωγή εγγραφών (Προαιρετικό) +AccountancyClosureClose=Κλείσιμο φορολογικής περιόδου +AccountancyClosureAccountingReversal=Εξάγετε και καταγράψτε τις καταχωρήσεις "Παρακρατηθέντων κερδών" +AccountancyClosureStep3NewFiscalPeriod=Επόμενη φορολογική περίοδος +AccountancyClosureGenerateClosureBookkeepingRecords=Δημιουργήστε εγγραφές "Παρακρατηθέντων κερδών" για την επόμενη οικονομική περίοδο +AccountancyClosureSeparateAuxiliaryAccounts=Κατά τη δημιουργία των καταχωρήσεων "Παρακρατηθέντων κερδών", ενημερώστε τους λογαριασμούς του βοηθητικού καθολικού +AccountancyClosureCloseSuccessfully=Η φορολογική περίοδος έχει κλείσει με επιτυχία +AccountancyClosureInsertAccountingReversalSuccessfully=Οι καταχωρήσεις λογιστικής για τα "Παρακρατηθέντα κέρδη" έχουν εισαχθεί με επιτυχία. + ## Confirm box ConfirmMassUnletteringAuto=Επιβεβαίωση αυτόματης μαζικής αναίρεσης λογιστικής συμφωνίας ConfirmMassUnletteringManual=Επιβεβαίωση χειροκίνητης μαζικής αναίρεσης λογιστικής συμφωνίας ConfirmMassUnletteringQuestion=Είστε σίγουροι ότι θέλετε να αναιρέσετε τη λογιστική συμφωνία των %sεπιλεγμένων εγγραφών; ConfirmMassDeleteBookkeepingWriting=Επιβεβαίωση μαζικής διαγραφής ConfirmMassDeleteBookkeepingWritingQuestion=Αυτό θα διαγράψει τη συναλλαγή από τη λογιστική (όλες οι εγγραφές γραμμής που σχετίζονται με την ίδια συναλλαγή θα διαγραφούν). Είστε σίγουροι ότι θέλετε να διαγράψετε τις %s επιλεγμένες καταχωρήσεις; +AccountancyClosureConfirmClose=Είστε σίγουροι ότι θέλετε να κλείσετε την τρέχουσα φορολογική περίοδο; Το κλείσιμο της φορολογικής περιόδου είναι μια μη αναστρέψιμη ενέργεια και θα αποκλείσει μόνιμα οποιαδήποτε τροποποίηση ή διαγραφή καταχωρήσεων για αυτήν την περίοδο. +AccountancyClosureConfirmAccountingReversal=Είστε σίγουροι ότι θέλετε να δημιουργήσετε εγγραφές για τα "Παρακρατηθέντα κέρδη" ; ## Error SomeMandatoryStepsOfSetupWereNotDone=Ορισμένα υποχρεωτικά βήματα της ρύθμισης δεν έγιναν, παρακαλούμε ολοκληρώστε τα -ErrorNoAccountingCategoryForThisCountry=Δεν υπάρχει διαθέσιμη ομάδα λογαριασμών λογιστικής για τη χώρα %s (Δες Αρχική - Ρυθμίσεις - Λεξικά) -ErrorInvoiceContainsLinesNotYetBounded=Προσπαθείτε να καταχωρήσετε στο ημερολόγιο ορισμένες γραμμές του τιμολογίου %s , αλλά ορισμένες άλλες γραμμές δεν είναι ακόμη δεσμευμένες στον λογιστικό λογαριασμό. Η καταχώρηση στο ημερολόγιο όλων των γραμμών τιμολογίων για αυτό το τιμολόγιο απορρίπτεται. +ErrorNoAccountingCategoryForThisCountry=Δεν υπάρχει διαθέσιμη ομάδα λογαριασμού λογιστικής για τη χώρα %s (Δείτε %s - %s - %s) +ErrorInvoiceContainsLinesNotYetBounded=Προσπαθείτε να καταχωρήσετε στο ημερολόγιο ορισμένες γραμμές του τιμολογίου %s , αλλά ορισμένες άλλες γραμμές δεν είναι ακόμη δεσμευμένες στον λογαριασμό λογιστικής. Η καταχώρηση στο ημερολόγιο όλων των γραμμών τιμολογίων για αυτό το τιμολόγιο απορρίπτεται. ErrorInvoiceContainsLinesNotYetBoundedShort=Ορισμένες γραμμές στο τιμολόγιο δεν δεσμεύονται στο λογαριασμό λογιστικής. ExportNotSupported=Η διαμορφωμένη μορφή εξαγωγής δεν υποστηρίζεται σε αυτή τη σελίδα BookeppingLineAlreayExists=Γραμμές που υπάρχουν ήδη στη λογιστική @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=Το ισοζύγιο (%s) δεν είνα AccountancyErrorLetteringBookkeeping=Παρουσιάστηκαν σφάλματα σχετικά με τις συναλλαγές: %s ErrorAccountNumberAlreadyExists=Ο λογιστικός αριθμός %s υπάρχει ήδη ErrorArchiveAddFile=Δεν είναι δυνατή η αρχειοθέτηση του αρχείου "%s" +ErrorNoFiscalPeriodActiveFound=Δεν βρέθηκε ενεργή φορολογική περίοδος +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Η ημερομηνία του εγγράφου λογιστικής δεν βρίσκεται εντός της ενεργής φορολογικής περιόδου. +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Η ημερομηνία του εγγράφου λογιστικής βρίσκεται εντός μιας κλειστής φορολογικής περιόδου ## Import ImportAccountingEntries=Λογιστικές εγγραφές diff --git a/htdocs/langs/el_GR/admin.lang b/htdocs/langs/el_GR/admin.lang index d74abe2ea9d..4252417c8bc 100644 --- a/htdocs/langs/el_GR/admin.lang +++ b/htdocs/langs/el_GR/admin.lang @@ -69,9 +69,9 @@ SecuritySetup=Διαχείριση Ασφάλειας PHPSetup=Ρύθμιση PHP OSSetup=Ρύθμιση λειτουργικού συστήματος SecurityFilesDesc=Καθορίστε εδώ τις επιλογές που σχετίζονται με την ασφαλή μεταφόρτωση αρχείων. -ErrorModuleRequirePHPVersion=Λάθος, αυτή η ενότητα απαιτεί έκδοση PHP %s ή μεγαλύτερη -ErrorModuleRequireDolibarrVersion=Λάθος, αυτό η ενότητα απαιτεί έκδοση Dolibarr %s ή μεγαλύτερη -ErrorDecimalLargerThanAreForbidden=Λάθος, ακρίβεια μεγαλύτερη από %s δεν υποστηρίζεται. +ErrorModuleRequirePHPVersion=Σφάλμα, αυτή η ενότητα απαιτεί έκδοση PHP %s ή μεγαλύτερη +ErrorModuleRequireDolibarrVersion=Σφάλμα, αυτό η ενότητα απαιτεί έκδοση Dolibarr %s ή μεγαλύτερη +ErrorDecimalLargerThanAreForbidden=Σφάλμα, ακρίβεια μεγαλύτερη από %s δεν υποστηρίζεται. DictionarySetup=Ρύθμιση λεξικού Dictionary=Λεξικά ErrorReservedTypeSystemSystemAuto=Η τιμή "system" και "systemauto" για τον τύπο είναι δεσμευμένη. Μπορείτε να χρησιμοποιήσετε τον 'χρήστη' ως τιμή για να προσθέσετε τη δική σας εγγραφή @@ -227,6 +227,8 @@ NotCompatible=Αυτή η ενότητα δεν φαίνεται συμβατή CompatibleAfterUpdate=Αυτή η ενότητα απαιτεί ενημέρωση του Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=Δείτε στο Market place SeeSetupOfModule=Δείτε στην ρύθμιση της ενότητας %s +SeeSetupPage=Δείτε τη σελίδα ρύθμισης στο %s +SeeReportPage=Δείτε τη σελίδα αναφοράς στο %s SetOptionTo=Ορίστε την επιλογή %s σε %s Updated=Ενημερωμένο AchatTelechargement=Αγόρασε / Μεταφόρτωσε @@ -292,22 +294,22 @@ EmailSenderProfiles=Προφίλ αποστολέων Email EMailsSenderProfileDesc=Μπορείτε να αφήσετε αυτή την ενότητα κενή. Αν εισάγετε email εδώ, θα προστεθούν στη λίστα πιθανών αποστολέων όταν γράφετε ένα νέο email. MAIN_MAIL_SMTP_PORT=Θύρα SMTP / SMTPS (προεπιλεγμένη τιμή στο php.ini: %s ) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (προεπιλεγμένη τιμή στο php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Θύρα SMTP / SMTPS (Δεν έχει οριστεί στην PHP σε συστήματα τύπου Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS Host (Δεν έχει οριστεί στην PHP σε συστήματα τύπου Unix) -MAIN_MAIL_EMAIL_FROM=Email αποστολέα για αυτόματα μηνύματα ηλεκτρονικού ταχυδρομείου (προεπιλεγμένη τιμή στο php.ini: %s ) -EMailHelpMsgSPFDKIM=Για να αποτρέψετε την ταξινόμηση των email από το Dolibarr ως ανεπιθύμητης αλληλογραφίας, βεβαιωθείτε ότι ο διακομιστής είναι εξουσιοδοτημένος να στέλνει μηνύματα ηλεκτρονικού ταχυδρομείου από αυτήν τη διεύθυνση με διαμόρφωση των SPF και DKIM +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Email αποστολέα για αυτόματα email +EMailHelpMsgSPFDKIM=Για να αποτρέψετε τα email του Dolibarr να ταξινομούνται ως ανεπιθύμητη αλληλογραφία, βεβαιωθείτε ότι ο διακομιστής είναι εξουσιοδοτημένος να αποστέλλει emails με αυτήν την ταυτότητα (με διαμόρφωση των SPF και DKIM του domain name) MAIN_MAIL_ERRORS_TO=Το Email που χρησιμοποιείται για σφάλματα επιστρέφει τα email (με πεδία 'Errors-To' στα απεσταλμένα email) MAIN_MAIL_AUTOCOPY_TO= Αντιγράψτε (Bcc Κρυφή κοινοποίηση) όλα τα αποσταλμένα email στο MAIN_DISABLE_ALL_MAILS=Απενεργοποιήστε όλες τις αποστολές ηλεκτρονικού ταχυδρομείου (για δοκιμαστικούς σκοπούς ή demos) MAIN_MAIL_FORCE_SENDTO=Στείλτε όλα τα μηνύματα ηλεκτρονικού ταχυδρομείου σε (αντί για πραγματικούς παραλήπτες, για σκοπούς δοκιμής) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Προτείνετε email υπάλληλων σας (εάν έχουν οριστεί) στη λίστα των προκαθορισμένων παραληπτών κατά τη σύνταξη ενός νέου email -MAIN_MAIL_NO_WITH_TO_SELECTED=Μην επιλέξετε έναν προεπιλεγμένο παραλήπτη ακόμα και αν υπάρχει μόνο μία επιλογή +MAIN_MAIL_NO_WITH_TO_SELECTED=Μην επιλέξετε έναν προεπιλεγμένο παραλήπτη, ακόμη κι αν υπάρχει μόνο μία δυνατή επιλογή. MAIN_MAIL_SENDMODE=Μέθοδος αποστολής Email MAIN_MAIL_SMTPS_ID=Αναγνωριστικό SMTP (αν ο διακομιστής αποστολής απαιτεί έλεγχο ταυτότητας) MAIN_MAIL_SMTPS_PW=Κωδικός πρόσβασης SMTP (εάν ο διακομιστής αποστολής απαιτεί έλεγχο ταυτότητας) MAIN_MAIL_EMAIL_TLS=Χρησιμοποιήστε κρυπτογράφηση TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Χρησιμοποιήστε κρυπτογράφηση TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Να επιτρέπονται τα αυτο-υπογεγραμμένα πιστοποιητικά +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Δημιουργία αυτο-υπογεγραμμένου πιστοποιητικού MAIN_MAIL_EMAIL_DKIM_ENABLED=Χρησιμοποιήστε το DKIM για να δημιουργήσετε υπογραφή ηλεκτρονικού ταχυδρομείου MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain για χρήση με dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Όνομα επιλογέα dkim @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Ιδιωτικό κλειδί για υπογρ MAIN_DISABLE_ALL_SMS=Απενεργοποιήστε όλες τις αποστολές SMS (για δοκιμαστικούς σκοπούς ή επιδείξεις) MAIN_SMS_SENDMODE=Μέθοδος που θέλετε να χρησιμοποιηθεί για την αποστολή SMS MAIN_MAIL_SMS_FROM=Προεπιλεγμένος αριθμός τηλεφώνου αποστολέα για αποστολή SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Προεπιλεγμένο email αποστολέα για μη αυτόματη αποστολή (email χρήστη ή email εταιρείας) +MAIN_MAIL_DEFAULT_FROMTYPE=Προεπιλεγμένο email αποστολέα στις φόρμες για αποστολή email. UserEmail=Email χρήστη CompanyEmail=Email εταιρείας FeatureNotAvailableOnLinux=Αυτή η λειτουργία δεν είναι διαθέσιμη σε συστήματα τυπου Unix. Δοκιμάστε το πρόγραμμα sendmail τοπικά. @@ -417,6 +419,7 @@ PDFLocaltax=Κανόνες για %s HideLocalTaxOnPDF=Απόκρυψη ποσοστού %s στη στήλη Φόρος επί των πωλήσεων / ΦΠΑ HideDescOnPDF=Απόκρυψη περιγραφής προϊόντων HideRefOnPDF=Απόκρυψη αναφοράς προϊόντων +ShowProductBarcodeOnPDF=Εμφάνιση του αριθμού barcode των προϊόντων HideDetailsOnPDF=Απόκρυψη λεπτομερειών γραμμών προϊόντων PlaceCustomerAddressToIsoLocation=Χρησιμοποιήστε τη γαλλική τυπική θέση (La Poste) για τη θέση της διεύθυνσης πελατών Library=Βιβλιοθήκη @@ -424,7 +427,7 @@ UrlGenerationParameters=Παράμετροι για δημιουργία ασφ SecurityTokenIsUnique=Χρησιμοποιήστε μια μοναδική παράμετρο κλειδιού ασφαλείας για κάθε σύνδεσμο EnterRefToBuildUrl=Εισαγάγετε αναφορά για το αντικείμενο %s GetSecuredUrl=Πάρτε υπολογιζόμενο URL -ButtonHideUnauthorized=Απόκρυψη κουμπιών μη εξουσιοδοτημένων ενεργειών και για εσωτερικούς χρήστες (διαφορετικά απλώς απενεργοποιημένα ) +ButtonHideUnauthorized=Απόκρυψη μη εξουσιοδοτημένων κουμπιών ενέργειας και για τους εσωτερικούς χρήστες (απλώς γκριζαρισμένα αλλιώς) OldVATRates=Παλιός συντελεστής ΦΠΑ NewVATRates=Νέος συντελεστής ΦΠΑ PriceBaseTypeToChange=Τροποποίηση τιμών με βάση την τιμή αναφοράς όπως ρυθμίστηκε στο @@ -458,11 +461,11 @@ ComputedFormula=Υπολογισμένο πεδίο ComputedFormulaDesc=Μπορείτε να εισαγάγετε εδώ έναν τύπο χρησιμοποιώντας άλλες ιδιότητες αντικειμένου ή οποιαδήποτε κωδικοποίηση PHP για να λάβετε μια δυναμικά υπολογισμένη τιμή. Μπορείτε να χρησιμοποιήσετε οποιουσδήποτε τύπους συμβατούς με PHP, συμπεριλαμβανομένου του τελεστή συνθήκης "?" και το ακόλουθο καθολικό αντικείμενο: $db, $conf, $langs, $mysoc, $user, $object .
      ΠΡΟΕΙΔΟΠΟΙΗΣΗ : Εάν χρειάζεστε ιδιότητες που δεν έχουν φορτωθεί, απλώς συμπεριλάβετε το αντικείμενο στον τύπο σας όπως στο δεύτερο παράδειγμα.
      Η χρήση ενός υπολογισμένου πεδίου σημαίνει ότι δεν μπορείτε να εισαγάγετε καμία τιμή από τη διεπαφή. Επίσης, εάν υπάρχει συντακτικό σφάλμα, ο τύπος ενδέχεται να μην επιστρέψει τίποτα.

      Παράδειγμα τύπου:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Παράδειγμα για επαναφόρτωση του αντικειμένου
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Άλλο παράδειγμα τύπου για την επιβολή φόρτωσης του αντικειμένου και του γονικού του αντικειμένου:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Αποθήκευση υπολογισμένου πεδίου ComputedpersistentDesc=Τα υπολογισμένα επιπλέον πεδία θα αποθηκευτούν στη βάση δεδομένων, ωστόσο, η τιμή θα επανυπολογιστεί μόνο όταν αλλάξει το αντικείμενο αυτού του πεδίου. Εάν το υπολογισμένο πεδίο εξαρτάται από άλλα αντικείμενα ή καθολικά δεδομένα, αυτή η τιμή μπορεί να είναι λανθασμένη!! -ExtrafieldParamHelpPassword=Αφήνοντας αυτό το πεδίο κενό σημαίνει ότι αυτή η τιμή θα αποθηκευτεί χωρίς κρυπτογράφηση (το πεδίο πρέπει να είναι κρυμμένο μόνο από αστεράκια στην οθόνη).
      Ρυθμίστε σε 'auto' για να χρησιμοποιήσετε τον προεπιλεγμένο κανόνα κρυπτογράφησης και να αποθηκεύσετε τον κωδικό πρόσβασης στη βάση δεδομένων (τότε θα είναι αναγνώσιμο μόνο το hash της τιμής και δεν υπάρχει κανένας τρόπος για να ανακτήσετε την αρχική τιμή) +ExtrafieldParamHelpPassword=Αν αφήσετε αυτό το πεδίο κενό σημαίνει ότι αυτή η τιμή θα αποθηκευτεί ΧΩΡΙΣ κρυπτογράφηση (το πεδίο είναι απλώς κρυμμένο με αστέρια στην οθόνη).

      Εισάγετε την τιμή 'dolcrypt' για κωδικοποίηση τιμής με έναν αναστρέψιμο αλγόριθμο κρυπτογράφησης. Τα δεδομένα μπορούν ακόμα να είναι γνωστά και να υποστούν επεξεργασία, αλλά είναι κρυπτογραφημένα στη βάση δεδομένων.

      Εισαγάγετε "auto" (ή "md5", 'sha256', 'password_hash', ...) για να χρησιμοποιήσετε τον προεπιλεγμένο αλγόριθμο κρυπτογράφησης κωδικού πρόσβασης (ή md5, sha256, password_hash...) για να αποθηκεύσετε τον μη αναστρέψιμο κατακερματισμένο κωδικό πρόσβασης στη βάση δεδομένων (δεν υπάρχει τρόπος ανάκτησης της αρχικής τιμής) ExtrafieldParamHelpselect=Η λίστα των τιμών πρέπει να είναι γραμμές με βασική μορφή, key,value (όπου το key δεν μπορεί να είναι «0»)

      για παράδειγμα:
      1, value1
      2, value2
      code3, value3
      ...

      Για να μπορεί η λίστα να ειναι εξαρτώμενη από μια άλλη συμπληρωματική λίστα χαρακτηριστικών:
      1, value1 | options_parent_list_code: parent_key
      2, value2 | options_parent_list_code: parent_key

      Για να μπορεί η λίστα να ειναι εξαρτώμενη από μια άλλη λίστα:
      1, value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=Η λίστα των τιμών πρέπει να είναι γραμμές με βασική μορφή, key,value (όπου το key δεν μπορεί να είναι «0»)

      για παράδειγμα:
      1,value1
      2,value2
      3, value3
      ... ExtrafieldParamHelpradio=Η λίστα των τιμών πρέπει να είναι γραμμές με βασικό σχήμα, key,value (όπου το key δεν μπορεί να είναι «0»)

      για παράδειγμα:
      1,value1
      2,value2
      3, value3
      ... -ExtrafieldParamHelpsellist=Η λίστα τιμών προέρχεται από έναν πίνακα
      Σύνταξη: table_name:label_field:id_field::filtersql
      Παράδειγμα: c_typent:libelle:id::filtersql

      - id_field ειναι οπωσδήποτε ένα primary int key
      - filtersql is a SQL condition.Μπορεί να είναι μια απλή δοκιμή (π.χ. active=1) για να εμφανιστεί μόνο η ενεργή τιμή
      Μπορείτε επίσης να χρησιμοποιήσετε το $ID$ στο φίλτρο που είναι το τρέχον αναγνωριστικό του τρέχοντος αντικειμένου
      Για να χρησιμοποιήσετε ένα SELECT στο φίλτρο χρησιμοποιήστε τη λέξη-κλειδί $SEL$ για την παράκαμψη προστασίας anti-injection.
      εάν θέλετε να φιλτράρετε σε extrafields, χρησιμοποιήστε τη σύνταξη extra.fieldcode=... (όπου ο κωδικός πεδίου είναι ο κωδικός του extrafield)

      Για να μπορεί η λίστα να ειναι εξαρτώμενη από μια άλλη συμπληρωματική λίστα χαρακτηριστικών:
      c_typent:libelle:id:options_parent_list_code|parent_column: φίλτρο

      Για να μπορεί η λίστα να ειναι εξαρτώμενη από μια άλλη:
      c_typent: Libelle: id:parent_list_code |parent_column:filter +ExtrafieldParamHelpsellist=Η λίστα τιμών προέρχεται από έναν πίνακα
      Σύνταξη: table_name:label_field:id_field::filtersql
      Παράδειγμα: c_typent:libelle:id::filtersql

      - id_field είναι οπωσδήποτε ένα primary int key
      - filtersql is a SQL condition.Μπορεί να είναι μια απλή δοκιμή (π.χ. active=1) για να εμφανιστεί μόνο η ενεργή τιμή
      Μπορείτε επίσης να χρησιμοποιήσετε το $ID$ στο φίλτρο που είναι το τρέχον αναγνωριστικό του τρέχοντος αντικειμένου
      Για να χρησιμοποιήσετε ένα SELECT στο φίλτρο χρησιμοποιήστε τη λέξη-κλειδί $SEL$ για την παράκαμψη προστασίας anti-injection.
      εάν θέλετε να φιλτράρετε σε extrafields, χρησιμοποιήστε τη σύνταξη extra.fieldcode=... (όπου ο κωδικός πεδίου είναι ο κωδικός του extrafield)

      Για να μπορεί η λίστα να είναι εξαρτώμενη από μια άλλη συμπληρωματική λίστα χαρακτηριστικών:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      Για να μπορεί η λίστα να είναι εξαρτώμενη από μια άλλη:
      c_typent: Libelle: id:parent_list_code |parent_column:filter ExtrafieldParamHelpchkbxlst=Η λίστα τιμών προέρχεται από έναν πίνακα
      Σύνταξη: table_name:label_field:id_field::filtersql
      Παράδειγμα: c_typent:libelle:id::filtersql

      το φίλτρο μπορεί να είναι μια απλή δοκιμή (π.χ. active=1) για να εμφανιστεί μόνο η ενεργή τιμή
      Μπορείτε επίσης να χρησιμοποιήσετε το $ID$ στο φίλτρο που είναι το τρέχον αναγνωριστικό του τρέχοντος αντικειμένου
      Για να κάνετε SELECT στο φίλτρο χρησιμοποιήστε το $SEL$
      εάν θέλετε να φιλτράρετε σε extrafields, χρησιμοποιήστε τη σύνταξη extra.fieldcode=... (όπου ο κωδικός πεδίου είναι ο κωδικός του extrafield)

      Για να μπορεί η λίστα να ειναι εξαρτώμενη από μια άλλη συμπληρωματική λίστα:
      c_typent: Libelle: id: options_ parent_list_code|parent_column:filter

      Για να μπορεί η λίστα να ειναι εξαρτώμενη από μια άλλη:
      c_typent: libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Parameters must be ObjectName:ClasspathSyntax:
      ObjectName:Classpath ExtrafieldParamHelpSeparator=Διατήρηση κενού για ένα απλό διαχωριστικό
      Ορίστε το σε 1 για ένα διαχωριστικό που συμπτύσσεται (ανοιχτό από προεπιλογή για νέα περίοδο λειτουργίας, μετά διατηρείται η κατάσταση για κάθε συνεδρία χρήστη)
      Ορίστε το σε 2 για ένα διαχωριστικό που συμπτύσσεται (συμπτυγμένο από προεπιλογή και στη συνέχεια για νέα περίοδο λειτουργίας, η κατάσταση διατηρείται για κάθε συνεδρία χρήστη) @@ -566,7 +569,7 @@ Module40Desc=Προμηθευτές και διαχείριση αγοράς (ε Module42Name=Αρχεία καταγραφής εντοπισμού σφαλμάτων Module42Desc=Λειτουργίες καταγραφής (αρχείο, syslog, ...). Τέτοια αρχεία καταγραφής προορίζονται για τεχνικούς σκοπούς/εντοπισμό σφαλμάτων. Module43Name=Γραμμή εντοπισμού σφαλμάτων -Module43Desc=Ένα εργαλείο για προγραμματιστές που προσθέτει μια γραμμή εντοπισμού σφαλμάτων στο πρόγραμμα περιήγησης σας. +Module43Desc=Ένα εργαλείο για προγραμματιστές, προσθέτοντας μια γραμμή αποσφαλμάτωσης στον περιηγητή σας. Module49Name=Επεξεργαστές κειμένου Module49Desc=Διαχείριση επεξεργαστών κειμένου Module50Name=Προϊόντα @@ -582,7 +585,7 @@ Module54Desc=Διαχείριση συμβολαίων (υπηρεσίες ή ε Module55Name=Barcodes Module55Desc=Διαχείριση γραμμωτού κώδικα(Barcode) ή κώδικα QR Module56Name=Πληρωμή μέσω μεταφοράς πίστωσης -Module56Desc=Διαχείριση πληρωμής προμηθευτών με εντολές μεταφοράς πίστωσης. Περιλαμβάνει τη δημιουργία αρχείου SEPA για ευρωπαϊκές χώρες. +Module56Desc=Διαχείριση πληρωμής προμηθευτών με εντολές μεταφοράς πίστωσης. Περιλαμβάνει τη δημιουργία αρχείου SEPA για Ευρωπαϊκές χώρες. Module57Name=Πληρωμές μέσω πάγιας εντολής Module57Desc=Διαχείριση πληρωμών πάγιας εντολής. Περιλαμβάνει τη δημιουργία αρχείου SEPA για ευρωπαϊκές χώρες. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Αποστολή ειδοποιήσεων ηλεκτρονικού Module600Long=Λάβετε υπόψη ότι αυτή η ενότητα στέλνει μηνύματα ηλεκτρονικού ταχυδρομείου σε πραγματικό χρόνο όταν συμβαίνει ένα συγκεκριμένο επιχειρηματικό συμβάν. Αν ψάχνετε για μια δυνατότητα αποστολής υπενθυμίσεων email για συμβάντα ατζέντας, μεταβείτε στη ρύθμιση της ενότητας Ατζέντα. Module610Name=Παραλλαγές προϊόντων Module610Desc=Δημιουργία παραλλαγών προϊόντων (χρώμα, μέγεθος κλπ.) +Module650Name=Κατάλογοι υλικών (BOM) +Module650Desc=Ενότητα για να ορίσετε τους Καταλόγους Υλικών (BOM). Μπορεί να χρησιμοποιηθεί για Σχεδιασμό Πόρων Παραγωγής από την ενότητα Εντολές Παραγωγής (MO) +Module660Name=Σχεδιασμός Πόρων Παραγωγής (MRP) +Module660Desc=Ενότητα για τη διαχείριση Εντολών Παραγωγής (MO) Module700Name=Δωρεές Module700Desc=Διαχείριση δωρεών Module770Name=Αναφορές εξόδων @@ -650,8 +657,8 @@ Module2300Name=Προγραμματισμένες εργασίες Module2300Desc=Διαχείριση προγραμματισμένων εργασιών (alias cron ή chrono table) Module2400Name=Συμβάντα / Ατζέντα Module2400Desc=Παρακολούθηση συμβάντων. Καταγράψτε αυτόματα συμβάντα για σκοπούς παρακολούθησης ή καταγράψτε μη αυτόματα συμβάντα ή συσκέψεις. Αυτή είναι η κύρια ενότητα για την καλή διαχείριση σχέσεων πελατών ή προμηθευτών. -Module2430Name=Online Σύστημα Ημερολογίου Κρατήσεων -Module2430Desc=Ενα διαδικτυακό ημερολόγιο για να επιτρέψετε σε οποιονδήποτε να κάνει κράτηση για ραντεβού, σε προκαθορισμένα χρονικά περιθώρια ή διαθεσιμότητες. +Module2430Name=Ηλεκτρονικός προγραμματισμός ραντεβού +Module2430Desc=Παρέχει ένα ηλεκτρονικό σύστημα κρατήσεων ραντεβού. Αυτό επιτρέπει σε οποιονδήποτε να κάνει κράτηση για ραντεβού, σύμφωνα με προκαθορισμένα εύρη ή διαθεσιμότητες. Module2500Name=DMS / ECM Module2500Desc=Σύστημα Διαχείρισης Εγγράφων / Ηλεκτρονική Διαχείριση Περιεχομένου. Αυτόματη οργάνωση των παραγόμενων ή αποθηκευμένων εγγράφων σας. Μοιραστείτε τα όταν χρειάζεστε. Module2600Name=API / Web services (SOAP server) @@ -672,7 +679,7 @@ Module3300Desc=Ένα εργαλείο RAD (Rapid Application Development - low- Module3400Name=Κοινωνικά Δίκτυα Module3400Desc=Ενεργοποιήστε τα πεδία Κοινωνικών Δικτύων σε τρίτα μέρη και διευθύνσεις (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Διαχείριση ανθρώπινου δυναμικού (διαχείριση τμήματος, συμβάσεις εργαζομένων και συναισθήματα) +Module4000Desc=Διαχείριση ανθρώπινου δυναμικού (διαχείριση τμήματος, συμβάσεις εργαζομένων, διαχείριση δεξιοτήτων και συνεντεύξεις) Module5000Name=Multi-company Module5000Desc=Σας επιτρέπει να διαχειρίζεστε πολλές εταιρείες Module6000Name=Ροή εργασίας μεταξύ ενοτήτων @@ -712,6 +719,8 @@ Module63000Desc=Διαχειριστείτε πόρους (εκτυπωτές, Module66000Name=Διαχείριση token OAuth2  Module66000Desc=Παρέχει ένα εργαλείο για τη δημιουργία και τη διαχείριση OAuth2 token. Το token μπορεί στη συνέχεια να χρησιμοποιηθεί από κάποιες άλλες ενότητες. Module94160Name=Παραλαβές +ModuleBookCalName=Σύστημα Ημερολογίου Κρατήσεων +ModuleBookCalDesc=Διαχείριση ενός Ημερολογίου για κλείσιμο ραντεβού ##### Permissions ##### Permission11=Ανάγνωση τιμολογίων πελατών (και πληρωμές) Permission12=Δημιουργία / τροποποίηση τιμολογίων πελατών @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Αναφορά εξόδων - Εύρος ανά κατ DictionaryTransportMode=Έκθεση intracomm - Τρόπος μεταφοράς DictionaryBatchStatus=Κατάσταση ποιοτικού ελέγχου παρτίδας/σειράς προϊόντος DictionaryAssetDisposalType=Είδος διάθεσης περιουσιακών στοιχείων +DictionaryInvoiceSubtype=Τύποι παραστατικών TypeOfUnit=Τύπος μονάδας SetupSaved=Οι ρυθμίσεις αποθηκεύτηκαν SetupNotSaved=Η ρύθμιση δεν αποθηκεύτηκε @@ -1109,10 +1119,11 @@ BackToModuleList=Επιστροφή στη λίστα Ενοτήτων BackToDictionaryList=Επιστροφή στη λίστα λεξικών TypeOfRevenueStamp=Είδος φορολογικού χαρτόσημου VATManagement=Διαχείριση Φορολογίας Πωλήσεων -VATIsUsedDesc=Από προεπιλογή κατά τη δημιουργία προοπτικών, τιμολογίων, παραγγελιών κ.λπ. ο συντελεστής φόρου επί των πωλήσεων ακολουθεί τον ενεργό τυπικό κανόνα:
      Εάν ο πωλητής δεν υπόκειται σε φόρο επί των πωλήσεων, τότε ο φόρος επί των πωλήσεων είναι προεπιλεγμένος σε 0. Τέλος κανόνα.
      Εάν η (χώρα πωλητή = χώρα του αγοραστή), τότε ο φόρος επί των πωλήσεων από προεπιλογή ισούται με τον φόρο επί των πωλήσεων του προϊόντος στη χώρα του πωλητή. Τέλος κανόνα.
      Εάν ο πωλητής και ο αγοραστής βρίσκονται και οι δύο στην Ευρωπαϊκή Κοινότητα και τα αγαθά είναι προϊόντα που σχετίζονται με τις μεταφορές (μεταφορές, ναυτιλία, αεροπορική εταιρεία), ο προεπιλεγμένος ΦΠΑ είναι 0. Αυτός ο κανόνας εξαρτάται από τη χώρα του πωλητή - συμβουλευτείτε τον λογιστή σας. Ο ΦΠΑ θα πρέπει να καταβληθεί από τον αγοραστή στο τελωνείο της χώρας του και όχι στον πωλητή. Τέλος κανόνα.
      Εάν ο πωλητής και ο αγοραστής βρίσκονται και οι δύο στην Ευρωπαϊκή Κοινότητα και ο αγοραστής δεν είναι εταιρεία (με εγγεγραμμένο ενδοκοινοτικό αριθμό ΦΠΑ), τότε ο ΦΠΑ ειναι ίσος με τον συντελεστή ΦΠΑ της χώρας του πωλητή. Τέλος κανόνα.
      Εάν ο πωλητής και ο αγοραστής βρίσκονται και οι δύο στην Ευρωπαϊκή Κοινότητα και ο αγοραστής είναι εταιρεία (με εγγεγραμμένο ενδοκοινοτικό ΑΦΜ), τότε ο ΦΠΑ είναι 0 από προεπιλογή. Τέλος κανόνα.
      Σε κάθε άλλη περίπτωση, η προτεινόμενη προεπιλογή είναι φόρος πωλήσεων=0. Τέλος κανόνα. +VATIsUsedDesc=Από προεπιλογή κατά τη δημιουργία προοπτικών, τιμολογίων, παραγγελιών κ.λπ. ο συντελεστής φόρου επί των πωλήσεων ακολουθεί τον ενεργό τυπικό κανόνα:
      Εάν ο πωλητής δεν υπόκειται σε φόρο επί των πωλήσεων, τότε ο φόρος επί των πωλήσεων είναι προεπιλεγμένος σε 0. Τέλος κανόνα.
      Εάν η (χώρα πωλητή = χώρα του αγοραστή), τότε ο φόρος επί των πωλήσεων από προεπιλογή ισούται με τον φόρο επί των πωλήσεων του προϊόντος στη χώρα του πωλητή. Τέλος κανόνα.
      Εάν ο πωλητής και ο αγοραστής βρίσκονται και οι δύο στην Ευρωπαϊκή Κοινότητα και τα αγαθά είναι προϊόντα που σχετίζονται με τις μεταφορές (μεταφορές, ναυτιλία, αεροπορική εταιρεία), ο προεπιλεγμένος ΦΠΑ είναι 0. Αυτός ο κανόνας εξαρτάται από τη χώρα του πωλητή - συμβουλευτείτε τον λογιστή σας. Ο ΦΠΑ θα πρέπει να καταβληθεί από τον αγοραστή στο τελωνείο της χώρας του και όχι στον πωλητή. Τέλος κανόνα.
      Εάν ο πωλητής και ο αγοραστής βρίσκονται και οι δύο στην Ευρωπαϊκή Κοινότητα και ο αγοραστής δεν είναι εταιρεία (με εγγεγραμμένο ενδοκοινοτικό αριθμό ΦΠΑ), τότε ο ΦΠΑ είναι ίσος με τον συντελεστή ΦΠΑ της χώρας του πωλητή. Τέλος κανόνα.
      Εάν ο πωλητής και ο αγοραστής βρίσκονται και οι δύο στην Ευρωπαϊκή Κοινότητα και ο αγοραστής είναι εταιρεία (με εγγεγραμμένο ενδοκοινοτικό ΑΦΜ), τότε ο ΦΠΑ είναι 0 από προεπιλογή. Τέλος κανόνα.
      Σε κάθε άλλη περίπτωση, η προτεινόμενη προεπιλογή είναι φόρος πωλήσεων=0. Τέλος κανόνα. VATIsNotUsedDesc=Από προεπιλογή, ο προτεινόμενος φόρος επί των πωλήσεων είναι 0, ο οποίος μπορεί να χρησιμοποιηθεί για περιπτώσεις όπως ενώσεις, ιδιώτες ή μικρές εταιρείες. VATIsUsedExampleFR=Στη Γαλλία, σημαίνει εταιρείες ή οργανισμούς που έχουν πραγματικό δημοσιονομικό σύστημα (Απλοποιημένο πραγματικό ή κανονικό πραγματικό). Ένα σύστημα στο οποίο δηλώνεται ο ΦΠΑ. VATIsNotUsedExampleFR=Στη Γαλλία, σημαίνει ενώσεις που δεν έχουν δηλώσει φόρο επί των πωλήσεων ή εταιρείες, οργανώσεις ή ελεύθερα επαγγέλματα που έχουν επιλέξει το φορολογικό σύστημα μικροεπιχειρήσεων (Φόρος επί των πωλήσεων σε franchise) και πλήρωσαν φόρο επί των πωλήσεων franchise χωρίς δήλωση φόρου επί των πωλήσεων. Αυτή η επιλογή θα εμφανίζει την αναφορά "Μη εφαρμοστέος φόρος επί των πωλήσεων - art-293B of CGI" στα τιμολόγια. +VATType=Τύπος ΦΠΑ ##### Local Taxes ##### TypeOfSaleTaxes=Είδος φόρου επί των πωλήσεων LTRate=Τιμή @@ -1138,7 +1149,7 @@ LocalTax2IsUsedDescES=Το ποσοστό IRPF από προεπιλογή κα LocalTax2IsNotUsedDescES=Από προεπιλογή, το προτεινόμενο IRPF είναι 0. Τέλος κανόνα. LocalTax2IsUsedExampleES=Στην Ισπανία, ελεύθεροι επαγγελματίες και ανεξάρτητοι επαγγελματίες που παρέχουν υπηρεσίες και εταιρείες που έχουν επιλέξει το φορολογικό σύστημα των ενοτήτων. LocalTax2IsNotUsedExampleES=Στην Ισπανία είναι επιχειρήσεις που δεν υπόκεινται σε φορολογικό σύστημα ενοτήτων. -RevenueStampDesc=Το "φορολογικό χαρτόσημο" ή "χαρτόσημο εισοδήματος" είναι ένας σταθερός φόρος ανά τιμολόγιο (Δεν εξαρτάται από το ποσό του τιμολογίου). Μπορεί επίσης να είναι ένα ποσοστό φόρου, αλλά η χρήση του δεύτερου ή του τρίτου τύπου φόρου είναι καλύτερη για τους ποσοστιαίους φόρους, καθώς για τα φορολογικά χαρτόσημα δεν παρέχουν καμία αναφορά. Μόνο λίγες χώρες χρησιμοποιούν αυτόν τον τύπο φόρου. +RevenueStampDesc=Το τέλος χαρτοσήμου" είναι ένας σταθερός φόρος ανά τιμολόγιο (Δεν εξαρτάται από το ποσό του τιμολογίου). Μπορεί επίσης να είναι ένα ποσοστό φόρου, αλλά η χρήση του δεύτερου ή του τρίτου τύπου φόρου είναι προτιμότερη για τους ποσοστιαίους φόρους, καθώς τα τέλη χαρτόσημου δεν παρέχουν καμία αναφορά. Μόνο λίγες χώρες χρησιμοποιούν αυτόν τον τύπο φόρου. UseRevenueStamp=Χρησιμοποιήστε φορολογικό χαρτόσημο UseRevenueStampExample=Η αξία του φορολογικού χαρτοσήμου ορίζεται από προεπιλογή στη ρύθμιση των λεξικών (%s - %s - %s) CalcLocaltax=Αναφορές για τοπικούς φόρους @@ -1400,7 +1411,7 @@ PreloadOPCode=Χρησιμοποιείται προ-φορτωμένο OPCode AddRefInList=Εμφάνιση κωδικών Πελάτη/Προμηθευτή. σε λίστες συνδυασμών.
      Τα τρίτα μέρη θα εμφανίζονται με μια μορφή ονόματος "CC12345 - SC45678 - The Big Company corp." αντί για "The Big Company corp". AddVatInList=Εμφάνιση του ΑΦΜ Πελάτη/Προμηθευτή σε συνδυαστικές λίστες. AddAdressInList=Εμφάνιση διεύθυνσης Πελάτη/Προμηθευτή σε σύνθετες λίστες.
      Τα τρίτα μέρη θα εμφανίζονται με τη μορφή ονόματος "The Big Company corp. - 21 jump street 123456 Big town - USA" αντί για "The Big Company corp". -AddEmailPhoneTownInContactList=Εμφάνιση email επαφών (ή τηλέφωνα αν δεν έχουν καθοριστεί) και λίστα πληροφοριών πόλης (επιλογή λίστας ή σύνθετο πλαίσιο)
      Οι επαφές θα εμφανιστούν με μια μορφή ονόματος "Dupond Durand - dupond.durand@email.com - Παρίσι" ή "Dupond Durand - 06 07 59 65 66 - Παρίσι» αντί για «Dupond Durand». +AddEmailPhoneTownInContactList=Εμφάνιση email επαφών (ή τηλέφωνα αν δεν έχουν καθοριστεί) και λίστα πληροφοριών πόλης (επιλογή λίστας ή σύνθετο πλαίσιο)
      Οι επαφές θα εμφανιστούν με μια μορφή ονόματος "Dupond Durand - dupond.durand@example.com - Παρίσι" ή "Dupond Durand - 06 07 59 65 66 - Παρίσι» αντί για «Dupond Durand». AskForPreferredShippingMethod=Ζητήστε την προτιμώμενη μέθοδο αποστολής για τρίτα μέρη. FieldEdition=Έκδοση στο πεδίο %s FillThisOnlyIfRequired=Παράδειγμα: +2 (συμπλήρωση μόνο εάν παρουσιαστούν προβλήματα μετατόπισης ζώνης ώρας) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Μην εμφανίζεται ο σύνδε UsersSetup=Ρύθμιση ενότητας χρηστών UserMailRequired=Απαιτείται email για τη δημιουργία νέου χρήστη UserHideInactive=Απόκρυψη ανενεργών χρηστών από όλες τις συνδυαστικές λίστες χρηστών (Δεν συνιστάται: αυτό μπορεί να σημαίνει ότι δεν θα μπορείτε να φιλτράρετε ή να κάνετε αναζήτηση σε παλιούς χρήστες σε ορισμένες σελίδες) +UserHideExternal=Απόκρυψη εξωτερικών χρηστών (που δεν συνδέονται με τρίτο μέρος) από όλες τις συνδυαστικές λίστες χρηστών (Δεν συνιστάται: αυτό μπορεί να σημαίνει ότι δεν θα μπορείτε να φιλτράρετε ή να κάνετε αναζήτηση σε εξωτερικούς χρήστες σε ορισμένες σελίδες) +UserHideNonEmployee=Απόκρυψη μη υπαλλήλων χρηστών από όλες τις συνδυαστικές λίστες χρηστών (Δεν συνιστάται: αυτό μπορεί να σημαίνει ότι δεν θα μπορείτε να φιλτράρετε ή να κάνετε αναζήτηση σε μη εργαζόμενους χρήστες σε ορισμένες σελίδες) UsersDocModules=Πρότυπα εγγράφων για έγγραφα που δημιουργήθηκαν από εγγραφή χρήστη GroupsDocModules=Πρότυπα εγγράφων για έγγραφα που δημιουργούνται από εγγραφή ομάδας ##### HRM setup ##### @@ -1509,8 +1522,8 @@ WatermarkOnDraftContractCards=Υδατογράφημα σε προσχέδια MembersSetup=Ρύθμιση ενότητας μελών MemberMainOptions=Κύριες επιλογές MemberCodeChecker=Επιλογές για αυτόματη δημιουργία κωδικών μελών -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +AdherentLoginRequired=Διαχείριση ενός login/password για κάθε μέλος +AdherentLoginRequiredDesc=Προσθέστε μια τιμή για μια σύνδεση και έναν κωδικό πρόσβασης στο αρχείο μέλους. Εάν το μέλος είναι συνδεδεμένο με έναν χρήστη, η ενημέρωση των στοιχείων σύνδεσης και κωδικού πρόσβασης μέλους θα ενημερώσει επίσης τη σύνδεση και τον κωδικό πρόσβασης του χρήστη. AdherentMailRequired=Απαιτείται email για τη δημιουργία νέου μέλους MemberSendInformationByMailByDefault=Το πλαίσιο ελέγχου για την αποστολή επιβεβαίωσης αλληλογραφίας στα μέλη (επικύρωση ή νέα συνδρομή) είναι ενεργοποιημένο από προεπιλογή MemberCreateAnExternalUserForSubscriptionValidated=Δημιουργήστε στοιχεία σύνδεσης εξωτερικού χρήστη για κάθε επικυρωμένη συνδρομή νέου μέλους @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Εξατομικευμένα μενού που δεν NewMenu=Νέο μενού MenuHandler=Πρόγραμμα χειρισμού μενού MenuModule=Ενότητα Μενού -HideUnauthorizedMenu=Απόκρυψη μη εξουσιοδοτημένων μενού και για εσωτερικούς χρήστες (απλώς γκριζαρισμένα διαφορετικά) +HideUnauthorizedMenu=Απόκρυψη μη εξουσιοδοτημένων μενού και για τους εσωτερικούς χρήστες (απλώς γκριζαρισμένα αλλιώς) DetailId=Αναγνωριστικό μενού DetailMenuHandler=Πρόγραμμα χειρισμού μενού όπου θα εμφανίζεται το νέο μενού DetailMenuModule=Όνομα ενότητας εάν η καταχώριση μενού προέρχεται από μια ενότητα @@ -1802,7 +1815,7 @@ DetailType=Τύπος μενού (πάνω ή αριστερά) DetailTitre=Ετικέτα μενού ή κωδικός ετικέτας για μετάφραση DetailUrl=URL στην οποία ανακατευθύνει το μενού (Σχετικός σύνδεσμος URL ή εξωτερικός σύνδεσμος με https://) DetailEnabled=Προϋπόθεση εμφάνισης ή μη εγγραφής -DetailRight=Συνθήκη για την εμφάνιση γκρι μενού μη εξουσιοδοτημένων +DetailRight=Συνθήκη για την εμφάνιση γκρι μενού των μη εξουσιοδοτημένων DetailLangs=Όνομα αρχείου Lang για μετάφραση κώδικα ετικέτας DetailUser=Intern / Extern / All Target=Στόχος @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Προεπιλεγμένος λογαριασμός CashDeskBankAccountForCheque=Ο προεπιλεγμένος λογαριασμός που θα χρησιμοποιηθεί για την παραλαβή πληρωμών με επιταγή CashDeskBankAccountForCB=Προεπιλεγμένος λογαριασμός που χρησιμοποιηθεί για τη λήψη πληρωμών με πιστωτικές κάρτες CashDeskBankAccountForSumup=Προεπιλεγμένη τράπεζα για χρήση με πληρωμές SumUp -CashDeskDoNotDecreaseStock=Απενεργοποιήστε τη μείωση των αποθεμάτων όταν μια πώληση πραγματοποιείται από το Σημείο πώλησης (εάν "όχι", η μείωση των αποθεμάτων γίνεται για κάθε πώληση που πραγματοποιείται από το POS, ανεξάρτητα από την επιλογή που έχει οριστεί στην ενότητα Απόθεμα). +CashDeskDoNotDecreaseStock=Απενεργοποίηση μείωσης αποθέματος όταν γίνεται πώληση από το POS +CashDeskDoNotDecreaseStockHelp=Εάν "όχι", η μείωση του αποθέματος γίνεται για κάθε πώληση που γίνεται από το POS, ανεξάρτητα από την επιλογή που έχει οριστεί στην ενότητα Stock. CashDeskIdWareHouse=Αναγκαστικός περιορισμός αποθήκης χρήσης για μείωση των αποθεμάτων StockDecreaseForPointOfSaleDisabled=Η μείωση του αποθέματος από το σημείο πώλησης είναι απενεργοποιημένη StockDecreaseForPointOfSaleDisabledbyBatch=Η μείωση του αποθέματος στο POS δεν είναι συμβατή με τη διαχείριση της ενότητας παρτίδες/σειριακοί αριθμοί (που αυτή τη στιγμή είναι ενεργή), επομένως η μείωση του αποθέματος είναι απενεργοποιημένη. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Επισήμανση των γραμμών του π HighlightLinesColor=Επισήμανση του χρώματος της γραμμής όταν περνάει ο δρομέας του ποντικιού από πάνω (χρησιμοποιήστε 'ffffff' για να μην γίνει επισήμανση) HighlightLinesChecked=Χρώμα επισήμανσης γραμμής όταν αυτή επιλέγεται (χρησιμοποιήστε 'ffffff' για να μην επισημανθεί) UseBorderOnTable=Εμφάνιση περιγραμμάτων αριστερά-δεξιά στους πίνακες +TableLineHeight=Ύψος γραμμής πίνακα BtnActionColor=Χρώμα του κουμπιού ενέργειας TextBtnActionColor=Χρώμα κειμένου του κουμπιού ενέργειας TextTitleColor=Χρώμα κειμένου του τίτλου σελίδας @@ -2079,8 +2094,8 @@ MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Προσθήκη στήλης για εικ MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Το πλάτος της στήλης εάν προστεθεί μια εικόνα σε γραμμές MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Απόκρυψη της στήλης τιμής μονάδας στις προσφορές MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Απόκρυψη της στήλης συνολικής τιμής στις προσφορές -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Απόκρυψη της στήλης τιμής μονάδας στις παραγγελίες αγοράς +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Απόκρυψη της στήλης συνολικής τιμής στις παραγγελίες αγοράς MAIN_PDF_NO_SENDER_FRAME=Απόκρυψη περιγραμμάτων στο πλαίσιο διεύθυνσης αποστολέα MAIN_PDF_NO_RECIPENT_FRAME=Απόκρυψη περιγραμμάτων στο πλαίσιο διεύθυνσης παραλήπτη MAIN_PDF_HIDE_CUSTOMER_CODE=Απόκρυψη κωδικού πελάτη @@ -2146,7 +2161,7 @@ EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Σαρώστ EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Παράδειγμα συλλογής απαντήσεων email που στάλθηκαν από εξωτερικό λογισμικό ηλεκτρονικού ταχυδρομείου EmailCollectorExampleToCollectDolibarrAnswersDesc=Συλλέξτε όλα τα μηνύματα ηλεκτρονικού ταχυδρομείου που είναι απάντηση σε ένα email που στάλθηκε από την εφαρμογη σας. Ένα συμβάν (Η ενότητα ατζέντα πρέπει να είναι ενεργοποιημένη) με την απάντηση μέσω email θα καταγραφεί. Για παράδειγμα, εάν στείλετε μια εμπορική προσφορά, παραγγελία, τιμολόγιο ή μήνυμα για ένα ticket μέσω email από την εφαρμογή και ο παραλήπτης απαντήσει στο email σας, το σύστημα θα καταλάβει αυτόματα την απάντηση και θα την προσθέσει στο ERP σας. EmailCollectorExampleToCollectDolibarrAnswers=Παράδειγμα συλλογής όλων των εισερχόμενων μηνυμάτων ως απαντήσεων σε μηνύματα που αποστέλλονται από το Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Συλλέξτε email που ταιριάζουν με ορισμένους κανόνες και δημιουργήστε αυτόματα έναν υποψήφιο πελάτη (η ενότητα Έργο πρέπει να είναι ενεργοποιημένη) με τις πληροφορίες email. Μπορείτε να χρησιμοποιήσετε αυτόν τον συλλέκτη εάν θέλετε να ακολουθήσετε την προοπτική αυτή χρησιμοποιώντας την ενότητα Έργο (1 υποψήφιος πελάτης = 1 έργο), έτσι ώστε οι υποψήφιοι πελάτες σας να δημιουργούνται αυτόματα. Εάν ο συλλέκτης Collect_Responses είναι επίσης ενεργοποιημένος, όταν στέλνετε ένα μήνυμα ηλεκτρονικού ταχυδρομείου από τους δυνητικούς πελάτες, τις προτάσεις σας ή οποιοδήποτε άλλο αντικείμενο, ενδέχεται επίσης να δείτε απαντήσεις των πελατών ή των συνεργατών σας απευθείας στην εφαρμογή.
      Σημείωση: Με αυτό το αρχικό παράδειγμα, δημιουργείται ο τίτλος του υποψήφιου πελάτη συμπεριλαμβανομένου του email. Εάν το τρίτο μέρος δεν μπορεί να βρεθεί στη βάση δεδομένων (νέος πελάτης), ο υποψήφιος πελάτης θα προσαρτηθεί στο τρίτο μέρος με αναγνωριστικό 1. +EmailCollectorExampleToCollectLeadsDesc=Συλλέξτε email που ταιριάζουν με ορισμένους κανόνες και δημιουργήστε αυτόματα έναν υποψήφιο πελάτη (η ενότητα Έργα πρέπει να είναι ενεργοποιημένη) με τις πληροφορίες email. Μπορείτε να χρησιμοποιήσετε αυτόν τον συλλέκτη εάν θέλετε να ακολουθήσετε τους υποψήφιους πελάτες σας χρησιμοποιώντας την ενότητα Έργα (1 υποψήφιος πελάτης = 1 έργο), έτσι ώστε οι υποψήφιοι πελάτες σας να δημιουργούνται αυτόματα. Εάν ο συλλέκτης Collect_Responses είναι επίσης ενεργοποιημένος, όταν στέλνετε ένα email από τους δυνητικούς πελάτες, τις προσφορές ή οποιοδήποτε άλλο αντικείμενο, ενδέχεται επίσης να δείτε απαντήσεις των πελατών ή των συνεργατών σας απευθείας στην εφαρμογή.
      Σημείωση: Με αυτό το αρχικό παράδειγμα, δημιουργείται ο τίτλος του δυνητικού πελάτη συμπεριλαμβανομένου του email. Εάν το τρίτο μέρος δεν μπορεί να βρεθεί στη βάση δεδομένων (νέος πελάτης), ο υποψήφιος πελάτης θα προσαρτηθεί στο τρίτο μέρος με αναγνωριστικό 1. EmailCollectorExampleToCollectLeads=Παράδειγμα συλλογής προοπτικών EmailCollectorExampleToCollectJobCandidaturesDesc=Συλλέξτε μηνύματα ηλεκτρονικού ταχυδρομείου που αιτήσεις πρόσληψης (Πρέπει να είναι ενεργοποιημένη η ενότητα πρόσληψη ). Μπορείτε να συμπληρώσετε αυτόν τον συλλέκτη εάν θέλετε να δημιουργήσετε αυτόματα μια υποψηφιότητα για ένα αίτημα εργασίας. Σημείωση: Με αυτό το αρχικό παράδειγμα, δημιουργείται ο τίτλος της υποψηφιότητας συμπεριλαμβανομένου του email. EmailCollectorExampleToCollectJobCandidatures=Παράδειγμα συλλογής υποψηφιοτήτων για θέσεις εργασίας που ελήφθησαν μέσω e-mail @@ -2188,7 +2203,7 @@ Protanopia=Πρωτανοπία Deuteranopes=Δευτερανωπία Tritanopes=Τριτανωπία ThisValueCanOverwrittenOnUserLevel=Αυτή η τιμή μπορεί να αντικατασταθεί από κάθε χρήστη από τη σελίδα του - καρτέλα '%s' -DefaultCustomerType=Προεπιλεγμένος τύπος τρίτου μέρους για τη φόρμα δημιουργίας "Νέου πελάτη" +DefaultCustomerType=Προεπιλεγμένος τύπος τρίτου μέρους για τη φόρμα δημιουργίας "Νέου πελάτη". ABankAccountMustBeDefinedOnPaymentModeSetup=Σημείωση: Ο τραπεζικός λογαριασμός πρέπει να οριστεί στη λειτουργική ενότητα κάθε τρόπου πληρωμής (Paypal, Stripe, ...) για να λειτουργήσει αυτό το χαρακτηριστικό. RootCategoryForProductsToSell=Κατηγορία ρίζας προϊόντων προς πώληση RootCategoryForProductsToSellDesc=Εάν οριστεί, μόνο προϊόντα εντός αυτής της κατηγορίας ή θυγατρικά αυτής της κατηγορίας θα είναι διαθέσιμα στο Σημείο Πώλησης @@ -2213,9 +2228,9 @@ InstanceUniqueID=Μοναδικό αναγνωριστικό της συνεδρ SmallerThan=Μικρότερη από LargerThan=Μεγαλύτερη από IfTrackingIDFoundEventWillBeLinked=Λάβετε υπόψη ότι εάν ένα αναγνωριστικό παρακολούθησης ενός αντικειμένου βρεθεί στο ηλεκτρονικό ταχυδρομείο ή εάν το μήνυμα ηλεκτρονικού ταχυδρομείου είναι απάντηση σε ένα email που έχει ήδη παραληφθεί και συνδέεται με ένα αντικείμενο, το συμβάν που δημιουργήθηκε θα συνδεθεί αυτόματα με το γνωστό σχετικό αντικείμενο. -WithGMailYouCanCreateADedicatedPassword=Με ένα λογαριασμό GMail, εάν έχετε ενεργοποιήσει την επικύρωση 2 βημάτων, σας συνιστούμε να δημιουργήσετε έναν ειδικό δευτερεύοντα κωδικό πρόσβασης για την εφαρμογή από https://myaccount.google.com/, αντί να χρησιμοποιήσετε τον υπάρχοντα κωδικό πρόσβασης +WithGMailYouCanCreateADedicatedPassword=Με έναν λογαριασμό GMail, εάν ενεργοποιήσατε την επικύρωση 2 βημάτων, συνιστάται να δημιουργήσετε έναν αποκλειστικό δεύτερο κωδικό πρόσβασης για την εφαρμογή αντί να χρησιμοποιήσετε τον κωδικό πρόσβασης του δικού σας λογαριασμού από τη διεύθυνση https://myaccount.google.com/. EmailCollectorTargetDir=Μπορεί να είναι επιθυμητή συμπεριφορά να μετακινήσετε το email σε άλλη ετικέτα/κατάλογο όταν έχει επιτυχώς υποβληθεί σε επεξεργασία. Ορίστε το όνομα του καταλόγου εδώ για να χρησιμοποιήσετε αυτήν τη δυνατότητα (ΜΗΝ χρησιμοποιείτε ειδικούς χαρακτήρες στο όνομα). Σημειώστε ότι πρέπει επίσης να χρησιμοποιήσετε έναν λογαριασμό σύνδεσης με δικαιώματα ανάγνωσης/εγγραφής. -EmailCollectorLoadThirdPartyHelp=Μπορείτε να χρησιμοποιήσετε αυτήν την ενέργεια για να χρησιμοποιήσετε το περιεχόμενο των email για να βρείτε και να φορτώσετε ένα υπάρχον τρίτο μέρος στη βάση δεδομένων σας (η αναζήτηση θα γίνει στην καθορισμένη ιδιότητα μεταξύ των "id", "name", "name_alias", "email"). Το τρίτο μέρος που βρέθηκε (ή δημιουργήθηκε) θα χρησιμοποιηθεί για τις ακόλουθες ενέργειες που το χρειάζονται.
      Για παράδειγμα, εάν θέλετε να δημιουργήσετε ένα τρίτο μέρος με ένα όνομα που έχει εξαχθεί από μια συμβολοσειρά «Όνομα: όνομα προς εύρεση» που υπάρχει στο σώμα, χρησιμοποιώντας το email του αποστολέα ως email, μπορείτε να ορίσετε το πεδίο παραμέτρου ως εξής:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +EmailCollectorLoadThirdPartyHelp=Μπορείτε να χρησιμοποιήσετε αυτήν την ενέργεια για να χρησιμοποιήσετε το περιεχόμενο του email για να βρείτε και να φορτώσετε ένα υπάρχον τρίτο μέρος στη βάση δεδομένων σας (η αναζήτηση θα γίνει στην καθορισμένη ιδιότητα μεταξύ των "id", "name", "name_alias", "email"). Το τρίτο μέρος που βρέθηκε (ή δημιουργήθηκε) θα χρησιμοποιηθεί για τις ακόλουθες ενέργειες που το χρειάζονται.
      Για παράδειγμα, εάν θέλετε να δημιουργήσετε ένα τρίτο μέρος με ένα όνομα που έχει εξαχθεί από μια συμβολοσειρά " Όνομα: όνομα προς εύρεση" που υπαρχει στο email, χρησιμοποιήστε το email του αποστολέα ως email, μπορείτε να ορίσετε το πεδίο παραμέτρου ως εξής:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Προειδοποίηση: πολλοί διακομιστές ηλεκτρονικού ταχυδρομείου (όπως το Gmail) πραγματοποιούν αναζητήσεις ολόκληρων λέξεων κατά την αναζήτηση μιας συμβολοσειράς και δεν θα επιστρέψουν αποτέλεσμα εάν η συμβολοσειρά βρεθεί μόνο εν μέρει σε μια λέξη. Για αυτόν τον λόγο, επίσης, η χρήση ειδικών χαρακτήρων σε μια αναζήτηση θα αγνοηθεί εάν δεν αποτελούν μέρος των υπαρχουσών λέξεων.
      Για να κάνετε αναζήτηση εξαίρεσης μιας λέξης (email εάν δεν βρεθεί η λέξη), μπορείτε να χρησιμοποιήσετε τον χαρακτήρα ! πριν από τη λέξη (ενδέχεται να μην λειτουργεί σε ορισμένους διακομιστές αλληλογραφίας). EndPointFor=Σημείο τερματισμού για %s: %s DeleteEmailCollector=Διαγραφή συλλέκτη email @@ -2232,7 +2247,7 @@ EmailTemplate=Πρότυπο email EMailsWillHaveMessageID=Τα μηνύματα ηλεκτρονικού ταχυδρομείου θα έχουν μια ετικέτα "References" που ταιριάζει με αυτήν τη σύνταξη PDF_SHOW_PROJECT=Εμφάνιση έργου στο έγγραφο ShowProjectLabel=Ετικέτα έργου -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Συμπεριλάβετε διακριτικό τίτλο στην ονομασία τρίτου μέρους +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Συμπερίληψη του διακριτικού τίτλου στο όνομα τρίτου μέρους THIRDPARTY_ALIAS=Όνομα τρίτου μέρους - Διακριτικός τίτλος τρίτου μέρους ALIAS_THIRDPARTY=Διακριτικός τίτλος τρίτου μέρους - Όνομα τρίτου μέρους PDFIn2Languages=Εμφάνιση ετικετών σε 2 διαφορετικές γλώσσες στα PDF @@ -2257,13 +2272,13 @@ CombinationsSeparator=Διαχωριστικός χαρακτήρας για σ SeeLinkToOnlineDocumentation=Για παραδείγματα δείτε τον σύνδεσμο προς την ηλεκτρονική τεκμηρίωση στο επάνω μενού SHOW_SUBPRODUCT_REF_IN_PDF=Εάν χρησιμοποιείται η δυνατότητα "%s" της ενότητας %s , εμφανίστε τις λεπτομέρειες των υποπροϊόντων ενός κιτ σε PDF. AskThisIDToYourBank=Επικοινωνήστε με την τράπεζά σας για να λάβετε αυτό το αναγνωριστικό -AdvancedModeOnly=Η άδεια είναι διαθέσιμη μόνο στη λειτουργία για προχωρημένους +AdvancedModeOnly=Δικαίωμα διαθέσιμο μόνο στην προηγμένη λειτουργία δικαιωμάτων ConfFileIsReadableOrWritableByAnyUsers=Το αρχείο conf είναι αναγνώσιμο ή εγγράψιμο από οποιονδήποτε χρήστη. Δώστε άδεια μόνο σε χρήστη και ομάδα του διακομιστή web. MailToSendEventOrganization=Οργάνωση Εκδηλώσεων MailToPartnership=Συνεργάτη AGENDA_EVENT_DEFAULT_STATUS=Προεπιλεγμένη κατάσταση συμβάντος κατά τη δημιουργία ενός συμβάντος από τη φόρμα YouShouldDisablePHPFunctions=Θα πρέπει να απενεργοποιήσετε τις λειτουργίες της PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=Θα πρέπει να απενεργοποιήσετε τις λειτουργίες της PHP, εκτός εάν χρειάζεται να εκτελέσετε εντολές συστήματος με προσαρμοσμένο κώδικα +IfCLINotRequiredYouShouldDisablePHPFunctions=Εκτός και εάν χρειάζεστε να εκτελείτε εντολές συστήματος σε προσαρμοσμένο κώδικα, θα πρέπει να απενεργοποιήσετε τις λειτουργίες PHP. PHPFunctionsRequiredForCLI=Για λειτουργίες shell (όπως προγραμματισμένη δημιουργία αντιγράφων ασφαλείας εργασιών ή εκτέλεση προγράμματος προστασίας από ιούς), πρέπει να διατηρήσετε τις PHP functions NoWritableFilesFoundIntoRootDir=Δεν βρέθηκαν εγγράψιμα αρχεία ή κατάλογοι των κοινών προγραμμάτων στον ριζικό σας κατάλογο (Καλό) RecommendedValueIs=Συνιστάται: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Ρύθμιση webhook Settings = Ρυθμίσεις WebhookSetupPage = Σελίδα ρύθμισης Webhook ShowQuickAddLink=Εμφάνιση ενός κουμπιού για γρήγορη προσθήκη ενός στοιχείου στο επάνω δεξιά μενού - +ShowSearchAreaInTopMenu=Εμφάνιση της περιοχής αναζήτησης στο επάνω μενού HashForPing=Hash που χρησιμοποιείται για ping ReadOnlyMode=Σε λειτουργία "Μόνο για ανάγνωση". DEBUGBAR_USE_LOG_FILE=Χρησιμοποιήστε το αρχείο dolibarr.log για να παγιδεύσετε αρχεία καταγραφής @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Δεν ειναι συμβατό με όλα τα θέ NoName=Χωρίς Όνομα ShowAdvancedOptions= Εμφάνιση σύνθετων επιλογών HideAdvancedoptions= Απόκρυψη σύνθετων επιλογών -CIDLookupURL=Η ενότητα φέρνει μια διεύθυνση URL που μπορεί να χρησιμοποιηθεί από ένα εξωτερικό εργαλείο για τη λήψη του ονόματος ενός τρίτου μέρους ή μιας επαφής από τον αριθμό τηλεφώνου του. Η διεύθυνση URL προς χρήση είναι: +CIDLookupURL=Η ενότητα φέρνει μια διεύθυνση URL που μπορεί να χρησιμοποιηθεί από ένα εξωτερικό εργαλείο για να λάβει το όνομα ενός τρίτου μέρους ή επαφής από τον αριθμό τηλεφώνου του. Η διεύθυνση URL προς χρήση είναι: OauthNotAvailableForAllAndHadToBeCreatedBefore=Ο έλεγχος ταυτότητας OAUTH2 δεν είναι διαθέσιμος για όλους τους κεντρικούς υπολογιστές και ένα token με τα σωστά δικαιώματα έπρεπε να έχει δημιουργηθεί με τη ενότητα OAUTH MAIN_MAIL_SMTPS_OAUTH_SERVICE=Υπηρεσία ελέγχου ταυτότητας OAUTH2 DontForgetCreateTokenOauthMod=Ένα token με τα σωστά δικαιώματα έπρεπε να έχει δημιουργηθεί με τη ενότητα OAUTH -MAIN_MAIL_SMTPS_AUTH_TYPE=Μέθοδος πιστοποίησης +MAIN_MAIL_SMTPS_AUTH_TYPE=Μέθοδος ελέγχου ταυτότητας UsePassword=Χρησιμοποιήστε έναν κωδικό πρόσβασης UseOauth=Χρησιμοποιήστε ένα token OAUTH Images=Eικόνες MaxNumberOfImagesInGetPost=Μέγιστος επιτρεπόμενος αριθμός εικόνων προς υποβολή σε ένα πεδίο HTML μιας φόρμας MaxNumberOfPostOnPublicPagesByIP=Μέγιστος αριθμός αναρτήσεων σε δημόσιες σελίδες με την ίδια διεύθυνση IP σε ένα μήνα -CIDLookupURL=Η ενότητα φέρνει μια διεύθυνση URL που μπορεί να χρησιμοποιηθεί από ένα εξωτερικό εργαλείο για τη λήψη του ονόματος ενός τρίτου μέρους ή μιας επαφής από τον αριθμό τηλεφώνου του. Η διεύθυνση URL προς χρήση είναι: +CIDLookupURL=Η ενότητα φέρνει μια διεύθυνση URL που μπορεί να χρησιμοποιηθεί από ένα εξωτερικό εργαλείο για να λάβει το όνομα ενός τρίτου μέρους ή επαφής από τον αριθμό τηλεφώνου του. Η διεύθυνση URL προς χρήση είναι: ScriptIsEmpty=Το script είναι κενό ShowHideTheNRequests=Εμφάνιση/απόκρυψη των %s αιτημάτων SQL DefinedAPathForAntivirusCommandIntoSetup=Ορίστε μια διαδρομή για ένα πρόγραμμα προστασίας από ιούς στο %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Απόκρυψη της ποσότητας που π MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Εμφάνιση της τιμής στα παραγόμενα έγγραφα για παραλαβές WarningDisabled=Η προειδοποίηση είναι απενεργοποιημένη LimitsAndMitigation=Όρια πρόσβασης και περιορισμός +RecommendMitigationOnURL=Συνιστάται να ενεργοποιήσετε την άμυνα των κρίσιμων URL. Αυτή είναι η λίστα των κανόνων fail2ban που μπορείτε να χρησιμοποιήσετε για τα κύρια σημαντικά URL. DesktopsOnly=Μόνο Desktops DesktopsAndSmartphones=Desktops και smartphones AllowOnlineSign=Να επιτρέπεται η online υπογραφή @@ -2403,6 +2419,24 @@ Defaultfortype=Προκαθορισμένο DefaultForTypeDesc=Πρότυπο που χρησιμοποιείται από προεπιλογή κατά τη δημιουργία νέου email για τον τύπο προτύπου OptionXShouldBeEnabledInModuleY=Η επιλογή " %s " θα πρέπει να είναι ενεργοποιημένη στην ενότητα %s OptionXIsCorrectlyEnabledInModuleY=Η επιλογή " %s " είναι ενεργοποιημένη στην ενότητα %s +AllowOnLineSign=Να επιτρέπεται η online υπογραφή AtBottomOfPage=Στο κάτω μέρος της σελίδας FailedAuth=αποτυχημένοι έλεγχοι ταυτότητας -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +MaxNumberOfFailedAuth=Μέγιστος αριθμός αποτυχημένου ελέγχου ταυτότητας σε 24 ώρες για άρνηση σύνδεσης. +AllowPasswordResetBySendingANewPassByEmail=Εάν ένας χρήστης Α έχει αυτήν την άδεια και ακόμη και αν ο χρήστης Α δεν είναι "διαχειριστής", ο Α επιτρέπεται να επαναφέρει τον κωδικό πρόσβασης οποιουδήποτε άλλου χρήστη Β, ο νέος κωδικός πρόσβασης θα σταλεί στο email του άλλου χρήστη Β, αλλά δεν θα είναι ορατό στον Α. Εάν ο χρήστης Α έχει τη σημαία "διαχειριστής", θα μπορεί επίσης να γνωρίζει ποιος είναι ο νέος κωδικός πρόσβασης που δημιουργήθηκε για τον Β, ώστε να μπορεί ακόμα και να αναλάβει τον έλεγχο του λογαριασμού χρήστη Β. +AllowAnyPrivileges=Εάν ένας χρήστης Α έχει αυτό το δικαίωμα, μπορεί να δημιουργήσει έναν χρήστη Β με όλα τα προνόμια και στη συνέχεια να χρησιμοποιήσει αυτόν τον χρήστη Β ή να παραχωρήσει στον εαυτό του οποιαδήποτε άλλη ομάδα με οποιαδήποτε άδεια. Αυτό σημαίνει ότι ο χρήστης Α κατέχει όλα τα επιχειρηματικά προνόμια (μόνο η πρόσβαση του συστήματος στις σελίδες εγκατάστασης θα απαγορεύεται) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Αυτή η τιμή μπορεί να διαβαστεί επειδή η παρουσία σας δεν έχει οριστεί σε λειτουργία παραγωγής +SeeConfFile=Δείτε το αρχείο conf.php στον διακομιστή +ReEncryptDesc=Κρυπτογραφήστε εκ νέου τα δεδομένα εάν δεν έχουν κρυπτογραφηθεί ακόμη +PasswordFieldEncrypted= Σε %s νέα εγγραφή έχει κρυπτογραφηθεί αυτό το πεδίο +ExtrafieldsDeleted=Τα επιπλέον πεδία %s έχουν διαγραφεί +LargeModern=Μεγάλο - Μοντέρνο +SpecialCharActivation=Ενεργοποιήστε το κουμπί ώστε να ανοίξετε ένα εικονικό πληκτρολόγιο για να εισάγετε ειδικούς χαρακτήρες +DeleteExtrafield=Διαγραφή extrafield +ConfirmDeleteExtrafield=Επιβεβαιώνετε τη διαγραφή του πεδίου %s; Όλα τα δεδομένα που έχουν αποθηκευτεί σε αυτό το πεδίο θα διαγραφούν οριστικά. +ExtraFieldsSupplierInvoicesRec=Συμπληρωματικά χαρακτηριστικά (πρότυπα τιμολόγια) +ExtraFieldsSupplierInvoicesLinesRec=Συμπληρωματικά χαρακτηριστικά (γραμμές προτύπου τιμολογίου) +ParametersForTestEnvironment=Παράμετροι για δοκιμαστικό περιβάλλον +TryToKeepOnly=Προσπαθήστε να κρατήσετε μόνο %s +RecommendedForProduction=Συνιστάται για Παραγωγικό περιβάλλον +RecommendedForDebug=Συνιστάται για αποσφαλμάτωση diff --git a/htdocs/langs/el_GR/bills.lang b/htdocs/langs/el_GR/bills.lang index f5c18980d01..c9f9aa41344 100644 --- a/htdocs/langs/el_GR/bills.lang +++ b/htdocs/langs/el_GR/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Πληρωμή οφειλής πελάτη DisabledBecauseRemainderToPayIsZero=Ανενεργό λόγο μηδενικού υπολοίπου πληρωμής PriceBase=Βασική τιμή BillStatus=Κατάσταση τιμολογίου -StatusOfGeneratedInvoices=Κατάσταση δημιουργηθέντων τιμολογίων +StatusOfAutoGeneratedInvoices=Κατάσταση τιμολογίων που δημιουργούνται αυτόματα BillStatusDraft=Προσχέδιο (πρέπει να επικυρωθεί) BillStatusPaid=Πληρωμένο BillStatusPaidBackOrConverted=Επιστροφή χρημάτων πιστωτικού σημειώματος ή επισήμανση ως διαθέσιμης πίστωσης @@ -167,7 +167,7 @@ ActionsOnBill=Ενέργειες στο τιμολόγιο ActionsOnBillRec=Ενέργειες σε επαναλαμβανόμενο τιμολόγιο RecurringInvoiceTemplate=Πρότυπο / Επαναλαμβανόμενο τιμολόγιο NoQualifiedRecurringInvoiceTemplateFound=Κανένα πρότυπο επαναλαμβανόμενου τιμολογίου δεν είναι κατάλληλο για δημιουργία. -FoundXQualifiedRecurringInvoiceTemplate=Βρέθηκαν %s πρότυπα επαναλαμβανόμενων τιμολογίων κατάλληλα για δημιουργία. +FoundXQualifiedRecurringInvoiceTemplate=%s πρότυπα επαναλαμβανόμενων τιμολογίων κατάλληλα για δημιουργία. NotARecurringInvoiceTemplate=Δεν είναι πρότυπο επαναλαμβανόμενου τιμολογίου NewBill=Νέο τιμολόγιο LastBills=Τελευταία %s τιμολόγια @@ -250,12 +250,13 @@ RemainderToTake=Υπόλοιπο ποσό να ληφθεί RemainderToTakeMulticurrency=Υπολειπόμενο ποσό προς λήψη, αρχικό νόμισμα RemainderToPayBack=Το υπόλοιπο ποσό για επιστροφή χρημάτων RemainderToPayBackMulticurrency=Υπόλοιπο για επιστροφή χρημάτων, αρχικό νόμισμα +NegativeIfExcessReceived=αρνητικό εάν εισπράχθηκε παραπάνω NegativeIfExcessRefunded=αρνητικό εάν επιστραφεί το επιπλέον ποσό +NegativeIfExcessPaid=αρνητικό αν καταβληθεί μεγαλύτερο ποσό Rest=Εκκρεμής AmountExpected=Ποσό που ζητήθηκε ExcessReceived=Επιπλέον ποσό που εισπράχθηκε ExcessReceivedMulticurrency=Επιπλέον ποσό που εισπράχθηκε, αρχικό νόμισμα -NegativeIfExcessReceived=αρνητικό εάν εισπράχθηκε παραπάνω ExcessPaid=Πληρώθηκε το επιπλέον ποσό ExcessPaidMulticurrency=Πληρώθηκε το επιπλέον ποσό, αρχικό νόμισμα EscompteOffered=Προσφέρθηκε έκπτωση (πληρωμή πριν από την προθεσμία) @@ -267,6 +268,8 @@ NoDraftBills=Δεν υπάρχουν προσχέδια τιμολογίων NoOtherDraftBills=Δεν υπάρχουν άλλα προσχέδια τιμολογίων NoDraftInvoices=Δεν υπάρχουν προσχέδια τιμολογίων RefBill=Αναφ. τιμολογίου +RefSupplierBill=Αναφορά τιμολογίου προμηθευτή +SupplierOrderCreateBill=Δημιουργία τιμολογίου ToBill=Προς τιμολόγηση RemainderToBill=Υπόλοιπο προς χρέωση SendBillByMail=Αποστολή τιμολογίου με email @@ -286,7 +289,7 @@ CustomerBillsUnpaid=Ανεξόφλητα τιμολόγια πελάτη NonPercuRecuperable=Μη ανακτήσιμο SetConditions=Ορίστε τους όρους πληρωμής SetMode=Ορίστε τον τύπο πληρωμής -SetRevenuStamp=Ορισμός χαρτοσήμου εσόδων +SetRevenuStamp=Ορισμός τελών χαρτοσήμου Billed=Τιμολογημένο RecurringInvoices=Επαναλαμβανόμενα τιμολόγια RecurringInvoice=Επαναλαμβανόμενο τιμολόγιο @@ -351,6 +354,7 @@ HelpAbandonOther=Το ποσό αυτό έχει εγκαταλειφθεί επ IdSocialContribution=Κοινωνική εισφορά / Φορολογικά id πληρωμής PaymentId=Κωδ. Πληρωμής PaymentRef=Αναφ. πληρωμής +SourceInvoiceId=Αναγνωριστικό τιμολογίου πηγής InvoiceId=Αναγνωριστικό τιμολογίου InvoiceRef=Αρ. Τιμολογίου InvoiceDateCreation=Ημερομηνία δημιουργίας τιμολογίου @@ -561,10 +565,10 @@ YouMustCreateStandardInvoiceFirstDesc=Πρέπει πρώτα να δημιου PDFCrabeDescription=Πρότυπο τιμολόγιο PDF Crabe. Ένα πλήρες πρότυπο τιμολογίου (παλιά υλοποίηση του προτύπου Sponge) PDFSpongeDescription=Πρότυπο PDF τιμολογίου Sponge. Ένα πλήρες πρότυπο τιμολογίου PDFCrevetteDescription=Πρότυπο PDF τιμολογίου Crevette. Ένα πλήρες πρότυπο τιμολογίου για τιμολόγια κατάστασης -TerreNumRefModelDesc1=Επιστρέφει αριθμό της μορφής %syymm-nnnn για τυπικά τιμολόγια και %syymm-nnnn για πιστωτικές σημειώσεις όπου yy είναι έτος, mm είναι μήνας και nnnn είναι ένας διαδοχικός αριθμός αυτόματης αύξησης χωρίς διακοπή και χωρίς επιστροφή στο 0 -MarsNumRefModelDesc1=Επιστρέφει αριθμό της μορφής %syymm-nnnn για τυπικά τιμολόγια, %syymm-nnnn για τιμολόγια αντικατάστασης, %syymm-nnnn για αποδείξεις προκαταβολής και %syymm-nnnn για πιστωτικές σημειώσεις όπου yy είναι έτος, mm είναι μήνας και nnnn είναι ένας διαδοχικός αριθμός αυτόματης αύξησης χωρίς διακοπή και χωρίς επιστροφή στο 0 +TerreNumRefModelDesc1=Επιστρέφει αριθμό της μορφής %syymm-nnnn για τυπικά τιμολόγια και %syymm-nnnn για πιστωτικά όπου yy είναι έτος, mm είναι μήνας και nnnn είναι ένας διαδοχικός αριθμός αυτόματης αύξησης χωρίς διακοπή και χωρίς επιστροφή στο 0 +MarsNumRefModelDesc1=Επιστρέφει αριθμό της μορφής %syymm-nnnn για τυπικά τιμολόγια, %syymm-nnnn για τιμολόγια αντικατάστασης, %syymm-nnnn για αποδείξεις προκαταβολής και %syymm-nnnn για πιστωτικά όπου yy είναι έτος, mm είναι μήνας και nnnn είναι ένας διαδοχικός αριθμός αυτόματης αύξησης χωρίς διακοπή και χωρίς επιστροφή στο 0 TerreNumRefModelError=Ένας λογαριασμός που ξεκινά με $syymm υπάρχει ήδη και δεν είναι συμβατός με αυτό το μοντέλο ακολουθίας. Αφαιρέστε το ή μετονομάστε το για να ενεργοποιήσετε αυτήν την ενότητα. -CactusNumRefModelDesc1=Επιστρέφει αριθμό της μορφής %syymm-nnnn για τυπικά τιμολόγια, %syymm-nnnn για πιστωτικά σημειώματα και %syymm-nnnn για αποδείξεις προκαταβολής όπου το yy είναι το έτος,mm ο μήνας και nnnn ένας διαδοχικός αριθμός αυτόματης αύξησης χωρίς διακοπή και χωρίς επιστροφή στο 0 +CactusNumRefModelDesc1=Επιστρέφει αριθμό της μορφής %syymm-nnnn για τυπικά τιμολόγια, %syymm-nnnn για πιστωτικά και %syymm-nnnn για αποδείξεις προκαταβολής όπου το yy είναι το έτος,mm ο μήνας και nnnn ένας διαδοχικός αριθμός αυτόματης αύξησης χωρίς διακοπή και χωρίς επιστροφή στο 0 EarlyClosingReason=Λόγος πρόωρου κλεισίματος EarlyClosingComment=Σημείωση πρόωρου κλεισίματος ##### Types de contacts ##### @@ -641,3 +645,8 @@ MentionCategoryOfOperations=Κατηγορία πράξεων MentionCategoryOfOperations0=Διανομή αγαθών MentionCategoryOfOperations1=Παροχή υπηρεσιών MentionCategoryOfOperations2=Μικτή - Παράδοση αγαθών & παροχή υπηρεσιών +Salaries=Μισθοί +InvoiceSubtype=Τύπος παραστατικού +SalaryInvoice=Μισθός +BillsAndSalaries=Λογαριασμοί & Μισθοί +CreateCreditNoteWhenClientInvoiceExists=Αυτή η επιλογή ενεργοποιείται μόνο όταν υπάρχουν επικυρωμένα τιμολόγια για ένα πελάτη ή όταν χρησιμοποιείται η σταθερά INVOICE_CREDIT_NOTE_STANDALONE (χρήσιμο για ορισμένες χώρες) diff --git a/htdocs/langs/el_GR/cashdesk.lang b/htdocs/langs/el_GR/cashdesk.lang index 602c85b4f90..5000944828c 100644 --- a/htdocs/langs/el_GR/cashdesk.lang +++ b/htdocs/langs/el_GR/cashdesk.lang @@ -76,7 +76,7 @@ TerminalSelect=Επιλέξτε το τερματικό που θέλετε να POSTicket=Εισιτήριο POS POSTerminal=Τερματικό POS POSModule=Ενότητα POS -BasicPhoneLayout=Χρησιμοποιήστε τη βασική διάταξη για τηλέφωνα +BasicPhoneLayout=Στα τηλέφωνα, αντικαταστήστε το POS με ένα ελάχιστο σχέδιο (Καταγραφή παραγγελιών μόνο, χωρίς δημιουργία τιμολογίου, χωρίς εκτύπωση αποδείξεων) SetupOfTerminalNotComplete=Η εγκατάσταση του τερματικού %s δεν έχει ολοκληρωθεί DirectPayment=Άμεση πληρωμή DirectPaymentButton=Προσθέστε ένα κουμπί "Άμεση πληρωμή με μετρητά". @@ -99,14 +99,14 @@ ByTerminal=Από τερματικό TakeposNumpadUsePaymentIcon=Χρήση εικονιδίου αντί για κείμενο στα κουμπιά πληρωμής του numpad CashDeskRefNumberingModules=Ενότητα αρίθμησης για πωλήσεις POS CashDeskGenericMaskCodes6 =
      {TN} Η ετικέτα χρησιμοποιείται για την προσθήκη του αριθμού τερματικού -TakeposGroupSameProduct=Ομαδοποίηση των ίδιων σειρών προϊόντων +TakeposGroupSameProduct=Συγχώνευση γραμμών των ίδιων προϊόντων StartAParallelSale=Ξεκινήστε μια νέα παράλληλη πώληση SaleStartedAt=Η πώληση ξεκίνησε στο %s ControlCashOpening=Άνοιγμα του αναδυόμενου παραθύρου "Έλεγχος ταμείου" κατά το άνοιγμα του POS CloseCashFence=Κλείσιμο ταμείου CashReport=Αναφορά μετρητών MainPrinterToUse=Κύριος εκτυπωτής προς χρήση -OrderPrinterToUse=Παραγγείλετε τον εκτυπωτή για χρήση +OrderPrinterToUse=Σειρά χρήσης εκτυπωτών MainTemplateToUse=Κύριο πρότυπο για χρήση OrderTemplateToUse=Πρότυπο παραγγελίας για χρήση BarRestaurant=Bar Restaurant @@ -118,7 +118,7 @@ ScanToOrder=Σαρώστε τον κωδικό QR για παραγγελία Appearance=Εμφάνιση HideCategoryImages=Απόκρυψη εικόνων κατηγορίας HideProductImages=Απόκρυψη εικόνων προϊόντων -NumberOfLinesToShow=Αριθμός γραμμών εικόνων προς εμφάνιση +NumberOfLinesToShow=Μέγιστος αριθμός γραμμών κειμένου για εμφάνιση στα εικονίδια DefineTablePlan=Καθορισμός σχεδίου τραπεζιών GiftReceiptButton=Προσθέστε ένα κουμπί "Απόδειξη δώρου". GiftReceipt=Απόδειξη δώρου @@ -135,5 +135,21 @@ PrintWithoutDetailsLabelDefault=Ετικέτα γραμμής από προεπ PrintWithoutDetails=Εκτύπωση χωρίς λεπτομέρειες YearNotDefined=Το έτος δεν έχει οριστεί TakeposBarcodeRuleToInsertProduct=Κανόνας γραμμικού κώδικα για την εισαγωγή προϊόντος -TakeposBarcodeRuleToInsertProductDesc=Κανόνας εξαγωγής αναφοράς προϊόντος + ποσότητας από σαρωμένο γραμμωτό κώδικα.
      Εάν είναι κενό (προεπιλεγμένη τιμή), η εφαρμογή θα χρησιμοποιήσει τον πλήρη γραμμωτό κώδικα που έχει σαρωθεί για να βρει το προϊόν.

      Αν οριστεί, η σύνταξη πρέπει να είναι:
      ref:NB+qu:NB+qd:NB+αλλα:NB
      όπου ΝΒ είναι ο αριθμός των χαρακτήρων που θα χρησιμοποιηθεί για την εξαγωγή δεδομένων από το σαρωμένα barcode με:
      • ref: αναφορά προϊόντος
      • qu : ποσότητα κατά την εισαγωγή στοιχείου (μονάδες)
      • qd : ποσότητα κατά την εισαγωγή στοιχείου (δεκαδικά)
      • άλλα : άλλοι χαρακτήρες
      +TakeposBarcodeRuleToInsertProductDesc=Κανόνας εξαγωγής αναφοράς προϊόντος + ποσότητας από σαρωμένο γραμμωτό κώδικα.
      Εάν είναι κενό (προεπιλεγμένη τιμή), η εφαρμογή θα χρησιμοποιήσει τον πλήρη γραμμωτό κώδικα που έχει σαρωθεί για να βρει το προϊόν.

      Αν έχει οριστεί, η σύνταξη πρέπει να είναι:
      ref:NB+qu:NB+qd:NB+other:NB
      όπου ΝΒ είναι ο αριθμός των χαρακτήρων που θα χρησιμοποιηθεί για την εξαγωγή δεδομένων από το σαρωμένα barcode με:
      ref:αναφορά προϊόντος
      qu: ποσότητα κατά την εισαγωγή στοιχείου (μονάδες)
      qd: ποσότητα κατά την εισαγωγή στοιχείου (δεκαδικά)
      other: άλλοι χαρακτήρες AlreadyPrinted=Ήδη εκτυπωμένο +HideCategories=Απόκρυψη ολόκληρης της ενότητας επιλογής κατηγοριών +HideStockOnLine=Απόκρυψη αποθέματος στην γραμμή +ShowOnlyProductInStock=Εμφάνιση μόνο προϊόντων στο απόθεμα +ShowCategoryDescription=Εμφάνιση περιγραφής κατηγορίας +ShowProductReference=Εμφάνιση αναφοράς ή ετικέτας προϊόντων +UsePriceHT=Χρήση τιμής χωρίς Φ.Π.Α. και όχι τιμής με Φ.Π.Α. κατά την τροποποίηση μιας τιμής +TerminalName=Τερματικό %s +TerminalNameDesc=Όνομα τερματικού +DefaultPOSThirdLabel=Κοινός πελάτης TakePOS +DefaultPOSCatLabel=Προϊόντα Point Of Sale (POS). +DefaultPOSProductLabel=Παράδειγμα προϊόντος για TakePOS +TakeposNeedsPayment=Το TakePOS χρειάζεται ένα τρόπο πληρωμής για να λειτουργήσει, θέλετε να ξεκινήσουμε με 'Μετρητά'; +LineDiscount=Έκπτωση γραμμής +LineDiscountShort=Έκπτωση γραμμής +InvoiceDiscount=Έκπτωση τιμολογίου +InvoiceDiscountShort=Έκπτωση τιμολογίου diff --git a/htdocs/langs/el_GR/categories.lang b/htdocs/langs/el_GR/categories.lang index 3c6ebef89d2..417eb23d240 100644 --- a/htdocs/langs/el_GR/categories.lang +++ b/htdocs/langs/el_GR/categories.lang @@ -102,4 +102,5 @@ ActionCommCategoriesArea=Κατηγορίες εκδηλώσεων WebsitePagesCategoriesArea=Κατηγορίες Σελίδας-Κοντέινερ KnowledgemanagementsCategoriesArea=Κατηγορίες άρθρων Διαχείρισης Γνώσης (KM) UseOrOperatorForCategories=Χρησιμοποιήστε τον τελεστή 'OR' για κατηγορίες -AddObjectIntoCategory=Assign to the category +AddObjectIntoCategory=Προσθήκη αντικειμένου στην κατηγορία +Position=Θέση diff --git a/htdocs/langs/el_GR/compta.lang b/htdocs/langs/el_GR/compta.lang index 0722b46a873..1b57a8dc905 100644 --- a/htdocs/langs/el_GR/compta.lang +++ b/htdocs/langs/el_GR/compta.lang @@ -162,6 +162,7 @@ CalcModeVATDebt=Λειτουργία %sΦΠΑ επί την λογιστικ CalcModeVATEngagement=Λειτουργία %sΦΠΑ επί των εσόδων-έξοδων%s. CalcModeDebt=Ανάλυση γνωστών καταγεγραμμένων παραστατικών CalcModeEngagement=Ανάλυση γνωστών καταγεγραμμένων πληρωμών +CalcModePayment=Ανάλυση γνωστών καταγεγραμμένων πληρωμών CalcModeBookkeeping=Ανάλυση δεδομένων που καταχωρήθηκαν στον πίνακα λογιστικής καθολικού. CalcModeNoBookKeeping=Ακόμα κι αν δεν έχουν ακόμη καταγραφεί στο Καθολικό CalcModeLT1= Λειτουργία %sRE στα τιμολόγια πελατών - τιμολόγια προμηθευτών%s @@ -253,6 +254,8 @@ CalculationMode=Τρόπος υπολογισμού AccountancyJournal=Ημερολόγιο λογιστικού κώδικα ACCOUNTING_VAT_SOLD_ACCOUNT=Λογαριασμός (από το λογιστικό σχέδιο) που θα χρησιμοποιηθεί ως ο προεπιλεγμένος λογαριασμός για τον ΦΠΑ επί των πωλήσεων (χρησιμοποιείται εάν δεν ορίζεται στη ρύθμιση του λεξικού ΦΠΑ) ACCOUNTING_VAT_BUY_ACCOUNT=Λογαριασμός (από το λογιστικό σχέδιο) που θα χρησιμοποιηθεί ως ο προεπιλεγμένος λογαριασμός για τον ΦΠΑ στις αγορές (χρησιμοποιείται εάν δεν ορίζεται στη ρύθμιση λεξικού ΦΠΑ) +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=Λογαριασμός (από το Λογιστικό Σχέδιο) που θα χρησιμοποιηθεί για τα τέλη χαρτοσήμου εσόδων από τις πωλήσεις +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=Λογαριασμός (από το Λογιστικό Σχέδιο) που θα χρησιμοποιηθεί για τα τέλη χαρτοσήμου στις αγορές ACCOUNTING_VAT_PAY_ACCOUNT=Λογαριασμός (από το λογιστικό σχέδιο) που θα χρησιμοποιηθεί ως προεπιλεγμένος λογαριασμός για την πληρωμή ΦΠΑ ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Λογαριασμός (από το Λογιστικό σχέδιο) που θα χρησιμοποιηθεί ως ο προεπιλεγμένος λογαριασμός ΦΠΑ σε αγορές για αντιστροφές χρεώσεων (Πίστωση) ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Λογαριασμός (από το Λογιστικό σχέδιο) που θα χρησιμοποιηθεί ως προεπιλεγμένος λογαριασμός ΦΠΑ σε αγορές για αντιστροφές χρεώσεων (Χρέωση) diff --git a/htdocs/langs/el_GR/donations.lang b/htdocs/langs/el_GR/donations.lang index b8b9590bea3..7261a63d78d 100644 --- a/htdocs/langs/el_GR/donations.lang +++ b/htdocs/langs/el_GR/donations.lang @@ -32,4 +32,5 @@ DONATION_ART238=Εμφάνιση του άρθρου 238 από το CGI εάν DONATION_ART978=Δείξτε το άρθρο 978 από το CGI εάν χρειάζεται DonationPayment=Πληρωμή Δωρεάς DonationValidated=Η δωρεά %s επικυρώθηκε -DonationUseThirdparties=Χρησιμοποιήστε ένα υπάρχον τρίτο μέρος ως συντoνιστή των δωρητών +DonationUseThirdparties=Χρησιμοποιήστε τη διεύθυνση ενός υπάρχοντος τρίτου μέρους ως διεύθυνση του χορηγού +DonationsStatistics=Στατιστικά δωρεών diff --git a/htdocs/langs/el_GR/errors.lang b/htdocs/langs/el_GR/errors.lang index efec1f9c933..c41637d76bf 100644 --- a/htdocs/langs/el_GR/errors.lang +++ b/htdocs/langs/el_GR/errors.lang @@ -32,6 +32,7 @@ ErrorBadThirdPartyName=Λάθος τιμή για όνομα τρίτου μέρ ForbiddenBySetupRules=Απαγορεύεται από τους κανόνες εγκατάστασης ErrorProdIdIsMandatory=Το %s είναι υποχρεωτικό ErrorAccountancyCodeCustomerIsMandatory=Ο λογιστικός κωδικός του πελάτη %s είναι υποχρεωτικός +ErrorAccountancyCodeSupplierIsMandatory=Ο λογιστικός κωδικός του προμηθευτή %s είναι υποχρεωτικός ErrorBadCustomerCodeSyntax=Λάθος σύνταξη για τον κωδικό πελάτη ErrorBadBarCodeSyntax=Λάθος σύνταξη για γραμμωτό κώδικα. Μπορεί να έχετε ορίσει έναν κακό τύπο γραμμικού κώδικα ή να έχετε ορίσει μια μάσκα γραμμικού κώδικα για αρίθμηση που δεν ταιριάζει με την τιμή που έχει σαρωθεί. ErrorCustomerCodeRequired=Απαιτείται κωδικός πελάτη @@ -57,13 +58,14 @@ ErrorSubjectIsRequired=Το θέμα του email είναι υποχρεωτι ErrorFailedToCreateDir=Αποτυχία δημιουργίας καταλόγου. Ελέγξτε ότι ο χρήστης του διακομιστή Web έχει δικαιώματα εγγραφής στον κατάλογο εγγράφων Dolibarr. Εάν η παράμετρος safe_mode είναι ενεργοποιημένη σε αυτήν την PHP, ελέγξτε ότι τα αρχεία php Dolibarr ανήκουν σε χρήστη (ή ομάδα) διακομιστή web. ErrorNoMailDefinedForThisUser=Δεν έχει οριστεί mail για αυτόν το χρήστη ErrorSetupOfEmailsNotComplete=Η ρύθμιση των email δεν έχει ολοκληρωθεί -ErrorFeatureNeedJavascript=Αυτό το χαρακτηριστικό χρειάζεται ενεργοποιημένη την javascript. Αλλάξτε την ρύθμιση στο Ρυθμίσεις - Εμφάνιση. +ErrorFeatureNeedJavascript=Αυτό το χαρακτηριστικό απαιτεί ενεργοποίηση της javascript. Αλλάξτε την ρύθμιση στο Ρυθμίσεις - Εμφάνιση. ErrorTopMenuMustHaveAParentWithId0=Ένα μενού τύπου "Top" δεν μπορεί να έχει γονικό μενού. Βάλτε 0 στο γονικό μενού ή επιλέξτε ένα μενού τύπου «Left». ErrorLeftMenuMustHaveAParentId=Ένα μενού τύπου "Left" πρέπει να έχει αναγνωριστικό γονέα. ErrorFileNotFound=Το αρχείο %s δεν βρέθηκε (Λάθος διαδρομή, λανθασμένα δικαιώματα, η πρόσβαση δεν επιτρέπεται από την PHP openbasedir ή την παράμετρο safe_mode) ErrorDirNotFound=Δεν βρέθηκε ο κατάλογος %s (Λάθος διαδρομή, λανθασμένα δικαιώματα, η πρόσβαση δεν επιτρέπεται από την PHP openbasedir ή την παράμετρο safe_mode) ErrorFunctionNotAvailableInPHP=Η Function %s απαιτείται για αυτήν τη δυνατότητα, αλλά δεν είναι διαθέσιμη σε αυτήν την έκδοση/ρύθμιση της PHP. ErrorDirAlreadyExists=Ένας κατάλογος με αυτό το όνομα υπάρχει ήδη. +ErrorDirNotWritable=Ο κατάλογος %s δεν είναι εγγράψιμος. ErrorFileAlreadyExists=Ένα αρχείο με αυτό το όνομα υπάρχει ήδη. ErrorDestinationAlreadyExists=Υπάρχει ήδη ένα άλλο αρχείο με το όνομα %s . ErrorPartialFile=Ο διακομιστής δεν έλαβε ολόκληρο το αρχείο. @@ -90,9 +92,9 @@ ErrorPleaseTypeBankTransactionReportName=Παρακαλώ εισάγετε το ErrorRecordHasChildren=Απέτυχε η διαγραφή της εγγραφής, καθώς έχει ορισμένες θυγατρικές εγγραφές. ErrorRecordHasAtLeastOneChildOfType=Το αντικείμενο %s έχει τουλάχιστον ένα θυγατρικό τύπου %s ErrorRecordIsUsedCantDelete=Δεν είναι δυνατή η διαγραφή εγγραφής. Χρησιμοποιείται ήδη ή συμπεριλαμβάνεται σε άλλο αντικείμενο. -ErrorModuleRequireJavascript=Η Javascript δεν πρέπει να είναι απενεργοποιημένη για να λειτουργεί αυτή η δυνατότητα. Για να ενεργοποιήσετε/απενεργοποιήσετε τη Javascript, μεταβείτε στο μενού Αρχικη->Ρυθμίσεις->Εμφάνιση. +ErrorModuleRequireJavascript=Η Javascript δεν πρέπει να είναι απενεργοποιημένη για να λειτουργεί αυτή η δυνατότητα. Για να ενεργοποιήσετε/απενεργοποιήσετε τη Javascript, μεταβείτε στο μενού Αρχική->Ρυθμίσεις->Εμφάνιση. ErrorPasswordsMustMatch=Και οι δύο πληκτρολογημένοι κωδικοί πρόσβασης πρέπει να ταιριάζουν μεταξύ τους -ErrorContactEMail=Παρουσιάστηκε τεχνικό σφάλμα. Επικοινωνήστε με τον διαχειριστή στο ακόλουθο email %s και δώστε τον κωδικό σφάλματος %s ή ένα print screen +ErrorContactEMail=Παρουσιάστηκε τεχνικό σφάλμα. Επικοινωνήστε με τον διαχειριστή στο ακόλουθο email %s και δώστε τον κωδικό σφάλματος %s ή με ένα print screen ErrorWrongValueForField=Το πεδίο %s : ' %s ' δεν ταιριάζει με τον κανόνα regex %s ErrorHtmlInjectionForField=Πεδίο %s : Η τιμή ' %s' περιέχει μη επιτρεπτά κακόβουλα δεδομένα ErrorFieldValueNotIn=Πεδίο %s : ' %s ' δεν ειναι η τιμή που βρέθηκε στο πεδίο %s του %s @@ -100,9 +102,11 @@ ErrorFieldRefNotIn=Πεδίο %s : ' %s ' δεν ειναι < ErrorMultipleRecordFoundFromRef=Βρέθηκαν αρκετές εγγραφές κατά την αναζήτηση για την αναφορά %s . Δεν υπάρχει τρόπος αντιστοίχισης κάποιου ID. ErrorsOnXLines=%sσφάλματα βρέθηκαν ErrorFileIsInfectedWithAVirus=Το πρόγραμμα προστασίας από ιούς δεν μπόρεσε να επικυρώσει το αρχείο (το αρχείο ενδέχεται να έχει μολυνθεί από ιό) +ErrorFileIsAnInfectedPDFWithJSInside=Το αρχείο είναι ένα PDF που έχει μολυνθεί από κάποιο Javascript μέσα. ErrorNumRefModel=Υπάρχει μια αναφορά στη βάση δεδομένων (%s) και δεν είναι συμβατή με αυτόν τον κανόνα αρίθμησης. Καταργήστε την εγγραφή ή την μετονομάστε την αναφορά για να ενεργοποιήσετε αυτήν την ενότητα. ErrorQtyTooLowForThisSupplier=Πολύ χαμηλή ποσότητα για αυτόν τον προμηθευτή ή δεν έχει καθοριστεί τιμή σε αυτό το προϊόν για αυτόν τον προμηθευτή ErrorOrdersNotCreatedQtyTooLow=Ορισμένες παραγγελίες δεν έχουν δημιουργηθεί λόγω υπερβολικά μικρών ποσοτήτων +ErrorOrderStatusCantBeSetToDelivered=Η κατάσταση της παραγγελίας δεν μπορεί να οριστεί ως παραδομένη. ErrorModuleSetupNotComplete=Η ρύθμιση της ενότητας %s φαίνεται να μην έχει ολοκληρωθεί. Μεταβείτε στο Αρχική - Ρυθμίσεις - Ενότητες / Εφαρμογές για ολοκλήρωση. ErrorBadMask=Σφάλμα στην μάσκα ErrorBadMaskFailedToLocatePosOfSequence=Σφάλμα, μάσκα χωρίς αύξοντα αριθμό @@ -131,7 +135,7 @@ ErrorLoginDoesNotExists=Ο χρήστης με σύνδεση %s δεν ErrorLoginHasNoEmail=Αυτός ο χρήστης δεν έχει διεύθυνση email. Η διαδικασία διακόπηκε. ErrorBadValueForCode=Λάθος τιμή για τον κωδικό ασφαλείας. Δοκιμάστε ξανά με νέα τιμή... ErrorBothFieldCantBeNegative=Τα πεδία %s και %s δεν μπορούν να είναι και τα δύο αρνητικά -ErrorFieldCantBeNegativeOnInvoice=Το πεδίο %s δεν μπορεί να είναι αρνητικό σε αυτόν τον τύπο τιμολογίου. Εάν πρέπει να προσθέσετε μια γραμμή έκπτωσης, απλώς δημιουργήστε πρώτα την έκπτωση (από το πεδίο '%s' στην κάρτα τρίτου μέρους) και εφαρμόστε την στο τιμολόγιο. +ErrorFieldCantBeNegativeOnInvoice=Το πεδίο %s δεν μπορεί να είναι αρνητικό σε αυτόν τον τύπο τιμολογίου. Εάν χρειάζεται να προσθέσετε μια γραμμή έκπτωσης, απλώς δημιουργήστε πρώτα την έκπτωση (από το πεδίο '%s' στην κάρτα τρίτου μέρους) και εφαρμόστε την στο τιμολόγιο. ErrorLinesCantBeNegativeForOneVATRate=Το σύνολο των γραμμών (καθαρό από φόρους) δεν μπορεί να είναι αρνητικό για έναν δεδομένο μη μηδενικό συντελεστή ΦΠΑ (Βρέθηκε αρνητικό σύνολο για τον συντελεστή ΦΠΑ %s %%). ErrorLinesCantBeNegativeOnDeposits=Οι γραμμές δεν μπορούν να είναι αρνητικές σε μια κατάθεση. Θα αντιμετωπίσετε προβλήματα όταν θα χρειαστεί να καταναλώσετε την προκαταβολή στο τελικό τιμολόγιο εάν το κάνετε. ErrorQtyForCustomerInvoiceCantBeNegative=Η ποσότητα στην γραμμή των τιμολογίων πελατών δεν μπορεί να είναι αρνητική @@ -150,6 +154,7 @@ ErrorToConnectToMysqlCheckInstance=Η σύνδεση με τη βάση δεδο ErrorFailedToAddContact=Αποτυχία προσθήκης επαφής ErrorDateMustBeBeforeToday=Η ημερομηνία πρέπει να είναι προγενέστερη της σημερινής ErrorDateMustBeInFuture=Η ημερομηνία πρέπει να είναι μεταγενέστερη της σημερινής +ErrorStartDateGreaterEnd=Η ημερομηνία έναρξης είναι μεγαλύτερη από την ημερομηνία λήξης ErrorPaymentModeDefinedToWithoutSetup=Ένας τρόπος πληρωμής ορίστηκε στον τύπο %s, αλλά η ρύθμιση της ενότητας Τιμολόγιο δεν ολοκληρώθηκε για τον καθορισμό πληροφοριών που θα εμφανίζονται για αυτόν τον τρόπο πληρωμής. ErrorPHPNeedModule=Σφάλμα, η PHP σας θα πρέπει να έχει εγκατεστημένη την ενότητα %s για να χρησιμοποιηθεί αυτή η δυνατότητα. ErrorOpenIDSetupNotComplete=Ρυθμίσατε το αρχείο διαμόρφωσης Dolibarr ετσι ωστε να επιτρέπεται ο έλεγχος ταυτότητας OpenID, αλλά η διεύθυνση URL της υπηρεσίας OpenID δεν ορίζεται στη σταθερά %s @@ -191,7 +196,7 @@ ErrorGlobalVariableUpdater4=Ο SOAP client απέτυχε με σφάλμα "%s" ErrorGlobalVariableUpdater5=Δεν έχει επιλεγεί καθολική μεταβλητή ErrorFieldMustBeANumeric=Το πεδίο %s πρέπει να περιέχει αριθμητική τιμή ErrorMandatoryParametersNotProvided=Δεν παρέχονται υποχρεωτικές παράμετροι -ErrorOppStatusRequiredIfUsage=You set you want to use this project to follow an opportunity, so you must also fill the initial Status of opportunity. +ErrorOppStatusRequiredIfUsage=Επιλέγετε να ακολουθήσετε μια ευκαιρία σε αυτό το έργο, επομένως πρέπει επίσης να συμπληρώσετε την κατάσταση δυνητικού πελάτη. ErrorOppStatusRequiredIfAmount=Ορίσατε ένα εκτιμώμενο ποσό για αυτόν τον δυνητικό πελάτη. Πρέπει λοιπόν να εισάγετε και την κατάστασή του. ErrorFailedToLoadModuleDescriptorForXXX=Απέτυχε η φόρτωση της κλάσης περιγραφικού αρχείου της ενότητας για %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Λάθος ορισμός διάταξης μενού στο περιγραφικό αρχείο της ενότητας (λάθος τιμή για το κλειδί fk_menu) @@ -220,7 +225,7 @@ ErrorFilenameDosNotMatchDolibarrPackageRules=Το όνομα του πακέτο ErrorDuplicateTrigger=Σφάλμα, διπλότυπο όνομα trigger %s. Έχει ήδη φορτωθεί από το %s. ErrorNoWarehouseDefined=Σφάλμα, δεν έχουν καθοριστεί αποθήκες. ErrorBadLinkSourceSetButBadValueForRef=Ο σύνδεσμος που χρησιμοποιείτε δεν είναι έγκυρος. Ορίζεται μια «πηγή» για πληρωμή, αλλά η τιμή για την «αναφορά» δεν είναι έγκυρη. -ErrorTooManyErrorsProcessStopped=Πάρα πολλά λάθη. Η διαδικασία διακόπηκε. +ErrorTooManyErrorsProcessStopped=Πάρα πολλά σφάλματα. Η διαδικασία διακόπηκε. ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Η μαζική επικύρωση δεν είναι δυνατή όταν έχει οριστεί η επιλογή αύξησης/μείωσης του αποθέματος σε αυτήν την ενέργεια (πρέπει να τις επικυρώσετε μία προς μία, ώστε να μπορείτε να ορίσετε την αποθήκη για αύξηση/μείωση) ErrorObjectMustHaveStatusDraftToBeValidated=Το αντικείμενο %s πρέπει να έχει την κατάσταση «Προσχέδιο» για να επικυρωθεί. ErrorObjectMustHaveLinesToBeValidated=Το αντικείμενο %s πρέπει να έχει γραμμές για επικύρωση. @@ -301,6 +306,7 @@ ErrorThisPaymentModeIsNotSepa=Αυτός ο τρόπος πληρωμής δεν ErrorStripeCustomerNotFoundCreateFirst=Αυτό το τρίτο μέρος δεν έχει οριστεί ως πελάτης Stripe (ή έχει οριστεί σε τιμή που έχει διαγραφεί από το Stripe). Πρώτα δημιουργήστε το (ή επισυνάψτε το ξανά). ErrorCharPlusNotSupportedByImapForSearch=Η αναζήτηση IMAP δεν μπορεί να πραγματοποιηθεί σε αποστολέα ή παραλήπτη για μια συμβολοσειρά που περιέχει τον χαρακτήρα + ErrorTableNotFound=Ο πίνακας %s δεν βρέθηκε +ErrorRefNotFound=Η Αναφ. %s δεν βρέθηκε ErrorValueForTooLow=Η τιμή για %s είναι πολύ χαμηλή ErrorValueCantBeNull=Η τιμή για %s δεν μπορεί να είναι μηδενική ErrorDateOfMovementLowerThanDateOfFileTransmission=Η ημερομηνία της τραπεζικής συναλλαγής δεν μπορεί να είναι παλαιότερη από την ημερομηνία αποστολής του αρχείου @@ -318,9 +324,13 @@ ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Σφάλμα: Η δι ErrorMenuExistValue=Υπάρχει ήδη ένα μενού με αυτόν τον τίτλο ή τη διεύθυνση URL ErrorSVGFilesNotAllowedAsLinksWithout=Τα αρχεία SVG δεν επιτρέπονται ως εξωτερικοί σύνδεσμοι χωρίς την επιλογή %s ErrorTypeMenu=Αδύνατη η προσθήκη ενός ακόμα μενού για την ίδια ενότητα στη γραμμή πλοήγησης, δεν υποστηρίζεται +ErrorObjectNotFound = Το αντικείμενο %s δεν βρέθηκε, ελέγξτε το url σας +ErrorCountryCodeMustBe2Char=Ο κωδικός χώρας πρέπει να είναι μια συμβολοσειρά 2 χαρακτήρων + ErrorTableExist=Ο πίνακας %s υπάρχει ήδη ErrorDictionaryNotFound=Το λεξικό %s δεν βρέθηκε -ErrorFailedToCreateSymLinkToMedias=Failed to create the symlinks %s to point to %s +ErrorFailedToCreateSymLinkToMedias=Απέτυχε η δημιουργία του συμβολικού συνδέσμου %s που οδηγεί στο %s +ErrorCheckTheCommandInsideTheAdvancedOptions=Ελέγξτε την εντολή που χρησιμοποιείται για την εξαγωγή στις επιλογές για προχωρημένους # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Η παράμετρος PHP upload_max_filesize (%s) είναι υψηλότερη από την παράμετρο PHP post_max_size (%s). Αυτή δεν είναι μια συνεπής ρύθμιση. @@ -359,10 +369,12 @@ WarningPaypalPaymentNotCompatibleWithStrict=Η τιμή "Αυστηρή" κάν WarningThemeForcedTo=Προειδοποίηση, έχει γίνει επιβολή του θέματος %s από την κρυφή σταθερά MAIN_FORCETEME WarningPagesWillBeDeleted=Προειδοποίηση, αυτό θα διαγράψει επίσης όλες τις υπάρχουσες σελίδες/container του ιστότοπου. Θα πρέπει να εξάγετε τον ιστότοπό σας νωρίτερα, ώστε να έχετε ένα αντίγραφο ασφαλείας για να μπορείτε να τον εισάγετε ξανά αργότερα αν χρειαστει. WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Η αυτόματη επικύρωση είναι απενεργοποιημένη όταν η επιλογή μείωσης του αποθέματος έχει οριστεί στην "Επικύρωση τιμολογίου". -WarningModuleNeedRefrech = Η ενότητα %s έχει απενεργοποιηθεί. Μην ξεχάσετε να την ενεργοποιήσετε +WarningModuleNeedRefresh = Η ενότητα %s έχει απενεργοποιηθεί. Μην ξεχάσετε να την ενεργοποιήσετε WarningPermissionAlreadyExist=Υπάρχοντα δικαιώματα για αυτό το αντικείμενο WarningGoOnAccountancySetupToAddAccounts=Εάν αυτή η λίστα είναι κενή, μεταβείτε στο μενού %s - %s - %s για να φορτώσετε ή να δημιουργήσετε λογαριασμούς για το λογιστικό σας σχέδιο. WarningCorrectedInvoiceNotFound=Το διορθωμένο τιμολόγιο δεν βρέθηκε +WarningCommentNotFound=Ελέγξτε την τοποθέτηση των σχολίων έναρξης και τέλους για την ενότητα %s στο αρχείο %s πριν υποβάλετε την ενέργειά σας +WarningAlreadyReverse=Η κίνηση αποθέματος έχει ήδη αντιστραφεί SwissQrOnlyVIR = Το SwissQR μπορεί να προστεθεί μόνο σε τιμολόγια που έχουν οριστεί για πληρωμή με πληρωμές μεταφοράς πίστωσης. SwissQrCreditorAddressInvalid = Η διεύθυνση του πιστωτή δεν είναι έγκυρη (Έχουν οριστεί ο ταχυδρομικός κώδικας και η πόλη; (%s) diff --git a/htdocs/langs/el_GR/holiday.lang b/htdocs/langs/el_GR/holiday.lang index 309a7e8c96c..a93fced5881 100644 --- a/htdocs/langs/el_GR/holiday.lang +++ b/htdocs/langs/el_GR/holiday.lang @@ -5,7 +5,7 @@ Holiday=Άδεια CPTitreMenu=Αδεια MenuReportMonth=Μηνιαία αναφορά MenuAddCP=Νέα αίτηση άδειας -MenuCollectiveAddCP=Νέα αίτηση συλλογικής άδειας +MenuCollectiveAddCP=Νέα συλλογική άδεια NotActiveModCP=Πρέπει να ενεργοποιήσετε την ενότητα Άδειες για να δείτε αυτήν τη σελίδα. AddCP=Κάντε αίτηση άδειας DateDebCP=Ημερ. έναρξης @@ -95,8 +95,8 @@ UseralreadyCPexist=Ένα αίτημα άδειας έχει ήδη γίνει groups=Ομάδες users=Χρήστες AutoSendMail=Αυτόματη αποστολή αλληλογραφίας -NewHolidayForGroup=Νέο αίτημα συλλογικής άδειας -SendRequestCollectiveCP=Αποστολή αιτήματος συλλογικής άδειας +NewHolidayForGroup=Νέα συλλογική άδεια +SendRequestCollectiveCP=Δημιουργία συλλογικής άδειας AutoValidationOnCreate=Αυτόματη επικύρωση FirstDayOfHoliday=Πρώτη μέρα άδειας LastDayOfHoliday=Τελευταία μέρα άδειας diff --git a/htdocs/langs/el_GR/hrm.lang b/htdocs/langs/el_GR/hrm.lang index 5b6af802e6d..0aefc4846f5 100644 --- a/htdocs/langs/el_GR/hrm.lang +++ b/htdocs/langs/el_GR/hrm.lang @@ -26,6 +26,7 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Προεπιλεγμένη περιγραφή τω deplacement=Ωράριο DateEval=Ημερομηνία αξιολόγησης JobCard=Καρτέλα θέσεων εργασίας +NewJobProfile=Νέο προφίλ εργασίας JobProfile=Περιγραφή εργασίας JobsProfiles=Περιγραφές εργασιών NewSkill=Νέα Δεξιότητα @@ -36,7 +37,7 @@ rank=Κατάταξη ErrNoSkillSelected=Δεν έχει επιλεγεί δεξιότητα ErrSkillAlreadyAdded=Αυτή η δεξιότητα βρίσκεται ήδη στη λίστα SkillHasNoLines=Αυτή η δεξιότητα δεν έχει γραμμές -skill=Δεξιότητα +Skill=Δεξιότητα Skills=Δεξιότητες SkillCard=Καρτέλα δεξιοτήτων EmployeeSkillsUpdated=Οι δεξιότητες των εργαζομένων έχουν ενημερωθεί (δείτε την καρτέλα "Δεξιότητες" της καρτέλας υπαλλήλου) @@ -47,7 +48,10 @@ ValidateEvaluation=Επικύρωση αξιολόγησης ConfirmValidateEvaluation=Είστε σίγουροι ότι θέλετε να επικυρώσετε αυτήν την αξιολόγηση με αναφορά %s ; EvaluationCard=Καρτέλα αξιολόγησης RequiredRank=Απαιτούμενη κατάταξη για αυτή τη θέση εργασίας +RequiredRankShort=Απαιτούμενη κατάταξη +PositionsWithThisProfile=Θέσεις με αυτό το προφίλ εργασίας EmployeeRank=Κατάταξη υπαλλήλου για αυτήν την δεξιότητα +EmployeeRankShort=Κατάταξη υπαλλήλου EmployeePosition=Θέση υπαλλήλου EmployeePositions=Θέσεις υπαλλήλων EmployeesInThisPosition=Υπάλληλοι σε αυτή τη θέση @@ -56,17 +60,17 @@ group2ToCompare=Δεύτερη ομάδα χρηστών για σύγκριση OrJobToCompare=Συγκρίνετε με τις απαιτήσεις δεξιοτήτων ενός προφίλ εργασίας difference=Διαφορά CompetenceAcquiredByOneOrMore=Ικανότητα που αποκτήθηκε από έναν ή περισσότερους χρήστες αλλά δεν ζητήθηκε από τον δεύτερο αξιολογητή -MaxlevelGreaterThan=Μέγιστο επίπεδο μεγαλύτερο από το ζητούμενο -MaxLevelEqualTo=Μέγιστο επίπεδο ίσο με το ζητούμενο -MaxLevelLowerThan=Μέγιστο επίπεδο χαμηλότερο από το ζητούμενο -MaxlevelGreaterThanShort=Το επίπεδο του εργαζομένου είναι μεγαλύτερο από το ζητούμενο -MaxLevelEqualToShort=Το επίπεδο του εργαζομένου είναι ίσο με το ζητούμενο -MaxLevelLowerThanShort=Το επίπεδο του εργαζομένου είναι χαμηλότερο από το ζητούμενο +MaxlevelGreaterThan=Το επίπεδο των εργαζομένων είναι μεγαλύτερο από το αναμενόμενο επίπεδο +MaxLevelEqualTo=Το επίπεδο εργαζομένων είναι ίσο με το αναμενόμενο επίπεδο +MaxLevelLowerThan=Το επίπεδο των εργαζομένων είναι χαμηλότερο από το αναμενόμενο επίπεδο +MaxlevelGreaterThanShort=Επίπεδο μεγαλύτερο από το αναμενόμενο +MaxLevelEqualToShort=Επίπεδο ίσο με το αναμενόμενο επίπεδο +MaxLevelLowerThanShort=Επίπεδο χαμηλότερο από το αναμενόμενο SkillNotAcquired=Ικανότητα που δεν αποκτήθηκε από όλους τους χρήστες και ζητήθηκε από τον δεύτερο αξιολογητή legend=Ετικέτα TypeSkill=Τύπος δεξιότητας -AddSkill=Προσθέστε δεξιότητες στην θέση εργασίας -RequiredSkills=Απαιτούμενες δεξιότητες για αυτή τη θέση εργασίας +AddSkill=Προσθέστε δεξιότητες στο προφίλ εργασίας +RequiredSkills=Απαιτούμενες δεξιότητες για αυτό το προφίλ εργασίας UserRank=Κατάταξη χρήστη SkillList=Λίστα δεξιοτήτων SaveRank=Αποθήκευση κατάταξης @@ -90,3 +94,4 @@ JobsExtraFields=Συμπληρωματικά χαρακτηριστικά (Πρ EvaluationsExtraFields=Συμπληρωματικά χαρακτηριστικά (Αξιολογήσεις) NeedBusinessTravels=Ανάγκη επαγγελματικών ταξιδιών NoDescription=Χωρίς περιγραφή +TheJobProfileHasNoSkillsDefinedFixBefore=Το αξιολογημένο προφίλ εργασίας αυτού του υπαλλήλου δεν δεξιότητες ορισμένες σε αυτό. Προσθέστε δεξιότητες, διαγράψτε και επανεκκινήστε την αξιολόγηση. diff --git a/htdocs/langs/el_GR/mails.lang b/htdocs/langs/el_GR/mails.lang index 44c9f662cc9..41f86a9af29 100644 --- a/htdocs/langs/el_GR/mails.lang +++ b/htdocs/langs/el_GR/mails.lang @@ -181,6 +181,8 @@ DefaultStatusEmptyMandatory=Κενό αλλά υποχρεωτικό WarningLimitSendByDay=ΠΡΟΕΙΔΟΠΟΙΗΣΗ: Η ρύθμιση ή η σύμβαση της εγκατάστασης σας περιορίζει τον αριθμό των email σας ανά ημέρα σε %s . Η προσπάθεια αποστολής περισσότερων ενδέχεται να έχει ως αποτέλεσμα την επιβράδυνση ή την αναστολή της εγκατάστασης σας. Επικοινωνήστε με την υποστήριξή σας εάν χρειάζεστε υψηλότερο όριο. NoMoreRecipientToSendTo=Δεν υπάρχει άλλος παραλήπτης για να στείλετε το email EmailOptedOut=Ο κάτοχος του email ζήτησε να μην γίνεται χρήση αυτής της διεύθυνσης email για επικοινωνία μαζί του -EvenUnsubscribe=Include opt-out emails -EvenUnsubscribeDesc=Include opt-out emails when you select emails as targets. Usefull for mandatory service emails for example. +EvenUnsubscribe=Συμπεριλάβετε opt-out emails +EvenUnsubscribeDesc=Συμπεριλάβετε opt-out emails όταν επιλέγετε emails ως στόχους. Μπορούν για παράδειγμα να χρησιμοποιηθούν για υποχρεωτικά email υπηρεσιών. XEmailsDoneYActionsDone=%s email που πληρούν τα κριτήρια, %s email επιτυχώς επεξεργασμένα (για %s εγγραφες/ενέργειες που έχουν ολοκληρωθεί) +helpWithAi=Προσθέστε οδηγίες +YouCanMakeSomeInstructionForEmail=Μπορείτε να κάνετε κάποιες οδηγίες για το email σας (Παράδειγμα: δημιουργία εικόνας σε πρότυπο email...) diff --git a/htdocs/langs/el_GR/main.lang b/htdocs/langs/el_GR/main.lang index dbc18164f36..4e500cfb32c 100644 --- a/htdocs/langs/el_GR/main.lang +++ b/htdocs/langs/el_GR/main.lang @@ -36,7 +36,7 @@ NoTranslation=Δεν μεταφράστηκε Translation=Μετάφραση Translations=Μεταφράσεις CurrentTimeZone=TimeZone PHP (server) -EmptySearchString=Εισαγάγετε μη κενά κριτήρια αναζήτησης +EmptySearchString=Εισάγετε μη κενά κριτήρια αναζήτησης EnterADateCriteria=Εισαγάγετε κριτήρια ημερομηνίας NoRecordFound=Κανένα αρχείο δεν βρέθηκε NoRecordDeleted=Κανένα αρχείο δεν διαγράφηκε @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Αποτυχία αποστολής mail (αποστολέ ErrorFileNotUploaded=Το αρχείο δεν φορτώθηκε. Βεβαιωθείτε ότι το μέγεθος δεν υπερβαίνει το μέγιστο επιτρεπόμενο όριο, ότι υπάρχει διαθέσιμος χώρος στο δίσκο και ότι δεν υπάρχει ήδη ένα αρχείο με το ίδιο όνομα σε αυτόν τον κατάλογο. ErrorInternalErrorDetected=Εντοπίστηκε Σφάλμα ErrorWrongHostParameter=Λάθος παράμετρος διακομιστή -ErrorYourCountryIsNotDefined=Η χώρα σας δεν έχει οριστεί. Μεταβείτε στην Αρχική-Ρυθμίσεις-Εταιρεία / Οργανισμός και δημοσιεύστε την φόρμα πάλι. +ErrorYourCountryIsNotDefined=Η χώρα σας δεν έχει οριστεί. Μεταβείτε στο Αρχική-Ρυθμίσεις-Εταιρεία / Οργανισμός και δημοσιεύστε ξανά τη φόρμα. ErrorRecordIsUsedByChild=Αποτυχία κατάργησης αυτής της εγγραφής. Αυτή η εγγραφή χρησιμοποιείται από τουλάχιστον ένα θυγατρικό αρχείο. ErrorWrongValue=Λάθος τιμή ErrorWrongValueForParameterX=Λανθασμένη τιμή για την παράμετρο %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Σφάλμα, δεν ορίστηκαν π ErrorNoSocialContributionForSellerCountry=Σφάλμα, καμία κοινωνική εισφορά / φόροι ορίζονται για τη χώρα '%s'. ErrorFailedToSaveFile=Σφάλμα, αποτυχία αποθήκευσης αρχείου ErrorCannotAddThisParentWarehouse=Προσπαθείτε να προσθέσετε μια γονική αποθήκη που είναι ήδη θυγατρική μιας υπάρχουσας αποθήκης +ErrorInvalidSubtype=Ο επιλεγμένος τύπος παραστατικού δεν επιτρέπεται FieldCannotBeNegative=Το πεδίο "%s" δεν μπορεί να είναι αρνητικό MaxNbOfRecordPerPage=Μέγιστος αριθμός εγγραφών ανά σελίδα NotAuthorized=Δεν έχετε εξουσιοδότηση(δικαιώματα) για να κάνετε αυτό. @@ -103,7 +104,8 @@ RecordGenerated=Η εγγραφή δημιουργήθηκε LevelOfFeature=Επίπεδο δυνατοτήτων NotDefined=Μη καθορισμένο DolibarrInHttpAuthenticationSoPasswordUseless=Η λειτουργία ελέγχου ταυτότητας Dolibarr έχει οριστεί σε %s στο αρχείο διαμόρφωσης conf.php
      Αυτό σημαίνει ότι η βάση δεδομένων κωδικών πρόσβασης είναι εξωτερική του Dolibarr, επομένως η αλλαγή αυτού του πεδίου ενδέχεται να μην έχει αποτέλεσμα. -Administrator=Διαχειριστής +Administrator=Διαχειριστής συστήματος +AdministratorDesc=Ο Διαχειριστής συστήματος (μπορεί να διαχειριστεί χρήστες και τα δικαιώματα τους καθώς και την ρύθμιση συστήματος και διαμόρφωση μονάδων) Undefined=Ακαθόριστο PasswordForgotten=Ξεχάσατε τον κωδικό σας; NoAccount=Δεν υπάρχει λογαριασμός; @@ -211,8 +213,8 @@ Select=Επιλογή SelectAll=Επιλογή όλων Choose=Επιλογή Resize=Αλλαγή διαστάσεων +Crop=Περικοπή ResizeOrCrop=Αλλαγή διαστάσεων ή Περικοπή -Recenter=Επαναφορά στο κέντρο Author=Συντάκτης User=Χρήστης Users=Χρήστες @@ -411,7 +413,7 @@ AmountOrPercent=Ποσό ή ποσοστό Percentage=Ποσοστό Total=Σύνολο SubTotal=Υποσύνολο -TotalHTShort=Σύνολο (εκτός) +TotalHTShort=Σύνολο χωρίς ΦΠΑ TotalHT100Short=Σύνολο 100%% (εκτός) TotalHTShortCurrency=Σύνολο (χωρίς Φ.Π.Α. σε νόμισμα) TotalTTCShort=Σύνολο (με Φ.Π.Α.) @@ -547,6 +549,7 @@ Reportings=Αναφορές Draft=Προσχέδιο Drafts=Προσχέδια StatusInterInvoiced=Τιμολογήθηκε +Done=Ολοκληρωμένες Validated=Επικυρωμένο ValidatedToProduce=Επικυρώθηκε (Για παραγωγή) Opened=Ανοιχτά @@ -678,8 +681,8 @@ Warnings=Προειδοποιήσεις BuildDoc=Δημιουργία Doc Entity=Οντότητα Entities=Οντότητες -CustomerPreview=Προεπισκόπηση Πελάτη -SupplierPreview=Προεπισκόπηση προμηθευτή +CustomerPreview=Καρτέλα Πελάτη +SupplierPreview=Καρτέλα προμηθευτή ShowCustomerPreview=Εμφάνιση Προεπισκόπησης Πελάτη ShowSupplierPreview=Εμφάνιση προεπισκόπησης προμηθευτή RefCustomer=Κωδ. Πελάτη @@ -698,6 +701,7 @@ Response=Απάντηση Priority=Προτεραιότητα SendByMail=Αποστολή μέσω email MailSentBy=Το email στάλθηκε από +MailSentByTo=Email που στάλθηκε από %s σε %s NotSent=Δεν εστάλη TextUsedInTheMessageBody=Κείμενο email SendAcknowledgementByMail=Αποστολή email επιβεβαίωσης @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Η εγγραφή τροποποιήθηκε με ε RecordsModified=%s εγγραφές τροποποιήθηκαν RecordsDeleted=%s εγγραφές διαγράφηκαν RecordsGenerated=%s καταγεγραμμένες εγγραφές +ValidatedRecordWhereFound = Ορισμένες από τις επιλεγμένες εγγραφές έχουν ήδη επικυρωθεί. Καμία εγγραφή δεν έχει διαγραφεί. AutomaticCode=Αυτόματος Κωδικός FeatureDisabled=Η δυνατότητα είναι απενεργοποιημένη MoveBox=Μετακίνηση widget @@ -764,7 +769,6 @@ DisabledModules=Απενεργοποιημένες ενότητες For=Για ForCustomer=Για τον πελάτη Signature=Υπογραφή -DateOfSignature=Ημερομηνία υπογραφής HidePassword=Εμφάνιση πραγματικής εντολής με απόκρυψη του κωδικού πρόσβασης UnHidePassword=Εμφάνιση πραγματικής εντολής με εμφάνιση του κωδικού πρόσβασης Root=Ριζικός κατάλογος @@ -916,6 +920,7 @@ BackOffice=Υποστήριξη Submit=Υποβολή View=Προβολή Export=Εξαγωγή +Import=Εισαγωγή Exports=Εξαγωγές ExportFilteredList=Εξαγωγή φιλτραρισμένης λίστας ExportList=Εξαγωγή λίστας @@ -1077,6 +1082,7 @@ CommentPage=Χώρος σχολίων CommentAdded=Προστέθηκε σχόλιο CommentDeleted=Το σχόλιο διαγράφηκε Everybody=Όλοι +EverybodySmall=Όλοι PayedBy=Πληρώθηκε από PayedTo=Πληρώθηκε σε Monthly=Μηνιαία @@ -1089,7 +1095,7 @@ KeyboardShortcut=Συντόμευση πληκτρολογίου AssignedTo=Ανάθεση σε Deletedraft=Διαγραφή προσχεδίου ConfirmMassDraftDeletion=Επιβεβαίωση μαζικής διαγραφής προσχεδίων -FileSharedViaALink=Αρχείο διαμοιραζόμενο με δημόσιο σύνδεσμο +FileSharedViaALink=Δημόσιο αρχείο κοινοποιημένο μέσω συνδέσμου SelectAThirdPartyFirst=Επιλέξτε πρώτα ένα τρίτο μέρος ... YouAreCurrentlyInSandboxMode=Αυτήν τη στιγμή βρίσκεστε στη λειτουργία "sandbox" %s Inventory=Καταγραφή εμπορευμάτων @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Εργασία ContactDefault_propal=Προσφορά ContactDefault_supplier_proposal=Προσφορά Προμηθευτή ContactDefault_ticket=Ticket -ContactAddedAutomatically=Η επαφή προστέθηκε από ρόλους τρίτων επαφών +ContactAddedAutomatically=Προστέθηκε επαφή από ρόλους τρίτων επαφών More=Περισσότερα ShowDetails=Εμφάνιση λεπτομερειών CustomReports=Προσαρμοσμένες αναφορές @@ -1164,7 +1170,7 @@ AffectUser=Εκχώρηση σε χρήστη SetSupervisor=Ορίστε τον επόπτη CreateExternalUser=Δημιουργία εξωτερικού χρήστη ConfirmAffectTag=Μαζική αντιστοίχιση ετικετών -ConfirmAffectUser=Μαζική εκχώρηση σε χρήστες +ConfirmAffectUser=Μαζική ανάθεση χρηστών ProjectRole=Ρόλος έχει εκχωρηθεί σε κάθε έργο/ευκαιρία TasksRole=Ρόλος που έχει εκχωρηθεί σε κάθε εργασία (εάν χρησιμοποιείται) ConfirmSetSupervisor=Μαζικός ορισμός Επόπτη @@ -1185,7 +1191,7 @@ SetToStatus=Ορισμός σε κατάσταση %s SetToEnabled=Ορίστε σε ενεργοποιημένη SetToDisabled=Ορίστε σε απενεργοποιημένη ConfirmMassEnabling=επιβεβαίωση μαζικής ενεργοποίησης -ConfirmMassEnablingQuestion=Είστε σίγουροι ότι θέλετε να ενεργοποιήσετε τις %sεπιλεγμένες εγγραφές; +ConfirmMassEnablingQuestion=Είστε σίγουροι ότι θέλετε να ενεργοποιήσετε τις %s επιλεγμένες εγγραφές; ConfirmMassDisabling=επιβεβαίωση μαζικής απενεργοποίησης ConfirmMassDisablingQuestion=Είστε σίγουροι ότι θέλετε να απενεργοποιήσετε τις επιλεγμένες εγγραφές %s; RecordsEnabled=Ενεργοποιήθηκαν %s εγγραφές @@ -1237,5 +1243,20 @@ SearchSyntaxTooltipForStringOrNum=Για αναζήτηση μέσα σε πεδ InProgress=Σε εξέλιξη DateOfPrinting=Ημερομηνία εκτύπωσης ClickFullScreenEscapeToLeave=Κάντε κλικ εδώ για εναλλαγή σε λειτουργία πλήρους οθόνης. Πατήστε ESCAPE για έξοδο από τη λειτουργία πλήρους οθόνης. -UserNotYetValid=Not yet valid -UserExpired=Ληγμένη +UserNotYetValid=Μη έγκυρος ακόμη +UserExpired=Έληξε +LinkANewFile=Συνδέστε ένα νέο αρχείο / έγγραφο +LinkedFiles=Συνδεδεμένα αρχεία και έγγραφα +NoLinkFound=Δεν υπάρχουν εγγεγραμμένοι σύνδεσμοι +LinkComplete=Το αρχείο έχει συνδεθεί με επιτυχία +ErrorFileNotLinked=Το αρχείο δεν μπορεί να συνδεθεί +LinkRemoved=Ο σύνδεσμος %s έχει αφαιρεθεί +ErrorFailedToDeleteLink= Απέτυχε η αφαίρεση του συνδέσμου '%s' +ErrorFailedToUpdateLink= Απέτυχε η ενημέρωση του σύνδεσμου '%s' +URLToLink=Διεύθυνση URL για σύνδεση +OverwriteIfExists=Επανεγγραφή αρχείου εάν υπάρχει +AmountSalary=Ποσό μισθού +InvoiceSubtype=Τύπος παραστατικού +ConfirmMassReverse=Επιβεβαίωση μαζικής επαναφοράς +ConfirmMassReverseQuestion=Είστε σίγουροι ότι θέλετε να επαναφέρετε την/τις %s επιλεγμένη/ες εγγραφή/ες; + diff --git a/htdocs/langs/el_GR/modulebuilder.lang b/htdocs/langs/el_GR/modulebuilder.lang index fe4ae3c18f2..b309c17193b 100644 --- a/htdocs/langs/el_GR/modulebuilder.lang +++ b/htdocs/langs/el_GR/modulebuilder.lang @@ -40,7 +40,7 @@ EditorName=Όνομα εκδότη EditorUrl=Διεύθυνση URL του επεξεργαστή DescriptorFile=Περιγραφικό αρχείο της ενότητας ClassFile=Αρχείο για την κλάση PHP DAO CRUD -ApiClassFile=Αρχείο για την κλάση API της PHP +ApiClassFile=Αρχείο API της ενότητας PageForList=Σελίδα PHP για λίστα καταγραφής PageForCreateEditView=Σελίδα PHP για δημιουργία/επεξεργασία/προβολή μιας εγγραφής PageForAgendaTab=Σελίδα PHP για καρτέλα συμβάντος @@ -92,8 +92,8 @@ ListOfMenusEntries=Λίστα καταχωρήσεων μενού ListOfDictionariesEntries=Λίστα καταχωρήσεων λεξικών ListOfPermissionsDefined=Λίστα καθορισμένων δικαιωμάτων SeeExamples=Δείτε παραδείγματα εδώ -EnabledDesc=Προϋπόθεση για να είναι ενεργό αυτό το πεδίο.

      Παραδείγματα:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=Είναι ορατό το πεδίο; (Παραδείγματα: 0=Ποτέ δεν είναι ορατό, 1=Ορατό στη λίστα και δημιουργία/ενημέρωση/προβολή φόρμας, 2=Ορατό μόνο στη λίστα, 3=Ορατό μόνο στη δημιουργία/ενημέρωση/προβολή φόρμας (όχι στη λίστα), 4=Ορατό στη λίστα και μόνο στην ενημέρωση/προβολή φόρμας (όχι δημιουργία), 5=Ορατό μόνο στη λίστα και προβολή φόρμας (όχι δημιουργία, όχι ενημέρωση).

      Η χρήση αρνητικής τιμής σημαίνει ότι το πεδίο δεν εμφανίζεται από προεπιλογή στη λίστα, αλλά μπορεί να επιλεγεί για προβολή). +EnabledDesc=Προϋπόθεση για να είναι ενεργό αυτό το πεδίο.

      Παραδείγματα:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION') == 2 +VisibleDesc=Είναι ορατό το πεδίο; (Παραδείγματα: 0=Ποτέ δεν είναι ορατό, 1=Ορατό στη λίστα και δημιουργία/ενημέρωση/προβολή φόρμας, 2=Ορατό μόνο στη λίστα, 3=Ορατό μόνο στη δημιουργία/ενημέρωση/προβολή φόρμας (όχι σε λίστες), 4=Ορατό σε λίστες και μόνο στην ενημέρωση/προβολή φόρμας (όχι δημιουργία), 5=Ορατό μόνο στη λίστα και προβολή φόρμας (όχι δημιουργία, όχι ενημέρωση).

      Η χρήση αρνητικής τιμής σημαίνει ότι το πεδίο δεν εμφανίζεται από προεπιλογή στη λίστα, αλλά μπορεί να επιλεγεί για προβολή). ItCanBeAnExpression=Μπορεί να είναι μια έκφραση. Παράδειγμα:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 DisplayOnPdfDesc=Εμφάνιση αυτού του πεδίου σε συμβατά έγγραφα PDF, μπορείτε να διαχειριστείτε τη θέση με το πεδίο "Position".
      Για έγγραφο :
      0 = δεν εμφανίζεται
      1 = εμφάνιση
      2 = εμφάνιση μόνο όταν δεν ειναι κενό

      Για γραμμές εγγράφων :
      0 = δεν εμφανίζεται
      1 = εμφάνιση σε στήλη
      3 = εμφάνιση σε στήλη γραμμής περιγραφής μετά από την περιγραφή
      4 = εμφάνιση στη στήλη περιγραφής μετά την περιγραφή μόνο εάν δεν είναι κενή DisplayOnPdf=Σε PDF @@ -107,7 +107,7 @@ PermissionsDefDesc=Καθορίστε εδώ τα νέα δικαιώματα π MenusDefDescTooltip=Τα μενού που παρέχονται από την ενότητα/εφαρμογή σας ορίζονται στον πίνακα $this->menus στο αρχείο περιγραφής της ενότητας. Μπορείτε να επεξεργαστείτε αυτό το αρχείο ή να χρησιμοποιήσετε τον ενσωματωμένο επεξεργαστή.

      Σημείωση: Μόλις καθοριστεί (και ενεργοποιηθεί ξανά η ενότητα), τα μενού είναι επίσης ορατά στο πρόγραμμα επεξεργασίας μενού που είναι διαθέσιμο στους διαχειριστές στο %s. DictionariesDefDescTooltip=Τα λεξικά που παρέχονται από την ενότητα/εφαρμογή σας καθορίζονται στη διάταξη $this->dictionaries στο αρχείο περιγραφής της ενότητας. Μπορείτε να επεξεργαστείτε χειροκίνητα αυτό το αρχείο ή να χρησιμοποιήσετε τον ενσωματωμένο επεξεργαστή.

      Σημείωση: Αφού οριστεί (και ενεργοποιηθεί ξανά η ενότητα), τα λεξικά είναι επίσης ορατά στις Ρυθμίσεις σε χρήστες με δικαιώματα διαχειριστή στο %s. PermissionsDefDescTooltip=Τα δικαιώματα που παρέχονται από την ενότητα/εφαρμογή σας καθορίζονται στη διάταξη $ this-> rights στο αρχειο περιγραφής της ενότητας. Μπορείτε να επεξεργαστείτε χειροκίνητα αυτό το αρχείο ή να χρησιμοποιήσετε τον ενσωματωμένο επεξεργαστή.

      Σημείωση: Μόλις οριστεί (και ενεργοποιηθεί ξανά η ενότητα), τα δικαιώματα είναι ορατά στην προεπιλεγμένη ρύθμιση δικαιωμάτων %s. -HooksDefDesc=Καθορίστε στην ιδιότητα module_parts['hooks'] , στο αρχείο περιγραφής της ενότητας, το context των hooks που θέλετε να διαχειριστείτε (η λίστα των context μπορεί να βρεθεί με μια αναζήτηση στο ' initHooks(' στον core code).
      Επεξεργαστείτε το αρχείο hook για να προσθέσετε τον κώδικα των συνδεδεμένων συναρτήσεων (οι συναρτήσεις με δυνατότητα hook μπορούν να βρεθούν με μια αναζήτηση στο 'executeHooks' στον core code). +HooksDefDesc=Καθορίστε στην ιδιότητα module_parts['hooks'] , στο αρχείο περιγραφής της ενότητας, τη λίστα των context όταν το hook σας πρέπει να εκτελεστεί (η λίστα των context μπορεί να βρεθεί με μια αναζήτηση του ' initHooks(' στον πηγαίο κώδικα).
      Επεξεργαστείτε στη συνέχεια το αρχείο με τον κώδικα σας hook για να προσθέσετε τον κώδικα των συνδεδεμένων συναρτήσεων (οι συναρτήσεις με δυνατότητα hook μπορούν να βρεθούν με μια αναζήτηση στο 'executeHooks' στον πηγαίο κώδικα). TriggerDefDesc=Καθορίστε στο αρχείο trigger τον κώδικα που θέλετε να εκτελείτε όταν εκτελείται ένα επαγγελματικό συμβάν εκτός της ενότητας (συμβάντα που ενεργοποιούνται από άλλες ενότητες). SeeIDsInUse=Δείτε τα αναγνωριστικά που χρησιμοποιούνται στην εγκατάσταση σας SeeReservedIDsRangeHere=Δείτε το εύρος των δεσμευμένων αναγνωριστικών @@ -128,7 +128,7 @@ RealPathOfModule=Πραγματική διαδρομή της ενότητας ContentCantBeEmpty=Το περιεχόμενο του αρχείου δεν μπορεί να είναι άδειο WidgetDesc=Μπορείτε να δημιουργήσετε και να επεξεργαστείτε εδώ τα γραφικά στοιχεία(widgets) που θα ενσωματωθούν με τη ενότητα σας. CSSDesc=Μπορείτε να δημιουργήσετε και να επεξεργαστείτε εδώ ένα αρχείο με εξατομικευμένο CSS ενσωματωμένο στην ενότητα σας. -JSDesc=Μπορείτε να δημιουργήσετε και να επεξεργαστείτε εδώ ένα αρχείο με Javascript ενσωματωμένο με την ενότητα σας. +JSDesc=Μπορείτε να δημιουργήσετε και να επεξεργαστείτε εδώ ένα αρχείο με εξατομικευμένο JavaScript που ενσωματώνεται με την ενότητα σας. CLIDesc=Μπορείτε να δημιουργήσετε εδώ ορισμένα scripts γραμμής εντολών που θέλετε να παρέχετε με την ενότητα σας. CLIFile=Αρχείο CLI NoCLIFile=Δεν υπάρχουν αρχεία CLI @@ -148,8 +148,8 @@ CSSViewClass=CSS για φόρμα ανάγνωσης CSSListClass=CSS για λίστα NotEditable=Μη επεξεργάσιμο ForeignKey=Ξένο κλειδί -ForeignKeyDesc=Εάν η τιμή αυτού του πεδίου πρέπει οπωσδήποτε να υπάρχει σε ένα άλλον πίνακα. Εισαγάγετε εδώ μια σύνταξη που αντιστοιχεί στην τιμή: tablename.parentfieldtocheck -TypeOfFieldsHelp=Παράδειγμα:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1'' σημαίνει ότι προσθέτουμε ένα κουμπί + μετά το σύνθετο πλαίσιο για να δημιουργήσουμε την εγγραφή
      'filter' is a sql condition, παράδειγμα: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' +ForeignKeyDesc=Εάν η τιμή αυτού του πεδίου πρέπει εγγυημένα να υπάρχει σε άλλον πίνακα. Εισαγάγετε εδώ μια τιμή που να ταιριάζει με τη σύνταξη: tablename.parentfieldtocheck +TypeOfFieldsHelp=Παράδειγμα:
      varchar(99)
      email
      phone
      ip
      url
      password
      double(24,8)
      real
      text
      html
      date
      datetime
      timestamp
      integer
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]

      '1' σημαίνει ότι προσθέτουμε ένα κουμπί + μετά τo combo για να δημιουργήσουμε την εγγραφή
      'filter' είναι μια καθολικη συνθήκη σύνταξης φίλτρου, παράδειγμα: '((status:=:1) AND (fk_user:=:__USER_ID__) AND (entity:IN:(__SHARED_ENTITIES__))' TypeOfFieldsHelpIntro=Αυτός είναι ο τύπος του πεδίου/χαρακτηριστικού. AsciiToHtmlConverter=Μεταροπέας από Ascii σε HTML AsciiToPdfConverter=Μεταροπέας από Ascii σε PDF @@ -163,11 +163,11 @@ ListOfTabsEntries=Λίστα καταχωρήσεων καρτελών TabsDefDesc=Ορίστε εδώ τις καρτέλες που παρέχονται από την ενότητα σας TabsDefDescTooltip=Οι καρτέλες που παρέχονται από την ενότητα/εφαρμογή σας ορίζονται στον πίνακα $this->tabs στο αρχείο περιγραφής της ενότητας. Μπορείτε να επεξεργαστείτε μη αυτόματα αυτό το αρχείο ή να χρησιμοποιήσετε τον ενσωματωμένο επεξεργαστή. BadValueForType=Λάθος τιμή για τον τύπο %s -DefinePropertiesFromExistingTable=Define the fields/properties from an existing table +DefinePropertiesFromExistingTable=Καθορίστε τα πεδία/ιδιότητες από έναν υπάρχοντα πίνακα DefinePropertiesFromExistingTableDesc=Εάν υπάρχει ήδη ένας πίνακας στη βάση δεδομένων (για τη δημιουργία του αντικειμένου), μπορείτε να τον χρησιμοποιήσετε για να ορίσετε τις ιδιότητες του αντικειμένου. DefinePropertiesFromExistingTableDesc2=Διατηρήστε το κενό εάν ο πίνακας δεν υπάρχει ακόμα. Ο code generator θα χρησιμοποιήσει διαφορετικά είδη πεδίων για να δημιουργήσει ένα παράδειγμα πίνακα που μπορείτε να επεξεργαστείτε αργότερα. -GeneratePermissions=I want to manage permissions on this object -GeneratePermissionsHelp=If you check this, some code will be added to manage permissions to read, write and delete record of the objects +GeneratePermissions=Θέλω να διαχειριστώ τα δικαιώματα σε αυτό το αντικείμενο +GeneratePermissionsHelp=Εάν το ελέγξετε αυτό, θα προστεθεί κάποιος κώδικας για τη διαχείριση των δικαιωμάτων ανάγνωσης, εγγραφής και διαγραφής εγγραφής των αντικειμένων PermissionDeletedSuccesfuly=Η άδεια καταργήθηκε με επιτυχία PermissionUpdatedSuccesfuly=Η άδεια ενημερώθηκε με επιτυχία PermissionAddedSuccesfuly=Η άδεια προστέθηκε με επιτυχία @@ -180,4 +180,10 @@ CRUDCreateWrite=Δημιουργία ή Ενημέρωση FailedToAddCodeIntoDescriptor=Αποτυχία προσθήκης κώδικα στον descriptor. Ελέγξτε ότι το string comment "%s" εξακολουθεί να υπάρχει στο αρχείο. DictionariesCreated=Το λεξικό %s δημιουργήθηκε με επιτυχία DictionaryDeleted=Το λεξικό %s καταργήθηκε με επιτυχία -PropertyModuleUpdated=Property %s has been update successfully +PropertyModuleUpdated=Η ιδιότητα %s ενημερώθηκε με επιτυχία +InfoForApiFile=* Όταν δημιουργείτε αρχείο για πρώτη φορά, τότε θα δημιουργηθούν όλες οι μέθοδοι για κάθε αντικείμενο.
      * Όταν κάνετε κλικ στο αφαίρεση απλώς αφαιρείτε όλες τις μεθόδους για το επιλεγμένο αντικείμενο. +SetupFile=Σελίδα ρύθμισης ενότητας +EmailingSelectors=Συλλέκτες email +EmailingSelectorDesc=Μπορείτε να δημιουργήσετε και να επεξεργαστείτε εδώ τα αρχεία κλάσεων για να παρέχετε νέους επιλογείς στόχου email για την ενότητα μαζικής αποστολής email +EmailingSelectorFile=Αρχείο επιλογέα Email +NoEmailingSelector=Δεν υπάρχει αρχείο επιλογέα Email diff --git a/htdocs/langs/el_GR/oauth.lang b/htdocs/langs/el_GR/oauth.lang index d71231a6d60..4c9b646c89a 100644 --- a/htdocs/langs/el_GR/oauth.lang +++ b/htdocs/langs/el_GR/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Το token διαγράφηκε GetAccess=Κάντε κλικ εδώ για να λάβετε ένα token RequestAccess=Κάντε κλικ εδώ για να ζητήσετε/ανανεώσετε την πρόσβαση και να λάβετε ένα νέο token DeleteAccess=Κάντε κλικ εδώ για να διαγράψετε το token -UseTheFollowingUrlAsRedirectURI=Χρησιμοποιήστε την ακόλουθη διεύθυνση URL ως URI ανακατεύθυνσης κατά τη δημιουργία των διαπιστευτηρίων σας με τον παροχέα υπηρεσιών OAuth: +RedirectURL=URL ανακατεύθυνσης +UseTheFollowingUrlAsRedirectURI=Χρησιμοποιήστε την ακόλουθη διεύθυνση URL ως τη διεύθυνση URL ανακατεύθυνσης όταν δημιουργείτε τα διαπιστευτήριά σας με τον πάροχο OAuth ListOfSupportedOauthProviders=Προσθέστε τους πάροχους σας OAuth2 token. Στη συνέχεια, μεταβείτε στη σελίδα διαχειριστή του παρόχου OAuth για να δημιουργήσετε/λάβετε ένα αναγνωριστικό και ένα μυστικό OAuth και να τα αποθηκεύσετε εδώ. Μόλις τελειώσετε, ενεργοποιήστε την άλλη καρτέλα για να δημιουργήσετε το token σας. OAuthSetupForLogin=Σελίδα διαχείρισης (δημιουργία/διαγραφή) OAuth token SeePreviousTab=Δείτε την προηγούμενη καρτέλα diff --git a/htdocs/langs/el_GR/other.lang b/htdocs/langs/el_GR/other.lang index 216999a5b32..a7a81e04fba 100644 --- a/htdocs/langs/el_GR/other.lang +++ b/htdocs/langs/el_GR/other.lang @@ -41,10 +41,11 @@ notiftofixedemail=Προς συγκεκριμένο email notiftouserandtofixedemail=Προς χρήστη και συγκεκριμένο email Notify_ORDER_VALIDATE=Η εντολή πώλησης έχει επικυρωθεί Notify_ORDER_SENTBYMAIL=Η εντολή πωλήσεων στάλθηκε μέσω ταχυδρομείου -Notify_ORDER_CLOSE=Sales order delivered +Notify_ORDER_CLOSE=Παραδόθηκε η παραγγελία πώλησης Notify_ORDER_SUPPLIER_SENTBYMAIL=Η εντολή αγοράς στάλθηκε μέσω email Notify_ORDER_SUPPLIER_VALIDATE=Η εντολή αγοράς καταγράφηκε Notify_ORDER_SUPPLIER_APPROVE=Η εντολή αγοράς εγκρίθηκε +Notify_ORDER_SUPPLIER_SUBMIT=Η παραγγελία αγοράς καταχωρήθηκε Notify_ORDER_SUPPLIER_REFUSE=Η εντολή αγοράς απορρίφθηκε Notify_PROPAL_VALIDATE=Η πρόσφορα πελάτη επικυρώθηκε Notify_PROPAL_CLOSE_SIGNED=Η πρόσφορα πελάτη έκλεισε υπογεγραμμένη @@ -66,6 +67,7 @@ Notify_BILL_SUPPLIER_SENTBYMAIL=Το τιμολόγιο προμηθευτή σ Notify_BILL_SUPPLIER_CANCELED=Το τιμολόγιο προμηθευτή ακυρώθηκε Notify_CONTRACT_VALIDATE=Η σύμβαση επικυρώθηκε Notify_FICHINTER_VALIDATE=Η παρέμβαση επικυρώθηκε +Notify_FICHINTER_CLOSE=Η παρέμβαση έκλεισε Notify_FICHINTER_ADD_CONTACT=Προσθήκη επαφής στην παρέμβαση Notify_FICHINTER_SENTBYMAIL=Η παρέμβαση στάλθηκε με mail Notify_SHIPPING_VALIDATE=Η Αποστολή επικυρώθηκε @@ -172,7 +174,7 @@ VolumeUnitmm3=mm³ (µl) VolumeUnitfoot3=ft³ VolumeUnitinch3=in³ VolumeUnitounce=ουγκιά -VolumeUnitlitre=λίτρο +VolumeUnitlitre=Λίτρο VolumeUnitgallon=γαλόνι SizeUnitm=m SizeUnitdm=dm @@ -189,15 +191,20 @@ AuthenticationDoesNotAllowSendNewPassword=Η λειτουργία ελέγχου EnableGDLibraryDesc=Εγκαταστήστε ή ενεργοποιήστε τη βιβλιοθήκη GD στην εγκατάσταση της PHP για να χρησιμοποιήσετε αυτήν την επιλογή. ProfIdShortDesc= Prof Id %s είναι μια πληροφορία ανάλογα με τη χώρα τρίτου μέρους.
      Για παράδειγμα, για τη χώρα %s , είναι ο κωδικός %s. DolibarrDemo=Dolibarr ERP / CRM demo -StatsByAmount=Statistics on amount of products/services -StatsByNumberOfUnits=Στατιστικά στοιχεία για το σύνολο των ποσοτήτων προϊόντων / υπηρεσιών -StatsByNumberOfEntities=Στατιστικά στοιχεία για τον αριθμό των παραπομπών οντοτήτων (αριθμός τιμολογίων ή παραγγελιών...) +StatsByAmount=Σύνολο καθαρού ποσού προϊόντων/υπηρεσιών +StatsByAmountProducts=Στατιστικά στοιχεία συνολικού ποσού προϊόντων +StatsByAmountServices=Στατιστικά στοιχεία συνολικού ποσού υπηρεσιών +StatsByNumberOfUnits=Σύνολο ποσοτήτων προϊόντων/υπηρεσιών +StatsByNumberOfUnitsProducts=Στατιστικά στοιχεία για το σύνολο της ποσότητας των προϊόντων +StatsByNumberOfUnitsServices=Στατιστικά στοιχεία για το σύνολο του αριθμού των υπηρεσιών +StatsByNumberOfEntities=Σύνολο αριθμού εκδιδομένων παραστατικών NumberOf=Αριθμός %s NumberOfUnits=Αριθμός μονάδων σε %s AmountIn=Ποσό %s NumberOfUnitsMos=Αριθμός μονάδων προς παραγωγή σε παραγγελίες παραγωγής EMailTextInterventionAddedContact=Μια νέα παρέμβαση %s σας έχει εκχωρηθεί. EMailTextInterventionValidated=Η παρέμβαση %s έχει επικυρωθεί. +EMailTextInterventionClosed=Η παρέμβαση %s έχει κλείσει. EMailTextInvoiceValidated=Το τιμολόγιο %s έχει επικυρωθεί. EMailTextInvoicePayed=Το τιμολόγιο %s έχει καταβληθεί. EMailTextProposalValidated=Η προσφορά %s έχει επικυρωθεί. @@ -207,11 +214,10 @@ EMailTextProposalClosedRefused=Η προσφορά %s απορρίφθηκε κ EMailTextProposalClosedRefusedWeb=Η προσφορά %s έχει κλείσει απορρίφθηκε στη σελίδα του portal. EMailTextOrderValidated=Η παραγγελία %s έχει επικυρωθεί. EMailTextOrderClose=Η παραγγελία %s παραδόθηκε. -EMailTextOrderApproved=Η παραγγελία %s έχει εγκριθεί. -EMailTextOrderValidatedBy=Η παραγγελία %s έχει καταγραφεί από τον %s. -EMailTextOrderApprovedBy=Η παραγγελία %s έχει εγκριθεί από %s. -EMailTextOrderRefused=Η παραγγελία %s απορρίφθηκε. -EMailTextOrderRefusedBy=Η παραγγελία %s απορρίφθηκε από %s. +EMailTextSupplierOrderApprovedBy=Η παραγγελία αγοράς %s έχει εγκριθεί από %s. +EMailTextSupplierOrderValidatedBy=Η παραγγελία αγοράς %s έχει καταγραφεί από %s. +EMailTextSupplierOrderSubmittedBy=Η παραγγελία αγοράς %s έχει υποβληθεί από %s. +EMailTextSupplierOrderRefusedBy=Η αγορά Παραγγελία %s απορρίφθηκε από %s. EMailTextExpeditionValidated=Η αποστολή %s έχει επικυρωθεί. EMailTextExpenseReportValidated=Η αναφορά εξόδων %s έχει επικυρωθεί. EMailTextExpenseReportApproved=Η αναφορά εξόδων %s έχει εγκριθεί. @@ -289,9 +295,11 @@ LinesToImport=Γραμμές για εισαγωγή MemoryUsage=Χρήση μνήμης RequestDuration=Διάρκεια αίτησης -ProductsPerPopularity=Προϊόντα/Υπηρεσίες κατά δημοτικότητα -PopuProp=Προϊόντα/Υπηρεσίες κατά δημοτικότητα στις Προσφορές -PopuCom=Προϊόντα / Υπηρεσίες κατά δημοτικότητα στις παραγγελίες +ProductsServicesPerPopularity=Προϊόντα|Υπηρεσίες κατά δημοτικότητα +ProductsPerPopularity=Προϊόντα κατά δημοτικότητα +ServicesPerPopularity=Υπηρεσίες κατά δημοτικότητα +PopuProp=Προϊόντα|Υπηρεσίες κατά δημοτικότητα στις Πρόσφορες +PopuCom=Προϊόντα|Υπηρεσίες κατά δημοτικότητα στις παραγγελίες ProductStatistics=Στατιστικά Προϊόντων / Υπηρεσιών NbOfQtyInOrders=Ποσότητα σε παραγγελίες SelectTheTypeOfObjectToAnalyze=Επιλέξτε ένα αντικείμενο για να δείτε τα στατιστικά του... diff --git a/htdocs/langs/el_GR/partnership.lang b/htdocs/langs/el_GR/partnership.lang index a38710c9920..c65999c5614 100644 --- a/htdocs/langs/el_GR/partnership.lang +++ b/htdocs/langs/el_GR/partnership.lang @@ -41,7 +41,7 @@ PartnershipAboutPage=Σελίδα σχετικά με τη συνεργασία partnershipforthirdpartyormember=Η κατάσταση συνεργάτη πρέπει να οριστεί σε "τρίτο μέρος" ή "μέλος" PARTNERSHIP_IS_MANAGED_FOR=Η διαχείριση της συνεργασίας PARTNERSHIP_BACKLINKS_TO_CHECK=Backlinks για έλεγχο -PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Αριθμός ημερών πριν από την κατάσταση ακύρωσης μιας συνεργασίας όταν έχει λήξει μια συνδρομή +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Αριθμός ημερών πριν από την κατάταξη μιας συνεργασίας σε κατάσταση ακύρωσης όταν έχει λήξει μια συνδρομή ReferingWebsiteCheck=Έλεγχος αναφοράς ιστότοπου ReferingWebsiteCheckDesc=Μπορείτε να ενεργοποιήσετε μια δυνατότητα για να ελέγχετε ότι οι συνεργάτες σας έχουν προσθέσει έναν σύνδεσμο backlink του ιστότοπου σας στον δικό τους ιστότοπο. PublicFormRegistrationPartnerDesc=Το Dolibarr μπορεί να σας παρέχει μια δημόσια διεύθυνση URL/ιστότοπο για να επιτρέπεται σε εξωτερικούς επισκέπτες η αίτηση συμμετοχής στο πρόγραμμα συνεργασίας. @@ -82,10 +82,10 @@ YourPartnershipRefusedTopic=Η συνεργασία απορρίφθηκε YourPartnershipAcceptedTopic=Η Συνεργασία έγινε αποδεκτή YourPartnershipCanceledTopic=Η συνεργασία ακυρώθηκε -YourPartnershipWillSoonBeCanceledContent=Σας ενημερώνουμε ότι η συνεργασία μας θα ακυρωθεί σύντομα (δεν βρέθηκε backlink ) -YourPartnershipRefusedContent=Σας ενημερώνουμε ότι το αίτημα σας για συνεργασία απορρίφθηκε. -YourPartnershipAcceptedContent=Σας ενημερώνουμε ότι το αίτημα συνεργασίας σας έγινε δεκτό. -YourPartnershipCanceledContent=Σας ενημερώνουμε ότι η συνεργασία μας έχει ακυρωθεί. +YourPartnershipWillSoonBeCanceledContent=Θα θέλαμε να σας ενημερώσουμε ότι η συνεργασία μας θα ακυρωθεί σύντομα (δεν ανανεώθηκε ή δεν έχουν πληρωθεί οι προϋποθέσεις για τη συνεργασία μας). Παρακαλούμε επικοινωνήστε μαζί μας αν λάβατε αυτό λόγω σφάλματος. +YourPartnershipRefusedContent=Θα θέλαμε να σας ενημερώσουμε ότι το αίτημα συνεργασίας σας έχει απορριφθεί. Δεν πληρούνται οι προϋποθέσεις. Επικοινωνήστε μαζί μας εάν χρειάζεστε περισσότερες πληροφορίες. +YourPartnershipAcceptedContent=Θα θέλαμε να σας ενημερώσουμε ότι το αίτημα σας για συνεργασία έχει γίνει αποδεκτό. +YourPartnershipCanceledContent=Θα θέλαμε να σας ενημερώσουμε ότι η συνεργασία μας έχει ακυρωθεί. Παρακαλούμε επικοινωνήστε μαζί μας αν χρειάζεστε περισσότερες πληροφορίες. CountLastUrlCheckError=Αριθμός σφαλμάτων για τον τελευταίο έλεγχο URL LastCheckBacklink=Ημερομηνία τελευταίου ελέγχου διεύθυνσης URL @@ -95,3 +95,5 @@ NewPartnershipRequest=Νέο αίτημα συνεργασίας NewPartnershipRequestDesc=Αυτή η φόρμα σάς επιτρέπει να ζητήσετε να συμμετάσχετε σε ένα από τα προγράμματα συνεργασίας μας. Εάν χρειάζεστε βοήθεια για να συμπληρώσετε αυτήν τη φόρμα, επικοινωνήστε μέσω email %s . ThisUrlMustContainsAtLeastOneLinkToWebsite=Αυτή η σελίδα πρέπει να περιέχει τουλάχιστον έναν σύνδεσμο προς έναν από τους ακόλουθους τομείς: %s +IPOfApplicant=IP του αιτούντος + diff --git a/htdocs/langs/el_GR/products.lang b/htdocs/langs/el_GR/products.lang index 6cef3584026..da064b85183 100644 --- a/htdocs/langs/el_GR/products.lang +++ b/htdocs/langs/el_GR/products.lang @@ -80,8 +80,11 @@ SoldAmount=Ποσό που πουλήθηκε PurchasedAmount=Ποσό που αγοράστηκε NewPrice=Νέα Τιμή MinPrice=Ελάχ. τιμή πώλησης +MinPriceHT=Ελάχιστη τιμή πώλησης (χωρίς Φ.Π.Α) +MinPriceTTC=Ελάχιστη τιμή πώλησης (συμπ. Φ.Π.Α) EditSellingPriceLabel=Επεξεργασία ετικέτας τιμής πώλησης CantBeLessThanMinPrice=Η τιμή πώλησης δεν μπορεί να είναι χαμηλότερη από την ελάχιστη επιτρεπόμενη για αυτό το προϊόν (%s χωρίς Φ.Π.Α). Αυτό το μήνυμα μπορεί επίσης να εμφανιστεί εάν πληκτρολογήσετε μια πολύ σημαντική έκπτωση. +CantBeLessThanMinPriceInclTax=Η τιμή πώλησης δεν μπορεί να είναι χαμηλότερη από την ελάχιστη επιτρεπόμενη για αυτό το προϊόν (%s συμπεριλαμβανομένων των φόρων). Αυτό το μήνυμα μπορεί επίσης να εμφανιστεί εάν πληκτρολογήσετε μια πολύ μεγάλη έκπτωση. ContractStatusClosed=Κλειστό ErrorProductAlreadyExists=Ένα προϊόν με κωδικό %s υπάρχει ήδη. ErrorProductBadRefOrLabel=Λανθασμένη τιμή για αναφορά ή ετικέτα. @@ -351,6 +354,7 @@ PackagingForThisProductDesc=Θα αγοράσετε αυτόματα ένα πο QtyRecalculatedWithPackaging=Η ποσότητα της γραμμής υπολογίστηκε εκ νέου σύμφωνα με τη συσκευασία του προμηθευτή #Attributes +Attributes=Ιδιότητες VariantAttributes=Χαρακτηριστικά παραλλαγής ProductAttributes=Χαρακτηριστικά παραλλαγών για προϊόντα ProductAttributeName=Χαρακτηριστικό παραλλαγής %s @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Παρουσιάστηκε σφάλμα κατά NbOfDifferentValues=Αριθ. Διαφορετικών τιμών NbProducts=Αριθμός προϊόντων ParentProduct=Αρχικό προϊόν +ParentProductOfVariant=Γονικό προϊόν παραλλαγής HideChildProducts=Απόκρυψη παραλλαγών προϊόντων ShowChildProducts=Εμφάνιση παραλλαγών προϊόντων NoEditVariants=Μεταβείτε στην καρτέλα του αρχικού προϊόντος και επεξεργαστείτε τις επιπτώσεις των τιμών των παραλλαγών στην καρτέλα παραλλαγών @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Επιλέξτε το επιπλέον πεδίο που ConfirmEditExtrafieldQuestion = Είστε σιγουροι ότι θέλετε να τροποποιήσετε αυτό το επιπλέον πεδίο; ModifyValueExtrafields = Τροποποίηση της τιμής ενός επιπλέον πεδίου OrProductsWithCategories=Ή προϊόντα με ετικέτες/κατηγορίες +WarningTransferBatchStockMouvToGlobal = Εάν θέλετε να αποσυνδεθείτε από αυτό το προϊόν, όλο το σειριακό απόθεμα του θα μετατραπεί σε γενικό απόθεμα +WarningConvertFromBatchToSerial=Εάν έχετε αυτή τη στιγμή ποσότητα μεγαλύτερη ή ίση του 2 για το προϊόν, η μετάβαση σε αυτήν την επιλογή σημαίνει ότι θα έχετε ένα προϊόν με διαφορετικά αντικείμενα από την ίδια παρτίδα (ενώ επιθυμείτε ένα μοναδικό αριθμό σειράς). Το διπλότυπο θα παραμείνει μέχρι να γίνει ένας έλεγχος αποθέματος ή μια χειροκίνητη κίνηση αποθέματος για να διορθωθεί αυτό. diff --git a/htdocs/langs/el_GR/projects.lang b/htdocs/langs/el_GR/projects.lang index 924803722f3..4c79b90d018 100644 --- a/htdocs/langs/el_GR/projects.lang +++ b/htdocs/langs/el_GR/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Εκτός έργου NoProject=Κανένα έργο δεν έχει οριστεί ή εκχωρηθεί NbOfProjects=Αριθμός έργων NbOfTasks=Αριθμός εργασιών +TimeEntry=Παρακολούθηση χρόνου TimeSpent=Χρόνος που ξοδεύτηκε +TimeSpentSmall=Χρόνος που δαπανήθηκε TimeSpentByYou=Χρόνος που ξοδεύτηκε από εσάς TimeSpentByUser=Χρόνος που ξοδεύτηκε από χρήστη -TimesSpent=Χρόνος που δαπανήθηκε TaskId=Αναγνωριστικό εργασίας RefTask=Αναφορά εργασίας LabelTask=Ετικέτα εργασιών @@ -164,8 +165,8 @@ ProjectModifiedInDolibarr=Το έργο %s τροποποιήθηκε TaskCreatedInDolibarr=Δημιουργήθηκε η εργασία %s TaskModifiedInDolibarr=Η εργασία %s τροποποιήθηκε TaskDeletedInDolibarr=Η εργασία %s διαγράφηκε -OpportunityStatus=Κατάσταση προοπτικής -OpportunityStatusShort=Κατάσταση προοπτικής +OpportunityStatus=Κατάσταση δυνητικού πελάτη +OpportunityStatusShort=Κατάσταση δυνητικού πελάτη OpportunityProbability=Πιθανότητα προοπτικής OpportunityProbabilityShort=Πιθαν. προοπτικής OpportunityAmount=Ποσό προοπτικής @@ -221,12 +222,12 @@ ProjectNbProjectByMonth=Αριθμός δημιουργηθέντων έργων ProjectNbTaskByMonth=Αριθμός δημιουργημένων εργασιών ανά μήνα ProjectOppAmountOfProjectsByMonth=Ποσό προοπτικών ανά μήνα ProjectWeightedOppAmountOfProjectsByMonth=Σταθμισμένο ποσό προοπτικών ανά μήνα -ProjectOpenedProjectByOppStatus=Άνοιγμα προοπτικής/έργου ανά κατάσταση προοπτικής +ProjectOpenedProjectByOppStatus=Άνοιγμα προοπτικής/έργου ανά Κατάσταση δυνητικού πελάτη ProjectsStatistics=Στατιστικά έργων ή προοπτικών TasksStatistics=Στατιστικά εργασιών των έργων ή των προοπτικών TaskAssignedToEnterTime=Η εργασία έχει εκχωρηθεί. Πρέπει να είναι δυνατή η εισαγωγή του χρόνου αυτού του έργου. IdTaskTime=Αναγνωριστικό χρόνου εργασίας -YouCanCompleteRef=Εάν θέλετε να συμπληρώσετε την αναφορά με κάποιο επίθημα, συνιστάται να προσθέσετε έναν χαρακτήρα - για να το διαχωρίσετε, έτσι η αυτόματη αρίθμηση θα εξακολουθεί να λειτουργεί σωστά για τα επόμενα έργα. Για παράδειγμα %s-MYSUFFIX +YouCanCompleteRef=Εάν θέλετε να συμπληρώσετε την αναφορά ref με κάποιο επίθημα, συνίσταται να προσθέσετε μια - για να το χωρίσετε, έτσι ώστε η αυτόματη αρίθμηση να λειτουργεί σωστά για τα επόμενα έργα. Για παράδειγμα %s-MYSUFFIX OpenedProjectsByThirdparties=Ανοιχτά έργα ανά τρίτο μέρος OnlyOpportunitiesShort=Μόνο προοπτικές OpenedOpportunitiesShort=Ανοιχτές προοπτικές diff --git a/htdocs/langs/el_GR/propal.lang b/htdocs/langs/el_GR/propal.lang index 062c29eee01..535e2d45d7e 100644 --- a/htdocs/langs/el_GR/propal.lang +++ b/htdocs/langs/el_GR/propal.lang @@ -12,9 +12,11 @@ NewPropal=Νέα Προσφορά Prospect=Προοπτική DeleteProp=Διαγραφή Προσφοράς ValidateProp=Επικύρωση Προσφοράς +CancelPropal=Ακύρωση AddProp=Δημιουργία προσφοράς ConfirmDeleteProp=Είστε σίγουροι ότι θέλετε να διαγράψετε αυτήν την προσφορά; ConfirmValidateProp=Είστε σίγουροι ότι θέλετε να επικυρώσετε αυτήν την προσφορά με το όνομα %s ; +ConfirmCancelPropal=Είστε σίγουροι ότι θέλετε να ακυρώσετε την προσφορά %s; LastPropals=Τελευταίες %s προσφορές LastModifiedProposals=Τελευταίες %s τροποποιημένες προσφορές AllPropals=Όλες οι Προσφορές @@ -27,11 +29,13 @@ NbOfProposals=Αριθμός Προσφορών ShowPropal=Εμφάνιση Προσφοράς PropalsDraft=Προσχέδια PropalsOpened=Ανοιχτές +PropalStatusCanceled=Ακυρώθηκε (Εγκαταλελειμμένο) PropalStatusDraft=Προσχέδιο (χρειάζεται επικύρωση) PropalStatusValidated=Επικυρωμένη (η Προσφορά είναι ανοιχτή) PropalStatusSigned=Υπογεγραμμένη (χρειάζεται χρέωση) PropalStatusNotSigned=Δεν έχει υπογραφεί (κλειστή) PropalStatusBilled=Τιμολογήθηκε +PropalStatusCanceledShort=Ακυρώθηκε PropalStatusDraftShort=Προσχέδιο PropalStatusValidatedShort=Επικυρωμένη (ανοιχτή) PropalStatusClosedShort=Κλειστή @@ -114,6 +118,7 @@ RefusePropal=Απόρριψη προσφοράς Sign=Υπογραφή SignContract=Υπογραφή σύμβασης SignFichinter=Υπογραφή παρέμβασης +SignSociete_rib=Υπογραφή εντολής SignPropal=Αποδοχή προσφοράς Signed=υπογεγραμμένη SignedOnly=Μόνο υπογεγραμμένη diff --git a/htdocs/langs/el_GR/receptions.lang b/htdocs/langs/el_GR/receptions.lang index a5f101e830d..d9741cd9eaa 100644 --- a/htdocs/langs/el_GR/receptions.lang +++ b/htdocs/langs/el_GR/receptions.lang @@ -53,5 +53,6 @@ ReceptionBackToDraftInDolibarr=Επιστροφή σε προσχέδιο της ReceptionClassifyClosedInDolibarr=Η παραλαβή %s ταξινομήθηκε ως Κλειστή ReceptionUnClassifyCloseddInDolibarr=Άνοιγμα ξανά της παραλαβής %s RestoreWithCurrentQtySaved=Συμπληρώστε τις ποσότητες με τις πιο πρόσφατες αποθηκευμένες τιμές -ReceptionUpdated=Reception sucessfully updated -ReceptionDistribution=Reception distribution +ReceptionsRecorded=Οι παραλαβές καταγράφηκαν +ReceptionUpdated=Η παραλαβή ενημερώθηκε με επιτυχία. +ReceptionDistribution=Διανομή παραλαβής diff --git a/htdocs/langs/el_GR/sendings.lang b/htdocs/langs/el_GR/sendings.lang index 224a45c1a95..d8dc5b5cd39 100644 --- a/htdocs/langs/el_GR/sendings.lang +++ b/htdocs/langs/el_GR/sendings.lang @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Ποσότητα προϊόντος NoProductToShipFoundIntoStock=Δεν βρέθηκε προϊόν προς αποστολή στην αποθήκη %s . Διορθώστε το απόθεμα ή επιλέξτε άλλη αποθήκη. WeightVolShort=Βάρος/Όγκος ValidateOrderFirstBeforeShipment=Θα πρέπει πρώτα να επικυρώσετε την παραγγελία πριν να μπορέσετε να πραγματοποιήσετε αποστολές. +NoLineGoOnTabToAddSome=Χωρίς γραμμή, μεταβείτε στην καρτέλα "%s" για προσθήκη # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Άθροισμα βάρους προϊόντων # warehouse details DetailWarehouseNumber= Λεπτομέρειες Αποθήκης DetailWarehouseFormat= Α: %s (Ποσότητα: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Εμφάνιση της τελευταίας ημερομηνίας εισαγωγής εγγραφής στο απόθεμα κατά τη δημιουργία αποστολής για σειριακό αριθμό ή παρτίδα +CreationOptions=Διαθέσιμες επιλογές κατά τη δημιουργία αποστολής -ShipmentDistribution=Shipment distribution +ShipmentDistribution=Διανομή αποστολής -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=Δεν έγινε αποστολή της γραμμής %s καθώς βρέθηκαν πάρα πολλοί συνδυασμοί αποθήκης, προϊόντος, κωδικών παρτίδας (%s). +ErrorNoCombinationBatchcode=Δεν έγινε αποθήκευση της γραμμής %s καθώς δεν βρέθηκε συνδυασμός αποθήκης, προϊόντος, κωδικού παρτίδας(%s,%s,%s). + +ErrorTooMuchShipped=Η ποσότητα προς αποστολή δεν πρέπει να είναι μεγαλύτερη από την ποσότητα που παραγγέλθηκε για τη γραμμή %s diff --git a/htdocs/langs/el_GR/stocks.lang b/htdocs/langs/el_GR/stocks.lang index 4cc72e1ed4b..4c84a17bb95 100644 --- a/htdocs/langs/el_GR/stocks.lang +++ b/htdocs/langs/el_GR/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=Προσωπικό απόθεμα %s ThisWarehouseIsPersonalStock=Αυτή η αποθήκη αποτελεί προσωπική απόθεμα του %s %s SelectWarehouseForStockDecrease=Επιλογή αποθήκης που θα χρησιμοποιηθεί για μείωση αποθεμάτων SelectWarehouseForStockIncrease=Επιλογή αποθήκης που θα χρησιμοποιηθεί για αύξηση των αποθεμάτων +RevertProductsToStock=Επαναφορά προϊόντων σε απόθεμα; NoStockAction=Καμία ενέργεια στα αποθέματα DesiredStock=Επιθυμητό απόθεμα DesiredStockDesc=Αυτό το ποσό αποθέματος θα είναι η αξία που χρησιμοποιείται για την πλήρωση του αποθέματος ανά δυνατότητα αναπλήρωσης. @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=Δεν έχετε αρκετό απόθεμα, για ShowWarehouse=Εμφάνιση αποθήκης MovementCorrectStock=Διόρθωση αποθέματος για το προϊόν %s MovementTransferStock=Μετακίνηση αποθέματος του προϊόντος %s σε μια άλλη αποθήκη +BatchStockMouvementAddInGlobal=Μεταφορά παρτίδας αποθέματος στο γενικό απόθεμα (το προϊόν δεν χρησιμοποιεί πλέον παρτίδες) InventoryCodeShort=Κωδικός Αποθεμ./Κιν. NoPendingReceptionOnSupplierOrder=Δεν υπάρχει αναμενόμενη παραλαβή λόγω ανοικτής εντολής αγοράς ThisSerialAlreadyExistWithDifferentDate=Αυτή η παρτίδα / σειριακός αριθμός ( %s ) υπάρχει ήδη αλλά με διαφορετική ημερομηνία κατανάλωσης ή πώλησης (βρέθηκε %s αλλά εισάγατε %s ). @@ -177,7 +179,7 @@ OptionMULTIPRICESIsOn=Η επιλογή "πολλές τιμές ανά τμήμ ProductStockWarehouseCreated=Όριο αποθέματος για ειδοποίηση και το επιθυμητό βέλτιστο απόθεμα δημιουργήθηκαν σωστά ProductStockWarehouseUpdated=Το όριο αποθέματος για ειδοποίηση και το επιθυμητό βέλτιστο απόθεμα ενημερώθηκαν σωστά ProductStockWarehouseDeleted=Το όριο αποθέματος για ειδοποίηση και το επιθυμητό βέλτιστο απόθεμα διαγράφηκαν σωστά -ProductStockWarehouse=Stock limit for alert and desired optimal stock by product and warehouse +ProductStockWarehouse=Όριο αποθέματος για ειδοποίηση και επιθυμητό βέλτιστο απόθεμα ανά προϊόν και αποθήκη AddNewProductStockWarehouse=Ορίστε νέο όριο για ειδοποίηση και επιθυμητό βέλτιστο απόθεμα AddStockLocationLine=Μειώστε την ποσότητα και μετά κάντε κλικ για να χωρίσετε τη γραμμή InventoryDate=Ημερομηνία απογραφής @@ -210,8 +212,8 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Οι κινήσεις των απο inventoryChangePMPPermission=Επιτρέψτε να αλλάξετε την τιμή PMP για ένα προϊόν ColumnNewPMP=Νέα μονάδα PMP OnlyProdsInStock=Μην προσθέτετε προϊόν χωρίς απόθεμα -TheoricalQty=Υποθετική ποσότητα -TheoricalValue=Υποθετική ποσότητα +TheoricalQty=Πλασματική ποσότητα +TheoricalValue=Πλασματική ποσότητα LastPA=Τελευταία BP CurrentPA=Τρέχουσα BP RecordedQty=Καταγεγραμμένη ποσότητα @@ -239,12 +241,12 @@ InventoryForASpecificWarehouse=Απογραφή για μια συγκεκριμ InventoryForASpecificProduct=Απογραφή για ένα συγκεκριμένο προϊόν StockIsRequiredToChooseWhichLotToUse=Απαιτείται ένα υπάρχον απόθεμα για να μπορείτε να επιλέξετε ποια παρτίδα θα χρησιμοποιήσετε ForceTo=Επιβολή -AlwaysShowFullArbo=Display the full path of a warehouse (parent warehouses) on the popup of warehouse links (Warning: This may decrease dramatically performances) +AlwaysShowFullArbo=Εμφάνιση της πλήρους διαδρομής μιας αποθήκης (γονικές αποθήκες) στο αναδυόμενο παράθυρο συνδέσμων αποθήκης (Προειδοποίηση: Αυτό μπορεί να μειώσει δραματικά την επίδοση) StockAtDatePastDesc=Μπορείτε να δείτε εδώ το απόθεμα (πραγματικό απόθεμα) σε μια συγκεκριμένη ημερομηνία στο παρελθόν StockAtDateFutureDesc=Μπορείτε να δείτε εδώ το απόθεμα (εικονικό απόθεμα) σε μια συγκεκριμένη ημερομηνία στο μέλλον CurrentStock=Τρέχον απόθεμα InventoryRealQtyHelp=Ορίστε την τιμή στο 0 για επαναφορά του ποσού
      Διατηρήστε το πεδίο κενό ή αφαιρέστε τη γραμμή για να παραμείνει αμετάβλητο -UpdateByScaning=Ενημερώστε την πραγματική ποσότητα με σάρωση +UpdateByScaning=Συμπληρώστε την πραγματική ποσότητα με σάρωση UpdateByScaningProductBarcode=Ενημέρωση με σάρωση (barcode προϊόντος) UpdateByScaningLot=Ενημέρωση με σάρωση (barcode παρτίδας|σειριακού αριθμού) DisableStockChangeOfSubProduct=Απενεργοποιήστε την αλλαγή αποθέματος για όλα τα υποπροϊόντα αυτού του κιτ κατά τη διάρκεια αυτής της κίνησης. @@ -318,8 +320,18 @@ StockTransferRightRead=Ανάγνωση μεταφορών αποθεμάτων StockTransferRightCreateUpdate=Δημιουργία/Ενημέρωση μεταφορών αποθεμάτων StockTransferRightDelete=Διαγραφή μεταφορών αποθεμάτων BatchNotFound=Δεν βρέθηκε παρτίδα / σειριακός αριθμός για αυτό το προϊόν -StockMovementWillBeRecorded=Stock movement will be recorded -StockMovementNotYetRecorded=Stock movement will not be affected by this step -WarningThisWIllAlsoDeleteStock=Προειδοποίηση, αυτό θα διαγράψει επίσης όλες τις ποσότητες απόθεματος στην αποθήκη +StockEntryDate=Ημερομηνία
      καταχώρησης σε απόθεμα +StockMovementWillBeRecorded=Η κίνηση του αποθέματος θα καταγραφεί +StockMovementNotYetRecorded=Η κίνηση του αποθέματος δεν θα επηρεαστεί από αυτό το βήμα +ReverseConfirmed=Η κίνηση των αποθεμάτων έχει αντιστραφεί με επιτυχία + +WarningThisWIllAlsoDeleteStock=Προειδοποίηση, αυτό θα διαγράψει επίσης όλες τις ποσότητες αποθέματος στην αποθήκη +ValidateInventory=Επικύρωση αποθέματος +IncludeSubWarehouse=Συμπερίληψη υποαποθήκης ; +IncludeSubWarehouseExplanation=Επιλέξτε αυτό το πλαίσιο εάν θέλετε να συμπεριλάβετε όλες τις υποαποθήκες της σχετικής αποθήκης στο απόθεμα DeleteBatch=Διαγραφή παρτίδας/σειράς ConfirmDeleteBatch=Είστε σίγουροι ότι θέλετε να διαγράψετε την παρτίδα/σειρά; +WarehouseUsage=Χρήση αποθήκης +InternalWarehouse=Εσωτερική αποθήκη +ExternalWarehouse=Εξωτερική αποθήκη +WarningThisWIllAlsoDeleteStock=Προειδοποίηση, αυτό θα διαγράψει επίσης όλες τις ποσότητες αποθέματος στην αποθήκη diff --git a/htdocs/langs/el_GR/stripe.lang b/htdocs/langs/el_GR/stripe.lang index 1eef9e2d2dd..47f163333e0 100644 --- a/htdocs/langs/el_GR/stripe.lang +++ b/htdocs/langs/el_GR/stripe.lang @@ -71,9 +71,10 @@ ToOfferALinkForTestWebhook=Σύνδεσμος για τη ρύθμιση του ToOfferALinkForLiveWebhook=Σύνδεσμος για τη ρύθμιση του Stripe WebHook για κλήση του IPN (κανονική λειτουργία) PaymentWillBeRecordedForNextPeriod=Η πληρωμή θα καταγραφεί για την επόμενη περίοδο. ClickHereToTryAgain=Κάντε κλικ εδώ για να δοκιμάσετε ξανά ... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Λόγω των κανόνων ισχυρού ελέγχου ταυτότητας πελατών, η δημιουργία κάρτας πρέπει να γίνει από την Stripe. Μπορείτε να κάνετε κλικ εδώ για να ενεργοποιήσετε την εγγραφή πελατών Stripe: %s +CreationOfPaymentModeMustBeDoneFromStripeInterface=Λόγω των ισχυρών κανόνων ελέγχου ταυτότητας πελάτης, η δημιουργία μιας κάρτας πρέπει να γίνει από το Stripe. Μπορείτε να κάνετε κλικ εδώ για να ενεργοποιήσετε την εγγραφή πελάτη Stripe: %s STRIPE_CARD_PRESENT=Δώροκάρτα για τερματικά Stripe TERMINAL_LOCATION=Τοποθεσία (διεύθυνση) για Stripe Terminals RequestDirectDebitWithStripe=Άμεση Χρέωση με Stripe +RequesCreditTransferWithStripe=Αίτηση μεταφοράς πίστωσης με το Stripe STRIPE_SEPA_DIRECT_DEBIT=Ενεργοποιήστε τις πληρωμές άμεσης χρέωσης μέσω Stripe - +StripeConnect_Mode=Stripe Connect mode diff --git a/htdocs/langs/el_GR/users.lang b/htdocs/langs/el_GR/users.lang index 85adf3c663b..75758149cb6 100644 --- a/htdocs/langs/el_GR/users.lang +++ b/htdocs/langs/el_GR/users.lang @@ -32,9 +32,8 @@ CreateUser=Δημιουργία χρήστη LoginNotDefined=Το όνομα χρήστη δεν έχει οριστεί. NameNotDefined=Το όνομα δεν έχει οριστεί. ListOfUsers=Λίστα χρηστών -SuperAdministrator=Υπερδιαχειριστής -SuperAdministratorDesc=Καθολικός διαχειριστής -AdministratorDesc=Διαχειριστής +SuperAdministrator=Διαχειριστής πολλαπλών εταιρειών +SuperAdministratorDesc=O Διαχειριστής συστήματος πολλαπλών εταιρειών (μπορεί να αλλάξει ρυθμίσεις και χρήστες) DefaultRights=Προεπιλεγμένα δικαιώματα DefaultRightsDesc=Καθορίστε εδώ τα προεπιλεγμένα δικαιώματα που χορηγούνται αυτόματα σε ένα νέο χρήστη (για να τροποποιήσετε τα δικαιώματα για τους υπάρχοντες χρήστες, πηγαίνετε στην καρτέλα χρήστη). DolibarrUsers=Χρήστες Dolibarr @@ -110,8 +109,9 @@ ExpectedWorkedHours=Αναμενόμενες ώρες εργασίας ανά ε ColorUser=Χρώμα χρήστη DisabledInMonoUserMode=Απενεργοποιημένο σε κατάσταση συντήρησης UserAccountancyCode=Λογιστικός κωδικός χρήστη -UserLogoff=Αποσύνδεση χρήστη -UserLogged=Ο χρήστης καταγράφηκε +UserLogoff=Αποσύνδεση χρήστη: %s +UserLogged=Ο χρήστης συνδέθηκε: %s +UserLoginFailed=Η σύνδεση χρήστη απέτυχε: %s DateOfEmployment=Ημερομηνία πρόσληψης DateEmployment=Εργασία DateEmploymentStart=Ημερομηνία Έναρξης Απασχόλησης @@ -132,3 +132,5 @@ ShowAllPerms=Εμφάνιση όλων των γραμμών δικαιωμάτ HideAllPerms=Απόκρυψη όλων των γραμμών δικαιωμάτων UserPublicPageDesc=Μπορείτε να ενεργοποιήσετε μια εικονική κάρτα για αυτόν τον χρήστη. Ένα url με το προφίλ χρήστη και έναν γραμμωτό κώδικα θα είναι διαθέσιμο για να επιτρέπεται σε οποιονδήποτε διαθέτει smartphone να το σαρώσει και να προσθέσει την επαφή σας στο βιβλίο διευθύνσεών του. EnablePublicVirtualCard=Ενεργοποίηση της εικονικής επαγγελματικής κάρτας του χρήστη +UserEnabledDisabled=Η κατάσταση χρήστη άλλαξε: %s +AlternativeEmailForOAuth2=Εναλλακτικό Email για την είσοδο με OAuth2 diff --git a/htdocs/langs/el_GR/website.lang b/htdocs/langs/el_GR/website.lang index dacc7c95a02..4e86d15ae7c 100644 --- a/htdocs/langs/el_GR/website.lang +++ b/htdocs/langs/el_GR/website.lang @@ -60,10 +60,11 @@ NoPageYet=Δεν υπάρχουν ακόμη σελίδες YouCanCreatePageOrImportTemplate=Μπορείτε να δημιουργήσετε μια νέα σελίδα ή να εισάγετε ένα πλήρες πρότυπο ιστότοπου SyntaxHelp=Βοήθεια για συγκεκριμένες συμβουλές σύνταξης YouCanEditHtmlSourceckeditor=Μπορείτε να επεξεργαστείτε τον πηγαίο κώδικα HTML χρησιμοποιώντας το κουμπί "Πηγή" στο πρόγραμμα επεξεργασίας. -YouCanEditHtmlSource=
      Μπορείτε να συμπεριλάβετε κώδικα PHP σε αυτήν την πηγή χρησιμοποιώντας ετικέτες <?php ?>. Οι ακόλουθες καθολικές μεταβλητές είναι διαθέσιμες: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Μπορείτε επίσης να συμπεριλάβετε το περιεχόμενο μιας άλλης σελίδας / Container με την ακόλουθη σύνταξη:
      <?php includeContainer('alias_of_container_to_include'); ?>

      Μπορείτε να κάνετε ανακατεύθυνση σε άλλη σελίδα / Container με την ακόλουθη σύνταξη (Σημείωση: μην κανετε output περιεχομένου πριν από μια ανακατεύθυνση):
      < php redirectToContainer ( «alias_of_container_to_redirect_to»)? ; >

      Για να προσθέσετε ένα σύνδεσμο σε μια άλλη σελίδα, χρησιμοποιήστε τη σύνταξη:
      <a href = «alias_of_page_to_link_to.php» >mylink<a>

      Για να συμπεριλάβετεένα σύνδεσμο μεταφορτωσης(download) ένα αρχείο που είναι αποθηκευμένο στον φάκελο documents , χρησιμοποιήστε το document.phpwrapper:
      παράδειγμα, για ένα αρχείο που βρίσκεται στο documents/ECM (πρέπει να είστε συνδεδεμένοι), η σύνταξη είναι:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      για ένα αρχείο που βρίσκεται στο documents/media (ανοιχτός κατάλογος με δημόσια πρόσβαση), η σύνταξη είναι:
      <a href="/document.php?modulepart=media&file=[relative_dir/]filename.ext">
      Για ένα διαμοιραζόμενο αρχείο με έναν σύνδεσμο(ανοικτή πρόσβαση χρησιμοποιώντας το sharing hash key του αρχείου), η σύνταξη είναι:
      <a href="/document.php?hashp=publicsharekeyoffile">

      για να περιλαμβάνει μια εικόνααποθηκευμενη στον φακελοdocuments, χρησιμοποιήστε τηνviewimage.php wrapper:
      Παράδειγμα, για μια εικόνα στο documents/media (ανοιχτός κατάλογος με δημόσια πρόσβαση), η σύνταξη είναι:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      Μπορείτε να συμπεριλάβετε κώδικα PHP σε αυτήν την πηγή χρησιμοποιώντας τις ετικέτες <?php ?>. Οι ακόλουθες παγκόσμιες μεταβλητές είναι διαθέσιμες: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Μπορείτε επίσης να συμπεριλάβετε το περιεχόμενο μιας άλλης Σελίδας/Container με την ακόλουθη σύνταξη:
      <?php includeContainer('alias_of_container_to_include'); ?>

      Μπορείτε να κάνετε ανακατεύθυνση σε μια άλλη Σελίδα/Container με την ακόλουθη σύνταξη (Σημείωση: μην εμφανίζετε κανένα περιεχόμενο πριν από μια ανακατεύθυνση):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      Για να προσθέσετε ένα σύνδεσμο σε μια άλλη σελίδα, χρησιμοποιήστε τη σύνταξη:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      Για να συμπεριλάβετε ένα σύνδεσμο για λήψη ενός αρχείου που αποθηκεύμενο στον κατάλογο documents, χρησιμοποιήστε τον wrapper: document.php
      Παράδειγμα, για ένα αρχείο στο documents/ecm (χρειάζεται σύνδεση), η σύνταξη είναι:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Για ένα αρχείο στο documents/medias (ανοιχτός κατάλογος για δημόσια πρόσβαση), η σύνταξη είναι:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      Για ένα αρχείο που κοινοποιείται με έναν σύνδεσμο κοινοποίησης (ανοιχτή πρόσβαση χρησιμοποιώντας το hash key κοινοποίησης του αρχείου), η σύνταξη είναι:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      Για να συμπεριλάβετε μια εικόνα που είναι αποθηκευμένη στον κατάλογο documents, χρησιμοποιήστε τον wrapper viewimage.php.
      Παράδειγμα, για μια εικόνα στον κατάλογο "documents/medias" (ανοιχτός κατάλογος για δημόσια πρόσβαση), η σύνταξη είναι:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Για τον διαμοιρασμό εικόνας με ένα σύνδεσμο (δώσε πρόσβαση χρησιμοποιώντας το sharing hash key του αρχείου), η σύνταξη είναι:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      Περισσότερα παραδείγματα HTML ή δυναμικού κώδικα είναι διαθέσιμα στο τεκμηρίωση του wiki
      . +YouCanEditHtmlSource3=Για να λάβετε το URL της εικόνας ενός αντικειμένου PHP, χρησιμοποιήστε
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      Περισσότερα παραδείγματα HTML ή δυναμικού κώδικα είναι διαθέσιμα στο wiki .
      ClonePage=Κλωνοποίηση σελίδας/κοντέινερ CloneSite=Κλωνοποίηση ιστοσελίδας SiteAdded=Προστέθηκε ιστότοπος @@ -118,7 +119,7 @@ MyWebsitePages=Οι σελίδες του ιστότοπού μου SearchReplaceInto=Αναζήτηση | Αντικατάσταση ReplaceString=Νέα συμβολοσειρά CSSContentTooltipHelp=Εισάγετε εδώ περιεχόμενο CSS. Για να αποφύγετε οποιαδήποτε διένεξη με το CSS της εφαρμογής, φροντίστε να προσθεσετε στην αρχη όλωνς των δηλώσεων την κλάση .bodywebsite. Για παράδειγμα το:

      #mycssselector, input.myclass:hover { ... }
      πρέπει να γίνει
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Σημείωση: Αν έχετε ένα μεγάλο αρχείο χωρίς αυτό το πρόθεμα, μπορείτε να χρησιμοποιήσετε το 'lessc' για να το μετατρέψετε ώστε να προσαρτήσετε το πρόθεμα .bodywebsite παντού. -LinkAndScriptsHereAreNotLoadedInEditor=Προειδοποίηση: Αυτό το περιεχόμενο εμφανίζεται μόνο όταν γίνεται πρόσβαση στον ιστότοπο από διακομιστή. Δεν χρησιμοποιείται στη λειτουργία επεξεργασίας, οπότε αν χρειάζεται να φορτώσετε αρχεία javascript και σε λειτουργία επεξεργασίας, απλώς προσθέστε την ετικέτα σας 'script src=...' στη σελίδα. +LinkAndScriptsHereAreNotLoadedInEditor=Προειδοποίηση: Αυτό το περιεχόμενο εμφανίζεται μόνο όταν γίνεται πρόσβαση στον ιστότοπο από διακομιστή. Δεν χρησιμοποιείται στη λειτουργία επεξεργασίας, οπότε αν χρειάζεται να φορτώσετε αρχεία javascript και σε λειτουργία επεξεργασίας, απλώς προσθέστε το tag 'script src=...' στη σελίδα. Dynamiccontent=Δείγμα μιας σελίδας με δυναμικό περιεχόμενο ImportSite=Εισαγωγή προτύπου ιστότοπου EditInLineOnOff=Η λειτουργία «Γρήγορης επεξεργασίας» είναι %s @@ -160,3 +161,6 @@ PagesViewedTotal=Σελίδες που προβλήθηκαν (σύνολο) Visibility=Ορατότητα Everyone=Όλοι AssignedContacts=Εκχωρημένες επαφές +WebsiteTypeLabel=Τύπος ιστοσελίδας +WebsiteTypeDolibarrWebsite=Ιστότοπος (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Dolibarr portal diff --git a/htdocs/langs/el_GR/withdrawals.lang b/htdocs/langs/el_GR/withdrawals.lang index 4e6400ad776..de4cb35d9a5 100644 --- a/htdocs/langs/el_GR/withdrawals.lang +++ b/htdocs/langs/el_GR/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Υποβάλετε αίτημα μεταφοράς πίσ WithdrawRequestsDone=%s αιτήματα πληρωμής άμεσης χρέωσης καταγράφηκαν BankTransferRequestsDone=%s αιτήματα μεταφοράς πίστωσης καταγράφηκαν ThirdPartyBankCode=Κωδικός τράπεζας τρίτου μέρους -NoInvoiceCouldBeWithdrawed=Κανένα τιμολόγιο δεν χρεώθηκε με επιτυχία. Ελέγξτε ότι τα τιμολόγια είναι σε εταιρείες με έγκυρο IBAN και ότι το IBAN διαθέτει UMR (Μοναδική αναφορά εντολής) με λειτουργία %s . +NoInvoiceCouldBeWithdrawed=Κανένα τιμολόγιο δεν υποβλήθηκε σε επεξεργασία με επιτυχία. Ελέγξτε ότι τα τιμολόγια είναι σε εταιρείες με έγκυρο IBAN και ότι το IBAN έχει UMR (Μοναδική αναφορά εντολής) με λειτουργία %s. +NoInvoiceCouldBeWithdrawedSupplier=Κανένα τιμολόγιο δεν υποβλήθηκε σε επεξεργασία με επιτυχία. Ελέγξτε ότι τα τιμολόγια είναι σε εταιρείες με έγκυρο IBAN. +NoSalariesCouldBeWithdrawed=Κανένας μισθός δεν διεκπεραιώθηκε με επιτυχία. Ελέγξτε ότι ο μισθός είναι σε χρήστες με έγκυρο IBAN. WithdrawalCantBeCreditedTwice=Αυτή η απόδειξη ανάληψης έχει ήδη επισημανθεί ως πιστωμένη. Αυτό δεν μπορεί να γίνει δύο φορές, καθώς αυτό ενδέχεται να δημιουργήσει διπλές πληρωμές και εγγραφές τραπεζών. ClassCredited=Ταξινόμηση ως πιστωμένη ClassDebited=Ταξινόμηση ως χρεωμένη @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Είστε σίγουροι ότι θέλετε να ε RefusedData=Ημερομηνία απόρριψης RefusedReason=Λόγος απόρριψης RefusedInvoicing=Χρέωση της απόρριψης -NoInvoiceRefused=Μην χρεώσετε την απόρριψη -InvoiceRefused=Τιμολόγιο απορρίφθηκε (Φορτίστε την απόρριψη στον πελάτη) +NoInvoiceRefused=Μην χρεώσετε τον πελάτη για την απόρριψη +InvoiceRefused=Χρεώστε τον πελάτη για την απόρριψη. +DirectDebitRefusedInvoicingDesc=Ορίστε ότι αυτή η απόρριψη πρέπει να χρεωθεί στον πελάτη. StatusDebitCredit=Κατάσταση χρέωσης / πίστωσης StatusWaiting=Αναμονή StatusTrans=Απεσταλμένο @@ -103,7 +106,7 @@ ShowWithdraw=Εμφάνιση εντολής άμεσης χρέωσης IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Ωστόσο, εάν το τιμολόγιο έχει τουλάχιστον μία εντολή πληρωμής άμεσης χρέωσης που δεν έχει ακόμη υποβληθεί σε επεξεργασία, δεν θα οριστεί ως πληρωμένο για να επιτραπεί η διαχείριση προηγούμενη ανάληψης. DoStandingOrdersBeforePayments=Αυτή η καρτέλα σάς επιτρέπει να ζητήσετε εντολή πληρωμής με πάγια εντολή. Μόλις τελειώσετε, μπορείτε να μεταβείτε στο μενού "Τράπεζα->Πληρωμή με πάγια εντολή" για να δημιουργήσετε και να διαχειριστείτε ένα αρχείο εντολής άμεσης χρέωσης. DoStandingOrdersBeforePayments2=Μπορείτε επίσης να στείλετε ένα αίτημα απευθείας σε έναν επεξεργαστή πληρωμών SEPA όπως το Stripe, ... -DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=Όταν η εντολή άμεσης χρέωσης κλείσει, η πληρωμή στα τιμολόγια θα καταγραφεί αυτόματα και τα τιμολόγια κλείνουν εάν το υπόλοιπο προς πληρωμή είναι μηδενικό. DoCreditTransferBeforePayments=Σε αυτή η καρτέλα σάς δίνεται η δυνατότητα να ζητήσετε εντολή μεταφοράς πίστωσης. Μόλις τελειώσετε, μεταβείτε στο μενού "Τράπεζα->Πληρωμή με μεταφορά πίστωσης" για να δημιουργήσετε και να διαχειριστείτε ένα αρχείο εντολής μεταφοράς πίστωσης. DoCreditTransferBeforePayments3=Όταν η εντολή μεταφοράς πίστωσης κλείσει, η πληρωμή στα τιμολόγια θα καταγραφεί αυτόματα και τα τιμολόγια κλείνουν εάν το υπόλοιπο προς πληρωμή είναι μηδενικό. WithdrawalFile=Αρχείο χρεωστικής εντολής @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Ημερομηνία υπογραφής εντολής RUMLong=Αναφορά Μοναδικής εντολής(UMR) RUMWillBeGenerated=Αν είναι κενό, θα δημιουργηθεί ένα UMR (Μοναδική αναφορά εντολής) μόλις αποθηκευτούν οι πληροφορίες του τραπεζικού λογαριασμού. -WithdrawMode=Λειτουργία άμεσης χρέωσης (FRST ή RECUR) +WithdrawMode=Λειτουργία πάγιας εντολής (FRST ή RCUR) WithdrawRequestAmount=Ποσό αίτησης άμεσης χρέωσης: BankTransferAmount=Ποσό αιτήματος μεταφοράς πίστωσης: WithdrawRequestErrorNilAmount=Δεν είναι δυνατή η δημιουργία αίτησης άμεσης χρέωσης για μηδενικό ποσό. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Το όνομα του τραπεζικού σας λογαρι SEPAFormYourBIC=Ο κωδικός αναγνώρισης της τράπεζας σας (BIC) SEPAFrstOrRecur=Είδος πληρωμής ModeRECUR=Επαναλαμβανόμενη πληρωμή +ModeRCUR=Επαναλαμβανόμενη πληρωμή ModeFRST=Εφάπαξ πληρωμή PleaseCheckOne=Παρακαλώ επιλέξτε ένα μόνο CreditTransferOrderCreated=Η εντολή μεταφοράς πίστωσης %s δημιουργήθηκε @@ -161,3 +165,10 @@ TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Το συνολικό ποσ WarningSomeDirectDebitOrdersAlreadyExists=Προειδοποίηση: Υπάρχουν ήδη ορισμένες εκκρεμείς εντολές άμεσης χρέωσης (%s) που ζητήθηκαν για το ποσό %s WarningSomeCreditTransferAlreadyExists=Προειδοποίηση: Υπάρχει ήδη κάποια εκκρεμή μεταφορά πίστωσης (%s) που ζητήθηκε για το ποσό %s UsedFor=Χρησιμοποιήθηκε για %s +Societe_ribSigned=Υπογραφή εντολής SEPA +NbOfInvoiceToPayByBankTransferForSalaries=Αριθμός μισθών που περιμένουν πληρωμή με μεταφορά πίστωσης +SalaryWaitingWithdraw=Μισθοί σε αναμονή για πληρωμή με μεταφορά πίστωσης +RefSalary=Μισθός +NoSalaryInvoiceToWithdraw=Δεν υπάρχει μισθός σε αναμονή για ένα '%s'. Μεταβείτε στην καρτέλα '%s' στην κάρτα μισθού για να υποβάλετε ένα αίτημα. +SalaryInvoiceWaitingWithdraw=Μισθοί σε αναμονή για πληρωμή με μεταφορά πίστωσης + diff --git a/htdocs/langs/el_GR/workflow.lang b/htdocs/langs/el_GR/workflow.lang index 43b91415825..311978c3564 100644 --- a/htdocs/langs/el_GR/workflow.lang +++ b/htdocs/langs/el_GR/workflow.lang @@ -11,8 +11,8 @@ descWORKFLOW_TICKET_CREATE_INTERVENTION=Κατά τη δημιουργία ticke # Autoclassify customer proposal or order descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Ταξινόμηση της προσφοράς συνδεδεμένης πηγής ως τιμολογημένη όταν η εντολή πώλησης έχει οριστεί ως τιμολογημένη (και εάν το ποσό της εντολής είναι ίδιο με το συνολικό ποσό της συνδεδεμένης υπογεγραμμένης προσφοράς) descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Ταξινόμηση της προσφοράς συνδεδεμένης πηγής ως τιμολογημένη όταν επικυρωθεί το τιμολόγιο πελάτη (και εάν το ποσό του τιμολογίου είναι ίδιο με το συνολικό ποσό της συνδεδεμένης υπογεγραμμένης προσφοράς) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Ταξινόμηση της εντολής πώλησης συνδεδεμένης πηγής ως τιμολογημένη όταν επικυρωθεί το τιμολόγιο πελάτη (και εάν το ποσό του τιμολογίου είναι το ίδιο με το συνολικό ποσό της συνδεδεμένης εντολής) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Ταξινόμηση της εντολής πωλήσεων συνδεδεμένης πηγής ως τιμολογημένη όταν το τιμολόγιο πελάτη έχει οριστεί ως πληρωμένο (και αν το ποσό του τιμολογίου είναι το ίδιο με το συνολικό ποσό της συνδεδεμένης εντολής) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Ταξινόμηση της εντολής πώλησης συνδεδεμένης πηγής ως τιμολογημένη όταν επικυρωθεί το τιμολόγιο πελάτη (και εάν το ποσό του τιμολογίου είναι το ίδιο με το συνολικό ποσό της συνδεδεμένης εντολής). Αν έχετε 1 επικυρωμένο τιμολόγιο για x παραγγελίες, αυτό μπορεί να ορίσει όλες τις παραγγελίες ως τιμολογημένες επίσης. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Ταξινόμηση της εντολής πωλήσεων συνδεδεμένης πηγής ως τιμολογημένη όταν το τιμολόγιο πελάτη έχει οριστεί ως πληρωμένο (και αν το ποσό του τιμολογίου είναι το ίδιο με το συνολικό ποσό της συνδεδεμένης εντολής). Αν έχετε 1 επικυρωμένο τιμολόγιο για x παραγγελίες, αυτό μπορεί να ορίσει όλες τις παραγγελίες ως τιμολογημένες επίσης. descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Ταξινόμηση της εντολής πωλήσεων συνδεδεμένης πηγής ως απεσταλμένη όταν μιας αποστολή επικυρωθεί (και εάν η απεσταλμένη ποσότητα από όλες τις αποστολές είναι η ίδια με τη εντολή προς ενημέρωση) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Ταξινόμηση της εντολής πωλήσεων συνδεδεμένης πηγής ως απεσταλμένη όταν μια αποστολή είναι κλειστή (και εάν η απεσταλμένη ποσότητα από όλες τις αποστολές είναι η ίδια με την εντολή προς ενημέρωση) # Autoclassify purchase proposal @@ -21,16 +21,18 @@ descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Ταξινόμηση της descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Ταξινόμηση της παραγγελίας αγοράς συνδεδεμένης πηγής ως τιμολογημένη όταν επικυρωθεί το τιμολόγιο προμηθευτή (και αν το ποσό του τιμολογίου είναι το ίδιο με το συνολικό ποσό της συνδεδεμένης παραγγελίας) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Ταξινόμηση της παραγγελίας αγοράς συνδεδεμένης πηγής ως ληφθείσας όταν επικυρωθεί μια παραλαβή (και εάν η ποσότητα που παρελήφθη από όλες τις παραλαβές είναι η ίδια με την παραγγελία αγοράς προς ενημέρωση) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Ταξινόμηση παραγγελίας αγοράς από συνδεδεμένη πηγή ως ληφθείσας όταν μια παραλαβή είναι κλειστή (και εάν η ποσότητα που παρελήφθη από όλες τις παραλαβές είναι η ίδια με την παραγγελία αγοράς προς ενημέρωση) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Ταξινόμηση των παραλαβών σε "τιμολογημένες" όταν επικυρώνεται ένα συνδεδεμένο τιμολόγιο αγοράς (και εάν το ποσό του τιμολογίου είναι το ίδιο με το συνολικό ποσό των συνδεδεμένων παραλαβών) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Ταξινόμηση της αποστολής συνδεδεμένης πηγής ως κλειστής όταν επικυρωθεί το τιμολόγιο πελάτη (και εάν το ποσό του τιμολογίου είναι ίδιο με το συνολικό ποσό των συνδεδεμένων αποστολών) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Ταξινόμηση της αποστολής συνδεδεμένης πηγής ως τιμολογημένη όταν ένα τιμολόγιο πελάτης έχει επικυρωθεί (και εάν το ποσό του τιμολογίου είναι το ίδιο με το συνολικό ποσό των συνδεδεμένων αποστολών) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Ταξινομήστε τις παραλαβές συνδεδεμένης πηγής ως τιμολογημένες όταν ένα τιμολόγιο αγοράς έχει επικυρωθεί (και εάν το ποσό του τιμολογίου είναι το ίδιο με το συνολικό ποσό των συνδεδεμένων παραλαβών) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Ταξινόμηση των παραλαβών από συνδεδεμένη πηγή ως τιμολογημένες όταν ένα τιμολόγιο αγοράς έχει επικυρωθεί (και εάν το ποσό του τιμολογίου είναι το ίδιο με το συνολικό ποσό των συνδεδεμένων παραλαβών) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=Κατά τη δημιουργία ενός ticket, συνδέστε τα διαθέσιμα συμβόλαια του αντίστοιχου τρίτου μέρους +descWORKFLOW_TICKET_LINK_CONTRACT=Κατά τη δημιουργία ενός ticket, συνδέστε όλα τα διαθέσιμα συμβόλαια τρίτων που ταιριάζουν descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Όταν συνδέετε συμβόλαια, αναζητήστε μεταξύ αυτών των μητρικών εταιρειών # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Κλείστε όλες τις παρεμβάσεις που συνδέονται με το ticket εάν αυτό είναι κλειστό AutomaticCreation=Αυτόματη δημιουργία AutomaticClassification=Αυτόματη ταξινόμηση -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Ταξινόμηση της αποστολής συνδεδεμένης προέλευσης ως κλειστής όταν επικυρωθεί το τιμολόγιο πελάτη (και εάν το ποσό του τιμολογίου είναι ίδιο με το συνολικό ποσό των συνδεδεμένων αποστολών) AutomaticClosing=Αυτόματο κλείσιμο AutomaticLinking=Αυτόματη σύνδεση diff --git a/htdocs/langs/en_GB/accountancy.lang b/htdocs/langs/en_GB/accountancy.lang index fc5fbfbb367..a7fc58155d1 100644 --- a/htdocs/langs/en_GB/accountancy.lang +++ b/htdocs/langs/en_GB/accountancy.lang @@ -11,7 +11,6 @@ AccountancyAreaDescIntro=Usage of the accountancy module is done in several step AccountancyAreaDescVat=STEP %s: Define finance accounts for each VAT Rate. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default finance accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescDonation=STEP %s: Define default finance accounts for donations. For this, use the menu entry %s. -AccountancyAreaDescMisc=STEP %s: Define mandatory default accounts and default finance accounts for miscellaneous transactions. For this, use the menu entry %s. AccountancyAreaDescLoan=STEP %s: Define default finance accounts for loans. For this, use the menu entry %s. AccountancyAreaDescBank=STEP %s: Define finance accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. AccountancyAreaDescBind=STEP %s: Checking links between existing %s lines and finance account is done, so application will be able to journalise transactions in Ledger with one click. To complete missing links use the menu entry %s. @@ -87,7 +86,6 @@ CleanHistory=Reset all links for selected year ValueNotIntoChartOfAccount=This account does not exist in the chart of accounts Range=Range of finance accounts SomeMandatoryStepsOfSetupWereNotDone=Some mandatory setup steps were not done, please complete them -ErrorNoAccountingCategoryForThisCountry=No finance account group available for country %s (See Home - Setup - Dictionary) ErrorInvoiceContainsLinesNotYetBounded=You tried to journalise some lines of the invoice %s, but some are not yet linked to a finance account. Journalisation of all invoice lines for this invoice are refused. ErrorInvoiceContainsLinesNotYetBoundedShort=Some lines on invoice are not bound to a finance account. ExportNotSupported=The export format is not supported on this page diff --git a/htdocs/langs/en_GB/eventorganization.lang b/htdocs/langs/en_GB/eventorganization.lang new file mode 100644 index 00000000000..477bb0df750 --- /dev/null +++ b/htdocs/langs/en_GB/eventorganization.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - eventorganization +EvntOrgCancelled =Cancelled diff --git a/htdocs/langs/en_GB/propal.lang b/htdocs/langs/en_GB/propal.lang index 6e1de50ae98..0dba3d2c1f0 100644 --- a/htdocs/langs/en_GB/propal.lang +++ b/htdocs/langs/en_GB/propal.lang @@ -1,2 +1,4 @@ # Dolibarr language file - Source file is en_US - propal +PropalStatusCanceledShort=Cancelled +PropalStatusValidatedShort=Validated (open) DefaultModelPropalCreate=Default template creation diff --git a/htdocs/langs/en_GB/trips.lang b/htdocs/langs/en_GB/trips.lang index b9af13b26fa..775e2155dee 100644 --- a/htdocs/langs/en_GB/trips.lang +++ b/htdocs/langs/en_GB/trips.lang @@ -3,6 +3,5 @@ BrouillonnerTrip=Move expense report status back to "Draft" ConfirmBrouillonnerTrip=Are you sure you want to move this expense report status back to "Draft"? ErrorDoubleDeclaration=You have submitted another expense report in a similar date range. FeesKilometersOrAmout=Amount or Miles -TripNDF=Information expense report TripsAndExpensesStatistics=Expense report statistics TF_METRO=Tube diff --git a/htdocs/langs/en_GB/withdrawals.lang b/htdocs/langs/en_GB/withdrawals.lang index 631f2f62900..efb96a3c3fa 100644 --- a/htdocs/langs/en_GB/withdrawals.lang +++ b/htdocs/langs/en_GB/withdrawals.lang @@ -6,7 +6,6 @@ ClassCreditedConfirm=Are you sure you want to classify this Payment receipt as c WithdrawalRefused=Payment refused WithdrawalRefusedConfirm=Are you sure you want to enter a Payment rejection for Company RefusedInvoicing=Invoicing the rejection -NoInvoiceRefused=Do not charge for the rejection StatusMotif6=Account without a balance OrderWaiting=Waiting for action WithdrawalFileNotCapable=Unable to generate Payment receipt file for your country %s (Your country is not supported) diff --git a/htdocs/langs/en_US/accountancy.lang b/htdocs/langs/en_US/accountancy.lang index 80a064fc535..cee9b17d6c0 100644 --- a/htdocs/langs/en_US/accountancy.lang +++ b/htdocs/langs/en_US/accountancy.lang @@ -90,13 +90,13 @@ AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Ser AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and generate reports and exports. - -AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. +AccountancyAreaDescAnalyze=STEP %s: Read reportings or generate export files for other bookkeepers. +AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't transfer anymore data in the same period in a future. TheFiscalPeriodIsNotDefined=A mandatory step in setup has not been completed (Fiscal period is not defined) TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) Selectchartofaccounts=Select active chart of accounts +CurrentChartOfAccount=Current active chart of account ChangeAndLoad=Change and load Addanaccount=Add an accounting account AccountAccounting=Accounting account @@ -335,7 +335,6 @@ CategoryDeleted=Category for the accounting account has been removed AccountingJournals=Accounting journals AccountingJournal=Accounting journal NewAccountingJournal=New accounting journal -ShowAccountingJournal=Show accounting journal NatureOfJournal=Nature of Journal AccountingJournalType1=Miscellaneous operations AccountingJournalType2=Sales @@ -343,7 +342,7 @@ AccountingJournalType3=Purchases AccountingJournalType4=Bank AccountingJournalType5=Expense reports AccountingJournalType8=Inventory -AccountingJournalType9=Has-new +AccountingJournalType9=Retained earnings GenerationOfAccountingEntries=Generation of accounting entries ErrorAccountingJournalIsAlreadyUse=This journal is already use AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s @@ -446,16 +445,16 @@ AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modif AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified ## Closure -AccountancyClosureStep1=Step 1 : Validate and lock movements -AccountancyClosureStep2=Step 2 : Close fiscal period +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period AccountancyClosureStep3=Step 3 : Extract entries (Optional) AccountancyClosureClose=Close fiscal period -AccountancyClosureAccountingReversal=Extract entries +AccountancyClosureAccountingReversal=Extract and record "Retained earnings" entries AccountancyClosureStep3NewFiscalPeriod=Next fiscal period -AccountancyClosureGenerateClosureBookkeepingRecords=Generate "has-new" entry on the next fiscal period -AccountancyClosureSeparateAuxiliaryAccounts=When generating the "has-new" entry, detail the sub-ledger accounts +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "Retained earnings" entries on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "Retained earnings" entries, detail the sub-ledger accounts AccountancyClosureCloseSuccessfully=Fiscal period has been closed successfully -AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping records has been inserted successfully +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping entries for "Retained earnings" has been inserted successfully ## Confirm box ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation @@ -464,7 +463,7 @@ ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selec ConfirmMassDeleteBookkeepingWriting=Bulk Delete confirmation ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? AccountancyClosureConfirmClose=Are you sure you want to close the current fiscal period ? You understand that closing the fiscal period is an irreversible action and will permanently block any modification or deletion of entries over this period. -AccountancyClosureConfirmAccountingReversal=Are you sure you want to accounting reversal ? +AccountancyClosureConfirmAccountingReversal=Are you sure you want to record entries for the "Retained earnings" ? ## Error SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them diff --git a/htdocs/langs/en_US/admin.lang b/htdocs/langs/en_US/admin.lang index b84828f9048..1a8c9492605 100644 --- a/htdocs/langs/en_US/admin.lang +++ b/htdocs/langs/en_US/admin.lang @@ -679,13 +679,13 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=Social Networks Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Human resources management (management of department, employee contracts and feelings) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Inter-modules Workflow Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) Module10000Name=Websites -Module10000Desc=Create websites (public) with a WYSIWYG editor. This is a webmaster or developer oriented CMS (it is better to know HTML and CSS language). Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the internet with your own domain name. +Module10000Desc=CMS to create websites with a WYSIWYG editor. This is a webmaster or developer oriented Content Management System (it is better to know HTML and CSS language). Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the internet with your own domain name. Module20000Name=Leave Request Management Module20000Desc=Define and track employee leave requests Module39000Name=Product Lots @@ -1123,6 +1123,7 @@ VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sale VATIsNotUsedDesc=By default the proposed Sales tax is 0 which can be used for cases like associations, individuals or small companies. VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Type of sales tax LTRate=Rate @@ -1429,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Do not show the "Password Forgotten" link o UsersSetup=Users module setup UserMailRequired=Email required to create a new user UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Document templates for documents generated from user record GroupsDocModules=Document templates for documents generated from a group record ##### HRM setup ##### @@ -1877,7 +1880,8 @@ CashDeskBankAccountForSell=Default account to use to receive cash payments CashDeskBankAccountForCheque=Default account to use to receive payments by check CashDeskBankAccountForCB=Default account to use to receive payments by credit cards CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. @@ -2316,8 +2320,6 @@ IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, yo IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax LanguageAndPresentation=Language and presentation SkinAndColors=Skin and colors -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax PDF_USE_1A=Generate PDF with PDF/A-1b format MissingTranslationForConfKey = Missing translation for %s NativeModules=Native modules @@ -2367,7 +2369,6 @@ DoesNotWorkWithAllThemes=Will not work with all themes NoName=No name ShowAdvancedOptions= Show advanced options HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module @@ -2394,7 +2395,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation -RecommendMitigationOnURL=It is recommanded to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2431,5 +2432,10 @@ SpecialCharActivation=Enable the button to open a virtual keyboard to enter spec DeleteExtrafield=Delete extrafield ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted ExtraFieldsSupplierInvoicesRec=Complementary attributes (templates invoices) -ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (invoice lines) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug +UrlPublicInterfaceLabelAdmin=Alternative URL for public interface +UrlPublicInterfaceHelpAdmin=It is possible to define an alias to the web server and thus make available the public interface with another URL (the virtual host server must act as a proxy on the standard URL) diff --git a/htdocs/langs/en_US/agenda.lang b/htdocs/langs/en_US/agenda.lang index 42c56174c46..1d9dbcf07c0 100644 --- a/htdocs/langs/en_US/agenda.lang +++ b/htdocs/langs/en_US/agenda.lang @@ -89,6 +89,8 @@ ShippingSentByEMail=Shipment %s sent by email ShippingValidated= Shipment %s validated InterventionSentByEMail=Intervention %s sent by email ProjectSentByEMail=Project %s sent by email +ProjectDeletedInDolibarr=Project %s deleted +ProjectClosedInDolibarr=Project %s closed ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted @@ -129,6 +131,7 @@ MRP_MO_DELETEInDolibarr=MO deleted MRP_MO_CANCELInDolibarr=MO canceled PAIDInDolibarr=%s paid ENABLEDISABLEInDolibarr=User enabled or disabled +CANCELInDolibarr=Canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date diff --git a/htdocs/langs/en_US/ai.lang b/htdocs/langs/en_US/ai.lang new file mode 100644 index 00000000000..60332e76457 --- /dev/null +++ b/htdocs/langs/en_US/ai.lang @@ -0,0 +1,4 @@ +AiDescription=AI (Artificial Intelligence) features +AiDescriptionLong=Provides AI (Artificial Intelligence) features in different part of the application. Need external AI API. +AI_KEY_API_CHATGPT= Key for ChatGPT IA api +AiSetup=AI module setup \ No newline at end of file diff --git a/htdocs/langs/en_US/assets.lang b/htdocs/langs/en_US/assets.lang index d4938bb7330..469ad403622 100644 --- a/htdocs/langs/en_US/assets.lang +++ b/htdocs/langs/en_US/assets.lang @@ -122,7 +122,6 @@ AssetDepreciationOptionDepreciationTypeLinear=Linear AssetDepreciationOptionDepreciationTypeDegressive=Degressive AssetDepreciationOptionDepreciationTypeExceptional=Exceptional AssetDepreciationOptionDegressiveRate=Degressive rate -AssetDepreciationOptionAcceleratedDepreciation=Accelerated (tax) AssetDepreciationOptionDuration=Duration AssetDepreciationOptionDurationType=Type duration AssetDepreciationOptionDurationTypeAnnual=Annual diff --git a/htdocs/langs/en_US/bills.lang b/htdocs/langs/en_US/bills.lang index baba0dd75e2..6c14671a698 100644 --- a/htdocs/langs/en_US/bills.lang +++ b/htdocs/langs/en_US/bills.lang @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Vendor draft invoices Unpaid=Unpaid ErrorNoPaymentDefined=Error No payment defined ConfirmDeleteBill=Are you sure you want to delete this invoice? -ConfirmValidateBill=Are you sure you want to validate this invoice with reference %s? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Are you sure you want to change invoice %s to draft status? ConfirmClassifyPaidBill=Are you sure you want to change invoice %s to status paid? ConfirmCancelBill=Are you sure you want to cancel invoice %s? @@ -250,12 +250,13 @@ RemainderToTake=Remaining amount to take RemainderToTakeMulticurrency=Remaining amount to take, original currency RemainderToPayBack=Remaining amount to refund RemainderToPayBackMulticurrency=Remaining amount to refund, original currency +NegativeIfExcessReceived=negative if excess received NegativeIfExcessRefunded=negative if excess refunded +NegativeIfExcessPaid=negative if excess paid Rest=Pending AmountExpected=Amount claimed ExcessReceived=Excess received ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received ExcessPaid=Excess paid ExcessPaidMulticurrency=Excess paid, original currency EscompteOffered=Discount offered (payment before term) @@ -267,6 +268,8 @@ NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices RefBill=Invoice ref +RefSupplierBill=Supplier invoice ref +SupplierOrderCreateBill=Create invoice ToBill=To bill RemainderToBill=Remainder to bill SendBillByMail=Send invoice by email @@ -351,6 +354,7 @@ HelpAbandonOther=This amount has been abandoned since it was an error (wrong cus IdSocialContribution=Social/fiscal tax payment id PaymentId=Payment id PaymentRef=Payment ref. +SourceInvoiceId=Source invoice id InvoiceId=Invoice id InvoiceRef=Invoice ref. InvoiceDateCreation=Invoice creation date diff --git a/htdocs/langs/en_US/blockedlog.lang b/htdocs/langs/en_US/blockedlog.lang index 63f97d523c1..cb66945f888 100644 --- a/htdocs/langs/en_US/blockedlog.lang +++ b/htdocs/langs/en_US/blockedlog.lang @@ -20,8 +20,6 @@ BlockedlogInfoDialog=Log Details ListOfTrackedEvents=List of tracked events Fingerprint=Fingerprint DownloadLogCSV=Export archived logs (CSV) -logDOC_PREVIEW=Preview of a validated document in order to print or download -logDOC_DOWNLOAD=Download of a validated document in order to print or send DataOfArchivedEvent=Full data of archived event ImpossibleToReloadObject=Original object (type %s, id %s) not linked (see 'Full datas' column to get unalterable saved data) BlockedLogAreRequiredByYourCountryLegislation=Unalterable Logs module may be required by the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they can not be validated by a tax audit. diff --git a/htdocs/langs/en_US/cashdesk.lang b/htdocs/langs/en_US/cashdesk.lang index 06b5566e9b3..dba0ab25634 100644 --- a/htdocs/langs/en_US/cashdesk.lang +++ b/htdocs/langs/en_US/cashdesk.lang @@ -76,7 +76,7 @@ TerminalSelect=Select terminal you want to use: POSTicket=POS Ticket POSTerminal=POS Terminal POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Setup of terminal %s is not complete DirectPayment=Direct payment DirectPaymentButton=Add a "Direct cash payment" button @@ -99,15 +99,17 @@ ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales CashDeskGenericMaskCodes6 =
      {TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Start a new parallel sale SaleStartedAt=Sale started at %s ControlCashOpening=Open the "Control cash box" popup when opening the POS CloseCashFence=Close cash box control CashReport=Cash report MainPrinterToUse=Main printer to use +MainPrinterToUseMore=empty means the browser printer system OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use +MainTemplateToUseMore=when not using browser printing system OrderTemplateToUse=Order template to use BarRestaurant=Bar Restaurant AutoOrder=Order by the customer himself @@ -135,14 +137,14 @@ PrintWithoutDetailsLabelDefault=Line label by default on printing without detail PrintWithoutDetails=Print without details YearNotDefined=Year is not defined TakeposBarcodeRuleToInsertProduct=Barcode rule to insert product -TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters AlreadyPrinted=Already printed HideCategories=Hide the whole section of categories selection HideStockOnLine=Hide stock on line -ShowOnlyProductInStock=Show the products in stock -ShowCategoryDescription=Show category description +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description ShowProductReference=Show reference or label of products -UsePriceHT=Use price excl. taxes and not price incl. taxes +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price TerminalName=Terminal %s TerminalNameDesc=Terminal name DefaultPOSThirdLabel=TakePOS generic customer @@ -153,3 +155,5 @@ LineDiscount=Line discount LineDiscountShort=Line disc. InvoiceDiscount=Invoice discount InvoiceDiscountShort=Invoice disc. +TestPrinterDesc=The server will send a simple test page to a ESC/POS printer +TestPrinterDesc2=The server will send an enhanced test page with image and barcode to a ESC/POS printer \ No newline at end of file diff --git a/htdocs/langs/en_US/categories.lang b/htdocs/langs/en_US/categories.lang index 8a4d3783d64..5471c4afad0 100644 --- a/htdocs/langs/en_US/categories.lang +++ b/htdocs/langs/en_US/categories.lang @@ -103,3 +103,4 @@ WebsitePagesCategoriesArea=Page-Container Categories KnowledgemanagementsCategoriesArea=KM article Categories UseOrOperatorForCategories=Use 'OR' operator for categories AddObjectIntoCategory=Assign to the category +Position=Position diff --git a/htdocs/langs/en_US/compta.lang b/htdocs/langs/en_US/compta.lang index 62cd3bca571..e16093e5a98 100644 --- a/htdocs/langs/en_US/compta.lang +++ b/htdocs/langs/en_US/compta.lang @@ -162,6 +162,7 @@ CalcModeVATDebt=Mode %sVAT on commitment accounting%s. CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s. CalcModeDebt=Analysis of known recorded documents CalcModeEngagement=Analysis of known recorded payments +CalcModePayment=Analysis of known recorded payments CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table. CalcModeNoBookKeeping=Even if they are not yet accounted in Ledger CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s diff --git a/htdocs/langs/en_US/datapolicy.lang b/htdocs/langs/en_US/datapolicy.lang index fae7573b14a..6b4413f812b 100644 --- a/htdocs/langs/en_US/datapolicy.lang +++ b/htdocs/langs/en_US/datapolicy.lang @@ -78,11 +78,8 @@ DATAPOLICY_PORTABILITE_CONFIRMATION = You want to export the personal data of th # ANONYMISER_AT = Anonymised the %s -# V2 -DATAPOLICYReturn = GDPR Validation DATAPOLICY_date = Date of agreement/desagreement GDPR DATAPOLICY_send = Date sending agreement email -DATAPOLICYReturn = GDPR Return DATAPOLICY_SEND = Send GDPR email MailSent = Email has been sent diff --git a/htdocs/langs/en_US/donations.lang b/htdocs/langs/en_US/donations.lang index 338ffff11ee..2f97f9ae818 100644 --- a/htdocs/langs/en_US/donations.lang +++ b/htdocs/langs/en_US/donations.lang @@ -33,3 +33,4 @@ DONATION_ART978=Show article 978 from CGI if you are concerned DonationPayment=Donation payment DonationValidated=Donation %s validated DonationUseThirdparties=Use the address of an existing thirdparty as the address of the donor +DonationsStatistics=Donation's statistics diff --git a/htdocs/langs/en_US/errors.lang b/htdocs/langs/en_US/errors.lang index 419b92aad23..d3ec7e33148 100644 --- a/htdocs/langs/en_US/errors.lang +++ b/htdocs/langs/en_US/errors.lang @@ -8,7 +8,7 @@ ErrorBadEMail=Email address %s is incorrect ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. -ErrorRefAlreadyExists=Reference %s already exists. +ErrorRefAlreadyExists=Reference %s used for creation already exists. ErrorTitleAlreadyExists=Title %s already exists. ErrorLoginAlreadyExists=Login %s already exists. ErrorGroupAlreadyExists=Group %s already exists. @@ -87,7 +87,6 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set. ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete. ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors. ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled. -ErrorRefAlreadyExists=Ref used for creation already exists. ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD) ErrorRecordHasChildren=Failed to delete record since it has some child records. ErrorRecordHasAtLeastOneChildOfType=Object %s has at least one child of type %s @@ -102,6 +101,7 @@ ErrorFieldRefNotIn=Field %s: '%s' is not a %s existing ref ErrorMultipleRecordFoundFromRef=Several record found when searching from ref %s. No way to know which ID to use. ErrorsOnXLines=%s errors found ErrorFileIsInfectedWithAVirus=The antivirus program was not able to validate the file (file might be infected by a virus) +ErrorFileIsAnInfectedPDFWithJSInside=The file is a PDF infected by some Javascript inside ErrorNumRefModel=A reference exists into database (%s) and is not compatible with this numbering rule. Remove record or renamed reference to activate this module. ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this vendor ErrorOrdersNotCreatedQtyTooLow=Some orders haven't been created because of too-low quantities @@ -153,6 +153,7 @@ ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check database ser ErrorFailedToAddContact=Failed to add contact ErrorDateMustBeBeforeToday=The date must be lower than today ErrorDateMustBeInFuture=The date must be greater than today +ErrorStartDateGreaterEnd=The start date is greater than the end date ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode. ErrorPHPNeedModule=Error, your PHP must have module %s installed to use this feature. ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s @@ -402,3 +403,8 @@ BadSetupOfFieldClassNotFoundForValidation = Error bad setup of field : Class not BadSetupOfFieldFileNotFound = Error bad setup of field : File not found for inclusion BadSetupOfFieldFetchNotCallable = Error bad setup of field : Fetch not callable on class ErrorTooManyAttempts= Too many attempts, please try again later + +TotalAmountEmpty=Total Amount Empty +FailedToFoundTheConversionRateForInvoice=Failed to found the conversion rate for invoice +ThisIdNotDefined=$this->id not defined +OperNotDefined=Oper not defined diff --git a/htdocs/langs/en_US/exports.lang b/htdocs/langs/en_US/exports.lang index af4c6f31b24..94ca852beca 100644 --- a/htdocs/langs/en_US/exports.lang +++ b/htdocs/langs/en_US/exports.lang @@ -145,3 +145,4 @@ SelectImportFieldsSource = Choose the source file fields you want to import and MandatoryTargetFieldsNotMapped=Some mandatory target fields are not mapped AllTargetMandatoryFieldsAreMapped=All target fields that need a mandatory value are mapped ResultOfSimulationNoError=Result of simulation: No error +NumberOfLinesLimited=Number of lines limited \ No newline at end of file diff --git a/htdocs/langs/en_US/holiday.lang b/htdocs/langs/en_US/holiday.lang index 15491a2f347..cab8fce1da1 100644 --- a/htdocs/langs/en_US/holiday.lang +++ b/htdocs/langs/en_US/holiday.lang @@ -5,7 +5,7 @@ Holiday=Leave CPTitreMenu=Leave MenuReportMonth=Monthly statement MenuAddCP=New leave request -MenuCollectiveAddCP=New collective leave request +MenuCollectiveAddCP=New collective leave NotActiveModCP=You must enable the module Leave to view this page. AddCP=Make a leave request DateDebCP=Start date @@ -95,8 +95,8 @@ UseralreadyCPexist=A leave request has already been done on this period for %s. groups=Groups users=Users AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave AutoValidationOnCreate=Automatic validation FirstDayOfHoliday=Beginning day of leave request LastDayOfHoliday=Ending day of leave request @@ -109,7 +109,6 @@ TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed LastHolidays=Latest %s leave requests AllHolidays=All leave requests HalfDay=Half day -NotTheAssignedApprover=You are not the assigned approver LEAVE_PAID=Paid vacation LEAVE_SICK=Sick leave LEAVE_OTHER=Other leave diff --git a/htdocs/langs/en_US/hrm.lang b/htdocs/langs/en_US/hrm.lang index 3dc2c041c06..4d99d0439ec 100644 --- a/htdocs/langs/en_US/hrm.lang +++ b/htdocs/langs/en_US/hrm.lang @@ -45,7 +45,7 @@ Eval=Evaluation Evals=Evaluations NewEval=New evaluation ValidateEvaluation=Validate evaluation -ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with reference %s? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=Evaluation card RequiredRank=Required rank for the job profile RequiredRankShort=Required rank diff --git a/htdocs/langs/en_US/languages.lang b/htdocs/langs/en_US/languages.lang index 8f08e5777e7..f21a1587377 100644 --- a/htdocs/langs/en_US/languages.lang +++ b/htdocs/langs/en_US/languages.lang @@ -1,7 +1,6 @@ # Dolibarr language file - Source file is en_US - languages Language_am_ET=Ethiopian Language_af_ZA=Afrikaans (South Africa) -Language_en_AE=Arabic (United Arab Emirates) Language_ar_AR=Arabic Language_ar_DZ=Arabic (Algeria) Language_ar_EG=Arabic (Egypt) @@ -57,7 +56,6 @@ Language_es_PE=Spanish (Peru) Language_es_PR=Spanish (Puerto Rico) Language_es_US=Spanish (USA) Language_es_UY=Spanish (Uruguay) -Language_es_GT=Spanish (Guatemala) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonian Language_eu_ES=Basque diff --git a/htdocs/langs/en_US/mails.lang b/htdocs/langs/en_US/mails.lang index 3089eef2ae0..2de7dbbbdc3 100644 --- a/htdocs/langs/en_US/mails.lang +++ b/htdocs/langs/en_US/mails.lang @@ -184,3 +184,5 @@ EmailOptedOut=Email owner has requested to not contact him with this email anymo EvenUnsubscribe=Include opt-out emails EvenUnsubscribeDesc=Include opt-out emails when you select emails as targets. Useful for mandatory service emails for example. XEmailsDoneYActionsDone=%s emails pre-qualified, %s emails successfully processed (for %s record/actions done) +helpWithAi=Add instructions +YouCanMakeSomeInstructionForEmail=You can add some instructions for your email (Example: generate image in email template...) diff --git a/htdocs/langs/en_US/main.lang b/htdocs/langs/en_US/main.lang index 5330cd46933..8c144fbae3e 100644 --- a/htdocs/langs/en_US/main.lang +++ b/htdocs/langs/en_US/main.lang @@ -9,7 +9,7 @@ DIRECTION=ltr # cid0kr is for Korean # DejaVuSans is for some Eastern languages, some Asian languages and some Arabic languages # freemono is for ru_RU or uk_UA, uz_UZ -# freeserif is for Tamil +# freeserif is for Tamil or Ethiopian FONTFORPDF=helvetica FONTSIZEFORPDF=10 SeparatorDecimal=. @@ -701,6 +701,7 @@ Response=Response Priority=Priority SendByMail=Send by email MailSentBy=Email sent by +MailSentByTo=Email sent by %s to %s NotSent=Not sent TextUsedInTheMessageBody=Email body SendAcknowledgementByMail=Send confirmation email @@ -768,7 +769,6 @@ DisabledModules=Disabled modules For=For ForCustomer=For customer Signature=Signature -DateOfSignature=Date of signature HidePassword=Show command with password hidden UnHidePassword=Show real command with clear password Root=Root @@ -1095,7 +1095,7 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft mass delete confirmation -FileSharedViaALink=File shared with a public link +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Select a third party first... YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode Inventory=Inventory @@ -1230,6 +1230,7 @@ ExternalUser=External user NoSpecificContactAddress=No specific contact or address NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Hide %s +ShowOnVCard=Show %s AddToContacts=Add address to my contacts LastAccess=Last access UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here @@ -1259,4 +1260,4 @@ AmountSalary=Salary amount InvoiceSubtype=Invoice subtype ConfirmMassReverse=Bulk Reverse confirmation ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? - +Encrypted=Encrypted diff --git a/htdocs/langs/en_US/members.lang b/htdocs/langs/en_US/members.lang index b4fde2cb558..34148bf11e2 100644 --- a/htdocs/langs/en_US/members.lang +++ b/htdocs/langs/en_US/members.lang @@ -241,6 +241,6 @@ CreateDolibarrThirdPartyDesc=A third party is the legal entity that will be used MemberFirstname=Member firstname MemberLastname=Member lastname MemberCodeDesc=Member Code, unique for all members -NoRecordedMembers=No recorded members MemberSubscriptionStartFirstDayOf=The start date of a membership corresponds to the first day of a MemberSubscriptionStartAfter=Minimum period before the entry into force of the start date of a subscription except renewals (example +3m = +3 months, -5d = -5 days, +1Y = +1 year) +SubscriptionLinkedToConciliatedTransaction=Membership is linked to a conciliated transaction so this modification is not allowed. \ No newline at end of file diff --git a/htdocs/langs/en_US/modulebuilder.lang b/htdocs/langs/en_US/modulebuilder.lang index 291cbd93837..c59c4271710 100644 --- a/htdocs/langs/en_US/modulebuilder.lang +++ b/htdocs/langs/en_US/modulebuilder.lang @@ -27,8 +27,7 @@ ModuleBuilderDeschooks=This tab is dedicated to hooks. ModuleBuilderDescwidgets=This tab is dedicated to manage/build widgets. ModuleBuilderDescbuildpackage=You can generate here a "ready to distribute" package file (a normalized .zip file) of your module and a "ready to distribute" documentation file. Just click on button to build the package or documentation file. EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: All coding files of module (generated or created manually) AND structured data and documentation will be deleted! -EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All coding files (generated or created manually) related to object will be deleted! -EnterNameOfObjectToDeleteDesc=You can delete your dictionary. WARNING: All coding files of module (generated or created manually) AND structured data and documentation will be deleted! +EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All coding files (generated or created manually) related to the object will be deleted! DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. @@ -183,3 +182,7 @@ DictionaryDeleted=Dictionary %s removed successfully PropertyModuleUpdated=Property %s has been update successfully InfoForApiFile=* When you generate file for the first time then all methods will be created for each object.
      * When you click in remove you just remove all methods for the selected object. SetupFile=Page for module setup +EmailingSelectors=Emails selectors +EmailingSelectorDesc=You can generate and edit here the class files to provide new email target selectors for the mass emailing module +EmailingSelectorFile=Emails selector file +NoEmailingSelector=No emails selector file \ No newline at end of file diff --git a/htdocs/langs/en_US/mrp.lang b/htdocs/langs/en_US/mrp.lang index 935995ea3ae..948bff00757 100644 --- a/htdocs/langs/en_US/mrp.lang +++ b/htdocs/langs/en_US/mrp.lang @@ -65,6 +65,8 @@ ToProduce=To produce ToObtain=To obtain QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyAlreadyConsumedShort=Qty consumed +QtyAlreadyProducedShort=Qty produced QtyRequiredIfNoLoss=Qty required to produce the quantity defined into the BOM if there is no loss (if the manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All diff --git a/htdocs/langs/en_US/oauth.lang b/htdocs/langs/en_US/oauth.lang index 9d4791a9f63..97d0b443ab5 100644 --- a/htdocs/langs/en_US/oauth.lang +++ b/htdocs/langs/en_US/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Token deleted GetAccess=Click here to get a token RequestAccess=Click here to request/renew access and receive a new token DeleteAccess=Click here to delete the token -UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider: +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens SeePreviousTab=See previous tab diff --git a/htdocs/langs/en_US/partnership.lang b/htdocs/langs/en_US/partnership.lang index 2ba5dd3c9d6..0d7777c71f4 100644 --- a/htdocs/langs/en_US/partnership.lang +++ b/htdocs/langs/en_US/partnership.lang @@ -55,7 +55,7 @@ PartnershipDedicatedToThisMember=Partnership dedicated to this member DatePartnershipStart=Start date DatePartnershipEnd=End date ReasonDecline=Decline reason -ReasonDeclineOrCancel=Decline reason +ReasonDeclineOrCancel=Reason for refusal or cancellation PartnershipAlreadyExist=Partnership already exist ManagePartnership=Manage partnership BacklinkNotFoundOnPartnerWebsite=Backlink not found on partner website @@ -89,7 +89,6 @@ YourPartnershipCanceledContent=We would like to inform you that our partnership CountLastUrlCheckError=Number of errors for last URL check LastCheckBacklink=Date of last URL check -ReasonDeclineOrCancel=Reason for declining or canceling NewPartnershipRequest=New partnership request NewPartnershipRequestDesc=This form allows you to request to be part of one of our partnership program. If you need help to fill this form, please contact by email %s. diff --git a/htdocs/langs/en_US/productbatch.lang b/htdocs/langs/en_US/productbatch.lang index a84816c9d3c..050399e04dc 100644 --- a/htdocs/langs/en_US/productbatch.lang +++ b/htdocs/langs/en_US/productbatch.lang @@ -6,6 +6,9 @@ ProductStatusNotOnBatch=No (lot/serial not used) ProductStatusOnBatchShort=Lot ProductStatusOnSerialShort=Serial ProductStatusNotOnBatchShort=No +BatchSellOrEatByMandatoryList=Make %s or %s mandatory +BatchSellOrEatByMandatoryNone=None +BatchSellOrEatByMandatoryAll=%s and %s Batch=Lot/Serial atleast1batchfield=Eat-by date or Sell-by date or Lot/Serial number batch_number=Lot/Serial number diff --git a/htdocs/langs/en_US/products.lang b/htdocs/langs/en_US/products.lang index 6d60b8f0fd1..c3064e23f35 100644 --- a/htdocs/langs/en_US/products.lang +++ b/htdocs/langs/en_US/products.lang @@ -208,11 +208,6 @@ unitSET=Set unitS=Second unitH=Hour unitD=Day -unitG=Gram -unitM=Meter -unitLM=Linear meter -unitM2=Square meter -unitM3=Cubic meter unitL=Liter unitT=ton unitKG=kg @@ -221,6 +216,7 @@ unitMG=mg unitLB=pound unitOZ=ounce unitM=Meter +unitLM=Linear meter unitDM=dm unitCM=cm unitMM=mm @@ -360,7 +356,7 @@ ProductAttributes=Variant attributes for products ProductAttributeName=Variant attribute %s ProductAttribute=Variant attribute ProductAttributeDeleteDialog=Are you sure you want to delete this attribute? All values will be deleted -ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with reference "%s" of this attribute? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Are you sure want to delete the variant of the product "%s"? ProductCombinationAlreadyUsed=There was an error while deleting the variant. Please check it is not being used in any object ProductCombinations=Variants @@ -437,3 +433,4 @@ ModifyValueExtrafields = Modify value of an extrafield OrProductsWithCategories=Or products with tags/categories WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. +ConfirmSetToDraftInventory=Are you sure you want to go back to Draft status?
      The quantities currently set in the inventory will be reset. diff --git a/htdocs/langs/en_US/projects.lang b/htdocs/langs/en_US/projects.lang index 4e56f346cea..f0d303285d4 100644 --- a/htdocs/langs/en_US/projects.lang +++ b/htdocs/langs/en_US/projects.lang @@ -47,9 +47,9 @@ NbOfProjects=Number of projects NbOfTasks=Number of tasks TimeEntry=Time tracking TimeSpent=Time spent +TimeSpentSmall=Time spent TimeSpentByYou=Time spent by you TimeSpentByUser=Time spent by user -TimesSpent=Time spent TaskId=Task ID RefTask=Task ref. LabelTask=Task label @@ -249,8 +249,8 @@ LatestProjects=Latest %s projects LatestModifiedProjects=Latest %s modified projects OtherFilteredTasks=Other filtered tasks NoAssignedTasks=No assigned tasks found (assign project/tasks to the current user from the top select box to enter time on it) +ThirdPartyRequiredToGenerateIntervention=A third party must be defined on project to be able to create intervention. ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to create intervention. ChooseANotYetAssignedTask=Choose a task not yet assigned to you # Comments trans AllowCommentOnTask=Allow user comments on tasks @@ -290,7 +290,7 @@ AddPersonToTask=Add also to tasks UsageOrganizeEvent=Usage: Event Organization PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. -SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them +SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them ProjectTasksWithoutTimeSpent=Project tasks without time spent FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. ProjectsHavingThisContact=Projects having this contact diff --git a/htdocs/langs/en_US/propal.lang b/htdocs/langs/en_US/propal.lang index 194e2ca0dcd..2e8207fe8c0 100644 --- a/htdocs/langs/en_US/propal.lang +++ b/htdocs/langs/en_US/propal.lang @@ -12,9 +12,11 @@ NewPropal=New proposal Prospect=Prospect DeleteProp=Delete commercial proposal ValidateProp=Validate commercial proposal +CancelPropal=Cancel AddProp=Create proposal ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Latest %s proposals LastModifiedProposals=Latest %s modified proposals AllPropals=All proposals @@ -27,13 +29,15 @@ NbOfProposals=Number of commercial proposals ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Open +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Draft (needs to be validated) PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed +PropalStatusCanceledShort=Canceled PropalStatusDraftShort=Draft -PropalStatusValidatedShort=Validated (open) +PropalStatusValidatedShort=Open PropalStatusClosedShort=Closed PropalStatusSignedShort=Signed PropalStatusNotSignedShort=Not signed @@ -114,6 +118,7 @@ RefusePropal=Refuse proposal Sign=Sign SignContract=Sign contract SignFichinter=Sign intervention +SignSociete_rib=Sign mandate SignPropal=Accept proposal Signed=signed SignedOnly=Signed only diff --git a/htdocs/langs/en_US/receptions.lang b/htdocs/langs/en_US/receptions.lang index cd5bc760585..80e9724b3b4 100644 --- a/htdocs/langs/en_US/receptions.lang +++ b/htdocs/langs/en_US/receptions.lang @@ -5,8 +5,6 @@ RefReception=Ref. reception Reception=Reception Receptions=Receptions AllReceptions=All Receptions -Reception=Reception -Receptions=Receptions ShowReception=Show Receptions ReceptionsArea=Receptions area ListOfReceptions=List of receptions @@ -34,7 +32,7 @@ StatusReceptionProcessedShort=Processed ReceptionSheet=Reception sheet ValidateReception=Validate reception ConfirmDeleteReception=Are you sure you want to delete this reception? -ConfirmValidateReception=Are you sure you want to validate this reception with reference %s? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Are you sure you want to cancel this reception? StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Send reception by email diff --git a/htdocs/langs/en_US/recruitment.lang b/htdocs/langs/en_US/recruitment.lang index d46ddaf389a..50085bd578f 100644 --- a/htdocs/langs/en_US/recruitment.lang +++ b/htdocs/langs/en_US/recruitment.lang @@ -79,3 +79,4 @@ WeAreRecruiting=We are recruiting. This is a list of open positions to be filled NoPositionOpen=No positions open at the moment ConfirmClose=Confirm cancellation ConfirmCloseAsk=Are you sure you want to cancel this recruitment candidature +recruitment=Recruitment diff --git a/htdocs/langs/en_US/sendings.lang b/htdocs/langs/en_US/sendings.lang index 73c2a942fc6..357a27462a3 100644 --- a/htdocs/langs/en_US/sendings.lang +++ b/htdocs/langs/en_US/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Validated StatusSendingProcessedShort=Processed SendingSheet=Shipment sheet ConfirmDeleteSending=Are you sure you want to delete this shipment? -ConfirmValidateSending=Are you sure you want to validate this shipment with reference %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. diff --git a/htdocs/langs/en_US/stocks.lang b/htdocs/langs/en_US/stocks.lang index da42dcfd781..929374d21f0 100644 --- a/htdocs/langs/en_US/stocks.lang +++ b/htdocs/langs/en_US/stocks.lang @@ -282,7 +282,7 @@ ModuleStockTransferName=Advanced Stock Transfer ModuleStockTransferDesc=Advanced management of Stock Transfer, with generation of transfer sheet StockTransferNew=New stock transfer StockTransferList=Stock transfers list -ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with reference %s ? +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? ConfirmDestock=Decrease of stocks with transfer %s ConfirmDestockCancel=Cancel decrease of stocks with transfer %s DestockAllProduct=Decrease of stocks @@ -324,7 +324,6 @@ StockEntryDate=Date of
      entry in stock StockMovementWillBeRecorded=Stock movement will be recorded StockMovementNotYetRecorded=Stock movement will not be affected by this step ReverseConfirmed=Stock movement has been reversed successfully - WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse ValidateInventory=Inventory validation IncludeSubWarehouse=Include sub-warehouse ? @@ -334,4 +333,3 @@ ConfirmDeleteBatch=Are you sure you want to delete lot/serial ? WarehouseUsage=Warehouse usage InternalWarehouse=Internal warehouse ExternalWarehouse=External warehouse -WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse diff --git a/htdocs/langs/en_US/stripe.lang b/htdocs/langs/en_US/stripe.lang index 0beab57f2e3..239c1cf0345 100644 --- a/htdocs/langs/en_US/stripe.lang +++ b/htdocs/langs/en_US/stripe.lang @@ -75,5 +75,6 @@ CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authen STRIPE_CARD_PRESENT=Card Present for Stripe Terminals TERMINAL_LOCATION=Location (address) for Stripe Terminals RequestDirectDebitWithStripe=Request Direct Debit with Stripe +RequesCreditTransferWithStripe=Request Credit Transfer with Stripe STRIPE_SEPA_DIRECT_DEBIT=Enable the Direct Debit payments through Stripe StripeConnect_Mode=Stripe Connect mode \ No newline at end of file diff --git a/htdocs/langs/en_US/ticket.lang b/htdocs/langs/en_US/ticket.lang index 460e73e1cf1..e1493e9c14b 100644 --- a/htdocs/langs/en_US/ticket.lang +++ b/htdocs/langs/en_US/ticket.lang @@ -107,8 +107,6 @@ TicketsShowProgressionHelp=Enable this option to hide the progress of the ticket TicketCreateThirdPartyWithContactIfNotExist=Ask name and company name for unknown emails. TicketCreateThirdPartyWithContactIfNotExistHelp=Check if a third party or a contact exists for the email entered. If not, ask a name and a company name to create a third party with contact. PublicInterface=Public interface -TicketUrlPublicInterfaceLabelAdmin=Alternative URL for public interface -TicketUrlPublicInterfaceHelpAdmin=It is possible to define an alias to the web server and thus make available the public interface with another URL (the server must act as a proxy on this new URL) TicketPublicInterfaceTextHomeLabelAdmin=Welcome text of the public interface TicketPublicInterfaceTextHome=You can create a support ticket or view existing from its identifier tracking ticket. TicketPublicInterfaceTextHomeHelpAdmin=The text defined here will appear on the home page of the public interface. diff --git a/htdocs/langs/en_US/website.lang b/htdocs/langs/en_US/website.lang index 7127e4b9a1c..d97f4ff23ac 100644 --- a/htdocs/langs/en_US/website.lang +++ b/htdocs/langs/en_US/website.lang @@ -60,10 +60,11 @@ NoPageYet=No pages yet YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template SyntaxHelp=Help on specific syntax tips YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Clone page/container CloneSite=Clone site SiteAdded=Website added @@ -120,7 +121,6 @@ ReplaceString=New string CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=Sample of a page with dynamic content -ImportSite=Import website template EditInLineOnOff=Mode 'Edit inline' is %s ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site @@ -161,5 +161,75 @@ Visibility=Visibility Everyone=Everyone AssignedContacts=Assigned contacts WebsiteTypeLabel=Type of Web site -WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) -WebsiteTypeDolibarrPortal=Native Dolibarr portal +WebsiteTypeDolibarrWebsite=Web site (Module WebSites CMS) +WebsiteTypeDolibarrPortal=Native and ready to use web portal (Module Web Portal) +WebPortalURL=Web portal URL +NewWebsiteAccount=New accounts for websites + + +ModuleWebPortalName = Web portal +ModuleWebPortalDesc = A ready to use native web portal for customers, suppliers, partners or members +WebPortalDescription = Public web portal module for membership and partnership +WebPortalSetup = WebPortal setup +WebPortalCSS=Web portal CSS +Settings = Settings +WebPortalSetupPage = WebPortal setup page +WEBPORTAL_TITLE = Brand name on header of public page +UserAccountForWebPortalAreInThirdPartyTabHelp = Users accounts for WebPortal can be set on each third party card in Website accounts tab +WebPortalAccessHidden = Hidden +WebPortalAccessVisible = Visible +WebPortalAccessEdit = Editable +WEBPORTAL_MEMBER_CARD_ACCESS = Enable access to the membership record +WebPortalMemberCardAccessHelp = Enable access to the membership record (Hidden / Visible or Editable) +WEBPORTAL_PARTNERSHIP_CARD_ACCESS = Enable access to the partnership record +WebPortalPartnerShipCardAccessHelp = Enable access to the partnership record (Hidden / Visible or Editable) +WEBPORTAL_PROPAL_LIST_ACCESS = Enable access to the proposals +WEBPORTAL_ORDER_LIST_ACCESS = Enable access to the orders +WEBPORTAL_INVOICE_LIST_ACCESS = Enable access to the invoices +WEBPORTAL_USER_LOGGED = Select an anonymous user +WebPortalUserLoggedHelp = This user is used to update cards +WebPortalHomeTitle = Welcome +WebPortalHomeDesc = Welcome to the public interface +WebPortalPropalListMenu = Proposals +WebPortalPropalListTitle = List of proposals +WebPortalPropalListDesc = List of proposals +WebPortalPropalListNothing = Proposals not found +WebPortalOrderListMenu = Orders +WebPortalOrderListTitle = List of orders +WebPortalOrderListDesc = List of orders +WebPortalOrderListNothing = Orders not found +WebPortalInvoiceListMenu = Invoices +WebPortalInvoiceListTitle = List of invoices +WebPortalInvoiceListDesc = List of invoices +WebPortalInvoiceListNothing = Invoices not found +WebPortalMemberCardMenu = Member +WebPortalMemberCardTitle = Member card +WebPortalMemberCardDesc = Member card +WebPortalPartnershipCardMenu = Partnership +WebPortalPartnershipCardTitle = Partnership card +WebPortalPartnershipCardDesc = Partnership card +loginWebportalUserName = User name / email +loginWebportalPassword = Password +LoginNow = Login now +RemoveSearchFilters = Remove search filters +WEBPORTAL_PRIMARY_COLOR = Primary color +WEBPORTAL_SECONDARY_COLOR = Secondary color +WEBPORTAL_LOGIN_LOGO_URL = Login logo image URL +WEBPORTAL_MENU_LOGO_URL = Menu logo image URL +WEBPORTAL_MENU_LOGO_URLTooltip = Leave empty to use login logo +WEBPORTAL_LOGIN_BACKGROUND = Background login image URL +WEBPORTAL_BANNER_BACKGROUND = Background for banner +WEBPORTAL_BANNER_BACKGROUND_IS_DARK = Use dark theme for banner +AriaPrevPage = Previous page +AriaNextPage = Next page +AriaPageX = Page %s +WebPortalError404 = Page not found +WebPortalErrorPageNotExist = Page not exist +WebPortalErrorFetchThirdPartyAccountFromLogin = Error when loading third-party account (login : %s) +WebPortalErrorAuthentication = Authentication error +WebPortalErrorFetchLoggedThirdPartyAccount = Error when loading third-party account (login : %s) +WebPortalErrorFetchLoggedUser = Error when loading user (Id : %s) +WebPortalErrorFetchLoggedThirdParty = Error when loading third-party (Id : %s) +WebPortalErrorFetchLoggedMember = Error when loading member (Id : %s) +WebPortalErrorFetchLoggedPartnership = Error when loading partnership (Third-party Id : %s, Member Id : %s) +ExportIntoGIT=Export into sources \ No newline at end of file diff --git a/htdocs/langs/en_US/withdrawals.lang b/htdocs/langs/en_US/withdrawals.lang index fb4ff9a9e8b..8b9153c81cd 100644 --- a/htdocs/langs/en_US/withdrawals.lang +++ b/htdocs/langs/en_US/withdrawals.lang @@ -66,8 +66,9 @@ WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection f RefusedData=Date of rejection RefusedReason=Reason for rejection RefusedInvoicing=Billing the rejection -NoInvoiceRefused=Do not charge the rejection -InvoiceRefused=Invoice refused (Charge the rejection to customer) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debit/credit StatusWaiting=Waiting StatusTrans=Sent @@ -103,7 +104,7 @@ CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. +DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. @@ -162,7 +163,7 @@ ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default ErrorICSmissing=Missing ICS in Bank account %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s -WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s +WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s Societe_ribSigned=SEPA mandate Signed NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer diff --git a/htdocs/langs/en_US/workflow.lang b/htdocs/langs/en_US/workflow.lang index 870ebeabf40..e6502c32c70 100644 --- a/htdocs/langs/en_US/workflow.lang +++ b/htdocs/langs/en_US/workflow.lang @@ -9,16 +9,16 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automatically create a customer invoice descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automatically create a customer invoice after a sales order is closed (the new invoice will have same amount as the order) descWORKFLOW_TICKET_CREATE_INTERVENTION=On ticket creation, automatically create an intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked order) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classify linked source sales order as shipped when a shipment is closed (and if the quantity shipped by all shipments is the same as in the order to update) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposal) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classify linked source purchase order as received when a reception is validated (and if the quantity received by all receptions is the same as in the purchase order to update) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classify linked source purchase order as received when a reception is closed (and if the quantity received by all rceptions is the same as in the purchase order to update) # Autoclassify shipment diff --git a/htdocs/langs/es_AR/main.lang b/htdocs/langs/es_AR/main.lang index dd7301757dd..d9ead2e7124 100644 --- a/htdocs/langs/es_AR/main.lang +++ b/htdocs/langs/es_AR/main.lang @@ -408,7 +408,6 @@ ThisLimitIsDefinedInSetup=Límite Dolibarr (Menú inicio-configuración-segurida CurrentMenuManager=Administrador de menú actual Layout=Diseño DisabledModules=Deshabilitar módulos -DateOfSignature=Fecha de firma HidePassword=Mostrar comándos con contraseña escondida UnHidePassword=Mostrar comando real con contraseña visible RootOfMedias=Carpeta raíz de medios públicos (/medios) diff --git a/htdocs/langs/es_AR/propal.lang b/htdocs/langs/es_AR/propal.lang index fea82797de2..7be0084c9e6 100644 --- a/htdocs/langs/es_AR/propal.lang +++ b/htdocs/langs/es_AR/propal.lang @@ -4,7 +4,10 @@ ProposalShort=Propuesta ProposalsDraft=Presupuestos en borrador PdfCommercialProposalTitle=Propuesta Prospect=Cliente Potencia +CancelPropal=Cancelar PropalsDraft=Borradores PropalsOpened=Abierto PropalStatusDraft=Borrador (necesita ser validado) +PropalStatusCanceledShort=Cancelada +PropalStatusValidatedShort=Validated (open) DefaultModelPropalCreate=Creación de modelo por defecto diff --git a/htdocs/langs/es_AR/receptions.lang b/htdocs/langs/es_AR/receptions.lang index d71bbb3d7dd..9d637275b3d 100644 --- a/htdocs/langs/es_AR/receptions.lang +++ b/htdocs/langs/es_AR/receptions.lang @@ -13,9 +13,7 @@ StatusReceptionProcessed=Procesada StatusReceptionValidatedShort=Validada StatusReceptionProcessedShort=Procesada ConfirmDeleteReception=¿Estás seguro de que quieres eliminar esta recepción? -ConfirmValidateReception=¿Estás seguro de que quieres validar esta recepción con referencia %s? ConfirmCancelReception=¿Estás seguro de que quieres cancelar esta recepción? -StatsOnReceptionsOnlyValidated=Estadísticas realizadas sólo con recepciones validadas. Se utilizó la fecha de validación de la recepción (la fecha prevista de entrega no siempre se conoce). SendReceptionByEMail=Enviar recepción por correo SendReceptionRef=Envío de recepción %s ActionsOnReception=Eventos en recepción diff --git a/htdocs/langs/es_AR/sendings.lang b/htdocs/langs/es_AR/sendings.lang index 56c2b6d659c..d3092e08719 100644 --- a/htdocs/langs/es_AR/sendings.lang +++ b/htdocs/langs/es_AR/sendings.lang @@ -23,7 +23,6 @@ StatusSendingCanceledShort=Cancelada StatusSendingValidated=Validado (productos para enviar o ya enviados) SendingSheet=Remito ConfirmDeleteSending=¿Estás seguro que quieres eliminar este envío? -ConfirmValidateSending=¿Estás seguro que quiere validar este envío con referencia %s? ConfirmCancelSending=¿Estás seguro que quieres cancelar este envío? WarningNoQtyLeftToSend=Advertencia, no hay productos esperando para ser enviados. RefDeliveryReceipt=Ref. comprobante de entrega diff --git a/htdocs/langs/es_AR/withdrawals.lang b/htdocs/langs/es_AR/withdrawals.lang index ae6150069b0..deac8546892 100644 --- a/htdocs/langs/es_AR/withdrawals.lang +++ b/htdocs/langs/es_AR/withdrawals.lang @@ -19,7 +19,6 @@ LastWithdrawalReceipt=Ultimos %s comprobantes de débito automático MakeWithdrawRequest=Crear una solicitud de pago por débito automático WithdrawRequestsDone=%s solicitudes registradas de pago por débito automático ThirdPartyBankCode=Código bancario del tercero -NoInvoiceCouldBeWithdrawed=La factura no se ha debitado correctamente. Revise que las facturas estén en las compañías con un IBAN válido y que el mismo tenga un MRU (Mandato de Referencia Unico) con modo %s. ClassCredited=Clasificar como acreditado ClassCreditedConfirm=¿Estás seguro que quieres clasificar este comprobante de extracción como acreditado en tu cuenta bancaria? TransData=Fecha de transmisión @@ -30,8 +29,6 @@ WithdrawalRefusedConfirm=¿Estás seguro que quieres ingresar un rechazo en la e RefusedData=Fecha de rechazo RefusedReason=Motivo del rechazo RefusedInvoicing=Facturar el rechazo -NoInvoiceRefused=No cargar el rechazo -InvoiceRefused=Factura rechazada (cargar el rechazo al cliente) StatusTrans=Enviar StatusCredited=Acreditado StatusPaid=Pagado @@ -59,7 +56,6 @@ SetToStatusSent=Colocar estado como "Archivo enviado" StatisticsByLineStatus=Estadísticas por estado de líneas RUMLong=Referencia única de mandato RUMWillBeGenerated=Si está vacío, se generará una RUM (referencia de mandato única) una vez que se guarde la información de la cuenta bancaria. -WithdrawMode=Modo de débito automático (FRST o RECUR) WithdrawRequestAmount=Monto de solicitud de débito automático: WithdrawRequestErrorNilAmount=No se puede crear una solicitud de débito automático para un monto vacío. SepaMandate=Mandato de Débito Automático SEPA @@ -85,3 +81,4 @@ InfoTransData=Monto: %s
      Método: %s
      Fecha: %s InfoRejectSubject=Orden de pago por débito automático rechazada InfoRejectMessage=Hola,

      la orden de pago de débito automático de la factura %s relacionada con la empresa %s, con un monto de %s ha sido rechazada por el banco.

      --
      %s ModeWarning=No se configuró la opción para el modo real, nos detendremos después de esta simulación +RefSalary=Sueldo diff --git a/htdocs/langs/es_AR/workflow.lang b/htdocs/langs/es_AR/workflow.lang index 92a2b43b960..0b1dcd63be3 100644 --- a/htdocs/langs/es_AR/workflow.lang +++ b/htdocs/langs/es_AR/workflow.lang @@ -6,10 +6,3 @@ descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Crear automáticamente una orden de venta l descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente luego que una propuesta comercial está firmada (la nueva factura tendrá el mismo monto de la propuesta). descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente luego que un contrato esté validado descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente luego que una orden de venta está cerrada (la nueva factura tendrá el mismo monto que la orden) -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasificar su propuesta de origen como facturada cuando la orden de venta esté configurada como facturada (y si el monto del pedido es el mismo que el monto total de su propuesta firmada) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasificar su propuesta de origen como facturada cuando la factura de cliente esté validada (y el monto de la factura sea el mismo que el total de su propuesta firmada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasificar su orden de venta como facturada cuando la factura de cliente esté validada (y el monto de la factura sea el mismo que el total de su orden) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasificar su orden de venta como facturada cuando la factura del cliente esté marcada como "Pagada" (y el monto de la factura sea el mismo que el total de su orden) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasificar su pedido vinculado como enviado cuando el envío esté validado (y la cantidad enviada en todos los envíos sea la misma que en el pedido a actualizar) -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasificar su propuesta de origen de proveedor como facturada cuando la factura del proveedor esté validada (y que el monto de la factura sea el mismo que el total de su propuesta) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasificar su orden de compra como facturada cuando la factura de proveedor esté validada (y el monto de la factura sea el mismo que el total de su orden) diff --git a/htdocs/langs/es_CL/accountancy.lang b/htdocs/langs/es_CL/accountancy.lang index fee46dba0b0..459de26aa18 100644 --- a/htdocs/langs/es_CL/accountancy.lang +++ b/htdocs/langs/es_CL/accountancy.lang @@ -35,7 +35,6 @@ AccountancyAreaDescDefault=PASO %s: Defina cuentas de contabilidad predeterminad AccountancyAreaDescSal=PASO %s: Defina cuentas de contabilidad predeterminadas para el pago de salarios. Para esto, use la entrada del menú %s. AccountancyAreaDescDonation=PASO %s: Defina las cuentas de contabilidad predeterminadas para la donación. Para esto, use la entrada del menú %s. AccountancyAreaDescSubscription=PASO %s: Defina cuentas de contabilidad predeterminadas para la suscripción de miembros. Para esto, use la entrada de menú %s. -AccountancyAreaDescMisc=PASO %s: Defina la cuenta predeterminada obligatoria y cuentas de contabilidad predeterminadas para transacciones misceláneas. Para esto, use la entrada del menú %s. AccountancyAreaDescLoan=PASO %s: defina cuentas de contabilidad predeterminadas para préstamos. Para esto, use la entrada del menú %s. AccountancyAreaDescBank=PASO %s: Defina las cuentas de contabilidad y el código del diario para cada banco y cuenta financiera. Para esto, use la entrada del menú %s. AccountancyAreaDescBind=PASO %s: verifique que el enlace entre las líneas %s existentes y la cuenta de contabilidad estén listas, de modo que la aplicación podrá registrar las transacciones en el Libro mayor con un solo clic. Completa enlaces faltantes. Para esto, use la entrada del menú %s. @@ -178,7 +177,6 @@ PredefinedGroups=Grupos predefinidos ValueNotIntoChartOfAccount=Este valor de la cuenta de contabilidad no existe en el cuadro de cuentas SaleEEC=Venta en EEC SomeMandatoryStepsOfSetupWereNotDone=Algunos pasos obligatorios de configuración no se hicieron, por favor complételos -ErrorNoAccountingCategoryForThisCountry=No hay un grupo de cuenta contable disponible para el país %s (Consulte Inicio - Configuración - Diccionarios) ErrorInvoiceContainsLinesNotYetBounded=Intenta hacer un diario de algunas líneas de la factura %s , pero algunas otras líneas aún no están limitadas a la cuenta de contabilidad. Se rechaza la periodización de todas las líneas de factura para esta factura. ErrorInvoiceContainsLinesNotYetBoundedShort=Algunas líneas en la factura no están vinculadas a la cuenta contable. ExportNotSupported=El formato de exportación establecido no es compatible con esta página diff --git a/htdocs/langs/es_CL/admin.lang b/htdocs/langs/es_CL/admin.lang index 3859c5b12c5..b7c8c137a28 100644 --- a/htdocs/langs/es_CL/admin.lang +++ b/htdocs/langs/es_CL/admin.lang @@ -201,9 +201,6 @@ EmailSenderProfiles=Perfiles de remitentes de correos electrónicos EMailsSenderProfileDesc=Puedes mantener esta sección vacía. Si ingresa algunos correos electrónicos aquí, se agregarán a la lista de posibles remitentes en el cuadro combinado cuando escriba un nuevo correo electrónico. MAIN_MAIL_SMTP_PORT=Puerto SMTP / SMTPS (valor predeterminado en php.ini: %s ) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS Host (valor predeterminado en php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Puerto SMTP / SMTPS (no definido en PHP en sistemas similares a Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS Host (no definido en PHP en sistemas similares a Unix) -MAIN_MAIL_EMAIL_FROM=Correo electrónico del remitente para correos electrónicos automáticos (valor predeterminado en php.ini: %s ) MAIN_MAIL_ERRORS_TO=El correo electrónico utilizado para el error devuelve correos electrónicos (campos 'Errores a' en los correos electrónicos enviados) MAIN_MAIL_AUTOCOPY_TO=Copiar (Bcc) todos los correos electrónicos enviados a MAIN_DISABLE_ALL_MAILS=Deshabilitar todo el envío de correo electrónico (para propósitos de prueba o demostraciones) @@ -214,13 +211,11 @@ MAIN_MAIL_SMTPS_ID=ID de SMTP (si el servidor de envío requiere autenticación) MAIN_MAIL_SMTPS_PW=Contraseña SMTP (si el servidor de envío requiere autenticación) MAIN_MAIL_EMAIL_TLS=Utilizar cifrado TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Usar cifrado TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizar les certificats auto-signés MAIN_MAIL_EMAIL_DKIM_ENABLED=Usa DKIM para generar firma de correo electrónico MAIN_MAIL_EMAIL_DKIM_DOMAIN=Dominio de correo electrónico para usar con dkim MAIN_DISABLE_ALL_SMS=Deshabilitar todo el envío de SMS (para propósitos de prueba o demostraciones) MAIN_SMS_SENDMODE=Método a usar para enviar SMS MAIN_MAIL_SMS_FROM=Número de teléfono del remitente predeterminado para el envío de SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Correo electrónico predeterminado del remitente para envío manual (correo electrónico del usuario o correo electrónico de la empresa) UserEmail=Correo electrónico del usuario CompanyEmail=Email de la empresa FeatureNotAvailableOnLinux=Característica no disponible en sistemas como Unix. Pruebe su programa sendmail localmente. @@ -300,7 +295,6 @@ UrlGenerationParameters=Parámetros para asegurar URLs SecurityTokenIsUnique=Use un parámetro de clave segura único para cada URL EnterRefToBuildUrl=Ingrese la referencia para el objeto %s GetSecuredUrl=Obtener URL calculado -ButtonHideUnauthorized=Oculte los botones de acción no autorizados también para los usuarios internos (solo en gris de lo contrario) OldVATRates=Tasa de IVA anterior NewVATRates=Nueva tasa de IVA PriceBaseTypeToChange=Modificar en precios con el valor de referencia base definido en @@ -319,11 +313,9 @@ ExtrafieldCheckBoxFromList=Casillas de verificación de la mesa ExtrafieldLink=Enlace a un objeto ComputedFormula=Campo computado Computedpersistent=Almacenar campo computado -ExtrafieldParamHelpPassword=Si deja este campo en blanco, significa que este valor se almacenará sin cifrado (el campo solo debe estar oculto con una estrella en la pantalla).
      Establezca 'auto' para usar la regla de cifrado predeterminada para guardar la contraseña en la base de datos (entonces el valor leído será solo el hash, no hay manera de recuperar el valor original) ExtrafieldParamHelpselect=La lista de valores debe ser líneas con clave de formato, valor (donde la clave no puede ser '0')

      por ejemplo:
      1, valor1
      2, valor2
      código3, valor3
      ...

      Para tener la lista dependiendo de otra lista de atributos complementarios:
      1, value1 | options_ parent_list_code : parent_key
      2, value2 | options_ parent_list_code : parent_key

      Para tener la lista dependiendo de otra lista:
      1, valor1 | parent_list_code : parent_key
      2, valor2 | parent_list_code : parent_key ExtrafieldParamHelpcheckbox=La lista de valores debe ser líneas con clave de formato, valor (donde la clave no puede ser '0')

      por ejemplo:
      1, valor1
      2, valor2
      3, valor3
      ... ExtrafieldParamHelpradio=La lista de valores debe ser líneas con clave de formato, valor (donde la clave no puede ser '0')

      por ejemplo:
      1, valor1
      2, valor2
      3, valor3
      ... -ExtrafieldParamHelpsellist=La lista de valores proviene de una tabla
      Sintaxis: nombre_tabla: campo_etiqueta: campo_id .: filtrosql
      Ejemplo: c_typent: libelle: id :: filtrosql

      - id2 campo_entrada de SQL es condición necesaria. Puede ser una prueba simple (por ejemplo, activo = 1) para mostrar solo el valor activo
      También puede usar $ ID $ en el filtro, que es el ID actual del objeto actual
      Para usar un SELECT en el filtro, use la palabra clave $ SEL $ para Bypass de protección antiinyección.
      si desea filtrar en campos extra, use la sintaxis extra.fieldcode = ... (donde el código de campo es el código del campo extra)

      Para que la lista dependa de otra lista de atributos complementarios:
      c_ty: opciones parent_list_code | parent_column: filter

      Para que la lista dependa de otra lista:
      c_typent: libf64c1e8 parent_column:
      ExtrafieldParamHelpSeparator=Mantener vacío para un separador simple
      Establezca esto en 1 para un separador de colapso (abierto de forma predeterminada para una nueva sesión, luego el estado se mantiene para cada sesión de usuario)
      Establezca esto en 2 para un separador de colapso (colapsado por defecto para una nueva sesión, luego el estado se mantiene para cada sesión de usuario) LibraryToBuildPDF=Biblioteca utilizada para la generación de PDF LocalTaxDesc=Algunos países pueden aplicar dos o tres impuestos en cada línea de factura. Si este es el caso, elija el tipo para el segundo y tercer impuesto y su tasa. Los tipos posibles son:
      1: el impuesto local se aplica a los productos y servicios sin IVA (el impuesto local se calcula sobre el monto sin impuestos)
      2: el impuesto local se aplica a los productos y servicios, incluido el IVA
      3: el impuesto local se aplica a los productos sin IVA (el impuesto local se calcula sobre el monto sin impuestos)
      4: el impuesto local se aplica a los productos, incluido el IVA
      5: el impuesto local se aplica a los servicios sin IVA (el impuesto local se calcula sobre el monto sin impuestos)
      6: el impuesto local se aplica a los servicios, incluido el IVA (el impuesto local se calcula sobre el monto + impuesto) @@ -370,7 +362,6 @@ DAV_ALLOW_PRIVATE_DIRTooltip=El directorio privado genérico es un directorio We DAV_ALLOW_PUBLIC_DIR=Habilitar el directorio público genérico (directorio dedicado de WebDAV llamado "público" - no se requiere inicio de sesión) DAV_ALLOW_PUBLIC_DIRTooltip=El directorio público genérico es un directorio WebDAV al que todos pueden acceder (en modo de lectura y escritura), sin necesidad de autorización (cuenta de inicio de sesión / contraseña). DAV_ALLOW_ECM_DIR=Habilitar el directorio privado DMS / ECM (directorio raíz del módulo DMS / ECM - es necesario iniciar sesión) -DAV_ALLOW_ECM_DIRTooltip=El directorio raíz donde se cargan manualmente todos los archivos cuando se utiliza el módulo DMS / ECM. De manera similar al acceso desde la interfaz web, necesitará un nombre de usuario / contraseña válido con permisos adecuados para acceder a ella. Module0Name=Usuarios y Grupos Module0Desc=Gestión de usuarios / empleados y grupos Module1Desc=Gestión de empresas y contactos (clientes, prospectos ...). @@ -444,7 +435,6 @@ Module2700Desc=Utilice el servicio Gravatar en línea (www.gravatar.com) para mo Module2900Desc=Capacidades de conversiones GeoIP Maxmind Module3200Desc=Habilitar un registro inalterable de eventos empresariales. Los eventos se archivan en tiempo real. El registro es una tabla de solo lectura de eventos encadenados que se pueden exportar. Este módulo puede ser obligatorio para algunos países. Module3400Name=Redes Sociales -Module4000Desc=Gestión de recursos humanos (gestión del departamento, contratos de empleados y sentimientos) Module5000Name=Multi-compañía Module5000Desc=Le permite administrar múltiples compañías Module20000Name=Gestión de solicitudes de licencia @@ -631,7 +621,6 @@ Permission2515=Configurar directorios de documentos Permission2801=Use el cliente FTP en modo de lectura (navegue y descargue solamente) Permission2802=Utilice el cliente FTP en modo de escritura (eliminar o cargar archivos) Permission10001=Leer el contenido del sitio web -Permission10002=Crear / modificar el contenido del sitio web (contenido html y javascript) Permission10003=Crear / modificar el contenido del sitio web (código php dinámico). Peligroso, debe reservarse a desarrolladores restringidos. Permission20001=Lea las solicitudes de licencia (su licencia y las de sus subordinados) Permission20002=Cree / modifique sus solicitudes de licencia (su licencia y las de sus subordinados) @@ -683,7 +672,6 @@ BackToModuleList=Volver a la lista de módulos BackToDictionaryList=Volver a la lista de diccionarios TypeOfRevenueStamp=Tipo de sello fiscal VATManagement=Gestión de impuestos de ventas -VATIsUsedDesc=De forma predeterminada, al crear prospectos, facturas, pedidos, etc., la tasa del impuesto a las ventas sigue la regla estándar activa:
      Si el vendedor no está sujeto al impuesto sobre las ventas, entonces el impuesto sobre las ventas se establece de manera predeterminada en 0. Fin de la regla.
      Si (el país del vendedor = el país del comprador), entonces el impuesto sobre las ventas por defecto es igual al impuesto sobre las ventas del producto en el país del vendedor. Fin de la regla.
      Si el vendedor y el comprador están en la Comunidad Europea y los productos son productos relacionados con el transporte (transporte, envío, línea aérea), el IVA predeterminado es 0. Esta regla depende del país del vendedor; consulte con su contador. El IVA debe ser pagado por el comprador a la oficina de aduanas de su país y no al vendedor. Fin de la regla.
      Si el vendedor y el comprador pertenecen a la Comunidad Europea y el comprador no es una empresa (con un número de IVA intracomunitario registrado), entonces el IVA está predeterminado para la tasa de IVA del país del vendedor. Fin de la regla.
      Si el vendedor y el comprador están en la Comunidad Europea y el comprador es una empresa (con un número de IVA intracomunitario registrado), el IVA es 0 por defecto. Fin de la regla.
      En cualquier otro caso, el valor predeterminado propuesto es Impuesto de ventas = 0. Fin de la regla. VATIsNotUsedDesc=Por defecto, el impuesto a las ventas propuesto es 0, que se puede utilizar para casos como asociaciones, individuos o pequeñas empresas. VATIsUsedExampleFR=En Francia, significa empresas u organizaciones que tienen un sistema fiscal real (real real o normal simplificado). Un sistema en el que se declara el IVA. VATIsNotUsedExampleFR=En Francia, significa asociaciones que no están declaradas sin impuestos de ventas o compañías, organizaciones o profesiones liberales que han elegido el sistema fiscal de microempresas (impuestos a las ventas en franquicia) y pagaron una franquicia Impuestos a las ventas sin declaración de impuestos a las ventas. Esta opción mostrará la referencia "Impuesto de ventas no aplicable - art-293B de CGI" en las facturas. @@ -1032,7 +1020,6 @@ MemcachedModuleAvailableButNotSetup=El módulo memcached para la memoria caché MemcachedAvailableAndSetup=El módulo memcached dedicado a usar el servidor memcached está habilitado. OPCodeCache=Caché OPCode NoOPCodeCacheFound=No se ha encontrado ningún caché OPCode. Quizás esté utilizando un caché OPCode que no sea XCache o eAccelerator (bueno), o tal vez no tenga un caché OPCode (muy malo). -HTTPCacheStaticResources=Caché HTTP para recursos estáticos (css, img, javascript) FilesOfTypeCached=Los archivos del tipo %s están en caché en el servidor HTTP FilesOfTypeNotCached=El servidor HTTP no almacena en caché los archivos del tipo %s FilesOfTypeCompressed=Los archivos del tipo %s están comprimidos por el servidor HTTP @@ -1104,10 +1091,6 @@ DeliveryOrderModel=Modelo de recepción de entregas de productos DeliveriesOrderAbility=Productos de soporte recibos de entregas FreeLegalTextOnDeliveryReceipts=Texto libre en recibos de entrega ActivateFCKeditor=Activa el editor avanzado para: -FCKeditorForMailing=Creación / edición WYSIWIG para eMailings masivos (Herramientas-> eMailing) -FCKeditorForUserSignature=Creación / edición WYSIWIG de la firma del usuario -FCKeditorForMail=Creación / edición WYSIWIG para todo el correo (excepto Herramientas-> correo electrónico) -FCKeditorForTicket=Creación / edición de WYSIWIG para entradas StockSetup=Configuración del módulo de stock IfYouUsePointOfSaleCheckModule=Si utiliza el módulo de Punto de Venta (POS) provisto por defecto o un módulo externo, su configuración puede ser ignorada por su módulo de POS. La mayoría de los módulos de POS están diseñados de forma predeterminada para crear una factura de inmediato y disminuir el stock, independientemente de las opciones aquí. Por lo tanto, si necesita o no una disminución de existencias al registrar una venta desde su POS, verifique también la configuración de su módulo POS. MenuDeleted=Menú borrado @@ -1120,7 +1103,6 @@ DetailMenuModule=Nombre del módulo si la entrada del menú proviene de un módu DetailType=Tipo de menú (arriba o izquierda) DetailTitre=Etiqueta de menú o código de etiqueta para la traducción DetailEnabled=Condición para mostrar o no la entrada -DetailRight=Condición para mostrar menús grises no autorizados DetailLangs=Nombre de archivo Lang para la traducción del código de etiqueta DetailUser=Pasante / Externo / Todos Target=Objetivo @@ -1160,7 +1142,6 @@ CashDeskThirdPartyForSell=Tercero genérico predeterminado para usar en ventas CashDeskBankAccountForSell=Cuenta predeterminada para usar para recibir pagos en efectivo CashDeskBankAccountForCheque=Cuenta predeterminada a utilizar para recibir pagos con cheque. CashDeskBankAccountForCB=Cuenta predeterminada para usar para recibir pagos con tarjeta de crédito -CashDeskDoNotDecreaseStock=Deshabilite la disminución de existencias cuando se realiza una venta desde el punto de venta (si es "no", se realiza una disminución de existencias para cada venta realizada desde POS, independientemente de la opción establecida en el stock de módulos). CashDeskIdWareHouse=Fuerce y restrinja el almacén para utilizarlo en la disminución de existencias StockDecreaseForPointOfSaleDisabled=Disminución de stock desde punto de venta deshabilitado StockDecreaseForPointOfSaleDisabledbyBatch=La disminución de stock en POS no es compatible con el módulo Serial / Lot management (actualmente activo), por lo que la disminución de stock está deshabilitada. @@ -1332,9 +1313,7 @@ OnMobileOnly=Sólo en pantalla pequeña (teléfono inteligente) MAIN_OPTIMIZEFORTEXTBROWSER=Simplificar la interfaz para ciegos. MAIN_OPTIMIZEFORTEXTBROWSERDesc=Habilite esta opción si es una persona ciega o si utiliza la aplicación desde un navegador de texto como Lynx o Links. ThisValueCanOverwrittenOnUserLevel=Este valor puede ser sobrescrito por cada usuario desde su página de usuario - pestaña '%s' -DefaultCustomerType=Tipo de tercero por defecto para el formulario de creación de "Nuevo cliente" ABankAccountMustBeDefinedOnPaymentModeSetup=Nota: La cuenta bancaria debe definirse en el módulo de cada modo de pago (Paypal, Stripe, ...) para que esta función funcione. -RootCategoryForProductsToSellDesc=Si se define, solo los productos dentro de esta categoría o niños de esta categoría estarán disponibles en el Punto de venta DebugBar=Barra de debug WarningValueHigherSlowsDramaticalyOutput=Advertencia, los valores más altos ralentizan dramáticamente la salida. ModuleActivated=El módulo %s está activado y ralentiza la interfaz @@ -1348,3 +1327,4 @@ MakeAnonymousPing=Realice un Ping anónimo '+1' al servidor de la base D FeatureNotAvailableWithReceptionModule=Función no disponible cuando la recepción del módulo está habilitada EmailTemplate=Plantila para email Recommended=Recomendado +ExtraFieldsSupplierInvoicesRec=Atributos complementarios (plantillas de facturas) diff --git a/htdocs/langs/es_CL/bills.lang b/htdocs/langs/es_CL/bills.lang index 11b32969e23..dfd15782cd3 100644 --- a/htdocs/langs/es_CL/bills.lang +++ b/htdocs/langs/es_CL/bills.lang @@ -117,7 +117,6 @@ BillTo=A ActionsOnBill=Acciones en la factura RecurringInvoiceTemplate=Plantilla / factura recurrente NoQualifiedRecurringInvoiceTemplateFound=No hay una factura recurrente de la plantilla calificada para la generación. -FoundXQualifiedRecurringInvoiceTemplate=Se encontró %s factura (s) de plantilla recurrente calificadas para la generación. NotARecurringInvoiceTemplate=No es una factura de plantilla recurrente LatestTemplateInvoices=%s últimas plantillas de facturas LatestCustomerTemplateInvoices=%s últimas plantillas de facturas de cliente @@ -130,7 +129,6 @@ CustomersDraftInvoices=Factura del cliente SuppliersDraftInvoices=Proyecto de facturas del vendedor. Unpaid=No pagado ConfirmDeleteBill=¿Seguro que quieres eliminar esta factura? -ConfirmValidateBill=¿Está seguro de que desea validar esta factura con referencia %s? ConfirmUnvalidateBill=¿Seguro que quieres cambiar la factura %s al estado de borrador? ConfirmClassifyPaidBill=¿Está seguro de que desea cambiar la factura del %s al estado pagado? ConfirmCancelBill=¿Seguro que quieres cancelar la factura del %s? @@ -154,7 +152,6 @@ ConfirmClassifyAbandonReasonOtherDesc=Esta elección se usará en todos los dem ConfirmCustomerPayment=¿Confirma esta entrada de pago para %s %s? ConfirmSupplierPayment=¿Confirma esta entrada de pago para %s %s? ConfirmValidatePayment=¿Seguro que quieres validar este pago? No se puede hacer ningún cambio una vez que se valida el pago. -UnvalidateBill=Desvalidar factura NumberOfBillsByMonth=Nº de facturas al mes. AmountOfBills=Cantidad de facturas AmountOfBillsHT=Importe de las facturas (neto de impuestos) diff --git a/htdocs/langs/es_CL/cashdesk.lang b/htdocs/langs/es_CL/cashdesk.lang index a40760cf590..d64b137a4c1 100644 --- a/htdocs/langs/es_CL/cashdesk.lang +++ b/htdocs/langs/es_CL/cashdesk.lang @@ -26,8 +26,6 @@ CloseBill=Cerrar bill TakeposConnectorNecesary=Se requiere 'conector TakePOS' Receipt=Recibo Header=Encabezamiento -Footer=Pie de página -TheoricalAmount=Cantidad teórica RealAmount=Cantidad real NbOfInvoices=N° de facturas CashDeskBankAccountFor=Cuenta predeterminada para usar para pagos en @@ -36,4 +34,3 @@ ConfirmDeletionOfThisPOSSale=¿Confirma usted la eliminación de esta venta actu ConfirmDiscardOfThisPOSSale=¿Quieres descartar esta venta actual? History=Historia TerminalSelect=Seleccione el terminal que desea utilizar: -BasicPhoneLayout=Usar diseño básico para teléfonos. diff --git a/htdocs/langs/es_CL/errors.lang b/htdocs/langs/es_CL/errors.lang index 93bfc615ce6..d0518bc5140 100644 --- a/htdocs/langs/es_CL/errors.lang +++ b/htdocs/langs/es_CL/errors.lang @@ -72,7 +72,6 @@ ErrorFileIsInfectedWithAVirus=El programa antivirus no pudo validar el archivo ( ErrorNumRefModel=Existe una referencia en la base de datos (%s) y no es compatible con esta regla de numeración. Elimine la referencia de registro o renombrada para activar este módulo. ErrorQtyTooLowForThisSupplier=Cantidad demasiado baja para este proveedor o ningún precio definido en este producto para este proveedor ErrorOrdersNotCreatedQtyTooLow=Algunos pedidos no se han creado debido a cantidades demasiado bajas -ErrorModuleSetupNotComplete=La configuración del módulo %s parece estar incompleta. Vaya a Inicio - Configuración - Módulos para completar. ErrorBadMaskFailedToLocatePosOfSequence=Error, máscara sin número de secuencia ErrorBadMaskBadRazMonth=Error, mal valor de reinicio ErrorCounterMustHaveMoreThan3Digits=El contador debe tener más de 3 dígitos diff --git a/htdocs/langs/es_CL/oauth.lang b/htdocs/langs/es_CL/oauth.lang index a42c3017f03..4ae5c6ca96a 100644 --- a/htdocs/langs/es_CL/oauth.lang +++ b/htdocs/langs/es_CL/oauth.lang @@ -6,7 +6,6 @@ IsTokenGenerated=¿Se genera token? NoAccessToken=No token de acceso guardado en la base de datos local HasAccessToken=Se generó un token y se guardó en la base de datos local ToCheckDeleteTokenOnProvider=Haga clic aquí para verificar / eliminar la autorización guardada por %s proveedor OAuth -UseTheFollowingUrlAsRedirectURI=Use la siguiente URL como el URI de redireccionamiento cuando cree sus credenciales con su proveedor de OAuth: SeePreviousTab=Ver la pestaña anterior OAuthIDSecret=ID de OAuth y secreto TOKEN_EXPIRED=Token expiró diff --git a/htdocs/langs/es_CL/other.lang b/htdocs/langs/es_CL/other.lang index 2a5d7d63332..0f545b542e4 100644 --- a/htdocs/langs/es_CL/other.lang +++ b/htdocs/langs/es_CL/other.lang @@ -110,10 +110,6 @@ EMailTextInterventionAddedContact=Se le ha asignado una nueva intervención %s. EMailTextInterventionValidated=La intervención %s ha sido validada. EMailTextProposalValidated=La propuesta %s ha sido validada. EMailTextProposalClosedSigned=La propuesta %s ha sido cerrada y firmada. -EMailTextOrderApproved=El pedido %s ha sido aprobado. -EMailTextOrderApprovedBy=La orden %s ha sido aprobada por %s. -EMailTextOrderRefused=La orden %s ha sido rechazada. -EMailTextOrderRefusedBy=La orden %s ha sido rechazada por %s. EMailTextExpenseReportApproved=Informe de gastos %s ha sido aprobado. EMailTextHolidayValidated=Deja la solicitud %s ha sido validado. EMailTextHolidayApproved=Deja la solicitud %s ha sido aprobada. diff --git a/htdocs/langs/es_CL/products.lang b/htdocs/langs/es_CL/products.lang index 5b07f63f3a5..61a0e6d556c 100644 --- a/htdocs/langs/es_CL/products.lang +++ b/htdocs/langs/es_CL/products.lang @@ -42,7 +42,6 @@ CostPriceUsage=Este valor podría usarse para calcular el margen. SoldAmount=Cantidad vendida PurchasedAmount=Cantidad comprada EditSellingPriceLabel=Editar etiqueta de precio de venta -CantBeLessThanMinPrice=El precio de venta no puede ser inferior al mínimo permitido para este producto (%s sin IVA). Este mensaje también puede aparecer si escribe un descuento demasiado importante. ErrorProductAlreadyExists=Un producto con referencia %s ya existe. ErrorProductBadRefOrLabel=Valor incorrecto para referencia o etiqueta. ErrorProductClone=Hubo un problema al intentar clonar el producto o servicio. @@ -73,7 +72,6 @@ ExportDataset_produit_1=Productos ConfirmDeleteProductLine=¿Estás seguro de que deseas eliminar esta línea de productos? QtyMin=Min. Cantidad de compra PriceQtyMin=Precio cantidad min. -PriceQtyMinCurrency=Precio (moneda) para esta cantidad. (sin descuento) VATRateForSupplierProduct=Tasa de IVA (para este vendedor / producto) DiscountQtyMin=Descuento para esta cantidad. NoPriceDefinedForThisSupplier=Sin precio / cantidad definida para este vendedor / producto @@ -112,7 +110,6 @@ Quarter1=1er. Trimestre Quarter2=2do. Trimestre Quarter3=3er. Trimestre Quarter4=4to. Trimestre -BarCodePrintsheet=Imprimir código de barras PageToGenerateBarCodeSheets=Con esta herramienta, puede imprimir hojas de pegatinas de códigos de barras. Elija el formato de su página de etiqueta, el tipo de código de barras y el valor del código de barras, luego haga clic en el botón %s . NumberOfStickers=Número de stickers para imprimir en la página PrintsheetForOneBarCode=Imprime varios stickers para un código de barras @@ -169,7 +166,6 @@ SubProduct=Sub producto ProductSupplierDescription=Descripción del vendedor para el producto. ProductAttributeName=Atributo de variante %s ProductAttributeDeleteDialog=¿Estás seguro de que deseas eliminar este atributo? Todos los valores serán eliminados -ProductAttributeValueDeleteDialog=¿Estás seguro de que deseas eliminar el valor "%s" con la referencia "%s" de este atributo? ProductCombinationDeleteDialog=¿Está seguro que deseas eliminar la variante del producto "%s"? ProductCombinationAlreadyUsed=Hubo un error al eliminar la variante. Por favor verifique que no se esté utilizando en ningún objeto HideProductCombinations=Ocultar variante de productos en el selector de productos diff --git a/htdocs/langs/es_CL/projects.lang b/htdocs/langs/es_CL/projects.lang index 15025596c77..b1048ef6f1e 100644 --- a/htdocs/langs/es_CL/projects.lang +++ b/htdocs/langs/es_CL/projects.lang @@ -21,9 +21,9 @@ OpportunitiesStatusForProjects=Lleva cantidad de proyectos por estado. ShowProject=Mostrar proyecto SetProject=Establecer proyecto NoProject=Ningún proyecto definido o propiedad +TimeSpentSmall=Tiempo dedicado TimeSpentByYou=Tiempo pasado por ti TimeSpentByUser=Tiempo dedicado por el usuario -TimesSpent=Tiempo dedicado TaskId=ID de tarea RefTask=Tarea ref. LabelTask=Etiqueta de tarea @@ -133,7 +133,6 @@ ProjectOppAmountOfProjectsByMonth=Cantidad de clientes potenciales por mes ProjectWeightedOppAmountOfProjectsByMonth=Cantidad ponderada de clientes potenciales por mes TaskAssignedToEnterTime=Tarea asignada Ingresar el tiempo en esta tarea debería ser posible. IdTaskTime=Tiempo de la tarea de identificación -YouCanCompleteRef=Si desea completar la referencia con algún sufijo, se recomienda agregar un carácter para separarlo, por lo que la numeración automática seguirá funcionando correctamente para los próximos proyectos. Por ejemplo %s-MYSUFFIX OpenedProjectsByThirdparties=Proyectos abiertos por terceros OnlyOpportunitiesShort=Solo Leads OpenedOpportunitiesShort=Conductores abiertos diff --git a/htdocs/langs/es_CL/propal.lang b/htdocs/langs/es_CL/propal.lang index 8f5ec5c079b..91f65c4f84c 100644 --- a/htdocs/langs/es_CL/propal.lang +++ b/htdocs/langs/es_CL/propal.lang @@ -11,6 +11,7 @@ NewProp=Nueva cotización Prospect=Cliente DeleteProp=Borrar Cotización ValidateProp=Validar cotización +CancelPropal=Cancelar AddProp=Crear cotización ConfirmDeleteProp=Está seguro que quiere borrar esta propuesta comercial? ConfirmValidateProp=Está seguro que quiere validar esta propuesta comercial bajo el nombre%s? @@ -28,6 +29,7 @@ PropalStatusDraft=Borrador (debe ser validado) PropalStatusValidated=Validado (cotización abierta) PropalStatusSigned=Firmado (necesita pago) PropalStatusBilled=Pagado +PropalStatusCanceledShort=Cancelado PropalStatusBilledShort=Pagado PropalsToClose=Cotizaciones a cerrar PropalsToBill=Cotizaciones firmadas a facturar diff --git a/htdocs/langs/es_CL/receptions.lang b/htdocs/langs/es_CL/receptions.lang index c3ef0fffd2b..68d0a0e8001 100644 --- a/htdocs/langs/es_CL/receptions.lang +++ b/htdocs/langs/es_CL/receptions.lang @@ -17,9 +17,7 @@ StatusReceptionCanceled=Cancelado StatusReceptionProcessed=Procesada StatusReceptionProcessedShort=Procesada ConfirmDeleteReception=¿Estás seguro de que deseas eliminar esta recepción? -ConfirmValidateReception=¿Está seguro de que desea validar esta recepción con la referencia %s ? ConfirmCancelReception=¿Seguro que quieres cancelar esta recepción? -StatsOnReceptionsOnlyValidated=Estadísticas realizadas en recepciones solo validadas. La fecha utilizada es la fecha de validación de la recepción (la fecha de entrega prevista no siempre se conoce). SendReceptionByEMail=Enviar recepción por correo electrónico SendReceptionRef=Presentación de la recepción %s ActionsOnReception=Eventos en recepción diff --git a/htdocs/langs/es_CL/sendings.lang b/htdocs/langs/es_CL/sendings.lang index 5c62e8c326c..36df99f3a3a 100644 --- a/htdocs/langs/es_CL/sendings.lang +++ b/htdocs/langs/es_CL/sendings.lang @@ -24,7 +24,6 @@ StatusSendingProcessed=Procesada StatusSendingProcessedShort=Procesada SendingSheet=Hoja de envío ConfirmDeleteSending=¿Seguro que quieres eliminar este envío? -ConfirmValidateSending=¿Estas seguro que quieres validar este envió con referencia %s? ConfirmCancelSending=¿Seguro que quieres cancelar este envío? WarningNoQtyLeftToSend=Advertencia, no hay productos esperando ser enviados. DateDeliveryPlanned=Fecha planificada de entrega diff --git a/htdocs/langs/es_CL/website.lang b/htdocs/langs/es_CL/website.lang index 8cd800ab7b5..9a8ab4f3f9b 100644 --- a/htdocs/langs/es_CL/website.lang +++ b/htdocs/langs/es_CL/website.lang @@ -11,7 +11,6 @@ PageNameAliasHelp=Nombre o alias de la página.
      Este alias también se usa p MediaFiles=Mediateca EditCss=Editar prop del sitio web EditMenu=Editar menú -EditMedias=Editar medios EditPageMeta=Edita prop pag/contenedor Webpage=Página web / contenedor AddPage=Añadir página / contenedor diff --git a/htdocs/langs/es_CL/withdrawals.lang b/htdocs/langs/es_CL/withdrawals.lang index 9e83a4e23d7..7ffc548c8b3 100644 --- a/htdocs/langs/es_CL/withdrawals.lang +++ b/htdocs/langs/es_CL/withdrawals.lang @@ -18,7 +18,6 @@ LastWithdrawalReceipt=Últimos recibos de débito directo %s MakeWithdrawRequest=Hacer una solicitud de pago de débito directo WithdrawRequestsDone=%s solicitudes de pago de débito directo registradas ThirdPartyBankCode=Código bancario de terceros -NoInvoiceCouldBeWithdrawed=Ninguna factura debitada con éxito. Verifique que las facturas sean de compañías con un IBAN válido y que el IBAN tenga un UMR (referencia única de mandato) con el modo %s . ClassCredited=Clasificar acreditado ClassCreditedConfirm=¿Seguro que quieres clasificar este recibo de retiro como acreditado en tu cuenta bancaria? TransData=Fecha de transmisión @@ -29,8 +28,6 @@ WithdrawalRefusedConfirm=¿Estás seguro de que deseas ingresar un rechazo de re RefusedData=Fecha de rechazo RefusedReason=Motivo del rechazo RefusedInvoicing=Facturando el rechazo -NoInvoiceRefused=No cargues el rechazo -InvoiceRefused=Factura rechazada (cargar el rechazo al cliente) StatusDebitCredit=Estado de débito / crédito StatusWaiting=Esperando StatusTrans=Expedido @@ -61,7 +58,6 @@ SetToStatusSent=Establecer el estado "Archivo enviado" StatisticsByLineStatus=Estadísticas por estado de líneas RUMLong=Referencia única de mandatos RUMWillBeGenerated=Si está vacío, se generará una UMR (referencia única de mandato) una vez que se guarde la información de la cuenta bancaria. -WithdrawMode=Modo de domiciliación bancaria (FRST o RECUR) WithdrawRequestAmount=Cantidad de solicitud de débito directo: WithdrawRequestErrorNilAmount=No se puede crear una solicitud de domiciliación bancaria para el importe vacío. SepaMandate=Mandato de débito directo de la SEPA diff --git a/htdocs/langs/es_CL/workflow.lang b/htdocs/langs/es_CL/workflow.lang index b1ea13c8a0b..4fae24f6c09 100644 --- a/htdocs/langs/es_CL/workflow.lang +++ b/htdocs/langs/es_CL/workflow.lang @@ -5,10 +5,3 @@ descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Crear automáticamente un pedido de venta d descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente después de que se haya firmado una propuesta comercial (la nueva factura tendrá el mismo importe que la propuesta) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente después de que un contrato es validado descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente después de que se cierre un pedido de venta (la nueva factura tendrá el mismo importe que el pedido) -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasifique la propuesta de origen vinculado como facturada cuando el pedido de venta se establece en facturado (y si el monto del pedido es el mismo que el monto total de la propuesta vinculada firmada) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasifique la propuesta de origen vinculado como facturada cuando la factura del cliente se valida (y si el monto de la factura es el mismo que el monto total de la propuesta vinculada firmada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasifique el pedido de ventas de origen vinculado como facturado cuando la factura del cliente se valida (y si el monto de la factura es el mismo que el monto total del pedido vinculado) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasifique el pedido de venta de origen vinculado como facturado cuando la factura del cliente se establece en pagada (y si el monto de la factura es el mismo que el monto total del pedido vinculado) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasifique el pedido de venta de origen vinculado como enviado cuando se valida un envío (y si la cantidad enviada por todos los envíos es la misma que en el pedido de actualización) -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasifique la propuesta del proveedor de origen vinculado como facturada cuando se valida la factura del proveedor (y si el monto de la factura es el mismo que el monto total de la propuesta vinculada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasifique la orden de compra de origen vinculado como facturada cuando se valida la factura del proveedor (y si el monto de la factura es el mismo que el monto total del pedido vinculado) diff --git a/htdocs/langs/es_CO/accountancy.lang b/htdocs/langs/es_CO/accountancy.lang index bbad0adfab4..f6de846568c 100644 --- a/htdocs/langs/es_CO/accountancy.lang +++ b/htdocs/langs/es_CO/accountancy.lang @@ -26,7 +26,6 @@ DeleteCptCategory=Eliminar cuenta contable del grupo ConfirmDeleteCptCategory=¿Está seguro de que desea eliminar esta cuenta contable del grupo de cuentas contables? JournalizationInLedgerStatus=Estado de la periodización AlreadyInGeneralLedger=Ya transferido a diarios contables y libro mayor. -NotYetInGeneralLedger=Aún no se ha transferido a los diarios de cuentas y al libro mayor. GroupIsEmptyCheckSetup=El grupo está vacío, verifique la configuración del grupo de contabilidad personalizado DetailByAccount=Mostrar detalle por cuenta AccountWithNonZeroValues=Cuentas con valores distintos de cero. @@ -42,7 +41,6 @@ AccountancyAreaDescDefault=PASO %s: Defina cuentas de contabilidad predeterminad AccountancyAreaDescSal=PASO %s: Defina cuentas contables predeterminadas para el pago de salarios. Para ello, utilice la entrada de menú %s. AccountancyAreaDescDonation=PASO %s: Defina cuentas de contabilidad predeterminadas para donación. Para ello, utilice la entrada de menú %s. AccountancyAreaDescSubscription=PASO %s: Defina cuentas de contabilidad predeterminadas para la suscripción de miembros. Para ello, utilice la entrada de menú %s. -AccountancyAreaDescMisc=PASO %s: Defina cuentas predeterminadas obligatorias y cuentas contables predeterminadas para transacciones misceláneas. Para ello, utilice la entrada de menú %s. AccountancyAreaDescLoan=PASO %s: Defina cuentas de contabilidad predeterminadas para préstamos. Para ello, utilice la entrada de menú %s. AccountancyAreaDescBank=PASO %s: Defina cuentas contables y código de diario para cada banco y cuentas financieras. Para ello, utilice la entrada de menú %s. AccountancyAreaDescBind=PASO %s: verifique el enlace entre las líneas %s existentes y la cuenta contable se realiza, por lo que la aplicación podrá registrar transacciones en el libro mayor en un solo clic. Completar los enlaces que faltan. Para ello, utilice la entrada de menú %s. @@ -193,7 +191,6 @@ NewAccountingJournal=Nueva revista contable NatureOfJournal=Naturaleza de la revista AccountingJournalType1=Operaciones misceláneas AccountingJournalType5=Reporte de gastos -AccountingJournalType9=Ha-nuevo ErrorAccountingJournalIsAlreadyUse=Esta revista ya está en uso. AccountingAccountForSalesTaxAreDefinedInto=Nota: la cuenta contable del impuesto sobre las ventas se define en el menú %s - %s NumberOfAccountancyMovements=Numero de movimientos @@ -250,7 +247,6 @@ UnletteringManual=manual no reconciliado ConfirmMassUnletteringQuestion=¿Está seguro de que desea anular la conciliación de los registros seleccionados %s? ConfirmMassDeleteBookkeepingWriting=Confirmación de eliminación masiva SomeMandatoryStepsOfSetupWereNotDone=Algunos pasos obligatorios de configuración no se realizaron, por favor complete -ErrorNoAccountingCategoryForThisCountry=No hay grupo de cuentas contables disponible para el país %s (Consulte Inicio - Configuración - Diccionarios) ErrorInvoiceContainsLinesNotYetBounded=Intenta registrar en el diario algunas líneas de la factura %s , pero algunas otras líneas aún no están vinculadas a la cuenta contable. La periodización de todas las líneas de factura para esta factura se rechazan. ErrorInvoiceContainsLinesNotYetBoundedShort=Algunas líneas en la factura no están vinculadas a la cuenta contable. ExportNotSupported=El formato de exportación configurado no es compatible con esta página. diff --git a/htdocs/langs/es_CO/admin.lang b/htdocs/langs/es_CO/admin.lang index 34cb0496f5a..36825b69448 100644 --- a/htdocs/langs/es_CO/admin.lang +++ b/htdocs/langs/es_CO/admin.lang @@ -37,6 +37,8 @@ ClientCharset=Charset cliente WarningModuleNotActive=El módulo %s debe estar activo WarningOnlyPermissionOfActivatedModules=Solo los permisos relacionados a los modulos activos se muestran acá. Puede activar otros modulos en la página Inicio->Configuración->Módulos. DolibarrSetup=Instalación o actualización de Dolibarr +DolibarrUpgrade=Actualización de Dolibarr +DolibarrAddonInstall=Instalación de complementos/módulos externos (cargados o generados) UploadNewTemplate=Subir nueva (s) plantilla (s) FormToTestFileUploadForm=Formulario para probar la importación de archivos (según configuración) ModuleMustBeEnabled=El módulo / aplicación %s debe estar habilitado @@ -212,9 +214,6 @@ EmailSenderProfiles=Correos electrónicos remitentes perfiles EMailsSenderProfileDesc=Puede mantener esta sección vacía. Si ingresa algunos correos electrónicos aquí, se agregarán a la lista de posibles remitentes en el cuadro combinado cuando escriba un nuevo correo electrónico. MAIN_MAIL_SMTP_PORT=Puerto SMTP / SMTPS (valor predeterminado en php.ini: %s ) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS Host (valor predeterminado en php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Puerto SMTP / SMTPS (no definido en PHP en sistemas similares a Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS Host (no definido en PHP en sistemas similares a Unix) -MAIN_MAIL_EMAIL_FROM=Correo electrónico del remitente para correos electrónicos automáticos (valor predeterminado en php.ini: %s ) MAIN_MAIL_ERRORS_TO=El correo electrónico utilizado para el error devuelve correos electrónicos (campos 'Errores a' en los correos electrónicos enviados) MAIN_MAIL_AUTOCOPY_TO=Copiar (Bcc) todos los correos electrónicos enviados a MAIN_DISABLE_ALL_MAILS=Deshabilitar todo el envío de correo electrónico (para propósitos de prueba o demostraciones) @@ -225,13 +224,11 @@ MAIN_MAIL_SMTPS_ID=ID de SMTP (si el servidor de envío requiere autenticación) MAIN_MAIL_SMTPS_PW=Contraseña SMTP (si el servidor de envío requiere autenticación) MAIN_MAIL_EMAIL_TLS=Utilizar cifrado TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Usar cifrado TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizar certificados autofirmados MAIN_MAIL_EMAIL_DKIM_ENABLED=Usa DKIM para generar firma de correo electrónico MAIN_MAIL_EMAIL_DKIM_DOMAIN=Dominio de correo electrónico para usar con dkim MAIN_DISABLE_ALL_SMS=Deshabilitar todo el envío de SMS (para propósitos de prueba o demostraciones) MAIN_SMS_SENDMODE=Método a utilizar para enviar SMS. MAIN_MAIL_SMS_FROM=Número de teléfono del remitente predeterminado para el envío de SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Correo electrónico predeterminado del remitente para envío manual (correo electrónico del usuario o correo electrónico de la empresa) UserEmail=Email del usuario CompanyEmail=Correo electrónico de la empresa FeatureNotAvailableOnLinux=Característica no disponible en Unix como sistemas. Prueba tu programa de sendmail localmente. @@ -317,7 +314,6 @@ UrlGenerationParameters=Parámetros para proteger las URL SecurityTokenIsUnique=Utilice un parámetro de clave segura único para cada URL EnterRefToBuildUrl=Introduzca la referencia para el objeto %s GetSecuredUrl=Obtener URL calculada -ButtonHideUnauthorized=Ocultar botones de acción no autorizados también para usuarios internos (solo en gris de lo contrario) OldVATRates=Vieja tasa de IVA NewVATRates=Nueva tasa de IVA PriceBaseTypeToChange=Modificar en precios con valor de referencia base definido en @@ -337,11 +333,9 @@ ExtrafieldLink=Enlace a un objeto ComputedFormula=Campo computado Computedpersistent=Almacenar campo calculado ComputedpersistentDesc=Los campos adicionales calculados se almacenarán en la base de datos, sin embargo, el valor solo se volverá a calcular cuando se cambie el objeto de este campo. Si el campo calculado depende de otros objetos o datos globales, ¡este valor puede ser incorrecto! -ExtrafieldParamHelpPassword=Dejar este campo en blanco significa que este valor se almacenará sin cifrado (el campo solo debe estar oculto con una estrella en la pantalla).
      Establezca 'auto' para usar la regla de cifrado predeterminada para guardar la contraseña en la base de datos (entonces el valor leído será el hash solo, no hay forma de recuperar el valor original) ExtrafieldParamHelpselect=La lista de valores debe ser líneas con clave de formato, valor (donde la clave no puede ser '0')

      por ejemplo:
      1, value1
      2, value2
      code3,value3
      ...

      Para que la lista dependa de otra lista de atributos complementarios:
      1,value1|options_parent_list_code: parent_key
      2,value2|options_ parent_list_code:parent_key

      Con el fin de tener la lista en función de otra lista:
      1, value1| parent_list_code:parent_key
      2, value2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=La lista de valores debe ser líneas con formato clave, valor (donde la clave no puede ser '0')

      por ejemplo:
      1,value1
      2,value2
      3,value3
      ... ExtrafieldParamHelpradio=La lista de valores debe ser líneas con formato key,value (donde la clave no puede ser '0')

      por ejemplo:
      1,value1
      2,value2
      3, value3
      ... -ExtrafieldParamHelpsellist=La lista de valores proviene de una tabla
      Syntax: table_name:label_field:id_field::filtersql
      Ejemplo: c_typent:libelle:id::filtersql

      - id_field es necesariamente una clave int primaria
      - filtersql es una condición SQL. Puede ser una prueba simple (ej. active=1) para mostrar solo el valor activo.
      También puede usar $ID$ en el filtro que es el ID actual del objeto actual
      Para usar un SELECT en el filtro, use la palabra clave $SEL$ para evitar la protección antiinyección.
      Si desea filtrar en campos extra, use la sintaxis extra.fieldcode=... (donde el código de campo es el código del campo extra)

      Para que la lista dependa de otra lista de atributos complementarios:
      c_typent:libelle:id:options_ parent_list_code |parent_column:filter

      Para que la lista dependa de otra lista:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=La lista de valores proviene de una tabla
      Syntax: table_name:label_field:id_field::filtersql
      Ejemplo: c_typent:libelle:id::filtersql

      el filtro puede ser una prueba simple (ej. active=1) para mostrar solo el valor activo
      También puede usar $ID$ en el filtro que es el ID actual del objeto actual
      Para hacer un SELECT en el filtro, use $SEL$
      si desea filtrar en campos extra, use la sintaxis extra.fieldcode=... (donde el código de campo es el código de extrafield)

      con el fin de tener la lista en función de otra lista de atributos complementarios:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      Con el fin de tener la lista en función de otra lista:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Los parámetros deben ser ObjectName:Classpath
      Sintaxis: ObjectName:Classpath ExtrafieldParamHelpSeparator=Mantener vacío para un separador simple
      Establezca esto en 1 para un separador colapsante (abierto de forma predeterminada para una nueva sesión, luego el estado se mantiene para cada sesión de usuario)
      Establezca esto en 2 para un separador colapsante (colapsado por defecto para una nueva sesión, luego el estado se mantiene antes de cada sesión de usuario) @@ -386,7 +380,6 @@ RequiredBy=Este módulo es requerido por el módulo (s) TheKeyIsTheNameOfHtmlField=Este es el nombre del campo HTML. Se requiere conocimiento técnico para leer el contenido de la página HTML para obtener el nombre clave de un campo. PageUrlForDefaultValuesCreate=
      Ejemplo:
      Para el formulario para crear un nuevo tercero, es %s.
      Para la URL de los módulos externos instalados en el directorio personalizado, no incluya "custom/", así que use una ruta como mymodule /mypage.php y no custom/mymodule/mypage.php.
      Si desea un valor predeterminado solo si la URL tiene algún parámetro, puede usar %s PageUrlForDefaultValuesList=
      Ejemplo:
      Para la página que enumera terceros, es %s.
      Para la URL de los módulos externos instalados en el directorio personalizado, no incluya "custom/", así que use una ruta como mymodule/mypagelist.php y no custom/mymodule/mypagelist.php.
      Si desea un valor predeterminado solo si la URL tiene algún parámetro, puede usar %s -AlsoDefaultValuesAreEffectiveForActionCreate=También tenga en cuenta que sobrescribir los valores predeterminados para la creación de formularios solo funciona para las páginas que se diseñaron correctamente (por lo tanto, con el parámetro action=create o presend...) EnableDefaultValues=Habilitar la personalización de los valores predeterminados GoIntoTranslationMenuToChangeThis=Se ha encontrado una traducción para la clave con este código. Para cambiar este valor, debe editarlo desde Home-Setup-translation. WarningSettingSortOrder=Advertencia: establecer un orden de clasificación predeterminado puede generar un error técnico al acceder a la página de la lista si el campo es un campo desconocido. Si experimenta tal error, vuelva a esta página para eliminar el orden de clasificación predeterminado y restaurar el comportamiento predeterminado. @@ -401,7 +394,6 @@ DAV_ALLOW_PRIVATE_DIRTooltip=El directorio privado genérico es un directorio We DAV_ALLOW_PUBLIC_DIR=Habilite el directorio público genérico (directorio dedicado de WebDAV llamado "público", no es necesario iniciar sesión) DAV_ALLOW_PUBLIC_DIRTooltip=El directorio público genérico es un directorio WebDAV al que cualquiera puede acceder (en modo lectura y escritura), sin necesidad de autorización (cuenta de inicio de sesión / contraseña). DAV_ALLOW_ECM_DIR=Habilite el directorio privado DMS/ECM (directorio raíz del módulo DMS/ECM; se requiere iniciar sesión) -DAV_ALLOW_ECM_DIRTooltip=El directorio raíz donde todos los archivos se cargan manualmente cuando se usa el módulo DMS/ECM. De manera similar al acceso desde la interfaz web, necesitará un nombre de usuario/contraseña válido con los permisos adecuados para acceder a él. Module0Name=Usuarios y Grupos Module0Desc=Gestión de usuarios / empleados y grupos. Module1Desc=Gestión de empresas y contactos (clientes, prospectos ...) @@ -424,7 +416,6 @@ Module51Desc=Gestión masiva de correo postal. Module52Name=Cepo Module54Name=Contratos / Suscripciones Module54Desc=Gestión de contratos (servicios o suscripciones recurrentes). -Module56Desc=Gestión de pago de proveedores mediante Órdenes de Transferencia de Crédito. Incluye generación de archivo SEPA para países europeos. Module57Name=Pagos por Débito Automático Module57Desc=Gestión de órdenes de débito automático. Incluye generación de archivo SEPA para países europeos. Module58Desc=Integración de un sistema ClickToDial (Asterisco, ...) @@ -485,7 +476,6 @@ Module2700Desc=Utilice el servicio en línea de Gravatar (www.gravatar.com) para Module2900Desc=Capacidades de conversiones de GeoIP Maxmind Module3200Desc=Habilitar un registro inalterable de eventos empresariales. Los eventos se archivan en tiempo real. El registro es una tabla de solo lectura de eventos encadenados que se pueden exportar. Este módulo puede ser obligatorio para algunos países. Module3400Desc=Habilite los campos de Redes Sociales en terceros y direcciones (skype, twitter, facebook, ...). -Module4000Desc=Gestión de recursos humanos (gestión de departamento, contratos de empleados y sentimientos). Module5000Desc=Le permite gestionar múltiples empresas. Module6000Desc=Gestión del flujo de trabajo entre diferentes módulos (creación automática de objeto y / o cambio de estado automático) Module10000Desc=Cree sitios web (públicos) con un editor WYSIWYG. Este es un CMS orientado a webmasters o desarrolladores (es mejor conocer el lenguaje HTML y CSS). Simplemente configure su servidor web (Apache, Nginx, ...) para que apunte al directorio Dolibarr dedicado para tenerlo en línea en Internet con su propio nombre de dominio. @@ -725,7 +715,6 @@ Permission2515=Configurar directorios de documentos Permission2801=Usar el cliente FTP en modo de lectura (solo navegar y descargar) Permission2802=Usar el cliente FTP en modo de escritura (eliminar o cargar archivos) Permission10001=Leer el contenido del sitio web -Permission10002=Crear / modificar el contenido del sitio web (contenido html y javascript) Permission10003=Crear / modificar el contenido del sitio web (código php dinámico). Peligroso, debe reservarse para desarrolladores restringidos. Permission10005=Eliminar el contenido del sitio web Permission20001=Leer solicitudes de licencia (su licencia y las de sus subordinados) @@ -799,7 +788,6 @@ BackToModuleList=Volver a la lista de módulos BackToDictionaryList=Volver a la lista de diccionarios TypeOfRevenueStamp=Tipo de timbre fiscal VATManagement=Gestión de impuestos sobre las ventas -VATIsUsedDesc=De forma predeterminada, al crear prospectos, facturas, pedidos, etc., la tasa del impuesto sobre las ventas sigue la regla estándar activa:
      Si el vendedor no está sujeto al impuesto sobre las ventas, el impuesto sobre las ventas se establece en 0 como predeterminado.
      Si el (país del vendedor = país del comprador), el impuesto sobre las ventas por defecto es igual al impuesto sobre las ventas del producto en el país del vendedor. Fin de la regla.
      Si el vendedor y el comprador están en la Comunidad Europea y las mercancías son productos relacionados con el transporte (transporte, envío, línea aérea), el IVA predeterminado es 0. Esta regla depende del país del vendedor; consulte con su contador. El IVA debe ser pagado por el comprador a la oficina de aduanas de su país y no al vendedor. Fin de la regla.
      Si el vendedor y el comprador están en la Comunidad Europea y el comprador no es una empresa (con un número de IVA intracomunitario registrado), el IVA se establece de forma predeterminada en el tipo de IVA del país del vendedor. Fin de la regla.
      Si el vendedor y el comprador están en la Comunidad Europea y el comprador es una empresa (con un número de IVA intracomunitario registrado), el IVA es 0 por defecto. Fin de la regla.
      En cualquier otro caso, el valor predeterminado propuesto es Impuesto sobre las ventas = 0. Fin de la regla. VATIsNotUsedDesc=De forma predeterminada, el impuesto a las ventas propuesto es 0, que se puede utilizar para casos como asociaciones, personas físicas o pequeñas empresas. VATIsUsedExampleFR=En Francia, significa empresas u organizaciones que tienen un sistema fiscal real (Real simplificado o real normal). Un sistema en el que se declara el IVA. VATIsNotUsedExampleFR=En Francia, significa asociaciones que no están declaradas como impuesto sobre las ventas o empresas, organizaciones o profesiones liberales que han elegido el sistema fiscal de microempresas (impuesto sobre las ventas en franquicia) y han pagado una franquicia. Esta opción mostrará la referencia "Impuesto sobre las ventas no aplicable - art-293B de CGI" en las facturas. @@ -1016,8 +1004,6 @@ PHPModuleLoaded=Se cargó el componente PHP %s PreloadOPCode=Preloaded OPCode esta en uso. AddRefInList=Mostrar ref. De cliente / proveedor en listas combinadas.
      Los terceros aparecerán con un formato de nombre de "CC12345 - SC45678 - The Big Company corp." en lugar de "The Big Company corp". AddVatInList=Muestra el número de IVA de cliente / proveedor en listas combinadas. -AddAdressInList=Muestra la dirección del cliente / proveedor en listas combinadas.
      Los terceros aparecerán con un formato de nombre de "The Big Company corp. - 21 jump street 123456 Big town - USA" en lugar de "The Big Company corp". -AddEmailPhoneTownInContactList=Mostrar correo electrónico de contacto (o teléfonos si no está definido) y lista de información de la ciudad (selecciones lista o cuadro combinado)
      Los contactos aparecerán con un formato de nombre de "Pepito Perez - pepito.perez@email.com - Cali" o "Pepito Perez - 315 000 0000 - Cali" en lugar de "Pepito Perez". AskForPreferredShippingMethod=Pregunte por el método de envío preferido para terceros. FillThisOnlyIfRequired=Ejemplo: +2 (rellenar solo si se experimentan problemas de compensación de zona horaria) NumberingModules=Modelos de numeración @@ -1208,7 +1194,6 @@ MemcachedModuleAvailableButNotSetup=Se encontró el módulo memcached para el ca MemcachedAvailableAndSetup=El módulo memcached dedicado a usar el servidor de memcached está habilitado. OPCodeCache=Caché OPCode NoOPCodeCacheFound=No se ha encontrado ningún caché OPCode. Tal vez esté utilizando un caché OPCode que no sea XCache o eAccelerator (bueno), o tal vez no tenga un caché OPCode (muy malo). -HTTPCacheStaticResources=Caché HTTP para recursos estáticos (css, img, javascript) FilesOfTypeCached=Los archivos del tipo %s se almacenan en caché por el servidor HTTP FilesOfTypeNotCached=Los archivos de tipo %s no se almacenan en caché por el servidor HTTP FilesOfTypeCompressed=Los archivos de tipo %s están comprimidos por el servidor HTTP @@ -1292,13 +1277,6 @@ DeliveryOrderModel=Entrega de productos modelo de recibo. DeliveriesOrderAbility=Soporte de entrega de productos recibos. FreeLegalTextOnDeliveryReceipts=Texto libre en los recibos de entrega ActivateFCKeditor=Activar editor avanzado para: -FCKeditorForNotePublic=Creación / edición WYSIWIG del campo "notas públicas" de elementos -FCKeditorForNotePrivate=Creación / edición WYSIWIG del campo "notas privadas" de elementos -FCKeditorForCompany=Creación / edición WYSIWIG de la descripción de campo de elementos (excepto productos / servicios) -FCKeditorForMailing=Creación / edición WYSIWIG para eMailings masivos (Herramientas-> eMailing) -FCKeditorForUserSignature=Creación / edición WYSIWIG de la firma del usuario. -FCKeditorForMail=Creación / edición WYSIWIG para todo el correo (excepto Herramientas-> eMailing) -FCKeditorForTicket=Creación / edición WYSIWIG para entradas StockSetup=Configuración del módulo de stock IfYouUsePointOfSaleCheckModule=Si usa el módulo de Punto de Venta (POS) provisto por defecto o un módulo externo, su configuración puede ser ignorada por su módulo de POS. La mayoría de los módulos POS están diseñados de forma predeterminada para crear una factura inmediatamente y disminuir el stock, independientemente de las opciones aquí. Por lo tanto, si necesita o no una disminución de stock al registrar una venta desde su POS, verifique también la configuración de su módulo POS. NotTopTreeMenuPersonalized=Menús personalizados no vinculados a una entrada del menú superior @@ -1311,7 +1289,6 @@ DetailMenuModule=Nombre del módulo si la entrada del menú proviene de un módu DetailType=Tipo de menú (arriba o izquierda) DetailTitre=Etiqueta de menú o código de etiqueta para traducción DetailEnabled=Condición para mostrar o no la entrada. -DetailRight=Condición para mostrar menús grises no autorizados DetailLangs=Lang nombre de archivo para la traducción del código de la etiqueta Target=Objetivo DetailTarget=Destino para enlaces (_blank top abre una nueva ventana) @@ -1360,7 +1337,6 @@ CashDeskBankAccountForSell=Cuenta predeterminada para usar para recibir pagos en CashDeskBankAccountForCheque=Cuenta predeterminada para usar para recibir pagos con cheque CashDeskBankAccountForCB=Cuenta predeterminada a utilizar para recibir pagos con tarjetas de crédito. CashDeskBankAccountForSumup=Cuenta bancaria predeterminada para usar para recibir pagos por SumUp -CashDeskDoNotDecreaseStock=Deshabilite la reducción de existencias cuando se realiza una venta desde el punto de venta (si es "no", la reducción de existencias se realiza para cada venta realizada desde POS, independientemente de la opción establecida en el stock de módulos). CashDeskIdWareHouse=Forzar y restringir el almacén para utilizar para la disminución de stock StockDecreaseForPointOfSaleDisabled=Disminución de stock desde punto de venta deshabilitado. StockDecreaseForPointOfSaleDisabledbyBatch=La disminución de stock en POS no es compatible con el módulo de gestión de serie / lote (actualmente activo), por lo que la disminución de stock está desactivada. @@ -1455,7 +1431,6 @@ NbAddedAutomatically=Número de días agregados a los contadores de usuarios (au Enter0or1=Ingrese 0 o 1 UnicodeCurrency=Ingrese aquí entre llaves, lista de bytes que representan el símbolo de moneda. Por ejemplo: para $, ingrese [36] - para brasil R $ [82,36] - para €, ingrese [8364] ColorFormat=El color RGB está en formato HEX, por ejemplo: FF0000 -PictoHelp=Nombre del ícono en formato:
      - image.png para un archivo de imagen en el directorio del tema actual
      - image.png@module si el archivo está en el directorio /img/ de un módulo
      - fa-xxx para un pictograma FontAwesome fa-xxx
      - fonwtawesome_xxx_fa_color_size para un pictograma FontAwesome fa-xxx (con prefijo, color y tamaño establecidos) PositionIntoComboList=Posición de la línea en las listas de combo SellTaxRate=Tasa de impuesto sobre las ventas RecuperableOnly=Sí, para el IVA "No percibido pero recuperable" dedicado a algún estado de Francia. Mantenga el valor en "No" en todos los demás casos. @@ -1547,7 +1522,6 @@ EmailcollectorOperationsDesc=Las operaciones se ejecutan de arriba a abajo. MaxEmailCollectPerCollect=Número máximo de correos electrónicos recolectados por recolección DateLastcollectResultOk=Fecha del último éxito de recolección EmailCollectorConfirmCollectTitle=Correo electrónico recoger confirmación -EmailCollectorExampleToCollectTicketRequestsDesc=Recopile correos electrónicos que coincidan con algunas reglas y cree automáticamente un ticket (el módulo Ticket debe estar habilitado) con la información del correo electrónico. Puede usar este recopilador si brinda algún tipo de soporte por correo electrónico, por lo que su solicitud de boleto se generará automáticamente. Active también Collect_Responses para recopilar respuestas de su cliente directamente en la vista de ticket (debe responder desde Dolibarr). NoNewEmailToProcess=No hay correo electrónico nuevo (filtros coincidentes) para procesar CreateLeadAndThirdParty=Cree un cliente potencial (y un tercero si es necesario) CodeLastResult=Último código de resultado @@ -1570,10 +1544,8 @@ MAIN_OPTIMIZEFORTEXTBROWSER=Simplifique la interfaz para personas ciegas MAIN_OPTIMIZEFORTEXTBROWSERDesc=Habilite esta opción si es una persona ciega o si usa la aplicación desde un navegador de texto como Lynx o Links. MAIN_OPTIMIZEFORCOLORBLINDDesc=Habilite esta opción si es una persona daltónica; en algunos casos, la interfaz cambiará la configuración del color para aumentar el contraste. ThisValueCanOverwrittenOnUserLevel=Este valor puede ser sobrescrito por cada usuario desde su página de usuario - pestaña '%s' -DefaultCustomerType=Tipo de tercero predeterminado para el formulario de creación de "Cliente nuevo" ABankAccountMustBeDefinedOnPaymentModeSetup=Nota: La cuenta bancaria debe estar definida en el módulo de cada modo de pago (Paypal, Stripe, ...) para que esta característica funcione. RootCategoryForProductsToSell=Categoría raíz de productos para vender -RootCategoryForProductsToSellDesc=Si se define, solo los productos dentro de esta categoría o los niños de esta categoría estarán disponibles en el punto de venta DebugBarDesc=Barra de herramientas que viene con una gran cantidad de herramientas para simplificar la depuración (debugging) DebugBarSetup=Configuración de DebugBar LogsLinesNumber=Número de líneas para mostrar en la pestaña de registros @@ -1588,9 +1560,6 @@ EXPORTS_SHARE_MODELS=Los modelos de exportación se comparten con todos ExportSetup=Configuración de la exportación del módulo ImportSetup=Configuración de la importación del módulo InstanceUniqueID=ID único de la instancia -IfTrackingIDFoundEventWillBeLinked=Tenga en cuenta que si se encuentra un ID de seguimiento de un objeto en un correo electrónico, o si el correo electrónico es una respuesta de un correo electrónico ya recopilado y vinculado a un objeto, el evento creado se vinculará automáticamente al objeto relacionado conocido. -WithGMailYouCanCreateADedicatedPassword=Si habilitó la validación de 2 pasos con una cuenta de GMail, se recomienda crear una segunda contraseña dedicada para la aplicación en lugar de usar la contraseña de su propia cuenta de https://myaccount.google.com/. -EmailCollectorTargetDir=Puede ser un comportamiento deseado mover el correo electrónico a otra etiqueta/directorio cuando se procesó correctamente. Simplemente configure el nombre del directorio aquí para usar esta función (NO use caracteres especiales en el nombre). Tenga en cuenta que también debe utilizar una cuenta de inicio de sesión de lectura/escritura. EndPointFor=Punto final para %s: %s DeleteEmailCollector=Eliminar recopilador de correo electrónico ConfirmDeleteEmailCollector=¿Está seguro de que desea eliminar este recopilador de correo electrónico? @@ -1601,7 +1570,6 @@ FeatureNotAvailableWithReceptionModule=Característica no disponible cuando la r EmailTemplate=Plantilla para correo electrónico EMailsWillHaveMessageID=Los correos electrónicos tendrán una etiqueta 'Referencias' que coincida con esta sintaxis PDF_USE_ALSO_LANGUAGE_CODE=Si desea tener algunos textos en su PDF duplicados en 2 idiomas diferentes en el mismo PDF generado, debe configurar aquí este segundo idioma para que el PDF generado contenga 2 idiomas diferentes en la misma página, el elegido al generar PDF y este ( solo unas pocas plantillas PDF admiten esto). Mantener vacío para 1 idioma por PDF. -PDF_USE_A=Gererate documentos PDF con formato PDF / A en lugar de formato PDF predeterminado FafaIconSocialNetworksDesc=Introduzca aquí el código de un icono de FontAwesome. Si no sabe qué es FontAwesome, puede usar el valor genérico fa-address-book. RssNote=Nota: Cada definición de fuente RSS proporciona un widget que debe habilitar para tenerlo disponible en el tablero. JumpToBoxes=Vaya a Configuración -> Widgets @@ -1612,7 +1580,6 @@ SwitchThisForABetterSecurity=Se recomienda cambiar este valor a %s para mayor se YouMayFindSecurityAdviceHere=Puede encontrar avisos de seguridad aquí ModuleActivatedDoNotUseInProduction=Se habilitó un módulo diseñado para el desarrollo. No lo habilite en un entorno de producción. CombinationsSeparator=Carácter separador para combinaciones de productos -SeeLinkToOnlineDocumentation=Consulte el enlace a la documentación en línea en el menú superior para ver ejemplos. SHOW_SUBPRODUCT_REF_IN_PDF=Si se utiliza la función "%s" del módulo %s, muestre los detalles de los subproductos de un kit en PDF. AskThisIDToYourBank=Comuníquese con su banco para obtener esta ID ConfFileIsReadableOrWritableByAnyUsers=El archivo conf. puede ser leido y escrito por cualquier usuario. Otorgue permiso al usuario y grupo del servidor web únicamente. @@ -1647,7 +1614,6 @@ InventorySetup=Configuración de inventario Settings =Ajustes DEBUGBAR_USE_LOG_FILE=Use el archivo dolibarr.log para capturar registros FixedOrPercent=Fijo (use la palabra clave 'fijo') o porcentaje (use la palabra clave 'porcentaje') -CIDLookupURL=El módulo trae una URL que puede ser utilizada por una herramienta externa para obtener el nombre de un tercero o contacto a partir de su número de teléfono. URL a utilizar es: UsePassword=usa una contraseña UseOauth=Usar un token OAUTH ScriptIsEmpty=el guion esta vacio diff --git a/htdocs/langs/es_CO/assets.lang b/htdocs/langs/es_CO/assets.lang index 73338032a20..de9ef05cbd9 100644 --- a/htdocs/langs/es_CO/assets.lang +++ b/htdocs/langs/es_CO/assets.lang @@ -4,4 +4,3 @@ AssetsType=modelo de activos AssetsTypeId=ID de modelo de activo AssetsTypeLabel=Etiqueta de modelo de activos ConfirmDeleteAsset=¿Realmente desea eliminar este elemento? -AssetType=tipo de activo diff --git a/htdocs/langs/es_CO/bills.lang b/htdocs/langs/es_CO/bills.lang index 9a2d0f7ba33..c51603746b1 100644 --- a/htdocs/langs/es_CO/bills.lang +++ b/htdocs/langs/es_CO/bills.lang @@ -126,7 +126,6 @@ ShippingTo=embarcar hacia ActionsOnBill=Acciones en factura RecurringInvoiceTemplate=Plantilla / factura recurrente NoQualifiedRecurringInvoiceTemplateFound=Ninguna factura de plantilla recurrente calificada para generación. -FoundXQualifiedRecurringInvoiceTemplate=Se encontró%s plantilla(s) de factura(s) recurrente(s) calificadas para generación. NotARecurringInvoiceTemplate=No es una factura de plantilla recurrente LastBills=Las últimas facturas %s LatestTemplateInvoices=Las últimas facturas de la plantilla %s @@ -140,7 +139,6 @@ CustomersDraftInvoices=Facturas en borrador del cliente SuppliersDraftInvoices=Facturas en borrador del Proveedor Unpaid=No pagado ConfirmDeleteBill=¿Estás seguro de que quieres borrar esta factura? -ConfirmValidateBill=¿Está seguro de que desea validar esta factura con la referencia %s ? ConfirmUnvalidateBill=¿Está seguro de que desea cambiar la factura %s al estado de borrador? ConfirmClassifyPaidBill=¿Está seguro de que desea cambiar la factura %s al estado pagado? ConfirmCancelBill=¿Está seguro de que desea cancelar la factura %s ? @@ -165,7 +163,6 @@ ConfirmClassifyAbandonReasonOtherDesc=Esta elección se utilizará en todos los ConfirmCustomerPayment=¿Confirma esta entrada de pago para %s %s? ConfirmSupplierPayment=¿Confirma esta entrada de pago para %s %s? ConfirmValidatePayment=¿Seguro que quieres validar este pago? No se puede hacer ningún cambio una vez validado el pago. -UnvalidateBill=Factura no validada NumberOfBillsByMonth=Nº de facturas al mes. AmountOfBills=Cantidad de facturas AmountOfBillsHT=Importe de las facturas (neto de impuestos) @@ -410,10 +407,7 @@ YouMustCreateStandardInvoiceFirstDesc=Primero debe crear una factura estándar y PDFCrabeDescription=Factura plantilla PDF Crabe. Una plantilla de factura completa (implementación antigua de la plantilla Sponge) PDFSpongeDescription=Factura PDF plantilla de esponja. Una plantilla de factura completa. PDFCrevetteDescription=Plantilla PDF factura Crevette. Una plantilla de factura completa para facturas de situación. -TerreNumRefModelDesc1=Devuelve un número con el formato %syymm-nnnn para facturas estándar y %syymm-nnnn para notas de crédito donde yy es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin interrupción ni retorno a 0 -MarsNumRefModelDesc1=Devuelve un número con el formato %syymm-nnnn para facturas estándar, %syymm-nnnn para facturas de reemplazo, %syymm-nnnn para facturas de anticipos y %s yymm-nn para notas de crédito donde yy es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin interrupción ni retorno a 0 TerreNumRefModelError=Ya existe una factura que comienza con $ syymm y no es compatible con este modelo de secuencia. Quítalo o renómbrelo para activar este módulo. -CactusNumRefModelDesc1=Devuelve un número con el formato %syymm-nnnn para facturas estándar, %syymm-nnnn para notas de crédito y %syymm-nnnn para facturas de anticipo donde yy es año, mm es un mes y nnnnn es un número secuencial de incremento automático sin interrupción ni retorno a 0 EarlyClosingReason=Razón de cierre anticipado TypeContact_facture_internal_SALESREPFOLL=Representante en seguimiento de la factura del cliente. TypeContact_facture_external_BILLING=Contacto factura cliente diff --git a/htdocs/langs/es_CO/cashdesk.lang b/htdocs/langs/es_CO/cashdesk.lang index c75cfc88461..568eb484ff1 100644 --- a/htdocs/langs/es_CO/cashdesk.lang +++ b/htdocs/langs/es_CO/cashdesk.lang @@ -30,8 +30,6 @@ TakeposConnectorNecesary=Se requiere 'Conector TakePOS' NotAvailableWithBrowserPrinter=No disponible cuando la impresora para recibos está configurada como navegador Receipt=Recibo Header=Encabezamiento -Footer=Pie de página -TheoricalAmount=Cantidad teórica RealAmount=Cantidad real CashFence=cierre de caja NbOfInvoices=Nb de facturas @@ -49,18 +47,15 @@ ConfirmDiscardOfThisPOSSale=¿Quieres descartar esta venta actual? History=Historia NumberOfTerminals=Numero de terminales TerminalSelect=Seleccione el terminal que desea utilizar: -BasicPhoneLayout=Usar diseño básico para teléfonos DirectPaymentButton=Agregar un botón "Pago directo en efectivo" ReceiptName=Nombre de recibo Colorful=Vistoso HeadBar=Barra de cabeza SortProductField=Campo para clasificar productos BrowserMethodDescription=Impresión de recibos sencilla y sencilla. Solo unos pocos parámetros para configurar el recibo. Imprima a través del navegador. -TakeposConnectorMethodDescription=Módulo externo con características adicionales. Posibilidad de imprimir desde la nube. TakeposNumpadUsePaymentIcon=Use el ícono en lugar del texto en los botones de pago del teclado numérico CashDeskRefNumberingModules=Módulo de numeración para ventas en puntos de venta CashDeskGenericMaskCodes6 =
      {TN} la etiqueta se usa para agregar el número de terminal -TakeposGroupSameProduct=Agrupar las mismas líneas de productos StartAParallelSale=Iniciar una nueva venta paralela CashReport=Informe de caja MainPrinterToUse=Impresora principal a utilizar diff --git a/htdocs/langs/es_CO/holiday.lang b/htdocs/langs/es_CO/holiday.lang index 055c4c4646b..1d95a74c455 100644 --- a/htdocs/langs/es_CO/holiday.lang +++ b/htdocs/langs/es_CO/holiday.lang @@ -3,6 +3,7 @@ Holidays=Sale de Holiday=Salir CPTitreMenu=Salir MenuAddCP=Nueva solicitud de licencia +MenuCollectiveAddCP=New collective leave NotActiveModCP=Debe habilitar el módulo Salir para ver esta página. AddCP=Hacer una solicitud de licencia DateDebCP=Fecha de inicio @@ -71,9 +72,10 @@ LogCP=Registro de todas las actualizaciones realizadas en "Saldo de licencia" PrevSoldeCP=Balance anterior NewSoldeCP=Nuevo equilibrio alreadyCPexist=Ya se ha realizado una solicitud de licencia en este período. +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave FirstDayOfHoliday=Solicitud del día de inicio de la licencia LastDayOfHoliday=Solicitud de fin de día de licencia -HolidaysCancelation=Dejar solicitud de cancelación EmployeeLastname=Apellido del empleado TypeWasDisabledOrRemoved=El tipo de permiso (id %s) fue deshabilitado o eliminado LastHolidays=Últimas solicitudes de licencia %s @@ -105,7 +107,6 @@ TemplatePDFHolidays=Plantilla para solicitudes de licencia PDF FreeLegalTextOnHolidays=Texto libre en PDF WatermarkOnDraftHolidayCards=Marcas de agua en solicitudes de licencia de borrador HolidaysToApprove=Días festivos para aprobar -XIsAUsualNonWorkingDay=%s es normalmente un día NO laborable BlockHolidayIfNegative=Bloquear si el balance es negativo LeaveRequestCreationBlockedBecauseBalanceIsNegative=La creación de esta solicitud de licencia está bloqueada porque su balance es negativo ConfirmMassIncreaseHolidayQuestion=¿Está seguro de que desea aumentar las vacaciones de los %s registros seleccionados? diff --git a/htdocs/langs/es_CO/hrm.lang b/htdocs/langs/es_CO/hrm.lang index a9b8a546778..01e9a9bdcb0 100644 --- a/htdocs/langs/es_CO/hrm.lang +++ b/htdocs/langs/es_CO/hrm.lang @@ -11,7 +11,3 @@ HrmSetup=Configuración del módulo HRM JobCard=Tarjeta de trabajo SkillCard=Tarjeta de habilidad EmployeeSkillsUpdated=Se actualizaron las habilidades de los empleados (consulte la pestaña "Habilidades" de la tarjeta de empleado) -OrJobToCompare=Compare con los requisitos de habilidades laborales -AddSkill=Agregue habilidades al trabajo -TypeKnowHow=Saber cómo -JobsExtraFields=Atributos complementarios (Emplois) diff --git a/htdocs/langs/es_CO/main.lang b/htdocs/langs/es_CO/main.lang index e43d4e6cb22..128387475f3 100644 --- a/htdocs/langs/es_CO/main.lang +++ b/htdocs/langs/es_CO/main.lang @@ -22,14 +22,12 @@ FormatDateHourText=%d %B %Y %H:%M NoTemplateDefined=No hay plantilla disponible para este tipo de correo electrónico. AvailableVariables=Variables de sustitución disponibles CurrentTimeZone=Zona horaria de PHP (servidor) -EmptySearchString=Ingrese criterios de búsqueda NoRecordFound=No se encontraron registros NoRecordDeleted=Ningún registro eliminado ErrorCanNotCreateDir=No se puede crear dir %s ErrorCanNotReadDir=No se puede leer dir %s ErrorGoToGlobalSetup=Vaya a la configuración de 'Empresa / Organización' para solucionar este problema. ErrorFileNotUploaded=El archivo no se transifirió. Compruebe que el tamaño no supere el máximo permitido, el espacio libre disponible en el disco y que no hay un archivo con el mismo nombre en el directorio destino. -ErrorYourCountryIsNotDefined=Tu país no está definido. Vaya a Inicio-Configuración-Editar y vuelva a publicar el formulario. ErrorRecordIsUsedByChild=Error al eliminar este registro. Este registro es utilizado por al menos un registro secundario. ErrorServiceUnavailableTryLater=Servicio no disponible en este momento. Inténtalo de nuevo más tarde. ErrorSomeErrorWereFoundRollbackIsDone=Se encontraron algunos errores. Los cambios se han revertido. @@ -132,7 +130,6 @@ LT1=Impuesto de ventas 2 LT1Type=Tipo de impuesto de ventas 2 LT2=Impuesto de ventas 3 LT2Type=Tipo de impuesto de ventas 3 -LT1GC=Centavos adicionales VATCode=Código de tasa de impuestos VATNPR=Tasa de Impuestos NPR DefaultTaxRate=Tasa impositiva por defecto @@ -190,7 +187,6 @@ YouCanChangeValuesForThisListFromDictionarySetup=Puede cambiar los valores para YouCanChangeValuesForThisListFrom=Puede cambiar los valores para esta lista desde el menú %s YouCanSetDefaultValueInModuleSetup=Puede configurar el valor predeterminado utilizado al crear un nuevo registro en la configuración del módulo Layout=Diseño -RootOfMedias=Raíz de los medios públicos (/ medias) FreeLineOfType=Elemento de texto libre, escriba: DocumentModelStandardPDF=Plantilla PDF estándar WarningYouAreInMaintenanceMode=Advertencia, está en modo de mantenimiento: solo el usuario %s puede utilizar la aplicación en este modo. @@ -256,7 +252,6 @@ DownloadDocument=Descargar documento ActualizeCurrency=Tasa de cambio de moneda ModuleBuilder=Generador de módulos y aplicaciones ClickToShowHelp=Haga clic para mostrar la ayuda de ayuda. -WebSiteAccounts=Cuentas de sitios web ExpenseReport=Informe de gastos ExpenseReports=Reporte de gastos HR=HORA @@ -300,10 +295,12 @@ SearchIntoKM=Base de conocimientos SearchIntoVendorPayments=Pagos a proveedores NbComments=Numero de comentarios Everybody=Todos +EverybodySmall=Todos PayedTo=Pagado para AssignedTo=Asignado a Deletedraft=Borrar borrador ConfirmMassDraftDeletion=Confirmación de borrado masivo borrador +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Seleccione un tercero primero ... YouAreCurrentlyInSandboxMode=Actualmente se encuentra en el modo "sandbox" %s ShowCompanyInfos=Mostrar info de la empresa @@ -323,7 +320,6 @@ ContactDefault_invoice_supplier=Factura del proveedor ContactDefault_order_supplier=Orden de compra ContactDefault_propal=Propuesta ContactDefault_supplier_proposal=Propuesta de proveedor -ContactAddedAutomatically=Contacto agregado desde roles de terceros de contacto DeleteFileHeader=Confirmar la eliminación del archivo NotUsedForThisCustomer=No utilizado para este cliente AmountMustBePositive=La cantidad debe ser positiva diff --git a/htdocs/langs/es_CO/members.lang b/htdocs/langs/es_CO/members.lang index 8ccc6c6fffe..7ba031fca88 100644 --- a/htdocs/langs/es_CO/members.lang +++ b/htdocs/langs/es_CO/members.lang @@ -141,7 +141,6 @@ AmountOfSubscriptions=Monto recaudado de las contribuciones TurnoverOrBudget=Facturación (para una empresa) o Presupuesto (para una fundación) CanEditAmountDetail=El visitante puede elegir/editar el monto de su contribución independientemente del tipo de miembro MembersStatisticsByProperties=Estadísticas de miembros por naturaleza -VATToUseForSubscriptions=Tasa de IVA a utilizar para las contribuciones NoVatOnSubscription=Sin IVA por contribuciones ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Producto utilizado para la línea de contribución en la factura: %s SubscriptionRecorded=Contribución registrada diff --git a/htdocs/langs/es_CO/oauth.lang b/htdocs/langs/es_CO/oauth.lang index f6938103fc8..1e516c9d256 100644 --- a/htdocs/langs/es_CO/oauth.lang +++ b/htdocs/langs/es_CO/oauth.lang @@ -5,7 +5,6 @@ TokenManager=Administrador de tokens IsTokenGenerated=¿Se genera el token? HasAccessToken=Se generó un token y se guardó en la base de datos local ToCheckDeleteTokenOnProvider=Haga clic aquí para verificar / eliminar la autorización guardada por un proveedor de OAuth %s -UseTheFollowingUrlAsRedirectURI=Utilice la siguiente URL como URI de redireccionamiento al crear sus credenciales con su proveedor de OAuth: SeePreviousTab=Ver pestaña anterior OAuthProvider=proveedor de OAuth OAuthIDSecret=ID y secreto de OAuth diff --git a/htdocs/langs/es_CO/other.lang b/htdocs/langs/es_CO/other.lang index 9c788788532..ec522156cf7 100644 --- a/htdocs/langs/es_CO/other.lang +++ b/htdocs/langs/es_CO/other.lang @@ -48,7 +48,6 @@ Notify_BILL_SENTBYMAIL=Factura del cliente enviada por correo Notify_BILL_SUPPLIER_VALIDATE=Factura de proveedor validada Notify_BILL_SUPPLIER_PAYED=Factura de proveedor pagada Notify_BILL_SUPPLIER_SENTBYMAIL=Factura del proveedor enviada por correo -Notify_BILL_SUPPLIER_CANCELED=Factura de proveedor cancelada Notify_CONTRACT_VALIDATE=Contrato validado Notify_FICHINTER_VALIDATE=Intervención validada Notify_FICHINTER_ADD_CONTACT=Contacto agregado a la intervención. @@ -131,10 +130,6 @@ EMailTextProposalClosedSigned=La propuesta %s se ha cerrado y firmado. EMailTextProposalClosedSignedWeb=La propuesta %s se ha cerrado firmada en la página del portal. EMailTextProposalClosedRefused=La propuesta %s ha sido cerrada y rechazada. EMailTextProposalClosedRefusedWeb=La propuesta %s se ha cerrado como rechazo en la página del portal. -EMailTextOrderApproved=Se ha aprobado el pedido %s. -EMailTextOrderApprovedBy=El pedido %s ha sido aprobado por %s. -EMailTextOrderRefused=El pedido %s ha sido rechazado. -EMailTextOrderRefusedBy=El pedido %s ha sido rechazado por %s. EMailTextExpenseReportValidated=Se ha validado el informe de gastos %s. EMailTextExpenseReportApproved=Se aprobó el informe de gastos %s. EMailTextHolidayValidated=La solicitud de abandono %s ha sido validada. diff --git a/htdocs/langs/es_CO/products.lang b/htdocs/langs/es_CO/products.lang index b1ca535fa12..b26400bdeb1 100644 --- a/htdocs/langs/es_CO/products.lang +++ b/htdocs/langs/es_CO/products.lang @@ -50,7 +50,6 @@ SoldAmount=Cantidad vendida PurchasedAmount=Cantidad comprada MinPrice=Min. precio de venta EditSellingPriceLabel=Editar etiqueta de precio de venta -CantBeLessThanMinPrice=El precio de venta no puede ser inferior al mínimo permitido para este producto (%s sin impuestos). Este mensaje también puede aparecer si escribe un descuento demasiado importante. ErrorProductAlreadyExists=Ya existe un producto con referencia %s. ErrorProductBadRefOrLabel=Valor incorrecto para referencia o etiqueta. ErrorProductClone=Hubo un problema al intentar clonar el producto o servicio. @@ -203,7 +202,6 @@ ProductAttributes=Atributos de variante para productos. ProductAttributeName=Atributo de la variante %s ProductAttribute=Atributo variante ProductAttributeDeleteDialog=¿Estás seguro de que quieres eliminar este atributo? Todos los valores serán eliminados -ProductAttributeValueDeleteDialog=¿Está seguro de que desea eliminar el valor "%s" con la referencia "%s" de este atributo? ProductCombinationDeleteDialog=¿Seguro que quieres eliminar la variante del producto " %s "? ProductCombinationAlreadyUsed=Hubo un error al borrar la variante. Por favor verifica que no esté siendo utilizado en ningún objeto. PropagateVariant=Variantes de propagación @@ -238,4 +236,3 @@ mandatoryPeriodNeedTobeSet=Nota: Debe definirse el período (fecha de inicio y f mandatoryHelper=Marque esto si desea un mensaje para el usuario al crear / validar una factura, propuesta comercial, orden de venta sin ingresar una fecha de inicio y finalización en las líneas con este servicio.
      Tenga en cuenta que el mensaje es una advertencia y no un error de bloqueo. SwitchOnSaleStatus=Activar estado de venta SwitchOnPurchaseStatus=Activar estado de compra -StockMouvementExtraFields=Campos extra (movimiento de stock) diff --git a/htdocs/langs/es_CO/projects.lang b/htdocs/langs/es_CO/projects.lang index e6d0c97aab3..8669730f555 100644 --- a/htdocs/langs/es_CO/projects.lang +++ b/htdocs/langs/es_CO/projects.lang @@ -26,9 +26,9 @@ SetProject=Proyecto conjunto OutOfProject=fuera del proyecto NoProject=Ningún proyecto definido o propio TimeSpent=Tiempo usado +TimeSpentSmall=Tiempo usado TimeSpentByYou=Tiempo pasado por ti TimeSpentByUser=Tiempo empleado por el usuario -TimesSpent=Tiempo usado TaskId=ID de tarea RefTask=Tarea ref. LabelTask=Etiqueta de tarea @@ -46,7 +46,6 @@ AddHereTimeSpentForDay=Agregue aquí el tiempo dedicado a este día / tarea Activities=Tareas / actividades MyActivities=Mis tareas / actividades MyProjectsArea=Mis proyectos area -CurentlyOpenedTasks=Tareas abiertas con precisión WhichIamLinkedTo=al que estoy vinculado WhichIamLinkedToProject=al cual estoy vinculado al proyecto Time=Hora @@ -79,7 +78,6 @@ ChildOfProjectTask=Hijo del proyecto / tarea TaskHasChild=Tarea tiene hijo NotOwnerOfProject=No propietario de este proyecto privado. CantRemoveProject=Este proyecto no se puede eliminar ya que algunos otros objetos (factura, pedidos u otros) hacen referencia a él. Consulte la pestaña '%s'. -ValidateProject=Validar projet ConfirmValidateProject=¿Seguro que quieres validar este proyecto? ConfirmCloseAProject=¿Seguro que quieres cerrar este proyecto? ReOpenAProject=Proyecto abierto @@ -159,7 +157,6 @@ ProjectsStatistics=Estadísticas de proyectos o prospectos TasksStatistics=Estadísticas sobre tareas de proyectos o prospectos TaskAssignedToEnterTime=Tarea asignada. Debe ser posible introducir el tiempo en esta tarea. IdTaskTime=Tiempo de tarea de identificación -YouCanCompleteRef=Si desea completar la referencia con algún sufijo, se recomienda agregar un carácter - para separarlo, por lo que la numeración automática seguirá funcionando correctamente para los próximos proyectos. Por ejemplo %s-MYSUFFIX OpenedProjectsByThirdparties=Proyectos abiertos por terceros. OnlyOpportunitiesShort=Solo lleva OpenedOpportunitiesShort=Conductores abiertos diff --git a/htdocs/langs/es_CO/propal.lang b/htdocs/langs/es_CO/propal.lang index 315c8fc64b6..cda857ed2d4 100644 --- a/htdocs/langs/es_CO/propal.lang +++ b/htdocs/langs/es_CO/propal.lang @@ -28,6 +28,7 @@ PropalStatusDraft=Borrador (necesita ser validado) PropalStatusValidated=Validado (la propuesta está abierta) PropalStatusSigned=Firmado (necesita facturación) PropalStatusNotSigned=Sin firmar (cerrado) +PropalStatusCanceledShort=Cancelado PropalsToClose=Propuestas comerciales para cerrar PropalsToBill=Propuestas comerciales firmadas para facturar ListOfProposals=Lista de propuestas comerciales diff --git a/htdocs/langs/es_CO/receptions.lang b/htdocs/langs/es_CO/receptions.lang index 67d2f3c817c..7404f8974c7 100644 --- a/htdocs/langs/es_CO/receptions.lang +++ b/htdocs/langs/es_CO/receptions.lang @@ -14,9 +14,7 @@ StatusReceptionCanceled=Cancelado StatusReceptionProcessed=Procesado StatusReceptionProcessedShort=Procesado ConfirmDeleteReception=¿Está seguro de que desea eliminar esta recepción? -ConfirmValidateReception=¿Está seguro de que desea validar esta recepción con la referencia %s ? ConfirmCancelReception=¿Estás seguro de que deseas cancelar esta recepción? -StatsOnReceptionsOnlyValidated=Estadísticas realizadas sobre recepciones validadas únicamente. La fecha utilizada es la fecha de validación de la recepción (la fecha de entrega prevista no siempre se conoce). SendReceptionByEMail=Enviar recepción por correo electrónico SendReceptionRef=Presentación de recepción %s ActionsOnReception=Eventos en recepción diff --git a/htdocs/langs/es_CO/sendings.lang b/htdocs/langs/es_CO/sendings.lang index 7c2d205b713..5e0c06f3681 100644 --- a/htdocs/langs/es_CO/sendings.lang +++ b/htdocs/langs/es_CO/sendings.lang @@ -23,7 +23,6 @@ StatusSendingCanceledShort=Cancelado StatusSendingValidated=Validado (productos para enviar o ya enviados) SendingSheet=Hoja de envío ConfirmDeleteSending=¿Está seguro de que desea eliminar este envío? -ConfirmValidateSending=¿Está seguro de que desea validar este envío con la referencia %s ? ConfirmCancelSending=¿Está seguro de que desea cancelar este envío? WarningNoQtyLeftToSend=Advertencia, no hay productos a la espera de ser enviados. RefDeliveryReceipt=Recibo de entrega de referencia diff --git a/htdocs/langs/es_CO/stocks.lang b/htdocs/langs/es_CO/stocks.lang index 5db38c46cee..d4256729bc2 100644 --- a/htdocs/langs/es_CO/stocks.lang +++ b/htdocs/langs/es_CO/stocks.lang @@ -157,7 +157,6 @@ StockIncreaseAfterCorrectTransfer=Incrementar por corrección / transferencia StockDecreaseAfterCorrectTransfer=Disminuir por corrección / transferencia StockIncrease=Aumento de stock StockDecrease=Disminución de stock -UpdateByScaning=Complete la cantidad real escaneando ImportFromCSV=Importar lista CSV de movimiento InfoTemplateImport=El archivo cargado debe tener este formato (* son campos obligatorios):
      Source Warehouse * | Almacén de destino * | Producto * | Cantidad * | Lote / número de serie
      El separador de caracteres CSV debe ser " %s " AutofillWithExpected=Rellene la cantidad real con la cantidad esperada @@ -169,14 +168,11 @@ ModuleStockTransferName=Transferencia avanzada de acciones ModuleStockTransferDesc=Gestión avanzada de Stock Transfer, con generación de ficha de transferencia StockTransferNew=Nueva transferencia de acciones StockTransferList=Lista de transferencias de acciones -ConfirmValidateStockTransfer=¿Está seguro de que desea validar esta transferencia de acciones con la referencia %s? DateReelleDepart=fecha real de salida TypeContact_stocktransfer_internal_STFROM=Remitente de la transferencia de acciones TypeContact_stocktransfer_internal_STDEST=Destinatario de la transferencia de acciones TypeContact_stocktransfer_internal_STRESP=Responsable de transferencia de acciones. StockTransferSheet=Hoja de transferencia de acciones StockTransferSheetProforma=Hoja de transferencia de acciones proforma -StockStransferIncremented=Cerrado - Acciones transferidas -StockStransferIncrementedShort=Acciones transferidas StockTransferSetupPage =Página de configuración del módulo de transferencia de acciones StockTransferRightRead=Leer transferencias de acciones diff --git a/htdocs/langs/es_CO/website.lang b/htdocs/langs/es_CO/website.lang index 0b321d655c8..564a27ee724 100644 --- a/htdocs/langs/es_CO/website.lang +++ b/htdocs/langs/es_CO/website.lang @@ -17,7 +17,6 @@ EditTheWebSiteForACommonHeader=Nota: Si desea definir un encabezado personalizad MediaFiles=Mediateca EditCss=Editar propiedades del sitio web EditMenu=Menú de edición -EditMedias=Editar medios EditPageMeta=Editar propiedades de página / contenedor AddWebsite=Agregar sitio web Webpage=Página web / contenedor @@ -44,9 +43,9 @@ VirtualHostUrlNotDefined=URL del host virtual servido por un servidor web extern NoPageYet=Aún no hay páginas SyntaxHelp=Ayuda sobre sugerencias de sintaxis específicas YouCanEditHtmlSourceckeditor=Puede editar el código fuente HTML usando el botón "Fuente" en el editor. -YouCanEditHtmlSource=
      Puede incluir código PHP en esta fuente utilizando las etiquetas <?php ?>. Las siguientes variables globales están disponibles: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      También puede incluir contenido de otra página/contenedor con la siguiente sintaxis:
      <?php includeContainer('alias_of_container_to_include'); ?>

      Usted puede hacer una redirección a otra página/contenedor con la siguiente sintaxis (Nota: no emiten ningún contenido antes de una redirección):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      Para añadir un vínculo a otra página, utilice la sintaxis:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      Para incluir un enlace para descarga un archivo almacenado en directorio documents, utilice el envoltorio document.php:
      Ejemplo, para un archivo en documents/ecm (Tiene que haber iniciado sesión), la sintaxis es:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Para un archivo en documents/medias (directorio abierto para acceso público), la sintaxis es:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      Para un archivo compartido con un enlace para compartir (acceso abierto usando la clave hash de compartir del archivo), la sintaxis:
      <a href="/document.php?hashp=publicsharekeyoffile">

      Para incluir una imagen almacenada en el directorio documents, utilice la envoltura viewimage.php:
      Ejemplo, para una imagen en documents/medias (directorio abierto para acceso público), la sintaxis es:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      YouCanEditHtmlSource2=Para una imagen compartida con un enlace para compartir (acceso abierto usando la clave hash para compartir del archivo), la sintaxis es:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      Más ejemplos de código HTML o dinámico disponibles en la documentación wiki
      . +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Clonar página / contenedor ConfirmClonePage=Ingrese el código / alias de la nueva página y si es una traducción de la página clonada. LanguageMustNotBeSameThanClonedPage=Clonas una página como traducción. El idioma de la nueva página debe ser diferente al idioma de la página de origen. @@ -64,7 +63,6 @@ SorryWebsiteIsCurrentlyOffLine=Lo sentimos, este sitio web está actualmente fue WEBSITE_USE_WEBSITE_ACCOUNTS=Habilite la tabla de cuentas del sitio web WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Habilite la tabla para almacenar cuentas de sitios web (inicio de sesión / contraseña) para cada sitio web / tercero YouMustDefineTheHomePage=Primero debe definir la página de inicio predeterminada -OnlyEditionOfSourceForGrabbedContentFuture=Advertencia: la creación de una página web mediante la importación de una página web externa está reservada para usuarios experimentados. Dependiendo de la complejidad de la página de origen, el resultado de la importación puede diferir del original. Además, si la página de origen utiliza estilos CSS comunes o JavaScript conflictivo, puede romper el aspecto o las funciones del editor del sitio web al trabajar en esta página. Este método es una forma más rápida de crear una página, pero se recomienda crear su nueva página desde cero o desde una plantilla de página sugerida.
      Tenga en cuenta también que el editor en línea puede no funcionar correctamente cuando se utiliza en una página externa capturada. OnlyEditionOfSourceForGrabbedContent=Solo es posible la edición de la fuente HTML cuando el contenido se obtuvo de un sitio externo GrabImagesInto=Coge también las imágenes encontradas en css y page. WebsiteRootOfImages=Directorio raíz para imágenes de sitios web @@ -78,10 +76,8 @@ ThisPageHasTranslationPages=Esta página / contenedor tiene traducción NoWebSiteCreateOneFirst=Aún no se ha creado ningún sitio web. Crea uno primero. DynamicPHPCodeContainsAForbiddenInstruction=Agrega código PHP dinámico que contiene la instrucción PHP ' %s ' que está prohibido por defecto como contenido dinámico (vea las opciones ocultas WEBSITE_PHP_ALLOW_xxx para aumentar la lista de comandos permitidos). NotAllowedToAddDynamicContent=No tiene permiso para agregar o editar contenido dinámico PHP en sitios web. Pida permiso o simplemente mantenga el código en las etiquetas php sin modificar. -DeleteAlsoMedias=¿Eliminar también todos los archivos multimedia específicos de este sitio web? MyWebsitePages=Las páginas de mi sitio web CSSContentTooltipHelp=Ingrese aquí el contenido CSS. Para evitar cualquier conflicto con el CSS de la aplicación, asegúrese de anteponer todas las declaraciones con la clase .bodywebsite. Por ejemplo:

      #mycssselector, input.myclass: hover {...}
      debe ser
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Nota: si tiene un archivo grande sin este prefijo, puede usar 'lessc' para convertirlo y agregar el prefijo .bodywebsite en todas partes. -LinkAndScriptsHereAreNotLoadedInEditor=Advertencia: Este contenido se muestra solo cuando se accede al sitio desde un servidor. No se usa en el modo de edición, por lo que si necesita cargar archivos javascript también en el modo de edición, simplemente agregue su etiqueta 'script src = ...' en la página. Dynamiccontent=Muestra de una página con contenido dinámico EditInLineOnOff=El modo 'Editar en línea' es %s ShowSubContainersOnOff=El modo para ejecutar 'contenido dinámico' es %s diff --git a/htdocs/langs/es_CO/withdrawals.lang b/htdocs/langs/es_CO/withdrawals.lang index f93813be461..6f7ad534e4b 100644 --- a/htdocs/langs/es_CO/withdrawals.lang +++ b/htdocs/langs/es_CO/withdrawals.lang @@ -32,7 +32,6 @@ MakeWithdrawRequest=Realizar una solicitud de pago mediante débito automático WithdrawRequestsDone=%s solicitudes de pago por débito automático registradas BankTransferRequestsDone=%s solicitudes de transferencia bancaria registradas ThirdPartyBankCode=Código de banco de terceros -NoInvoiceCouldBeWithdrawed=Ninguna factura se debitó correctamente. Verifique que las facturas sean de compañías con un IBAN válido y que el IBAN tenga un UMR (Referencia de mandato único) con el modo %s . WithdrawalCantBeCreditedTwice=Este recibo de retiro ya está marcado como acreditado; esto no se puede hacer dos veces, ya que esto podría generar pagos y entradas bancarias duplicadas. ClassCredited=Clasificar acreditado ClassCreditedConfirm=¿Está seguro de que desea clasificar este recibo de retiro como acreditado en su cuenta bancaria? @@ -45,8 +44,6 @@ WithdrawalRefusedConfirm=¿Estás seguro de que deseas ingresar a un rechazo de RefusedData=Fecha de rechazo RefusedReason=Motivo del rechazo RefusedInvoicing=Facturar el rechazo -NoInvoiceRefused=No cargues el rechazo -InvoiceRefused=Factura rechazada (cargue el rechazo al cliente) StatusDebitCredit=Estado débito / crédito StatusWaiting=Esperando StatusTrans=Enviado @@ -85,7 +82,6 @@ StatisticsByLineStatus=Estadísticas por estado de líneas DateRUM=Fecha de la firma del mandato RUMLong=Referencia de mandato única RUMWillBeGenerated=Si está vacío, se generará una UMR (referencia de mandato único) una vez que se guarde la información de la cuenta bancaria. -WithdrawMode=Modo de débito automático (FRST o RECUR) WithdrawRequestAmount=Monto de la solicitud de débito automático: BankTransferAmount=Monto de la solicitud de transferencia bancaria: WithdrawRequestErrorNilAmount=No se puede crear una solicitud de débito automático por un monto vacío. @@ -112,7 +108,6 @@ InfoTransData=Cantidad: %s
      Método: %s
      Fecha: %s InfoRejectSubject=Orden de pago por débito automático rechazada InfoRejectMessage=Hola,

      la orden de pago por débito automático de la factura %s relacionada con la empresa %s, con un monto de %s ha sido rechazada por el banco.

      -
      %s ModeWarning=La opción para el modo real no se configuró, nos detenemos después de esta simulación. -ErrorCompanyHasDuplicateDefaultBAN=La empresa con la identificación %s tiene más de una cuenta bancaria predeterminada. No hay forma de saber cuál usar. TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=El monto total de la orden de débito automático difiere de la suma de líneas WarningSomeDirectDebitOrdersAlreadyExists=Aviso: Ya hay algunas órdenes de Débito Directo pendientes (%s) solicitadas por un importe de %s WarningSomeCreditTransferAlreadyExists=Advertencia: Ya hay alguna Transferencia de Crédito pendiente (%s) solicitada por un monto de %s diff --git a/htdocs/langs/es_CO/workflow.lang b/htdocs/langs/es_CO/workflow.lang index 0975adac66d..611d08fd2c6 100644 --- a/htdocs/langs/es_CO/workflow.lang +++ b/htdocs/langs/es_CO/workflow.lang @@ -6,11 +6,4 @@ descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Crear automáticamente un pedido de ventas descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente después de firmar una propuesta comercial (la nueva factura tendrá el mismo importe que la propuesta) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente después de validar un contrato descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente después de cerrar un pedido de ventas (la nueva factura tendrá el mismo importe que el pedido) -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasifique la propuesta de origen vinculada como facturada cuando el pedido de ventas esté configurado como facturado (y si el monto del pedido es el mismo que el monto total de la propuesta vinculada firmada) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasifique la propuesta de origen vinculada como facturada cuando se valida la factura del cliente (y si el monto de la factura es el mismo que el monto total de la propuesta vinculada firmada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasifique el pedido de ventas de origen vinculado como facturado cuando se valida la factura del cliente (y si el monto de la factura es el mismo que el monto total del pedido vinculado) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasifique el pedido de ventas de origen vinculado como facturado cuando la factura del cliente se establece como pagada (y si el monto de la factura es el mismo que el monto total del pedido vinculado) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasifique el pedido de ventas de origen vinculado como enviado cuando se valida un envío (y si la cantidad enviada por todos los envíos es la misma que en el pedido para actualizar) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Clasifique el pedido de venta de origen vinculado como enviado cuando se cierra un envío (y si la cantidad enviada por todos los envíos es la misma que en el pedido para actualizar) -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasifique la propuesta del proveedor de origen vinculado como facturada cuando se valida la factura del proveedor (y si el monto de la factura es el mismo que el monto total de la propuesta vinculada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasifique el pedido de compra de origen vinculado como facturado cuando se valida la factura del proveedor (y si el monto de la factura es el mismo que el monto total del pedido vinculado) diff --git a/htdocs/langs/es_CR/accountancy.lang b/htdocs/langs/es_CR/accountancy.lang index 3bc12bf1b07..a3e104b72ee 100644 --- a/htdocs/langs/es_CR/accountancy.lang +++ b/htdocs/langs/es_CR/accountancy.lang @@ -25,6 +25,7 @@ DetailByAccount=Mostrar detalles por cuenta AccountWithNonZeroValues=Cuentas con valores distintos de cero CountriesInEEC=Países de la Comunidad Europea ExportAccountingSourceDocHelp2=Para exportar sus diarios, utilice la entrada de menú %s - %s. +WarningDataDisappearsWhenDataIsExported=Advertencia, esta lista contiene solo los registros contables que aún no se han exportado (la fecha de exportación esta vacía). si desea incluir las entradas contables ya exportadas, haga clic en el botón de arriba. AccountancyArea=Área de contabilidad AccountancyAreaDescActionOnce=Las siguientes acciones generalmente se ejecutan una sola vez, o una vez al año ... AccountancyAreaDescActionFreq=Las siguientes acciones generalmente se ejecutan cada mes, semana o día para empresas muy grandes ... @@ -33,7 +34,6 @@ AccountancyAreaDescDefault=PASO %s: Defina cuentas contables predeterminadas. Pa AccountancyAreaDescSal=PASO %s: Defina cuentas contables predeterminadas para el pago de salarios. Para esto, use la entrada del menú %s. AccountancyAreaDescDonation=PASO %s: Defina cuentas contables predeterminadas para donaciones. Para esto, use la entrada del menú %s. AccountancyAreaDescSubscription=PASO %s: Defina cuentas contables predeterminadas para la suscripción de miembros. Para esto, use la entrada del menú %s. -AccountancyAreaDescMisc=PASO%s: Definir cuenta predeterminada obligatoria y cuentas contables predeterminadas para transacciones diversas. Para ello, utilice la entrada de menú%s. AccountancyAreaDescLoan=PASO%s: Defina las cuentas contables predeterminadas para los préstamos. Para ello, utilice la entrada de menú%s. AccountancyAreaDescBank=PASO %s: Defina las cuentas contables y el código de diario para cada banco y cuentas financieras. Para esto, use la entrada del menú %s. AccountancyAreaDescBind=PASO %s: Compruebe el enlace entre las líneas %s existentes y la cuenta de contabilidad está terminada, para que la aplicación pueda registrar las transacciones en el libro mayor en un solo clic. Complete los enlaces que falten. Para ello, utilice la entrada de menú %s. @@ -133,9 +133,10 @@ AccountingJournals=Diarios/libros de contabilidad AccountingJournal=Diario de contabilidad AccountingJournalType1=Operaciones misceláneas / varias AccountingJournalType5=Reporte de gastos -AccountingJournalType9=Tiene nuevo ErrorAccountingJournalIsAlreadyUse=Este diario ya está en uso ACCOUNTING_ENABLE_LETTERING=Habilitar la función de letras en la contabilidad +ACCOUNTING_LETTERING_NBLETTERS=Numero de letras cuando al generar código de letras (Predeterminado 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Algunos programas de contabilidad solo aceptan un código de dos letras. Este parámetro le permite establecer este aspecto. El numero predeterminado de letras es tres. ExportDraftJournal=Exportar borrador de diario Modelcsv_cogilog=Exportar a Cogilog Modelcsv_LDCompta=Exportar para LD Compta (v9) (Prueba) @@ -153,12 +154,13 @@ CleanFixHistory=Eliminar código de contabilidad de las líneas que no existen e CleanHistory=Restablecer todos los enlaces del año seleccionado PredefinedGroups=Grupos predefinidos ValueNotIntoChartOfAccount=Este valor de la cuenta de contabilidad no existe en el gráfico de la cuenta +SaleEECWithoutVATNumber=Algunos programas de contabilidad solo aceptan un código de dos letras. Este parámetro le permite establecer este aspecto. El numero predeterminado de letras es tres ForbiddenTransactionAlreadyExported=Prohibido: La transacción ha sido validada y/o exportada. ForbiddenTransactionAlreadyValidated=Prohibido: La transacción ha sido validada. AccountancyUnletteringModifiedSuccessfully=%s No reconciliado modificado con éxito ConfirmMassDeleteBookkeepingWriting=Confirmación de eliminación masiva. SomeMandatoryStepsOfSetupWereNotDone=Algunos pasos obligatorios de la instalación no se realizaron, favor de completar -ErrorNoAccountingCategoryForThisCountry=No hay grupo de cuentas de contabilidad disponible para el país%s (Consulte Inicio - Configuración - Diccionarios) +ErrorNoAccountingCategoryForThisCountry=No hay ningún grupo de cuentas contables disponibles para el país %s(vea %s-%s-%s) ErrorInvoiceContainsLinesNotYetBounded=Intenta hacer un diario de algunas líneas de la factura %s, pero algunas otras líneas aún no están vinculadas a cuentas contables. Se rechaza la contabilización de todas las líneas de factura para esta factura. BookeppingLineAlreayExists=Líneas ya existentes en la contabilidad. NoJournalDefined=Ningún diario definido diff --git a/htdocs/langs/es_CR/admin.lang b/htdocs/langs/es_CR/admin.lang index 32acbfe6a78..1dbb1b00a7f 100644 --- a/htdocs/langs/es_CR/admin.lang +++ b/htdocs/langs/es_CR/admin.lang @@ -207,9 +207,6 @@ EmailSenderProfiles=Perfiles de remitentes de correos electrónicos EMailsSenderProfileDesc=Puede mantener esta sección vacía. Si ingresa algunos correos electrónicos aquí, se agregarán a la lista de posibles remitentes en el cuadro combinado cuando escriba un nuevo correo electrónico. MAIN_MAIL_SMTP_PORT=Puerto SMTP/SMTPS (valor predeterminado en php.ini: %s ) MAIN_MAIL_SMTP_SERVER=Host SMTP/SMTPS (valor predeterminado en php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Puerto SMTP/SMTPS (no definido en PHP en sistemas similares a Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Host SMTP/SMTPS (no definido en PHP en sistemas similares a Unix) -MAIN_MAIL_EMAIL_FROM=Correo electrónico del remitente para correos electrónicos automáticos (valor predeterminado en php.ini: %s ) MAIN_MAIL_ERRORS_TO=Correo electrónico utilizado para los correos electrónicos de devolución de errores (campos 'Errors-To' en los correos electrónicos enviados) MAIN_MAIL_AUTOCOPY_TO=Copie (Bcc) todos los correos electrónicos enviados a MAIN_DISABLE_ALL_MAILS=Deshabilite todos los envíos de correo electrónico (para fines de prueba o demostraciones) @@ -219,13 +216,13 @@ MAIN_MAIL_SENDMODE=Método de envío de correo electrónico MAIN_MAIL_SMTPS_ID=ID de SMTP (si el servidor de envío requiere autenticación) MAIN_MAIL_SMTPS_PW=Contraseña SMTP (si el servidor de envío requiere autenticación) MAIN_MAIL_EMAIL_STARTTLS=Usar encriptación TLS (STARTTLS) +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizar certificados autoafirmados MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM para generar una firma de correo electrónico MAIN_MAIL_EMAIL_DKIM_DOMAIN=Dominio de correo electrónico para usar con dkim MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Clave privada para la firma de dkim MAIN_DISABLE_ALL_SMS=Deshabilite todos los envíos de SMS (para fines de prueba o demostraciones) MAIN_SMS_SENDMODE=Método a utilizar para enviar SMS MAIN_MAIL_SMS_FROM=Número de teléfono del remitente predeterminado para el envío de SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Correo electrónico del remitente predeterminado para el envío manual (correo electrónico del usuario o correo electrónico de la empresa) UserEmail=Correo electrónico del usuario CompanyEmail=Correo electrónico de la empresa FeatureNotAvailableOnLinux=Característica no disponible en sistemas similares a Unix. Pruebe su programa sendmail localmente. @@ -316,7 +313,6 @@ UrlGenerationParameters=Parámetros para asegurar las URL SecurityTokenIsUnique=Use un parámetro de clave segura único para cada URL EnterRefToBuildUrl=Ingrese la referencia para el objeto %s GetSecuredUrl=Obtener URL calculada -ButtonHideUnauthorized=Oculte los botones de acción no autorizados también para los usuarios internos (solo en gris de lo contrario) OldVATRates=Tipo de IVA antiguo NewVATRates=Nuevo tipo de IVA PriceBaseTypeToChange=Modificar sobre precios con valor referencial base definido en @@ -340,11 +336,10 @@ ExtrafieldLink=Enlace a un objeto ComputedFormula=campo calculado Computedpersistent=Almacenar campo calculado ComputedpersistentDesc=Los campos adicionales calculados se almacenarán en la base de datos, sin embargo, el valor solo se recalculará cuando se cambie el objeto de este campo. Si el campo calculado depende de otros objetos o datos globales, ¡este valor podría ser incorrecto! -ExtrafieldParamHelpPassword=Dejar este campo en blanco significa que este valor se almacenará sin encriptación (el campo solo debe ocultarse con una estrella en la pantalla).
      Establezca 'auto' para usar la regla de cifrado predeterminada para guardar la contraseña en la base de datos (entonces el valor leído será solo el hash, no hay forma de recuperar el valor original) +ExtrafieldParamHelpPassword=Dejar este campo en blanco significa que este valor se almacenara sin cifrado (el campo solo esta oculto con estrellas en la pantalla).

      Introduzca el valor 'dolcrypt' para codificar el valor con un algoritmo de cifrado reversible. Los datos claros todavía se pueden conocer y editar, pero se cifran en la base de datos.

      Ingrese automáticamente (or 'md5', 'sha256', 'password_hash', ...) para usar el algoritmo de cifrado de contraseña predeterminado (or md5, sha256, password_hash...) para guardar la contraseña en la base de datos (el valor legible será solo hash, no hay forma de recuperar el valor original) ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_ parent_list_code :parent_key
      2,value2|options_ parent_list_code :parent_key

      In order to have the list depending on another list:
      1,value1| parent_list_code :parent_key
      2,valor2| parent_list_code :parent_key ExtrafieldParamHelpcheckbox=La lista de valores debe ser líneas con formato key,value (donde key no puede ser '0')

      por ejemplo:
      1,value1
      2,value2
      3,value3
      ... ExtrafieldParamHelpradio=La lista de valores debe ser líneas con formato key,value (donde key no puede ser '0')

      por ejemplo:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=La lista de valores proviene de una tabla
      Syntax: table_name:label_field:id_field::filtersql
      Ejemplo: c_typent:libelle:id::filtersql

      - id_field es necesariamente una clave int primaria
      - filtersql es una condición SQL. Puede ser una prueba simple (ej. active=1) para mostrar solo el valor activo.
      También puede usar $ID$ en el filtro que es el ID actual del objeto actual
      Para usar un SELECT en el filtro, use la palabra clave $SEL$ para evitar la protección antiinyección.
      Si desea filtrar en campos extra, use la sintaxis extra.fieldcode=... (donde el código de campo es el código del campo extra)

      Para que la lista dependa de otra lista de atributos complementarios:
      c_typent:libelle:id:options_ parent_list_code |parent_column:filter

      Para que la lista dependa de otra lista:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=La lista de valores proviene de una tabla
      Syntax: table_name:label_field:id_field::filtersql
      Ejemplo: c_typent:libelle:id::filtersql

      el filtro puede ser una prueba simple (ej. active=1) para mostrar solo el valor activo
      También puede usar $ID$ en el filtro que es el ID actual del objeto actual
      Para hacer un SELECT en el filtro, use $SEL$
      si desea filtrar en campos extra, use la sintaxis extra.fieldcode=... (donde el código de campo es el código de extrafield)

      con el fin de tener la lista en función de otra lista de atributos complementarios:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      Con el fin de tener la lista en función de otra lista:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Los parámetros deben ser ObjectName:Classpath
      Sintaxis: ObjectName:Classpath ExtrafieldParamHelpSeparator=Mantener vacío para un separador simple
      Establezca esto en 1 para un separador colapsado (abierto de manera predeterminada para una nueva sesión, luego el estado se mantiene para cada sesión de usuario)
      Establezca esto en 2 para un separador colapsado (contraído de manera predeterminada para una nueva sesión, luego el estado se mantiene para cada sesión de usuario) @@ -389,7 +384,6 @@ RequiredBy=Este módulo es requerido por módulo(s) TheKeyIsTheNameOfHtmlField=Este es el nombre del campo HTML. Se requieren conocimientos técnicos para leer el contenido de la página HTML para obtener el nombre clave de un campo. PageUrlForDefaultValuesCreate=
      Ejemplo:
      Para el formulario para crear un nuevo tercero, es %s .
      Para la URL de los módulos externos instalados en el directorio personalizado, no incluya "personalizado/", así que use una ruta como mymodule/mypage.php y no custom/mymodule/mypage.php.
      Si desea un valor predeterminado solo si la URL tiene algún parámetro, puede usar %s PageUrlForDefaultValuesList=
      Ejemplo:
      Para la página que lista a terceros, es %s .
      Para la URL de los módulos externos instalados en el directorio personalizado, no incluya "personalizado/", así que use una ruta como mymodule/mypagelist.php y no custom/mymodule/mypagelist.php.
      Si desea un valor predeterminado solo si la URL tiene algún parámetro, puede usar %s -AlsoDefaultValuesAreEffectiveForActionCreate=También tenga en cuenta que sobrescribir los valores predeterminados para la creación de formularios solo funciona para las páginas que se diseñaron correctamente (por lo tanto, con el parámetro acción = crear o presentar ...) EnableDefaultValues=Habilitar la personalización de los valores predeterminados GoIntoTranslationMenuToChangeThis=Se ha encontrado una traducción para la clave con este código. Para cambiar este valor, debe editarlo desde Inicio-Configuración-traducción. WarningSettingSortOrder=Advertencia, establecer un orden de clasificación predeterminado puede generar un error técnico al acceder a la página de lista si el campo es un campo desconocido. Si experimenta un error de este tipo, vuelva a esta página para eliminar el orden de clasificación predeterminado y restaurar el comportamiento predeterminado. @@ -405,7 +399,6 @@ DAV_ALLOW_PRIVATE_DIRTooltip=El directorio privado genérico es un directorio We DAV_ALLOW_PUBLIC_DIR=Habilite el directorio público genérico (directorio dedicado de WebDAV denominado "público"; no es necesario iniciar sesión) DAV_ALLOW_PUBLIC_DIRTooltip=El directorio público genérico es un directorio WebDAV al que cualquiera puede acceder (en modo de lectura y escritura), sin necesidad de autorización (cuenta de inicio de sesión/contraseña). DAV_ALLOW_ECM_DIR=Habilite el directorio privado DMS/ECM (directorio raíz del módulo DMS/ECM; se requiere inicio de sesión) -DAV_ALLOW_ECM_DIRTooltip=El directorio raíz donde todos los archivos se cargan manualmente cuando se utiliza el módulo DMS/ECM. De manera similar al acceso desde la interfaz web, necesitará un nombre de usuario/contraseña válido con los permisos adecuados para acceder. Module0Desc=Gestión de Usuarios / Empleados y Grupos Module1Desc=Gestión de empresas y contactos (clientes, prospectos...) Module2Desc=Administración comercial @@ -422,7 +415,6 @@ Module30Name=Facturas Module30Desc=Gestión de facturas y notas de crédito a clientes. Gestión de facturas y notas de crédito para proveedores. Module40Name=Vendedores Module42Desc=Facilidades de registro (archivo, syslog, ...). Dichos registros son para fines técnicos o de depuración. -Module43Desc=Una herramienta para desarrolladores que agrega una barra de depuración en su navegador. Module50Name=productos Module50Desc=Gestión de Productos Module51Name=Envíos masivos @@ -432,7 +424,6 @@ Module53Desc=Gestión de Servicios Module55Name=códigos de barras Module55Desc=Gestión de código de barras o código QR Module56Name=Pago por transferencia de crédito -Module56Desc=Gestión de pago de proveedores por órdenes de Transferencia de Crédito. Incluye generación de fichero SEPA para países europeos. Module57Name=Pagos por Débito Directo Module57Desc=Gestión de órdenes de Débito Directo. Incluye generación de fichero SEPA para países europeos. Module58Name=Hacer clic para marcar @@ -472,6 +463,10 @@ Module600Desc=Envíe notificaciones por correo electrónico desencadenadas por u Module600Long=Tenga en cuenta que este módulo envía correos electrónicos en tiempo real cuando ocurre un evento comercial específico. Si está buscando una función para enviar recordatorios por correo electrónico para los eventos de la agenda, vaya a la configuración del módulo Agenda. Module610Name=Variantes del producto Module610Desc=Creación de variantes de producto (color, talla, etc.) +Module650Name=Facturas de material (BOM) +Module650Desc=Modulo para el revestimiento de sus listas de materiales (BOM). Se puede utilizar para la planificación de recursos de fabricación por los pedidos de fabricación por los pedidos de fabricación de módulos (MO). +Module660Name=Planificación de recursos de fabricación (PRF) +Module660Desc=Módulo para gestionar ordenes de producción (MO). Module770Name=Reporte de gastos Module770Desc=Gestionar las reclamaciones de informes de gastos (transporte, comida, ...) Module1120Name=Propuestas comerciales de proveedores @@ -485,6 +480,7 @@ Module2200Desc=Use expresiones matemáticas para la generación automática de p Module2300Name=Trabajos programados Module2300Desc=Gestión de trabajos programados (alias cron o tabla crono) Module2400Desc=Eventos de pista. Registre eventos automáticos con fines de seguimiento o registre eventos o reuniones manuales. Este es el módulo principal para una buena gestión de relaciones con clientes o proveedores. +Module2430Desc=Proporcione un sistema de reserva en línea. Esto permite a cualquier persona reservar una cita, de acuerdo con los rangos predefinidos o la disponibilidad. Module2500Name=DMS/ECM Module2500Desc=Sistema de Gestión Documental / Gestión de Contenidos Electrónicos. Organización automática de sus documentos generados o almacenados. Compártelos cuando lo necesites. Module2600Desc=Habilite el servidor Dolibarr SOAP que proporciona servicios API @@ -498,7 +494,6 @@ Module3200Name=Archivos Inalterables Module3200Desc=Habilite un registro inalterable de eventos comerciales. Los eventos se archivan en tiempo real. El registro es una tabla de solo lectura de eventos encadenados que se pueden exportar. Este módulo puede ser obligatorio para algunos países. Module3400Desc=Habilitar campos de Redes Sociales en direcciones y direcciones de terceros (skype, twitter, facebook,...). Module4000Name=gestión de recursos humanos -Module4000Desc=Gestión de recursos humanos (gestión de departamento, contratos y sentimientos de los empleados) Module5000Name=multiempresa Module5000Desc=Le permite administrar varias empresas Module10000Name=sitios web @@ -717,7 +712,6 @@ Permission2801=Utilice el cliente FTP en modo de lectura (navegar y descargar so Permission2802=Usar cliente FTP en modo escritura (borrar o cargar archivos) Permission3200=Leer eventos archivados y huellas dactilares Permission10001=Leer el contenido del sitio web -Permission10002=Crear/modificar el contenido del sitio web (contenido html y javascript) Permission10003=Crear/modificar el contenido del sitio web (código php dinámico). Peligroso, debe reservarse para desarrolladores restringidos. Permission20001=Leer solicitudes de licencia (su licencia y las de sus subordinados) Permission20002=Crea/modifica tus solicitudes de licencia (tu licencia y las de tus subordinados) @@ -786,7 +780,6 @@ BackToModuleList=Volver a la lista de módulos BackToDictionaryList=Volver a la lista de Diccionarios TypeOfRevenueStamp=Tipo de timbre fiscal VATManagement=Gestión de impuestos sobre las ventas -VATIsUsedDesc=De forma predeterminada, al crear prospectos, facturas, pedidos, etc., la tasa del impuesto sobre las ventas sigue la regla estándar activa:
      Si el vendedor no está sujeto al impuesto sobre las ventas, el impuesto sobre las ventas se establece de forma predeterminada en 0. Fin de la regla.
      Si (país del vendedor = país del comprador), el impuesto sobre las ventas por defecto es igual al impuesto sobre las ventas del producto en el país del vendedor. Fin de la regla.
      Si el vendedor y el comprador se encuentran en la Comunidad Europea y los bienes son productos relacionados con el transporte (transporte, envío, línea aérea), el IVA predeterminado es 0. Esta regla depende del país del vendedor; consulte con su contador. El IVA debe ser pagado por el comprador a la oficina de aduanas de su país y no al vendedor. Fin de la regla.
      Si tanto el vendedor como el comprador se encuentran en la Comunidad Europea y el comprador no es una empresa (con un número de IVA intracomunitario registrado), el IVA se establece de forma predeterminada en el tipo de IVA del país del vendedor. Fin de la regla.
      Si el vendedor y el comprador están en la Comunidad Europea y el comprador es una empresa (con un número de IVA intracomunitario registrado), entonces el IVA es 0 por defecto. Fin de la regla.
      En cualquier otro caso, el valor predeterminado propuesto es Impuesto sobre las ventas=0. Fin de la regla. VATIsNotUsedDesc=Por defecto, el impuesto a las ventas propuesto es 0, que se puede usar para casos como asociaciones, individuos o pequeñas empresas. VATIsUsedExampleFR=En Francia, significa empresas u organizaciones que tienen un sistema fiscal real (real simplificado o real normal). Un sistema en el que se declara el IVA. VATIsNotUsedExampleFR=En Francia, se refiere a asociaciones que no declaran el impuesto sobre las ventas o empresas, organizaciones o profesiones liberales que han elegido el sistema fiscal de microempresa (impuesto sobre las ventas en franquicia) y pagaron un impuesto sobre las ventas de franquicia sin ninguna declaración de impuestos sobre las ventas. Esta opción mostrará la referencia "Impuesto sobre las ventas no aplicable - art-293B del CGI" en las facturas. @@ -1003,8 +996,7 @@ BrowserIsKO=Está utilizando el navegador web %s. Se sabe que este navegador es PreloadOPCode=Se usa OPCode precargado AddRefInList=Mostrar ref. de cliente/proveedor en listas combinadas.
      Los terceros aparecerán con un formato de nombre de "CC12345 - SC45678 - The Big Company corp". en lugar de "The Big Company corp". AddVatInList=Muestre el número de IVA del cliente/proveedor en listas combinadas. -AddAdressInList=Muestre la dirección del cliente/proveedor en listas combinadas.
      Los terceros aparecerán con un formato de nombre de "The Big Company corp. - 21 jump street 123456 Big town - USA" en lugar de "The Big Company corp". -AddEmailPhoneTownInContactList=Mostrar correo electrónico de contacto (o teléfonos si no está definido) y lista de información de la ciudad (seleccione lista o cuadro combinado)
      Los contactos aparecerán con un formato de nombre de "Dupond Durand - dupond.durand@email.com - Paris" o "Dupond Durand - 06 07 59 65 66 - París" en lugar de "Dupond Durand". +AddEmailPhoneTownInContactList=Mostrar el correo electrónico de contacto (o los teléfonos si no se definen) y la lista de información de la ciudad (seleccionar lista o cuadro combinado)
      Los contactos aparecerán con un formato de "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=Pregunte por el método de envío preferido para Terceros. FillThisOnlyIfRequired=Ejemplo: +2 (completar solo si se experimentan problemas de compensación de zona horaria) NumberingModules=Numeración de modelos @@ -1085,7 +1077,6 @@ MemberCreateAnExternalUserForSubscriptionValidated=Cree un inicio de sesión de MEMBER_REMINDER_EMAIL=Habilite el recordatorio automático por correo electrónico de suscripciones vencidas. Nota: El módulo %s debe estar habilitado y configurado correctamente para enviar recordatorios. MembersDocModules=Plantillas de documentos para documentos generados a partir del registro de miembro LDAPSetup=Configuración de LDAP -LDAPSynchronization=sincronización LDAP LDAPSynchronizeUsers=Organización de usuarios en LDAP LDAPSynchronizeGroups=Organización de grupos en LDAP LDAPSynchronizeContacts=Organización de contactos en LDAP @@ -1182,7 +1173,6 @@ LDAPFieldGroupidExample=Ejemplo: Numero de Gid LDAPFieldUserid=Identificación de usuario LDAPFieldUseridExample=ejemplo: Numero de identificación LDAPFieldHomedirectory=directorio de inicio -LDAPFieldHomedirectoryExample=Ejemplo: directorio de inicio LDAPFieldHomedirectoryprefix=Prefijo del directorio de inicio LDAPSetupNotComplete=Configuración de LDAP no completa (vaya a otras pestañas) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=No se proporciona administrador ni contraseña. El acceso LDAP será anónimo y en modo de solo lectura. @@ -1203,7 +1193,6 @@ MemcachedModuleAvailableButNotSetup=Se encontró el módulo memcached para el ca MemcachedAvailableAndSetup=El módulo memcached dedicado para usar el servidor memcached está habilitado. OPCodeCache=Caché de código OP NoOPCodeCacheFound=No se encontró caché de OPCode. Tal vez esté utilizando un caché de OPCode que no sea XCache o eAccelerator (bueno), o tal vez no tenga caché de OPCode (muy malo). -HTTPCacheStaticResources=Caché HTTP para recursos estáticos (css, img, javascript) FilesOfTypeCached=El servidor HTTP almacena en caché los archivos de tipo %s FilesOfTypeNotCached=El servidor HTTP no almacena en caché los archivos de tipo %s FilesOfTypeCompressed=Los archivos de tipo %s están comprimidos por el servidor HTTP @@ -1291,23 +1280,24 @@ DeliveriesOrderAbility=Recibos de entrega de productos de soporte FreeLegalTextOnDeliveryReceipts=Texto libre en los recibos de entrega AdvancedEditor=editor avanzado ActivateFCKeditor=Activar editor avanzado para: -FCKeditorForCompany=Creación/edición WYSIWIG del campo descripción de elementos (excepto productos/servicios) -FCKeditorForMailing=Creación/edición WYSIWIG para eMailings masivos (Herramientas->eMailing) -FCKeditorForUserSignature=Creación/edición WYSIWIG de firma de usuario -FCKeditorForMail=Creación/edición WYSIWIG para todo el correo (excepto Herramientas->eMailing) -FCKeditorForTicket=Creación/edición WYSIWIG para tickets +FCKeditorForNotePublic=WYSIWYG creación /edición del campo "Notas publica" de elementos +FCKeditorForNotePrivate=WYSIWYG creación /edición del campo "notas privadas" de elementos +FCKeditorForCompany=WYSIWYG creación /edición de la descripción del campo de elementos (excepto producto/ servicios) +FCKeditorForProductDetails=WYSIWYG creación /edición descripción de productos o líneas para objetos (líneas de presupuesto, ordenes, facturas, etc.) +FCKeditorForMailing=WYSIWYG creación /edición del campo para correos electrónicos masivos (Herramientas->eMailing) +FCKeditorForUserSignature=WYSIWYG creación /edición de la firma del usuario +FCKeditorForMail=WYSIWYG creación /edición para todo correo (excepto herramientas >eMailing) +FCKeditorForTicket=WYSIWYG creación /edición para tickets StockSetup=Configuración del módulo de existencias IfYouUsePointOfSaleCheckModule=Si utiliza el módulo de punto de venta (POS) proporcionado de forma predeterminada o un módulo externo, su módulo POS puede ignorar esta configuración. La mayoría de los módulos POS están diseñados de forma predeterminada para crear una factura de inmediato y reducir el stock independientemente de las opciones aquí. Entonces, si necesita o no tener una disminución de stock al registrar una venta desde su POS, verifique también la configuración de su módulo POS. NotTopTreeMenuPersonalized=Menús personalizados no vinculados a una entrada de menú superior MenuHandler=controlador de menú MenuModule=módulo fuente -HideUnauthorizedMenu=Ocultar menús no autorizados también para usuarios internos (de lo contrario, solo en gris) DetailId=menú de identificación DetailMenuHandler=Manejador de menú donde mostrar el nuevo menú DetailMenuModule=Nombre del módulo si la entrada del menú proviene de un módulo DetailTitre=Etiqueta de menú o código de etiqueta para traducción DetailEnabled=Condición para mostrar o no la entrada -DetailRight=Condición para mostrar menús grises no autorizados DetailLangs=Nombre de archivo Lang para traducción de código de etiqueta Target=Objetivo DetailTarget=Objetivo para enlaces (_blank top abre una ventana nueva) @@ -1357,7 +1347,6 @@ CashDeskBankAccountForSell=Cuenta predeterminada para usar para recibir pagos en CashDeskBankAccountForCheque=Cuenta predeterminada para usar para recibir pagos con cheque CashDeskBankAccountForCB=Cuenta predeterminada para usar para recibir pagos con tarjetas de crédito CashDeskBankAccountForSumup=Cuenta bancaria predeterminada para recibir pagos de SumUp -CashDeskDoNotDecreaseStock=Deshabilitar la disminución de stock cuando se realiza una venta desde Punto de Venta (si "no", la disminución de stock se realiza por cada venta realizada desde TPV, independientemente de la opción configurada en el módulo Stock). CashDeskIdWareHouse=Forzar y restringir el uso del almacén para la disminución de existencias StockDecreaseForPointOfSaleDisabled=Disminución de stock desde Punto de Venta deshabilitado StockDecreaseForPointOfSaleDisabledbyBatch=La disminución de stock en TPV no es compatible con el módulo Gestión de Serial/Lot (actualmente activo) por lo que la disminución de stock está deshabilitada. @@ -1452,7 +1441,7 @@ EnterAnyCode=Este campo contiene una referencia para identificar la línea. Intr Enter0or1=Introduzca 0 o 1 UnicodeCurrency=Ingrese aquí entre llaves, lista de números de bytes que representan el símbolo de la moneda. Por ejemplo: para $, ingrese [36] - para real brasileño R$ [82,36] - para €, ingrese [8364] ColorFormat=El color RGB está en formato HEX, por ejemplo: FF0000 -PictoHelp=Nombre del ícono en formato:
      - image.png para un archivo de imagen en el directorio del tema actual
      - image.png@module si el archivo está en el directorio /img/ de un módulo
      - fa-xxx para un pictograma FontAwesome fa-xxx
      - fonwtawesome_xxx_fa_color_size para un pictograma FontAwesome fa-xxx (con prefijo, color y tamaño establecidos) +PictoHelp=Nombre del icono en formato:
      - image.png para un archivo de imagen en el directorio del tema actual
      - image.png@module si el archivo está en el directorio /img/ de un módulo
      - fa-xxx para un pictograma FontAwesome fa-xxx
      - fontawesome_xxx_fa_color_tamaño para un pictograma FontAwesome fa-xxx (con prefijo, color y tamaño establecidos) PositionIntoComboList=Posición de línea en listas combinadas SellTaxRate=Tasa de impuesto a las ventas RecuperableOnly=Sí para el IVA "No percibido pero recuperable" dedicado a algún estado de Francia. Mantenga el valor en "No" en todos los demás casos. @@ -1549,7 +1538,6 @@ DateLastCollectResult=Fecha del último intento de recogida DateLastcollectResultOk=Fecha del último éxito de recopilación LastResult=último resultado EmailCollectorConfirmCollectTitle=Correo electrónico de confirmación de recogida -EmailCollectorExampleToCollectTicketRequestsDesc=Recopile correos electrónicos que coincidan con algunas reglas y cree automáticamente un ticket (el módulo Ticket debe estar habilitado) con la información del correo electrónico. Puede usar este recopilador si brinda algún tipo de soporte por correo electrónico, por lo que su solicitud de boleto se generará automáticamente. Active también Collect_Responses para recopilar respuestas de su cliente directamente en la vista de ticket (debe responder desde Dolibarr). NoNewEmailToProcess=No hay correo electrónico nuevo (filtros coincidentes) para procesar CreateLeadAndThirdParty=Cree un cliente potencial (y un tercero si es necesario) CodeLastResult=Último código de resultado @@ -1575,10 +1563,9 @@ MAIN_OPTIMIZEFORTEXTBROWSERDesc=Habilite esta opción si es una persona ciega o MAIN_OPTIMIZEFORCOLORBLIND=Cambiar el color de la interfaz para daltónicos MAIN_OPTIMIZEFORCOLORBLINDDesc=Habilite esta opción si es daltónico, en algunos casos la interfaz cambiará la configuración de color para aumentar el contraste. ThisValueCanOverwrittenOnUserLevel=Este valor puede ser sobrescrito por cada usuario desde su página de usuario - pestaña '%s' -DefaultCustomerType=Tipo de tercero predeterminado para el formulario de creación de "Nuevo cliente" +DefaultCustomerType=Tipo de Tercero predeterminado para el formulario de creación de "Nuevo cliente" ABankAccountMustBeDefinedOnPaymentModeSetup=Nota: La cuenta bancaria debe estar definida en el módulo de cada modo de pago (Paypal, Stripe, ...) para que esta función funcione. RootCategoryForProductsToSell=Categoría raíz de productos para vender -RootCategoryForProductsToSellDesc=Si se define, solo los productos dentro de esta categoría o los niños de esta categoría estarán disponibles en el Punto de Venta DebugBarDesc=Barra de herramientas que viene con muchas herramientas para simplificar la depuración DebugBarSetup=Configuración de la barra de depuración LogsLinesNumber=Número de líneas para mostrar en la pestaña de registros @@ -1593,9 +1580,8 @@ EXPORTS_SHARE_MODELS=Los modelos de exportación se comparten con todos. ExportSetup=Configuración del módulo Exportar ImportSetup=Configuración de la importación del módulo InstanceUniqueID=ID único de la instancia -IfTrackingIDFoundEventWillBeLinked=Tenga en cuenta que si se encuentra una identificación de seguimiento de un objeto en el correo electrónico, o si el correo electrónico es una respuesta a un correo electrónico ya recopilado y vinculado a un objeto, el evento creado se vinculará automáticamente al objeto relacionado conocido. -WithGMailYouCanCreateADedicatedPassword=Con una cuenta de GMail, si activó la validación de 2 pasos, se recomienda crear una segunda contraseña dedicada para la aplicación en lugar de usar su propia contraseña de cuenta de https://myaccount.google.com/. -EmailCollectorTargetDir=Puede ser un comportamiento deseado mover el correo electrónico a otra etiqueta/directorio cuando se procesó correctamente. Simplemente configure el nombre del directorio aquí para usar esta función (NO use caracteres especiales en el nombre). Tenga en cuenta que también debe utilizar una cuenta de inicio de sesión de lectura/escritura. +WithGMailYouCanCreateADedicatedPassword=Con una cuenta de gmail, si habilita la validación de 2 pasos, se recomienda crear una segunda contraseña dedicada para la aplicación en lugar de usar la contraseña de su propia cuenta de https://myaccount.google.com/. +EmailCollectorLoadThirdPartyHelp=Puede usar esta acción para usar el contenido del correo electrónico para buscar y cargar un tercero existente en su base de datos (la búsqueda se realizará en la propiedad definida entre 'id', 'name', 'name_alias', 'email'). El tercero encontrado (o creado) se utilizará para las acciones que lo requieran.
      Por ejemplo, si desea crear un tercero con un nombre extraído de una cadena 'Nombre: nombre para encontrar' presente en el cuerpo, use el correo electrónico del remitente como correo electrónico, puede configurar el campo del parámetro de esta manera:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Advertencia: Muchos servidores de correo electrónico (como Gmail) están haciendo búsquedas de palabras completas al buscar en una cadena y no devolverán un resultado si la cadena solo se encuentra parcialmente, en una palabra. Por esta razón también, el uso de caracteres especiales en un criterio de búsqueda se ignorará si no forman parte de las palabras existentes.
      Para hacer una búsqueda de exclusión, en una palabra (no se encuentra el correo electrónico de devolución de palabras), puedes usar el ! carácter antes de la palabra (puede que no funcione en algunos servidores del centro comercial) EndPointFor=Punto final para %s: %s DeleteEmailCollector=Eliminar recopilador de correo electrónico @@ -1606,9 +1592,11 @@ MakeAnonymousPing=Haga un Ping anónimo '+1' al servidor de la fundación Doliba FeatureNotAvailableWithReceptionModule=Característica no disponible cuando la Recepción del módulo está habilitada EmailTemplate=Plantilla para correo electrónico EMailsWillHaveMessageID=Los correos electrónicos tendrán una etiqueta "Referencias" que coincida con esta sintaxis +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Incluir alias en el nombre del tercero +THIRDPARTY_ALIAS=Nombre de tercero - Alias del tercero +ALIAS_THIRDPARTY=Alias del tercero - Nombre del tercero PDFIn2Languages=Mostrar etiquetas en el PDF en 2 idiomas diferentes (es posible que esta función no funcione para un par de idiomas) PDF_USE_ALSO_LANGUAGE_CODE=Si desea tener algunos textos en su PDF duplicados en 2 idiomas diferentes en el mismo PDF generado, debe configurar aquí este segundo idioma para que el PDF generado contenga 2 idiomas diferentes en la misma página, el elegido al generar PDF y este ( solo unas pocas plantillas de PDF admiten esto). Manténgalo vacío para 1 idioma por PDF. -PDF_USE_A=Genere documentos PDF con formato PDF/A en lugar del formato PDF predeterminado FafaIconSocialNetworksDesc=Introduce aquí el código de un icono de FontAwesome. Si no sabe qué es FontAwesome, puede usar el valor genérico fa-address-book. RssNote=Nota: Cada definición de fuente RSS proporciona un widget que debe habilitar para que esté disponible en el panel JumpToBoxes=Saltar a Configuración -> Widgets @@ -1619,14 +1607,11 @@ SwitchThisForABetterSecurity=Se recomienda cambiar este valor a %s para mayor se YouMayFindSecurityAdviceHere=Puede encontrar avisos de seguridad aquí ModuleActivatedDoNotUseInProduction=Se ha habilitado un módulo diseñado para el desarrollo. No lo habilite en un entorno de producción. CombinationsSeparator=Carácter separador para combinaciones de productos -SeeLinkToOnlineDocumentation=Vea el enlace a la documentación en línea en el menú superior para ver ejemplos SHOW_SUBPRODUCT_REF_IN_PDF=Si se utiliza la característica "%s" del módulo %s , mostrar detalles de subproductos de un kit en PDF. AskThisIDToYourBank=Póngase en contacto con su banco para obtener este ID -AdvancedModeOnly=Permiso disponible solo en el modo de permiso Avanzado ConfFileIsReadableOrWritableByAnyUsers=Cualquier usuario puede leer o escribir en el archivo conf. Otorgue permiso solo al usuario y grupo del servidor web. MailToSendEventOrganization=Organización del evento MailToPartnership=Camaradería -IfCLINotRequiredYouShouldDisablePHPFunctions=Excepto si necesita ejecutar comandos del sistema en código personalizado, debe deshabilitar las funciones de PHP Recommended=Recomendado CheckForModuleUpdate=Buscar actualizaciones de módulos externos CheckForModuleUpdateHelp=Esta acción se conectará con los editores de módulos externos para verificar si hay una nueva versión disponible. @@ -1661,7 +1646,7 @@ IconOnlyAllTextsOnHover=Solo icono: Todos los textos aparecen debajo del icono d IconOnlyTextOnHover=Solo icono: El texto del icono aparece debajo del icono con el ratón sobre el icono INVOICE_ADD_SWISS_QR_CODEMore=El estándar de Suiza para las facturas; asegúrese de que el código postal y la ciudad estén llenos y de que las cuentas tengan IBAN suizos/ de Liechtenstein válidos. INVOICE_SHOW_SHIPPING_ADDRESSMore=Indicaciones obligatorias en algunos países (Francia,..) -CIDLookupURL=El módulo trae una URL que puede ser utilizada por una herramienta externa para obtener el nombre de un tercero o contacto a partir de su número de teléfono. URL a utilizar es: +CIDLookupURL=El módulo trae una URL que puede ser utilizada por una herramienta externa para obtener el nombre de un tercero o contacto del número de teléfono. La URL a utilizar es: UsePassword=usa una contraseña UseOauth=Usar un token OAUTH ScriptIsEmpty=el guion esta vacio @@ -1674,5 +1659,14 @@ HelpCssOnEditDesc=El CSS utilizado al editar el campo.
      ejemplo: "minwidth10 HelpCssOnListDesc=El CSS utilizado cuando el campo está dentro de una tabla de lista.
      ejemplo: "tdoverflowmax200" DesktopsAndSmartphones=Computadoras de escritorio y teléfonos inteligentes Defaultfortype=Predeterminados +AllowOnLineSign=Permitir firma digital AtBottomOfPage=Al final de la pagina FailedAuth=Autenticaciones fallidas +AllowPasswordResetBySendingANewPassByEmail=Si un usuario A tiene este permiso, y si el usuario A no es un usuario "admin" tiene permitido reestablecer la contraseña de cualquier otro usuario B, la nueva contraseña se enviará al correo del otro usuario B, pero no será visible para el usuario A. Si el usuario A tiene la bandera "admin", se le permitirá a él también ver la nueva contraseña generada de B entonces el tendrá permitido tomar control de la cuenta del usuario B. +AllowAnyPrivileges=Si un usuario A tiene este permiso, él puede crear un usuario B con todos los privilegios que usa este usuario B, o concederse a sí mismo cualquier otro grupo con cualquier permiso. Por lo tanto, significa que el usuario A posee todos los privilegios comerciales (solo se prohibirá el acceso del sistema a las páginas de configuración) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Este valor se puede leer porque su instancia no está configurada en modo de producción +SeeConfFile=Mirar dentro conf.php archivo en el servidor +ReEncryptDesc=Vuelva a cifrar los datos si aún no está cifrado +PasswordFieldEncrypted=%snuevo registro, se ha encriptado este campo? +ExtrafieldsDeleted=Extracampos %sse han eliminado +LargeModern=Grande-moderno diff --git a/htdocs/langs/es_CR/assets.lang b/htdocs/langs/es_CR/assets.lang index f897040da89..df92ee167b7 100644 --- a/htdocs/langs/es_CR/assets.lang +++ b/htdocs/langs/es_CR/assets.lang @@ -1,67 +1,17 @@ # Dolibarr language file - Source file is en_US - assets -AccountancyCodeDepreciationAsset=Código contable (cuenta depreciación activo) -AccountancyCodeDepreciationExpense=Código contable (cuenta depreciación gastos) -ConfirmDeleteAssetType=¿Está seguro de querer eliminar este modelo de activo? -ShowTypeCard=Ver modelo '%s' ModuleAssetsDesc=Descripción de activo -ExtraFieldsAssetModel=Campos adicionales (modelo de activo) -AssetsType=Modelo de activo -AssetsTypeId=Id modelo de activo -AssetsTypeLabel=Etiqueta modelo de activo ASSET_ACCOUNTANCY_CATEGORY=Grupo contable de activos fijos -MenuAssetModels=Modelos de activos -MenuNewAssetModel=Nuevo modelo de activo -ConfirmDeleteAsset=¿Está seguro de que desea eliminar este activo? AssetReversalAmountHT=Importe de reversión (sin imp.) AssetAcquisitionValueHT=Monto de adquisición (sin imp.) -AssetDateAcquisition=Fecha de Adquisición -AssetNotDepreciated=No amortizado AssetConfirmDisposalAsk=¿Está seguro de que desea deshacerse del activo %s? AssetConfirmReOpenAsk=¿Está seguro de que desea volver a abrir el activo %s? -AssetDisposed=Dispuesto -AssetDisposalDate=Fecha de disposición -AssetDisposalAmount=Valor de disposición -AssetDisposalType=Tipo de disposición -AssetDisposalDepreciated=Amortizar el año de la transferencia -AssetDisposalSubjectToVat=Disposición sujeta a IVA -AssetModel=Modelo de activos -AssetDepreciationOptionEconomic=Amortización económica -AssetDepreciationOptionAcceleratedDepreciation=Amortización acelerada (impuesto) -AssetDepreciationOptionDepreciationType=Tipo de amortización -AssetDepreciationOptionDepreciationTypeDegressive=Decreciente -AssetDepreciationOptionDurationTypeDaily=Diaria -AssetDepreciationOptionTotalAmountLastDepreciationHT=Importe total última amortización (sin IVA) -AssetAccountancyCodeDepreciationEconomic=Amortización económica -AssetAccountancyCodeDepreciationExpense=Gasto de amortización -AssetAccountancyCodeValueAssetSold=Valor del activo dispuesto -AssetAccountancyCodeReceivableOnAssignment=Cuenta a cobrar por disposición -AssetAccountancyCodeProceedsFromSales=Producto de la disposición -AssetAccountancyCodeVatCollected=IVA recaudado -AssetAccountancyCodeVatDeductible=IVA recuperado sobre activos -AssetAccountancyCodeDepreciationAcceleratedDepreciation=Amortización acelerada (impuesto) -AssetAccountancyCodeEndowmentAcceleratedDepreciation=Gasto de amortización -AssetAccountancyCodeProvisionAcceleratedDepreciation=Recuperación/Provisión -AssetBaseDepreciationHT=Base de amortización (sin IVA) AssetDepreciationBeginDate=Comienzo de la amortización en -AssetDepreciationDate=Fecha de amortización -AssetDepreciationHT=Amortización (sin IVA) -AssetCumulativeDepreciationHT=Amortización acumulada (sin IVA) -AssetDispatchedInBookkeeping=Amortización registrada -AssetFutureDepreciationLine=Amortización futura -AssetDepreciationReversal=Inversión AssetErrorAssetOrAssetModelIDNotProvide=No se proporcionó la identificación del activo o el sonido del modelo. AssetErrorFetchAccountancyCodesForMode=Error al recuperar las '%s' cuentas contables para el modo de depreciación AssetErrorDeleteAccountancyCodesForMode=Error al eliminar cuentas contables de '%s' del modo de depreciación -AssetErrorInsertAccountancyCodesForMode=Error al insertar las cuentas contables del modo de amortización '%s' AssetErrorFetchDepreciationOptionsForMode=Error al recuperar opciones para '%s' del modo de amortización AssetErrorDeleteDepreciationOptionsForMode=Error al eliminar '%s' de las opciones del modo de depreciación AssetErrorInsertDepreciationOptionsForMode=Error al insertar %s de las opciones del modo de depreciación -AssetErrorFetchDepreciationLines=Error al recuperar líneas de amortización registradas -AssetErrorClearDepreciationLines=Error al depurar líneas de amortización registradas (amortización y futuro) -AssetErrorAddDepreciationLine=Error al agregar una línea de amortización AssetErrorCalculationDepreciationLines=Error al calcular las líneas de amortización (recuperación y futuro) AssetErrorReversalDateNotProvidedForMode=No se proporciona la fecha de reversión para el '%s' método de depreciación AssetErrorReversalDateNotGreaterThanCurrentBeginFiscalDateForMode=La fecha de reversión debe ser mayor o igual al comienzo del año fiscal actual para el '%s' método de depreciación -AssetErrorReversalAmountNotProvidedForMode=No se ha proporcionado el importe de amortización para el modo de amortización '%s'. -AssetErrorFetchCumulativeDepreciation=Error al recuperar el importe de amortización acumulado de la línea de amortización -AssetErrorSetLastCumulativeDepreciation=Error al registrar la última amortización acumulada diff --git a/htdocs/langs/es_CR/bills.lang b/htdocs/langs/es_CR/bills.lang index 04da2e8b044..249dfe7585a 100644 --- a/htdocs/langs/es_CR/bills.lang +++ b/htdocs/langs/es_CR/bills.lang @@ -109,7 +109,7 @@ ErrorInvoiceIsNotLastOfSameType=Error: La fecha de la factura %ses%s. Debe ser p BillFrom=De BillTo=A NoQualifiedRecurringInvoiceTemplateFound=Ninguna factura de plantilla recurrente calificada para la generación. -FoundXQualifiedRecurringInvoiceTemplate=Se encontró%s plantilla(s) de factura(s) recurrente(s) calificadas para generación. +FoundXQualifiedRecurringInvoiceTemplate=%sFactura(s) de plantilla recurrentes calificadas para la generación NotARecurringInvoiceTemplate=No es una plantilla de plantilla recurrente LastBills=Últimas %s facturas LatestTemplateInvoices=Últimas %s plantillas de factura @@ -124,7 +124,6 @@ SuppliersDraftInvoices=Facturas de proveedores en borrador Unpaid=Sin pagar ErrorNoPaymentDefined=Error: no se han definido pagos ConfirmDeleteBill=¿Está seguro que desea borrar la factura? -ConfirmValidateBill=¿Está seguro que quiere validar esta factura con referencia %s? ConfirmUnvalidateBill=¿Está seguro de querer cambiar la factura %sa borrador? ConfirmClassifyPaidBill=¿Está seguro que desea cambiar la factura %s como pagada? ConfirmCancelBill=¿Está seguro de cancelar la factura %s? @@ -150,7 +149,6 @@ ConfirmClassifyAbandonReasonOtherDesc=Esta opción se utilizará en todos los de ConfirmCustomerPayment=¿Confirma esta entrada de pago para %s %s? ConfirmSupplierPayment=¿Confirma esta entrada de pago para %s %s? ConfirmValidatePayment=¿Está seguro de que desea validar este pago? No se puede hacer ningún cambio una vez que se haya validado el pago. -UnvalidateBill=No validar la factura NumberOfBillsByMonth=Nº de facturas por mes. AmountOfBills=Cantidad de facturas AmountOfBillsHT=Importe de las facturas (neto de impuestos) @@ -358,10 +356,7 @@ NoteListOfYourUnpaidInvoices=Nota: Esta lista contiene solo facturas de terceros YouMustCreateStandardInvoiceFirstDesc=Primero debe crear una factura estándar y convertirla en "plantilla" para crear una nueva plantilla de factura PDFSpongeDescription=Factura PDF plantilla de esponja. Una plantilla de factura completa. PDFCrevetteDescription=Plantilla de factura PDF Crevette. Una plantilla completa de facturas para facturas de situación -TerreNumRefModelDesc1=Devuelve un número con el formato %syymm-nnnn para facturas estándar y %syymm-nnnn para notas de crédito donde yy es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin interrupción ni retorno a 0 -MarsNumRefModelDesc1=Devuelve un número con el formato %syymm-nnnn para facturas estándar, %syymm-nnnn para facturas de reemplazo, %syymm-nnnn para facturas de anticipos y %s yymm-nn para notas de crédito donde yy es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin interrupción ni retorno a 0 TerreNumRefModelError=Un proyecto de ley que comienza con $ syymm ya existe y no es compatible con este modelo de secuencia. Eliminar o cambiar el nombre para activar este módulo. -CactusNumRefModelDesc1=Devuelve un número con el formato %syymm-nnnn para facturas estándar, %syymm-nnnn para notas de crédito y %syymm-nnnn para facturas de anticipo donde yy es año, mm es un mes y nnnnn es un número secuencial de incremento automático sin interrupción ni retorno a 0 TypeContact_facture_internal_SALESREPFOLL=Representante en seguimiento de la factura del cliente. TypeContact_facture_external_BILLING=Contacto de factura de cliente TypeContact_facture_external_SHIPPING=Contacto de envío del cliente @@ -396,3 +391,4 @@ ConfirmDeleteRepeatableInvoice=¿Está seguro de que desea eliminar la factura d BillCreated=%s factura(s) generada SituationTotalRayToRest=Restante a pagar sin impuestos SearchValidatedInvoicesWithDate=Buscar facturas pendientes de pago con una fecha de validación =%s +SalaryInvoice=Sueldo diff --git a/htdocs/langs/es_CR/cashdesk.lang b/htdocs/langs/es_CR/cashdesk.lang index 67f7778141c..2f68ef0293b 100644 --- a/htdocs/langs/es_CR/cashdesk.lang +++ b/htdocs/langs/es_CR/cashdesk.lang @@ -25,9 +25,7 @@ PointOfSale=Punto de venta TakeposConnectorNecesary=Se requiere 'conector TakePOS' Receipt=Recibo Header=Encabezado -Footer=Pie de página AmountAtEndOfPeriod=Cantidad al final del período (día, mes o año) -TheoricalAmount=Cantidad teórica RealAmount=Cantidad real CashFenceDone=Cierre de caja realizado para el período. NbOfInvoices=Nb de facturas @@ -41,3 +39,14 @@ StartAParallelSale=Nueva venta simultánea ControlCashOpening=Abrir "Control de caja" aparece al abrir las órdenes de compra CloseCashFence=Control de cierre de caja RestaurantMenu=Menú +NumberOfLinesToShow=Número máximo de líneas de texto para mostrar en las imágenes del pulgar +HideCategories=Ocultar toda la selección de selección de categorías +ShowProductReference=Mostrar la referencia o etiqueta de productos +DefaultPOSThirdLabel=Cliente genérico de TakePos +DefaultPOSCatLabel=Producto de punto de venta (POS) +DefaultPOSProductLabel=Ejemplo de producto de takePos +TakeposNeedsPayment=Takepos necesita un método de pago para funcionar ¿Quieres crear el método de pago en efectivo? +LineDiscount=Descuento en línea +LineDiscountShort=Linea desc. +InvoiceDiscount=Descuento en facturas +InvoiceDiscountShort=Factura desc. diff --git a/htdocs/langs/es_CR/compta.lang b/htdocs/langs/es_CR/compta.lang index 118bc844197..2e496868815 100644 --- a/htdocs/langs/es_CR/compta.lang +++ b/htdocs/langs/es_CR/compta.lang @@ -20,6 +20,7 @@ Profit=Ganancia Debit=Débito Credit=Crédito AccountingDebit=Débito +AccountingCredit=Crédito Piece=Documentos Contables AmountHTVATRealReceived=Neto recaudado AmountHTVATRealPaid=Neto pagado @@ -98,6 +99,8 @@ ByThirdParties=Por terceros ByUserAuthorOfInvoice=Por el autor de la factura CheckReceipt=Comprobante de depósito CheckReceiptShort=Comprobante de depósito +LastCheckReceiptShort=Últimos recibos de depósito %s +LastPaymentForDepositShort=Últimos recibos de depósito %s %s NewCheckReceipt=Nuevo descuento NewCheckDepositOn=Crear recibo para depósito en cuenta:%s NoWaitingChecks=No hay cheques a la espera de depósito. diff --git a/htdocs/langs/es_CR/holiday.lang b/htdocs/langs/es_CR/holiday.lang index e346e965713..7199e033c93 100644 --- a/htdocs/langs/es_CR/holiday.lang +++ b/htdocs/langs/es_CR/holiday.lang @@ -4,6 +4,7 @@ Holidays=Licencias Holiday=Licencia CPTitreMenu=Licencia MenuAddCP=Nueva solicitud de permiso +MenuCollectiveAddCP=New collective leave NotActiveModCP=Debe habilitar el módulo de Licencias para ver esta página AddCP=Crear una solicitud de licencia DateDebCP=Fecha de inicio @@ -70,10 +71,10 @@ NewSoldeCP=Nuevo equilibrio alreadyCPexist=Ya se ha hecho una solicitud de permiso en este período UseralreadyCPexist=Ya se ha hecho una solicitud de permiso en este periodo para %s AutoSendMail=Correo automático -SendRequestCollectiveCP=Enviar solicitud de licencia colectiva +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave FirstDayOfHoliday=Inicio del día de la solicitud de licencia LastDayOfHoliday=Final de día de la solicitud de licencia -HolidaysCancelation=Cancelación de la solicitud de permiso EmployeeLastname=Apellido del empleado TypeWasDisabledOrRemoved=El tipo de licencia (id%s) fue deshabilitado o eliminado LEAVE_PAID=Vacaciones pagas @@ -103,6 +104,5 @@ HolidaysNumberingModules=Modelos de numeración para la solicitud de licencia TemplatePDFHolidays=Plantilla para solicitudes de permisos PDF FreeLegalTextOnHolidays=Texto libre en PDF WatermarkOnDraftHolidayCards=Marcas de agua en las solicitudes de permiso borrador -XIsAUsualNonWorkingDay=%sNormalmente es un dia sin trabajo BlockHolidayIfNegative=Bloquear si el balance es negativo ConfirmMassIncreaseHolidayQuestion=¿Está seguro de que desea aumentar las vacaciones de los %s registros seleccionado(s)? diff --git a/htdocs/langs/es_CR/hrm.lang b/htdocs/langs/es_CR/hrm.lang index 74a27638e16..b3cd4201337 100644 --- a/htdocs/langs/es_CR/hrm.lang +++ b/htdocs/langs/es_CR/hrm.lang @@ -2,8 +2,13 @@ HRM_EMAIL_EXTERNAL_SERVICE=E-mail para evitar el servicio externo de gestión de RRHH ConfirmDeleteEstablishment=¿Está seguro que quiere eliminar este establecimiento? HrmSetup=Configuración del módulo RRHH +PositionsWithThisProfile=Posiciones con estos perfiles de trabajo +MaxlevelGreaterThan=Nivel de empleado superior al esperado +MaxLevelEqualTo=Nivel de empleado es igual al nivel esperado +MaxLevelLowerThan=Nivel del empleado es inferior al nivel esperado +MaxlevelGreaterThanShort=Nivel superior al esperado +TypeKnowHow=Saber - Como SaveAddSkill =Habilidade(s) agregadas SaveLevelSkill =Nivel de habilidade(s) guardadas -SkillsExtraFields=Atributos adicionales (Habilidades) -JobsExtraFields=Atributos adicionales (Perfil de puesto) -EvaluationsExtraFields=Atributos adicionales (Evaluaciones) +JobsExtraFields=Atributos complementarios (Perfil de trabajo) +TheJobProfileHasNoSkillsDefinedFixBefore=El perfil de trabajo evaluado de este empleado no tiene la habilidad definida en él. Por favor agregar habilidade(s), luego eliminar y reiniciar la evaluación diff --git a/htdocs/langs/es_CR/main.lang b/htdocs/langs/es_CR/main.lang index 59770565a8d..4cc90cdc6e7 100644 --- a/htdocs/langs/es_CR/main.lang +++ b/htdocs/langs/es_CR/main.lang @@ -23,7 +23,6 @@ DatabaseConnection=Conexión de base de datos NoTemplateDefined=No hay plantilla disponible para este tipo de correo electrónico AvailableVariables=Variables de sustitución disponibles CurrentTimeZone=Zona horaria PHP (servidor) -EmptySearchString=Ingrese criterios de búsqueda no vacíos EnterADateCriteria=Introduzca un criterio de fecha NoRecordFound=Ningún record fue encontrado NoRecordDeleted=Ningún registro eliminado @@ -39,7 +38,6 @@ ErrorFailedToSendMail=No se pudo enviar el correo (remitente=%s, receptor=%s) ErrorFileNotUploaded=El archivo no se cargó. Verifique que el tamaño no exceda el máximo permitido, que haya espacio libre disponible en el disco y que no haya un archivo con el mismo nombre en este directorio. ErrorInternalErrorDetected=error detectado ErrorWrongHostParameter=Parámetro de host incorrecto -ErrorYourCountryIsNotDefined=Su país no está definido. Vaya a Inicio-Configuración-Editar y publique el formulario nuevamente. ErrorRecordIsUsedByChild=No se pudo eliminar este registro. Este registro es utilizado por al menos un registro secundario. ErrorWrongValueForParameterX=Valor incorrecto para el parámetro %s ErrorNoRequestInError=Ninguna solicitud por error @@ -133,6 +131,7 @@ ResizeOrCrop=Redimensionar o Recortar NoUserGroupDefined=Ningún grupo de usuarios definido PasswordRetype=repita su contraseña NoteSomeFeaturesAreDisabled=Tenga en cuenta que muchas características/módulos están deshabilitados en esta demostración. +YourUserFile=Tu ficha de usuario PersonalValue=Valor personal NewObject=nuevo %s FieldXModified=Archivo %smodificado @@ -240,7 +239,6 @@ LT1=Impuesto sobre las ventas 2 LT1Type=Tipo de impuesto sobre las ventas 2 LT2=Impuesto sobre las ventas 3 LT2Type=Impuesto sobre las ventas tipo 3 -LT1GC=Centavos adicionales VATRate=Tasa de impuesto VATCode=Código de tasa de impuesto VATNPR=Tasa de impuesto NPR @@ -419,7 +417,6 @@ Layout=Disposición DisabledModules=Módulos deshabilitados ForCustomer=Para el cliente UnHidePassword=Mostrar comando real con contraseña clara -RootOfMedias=Raíz de medios públicos (/medias) Notes=notas AddFile=Agregar archivo FreeLineOfType=Elemento de texto libre, escriba: @@ -504,6 +501,7 @@ FrontOffice=Oficina frontal BackOffice=oficina administrativa Submit=Entregar View=Vista +Import=Importación ExportFilteredList=Exportar lista filtrada ExportList=Exportar lista AllExportedMovementsWereRecordedAsExported=Todos los movimientos exportados se registraron como exportados @@ -519,7 +517,7 @@ ActualizeCurrency=Actualizar tipo de cambio ModuleBuilder=Generador de módulos y aplicaciones ClickToShowHelp=Haga clic para mostrar ayuda de información sobre herramientas WebSites=sitios web -WebSiteAccounts=cuentas del sitio web +WebSiteAccounts=Cuentas de acceso Web ExpenseReport=Informe de gastos ExpenseReports=Reporte de gastos HR=HORA @@ -577,10 +575,12 @@ SearchIntoKM=Base de conocimientos SearchIntoTickets=Entradas SearchIntoVendorPayments=Pagos de proveedores Everybody=Todos +EverybodySmall=Todos PayedTo=Pagado para LocalAndRemote=Locales y Remotos AssignedTo=Asignado a ConfirmMassDraftDeletion=Borrador de confirmación de eliminación masiva +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Seleccione un tercero primero... YouAreCurrentlyInSandboxMode=Actualmente se encuentra en el modo "sandbox" %s AnalyticCode=código analítico @@ -602,7 +602,6 @@ ContactDefault_order_supplier=Orden de compra ContactDefault_propal=Propuesta ContactDefault_supplier_proposal=Propuesta de proveedor ContactDefault_ticket=Boleto -ContactAddedAutomatically=Contacto agregado desde roles de terceros de contacto XAxis=eje X YAxis=eje Y DeleteFileHeader=Confirmar eliminación de archivos @@ -642,3 +641,5 @@ CommercialAffected=representante de ventas asignado InternalUser=Usuario Interno UploadFileDragDropSuccess=Los archivo(s) se han subido correctamente UserExpired=Expirado +LinkANewFile=Enlazar a un nuevo archivo/documento +NoLinkFound=No hay enlaces registrados diff --git a/htdocs/langs/es_CR/oauth.lang b/htdocs/langs/es_CR/oauth.lang index 33960b9ee6a..231f28297c1 100644 --- a/htdocs/langs/es_CR/oauth.lang +++ b/htdocs/langs/es_CR/oauth.lang @@ -7,7 +7,6 @@ IsTokenGenerated=¿Se generó el token? NoAccessToken=Ningún token de acceso guardado en la base de datos local HasAccessToken=Se generó un token y se guardó en la base de datos local. ToCheckDeleteTokenOnProvider=Haga clic aquí para verificar / eliminar la autorización guardada por el proveedor de OAuth %s -UseTheFollowingUrlAsRedirectURI=Use la siguiente URL como URI de redireccionamiento al crear sus credenciales con su proveedor de OAuth: SeePreviousTab=Ver pestaña anterior OAuthIDSecret=OAuth ID y secreto TOKEN_REFRESH=Actualizar Token Presente @@ -18,5 +17,3 @@ OAUTH_GOOGLE_ID=ID de Google OAuth OAUTH_GITHUB_NAME=Servicio OAuth GitHub OAUTH_GITHUB_ID=Id OAuth GitHub OAUTH_URL_FOR_CREDENTIAL=Vaya a esta página para crear u obtener su ID y secreto de OAuth -OAUTH_ID=ID de cliente de OAuth -OAUTH_TENANT=Inquilino de OAuth diff --git a/htdocs/langs/es_CR/products.lang b/htdocs/langs/es_CR/products.lang index aa0faffb851..1d76cd1651f 100644 --- a/htdocs/langs/es_CR/products.lang +++ b/htdocs/langs/es_CR/products.lang @@ -44,7 +44,6 @@ CostPriceUsage=Este valor podría utilizarse para el cálculo del margen. SoldAmount=Cantidad vendida PurchasedAmount=Cantidad comprada EditSellingPriceLabel=Editar etiqueta de precio -CantBeLessThanMinPrice=El precio de venta no puede ser menor al mínimo permitido por el producto (%s sin impuestos). Este mensaje también parece si el descuento es demasiado importante. ErrorProductAlreadyExists=Ya existe un producto con la referencia %s. ErrorProductBadRefOrLabel=Valor incorrecto de referencia o etiqueta. ErrorProductClone=Hubo un problema al tratar de clonar el productos o servicio. @@ -155,7 +154,6 @@ VariantAttributes=Atributos variantes ProductAttributes=Atributos variantes para los productos ProductAttributeName=Atributo de variante %s ProductAttributeDeleteDialog=¿Seguro que desea eliminar este atributo? Todos los valores se eliminarán -ProductAttributeValueDeleteDialog=¿Seguro que desea eliminar el valor "%s" con la referencia "%s" de este atributo? ProductCombinationDeleteDialog=¿Está seguro que deseas eliminar la variante del producto "%s"? ProductCombinationAlreadyUsed=Se ha producido un error al eliminar la variante. Compruebe que no se está utilizando en ningún objeto PropagateVariant=Propagación de variantes diff --git a/htdocs/langs/es_CR/projects.lang b/htdocs/langs/es_CR/projects.lang index b36e80e50c5..de39c80bdbd 100644 --- a/htdocs/langs/es_CR/projects.lang +++ b/htdocs/langs/es_CR/projects.lang @@ -1,3 +1,133 @@ # Dolibarr language file - Source file is en_US - projects +ProjectId=ID de Proyecto +ProjectLabel=Etiqueta de Proyecto +ProjectsArea=Área de Proyectos +SharedProject=Todos +AllAllowedProjects=Todo el proyecto que puedo leer (mio + público) +ProjectsPublicDesc=Esta vista presenta todos los proyectos que se le permite leer. +TasksOnProjectsPublicDesc=Esta vista presenta todas las tareas de los proyectos que se le permite leer. +ProjectsPublicTaskDesc=Esta vista presenta todos los proyectos y tareas que se le permite leer. +ProjectsDesc=Esta vista presenta todos los proyectos (los permisos de usuario le otorgan permiso para ver todo). +TasksOnProjectsDesc=Esta vista presenta todas las tareas de todos los proyectos (los permisos de usuario le otorgan permiso para ver todo). +OnlyOpenedProject=Sólo los proyectos abiertos son visibles (los proyectos en borrador o estado cerrado no son visibles). +TasksPublicDesc=Esta vista presenta todos los proyectos y tareas que se le permite leer. +TasksDesc=Esta vista presenta todos los proyectos y tareas (los permisos de usuario le otorgan permiso para ver todo). +ImportDatasetTasks=Tareas de los proyectos +ConfirmDeleteAProject=¿Está seguro de que desea eliminar este proyecto? +ConfirmDeleteATask=¿Seguro que desea eliminar esta tarea? +OpportunitiesStatusForOpenedProjects=Cantidad de proyectos abiertos por estado +OpportunitiesStatusForProjects=Cantidad de proyectos por estado. +ShowProject=Mostrar proyecto +SetProject=Establecer proyecto +NoProject=Ningún proyecto definido o propiedad +TimeSpentSmall=Tiempo dedicado +TimeSpentByYou=Tiempo pasado por usted +TimeSpentByUser=Tiempo empleado por el usuario +TaskTimeSpent=Tiempo dedicado a las tareas +TasksOnOpenedProject=Tareas sobre proyectos abiertos +NewTimeSpent=Tiempo dedicado +BillTimeShort=Tiempo a facturar +TaskDateStart=Fecha de inicio de la tarea +TaskDateEnd=Fecha de finalización de la tarea +TaskDescription=Descripción de la tarea +AddTimeSpent=Crear tiempo dedicado +AddHereTimeSpentForDay=Añadir aquí el tiempo dedicado a este día/tarea +Activities=Tareas / actividades +Time=Hora +ListOfTasks=Lista de tareas +GoToListOfTimeConsumed=Ir a la lista de tiempo consumido +ListProposalsAssociatedProject=Listado de las propuestas comerciales relacionadas con el proyecto. +ListInvoicesAssociatedProject=Listado de facturas de clientes relacionadas con el proyecto. +ListPredefinedInvoicesAssociatedProject=Lista de facturas de plantillas de clientes relacionadas con el proyecto. +ListContractAssociatedProject=Listado de contratos relacionados con el proyecto. +ListShippingAssociatedProject=Listado de envíos relacionados con el proyecto. +ListFichinterAssociatedProject=Listado de intervenciones relacionadas con el proyecto. +ListExpenseReportsAssociatedProject=Listado de informes de gastos relacionados con el proyecto. +ListDonationsAssociatedProject=Listado de donaciones relacionadas con el proyecto. +ListVariousPaymentsAssociatedProject=Lista de pagos varios relacionados con el proyecto +ListSalariesAssociatedProject=Listado de pagos de sueldos relacionados con el proyecto +ListActionsAssociatedProject=Listado de eventos relacionados con el proyecto +ListMOAssociatedProject=Lista de orden de fabricación relacionados con el proyecto +ListTaskTimeUserProject=Lista de tiempo consumido en las tareas del proyecto +ListTaskTimeForTask=Listado de tiempos consumidos en tareas +ChildOfProjectTask=Hijo del proyecto/tarea +TaskHasChild=La tarea tiene subcategorias +ConfirmValidateProject=¿Está seguro de que desea validar este proyecto? +ConfirmCloseAProject=¿Estás seguro de que quieres cerrar este proyecto? +ReOpenAProject=Proyecto abierto +ConfirmReOpenAProject=¿Está seguro de que desea volver a abrir este proyecto? +ActionsOnProject=Eventos en el proyecto +YouAreNotContactOfProject=Usted no es un contacto de este proyecto privado +DeleteATimeSpent=Eliminar el tiempo pasado +ConfirmDeleteATimeSpent=¿Está seguro de que desea eliminar este tiempo pasado? +DoNotShowMyTasksOnly=Ver también tareas que no me han sido asignadas +ShowMyTasksOnly=Ver sólo las tareas asignadas a mí +LinkedToAnotherCompany=Vinculado a terceros +TaskIsNotAssignedToUser=Tarea no asignada al usuario. Use el botón '%s' para asignar la tarea ahora. +ErrorTimeSpentIsEmpty=El tiempo dedicado esta vacío +ThisWillAlsoRemoveTasks=Esta acción también borrara todo las tareas del proyecto (%s tareas al momento) y todas las entradas de tiempo consumido. +IfNeedToUseOtherObjectKeepEmpty=Si algunos objetos (factura, orden, ...), pertenecen a otro tercero, deben estar vinculados al proyecto para crear, manténgalos vacíos para que el proyecto sea de varios terceros. +CloneTasks=Clonar tareas +CloneNotes=Clonar notas +CloneTaskFiles=Clonar archivos unidos de tarea(s) (si se clonaron tarea(s)) +CloneMoveDate=Actualizar las fechas de proyecto/tareas a partir de ahora? +ConfirmCloneProject=¿Está seguro de clonar este proyecto? +ProjectReportDate=Cambiar las fechas de las tareas según la fecha de inicio del nuevo proyecto +ErrorShiftTaskDate=Imposible cambiar la fecha de la tarea de acuerdo con la fecha de inicio del nuevo proyecto +TaskCreatedInDolibarr=Tarea%s creada +TaskModifiedInDolibarr=Tarea%s modificada +OpportunityStatus=Estado de iniciativa +OpportunityStatusShort=Estado de iniciativa +OpportunityProbability=Probabilidad de la Iniciativa +OpportunityProbabilityShort=Prob. de Iniciativa +OpportunityAmount=Monto de iniciativa +OpportunityAmountShort=Monto de iniciativa +OpportunityAmountAverageShort=Monto promedio +OpportunityAmountWeigthedShort=Monto ponderado +WonLostExcluded=Ganado/Perdido excluido +TypeContact_project_internal_PROJECTLEADER=Líder del proyecto +TypeContact_project_external_PROJECTLEADER=Líder del proyecto +TypeContact_project_internal_PROJECTCONTRIBUTOR=Contribuyente +TypeContact_project_external_PROJECTCONTRIBUTOR=Contribuyente +TypeContact_project_task_internal_TASKEXECUTIVE=Ejecutivo de tareas +TypeContact_project_task_external_TASKEXECUTIVE=Ejecutivo de tareas +TypeContact_project_task_internal_TASKCONTRIBUTOR=Contribuyente +TypeContact_project_task_external_TASKCONTRIBUTOR=Contribuyente +SelectElement=Seleccionar elemento +AddElement=Vincular al elemento +DocumentModelBeluga=Plantilla de documento de proyecto para la descripción de objetos vinculados +DocumentModelBaleine=Plantilla de documento de proyecto para tareas +DocumentModelTimeSpent=Plantilla de informe de proyecto por tiempo dedicado +ProjectMustBeValidatedFirst=El proyecto debe ser validado primero +TimeAlreadyRecorded=Este es el tiempo gastado ya registrado para esta tarea/día y el usuario%s +NoUserAssignedToTheProject=No hay usuarios asignados a este proyecto. +AssignTaskToUser=Asignar tarea a%s +SelectTaskToAssign=Seleccione tarea para asignar ... +ManageTasks=Usar proyectos para seguir tareas y/o informar el tiempo empleado (hojas de tiempo) +ManageOpportunitiesStatus=Utilizar proyectos para seguir a clientes potenciales +ProjectNbProjectByMonth=Nº de proyectos creados por mes. +ProjectNbTaskByMonth=Nº de tareas creadas por mes. +ProjectOppAmountOfProjectsByMonth=Cantidad de clientes potenciales por mes +ProjectWeightedOppAmountOfProjectsByMonth=Cantidad ponderada de clientes potenciales por mes +TaskAssignedToEnterTime=Tarea asignada. Es posible introducir tiempo en esta tarea. +IdTaskTime=Id de tiempo dedicado a la tarea +OnlyOpportunitiesShort=Solo clientes potenciales +OpenedOpportunitiesShort=Clientes potenciales abiertos +OpportunityPonderatedAmount=Cantidad ponderada de clientes potenciales +OpportunityPonderatedAmountDesc=Cantidad de clientes potenciales ponderada con probabilidad +OppStatusQUAL=Calificación +OppStatusPROPO=Cotización +LatestProjects=Últimos %s proyectos +RecordsClosed=%s proyecto(s) cerrados +NumberOfTasksCloned=%s tarea(s) clonadas +TimeSpentInvoiced=El tiempo dedicado a facturar +TimeSpentForIntervention=Tiempo dedicado +TimeSpentForInvoice=Tiempo dedicado +ProjectBillTimeDescription=Verifique si ingresa la hoja de tiempo en las tareas del proyecto Y planea generar factura(s) a partir de la hoja de tiempo para facturar al cliente del proyecto (no verifique si planea crear una factura que no se base en las hojas de tiempo ingresadas). Nota: Para generar factura, vaya a la pestaña 'Tiempo invertido' del proyecto y seleccione las líneas para incluir. +UsageBillTimeShort=Uso: Tiempo a facturar NewInter=Nueva intervención StartDateCannotBeAfterEndDate=La fecha de finalización no puede ser anterior a la fecha de inicio +LeadPublicFormDesc=Puede habilitar aquí una página publica para permitir que sus clientes potenciales se pongan en contacto con usted por primera vez desde un formulario público en línea +EnablePublicLeadForm=Habilitar el formulario público para el contacto +NewLeadbyWeb=Su mensaje o solicitud ha sido registrada. Responderemos o nos pondremos en contacto con usted pronto +LeadFromPublicForm=Líder en línea desde el formulario publico diff --git a/htdocs/langs/es_CR/propal.lang b/htdocs/langs/es_CR/propal.lang index 4418ea886f2..356402dbf9a 100644 --- a/htdocs/langs/es_CR/propal.lang +++ b/htdocs/langs/es_CR/propal.lang @@ -1,8 +1,69 @@ # Dolibarr language file - Source file is en_US - propal +Proposals=Cotizaciones comerciales +Proposal=Propuesta comercial +ProposalShort=Cotización ProposalsDraft=Cotizaciones en borrador +ProposalsOpened=Abrir propuestas comerciales +CommercialProposal=Propuesta comercial +PdfCommercialProposalTitle=Cotización +ProposalCard=Tarjeta de cotización +NewProp=Nueva propuesta comercial +NewPropal=Nueva cotización +DeleteProp=Eliminar cotización +ValidateProp=Validar cotización +CancelPropal=Cancelar +AddProp=Crear cotización +ConfirmDeleteProp=¿Seguro que quieres eliminar esta cotización? +ConfirmValidateProp=¿Está seguro de que desea validar esta cotización con el nombre %s ? +LastPropals=Últimas %s cotizaciones LastModifiedProposals=Últimas %s cotizaciones modificadas +AllPropals=Todas las cotizaciones +SearchAProposal=Busca una cotización +NoProposal=Ninguna cotización +ProposalsStatistics=Estadísticas de cotizaciones +AmountOfProposalsByMonthHT=Cantidad por mes (sin impuestos) +NbOfProposals=Número de cotizaciones +ShowPropal=Mostrar cotización +PropalsDraft=Borradores PropalsOpened=Abierto PropalStatusDraft=Borrador (Necesita ser validado) +PropalStatusValidated=Validado (la cotización está abierta) +PropalStatusSigned=Firmado (necesita facturación) PropalStatusBilled=Facturada +PropalStatusCanceledShort=Cancelado +PropalStatusValidatedShort=Validada (abierta) +PropalStatusSignedShort=Firmada +PropalStatusNotSignedShort=No firmada PropalStatusBilledShort=Facturada +PropalsToClose=Cotizaciones a cerrar +PropalsToBill=Cotizaciones firmadas para facturar +ListOfProposals=Listado de cotizaciones +ActionsOnPropal=Eventos de la cotización +RefProposal=Ref. cotización +SendPropalByMail=Enviar cotización por correo +DatePropal=Fecha de cotización +SetAcceptedRefused=Establecer aceptado / rechazado +ErrorPropalNotFound=Cotización %s no encontrada +AddToDraftProposals=Agregar al borrador de cotización +NoDraftProposals=No hay borradores de cotizaciones +CopyPropalFrom=Cree una cotización copiando la cotización existente +CreateEmptyPropal=Crear una propuesta comercial vacía o desde la lista de productos/servicios. +DefaultProposalDurationValidity=Duración de validez de cotización predeterminada (en días) +UseCustomerContactAsPropalRecipientIfExist=Use el contacto / dirección con el tipo 'Contacto de seguimiento a cotización' si se define en lugar de la dirección de terceros como dirección del destinatario de la cotización +ConfirmClonePropal=¿Está seguro de que desea clonar la cotización %s ? +ConfirmReOpenProp=¿Está seguro de que desea volver a abrir la cotización %s ? +ProposalsAndProposalsLines=Cotización y partidas +ProposalLine=Línea de propuesta +AvailabilityPeriod=Demora de disponibilidad +SetAvailability=Establecer retraso de disponibilidad +AfterOrder=después del pedido +OtherProposals=Otras cotizaciones +AvailabilityTypeAV_NOW=Inmediato +TypeContact_propal_internal_SALESREPFOLL=Propuestas de seguimiento representativas TypeContact_propal_external_BILLING=Contacto de factura de cliente +DefaultModelPropalClosed=Plantilla predeterminada al cerrar una propuesta empresarial (no facturada) +DefaultModelPropalCreate=Creación de modelo por defecto +DefaultModelPropalToBill=Plantilla predeterminada al cerrar una propuesta empresarial (a facturar) +NoSigned=Establecer no firmado +PassedInOpenStatus=Ha sido validado +Signed=Firmado diff --git a/htdocs/langs/es_CR/receiptprinter.lang b/htdocs/langs/es_CR/receiptprinter.lang new file mode 100644 index 00000000000..c33a6ea92ea --- /dev/null +++ b/htdocs/langs/es_CR/receiptprinter.lang @@ -0,0 +1,32 @@ +# Dolibarr language file - Source file is en_US - receiptprinter +ReceiptPrinterSetup=Configuración del módulo ReceiptPrinter +PrinterAdded=Se añadió la impresora%s +PrinterUpdated=Impresora%s actualizada +TestSentToPrinter=Prueba enviada a la impresora%s +ReceiptPrinter=Impresoras de recibos +ReceiptPrinterDesc=Configuración de impresoras de recibos +ReceiptPrinterTypeDesc=Ejemplo de valores posibles para el campo "Parámetros" según el tipo de controlador +ListPrinters=Lista de impresoras +SetupReceiptTemplate=Configuración de la plantilla +CONNECTOR_DUMMY=Impresora ficticia +CONNECTOR_FILE_PRINT=Impresora local +CONNECTOR_DUMMY_HELP=Impresora falsa para la prueba, no hace nada +CONNECTOR_NETWORK_PRINT_HELP=10.x.x.x: 9100 +PROFILE_SIMPLE=Perfil sencillo +PROFILE_EPOSTEP=Perfil de punta épica +PROFILE_P822D=P822D Perfil +PROFILE_STAR=Perfil de estrella +PROFILE_DEFAULT_HELP=Perfil predeterminado adecuado para impresoras Epson +PROFILE_EPOSTEP_HELP=Perfil de punta épica +PROFILE_P822D_HELP=P822D Perfil Sin gráficos +PROFILE_STAR_HELP=Perfil de estrella +DOL_ALIGN_LEFT=Alinea el texto a la izquierda +DOL_ALIGN_CENTER=Texto central +DOL_ALIGN_RIGHT=Alinea el texto a la derecha +DOL_PRINT_BARCODE=Imprimir código de barras +DOL_PRINT_BARCODE_CUSTOMER_ID=Imprimir ID de cliente de código de barras +DOL_CUT_PAPER_FULL=Cortar boleto por completo +DOL_CUT_PAPER_PARTIAL=Cortar el ticket parcialmente +DOL_OPEN_DRAWER=Abrir cajón de efectivo +DOL_ACTIVATE_BUZZER=Activar zumbador +DOL_VALUE_CUSTOMER_MAIL=Correo de cliente diff --git a/htdocs/langs/es_CR/receptions.lang b/htdocs/langs/es_CR/receptions.lang index fb925740a75..659ece1ec9f 100644 --- a/htdocs/langs/es_CR/receptions.lang +++ b/htdocs/langs/es_CR/receptions.lang @@ -1,5 +1,28 @@ # Dolibarr language file - Source file is en_US - receptions +Reception=Recepción +ReceptionsArea=Area de recepciones +ListOfReceptions=Lista de recepciones +StatisticsOfReceptions=Estadisticas para recepciones. +NbOfReceptions=Cantidad de recepciones +NumberOfReceptionsByMonth=Número de recepciones por mes. +ReceptionCard=Ficha de la recepción +QtyInOtherReceptions=Cantidad en otras recepciones +OtherReceptionsForSameOrder=Otras recepciones para esta orden +ReceptionsAndReceivingForSameOrder=Recepciones y recibos de esta orden. +ReceptionsToValidate=Recepciones para validar StatusReceptionCanceled=Cancelado StatusReceptionProcessed=Procesada StatusReceptionValidatedShort=Validada StatusReceptionProcessedShort=Procesada +ConfirmDeleteReception=¿Estás seguro de que quieres eliminar esta recepción? +ConfirmCancelReception=¿Estás seguro de que quieres cancelar esta recepción? +SendReceptionByEMail=Enviar recepción por correo +SendReceptionRef=Presentación de la recepción %s +ActionsOnReception=Eventos en recepción +ProductQtyInReceptionAlreadySent=Cantidad de productos enviados de las órdenes de ventas abietras +ProductQtyInSuppliersReceptionAlreadyRecevied=Cantidad de productos ya recibidos de las órdenes de proveedor abiertas +ValidateOrderFirstBeforeReception=Primero debes validar la orden antes de poder hacer recepciones. +ReceptionsReceiptModel=Plantillas de documento para recepciones +NoMorePredefinedProductToDispatch=No hay más productos solicitados pendientes por recibir +ReceptionUnClassifyCloseddInDolibarr=Recepción %s re-abrir +ReceptionDistribution=Recepción de distribución diff --git a/htdocs/langs/es_CR/recruitment.lang b/htdocs/langs/es_CR/recruitment.lang new file mode 100644 index 00000000000..123c55f9679 --- /dev/null +++ b/htdocs/langs/es_CR/recruitment.lang @@ -0,0 +1,20 @@ +# Dolibarr language file - Source file is en_US - recruitment +RecruitmentSetupPage =Ingrese aquí la configuración de las principales opciones para el módulo de reclutamiento +PublicInterfaceRecruitmentDesc=Las páginas públicas de trabajos son URL públicas para mostrar y responder a vacantes. Hay un enlace diferente para cada vacante, que se encuentra en cada registro de trabajo. +EnablePublicRecruitmentPages=Habilitar paginas publicas de vacantes abiertas +RecruitmentAboutPage =Página acerca de reclutamiento +IfJobIsLocatedAtAPartner=Si el trabajo se encuentra en un lugar asociado +ListOfPositionsToBeFilled=Lista de puestos de trabajo +JobOfferToBeFilled=Puesto de trabajo a cubrir +ContactForRecruitment=Contacto para contratación +EmailRecruiter=Correo electrónico de Reclutador +ToUseAGenericEmail=Utilizar un correo electrónico genérico. Si no se define, se utilizará el correo electrónico del responsable de contratación. +ListOfCandidatures=Lista de solicitudes +Remuneration=Sueldo +RecruitmentCandidature=Aplicación +YourCandidature=Tu aplicación +YourCandidatureAnswerMessage=Gracias por tu aplicación.
      ... +JobClosedTextCandidateFound=La vacante esta cerrada. Este puesto ya fue cubierto. +JobClosedTextCanceled=La vacante esta cerrada. +ExtrafieldsJobPosition=Atributos complementarios (puestos de trabajo) +MakeOffer=Hacer una oferta diff --git a/htdocs/langs/es_CR/resource.lang b/htdocs/langs/es_CR/resource.lang new file mode 100644 index 00000000000..247df3460d1 --- /dev/null +++ b/htdocs/langs/es_CR/resource.lang @@ -0,0 +1,19 @@ +# Dolibarr language file - Source file is en_US - resource +ConfirmDeleteResourceElement=Confirmar eliminación del recurso para este elemento +NoResourceInDatabase=No hay recursos en la base de datos. +NoResourceLinked=Ningún recurso vinculado +ResourcePageIndex=Lista de recursos +ResourceCard=Ficha de recurso +AddResource=Crea un recurso +ResourceFormLabel_ref=Nombre del recurso +ResourceType=Tipo del recurso +ResourceFormLabel_description=Descripción del recurso +ResourcesLinkedToElement=Recursos vinculados al elemento +ShowResource=Mostrar recurso +ResourceElementPage=Recursos del elemento +RessourceLineSuccessfullyDeleted=Línea del recurso eliminada correctamente +RessourceLineSuccessfullyUpdated=Línea del recurso actualizada correctamente +ResourceLinkedWithSuccess=Recurso vinculado con éxito +ConfirmDeleteResource=Confirma eliminación de este recurso +IdResource=Identificación del recurso +ResourceTypeCode=Código del tipo de recurso diff --git a/htdocs/langs/es_CR/salaries.lang b/htdocs/langs/es_CR/salaries.lang new file mode 100644 index 00000000000..b5ea5f55e79 --- /dev/null +++ b/htdocs/langs/es_CR/salaries.lang @@ -0,0 +1,15 @@ +# Dolibarr language file - Source file is en_US - salaries +SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Cuenta contable por defecto para pago de sueldos +CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=Por defecto, deje vacía la opción "Crear automáticamente un pago total" al crear un salario. +Salary=Sueldo +AddSalaryPayment=Agregar pago de sueldo +SalaryPayment=Pago de sueldo +SalariesPayments=Pagos de sueldos +ShowSalaryPayment=Mostrar pago de sueldo +THM=Tarifa por hora promedio +TJM=Valor promedio por día +CurrentSalary=Sueldo actual +THMDescription=Este valor puede usarse para calcular el costo de tiempo consumido en un proyecto ingresado por los usuarios si se usa el módulo proyecto +TJMDescription=Este valor es sólo informativo y no será utilizado para cálculo alguno +SalariesStatistics=Estadísticas de sueldos +SalariesAndPayments=Sueldos y pagos diff --git a/htdocs/langs/es_CR/sendings.lang b/htdocs/langs/es_CR/sendings.lang index 50fe136aa72..5909e63817c 100644 --- a/htdocs/langs/es_CR/sendings.lang +++ b/htdocs/langs/es_CR/sendings.lang @@ -1,6 +1,51 @@ # Dolibarr language file - Source file is en_US - sendings +RefSending=Ref. de envío +Sendings=Envios +AllSendings=Todos los Envíos +Shipments=Envios +ShowSending=Mostrar Envíos +Receivings=Comprobantes de entrega +SendingsArea=Área de envíos +ListOfSendings=Lista de envíos +SendingCard=Ficha del envío +QtyShipped=Cantidad enviada +QtyShippedShort=Cantidad enviada +QtyPreparedOrShipped=Cantidad preparada o enviada +QtyToShip=Cantidad para enviar +QtyToReceive=Cantidad para recibir +QtyReceived=Cantidad recibida +QtyInOtherShipments=Cantidad en otros envíos +KeepToShip=Pendiente de enviar +OtherSendingsForSameOrder=Otros envíos para este pedido +SendingsAndReceivingForSameOrder=Viajes y recepciones de esta orden +SendingsToValidate=Envíos para validar StatusSendingCanceled=Cancelado StatusSendingCanceledShort=Cancelado +StatusSendingValidated=Validada (productos para enviar o ya enviados) StatusSendingProcessed=Procesada StatusSendingValidatedShort=Validada StatusSendingProcessedShort=Procesada +SendingSheet=Hoja de envío +ConfirmDeleteSending=¿Seguro que desea eliminar este envío? +ConfirmCancelSending=¿Seguro que desea cancelar este envío? +WarningNoQtyLeftToSend=Advertencia, no hay productos esperando para ser enviados. +RefDeliveryReceipt=Ref. comprobante de entrega +StatusReceipt=Estado del comprobante de entrega +DateReceived=Fecha de entrega +SendShippingByEMail=Enviar detalles del envío por correo +SendShippingRef=Presentación del envío %s +ActionsOnShipping=Eventos en el envío +LinkToTrackYourPackage=Vínculo al seguimiento del envío +ShipmentLine=Línea del envío +ProductQtyInCustomersOrdersRunning=Cantidad de productos de órdenes de venta abiertas +ProductQtyInSuppliersOrdersRunning=Cantidad de productos de órdenes de compra abiertas +ProductQtyInShipmentAlreadySent=Cantidad de productos enviados de las órdenes de ventas abietras +ProductQtyInSuppliersShipmentAlreadyRecevied=Cantidad de productos enviados de órdenes de compra abiertas +NoProductToShipFoundIntoStock=No se encontró ningún producto para enviar en el almacén %s. Corrija el stock o regrese para elegir otro almacén. +WeightVolShort=Peso/Volmen +ValidateOrderFirstBeforeShipment=Primero debes validar la orden antes de poder realizar viajes. +DocumentModelTyphon=Modelo de documento completo para comprobantes de entrega (logotipo...) +SumOfProductVolumes=Suma de volúmenes de productos +SumOfProductWeights=Suma de los pesos del producto +DetailWarehouseFormat=W: %s (Cant.: %d) +ErrorTooMuchShipped=Cualificar el envío no debe ser mayor que la cantidad pedida para la línea diff --git a/htdocs/langs/es_CR/stocks.lang b/htdocs/langs/es_CR/stocks.lang index 2a5ae481d89..c0405d67204 100644 --- a/htdocs/langs/es_CR/stocks.lang +++ b/htdocs/langs/es_CR/stocks.lang @@ -1,9 +1,125 @@ # Dolibarr language file - Source file is en_US - stocks +WarehouseCard=Tarjeta de almacén +WarehouseEdit=Modificar almacén +WarehouseSource=Almacén de origen +WarehouseSourceNotDefined=Ningún almacén definido +DefaultWarehouse=Almacén predeterminado +WarehouseTarget=Almacén de destino +StocksByLotSerial=Stock por lote/serie +SubjectToLotSerialOnly=Productos sujetos solamente a lote/serie +ErrorWarehouseRefRequired=Se requiere el nombre de referencia del almacén +ListOfWarehouses=Lista de almacenes +MovementId=ID de Movimiento +StockMovementForId=ID de Movimiento %d +ListMouvementStockProject=Lista de movimientos de stock asociados al proyecto +StocksArea=Área de almacenes Location=Ubicaciòn +NumberOfProducts=Número total de productos +StockCorrection=Corrección de inventario +CorrectStock=Inventario correcto +StockTransfer=Transferencia de inventario +TransferStock=Transferir inventario +NumberOfUnit=Número de unidades +UnitPurchaseValue=Precio unitario de compra +StockTooLow=Inventario demasiado bajo +StockLowerThanLimit=Inventario más bajo que el límite de alerta (%s) +EnhancedValueOfWarehouses=Valor de almacenes +UserWarehouseAutoCreate=Crear un almacén de usuario automáticamente al crear un usuario +MainDefaultWarehouse=Almacén predeterminado +IndependantSubProductStock=El stock de producto y el stock de subproducto son independientes. +QtyDispatched=Cantidad despachada +QtyDispatchedShort=Cantidad enviada +QtyToDispatchShort=Cantidad de envío +OrderDispatch=Recibos de artículos +RuleForStockManagementDecrease=Seleccione Regla para la reducción automática de existencias (siempre es posible una reducción manual, incluso si se activa una regla de disminución automática) +RuleForStockManagementIncrease=Elija la regla para el aumento automático de existencias (siempre es posible un aumento manual, incluso si se activa una regla de aumento automático) +DeStockOnBill=Disminuir las existencias reales en la validación de la factura del cliente / nota de crédito +DeStockOnShipment=Disminuir inventario real en la validación de envío +ReStockOnValidateOrder=Aumentar las existencias reales en la aprobación de la orden de compra +OrderStatusNotReadyToDispatch=El pedido no tiene todavía o no más un estatus que permita despachar productos en bodegas. +StockDiffPhysicTeoric=Explicación de la diferencia entre Inventario físico y virtual +NoPredefinedProductToDispatch=No hay productos predefinidos para este objeto. Por lo tanto, no se requiere despacho en Inventario. +DispatchVerb=Envío +StockLimitShort=Límite para la alerta +StockLimit=Límite de Inventario para alerta +RealStock=Inventario Real +IdWarehouse=Id del Almacén +DescWareHouse=Descripción de almacén +LieuWareHouse=Almacén de localización +WarehousesAndProductsBatchDetail=Almacenes y productos (con detalle por lote / serie) AverageUnitPricePMPShort=Precio promedio ponderado +SellPriceMin=Precio unitario de venta +EstimatedStockValueSellShort=Valor para la venta +EstimatedStockValueSell=Valor para la venta +EstimatedStockValueShort=Valor de stock de entrada +EstimatedStockValue=Valor de stock de entrada +ConfirmDeleteWarehouse=¿Estas seguro que quieres borrar la bodega %s? +PersonalStock=Inventario personal %s +ThisWarehouseIsPersonalStock=Este almacén representa el Inventario personal de %s %s +SelectWarehouseForStockDecrease=Elegir almacén para utilizar para disminuir inventario +SelectWarehouseForStockIncrease=Elija un almacén para utilizarlo para aumentar el inventario +NoStockAction=Stock sin movimientos +DesiredStockDesc=Esta cantidad de inventario será el valor utilizado para llenar el inventario por recurso de reposición. +StockToBuy=Ordenar +Replenishment=Reabastecimiento +ReplenishmentOrders=Órdenes de reabastecimiento +UseVirtualStock=Utilizar Inventario virtual +UsePhysicalStock=Usar inventario físico +CurentlyUsingPhysicalStock=Stock fisico +RuleForStockReplenishment=Regla para la reposición de Inventario +WarehouseForStockDecrease=El almacén %s se usará para la disminución de stock +WarehouseForStockIncrease=El almacén %s se usará para aumentar las existencias +ReplenishmentOrdersDesc=Este es un listado de todos los pedidos a proveedores abiertos con productos predefinidos. Sólo los pedidos abiertos con productos predefinidos por lo que los pedidos puedan afectar a los stocks son visibles aquí. +Replenishments=Reabastecimientos +NbOfProductBeforePeriod=Cantidad del producto%s en Inventario antes del período seleccionado (<%s) +NbOfProductAfterPeriod=Cantidad del producto%s en Inventario después del período seleccionado (>%s) +MassMovement=Movimiento masivo +RecordMovement=Transferencia de registros +ReceivingForSameOrder=Recibos para este pedido +StockMovementRecorded=Movimiento de stock grabado +RuleForStockAvailability=Reglas sobre requerimientos de inventario +StockMustBeEnoughForInvoice=El nivel de stock debe ser suficiente para agregar el producto/servicio a la factura (la verificación se realiza en el stock real actual al agregar una línea en la factura, independientemente de la regla para el cambio automático de stock) +StockMustBeEnoughForOrder=El nivel de stock debe ser suficiente para agregar el producto/servicio al pedido (la verificación se realiza en el stock real actual al agregar una línea en el pedido, cualquiera que sea la regla para el cambio automático de inventario) +StockMustBeEnoughForShipment=El nivel de stock debe ser suficiente para agregar el producto/servicio al envío (la verificación se realiza en el stock real actual al agregar una línea en el envío, independientemente de la regla para el cambio automático de stock) +MovementLabel=Etiqueta de movimiento +qtyToTranferIsNotEnough=No tiene stock suficiente en su almacén de origen y su configuración no permite existencias negativas. +MovementCorrectStock=Corrección de stock del producto %s +MovementTransferStock=Transferencia de inventario de producto%s a otro almacén +InventoryCodeShort=Inv./Mov. Código +ThisSerialAlreadyExistWithDifferentDate=Este número de lote / serie (%s) ya existe pero con una fecha diferente de eatby o sellby (encontrado %s pero usted entró %s). +OptionMULTIPRICESIsOn=La opción "varios precios por segmento" está activada. Significa que un producto tiene varios precios de venta por lo que el valor para la venta no se puede calcular +ProductStockWarehouseCreated=Límite de inventario para alerta e inventario óptimo deseado correctamente creado +ProductStockWarehouseUpdated=Límite de inventario para alerta e inventario óptimo deseado correctamente actualizado +ProductStockWarehouseDeleted=Límite de inventario para alerta e inventario óptimo deseado correctamente eliminado +AddNewProductStockWarehouse=Establecer un nuevo límite para la alerta y el inventario óptimo deseado +InventoryDate=Fecha del inventario +inventoryWritePermission=Actualizar los inventarios +inventoryListEmpty=Ningún inventario en curso inventoryEdit=Editar inventoryValidate=Validada inventoryDraft=En ejecución +inventoryWarningProductAlreadyExists=Este producto ya está en la lista SelectCategory=Filtro por Categoría +inventoryChangePMPPermission=Permitir cambiar el valor PMP de un producto +OnlyProdsInStock=No añada producto sin inventario +LastPA=Última BP +RealQty=Cantidad real +RealValue=Valor real +RegulatedQty=Cantidad regulada +AddProduct=Agregar +FlushInventory=Inventario de descarga +ConfirmFlushInventory=¿Confirma usted esta acción? +InventoryFlushed=Inventario descargado +ExitEditMode=Edición de salida +inventoryDeleteLine=Eliminar línea +RegulateStock=Regular inventario ListInventory=Lista +StockSupportServices=Servicios de gestión de stock. +StockDecreaseAfterCorrectTransfer=Disminución por corrección/transferencia +StockIncrease=Aumento de existencias +StockDecrease=Disminución de existencias +ForceTo=Forzar a +DisableStockChangeOfSubProduct=Desactiva el cambio de stock para todos los productos de este Kit durante este movimiento. InventoryStartedShort=Iniciado +IncludeSubWarehouse=Incluir sub- almacén +IncludeSubWarehouseExplanation=Revise esta caja si usted quiere incluir todos los sub-almacenes del almacén asociado en el inventario diff --git a/htdocs/langs/es_CR/stripe.lang b/htdocs/langs/es_CR/stripe.lang new file mode 100644 index 00000000000..16f3f7e1520 --- /dev/null +++ b/htdocs/langs/es_CR/stripe.lang @@ -0,0 +1,19 @@ +# Dolibarr language file - Source file is en_US - stripe +StripeSetup=Configuración del módulo de Stripe +StripeDesc=Ofrezca a sus clientes una página de pago en línea para pagos con tarjetas de crédito/débito a través de Stripe . Esto se puede utilizar para permitir que sus clientes realicen pagos ad-hoc o pagos relacionados con un objeto particular de Dolibarr (factura, pedido, ...) +STRIPE_PAYONLINE_SENDEMAIL=Notificación por correo luego del intento de pago (exitoso o fallido) +YouWillBeRedirectedOnStripe=Se le redirigirá a la página de Stripe protegida para ingresar su información de tarjeta de crédito +ToOfferALinkForOnlinePayment=URL para el pago %s +ToOfferALinkForOnlinePaymentOnFreeAmount=URL para ofrecer una %s página de pago en línea de cualquier cantidad sin objeto existente +YouCanAddTagOnUrl=También puede agregar el parámetro de URL &tag=valor a cualquiera de esos URL (obligatorio solo para pagos no vinculados a un objeto) para agregar su propia etiqueta de comentario de pago.
      Para la URL de pagos sin objeto existente, también puede agregar el parámetro &noidempotency=1 para que el mismo enlace con la misma etiqueta se pueda usar varias veces (algún modo de pago puede limitar el pago a 1 para cada enlace diferente sin esto parámetro) +SetupStripeToHavePaymentCreatedAutomatically=Configure su Stripe con url %s para que el pago se cree automáticamente cuando se valida con Stripe. +STRIPE_CGI_URL_V2=Módulo URL de Stripe CGI para el pago +NewStripePaymentFailed=Nuevo pago de Stripe probado pero fallido +STRIPE_TEST_SECRET_KEY=Clave de prueba secreta +STRIPE_TEST_PUBLISHABLE_KEY=Clave de prueba publicable +STRIPE_LIVE_SECRET_KEY=Clave secreta en vivo +STRIPE_LIVE_PUBLISHABLE_KEY=Clave en vivo que se puede publicar +StripeLiveEnabled=Stripe activado en vivo (de lo contrario modo prueba/sandbox) +StripeCustomerId=ID de cliente de Stripe +ConfirmDeleteCard=¿Seguro que quieres eliminar esta tarjeta de crédito o débito? +ClickHereToTryAgain=Haga clic aquí para volver a intentarlo... diff --git a/htdocs/langs/es_CR/website.lang b/htdocs/langs/es_CR/website.lang index 85fd95deb49..d7deeacd88a 100644 --- a/htdocs/langs/es_CR/website.lang +++ b/htdocs/langs/es_CR/website.lang @@ -1,2 +1,32 @@ # Dolibarr language file - Source file is en_US - website +WebsiteSetupDesc=Crea aquí los sitios web que deseas utilizar. A continuación, vaya a los sitios web de menú para editarlos. +WEBSITE_PAGENAME=Nombre de página/alias +WEBSITE_ALIASALTDesc=Utilice aquí la lista de otros nombres/alias para que también se pueda acceder a la página usando estos otros nombres/alias (por ejemplo, el nombre anterior después de cambiar el nombre del alias para mantener el enlace posterior en funcionamiento). La sintaxis es:
      alternativename1, alternativename2, ... +WEBSITE_CSS_URL=URL del archivo CSS externo +WEBSITE_HTACCESS=Sitio web .htaccess archivo +PageNameAliasHelp=Nombre o alias de la página.
      Este alias también se usa para forjar una URL SEO cuando el sitio web se ejecuta desde un host virtual de un servidor web (como Apacke, Nginx, ...). Use el botón "%s" para editar este alias. +EditCss=Editar propiedades web +EditMenu=Editar menú +Webpage=Página web/contenedor +RequestedPageHasNoContentYet=La página solicitada con id %s todavía no tiene contenido o el archivo de caché .tpl.php fue eliminado. Editar el contenido de la página para resolver esto. +PageDeleted=Página/Contenair '%s' del sitio web %s eliminado +ViewSiteInNewTab=Ver el sitio en una nueva pestaña +ViewPageInNewTab=Ver la página en una nueva pestaña +SetAsHomePage=Establecer como página de inicio +RealURL=URL real +ViewWebsiteInProduction=Ver sitio web utilizando las URL de inicio +SetHereVirtualHost= Úselo con Apache / NGinx / ...
      Cree en su servidor web (Apache, Nginx, ...) un host virtual dedicado con PHP habilitado y un directorio raíz en
      %s +YouCanAlsoTestWithPHPS= Usar con el servidor PHP integrado
      En el entorno de desarrollo, es posible que prefiera probar el sitio con el servidor web integrado PHP (se requiere PHP 5.5) ejecutando
      php -S 0.0.0.0:8080 -t %s +CheckVirtualHostPerms=Compruebe también que el usuario del host virtual (por ejemplo, www-data) tiene permisos %s en archivos en
      %s ReadPerm=Leer +PreviewSiteServedByWebServer=Obtenga una vista previa de %s en una nueva pestaña.

      El %s será servido por un servidor web externo (como Apache, Nginx, IIS). Debe instalar y configurar este servidor antes de apuntar al directorio:
      %s
      URL servida por un servidor externo:
      %s +VirtualHostUrlNotDefined=URL del host virtual servido por el servidor web externo no definido +SyntaxHelp=Ayuda sobre consejos de sintaxis específicos +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource2=Para una imagen compartida con un enlace para compartir (acceso abierto usando la clave hash para compartir del archivo), la sintaxis es:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      +SiteAdded=Sitio web añadido +OrEnterPageInfoManually=O crea una página desde cero o desde una plantilla de página ... +WebsiteAccounts=Cuentas de sitio web +GrabImagesInto=Insertar también las imágenes encontradas en CSS y página. +CSSContentTooltipHelp=Ingrese aquí el contenido CSS. Para evitar cualquier conflicto con el CSS de la aplicación, asegúrese de anteponer todas las declaraciones con la clase .bodywebsite. Por ejemplo:

      #mycssselector, input.myclass: hover {...}
      debe ser
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Nota: si tiene un archivo grande sin este prefijo, puede usar 'lessc' para convertirlo y agregar el prefijo .bodywebsite en todas partes. diff --git a/htdocs/langs/es_CR/withdrawals.lang b/htdocs/langs/es_CR/withdrawals.lang index c583031ea90..0425de55240 100644 --- a/htdocs/langs/es_CR/withdrawals.lang +++ b/htdocs/langs/es_CR/withdrawals.lang @@ -1,9 +1,100 @@ # Dolibarr language file - Source file is en_US - withdrawals +CustomersStandingOrdersArea=Pagos mediante débito automático +StandingOrdersPayment=Órdenes de pago por débito automático StandingOrderPayment=Orden de pago por débito automático +NewStandingOrder=Nueva orden de débito automático WithdrawalsReceipts=Órdenes de domiciliación bancaria WithdrawalReceipt=Pedido de domiciliación bancaria +LatestBankTransferReceipts=Últimas órdenes de transferencia bancaria %s +LastWithdrawalReceipts=Archivos de débito automático %s más recientes +WithdrawalsLine=Línea de orden de débito automático CreditTransfer=Transferencia de crédito +WithdrawalsLines=Líneas de orden de débito automático +RequestStandingOrderToTreat=Solicitudes para procesar una orden de pago mediante débito automático +RequestStandingOrderTreated=Solicitudes de orden de pago mediante débito automático procesadas +RequestPaymentsByBankTransferToTreat=Solicitudes de transferencia bancaria para procesar +RequestPaymentsByBankTransferTreated=Solicitudes de transferencia bancaria procesadas +NotPossibleForThisStatusOfWithdrawReceiptORLine=No se puede realizar. El estado de la extracción debe estar como 'acreditado' antes de declarar un rechazo en las líneas especificadas. +NbOfInvoiceToWithdraw=No. de facturas de clientes calificadas con orden de débito automático en espera +NbOfInvoiceToWithdrawWithInfo=Número de factura de cliente con órdenes de pago mediante débito automático que tienen información de cuenta bancaria definida +NbOfInvoiceToPayByBankTransfer=No. de facturas de proveedores calificados en espera de un pago mediante transferencia bancaria +InvoiceWaitingWithdraw=Factura en espera de débito automático +AmountToWithdraw=Monto para extraer +ResponsibleUser=Usuario responsable +WithdrawalsSetup=Configuración de pago por débito automático +CreditTransferSetup=Configuración de transferencia bancaria +WithdrawStatistics=Estadísticas de pagos por débito automático +CreditTransferStatistics=Estadísticas de transferencia bancaria +LastWithdrawalReceipt=Últimos recibos de débito automático %s +MakeWithdrawRequest=Realizar una solicitud de pago mediante débito automático +WithdrawRequestsDone=%s solicitudes de pago por débito automático registradas +BankTransferRequestsDone=%s solicitudes de transferencia bancaria registradas +ThirdPartyBankCode=Código bancario del tercero +WithdrawalCantBeCreditedTwice=Este recibo de retiro ya está marcado como acreditado; esto no se puede hacer dos veces, ya que esto podría generar pagos y entradas bancarias duplicadas. +ClassCredited=Clasificar acreditado +ClassCreditedConfirm=¿Estás seguro que quieres clasificar este comprobante de extracción como acreditado en tu cuenta bancaria? +TransData=Fecha de transmisión +TransMetod=Método de transmisión +WithdrawsRefused=Débito automático rechazado +WithdrawalRefused=Extracción rechazada +WithdrawalRefusedConfirm=¿Estás seguro que quieres ingresar un rechazo en la extracción para la empresa? +RefusedData=Fecha de rechazo +RefusedReason=Motivo del rechazo +RefusedInvoicing=Facturar el rechazo StatusTrans=Enviado +StatusCredited=Acreditado StatusPaid=Pagado StatusRefused=Rechazado +StatusMotif0=Sin especificar +StatusMotif1=Fondos insuficientes +StatusMotif2=Solicitud impugnada +StatusMotif3=Sin orden de pago por débito automático StatusMotif4=Órdenes de venta +StatusMotif5=RIB inutilizable +StatusMotif8=Otra razon +CreateForSepaFRST=Crear archivo de débito automático (SEPA FRST) +CreateForSepaRCUR=Crear archivo de débito automático (SEPA RCUR) +OrderWaiting=A la espera de procesamiento +NotifyTransmision=Registro de transmisión de archivo de orden +NotifyCredit=Registro de crédito de orden +NumeroNationalEmetter=Número de transmisor nacional +WithBankUsingRIB=Para cuentas bancarias que utilizan RIB +WithBankUsingBANBIC=Para cuentas bancarias que utilizan IBAN/BIC/SWIFT +BankToReceiveWithdraw=Cuenta bancaria destino +CreditDate=Acreditar en +WithdrawalFileNotCapable=No se puede generar el archivo de comprobante de extracción para su país %s (su país no es compatible) +ShowWithdraw=Mostrar orden de débito automático +IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Sin embargo, si la factura tiene al menos una orden de pago por débito automático que aún no se ha procesado, no se establecerá como pagada para permitir la gestión previa de retiros. +SetToStatusSent=Colocar estado como "Archivo enviado" +StatisticsByLineStatus=Estadísticas por estado de líneas +RUMLong=Referencia única de mandato +RUMWillBeGenerated=Si está vacío, se generará una RUM (referencia de mandato única) una vez que se guarde la información de la cuenta bancaria. +WithdrawMode=Modo de débito automático (FRST o RECUR) +WithdrawRequestAmount=Monto de la solicitud de débito automático: +BankTransferAmount=Monto de la solicitud de transferencia bancaria: +WithdrawRequestErrorNilAmount=No se puede crear una solicitud de débito automático por un monto vacío. +SepaMandate=Mandato de débito automático SEPA +PleaseReturnMandate=Por favor, envíe este formulario de mandato por correo a %s o por correo a +CreditorIdentifier=Identificador del acreedor +CreditorName=Nombre del acreedor +SEPAFillForm=(B) Por favor complete todos los campos marcados * +SEPAFormYourBAN=Su nombre de cuenta bancaria (IBAN) +SEPAFormYourBIC=Su código de identificación bancaria (BIC) +PleaseCheckOne=Por favor marque uno sólo +CreditTransferOrderCreated=Se ha creado la orden de transferencia bancaria %s +DirectDebitOrderCreated=Se ha creado la orden de débito automático %s +END_TO_END=Etiqueta "EndToEndId" SEPA XML: identificación única asignada por transacción +USTRD=Etiqueta "Unstructured" SEPA XML +ADDDAYS=Agregar días a la fecha de ejecución +InfoCreditSubject=Pago de la orden de pago mediante débito automático %s por parte del banco +InfoCreditMessage=La orden de pago mediante débito automático %s ha sido pagada por el banco
      Datos de pago: %s +InfoTransSubject=Transmisión de la orden de pago mediante débito automático %s al banco +InfoTransMessage=La orden de pago mediante débito automático %s ha sido enviada al banco por %s %s.

      +InfoTransData=Monto: %s
      Método: %s
      Fecha: %s +InfoRejectSubject=Orden de pago por débito automático rechazada +InfoRejectMessage=Hola,

      la orden de pago por débito automático de la factura %s relacionada con la empresa %s, con un monto de %s ha sido rechazada por el banco.

      -
      %s +ModeWarning=No se configuró la opción para el modo real, nos detendremos después de esta simulación +TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=El monto total de la orden de débito automático difiere de la suma de líneas +WarningSomeDirectDebitOrdersAlreadyExists=Advertencia: Ya hay algunas órdenes de domiciliación bancaria pendientes (%s) solicitadas por un monto de %s +WarningSomeCreditTransferAlreadyExists=Advertencia: Ya hay una transferencia de crédito pendiente (%s) solicitada por un monto de %s +RefSalary=Sueldo diff --git a/htdocs/langs/es_CR/workflow.lang b/htdocs/langs/es_CR/workflow.lang index 3dd6a746d03..e6b16f10442 100644 --- a/htdocs/langs/es_CR/workflow.lang +++ b/htdocs/langs/es_CR/workflow.lang @@ -6,13 +6,6 @@ descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Cree automáticamente una orden de venta de descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Cree automáticamente una factura de cliente después de que se firme una propuesta comercial (la nueva factura tendrá el mismo monto que la propuesta) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Cree automáticamente una factura de cliente después de validar un contrato descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Cree automáticamente una factura de cliente después de cerrar una orden de venta (la nueva factura tendrá el mismo monto que la orden) -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasifique la propuesta origen vinculada como facturada cuando el pedido de ventas se establece en facturado (y si el monto del pedido es el mismo que el monto total de la propuesta vinculada firmada) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasificar la propuesta origen vinculada como facturada cuando se valida la factura del cliente (y si el monto de la factura es el mismo que el monto total de la propuesta vinculada firmada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasificar el pedido de venta de origen vinculado como facturado cuando se valida la factura del cliente (y si el monto de la factura es el mismo que el monto total del pedido vinculado) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasificar el pedido de ventas de origen vinculado como facturado cuando la factura del cliente se establece como pagada (y si el monto de la factura es el mismo que el monto total del pedido vinculado) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasificar el pedido de ventas de origen vinculado como enviado cuando se valida un envío (y si la cantidad enviada por todos los envíos es la misma que en el pedido para actualizar) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Clasificar el pedido de ventas de origen vinculado como enviado cuando se cierra un envío (y si la cantidad enviada por todos los envíos es la misma que en el pedido para actualizar) -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasificar la propuesta del proveedor de origen vinculado como facturada cuando se valida la factura del proveedor (y si el monto de la factura es el mismo que el monto total de la propuesta vinculada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasificar el pedido de compra de origen vinculado como facturado cuando se valida la factura del proveedor (y si el monto de la factura es el mismo que el monto total del pedido vinculado) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Clasifique la orden de compra de origen vinculada como recibida cuando se valida una recepción (y si la cantidad recibida por todas las recepciones es la misma que en la orden de compra para actualizar) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Clasifique la orden de compra de origen vinculada como recibida cuando se cierra una recepción (y si la cantidad recibida por todas las recepciones es la misma que en la orden de compra para actualizar) diff --git a/htdocs/langs/es_CU/accountancy.lang b/htdocs/langs/es_CU/accountancy.lang index 8fc7a3bfe46..b314dd1e6d9 100644 --- a/htdocs/langs/es_CU/accountancy.lang +++ b/htdocs/langs/es_CU/accountancy.lang @@ -25,7 +25,6 @@ DeleteCptCategory=Eliminar cuenta contable del grupo ConfirmDeleteCptCategory=¿Está seguro de que desea eliminar esta cuenta contable del grupo de cuentas contables? JournalizationInLedgerStatus=Estado de registro AlreadyInGeneralLedger=Ya transferido a diarios contables y libro mayor -NotYetInGeneralLedger=Todavía no transferido a diarios y libros contables GroupIsEmptyCheckSetup=El grupo está vacío, verifique la configuración del grupo contable personalizado DetailByAccount=Mostrar detalle por cuenta DetailBy=detalle por @@ -45,7 +44,6 @@ AccountancyAreaDescDefault=PASO %s: Definir cuentas contables predeterminadas. P AccountancyAreaDescSal=PASO %s: Definir cuentas contables por defecto para el pago de salarios. Para ello, utilice la entrada de menú %s. AccountancyAreaDescDonation=PASO %s: Definir cuentas contables predeterminadas para la donación. Para ello, utilice la entrada de menú %s. AccountancyAreaDescSubscription=PASO %s: Definir cuentas contables predeterminadas para la suscripción de miembros. Para ello, utilice la entrada de menú %s. -AccountancyAreaDescMisc=PASO %s: Defina la cuenta predeterminada obligatoria y las cuentas contables predeterminadas para transacciones varias. Para ello, utilice la entrada de menú %s. AccountancyAreaDescLoan=PASO %s: Definir cuentas contables predeterminadas para préstamos. Para ello, utilice la entrada de menú %s. AccountancyAreaDescBank=PASO %s: Defina las cuentas contables y el código de diario para cada cuenta bancaria y financiera. Para ello, utilice la entrada de menú %s. AccountancyAreaDescBind=PASO %s: verifique que se haya realizado el enlace entre las líneas %s existentes y la cuenta contable, por lo que la aplicación podrá registrar transacciones en Ledger con un solo clic. Encuadernaciones completas que faltan. Para ello, utilice la entrada de menú %s. @@ -106,7 +104,6 @@ ACCOUNTING_MANAGE_ZERO=Permite gestionar diferente número de ceros al final de BANK_DISABLE_DIRECT_INPUT=Deshabilitar el registro directo de la transacción en la cuenta bancaria ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Habilitar la exportación de borradores en el diario ACCOUNTANCY_COMBO_FOR_AUX=Habilite la lista combinada para la cuenta subsidiaria (puede ser lenta si tiene muchos terceros, interrumpe la capacidad de buscar una parte del valor) -ACCOUNTING_DATE_START_BINDING=Defina una fecha para comenzar a vincular y transferir en contabilidad. Por debajo de esta fecha, las transacciones no serán trasladadas a contabilidad. ACCOUNTING_EXPENSEREPORT_JOURNAL=diario de informe de gastos ACCOUNTING_HAS_NEW_JOURNAL=Tiene nuevo Diario ACCOUNTING_INVENTORY_JOURNAL=diario de inventario @@ -210,7 +207,6 @@ NatureOfJournal=Naturaleza de la revista AccountingJournalType1=Operaciones misceláneas AccountingJournalType3=compras AccountingJournalType5=Reporte de gastos -AccountingJournalType9=Tiene-nuevo ErrorAccountingJournalIsAlreadyUse=Este diario ya está en uso. AccountingAccountForSalesTaxAreDefinedInto=Nota: La cuenta contable para el impuesto sobre las ventas se define en el menú %s - %s ACCOUNTING_DISABLE_BINDING_ON_SALES=Deshabilite el enlace y la transferencia en la contabilidad de las ventas (las facturas de los clientes no se tendrán en cuenta en la contabilidad) @@ -257,7 +253,6 @@ CleanHistory=Restablecer todos los enlaces para el año seleccionado PredefinedGroups=Grupos predefinidos ValueNotIntoChartOfAccount=Este valor de la cuenta contable no existe en el plan de cuentas SaleEECWithVAT=Venta en CEE con IVA no nulo, por lo que suponemos que NO se trata de una venta intracomunitaria y la cuenta sugerida es la cuenta estándar de producto. -SaleEECWithoutVATNumber=Venta en EEC sin IVA pero no se define el ID de IVA de terceros. Recurrimos a la cuenta para las ventas estándar. Puede corregir el ID de IVA del tercero o cambiar la cuenta de producto sugerida para el enlace si es necesario. ForbiddenTransactionAlreadyExported=Prohibido: La transacción ha sido validada y/o exportada. ForbiddenTransactionAlreadyValidated=Prohibido: La transacción ha sido validada. LetteringAuto=conciliar automáticamente @@ -268,7 +263,6 @@ UnletteringManual=manual no reconciliado ConfirmMassUnletteringQuestion=¿Está seguro de que desea anular la conciliación de los registros seleccionados %s? ConfirmMassDeleteBookkeepingWriting=Confirmación de eliminación masiva SomeMandatoryStepsOfSetupWereNotDone=No se realizaron algunos pasos obligatorios de configuración, complételos -ErrorNoAccountingCategoryForThisCountry=No hay grupo de cuentas contables disponible para el país %s (Ver Inicio - Configuración - Diccionarios) ErrorInvoiceContainsLinesNotYetBounded=Intenta registrar algunas líneas de la factura %s , pero algunas otras líneas aún no están vinculadas a la cuenta contable. Se rechaza la contabilización de todas las líneas de factura para esta factura. ErrorInvoiceContainsLinesNotYetBoundedShort=Algunas líneas de la factura no están vinculadas a la cuenta contable. ExportNotSupported=El formato de exportación configurado no es compatible con esta página diff --git a/htdocs/langs/es_CU/admin.lang b/htdocs/langs/es_CU/admin.lang index 47f13fb5bda..465eab4fd07 100644 --- a/htdocs/langs/es_CU/admin.lang +++ b/htdocs/langs/es_CU/admin.lang @@ -215,9 +215,6 @@ EmailSenderProfiles=Perfiles de remitentes de correos electrónicos EMailsSenderProfileDesc=Puede mantener esta sección vacía. Si ingresa algunos correos electrónicos aquí, se agregarán a la lista de posibles remitentes en el cuadro combinado cuando escriba un nuevo correo electrónico. MAIN_MAIL_SMTP_PORT=Puerto SMTP/SMTPS (valor predeterminado en php.ini: %s ) MAIN_MAIL_SMTP_SERVER=Host SMTP/SMTPS (valor predeterminado en php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Puerto SMTP/SMTPS (no definido en PHP en sistemas similares a Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Host SMTP/SMTPS (no definido en PHP en sistemas similares a Unix) -MAIN_MAIL_EMAIL_FROM=Correo electrónico del remitente para correos electrónicos automáticos (valor predeterminado en php.ini: %s ) MAIN_MAIL_ERRORS_TO=Correo electrónico utilizado para los correos electrónicos de devolución de errores (campos 'Errors-To' en los correos electrónicos enviados) MAIN_MAIL_AUTOCOPY_TO=Copie (Bcc) todos los correos electrónicos enviados a MAIN_DISABLE_ALL_MAILS=Deshabilite todos los envíos de correo electrónico (para fines de prueba o demostraciones) @@ -233,7 +230,6 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Clave privada para la firma de dkim MAIN_DISABLE_ALL_SMS=Deshabilite todos los envíos de SMS (para fines de prueba o demostraciones) MAIN_SMS_SENDMODE=Método a utilizar para enviar SMS MAIN_MAIL_SMS_FROM=Número de teléfono del remitente predeterminado para el envío de SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Correo electrónico del remitente predeterminado para el envío manual (correo electrónico del usuario o correo electrónico de la empresa) UserEmail=Correo electrónico del usuario CompanyEmail=Correo electrónico de la empresa FeatureNotAvailableOnLinux=Característica no disponible en sistemas similares a Unix. Pruebe su programa sendmail localmente. @@ -320,7 +316,6 @@ UrlGenerationParameters=Parámetros para asegurar las URL SecurityTokenIsUnique=Use un parámetro de clave segura único para cada URL EnterRefToBuildUrl=Ingrese la referencia para el objeto %s GetSecuredUrl=Obtener URL calculada -ButtonHideUnauthorized=Oculte los botones de acción no autorizados también para los usuarios internos (solo en gris de lo contrario) OldVATRates=Tipo de IVA antiguo NewVATRates=Nuevo tipo de IVA PriceBaseTypeToChange=Modificar sobre precios con valor referencial base definido en @@ -345,11 +340,9 @@ ComputedFormula=campo calculado ComputedFormulaDesc=Puede ingresar aquí una fórmula usando otras propiedades del objeto o cualquier codificación PHP para obtener un valor calculado dinámico. Puede usar cualquier fórmula compatible con PHP, incluido el "?" operador de condición y el siguiente objeto global: $db, $conf, $langs, $mysoc, $user, $objectoffield .
      ADVERTENCIA : si necesita propiedades de un objeto que no está cargado, solo busque el objeto en su fórmula como en el segundo ejemplo.
      El uso de un campo calculado significa que no puede ingresar ningún valor desde la interfaz. Además, si hay un error de sintaxis, es posible que la fórmula no devuelva nada.

      Ejemplo de fórmula:
      $objetodecampo->id < 10 ? round($objectoffield-> id / 2, 2): ($objetodecampo->id + 2 * $usuario->id) * (int) substr($mysoc->zip, 1, 2 )

      Ejemplo para recargar objeto
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloaded objeto ->capital / 5: '-1')

      Otro ejemplo de fórmula para forzar la carga del objeto y su objeto principal:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield ->id) > 0) && ($segundoobjcargado = nuevo Proyecto($db)) && ($segundoobjcargado->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $segundoobjcargado->ref: 'Proyecto padre no encontrado' Computedpersistent=Almacenar campo calculado ComputedpersistentDesc=Los campos adicionales calculados se almacenarán en la base de datos, sin embargo, el valor solo se recalculará cuando se cambie el objeto de este campo. Si el campo calculado depende de otros objetos o datos globales, ¡este valor podría ser incorrecto! -ExtrafieldParamHelpPassword=Dejar este campo en blanco significa que este valor se almacenará sin encriptación (el campo solo debe ocultarse con una estrella en la pantalla).
      Establezca 'auto' para usar la regla de cifrado predeterminada para guardar la contraseña en la base de datos (entonces el valor leído será solo el hash, no hay forma de recuperar el valor original) ExtrafieldParamHelpselect=La lista de valores debe ser líneas con formato clave,valor (donde la clave no puede ser '0')

      por ejemplo:
      1,valor1
      2,valor2
      código3,valor3 b0342fccfda19 bz0 ...

      Para tener el list dependiendo de otra lista de atributos complementarios:
      1,value1|options_ parent_list_code :parent_key
      2,value2|options_ parent_list_code b0ae64758ba c33z0 :parent_key

      Para tener la lista dependiendo de otra lista:
      1,value1| parent_list_code :parent_key
      2,valor2| parent_list_code :parent_key ExtrafieldParamHelpcheckbox=La lista de valores debe ser líneas con formato clave,valor (donde la clave no puede ser '0')

      por ejemplo:
      1,valor1
      2,valor2
      3,valor3 b0342fccfda19 bz0 ... ExtrafieldParamHelpradio=La lista de valores debe ser líneas con formato clave,valor (donde la clave no puede ser '0')

      por ejemplo:
      1,valor1
      2,valor2
      3,valor3 b0342fccfda19 bz0 ... -ExtrafieldParamHelpsellist=La lista de valores proviene de una tabla
      Sintaxis: table_name:label_field:id_field::filtersql
      Ejemplo: c_typent:libelle:id::filtersql

      - id_field es necesariamente una clave int primaria b0342 fccfda19bz0 - filterql es una condición de SQL. Puede ser una prueba simple (por ejemplo, activo = 1) para mostrar solo el valor activo
      . También puede usar $ID$ en el filtro, que es la identificación actual del objeto actual
      . Para usar un SELECT en el filtro, use la palabra clave $SEL$ para puentear la protección anti-inyección.
      si desea filtrar en extrafields use la sintaxis extra.fieldcode=... (donde field code es el código de extrafield)

      Para que la lista dependa de otra lista de atributos complementarios:
      c_typent:libelle:id:options_ parent_list_code |parent_column:filter

      Para que la lista dependa de otra lista:
      c_typent:libelle:id: parent _list_code |parent_column:filtro ExtrafieldParamHelpchkbxlst=La lista de valores proviene de una tabla
      Sintaxis: table_name:label_field:id_field::filtersql
      Ejemplo: c_typent:libelle:id::filtersql

      El filtro puede ser una prueba simple (por ejemplo, active=1) para mostrar solo el valor activo b03 42fccfda19bz0 usted también puede usar $ID$ en el filtro, que es la identificación actual del objeto actual
      Para hacer una SELECCIÓN en el filtro, use $SEL$
      si desea filtrar en campos adicionales, use la sintaxis extra.fieldcode=... (donde el código de campo es el código de extrafield)

      Para tener la lista dependiendo de otra lista de atributos complementarios:
      c_typent:libelle:id:options_ parent_list_code |parent_column:filter b0342f ccfda19bz0
      Para tener la lista dependiendo de otra lista:
      c_typent: libelle:id: parent_list_code |parent_column:filter ExtrafieldParamHelplink=Los parámetros deben ser ObjectName:Classpath
      Sintaxis: ObjectName:Classpath ExtrafieldParamHelpSeparator=Mantener vacío para un separador simple
      Establezca esto en 1 para un separador colapsado (abierto por defecto para una nueva sesión, luego el estado se mantiene para cada sesión de usuario)
      Establezca esto en 2 para un separador colapsado (contraído por defecto para una nueva sesión, luego el estado se mantiene para cada sesión de usuario) @@ -394,7 +387,6 @@ RequiredBy=Este módulo es requerido por módulo(s) TheKeyIsTheNameOfHtmlField=Este es el nombre del campo HTML. Se requieren conocimientos técnicos para leer el contenido de la página HTML para obtener el nombre clave de un campo. PageUrlForDefaultValuesCreate=
      Ejemplo:
      Para el formulario para crear un nuevo tercero, es %s .
      Para la URL de los módulos externos instalados en el directorio personalizado, no incluya "personalizado/", así que use una ruta como mymodule/mypage.php y no custom/mymodule/mypage.php.
      Si desea el valor predeterminado solo si la URL tiene algún parámetro, puede usar %s PageUrlForDefaultValuesList=
      Ejemplo:
      Para la página que enumera terceros, es %s .
      Para la URL de los módulos externos instalados en el directorio personalizado, no incluya "personalizado/", así que use una ruta como mymodule/mypagelist.php y no custom/mymodule/mypagelist.php.
      Si desea el valor predeterminado solo si la URL tiene algún parámetro, puede usar %s -AlsoDefaultValuesAreEffectiveForActionCreate=También tenga en cuenta que sobrescribir los valores predeterminados para la creación de formularios solo funciona para las páginas que se diseñaron correctamente (por lo tanto, con el parámetro acción = crear o presentar ...) EnableDefaultValues=Habilitar la personalización de los valores predeterminados GoIntoTranslationMenuToChangeThis=Se ha encontrado una traducción para la clave con este código. Para cambiar este valor, debe editarlo desde Inicio-Configuración-traducción. WarningSettingSortOrder=Advertencia, establecer un orden de clasificación predeterminado puede generar un error técnico al acceder a la página de lista si el campo es un campo desconocido. Si experimenta un error de este tipo, vuelva a esta página para eliminar el orden de clasificación predeterminado y restaurar el comportamiento predeterminado. @@ -411,7 +403,6 @@ DAV_ALLOW_PRIVATE_DIRTooltip=El directorio privado genérico es un directorio We DAV_ALLOW_PUBLIC_DIR=Habilite el directorio público genérico (directorio dedicado de WebDAV denominado "público"; no es necesario iniciar sesión) DAV_ALLOW_PUBLIC_DIRTooltip=El directorio público genérico es un directorio WebDAV al que cualquiera puede acceder (en modo de lectura y escritura), sin necesidad de autorización (cuenta de inicio de sesión/contraseña). DAV_ALLOW_ECM_DIR=Habilite el directorio privado DMS/ECM (directorio raíz del módulo DMS/ECM; se requiere inicio de sesión) -DAV_ALLOW_ECM_DIRTooltip=El directorio raíz donde todos los archivos se cargan manualmente cuando se utiliza el módulo DMS/ECM. De manera similar al acceso desde la interfaz web, necesitará un nombre de usuario/contraseña válido con los permisos adecuados para acceder. Module0Desc=Gestión de Usuarios / Empleados y Grupos Module1Desc=Gestión de empresas y contactos (clientes, prospectos...) Module2Desc=Administración comercial @@ -428,7 +419,6 @@ Module30Name=Facturas Module30Desc=Gestión de facturas y notas de crédito a clientes. Gestión de facturas y notas de crédito para proveedores. Module40Name=Vendedores Module42Desc=Facilidades de registro (archivo, syslog, ...). Dichos registros son para fines técnicos o de depuración. -Module43Desc=Una herramienta para desarrolladores que agrega una barra de depuración en su navegador. Module50Desc=Gestión de Productos Module51Name=Envíos masivos Module51Desc=Gestión de envíos masivos de papel @@ -437,7 +427,6 @@ Module53Desc=Gestión de Servicios Module55Name=códigos de barras Module55Desc=Gestión de código de barras o código QR Module56Name=Pago por transferencia de crédito -Module56Desc=Gestión de pago de proveedores por órdenes de Transferencia de Crédito. Incluye generación de fichero SEPA para países europeos. Module57Name=Pagos por Débito Directo Module57Desc=Gestión de órdenes de Débito Directo. Incluye generación de fichero SEPA para países europeos. Module58Name=Hacer clic para marcar @@ -503,7 +492,6 @@ Module3200Name=Archivos Inalterables Module3200Desc=Habilite un registro inalterable de eventos comerciales. Los eventos se archivan en tiempo real. El registro es una tabla de solo lectura de eventos encadenados que se pueden exportar. Este módulo puede ser obligatorio para algunos países. Module3400Desc=Habilitar campos de Redes Sociales en direcciones y direcciones de terceros (skype, twitter, facebook,...). Module4000Name=gestión de recursos humanos -Module4000Desc=Gestión de recursos humanos (gestión de departamento, contratos y sentimientos de los empleados) Module5000Name=multiempresa Module5000Desc=Le permite administrar varias empresas Module10000Name=sitios web @@ -721,7 +709,6 @@ Permission2801=Utilice el cliente FTP en modo de lectura (navegar y descargar so Permission2802=Usar cliente FTP en modo escritura (borrar o cargar archivos) Permission3200=Leer eventos archivados y huellas dactilares Permission10001=Leer el contenido del sitio web -Permission10002=Crear/modificar el contenido del sitio web (contenido html y javascript) Permission10003=Crear/modificar el contenido del sitio web (código php dinámico). Peligroso, debe reservarse para desarrolladores restringidos. Permission20001=Leer solicitudes de licencia (su licencia y las de sus subordinados) Permission20002=Crea/modifica tus solicitudes de licencia (tu licencia y las de tus subordinados) @@ -790,7 +777,6 @@ BackToModuleList=Volver a la lista de módulos BackToDictionaryList=Volver a la lista de Diccionarios TypeOfRevenueStamp=Tipo de timbre fiscal VATManagement=Gestión de impuestos sobre las ventas -VATIsUsedDesc=De forma predeterminada, al crear clientes potenciales, facturas, pedidos, etc., la tasa del impuesto sobre las ventas sigue la regla estándar activa:
      Si el vendedor no está sujeto al impuesto sobre las ventas, el impuesto sobre las ventas se establece de forma predeterminada en 0. Fin de la regla.
      Si el (país del vendedor = país del comprador), entonces el impuesto sobre las ventas por defecto es igual al impuesto sobre las ventas del producto en el país del vendedor. Fin de la regla.
      Si el vendedor y el comprador se encuentran en la Comunidad Europea y los bienes son productos relacionados con el transporte (transporte, envío, línea aérea), el IVA predeterminado es 0. Esta regla depende del país del vendedor; consulte con su contador. El IVA debe ser pagado por el comprador a la oficina de aduanas de su país y no al vendedor. Fin de la regla.
      Si el vendedor y el comprador se encuentran en la Comunidad Europea y el comprador no es una empresa (con un número de IVA intracomunitario registrado), el IVA se establece de forma predeterminada en el tipo de IVA del país del vendedor. Fin de la regla.
      Si el vendedor y el comprador se encuentran en la Comunidad Europea y el comprador es una empresa (con un número de IVA intracomunitario registrado), entonces el IVA es 0 por defecto. Fin de la regla.
      En cualquier otro caso, el valor predeterminado propuesto es Impuesto sobre las ventas=0. Fin de la regla. VATIsNotUsedDesc=Por defecto, el impuesto a las ventas propuesto es 0, que se puede usar para casos como asociaciones, individuos o pequeñas empresas. VATIsUsedExampleFR=En Francia, significa empresas u organizaciones que tienen un sistema fiscal real (real simplificado o real normal). Un sistema en el que se declara el IVA. VATIsNotUsedExampleFR=En Francia, se refiere a asociaciones que no declaran el impuesto sobre las ventas o empresas, organizaciones o profesiones liberales que han elegido el sistema fiscal de microempresa (impuesto sobre las ventas en franquicia) y pagaron un impuesto sobre las ventas de franquicia sin ninguna declaración de impuestos sobre las ventas. Esta opción mostrará la referencia "Impuesto sobre las ventas no aplicable - art-293B del CGI" en las facturas. @@ -1007,8 +993,6 @@ BrowserIsKO=Está utilizando el navegador web %s. Se sabe que este navegador es PreloadOPCode=Se usa OPCode precargado AddRefInList=Mostrar ref. de cliente/proveedor en listas combinadas.
      Los terceros aparecerán con un formato de nombre de "CC12345 - SC45678 - The Big Company corp". en lugar de "The Big Company corp". AddVatInList=Muestre el número de IVA del cliente/proveedor en listas combinadas. -AddAdressInList=Muestre la dirección del cliente/proveedor en listas combinadas.
      Los terceros aparecerán con un formato de nombre de "The Big Company corp. - 21 jump street 123456 Big town - USA" en lugar de "The Big Company corp". -AddEmailPhoneTownInContactList=Mostrar el correo electrónico de contacto (o teléfonos si no está definido) y la lista de información de la ciudad (seleccione lista o cuadro combinado)
      Los contactos aparecerán con un formato de nombre de "Dupond Durand - dupond.durand@email.com - Paris" o "Dupond Durand - 06 07 59 65 66 - París" en lugar de "Dupond Durand". AskForPreferredShippingMethod=Pregunte por el método de envío preferido para Terceros. FillThisOnlyIfRequired=Ejemplo: +2 (completar solo si se experimentan problemas de compensación de zona horaria) NumberingModules=Numeración de modelos @@ -1090,7 +1074,6 @@ MemberCreateAnExternalUserForSubscriptionValidated=Cree un inicio de sesión de MEMBER_REMINDER_EMAIL=Habilite el recordatorio automático por correo electrónico de suscripciones vencidas. Nota: El módulo %s debe estar habilitado y configurado correctamente para enviar recordatorios. MembersDocModules=Plantillas de documentos para documentos generados a partir del registro de miembro LDAPSetup=Configuración de LDAP -LDAPSynchronization=sincronización LDAP LDAPSynchronizeUsers=Organización de usuarios en LDAP LDAPSynchronizeGroups=Organización de grupos en LDAP LDAPSynchronizeContacts=Organización de contactos en LDAP @@ -1185,7 +1168,6 @@ LDAPFieldTitleExample=Ejemplo: título LDAPFieldGroupid=Identificación del grupo LDAPFieldUserid=Identificación de usuario LDAPFieldHomedirectory=directorio de inicio -LDAPFieldHomedirectoryExample=Ejemplo: directorio de inicio LDAPFieldHomedirectoryprefix=Prefijo del directorio de inicio LDAPSetupNotComplete=Configuración de LDAP no completa (vaya a otras pestañas) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=No se proporciona administrador ni contraseña. El acceso LDAP será anónimo y en modo de solo lectura. @@ -1206,7 +1188,6 @@ MemcachedModuleAvailableButNotSetup=Se encontró el módulo memcached para el ca MemcachedAvailableAndSetup=El módulo memcached dedicado para usar el servidor memcached está habilitado. OPCodeCache=Caché de código OP NoOPCodeCacheFound=No se encontró caché de OPCode. Tal vez esté utilizando un caché de OPCode que no sea XCache o eAccelerator (bueno), o tal vez no tenga caché de OPCode (muy malo). -HTTPCacheStaticResources=Caché HTTP para recursos estáticos (css, img, javascript) FilesOfTypeCached=El servidor HTTP almacena en caché los archivos de tipo %s FilesOfTypeNotCached=El servidor HTTP no almacena en caché los archivos de tipo %s FilesOfTypeCompressed=Los archivos de tipo %s están comprimidos por el servidor HTTP @@ -1294,23 +1275,16 @@ DeliveriesOrderAbility=Recibos de entrega de productos de soporte FreeLegalTextOnDeliveryReceipts=Texto libre en los recibos de entrega AdvancedEditor=editor avanzado ActivateFCKeditor=Activar editor avanzado para: -FCKeditorForCompany=Creación/edición WYSIWIG del campo descripción de elementos (excepto productos/servicios) -FCKeditorForMailing=Creación/edición WYSIWIG para eMailings masivos (Herramientas->eMailing) -FCKeditorForUserSignature=Creación/edición WYSIWIG de firma de usuario -FCKeditorForMail=Creación/edición WYSIWIG para todo el correo (excepto Herramientas->eMailing) -FCKeditorForTicket=Creación/edición WYSIWIG para tickets StockSetup=Configuración del módulo de existencias IfYouUsePointOfSaleCheckModule=Si utiliza el módulo de punto de venta (POS) proporcionado de forma predeterminada o un módulo externo, su módulo POS puede ignorar esta configuración. La mayoría de los módulos POS están diseñados de forma predeterminada para crear una factura de inmediato y reducir el stock independientemente de las opciones aquí. Entonces, si necesita o no tener una disminución de stock al registrar una venta desde su POS, verifique también la configuración de su módulo POS. NotTopTreeMenuPersonalized=Menús personalizados no vinculados a una entrada de menú superior MenuHandler=controlador de menú MenuModule=módulo fuente -HideUnauthorizedMenu=Ocultar menús no autorizados también para usuarios internos (de lo contrario, solo en gris) DetailId=menú de identificación DetailMenuHandler=Manejador de menú donde mostrar el nuevo menú DetailMenuModule=Nombre del módulo si la entrada del menú proviene de un módulo DetailTitre=Etiqueta de menú o código de etiqueta para traducción DetailEnabled=Condición para mostrar o no la entrada -DetailRight=Condición para mostrar menús grises no autorizados DetailLangs=Nombre de archivo Lang para traducción de código de etiqueta Target=Objetivo DetailTarget=Objetivo para enlaces (_blank top abre una nueva ventana) @@ -1359,7 +1333,6 @@ CashDeskBankAccountForSell=Cuenta predeterminada para usar para recibir pagos en CashDeskBankAccountForCheque=Cuenta predeterminada para usar para recibir pagos con cheque CashDeskBankAccountForCB=Cuenta predeterminada para usar para recibir pagos con tarjetas de crédito CashDeskBankAccountForSumup=Cuenta bancaria predeterminada para recibir pagos de SumUp -CashDeskDoNotDecreaseStock=Deshabilitar la disminución de stock cuando se realiza una venta desde Punto de Venta (si "no", la disminución de stock se realiza por cada venta realizada desde TPV, independientemente de la opción configurada en el módulo Stock). CashDeskIdWareHouse=Forzar y restringir el uso del almacén para la disminución de existencias StockDecreaseForPointOfSaleDisabled=Disminución de stock desde Punto de Venta deshabilitado StockDecreaseForPointOfSaleDisabledbyBatch=La disminución de stock en TPV no es compatible con el módulo Gestión de Serial/Lot (actualmente activo) por lo que la disminución de stock está deshabilitada. @@ -1545,7 +1518,6 @@ DateLastCollectResult=Fecha del último intento de recogida DateLastcollectResultOk=Fecha del último éxito de recopilación LastResult=último resultado EmailCollectorConfirmCollectTitle=Correo electrónico de confirmación de recogida -EmailCollectorExampleToCollectTicketRequestsDesc=Recopile correos electrónicos que coincidan con algunas reglas y cree automáticamente un ticket (el módulo Ticket debe estar habilitado) con la información del correo electrónico. Puede usar este recopilador si brinda algún tipo de soporte por correo electrónico, por lo que su solicitud de boleto se generará automáticamente. Active también Collect_Responses para recopilar respuestas de su cliente directamente en la vista de ticket (debe responder desde Dolibarr). NoNewEmailToProcess=No hay correo electrónico nuevo (filtros coincidentes) para procesar CreateLeadAndThirdParty=Cree un cliente potencial (y un tercero si es necesario) CodeLastResult=Último código de resultado @@ -1571,10 +1543,8 @@ MAIN_OPTIMIZEFORTEXTBROWSERDesc=Habilite esta opción si es una persona ciega o MAIN_OPTIMIZEFORCOLORBLIND=Cambiar el color de la interfaz para daltónicos MAIN_OPTIMIZEFORCOLORBLINDDesc=Habilite esta opción si es daltónico, en algunos casos la interfaz cambiará la configuración de color para aumentar el contraste. ThisValueCanOverwrittenOnUserLevel=Este valor puede ser sobrescrito por cada usuario desde su página de usuario - pestaña '%s' -DefaultCustomerType=Tipo de tercero predeterminado para el formulario de creación de "Nuevo cliente" ABankAccountMustBeDefinedOnPaymentModeSetup=Nota: La cuenta bancaria debe estar definida en el módulo de cada modo de pago (Paypal, Stripe, ...) para que esta función funcione. RootCategoryForProductsToSell=Categoría raíz de productos para vender -RootCategoryForProductsToSellDesc=Si se define, solo los productos dentro de esta categoría o los niños de esta categoría estarán disponibles en el Punto de Venta DebugBarDesc=Barra de herramientas que viene con muchas herramientas para simplificar la depuración DebugBarSetup=Configuración de la barra de depuración LogsLinesNumber=Número de líneas para mostrar en la pestaña de registros @@ -1589,10 +1559,6 @@ EXPORTS_SHARE_MODELS=Los modelos de exportación se comparten con todos. ExportSetup=Configuración del módulo Exportar ImportSetup=Configuración de la importación del módulo InstanceUniqueID=ID único de la instancia -IfTrackingIDFoundEventWillBeLinked=Tenga en cuenta que si se encuentra una identificación de seguimiento de un objeto en el correo electrónico, o si el correo electrónico es una respuesta a un correo electrónico ya recopilado y vinculado a un objeto, el evento creado se vinculará automáticamente al objeto relacionado conocido. -WithGMailYouCanCreateADedicatedPassword=Con una cuenta de GMail, si activó la validación de 2 pasos, se recomienda crear una segunda contraseña dedicada para la aplicación en lugar de usar su propia contraseña de cuenta de https://myaccount.google.com/. -EmailCollectorTargetDir=Puede ser un comportamiento deseado mover el correo electrónico a otra etiqueta/directorio cuando se procesó correctamente. Simplemente configure el nombre del directorio aquí para usar esta función (NO use caracteres especiales en el nombre). Tenga en cuenta que también debe utilizar una cuenta de inicio de sesión de lectura/escritura. -EmailCollectorLoadThirdPartyHelp=Puede usar esta acción para usar el contenido del correo electrónico para buscar y cargar un tercero existente en su base de datos (la búsqueda se realizará en la propiedad definida entre 'id', 'name', 'name_alias', 'email'). El tercero encontrado (o creado) se utilizará para las siguientes acciones que lo requieran.
      Por ejemplo, si desea crear un tercero con un nombre extraído de una cadena 'Nombre: nombre para buscar' presente en el cuerpo, use el correo electrónico del remitente como correo electrónico, puede configurar el campo del parámetro de esta manera:
      'email= ENCABEZADO:^De:(.*);nombre=EXTRACTO:CUERPO:Nombre:\\s([^\\s]*);cliente=SET:2;'
      EndPointFor=Punto final para %s : %s DeleteEmailCollector=Eliminar recopilador de correo electrónico ConfirmDeleteEmailCollector=¿Está seguro de que desea eliminar este recopilador de correo electrónico? @@ -1603,7 +1569,6 @@ FeatureNotAvailableWithReceptionModule=Característica no disponible cuando la R EmailTemplate=Plantilla para correo electrónico EMailsWillHaveMessageID=Los correos electrónicos tendrán una etiqueta "Referencias" que coincida con esta sintaxis PDF_USE_ALSO_LANGUAGE_CODE=Si desea tener algunos textos en su PDF duplicados en 2 idiomas diferentes en el mismo PDF generado, debe configurar aquí este segundo idioma para que el PDF generado contenga 2 idiomas diferentes en la misma página, el elegido al generar PDF y este ( solo unas pocas plantillas de PDF admiten esto). Manténgalo vacío para 1 idioma por PDF. -PDF_USE_A=Genere documentos PDF con formato PDF/A en lugar del formato PDF predeterminado FafaIconSocialNetworksDesc=Introduce aquí el código de un icono de FontAwesome. Si no sabe qué es FontAwesome, puede usar el valor genérico fa-address-book. RssNote=Nota: Cada definición de fuente RSS proporciona un widget que debe habilitar para que esté disponible en el panel JumpToBoxes=Saltar a Configuración -> Widgets @@ -1614,14 +1579,11 @@ SwitchThisForABetterSecurity=Se recomienda cambiar este valor a %s para mayor se YouMayFindSecurityAdviceHere=Puede encontrar avisos de seguridad aquí ModuleActivatedDoNotUseInProduction=Se ha habilitado un módulo diseñado para el desarrollo. No lo habilite en un entorno de producción. CombinationsSeparator=Carácter separador para combinaciones de productos -SeeLinkToOnlineDocumentation=Vea el enlace a la documentación en línea en el menú superior para ver ejemplos SHOW_SUBPRODUCT_REF_IN_PDF=Si se utiliza la función "%s" del módulo %s , muestra los detalles de los subproductos de un kit en PDF. AskThisIDToYourBank=Póngase en contacto con su banco para obtener este ID -AdvancedModeOnly=Permiso disponible solo en el modo de permiso Avanzado ConfFileIsReadableOrWritableByAnyUsers=Cualquier usuario puede leer o escribir en el archivo conf. Otorgue permiso solo al usuario y grupo del servidor web. MailToSendEventOrganization=Organización del evento MailToPartnership=Camaradería -IfCLINotRequiredYouShouldDisablePHPFunctions=Excepto si necesita ejecutar comandos del sistema en código personalizado, debe deshabilitar las funciones de PHP Recommended=Recomendado CheckForModuleUpdate=Buscar actualizaciones de módulos externos CheckForModuleUpdateHelp=Esta acción se conectará con los editores de módulos externos para verificar si hay una nueva versión disponible. @@ -1653,7 +1615,6 @@ InventorySetup=Configuración de inventario Settings =Ajustes FixedOrPercent=Fijo (use la palabra clave 'fijo') o porcentaje (use la palabra clave 'porcentaje') UrlSocialNetworksDesc=Enlace URL de la red social. Utilice {socialid} para la parte variable que contiene el ID de la red social. -CIDLookupURL=El módulo trae una URL que puede ser utilizada por una herramienta externa para obtener el nombre de un tercero o contacto a partir de su número de teléfono. URL a utilizar es: UsePassword=usa una contraseña UseOauth=Usar un token OAUTH ScriptIsEmpty=el guion esta vacio diff --git a/htdocs/langs/es_CU/assets.lang b/htdocs/langs/es_CU/assets.lang index 8e6a73cc84a..9aa00ed1d6f 100644 --- a/htdocs/langs/es_CU/assets.lang +++ b/htdocs/langs/es_CU/assets.lang @@ -11,37 +11,24 @@ ConfirmDeleteAsset=¿Realmente desea eliminar este activo? AssetAccountancyCodes=cuentas contables AssetReversalAmountHT=Importe de reversión (sin impuestos) AssetAcquisitionValueHT=Monto de adquisición (sin impuestos) -AssetDateAcquisition=Fecha de Adquisición -AssetType=tipo de activo AssetTypeInProgress=En curso AssetNotDepreciated=no depreciado AssetDisposal=Desecho AssetConfirmDisposalAsk=¿Está seguro de que desea deshacerse del activo %s ? AssetConfirmReOpenAsk=¿Está seguro de que desea reabrir el activo %s ? AssetInProgress=En curso -AssetDisposed=Dispuesto -AssetDisposalDate=Fecha de disposición -AssetDisposalType=Tipo de disposición AssetDisposalSubjectToVat=Eliminación sujeta al IVA AssetModel=modelo de activos AssetDepreciationOptionAcceleratedDepreciation=Depreciación acelerada (impuesto) -AssetDepreciationOptionDepreciationTypeDegressive=Decreciente AssetDepreciationOptionDurationTypeDaily=A diario -AssetDepreciationOptionTotalAmountLastDepreciationHT=Importe total última amortización (sin IVA) AssetAccountancyCodeDepreciationExpense=Gasto de depreciación AssetAccountancyCodeProceedsFromSales=Producto de la enajenación -AssetAccountancyCodeVatCollected=IVA recaudado -AssetAccountancyCodeVatDeductible=IVA recuperado sobre activos AssetAccountancyCodeDepreciationAcceleratedDepreciation=Depreciación acelerada (impuesto) AssetAccountancyCodeEndowmentAcceleratedDepreciation=Gasto de depreciación -AssetAccountancyCodeProvisionAcceleratedDepreciation=Recuperación/Provisión AssetBaseDepreciationHT=Base de depreciación (sin IVA) AssetDepreciationBeginDate=Comienzo de la depreciación el -AssetCumulativeDepreciationHT=Amortización acumulada (sin IVA) -AssetDepreciationReversal=Inversión AssetErrorAssetOrAssetModelIDNotProvide=No se proporcionó la identificación del activo o el sonido del modelo. AssetErrorClearDepreciationLines=Error al depurar líneas de amortización registradas (reversión y futuro) AssetErrorReversalDateNotGreaterThanCurrentBeginFiscalDateForMode=La fecha de reversión debe ser mayor o igual al comienzo del año fiscal actual para el método de depreciación '%s' AssetErrorReversalAmountNotProvidedForMode=El importe de reversión no se proporciona para el modo de depreciación '%s'. AssetErrorFetchCumulativeDepreciation=Error al recuperar el monto de depreciación acumulada de la línea de depreciación -AssetErrorSetLastCumulativeDepreciation=Error al registrar la última amortización acumulada diff --git a/htdocs/langs/es_CU/bills.lang b/htdocs/langs/es_CU/bills.lang index da8f48d77c8..34a454479f4 100644 --- a/htdocs/langs/es_CU/bills.lang +++ b/htdocs/langs/es_CU/bills.lang @@ -125,7 +125,6 @@ ShippingTo=embarcar hacia ActionsOnBill=Acciones en factura RecurringInvoiceTemplate=Plantilla / Factura recurrente NoQualifiedRecurringInvoiceTemplateFound=Ninguna factura de plantilla recurrente calificada para generación. -FoundXQualifiedRecurringInvoiceTemplate=Se encontró %s factura(s) de plantilla recurrente calificada para generación. NotARecurringInvoiceTemplate=No es una factura de plantilla recurrente LastBills=Últimas facturas %s LatestTemplateInvoices=Últimas facturas de plantilla %s @@ -140,7 +139,6 @@ SuppliersDraftInvoices=Borradores de facturas de proveedores Unpaid=No pagado ErrorNoPaymentDefined=Error Ningún pago definido ConfirmDeleteBill=¿Está seguro de que desea eliminar esta factura? -ConfirmValidateBill=¿Está seguro de que desea validar esta factura con la referencia %s ? ConfirmUnvalidateBill=¿Está seguro de que desea cambiar la factura %s al estado de borrador? ConfirmClassifyPaidBill=¿Está seguro de que desea cambiar la factura %s al estado pagado? ConfirmCancelBill=¿Está seguro de que desea cancelar la factura %s ? @@ -165,7 +163,6 @@ ConfirmClassifyAbandonReasonOtherDesc=Esta opción se utilizará en todos los de ConfirmCustomerPayment=¿Confirma esta entrada de pago para %s %s? ConfirmSupplierPayment=¿Confirma esta entrada de pago para %s %s? ConfirmValidatePayment=¿Está seguro de que desea validar este pago? No se podrá realizar ningún cambio una vez validado el pago. -UnvalidateBill=Anular factura NumberOfBillsByMonth=Nº de facturas al mes AmountOfBills=cantidad de facturas AmountOfBillsHT=Importe de las facturas (neto de impuestos) @@ -187,11 +184,11 @@ RemainderToPayMulticurrency=Moneda original pendiente de pago restante RemainderToTake=Cantidad restante a tomar RemainderToTakeMulticurrency=Cantidad restante a tomar, moneda original RemainderToPayBack=Importe restante a reembolsar +NegativeIfExcessReceived=negativo si se recibió en exceso NegativeIfExcessRefunded=negativo si se devuelve el exceso AmountExpected=Cantidad reclamada ExcessReceived=Exceso recibido ExcessReceivedMulticurrency=Franquicia recibida, moneda original -NegativeIfExcessReceived=negativo si se recibió en exceso ExcessPaid=Exceso pagado EscompteOffered=Descuento ofrecido (pago antes del término) SendBillRef=Envío de factura %s @@ -408,10 +405,7 @@ YouMustCreateStandardInvoiceFirstDesc=Primero debe crear una factura estándar y PDFCrabeDescription=Factura PDF plantilla Crabe. Una plantilla de factura completa (implementación antigua de la plantilla de Sponge) PDFSpongeDescription=Factura PDF plantilla Sponge. Una plantilla de factura completa PDFCrevetteDescription=Factura PDF plantilla Crevette. Una plantilla de factura completa para facturas de situación -TerreNumRefModelDesc1=Número de retorno en el formato %syymm-nnnn para facturas estándar y %syymm-nnnn para notas de crédito donde yy es el año, mm es el mes y nnnn es un número de incremento automático secuencial sin interrupción y sin retorno a 0 -MarsNumRefModelDesc1=Número de devolución en el formato %syymm-nnnn para facturas estándar, %syymm-nnnn para facturas de reemplazo, %syymm-nnnn para facturas de anticipo y %syymm-nnnn para notas de crédito donde yy es año, mm es mes y nnnn es un número secuencial que se incrementa automáticamente sin descanso y sin retorno a 0 TerreNumRefModelError=Ya existe una factura que comienza con $syymm y no es compatible con este modelo de secuencia. Elimínelo o cámbiele el nombre para activar este módulo. -CactusNumRefModelDesc1=Número de retorno en el formato %syymm-nnnn para facturas estándar, %syymm-nnnn para notas de crédito y %syymm-nnnn para facturas de anticipo donde yy es el año, mm es el mes y nnnn es un número de incremento automático secuencial sin interrupción ni regreso a 0 TypeContact_facture_internal_SALESREPFOLL=Representante de seguimiento de la factura del cliente TypeContact_facture_external_BILLING=Contacto factura cliente TypeContact_facture_external_SHIPPING=Contacto de envío al cliente diff --git a/htdocs/langs/es_CU/cashdesk.lang b/htdocs/langs/es_CU/cashdesk.lang index 9e6c98afba1..0d58f231021 100644 --- a/htdocs/langs/es_CU/cashdesk.lang +++ b/htdocs/langs/es_CU/cashdesk.lang @@ -30,8 +30,6 @@ TakeposConnectorNecesary=Se requiere 'Conector TakePOS' NotAvailableWithBrowserPrinter=No disponible cuando la impresora para recibos está configurada como navegador Receipt=Recibo Header=Encabezamiento -Footer=Pie de página -TheoricalAmount=cantidad teórica RealAmount=cantidad real CashFence=cierre de caja Paymentnumpad=Tipo de Pad para ingresar pago @@ -49,7 +47,6 @@ TerminalSelect=Seleccione la terminal que desea utilizar: POSTicket=Boleto de punto de venta POSTerminal=TPV POSModule=Módulo TPV -BasicPhoneLayout=Usar diseño básico para teléfonos DirectPaymentButton=Agregar un botón de "Pago directo en efectivo" NoLinesToBill=Sin filas para facturar ProductSupplements=Gestionar complementos de productos @@ -57,13 +54,11 @@ Colorful=Vistoso HeadBar=Barra de cabeza SortProductField=Campo para clasificar productos BrowserMethodDescription=Impresión de recibos simple y fácil. Solo unos pocos parámetros para configurar el recibo. Imprimir a través del navegador. -TakeposConnectorMethodDescription=Módulo externo con funciones extra. Posibilidad de imprimir desde la nube. ReceiptPrinterMethodDescription=Método poderoso con muchos parámetros. Completamente personalizable con plantillas. El servidor que aloja la aplicación no puede estar en la nube (debe poder llegar a las impresoras de su red). ByTerminal=por terminales TakeposNumpadUsePaymentIcon=Usar icono en lugar de texto en los botones de pago del teclado numérico CashDeskRefNumberingModules=Módulo de numeración para punto de venta de venta CashDeskGenericMaskCodes6 =
      {TN} la etiqueta se usa para agregar el número de terminal -TakeposGroupSameProduct=Agrupar las mismas líneas de productos StartAParallelSale=Iniciar una nueva venta paralela SaleStartedAt=La venta comenzó en %s CashReport=Informe de caja @@ -77,7 +72,6 @@ RestaurantMenu=Menú CustomerMenu=menú del cliente ScanToMenu=Escanea el código QR para ver el menú ScanToOrder=Escanea el código QR para ordenar -NumberOfLinesToShow=Número de líneas de imágenes a mostrar DefineTablePlan=Definir plan de mesas GiftReceiptButton=Agregar un botón de "Recibo de regalo" GiftReceipt=Recibo de regalo @@ -86,4 +80,3 @@ AllowDelayedPayment=Permitir pago retrasado PrintPaymentMethodOnReceipts=Imprimir método de pago en boletos|recibos CustomerDisplay=pantalla del cliente PrintWithoutDetailsButton=Agregar el botón "Imprimir sin detalles" -TakeposBarcodeRuleToInsertProductDesc=Regla para extraer la referencia del producto + una cantidad de un código de barras escaneado.
      Si está vacío (valor predeterminado), la aplicación utilizará el código de barras completo escaneado para encontrar el producto.

      Si se define, la sintaxis debe ser:
      ref:NB+qu:NB+qd:NB+other:NB
      donde NB es el número de caracteres a utilizar para extraer datos del código de barras escaneado con:
      • ref : referencia del producto
      • qu : cantidad a configurar al insertar el artículo (unidades) b04c7a488b7 a76z0 qd : cantidad a configurar al insertar ítem (decimales)
      • otro : otros caracteres b0f8 4d72dce6e5z0
      diff --git a/htdocs/langs/es_CU/errors.lang b/htdocs/langs/es_CU/errors.lang index e90e7c144ff..f488ea49991 100644 --- a/htdocs/langs/es_CU/errors.lang +++ b/htdocs/langs/es_CU/errors.lang @@ -48,7 +48,6 @@ ErrorDirNotFound=Directorio %s no encontrado (ruta incorrecta, permisos ErrorFunctionNotAvailableInPHP=La función %s es necesaria para esta función, pero no está disponible en esta versión/configuración de PHP. ErrorDirAlreadyExists=Ya existe un directorio con este nombre. ErrorPartialFile=Archivo no recibido completamente por el servidor. -ErrorNoTmpDir=El directorio temporal %s no existe. ErrorUploadBlockedByAddon=Carga bloqueada por un complemento de PHP/Apache. ErrorFileSizeTooLarge=El tamaño del archivo es demasiado grande o no se proporciona el archivo. ErrorSizeTooLongForIntType=Tamaño demasiado largo para tipo int (%s dígitos como máximo) @@ -78,7 +77,6 @@ ErrorFileIsInfectedWithAVirus=El programa antivirus no pudo validar el archivo ( ErrorNumRefModel=Existe una referencia en la base de datos (%s) y no es compatible con esta regla de numeración. Eliminar registro o referencia renombrada para activar este módulo. ErrorQtyTooLowForThisSupplier=Cantidad demasiado baja para este proveedor o ningún precio definido en este producto para este proveedor ErrorOrdersNotCreatedQtyTooLow=Algunos pedidos no se han creado debido a cantidades demasiado bajas -ErrorModuleSetupNotComplete=La configuración del módulo %s parece estar incompleta. Vaya a Inicio - Configuración - Módulos para completar. ErrorBadMaskFailedToLocatePosOfSequence=Error, máscara sin número de secuencia ErrorBadMaskBadRazMonth=Error, mal valor de reinicio ErrorCounterMustHaveMoreThan3Digits=El contador debe tener más de 3 dígitos diff --git a/htdocs/langs/es_CU/holiday.lang b/htdocs/langs/es_CU/holiday.lang index 0731d72431d..5b144c4ef0d 100644 --- a/htdocs/langs/es_CU/holiday.lang +++ b/htdocs/langs/es_CU/holiday.lang @@ -3,6 +3,7 @@ HRM=gestión de recursos humanos Holiday=Dejar CPTitreMenu=Dejar MenuAddCP=Nueva solicitud de vacaciones +MenuCollectiveAddCP=New collective leave NotActiveModCP=Debe habilitar el módulo Salir para ver esta página. AddCP=Hacer una solicitud de licencia DateDebCP=Fecha de inicio @@ -67,7 +68,8 @@ PrevSoldeCP=Balance anterior NewSoldeCP=Nuevo equilibrio alreadyCPexist=Ya se ha hecho una solicitud de permiso en este período. UseralreadyCPexist=Ya se ha realizado una solicitud de licencia en este período para %s. -HolidaysCancelation=Cancelación de solicitud de permiso +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave EmployeeLastname=apellido del empleado TypeWasDisabledOrRemoved=El tipo de licencia (id %s) se deshabilitó o eliminó LastHolidays=Últimas solicitudes de licencia %s diff --git a/htdocs/langs/es_CU/hrm.lang b/htdocs/langs/es_CU/hrm.lang index 2f8afe38af5..1f0518db4a9 100644 --- a/htdocs/langs/es_CU/hrm.lang +++ b/htdocs/langs/es_CU/hrm.lang @@ -17,14 +17,8 @@ EmployeeSkillsUpdated=Las habilidades de los empleados se han actualizado (consu EmployeePosition=puesto de empleado group1ToCompare=Grupo de usuarios a analizar group2ToCompare=Segundo grupo de usuarios para comparar -MaxlevelGreaterThan=Nivel máximo superior al solicitado -MaxLevelLowerThan=Nivel máximo inferior a esa demanda -MaxLevelEqualToShort=El nivel de empleados es igual a esa demanda -MaxLevelLowerThanShort=Nivel de empleados inferior a esa demanda TypeSkill=tipo de habilidad -AddSkill=Agregar habilidades al trabajo SkillList=lista de habilidades -TypeKnowHow=Saber cómo AbandonmentComment=comentario de abandono NoEval=No se ha realizado ninguna evaluación para este empleado. HighestRank=rango más alto diff --git a/htdocs/langs/es_CU/main.lang b/htdocs/langs/es_CU/main.lang index 9d06a77f787..ec9e2f28bc9 100644 --- a/htdocs/langs/es_CU/main.lang +++ b/htdocs/langs/es_CU/main.lang @@ -23,7 +23,6 @@ DatabaseConnection=Conexión de base de datos NoTemplateDefined=No hay plantilla disponible para este tipo de correo electrónico AvailableVariables=Variables de sustitución disponibles CurrentTimeZone=Zona horaria PHP (servidor) -EmptySearchString=Ingrese criterios de búsqueda no vacíos EnterADateCriteria=Introduzca un criterio de fecha NoRecordFound=Ningún record fue encontrado NoRecordDeleted=Ningún registro eliminado @@ -40,7 +39,6 @@ ErrorFailedToSendMail=No se pudo enviar el correo (remitente=%s, receptor=%s) ErrorFileNotUploaded=El archivo no se cargó. Verifique que el tamaño no exceda el máximo permitido, que haya espacio libre disponible en el disco y que no haya un archivo con el mismo nombre en este directorio. ErrorInternalErrorDetected=error detectado ErrorWrongHostParameter=Parámetro de host incorrecto -ErrorYourCountryIsNotDefined=Su país no está definido. Vaya a Inicio-Configuración-Editar y publique el formulario nuevamente. ErrorRecordIsUsedByChild=No se pudo eliminar este registro. Este registro es utilizado por al menos un registro secundario. ErrorWrongValueForParameterX=Valor incorrecto para el parámetro %s ErrorNoRequestInError=Ninguna solicitud por error @@ -136,6 +134,7 @@ ResizeOrCrop=Redimensionar o Recortar NoUserGroupDefined=Ningún grupo de usuarios definido PasswordRetype=repita su contraseña NoteSomeFeaturesAreDisabled=Tenga en cuenta que muchas características/módulos están deshabilitados en esta demostración. +YourUserFile=Tu ficha de usuario PersonalValue=Valor personal MultiLanguage=Multi lenguaje RefOrLabel=Árbitro. o etiqueta @@ -238,7 +237,6 @@ LT1=Impuesto sobre las ventas 2 LT1Type=Tipo de impuesto sobre las ventas 2 LT2=Impuesto sobre las ventas 3 LT2Type=Impuesto sobre las ventas tipo 3 -LT1GC=Centavos adicionales VATRate=Tasa de impuesto VATCode=Código de tasa de impuestos VATNPR=Tasa de impuesto NPR @@ -426,7 +424,6 @@ Layout=Disposición DisabledModules=Módulos deshabilitados ForCustomer=Para el cliente UnHidePassword=Mostrar comando real con contraseña clara -RootOfMedias=Raíz de medios públicos (/medias) Notes=notas AddFile=Agregar archivo FreeLineOfType=Elemento de texto libre, escriba: @@ -527,7 +524,6 @@ ActualizeCurrency=Actualizar tipo de cambio ModuleBuilder=Generador de módulos y aplicaciones ClickToShowHelp=Haga clic para mostrar ayuda de información sobre herramientas WebSites=sitios web -WebSiteAccounts=cuentas del sitio web ExpenseReport=Informe de gastos ExpenseReports=Reporte de gastos HR=HORA @@ -589,6 +585,7 @@ PayedTo=Pagado para LocalAndRemote=Locales y Remotos AssignedTo=Asignado a ConfirmMassDraftDeletion=Borrador de confirmación de eliminación masiva +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Seleccione un tercero primero... YouAreCurrentlyInSandboxMode=Actualmente se encuentra en el modo "sandbox" %s AnalyticCode=código analítico @@ -610,7 +607,6 @@ ContactDefault_order_supplier=Orden de compra ContactDefault_propal=Propuesta ContactDefault_supplier_proposal=Propuesta de proveedor ContactDefault_ticket=Boleto -ContactAddedAutomatically=Contacto agregado desde roles de terceros de contacto XAxis=eje X YAxis=eje Y DeleteFileHeader=Confirmar eliminación de archivos diff --git a/htdocs/langs/es_CU/members.lang b/htdocs/langs/es_CU/members.lang index ca905c9594f..d847db89627 100644 --- a/htdocs/langs/es_CU/members.lang +++ b/htdocs/langs/es_CU/members.lang @@ -64,7 +64,6 @@ NoTypeDefinedGoToSetup=No se han definido tipos de miembros. Ir al menú "Tipos WelcomeEMail=Correo electrónico de bienvenida SubscriptionRequired=Contribución requerida VoteAllowed=Voto permitido -Reenable=Volver a habilitar ResiliateMember=dar de baja a un miembro ConfirmResiliateMember=¿Está seguro de que desea dar de baja a este miembro? ConfirmDeleteMember=¿Está seguro de que desea eliminar a este miembro (si elimina a un miembro, se eliminarán todas sus contribuciones)? diff --git a/htdocs/langs/es_CU/oauth.lang b/htdocs/langs/es_CU/oauth.lang index 949d8a3f3bd..0f3914acad4 100644 --- a/htdocs/langs/es_CU/oauth.lang +++ b/htdocs/langs/es_CU/oauth.lang @@ -7,7 +7,6 @@ NoAccessToken=Ningún token de acceso guardado en la base de datos local HasAccessToken=Se generó un token y se guardó en la base de datos local ToCheckDeleteTokenOnProvider=Haga clic aquí para verificar/eliminar la autorización guardada por el proveedor de OAuth %s TokenDeleted=Ficha eliminada -UseTheFollowingUrlAsRedirectURI=Utilice la siguiente URL como URI de redirección cuando cree sus credenciales con su proveedor de OAuth: SeePreviousTab=Ver pestaña anterior OAuthProvider=proveedor de OAuth OAuthIDSecret=ID y secreto de OAuth @@ -22,6 +21,5 @@ OAUTH_GITHUB_ID=ID de GitHub de OAuth OAUTH_GITHUB_SECRET=Secreto de GitHub de OAuth OAUTH_STRIPE_TEST_NAME=Prueba de bandas de OAuth OAUTH_STRIPE_LIVE_NAME=Franja de OAuth en vivo -OAUTH_ID=ID de cliente de OAuth OAUTH_SECRET=secreto OAuth OAUTH_TENANT=inquilino de OAuth diff --git a/htdocs/langs/es_CU/other.lang b/htdocs/langs/es_CU/other.lang index 70d24315b2a..df89901c515 100644 --- a/htdocs/langs/es_CU/other.lang +++ b/htdocs/langs/es_CU/other.lang @@ -46,7 +46,6 @@ Notify_BILL_SENTBYMAIL=Factura de cliente enviada por correo Notify_BILL_SUPPLIER_VALIDATE=Factura de proveedor validada Notify_BILL_SUPPLIER_PAYED=Factura de proveedor pagada Notify_BILL_SUPPLIER_SENTBYMAIL=Factura de proveedor enviada por correo -Notify_BILL_SUPPLIER_CANCELED=Factura de proveedor cancelada Notify_CONTRACT_VALIDATE=Contrato validado Notify_FICHINTER_VALIDATE=Intervención validada Notify_FICHINTER_ADD_CONTACT=Contacto agregado a Intervención @@ -142,10 +141,6 @@ EMailTextProposalClosedSigned=La propuesta %s ha sido cerrada y firmada. EMailTextProposalClosedSignedWeb=La propuesta %s se ha cerrado firmada en la página del portal. EMailTextProposalClosedRefused=La propuesta %s ha sido cerrada y rechazada. EMailTextProposalClosedRefusedWeb=La propuesta %s se ha cerrado como rechazo en la página del portal. -EMailTextOrderApproved=Se ha aprobado el pedido %s. -EMailTextOrderApprovedBy=El pedido %s ha sido aprobado por %s. -EMailTextOrderRefused=El pedido %s ha sido rechazado. -EMailTextOrderRefusedBy=El pedido %s ha sido rechazado por %s. EMailTextExpenseReportValidated=Se ha validado el informe de gastos %s. EMailTextExpenseReportApproved=Se ha aprobado el informe de gastos %s. EMailTextHolidayValidated=La solicitud de licencia %s ha sido validada. diff --git a/htdocs/langs/es_CU/products.lang b/htdocs/langs/es_CU/products.lang index 08b86bcf8c8..8f026eba4fd 100644 --- a/htdocs/langs/es_CU/products.lang +++ b/htdocs/langs/es_CU/products.lang @@ -53,7 +53,6 @@ SoldAmount=cantidad vendida PurchasedAmount=cantidad comprada MinPrice=mín. precio de venta EditSellingPriceLabel=Editar etiqueta de precio de venta -CantBeLessThanMinPrice=El precio de venta no puede ser inferior al mínimo permitido para este producto (%s sin impuestos). Este mensaje también puede aparecer si escribe un descuento demasiado importante. ErrorProductAlreadyExists=Ya existe un producto con referencia %s. ErrorProductBadRefOrLabel=Valor incorrecto para referencia o etiqueta. ErrorProductClone=Hubo un problema al intentar clonar el producto o servicio. @@ -217,7 +216,6 @@ VariantAttributes=Atributos de variante ProductAttributes=Atributos de variante para productos ProductAttributeName=Atributo de variante %s ProductAttributeDeleteDialog=¿Está seguro de que desea eliminar este atributo? Todos los valores serán eliminados. -ProductAttributeValueDeleteDialog=¿Está seguro de que desea eliminar el valor "%s" con la referencia "%s" de este atributo? ProductCombinationDeleteDialog=¿Está seguro de que desea eliminar la variante del producto " %s "? ProductCombinationAlreadyUsed=Hubo un error al eliminar la variante. Por favor, compruebe que no se está utilizando en ningún objeto. ProductCombinations=variantes @@ -255,4 +253,3 @@ mandatoryHelper=Marque esto si desea un mensaje para el usuario al crear / valid DefaultBOMDesc=La lista de materiales predeterminada que se recomienda usar para fabricar este producto. Este campo se puede configurar solo si la naturaleza del producto es '%s'. SwitchOnSaleStatus=Activar estado de venta SwitchOnPurchaseStatus=Activar estado de compra -StockMouvementExtraFields=Campos extra (movimiento de stock) diff --git a/htdocs/langs/es_CU/projects.lang b/htdocs/langs/es_CU/projects.lang index ade7bc2812e..a0fbed3eac5 100644 --- a/htdocs/langs/es_CU/projects.lang +++ b/htdocs/langs/es_CU/projects.lang @@ -34,7 +34,6 @@ NbOfTasks=Número de tareas TimeSpent=Tiempo usado TimeSpentByYou=Tiempo dedicado por ti TimeSpentByUser=Tiempo empleado por el usuario -TimesSpent=Tiempo usado TaskId=identificación de la tarea RefTask=Referencia de tarea LabelTask=Etiqueta de tarea @@ -50,7 +49,6 @@ AddTimeSpent=Crear tiempo dedicado AddHereTimeSpentForDay=Agregue aquí el tiempo dedicado a este día/tarea AddHereTimeSpentForWeek=Agregue aquí el tiempo dedicado a esta semana/tarea MyProjectsArea=Mis proyectos Área -CurentlyOpenedTasks=Tareas abiertas actualmente ProgressCalculated=Progreso en el consumo WhichIamLinkedTo=al que estoy vinculado WhichIamLinkedToProject=al que estoy vinculado al proyecto @@ -159,7 +157,6 @@ ProjectOpenedProjectByOppStatus=Abrir proyecto|lead por estado de lead ProjectsStatistics=Estadísticas sobre proyectos o leads TaskAssignedToEnterTime=Tarea asignada. Debería ser posible introducir tiempo en esta tarea. IdTaskTime=Tiempo de tarea de identificación -YouCanCompleteRef=Si desea completar la referencia con algún sufijo, se recomienda agregar un carácter - para separarlo, por lo que la numeración automática seguirá funcionando correctamente para los próximos proyectos. Por ejemplo %s-MYSUFFIX OpenedProjectsByThirdparties=Proyectos abiertos por terceros OnlyOpportunitiesShort=solo clientes potenciales OpenedOpportunitiesShort=Clientes potenciales abiertos @@ -170,7 +167,6 @@ OpportunityPonderatedAmount=Cantidad ponderada de clientes potenciales OpportunityPonderatedAmountDesc=Cantidad de clientes potenciales ponderada con probabilidad OppStatusQUAL=Calificación OppStatusPROPO=Propuesta -OppStatusNEGO=negociación AllowToLinkFromOtherCompany=Permitir vincular un elemento con un proyecto de otra empresa

      Valores admitidos:
      - Mantener vacío: Puede vincular elementos con cualquier proyecto de la misma empresa (predeterminado)
      - "todos": Puede vincular elementos con cualquier proyecto, incluso proyectos de otras empresas
      - Una lista de ID de terceros separados por comas: puede vincular elementos con cualquier proyecto de estos terceros (Ejemplo: 123,4795,53)
      LatestProjects=Últimos proyectos %s LatestModifiedProjects=Últimos proyectos modificados %s diff --git a/htdocs/langs/es_CU/receptions.lang b/htdocs/langs/es_CU/receptions.lang index a06fdf26144..a97746601d7 100644 --- a/htdocs/langs/es_CU/receptions.lang +++ b/htdocs/langs/es_CU/receptions.lang @@ -15,9 +15,7 @@ StatusReceptionCanceled=Cancelado StatusReceptionProcessed=Procesada StatusReceptionProcessedShort=Procesada ConfirmDeleteReception=¿Está seguro de que desea eliminar esta recepción? -ConfirmValidateReception=¿Estás seguro de que quieres validar esta recepción con la referencia %s ? ConfirmCancelReception=¿Está seguro de que desea cancelar esta recepción? -StatsOnReceptionsOnlyValidated=Estadísticas realizadas sobre recepciones solo validadas. La fecha utilizada es la fecha de validación de la recepción (no siempre se conoce la fecha de entrega prevista). SendReceptionByEMail=Enviar recepción por correo electrónico SendReceptionRef=Envío de recepción %s ActionsOnReception=Eventos en recepción diff --git a/htdocs/langs/es_CU/sendings.lang b/htdocs/langs/es_CU/sendings.lang index a6ad08c287d..06eea7d0e41 100644 --- a/htdocs/langs/es_CU/sendings.lang +++ b/htdocs/langs/es_CU/sendings.lang @@ -23,7 +23,6 @@ StatusSendingProcessed=Procesada StatusSendingProcessedShort=Procesada SendingSheet=Hoja de envío ConfirmDeleteSending=¿Está seguro de que desea eliminar este envío? -ConfirmValidateSending=¿Está seguro de que desea validar este envío con la referencia %s ? ConfirmCancelSending=¿Está seguro de que desea cancelar este envío? DocumentModelMerou=Merou modelo A5 WarningNoQtyLeftToSend=Advertencia, no hay productos en espera de ser enviados. diff --git a/htdocs/langs/es_CU/stocks.lang b/htdocs/langs/es_CU/stocks.lang index 45571a63d97..4ffaab271d0 100644 --- a/htdocs/langs/es_CU/stocks.lang +++ b/htdocs/langs/es_CU/stocks.lang @@ -150,10 +150,7 @@ SelectCategory=Filtro de categoría SelectFournisseur=Filtro de proveedor inventoryChangePMPPermission=Permitir cambiar el valor de PMP para un producto ColumnNewPMP=PMP nueva unidad -TheoricalQty=cantidad teórica -TheoricalValue=cantidad teórica LastPA=última PA -CurrentPA=PA actual RealQty=Cantidad real RealValue=Valor real RegulatedQty=Cantidad regulada @@ -173,7 +170,6 @@ StockIncrease=Aumento de existencias StockDecrease=Disminución de existencias InventoryForASpecificWarehouse=Inventario para un almacén específico InventoryForASpecificProduct=Inventario para un producto específico -UpdateByScaning=Complete la cantidad real escaneando UpdateByScaningLot=Actualización por escaneo (lote|código de barras serial) DisableStockChangeOfSubProduct=Desactivar el cambio de stock para todos los subproductos de este Kit durante este movimiento. ImportFromCSV=Importar lista CSV de movimiento @@ -195,14 +191,11 @@ ModuleStockTransferName=Transferencia avanzada de acciones ModuleStockTransferDesc=Gestión avanzada de Stock Transfer, con generación de ficha de transferencia StockTransferNew=Nueva transferencia de acciones StockTransferList=Lista de transferencias de acciones -ConfirmValidateStockTransfer=¿Está seguro de que desea validar esta transferencia de acciones con la referencia %s ? DateReelleDepart=fecha real de salida TypeContact_stocktransfer_internal_STFROM=Remitente de la transferencia de acciones TypeContact_stocktransfer_internal_STDEST=Destinatario de la transferencia de acciones TypeContact_stocktransfer_internal_STRESP=Responsable de transferencia de acciones. StockTransferSheet=Hoja de transferencia de acciones StockTransferSheetProforma=Hoja de transferencia de acciones proforma -StockStransferIncremented=Cerrado - Acciones transferidas -StockStransferIncrementedShort=Acciones transferidas StockTransferSetupPage =Página de configuración del módulo de transferencia de acciones StockTransferRightRead=Leer transferencias de acciones diff --git a/htdocs/langs/es_CU/ticket.lang b/htdocs/langs/es_CU/ticket.lang index f8df930c46c..1e12b881efa 100644 --- a/htdocs/langs/es_CU/ticket.lang +++ b/htdocs/langs/es_CU/ticket.lang @@ -9,7 +9,6 @@ Permission56005=Ver tickets de todos los terceros (no efectivo para usuarios ext Permission56006=Exportar boletos Tickets=Entradas TicketDictType=Entrada - Tipos -TicketDictCategory=Entrada - Grupos TicketDictSeverity=Ticket - Severidades TicketTypeShortCOM=Cuestión comercial ErrorBadEmailAddress=Campo '%s' incorrecto diff --git a/htdocs/langs/es_CU/website.lang b/htdocs/langs/es_CU/website.lang index 71d63651c34..7a3d7041adc 100644 --- a/htdocs/langs/es_CU/website.lang +++ b/htdocs/langs/es_CU/website.lang @@ -15,7 +15,6 @@ EditTheWebSiteForACommonHeader=Nota: si desea definir un encabezado personalizad MediaFiles=Mediateca EditCss=Editar propiedades del sitio web EditMenu=Menú de edición -EditMedias=Editar medios AddWebsite=Agregar sitio web Webpage=página web/contenedor PreviewOfSiteNotYetAvailable=La vista previa de su sitio web %s aún no está disponible. Primero debe ' Importar una plantilla de sitio web completa ' o simplemente ' Agregar una página/contenedor '. @@ -41,9 +40,9 @@ VirtualHostUrlNotDefined=URL del host virtual atendido por un servidor web exter NoPageYet=Aún no hay páginas SyntaxHelp=Ayuda sobre consejos de sintaxis específicos YouCanEditHtmlSourceckeditor=Puede editar el código fuente HTML usando el botón "Fuente" en el editor. -YouCanEditHtmlSource=. Están disponibles las siguientes variables globales: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      También puede incluir contenido de otra página/contenedor con la siguiente sintaxis:
      <? php includeContainer('alias_of_container_to_include'); ?>

      Puede realizar una redirección a otra página/contenedor con la siguiente sintaxis (Nota: no envíe ningún contenido antes de una redirección ):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      Para agregar un enlace a otra página, use la sintaxis:
      b0 e7843947c06bz0 <a href="alias_of_page_to_link_to.php">mylink<a>
      b0342fccfda19b z0
      Para incluir un enlace para descargar un archivo almacenado en los documentos directorio, use el contenedor document.php :
      Ejemplo, para un archivo en documentos/ecm (debe registrarse), la sintaxis es:
      b0e7843947c06b z0 <a href="/document.php?modulepart=ecm&file=[relative_dir/ ]filename.ext">

      Para un archivo en documentos/medios (directorio abierto para acceso público), la sintaxis es:
      <a href=" /document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      Para un archivo compartido con un enlace compartido (acceso abierto usando la clave hash compartida del archivo), la sintaxis es:
      <a href="/document.php?hashp=publicsharekeyoffile"b00 12c7dcbe087z0

      Para incluir un imagen almacenada en el directorio de documentos , use el envoltorio viewimage.php :
      Ejemplo, para una imagen en documentos/medios (abrir directorio de acceso público), la sintaxis es:
      <img src="/viewimage.php ?modulepart=medias&file=[directorio_relativo/]nombrearchivo.ext">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      YouCanEditHtmlSource2=Para una imagen compartida con un enlace compartido (acceso abierto usando la clave hash compartida del archivo), la sintaxis es:
      <img src="/viewimage.php?hashp=12345679012..."> b0a65d071f 6fc9z0
      -YouCanEditHtmlSourceMore=
      Más ejemplos de HTML o código dinámico disponibles en la documentación wiki
      . +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ConfirmClonePage=Ingrese el código/alias de la nueva página y si es una traducción de la página clonada. LanguageMustNotBeSameThanClonedPage=Clonas una página como una traducción. El idioma de la nueva página debe ser diferente al idioma de la página de origen. WebsiteId=Identificación del sitio web @@ -61,7 +60,6 @@ SorryWebsiteIsCurrentlyOffLine=Lo sentimos, este sitio web está actualmente fue WEBSITE_USE_WEBSITE_ACCOUNTS=Habilitar la tabla de cuentas del sitio web WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Habilite la tabla para almacenar cuentas de sitios web (inicio de sesión/contraseña) para cada sitio web/tercero YouMustDefineTheHomePage=Primero debe definir la página de inicio predeterminada -OnlyEditionOfSourceForGrabbedContentFuture=Advertencia: la creación de una página web mediante la importación de una página web externa está reservada para usuarios experimentados. Según la complejidad de la página de origen, el resultado de la importación puede diferir del original. Además, si la página de origen usa estilos CSS comunes o javascript en conflicto, puede romper el aspecto o las funciones del editor del sitio web cuando se trabaja en esta página. Este método es una forma más rápida de crear una página, pero se recomienda crear su nueva página desde cero o desde una plantilla de página sugerida.
      Tenga en cuenta también que es posible que el editor en línea no funcione correctamente cuando se usa en una página externa capturada. OnlyEditionOfSourceForGrabbedContent=Solo es posible la edición de la fuente HTML cuando el contenido se tomó de un sitio externo GrabImagesInto=Agarra también las imágenes encontradas en css y page. ImagesShouldBeSavedInto=Las imágenes deben guardarse en el directorio. @@ -74,10 +72,8 @@ ThisPageIsTranslationOf=Esta página/contenedor es una traducción de NoWebSiteCreateOneFirst=Aún no se ha creado ningún sitio web. Crea uno primero. DynamicPHPCodeContainsAForbiddenInstruction=Agrega código PHP dinámico que contiene la instrucción PHP ' %s ' que está prohibido por defecto como contenido dinámico (ver opciones ocultas WEBSITE_PHP_ALLOW_xxx para aumentar la lista de comandos permitidos). NotAllowedToAddDynamicContent=No tienes permiso para agregar o editar contenido dinámico PHP en sitios web. Pida permiso o simplemente mantenga el código en las etiquetas php sin modificar. -DeleteAlsoMedias=¿Eliminar también todos los archivos multimedia específicos de este sitio web? MyWebsitePages=Las paginas de mi sitio web CSSContentTooltipHelp=Introduzca aquí contenido CSS. Para evitar cualquier conflicto con el CSS de la aplicación, asegúrese de anteponer todas las declaraciones con la clase .bodywebsite. Por ejemplo:

      #mycssselector, input.myclass:hover { ... }
      debe ser
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }
      b 0342fccfda19bz0 Nota: si tiene un archivo grande sin este prefijo, puede usar 'lessc' para convertirlo y agregar el prefijo .bodywebsite en todas partes. -LinkAndScriptsHereAreNotLoadedInEditor=Advertencia: este contenido se muestra solo cuando se accede al sitio desde un servidor. No se usa en el modo de edición, por lo que si necesita cargar archivos javascript también en el modo de edición, simplemente agregue su etiqueta 'script src=...' en la página. Dynamiccontent=Ejemplo de una página con contenido dinámico EditInLineOnOff=El modo 'Editar en línea' es %s ShowSubContainersOnOff=El modo para ejecutar 'contenido dinámico' es %s diff --git a/htdocs/langs/es_CU/withdrawals.lang b/htdocs/langs/es_CU/withdrawals.lang index 7f4c24d76a8..195a683ec5e 100644 --- a/htdocs/langs/es_CU/withdrawals.lang +++ b/htdocs/langs/es_CU/withdrawals.lang @@ -43,7 +43,6 @@ MakeWithdrawRequest=Realizar una solicitud de pago domiciliado MakeBankTransferOrder=Hacer una solicitud de transferencia de crédito WithdrawRequestsDone=%s solicitudes de pago domiciliadas registradas ThirdPartyBankCode=Código bancario de terceros -NoInvoiceCouldBeWithdrawed=Ninguna factura debitada con éxito. Verifique que las facturas sean de empresas con un IBAN válido y que el IBAN tenga un UMR (Unique Mandate Reference) con modo %s . WithdrawalCantBeCreditedTwice=Este recibo de retiro ya está marcado como acreditado; esto no se puede hacer dos veces, ya que esto podría crear pagos y asientos bancarios duplicados. ClassCredited=Clasificar acreditado ClassCreditedConfirm=¿Está seguro de que desea clasificar este recibo de retiro como acreditado en su cuenta bancaria? @@ -56,8 +55,6 @@ WithdrawalRefusedConfirm=¿Está seguro de que desea ingresar un rechazo de reti RefusedData=Fecha de rechazo RefusedReason=Motivo del rechazo RefusedInvoicing=Facturar el rechazo -NoInvoiceRefused=No cobres el rechazo -InvoiceRefused=Factura rechazada (Cobrar el rechazo al cliente) StatusDebitCredit=Estado débito/crédito StatusWaiting=Espera StatusTrans=Enviado @@ -98,7 +95,6 @@ ThisWillAlsoAddPaymentOnInvoice=Esto también registrará los pagos en las factu StatisticsByLineStatus=Estadísticas por estado de líneas RUMLong=Referencia de mandato único RUMWillBeGenerated=Si está vacío, se generará un UMR (Referencia de mandato único) una vez que se guarde la información de la cuenta bancaria. -WithdrawMode=Modalidad de débito directo (FRST o RECUR) WithdrawRequestAmount=Importe de la solicitud de domiciliación bancaria: BankTransferAmount=Importe de la solicitud de transferencia de crédito: WithdrawRequestErrorNilAmount=No se puede crear una solicitud de domiciliación bancaria para un importe vacío. @@ -129,7 +125,6 @@ InfoTransData=Importe: %s
      Método: %s
      Fecha: %s InfoRejectSubject=Orden de pago de domiciliación bancaria rechazada InfoRejectMessage=Hola,

      la orden de domiciliación de pago de la factura %s relacionada con la empresa %s, con un importe de %s ha sido rechazada por el banco.

      --
      %s ModeWarning=La opción para el modo real no se configuró, nos detenemos después de esta simulación -ErrorCompanyHasDuplicateDefaultBAN=La empresa con ID %s tiene más de una cuenta bancaria predeterminada. No hay forma de saber cuál usar. ErrorICSmissing=Falta ICS en cuenta bancaria %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=El importe total de la orden de domiciliación bancaria difiere de la suma de las líneas WarningSomeDirectDebitOrdersAlreadyExists=Aviso: Ya hay algunas órdenes de Débito Directo pendientes (%s) solicitadas por un importe de %s diff --git a/htdocs/langs/es_CU/workflow.lang b/htdocs/langs/es_CU/workflow.lang index 6e25088ae7b..4cd722efaa0 100644 --- a/htdocs/langs/es_CU/workflow.lang +++ b/htdocs/langs/es_CU/workflow.lang @@ -6,12 +6,5 @@ descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Cree automáticamente una orden de venta de descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Cree automáticamente una factura de cliente después de que se firme una propuesta comercial (la nueva factura tendrá el mismo monto que la propuesta) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Cree automáticamente una factura de cliente después de validar un contrato descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Cree automáticamente una factura de cliente después de cerrar una orden de venta (la nueva factura tendrá el mismo monto que la orden) -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasifique la propuesta de fuente vinculada como facturada cuando el pedido de ventas se establece en facturado (y si el monto del pedido es el mismo que el monto total de la propuesta vinculada firmada) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasificar la propuesta de fuente vinculada como facturada cuando se valida la factura del cliente (y si el monto de la factura es el mismo que el monto total de la propuesta vinculada firmada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasificar el pedido de venta de origen vinculado como facturado cuando se valida la factura del cliente (y si el monto de la factura es el mismo que el monto total del pedido vinculado) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasificar el pedido de ventas de origen vinculado como facturado cuando la factura del cliente se establece como pagada (y si el monto de la factura es el mismo que el monto total del pedido vinculado) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasificar el pedido de ventas de origen vinculado como enviado cuando se valida un envío (y si la cantidad enviada por todos los envíos es la misma que en el pedido para actualizar) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Clasificar el pedido de ventas de origen vinculado como enviado cuando se cierra un envío (y si la cantidad enviada por todos los envíos es la misma que en el pedido para actualizar) -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasificar la propuesta del proveedor de origen vinculado como facturada cuando se valida la factura del proveedor (y si el monto de la factura es el mismo que el monto total de la propuesta vinculada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasificar el pedido de compra de origen vinculado como facturado cuando se valida la factura del proveedor (y si el monto de la factura es el mismo que el monto total del pedido vinculado) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Clasifique la orden de compra de fuente vinculada como recibida cuando se cierra una recepción (y si la cantidad recibida por todas las recepciones es la misma que en la orden de compra para actualizar) diff --git a/htdocs/langs/es_EC/accountancy.lang b/htdocs/langs/es_EC/accountancy.lang index 84109b3560f..d8e8e5f146c 100644 --- a/htdocs/langs/es_EC/accountancy.lang +++ b/htdocs/langs/es_EC/accountancy.lang @@ -32,7 +32,6 @@ AccountancyAreaDescDefault=PASO %s: Defina las cuentas contables predeterminadas AccountancyAreaDescSal=PASO%s: Defina las cuentas contables predeterminadas para el pago de los salarios. Para ello, utilice la entrada de menú%s. AccountancyAreaDescDonation=PASO%s: Defina las cuentas contables predeterminadas para la donación. Para ello, utilice la entrada de menú%s. AccountancyAreaDescSubscription=PASO %s: defina cuentas contables predeterminadas para la suscripción de miembros. Para esto, use la entrada del menú %s. -AccountancyAreaDescMisc=PASO%s: Definir cuenta predeterminada obligatoria y cuentas contables predeterminadas para transacciones diversas. Para ello, utilice la entrada de menú%s. AccountancyAreaDescLoan=PASO%s: Defina las cuentas contables predeterminadas para los préstamos. Para ello, utilice la entrada de menú%s. AccountancyAreaDescBank=PASO%s: Definir cuentas contables y código de diario para cada banco y cuentas financieras. Para ello, utilice la entrada de menú%s. AccountancyAreaDescBind=PASO%s: Compruebe la vinculación entre las líneas%s existentes y la cuenta de contabilidad se hace, por lo que la aplicación será capaz de periodizar las transacciones en Ledger en un solo clic. Complete los enlaces que falten. Para ello, utilice la entrada de menú%s. @@ -149,7 +148,6 @@ AccountingJournal=Diario de contabilidad NewAccountingJournal=Nueva revista de contabilidad AccountingJournalType1=Operaciones misceláneas / varias AccountingJournalType5=Reporte de gastos -AccountingJournalType9=Tiene nuevo ErrorAccountingJournalIsAlreadyUse=Esta revista ya utiliza AccountingAccountForSalesTaxAreDefinedInto=Nota: la cuenta de contabilidad para el impuesto a las ventas se define en el menú %s - %s ExportDraftJournal=Exportar borrador de diario @@ -185,7 +183,6 @@ WithValidAccount=Con una cuenta dedicada válida ValueNotIntoChartOfAccount=Este valor de la cuenta de contabilidad no existe en el gráfico de la cuenta Range=Gama de cuentas contables SomeMandatoryStepsOfSetupWereNotDone=No se han realizado algunos pasos obligatorios de la configuración, por favor, complelos -ErrorNoAccountingCategoryForThisCountry=No hay grupo de cuentas de contabilidad disponible para el país%s (Consulte Inicio - Configuración - Diccionarios) ErrorInvoiceContainsLinesNotYetBounded=Intenta escribir en el diario algunas campos de la factura %s, pero algunas otros campos aún no están limitados a la cuenta de contabilidad. Se rechaza la periodización de todos los campos de factura para esta factura. ErrorInvoiceContainsLinesNotYetBoundedShort=Algunos campos en la factura no están vinculadas a la cuenta contable. ExportNotSupported=El formato de exportación configurado no se admite en esta página diff --git a/htdocs/langs/es_EC/admin.lang b/htdocs/langs/es_EC/admin.lang index 9f21bf23c39..83bd129f021 100644 --- a/htdocs/langs/es_EC/admin.lang +++ b/htdocs/langs/es_EC/admin.lang @@ -196,9 +196,6 @@ EmailSenderProfiles=Perfiles de remitentes de correos electrónicos EMailsSenderProfileDesc=Puedes mantener esta sección vacía. Si ingresa algunos correos electrónicos aquí, se agregarán a la lista de posibles remitentes en el cuadro combinado cuando escriba un nuevo correo electrónico. MAIN_MAIL_SMTP_PORT=Puerto SMTP / SMTPS (valor predeterminado en php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS Host (valor predeterminado en php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Puerto SMTP / SMTPS (no definido en PHP en sistemas similares a Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS Host (no definido en PHP en sistemas similares a Unix) -MAIN_MAIL_EMAIL_FROM=Correo electrónico del remitente para correos electrónicos automáticos (valor predeterminado en php.ini: %s) MAIN_MAIL_ERRORS_TO=El correo electrónico utilizado para el error devuelve correos electrónicos (campos 'Errores a' en los correos electrónicos enviados) MAIN_MAIL_AUTOCOPY_TO= Copiar (Bcc) todos los correos electrónicos enviados a MAIN_DISABLE_ALL_MAILS=Deshabilitar todo el envío de correo electrónico (para propósitos de prueba o demostraciones) @@ -214,7 +211,6 @@ MAIN_MAIL_EMAIL_DKIM_DOMAIN=Dominio de correo electrónico para usar con dkim MAIN_DISABLE_ALL_SMS=Deshabilitar todo el envío de SMS (para propósitos de prueba o demostraciones) MAIN_SMS_SENDMODE=Método para enviar SMS MAIN_MAIL_SMS_FROM=Número de teléfono del remitente predeterminado para el envío de SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Correo electrónico predeterminado del remitente para envío manual (correo electrónico del usuario o correo electrónico de la empresa) UserEmail=Correo electrónico del usuario CompanyEmail=Email de la empresa FeatureNotAvailableOnLinux=Característica no disponible en sistemas Unix. Comprobar el programa de Sendmail localmente. @@ -314,7 +310,6 @@ ExtrafieldLink=Enlace a un objeto ComputedFormula=Campo calculado Computedpersistent=Almacenar campo calculado ComputedpersistentDesc=Los campos adicionales calculados se almacenarán en la base de datos, sin embargo, el valor solo se volverá a calcular cuando se cambie el objeto de este campo. ¡Si el campo calculado depende de otros objetos o datos globales, este valor podría estar equivocado! -ExtrafieldParamHelpPassword=Dejar este campo en blanco significa que este valor se almacenará sin cifrado (el campo solo debe estar oculto con una estrella en la pantalla).
      Establezca 'auto' para usar la regla de cifrado predeterminada para guardar la contraseña en la base de datos (entonces el valor leído será el hash solo, no hay forma de recuperar el valor original) ExtrafieldParamHelpselect=La lista de valores debe ser líneas con clave de formato, valor (donde la clave no puede ser '0')

      por ejemplo:
      1, value1
      2, value2
      code3, value3 < br> ...

      Para tener la lista dependiendo de otra lista de atributos complementarios:
      1, value1 | options_ parent_list_code : parent_key
      2, value2 | options_ parent_list_code : parent_key

      Para que la lista dependa de otra lista:
      1, value1 | parent_list_code : parent_key
      2, value2 | parent_list_code : parent_key ExtrafieldParamHelpcheckbox=La lista de valores debe ser líneas con clave de formato, valor (donde la clave no puede ser '0')

      por ejemplo:
      1, value1
      2, value2
      3, value3 < br> ... ExtrafieldParamHelpradio=La lista de valores debe ser líneas con clave de formato, valor (donde la clave no puede ser '0')

      por ejemplo:
      1, value1
      2, value2
      3, value3 < br> ... @@ -354,7 +349,6 @@ RequiredBy=Este módulo es necesario para el módulo (s) TheKeyIsTheNameOfHtmlField=Este es el nombre del campo HTML. Se requiere conocimiento técnico para leer el contenido de la página HTML para obtener el nombre clave de un campo. PageUrlForDefaultValuesCreate=Ejemplo:
      Para el formulario para crear un nuevo tercero, es %s .
      Para la URL de los módulos externos instalados en el directorio personalizado, no incluya el "personalizado / ", así que use la ruta como mymodule / mypage.php y no custom / mymodule / mypage.php.
      Si desea un valor predeterminado solo si url tiene algún parámetro, puede usar %s PageUrlForDefaultValuesList=
      Ejemplo:
      Para la página que enumera a terceros, es %s .
      Para la URL de los módulos externos instalados en el directorio personalizado, no incluya la "personalización /" por lo que use una ruta como mymodule / mypagelist.php y no custom / mymodule / mypagelist.php.
      Si desea un valor predeterminado solo si url tiene algún parámetro, puede usar %s < / fuerte> -AlsoDefaultValuesAreEffectiveForActionCreate=También tenga en cuenta que la sobrescritura de los valores predeterminados para la creación de formularios funciona solo para páginas que se diseñaron correctamente (así que con el parámetro action=create or presend...) EnableDefaultValues=Habilitar la personalización de los valores por defecto. GoIntoTranslationMenuToChangeThis=Se ha encontrado una traducción para la clave con este código. Para cambiar este valor, debe editarlo desde Home-Setup-translation. WarningSettingSortOrder=Advertencia: establecer un orden predeterminado puede resultar en un error técnico al pasar a la página de la lista si no hay campo. Si experimenta este error, haga clic aquí para eliminar el orden predeterminado y restaurar el comportamiento predeterminado. @@ -366,7 +360,6 @@ DAV_ALLOW_PRIVATE_DIRTooltip=El directorio privado genérico es un directorio We DAV_ALLOW_PUBLIC_DIR=Habilite el directorio público genérico (directorio dedicado WebDAV llamado "público" - no se requiere inicio de sesión) DAV_ALLOW_PUBLIC_DIRTooltip=El directorio público genérico es un directorio WebDAV al que cualquiera puede acceder (en modo lectura y escritura), sin necesidad de autorización (cuenta de inicio de sesión / contraseña). DAV_ALLOW_ECM_DIR=Habilite el directorio privado DMS/ECM (directorio raíz del módulo DMS/ECM; - es necesario iniciar sesión) -DAV_ALLOW_ECM_DIRTooltip=El directorio raíz donde se cargan manualmente todos los archivos cuando se utiliza el módulo DMS / ECM. De manera similar al acceso desde la interfaz web, necesitará un nombre de usuario / contraseña válido con permisos adecuados para acceder a ella. Module0Desc=Gestión de Usuarios / Empleados y Grupos Module1Desc=Gestión de empresas y contactos (clientes, prospectos ...). Module2Desc=Administración comercial @@ -447,7 +440,6 @@ Module2660Desc=Habilite el cliente de servicios web de Dolibarr (puede usarse pa Module2700Desc=Utilice el servicio en línea de Gravatar (www.gravatar.com) para mostrar la foto de los usuarios / miembros (que se encuentra en sus correos electrónicos). Necesita acceso a internet Module2900Desc=Capacidades de conversiones GeoIP Maxmind Module3200Desc=Habilitar un registro inalterable de eventos empresariales. Los eventos se archivan en tiempo real. El registro es una tabla de solo lectura de eventos encadenados que se pueden exportar. Este módulo puede ser obligatorio para algunos países. -Module4000Desc=Administración de los recursos humanos Module5000Desc=Permite gestionar múltiples empresas Module10000Name=Sitios Web Module20000Name=Gestión de solicitudes de licencia @@ -647,7 +639,6 @@ Permission2515=Configuración de los documentos Permission2801=Utilizar cliente FTP en modo de lectura (sólo navegar y descargar) Permission2802=Utilizar cliente FTP en modo de escritura (borrar o subir archivos) Permission10001=Leer el contenido del sitio web -Permission10002=Crear/modificar contenido del sitio web (contenido html y javascript) Permission10003=Crear/modificar contenido del sitio web (código php dinámico). Peligroso, debe reservarse para desarrolladores restringidos. Permission20001=Lea las solicitudes de licencia (su licencia y las de sus subordinados) Permission20002=Cree / modifique sus solicitudes de licencia (su licencia y las de sus subordinados) @@ -702,7 +693,6 @@ BackToModuleList=Volver a la lista de módulos BackToDictionaryList=Volver a la lista de diccionarios TypeOfRevenueStamp=Tipo de impuesto fiscal VATManagement=Gestión de impuestos de ventas -VATIsUsedDesc=De forma predeterminada, al crear prospectos, facturas, pedidos, etc., la tasa del impuesto sobre las ventas sigue la regla estándar activa:
      Si el vendedor no está sujeto al impuesto sobre las ventas, entonces el impuesto sobre las ventas se establece de manera predeterminada en 0. Fin de la regla. (país del vendedor = país del comprador), entonces el impuesto sobre las ventas por defecto es igual al impuesto sobre las ventas del producto en el país del vendedor. Fin de la regla.
      Si el vendedor y el comprador se encuentran en la Comunidad Europea y los productos son productos relacionados con el transporte (transporte, transporte, línea aérea), el IVA predeterminado es 0. Esta regla depende del país del vendedor. Consulte con su contador. El IVA debe ser pagado por el comprador a la oficina de aduanas de su país y no al vendedor. Fin de la regla.
      Si tanto el vendedor como el comprador están en la Comunidad Europea y el comprador no es una empresa (con un número de IVA intracomunitario registrado), el IVA está predeterminado para la tasa de IVA del país del vendedor. Fin de la regla.
      Si el vendedor y el comprador están en la Comunidad Europea y el comprador es una empresa (con un número de IVA intracomunitario registrado), el IVA es 0 por defecto. Fin de la regla.
      En cualquier otro caso, el valor predeterminado propuesto es Impuesto de ventas = 0. Fin de la regla VATIsNotUsedDesc=Por defecto, el impuesto a las ventas propuesto es 0, que se puede utilizar para casos como asociaciones, individuos o pequeñas empresas. VATIsUsedExampleFR=En Francia, significa empresas u organizaciones que tienen un sistema fiscal real (real real o normal simplificado). Un sistema en el que se declara el IVA. VATIsNotUsedExampleFR=En Francia, significa asociaciones que no están declaradas sin impuestos de ventas o compañías, organizaciones o profesiones liberales que han elegido el sistema fiscal de microempresas (impuestos a las ventas en franquicia) y pagaron una franquicia Impuestos a las ventas sin ninguna declaración de impuestos a las ventas. Esta opción mostrará la referencia "Impuesto de ventas no aplicable - art-293B de CGI" en las facturas. @@ -1074,7 +1064,6 @@ MemcachedModuleAvailableButNotSetup=Módulo memcached para caché de aplicacione MemcachedAvailableAndSetup=El módulo de memoria dedicado a utilizar el servidor está habilitado. OPCodeCache=Caché OPCode NoOPCodeCacheFound=No se ha encontrado ningún caché OPCode. Quizás esté utilizando un caché OPCode que no sea XCache o eAccelerator (bueno), o tal vez no tenga un caché OPCode (muy malo). -HTTPCacheStaticResources=Caché HTTP para recursos estáticos (css, img, javascript) FilesOfTypeCached=Los archivos del tipo son almacenados en caché por el servidor HTTP FilesOfTypeNotCached=Los archivos del tipo no están almacenados en caché por el servidor HTTP FilesOfTypeCompressed=Los archivos del tipo %s están comprimidos por el servidor HTTP @@ -1146,10 +1135,6 @@ DeliveryOrderModel=Modelo de recibos de entregas de productos DeliveriesOrderAbility=Soporte de productos entregados recibos FreeLegalTextOnDeliveryReceipts=Texto libre en los recibos de entrega ActivateFCKeditor=Activar editor avanzado para: -FCKeditorForMailing= WYSIWIG creación / edición para eMailings masivos (Herramientas-> eMailing) -FCKeditorForUserSignature=WYSIWIG creación / edición de firma de usuario -FCKeditorForMail=WYSIWIG Creación / edición para todo el correo (excepto Herramientas-> eMailing) -FCKeditorForTicket=Creación/edición de WYSIWIG para entradas StockSetup=Configuración del módulo de stock / inventario IfYouUsePointOfSaleCheckModule=Si utiliza el módulo de Punto de Venta (POS) provisto por defecto o un módulo externo, su configuración puede ser ignorada por su módulo de POS. La mayoría de los módulos de POS están diseñados de forma predeterminada para crear una factura de inmediato y disminuir el stock, independientemente de las opciones aquí. Por lo tanto, si necesita o no una disminución de existencias al registrar una venta desde su POS, verifique también su POS NotTopTreeMenuPersonalized=Menús personalizados no vinculados a una entrada de menú superior @@ -1160,7 +1145,6 @@ DetailMenuHandler=Manejador de menús donde mostrar el nuevo menú DetailMenuModule=Nombre del módulo DetailTitre=Etiqueta de menú o código de etiqueta para la traducción DetailEnabled=Condición para mostrar o no la entrada -DetailRight=Condición para mostrar menús grises no autorizados DetailLangs=Nombre de archivo Lang para la traducción de código de etiqueta Target=Objetivo DetailTarget=Destino para enlaces (_blank top abre una nueva ventana) @@ -1203,7 +1187,6 @@ CashDeskThirdPartyForSell=Tercero genérico predeterminado para usar en ventas CashDeskBankAccountForSell=Cuenta predeterminada para recibir pagos en efectivo CashDeskBankAccountForCheque= Cuenta predeterminada a utilizar para recibir pagos por cheque. CashDeskBankAccountForCB= Cuenta predeterminada para recibir pagos con tarjetas de crédito -CashDeskDoNotDecreaseStock=Deshabilite la reducción de existencias cuando se realiza una venta desde el punto de venta (si es "no", la reducción de existencias se realiza para cada venta realizada desde POS, independientemente de la opción establecida en el stock de módulos). CashDeskIdWareHouse=Forzar y restringir el almacén a utilizar para la disminución de existencias StockDecreaseForPointOfSaleDisabled=Disminución de stock desde punto de venta deshabilitado StockDecreaseForPointOfSaleDisabledbyBatch=La disminución de stock en POS no es compatible con el módulo Serial / Lot management (actualmente activo), por lo que la disminución de stock está deshabilitada. @@ -1386,10 +1369,8 @@ ConfirmUnactivation=Confirmar restablecimiento del módulo OnMobileOnly=Solo en pantalla pequeña (teléfono inteligente) MAIN_OPTIMIZEFORTEXTBROWSERDesc=Active esta opción si es una persona ciega o si usa la aplicación desde un navegador de texto como Lynx o Links. ThisValueCanOverwrittenOnUserLevel=Cada usuario puede sobrescribir este valor desde su página de usuario - pestaña '%s' -DefaultCustomerType=Tipo de tercero predeterminado para el formulario de creación "Nuevo cliente" ABankAccountMustBeDefinedOnPaymentModeSetup=Nota: La cuenta bancaria debe estar definida en el módulo de cada modo de pago (Paypal, Stripe, ...) para que esta función funcione. RootCategoryForProductsToSell=Categoría raíz de productos para vender -RootCategoryForProductsToSellDesc=Si se define, solo los productos dentro de esta categoría o los niños de esta categoría estarán disponibles en el Punto de Venta DebugBarDesc=Barra de herramientas que viene con muchas herramientas para simplificar la depuración DebugBarSetup=Configuración de DebugBar LogsLinesNumber=Número de líneas para mostrar en la pestaña de registros @@ -1400,7 +1381,6 @@ ModuleActivated=El módulo %s está activado y ralentiza la interfaz EXPORTS_SHARE_MODELS=Los modelos de exportación se comparten con todos ExportSetup=Configuración del módulo Exportar InstanceUniqueID=ID único de la instancia -WithGMailYouCanCreateADedicatedPassword=Con una cuenta de GMail, si habilitó la validación de 2 pasos, se recomienda crear una segunda contraseña dedicada para la aplicación en lugar de usar la contraseña de su propia cuenta de https://myaccount.google.com/. EndPointFor=Punto final para %s: %s DeleteEmailCollector=Eliminar recopilador de correo electrónico ConfirmDeleteEmailCollector=¿Estás seguro de que deseas eliminar este recopilador de correo electrónico? @@ -1414,3 +1394,4 @@ JumpToBoxes=Vaya a Configuración -> Widgets Recommended=Recomendado InventorySetup=Configuración del inventario Defaultfortype=Predeterminados +ExtraFieldsSupplierInvoicesRec=Atributos complementarios (plantillas de facturas) diff --git a/htdocs/langs/es_EC/bills.lang b/htdocs/langs/es_EC/bills.lang index 40c2d5dadc2..878468d9679 100644 --- a/htdocs/langs/es_EC/bills.lang +++ b/htdocs/langs/es_EC/bills.lang @@ -124,7 +124,6 @@ BillTo=A ActionsOnBill=Acciones en factura RecurringInvoiceTemplate=Plantilla / factura recurrente NoQualifiedRecurringInvoiceTemplateFound=Ninguna factura de plantilla recurrente calificada para la generación. -FoundXQualifiedRecurringInvoiceTemplate=Se encontró%s facturas de plantilla recurrente calificadas para generación. NotARecurringInvoiceTemplate=No es una plantilla de plantilla recurrente LastBills=Últimas facturas%s LatestTemplateInvoices=Últimas facturas de plantilla%s @@ -137,7 +136,6 @@ CustomersDraftInvoices=Facturas de borrador del cliente SuppliersDraftInvoices=Borrador de facturas de proveedores Unpaid=No pagado ConfirmDeleteBill=¿Está seguro de que desea eliminar esta factura? -ConfirmValidateBill=¿Está seguro de que desea validar esta factura con la referencia %s ? ConfirmUnvalidateBill=¿Está seguro de que desea cambiar la factura %s al estado de borrador? ConfirmClassifyPaidBill=¿Seguro que desea cambiar la factura %s al estado pagado? ConfirmCancelBill=¿Seguro que desea cancelar la factura %s ? @@ -161,7 +159,6 @@ ConfirmClassifyAbandonReasonOtherDesc=Esta opción se utilizará en todos los de ConfirmCustomerPayment=¿Confirma esta entrada de pago para %s%s? ConfirmSupplierPayment=¿Confirma esta entrada de pago para %s%s? ConfirmValidatePayment=¿Está seguro de que desea validar este pago? No se puede hacer ningún cambio una vez que se haya validado el pago. -UnvalidateBill=No validar la factura NumberOfBillsByMonth=Nº de facturas por mes. AmountOfBills=Cantidad de facturas AmountOfBillsHT=Importe de las facturas (neto de impuestos) @@ -420,3 +417,4 @@ AutoFillDateFromShort=Establecer fecha de inicio AutoFillDateToShort=Establecer fecha de finalización MaxNumberOfGenerationReached=Número máximo de generación alcanzado BILL_DELETEInDolibarr=Se eliminó la factura +SalaryInvoice=Sueldo diff --git a/htdocs/langs/es_EC/cashdesk.lang b/htdocs/langs/es_EC/cashdesk.lang index c519dedfc0a..32d11760c88 100644 --- a/htdocs/langs/es_EC/cashdesk.lang +++ b/htdocs/langs/es_EC/cashdesk.lang @@ -27,9 +27,7 @@ PointOfSale=Punto de venta TakeposConnectorNecesary=Se requiere 'conector TakePOS' Receipt=Recibo Header=Encabezado -Footer=Pie de página AmountAtEndOfPeriod=Cantidad al final del período (día, mes o año) -TheoricalAmount=Cantidad teórica RealAmount=Cantidad real NbOfInvoices=Nb de facturas Paymentnumpad=Tipo de Pad para ingresar el pago @@ -44,14 +42,11 @@ EnableBarOrRestaurantFeatures=Habilitar funciones para bar o restaurante ConfirmDeletionOfThisPOSSale=¿Confirma la eliminación de esta venta actual? ConfirmDiscardOfThisPOSSale=¿Quieres descartar esta venta actual? History=Historia -BasicPhoneLayout=Usar diseño básico para teléfonos Colorful=Vistoso SortProductField=Campo para clasificar productos BrowserMethodDescription=Impresión de recibos simple y fácil. Solo unos pocos parámetros para configurar el recibo. Imprimir a través del navegador. -TakeposConnectorMethodDescription=Módulo externo con características adicionales. Posibilidad de imprimir desde la nube. CashDeskRefNumberingModules=Módulo de numeración para ventas POS CashDeskGenericMaskCodes6 =
      {TN} la etiqueta se usa para agregar el número de terminal -TakeposGroupSameProduct=Agrupar las mismas líneas de productos StartAParallelSale=Comience una nueva venta paralela CashReport=Informe de caja MainPrinterToUse=Impresora principal para usar diff --git a/htdocs/langs/es_EC/errors.lang b/htdocs/langs/es_EC/errors.lang index ae701afac8d..70c6ba9b55f 100644 --- a/htdocs/langs/es_EC/errors.lang +++ b/htdocs/langs/es_EC/errors.lang @@ -67,7 +67,6 @@ ErrorFileIsInfectedWithAVirus=El programa antivirus no pudo validar el archivo ( ErrorNumRefModel=Existe una referencia en la base de datos (%s) y no es compatible con esta regla de numeración. Elimine la referencia de registro o renombrado para activar este módulo. ErrorQtyTooLowForThisSupplier=Cantidad demasiado baja para este proveedor o ningún precio definido en este producto para este proveedor ErrorOrdersNotCreatedQtyTooLow=Algunos pedidos no se han creado debido a cantidades demasiado bajas -ErrorModuleSetupNotComplete=La configuración del módulo %s parece estar incompleta. Vaya a Inicio - Configuración - Módulos para completar. ErrorBadMaskFailedToLocatePosOfSequence=Error, máscara sin número de secuencia ErrorBadMaskBadRazMonth=Error, valor de reinicio incorrecto ErrorCounterMustHaveMoreThan3Digits=El contador debe tener más de 3 dígitos diff --git a/htdocs/langs/es_EC/oauth.lang b/htdocs/langs/es_EC/oauth.lang index 39d92c63928..a0c5ed96e21 100644 --- a/htdocs/langs/es_EC/oauth.lang +++ b/htdocs/langs/es_EC/oauth.lang @@ -7,8 +7,6 @@ IsTokenGenerated=¿El token se genero? NoAccessToken=Ningún token de acceso guardado en la base de datos local HasAccessToken=Se generó un token y se guardó en la base de datos local ToCheckDeleteTokenOnProvider=Haga clic aquí para comprobar/eliminar la autorización guardada por%s Proveedor de OAuth -DeleteAccess=Haga clic aquí para eliminar token -UseTheFollowingUrlAsRedirectURI=Use la siguiente URL como URI de redireccionamiento al crear sus credenciales con su proveedor de OAuth: SeePreviousTab=Ver pestaña anterior OAuthIDSecret=OAuth ID y secreto TOKEN_REFRESH=Actualizar Token Presente diff --git a/htdocs/langs/es_EC/other.lang b/htdocs/langs/es_EC/other.lang index e5cf5aad8af..a5dd64ec7a0 100644 --- a/htdocs/langs/es_EC/other.lang +++ b/htdocs/langs/es_EC/other.lang @@ -38,7 +38,6 @@ Notify_BILL_SENTBYMAIL=Factura del cliente enviada por correo Notify_BILL_SUPPLIER_VALIDATE=Factura de proveedor validada Notify_BILL_SUPPLIER_PAYED=Factura del proveedor pagada Notify_BILL_SUPPLIER_SENTBYMAIL=Factura de proveedor enviada por correo -Notify_BILL_SUPPLIER_CANCELED=Factura de proveedor cancelada Notify_CONTRACT_VALIDATE=Contrato validado Notify_FICHINTER_VALIDATE=Intervención validada Notify_FICHINTER_ADD_CONTACT=Contacto añadido a la intervención @@ -119,10 +118,6 @@ EMailTextInvoiceValidated=La factura %s ha sido validada. EMailTextInvoicePayed=Se ha pagado la factura %s. EMailTextProposalValidated=La propuesta %s ha sido validada. EMailTextProposalClosedSigned=La propuesta %s ha sido cerrada y firmada. -EMailTextOrderApproved=El pedido %s ha sido aprobado. -EMailTextOrderApprovedBy=El pedido %s ha sido aprobado por %s. -EMailTextOrderRefused=El pedido %s ha sido rechazado. -EMailTextOrderRefusedBy=El pedido %s ha sido rechazado por %s. EMailTextHolidayValidated=Dejar solicitud %s ha sido validado. EMailTextHolidayApproved=Dejar solicitud %s ha sido aprobado. ImportedWithSet=Conjunto de datos de importación diff --git a/htdocs/langs/es_EC/products.lang b/htdocs/langs/es_EC/products.lang index 566b586e56d..48baadcc36d 100644 --- a/htdocs/langs/es_EC/products.lang +++ b/htdocs/langs/es_EC/products.lang @@ -43,7 +43,6 @@ CostPriceUsage=Este valor podría utilizarse para el cálculo del margen. SoldAmount=Cantidad vendida PurchasedAmount=Cantidad comprada EditSellingPriceLabel=Editar etiqueta de precio de venta -CantBeLessThanMinPrice=El precio de venta no puede ser inferior al mínimo permitido para este producto (%s sin impuestos). Este mensaje también puede aparecer si escribe un descuento demasiado importante. ErrorProductAlreadyExists=Ya existe un producto con la referencia %s. ErrorProductBadRefOrLabel=Valor incorrecto para referencia o etiqueta. ErrorProductClone=Se produjo un problema al intentar clonar el producto o servicio. @@ -177,7 +176,6 @@ VariantAttributes=Atributos variantes ProductAttributes=Atributos variantes para los productos ProductAttributeName=Atributo de variante %s ProductAttributeDeleteDialog=¿Seguro que desea eliminar este atributo? Todos los valores se eliminarán -ProductAttributeValueDeleteDialog=¿Seguro que desea eliminar el valor "%s" con la referencia "%s" de este atributo? ProductCombinationDeleteDialog=¿Seguro que quieres eliminar la variante del producto "%s"? ProductCombinationAlreadyUsed=Se ha producido un error al eliminar la variante. Compruebe que no se está utilizando en ningún objeto PropagateVariant=Propagación de variantes @@ -205,4 +203,3 @@ ErrorProductCombinationNotFound=Variante del producto no encontrada ActionAvailableOnVariantProductOnly=Acción solo disponible en la variante de producto ProductsPricePerCustomer=Precios de productos por cliente ProductSupplierExtraFields=Atributos adicionales (precios de proveedor) -PMPValue=Precio medio ponderado diff --git a/htdocs/langs/es_EC/projects.lang b/htdocs/langs/es_EC/projects.lang index 7a2e1f5293f..feb8cc33e48 100644 --- a/htdocs/langs/es_EC/projects.lang +++ b/htdocs/langs/es_EC/projects.lang @@ -23,9 +23,9 @@ ShowProject=Mostrar proyecto SetProject=Establecer proyecto NoProject=Ningún proyecto definido o propiedad TimeSpent=Tiempo usado +TimeSpentSmall=Tiempo usado TimeSpentByYou=Tiempo pasado por usted TimeSpentByUser=Tiempo empleado por el usuario -TimesSpent=Tiempo usado TaskId=ID de tarea RefTask=Tarea ref. LabelTask=Etiqueta de tarea @@ -142,7 +142,6 @@ ProjectOppAmountOfProjectsByMonth=Cantidad de clientes potenciales por mes ProjectWeightedOppAmountOfProjectsByMonth=Cantidad ponderada de clientes potenciales por mes TaskAssignedToEnterTime=Tarea asignada. Es posible introducir tiempo en esta tarea. IdTaskTime=Tiempo de la tarea de identificación -YouCanCompleteRef=Si desea completar la referencia con algún sufijo, se recomienda agregar un carácter - para separarlo, por lo que la numeración automática seguirá funcionando correctamente para los próximos proyectos. Por ejemplo %s-MYSUFFIX OnlyOpportunitiesShort=Solo clientes potenciales OpenedOpportunitiesShort=Clientes potenciales abiertos NotOpenedOpportunitiesShort=No es una pista abierta diff --git a/htdocs/langs/es_EC/propal.lang b/htdocs/langs/es_EC/propal.lang index 8b38cd39f9f..a36a47c211d 100644 --- a/htdocs/langs/es_EC/propal.lang +++ b/htdocs/langs/es_EC/propal.lang @@ -12,6 +12,7 @@ NewPropal=Nueva propuesta Prospect=Prospecto DeleteProp=Eliminar propuesta comercial ValidateProp=Validar propuesta comercial +CancelPropal=Cancelar AddProp=Crear propuesta ConfirmDeleteProp=¿Estás seguro de que quieres eliminar esta propuesta comercial? ConfirmValidateProp=¿Está seguro de que desea validar esta propuesta comercial bajo el nombre %s? @@ -30,6 +31,7 @@ PropalsOpened=Abierto PropalStatusDraft=Proyecto (necesita ser validado) PropalStatusValidated=Validado (la propuesta está abierta) PropalStatusSigned=Firmado (necesita facturación) +PropalStatusCanceledShort=Cancelado PropalsToClose=Propuestas comerciales para cerrar PropalsToBill=Firmar propuestas comerciales para facturar ListOfProposals=Lista de propuestas comerciales diff --git a/htdocs/langs/es_EC/receptions.lang b/htdocs/langs/es_EC/receptions.lang index 17103f3b6d9..27684aab0b5 100644 --- a/htdocs/langs/es_EC/receptions.lang +++ b/htdocs/langs/es_EC/receptions.lang @@ -15,9 +15,7 @@ StatusReceptionCanceled=Cancelado StatusReceptionProcessed=Procesada StatusReceptionProcessedShort=Procesada ConfirmDeleteReception=¿Seguro que quieres borrar esta recepción? -ConfirmValidateReception=¿Seguro que quieres validar esta recepción con referencia %s? ConfirmCancelReception=¿Seguro que quieres cancelar esta recepción? -StatsOnReceptionsOnlyValidated=Estadísticas realizadas en recepciones solo validadas. Los datos utilizados son la fecha de validación de la recepción (la fecha de entrega planificada no siempre se conoce). SendReceptionByEMail=Enviar recepción por correo electrónico SendReceptionRef=Presentación de la recepción %s ActionsOnReception=Eventos en recepción diff --git a/htdocs/langs/es_EC/sendings.lang b/htdocs/langs/es_EC/sendings.lang index f415c98f79e..bb2c889c189 100644 --- a/htdocs/langs/es_EC/sendings.lang +++ b/htdocs/langs/es_EC/sendings.lang @@ -24,7 +24,6 @@ StatusSendingValidatedShort=validado StatusSendingProcessedShort=Procesada SendingSheet=Hoja de envío ConfirmDeleteSending=¿Seguro que desea eliminar este envío? -ConfirmValidateSending=¿Está seguro de que desea validar este envío con la referencia %s? ConfirmCancelSending=¿Seguro que desea cancelar este envío? DocumentModelMerou=Modelo A5 de Merou WarningNoQtyLeftToSend=Advertencia, ningunos productos que esperan para ser enviados. diff --git a/htdocs/langs/es_EC/website.lang b/htdocs/langs/es_EC/website.lang index 15fd76f06cc..79935f1bc24 100644 --- a/htdocs/langs/es_EC/website.lang +++ b/htdocs/langs/es_EC/website.lang @@ -48,8 +48,6 @@ GoTo=Ir DynamicPHPCodeContainsAForbiddenInstruction=Agrega código PHP dinámico que contiene la instrucción PHP ' %s ' que está prohibido por defecto como contenido dinámico (ver opciones ocultas WEBSITE_PHP_ALLOW_xxx para aumentar la lista de comandos permitidos). NotAllowedToAddDynamicContent=No tiene permiso para agregar o editar contenido dinámico PHP en sitios web. Pida permiso o simplemente mantenga el código en las etiquetas php sin modificar. ReplaceWebsiteContent=Buscar o reemplazar contenido del sitio web -DeleteAlsoJs=¿Eliminar también todos los archivos JavaScript específicos de este sitio web? -DeleteAlsoMedias=¿Eliminar también todos los archivos multimedia específicos de este sitio web? MyWebsitePages=Mis páginas del sitio web SearchReplaceInto=Búsqueda | Reemplazar en CSSContentTooltipHelp=Ingrese aquí el contenido CSS. Para evitar cualquier conflicto con el CSS de la aplicación, asegúrese de anteponer todas las declaraciones con la clase .bodywebsite. Por ejemplo:

      #mycssselector, input.myclass:hover { ... }
      debe ser
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Nota: Si tiene un archivo grande sin este prefijo, puede usar 'lessc' para convertirlo y agregar el prefijo .bodywebsite en todas partes.\n  diff --git a/htdocs/langs/es_EC/withdrawals.lang b/htdocs/langs/es_EC/withdrawals.lang index abd78011f85..9292ce7c306 100644 --- a/htdocs/langs/es_EC/withdrawals.lang +++ b/htdocs/langs/es_EC/withdrawals.lang @@ -19,7 +19,6 @@ LastWithdrawalReceipt=Últimos recibos de débito directo %s MakeWithdrawRequest=Realizar una solicitud de pago por débito directo WithdrawRequestsDone=%s solicitudes de pago por débito directo registradas ThirdPartyBankCode=Código bancario de terceros -NoInvoiceCouldBeWithdrawed=Ninguna factura debitada con éxito. Verifique que las facturas estén en compañías con un IBAN válido y que el IBAN tenga un UMR (referencia única de mandato) con el modo %s. ClassCredited=Clasificar acreditado ClassCreditedConfirm=¿Seguro que desea clasificar este recibo de retiro como acreditado en su cuenta bancaria? TransData=Fecha de transmisión @@ -30,8 +29,6 @@ WithdrawalRefusedConfirm=¿Está seguro de que desea introducir un rechazo de re RefusedData=Fecha de rechazo RefusedReason=Motivo del rechazo RefusedInvoicing=Facturación del rechazo -NoInvoiceRefused=No cargue el rechazo -InvoiceRefused=Factura rechazada (Cargar el rechazo al cliente) StatusWaiting=Esperando StatusTrans=Enviado StatusCredited=Acreditado @@ -60,7 +57,6 @@ SetToStatusSent=Establecer en estado "Archivo enviado" StatisticsByLineStatus=Estadísticas por estado de las líneas RUMLong=Referencia única de mandato RUMWillBeGenerated=Si está vacío, se generará una UMR (referencia de mandato única) una vez que se guarde la información de la cuenta bancaria. -WithdrawMode=Modo de débito directo (FRST o RECUR) WithdrawRequestAmount=Importe de la solicitud de domiciliación bancaria: WithdrawRequestErrorNilAmount=No se puede crear una solicitud de domiciliación bancaria por cantidad vacía. SepaMandate=Mandato de Débito Directo SEPA @@ -86,3 +82,4 @@ InfoTransData=Cantidad: %s
      Método: %s
      Fecha: %s InfoRejectSubject=Orden de pago por débito directo rechazada InfoRejectMessage=Hola,

      la orden de pago por débito directo de la factura %s relacionada con la empresa %s, con una cantidad de %s ha sido rechazada por el banco.

      --
      %s ModeWarning=Opción para el modo real no se estableció, nos detenemos después de esta simulación +RefSalary=Sueldo diff --git a/htdocs/langs/es_EC/workflow.lang b/htdocs/langs/es_EC/workflow.lang index 1ae33221454..a0dbe4e4f5e 100644 --- a/htdocs/langs/es_EC/workflow.lang +++ b/htdocs/langs/es_EC/workflow.lang @@ -5,10 +5,3 @@ descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Crear automáticamente un pedido de ventas descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Cree automáticamente una factura de cliente después de que se firme una propuesta comercial (la nueva factura tendrá el mismo monto que la propuesta) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente después de validar un contrato descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente después de cerrar un pedido de ventas (la nueva factura tendrá el mismo importe que el pedido) -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasifique la propuesta de origen vinculada como facturada cuando el pedido de ventas esté configurado como facturado (y si el monto del pedido es el mismo que el monto total de la propuesta vinculada firmada) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasifique la propuesta de origen vinculado como facturada cuando la factura del cliente se valida (y si el monto de la factura es el mismo que el monto total de la propuesta vinculada firmada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasifique el pedido de ventas de origen vinculado como facturado cuando se valida la factura del cliente (y si el monto de la factura es el mismo que el monto total del pedido vinculado) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasifique el pedido de ventas de origen vinculado como facturado cuando la factura del cliente se establece como pagada (y si el monto de la factura es el mismo que el monto total del pedido vinculado) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasifique el pedido de ventas de origen vinculado como enviado cuando se valida un envío (y si la cantidad enviada por todos los envíos es la misma que en el pedido para actualizar) -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasifique la propuesta del proveedor de origen vinculado como facturada cuando se valida la factura del proveedor (y si el monto de la factura es el mismo que el monto total de la propuesta vinculada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasifique la orden de compra de origen vinculado como facturada cuando se valida la factura del proveedor (y si el monto de la factura es el mismo que el monto total del pedido vinculado) diff --git a/htdocs/langs/es_ES/accountancy.lang b/htdocs/langs/es_ES/accountancy.lang index 4a898326dac..29bef6da787 100644 --- a/htdocs/langs/es_ES/accountancy.lang +++ b/htdocs/langs/es_ES/accountancy.lang @@ -38,7 +38,7 @@ DeleteCptCategory=Eliminar la cuenta contable del grupo ConfirmDeleteCptCategory=¿Está seguro de querer eliminar esta cuenta contable del grupo de cuentas contables? JournalizationInLedgerStatus=Estado de diario AlreadyInGeneralLedger=Ya transferido en diarios contables y libro mayor -NotYetInGeneralLedger=Aún no se ha transferido a los diarios contables y al libro mayor +NotYetInGeneralLedger=Aún no transferido a los diarios contables y al libro mayor GroupIsEmptyCheckSetup=El grupo está vacío, compruebe la configuración de grupos contables DetailByAccount=Ver detalles por cuenta DetailBy=Detalle por @@ -53,15 +53,13 @@ ExportAccountingSourceDocHelp=Con esta herramienta, puede buscar y exportar los ExportAccountingSourceDocHelp2=Para exportar sus diarios, use la entrada de menú %s - %s. ExportAccountingProjectHelp=Especifique un proyecto si necesita un informe contable solo para un proyecto específico. Los informes de gastos y los pagos de préstamos no se incluyen en los informes de proyectos. ExportAccountancy=Exportar contabilidad -WarningDataDisappearsWhenDataIsExported=Advertencia, esta lista contiene solo los asientos contables que aún no se han exportado (la fecha de exportación está vacía). Si desea incluir los asientos contables ya exportados para volver a exportarlos, haga clic en el botón de arriba. +WarningDataDisappearsWhenDataIsExported=Advertencia, esta lista contiene solo los asientos contables que aún no se han exportado (la fecha de exportación está vacía). Si desea incluir los asientos contables ya exportados, haga clic en el botón de arriba. VueByAccountAccounting=Ver por cuenta contable VueBySubAccountAccounting=Ver por subcuenta contable MainAccountForCustomersNotDefined=Cuenta principal (del Plan Contable) para clientes no definidos en la configuración MainAccountForSuppliersNotDefined=Cuenta principal (del Plan Contable) para proveedores no definidos en la configuración MainAccountForUsersNotDefined=Cuenta principal (del Plan Contable) para usuarios no definidos en la configuración -MainAccountForRevenueStampSaleNotDefined=Cuenta (del Plan Contable) para el sello de ingresos (ventas) no definido en la configuración -MainAccountForRevenueStampPurchaseNotDefined=Cuenta (del Plan Contable) para el sello de ingresos (compras) no definido en la configuración MainAccountForVatPaymentNotDefined=Cuenta (del Plan Contable) para el pago del IVA no definida en la configuración MainAccountForSubscriptionPaymentNotDefined=Cuenta (del Plan Contable) para pago de membresía no definida en la configuración MainAccountForRetainedWarrantyNotDefined=Cuenta (del Plan Contable) para la garantía retenida no definida en la configuración @@ -70,13 +68,14 @@ UserAccountNotDefined=Cuenta contable para usuarios no definida en la configurac AccountancyArea=Área contabilidad AccountancyAreaDescIntro=El uso del módulo de contabilidad se realiza en varios pasos: AccountancyAreaDescActionOnce=Las siguientes acciones se ejecutan normalmente una sola vez, o una vez al año... -AccountancyAreaDescActionOnceBis=Se deben realizar los siguientes pasos para ahorrarle tiempo en el futuro al sugerirle automáticamente la cuenta contable predeterminada correcta al transferir datos en la contabilidad. +AccountancyAreaDescActionOnceBis=Se deben realizar los siguientes pasos para ahorrarle tiempo en el futuro sugiriéndole automáticamente la cuenta contable predeterminada correcta al transferir datos en contabilidad. AccountancyAreaDescActionFreq=Las siguientes acciones se ejecutan normalmente cada mes, semana o día en empresas muy grandes... AccountancyAreaDescJournalSetup=PASO %s: verifique el contenido de su lista de diarios desde el menú %s AccountancyAreaDescChartModel=PASO %s: Verifique que exista un modelo de plan de cuenta o cree uno desde el menú %s AccountancyAreaDescChart=PASO %s: Seleccione y/o complete su plan de cuenta desde el menú %s +AccountancyAreaDescFiscalPeriod=PASO %s: Defina un año fiscal por defecto en el que integrar sus asientos contables. Para ello, utilice la entrada del menú %s. AccountancyAreaDescVat=PASO %s: Defina las cuentas contables para cada tasa de IVA. Para ello puede usar el menú %s. AccountancyAreaDescDefault=PASO %s: Defina las cuentas contables predeterminadas. Para ello puede utilizar el menú %s. AccountancyAreaDescExpenseReport=PASO %s: Definir cuentas contables predeterminadas para cada tipo de informe de gastos. Para ello, utilice la entrada de menú %s. @@ -84,19 +83,20 @@ AccountancyAreaDescSal=PASO %s: Defina las cuentas contables para los pagos de s AccountancyAreaDescContrib=PASO %s: Definir cuentas contables por defecto para Impuestos (gastos especiales). Para ello, utilice la entrada de menú %s. AccountancyAreaDescDonation=PASO %s: Defina las cuentas contables para las donaciones. Para ello puede utilizar el menú %s. AccountancyAreaDescSubscription=PASO %s: Defina las cuentas contables para las subscripciones. Para ello puede utilizar el menú %s. -AccountancyAreaDescMisc=PASO %s: Defina las cuentas contables para registros varios. Para ello puede utilizar el menú %s. +AccountancyAreaDescMisc=PASO %s: Defina cuentas predeterminadas obligatorias y cuentas contables predeterminadas para transacciones diversas. Para ello, utilice la entrada del menú %s. AccountancyAreaDescLoan=PASO %s: Defina las cuentas contables para los préstamos. Para ello puede utilizar el menú %s.\n AccountancyAreaDescBank=PASO %s: Defina las cuentas contables para cada banco y cuentas financieras. Puede empezar desde la página %s. AccountancyAreaDescProd=PASO %s: Defina cuentas contables en sus Productos/Servicios. Para ello, utilice la entrada de menú %s. AccountancyAreaDescBind=PASO %s: Compruebe que los enlaces entre las líneas %s existentes y las cuentas contables es correcta, para que la aplicación pueda registrar las transacciones en el Libro Mayor en un solo clic. Complete los enlaces que falten. Para ello, utilice la entrada de menú %s. AccountancyAreaDescWriteRecords=PASO %s: Escribir las transacciones en el Libro Mayor. Para ello, entre en el menú %s, y haga clic en el botón %s. -AccountancyAreaDescAnalyze=PASO %s: Añadir o editar transacciones existentes, generar informes y exportaciones. - -AccountancyAreaDescClosePeriod=PASO %s: Cerrar periodo, por lo que no podrá hacer modificaciones en un futuro. +AccountancyAreaDescAnalyze=PASO %s: Leer informes o generar archivos de exportación para otros contables. +AccountancyAreaDescClosePeriod=PASO %s: Cerrar el período para que no podamos transferir más datos en el mismo período en el futuro. +TheFiscalPeriodIsNotDefined=No se ha completado un paso obligatorio en la configuración (el período fiscal no está definido) TheJournalCodeIsNotDefinedOnSomeBankAccount=No se ha completado un paso obligatorio en la configuración (el diario de códigos de contabilidad no está definido para todas las cuentas bancarias) Selectchartofaccounts=Seleccione un plan contable activo +CurrentChartOfAccount=Cuenta de resultados activa actual. ChangeAndLoad=Cambiar y cargar Addanaccount=Añadir una cuenta contable AccountAccounting=Cuenta contable @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Gestiona el cero al final de una cuenta contable. Necesar BANK_DISABLE_DIRECT_INPUT=Desactivar transacciones directas en cuenta bancaria ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Habilitar exportación de borradores al diario ACCOUNTANCY_COMBO_FOR_AUX=Habilite la lista combinada para la cuenta subsidiaria (puede ser lento si tiene muchos terceros, rompa la capacidad de buscar en una parte del valor) -ACCOUNTING_DATE_START_BINDING=Defina una fecha para comenzar a vincular y transferir en contabilidad. Por debajo de esta fecha, las transacciones no se transferirán a contabilidad. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=En la transferencia de contabilidad, ¿cuál es el período seleccionado por defecto? +ACCOUNTING_DATE_START_BINDING=Deshabilite la vinculación y transferencia en contabilidad cuando la fecha sea inferior a esta fecha (las transacciones anteriores a esta fecha se excluirán de forma predeterminada) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=En la página para transferir datos a contabilidad, ¿cuál es el período seleccionado por defecto? ACCOUNTING_SELL_JOURNAL=Diario de ventas - ventas y devoluciones ACCOUNTING_PURCHASE_JOURNAL=Diario de compras - compras y devoluciones @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Diario social ACCOUNTING_RESULT_PROFIT=Cuenta contable de resultados (Ganancias) ACCOUNTING_RESULT_LOSS=Cuenta contable de resultados (Pérdidas) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Diario de cierre +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Grupos contables utilizados para la cuenta del balance (separados por coma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Grupos contables utilizados para la cuenta de resultados (separados por coma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Cuenta (del Plan Contable) que se utilizará como cuenta para transferencias bancarias transitorias TransitionalAccount=Cuenta de transferencia bancaria de transición @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Consulta aquí el listado de las líneas de facturas clie DescVentilTodoCustomer=Enlazar líneas de factura que aún no están enlazadas con una cuenta de producto del plan de cuentas ChangeAccount=Cambie la cuenta de producto/servicio (del plan de cuentas) para las líneas seleccionadas con la siguiente cuenta: Vide=- -DescVentilSupplier=Consulte aquí la lista de líneas de factura de proveedor vinculadas o aún no vinculadas a una cuenta de producto del plan de cuentas (solo se ven los registros que aún no se han transferido en contabilidad) +DescVentilSupplier=Consulte aquí la lista de líneas de factura de proveedor vinculadas o aún no vinculadas a una cuenta de producto del plan de cuentas (solo son visibles los registros que aún no se han transferido en contabilidad) DescVentilDoneSupplier=Consulte aquí las líneas de facturas de proveedores y sus cuentas contables DescVentilTodoExpenseReport=Contabilizar líneas de informes de gastos aún no contabilizadas con una cuenta contable de gastos DescVentilExpenseReport=Consulte aquí la lista de líneas de informes de gastos (o no) a una cuenta contable de gastos @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=Si configura la cuentas contables de los tipos de in DescVentilDoneExpenseReport=Consulte aquí las líneas de informes de gastos y sus cuentas contables Closure=Cierre anual -DescClosure=Consulta aquí el número de movimientos por mes aún no validados y bloqueados +AccountancyClosureStep1Desc=Consulta aquí el número de movimientos por mes aún no validados y bloqueados OverviewOfMovementsNotValidated=Resumen de movimientos no validados y bloqueados AllMovementsWereRecordedAsValidated=Todos los movimientos fueron registrados como validados y bloqueados. NotAllMovementsCouldBeRecordedAsValidated=No todos los movimientos se pudieron registrar como validados y bloqueados @@ -341,7 +343,7 @@ AccountingJournalType3=Compras AccountingJournalType4=Banco AccountingJournalType5=Gastos AccountingJournalType8=Inventario -AccountingJournalType9=Haber +AccountingJournalType9=Ganancias retenidas GenerationOfAccountingEntries=Generación de asientos contables ErrorAccountingJournalIsAlreadyUse=Este diario ya esta siendo usado AccountingAccountForSalesTaxAreDefinedInto=Nota: La cuenta contable del IVA a las ventas se define en el menú %s - %s @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Deshabilitar la vinculación y transfere ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Desactive la vinculación y transferencia en contabilidad en informes de gastos (los informes de gastos no se tendrán en cuenta en la contabilidad) ACCOUNTING_ENABLE_LETTERING=Habilitar la función de letras en la contabilidad. ACCOUNTING_ENABLE_LETTERING_DESC=Cuando esta opción está habilitada, puede definir, en cada asiento contable, un código para que pueda agrupar diferentes movimientos contables. En el pasado, cuando las diferentes revistas se administraban de forma independiente, esta característica era necesaria para agrupar las líneas de movimiento de diferentes revistas. Sin embargo, con la contabilidad de Dolibarr, dicho código de seguimiento, llamado " %s " ya se guarda automáticamente, por lo que ya se realiza una escritura automática, sin riesgo de error, por lo que esta función se ha vuelto inútil para un uso común. La función de letras manuales se proporciona para los usuarios finales que realmente no confían en el motor de la computadora que realiza la transferencia de datos en la contabilidad. -EnablingThisFeatureIsNotNecessary=Habilitar esta función ya no es necesario para una gestión contable rigurosa. +EnablingThisFeatureIsNotNecessary=Habilitar esta característica ya no es necesario para una gestión contable rigurosa. ACCOUNTING_ENABLE_AUTOLETTERING=Habilite las letras automáticas al transferir a contabilidad -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=El código para las letras se genera e incrementa automáticamente y el usuario final no lo elige +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=El código de las letras se genera e incrementa automáticamente y no lo elige el usuario final. +ACCOUNTING_LETTERING_NBLETTERS=Número de letras al generar código de letras (predeterminado 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Algunos programas de contabilidad sólo aceptan un código de dos letras. Este parámetro le permite configurar este aspecto. El número predeterminado de letras es tres. OptionsAdvanced=Opciones avanzadas ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activar la gestión del cobro revertido del IVA en las compras a proveedores -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Cuando esta opción está habilitada, puede definir que un proveedor o una factura de proveedor determinada se transfiera a la contabilidad de manera diferente: se generará una línea de débito y crédito adicional en la contabilidad en 2 cuentas dadas desde el plan de cuentas definido en el "%s " página de configuración. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Cuando esta opción está habilitada, puede definir que un proveedor o una factura de proveedor determinada debe transferirse a la contabilidad de manera diferente: se generará un débito adicional y una línea de crédito en la contabilidad en 2 cuentas determinadas del plan de cuentas definido en "%s" página de configuración. ## Export NotExportLettering=No exportar las letras al generar el archivo. @@ -420,7 +424,7 @@ SaleLocal=Venta local SaleExport=Venta de exportación SaleEEC=Venta en CEE SaleEECWithVAT=Venta en CEE con un IVA no nulo, por lo que suponemos que esto NO es una venta intracomunitaria y la cuenta sugerida es la cuenta de producto estándar. -SaleEECWithoutVATNumber=Venta en CEE sin IVA pero no se define el ID de IVA de terceros. Recurrimos a la cuenta para las ventas estándar. Puede corregir el ID de IVA del tercero o cambiar la cuenta de producto sugerida para el enlace si es necesario. +SaleEECWithoutVATNumber=Venta en CEE sin IVA pero no definido el NIF del tercero. Recurrimos a la cuenta de ventas estándar. Puede corregir el ID de IVA del tercero o cambiar la cuenta del producto sugerida para vinculación si es necesario. ForbiddenTransactionAlreadyExported=Prohibido: La transacción ha sido validada y / o exportada. ForbiddenTransactionAlreadyValidated=Prohibido: la transacción ha sido validada. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Sin modificación no reconciliada AccountancyOneUnletteringModifiedSuccessfully=Una no reconciliada modificada con éxito AccountancyUnletteringModifiedSuccessfully=%s no reconciliado modificado con éxito +## Closure +AccountancyClosureStep1=Paso 1: Validar y bloquear los movimientos +AccountancyClosureStep2=Paso 2: Cerrar el período fiscal +AccountancyClosureStep3=Paso 3: extraer entradas (opcional) +AccountancyClosureClose=Cerrar periodo fiscal +AccountancyClosureAccountingReversal=Extraer y registrar entradas de "Ganancias retenidas" +AccountancyClosureStep3NewFiscalPeriod=Próximo período fiscal +AccountancyClosureGenerateClosureBookkeepingRecords=Generar entradas de "Utilidades retenidas" en el próximo período fiscal +AccountancyClosureSeparateAuxiliaryAccounts=Al generar los asientos de "Ganancias retenidas", detalle las cuentas del libro auxiliar +AccountancyClosureCloseSuccessfully=El período fiscal se ha cerrado con éxito +AccountancyClosureInsertAccountingReversalSuccessfully=Los asientos contables para "Ganancias retenidas" se han insertado correctamente + ## Confirm box ConfirmMassUnletteringAuto=Confirmación masiva de anulación de conciliación automática ConfirmMassUnletteringManual=Confirmación de no conciliación manual masiva ConfirmMassUnletteringQuestion=¿Está seguro de que desea anular la conciliación de los %sregistros seleccionados? ConfirmMassDeleteBookkeepingWriting=Confirmación de borrado en lote ConfirmMassDeleteBookkeepingWritingQuestion=Esto eliminará la transacción de la contabilidad (se eliminarán todas las entradas de línea relacionadas con la misma transacción). ¿Está seguro de que desea eliminar las entradas seleccionadas %s? +AccountancyClosureConfirmClose=¿Está seguro de que desea cerrar el período fiscal actual? Usted comprende que cerrar el período fiscal es una acción irreversible y bloqueará permanentemente cualquier modificación o eliminación de entradas durante este período . +AccountancyClosureConfirmAccountingReversal=¿Está seguro de que desea registrar entradas para las "Ganancias retenidas"? ## Error SomeMandatoryStepsOfSetupWereNotDone=Algunos pasos necesarios de la configuración no están realizados, por favor complételos. -ErrorNoAccountingCategoryForThisCountry=No hay grupos contables disponibles para %s (Vea Inicio - Configuración - Diccionarios) +ErrorNoAccountingCategoryForThisCountry=No hay ningún grupo de cuentas contables disponible para el país %s (Ver %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Intenta hacer un diario de algunas líneas de la factura %s, pero algunas otras líneas aún no están vinculadas a cuentas contables. Se rechaza la contabilización de todas las líneas de factura de esta factura. ErrorInvoiceContainsLinesNotYetBoundedShort=Algunas líneas de la factura no están vinculadas a cuentas contables. ExportNotSupported=El formato de exportación configurado no es soportado en esta página @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=El saldo (%s) no es igual a 0 AccountancyErrorLetteringBookkeeping=Se han producido errores con respecto a las transacciones: %s ErrorAccountNumberAlreadyExists=El número de contabilidad %s ya existe ErrorArchiveAddFile=No se puede poner el archivo "%s" en el archivo +ErrorNoFiscalPeriodActiveFound=No se encontró ningún período fiscal activo +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=La fecha del documento contable no está dentro del período fiscal activo. +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=La fecha del documento contable está dentro de un período fiscal cerrado. ## Import ImportAccountingEntries=Entradas contables diff --git a/htdocs/langs/es_ES/admin.lang b/htdocs/langs/es_ES/admin.lang index 97b47a902b5..c7ac7727726 100644 --- a/htdocs/langs/es_ES/admin.lang +++ b/htdocs/langs/es_ES/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Este módulo no parece compatible con su Dolibarr %s (Min %s - Max CompatibleAfterUpdate=Este módulo requiere una actualización de su Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=Ver en la tienda SeeSetupOfModule=Vea la configuración del módulo %s +SeeSetupPage=Consulte la página de configuración en %s +SeeReportPage=Consulte la página del informe en %s SetOptionTo=Establezca la opción %s en %s Updated=Actualizado AchatTelechargement=Comprar/Descargar @@ -292,22 +294,22 @@ EmailSenderProfiles=Perfiles de remitentes de e-mails EMailsSenderProfileDesc=Puede mantener esta sección vacía. Si indica algunos e-mails aquí, se agregarán a la lista de posibles remitentes en el combobox cuando escriba un nuevo e-mail MAIN_MAIL_SMTP_PORT=Puerto del servidor SMTP (Por defecto en php.ini: %s) MAIN_MAIL_SMTP_SERVER=Nombre host o ip del servidor SMTP (Por defecto en php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Puerto del servidor SMTP (No definido en PHP en sistemas de tipo Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Nombre servidor o ip del servidor SMTP (No definido en PHP en sistemas de tipo Unix) -MAIN_MAIL_EMAIL_FROM=E-mail del remitente para e-mails automáticos (por defecto en php.ini: %s) -EMailHelpMsgSPFDKIM=Para evitar que los correos electrónicos de Dolibarr se clasifiquen como spam, asegúrese de que el servidor esté autorizado para enviar correos electrónicos desde esta dirección mediante la configuración SPF y DKIM. +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Puerto SMTP/SMTPS +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Anfitrión SMTP/SMTPS +MAIN_MAIL_EMAIL_FROM=Correo electrónico del remitente para correos electrónicos automáticos +EMailHelpMsgSPFDKIM=Para evitar que los correos electrónicos de Dolibarr se clasifiquen como spam, asegúrese de que el servidor esté autorizado para enviar correos electrónicos con esta identidad (verificando la configuración SPF y DKIM del nombre de dominio). MAIN_MAIL_ERRORS_TO=E-mail a usar para los e-mails de error enviados (campo 'Errors-To' en los emails enviados) MAIN_MAIL_AUTOCOPY_TO= Enviar copia oculta (Bcc) de todos los emails enviados a MAIN_DISABLE_ALL_MAILS=Deshabilitar todos los envíos de e-mail (para propósitos de prueba o demostraciones) MAIN_MAIL_FORCE_SENDTO=Enviar todos los e-mails a (en lugar de destinatarios reales, para pruebas) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Sugerir e-mails de empleados (si están definidos) en la lista de destinatarios predefinidos al escribir un nuevo e-mail -MAIN_MAIL_NO_WITH_TO_SELECTED=No seleccione un destinatario predeterminado, incluso si es de elección única +MAIN_MAIL_NO_WITH_TO_SELECTED=No seleccione un destinatario predeterminado incluso si solo hay una opción posible MAIN_MAIL_SENDMODE=Método de envío de e-mails MAIN_MAIL_SMTPS_ID=ID de autentificación SMTP (si el servidor requiere autenticación) MAIN_MAIL_SMTPS_PW=Contraseña SMTP (si el servidor requiere autentificación) MAIN_MAIL_EMAIL_TLS=Usar encriptación TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Uso de encriptación TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizar los certificados auto-firmados +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizar certificados autofirmados MAIN_MAIL_EMAIL_DKIM_ENABLED=Usar DKIM para generar firma de e-mail MAIN_MAIL_EMAIL_DKIM_DOMAIN=Dominio de e-mail para usar con dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Nombre del selector dkim @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Clave privada para la firma dkim MAIN_DISABLE_ALL_SMS=Desactivar globalmente todo envío de SMS (para modo de pruebas o demo) MAIN_SMS_SENDMODE=Método de envío de SMS MAIN_MAIL_SMS_FROM=Número de teléfono por defecto para los envíos SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Remitente de e-mails para envíos manuales (e-mail del usuario o e-mail de la empresa) +MAIN_MAIL_DEFAULT_FROMTYPE=Correo electrónico del remitente predeterminado preseleccionado en formularios para enviar correos electrónicos UserEmail=e-mail de usuario CompanyEmail=E-mail de empresa FeatureNotAvailableOnLinux=Funcionalidad no disponible en sistemas Unix. Pruebe su sendmail localmente. @@ -417,6 +419,7 @@ PDFLocaltax=Reglas para %s HideLocalTaxOnPDF=Ocultar la tasa %s en la columna de impuesto / IVA HideDescOnPDF=Ocultar descripción de los productos HideRefOnPDF=Ocultar referencia de los productos +ShowProductBarcodeOnPDF=Mostrar el número de código de barras de los productos. HideDetailsOnPDF=Ocultar detalles de las líneas de productos PlaceCustomerAddressToIsoLocation=Usar posición estándar francesa (La Poste) para la posición de la dirección del cliente Library=Librería @@ -424,7 +427,7 @@ UrlGenerationParameters=Seguridad de las URLs SecurityTokenIsUnique=¿Usar un parámetro securekey único para cada URL? EnterRefToBuildUrl=Introduzca la referencia del objeto %s GetSecuredUrl=Obtener la URL calculada -ButtonHideUnauthorized=Ocultar los botones de acción no autorizados también para los usuarios internos (solo en gris de lo contrario) +ButtonHideUnauthorized=Ocultar botones de acción no autorizados también para usuarios internos (de lo contrario, aparecerán atenuados) OldVATRates=Tasa de IVA antigua NewVATRates=Tasa de IVA nueva PriceBaseTypeToChange=Cambiar el precio cuya referencia de base es @@ -458,11 +461,11 @@ ComputedFormula=Campo combinado ComputedFormulaDesc=Puede ingresar aquí una fórmula utilizando otras propiedades del objeto o cualquier codificación PHP para obtener un valor calculado dinámico. Puede usar cualquier fórmula compatible con PHP, incluido el "?" operador de condición y siguiente objeto global: $db, $conf, $langs, $mysoc, $user, $object.
      ADVERTENCIA: Solo algunas propiedades de $object pueden estar disponibles. Si necesita propiedades no cargadas, simplemente busque el objeto en su fórmula como en el segundo ejemplo.
      El uso de un campo calculado significa que no puede ingresar ningún valor desde la interfaz. Además, si hay un error de sintaxis, la fórmula puede no devolver nada.

      Ejemplo de fórmula:
      $object-> id < 10 ? round($object-> id / 2, 2):($object-> id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2 )

      Ejemplo para recargar el objeto
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($obj->id ? $obj->id: ($obj->rowid ? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'

      Otro ejemplo de fórmula para forzar la carga del objeto y su objeto principal:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Proyecto principal no encontrado' Computedpersistent=Almacenar campo combinado ComputedpersistentDesc=Los campos adicionales calculados se almacenarán en la base de datos, sin embargo, el valor solo se volverá a calcular cuando se cambie el objeto de este campo. ¡Si el campo calculado depende de otros objetos o datos globales, este valor podría ser incorrecto! -ExtrafieldParamHelpPassword=Mantener este campo vacío significa que el valor se almacenará sin cifrado (el campo permanecerá solo oculto con estrellas en la pantalla).
      Establezca aquí el valor 'auto' para usar la regla de cifrado predeterminada para guardar la contraseña en la base de datos (entonces el valor leído será solo el hash, no hay forma de recuperar el valor original) +ExtrafieldParamHelpPassword=Dejar este campo en blanco significa que este valor se almacenará SIN cifrado (el campo simplemente está oculto con estrellas en la pantalla).

      Intro value 'dolcrypt' para codificar el valor con un algoritmo de cifrado reversible. Los datos claros aún se pueden conocer y editar, pero se cifran en la base de datos.

      Ingrese 'auto' (o 'md5', 'sha256', 'password_hash', ...) para usar el algoritmo de cifrado de contraseña predeterminado (o md5, sha256, contraseña_hash...) para guardar la contraseña hash no reversible en la base de datos (no hay forma de recuperar el valor original) ExtrafieldParamHelpselect=El listado de valores tiene que ser líneas key,valor

      por ejemplo:
      1,value1
      2,value2
      3,value3
      ...

      Para tener una lista en funcion de campos adicionales de lista:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      Para tener la lista en función de otra:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=El listado de valores tiene que ser líneas con el formato key,valor

      por ejemplo:
      1,value1
      2,value2
      3,value3
      ... ExtrafieldParamHelpradio=El listado de valores tiene que ser líneas con el formato key,valor (donde key no puede ser 0)

      por ejemplo:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=La lista de valores proviene de una tabla
      Sintaxis: nombre_tabla:campo_etiqueta:campo_id::filtrosql
      Ejemplo: c_typent:libelle:id::filtrosql

      - campo_id es obligatoriamente una clave entera primaria
      - filtrosql es una condición SQL. Puede ser una prueba simple (por ejemplo, activo=1) para mostrar solo el valor activo
      También puede usar $ID$ en el filtro, que es el ID actual del objeto actual
      Para usar un SELECT en el filtro, use la palabra clave $SEL$ para evitar la protección anti-inyección.
      Si desea filtrar en campos extra, use la sintaxis extra.fieldcode=... (donde el código de campo es el código del campo extra).

      Para que la lista dependa de otra lista de atributos complementarios:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      Para que la lista dependa de otra lista:
      c_typent:libelle:id: parent_list_code |parent_column:filter +ExtrafieldParamHelpsellist=La lista de valores proviene de una tabla
      Sintaxis: table_name:label_field:id_field::filtersql
      Ejemplo: c_typent:libelle:id ::filtersql

      - id_field es necesariamente una clave int primaria
      - filtersql es una condición SQL. Puede ser una prueba simple (por ejemplo, active=1) mostrar solo el valor activo
      También puede usar $ID$ en el filtro, que es la identificación actual del objeto actual
      Para usar SELECT en el filtro, use la palabra clave $SEL$ para omitir la protección anti-inyección.
      si desea filtrar en campos adicionales use la sintaxis extra.fieldcode=... (donde el código de campo es el código de campo extra)

      Para tener el lista dependiendo de otra lista de atributos complementarios:
      c_typent:libelle:id:options_parent_list_code |parent_column:filter

      Para que la lista dependa de otra lista:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Lista de valores proviene de una tabla
      Sintaxis: nombre_tabla:campo_etiqueta: campo_id::filtrosql
      Ejemplo: c_typent:libelle:id::filtrosql

      Filtrosql puede ser una prueba simple (por ejemplo, activa = 1) para mostrar sólo el valor activo.
      También puede utilizar $ID$ en el filtro que es el id actual del objeto actual.
      Para hacer un SELECT en el filtro use $SEL$
      Si desea filtrar en campos adicionales utilice la sintaxis extra.fieldcode=...(donde fieldcode es el código de campo adicional)

      Para que la lista dependa de otra lista de campos adicionales:
      c_typent: libelle:id:options_ parent_list_code | parent_column:filter

      Para que la lista dependa de otra lista:
      c_typent:libelle:id: parent_list_code | parent_column:filter ExtrafieldParamHelplink=Los parámetros deben ser NombreObjeto:RutaClase
      Sintaxis: NombreObjeto:RutaClase ExtrafieldParamHelpSeparator=Mantener vacío para un separador simple
      Establezca a 1 para un separador de colapso (abierto de forma predeterminada para una nueva sesión, luego el estado se mantiene para cada sesión de usuario)
      Establezca a 2 para un separador de colapso (colapsado por defecto para una nueva sesión, luego el estado se mantiene para cada sesión de usuario) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Introduzca un número de teléfono al que llamar para prob RefreshPhoneLink=Refrescar enlace LinkToTest=Enlace seleccionable para el usuario %s (haga clic en el número para probar) KeepEmptyToUseDefault=Deje este campo vacío para usar el valor por defecto -KeepThisEmptyInMostCases=En la mayoría de los casos, puede mantener este campo vacío. +KeepThisEmptyInMostCases=En la mayoría de los casos, puedes dejar este campo vacío. DefaultLink=Enlace por defecto SetAsDefault=Establecer por defecto ValueOverwrittenByUserSetup=Atención: Este valor puede ser sobreescrito por un valor específico de la configuración del usuario (cada usuario puede tener su propia url clicktodial) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Este es el nombre del del campo HTML. Son necesarios PageUrlForDefaultValues=Debe ingresar la ruta relativa de la URL de la página. Si incluye parámetros en la URL, será efectivo si todos los parámetros en la URL explorada tienen el valor definido aquí. PageUrlForDefaultValuesCreate=
      Ejemplo:
      Para el formulario para crear un nuevo tercero, es %s .
      Para la URL de los módulos externos instalados en el directorio custom, no incluya "custom/", así que use la ruta como mymodule/mypage.php y no custom/mymodule/mypage.php.
      Si desea un valor predeterminado solo si la url tiene algún parámetro, puede usar %s PageUrlForDefaultValuesList=
      Ejemplo:
      Para la página que lista a terceros, es %s .
      Para la URL de los módulos externos instalados en el directorio custom, no incluya "custom/" así que use la ruta como mymodule/mypagelist.php y no custom/mymodule/mypagelist.php.
      Si desea un valor predeterminado solo si url tiene algún parámetro, puede usar %s -AlsoDefaultValuesAreEffectiveForActionCreate=También tenga en cuenta que la sobrescritura de valores predeterminados para la creación de formularios funciona solo para las páginas que se diseñaron correctamente (por lo tanto, con el parámetro action = create o presend ...) +AlsoDefaultValuesAreEffectiveForActionCreate=También tenga en cuenta que sobrescribir los valores predeterminados para la creación de formularios solo funciona para páginas que fueron diseñadas correctamente (por lo tanto, con el parámetro acción=crear o presentar...) EnableDefaultValues=Habilitar el uso de valores predeterminados personalizados EnableOverwriteTranslation=Permitir la personalización de las traducciones GoIntoTranslationMenuToChangeThis=Se ha encontrado una traducción para la clave con este código. Para cambiar este valor, debe editarlo desde Inicio-Configuración-Traducción. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=El directorio privado genérico es un directorio We DAV_ALLOW_PUBLIC_DIR=Activar el directorio público (directorio dedicado de WebDav llamado público - sin necesidad de iniciar sesión) DAV_ALLOW_PUBLIC_DIRTooltip=El directorio público de WebDAV es un directorio WebDAV al que todos pueden acceder (en modo lectura y escritura), sin necesidad de autorización (cuenta de usuario/contraseña). DAV_ALLOW_ECM_DIR=Activar el directorio privado (directorio raíz del módulo GED - es necesario iniciar sesión) -DAV_ALLOW_ECM_DIRTooltip=El directorio raíz donde se cargan manualmente todos los archivos cuando se utiliza el módulo GED. Al igual que para la función de la interfaz web, necesitará un nombre de usuario/contraseña válido con permisos adecuados para acceder a ella. +DAV_ALLOW_ECM_DIRTooltip=El directorio raíz donde se cargan todos los archivos manualmente cuando se utiliza el módulo DMS/ECM. De manera similar al acceso desde la interfaz web, necesitará un nombre de usuario/contraseña válido con los permisos adecuados para acceder. ##### Modules ##### Module0Name=Usuarios y grupos Module0Desc=Gestión de Usuarios / Empleados y grupos @@ -566,7 +569,7 @@ Module40Desc=Proveedores y gestión de compras (órdenes de compra y facturació Module42Name=Registros de depuración Module42Desc=Generación de logs (archivos, syslog,...). Dichos registros son para propósitos técnicos/de depuración. Module43Name=Barra de depuración -Module43Desc=Una herramienta para que los desarrolladores agreguen una barra de depuración en su navegador. +Module43Desc=Una herramienta para desarrolladores que agrega una barra de depuración en su navegador. Module49Name=Editores Module49Desc=Gestión de editores Module50Name=Productos @@ -582,7 +585,7 @@ Module54Desc=Gestión de contratos (servicios o suscripciones recurrentes) Module55Name=Códigos de barras Module55Desc=Gestión de códigos de barras o códigos QR Module56Name=Pago por transferencia bancaria -Module56Desc=Gestión de pagos a proveedores mediante órdenes de transferencia bancaria. Incluye la generación de archivos SEPA para países europeos. +Module56Desc=Gestión de pago de proveedores o salarios mediante órdenes de Transferencia de Crédito. Incluye generación de archivos SEPA para países europeos. Module57Name=Pagos por domiciliación bancaria Module57Desc=Gestión de domiciliaciones. También incluye generación de archivo SEPA para los países europeos. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Envía notificaciones por e-mail desencadenados por algunos evento Module600Long=Tenga en cuenta que este módulo envía mensajes de e-mail en tiempo real cuando se produce un evento. Si está buscando una función para enviar recordatorios por e-mail de los eventos de su agenda, vaya a la configuración del módulo Agenda. Module610Name=Variantes de productos Module610Desc=Permite la creación de variantes de productos (color, talla, etc.) +Module650Name=Listas de materiales (BOM) +Module650Desc=Módulo para definir sus Listas de Materiales (BOM). Se puede utilizar para la planificación de recursos de fabricación mediante el módulo Órdenes de fabricación (MO) +Module660Name=Planificación de recursos de fabricación (MRP) +Module660Desc=Módulo para Gestionar Órdenes de Fabricación (MO) Module700Name=Donaciones Module700Desc=Gestión de donaciones Module770Name=Informe de gastos @@ -650,8 +657,8 @@ Module2300Name=Tareas programadas Module2300Desc=Gestión del Trabajo programado (alias cron) Module2400Name=Eventos/Agenda Module2400Desc=Sigue los eventos o citas. Registra eventos automáticos a fin de realizar seguimiento o registra eventos manuales o reuniones. Este es el módulo más importante para una buena gestión de relaciones con clientes o proveedores. -Module2430Name=Calendario de reservas en línea -Module2430Desc=Proporcione un calendario en línea para que cualquier persona pueda reservar citas, de acuerdo con rangos o disponibilidades predefinidos. +Module2430Name=Programación de citas en línea +Module2430Desc=Proporciona un sistema de reserva de citas en línea. Esto permite que cualquiera pueda reservar citas, según rangos o disponibilidades predefinidos. Module2500Name=GED / SGD Module2500Desc=Sistema de Gestión de Documentos / Gestión Electrónica de Contenidos. Organización automática de sus documentos generados o almacenados. Compártalos cuando lo necesite. Module2600Name=API / Servicios web (servidor SOAP) @@ -672,7 +679,7 @@ Module3300Desc=Una herramienta RAD (Desarrollo rápido de aplicaciones: código Module3400Name=Redes sociales Module3400Desc=Habilita campos de Redes Sociales en terceros y direcciones (skype, twitter, facebook...). Module4000Name=RRHH -Module4000Desc=Departamento de Recursos Humanos (gestión del departamento, contratos de empleados) +Module4000Desc=Gestión de recursos humanos (gestión de departamento, contratos de empleados, gestión de habilidades y entrevista) Module5000Name=Multi-empresa Module5000Desc=Permite gestionar varias empresas Module6000Name=Flujo de trabajo entre módulos @@ -712,6 +719,8 @@ Module63000Desc=Gestiona recursos (impresoras, automóviles, salas, ...) para co Module66000Name=Gestión de tokens OAuth2 Module66000Desc=Proporcione una herramienta para generar y administrar tokens OAuth2. El token puede ser utilizado por otros módulos. Module94160Name=Recepciones +ModuleBookCalName=Sistema de calendario de reservas +ModuleBookCalDesc=Administrar un calendario para reservar citas ##### Permissions ##### Permission11=Leer facturas de clientes (y pagos) Permission12=Crear/Modificar facturas @@ -996,7 +1005,7 @@ Permission4031=Leer información personal Permission4032=escribir información personal Permission4033=Leer todas las evaluaciones (incluso las de usuarios no subordinados) Permission10001=Leer contenido del sitio web -Permission10002=Crear modificar contenido del sitio web (contenido html y javascript) +Permission10002=Crear/modificar contenido del sitio web (contenido html y JavaScript) Permission10003=Crear/modificar contenido del sitio web (código php dinámico). Peligroso, debe reservarse a desarrolladores restringidos. Permission10005=Eliminar contenido del sitio web Permission20001=Leer peticiones días líbres (suyos y subordinados) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Informe de gastos - Rango por categoría de transporte DictionaryTransportMode=Informe intracomunitario - Modo de transporte DictionaryBatchStatus=Estado del Control de Calidad del lote/serie del producto DictionaryAssetDisposalType=Tipo de disposición de activos +DictionaryInvoiceSubtype=Subtipos de factura TypeOfUnit=Tipo de unidad SetupSaved=Configuración guardada SetupNotSaved=Configuración no guardada @@ -1109,10 +1119,11 @@ BackToModuleList=Volver al listado de módulos BackToDictionaryList=Volver al listado de diccionarios TypeOfRevenueStamp=Tipos de sellos fiscales VATManagement=Gestión de IVA -VATIsUsedDesc=Por defecto cuando se crean presupuestos, facturas, pedidos, etc. el tipo de IVA sigue la regla estándar seleccionada:
      . Si el vendedor no está sujeto a IVA, entonces IVA por defecto es 0. Fin de la regla
      Si (el país del vendedor = país del comprador), entonces el IVA por defecto es igual al IVA del producto en el país del vendedor. Fin de la regla.
      Si el vendedor y el comprador son de la Comunidad Europea y los bienes son productos de transporte (coche, barco, avión), el IVA por defecto es 0. Esta regla depende del país del vendedor - por favor consulta tu asesor contable. El IVA debe ser pagado por el comprador a la hacienda de su país y no al vendedor. Fin de la regla.
      Si el vendedor y el comprador están ambos en la Comunidad Europea y el comprador no es una empresa (no tiene CIF intracomunitario), entonces el IVA por defecto es el IVA del país del vendedor. Fin de la regla.
      Si el vendedor y el comprador son de la Comunidad Europea y el comprador es una empresa (con CIF intracomunitario), entonces el IVA es 0 por defecto. Fin de la regla.
      En cualquier otro caso el IVA propuesto por defecto es 0. Fin de la regla. +VATIsUsedDesc=De forma predeterminada, al crear clientes potenciales, facturas, pedidos, etc., la tasa del impuesto sobre las ventas sigue la regla estándar activa:
      Si el vendedor no está sujeto al impuesto sobre las ventas, el impuesto sobre las ventas por defecto es 0. Fin de la regla.
      Si (país del vendedor = país del comprador), entonces el impuesto sobre las ventas de forma predeterminada es igual al impuesto sobre las ventas del producto en el país del vendedor. Fin de la regla.
      Si el vendedor y el comprador se encuentran en la Comunidad Europea y los bienes son productos relacionados con el transporte (transporte, envío, línea aérea), el IVA predeterminado es 0. Este La regla depende del país del vendedor; consulte con su contador. El IVA lo debe pagar el comprador a la aduana de su país y no al vendedor. Fin de la regla.
      Si el vendedor y el comprador se encuentran en la Comunidad Europea y el comprador no es una empresa (con un número de IVA intracomunitario registrado), entonces el IVA por defecto es el tipo de IVA del país del vendedor. Fin de la regla.
      Si el vendedor y el comprador se encuentran en la Comunidad Europea y el comprador es una empresa (con un número de IVA intracomunitario registrado), entonces el IVA es 0 por defecto. Fin de la regla.
      En cualquier otro caso, el valor predeterminado propuesto es Impuesto sobre las ventas=0. Fin de la regla. VATIsNotUsedDesc=El tipo de IVA propuesto por defecto es 0. Este es el caso de asociaciones, particulares o algunas pequeñas sociedades. VATIsUsedExampleFR=En Francia, se trata de las sociedades u organismos que eligen un régimen fiscal general (General simplificado o General normal), régimen en el cual se declara el IVA. VATIsNotUsedExampleFR=En Francia, se trata de asociaciones exentas de IVA o sociedades, organismos o profesiones liberales que han elegido el régimen fiscal de módulos (IVA en franquicia), pagando un IVA en franquicia sin hacer declaración de IVA. Esta elección hace aparecer la anotación "IVA no aplicable - art-293B del CGI" en las facturas. +VATType=Tipo de IVA ##### Local Taxes ##### TypeOfSaleTaxes=Tipo de impuesto de venta LTRate=Tasa @@ -1399,8 +1410,8 @@ PHPModuleLoaded=El componente PHP %s está cargado PreloadOPCode=Se utiliza OPCode precargado AddRefInList=Mostrar ref. de Cliente/Proveedor en listas desplegables.
      Los terceros aparecerán con un formato de nombre de "CC12345 - SC45678 - The Big Company corp." en lugar de "The Big Company corp". AddVatInList=Muestra el número de IVA de cliente/proveedor en listas desplegables. -AddAdressInList=Muestra la dirección del cliente/proveedor en listas combinadas.
      Los terceros aparecerán con un formato de nombre de "The Big Company corp. - 21 jump street 123456 Big town - USA" en lugar de "The Big Company corp". -AddEmailPhoneTownInContactList=Mostrar e-mail de contacto (o teléfonos si no están definidos) y lista de información de la ciudad (lista de selección o desplegable)
      Los contactos aparecerán con un formato de nombre de "Dupond Durand - dupond.durand@email.com - Paris" o "Dupond Durand - 06 07 59 65 66 - Paris "en lugar de" Dupond Durand ". +AddAdressInList=Mostrar la dirección del cliente/proveedor en listas combinadas.
      Los terceros aparecerán con el formato de nombre "The Big Company corp. - 21 jump street 123456 Big town - USA" en lugar de " La corporación de la gran empresa ". +AddEmailPhoneTownInContactList=Mostrar el correo electrónico del contacto (o los teléfonos si no están definidos) y la lista de información de la ciudad (seleccionar lista o cuadro combinado)
      Los contactos aparecerán con un formato de nombre de "Dupond Durand - dupond.durand@example .com - Paris" o "Dupond Durand - 06 07 59 65 66 - Paris" en lugar de "Dupond Durand". AskForPreferredShippingMethod=Consultar por el método preferido de envío a terceros. FieldEdition=Edición del campo %s FillThisOnlyIfRequired=Ejemplo: +2 (Complete sólo si se registra una desviación del tiempo en la exportación) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=No mostrar el vínculo "Contraseña olvidad UsersSetup=Configuración del módulo usuarios UserMailRequired=E-Mail necesario para crear un usuario nuevo UserHideInactive=Ocultar usuarios inactivos de todas las listas deplegables de usuarios (No recomendado: esto puede significar que no podrá filtrar o buscar usuarios antiguos en algunas páginas) +UserHideExternal=Ocultar usuarios externos (no vinculados a un tercero) de todas las listas combinadas de usuarios (No recomendado: esto puede significar que no podrá filtrar o buscar usuarios externos en algunas páginas) +UserHideNonEmployee=Ocultar usuarios no empleados de todas las listas desplegables de usuarios (No recomendado: esto puede significar que no podrá filtrar o buscar usuarios no empleados en algunas páginas) UsersDocModules=Plantillas de documentos para documentos generados a partir del registro de usuario GroupsDocModules=Plantillas de documentos para documentos generados a partir de un registro de grupo ##### HRM setup ##### @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Ejemplo: gidnumber LDAPFieldUserid=ID de usuario LDAPFieldUseridExample=Ejemplo: uidnumber LDAPFieldHomedirectory=Directorio de inicio -LDAPFieldHomedirectoryExample=Ejemplo: homedirectory +LDAPFieldHomedirectoryExample=Ejemplo: directorio personal LDAPFieldHomedirectoryprefix=Prefijo del directorio Home LDAPSetupNotComplete=Configuración LDAP incompleta (a completar en las otras pestañas) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Administrador o contraseña no indicados. Los accesos LDAP serán anónimos y en solo lectura. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Módulo memcached para el caché aplicativo MemcachedAvailableAndSetup=Memcached módulo dedicado a utilizar el servidor memcached está disponible. OPCodeCache=OPCode caché NoOPCodeCacheFound=No se ha encontrado ningún OPCode caché. Puede ser que esté usando otro OPCode como XCache o eAccelerator (mejor), o puede que no tenga OPCode caché (peor). -HTTPCacheStaticResources=Caché HTTP para estadísticas de recursos (css, img, javascript) +HTTPCacheStaticResources=Caché HTTP para recursos estáticos (css, img, JavaScript) FilesOfTypeCached=Archivos de tipo %s se almacenan en caché por el servidor HTTP FilesOfTypeNotCached=Archivos de tipo %s no se almacenan en caché por el servidor HTTP FilesOfTypeCompressed=Archivos de tipo %s son comprimidos por el servidor HTTP @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Texto libre en las notas de recepción ##### FCKeditor ##### AdvancedEditor=Editor avanzado ActivateFCKeditor=Activar editor avanzado para : -FCKeditorForNotePublic=Creación/edición WYSIWIG del campo "notas públicas" de elementos -FCKeditorForNotePrivate=Creación/edición WYSIWIG del campo "notas privadas" de elementos -FCKeditorForCompany=Creación/edición WYSIWIG en el campo de la descripción de los elementos (excepto en productos/servicios) -FCKeditorForProductDetails=Creación/edición WYSIWIG de descripción de productos o líneas para objetos (líneas de propuestas, pedidos, facturas, etc...). +FCKeditorForNotePublic=Creación/edición WYSIWYG del campo "notas públicas" de elementos +FCKeditorForNotePrivate=Creación/edición WYSIWYG del campo "notas privadas" de elementos +FCKeditorForCompany=Creación/edición WYSIWYG del campo descripción de elementos (excepto productos/servicios) +FCKeditorForProductDetails=Creación/edición WYSIWYG de descripción de productos o líneas para objetos (líneas de propuestas, pedidos, facturas, etc...). FCKeditorForProductDetails2=Advertencia: No se recomienda seriamente utilizar esta opción para este caso, ya que puede crear problemas con los caracteres especiales y el formato de página al crear archivos PDF. -FCKeditorForMailing= Creación/edición WYSIWIG de los E-Mails (Utilidades->E-Mailings) -FCKeditorForUserSignature=Creación/edición WYSIWIG de la firma de usuarios -FCKeditorForMail=Creación/edición WYSIWIG de todos los e-mails ( excepto Utilidades->E-Mailings) -FCKeditorForTicket=Creación/edición WYSIWIG de los tickets +FCKeditorForMailing= Creación/edición WYSIWYG para correos electrónicos masivos (Herramientas->eMailing) +FCKeditorForUserSignature=Creación/edición WYSIWYG de firma de usuario +FCKeditorForMail=Creación/edición WYSIWYG para todo el correo (excepto Herramientas->eMailing) +FCKeditorForTicket=Creación/edición WYSIWYG para entradas ##### Stock ##### StockSetup=Configuración del módulo Almacenes IfYouUsePointOfSaleCheckModule=Si utiliza un módulo de Punto de Venta (módulo TPV por defecto u otro módulo externo), esta configuración puede ser ignorada por su módulo de Punto de Venta. La mayor parte de módulos TPV están diseñados para crear inmediatamente una factura y decrementar stocks cualquiera que sean estas opciones. Por lo tanto, si usted necesita o no decrementar stocks en el registro de una venta de su punto de venta, controle también la configuración de su módulo TPV. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Menús personalizados no enlazados a un menú superio NewMenu=Nuevo menú MenuHandler=Gestor de menús MenuModule=Módulo origen -HideUnauthorizedMenu=Ocultar menús no autorizados también para usuarios internos (solo en gris de lo contrario) +HideUnauthorizedMenu=Ocultar menús no autorizados también para usuarios internos (de lo contrario, aparecerá en gris) DetailId=Identificador del menú DetailMenuHandler=Nombre del gestor de menús DetailMenuModule=Nombre del módulo si la entrada del menú es resultante de un módulo @@ -1802,7 +1815,7 @@ DetailType=Tipo de menú (superior o izquierdo) DetailTitre=Etiqueta de menú DetailUrl=URL donde te envía el menú (enlace URL relativo o enlace externo con https://) DetailEnabled=Condición de mostrar o no -DetailRight=Condición de visualización completa o restringida +DetailRight=Condición para mostrar menús grises no autorizados DetailLangs=Archivo .lang para la traducción del título DetailUser=Interno / Externo / Todos Target=Destinatario @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Cuenta por defecto a utilizar para los cobros en efec CashDeskBankAccountForCheque=Cuenta por defecto a utilizar para los cobros con cheques CashDeskBankAccountForCB=Cuenta por defecto a utilizar para los cobros con tarjeta de crédito CashDeskBankAccountForSumup=Cuenta bancaria predeterminada para usar para recibir pagos de SumUp -CashDeskDoNotDecreaseStock=Desactivar decremento de stock si una venta es realizada desde un Punto de Venta (si "no", el decremento de stock es realizado desde el TPV, cualquiera que sea la opción indicada en el módulo Stock). +CashDeskDoNotDecreaseStock=Desactivar decremento de stock cuando se realiza una venta desde el Punto de Venta +CashDeskDoNotDecreaseStockHelp=Si "no", el decremento de stock se realiza por cada venta realizada desde el TPV, independientemente de la opción establecida en el módulo Stock. CashDeskIdWareHouse=Forzar y restringir almacén a usar para decremento de stock StockDecreaseForPointOfSaleDisabled=Decremento de stock desde TPV desactivado StockDecreaseForPointOfSaleDisabledbyBatch=El decremento de stock en TPV no es compatible con la gestión de lotes (actualmente activado), por lo que el decremento de stock está desactivado. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Resaltar líneas de los listados cuando el ratón pas HighlightLinesColor=Resalta el color de la línea cuando el ratón pasa por encima (usar 'ffffff' para no resaltar) HighlightLinesChecked=Resalta el color de la línea cuando se marca (use 'ffffff' para no resaltar) UseBorderOnTable=Mostrar bordes de izquierda a derecha en las tablas +TableLineHeight=Altura de la línea de la mesa BtnActionColor=Color del botón de acción TextBtnActionColor=Color del texto del botón de acción TextTitleColor=Color para la página de título @@ -1991,7 +2006,7 @@ EnterAnyCode=Este campo contiene una referencia para identificar la línea. Ingr Enter0or1=Introduzca 0 ó 1 UnicodeCurrency=Ingrese aquí entre llaves, lista con número de byte que representa el símbolo de moneda. Por ejemplo: para $, introduzca [36] - para Brasil Real R$ [82,36] - para €, introduzca [8364] ColorFormat=El color RGB es en formato HEX, ej: FF0000 -PictoHelp=Nombre del icono en formato:
      - image.png para un archivo de imagen en el directorio del tema actual
      - image.png@module si el archivo está en el directorio /img/ de un módulo
      - fa-xxx para un pictograma FontAwesome fa-xxx
      - fonwtawesome_xxx_fa_color_size para un pictograma FontAwesome fa-xxx (con prefijo, color y tamaño establecidos) +PictoHelp=Nombre del icono en formato:
      - image.png para un archivo de imagen en el directorio del tema actual
      - image.png@module si el archivo está en el directorio /img/ de un módulo
      - fa-xxx para un picto FontAwesome fa-xxx
      - fontawesome_xxx_fa_color_size para un picto FontAwesome fa-xxx (con prefijo, color y tamaño configurados) PositionIntoComboList=Posición de la línea en listas de combo SellTaxRate=Tasa de IVA RecuperableOnly=Sí para el IVA "Non Perçue Récupérable" usados en algunas provincias en Francia. Mantenga el valor a "No" en los demás casos. @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=No incluya el contenido del encabezado del correo EmailCollectorHideMailHeadersHelp=Cuando está habilitado, los encabezados de correo electrónico no se agregan al final del contenido del correo electrónico que se guarda como un evento de agenda. EmailCollectorConfirmCollectTitle=Confirmación recolección e-mail EmailCollectorConfirmCollect=¿Desea ejecutar este recopilador ahora? -EmailCollectorExampleToCollectTicketRequestsDesc=Recopile correos electrónicos que coincidan con algunas reglas y cree automáticamente un ticket (el módulo Ticket debe estar habilitado) con la información del correo electrónico. Puede usar este recopilador si brinda algún tipo de soporte por correo electrónico, por lo que su solicitud de boleto se generará automáticamente. Active también Collect_Responses para recopilar las respuestas de su cliente directamente en la vista del ticket (debe responder desde Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Recopile correos electrónicos que coincidan con algunas reglas y cree automáticamente un ticket (el módulo Ticket debe estar habilitado) con la información del correo electrónico. Puede utilizar este recopilador si brinda soporte por correo electrónico, de modo que su solicitud de boleto se generará automáticamente. Active también Collect_Responses para recopilar las respuestas de su cliente directamente en la vista del ticket (debe responder desde Dolibarr). EmailCollectorExampleToCollectTicketRequests=Ejemplo de recopilación de la solicitud de ticket (solo el primer mensaje) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Escanee el directorio "Enviado" de su buzón para encontrar correos electrónicos que se enviaron como respuesta a otro correo electrónico directamente desde su software de correo electrónico y no desde Dolibarr. Si se encuentra dicho correo electrónico, el evento de respuesta se registra en Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Ejemplo de recopilación de respuestas de correo electrónico enviadas desde un software de correo electrónico externo EmailCollectorExampleToCollectDolibarrAnswersDesc=Recopile todos los correos electrónicos que son una respuesta de un correo electrónico enviado desde su aplicación. Un evento (el Módulo Agenda debe estar habilitado) con la respuesta del correo electrónico se registrará en el buen lugar. Por ejemplo, si envías una propuesta comercial, pedido, factura o mensaje de ticket por email desde la aplicación, y el destinatario responde a tu email, el sistema captará automáticamente la respuesta y la añadirá a tu ERP. EmailCollectorExampleToCollectDolibarrAnswers=Ejemplo recopilando todos los mensajes entrantes como respuestas a mensajes enviados desde Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Recopile correos electrónicos que coincidan con algunas reglas y cree automáticamente un cliente potencial (el Proyecto del módulo debe estar habilitado) con la información del correo electrónico. Puedes usar este recopilador si quieres seguir tu lead usando el módulo Proyecto (1 lead = 1 proyecto), por lo que tus leads se generarán automáticamente. Si el recopilador Collect_Responses también está habilitado, cuando envía un correo electrónico desde sus clientes potenciales, propuestas o cualquier otro objeto, también puede ver las respuestas de sus clientes o socios directamente en la aplicación.
      Nota: Con este ejemplo inicial se genera el título del lead incluyendo el email. Si no se puede encontrar al tercero en la base de datos (nuevo cliente), el cliente potencial se adjuntará al tercero con ID 1. +EmailCollectorExampleToCollectLeadsDesc=Recopile correos electrónicos que coincidan con algunas reglas y cree automáticamente un cliente potencial (el Proyecto de módulo debe estar habilitado) con la información del correo electrónico. Puedes utilizar este recopilador si quieres seguir tu ejemplo usando el módulo Proyecto (1 cliente potencial = 1 proyecto), así tus clientes potenciales se generarán automáticamente. Si el recopilador Collect_Responses también está habilitado, cuando envíe un correo electrónico de sus clientes potenciales, propuestas o cualquier otro objeto, también podrá ver las respuestas de sus clientes o socios directamente en la aplicación.
      Nota: Con este ejemplo inicial, se genera el título del cliente potencial incluyendo el correo electrónico. Si no se puede encontrar al tercero en la base de datos (cliente nuevo), el cliente potencial se adjuntará al tercero con ID 1. EmailCollectorExampleToCollectLeads=Ejemplo de recopilación de clientes potenciales EmailCollectorExampleToCollectJobCandidaturesDesc=Recopile los correos electrónicos que solicitan ofertas de trabajo (el Módulo de Reclutamiento debe estar habilitado). Puede completar este recopilador si desea crear automáticamente una candidatura para una solicitud de trabajo. Nota: Con este ejemplo inicial se genera el título de la candidatura incluyendo el correo electrónico. EmailCollectorExampleToCollectJobCandidatures=Ejemplo de recogida de candidaturas de trabajo recibidas por correo electrónico @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=Este valor puede ser cambiado por cada usuario desde su página - tab ' 1%s ' -DefaultCustomerType=Tipo de Tercero por defecto para el formulario de creación de "Nuevo cliente" +DefaultCustomerType=Tipo de tercero predeterminado para el formulario de creación de "Nuevo cliente" ABankAccountMustBeDefinedOnPaymentModeSetup=Nota: Debe indicarse la cuenta bancaria en el módulo de cada modo de pago (Paypal, Stripe, ...) para que esta función funcione. RootCategoryForProductsToSell=Categoría raíz de productos a vender. -RootCategoryForProductsToSellDesc=Si se define, solo los productos dentro de esta categoría y las categorías de esta categoría estarán disponibles en el Punto de venta +RootCategoryForProductsToSellDesc=Si se define, solo los productos dentro de esta categoría o los niños de esta categoría estarán disponibles en el Punto de Venta DebugBar=Barra de depuración DebugBarDesc=Barra de herramientas que viene con muchas herramientas para simplificar la depuración. DebugBarSetup=Configuración DebugBar @@ -2212,10 +2227,10 @@ ImportSetup=Configuración del módulo Importar InstanceUniqueID=ID única de la instancia SmallerThan=Menor que LargerThan=Mayor que -IfTrackingIDFoundEventWillBeLinked=Tenga en cuenta que si se encuentra un ID de seguimiento de un objeto en un correo electrónico, o si el correo electrónico es una respuesta de un correo electrónico ya recolectado y vinculado a un objeto, el evento creado se vinculará automáticamente a dicho objeto relacionado. -WithGMailYouCanCreateADedicatedPassword=Con una cuenta de GMail, si habilitó la validación de 2 pasos, se recomienda crear una segunda contraseña dedicada para la aplicación en lugar de usar su propia contraseña de https://myaccount.google.com/. -EmailCollectorTargetDir=Puede que desee mover el e-mail a otra etiqueta/directorio cuando se procesó correctamente. Simplemente configure el nombre del directorio aquí para usar esta función (NO use caracteres especiales en el nombre). Tenga en cuenta que también debe utilizar un login de lectura/escritura. -EmailCollectorLoadThirdPartyHelp=Puede usar esta acción para usar el contenido del correo electrónico para buscar y cargar un tercero existente en su base de datos (la búsqueda se realizará en la propiedad definida entre 'id', 'name', 'name_alias', 'email'). El tercero encontrado (o creado) se utilizará para las siguientes acciones que lo requieran.
      Por ejemplo, si desea crear un tercero con un nombre extraído de una cadena 'Nombre: nombre para encontrar' presente en el cuerpo, use el correo electrónico del remitente como correo electrónico, puede configurar el campo del parámetro de esta manera:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Tenga en cuenta que si se encuentra un ID de seguimiento de un objeto en un correo electrónico, o si el correo electrónico es una respuesta de un correo electrónico ya recopilado y vinculado a un objeto, el evento creado se vinculará automáticamente al objeto relacionado conocido. +WithGMailYouCanCreateADedicatedPassword=Con una cuenta de GMail, si habilitó la validación de 2 pasos, se recomienda crear una segunda contraseña dedicada para la aplicación en lugar de usar la contraseña de su propia cuenta de https://myaccount.google.com/. +EmailCollectorTargetDir=Puede ser un comportamiento deseado mover el correo electrónico a otra etiqueta/directorio cuando se procesó exitosamente. Simplemente configure el nombre del directorio aquí para usar esta función (NO use caracteres especiales en el nombre). Tenga en cuenta que también debe utilizar una cuenta de inicio de sesión de lectura/escritura. +EmailCollectorLoadThirdPartyHelp=Puede utilizar esta acción para utilizar el contenido del correo electrónico para buscar y cargar un tercero existente en su base de datos (la búsqueda se realizará en la propiedad definida entre 'id', 'nombre', 'nombre_alias', 'correo electrónico'). El tercero encontrado (o creado) se utilizará para las siguientes acciones que lo necesiten.
      Por ejemplo, si desea crear un tercero con un nombre extraído de una cadena ' Nombre: nombre a buscar' presente en el cuerpo, use el correo electrónico del remitente como correo electrónico, puede configurar el campo de parámetro de esta manera:
      'email=HEADER:^From:(. *);nombre=EXTRACTO:BODY:Nombre:\\s([^\\s]*);cliente=SET:2;'
      FilterSearchImapHelp=Advertencia: muchos servidores de correo electrónico (como Gmail) realizan búsquedas de palabras completas cuando buscan en una cadena y no devolverán un resultado si la cadena solo se encuentra parcialmente en una palabra. También por este motivo, se ignorará el uso de caracteres especiales en un criterio de búsqueda si no forman parte de palabras existentes.
      Para realizar una búsqueda de exclusión en una palabra (devolver el correo electrónico si no se encuentra la palabra), puede usar el ! carácter antes de la palabra (es posible que no funcione en algunos servidores de correo). EndPointFor=End point for %s : %s DeleteEmailCollector=Eliminar el recolector de e-mail @@ -2232,12 +2247,12 @@ EmailTemplate=Plantilla para e-mail EMailsWillHaveMessageID=Los e-mais tendrán una etiqueta 'Referencias' que coincida con esta sintaxis PDF_SHOW_PROJECT=Mostrar proyecto en documento ShowProjectLabel=Etiqueta del proyecto -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Incluir alias en nombre de terceros -THIRDPARTY_ALIAS=Nombre de tercero - Alias de tercero -ALIAS_THIRDPARTY=Alias de tercero - Nombre de tercero +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Incluir alias en el nombre de terceros +THIRDPARTY_ALIAS=Nombre de terceros: alias de terceros +ALIAS_THIRDPARTY=Alias de terceros: nombre de terceros PDFIn2Languages=Mostrar etiquetas en el PDF en 2 idiomas diferentes (es posible que esta función no funcione para algunos idiomas) PDF_USE_ALSO_LANGUAGE_CODE=Si desea duplicar algunos textos en su PDF en 2 idiomas diferentes en el mismo PDF generado, debe establecer aquí este segundo idioma para que el PDF generado contenga 2 idiomas diferentes en la misma página, el elegido al generar el PDF y este ( solo unas pocas plantillas PDF lo admiten). Mantener vacío para 1 idioma por PDF. -PDF_USE_A=Generar documentos PDF con formato PDF/A en lugar del formato PDF predeterminado +PDF_USE_A=Genere documentos PDF con formato PDF/A en lugar del formato PDF predeterminado FafaIconSocialNetworksDesc=Ingrese aquí el código de un ícono FontAwesome. Si no sabe qué es FontAwesome, puede usar el valor genérico fa-address-book. RssNote=Nota: Cada definición de fuente RSS proporciona un widget que debe habilitar para que esté disponible en el tablero JumpToBoxes=Vaya a Configuración -> Módulos @@ -2254,7 +2269,7 @@ YouMayFindSecurityAdviceHere=Puede encontrar un aviso de seguridad aqui. ModuleActivatedMayExposeInformation=Esta extensión de PHP puede exponer datos confidenciales. Si no lo necesita, desactívelo. ModuleActivatedDoNotUseInProduction=Un modulo diseñado para desarrollo ha sido habilitado. No lo habilite en un entorno de produccion. CombinationsSeparator=Carácter separador para las combinaciones de productos -SeeLinkToOnlineDocumentation=Ver enlace a la documentación online del menú superior para ejemplos +SeeLinkToOnlineDocumentation=Consulte el enlace a la documentación en línea en el menú superior para ver ejemplos. SHOW_SUBPRODUCT_REF_IN_PDF=Si se utiliza la función "%s" del módulo %s, muestra los detalles de los subproductos de un kit en PDF. AskThisIDToYourBank=Comuníquese con su banco para obtener esta identificación AdvancedModeOnly=Permiso disponible solo en el modo de permiso avanzado @@ -2263,7 +2278,7 @@ MailToSendEventOrganization=Organización de evento MailToPartnership=Partner AGENDA_EVENT_DEFAULT_STATUS=Estado de evento predeterminado al crear un evento desde el formulario YouShouldDisablePHPFunctions=Deberías deshabilitar las funciones de PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=Excepto si necesita ejecutar comandos del sistema en código personalizado, debe deshabilitar las funciones PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=A menos que necesite ejecutar comandos del sistema en código personalizado, debe deshabilitar las funciones PHP PHPFunctionsRequiredForCLI=Para fines de shell (como la copia de seguridad de trabajos programados o la ejecución de un programa antivirus), debe mantener las funciones de PHP NoWritableFilesFoundIntoRootDir=No se encontraron archivos o directorios grabables de los programas comunes en su directorio raíz (Bueno) RecommendedValueIs=Recomendado: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Configuración de webhook Settings = Configuraciones WebhookSetupPage = Página de configuración del webhook ShowQuickAddLink=Mostrar un botón para agregar rápidamente un elemento en el menú superior derecho - +ShowSearchAreaInTopMenu=Mostrar el área de búsqueda en el menú superior HashForPing=Hash utilizado para hacer ping ReadOnlyMode=¿Está la instancia en modo "Solo lectura"? DEBUGBAR_USE_LOG_FILE=Use el archivo dolibarr.log para capturar registros @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=No funcionará con todos los temas. NoName=Sin nombre ShowAdvancedOptions= Mostrar opciones avanzadas HideAdvancedoptions= Ocultar opciones avanzadas -CIDLookupURL=El módulo trae una URL que puede ser utilizada por una herramienta externa para obtener el nombre de un tercero o contacto a partir de su número de teléfono. La URL a utilizar es: +CIDLookupURL=El módulo trae una URL que puede ser utilizada por una herramienta externa para obtener el nombre de un tercero o contacto desde su número de teléfono. La URL a utilizar es: OauthNotAvailableForAllAndHadToBeCreatedBefore=La autenticación OAUTH2 no está disponible para todos los hosts, y se debe haber creado un token con los permisos correctos en sentido ascendente con el módulo OAUTH MAIN_MAIL_SMTPS_OAUTH_SERVICE=Servicio de autenticación OAUTH2 DontForgetCreateTokenOauthMod=Se debe haber creado un token con los permisos correctos en sentido ascendente con el módulo OAUTH -MAIN_MAIL_SMTPS_AUTH_TYPE=Método de autenticación +MAIN_MAIL_SMTPS_AUTH_TYPE=Método de autentificación UsePassword=Utiliza una contraseña UseOauth=Utiliza un token OAUTH Images=Imágenes MaxNumberOfImagesInGetPost=Número máximo de imágenes permitidas en un campo HTML enviado en un formulario MaxNumberOfPostOnPublicPagesByIP=Número máximo de publicaciones en páginas públicas con la misma dirección IP en un mes -CIDLookupURL=El módulo trae una URL que puede ser utilizada por una herramienta externa para obtener el nombre de un tercero o contacto a partir de su número de teléfono. La URL a utilizar es: +CIDLookupURL=El módulo trae una URL que puede ser utilizada por una herramienta externa para obtener el nombre de un tercero o contacto desde su número de teléfono. La URL a utilizar es: ScriptIsEmpty=El script esta vacio ShowHideTheNRequests=Mostrar/ocultar las %s solicitude(s) SQL DefinedAPathForAntivirusCommandIntoSetup=Defina una ruta para un programa antivirus en %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Ocultar la cantidad pedida en los documentos generado MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Mostrar el precio en los documentos generados para recepciones WarningDisabled=Advertencia deshabilitada LimitsAndMitigation=Límites de acceso y mitigación +RecommendMitigationOnURL=Se recomienda activar la mitigación en la URL crítica. Esta es una lista de reglas de fail2ban que puede usar para las URLs más importantes. DesktopsOnly=Solo equipos de escritorio DesktopsAndSmartphones=Ordenadores de escritorio y teléfonos inteligentes AllowOnlineSign=Permitir la firma en línea @@ -2403,6 +2419,24 @@ Defaultfortype=Predeterminado DefaultForTypeDesc=Plantilla utilizada de forma predeterminada al crear un nuevo correo electrónico para el tipo de plantilla OptionXShouldBeEnabledInModuleY=La opción " %s " debe habilitarse en el módulo %s OptionXIsCorrectlyEnabledInModuleY=La opción " %s " está habilitada en el módulo %s +AllowOnLineSign=Permitir firma en línea AtBottomOfPage=En la parte inferior de la página FailedAuth=autenticaciones fallidas MaxNumberOfFailedAuth=Número máximo de autenticación fallida en 24 horas para denegar el inicio de sesión. +AllowPasswordResetBySendingANewPassByEmail=Si un usuario A tiene este permiso, e incluso si el usuario A no es un usuario "administrador", A puede restablecer la contraseña de cualquier otro usuario B, la nueva contraseña se enviará al correo electrónico del otro usuario B, pero no será visible para A. Si el usuario A tiene el indicador "admin", también podrá saber cuál es la nueva contraseña generada de B para poder tomar el control de la cuenta del usuario B. +AllowAnyPrivileges=Si un usuario A tiene este permiso, puede crear un usuario B con todos los privilegios y luego usar este usuario B o otorgarse cualquier otro grupo con cualquier permiso. Por lo tanto, significa que el usuario A posee todos los privilegios comerciales (solo se prohibirá el acceso al sistema a las páginas de configuración) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Este valor se puede leer porque su instancia no está configurada en modo de producción. +SeeConfFile=Ver el interior del archivo conf.php en el servidor +ReEncryptDesc=Vuelva a cifrar los datos si aún no están cifrados +PasswordFieldEncrypted=%s nuevo registro ¿Se ha cifrado este campo? +ExtrafieldsDeleted=Los campos adicionales %s han sido eliminados +LargeModern=Grande - Moderno +SpecialCharActivation=Habilite el botón para abrir un teclado virtual para ingresar caracteres especiales +DeleteExtrafield=Eliminar campo extra +ConfirmDeleteExtrafield=¿Confirma la eliminación del campo %s? Todos los datos guardados en este campo serán eliminados definitivamente. +ExtraFieldsSupplierInvoicesRec=Campos adicionales (plantillas de facturas) +ExtraFieldsSupplierInvoicesLinesRec=Campos adicionales (líneas de plantillas de facturas) +ParametersForTestEnvironment=Parámetros para el entorno de prueba. +TryToKeepOnly=Intente mantener solo %s +RecommendedForProduction=Recomendado para producción +RecommendedForDebug=Recomendado para depurar diff --git a/htdocs/langs/es_ES/agenda.lang b/htdocs/langs/es_ES/agenda.lang index 28ad6016b96..02d5d70a093 100644 --- a/htdocs/langs/es_ES/agenda.lang +++ b/htdocs/langs/es_ES/agenda.lang @@ -89,6 +89,8 @@ ShippingSentByEMail=Expedición %s enviada por email ShippingValidated= Expedición %s validada InterventionSentByEMail=Intervención %s enviada por e-mail ProjectSentByEMail=Proyecto %s enviado por correo electrónico +ProjectDeletedInDolibarr=Proyecto %s eliminado +ProjectClosedInDolibarr=Proyecto %s cerrado ProposalDeleted=Presupuesto eliminado OrderDeleted=Pedido eliminado InvoiceDeleted=Factura eliminada @@ -128,6 +130,8 @@ MRP_MO_PRODUCEDInDolibarr=OF fabricada MRP_MO_DELETEInDolibarr=OF eliminada MRP_MO_CANCELInDolibarr=OF cancelada PAIDInDolibarr=%s pagado +ENABLEDISABLEInDolibarr=Usuario habilitado o deshabilitado +CANCELInDolibarr=Anulado ##### End agenda events ##### AgendaModelModule=Plantillas de documentos para eventos DateActionStart=Fecha de inicio @@ -181,3 +185,23 @@ Reminders=Recordatorios ActiveByDefault=Activado por defecto Until=Hasta que DataFromWasMerged=Se fusionaron los datos de %s +AgendaShowBookcalCalendar=Calendario de reservas: %s +MenuBookcalIndex=cita en línea +BookcalLabelAvailabilityHelp=Etiqueta del rango de disponibilidad. Por ejemplo:
      Disponibilidad general
      Disponibilidad durante las vacaciones de Navidad +DurationOfRange=Duración de los rangos +BookCalSetup = Configuración de citas en línea +Settings = Configuraciones +BookCalSetupPage = Página de configuración de citas en línea +BOOKCAL_PUBLIC_INTERFACE_TOPIC = Título de interfaz +About = Acerca de +BookCalAbout = Acerca de BookCal +BookCalAboutPage = BookCal acerca de la página +Calendars=Calendarios +Availabilities=Disponibilidades +NewAvailabilities=Nuevas disponibilidades +NewCalendar=Nuevo calendario +ThirdPartyBookCalHelp=El evento reservado en este calendario se vinculará automáticamente a este tercero. +AppointmentDuration = Duración de la cita: %s +BookingSuccessfullyBooked=Tu reserva ha sido guardada +BookingReservationHourAfter=Confirmamos la reserva de nuestra reunión en la fecha %s +BookcalBookingTitle=cita en línea diff --git a/htdocs/langs/es_ES/assets.lang b/htdocs/langs/es_ES/assets.lang index a3eb7fd150d..5e9a61a2a79 100644 --- a/htdocs/langs/es_ES/assets.lang +++ b/htdocs/langs/es_ES/assets.lang @@ -18,169 +18,169 @@ # NewAsset=Nuevo activo AccountancyCodeAsset=Código contable (activo) -AccountancyCodeDepreciationAsset=Código de contabilidad (cuenta de activo de depreciación) -AccountancyCodeDepreciationExpense=Código contable (cuenta de gastos de depreciación) +AccountancyCodeDepreciationAsset=Código contable (cuenta depreciación activo) +AccountancyCodeDepreciationExpense=Código contable (cuenta depreciación gastos) AssetsLines=Activos DeleteType=Eliminar DeleteAnAssetType=Eliminar un modelo de activo -ConfirmDeleteAssetType=¿Está seguro de que desea eliminar este modelo de activos? -ShowTypeCard=Mostrar modelo '%s' +ConfirmDeleteAssetType=¿Está seguro de querer eliminar este modelo de activo? +ShowTypeCard=Ver modelo '%s' # Module label 'ModuleAssetsName' ModuleAssetsName=Activos # Module description 'ModuleAssetsDesc' -ModuleAssetsDesc=Descripción de los activos +ModuleAssetsDesc=Descripción bien # # Admin page # -AssetSetup=Configuración de activos -AssetSetupPage=Página de configuración de activos -ExtraFieldsAssetModel=Atributos complementarios (Modelo de activos) +AssetSetup=Configuración activos +AssetSetupPage=Configuración activos +ExtraFieldsAssetModel=Campos adicionales (modelo de activo) -AssetsType=Modelo de activos -AssetsTypeId=Id. de modelo de activo -AssetsTypeLabel=Etiqueta del modelo de activos +AssetsType=Modelo de activo +AssetsTypeId=Id modelo de activo +AssetsTypeLabel=Etiqueta modelo de activo AssetsTypes=Modelos de activos -ASSET_ACCOUNTANCY_CATEGORY=Grupo de contabilidad de activos fijos +ASSET_ACCOUNTANCY_CATEGORY=grupo contable activos fijos # # Menu # MenuAssets=Activos -MenuNewAsset=Nuevo activo -MenuAssetModels=Activos del modelo -MenuListAssets=Lista -MenuNewAssetModel=Modelo del nuevo activo -MenuListAssetModels=Lista +MenuNewAsset=Nuevo bien +MenuAssetModels=Modelos de activos +MenuListAssets=Listado +MenuNewAssetModel=Nuevo modelo de activo +MenuListAssetModels=Listado # # Module # -ConfirmDeleteAsset=¿Realmente desea eliminar este recurso? +ConfirmDeleteAsset=¿Está seguro de que desea eliminar este activo? # # Tab # -AssetDepreciationOptions=Opciones de depreciación +AssetDepreciationOptions=Opciones de amortización AssetAccountancyCodes=Cuentas contables -AssetDepreciation=Depreciación +AssetDepreciation=Amortización # # Asset # Asset=Activo Assets=Activos -AssetReversalAmountHT=Cantidad de inversión (sin impuestos) -AssetAcquisitionValueHT=Importe de la adquisición (sin impuestos) +AssetReversalAmountHT=Importe de amortización (sin impuestos) +AssetAcquisitionValueHT=Importe de adquisición (sin impuestos) AssetRecoveredVAT=IVA recuperado -AssetReversalDate=Fecha de reversión -AssetDateAcquisition=Fecha de adquisición +AssetReversalDate=Fecha de amortización +AssetDateAcquisition=Fecha de Adquisición AssetDateStart=Fecha de puesta en marcha AssetAcquisitionType=Tipo de adquisición AssetAcquisitionTypeNew=Nuevo AssetAcquisitionTypeOccasion=Usado -AssetType=Tipo de activo +AssetType=tipo de activo AssetTypeIntangible=Intangible AssetTypeTangible=Tangible AssetTypeInProgress=En progreso AssetTypeFinancial=Financiero -AssetNotDepreciated=No depreciado +AssetNotDepreciated=No amortizado AssetDisposal=Disposición -AssetConfirmDisposalAsk=¿Está seguro de que desea deshacerse del activo %s? -AssetConfirmReOpenAsk=¿Está seguro de que desea reabrir el recurso %s? +AssetConfirmDisposalAsk=¿Está seguro de que desea disponer del activo %s ? +AssetConfirmReOpenAsk=¿Está seguro de que desea volver a abrir el activo %s ? # # Asset status # AssetInProgress=En progreso -AssetDisposed=Disposed +AssetDisposed=Dispuesto AssetRecorded=Contabilizado # # Asset disposal # -AssetDisposalDate=Fecha de eliminación -AssetDisposalAmount=Valor de enajenación -AssetDisposalType=Tipo de eliminación -AssetDisposalDepreciated=Depreciar el año de la transferencia -AssetDisposalSubjectToVat=Enajenación sujeta a IVA +AssetDisposalDate=Fecha de disposición +AssetDisposalAmount=Valor de disposición +AssetDisposalType=Tipo de disposición +AssetDisposalDepreciated=Amortizar el año de la transferencia +AssetDisposalSubjectToVat=Disposición sujeta a IVA # # Asset model # -AssetModel=Modelo del activo +AssetModel=Modelo de activos AssetModels=Modelos de activos # # Asset depreciation options # -AssetDepreciationOptionEconomic=Depreciación económica -AssetDepreciationOptionAcceleratedDepreciation=Depreciación acelerada (impuestos) -AssetDepreciationOptionDepreciationType=Tipo de depreciación +AssetDepreciationOptionEconomic=Amortización económica +AssetDepreciationOptionAcceleratedDepreciation=Amortización acelerada (impuesto) +AssetDepreciationOptionDepreciationType=Tipo de amortización AssetDepreciationOptionDepreciationTypeLinear=Lineal -AssetDepreciationOptionDepreciationTypeDegressive=Degresivo +AssetDepreciationOptionDepreciationTypeDegressive=Decreciente AssetDepreciationOptionDepreciationTypeExceptional=Excepcional AssetDepreciationOptionDegressiveRate=Tasa decreciente -AssetDepreciationOptionAcceleratedDepreciation=Acelerado (impuesto) +AssetDepreciationOptionAcceleratedDepreciation=Amortización acelerada (impuesto) AssetDepreciationOptionDuration=Duración AssetDepreciationOptionDurationType=Tipo de duración AssetDepreciationOptionDurationTypeAnnual=Anual AssetDepreciationOptionDurationTypeMonthly=Mensual -AssetDepreciationOptionDurationTypeDaily=Diario +AssetDepreciationOptionDurationTypeDaily=Diaria AssetDepreciationOptionRate=Tasa (%%) AssetDepreciationOptionAmountBaseDepreciationHT=Base de amortización (sin IVA) AssetDepreciationOptionAmountBaseDeductibleHT=Base deducible (sin IVA) -AssetDepreciationOptionTotalAmountLastDepreciationHT=Cantidad total de la última depreciación (sin IVA) +AssetDepreciationOptionTotalAmountLastDepreciationHT=Importe total última amortización (sin IVA) # # Asset accountancy codes # -AssetAccountancyCodeDepreciationEconomic=Depreciación económica +AssetAccountancyCodeDepreciationEconomic=Amortización económica AssetAccountancyCodeAsset=Activo -AssetAccountancyCodeDepreciationAsset=Depreciación -AssetAccountancyCodeDepreciationExpense=Gastos de depreciación -AssetAccountancyCodeValueAssetSold=Valor del activo enajenado -AssetAccountancyCodeReceivableOnAssignment=Cuenta por cobrar por enajenación -AssetAccountancyCodeProceedsFromSales=Productos de la eliminación -AssetAccountancyCodeVatCollected=IVA cobrado -AssetAccountancyCodeVatDeductible=IVA recuperado en activos -AssetAccountancyCodeDepreciationAcceleratedDepreciation=Depreciación acelerada (impuestos) +AssetAccountancyCodeDepreciationAsset=Amortización +AssetAccountancyCodeDepreciationExpense=Gasto de amortización +AssetAccountancyCodeValueAssetSold=Valor del activo dispuesto +AssetAccountancyCodeReceivableOnAssignment=Cuenta a cobrar por disposición +AssetAccountancyCodeProceedsFromSales=Producto de la disposición +AssetAccountancyCodeVatCollected=IVA recaudado +AssetAccountancyCodeVatDeductible=IVA recuperado sobre activos +AssetAccountancyCodeDepreciationAcceleratedDepreciation=Amortización acelerada (impuesto) AssetAccountancyCodeAcceleratedDepreciation=Cuenta -AssetAccountancyCodeEndowmentAcceleratedDepreciation=Gastos de depreciación -AssetAccountancyCodeProvisionAcceleratedDepreciation=Reposesión/Provisión +AssetAccountancyCodeEndowmentAcceleratedDepreciation=Gasto de amortización +AssetAccountancyCodeProvisionAcceleratedDepreciation=Recuperación/Provisión # # Asset depreciation # -AssetBaseDepreciationHT=Deprbase de liquidación (excl. IVA) -AssetDepreciationBeginDate=Inicio de depreciación el +AssetBaseDepreciationHT=Base de amortización (sin IVA) +AssetDepreciationBeginDate=Comienzo de la amortización el AssetDepreciationDuration=Duración AssetDepreciationRate=Tasa (%%) -AssetDepreciationDate=Fecha de depreciación -AssetDepreciationHT=Depreciación (sin IVA) -AssetCumulativeDepreciationHT=Depreciación acumulada (sin IVA) +AssetDepreciationDate=Fecha de amortización +AssetDepreciationHT=Amortización (sin IVA) +AssetCumulativeDepreciationHT=Amortización acumulada (sin IVA) AssetResidualHT=Valor residual (sin IVA) -AssetDispatchedInBookkeeping=Depreciación registrada -AssetFutureDepreciationLine=Depreciación futura -AssetDepreciationReversal=Reversión +AssetDispatchedInBookkeeping=Amortización registrada +AssetFutureDepreciationLine=Amortización futura +AssetDepreciationReversal=Inversión # # Errors # -AssetErrorAssetOrAssetModelIDNotProvide=No se proporcionó la identificación del recurso o el sonido del modelo -AssetErrorFetchAccountancyCodesForMode=Error al recuperar las cuentas contables para el modo de depreciación '%s' -AssetErrorDeleteAccountancyCodesForMode=Error al eliminar cuentas contables del modo de depreciación '%s' -AssetErrorInsertAccountancyCodesForMode=Error al insertar las cuentas contables del modo de depreciación '%s' -AssetErrorFetchDepreciationOptionsForMode=Error al recuperar opciones para el modo de depreciación '%s' -AssetErrorDeleteDepreciationOptionsForMode=Error al eliminar las opciones del modo de depreciación '%s' -AssetErrorInsertDepreciationOptionsForMode=Error al insertar las opciones del modo de depreciación '%s' -AssetErrorFetchDepreciationLines=Error al recuperar líneas de depreciación registradas -AssetErrorClearDepreciationLines=Error al purgar líneas de depreciación registradas (reversión y futuro) -AssetErrorAddDepreciationLine=Error al agregar una línea de depreciación -AssetErrorCalculationDepreciationLines=Error al calcular las líneas de depreciación (recuperación y futuro) -AssetErrorReversalDateNotProvidedForMode=No se proporciona la fecha de reversión para el método de depreciación '%s' -AssetErrorReversalDateNotGreaterThanCurrentBeginFiscalDateForMode=La fecha de reversión debe ser mayor o igual que el comienzo del año fiscal actual para el método de depreciación '%s' -AssetErrorReversalAmountNotProvidedForMode=No se proporciona el importe de reversión para el modo de depreciación '%s'. -AssetErrorFetchCumulativeDepreciation=Error al recuperar la cantidad de depreciación acumulada de la línea de depreciación -AssetErrorSetLastCumulativeDepreciation=Error al registrar el último monto de depreciación acumulada +AssetErrorAssetOrAssetModelIDNotProvide=No se ha proporcionado la identificación del activo o del modelo encontrado. +AssetErrorFetchAccountancyCodesForMode=Error al recuperar las cuentas contables para el modo de amortización '%s' +AssetErrorDeleteAccountancyCodesForMode=Error al eliminar cuentas contables del modo de amortización '%s' +AssetErrorInsertAccountancyCodesForMode=Error al insertar las cuentas contables del modo de amortización '%s' +AssetErrorFetchDepreciationOptionsForMode=Error al recuperar opciones para el modo de amortización '%s' +AssetErrorDeleteDepreciationOptionsForMode=Error al eliminar las opciones del modo de amortización '%s' +AssetErrorInsertDepreciationOptionsForMode=Error al insertar las opciones del modo de amortización '%s' +AssetErrorFetchDepreciationLines=Error al recuperar líneas de amortización registradas +AssetErrorClearDepreciationLines=Error al depurar líneas de amortización registradas (amortización y futuro) +AssetErrorAddDepreciationLine=Error al agregar una línea de amortización +AssetErrorCalculationDepreciationLines=Error al calcular las líneas de amortización (amortización y futuro) +AssetErrorReversalDateNotProvidedForMode=No se ha proporcionado la fecha de amortización para el método de amortización '%s' +AssetErrorReversalDateNotGreaterThanCurrentBeginFiscalDateForMode=La fecha de amortización debe ser mayor o igual al comienzo del año fiscal actual para el método de amortización '%s' +AssetErrorReversalAmountNotProvidedForMode=No se ha proporcionado el importe de amortización para el modo de amortización '%s'. +AssetErrorFetchCumulativeDepreciation=Error al recuperar el importe de amortización acumulado de la línea de amortización +AssetErrorSetLastCumulativeDepreciation=Error al registrar la última amortización acumulada diff --git a/htdocs/langs/es_ES/bills.lang b/htdocs/langs/es_ES/bills.lang index e68f2c2cfe5..f6fbd2aacf4 100644 --- a/htdocs/langs/es_ES/bills.lang +++ b/htdocs/langs/es_ES/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Realizar pago de abonos al cliente DisabledBecauseRemainderToPayIsZero=Desactivado ya que el resto a pagar es 0 PriceBase=Precio base BillStatus=Estado de la factura -StatusOfGeneratedInvoices=Estado de las facturas generadas +StatusOfAutoGeneratedInvoices=Estado de las facturas generadas automáticamente BillStatusDraft=Borrador (a validar) BillStatusPaid=Pagada BillStatusPaidBackOrConverted=Reembolsada o convertida en descuento @@ -167,7 +167,7 @@ ActionsOnBill=Eventos sobre la factura ActionsOnBillRec=Acciones en factura recurrente RecurringInvoiceTemplate=Plantilla/Factura recurrente NoQualifiedRecurringInvoiceTemplateFound=Sin plantilla de factura recurrente apta para la generación -FoundXQualifiedRecurringInvoiceTemplate=Encontradas %s plantilllas de facturas recurrentes aptas para la generación +FoundXQualifiedRecurringInvoiceTemplate=%s facturas de plantilla recurrentes calificadas para su generación. NotARecurringInvoiceTemplate=No es una plantilla de factura recurrente NewBill=Nueva factura LastBills=Últimas %s facturas @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Facturas de proveedores borrador Unpaid=Pendientes ErrorNoPaymentDefined=Error Sin pago definido ConfirmDeleteBill=¿Está seguro de querer eliminar esta factura? -ConfirmValidateBill=¿Está seguro de querer validar esta factura con referencia %s? +ConfirmValidateBill=¿Estás seguro de que deseas validar esta factura con la referencia %s? ConfirmUnvalidateBill=¿Está seguro de querer cambiar el estado de la factura %s a borrador? ConfirmClassifyPaidBill=¿Está seguro de querer cambiar el estado de la factura %s a pagado? ConfirmCancelBill=¿Está seguro de querer anular la factura %s? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=¿Confirma el proceso de este pago de %s %s? ConfirmSupplierPayment=¿Confirma el proceso de este pago de %s %s? ConfirmValidatePayment=¿Está seguro de querer validar este pago? No se permiten cambios después de validar el pago. ValidateBill=Validar factura -UnvalidateBill=Devolver factura a borrador +UnvalidateBill=Invalidar factura NumberOfBills=Nº de facturas NumberOfBillsByMonth=Nº de facturas por mes AmountOfBills=Importe de las facturas @@ -250,12 +250,13 @@ RemainderToTake=Resta por cobrar RemainderToTakeMulticurrency=Importe restante a cobrar, moneda original RemainderToPayBack=Resta por reembolsar RemainderToPayBackMulticurrency=Importe restante a reembolsar, moneda original +NegativeIfExcessReceived=negativo si se recibe exceso NegativeIfExcessRefunded=negativo si se reembolsa el exceso +NegativeIfExcessPaid=negativo si se paga exceso Rest=Pendiente AmountExpected=Importe reclamado ExcessReceived=Recibido en exceso ExcessReceivedMulticurrency=Exceso recibido, moneda original -NegativeIfExcessReceived=negativo si se recibe exceso ExcessPaid=Pagado en exceso ExcessPaidMulticurrency=Exceso pagado, moneda original EscompteOffered=Descuento (Pronto pago) @@ -267,6 +268,8 @@ NoDraftBills=Ninguna factura borrador NoOtherDraftBills=Ninguna otra factura borrador NoDraftInvoices=Sin facturas borrador RefBill=Ref. factura +RefSupplierBill=Ref. factura proveedor +SupplierOrderCreateBill=Crear factura ToBill=A facturar RemainderToBill=Queda por facturar SendBillByMail=Enviar la factura por E-Mail @@ -351,6 +354,7 @@ HelpAbandonOther=Este importe se abandonó este importe ya que se trataba de un IdSocialContribution=Id pago tasa social/fiscal PaymentId=ID pago PaymentRef=Ref. pago +SourceInvoiceId=ID factura origen InvoiceId=Id factura InvoiceRef=Ref. factura InvoiceDateCreation=Fecha creación factura @@ -561,10 +565,10 @@ YouMustCreateStandardInvoiceFirstDesc=Tiene que crear una factura estandar antes PDFCrabeDescription=Factura PDF plantilla Crabe. Una plantilla de factura completa (antigua implementación de la plantilla Sponge) PDFSpongeDescription=Modelo de factura Esponja. Una plantilla de factura completa. PDFCrevetteDescription=Modelo PDF de factura Crevette. Un completo modelo de facturas de situación -TerreNumRefModelDesc1=Devuelve el número en el formato %syymm-nnnn para facturas estándar y %syymm-nnnn para notas de crédito donde aa es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin interrupción y sin retorno a 0 -MarsNumRefModelDesc1=Número de devolución en el formato %syymm-nnnn para facturas estándar, %syymm-nnnn para facturas de reemplazo, %syymm-nnnn para facturas de anticipo y %syymm-nnnn para notas de crédito donde yy es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin ruptura y sin retorno a 0 +TerreNumRefModelDesc1=Número de devolución en el formato %saamm-nnnn para facturas estándar y %saamm-nnnn para notas de crédito donde yy es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin interrupción y sin retorno a 0 +MarsNumRefModelDesc1=Número de devolución en el formato %saamm-nnnn para facturas estándar, %saamm-nnnn para facturas de reemplazo, %syymm-nnnn para facturas de pago inicial y %syymm-nnnn para notas de crédito donde yy es el año, mm es el mes y nnnn es un auto- número incremental sin interrupción y sin retorno a 0 TerreNumRefModelError=Ya existe una factura con $syymm y no es compatible con este modelo de secuencia. Elimínela o renómbrela para poder activar este módulo -CactusNumRefModelDesc1=Número de devolución en el formato %syymm-nnnn para facturas estándar, %syymm-nnnn para notas de crédito y %syymm-nnnn para facturas de pago inicial donde yy es un número de año de retorno y no es un mes de secuencia y nnnnn. 0 +CactusNumRefModelDesc1=Número de devolución en el formato %saamm-nnnn para facturas estándar, %saamm-nnnn para notas de crédito y %syymm-nnnn para facturas de pago inicial donde yy es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin interrupción ni retorno a 0 EarlyClosingReason=Motivo de cierre anticipado EarlyClosingComment=Nota de cierre anticipado ##### Types de contacts ##### @@ -641,3 +645,8 @@ MentionCategoryOfOperations=Categoría de operaciones MentionCategoryOfOperations0=Entrega de bienes MentionCategoryOfOperations1=Provisión de servicios MentionCategoryOfOperations2=Mixto - Entrega de bienes y prestación de servicios +Salaries=Salarios +InvoiceSubtype=Subtipo de factura +SalaryInvoice=Salario +BillsAndSalaries=Facturas y salarios +CreateCreditNoteWhenClientInvoiceExists=Esta opción está habilitada solo cuando existen facturas validadas para un cliente o cuando se usa la constante INVOICE_CREDIT_NOTE_STANDALONE (útil para algunos países). diff --git a/htdocs/langs/es_ES/boxes.lang b/htdocs/langs/es_ES/boxes.lang index 0a3fcc3b057..ff8b4f91123 100644 --- a/htdocs/langs/es_ES/boxes.lang +++ b/htdocs/langs/es_ES/boxes.lang @@ -48,8 +48,8 @@ BoxOldestExpiredServices=Servicios antiguos expirados BoxOldestActions=Eventos más antiguos por hacer BoxLastExpiredServices=Últimos %s contratos más antiguos con servicios expirados BoxTitleLastActionsToDo=Últimas %s acciones a realizar -BoxTitleOldestActionsToDo=Eventos %s más antiguos por hacer, no completados -BoxTitleFutureActions=los próximos próximos eventos %s +BoxTitleOldestActionsToDo=%s Eventos más antiguos por hacer, no completados +BoxTitleFutureActions=los próximos %s próximos eventos BoxTitleLastContracts=Últimos %s contratos modificados BoxTitleLastModifiedDonations=Últimas %s donaciones modificadas BoxTitleLastModifiedExpenses=Últimos %s informes de gastos modificados @@ -105,7 +105,7 @@ ChooseBoxToAdd=Añadir panel a su tablero BoxAdded=El widget fué agregado a su panel de control BoxTitleUserBirthdaysOfMonth=Cumpleaños de este mes (usuarios) BoxLastManualEntries=Último registro contable introducido manualmente o sin documento fuente -BoxTitleLastManualEntries=%s último registro ingresado manualmente o sin documento fuente +BoxTitleLastManualEntries=Útimos %s registros ingresados manualmente o sin documento fuente NoRecordedManualEntries=Sin registros de entradas manuales en contabilidad BoxSuspenseAccount=Cuenta contable operación con cuenta suspendida BoxTitleSuspenseAccount=Número de líneas no asignadas diff --git a/htdocs/langs/es_ES/cashdesk.lang b/htdocs/langs/es_ES/cashdesk.lang index 0204a62b549..99af18d37e6 100644 --- a/htdocs/langs/es_ES/cashdesk.lang +++ b/htdocs/langs/es_ES/cashdesk.lang @@ -46,9 +46,9 @@ NotAvailableWithBrowserPrinter=No disponible cuando la impresora de tickets est SearchProduct=Buscar producto Receipt=Orden Header=Cabecera -Footer=Pié de página +Footer=Pie de página AmountAtEndOfPeriod=Importe al final del período (día, mes o año) -TheoricalAmount=Importe teórico +TheoricalAmount=Cantidad teórica RealAmount=Importe real CashFence=Cierre de caja CashFenceDone=Cierre de caja realizado para el período @@ -76,7 +76,7 @@ TerminalSelect=Seleccione el terminal que desea usar: POSTicket=Ticket POS POSTerminal=Terminal POS POSModule=Módulo POS -BasicPhoneLayout=Utilizar diseño básico para teléfonos. +BasicPhoneLayout=En los teléfonos, reemplace el POS con un diseño mínimo (solo registrar pedidos, sin generación de facturas, sin impresión de recibos) SetupOfTerminalNotComplete=La configuración del terminal %s no está completa DirectPayment=Pago directo DirectPaymentButton=Añadir un botón "Pago directo en efectivo" @@ -92,14 +92,14 @@ HeadBar=Cabecera SortProductField=Campo para ordenar productos Browser=Navegador BrowserMethodDescription=Método de impresión básico. Pocos parámetros de personalización. Impresión con el navegador. -TakeposConnectorMethodDescription=Módulo externo para impresión directa. +TakeposConnectorMethodDescription=Módulo externo con funciones extra. Posibilidad de imprimir desde la nube. PrintMethod=Método de impresión ReceiptPrinterMethodDescription=Método potente con muchos parámetros. Totalmente personalizable con plantillas. El servidor que aloja la aplicación no puede estar en la nube (debe poder llegar a las impresoras de su red). ByTerminal=Por terminal TakeposNumpadUsePaymentIcon=Usar icono de pago en lugar del texto en los botones de pago del teclado numérico CashDeskRefNumberingModules=Módulo de numeración para el TPV CashDeskGenericMaskCodes6 =
      {TN} tag es usado para añadir el número de terminal -TakeposGroupSameProduct=Agrupar mismas líneas de producto +TakeposGroupSameProduct=Unir líneas de los mismos productos StartAParallelSale=Nueva venta simultánea  SaleStartedAt=Oferta comenzada en %s ControlCashOpening=Abra la ventana emergente "Control de caja de efectivo" al abrir el POS @@ -118,7 +118,7 @@ ScanToOrder=Escanee el código QR para realizar un pedido Appearance=Apariencia HideCategoryImages=Ocultar imágenes de categoría HideProductImages=Ocultar imágenes de productos -NumberOfLinesToShow=Número de líneas de imágenes para mostrar +NumberOfLinesToShow=Número máximo de líneas de texto para mostrar en imágenes en miniatura DefineTablePlan=Definir plan de tablas GiftReceiptButton=Agregar un botón "Ticket regalo" GiftReceipt=Ticket regalo @@ -135,5 +135,21 @@ PrintWithoutDetailsLabelDefault=Etiqueta de línea por defecto al imprimir sin d PrintWithoutDetails=Imprimir sin detalles YearNotDefined=El año no está definido TakeposBarcodeRuleToInsertProduct=Regla de código de barras para insertar producto -TakeposBarcodeRuleToInsertProductDesc=Regla para extraer la referencia del producto + una cantidad de un código de barras escaneado.
      Si está vacío (valor predeterminado), la aplicación utilizará el código de barras completo escaneado para encontrar el producto.

      Si se define, sintaxis debe ser:
      ref:NB+qu:NB+qd:NB+other:NB
      donde NB es el número de caracteres a utilizar para extraer datos del código de barras escaneado con:
      • ref : referencia del producto
      • qu : cantidad de conjunto al insertar elementos (unidades)
      • qd : cantidad de conjunto al insertar artículo (decimales)
      • otra : otros caracteres
      +TakeposBarcodeRuleToInsertProductDesc=Regla para extraer la referencia del producto + una cantidad de un código de barras escaneado.
      Si está vacío (valor predeterminado), la aplicación utilizará el código de barras completo escaneado para encontrar el producto.

      Si se define, la sintaxis debe ser:
      ref:NB+qu:NB+qd:NB+other:NB
      donde NB es el número de caracteres a utilizar para extraer datos del código de barras escaneado con:
      ref : referencia del producto
      qu : cantidad a establecer al insertar el artículo (unidades)
      qd : cantidad a establecer al insertar el artículo (decimales)
      other : otros caracteres AlreadyPrinted=Ya impreso +HideCategories=Ocultar toda la sección de selección de categorías. +HideStockOnLine=Ocultar stock en línea +ShowOnlyProductInStock=Mostrar solo los productos en stock +ShowCategoryDescription=Mostrar descripción de categorías +ShowProductReference=Mostrar referencia o etiqueta de productos +UsePriceHT=Usar el precio sin impuestos y no el precio con impuestos al modificar un precio. +TerminalName=Terminal %s +TerminalNameDesc=Nombre de la terminal +DefaultPOSThirdLabel=Cliente genérico TakePOS +DefaultPOSCatLabel=Productos de punto de venta (POS) +DefaultPOSProductLabel=Ejemplo de producto para TakePOS +TakeposNeedsPayment=TakePOS necesita un método de pago para funcionar, ¿quieres crear el método de pago 'Efectivo'? +LineDiscount=Descuento de línea +LineDiscountShort=Disco de línea. +InvoiceDiscount=Descuento en factura +InvoiceDiscountShort=Disco de factura. diff --git a/htdocs/langs/es_ES/categories.lang b/htdocs/langs/es_ES/categories.lang index 5b952bb877a..678c242ac87 100644 --- a/htdocs/langs/es_ES/categories.lang +++ b/htdocs/langs/es_ES/categories.lang @@ -103,3 +103,4 @@ WebsitePagesCategoriesArea=Categorías de contenedor de página KnowledgemanagementsCategoriesArea=Categorías de artículos de KM UseOrOperatorForCategories=Utilice el operador 'OR' para las categorías AddObjectIntoCategory=Asignar a la categoría +Position=Posición diff --git a/htdocs/langs/es_ES/companies.lang b/htdocs/langs/es_ES/companies.lang index 9f3376401fa..350ced46f88 100644 --- a/htdocs/langs/es_ES/companies.lang +++ b/htdocs/langs/es_ES/companies.lang @@ -1,4 +1,6 @@ # Dolibarr language file - Source file is en_US - companies +newSocieteAdded=Sus datos de contacto han sido registrados. Nos pondremos en contacto con usted pronto... +ContactUsDesc=Este formulario le permite enviarnos un mensaje para un primer contacto. ErrorCompanyNameAlreadyExists=El nombre de la empresa %s ya existe. Indique otro. ErrorSetACountryFirst=Defina en primer lugar el país SelectThirdParty=Seleccionar un tercero @@ -117,12 +119,20 @@ ProfId3Short=Prof. id 3 ProfId4Short=Prof. id 4 ProfId5Short=Prof. id 5 ProfId6Short=Prof. id 6 +ProfId7Short=identificación del profesor 7 +ProfId8Short=identificación del profesor 8 +ProfId9Short=identificación del profesor 9 +ProfId10Short=identificación profesional 10 ProfId1=ID profesional 1 ProfId2=ID profesional 2 ProfId3=ID profesional 3 ProfId4=ID profesional 4 ProfId5=ID profesional 5 ProfId6=ID profesional 6 +ProfId7=Identificación profesional 7 +ProfId8=Identificación profesional 8 +ProfId9=Identificación profesional 9 +ProfId10=Cédula Profesional 10 ProfId1AR=CUIT/CUIL ProfId2AR=Ingresos brutos ProfId3AR=- @@ -201,12 +211,20 @@ ProfId3FR=NAF (Ex APE) ProfId4FR=RCS/RM ProfId5FR=Prof Id 5 (numéro EORI) ProfId6FR=- +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- ProfId1ShortFR=SIREN ProfId2ShortFR=SIRET ProfId3ShortFR=NAF ProfId4ShortFR=RCS ProfId5ShortFR=EORI ProfId6ShortFR=- +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- ProfId1GB=Número registro ProfId2GB=- ProfId3GB=SIC @@ -245,7 +263,7 @@ ProfId5MA=Id prof. 5 (I.C.E.) ProfId6MA=- ProfId1MX=R.F.C. ProfId2MX=Registro Patronal IMSS -ProfId3MX=Cédula Profesional +ProfId3MX=Prof Id 3 (Carta Profesional) ProfId4MX=- ProfId5MX=- ProfId6MX=- @@ -387,7 +405,7 @@ EditCompany=Modificar empresa ThisUserIsNot=Este usuario no es un cliente potencial, cliente o proveedor VATIntraCheck=Verificar VATIntraCheckDesc=El CIF Intracomunitario debe de incluir el prefijo del país. El enlace %s permite consultar al servicio europeo de control de números de IVA intracomunitario (VIES). Se requiere acceso a internet para que el servicio funcione. -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation VATIntraCheckableOnEUSite=Verificar el CIF/NIF intracomunitario en la web de la Comisión Europea VATIntraManualCheck=También puede consultar manualmente en el sitio web de la Comisión Europea %s ErrorVATCheckMS_UNAVAILABLE=Comprobación imposible. El servicio de comprobación no es prestado por el país país miembro (%s). @@ -475,7 +493,7 @@ CurrentOutstandingBill=Riesgo alcanzado OutstandingBill=Importe máximo para facturas pendientes OutstandingBillReached=Importe máximo para facturas pendientes OrderMinAmount=Importe mínimo para pedido -MonkeyNumRefModelDesc=Devuelve un número con el formato %syymm-nnnn para el código de cliente y %syymm-nnnn para el código de proveedor donde aa es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin interrupción y sin retorno a 0. +MonkeyNumRefModelDesc=Devuelve un número en el formato %saamm-nnnn para el código de cliente y %saamm-nnnn para el código de proveedor donde yy es año, mm es el mes y nnnn es un número secuencial de incremento automático sin interrupción ni retorno a 0. LeopardNumRefModelDesc=Código de cliente/proveedor libre sin verificación. Puede ser modificado en cualquier momento. ManagingDirectors=Administrador(es) (CEO, director, presidente, etc.) MergeOriginThirdparty=Tercero duplicado (tercero que debe eliminar) @@ -500,7 +518,7 @@ InEEC=Europa (CEE) RestOfEurope=Resto de Europa (CEE) OutOfEurope=Fuera de Europa (CEE) CurrentOutstandingBillLate=Factura actual pendiente con retraso -BecarefullChangeThirdpartyBeforeAddProductToInvoice=Tenga cuidado, dependiendo de la configuración del precio de su producto, debe cambiar de tercero antes de agregar el producto al POS. +BecarefullChangeThirdpartyBeforeAddProductToInvoice=Tenga cuidado, dependiendo de la configuración de precio de su producto, debe cambiar el tercero antes de agregar el producto al POS. EmailAlreadyExistsPleaseRewriteYourCompanyName=el correo electrónico ya existe, vuelva a escribir el nombre de su empresa TwoRecordsOfCompanyName=existe más de un registro para esta empresa, contáctenos para completar su solicitud de asociación CompanySection=Sección de empresa @@ -508,3 +526,5 @@ ShowSocialNetworks=Mostrar redes sociales HideSocialNetworks=Ocultar redes sociales ExternalSystemID=ID del sistema externo IDOfPaymentInAnExternalSystem=ID del modo de pago en un sistema externo (como Stripe, Paypal, ...) +AADEWebserviceCredentials=Credenciales del servicio web AADE +ThirdPartyMustBeACustomerToCreateBANOnStripe=El tercero debe ser cliente para permitir la creación de su información bancaria en Stripe. diff --git a/htdocs/langs/es_ES/compta.lang b/htdocs/langs/es_ES/compta.lang index 5a21d2fb749..c5a6827dbd2 100644 --- a/htdocs/langs/es_ES/compta.lang +++ b/htdocs/langs/es_ES/compta.lang @@ -30,7 +30,7 @@ Balance=Saldo Debit=Debe Credit=Haber AccountingDebit=Debe -AccountingCredit=Crédito +AccountingCredit=Haber Piece=Doc. contabilidad AmountHTVATRealReceived=Total repercutido AmountHTVATRealPaid=Total pagado @@ -133,8 +133,8 @@ ByThirdParties=Por tercero ByUserAuthorOfInvoice=Por autor de la factura CheckReceipt=Justificante bancario CheckReceiptShort=Justificante bancario -LastCheckReceiptShort=Últimos recibos de depósito %s -LastPaymentForDepositShort=Últimos recibos de depósito %s %s +LastCheckReceiptShort=Últimos %s recibos de depósito +LastPaymentForDepositShort=Últimos %s %s recibos de depósito NewCheckReceipt=Nueva remesa NewCheckDeposit=Nuevo comprobante de depósito NewCheckDepositOn=Crear nueva remesa en la cuenta: %s @@ -162,6 +162,7 @@ CalcModeVATDebt=Modo %sIVA sobre facturas emitidas%s. CalcModeVATEngagement=Modo %sIVA sobre facturas cobradas%s. CalcModeDebt=Análisis de documentos grabados conocidos CalcModeEngagement=Análisis de pagos registrados conocidos +CalcModePayment=Análisis de pagos registrados conocidos CalcModeBookkeeping=Análisis de los datos registrados en el Libro mayor CalcModeNoBookKeeping=Incluso si aún no están contabilizados en el Libro Mayor CalcModeLT1= Modo %sRE facturas a clientes - facturas de proveedores%s @@ -177,7 +178,7 @@ AnnualByCompaniesDueDebtMode=Balance de ingresos y gastos, desglosado por tercer AnnualByCompaniesInputOutputMode=Balance de ingresos y gastos, desglosado por terceros, en modo %sIngresos-Gastos%s llamada contabilidad de caja. SeeReportInInputOutputMode=Consulte %sanálisis de pagos%s para obtener un cálculo basado en pagos registrados realizados incluso si aún no están contabilizados en el Libro Mayor SeeReportInDueDebtMode=Consulte %sanálisis de documentos registrados %s para un cálculo basado en documentos registrados conocidos incluso si aún no están contabilizados en el Libro Mayor -SeeReportInBookkeepingMode=Consulte %sanálisis de la tabla de contabilidad %s para obtener un informe basado en Tabla de Libro Mayor +SeeReportInBookkeepingMode=Consulte %sanálisis de la tabla del libro mayor de contabilidad%s para obtener un informe basado en Tabla del libro mayor de contabilidad RulesAmountWithTaxIncluded=- Los importes mostrados son con todos los impuestos incluídos. RulesAmountWithTaxExcluded=- Los montos de las facturas que se muestran son con todos los impuestos excluidos RulesResultDue=- Incluye todas las facturas, gastos, IVA, donaciones, sueldos, sean pagados o no.
      : se basa en la fecha de facturación de las facturas y en la fecha de vencimiento de los gastos o pagos de impuestos. Para los salarios, se utiliza la fecha de finalización del período. diff --git a/htdocs/langs/es_ES/donations.lang b/htdocs/langs/es_ES/donations.lang index 96a9d7a4e9d..bee74241d0f 100644 --- a/htdocs/langs/es_ES/donations.lang +++ b/htdocs/langs/es_ES/donations.lang @@ -32,4 +32,5 @@ DONATION_ART238=Mostrar artículo 238 del CGI si se está interesado DONATION_ART978=Muestre el artículo 978 de CGI si le preocupa DonationPayment=Pago de donación DonationValidated=Donación %s validada -DonationUseThirdparties=Utilice un tercero existente como coordenadas de los donantes +DonationUseThirdparties=Utilice la dirección de un tercero existente como dirección del donante +DonationsStatistics=Estadísticas de donaciones diff --git a/htdocs/langs/es_ES/errors.lang b/htdocs/langs/es_ES/errors.lang index 3e0e65d8706..b0ff39a1476 100644 --- a/htdocs/langs/es_ES/errors.lang +++ b/htdocs/langs/es_ES/errors.lang @@ -4,7 +4,7 @@ NoErrorCommitIsDone=Sin errores, es válido # Errors ErrorButCommitIsDone=Errores encontrados, pero es válido a pesar de todo -ErrorBadEMail=El correo electrónico %s es incorrecto +ErrorBadEMail=La dirección de correo electrónico %s es incorrecta ErrorBadMXDomain=El correo electrónico %s parece incorrecto (el dominio no tiene un registro MX válido) ErrorBadUrl=La URL %s es incorrecta ErrorBadValueForParamNotAString=Valor incorrecto para su parámetro. Generalmente aparece cuando no existe traducción. @@ -32,6 +32,7 @@ ErrorBadThirdPartyName=Nombre de tercero incorrecto ForbiddenBySetupRules=Prohibido por las reglas de la configuración ErrorProdIdIsMandatory=El %s es obligatorio ErrorAccountancyCodeCustomerIsMandatory=El código contable del cliente %s es obligatorio +ErrorAccountancyCodeSupplierIsMandatory=El código contable del proveedor %s es obligatorio ErrorBadCustomerCodeSyntax=La sintaxis del código cliente es incorrecta ErrorBadBarCodeSyntax=Sintaxis errónea para el código de barras. Es posible que haya asignado un tipo de código de barras o definido una máscara de código de barras para numerar que no coincide con el valor escaneado ErrorCustomerCodeRequired=Código cliente obligatorio @@ -57,17 +58,18 @@ ErrorSubjectIsRequired=El asunto del correo electrónico es obligatorio. ErrorFailedToCreateDir=Error en la creación de un directorio. Compruebe que el usuario del servidor Web tiene derechos de escritura en los directorios de documentos de Dolibarr. Si el parámetro safe_mode está activo en este PHP, Compruebe que los archivos php Dolibarr pertenecen al usuario del servidor Web. ErrorNoMailDefinedForThisUser=E-Mail no definido para este usuario ErrorSetupOfEmailsNotComplete=La configuración de los e-mailss no está completa -ErrorFeatureNeedJavascript=Esta funcionalidad precisa de javascript activo para funcionar. Modifique en configuración->entorno. +ErrorFeatureNeedJavascript=Esta característica necesita que JavaScript esté activado para funcionar. Cambie esto en configuración - pantalla. ErrorTopMenuMustHaveAParentWithId0=Un menú del tipo 'Superior' no puede tener un menú padre. Ponga 0 en el ID padre o busque un menú del tipo 'Izquierdo' ErrorLeftMenuMustHaveAParentId=Un menú del tipo 'Izquierdo' debe de tener un ID de padre ErrorFileNotFound=Archivo %s no encontrado (ruta incorrecta, permisos incorrectos o acceso prohibido por el parámetro openbasedir) ErrorDirNotFound=Directorio%sno encontrado (Ruta incorrecta, permisos inadecuados o acceso prohibido por el parámetro PHP openbasedir o safe_mode) ErrorFunctionNotAvailableInPHP=La función %s es requerida por esta funcionalidad, pero no se encuetra disponible en esta versión/instalación de PHP. ErrorDirAlreadyExists=Ya existe un directorio con ese nombre. +ErrorDirNotWritable=El directorio %s no se puede escribir. ErrorFileAlreadyExists=Ya existe un archivo con este nombre. ErrorDestinationAlreadyExists=Ya existe otro archivo con el nombre %s . ErrorPartialFile=Archivo no recibido íntegramente por el servidor. -ErrorNoTmpDir=Directorio temporal de recepción %s inexistente +ErrorNoTmpDir=El directorio temporal %s no existe. ErrorUploadBlockedByAddon=Subida bloqueada por un plugin PHP/Apache. ErrorFileSizeTooLarge=El tamaño del archivo es demasiado grande o no se ha proporcionado el archivo. ErrorFieldTooLong=El campo %s es demasiado largo. @@ -90,9 +92,9 @@ ErrorPleaseTypeBankTransactionReportName=Por favor escriba el nombre del extract ErrorRecordHasChildren=No se puede eliminar el registro porque tiene registros hijos. ErrorRecordHasAtLeastOneChildOfType=El objeto %s tiene al menos un hijo del tipo %s ErrorRecordIsUsedCantDelete=No se puede eliminar el registro. Está siendo usado o incluido en otro objeto. -ErrorModuleRequireJavascript=Javascript no debe estar desactivado para que esta opción pueda utilizarse. Para activar/desactivar JavaScript, vaya al menú Inicio->Configuración->Entorno. +ErrorModuleRequireJavascript=JavaScript no debe estar deshabilitado para que esta función funcione. Para habilitar/deshabilitar JavaScript, vaya al menú Inicio->Configuración->Pantalla. ErrorPasswordsMustMatch=Las 2 contraseñas indicadas deben corresponderse -ErrorContactEMail=Se ha producido un error técnico. Contacte con el administrador al e-mail %s, indicando el código de error %s en su mensaje, o puede también adjuntar una copia de pantalla de esta página. +ErrorContactEMail=Se produjo un error técnico. Por favor, comuníquese con el administrador al siguiente correo electrónico %s y proporcione el error código %s en tu mensaje, o agrega una copia de pantalla de esta página. ErrorWrongValueForField=Valor incorrecto para el campo número %s: '%s' no cumple con la regla %s ErrorHtmlInjectionForField=Campo %s : El valor ' %s ' contiene datos maliciosos no permitidos ErrorFieldValueNotIn=Valor incorrecto del campo número %s: '%s' no es un valor disponible en el campo %s de la tabla %s @@ -100,10 +102,12 @@ ErrorFieldRefNotIn=Valor incorrecto para el campo número %s: '%s' ErrorMultipleRecordFoundFromRef=Se encontraron varios registros al buscar desde ref %s . No hay forma de saber qué ID usar. ErrorsOnXLines=%s errores encontrados ErrorFileIsInfectedWithAVirus=¡El antivirus no ha podido validar este archivo (es probable que esté infectado por un virus)! +ErrorFileIsAnInfectedPDFWithJSInside=El archivo es un PDF infectado por algún Javascript en su interior. ErrorNumRefModel=Hay una referencia en la base de datos (%s) y es incompatible con esta numeración. Elimine la línea o renombre la referencia para activar este módulo. ErrorQtyTooLowForThisSupplier=Cantidad insuficiente para este proveedor o no hay precio definido en este producto para este proveedor ErrorOrdersNotCreatedQtyTooLow=Algunos pedidos no se han creado debido a una cantidad demasiado baja -ErrorModuleSetupNotComplete=La configuración del módulo %s parece incompleta. Vaya a Inicio - Configuración - Módulos para completarla. +ErrorOrderStatusCantBeSetToDelivered=El estado del pedido no se puede configurar como entregado. +ErrorModuleSetupNotComplete=La configuración del módulo %s parece estar incompleta. Vaya a Inicio - Configuración - Módulos para completar. ErrorBadMask=Error en la máscara ErrorBadMaskFailedToLocatePosOfSequence=Error, sin número de secuencia en la máscara ErrorBadMaskBadRazMonth=Error, valor de vuelta a 0 incorrecto @@ -131,7 +135,7 @@ ErrorLoginDoesNotExists=La cuenta de usuario de %s no se ha encontrado. ErrorLoginHasNoEmail=Este usuario no tiene e-mail. Imposible continuar. ErrorBadValueForCode=Valor incorrecto para el código. Vuelva a intentar con un nuevo valor... ErrorBothFieldCantBeNegative=Los campos %s y %s no pueden ser negativos -ErrorFieldCantBeNegativeOnInvoice=El campo %s no puede ser negativo en este tipo de factura. Si necesita agregar una línea de descuento, simplemente cree el descuento primero (desde el campo '%s' en la ficha de terceros) y aplíquelo a la factura. +ErrorFieldCantBeNegativeOnInvoice=El campo %s no puede ser negativo en este tipo de factura. Si necesita agregar una línea de descuento, simplemente cree el descuento primero (desde el campo '%s' en la tarjeta de terceros) y aplíquelo a la factura. ErrorLinesCantBeNegativeForOneVATRate=El total de líneas (neto de impuestos) no puede ser negativo para un IVA no nulo (se encontró un total negativo para el IVA %s %%). ErrorLinesCantBeNegativeOnDeposits=Las líneas no pueden ser negativas en un depósito. Si lo hace, tendrá problemas para consumir el depósito en la factura final. ErrorQtyForCustomerInvoiceCantBeNegative=Las cantidades en las líneas de facturas a clientes no pueden ser negativas @@ -150,6 +154,7 @@ ErrorToConnectToMysqlCheckInstance=Error de conexión con la base de datos. Comp ErrorFailedToAddContact=Error en la adición del contacto ErrorDateMustBeBeforeToday=La fecha debe ser anterior a la de hoy ErrorDateMustBeInFuture=La fecha debe ser posterior a hoy +ErrorStartDateGreaterEnd=La fecha de inicio es mayor que la fecha de finalización ErrorPaymentModeDefinedToWithoutSetup=Se ha establecido el modo de pago al tipo %s pero en la configuración del módulo de facturas no se ha indicado la información para mostrar de este modo de pago. ErrorPHPNeedModule=Error, su PHP debe tener instalado el módulo %s para usar esta funcionalidad. ErrorOpenIDSetupNotComplete=Ha configurado Dolibarr para aceptar la autentificación OpenID, pero la URL del servicio OpenID no se encuentra definida en la constante %s @@ -166,7 +171,7 @@ ErrorPriceExpression4=Carácter '%s' ilegal ErrorPriceExpression5=No se esperaba '%s' ErrorPriceExpression6=Número de argumentos inadecuados (%s dados, %s esperados) ErrorPriceExpression8=Operador '%s' no esperado -ErrorPriceExpression9=Ha ocurrido un error no esperado +ErrorPriceExpression9=ocurrió un error inesperado ErrorPriceExpression10=Operador '%s' carece de operando ErrorPriceExpression11=Se esperaba '%s' ErrorPriceExpression14=División por cero @@ -191,7 +196,7 @@ ErrorGlobalVariableUpdater4=El cliente SOAP ha fallado con el error '%s' ErrorGlobalVariableUpdater5=Sin variable global seleccionada ErrorFieldMustBeANumeric=El campo %s debe contener un valor numérico ErrorMandatoryParametersNotProvided=Los parámetro(s) obligatorio(s) no están todavía definidos -ErrorOppStatusRequiredIfUsage=Establece que desea utilizar este proyecto para seguir una oportunidad, por lo que también debe completar el estado inicial de la oportunidad. +ErrorOppStatusRequiredIfUsage=Usted elige seguir una oportunidad en este proyecto, por lo que también debe completar el estado Líder. ErrorOppStatusRequiredIfAmount=Ha indicado un importe estimado para esta oportunidad/lead. Debe indicar también su estado ErrorFailedToLoadModuleDescriptorForXXX=Error al cargar el descriptor de clase del módulo %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Definición incorrecta de la matriz de menú en el descriptor del módulo (valor incorrecto para la clave fk_menu) @@ -240,7 +245,7 @@ ErrorURLMustStartWithHttp=La URL %s debe comenzar con http:// o https:// ErrorHostMustNotStartWithHttp=El nombre de host %s NO debe comenzar con http: // o https: // ErrorNewRefIsAlreadyUsed=Error, la nueva referencia ya está en uso ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, no es posible eliminar un pago enlazado a una factura cerrada. -ErrorSearchCriteriaTooSmall=Los criterios de búsqueda son demasiado pequeños. +ErrorSearchCriteriaTooSmall=Criterios de búsqueda demasiado cortos. ErrorObjectMustHaveStatusActiveToBeDisabled=Los objetos deben tener el estado 'Activo' para ser deshabilitados ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Los objetos deben tener el estado 'Borrador' o 'Deshabilitad' para ser habilitados ErrorNoFieldWithAttributeShowoncombobox=Ningún campo tiene la propiedad 'showoncombobo' en la definición del objeto '%s'. No hay forma de mostrar el combolist. @@ -259,7 +264,7 @@ ErrorReplaceStringEmpty=Error, la cadena para reemplazar está vacía ErrorProductNeedBatchNumber=Error, el producto ' %s ' necesita un lote/número de serie ErrorProductDoesNotNeedBatchNumber=Error, el producto ' %s ' no acepta un número de serie/lote ErrorFailedToReadObject=Error, no se pudo leer el objeto de tipo %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Error, el parámetro %s debe estar habilitado en conf / conf.php para permitir el uso de la interfaz de línea de comandos por parte del programador de trabajos interno +ErrorParameterMustBeEnabledToAllwoThisFeature=Error, el parámetro %s debe estar habilitado en conf/conf.php<> para permitir el uso de la interfaz de línea de comandos por parte del programador de trabajos interno ErrorLoginDateValidity=Error, este inicio de sesión está fuera del rango de fechas de validez ErrorValueLength=Longitud del campo '%s' debe ser superior a '%s' ErrorReservedKeyword=La palabra '%s' es una palabra reservada @@ -296,11 +301,12 @@ ErrorAjaxRequestFailed=Solicitud fallida ErrorThirpdartyOrMemberidIsMandatory=Tercero o Miembro de la sociedad es obligatorio ErrorFailedToWriteInTempDirectory=Error al escribir en el directorio temporal ErrorQuantityIsLimitedTo=La cantidad está limitada a %s -ErrorFailedToLoadThirdParty=No se pudo encontrar/cargar un tercero desde id=%s, email=%s, name=%s +ErrorFailedToLoadThirdParty=No se pudo encontrar/cargar un tercero desde id=%s, email=%s, name= %s ErrorThisPaymentModeIsNotSepa=Este modo de pago no es una cuenta bancaria -ErrorStripeCustomerNotFoundCreateFirst=El cliente de Stripe no está configurado para este tercero (o configurado en un valor eliminado en el lado de Stripe). Créelo (o vuelva a adjuntarlo) primero. +ErrorStripeCustomerNotFoundCreateFirst=El cliente de Stripe no está configurado para este tercero (o está configurado con un valor eliminado en el lado de Stripe). Créelo (o vuelva a adjuntarlo) primero. ErrorCharPlusNotSupportedByImapForSearch=La búsqueda IMAP no puede buscar en el remitente o el destinatario una cadena que contenga el carácter + ErrorTableNotFound=Tabla %s no encontrada +ErrorRefNotFound=Ref %s no encontrado ErrorValueForTooLow=El valor para %s es demasiado bajo ErrorValueCantBeNull=El valor para %s no puede ser nulo ErrorDateOfMovementLowerThanDateOfFileTransmission=La fecha de la transacción bancaria no puede ser anterior a la fecha de transmisión del archivo @@ -318,9 +324,13 @@ ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Error: la URL de su in ErrorMenuExistValue=Ya existe un menú con este título o URL ErrorSVGFilesNotAllowedAsLinksWithout=Los archivos SVG no están permitidos como enlaces externos sin la opción %s ErrorTypeMenu=Imposible agregar otro menú para el mismo módulo en la barra de navegación, aún no se maneja +ErrorObjectNotFound = El objeto %s no se encuentra, verifique su URL +ErrorCountryCodeMustBe2Char=El código de país debe ser una cadena de 2 caracteres. + ErrorTableExist=La tabla %s ya existe ErrorDictionaryNotFound=Diccionario %s no encontrado -ErrorFailedToCreateSymLinkToMedias=Error al crear los enlaces simbólicos %s para apuntar a %s +ErrorFailedToCreateSymLinkToMedias=No se pudo crear el enlace simbólico %s para apuntar a %s +ErrorCheckTheCommandInsideTheAdvancedOptions=Verifique el comando utilizado para la exportación en las opciones avanzadas de la exportación # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=El parámetro PHP upload_max_filesize (%s) es más alto que el parámetro PHP post_max_size (%s). Esta no es una configuración consistente. @@ -359,10 +369,12 @@ WarningPaypalPaymentNotCompatibleWithStrict=El valor 'Estricto' hace que las fun WarningThemeForcedTo=Advertencia, el tema ha sido forzado a %s por la constante oculta MAIN_FORCETHEME WarningPagesWillBeDeleted=Advertencia, esto también eliminará todas las páginas/contenedores existentes del sitio web. Debe exportar su sitio web antes, para tener una copia de seguridad para volver a importarlo más tarde. WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=La validación automática está deshabilitada cuando la opción para disminuir el stock está configurada en "Validación de facturas". -WarningModuleNeedRefrech = El módulo %s ha sido deshabilitado. No olvides habilitarlo +WarningModuleNeedRefresh = El módulo %s ha sido deshabilitado. No olvides habilitarlo WarningPermissionAlreadyExist=Permisos existentes para este objeto WarningGoOnAccountancySetupToAddAccounts=Si esta lista está vacía, vaya al menú %s - %s - %s para cargar o crear cuentas para su plan de cuentas. WarningCorrectedInvoiceNotFound=Factura corregida no encontrada +WarningCommentNotFound=Verifique la ubicación de los comentarios de inicio y fin de la sección %s en archivo %s antes de enviar su acción +WarningAlreadyReverse=El movimiento bursátil ya se revirtió SwissQrOnlyVIR = La factura SwissQR solo se puede agregar en facturas configuradas para pagarse con pagos de transferencia de crédito. SwissQrCreditorAddressInvalid = La dirección del acreedor no es válida (¿están configurados el código postal y la ciudad? (%s) diff --git a/htdocs/langs/es_ES/eventorganization.lang b/htdocs/langs/es_ES/eventorganization.lang index 4491556b967..5a3eea2db7d 100644 --- a/htdocs/langs/es_ES/eventorganization.lang +++ b/htdocs/langs/es_ES/eventorganization.lang @@ -98,6 +98,7 @@ EVENTORGANIZATION_SECUREKEY = Semilla para asegurar la clave de la página de re SERVICE_BOOTH_LOCATION = Servicio utilizado para la fila de facturas sobre la ubicación de un stand SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Servicio utilizado para la fila de la factura sobre la suscripción de un asistente a un evento NbVotes=Número de votos + # # Status # @@ -106,9 +107,10 @@ EvntOrgSuggested = Sugirió EvntOrgConfirmed = Confirmado EvntOrgNotQualified = No calificado EvntOrgDone = Realizadas -EvntOrgCancelled = Cancelado +EvntOrgCancelled = Anulado + # -# Public page +# Other # SuggestForm = Página de sugerencias SuggestOrVoteForConfOrBooth = Página para sugerencia o voto @@ -144,13 +146,8 @@ OrganizationEventBulkMailToAttendees=Este es un recordatorio sobre su participac OrganizationEventBulkMailToSpeakers=Este es un recordatorio sobre su participación en el evento como ponente. OrganizationEventLinkToThirdParty=Enlace a un tercero (cliente, proveedor o socio) OrganizationEvenLabelName=Nombre público de la conferencia o stand - NewSuggestionOfBooth=Solicitud de stand NewSuggestionOfConference=Aplicación para realizar una conferencia - -# -# Vote page -# EvntOrgRegistrationWelcomeMessage = Bienvenido a la página de sugerencias de la conferencia o stand. EvntOrgRegistrationConfWelcomeMessage = Bienvenido a la página de sugerencias de la conferencia. EvntOrgRegistrationBoothWelcomeMessage = Bienvenido a la página de sugerencias del stand. @@ -158,8 +155,8 @@ EvntOrgVoteHelpMessage = Aquí puede ver y votar los eventos sugeridos para el p VoteOk = Tu voto ha sido aceptado. AlreadyVoted = Ya has votado por este evento. VoteError = Se produjo un error durante la votación, inténtelo de nuevo. - SubscriptionOk=Su registro ha sido registrado +AmountOfRegistrationPaid=Monto de inscripción pagado ConfAttendeeSubscriptionConfirmation = Confirmación de su suscripción a un evento Attendee = Asistente PaymentConferenceAttendee = Pago de asistentes a la conferencia @@ -169,8 +166,8 @@ RegistrationAndPaymentWereAlreadyRecorder=Ya se registró un registro y un pago EmailAttendee=E-mail del asistente EmailCompany=Correo electrónico de la empresa EmailCompanyForInvoice=E-mailde la empresa (para la factura, si es diferente del e-mail del asistente) -ErrorSeveralCompaniesWithEmailContactUs=Se han encontrado varias empresas con este e-mail, por lo que no podemos validar automáticamente su registro. Póngase en contacto con nosotros en %s para una validación manual -ErrorSeveralCompaniesWithNameContactUs=Se han encontrado varias empresas con este nombre por lo que no podemos validar automáticamente su registro. Póngase en contacto con nosotros en %s para una validación manual +ErrorSeveralCompaniesWithEmailContactUs=Se han encontrado varias empresas con este correo electrónico por lo que no podemos validar automáticamente tu registro. Comuníquese con nosotros en %s para una validación manual. +ErrorSeveralCompaniesWithNameContactUs=Se han encontrado varias empresas con este nombre por lo que no podemos validar automáticamente su registro. Comuníquese con nosotros en %s para una validación manual. NoPublicActionsAllowedForThisEvent=No hay acciones públicas abiertas al público para este evento. MaxNbOfAttendees=Número máximo de asistentes DateStartEvent=Fecha de inicio del evento diff --git a/htdocs/langs/es_ES/holiday.lang b/htdocs/langs/es_ES/holiday.lang index 324f92e8f1d..cbb15056cae 100644 --- a/htdocs/langs/es_ES/holiday.lang +++ b/htdocs/langs/es_ES/holiday.lang @@ -5,7 +5,7 @@ Holiday=Abandonar CPTitreMenu=Día libre MenuReportMonth=Estado mensual MenuAddCP=Nueva petición de vacaciones -MenuCollectiveAddCP=Nueva solicitud de permiso colectivo +MenuCollectiveAddCP=Nuevo permiso colectivo NotActiveModCP=Debe activar el módulo Días libres para ver esta página AddCP=Realizar una petición de días libres DateDebCP=Fecha inicio @@ -95,14 +95,14 @@ UseralreadyCPexist=Ya se ha realizado una solicitud de permiso en este período groups=Grupos users=Usuarios AutoSendMail=Envío automático -NewHolidayForGroup=Nueva solicitud de permiso colectivo -SendRequestCollectiveCP=Enviar solicitud de baja colectiva +NewHolidayForGroup=Nuevo permiso colectivo +SendRequestCollectiveCP=Crear permiso colectivo AutoValidationOnCreate=Validación automática FirstDayOfHoliday=Día de inicio de la solicitud de vacaciones LastDayOfHoliday=Día de finalización de la solicitud de vacaciones HolidaysMonthlyUpdate=Actualización mensual ManualUpdate=Actualización manual -HolidaysCancelation=Anulación días libres +HolidaysCancelation=Cancelación de solicitud de licencia EmployeeLastname=Apellidos del empleado EmployeeFirstname=Nombre del empleado TypeWasDisabledOrRemoved=El tipo de día libre (id %s) ha sido desactivado o eliminado diff --git a/htdocs/langs/es_ES/hrm.lang b/htdocs/langs/es_ES/hrm.lang index d21f201176a..9675f1fe43a 100644 --- a/htdocs/langs/es_ES/hrm.lang +++ b/htdocs/langs/es_ES/hrm.lang @@ -26,6 +26,7 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Descripción predeterminada de los rangos cuando s deplacement=Cambio DateEval=Fecha de evaluación JobCard=Ficha de trabajo +NewJobProfile=Nuevo perfil de trabajo JobProfile=Perfil de trabajo JobsProfiles=Perfiles de trabajo NewSkill=Nueva habilidad @@ -36,7 +37,7 @@ rank=Rango ErrNoSkillSelected=No se seleccionó ninguna habilidad ErrSkillAlreadyAdded=Esta habilidad ya está en la lista SkillHasNoLines=Esta habilidad no tiene lineas -skill=Habilidad +Skill=Habilidad Skills=Habilidades SkillCard=Ficha habilidad EmployeeSkillsUpdated=Se actualizaron las habilidades de los empleados (consulte la pestaña "Habilidades" de la ficha de empleado) @@ -44,10 +45,13 @@ Eval=Evaluación Evals=Evaluaciones NewEval=Nueva evaluación ValidateEvaluation=Validar evaluación -ConfirmValidateEvaluation=¿Está seguro de que desea validar esta evaluación con la referencia %s ? +ConfirmValidateEvaluation=¿Está seguro de que desea validar esta evaluación con la referencia %s? EvaluationCard=Tarjeta de evaluación RequiredRank=Rango requerido para el perfil de trabajo +RequiredRankShort=rango requerido +PositionsWithThisProfile=Puestos con este perfil laboral EmployeeRank=Rango de empleado para esta habilidad +EmployeeRankShort=Rango de empleado EmployeePosition=Puesto de empleado EmployeePositions=Puestos de empleados EmployeesInThisPosition=Empleados en este puesto @@ -56,21 +60,21 @@ group2ToCompare=Segundo grupo de usuarios para comparación OrJobToCompare=Comparar con los requisitos de habilidades de un perfil de trabajo difference=Diferencia CompetenceAcquiredByOneOrMore=Competencia adquirida por uno o más usuarios pero no solicitada por el segundo comparador -MaxlevelGreaterThan=Nivel máximo mayor al solicitado -MaxLevelEqualTo=Nivel máximo igual a esa demanda -MaxLevelLowerThan=Nivel máximo más bajo que esa demanda -MaxlevelGreaterThanShort=Nivel de empleado mayor al solicitado -MaxLevelEqualToShort=El nivel de empleado es igual a esa demanda -MaxLevelLowerThanShort=Nivel de empleado más bajo que esa demanda +MaxlevelGreaterThan=El nivel del empleado es mayor que el nivel esperado. +MaxLevelEqualTo=El nivel del empleado es igual al nivel esperado. +MaxLevelLowerThan=El nivel del empleado es inferior al nivel esperado. +MaxlevelGreaterThanShort=Nivel mayor al esperado +MaxLevelEqualToShort=Nivel igual al nivel esperado +MaxLevelLowerThanShort=Nivel inferior al esperado SkillNotAcquired=Habilidad no adquirida por todos los usuarios y solicitada por el segundo comparador legend=Leyenda TypeSkill=Tipo de habilidad -AddSkill=Añadir habilidades al trabajo -RequiredSkills=Habilidades requeridas para este trabajo +AddSkill=Agregar habilidades al perfil laboral +RequiredSkills=Habilidades requeridas para este perfil laboral UserRank=Rango de usuario SkillList=Lista de habilidades SaveRank=Guardar rango -TypeKnowHow=Saber como +TypeKnowHow=Saber cómo TypeHowToBe=Cómo ser TypeKnowledge=Conocimiento AbandonmentComment=Comentario de abandono @@ -85,8 +89,9 @@ VacantCheckboxHelper=Al marcar esta opción, se mostrarán los puestos vacantes SaveAddSkill = Habilidad(es) añadidas SaveLevelSkill = Nivel de habilidad(es) guardado DeleteSkill = Habilidad eliminada -SkillsExtraFields=Atributos suplementarios (Competencias) +SkillsExtraFields=Atributos complementarios (Habilidades) JobsExtraFields=Atributos complementarios (Perfil de puesto) EvaluationsExtraFields=Atributos complementarios (Evaluaciones) NeedBusinessTravels=Necesita viajes de negocios NoDescription=Sin descripción +TheJobProfileHasNoSkillsDefinedFixBefore=El perfil laboral evaluado de este empleado no tiene ninguna habilidad definida. Agregue habilidades, luego elimine y reinicie la evaluación. diff --git a/htdocs/langs/es_ES/mails.lang b/htdocs/langs/es_ES/mails.lang index 590b1ddb3ff..1fe89ca798d 100644 --- a/htdocs/langs/es_ES/mails.lang +++ b/htdocs/langs/es_ES/mails.lang @@ -184,3 +184,5 @@ EmailOptedOut=El propietario del correo electrónico ha solicitado no contactarl EvenUnsubscribe=Incluir correos electrónicos de exclusión EvenUnsubscribeDesc=Incluya correos electrónicos de exclusión voluntaria cuando seleccione correos electrónicos como objetivos. Útil para correos electrónicos de servicio obligatorios, por ejemplo. XEmailsDoneYActionsDone=%s correos electrónicos precalificados, %s correos electrónicos procesados con éxito (para %s registro/acciones realizadas) +helpWithAi=Añadir instrucciones +YouCanMakeSomeInstructionForEmail=Puede hacer algunas instrucciones para su correo electrónico (Ejemplo: generar imagen en la plantilla de correo electrónico...) diff --git a/htdocs/langs/es_ES/main.lang b/htdocs/langs/es_ES/main.lang index 7d426315bc2..1cd85b4fce2 100644 --- a/htdocs/langs/es_ES/main.lang +++ b/htdocs/langs/es_ES/main.lang @@ -36,7 +36,7 @@ NoTranslation=Sin traducción Translation=Traducción Translations=Traducciones CurrentTimeZone=Zona horaria PHP (Servidor) -EmptySearchString=Ingrese una cadena de búsqueda no vacía +EmptySearchString=Introduzca criterios de búsqueda que no estén vacíos EnterADateCriteria=Ingrese un criterio de fecha NoRecordFound=No se han encontrado registros NoRecordDeleted=No se ha eliminado el registro @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Error en el envío del e-mail (emisor=%s, destinatario=%s) ErrorFileNotUploaded=El archivo no se ha podido transferir ErrorInternalErrorDetected=Error detectado ErrorWrongHostParameter=Parámetro Servidor inválido -ErrorYourCountryIsNotDefined=Su país no está definido. Corríjalo yendo a Inicio-Configuración-Empresa/Institución-Editar +ErrorYourCountryIsNotDefined=Tu país no está definido. Vaya a Inicio-Configuración-Empresa/Fundación y publique el formulario nuevamente. ErrorRecordIsUsedByChild=Imposible de suprimir este registro. Esta siendo utilizado como padre por al menos un registro hijo. ErrorWrongValue=Valor incorrecto ErrorWrongValueForParameterX=Valor incorrecto del parámetro %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Error, ningún tipo de IVA definido para e ErrorNoSocialContributionForSellerCountry=Error, ningún tipo de tasa social/fiscal definida para el país '%s'. ErrorFailedToSaveFile=Error, el registro del archivo falló. ErrorCannotAddThisParentWarehouse=Intenta añadir un almacén padre que ya es hijo del actual +ErrorInvalidSubtype=El subtipo seleccionado no está permitido FieldCannotBeNegative=El campo "%s" no puede ser negativo MaxNbOfRecordPerPage=Nº máximo de registros por página NotAuthorized=No está autorizado para hacer esto. @@ -103,7 +104,8 @@ RecordGenerated=Registro generado LevelOfFeature=Nivel de funciones NotDefined=No definida DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr está configurado en modo de autentificación %s en el archivo de configuración conf.php.
      Eso significa que la base de datos de las contraseñas es externa a Dolibarr, por eso toda modificación de este campo puede resultar sin efecto alguno. -Administrator=Administrador +Administrator=Administrador de sistema +AdministratorDesc=Administrador del sistema (puede administrar usuarios, permisos pero también la configuración del sistema y los módulos) Undefined=No definido PasswordForgotten=¿Olvidó su contraseña? NoAccount=¿Sin cuenta? @@ -211,8 +213,8 @@ Select=Seleccionar SelectAll=Seleccionar todo Choose=Elegir Resize=Redimensionar +Crop=Cultivo ResizeOrCrop=Cambiar el tamaño o cortar -Recenter=Encuadrar Author=Autor User=Usuario Users=Usuarios @@ -224,7 +226,7 @@ NoUserGroupDefined=No hay definido grupo de usuarios Password=Contraseña PasswordRetype=Repite tu contraseña NoteSomeFeaturesAreDisabled=Atención, sólo unos pocos módulos/funcionalidades han sido activados en esta demo. -YourUserFile=Tu ficha de usuario +YourUserFile=Su ficha de usuario Name=Nombre NameSlashCompany=Nombre / Empresa Person=Persona @@ -348,7 +350,7 @@ MonthOfDay=Mes del día DaysOfWeek=Días de la semana HourShort=H MinuteShort=min -SecondShort=sec +SecondShort=segundo Rate=Tipo CurrencyRate=Tasa de conversión de moneda UseLocalTax=Incluir tasas @@ -547,6 +549,7 @@ Reportings=Informes Draft=Borrador Drafts=Borradores StatusInterInvoiced=Facturada +Done=Realizadas Validated=Validado ValidatedToProduce=Validado (A producir) Opened=Activo @@ -698,6 +701,7 @@ Response=Respuesta Priority=Prioridad SendByMail=Enviar por e-mail MailSentBy=Mail enviado por +MailSentByTo=Correo electrónico enviado por %s a %s NotSent=No enviado TextUsedInTheMessageBody=Texto utilizado en el cuerpo del mensaje SendAcknowledgementByMail=Enviar email de confirmación @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Registro modificado con éxito RecordsModified=%s registro(s) modificado(s) RecordsDeleted=%s registro(s) eliminado(s) RecordsGenerated=%s registro(s) generado(s) +ValidatedRecordWhereFound = Algunos de los registros seleccionados ya han sido validados. No se han eliminado registros. AutomaticCode=Creación automática de código FeatureDisabled=Función desactivada MoveBox=Mover panel @@ -764,7 +769,6 @@ DisabledModules=Módulos desactivados For=Para ForCustomer=Para cliente Signature=Firma -DateOfSignature=Fecha de la firma HidePassword=Mostrar comando con contraseña oculta UnHidePassword=Mostrar comando con contraseña a la vista Root=Raíz @@ -916,6 +920,7 @@ BackOffice=Back office Submit=Enviar View=Ver Export=Exportar +Import=Importar Exports=Exportaciones ExportFilteredList=Listado filtrado de exportación ExportList=Listado de exportación @@ -949,7 +954,7 @@ BulkActions=Acciones masivas ClickToShowHelp=Haga clic para mostrar la ayuda sobre herramientas WebSite=Sitio web WebSites=Sitios web -WebSiteAccounts=Cuentas del sitio web +WebSiteAccounts=cuentas de acceso web ExpenseReport=Gasto ExpenseReports=Informes de gastos HR=RRHH @@ -1077,6 +1082,7 @@ CommentPage=Espacio de comentarios CommentAdded=Comentario añadido CommentDeleted=Comentario borrado Everybody=Proyecto compartido +EverybodySmall=Proyecto compartido PayedBy=Pagado por PayedTo=Pagado a Monthly=Mensual @@ -1089,7 +1095,7 @@ KeyboardShortcut=Atajo de teclado AssignedTo=Asignada a Deletedraft=Eliminar borrador ConfirmMassDraftDeletion=Confirmación de borrado de borradores en masa -FileSharedViaALink=Archivo compartido con un enlace público +FileSharedViaALink=Archivo público compartido a través de enlace SelectAThirdPartyFirst=Selecciona un tercero primero... YouAreCurrentlyInSandboxMode=Actualmente se encuentra en el modo %s "sandbox" Inventory=Inventario @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Tarea ContactDefault_propal=Presupuesto ContactDefault_supplier_proposal=Presupuesto de proveedor ContactDefault_ticket=Ticket -ContactAddedAutomatically=Contacto agregado desde roles de contactos de terceros +ContactAddedAutomatically=Contacto agregado desde roles de contacto de terceros More=Más ShowDetails=Mostrar detalles CustomReports=Reportes personalizados @@ -1222,7 +1228,7 @@ UserAgent=Agente de usuario InternalUser=Usuario interno ExternalUser=Usuario externo NoSpecificContactAddress=Sin contacto o dirección específica -NoSpecificContactAddressBis=Esta pestaña está dedicada a forzar contactos o direcciones específicas para el objeto actual. Úselo solo si desea definir uno o varios contactos o direcciones específicas para el objeto cuando la información sobre el tercero no es suficiente o no es precisa. +NoSpecificContactAddressBis=Esta pestaña está dedicada a forzar contactos o direcciones específicas para el objeto actual. Úselo sólo si desea definir uno o varios contactos o direcciones específicas para el objeto cuando la información del tercero no sea suficiente o no sea precisa. HideOnVCard=Ocultar %s AddToContacts=Agregar dirección a mis contactos LastAccess=Ultimo acceso @@ -1239,3 +1245,18 @@ DateOfPrinting=Fecha de impresión ClickFullScreenEscapeToLeave=Haga clic aquí para cambiar al modo de pantalla completa. Presione ESCAPE para salir del modo de pantalla completa. UserNotYetValid=Aún no es válido UserExpired=No al día +LinkANewFile=Vincular un nuevo archivo/documento +LinkedFiles=Archivos y documentos vinculados +NoLinkFound=Sin enlaces registrados +LinkComplete=El archivo ha sido vinculado correctamente +ErrorFileNotLinked=El archivo no ha podido ser vinculado +LinkRemoved=El vínculo %s ha sido eliminado +ErrorFailedToDeleteLink= Error al eliminar el vínculo '%s' +ErrorFailedToUpdateLink= Error al actualizar el vínculo '%s' +URLToLink=URL a enlazar +OverwriteIfExists=Sobrescribir si el archivo existe +AmountSalary=Monto del salario +InvoiceSubtype=Subtipo de factura +ConfirmMassReverse=Confirmación inversa masiva +ConfirmMassReverseQuestion=¿Está seguro de que desea revertir los %s registros seleccionados? + diff --git a/htdocs/langs/es_ES/members.lang b/htdocs/langs/es_ES/members.lang index 96958f913e3..0a9f2744820 100644 --- a/htdocs/langs/es_ES/members.lang +++ b/htdocs/langs/es_ES/members.lang @@ -27,7 +27,7 @@ MembersListNotUpToDate=Listado de miembros válidos con suscripción caducada MembersListExcluded=Lista de miembros excluidos MembersListResiliated=Listado de los miembros dados de baja MembersListQualified=Listado de los miembros cualificados -MembersShowMembershipTypesTable=Muestre una tabla de todos los tipos de membresía disponibles (si no, muestre directamente el formulario de registro) +MembersShowMembershipTypesTable=Muestra una tabla de todos los tipos de membresía disponibles (si no, muestra directamente el formulario de registro) MembersShowVotesAllowed=Mostrar si se permiten votos, en la tabla de tipos de membresía MenuMembersToValidate=Miembros borrador MenuMembersValidated=Miembros validados @@ -101,7 +101,7 @@ VoteAllowed=Voto autorizado Physical=Individual Moral=Corporación MorAndPhy=Corporación e Individuo -Reenable=Reactivar +Reenable=Volver a habilitar ExcludeMember=Excluir a un miembro Exclude=Excluir ConfirmExcludeMember=¿Está seguro de que desea excluir a este miembro? @@ -128,7 +128,7 @@ String=Cadena Text=Texto largo Int=Numérico DateAndTime=Fecha y hora -PublicMemberCard=Ficha pública miembro +PublicMemberCard=Tarjeta de miembro público SubscriptionNotRecorded=Subscripción no guardada AddSubscription=Crear afiliación ShowSubscription=Mostrar afiliación @@ -138,7 +138,7 @@ SendingEmailOnAutoSubscription=Enviar E-Mail en una auto-inscripción SendingEmailOnMemberValidation=Enviar E-Mail en la validación de un nuevo miembro SendingEmailOnNewSubscription=Enviar E-Mail en una nueva suscripción SendingReminderForExpiredSubscription=Enviar un recordatorio para suscripción caducada -SendingEmailOnCancelation=Enviar E-Mail en una cancelación +SendingEmailOnCancelation=Envío de correo electrónico en caso de cancelación SendingReminderActionComm=Envío de recordatorio para el evento de la agenda # Topic of email templates YourMembershipRequestWasReceived=Su membresía fue recibida. @@ -159,7 +159,7 @@ DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Plantilla del e-mail a enviar cuando un DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Plantilla del e-mail a enviar a un miembro cuando un miembro se valide DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Plantilla del e-mail para usar para enviar e-mail a un miembro en un nuevo registro de suscripción DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Plantilla del e-mail a enviar cuando una membresía esté a punto de expirar -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Plantilla del e-mail a enviar a un miembro cuando un miembro se de de baja +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Plantilla de correo electrónico que se utilizará para enviar un correo electrónico a un miembro en caso de cancelación de miembro DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Plantilla de correo electrónico que se utilizará para enviar un correo electrónico a un miembro sobre la exclusión de miembros DescADHERENT_MAIL_FROM=E-mail emisor para los e-mails automáticos DescADHERENT_CC_MAIL_FROM=Enviar copia automática por correo electrónico a @@ -175,7 +175,7 @@ HTPasswordExport=Generación archivo htpassword NoThirdPartyAssociatedToMember=Ningún tercero asociado a este miembro MembersAndSubscriptions=Miembros y afiliaciones MoreActions=Acción complementaria al registro -MoreActionsOnSubscription=Acción complementaria sugerida por defecto al registrar una contribución, también se realiza automáticamente en el pago en línea de una contribución +MoreActionsOnSubscription=Acción complementaria sugerida por defecto al registrar una contribución, también realizada automáticamente al pagar una contribución en línea MoreActionBankDirect=Crear un registro directo en la cuenta bancaria MoreActionBankViaInvoice=Crear una factura y un pago en la cuenta bancaria MoreActionInvoiceOnly=Creación factura sin pago @@ -207,6 +207,7 @@ LatestSubscriptionDate=Fecha de la última cotización MemberNature=Naturaleza del miembro MembersNature=Naturaleza de los miembros Public=%s puedo publicar mi membresía en el registro público +MembershipPublic=Membresía pública NewMemberbyWeb=Nuevo miembro añadido. En espera de validación NewMemberForm=Formulario de inscripción SubscriptionsStatistics=Estadísticas de suscripciones @@ -217,11 +218,11 @@ DefaultAmount=Importe predeterminado de la contribución (se utiliza solo si no MinimumAmount=Monto mínimo (utilizado solo cuando el monto de la contribución es gratuito) CanEditAmount=El monto de la suscripción puede ser definido por el miembro CanEditAmountDetail=El visitante puede elegir/editar el importe de su contribución independientemente del tipo de miembro -AmountIsLowerToMinimumNotice=sobre una deuda total de %s +AmountIsLowerToMinimumNotice=El importe es inferior al mínimo %s MEMBER_NEWFORM_PAYONLINE=Después del registro en línea, cambie automáticamente a la página de pago en línea ByProperties=Por naturaleza MembersStatisticsByProperties=Estadísticas de los miembros por naturaleza -VATToUseForSubscriptions=Tasa de IVA para las afiliaciones +VATToUseForSubscriptions=Tasa de IVA a utilizar para las contribuciones NoVatOnSubscription=Sin IVA para en las afiliaciones ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Producto usado para las suscripciones en línea en facturas: %s NameOrCompany=Nombre o Empresa @@ -229,15 +230,17 @@ SubscriptionRecorded=Suscripción guardada NoEmailSentToMember=No se envió ningún e-mail al miembro EmailSentToMember=E-Mail enviado al miembro a %s SendReminderForExpiredSubscriptionTitle=Enviar un recordatorio por E-Mail para la suscripción expirada -SendReminderForExpiredSubscription=Enviar recordatorio por e-mail a los miembros cuando la suscripción esté a punto de caducar (el parámetro es el número de días antes del final de la suscripción para enviar el recordatorio. Puede ser una lista de días separados por un punto y coma, por ejemplo, '10; 5; 0; -5 ') +SendReminderForExpiredSubscription=Enviar un recordatorio por correo electrónico a los miembros cuando la contribución esté a punto de caducar (el parámetro es el número de días antes del final de la membresía para enviar el recordatorio. Puede ser una lista de días separados por un punto y coma, por ejemplo '10;5;0;-5 ') MembershipPaid=Membresía pagada por el período actual (hasta %s) YouMayFindYourInvoiceInThisEmail=Puede encontrar su factura adjunta a este e-mai XMembersClosed=%s miembro(s) cerrado(s) XExternalUserCreated=%s usuarios externos creados ForceMemberNature=Naturaleza del miembro de la fuerza (individual o corporativo) CreateDolibarrLoginDesc=La creación de un login de usuario para los miembros les permite conectarse a la aplicación. En función de las autorizaciones otorgadas, podrán, por ejemplo, consultar o modificar ellos mismos su expediente. -CreateDolibarrThirdPartyDesc=Un tercero es la entidad legal que se utilizará en la factura si decide generar una factura para cada contribución. Podrá crearlo más tarde durante el proceso de registro de la contribución. +CreateDolibarrThirdPartyDesc=Un tercero es la entidad jurídica que se utilizará en la factura si decide generar una factura para cada contribución. Podrás crearlo más adelante durante el proceso de registro de la contribución. MemberFirstname=Nombre del miembro MemberLastname=Apellido del miembro MemberCodeDesc=Código de miembro, único para todos los miembros NoRecordedMembers=No hay miembros registrados +MemberSubscriptionStartFirstDayOf=La fecha de inicio de una membresía corresponde al primer día de una +MemberSubscriptionStartAfter=Período mínimo antes de la entrada en vigor de la fecha de inicio de una suscripción excepto renovaciones (ejemplo +3m = +3 meses, -5d = -5 días, +1Y = +1 año) diff --git a/htdocs/langs/es_ES/modulebuilder.lang b/htdocs/langs/es_ES/modulebuilder.lang index e1dfe712277..dc4591fa188 100644 --- a/htdocs/langs/es_ES/modulebuilder.lang +++ b/htdocs/langs/es_ES/modulebuilder.lang @@ -40,7 +40,7 @@ EditorName=Nombre del editor EditorUrl=URL del editor DescriptorFile=Fichero del descriptor del módulo ClassFile=Fichero para la clase PHP -ApiClassFile=Fichero para la clase API PHP +ApiClassFile=Archivo API del módulo PageForList=Página PHP para listar registros PageForCreateEditView=Página PHP para crear/editar/ver un registro PageForAgendaTab=Página de PHP para la pestaña de eventos @@ -71,7 +71,7 @@ ArrayOfKeyValues=Matriz de llave-valor ArrayOfKeyValuesDesc=Matriz de claves y valores si el campo es una lista combinada con valores fijos WidgetFile=Fichero del widget CSSFile=Archivo CSS -JSFile=Archivo Javascript +JSFile=archivo javascript ReadmeFile=Fichero leeme ChangeLog=Fichero ChangeLog TestClassFile=Archivo para la clase de PHP Test @@ -92,8 +92,8 @@ ListOfMenusEntries=Lista de entradas de menú ListOfDictionariesEntries=Listado de entradas de diccionarios ListOfPermissionsDefined=Listado de permisos definidos SeeExamples=Vea ejemplos aquí -EnabledDesc=Condición para tener este campo activo.

      Ejemplos:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=¿Se ve el campo? (Ejemplos: 0=Nunca visible, 1=Visible en la lista y formularios de creación/actualización/vista, 2=Visible solo en la lista, 3=Visible solo en el formulario de creación/actualización/vista (no en la lista), 4=Visible en la lista y actualizar/ver formulario solamente (no al crear), 5=Visible solo en el formulario de vista final de la lista (no al crear ni al actualizar)

      El uso de un valor negativo significa que el campo no se muestra de forma predeterminada en la lista, pero se puede seleccionar para verlo). +EnabledDesc=Condición para tener este campo activo.

      Ejemplos:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=¿Es visible el campo? (Ejemplos: 0=Nunca visible, 1=Visible en la lista y crear/actualizar/ver formularios, 2=Visible solo en la lista, 3=Visible solo en crear/actualizar/ver formulario (no en las listas), 4=Visible en las listas y actualizar/ver formulario únicamente (no crear), 5=Visible en la lista y ver formulario únicamente (no crear, no actualizar).

      Usar un valor negativo significa que el campo no se muestra de forma predeterminada en la lista, pero se puede seleccionar para verlo). ItCanBeAnExpression=Puede ser una expresión. Ejemplo:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $usuario->hasRight('vacaciones', 'define_vacaciones')?1:5 DisplayOnPdfDesc=Muestre este campo en documentos PDF compatibles, puede administrar la posición con el campo "Posición".
      Para documento :
      0 = no mostrar
      1 = mostrar
      2 = mostrar solo si no vacio

      Para lineas de documento :
      0 = no mostrar
      1 = mostrar en columna
      3 = mostrar en la columna de descripción de línea después de la descripción
      4 = mostrar en la columna de descripción después de la descripción solo si no está vacío DisplayOnPdf=En PDF @@ -107,7 +107,7 @@ PermissionsDefDesc=Defina aquí los nuevos permisos proporcionados por su módul MenusDefDescTooltip=Los menús proporcionados por su módulo/aplicación se definen en la matriz $this->menus en el archivo descriptor del módulo. Puede editar manualmente este archivo o utilizar el editor incrustado.

      Nota: Una vez definidos (y el módulo se haya reactivado), los menús también serán visibles en el editor de menú disponible para los usuarios administradores en %s. DictionariesDefDescTooltip=Los diccionarios proporcionados por su módulo / aplicación se definen en la matriz $this->diccionarios en el archivo descriptor del módulo. Puede editar este archivo manualmente o usar el editor incorporado.

      Nota: Una vez definidos (y el módulo reactivado), los diccionarios también son visibles en el área de configuración para los usuarios administradores en %s. PermissionsDefDescTooltip=Los permisos proporcionados por su módulo / aplicación se definen en la matriz $this->rights en el archivo descriptor del módulo. Puede editar manualmente este archivo o utilizar el editor incrustado.

      Nota: Una vez definidos (y el módulo se haya reactivado), los permisos serán visibles en la configuración de permisos predeterminada %s. -HooksDefDesc=Defina en la propiedad module_parts ['hooks'], en el descriptor del módulo, el contexto de los hooks que desea administrar (puede encontrar la lista de contextos mediante una búsqueda de 'initHooks(' en el código del core).
      Edite el archivo hook para agregar el código de sus funciones (las funciones se pueden encontrar mediante una búsqueda de 'executeHooks' en el código del core). +HooksDefDesc=Defina en la propiedad module_parts['hooks'], en el archivo descriptor del módulo, la lista de contextos cuando su gancho debe ejecutarse (la lista de contextos posibles se puede encontrar mediante una búsqueda en 'initHooks(' en el código principal) .
      Luego edite el archivo con el código de enlaces con el código de sus funciones enlazadas (la lista de funciones enlazables se puede encontrar mediante una búsqueda en ' executeHooks' en el código principal). TriggerDefDesc=Defina en el archivo de activación el código que desea ejecutar cuando se ejecuta un evento comercial externo a su módulo (eventos activados por otros módulos). SeeIDsInUse=Ver IDs en uso en su instalación SeeReservedIDsRangeHere=Ver rango de IDs reservados @@ -128,7 +128,7 @@ RealPathOfModule=Ruta real del módulo ContentCantBeEmpty=El contenido del archivo no puede estar vacío WidgetDesc=Puede generar y editar aquí los paneles que se incrustarán con su módulo. CSSDesc=Puede generar y editar aquí un archivo con CSS personalizado incrustado con su módulo. -JSDesc=Puede generar y editar aquí un archivo con Javascript personalizado incrustado con su módulo. +JSDesc=Puede generar y editar aquí un archivo con JavaScript personalizado integrado con su módulo. CLIDesc=Puede generar aquí algunos scripts de línea de comandos que desea proporcionar con su módulo. CLIFile=Archivo CLI NoCLIFile=No hay archivos CLI @@ -148,8 +148,8 @@ CSSViewClass=CSS para formulario de lectura CSSListClass=CSS para lista NotEditable=No editable ForeignKey=Foreign key -ForeignKeyDesc=Si se debe garantizar que el valor de este campo existe en otra tabla. Ingrese aquí una sintaxis de coincidencia de valor: tablename.parentfieldtocheck -TypeOfFieldsHelp=Ejemplo:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1' significa que agregamos un botón + después del combo para crear el registro
      'filter' es una condición sql, ejemplo: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' +ForeignKeyDesc=Si se debe garantizar que el valor de este campo exista en otra tabla. Introduzca aquí un valor que coincida con la sintaxis: tablename.parentfieldtocheck +TypeOfFieldsHelp=Ejemplo:
      varchar(99)
      correo electrónico
      teléfono
      ip
      url
      contraseña
      double(24,8)
      real
      text
      html
      fecha
      fecha y hora
      marca de tiempo
      integer
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]

      '1' significa que agregamos un botón + después del combo para crear el registro
      'filter' es un Condición de sintaxis del filtro universal, ejemplo: '((status:=:1) AND (fk_user:=:__USER_ID__) AND (entity:IN:(__SHARED_ENTITIES__))' TypeOfFieldsHelpIntro=Este es el tipo del campo/atributo. AsciiToHtmlConverter=Conversor de ASCII a HTML AsciiToPdfConverter=Conversor de ASCII a PDF @@ -181,3 +181,9 @@ FailedToAddCodeIntoDescriptor=No se pudo agregar el código en el descriptor. Ve DictionariesCreated=Diccionario %s creado correctamente DictionaryDeleted=Diccionario %s eliminado correctamente PropertyModuleUpdated=La propiedad %s se ha actualizado correctamente +InfoForApiFile=* Cuando genere un archivo por primera vez, se crearán todos los métodos para cada objeto.
      * Cuando haces clic en eliminar simplemente eliminas todos los métodos para la objeto seleccionado. +SetupFile=Página para la configuración del módulo +EmailingSelectors=Selectores Emailings +EmailingSelectorDesc=Puede generar y editar aquí los archivos de clase para proporcionar nuevos selectores de destino de correo electrónico para el módulo de envío masivo de correos electrónicos. +EmailingSelectorFile=Archivos de selección de correos electrónicos +NoEmailingSelector=No hay archivo de selección de correos electrónicos diff --git a/htdocs/langs/es_ES/mrp.lang b/htdocs/langs/es_ES/mrp.lang index bcb49be4de4..1f7f3fbf931 100644 --- a/htdocs/langs/es_ES/mrp.lang +++ b/htdocs/langs/es_ES/mrp.lang @@ -31,9 +31,14 @@ Consumption=Consumo ValueOfMeansLoss=El valor de 0.95 significa un promedio de 5%% de pérdida durante la producción ValueOfMeansLossForProductProduced=El valor de 0.95 significa un promedio de 5%% de pérdida del producto producido DeleteBillOfMaterials=Eliminar Lista de material +CancelMo=Cancelar orden de fabricación +MoCancelConsumedAndProducedLines=Cancelar también todas las líneas consumidas y producidas (eliminar líneas y revertir stocks) +ConfirmCancelMo=¿Está seguro de que desea cancelar esta orden de fabricación? DeleteMo=Eliminar Orden de Fabricación ConfirmDeleteBillOfMaterials=¿Está seguro de que desea eliminar esta lista de materiales? ConfirmDeleteMo=¿Está seguro de que desea eliminar esta Orden de Fabricación? +DeleteMoChild = Elimine los MO secundarios vinculados a este MO %s +MoChildsDeleted = Todos los MO infantiles han sido eliminados. MenuMRP=Órdenes de fabricación NewMO=Nueva orden de fabricación QtyToProduce=Cant. a fabricar @@ -60,6 +65,8 @@ ToProduce=A producir ToObtain=Para obtener QtyAlreadyConsumed=Cant. ya consumida QtyAlreadyProduced=Cant. ya producida +QtyAlreadyConsumedShort=Cantidad consumida +QtyAlreadyProducedShort=Cantidad producida QtyRequiredIfNoLoss=Cantidad requerida para producir la cantidad definida en la lista de materiales si no hay pérdida (si la eficiencia de fabricación es 100%%) ConsumeOrProduce=Consumir o producir ConsumeAndProduceAll=Consumir y producir todo @@ -123,3 +130,10 @@ Manufacturing=Fabricación Disassemble=Desmontar ProducedBy=Producido por QtyTot=Cant. Total + +QtyCantBeSplit= La cantidad no se puede dividir +NoRemainQtyToDispatch=No queda cantidad para dividir + +THMOperatorEstimatedHelp=Costo estimado del operador por hora. Se utilizará para estimar el costo de una lista de materiales utilizando esta estación de trabajo. +THMMachineEstimatedHelp=Costo estimado de la máquina por hora. Se utilizará para estimar el costo de una lista de materiales utilizando esta estación de trabajo. + diff --git a/htdocs/langs/es_ES/oauth.lang b/htdocs/langs/es_ES/oauth.lang index ea5c09712a3..485e4c92c5c 100644 --- a/htdocs/langs/es_ES/oauth.lang +++ b/htdocs/langs/es_ES/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Token eliminado GetAccess=Haga clic aquí para obtener un token RequestAccess=Haga clic aquí para solicitar/renovar el acceso y recibir un nuevo token DeleteAccess=Haga clic aquí para eliminar el token -UseTheFollowingUrlAsRedirectURI=Utilice la siguiente dirección URL como redireccionamiento URI al crear su credencial de su proveedor OAuth: +RedirectURL=URL de redirección +UseTheFollowingUrlAsRedirectURI=Utilice la siguiente URL como la URL de redireccionamiento al crear sus credenciales con su proveedor de OAuth ListOfSupportedOauthProviders=Agregue sus proveedores de tokens OAuth2. Luego, vaya a la página de administración de su proveedor de OAuth para crear/obtener una ID y un secreto de OAuth y guárdelos aquí. Una vez hecho esto, cambie a la otra pestaña para generar su token. OAuthSetupForLogin=Página para administrar (generar/eliminar) tokens OAuth SeePreviousTab=Ver la pestaña previa @@ -31,9 +32,9 @@ OAUTH_GITHUB_SECRET=Oauth GitHub Secret OAUTH_URL_FOR_CREDENTIAL=Vaya a esta página para crear u obtener su ID y secreto de OAuth OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live -OAUTH_ID=OAuth Client ID +OAUTH_ID=ID de cliente de OAuth OAUTH_SECRET=Secreto OAuth -OAUTH_TENANT=OAuth tenant +OAUTH_TENANT=Inquilino de OAuth OAuthProviderAdded=Proveedor de OAuth agregado AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=Ya existe una entrada de OAuth para este proveedor y etiqueta URLOfServiceForAuthorization=URL proporcionada por el servicio OAuth para la autenticación diff --git a/htdocs/langs/es_ES/other.lang b/htdocs/langs/es_ES/other.lang index 2e8b9cc8da3..4c6a34fd47d 100644 --- a/htdocs/langs/es_ES/other.lang +++ b/htdocs/langs/es_ES/other.lang @@ -31,7 +31,7 @@ PreviousYearOfInvoice=Año anterior de la fecha de la factura NextYearOfInvoice=Mes siguiente de la fecha de la factura DateNextInvoiceBeforeGen=Fecha de la próxima factura (antes de la generación) DateNextInvoiceAfterGen=Fecha de la próxima factura (después de la generación) -GraphInBarsAreLimitedToNMeasures=Los gráficos se limitan a las medidas %s en el modo 'Barras'. En su lugar, se seleccionó automáticamente el modo 'Líneas'. +GraphInBarsAreLimitedToNMeasures=Los gráficos están limitados a %s medidas en el modo 'Barras'. En su lugar, se seleccionó automáticamente el modo 'Líneas'. OnlyOneFieldForXAxisIsPossible=Actualmente solo es posible 1 campo como X-Axis. Solo se ha seleccionado el primer campo seleccionado. AtLeastOneMeasureIsRequired=Se requiere al menos 1 campo para medir AtLeastOneXAxisIsRequired=Se requiere al menos 1 campo para el eje X @@ -45,6 +45,7 @@ Notify_ORDER_CLOSE=Pedido de venta entregado Notify_ORDER_SUPPLIER_SENTBYMAIL=Envío pedido a proveedor por e-mail Notify_ORDER_SUPPLIER_VALIDATE=Pedido a proveedor registrado Notify_ORDER_SUPPLIER_APPROVE=Aprobación pedido a proveedor +Notify_ORDER_SUPPLIER_SUBMIT=Orden de compra enviada Notify_ORDER_SUPPLIER_REFUSE=Rechazo pedido a proveedor Notify_PROPAL_VALIDATE=Validación presupuesto cliente Notify_PROPAL_CLOSE_SIGNED=Presupuesto cerrado como firmado @@ -63,9 +64,10 @@ Notify_BILL_SENTBYMAIL=Envío factura a cliente por e-mail Notify_BILL_SUPPLIER_VALIDATE=Validación factura de proveedor Notify_BILL_SUPPLIER_PAYED=Pago factura de proveedor Notify_BILL_SUPPLIER_SENTBYMAIL=Envío factura de proveedor por e-mail -Notify_BILL_SUPPLIER_CANCELED=Factura del proveedor cancelada +Notify_BILL_SUPPLIER_CANCELED=Factura de proveedor cancelada Notify_CONTRACT_VALIDATE=Validación contrato Notify_FICHINTER_VALIDATE=Validación intervención +Notify_FICHINTER_CLOSE=Intervención cerrada Notify_FICHINTER_ADD_CONTACT=Contacto añadido a intervención Notify_FICHINTER_SENTBYMAIL=Envío ficha de intervención por e-mail Notify_SHIPPING_VALIDATE=Validación envío @@ -190,7 +192,11 @@ EnableGDLibraryDesc=Instale o active la libreria GD en su PHP para poder usar es ProfIdShortDesc=Prof Id %s es una información dependiente del país del tercero.
      Por ejemplo, para el país %s, és el código %s. DolibarrDemo=Demo de Dolibarr ERP/CRM StatsByAmount=Estadísticas sobre cantidad de productos/servicios +StatsByAmountProducts=Estadísticas sobre cantidad de productos. +StatsByAmountServices=Estadísticas sobre cantidad de servicios StatsByNumberOfUnits=Estadísticas en número de unidades de producto/servicio +StatsByNumberOfUnitsProducts=Estadísticas para suma de cantidad de productos +StatsByNumberOfUnitsServices=Estadísticas para suma de cantidad de servicios StatsByNumberOfEntities=Estadísticas por número de entidades referentes (no. De facturas, o pedidos ...) NumberOf=Número de %s NumberOfUnits=Número de unidades en %s @@ -198,6 +204,7 @@ AmountIn=Importe en %s NumberOfUnitsMos=Número de unidades para producir en órdenes de fabricación. EMailTextInterventionAddedContact=Se le ha asignado la intervención %s EMailTextInterventionValidated=Ficha intervención %s validada +EMailTextInterventionClosed=La intervención %s ha sido cerrada. EMailTextInvoiceValidated=Factura %s ha sido validada. EMailTextInvoicePayed=La factura %s ha sido pagada. EMailTextProposalValidated=El presupuesto %s ha sido validado. @@ -207,11 +214,10 @@ EMailTextProposalClosedRefused=El presupuesto %s ha sido cerrado y rechazado. EMailTextProposalClosedRefusedWeb=El presupuesto %s se ha cerrado y rechazado en la página del portal. EMailTextOrderValidated=El pedido %s ha sido validado. EMailTextOrderClose=Se ha entregado el pedido %s. -EMailTextOrderApproved=El pedido %s ha sido aprobado -EMailTextOrderValidatedBy=El pedido %s ha sido registrado por %s. -EMailTextOrderApprovedBy=El pedido %s ha sido aprobado por %s -EMailTextOrderRefused=El pedido %s ha sido rechazado -EMailTextOrderRefusedBy=El pedido %s ha sido rechazado por %s +EMailTextSupplierOrderApprovedBy=La orden de compra %s ha sido aprobada por %s. +EMailTextSupplierOrderValidatedBy=La orden de compra %s ha sido registrada por %s. +EMailTextSupplierOrderSubmittedBy=La orden de compra %s ha sido enviada por %s. +EMailTextSupplierOrderRefusedBy=La orden de compra %s ha sido rechazada por %s. EMailTextExpeditionValidated=El envío %s ha sido validado. EMailTextExpenseReportValidated=El informe de gastos %s ha sido validado. EMailTextExpenseReportApproved=El informe de gastos %s ha sido aprobado. @@ -289,10 +295,12 @@ LinesToImport=Líneas a importar MemoryUsage=Uso de memoria RequestDuration=Duración de la solicitud -ProductsPerPopularity=Productos/Servicios por popularidad -PopuProp=Productos/Servicios por popularidad en Presupuestos -PopuCom=Productos/Servicios por popularidad en Pedidos -ProductStatistics=Estadísticas de productos/servicios +ProductsServicesPerPopularity=Productos|Servicios por popularidad +ProductsPerPopularity=Productos por popularidad +ServicesPerPopularity=Servicios por popularidad +PopuProp=Productos|Servicios por popularidad en Propuestas +PopuCom=Productos|Servicios por popularidad en Pedidos +ProductStatistics=Productos|Servicios Estadísticas NbOfQtyInOrders=Cantidad en pedidos SelectTheTypeOfObjectToAnalyze=Seleccione un objeto para ver sus estadísticas ... diff --git a/htdocs/langs/es_ES/partnership.lang b/htdocs/langs/es_ES/partnership.lang index 53694068dff..de861911fd1 100644 --- a/htdocs/langs/es_ES/partnership.lang +++ b/htdocs/langs/es_ES/partnership.lang @@ -16,10 +16,10 @@ # # Generic # -ModulePartnershipName=Gestión Asociaciones -PartnershipDescription=Gestión Módulo Asociaciones -PartnershipDescriptionLong= Gestión Módulo Asociaciones -Partnership=Partner +ModulePartnershipName=Gestión de asociaciones +PartnershipDescription=Módulo Gestión asociaciones +PartnershipDescriptionLong= Gestión Módulo Partners +Partnership=Socio Partnerships=Asociaciones AddPartnership=Agregar asociación CancelPartnershipForExpiredMembers=Asociación: cancelar la asociación de miembros con suscripciones caducadas @@ -82,10 +82,10 @@ YourPartnershipRefusedTopic=Asociación rechazada YourPartnershipAcceptedTopic=Asociación aceptada YourPartnershipCanceledTopic=Asociación cancelada -YourPartnershipWillSoonBeCanceledContent=Le informamos que su asociación se cancelará pronto (no se encontró el vínculo de retroceso) -YourPartnershipRefusedContent=Le informamos que su solicitud de asociación ha sido rechazada. -YourPartnershipAcceptedContent=Le informamos que su solicitud de asociación ha sido aceptada. -YourPartnershipCanceledContent=Le informamos que su asociación ha sido cancelada. +YourPartnershipWillSoonBeCanceledContent=Nos gustaría informarle que nuestra asociación pronto se cancelará (no obtuvimos la renovación o no se cumplió un requisito previo para nuestra asociación). Comuníquese con nosotros si recibió esto debido a un error. +YourPartnershipRefusedContent=Nos gustaría informarle que su solicitud de asociación ha sido rechazada. No se han cumplido los requisitos previos. Por favor contactenos si necesita mas informacion. +YourPartnershipAcceptedContent=Nos gustaría informarle que su solicitud de asociación ha sido aceptada. +YourPartnershipCanceledContent=Nos gustaría informarle que nuestra asociación ha sido cancelada. Por favor contactenos si necesita mas informacion. CountLastUrlCheckError=Número de errores para la última verificación de URL LastCheckBacklink=Fecha de la última verificación de URL @@ -95,3 +95,5 @@ NewPartnershipRequest=Nueva solicitud de asociación NewPartnershipRequestDesc=Este formulario le permite solicitar ser parte de uno de nuestros programas de asociación. Si necesita ayuda para completar este formulario, comuníquese por correo electrónico %s . ThisUrlMustContainsAtLeastOneLinkToWebsite=Esta página debe contener al menos un enlace a uno de los siguientes dominios: %s +IPOfApplicant=IP del solicitante + diff --git a/htdocs/langs/es_ES/products.lang b/htdocs/langs/es_ES/products.lang index c58080df58f..580a3603948 100644 --- a/htdocs/langs/es_ES/products.lang +++ b/htdocs/langs/es_ES/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Servicios solo a la venta ServicesOnPurchaseOnly=Servicios solo en compra ServicesNotOnSell=Servicios fuera de venta y de compra ServicesOnSellAndOnBuy=Servicios a la venta o en compra -LastModifiedProductsAndServices=Últimos productos / servicios %s que fueron modificados +LastModifiedProductsAndServices=Últimos %s productos / servicios que fueron modificados LastRecordedProducts=Últimos %s productos registrados LastRecordedServices=Últimos %s servicios registrados CardProduct0=Producto @@ -80,8 +80,11 @@ SoldAmount=Importe ventas PurchasedAmount=Importe compras NewPrice=Nuevo precio MinPrice=Precio de venta mín. +MinPriceHT=Mín. precio de venta (sin IVA) +MinPriceTTC=Precio de venta mín. (base imponible) EditSellingPriceLabel=Editar etiqueta precio de venta -CantBeLessThanMinPrice=El precio de venta no debe ser inferior al mínimo para este producto (%s sin IVA). Este mensaje puede estar causado por un descuento muy grande. +CantBeLessThanMinPrice=El precio de venta no puede ser inferior al mínimo permitido para este producto (%s sin impuestos). Este mensaje también puede aparecer si escribe un descuento importante. +CantBeLessThanMinPriceInclTax=El precio de venta no puede ser inferior al mínimo permitido para este producto (%s impuestos incluidos). Este mensaje también puede aparecer si escribe un descuento demasiado importante. ContractStatusClosed=Cerrado ErrorProductAlreadyExists=Un producto con la referencia %s ya existe. ErrorProductBadRefOrLabel=El valor de la referencia o etiqueta es incorrecto @@ -347,16 +350,17 @@ UseProductFournDesc=Añade una funcionalidad para definir la descripción del pr ProductSupplierDescription=Descripción del proveedor para el producto. UseProductSupplierPackaging=Use la función de "empaquetado" para redondear las cantidades a algunos múltiplos dados (al agregar/actualizar una línea en los documentos de un proveedor, vuelva a calcular las cantidades y los precios de compra de acuerdo con el múltiplo más alto establecido en los precios de compra de un producto) PackagingForThisProduct=Embalaje de cantidades -PackagingForThisProductDesc=Automáticamente comprará un múltiplo de esta cantidad. +PackagingForThisProductDesc=Automáticamente comprarás un múltiplo de esta cantidad. QtyRecalculatedWithPackaging=La cantidad de la línea se recalculó de acuerdo con el embalaje del proveedor. #Attributes +Attributes=Atributos VariantAttributes=Atributos de variantes ProductAttributes=Atributos de variantes para productos ProductAttributeName=Atributo %s ProductAttribute=Atributo de variante ProductAttributeDeleteDialog=¿Está seguro de querer eliminar este atributo? Todos los valores serán eliminados -ProductAttributeValueDeleteDialog=¿Está seguro de querer eliminar el valor "%s" con referencia "%s" de este atributo? +ProductAttributeValueDeleteDialog=¿Está seguro de que desea eliminar el valor "%s" con la referencia "%s" de este atributo? ProductCombinationDeleteDialog=¿Está seguro de querer eliminar la variante del producto "%s"? ProductCombinationAlreadyUsed=Ha ocurrido un error al eliminar la variante. Compruebe que no sea usada por algún objeto ProductCombinations=Variantes @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Se ha producido un error al intentar eliminar las NbOfDifferentValues=Nº de valores diferentes NbProducts=Nº de productos ParentProduct=Producto padre +ParentProductOfVariant=Producto principal de la variante HideChildProducts=Ocultar productos hijos ShowChildProducts=Mostrara variantes de productos NoEditVariants=Vaya a la ficha del producto padre y edite el impacto del precio de las variantes en la pestaña de variantes @@ -400,7 +405,7 @@ ProductsPricePerCustomer=Precios de producto por cliente ProductSupplierExtraFields=Campos adicionales (precios de proveedor) DeleteLinkedProduct=Eliminar el producto hijo vinculado a la combinación AmountUsedToUpdateWAP=Monto unitario a utilizar para actualizar el Precio Promedio Ponderado -PMPValue=Valor (PMP) +PMPValue=Precio medio ponderado PMPValueShort=PMP mandatoryperiod=Periodos obligatorios mandatoryPeriodNeedTobeSet=Nota: Se debe definir el período (fecha de inicio y finalización) @@ -417,7 +422,7 @@ ErrorsProductsMerge=Errores en la fusión de productos SwitchOnSaleStatus=Cambiar estado de oferta SwitchOnPurchaseStatus=Activar el estado de la compra UpdatePrice=Aumentar/disminuir el precio del cliente -StockMouvementExtraFields= Campos adicionales (movimientos de stock) +StockMouvementExtraFields= Campos extra (movimiento de stock) InventoryExtraFields= Campos adicionales (inventario) ScanOrTypeOrCopyPasteYourBarCodes=Escanee o escriba o copie/pegue sus códigos de barras PuttingPricesUpToDate=Actualizar precios con precios actuales conocidos @@ -430,3 +435,6 @@ ConfirmEditExtrafield = Seleccione el campo extra que desea modificar ConfirmEditExtrafieldQuestion = ¿Está seguro de que desea modificar este campo adicional? ModifyValueExtrafields = Modificar valor de un campo extra OrProductsWithCategories=O productos con etiquetas/categorías +WarningTransferBatchStockMouvToGlobal = Si desea deserializar este producto, todo su stock serializado se transformará en stock global. +WarningConvertFromBatchToSerial=Si actualmente tienes una cantidad mayor o igual a 2 para el producto, cambiar a esta opción significa que seguirás teniendo un producto con diferentes objetos del mismo lote (aunque quieras un número de serie único). El duplicado permanecerá hasta que se realice un inventario o un movimiento de stock manual para solucionar este problema. +ConfirmSetToDraftInventory=¿Está seguro de querer volver al estado Borrador?
      Las cantidades actualmente establecidas en el inventario se restablecerán. diff --git a/htdocs/langs/es_ES/projects.lang b/htdocs/langs/es_ES/projects.lang index a19d240ca97..4b1b6fbaf78 100644 --- a/htdocs/langs/es_ES/projects.lang +++ b/htdocs/langs/es_ES/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Fuera del proyecto NoProject=Ningún proyecto definido NbOfProjects=Numero de proyectos NbOfTasks=Numero de tareas +TimeEntry=Seguimiento del tiempo TimeSpent=Tiempo dedicado +TimeSpentSmall=Tiempos dedicados TimeSpentByYou=Tiempo dedicado por usted TimeSpentByUser=Tiempo dedicado por usuario -TimesSpent=Tiempos dedicados TaskId=ID Tarea RefTask=Ref. tarea LabelTask=Etiqueta tarea @@ -226,7 +227,7 @@ ProjectsStatistics=Estadísticas de proyectos o leads TasksStatistics=Estadísticas sobre tareas de proyectos o leads TaskAssignedToEnterTime=Tarea asignada. Debería poder introducir tiempos en esta tarea. IdTaskTime=Id -YouCanCompleteRef=Si desea completar la referencia con alguna información (para usarlo como filtros de búsqueda), se recomienda añadir un carácter - para separarlo, la numeración automática seguirá funcionando correctamente para los próximos proyectos. Por ejemplo %s-ABC. +YouCanCompleteRef=Si desea completar la referencia con algún sufijo, se recomienda agregar un carácter - para separarlo, así la numeración automática seguirá funcionando correctamente para próximos proyectos. Por ejemplo %s-MYSUFFIX OpenedProjectsByThirdparties=Proyectos abiertos de terceros OnlyOpportunitiesShort=Sólo oportunidades OpenedOpportunitiesShort=Oportunidades abiertas diff --git a/htdocs/langs/es_ES/propal.lang b/htdocs/langs/es_ES/propal.lang index b29ca01fe3c..8c609f92096 100644 --- a/htdocs/langs/es_ES/propal.lang +++ b/htdocs/langs/es_ES/propal.lang @@ -12,9 +12,11 @@ NewPropal=Nuevo presupuesto Prospect=Cliente potencial DeleteProp=Eliminar presupuesto ValidateProp=Validar presupuesto +CancelPropal=Anular AddProp=Crear presupuesto ConfirmDeleteProp=¿Está seguro de querer eliminar este presupuesto? ConfirmValidateProp=¿Está seguro de querer validar este presupuesto bajo la referencia %s ? +ConfirmCancelPropal=¿Está seguro de querer cancelar el presupuesto %s? LastPropals=Últimos %s presupuestos LastModifiedProposals=Últimos %s presupuestos modificados AllPropals=Todos los presupuestos @@ -27,11 +29,13 @@ NbOfProposals=Número presupuestos ShowPropal=Ver presupuesto PropalsDraft=Borrador PropalsOpened=Activo +PropalStatusCanceled=Cancelado (Abandonado) PropalStatusDraft=Borrador (a validar) PropalStatusValidated=Validado (presupuesto abierto) PropalStatusSigned=Firmado (a facturar) PropalStatusNotSigned=No firmado (cerrado) PropalStatusBilled=Facturado +PropalStatusCanceledShort=Anulado PropalStatusDraftShort=Borrador PropalStatusValidatedShort=Validado (abierto) PropalStatusClosedShort=Cerrado @@ -114,6 +118,7 @@ RefusePropal=Rechazar presupuesto Sign=Firma SignContract=Firmar contrato SignFichinter=Firmar intervención +SignSociete_rib=Mandato de firma SignPropal=Aceptar presupuesto Signed=firmado SignedOnly=Solo firmado diff --git a/htdocs/langs/es_ES/receptions.lang b/htdocs/langs/es_ES/receptions.lang index 37137979ebb..ab0bb9c0197 100644 --- a/htdocs/langs/es_ES/receptions.lang +++ b/htdocs/langs/es_ES/receptions.lang @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=Procesados ReceptionSheet=Hoja de recepción ValidateReception=Validar recepción ConfirmDeleteReception=¿Está seguro de querer eliminar esta recepción? -ConfirmValidateReception=¿Está seguro de querer validar esta recepción con la referencia %s? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=¿Está seguro de querer cancelar esta recepción? -StatsOnReceptionsOnlyValidated=Estadísticas realizadas únicamente sobre las recepciones validadas. La fecha usada es la fecha de validación de la recepción (la fecha prevista de envío aún no es conocida) +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Enviar recepción por e-mail SendReceptionRef=Envío de la recepción %s ActionsOnReception=Eventos sobre la recepción @@ -53,5 +53,6 @@ ReceptionBackToDraftInDolibarr=Recepción %s volver al borrador ReceptionClassifyClosedInDolibarr=Recepción %s clasificado Cerrado ReceptionUnClassifyCloseddInDolibarr=Recepción %s Reabrir RestoreWithCurrentQtySaved=Rellenar cantidades con los últimos valores guardados -ReceptionUpdated=Recepción actualizada con éxito +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated ReceptionDistribution=Recepción distribución diff --git a/htdocs/langs/es_ES/sendings.lang b/htdocs/langs/es_ES/sendings.lang index 3cf015eb823..59c9baca9f0 100644 --- a/htdocs/langs/es_ES/sendings.lang +++ b/htdocs/langs/es_ES/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Validado StatusSendingProcessedShort=Procesado SendingSheet=Nota de entrega ConfirmDeleteSending=¿Está seguro de querer eliminar esta expedición? -ConfirmValidateSending=¿Está seguro de querer validar esta expedición con la referencia %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=¿Está seguro de querer anular esta expedición? DocumentModelMerou=Modelo Merou A5 WarningNoQtyLeftToSend=Alerta, ningún producto en espera de envío. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Cantidad en pedidos a proveedores y NoProductToShipFoundIntoStock=Sin stock disponible en el almacén %s. Corrija el stock o vuelva atrás para seleccionar otro almacén. WeightVolShort=Peso/Vol. ValidateOrderFirstBeforeShipment=Antes de poder realizar envíos debe validar el pedido. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Suma del peso de los productos # warehouse details DetailWarehouseNumber= Detalles del almacén DetailWarehouseFormat= Alm.:%s (Cant. : %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Distribución de envíos -ErrorTooManyCombinationBatchcode=No hay envío para la línea %s porque se encontraron demasiadas combinaciones de código de almacén, producto y lote (%s). -ErrorNoCombinationBatchcode=No hay despacho para la línea %s porque no se encontró ninguna combinación de almacén, producto, código de lote. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/es_ES/stocks.lang b/htdocs/langs/es_ES/stocks.lang index 2711d891656..e1da0b2e186 100644 --- a/htdocs/langs/es_ES/stocks.lang +++ b/htdocs/langs/es_ES/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=Stock personal %s ThisWarehouseIsPersonalStock=Este almacén representa el stock personal de %s %s SelectWarehouseForStockDecrease=Seleccione el almacén a usar en el decremento de stock SelectWarehouseForStockIncrease=Seleccione el almacén a usar en el incremento de stock +RevertProductsToStock=¿Volver los productos al stock? NoStockAction=Sin acciones sobre el stock DesiredStock=Stock deseado DesiredStockDesc=Esta cantidad será el valor que se utilizará para llenar el stock en el reaprovisionamiento. @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=No tiene suficientes existencias para este número de ShowWarehouse=Mostrar almacén MovementCorrectStock=Correción de sotck del producto %s MovementTransferStock=Transferencia de stock del producto %s a otro almacén +BatchStockMouvementAddInGlobal=El stock del lote pasa al stock global (el producto ya no usa lote) InventoryCodeShort=Código Inv./Mov. NoPendingReceptionOnSupplierOrder=No existen recepciones pendientes ya que el pedido está abierto ThisSerialAlreadyExistWithDifferentDate=Este número de lote/serie (%s) ya existe, pero con una fecha de caducidad o venta diferente (encontrada %s pero ha introducido %s). @@ -213,7 +215,7 @@ OnlyProdsInStock=No añadir producto sin stock TheoricalQty=Cantidad teórica TheoricalValue=Cantidad teórica LastPA=Último BP -CurrentPA=BP actual +CurrentPA=PA actual RecordedQty=Cantidad registrada RealQty=Cant. real RealValue=Valor Real @@ -244,7 +246,7 @@ StockAtDatePastDesc=Puede ver aquí el stock (stock real) en una fecha determina StockAtDateFutureDesc=Puede ver aquí el stock (stock virtual) en una fecha determinada en el futuro CurrentStock=Stock actual InventoryRealQtyHelp=Establezca el valor en 0 para restablecer la cantidad
      Mantenga el campo vacío o elimine la línea para mantenerlo sin cambios -UpdateByScaning=Cantidad real completa escaneando +UpdateByScaning=Completar cantidad real escaneando UpdateByScaningProductBarcode=Actualización por escaneo (código de barras del producto) UpdateByScaningLot=Actualización por escaneo (lote | código de barras de serie) DisableStockChangeOfSubProduct=Desactive el cambio de stock de todos los subproductos de este Kit durante este movimiento. @@ -280,7 +282,7 @@ ModuleStockTransferName=Transferencia avanzada de Stock ModuleStockTransferDesc=Gestión avanzada de Transferencia de Stock, con generación de ficha de transferencia StockTransferNew=Nueva transferencia de stock StockTransferList=Lista de transferencias de stock -ConfirmValidateStockTransfer=¿Está seguro de que desea validar esta transferencia de stock con la referencia %s ? +ConfirmValidateStockTransfer=¿Está seguro de que desea validar esta transferencia de acciones con la referencia %s ? ConfirmDestock=Disminución de existencias con transferencia %s ConfirmDestockCancel=Cancelar disminución de existencias con transferencia %s DestockAllProduct=Disminución de existencias @@ -308,7 +310,7 @@ StockTransferIncrementationCancel=Cancelar aumento de almacenes de destino StockStransferDecremented=Los almacenes de origen disminuyeron StockStransferDecrementedCancel=Disminución de almacenes de origen cancelada StockStransferIncremented=Cerrado - Existencias transferidas -StockStransferIncrementedShort=Existencias transferidas +StockStransferIncrementedShort=Acciones transferidas StockStransferIncrementedShortCancel=Ampliación de almacenes de destino cancelada StockTransferNoBatchForProduct=El producto %s no usa el lote, borre el lote en línea y vuelva a intentarlo StockTransferSetup = Configuración del módulo de transferencia de existencias @@ -318,8 +320,18 @@ StockTransferRightRead=Leer transferencias de existencias StockTransferRightCreateUpdate=Crear/Actualizar transferencias de existencias StockTransferRightDelete=Eliminar transferencias de existencias BatchNotFound=Lote/serie no encontrado para este producto +StockEntryDate=Fecha de
      entrada en stock StockMovementWillBeRecorded=Se registrará el movimiento de existencias. StockMovementNotYetRecorded=El movimiento de existencias no se verá afectado por este paso. +ReverseConfirmed=El movimiento de stock se ha revertido con éxito + WarningThisWIllAlsoDeleteStock=Advertencia, esto también destruirá todas las cantidades en stock en el almacén. +ValidateInventory=Validación de inventario +IncludeSubWarehouse=¿Incluir subalmacén? +IncludeSubWarehouseExplanation=Marque esta casilla si desea incluir todos los subalmacenes del almacén asociado en el inventario. DeleteBatch=Eliminar lote/serie ConfirmDeleteBatch=¿Está seguro de que desea eliminar el lote/serie? +WarehouseUsage=Uso del almacén +InternalWarehouse=Almacén interno +ExternalWarehouse=Almacén externo +WarningThisWIllAlsoDeleteStock=Advertencia, esto también destruirá todas las cantidades en stock en el almacén. diff --git a/htdocs/langs/es_ES/stripe.lang b/htdocs/langs/es_ES/stripe.lang index a443ef63f5d..8366b332923 100644 --- a/htdocs/langs/es_ES/stripe.lang +++ b/htdocs/langs/es_ES/stripe.lang @@ -71,9 +71,10 @@ ToOfferALinkForTestWebhook=Enlace para configurar Stripe WebHook para llamar a l ToOfferALinkForLiveWebhook=Enlace para configurar Stripe WebHook para llamar a la IPN (modo real) PaymentWillBeRecordedForNextPeriod=El pago se registrará para el próximo período. ClickHereToTryAgain=Haga clic aquí para volver a intentarlo ... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Debido a las fuertes reglas de autenticación del cliente, la creación de una tarjeta debe hacerse desde la oficina administrativa de Stripe. Puede hacer clic aquí para activar el registro de cliente de Stripe: %s +CreationOfPaymentModeMustBeDoneFromStripeInterface=Debido a las reglas estrictas de autenticación de clientes, la creación de una tarjeta debe realizarse desde el back office de Stripe. Puede hacer clic aquí para activar el registro de cliente de Stripe: %s STRIPE_CARD_PRESENT=Tarjeta Presente para Terminales Stripe TERMINAL_LOCATION=Ubicación (dirección) para terminales Stripe RequestDirectDebitWithStripe=Solicitar Débito Directo con Stripe +RequesCreditTransferWithStripe=Solicitar transferencia de crédito con Stripe STRIPE_SEPA_DIRECT_DEBIT=Habilitar los pagos de Débito Directo a través de Stripe - +StripeConnect_Mode=Modo de conexión de rayas diff --git a/htdocs/langs/es_ES/ticket.lang b/htdocs/langs/es_ES/ticket.lang index 7bbcf1b9abc..250d39db50a 100644 --- a/htdocs/langs/es_ES/ticket.lang +++ b/htdocs/langs/es_ES/ticket.lang @@ -30,7 +30,7 @@ Permission56006=Exportar tickets Tickets=Tickets TicketDictType=Tipo de tickets -TicketDictCategory=Categorías de tickets +TicketDictCategory=Entrada - Grupos TicketDictSeverity=Gravedad de los tickets TicketDictResolution=Ticket - Resolución @@ -94,7 +94,7 @@ TicketSetupDictionaries=Los tipos de categorías y los niveles de gravedad se p TicketParamModule=Configuración de variables del módulo TicketParamMail=Configuración de E-Mail TicketEmailNotificationFrom=E-mail del remitente para notificación de respuestas -TicketEmailNotificationFromHelp=Correo electrónico del remitente para usar para enviar el correo electrónico de notificación cuando se proporciona una respuesta desde Dolibarr. Por ejemplo noreply@example.com +TicketEmailNotificationFromHelp=Correo electrónico del remitente que se utilizará para enviar el correo electrónico de notificación cuando se proporcione una respuesta dentro del back office. Por ejemplo noreply@ejemplo.com TicketEmailNotificationTo=Notificar creación de ticket a esta dirección de correo electrónico TicketEmailNotificationToHelp=Si está presente, esta dirección de correo electrónico será notificada de la creación de un ticket. TicketNewEmailBodyLabel=Mensaje de texto enviado después de crear un ticket @@ -105,7 +105,7 @@ TicketsEmailMustExistHelp=En la interfaz pública, la dirección de email debe s TicketsShowProgression=Mostrar el progreso del ticket en la interfaz pública TicketsShowProgressionHelp=Habilite esta opción para ocultar el progreso del ticket en las páginas de la interfaz pública TicketCreateThirdPartyWithContactIfNotExist=Pregunte el nombre y el nombre de la empresa para correos electrónicos desconocidos. -TicketCreateThirdPartyWithContactIfNotExistHelp=Compruebe si existe un tercero o un contacto para el correo electrónico ingresado. Si no, pide un nombre y una razón social para crear un tercero con contacto. +TicketCreateThirdPartyWithContactIfNotExistHelp=Compruebe si existe un tercero o un contacto para el correo electrónico ingresado. En caso contrario, solicite un nombre y una razón social para crear un tercero con contacto. PublicInterface=Interfaz pública. TicketUrlPublicInterfaceLabelAdmin=URL alternativa de interfaz pública TicketUrlPublicInterfaceHelpAdmin=Es posible definir un alias para el servidor web y así poner a disposición la interfaz pública a otra dirección IP. @@ -145,19 +145,21 @@ TicketsPublicNotificationNewMessage=Enviar correo electrónico (s) cuando se agr TicketsPublicNotificationNewMessageHelp=Enviar e-mail(s) cuando se añade un nuevo mensaje desde la interfaz pública (al usuario asignado o al e-mail de notificaciones (actualización) y o el e-mail de notificaciones a) TicketPublicNotificationNewMessageDefaultEmail=Notificaciones por e-mail a (actualización) TicketPublicNotificationNewMessageDefaultEmailHelp=Envíe un correo electrónico a esta dirección para cada notificación de mensaje nuevo si el ticket no tiene un usuario asignado o si el usuario no tiene ningún correo electrónico conocido. -TicketsAutoReadTicket=Marcar automáticamente el ticket como leído (cuando se crea desde backoffice) -TicketsAutoReadTicketHelp=Marca automáticamente el ticket como leído cuando se crea desde el backoffice. Cuando se crea un ticket desde la interfaz pública, el ticket permanece con el estado "No leído". +TicketsAutoReadTicket=Marcar automáticamente el ticket como leído (cuando se crea desde el back office) +TicketsAutoReadTicketHelp=Marca automáticamente el ticket como leído cuando se crea desde el back office. Cuando el ticket se crea desde la interfaz pública, el ticket permanece con el estado "No leído". TicketsDelayBeforeFirstAnswer=Un nuevo ticket debe recibir una primera respuesta antes de (horas): TicketsDelayBeforeFirstAnswerHelp=Si un nuevo ticket no ha recibido una respuesta después de este período de tiempo (en horas), se mostrará un icono de advertencia en la vista de listado. TicketsDelayBetweenAnswers=Un ticket no resuelto no debe estar inactivo durante (horas): TicketsDelayBetweenAnswersHelp=Si un ticket sin resolver que ya recibió una respuesta no ha tenido más interacción después de este período de tiempo (en horas), se mostrará un icono de advertencia en la vista de listado. -TicketsAutoNotifyClose=Notificar automáticamente a un tercero al cerrar un ticket -TicketsAutoNotifyCloseHelp=Al cerrar un ticket, se le propondrá enviar un mensaje a uno de los contactos de un tercero. En el cierre masivo, se enviará un mensaje a un contacto del tercero vinculado al ticket. +TicketsAutoNotifyClose=Notificar automáticamente al tercero al cerrar un ticket +TicketsAutoNotifyCloseHelp=Al cerrar un ticket, se le propondrá enviar un mensaje a uno de los contactos de terceros. En caso de cierre masivo, se enviará un mensaje a un contacto del tercero vinculado al ticket. TicketWrongContact=El contacto proporcionado no forma parte de los contactos del ticket actual. E-Mail no enviado. TicketChooseProductCategory=Categoría de producto para soporte de tickets TicketChooseProductCategoryHelp=Seleccione la categoría de producto de soporte de tickets. Esto se usará para vincular automáticamente un contrato a un boleto. TicketUseCaptchaCode=Usar código gráfico (CAPTCHA) al crear un ticket TicketUseCaptchaCodeHelp=Agrega verificación de CAPTCHA al crear un nuevo ticket. +TicketsAllowClassificationModificationIfClosed=Permitir modificar clasificación de tickets cerrados +TicketsAllowClassificationModificationIfClosedHelp=Permitir modificar la clasificación (tipo, grupo de tickets, gravedad) incluso si los tickets están cerrados. # # Index & list page @@ -311,7 +313,7 @@ TicketNewEmailBodyInfosTrackUrlCustomer=Puede ver el progreso del ticket en la i TicketCloseEmailBodyInfosTrackUrlCustomer=Puede consultar el historial de este ticket haciendo clic en el siguiente enlace TicketEmailPleaseDoNotReplyToThisEmail=¡Por favor no responda directamente a este correo! Use el enlace para responder. TicketPublicInfoCreateTicket=Este formulario le permite registrar un ticket de soporte en nuestro sistema. -TicketPublicPleaseBeAccuratelyDescribe=Describa con precisión su pregunta. Proporcione la mayor cantidad de información posible que nos permita identificar correctamente su solicitud. +TicketPublicPleaseBeAccuratelyDescribe=Por favor describa con precisión su solicitud. Proporcione la mayor cantidad de información posible para permitirnos identificar correctamente su solicitud. TicketPublicMsgViewLogIn=Ingrese el ID de seguimiento del ticket TicketTrackId=ID Público de seguimiento OneOfTicketTrackId=Una de sus ID de seguimiento diff --git a/htdocs/langs/es_ES/website.lang b/htdocs/langs/es_ES/website.lang index 8cb7e8a6693..01a783f6790 100644 --- a/htdocs/langs/es_ES/website.lang +++ b/htdocs/langs/es_ES/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Nombres de página/alias alternativos WEBSITE_ALIASALTDesc=Utilice aquí la lista de otros nombres/alias para que también se pueda acceder a la página usando estos otros nombres/alias (por ejemplo, el nombre anterior después de cambiar el nombre del alias para mantener el enlace posterior en funcionamiento). La sintaxis es:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=URL del fichero CSS externo WEBSITE_CSS_INLINE=Contenido del archivo CSS (común a todas las páginas) -WEBSITE_JS_INLINE=Contenido del archivo Javascript (común a todas las páginas) +WEBSITE_JS_INLINE=Contenido del archivo JavaScript (común a todas las páginas) WEBSITE_HTML_HEADER=Adición en la parte inferior del encabezado HTML (común a todas las páginas) WEBSITE_ROBOT=Archivo de robots (robots.txt) WEBSITE_HTACCESS=Archivo .htaccess del sitio web @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=Nota: Si desea definir un encabezado personalizad MediaFiles=Librería de medios EditCss=Editar propiedades EditMenu=Editar menu -EditMedias=Editar los medios +EditMedias=Editar medios EditPageMeta=Editar propiedades de página/contenedor EditInLine=Editar en línea AddWebsite=Añadir sitio web @@ -60,10 +60,11 @@ NoPageYet=No hay páginas todavía YouCanCreatePageOrImportTemplate=Puede crear una nueva página o importar una plantilla de sitio web completa SyntaxHelp=Ayuda en la sintaxis del código YouCanEditHtmlSourceckeditor=Puede editar código fuente HTML utilizando el botón "Origen" en el editor. -YouCanEditHtmlSource=
      Puede incluir código PHP en este fuente usando los tags <?php ?>. Dispone de estas variables globales: $conf, $langs, $db, $mysoc, $user, $website.

      También puede incluir contenido de otra Página/Contenedor con la siguiente sintaxis:
      <?php includeContainer('alias_of_container_to_include'); ?>

      Para incluir un enlace para descargar un archivo guardado en el directorio documents, use el wrapper document.php :
      Por ejemplo, para un archivo de documents/ecm (es necesario estar logueado), la sintaxis:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Para un archivo de into documents/medias (directorio abierto para acceso público), la sintaxis es:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      Para un archivo compartido mediante un enlace compartido (acceso abierto utilizando la clave hash para compartir del archivo), la sintaxis es:
      <a href="/document.php?hashp=publicsharekeyoffile">

      Para incluir una imagen guardada en el directorio documents , use el wrapper viewimage.php :
      Ejemplo para una imagen de documents/medias (acceso abierto), la sintaxis es:
      <a href="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      Puede incluir código PHP en esta fuente usando las etiquetas <?php ?>. Las siguientes variables globales están disponibles: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      También puede incluir el contenido de otra Página/Contenedor con la siguiente sintaxis:
      <?php includeContainer('alias_del_contenedor_a_incluir'); ?>

      Puede redirigir a otra Página/Contenedor con la siguiente sintaxis (Nota: no muestres ningún contenido antes de una redirección):
      <?php redirectToContainer('alias_del_contenedor_a_redirigir'); ?>

      Para agregar un enlace a otra página, use la siguiente sintaxis:
      <a href="alias_de_la_pagina_a_enlazar.php">mienlace<a>

      Para incluir un enlace de descarga a un archivo almacenado en el directorio documents, use el envoltorio document.php:
      Ejemplo, para un archivo en documents/ecm (necesita iniciar sesión), la sintaxis es:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]nombrearchivo.ext">
      Para un archivo en documents/medias (directorio abierto para acceso público), la sintaxis es:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]nombrearchivo.ext">
      Para un archivo compartido con un enlace de compartir (acceso abierto usando la clave hash de compartir del archivo), la sintaxis es:
      <a href="/document.php?hashp=clavepublicadelarchivocompartido">
      +YouCanEditHtmlSource1=
      Para incluir una imagen almacenada en el directorio de documentos, use el envoltorio viewimage.php. Ejemplo, para una imagen en documentos/medias (directorio abierto para acceso público), la sintaxis es:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Para una imagen compartida con un enlace para compartir (acceso abierto usando la clave hash para compartir del archivo), la sintaxis es:
      <img src="/viewimage.php? Hashp=12345679012 ...">
      -YouCanEditHtmlSourceMore=
      Más ejemplos de código HTML o dinámico disponibles en la documentación wiki
      . +YouCanEditHtmlSource3=Para obtener la URL de la imagen de un objeto PHP, utiliza
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=Más ejemplos de código HTML o dinámico disponibles en la documentación de la wiki. ClonePage=Clonar página/contenedor CloneSite=Clonar sitio SiteAdded=Sitio web agregado @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Lo sentimos, este sitio web está actualmente fue WEBSITE_USE_WEBSITE_ACCOUNTS=Habilitar tabla de cuentas del sitio web WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Habilitar tabla para almacenar cuentas del sitio web (inicio de sesión/contraseña) para cada sitio web/tercero YouMustDefineTheHomePage=Antes debe definir la página de inicio por defecto -OnlyEditionOfSourceForGrabbedContentFuture=Advertencia: la creación de una página web mediante la importación de una página web externa está reservada para usuarios experimentados. Dependiendo de la complejidad de la página de origen, el resultado de la importación puede diferir del original. Además, si la página de origen usa estilos CSS comunes o JavaScript conflictivo, puede romper el aspecto o las características del editor del sitio web cuando se trabaja en esta página. Este método es una forma más rápida de crear una página, pero se recomienda crear su nueva página desde cero o desde una plantilla de página sugerida.
      Tenga en cuenta también que el editor en línea puede no funcionar correctamente cuando se usa en una página externa capturada. +OnlyEditionOfSourceForGrabbedContentFuture=Advertencia: la creación de una página web importando una página web externa está reservada para usuarios experimentados. Dependiendo de la complejidad de la página de origen, el resultado de la importación puede diferir del original. Además, si la página de origen utiliza estilos CSS comunes o JavaScript conflictivo, puede alterar el aspecto o las funciones del editor del sitio web al trabajar en esta página. Este método es una forma más rápida de crear una página, pero se recomienda crear su nueva página desde cero o a partir de una plantilla de página sugerida.
      Tenga en cuenta también que es posible que el editor en línea no funcione corrección cuando se usa en una página externa capturada. OnlyEditionOfSourceForGrabbedContent=Nota: solo será posible editar una fuente HTML cuando el contenido de una página se integre utilizando una página externa GrabImagesInto=Obtener también imágenes encontradas en css y página. ImagesShouldBeSavedInto=Las imágenes deben guardarse en el directorio @@ -112,13 +113,13 @@ GoTo=Ir a DynamicPHPCodeContainsAForbiddenInstruction=Ha añadido código PHP dinámico que contiene la instrucción de PHP '%s' que está prohibida por defecto como contenido dinámico (vea las opciones ocultas WEBSITE_PHP_ALLOW_xxx para aumentar la lista de comandos permitidos). NotAllowedToAddDynamicContent=No tiene permiso para agregar o editar contenido dinámico de PHP en sitios web. Pida permiso o simplemente mantenga el código en las etiquetas php sin modificar. ReplaceWebsiteContent=Buscar o reemplazar el contenido del sitio web -DeleteAlsoJs=¿Eliminar también todos los archivos javascript específicos de este sitio web? -DeleteAlsoMedias=¿Eliminar también todos los archivos de medios específicos de este sitio web? +DeleteAlsoJs=¿Eliminar también todos los archivos JavaScript específicos de este sitio web? +DeleteAlsoMedias=¿Eliminar también todos los archivos multimedia específicos de este sitio web? MyWebsitePages=Mis páginas web SearchReplaceInto=Buscar | Reemplazar en ReplaceString=Nueva cadena CSSContentTooltipHelp=Ingrese aquí el contenido CSS. Para evitar cualquier conflicto con el CSS de la aplicación, asegúrese de anteponer todas las declaraciones con la clase .bodywebsite. Por ejemplo:

      #mycssselector, input.myclass: hover {...}
      debe ser
      .bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}

      Nota: Si tiene un archivo grande sin este prefijo, puede usar 'lessc' para convertirlo y agregar el prefijo .bodywebsite en todas partes. -LinkAndScriptsHereAreNotLoadedInEditor=Advertencia: Este contenido se genera solo cuando se accede al sitio desde un servidor. No se usa en modo Edición, por lo que si necesita cargar archivos javascript también en modo edición, simplemente agregue su etiqueta 'script src=...' en la página. +LinkAndScriptsHereAreNotLoadedInEditor=Advertencia: este contenido se genera solo cuando se accede al sitio desde un servidor. No se utiliza en el modo de edición, por lo que si necesita cargar archivos JavaScript también en el modo de edición, simplemente agregue su etiqueta 'script src=...' a la página. Dynamiccontent=Muestra de una página con contenido dinámico. ImportSite=Importar plantilla de sitio web EditInLineOnOff=El modo 'Edit inline' es %s @@ -160,3 +161,6 @@ PagesViewedTotal=Páginas vistas (total) Visibility=Visibilidad Everyone=Todos AssignedContacts=Contactos asignados +WebsiteTypeLabel=Tipo de sitio web +WebsiteTypeDolibarrWebsite=Sitio web (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Portal nativo de Dolibarr diff --git a/htdocs/langs/es_ES/withdrawals.lang b/htdocs/langs/es_ES/withdrawals.lang index 01818ef538f..7454b00acd0 100644 --- a/htdocs/langs/es_ES/withdrawals.lang +++ b/htdocs/langs/es_ES/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Realizar una solicitud de transferencia bancaria WithdrawRequestsDone=%s domiciliaciones registradas BankTransferRequestsDone=%s solicitudes de transferencia de crédito registradas ThirdPartyBankCode=Código banco del tercero -NoInvoiceCouldBeWithdrawed=No se ha podido realizar la petición de domiciliación de ninguna factura. Compruebe que los terceros de las facturas relacionadas tienen una cuenta IBAN válida y dicho IBAN tiene un RUM con modo %s. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=Este recibo de retiro ya está marcado como acreditado; esto no se puede hacer dos veces, ya que esto podría generar pagos y entradas bancarias duplicados. ClassCredited=Clasificar como "Abonada" ClassDebited=Clasificar debitado @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=¿Está seguro de querer crear una devolución de domic RefusedData=Fecha de devolución RefusedReason=Motivo de devolución RefusedInvoicing=Facturación de la devolución -NoInvoiceRefused=No facturar la devolución -InvoiceRefused=Factura rechazada (Cargar los gastos al cliente) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Estado de débito/crédito StatusWaiting=En espera StatusTrans=Enviada @@ -115,7 +118,7 @@ RUM=RUM DateRUM=Fecha de firma del mandato RUMLong=Referencia Única de Mandato RUMWillBeGenerated=Si está vacío,se generará un número RUM (Referencia Unica de Mandato) una vez que se guarde la información de la cuenta bancaria -WithdrawMode=Modo domiciliación (FRST o RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Importe de la domiciliación BankTransferAmount=Importe de transferencia bancaria: WithdrawRequestErrorNilAmount=No es posible crear una domiciliación sin importe @@ -131,6 +134,7 @@ SEPAFormYourBAN=IBAN de su banco SEPAFormYourBIC=BIC de su banco SEPAFrstOrRecur=Tipo de pago ModeRECUR=Pago recurrente +ModeRCUR=Pago recurrente ModeFRST=Pago único PleaseCheckOne=Escoja solamente uno CreditTransferOrderCreated=Orden de transferencia bancaria %s creada @@ -155,9 +159,16 @@ InfoTransData=Importe: %s
      Método: %s
      Fecha: %s InfoRejectSubject=Domiciliación devuelta InfoRejectMessage=Buenos días:

      la domiciliación de la factura %s por cuenta de la empresa %s, con un importe de %s ha sido devuelta por el banco.

      --
      %s ModeWarning=No se ha establecido la opción de modo real, nos detendremos después de esta simulación -ErrorCompanyHasDuplicateDefaultBAN=La empresa con id %s tiene más de una cuenta bancaria predeterminada. No hay forma de saber cuál usar. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Falta ICS en la cuenta bancaria %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=El monto total de la orden de domiciliación bancaria difiere de la suma de líneas WarningSomeDirectDebitOrdersAlreadyExists=Advertencia: ya hay algunas órdenes de domiciliación bancaria pendientes (%s) solicitadas por un monto de %s WarningSomeCreditTransferAlreadyExists=Advertencia: ya hay una transferencia de crédito pendiente (%s) solicitada por un monto de %s UsedFor=Usado para %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Salario +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/es_ES/workflow.lang b/htdocs/langs/es_ES/workflow.lang index 4d66e803a61..d6b04e5240e 100644 --- a/htdocs/langs/es_ES/workflow.lang +++ b/htdocs/langs/es_ES/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Crear una factura a cliente automática descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Crear automáticamente una factura a cliente al cierre del pedido de cliente (la nueva factura tendrá el mismo importe que el pedido) descWORKFLOW_TICKET_CREATE_INTERVENTION=En la creación del ticket, crea automáticamente una intervención. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasificar presupuesto origen como facturado cuando el pedido de cliente sea marcado como facturado (y si el importe del pedido es igual al importe del presupuesto relacionado) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasificar los presupuesto origen como facturado cuando la factura a cliente sea validada (y si el importe de la factura es igual al importe del presupuesto relacionado) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasificar pedido de cliente origen como facturado cuando la factura a cliente se valide (y si el importe de la factura es igual al importe del pedido relacionado) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasificar pedido de cliente origen como facturado cuando la factura a cliente sea marcada como pagada (y si el importe de la factura es la misma que el importe del pedido relacionado) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasificar automáticamente el pedido origen como enviado cuando el envío se valide (y si la cantidad enviada por todos los envíos sea la misma que el pedido) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Clasificar el pedido de venta de origen vinculado como enviado cuando se cierra un envío (y si la cantidad enviada por todos los envíos es la misma que en el pedido para actualizar) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasificar automáticamente el presupuestos de proveedor como facturado cuando la factura se valide (y si el importe de la factura sea la misma que el total del presupuesto) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasificar automáticamente el pedido a proveedor como facturado cuando la factura se valide (y si el importe de la factura sea la misma que el total del pedido enlazado) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Clasifique la orden de compra de fuente vinculada como recibida cuando se valida una recepción (y si la cantidad recibida por todas las recepciones es la misma que en la orden de compra para actualizar) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Clasifique la orden de compra de fuente vinculada como recibida cuando una recepción está cerrada (y si la cantidad recibida por todas las recepciones es la misma que en la orden de compra para actualizar) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Clasificar las recepciones como "facturadas" cuando se valida una factura de compra vinculada (y si el monto de la factura es el mismo que el monto total de las recepciones vinculadas) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=Al crear un ticket, vincule los contratos disponibles de terceros coincidentes +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=A la hora de vincular contratos, buscar entre los de las casas matrices # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Cerrar todas las intervenciones vinculadas al ticket cuando se cierra un ticket AutomaticCreation=Creación automática AutomaticClassification=Clasificación automática -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Clasifique el envío de origen vinculado como cerrado cuando se valide la factura del cliente (y si el monto de la factura es el mismo que el monto total de los envíos vinculados) AutomaticClosing=Cierre automático AutomaticLinking=Enlace automático diff --git a/htdocs/langs/es_MX/accountancy.lang b/htdocs/langs/es_MX/accountancy.lang index 8ea3d2c4985..0e22e09c039 100644 --- a/htdocs/langs/es_MX/accountancy.lang +++ b/htdocs/langs/es_MX/accountancy.lang @@ -24,7 +24,6 @@ AccountancyAreaDescDefault=PASO %s: Defina cuentas contables predeterminadas. Pa AccountancyAreaDescSal=PASO %s: Defina cuentas contables predeterminadas para el pago de salarios. Para esto, use la entrada del menú %s. AccountancyAreaDescDonation=PASO %s: Defina cuentas contables predeterminadas para donaciones. Para esto, use la entrada del menú %s. AccountancyAreaDescSubscription=PASO %s: Defina cuentas contables predeterminadas para la suscripción de miembros. Para esto, use la entrada del menú %s. -AccountancyAreaDescMisc=PASO %s: Defina la cuenta predeterminada obligatoria y las cuentas contables predeterminadas para transacciones misceláneas. Para esto, use la entrada del menú %s. AccountancyAreaDescLoan=PASO %s: Defina cuentas contables predeterminadas para préstamos. Para esto, use la entrada del menú %s. AccountancyAreaDescBank=PASO %s: Defina las cuentas contables y el código de diario para cada banco y cuentas financieras. Para esto, use la entrada del menú %s. AccountancyAreaDescBind=PASO %s: Compruebe el enlace entre las líneas %s existentes y la cuenta de contabilidad está terminada, para que la aplicación pueda registrar las transacciones en el libro mayor en un solo clic. Complete los enlaces que falten. Para ello, utilice la entrada de menú %s. @@ -95,7 +94,6 @@ DescVentilExpenseReport=Consulte aquí la lista de líneas de reporte de gastos ShowTutorial=Mostrar Tutorial AccountingJournal=Diario de contabilidad AccountingJournalType5=Reporte de gastos -AccountingJournalType9=Tiene nuevo ErrorAccountingJournalIsAlreadyUse=Este diario ya está en uso ExportDraftJournal=Exportar borrador de diario SomeMandatoryStepsOfSetupWereNotDone=Algunos pasos obligatorios de la instalación no se realizaron, favor de completar diff --git a/htdocs/langs/es_MX/bills.lang b/htdocs/langs/es_MX/bills.lang index 88bd041778b..183e27060a9 100644 --- a/htdocs/langs/es_MX/bills.lang +++ b/htdocs/langs/es_MX/bills.lang @@ -5,8 +5,11 @@ BillsSuppliers=Facturas de proveedor BillsCustomersUnpaid=Facturas de cliente no pagadas BillsCustomersUnpaidForCompany=Facturas de cliente no pagadas por %s BillsSuppliersUnpaid=Facturas de proveedor no pagadas +BillsSuppliersUnpaidForCompany=Estadísticas de facturas de proveedores para %s BillsLate=Pagos atrasados BillsStatistics=Estadísticas de facturas de clientes +DisabledBecauseDispatchedInBookkeeping=Deshabilitado, porque la factura ya se remitió a contabilidad +DisabledBecauseNotLastInvoice=Deshabilitado porque la factura no se puede eliminar. Se registraron algunas facturas después de esta y se crearían huecos en el contador. DisabledBecauseNotErasable=Desactivado porque no se puede borrar InvoiceStandardDesc=Este tipo de factura es la factura común. InvoiceDepositDesc=Este tipo de factura se hace cuando se ha recibido un pago inicial. @@ -17,6 +20,9 @@ InvoiceReplacement=Factura de reemplazo InvoiceReplacementAsk=Factura de reemplazo para factura InvoiceAvoir=Nota de crédito InvoiceAvoirAsk=Nota de crédito para corregir la factura +invoiceAvoirWithLines=Crear nota de crédito con las partidas de la factura original +invoiceAvoirWithPaymentRestAmount=Crear nota de crédito con el saldo pendiente de la factura +invoiceAvoirLineWithPaymentRestAmount=Crear nota por el saldo pendiente ReplaceInvoice=Reemplazar la factura %s ReplacementInvoice=Factura de reemplazo ReplacedByInvoice=Reemplazada por la factura %s @@ -26,33 +32,116 @@ CorrectionInvoice=Factura de corrección UsedByInvoice=Usado para pagar la factura %s NoInvoiceToCorrect=Ninguna factura para corregir InvoiceHasAvoir=Fue fuente de una o varias notas de crédito +InvoiceLine=Partida de la factura InvoiceCustomer=Factura del cliente CustomerInvoice=Factura del cliente CustomersInvoices=Facturas de clientes +SupplierInvoice=Factura de proveedor SuppliersInvoices=Facturas de proveedor +SupplierInvoiceLines=Partidas de la factura del proveedor +SupplierBill=Factura de proveedor SupplierBills=Facturas de proveedor +PaymentBack=Reembolso +CustomerInvoicePaymentBack=Reembolso ConfirmDeletePayment=Are you sure you want to delete this payment ? +ConfirmConvertToReduc=¿Desea convertir este %s en un crédito disponible? +ConfirmConvertToReducSupplier=¿Desea convertir este 1%s en un crédito disponible? +SupplierPayments=Pagos al proveedor +ReceivedCustomersPayments=Pagos recibidos de los clientes +ReceivedCustomersPaymentsToValid=Pagos de clientes por validar +PaymentsReportsForYear=Informes de pagos de%s +PaymentsAlreadyDone=Pagos ya realizados +PaymentsBackAlreadyDone=Reembolsos ya realizados +PaymentRule=Tipo de pago +PaymentModes=Formas de pago +DefaultPaymentMode=Forma de pago predefinida +DefaultBankAccount=Cuenta bancaria predefinida +CodePaymentMode=Forma de pago (código) +LabelPaymentMode=Forma de pago (etiqueta) +PaymentModeShort=Forma de pago +PaymentTerm=Condiciones de pago PaymentAmount=Importe de pago +PaymentHigherThanReminderToPay=Monto del pago superior al saldo +ClassifyPaid=Clasificar como "pagada" +ClassifyUnPaid=Clasificar como "no pagada" +ClassifyPaidPartially=Clasificar como "parcialmente pagada" +ClassifyCanceled=Clasificar como "abandonada" +ClassifyClosed=Clasificar como "cerrada" +CreateBill=Generar factura +CreateCreditNote=Generar nota de crédito AddBill=Crear factura o nota de crédito +DeleteBill=Borrar factura +SearchACustomerInvoice=Buscar una factura de clientes +SearchASupplierInvoice=Buscar una factura de proveedores +CancelBill=Cancelar una factura +SendRemindByMail=Enviar recordatorio por correo-e +DoPayment=Registrar pago +DoPaymentBack=Registrar reembolso +ConvertToReduc=Marcar como crédito disponible +ConvertExcessReceivedToReduc=Convertir pago excedido en crédito disponible +ConvertExcessPaidToReduc=Convertir pago excedido en descuento disponible +EnterPaymentReceivedFromCustomer=Registrar pago recibido del cliente +BillStatus=Estatus de la factura BillStatusDraft=Borrador (necesita ser validado) BillStatusPaid=Pagado BillStatusPaidBackOrConverted=Reembolso de nota de crédito o marcado como crédito disponible +BillStatusValidated=Validada (debe ser pagada) BillStatusStarted=Iniciado +BillStatusNotPaid=No pagada +BillStatusClosedUnpaid=Cerrada (no pagada) +BillStatusClosedPaidPartially=Pagada (parcialmente) BillShortStatusPaid=Pagado +BillShortStatusPaidBackOrConverted=Reembolsado o convertido +Refunded=Reembolsado BillShortStatusConverted=Pagado BillShortStatusValidated=Validado BillShortStatusStarted=Iniciado +BillShortStatusNotPaid=No pagada BillShortStatusClosedUnpaid=Cerrada +BillShortStatusClosedPaidPartially=Pagada (parcialmente) +ErrorNoPaiementModeConfigured=No se ha establecido un tipo de pago predefinido. Corríjalo en el módulo de facturación. +ErrorCreateBankAccount=Cree una cuenta bancaria, luego vaya al módulo de facturación para definir los tipos de pago. +ErrorBillNotFound=No existe la factura %s BillFrom=De BillTo=Hacia +NewBill=Factura nueva +LastBills=Últimas %s facturas +LatestTemplateInvoices=Últimas %s plantillas de factura +LatestCustomerTemplateInvoices=Últimas %s plantillas de facturas de clientes +LatestSupplierTemplateInvoices=Últimas %s plantillas de facturas de proveedores +LastCustomersBills=Últimas %s facturas de clientes +LastSuppliersBills=Últimas%s facturas de proveedores +AllCustomerTemplateInvoices=Todas las plantillas de facturas +DraftBills=Facturas en borrador +CustomersDraftInvoices=Facturas de clientes en borrador +SuppliersDraftInvoices=Facturas de proveedores en borrador +Unpaid=Sin pagar +ErrorNoPaymentDefined=Error: no se han definido pagos +ConfirmDeleteBill=¿Está seguro que desea borrar la factura? +ConfirmUnvalidateBill=¿Está seguro de querer cambiar la factura %sa borrador? +ConfirmClassifyPaidBill=¿Está seguro de querer marcar la factura %s como pagada? +ConfirmCancelBill=¿Está seguro de cancelar la factura %s? +ConfirmCancelBillQuestion=¿Por qué quiere marcar esta factura como 'abandonada'? +ConfirmClassifyPaidPartially=¿Está seguro de querer marcar la factura %s como pagada? +ConfirmClassifyPaidPartiallyQuestion=Esta factura no está totalmente pagada. ¿Por qué motivo la quiere cerrar? +ConfirmClassifyPaidPartiallyReasonAvoir=Saldo pendiente (%s %s) es un descuento otorgado por pronto pago. Ajustaremos el IVA con una nota de crédito. +ConfirmClassifyPaidPartiallyReasonBadCustomer=Mal cliente +ConfirmClassifyPaidPartiallyReasonProductReturned=Devolución parcial de productos +ToPayOn=Pagar en %s +SendBillByMail=Enviar factura por correo-e +SendReminderBillByMail=Enviar recordatorio por correo-e +DateMaxPayment=Pagar a más tardar el +DateInvoice=Fecha de facturación SupplierBillsToPay=Facturas de proveedor no pagadas CustomerBillsUnpaid=Facturas de clientes no pagadas Billed=Facturada +AddCreditNote=Generar nota de crédito CreditNote=Nota de crédito CreditNotes=Notas de crédito DiscountFromCreditNote=Descuento de nota de crédito %s NoteReason=Nota / Razón ReasonDiscount=Razón +InvoiceStatus=Estatus de la factura InvoiceNote=Nota de factura PaymentNote=Nota de pago DisabledBecauseNotEnouthCreditNote=Para eliminar una factura de situación del ciclo, el total de la nota de crédito de esta factura debe cubrir este total de la factura diff --git a/htdocs/langs/es_MX/oauth.lang b/htdocs/langs/es_MX/oauth.lang index 8463f33d959..9b2fde3a437 100644 --- a/htdocs/langs/es_MX/oauth.lang +++ b/htdocs/langs/es_MX/oauth.lang @@ -7,7 +7,6 @@ IsTokenGenerated=¿Se generó el token? NoAccessToken=Ningún token de acceso guardado en la base de datos local HasAccessToken=Se generó un token y se guardó en la base de datos local. ToCheckDeleteTokenOnProvider=Haga clic aquí para verificar / eliminar la autorización guardada por el proveedor de OAuth %s -UseTheFollowingUrlAsRedirectURI=Use la siguiente URL como URI de redireccionamiento al crear sus credenciales con su proveedor de OAuth: SeePreviousTab=Ver pestaña anterior OAuthIDSecret=ID OAuth y Secret TOKEN_EXPIRED=Token caducado diff --git a/htdocs/langs/es_MX/propal.lang b/htdocs/langs/es_MX/propal.lang index 039e33f3317..bd35539f0f7 100644 --- a/htdocs/langs/es_MX/propal.lang +++ b/htdocs/langs/es_MX/propal.lang @@ -5,12 +5,13 @@ ProposalShort=Cotización ProposalsDraft=Cotizaciones en borrador ProposalsOpened=Cotizaciones abiertas CommercialProposal=Cotización -PdfCommercialProposalTitle=Cotización comercial +PdfCommercialProposalTitle=Cotización ProposalCard=Tarjeta de cotización NewProp=Nueva cotización NewPropal=Nueva cotización DeleteProp=Eliminar cotización ValidateProp=Validar cotización +CancelPropal=Cancelar AddProp=Crear cotización ConfirmDeleteProp=¿Seguro que quieres eliminar esta cotización? ConfirmValidateProp=¿Está seguro de que desea validar esta cotización con el nombre %s ? @@ -29,6 +30,7 @@ PropalStatusDraft=Borrador (necesita ser validado) PropalStatusValidated=Validado (la cotización está abierta) PropalStatusSigned=Firmado (necesita facturación) PropalStatusBilled=Facturada +PropalStatusCanceledShort=Cancelado PropalStatusValidatedShort=Validada (abierta) PropalStatusClosedShort=Cerrada PropalStatusSignedShort=Firmada diff --git a/htdocs/langs/es_MX/workflow.lang b/htdocs/langs/es_MX/workflow.lang index 7993a64d096..104b2167398 100644 --- a/htdocs/langs/es_MX/workflow.lang +++ b/htdocs/langs/es_MX/workflow.lang @@ -6,10 +6,3 @@ descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Crear automáticamente un pedido de ventas descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente después de firmar una propuesta comercial (la nueva factura tendrá el mismo importe que la propuesta) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente después de validar un contrato descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente después de cerrar un pedido de ventas (la nueva factura tendrá el mismo importe que el pedido) -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasifique la propuesta de origen vinculada como facturada cuando el pedido de ventas esté configurado como facturado (y si el monto del pedido es el mismo que el monto total de la propuesta vinculada firmada) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasifique la propuesta de origen vinculada como facturada cuando se valida la factura del cliente (y si el monto de la factura es el mismo que el monto total de la propuesta vinculada firmada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasifique el pedido de ventas de origen vinculado como facturado cuando se valida la factura del cliente (y si el monto de la factura es el mismo que el monto total del pedido vinculado) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasifique el pedido de ventas de origen vinculado como facturado cuando la factura del cliente se establece como pagada (y si el monto de la factura es el mismo que el monto total del pedido vinculado) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasifique el pedido de ventas de origen vinculado como enviado cuando se valida un envío (y si la cantidad enviada por todos los envíos es la misma que en el pedido para actualizar) -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasifique la propuesta del proveedor de origen vinculado como facturada cuando se valide la factura del proveedor (y si el monto de la factura es el mismo que el monto total de la propuesta vinculada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasifique el pedido de compra de origen vinculado como facturado cuando se valida la factura del proveedor (y si el monto de la factura es el mismo que el monto total del pedido vinculado) diff --git a/htdocs/langs/es_PE/propal.lang b/htdocs/langs/es_PE/propal.lang index 44abe174e6f..eb0d5955dfc 100644 --- a/htdocs/langs/es_PE/propal.lang +++ b/htdocs/langs/es_PE/propal.lang @@ -1,3 +1,6 @@ # Dolibarr language file - Source file is en_US - propal ProposalShort=Cotización +PdfCommercialProposalTitle=Cotización +CancelPropal=Cancelar PropalsOpened=Abrir +PropalStatusValidatedShort=Validated (open) diff --git a/htdocs/langs/es_VE/accountancy.lang b/htdocs/langs/es_VE/accountancy.lang new file mode 100644 index 00000000000..a0f896fac64 --- /dev/null +++ b/htdocs/langs/es_VE/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +AccountingJournalType9=Has-new diff --git a/htdocs/langs/es_VE/assets.lang b/htdocs/langs/es_VE/assets.lang deleted file mode 100644 index 84db7154dd2..00000000000 --- a/htdocs/langs/es_VE/assets.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - assets -MenuListAssets=Listado -MenuListAssetModels=Listado diff --git a/htdocs/langs/es_VE/compta.lang b/htdocs/langs/es_VE/compta.lang index a502597e79c..b94bc90d190 100644 --- a/htdocs/langs/es_VE/compta.lang +++ b/htdocs/langs/es_VE/compta.lang @@ -1,5 +1,4 @@ # Dolibarr language file - Source file is en_US - compta -AccountingCredit=Haber LT1SummaryES=- LT2SummaryES=Balance de ISLR LT1PaidES=- diff --git a/htdocs/langs/es_VE/propal.lang b/htdocs/langs/es_VE/propal.lang index e7be445d8d5..077c76cd0c5 100644 --- a/htdocs/langs/es_VE/propal.lang +++ b/htdocs/langs/es_VE/propal.lang @@ -1,3 +1,4 @@ # Dolibarr language file - Source file is en_US - propal PropalsOpened=Abierta +PropalStatusValidatedShort=Validated (open) CreateEmptyPropal=Crear propuesta comercial vacía o desde la lista de productos/servicios\n diff --git a/htdocs/langs/et_EE/categories.lang b/htdocs/langs/et_EE/categories.lang index 3d6005b260a..3584237bab4 100644 --- a/htdocs/langs/et_EE/categories.lang +++ b/htdocs/langs/et_EE/categories.lang @@ -102,4 +102,5 @@ ActionCommCategoriesArea=Sündmuste kategooriad WebsitePagesCategoriesArea=Lehe-konteinerite kategooriad KnowledgemanagementsCategoriesArea=KM artikli kategooriad UseOrOperatorForCategories=Kategooriates kasuta 'OR' operaatorit -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Assign to the category +Position=Positsioon diff --git a/htdocs/langs/et_EE/main.lang b/htdocs/langs/et_EE/main.lang index c44b831bfdb..25fd44fee37 100644 --- a/htdocs/langs/et_EE/main.lang +++ b/htdocs/langs/et_EE/main.lang @@ -36,7 +36,7 @@ NoTranslation=Tõlge puudub Translation=Tõlge Translations=Tõlked CurrentTimeZone=PHP ajavöönd (serveri ajavöönd) -EmptySearchString=Sisesta mitte-tühjad otsingukriteeriumid +EmptySearchString=Enter non empty search criteria EnterADateCriteria=Sisesta kuupäeva kriteerium NoRecordFound=Ühtegi kirjet ei leitud NoRecordDeleted=Ühtegi kirjet ei kustutatud @@ -60,7 +60,7 @@ ErrorFailedToSendMail=E-kirja saatmine ebaõnnestus (saatja = %s, vastuvõtja = ErrorFileNotUploaded=Ei õnnestunud faili üles laadida. Kontrolli järgmist: fail ei ületa lubatud suurust, serveri kettal on vaba ruumi ning sama nimega faili ei oleks samas kaustas. ErrorInternalErrorDetected=Tuvastati viga ErrorWrongHostParameter=Vigane hosti parameeter -ErrorYourCountryIsNotDefined=Sinu riik ei ole määratud. Mine Kodu-->Seaded-->Muuda ja postita vorm uuesti. +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=Ei saanud kustutada seda kirjet. See kirje on kasutusel vähemalt ühe alamkirje poolt. ErrorWrongValue=Vigane väärtus ErrorWrongValueForParameterX=Parameetrile %s on omistatud vigane väärtus @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Viga: riigi '%s' jaoks ei ole käibemaksum ErrorNoSocialContributionForSellerCountry=Viga: sotsiaalmaksu määrad ei ole riigi '%s' jaoks määratletud. ErrorFailedToSaveFile=Viga: faili salvestamine ebaõnnestus. ErrorCannotAddThisParentWarehouse=Sa püüad lisada pealadu, mis juba on teise olemasoleva lao jaoks haruladu. +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=Väli "%s" ei saa olla negatiivne MaxNbOfRecordPerPage=Maksimaalne kirjete arv ühel lehel NotAuthorized=Teil pole selleks õigusi. @@ -103,7 +104,8 @@ RecordGenerated=Kirje genereeritud LevelOfFeature=Funktsioonide tase NotDefined=Määratlemata DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarri autentimise režiim on seadistatud kasutama %s seadistusfailis conf.php.
      Seega on paroolide andmebaas Dolibarri-väline ning selle välja muutmine ei pruugi omada mingit mõju. -Administrator=Administraator +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=Määratlemata PasswordForgotten=Unustasid salasõna? NoAccount=Ei ole kasutajakontot? @@ -211,8 +213,8 @@ Select=Vali SelectAll=Valik kõik Choose=Vali Resize=Muuda suurust +Crop=Crop ResizeOrCrop=Muuda suurust või kropi -Recenter=Tsentreeri Author=Autor User=Kasutaja Users=Kasutajad @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Lisasendid +LT1GC=Additional cents VATRate=Maksumäär RateOfTaxN=Maksumäär %s VATCode=Maksumäära kood @@ -547,6 +549,7 @@ Reportings=Aruandlus Draft=Mustand Drafts=Mustandid StatusInterInvoiced=Tehtud arveks +Done=Tehtud Validated=Kinnitatud ValidatedToProduce=Kinnitatud (tootmiseks) Opened=Ava @@ -698,6 +701,7 @@ Response=Vastus Priority=Tähtsus SendByMail=Saada e-postiga MailSentBy=E-posti saatis +MailSentByTo=Email sent by %s to %s NotSent=Saatmata TextUsedInTheMessageBody=E-kirja sisu SendAcknowledgementByMail=Saada kinnituskiri @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Kirje edukalt muudetud RecordsModified=%s kirje(t) muudetud RecordsDeleted=%s kirje(t) kustutatud RecordsGenerated=%s kirje(t) loodud +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=Automaatne kood FeatureDisabled=Funktsioon välja lülitatud MoveBox=Teisalda vidinat @@ -764,11 +769,10 @@ DisabledModules=Välja lülitatud moodulid For=Jaoks ForCustomer=Kliendi jaoks Signature=Allkiri -DateOfSignature=Allkirja kuupäev HidePassword=Näita käsku peidetud parooliga UnHidePassword=Näita tegelikku käsku nähtava parooliga Root=Juur -RootOfMedias=Avaliku meedia juur (/medias) +RootOfMedias=Root of public media (/medias) Informations=Informatsioon Page=Lehekülg Notes=Märkused @@ -916,6 +920,7 @@ BackOffice=Tagakontor Submit=Saada View=Vaata Export=Eksport +Import=Import Exports=Eksportimised ExportFilteredList=Ekspordi filtreeritud nimestik ExportList=Ekspordi nimestik @@ -949,7 +954,7 @@ BulkActions=Hulgitegevused ClickToShowHelp=Klõpsa abiteksti hüpikakna avamiseks WebSite=Veebileht WebSites=Veebilehed -WebSiteAccounts=Veebilehe kontod +WebSiteAccounts=Web access accounts ExpenseReport=Kuluaruanne ExpenseReports=Kuluaruanded HR=Personalihaldus @@ -1077,6 +1082,7 @@ CommentPage=Kommentaaride ala CommentAdded=Kommentaar lisati CommentDeleted=Kommentaar kustutati Everybody=Kõik +EverybodySmall=Kõik PayedBy=Maksis PayedTo=Makstud saajale Monthly=Igakuine @@ -1089,7 +1095,7 @@ KeyboardShortcut=Kiirklahv AssignedTo=Mõjutatud isik Deletedraft=Kustuta mustand ConfirmMassDraftDeletion=Kinnitus mustandite hulgikustutamiseks -FileSharedViaALink=Fail on jagatud avaliku lingiga +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Vali enne osapool... YouAreCurrentlyInSandboxMode=Oled praegu %s "liivakasti" resiimis Inventory=Laoseis @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Ülesanne ContactDefault_propal=Pakkumine ContactDefault_supplier_proposal=Tarnija pakkumine ContactDefault_ticket=Tugipilet -ContactAddedAutomatically=Kontakt lisati kolmanda osapoole rollide seast +ContactAddedAutomatically=Contact added from third-party contact roles More=Rohkem ShowDetails=Näita detaile CustomReports=Kohandatud aruanded @@ -1163,8 +1169,8 @@ AffectTag=Omista silt AffectUser=Omista kasutaja SetSupervisor=Määra ülevaataja CreateExternalUser=Loo väline kasutaja -ConfirmAffectTag=Siltide hulgiomistamine -ConfirmAffectUser=Kasutajate hulgiomistamine +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=Igaks projektiks/müügivõimaluseks omistatud roll TasksRole=Igaks ülesandeks omistatud roll (kui kasutatakse) ConfirmSetSupervisor=Ülevaataja hulgimääramine @@ -1222,7 +1228,7 @@ UserAgent=Kasutajaagent InternalUser=Sisemine kasutaja ExternalUser=Väline kasutaja NoSpecificContactAddress=Kindlat kontakti või aadressi ei ole -NoSpecificContactAddressBis=See vahekaart on tehtud praegusele objektile kontaktide või aadresside jõuga määramiseks. Kasuta seda ainult juhul kui tahad objektile määrata ühte või mitut kindlat kontakti või aadressi olukorras kus kolmanda osapoole info ei ole piisav või ei ole täpne. +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Peida %s AddToContacts=Lisa aadress minu kontaktidesse LastAccess=Viimati kasutatud @@ -1239,3 +1245,18 @@ DateOfPrinting=Date of printing ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. UserNotYetValid=Not yet valid UserExpired=Aegunud +LinkANewFile=Seosta uus fail/dokument +LinkedFiles=Seostatud failid ja dokumendid +NoLinkFound=Registreeritud lingid puuduvad +LinkComplete=Fail on edukalt seostatud +ErrorFileNotLinked=Faili ei saanud seostada +LinkRemoved=Link %s on eemaldatud +ErrorFailedToDeleteLink= Tekkis viga lingi '%s' eemaldamisel +ErrorFailedToUpdateLink= Tekkis viga lingi '%s' uuendamisel +URLToLink=Seostatav URL +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/et_EE/oauth.lang b/htdocs/langs/et_EE/oauth.lang index fdb175ded5f..498833fbe07 100644 --- a/htdocs/langs/et_EE/oauth.lang +++ b/htdocs/langs/et_EE/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Token deleted GetAccess=Click here to get a token RequestAccess=Click here to request/renew access and receive a new token DeleteAccess=Click here to delete the token -UseTheFollowingUrlAsRedirectURI=Kasutage OAuthi pakkujaga mandaatide loomisel ümbersuunamise URI-na järgmist URL-i: +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens SeePreviousTab=See previous tab diff --git a/htdocs/langs/et_EE/projects.lang b/htdocs/langs/et_EE/projects.lang index 90d28630d0b..6581bc1bc28 100644 --- a/htdocs/langs/et_EE/projects.lang +++ b/htdocs/langs/et_EE/projects.lang @@ -1,12 +1,12 @@ # Dolibarr language file - Source file is en_US - projects RefProject=Ref. projekt -ProjectRef=Project ref. +ProjectRef=Ref. projekt ProjectId=Projekti ID ProjectLabel=Projekti nimi ProjectsArea=Projektid ProjectStatus=Project status SharedProject=Kõik -PrivateProject=Assigned contacts +PrivateProject=Määratud kontaktid ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=Kõik projektid @@ -32,10 +32,10 @@ DeleteAProject=Kustuta projekt DeleteATask=Kustuta ülesanne ConfirmDeleteAProject=Are you sure you want to delete this project? ConfirmDeleteATask=Are you sure you want to delete this task? -OpenedProjects=Open projects +OpenedProjects=Avatud projektid OpenedProjectsOpportunities=Open opportunities OpenedTasks=Open tasks -OpportunitiesStatusForOpenedProjects=Leads amount of open projects by status +OpportunitiesStatusForOpenedProjects=Juhib avatud projektide hulka staatuse järgi OpportunitiesStatusForProjects=Leads amount of projects by status ShowProject=Näita projekti ShowTask=Näita ülesannet @@ -45,10 +45,11 @@ OutOfProject=Out of project NoProject=Ühtki projekti pole määratletud või ei oma ühtki projekti NbOfProjects=Projektide arv NbOfTasks=Number of tasks +TimeEntry=Time tracking TimeSpent=Aega kulutatud +TimeSpentSmall=Aega kulutatud TimeSpentByYou=Time spent by you TimeSpentByUser=Time spent by user -TimesSpent=Aega kulutatud TaskId=Task ID RefTask=Task ref. LabelTask=Task label @@ -56,11 +57,11 @@ TaskTimeSpent=Ülesannetele kulutatud aeg TaskTimeUser=Kasutaja TaskTimeNote=Märkus TaskTimeDate=Kuupäev -TasksOnOpenedProject=Tasks on open projects +TasksOnOpenedProject=Ülesanded avatud projektidel WorkloadNotDefined=Workload not defined NewTimeSpent=Aega kulutatud MyTimeSpent=Minu kulutatud aeg -BillTime=Bill the time spent +BillTime=Arvelda kulutatud aja järgi BillTimeShort=Bill time TimeToBill=Time not billed TimeBilled=Time billed @@ -82,7 +83,7 @@ MyProjectsArea=Minu projektid DurationEffective=Efektiivne kestus ProgressDeclared=Declared real progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently open tasks +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption ProgressCalculated=Progress on consumption @@ -122,10 +123,10 @@ TaskHasChild=Task has child NotOwnerOfProject=Ei ole antud privaatse projekti omanik AffectedTo=Eraldatud üksusele CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=Kinnita projekt +ValidateProject=Validate project ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Sulge projekt -ConfirmCloseAProject=Are you sure you want to close this project? +ConfirmCloseAProject=Oled kindel, et soovid antud projekti sulgeda? AlsoCloseAProject=Also close project AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it ReOpenAProject=Ava projekt @@ -214,8 +215,8 @@ AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign -ProjectOverview=Overview -ManageTasks=Use projects to follow tasks and/or report time spent (timesheets) +ProjectOverview=Ülevaade +ManageTasks=Kasutage ülesannete jälgimiseks Projekte ja/või märkige ajakulu. ManageOpportunitiesStatus=Use projects to follow leads/opportinuties ProjectNbProjectByMonth=No. of created projects by month ProjectNbTaskByMonth=No. of created tasks by month @@ -226,7 +227,7 @@ ProjectsStatistics=Statistics on projects or leads TasksStatistics=Statistics on tasks of projects or leads TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Avatud projektid kolmandate osapoolte kaupa OnlyOpportunitiesShort=Only leads OpenedOpportunitiesShort=Open leads @@ -238,7 +239,7 @@ OpportunityPonderatedAmountDesc=Leads amount weighted with probability OppStatusPROSP=Prospection OppStatusQUAL=Qualification OppStatusPROPO=Pakkumine -OppStatusNEGO=Negociation +OppStatusNEGO=Negotiation OppStatusPENDING=Ootel OppStatusWON=Won OppStatusLOST=Lost @@ -270,7 +271,7 @@ InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on p InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity -ProjectFollowTasks=Follow tasks or time spent +ProjectFollowTasks=Järgige ülesandeid või kulutatud aega Usage=Kasutus UsageOpportunity=Kasutus: Võimalus UsageTasks=Kasutus: Ülesanded @@ -288,14 +289,14 @@ ProfitIsCalculatedWith=Kasum arvutatakse kasutades AddPersonToTask=Add also to tasks UsageOrganizeEvent=Usage: Event Organization PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Märkus. Olemasolevaid projekte, mille kõigi ülesannete edenemine on juba 100%%, see ei mõjuta: peate need käsitsi sulgema. See valik mõjutab ainult avatud projekte. SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them ProjectTasksWithoutTimeSpent=Project tasks without time spent FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. ProjectsHavingThisContact=Projects having this contact StartDateCannotBeAfterEndDate=Lõppkuupäev ei saa olla alguskuupäevast varasem ErrorPROJECTLEADERRoleMissingRestoreIt=The "PROJECTLEADER" role is missing or has been de-activited, please restore in the dictionary of contact types -LeadPublicFormDesc=You can enable here a public page to allow your prospects to make a first contact to you from a public online form +LeadPublicFormDesc=Siin saate lubada avaliku lehe, et teie potentsiaalsed kliendid saaksid teiega avalikult veebivormilt esimest korda ühendust võtta EnablePublicLeadForm=Enable the public form for contact NewLeadbyWeb=Your message or request has been recorded. We will answer or contact your soon. NewLeadForm=New contact form diff --git a/htdocs/langs/et_EE/propal.lang b/htdocs/langs/et_EE/propal.lang index 9d4d9dcd7fb..bd757cd8785 100644 --- a/htdocs/langs/et_EE/propal.lang +++ b/htdocs/langs/et_EE/propal.lang @@ -3,7 +3,7 @@ Proposals=Pakkumised Proposal=Pakkumine ProposalShort=Pakkumine ProposalsDraft=Koosta pakkumiste mustandeid -ProposalsOpened=Open commercial proposals +ProposalsOpened=Avatud äripakkumised CommercialProposal=Pakkumine PdfCommercialProposalTitle=Pakkumine ProposalCard=Pakkumise kaart @@ -12,28 +12,32 @@ NewPropal=Uus pakkumine Prospect=Huviline DeleteProp=Kustuta pakkumine ValidateProp=Kinnita pakkumine -AddProp=Create proposal -ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? -ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? -LastPropals=Latest %s proposals -LastModifiedProposals=Latest %s modified proposals +CancelPropal=Tühista +AddProp=Loo pakkumine +ConfirmDeleteProp=Kas tahad kindlasti kustutada seda äripakkumist? +ConfirmValidateProp=Kas tahad kindlasti seda äripakkumist kinnitada nimega %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? +LastPropals=Viimased %s pakkumist +LastModifiedProposals=Viimased %s muudetud pakkumised AllPropals=Kõik pakkumised SearchAProposal=Otsi pakkumist -NoProposal=No proposal +NoProposal=Pakkumisi pole ProposalsStatistics=Pakkumiste statistika NumberOfProposalsByMonth=Arv kuus -AmountOfProposalsByMonthHT=Amount by month (excl. tax) +AmountOfProposalsByMonthHT=Kokku kuude kaupa (neto) NbOfProposals=Pakkumisi ShowPropal=Näita pakkumist PropalsDraft=Mustandid PropalsOpened=Ava +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Mustand (vajab kinnitamist) PropalStatusValidated=Kinnitatud (pakkumine lahti) PropalStatusSigned=Allkirjastatud (vaja arve esitada) PropalStatusNotSigned=Allkirjastamata (suletud) PropalStatusBilled=Arve esitatud +PropalStatusCanceledShort=Tühistatud PropalStatusDraftShort=Mustand -PropalStatusValidatedShort=Validated (open) +PropalStatusValidatedShort=Kinnitatud (avatud) PropalStatusClosedShort=Suletud PropalStatusSignedShort=Allkirjastatud PropalStatusNotSignedShort=Allkirjastamata @@ -47,20 +51,21 @@ SendPropalByMail=Saada pakkumine kirja teel DatePropal=Pakkumise kuupäev DateEndPropal=Kehtib kuni ValidityDuration=Kehtivuse kestvus -SetAcceptedRefused=Set accepted/refused +SetAcceptedRefused=Määra vastuvõetuks/keeldutuks ErrorPropalNotFound=Pakkumist %s ei leitud AddToDraftProposals=Lisa pakkumise mustandisse NoDraftProposals=Pakkumise mustandeid ei ole CopyPropalFrom=Loo pakkumine olemasoleva pakkumise kopeerimise teel -CreateEmptyPropal=Create empty commercial proposal or from list of products/services +CreateEmptyPropal=Loo tühi äripakkumine või toodete/teenuste nimekirja alusel DefaultProposalDurationValidity=Pakkumise kehtivus vaikimisi (päevades) -DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal -UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address -ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? -ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? +DefaultPuttingPricesUpToDate=Pakkumise kloonimisel uuenda vaikimisi hindu praegu kehtivate hindadega +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal +UseCustomerContactAsPropalRecipientIfExist=Kui on ette määratud, siis kasuta kontakti/aadressi tüüpi 'Pakkumise järelkontrolli kontakt', mitte kolmanda isiku aadressi kui pakkumise saaja aadress. +ConfirmClonePropal=Kas tahad kindlasti kloonida äripakkumist %s? +ConfirmReOpenProp=Kas tahad kindlasti taasavada äripakkumist %s? ProposalsAndProposalsLines=Pakkumine ja selle read ProposalLine=Pakkumise read -ProposalLines=Proposal lines +ProposalLines=Pakkumise read AvailabilityPeriod=Saadavuse viivitus SetAvailability=Määratle saadavuse viivitus AfterOrder=pärast tellimist @@ -77,42 +82,43 @@ AvailabilityTypeAV_1M=1 kuu TypeContact_propal_internal_SALESREPFOLL=Pakkumise järelkajaga tegelev müügiesindaja TypeContact_propal_external_BILLING=Müügiarve kontakt TypeContact_propal_external_CUSTOMER=Kliendi kontakt pakkumise järelkaja jaoks -TypeContact_propal_external_SHIPPING=Customer contact for delivery +TypeContact_propal_external_SHIPPING=Kliendi kontakt saadetisteks # Document models -CantBeNoSign=cannot be set not signed -CaseFollowedBy=Case followed by -ConfirmMassNoSignature=Bulk Not signed confirmation -ConfirmMassNoSignatureQuestion=Are you sure you want to set not signed the selected records ? -ConfirmMassSignature=Bulk Signature confirmation -ConfirmMassSignatureQuestion=Are you sure you want to sign the selected records ? -ConfirmMassValidation=Bulk Validate confirmation -ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? -ContractSigned=Contract signed +CantBeNoSign=ei saa teha mitte allkirjastatuks +CaseFollowedBy=Asja jälgib +ConfirmMassNoSignature=Hulgi mitte-allkirjastatud kinnitus +ConfirmMassNoSignatureQuestion=Kas tahad kindlasti valitud kirjed määrata mitte-allkirjastatuks? +ConfirmMassSignature=Hulgiallkirjastamise kinnitus +ConfirmMassSignatureQuestion=Kas tahad kindlasti valitud kirjed allkirjastada? +ConfirmMassValidation=Hulgikinnitamise kinnitus +ConfirmMassValidationQuestion=Kas tahad kindlasti valitud kirjed kinnitada? +ConfirmRefusePropal=Kas tahad kindlasti sellest äripakkumisest keelduda? +ContractSigned=Leping on allkirjastatud DefaultModelPropalClosed=Vaikimisi mall pakkumise sulgemiseks (arvet ei esitata) DefaultModelPropalCreate=Vaikimisi mudeli loomine DefaultModelPropalToBill=Vaikimisi mall pakkumise sulgemiseks (arve esitada) -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model -FichinterSigned=Intervention signed -IdProduct=Product ID -IdProposal=Proposal ID -IsNotADraft=is not a draft -LineBuyPriceHT=Buy Price Amount net of tax for line +DocModelAzurDescription=Terviklik pakkumise mudel (vana Cyan malli rakendus) +DocModelCyanDescription=Terviklik pakkumise mudel +FichinterSigned=Sekkumine allkirjastatud +IdProduct=Toote ID +IdProposal=Pakkumise ID +IsNotADraft=ei ole mustand +LineBuyPriceHT=Ostuhinna koguse netomaks reale NoSign=Keeldu -NoSigned=set not signed -PassedInOpenStatus=has been validated -PropalAlreadyRefused=Proposal already refused -PropalAlreadySigned=Proposal already accepted -PropalRefused=Proposal refused -PropalSigned=Proposal accepted -ProposalCustomerSignature=Written acceptance, company stamp, date and signature -ProposalsStatisticsSuppliers=Vendor proposals statistics -RefusePropal=Refuse proposal -Sign=Sign -SignContract=Sign contract -SignFichinter=Sign intervention -SignPropal=Accept proposal -Signed=signed -SignedOnly=Signed only +NoSigned=Määra mitte-allkirjastatuks +PassedInOpenStatus=on kinnitatud +PropalAlreadyRefused=Pakkumisest on juba keeldutud +PropalAlreadySigned=Pakkumine on juba kinnitatud +PropalRefused=Pakkumisest keeldutud +PropalSigned=Pakkumine kinnitatud +ProposalCustomerSignature=Kirjalik kinnitus, ettevõtte tempel, kuupäev ja allkiri +ProposalsStatisticsSuppliers=Tarnija pakkumiste statistika +RefusePropal=Keeldu pakkumisest +Sign=Allkirjasta +SignContract=Allkirjasta leping +SignFichinter=Allkirjasta sekkumine +SignSociete_rib=Sign mandate +SignPropal=Kinnita pakkumine +Signed=allkirjastatud +SignedOnly=Allkirjastatud ainult diff --git a/htdocs/langs/et_EE/withdrawals.lang b/htdocs/langs/et_EE/withdrawals.lang index e68531fe4cf..c58d0bb101b 100644 --- a/htdocs/langs/et_EE/withdrawals.lang +++ b/htdocs/langs/et_EE/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Make a credit transfer request WithdrawRequestsDone=%s direct debit payment requests recorded BankTransferRequestsDone=%s credit transfer requests recorded ThirdPartyBankCode=Osapoole pangakood -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. ClassCredited=Määra krediteerituks ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Kas oled kindel, et soovid sisestada väljamakse tagasi RefusedData=Keeldumise kuupäev RefusedReason=Keeldumise põhjus RefusedInvoicing=Keeldumise eest arve esitamine -NoInvoiceRefused=Ära esita arvet keeldumise eest -InvoiceRefused=Invoice refused (Charge the rejection to customer) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debit/credit StatusWaiting=Ootel StatusTrans=Saadetud @@ -115,13 +118,13 @@ RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Amount of Direct debit request: BankTransferAmount=Amount of Credit Transfer request: WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. SepaMandate=SEPA Direct Debit Mandate SepaMandateShort=SEPA Mandate -PleaseReturnMandate=Please return this mandate form by email to %s or by mail to +PleaseReturnMandate=Palun tagastage see volitusvorm e-posti teel aadressile %s või posti teel aadressile SEPALegalText=By signing this mandate form, you authorize (A) %s and its payment service provider to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. You agree to receive notifications about future charges up to 2 days before they occur. CreditorIdentifier=Creditor Identifier CreditorName=Creditor Name @@ -131,6 +134,7 @@ SEPAFormYourBAN=Your Bank Account Name (IBAN) SEPAFormYourBIC=Your Bank Identifier Code (BIC) SEPAFrstOrRecur=Type of payment ModeRECUR=Recurring payment +ModeRCUR=Recurring payment ModeFRST=One-off payment PleaseCheckOne=Please check one only CreditTransferOrderCreated=Credit transfer order %s created @@ -155,9 +159,16 @@ InfoTransData=Summa: %s
      Meetod: %s
      Kuupäev: %s InfoRejectSubject=Direct debit payment order refused InfoRejectMessage=Hello,

      the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

      --
      %s ModeWarning=Tootmisrežiim ei olnud seadistatud, pärast seda peatatakse simulatsioon -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Missing ICS in Bank account %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Palk +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/eu_ES/categories.lang b/htdocs/langs/eu_ES/categories.lang index cf0de898bdb..b7cdef9561d 100644 --- a/htdocs/langs/eu_ES/categories.lang +++ b/htdocs/langs/eu_ES/categories.lang @@ -42,6 +42,7 @@ MemberHasNoCategory=This member is not in any tags/categories ContactHasNoCategory=This contact is not in any tags/categories ProjectHasNoCategory=This project is not in any tags/categories ClassifyInCategory=Add to tag/category +RemoveCategory=Remove category NotCategorized=Without tag/category CategoryExistsAtSameLevel=This category already exists with this ref ContentsVisibleByAllShort=Contents visible by all @@ -67,6 +68,7 @@ StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id ParentCategory=Parent tag/category +ParentCategoryID=ID of parent tag/category ParentCategoryLabel=Label of parent tag/category CatSupList=List of vendors tags/categories CatCusList=List of customers/prospects tags/categories @@ -86,15 +88,19 @@ DeleteFromCat=Remove from tags/category ExtraFieldsCategories=Complementary attributes CategoriesSetup=Tags/categories setup CategorieRecursiv=Link with parent tag/category automatically -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. -AddProductServiceIntoCategory=Add the following product/service +CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. +AddProductServiceIntoCategory=Assign category to the product/service AddCustomerIntoCategory=Assign category to customer AddSupplierIntoCategory=Assign category to supplier +AssignCategoryTo=Assign category to ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories +TicketsCategoriesArea=Tickets Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories KnowledgemanagementsCategoriesArea=KM article Categories UseOrOperatorForCategories=Use 'OR' operator for categories +AddObjectIntoCategory=Assign to the category +Position=Posizioa diff --git a/htdocs/langs/eu_ES/propal.lang b/htdocs/langs/eu_ES/propal.lang index db7b559a8a7..3201dffa9b7 100644 --- a/htdocs/langs/eu_ES/propal.lang +++ b/htdocs/langs/eu_ES/propal.lang @@ -12,9 +12,11 @@ NewPropal=New proposal Prospect=Prospect DeleteProp=Delete commercial proposal ValidateProp=Validate commercial proposal +CancelPropal=Utzi AddProp=Create proposal ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Latest %s proposals LastModifiedProposals=Latest %s modified proposals AllPropals=All proposals @@ -27,11 +29,13 @@ NbOfProposals=Number of commercial proposals ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Open +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Draft (needs to be validated) PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed +PropalStatusCanceledShort=Canceled PropalStatusDraftShort=Draft PropalStatusValidatedShort=Validated (open) PropalStatusClosedShort=Closed @@ -54,6 +58,8 @@ NoDraftProposals=No draft proposals CopyPropalFrom=Create commercial proposal by copying existing proposal CreateEmptyPropal=Create empty commercial proposal or from list of products/services DefaultProposalDurationValidity=Default commercial proposal validity duration (in days) +DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? @@ -64,36 +70,55 @@ AvailabilityPeriod=Availability delay SetAvailability=Set availability delay AfterOrder=after order OtherProposals=Other proposals + ##### Availability ##### AvailabilityTypeAV_NOW=Immediate AvailabilityTypeAV_1W=1 week AvailabilityTypeAV_2W=2 weeks AvailabilityTypeAV_3W=3 weeks AvailabilityTypeAV_1M=1 month -##### Types de contacts ##### + +##### Types ofe contacts ##### TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery + # Document models -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model +CantBeNoSign=cannot be set not signed +CaseFollowedBy=Case followed by +ConfirmMassNoSignature=Bulk Not signed confirmation +ConfirmMassNoSignatureQuestion=Are you sure you want to set not signed the selected records ? +ConfirmMassSignature=Bulk Signature confirmation +ConfirmMassSignatureQuestion=Are you sure you want to sign the selected records ? +ConfirmMassValidation=Bulk Validate confirmation +ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? +ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +ContractSigned=Contract signed +DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) -DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) +DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) +DocModelCyanDescription=A complete proposal model +FichinterSigned=Intervention signed +IdProduct=Product ID +IdProposal=Proposal ID +IsNotADraft=is not a draft +LineBuyPriceHT=Buy Price Amount net of tax for line +NoSign=Refuse +NoSigned=set not signed +PassedInOpenStatus=has been validated +PropalAlreadyRefused=Proposal already refused +PropalAlreadySigned=Proposal already accepted +PropalRefused=Proposal refused +PropalSigned=Proposal accepted ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics -CaseFollowedBy=Case followed by -SignedOnly=Signed only -IdProposal=Proposal ID -IdProduct=Product ID -PrParentLine=Proposal Parent Line -LineBuyPriceHT=Buy Price Amount net of tax for line -SignPropal=Accept proposal RefusePropal=Refuse proposal Sign=Sign -PropalAlreadySigned=Proposal already accepted -PropalAlreadyRefused=Proposal already refused -PropalSigned=Proposal accepted -PropalRefused=Proposal refused -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +SignContract=Sign contract +SignFichinter=Sign intervention +SignSociete_rib=Sign mandate +SignPropal=Accept proposal +Signed=signed +SignedOnly=Signed only diff --git a/htdocs/langs/fa_IR/accountancy.lang b/htdocs/langs/fa_IR/accountancy.lang index 6299fbfe4e7..71eb1841475 100644 --- a/htdocs/langs/fa_IR/accountancy.lang +++ b/htdocs/langs/fa_IR/accountancy.lang @@ -16,8 +16,8 @@ ThisService=این خدمت ThisProduct=این محصول DefaultForService=Default for services DefaultForProduct=Default for products -ProductForThisThirdparty=Product for this thirdparty -ServiceForThisThirdparty=Service for this thirdparty +ProductForThisThirdparty=Product for this third party +ServiceForThisThirdparty=Service for this third party CantSuggest=امکان پیش‌نهاد نیست AccountancySetupDoneFromAccountancyMenu=اکثر برپاسازی حساب‌داری برای فهرست %s انجام شده است ConfigAccountingExpert=Configuration of the module accounting (double entry) @@ -38,7 +38,7 @@ DeleteCptCategory=حذف حساب حساب‌درای از گروه ConfirmDeleteCptCategory=اطمینان دارید که می‌خواهید این حساب حساب‌داری را از گروه حساب حساب‌داری حذف کنید؟ JournalizationInLedgerStatus=وضعیت دفترنویسی AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger +NotYetInGeneralLedger=Not yet transferred to accounting journals and ledger GroupIsEmptyCheckSetup=گروه خالی است، برپاسازی گروه حساب‌داری انفرادی را بررسی کنید DetailByAccount=نمایش جزئیات مربوط به حساب DetailBy=Detail by @@ -53,15 +53,13 @@ ExportAccountingSourceDocHelp=With this tool, you can search and export the sour ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported, click on the button above. VueByAccountAccounting=View by accounting account VueBySubAccountAccounting=View by accounting subaccount MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup @@ -70,13 +68,14 @@ UserAccountNotDefined=Accounting account for user not defined in setup AccountancyArea=بخش حساب‌داری AccountancyAreaDescIntro=استفاده از بخش حساب‌داری در گام‌های متعددی انجام می‌پذیرد: AccountancyAreaDescActionOnce=عملیات زیر معمولا فقط یک بار انجام می‌شود، یا یک بار در سال... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting +AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automatically the correct default accounting account when transferring data in accounting AccountancyAreaDescActionFreq=عملیات زیر معمولا هر ماه یا هر هفته یا بار یا حتی هر روز یک بار برای شرکت‌های بسیار بزرگ انجام می‌پذیرد.... AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescFiscalPeriod=STEP %s: Define a fiscal year by default on which to integrate your accounting entries. For this, use the menu entry %s. AccountancyAreaDescVat=گام %s: تعریف حساب‌های حساب‌داری برای هر یک از انواع ضریب‌های مالیات بر ارزش افزوده. برای این کار از گزینۀ %s استفاده نمائید. AccountancyAreaDescDefault=گام %s: تعریف حساب‌های حساب‌داری پیش‌فرض. برای این، از گزینۀ %s استفاده نمائید. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. @@ -84,7 +83,7 @@ AccountancyAreaDescSal=گام %s: تعریف حساب‌های حساب‌دار AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. AccountancyAreaDescDonation=گام %s : تعریف حساب‌های حساب‌داری پیش‌فرض برای دریافت کمک‌. برای این، از گزینۀ %s استفاده نمائید. AccountancyAreaDescSubscription=گام %s: تعریف حساب حساب‌داری پیش‌فرض برای اشتراک اعضاء. برای این، از گزینۀ %s استفاده نمائید. -AccountancyAreaDescMisc=گام %s : تعریف حساب پیش‌فرض الزامی و حساب‌های حساب‌داری پیش‌فرض برای تراکنش‌های متفرقه. برای این، از گزینۀ %s استفاده نمائید. +AccountancyAreaDescMisc=STEP %s: Define mandatory default accounts and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. AccountancyAreaDescLoan=گام %s: تعریف حساب‌‌های حساب‌داری پیش‌فرض برای وام‌ها. برای این از گزینۀ %s استفاده نمائید. AccountancyAreaDescBank=گام %s: تعریف حساب‌های حساب‌داری و شمارۀ‌دفتر برای هر بانک و حساب‌های مالی. برای این‌کار از گزینۀ %s استفاده نمائید. AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. @@ -95,6 +94,7 @@ AccountancyAreaDescAnalyze=گام %s: تراکنش‌های موجود را اض AccountancyAreaDescClosePeriod=گام %s: بازۀ زمانی را ببندید تا دیگر در آینده قابل ویرایش نباشد. +TheFiscalPeriodIsNotDefined=A mandatory step in setup has not been completed (Fiscal period is not defined) TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) Selectchartofaccounts=انتخاب نمودار فعالی از حساب‌ها ChangeAndLoad=تغییر و بارگذاری @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=امکان تغییر تعداد دیگری از صفر BANK_DISABLE_DIRECT_INPUT=غیرفعال کردن ثبت مستقیم تراکنش در حساب بانکی ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=فعال کردن خروجی پیش‌نویس از دفتر ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_DATE_START_BINDING=Disable binding & transfer in accountancy when date is below this date (the transactions before this date will be excluded by default) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On the page to transfer data into accountancy, what is the period selected by default ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=دفتر اجتماعی ACCOUNTING_RESULT_PROFIT=نتیجۀ حساب حساب‌داری (سود) ACCOUNTING_RESULT_LOSS=نتیجۀ حساب حساب‌داری (ضرر) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=دفتر خاتمه +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Accounting groups used for the balance sheet account (separate by comma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Accounting groups used for the income statement (separate by comma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers TransitionalAccount=Transitional bank transfer account @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Consult here the list of the lines of invoices customers DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transferred in accountancy are visible) DescVentilDoneSupplier=در این قسمت فهرستی از سطور صورت‌حساب‌های تامین کنندگان و حساب‌حساب‌داری آن‌ها ملاحظه کنید DescVentilTodoExpenseReport=بندکردن سطور گزارش هزینه‌هائی که قبلا به حساب‌حسابداری پرداختی بند نشده‌اند DescVentilExpenseReport=در این قسمت فهرستی از سطور گزارش هزینه‌هائی را که به یک حساب‌حساب‌داری پرداخت بندشده‌اند (یا نشده‌اند) را ملاحظه کنید @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=در صورتی‌که شما حساب‌حساب‌ DescVentilDoneExpenseReport=در این قسمت فهرستی از سطور گزارشات هزینه و حساب‌حساب‌داری پرداخت آن‌ها را داشته باشید Closure=Annual closure -DescClosure=Consult here the number of movements by month not yet validated & locked +AccountancyClosureStep1Desc=Consult here the number of movements by month not yet validated & locked OverviewOfMovementsNotValidated=Overview of movements not validated and locked AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked @@ -341,7 +343,7 @@ AccountingJournalType3=خرید AccountingJournalType4=بانک AccountingJournalType5=گزارش‌هزینه‌ها AccountingJournalType8=انبار -AccountingJournalType9=جدید-دارد +AccountingJournalType9=Retained earnings GenerationOfAccountingEntries=Generation of accounting entries ErrorAccountingJournalIsAlreadyUse=این دفتر فعلا در حال استفاده است AccountingAccountForSalesTaxAreDefinedInto=نکته: حساب حساب‌داری برای مالیات بر فروش در گزینۀ %s - %s قابل تعریف است @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountanc ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. +EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigorous accounting management. ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not chosen by the end user +ACCOUNTING_LETTERING_NBLETTERS=Number of letters when generating lettering code (default 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Some accounting software only accepts a two-letter code. This parameter allows you to set this aspect. The default number of letters is three. OptionsAdvanced=Advanced options ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transferred into accountancy differently: A additional debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. ## Export NotExportLettering=Do not export the lettering when generating the file @@ -420,7 +424,7 @@ SaleLocal=Local sale SaleExport=Export sale SaleEEC=Sale in EEC SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of third party is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the third party, or change the product account suggested for binding if needed. ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=No unreconcile modified AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock movements +AccountancyClosureStep2=Step 2 : Close fiscal period +AccountancyClosureStep3=Step 3 : Extract entries (Optional) +AccountancyClosureClose=Close fiscal period +AccountancyClosureAccountingReversal=Extract and record "Retained earnings" entries +AccountancyClosureStep3NewFiscalPeriod=Next fiscal period +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "Retained earnings" entries on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "Retained earnings" entries, detail the sub-ledger accounts +AccountancyClosureCloseSuccessfully=Fiscal period has been closed successfully +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping entries for "Retained earnings" has been inserted successfully + ## Confirm box ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? ConfirmMassDeleteBookkeepingWriting=تائید حذف گروهی ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +AccountancyClosureConfirmClose=Are you sure you want to close the current fiscal period ? You understand that closing the fiscal period is an irreversible action and will permanently block any modification or deletion of entries over this period. +AccountancyClosureConfirmAccountingReversal=Are you sure you want to record entries for the "Retained earnings" ? ## Error SomeMandatoryStepsOfSetupWereNotDone=برخی گام‌های اجباری برپاسازی انجام نشده است، لطفا تکمیل کنید -ErrorNoAccountingCategoryForThisCountry=هیچ گروه حساب‌ حساب‌داری برای کشور %s وجود ندارد ( به بخش خانه - برپاسازی - واژه‌نامه‌ها ) مراجعه نمائید +ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=شما سعی می‌کنید تعدادی از سطور صورت‌حساب %s را دفترنویسی کنید، اما برخی از سطور دیگر به یک حساب حساب‌داری بند نشده‌اند. دفترنویسی همۀ سطور این صورت‌حساب قابل قبول نیست. ErrorInvoiceContainsLinesNotYetBoundedShort=برخی از سطور این صورت‌حساب به حساب‌حساب‌داری بند نشده‌اند ExportNotSupported=حالت‌بندی خروجی تنظیم شده در این صفحه قابل پشتیبانی نیست @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s ErrorAccountNumberAlreadyExists=The accounting number %s already exists ErrorArchiveAddFile=Can't put "%s" file in archive +ErrorNoFiscalPeriodActiveFound=No active fiscal period found +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=The bookkeeping doc date is not inside the active fiscal period +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=The bookkeeping doc date is inside a closed fiscal period ## Import ImportAccountingEntries=ورودی‌های حساب‌داری diff --git a/htdocs/langs/fa_IR/admin.lang b/htdocs/langs/fa_IR/admin.lang index d29aac22936..07f8f30e985 100644 --- a/htdocs/langs/fa_IR/admin.lang +++ b/htdocs/langs/fa_IR/admin.lang @@ -227,6 +227,8 @@ NotCompatible=به نظر نمی‌رسد این واحد با نسخۀ %s Dolib CompatibleAfterUpdate=این واحد نیازمند روزآمدسازی Dolibarr نسخۀ %s است (حداقل %s - حداکثر %s) SeeInMarkerPlace=نمایش در بازارچه SeeSetupOfModule=See setup of module %s +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=Set option %s to %s Updated=روزآمد شده AchatTelechargement=خرید / بارگیری @@ -292,22 +294,22 @@ EmailSenderProfiles=نمایه‌های ارسال‌کنندۀ رایانامه EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. MAIN_MAIL_SMTP_PORT=درگاه SMTP/SMTPS (مقدار پیش‌فرض در php.ini : %s) MAIN_MAIL_SMTP_SERVER=میزبان SMTP/SMTPS (مقدار پیش‌فرض در php.ini : %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=درگاه SMTP/SMTPS (در سامانه‌های ردۀ یونیکس تعریف نشده ) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=میزبان SMTP/SMTPS (در سامانه‌های ردۀ یونیکس تعریف نشده ) -MAIN_MAIL_EMAIL_FROM=رایانامۀ ارسال کننده برای ارسال‌های خودکار (مقدار پیش‌فرض در php.ini : %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=رایانامه‌ای که برای ارسال پاسخ در نظر گرفت می‌شود ( بخش‌های "Errors-To" در پیام فرستاده شده) MAIN_MAIL_AUTOCOPY_TO= ارسال یک نسخه (Bcc) از همۀ پیام‌های ارسال شده به MAIN_DISABLE_ALL_MAILS=توقف ارسال همۀ رایانامه‌ها (برای اهداف آزمایشی یا نمایشی) MAIN_MAIL_FORCE_SENDTO=ارسال همۀ رایانامه‌ها به ( به جای دریافت‌کننده‌های واقعی، برای اهداف آزمایشی) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=روش ارسال رایانامه MAIN_MAIL_SMTPS_ID=شناسۀ SMTP (شناسه‌ای که سرویس دهنده برای اعتبار ورود نیازمند است) MAIN_MAIL_SMTPS_PW=گذرواژۀ SMTP ( در صورتی که سرویس‌دهندۀ ارسال کننده نیازمند اعتبار ورود باشد) MAIN_MAIL_EMAIL_TLS=استفاده از رمزبندی TLS از (SSL) MAIN_MAIL_EMAIL_STARTTLS=استفاده از رمزبندی TLS از (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=استفاده از DKIM برای تولید امضای رایانامه MAIN_MAIL_EMAIL_DKIM_DOMAIN=دامنۀ رایانامه برای استفاده به همراه DKIM MAIN_MAIL_EMAIL_DKIM_SELECTOR=نام انتخاب کنندۀ DKIM @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=کلید خصوصی برای امضای DKIM MAIN_DISABLE_ALL_SMS=توقف ارسال پیامک ( برای حالت آزمایشی یا نمایشی) MAIN_SMS_SENDMODE=روش ارسال پیامک MAIN_MAIL_SMS_FROM=شمارۀ پیش‌فرض خط تلفن فرستندۀ پیامک -MAIN_MAIL_DEFAULT_FROMTYPE=نشانی پیش‌فرض برای فرستندۀ رایانامه‌های دل‌خواه و دستی ( رایانامۀ کاربر یا شرکت) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=رایانامۀ کاربر CompanyEmail=رایانامۀ شرکت FeatureNotAvailableOnLinux=این قابلیت در سامانه‌های ردۀ یونیکس وجود ندارد. برنامۀ ارسال رایانامۀ محلی خود را آزمایش کنید. @@ -417,6 +419,7 @@ PDFLocaltax=قواعد %s HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT HideDescOnPDF=پنهان کردن توضیح محصولات HideRefOnPDF=پنهان کردن شمارۀ مرجع +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=پنهان کردن جزئیات سطور محصولات PlaceCustomerAddressToIsoLocation=استفاده از مکان استاندارد فرانسوی (La Poste) برای مکان درج نشانی مشتری Library=کتابخانه @@ -424,7 +427,7 @@ UrlGenerationParameters=مقادیر امن‌سازی نشانی‌های ای SecurityTokenIsUnique=استفاده از یک مقدار securekey منحصربه‌فرد برای هر نشانی اینترنتی EnterRefToBuildUrl=مرجع را برای شیء %s وارد کنید GetSecuredUrl=نشانی اینترنتی محاسبه شده را دریافت کنید -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=نرخ قدیمی مالیات‌بر‌ارزش‌افزوده NewVATRates=نرخ جدید قدیمی مالیات‌بر‌ارزش‌افزوده PriceBaseTypeToChange=تغییر قیمت‌ها بر پایۀ مقدار مرجع تعریف شده در @@ -458,11 +461,11 @@ ComputedFormula=بخش محاسبه شده ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=بخش محاسبه‌شدۀ فروشگاه ComputedpersistentDesc=بخش‌های محاسبه‌شدۀ اضافی در پایگاه داده ذخیره خواهند شد، به‌هرحال مقدار تنها در زمانی دوباره محاسبه خواهد شد که شیء این بخش تغییر کند. در صورتی که بخش محاسبه‌شده به سایر اشیاء یا داده‌های سراسری وابسته باشد، این مقدار ممکن است خطا باشد!! -ExtrafieldParamHelpPassword=خالی رها کردن این بخش به معنای این است که مقدار بدون حفاظت ذخیره خواهد شد (بخش مربوطه باید با یک ستاره روی صفحه پنهان باشد).
      'auto' را برای استفاده از قواعد حفاظت برای ذخیرۀ گذرواژه در بانک‌داده ذخیره کنید (مقدار خوانده شده کدبندی شده است و امکان خواندن مقدار اصلی دیگر وجود نخواهد داشت) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=فهرست مقادیر باید به صورت سطور به شکل key,value باشد (که key نمی‌تواند برابر با 0 باشد.)

      برای مثال:
      1,value1
      2,value2
      code3,value3
      ...

      برای برخورداری از فهرستی وابسته به فهرست دیگری از مشخصات تکمیلی:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      برای برخورداری از یک فهرست وابسته به یک فهرست دیگر:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=فهرست مقادیر باید سطوری به شکل key,value باشد که (که key نمی‌تواند برابر با 0 باشد)

      برای مثال:
      1,value1
      2,value2
      3,value3
      ... ExtrafieldParamHelpradio=فهرست مقادیر باید سطوری به شکل key,value باشد که (که key نمی‌تواند برابر با 0 باشد)

      برای مثال:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) @@ -473,7 +476,7 @@ LinkToTestClickToDial=برای آزمایش نشانی ClickToDial برای کا RefreshPhoneLink=بازسازی پیوند LinkToTest=پیوند قابل کلیک تولید شده برای کاربر %s (شمارۀ تلفن را برای آزمایش وارد نمائید) KeepEmptyToUseDefault=برای استفاده از مقدار پیش‌فرض چیزی درج نکنید -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=پیوند پیش‌فرض SetAsDefault=ثبت پیش‌فرض ValueOverwrittenByUserSetup=هشدار! این مقدار ممکناست با تغییر تنظیمات برپاسازی کاربر بازنویسی شود (هر کاربر می‌تواند نشانی مخصوص به خود را برای clicktodial تولید کند) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=این نام بخش مربوط به HTML است. ب PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate=
      مثال:
      برای برگۀ ساخت یک شخص سوم، %s هست.
      برای نشانی اینترنتی قسمت‌های خارجی که در پوشۀ دلخواه نصب کرده‌اید، پوشۀ "custom/" را شامل نکنید و مسیری همانند mymodule/mypage.php استفاده کنید، حتما مطمئن شوید این‌گونه نباشد custom/mymodule/mypage.php.
      ‌ در صورتی که مقدار پیش‌فرض را نیاز دارید، در صورتی که نشانی اینترنتی در بردارندۀ مقادیر باشد، شما می‌توانید از %s استفاده نمائید. PageUrlForDefaultValuesList=
      مثال:
      برای صفحۀ فهرست اشخاص سوم، به شکل %s می‌باشد.
      برای نشانی مربوط به قسمت‌های خارجی که در یک پوشۀ دلخواه نصب‌شده، از "custom/" استفاده ننمائید، بلکه از مسیری مثل mymodule/mypagelist.php و به شکل custom/mymodule/mypagelist.php نباشد.
      در صورتی که مقدار پیش فرض را در صورت وجود مقادیر در نشانی اینترنتی مورد نظر دارید از %s استفاده کنید -AlsoDefaultValuesAreEffectiveForActionCreate=به‌یاد داشته باشید که بازنویسی مقادیر پیش‌فرض برای ساخت برگۀ دریافت اطلاعات تنها برای صفحاتی کار می‌کند که درست طراحی شده باشند ( یعنی با مقدار action=create یا presend...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=فعال‌کردن اختصاصی‌سازی مقادیر پیش‌فرض EnableOverwriteTranslation=Allow customization of translations GoIntoTranslationMenuToChangeThis=برای این کلید با این کد یک ترجمه پیدا شده است. برای تغییر این مقدار، شما باید از گزینۀ خانه-برپاسازی-ترجمه استفاده نمائید. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=پوشۀ اختصاصی عام، یک پوشۀ WebD DAV_ALLOW_PUBLIC_DIR=فعال کردن پوشۀ عام همگانی (پوشۀ اختصاصی WebDAV با نام "public" - اعتبارسنجی ورود لازم نیست) DAV_ALLOW_PUBLIC_DIRTooltip=پوشۀ عام همگانی یک پوشۀ WebDAV است که همگان می‌توانند (در حالت نوشتاری و خواندنی) به آن دسترسی داشته باشند، که اعتبارسنجی ورود (حساب نام‌کاربری/گذرواژه) هم لازم نیست. DAV_ALLOW_ECM_DIR=فعال کردن پوشۀ خصوصی DMS/ECM (پوشۀ ریشۀ واحد DMS/ECM- اعتبارسنجی ورود مورد نیاز است) -DAV_ALLOW_ECM_DIRTooltip=فهرست ریشۀ پوشه‌ای که همۀ فایلها در حالت استفاده از واحد DMS/ECM به آن ارسال می‌شوند. همانند رابط دسترسی از طریق وب، در این واحد نیز شما برای تامین دسترسی به این واحد باید از یک برگۀ ورود نام‌کاربری/گذرواژه استفاده نمائید. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=کاربران و گروه‌ها Module0Desc=مدیریت کاربران/کارمندان و گروه‌ها @@ -566,7 +569,7 @@ Module40Desc=Vendors and purchase management (purchase orders and billing of sup Module42Name=گزارش‌کار اشکال‌یابی Module42Desc=امکانات گزارش‌برداری (فایل، گزارش‌کار سامانه، ...). این گزارش کارها مربوط به مقاصد فنی/اشکال‌یابی هستند. Module43Name=نوار اشکال‌یابی -Module43Desc=A tool for developper adding a debug bar in your browser. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=ویراستاران Module49Desc=مدیریت ویراستارها Module50Name=محصولات @@ -582,7 +585,7 @@ Module54Desc=مدیریت قراردادها (خدمات یا اشتراک‌ه Module55Name=بارکدها Module55Desc=Barcode or QR code management Module56Name=Payment by credit transfer -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=Payments by Direct Debit Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. Module58Name=کلیک برای تماس @@ -630,6 +633,10 @@ Module600Desc=ارسال رایانامه‌های اطلاعیه مبتنی ب Module600Long=به خاطر داشته باشید این واحد رایانامه‌را به صورت بلادرنگ در هنگام یک رخداد معین ارسال می‌نماید. در صورتی که به دنبال یک قابلیت برای ارسال یادآورنده‌های رخدادهائی مثل جلسات باشید، به واحد تنظیمات جلسات مراجعه کنید. Module610Name=انواع محصولات Module610Desc=ساخت انواع مختلف کالاها (رنگ، اندازه و غیره) +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=کمک‌های مالی Module700Desc=مدیریت کمک‌های مالی Module770Name=گزارش هزینه‌ها @@ -650,8 +657,8 @@ Module2300Name=وظایف برنامه‌ریزی‌شده Module2300Desc=مدیریت وظایف برنامه‌ریزی‌شده (alias cron یا chrono table) Module2400Name=رخدادها/جلسات Module2400Desc=رهگیری رخدادها. گزارش‌گیری خودکار رخدادها برای اهداف رهگیری یا ثبت دستی رخدادها یا ملاقات‌ها. این واحد مفهومی برای مشتری خوب یا مدیریت ارتباط با تامین کننده است. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM Module2500Desc=سامانۀ مدیریت مستندات / مدیریت محتوای الکترونیکی. سازماندهی خودکار مستندات ذخیره شده یا تولید شدۀ شما. اشتراک‌گذاری در صورت نیاز. Module2600Name=API / Web services (SOAP server) @@ -672,7 +679,7 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=شبکه‌های اجتماعی Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=مدیریت منابع انسانی -Module4000Desc=مدیریت منابع انسانی (مدیریت شعبه، قراردادهای کارمندان و حس‌ها) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=چند-شرکتی Module5000Desc=به شما امکان مدیریت شرکت‌های متعدد را می‌دهد Module6000Name=Inter-modules Workflow @@ -712,6 +719,8 @@ Module63000Desc=مدیریت منابع (چاپ‌گرها، خودروها، ا Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=دریافت‌های کالا +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Read customer invoices (and payments) Permission12=ایجاد/ویرایش صورت‌حساب مشتریان @@ -996,7 +1005,7 @@ Permission4031=Read personal information Permission4032=Write personal information Permission4033=Read all evaluations (even those of user not subordinates) Permission10001=خواندن محتوای وبگاه -Permission10002=ساخت/ویرایش محتوای وبگاه (محتوای html و javascript ) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=ساخت/ویرایش محتوای وبگاه (کد پویای PHP). خطرناک، تنها باید تحت نظر توسعه‌دهندگان مشخص و محدود باشد. Permission10005=حذف محتوای وبگاه Permission20001=ملاحظۀ درخواست‌های مرخصی (درخواست‌های مرخصی افراد تحت مدیریت شما) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=گزارش هزینه - محدودۀ دسته‌بند DictionaryTransportMode=Intracomm report - Transport mode DictionaryBatchStatus=Product lot/serial Quality Control status DictionaryAssetDisposalType=Type of disposal of assets +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Type of unit SetupSaved=تنظیمات برپاسازی ذخیره شد SetupNotSaved=تنظیمات برپاسازی ذخیره نشد @@ -1109,10 +1119,11 @@ BackToModuleList=بازگشت به فهرست واحد‌ها BackToDictionaryList=بازگشت به فهرست واژه‌نامه‌ها TypeOfRevenueStamp=انواع تمبر مالیاتی VATManagement=مدیریت مالیات بر فروش -VATIsUsedDesc=به طور پیش‌فرض در هنگام ساخت مشتریان‌احتمالی، صورت‌حساب، سفارشات و غیره نرخ مالیات بر فروش از قاعدۀ استاندارد فعال استفاده می‌نماید:
      در صورتی‌که مالیات برای فروشنده موضوعیت نداشته باشد، پیش‌فرض مالیات بر فروشبه 0 تغییر خواهد کرد. پایان قاعده.
      در صورتی که (کشور فروشنده=کشور خریدار) باشد، مالیات بر فروش به طور پیش‌فرض برابر با مالیات برفروش محصول در کشور فروشنده خواهد شد. پایان قاعده.
      در صورتی که فروشنده و خریدار هر دو در جامعۀ اروپائی باشند و کالاها، کالاهای مرتبط با حمل‌ونقل باشند (زمینی، دریائی، هوائی)، مالیات بر ارزش افزودۀ پیش‌فرض برابر با 0 خواهد بود. این قاعده مربوط به کشور فروشنده است، لطفا با حساب‌دار خود مشورت کنید. مالیات بر ارزش افزوده باید توسط خریاد به دفتر گمرک در کشورش پرداخت شود، نه به فروشنده. پایان قاعده.
      در صورتی که فروشنده و خریدار هر دو در جامعۀ اروپائی باشند و خریدار یک شرکت نیست (و شمارۀ ثبت شدۀ مالیات بر افزودۀ داخل جامعه‌ای ندارد) در این موقعیت مالیات بر ارزش افزوده به شکل پیش‌فرض نرخ مربوطه در کشور فروشنده در خواهد آمد. پایان قاعده.
      در صورتی که فروشنده و خریدار هر دو در جامعۀ اروپائی باشند و فروشنده یک شرکت باشد (با شمارۀ ثبت شدۀ مالیات بر افزودۀ داخل جامعه‌ای)، در این حالت مالیات بر ارزش افزوده به شکل پیش‌فرض برابر با 0 خواهد بود. پایان قاعده.
      در هر حالتی غیر از حالات ذکر شده، مالیات بر فروش برابر با 0 خواهد بود. پایان قاعده. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=مالیات بر فروش مطروحه به طور پیش‌‌فرض برابر با 0 است که می‌تواند در مورد موسسات، اشخاص و شرکت‌های کوچک به کار گرفته شود. VATIsUsedExampleFR=در فرانسه، به این معناست که شرکت‌ها و موسسات یک سامانۀ سیاست‌مالی حقیقی دارند (حقیقی ساده یا حقیقی عادی). سامانه‌ای که در آن مالیات بر ارزش افزوده تعریف می‌شود. VATIsNotUsedExampleFR=در فرانسه، این بدان معناست که مؤسساتی که برای آن‌ها مالیات بر فروش تعریف نشده یا شرکت‌ها، سازمان‌ها یا مشاغل آزادی که سامانۀ سیاست مالی ریزسازمانی برگزیده‌اند (مالیات بر فروش طی فرانچایز-فرداد-حق‌امتیاز) و بدون تعریف مالیات برفروش مبلغ مالیات فروش فرانچایز را پرداخت کرده‌اند. این انتخاب به صورت مراجع "مالیات بر فروش اختصاص داده نمی‌شود - art-293B of CGI" در صورت‌حساب نمایش داده خواهد شد. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Type of sales tax LTRate=نرخ @@ -1399,8 +1410,8 @@ PHPModuleLoaded=بخش %s در PHP بارگذاری شده است PreloadOPCode=OPCode از پیش بارگذاری شده مورد استفاده است AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=پرسش برای روش ارسال ترجیحی برای اشخاص سوم FieldEdition=ویرایش بخش %s FillThisOnlyIfRequired=مثال: +2 (تنها در صورتی که با مشکل ناحیۀ زمانی مواجه شوید) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=در صفحۀ ورود پیوند "فرام UsersSetup=برپاسازی واحد کاربران UserMailRequired=برای ایجاد یک کاربر جدید یک رایانامه لازم است UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Document templates for documents generated from user record GroupsDocModules=Document templates for documents generated from a group record ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=گروه‌ها LDAPContactsSynchro=طرف‌های تماس LDAPMembersSynchro=اعضاء LDAPMembersTypesSynchro=انواع عضوها -LDAPSynchronization=هم‌گام سازی LDAP +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=توابع LDAP در PHP شما در دسترس نیست LDAPToDolibarr=LDAP --> Dolibarr DolibarrToLDAP=Dolibarr --> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=User id LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=Home directory -LDAPFieldHomedirectoryExample=Exemple : homedirectory +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=Home directory prefix LDAPSetupNotComplete=راه اندازی LDAP کامل نیست (به زبانۀ سایر بروید) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=هیچ دسترسی‌مدیری یا گذرواژه‌ای ارائه نشده است. دسترسی به LDAP به شکل ناشناس و فقط‌خواندنی خواهد بود. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=واحد memcached برای میان‌گی MemcachedAvailableAndSetup=واحد memcached مختص استفاده از سرور memcached فعال شده است. OPCodeCache=میان‌گیری OPCode NoOPCodeCacheFound=هیچ میان‌گیری OPCode پیدا نشد. ممکن است شما OPCode غیر از XCache یا eAccelerator  (خوب)، استفاده کنید یا این که اصلا میان‌گیری OPCode  نداشته باشید (خیلی بد). -HTTPCacheStaticResources=میان‌گیری HTTP برای منابع ایستا (css, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=فایل‌های نوع %s توسط سرور HTTP میان‌گیری شده‌اند. FilesOfTypeNotCached=فایل‌های نوع %s توسط سرور HTTP میان‌گیری نشده‌اند. FilesOfTypeCompressed=فایل‌های نوع %s توسط سرور HTTP فشرده شده‌اند @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=متن دلخواه در رسیدهای تحوی ##### FCKeditor ##### AdvancedEditor=ویرایشگر پیشرفته ActivateFCKeditor=فعال کردن ویرایشگر پیشرفته برای: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= ساخت/ویرایش WYSIWIG برای ارسال رایانامۀ انبوه (ابزار->ارسال رایانامه) -FCKeditorForUserSignature=ساخت/ویرایش امضای کاربر توسط WYSIWIG -FCKeditorForMail=ساخت/ویرایش همۀ رایانامه‌ها با WYSIWIG (منهای ابزار->ارسال رایانامه) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=برپاسازی واحد انبار IfYouUsePointOfSaleCheckModule=در صورتی که از صندوق (POS) پیش‌فرض ارائه شده یا از یک واحد خارجی استفاده می‌نمائید، این تنظیمات ممکن است توسط واحد صندوق شما نادیده گرفته شود. اکثر واحدهای POS به‌طور پیش‌فرض طوری طراحی شده‌اند که فورا یک صورت‌حساب ایجاد کرده و بدون‌توجه به گزینه‌های ذیل، از آمار انبار را کاهش بدهند. بنابراین در صورتی که لازم باشد/یا نباشد در هنگام ثبت فروش از طریق صندوق، آمار انبار دست‌کاری شود، باید تنظیمات مربوط به واحد صندوق نصب شدۀ خود را نیز بررسی کنید. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=فهرست‌های شخصی که به یکی از ق NewMenu=فهرست جدید MenuHandler=اداره‌کنندۀ فهرست MenuModule=واحد منبع -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=فهرست شناسه DetailMenuHandler=اداره کنندۀ فهرست برای تعیین مکان نمایش فهرست جدید DetailMenuModule=نام واحد در صورتی که یک قسمت از فهرست از یک واحد می‌آید @@ -1802,7 +1815,7 @@ DetailType=نوع فهرست (بالا یا چپ) DetailTitre=برچسب فهرست یا کدبرچسب برای ترجمه DetailUrl=URL where menu send you (Relative URL link or external link with https://) DetailEnabled=شرایط نمایش یا عدم‌نمایش قسمت -DetailRight=شرایط نمایش فهرست‌های خاکستری غیرمجاز +DetailRight=Condition to display unauthorized gray menus DetailLangs=نام فایل ترجمه برای کد برچسب ترجمه DetailUser=داخل/خارج/همه Target=مقصد @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=حساب پیش‌فرض مورد استفاده بر CashDeskBankAccountForCheque=حساب پیش‌فرض مورد استفاده برای دریافت مبالغ از طریق چک CashDeskBankAccountForCB=حساب پیش‌فرض مورد استفاده برای دریافت پرداخت از طریق کارت CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=غیرفعال کردن کاهش از آمار موجودی در هنگام فروش از طریق صندوق (در صورتی که برابر با "خیر" باشد، کاهش موجودی با فروش از طریق صندوق انجام خواهد شد، بدون توجه به گزینۀ تنظیم شده در واحد انبار). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=مقیدکردن و اجبار یک انبار برای استفاده در هنگام کاهش موجودی StockDecreaseForPointOfSaleDisabled=کاهش موجودی برای فروش از طریق صندوق غیرفعال است StockDecreaseForPointOfSaleDisabledbyBatch=کاهش موجودی در صندوق با واحد مدیریت شماره‌سری/ساخت سازگار نیست (فعلا فعال است)، بنابراین کاهش موجودی غیرفعال است. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=برجسته‌کردن سطور جدول در هنگ HighlightLinesColor=برجسته‌کردن رنگ سطر در هنگام عبور موشواره از آن (از 'ffffff' برای عدم رنگ‌دهی) HighlightLinesChecked=روشن‌کردن زرنگ سطر در هنگامی که کادرتائید فشرده شده است ( از 'ffffff' برای عدم روشن کردن استفاده کنید) UseBorderOnTable=Show left-right borders on tables +TableLineHeight=Table line height BtnActionColor=Color of the action button TextBtnActionColor=Text color of the action button TextTitleColor=رنگ نوشتۀ عنوان صفحه @@ -1991,7 +2006,7 @@ EnterAnyCode=This field contains a reference to identify the line. Enter any val Enter0or1=Enter 0 or 1 UnicodeCurrency=در اینجا بین دو براکت فهرست اعداد بایت‌هائی را که نمایاندۀ نماد واحدپولی است وارد نمائید. برای مثال، برای $ مقدار [36] را وارد نمائید، برای ریال برزیل R$ مقدار [82,36] و برای €، مقدار [8364] ColorFormat=رنگ RGB در مبنای HEX، مثال: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=مکان سطر در فهرست‌های ترکیبی SellTaxRate=Sales tax rate RecuperableOnly=بله برای م‌ب‌اا "در نظر گرفته نمی‌شود اما قابل بازیابی است" که مربوط به برخی استان‌های فرانسه است. مقدار "خیر" را برای همۀ سایر شرایط حفظ کنید. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions @@ -2118,7 +2133,7 @@ EMailHost=میزبان سرور IMAP رایانامه EMailHostPort=Port of email IMAP server loginPassword=Login/Password oauthToken=OAuth2 token -accessType=Acces type +accessType=Access type oauthService=Oauth service TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Do not include the content of email header into th EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. EmailCollectorConfirmCollectTitle=تائید جمع‌آوری رایانامه EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Example collecting leads EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail @@ -2188,10 +2203,10 @@ Protanopia=پرانتوپیا Deuteranopes=دوترانوپس Tritanopes=تریتانوپس ThisValueCanOverwrittenOnUserLevel=این مقدار می‌تواند توسط هر کاربر از صفحۀ کاربری مربوطه و زبانۀ '%s' مورد بازنویسی قرار گیرد -DefaultCustomerType=نوع پیش‌فرض شخص‌سوم در برگۀ ساخت "مشتری جدید" +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=توجه: برای این‌که این قابلیت کار کند، حساب بانکی باید در تنظیمات هر واحد مربوط به پرداخت تعریف شود (Paypal، Stripe و غیره) RootCategoryForProductsToSell=دسته‌بندی ریشۀ محصولات فروشی -RootCategoryForProductsToSellDesc=در صوری که تعین شود، تنها محصولات داخل این دسته یا زیرمجموعه‌های آن در صندوق - Point of Sale فعال خواهند بود +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=نوار اشکال‌یابی DebugBarDesc=نوارابزاری که ابزارهائی برای ساده‌سازی اشکال‌یابی دارد DebugBarSetup=برپاسازی نواراشکال‌یابی @@ -2212,10 +2227,10 @@ ImportSetup=Setup of module Import InstanceUniqueID=شناسۀ منحصر به‌فرد نمونه SmallerThan=کوچک‌تر از LargerThan=بزرگتر از -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=با یک حساب GMail در صورتی که تائید 2 گامی را انتخاب کرده باشید، پیشنهاد می‌شود یک گذرواژۀ دوم برای استفادۀ برنامه به‌جای گذرواژۀ خودتان برای حساب بسازید. این کار از https://myaccount.google.com/ قابل انجام است. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=نقطۀ آخر برای %s : %s DeleteEmailCollector=حذف جمع‌آورندۀ رایانامه @@ -2232,12 +2247,12 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_SHOW_PROJECT=Show project on document ShowProjectLabel=Project Label -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=You may find security advisory here ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. MailToSendEventOrganization=Event Organization MailToPartnership=Partnership AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook setup Settings = تنظیمات WebhookSetupPage = Webhook setup page ShowQuickAddLink=Show a button to quickly add an element in top right menu - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Hash used for ping ReadOnlyMode=Is instance in "Read Only" mode DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Will not work with all themes NoName=No name ShowAdvancedOptions= Show advanced options HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Use a password UseOauth=Use a OAUTH token Images=Images MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=The script is empty ShowHideTheNRequests=Show/hide the %s SQL request(s) DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2403,6 +2419,24 @@ Defaultfortype=پیش‌فرض DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=ویژگی‌های تکمیلی (قالب‌های صورت‌حساب) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/fa_IR/bills.lang b/htdocs/langs/fa_IR/bills.lang index 70aea9d8646..4727bb7a4b1 100644 --- a/htdocs/langs/fa_IR/bills.lang +++ b/htdocs/langs/fa_IR/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=پرداخت با توجه به مشتری DisabledBecauseRemainderToPayIsZero=غیرفعال، زیرا مبلغ باقی‌ماندۀ پرداخت نشده، برابر با صفر است PriceBase=Base price BillStatus=وضعیت صورت‌حساب -StatusOfGeneratedInvoices=وضعیت صورت‌حساب‌های تولیدشده +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=پیش‌نویس (نیازمند تائید) BillStatusPaid=پرداخت‌شده BillStatusPaidBackOrConverted=یادداشت اعتباری مبلغ‌پس‌دادنی یا علامت‌زده‌شده به‌عنوان دارای اعتبار @@ -167,7 +167,7 @@ ActionsOnBill=کنش‌های مربوط به صورت‌حساب ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=صورت‌حساب تکرارشدنی/قالبی NoQualifiedRecurringInvoiceTemplateFound=هیچ صورت‌حساب قالبی تکرارشدنی واجد شرایط ساخته‌شدن نیست. -FoundXQualifiedRecurringInvoiceTemplate=(%s) صورت‌حساب قالبی‌تکرارشدنی مناسب ساخته‌شدن پیدا شد. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=یک صورت‌حساب قالبی تکرارشدنی نیست NewBill=صورت‌حساب جدید LastBills=آخرین %s صورت‌حساب @@ -185,7 +185,7 @@ SuppliersDraftInvoices=صورت‌حساب‌های پیش‌نویس فروشن Unpaid=پرداخت نشده ErrorNoPaymentDefined=Error No payment defined ConfirmDeleteBill=آیا مطمئنید می‌خواهید این صورت‌حساب را حذف کنید؟ -ConfirmValidateBill=آیا مطمئن هستید می‌خواهید این صورت‌حساب را با ارجاع %s را تائید کنید؟ +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=آیا مطمئن هستید می‌خواهید صورت‌حساب %s را به وضعیت پیش‌نویس تغییر دهید؟ ConfirmClassifyPaidBill=آیا مطمئن هستید می‌خواهید وضعیت صورت‌حساب %s را به پرداخت شده تغییر دهید؟ ConfirmCancelBill=آیا مطمئنید که می‌خواهید صورت‌‌حساب %s را لغو کنید؟ @@ -217,7 +217,7 @@ ConfirmCustomerPayment=آیا واردشدن این پرداخت برای %s< ConfirmSupplierPayment=آیا واردشدن این پرداخت برای %s %s را تائید می‌کنید؟ ConfirmValidatePayment=مطمئن هستید می‌خواهید این پرداخت را تائید کنید؟ هیچ تغییری پس از تائید این پرداخت ممکن نخواهد بود. ValidateBill=تائید صورت‌حساب -UnvalidateBill=عدم‌تائید صورت‌حساب +UnvalidateBill=Invalidate invoice NumberOfBills=تعداد صورت‌حساب‌ها NumberOfBillsByMonth=تعداد صورت‌حساب‌ها در ماه AmountOfBills=مبلغ صورت‌حساب‌ها @@ -250,12 +250,13 @@ RemainderToTake=مبلغ باقی‌مانده برای برداشت RemainderToTakeMulticurrency=Remaining amount to take, original currency RemainderToPayBack=مبلغ باقی‌مانده برای بازگرداندن RemainderToPayBackMulticurrency=Remaining amount to refund, original currency +NegativeIfExcessReceived=negative if excess received NegativeIfExcessRefunded=negative if excess refunded +NegativeIfExcessPaid=negative if excess paid Rest=در انتظار AmountExpected=مبلغ ادعائی ExcessReceived=اضافی دریافت ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received ExcessPaid=اضافی پرداخت‌شده ExcessPaidMulticurrency=Excess paid, original currency EscompteOffered=تخفیف ارائه شده (پرداخت قبل از موعد) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=شما باید ابتدا یک صورت PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) PDFSpongeDescription=قالب PDF صورت‌حساب Sponge. یک قالب کامل صورت‌حساب PDFCrevetteDescription=قالب PDF صورت‌حساب Crevette. یک قالب کامل صورت‌حساب برای صورت‌حساب‌های وضعیت -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=صورت‌حسابی که با $syymm شروع می‌شود قبلا وجود داشته و با این نوع ترتیب شماره همخوان نیست. آن را حذف کرده یا تغییر نام دهید تا این واحد فعال شود -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Early closing reason EarlyClosingComment=Early closing note ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=حقوق +InvoiceSubtype=Invoice Subtype +SalaryInvoice=حقوق +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/fa_IR/categories.lang b/htdocs/langs/fa_IR/categories.lang index af9786b2164..43e8c96b121 100644 --- a/htdocs/langs/fa_IR/categories.lang +++ b/htdocs/langs/fa_IR/categories.lang @@ -102,4 +102,5 @@ ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories KnowledgemanagementsCategoriesArea=KM article Categories UseOrOperatorForCategories=Use 'OR' operator for categories -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Assign to the category +Position=سمت diff --git a/htdocs/langs/fa_IR/products.lang b/htdocs/langs/fa_IR/products.lang index 5422a1d0aad..67ba420ca31 100644 --- a/htdocs/langs/fa_IR/products.lang +++ b/htdocs/langs/fa_IR/products.lang @@ -80,8 +80,11 @@ SoldAmount=مبلغ فروخته‌شده PurchasedAmount=مبلغ خریده شده NewPrice=قیمت جدید MinPrice=Min. selling price +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=ویرایش برچسب قیمت فروش -CantBeLessThanMinPrice=قیمت فروش نمی تواند کمتر از حداقل مجاز برای این محصول (%s بدون مالیات) باشد. این پیام همچنین در موقعی ظاهر می‌شود که شما یک تخفیف بسیار جدی داده باشید. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=بسته ErrorProductAlreadyExists=یک محصول با مرجع %s قبلا وجود داشته است ErrorProductBadRefOrLabel=مقدار اشتباه برای مرجع یا برچسب @@ -137,7 +140,8 @@ ConfirmDeleteProductLine=آیا مطمئن هستید می‌خواهید این ProductSpecial=ویژه QtyMin=حداقل تعداد قابل خرید PriceQtyMin=حداقل مبلغ -PriceQtyMinCurrency=قیمت (واحد پولی) برای این مقدار (بدون تخفیف) +PriceQtyMinCurrency=Price (currency) for this qty. +WithoutDiscount=Without discount VATRateForSupplierProduct=نرخ م.ب.ا.ا. (برای این فروشنده/محصول) DiscountQtyMin=تخفیف برای این مقدار NoPriceDefinedForThisSupplier=قیمت/مقدار برای این فروشنده/محصول تعریف نشده است @@ -261,7 +265,7 @@ Quarter1=سه‌ماهۀ 1 Quarter2=سه‌ماهۀ 2 Quarter3=سه‌ماهۀ 3 Quarter4=سه‌ماهۀ 4 -BarCodePrintsheet=چاپ بارکد +BarCodePrintsheet=Print barcodes PageToGenerateBarCodeSheets=با این ابزار شما می‌توانید برگه‌هائی از برچسب بارکد پرینت کنید. شکل و نوع پرینت بارکد و مقدار آن را از صفحۀ برچسب انتخاب نموده و سپس بر روی کلید %s کلیک کنید. NumberOfStickers=تعداد برچسب برای چاپ بر روی صفحه PrintsheetForOneBarCode=تعداد برچسب‌چاپ‌شده برای یک بارکد @@ -344,18 +348,19 @@ PossibleValues=مقادیر ممکن GoOnMenuToCreateVairants=برای آماده‌کردن ویژگی‌های چندگانه (مثل رنگ، اندازه و غیره) به فهرست %s - %s بروید UseProductFournDesc=Add a feature to define the product description defined by the vendors (for each vendor reference) in addition to the description for customers ProductSupplierDescription=توضیحات فروشنده برای محصول -UseProductSupplierPackaging=Use packaging on supplier prices (recalculate quantities according to packaging set on supplier price when adding/updating line in supplier documents) -PackagingForThisProduct=Packaging -PackagingForThisProductDesc=On supplier order, you will automaticly order this quantity (or a multiple of this quantity). Cannot be less than minimum buying quantity +UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) +PackagingForThisProduct=Packaging of quantities +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging #Attributes +Attributes=خواص VariantAttributes=انواع ویژگی ProductAttributes=انواع ویژگی‌های محصولات ProductAttributeName=انواع ویژگی %s ProductAttribute=انواع ویژگی ProductAttributeDeleteDialog=آیا مطمئن هستید می‌خواهید این ویژگی را حذف کنید؟ همۀ مقادیر آن نیز حذف خواهد شد -ProductAttributeValueDeleteDialog=آیا مطمئن هستید می‌خواهید از این ویژگی، مقدار "%s" با ارجاع "%s" را حذف کنید؟ +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=آیا مطمئن هستید می‌خواهید محصول نوع "%s" را حذف کنید؟ ProductCombinationAlreadyUsed=یک خطا در هنگام حذف این نوع پیش آمد. مطمئن شوید توسط هیچ شیئی استفاده نمی‌شود ProductCombinations=انواع @@ -386,6 +391,7 @@ ErrorDeletingGeneratedProducts=خطائی در هنگام حذف انواع مو NbOfDifferentValues=تعداد مقادیر مختلف NbProducts=Number of products ParentProduct=محصول مادر +ParentProductOfVariant=Parent product of variant HideChildProducts=پنهان کردن انواع مختلف محصولات ShowChildProducts=نمایش انواع مختلف محصولات NoEditVariants=به کارت محصول مادر رفته و تاثیر قیمت انواع مختلف را در زبانۀ انواع ویرایش کنید @@ -398,7 +404,7 @@ ActionAvailableOnVariantProductOnly=این کنش تنها بر روی یک نو ProductsPricePerCustomer=قیمت محصول وابسته به مشتریان ProductSupplierExtraFields=Additional Attributes (Supplier Prices) DeleteLinkedProduct=Delete the child product linked to the combination -AmountUsedToUpdateWAP=Amount to use to update the Weighted Average Price +AmountUsedToUpdateWAP=Unit amount to use to update the Weighted Average Price PMPValue=قیمت میانگین متوازن PMPValueShort=قیمت میانگین وزنی mandatoryperiod=Mandatory periods @@ -408,6 +414,26 @@ mandatoryHelper=Check this if you want a message to the user when creating / val DefaultBOM=Default BOM DefaultBOMDesc=The default BOM recommended to use to manufacture this product. This field can be set only if nature of product is '%s'. Rank=Rank +MergeOriginProduct=Duplicate product (product you want to delete) +MergeProducts=Merge products +ConfirmMergeProducts=Are you sure you want to merge the chosen product with the current one? All linked objects (invoices, orders, ...) will be moved to the current product, after which the chosen product will be deleted. +ProductsMergeSuccess=Products have been merged +ErrorsProductsMerge=Errors in products merge SwitchOnSaleStatus=Switch on sale status SwitchOnPurchaseStatus=Switch on purchase status -StockMouvementExtraFields= Extra Fields (stock mouvement) +UpdatePrice=Increase/decrease customer price +StockMouvementExtraFields= Extra Fields (stock movement) +InventoryExtraFields= Extra Fields (inventory) +ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes +PuttingPricesUpToDate=Update prices with current known prices +PuttingDescUpToDate=Update descriptions with current known descriptions +PMPExpected=Expected PMP +ExpectedValuation=Expected Valuation +PMPReal=Real PMP +RealValuation=Real Valuation +ConfirmEditExtrafield = Select the extrafield you want modify +ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? +ModifyValueExtrafields = Modify value of an extrafield +OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/fa_IR/projects.lang b/htdocs/langs/fa_IR/projects.lang index 9b2d8a9bc73..2ea2862db94 100644 --- a/htdocs/langs/fa_IR/projects.lang +++ b/htdocs/langs/fa_IR/projects.lang @@ -33,6 +33,7 @@ DeleteATask=حذف وظیفه ConfirmDeleteAProject=آیا اطمینان دارید می‌خواهید این طرح را حذف کنید؟ ConfirmDeleteATask=آیا اطمینان دارید می‌خواهید این وظیفه را حذف کنید؟ OpenedProjects=طرح‌های باز +OpenedProjectsOpportunities=Open opportunities OpenedTasks=وظایف باز OpportunitiesStatusForOpenedProjects=مبلغ سرنخ طرح‌های باز برحسب وضعیت OpportunitiesStatusForProjects=مبلغ سرنخ طرح‌ها برحسب وضعیت @@ -44,10 +45,11 @@ OutOfProject=Out of project NoProject=طرحی تعریف یا تصاحب نشده است NbOfProjects=Number of projects NbOfTasks=Number of tasks +TimeEntry=Time tracking TimeSpent=زمان صرف شده +TimeSpentSmall=زمان صرف شده TimeSpentByYou=زمان صرف شده توسط شما TimeSpentByUser=زمان طرح شده توسط کاربر -TimesSpent=زمان صرف شده TaskId=Task ID RefTask=Task ref. LabelTask=Task label @@ -81,7 +83,7 @@ MyProjectsArea=بخش طرح‌های مربوط به من DurationEffective=مدت‌زمان مفید ProgressDeclared=Declared real progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently open tasks +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption ProgressCalculated=Progress on consumption @@ -121,7 +123,7 @@ TaskHasChild=وظیفه دارای فرزند است NotOwnerOfProject=صاحب این طرح خصوصی نیست AffectedTo=اختصاص داده شده به CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=تائیداعتبار طرح +ValidateProject=Validate project ConfirmValidateProject=آیا مطمئنید می‌خواهید اعتبار این طرح را تائید کنید؟ CloseAProject=بستن طرح ConfirmCloseAProject=آیا مطمئن هستید می‌خواهید این طرح را ببندید؟ @@ -202,7 +204,7 @@ InputPerMonth=Input per month InputDetail=جزئیات ورودی TimeAlreadyRecorded=این زمان صرف شده قبلا برای این وظیفه/روز و کاربر %s ثبت شده است ProjectsWithThisUserAsContact=طرح‌های مربوط به این کاربر به‌عنوان طرف تماس -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=Projects with this third-party contact TasksWithThisUserAsContact=وظایف محول شده به این کاربر ResourceNotAssignedToProject=به طرح نسبت داده نشده ResourceNotAssignedToTheTask=به این طرح نسبت داده نشده @@ -225,7 +227,7 @@ ProjectsStatistics=Statistics on projects or leads TasksStatistics=Statistics on tasks of projects or leads TaskAssignedToEnterTime=وظیفه محول شد. وارد کردن زمان به این وظیفه باید ممکن باشد. IdTaskTime=شناسۀ زمان وظیفه -YouCanCompleteRef=اگر بخواهید عبارت ارجاع را با پس‌وند تکمیل کنید، پیشنهاد می‌شود یک نویسۀ خط‌فاصله - برای جدا کردن آن استفاده کنی، که شماره‌گذاری خودکار برای طرح‌های بعدی نیز به درستی کار کند. برای مثال %s-پس‌وند من +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=طرح‌های باز بر حسب شخص‌سوم OnlyOpportunitiesShort=فقط سرنخ‌ها OpenedOpportunitiesShort=سرنخ‌های باز @@ -237,7 +239,7 @@ OpportunityPonderatedAmountDesc=مبلغ سرنخ متوازن شده با اح OppStatusPROSP=چشم‌انداز OppStatusQUAL=تائید شرایط OppStatusPROPO=پیشنهاد -OppStatusNEGO=مذاکره +OppStatusNEGO=Negotiation OppStatusPENDING=در انتظار OppStatusWON=برد OppStatusLOST=باخت @@ -259,6 +261,7 @@ RecordsClosed=(%s) طرح بسته شد SendProjectRef=اطلاعات طرح %s ModuleSalaryToDefineHourlyRateMustBeEnabled=واحد 'حقوق‌ها' باید فعال شود تا امکان تعریف نرخ ساعتی کارمند وجود داشته باشد تا ارزش زمان صرف شده قابل تعیت کردن باشد NewTaskRefSuggested=ارجاع وظیفه قبلا استفاده شده ات، یک ارجاع جدید وظیفه نیاز است +NumberOfTasksCloned=%s task(s) cloned TimeSpentInvoiced=زمان صرف شدۀ صورت‌حساب شده TimeSpentForIntervention=زمان صرف شده TimeSpentForInvoice=زمان صرف شده diff --git a/htdocs/langs/fa_IR/propal.lang b/htdocs/langs/fa_IR/propal.lang index f6ef5bef6e9..fd1e636606f 100644 --- a/htdocs/langs/fa_IR/propal.lang +++ b/htdocs/langs/fa_IR/propal.lang @@ -12,9 +12,11 @@ NewPropal=ساخت پیشنهاد Prospect=احتمالی DeleteProp=حذف پیشنهاد تجاری ValidateProp=تائید پیشنهاد تجاری +CancelPropal=لغو کردن AddProp=ساخت پیشنهاد ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Latest %s proposals LastModifiedProposals=آخرین %s پیشنهاد تغییریافته AllPropals=تمام طرح های پیشنهادی @@ -27,11 +29,13 @@ NbOfProposals=تعداد طرح های تجاری ShowPropal=نمایش پیشنهاد PropalsDraft=نوعی بازی چکرز PropalsOpened=باز +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=پیش نویس (نیاز به تایید می شود) PropalStatusValidated=اعتبار (پیشنهاد باز است) PropalStatusSigned=امضا (نیازهای حسابداری و مدیریت) PropalStatusNotSigned=امضا نشده (بسته شده) PropalStatusBilled=ثبت شده در صورتحساب یا لیست +PropalStatusCanceledShort=لغو ظده PropalStatusDraftShort=پیش نویس PropalStatusValidatedShort=Validated (open) PropalStatusClosedShort=بسته @@ -55,6 +59,7 @@ CopyPropalFrom=ایجاد طرح های تجاری با کپی کردن طرح CreateEmptyPropal=Create empty commercial proposal or from list of products/services DefaultProposalDurationValidity=پیش فرض طول مدت اعتبار پیشنهاد های تجاری (در روز) DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? @@ -113,6 +118,7 @@ RefusePropal=Refuse proposal Sign=Sign SignContract=Sign contract SignFichinter=Sign intervention +SignSociete_rib=Sign mandate SignPropal=Accept proposal Signed=signed SignedOnly=Signed only diff --git a/htdocs/langs/fa_IR/receptions.lang b/htdocs/langs/fa_IR/receptions.lang index 9f61026b57d..1235c276dc6 100644 --- a/htdocs/langs/fa_IR/receptions.lang +++ b/htdocs/langs/fa_IR/receptions.lang @@ -32,10 +32,11 @@ StatusReceptionDraftShort=پیش‌نویش StatusReceptionValidatedShort=تائیدشده StatusReceptionProcessedShort=پردازش‌شده ReceptionSheet=برگۀ دریافت‌کالا +ValidateReception=Validate reception ConfirmDeleteReception=آیا می‌خواهید این دریافت‌کالا را حذف کنید؟ -ConfirmValidateReception=آیا مطمئنید می‌خواهید این دریافت‌کالا با ارجاع %s را تائیداعتبار کنید؟ +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=یا مطمئنید می‌خواهید این دریافت‌کالا را لغو کنید؟ -StatsOnReceptionsOnlyValidated=آمارهائی که تنها بر اساس دریافت‌کالا‌ها ساخته شده‌اند فقط تائید می‌شوند. تاریخ استفاده، تاریخ تائیداعتبار رسید است (تاریخ دریافت‌کالا برنامه‌ریزی شده همیشه معلوم نیست) +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=ارسال دریافت‌کالا توسط رایانامه SendReceptionRef=تسلیم دریافت‌کالا %s ActionsOnReception=رخداد‌های دریافت‌کالا @@ -48,7 +49,10 @@ ReceptionsNumberingModules=واحد شماره‌گذاری برای دریاف ReceptionsReceiptModel=قالب اسناد دریافت‌کالا NoMorePredefinedProductToDispatch=No more predefined products to dispatch ReceptionExist=A reception exists -ByingPrice=Bying price ReceptionBackToDraftInDolibarr=Reception %s back to draft ReceptionClassifyClosedInDolibarr=Reception %s classified Closed ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/fa_IR/withdrawals.lang b/htdocs/langs/fa_IR/withdrawals.lang index dca20f553f8..40f0a962aa3 100644 --- a/htdocs/langs/fa_IR/withdrawals.lang +++ b/htdocs/langs/fa_IR/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Make a credit transfer request WithdrawRequestsDone=%s direct debit payment requests recorded BankTransferRequestsDone=%s credit transfer requests recorded ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. ClassCredited=طبقه بندی اعتبار ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=آیا مطمئن هستید که می خواهید ر RefusedData=تاریخ رد RefusedReason=دلیلی برای رد RefusedInvoicing=حسابداری رد -NoInvoiceRefused=آیا رد اتهام نیست -InvoiceRefused=Invoice refused (Charge the rejection to customer) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debit/credit StatusWaiting=انتظار StatusTrans=فرستاده @@ -103,7 +106,7 @@ ShowWithdraw=Show Direct Debit Order IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Debit order file @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Amount of Direct debit request: BankTransferAmount=Amount of Credit Transfer request: WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Your Bank Account Name (IBAN) SEPAFormYourBIC=Your Bank Identifier Code (BIC) SEPAFrstOrRecur=Type of payment ModeRECUR=Recurring payment +ModeRCUR=Recurring payment ModeFRST=One-off payment PleaseCheckOne=Please check one only CreditTransferOrderCreated=Credit transfer order %s created @@ -155,9 +159,16 @@ InfoTransData=مقدار:٪ s را
      روش: از٪ s
      تاریخ:٪ s ر InfoRejectSubject=Direct debit payment order refused InfoRejectMessage=Hello,

      the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

      --
      %s ModeWarning=انتخاب برای حالت واقعی تنظیم نشده بود، ما بعد از این شبیه سازی را متوقف کند -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Missing ICS in Bank account %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=حقوق +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/fi_FI/accountancy.lang b/htdocs/langs/fi_FI/accountancy.lang index aa2bdeb1697..309b940b473 100644 --- a/htdocs/langs/fi_FI/accountancy.lang +++ b/htdocs/langs/fi_FI/accountancy.lang @@ -10,102 +10,105 @@ ACCOUNTING_EXPORT_AMOUNT=Vientimäärä ACCOUNTING_EXPORT_DEVISE=Vienti valuutta Selectformat=Valitse tiedostomuoto ACCOUNTING_EXPORT_FORMAT=Select the format for the file -ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type +ACCOUNTING_EXPORT_ENDLINE=Valitse vaunun palautustyyppi ACCOUNTING_EXPORT_PREFIX_SPEC=Määritä tiedostonimen etuliite ThisService=Tämä palvelu ThisProduct=Tämä tuote DefaultForService=Oletus palveluille DefaultForProduct=Oletus tuotteille -ProductForThisThirdparty=Tuote tälle sidosryhmälle -ServiceForThisThirdparty=Palvelu tälle sidosryhmälle +ProductForThisThirdparty=Tuote tälle kolmannelle osapuolelle +ServiceForThisThirdparty=Palvelu tälle kolmannelle osapuolelle CantSuggest=Ei ehdotuksia AccountancySetupDoneFromAccountancyMenu=Kirjanpidon asetukset tehdään pääasiassa valikosta %s ConfigAccountingExpert=Asetukset moduulille Kirjanpito (kahdenkertainen kirjanpito) -Journalization=Journalization +Journalization=Journalisointi Journals=Päiväkirjat JournalFinancial=Rahoituspäiväkirjat BackToChartofaccounts=Palauta tilikartta Chartofaccounts=Tilikartta -ChartOfSubaccounts=Chart of individual accounts -ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger -CurrentDedicatedAccountingAccount=Current dedicated account -AssignDedicatedAccountingAccount=New account to assign +ChartOfSubaccounts=Kartta yksittäisistä tileistä +ChartOfIndividualAccountsOfSubsidiaryLedger=Tytäryhtiön pääkirjan yksittäiset tilit +CurrentDedicatedAccountingAccount=Nykyinen oma tili +AssignDedicatedAccountingAccount=Uusi tili määritettäväksi InvoiceLabel=Laskun etiketti -OverviewOfAmountOfLinesNotBound=Overview of amount of lines not bound to an accounting account -OverviewOfAmountOfLinesBound=Overview of amount of lines already bound to an accounting account +OverviewOfAmountOfLinesNotBound=Yleiskatsaus Kirjanpito-tiliin sidottujen rivien määrästä +OverviewOfAmountOfLinesBound=Yleiskatsaus Kirjanpito-tiliin jo sidottujen rivien määrästä OtherInfo=Lisätiedot DeleteCptCategory=Poista kirjanpitotili ryhmästä -ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group? -JournalizationInLedgerStatus=Status of journalization -AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger -GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group +ConfirmDeleteCptCategory=Haluatko varmasti poistaa tämän Kirjanpito-tilin Kirjanpito-tilistä ryhmä >? +JournalizationInLedgerStatus=Journalisoinnin tila +AlreadyInGeneralLedger=Jo siirretty Kirjanpito aikakauskirjaan ja pääkirja +NotYetInGeneralLedger=Ei vielä siirretty Kirjanpito aikakauslehtiin ja pääkirjaan +GroupIsEmptyCheckSetup=ryhmä on tyhjä, tarkista henkilökohtaisen Kirjanpito ryhmä asetukset. DetailByAccount=Yksityiskohtaiset tiedot tileittäin -DetailBy=Detail by -AccountWithNonZeroValues=Accounts with non-zero values -ListOfAccounts=List of accounts +DetailBy=Yksityiskohta kirjoittaja +AccountWithNonZeroValues=Tilit, joiden arvot poikkeavat nollasta +ListOfAccounts=Luettelo tilistä CountriesInEEC=EU-alueen maat CountriesNotInEEC=EU: n ulkopuoliset maat CountriesInEECExceptMe=EU-alueen maat, poislukien %s CountriesExceptMe=Kaikki maat, poislukien %s -AccountantFiles=Export source documents -ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). -ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. -ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. -VueByAccountAccounting=View by accounting account -VueBySubAccountAccounting=View by accounting subaccount +AccountantFiles=Vie lähdeasiakirjat +ExportAccountingSourceDocHelp=Tällä työkalulla voit hakea ja viedä lähdetapahtumat, joita käytetään kirjanpitosi luomiseen.
      Viedty ZIP-tiedosto tiedosto sisältää pyydettyjen kohteiden luettelot CSV-muodossa sekä niiden liitetiedostot alkuperäisessä muodossaan ( PDF, ODT, DOCX...). +ExportAccountingSourceDocHelp2=Vie päiväkirjat käyttämällä valikko-merkintää %s - %s. +ExportAccountingProjectHelp=Määritä projekti, jos tarvitset Kirjanpito -raportin vain tietylle projektille. kuluraportit ja laina maksuja ei sisällytetä projektiraportteihin. +ExportAccountancy=Vientikirjanpito +WarningDataDisappearsWhenDataIsExported=Varoitus, tämä luettelo sisältää vain Kirjanpito-merkinnät, joita ei ole vielä viety (Vie päiväys on tyhjä). Jos haluat sisällyttää jo viedyt Kirjanpito-merkinnät, napsauta yllä olevaa painiketta. +VueByAccountAccounting=Tarkastele Kirjanpito-tiliä +VueBySubAccountAccounting=Näytä Kirjanpito alatilin perusteella -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup -MainAccountForUsersNotDefined=Main accounting account for users not defined in setup -MainAccountForVatPaymentNotDefined=Main accounting account for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Main accounting account for subscription payment not defined in setup -UserAccountNotDefined=Accounting account for user not defined in setup +MainAccountForCustomersNotDefined=Päätili (tilikaaviosta) kohteelle asiakkaat, jota ei ole määritetty asetuksissa +MainAccountForSuppliersNotDefined=Päätili (tilikaaviosta) toimittajille, joita ei ole määritetty asetuksissa +MainAccountForUsersNotDefined=Päätili (tilikaaviosta) käyttäjille, joita ei ole määritetty asetuksissa +MainAccountForVatPaymentNotDefined=ALV-tiliä (tilikaaviosta) maksu ei ole määritetty asetuksissa +MainAccountForSubscriptionPaymentNotDefined=Tili (tilikaaviosta) jäsenyydelle maksu ei määritetty asetuksissa +MainAccountForRetainedWarrantyNotDefined=Tili (tilikaaviosta) säilytetylle takuulle, jota ei ole määritetty asetuksissa +UserAccountNotDefined=Kirjanpito tili käyttäjälle, jota ei ole määritetty asetuksissa -AccountancyArea=Accounting area -AccountancyAreaDescIntro=Usage of the accountancy module is done in several step: -AccountancyAreaDescActionOnce=The following actions are usually executed one time only, or once per year... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting -AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... +AccountancyArea=Kirjanpito alue +AccountancyAreaDescIntro=Kirjanpitomoduulin käyttö tapahtuu useassa vaiheessa: +AccountancyAreaDescActionOnce=Seuraavat toimenpiteet suoritetaan yleensä vain kerran tai kerran vuodessa... +AccountancyAreaDescActionOnceBis=Seuraavat vaiheet kannattaa tehdä, jotta säästät aikaasi tulevaisuudessa ehdottamalla sinulle automaattisesti oikeaa oletus Kirjanpito -tiliä, kun siirrät tietoja verkkotunnuksessa Kirjanpito +AccountancyAreaDescActionFreq=Seuraavat toiminnot suoritetaan yleensä kuukausittain, Viikko tai joka päivä erittäin suurille yrityksille... -AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s -AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescJournalSetup=VAIHE %s: Tarkista päiväkirjaluettelosi sisältö osoitteesta valikko %s +AccountancyAreaDescChartModel=VAIHE %s: Tarkista, että tilikartan malli on olemassa tai luo mallista valikko /span> %s +AccountancyAreaDescChart=VAIHE %s: Valitse ja|tai täydennä tilikarttasi osoitteessa valikko %s -AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. -AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. -AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. -AccountancyAreaDescDonation=STEP %s: Define default accounting accounts for donation. For this, use the menu entry %s. -AccountancyAreaDescSubscription=STEP %s: Define default accounting accounts for member subscription. For this, use the menu entry %s. -AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. -AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. +AccountancyAreaDescFiscalPeriod=VAIHE %s: Määritä tilivuosi oletus mukaan, johon Kirjanpito-tilisi integroidaan. > merkintöjä. Käytä tähän valikko-merkintää %s. +AccountancyAreaDescVat=VAIHE %s: Määritä kirjanpitotilit kullekin ALV-hinnalle. Käytä tähän valikko-merkintää %s. +AccountancyAreaDescDefault=VAIHE %s: Määritä oletus kirjanpitotilit. Käytä tähän valikko-merkintää %s. +AccountancyAreaDescExpenseReport=VAIHE %s: Määritä oletus kirjanpitotilit kullekin kuluraportti. Käytä tähän valikko-merkintää %s. +AccountancyAreaDescSal=VAIHE %s: Määritä oletus kirjanpitotilit kohteelle maksu palkoista. Käytä tähän valikko-merkintää %s. +AccountancyAreaDescContrib=VAIHE %s: Määritä oletus kirjanpitotilit kohteelle Verot (Erikoiskustannukset). Käytä tähän valikko-merkintää %s. +AccountancyAreaDescDonation=VAIHE %s: Määritä lahjoitus oletus kirjanpitotilit. Käytä tähän valikko-merkintää %s. +AccountancyAreaDescSubscription=VAIHE %s: Määritä jäsentilaukselle oletus kirjanpitotilit. Käytä tähän valikko-merkintää %s. +AccountancyAreaDescMisc=VAIHE %s: Määritä pakolliset oletus tilit ja oletus kirjanpitotilit sekalaisille tapahtumille. Käytä tähän valikko-merkintää %s. +AccountancyAreaDescLoan=VAIHE %s: Määritä oletus kirjanpitotilit sanalle lainat. Käytä tähän valikko-merkintää %s. +AccountancyAreaDescBank=VAIHE %s: Määritä kirjanpitotilit ja päiväkirjakoodi jokaiselle pankille ='notranslate'>ja rahoitustilit. Käytä tähän valikko-merkintää %s. +AccountancyAreaDescProd=VAIHE %s: Määritä kirjanpitotilit tuotteet/Services. Käytä tähän valikko-merkintää %s. -AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. -AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and generate reports and exports. +AccountancyAreaDescBind=VAIHE %s: Tarkista olemassa olevien %s rivien välinen sidos ja Kirjanpito -tili on valmis, joten sovellus voi kirjata tapahtumat Ledgeriin yhdellä napsautuksella. Täydelliset puuttuvat sidokset. Käytä tähän valikko-merkintää %s. +AccountancyAreaDescWriteRecords=VAIHE %s: Kirjoita tapahtumat pääkirjaan. Tätä varten siirry kohtaan valikko %s, ja klikkaa painiketta 0. +AccountancyAreaDescAnalyze=VAIHE %s: Lue raportteja tai luo vientitiedostoja muille kirjanpitäjille. +AccountancyAreaDescClosePeriod=VAIHE %s: Sulje jakso, jotta emme voi siirtää enää tietoja samalla ajanjaksolla tulevaisuudessa. -AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. - -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) +TheFiscalPeriodIsNotDefined=Määrityksen pakollista vaihetta ei ole suoritettu loppuun (tilikausi ei ole määritetty) +TheJournalCodeIsNotDefinedOnSomeBankAccount=Pakollista asennuksen vaihetta ei ole suoritettu (Kirjanpito koodipäiväkirjaa ei ole määritetty kaikille pankkitileille) Selectchartofaccounts=Valitse aktiivinen tilikartta -ChangeAndLoad=Change and load +CurrentChartOfAccount=Nykyinen aktiivinen tilikartta +ChangeAndLoad=Muuta ja kuormaa Addanaccount=Lisää kirjanpitotili AccountAccounting=Kirjanpitotili AccountAccountingShort=Account -SubledgerAccount=Subledger account -SubledgerAccountLabel=Subledger account label -ShowAccountingAccount=Show accounting account -ShowAccountingJournal=Show accounting journal -ShowAccountingAccountInLedger=Show accounting account in ledger -ShowAccountingAccountInJournals=Show accounting account in journals -DataUsedToSuggestAccount=Data used to suggest account -AccountAccountingSuggest=Account suggested +SubledgerAccount=Subledger-tili +SubledgerAccountLabel=Subledger-tilin tunniste +ShowAccountingAccount=Näytä Kirjanpito-tili +ShowAccountingJournal=Näytä Kirjanpito päiväkirja +ShowAccountingAccountInLedger=Näytä Kirjanpito-tili pääkirjassa +ShowAccountingAccountInJournals=Näytä Kirjanpito-tili lehdissä +DataUsedToSuggestAccount=Tilin ehdottamiseen käytetyt tiedot +AccountAccountingSuggest=Tiliä ehdotettu MenuDefaultAccounts=Oletustilit MenuBankAccounts=Pankkitilit MenuVatAccounts=Arvonlisäverotilit @@ -113,13 +116,13 @@ MenuTaxAccounts=Verotilit MenuExpenseReportAccounts=Kuluraportti tilit MenuLoanAccounts=Lainatilit MenuProductsAccounts=Tuotetilit -MenuClosureAccounts=Closure accounts -MenuAccountancyClosure=Closure -MenuExportAccountancy=Export accountancy -MenuAccountancyValidationMovements=Validate movements -ProductsBinding=Products accounts -TransferInAccounting=Transfer in accounting -RegistrationInAccounting=Recording in accounting +MenuClosureAccounts=Sulje tilit +MenuAccountancyClosure=Päättäminen +MenuExportAccountancy=Vientikirjanpito +MenuAccountancyValidationMovements=Vahvista liikkeet +ProductsBinding=tuotteet tiliä +TransferInAccounting=Siirto kielellä Kirjanpito +RegistrationInAccounting=Tallennus kielellä Kirjanpito Binding=Tilien täsmäytys CustomersVentilation=Asiakaan laskun täsmäytys SuppliersVentilation=Toimittajan laskun kiinnittäminen @@ -127,20 +130,20 @@ ExpenseReportsVentilation=Kuluraportin kiinnittäminen CreateMvts=Luo uusi transaktio UpdateMvts=Transaktion muuttaminen ValidTransaction=Hyväksy transaktio -WriteBookKeeping=Record transactions in accounting +WriteBookKeeping=Tallenna tapahtumat muodossa Kirjanpito Bookkeeping=Pääkirjanpito BookkeepingSubAccount=Subledger AccountBalance=Tilin saldo -AccountBalanceSubAccount=Sub-accounts balance -ObjectsRef=Source object ref -CAHTF=Total purchase vendor before tax +AccountBalanceSubAccount=Alatilit saldo +ObjectsRef=Lähdeobjekti viite +CAHTF=Yhteensä Hankinta Toimittaja ennen vero TotalExpenseReport=Yhteensä kulut raportti -InvoiceLines=Lines of invoices to bind -InvoiceLinesDone=Bound lines of invoices -ExpenseReportLines=Lines of expense reports to bind -ExpenseReportLinesDone=Bound lines of expense reports -IntoAccount=Bind line with the accounting account -TotalForAccount=Total accounting account +InvoiceLines=Sidottavat laskurivit +InvoiceLinesDone=Sidotut laskurivit +ExpenseReportLines=Sidottavat rivit kuluraportit +ExpenseReportLinesDone=Sidotut rivit kuluraportit +IntoAccount=Sido rivi Kirjanpito-tilin kanssa +TotalForAccount=Kirjanpito tili yhteensä Ventilate=Sitoa @@ -153,342 +156,363 @@ LineOfExpenseReport=Kuluraportin rivi NoAccountSelected=Kirjanpitotiliä ei ole valittu VentilatedinAccount=Sidottu onnistuneesti kirjanpitotilille NotVentilatedinAccount=Ei sidottu kirjanpitotilille -XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account -XLineFailedToBeBinded=%s products/services were not bound to any accounting account +XLineSuccessfullyBinded=%s tuotteet/palvelut sidottu onnistuneesti Kirjanpito-tiliin +XLineFailedToBeBinded=%s tuotteet/palveluita ei sidottu mihinkään Kirjanpito-tiliin -ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50) -ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements -ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements +ACCOUNTING_LIMIT_LIST_VENTILATION=Enintään rivimäärä luettelossa ja sidossivulla (suositus: 50) +ACCOUNTING_LIST_SORT_VENTILATION_TODO=Aloita sivun "Sitova tehtävä" lajittelu uusimpien elementtien mukaan +ACCOUNTING_LIST_SORT_VENTILATION_DONE=Aloita sivun "Sidonta tehty" lajittelu uusimpien elementtien mukaan -ACCOUNTING_LENGTH_DESCRIPTION=Truncate product & services description in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncate product & services account description form in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set value to 6 here, the account '706' will appear like '706000' on screen) -ACCOUNTING_LENGTH_AACCOUNT=Length of the third-party accounting accounts (If you set value to 6 here, the account '401' will appear like '401000' on screen) -ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of an accounting account. Needed by some countries (like Switzerland). If set to off (default), you can set the following two parameters to ask the application to add virtual zeros. -BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account -ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal -ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_LENGTH_DESCRIPTION=Lyhennä tuotteen ja palvelun kuvaus tiedoissa x merkin jälkeen (paras = 50) +ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Leikkaa tuote- ja palvelutilin kuvauslomake tiedoissa x merkin jälkeen (paras = 50) +ACCOUNTING_LENGTH_GACCOUNT=Yleisen kirjanpitotilit pituus (jos asetat arvoksi 6, tili "706" näkyy näytöllä muodossa "706000") +ACCOUNTING_LENGTH_AACCOUNT=Kolmannen osapuolen kirjanpitotilit pituus (jos asetat tässä arvoksi 6, tili 401 näkyy näytöllä muodossa 401000) +ACCOUNTING_MANAGE_ZERO=Salli hallita eri määrän nollia Kirjanpito-tilin lopussa. Tarvitaan joissakin maissa (kuten Sveitsissä). Jos asetus on pois päältä (oletus), voit asettaa seuraavat kaksi parametria pyytääksesi sovellusta lisäämään virtuaalisia nollia. +BANK_DISABLE_DIRECT_INPUT=Poista tapahtuman suora tallennus käytöstä pankkitili +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Ota käyttöön Luonnos vienti päiväkirjassa +ACCOUNTANCY_COMBO_FOR_AUX=Ota yhdistelmäluettelo käyttöön tytäryhtiötilille (voi olla hidasta, jos sinulla on paljon kolmansia osapuolia, riko kyky etsiä arvoa) +ACCOUNTING_DATE_START_BINDING=Poista sidonta ja siirto käytöstä kirjanpidossa, kun päiväys on tämän päiväys alapuolella (tapahtumat ennen tätä b0bdac1c207d62z sulkee pois oletus) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Mikä on oletus:n valitsema ajanjakso sivulla tietojen siirtämiseksi kirjanpitoon -ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns -ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements +ACCOUNTING_SELL_JOURNAL=Myyntipäiväkirja - ja palautukset +ACCOUNTING_PURCHASE_JOURNAL=Hankinta journal - Hankinta ja palauttaa +ACCOUNTING_BANK_JOURNAL=Käteisvarat päiväkirja - kuitit ja maksut ACCOUNTING_EXPENSEREPORT_JOURNAL=Kuluraportti päiväkirja -ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal -ACCOUNTING_INVENTORY_JOURNAL=Inventory journal +ACCOUNTING_MISCELLANEOUS_JOURNAL=Yleinen päiväkirja +ACCOUNTING_HAS_NEW_JOURNAL=On uusi lehti +ACCOUNTING_INVENTORY_JOURNAL=Varastopäiväkirja ACCOUNTING_SOCIAL_JOURNAL=Sosiaalinen päiväkirja -ACCOUNTING_RESULT_PROFIT=Result accounting account (Profit) -ACCOUNTING_RESULT_LOSS=Result accounting account (Loss) -ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal of closure +ACCOUNTING_RESULT_PROFIT=Tulos Kirjanpito -tili (voitto) +ACCOUNTING_RESULT_LOSS=Tulos Kirjanpito tili (tappio) +ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Päättymispäiväkirja +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Kirjanpito ryhmää, jota käytetään saldo taulukkotilissä (erottele pilkulla) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Kirjanpito tuloslaskelmassa käytettyjä ryhmiä (erottele pilkulla) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers -TransitionalAccount=Transitional bank transfer account +ACCOUNTING_ACCOUNT_TRANSFER_CASH=Tili (tilikarttasta) käytettäväksi tilisiirtojen tilisiirroissa +TransitionalAccount=Siirtymäaikainen pankkisiirtotili -ACCOUNTING_ACCOUNT_SUSPENSE=Account (from the Chart Of Account) to be used as the account for unallocated funds either received or paid i.e. funds in "wait[ing]" -DONATION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register donations (Donation module) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ACCOUNTING_ACCOUNT_SUSPENSE=Tili (tilikartasta), jota käytetään tilinä kohdentamattomille varoille, jotka ovat joko vastaanotettuja tai maksettuja eli varoja "odotustilassa" +DONATION_ACCOUNTINGACCOUNT=Tili (tilikaaviosta), jota käytetään lahjoitusten rekisteröintiin (lahjoitusmoduuli) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Tili (tilikartalta), jota käytetään jäsenmaksujen rekisteröintiin (Jäsenyysmoduuli - jos jäsenyys kirjataan ilman laskua) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit -UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default -UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Accounting account by default to register customer retained warranty +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Tili (tilikartasta), jota käytetään oletus-tilinä asiakkaan talletuksen rekisteröintiin +UseAuxiliaryAccountOnCustomerDeposit=Tallenna asiakastili henkilökohtaisena tilinä tytäryhtiön kirjanpitoon käsirahariveille (jos se on poistettu käytöstä, henkilötili osamaksu-riville jää tyhjiksi) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Tili (tilikaaviosta), jota käytetään oletus +UseAuxiliaryAccountOnSupplierDeposit=Tallenna toimittaja-tili henkilökohtaisena tilinä tytäryhtiön kirjanpitoon käsirahariveille (jos se on poistettu käytöstä, osamaksu-rivien henkilökohtainen tili jää tyhjiksi ) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Kirjanpito tililtä oletus asiakkaan säilyttämän takuun rekisteröimiseksi -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Tili (tilikartasta), jota käytetään oletus-tilinä samassa maassa ostetulle tuotteet -tilille (käytetään, jos ei määritelty tuoteselosteessa) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Tili (tilikaaviosta), jota käytetään oletus-tilinä tuotteet -tiliin, joka on ostettu ETA toiseen ETA maahan (käytetään, jos sitä ei ole määritelty tuoteselosteessa) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Tili (tilikaaviosta), jota käytetään oletus-tilinä tuotteet ostetulle ja tuotu mistä tahansa muusta ulkomailta (käytetään, jos sitä ei ole määritelty tuoteselosteessa) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Tili (tilikaaviosta) käytettäväksi oletus -tilinä myydylle tuotteet (käytetään, jos sitä ei ole määritelty tuotelehti) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Tili (tilikaaviosta), jota käytetään oletus-tilinä tuotteet -tiliin, jota myydään ETA toiseen ETA maahan (käytetään, jos sitä ei ole määritelty tuoteselosteessa) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Tili (tilikaaviosta) käytettäväksi ja viedään mihin tahansa muuhun ulkomaahan (käytetään, jos sitä ei ole määritelty tuoteselosteessa) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased within same country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=Tili (tilikartasta), jota käytetään oletus -tilinä samassa maassa ostetuissa palveluissa (käytetään, jos sitä ei ole määritelty palvelulomakkeessa) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Tili (tilikaaviosta), jota käytetään oletus-tilinä palveluille, jotka on ostettu henkilöltä ETA toiselle ETA maa (käytetään, jos sitä ei ole määritelty palvelulomakkeessa) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Tili (tilikartasta), jota käytetään oletus -tilinä ostetuille palveluille ja, jotka on tuotu muusta ulkomailta ( käytetään, jos sitä ei ole määritelty palvelulomakkeessa) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=Tili (tilikartasta), jota käytetään oletus -tilinä myydyissä palveluissa (käytetään, jos sitä ei ole määritelty palvelulomakkeessa) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Tili (tilikartasta), jota käytetään oletus-tilinä palveluille, jotka myydään ETA toiselle ETA
      maa (käytetään, jos sitä ei ole määritelty palvelulomakkeessa) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Tili (tilikartasta), jota käytetään oletus tilinä myydyille palveluille ja, jotka viedään muihin ulkomaihin (käytetään, jos sitä ei ole määritelty palvelulomakkeessa) Doctype=Asiakirjan tyyppi Docdate=Päiväys Docref=Viite LabelAccount=Label account -LabelOperation=Label operation -Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
      For an accounting account of a supplier, use Debit to record a payment you made -LetteringCode=Lettering code -Lettering=Lettering +LabelOperation=Etiketin toiminta +Sens=Suunta +AccountingDirectionHelp=Jos asiakkaan Kirjanpito tili, käytä Hyvitystä kirjataksesi maksu, jonka olet saanut
      Jos Kirjanpito tili on toimittaja, tallenna maksu veloituksen avulla. teit +LetteringCode=Kirjainkoodi +Lettering=Tekstaus Codejournal=Päiväkirja -JournalLabel=Journal label -NumPiece=Piece number -TransactionNumShort=Num. transaction -AccountingCategory=Custom group of accounts -AccountingCategories=Custom groups of accounts -GroupByAccountAccounting=Group by general ledger account -GroupBySubAccountAccounting=Group by subledger account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. -ByAccounts=By accounts -ByPredefinedAccountGroups=By predefined groups -ByPersonalizedAccountGroups=By personalized groups +JournalLabel=Lehden etiketti +NumPiece=Kappaleen numero +TransactionNumShort=Num. kauppa +AccountingCategory=Muokattu ryhmä tiliä +AccountingCategories=Mukautetut tiliryhmät +GroupByAccountAccounting=ryhmä pääkirja-tililtä +GroupBySubAccountAccounting=ryhmä alikirjatilin perusteella +AccountingAccountGroupsDesc=Voit määrittää tässä joitakin Kirjanpito-tilin ryhmiä. Niitä käytetään henkilökohtaisissa Kirjanpito raporteissa. +ByAccounts=Tilien mukaan +ByPredefinedAccountGroups=Ennalta määritettyjen ryhmien mukaan +ByPersonalizedAccountGroups=Henkilökohtaisilla ryhmillä ByYear=Vuoden mukaan -NotMatch=Not Set -DeleteMvt=Delete some lines from accounting -DelMonth=Month to delete +NotMatch=Ei valittu +DeleteMvt=Poista joitakin rivejä kohteesta Kirjanpito +DelMonth=Poistettava kuukausi DelYear=Poistettava vuosi DelJournal=Poistettava päiväkirja -ConfirmDeleteMvt=This will delete all lines in accountancy for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) +ConfirmDeleteMvt=Tämä poistaa kaikki rivit kirjanpidosta vuodelta/kuukaudelta ja/tai tietyltä päiväkirjalta (vähintään yksi ehto vaaditaan). Sinun on käytettävä uudelleen ominaisuutta %s, jotta poistetut tietueet saadaan takaisin kirjanpitoon. +ConfirmDeleteMvtPartial=Tämä poistaa tapahtuman kohteesta Kirjanpito (kaikki samaan tapahtumaan liittyvät rivit poistetaan) FinanceJournal=Finance journal -ExpenseReportsJournal=Expense reports journal -InventoryJournal=Inventory journal +ExpenseReportsJournal=kuluraportit päiväkirja +InventoryJournal=Varastopäiväkirja DescFinanceJournal=Finance journal including all the types of payments by bank account -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. +DescJournalOnlyBindedVisible=Tämä on tietuenäkymä, joka on sidottu Kirjanpito-tiliin ja, joka voidaan tallentaa lehtiin ja Reskontra. VATAccountNotDefined=ALV tiliä ei ole määritelty ThirdpartyAccountNotDefined=Sidosryhmän tiliä ei ole määritetty ProductAccountNotDefined=Tuotteen tiliä ei ole määritetty FeeAccountNotDefined=Palvelumaksujen tiliä ei määritetty BankAccountNotDefined=Pankin tiliä ei ole määritetty CustomerInvoicePayment=Payment of invoice customer -ThirdPartyAccount=Third-party account +ThirdPartyAccount=Kolmannen osapuolen tili NewAccountingMvt=Uusi transaktio -NumMvts=Numero of transaction -ListeMvts=List of movements +NumMvts=Lukuisia tapahtumia +ListeMvts=Lista liikkeistä ErrorDebitCredit=Debit and Credit cannot have a value at the same time -AddCompteFromBK=Add accounting accounts to the group -ReportThirdParty=List third-party account -DescThirdPartyReport=Consult here the list of third-party customers and vendors and their accounting accounts +AddCompteFromBK=Lisää kirjanpitotilit kohtaan ryhmä +ReportThirdParty=Luettelo kolmannen osapuolen tilit +DescThirdPartyReport=Katso tästä luettelo kolmannen osapuolen asiakkaat ja toimittajista ja span class='notranslate'>kirjanpitotilit ListAccounts=List of the accounting accounts -UnknownAccountForThirdparty=Unknown third-party account. We will use %s -UnknownAccountForThirdpartyBlocking=Unknown third-party account. Blocking error -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Third-party unknown and subledger not defined on the payment. We will keep the subledger account value empty. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger account not defined or third party or user unknown. Blocking error. -UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third-party account and waiting account not defined. Blocking error -PaymentsNotLinkedToProduct=Payment not linked to any product / service -OpeningBalance=Opening balance -ShowOpeningBalance=Show opening balance -HideOpeningBalance=Hide opening balance -ShowSubtotalByGroup=Show subtotal by level +UnknownAccountForThirdparty=Tuntematon kolmannen osapuolen tili. Käytämme %s +UnknownAccountForThirdpartyBlocking=Tuntematon kolmannen osapuolen tili. Estovirhe +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger-tiliä ei ole määritetty tai kolmas osapuoli tai käyttäjä tuntematon. Käytämme %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Kolmannen osapuolen tuntematon ja alikirja, jota ei ole määritetty maksu:ssa. Pidämme alikirjan tilin arvon tyhjänä. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger-tiliä ei ole määritetty tai kolmas osapuoli tai käyttäjä tuntematon. Estovirhe. +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Tuntematon kolmannen osapuolen tili ja odottavaa tiliä ei ole määritetty. Estovirhe +PaymentsNotLinkedToProduct=maksu ei ole linkitetty mihinkään tuotteeseen/palveluun +OpeningBalance=Avaus saldo +ShowOpeningBalance=Näytä avaus saldo +HideOpeningBalance=Piilota avaus saldo +ShowSubtotalByGroup=Näytä välisumma tason mukaan -Pcgtype=Group of account -PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. -AccountingCategoriesDesc=Custom group of accounts can be used to group accounting accounts into one name to ease filter use or building of custom reports. +Pcgtype=ryhmä tilistä +PcgtypeDesc=ryhmä tiliä käytetään ennalta määritettyinä 'suodattimina' ja ryhmittelyehtoina joillekin b0c0d4305f0d43095f0d430. raportoi. Esimerkiksi 'TULO' tai 'KULUT' käytetään ryhminä kirjanpitotilit / tuotteet kulu-/tuloraportin luomiseen. +AccountingCategoriesDesc=Muokattuja ryhmä tilejä voidaan käyttää ryhmä kirjanpitotilit yhteen nimeen helpottaa suodattimen käyttöä tai mukautettujen raporttien luomista. -Reconcilable=Reconcilable +Reconcilable=Sovittava TotalVente=Total turnover before tax TotalMarge=Total sales margin -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account -DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product account from chart of account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account -ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: +DescVentilCustomer=Katso tästä luettelo asiakaslaskurin riveistä, jotka on sidottu (tai ei) tuotetiliin tilikartasta +DescVentilMore=Useimmissa tapauksissa, jos käytät ennalta määritettyä tuotteet tai palveluita ja, asetat tilin (tilikartalta) tuotteelle/ palvelukortti, sovellus voi tehdä kaiken sitomisen laskurivien välillä ja tilikarttasi Kirjanpito , yhdellä napsautuksella painikkeella "%s". Jos tiliä ei ole asetettu tuote-/palvelukorteille tai jos sinulla on edelleen joitakin rivejä, joita ei ole sidottu tiliin, sinun on tehtävä manuaalinen sidonta tiedostosta valikko "%s". +DescVentilDoneCustomer=Katso tästä luettelo laskuriveistä asiakkaat ja heidän tuotetilinsä tilikartasta +DescVentilTodoCustomer=Sido laskurivit, joita ei ole vielä sidottu tuotetiliin tilikartasta +ChangeAccount=Muuta tuote-/palvelutiliä (tilikartasta) valituille riveille seuraavalla tilillä: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) -DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account -DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account -DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account -DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s". -DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account +DescVentilSupplier=Katso tästä luettelo ostolasku -riveistä, jotka on sidottu tai ei ole vielä sidottu tuotetiliin tilikartalta (näkyvät vain tietueet, joita ei ole vielä siirretty kirjanpitoon) +DescVentilDoneSupplier=Katso täältä Toimittaja laskujen rivit ja heidän Kirjanpito-tilinsä +DescVentilTodoExpenseReport=Sido kuluraportti riviä, jota ei ole vielä sidottu maksulla Kirjanpito-tili +DescVentilExpenseReport=Katso tästä luettelo kuluraportti riveistä, jotka on sidottu (tai ei) maksuun Kirjanpito-tili +DescVentilExpenseReportMore=Jos määrität Kirjanpito-tilin kuluraportti-riville, sovellus voi tehdä kaiken sitomisen kuluraportti riviä ja tilikarttasi Kirjanpito tilille yhdellä napsautuksella painike "%s". Jos tiliä ei ole asetettu maksusanakirjaan tai jos sinulla on edelleen joitakin rivejä, joita ei ole sidottu mihinkään tiliin, sinun on tehtävä manuaalinen sidonta tiedostosta valikko "%s". +DescVentilDoneExpenseReport=Katso tästä luettelo kuluraporttien riveistä ja niiden maksuista Kirjanpito tili -Closure=Annual closure -DescClosure=Consult here the number of movements by month not yet validated & locked -OverviewOfMovementsNotValidated=Overview of movements not validated and locked -AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked -ValidateMovements=Validate and lock movements -DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible +Closure=Vuosittainen sulkeminen +AccountancyClosureStep1Desc=Katso täältä liikkeiden määrä kuukausittain, jota ei ole vielä vahvistettu ja lukittu +OverviewOfMovementsNotValidated=Yleiskatsaus liikkeistä, joita ei ole vahvistettu ja lukittu +AllMovementsWereRecordedAsValidated=Kaikki liikkeet kirjattiin vahvistetuiksi ja lukittu +NotAllMovementsCouldBeRecordedAsValidated=Kaikkia liikkeitä ei voitu tallentaa vahvistetuiksi ja lukittu +ValidateMovements=Vahvista ja lukkoliikkeet +DescValidateMovements=Kaikki kirjoitusten, ja -poistojen muuttaminen tai poistaminen on kielletty. Kaikki harjoitukseen ilmoittautuneet on vahvistettava, muuten sulkeminen ei ole mahdollista -ValidateHistory=Bind Automatically -AutomaticBindingDone=Automatic bindings done (%s) - Automatic binding not possible for some record (%s) -DoManualBindingForFailedRecord=You have to do a manual link for the %s row(s) not linked automatically. +ValidateHistory=Sido automaattisesti +AutomaticBindingDone=Automaattiset sidokset tehty (%s) – Automaattinen sidonta ei ole mahdollista joillekin tietueille (%s) +DoManualBindingForFailedRecord=Sinun on tehtävä manuaalinen linkki %s riville, joita ei ole linkitetty automaattisesti. -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s & Credit = %s -Balancing=Balancing -FicheVentilation=Binding card -GeneralLedgerIsWritten=Transactions are written in the Ledger -GeneralLedgerSomeRecordWasNotRecorded=Some of the transactions could not be journalized. If there is no other error message, this is probably because they were already journalized. -NoNewRecordSaved=No more record to transfer -ListOfProductsWithoutAccountingAccount=List of products not bound to any account of chart of account -ChangeBinding=Change the binding +ErrorAccountancyCodeIsAlreadyUse=Virhe, et voi poistaa tai poistaa käytöstä tätä tilikarttatiliä, koska sitä käytetään +MvtNotCorrectlyBalanced=Liikkeet eivät ole tasapainossa. Veloitus = %s ja luotto = %s +Balancing=Tasapainottaminen +FicheVentilation=Sitova kortti +GeneralLedgerIsWritten=Tapahtumat kirjoitetaan Reskontraan +GeneralLedgerSomeRecordWasNotRecorded=Joitakin tapahtumia ei voitu kirjata päiväkirjaan. Jos muuta virheilmoitusta ei ole, tämä johtuu todennäköisesti siitä, että ne on jo kirjattu. +NoNewRecordSaved=Ei enää tallennetta siirrettäväksi +ListOfProductsWithoutAccountingAccount=Luettelo tuotteet ei ole sidottu mihinkään tilikartan tiliin +ChangeBinding=Vaihda sidonta Accounted=Kirjattu pääkirjanpitoon -NotYetAccounted=Not yet transferred to accounting -ShowTutorial=Show Tutorial +NotYetAccounted=Ei vielä siirretty Kirjanpito +ShowTutorial=Näytä opetusohjelma NotReconciled=Täsmäyttämätön -WarningRecordWithoutSubledgerAreExcluded=Warning, all lines without subledger account defined are filtered and excluded from this view -AccountRemovedFromCurrentChartOfAccount=Accounting account that does not exist in the current chart of accounts +WarningRecordWithoutSubledgerAreExcluded=Varoitus, kaikki rivit, joissa ei ole määritetty alikirjatiliä, suodatetaan ja pois tästä näkymästä +AccountRemovedFromCurrentChartOfAccount=Kirjanpito tili, jota ei ole nykyisessä tilikartassa ## Admin -BindingOptions=Binding options -ApplyMassCategories=Apply mass categories -AddAccountFromBookKeepingWithNoCategories=Available account not yet in the personalized group -CategoryDeleted=Category for the accounting account has been removed +BindingOptions=Sidontavaihtoehdot +ApplyMassCategories=Käytä massaluokkia +AddAccountFromBookKeepingWithNoCategories=Käytettävissä oleva tili ei ole vielä personoidussa ryhmä +CategoryDeleted=Tilin Kirjanpito luokka on poistettu AccountingJournals=Kirjanpitotilityypit -AccountingJournal=Accounting journal -NewAccountingJournal=New accounting journal -ShowAccountingJournal=Show accounting journal -NatureOfJournal=Nature of Journal -AccountingJournalType1=Miscellaneous operations +AccountingJournal=Kirjanpito päiväkirja +NewAccountingJournal=Uusi Kirjanpito -päiväkirja +ShowAccountingJournal=Näytä Kirjanpito päiväkirja +NatureOfJournal=Lehden luonne +AccountingJournalType1=Erilaiset toiminnot AccountingJournalType2=Myynti AccountingJournalType3=Ostot AccountingJournalType4=Pankki AccountingJournalType5=Kulutositteet AccountingJournalType8=Varasto -AccountingJournalType9=Has-new -GenerationOfAccountingEntries=Generation of accounting entries -ErrorAccountingJournalIsAlreadyUse=This journal is already use -AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s -NumberOfAccountancyEntries=Number of entries -NumberOfAccountancyMovements=Number of movements -ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting -ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. -ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user -OptionsAdvanced=Advanced options -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +AccountingJournalType9=Kertyneet voittovarat +GenerationOfAccountingEntries=Kirjanpito merkinnän luominen +ErrorAccountingJournalIsAlreadyUse=Tämä päiväkirja on jo käytössä +AccountingAccountForSalesTaxAreDefinedInto=Huomautus: Kirjanpito myyntitili vero on määritelty valikko %s - b058span87f3 %s
      +NumberOfAccountancyEntries=Sisäänpääsyjen lukumäärä +NumberOfAccountancyMovements=Liikkeiden määrä +ACCOUNTING_DISABLE_BINDING_ON_SALES=Poista sidonta ja siirto käytöstä myynnin kirjanpidossa (asiakaslaskuja ei oteta huomioon Kirjanpito) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Poista sidonta ja siirto käytöstä ostojen kirjanpidossa (Toimittaja laskuja ei oteta huomioon Kirjanpito) +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Poista sidonta ja siirto käytöstä kirjanpidossa kuluraportit (kuluraportit ei oteta huomioon b0d4305fc47d ) +ACCOUNTING_ENABLE_LETTERING=Ota kirjaintoiminto käyttöön Kirjanpito +ACCOUNTING_ENABLE_LETTERING_DESC=Kun tämä asetus on käytössä, voit määrittää jokaiselle Kirjanpito-merkinnölle koodin, jotta voit ryhmä eri Kirjanpito liikettä yhdessä. Aikaisemmin, kun eri lehtiä hallittiin itsenäisesti, tämä ominaisuus oli tarpeen ryhmä eri lehtien rivien siirtämiseksi yhteen. Kuitenkin Dolibarr-kirjanpidossa tällainen seurantakoodi, nimeltään "%s span>" on jo tallennettu automaattisesti, joten automaattinen kirjoitus on jo tehty ilman virheriskiä, joten tästä ominaisuudesta on tullut hyödytön yleisessä käytössä. Manuaalinen kirjainominaisuus tarjotaan loppukäyttäjille, jotka eivät todellakaan luota kirjanpidon tietojen siirtoa suorittavaan tietokonemoottoriin. +EnablingThisFeatureIsNotNecessary=Tämän ominaisuuden käyttöönotto ei ole enää välttämätöntä tiukan Kirjanpito hallinnan kannalta. +ACCOUNTING_ENABLE_AUTOLETTERING=Ota automaattinen kirjain käyttöön siirtäessäsi kohteeseen Kirjanpito +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Kirjoituksen koodi luodaan automaattisesti ja lisättynä ja, jota loppukäyttäjä ei ole valinnut +ACCOUNTING_LETTERING_NBLETTERS=Kirjainten määrä kirjainkoodia luotaessa (oletus 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Jotkut Kirjanpito ohjelmistot hyväksyvät vain kaksikirjaimisen koodin. Tämän parametrin avulla voit asettaa tämän kuvasuhteen. oletus kirjainten määrä on kolme. +OptionsAdvanced=Edistyneet asetukset +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Aktivoi toimittaja ostosten ALV:n käännetyn verotuksen hallinta +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Kun tämä vaihtoehto on käytössä, voit määrittää, että toimittaja tai tietty ostolasku on siirrettävä kirjanpitoon eri tavalla: Lisäveloitus ja luottoraja luodaan Kirjanpito kahdelle tietylle tilille "(to modify a line flagged as exported, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries not yet already locked (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) -NotifiedExportFull=Export documents ? -DateValidationAndLock=Date validation and lock -ConfirmExportFile=Confirmation of the generation of the accounting export file ? -ExportDraftJournal=Export draft journal +NotExportLettering=Älä vie kirjaimia luodessasi tiedosto +NotifiedExportDate=Merkitse viemättömät rivit viedyiksi (jos haluat muokata viedyksi merkittyä riviä, sinun on poistettava koko tapahtuma ja siirrä se uudelleen muotoon Kirjanpito) +NotifiedValidationDate=Vahvista ja Lukitse viedyt merkinnät, joita ei ole vielä lukittu (sama vaikutus kuin "b0ec49fz87f492ec87 " ominaisuus, muokkaus ja rivien poistaminen ei MITÄÄN ole mahdollista) +NotifiedExportFull=Vie asiakirjoja? +DateValidationAndLock=päiväys vahvistus ja lukko +ConfirmExportFile=Kirjanpito-viennin tiedosto luomisen vahvistus? +ExportDraftJournal=Vie Luonnos päiväkirja Modelcsv=Vientimalli Selectmodelcsv=Valitse vientimalli Modelcsv_normal=Klassinen vienti -Modelcsv_CEGID=Export for CEGID Expert Comptabilité -Modelcsv_COALA=Export for Sage Coala -Modelcsv_bob50=Export for Sage BOB 50 -Modelcsv_ciel=Export for Sage50, Ciel Compta or Compta Evo. (Format XIMPORT) -Modelcsv_quadratus=Export for Quadratus QuadraCompta -Modelcsv_ebp=Export for EBP -Modelcsv_cogilog=Export for Cogilog -Modelcsv_agiris=Export for Agiris Isacompta -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) -Modelcsv_openconcerto=Export for OpenConcerto (Test) -Modelcsv_configurable=Export CSV Configurable -Modelcsv_FEC=Export FEC -Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed) -Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland -Modelcsv_winfic=Export for Winfic - eWinfic - WinSis Compta -Modelcsv_Gestinumv3=Export for Gestinum (v3) -Modelcsv_Gestinumv5=Export for Gestinum (v5) -Modelcsv_charlemagne=Export for Aplim Charlemagne -ChartofaccountsId=Chart of accounts Id +Modelcsv_CEGID=Vie CEGID Expert Comptabilitéa varten +Modelcsv_COALA=Vienti Sage Coalalle +Modelcsv_bob50=Vienti Sagelle ROP 50 +Modelcsv_ciel=Vie Sage50:lle, Ciel Comptalle tai Compta Evolle. (Muotoile XIMPORT) +Modelcsv_quadratus=Vie Quadratus QuadraComptaan +Modelcsv_ebp=Vienti EBP:lle +Modelcsv_cogilog=Vie Cogilogille +Modelcsv_agiris=Vienti Agiris Isacomptalle +Modelcsv_LDCompta=Vienti LD Comptalle (v9) (testi) +Modelcsv_LDCompta10=Vienti LD Comptalle (v10 ja uudemmat) +Modelcsv_openconcerto=Vie OpenConcertoon (testi) +Modelcsv_configurable=Vie CSV Configurable +Modelcsv_FEC=Vie FEC +Modelcsv_FEC2=Vie FEC (päivämäärät-sukupolven kirjoitus / asiakirja käännetty) +Modelcsv_Sage50_Swiss=Vienti Sage 50 Sveitsiin +Modelcsv_winfic=Vie Winfic - eWinfic - WinSis Compta +Modelcsv_Gestinumv3=Vienti Gestinumille (v3) +Modelcsv_Gestinumv5=Vienti Gestinumille (v5) +Modelcsv_charlemagne=Vienti Aplim Charlemagelle +ChartofaccountsId=Tilikartta Id ## Tools - Init accounting account on product / service -InitAccountancy=Init accountancy -InitAccountancyDesc=This page can be used to initialize an accounting account on products and services that does not have accounting account defined for sales and purchases. -DefaultBindingDesc=This page can be used to set the default accounts (from the chart of account) to use to link business objects with an account, like payment salaries, donation, taxes and VAT, when no specific account were already set. -DefaultClosureDesc=This page can be used to set parameters used for accounting closures. -Options=Options -OptionModeProductSell=Mode sales -OptionModeProductSellIntra=Mode sales exported in EEC -OptionModeProductSellExport=Mode sales exported in other countries -OptionModeProductBuy=Mode purchases -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries -OptionModeProductSellDesc=Show all products with accounting account for sales. -OptionModeProductSellIntraDesc=Show all products with accounting account for sales in EEC. -OptionModeProductSellExportDesc=Show all products with accounting account for other foreign sales. -OptionModeProductBuyDesc=Show all products with accounting account for purchases. -OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC. -OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases. -CleanFixHistory=Remove accounting code from lines that not exists into charts of account -CleanHistory=Reset all bindings for selected year -PredefinedGroups=Predefined groups -WithoutValidAccount=Without valid dedicated account -WithValidAccount=With valid dedicated account -ValueNotIntoChartOfAccount=This value of accounting account does not exist into chart of account -AccountRemovedFromGroup=Account removed from group -SaleLocal=Local sale -SaleExport=Export sale -SaleEEC=Sale in EEC -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. -ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. -ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. +InitAccountancy=Alkukirjanpito +InitAccountancyDesc=Tätä sivua voidaan käyttää Kirjanpito-tilin alustamiseen tuotteet ja-palveluissa jolla ei ole Kirjanpito-tiliä, joka on määritetty myyntiin ja. +DefaultBindingDesc=Tällä sivulla voidaan määrittää oletus-tilit (tilikartasta), joita käytetään liikeobjektien linkittämiseen tiliin, kuten maksu palkat, lahjoitus, Verot ja ALV, kun erityistä tiliä ei ole vielä määritetty. +DefaultClosureDesc=Tällä sivulla voidaan määrittää Kirjanpito-sulkemiseen käytettävät parametrit. +Options=Vaihtoehdot +OptionModeProductSell=Mode myynti +OptionModeProductSellIntra=Tilamyynti vietiin ETA +OptionModeProductSellExport=Mode myynti viedään muihin maihin +OptionModeProductBuy=Tilan ostot +OptionModeProductBuyIntra=Tilaostokset tuotu muodossa ETA +OptionModeProductBuyExport=Tila ostettu tuotu muista maista +OptionModeProductSellDesc=Näytä kaikki tuotteet Kirjanpito -tilillä myyntiä varten. +OptionModeProductSellIntraDesc=Näytä kaikki tuotteet Kirjanpito -tilillä myyntiin ETA. +OptionModeProductSellExportDesc=Näytä kaikki tuotteet, jossa on Kirjanpito -tili muusta ulkomaisesta myynnistä. +OptionModeProductBuyDesc=Näytä kaikki tuotteet Kirjanpito -tilillä ostoksille. +OptionModeProductBuyIntraDesc=Näytä kaikki tuotteet Kirjanpito-tilillä ostoksille ETA. +OptionModeProductBuyExportDesc=Näytä kaikki tuotteet Kirjanpito -tilillä muiden ulkomaisten ostosten osalta. +CleanFixHistory=Poista Kirjanpito-koodi riveiltä, joita ei ole tilikartoissa +CleanHistory=Palauta kaikki valitun vuoden sidokset +PredefinedGroups=Ennalta määritetyt ryhmät +WithoutValidAccount=Ilman voimassa olevaa erillistä tiliä +WithValidAccount=Voimassa olevalla erillisellä tilillä +ValueNotIntoChartOfAccount=Tätä Kirjanpito-tilin arvoa ei ole tilikartassa +AccountRemovedFromGroup=Tili poistettu kohteesta ryhmä +SaleLocal=Paikallinen myynti +SaleExport=Vientimyynti +SaleEEC=Alennus ETA +SaleEECWithVAT=Alennus ETA ja ALV ei ole tyhjä, joten oletamme, että tämä EI ole yhteisön sisäinen myynti ja ehdotettu tili on vakiotuote tili. +SaleEECWithoutVATNumber=Myynti: ETA ilman arvonlisäveroa, mutta kolmannen osapuolen ALV-tunnusta ei ole määritetty. Palaamme takaisin normaalimyyntien tilille. Voit tarvittaessa korjata kolmannen osapuolen ALV-tunnuksen tai muuttaa sitovaksi ehdotettua tuotetiliä. +ForbiddenTransactionAlreadyExported=Kielletty: tapahtuma on vahvistettu ja/tai viety. +ForbiddenTransactionAlreadyValidated=Kielletty: Tapahtuma on vahvistettu. ## Dictionary -Range=Range of accounting account +Range=Tilin Kirjanpito alue Calculated=Laskettu Formula=Kaava ## Reconcile -LetteringAuto=Reconcile auto -LetteringManual=Reconcile manual -Unlettering=Unreconcile -UnletteringAuto=Unreconcile auto -UnletteringManual=Unreconcile manual -AccountancyNoLetteringModified=No reconcile modified -AccountancyOneLetteringModifiedSuccessfully=One reconcile successfully modified -AccountancyLetteringModifiedSuccessfully=%s reconcile successfully modified -AccountancyNoUnletteringModified=No unreconcile modified -AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified -AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +LetteringAuto=Automaattinen sovitus +LetteringManual=Sovitusopas +Unlettering=Sovimaton +UnletteringAuto=Yhteensopimaton auto +UnletteringManual=Yhteensopimaton käsikirja +AccountancyNoLetteringModified=Ei sovitusta muokattu +AccountancyOneLetteringModifiedSuccessfully=Yhtä täsmäytystä muokattu onnistuneesti +AccountancyLetteringModifiedSuccessfully=%s täsmäytys muokattu onnistuneesti +AccountancyNoUnletteringModified=Ei sovitusta muokattu +AccountancyOneUnletteringModifiedSuccessfully=Yhtä sovitusvirhettä muokattu onnistuneesti +AccountancyUnletteringModifiedSuccessfully=%s sovituksen purku muokattu onnistuneesti + +## Closure +AccountancyClosureStep1=Vaihe 1 : Vahvista ja lukitse liikkeet +AccountancyClosureStep2=Vaihe 2 : Sulje tilikausi +AccountancyClosureStep3=Vaihe 3 : Pura merkinnät (valinnainen) +AccountancyClosureClose=Sulje tilikausi +AccountancyClosureAccountingReversal=Poimi ja -tietue "Jätäneet tulot" +AccountancyClosureStep3NewFiscalPeriod=Seuraava tilikausi +AccountancyClosureGenerateClosureBookkeepingRecords=Luo Kertyneet tulot -merkinnät seuraavalle tilikausi +AccountancyClosureSeparateAuxiliaryAccounts=Kun luot Kertyneet voittovarat -merkintöjä, esitä alikirjanpitotiedot +AccountancyClosureCloseSuccessfully=tilikausi on suljettu onnistuneesti +AccountancyClosureInsertAccountingReversalSuccessfully=Kertyneet voittovarat -kirjanpito on lisätty onnistuneesti ## Confirm box -ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation -ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? -ConfirmMassDeleteBookkeepingWriting=Bulk Delete confirmation -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +ConfirmMassUnletteringAuto=Automaattinen joukkotarkistuksen vahvistus +ConfirmMassUnletteringManual=Joukkomanuaalinen täsmäysvirhevahvistus +ConfirmMassUnletteringQuestion=Haluatko varmasti purkaa %s valitun tietueen? +ConfirmMassDeleteBookkeepingWriting=Joukkopoiston vahvistus +ConfirmMassDeleteBookkeepingWritingQuestion=Tämä poistaa tapahtuman kohteesta Kirjanpito (kaikki samaan tapahtumaan liittyvät rivimerkinnät poistetaan). Haluatko varmasti poistaa %s valitut merkinnät? +AccountancyClosureConfirmClose=Haluatko varmasti sulkea nykyisen tilikausi ? Ymmärrät, että tilikausi:n sulkeminen on peruuttamaton toiminto. ja estää merkintöjen muuttamisen tai poistamisen tänä aikana. +AccountancyClosureConfirmAccountingReversal=Oletko varma, että haluat kirjata Kertyneet voittovarat -kohtaan? ## Error -SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them -ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) -ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused. -ErrorInvoiceContainsLinesNotYetBoundedShort=Some lines on invoice are not bound to accounting account. -ExportNotSupported=The export format setuped is not supported into this page -BookeppingLineAlreayExists=Lines already existing into bookkeeping -NoJournalDefined=No journal defined +SomeMandatoryStepsOfSetupWereNotDone=Joitakin pakollisia määritysvaiheita ei suoritettu, suorita ne +ErrorNoAccountingCategoryForThisCountry=Kirjanpito-tiliä ryhmä ei ole saatavilla maassa %s (katso %s - %s - %s) +ErrorInvoiceContainsLinesNotYetBounded=Yrität kirjata joitakin rivejä laskusta %s, Jotkut muut rivit eivät ole vielä sidottu Kirjanpito -tiliin. Kaikkien tämän laskun laskurivien kirjaaminen evätään. +ErrorInvoiceContainsLinesNotYetBoundedShort=Joitakin laskun rivejä ei ole sidottu Kirjanpito-tiliin. +ExportNotSupported=Tällä sivulla ei tueta määritettyä vientimuotoa +BookeppingLineAlreayExists=Kirjanpitoon jo olemassa olevat rivit +NoJournalDefined=Päiväkirjaa ei ole määritetty Binded=Rivit yhdistetty ToBind=Yhdistettäviä rivejä -UseMenuToSetBindindManualy=Lines not yet bound, use menu %s to make the binding manually -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Note: this module or page is not completely compatible with the experimental feature of situation invoices. Some data may be wrong. -AccountancyErrorMismatchLetterCode=Mismatch in reconcile code -AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 -AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s -ErrorAccountNumberAlreadyExists=The accounting number %s already exists -ErrorArchiveAddFile=Can't put "%s" file in archive +UseMenuToSetBindindManualy=Rivejä ei ole vielä sidottu, käytä valikko %s tehdäksesi sidoksen manuaalisesti +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Huomaa: tämä moduuli tai sivu ei ole täysin yhteensopiva tilannelaskujen kokeellisen ominaisuuden kanssa. Jotkut tiedot voivat olla virheellisiä. +AccountancyErrorMismatchLetterCode=Täsmäytyskoodi ei täsmää +AccountancyErrorMismatchBalanceAmount=saldo (%s) ei ole yhtä suuri kuin 0 +AccountancyErrorLetteringBookkeeping=Tapahtumissa on tapahtunut virheitä: %s +ErrorAccountNumberAlreadyExists=Numero Kirjanpito %s on jo olemassa +ErrorArchiveAddFile="%s" tiedosto ei voi laittaa arkistoon +ErrorNoFiscalPeriodActiveFound=Ei aktiivisia tilikausi +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Kirjanpitoasiakirja päiväys ei ole aktiivisen tilikausi sisällä. +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Kirjanpitoasiakirja päiväys on suljetussa tilikausi ## Import -ImportAccountingEntries=Accounting entries -ImportAccountingEntriesFECFormat=Accounting entries - FEC format -FECFormatJournalCode=Code journal (JournalCode) -FECFormatJournalLabel=Label journal (JournalLib) -FECFormatEntryNum=Piece number (EcritureNum) -FECFormatEntryDate=Piece date (EcritureDate) -FECFormatGeneralAccountNumber=General account number (CompteNum) -FECFormatGeneralAccountLabel=General account label (CompteLib) -FECFormatSubledgerAccountNumber=Subledger account number (CompAuxNum) -FECFormatSubledgerAccountLabel=Subledger account number (CompAuxLib) -FECFormatPieceRef=Piece ref (PieceRef) -FECFormatPieceDate=Piece date creation (PieceDate) -FECFormatLabelOperation=Label operation (EcritureLib) -FECFormatDebit=Debit (Debit) -FECFormatCredit=Credit (Credit) -FECFormatReconcilableCode=Reconcilable code (EcritureLet) -FECFormatReconcilableDate=Reconcilable date (DateLet) -FECFormatValidateDate=Piece date validated (ValidDate) -FECFormatMulticurrencyAmount=Multicurrency amount (Montantdevise) -FECFormatMulticurrencyCode=Multicurrency code (Idevise) +ImportAccountingEntries=Kirjanpito merkintää +ImportAccountingEntriesFECFormat=Kirjanpito merkintää - FEC-muoto +FECFormatJournalCode=Koodipäiväkirja (JournalCode) +FECFormatJournalLabel=Label-lehti (JournalLib) +FECFormatEntryNum=Osanumero (EcritureNum) +FECFormatEntryDate=Pala päiväys (EcritureDate) +FECFormatGeneralAccountNumber=Yleinen tilinumero (CompteNum) +FECFormatGeneralAccountLabel=Yleinen tilitunniste (CompteLib) +FECFormatSubledgerAccountNumber=Alikirjan tilinumero (CompAuxNum) +FECFormatSubledgerAccountLabel=Subledger-tilinumero (CompAuxLib) +FECFormatPieceRef=Pala viite (PieceRef) +FECFormatPieceDate=Kappaleen päiväys luominen (PieceDate) +FECFormatLabelOperation=Etiketin käyttö (EcritureLib) +FECFormatDebit=Veloitus (veloitus) +FECFormatCredit=Luotto (luotto) +FECFormatReconcilableCode=Yhteensovitettava koodi (EcritureLet) +FECFormatReconcilableDate=Yhteensovitettava päiväys (DateLet) +FECFormatValidateDate=Pala päiväys vahvistettu (ValidDate) +FECFormatMulticurrencyAmount=Usean valuutan määrä (Montdevise) +FECFormatMulticurrencyCode=Usean valuutan koodi (Idevise) -DateExport=Date export -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contain transactions modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. -ExpenseReportJournal=Expense Report Journal -DocsAlreadyExportedAreIncluded=Docs already exported are included -ClickToShowAlreadyExportedLines=Click to show already exported lines +DateExport=päiväys vienti +WarningReportNotReliable=Varoitus, tämä raportti ei perustu Reskontraan, joten se ei sisällä Reskontrassa manuaalisesti muokattuja tapahtumia. Jos päiväkirjaasi on enintään päiväys, kirjanpitonäkymä on tarkempi. +ExpenseReportJournal=kuluraportti Päiväkirja +DocsAlreadyExportedAreIncluded=Mukana ovat jo viedyt asiakirjat +ClickToShowAlreadyExportedLines=Napsauta näyttääksesi jo viedyt rivit -NAccounts=%s accounts +NAccounts=%s tiliä diff --git a/htdocs/langs/fi_FI/admin.lang b/htdocs/langs/fi_FI/admin.lang index 1db72776815..c2a2d79b1fd 100644 --- a/htdocs/langs/fi_FI/admin.lang +++ b/htdocs/langs/fi_FI/admin.lang @@ -77,7 +77,7 @@ Dictionary=Sanakirjat ErrorReservedTypeSystemSystemAuto=Arvot 'system' ja 'systemauto' ovat varattuja. Voit käyttää 'user' arvona lisääksesi sinun omaa recordia ErrorCodeCantContainZero=Koodi ei voi sisältää arvoa 0 DisableJavascript=Poista JavaScript-ja Ajax toiminnot -DisableJavascriptNote=Note: For test or debug purpose only. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user +DisableJavascriptNote=Huomautus: Vain testaus- tai virheenkorjaustarkoituksiin. Optimointia varten sokeille henkilöille tai tekstiselaimille voit mieluummin käyttää asetuksia käyttäjäprofiilissa UseSearchToSelectCompanyTooltip=Myös jos sinulla on paljon kolmansia osapuolia (> 100 000), voit lisätä nopeutta asettamalla vakion COMPANY_DONOTSEARCH_ANYWHERE arvoksi 1 kohdassa Asetukset->Muut. Haku rajoitetaan sitten merkkijonon alkuun. UseSearchToSelectContactTooltip=Myös jos sinulla on paljon kolmansia osapuolia (> 100 000), voit lisätä nopeutta asettamalla vakion CONTACT_DONOTSEARCH_ANYWHERE arvoksi 1 kohdassa Asetukset-> Muut. Haku rajoitetaan sitten merkkijonon alkuun. DelaiedFullListToSelectCompany=Odota, kunnes näppäintä painetaan, ennen kuin lataat kolmansien osapuolten yhdistelmäluettelon sisällön.
      Tämä voi parantaa suorituskykyä, jos sinulla on paljon kolmansia osapuolia, mutta se ei ole yhtä kätevää. @@ -87,7 +87,7 @@ NumberOfBytes=Tavujen lukumäärä SearchString=Haettava merkkijono NotAvailableWhenAjaxDisabled=Ei käytössä, kun Ajax poistettu käytöstä AllowToSelectProjectFromOtherCompany=Kolmannen osapuolen asiakirjalla voi valita toiseen kolmanteen osapuoleen linkitetyn projektin -TimesheetPreventAfterFollowingMonths=Prevent recording time spent after the following number of months +TimesheetPreventAfterFollowingMonths=Estä tallennusajan kuluminen seuraavien kuukausien jälkeen JavascriptDisabled=JavaScript ei käytössä UsePreviewTabs=Käytä esikatselu - välilehtiä ShowPreview=Näytä esikatselu @@ -109,7 +109,7 @@ NextValueForReplacements=Seuraava arvo (korvaavat) MustBeLowerThanPHPLimit=Huomaa: PHP-kokoonpanosi rajoittaa tällä hetkellä lähetettävien tiedostojen enimmäiskokoa %s %s tämän parametrin arvosta riippumatta. NoMaxSizeByPHPLimit=Huom: Rajaa ei ole asetettu PHP-asetuksissa MaxSizeForUploadedFiles=Lähetettävien tiedostojen enimmäiskoko (0 estää lähetykset) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page and some public pages +UseCaptchaCode=Käytä graafista koodia (CAPTCHA) kirjautumissivulla ja joillakin julkisilla sivuilla AntiVirusCommand=Virustorjuntaohjelman polku AntiVirusCommandExample=Esimerkki ClamAv-daemonille (vaatii clamav-daemonin): /usr/bin/clamdscan
      Esimerkki ClamWinille (erittäin hidas): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe AntiVirusParam= Lisää parametreja komentorivillä @@ -162,8 +162,8 @@ SystemToolsAreaDesc=Pääkäyttäjien toiminnot. Valitse valikosta haluttu omina Purge=Poista PurgeAreaDesc=Tällä sivulla voit poistaa kaikki Dolibarrin luomat tai tallentamat tiedostot (väliaikaiset tiedostot tai kaikki tiedostot hakemistossa %s ). Tämän ominaisuuden käyttäminen ei yleensä ole tarpeen. Se on kiertotapa käyttäjille, joiden Dolibarria isännöi palveluntarjoaja, joka ei tarjoa oikeuksia poistaa verkkopalvelimen luomia tiedostoja. PurgeDeleteLogFile=Poista lokitiedostot, mukaan lukien %s , joka on määritetty Syslog-moduulille (ei vaaraa menettää tietoja) -PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Parameter can be 'tempfilesold', 'logfiles' or both 'tempfilesold+logfiles'. Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files (no risk of losing data) +PurgeDeleteTemporaryFiles=Poista kaikki Loki ja väliaikaiset tiedostot (ei tietojen menettämisen vaaraa). Parametri voi olla 'tempfilesold', 'logfiles' tai molemmat 'tempfilesold+logfiles'. Huomautus: Väliaikaiset tiedostot poistetaan vain, jos väliaikaishakemisto luotiin yli 24 tuntia sitten. +PurgeDeleteTemporaryFilesShort=Poista Loki ja väliaikaista tiedostoa (ei tietojen menettämisen vaaraa) PurgeDeleteAllFilesInDocumentsDir=Poista kaikki tiedostot hakemistosta: %s .
      Tämä poistaa kaikki luodut asiakirjat, jotka liittyvät elementteihin (kolmannet osapuolet, laskut jne.), ECM-moduuliin ladatut tiedostot, tietokannan varmuuskopiot ja väliaikaiset tiedostot. PurgeRunNow=Siivoa nyt PurgeNothingToDelete=Ei poistettavia hakemistoja tai tiedostoja. @@ -213,7 +213,7 @@ FeatureAvailableOnlyOnStable=Ominaisuus käytettävissä vain virallisissa vakai BoxesDesc=Widgetit ovat komponentteja, jotka näyttävät joitain tietoja, jotka voit lisätä joidenkin sivujen mukauttamiseksi. Voit valita, näytetäänkö widget vai ei, valitsemalla kohdesivun ja napsauttamalla Aktivoi tai napsauttamalla roskakoria poistaaksesi sen käytöstä. OnlyActiveElementsAreShown=Vain -yhteensopivien moduulien elementit näytetään. ModulesDesc=Moduulit / sovellukset määrittävät ohjelmistossa käytettävissä olevat ominaisuudet. Jotkut moduulit edellyttävät oikeuksien myöntämistä käyttäjille moduulin aktivoinnin jälkeen. Napsauta kunkin moduulin virtapainiketta %s , jos haluat ottaa moduulin / sovelluksen käyttöön tai poistaa sen käytöstä. -ModulesDesc2=Click the wheel button %s to configure the module/application. +ModulesDesc2=Napsauta pyöräpainiketta %s määrittääksesi moduulin/sovelluksen. ModulesMarketPlaceDesc=Löydät lisää moduuleja ladattavaksi ulkoisilta verkkosivustoilta Internetistä ... ModulesDeployDesc=Jos tiedostojärjestelmän käyttöoikeudet sen sallivat, voit käyttää tätä työkalua ulkoisen moduulin asentamiseen. Moduuli on tämän jälkeen näkyvissä välilehdellä %s . ModulesMarketPlaces=Etsi ulkoisia sovelluksia/moduuleja @@ -227,7 +227,9 @@ NotCompatible=Moduuli ei ole yhteensopiva Dolibarr - version %s kanssa. (Min %s CompatibleAfterUpdate=Moduuli vaatii Dolibarr - version %s päivittämisen. (Min %s - Max %s) SeeInMarkerPlace=Katso kauppapaikalla SeeSetupOfModule=Katso moduulin %s asetukset -SetOptionTo=Set option %s to %s +SeeSetupPage=Katso asennussivu osoitteessa %s +SeeReportPage=Katso raporttisivu osoitteessa %s +SetOptionTo=Aseta vaihtoehdoksi %s arvoksi %s Updated=Päivitetty AchatTelechargement=Osta / Lataa GoModuleSetupArea=Voit ottaa uuden moduulin käyttöön tai asentaa sen siirtymällä moduulin asennusalueelle: %s . @@ -241,7 +243,7 @@ BoxesAvailable=Widgetit saatavilla BoxesActivated=Widget aktivoitu ActivateOn=Aktivoi ActiveOn=Aktivoitu -ActivatableOn=Activatable on +ActivatableOn=Aktivoitavissa päällä SourceFile=Lähdetiedosto AvailableOnlyIfJavascriptAndAjaxNotDisabled=Käytettävissä vain, jos JavaScript käytössä Required=Vaadittu @@ -268,8 +270,8 @@ OtherResources=Muut resurssit ExternalResources=Ulkoiset resurssit SocialNetworks=Sosiaaliset verkostot SocialNetworkId=Sosiaalisen verkoston tunnus -ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),
      take a look at the Dolibarr Wiki:
      %s -ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:
      %s +ForDocumentationSeeWiki=Katso käyttäjien tai kehittäjien dokumentaatio (asiakirja, UKK...)
      Dolibarr Wikissä:
      %sb0e40dccz65878 +ForAnswersSeeForum=Jos sinulla on muita kysymyksiä tai apua, voit käyttää Dolibarrin keskusteluryhmää:
      %s HelpCenterDesc1=Tässä on joitain resursseja, joilla saat apua ja tukea Dolibarrin kanssa. HelpCenterDesc2=Osa näistä resursseista on saatavana vain englanniksi . CurrentMenuHandler=Nykyinen valikko handler @@ -282,7 +284,7 @@ SpaceX=Tila X SpaceY=Tila Y FontSize=Fontin koko Content=Sisällys -ContentForLines=Content to display for each product or service (from variable __LINES__ of Content) +ContentForLines=Jokaiselle tuotteelle tai palvelulle näytettävä sisältö (sisällön muuttujasta __LINES__) NoticePeriod=Huomautusaika NewByMonth=Uusi kuukausittain Emails=Sähköpostit @@ -292,22 +294,22 @@ EmailSenderProfiles=Sähköpostin lähettäjien profiilit EMailsSenderProfileDesc=Voit pitää tämän osan tyhjänä. Jos kirjoitat joitain sähköposteja tähän, ne lisätään mahdollisten lähettäjien luetteloon yhdistelmäruutuun, kun kirjoitat uutta sähköpostia. MAIN_MAIL_SMTP_PORT=SMTP / SMTPS-portti (oletusarvo php.ini-tiedostossa: %s ) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS-isäntä (oletusarvo php.ini-tiedostossa: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Portti (Ei määritelty PHP:hen Unix-tyyppisissä järjestelmissä) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS-isäntä (ei määritelty PHP:ssa Unix-tyyppisissä järjestelmissä) -MAIN_MAIL_EMAIL_FROM=Lähettäjän sähköposti automaattisia sähköposteja varten (oletusarvo php.ini: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS-portti +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS-isäntä +MAIN_MAIL_EMAIL_FROM=Lähetä sähköposti automaattisille sähköpostiviesteille +EMailHelpMsgSPFDKIM=Estä Dolibarr-sähköpostien luokittelu roskapostiksi varmistamalla, että palvelimella on oikeus lähettää sähköposteja tällä tunnisteella (tarkistamalla verkkotunnuksen SPF ja DKIM-määritykset) MAIN_MAIL_ERRORS_TO=Sähköpostiosoite, jota käytetään virheellisten sähköpostien palautusosoitteena (kentät Errors-To lähetetyissä sähköposteissa) MAIN_MAIL_AUTOCOPY_TO= Kopioi (piilokopio) kaikki lähetetyt sähköpostit osoitteeseen MAIN_DISABLE_ALL_MAILS=Poista kaikki sähköpostin lähettäminen käytöstä (testitarkoituksia tai esittelyjä varten) MAIN_MAIL_FORCE_SENDTO=Lähetä kaikki sähköpostit (todellisten vastaanottajien sijasta testitarkoituksiin) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Ehdota työntekijöiden sähköposteja (jos määritelty) ennalta määritettyjen vastaanottajien luetteloon uutta sähköpostia kirjoittaessasi -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Älä valitse oletus-vastaanottajaa, vaikka vaihtoehtoja olisi vain yksi MAIN_MAIL_SENDMODE=Sähköpostin lähetystapa MAIN_MAIL_SMTPS_ID=SMTP-tunnus (jos lähettävä palvelin vaatii todennuksen) MAIN_MAIL_SMTPS_PW=SMTP-salasana (jos lähettävä palvelin vaatii todennuksen) MAIN_MAIL_EMAIL_TLS=TLS (SSL) - salaus MAIN_MAIL_EMAIL_STARTTLS=TLS (STARTTLS) - salaus -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Valtuuta itse allekirjoitettuja varmenteita MAIN_MAIL_EMAIL_DKIM_ENABLED=Käytä DKIM:iä sähköpostin allekirjoituksen luontiin MAIN_MAIL_EMAIL_DKIM_DOMAIN=DKIM:in kanssa käytetty sähköpostidomain MAIN_MAIL_EMAIL_DKIM_SELECTOR=Dkim-valitsimen nimi @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Henkilökohtainen avain DKIM-allekirjoitukseen MAIN_DISABLE_ALL_SMS=Poista SMS-viestit käytöstä (testitarkoituksessa tai demossa) MAIN_SMS_SENDMODE=SMS-viestien lähetystapa MAIN_MAIL_SMS_FROM=Oletuspuhelinnumero SMS-viestien lähetykseen -MAIN_MAIL_DEFAULT_FROMTYPE=Oletussähköpostiosoite käsin lähetettäessä (Käyttäjän sähköpostiosoite tai yrityksen sähköpostiosoite) +MAIN_MAIL_DEFAULT_FROMTYPE=oletus lähettäjän sähköposti valmiiksi valittu lomakkeissa sähköpostien lähettämistä varten UserEmail=Käyttäjän sähköposti CompanyEmail=Yrityksen sähköposti FeatureNotAvailableOnLinux=Ominaisuus ei ole Unix-koneissa. Testaa sendmail ohjelmaa paikallisesti. @@ -335,7 +337,7 @@ ModuleFamilyTechnic=Multi-modules työkalut ModuleFamilyExperimental=Kokeelliset moduulit ModuleFamilyFinancial=Talouden Moduulit (Kirjanpito / Rahoitus) ModuleFamilyECM=Sisällönhallinta (ECM) -ModuleFamilyPortal=Websites and other frontal application +ModuleFamilyPortal=Verkkosivustot ja muu etusovellus ModuleFamilyInterface=Liitynnät ulkoisiin järjestelmiin MenuHandlers=Valikko käsitteleville MenuAdmin=Valikkoeditori @@ -346,7 +348,7 @@ StepNb=Vaihe %s FindPackageFromWebSite=Etsi paketti, joka tarjoaa tarvittavat ominaisuudet (esimerkiksi virallisella verkkosivustolla %s). DownloadPackageFromWebSite=Lataa paketti (esimerkiksi viralliselta verkkosivustolta %s). UnpackPackageInDolibarrRoot=Pura pakatut tiedostot Dolibarr-palvelinhakemistoon: %s -UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s +UnpackPackageInModulesRoot=Jotta voit ottaa käyttöön tai asentaa ulkoisen moduulin, sinun on purettava arkisto tiedosto ulkoisille moduuleille omistettuun palvelinhakemistoon:
      %s SetupIsReadyForUse=Moduulin käyttöönotto on valmis. Sinun on kuitenkin otettava käyttöön ja määriteltävä moduuli sovelluksessasi siirtymällä sivun asetusmoduuleihin: %s . NotExistsDirect=Vaihtoehtoista juurihakemistoa ei ole määritelty olemassa olevalle hakemistolle.
      InfDirAlt=Versiosta 3 lähtien on mahdollista määrittää vaihtoehtoinen juurihakemisto. Tämän avulla voit tallentaa erilliseen hakemistoon laajennuksia ja mukautettuja malleja.
      Luo vain hakemisto Dolibarrin juurelle (esim. mukautettu).
      @@ -358,17 +360,17 @@ LastStableVersion=Viimeisin vakaa versio LastActivationDate=Viimeisin aktivointipäivä LastActivationAuthor=Viimeisin taho, joka on suorittanut aktivoinnin LastActivationIP=Viimeinen aktiivinen IP -LastActivationVersion=Latest activation version +LastActivationVersion=Uusin aktivointiversio UpdateServerOffline=Palvelimen offline-päivitys WithCounter=Laskurin hallinta -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      -GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      +GenericMaskCodes=Voit syöttää minkä tahansa numeromaskin. Tässä maskissa voidaan käyttää seuraavia tunnisteita:
      {000000}b09a4b739f17f8 /span> vastaa numeroa, joka kasvaa jokaisen %s kohdalla. Syötä niin monta nollaa kuin laskurin haluttu pituus. Laskuria täydennetään nollalla vasemmalta, jotta siinä olisi yhtä monta nollaa kuin maskissa.
      {000000+000}, mutta sama kuin edellinen +-merkin oikealla puolella olevaa numeroa vastaava siirtymä otetaan käyttöön ensimmäisestä %s alkaen.
      {000000@x} mutta sama kuin edellinen laskuri nollataan, kun kuukausi x saavutetaan (x välillä 1 ja 12 tai 0, jos haluat käyttää määrityksessäsi määritettyjä tilivuoden alkukuukausia, tai 99 nollataksesi nolla joka kuukausi). Jos tätä vaihtoehtoa käytetään ja x on 2 tai suurempi, myös järjestys {yy}{mm} tai {yyyy}{mm} vaaditaan.
      {dd} päivä (01–31). span class='notranslate'>
      {mm} kuukausi (01–12).
      {yy}, 3f658383fz08 {yyyy}
      tai {y} vuosi yli 2, 4 tai 1 numeroa.
      +GenericMaskCodes2={cccc} asiakaskoodi n merkillä
      {cccc000}b09a4b739f17> asiakaskoodi n merkkiä seuraa asiakkaalle omistettu laskuri. Tämä asiakkaalle tarkoitettu laskuri nollataan samaan aikaan kuin yleinen laskuri.
      {tttt} Kolmannen osapuolen tyypin koodi n merkillä (katso valikko Etusivu - Asennus - Sanakirja - Kolmannen tyypin tyypit juhlat). Jos lisäät tämän tunnisteen, laskuri on erilainen kullekin kolmannen osapuolen tyypille.
      GenericMaskCodes3=Kaikki muut merkit ja maski pysyy ennallaan.
      Välilyönnit eivät ole sallittuja.
      -GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
      Spaces are not allowed.
      In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes3EAN=Kaikki muut maskin merkit pysyvät ennallaan (paitsi * tai ? EAN13:n 13. kohdassa).
      Välilyönnit eivät ole sallittuja.
      span>EAN13:ssa viimeisen }:n jälkeen 13. sijainnissa tulee olla * tai ? . Se korvataan lasketulla avaimella.
      +GenericMaskCodes4a=Esimerkki kolmannen osapuolen TheCompanyn 99. %s:sta päiväys 31.1.2023:
      +GenericMaskCodes4b=Esimerkki kolmannesta osapuolesta luotu 31.1.2023:
      > +GenericMaskCodes4c=Esimerkki tuotteesta luotu 31.1.2023:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000} antaa b0aee833650ABC2301-000099

      b0aee83365837+0{0@1 }-ZZZ/{dd}/XXX
      antaa 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} antaa IN2301-0099-A, jos class='notranslate'>Yritys on "Responsable Inscripto", jonka tyypin koodi on "A_RI" GenericNumRefModelDesc=Paluu mukautettavan numeron mukaan määritelty mask. ServerAvailableOnIPOrPort=Server on saatavilla osoitteessa %s satama %s ServerNotAvailableOnIPOrPort=Palvelin ei ole käytettävissä osoitteessa %s satama %s @@ -378,11 +380,11 @@ DoTestSendHTML=Testaa HTML:n lähettäminen ErrorCantUseRazIfNoYearInMask=Virhe, ei voi käyttää vaihtoehtoa @ laskurin nollaamiseen vuosittain, jos jaksoa {yy} tai {yyyy} ei ole maskissa. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Virhe ei voi käyttäjä vaihtoehto @ jos SEQUENCE (yy) (mm) tai (vvvv) (mm) ei mask. UMask=UMask parametri uusia tiedostoja Unix / Linux / BSD-tiedostojärjestelmää. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. -SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization +UMaskExplanation=Tämän parametrin avulla voit määrittää käyttöoikeudet, jotka oletus on määrittänyt Dolibarrin palvelimelle luomille tiedostoille (esimerkiksi latauksen aikana).
      Se on oltava oktaaliarvo (esimerkiksi 0666 tarkoittaa, että lue ja kirjoittaa kaikille.). Suositeltu arvo on 0600 tai 0660
      Tämä parametri on hyödytön Windows-palvelimessa. +SeeWikiForAllTeam=Katso Wiki-sivulta luettelo avustajista ja heidän organisaatiossaan UseACacheDelay= Viive cashing vienti vastehuippu sekuntia (0 tai tyhjä ei välimuisti) -DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page -DisableLinkToHelp=Hide the link to the online help "%s" +DisableLinkToHelpCenter=Piilota linkki "Tarvitset apua tai tukea" kirjautumissivulta +DisableLinkToHelp=Piilota linkki online-ohjeeseen "%s" AddCRIfTooLong=Automaattista tekstin rivitystä ei ole, liian pitkä teksti ei näy asiakirjoissa. Lisää tarvittaessa teksti-alueelle rivinvaihto. ConfirmPurge=Haluatko varmasti suorittaa tämän puhdistuksen?
      Tämä poistaa kaikki datatiedostosi pysyvästi, eikä niitä voi palauttaa (ECM-tiedostot, liitetyt tiedostot ...). MinLength=Vähimmäispituus @@ -396,7 +398,7 @@ ExampleOfDirectoriesForModelGen=Esimerkkejä syntaksista:
      c:\\myapp\\mydocu FollowingSubstitutionKeysCanBeUsed=
      Jos haluat tietää, miten voit luoda odt asiakirjamalleja, ennen kuin laitat ne näistä hakemistoista, lue wiki dokumentaatio: FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template FirstnameNamePosition=Etunimi/Sukunimi - sijainti -DescWeather=The following images will be shown on the dashboard when the number of late actions reach the following values: +DescWeather=Seuraavat kuvat näytetään kojelaudassa, kun myöhästyneiden toimintojen määrä saavuttaa seuraavat arvot: KeyForWebServicesAccess=Avain käyttää Web Services (parametri "dolibarrkey" in WebServices) TestSubmitForm=Tulo testi lomake ThisForceAlsoTheme=Tämän valikkohallinnan käyttäminen käyttää myös omaa teemaansa käyttäjän valinnasta riippumatta. Tämä älypuhelimille tarkoitettu valikkohallinta ei välttämättä toimi kaikissa älypuhelimissa. Käytä toista valikonhallintaohjelmaa, jos sinulla on ongelmia omasi kanssa. @@ -409,7 +411,7 @@ SecurityToken=Avain turvallinen URL NoSmsEngine=Ei tekstiviestien lähettäjien hallintaa. Tekstiviestien lähettäjien hallintaa ei ole asennettu oletusjakelun kanssa, koska ne riippuvat ulkoisesta toimittajasta, mutta joitain löydät osoitteesta %s PDF=PDF PDFDesc=Globaalit vaihtoehdot PDF-tiedostojen luomista varten -PDFOtherDesc=PDF Option specific to some modules +PDFOtherDesc=Joillekin moduuleille tarkoitettu PDF-vaihtoehto PDFAddressForging=Osoiteosuuden säännöt HideAnyVATInformationOnPDF=Piilota kaikki myyntiveroihin/ALViin liittyvä tieto PDFRulesForSalesTax=Myyntiveron / alv:n säännöt @@ -417,6 +419,7 @@ PDFLocaltax=Säännöt %s: lle HideLocalTaxOnPDF=Piilota %s-taksa sarakkeessa Myyntivero / ALV HideDescOnPDF=Piilota tuotekuvaus HideRefOnPDF=Piilota tuotteiden viite +ShowProductBarcodeOnPDF=Näytä viivakoodi numero tuotteet HideDetailsOnPDF=Piilota tuoterivien tiedot PlaceCustomerAddressToIsoLocation=Käytä ranskan vakioasemaa (La Poste) asiakasosoitteen sijaintiin Library=Kirjasto @@ -424,7 +427,7 @@ UrlGenerationParameters=Parametrit turvata URL SecurityTokenIsUnique=Käytä ainutlaatuinen securekey parametri jokaiselle URL EnterRefToBuildUrl=Kirjoita viittaus objektin %s GetSecuredUrl=Hanki lasketaan URL -ButtonHideUnauthorized=Piilota luvattomat toimintopainikkeet myös sisäisille käyttäjille (muuten harmaat) +ButtonHideUnauthorized=Piilota luvattomat toimintopainikkeet myös sisäisiltä käyttäjiltä (muutoin vain harmaana) OldVATRates=Vanha ALV-prosentti NewVATRates=Uusi ALV-prosentti PriceBaseTypeToChange=Muuta hintoja, joiden perusviitearvo on määritelty @@ -455,34 +458,34 @@ ExtrafieldCheckBox=Valintaruudut ExtrafieldCheckBoxFromList=Valintaruudut taulusta ExtrafieldLink=Linkki objektiin ComputedFormula=Laskettu kenttä -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' +ComputedFormulaDesc=Voit syöttää tähän kaavan käyttämällä objektin muita ominaisuuksia tai mitä tahansa PHP-koodausta saadaksesi dynaamisen lasketun arvon. Voit käyttää mitä tahansa PHP-yhteensopivia kaavoja, mukaan lukien "?" ehtooperaattori, ja seuraava globaali objekti: $db, $conf, $langs, $mysoc, $user, $objectoffield .
      VAROITUS: Jos tarvitset lataamattoman objektin ominaisuuksia, hae itse objekti kaavaan kuten toisessa esimerkissä.
      Käyttämällä laskettua Kenttä tarkoittaa, että et voi syöttää itsellesi arvoa käyttöliittymästä. Jos myös syntaksivirhe, kaava ei välttämättä palauta mitään.

      Esimerkki kaavasta:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      Esimerkki objektin lataamisesta uudelleen
      (($reloadedobj = uusi Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey']*- $reloadedobj >kapitali / 5: '-1')

      Muu esimerkki kaavasta, jolla pakotetaan objektin ja sen pääobjekti:
      (($reloadedobj = uusi tehtävä($db)) && ($reloadedobj->fetchNoCompute($idobjectoffield-> ) > 0) && ($secondloadedobj = uusi projekti($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'emoprojektia ei löydy' Computedpersistent=Tallenna laskettu kenttä ComputedpersistentDesc=Lasketut ylimääräiset kentät tallennetaan tietokantaan, mutta arvo lasketaan uudelleen vasta, kun tämän kentän kohdetta muutetaan. Jos laskettu kenttä riippuu muista kohteista tai globaaleista tiedoista, tämä arvo saattaa olla väärä!! -ExtrafieldParamHelpPassword=Jos jätät tämän kentän tyhjäksi, tämä arvo tallennetaan ilman salausta (kenttä on piilotettava vain tähdellä näytöllä).
      Aseta 'auto' käyttämään oletussalaussääntöä salasanan tallentamiseksi tietokantaan (silloin luettu arvo on vain hash, ei mitään tapaa hakea alkuperäistä arvoa) -ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      In order to have the list depending on another list:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key +ExtrafieldParamHelpPassword=Tämän Kenttä jättäminen tyhjäksi tarkoittaa, että tämä arvo tallennetaan ILMAN salausta (Kenttä on vain piilotettu tähdillä näytöllä).

      Syötä arvo dolcrypt koodataksesi arvon palautuvalla salausalgoritmilla. Tyhjät tiedot voidaan edelleen tuntea ja muokattuna, mutta ne on salattu muotoon tietokanta.
      >
      Syötä "auto" (tai "md5", "sha256", "password_hash", ...) käyttääksesi oletus span> salasanan salausalgoritmi (tai md5, sha256, password_hash...) tallentaaksesi ei-palauttavan hajautetun salasanan kohteeseen tietokanta (alkuperäistä arvoa ei voi palauttaa) +ExtrafieldParamHelpselect=Arvoluettelon on oltava rivejä, joissa on muotoavain, arvo (jossa avain ei voi olla '0')

      esimerkiksi :
      1,value1
      2,value2b0342fccfda19bzvalue0code3, span class='notranslate'>
      ...

      Jotta luettelo riippuu muista täydentävä attribuuttiluettelo:
      1,value1|options_parent_list_codeb0ae64758bac3:3 parent_key
      2,value2|options_parent_list_codeb0ae64758avain_parent_
      z33 class='notranslate'>

      Jotta luettelo riippuu toisesta luettelosta:
      1, value1|parent_list_code:parent_key
      2,value
      parent_list_code:parent_key ExtrafieldParamHelpcheckbox=Arvoluettelon on oltava rivejä, joissa on muoto: avain,arvo (missä avain ei voi olla 0)

      esimerkiksi:
      1,arvo1
      2,arvo2
      3,arvo3
      ... ExtrafieldParamHelpradio=Arvoluettelon on oltava rivejä, joissa on muoto: avain,arvo (missä avain ei voi olla 0)

      esimerkiksi:
      1,arvo1
      2,arvo2
      3,arvo3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath -ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) +ExtrafieldParamHelpsellist=Arvoluettelo tulee taulukosta
      Syntaksi: table_name:label_field:id_field::filtersql
      Esimerkki: c_idtypent:libelle ::filtersql

      – id_field on välttämättä ensisijainen int-avain
      - filtersql on SQL-ehto. Vain aktiivisen arvon näyttäminen voi olla yksinkertainen testi (esim. active=1).
      Voit myös käyttää $ID$ suodattimessa, joka on nykyisen objektin nykyinen tunnus
      Jos haluat käyttää SELECT-toimintoa suodattimessa, käytä avainsanaa $SEL$ ohittaaksesi injektioestosuojauksen.
      jos haluat suodattaa lisäkenttiä käytä syntaksia extra.fieldcode=... (jossa Kenttä koodi on lisäkentän koodi)

      Jotta luettelo riippuu toisesta täydentävästä attribuuttiluettelosta:
      c_typent:libelle:id:options_b049271e8181fcz /span>parent_list_code
      |parent_column:filter
      b0342fccfda19bz järjestyksessä 0 sisältää luettelon toisesta luettelosta riippuen:
      c_typent:libelle:id:parent_list_codeb0ae64708 |parent_column:filter +ExtrafieldParamHelpchkbxlst=Arvoluettelo tulee taulukosta
      Syntaksi: table_name:label_field:id_field::filtersql
      Esimerkki: c_idtypent:libelle ::filtersql

      -suodatin voi olla yksinkertainen testi (esim. active=1), joka näyttää vain aktiivisen arvon
      Voit myös käyttää suodattimessa arvoa $ID$, joka on nykyisen objektin nykyinen tunnus
      Voit tehdä SELECT-toiminnon suodattimessa käyttämällä $SEL$<. span class='notranslate'>
      , jos haluat suodattaa lisäkenttiä, käytä syntaksia extra.fieldcode=... (jossa Kenttä koodi on lisäkentän koodi)

      Jotta luettelo riippuu toisesta täydentävästä attribuuttiluettelosta:
      span>c_typent:libelle:id:options_parent_list_code|parent_column:filter
      1: paikallinen vero sovelletaan tuotteet class='notranslate'>ja palvelut ilman alv:ta (localtax lasketaan summasta ilman vero)
      paikalliset vero koskevat tuotteet ja palvelut, mukaan lukien alv (localtax) määrä + pääasiallinen vero)
      3: paikallinen vero voimassa tuotteet ilman alv:a (localtax lasketaan summasta ilman vero)
      4: local vero sovelletaan tuotteet mukaan lukien alv (localtax lasketaan summasta + pääalv)b0342fccfda19 /span>5: paikallinen vero koskee palveluita ilman ALV:tä (localtax lasketaan summasta ilman vero)
      6: paikallinen vero koskee palveluja, mukaan lukien alv (localtax lasketaan summasta + vero) SMS=Tekstiviesti LinkToTestClickToDial=Anna puhelinnumero, johon haluat soittaa, jotta saat linkin testata käyttäjän ClickToDial-URL-osoitetta %s RefreshPhoneLink=Päivitä linkki LinkToTest=Napsautettava linkki luotu käyttäjälle %s (testaa napsauttamalla puhelinnumeroa) KeepEmptyToUseDefault=Pidä tyhjänä käyttääksesi oletusarvoa -KeepThisEmptyInMostCases=Useimmissa tapauksissa voit pitää tämän kentän tyhjänä. +KeepThisEmptyInMostCases=Useimmissa tapauksissa voit pitää tämän Kenttä tyhjänä. DefaultLink=Oletuslinkki SetAsDefault=Aseta oletukseksi ValueOverwrittenByUserSetup=Varoitus, käyttäjäkohtainen asennus voi korvata tämän arvon (jokainen käyttäjä voi asettaa oman clicktodial-URL-osoitteen) ExternalModule=Ulkoinen moduuli InstalledInto=Asennettu hakemistoon %s -BarcodeInitForThirdparties=Mass barcode init for third-parties -BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services -CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. -InitEmptyBarCode=Init value for the %s empty barcodes +BarcodeInitForThirdparties=viivakoodi-init kolmansille osapuolille +BarcodeInitForProductsOrServices=Massa viivakoodi init tai reset tuotteet tai palveluille +CurrentlyNWithoutBarCode=Tällä hetkellä sinulla on %s tietue sivustolla %s b0ecb2fz87f class='notranslate'>viivakoodi määritetty. +InitEmptyBarCode=Alkuarvo %s tyhjälle viivakoodille EraseAllCurrentBarCode=Poista kaikki nykyiset viivakoodi arvot ConfirmEraseAllCurrentBarCode=Haluatko varmasti poistaa kaikki nykyiset viivakoodiarvot? AllBarcodeReset=Kaikki viivakoodi arvot on poistettu @@ -493,55 +496,55 @@ NoDetails=Alatunnisteessa ei ole lisätietoja DisplayCompanyInfo=Näytä yrityksen osoitetiedot DisplayCompanyManagers=Näytä managerien nimet DisplayCompanyInfoAndManagers=Näytä yrityksen osoite ja päälliköiden nimet -EnableAndSetupModuleCron=If you want to have this recurring invoice generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template using the *Create* button. Note that even if you enabled automatic generation, you can still safely launch manual generation. Generation of duplicates for the same period is not possible. -ModuleCompanyCodeCustomerAquarium=%s followed by customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by vendor code for a vendor accounting code +EnableAndSetupModuleCron=Jos haluat, että tämä toistuva lasku luodaan automaattisesti, moduulin *%s* on oltava käytössä ja oikein. Muussa tapauksessa laskut on luotava manuaalisesti tästä mallista käyttämällä *luo*-painiketta. Huomaa, että vaikka olisit ottanut automaattisen luonnin käyttöön, voit silti käynnistää manuaalisen luonnin turvallisesti. Kaksoiskappaleiden luominen samalle ajanjaksolle ei ole mahdollista. +ModuleCompanyCodeCustomerAquarium=%s ja sen jälkeen asiakaskoodi asiakkaan Kirjanpito koodille +ModuleCompanyCodeSupplierAquarium=%s ja sen jälkeen Toimittaja koodi Toimittaja Kirjanpito-koodi ModuleCompanyCodePanicum=Palauta tyhjä kirjanpitokoodi. -ModuleCompanyCodeDigitaria=Returns a compound accounting code according to the name of the third party. The code consists of a prefix that can be defined in the first position followed by the number of characters defined in the third party code. -ModuleCompanyCodeCustomerDigitaria=%s followed by the truncated customer name by the number of characters: %s for the customer accounting code. -ModuleCompanyCodeSupplierDigitaria=%s followed by the truncated supplier name by the number of characters: %s for the supplier accounting code. -Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
      Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. -UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... -WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons: -WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM -WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota). -WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox. -WarningPHPMailD=It is therefore recommended to change the sending method of e-mails to the value "SMTP". -WarningPHPMailDbis=If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by %sclicking here%s. -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask your domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. -ActualMailSPFRecordFound=Actual SPF record found (for email %s) : %s +ModuleCompanyCodeDigitaria=Palauttaa yhdistelmäkoodin Kirjanpito kolmannen osapuolen nimen mukaan. Koodi koostuu etuliitteestä, joka voidaan määrittää ensimmäiseen kohtaan, jota seuraa kolmannen osapuolen koodissa määritetty merkkien määrä. +ModuleCompanyCodeCustomerDigitaria=%s, jota seuraa lyhennetty asiakkaan nimi merkkien määrällä: %s asiakkaalle b0d4305fc47d9ez koodi. +ModuleCompanyCodeSupplierDigitaria=%s ja sen jälkeen katkaistu nimi toimittaja merkkien lukumäärän mukaan: %s koodille toimittaja Kirjanpito. +Use3StepsApproval=Tekijä: oletus, Hankinta Tilaukset on luotava ja hyväksynyt 2 erilaista käyttäjät (yksi vaihe/käyttäjä luo ja yksi vaihe/käyttäjä hyväksyä >. Huomaa, että jos käyttäjällä on molemmat käyttöoikeudet luo ja hyväksyä, yksi askel/käyttäjä riittää). Voit pyytää tällä vaihtoehdolla ottamaan käyttöön kolmannen vaiheen/käyttäjän hyväksynnän, jos summa on suurempi kuin varattu arvo (joten tarvitaan kolme vaihetta: 1=vahvistus, 2=ensimmäinen hyväksyntä ja 3=sekunti hyväksyntä, jos määrä riittää).
      Aseta tämä tyhjäksi, jos yksi hyväksyntä (2 askelta) riittää, aseta arvo erittäin pieneksi (0,1), jos toinen hyväksyntä (3 vaihetta) vaaditaan aina. +UseDoubleApproval=Käytä kolmivaiheista hyväksyntää, kun summa (ilman vero) on suurempi kuin... +WarningPHPMail=VAROITUS: Asetukset sähköpostien lähettämiseen sovelluksesta käyttävät oletus yleistä asetusta. Usein on parempi määrittää lähtevät sähköpostit käyttämään sähköpostipalveluntarjoajasi sähköpostipalvelinta oletus-asetuksen sijaan useista syistä: +WarningPHPMailA=- Sähköpostipalveluntarjoajan palvelimen käyttö lisää sähköpostisi luotettavuutta, joten se lisää toimitettavuutta ilman, että se merkitään roskapostiksi +WarningPHPMailB=- Jotkut sähköpostipalveluntarjoajat (kuten Yahoo) eivät salli sähköpostin lähettämistä toiselta palvelimelta kuin omalta palvelimeltaan. Nykyinen asetuksesi käyttää sovelluksen palvelinta sähköpostin lähettämiseen ja, ei sähköpostipalveluntarjoajasi palvelinta, joten jotkut vastaanottajat (joka on yhteensopiva rajoittavan DMARC-protokollan kanssa) kysyvät sähköpostipalveluntarjoaja, jos he voivat hyväksyä sähköpostisi ja jotkut sähköpostipalveluntarjoajat (kuten Yahoo) voivat vastata "ei", koska palvelin ei ole heidän, joten muutamaa lähettämistäsi sähköposteista ei ehkä hyväksytä toimitus (varo myös sähköpostipalveluntarjoajan lähetyskiintiötä). +WarningPHPMailC=- Oman sähköpostipalveluntarjoajasi SMTP-palvelimen käyttäminen sähköpostien lähettämiseen on myös mielenkiintoista, joten kaikki sovelluksesta lähetetyt sähköpostit tallentuvat myös postilaatikkosi "Lähetetyt"-hakemistoon. +WarningPHPMailD=Siksi on suositeltavaa vaihtaa sähköpostien lähetystapa arvoon "SMTP". +WarningPHPMailDbis=Jos todella haluat säilyttää oletus "PHP"-menetelmän sähköpostien lähettämiseen, jätä tämä varoitus huomioimatta tai poista se %s napsauttamalla tätä%s. +WarningPHPMail2=Jos sähköpostin SMTP-palveluntarjoajasi joutuu rajoittamaan sähköpostiohjelman joihinkin IP-osoitteisiin (erittäin harvinaista), tämä on ERP CRM -sovelluksesi sähköpostin käyttäjäagentin (MUA) IP-osoite: %s. +WarningPHPMailSPF=Jos lähettäjän sähköpostiosoitteesi verkkotunnus on suojattu SPF-tietueella (kysy verkkotunnuksen rekisteröijältä), sinun on lisättävä seuraavat IP-osoitteet verkkotunnuksesi DNS:n SPF-tietueeseen: %s. +ActualMailSPFRecordFound=Todellinen SPF-tietue löydetty (sähköpostille %s): %s ClickToShowDescription=Klikkaa näyttääksesi kuvaus DependsOn=Tämä moduuli tarvitsee moduulit RequiredBy=Moduuli (t) vaativat tämän moduulin -TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. Technical knowledge is required to read the content of the HTML page to get the key name of a field. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. -PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) +TheKeyIsTheNameOfHtmlField=Tämä on HTML-koodin Kenttä nimi. Tekninen tietämys vaaditaan HTML-sivun sisällön lukemiseen saadakseen Kenttä avaimenimen. +PageUrlForDefaultValues=Sinun on syötettävä sivun URL-osoitteen suhteellinen polku. Jos lisäät parametreja URL-osoitteeseen, se on tehokas, jos kaikilla selattavan URL-osoitteen parametreilla on tässä määritetty arvo. +PageUrlForDefaultValuesCreate=
      Esimerkki:
      Lomake luo uudelle kolmannelle osapuolelle, se on %s.
      Muokattuun hakemistoon asennettujen ulkoisten moduulien URL-osoitteisiin älä sisällytä "custom/", joten käytä polkua kuten mymodule/mypage.php ja not custom/mymodule/mypage.php.
      , jonka haluat classIf ='notranslate'>oletus arvo vain, jos URL-osoitteessa on jokin parametri, voit käyttää %s +PageUrlForDefaultValuesList=
      Esimerkki:
      Sivulla, jolla on luettelo kolmansista osapuolista, se on >%s.
      Muokattuun hakemistoon asennettujen ulkoisten moduulien URL-osoitteet , älä sisällytä "custom/", joten käytä polkua kuten mymodule/mypagelist.php ja not custom/mymodule/mypagelist.php.
      Jos haluat oletus-arvon vain jos sisältää jonkin parametrin, voit käyttää %s +AlsoDefaultValuesAreEffectiveForActionCreate=Huomaa myös, että oletus-arvojen korvaaminen lomakkeiden luonnissa toimii vain sivuilla, jotka on suunniteltu oikein (siis parametrilla action=luo tai presend ...) EnableDefaultValues=Ota käyttöön oletusarvojen mukauttaminen -EnableOverwriteTranslation=Allow customization of translations -GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation. -WarningSettingSortOrder=Warning, setting a default sort order may result in a technical error when going on the list page if field is an unknown field. If you experience such an error, come back to this page to remove the default sort order and restore default behavior. +EnableOverwriteTranslation=Salli käännösten mukauttaminen +GoIntoTranslationMenuToChangeThis=Tällä koodilla varustetulle avaimelle on löydetty käännös. Jos haluat muuttaa tätä arvoa, sinun on muokattava sitä kohdasta Home-Setup-translation. +WarningSettingSortOrder=Varoitus, oletus -lajittelujärjestyksen asettaminen voi aiheuttaa teknisen virheen luettelosivulla siirtyessä, jos Kenttä on tuntematon Kenttä. Jos kohtaat tällaisen virheen, palaa tälle sivulle ja poista oletus lajittelujärjestys ja palauta oletus. Field=Kenttä ProductDocumentTemplates=Asiakirjamallit tuotedokumentin luomiseksi -ProductBatchDocumentTemplates=Document templates to generate product lots document +ProductBatchDocumentTemplates=Asiakirjamallit tuoteerien asiakirjan luomiseksi FreeLegalTextOnExpenseReports=Ilmainen lakiteksti kuluraporteissa WatermarkOnDraftExpenseReports=Vesileima kuluraporttiluonnoksissa -ProjectIsRequiredOnExpenseReports=The project is mandatory for entering an expense report -PrefillExpenseReportDatesWithCurrentMonth=Pre-fill start and end dates of new expense report with start and end dates of the current month -ForceExpenseReportsLineAmountsIncludingTaxesOnly=Force the entry of expense report amounts always in amount with taxes -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) +ProjectIsRequiredOnExpenseReports=Projekti on pakollinen kuluraportti +PrefillExpenseReportDatesWithCurrentMonth=Esitäytä uusi kuluraportti alku ja loppu päivämäärät. class='notranslate'>ja kuluvan kuukauden päivämäärät +ForceExpenseReportsLineAmountsIncludingTaxesOnly=Pakota kuluraportti summien syöttäminen aina summana Verot +AttachMainDocByDefault=Aseta arvoksi Kyllä, jos haluat liittää oletus pääasiakirja sähköpostiin (jos mahdollista) FilesAttachedToEmail=Liitä tiedosto SendEmailsReminders=Lähetä asialista muistutus sähköpostilla davDescription=WebDAV-palvelimen asetukset DAVSetup=DAV-moduulin asetukset DAV_ALLOW_PRIVATE_DIR=Ota käyttöön yleinen yksityinen hakemisto (WebDAV: n oma hakemisto nimeltä "yksityinen" - vaaditaan sisäänkirjautuminen) -DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory anybody can access with its application login/pass. -DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). -DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. +DAV_ALLOW_PRIVATE_DIRTooltip=Yleinen yksityinen hakemisto on WebDAV-hakemisto, johon kuka tahansa pääsee sovelluksen sisäänkirjautumisella/passilla. +DAV_ALLOW_PUBLIC_DIR=Ota käyttöön yleinen julkinen hakemisto (WebDAV-omistettu hakemisto nimeltä "julkinen" - kirjautumista ei vaadita) +DAV_ALLOW_PUBLIC_DIRTooltip=Yleinen julkinen hakemisto on WebDAV-hakemisto, jota kuka tahansa voi käyttää (luku ja kirjoitustilassa) ilman valtuutusta (kirjautumistunnus/salasana tili). +DAV_ALLOW_ECM_DIR=Ota käyttöön yksityinen DMS/ECM-hakemisto (DMS/ECM-moduulin juurihakemisto - vaaditaan kirjautuminen) +DAV_ALLOW_ECM_DIRTooltip=Juurihakemisto, johon kaikki tiedostot ladataan manuaalisesti DMS/ECM-moduulia käytettäessä. Samoin kuin verkkokäyttöliittymän kautta, tarvitset kelvollisen kirjautumistunnuksen/salasanan, jolla on riittävät käyttöoikeudet. ##### Modules ##### Module0Name=Käyttäjät & ryhmät Module0Desc=Käyttäjien / Työntekijöiden ja ryhmien hallinta @@ -554,7 +557,7 @@ Module10Desc=Yksinkertaiset kirjanpitoraportit (päiväkirjat, liikevaihto) tiet Module20Name=Ehdotukset Module20Desc=Kaupalliset ehdotuksia hallinto - Module22Name=Joukkoviestit -Module22Desc=Manage bulk emailing +Module22Desc=Hallitse joukkosähköpostia Module23Name=Energia Module23Desc=Energiakulutuksen seuranta Module25Name=Myyntitilaukset @@ -566,7 +569,7 @@ Module40Desc=Toimittajien ja ostojen hallinta (ostotilaukset ja toimittajien las Module42Name=Debug Logit Module42Desc=Kirjaustoiminnot (tiedosto, syslog, ...). Tällaiset lokit ovat teknisiä/virheenkorjaustarkoituksia varten. Module43Name=Virheenkorjauspalkki -Module43Desc=Työkalu kehittäjälle, joka lisää virheenkorjauspalkin selaimeesi. +Module43Desc=Työkalu kehittäjille, jotka lisäävät virheenkorjauspalkin selaimeesi. Module49Name=Toimitus Module49Desc=Editors' hallinta Module50Name=Tuotteet @@ -574,7 +577,7 @@ Module50Desc=Tuotehallinta Module51Name=Massapostituksiin Module51Desc=Massa paperi postitusten hallinto Module52Name=Varastot -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Desc=Varastonhallinta (varastojen liikkeiden seuranta ja varasto) Module53Name=Palvelut Module53Desc=Palvelunhallinta Module54Name=Sopimukset/Tilaukset @@ -582,7 +585,7 @@ Module54Desc=Sopimusten hallinta (palvelut tai toistuvat tilaukset) Module55Name=Viivakoodit Module55Desc=Viivakoodi tai QR koodi hallinta Module56Name=Maksu tilisiirrolla -Module56Desc=Toimittajien maksujen hallinta tilisiirtotilauksilla. Se sisältää SEPA-tiedoston luomisen Euroopan maille. +Module56Desc=maksu / Toimittajat tai palkkojen hallinta tilisiirtomääräysten avulla. Se sisältää SEPAn tiedosto luomisen Euroopan maille. Module57Name=Maksut suoraveloituksella Module57Desc=Suoraveloitusmääräysten hallinta. Se sisältää SEPA-tiedoston luomisen Euroopan maille. Module58Name=ClickToDial @@ -616,42 +619,46 @@ Module320Desc=Lisää RSS-syöte Dolibarr-sivuille Module330Name=Kirjanmerkit ja pikavalinnat Module330Desc=Luo aina käytettävissä olevia pikakuvakkeita sisäisille tai ulkoisille sivuille, joilla käyt usein Module400Name=Projektit tai liidit -Module400Desc=Management of projects, leads/opportunities and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +Module400Desc=Projektit, liidien/mahdollisuuksien ja/tai tehtävien hallinta. Voit myös määrittää minkä tahansa elementin (lasku, tilaus, tarjous, interventio, ...) projektiin ja saada poikittaissuuntainen näkymä projektinäkymästä. Module410Name=Webcalendar Module410Desc=Webcalendar yhdentyminen Module500Name=Verot ja erityiskustannukset -Module500Desc=Management of other expenses (sales taxes, social or fiscal taxes, dividends, ...) +Module500Desc=Muiden kulujen hallinta (myynti Verot, sosiaali- tai verotus Verot, osingot, ...) Module510Name=Palkat Module510Desc=Kirjaa ja seuraa työntekijöiden maksuja Module520Name=Lainat Module520Desc=Lainojen hallinnointi Module600Name=Ilmoitukset liiketoiminnan tapahtumasta -Module600Desc=Send email notifications triggered by a business event: per user (setup defined on each user), per third-party contacts (setup defined on each third party) or by specific emails -Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. +Module600Desc=Lähetä sähköposti Ilmoitukset yritystapahtuman käynnistämänä: käyttäjää kohti (määritetty jokaiselle käyttäjälle), kolmannen osapuolen yhteyshenkilöille (jokaiselle kolmannelle osapuolelle määritetty asetus) tai tietyillä sähköpostiviesteillä +Module600Long=Huomaa, että tämä moduuli lähettää sähköposteja reaaliajassa, kun tietty liiketoimintatapahtuma tapahtuu. Jos etsit ominaisuutta lähettää sähköpostimuistutuksia esityslistan tapahtumista, siirry moduulin Agenda asetuksiin. Module610Name=Tuotevaihtoehdot Module610Desc=Tuotevaihtoehtojen luominen (väri, koko jne.) +Module650Name=Materiaalilaskut (BOM) +Module650Desc=Moduuli, jolla voit määrittää laskut Materiaalit (BOM). Voidaan käyttää Manufacturing Resource Planning -moduulissa Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Valmistustilausten hallintamoduuli (MO) Module700Name=Lahjoitukset Module700Desc=Lahjoituksien hallinnointi Module770Name=Kuluraportit -Module770Desc=Manage expense reports claims (transportation, meal, ...) +Module770Desc=Hallinnoi kuluraportit -vaatimuksia (kuljetus, ateria, ...) Module1120Name=Toimittajan kaupalliset ehdotukset Module1120Desc=Pyydä myyjän kaupallista ehdotusta ja hintoja Module1200Name=Mantis Module1200Desc=Mantis yhdentyminen Module1520Name=Dokumentin luonti -Module1520Desc=Mass email document generation +Module1520Desc=Massasähköpostiasiakirjojen luominen Module1780Name=Merkit/Kategoriat Module1780Desc=Luo merkki/kategoria (tuotteet, asiakkaat, toimittajat, kontaktit tai jäsenet) Module2000Name=FCKeditor Module2000Desc=Salli tekstikenttien muokkaaminen / alustaminen CKEditorilla (html) Module2200Name=Dynaamiset Hinnat -Module2200Desc=Use maths expressions for auto-generation of prices +Module2200Desc=Käytä matemaattisia lausekkeita hintojen automaattiseen luomiseen Module2300Name=Ajastetut työt Module2300Desc=Ajastettujen töiden hallinnointi (alias cron or chrono table) Module2400Name=Tapahtumat/Agenda Module2400Desc=Seuraa tapahtumia. Kirjaa automaattiset tapahtumat seurantatarkoituksiin tai tallenna manuaaliset tapahtumat tai kokoukset. Tämä on tärkein asiakas- tai toimittajasuhteiden hallinnan moduuli. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online-ajanvaraus +Module2430Desc=Tarjoaa online-ajanvarausjärjestelmän. Näin kuka tahansa voi varata tapaamispaikkoja ennalta määritettyjen alueiden tai saatavuuden mukaan. Module2500Name=DMS / ECM Module2500Desc=Asiakirjojen hallintajärjestelmä / elektroninen sisällönhallinta. Luomiesi tai tallennettujen asiakirjojesi automaattinen järjestäminen. Jaa ne tarvittaessa. Module2600Name=API / Verkkopalvelut (SOAP server) @@ -661,59 +668,61 @@ Module2610Desc=Ota käyttöön API-palveluita tarjoava Dolibarr REST -palvelin Module2660Name=Kutsu verkkopalveluita (SOAP-asiakas) Module2660Desc=Ota käyttöön Dolibarr-verkkopalvelusovellus (voidaan käyttää tietojen / pyyntöjen siirtämiseen ulkoisille palvelimille. Vain ostotilauksia tuetaan tällä hetkellä.) Module2700Name=Gravatar -Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Needs Internet access +Module2700Desc=Käytä online-Gravatar-palvelua (www.gravatar.com) näyttääksesi kuvia käyttäjistä/jäsenistä (löytyy heidän sähköposteistaan). Tarvitsee Internet-yhteyden Module2800Desc=FTP Ohjelma Module2900Name=GeoIPMaxmind Module2900Desc=GeoIP Maxmind tulokset valmiuksia Module3200Name=Muuttamattomat arkistot -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. +Module3200Desc=Ota käyttöön muuttamaton Loki yritystapahtumia. Tapahtumat arkistoidaan reaaliajassa. Loki on vain luku -muotoinen taulukko ketjutetuista tapahtumista, jotka voidaan viedä. Tämä moduuli voi olla pakollinen joissakin maissa. Module3300Name=Moduuli Rakentaja -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. +Module3300Desc=RAD (Rapid Application Development – matalakoodin ja no-code) -työkalu, joka auttaa kehittäjiä tai edistyneitä käyttäjiä rakentamaan oman moduulinsa/sovelluksensa. Module3400Name=Sosiaaliset verkostot Module3400Desc=Ota sosiaalisten verkostojen kentät käyttöön kolmansille osapuolille ja osoitteille (skype, twitter, facebook, ...). Module4000Name=Henkilöstöhallinta -Module4000Desc=Henkilöstöjohtaminen (osaston hallinta, työsuhteet ja tunteet) +Module4000Desc=Henkilöstöjohtaminen (osaston johtaminen, työntekijäsopimukset, osaamisen hallinta ja haastattelu) Module5000Name=Multi-yhtiö Module5000Desc=Avulla voit hallita useita yrityksiä -Module6000Name=Inter-modules Workflow -Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) +Module6000Name=Moduulien välinen työnkulku +Module6000Desc=Työnkulun hallinta eri moduulien välillä (objektin ja automaattinen luominen/tai automaattinen tilanmuutos) Module10000Name=Nettisivut -Module10000Desc=Create websites (public) with a WYSIWYG editor. This is a webmaster or developer oriented CMS (it is better to know HTML and CSS language). Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the internet with your own domain name. +Module10000Desc=luo verkkosivustot (julkiset) WYSIWYG-editorilla. Tämä on verkkovastaavalle tai kehittäjälle suunnattu sisällönhallintajärjestelmä (on parempi tuntea HTML ja CSS Kieli). Asenna vain verkkopalvelin (Apache, Nginx, ...) osoittamaan omistettuun Dolibarr-hakemistoon, jotta se on verkossa Internetissä omalla verkkotunnuksellasi. Module20000Name=Poissaolopyyntöjen hallinta Module20000Desc=Määrittele ja seuraa työntekijöiden poissaolopyyntöjä Module39000Name=Tuotejoukko -Module39000Desc=Lots, serial numbers, eat-by/sell-by date management for products +Module39000Desc=Erät, sarjanumerot, päiväys hallinta tuotteet Module40000Name=Usea valuutta -Module40000Desc=Use alternative currencies in prices and documents +Module40000Desc=Käytä vaihtoehtoisia valuuttoja hinnoissa ja asiakirjat Module50000Name=Paybox -Module50000Desc=Offer customers a PayBox online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50000Desc=Tarjoa asiakkaat PayBox-verkkosivu maksu (luotto-/maksukortit). Tämän avulla asiakkaat voi suorittaa tapausmaksuja tai tiettyyn Dolibarr-objektiin liittyviä maksuja (lasku, tilaus jne.) Module50100Name=POS SimplePOS -Module50100Desc=Point of Sale module SimplePOS (simple POS). +Module50100Desc=Point of Sale -moduuli SimplePOS (yksinkertainen POS). Module50150Name=POS TakePOS -Module50150Desc=Point of Sale module TakePOS (touchscreen POS, for shops, bars or restaurants). +Module50150Desc=Point of Sale -moduuli TakePOS (kosketusnäyttöinen POS, kauppoja, baareja tai ravintoloita varten). Module50200Name=Paypal -Module50200Desc=Offer customers a PayPal online payment page (PayPal account or credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50300Name=Stripe -Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50200Desc=Tarjoa asiakkaat PayPal-verkkosivu maksu (PayPal-tili tai luotto-/maksukortit). Tämän avulla asiakkaat voi suorittaa tapausmaksuja tai tiettyyn Dolibarr-objektiin liittyviä maksuja (lasku, tilaus jne.) +Module50300Name=Raita +Module50300Desc=Tarjoa asiakkaat Stripen online- maksu -sivu (luotto-/maksukortit). Tämän avulla asiakkaat voi suorittaa tapausmaksuja tai tiettyyn Dolibarr-objektiin liittyviä maksuja (lasku, tilaus jne.) Module50400Name=Kirjanpito (kahdenkertainen kirjanpito) -Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats. +Module50400Desc=Kirjanpito hallinta (kaksoismerkinnät, tuki Yleiset ja Tytärkirjat). Vie pääkirja useissa muissa Kirjanpito ohjelmistomuodoissa. Module54000Name=Tulosta IPP -Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installed on server). +Module54000Desc=Suoratulostus (avaamatta asiakirjoja) Cups IPP -liittymällä (Tulostimen on oltava näkyvissä palvelimelta, ja CUPS on oltava asennettuna palvelimelle). Module55000Name=Vaalit, Kysely vai Äänestys -Module55000Desc=Create online polls, surveys or votes (like Doodle, Studs, RDVz etc...) +Module55000Desc=luo online-kyselyt, kyselyt tai äänet (kuten Doodle, Studs, RDVz jne...) Module59000Name=Katteet -Module59000Desc=Module to follow margins +Module59000Desc=Moduuli seuraamaan marginaaleja Module60000Name=Komissiot Module60000Desc=Moduuli komissioiden hallintaan Module62000Name=Incoterm-ehdot -Module62000Desc=Add features to manage Incoterms +Module62000Desc=Lisää ominaisuuksia Incotermien hallintaan Module63000Name=Resurssit -Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to events +Module63000Desc=Hallitse resursseja (tulostimet, autot, huoneet jne.) tapahtumien kohdentamista varten Module66000Name=OAuth2 tokenin hallinta -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. -Module94160Name=Receptions +Module66000Desc=Tarjoa työkalu ja OAuth2-tunnuksien hallintaan. Token voidaan sitten käyttää joissakin muissa moduuleissa. +Module94160Name=Vastaanotot +ModuleBookCalName=Varauskalenterijärjestelmä +ModuleBookCalDesc=Hallitse kalenteria tapaamisten varaamiseksi ##### Permissions ##### -Permission11=Read customer invoices (and payments) +Permission11=Lue asiakkaiden laskut (ja maksut) Permission12=Luo laskut Permission13=Mitätöi asiakaslaskut Permission14=Vahvistetut laskut @@ -734,17 +743,17 @@ Permission34=Poista tuotteita / palveluita Permission36=Vienti tuotteet / palvelut Permission38=Vie tuotteita Permission39=Ohita vähimmäishinta -Permission41=Read projects and tasks (shared projects and projects of which I am a contact). -Permission42=Create/modify projects (shared projects and projects of which I am a contact). Can also assign users to projects and tasks -Permission44=Delete projects (shared projects and projects of which I am a contact) +Permission41=Lue Projektit ja tehtäviä (jaettu Projektit Projektit
      , jonka yhteyshenkilö en ole) +Permission144=Poista kaikki Projektit ja tehtävät (sekä yksityiset Projektit ei yhteystieto) +Permission145=Voi syöttää minulle tai hierarkialleni kulutetun ajan määrättyihin tehtäviin (aikataulukko) Permission146=Lue tarjoajien Permission147=Lue stats Permission151=Lue suoraveloitusmaksumääräykset Permission152=Luo / muokkaa suoraveloituksen maksumääräyksiä Permission153=Lähetä / välitä suoraveloitusmaksumääräyksiä -Permission154=Record Credits/Rejections of direct debit payment orders +Permission154=Tietuehyvitykset/suoraveloitusten hylkäykset maksu Permission161=Lue sopimukset / tilaukset Permission162=Luo / muokkaa sopimuksia / tilauksia Permission163=Aktivoi palvelu / tilaus sopimukselle @@ -815,7 +824,7 @@ Permission187=Sulje ostotilaukset Permission188=Peruuta ostotilaukset Permission192=Luo rivit Permission193=Peruuta rivit -Permission194=Read the bandwidth lines +Permission194=Lue kaistanleveysrivit Permission202=Luo ADSL-liittymien Permission203=Tilaa yhteydet tilaukset Permission204=Tilaa yhteydet @@ -832,7 +841,7 @@ Permission223=Validate emailings (avulla lähetys) Permission229=Poista emailings Permission237=Näytä vastaanottajat ja tiedot Permission238=Manuaalinen viestien lähetys -Permission239=Delete mailings after validation or sent +Permission239=Poista sähköpostit vahvistuksen tai lähetyksen jälkeen Permission241=Lue tuoteryhmät Permission242=Luoda / muuttaa tuoteryhmät Permission243=Poista tuoteryhmät @@ -845,8 +854,8 @@ PermissionAdvanced253=Luo / muokkaa sisäiset / ulkoiset käyttäjät ja käytt Permission254=Poista tai poistaa muiden käyttäjien Permission255=Muokkaa käyttäjien salasanoja Permission256=Poista käyttäjiä -Permission262=Extend access to all third parties AND their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission263=Extend access to all third parties WITHOUT their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). +Permission262=Laajenna pääsy kaikille kolmansille osapuolille ja heidän objekteihinsa (ei vain kolmansille osapuolille, joiden myyntiedustaja on).
      Ei voimassa ulkopuolisille käyttäjille (rajoitettu aina itseensä ehdotuksiin, tilauksiin, laskuihin, sopimuksiin jne.).
      Ei voimassa: Projektit (vain projektin käyttöoikeuksia koskevat säännöt, näkyvyyden ja tehtävällä on merkitystä). +Permission263=Laajenna pääsy kaikille kolmansille osapuolille ILMAN heidän objektejaan (ei vain kolmansille osapuolille, joiden myyntiedustaja on käyttäjä).
      Ei tehokas ulkoisille käyttäjille (rajoitettu aina itseensä ehdotuksiin, tilaukset, laskut, sopimukset jne.).
      Ei voimassa Projektit (vain projektin käyttöoikeuksia, näkyvyyttä koskevat säännöt ja tehtävällä on merkitystä). Permission271=Lue CA Permission272=Lue laskut Permission273=Laskutuksen @@ -857,7 +866,7 @@ Permission286=Vie yhteystietoja Permission291=Lue tariffit Permission292=Aseta tariffeille oikeudet Permission293=Muokkaa asiakkaan tariffeja -Permission301=Generate PDF sheets of barcodes +Permission301=Luo PDF-arkkeja viivakoodeista Permission304=Luo/Muokkaa viivakoodeja Permission305=Poista viivakoodeja Permission311=Lue palvelut @@ -879,10 +888,10 @@ Permission402=Luoda / muuttaa alennukset Permission403=Validate alennukset Permission404=Poista alennukset Permission430=Käytä virheenkorjauspalkkia -Permission511=Read salaries and payments (yours and subordinates) -Permission512=Create/modify salaries and payments -Permission514=Delete salaries and payments -Permission517=Read salaries and payments everybody +Permission511=Lue palkat ja maksut (sinun ja alaisillesi) +Permission512=luo/muokkaa palkkoja ja maksut +Permission514=Poista palkat ja maksut +Permission517=Lue palkat ja maksut kaikille Permission519=Vie palkat Permission520=Lue Lainat Permission522=Luo/muokkaa Lainat @@ -891,20 +900,20 @@ Permission525=Pääsy lainalaskimelle Permission527=Vie Lainat Permission531=Lue palvelut Permission532=Luo/Muokkaa palveluita -Permission533=Read prices services +Permission533=Lue palveluiden hinnat Permission534=Poista palvelut Permission536=Katso / hoitaa piilotettu palvelut Permission538=Vienti palvelut -Permission561=Read payment orders by credit transfer -Permission562=Create/modify payment order by credit transfer -Permission563=Send/Transmit payment order by credit transfer -Permission564=Record Debits/Rejections of credit transfer -Permission601=Read stickers -Permission602=Create/modify stickers -Permission609=Delete stickers -Permission611=Read attributes of variants -Permission612=Create/Update attributes of variants -Permission613=Delete attributes of variants +Permission561=Lue maksu tilaukset tilisiirrolla +Permission562=luo/modify maksu tilaus tilisiirrolla +Permission563=Lähetä/lähetä maksu tilaus tilisiirrolla +Permission564=Kirjaa tilisiirron veloitukset/hylkäämiset +Permission601=Lue tarroja +Permission602=luo/muokkaa tarroja +Permission609=Poista tarrat +Permission611=Lue muunnelmien attribuutit +Permission612=luo/Päivitä muunnelmien attribuutit +Permission613=Poista muunnelmien attribuutit Permission650=Lue materiaaliluettelo Permission651=Luo/päivitä materiaaliluettelo Permission652=Poista materiaaliluettelo @@ -915,11 +924,11 @@ Permission701=Lue lahjoitukset Permission702=Luoda / muuttaa lahjoitusten Permission703=Poista lahjoitukset Permission771=Lue kuluraportit -Permission772=Create/modify expense reports (for you and your subordinates) +Permission772=luo/modify kuluraportit (sinulle ja alaisillesi) Permission773=Poista kuluraportit Permission775=Hyväksy kuluraportit Permission776=Maksa kuluraportit -Permission777=Read all expense reports (even those of user not subordinates) +Permission777=Lue kaikki kuluraportit (myös käyttäjien, jotka eivät ole alaisia) Permission778=Luo / muokkaa kaikkien kuluraportteja Permission779=Kuluraporttien vienti Permission1001=Lue varastot @@ -927,11 +936,11 @@ Permission1002=Luo/muuta varastoja Permission1003=Poista varastoja Permission1004=Lue varastossa liikkeitä Permission1005=Luoda / muuttaa varastossa liikkeitä -Permission1011=View inventories -Permission1012=Create new inventory -Permission1014=Validate inventory -Permission1015=Allow to change PMP value for a product -Permission1016=Delete inventory +Permission1011=Näytä varastot +Permission1012=luo uusi mainosjakauma +Permission1014=Vahvista varasto +Permission1015=Salli muuttaa tuotteen PMP-arvoa +Permission1016=Poista varasto Permission1101=Lue toimituskuitit Permission1102=Luo / muokkaa toimituskuitteja Permission1104=Vahvista toimituskuitit @@ -955,7 +964,7 @@ Permission1190=Hyväksy (toinen vaihe) ostotilaukset Permission1191=Vie toimittajan tilaukset ja niiden määritteet Permission1201=Hanki seurauksena vienti Permission1202=Luo / Muuta vienti -Permission1231=Read vendor invoices (and payments) +Permission1231=Lue Toimittaja laskut (ja maksut) Permission1232=Luo/Muokkaa toimittajien laskuja Permission1233=Vahvista myyjän laskut Permission1234=Poista toimittajien laskuja @@ -965,58 +974,58 @@ Permission1237=Vie ostotilaukset ja niiden tiedot Permission1251=Suorita massa tuonnin ulkoisten tiedot tietokantaan (tiedot kuormitus) Permission1321=Vienti asiakkaan laskut, ominaisuudet ja maksut Permission1322=Avaa uudelleen maksettu lasku -Permission1421=Export sales orders and attributes +Permission1421=Vie myyntitilausten ja määritteitä Permission1521=Lue asiakirjat Permission1522=Poista asiakirjat -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) -Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) -Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Lue toiminnot (tapahtumat tai tehtävät), jotka on linkitetty hänen käyttäjätiliinsä (jos tapahtuman omistaja tai vain määrätty) +Permission2402=luo/muokkaa hänen käyttäjätiliinsä liittyviä toimintoja (tapahtumia tai tehtäviä) (jos tapahtuman omistaja) +Permission2403=Poista hänen käyttäjätiliinsä linkitetyt toiminnot (tapahtumat tai tehtävät) (jos tapahtuman omistaja) Permission2411=Lue toimet (tapahtumien tai tehtävien) muiden Permission2412=Luo / Muokkaa toimet (tapahtumien tai tehtävien) muiden Permission2413=Poista toimet (tapahtumien tai tehtävien) muiden -Permission2414=Export actions/tasks of others +Permission2414=Vie muiden toiminnot/tehtävät Permission2501=Lue/Lataa asiakirjat Permission2502=Lataa asiakirjoja Permission2503=Lähetä tai poista asiakirjoja Permission2515=Asiakirjojen hakemistoasetukset -Permission2610=Generate/modify users API key +Permission2610=Luo/muokkaa käyttäjien API-avain Permission2801=Käytä FTP ohjelmaa lukutilassa (vain selain ja lataukset) Permission2802=Käytä FTP ohjelmaa kirjoitustilassa (poista tai päivitä tiedostot) -Permission3200=Read archived events and fingerprints +Permission3200=Lue arkistoitujen tapahtumien ja sormenjälkeä Permission3301=Luo uusia moduuleja -Permission4001=Read skill/job/position -Permission4002=Create/modify skill/job/position -Permission4003=Delete skill/job/position -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations -Permission4023=Validate evaluation -Permission4025=Delete evaluation -Permission4028=See comparison menu -Permission4031=Read personal information -Permission4032=Write personal information -Permission4033=Read all evaluations (even those of user not subordinates) +Permission4001=Lue taito/työ/asema +Permission4002=luo/modify skill/job/position +Permission4003=Poista taito/työ/asema +Permission4021=Lue arvioinnit (ja alaisillesi) +Permission4022=luo/muokkaa arvioita +Permission4023=Vahvista arviointi +Permission4025=Poista arviointi +Permission4028=Katso vertailu valikko +Permission4031=Lue henkilötiedot +Permission4032=Kirjoita henkilökohtaisia tietoja +Permission4033=Lue kaikki arvioinnit (myös käyttäjien, ei alaistensa) Permission10001=Lue verkkosivuston sisältö -Permission10002=Luo / muokkaa verkkosivuston sisältöä (HTML- ja Javascript-sisältö) +Permission10002=luo/muokkaa verkkosivuston sisältöä (html ja JavaScript-sisältö) Permission10003=Luo / muokkaa verkkosivuston sisältöä (dynaaminen php-koodi). Vaarallinen, on varattava rajoitetuille kehittäjille. Permission10005=Poista verkkosivuston sisältö Permission20001=Lue poissaolopyynnöt (omat ja alaisten poissaolot) Permission20002=Luo / muokkaa poissaolopyyntöjäsi (omat ja alaisten poissaolot) Permission20003=Poista poissaolopyynnöt -Permission20004=Read all leave requests (even those of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) -Permission20006=Administer leave requests (setup and update balance) +Permission20004=Lue kaikki lomapyynnöt (myös käyttäjien, jotka eivät ole alaisia) +Permission20005=luo/muokkaa kaikkien lomapyyntöjä (myös käyttäjien, jotka eivät ole alaisia) +Permission20006=Hallinnoi lomapyyntöjä (määritys ja päivitys saldo) Permission20007=Hyväksy poissaolopyynnöt Permission23001=Selaa ajastetut työt Permission23002=Luo/päivitä Ajastettu työ Permission23003=Poista Ajastettu työ Permission23004=Suorita Ajastettu työ -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates +Permission40001=Lue valuuttojen ja kursseja +Permission40002=luo/Päivitä valuutat ja niiden kurssit +Permission40003=Poista valuutat ja niiden kurssit Permission50101=Käytä myyntipistettä (SimplePOS) Permission50151=Käytä myyntipistettä (TakePOS) -Permission50152=Edit sales lines -Permission50153=Edit ordered sales lines +Permission50152=Muokkaa myyntirivejä +Permission50153=Muokkaa tilattuja myyntirivejä Permission50201=Lue liiketoimet Permission50202=Tuo liiketoimet Permission50330=Lue Zapier-kohteet @@ -1027,29 +1036,29 @@ Permission50411=Lue toiminnot tilikirjasta Permission50412=Kirjoitus- / muokkaustoiminnot tilikirjaan Permission50414=Poista toiminnot tilikirjasta Permission50415=Poista kaikki toiminnot vuoden ja päiväkirjan mukaan tilikirjasta -Permission50418=Export operations of the ledger -Permission50420=Report and export reports (turnover, balance, journals, ledger) +Permission50418=Kirjaston vientitoiminnot +Permission50420=Raportti ja vientiraportit (liikevaihto, saldo, päiväkirjat, pääkirja) Permission50430=Määritä tilikaudet. Vahvista liiketoimet ja sulje tilikaudet. -Permission50440=Manage chart of accounts, setup of accountancy -Permission51001=Read assets -Permission51002=Create/Update assets -Permission51003=Delete assets -Permission51005=Setup types of asset +Permission50440=Tilikartan hallinta, kirjanpidon järjestäminen +Permission51001=Lue resurssit +Permission51002=luo/Päivitä sisältö +Permission51003=Poista omaisuus +Permission51005=Määritä omaisuuden tyypit Permission54001=Tulosta Permission55001=Lue äänestys Permission55002=Luo/muokkaa äänestys -Permission59001=Read commercial margins -Permission59002=Define commercial margins -Permission59003=Read every user margin +Permission59001=Lue kaupalliset marginaalit +Permission59002=Määrittele kaupalliset marginaalit +Permission59003=Lue jokainen käyttäjämarginaali Permission63001=Lue resursseja Permission63002=Luo / muokkaa resursseja Permission63003=Poista resurssit -Permission63004=Link resources to agenda events +Permission63004=Linkitä resurssit esityslistan tapahtumiin Permission64001=Salli suora tulostus Permission67000=Salli kuittien tulostus -Permission68001=Read intracomm report -Permission68002=Create/modify intracomm report -Permission68004=Delete intracomm report +Permission68001=Lue intracomm-raportti +Permission68002=luo/modify intracomm report +Permission68004=Poista viestintäraportti Permission941601=Lue kuitit Permission941602=Luo ja muokkaa kuitteja Permission941603=Vahvista kuitit @@ -1057,62 +1066,64 @@ Permission941604=Lähetä kuitit sähköpostitse Permission941605=Vie kuitit Permission941606=Poista kuitit DictionaryCompanyType=Kolmannen osapuolen tyypit -DictionaryCompanyJuridicalType=Third-party legal entities -DictionaryProspectLevel=Prospect potential level for companies -DictionaryProspectContactLevel=Prospect potential level for contacts +DictionaryCompanyJuridicalType=Kolmannen osapuolen oikeushenkilöt +DictionaryProspectLevel=Potentiaalinen taso yrityksille +DictionaryProspectContactLevel=Katsele potentiaalista tasoa kontakteille DictionaryCanton=Osavaltiot / provinssit DictionaryRegion=Alueiden DictionaryCountry=Maat DictionaryCurrency=Valuutat -DictionaryCivility=Honorific titles -DictionaryActions=Types of agenda events -DictionarySocialContributions=Types of social or fiscal taxes +DictionaryCivility=Kunnianimet +DictionaryActions=Agendan tapahtumien tyypit +DictionarySocialContributions=Sosiaali- tai verotustyypit Verot DictionaryVAT=ALV- ja Myyntiveroprosentit DictionaryRevenueStamp=Veroleimojen määrä DictionaryPaymentConditions=Maksuehdot DictionaryPaymentModes=Maksutavat DictionaryTypeContact=Yhteystiedot tyypit -DictionaryTypeOfContainer=Website - Type of website pages/containers +DictionaryTypeOfContainer=Verkkosivusto – verkkosivuston sivujen/säilöjen tyyppi DictionaryEcotaxe=Ympäristöveron (WEEE) DictionaryPaperFormat=Paper tiedostomuodot -DictionaryFormatCards=Card formats -DictionaryFees=Expense report - Types of expense report lines +DictionaryFormatCards=Korttimuodot +DictionaryFees=kuluraportti – kuluraportti rivien tyypit DictionarySendingMethods=Sendings menetelmiä DictionaryStaff=Työntekijöiden lukumäärä DictionaryAvailability=Toimituksen viivästyminen -DictionaryOrderMethods=Order methods +DictionaryOrderMethods=Tilausmenetelmät DictionarySource=Alkuperä ehdotusten / tilaukset DictionaryAccountancyCategory=Räätälöidyt ryhmät raportteja varten -DictionaryAccountancysystem=Models for chart of accounts +DictionaryAccountancysystem=Tilikartan mallit DictionaryAccountancyJournal=Kirjanpitotilityypit DictionaryEMailTemplates=Mallisähköpostit DictionaryUnits=Yksiköt DictionaryMeasuringUnits=Mittayksiköt DictionarySocialNetworks=Sosiaaliset verkostot -DictionaryProspectStatus=Prospect status for companies -DictionaryProspectContactStatus=Prospect status for contacts -DictionaryHolidayTypes=Leave - Types of leave -DictionaryOpportunityStatus=Lead status for project/lead +DictionaryProspectStatus=Prospektin asema yrityksille +DictionaryProspectContactStatus=Yhteyshenkilöiden mahdollisten tilausten tila +DictionaryHolidayTypes=Loma - Lomatyypit +DictionaryOpportunityStatus=Projektin/liidin tila DictionaryExpenseTaxCat=Kuluraportti - Kuljetuskategoriat DictionaryExpenseTaxRange=Kuluraportti - alue kuljetusluokittain -DictionaryTransportMode=Intracomm report - Transport mode -DictionaryBatchStatus=Product lot/serial Quality Control status -DictionaryAssetDisposalType=Type of disposal of assets +DictionaryTransportMode=Intracomm-raportti - Kuljetusmuoto +DictionaryBatchStatus=Tuoteerän/sarjan laadunvalvonnan tila +DictionaryAssetDisposalType=Omaisuuden luovutuksen tyyppi +DictionaryInvoiceSubtype=Laskun alatyypit TypeOfUnit=Yksikön tyyppi SetupSaved=Asetukset tallennettu SetupNotSaved=Asetuksia ei tallennettu -OAuthServiceConfirmDeleteTitle=Delete OAuth entry -OAuthServiceConfirmDeleteMessage=Are you sure you want to delete this OAuth entry ? All existing tokens for it will also be deleted. -ErrorInEntryDeletion=Error in entry deletion -EntryDeleted=Entry deleted +OAuthServiceConfirmDeleteTitle=Poista OAuth-merkintä +OAuthServiceConfirmDeleteMessage=Haluatko varmasti poistaa tämän OAuth-merkinnän? Myös kaikki sen olemassa olevat tunnukset poistetaan. +ErrorInEntryDeletion=Virhe merkinnän poistamisessa +EntryDeleted=Merkintä poistettu BackToModuleList=Takaisin moduuliluetteloon -BackToDictionaryList=Back to Dictionaries list +BackToDictionaryList=Takaisin sanakirjaluetteloon TypeOfRevenueStamp=Veroleiman tyyppi VATManagement=Myyntiverojen hallinta -VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. +VATIsUsedDesc=Tekijä oletus luodessaan potentiaalisia asiakkaita, laskuja, tilauksia jne. Myyntiprosentti vero noudattaa aktiivista vakiosääntöä:
      Jos myyjä ei ole Myynnin vero alainen, Myynti vero päättyy oletuksena. säännön.
      Jos (myyjän maa = ostajan maa), oletus vastaa tuotteen vero myyntiä myyjän maassa. Säännön loppu.
      Jos myyjän ja ostaja ovat molemmat Euroopan yhteisön alueella, b0ae6e9e5925a0z /span> tavarat liittyvät kuljetuksiin tuotteet (kuljetus, merenkulku, lentoyhtiö), oletus ALV on 0. Tämä sääntö on riippuu myyjän maasta – ota yhteyttä kirjanpitäjään. Ostajan tulee maksaa arvonlisävero maansa tullitoimipaikalle ja, ei myyjälle. Säännön loppu.
      Jos myyjän ja ostaja ovat molemmat Euroopan yhteisön alueella, b0ae6e9e5925a0z /span> ostaja ei ole Yritys (jolla on rekisteröity yhteisön sisäinen ALV-numero), jolloin ALV:n oletusarvo on myyjän maan ALV-kanta. Säännön loppu.
      Jos myyjän ja ostaja ovat molemmat Euroopan yhteisön alueella, b0ae6e9e5925a0z /span> ostaja on Yritys (jolla on rekisteröity yhteisön sisäinen ALV-numero), silloin ALV on 0 oletus . Säännön loppu.
      Muissa tapauksissa ehdotettu oletus on Myynti vero >=0. Säännön loppu. VATIsNotUsedDesc=Oletusarvoisesti ehdotettu myyntivero on 0, jota voidaan käyttää esimerkiksi yhdistyksiin, yksityishenkilöihin tai pieniin yrityksiin. -VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. -VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +VATIsUsedExampleFR=Ranskassa se tarkoittaa yrityksiä tai organisaatioita, joilla on todellinen verojärjestelmä (yksinkertaistettu todellinen tai normaali real). Järjestelmä, jossa arvonlisävero ilmoitetaan. +VATIsNotUsedExampleFR=Ranskassa se tarkoittaa yhdistyksiä, jotka eivät ole myynti- vero ilmoitettuja, tai yrityksiä, organisaatioita tai vapaita ammatteja, jotka ovat valinneet mikroyritysten verotusjärjestelmän (Sales vero franchising-sopimuksessa) ja maksoi franchising-sopimuksen Myynti vero ilman myyntiä b0e7a3c6c047b2c6c0 /span> -ilmoitus. Tämä vaihtoehto näyttää laskuissa viittauksen "Ei sovellettavissa myynti vero - art-293B of CGI". +VATType=ALV-tyyppi ##### Local Taxes ##### TypeOfSaleTaxes=Myyntiveron tyyppi LTRate=Kurssi @@ -1129,18 +1140,18 @@ LocalTax2Management=Kolmannen tyypin vero LocalTax2IsUsedExample= LocalTax2IsNotUsedExample= LocalTax1ManagementES=RE hallinta -LocalTax1IsUsedDescES=The RE rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the buyer is not subjected to RE, RE by default=0. End of rule.
      If the buyer is subjected to RE then the RE by default. End of rule.
      +LocalTax1IsUsedDescES=RE-kurssi oletus luotaessa potentiaalisia asiakkaita, laskuja, tilauksia jne. noudattaa aktiivista vakiosääntöä:
      Jos ostaja ei ole oletus=0 altistettu RE, RE:lle. Säännön loppu.
      Jos ostaja on RE:n alainen, RE on oletus. Säännön loppu.
      LocalTax1IsNotUsedDescES=Oletuksena ehdotettu RE 0. Loppu sääntö. LocalTax1IsUsedExampleES=Espanjassa he ovat ammattilaisia sovelletaan tiettyjä osia Espanjan IEA. LocalTax1IsNotUsedExampleES=Espanjassa he ovat ammattitaitoisia ja yhteiskunnan tietyin osa Espanjan IEA. LocalTax2ManagementES=IRPF hallinta -LocalTax2IsUsedDescES=The IRPF rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.
      If the seller is subjected to IRPF then the IRPF by default. End of rule.
      +LocalTax2IsUsedDescES=IRPF-prosentti oletus luodessasi potentiaalisia asiakkaita, laskuja, tilauksia jne. noudattaa aktiivista vakiosääntöä:
      Jos myyjä ei ole IRPF, sitten IRPF oletus=0. Säännön loppu.
      Jos myyjä on IRPF:n alainen, oletus IRPF. Säännön loppu.
      LocalTax2IsNotUsedDescES=Oletuksena ehdotettu IRPF on 0. Loppu sääntö. LocalTax2IsUsedExampleES=Espanjassa, freelancer ja itsenäisten ammatinharjoittajien, jotka tarjoavat palveluja ja yrityksiä, jotka ovat valinneet verojärjestelmän moduuleja. -LocalTax2IsNotUsedExampleES=In Spain they are businesses not subject to tax system of modules. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. +LocalTax2IsNotUsedExampleES=Espanjassa ne ovat yrityksiä, joihin ei sovelleta vero moduulijärjestelmää. +RevenueStampDesc="vero leima" tai "tuloleima" on kiinteä vero, joka on sinulle laskua kohden (se ei riipu laskun määrästä ). Se voi olla myös prosenttiosuus vero, mutta toisen tai kolmannen tyypin vero käyttäminen on parempi prosenttiosuudelle Verot vero -leimoina ei anna mitään raportteja. Vain harvat maat käyttävät tämän tyyppistä vero-tyyppiä. UseRevenueStamp=Käytä veroleimaa -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) +UseRevenueStampExample=Merkin vero leiman arvon määrittää oletus sanakirjojen asetuksiin (b0ecb2ec87f49fez span> - %s - %s) CalcLocaltax=Raportit paikallisista veroista CalcLocaltax1=Myynnit - Ostot CalcLocaltax1Desc=Paikallisten verojen raportit on laskettu paikallisverojen myyntien ja ostojen erotuksena @@ -1148,15 +1159,15 @@ CalcLocaltax2=Ostot CalcLocaltax2Desc=Veroraportit on laskettu hankintojen veroista CalcLocaltax3=Myynti CalcLocaltax3Desc=Veroraportit on laskettu myyntien veroista -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax +NoLocalTaxXForThisCountry=Asetuksen Verot mukaan (katso %s - %s - class='notranslate'>%s), maasi ei tarvitse käyttää tällaista vero LabelUsedByDefault=Label käyttää oletusarvoisesti, jos ei ole käännös löytyy koodi LabelOnDocuments=Label asiakirjoihin -LabelOrTranslationKey=Label or translation key -ValueOfConstantKey=Value of a configuration constant +LabelOrTranslationKey=Tunniste tai käännösavain +ValueOfConstantKey=Konfigurointivakion arvo ConstantIsOn=Vaihtoehto %s on päällä NbOfDays=Päivien lukumäärä AtEndOfMonth=Kuukauden lopussa -CurrentNext=A given day in month +CurrentNext=Tietty päivä kuukaudessa Offset=Offset AlwaysActive=Aina aktiivinen Upgrade=Päivitys @@ -1191,14 +1202,14 @@ Skin=Ihon teema DefaultSkin=Oletus ihon teema MaxSizeList=Max pituus luettelo DefaultMaxSizeList=Oletus luettelon maksimipituuteen -DefaultMaxSizeShortList=Default max length for short lists (i.e. in customer card) +DefaultMaxSizeShortList=oletus lyhyiden luetteloiden enimmäispituus (eli asiakaskortissa) MessageOfDay=Message of the day MessageLogin=Kirjoita viesti LoginPage=Kirjautumissivu BackgroundImageLogin=Taustakuva PermanentLeftSearchForm=Pysyvä hakulomake vasemmassa valikossa DefaultLanguage=Oletuskieli -EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships +EnableMultilangInterface=Ota käyttöön monikielinen tuki asiakas- tai Toimittaja -suhteille EnableShowLogo=Näytä yrityksen logo valikossa CompanyInfo=Yritys/Organisaatio CompanyIds=Yrityksen/Organisaation tiedot @@ -1218,12 +1229,12 @@ DoNotSuggestPaymentMode=Eivät viittaa siihen, NoActiveBankAccountDefined=Ei aktiivisia pankkitilille määritelty OwnerOfBankAccount=Omistajan pankkitilille %s BankModuleNotActive=Pankkitilit moduuli ei ole käytössä -ShowBugTrackLink=Show the link "%s" -ShowBugTrackLinkDesc=Keep empty to not display this link, use value 'github' for the link to the Dolibarr project or define directly an url 'https://...' +ShowBugTrackLink=Näytä linkki "%s" +ShowBugTrackLinkDesc=Pidä tyhjänä, jotta et näytä tätä linkkiä, käytä arvoa 'github' linkissä Dolibarr-projektiin tai määritä suoraan URL-osoite 'https://...' Alerts=Hälytykset -DelaysOfToleranceBeforeWarning=Displaying a warning alert for... -DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. -Delays_MAIN_DELAY_ACTIONS_TODO=Planned events (agenda events) not completed +DelaysOfToleranceBeforeWarning=Näytetään varoitus... +DelaysOfToleranceDesc=Aseta viive ennen kuin hälytyskuvake %s näkyy näytöllä myöhäisen elementin kohdalla. +Delays_MAIN_DELAY_ACTIONS_TODO=Suunniteltuja tapahtumia (agendatapahtumat) ei ole suoritettu Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Projektia ei suljettu ajoissa Delays_MAIN_DELAY_TASKS_TODO=Suunniteltuja tehtäviä tekemättä Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Tilausta ei ole käsitelty @@ -1234,22 +1245,22 @@ Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Aktivoitava palvelu Delays_MAIN_DELAY_RUNNING_SERVICES=Vanhentunut palvelu Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Avoin ostovelka Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Avoin myyntisaaminen -Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Pending bank reconciliation +Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Odottaa pankin sovittelua Delays_MAIN_DELAY_MEMBERS=Viivästynyt jäsenmaksu -Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Check deposit not done +Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Sekkitalletusta ei tehty Delays_MAIN_DELAY_EXPENSEREPORTS=Hyväksyttävissä olevat kuluraportit Delays_MAIN_DELAY_HOLIDAYS=Hyväksyttävissä olevat vapaa-anomukset -SetupDescription1=Before starting to use Dolibarr some initial parameters must be defined and modules enabled/configured. -SetupDescription2=The following two sections are mandatory (the two first entries in the Setup menu): -SetupDescription3=%s -> %s

      Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4=%s -> %s

      This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. -SetupDescription5=Other Setup menu entries manage optional parameters. -SetupDescriptionLink=%s - %s -SetupDescription3b=Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s -Audit=Security events +SetupDescription1=Ennen Dolibarrin käytön aloittamista jotkin alkuparametrit on määritettävä ja moduulit käytössä/määritettävä. +SetupDescription2=Seuraavat kaksi osiota ovat pakollisia (kaksi ensimmäistä merkintää asennuksessa valikko): +SetupDescription3=%s -> %sb0cz0e47d

      Perusparametrit, joita käytetään oletus-käyttäytymisen mukauttamiseen sovelluksestasi (esim. maakohtaiset ominaisuudet). +SetupDescription4=
      %s -> %sb0cz0e47d

      Tämä ohjelmisto sisältää useita moduuleja/sovelluksia. Tarpeisiisi liittyvät moduulit on otettava käyttöön ja määritettynä. valikko merkintä tulee näkyviin, kun nämä moduulit aktivoidaan. +SetupDescription5=Muut asetukset valikko hallitsevat valinnaisia parametreja. +SetupDescriptionLink=
      %s - %sb0e40d8c6587 /span> +SetupDescription3b=Perusparametrit, joilla muokataan sovelluksesi oletus toimintaa (esim. maakohtaisia ominaisuuksia varten). +SetupDescription4b=Tämä ohjelmisto on sarja monia moduuleja/sovelluksia. Sinun tarpeisiisi liittyvät moduulit on aktivoitava. valikko merkintä tulee näkyviin, kun nämä moduulit aktivoidaan. +AuditedSecurityEvents=Turvatapahtumat, jotka auditoidaan +NoSecurityEventsAreAduited=Mitään turvallisuustapahtumia ei auditoida. Voit ottaa ne käyttöön osoitteessa valikko %s +Audit=Turvallisuustapahtumat InfoDolibarr=Tietoja Dolibarrista InfoBrowser=Tietoja selaimesta InfoOS=Tietoja OS @@ -1262,71 +1273,71 @@ BrowserName=Selaimen nimi BrowserOS=Selaimen OS ListOfSecurityEvents=Luettelo Dolibarr turvallisuus tapahtumat SecurityEventsPurged=Turvallisuus tapahtumia puhdistettava -TrackableSecurityEvents=Trackable security events -LogEventDesc=Enable logging for specific security events. Administrators the log via menu %s - %s. Warning, this feature can generate a large amount of data in the database. -AreaForAdminOnly=Setup parameters can be set by administrator users only. +TrackableSecurityEvents=Seurattavat turvallisuustapahtumat +LogEventDesc=Ota käyttöön tiettyjen tietoturvatapahtumien kirjaaminen. Järjestelmänvalvojat Loki kautta valikko %s - %s. Varoitus, tämä ominaisuus voi tuottaa suuren määrän tietoja tiedostossa tietokanta. +AreaForAdminOnly=Vain järjestelmänvalvojat voivat määrittää määritysparametrit. SystemInfoDesc=Järjestelmän tiedot ovat erinäiset tekniset tiedot saavat lukea vain tila ja näkyvissä vain järjestelmänvalvojat. -SystemAreaForAdminOnly=This area is available to administrator users only. Dolibarr user permissions cannot change this restriction. -CompanyFundationDesc=Edit the information of your company/organization. Click on "%s" button at the bottom of the page when done. -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". -AccountantDesc=If you have an external accountant/bookkeeper, you can edit here its information. -AccountantFileNumber=Accountant code -DisplayDesc=Parameters affecting the look and presentation of the application can be modified here. +SystemAreaForAdminOnly=Tämä alue on vain järjestelmänvalvojan käyttäjien käytettävissä. Dolibarrin käyttöoikeudet eivät voi muuttaa tätä rajoitusta. +CompanyFundationDesc=Muokkaa Yritys/organisaatiosi tietoja. Napsauta "%s" -painiketta sivun alalaidassa, kun olet valmis. +MoreNetworksAvailableWithModule=Lisää sosiaalisia verkostoja voi olla saatavilla ottamalla käyttöön moduuli "Sosiaaliset verkostot". +AccountantDesc=Jos sinulla on ulkopuolinen kirjanpitäjä, voit muokata sen tietoja täällä. +AccountantFileNumber=Kirjanpitäjä koodi +DisplayDesc=Sovelluksen ulkonäköön ja vaikuttavia parametreja voi muokata täällä. AvailableModules=Saatavilla olevat sovellukset/moduulit ToActivateModule=Moduulien aktivointi asetuksista (Koti-Asetukset-Moduulit) SessionTimeOut=Istunnon aikakatkaisu -SessionExplanation=This number guarantees that the session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guarantee that the session will expire after this delay. It will expire, after this delay, and when the session cleaner is run, so every %s/%s access, but only during access made by other sessions (if value is 0, it means clearing of session is done only by an external process).
      Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by an external setup, no matter what the value entered here is. -SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. +SessionExplanation=Tämä numero takaa, että istunto ei koskaan vanhene ennen tätä viivettä, jos istunnon puhdistuksen suorittaa sisäinen PHP-istunnonpuhdistaja (ja ei muuta). Sisäinen PHP-istunnonpuhdistaja ei takaa, että istunto vanhenee tämän viiveen jälkeen. Se vanhenee tämän viiveen jälkeen ja, kun istunnonpuhdistaja suoritetaan, joten jokainen %s/%s pääsy, mutta vain muiden istuntojen aikana (jos arvo on 0, se tarkoittaa, että istunnon tyhjentää vain ulkoinen prosessi).
      Huomaa: joissakin palvelimissa, joissa on ulkoinen istunnon puhdistusmekanismi (cron under debian, ubuntu...), istunnot voidaan tuhota ulkoisen asennuksen määrittämän ajanjakson jälkeen riippumatta tähän syötetystä arvosta. +SessionsPurgedByExternalSystem=Tämän palvelimen istunnot näyttävät puhdistettavan ulkoisella mekanismilla (cron alle debian, ubuntu...), luultavasti joka %s sekuntia (= parametrin arvo session.gc_maxlifetimeb09a4b739f) , joten arvon muuttamisella ei ole vaikutusta. Sinun on pyydettävä palvelimen järjestelmänvalvojaa muuttamaan istunnon viivettä. TriggersAvailable=Saatavilla laukaisimet -TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). +TriggersDesc=Triggerit ovat tiedostoja, jotka muokkaavat Dolibarrin työnkulkua, kun ne on kopioitu hakemistoon htdocs/core/triggers. He toteuttavat uusia toimintoja, jotka aktivoituvat Dolibarr-tapahtumissa (uuden Yritys luominen, laskun vahvistus, ...). TriggerDisabledByName=Käynnistäjät tässä tiedosto on poistettu, joita-NORUN suffix heidän nimissään. TriggerDisabledAsModuleDisabled=Käynnistäjät tähän tiedostoon pois päältä kuin moduuli %s on poistettu käytöstä. TriggerAlwaysActive=Käynnistäjät tässä tiedosto on aina aktiivinen, mikä on aktivoitu Dolibarr moduulit. TriggerActiveAsModuleActive=Käynnistäjät tähän tiedostoon ovat aktiivisia moduuli %s on käytössä. GeneratedPasswordDesc=Valitse menetelmä, jota käytetään automaattisesti luotuihin salasanoihin. DictionaryDesc=Lisää kaikki viitetiedot. Voit lisätä omia arvoja oletusarvoon. -ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting only. -MiscellaneousOptions=Miscellaneous options +ConstDesc=Tällä sivulla voit muokata (ohittaa) parametreja, jotka eivät ole käytettävissä muilla sivuilla. Nämä ovat enimmäkseen vain kehittäjille varattuja parametreja/vianmääritystä. +MiscellaneousOptions=Erilaisia vaihtoehtoja MiscellaneousDesc=Kaikki turvallisuuteen liittyvät parametrit määritetään täällä. LimitsSetup=Rajat / Tarkkuus -LimitsDesc=You can define limits, precisions and optimizations used by Dolibarr here +LimitsDesc=Voit määrittää Dolibarrin käyttämiä rajoja, tarkkuutta ja optimointeja MAIN_MAX_DECIMALS_UNIT=Max. desimaalit yksikköhinnoissa MAIN_MAX_DECIMALS_TOT=Max desimaalit kokonaishinnoissa -MAIN_MAX_DECIMALS_SHOWN=Max. decimals for prices shown on screen. Add an ellipsis ... after this parameter (e.g. "2...") if you want to see "..." suffixed to the truncated price. -MAIN_ROUNDING_RULE_TOT=Step of rounding range (for countries where rounding is done on something other than base 10. For example, put 0.05 if rounding is done by 0.05 steps) +MAIN_MAX_DECIMALS_SHOWN=Max. desimaalit näytöllä näkyviin hintoihin. Lisää ellipsi ... tämän parametrin jälkeen (esim. "2..."), jos haluat nähdä " ..." lyhennettyyn hintaan. +MAIN_ROUNDING_RULE_TOT=Pyöristysalueen askel (maissa, joissa pyöristys tehdään jollain muulla kuin perusarvolla 10. Kirjoita esimerkiksi 0,05, jos pyöristetään 0,05 askelta) UnitPriceOfProduct=Tuotteen nettohinta TotalPriceAfterRounding=Kokonaishinta veroineen ilman ALVia ParameterActiveForNextInputOnly=Parametri tehokas Seuraavan vain tuloa -NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit has not been enabled in the "Setup - Security - Events" page. -NoEventFoundWithCriteria=No security event has been found for this search criteria. +NoEventOrNoAuditSetup=Turvatapahtumaa ei ole kirjattu. Tämä on normaalia, jos tarkastusta ei ole otettu käyttöön "Asetukset - Suojaus - Tapahtumat" -sivulla. +NoEventFoundWithCriteria=Tälle hakukriteerille ei löytynyt suojaustapahtumaa. SeeLocalSendMailSetup=Katso paikallisen sendmail setup -BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. -BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. +BackupDesc=Dolibarr-asennuksen täydellinen varmuuskopiointi vaatii kaksi vaihetta. +BackupDesc2=Varmuuskopioi "documents" -hakemiston sisältö (%s) sisältää kaikki ladatut ja luodut tiedostot. Tämä sisältää myös kaikki vaiheessa 1 luodut vedostiedostot. Tämä toiminto voi kestää useita minuutteja. +BackupDesc3=Varmuuskopioi tietokanta (%s) vedokseen tiedosto. Tätä varten voit käyttää seuraavaa avustajaa. BackupDescX=Arkistoitu hakemisto tulisi tallentaa turvalliseen paikkaan. BackupDescY=Luotu dump tiedosto on säilytettävä turvallisessa paikassa. BackupPHPWarning=Varmuuskopiointia ei voida taata tällä menetelmällä. Edellinen suositeltava. RestoreDesc=Dolibarr-varmuuskopion palauttaminen edellyttää kahta vaihetta. -RestoreDesc2=Restore the backup file (zip file for example) of the "documents" directory to a new Dolibarr installation or into this current documents directory (%s). -RestoreDesc3=Restore the database structure and data from a backup dump file into the database of the new Dolibarr installation or into the database of this current installation (%s). Warning, once the restore is complete, you must use a login/password, that existed from the backup time/installation to connect again.
      To restore a backup database into this current installation, you can follow this assistant. +RestoreDesc2=Palauta "documents" -hakemiston varmuuskopio tiedosto (esimerkiksi zip tiedosto) uuteen Dolibarr-asennukseen tai näihin nykyisiin asiakirjoihin hakemisto (%s). +RestoreDesc3=Palauta tietokanta-rakenteen ja tiedot varmuuskopiovedosta tiedosto < span class='notranslate'>tietokanta
      uudesta Dolibarr-asennuksesta tai tämän nykyisen asennuksen tietokanta ( >%s). Varoitus, kun palautus on valmis, sinun on käytettävä kirjautumistunnusta/salasanaa, joka oli olemassa varmuuskopioinnin tai asennuksen aikana, jotta voit muodostaa yhteyden uudelleen.
      Varmuuskopion palauttaminen tietokanta tähän nykyiseen asennukseen, voit seurata tätä avustajaa. RestoreMySQL=MySQL vienti ForcedToByAModule=Tämä sääntö on pakko %s on aktivoitu moduuli ValueIsForcedBySystem=Järjestelmä pakottaa tämän arvon. Et voi muuttaa sitä. PreviousDumpFiles=Olemassa olevat varmuuskopiot PreviousArchiveFiles=Olemassa olevat arkistotiedostot WeekStartOnDay=Ensimmäinen viikonpäivä -RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) +RunningUpdateProcessMayBeRequired=Päivitysprosessi näyttää vaadittavan (Ohjelman versio %s eroaa tietokanta versiosta %s /span>) YouMustRunCommandFromCommandLineAfterLoginToUser=Sinun on suoritettava tämä komento komentoriviltä jälkeen kirjautua kuori käyttäjän %s. YourPHPDoesNotHaveSSLSupport=SSL toimintoja ei saatavilla PHP DownloadMoreSkins=Lisää nahat ladata -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset -AdvancedNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset -ShowProfIdInAddress=Show professional ID with addresses -ShowVATIntaInAddress=Hide intra-Community VAT number +SimpleNumRefModelDesc=Palauttaa viitenumeron muodossa %syymm-nnnn, jossa vv on vuosi, mm on kuukausi ja nnnn on peräkkäinen automaattinen lisäys ilman nollausta +SimpleRefNumRefModelDesc=Palauttaa viitenumeron muodossa n, jossa n on peräkkäinen automaattisesti kasvava luku ilman nollausta +AdvancedNumRefModelDesc=Palauttaa viitenumeron muodossa %syymm-nnnn, jossa vv on vuosi, mm on kuukausi ja nnnn on peräkkäinen automaattisesti kasvava luku ilman nollausta +SimpleNumRefNoDateModelDesc=Palauttaa viitenumeron muodossa %s-nnnn, jossa nnnn on peräkkäinen automaattisesti kasvava luku ilman nollausta +ShowProfIdInAddress=Näytä ammattitunnus osoitteineen +ShowVATIntaInAddress=Piilota yhteisön sisäinen ALV-numero TranslationUncomplete=Osittainen käännös -MAIN_DISABLE_METEO=Disable weather thumb +MAIN_DISABLE_METEO=Poista sääpeukalo käytöstä MeteoStdMod=Standardi tila MeteoStdModEnabled=Standardi tila aktivoitu MeteoPercentageMod=Prosenttitila @@ -1340,7 +1351,7 @@ MAIN_PROXY_HOST=Proxy-palvelin: Nimi/Osoite MAIN_PROXY_PORT=Proxy-palvelin: Portti MAIN_PROXY_USER=Proxy-palvelin: Käyttäjätunnus MAIN_PROXY_PASS=Proxy-palvelin: Salasana -DefineHereComplementaryAttributes=Define any additional / custom attributes that must be added to: %s +DefineHereComplementaryAttributes=Määritä muut/muokatut attribuutit, jotka on lisättävä: %s ExtraFields=Täydentävät ominaisuudet ExtraFieldsLines=Täydentävät määritteet (rivit) ExtraFieldsLinesRec=Täydentävät määritteet (mallilaskurivit) @@ -1362,45 +1373,45 @@ AlphaNumOnlyLowerCharsAndNoSpace=vain aakkosnumeeriset ja pienet kirjaimet ilman SendmailOptionNotComplete=Varoitus, joissakin Linux-järjestelmissä, lähettää sähköpostia sähköpostisi, sendmail toteuttaminen setup on conatins optio-ba (parametri mail.force_extra_parameters tulee php.ini tiedosto). Jos jotkut vastaanottajat eivät koskaan vastaanottaa sähköposteja, yrittää muokata tätä PHP parametrin mail.force_extra_parameters =-ba). PathToDocuments=Polku asiakirjoihin PathDirectory=Hakemisto -SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might not be parsed correctly by some receiving mail servers. The result is that some mails can't be read by people hosted by those bugged platforms. This is the case for some Internet providers (Ex: Orange in France). This is not a problem with Dolibarr or PHP but with the receiving mail server. You can however add an option MAIN_FIX_FOR_BUGGED_MTA to 1 in Setup - Other to modify Dolibarr to avoid this. However, you may experience problems with other servers that strictly use the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" which has no disadvantages. +SendmailOptionMayHurtBuggedMTA=Ominaisuus lähettää sähköpostit "PHP mail direct" -menetelmällä luo sähköpostiviestin, jota jotkin vastaanottavat sähköpostipalvelimet eivät ehkä jäsenny oikein. Seurauksena on, että ihmiset eivät voi lukea joitakin sähköposteja, joita isännöivät vialliset alustat. Tämä koskee joitakin Internet-palveluntarjoajia (esim. Orange Ranskassa). Tämä ei ole ongelma Dolibarrin tai PHP:n kanssa, vaan vastaanottavan sähköpostipalvelimen kanssa. Voit kuitenkin lisätä vaihtoehdon MAIN_FIX_FOR_BUGGED_MTA kohtaan 1 kohdassa Setup - Other muokataksesi Dolibarria tämän välttämiseksi. Saatat kuitenkin kohdata ongelmia muiden palvelimien kanssa, jotka käyttävät tiukasti SMTP-standardia. Toinen ratkaisu (suositeltu) on käyttää menetelmää "SMTP socket library", jolla ei ole haittoja. TranslationSetup=Käännöksen asetukset TranslationKeySearch=Etsi käännöstä TranslationOverwriteKey=Ylikirjoita käännösteksti -TranslationDesc=How to set the display language:
      * Default/Systemwide: menu Home -> Setup -> Display
      * Per user: Click on the username at the top of the screen and modify the User Display Setup tab on the user card. -TranslationOverwriteDesc=You can also override strings filling the following table. Choose your language from "%s" dropdown, insert the translation key string into "%s" and your new translation into "%s" -TranslationOverwriteDesc2=You can use the other tab to help you know which translation key to use +TranslationDesc=Näytön asettaminen Kieli:
      * oletus/Systemwide: span class='notranslate'>valikko
      Etusivu -> Asennus -> Näyttö
      * Käyttäjää kohden: klikkaa käyttäjänimeä näytön yläreunassa ja muokkaa Käyttäjän näytön asetukset -välilehti käyttäjäkortissa. +TranslationOverwriteDesc=Voit myös ohittaa seuraavan taulukon täyttävät merkkijonot. Valitse Kieli avattavasta %s-valikosta, lisää käännösavainmerkkijono kohtaan %s /span>" ja uusi käännös kielelle "%s" +TranslationOverwriteDesc2=Voit käyttää toista välilehteä saadaksesi selville, mitä käännösavainta käytetään TranslationString=Käännösteksti CurrentTranslationString=Nykyinen käännösteksti -WarningAtLeastKeyOrTranslationRequired=A search criteria is required at least for key or translation string -NewTranslationStringToShow=New translation string to show -OriginalValueWas=The original translation is overwritten. Original value was:

      %s -TransKeyWithoutOriginalValue=You forced a new translation for the translation key '%s' that does not exist in any language files +WarningAtLeastKeyOrTranslationRequired=Hakuehto vaaditaan ainakin avaimelle tai käännösmerkkijonolle +NewTranslationStringToShow=Uusi käännösmerkkijono näytettäväksi +OriginalValueWas=Alkuperäinen käännös korvataan. Alkuperäinen arvo oli:

      %s +TransKeyWithoutOriginalValue=Pakotit uuden käännöksen käännösavaimelle '%s' jota ei ole missään Kieli tiedostossa TitleNumberOfActivatedModules=Aktivoidut moduulit TotalNumberOfActivatedModules=Aktivoidut moduulit: %s / %s YouMustEnableOneModule=Sinulla pitää olla ainakin 1 moduuli käytössä -YouMustEnableTranslationOverwriteBefore=You must first enable translation overwriting to be allowed to replace a translation +YouMustEnableTranslationOverwriteBefore=Sinun on ensin otettava käännöksen päällekirjoitus käyttöön, jotta voit korvata käännöksen ClassNotFoundIntoPathWarning=Luokkaa %s ei löydy PHP-polusta YesInSummer=Kyllä kesällä -OnlyFollowingModulesAreOpenedToExternalUsers=Note, only the following modules are available to external users (irrespective of the permissions of such users) and only if permissions are granted:
      -SuhosinSessionEncrypt=Session storage encrypted by Suhosin -ConditionIsCurrently=Condition is currently %s -YouUseBestDriver=You use driver %s which is the best driver currently available. -YouDoNotUseBestDriver=You use driver %s but driver %s is recommended. -NbOfObjectIsLowerThanNoPb=You have only %s %s in the database. This does not require any particular optimization. -ComboListOptim=Combo list loading optimization +OnlyFollowingModulesAreOpenedToExternalUsers=Huomaa, että vain seuraavat moduulit ovat ulkopuolisten käyttäjien käytettävissä (riippumatta tällaisten käyttäjien käyttöoikeuksista) ja vain, jos käyttöoikeudet on myönnetty:
      span> +SuhosinSessionEncrypt=Suhosinin salaama istunnon tallennus +ConditionIsCurrently=Kunto on tällä hetkellä %s +YouUseBestDriver=Käytät ohjainta %s, joka on paras tällä hetkellä saatavilla oleva ohjain. +YouDoNotUseBestDriver=Käytät ohjainta %s, mutta ohjainta %s suositellaan. +NbOfObjectIsLowerThanNoPb=Sinulla on vain %s %s kohteessa tietokanta. Tämä ei vaadi erityistä optimointia. +ComboListOptim=Yhdistelmäluettelon latausoptimointi SearchOptim=Hakuoptimointi -YouHaveXObjectUseComboOptim=You have %s %s in the database. You can go into setup of module to enable loading of combo list on key pressed event. -YouHaveXObjectUseSearchOptim=You have %s %s in the database. You can add the constant %s to 1 in Home-Setup-Other. -YouHaveXObjectUseSearchOptimDesc=This limits the search to the beginning of strings which makes it possible for the database to use indexes and you should get an immediate response. -YouHaveXObjectAndSearchOptimOn=You have %s %s in the database and constant %s is set to %s in Home-Setup-Other. +YouHaveXObjectUseComboOptim=Sinulla on %s %s kohteessa tietokanta. Voit siirtyä moduulin asetuksiin salliaksesi yhdistelmäluettelon lataamisen näppäinpainallustapahtumassa. +YouHaveXObjectUseSearchOptim=Sinulla on %s %s kohteessa tietokanta. Voit lisätä vakion %s arvoon 1 kohdassa Home-Setup-Other. +YouHaveXObjectUseSearchOptimDesc=Tämä rajoittaa haun merkkijonojen alkuun, jolloin tietokanta voi käyttää indeksejä ja, sinun pitäisi saada välitön vastaus . +YouHaveXObjectAndSearchOptimOn=Sinulla on %s %s kohteessa tietokanta ja vakio %s on asetettu arvoon %s kohdassa Home-Setup-Other. BrowserIsOK=Käytät verkkoselainta %s. Tämä selain on turvallisuuden ja suorituskyvyn kannalta ok. BrowserIsKO=Käytät verkkoselainta %s. Tämän selaimen tiedetään olevan huono valinta turvallisuden, suorituskyvyn ja luotettavuuden kannalta. Suosittelemme Firefoxin, Chromen, Operan tai Safarin käyttöä. PHPModuleLoaded=PHP:n laajennus %sladattu PreloadOPCode=Esiladattua OPCode-koodia käytetään -AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". -AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". +AddRefInList=Näytä asiakas/Toimittaja viite. yhdistelmäluetteloihin.
      Kolmannet osapuolet näkyvät nimimuodolla "CC12345 - SC45678 - Suuri Yritys corp." "The Big Yritys corp" sijaan. +AddVatInList=Näytä asiakkaan/Toimittaja ALV-numero yhdistelmäluetteloissa. +AddAdressInList=Näytä asiakkaan/Toimittaja osoite yhdistelmäluetteloissa.
      Kolmannet osapuolet tulevat näkyviin nimimuodolla "The Big Yhteystiedot näkyvät nimimuoto "Dupond Durand - dupond.durand@example.com - Paris" tai "Dupond Durand - 06 07 59 65 66 - Paris" "Dupond Durand" sijaan. AskForPreferredShippingMethod=Kysy ensisijaista lähetystapaa kolmansille osapuolille. FieldEdition=Alalla painos %s FillThisOnlyIfRequired=Esimerkki: +2 (täytä vain, jos aikavyöhykkeen siirtymäongelmia esiintyy) @@ -1408,89 +1419,91 @@ GetBarCode=Hanki viivakoodi NumberingModules=Numerointimallit DocumentModules=Asiakirjamallit ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters. +PasswordGenerationStandard=Palauta sisäisen Dolibarr-algoritmin mukaan luotu salasana: %s merkkiä, jotka sisältävät jaettuja numeroita ja merkkiä. PasswordGenerationNone=Älä ehdota luotua salasanaa. Salasana on kirjoitettava manuaalisesti. PasswordGenerationPerso=Palauta salasana henkilökohtaisesti määrittämäsi kokoonpanon mukaan. SetupPerso=Kokoonpanosi mukaan -PasswordPatternDesc=Password pattern description +PasswordPatternDesc=Salasanamallin kuvaus ##### Users setup ##### RuleForGeneratedPasswords=Säännöt salasanojen luomiseen ja vahvistamiseen DisableForgetPasswordLinkOnLogonPage=Älä näytä "Unohtunut salasana" -linkkiä kirjautumissivulla UsersSetup=Käyttäjät moduuli setup UserMailRequired=Uuden käyttäjän luomiseen tarvitaan sähköposti UserHideInactive=Piilota passiiviset käyttäjät kaikista yhdistelmäluetteloista (ei suositella: tämä voi tarkoittaa, että et voi suodattaa tai etsiä vanhoja käyttäjiä joillakin sivuilla) +UserHideExternal=Piilota ulkoiset käyttäjät (ei ole linkitetty kolmanteen osapuoleen) kaikista käyttäjäyhdistelmäluetteloista (Ei suositella: tämä saattaa tarkoittaa, että et voi suodattaa tai etsiä ulkopuolisia käyttäjiä joillakin sivuilla) +UserHideNonEmployee=Piilota ei-työntekijät kaikista käyttäjäyhdistelmäluetteloista (Ei suositella: tämä saattaa tarkoittaa, että et voi suodattaa tai etsiä ei-työntekijöitä joillakin sivuilla) UsersDocModules=Asiakirjamallit käyttäjän tietueesta luotuihin asiakirjoihin -GroupsDocModules=Document templates for documents generated from a group record +GroupsDocModules=Asiakirjamallit asiakirjoille, jotka on luotu ryhmä-tietueesta ##### HRM setup ##### HRMSetup=Henkilöstöhallinta moduulin asetukset ##### Company setup ##### CompanySetup=Yritykset moduulin asetukset CompanyCodeChecker=Vaihtoehdot asiakas- / toimittajakoodien automaattiseen luomiseen AccountCodeManager=Vaihtoehdot asiakkaan / toimittajan kirjanpitokoodien automaattiseen luomiseen -NotificationsDesc=Email notifications can be sent automatically for some Dolibarr events.
      Recipients of notifications can be defined: +NotificationsDesc=Sähköposti Ilmoitukset voidaan lähettää automaattisesti joidenkin Dolibarr-tapahtumien yhteydessä.
      Sähköpostin b0cb8c8f02af vastaanottajat > voidaan määritellä: NotificationsDescUser=* käyttäjää kohden, yksi käyttäjä kerrallaan. NotificationsDescContact=* kolmansien osapuolten yhteystietoja (asiakkaita tai toimittajia) kohti, yksi yhteyshenkilö kerrallaan. -NotificationsDescGlobal=* or by setting global email addresses in the setup page of the module. +NotificationsDescGlobal=* tai asettamalla yleiset sähköpostiosoitteet moduulin asetussivulla. ModelModules=Asiakirjamallit DocumentModelOdt=Luo asiakirjoja OpenDocument-malleista (.ODT / .ODS-tiedostot LibreOffice, OpenOffice, KOffice, TextEdit, ...) WatermarkOnDraft=Vesileima asiakirjaluonnos JSOnPaimentBill=Aktivoi ominaisuus maksurivien automaattiseen täyttämiseen maksulomakkeella -CompanyIdProfChecker=Rules for Professional IDs +CompanyIdProfChecker=Ammattitunnuksia koskevat säännöt MustBeUnique=Täytyy olla uniikki? MustBeMandatory=Pakollinen kolmansien osapuolten luominen (jos alv-numero tai yritystyyppi on määritelty)? MustBeInvoiceMandatory=Pakollinen laskujen vahvistaminen? TechnicalServicesProvided=Tarjotut tekniset palvelut ##### WebDAV ##### -WebDAVSetupDesc=This is the link to access the WebDAV directory. It contains a "public" dir open to any user knowing the URL (if public directory access allowed) and a "private" directory that needs an existing login account/password for access. -WebDavServer=Root URL of %s server: %s +WebDAVSetupDesc=Tästä linkistä pääset WebDAV-hakemistoon. Se sisältää "julkisen" hakemiston, joka on avoinna kaikille käyttäjille, jotka tietävät URL-osoitteen (jos julkisen hakemiston käyttö on sallittu). ja "yksityinen" hakemisto, joka tarvitsee olemassa olevan kirjautumistilin/salasanan pääsyä varten. +WebDavServer=Palvelimen %s juuri-URL-osoite: %s ##### WebCAL setup ##### WebCalUrlForVCalExport=Vienti-yhteys %s-muodossa on saatavilla seuraavasta linkistä: %s ##### Invoices ##### BillsSetup=Laskut-moduulin asetukset BillsNumberingModule=Laskut ja hyvityslaskut numerointiin moduuli BillsPDFModules=Laskun asiakirjojen malleja -BillsPDFModulesAccordindToInvoiceType=Invoice documents models according to invoice type +BillsPDFModulesAccordindToInvoiceType=Laskutositteen mallit laskutyypin mukaan PaymentsPDFModules=Maksutositteiden mallit ForceInvoiceDate=Force laskun päivämäärästä validointiin päivämäärä SuggestedPaymentModesIfNotDefinedInInvoice=Ehdotettu maksutapa laskussa oletuksena, jos sitä ei ole määritelty laskussa SuggestPaymentByRIBOnAccount=Ehdota maksua tilisiirtona SuggestPaymentByChequeToAddress=Ehdota maksua sekillä FreeLegalTextOnInvoices=Laskun viesti -WatermarkOnDraftInvoices=Watermark on draft invoices (none if empty) +WatermarkOnDraftInvoices=vesileima Luonnos laskuissa (ei yhtään, jos tyhjä) PaymentsNumberingModule=Maksujen numerointimalli SuppliersPayment=Toimittajien maksut SupplierPaymentSetup=Toimittajamaksujen asetukset -InvoiceCheckPosteriorDate=Check facture date before validation -InvoiceCheckPosteriorDateHelp=Validating an invoice will be forbidden if its date is anterior to the date of last invoice of same type. -InvoiceOptionCategoryOfOperations=Display the mention "category of operations" on the invoice. -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
      - Category of operations: Delivery of goods
      - Category of operations: Provision of services
      - Category of operations: Mixed - Delivery of goods & provision of services -InvoiceOptionCategoryOfOperationsYes1=Yes, below the address block -InvoiceOptionCategoryOfOperationsYes2=Yes, in the lower left-hand corner +InvoiceCheckPosteriorDate=Tarkista tosiasiat päiväys ennen vahvistusta +InvoiceCheckPosteriorDateHelp=Laskun vahvistaminen on kiellettyä, jos sen päiväys on edellisen samantyyppisen viimeisimmän laskun päiväys. +InvoiceOptionCategoryOfOperations=Näytä laskussa maininta "toimintaluokka". +InvoiceOptionCategoryOfOperationsHelp=Tilanteesta riippuen maininta näkyy muodossa:
      - Toimintojen luokka: toimitus tavaroista
      - Toimintojen luokka: Palvelujen tarjoaminen
      - Toimintojen luokka: Sekalaiset - b00aa3a9fc0 tavaroista ja palvelujen tarjoamisesta +InvoiceOptionCategoryOfOperationsYes1=Kyllä, osoitekentän alapuolella +InvoiceOptionCategoryOfOperationsYes2=Kyllä, vasemmassa alakulmassa ##### Proposals ##### PropalSetup=Kaupalliset ehdotuksia moduulin asetukset ProposalsNumberingModules=Kaupalliset ehdotus numerointiin modules ProposalsPDFModules=Kaupalliset ehdotus asiakirjojen malleja -SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined on the proposal +SuggestedPaymentModesIfNotDefinedInProposal=Ehdotettu maksutapa osoitteessa tarjous, kirjoittaja oletus, jos sitä ei ole määritetty tarjous FreeLegalTextOnProposal=Vapaa tekstihaku kaupallisiin ehdotuksia -WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty) -BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal +WatermarkOnDraftProposal=vesileima Luonnos kaupallisissa ehdotuksissa (ei yhtään, jos tyhjä) +BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Pyydä pankkitili kohdetta tarjous ##### SupplierProposal ##### -SupplierProposalSetup=Price requests suppliers module setup -SupplierProposalNumberingModules=Price requests suppliers numbering models -SupplierProposalPDFModules=Price requests suppliers documents models -FreeLegalTextOnSupplierProposal=Free text on price requests suppliers -WatermarkOnDraftSupplierProposal=Watermark on draft price requests suppliers (none if empty) +SupplierProposalSetup=Hintapyynnöt Toimittajat moduulin asetukset +SupplierProposalNumberingModules=Hintapyynnöt Toimittajat numerointimallit +SupplierProposalPDFModules=Hintapyynnöt Toimittajat asiakirjamallit +FreeLegalTextOnSupplierProposal=Vapaa teksti hintapyyntöihin Toimittajat +WatermarkOnDraftSupplierProposal=vesileima Luonnos hintapyynnöissä Toimittajat (ei mitään, jos tyhjä) BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Kysy hintapyynnön pankkitilin kohde WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Pyydä lähdevarasto tilaukselle ##### Suppliers Orders ##### BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Kysy ostotilauksen pankkitilin kohde ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sales order by default if not defined on the order +SuggestedPaymentModesIfNotDefinedInOrder=Ehdotettu maksutapa myyntitilauksessa oletus, jos sitä ei ole määritetty tilauksessa OrdersSetup=Myyntitilausten hallinnan määritys OrdersNumberingModules=Tilaukset numerointiin modules OrdersModelModule=Tilaa asiakirjojen malleja FreeLegalTextOnOrders=Vapaa tekstihaku tilauksissa -WatermarkOnDraftOrders=Watermark on draft orders (none if empty) +WatermarkOnDraftOrders=vesileima Luonnos tilauksissa (ei yhtään, jos tyhjä) ShippableOrderIconInList=Lisää Tilaukset-luetteloon kuvake, joka ilmoittaa, voidaanko tilaus toimittaa BANK_ASK_PAYMENT_BANK_DURING_ORDER=Kysy tilauksen pankkitilin kohde ##### Interventions ##### @@ -1498,7 +1511,7 @@ InterventionsSetup=Interventions moduulin asetukset FreeLegalTextOnInterventions=Vapaa teksti interventio asiakirjojen FicheinterNumberingModules=Väliintulo numerointiin modules TemplatePDFInterventions=Väliintulo kortin asiakirjojen malleja -WatermarkOnDraftInterventionCards=Watermark on intervention card documents (none if empty) +WatermarkOnDraftInterventionCards=vesileima interventiokorttiasiakirjoissa (ei yhtään, jos se on tyhjä) ##### Contracts ##### ContractsSetup=Sopimukset / Tilaukset-moduulin asetukset ContractsNumberingModules=Sopimukset numerointi moduulit @@ -1508,15 +1521,15 @@ WatermarkOnDraftContractCards=Vesileima sopimusluonnoksissa (ei käytössä jos ##### Members ##### MembersSetup=Jäsenet moduulin asetukset MemberMainOptions=Päävaihtoehtoa -MemberCodeChecker=Options for automatic generation of member codes -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +MemberCodeChecker=Vaihtoehdot jäsenkoodien automaattiseen generointiin +AdherentLoginRequired=Hallinnoi jokaisen jäsenen kirjautumistunnusta/salasanaa +AdherentLoginRequiredDesc=Lisää arvo kirjautumiselle ja salasanalle jäsenelle tiedosto. Jos jäsen on linkitetty käyttäjään, jäsenen ja salasanan päivittäminen päivittää myös käyttäjän kirjautumissalasanan ja. AdherentMailRequired=Uuden jäsenen luomiseen vaaditaan sähköpostiosoite MemberSendInformationByMailByDefault=Checkbox lähettää vahvistusviestin jäsenille on oletusarvoisesti -MemberCreateAnExternalUserForSubscriptionValidated=Create an external user login for each new member subscription validated -VisitorCanChooseItsPaymentMode=Visitor can choose from any available payment modes -MEMBER_REMINDER_EMAIL=Enable automatic reminder by email of expired subscriptions. Note: Module %s must be enabled and correctly setup to send reminders. -MembersDocModules=Document templates for documents generated from member record +MemberCreateAnExternalUserForSubscriptionValidated=luo ulkoisen käyttäjän kirjautuminen jokaiselle uusille vahvistetulle jäsentilaukselle +VisitorCanChooseItsPaymentMode=Vierailija voi valita kaikista käytettävissä olevista maksu-tiloista +MEMBER_REMINDER_EMAIL=Ota käyttöön automaattinen muistutus sähköpostitse vanhentuneista tilauksista. Huomautus: moduuli %s on otettava käyttöön ja on määritetty oikein lähettämään muistutuksia. +MembersDocModules=Asiakirjamallit jäsentietueesta luoduille asiakirjoille ##### LDAP setup ##### LDAPSetup=LDAP-asetukset LDAPGlobalParameters=Parametrit @@ -1534,17 +1547,17 @@ LDAPSynchronizeUsers=Synkronoi Dolibarr käyttäjille LDAP LDAPSynchronizeGroups=Synkronoi Dolibarr ryhmien LDAP LDAPSynchronizeContacts=Synkronoi Dolibarr yhteyksiä LDAP LDAPSynchronizeMembers=Järjestämisestä säätiön jäsenten LDAP -LDAPSynchronizeMembersTypes=Organization of foundation's members types in LDAP +LDAPSynchronizeMembersTypes=Säätiön jäsentyyppien järjestäminen LDAP:ssa LDAPPrimaryServer=Ensisijainen palvelin LDAPSecondaryServer=Toissijainen palvelin LDAPServerPort=Palvelimen portti -LDAPServerPortExample=Standard or StartTLS: 389, LDAPs: 636 +LDAPServerPortExample=Vakio tai StartTLS: 389, LDAP:t: 636 LDAPServerProtocolVersion=Protocol version LDAPServerUseTLS=TLS -LDAPServerUseTLSExample=Your LDAP server use StartTLS +LDAPServerUseTLSExample=LDAP-palvelimesi käyttää StartTLS:ää LDAPServerDn=Server DN LDAPAdminDn=Administrator DN -LDAPAdminDnExample=Complete DN (ex: cn=admin,dc=example,dc=com or cn=Administrator,cn=Users,dc=example,dc=com for active directory) +LDAPAdminDnExample=Täydellinen DN (esim.: cn=Pääkäyttäjä,dc=example,dc=com tai cn=Administrator,cn=Users,dc=example,dc=com aktiiviselle hakemistolle) LDAPPassword=Järjestelmänvalvojan salasana LDAPUserDn=Käyttäjien DN LDAPUserDnExample=Complete DN (ex: ou=users,dc=society,dc=Täydellinen DN (ex: ou= users, dc= yhteiskunta, dc= com) @@ -1566,8 +1579,8 @@ LDAPMemberDn=Dolibarr jäsenten DN LDAPMemberDnExample=Complete DN (ex: ou=members,dc=society,dc=Täydellinen DN (ex: ou= jäsentä, dc= yhteiskunta, dc= com) LDAPMemberObjectClassList=Luettelo objectClass LDAPMemberObjectClassListExample=Luettelo objectClass määritellään tallentaa attribuutteja (ex: top, inetOrgPerson tai alkuun, käyttäjän Active Directory) -LDAPMemberTypeDn=Dolibarr members types DN -LDAPMemberTypepDnExample=Complete DN (ex: ou=memberstypes,dc=example,dc=com) +LDAPMemberTypeDn=Dolibarrin jäsenet tyypit DN +LDAPMemberTypepDnExample=Täydellinen DN (esim.: ou=jäsentyypit,dc=esimerkki,dc=com) LDAPMemberTypeObjectClassList=Luettelo objectClass LDAPMemberTypeObjectClassListExample=Luettelo objectClass määritellään tallentaa attribuutteja (ex: top, groupOfUniqueNames) LDAPUserObjectClassList=Luettelo objectClass @@ -1588,8 +1601,8 @@ LDAPSynchroKO=Epäonnistui synkronointi testi LDAPSynchroKOMayBePermissions=Synkronointitesti epäonnistui. Tarkista, että yhteys palvelimeen on määritetty oikein ja sallii LDAP-päivitykset LDAPTCPConnectOK=TCP connect to LDAP server successful (Server=%s, Port=TCP yhteyden LDAP-palvelin onnistunut (Server= %s, Port= %s) LDAPTCPConnectKO=TCP connect to LDAP server failed (Server=%s, Port=TCP yhteyden LDAP-palvelimeen ei onnistunut (Server= %s, Port= %s) -LDAPBindOK=Connect/Authenticate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s) -LDAPBindKO=Connect/Authenticate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=%s) +LDAPBindOK=Yhdistäminen/todennus LDAP-palvelimeen onnistui (Server=%s, Port=%s, b0b4652430823334308 /span>=%s, Salasana=%s) +LDAPBindKO=Yhteyden muodostaminen/todennus LDAP-palvelimeen epäonnistui (palvelin=%s, portti=%s, b0b46534308 /span>=%s, Salasana=%s) LDAPSetupForVersion3=LDAP-palvelin määritetty versio 3 LDAPSetupForVersion2=LDAP-palvelin määritetty versio 2 LDAPDolibarrMapping=Dolibarr Mapping @@ -1598,7 +1611,7 @@ LDAPFieldLoginUnix=Login (unix) LDAPFieldLoginExample=Esimerkki: uid LDAPFilterConnection=Hakusuodatin LDAPFilterConnectionExample=Esimerkki: &(objectClass=inetOrgPerson) -LDAPGroupFilterExample=Example: &(objectClass=groupOfUsers) +LDAPGroupFilterExample=Esimerkki: &(objectClass=groupOfUsers) LDAPFieldLoginSamba=Login (samba, activedirectory) LDAPFieldLoginSambaExample=Esimerkki: samaccountname LDAPFieldFullname=Koko nimi @@ -1620,42 +1633,42 @@ LDAPFieldHomePhoneExample=Esimerkki: kotipuhelin LDAPFieldMobile=Matkapuhelin LDAPFieldMobileExample=Esimerkki: matkapuhelin LDAPFieldFax=Faksinumero -LDAPFieldFaxExample=Example: facsimiletelephonenumber +LDAPFieldFaxExample=Esimerkki: faksipuhelinnumero LDAPFieldAddress=Katuosoite LDAPFieldAddressExample=Esimerkki: katuosoite LDAPFieldZip=Postinumero LDAPFieldZipExample=Esimerkki: postinumero LDAPFieldTown=Kaupunki -LDAPFieldTownExample=Example: l +LDAPFieldTownExample=Esimerkki: l LDAPFieldCountry=Maa LDAPFieldDescription=Kuvaus LDAPFieldDescriptionExample=Esimerkki: kuvaus LDAPFieldNotePublic=Julkinen huomautus LDAPFieldNotePublicExample=Esimerkki: julkinenhuomautus LDAPFieldGroupMembers= Ryhmän jäsenet -LDAPFieldGroupMembersExample= Example: uniqueMember +LDAPFieldGroupMembersExample= Esimerkki: ainutlaatuinen jäsen LDAPFieldBirthdate=Syntymäaika LDAPFieldCompany=Yritys -LDAPFieldCompanyExample=Example: o +LDAPFieldCompanyExample=Esimerkki: o LDAPFieldSid=SID -LDAPFieldSidExample=Example: objectsid +LDAPFieldSidExample=Esimerkki: objectsid LDAPFieldEndLastSubscription=Päiväys merkintää varten LDAPFieldTitle=Asema LDAPFieldTitleExample=Esimerkiksi: titteli LDAPFieldGroupid=Ryhmätunnus -LDAPFieldGroupidExample=Example : gidnumber +LDAPFieldGroupidExample=Esimerkki: gidnumber LDAPFieldUserid=Käyttäjätunnus -LDAPFieldUseridExample=Example : uidnumber +LDAPFieldUseridExample=Esimerkki: uidnumber LDAPFieldHomedirectory=Kotihakemisto -LDAPFieldHomedirectoryExample=Exemple : homedirectory -LDAPFieldHomedirectoryprefix=Home directory prefix +LDAPFieldHomedirectoryExample=Esimerkki: kotihakemisto +LDAPFieldHomedirectoryprefix=Kotihakemiston etuliite LDAPSetupNotComplete=LDAP-asetukset ole täydellinen (go muiden välilehdet) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=N: o ylläpitäjä tai salasana tarjotaan. LDAP pääsy on nimetön ja vain luku-tilassa. LDAPDescContact=Tällä sivulla voit määritellä LDAP attributes nimi LDAP puu jokaisen tiedon löytyy Dolibarr yhteystiedot. LDAPDescUsers=Tällä sivulla voit määritellä LDAP attributes nimi LDAP puu jokaisen tiedon löytyy Dolibarr käyttäjille. LDAPDescGroups=Tällä sivulla voit määritellä LDAP attributes nimi LDAP puu jokaisen tiedon löytyy Dolibarr ryhmiä. LDAPDescMembers=Tällä sivulla voit määritellä LDAP attributes nimi LDAP puu jokaisen tiedon löytyy Dolibarr jäsenten moduuli. -LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. +LDAPDescMembersTypes=Tällä sivulla voit määrittää LDAP-attribuuttien nimen LDAP-puussa jokaiselle Dolibarr-jäsentyypeistä löytyvälle tiedolle. LDAPDescValues=Esimerkki arvot on suunniteltu OpenLDAP kanssa seuraavat ladattu kaavat: core.schema, cosine.schema, inetorgperson.schema). Jos käytät thoose arvot ja OpenLDAP, muokata LDAP config file slapd.conf on kaikki thoose kaavat ladattu. ForANonAnonymousAccess=Jotta autentikoitu acces (for a kirjoitusoikeuksia esimerkiksi) PerfDolibarr=Suorituskyvyn määritys / optimointiraportti @@ -1663,47 +1676,47 @@ YouMayFindPerfAdviceHere=Tällä sivulla on joitain suoritukseen liittyviä tark NotInstalled=Ei asennettu. NotSlowedDownByThis=Ei hidasta tätä. NotRiskOfLeakWithThis=Ei vuotoriskiä tällä. -ApplicativeCache=Applicative cache -MemcachedNotAvailable=No applicative cache found. You can enhance performance by installing a cache server Memcached and a module able to use this cache server.
      More information here
      http://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      Note that a lot of web hosting provider does not provide such cache server. -MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete. -MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled. -OPCodeCache=OPCode cache -NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad). -HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript) +ApplicativeCache=Sovellettava välimuisti +MemcachedNotAvailable=Sovellusvälimuistia ei löytynyt. Voit parantaa suorituskykyä asentamalla välimuistipalvelimen, johon on tallennettu ja moduuli, joka pystyy käyttämään tätä välimuistipalvelinta.
      Lisätietoja täältä http://wiki.dolibarr.org/index.php/Module_MemCached_EN.b3142fz0 /span>Huomaa, että monet verkkopalveluntarjoajat eivät tarjoa tällaista välimuistipalvelinta. +MemcachedModuleAvailableButNotSetup=Moduuli on tallennettu sovelluksen välimuistiin, mutta moduulin asennus ei ole valmis. +MemcachedAvailableAndSetup=Memcached-moduuli, joka on omistettu memcached-palvelimen käyttöön, on käytössä. +OPCodeCache=OPCode-välimuisti +NoOPCodeCacheFound=OPCode-välimuistia ei löytynyt. Ehkä käytät muuta OPCode-välimuistia kuin XCache- tai eAcceleratoria (hyvä), tai ehkä sinulla ei ole OPCode-välimuistia (erittäin huono). +HTTPCacheStaticResources=HTTP-välimuisti staattisia resursseja varten (css, img, JavaScript) FilesOfTypeCached=HTTP-palvelin tallentaa välimuistiin tyypin %s tiedostot FilesOfTypeNotCached=HTTP-palvelin ei tallenna välimuistiin tyypin %s tiedostoja FilesOfTypeCompressed=HTTP-palvelin pakkaa tyypin %s tiedostot FilesOfTypeNotCompressed=HTTP-palvelin ei pakkaa tyypin %s tiedostoja CacheByServer=Välimuisti palvelimen mukaan -CacheByServerDesc=For example using the Apache directive "ExpiresByType image/gif A2592000" +CacheByServerDesc=Esimerkiksi käyttämällä Apache-direktiiviä "ExpiresByType image/gif A2592000" CacheByClient=Välimuisti selaimen mukaan -CompressionOfResources=Compression of HTTP responses -CompressionOfResourcesDesc=For example using the Apache directive "AddOutputFilterByType DEFLATE" -TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers -DefaultValuesDesc=Here you may define the default value you wish to use when creating a new record, and/or default filters or the sort order when you list records. +CompressionOfResources=HTTP-vastausten pakkaus +CompressionOfResourcesDesc=Esimerkiksi käyttämällä Apache-ohjetta "AddOutputFilterByType DEFLATE" +TestNotPossibleWithCurrentBrowsers=Tällainen automaattinen tunnistus ei ole mahdollista nykyisillä selaimilla +DefaultValuesDesc=Täällä voit määrittää oletus-arvon, jota haluat käyttää uutta tietuetta luodessasi, ja/tai oletus suodattimet tai lajittelujärjestys tietueita luetteloitaessa. DefaultCreateForm=Oletusarvot (käytettäväksi lomakkeissa) DefaultSearchFilters=Oletus hakusuodattimet -DefaultSortOrder=Default sort orders -DefaultFocus=Default focus fields +DefaultSortOrder=oletus lajittelujärjestystä +DefaultFocus=oletus kohdistuskenttää DefaultMandatory=Pakolliset lomakekentät ##### Products ##### ProductSetup=Tuotteet Moduuli setup ServiceSetup=Services-moduuli asennus ProductServiceSetup=Tuotteet ja palvelut moduulien asennus NumberOfProductShowInSelect=Yhdistelmäluetteloissa näytettävien tuotteiden enimmäismäärä (0 = ei rajoitusta) -ViewProductDescInFormAbility=Display product descriptions in lines of items (otherwise show description in a tooltip popup) +ViewProductDescInFormAbility=Näytä tuotekuvaukset tuoteriveillä (muuten näytä kuvaus työkaluvihjeessä) OnProductSelectAddProductDesc=Tuotteen kuvauksen käyttäminen, kun lisäät tuotteen asiakirjan riviksi AutoFillFormFieldBeforeSubmit=Täytä kuvauksen syöttökenttä automaattisesti tuotteen kuvauksella -DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. -DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents -MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) -UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) +DoNotAutofillButAutoConcat=Älä täytä syötettä Kenttä automaattisesti tuotteen kuvauksella. Tuotteen kuvaus liitetään annettuun kuvaukseen automaattisesti. +DoNotUseDescriptionOfProdut=Tuotteen kuvausta ei koskaan sisällytetä asiakirjarivien kuvaukseen +MergePropalProductCard=Aktivoi tuotteen/palvelun liitetiedostot -välilehdellä vaihtoehto tuotteen PDF-dokumentin yhdistämiseksi tarjous PDF-azuriin, jos tuote/palvelu on kohdassa tarjous +ViewProductDescInThirdpartyLanguageAbility=Näytä tuotteet kuvaukset kolmannen osapuolen Kieli lomakkeissa (muussa muodossa b0df2e8a8z0 käyttäjästä) +UseSearchToSelectProductTooltip=Jos sinulla on myös suuri määrä tuotteet (> 100 000), voit lisätä nopeutta asettamalla vakion PRODUCT_DONOTSEARCH_ANYWHERE arvoksi 1 kohdassa Setup->Other. Haku rajoittuu sitten merkkijonon alkuun. +UseSearchToSelectProduct=Odota, kunnes painat näppäintä, ennen kuin lataat tuoteyhdistelmäluettelon sisällön (Tämä voi parantaa suorituskykyä, jos sinulla on paljon tuotteet, mutta se ei ole niin kätevää) SetDefaultBarcodeTypeProducts=Tuotteissa käytetty viivakoodin tyyppi SetDefaultBarcodeTypeThirdParties=Kolmansien osapuolien käyttämä viivakoodityyppi (oletus) -UseUnits=Define a unit of measure for Quantity during order, proposal or invoice lines edition -ProductCodeChecker= Module for product code generation and checking (product or service) +UseUnits=Määritä määrälle mittayksikkö tilauksen, tarjous tai laskurivien painoksen yhteydessä +ProductCodeChecker= Moduuli tuotekoodin luomiseen ja (tuote tai palvelu) ProductOtherConf= Tuotteen / palvelun kokoonpano IsNotADir=ei ole hakemisto! ##### Syslog ##### @@ -1714,10 +1727,10 @@ SyslogLevel=Taso SyslogFilename=Tiedoston nimi ja polku YouCanUseDOL_DATA_ROOT=Voit käyttää DOL_DATA_ROOT / dolibarr.log varten lokitiedoston Dolibarr "asiakirjoihin" hakemistoon. Voit valita eri reitin tallentaa tiedoston. ErrorUnknownSyslogConstant=Constant %s ei ole tunnettu syslog vakio -OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported -CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) +OnlyWindowsLOG_USER=Windowsissa vain LOG_USER-toimintoa tuetaan +CompressSyslogs=Pakkauksen ja virheenkorjaustiedostojen Loki varmuuskopio (generoitu moduulilla b02e0db5fbd31azb0 for debug ) SyslogFileNumberOfSaves=Säilytettävien varmuuskopiointilokien määrä -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +ConfigureCleaningCronjobToSetFrequencyOfSaves=Määritä ajoitetun puhdistustyön Loki varmuuskopiointitiheys ##### Donations ##### DonationsSetup=Lahjoitus-moduulin asetukset DonationsReceiptModel=Malline lahjoituksen vastaanottamisesta @@ -1736,9 +1749,9 @@ BarcodeDescC39=Viivakoodityyppi C39 BarcodeDescC128=Viivakoodityyppi C128 BarcodeDescDATAMATRIX=Viivakoodityyppi Datamatrix BarcodeDescQRCODE=Viivakoodityyppi QR -GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".
      For example: /usr/local/bin/genbarcode +GenbarcodeLocation=viivakoodi-sukupolven komentorivityökalu (käytetään sisäisessä moottorissa joissakin viivakoodi-tyypeissä). On oltava yhteensopiva genbarcode-koodin kanssa.
      Esimerkki: /usr/local/bin/genbarcode BarcodeInternalEngine=Sisäinen moottori -BarCodeNumberManager=Manager to auto define barcode numbers +BarCodeNumberManager=Hallinnoija määrittää viivakoodi numerot automaattisesti ##### Prelevements ##### WithdrawalsSetup=Suoraveloitusmoduulin asetukset ##### ExternalRSS ##### @@ -1748,22 +1761,22 @@ RSSUrl=RSS URL RSSUrlExample=Mielenkiintoinen RSS-syöte ##### Mailing ##### MailingSetup=Sähköpostituksen moduulin asetukset -MailingEMailFrom=Sender email (From) for emails sent by emailing module -MailingEMailError=Return Email (Errors-to) for emails with errors -MailingDelay=Seconds to wait after sending next message +MailingEMailFrom=Lähettäjän sähköposti (Lähettäjä) sähköpostimoduulin lähettämille sähköposteille +MailingEMailError=Palauta sähköposti (Errors-to), jos sähköpostissa on virheitä +MailingDelay=Sekuntia odottaa seuraavan viestin lähettämisen jälkeen ##### Notification ##### -NotificationSetup=Email Notification module setup -NotificationEMailFrom=Sender email (From) for emails sent by the Notifications module +NotificationSetup=Sähköposti-ilmoitusmoduulin asetukset +NotificationEMailFrom=Lähettäjän sähköposti (Lähettäjä) Ilmoitukset-moduulin lähettämille sähköposteille FixedEmailTarget=Edunsaajavaltiot -NotificationDisableConfirmMessageContact=Hide the list of recipients (subscribed as contact) of notifications into the confirmation message -NotificationDisableConfirmMessageUser=Hide the list of recipients (subscribed as user) of notifications into the confirmation message -NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as global email) of notifications into the confirmation message +NotificationDisableConfirmMessageContact=Piilota luettelon Ilmoitukset vastaanottajista (tilattu yhteyshenkilönä) vahvistusviestiin +NotificationDisableConfirmMessageUser=Piilota luettelon Ilmoitukset vastaanottajista (käyttäjänä tilattu) vahvistusviestiin +NotificationDisableConfirmMessageFix=Piilota luettelon Ilmoitukset vastaanottajista (tilattu maailmanlaajuisena sähköpostina) vahvistusviestiin ##### Sendings ##### SendingsSetup=Lähetysmoduulin asetukset SendingsReceiptModel=Lähettävä vastaanottanut malli SendingsNumberingModules=Lähetysten numerointi moduulit -SendingsAbility=Support shipping sheets for customer deliveries -NoNeedForDeliveryReceipts=In most cases, shipping sheets are used both as sheets for customer deliveries (list of products to send) and sheets that are received and signed by customer. Hence the product deliveries receipt is a duplicated feature and is rarely activated. +SendingsAbility=Tue lähetysarkkeja asiakastoimituksiin +NoNeedForDeliveryReceipts=Useimmissa tapauksissa lähetysarkkeja käytetään sekä asiakastoimitusten arkkeina (lähetettävä tuotteet) ja-arkkeina, jotka vastaanotetaan ja asiakkaan allekirjoittama. Tästä syystä tuotteen toimituskuitti on päällekkäinen ominaisuus ja, jota käytetään harvoin. FreeLegalTextOnShippings=Vapaa sana lähetyksissä ##### Deliveries ##### DeliveryOrderNumberingModules=Tuotteiden toimitukset vastaanottamisesta numerointiin moduuli @@ -1773,55 +1786,55 @@ FreeLegalTextOnDeliveryReceipts=Vapaa tekstihaku toimituksen tulot ##### FCKeditor ##### AdvancedEditor=Kehittynyt editori ActivateFCKeditor=Ota FCKeditor varten: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG luominen / painos postitusten -FCKeditorForUserSignature=WYSIWIG creation/edition of user signature -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) -FCKeditorForTicket=WYSIWIG tikettien luominen / muokkaus +FCKeditorForNotePublic=Elementtien Kenttä "julkisten muistiinpanojen" WYSIWYG luominen/painos +FCKeditorForNotePrivate=WYSIWYG-elementtien Kenttä "yksityisten muistiinpanojen" luominen/painos +FCKeditorForCompany=Elementtien kuvauksen Kenttä WYSIWYG-luonti/-versio (paitsi tuotteet/services) +FCKeditorForProductDetails=WYSIWYG-luonti/versio tuotteet kuvauksesta tai riveistä objekteille (ehdotusrivit, tilaukset, laskut jne.). +FCKeditorForProductDetails2=Varoitus: tämän vaihtoehdon käyttämistä tässä tapauksessa ei todellakaan suositella, koska se voi luo ongelmia erikoismerkkien kanssa ja sivun muotoilussa PDF-tiedostoa laadittaessa tiedostot. +FCKeditorForMailing= WYSIWYG-luonti/painos joukkosähköpostilähetyksiä varten (Työkalut->sähköposti) +FCKeditorForUserSignature=WYSIWYG-käyttäjän allekirjoituksen luominen/versio +FCKeditorForMail=WYSIWYG-luonti/painos kaikille viesteille (paitsi Työkalut->sähköposti) +FCKeditorForTicket=WYSIWYG-luonti/painos lipuille ##### Stock ##### StockSetup='Varasto' - moduulin asetukset -IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. +IfYouUsePointOfSaleCheckModule=Jos käytät oletus:n tarjoamaa myyntipistemoduulia (POS) tai ulkoista moduulia, POS-moduulisi saattaa jättää tämän asennuksen huomioimatta. Useimmat myyntipistemoduulit on suunnitellut oletus ja luo laskuttaa välittömästi ja span class='notranslate'>vähentää
      -osakkeesta riippumatta tässä olevista vaihtoehdoista. Joten jos sinulla on tai ei ole varastossa vähentää, kun rekisteröit myyntiä myyntipisteestäsi, tarkista myös POS-moduulisi asetukset. ##### Menu ##### MenuDeleted=Valikko poistettu Menu=Valikko Menus=Valikot TreeMenuPersonalized=Henkikökohtaiset valikot -NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry +NotTopTreeMenuPersonalized=Henkilökohtaiset valikot, joita ei ole linkitetty suosituimpaan valikko-merkintään NewMenu=Uusi valikko MenuHandler=Valikko huolitsijan MenuModule=Lähde moduuli -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) +HideUnauthorizedMenu=Piilota luvattomat valikot myös sisäisiltä käyttäjiltä (muutoin vain harmaana) DetailId=Id-valikosta DetailMenuHandler=Valikko huolitsijan missä osoittavat uuden valikon DetailMenuModule=Moduulin nimi, jos Valikosta kotoisin moduuli DetailType=Tyyppi-valikosta (ylä-tai vasemmalla) DetailTitre=Valikko etiketti tai etiketti koodin käännös -DetailUrl=URL where menu send you (Relative URL link or external link with https://) +DetailUrl=URL-osoite, johon valikko lähettää sinulle (suhteellinen URL-linkki tai ulkoinen linkki, jossa on https://) DetailEnabled=Ehto näyttää tai tulon -DetailRight=Ehto näyttö luvattoman harmaa valikot +DetailRight=Edellytys luvattomien harmaiden valikoiden näyttämiselle DetailLangs=Lang tiedoston nimen etiketti koodin käännös DetailUser=Intern / avun / Kaikki Target=Kohde -DetailTarget=Target for links (_blank top opens a new window) +DetailTarget=Kohdista linkit (_blank top avaa uuden ikkunan) DetailLevel=Tasolla (-1: ylävalikosta 0: header-valikko> 0-valikon ja alivalikon) ModifMenu=Valikko muutos DeleteMenu=Poista valikosta -ConfirmDeleteMenu=Are you sure you want to delete menu entry %s? +ConfirmDeleteMenu=Haluatko varmasti poistaa valikko merkinnän %s? FailedToInitializeMenu=Valikon alustaminen epäonnistui ##### Tax ##### -TaxSetup=Taxes, social or fiscal taxes and dividends module setup +TaxSetup=Verot, sosiaalinen tai verotus Verot ja osingot OptionVatMode=Vaihtoehto d'exigibilit de TVA -OptionVATDefault=Standard basis -OptionVATDebitOption=Accrual basis -OptionVatDefaultDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on payments for services -OptionVatDebitOptionDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on invoice (debit) for services -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
      - on payment for goods
      - on payments for services -SummaryOfVatExigibilityUsedByDefault=Time of VAT eligibility by default according to chosen option: +OptionVATDefault=Vakioperuste +OptionVATDebitOption=Suoriteperusteinen +OptionVatDefaultDesc=ALV on maksettava:
      - tavaroista toimitus (laskussa päiväys >)
      - palvelumaksuista +OptionVatDebitOptionDesc=ALV on maksettava:
      - tavaroista toimitus (laskussa päiväys >)
      – laskulla (veloitus) palveluista +OptionPaymentForProductAndServices=Käteisvarat perusta tuotteet ja palveluille +OptionPaymentForProductAndServicesDesc=ALV on maksettava:
      - maksu tavaroista
      - maksuista palveluita varten +SummaryOfVatExigibilityUsedByDefault=ALV-kelpoisuusaika oletus valitun vaihtoehdon mukaan: OnDelivery=Toimitettaessa OnPayment=Maksettaessa OnInvoice=Käytössä lasku @@ -1830,89 +1843,90 @@ SupposedToBeInvoiceDate=Laskun päiväys Buy=Ostaa Sell=Myydä InvoiceDateUsed=Laskun päiväys -YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organization), so there is no VAT options to setup. +YourCompanyDoesNotUseVAT=Yritys on määritetty niin, että se ei käytä arvonlisäveroa (Etusivu - Asennus - Yritys/Organization), joten arvonlisäverovaihtoehtoja ei ole perustaa. AccountancyCode=Kirjanpitotili AccountancyCodeSell=Myyntien tili AccountancyCodeBuy=Ostojen tili -CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Keep the checkbox “Automatically create the payment” empty by default when creating a new tax +CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Pidä oletus automaattisesti luo maksu -valintaruutu tyhjänä luodessasi. uusi vero ##### Agenda ##### AgendaSetup = Toimet ja esityslistan moduulin asetukset -AGENDA_DEFAULT_FILTER_TYPE = Automatically set this type of event in search filter of agenda view -AGENDA_DEFAULT_FILTER_STATUS = Automatically set this status for events in search filter of agenda view -AGENDA_DEFAULT_VIEW = Which view do you want to open by default when selecting menu Agenda -AGENDA_EVENT_PAST_COLOR = Past event color -AGENDA_EVENT_CURRENT_COLOR = Current event color -AGENDA_EVENT_FUTURE_COLOR = Future event color -AGENDA_REMINDER_BROWSER = Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). +AGENDA_DEFAULT_FILTER_TYPE = Aseta tämän tyyppiset tapahtumat automaattisesti esityslistanäkymän hakusuodattimeen +AGENDA_DEFAULT_FILTER_STATUS = Aseta tämä tila automaattisesti tapahtumille esityslistanäkymän hakusuodattimessa +AGENDA_DEFAULT_VIEW = Minkä näkymän haluat avata: oletus, kun valitset valikko Esityslista +AGENDA_EVENT_PAST_COLOR = Menneen tapahtuman väri +AGENDA_EVENT_CURRENT_COLOR = Tämänhetkinen tapahtuman väri +AGENDA_EVENT_FUTURE_COLOR = Tulevaisuuden tapahtuman väri +AGENDA_REMINDER_BROWSER = Ota tapahtumamuistutus käyttöön käyttäjän selaimessa (kun muistutus päiväys saavutetaan , selain näyttää ponnahdusikkunan. Jokainen käyttäjä voi poistaa tällaisen Ilmoitukset selaimen ilmoitusasetuksista). AGENDA_REMINDER_BROWSER_SOUND = Ota käyttöön ilmoitusäänet -AGENDA_REMINDER_EMAIL = Enable event reminder by emails (remind option/delay can be defined on each event). -AGENDA_REMINDER_EMAIL_NOTE = Note: The frequency of the scheduled job %s must be enough to be sure that the remind are sent at the correct moment. -AGENDA_SHOW_LINKED_OBJECT = Show linked object into agenda view -AGENDA_USE_EVENT_TYPE = Use events types (managed in menu Setup -> Dictionaries -> Type of agenda events) +AGENDA_REMINDER_EMAIL = Ota käyttöön sähköpostimuistutus (muistutusvaihtoehto/viive voidaan määrittää kullekin tapahtumalle). +AGENDA_REMINDER_EMAIL_NOTE = Huomaa: ajoitetun työn %s tiheyden on oltava riittävä, jotta varmistetaan, että muistutus lähetetään oikealla hetkellä. +AGENDA_SHOW_LINKED_OBJECT = Näytä linkitetty objekti esityslistanäkymään +AGENDA_USE_EVENT_TYPE = Käytä tapahtumatyyppejä (hallitaan kohdassa valikko Asetukset -> Sanakirjat -> Esityslistatapahtumien tyypit) AGENDA_USE_EVENT_TYPE_DEFAULT = Aseta tämä oletusarvo automaattisesti tapahtuman tyypille tapahtuman luontilomakkeessa PasswordTogetVCalExport = Avain sallia viennin linkki PastDelayVCalExport=Älä viedä tapauksessa vanhempia kuin -SecurityKey = Security Key +SecurityKey = Turva-avain ##### ClickToDial ##### ClickToDialSetup='Click To Dial'-moduulin asetukset -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). -ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. +ClickToDialUrlDesc=URL-osoite kutsutaan, kun puhelinkuvaa napsautetaan. URL-osoitteessa voit käyttää tunnisteita
      __PHONETO__ korvattu soittajan puhelinnumerolla
      __PHONEFROM__ korvataan soittavan henkilön puhelinnumerolla (sinun)
      __LOGIN__b09a4b739f1 span>, joka korvataan clicktodial-kirjautumisella (määritetty käyttäjäkortissa)
      __PASS__ , joka korvataan clicktodial-salasanalla (määritetty käyttäjäkortissa). +ClickToDialDesc=Tämä moduuli muuttaa puhelinnumerot pöytätietokonetta käytettäessä napsautettaviksi linkeiksi. Numeroon soitetaan klikkaus. Tätä voidaan käyttää puhelun aloittamiseen, kun käytät pehmeää puhelinta työpöydälläsi tai kun käytät esimerkiksi SIP-protokollaan perustuvaa CTI-järjestelmää. Huomautus: Kun käytät älypuhelinta, puhelinnumerot ovat aina napsautettavissa. ClickToDialUseTelLink=Käytä vain linkkiä "tel:" puhelinnumeroihin -ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface, installed on the same computer as the browser, and called when you click on a link starting with "tel:" in your browser. If you need a link that start with "sip:" or a full server solution (no need of local software installation), you must set this to "No" and fill the next field. +ClickToDialUseTelLinkDesc=Käytä tätä menetelmää, jos käyttäjilläsi on ohjelmistopuhelin tai ohjelmistoliitäntä, joka on asennettu samaan tietokoneeseen kuin selain. ja kutsutaan, kun napsautat "tel:"-alkuista linkkiä selaimesi. Jos tarvitset linkin, joka alkaa sanalla "sip:" tai täyden palvelinratkaisun (ei tarvitse paikallista ohjelmiston asennusta), sinun on asetettava asetukseksi "Ei". ja täytä seuraava Kenttä. ##### Point Of Sale (CashDesk) ##### CashDesk=Kassapääte CashDeskSetup='Kassapääte' - moduulin asetukset -CashDeskThirdPartyForSell=Default generic third party to use for sales +CashDeskThirdPartyForSell=oletus yleinen kolmas osapuoli myyntiin CashDeskBankAccountForSell=Käteismaksujen oletustili CashDeskBankAccountForCheque=Shekkimaksujen oletustili CashDeskBankAccountForCB=Luottokorttimaksujen oletustili -CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). -CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease -StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled -StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. -CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sale from Point of Sale. Hence a warehouse is required. -CashDeskForceDecreaseStockLabel=Stock decrease for batch products was forced. -CashDeskForceDecreaseStockDesc=Decrease first by the oldest eatby and sellby dates. -CashDeskReaderKeyCodeForEnter=Key ASCII code for "Enter" defined in barcode reader (Example: 13) +CashDeskBankAccountForSumup=oletus pankkitili käytettäväksi maksujen vastaanottamiseen SumUpin kautta +CashDeskDoNotDecreaseStock=Poista varasto käytöstä vähentää, kun myynti tapahtuu myyntipisteestä +CashDeskDoNotDecreaseStockHelp=Jos "ei", varasto vähentää tehdään jokaiselle POS-myynnille riippumatta moduulissa Varastossa asetetusta vaihtoehdosta. +CashDeskIdWareHouse=Pakota ja rajoittamaan varaston käyttöä varastolle vähentää +StockDecreaseForPointOfSaleDisabled=Varasto vähentää myyntipisteestä poistettu käytöstä +StockDecreaseForPointOfSaleDisabledbyBatch=Varasto vähentää myyntipisteessä ei ole yhteensopiva sarja-/erähallintamoduulin kanssa (tällä hetkellä aktiivinen), joten varasto vähentää on poistettu käytöstä. +CashDeskYouDidNotDisableStockDecease=Et poistanut varastoa vähentää käytöstä tehdessäsi myyntiä myyntipisteestä. Siksi varastoa tarvitaan. +CashDeskForceDecreaseStockLabel=Varasto vähentää erälle tuotteet pakotettiin. +CashDeskForceDecreaseStockDesc=vähentää ensin vanhin syöttäjä ja, myyjä päivämäärät. +CashDeskReaderKeyCodeForEnter=Avain ASCII-koodi "Enter"-koodille, joka on määritetty viivakoodi-lukijassa (esimerkki: 13) ##### Bookmark ##### BookmarkSetup='Kirjanmerkit'-moduulin asetukset -BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or external web sites on your left menu. +BookmarkDesc=Tämän moduulin avulla voit hallita kirjanmerkkejä. Voit myös lisätä pikakuvakkeita mille tahansa Dolibarr-sivulle tai ulkoisille Web-sivustoille vasemmalla valikko. NbOfBoomarkToShow=Enimmäismäärä kirjanmerkit näytetään vasemmanpuoleisessa valikossa ##### WebServices ##### WebServicesSetup=Webservices moduulin asetukset WebServicesDesc=Antamalla tämän moduulin, Dolibarr tullut verkkopalvelun palvelin antaa erilaiset web-palveluja. WSDLCanBeDownloadedHere=WSDL avainsana tiedosto jos serviceses voi ladata täältä -EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at URL +EndPointIs=SOAP-asiakkaiden on lähetettävä pyyntönsä Dolibarr-päätepisteeseen, joka on saatavilla osoitteessa URL ##### API #### ApiSetup=API moduuli asetukset -ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services. -ApiProductionMode=Enable production mode (this will activate use of a cache for services management) +ApiDesc=Ottamalla tämän moduulin käyttöön Dolibarrista tulee REST-palvelin, joka tarjoaa erilaisia verkkopalveluita. +ApiProductionMode=Ota tuotantotila käyttöön (tämä aktivoi välimuistin käytön palveluiden hallintaan) ApiExporerIs=Voit selata ja testata APIs URL-osoitteesta -OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed +OnlyActiveElementsAreExposed=Vain elementit käytössä olevista moduuleista näkyvät ApiKey=API-avain WarningAPIExplorerDisabled=API-selain on poistettu käytöstä. API-selainta ei tarvita API-palvelujen käyttämiseksi. Se on kehittäjän työkalu etsiä / testata REST API-rajapintaa. Jos tarvitset tätä työkalua, siirry moduulin API REST -asetuksiin aktivoidaksesi sen. ##### Bank ##### BankSetupModule=Pankki-moduulin asetukset -FreeLegalTextOnChequeReceipts=Free text on check receipts +FreeLegalTextOnChequeReceipts=Vapaa teksti shekkikuitteissa BankOrderShow=Näytä järjestyksessä pankkitilit käyttävien maiden "yksityiskohtaista pankin numero" BankOrderGlobal=Yleinen BankOrderGlobalDesc=Yleinen näyttöjärjestys BankOrderES=Espanjalainen BankOrderESDesc=Espanjan näyttöjärjestys -ChequeReceiptsNumberingModule=Check Receipts Numbering Module +ChequeReceiptsNumberingModule=Tarkista kuittien numerointimoduuli ##### Multicompany ##### MultiCompanySetup=Multi-yhtiö moduulin asetukset ##### Suppliers ##### SuppliersSetup='Toimittaja' - moduulin asetukset -SuppliersCommandModel=Complete template of Purchase Order -SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template) -SuppliersInvoiceModel=Complete template of Vendor Invoice +SuppliersCommandModel=Tilauksen Hankinta täydellinen malli +SuppliersCommandModelMuscadet=Tilauksen Hankinta täydellinen malli (cornas-mallin vanha toteutus) +SuppliersInvoiceModel=ostolasku täydellinen malli SuppliersInvoiceNumberingModel=Toimittajan laskujen numerointimallit -IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval +IfSetToYesDontForgetPermission=Jos arvo ei ole tyhjä, älä unohda antaa käyttöoikeuksia ryhmille tai käyttäjille, joille on annettu toinen hyväksyntä ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=GeoIP Maxmind moduuli setup -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation +PathToGeoIPMaxmindCountryDataFile=Polku osoitteeseen tiedosto, joka sisältää Maxmind-ip:n käännöksen maahan NoteOnPathLocation=Huomaa, että IP-maahan tiedosto on sisällä hakemiston PHP voi lukea (Tarkista PHP open_basedir asetukset ja tiedostojärjestelmän oikeudet). YouCanDownloadFreeDatFileTo=Voit ladata ilmaisen demoversion Maxmind GeoIP maa-tiedoston %s. YouCanDownloadAdvancedDatFileTo=Voit myös ladata pidempään versioon, niiden päivitykset ja Maxmind GeoIP maa-tiedoston %s. @@ -1948,13 +1962,13 @@ TypePaymentDesc=0: Asiakkaan maksutapa, 1: Toimittajan maksutapa, 2: Sekä asiak IncludePath=Sisällytä polku (määritelty muuttujaan %s) ExpenseReportsSetup=Kuluraportit moduulin asetukset TemplatePDFExpenseReports=Asiakirjamallit kuluraportti-asiakirjan luomiseksi -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules +ExpenseReportsRulesSetup=Moduulin kuluraportit asetukset – säännöt ExpenseReportNumberingModules=Kuluraporttien numerointimoduuli -NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only. -YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification". -TemplatesForNotifications=Templates for notifications +NoModueToManageStockIncrease=Mitään automaattista varastonlisäystä hallitsevaa moduulia ei ole aktivoitu. Varaston lisäys tapahtuu vain manuaalisella syötöllä. +YouMayFindNotificationsFeaturesIntoModuleNotification=Saatat löytää vaihtoehtoja sähköpostille Ilmoitukset ottamalla käyttöön ja määrittämällä Ilmoitus-moduulin. +TemplatesForNotifications=Mallit haulle Ilmoitukset ListOfNotificationsPerUser=Luettelo automaattisista ilmoituksista käyttäjää kohti * -ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** +ListOfNotificationsPerUserOrContact=Luettelo mahdollisista automaattisista Ilmoitukset (yritystapahtumassa) saatavilla per käyttäjä* tai yhteyshenkilö** ListOfFixedNotifications=Luettelo automaattisista kiinteistä ilmoituksista GoOntoUserCardToAddMore=Siirry käyttäjän ilmoitukset -välilehteen lisätäksesi tai poistaaksesi ilmoituksia käyttäjille GoOntoContactCardToAddMore=Siirry kolmannen osapuolen välilehdelle Ilmoitukset, jos haluat lisätä tai poistaa ilmoituksia kontakteille / osoitteille @@ -1963,45 +1977,46 @@ BackupDumpWizard=Ohjattu toiminto tietokannan dump-tiedoston rakentamiseen BackupZipWizard=Ohjattu toiminto asiakirjojen arkiston rakentamiseen SomethingMakeInstallFromWebNotPossible=Ulkoisen moduulin asennus ei ole mahdollista verkkoliitännästä seuraavasta syystä: SomethingMakeInstallFromWebNotPossible2=Tästä syystä tässä kuvattu päivitysprosessi on manuaalinen prosessi, jonka vain etuoikeutettu käyttäjä voi suorittaa. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. +InstallModuleFromWebHasBeenDisabledContactUs=Ulkoisten moduulien tai dynaamisten verkkosivustojen asentaminen tai kehittäminen sovelluksesta on tällä hetkellä lukittu turvallisuussyistä. Ota yhteyttä, jos haluat ottaa tämän ominaisuuden käyttöön. InstallModuleFromWebHasBeenDisabledByFile=Järjestelmänvalvoja on poistanut ulkoisen moduulin asennuksen sovelluksesta. Sinun on pyydettävä häntä poistamaan tiedosto %s tämän ominaisuuden sallimiseksi. -ConfFileMustContainCustom=Installing or building an external module from application need to save the module files into directory %s. To have this directory processed by Dolibarr, you must setup your conf/conf.php to add the 2 directive lines:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; +ConfFileMustContainCustom=Ulkoisen moduulin asentaminen tai rakentaminen sovelluksesta täytyy tallentaa moduulitiedostot hakemistoon %s . Jotta Dolibarr käsittelee tämän hakemiston, sinun on määritettävä conf/conf.php, jotta voit lisätä kaksi ohjeriviä:
      $dolibarr_main_url_root_alt='/custom';b0a65fc9 classz0
      $dolibarr_main_document_root_alt='b0ecb2ec87f49fztom' '>
      HighlightLinesOnMouseHover=Korosta taulukon rivit hiiren liikkuessa niiden päällä -HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) -HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) -UseBorderOnTable=Show left-right borders on tables -BtnActionColor=Color of the action button -TextBtnActionColor=Text color of the action button +HighlightLinesColor=Korosta viivan väri, kun hiiri kulkee sen yli (käytä "ffffff", jos et halua korostaa) +HighlightLinesChecked=Korosta viivan väri, kun se on valittuna (käytä "ffffff", jos et halua korostaa) +UseBorderOnTable=Näytä vasemman ja oikean reunukset taulukoissa +TableLineHeight=Pöydän rivin korkeus +BtnActionColor=Toimintopainikkeen väri +TextBtnActionColor=Toimintopainikkeen tekstin väri TextTitleColor=Sivun otsikon tekstin väri LinkColor=Linkkien värit PressF5AfterChangingThis=Paina näppäimistön CTRL + F5 tai tyhjennä selaimen välimuisti muutettuasi tämän arvon, jotta se tulee voimaan -NotSupportedByAllThemes=Will works with core themes, may not be supported by external themes +NotSupportedByAllThemes=Will toimii ydinteemojen kanssa, ulkoiset teemat eivät välttämättä tue sitä BackgroundColor=Taustaväri TopMenuBackgroundColor=Taustaväri ylävalikolle -TopMenuDisableImages=Icon or Text in Top menu +TopMenuDisableImages=Kuvake tai teksti yläosassa valikko LeftMenuBackgroundColor=Taustaväri alavalikolle BackgroundTableTitleColor=Taulukon otsikkorivin taustaväri BackgroundTableTitleTextColor=Taulukon otsikkorivin tekstin väri BackgroundTableTitleTextlinkColor=Taulukon otsikkolinkkirivin tekstin väri -BackgroundTableLineOddColor=Background color for odd table lines -BackgroundTableLineEvenColor=Background color for even table lines +BackgroundTableLineOddColor=Taustaväri parittomille taulukon viivoille +BackgroundTableLineEvenColor=Taustaväri tasaisille pöytäviivoille MinimumNoticePeriod=Vähimmäisilmoitusaika (lomapyyntösi on tehtävä ennen tätä viivettä) NbAddedAutomatically=Käyttäjälaskureihin lisättyjen päivien määrä (automaattisesti) kuukaudessa EnterAnyCode=Tämä kenttä sisältää viitteen linjan tunnistamiseksi. Syötä haluamasi arvo ilman erikoismerkkejä. Enter0or1=Syötä 0 tai 1 UnicodeCurrency=Kirjoita tähän aaltosulkeiden väliin, luettelo tavunumerosta, joka edustaa valuuttasymbolia. Esimerkiksi: kirjoita $: lle [36] - Brasilian real:lle R $ [82,36] - €: lle, kirjoita [8364] ColorFormat=RGB-väri on HEX-muodossa, esim .: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Kuvakkeen nimi muodossa:
      - image.png kuvalle tiedosto nykyiseen teemahakemistoon
      - image.png@module, jos tiedosto on moduulin hakemistossa /img/
      - fa-xxx FontAwesome fa-xxx -kuvalle
      - fontawesome_xxx_fa_color_size FontAwesome fa-xxx -kuvalle (etuliitteellä, väri
      +VATIsUsedIsOff=Huomautus: Myynti-vero tai ALV-vaihtoehto on asetettu arvoon Poisb0a65d071f6fc /span> valikko %s - %s, joten myynti class='notranslate'>vero tai käytetty ALV on aina 0 myynnin yhteydessä. +SwapSenderAndRecipientOnPDF=Vaihda lähettäjän ja vastaanottajan osoitteen sijainti PDF-dokumenteissa +FeatureSupportedOnTextFieldsOnly=Varoitus, ominaisuutta tuetaan vain tekstikentissä ja yhdistelmäluetteloissa. Myös URL-parametri action=luo tai action=edit on asetettava TAI sivun nimen lopussa on oltava "new.php", jotta tämä ominaisuus käynnistyy. EmailCollector=Sähköpostin kerääjä -EmailCollectors=Email collectors -EmailCollectorDescription=Add a scheduled job and a setup page to scan regularly email boxes (using IMAP protocol) and record emails received into your application, at the right place and/or create some records automatically (like leads). +EmailCollectors=Sähköpostin kerääjät +EmailCollectorDescription=Lisää ajoitettu työ ja asetussivu sähköpostilaatikoiden säännöllistä tarkistamista varten (IMAP-protokollan avulla) ja tallenna vastaanotetut sähköpostit hakemukseesi, oikeassa paikassa ja/tai luo jotkin tietueet automaattisesti (kuten liidit). NewEmailCollector=Uusi postinkerääjä EMailHost=IMAP-palvelin -EMailHostPort=Port of email IMAP server -loginPassword=Login/Password -oauthToken=OAuth2 token -accessType=Acces type -oauthService=Oauth service -TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session +EMailHostPort=Sähköpostin IMAP-palvelimen portti +loginPassword=Kirjautumissalasana +oauthToken=OAuth2-tunnus +accessType=Käyttöoikeustyyppi +oauthService=Oauth-palvelu +TokenMustHaveBeenCreated=Moduulin OAuth2 on oltava käytössä ja oauth2-tunnus on luotava oikeilla käyttöoikeuksilla (esimerkiksi laajuus "gmail_full" OAuth for Gmailissa). +ImapEncryption = IMAP-salausmenetelmä +ImapEncryptionHelp = Esimerkki: none, ssl, tls, notls +NoRSH = Käytä NoRSH-kokoonpanoa +NoRSHHelp = Älä käytä RSH- tai SSH-protokollia IMAP-esitunnistusistunnon muodostamiseen MailboxSourceDirectory=Sähköpostin lähdehakemisto MailboxTargetDirectory=Postilaatikon kohdehakemisto EmailcollectorOperations=Keräilijän tehtävät toiminnot EmailcollectorOperationsDesc=Toiminnot suoritetaan ylhäältä alas järjestyksessä MaxEmailCollectPerCollect=Kerätyn sähköpostin enimmäismäärä keräystä kohti -TestCollectNow=Test collect +TestCollectNow=Testi kerää CollectNow=Kerää nyt -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s? +ConfirmCloneEmailCollector=Haluatko varmasti kloonata sähköpostinkerääjän %s? DateLastCollectResult=Viimeisimmän keräysyrityksen päivämäärä DateLastcollectResultOk=Viimeisimmän onnistuneen keräyksen päivämäärä LastResult=Viimeisin tulos -EmailCollectorHideMailHeaders=Do not include the content of email header into the saved content of collected e-mails -EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. +EmailCollectorHideMailHeaders=Älä sisällytä sähköpostin otsikon sisältöä kerättyjen sähköpostien tallennettuun sisältöön +EmailCollectorHideMailHeadersHelp=Kun tämä on käytössä, sähköpostin otsikoita ei lisätä esityslistatapahtumaksi tallennetun sähköpostin sisällön loppuun. EmailCollectorConfirmCollectTitle=Sähköpostikeräyksen vahvistus -EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). -EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software -EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. -EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. -EmailCollectorExampleToCollectLeads=Example collecting leads -EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. -EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail +EmailCollectorConfirmCollect=Haluatko johtaa tätä keräilijää nyt? +EmailCollectorExampleToCollectTicketRequestsDesc=Kerää joitakin sääntöjä vastaavat sähköpostit ja luo automaattisesti lippu (moduulilippu on otettava käyttöön) sähköpostitiedoilla. Voit käyttää tätä keräilijää, jos annat tukea sähköpostitse, joten lippupyyntösi luodaan automaattisesti. Aktivoi myös Collect_Responses kerätäksesi asiakkaasi vastaukset suoraan lippunäkymään (sinun on vastattava Dolibarrilta). +EmailCollectorExampleToCollectTicketRequests=Esimerkki lippupyynnön keräämisestä (vain ensimmäinen viesti) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Skannaa postilaatikkosi Lähetetty-hakemisto löytääksesi sähköpostit, jotka on lähetetty vastauksena toiseen sähköpostiin suoraan sähköpostiohjelmistostasi ja, eivät Dolibarrilta. Jos tällainen sähköposti löytyy, vastaustapahtuma tallennetaan Dolibarriin +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Esimerkki ulkoisesta sähköpostiohjelmistosta lähetettyjen sähköpostivastausten keräämisestä +EmailCollectorExampleToCollectDolibarrAnswersDesc=Kerää kaikki sähköpostit, jotka ovat vastaus hakemuksestasi lähetettyyn sähköpostiin. Tapahtuma (Moduuli Agendan on oltava käytössä), jossa sähköpostivastaus tallennetaan hyvään paikkaan. Jos esimerkiksi lähetät Tarjouspyyntö, tilauksen, laskun tai viestin lipusta sähköpostitse sovelluksesta, ja vastaanottaja vastaa sähköpostiisi, järjestelmä saa automaattisesti vastauksen ja lisää se ERP-järjestelmääsi. +EmailCollectorExampleToCollectDolibarrAnswers=Esimerkki, jossa kerätään kaikki saapuvat viestit, jotka ovat vastauksia Dolibarrilta lähetettyihin viesteihin. +EmailCollectorExampleToCollectLeadsDesc=Kerää sähköpostit, jotka vastaavat joitakin sääntöjä ja luo automaattisesti liidi (moduuliprojektin on oltava käytössä) sähköpostitiedoilla. Voit käyttää tätä keräilijää, jos haluat seurata esimerkkiäsi käyttämällä Project-moduulia (1 liidi = 1 projekti), joten liidit luodaan automaattisesti. Jos Collect_Responses on myös käytössä, saatat nähdä myös asiakkaat tai kumppaneidesi vastaukset suoraan sovelluksessa, kun lähetät sähköpostin liideiltäsi, ehdotuksiltasi tai mistä tahansa muusta objektista.
      Huomaa: Tässä ensimmäisessä esimerkissä liidin otsikko luodaan sähköpostin mukaan. Jos kolmatta osapuolta ei löydy kohteesta tietokanta (uusi asiakas), liidi liitetään kolmannelle osapuolelle, jonka tunnus on 1. +EmailCollectorExampleToCollectLeads=Esimerkki liidien keräämisestä +EmailCollectorExampleToCollectJobCandidaturesDesc=Kerää työtarjouksia hakevat sähköpostit (Moduulirekrytoinnin on oltava käytössä). Voit suorittaa tämän keräyksen, jos haluat automaattisesti luo työhakemuksen. Huomautus: Tässä alkuperäisessä esimerkissä hakijan otsikko luodaan, mukaan lukien sähköposti. +EmailCollectorExampleToCollectJobCandidatures=Esimerkki sähköpostilla saatujen työhakemusten keräämisestä NoNewEmailToProcess=Ei uutta käsiteltävää sähköpostia (vastaavat suodattimet) NothingProcessed=Mitään ei tehty -RecordEvent=Record an event in agenda (with type Email sent or received) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation or was guessed from a tracker in email header, without third party otherwise) +RecordEvent=Tallenna tapahtuma esityslistalle (tyypin Sähköposti lähetetty tai vastaanotettu) +CreateLeadAndThirdParty=luo liidi (ja kolmas osapuoli tarvittaessa) +CreateTicketAndThirdParty=luo lippu (linkitetty kolmanteen osapuoleen, jos kolmas osapuoli on ladattu aikaisemmalla toiminnolla tai se arvattiin sähköpostin otsikossa olevasta seurantaohjelmasta, ilman kolmatta osapuolta) CodeLastResult=Viimeisin tuloskoodi NbOfEmailsInInbox=Lähdehakemistossa olevien sähköpostien määrä LoadThirdPartyFromName=Lataa kolmannen osapuolen haku sivustolta %s (vain lataus) LoadThirdPartyFromNameOrCreate=Lataa kolmannen osapuolen haku sivustolta %s (luo, jos sitä ei löydy) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) -AttachJoinedDocumentsToObject=Save attached files into object documents if a ref of an object is found into email topic. +LoadContactFromEmailOrCreate=Lataa yhteystietohaku osoitteessa %s (luo, jos ei löydy) +AttachJoinedDocumentsToObject=Tallenna liitetiedostot objektidokumenteiksi, jos kohteen viite löytyy sähköpostin aiheesta. WithDolTrackingID=Viesti keskustelusta, jonka aloitti ensimmäinen sähköposti, lähetetty Dolibarrista WithoutDolTrackingID=Viesti keskustelusta, jonka aloitti ensimmäinen sähköposti, EI lähetetty Dolibarrista WithDolTrackingIDInMsgId=Viesti lähetetty Dolibarrista @@ -2169,14 +2184,14 @@ CreateCandidature=Luo työhakemus FormatZip=Postinumero MainMenuCode=Valikkokoodi (päävalikko) ECMAutoTree=Näytä automaattinen ECM-puu -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. +OperationParamDesc=Määritä säännöt, joita käytetään joidenkin tietojen purkamiseen tai määritä arvoja toimintaa varten.

      Esimerkki Yritys
      nimi sähköpostin aiheesta väliaikaiseksi muuttujaksi:
      tmp_var=EXTRACT:SUBJECT:Viesti lähettäjältä b0a06ee7cda03 /span> ([^\n]*)

      Esimerkkejä objektin ominaisuuksien asettamisesta luo >:
      objproperty1=SET:koodattu arvo
      objproperty2=SET:__tmp_var__ objproperty3=SETIFEMPTY:a arvo (arvo asetetaan vain, jos ominaisuutta ei ole jo määritetty)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([ ^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      objekti .objproperty5=EXTRACT:BODY:Minun Yritys nimeni on\\s([^\\s]*)

      Käytä uutta riviä useiden ominaisuuksien poimimiseen tai määrittämiseen. OpeningHours=Aukioloajat OpeningHoursDesc=Yrityksen tavalliset aukioloajat ResourceSetup=Resurssimoduulin määritys UseSearchToSelectResource=Käytä hakulomaketta resurssin valitsemiseksi (pikavalikon sijaan). DisabledResourceLinkUser=Poista ominaisuus käytöstä linkittääksesi resurssin käyttäjiin DisabledResourceLinkContact=Poista ominaisuus käytöstä linkittääksesi resurssin kontakteihin -EnableResourceUsedInEventCheck=Prohibit the use of the same resource at the same time in the agenda +EnableResourceUsedInEventCheck=Kielletään saman resurssin käyttö samaan aikaan asialistalla ConfirmUnactivation=Vahvista moduulin nollaus OnMobileOnly=Vain pienellä näytöllä (älypuhelin) DisableProspectCustomerType=Poista käytöstä "Prospekti + Asiakas" -tyyppi (joten kolmannen osapuolen on oltava "Prospekti" tai "Asiakas", mutta ei voi olla molempia) @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=Kukin käyttäjä voi korvata tämän arvon käyttäjän sivulta - välilehti '%s' -DefaultCustomerType=Kolmannen osapuolen oletustyyppi uuden asiakkaan luontilomakkeelle +DefaultCustomerType=oletus kolmannen osapuolen tyyppi "Uuden asiakkaan" luontilomakkeelle ABankAccountMustBeDefinedOnPaymentModeSetup=Huomaa: Pankkitili on määritettävä jokaisen maksutavan moduulissa (Paypal, Stripe, ...), jotta tämä ominaisuus toimisi. RootCategoryForProductsToSell=Myytävien tuotteiden pääluokka -RootCategoryForProductsToSellDesc=Jos määritelty, vain tämän luokan tuotteet tai tämän luokan alatuotteet ovat saatavilla myyntipisteessä +RootCategoryForProductsToSellDesc=Jos määritetty, vain tuotteet tähän luokkaan tai tämän luokan alat ovat saatavilla myyntipisteessä DebugBar=Virheenkorjauspalkki DebugBarDesc=Työkalupalkki, joka sisältää runsaasti työkaluja virheenkorjauksen yksinkertaistamiseksi DebugBarSetup=Virheenkorjauspalkin asetukset @@ -2201,208 +2216,227 @@ UseDebugBar=Käytä virheenkorjauspalkkia DEBUGBAR_LOGS_LINES_NUMBER=Konsolissa pidettävien lokirivien määrä WarningValueHigherSlowsDramaticalyOutput=Varoitus, suuremmat arvot hidastavat merkittävästi ohjelmaa ModuleActivated=Moduuli %son aktiivinen ja hidastaa ohjelmaa -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) +ModuleActivatedWithTooHighLogLevel=Moduuli %s on aktivoitu liian korkealla kirjaustasolla (yritä käyttää alempaa tasoa parantaaksesi suorituskykyä ja suojaus) +ModuleSyslogActivatedButLevelNotTooVerbose=Moduuli %s on aktivoitu ja Loki taso (%s) on oikein (ei liian monisanainen) IfYouAreOnAProductionSetThis=Jos olet tuotantoympäristössä, määritä tämän ominaisuuden arvoksi %s. AntivirusEnabledOnUpload=Virustorjunta käytössä ladatuissa tiedostoissa -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode +SomeFilesOrDirInRootAreWritable=Jotkut tiedostot tai hakemistot eivät ole vain luku -tilassa EXPORTS_SHARE_MODELS=Vientimallit jaetaan kaikkien kanssa ExportSetup=Vienti-moduulin asetukset ImportSetup=tuontimoduulin asetukset InstanceUniqueID=Instanssin ID SmallerThan=Pienempi kuin LargerThan=Suurempi kuin -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=Jos otit käyttöön kaksivaiheisen vahvistuksen Gmail-tilillä, on suositeltavaa luoda erillinen toinen salasana sovellukselle sen sijaan, että käyttäisit omaa tilin salasanasi osoitteessa https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). -EndPointFor=End point for %s : %s +IfTrackingIDFoundEventWillBeLinked=Huomaa, että jos sähköpostista löytyy objektin seurantatunnus tai jos sähköposti on vastaus jo kerättyyn sähköpostiin ja, joka on linkitetty objektiin, luotu tapahtuma linkitetty tunnettuun liittyvään objektiin. +WithGMailYouCanCreateADedicatedPassword=Jos olet ottanut käyttöön 2-vaiheisen vahvistuksen Gmail-tilillä, on suositeltavaa luo antaa sovellukselle erillinen toinen salasana sen sijaan, että käyttäisit omaa tilisi salasanaa osoitteessa https://myaccount. .google.com/. +EmailCollectorTargetDir=Voi olla toivottavaa siirtää sähköposti toiseen tunnisteeseen/hakemistoon, kun se on käsitelty onnistuneesti. Aseta vain hakemiston nimi tähän käyttääksesi tätä ominaisuutta (ÄLÄ käytä nimessä erikoismerkkejä). Huomaa, että sinun on käytettävä myös luku-/kirjoitustiliä. +EmailCollectorLoadThirdPartyHelp=Voit käyttää tätä toimintoa sähköpostin sisällön avulla löytääksesi ja ladata olemassa olevan kolmannen osapuolen tietokanta (haku tehdään määritellyssä ominaisuudessa 'id', 'name', 'name_alias', 'email') joukossa). Löytynyttä (tai luotua) kolmatta osapuolta käytetään seuraaviin sitä vaativiin toimiin.
      Jos esimerkiksi haluat luo kolmas osapuoli, jonka nimi on poimittu merkkijonosta "Nimi: etsittävä nimi" esiintyy rungossa, käytä lähettäjän sähköpostiosoitetta sähköpostina, voit asettaa parametrin Kenttä näin :
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Nimi:\\s([^\\s]*);client=SET: 2;'
      +FilterSearchImapHelp=Varoitus: monet sähköpostipalvelimet (kuten Gmail) tekevät koko sanahakuja, kun haetaan merkkijonosta ja ei palauta tulosta, jos merkkijono löytyy vain osittain sanasta. Tästäkin syystä erikoismerkkien käyttö hakuehdoissa jätetään huomioimatta, jos ne eivät ole osa olemassa olevia sanoja.
      Jos haluat sulkea pois sanan (palauta sähköposti, jos sana ei löydy), voit käyttää ! merkki ennen sanaa (ei ehkä toimi joillakin sähköpostipalvelimilla). +EndPointFor=Päätepiste kohteelle %s : %s DeleteEmailCollector=Poista sähköpostin kerääjä ConfirmDeleteEmailCollector=Haluatko varmasti poistaa tämän sähköpostin kerääjän? RecipientEmailsWillBeReplacedWithThisValue=Vastaanottajien sähköpostiosoitteet korvataan aina tällä arvolla AtLeastOneDefaultBankAccountMandatory=Vähintään 1 pankkitili täytyy määrittää -RESTRICT_ON_IP=Allow API access to only certain client IPs (wildcard not allowed, use space between values). Empty means every clients can access. +RESTRICT_ON_IP=Salli API-käyttö vain tietyille asiakas-IP-osoitteille (jokerimerkki ei sallittu, käytä välilyöntiä arvojen välillä). Tyhjä tarkoittaa, että kaikki asiakkaat voivat käyttää. IPListExample=127.0.0.1 192.168.0.2 [::1] BaseOnSabeDavVersion=Perustuu SabreDAV-versioon NotAPublicIp=Ei julkinen IP-osoite MakeAnonymousPing=Tee anonyymi Ping '+1' Dolibarr-säätiön palvelimelle (tehdään vain kerran asennuksen jälkeen), jotta säätiö voi laskea Dolibarr-asennuksen määrän. FeatureNotAvailableWithReceptionModule=Ominaisuus ei käytettävissä kun moduuli Vastaanotto on aktiivinen EmailTemplate=Mallisähköposti -EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF -FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. -RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard +EMailsWillHaveMessageID=Sähköposteissa on tätä syntaksia vastaava "Viitteet" -tagi +PDF_SHOW_PROJECT=Näytä projekti asiakirjassa +ShowProjectLabel=Projektimerkki +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Sisällytä alias kolmannen osapuolen nimeen +THIRDPARTY_ALIAS=Kolmannen osapuolen nimi – Kolmannen osapuolen alias +ALIAS_THIRDPARTY=Kolmannen osapuolen alias - Kolmannen osapuolen nimi +PDFIn2Languages=Näytä tarrat PDF-tiedostossa kahdella eri kielellä (tämä ominaisuus ei ehkä toimi joillakin kielillä) +PDF_USE_ALSO_LANGUAGE_CODE=Jos haluat, että PDF-tiedostosi tekstit kopioidaan kahdella eri kielellä samaan luotuun PDF-tiedostoon, sinun on asetettava tähän toinen Kieli, jotta luotu PDF sisältää kaksi eri kieltä samalla tavalla. sivu, joka valittiin PDF-tiedostoa luotaessa ja tämä (vain harvat PDF-mallit tukevat tätä). Pidä tyhjänä 1 Kieli PDF-tiedostoa kohden. +PDF_USE_A=Luo PDF-dokumentteja PDF/A-muodossa oletus-muotoisen PDF:n sijaan +FafaIconSocialNetworksDesc=Kirjoita tähän FontAwesome-kuvakkeen koodi. Jos et tiedä mikä on FontAwesome, voit käyttää yleistä arvoa fa-osoitekirjaa. +RssNote=Huomautus: Jokainen RSS-syötteen määritelmä sisältää widgetin, joka sinun on otettava käyttöön, jotta se on käytettävissä kojelaudassa JumpToBoxes=Siirry kohtaan Asetukset -> Widgetit -MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" -MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values. +MeasuringUnitTypeDesc=Käytä tässä arvoa, kuten "size", "surface", "volume", "Massa", "time" +MeasuringScaleDesc=Asteikko on niiden paikkojen lukumäärä, joissa desimaaliosa on siirrettävä, jotta se vastaa oletus-viiteyksikköä. "Aika"-yksikkötyypille se on sekuntien lukumäärä. Arvot välillä 80 ja 99 ovat varattuja arvoja. TemplateAdded=Malli lisätty TemplateUpdated=Malli päivitetty TemplateDeleted=Malli poistettu -MailToSendEventPush=Event reminder email +MailToSendEventPush=Tapahtumamuistutus sähköpostilla SwitchThisForABetterSecurity=Tämän arvon vaihtamista arvoon %s suositellaan turvallisuuden lisäämiseksi -DictionaryProductNature= Nature of product +DictionaryProductNature= Tuotteen luonne CountryIfSpecificToOneCountry=Maa (jos määritelty annetulle maalle) YouMayFindSecurityAdviceHere=Löydät tietoturva-neuvoja täältä -ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. +ModuleActivatedMayExposeInformation=Tämä PHP-laajennus saattaa paljastaa arkaluontoisia tietoja. Jos et tarvitse sitä, poista se käytöstä. ModuleActivatedDoNotUseInProduction=Kehitykseen suunniteltu moduuli on otettu käyttöön. Älä ota sitä käyttöön tuotantoympäristössä. CombinationsSeparator=Tuoteyhdistelmien erotinmerkki -SeeLinkToOnlineDocumentation=Katso esimerkkejä linkistä online-dokumentaatioon ylävalikossa +SeeLinkToOnlineDocumentation=Katso esimerkkejä linkistä verkkodokumentaatioon ylhäältä valikko SHOW_SUBPRODUCT_REF_IN_PDF=Jos käytetään moduulin %s ominaisuutta "%s", näytä yksityiskohdat paketin alituotteista PDF-muodossa. AskThisIDToYourBank=Ota yhteyttä pankkiisi saadaksesi tämän tunnuksen -AdvancedModeOnly=Permision available in Advanced permission mode only -ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. -MailToSendEventOrganization=Event Organization -MailToPartnership=Partnership -AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s +AdvancedModeOnly=Lupa on käytettävissä vain Lisäkäyttöoikeustilassa +ConfFileIsReadableOrWritableByAnyUsers=Conf tiedosto on kaikkien käyttäjien luettavissa tai kirjoitettavissa. Anna lupa vain verkkopalvelimen käyttäjälle ja ryhmä. +MailToSendEventOrganization=Tapahtuman järjestäminen +MailToPartnership=Kumppanuus +AGENDA_EVENT_DEFAULT_STATUS=oletus tapahtuman tila luotaessa tapahtumaa lomakkeesta +YouShouldDisablePHPFunctions=Sinun tulee poistaa PHP-toiminnot käytöstä +IfCLINotRequiredYouShouldDisablePHPFunctions=Jos sinun ei tarvitse suorittaa järjestelmäkomentoja mukautetussa koodissa, sinun tulee poistaa PHP-toiminnot käytöstä +PHPFunctionsRequiredForCLI=Shell-tarkoituksiin (kuten ajoitetun työn varmuuskopiointiin tai virustorjuntaohjelman suorittamiseen) sinun on säilytettävä PHP-toiminnot +NoWritableFilesFoundIntoRootDir=Juurihakemistostasi ei löytynyt kirjoitettavia tiedostoja tai yleisten ohjelmien hakemistoja (hyvä) +RecommendedValueIs=Suositus: %s Recommended=Suositeltava -NotRecommended=Not recommended -ARestrictedPath=Some restricted path for data files -CheckForModuleUpdate=Check for external modules updates -CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. -ModuleUpdateAvailable=An update is available -NoExternalModuleWithUpdate=No updates found for external modules -SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) -YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=You enabled deprecated WS API. You should use REST API instead. -RandomlySelectedIfSeveral=Randomly selected if several pictures are available -SalesRepresentativeInfo=For Proposals, Orders, Invoices. -DatabasePasswordObfuscated=Database password is obfuscated in conf file -DatabasePasswordNotObfuscated=Database password is NOT obfuscated in conf file -APIsAreNotEnabled=APIs modules are not enabled -YouShouldSetThisToOff=You should set this to 0 or off -InstallAndUpgradeLockedBy=Install and upgrades are locked by the file %s -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. -OldImplementation=Old implementation -PDF_SHOW_LINK_TO_ONLINE_PAYMENT=If some online payment modules are enabled (Paypal, Stripe, ...), add a link on the PDF to make the online payment -DashboardDisableGlobal=Disable globally all the thumbs of open objects -BoxstatsDisableGlobal=Disable totally box statistics -DashboardDisableBlocks=Thumbs of open objects (to process or late) on main dashboard -DashboardDisableBlockAgenda=Disable the thumb for agenda -DashboardDisableBlockProject=Disable the thumb for projects -DashboardDisableBlockCustomer=Disable the thumb for customers -DashboardDisableBlockSupplier=Disable the thumb for suppliers -DashboardDisableBlockContract=Disable the thumb for contracts -DashboardDisableBlockTicket=Disable the thumb for tickets -DashboardDisableBlockBank=Disable the thumb for banks -DashboardDisableBlockAdherent=Disable the thumb for memberships -DashboardDisableBlockExpenseReport=Disable the thumb for expense reports -DashboardDisableBlockHoliday=Disable the thumb for leaves -EnabledCondition=Condition to have field enabled (if not enabled, visibility will always be off) -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -LanguageAndPresentation=Language and presentation -SkinAndColors=Skin and colors -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -PDF_USE_1A=Generate PDF with PDF/A-1b format -MissingTranslationForConfKey = Missing translation for %s -NativeModules=Native modules -NoDeployedModulesFoundWithThisSearchCriteria=No modules found for these search criteria -API_DISABLE_COMPRESSION=Disable compression of API responses -EachTerminalHasItsOwnCounter=Each terminal use its own counter. -FillAndSaveAccountIdAndSecret=Fill and save account ID and secret first -PreviousHash=Previous hash -LateWarningAfter="Late" warning after -TemplateforBusinessCards=Template for a business card in different size -InventorySetup= Inventory Setup -ExportUseLowMemoryMode=Use a low memory mode -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. +NotRecommended=Ei suositeltu +ARestrictedPath=Jokin rajoitettu polku datatiedostoille +CheckForModuleUpdate=Tarkista ulkoisten moduulien päivitykset +CheckForModuleUpdateHelp=Tämä toiminto muodostaa yhteyden ulkoisten moduulien toimittajiin tarkistaakseen, onko uusi versio saatavilla. +ModuleUpdateAvailable=Päivitys on saatavilla +NoExternalModuleWithUpdate=Ulkoisille moduuleille ei löytynyt päivityksiä +SwaggerDescriptionFile=Swagger API -kuvaus tiedosto (käytettäväksi esimerkiksi redocin kanssa) +YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=Otit käyttöön vanhentuneen WS-sovellusliittymän. Käytä sen sijaan REST API:ta. +RandomlySelectedIfSeveral=Valitaan satunnaisesti, jos saatavilla on useita kuvia +SalesRepresentativeInfo=Ehdotuksia, tilauksia, laskuja varten. +DatabasePasswordObfuscated=tietokanta salasana on hämärtynyt confissa tiedosto +DatabasePasswordNotObfuscated=tietokanta salasanaa EI ole hämärtynyt confissa tiedosto +APIsAreNotEnabled=API-moduulit eivät ole käytössä +YouShouldSetThisToOff=Aseta tämä arvoon 0 tai pois päältä +InstallAndUpgradeLockedBy=Asenna ja päivitykset lukitaan tiedosto %s +InstallLockedBy=Asennuksen/uudelleenasennuksen lukitsee tiedosto %s +InstallOfAddonIsNotBlocked=Lisäosien asennuksia ei ole lukittu. luo a tiedosto installmodules.lock hakemistoon %sb09a4b739f17-to block-asennus ulkoisista lisäosista/moduuleista. +OldImplementation=Vanha toteutus +PDF_SHOW_LINK_TO_ONLINE_PAYMENT=Jos jotkin online-maksu-moduulit ovat käytössä (Paypal, Stripe, ...), lisää linkki PDF-tiedostoon, jotta online-maksu span> +DashboardDisableGlobal=Poista maailmanlaajuisesti käytöstä kaikki avoimien objektien peukalot +BoxstatsDisableGlobal=Poista laatikon tilastot kokonaan käytöstä +DashboardDisableBlocks=Avointen objektien peukalot (käsiteltävä tai myöhässä) päähallintapaneelissa +DashboardDisableBlockAgenda=Poista peukalo käytöstä esityslistaa varten +DashboardDisableBlockProject=Poista peukalo käytöstä Projektit +DashboardDisableBlockCustomer=Poista peukalo käytöstä asiakkaat +DashboardDisableBlockSupplier=Poista peukalo käytöstä Toimittajat +DashboardDisableBlockContract=Poista peukalo käytöstä sopimuksissa +DashboardDisableBlockTicket=Poista lippujen peukalo käytöstä +DashboardDisableBlockBank=Poista pankkien peukalo käytöstä +DashboardDisableBlockAdherent=Poista peukalo käytöstä jäsenyyksiä varten +DashboardDisableBlockExpenseReport=Poista peukalo käytöstä kuluraportit +DashboardDisableBlockHoliday=Poista lehtien peukalo käytöstä +EnabledCondition=Edellytys, että Kenttä on käytössä (jos ei ole käytössä, näkyvyys on aina pois päältä) +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=Jos haluat käyttää toista vero, sinun on otettava käyttöön myös ensimmäinen myynti vero +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Jos haluat käyttää kolmatta vero, sinun on otettava käyttöön myös ensimmäinen myynti vero +LanguageAndPresentation=Kieli ja esitys +SkinAndColors=Ihon ja väriä +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=Jos haluat käyttää toista vero, sinun on otettava käyttöön myös ensimmäinen myynti vero +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Jos haluat käyttää kolmatta vero, sinun on otettava käyttöön myös ensimmäinen myynti vero +PDF_USE_1A=Luo PDF PDF/A-1b-muodossa +MissingTranslationForConfKey = Puuttuva käännös sanalle %s +NativeModules=Alkuperäiset moduulit +NoDeployedModulesFoundWithThisSearchCriteria=Näille hakuehdeille ei löytynyt moduuleja +API_DISABLE_COMPRESSION=Poista API-vastausten pakkaus käytöstä +EachTerminalHasItsOwnCounter=Jokainen pääte käyttää omaa laskuriaan. +FillAndSaveAccountIdAndSecret=Täytä ja tallenna tilitunnus ja salainen ensin +PreviousHash=Edellinen hash +LateWarningAfter="Myöhäinen" varoitus jälkeen +TemplateforBusinessCards=Malli erikokoiselle käyntikortille +InventorySetup= Varaston asetukset +ExportUseLowMemoryMode=Käytä vähän muistia -tilaa +ExportUseLowMemoryModeHelp=Käytä vähän muistia -tilaa luodaksesi vedos tiedosto (pakkaus tapahtuu putken kautta PHP-muistin sijaan). Tällä menetelmällä ei voida tarkistaa, että tiedosto on täydellinen ja -virheilmoitusta ei voida ilmoittaa, jos se epäonnistuu. Käytä sitä, jos muistivirheitä ei ole tarpeeksi. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL -WebhookSetup = Webhook setup +ModuleWebhookDesc = Käyttöliittymä dolibarr-triggerien sieppaamiseen ja lähettää tapahtuman tiedot URL-osoitteeseen +WebhookSetup = Webhook-asetukset Settings = Asetukset -WebhookSetupPage = Webhook setup page -ShowQuickAddLink=Show a button to quickly add an element in top right menu +WebhookSetupPage = Webhook-asetussivu +ShowQuickAddLink=Näytä painike, jonka avulla voit nopeasti lisätä elementin oikeassa yläkulmassa valikko +ShowSearchAreaInTopMenu=Näytä hakualue ylhäällä valikko +HashForPing=Hash käytetään ping +ReadOnlyMode=On esimerkki "Vain luku" -tilassa +DEBUGBAR_USE_LOG_FILE=Käytä dolibarr.log tiedosto lokit ansaan. +UsingLogFileShowAllRecordOfSubrequestButIsSlower=Käytä dolibarr.Loki tiedosto-komentoa lokien ansaan sen sijaan, että se kerää muistia. Sen avulla voidaan kerätä kaikki lokit nykyisen prosessin vain Loki sijaan (eli mukaan lukien ajax-alipyyntösivut), mutta se tekee ilmentymästäsi erittäin hidasta. Ei suositeltu. +FixedOrPercent=Kiinteä (käytä avainsanaa "korjattu") tai prosenttia (käytä avainsanaa "prosentti") +DefaultOpportunityStatus=oletus mahdollisuuden tila (ensimmäinen tila, kun liidi luodaan) -HashForPing=Hash used for ping -ReadOnlyMode=Is instance in "Read Only" mode -DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs -UsingLogFileShowAllRecordOfSubrequestButIsSlower=Use the dolibarr.log file to trap Logs instead of live memory catching. It allows to catch all logs instead of only log of current process (so including the one of ajax subrequests pages) but will make your instance very very slow. Not recommended. -FixedOrPercent=Fixed (use keyword 'fixed') or percent (use keyword 'percent') -DefaultOpportunityStatus=Default opportunity status (first status when lead is created) - -IconAndText=Icon and text -TextOnly=Text only -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon -IconOnly=Icon only - Text on tooltip only -INVOICE_ADD_ZATCA_QR_CODE=Show the ZATCA QR code on invoices -INVOICE_ADD_ZATCA_QR_CODEMore=Some Arabic countries need this QR Code on their invoices -INVOICE_ADD_SWISS_QR_CODE=Show the swiss QR-Bill code on invoices -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. -INVOICE_SHOW_SHIPPING_ADDRESS=Show shipping address -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) -UrlSocialNetworksDesc=Url link of social network. Use {socialid} for the variable part that contains the social network ID. -IfThisCategoryIsChildOfAnother=If this category is a child of another one -DarkThemeMode=Dark theme mode -AlwaysDisabled=Always disabled -AccordingToBrowser=According to browser -AlwaysEnabled=Always Enabled -DoesNotWorkWithAllThemes=Will not work with all themes -NoName=No name -ShowAdvancedOptions= Show advanced options -HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service -DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method -UsePassword=Use a password -UseOauth=Use a OAUTH token -Images=Images -MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -ScriptIsEmpty=The script is empty -ShowHideTheNRequests=Show/hide the %s SQL request(s) -DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s -TriggerCodes=Triggerable events -TriggerCodeInfo=Enter here the trigger code(s) that must generate a post of a web request (only external URL are allowed). You can enter several trigger codes separated by a comma. -EditableWhenDraftOnly=If unchecked, the value can only be modified when object has a draft status -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" -RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents for receptions -MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions -WarningDisabled=Warning disabled -LimitsAndMitigation=Access limits and mitigation -DesktopsOnly=Desktops only -DesktopsAndSmartphones=Desktops et smartphones -AllowOnlineSign=Allow online signing -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. -CSSPage=CSS Style +IconAndText=Kuvakkeen ja teksti +TextOnly=Vain tekstiä +IconOnlyAllTextsOnHover=Vain kuvake – kaikki tekstit näkyvät kuvakkeen alla hiirellä valikko-palkin päällä +IconOnlyTextOnHover=Vain kuvake - Kuvakkeen teksti näkyy kuvakkeen alla ja hiiren osoitin kuvakkeen päällä +IconOnly=Vain kuvake - Teksti vain työkaluvihjeessä +INVOICE_ADD_ZATCA_QR_CODE=Näytä ZATCA QR-koodi laskuissa +INVOICE_ADD_ZATCA_QR_CODEMore=Jotkut arabialaiset maat tarvitsevat tämän QR-koodin laskuissaan +INVOICE_ADD_SWISS_QR_CODE=Näytä sveitsiläinen QR-laskukoodi laskuissa +INVOICE_ADD_SWISS_QR_CODEMore=Sveitsin standardi laskuille; varmista, että postinumero ja kaupunki on täytetty ja, että tileillä on kelvolliset Sveitsin/Liechtensteinin IBAN-tunnukset. +INVOICE_SHOW_SHIPPING_ADDRESS=Näytä toimitusosoite +INVOICE_SHOW_SHIPPING_ADDRESSMore=Pakollinen merkintä joissain maissa (Ranska, ...) +UrlSocialNetworksDesc=Sosiaalisen verkoston URL-linkki. Käytä {socialid} muuttujaosaan, joka sisältää sosiaalisen verkoston tunnuksen. +IfThisCategoryIsChildOfAnother=Jos tämä luokka on toisen lapsi +DarkThemeMode=Tumma teematila +AlwaysDisabled=Aina pois käytöstä +AccordingToBrowser=Selaimen mukaan +AlwaysEnabled=Aina käytössä +DoesNotWorkWithAllThemes=Ei toimi kaikkien teemojen kanssa +NoName=Ei nimeä +ShowAdvancedOptions= Näytä lisäasetukset +HideAdvancedoptions= Piilota lisäasetukset +CIDLookupURL=Moduuli tuo URL-osoitteen, jonka avulla ulkoinen työkalu voi saada kolmannen osapuolen tai yhteyshenkilön nimen puhelinnumerostaan. Käytettävä URL-osoite on: +OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 Autentikointi ei ole saatavilla kaikille isännille. ja OAUTH-moduulin alkupäässä on luotu oikeat käyttöoikeudet omaava tunnus +MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 Autentikointi -palvelu +DontForgetCreateTokenOauthMod=OAUTH-moduulin alkupäässä on oltava luotu tunnuksella, jolla on oikeat käyttöoikeudet +MAIN_MAIL_SMTPS_AUTH_TYPE=Autentikointi -menetelmä +UsePassword=Käytä salasanaa +UseOauth=Käytä OAUTH-tunnusta +Images=Kuvat +MaxNumberOfImagesInGetPost=Kuvien enimmäismäärä lomakkeella lähetetyssä HTML-koodissa Kenttä +MaxNumberOfPostOnPublicPagesByIP=Enimmäismäärä postauksia julkisilla sivuilla samalla IP-osoitteella kuukaudessa +CIDLookupURL=Moduuli tuo URL-osoitteen, jonka avulla ulkoinen työkalu voi saada kolmannen osapuolen tai yhteyshenkilön nimen puhelinnumerostaan. Käytettävä URL-osoite on: +ScriptIsEmpty=Käsikirjoitus on tyhjä +ShowHideTheNRequests=Näytä/piilota %s SQL-pyyntö +DefinedAPathForAntivirusCommandIntoSetup=Määritä virustorjuntaohjelman polku kohteeseen %s +TriggerCodes=Käynnistettävät tapahtumat +TriggerCodeInfo=Kirjoita tähän laukaisukoodi(t), joiden on luotava verkkopyynnön julkaisu (vain ulkoinen URL-osoite on sallittu). Voit syöttää useita laukaisukoodeja pilkulla erotettuina. +EditableWhenDraftOnly=Jos tätä ei ole valittu, arvoa voidaan muokata vain, kun objektin tila on Luonnos +CssOnEdit=CSS muokkaussivuilla +CssOnView=CSS katselusivuilla +CssOnList=CSS luetteloissa +HelpCssOnEditDesc=Kenttä muokkaamiseen käytetty CSS.
      Esimerkki: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=CSS, jota käytetään katsottaessa Kenttä. +HelpCssOnListDesc=CSS, jota käytetään, kun Kenttä on luettelotaulukon sisällä.
      Esimerkki: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=Piilota tilattu määrä vastaanottoa varten luoduista asiakirjoista +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Näytä hinta vastaanottoa varten luoduissa asiakirjoissa +WarningDisabled=Varoitus poistettu käytöstä +LimitsAndMitigation=Käyttörajoitusten ja lieventäminen +RecommendMitigationOnURL=On suositeltavaa aktivoida lievennys kriittisissä URL-osoitteissa. Tämä on luettelo fail2ban-säännöistä, joita voit käyttää tärkeimmille tärkeille URL-osoitteille. +DesktopsOnly=Vain pöytäkoneet +DesktopsAndSmartphones=Pöytäkoneet ja älypuhelimet +AllowOnlineSign=Salli online-allekirjoitus +AllowExternalDownload=Salli ulkoinen lataus (ilman kirjautumista, jaetun linkin avulla) +DeadlineDayVATSubmission=Alv:n jättöpäivä seuraavan kuukauden aikana +MaxNumberOfAttachementOnForms=Lomakkeessa olevien yhdistettyjen tiedostojen enimmäismäärä +IfDefinedUseAValueBeetween=Jos määritetty, käytä arvoa välillä %s ja %s +Reload=Lataa uudelleen +ConfirmReload=Vahvista moduulin uudelleenlataus +WarningModuleHasChangedLastVersionCheckParameter=Varoitus: moduuli %s on asettanut parametrin, joka tarkistaa versionsa jokaisen sivun käytön yhteydessä. Tämä on huono ja kielletty käytäntö, joka voi tehdä moduulien hallinnan sivusta epävakaan. Ota yhteyttä moduulin tekijään korjataksesi tämän. +WarningModuleHasChangedSecurityCsrfParameter=Varoitus: moduuli %s on poistanut instanssisi CSRF-suojauksen käytöstä. Tämä toiminto on epäilyttävä ja asennuksesi ei ehkä ole enää suojattu. Ota yhteyttä moduulin kirjoittajaan saadaksesi lisätietoja. +EMailsInGoingDesc=Saapuvia sähköposteja hallitsee moduuli %s. Sinun on otettava käyttöön ja ja määritettävä se, jos haluat tukea saapuvia sähköposteja. +MAIN_IMAP_USE_PHPIMAP=Käytä PHP-IMAP-kirjastoa IMAP:lle alkuperäisen PHP IMAP:n sijaan. Tämä mahdollistaa myös OAuth2-yhteyden käytön IMAP:lle (myös OAuth-moduulin on oltava aktivoituna). +MAIN_CHECKBOX_LEFT_COLUMN=Näytä rivin Kenttä ja sarake vasemmalla (oikealla oletus) +NotAvailableByDefaultEnabledOnModuleActivation=Ei luonut oletus. Luotu vain moduulin aktivoinnin yhteydessä. +CSSPage=CSS-tyyli Defaultfortype=Oletus -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +DefaultForTypeDesc=oletus käyttämä malli luodessaan uuden sähköpostin mallityypille +OptionXShouldBeEnabledInModuleY=Vaihtoehto "%s" tulee ottaa käyttöön moduulissa %s +OptionXIsCorrectlyEnabledInModuleY=Vaihtoehto "%s" on otettu käyttöön moduulissa %s +AllowOnLineSign=Salli Online-allekirjoitus +AtBottomOfPage=Sivun alareunassa +FailedAuth=epäonnistuneet todennukset +MaxNumberOfFailedAuth=Enimmäismäärä epäonnistuneita Autentikointi 24 tunnin aikana kirjautumisen estoon. +AllowPasswordResetBySendingANewPassByEmail=Jos käyttäjällä A on tämä lupa, ja, vaikka käyttäjä A ei olisi Pääkäyttäjä, A voi nollaa minkä tahansa muun käyttäjän B salasana, uusi salasana lähetetään toisen käyttäjän B sähköpostiin, mutta se ei näy A:lle. Jos käyttäjällä A on "Pääkäyttäjä" -lippu, hän voi myös tietää, mikä on B:n uusi luotu salasana, jotta hän voi ottaa B-käyttäjätilin hallintaansa. +AllowAnyPrivileges=Jos käyttäjällä A on tämä lupa, hän voi luo käyttäjän B kaikilla oikeuksilla ja käyttää sitten tätä käyttäjää B tai myöntää itselleen minkä tahansa muun ryhmä millä tahansa luvalla. Eli käyttäjä A omistaa kaikki liiketoimintaoikeudet (vain järjestelmän käyttö asetussivuille on kielletty) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Tämä arvo voidaan lukea, koska esiintymääsi ei ole asetettu tuotantotilaan +SeeConfFile=Katso palvelimen conf.php-tiedostosta tiedosto +ReEncryptDesc=Salaa tiedot uudelleen, jos niitä ei ole vielä salattu +PasswordFieldEncrypted=%s uusi tietue on salattu tämä Kenttä +ExtrafieldsDeleted=Lisäkentät %s on poistettu +LargeModern=Suuri - moderni +SpecialCharActivation=Ota käyttöön painike avataksesi virtuaalisen näppäimistön erikoismerkkien kirjoittamista varten +DeleteExtrafield=Poista lisäkenttä +ConfirmDeleteExtrafield=Vahvistatko Kenttä %s poistamisen? Kaikki tähän Kenttä tallennetut tiedot poistetaan ehdottomasti +ExtraFieldsSupplierInvoicesRec=Täydentävät määritteet (laskujen mallit) +ExtraFieldsSupplierInvoicesLinesRec=Täydentävät attribuutit (laskupohja riviä) +ParametersForTestEnvironment=Testiympäristön parametrit +TryToKeepOnly=Yritä säilyttää vain %s +RecommendedForProduction=Suositellaan tuotantoon +RecommendedForDebug=Suositellaan Debugille diff --git a/htdocs/langs/fi_FI/agenda.lang b/htdocs/langs/fi_FI/agenda.lang index b601bf9578b..9f1beeecf35 100644 --- a/htdocs/langs/fi_FI/agenda.lang +++ b/htdocs/langs/fi_FI/agenda.lang @@ -1,26 +1,26 @@ # Dolibarr language file - Source file is en_US - agenda -IdAgenda=ID event +IdAgenda=ID-tapahtuma Actions=Toimet Agenda=Agenda TMenuAgenda=Agenda Agendas=Esityslistat -LocalAgenda=Default calendar -ActionsOwnedBy=Event owned by +LocalAgenda=oletus kalenteri +ActionsOwnedBy=Tapahtuman omistaa ActionsOwnedByShort=Omistaja AffectedTo=Vaikuttaa Event=Tapahtuma Events=Tapahtumat -EventsNb=Number of events +EventsNb=Tapahtumien määrä ListOfActions=Luettelo tapahtumista -EventReports=Event reports +EventReports=Tapahtumaraportit Location=Sijainti -ToUserOfGroup=Event assigned to any user in the group +ToUserOfGroup=Tapahtuma, joka on määritetty mille tahansa käyttäjälle kohdassa ryhmä EventOnFullDay=Tapahtuma on koko päivä MenuToDoActions=Kaikki puutteelliset toimet MenuDoneActions=Kaikki irti toimia MenuToDoMyActions=Oma puutteellisia toimia MenuDoneMyActions=Oma irtisanotaan toimia -ListOfEvents=List of events (default calendar) +ListOfEvents=Tapahtumaluettelo (oletus kalenteri) ActionsAskedBy=Toimet kirjattava ActionsToDoBy=Toimet vaikuttaa ActionsDoneBy=Toimet tehdään @@ -28,147 +28,180 @@ ActionAssignedTo=Toiminta vaikuttaa ViewCal=Näytä kalenteri ViewDay=Päivä näkymä ViewWeek=Viikkonäkymä -ViewPerUser=Per user view -ViewPerType=Per type view +ViewPerUser=Käyttäjän näkymää kohti +ViewPerType=Tyyppikohtainen näkymä AutoActions= Automaattinen täyttö Esityslistan -AgendaAutoActionDesc= Here you may define events which you want Dolibarr to create automatically in Agenda. If nothing is checked, only manual actions will be included in logs and displayed in Agenda. Automatic tracking of business actions done on objects (validation, status change) will not be saved. -AgendaSetupOtherDesc= This page provides options to allow the export of your Dolibarr events into an external calendar (Thunderbird, Google Calendar etc...) +AgendaAutoActionDesc= Täällä voit määrittää tapahtumat, jotka haluat Dolibarrin luo automaattisesti Agendassa. Jos mitään ei ole valittu, vain manuaaliset toimenpiteet sisällytetään Agendassa näkyviin lokeihin ja. Objekteille tehtyjen liiketoimintojen automaattista seurantaa (validointi, tilanmuutos) ei tallenneta. +AgendaSetupOtherDesc= Tällä sivulla on vaihtoehtoja, joilla voit sallia Dolibarr-tapahtumiesi viennin ulkoiseen kalenteriin (Thunderbird, Google-kalenteri jne.) AgendaExtSitesDesc=Tällä sivulla voit ilmoittaa ulkoisten kalenterien näkemään tapahtumiin otetaan Dolibarr asialistalle. ActionsEvents=Tapahtumat, joista Dolibarr luo toimia esityslistan automaattisesti -EventRemindersByEmailNotEnabled=Event reminders by email was not enabled into %s module setup. +EventRemindersByEmailNotEnabled=Sähköpostitse lähetettyjä tapahtumamuistutuksia ei otettu käyttöön %s-moduulin asetuksissa. ##### Agenda event labels ##### -NewCompanyToDolibarr=Third party %s created -COMPANY_MODIFYInDolibarr=Third party %s modified -COMPANY_DELETEInDolibarr=Third party %s deleted -ContractValidatedInDolibarr=Contract %s validated -CONTRACT_DELETEInDolibarr=Contract %s deleted -PropalClosedSignedInDolibarr=Proposal %s signed -PropalClosedRefusedInDolibarr=Proposal %s refused +NewCompanyToDolibarr=Kolmannen osapuolen %s luotu +COMPANY_MODIFYInDolibarr=Kolmannen osapuolen %s muokattu +COMPANY_DELETEInDolibarr=Kolmannen osapuolen %s poistettu +ContractValidatedInDolibarr=Sopimus %s vahvistettu +CONTRACT_DELETEInDolibarr=Sopimus %s poistettu +PropalClosedSignedInDolibarr=tarjous %s allekirjoitettu +PropalClosedRefusedInDolibarr=tarjous %s kieltäytyi PropalValidatedInDolibarr=Ehdotus validoitava -PropalClassifiedBilledInDolibarr=Proposal %s classified billed +PropalBackToDraftInDolibarr=tarjous %s palaa Luonnos-tilaan +PropalClassifiedBilledInDolibarr=tarjous %s luokiteltu laskutettu InvoiceValidatedInDolibarr=Laskun validoitava -InvoiceValidatedInDolibarrFromPos=Invoice %s validated from POS +InvoiceValidatedInDolibarrFromPos=Lasku %s vahvistettu myyntipisteestä InvoiceBackToDraftInDolibarr=Laskun %s palata luonnos tila -InvoiceDeleteDolibarr=Invoice %s deleted -InvoicePaidInDolibarr=Invoice %s changed to paid -InvoiceCanceledInDolibarr=Invoice %s canceled -MemberValidatedInDolibarr=Member %s validated -MemberModifiedInDolibarr=Member %s modified -MemberResiliatedInDolibarr=Member %s terminated -MemberDeletedInDolibarr=Member %s deleted -MemberSubscriptionAddedInDolibarr=Subscription %s for member %s added -MemberSubscriptionModifiedInDolibarr=Subscription %s for member %s modified -MemberSubscriptionDeletedInDolibarr=Subscription %s for member %s deleted -ShipmentValidatedInDolibarr=Shipment %s validated -ShipmentClassifyClosedInDolibarr=Shipment %s classified billed -ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified re-open -ShipmentBackToDraftInDolibarr=Shipment %s go back to draft status -ShipmentDeletedInDolibarr=Shipment %s deleted -ShipmentCanceledInDolibarr=Shipment %s canceled -ReceptionValidatedInDolibarr=Reception %s validated -OrderCreatedInDolibarr=Order %s created +InvoiceDeleteDolibarr=Lasku %s poistettu +InvoicePaidInDolibarr=Lasku %s muutettu maksetuksi +InvoiceCanceledInDolibarr=Lasku %s peruutettu +MemberValidatedInDolibarr=Jäsen %s vahvistettu +MemberModifiedInDolibarr=Jäsen %s muokattu +MemberResiliatedInDolibarr=Jäsen %s lopetettu +MemberDeletedInDolibarr=Jäsen %s poistettu +MemberExcludedInDolibarr=Jäsen %s poissuljettu +MemberSubscriptionAddedInDolibarr=Tilaus %s jäsenelle %s lisätty +MemberSubscriptionModifiedInDolibarr=Tilaus %s jäsenelle %s muokattu +MemberSubscriptionDeletedInDolibarr=Tilaus %s jäsenelle %s poistettu +ShipmentValidatedInDolibarr=Lähetys %s vahvistettu +ShipmentClassifyClosedInDolibarr=Lähetys %s luokiteltu suljetuksi +ShipmentUnClassifyCloseddInDolibarr=Lähetys %s luokiteltu uudelleen auki +ShipmentBackToDraftInDolibarr=Lähetys %s palaa Luonnos-tilaan +ShipmentDeletedInDolibarr=Lähetys %s poistettu +ShipmentCanceledInDolibarr=Toimitus %s peruutettu +ReceptionValidatedInDolibarr=Vastaanotto %s vahvistettu +ReceptionDeletedInDolibarr=Vastaanotto %s poistettu +ReceptionClassifyClosedInDolibarr=Vastaanotto %s luokiteltu suljetuksi +OrderCreatedInDolibarr=Tilaus %s luotu OrderValidatedInDolibarr=Tilaa validoitava -OrderDeliveredInDolibarr=Order %s classified delivered +OrderDeliveredInDolibarr=Tilaus %s luokiteltu toimitettu OrderCanceledInDolibarr=Tilaus %s peruutettu -OrderBilledInDolibarr=Order %s classified billed +OrderBilledInDolibarr=Tilaus %s luokiteltu laskutettu OrderApprovedInDolibarr=Tilaa %s hyväksytty -OrderRefusedInDolibarr=Order %s refused +OrderRefusedInDolibarr=Tilaus %s hylätty OrderBackToDraftInDolibarr=Tilaa %s palata luonnos tila -ProposalSentByEMail=Commercial proposal %s sent by email -ContractSentByEMail=Contract %s sent by email -OrderSentByEMail=Sales order %s sent by email -InvoiceSentByEMail=Customer invoice %s sent by email -SupplierOrderSentByEMail=Purchase order %s sent by email -ORDER_SUPPLIER_DELETEInDolibarr=Purchase order %s deleted -SupplierInvoiceSentByEMail=Vendor invoice %s sent by email -ShippingSentByEMail=Shipment %s sent by email -ShippingValidated= Shipment %s validated -InterventionSentByEMail=Intervention %s sent by email -ProposalDeleted=Proposal deleted -OrderDeleted=Order deleted +ProposalSentByEMail=Tarjouspyyntö %s lähetetty sähköpostitse +ContractSentByEMail=Sopimus %s lähetetty sähköpostitse +OrderSentByEMail=Myyntitilaus %s lähetetty sähköpostitse +InvoiceSentByEMail=Asiakaslasku %s lähetetty sähköpostitse +SupplierOrderSentByEMail=Hankinta tilaus %s lähetetty sähköpostitse +ORDER_SUPPLIER_DELETEInDolibarr=Hankinta tilaus %s poistettu +SupplierInvoiceSentByEMail=ostolasku %s lähetetty sähköpostitse +ShippingSentByEMail=Lähetys %s lähetetty sähköpostitse +ShippingValidated= Lähetys %s vahvistettu +InterventionSentByEMail=Interventio %s lähetetty sähköpostitse +ProjectSentByEMail=Projekti %s lähetetty sähköpostitse +ProjectDeletedInDolibarr=Projekti %s poistettu +ProjectClosedInDolibarr=Projekti %s on suljettu +ProposalDeleted=tarjous poistettu +OrderDeleted=Tilaus poistettu InvoiceDeleted=Lasku poistettu -DraftInvoiceDeleted=Draft invoice deleted -CONTACT_CREATEInDolibarr=Contact %s created -CONTACT_MODIFYInDolibarr=Contact %s modified -CONTACT_DELETEInDolibarr=Contact %s deleted -PRODUCT_CREATEInDolibarr=Product %s created -PRODUCT_MODIFYInDolibarr=Product %s modified -PRODUCT_DELETEInDolibarr=Product %s deleted -HOLIDAY_CREATEInDolibarr=Request for leave %s created -HOLIDAY_MODIFYInDolibarr=Request for leave %s modified -HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated -HOLIDAY_DELETEInDolibarr=Request for leave %s deleted -EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created -EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated -EXPENSE_REPORT_APPROVEInDolibarr=Expense report %s approved -EXPENSE_REPORT_DELETEInDolibarr=Expense report %s deleted -EXPENSE_REPORT_REFUSEDInDolibarr=Expense report %s refused -PROJECT_CREATEInDolibarr=Project %s created -PROJECT_MODIFYInDolibarr=Project %s modified -PROJECT_DELETEInDolibarr=Project %s deleted -TICKET_CREATEInDolibarr=Ticket %s created -TICKET_MODIFYInDolibarr=Ticket %s modified -TICKET_ASSIGNEDInDolibarr=Ticket %s assigned -TICKET_CLOSEInDolibarr=Ticket %s closed -TICKET_DELETEInDolibarr=Ticket %s deleted -BOM_VALIDATEInDolibarr=BOM validated -BOM_UNVALIDATEInDolibarr=BOM unvalidated -BOM_CLOSEInDolibarr=BOM disabled -BOM_REOPENInDolibarr=BOM reopen -BOM_DELETEInDolibarr=BOM deleted -MRP_MO_VALIDATEInDolibarr=MO validated -MRP_MO_UNVALIDATEInDolibarr=MO set to draft status -MRP_MO_PRODUCEDInDolibarr=MO produced -MRP_MO_DELETEInDolibarr=MO deleted -MRP_MO_CANCELInDolibarr=MO canceled -PAIDInDolibarr=%s paid +DraftInvoiceDeleted=Luonnos lasku poistettu +CONTACT_CREATEInDolibarr=Yhteystieto %s luotu +CONTACT_MODIFYInDolibarr=Yhteystietoa %s muokattu +CONTACT_DELETEInDolibarr=Yhteystieto %s poistettu +PRODUCT_CREATEInDolibarr=Tuote %s luotu +PRODUCT_MODIFYInDolibarr=Tuote %s muokattu +PRODUCT_DELETEInDolibarr=Tuote %s poistettu +HOLIDAY_CREATEInDolibarr=Lomapyyntö %s luotu +HOLIDAY_MODIFYInDolibarr=Lomapyyntöä %s muokattu +HOLIDAY_APPROVEInDolibarr=Lomapyyntö %s hyväksytty +HOLIDAY_VALIDATEInDolibarr=Poissaolopyyntö %s vahvistettu +HOLIDAY_DELETEInDolibarr=Poistopyyntö %s poistettu +EXPENSE_REPORT_CREATEInDolibarr=kuluraportti %s luotu +EXPENSE_REPORT_VALIDATEInDolibarr=kuluraportti %s vahvistettu +EXPENSE_REPORT_APPROVEInDolibarr=kuluraportti %s hyväksytty +EXPENSE_REPORT_DELETEInDolibarr=kuluraportti %s poistettu +EXPENSE_REPORT_REFUSEDInDolibarr=kuluraportti %s kieltäytyi +PROJECT_CREATEInDolibarr=Projekti %s luotu +PROJECT_MODIFYInDolibarr=Projektia %s muokattu +PROJECT_DELETEInDolibarr=Projekti %s poistettu +TICKET_CREATEInDolibarr=Lippu %s luotu +TICKET_MODIFYInDolibarr=Lippua %s muokattu +TICKET_ASSIGNEDInDolibarr=Lippu %s määrätty +TICKET_CLOSEInDolibarr=Lippu %s suljettu +TICKET_DELETEInDolibarr=Lippu %s poistettu +BOM_VALIDATEInDolibarr=Tuoteluettelo vahvistettu +BOM_UNVALIDATEInDolibarr=Tuoteluettelo vahvistamaton +BOM_CLOSEInDolibarr=Tuoteluettelo pois käytöstä +BOM_REOPENInDolibarr=BOM avataan uudelleen +BOM_DELETEInDolibarr=Tuoteluettelo poistettu +MRP_MO_VALIDATEInDolibarr=MO validoitu +MRP_MO_UNVALIDATEInDolibarr=MO-tilaksi on asetettu Luonnos +MRP_MO_PRODUCEDInDolibarr=MO tuotettu +MRP_MO_DELETEInDolibarr=MO poistettu +MRP_MO_CANCELInDolibarr=MO peruttu +PAIDInDolibarr=%s maksettu +ENABLEDISABLEInDolibarr=Käyttäjä käytössä tai pois käytöstä +CANCELInDolibarr=Peruttu ##### End agenda events ##### -AgendaModelModule=Document templates for event +AgendaModelModule=Tapahtuman asiakirjamallit DateActionStart=Aloituspäivämäärä DateActionEnd=Lopetuspäivä AgendaUrlOptions1=Voit myös lisätä seuraavat parametrit suodattaa output: -AgendaUrlOptions3=logina=%s to restrict output to actions owned by a user %s. -AgendaUrlOptionsNotAdmin=logina=!%s to restrict output to actions not owned by user %s. -AgendaUrlOptions4=logint=%s to restrict output to actions assigned to user %s (owner and others). -AgendaUrlOptionsProject=project=__PROJECT_ID__ to restrict output to actions linked to project __PROJECT_ID__. -AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto to exclude automatic events. -AgendaUrlOptionsIncludeHolidays=includeholidays=1 to include events of holidays. -AgendaShowBirthdayEvents=Birthdays of contacts -AgendaHideBirthdayEvents=Hide birthdays of contacts -Busy=Busy -ExportDataset_event1=List of agenda events -DefaultWorkingDays=Default working days range in week (Example: 1-5, 1-6) -DefaultWorkingHours=Default working hours in day (Example: 9-18) +AgendaUrlOptions3=logina=%s rajoittaaksesi ulostulon käyttäjän omistamiin toimiin %s. +AgendaUrlOptionsNotAdmin=logina=!%s rajoittaaksesi tulostuksen toimiin, jotka eivät ole muiden omistamia käyttäjä %s. +AgendaUrlOptions4=logint=%s tulostuksen rajoittamiseksi < käyttäjälle määritettyihin toimintoihin span class='notranslate'>
      /span> muut). +AgendaUrlOptionsProject=project=__PROJECT_ID__ rajoittaaksesi tuotos toimiin, jotka on linkitetty projektiin b0aee83fz365 __PROJECT_ID__. +AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto automaattisten tapahtumien sulkemiseksi pois. +AgendaUrlOptionsIncludeHolidays=includeholidays=1 sisällyttääksesi lomatapahtumat. +AgendaShowBirthdayEvents=Yhteyshenkilöiden syntymäpäivät +AgendaHideBirthdayEvents=Piilota yhteyshenkilöiden syntymäpäivät +Busy=Kiireinen +ExportDataset_event1=Lista esityslistan tapahtumista +DefaultWorkingDays=oletus työpäivää Viikko (Esimerkki: 1-5, 1-6) +DefaultWorkingHours=oletus työtunteja vuorokaudessa (esimerkki: 9-18) # External Sites ical ExportCal=Vie kalenteri ExtSites=Tuo ulkoinen kalenterit -ExtSitesEnableThisTool=Show external calendars (defined in global setup) in Agenda. Does not affect external calendars defined by users. +ExtSitesEnableThisTool=Näytä ulkoiset kalenterit (määritetty yleisissä asetuksissa) Agendassa. Ei vaikuta käyttäjien määrittämiin ulkoisiin kalentereihin. ExtSitesNbOfAgenda=Määrä kalenterit -AgendaExtNb=Calendar no. %s +AgendaExtNb=Kalenteri nro %s ExtSiteUrlAgenda=URL päästä. ICal-tiedostona ExtSiteNoLabel=Ei kuvausta -VisibleTimeRange=Visible time range -VisibleDaysRange=Visible days range +VisibleTimeRange=Näkyvä aikaväli +VisibleDaysRange=Näkyvät päivät AddEvent=Luo tapahtuma -MyAvailability=My availability -ActionType=Event type -DateActionBegin=Start event date -ConfirmCloneEvent=Are you sure you want to clone the event %s? -RepeatEvent=Repeat event -OnceOnly=Once only -EveryWeek=Every week -EveryMonth=Every month -DayOfMonth=Day of month -DayOfWeek=Day of week -DateStartPlusOne=Date start + 1 hour -SetAllEventsToTodo=Set all events to todo -SetAllEventsToInProgress=Set all events to in progress -SetAllEventsToFinished=Set all events to finished -ReminderTime=Reminder period before the event -TimeType=Duration type -ReminderType=Callback type -AddReminder=Create an automatic reminder notification for this event -ErrorReminderActionCommCreation=Error creating the reminder notification for this event -BrowserPush=Browser Popup Notification -ActiveByDefault=Enabled by default +MyAvailability=Minun saatavuus +ActionType=Tapahtumatyyppi +DateActionBegin=Aloita tapahtuma päiväys +ConfirmCloneEvent=Haluatko varmasti kloonata tapahtuman %s? +RepeatEvent=Toista tapahtuma +OnceOnly=Vain kerran +EveryDay=Joka päivä +EveryWeek=Jokainen Viikko +EveryMonth=Joka kuukausi +DayOfMonth=Kuukauden päivä +DayOfWeek=Päivä Viikko +DateStartPlusOne=päiväys aloitus + 1 tunti +SetAllEventsToTodo=Aseta kaikki tapahtumat tehtävään +SetAllEventsToInProgress=Aseta kaikki tapahtumat meneillään +SetAllEventsToFinished=Aseta kaikki tapahtumat valmiiksi +ReminderTime=Muistutusaika ennen tapahtumaa +TimeType=Keston tyyppi +ReminderType=Takaisinsoittotyyppi +AddReminder=luo automaattinen muistutusilmoitus tästä tapahtumasta +ErrorReminderActionCommCreation=Virhe luotaessa muistutusilmoitusta tälle tapahtumalle +BrowserPush=Selaimen ponnahdusikkuna +Reminders=Muistutukset +ActiveByDefault=Käyttöönotto: oletus +Until=siihen asti kun +DataFromWasMerged=Tiedot kohteesta %s yhdistettiin +AgendaShowBookcalCalendar=Varauskalenteri: %s +MenuBookcalIndex=Online ajanvaraus +BookcalLabelAvailabilityHelp=Saatavuusalueen etiketti. Esimerkki:
      Yleinen saatavuus
      Saatavuus joululomien aikana +DurationOfRange=Välien kesto +BookCalSetup = Ajanvaraus verkossa +Settings = Asetukset +BookCalSetupPage = Online-ajanvaraussivu +BOOKCAL_PUBLIC_INTERFACE_TOPIC = Käyttöliittymän otsikko +About = Yleisesti +BookCalAbout = Tietoja BookCalista +BookCalAboutPage = BookCal sivusta +Calendars=Kalenterit +Availabilities=Saatavuus +NewAvailabilities=Uudet saatavuudet +NewCalendar=Uusi kalenteri +ThirdPartyBookCalHelp=Tähän kalenteriin varattu tapahtuma linkitetään automaattisesti tähän kolmanteen osapuoleen. +AppointmentDuration = Tapaamisen kesto: %s +BookingSuccessfullyBooked=Varauksesi on tallennettu +BookingReservationHourAfter=Vahvistamme varauksen kokouksellemme osoitteessa päiväys %s +BookcalBookingTitle=Online ajanvaraus diff --git a/htdocs/langs/fi_FI/assets.lang b/htdocs/langs/fi_FI/assets.lang index 8d7c8f33c1a..34f33198000 100644 --- a/htdocs/langs/fi_FI/assets.lang +++ b/htdocs/langs/fi_FI/assets.lang @@ -1,4 +1,4 @@ -# Copyright (C) 2018 Alexandre Spangaro +# Copyright (C) 2018-2022 Alexandre Spangaro # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by @@ -16,50 +16,171 @@ # # Generic # -Assets = Varannot -NewAsset = Lisää varanto -AccountancyCodeAsset = Kirjanpitokoodi (varanto) -AccountancyCodeDepreciationAsset = Kirjanpitokoodi (varannon poistot tili) -AccountancyCodeDepreciationExpense = Kirjanpitokoodi (poistokustannuslaskelma) -NewAssetType=Uusi varanto tyyppi -AssetsTypeSetup=Asset type setup -AssetTypeModified=Asset type modified -AssetType=Varannon tyyppi +NewAsset=Lisää varanto +AccountancyCodeAsset=Kirjanpitokoodi (varanto) +AccountancyCodeDepreciationAsset=Kirjanpitokoodi (varannon poistot tili) +AccountancyCodeDepreciationExpense=Kirjanpitokoodi (poistokustannuslaskelma) AssetsLines=Varannot DeleteType=Poista -DeleteAnAssetType=Delete an asset type -ConfirmDeleteAssetType=Are you sure you want to delete this asset type? -ShowTypeCard=Näytä tyyppi ' %s' +DeleteAnAssetType=Poista sisältömalli +ConfirmDeleteAssetType=Haluatko varmasti poistaa tämän sisältömallin? +ShowTypeCard=Näytä malli '%s' # Module label 'ModuleAssetsName' -ModuleAssetsName = Varannot +ModuleAssetsName=Varannot # Module description 'ModuleAssetsDesc' -ModuleAssetsDesc = Varannon kuvaus +ModuleAssetsDesc=Varannon kuvaus # # Admin page # -AssetsSetup = Varantojen asetukset -Settings = Asetukset -AssetsSetupPage = Varantojen asetus sivu -ExtraFieldsAssetsType = Complementary attributes (Asset type) -AssetsType=Varannon tyyppi -AssetsTypeId=Varannon tyypin tunnus -AssetsTypeLabel=Varannon tyypin nimi -AssetsTypes=Varantojen tyypit +AssetSetup=Varantojen asetukset +AssetSetupPage=Varantojen asetus sivu +ExtraFieldsAssetModel=Täydentävät attribuutit (sisällön malli) + +AssetsType=Omaisuuden malli +AssetsTypeId=Kohdemallin tunnus +AssetsTypeLabel=Kohdemallin etiketti +AssetsTypes=Omaisuusmallit +ASSET_ACCOUNTANCY_CATEGORY=Käyttöomaisuus Kirjanpito ryhmä # # Menu # -MenuAssets = Varannot -MenuNewAsset = Lisää varanto -MenuTypeAssets = Syötä varannot -MenuListAssets = Luettelo -MenuNewTypeAssets = Uusi -MenuListTypeAssets = Luettelo +MenuAssets=Varannot +MenuNewAsset=Lisää varanto +MenuAssetModels=Mallin omaisuus +MenuListAssets=Luettelo +MenuNewAssetModel=Uuden omaisuuden malli +MenuListAssetModels=Luettelo # # Module # -NewAssetType=Uusi varanto tyyppi -NewAsset=Lisää varanto +ConfirmDeleteAsset=Haluatko todella poistaa tämän sisällön? + +# +# Tab +# +AssetDepreciationOptions=Poistovaihtoehdot +AssetAccountancyCodes=Accounting accounts +AssetDepreciation=Poistot + +# +# Asset +# +Asset=Omaisuus +Assets=Varannot +AssetReversalAmountHT=Peruutussumma (ilman Verot) +AssetAcquisitionValueHT=Hankintasumma (ilman Verot) +AssetRecoveredVAT=Palautettu ALV +AssetReversalDate=Kääntö päiväys +AssetDateAcquisition=Hankinta päiväys +AssetDateStart=päiväys käynnistyksestä +AssetAcquisitionType=Hankinnan tyyppi +AssetAcquisitionTypeNew=Uusi +AssetAcquisitionTypeOccasion=Käytetty +AssetType=Omaisuuden tyyppi +AssetTypeIntangible=Aineeton +AssetTypeTangible=Konkreettinen +AssetTypeInProgress=Käsittelyssä +AssetTypeFinancial=Taloudellinen +AssetNotDepreciated=Ei poistoja +AssetDisposal=Hävittäminen +AssetConfirmDisposalAsk=Haluatko varmasti luopua sisällöstä %s? +AssetConfirmReOpenAsk=Haluatko varmasti avata sisällön uudelleen %s? + +# +# Asset status +# +AssetInProgress=Käsittelyssä +AssetDisposed=Hävitetty +AssetRecorded=Kirjattu + +# +# Asset disposal +# +AssetDisposalDate=päiväys hävittämisestä +AssetDisposalAmount=Hävitysarvo +AssetDisposalType=Hävityksen tyyppi +AssetDisposalDepreciated=Tee poisto siirtovuodesta +AssetDisposalSubjectToVat=Hävitys arvonlisäverollinen + +# +# Asset model +# +AssetModel=Omaisuuden malli +AssetModels=Assetin mallit + +# +# Asset depreciation options +# +AssetDepreciationOptionEconomic=Taloudellinen poisto +AssetDepreciationOptionAcceleratedDepreciation=Nopeutettu poisto (vero) +AssetDepreciationOptionDepreciationType=Poistotyyppi +AssetDepreciationOptionDepreciationTypeLinear=Lineaarinen +AssetDepreciationOptionDepreciationTypeDegressive=Degressiivinen +AssetDepreciationOptionDepreciationTypeExceptional=Poikkeuksellinen +AssetDepreciationOptionDegressiveRate=Degressiivinen korko +AssetDepreciationOptionAcceleratedDepreciation=Nopeutettu poisto (vero) +AssetDepreciationOptionDuration=Kesto +AssetDepreciationOptionDurationType=Tyypin kesto +AssetDepreciationOptionDurationTypeAnnual=Vuosittain +AssetDepreciationOptionDurationTypeMonthly=Kuukausittain +AssetDepreciationOptionDurationTypeDaily=Päivittäin +AssetDepreciationOptionRate=Arvostele (%%) +AssetDepreciationOptionAmountBaseDepreciationHT=Poistopohja (ilman ALV) +AssetDepreciationOptionAmountBaseDeductibleHT=Vähennysoikeus (ilman ALV) +AssetDepreciationOptionTotalAmountLastDepreciationHT=Viimeisimmän poiston kokonaissumma (ilman ALV) + +# +# Asset accountancy codes +# +AssetAccountancyCodeDepreciationEconomic=Taloudellinen poisto +AssetAccountancyCodeAsset=Omaisuus +AssetAccountancyCodeDepreciationAsset=Poistot +AssetAccountancyCodeDepreciationExpense=Poistokulut +AssetAccountancyCodeValueAssetSold=Luovutetun omaisuuden arvo +AssetAccountancyCodeReceivableOnAssignment=Saatavissa poistettaessa +AssetAccountancyCodeProceedsFromSales=Tuotot hävittämisestä +AssetAccountancyCodeVatCollected=Kerätty ALV +AssetAccountancyCodeVatDeductible=Omaisuuden arvonlisävero palautettu +AssetAccountancyCodeDepreciationAcceleratedDepreciation=Nopeutettu poisto (vero) +AssetAccountancyCodeAcceleratedDepreciation=Account +AssetAccountancyCodeEndowmentAcceleratedDepreciation=Poistokulut +AssetAccountancyCodeProvisionAcceleratedDepreciation=Takaisin haltuunotto/hallinta + +# +# Asset depreciation +# +AssetBaseDepreciationHT=Poistoperuste (ilman ALV) +AssetDepreciationBeginDate=Poistot alkavat +AssetDepreciationDuration=Kesto +AssetDepreciationRate=Arvostele (%%) +AssetDepreciationDate=Poistot päiväys +AssetDepreciationHT=Poistot (ilman ALV) +AssetCumulativeDepreciationHT=Kumulatiivinen poisto (ilman ALV) +AssetResidualHT=Jäännösarvo (ilman ALV) +AssetDispatchedInBookkeeping=Poistot kirjattu +AssetFutureDepreciationLine=Tulevaisuuden poistot +AssetDepreciationReversal=Kääntäminen + +# +# Errors +# +AssetErrorAssetOrAssetModelIDNotProvide=Löydetyn omaisuuden tai mallin tunnusta ei ole annettu +AssetErrorFetchAccountancyCodesForMode=Virhe haettaessa kirjanpitotilit poistotilalle %s +AssetErrorDeleteAccountancyCodesForMode=Virhe poistettaessa kirjanpitotilit poistotilasta %s +AssetErrorInsertAccountancyCodesForMode=Virhe lisättäessä arvoa kirjanpitotilit poistotilasta %s +AssetErrorFetchDepreciationOptionsForMode=Virhe haettaessa asetuksia %s' poistotilalle +AssetErrorDeleteDepreciationOptionsForMode=Virhe poistettaessa %s' poistotilan asetuksia +AssetErrorInsertDepreciationOptionsForMode=Virhe lisättäessä poistotilan asetuksia %s +AssetErrorFetchDepreciationLines=Virhe haettaessa tallennettuja poistorivejä +AssetErrorClearDepreciationLines=Virhe puhdistettaessa tallennettuja poistorivejä (kääntö ja tulevaisuus) +AssetErrorAddDepreciationLine=Virhe lisättäessä poistoriviä +AssetErrorCalculationDepreciationLines=Virhe laskettaessa poistorivejä (palautus ja tulevaisuus) +AssetErrorReversalDateNotProvidedForMode=Käänteinen päiväys ei sisälly poistomenetelmään %s. +AssetErrorReversalDateNotGreaterThanCurrentBeginFiscalDateForMode=Käänteisen päiväys on oltava suurempi tai yhtä suuri kuin kuluvan tilikauden alku %s-poistomenetelmälle +AssetErrorReversalAmountNotProvidedForMode=Peruutussummaa ei ole annettu poistotilalle %s. +AssetErrorFetchCumulativeDepreciation=Virhe haettaessa kertyneen poiston määrää poistoriviltä +AssetErrorSetLastCumulativeDepreciation=Virhe tallennettaessa viimeistä kertynyttä poistoa diff --git a/htdocs/langs/fi_FI/banks.lang b/htdocs/langs/fi_FI/banks.lang index f20f395b003..5a221b78ff7 100644 --- a/htdocs/langs/fi_FI/banks.lang +++ b/htdocs/langs/fi_FI/banks.lang @@ -1,13 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Pankki -MenuBankCash=Banks | Cash +MenuBankCash=Pankit | Käteisvarat MenuVariousPayment=Muut maksut MenuNewVariousPayment=Uusi muu maksu BankName=Pankin nimi FinancialAccount=Tili BankAccount=Pankkitili BankAccounts=Pankkitilit -BankAccountsAndGateways=Bank accounts | Gateways +BankAccountsAndGateways=Pankkitilit | Yhdyskäytävät ShowAccount=Näytä tili AccountRef=Rahoitustase viite AccountLabel=Rahoitustase etiketti @@ -16,6 +16,7 @@ CashAccounts=Käteistilit CurrentAccounts=Nykyiset tilit SavingAccounts=Säästötilit ErrorBankLabelAlreadyExists=Rahoitustase etiketti on jo olemassa +ErrorBankReceiptAlreadyExists=Pankkikuittiviite on jo olemassa BankBalance=Saldo BankBalanceBefore=Saldo ennen BankBalanceAfter=Saldo jälkeen @@ -35,23 +36,23 @@ SwiftValid=BIC/SWIFT hyväksytty SwiftNotValid=BIC/SWIFT virheellinen IbanValid=BAN hyväksytty IbanNotValid=BAN virheellinen -StandingOrders=Direct debit orders +StandingOrders=Suoraveloitustilaukset StandingOrder=Suoraveloitus tilaus -PaymentByDirectDebit=Payment by direct debit -PaymentByBankTransfers=Payments by credit transfer +PaymentByDirectDebit=maksu suoraveloituksella +PaymentByBankTransfers=Maksut tilisiirrolla PaymentByBankTransfer=Maksu tilisiirrolla AccountStatement=Tiliote AccountStatementShort=Laskelma AccountStatements=Tiliotteet LastAccountStatements=Viimeisimmät tiliotteet IOMonthlyReporting=Kuukausiraportti -BankAccountDomiciliation=Bank address +BankAccountDomiciliation=pankkiosoite BankAccountCountry=Tilin maa BankAccountOwner=Tilinomistajan nimi BankAccountOwnerAddress=Tilinomistajan osoite -BankAccountOwnerZip=Account owner zip -BankAccountOwnerTown=Account owner town -BankAccountOwnerCountry=Account owner country +BankAccountOwnerZip=Tilin omistajan zip +BankAccountOwnerTown=Tilin omistajan kaupunki +BankAccountOwnerCountry=Tilin omistajan maa CreateAccount=Luo tili NewBankAccount=Uusi tili NewFinancialAccount=New rahoitustili @@ -60,7 +61,7 @@ EditFinancialAccount=Muokkaa tiliä LabelBankCashAccount=Pankki tai käteisen valuutta AccountType=Tilin tyyppi BankType0=Säästötili -BankType1=Current, cheque or credit card account +BankType1=Nykyinen, shekki- tai luottokorttitili BankType2=Käteistili AccountsArea=Tilialue AccountCard=Tii-kortti @@ -78,11 +79,11 @@ BankTransaction=Pankkimerkintä ListTransactions=Luettelo tapahtumista ListTransactionsByCategory=Luettelo tapahtumista / luokka TransactionsToConciliate=Täsmäytettävät tapahtumat -TransactionsToConciliateShort=To reconcile +TransactionsToConciliateShort=Sovitella Conciliable=Conciliable Conciliate=Sovita Conciliation=Yhteensovita -SaveStatementOnly=Save statement only +SaveStatementOnly=Tallenna vain lausunto ReconciliationLate=Täsmäytys myöhässä IncludeClosedAccount=Sisällytä suljettu tilit OnlyOpenedAccount=Vain avoimet tilit @@ -100,39 +101,39 @@ AddBankRecordLong=Lisää mernkintä manuaalisesti Conciliated=Täsmäytetty ReConciliedBy=Sovetteli DateConciliating=Sovittelupäivä -BankLineConciliated=Entry reconciled with bank receipt +BankLineConciliated=Kirjautuminen täsmäytetty pankkikuitin kanssa BankLineReconciled=Täsmäytetty BankLineNotReconciled=Täsmäyttämätön CustomerInvoicePayment=Asiakasmaksu -SupplierInvoicePayment=Vendor payment +SupplierInvoicePayment=Toimittaja maksu SubscriptionPayment=Tilaus maksu -WithdrawalPayment=Direct Debit payment -BankTransferPayment=Credit Transfer payment +WithdrawalPayment=Suoraveloitus maksu +BankTransferPayment=Tilisiirto maksu SocialContributionPayment=Social/fiscal veron maksu -BankTransfer=Credit transfer -BankTransfers=Credit transfers +BankTransfer=Tilisiirto +BankTransfers=Tilisiirrot MenuBankInternalTransfer=Sisäinen siirto -TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. +TransferDesc=Käytä sisäistä siirtoa siirtääksesi tililtä toiselle, sovellus kirjoittaa kaksi tietuetta: veloituksen lähdetilillä ja hyvityksen kohdetilillä. Tässä tapahtumassa käytetään samaa summaa, tunniste ja päiväys. TransferFrom=Mistä TransferTo=mihin TransferFromToDone=A siirtää %s %s %s% s on tallennettu. CheckTransmitter=Lähettäjä ValidateCheckReceipt=Vahvista tämä sekkikuitti? -ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes will be possible once validated. +ConfirmValidateCheckReceipt=Oletko varma, että haluat lähettää tämän sekkikuitin tarkistettavaksi? Muutokset eivät ole mahdollisia vahvistuksen jälkeen. DeleteCheckReceipt=Poista tämä shekkikuitti? ConfirmDeleteCheckReceipt=Haluatko varmasti poistaa tämän sekkikuitin? -DocumentsForDeposit=Documents to deposit at the bank +DocumentsForDeposit=Pankkiin talletettavat asiakirjat BankChecks=Pankkisekit BankChecksToReceipt=Talletusta odottavat shekit BankChecksToReceiptShort=Talletusta odottavat shekit ShowCheckReceipt=Näytä tarkistaa Talletus kuitti -NumberOfCheques=No. of check +NumberOfCheques=Sekin nro DeleteTransaction=Poista merkintä ConfirmDeleteTransaction=Haluatko varmasti poistaa tämän merkinnän? ThisWillAlsoDeleteBankRecord=Tämä poistaa myös luodun pankkimerkinnän BankMovements=Siirrot PlannedTransactions=Suunnitellut merkinnät -Graph=Graphs +Graph=Kaaviot ExportDataset_banque_1=Pankkimerkinnät ja tiliotteet ExportDataset_banque_2=Talletuslomake TransactionOnTheOtherAccount=Tapahtuma toisella tilillä @@ -142,14 +143,14 @@ PaymentDateUpdateSucceeded=Maksun päivämäärä päivitettiin onnistuneesti PaymentDateUpdateFailed=Maksupäivä ei voi päivittää Transactions=Tapahtumat BankTransactionLine=Pankkimerkintä -AllAccounts=All bank and cash accounts +AllAccounts=Kaikki ja Käteisvarat pankkitilit BackToAccount=Takaisin tiliin ShowAllAccounts=Näytä kaikki tilit -FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". -SelectPaymentTransactionAndGenerate=Select/filter the documents which are to be included in the %s deposit receipt. Then, click on "Create". -InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value -InputReceiptNumberBis=YYYYMM or YYYYMMDD +FutureTransaction=Tuleva kauppa. Ei pysty sovittamaan. +SelectChequeTransactionAndGenerate=Valitse/suodata shekit, jotka on sisällytettävä shekkitalletuskuittiin. Napsauta sitten luo. +SelectPaymentTransactionAndGenerate=Valitse/suodata asiakirjat, jotka on sisällytettävä %s talletuskuittiin. Napsauta sitten "luo". +InputReceiptNumber=Valitse sovitteluun liittyvä tiliote. Käytä lajiteltavaa numeerista arvoa +InputReceiptNumberBis=VVVVKK tai VVVVKKPP EventualyAddCategory=Määritä luokka johon tiedot luokitellaan ToConciliate=Täsmäytä? ThenCheckLinesAndConciliate=Seuraavaksi valitse rivit tiliotteelta ja paina @@ -163,32 +164,33 @@ RejectCheck=Shekki palautunut ConfirmRejectCheck=Haluatko varmasti merkitä tämän shekin hylätyksi? RejectCheckDate=Shekin palautumispäivä CheckRejected=Shekki palautunut -CheckRejectedAndInvoicesReopened=Check returned and invoices re-open +CheckRejectedAndInvoicesReopened=Tarkista palautetut ja laskut avataan uudelleen BankAccountModelModule=Pankkitilien dokumenttimallit -DocumentModelSepaMandate=Template of SEPA mandate. Useful for European countries in EEC only. +DocumentModelSepaMandate=SEPA-valtuutuksen malli. Hyödyllinen vain Euroopan maille ETA. DocumentModelBan=BAN tiedon sisältävä tulostusmalli -NewVariousPayment=New miscellaneous payment -VariousPayment=Miscellaneous payment +NewVariousPayment=Uusi sekalainen maksu +VariousPayment=Sekalaista maksu VariousPayments=Muut maksut -ShowVariousPayment=Show miscellaneous payment -AddVariousPayment=Add miscellaneous payment -VariousPaymentId=Miscellaneous payment ID -VariousPaymentLabel=Miscellaneous payment label -ConfirmCloneVariousPayment=Confirm the clone of a miscellaneous payment -SEPAMandate=SEPA mandate +ShowVariousPayment=Näytä sekalaiset maksu +AddVariousPayment=Lisää sekalaiset maksu +VariousPaymentId=Sekalaista maksu ID +VariousPaymentLabel=Sekalaista maksu-tunniste +ConfirmCloneVariousPayment=Vahvista sekalaisen maksu klooni +SEPAMandate=SEPA-mandaatti YourSEPAMandate=SEPA-toimeksiantonne -FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to -AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation -CashControl=POS cash control -NewCashFence=New cash control (opening or closing) -BankColorizeMovement=Colorize movements -BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements -BankColorizeMovementName1=Background color for debit movement -BankColorizeMovementName2=Background color for credit movement -IfYouDontReconcileDisableProperty=If you don't make the bank reconciliations on some bank accounts, disable the property "%s" on them to remove this warning. -NoBankAccountDefined=No bank account defined -NoRecordFoundIBankcAccount=No record found in bank account. Commonly, this occurs when a record has been deleted manually from the list of transaction in the bank account (for example during a reconciliation of the bank account). Another reason is that the payment was recorded when the module "%s" was disabled. -AlreadyOneBankAccount=Already one bank account defined -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=SEPA transfer: 'Payment Type' at 'Credit Transfer' level -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=When generatin a SEPA XML file for Credit transfers, the section "PaymentTypeInformation" can now be placed inside the "CreditTransferTransactionInformation" section (instead of "Payment" section). We strongly recommend to keep this unchecked to place PaymentTypeInformation at Payment level, as all banks will not necessarily accept it at CreditTransferTransactionInformation level. Contact your bank before placing PaymentTypeInformation at CreditTransferTransactionInformation level. -ToCreateRelatedRecordIntoBank=To create missing related bank record +FindYourSEPAMandate=Tämä on SEPA-valtuutesi valtuuttaa Yritys tekemään suoraveloitusmääräyksen pankkiisi. Palauta se allekirjoitettuina (allekirjoitetun asiakirjan skannaus) tai lähetä se postitse osoitteeseen +AutoReportLastAccountStatement=Täytä Kenttä 'number of tiliote' automaattisesti viimeisellä lausekkeen numerolla, kun suoritat täsmäytyksen +CashControl=POS Käteisvarat ohjaus +NewCashFence=Uusi Käteisvarat-ohjain (avaaminen tai sulkeminen) +BankColorizeMovement=Väritä liikkeet +BankColorizeMovementDesc=Jos tämä toiminto on käytössä, voit valita tietyn taustavärin veloitus- tai luottoliikkeille +BankColorizeMovementName1=Taustaväri veloitusliikkeelle +BankColorizeMovementName2=Luottoliikkeen taustaväri +IfYouDontReconcileDisableProperty=Jos et tee pankkitäsmäyksiä joillakin pankkitileillä, poista tämä varoitus poistamalla niiden ominaisuus "%s" käytöstä. +NoBankAccountDefined=Ei pankkitili määritettyä +NoRecordFoundIBankcAccount=Tietueita ei löytynyt kielellä pankkitili. Yleensä näin tapahtuu, kun tietue on poistettu manuaalisesti tapahtumaluettelosta pankkitili (esimerkiksi pankkitili täsmäytyksen aikana. span>). Toinen syy on se, että maksu tallennettiin, kun moduuli "%s" poistettiin käytöstä. +AlreadyOneBankAccount=Yksi pankkitili on jo määritetty +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=SEPA-versio tiedosto +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=Kyllä = Tallenna 'maksu Type' SEPA-tiedoston Tilisiirto-osioon
      b0342fccfda19b Kun luodaan SEPA XML tiedosto tilisiirtoja varten, PaymentTypeInformation-osio voidaan nyt sijoittaa "CreditTransferTransactionInformation"-osioon (maksu"-osio). Suosittelemme jättämään tämän valitsematta, jotta PaymentTypeInformation sijoitetaan maksu-tasolle, koska kaikki pankit eivät välttämättä hyväksy sitä CreditTransferTransactionInformation-tasolla. Ota yhteyttä pankkiisi ennen kuin asetat PaymentTypeInformation CreditTransferTransactionInformation-tasolle. +ToCreateRelatedRecordIntoBank=Vastaanottajalle luo puuttuu liittyvä pankkitietue +XNewLinesConciliated=%s uusi rivi(ä) sovittu diff --git a/htdocs/langs/fi_FI/bills.lang b/htdocs/langs/fi_FI/bills.lang index 17d1dc6b21b..baf9e2ccecb 100644 --- a/htdocs/langs/fi_FI/bills.lang +++ b/htdocs/langs/fi_FI/bills.lang @@ -7,18 +7,18 @@ BillsSuppliers=Toimittajan laskut BillsCustomersUnpaid=Asiakkaiden maksamattomat laskut BillsCustomersUnpaidForCompany=Asiakkaiden maksamattomat laskut %s BillsSuppliersUnpaid=Maksamattomat toimittajien laskut -BillsSuppliersUnpaidForCompany=Unpaid vendors invoices for %s +BillsSuppliersUnpaidForCompany=Maksamattomat toimittajien laskut kohteelle %s BillsLate=Maksuviivästykset BillsStatistics=Asiakkaiden laskujen tilastot -BillsStatisticsSuppliers=Vendors invoices statistics -DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping -DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. -DisabledBecauseNotLastSituationInvoice=Disabled because invoice is not erasable. This invoice is not the last one in situation invoice cycle. +BillsStatisticsSuppliers=Toimittajan laskutustilastot +DisabledBecauseDispatchedInBookkeeping=Pois käytöstä, koska lasku lähetettiin kirjanpitoon +DisabledBecauseNotLastInvoice=Poistettu käytöstä, koska laskua ei voi poistaa. Jotkut laskut kirjattiin tämän ja jälkeen, se tekee luo reikiä laskuriin. +DisabledBecauseNotLastSituationInvoice=Poistettu käytöstä, koska laskua ei voi poistaa. Tämä lasku ei ole viimeinen tilannelaskujaksossa. DisabledBecauseNotErasable=Poistettu käytöstä koska ei voida poistaa InvoiceStandard=Oletuslasku InvoiceStandardAsk=Oletuslasku InvoiceStandardDesc=Tämä lasku on oletuslasku. -InvoiceStandardShort=Standard +InvoiceStandardShort=Vakio InvoiceDeposit=Ennakkomaksulaksu InvoiceDepositAsk=Ennakkomaksulaksu InvoiceDepositDesc=Tällainen lasku luodaan, kun ennakkomaksu on vastaanotettu. @@ -26,15 +26,15 @@ InvoiceProForma=Proforma lasku InvoiceProFormaAsk=Proforma lasku InvoiceProFormaDesc=Proforma lasku on todellinen lasku, mutta sillä ei ole kirjanpidollista arvoa. InvoiceReplacement=Korvaava lasku -InvoiceReplacementShort=Replacement +InvoiceReplacementShort=Korvaus InvoiceReplacementAsk=Laskun korvaava lasku -InvoiceReplacementDesc=Replacement invoice is used to completely replace an invoice with no payment already received.

      Note: Only invoices with no payment on it can be replaced. If the invoice you replace is not yet closed, it will be automatically closed to 'abandoned'. +InvoiceReplacementDesc=Korvaava lasku käytetään korvaamaan kokonaan lasku, jossa ei ole b0f70b5017f16. jo vastaanotettu.

      Huomaa: vain laskut, joissa ei ole maksu voidaan vaihtaa. Jos korvaamasi lasku ei ole vielä suljettu, se suljetaan automaattisesti hylätyksi. InvoiceAvoir=Menoilmoitus InvoiceAvoirAsk=Menoilmoitus korjata laskun -InvoiceAvoirDesc=The credit note is a negative invoice used to correct the fact that an invoice shows an amount that differs from the amount actually paid (eg the customer paid too much by mistake, or will not pay the complete amount since some products were returned). -invoiceAvoirWithLines=Create Credit Note with lines from the origin invoice -invoiceAvoirWithPaymentRestAmount=Create Credit Note with remaining unpaid of origin invoice -invoiceAvoirLineWithPaymentRestAmount=Credit Note for remaining unpaid amount +InvoiceAvoirDesc=hyvityslasku on negatiivinen lasku, jota käytetään korjaamaan se tosiasia, että laskussa näkyy summa, joka poikkeaa todellisesta summasta. maksettu (esim. asiakas maksoi liikaa vahingossa tai ei maksa koko summaa, koska tuotteet palautettiin). +invoiceAvoirWithLines=luo Hyvityslasku, jossa on alkuperäisen laskun rivejä +invoiceAvoirWithPaymentRestAmount=luo Hyvityslasku, jossa on jäljellä maksamaton alkuperälasku +invoiceAvoirLineWithPaymentRestAmount=Hyvityslasku jäljellä olevasta maksamattomasta summasta ReplaceInvoice=Korvaa laskun %s ReplacementInvoice=Hyvityslasku ReplacedByInvoice=Korvaaminen laskun %s @@ -44,9 +44,9 @@ CorrectionInvoice=Oikaistaan lasku UsedByInvoice=Käytetyt maksaa laskun %s ConsumedBy=Kuluttamaan NotConsumed=Ei kuluteta -NoReplacableInvoice=No replaceable invoices +NoReplacableInvoice=Ei vaihdettavia laskuja NoInvoiceToCorrect=N: o laskun oikea -InvoiceHasAvoir=Was source of one or several credit notes +InvoiceHasAvoir=Oli yhden tai useamman hyvityslaskun lähde CardBill=Lasku-kortti PredefinedInvoices=Ennalta Laskut Invoice=Lasku @@ -56,51 +56,51 @@ InvoiceLine=Laskun linja InvoiceCustomer=Asiakkaan lasku CustomerInvoice=Asiakkaan lasku CustomersInvoices=Asiakkaiden laskut -SupplierInvoice=Vendor invoice +SupplierInvoice=ostolasku SuppliersInvoices=Toimittajan laskut -SupplierInvoiceLines=Vendor invoice lines -SupplierBill=Vendor invoice +SupplierInvoiceLines=ostolasku riviä +SupplierBill=ostolasku SupplierBills=Toimittajan laskut Payment=Maksu -PaymentBack=Refund -CustomerInvoicePaymentBack=Refund +PaymentBack=Maksun palautus +CustomerInvoicePaymentBack=Maksun palautus Payments=Maksut -PaymentsBack=Refunds -paymentInInvoiceCurrency=in invoices currency +PaymentsBack=Hyvitykset +paymentInInvoiceCurrency=laskujen valuutassa PaidBack=Takaisin maksu DeletePayment=Poista maksu ConfirmDeletePayment=Oletko varma, että haluat poistaa tämän suorituksen? -ConfirmConvertToReduc=Do you want to convert this %s into an available credit? -ConfirmConvertToReduc2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this customer. -ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit? -ConfirmConvertToReducSupplier2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this vendor. +ConfirmConvertToReduc=Haluatko muuntaa tämän %s käytettävissä olevaksi hyvitykseksi? +ConfirmConvertToReduc2=Summa säästyy kaikkien alennusten ja joukkoon, joita voidaan käyttää tämän asiakkaan nykyisen tai tulevan laskun alennukseen. +ConfirmConvertToReducSupplier=Haluatko muuntaa tämän %s käytettävissä olevaksi hyvitykseksi? +ConfirmConvertToReducSupplier2=Summa säästyy kaikkien alennusten joukkoon, ja, jota voidaan käyttää tämän Toimittaja nykyisen tai tulevan laskun alennukseen. SupplierPayments=Maksut toimittajille ReceivedPayments=Vastaanotetut maksut ReceivedCustomersPayments=Saatujen maksujen asiakkaille -PayedSuppliersPayments=Payments paid to vendors +PayedSuppliersPayments=Maksut maksettu myyjille ReceivedCustomersPaymentsToValid=Vastatut asiakkaiden maksut validoida PaymentsReportsForYear=Maksut raportteja %s PaymentsReports=Maksut raportit PaymentsAlreadyDone=Maksut jo -PaymentsBackAlreadyDone=Refunds already done +PaymentsBackAlreadyDone=Hyvitykset jo tehty PaymentRule=Maksu sääntö -PaymentMode=Payment method -PaymentModes=Payment methods -DefaultPaymentMode=Default Payment method -DefaultBankAccount=Default Bank Account -IdPaymentMode=Payment method (id) -CodePaymentMode=Payment method (code) -LabelPaymentMode=Payment method (label) -PaymentModeShort=Payment method -PaymentTerm=Payment Term +PaymentMode=maksu -menetelmä +PaymentModes=maksu menetelmät +DefaultPaymentMode=oletus maksu -menetelmä +DefaultBankAccount=oletus pankkitili +IdPaymentMode=maksu -menetelmä (id) +CodePaymentMode=maksu -menetelmä (koodi) +LabelPaymentMode=maksu -menetelmä (tunniste) +PaymentModeShort=maksu -menetelmä +PaymentTerm=maksu Termi PaymentConditions=Maksuehdot PaymentConditionsShort=Maksuehdot PaymentAmount=Maksusumma PaymentHigherThanReminderToPay=Maksu korkeampi kuin muistutus maksaa -HelpPaymentHigherThanReminderToPay=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess received for each overpaid invoice. -HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess paid for each overpaid invoice. +HelpPaymentHigherThanReminderToPay=Huomio, yhden tai useamman laskun maksu summa on suurempi kuin maksettava summa.
      Muokkaa merkintääsi, muussa tapauksessa vahvista ja, harkitse hyvityslaskun luomista jokaisesta liikaa maksetusta laskusta saadulle ylijäämälle. +HelpPaymentHigherThanReminderToPaySupplier=Huomio, yhden tai useamman laskun maksu summa on suurempi kuin maksettava summa.
      Muokkaa merkintääsi, muussa tapauksessa vahvista, ja harkitse hyvityslaskun luomista jokaisesta liikaa maksetusta laskusta. ClassifyPaid=Luokittele "Maksettu" -ClassifyUnPaid=Classify 'Unpaid' +ClassifyUnPaid=Luokittele maksuttomaksi ClassifyPaidPartially=Luokittele "Osittain maksettu" ClassifyCanceled=Luokittele "Hylätty" ClassifyClosed=Luokittele "Suljettu" @@ -111,198 +111,201 @@ AddBill=Luo lasku / hyvityslasku AddToDraftInvoices=Lisää luonnoslaskuihin DeleteBill=Poista lasku SearchACustomerInvoice=Haku asiakkaan laskussa -SearchASupplierInvoice=Search for a vendor invoice +SearchASupplierInvoice=Hae ostolasku CancelBill=Peruuta lasku SendRemindByMail=Lähettää muistutuksen sähköpostilla DoPayment=Syötä suoritus DoPaymentBack=Syötä hyvitys -ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into available credit -ConvertExcessPaidToReduc=Convert excess paid into available discount +ConvertToReduc=Merkitse luottokelpoiseksi +ConvertExcessReceivedToReduc=Muunna ylijäämä käytettävissä olevaksi luotoksi +ConvertExcessPaidToReduc=Muunna ylimääräinen maksettu alennukseksi EnterPaymentReceivedFromCustomer=Kirjoita maksun saanut asiakas EnterPaymentDueToCustomer=Tee maksun asiakkaan DisabledBecauseRemainderToPayIsZero=Suljettu, koska maksettavaa ei ole jäljellä -PriceBase=Base price +PriceBase=Lähtöhinta BillStatus=Laskun tila -StatusOfGeneratedInvoices=Status of generated invoices +StatusOfAutoGeneratedInvoices=Automaattisesti luotujen laskujen tila BillStatusDraft=Luonnos (on vahvistettu) BillStatusPaid=Maksettu -BillStatusPaidBackOrConverted=Credit note refund or marked as credit available -BillStatusConverted=Paid (ready for consumption in final invoice) +BillStatusPaidBackOrConverted=Luottolaskupalautus tai merkitty luottokelpoiseksi +BillStatusConverted=Maksettu (valmiina kulutukseen loppulaskussa) BillStatusCanceled=Hylätty BillStatusValidated=Validoidut (on maksanut) BillStatusStarted=Started BillStatusNotPaid=Ei maksettu -BillStatusNotRefunded=Not refunded +BillStatusNotRefunded=Ei palauteta BillStatusClosedUnpaid=Suljettu (palkaton) BillStatusClosedPaidPartially=Maksettu (osittain) BillShortStatusDraft=Vedos BillShortStatusPaid=Maksettu BillShortStatusPaidBackOrConverted=Hyvitetty tai muunnettu -Refunded=Refunded +Refunded=Hyvitetty BillShortStatusConverted=Maksetut BillShortStatusCanceled=Hylätty BillShortStatusValidated=Validoidut BillShortStatusStarted=Started BillShortStatusNotPaid=Ei maksettu -BillShortStatusNotRefunded=Not refunded +BillShortStatusNotRefunded=Ei palauteta BillShortStatusClosedUnpaid=Suljettu BillShortStatusClosedPaidPartially=Maksettu (osittain) PaymentStatusToValidShort=Validoida -ErrorVATIntraNotConfigured=Intra-Community VAT number not yet defined -ErrorNoPaiementModeConfigured=No default payment type defined. Go to Invoice module setup to fix this. -ErrorCreateBankAccount=Create a bank account, then go to Setup panel of Invoice module to define payment types +ErrorVATIntraNotConfigured=Yhteisön sisäistä ALV-numeroa ei ole vielä määritetty +ErrorNoPaiementModeConfigured=Tyyppiä oletus maksu ei ole määritetty. Korjaa tämä siirtymällä Laskumoduulin asetuksiin. +ErrorCreateBankAccount=luo a pankkitili ja siirry sitten Laskumoduulin asetuspaneeliin ja määritä b0f70b5017f > tyyppejä ErrorBillNotFound=Lasku %s ei ole olemassa -ErrorInvoiceAlreadyReplaced=Error, you tried to validate an invoice to replace invoice %s. But this one has already been replaced by invoice %s. +ErrorInvoiceAlreadyReplaced=Virhe, yritit vahvistaa laskun korvataksesi laskun %s. Mutta tämä on jo korvattu laskulla %s. ErrorDiscountAlreadyUsed=Virhe, alennus jo käytössä ErrorInvoiceAvoirMustBeNegative=Virhe, oikea lasku on negatiivinen määrä -ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have an amount excluding tax positive (or null) +ErrorInvoiceOfThisTypeMustBePositive=Virhe. Tämän tyyppisen laskun summan on oltava positiivinen (tai tyhjä) ilman vero ErrorCantCancelIfReplacementInvoiceNotValidated=Virhe ei voi peruuttaa laskun, joka on korvattu toisella laskun, joka on vielä luonnosvaiheessa asema -ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=This part or another is already used so discount series cannot be removed. -ErrorInvoiceIsNotLastOfSameType=Error: The date of invoice %s is %s. It must be posterior or equal to last date for same type invoices (%s). Please change the invoice date. +ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Tämä tai toinen osa on jo käytössä, joten alennussarjoja ei voi poistaa. +ErrorInvoiceIsNotLastOfSameType=Virhe: laskun päiväys %s on %s. Sen on oltava jälkimmäinen tai yhtä suuri kuin viimeinen päiväys samantyyppisissä laskuissa (%s). Muuta laskua päiväys. BillFrom=Laskuttaja BillTo=Vastaanottaja -ShippingTo=Shipping to +ShippingTo=lähetetään ActionsOnBill=Toimet lasku -ActionsOnBillRec=Actions on recurring invoice -RecurringInvoiceTemplate=Template / Recurring invoice -NoQualifiedRecurringInvoiceTemplateFound=No recurring template invoice qualified for generation. -FoundXQualifiedRecurringInvoiceTemplate=Found %s recurring template invoice(s) qualified for generation. +ActionsOnBillRec=Toimenpiteet toistuvan laskun yhteydessä +RecurringInvoiceTemplate=Malli / Toistuva lasku +NoQualifiedRecurringInvoiceTemplateFound=Ei toistuvia laskupohja kelpuutettuja sukupolveen. +FoundXQualifiedRecurringInvoiceTemplate=%s toistuva laskupohja kelpuutettu sukupolveen. NotARecurringInvoiceTemplate=Ei toistuva mallilasku NewBill=Uusi lasku LastBills=Viimeisimmät %s laskut -LatestTemplateInvoices=Latest %s template invoices -LatestCustomerTemplateInvoices=Latest %s customer template invoices -LatestSupplierTemplateInvoices=Latest %s vendor template invoices +LatestTemplateInvoices=Uusimmat %s mallilaskut +LatestCustomerTemplateInvoices=Uusimmat %s asiakasmallilaskut +LatestSupplierTemplateInvoices=Uusimmat %s Toimittaja mallilaskut LastCustomersBills=Viimeisimmät %s asiakkaan laskut -LastSuppliersBills=Latest %s vendor invoices +LastSuppliersBills=Viimeisimmät %s Toimittaja laskut AllBills=Kaikkien laskujen AllCustomerTemplateInvoices=Kaikki laskupohjat OtherBills=Muut laskut DraftBills=Luonnos laskut CustomersDraftInvoices=Asiakkaiden luonnoslaskut -SuppliersDraftInvoices=Vendor draft invoices +SuppliersDraftInvoices=Toimittaja Luonnos laskua Unpaid=Maksamattomat -ErrorNoPaymentDefined=Error No payment defined +ErrorNoPaymentDefined=Virhe ei maksu määritetty ConfirmDeleteBill=Oletko varman, että haluat poistaa tämän laskun? -ConfirmValidateBill=Are you sure you want to validate this invoice with reference %s? -ConfirmUnvalidateBill=Are you sure you want to change invoice %s to draft status? -ConfirmClassifyPaidBill=Are you sure you want to change invoice %s to status paid? -ConfirmCancelBill=Are you sure you want to cancel invoice %s? -ConfirmCancelBillQuestion=Why do you want to classify this invoice 'abandoned'? -ConfirmClassifyPaidPartially=Are you sure you want to change invoice %s to status paid? -ConfirmClassifyPaidPartiallyQuestion=This invoice has not been paid completely. What is the reason for closing this invoice? -ConfirmClassifyPaidPartiallyReasonAvoir=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I regularize the VAT with a credit note. -ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. -ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I accept to lose the VAT on this discount. -ConfirmClassifyPaidPartiallyReasonDiscountVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I recover the VAT on this discount without a credit note. +ConfirmValidateBill=Haluatko varmasti vahvistaa tämän laskun viitenumerolla %s? +ConfirmUnvalidateBill=Haluatko varmasti muuttaa laskun %s muotoon Luonnos tila? +ConfirmClassifyPaidBill=Haluatko varmasti muuttaa laskun %s tilaksi maksettu ? +ConfirmCancelBill=Haluatko varmasti peruuttaa laskun %s? +ConfirmCancelBillQuestion=Miksi haluat luokitella tämän laskun "hylätyksi"? +ConfirmClassifyPaidPartially=Haluatko varmasti muuttaa laskun %s tilaksi maksettu ? +ConfirmClassifyPaidPartiallyQuestion=Tätä laskua ei ole maksettu kokonaan. Mikä on syy tämän laskun sulkemiseen? +ConfirmClassifyPaidPartiallyReasonAvoir=Jäljellä maksamaton (%s %s) on alennus, joka myönnetään, koska maksu tehtiin ennen määräaikaa. +ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Jäljellä maksamaton (%s %s)
      on alennus, joka myönnetään, koska maksu tehtiin ennen määräaikaa. Palautan tästä alennuksesta arvonlisäveron ilman hyvityslaskua. ConfirmClassifyPaidPartiallyReasonBadCustomer=Huono asiakas -ConfirmClassifyPaidPartiallyReasonBadSupplier=Bad vendor -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) -ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax +ConfirmClassifyPaidPartiallyReasonBadSupplier=Virheellinen Toimittaja +ConfirmClassifyPaidPartiallyReasonBankCharge=Pankin tekemä vähennys (välittäjäpankin palkkio) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=Ennakonpidätys vero ConfirmClassifyPaidPartiallyReasonProductReturned=Tuotteet osittain palautettu ConfirmClassifyPaidPartiallyReasonOther=Määrä luovuttamiseen muu syy -ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=This choice is possible if your invoice has been provided with suitable comments. (Example «Only the tax corresponding to the price that has been actually paid gives rights to deduction») -ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=In some countries, this choice might be possible only if your invoice contains correct notes. +ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=Tämä valinta on mahdollista, jos laskussasi on asianmukaiset huomautukset. (Esimerkki «Vain tosiasiallisesti maksettua hintaa vastaava vero antaa vähennysoikeuden») +ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=Joissakin maissa tämä valinta saattaa olla mahdollista vain, jos laskussasi on oikeat huomautukset. ConfirmClassifyPaidPartiallyReasonAvoirDesc=Käytä tätä vaihtoehtoa, jos kaikki muut ei sovi -ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=A bad customer is a customer that refuses to pay his debt. +ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=huono asiakas on asiakas, joka kieltäytyy maksamasta velkansa. ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Tämä valinta on käytössä, kun maksua ei ole täydellinen, koska jotkut tuotteet on palautettu -ConfirmClassifyPaidPartiallyReasonBankChargeDesc=The unpaid amount is intermediary bank fees, deducted directly from the correct amount paid by the Customer. -ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax -ConfirmClassifyPaidPartiallyReasonOtherDesc=Use this choice if all others are not suitable, for example in following situation:
      - payment not complete because some products were shipped back
      - amount claimed too important because a discount was forgotten
      In all cases, amount over-claimed must be corrected in accountancy system by creating a credit note. -ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=A bad supplier is a supplier we refuse to pay. +ConfirmClassifyPaidPartiallyReasonBankChargeDesc=Maksamaton summa on välittäjäpankkimaksut, joka vähennetään suoraan b0aee833658oikea summa
      , jonka asiakas on maksanut. +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=Maksamatonta summaa ei koskaan makseta, koska se on ennakonpidätys vero +ConfirmClassifyPaidPartiallyReasonOtherDesc=Käytä tätä vaihtoehtoa, jos kaikki muut eivät sovellu, esimerkiksi seuraavassa tilanteessa:
      - maksu ei ole valmis, koska jokin tuotteet lähetettiin takaisin
      – vaadittu summa liian tärkeäksi, koska alennus unohdettiin
      Kaikissa tapauksissa ylikorjattu määrä on korjattava kirjanpitojärjestelmässä luomalla hyvityslasku. +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=huono toimittaja on toimittaja, jota kieltäydymme maksamasta. ConfirmClassifyAbandonReasonOther=Muu ConfirmClassifyAbandonReasonOtherDesc=Tämä valinta voidaan käyttää kaikissa muissa tapauksissa. Esimerkiksi koska aiot luoda korvaa laskun. -ConfirmCustomerPayment=Do you confirm this payment input for %s %s? -ConfirmSupplierPayment=Do you confirm this payment input for %s %s? -ConfirmValidatePayment=Are you sure you want to validate this payment? No change can be made once payment is validated. +ConfirmCustomerPayment=Vahvistatko tämän maksu-syötteen kohteelle %s %s? +ConfirmSupplierPayment=Vahvistatko tämän maksu-syötteen kohteelle %s %s? +ConfirmValidatePayment=Haluatko varmasti vahvistaa tämän maksu? Muutoksia ei voi tehdä, kun maksu on vahvistettu. ValidateBill=Validate lasku -UnvalidateBill=Unvalidate lasku -NumberOfBills=No. of invoices -NumberOfBillsByMonth=No. of invoices per month +UnvalidateBill=Virheellinen lasku +NumberOfBills=Laskujen määrä +NumberOfBillsByMonth=Laskujen määrä kuukaudessa AmountOfBills=Määrä laskuista -AmountOfBillsHT=Amount of invoices (net of tax) +AmountOfBillsHT=Laskujen määrä (ilman vero) AmountOfBillsByMonthHT=Määrä laskut kuukausittain (verojen jälkeen) -UseSituationInvoices=Allow situation invoice -UseSituationInvoicesCreditNote=Allow situation invoice credit note -Retainedwarranty=Retained warranty -AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices -RetainedwarrantyDefaultPercent=Retained warranty default percent -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation -ToPayOn=To pay on %s -toPayOn=to pay on %s -RetainedWarranty=Retained Warranty -PaymentConditionsShortRetainedWarranty=Retained warranty payment terms -DefaultPaymentConditionsRetainedWarranty=Default retained warranty payment terms -setPaymentConditionsShortRetainedWarranty=Set retained warranty payment terms -setretainedwarranty=Set retained warranty -setretainedwarrantyDateLimit=Set retained warranty date limit -RetainedWarrantyDateLimit=Retained warranty date limit -RetainedWarrantyNeed100Percent=The situation invoice need to be at 100%% progress to be displayed on PDF +UseSituationInvoices=Salli tilannelasku +UseSituationInvoicesCreditNote=Salli tilannelaskun hyvityslasku +Retainedwarranty=Takuu voimassa +AllowedInvoiceForRetainedWarranty=Säilytetty takuu, jota voidaan käyttää seuraavan tyyppisissä laskuissa +RetainedwarrantyDefaultPercent=Säilytetty takuu oletus prosenttia +RetainedwarrantyOnlyForSituation=Ota "säilytetty takuu" käyttöön vain tilannelaskuille +RetainedwarrantyOnlyForSituationFinal=Tilannelaskuissa globaali "säilytettävä takuu" -vähennys koskee vain lopputilannetta +ToPayOn=Maksaminen %s +toPayOn=maksaa %s +RetainedWarranty=Säilytetty takuu +PaymentConditionsShortRetainedWarranty=Säilytetyn takuun maksu ehdot +DefaultPaymentConditionsRetainedWarranty=oletus säilytetty takuu maksu +setPaymentConditionsShortRetainedWarranty=Aseta säilytettävän takuun maksu ehdot +setretainedwarranty=Aseta säilytettävä takuu +setretainedwarrantyDateLimit=Aseta säilytettävän takuun päiväys raja +RetainedWarrantyDateLimit=Säilytetty takuu päiväys +RetainedWarrantyNeed100Percent=Tilannelaskun on oltava 100%%, jotta se voidaan näyttää PDF-muodossa AlreadyPaid=Maksettu -AlreadyPaidBack=Already paid back -AlreadyPaidNoCreditNotesNoDeposits=Already paid (without credit notes and down payments) +AlreadyPaidBack=Maksettu jo takaisin +AlreadyPaidNoCreditNotesNoDeposits=Jo maksettu (ilman hyvityslaskuja ja käsiraha) Abandoned=Hylätyt RemainderToPay=Jäljellä oleva avoin summa -RemainderToPayMulticurrency=Remaining unpaid, original currency +RemainderToPayMulticurrency=Jäljelle jäänyt maksamaton, alkuperäinen valuutta RemainderToTake=Jäljellä oleva laskutettava summa -RemainderToTakeMulticurrency=Remaining amount to take, original currency +RemainderToTakeMulticurrency=Jäljellä oleva määrä, alkuperäinen valuutta RemainderToPayBack=Jäljellä oleva hyvitettävä summa -RemainderToPayBackMulticurrency=Remaining amount to refund, original currency -NegativeIfExcessRefunded=negative if excess refunded +RemainderToPayBackMulticurrency=Jäljellä oleva palautettava summa, alkuperäinen valuutta +NegativeIfExcessReceived=negatiivinen, jos ylimääräinen vastaanotettu +NegativeIfExcessRefunded=negatiivinen, jos liikaa palautetaan +NegativeIfExcessPaid=negatiivinen, jos maksetaan liikaa Rest=Odotettavissa oleva AmountExpected=Määrä väitti ExcessReceived=Trop Peru -ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received -ExcessPaid=Excess paid -ExcessPaidMulticurrency=Excess paid, original currency +ExcessReceivedMulticurrency=Ylimääräinen vastaanotettu, alkuperäinen valuutta +ExcessPaid=Yli maksettu +ExcessPaidMulticurrency=Yli maksettu, alkuperäinen valuutta EscompteOffered=Discount tarjotaan (maksu ennen aikavälillä) EscompteOfferedShort=Alennus -SendBillRef=Submission of invoice %s -SendReminderBillRef=Submission of invoice %s (reminder) -SendPaymentReceipt=Submission of payment receipt %s +SendBillRef=Laskun lähettäminen %s +SendReminderBillRef=Laskun lähettäminen %s (muistutus) +SendPaymentReceipt=Kuitin maksu lähettäminen %s NoDraftBills=Ei Luonnos laskut NoOtherDraftBills=Mikään muu luonnos laskut NoDraftInvoices=Ei Luonnos laskut RefBill=Laskun ref +RefSupplierBill=toimittaja laskun viite +SupplierOrderCreateBill=luo lasku ToBill=Bill RemainderToBill=Jäävä bill SendBillByMail=Lähetä lasku sähköpostitse SendReminderBillByMail=Lähettää muistutuksen sähköpostilla RelatedCommercialProposals=Liittyvien kaupallisten ehdotuksia -RelatedRecurringCustomerInvoices=Related recurring customer invoices +RelatedRecurringCustomerInvoices=Asiaan liittyvät toistuvat laskut MenuToValid=Kelvollisiin -DateMaxPayment=Payment due on +DateMaxPayment=maksu eräpäivä DateInvoice=Laskun päiväys -DatePointOfTax=Point of tax +DatePointOfTax=Kohta vero NoInvoice=N: o lasku -NoOpenInvoice=No open invoice -NbOfOpenInvoices=Number of open invoices +NoOpenInvoice=Ei avointa laskua +NbOfOpenInvoices=Avointen laskujen määrä ClassifyBill=Luokittele lasku SupplierBillsToPay=Maksamattomat toimittajien laskut CustomerBillsUnpaid=Asiakkaiden maksamattomat laskut NonPercuRecuperable=Ei-korvattaviksi SetConditions=Aseta maksuehdot -SetMode=Set Payment Type -SetRevenuStamp=Set revenue stamp +SetMode=Aseta maksu tyyppi +SetRevenuStamp=Aseta tuloleima Billed=Laskutetun RecurringInvoices=Toistuvat laskut -RecurringInvoice=Recurring invoice -RecurringInvoiceSource=Source recurring invoice +RecurringInvoice=Toistuva lasku +RecurringInvoiceSource=Lähde toistuva lasku RepeatableInvoice=Laskupohja RepeatableInvoices=Laskupohjat -RecurringInvoicesJob=Generation of recurring invoices (sales invoices) -RecurringSupplierInvoicesJob=Generation of recurring invoices (purchase invoices) +RecurringInvoicesJob=Toistuvien laskujen (myyntilaskujen) luominen +RecurringSupplierInvoicesJob=Toistuvien laskujen luominen (Hankinta laskua) Repeatable=Pohja Repeatables=Pohjat -ChangeIntoRepeatableInvoice=Convert into template invoice -CreateRepeatableInvoice=Create template invoice -CreateFromRepeatableInvoice=Create from template invoice -CustomersInvoicesAndInvoiceLines=Customer invoices and invoice details +ChangeIntoRepeatableInvoice=Muunna muotoon laskupohja +CreateRepeatableInvoice=luo laskupohja +CreateFromRepeatableInvoice=luo lähettäjältä laskupohja +CustomersInvoicesAndInvoiceLines=Asiakkaan laskut ja laskun tiedot CustomersInvoicesAndPayments=Asiakas laskut ja maksut -ExportDataset_invoice_1=Customer invoices and invoice details +ExportDataset_invoice_1=Asiakkaan laskut ja laskun tiedot ExportDataset_invoice_2=Asiakas laskut ja maksut ProformaBill=Proforma Bill: Reduction=Alennusprosentti @@ -312,127 +315,128 @@ ReductionsShort=Disc. Discounts=Alennukset AddDiscount=Lisää edullisista AddRelativeDiscount=Luo suhteellinen alennus -EditRelativeDiscount=Edit relative discount +EditRelativeDiscount=Muokkaa suhteellista alennusta AddGlobalDiscount=Lisää edullisista EditGlobalDiscounts=Muokkaa absoluuttinen alennukset AddCreditNote=Luo hyvityslasku ShowDiscount=Näytä edullisista -ShowReduc=Show the discount -ShowSourceInvoice=Show the source invoice +ShowReduc=Näytä alennus +ShowSourceInvoice=Näytä lähdelasku RelativeDiscount=Suhteellinen edullisista GlobalDiscount=Global edullisista CreditNote=Menoilmoitus CreditNotes=Hyvityslaskuja -CreditNotesOrExcessReceived=Credit notes or excess received -Deposit=Down payment -Deposits=Down payments +CreditNotesOrExcessReceived=Luottolasku tai ylijäämä vastaanotettu +Deposit=osamaksu +Deposits=Ennakkomaksut DiscountFromCreditNote=Alennus menoilmoitus %s -DiscountFromDeposit=Down payments from invoice %s -DiscountFromExcessReceived=Payments in excess of invoice %s -DiscountFromExcessPaid=Payments in excess of invoice %s +DiscountFromDeposit=Etumaksut laskulta %s +DiscountFromExcessReceived=Maksut ylittävät laskun %s +DiscountFromExcessPaid=Maksut ylittävät laskun %s AbsoluteDiscountUse=Tällainen luotto voidaan käyttää laskun ennen sen validointi -CreditNoteDepositUse=Invoice must be validated to use this kind of credits +CreditNoteDepositUse=Lasku on vahvistettava tämäntyyppisten hyvitysten käyttämiseksi NewGlobalDiscount=Uusi edullisista -NewSupplierGlobalDiscount=New absolute supplier discount -NewClientGlobalDiscount=New absolute client discount +NewSupplierGlobalDiscount=Uusi ehdoton toimittaja alennus +NewClientGlobalDiscount=Uusi ehdoton asiakasalennus NewRelativeDiscount=Uusi suhteellinen alennus -DiscountType=Discount type +DiscountType=Alennustyyppi NoteReason=Huomautus / syy ReasonDiscount=Perustelu DiscountOfferedBy=Myöntämä -DiscountStillRemaining=Discounts or credits available -DiscountAlreadyCounted=Discounts or credits already consumed -CustomerDiscounts=Customer discounts -SupplierDiscounts=Vendors discounts +DiscountStillRemaining=Alennuksia tai luottoja saatavilla +DiscountAlreadyCounted=Alennukset tai krediitit jo käytetty +CustomerDiscounts=Asiakasalennukset +SupplierDiscounts=Myyjien alennukset BillAddress=Bill osoite -HelpEscompte=This discount is a discount granted to customer because payment was made before term. -HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loss. -HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by another for example) -IdSocialContribution=Social/fiscal tax payment id +HelpEscompte=Tämä alennus on asiakkaalle myönnetty alennus, koska maksu tehtiin ennen määräaikaa. +HelpAbandonBadCustomer=Tämä summa on hylätty (asiakkaan sanotaan olevan huono asiakas) ja katsotaan poikkeukselliseksi tappioksi. +HelpAbandonOther=Tämä summa on hylätty, koska se oli virhe (esimerkiksi väärä asiakas tai lasku korvattu toisella) +IdSocialContribution=Sosiaalinen/fiskaalinen vero maksu id PaymentId=Maksu-id PaymentRef=Maksuviite +SourceInvoiceId=Lähteen laskun tunnus InvoiceId=Laskun numero InvoiceRef=Laskun ref. InvoiceDateCreation=Laskun luontipäivämäärä InvoiceStatus=Laskun tila InvoiceNote=Lasku huomautus InvoicePaid=Lasku maksettu -InvoicePaidCompletely=Paid completely -InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. -OrderBilled=Order billed -DonationPaid=Donation paid +InvoicePaidCompletely=Maksettu kokonaan +InvoicePaidCompletelyHelp=Lasku, joka maksetaan kokonaan. Tämä ei sisällä laskuja, jotka on maksettu osittain. Jos haluat nähdä luettelon kaikista suljetuista tai ei-suljetuista laskuista, käytä mieluummin laskun tilan suodatinta. +OrderBilled=Tilaus laskutettu +DonationPaid=Lahjoitus maksettu PaymentNumber=Maksu numero RemoveDiscount=Poista edullisista WatermarkOnDraftBill=Vesileima on draft laskut (ei mitään, jos tyhjä) InvoiceNotChecked=Ei laskun valittu -ConfirmCloneInvoice=Are you sure you want to clone this invoice %s? +ConfirmCloneInvoice=Haluatko varmasti kloonata tämän laskun %s? DisabledBecauseReplacedInvoice=Toimi vammaisten koska lasku on korvattu -DescTaxAndDividendsArea=This area presents a summary of all payments made for special expenses. Only records with payments during the fixed year are included here. -NbOfPayments=No. of payments +DescTaxAndDividendsArea=Tällä alueella on yhteenveto kaikista maksuista, jotka on suoritettu kohteelle Erikoiskustannukset. Vain tietueet, joissa maksut on suoritettu kiinteän vuoden aikana, sisältyvät tähän. +NbOfPayments=Maksujen määrä SplitDiscount=Split edullisista kahdessa -ConfirmSplitDiscount=Are you sure you want to split this discount of %s %s into two smaller discounts? -TypeAmountOfEachNewDiscount=Input amount for each of two parts: -TotalOfTwoDiscountMustEqualsOriginal=The total of the two new discounts must be equal to the original discount amount. -ConfirmRemoveDiscount=Are you sure you want to remove this discount? +ConfirmSplitDiscount=Haluatko varmasti jakaa tämän alennuksen %s %s kahdeksi pienemmäksi alennukseksi? +TypeAmountOfEachNewDiscount=Syötä summa kummallekin kahdelle osalle: +TotalOfTwoDiscountMustEqualsOriginal=Kahden uuden alennuksen yhteissumman on oltava yhtä suuri kuin alkuperäinen alennussumma. +ConfirmRemoveDiscount=Haluatko varmasti poistaa tämän alennuksen? RelatedBill=Related lasku RelatedBills=Related laskut -RelatedCustomerInvoices=Related customer invoices -RelatedSupplierInvoices=Related vendor invoices -LatestRelatedBill=Latest related invoice -WarningBillExist=Warning, one or more invoices already exist -MergingPDFTool=Merging PDF tool +RelatedCustomerInvoices=Asiaan liittyvät laskut +RelatedSupplierInvoices=Aiheeseen liittyvät Toimittaja laskut +LatestRelatedBill=Viimeisin asiaan liittyvä lasku +WarningBillExist=Varoitus, yksi tai useampi lasku on jo olemassa +MergingPDFTool=Yhdistävä PDF-työkalu AmountPaymentDistributedOnInvoice=Summa on jaettu laskulla -PaymentOnDifferentThirdBills=Allow payments on different third parties bills but same parent company +PaymentOnDifferentThirdBills=Salli maksut eri kolmannen osapuolen laskuilla, mutta samalla vanhemmalla Yritys PaymentNote=Maksuviesti -ListOfPreviousSituationInvoices=List of previous situation invoices -ListOfNextSituationInvoices=List of next situation invoices -ListOfSituationInvoices=List of situation invoices -CurrentSituationTotal=Total current situation -DisabledBecauseNotEnouthCreditNote=To remove a situation invoice from cycle, this invoice's credit note total must cover this invoice total -RemoveSituationFromCycle=Remove this invoice from cycle -ConfirmRemoveSituationFromCycle=Remove this invoice %s from cycle ? -ConfirmOuting=Confirm outing +ListOfPreviousSituationInvoices=Luettelo aikaisempien tilanteiden laskuista +ListOfNextSituationInvoices=Luettelo seuraavan tilanteen laskuista +ListOfSituationInvoices=Luettelo tilannelaskuista +CurrentSituationTotal=Koko nykytilanne +DisabledBecauseNotEnouthCreditNote=Tilannelaskun poistamiseksi syklistä tämän laskun hyvityslaskun on katettava tämä laskun loppusumma +RemoveSituationFromCycle=Poista tämä lasku jaksosta +ConfirmRemoveSituationFromCycle=Poistetaanko tämä lasku %s syklistä ? +ConfirmOuting=Vahvista lähtö FrequencyPer_d=Joka %s päivä FrequencyPer_m=Joka %s kuukausi FrequencyPer_y=Joka %s vuosi -FrequencyUnit=Frequency unit +FrequencyUnit=Taajuusyksikkö toolTipFrequency=Esimerkkejä:
      Aseta 7, Päivä : anna uusi lasku joka 7. päivä
      Aseta 3, kuukausi : anna uusi lasku joka kolmas kuukausi NextDateToExecution=Päivämäärä seuraavalle lasku luonnille -NextDateToExecutionShort=Date next gen. +NextDateToExecutionShort=päiväys seuraava sukupolvi DateLastGeneration=Päivämäärä viimeiselle luonnille -DateLastGenerationShort=Date latest gen. -MaxPeriodNumber=Max. number of invoice generation -NbOfGenerationDone=Number of invoice generation already done -NbOfGenerationOfRecordDone=Number of record generation already done -NbOfGenerationDoneShort=Number of generations done -MaxGenerationReached=Maximum number of generations reached +DateLastGenerationShort=päiväys uusin sukupolvi +MaxPeriodNumber=Max. laskun luomisen määrä +NbOfGenerationDone=Jo tehtyjen laskujen määrä +NbOfGenerationOfRecordDone=Jo tehtyjen ennätysten lukumäärä +NbOfGenerationDoneShort=Tehtyjen sukupolvien lukumäärä +MaxGenerationReached=Sukupolvien enimmäismäärä saavutettu InvoiceAutoValidate=Hyväksy laskut automaattisesti GeneratedFromRecurringInvoice=Luotu mallipohjaisesta toistuvasta laskusta %s DateIsNotEnough=Päivämäärää ei ole vielä saavutettu -InvoiceGeneratedFromTemplate=Invoice %s generated from recurring template invoice %s -GeneratedFromTemplate=Generated from template invoice %s -WarningInvoiceDateInFuture=Warning, the invoice date is higher than current date -WarningInvoiceDateTooFarInFuture=Warning, the invoice date is too far from current date +InvoiceGeneratedFromTemplate=Lasku %s luotu toistuvasta laskupohja %s +GeneratedFromTemplate=Luotu kohteesta laskupohja %s +WarningInvoiceDateInFuture=Varoitus, lasku päiväys on suurempi kuin nykyinen päiväys +WarningInvoiceDateTooFarInFuture=Varoitus, lasku päiväys on liian kaukana nykyisestä päiväys ViewAvailableGlobalDiscounts=Katso saatavilla olevat alennukset -GroupPaymentsByModOnReports=Group payments by mode on reports +GroupPaymentsByModOnReports=ryhmä maksut raporttien tilan mukaan # PaymentConditions Statut=Tila -PaymentConditionShortRECEP=Due Upon Receipt -PaymentConditionRECEP=Due Upon Receipt +PaymentConditionShortRECEP=Erääntyy vastaanotettaessa +PaymentConditionRECEP=Erääntyy vastaanotettaessa PaymentConditionShort30D=30 päivää PaymentCondition30D=30 päivää -PaymentConditionShort30DENDMONTH=30 days of month-end +PaymentConditionShort30DENDMONTH=30 päivää kuukauden lopussa PaymentCondition30DENDMONTH=30 päivää kuun loputtua PaymentConditionShort60D=60 päivää PaymentCondition60D=60 päivää -PaymentConditionShort60DENDMONTH=60 days of month-end +PaymentConditionShort60DENDMONTH=60 päivää kuukauden lopussa PaymentCondition60DENDMONTH=60 päivää kuun loputtua PaymentConditionShortPT_DELIVERY=Toimitus PaymentConditionPT_DELIVERY=Toimituksen PaymentConditionShortPT_ORDER=Tilata -PaymentConditionPT_ORDER=On order +PaymentConditionPT_ORDER=Tilauksesta PaymentConditionShortPT_5050=50-50 -PaymentConditionPT_5050=50%% in advance, 50%% on delivery +PaymentConditionPT_5050=50%% etukäteen, 50%% toimitus PaymentConditionShort10D=10 päivää PaymentCondition10D=10 päivää PaymentConditionShort10DENDMONTH=10 päivää kuun lopusta @@ -441,51 +445,51 @@ PaymentConditionShort14D=14 päivää PaymentCondition14D=14 päivää PaymentConditionShort14DENDMONTH=14 päivää kuun lopusta PaymentCondition14DENDMONTH=14 päivää kuun loputtua -PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit -PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit, remainder on delivery -FixAmount=Fixed amount - 1 line with label '%s' -VarAmount=Variable amount (%% tot.) -VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' -VarAmountAllLines=Variable amount (%% tot.) - all lines from origin -DepositPercent=Deposit %% -DepositGenerationPermittedByThePaymentTermsSelected=This is permitted by the payment terms selected -GenerateDeposit=Generate a %s%% deposit invoice -ValidateGeneratedDeposit=Validate the generated deposit -DepositGenerated=Deposit generated -ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=You can only automatically generate a deposit from a proposal or an order -ErrorPaymentConditionsNotEligibleToDepositCreation=The chose payment conditions are not eligible for automatic deposit generation +PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% talletus +PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% talletus, loput toimitus +FixAmount=Kiinteä summa – 1 rivi tunnisteella %s +VarAmount=Muuttuva määrä (%% yhteensä) +VarAmountOneLine=Muuttuva määrä (%% tot.) – 1 rivi tunnisteella %s +VarAmountAllLines=Muuttuva määrä (%% tot.) – kaikki rivit lähteestä +DepositPercent=Talletus %% +DepositGenerationPermittedByThePaymentTermsSelected=Tämän sallivat valitut maksu termit +GenerateDeposit=Luo %s%% talletuslasku +ValidateGeneratedDeposit=Vahvista luotu talletus +DepositGenerated=Talletus luotu +ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=Voit luoda talletuksen automaattisesti vain tarjous tai tilauksesta +ErrorPaymentConditionsNotEligibleToDepositCreation=Valitut maksu ehdot eivät kelpaa automaattiseen talletuksen luomiseen # PaymentType PaymentTypeVIR=Pankkisiirto PaymentTypeShortVIR=Pankkisiirto -PaymentTypePRE=Direct debit payment order -PaymentTypePREdetails=(on account %s...) -PaymentTypeShortPRE=Debit payment order +PaymentTypePRE=Suoraveloitus maksu tilaus +PaymentTypePREdetails=(tilillä %s...) +PaymentTypeShortPRE=Veloitus maksu PaymentTypeLIQ=Rahat PaymentTypeShortLIQ=Rahat PaymentTypeCB=Luottokortin PaymentTypeShortCB=Luottokortin PaymentTypeCHQ=Cheque PaymentTypeShortCHQ=Cheque -PaymentTypeTIP=TIP (Documents against Payment) -PaymentTypeShortTIP=TIP Payment -PaymentTypeVAD=Online payment -PaymentTypeShortVAD=Online payment -PaymentTypeTRA=Bank draft +PaymentTypeTIP=VINKKI (asiakirjat maksu) +PaymentTypeShortTIP=VINKKI maksu +PaymentTypeVAD=Verkossa maksu +PaymentTypeShortVAD=Verkossa maksu +PaymentTypeTRA=Pankki Luonnos PaymentTypeShortTRA=Luonnos -PaymentTypeFAC=Factor -PaymentTypeShortFAC=Factor +PaymentTypeFAC=Tekijä +PaymentTypeShortFAC=Tekijä PaymentTypeDC=Debit/Luottokortti PaymentTypePP=PayPal BankDetails=Pankkitiedot BankCode=Pankin koodi -DeskCode=Branch code +DeskCode=Sivuliikkeen koodi BankAccountNumber=Tilinumero -BankAccountNumberKey=Checksum +BankAccountNumberKey=Tarkistussumma Residence=Osoite IBANNumber=IBAN-tilinumero IBAN=IBAN -CustomerIBAN=IBAN of customer -SupplierIBAN=IBAN of vendor +CustomerIBAN=Asiakkaan IBAN +SupplierIBAN=IBAN / Toimittaja BIC=BIC / SWIFT BICNumber=BIC/SWIFT-koodi ExtraInfos=Extra infos @@ -493,7 +497,7 @@ RegulatedOn=Säännellään ChequeNumber=Cheque N ChequeOrTransferNumber=Cheque / Transfer N ChequeBordereau=Tarkasta aikataulu -ChequeMaker=Check/Transfer sender +ChequeMaker=Tarkista/siirrä lähettäjä ChequeBank=Pankki sekki CheckBank=Shekki NetToBePaid=Maksettava nettosumma @@ -501,35 +505,35 @@ PhoneNumber=Puh FullPhoneNumber=Puhelin TeleFax=Faksi PrettyLittleSentence=Hyväksy määrä maksuviivästykset sekit antanut minun nimen jäsen kirjanpitojärjestelmästä yhdistyksen hyväksymä verohallintoviraston. -IntracommunityVATNumber=Intra-Community VAT ID -PaymentByChequeOrderedTo=Check payments (including tax) are payable to %s, send to -PaymentByChequeOrderedToShort=Check payments (incl. tax) are payable to +IntracommunityVATNumber=Yhteisön sisäinen ALV-tunnus +PaymentByChequeOrderedTo=Sekkimaksut (mukaan lukien vero) maksetaan osoitteeseen %s, lähetä osoitteeseen +PaymentByChequeOrderedToShort=Sekkimaksut (sis. vero) on maksettava SendTo=lähetettiin PaymentByTransferOnThisBankAccount=Maksaessa käytettävä seuraavia tilitietoja VATIsNotUsedForInvoice=* Ei sovelleta alv taide-293B CGI -VATIsNotUsedForInvoiceAsso=* Non applicable VAT art-261-7 of CGI +VATIsNotUsedForInvoiceAsso=* Ei sovelleta CGI:n ALV art-261-7 LawApplicationPart1=Soveltamalla lain 80.335 tehty 12/05/80 LawApplicationPart2=tavaroiden omistusoikeus säilyy -LawApplicationPart3=the seller until full payment of +LawApplicationPart3=myyjä täyteen maksu LawApplicationPart4=niiden hinta. LimitedLiabilityCompanyCapital=SARL, pääoma UseLine=Käytä UseDiscount=Käytä edullisista UseCredit=Käytä luotto UseCreditNoteInInvoicePayment=Vähentää maksua tämän menoilmoitus -MenuChequeDeposits=Deposits slips +MenuChequeDeposits=Talletuskuitit MenuCheques=Sekit -MenuChequesReceipts=Deposit slips -NewChequeDeposit=New deposit slip -ChequesReceipts=Cheque deposit slips -DocumentsDepositArea=Deposit slip area -ChequesArea=Deposit slips area -ChequeDeposits=Deposit slips +MenuChequesReceipts=Talletuskuitit +NewChequeDeposit=Uusi talletuskuitti +ChequesReceipts=Tarkista talletuskuitit +DocumentsDepositArea=Talletuskuponkialue +ChequesArea=Talletuskuittialue +ChequeDeposits=Talletuskuitit Cheques=Sekit -DepositId=Id deposit -NbCheque=Number of checks -CreditNoteConvertedIntoDiscount=This %s has been converted into %s -UsBillingContactAsIncoiveRecipientIfExist=Use contact/address with type 'billing contact' instead of third-party address as recipient for invoices +DepositId=ID-talletus +NbCheque=Sekkien määrä +CreditNoteConvertedIntoDiscount=Tämä %s on muunnettu muotoon %s +UsBillingContactAsIncoiveRecipientIfExist=Käytä laskujen vastaanottajana yhteyshenkilöä/osoitetta, jonka tyyppi on "laskutuksen yhteyshenkilö" kolmannen osapuolen osoitteen sijaan ShowUnpaidAll=Näytä kaikki maksamattomat laskut ShowUnpaidLateOnly=Näytä myöhään unpaid laskun vain PaymentInvoiceRef=Maksu laskun %s @@ -539,105 +543,110 @@ Cash=Kassa Reported=Myöhässä DisabledBecausePayments=Ole mahdollista, koska on olemassa joitakin maksuja CantRemovePaymentWithOneInvoicePaid=Ei voi poistaa maksua koska siellä on ainakin laskulla luokiteltu maksanut -CantRemovePaymentVATPaid=Can't remove payment since VAT declaration is classified paid -CantRemovePaymentSalaryPaid=Can't remove payment since salary is classified paid +CantRemovePaymentVATPaid=maksu ei voi poistaa, koska ALV-ilmoitus luokitellaan maksetuksi +CantRemovePaymentSalaryPaid=maksu ei voi poistaa, koska palkka luokitellaan maksetuksi ExpectedToPay=Odotettu maksu -CantRemoveConciliatedPayment=Can't remove reconciled payment +CantRemoveConciliatedPayment=Täsmäytettyä maksu ei voi poistaa PayedByThisPayment=Maksanut tämän maksun -ClosePaidInvoicesAutomatically=Classify automatically all standard, down payment or replacement invoices as "Paid" when payment is done entirely. -ClosePaidCreditNotesAutomatically=Classify automatically all credit notes as "Paid" when refund is done entirely. -ClosePaidContributionsAutomatically=Classify automatically all social or fiscal contributions as "Paid" when payment is done entirely. -ClosePaidVATAutomatically=Classify automatically VAT declaration as "Paid" when payment is done entirely. -ClosePaidSalaryAutomatically=Classify automatically salary as "Paid" when payment is done entirely. -AllCompletelyPayedInvoiceWillBeClosed=All invoices with no remainder to pay will be automatically closed with status "Paid". +ClosePaidInvoicesAutomatically=Luokittele automaattisesti kaikki vakio-, osamaksu tai korvaavat laskut "maksetuiksi", kun maksu on tehty kokonaan. +ClosePaidCreditNotesAutomatically=Luokittele automaattisesti kaikki hyvityslaskut "maksetuiksi", kun hyvitys on suoritettu kokonaan. +ClosePaidContributionsAutomatically=Luokittele automaattisesti kaikki sosiaali- tai veromaksut maksuiksi, kun maksu on suoritettu kokonaan. +ClosePaidVATAutomatically=Luokittele ALV-ilmoitus automaattisesti maksetuksi, kun maksu on tehty kokonaan. +ClosePaidSalaryAutomatically=Luokittele palkka automaattisesti maksetuksi, kun maksu on tehty kokonaan. +AllCompletelyPayedInvoiceWillBeClosed=Kaikki laskut, joilla ei ole jäljellä maksettavaa, suljetaan automaattisesti tilalla "Maksettu". ToMakePayment=Maksa ToMakePaymentBack=Takaisin maksu ListOfYourUnpaidInvoices=Luettelo maksamattomista laskuista -NoteListOfYourUnpaidInvoices=Note: This list contains only invoices for third parties you are linked to as a sale representative. -RevenueStamp=Tax stamp -YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party -YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party -YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) -PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template -PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +NoteListOfYourUnpaidInvoices=Huomautus: Tämä luettelo sisältää vain laskut kolmansille osapuolille, joihin olet liitetty myyntiedustajana. +RevenueStamp=vero leima +YouMustCreateInvoiceFromThird=Tämä vaihtoehto on käytettävissä vain luotaessa laskua kolmannen osapuolen "Asiakas"-välilehdeltä +YouMustCreateInvoiceFromSupplierThird=Tämä vaihtoehto on käytettävissä vain, kun luot laskun kolmannen osapuolen välilehdeltä "Toimittaja" +YouMustCreateStandardInvoiceFirstDesc=Sinun on luo vakiolasku ja muutettava se malliksi luo /span> uusi laskupohja +PDFCrabeDescription=Laskun PDF-malli Crabe. Täydellinen laskumalli (vanha Sponge-mallin toteutus) +PDFSpongeDescription=Laskun PDF-malli Sponge. Täydellinen laskumalli +PDFCrevetteDescription=Lasku PDF-malli Crevette. Täydellinen laskumalli tilannelaskuille +TerreNumRefModelDesc1=Palautusnumero muodossa %syymm-nnnn vakiolaskuille ja b0ecb2ec87f49 yymm-nnnn hyvityslaskuille, joissa yy on vuosi, mm on kuukausi ja nnnn on peräkkäinen automaattisesti kasvava luku ilman taukoa ja > ei paluuta nollaan +MarsNumRefModelDesc1=Palautusnumero muodossa %syymm-nnnn vakiolaskuille, %syymm-nnnn korvaavalle laskulle, %syymm-nnnn osamaksu laskuille jayymm-nnnn hyvityslaskuille, joissa yy on vuosi, mm on kuukausi ja nnnn on peräkkäinen automaattisesti kasvava luku ilman taukoa b0ae6e9e5925a0z /span> ei paluuta arvoon 0 TerreNumRefModelError=A bill alkaen $ syymm jo olemassa, ja ei ole yhteensopiva tämän mallin järjestyksessä. Poistaa sen tai nimetä sen aktivoida tämän moduulin. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -EarlyClosingReason=Early closing reason -EarlyClosingComment=Early closing note +CactusNumRefModelDesc1=Palautusnumero muodossa %syymm-nnnn vakiolaskuille, %syymm-nnnn hyvityslaskuille ja %syymm-nnnn osamaksu laskuille, joissa kuukausi yy on luokka, mm 'notranslate'>ja nnnn on peräkkäinen automaattisesti kasvava luku ilman taukoa ja ei paluuta nollaan +EarlyClosingReason=Syy ennenaikaiseen sulkemiseen +EarlyClosingComment=Varhainen päätöshuomautus ##### Types de contacts ##### TypeContact_facture_internal_SALESREPFOLL=Edustaja seurantaan asiakkaan laskussa TypeContact_facture_external_BILLING=Asiakkaan lasku yhteystiedot TypeContact_facture_external_SHIPPING=Asiakas merenkulku yhteystiedot TypeContact_facture_external_SERVICE=Asiakaspalvelu ottaa yhteyttä -TypeContact_invoice_supplier_internal_SALESREPFOLL=Representative following-up vendor invoice +TypeContact_invoice_supplier_internal_SALESREPFOLL=Edustava seuranta ostolasku TypeContact_invoice_supplier_external_BILLING=Toimittajan laskun kontakti TypeContact_invoice_supplier_external_SHIPPING=Toimittajan toimitus kontakti -TypeContact_invoice_supplier_external_SERVICE=Vendor service contact +TypeContact_invoice_supplier_external_SERVICE=Toimittaja huoltoyhteys # Situation invoices -InvoiceFirstSituationAsk=First situation invoice -InvoiceFirstSituationDesc=The situation invoices are tied to situations related to a progression, for example the progression of a construction. Each situation is tied to an invoice. -InvoiceSituation=Situation invoice -PDFInvoiceSituation=Situation invoice -InvoiceSituationAsk=Invoice following the situation -InvoiceSituationDesc=Create a new situation following an already existing one -SituationAmount=Situation invoice amount(net) -SituationDeduction=Situation subtraction -ModifyAllLines=Modify all lines -CreateNextSituationInvoice=Create next situation -ErrorFindNextSituationInvoice=Error unable to find next situation cycle ref -ErrorOutingSituationInvoiceOnUpdate=Unable to outing this situation invoice. -ErrorOutingSituationInvoiceCreditNote=Unable to outing linked credit note. -NotLastInCycle=This invoice is not the latest in cycle and must not be modified. -DisabledBecauseNotLastInCycle=The next situation already exists. -DisabledBecauseFinal=This situation is final. -situationInvoiceShortcode_AS=AS +InvoiceFirstSituationAsk=Ensimmäisen tilanteen lasku +InvoiceFirstSituationDesc=tilannelaskut on sidottu tilanteisiin, jotka liittyvät etenemiseen, esimerkiksi rakentamisen etenemiseen. Jokainen tilanne on sidottu laskuun. +InvoiceSituation=Tilanne lasku +PDFInvoiceSituation=Tilanne lasku +InvoiceSituationAsk=Lasku tilanteen mukaan +InvoiceSituationDesc=luo uusi tilanne jo olemassa olevan tilanteen jälkeen +SituationAmount=Tilannelaskun summa (netto) +SituationDeduction=Tilanteen vähennys +ModifyAllLines=Muokkaa kaikkia rivejä +CreateNextSituationInvoice=luo seuraava tilanne +ErrorFindNextSituationInvoice=Virhe ei löydy seuraavaa tilannejakson viitettä +ErrorOutingSituationInvoiceOnUpdate=Tilannelaskua ei voi lähettää. +ErrorOutingSituationInvoiceCreditNote=Linkitettyä hyvityslaskua ei voi lähettää. +NotLastInCycle=Tämä lasku ei ole syklin viimeisin ja, jota ei saa muokata. +DisabledBecauseNotLastInCycle=Seuraava tilanne on jo olemassa. +DisabledBecauseFinal=Tämä tilanne on lopullinen. +situationInvoiceShortcode_AS=KUTEN situationInvoiceShortcode_S=SU -CantBeLessThanMinPercent=The progress can't be smaller than its value in the previous situation. -NoSituations=No open situations -InvoiceSituationLast=Final and general invoice -PDFCrevetteSituationNumber=Situation N°%s -PDFCrevetteSituationInvoiceLineDecompte=Situation invoice - COUNT -PDFCrevetteSituationInvoiceTitle=Situation invoice -PDFCrevetteSituationInvoiceLine=Situation N°%s: Inv. N°%s on %s -TotalSituationInvoice=Total situation -invoiceLineProgressError=Invoice line progress can't be greater than or equal to the next invoice line -updatePriceNextInvoiceErrorUpdateline=Error: update price on invoice line: %s -ToCreateARecurringInvoice=To create a recurring invoice for this contract, first create this draft invoice, then convert it into an invoice template and define the frequency for generation of future invoices. -ToCreateARecurringInvoiceGene=To generate future invoices regularly and manually, just go on menu %s - %s - %s. -ToCreateARecurringInvoiceGeneAuto=If you need to have such invoices generated automatically, ask your administrator to enable and setup module %s. Note that both methods (manual and automatic) can be used together with no risk of duplication. +CantBeLessThanMinPercent=Edistyminen ei voi olla pienempi kuin sen arvo edellisessä tilanteessa. +NoSituations=Ei avoimia tilanteita +InvoiceSituationLast=Lopullinen ja yleinen lasku +PDFCrevetteSituationNumber=Tilanne N°%s +PDFCrevetteSituationInvoiceLineDecompte=Tilannelasku - COUNT +PDFCrevetteSituationInvoiceTitle=Tilanne lasku +PDFCrevetteSituationInvoiceLine=Tilanne N°%s: Laskutus N°%s osoitteessa %s +TotalSituationInvoice=Kokonaistilanne +invoiceLineProgressError=Laskun rivin edistyminen ei voi olla suurempi tai yhtä suuri kuin seuraava laskurivi +updatePriceNextInvoiceErrorUpdateline=Virhe: päivitä hinta laskuriville: %s +ToCreateARecurringInvoice=Jos haluat luo tämän sopimuksen toistuvan laskun, luo tämä Luonnos , muunna se sitten laskumalliksi ja määritä tulevien laskujen luontitiheys. +ToCreateARecurringInvoiceGene=Voit luoda tulevat laskut säännöllisesti ja manuaalisesti siirtymällä kohtaan valikko span class='notranslate'>%s - %s - %sb01f65c07 /span>. +ToCreateARecurringInvoiceGeneAuto=Jos sinun on luotava tällaiset laskut automaattisesti, pyydä järjestelmänvalvojaa ottamaan käyttöön ja asennusmoduuli %s. Huomaa, että molempia menetelmiä (manuaalinen ja automaattinen) voidaan käyttää yhdessä ilman päällekkäisyyden vaaraa. DeleteRepeatableInvoice=Poista laskupohja -ConfirmDeleteRepeatableInvoice=Are your sure you want to delete the template invoice? -CreateOneBillByThird=Create one invoice per third party (otherwise, one invoice per selected object) -BillCreated=%s invoice(s) generated -BillXCreated=Invoice %s generated -StatusOfGeneratedDocuments=Status of document generation -DoNotGenerateDoc=Do not generate document file -AutogenerateDoc=Auto generate document file -AutoFillDateFrom=Set start date for service line with invoice date -AutoFillDateFromShort=Set start date -AutoFillDateTo=Set end date for service line with next invoice date -AutoFillDateToShort=Set end date -MaxNumberOfGenerationReached=Max number of gen. reached +ConfirmDeleteRepeatableInvoice=Haluatko varmasti poistaa kohteen laskupohja? +CreateOneBillByThird=luo yksi lasku kolmatta osapuolta kohden (muussa tapauksessa yksi lasku valittua kohdetta kohden) +BillCreated=%s laskua luotu +BillXCreated=Lasku %s luotu +StatusOfGeneratedDocuments=Asiakirjan luomisen tila +DoNotGenerateDoc=Älä luo asiakirjaa tiedosto +AutogenerateDoc=Luo automaattisesti asiakirja tiedosto +AutoFillDateFrom=Aseta aloitus päiväys palveluriville laskulla päiväys +AutoFillDateFromShort=Aseta alku päiväys +AutoFillDateTo=Aseta loppu päiväys palveluriville seuraavalla laskulla päiväys +AutoFillDateToShort=Aseta loppu päiväys +MaxNumberOfGenerationReached=Sukupolvien enimmäismäärä saavuttanut BILL_DELETEInDolibarr=Lasku poistettu -BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted -UnitPriceXQtyLessDiscount=Unit price x Qty - Discount -CustomersInvoicesArea=Customer billing area -SupplierInvoicesArea=Supplier billing area -SituationTotalRayToRest=Remainder to pay without taxe -PDFSituationTitle=Situation n° %d -SituationTotalProgress=Total progress %d %% -SearchUnpaidInvoicesWithDueDate=Search unpaid invoices with a due date = %s -SearchValidatedInvoicesWithDate=Search unpaid invoices with a validation date = %s -NoPaymentAvailable=No payment available for %s -PaymentRegisteredAndInvoiceSetToPaid=Payment registered and invoice %s set to paid -SendEmailsRemindersOnInvoiceDueDate=Send reminder by email for validated and unpaid invoices -MakePaymentAndClassifyPayed=Record payment -BulkPaymentNotPossibleForInvoice=Bulk payment is not possible for invoice %s (bad type or status) -MentionVATDebitOptionIsOn=Option to pay tax based on debits -MentionCategoryOfOperations=Category of operations -MentionCategoryOfOperations0=Delivery of goods -MentionCategoryOfOperations1=Provision of services -MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +BILL_SUPPLIER_DELETEInDolibarr=toimittaja lasku poistettu +UnitPriceXQtyLessDiscount=Yksikköhinta x Kpl - Alennus +CustomersInvoicesArea=Asiakkaan laskutusalue +SupplierInvoicesArea=toimittaja laskutusalue +SituationTotalRayToRest=Loput maksetaan ilman veroja +PDFSituationTitle=Tilannenro %d +SituationTotalProgress=Kokonaisedistyminen %d %% +SearchUnpaidInvoicesWithDueDate=Hae maksamattomia laskuja eräpäivällä päiväys = %s +SearchValidatedInvoicesWithDate=Hae maksamattomia laskuja vahvistuksella päiväys = %s +NoPaymentAvailable=Ei maksu saatavilla haulle %s +PaymentRegisteredAndInvoiceSetToPaid=maksu rekisteröity ja lasku %s asetettu maksetuksi +SendEmailsRemindersOnInvoiceDueDate=Lähetä muistutus sähköpostitse vahvistetuista ja maksamattomista laskuista +MakePaymentAndClassifyPayed=Tietue maksu +BulkPaymentNotPossibleForInvoice=Joukko maksu ei ole mahdollista laskulle %s (huono tyyppi tai tila) +MentionVATDebitOptionIsOn=Mahdollisuus maksaa vero veloitusten perusteella +MentionCategoryOfOperations=Toiminnan luokka +MentionCategoryOfOperations0=toimitus tavaroista +MentionCategoryOfOperations1=Palvelujen tarjoaminen +MentionCategoryOfOperations2=Yhdistelmä - toimitus tavaroista ja palveluista +Salaries=Palkat +InvoiceSubtype=Laskun alatyyppi +SalaryInvoice=Palkka +BillsAndSalaries=Laskut & Palkat +CreateCreditNoteWhenClientInvoiceExists=Tämä vaihtoehto on käytössä vain, kun asiakkaalle on olemassa vahvistettuja laskuja tai kun käytetään vakioa INVOICE_CREDIT_NOTE_STANDALONE (hyödyllinen joissakin maissa) diff --git a/htdocs/langs/fi_FI/blockedlog.lang b/htdocs/langs/fi_FI/blockedlog.lang index 256ef6bd1fa..ae6d0c156d6 100644 --- a/htdocs/langs/fi_FI/blockedlog.lang +++ b/htdocs/langs/fi_FI/blockedlog.lang @@ -1,57 +1,62 @@ -BlockedLog=Unalterable Logs +BlockedLog=Muuttamat lokit Field=Kenttä -BlockedLogDesc=This module tracks some events into an unalterable log (that you can't modify once recorded) into a block chain, in real time. This module provides compatibility with requirements of laws of some countries (like France with the law Finance 2016 - Norme NF525). -Fingerprints=Archived events and fingerprints -FingerprintsDesc=This is the tool to browse or extract the unalterable logs. Unalterable logs are generated and archived locally into a dedicated table, in real time when you record a business event. You can use this tool to export this archive and save it into an external support (some countries, like France, ask that you do it every year). Note that, there is no feature to purge this log and every change tried to be done directly into this log (by a hacker for example) will be reported with a non-valid fingerprint. If you really need to purge this table because you used your application for a demo/test purpose and want to clean your data to start your production, you can ask your reseller or integrator to reset your database (all your data will be removed). -CompanyInitialKey=Company initial key (hash of genesis block) -BrowseBlockedLog=Unalterable logs -ShowAllFingerPrintsMightBeTooLong=Show all archived logs (might be long) -ShowAllFingerPrintsErrorsMightBeTooLong=Show all non-valid archive logs (might be long) -DownloadBlockChain=Download fingerprints -KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists) or has modified checksum of the previous record. -OkCheckFingerprintValidity=Archived log record is valid. The data on this line was not modified and the entry follows the previous one. -OkCheckFingerprintValidityButChainIsKo=Archived log seems valid compared to previous one but the chain was corrupted previously. -AddedByAuthority=Stored into remote authority -NotAddedByAuthorityYet=Not yet stored into remote authority -ShowDetails=Show stored details -logPAYMENT_VARIOUS_CREATE=Payment (not assigned to an invoice) created -logPAYMENT_VARIOUS_MODIFY=Payment (not assigned to an invoice) modified -logPAYMENT_VARIOUS_DELETE=Payment (not assigned to an invoice) logical deletion -logPAYMENT_ADD_TO_BANK=Payment added to bank -logPAYMENT_CUSTOMER_CREATE=Customer payment created -logPAYMENT_CUSTOMER_DELETE=Customer payment logical deletion -logDONATION_PAYMENT_CREATE=Donation payment created -logDONATION_PAYMENT_DELETE=Donation payment logical deletion -logBILL_PAYED=Customer invoice paid -logBILL_UNPAYED=Customer invoice set unpaid +BlockedLogDesc=Tämä moduuli seuraa joitakin tapahtumia muuttumattomaan Loki-muotoon (jota ei voi muokata kerran tallennettuna) lohkoketjuksi reaaliajassa. Tämä moduuli tarjoaa yhteensopivuuden joidenkin maiden lakien (kuten Ranskan Finance 2016 - Norme NF525) lakien kanssa. +Fingerprints=Arkistoidut tapahtumat ja sormenjälkeä +FingerprintsDesc=Tämä on työkalu, jolla voit selata tai purkaa muuttumattomia lokeja. Muuttamattomia lokeja luodaan ja ja ne arkistoidaan paikallisesti omaan taulukkoon reaaliajassa, kun tallennat liiketoimintatapahtuman. Tämän työkalun avulla voit viedä tämän arkiston ja tallentaa sen ulkoiseen tukeen (jotkut maat, kuten Ranska, pyytävät sinua tekemään sen joka vuosi). Huomaa, että ei ole ominaisuutta tämän Loki ja poistamiseen, jokainen muutos yritettiin tehdä suoraan tähän Loki (esimerkiksi hakkerin toimesta) ilmoitetaan kelpaamattomalla sormenjäljellä. Jos sinun on todella tyhjennettävä tämä taulukko, koska käytit sovellustasi esittely-/testaustarkoituksiin ja haluat puhdistaa tietosi tuotannon aloittamiseksi, voit pyytää jälleenmyyjää tai integraattoria nollaa tietokanta (kaikki tietosi poistetaan). +CompanyInitialKey=Yritys aloitusavain (hash of genesis block) +BrowseBlockedLog=Muuttamattomia lokeja +ShowAllFingerPrintsMightBeTooLong=Näytä kaikki arkistoidut lokit (voi olla pitkiä) +ShowAllFingerPrintsErrorsMightBeTooLong=Näytä kaikki virheelliset arkistolokit (voivat olla pitkiä) +DownloadBlockChain=Lataa sormenjäljet +KoCheckFingerprintValidity=Arkistoitu Loki-merkintä ei kelpaa. Se tarkoittaa, että joku (hakkeri?) on muokannut joitakin tämän tietueen tietoja sen tallentamisen jälkeen tai poistanut edellisen arkistoidun tietueen (tarkista, että rivi edellisellä #:llä on olemassa) tai on muuttanut edellisen tietueen tarkistussummaa. +OkCheckFingerprintValidity=Arkistoitu Loki-tietue on kelvollinen. Tämän rivin tietoja ei muutettu ja, merkintä seuraa edellistä. +OkCheckFingerprintValidityButChainIsKo=Arkistoitu Loki näyttää kelvolliselta verrattuna edelliseen, mutta ketju oli vioittunut aiemmin. +AddedByAuthority=Tallennettu etävaltuutukseen +NotAddedByAuthorityYet=Ei vielä tallennettu etävaltuutukseen +ShowDetails=Näytä tallennetut tiedot +BlockedLogBillDownload=Asiakaslaskujen lataus +BlockedLogBillPreview=Asiakaslaskun esikatselu +BlockedlogInfoDialog=Loki Tiedot +ListOfTrackedEvents=Luettelo seuratuista tapahtumista +Fingerprint=Sormenjälki +DownloadLogCSV=Vie arkistoidut lokit (CSV) +logDOC_PREVIEW=Vahvistetun asiakirjan esikatselu tulostamista tai lataamista varten +logDOC_DOWNLOAD=Vahvistetun asiakirjan lataaminen tulostamista tai lähettämistä varten +DataOfArchivedEvent=Täydelliset tiedot arkistoidusta tapahtumasta +ImpossibleToReloadObject=Alkuperäistä objektia (tyyppi %s, tunnus %s) ei ole linkitetty (katso "Täydelliset tiedot" -sarake saadaksesi muuttumattomia tallennettuja tietoja) +BlockedLogAreRequiredByYourCountryLegislation=Maasi lainsäädäntö saattaa edellyttää muuttumattomien lokien moduulia. Tämän moduulin poistaminen käytöstä voi tehdä tulevista tapahtumista mitättömiä ja laillisten ohjelmistojen käytön kannalta, koska niitä ei voi vahvistaa vero<. /span> tarkastus. +BlockedLogActivatedBecauseRequiredByYourCountryLegislation=Muuttamattomat lokit -moduuli otettiin käyttöön maasi lainsäädännön vuoksi. Tämän moduulin poistaminen käytöstä voi tehdä tulevista tapahtumista mitättömiä ja laillisten ohjelmistojen käytön kannalta, koska niitä ei voi vahvistaa vero. span> tarkastus. +BlockedLogDisableNotAllowedForCountry=Luettelo maista, joissa tämän moduulin käyttö on pakollista (että moduulia ei voida poistaa käytöstä virheellisesti, jos maasi on tässä luettelossa, moduulin poistaminen käytöstä ei ole mahdollista muokkaamatta ensin tätä luetteloa. Huomaa myös, että tämän moduulin käyttöönotto/poistaminen käytöstä seurata muuttumatonta Loki). +OnlyNonValid=Ei kelvollinen +TooManyRecordToScanRestrictFilters=Liian monta tietuetta skannattavaksi/analysoitavaksi. Rajoita luettelo rajoittavammilla suodattimilla. +RestrictYearToExport=Rajoita vientiä kuukausi/vuosi +BlockedLogEnabled=Järjestelmä, joka seuraa tapahtumia muuttumattomiin lokeihin, on otettu käyttöön +BlockedLogDisabled=Järjestelmä, joka seuraa tapahtumia muuttumattomiin lokeihin, on poistettu käytöstä, kun tallennus on tehty. Tallensimme erityisen sormenjäljen jäljittääksemme ketjun katkenneeksi +BlockedLogDisabledBis=Järjestelmä, joka seuraa tapahtumia muuttumattomiin lokeihin, on poistettu käytöstä. Tämä on mahdollista, koska tallennusta ei ole vielä tehty. +LinkHasBeenDisabledForPerformancePurpose=Suorituskyvyn vuoksi suoraa linkkiä asiakirjaan ei näytetä sadannen rivin jälkeen. + +## logTypes +logBILL_DELETE=Asiakkaan lasku loogisesti poistettu +logBILL_PAYED=Asiakkaan lasku maksettu +logBILL_SENTBYMAIL=Asiakkaan lasku postitse +logBILL_UNPAYED=Asiakaslasku asetettu maksamatta logBILL_VALIDATE=Validate bill -logBILL_SENTBYMAIL=Customer invoice send by mail -logBILL_DELETE=Customer invoice logically deleted -logMODULE_RESET=Module BlockedLog was disabled -logMODULE_SET=Module BlockedLog was enabled -logDON_VALIDATE=Donation validated -logDON_MODIFY=Donation modified -logDON_DELETE=Donation logical deletion -logMEMBER_SUBSCRIPTION_CREATE=Member subscription created -logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified -logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion -logCASHCONTROL_VALIDATE=Cash desk closing recording -BlockedLogBillDownload=Customer invoice download -BlockedLogBillPreview=Customer invoice preview -BlockedlogInfoDialog=Log Details -ListOfTrackedEvents=List of tracked events -Fingerprint=Fingerprint -DownloadLogCSV=Export archived logs (CSV) -logDOC_PREVIEW=Preview of a validated document in order to print or download -logDOC_DOWNLOAD=Download of a validated document in order to print or send -DataOfArchivedEvent=Full datas of archived event -ImpossibleToReloadObject=Original object (type %s, id %s) not linked (see 'Full datas' column to get unalterable saved data) -BlockedLogAreRequiredByYourCountryLegislation=Unalterable Logs module may be required by the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they can not be validated by a tax audit. -BlockedLogActivatedBecauseRequiredByYourCountryLegislation=Unalterable Logs module was activated because of the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they cannot be validated by a tax audit. -BlockedLogDisableNotAllowedForCountry=List of countries where usage of this module is mandatory (just to prevent to disable the module by error, if your country is in this list, disable of module is not possible without editing this list first. Note also that enabling/disabling this module will keep a track into the unalterable log). -OnlyNonValid=Non-valid -TooManyRecordToScanRestrictFilters=Too many records to scan/analyze. Please restrict list with more restrictive filters. -RestrictYearToExport=Restrict month / year to export -BlockedLogEnabled=System to track events into unalterable logs has been enabled -BlockedLogDisabled=System to track events into unalterable logs has been disabled after some recording were done. We saved a special Fingerprint to track the chain as broken -BlockedLogDisabledBis=System to track events into unalterable logs has been disabled. This is possible because no record were done yet. +logCASHCONTROL_VALIDATE=Käteisvarat työpöydän sulkemisäänitys +logDOC_DOWNLOAD=Vahvistetun asiakirjan lataaminen tulostamista tai lähettämistä varten +logDOC_PREVIEW=Vahvistetun asiakirjan esikatselu tulostamista tai lataamista varten +logDONATION_PAYMENT_CREATE=Lahjoitus maksu luotu +logDONATION_PAYMENT_DELETE=Lahjoitus maksu looginen poisto +logDON_DELETE=Lahjoituksen looginen poisto +logDON_MODIFY=Lahjoitus muutettu +logDON_VALIDATE=Lahjoitus vahvistettu +logMEMBER_SUBSCRIPTION_CREATE=Jäsentilaus luotu +logMEMBER_SUBSCRIPTION_DELETE=Jäsentilauksen looginen poisto +logMEMBER_SUBSCRIPTION_MODIFY=Jäsentilausta muutettu +logMODULE_RESET=Module BlockedLog poistettiin käytöstä +logMODULE_SET=Module BlockedLog oli käytössä +logPAYMENT_ADD_TO_BANK=maksu lisätty pankkiin +logPAYMENT_CUSTOMER_CREATE=Asiakas maksu luotu +logPAYMENT_CUSTOMER_DELETE=Asiakkaan maksu looginen poisto +logPAYMENT_VARIOUS_CREATE=maksu (ei liitetty laskuun) luotu +logPAYMENT_VARIOUS_DELETE=maksu (ei liitetty laskuun) looginen poisto +logPAYMENT_VARIOUS_MODIFY=maksu (ei liitetty laskuun) muokattu diff --git a/htdocs/langs/fi_FI/bookmarks.lang b/htdocs/langs/fi_FI/bookmarks.lang index 71cf75d7328..fb0df595bb3 100644 --- a/htdocs/langs/fi_FI/bookmarks.lang +++ b/htdocs/langs/fi_FI/bookmarks.lang @@ -1,22 +1,24 @@ -# Dolibarr language file - Source file is en_US - marque pages -AddThisPageToBookmarks=Lisää nykyinen sivu kirjanmerkkeihin -Bookmark=Kirjanmerkki -Bookmarks=Kirjanmerkit -ListOfBookmarks=Luetteloosi -EditBookmarks=Luettelo/muokkaa kirjanmerkkejä -NewBookmark=Uusi kirjanmerkki -ShowBookmark=Näytä kirjanmerkki -OpenANewWindow=Open a new tab -ReplaceWindow=Replace current tab -BookmarkTargetNewWindowShort=New tab -BookmarkTargetReplaceWindowShort=Current tab -BookmarkTitle=Bookmark name -UrlOrLink=URL -BehaviourOnClick=Käyttäydy kun kirjanmerkki URL on valittu -CreateBookmark=Luo kirjanmerkki -SetHereATitleForLink=Set a name for the bookmark -UseAnExternalHttpLinkOrRelativeDolibarrLink=Use an external/absolute link (https://externalurl.com) or an internal/relative link (/mypage.php). You can also use phone like tel:0123456. -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Choose if the linked page should open in the current tab or a new tab -BookmarksManagement=Kirjanmerkkien hallinta -BookmarksMenuShortCut=Ctrl + shift + m -NoBookmarks=No bookmarks defined +# Dolibarr language file - Source file is en_US - marque pages / bookmarks + +AddThisPageToBookmarks = Lisää nykyinen sivu kirjanmerkkeihin +BehaviourOnClick = Käyttäytyminen, kun kirjanmerkki URL-osoite on valittu +Bookmark = Kirjanmerkki +Bookmarks = Kirjanmerkit +BookmarkTargetNewWindowShort = Uusi välilehti +BookmarkTargetReplaceWindowShort = Nykyinen välilehti +BookmarkTitle = kirjanmerkki nimi +BookmarksManagement = Kirjanmerkkien hallinta +BookmarksMenuShortCut = Ctrl + vaihto + m +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark = Valitse, avautuuko linkitetty sivu nykyisessä välilehdessä vai uudessa välilehdessä +CreateBookmark = Luo kirjanmerkki +EditBookmarks = Luettelo/muokkaa kirjanmerkkejä +ListOfBookmarks = Luetteloosi +NewBookmark = Uusi kirjanmerkki +NoBookmarkFound = kirjanmerkki ei löytynyt +NoBookmarks = Kirjanmerkkejä ei ole määritetty +OpenANewWindow = Avaa uusi välilehti +ReplaceWindow = Vaihda nykyinen välilehti +SetHereATitleForLink = Aseta nimi kirjanmerkki +ShowBookmark = Näytä kirjanmerkki +UrlOrLink = URL +UseAnExternalHttpLinkOrRelativeDolibarrLink = Käytä ulkoista/absoluuttista linkkiä (https://externalurl.com) tai sisäistä/suhteellista linkkiä (/mypage.php). Voit myös käyttää puhelinta, kuten puh:0123456. diff --git a/htdocs/langs/fi_FI/boxes.lang b/htdocs/langs/fi_FI/boxes.lang index f8b52d40e4a..b0b08609e7f 100644 --- a/htdocs/langs/fi_FI/boxes.lang +++ b/htdocs/langs/fi_FI/boxes.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - boxes -BoxDolibarrStateBoard=Statistics on main business objects in database -BoxLoginInformation=Login Information +BoxDolibarrStateBoard=Tilastot tärkeimmistä liiketoimintaobjekteista kohteessa tietokanta +BoxLoginInformation=kirjautumistiedot BoxLastRssInfos=RSS tiedot BoxLastProducts=Viimeisimmät %sTuotteet/Palvelut BoxProductsAlertStock=Tuotteiden saldohälytykset @@ -18,13 +18,14 @@ BoxLastActions=Viimeisimmät käsittelyt BoxLastContracts=Viimeisimmät sopimukset BoxLastContacts=Viimeisimmät käsitellyt yhteystiedot BoxLastMembers=Viimeisimmät käyttäjät -BoxLastModifiedMembers=Latest modified members -BoxLastMembersSubscriptions=Latest member subscriptions +BoxLastModifiedMembers=Viimeksi muokatut jäsenet +BoxLastMembersSubscriptions=Uusimmat jäsentilaukset BoxFicheInter=Viimeisimmät välitykset BoxCurrentAccounts=Avoimet saatavat yhteensä BoxTitleMemberNextBirthdays=Käyttäjien syntymäpäivät tässä kuussa -BoxTitleMembersByType=Members by type -BoxTitleMembersSubscriptionsByYear=Members Subscriptions by year +BoxTitleMembersByType=Jäsenet tyypin mukaan ja +BoxTitleMembersByTags=Jäsenet tunnisteiden mukaan ja status +BoxTitleMembersSubscriptionsByYear=Jäsenet Liittymät vuosittain BoxTitleLastRssInfos=Viimeisimmät %s uutiset %s BoxTitleLastProducts=Tuotteet/Palvelut: viimeisimmät %s muokatut BoxTitleProductsAlertStock=Tuotteet: saldohälytys @@ -35,86 +36,111 @@ BoxTitleLastCustomersOrProspects=Viimeisimmät %s asiakkaat tai prospektit BoxTitleLastCustomerBills=Viimeisimmät %s muokatut myyntilaskut BoxTitleLastSupplierBills=Viimeisimmät %s muokatut ostolaskut BoxTitleLastModifiedProspects=Prospektit: viimeisimmät %s muokatut -BoxTitleLastModifiedMembers=Latest %s members -BoxTitleLastFicheInter=Latest %s modified interventions +BoxTitleLastModifiedMembers=Uusimmat %s jäsenet +BoxTitleLastFicheInter=Viimeisimmät %s muokatut toimenpiteet BoxTitleOldestUnpaidCustomerBills=Asiakaslaskut: vanhimmat %s maksamattomat -BoxTitleOldestUnpaidSupplierBills=Vendor Invoices: oldest %s unpaid +BoxTitleOldestUnpaidSupplierBills=Toimittaja Laskut: vanhin %s maksamaton BoxTitleCurrentAccounts=Avoimet asiakkaittain BoxTitleSupplierOrdersAwaitingReception=Saavutusta odottavat tilaukset BoxTitleLastModifiedContacts=Kontaktit/Osoitteet: viimeisimmät %s muokatut -BoxMyLastBookmarks=Bookmarks: latest %s +BoxMyLastBookmarks=Kirjanmerkit: uusin %s BoxOldestExpiredServices=Vanhimat aktiiviset päättyneet palvelut -BoxLastExpiredServices=Latest %s oldest contacts with active expired services -BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s contracts which were modified -BoxTitleLastModifiedDonations=Latest %s donations which were modified -BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified -BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified -BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified -BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded +BoxOldestActions=Vanhimmat tapahtumat +BoxLastExpiredServices=Viimeisimmät %s vanhin yhteyshenkilö, joilla on aktiiviset vanhentuneet palvelut +BoxTitleLastActionsToDo=Viimeisimmät %s toiminnot +BoxTitleOldestActionsToDo=Vanhimmat %s tehtävät tapahtumat, joita ei ole suoritettu +BoxTitleFutureActions=Seuraavat %s tulevat tapahtumat +BoxTitleLastContracts=Viimeisimmät %s sopimukset, joita on muokattu +BoxTitleLastModifiedDonations=Viimeisimmät %s lahjoitukset, joita on muokattu +BoxTitleLastModifiedExpenses=Uusimmat %s kuluraportit, joita muokattiin +BoxTitleLatestModifiedBoms=Uusimmat %s tuoteluettelot, joita on muokattu +BoxTitleLatestModifiedMos=Viimeisimmät %s valmistustilaukset, joita on muokattu +BoxTitleLastOutstandingBillReached=asiakkaat, maksimi erääntynyt ylitetty BoxGlobalActivity=Yleisaktiviteetit (laskut, ehdotukset, tilaukset) BoxGoodCustomers=Hyvät asiakkaat BoxTitleGoodCustomers=%s Hyvät asiakkaat BoxScheduledJobs=Ajastetut työt -BoxTitleFunnelOfProspection=Lead funnel -FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s -LastRefreshDate=Latest refresh date +BoxTitleFunnelOfProspection=Lyijysuppilo +FailedToRefreshDataInfoNotUpToDate=RSS-vuon päivittäminen epäonnistui. Viimeisin onnistunut päivitys päiväys: %s +LastRefreshDate=Viimeisin päivitys päiväys NoRecordedBookmarks=Kirjanmerkkejä ei ole määritelty. ClickToAdd=Klikkaa tästä lisätäksesi. NoRecordedCustomers=Ei tallennettuja asiakkaita NoRecordedContacts=Ei tallennettuja yhteystietoja NoActionsToDo=Ei tehtäviä toimenpiteitä -NoRecordedOrders=No recorded sales orders +NoRecordedOrders=Ei kirjattuja myyntitilauksia NoRecordedProposals=Ei tallennettuja ehdotuksia -NoRecordedInvoices=No recorded customer invoices -NoUnpaidCustomerBills=No unpaid customer invoices -NoUnpaidSupplierBills=No unpaid vendor invoices -NoModifiedSupplierBills=No recorded vendor invoices +NoRecordedInvoices=Ei kirjattuja asiakaslaskuja +NoUnpaidCustomerBills=Ei maksamattomia asiakaslaskuja +NoUnpaidSupplierBills=Ei maksamattomia Toimittaja laskuja +NoModifiedSupplierBills=Ei tallennettuja Toimittaja laskuja NoRecordedProducts=Ei tallennettuja tuotteita/palveluita NoRecordedProspects=Ei talennettuja mahdollisuuksia NoContractedProducts=Ei tuotteita/palveluita sopimuksissa NoRecordedContracts=Ei tallennetuja sopimuksia NoRecordedInterventions=Ei tallennettuja väliintuloja -BoxLatestSupplierOrders=Latest purchase orders -BoxLatestSupplierOrdersAwaitingReception=Latest Purchase Orders (with a pending reception) -NoSupplierOrder=No recorded purchase order +BoxLatestSupplierOrders=Viimeisimmät Hankinta tilaukset +BoxLatestSupplierOrdersAwaitingReception=Viimeisimmät Hankinta tilaukset (jonka vastaanotto odottaa) +NoSupplierOrder=Ei tallennettua Hankinta tilausta BoxCustomersInvoicesPerMonth=Myyntilaskut per kk BoxSuppliersInvoicesPerMonth=Ostolaskut per kk BoxCustomersOrdersPerMonth=Myyntitilaukset per kk -BoxSuppliersOrdersPerMonth=Vendor Orders per month +BoxSuppliersOrdersPerMonth=Toimittaja Tilaukset kuukaudessa BoxProposalsPerMonth=Mahdollisuutta kuukausittain -NoTooLowStockProducts=No products are under the low stock limit -BoxProductDistribution=Products/Services Distribution -ForObject=On %s -BoxTitleLastModifiedSupplierBills=Vendor Invoices: last %s modified -BoxTitleLatestModifiedSupplierOrders=Vendor Orders: last %s modified -BoxTitleLastModifiedCustomerBills=Customer Invoices: last %s modified -BoxTitleLastModifiedCustomerOrders=Sales Orders: last %s modified +NoTooLowStockProducts=Yksikään tuotteet ei ole varastorajan alapuolella +BoxProductDistribution=tuotteet/Palvelujen jakelu +ForObject=%s +BoxTitleLastModifiedSupplierBills=Toimittaja Laskut: viimeisin %s muokattu +BoxTitleLatestModifiedSupplierOrders=Toimittaja Tilaukset: viimeisin %s muokattu +BoxTitleLastModifiedCustomerBills=Asiakaslaskut: %s viimeksi muokattu +BoxTitleLastModifiedCustomerOrders=Myyntitilaukset: viimeksi %s muokattu BoxTitleLastModifiedPropals=Viimeisimmät %s muokatut tarjoukset -BoxTitleLatestModifiedJobPositions=Latest %s modified job positions -BoxTitleLatestModifiedCandidatures=Latest %s modified job applications +BoxTitleLatestModifiedJobPositions=Viimeisimmät %s muokatut työpaikat +BoxTitleLatestModifiedCandidatures=Viimeisimmät %s muokatut työhakemukset ForCustomersInvoices=Asiakkaiden laskut ForCustomersOrders=Asiakkaiden tilaukset ForProposals=Ehdotukset -LastXMonthRolling=The latest %s month rolling +LastXMonthRolling=Viimeisin %s kuukausi ChooseBoxToAdd=Lisää dashboardiin BoxAdded=Lisätty dashboardiin -BoxTitleUserBirthdaysOfMonth=Birthdays of this month (users) -BoxLastManualEntries=Latest record in accountancy entered manually or without source document -BoxTitleLastManualEntries=%s latest record entered manually or without source document -NoRecordedManualEntries=No manual entries record in accountancy -BoxSuspenseAccount=Count accountancy operation with suspense account -BoxTitleSuspenseAccount=Number of unallocated lines -NumberOfLinesInSuspenseAccount=Number of line in suspense account -SuspenseAccountNotDefined=Suspense account isn't defined +BoxTitleUserBirthdaysOfMonth=Tämän kuun syntymäpäivät (käyttäjät) +BoxLastManualEntries=Viimeisin tietue kirjanpidosta syötettynä manuaalisesti tai ilman lähdeasiakirjaa +BoxTitleLastManualEntries=%s viimeisin tietue syötetty manuaalisesti tai ilman lähdeasiakirjaa +NoRecordedManualEntries=Kirjanpidossa ei kirjata manuaalisia kirjauksia +BoxSuspenseAccount=Laske kirjanpitotoiminto väliaikaistilillä +BoxTitleSuspenseAccount=Kohdistamattomien rivien määrä +NumberOfLinesInSuspenseAccount=Rivin määrä jännitystilillä +SuspenseAccountNotDefined=Jännitystiliä ei ole määritetty BoxLastCustomerShipments=Viimeisimmät asiakastoimitukset -BoxTitleLastCustomerShipments=Latest %s customer shipments -NoRecordedShipments=No recorded customer shipment -BoxCustomersOutstandingBillReached=Customers with oustanding limit reached +BoxTitleLastCustomerShipments=Viimeisimmät %s asiakaslähetykset +BoxTitleLastLeaveRequests=Viimeisimmät %s muokatut lomapyynnöt +NoRecordedShipments=Ei kirjattua asiakaslähetystä +BoxCustomersOutstandingBillReached=asiakkaat, erääntynyt raja saavutettu # Pages -UsersHome=Home users and groups -MembersHome=Home Membership -ThirdpartiesHome=Home Thirdparties -TicketsHome=Home Tickets -AccountancyHome=Home Accountancy -ValidatedProjects=Validated projects +UsersHome=Kotikäyttäjien ja ryhmät +MembersHome=Kotijäsenyys +ThirdpartiesHome=Etusivu Kolmannet osapuolet +productindex=Etusivu tuotteet ja palvelut +mrpindex=Koti MRP +commercialindex=Kotimainen mainos +projectsindex=Etusivu Projektit +invoiceindex=Kotilaskut +hrmindex=Kotilaskut +TicketsHome=Kotiin Liput +stockindex=Kodin osakkeet +sendingindex=Toimitukset kotiin +receptionindex=Kotiintulot +activityindex=Kotitoimintaa +proposalindex=Etusivu tarjous +ordersindex=Asunnon myyntitilaukset +orderssuppliersindex=Etusivu Hankinta tilaukset +contractindex=Kotisopimukset +interventionindex=Kotitoimenpiteet +suppliersproposalsindex=Etusivu Toimittajat ehdotukset +donationindex=Kotilahjoituksia +specialexpensesindex=Kodin erikoiskulut +expensereportindex=Kodin kuluraportti +mailingindex=Postitus kotiin +opensurveyindex=Kodin avoin kysely +AccountancyHome=Kotikirjanpito +ValidatedProjects=Vahvistettu Projektit diff --git a/htdocs/langs/fi_FI/cashdesk.lang b/htdocs/langs/fi_FI/cashdesk.lang index e0716377c08..0f31e02ad68 100644 --- a/htdocs/langs/fi_FI/cashdesk.lang +++ b/htdocs/langs/fi_FI/cashdesk.lang @@ -16,7 +16,7 @@ AddThisArticle=Lisää tämä artikkeli RestartSelling=Mene takaisin myydä SellFinished=Myynti valmis PrintTicket=Tulosta lippu -SendTicket=Send ticket +SendTicket=Lähetä lippu NoProductFound=Ei artikkeli löydetty ProductFound=Tuote löytyy NoArticle=Ei artikkeli @@ -31,117 +31,125 @@ ShowCompany=Näytä yrityksen ShowStock=Näytä varasto DeleteArticle=Poista napsauttamalla tämän artikkelin FilterRefOrLabelOrBC=Etsi (Viite/Otsikko) -UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. +UserNeedPermissionToEditStockToUsePos=Pyydät vähentää varastoa laskun luomiseen, joten myyntipistettä käyttävällä käyttäjällä on oltava lupa muokata varastoa. DolibarrReceiptPrinter=Dolibarr kuittitulostin PointOfSale=Kassapääte PointOfSaleShort=POS -CloseBill=Close Bill -Floors=Floors -Floor=Floor -AddTable=Add table -Place=Place -TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) -NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser -SearchProduct=Search product +CloseBill=Sulje Bill +Floors=Lattiat +Floor=Lattia +AddTable=Lisää taulukko +Place=Paikka +TakeposConnectorNecesary=TakePOS Connector vaaditaan +OrderPrinters=Lisää painike tilauksen lähettämiseksi joillekin tulostimille ilman maksu (esimerkiksi tilauksen lähettäminen keittiöön) +NotAvailableWithBrowserPrinter=Ei käytettävissä, kun kuittitulostin on asetettu selaimeen +SearchProduct=Hae tuotetta Receipt=Kuitti -Header=Header -Footer=Footer -AmountAtEndOfPeriod=Amount at end of period (day, month or year) -TheoricalAmount=Theorical amount -RealAmount=Real amount -CashFence=Cash box closing -CashFenceDone=Cash box closing done for the period +Header=Otsikko +Footer=Alatunniste +AmountAtEndOfPeriod=Summa kauden lopussa (päivä, kuukausi tai vuosi) +TheoricalAmount=Teoreettinen määrä +RealAmount=Todellinen määrä +CashFence=Käteisvarat laatikko sulkeutuu +CashFenceDone=Käteisvarat laatikko suljettiin kaudelle NbOfInvoices=Nb laskuista -Paymentnumpad=Type of Pad to enter payment -Numberspad=Numbers Pad -BillsCoinsPad=Coins and banknotes Pad -DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work -TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work -OrderNotes=Can add some notes to each ordered items -CashDeskBankAccountFor=Default account to use for payments in -NoPaimementModesDefined=No paiment mode defined in TakePOS configuration -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts -EnableBarOrRestaurantFeatures=Enable features for Bar or Restaurant -ConfirmDeletionOfThisPOSSale=Do your confirm the deletion of this current sale ? -ConfirmDiscardOfThisPOSSale=Do you want to discard this current sale ? +Paymentnumpad=Syötettävän näppäimistön tyyppi maksu +Numberspad=Numeronäppäimistö +BillsCoinsPad=Kolikot ja setelit +DolistorePosCategory=TakePOS-moduulit ja muita Dolibarrin kassaratkaisuja +TakeposNeedsCategories=TakePOS tarvitsee toimiakseen vähintään yhden tuoteluokan +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS tarvitsee vähintään yhden tuoteluokan luokassa %s to tehdä työtä +OrderNotes=Voidaan lisätä muistiinpanoja jokaiseen tilaukseen +CashDeskBankAccountFor=oletus tili, jota käytetään maksuihin +NoPaimementModesDefined=TakePOS-määrityksessä ei ole määritetty maksutilaa +TicketVatGrouped=ryhmä ALV lippujen|kuittien mukaan +AutoPrintTickets=Tulosta automaattisesti liput|kuitit +PrintCustomerOnReceipts=Tulosta asiakas lippuihin|kuitteihin +EnableBarOrRestaurantFeatures=Ota ominaisuudet käyttöön baarissa tai ravintolassa +ConfirmDeletionOfThisPOSSale=Vahvistatko tämän nykyisen myynnin poistamisen? +ConfirmDiscardOfThisPOSSale=Haluatko hylätä tämän nykyisen alennusmyynnin? History=Historia -ValidateAndClose=Validate and close -Terminal=Terminal -NumberOfTerminals=Number of Terminals -TerminalSelect=Select terminal you want to use: -POSTicket=POS Ticket -POSTerminal=POS Terminal -POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones -SetupOfTerminalNotComplete=Setup of terminal %s is not complete -DirectPayment=Direct payment -DirectPaymentButton=Add a "Direct cash payment" button -InvoiceIsAlreadyValidated=Invoice is already validated -NoLinesToBill=No lines to bill -CustomReceipt=Custom Receipt -ReceiptName=Receipt Name -ProductSupplements=Manage supplements of products -SupplementCategory=Supplement category -ColorTheme=Color theme -Colorful=Colorful -HeadBar=Head Bar -SortProductField=Field for sorting products +ValidateAndClose=Vahvista ja sulje +Terminal=Terminaali +NumberOfTerminals=Terminaalien määrä +TerminalSelect=Valitse pääte, jota haluat käyttää: +POSTicket=POS-lippu +POSTerminal=Kassapääte +POSModule=POS-moduuli +BasicPhoneLayout=Vaihda puhelimissa POS minimaalisella asettelulla (vain tilaukset, ei laskun luomista, ei kuittien tulostamista) +SetupOfTerminalNotComplete=Päätteen %s asennus ei ole valmis +DirectPayment=Suora maksu +DirectPaymentButton=Lisää "Suora Käteisvarat maksu" -painike +InvoiceIsAlreadyValidated=Lasku on jo vahvistettu +NoLinesToBill=Ei laskutettavia rivejä +CustomReceipt=Mukautettu kuitti +ReceiptName=Kuitin nimi +ProductSupplements=Hallinnoi tuotteet lisäyksiä +SupplementCategory=Täydennysluokka +ColorTheme=Väri teema +Colorful=Värikäs +HeadBar=Pääpalkki +SortProductField=Kenttä lajitteluun tuotteet Browser=Selain -BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. -PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad -CashDeskRefNumberingModules=Numbering module for POS sales -CashDeskGenericMaskCodes6 =
      {TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -SaleStartedAt=Sale started at %s -ControlCashOpening=Open the "Control cash box" popup when opening the POS -CloseCashFence=Close cash box control -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use -BarRestaurant=Bar Restaurant -AutoOrder=Order by the customer himself +BrowserMethodDescription=Yksinkertainen ja helppo kuittitulostus. Vain muutama parametri kuitin määrittämiseen. Tulosta selaimen kautta. +TakeposConnectorMethodDescription=Ulkoinen moduuli lisäominaisuuksilla. Mahdollisuus tulostaa pilvestä. +PrintMethod=Tulostusmenetelmä +ReceiptPrinterMethodDescription=Tehokas menetelmä, jossa on paljon parametreja. Täysin muokattavissa malleilla. Sovellusta isännöivä palvelin ei voi olla pilvessä (täytyy tavoittaa verkossasi olevat tulostimet). +ByTerminal=Terminaalin kautta +TakeposNumpadUsePaymentIcon=Käytä kuvaketta tekstin sijaan numeronäppäimistön maksu painikkeissa +CashDeskRefNumberingModules=Numerointimoduuli POS-myyntiin +CashDeskGenericMaskCodes6 =
      {TN}b09f47f8 span> -tunnistetta käytetään terminaalin numeron lisäämiseen +TakeposGroupSameProduct=Yhdistä saman tuotteet rivit +StartAParallelSale=Aloita uusi rinnakkaismyynti +SaleStartedAt=Alennusmyynti alkoi %s +ControlCashOpening=Avaa "Control Käteisvarat" -ponnahdusikkuna, kun avaat myyntipisteen +CloseCashFence=Sulje Käteisvarat-ruudun ohjaus +CashReport=Käteisvarat raportti +MainPrinterToUse=Käytettävä päätulostin +OrderPrinterToUse=Tilaa tulostin käytettäväksi +MainTemplateToUse=Tärkein käytettävä malli +OrderTemplateToUse=Tilausmalli käytettäväksi +BarRestaurant=Baari Ravintola +AutoOrder=Tilauksen tekee asiakas itse RestaurantMenu=Valikko -CustomerMenu=Customer menu -ScanToMenu=Scan QR code to see the menu -ScanToOrder=Scan QR code to order -Appearance=Appearance -HideCategoryImages=Hide Category Images -HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show -DefineTablePlan=Define tables plan -GiftReceiptButton=Add a "Gift receipt" button -GiftReceipt=Gift receipt -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first -AllowDelayedPayment=Allow delayed payment -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts -WeighingScale=Weighing scale -ShowPriceHT = Display the column with the price excluding tax (on screen) -ShowPriceHTOnReceipt = Display the column with the price excluding tax (on the receipt) -CustomerDisplay=Customer display -SplitSale=Split sale -PrintWithoutDetailsButton=Add "Print without details" button -PrintWithoutDetailsLabelDefault=Line label by default on printing without details -PrintWithoutDetails=Print without details -YearNotDefined=Year is not defined -TakeposBarcodeRuleToInsertProduct=Barcode rule to insert product -TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      -AlreadyPrinted=Already printed -HideCategories=Hide categories -HideStockOnLine=Hide stock on line -ShowOnlyProductInStock=Show the products in stock -ShowCategoryDescription=Show category description -ShowProductReference=Show reference of products -UsePriceHT=Use price excl. taxes and not price incl. taxes -TerminalName=Terminal %s -TerminalNameDesc=Terminal name +CustomerMenu=Asiakas valikko +ScanToMenu=Skannaa QR-koodi nähdäksesi valikko +ScanToOrder=Skannaa QR-koodi tilataksesi +Appearance=Ulkomuoto +HideCategoryImages=Piilota luokkakuvat +HideProductImages=Piilota tuotekuvat +NumberOfLinesToShow=Peukalokuvissa näytettävää tekstiä enintään rivimäärä +DefineTablePlan=Määritä taulukkosuunnitelma +GiftReceiptButton=Lisää "Lahjakuitti" -painike +GiftReceipt=Lahjakuitti +ModuleReceiptPrinterMustBeEnabled=Moduulikuittitulostimen on oltava ensin käytössä +AllowDelayedPayment=Salli viivästynyt maksu +PrintPaymentMethodOnReceipts=Tulosta maksu -menetelmä lippuihin|kuitteihin +WeighingScale=Vaaka +ShowPriceHT = Näytä sarake, jossa on hinta ilman vero (näytöllä) +ShowPriceHTOnReceipt = Näytä sarake, jossa on hinta ilman vero (kuitissa) +CustomerDisplay=Asiakkaan näyttö +SplitSale=Jaettu myynti +PrintWithoutDetailsButton=Lisää "Tulosta ilman tietoja" -painike +PrintWithoutDetailsLabelDefault=Viivatarra, kirjoittaja oletus tulostuksessa ilman yksityiskohtia +PrintWithoutDetails=Tulosta ilman yksityiskohtia +YearNotDefined=Vuotta ei ole määritelty +TakeposBarcodeRuleToInsertProduct=viivakoodi sääntö tuotteen lisäämiseksi +TakeposBarcodeRuleToInsertProductDesc=Sääntö tuoteviitteen ja määrän poimimiseksi skannatusta viivakoodi.
      Jos tyhjä ( oletus arvo), sovellus käyttää koko viivakoodi skannattua tuotetta löytääkseen tuotteen.

      Jos on määritetty, syntaksin on oltava:
      ref:NB+qu:NB+qd :NB+other:NB
      jossa NB on merkkien määrä tietojen poimimiseen skannatusta viivakoodi
      ja:
      refb7b7f8 : tuoteviite
      qu : määrä asetettava milloin lisäämällä nimike (yksiköt)
      qd : määrä asettaa kun kohteen lisääminen (desimaalit)
      muu: muut merkit +AlreadyPrinted=Jo painettu +HideCategories=Piilota koko luokkavalintaosio +HideStockOnLine=Piilota varasto verkossa +ShowOnlyProductInStock=Näytä vain varastossa oleva tuotteet +ShowCategoryDescription=Näytä luokkien kuvaus +ShowProductReference=Näytä viite tai tunniste tuotteet +UsePriceHT=Käytä hinta ilman Verot ja ei sis. hintaa Verot hintaa muutettaessa +TerminalName=Pääte %s +TerminalNameDesc=Päätteen nimi +DefaultPOSThirdLabel=TakePOS-yleinen asiakas +DefaultPOSCatLabel=Myyntipiste (POS) tuotteet +DefaultPOSProductLabel=Tuoteesimerkki TakePOS:lle +TakeposNeedsPayment=TakePOS tarvitsee maksu-menetelmän toimiakseen, haluatko luo maksu > menetelmä 'Käteisvarat'? +LineDiscount=Linja-alennus +LineDiscountShort=Linjalevy. +InvoiceDiscount=Laskun alennus +InvoiceDiscountShort=Laskulevy. diff --git a/htdocs/langs/fi_FI/categories.lang b/htdocs/langs/fi_FI/categories.lang index 6d62abf8707..2225d2ff2af 100644 --- a/htdocs/langs/fi_FI/categories.lang +++ b/htdocs/langs/fi_FI/categories.lang @@ -1,100 +1,106 @@ # Dolibarr language file - Source file is en_US - categories -Rubrique=Tag/Category +Rubrique=Tunniste/luokka Rubriques=Merkit/Kategoriat -RubriquesTransactions=Tags/Categories of transactions -categories=tags/categories -NoCategoryYet=No tag/category of this type has been created +RubriquesTransactions=Tunnisteet/tapahtumien luokat +categories=tunnisteet/luokat +NoCategoryYet=Tämän tyyppistä tunnistetta/luokkaa ei ole luotu In=Sisällä AddIn=Lisää modify=muuttaa Classify=Luokittele -CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Product/Service tags/categories area -SuppliersCategoriesArea=Vendor tags/categories area -CustomersCategoriesArea=Customer tags/categories area -MembersCategoriesArea=Member tags/categories area -ContactsCategoriesArea=Contact tags/categories area -AccountsCategoriesArea=Bank account tags/categories area -ProjectsCategoriesArea=Project tags/categories area -UsersCategoriesArea=User tags/categories area -SubCats=Sub-categories -CatList=List of tags/categories -CatListAll=List of tags/categories (all types) -NewCategory=New tag/category -ModifCat=Modify tag/category -CatCreated=Tag/category created -CreateCat=Create tag/category -CreateThisCat=Create this tag/category +CategoriesArea=Tunnisteet/luokat-alue +ProductsCategoriesArea=Tuote-/palvelutunnisteet/luokat-alue +SuppliersCategoriesArea=Toimittaja tagit/kategoriat-alue +CustomersCategoriesArea=Asiakastunnisteet/kategoriat-alue +MembersCategoriesArea=Jäsentunnisteet/kategoriat-alue +ContactsCategoriesArea=Yhteystiedot tagit/kategoriat-alue +AccountsCategoriesArea=pankkitili tunnisteet/luokat-alue +ProjectsCategoriesArea=Projektitunnisteet/kategoriat-alue +UsersCategoriesArea=Käyttäjätunnisteet/luokat-alue +SubCats=Alaluokat +CatList=Luettelo tunnisteista/kategorioista +CatListAll=Luettelo tunnisteista/luokista (kaikki tyypit) +NewCategory=Uusi tunniste/luokka +ModifCat=Muokkaa tunnistetta/luokkaa +CatCreated=Tunniste/luokka luotu +CreateCat=luo tunniste/luokka +CreateThisCat=luo tämä tunniste/luokka NoSubCat=N: o alaluokka. SubCatOf=Alaluokat -FoundCats=Found tags/categories -ImpossibleAddCat=Impossible to add the tag/category %s +FoundCats=Tunnisteita/kategorioita löytyi +ImpossibleAddCat=Tunnistetta/luokkaa %s ei voi lisätä WasAddedSuccessfully= %s on lisätty onnistuneesti. -ObjectAlreadyLinkedToCategory=Element is already linked to this tag/category. -ProductIsInCategories=Product/service is linked to following tags/categories -CompanyIsInCustomersCategories=This third party is linked to following customers/prospects tags/categories -CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories -MemberIsInCategories=This member is linked to following members tags/categories -ContactIsInCategories=This contact is linked to following contacts tags/categories -ProductHasNoCategory=This product/service is not in any tags/categories -CompanyHasNoCategory=This third party is not in any tags/categories -MemberHasNoCategory=This member is not in any tags/categories -ContactHasNoCategory=This contact is not in any tags/categories -ProjectHasNoCategory=This project is not in any tags/categories -ClassifyInCategory=Add to tag/category -NotCategorized=Without tag/category +ObjectAlreadyLinkedToCategory=Elementti on jo linkitetty tähän tunnisteeseen/luokkaan. +ProductIsInCategories=Tuote/palvelu on linkitetty seuraaviin tunnisteisiin/kategorioihin +CompanyIsInCustomersCategories=Tämä kolmas osapuoli on linkitetty seuraaviin asiakkaat/prospects tageihin/kategorioihin +CompanyIsInSuppliersCategories=Tämä kolmas osapuoli on linkitetty seuraaviin toimittajien tunnisteisiin/kategorioihin +MemberIsInCategories=Tämä jäsen on linkitetty seuraaviin jäsenten tunnisteisiin/kategorioihin +ContactIsInCategories=Tämä yhteystieto on linkitetty seuraaviin yhteystietotunnisteisiin/kategorioihin +ProductHasNoCategory=Tämä tuote/palvelu ei ole missään tagissa/kategoriassa +CompanyHasNoCategory=Tämä kolmas osapuoli ei ole missään tagissa/luokassa +MemberHasNoCategory=Tämä jäsen ei ole missään tagissa/kategoriassa +ContactHasNoCategory=Tämä yhteystieto ei ole missään tagissa/luokassa +ProjectHasNoCategory=Tämä projekti ei ole missään tagissa/kategoriassa +ClassifyInCategory=Lisää tunnisteeseen/luokkaan +RemoveCategory=Poista luokka +NotCategorized=Ilman tunnistetta/kategoriaa CategoryExistsAtSameLevel=Tämä luokka on jo olemassa samassa paikassa ContentsVisibleByAllShort=Sisällys näkyviin kaikki ContentsNotVisibleByAllShort=Sisältö ei näy kaikissa -DeleteCategory=Delete tag/category -ConfirmDeleteCategory=Are you sure you want to delete this tag/category? -NoCategoriesDefined=No tag/category defined -SuppliersCategoryShort=Vendors tag/category -CustomersCategoryShort=Customers tag/category -ProductsCategoryShort=Products tag/category -MembersCategoryShort=Members tag/category -SuppliersCategoriesShort=Vendors tags/categories -CustomersCategoriesShort=Customers tags/categories -ProspectsCategoriesShort=Prospects tags/categories -CustomersProspectsCategoriesShort=Cust./Prosp. tags/categories -ProductsCategoriesShort=Products tags/categories -MembersCategoriesShort=Members tags/categories -ContactCategoriesShort=Contacts tags/categories -AccountsCategoriesShort=Accounts tags/categories -ProjectsCategoriesShort=Projects tags/categories -UsersCategoriesShort=Users tags/categories -StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoItems=This category does not contain any items. -CategId=Tag/category id -ParentCategory=Parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories -CatProdList=List of products tags/categories -CatMemberList=List of members tags/categories -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories -CatCusLinks=Links between customers/prospects and tags/categories -CatContactsLinks=Links between contacts/addresses and tags/categories -CatProdLinks=Links between products/services and tags/categories -CatMembersLinks=Links between members and tags/categories -CatProjectsLinks=Links between projects and tags/categories -CatUsersLinks=Links between users and tags/categories -DeleteFromCat=Remove from tags/category +DeleteCategory=Poista tunniste/luokka +ConfirmDeleteCategory=Haluatko varmasti poistaa tämän tunnisteen/luokan? +NoCategoriesDefined=Tunnistetta/luokkaa ei ole määritetty +SuppliersCategoryShort=Myyjän tunniste/luokka +CustomersCategoryShort=asiakkaat tunniste/luokka +ProductsCategoryShort=tuotteet tunniste/luokka +MembersCategoryShort=Jäsentunniste/luokka +SuppliersCategoriesShort=Myyjien tunnisteet/luokat +CustomersCategoriesShort=asiakkaat tunnistetta/luokkaa +ProspectsCategoriesShort=Prospektin tunnisteet/luokat +CustomersProspectsCategoriesShort=Cust./Prosp. tunnisteet/luokat +ProductsCategoriesShort=tuotteet tunnistetta/luokkaa +MembersCategoriesShort=Jäsenet tunnisteet/kategoriat +ContactCategoriesShort=Yhteystietojen tunnisteet/luokat +AccountsCategoriesShort=Tilien tunnisteet/luokat +ProjectsCategoriesShort=Projektit tunnistetta/luokkaa +UsersCategoriesShort=Käyttäjien tunnisteet/luokat +StockCategoriesShort=Varastotunnisteet/kategoriat +ThisCategoryHasNoItems=Tämä kategoria ei sisällä kohteita. +CategId=Tagin/luokan tunnus +ParentCategory=Päätunniste/luokka +ParentCategoryID=Ylätunnisteen/luokan tunnus +ParentCategoryLabel=Ylätunnisteen/luokan tunniste +CatSupList=Luettelo toimittajien tunnisteista/luokista +CatCusList=Luettelo asiakkaat/prospects-tageista/kategorioista +CatProdList=Luettelo tuotteet tunnisteista/luokista +CatMemberList=Lista jäsenten tunnisteista/kategorioista +CatContactList=Luettelo yhteystietotunnisteista/luokista +CatProjectsList=Luettelo Projektit tunnisteista/luokista +CatUsersList=Luettelo käyttäjien tunnisteista/kategorioista +CatSupLinks=Linkit toimittajien ja tunnisteiden/kategorioiden välillä +CatCusLinks=Linkit asiakkaat/prospects ja -tunnisteiden/kategorioiden välillä +CatContactsLinks=Yhteystietojen/osoitteiden väliset linkit ja tagit/kategoriat +CatProdLinks=Linkit tuotteet/services ja tagien/kategorioiden välillä +CatMembersLinks=Linkit jäsenten välillä ja tags/categories +CatProjectsLinks=Linkit Projektit ja -tunnisteiden/kategorioiden välillä +CatUsersLinks=Linkit käyttäjien ja tunnisteiden/kategorioiden välillä +DeleteFromCat=Poista tunnisteista/kategoriasta ExtraFieldsCategories=Täydentävät ominaisuudet -CategoriesSetup=Tags/categories setup -CategorieRecursiv=Link with parent tag/category automatically -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. -AddProductServiceIntoCategory=Add the following product/service -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier -ShowCategory=Show tag/category -ByDefaultInList=By default in list -ChooseCategory=Choose category -StocksCategoriesArea=Warehouse Categories -ActionCommCategoriesArea=Event Categories -WebsitePagesCategoriesArea=Page-Container Categories -KnowledgemanagementsCategoriesArea=KM article Categories -UseOrOperatorForCategories=Use 'OR' operator for categories +CategoriesSetup=Tunnisteiden/luokkien asetukset +CategorieRecursiv=Linkitä ylätunnisteeseen/luokkaan automaattisesti +CategorieRecursivHelp=Jos vaihtoehto on päällä, kun lisäät objektin alaluokkaan, objekti lisätään myös pääluokkiin. +AddProductServiceIntoCategory=Määritä tuotteelle/palvelulle luokka +AddCustomerIntoCategory=Määritä asiakkaalle luokka +AddSupplierIntoCategory=Määritä luokka kohteelle toimittaja +AssignCategoryTo=Määritä luokka +ShowCategory=Näytä tunniste/luokka +ByDefaultInList=Tekijä oletus luettelossa +ChooseCategory=Valitse kategoria +StocksCategoriesArea=Varaston luokat +TicketsCategoriesArea=Lippujen luokat +ActionCommCategoriesArea=Tapahtumaluokat +WebsitePagesCategoriesArea=Sivusäilön luokat +KnowledgemanagementsCategoriesArea=KM-artikkeliluokat +UseOrOperatorForCategories=Käytä luokkiin OR-operaattoria +AddObjectIntoCategory=Määritä luokkaan +Position=Sijainti diff --git a/htdocs/langs/fi_FI/commercial.lang b/htdocs/langs/fi_FI/commercial.lang index f74d521d26b..7c6a204c2be 100644 --- a/htdocs/langs/fi_FI/commercial.lang +++ b/htdocs/langs/fi_FI/commercial.lang @@ -64,26 +64,30 @@ ActionAC_SHIP=Lähetä toimitus postitse ActionAC_SUP_ORD=Lähetä toimittajan tilaus postitse ActionAC_SUP_INV=Lähetä toimittajan lasku postitse ActionAC_OTH=Muut -ActionAC_OTH_AUTO=Other auto -ActionAC_MANUAL=Events inserted manually (by a user) -ActionAC_AUTO=Events inserted automatically +ActionAC_OTH_AUTO=Muu auto +ActionAC_MANUAL=Manuaalisesti lisätyt tapahtumat (käyttäjän toimesta) +ActionAC_AUTO=Tapahtumat lisätään automaattisesti ActionAC_OTH_AUTOShort=Muu -ActionAC_EVENTORGANIZATION=Event organization events +ActionAC_EVENTORGANIZATION=Tapahtuman järjestelytapahtumat Stats=Myyntitilastot StatusProsp=Mahdollisuuden tila DraftPropals=Tarjousluonnos NoLimit=Rajoittamaton ToOfferALinkForOnlineSignature=Linkki sähköiseen allekirjoitukseen WelcomeOnOnlineSignaturePageProposal=Tällä sivulla voit hyväksyä %s tarjoukset -WelcomeOnOnlineSignaturePageContract=Welcome to %s Contract PDF Signing Page -WelcomeOnOnlineSignaturePageFichinter=Welcome to %s Intervention PDF Signing Page +WelcomeOnOnlineSignaturePageContract=Tervetuloa %s sopimuksen PDF-allekirjoitussivulle +WelcomeOnOnlineSignaturePageFichinter=Tervetuloa %s Intervention PDF -allekirjoitussivulle +WelcomeOnOnlineSignaturePageSociete_rib=Tervetuloa %s SEPA-valtuutuksen PDF-allekirjoitussivulle ThisScreenAllowsYouToSignDocFromProposal=Tämä näyttö sallii sinun hyväksyvän ja allekirjoittavan, tai hylkäävän, lainauksen/tarjouspyynnön -ThisScreenAllowsYouToSignDocFromContract=This screen allow you to sign contract on PDF format online. -ThisScreenAllowsYouToSignDocFromFichinter=This screen allow you to sign intervention on PDF format online. +ThisScreenAllowsYouToSignDocFromContract=Tämän näytön avulla voit allekirjoittaa sopimuksen PDF-muodossa verkossa. +ThisScreenAllowsYouToSignDocFromFichinter=Tämän näytön avulla voit allekirjoittaa interventio PDF-muodossa verkossa. +ThisScreenAllowsYouToSignDocFromSociete_rib=Tällä näytöllä voit allekirjoittaa SEPA-valtuutuksen PDF-muodossa verkossa. ThisIsInformationOnDocumentToSignProposal=Tämä on informaatiota dokumentistä hyväksymiseksi tai hylkäämiseksi -ThisIsInformationOnDocumentToSignContract=This is information on contract to sign -ThisIsInformationOnDocumentToSignFichinter=This is information on intervention to sign +ThisIsInformationOnDocumentToSignContract=Tämä on tiedot allekirjoitettavasta sopimuksesta +ThisIsInformationOnDocumentToSignFichinter=Tämä on tietoa interventiosta allekirjoitettavana +ThisIsInformationOnDocumentToSignSociete_rib=Tämä on allekirjoitettavaa SEPA-mandaattia koskevaa tietoa SignatureProposalRef=Tarjouksen %s allekirjoitus -SignatureContractRef=Signature of contract %s -SignatureFichinterRef=Signature of intervention %s +SignatureContractRef=Sopimuksen allekirjoitus %s +SignatureFichinterRef=Toimenpiteen allekirjoitus %s +SignatureSociete_ribRef=SEPA-valtuutuksen allekirjoitus %s FeatureOnlineSignDisabled=Sähköinen allekirjoitus on poissa käytöstä tai dokumentti on luotu ennen sen käyttöönottoa diff --git a/htdocs/langs/fi_FI/companies.lang b/htdocs/langs/fi_FI/companies.lang index 0af1c6388aa..12790e11285 100644 --- a/htdocs/langs/fi_FI/companies.lang +++ b/htdocs/langs/fi_FI/companies.lang @@ -1,4 +1,6 @@ # Dolibarr language file - Source file is en_US - companies +newSocieteAdded=Yhteystietosi on tallennettu. Palaamme sinuun pian... +ContactUsDesc=Tällä lomakkeella voit lähettää meille viestin ensimmäistä yhteydenottoa varten. ErrorCompanyNameAlreadyExists=Yrityksen nimi %s on jo olemassa. Valitse toinen. ErrorSetACountryFirst=Aseta ensin maa SelectThirdParty=Valitse sidosryhmä @@ -46,7 +48,7 @@ ParentCompany=Emoyhtiö Subsidiaries=Tytäryhtiöt ReportByMonth=Raportti kuukausittain ReportByCustomers=Raportti asiakkaittain -ReportByThirdparties=Raportti sidosryhmittäin +ReportByThirdparties=Raportti kolmannen osapuolen mukaan ReportByQuarter=Raportti tuloksittain CivilityCode=Siviilisääty RegisteredOffice=Kotipaikka @@ -117,12 +119,20 @@ ProfId3Short=Prof id 3 ProfId4Short=Prof id 4 ProfId5Short=Prof id 5 ProfId6Short=Prof. id 6 +ProfId7Short=Professori tunnus 7 +ProfId8Short=Professori tunnus 8 +ProfId9Short=Professori tunnus 9 +ProfId10Short=Professori tunnus 10 ProfId1=Professional-tunnuksen 1 ProfId2=Professional-tunnuksen 2 ProfId3=Professional-tunnuksen 3 ProfId4=Professional-tunnuksen 4 ProfId5=Ammatillinen tunnus 5 ProfId6=Ammatillinen tunnus 6 +ProfId7=Ammattitunnus 7 +ProfId8=Ammattitunnus 8 +ProfId9=Ammattitunnus 9 +ProfId10=Ammattilainen tunnus 10 ProfId1AR=Prof Id 1 (CUIL) ProfId2AR=Prof Id 2 (revenu brutes) ProfId3AR=- @@ -167,14 +177,14 @@ ProfId5CL=- ProfId6CL=- ProfId1CM=Id. prof. 1 (Kaupparekisteri) ProfId2CM=Id. prof. 2 (Veronumero) -ProfId3CM=Id. prof. 3 (No. of Creation decree) -ProfId4CM=Id. prof. 4 (No. of Deposit certificate) +ProfId3CM=Id. prof. 3 (luomisasetuksen nro) +ProfId4CM=Id. prof. 4 (talletustodistuksen numero) ProfId5CM=Id. prof. 5 (Muut) ProfId6CM=- ProfId1ShortCM=Kaupparekisteri ProfId2ShortCM=Veronumero -ProfId3ShortCM=No. of Creation decree -ProfId4ShortCM=No. of Deposit certificate +ProfId3ShortCM=Luomisasetuksen nro +ProfId4ShortCM=Talletustodistuksen numero ProfId5ShortCM=Muut ProfId6ShortCM=- ProfId1CO=Professori Id 1 (RUT) @@ -201,12 +211,20 @@ ProfId3FR=Prof Id 3 (NAF, vanha APE) ProfId4FR=Prof Id 4 (RCS / RM) ProfId5FR=Prof Id 5 (EORI-numero) ProfId6FR=- +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- ProfId1ShortFR=SIREN (Ranska) ProfId2ShortFR=SIRET (Ranska) ProfId3ShortFR=NAF ProfId4ShortFR=RCS ProfId5ShortFR=EORI ProfId6ShortFR=- +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- ProfId1GB=Prof Id 1 (Registration Number) ProfId2GB=- ProfId3GB=Prof Id 3 (SIC) @@ -245,7 +263,7 @@ ProfId5MA=Id prof. 5 (I.C.E.) ProfId6MA=- ProfId1MX=Professori Id 1 (RFC). ProfId2MX=Professori Id 2 (R. P. IMSS) -ProfId3MX=Professori Id 3 (Profesional peruskirja) +ProfId3MX=Prof Id 3 (ammatillinen peruskirja) ProfId4MX=- ProfId5MX=- ProfId6MX=- @@ -298,7 +316,7 @@ ProfId4UA=Prof Id 4 (Sertifikaatti) ProfId5UA=Prof Id 5 (RNOKPP) ProfId6UA=Prof Id 6 (TRDPAU) ProfId1DZ=RC -ProfId2DZ=Art. +ProfId2DZ=Taide. ProfId3DZ=NIF ProfId4DZ=NIS VATIntra=ALV-numero @@ -387,7 +405,7 @@ EditCompany=Muokkaa yritystä ThisUserIsNot=Tämä ei ole prospekti, asiakas tai toimittaja VATIntraCheck=Tarkista VATIntraCheckDesc=ALV-tunnuksen täytyy sisältää maatunnus. Linkki %s käyttää European VAT checker service (VIES)  - palvelua ja tarvii internet-yhteyden Dolibarr-palvelimeen -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation VATIntraCheckableOnEUSite=Tarkasta ALV-tunnus E.U: n sivuilta VATIntraManualCheck=Voit myös tarkistaa itse Euroopan komission verkkosivuilta %s ErrorVATCheckMS_UNAVAILABLE=Tarkistaminen ei mahdollista. Jäsenvaltio ei toimita tarkastuspalvelua ( %s). @@ -475,7 +493,7 @@ CurrentOutstandingBill=Avoin lasku OutstandingBill=Avointen laskujen enimmäismäärä OutstandingBillReached=Avointen laskujen enimmäismäärä saavutettu OrderMinAmount=Vähimmäistilausmäärä -MonkeyNumRefModelDesc=Palauta numero formaatissa %syymm-nnnn asiakaskoodille ja %syymm-nnnn toimittajakoodille, missä yy on vuosi, mm on kuukausi ja nnnn on automaattisesti luotu numero ilman välilyöntejä ja ilman 0 lukua. +MonkeyNumRefModelDesc=Palauta numero muodossa %syymm-nnnn asiakaskoodille ja b0ecb2ec87f49fez span>yymm-nnnn Toimittaja-koodille, jossa yy on vuosi, mm on kuukausi ja nnnn on peräkkäinen automaattisesti kasvava numero ilman taukoa ja ei paluuta nollaan. LeopardNumRefModelDesc=Asiakas / toimittaja-koodi on maksuton. Tämä koodi voidaan muuttaa milloin tahansa. ManagingDirectors=Johtajien nimet (TJ, johtaja, päällikkö...) MergeOriginThirdparty=Monista sidosryhmä (sidosryhmä jonka haluat poistaa) @@ -500,7 +518,7 @@ InEEC=Eurooppa (ETA) RestOfEurope=Muu Eurooppa (ETA) OutOfEurope=Ei-Eurooppa (ETA) CurrentOutstandingBillLate=Avoin lasku myöhässä -BecarefullChangeThirdpartyBeforeAddProductToInvoice=Varoitus, riippuen tuotteiden hinta asetuksista, sinun tulisi vaihtaa sidosryhmä ennen tuotteen lisäämistä POS alle. +BecarefullChangeThirdpartyBeforeAddProductToInvoice=Ole varovainen, tuotteen hinta-asetuksista riippuen sinun tulee vaihtaa kolmatta osapuolta ennen tuotteen lisäämistä myyntipisteeseen. EmailAlreadyExistsPleaseRewriteYourCompanyName=sähköposti löytyy jo, kirjoita yrityksen nimi TwoRecordsOfCompanyName=yksi tai useampi tieto löytyy yrityksestä, ole hyvä ota ota yhteyttä meihin viimeistellääksesi yhteistyöpyyntönne CompanySection=Yritysosio @@ -508,3 +526,5 @@ ShowSocialNetworks=Näytä sosiaaliset HideSocialNetworks=Piilota sosiaaliset ExternalSystemID=Ulkoinen järjestelmä ID IDOfPaymentInAnExternalSystem=ID Ulkoiseen maksujärjestelmään (esim. Stripe, Paypal, ...) +AADEWebserviceCredentials=AADE-verkkopalvelun tunnistetiedot +ThirdPartyMustBeACustomerToCreateBANOnStripe=Kolmannen osapuolen on oltava asiakas voidakseen luoda pankkitietonsa Stripe-puolella diff --git a/htdocs/langs/fi_FI/compta.lang b/htdocs/langs/fi_FI/compta.lang index 114f267f00e..0b4c813a205 100644 --- a/htdocs/langs/fi_FI/compta.lang +++ b/htdocs/langs/fi_FI/compta.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - compta MenuFinancial=Laskutus | maksu TaxModuleSetupToModifyRules=Määritä laskentasäännöt Verojen moduulin määrittämiseen -TaxModuleSetupToModifyRulesLT=Go to Company setup to modify rules for calculation +TaxModuleSetupToModifyRulesLT=Siirry kohtaan Yritysasetukset ja muokkaa laskentasääntöjä OptionMode=Vaihtoehto kirjanpitotietojen OptionModeTrue=Vaihtoehto Panos-tuotos OptionModeVirtual=Vaihtoehto Credits-Debits @@ -9,9 +9,9 @@ OptionModeTrueDesc=Tässä yhteydessä, että liikevaihto on laskettu yli maksut OptionModeVirtualDesc=Tässä yhteydessä, että liikevaihto on laskettava laskuista (päivämäärä validointi). Kun nämä laskut maksetaan, onko ne maksettu vai ei, ne on mainittu liikevaihto tuotos. FeatureIsSupportedInInOutModeOnly=Ominaisuus saatavilla vain CREDITS-VELAT kirjanpitotietojen tilassa (Katso kirjanpidon moduulin määritykset) VATReportBuildWithOptionDefinedInModule=Määrät kuvassa on laskettu määrittelemien sääntöjen Tax moduuli setup. -LTReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Company setup. +LTReportBuildWithOptionDefinedInModule=Tässä näkyvät summat on laskettu Yritys määrittämien sääntöjen mukaan. Param=Setup -RemainingAmountPayment=Amount payment remaining: +RemainingAmountPayment=Määrä maksu jäljellä: Account=Tili Accountparent=Päätili Accountsparent=Päätilit @@ -20,205 +20,206 @@ Outcome=Kulu MenuReportInOut=Tulot / tulokset ReportInOut=Tulojen ja menojen saldo ReportTurnover=Laskutettu liikevaihto -ReportTurnoverCollected=Turnover collected +ReportTurnoverCollected=Liikevaihto kerätty PaymentsNotLinkedToInvoice=Maksut eivät ole sidoksissa mihinkään lasku, joten ei liity mihinkään kolmannen osapuolen PaymentsNotLinkedToUser=Maksut eivät ole sidoksissa mihinkään käyttäjä Profit=Voitto -AccountingResult=Accounting result -BalanceBefore=Balance (before) +AccountingResult=Kirjanpito tulos +BalanceBefore=saldo (ennen) Balance=Saldo Debit=Debet Credit=Credit AccountingDebit=Debet AccountingCredit=Credit -Piece=Accounting Doc. +Piece=Kirjanpito Asiakirja. AmountHTVATRealReceived=HT kerätty AmountHTVATRealPaid=HT maksetaan -VATToPay=Tax sales +VATToPay=vero myynti VATReceived=Vastaanotettu vero VATToCollect=Ostojen vero -VATSummary=Tax monthly +VATSummary=vero kuukausittain VATBalance=Verotase VATPaid=Maksettu vero -LT1Summary=Tax 2 summary -LT2Summary=Tax 3 summary -LT1SummaryES=RE Balance +LT1Summary=vero 2 yhteenveto +LT2Summary=vero 3 yhteenveto +LT1SummaryES=RE saldo LT2SummaryES=IRPF Balance -LT1SummaryIN=CGST Balance -LT2SummaryIN=SGST Balance -LT1Paid=Tax 2 paid -LT2Paid=Tax 3 paid -LT1PaidES=RE Paid +LT1SummaryIN=CGST saldo +LT2SummaryIN=SGST saldo +LT1Paid=vero 2 maksettu +LT2Paid=vero 3 maksettu +LT1PaidES=RE maksettu LT2PaidES=IRPF Maksettu -LT1PaidIN=CGST Paid -LT2PaidIN=SGST Paid -LT1Customer=Tax 2 sales -LT1Supplier=Tax 2 purchases -LT1CustomerES=RE sales -LT1SupplierES=RE purchases -LT1CustomerIN=CGST sales -LT1SupplierIN=CGST purchases -LT2Customer=Tax 3 sales -LT2Supplier=Tax 3 purchases +LT1PaidIN=CGST maksettu +LT2PaidIN=SGST maksettu +LT1Customer=vero 2 myyntiä +LT1Supplier=vero 2 ostosta +LT1CustomerES=RE myynti +LT1SupplierES=RE-ostokset +LT1CustomerIN=CGST myynti +LT1SupplierIN=CGST-ostokset +LT2Customer=vero 3 myyntiä +LT2Supplier=vero 3 ostosta LT2CustomerES=IRPF myynti LT2SupplierES=IRPF ostot -LT2CustomerIN=SGST sales -LT2SupplierIN=SGST purchases +LT2CustomerIN=SGST myynti +LT2SupplierIN=SGST-ostokset VATCollected=Alv StatusToPay=Maksaa -SpecialExpensesArea=Area for all special payments -VATExpensesArea=Area for all TVA payments -SocialContribution=Social or fiscal tax -SocialContributions=Social or fiscal taxes -SocialContributionsDeductibles=Deductible social or fiscal taxes -SocialContributionsNondeductibles=Nondeductible social or fiscal taxes -DateOfSocialContribution=Date of social or fiscal tax -LabelContrib=Label contribution -TypeContrib=Type contribution +SpecialExpensesArea=Alue kaikille erityismaksuille +VATExpensesArea=Alue kaikille TVA-maksuille +SocialContribution=Sosiaalinen tai verotus vero +SocialContributions=Sosiaalinen tai verotus Verot +SocialContributionsDeductibles=Vähennettävä sosiaalinen tai verotus Verot +SocialContributionsNondeductibles=Vähennyskelvoton sosiaalinen tai verotus Verot +DateOfSocialContribution=päiväys sosiaalisista tai verotuksellisista vero +LabelContrib=Merkin panos +TypeContrib=Kirjoita panos MenuSpecialExpenses=Erityismenot (Verot, sosiaaliturvamaksut ja osingot) MenuTaxAndDividends=Veroja ja osinkoja -MenuSocialContributions=Social/fiscal taxes -MenuNewSocialContribution=New social/fiscal tax -NewSocialContribution=New social/fiscal tax -AddSocialContribution=Add social/fiscal tax -ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accounting area -InvoicesArea=Billing and payment area +MenuSocialContributions=Sosiaalinen / verotus Verot +MenuNewSocialContribution=Uusi sosiaalinen/fiskaalinen vero +NewSocialContribution=Uusi sosiaalinen/fiskaalinen vero +AddSocialContribution=Lisää sosiaalinen/taloudellinen vero +ContributionsToPay=Sosiaalinen / verotus Verot maksaa +AccountancyTreasuryArea=Kirjanpito alue +InvoicesArea=Laskutusalue ja maksu NewPayment=Uusi maksu PaymentCustomerInvoice=Asiakas laskun maksu -PaymentSupplierInvoice=vendor invoice payment +PaymentSupplierInvoice=ostolasku maksu PaymentSocialContribution=Social/fiscal veron maksu PaymentVat=ALV-maksu -AutomaticCreationPayment=Automatically record the payment +AutomaticCreationPayment=Tallenna automaattisesti maksu ListPayment=Luettelo maksut ListOfCustomerPayments=Luettelo asiakkaan maksut -ListOfSupplierPayments=List of vendor payments -DateStartPeriod=Date start period -DateEndPeriod=Date end period -newLT1Payment=New tax 2 payment -newLT2Payment=New tax 3 payment -LT1Payment=Tax 2 payment -LT1Payments=Tax 2 payments -LT2Payment=Tax 3 payment -LT2Payments=Tax 3 payments -newLT1PaymentES=New RE payment +ListOfSupplierPayments=Luettelo Toimittaja maksuista +DateStartPeriod=päiväys aloitusjakso +DateEndPeriod=päiväys lopetusjakso +newLT1Payment=Uusi vero 2 maksu +newLT2Payment=Uusi vero 3 maksu +LT1Payment=vero 2 maksu +LT1Payments=vero 2 maksua +LT2Payment=vero 3 maksu +LT2Payments=vero 3 maksua +newLT1PaymentES=Uusi RE maksu newLT2PaymentES=Uusi IRPF maksu -LT1PaymentES=RE Payment -LT1PaymentsES=RE Payments +LT1PaymentES=RE maksu +LT1PaymentsES=RE maksut LT2PaymentES=IRPF Maksu LT2PaymentsES=IRPF maksut -VATPayment=Sales tax payment -VATPayments=Sales tax payments -VATDeclarations=VAT declarations -VATDeclaration=VAT declaration -VATRefund=Sales tax refund -NewVATPayment=New sales tax payment -NewLocalTaxPayment=New tax %s payment -Refund=Refund -SocialContributionsPayments=Social/fiscal taxes payments +VATPayment=Myynti vero maksu +VATPayments=vero myyntimaksut +VATDeclarations=ALV-ilmoitukset +VATDeclaration=ALV-ilmoitus +VATRefund=Myynnin vero hyvitys +NewVATPayment=Uusi myynti vero maksu +NewLocalTaxPayment=Uusi vero %s maksu +Refund=Maksun palautus +SocialContributionsPayments=Verot sosiaaliset/fiskaaliset maksut ShowVatPayment=Näytä arvonlisäveron maksaminen TotalToPay=Yhteensä maksaa -BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters) -CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=Vendor accounting code -CustomerAccountancyCodeShort=Cust. account. code -SupplierAccountancyCodeShort=Sup. account. code +BalanceVisibilityDependsOnSortAndFilters=saldo näkyy tässä luettelossa vain, jos taulukko on lajiteltu %s ja suodatettu: 1 pankkitili (ei muita suodattimia) +CustomerAccountancyCode=Asiakkaan Kirjanpito koodi +SupplierAccountancyCode=Toimittaja Kirjanpito koodi +CustomerAccountancyCodeShort=Cust. tili. koodi +SupplierAccountancyCodeShort=Sup. tili. koodi AccountNumber=Tilinumero NewAccountingAccount=Uusi tili Turnover=Laskutettu liikevaihto -TurnoverCollected=Turnover collected -SalesTurnoverMinimum=Minimum turnover -ByExpenseIncome=By expenses & incomes +TurnoverCollected=Liikevaihto kerätty +SalesTurnoverMinimum=Minimi liikevaihto +ByExpenseIncome=Kulujen ja tulojen mukaan ByThirdParties=Bu kolmansien osapuolten ByUserAuthorOfInvoice=Laskulla tekijä CheckReceipt=Talletuslomake CheckReceiptShort=Talletuslomake -LastCheckReceiptShort=Latest %s deposit slips -LastPaymentForDepositShort=Latest %s %s deposit slips +LastCheckReceiptShort=Viimeisimmät %s talletuskuitit +LastPaymentForDepositShort=Uusimmat %s %s talletuskuitit NewCheckReceipt=Uusi edullisista -NewCheckDeposit=New deposit slip +NewCheckDeposit=Uusi talletuskuitti NewCheckDepositOn=Uusi tarkistaa talletuksen huomioon: %s -NoWaitingChecks=No checks awaiting deposit. -NoWaitingPaymentForDeposit=No %s payment awaiting deposit. -DateChequeReceived=Check receiving date -DatePaymentReceived=Date of document reception -NbOfCheques=No. of checks -PaySocialContribution=Pay a social/fiscal tax -PayVAT=Pay a VAT declaration -PaySalary=Pay a salary card -ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid ? -ConfirmPayVAT=Are you sure you want to classify this VAT declaration as paid ? -ConfirmPaySalary=Are you sure you want to classify this salary card as paid? -DeleteSocialContribution=Delete a social or fiscal tax payment -DeleteVAT=Delete a VAT declaration -DeleteSalary=Delete a salary card -DeleteVariousPayment=Delete a various payment -ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment ? -ConfirmDeleteVAT=Are you sure you want to delete this VAT declaration ? -ConfirmDeleteSalary=Are you sure you want to delete this salary ? -ConfirmDeleteVariousPayment=Are you sure you want to delete this various payment ? -ExportDataset_tax_1=Social and fiscal taxes and payments -CalcModeVATDebt=Mode %sVAT on commitment accounting%s. -CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s. -CalcModeDebt=Analysis of known recorded documents -CalcModeEngagement=Analysis of known recorded payments -CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table. -CalcModeNoBookKeeping=Even if they are not yet accounted in Ledger -CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s -CalcModeLT1Debt=Mode %sRE on customer invoices%s -CalcModeLT1Rec= Mode %sRE on suppliers invoices%s -CalcModeLT2= Mode %sIRPF on customer invoices - suppliers invoices%s -CalcModeLT2Debt=Mode %sIRPF on customer invoices%s -CalcModeLT2Rec= Mode %sIRPF on suppliers invoices%s -AnnualSummaryDueDebtMode=Balance of income and expenses, annual summary -AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary -AnnualByCompanies=Balance of income and expenses, by predefined groups of account -AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting. -AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting. -SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger -SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger -SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table -RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included -RulesAmountWithTaxExcluded=- Amounts of invoices shown are with all taxes excluded -RulesResultDue=- It includes all invoices, expenses, VAT, donations, salaries, whether they are paid or not.
      - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries, the date of end of period is used. -RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries.
      - It is based on the payment dates of the invoices, expenses, VAT, donations and salaries. -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
      - It is based on the billing date of these invoices.
      -RulesCAIn=- It includes all the effective payments of invoices received from customers.
      - It is based on the payment date of these invoices
      -RulesCATotalSaleJournal=It includes all credit lines from the Sale journal. -RulesSalesTurnoverOfIncomeAccounts=It includes (credit - debit) of lines for product accounts in group INCOME -RulesAmountOnInOutBookkeepingRecord=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" -RulesResultBookkeepingPredefined=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" -RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting accounts grouped by personalized groups -SeePageForSetup=See menu %s for setup -DepositsAreNotIncluded=- Down payment invoices are not included -DepositsAreIncluded=- Down payment invoices are included -LT1ReportByMonth=Tax 2 report by month -LT2ReportByMonth=Tax 3 report by month -LT1ReportByCustomers=Report tax 2 by third party -LT2ReportByCustomers=Report tax 3 by third party -LT1ReportByCustomersES=Report by third party RE +NoWaitingChecks=Ei shekkejä odottamassa talletusta. +NoWaitingPaymentForDeposit=Ei %s maksu odottamassa talletusta. +DateChequeReceived=Tarkista vastaanottava päiväys +DatePaymentReceived=päiväys asiakirjan vastaanotosta +NbOfCheques=Sekkien määrä +PaySocialContribution=Maksa sosiaali-/veromaksu vero +PayVAT=Maksa arvonlisäveroilmoitus +PaySalary=Maksa palkkakortti +ConfirmPaySocialContribution=Haluatko varmasti luokitella tämän sosiaalisen tai verotuksen vero maksulliseksi ? +ConfirmPayVAT=Haluatko varmasti luokitella tämän ALV-ilmoituksen maksetuksi? +ConfirmPaySalary=Haluatko varmasti luokitella tämän palkkakortin maksetuksi? +DeleteSocialContribution=Poista sosiaalinen tai verotus vero maksu +DeleteVAT=Poista arvonlisäveroilmoitus +DeleteSalary=Poista palkkakortti +DeleteVariousPayment=Poista eri maksu +ConfirmDeleteSocialContribution=Haluatko varmasti poistaa tämän sosiaalisen/fiskaalisen vero maksu ? +ConfirmDeleteVAT=Haluatko varmasti poistaa tämän ALV-ilmoituksen? +ConfirmDeleteSalary=Haluatko varmasti poistaa tämän palkan? +ConfirmDeleteVariousPayment=Haluatko varmasti poistaa tämän maksu ? +ExportDataset_tax_1=Sosiaalinen ja verotus Verot ja +CalcModeVATDebt=Tila %sSitoumuskirjanpidon ALV%s. +CalcModeVATEngagement=Tila %stulojen ja kulujen ALV%s. +CalcModeDebt=Tunnettujen tallennettujen asiakirjojen analyysi +CalcModeEngagement=Tunnettujen kirjattujen maksujen analyysi +CalcModePayment=Tunnettujen kirjattujen maksujen analyysi +CalcModeBookkeeping=Kirjanpitorekisteritaulukkoon kirjattujen tietojen analyysi. +CalcModeNoBookKeeping=Vaikka niitä ei vielä ole kirjattu Ledgeriin +CalcModeLT1= Tila %sRE asiakaslaskuissa – Toimittajat class= laskut 'notranslate'>%s
      +CalcModeLT1Debt=Tila %sRE asiakaslaskuissa%s +CalcModeLT1Rec= Tila %sRE Toimittajat laskuissa%s +CalcModeLT2= Tila %sIRPF asiakaslaskuissa – Toimittajat class= laskut 'notranslate'>%s
      +CalcModeLT2Debt=Tila %sIRPF asiakaslaskuissa%s +CalcModeLT2Rec= Tila %sIRPF Toimittajat laskuissa%s +AnnualSummaryDueDebtMode=saldo tuloista ja kuluista, vuosiyhteenveto +AnnualSummaryInputOutputMode=saldo tuloista ja kuluista, vuosiyhteenveto +AnnualByCompanies=saldo tuloista ja kuluista ennalta määritettyjen tiliryhmien mukaan +AnnualByCompaniesDueDebtMode=saldo tuloista ja kuluista, yksityiskohtaiset tiedot ennalta määritettyjen ryhmien mukaan, tila span class='notranslate'>%sClaims-Debts%s sanoi %sTulot ja kulut%s
      sanoi päiväys. +RulesResultInOut=- Se sisältää todelliset laskut, kulut, arvonlisäveron ja palkat.
      – Se perustuu maksu päivämäärät laskuihin, kuluihin , ALV, lahjoitukset ja palkat. +RulesCADue=- Se sisältää asiakkaan erääntyneet laskut riippumatta siitä, onko ne maksettu vai ei.
      – Se perustuu näiden laskujen päiväys laskutukseen.
      +RulesCAIn=- Se sisältää kaikki osoitteesta asiakkaat saatujen laskujen maksut.
      - Se perustuu maksu päiväys näistä laskuista
      +RulesCATotalSaleJournal=Se sisältää kaikki myyntipäiväkirjan luottorajat. +RulesSalesTurnoverOfIncomeAccounts=Se sisältää (hyvitys-veloitus) tuotetilien rivejä kohdassa ryhmä TULOT +RulesAmountOnInOutBookkeepingRecord=Se sisältää Reskontrasi tietueen kirjanpitotilit, jossa on ryhmä "KULUT" tai "TULO" +RulesResultBookkeepingPredefined=Se sisältää Reskontrasi tietueen kirjanpitotilit, jossa on ryhmä "KULUT" tai "TULO" +RulesResultBookkeepingPersonalized=Se näyttää kirjanpidossasi tietueen kirjanpitotilit ryhmiteltynä henkilökohtaisten ryhmien mukaanb09a4b739f17f8 +SeePageForSetup=Katso valikko %sb0c0e470 /span> määritystä varten +DepositsAreNotIncluded=- osamaksu laskut eivät sisälly +DepositsAreIncluded=- osamaksu laskut sisältyvät +LT1ReportByMonth=vero 2 raportti kuukausittain +LT2ReportByMonth=vero 3 raportti kuukausittain +LT1ReportByCustomers=Kolmannen osapuolen ilmoitus vero 2 +LT2ReportByCustomers=Kolmannen osapuolen ilmoitus vero 3 +LT1ReportByCustomersES=Kolmannen osapuolen RE:n raportti LT2ReportByCustomersES=Raportti kolmannen osapuolen IRPF -VATReport=Sales tax report -VATReportByPeriods=Sales tax report by period -VATReportByMonth=Sales tax report by month -VATReportByRates=Sales tax report by rate -VATReportByThirdParties=Sales tax report by third party -VATReportByCustomers=Sales tax report by customer -VATReportByCustomersInInputOutputMode=Report by the customer VAT collected and paid -VATReportByQuartersInInputOutputMode=Report by Sales tax rate of the tax collected and paid -VATReportShowByRateDetails=Show details of this rate -LT1ReportByQuarters=Report tax 2 by rate -LT2ReportByQuarters=Report tax 3 by rate -LT1ReportByQuartersES=Report by RE rate -LT2ReportByQuartersES=Report by IRPF rate -SeeVATReportInInputOutputMode=See report %sVAT collection%s for a standard calculation -SeeVATReportInDueDebtMode=See report %sVAT on debit%s for a calculation with an option on the invoicing -RulesVATInServices=- For services, the report includes the VAT of payments actually received or paid on the basis of the date of payment. -RulesVATInProducts=- For material assets, the report includes the VAT on the basis of the date of payment. -RulesVATDueServices=- For services, the report includes VAT of due invoices, paid or not, based on the invoice date. -RulesVATDueProducts=- For material assets, the report includes the VAT of due invoices, based on the invoice date. +VATReport=Myyntiraportti vero +VATReportByPeriods=Myynnin vero raportti ajanjakson mukaan +VATReportByMonth=vero myyntiraportti kuukausittain +VATReportByRates=Myynnin vero raportti hinnan mukaan +VATReportByThirdParties=Kolmannen osapuolen myyntiraportti vero +VATReportByCustomers=Myyntiraportti vero +VATReportByCustomersInInputOutputMode=Asiakkaan ilmoitus katettu ALV ja maksettu +VATReportByQuartersInInputOutputMode=Myyntiraportti vero vero kerätystä ja maksusta +VATReportShowByRateDetails=Näytä tämän hinnan tiedot +LT1ReportByQuarters=Raportti vero 2 prosentin mukaan +LT2ReportByQuarters=Raportti vero 3 prosentin mukaan +LT1ReportByQuartersES=Raportti RE-kurssin mukaan +LT2ReportByQuartersES=Raportti IRPF-kurssin mukaan +SeeVATReportInInputOutputMode=Katso raportti %sALV-perintä%s vakiolaskelmaa varten +SeeVATReportInDueDebtMode=Katso raportti %sveloituksen ALV%s laskutukseen, jossa on laskutusvaihtoehto +RulesVATInServices=- Palvelujen osalta raportti sisältää tosiasiallisesti vastaanotettujen tai maksettujen maksujen ALV:n maksu-arvon päiväys perusteella. +RulesVATInProducts=- Aineellisten hyödykkeiden osalta raportti sisältää arvonlisäveron maksu-arvon päiväys perusteella. +RulesVATDueServices=- Palvelujen osalta raportti sisältää maksettujen tai maksamattomien laskujen arvonlisäveron laskun päiväys perusteella. +RulesVATDueProducts=- Aineellisten hyödykkeiden osalta raportti sisältää erääntyvien laskujen ALV:n laskun päiväys perusteella. OptionVatInfoModuleComptabilite=Remarque: Pour les biens matriels, il faudrait käytä la date de livraison pour tre plus juste. -ThisIsAnEstimatedValue=This is a preview, based on business events and not from the final ledger table, so final results may differ from this preview values +ThisIsAnEstimatedValue=Tämä on esikatselu, joka perustuu yritystapahtumiin ja, ei loppukirjanpitotaulukosta, joten lopulliset tulokset voivat poiketa tämän esikatselun arvoista PercentOfInvoice=%%/lasku NotUsedForGoods=Ei käytetä tavaroiden ProposalStats=Tilastot ehdotuksista @@ -233,80 +234,82 @@ PurchasesJournal=Ostot lehdessä DescSellsJournal=Myynti lehdessä DescPurchasesJournal=Ostot lehdessä CodeNotDef=Ei määritelty -WarningDepositsNotIncluded=Down payment invoices are not included in this version with this accountancy module. -DatePaymentTermCantBeLowerThanObjectDate=Payment term date can't be lower than object date. -Pcg_version=Chart of accounts models -Pcg_type=Pcg type -Pcg_subtype=Pcg subtype -InvoiceLinesToDispatch=Invoice lines to dispatch -ByProductsAndServices=By product and service -RefExt=External ref -ToCreateAPredefinedInvoice=To create a template invoice, create a standard invoice, then, without validating it, click on button "%s". +WarningDepositsNotIncluded=osamaksu laskut eivät sisälly tähän versioon tämän kirjanpitomoduulin kanssa. +DatePaymentTermCantBeLowerThanObjectDate=maksu termi päiväys ei voi olla pienempi kuin objekti päiväys. +Pcg_version=Tilikarttamallit +Pcg_type=Pcg tyyppi +Pcg_subtype=Pcg-alatyyppi +InvoiceLinesToDispatch=Lähetettävät laskurivit +ByProductsAndServices=Tuotteen mukaan ja palvelu +RefExt=Ulkoinen viitenumero +ToCreateAPredefinedInvoice=luo laskupohja, luo vakiolasku, sitten vahvistamatta napsauta sitä painiketta "%s". LinkedOrder=Linkki Tilauksiin -Mode1=Method 1 -Mode2=Method 2 -CalculationRuleDesc=To calculate total VAT, there is two methods:
      Method 1 is rounding vat on each line, then summing them.
      Method 2 is summing all vat on each line, then rounding result.
      Final result may differs from few cents. Default mode is mode %s. -CalculationRuleDescSupplier=According to vendor, choose appropriate method to apply same calculation rule and get same result expected by your vendor. -TurnoverPerProductInCommitmentAccountingNotRelevant=The report of Turnover collected per product is not available. This report is only available for turnover invoiced. -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The report of Turnover collected per sale tax rate is not available. This report is only available for turnover invoiced. -CalculationMode=Calculation mode -AccountancyJournal=Accounting code journal -ACCOUNTING_VAT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on sales (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_PAY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for paying VAT -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Credit) -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Debit) -ACCOUNTING_ACCOUNT_CUSTOMER=Account (from the Chart Of Account) used for "customer" third parties -ACCOUNTING_ACCOUNT_CUSTOMER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated customer accounting account on third party is not defined. -ACCOUNTING_ACCOUNT_SUPPLIER=Account (from the Chart of Account) used for the "vendor" third parties -ACCOUNTING_ACCOUNT_SUPPLIER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated vendor accounting account on third party is not defined. -ConfirmCloneTax=Confirm the clone of a social/fiscal tax -ConfirmCloneVAT=Confirm the clone of a VAT declaration -ConfirmCloneSalary=Confirm the clone of a salary -CloneTaxForNextMonth=Clone it for next month -SimpleReport=Simple report -AddExtraReport=Extra reports (add foreign and national customer report) -OtherCountriesCustomersReport=Foreign customers report -BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=Based on the two first letters of the VAT number being different from your own company's country code -SameCountryCustomersWithVAT=National customers report -BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Based on the two first letters of the VAT number being the same as your own company's country code -LinkedFichinter=Link to an intervention -ImportDataset_tax_contrib=Social/fiscal taxes -ImportDataset_tax_vat=Vat payments -ErrorBankAccountNotFound=Error: Bank account not found +Mode1=Menetelmä 1 +Mode2=Menetelmä 2 +CalculationRuleDesc=Kokonaisarvonlisäveron laskemiseen on kaksi menetelmää:
      Menetelmä 1 pyöristää kunkin rivin alv:t ja laskee ne sitten yhteen.
      Menetelmä 2 laskee yhteen jokaisen rivin alv:t ja pyöristää sitten tuloksen.
      Lopullinen tulos voi poiketa muutamasta sentistä. oletus tila on tila %s . +CalculationRuleDescSupplier=Valitse Toimittaja mukaan sopiva menetelmä saman laskentasäännön soveltamiseksi. ja saat saman tuloksen, jota Toimittaja. +TurnoverPerProductInCommitmentAccountingNotRelevant=Tuotekohtaisesti kerätty liikevaihtoraportti ei ole saatavilla. Tämä raportti on saatavilla vain laskutetulle liikevaihdolle. +TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=Raportti liikevaihdosta, joka on kerätty myyntiä kohden vero, ei ole saatavilla. Tämä raportti on saatavilla vain laskutetulle liikevaihdolle. +CalculationMode=Laskentatila +AccountancyJournal=Kirjanpito koodipäiväkirja +ACCOUNTING_VAT_SOLD_ACCOUNT=Tili (tilikaaviosta), jota käytetään oletus -tilinä myynnin ALV:lle (käytetään, jos sitä ei ole määritetty ALV-sanakirjaasetuksissa) +ACCOUNTING_VAT_BUY_ACCOUNT=Tili (tilikartasta), jota käytetään oletus -tilinä ostojen ALV:lle (käytetään, jos sitä ei ole määritetty ALV-sanakirjan asetuksissa) +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=Tili (tilikartasta), jota käytetään myynnin tuloleimana +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=Tili (tilikartasta), jota käytetään ostojen tuloleimana +ACCOUNTING_VAT_PAY_ACCOUNT=Tili (tilikaaviosta), jota käytetään oletus -tilinä arvonlisäveron maksamiseen +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Tili (tilikaaviosta), jota käytetään oletus -tilinä käänteisen veloituksen arvonlisäveroa varten (hyvitys) +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Tili (tilikaaviosta), jota käytetään oletus -tilinä käänteisen veloituksen arvonlisäveroa varten (veloitus) +ACCOUNTING_ACCOUNT_CUSTOMER=Tili (tilikaaviosta), jota käytetään "asiakkaan" kolmansille osapuolille +ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Kolmannen osapuolen kortille määritettyä erillistä Kirjanpito-tiliä käytetään vain Subledger Kirjanpito -tiliin. Tätä käytetään pääkirja ja arvona oletus Subledger Kirjanpito, jos kolmannen osapuolen omistautunutta asiakastiliä Kirjanpito ei ole määritetty. +ACCOUNTING_ACCOUNT_SUPPLIER=Tili (tilikaaviosta), jota käytetään "Toimittaja" kolmansille osapuolille +ACCOUNTING_ACCOUNT_SUPPLIER_Desc=Kolmannen osapuolen kortille määritettyä erillistä Kirjanpito-tiliä käytetään vain Subledger Kirjanpito -tiliin. Tätä käytetään pääkirja ja arvona oletus Subledger Kirjanpito, jos kolmannen osapuolen erillistä Toimittaja Kirjanpito tiliä ei ole määritetty. +ConfirmCloneTax=Vahvista sosiaalisen/fiskaalisen vero klooni +ConfirmCloneVAT=Vahvista ALV-ilmoituksen klooni +ConfirmCloneSalary=Vahvista palkan klooni +CloneTaxForNextMonth=Kloonaa se seuraavaa kuukautta varten +SimpleReport=Yksinkertainen raportti +AddExtraReport=Ylimääräiset raportit (lisää ulkomainen ja kansallinen asiakasraportti) +OtherCountriesCustomersReport=Ulkomainen asiakkaat -raportti +BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=Perustuu siihen, että ALV-numeron kaksi ensimmäistä kirjainta poikkeavat omasta Yritys maakoodistasi +SameCountryCustomersWithVAT=Kansallinen asiakkaat -raportti +BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Perustuu siihen, että ALV-numeron kaksi ensimmäistä kirjainta ovat samat kuin oma Yritys maakoodisi +LinkedFichinter=Linkki interventioon +ImportDataset_tax_contrib=Sosiaalinen / verotus Verot +ImportDataset_tax_vat=ALV-maksut +ErrorBankAccountNotFound=Virhe: pankkitili ei löydy FiscalPeriod=Tilikausi -ListSocialContributionAssociatedProject=List of social contributions associated with the project -DeleteFromCat=Remove from accounting group -AccountingAffectation=Accounting assignment -LastDayTaxIsRelatedTo=Last day of period the tax is related to -VATDue=Sale tax claimed -ClaimedForThisPeriod=Claimed for the period -PaidDuringThisPeriod=Paid for this period -PaidDuringThisPeriodDesc=This is the sum of all payments linked to VAT declarations which have an end-of-period date in the selected date range -ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover invoiced by sale tax rate -TurnoverCollectedbyVatrate=Turnover collected by sale tax rate -PurchasebyVatrate=Purchase by sale tax rate -LabelToShow=Short label -PurchaseTurnover=Purchase turnover -PurchaseTurnoverCollected=Purchase turnover collected -RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
      - It is based on the invoice date of these invoices.
      -RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers.
      - It is based on the payment date of these invoices
      -RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal. -RulesPurchaseTurnoverOfExpenseAccounts=It includes (debit - credit) of lines for product accounts in group EXPENSE -ReportPurchaseTurnover=Purchase turnover invoiced -ReportPurchaseTurnoverCollected=Purchase turnover collected -IncludeVarpaysInResults = Include various payments in reports -IncludeLoansInResults = Include loans in reports -InvoiceLate30Days = Late (> 30 days) -InvoiceLate15Days = Late (15 to 30 days) -InvoiceLateMinus15Days = Late (< 15 days) -InvoiceNotLate = To be collected (< 15 days) -InvoiceNotLate15Days = To be collected (15 to 30 days) -InvoiceNotLate30Days = To be collected (> 30 days) -InvoiceToPay=To pay (< 15 days) -InvoiceToPay15Days=To pay (15 to 30 days) -InvoiceToPay30Days=To pay (> 30 days) -ConfirmPreselectAccount=Preselect accountancy code -ConfirmPreselectAccountQuestion=Are you sure you want to preselect the %s selected lines with this accountancy code ? -AmountPaidMustMatchAmountOfDownPayment=Amount paid must match amount of down payment +ListSocialContributionAssociatedProject=Luettelo hankkeeseen liittyvistä sosiaalisista maksuista +DeleteFromCat=Poista kohteesta Kirjanpito ryhmä +AccountingAffectation=Kirjanpito tehtävä +LastDayTaxIsRelatedTo=Jakson viimeinen päivä vero liittyy +VATDue=Alennus vero vaadittu +ClaimedForThisPeriod=Vaadittu ajanjaksolta +PaidDuringThisPeriod=Maksettu tältä ajalta +PaidDuringThisPeriodDesc=Tämä on kaikkien ALV-ilmoituksiin linkitettyjen maksujen summa, joiden kauden lopun päiväys on valitulla alueella päiväys +ByVatRate=Myynnin mukaan vero +TurnoverbyVatrate=Liikevaihto laskutettu myyntihinnalla vero +TurnoverCollectedbyVatrate=Liikevaihto kerätty myynnin mukaan vero +PurchasebyVatrate=Hankinta myyntihinnalla vero +LabelToShow=Lyhyt etiketti +PurchaseTurnover=Hankinta liikevaihto +PurchaseTurnoverCollected=Hankinta liikevaihto kerätty +RulesPurchaseTurnoverDue=- Se sisältää toimittaja:n erääntyneet laskut riippumatta siitä, onko ne maksettu vai ei.
      – Se perustuu näiden laskujen päiväys laskuun.
      +RulesPurchaseTurnoverIn=- Se sisältää kaikki tehokkaat laskujen maksut numeroon Toimittajat.
      - Se perustuu maksu päiväys näistä laskuista
      +RulesPurchaseTurnoverTotalPurchaseJournal=Se sisältää kaikki veloitusrivit Hankinta päiväkirjasta. +RulesPurchaseTurnoverOfExpenseAccounts=Se sisältää (veloitus - hyvitys) tuotetilien rivejä ryhmä EXPENSE +ReportPurchaseTurnover=Hankinta liikevaihto laskutettu +ReportPurchaseTurnoverCollected=Hankinta liikevaihto kerätty +IncludeVarpaysInResults = Sisällytä raportteihin erilaisia maksuja +IncludeLoansInResults = Sisällytälainat raportteihin +InvoiceLate30Days = Myöhässä (> 30 päivää) +InvoiceLate15Days = Myöhässä (15–30 päivää) +InvoiceLateMinus15Days = Myöhässä (< 15 päivää) +InvoiceNotLate = Noudettava (< 15 päivää) +InvoiceNotLate15Days = Noudettava (15-30 päivää) +InvoiceNotLate30Days = Noudettava (> 30 päivää) +InvoiceToPay=Maksaa (< 15 päivää) +InvoiceToPay15Days=Maksaaksesi (15-30 päivää) +InvoiceToPay30Days=Maksaminen (> 30 päivää) +ConfirmPreselectAccount=Valitse kirjanpitokoodi etukäteen +ConfirmPreselectAccountQuestion=Haluatko varmasti esivalita %s valitut rivit tällä tilikoodilla? +AmountPaidMustMatchAmountOfDownPayment=Maksetun summan on vastattava summaa osamaksu diff --git a/htdocs/langs/fi_FI/contracts.lang b/htdocs/langs/fi_FI/contracts.lang index abe75ead4ec..c0b757e1b75 100644 --- a/htdocs/langs/fi_FI/contracts.lang +++ b/htdocs/langs/fi_FI/contracts.lang @@ -14,14 +14,14 @@ ServiceStatusNotLateShort=Ei lakkaa ServiceStatusLate=Juoksu, lakkaa ServiceStatusLateShort=Lakkaa ServiceStatusClosed=Suljettu -ShowContractOfService=Show contract of service +ShowContractOfService=Näytä palvelusopimus Contracts=Sopimukset ContractsSubscriptions=Sopimukset/Tilaukset -ContractsAndLine=Contracts and line of contracts +ContractsAndLine=Sopimukset ja sopimusrivi Contract=Sopimus -ContractLine=Contract line -ContractLines=Contract lines -Closing=Closing +ContractLine=Sopimuslinja +ContractLines=Sopimuslinjat +Closing=Sulkeminen NoContracts=Ei sopimuksia MenuServices=Palvelut MenuInactiveServices=Palvelut, joita ei aktiivinen @@ -29,19 +29,19 @@ MenuRunningServices=Käynnissä olevat palvelut MenuExpiredServices=Lakkaa palvelut MenuClosedServices=Suljetut palvelut NewContract=Uusi sopimus -NewContractSubscription=New contract or subscription +NewContractSubscription=Uusi sopimus tai tilaus AddContract=Luo sopimus DeleteAContract=Poista sopimuksen ActivateAllOnContract=Aktivoi kaikki palvelut CloseAContract=Sulje sopimus ConfirmDeleteAContract=Haluatko varmasti poistaa tämän sopimuksen ja sillä olevat palvelut? -ConfirmValidateContract=Are you sure you want to validate this contract under name %s? -ConfirmActivateAllOnContract=This will open all services (not yet active). Are you sure you want to open all services? -ConfirmCloseContract=This will close all services (expired or not). Are you sure you want to close this contract? -ConfirmCloseService=Are you sure you want to close this service with date %s? +ConfirmValidateContract=Haluatko varmasti vahvistaa tämän sopimuksen nimellä %s ? +ConfirmActivateAllOnContract=Tämä avaa kaikki palvelut (ei vielä aktiivisia). Haluatko varmasti avata kaikki palvelut? +ConfirmCloseContract=Tämä sulkee kaikki palvelut (vanhentuneet tai eivät). Haluatko varmasti sulkea tämän sopimuksen? +ConfirmCloseService=Haluatko varmasti sulkea tämän palvelun sovelluksella päiväys %s? ValidateAContract=Vahvista sopimus ActivateService=Aktivoi palvelu -ConfirmActivateService=Are you sure you want to activate this service with date %s? +ConfirmActivateService=Haluatko varmasti aktivoida tämän palvelun käyttämällä päiväys %s? RefContract=Sopimuksen viite DateContract=Sopimuspäivä DateServiceActivate=Tiedoksiantopäivä aktivointi @@ -52,9 +52,9 @@ ListOfClosedServices=Luettelo suljettu palvelut ListOfRunningServices=Luettelo käynnissä olevat palvelut NotActivatedServices=Ei aktivoitu palvelut (muun muassa validoitava sopimukset) BoardNotActivatedServices=Palvelut aktivoida kesken validoitava sopimukset -BoardNotActivatedServicesShort=Services to activate +BoardNotActivatedServicesShort=Aktivoitavat palvelut LastContracts=Viimeisimmät %s sopimukset -LastModifiedServices=Latest %s modified services +LastModifiedServices=Viimeisimmät %s muokatut palvelut ContractStartDate=Aloituspäivämäärä ContractEndDate=Lopetuspäivä DateStartPlanned=SUUNNITELTU ALKAMISPÄIVÄ @@ -66,42 +66,42 @@ DateStartRealShort=Real Aloituspäivästä DateEndReal=Real lopetuspäivämäärää DateEndRealShort=Real lopetuspäivämäärää CloseService=Sulje palvelu -BoardRunningServices=Services running -BoardRunningServicesShort=Services running -BoardExpiredServices=Services expired -BoardExpiredServicesShort=Services expired +BoardRunningServices=Palvelut käynnissä +BoardRunningServicesShort=Palvelut käynnissä +BoardExpiredServices=Palvelut vanhentuneet +BoardExpiredServicesShort=Palvelut vanhentuneet ServiceStatus=Tila-palvelun DraftContracts=Drafts sopimukset -CloseRefusedBecauseOneServiceActive=Contract can't be closed as there is at least one open service on it -ActivateAllContracts=Activate all contract lines +CloseRefusedBecauseOneServiceActive=Sopimusta ei voi sulkea, koska siinä on vähintään yksi avoin palvelu +ActivateAllContracts=Aktivoi kaikki sopimusrivit CloseAllContracts=Sulje kaikki sopimukset DeleteContractLine=Poista sopimuksen linjan -ConfirmDeleteContractLine=Are you sure you want to delete this contract line? +ConfirmDeleteContractLine=Haluatko varmasti poistaa tämän sopimusrivin? MoveToAnotherContract=Siirrä palvelua toisen sopimuksen. -ConfirmMoveToAnotherContract=I choosed uusi tavoite sopimuksen ja vahvistaa Haluan siirtää tämän palvelua tämän sopimuksen. -ConfirmMoveToAnotherContractQuestion=Choose in which existing contract (of same third party), you want to move this service to? -PaymentRenewContractId=Renew contract %s (service %s) +ConfirmMoveToAnotherContract=Valitsin uuden kohdesopimuksen ja vahvista, että haluan siirtää tämän palvelun tähän sopimukseen. +ConfirmMoveToAnotherContractQuestion=Valitse mihin nykyiseen sopimukseen (saman kolmannen osapuolen) haluat siirtää tämän palvelun? +PaymentRenewContractId=Uusi sopimus %s (palvelu %s) ExpiredSince=Vanhenemispäivä NoExpiredServices=Ei päättynyt aktiiviset palvelut -ListOfServicesToExpireWithDuration=List of Services to expire in %s days -ListOfServicesToExpireWithDurationNeg=List of Services expired from more than %s days -ListOfServicesToExpire=List of Services to expire -NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative. -StandardContractsTemplate=Standard contracts template -ContactNameAndSignature=For %s, name and signature: -OnlyLinesWithTypeServiceAreUsed=Only lines with type "Service" will be cloned. -ConfirmCloneContract=Are you sure you want to clone the contract %s? -LowerDateEndPlannedShort=Lower planned end date of active services -SendContractRef=Contract information __REF__ -OtherContracts=Other contracts +ListOfServicesToExpireWithDuration=Luettelo palveluista, jotka vanhenevat %s päivän kuluttua +ListOfServicesToExpireWithDurationNeg=Palveluluettelo on vanhentunut yli %s päivää +ListOfServicesToExpire=Vanhentuva palveluluettelo +NoteListOfYourExpiredServices=Tämä luettelo sisältää vain sopimuspalvelut kolmansille osapuolille, joihin olet liitetty myyntiedustajana. +StandardContractsTemplate=Vakiosopimusten malli +ContactNameAndSignature=Kohdalle %s nimen ja allekirjoitus: +OnlyLinesWithTypeServiceAreUsed=Vain rivit, joiden tyyppi on "Palvelu", kloonataan. +ConfirmCloneContract=Haluatko varmasti kloonata sopimuksen %s? +LowerDateEndPlannedShort=Aktiivisten palveluiden pienempi suunniteltu loppu päiväys +SendContractRef=Sopimustiedot __REF__ +OtherContracts=Muut sopimukset ##### Types de contacts ##### TypeContact_contrat_internal_SALESREPSIGN=Myyntiedustajaasi allekirjoittamalla sopimuksen TypeContact_contrat_internal_SALESREPFOLL=Myyntiedustajaasi seurata sopimuksen TypeContact_contrat_external_BILLING=Laskutus asiakkaan yhteystiedot TypeContact_contrat_external_CUSTOMER=Seurata asiakkaiden yhteystiedot TypeContact_contrat_external_SALESREPSIGN=Kirjautuminen sopimus asiakkaiden yhteystiedot -HideClosedServiceByDefault=Hide closed services by default -ShowClosedServices=Show Closed Services -HideClosedServices=Hide Closed Services -UserStartingService=User starting service -UserClosingService=User closing service +HideClosedServiceByDefault=Piilota suljetut palvelut tekijältä oletus +ShowClosedServices=Näytä suljetut palvelut +HideClosedServices=Piilota suljetut palvelut +UserStartingService=Käyttäjän aloituspalvelu +UserClosingService=Käyttäjän sulkemispalvelu diff --git a/htdocs/langs/fi_FI/cron.lang b/htdocs/langs/fi_FI/cron.lang index b4cf6d1e71d..39b46dd367c 100644 --- a/htdocs/langs/fi_FI/cron.lang +++ b/htdocs/langs/fi_FI/cron.lang @@ -2,90 +2,100 @@ # About page # Right Permission23101 = Lue Ajastettu työ -Permission23102 = Create/update Scheduled job +Permission23102 = luo/update Suunniteltu työ Permission23103 = Poista Ajastettu työ Permission23104 = Suorita Ajastettu työ # Admin CronSetup=Ajastettujen tehtävien asetusten hallinta -URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser -OrToLaunchASpecificJob=Or to check and launch a specific job from a browser +URLToLaunchCronJobs=URL-osoite tarkistettavaksi ja käynnistä hyväksytyt cron-työt selaimesta +OrToLaunchASpecificJob=Tai tarkistaaksesi ja käynnistä tietty työ selaimella KeyForCronAccess=Turva avain ajastettujen tehtävien ajamiseen URL-sta -FileToLaunchCronJobs=Command line to check and launch qualified cron jobs -CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes -CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes -CronMethodDoesNotExists=Class %s does not contains any method %s -CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods -CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s. -CronJobProfiles=List of predefined cron job profiles +FileToLaunchCronJobs=Komentorivi tarkistaaksesi ja käynnistä pätevät cron-työt +CronExplainHowToRunUnix=Unix-ympäristössä sinun tulee käyttää seuraavaa crontab-merkintää komentorivin suorittamiseen 5 minuutin välein +CronExplainHowToRunWin=Microsoft(tm) Windows -ympäristössä voit käyttää Scheduled Task -työkaluja komentorivin suorittamiseen 5 minuutin välein +CronMethodDoesNotExists=Luokka %s ei sisällä menetelmää %s +CronMethodNotAllowed=Luokan %s menetelmä %s on kiellettyjen menetelmien estoluettelossa +CronJobDefDesc=Cron-työprofiilit määritetään moduulikuvaajaan tiedosto. Kun moduuli on aktivoitu, ne ladataan ja, jotta voit hallita töitä Pääkäyttäjä-työkaluilla valikko %s. +CronJobProfiles=Luettelo ennalta määritetyistä cron-työprofiileista # Menu -EnabledAndDisabled=Enabled and disabled +EnabledAndDisabled=Käytössä ja poistettu käytöstä # Page list -CronLastOutput=Latest run output +CronLastOutput=Viimeisin ajotulos CronLastResult=Viimeisin tuloskoodi -CronCommand=Command +CronCommand=Komento CronList=Ajastetut työt -CronDelete=Delete scheduled jobs -CronConfirmDelete=Are you sure you want to delete these scheduled jobs? -CronExecute=Launch scheduled job -CronConfirmExecute=Are you sure you want to execute these scheduled jobs now? -CronInfo=Scheduled job module allows to schedule jobs to execute them automatically. Jobs can also be started manually. +CronDelete=Poista ajoitetut työt +CronConfirmDelete=Haluatko varmasti poistaa nämä ajoitetut työt? +CronExecute=Käynnistä nyt +CronConfirmExecute=Haluatko varmasti suorittaa nämä ajoitetut työt nyt? +CronInfo=Ajoitettu työmoduuli mahdollistaa töiden ajoituksen suorittamaan ne automaattisesti. Työt voidaan aloittaa myös manuaalisesti. CronTask=Job CronNone=Ei mitään -CronDtStart=Not before -CronDtEnd=Not after -CronDtNextLaunch=Next execution -CronDtLastLaunch=Start date of latest execution -CronDtLastResult=End date of latest execution +CronDtStart=Ei ennen +CronDtEnd=Ei sen jälkeen +CronDtNextLaunch=Seuraava suoritus +CronDtLastLaunch=Aloita viimeisimmän suorituksen päiväys +CronDtLastResult=Viimeisimmän suorituksen lopetus päiväys CronFrequency=Toistuvuus -CronClass=Class +CronClass=Luokka CronMethod=Menetelmä CronModule=Moduuli -CronNoJobs=No jobs registered +CronNoJobs=Ei rekisteröityjä työpaikkoja CronPriority=Prioriteetti CronLabel=Etiketti -CronNbRun=Number of launches -CronMaxRun=Maximum number of launches -CronEach=Every -JobFinished=Job launched and finished -Scheduled=Scheduled +CronNbRun=Laukaisujen määrä +CronMaxRun=Laukaisujen enimmäismäärä +CronEach=Joka +JobFinished=Työ aloitettu ja valmis +Scheduled=Aikataulutettu #Page card -CronAdd= Add jobs -CronEvery=Execute job each -CronObject=Instance/Object to create +CronAdd= Lisää työpaikkoja +CronEvery=Suorita jokainen työ +CronObject=Ilmentymä/objekti luo CronArgs=Parametrit -CronSaveSucess=Save successfully +CronSaveSucess=Tallennus onnistui CronNote=Kommentti -CronFieldMandatory=Fields %s is mandatory -CronErrEndDateStartDt=End date cannot be before start date -StatusAtInstall=Status at module installation -CronStatusActiveBtn=Schedule +CronFieldMandatory=Kentät %s ovat pakollisia +CronErrEndDateStartDt=Loppu päiväys ei voi olla ennen alkua päiväys +StatusAtInstall=Tila moduulin asennuksessa +CronStatusActiveBtn=Ota ajoitus käyttöön CronStatusInactiveBtn=Poistaa käytöstä -CronTaskInactive=This job is disabled (not scheduled) +CronTaskInactive=Tämä työ on poistettu käytöstä (ei ajoitettu) CronId=Id -CronClassFile=Filename with class -CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module).
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is
      product -CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory).
      For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is
      product/class/product.class.php -CronObjectHelp=The object name to load.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is
      Product -CronMethodHelp=The object method to launch.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is
      fetch -CronArgsHelp=The method arguments.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be
      0, ProductRef -CronCommandHelp=The system command line to execute. -CronCreateJob=Create new Scheduled Job +CronClassFile=Tiedostonimi luokan kanssa +CronModuleHelp=Dolibarr-moduulihakemiston nimi (toimii myös ulkoisen Dolibarr-moduulin kanssa).
      Esimerkiksi Dolibarr-tuoteobjektin /htdocs/product8fdca4dz0-hakumenetelmän kutsuminen /class/product.class.php, moduulin arvo on
      tuote +CronClassFileHelp=Ladattavan polun ja tiedosto nimi (polku on suhteessa verkkopalvelimen juurihakemistoon).
      Esimerkiksi Dolibarr-tuoteobjektin hakumenetelmän kutsuminen htdocs/product/class/product.class.php, luokan tiedosto arvo on
      tuote/luokka/tuote.luokka.php +CronObjectHelp=Ladattavan objektin nimi.
      Esimerkiksi Dolibarr-tuoteobjektin /htdocs/product/class/product.class.php hakumenetelmän kutsumiseksi luokan tiedosto arvoksi. nimi on
      Tuote +CronMethodHelp=Käynnistettävä objektimenetelmä.
      Esimerkiksi Dolibarr-tuoteobjektin /htdocs/product/class/product.class.php hakumenetelmän kutsumiseksi menetelmän arvo on
      hae +CronArgsHelp=Menetelmän argumentit.
      Esimerkiksi Dolibarr-tuoteobjektin /htdocs/product/class/product.class.php hakumenetelmän kutsumiseksi parametrien arvo voi olla
      0, ProductRef +CronCommandHelp=Suoritettava järjestelmän komentorivi. +CronCreateJob=luo uusi ajoitettu työ CronFrom=Mistä # Info # Common -CronType=Job type -CronType_method=Call method of a PHP Class -CronType_command=Shell command -CronCannotLoadClass=Cannot load class file %s (to use class %s) -CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it -UseMenuModuleToolsToAddCronJobs=Go into menu "
      Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs. -JobDisabled=Job disabled -MakeLocalDatabaseDumpShort=Local database backup -MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep -WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run. -DATAPOLICYJob=Data cleaner and anonymizer -JobXMustBeEnabled=Job %s must be enabled +CronType=Työn tyyppi +CronType_method=PHP-luokan kutsumenetelmä +CronType_command=Shell-komento +CronCannotLoadClass=Luokkaa tiedosto %s ei voi ladata (käytä luokkaa %s) +CronCannotLoadObject=Luokka tiedosto %s ladattiin, mutta objektia %s ei löytynyt siitä +UseMenuModuleToolsToAddCronJobs=Siirry kohtaan valikko "Etusivu - Pääkäyttäjä -työtyökalut -
      " nähdäksesi ja muokkaa ajoitettuja töitä. +JobDisabled=Työ estetty +MakeLocalDatabaseDumpShort=Paikallinen tietokanta varmuuskopio +MakeLocalDatabaseDump=luo paikallinen tietokanta kaatopaikka. Parametrit ovat: pakkaus ('gz' tai 'bz' tai 'none'), varmuuskopion tyyppi ('mysql', 'pgsql', 'auto'), 1, 'auto' tai rakennettava tiedostonimi, säilytettävien varmuuskopiotiedostojen määrä +MakeSendLocalDatabaseDumpShort=Lähetä paikallinen tietokanta varmuuskopio +MakeSendLocalDatabaseDump=Lähetä paikallinen tietokanta varmuuskopio sähköpostitse. Parametrit ovat: vastaanottaja, lähettäjä, aihe, viesti, tiedostonimi (lähetetyn kohteen tiedosto nimi), suodatin ('sql' varmuuskopiointiin tietokanta) span> vain) +BackupIsTooLargeSend=Valitettavasti viimeisin varmuuskopio tiedosto on liian suuri sähköpostitse lähetettäväksi +CleanUnfinishedCronjobShort=Puhdista keskeneräinen työ +CleanUnfinishedCronjob=Puhdista käsittelyyn juuttunut cronjob, kun prosessi ei ole enää käynnissä +WarningCronDelayed=Huomio, suorituskyvyn vuoksi mikä tahansa on käytössä olevien töiden seuraava päiväys, työsi voivat viivästyä enintään %s tuntia ennen juoksua. +DATAPOLICYJob=Data Cleaner ja anonymisoija +JobXMustBeEnabled=Työ %s on otettava käyttöön +EmailIfError=Sähköposti virhevaroitusta varten +JobNotFound=Työtä %s ei löydy työluettelosta (yritä ottaa moduuli pois käytöstä tai ottaa käyttöön) +ErrorInBatch=Virhe suoritettaessa työtä %s + # Cron Boxes -LastExecutedScheduledJob=Last executed scheduled job -NextScheduledJobExecute=Next scheduled job to execute -NumberScheduledJobError=Number of scheduled jobs in error +LastExecutedScheduledJob=Viimeisin suoritettu ajoitettu työ +NextScheduledJobExecute=Seuraava suunniteltu tehtävä suoritettavana +NumberScheduledJobError=Virheellisten ajoitettujen töiden määrä +NumberScheduledJobNeverFinished=Suunniteltujen töiden määrä, joita ei koskaan saatu valmiiksi diff --git a/htdocs/langs/fi_FI/datapolicy.lang b/htdocs/langs/fi_FI/datapolicy.lang index 285d0fb065c..966076a836d 100644 --- a/htdocs/langs/fi_FI/datapolicy.lang +++ b/htdocs/langs/fi_FI/datapolicy.lang @@ -14,79 +14,79 @@ # along with this program. If not, see . # Module label 'ModuledatapolicyName' -Module4100Name = Data Privacy Policy +Module4100Name = Tietosuojakäytäntö # Module description 'ModuledatapolicyDesc' -Module4100Desc = Module to manage Data Privacy (Conformity with the GDPR) +Module4100Desc = Tietosuojan hallintamoduuli (GDPR:n mukainen) # # Administration page # -datapolicySetup = Module Data Privacy Policy Setup -Deletion = Deletion of data -datapolicySetupPage = Depending of laws of your countries (Example Article 5 of the GDPR), personal data must be kept for a period not exceeding that necessary for the purposes for which they were collected, except for archival purposes.
      The deletion will be done automatically after a certain duration without event (the duration which you will have indicated below). -NB_MONTHS = %s months -ONE_YEAR = 1 year -NB_YEARS = %s years +datapolicySetup = Moduulin tietojen tietosuojakäytännön asetukset +Deletion = Tietojen poistaminen +datapolicySetupPage = Maittesi laeista riippuen (esimerkki GDPR:n artikla 5) henkilötietoja on säilytettävä tietyn ajan ylittää sen, mikä on tarpeen niihin tarkoituksiin, joita varten ne kerättiin, paitsi arkistointitarkoituksiin.
      Poisto tapahtuu automaattisesti tietyn ajan kuluttua ilman tapahtumaa (kesto, jonka olet ilmoittanut alla). +NB_MONTHS = %s kuukautta +ONE_YEAR = 1 vuosi +NB_YEARS = %s vuotta DATAPOLICY_TIERS_CLIENT = Asiakas DATAPOLICY_TIERS_PROSPECT = Prospekti -DATAPOLICY_TIERS_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = Nor prospect/Nor customer +DATAPOLICY_TIERS_PROSPECT_CLIENT = Mahdollisuus/asiakas +DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = Ei mahdollinen / ei asiakas DATAPOLICY_TIERS_FOURNISSEUR = Toimittaja DATAPOLICY_CONTACT_CLIENT = Asiakas DATAPOLICY_CONTACT_PROSPECT = Prospekti -DATAPOLICY_CONTACT_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = Nor prospect/Nor customer +DATAPOLICY_CONTACT_PROSPECT_CLIENT = Mahdollisuus/asiakas +DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = Ei mahdollinen / ei asiakas DATAPOLICY_CONTACT_FOURNISSEUR = Toimittaja DATAPOLICY_ADHERENT = Jäsen -DATAPOLICY_Tooltip_SETUP = Type of contact - Indicate your choices for each type. -DATAPOLICYMail = Emails Setup -DATAPOLICYSUBJECTMAIL = Subject of email -DATAPOLICYCONTENTMAIL = Content of the email -DATAPOLICYSUBSITUTION = You can use the following variables in your email (LINKACCEPT allows to create a link recording the agreement of the person, LINKREFUSED makes it possible to record the refusal of the person): -DATAPOLICYACCEPT = Message after agreement -DATAPOLICYREFUSE = Message after desagreement -SendAgreementText = You can send a GDPR email to all your relevant contacts (who have not yet received an email and for which you have not registered anything about their GDPR agreement). To do this, use the following button. -SendAgreement = Send emails -AllAgreementSend = All emails have been sent -TXTLINKDATAPOLICYACCEPT = Text for the link "agreement" -TXTLINKDATAPOLICYREFUSE = Text for the link "desagreement" +DATAPOLICY_Tooltip_SETUP = Yhteydenottotyyppi - Ilmoita valintasi kullekin tyypille. +DATAPOLICYMail = Sähköpostien asetukset +DATAPOLICYSUBJECTMAIL = Sähköpostin aihe +DATAPOLICYCONTENTMAIL = Sähköpostin sisältö +DATAPOLICYSUBSITUTION = Voit käyttää sähköpostissasi seuraavia muuttujia (LINKACCEPT sallii luo linkin, joka tallentaa henkilön suostumuksen, LINKREFUSED mahdollistaa henkilön kieltäytymisen tallentamisen): +DATAPOLICYACCEPT = Viesti sopimuksen jälkeen +DATAPOLICYREFUSE = Viesti erimielisyyden jälkeen +SendAgreementText = Voit lähettää GDPR-sähköpostin kaikille asiaankuuluville yhteyshenkilöillesi (jotka eivät ole vielä saaneet sähköpostia ja, johon et ole rekisteröinyt mitään heidän GDPR-sopimuksestaan). Voit tehdä tämän käyttämällä seuraavaa painiketta. +SendAgreement = Lähetä sähköposteja +AllAgreementSend = Kaikki sähköpostit on lähetetty +TXTLINKDATAPOLICYACCEPT = Teksti linkkiin "sopimus" +TXTLINKDATAPOLICYREFUSE = Teksti linkille "eri mieltä" # # Extrafields # -DATAPOLICY_BLOCKCHECKBOX = GDPR : Processing of personal data -DATAPOLICY_consentement = Consent obtained for the processing of personal data -DATAPOLICY_opposition_traitement = Opposes the processing of his personal data -DATAPOLICY_opposition_prospection = Opposes the processing of his personal data for the purposes of prospecting +DATAPOLICY_BLOCKCHECKBOX = GDPR: Henkilötietojen käsittely +DATAPOLICY_consentement = Henkilötietojen käsittelyyn saatu suostumus +DATAPOLICY_opposition_traitement = Vastustaa henkilötietojensa käsittelyä +DATAPOLICY_opposition_prospection = Vastustaa henkilötietojensa käsittelyä etsintätarkoituksiin # # Popup # -DATAPOLICY_POPUP_ANONYME_TITLE = Anonymize a thirdparty -DATAPOLICY_POPUP_ANONYME_TEXTE = You can not delete this contact from Dolibarr because there are related items. In accordance with the GDPR, you will make all this data anonymous to respect your obligations. Would you like to continue ? +DATAPOLICY_POPUP_ANONYME_TITLE = Anonymisoi kolmas osapuoli +DATAPOLICY_POPUP_ANONYME_TEXTE = Et voi poistaa tätä yhteystietoa Dolibarrista, koska siihen liittyy liittyviä kohteita. GDPR:n mukaisesti teet kaikki nämä tiedot anonyymeiksi noudattaaksesi velvoitteitasi. Haluatko jatkaa? # # Button for portability # -DATAPOLICY_PORTABILITE = Portability GDPR -DATAPOLICY_PORTABILITE_TITLE = Export of personal data -DATAPOLICY_PORTABILITE_CONFIRMATION = You want to export the personal data of this contact. Are you sure ? +DATAPOLICY_PORTABILITE = Siirrettävyys GDPR +DATAPOLICY_PORTABILITE_TITLE = Henkilötietojen vienti +DATAPOLICY_PORTABILITE_CONFIRMATION = Haluat viedä tämän yhteystiedon henkilötiedot. Oletko varma ? # # Notes added during an anonymization # -ANONYMISER_AT = Anonymised the %s +ANONYMISER_AT = Anonymisoitu %s # V2 -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_date = Date of agreement/desagreement GDPR -DATAPOLICY_send = Date sending agreement email -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_SEND = Send GDPR email -MailSent = Email has been sent +DATAPOLICYReturn = GDPR-vahvistus +DATAPOLICY_date = päiväys GDPR:n hyväksymisestä/poikkeamisesta +DATAPOLICY_send = päiväys sopimussähköpostin lähettäminen +DATAPOLICYReturn = GDPR-vahvistus +DATAPOLICY_SEND = Lähetä GDPR-sähköposti +MailSent = Sähköposti on lähetetty # ERROR -ErrorSubjectIsRequired = Error : The subject of email is required. Indicate it in the module setup -=Due to a technical problem, we were unable to register your choice. We apologize for that. Contact us to send us your choice. -NUMBER_MONTH_BEFORE_DELETION = Number of month before deletion +ErrorSubjectIsRequired = Virhe : Sähköpostin aihe on pakollinen. Ilmoita se moduulin asetuksissa +=Teknisen ongelman vuoksi emme voineet rekisteröidä valintaasi. Pahoittelemme sitä. Ota yhteyttä lähettääksesi meille valintasi. +NUMBER_MONTH_BEFORE_DELETION = Poistoa edeltävän kuukauden määrä diff --git a/htdocs/langs/fi_FI/deliveries.lang b/htdocs/langs/fi_FI/deliveries.lang index ff69efa0631..9ce8aea31ca 100644 --- a/htdocs/langs/fi_FI/deliveries.lang +++ b/htdocs/langs/fi_FI/deliveries.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - deliveries Delivery=Toimitus DeliveryRef=Toimitusviite -DeliveryCard=Stock receipt +DeliveryCard=Varastokuitti DeliveryOrder=Lähetyslista DeliveryDate=Toimituspäivä CreateDeliveryOrder=Lähetyslistan luonti @@ -30,4 +30,4 @@ NonShippable=Ei toimitettavissa ShowShippableStatus=Näytä kuljetuksien tila ShowReceiving=Näytä lähetyslista NonExistentOrder=Tilausta ei ole järjestelmässä -StockQuantitiesAlreadyAllocatedOnPreviousLines = Stock quantities already allocated on previous lines +StockQuantitiesAlreadyAllocatedOnPreviousLines = Varastomäärät on jo kohdistettu edellisille riveille diff --git a/htdocs/langs/fi_FI/donations.lang b/htdocs/langs/fi_FI/donations.lang index 1cb5e0a33a7..766bff808ea 100644 --- a/htdocs/langs/fi_FI/donations.lang +++ b/htdocs/langs/fi_FI/donations.lang @@ -1,12 +1,12 @@ # Dolibarr language file - Source file is en_US - donations Donation=Lahjoitus Donations=Lahjoitukset -DonationRef=Donation ref. +DonationRef=Lahjoitusviite Donor=Rahoittajien -AddDonation=Create a donation +AddDonation=luo lahjoitus NewDonation=Uusi lahjoitus -DeleteADonation=Delete a donation -ConfirmDeleteADonation=Are you sure you want to delete this donation? +DeleteADonation=Poista lahjoitus +ConfirmDeleteADonation=Haluatko varmasti poistaa tämän lahjoituksen? PublicDonation=Julkiset lahjoitus DonationsArea=Lahjoitukset alueella DonationStatusPromiseNotValidated=Luonnos lupaus @@ -15,20 +15,22 @@ DonationStatusPaid=Lahjoituksen vastaanotti DonationStatusPromiseNotValidatedShort=Vedos DonationStatusPromiseValidatedShort=Validoidut DonationStatusPaidShort=Vastatut -DonationTitle=Donation receipt -DonationDate=Donation date +DonationTitle=Lahjoituksen kuitti +DonationDate=Lahjoitus päiväys DonationDatePayment=Maksupäivä ValidPromess=Vahvista lupaus -DonationReceipt=Donation receipt +DonationReceipt=Lahjoituksen kuitti DonationsModels=Asiakirjat malleja lahjoitus kuitit -LastModifiedDonations=Latest %s modified donations -DonationRecipient=Donation recipient -IConfirmDonationReception=The recipient declare reception, as a donation, of the following amount -MinimumAmount=Minimum amount is %s -FreeTextOnDonations=Free text to show in footer -FrenchOptions=Options for France -DONATION_ART200=Show article 200 from CGI if you are concerned -DONATION_ART238=Show article 238 from CGI if you are concerned -DONATION_ART885=Show article 885 from CGI if you are concerned -DonationPayment=Donation payment -DonationValidated=Donation %s validated +LastModifiedDonations=Viimeisimmät %s muokatut lahjoitukset +DonationRecipient=Lahjoituksen saaja +IConfirmDonationReception=Lahjoituksen saaja ilmoittaa vastaanottaneensa seuraavan summan +MinimumAmount=Vähimmäismäärä on %s +FreeTextOnDonations=Ilmainen teksti alatunnisteessa näytettäväksi +FrenchOptions=Vaihtoehdot Ranskalle +DONATION_ART200=Näytä artikkeli 200 CGI:stä, jos olet huolissasi +DONATION_ART238=Näytä artikkeli 238 CGI:stä, jos olet huolissasi +DONATION_ART978=Näytä artikkeli 978 CGI:stä, jos olet huolissasi +DonationPayment=Lahjoitus maksu +DonationValidated=Lahjoitus %s vahvistettu +DonationUseThirdparties=Käytä lahjoittajan osoitteena olemassa olevan kolmannen osapuolen osoitetta +DonationsStatistics=Lahjoitustilastot diff --git a/htdocs/langs/fi_FI/ecm.lang b/htdocs/langs/fi_FI/ecm.lang index 66c2191a70a..973075270c8 100644 --- a/htdocs/langs/fi_FI/ecm.lang +++ b/htdocs/langs/fi_FI/ecm.lang @@ -1,13 +1,13 @@ # Dolibarr language file - Source file is en_US - ecm -ECMNbOfDocs=No. of documents in directory +ECMNbOfDocs=Asiakirjojen lukumäärä hakemistossa ECMSection=Hakemisto ECMSectionManual=Manuaalinen hakemisto ECMSectionAuto=Automaattinen hakemisto -ECMSectionsManual=Manuaalinen hakemistopuu -ECMSectionsAuto=Automaattinen hakemistopuu -ECMSectionsMedias=Medias tree +ECMSectionsManual=Yksityinen manuaalinen puu +ECMSectionsAuto=Yksityinen automaattinen puu +ECMSectionsMedias=Julkinen puu ECMSections=Hakemistot -ECMRoot=ECM Root +ECMRoot=ECM-juuri ECMNewSection=Uusi hakemisto ECMAddSection=Lisää hakemisto ECMCreationDate=Luontipäivämäärä @@ -15,38 +15,42 @@ ECMNbOfFilesInDir=Tiedostojen määrä hakemistossa ECMNbOfSubDir=Alihakemistojen määrä ECMNbOfFilesInSubDir=Tiedostojen määrä alihakemistoissa ECMCreationUser=Luoja -ECMArea=DMS/ECM area -ECMAreaDesc=The DMS/ECM (Document Management System / Electronic Content Management) area allows you to save, share and search quickly all kind of documents in Dolibarr. -ECMAreaDesc2a=* Manual directories can be used to save documents not linked to a particular element. -ECMAreaDesc2b=* Automatic directories are filled automatically when adding documents from the page of an element. -ECMAreaDesc3=* Medias directories are files into the subdirectory /medias of documents directory, readable by everybody with no need to be logged and no need to have the file shared explicitely. It is used to store image files from emailing or website module. +ECMArea=DMS/ECM-alue +ECMAreaDesc=DMS/ECM (Document Management System / Electronic Content Management) -alueen avulla voit tallentaa, jakaa ja nopeasti kaikenlaisia asiakirjoja Dolibarrissa. +ECMAreaDesc2a=* Manuaalisia hakemistoja voidaan käyttää asiakirjojen tallentamiseen puurakenteen vapaalla järjestelyllä. +ECMAreaDesc2b=* Automaattiset hakemistot täytetään automaattisesti lisättäessä asiakirjoja elementin sivulta. +ECMAreaDesc3=* Julkiset hakemistot ovat asiakirjahakemiston alihakemistoon /medias olevia tiedostoja, joita kaikki voivat lukea ilman kirjautumista. ja tiedosto ei tarvitse jakaa erikseen. Sitä käytetään esimerkiksi sähköposti- tai verkkosivustomoduulin kuvatiedostojen tallentamiseen. ECMSectionWasRemoved=Hakemisto %s on poistettu. -ECMSectionWasCreated=Directory %s has been created. +ECMSectionWasCreated=Hakemisto %s on luotu. ECMSearchByKeywords=Etsi avainsanoilla ECMSearchByEntity=Etsi objektilla ECMSectionOfDocuments=Asiakirjahakemistot ECMTypeAuto=Automaattinen -ECMDocsBy=Documents linked to %s +ECMDocsBy=Asiakirjat, jotka on linkitetty kohteeseen %s ECMNoDirectoryYet=Hakemistoa ei luotu ShowECMSection=Näytä hakemisto DeleteSection=Poista hakemisto ConfirmDeleteSection=Voitko vahvistaa hakemiston %s poiston? ECMDirectoryForFiles=Tiedostojen suhteellinen hakemisto -CannotRemoveDirectoryContainsFilesOrDirs=Removal not possible because it contains some files or sub-directories -CannotRemoveDirectoryContainsFiles=Removal not possible because it contains some files +CannotRemoveDirectoryContainsFilesOrDirs=Poistaminen ei ole mahdollista, koska se sisältää joitain tiedostoja tai alihakemistoja +CannotRemoveDirectoryContainsFiles=Poistaminen ei ole mahdollista, koska se sisältää joitain tiedostoja ECMFileManager=Tiedostonhallinta -ECMSelectASection=Select a directory in the tree... -DirNotSynchronizedSyncFirst=This directory seems to be created or modified outside ECM module. You must click on "Resync" button first to synchronize disk and database to get content of this directory. -ReSyncListOfDir=Resync list of directories -HashOfFileContent=Hash of file content -NoDirectoriesFound=No directories found -FileNotYetIndexedInDatabase=File not yet indexed into database (try to re-upload it) -ExtraFieldsEcmFiles=Extrafields Ecm Files -ExtraFieldsEcmDirectories=Extrafields Ecm Directories -ECMSetup=ECM Setup -GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... -ConfirmImgWebpCreation=Confirm all images duplication -SucessConvertImgWebp=Images successfully duplicated -ECMDirName=Dir name -ECMParentDirectory=Parent directory +ECMSelectASection=Valitse puusta hakemisto... +DirNotSynchronizedSyncFirst=Tämä hakemisto näyttää olevan luotu tai muokattu ECM-moduulin ulkopuolella. Sinun on ensin napsautettava Synkronoi-painiketta, jotta voit synkronoida levyn ja tietokanta saadaksesi tämän hakemiston sisällön. +ReSyncListOfDir=Synkronoi hakemistoluettelo uudelleen +HashOfFileContent=tiedosto sisällön hash +NoDirectoriesFound=Hakemistoja ei löytynyt +FileNotYetIndexedInDatabase=tiedosto ei ole vielä indeksoitu hakemistoon tietokanta (yritä ladata se uudelleen) +ExtraFieldsEcmFiles=Extrafields ECM-tiedostot +ExtraFieldsEcmDirectories=Extrafields ECM-hakemistot +ECMSetup=ECM-asetukset +GenerateImgWebp=Kopioi kaikki kuvat toisella versiolla .webp-muodossa +ConfirmGenerateImgWebp=Jos vahvistat, luot kuvan .webp-muodossa kaikille tässä kansiossa tällä hetkellä oleville kuville (alikansiot eivät sisälly, webp-kuvia ei luoda, jos koko on suurempi kuin alkuperäinen)... +ConfirmImgWebpCreation=Vahvista kaikkien kuvien kopiointi +GenerateChosenImgWebp=Kopioi valittu kuva toisella versiolla .webp-muodossa +ConfirmGenerateChosenImgWebp=Jos vahvistat, luot kuvalle .webp-muodossa olevan kuvan %s +ConfirmChosenImgWebpCreation=Vahvista valittujen kuvien kopiointi +SucessConvertImgWebp=Kuvien kopiointi onnistui +SucessConvertChosenImgWebp=Valitun kuvan kopiointi onnistui +ECMDirName=Ohjaajan nimi +ECMParentDirectory=Päähakemisto diff --git a/htdocs/langs/fi_FI/errors.lang b/htdocs/langs/fi_FI/errors.lang index 9a5148d92c3..c461564a9e2 100644 --- a/htdocs/langs/fi_FI/errors.lang +++ b/htdocs/langs/fi_FI/errors.lang @@ -1,334 +1,406 @@ # Dolibarr language file - Source file is en_US - errors # No errors -NoErrorCommitIsDone=No error, we commit +NoErrorCommitIsDone=Ei virheitä, sitoudumme # Errors -ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is incorrect -ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) -ErrorBadUrl=Url %s is incorrect -ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. -ErrorRefAlreadyExists=Reference %s already exists. +ErrorButCommitIsDone=Virheitä löytyi, mutta vahvistamme tästä huolimatta +ErrorBadEMail=Sähköpostiosoite %s on virheellinen +ErrorBadMXDomain=Sähköpostiosoite %s näyttää väärältä (verkkotunnuksella ei ole kelvollista MX-tietuetta) +ErrorBadUrl=URL-osoite %s on virheellinen +ErrorBadValueForParamNotAString=Parametrisi arvo on huono. Se liitetään yleensä, kun käännös puuttuu. +ErrorRefAlreadyExists=Viite %s on jo olemassa. +ErrorTitleAlreadyExists=Otsikko %s on jo olemassa. ErrorLoginAlreadyExists=Kirjaudu %s on jo olemassa. ErrorGroupAlreadyExists=Ryhmän %s on jo olemassa. -ErrorEmailAlreadyExists=Email %s already exists. +ErrorEmailAlreadyExists=Sähköposti %s on jo olemassa. ErrorRecordNotFound=Levykauppa ei löytynyt. +ErrorRecordNotFoundShort=Ei löydetty ErrorFailToCopyFile=Epäonnistui kopioida tiedoston %s ilmaisuksi %s ". -ErrorFailToCopyDir=Failed to copy directory '%s' into '%s'. +ErrorFailToCopyDir=Hakemiston %s kopioiminen hakemistoon epäonnistui. ='notranslate'>
      %s'. ErrorFailToRenameFile=Epäonnistui nimetä tiedoston %s ilmaisuksi %s ". ErrorFailToDeleteFile=Epäonnistui poistaa tiedoston ' %s'. ErrorFailToCreateFile=Luominen epäonnistui file ' %s'. ErrorFailToRenameDir=Epäonnistui nimetä directory ' %s' osaksi' %s'. ErrorFailToCreateDir=Luominen epäonnistui directory ' %s'. ErrorFailToDeleteDir=Poistaminen ei onnistunut directory ' %s'. -ErrorFailToMakeReplacementInto=Failed to make replacement into file '%s'. -ErrorFailToGenerateFile=Failed to generate file '%s'. +ErrorFailToMakeReplacementInto=Epäonnistui korvaaminen muotoon tiedosto '%s'. +ErrorFailToGenerateFile=tiedosto '%s
      '. ErrorThisContactIsAlreadyDefinedAsThisType=Tämä yhteys on jo määritelty yhteyttä tämän tyypin osalta. ErrorCashAccountAcceptsOnlyCashMoney=Tämä pankkitili on käteistä huomioon, joten se hyväksyy maksujen tyypin käteisellä vain. ErrorFromToAccountsMustDiffers=Lähde ja tavoitteet pankkitilit on erilainen. -ErrorBadThirdPartyName=Bad value for third-party name -ForbiddenBySetupRules=Forbidden by setup rules -ErrorProdIdIsMandatory=The %s is mandatory -ErrorAccountancyCodeCustomerIsMandatory=The accountancy code of customer %s is mandatory +ErrorBadThirdPartyName=Huono arvo kolmannen osapuolen nimelle +ForbiddenBySetupRules=Asennussääntöjen mukaan kielletty +ErrorProdIdIsMandatory=%s on pakollinen +ErrorAccountancyCodeCustomerIsMandatory=Asiakkaan %s tilikoodi on pakollinen +ErrorAccountancyCodeSupplierIsMandatory=Kirjanpitokoodi toimittaja %s on pakollinen ErrorBadCustomerCodeSyntax=Bad syntaksi asiakas-koodi -ErrorBadBarCodeSyntax=Bad syntax for barcode. May be you set a bad barcode type or you defined a barcode mask for numbering that does not match value scanned. +ErrorBadBarCodeSyntax=Virheellinen syntaksi kohteelle viivakoodi. Olet ehkä asettanut väärän viivakoodi-tyypin tai määritit viivakoodi-maskin numerointiin, joka ei vastaa skannattua arvoa. ErrorCustomerCodeRequired=Asiakas-koodi tarvitaan -ErrorBarCodeRequired=Barcode required +ErrorBarCodeRequired=viivakoodi vaaditaan ErrorCustomerCodeAlreadyUsed=Asiakas-koodi on jo käytetty -ErrorBarCodeAlreadyUsed=Barcode already used +ErrorBarCodeAlreadyUsed=viivakoodi jo käytössä ErrorPrefixRequired=Etunumero tarvitaan -ErrorBadSupplierCodeSyntax=Bad syntax for vendor code -ErrorSupplierCodeRequired=Vendor code required -ErrorSupplierCodeAlreadyUsed=Vendor code already used +ErrorBadSupplierCodeSyntax=Virheellinen syntaksi koodille Toimittaja +ErrorSupplierCodeRequired=Toimittaja koodi vaaditaan +ErrorSupplierCodeAlreadyUsed=Toimittaja koodi on jo käytössä ErrorBadParameters=Bad parametrit -ErrorWrongParameters=Wrong or missing parameters -ErrorBadValueForParameter=Wrong value '%s' for parameter '%s' -ErrorBadImageFormat=Image file has not a supported format (Your PHP does not support functions to convert images of this format) +ErrorWrongParameters=Väärät tai puuttuvat parametrit +ErrorBadValueForParameter=Väärä arvo %s parametrille %s +ErrorBadImageFormat=Kuvalla tiedosto ei ole tuettua muotoa (PHP ei tue toimintoja tämän muodon kuvien muuntamiseksi) ErrorBadDateFormat=Arvo "%s" on väärä päivämäärä muoto ErrorWrongDate=Päivämäärä ei ole oikein! ErrorFailedToWriteInDir=Epäonnistui kirjoittaa hakemistoon %s +ErrorFailedToBuildArchive=Arkiston luominen epäonnistui tiedosto %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=Löytyi virheellinen sähköposti syntaksi %s rivit tiedoston (esimerkiksi rivi %s email= %s) -ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields have been left blank. -ErrorSubjectIsRequired=The email subject is required +ErrorUserCannotBeDelete=Käyttäjää ei voi poistaa. Ehkä se liittyy Dolibarrin kokonaisuuksiin. +ErrorFieldsRequired=Jotkut pakolliset kentät on jätetty tyhjiksi. +ErrorSubjectIsRequired=Sähköpostin aihe on pakollinen ErrorFailedToCreateDir=Luominen epäonnistui hakemiston. Tarkista, että Web-palvelin käyttäjällä on oikeudet kirjoittaa Dolibarr asiakirjat hakemistoon. Jos parametri safe_mode on käytössä tämän PHP, tarkista, että Dolibarr php tiedostot omistaa web-palvelimen käyttäjä (tai ryhmä). ErrorNoMailDefinedForThisUser=Ei postia määritelty tälle käyttäjälle -ErrorSetupOfEmailsNotComplete=Setup of emails is not complete -ErrorFeatureNeedJavascript=Tätä ominaisuutta tarvitaan JavaScript on aktivoitu työstä. Muuta tämän setup - näyttö. +ErrorSetupOfEmailsNotComplete=Sähköpostien määritys ei ole valmis +ErrorFeatureNeedJavascript=Tämä ominaisuus vaatii JavaScriptin aktivoinnin toimiakseen. Muuta tätä asetusnäytössä. ErrorTopMenuMustHaveAParentWithId0=A-valikosta tyyppi "Alkuun" ei voi olla emo-valikosta. Laita 0 vanhemman valikosta tai valita valikosta tyyppi "vasemmisto". ErrorLeftMenuMustHaveAParentId=A-valikosta tyyppi "vasemmisto" on oltava vanhemman id. ErrorFileNotFound=Tiedostoa ei löydy (Bad polku väärä oikeudet tai pääsy evätty openbasedir parametri) ErrorDirNotFound=Directory %s ei löytynyt (Bad polku, väärä oikeudet tai pääsyn lennolle PHP openbasedir tai safe_mode parametri) ErrorFunctionNotAvailableInPHP=Tehtävä %s tarvitaan tätä ominaisuutta, mutta ei ole käytettävissä tässä versiossa / setup PHP. ErrorDirAlreadyExists=A-hakemisto on jo olemassa. +ErrorDirNotWritable=Hakemistoon %s ei voi kirjoittaa. ErrorFileAlreadyExists=Tämän niminen tiedosto on jo olemassa. -ErrorDestinationAlreadyExists=Another file with the name %s already exists. +ErrorDestinationAlreadyExists=Toinen tiedosto, jonka nimi on %s on jo olemassa. ErrorPartialFile=Tiedosto ei saanut kokonaan palvelimelta. -ErrorNoTmpDir=Tilapäinen directy %s ei ole. +ErrorNoTmpDir=Väliaikaista hakemistoa %s ei ole olemassa. ErrorUploadBlockedByAddon=Lähetä estetty PHP / Apache plugin. -ErrorFileSizeTooLarge=Tiedoston koko on liian suuri. -ErrorFieldTooLong=Field %s is too long. +ErrorFileSizeTooLarge=tiedosto koko on liian suuri tai tiedosto ei ole annettu. +ErrorFieldTooLong=Kenttä %s on liian pitkä. ErrorSizeTooLongForIntType=Koko liian pitkä int tyyppi (%s merkkiä maksimi) ErrorSizeTooLongForVarcharType=Koko liian pitkä jono tyyppi (%s merkkiä maksimi) -ErrorNoValueForSelectType=Please fill value for select list -ErrorNoValueForCheckBoxType=Please fill value for checkbox list -ErrorNoValueForRadioType=Please fill value for radio list -ErrorBadFormatValueList=The list value cannot have more than one comma: %s, but need at least one: key,value -ErrorFieldCanNotContainSpecialCharacters=The field %s must not contains special characters. -ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters and cannot contain only numbers. -ErrorFieldMustHaveXChar=The field %s must have at least %s characters. +ErrorNoValueForSelectType=Täytä arvo valintalistaa varten +ErrorNoValueForCheckBoxType=Täytä valintaruutuluettelon arvo +ErrorNoValueForRadioType=Ole hyvä ja täytä radioluettelon arvo +ErrorBadFormatValueList=Luetteloarvossa voi olla vain yksi pilkku: %s, mutta tarvitset ainakin yhden: avain,arvo +ErrorFieldCanNotContainSpecialCharacters=Kenttä %sb09f17f7309f17f8 /span> ei saa sisältää erikoismerkkejä. +ErrorFieldCanNotContainSpecialNorUpperCharacters=Kenttä %sb09f17f7309f17f8 /span> ei saa sisältää erikoismerkkejä eikä isoja kirjaimia, ja on aloitettava aakkosmerkillä (a-z) +ErrorFieldMustHaveXChar=Kenttä %sb09f17f7309f17f8 /span>:ssa on oltava vähintään %s merkkiä. ErrorNoAccountancyModuleLoaded=O kirjanpito moduuli aktivoitu -ErrorExportDuplicateProfil=This profile name already exists for this export set. +ErrorExportDuplicateProfil=Tämä profiilinimi on jo olemassa tälle vientijoukolle. ErrorLDAPSetupNotComplete=Dolibarr-LDAP yhteensovitus ei ole täydellinen. ErrorLDAPMakeManualTest=A. LDIF tiedosto on luotu hakemistoon %s. Yritä ladata se manuaalisesti komentoriviltä on enemmän tietoa virheitä. -ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled. -ErrorRefAlreadyExists=Reference %s already exists. -ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD) -ErrorRecordHasChildren=Failed to delete record since it has some child records. -ErrorRecordHasAtLeastOneChildOfType=Object %s has at least one child of type %s -ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into another object. -ErrorModuleRequireJavascript=Javascript ei saa keskeytyä, on tämä ominaisuus toimii. Ottaa käyttöön / poistaa Javascript, mene menu Koti-> Asetukset-> Näyttö. +ErrorCantSaveADoneUserWithZeroPercentage=Toimintoa ei voi tallentaa tilalla "tila ei aloitettu", jos myös Kenttä "done by" on täytetty. +ErrorRefAlreadyExists=Viite %s on jo olemassa. +ErrorPleaseTypeBankTransactionReportName=Anna tiliote nimi, johon merkintä on ilmoitettava (muoto VVVVKK tai VVVVKKPP) +ErrorRecordHasChildren=Tietueen poistaminen epäonnistui, koska siinä on alitietueita. +ErrorRecordHasAtLeastOneChildOfType=Objektilla %s on vähintään yksi alatason tyyppi %s +ErrorRecordIsUsedCantDelete=Tietuetta ei voi poistaa. Se on jo käytetty tai sisällytetty toiseen objektiin. +ErrorModuleRequireJavascript=JavaScriptiä ei saa poistaa käytöstä, jotta tämä ominaisuus toimisi. Ota JavaScript käyttöön tai poista se käytöstä siirtymällä kohtaan valikko Etusivu->Asetukset->Näyttö. ErrorPasswordsMustMatch=Molemmat kirjoittaa salasanat on vastattava toisiaan -ErrorContactEMail=A technical error occured. Please, contact administrator to following email %s and provide the error code %s in your message, or add a screen copy of this page. -ErrorWrongValueForField=Field %s: '%s' does not match regex rule %s -ErrorFieldValueNotIn=Field %s: '%s' is not a value found in field %s of %s -ErrorFieldRefNotIn=Field %s: '%s' is not a %s existing ref -ErrorsOnXLines=%s errors found +ErrorContactEMail=Tapahtui tekninen virhe. Ota yhteyttä järjestelmänvalvojaan seuraavaan sähköpostiin %s ja anna virhekoodi %s34f18b09 span> viestiisi tai lisää näyttökopio tästä sivusta. +ErrorWrongValueForField=Kenttä %sb09f4b730 span>: '%s' ei vastaa regex-sääntöä %s +ErrorHtmlInjectionForField=Kenttä %sb09f4b730 span>: Arvo %s sisältää haitallista tietoa ei sallittu +ErrorFieldValueNotIn=Kenttä %sb09f4b730 span>: '%s' ei löydy arvosta Kenttä %sb09f4b730 span> / %s +ErrorFieldRefNotIn=Kenttä %sb09f4b730 span>: '%s' ei ole %s olemassa oleva viite +ErrorMultipleRecordFoundFromRef=Useita tietueita löytyi haettaessa viitteestä %s. Ei voi tietää, mitä tunnusta käyttää. +ErrorsOnXLines=%s virhettä löydetty ErrorFileIsInfectedWithAVirus=Virustentorjuntaohjelma ei voinut tarkistaa tiedoston (tiedosto saattaa olla tartunnan virus) -ErrorSpecialCharNotAllowedForField=Erikoismerkkejä ei sallita kentän "%s" +ErrorFileIsAnInfectedPDFWithJSInside=tiedosto on PDF-tiedosto, jonka sisällä oleva Javascript on saanut tartunnan. ErrorNumRefModel=Viittaus olemassa otetaan tietokantaan (%s) ja ei ole yhteensopiva tämän numeroinnin sääntöä. Poista levy tai nimen viittaus aktivoida tämän moduulin. -ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this vendor -ErrorOrdersNotCreatedQtyTooLow=Some orders haven't been created because of too-low quantities -ErrorModuleSetupNotComplete=Setup of module %s looks to be uncomplete. Go on Home - Setup - Modules to complete. +ErrorQtyTooLowForThisSupplier=Liian pieni määrä tälle Toimittaja tai tälle tuotteelle ei ole määritetty hintaa tälle Toimittaja +ErrorOrdersNotCreatedQtyTooLow=Joitakin tilauksia ei ole luotu liian pienten määrien vuoksi +ErrorOrderStatusCantBeSetToDelivered=Tilauksen tilaa ei voi asettaa toimitetuksi. +ErrorModuleSetupNotComplete=Moduulin %s asennus näyttää olevan epätäydellinen. Siirry kohtaan Koti - Asetukset - Moduulit loppuun. ErrorBadMask=Virhe naamio ErrorBadMaskFailedToLocatePosOfSequence=Virhe, maski ilman järjestysnumeroa ErrorBadMaskBadRazMonth=Virhe, huono palautus arvo -ErrorMaxNumberReachForThisMask=Maximum number reached for this mask -ErrorCounterMustHaveMoreThan3Digits=Counter must have more than 3 digits -ErrorSelectAtLeastOne=Error, select at least one entry. -ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transaction that is conciliated +ErrorMaxNumberReachForThisMask=Tämän maskin enimmäismäärä saavutettu +ErrorCounterMustHaveMoreThan3Digits=Laskurissa on oltava yli 3 numeroa +ErrorSelectAtLeastOne=Virhe, valitse vähintään yksi merkintä. +ErrorDeleteNotPossibleLineIsConsolidated=Poistaminen ei ole mahdollista, koska tietue on linkitetty sovittuun pankkitapahtumaan ErrorProdIdAlreadyExist=%s on siirretty toiseen kolmanteen ErrorFailedToSendPassword=Epäonnistui lähettää salasana ErrorFailedToLoadRSSFile=Ei saada RSS-syötteen. Yritä lisätä jatkuvasti MAIN_SIMPLEXMLLOAD_DEBUG jos virheilmoituksia ei ole tarpeeksi tietoa. -ErrorForbidden=Access denied.
      You try to access to a page, area or feature of a disabled module or without being in an authenticated session or that is not allowed to your user. +ErrorForbidden=Pääsy estetty.
      Yrität käyttää käytöstä poistetun moduulin sivua, aluetta tai ominaisuutta tai ole todennettuun istunnossa tai jota ei sallita käyttäjällesi. ErrorForbidden2=Lupa tämän sisäänkirjoittautumissivuksesi voidaan määritellä oma Dolibarr järjestelmänvalvoja valikkopalkki %s-> %s. ErrorForbidden3=Vaikuttaa siltä, että Dolibarr ei käytetä kautta autentikoitu istunnossa. Tutustu Dolibarr setup asiakirjat tietää, miten hallita authentications (htaccess, mod_auth tai muita ...). -ErrorForbidden4=Note: clear your browser cookies to destroy existing sessions for this login. +ErrorForbidden4=Huomautus: poista selaimesi evästeet tuhotaksesi tämän kirjautumisen olemassa olevat istunnot. ErrorNoImagickReadimage=Tehtävä imagick_readimage ei löydy tässä PHP. Esikatselu ei voi olla käytettävissä. Järjestelmänvalvojat voivat poistaa tämän välilehden valikosta Asetukset - Näyttö. ErrorRecordAlreadyExists=Record jo olemassa -ErrorLabelAlreadyExists=This label already exists +ErrorLabelAlreadyExists=Tämä tunniste on jo olemassa ErrorCantReadFile=Failed to read file ' %s' ErrorCantReadDir=Lukeminen epäonnistui directory ' %s' ErrorBadLoginPassword=Bad arvo kirjautumistunnus tai salasana ErrorLoginDisabled=Tilisi on poistettu käytöstä -ErrorFailedToRunExternalCommand=Failed to run external command. Check it is available and runnable by your PHP server user. Check also the command is not protected on shell level by a security layer like apparmor. +ErrorFailedToRunExternalCommand=Ulkoisen komennon suorittaminen epäonnistui. Tarkista, että se on saatavilla ja PHP-palvelimesi käyttäjän suorittamana. Tarkista myös, ettei komentoa ole suojattu shell-tasolla suojakerroksella, kuten apparmor. ErrorFailedToChangePassword=Ei vaihda salasana ErrorLoginDoesNotExists=Käyttäjälle sisäänkirjoittautumissivuksesi %s ei löydy. ErrorLoginHasNoEmail=Tämä käyttäjä ei ole sähköpostiosoitetta. Process aborted. ErrorBadValueForCode=Bad arvotyypeillä koodin. Yritä uudelleen uuteen arvoon ... ErrorBothFieldCantBeNegative=Kentät %s ja %s voi olla sekä kielteisiä -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines (net of tax) can't be negative for a given not null VAT rate (Found a negative total for VAT rate %s%%). -ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. -ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative +ErrorFieldCantBeNegativeOnInvoice=Kenttä %sb0af65c07910f65d span> ei voi olla negatiivinen tämän tyyppisessä laskussa. Jos sinun on lisättävä alennusrivi, luo alennus ensin (osoitteesta Kenttä ' %s' kolmannen osapuolen kortissa) ja käytä sitä laskussa. +ErrorLinesCantBeNegativeForOneVATRate=Rivien kokonaismäärä (ilman vero) ei voi olla negatiivinen annetulle ei nolla-arvonlisäverokannalle (Löytyi negatiivinen kokonaissumma ALV-prosentille %s%%). +ErrorLinesCantBeNegativeOnDeposits=Rivit eivät voi olla negatiivisia talletuksissa. Kohtaat ongelmia, kun joudut käyttämään talletuksen loppulaskussa, jos teet niin. +ErrorQtyForCustomerInvoiceCantBeNegative=Asiakaslaskujen rivin määrä ei voi olla negatiivinen ErrorWebServerUserHasNotPermission=Käyttäjätili %s käyttää myös toteuttaa web-palvelimella ei ole lupaa, että ErrorNoActivatedBarcode=Ei viivakoodin tyyppi aktivoitu -ErrUnzipFails=Failed to unzip %s with ZipArchive -ErrNoZipEngine=No engine to zip/unzip %s file in this PHP -ErrorFileMustBeADolibarrPackage=The file %s must be a Dolibarr zip package -ErrorModuleFileRequired=You must select a Dolibarr module package file -ErrorPhpCurlNotInstalled=The PHP CURL is not installed, this is essential to talk with Paypal -ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP base -ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base -ErrorNewValueCantMatchOldValue=New value can't be equal to old one -ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process. -ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check database server is running (for example, with mysql/mariadb, you can launch it from command line with 'sudo service mysql start'). +ErrUnzipFails=%s purkaminen ZipArchiven avulla epäonnistui +ErrNoZipEngine=Tässä PHP:ssä ei ole konetta, jota pakata/purkaa %s tiedosto +ErrorFileMustBeADolibarrPackage=tiedosto %s on oltava Dolibarrin zip-paketti +ErrorModuleFileRequired=Sinun on valittava Dolibarr-moduulipaketti tiedosto +ErrorPhpCurlNotInstalled=PHP CURL:ää ei ole asennettu, tämä on välttämätöntä Paypalin kanssa puhumiseen +ErrorFailedToAddToMailmanList=Tietueen %s lisääminen postimiesluetteloon %s tai SPIP-pohjaan epäonnistui +ErrorFailedToRemoveToMailmanList=Tietueen %s poistaminen postimiesluettelosta %s tai SPIP-pohjasta epäonnistui +ErrorNewValueCantMatchOldValue=Uusi arvo ei voi olla sama kuin vanha +ErrorFailedToValidatePasswordReset=Salasanan palauttaminen epäonnistui. Reinit saattaa olla jo tehty (tätä linkkiä voidaan käyttää vain kerran). Jos ei, yritä käynnistää uudelleenkäynnistysprosessi uudelleen. +ErrorToConnectToMysqlCheckInstance=Yhteyden muodostaminen kohteeseen tietokanta epäonnistuu. Tarkista, että tietokanta palvelin on käynnissä (esimerkiksi mysql/mariadb:llä voit käynnistää sen komentoriviltä komennolla "sudo service mysql start"). ErrorFailedToAddContact=Yhteystiedon lisääminen epäonnistui -ErrorDateMustBeBeforeToday=The date must be lower than today -ErrorDateMustBeInFuture=The date must be greater than today -ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode. -ErrorPHPNeedModule=Error, your PHP must have module %s installed to use this feature. -ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s -ErrorWarehouseMustDiffers=Source and target warehouses must differs -ErrorBadFormat=Bad format! -ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any third party. Link member to an existing third party or create a new third party before creating subscription with invoice. -ErrorThereIsSomeDeliveries=Error, there is some deliveries linked to this shipment. Deletion refused. -ErrorCantDeletePaymentReconciliated=Can't delete a payment that had generated a bank entry that was reconciled -ErrorCantDeletePaymentSharedWithPayedInvoice=Can't delete a payment shared by at least one invoice with status Paid -ErrorPriceExpression1=Cannot assign to constant '%s' -ErrorPriceExpression2=Cannot redefine built-in function '%s' -ErrorPriceExpression3=Undefined variable '%s' in function definition +ErrorDateMustBeBeforeToday=päiväys on oltava pienempi kuin nykyään +ErrorDateMustBeInFuture=päiväys on oltava suurempi kuin nykyään +ErrorStartDateGreaterEnd=Alku päiväys on suurempi kuin loppu päiväys +ErrorPaymentModeDefinedToWithoutSetup=maksu-tila asetettiin tyypiksi %s, mutta moduulin Lasku määritystä ei suoritettu loppuun, jotta tälle maksu-tilassa. +ErrorPHPNeedModule=Virhe, PHP:ssäsi on oltava asennettuna moduuli %s, jotta voit käyttää tätä ominaisuus. +ErrorOpenIDSetupNotComplete=Määrität Dolibarr-määrityksen tiedosto sallimaan OpenID:n Autentikointi, mutta OpenID-palvelun URL-osoitetta ei ole määritetty vakioksi %s +ErrorWarehouseMustDiffers=Lähteen ja kohde Varastot täytyy poiketa +ErrorBadFormat=Huono muoto! +ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Virhe, tätä jäsentä ei ole vielä linkitetty mihinkään kolmanteen osapuoleen. Linkitä jäsen olemassa olevaan kolmanteen osapuoleen tai luo uuteen kolmanteen osapuoleen ennen tilauksen luomista laskulla. +ErrorThereIsSomeDeliveries=Virhe, tähän lähetykseen on linkitetty joitain toimituksia. Poistaminen evätty. +ErrorCantDeletePaymentReconciliated=Ei voida poistaa maksu, joka oli luonut täsmäytetyn pankkimerkinnän +ErrorCantDeletePaymentSharedWithPayedInvoice=Ei voida poistaa maksu, jota jakaa vähintään yksi lasku, jonka tila on maksettu +ErrorPriceExpression1=Ei voida määrittää vakiolle %s +ErrorPriceExpression2=Sisäistä funktiota %s ei voi määrittää uudelleen +ErrorPriceExpression3=Määrittämätön muuttuja %s funktion määrittelyssä ErrorPriceExpression4=Kielletty merkki '%s' ErrorPriceExpression5=Odottamaton virhe '%s' -ErrorPriceExpression6=Wrong number of arguments (%s given, %s expected) +ErrorPriceExpression6=Väärä määrä argumentteja (%s annettu, %s odotettavissa) ErrorPriceExpression8=Odottamaton operaatio '%s' -ErrorPriceExpression9=An unexpected error occured -ErrorPriceExpression10=Operator '%s' lacks operand -ErrorPriceExpression11=Expecting '%s' -ErrorPriceExpression14=Division by zero -ErrorPriceExpression17=Undefined variable '%s' -ErrorPriceExpression19=Expression not found -ErrorPriceExpression20=Empty expression -ErrorPriceExpression21=Empty result '%s' -ErrorPriceExpression22=Negative result '%s' -ErrorPriceExpression23=Unknown or non set variable '%s' in %s -ErrorPriceExpression24=Variable '%s' exists but has no value -ErrorPriceExpressionInternal=Internal error '%s' -ErrorPriceExpressionUnknown=Unknown error '%s' -ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs -ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on product '%s' requiring lot/serial information -ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=All recorded receptions must first be verified (approved or denied) before being allowed to do this action -ErrorCantSetReceptionToTotalDoneWithReceptionDenied=All recorded receptions must first be verified (approved) before being allowed to do this action -ErrorGlobalVariableUpdater0=HTTP request failed with error '%s' -ErrorGlobalVariableUpdater1=Invalid JSON format '%s' +ErrorPriceExpression9=odottamaton virhe +ErrorPriceExpression10=Operaattorista '%s' puuttuu operandi +ErrorPriceExpression11=Odotetaan %s +ErrorPriceExpression14=Nollalla jakaminen +ErrorPriceExpression17=Määrittelemätön muuttuja %s +ErrorPriceExpression19=Lauseketta ei löydy +ErrorPriceExpression20=Tyhjä ilmaisu +ErrorPriceExpression21=Tyhjä tulos %s +ErrorPriceExpression22=Negatiivinen tulos %s +ErrorPriceExpression23=Tuntematon tai määrittämätön muuttuja %s kohteessa %s +ErrorPriceExpression24=Muuttuja %s on olemassa, mutta sillä ei ole arvoa +ErrorPriceExpressionInternal=Sisäinen virhe %s +ErrorPriceExpressionUnknown=Tuntematon virhe %s +ErrorSrcAndTargetWarehouseMustDiffers=Lähteen ja kohde Varastot täytyy poiketa +ErrorTryToMakeMoveOnProductRequiringBatchData=Virhe yritettäessä tehdä varastoliikettä ilman erä-/sarjatietoja tuotteessa '%s', joka vaatii erä-/sarjatietoja +ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=Kaikki tallennetut vastaanotot on ensin tarkistettava (hyväksyttävä tai hylättävä), ennen kuin niiden sallitaan tehdä tämä +ErrorCantSetReceptionToTotalDoneWithReceptionDenied=Kaikki tallennetut vastaanotot on ensin tarkistettava (hyväksyttävä), ennen kuin niiden sallitaan tehdä tämä +ErrorGlobalVariableUpdater0=HTTP-pyyntö epäonnistui virheellä %s +ErrorGlobalVariableUpdater1=Virheellinen JSON-muoto %s ErrorGlobalVariableUpdater2=Puuttuva parametri '%s' -ErrorGlobalVariableUpdater3=The requested data was not found in result +ErrorGlobalVariableUpdater3=Pyydettyjä tietoja ei löytynyt tuloksesta ErrorGlobalVariableUpdater4=SOAP ohjelma epäonnistui virheellä '%s' -ErrorGlobalVariableUpdater5=No global variable selected -ErrorFieldMustBeANumeric=Field %s must be a numeric value -ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided -ErrorOppStatusRequiredIfAmount=You set an estimated amount for this lead. So you must also enter it's status. -ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s -ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu) -ErrorSavingChanges=An error has occurred when saving the changes -ErrorWarehouseRequiredIntoShipmentLine=Warehouse is required on the line to ship +ErrorGlobalVariableUpdater5=Globaalia muuttujaa ei ole valittu +ErrorFieldMustBeANumeric=Kenttä %sb09f4b730 span> on oltava numeerinen arvo +ErrorMandatoryParametersNotProvided=Pakollisia parametreja ei ole annettu +ErrorOppStatusRequiredIfUsage=Päätät seurata tämän projektin mahdollisuutta, joten sinun on täytettävä myös liidin tila. +ErrorOppStatusRequiredIfAmount=Asetat arvioidun summan tälle liidille. Joten sinun on syötettävä myös sen tila. +ErrorFailedToLoadModuleDescriptorForXXX=Moduulikuvausluokan lataaminen epäonnistui kohteelle %s +ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Virheellinen valikko -taulukon määritelmä moduulin kuvauksessa (huono arvo avaimelle fk_menu) +ErrorSavingChanges=Muutoksia tallennettaessa tapahtui virhe +ErrorWarehouseRequiredIntoShipmentLine=Lähetyslinjalla vaaditaan varasto ErrorFileMustHaveFormat=Tiedoston on oltava formaatissa %s -ErrorFilenameCantStartWithDot=Filename can't start with a '.' -ErrorSupplierCountryIsNotDefined=Country for this vendor is not defined. Correct this first. -ErrorsThirdpartyMerge=Failed to merge the two records. Request canceled. -ErrorStockIsNotEnoughToAddProductOnOrder=Stock is not enough for product %s to add it into a new order. -ErrorStockIsNotEnoughToAddProductOnInvoice=Stock is not enough for product %s to add it into a new invoice. -ErrorStockIsNotEnoughToAddProductOnShipment=Stock is not enough for product %s to add it into a new shipment. -ErrorStockIsNotEnoughToAddProductOnProposal=Stock is not enough for product %s to add it into a new proposal. -ErrorFailedToLoadLoginFileForMode=Failed to get the login key for mode '%s'. +ErrorFilenameCantStartWithDot=Tiedostonimi ei voi alkaa kirjaimella "." +ErrorSupplierCountryIsNotDefined=Maata tälle Toimittaja ei ole määritetty. Korjaa tämä ensin. +ErrorsThirdpartyMerge=Kahden tietueen yhdistäminen epäonnistui. Pyyntö peruttu. +ErrorStockIsNotEnoughToAddProductOnOrder=Varasto ei riitä tuotteelle %s, jotta se voidaan lisätä uuteen tilaukseen. +ErrorStockIsNotEnoughToAddProductOnInvoice=Varasto ei riitä tuotteelle %s, jotta se voidaan lisätä uuteen laskuun. +ErrorStockIsNotEnoughToAddProductOnShipment=Varasto ei riitä tuotteen %s lisäämiseen uuteen lähetykseen. +ErrorStockIsNotEnoughToAddProductOnProposal=Varasto ei riitä tuotteelle %s, jotta se voidaan lisätä uuteen tarjous. +ErrorFailedToLoadLoginFileForMode=Tilan %s kirjautumisavaimen hakeminen epäonnistui. ErrorModuleNotFound=Moduulitiedostoa ei löydetty. -ErrorFieldAccountNotDefinedForBankLine=Value for Accounting account not defined for source line id %s (%s) -ErrorFieldAccountNotDefinedForInvoiceLine=Value for Accounting account not defined for invoice id %s (%s) -ErrorFieldAccountNotDefinedForLine=Value for Accounting account not defined for the line (%s) -ErrorBankStatementNameMustFollowRegex=Error, bank statement name must follow the following syntax rule %s -ErrorPhpMailDelivery=Check that you don't use a too high number of recipients and that your email content is not similar to a Spam. Ask also your administrator to check firewall and server logs files for a more complete information. -ErrorUserNotAssignedToTask=User must be assigned to task to be able to enter time consumed. +ErrorFieldAccountNotDefinedForBankLine=Tilin Kirjanpito arvoa ei ole määritetty lähderivin tunnukselle %s (%s) +ErrorFieldAccountNotDefinedForInvoiceLine=Arvoa tilille Kirjanpito ei määritetty laskun tunnukselle %s (%s) +ErrorFieldAccountNotDefinedForLine=Kirjanpito-tilin arvoa ei ole määritetty riville (%s) +ErrorBankStatementNameMustFollowRegex=Virhe, tiliote nimen on noudatettava seuraavaa syntaksisääntöä %s +ErrorPhpMailDelivery=Varmista, että et käytä liian suurta määrää vastaanottajia ja, jotta sähköpostisi sisältö ei ole samanlaista kuin roskaposti. Pyydä myös järjestelmänvalvojaa tarkistamaan palomuurin ja palvelimen lokitiedostot saadaksesi täydelliset tiedot. +ErrorUserNotAssignedToTask=Käyttäjä on määritettävä tehtävään, jotta hän voi syöttää kulutetun ajan. ErrorTaskAlreadyAssigned=Tehtävä on jo määrätty käyttäjälle -ErrorModuleFileSeemsToHaveAWrongFormat=The module package seems to have a wrong format. -ErrorModuleFileSeemsToHaveAWrongFormat2=At least one mandatory directory must exists into zip of module: %s or %s -ErrorFilenameDosNotMatchDolibarrPackageRules=The name of the module package (%s) does not match expected name syntax: %s -ErrorDuplicateTrigger=Error, duplicate trigger name %s. Already loaded from %s. +ErrorModuleFileSeemsToHaveAWrongFormat=Moduulipaketilla näyttää olevan väärä muoto. +ErrorModuleFileSeemsToHaveAWrongFormat2=Moduulin zip-tiedostossa on oltava vähintään yksi pakollinen hakemisto: %sb0a65d071f6fc9 > tai %s +ErrorFilenameDosNotMatchDolibarrPackageRules=Moduulipaketin nimi (%s) ei täsmää odotetun nimen syntaksi: %s +ErrorDuplicateTrigger=Virhe, kaksoiskäynnistimen nimi %s. Ladattu jo kohteesta %s. ErrorNoWarehouseDefined=Virhe, varastoa ei tunnistettu -ErrorBadLinkSourceSetButBadValueForRef=The link you use is not valid. A 'source' for payment is defined, but value for 'ref' is not valid. -ErrorTooManyErrorsProcessStopped=Too many errors. Process was stopped. -ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Mass validation is not possible when option to increase/decrease stock is set on this action (you must validate one by one so you can define the warehouse to increase/decrease) -ErrorObjectMustHaveStatusDraftToBeValidated=Object %s must have status 'Draft' to be validated. -ErrorObjectMustHaveLinesToBeValidated=Object %s must have lines to be validated. -ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Only validated invoices can be sent using the "Send by email" mass action. -ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a predefined product or not -ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before. -ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently. -ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference. -ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number. -ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product -ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use -ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually. -ErrorBadSyntaxForParamKeyForContent=Bad syntax for param keyforcontent. Must have a value starting with %s or %s -ErrorVariableKeyForContentMustBeSet=Error, the constant with name %s (with text content to show) or %s (with external url to show) must be set. -ErrorURLMustEndWith=URL %s must end %s -ErrorURLMustStartWithHttp=URL %s must start with http:// or https:// -ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// -ErrorNewRefIsAlreadyUsed=Error, the new reference is already used -ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible. -ErrorSearchCriteriaTooSmall=Search criteria too small. -ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to be disabled -ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled -ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. -ErrorFieldRequiredForProduct=Field '%s' is required for product %s -ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. -ErrorAddAtLeastOneLineFirst=Add at least one line first -ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, record is already transferred in accounting, deletion is not possible. -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one. -ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s". -ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty -ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number -ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number -ErrorFailedToReadObject=Error, failed to read object of type %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler -ErrorLoginDateValidity=Error, this login is outside the validity date range -ErrorValueLength=Length of field '%s' must be higher than '%s' -ErrorReservedKeyword=The word '%s' is a reserved keyword -ErrorNotAvailableWithThisDistribution=Not available with this distribution -ErrorPublicInterfaceNotEnabled=Public interface was not enabled -ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page -ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page -ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation -ErrorDateIsInFuture=Error, the date can't be in the future -ErrorAnAmountWithoutTaxIsRequired=Error, amount is mandatory -ErrorAPercentIsRequired=Error, please fill in the percentage correctly -ErrorYouMustFirstSetupYourChartOfAccount=You must first setup your chart of account -ErrorFailedToFindEmailTemplate=Failed to find template with code name %s -ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Duration not defined on service. No way to calculate the hourly price. -ErrorActionCommPropertyUserowneridNotDefined=User's owner is required -ErrorActionCommBadType=Selected event type (id: %s, code: %s) do not exist in Event Type dictionary -CheckVersionFail=Version check fail -ErrorWrongFileName=Name of the file cannot have __SOMETHING__ in it -ErrorNotInDictionaryPaymentConditions=Not in Payment Terms Dictionary, please modify. -ErrorIsNotADraft=%s is not a draft -ErrorExecIdFailed=Can't execute command "id" -ErrorBadCharIntoLoginName=Unauthorized character in the login name -ErrorRequestTooLarge=Error, request too large +ErrorBadLinkSourceSetButBadValueForRef=Käyttämäsi linkki ei ole kelvollinen. Lähde arvolle maksu on määritetty, mutta viitearvo ei kelpaa. +ErrorTooManyErrorsProcessStopped=Liian monta virhettä. Prosessi pysäytettiin. +ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Massavahvistus ei ole mahdollista, kun vaihtoehto lisätä/vähentää varastoa on asetettu tälle toiminnolle (sinun on vahvistettava yksitellen, jotta voit määrittää varaston lisäämisen/vähentää) +ErrorObjectMustHaveStatusDraftToBeValidated=Objektin %s tilan on oltava Luonnos, jotta se voidaan vahvistaa. +ErrorObjectMustHaveLinesToBeValidated=Objektissa %s on oltava vahvistettavia rivejä. +ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Vain vahvistettuja laskuja voidaan lähettää "Lähetä sähköpostitse" -massatoiminnolla. +ErrorChooseBetweenFreeEntryOrPredefinedProduct=Sinun on valittava, onko tuote ennalta määritetty tuote vai ei +ErrorDiscountLargerThanRemainToPaySplitItBefore=Alennus, jota yrität soveltaa, on suurempi kuin jäljellä oleva alennus. Jaa alennus 2 pienempään alennukseen ennen. +ErrorFileNotFoundWithSharedLink=tiedosto ei löytynyt. Saattaa olla, että jakoavainta on muokattu tai tiedosto on poistettu äskettäin. +ErrorProductBarCodeAlreadyExists=Tuote viivakoodi %s on jo olemassa toisessa tuoteviitteessä. +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Huomaa myös, että sarjojen käyttäminen alatuotteiden automaattiseen lisäykseen/vähentää ei ole mahdollista, jos vähintään yksi osatuote (tai osatuotteiden osatuote) tarvitsee sarja-/eränumeron. +ErrorDescRequiredForFreeProductLines=Kuvaus on pakollinen riveille, joilla on ilmainen tuote +ErrorAPageWithThisNameOrAliasAlreadyExists=Sivulla/säilöllä %s on sama nimi tai vaihtoehtoinen alias jota yrität käyttää +ErrorDuringChartLoad=Virhe ladattaessa tilikarttaa. Jos muutamia tilejä ei ladattu, voit silti kirjoittaa ne manuaalisesti. +ErrorBadSyntaxForParamKeyForContent=Virheellinen syntaksi sisällön parametriavaimelle. Arvolla on oltava %s tai %s alkava arvo. +ErrorVariableKeyForContentMustBeSet=Virhe, vakio, jonka nimi on %s (näytettävä tekstisisältö) tai %s (näytettävä ulkoinen URL-osoite), on asetettava . +ErrorURLMustEndWith=URL-osoitteen %s tulee päättyä %s +ErrorURLMustStartWithHttp=URL-osoitteen %s alussa on oltava http:// tai https:// +ErrorHostMustNotStartWithHttp=Isäntänimi %s EI saa alkaa http:// tai https:// +ErrorNewRefIsAlreadyUsed=Virhe, uusi viite on jo käytössä +ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Virhe, suljettuun laskuun linkitetty maksu poistaminen ei ole mahdollista. +ErrorSearchCriteriaTooSmall=Hakukriteerit liian lyhyet. +ErrorObjectMustHaveStatusActiveToBeDisabled=Objektien tilan on oltava Aktiivinen, jotta ne voidaan poistaa käytöstä +ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objektien tilan on oltava Luonnos tai Disabled, jotta ne voidaan ottaa käyttöön. +ErrorNoFieldWithAttributeShowoncombobox=Millään kentällä ei ole ominaisuutta "showoncombobox" objektin "%s" määrittelyssä. Ei tapaa näyttää kombolistia. +ErrorFieldRequiredForProduct=Kenttä '%s' vaaditaan tuotteelle %s +AlreadyTooMuchPostOnThisIPAdress=Olet jo lähettänyt liikaa tähän IP-osoitteeseen. +ProblemIsInSetupOfTerminal=Ongelma on päätteen %s asetuksissa. +ErrorAddAtLeastOneLineFirst=Lisää ensin vähintään yksi rivi +ErrorRecordAlreadyInAccountingDeletionNotPossible=Virhe, tietue on jo siirretty muodossa Kirjanpito, poistaminen ei ole mahdollista. +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Virhe, Kieli on pakollinen, jos asetat sivun toisen sivun käännökseksi. +ErrorLanguageOfTranslatedPageIsSameThanThisPage=Virhe, käännetyn sivun Kieli on sama kuin tämä. +ErrorBatchNoFoundForProductInWarehouse=Tuotteelle "%s" ei löytynyt erää/sarjaa varastosta "%s". +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Ei tarpeeksi määrää tälle erälle/sarjalle tuotteelle "%s" varastossa "%s". +ErrorOnlyOneFieldForGroupByIsPossible=Vain yksi Kenttä arvolle "ryhmä by" on mahdollinen (muut hylätään) +ErrorTooManyDifferentValueForSelectedGroupBy=Löytyi liian monta eri arvoa (yli %s) Kenttä '%sb09f17b73z0f14 /span>", joten emme voi käyttää sitä "ryhmä by" grafiikkaa varten. Kenttä 'ryhmä Tekijä' on poistettu. Ehkä halusit käyttää sitä X-akselina? +ErrorReplaceStringEmpty=Virhe, merkkijono, johon korvataan, on tyhjä +ErrorProductNeedBatchNumber=Virhe, tuote '%s' tarvitsee paljon/ class='notranslate'>Sarjanumero +ErrorProductDoesNotNeedBatchNumber=Virhe, tuote '%s' ei hyväksy erää/ Sarjanumero +ErrorFailedToReadObject=Virhe, tyypin %s objektin lukeminen epäonnistui. +ErrorParameterMustBeEnabledToAllwoThisFeature=Virhe, parametri %s on otettava käyttöön arvossa conf/conf.php<> salliaksesi sisäisen työn ajoituksen komentoriviliittymän käytön +ErrorLoginDateValidity=Virhe, tämä kirjautuminen on kelpoisuusalueen päiväys ulkopuolella +ErrorValueLength=Kenttä '%s pituus ' on oltava suurempi kuin '%sb09af7f739 ' +ErrorReservedKeyword=Sana %s on varattu avainsana +ErrorFilenameReserved=Tiedostonimeä %s ei voi käyttää, koska se on varattu ja suojattu komento. +ErrorNotAvailableWithThisDistribution=Ei saatavilla tällä jakelulla +ErrorPublicInterfaceNotEnabled=Julkinen käyttöliittymä ei ollut käytössä +ErrorLanguageRequiredIfPageIsTranslationOfAnother=Uuden sivun Kieli on määritettävä, jos se on asetettu toisen sivun käännökseksi +ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=Uuden sivun Kieli ei saa olla lähde Kieli, jos se on asetettu toisen sivun käännökseksi +ErrorAParameterIsRequiredForThisOperation=Parametri on pakollinen tälle toiminnolle +ErrorDateIsInFuture=Virhe, päiväys ei voi olla tulevaisuudessa +ErrorAnAmountWithoutTaxIsRequired=Virhe, määrä on pakollinen +ErrorAPercentIsRequired=Virhe, täytä prosenttiosuus oikein +ErrorYouMustFirstSetupYourChartOfAccount=Sinun on ensin määritettävä tilikarttasi +ErrorFailedToFindEmailTemplate=Mallia koodinimellä %s ei löytynyt. +ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Palvelun kestoa ei ole määritelty. Tuntihintaa ei voi laskea. +ErrorActionCommPropertyUserowneridNotDefined=Käyttäjän omistaja vaaditaan +ErrorActionCommBadType=Valittua tapahtumatyyppiä (tunnus: %s, koodi: %s) ei ole Tapahtumatyyppi-sanakirjassa +CheckVersionFail=Version tarkistus epäonnistui +ErrorWrongFileName=Kohteen tiedosto nimessä ei voi olla __SOMETHING__ +ErrorNotInDictionaryPaymentConditions=Ei ole maksu termisanastossa, ole hyvä ja muokkaa. +ErrorIsNotADraft=%s ei ole Luonnos +ErrorExecIdFailed=Ei voi suorittaa komentoa "id" +ErrorBadCharIntoLoginName=Luvaton merkki kohdassa Kenttä %s +ErrorRequestTooLarge=Virhe, pyyntö on liian suuri tai istunto vanhentunut +ErrorNotApproverForHoliday=Et ole loman %s hyväksyjä +ErrorAttributeIsUsedIntoProduct=Tätä määritettä käytetään yhdessä tai useammassa tuoteversiossa +ErrorAttributeValueIsUsedIntoProduct=Tätä määritteen arvoa käytetään yhdessä tai useammassa tuoteversiossa +ErrorPaymentInBothCurrency=Virhe, kaikki summat on syötettävä samaan sarakkeeseen +ErrorYouTryToPayInvoicesInACurrencyFromBankWithAnotherCurrency=Yrität maksaa laskut valuutassa %s tililtä, jonka valuutta on %s +ErrorInvoiceLoadThirdParty=Kolmannen osapuolen objektia ei voi ladata laskulle "%s" +ErrorInvoiceLoadThirdPartyKey=Kolmannen osapuolen avainta "%s" ei ole asetettu laskulle "%s" +ErrorDeleteLineNotAllowedByObjectStatus=Kohteen nykyinen tila ei salli rivin poistamista +ErrorAjaxRequestFailed=Pyyntö epäonnistui +ErrorThirpdartyOrMemberidIsMandatory=Kolmas osapuoli tai kumppanuusjäsen on pakollinen +ErrorFailedToWriteInTempDirectory=Kirjoittaminen väliaikaiseen hakemistoon epäonnistui +ErrorQuantityIsLimitedTo=Määrä on rajoitettu %s +ErrorFailedToLoadThirdParty=Kolmannen osapuolen löytäminen/lataus epäonnistui osoitteesta id=%s, email=%s, name= %s +ErrorThisPaymentModeIsNotSepa=Tämä maksu-tila ei ole pankkitili +ErrorStripeCustomerNotFoundCreateFirst=Stripe-asiakasta ei ole asetettu tälle kolmannelle osapuolelle (tai asetettu arvoon, joka on poistettu Stripen puolelta). luo (tai liitä se uudelleen). +ErrorCharPlusNotSupportedByImapForSearch=IMAP-haku ei voi etsiä +-merkin sisältävää merkkijonoa lähettäjästä tai vastaanottajasta +ErrorTableNotFound=Taulukkoa %s ei löydy +ErrorRefNotFound=Viite %s ei löydy +ErrorValueForTooLow=Arvo %s on liian pieni +ErrorValueCantBeNull=Arvo %s ei voi olla tyhjä +ErrorDateOfMovementLowerThanDateOfFileTransmission=Pankkitapahtuman päiväys ei voi olla pienempi kuin päiväys tiedosto<. /span> lähetys +ErrorTooMuchFileInForm=Liikaa tiedostoja muodossa, enimmäismäärä on %s tiedosto(s) +ErrorSessionInvalidatedAfterPasswordChange=Istunto mitätöitiin salasanan, sähköpostiosoitteen, tilan tai päivämäärät voimassaolon muutoksen vuoksi. Ole hyvä ja kirjaudu uudelleen. +ErrorExistingPermission = Lupa %s objektille %s on jo olemassa +ErrorFieldExist=Arvo %s on jo olemassa +ErrorEqualModule=Moduuli on virheellinen %s +ErrorFieldValue=Arvo %s on virheellinen +ErrorCoherenceMenu=%s vaaditaan, kun %s on "vasen" +ErrorUploadFileDragDrop=tiedosto-latauksen aikana tapahtui virhe +ErrorUploadFileDragDropPermissionDenied=tiedosto-latauksessa tapahtui virhe : lupa evätty +ErrorFixThisHere=Korjaa tämä +ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Virhe: nykyisen ilmentymäsi URL-osoite (%s) ei vastaa OAuth2-kirjautumisasetuksissa määritettyä URL-osoitetta (%s). OAuth2-kirjautuminen tällaisessa kokoonpanossa ei ole sallittua. +ErrorMenuExistValue=Tällä otsikolla tai URL-osoitteella on jo valikko +ErrorSVGFilesNotAllowedAsLinksWithout=SVG-tiedostoja ei sallita ulkoisina linkkeinä ilman vaihtoehtoa %s +ErrorTypeMenu=On mahdotonta lisätä toista valikko samalle moduulille navigointipalkkiin, ei vielä kahvaa +ErrorObjectNotFound = Objektia %s ei löydy, tarkista URL-osoite +ErrorCountryCodeMustBe2Char=Maakoodin on oltava 2-merkkinen merkkijono + +ErrorTableExist=Taulukko %s on jo olemassa +ErrorDictionaryNotFound=Sanakirjaa %s ei löydy +ErrorFailedToCreateSymLinkToMedias=Epäonnistunut luo symbolisen linkin %s osoittaminen kohteeseen %s +ErrorCheckTheCommandInsideTheAdvancedOptions=Tarkista viennissä käytetty komento viennin lisäasetuksista # Warnings -WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. -WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. -WarningMandatorySetupNotComplete=Click here to setup mandatory parameters -WarningEnableYourModulesApplications=Click here to enable your modules and applications +WarningParamUploadMaxFileSizeHigherThanPostMaxSize=PHP-parametrisi upload_max_filesize (%s) on suurempi kuin PHP-parametri post_max_size (%s). Tämä ei ole johdonmukainen asetus. +WarningPasswordSetWithNoAccount=Tälle jäsenelle on asetettu salasana. Käyttäjätiliä ei kuitenkaan luotu. Joten tämä salasana on tallennettu, mutta sitä ei voida käyttää kirjautumiseen Dolibarriin. Ulkoinen moduuli/käyttöliittymä voi käyttää sitä, mutta jos sinun ei tarvitse määrittää jäsenelle kirjautumistunnusta tai salasanaa, voit poistaa vaihtoehdon "Hallinnoi jokaisen jäsenen kirjautumista" Jäsenmoduulin asetuksista. Jos sinun on hallittava kirjautumista, mutta et tarvitse salasanaa, voit välttää tämän varoituksen jättämällä tämän Kenttä tyhjäksi. Huomautus: Sähköpostia voidaan käyttää myös sisäänkirjautumisena, jos jäsen on linkitetty käyttäjään. +WarningMandatorySetupNotComplete=Napsauta tästä asettaaksesi pääparametrit +WarningEnableYourModulesApplications=Ota moduulien ja sovellukset käyttöön napsauttamalla tätä WarningSafeModeOnCheckExecDir=Varoitus, PHP vaihtoehto safe_mode on niin komento on tallennettu hakemistoon ilmoittama php parametri safe_mode_exec_dir. WarningBookmarkAlreadyExists=Kirjanmerkki tämän otsikon tai tämän tavoitteen (URL) on jo olemassa. WarningPassIsEmpty=Varoitus, tietokannan salasana on tyhjä. Tämä on turvallisuus reikään. Sinun tulisi lisätä salasanan tietokantaan ja muuttaa conf.php tiedosto vastaavasti. WarningConfFileMustBeReadOnly=Varoitus, config tiedosto (htdocs / conf / conf.php) voidaan korvata jonka web-palvelin. Tämä on vakava tietoturva-aukko. Muokkaa käyttöoikeuksia tiedoston luettavaksi vain tila-käyttöjärjestelmän käyttäjä käyttää Web-palvelimeen. Jos käytät Windows ja FAT oman levy, sinun täytyy tietää, että tämä tiedostojärjestelmä ei mahdollista lisätä käyttöoikeuksia tiedostoon, joten ei voi olla täysin turvallista. WarningsOnXLines=Varoitukset %s lähde linjat -WarningNoDocumentModelActivated=No model, for document generation, has been activated. A model will be chosen by default until you check your module setup. -WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable the installation/migration tools by adding a file install.lock into directory %s. Omitting the creation of this file is a grave security risk. -WarningUntilDirRemoved=All security warnings (visible by admin users only) will remain active as long as the vulnerability is present (or that constant MAIN_REMOVE_INSTALL_WARNING is added in Setup->Other Setup). -WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution. -WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box. -WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card). -WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers. -WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s. -WarningTooManyDataPleaseUseMoreFilters=Too many data (more than %s lines). Please use more filters or set the constant %s to a higher limit. -WarningSomeLinesWithNullHourlyRate=Some times were recorded by some users while their hourly rate was not defined. A value of 0 %s per hour was used but this may result in wrong valuation of time spent. -WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security purpose you will have to login with your new login before next action. -WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language -WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists -WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report -WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks. -WarningProjectClosed=Project is closed. You must re-open it first. -WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. -WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table -WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on. -WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list -WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection. -WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. -WarningPaypalPaymentNotCompatibleWithStrict=The value 'Strict' makes the online payment features not working correctly. Use 'Lax' instead. +WarningNoDocumentModelActivated=Asiakirjojen luomiseen tarkoitettua mallia ei ole aktivoitu. oletus valitsee mallin, kunnes tarkistat moduulin asetukset. +WarningLockFileDoesNotExists=Varoitus, kun asennus on valmis, sinun on poistettava asennus-/siirtotyökalut käytöstä lisäämällä tiedosto install.lock hakemistoon %sb09. Tämän tiedosto luomisen jättäminen pois on vakava turvallisuusriski. +WarningUntilDirRemoved=Tämä suojausvaroitus pysyy aktiivisena niin kauan kuin haavoittuvuus on olemassa. +WarningCloseAlways=Varoitus, sulkeminen suoritetaan, vaikka määrä eroaisi lähde-ja kohdeelementtien välillä. Ota tämä ominaisuus käyttöön varoen. +WarningUsingThisBoxSlowDown=Varoitus, tämän laatikon käyttäminen hidastaa vakavasti kaikkia laatikkoa näyttäviä sivuja. +WarningClickToDialUserSetupNotComplete=ClickToDial-tietojen määritys käyttäjällesi ei ole valmis (katso käyttäjäkorttisi ClickToDial-välilehti). +WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Ominaisuus on poistettu käytöstä, kun näytön asetukset on optimoitu sokeille tai tekstiselaimille. +WarningPaymentDateLowerThanInvoiceDate=maksu päiväys (%s) on aikaisempi kuin lasku päiväys (%s) laskulle %s. +WarningTooManyDataPleaseUseMoreFilters=Liian monta dataa (yli %s riviä). Käytä lisää suodattimia tai aseta vakio %s suuremmaksi. +WarningSomeLinesWithNullHourlyRate=Jotkut käyttäjät kirjasivat joitakin aikoja, vaikka heidän tuntihintaansa ei ollut määritelty. Käytettiin arvoa 0 %s tunnissa, mutta tämä saattaa johtaa käytetyn ajan väärään arvostukseen. +WarningYourLoginWasModifiedPleaseLogin=Kirjautumistunnustasi muutettiin. Turvallisuussyistä sinun on kirjauduttava sisään uudella kirjautumistunnuksellasi ennen seuraavaa toimintoa. +WarningYourPasswordWasModifiedPleaseLogin=Salasanaasi on muutettu. Turvallisuussyistä sinun on kirjauduttava sisään uudella salasanallasi. +WarningAnEntryAlreadyExistForTransKey=Tämän Kieli käännösavaimelle on jo merkintä +WarningNumberOfRecipientIsRestrictedInMassAction=Varoitus, eri vastaanottajien määrä on rajoitettu arvoon %s käytettäessä luetteloiden joukkotoimia +WarningDateOfLineMustBeInExpenseReportRange=Varoitus, rivin päiväys ei ole rivin kuluraportti alueella. +WarningProjectDraft=Projekti on edelleen Luonnos-tilassa. Älä unohda vahvistaa sitä, jos aiot käyttää tehtäviä. +WarningProjectClosed=Projekti on suljettu. Sinun on ensin avattava se uudelleen. +WarningSomeBankTransactionByChequeWereRemovedAfter=Jotkut pankkitapahtumat poistettiin sen jälkeen, kun kuitti, joka sisältää ne, luotiin. Joten sekkien lukumäärä ja kuitin kokonaismäärä voi poiketa luettelon kokonaismäärästä ja. +WarningFailedToAddFileIntoDatabaseIndex=Varoitus, tiedosto-merkinnän lisääminen ECM:n tietokanta-hakemistotaulukkoon epäonnistui. +WarningTheHiddenOptionIsOn=Varoitus, piilotettu vaihtoehto %s on käytössä. +WarningCreateSubAccounts=Varoitus, et voi luo suoraan alatiliä, sinun on luo kolmas osapuoli tai käyttäjä ja anna heille Kirjanpito-koodi löytääksesi heidät tästä luettelosta +WarningAvailableOnlyForHTTPSServers=Saatavilla vain käytettäessä HTTPS-suojattua yhteyttä. +WarningModuleXDisabledSoYouMayMissEventHere=Moduulia %s ei ole otettu käyttöön. Joten saatat missata monia tapahtumia täällä. +WarningPaypalPaymentNotCompatibleWithStrict=Arvo "Strict" saa online-maksu-ominaisuudet toimimaan väärin. Käytä sen sijaan "Laxia". +WarningThemeForcedTo=Varoitus, teema on pakotettu %s piilotetun ETHEAIN:n takia. +WarningPagesWillBeDeleted=Varoitus, tämä poistaa myös kaikki sivuston olemassa olevat sivut/säilöt. Sinun tulee viedä verkkosivustosi aiemmin, jotta sinulla on varmuuskopio tuodaksesi sen uudelleen myöhemmin. +WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Automaattinen vahvistus on poissa käytöstä, kun vaihtoehto vähentää varastossa on asetettu Laskun vahvistus -kohdassa. +WarningModuleNeedRefresh = Moduuli %s on poistettu käytöstä. Älä unohda ottaa sitä käyttöön +WarningPermissionAlreadyExist=Tämän objektin nykyiset käyttöoikeudet +WarningGoOnAccountancySetupToAddAccounts=Jos tämä luettelo on tyhjä, siirry kohtaan valikko %s - %s - %s ladataksesi tai luo tilikarttasi. +WarningCorrectedInvoiceNotFound=Korjattua laskua ei löytynyt +WarningCommentNotFound=Tarkista alun ja loppukommenttien sijainti %s osiossa tiedosto b0ecb4fz87 ennen toimenpiteen lähettämistä +WarningAlreadyReverse=Osakeliikkeet ovat jo kääntyneet + +SwissQrOnlyVIR = SwissQR-lasku voidaan lisätä vain tilisiirtomaksuilla maksettaviin laskuihin. +SwissQrCreditorAddressInvalid = Luotonantajan osoite on virheellinen (onko ZIP ja kaupunki asetettu? (%s) +SwissQrCreditorInformationInvalid = Luotonantajan tiedot eivät kelpaa IBAN-numerolle (%s): %s +SwissQrIbanNotImplementedYet = QR-IBAN ei ole vielä käytössä +SwissQrPaymentInformationInvalid = maksu tiedot olivat virheelliset kokonaismäärälle %s : %s +SwissQrDebitorAddressInvalid = Veloittajan tiedot olivat virheelliset (%s) # Validate -RequireValidValue = Value not valid -RequireAtLeastXString = Requires at least %s character(s) -RequireXStringMax = Requires %s character(s) max -RequireAtLeastXDigits = Requires at least %s digit(s) -RequireXDigitsMax = Requires %s digit(s) max -RequireValidNumeric = Requires a numeric value -RequireValidEmail = Email address is not valid -RequireMaxLength = Length must be less than %s chars -RequireMinLength = Length must be more than %s char(s) -RequireValidUrl = Require valid URL -RequireValidDate = Require a valid date -RequireANotEmptyValue = Is required -RequireValidDuration = Require a valid duration -RequireValidExistingElement = Require an existing value -RequireValidBool = Require a valid boolean -BadSetupOfField = Error bad setup of field -BadSetupOfFieldClassNotFoundForValidation = Error bad setup of field : Class not found for validation -BadSetupOfFieldFileNotFound = Error bad setup of field : File not found for inclusion -BadSetupOfFieldFetchNotCallable = Error bad setup of field : Fetch not callable on class +RequireValidValue = Arvo ei kelpaa +RequireAtLeastXString = Vaatii vähintään %s merkkiä +RequireXStringMax = Vaatii enintään %s merkkiä +RequireAtLeastXDigits = Vaatii vähintään %s numeroa +RequireXDigitsMax = Vaatii enintään %s numeroa +RequireValidNumeric = Vaatii numeerisen arvon +RequireValidEmail = Sähköpostiosoite ei kelpaa +RequireMaxLength = Pituuden on oltava alle %s merkkiä +RequireMinLength = Pituuden on oltava yli %s merkkiä +RequireValidUrl = Vaadi kelvollinen URL-osoite +RequireValidDate = Vaadi kelvollinen päiväys +RequireANotEmptyValue = Vaaditaan +RequireValidDuration = Vaadi kelvollinen kesto +RequireValidExistingElement = Vaadi olemassa oleva arvo +RequireValidBool = Vaadi kelvollinen looginen arvo +BadSetupOfField = Virhe: Kenttä +BadSetupOfFieldClassNotFoundForValidation = Virhe Kenttä: luokkaa ei löydy tarkistettavaksi +BadSetupOfFieldFileNotFound = Virhe: Kenttä: tiedosto ei löytynyt sisällytettäväksi +BadSetupOfFieldFetchNotCallable = Virhe huonossa Kenttä asennuksessa : Hakua ei voi kutsua luokassa +ErrorTooManyAttempts= Liian monta yritystä, yritä myöhemmin uudelleen diff --git a/htdocs/langs/fi_FI/eventorganization.lang b/htdocs/langs/fi_FI/eventorganization.lang index a6a8abe80dd..a4f6e9c2768 100644 --- a/htdocs/langs/fi_FI/eventorganization.lang +++ b/htdocs/langs/fi_FI/eventorganization.lang @@ -17,151 +17,164 @@ # # Generic # -ModuleEventOrganizationName = Event Organization -EventOrganizationDescription = Event Organization through Module Project -EventOrganizationDescriptionLong= Manage the organization of an event (show, conferences, attendees or speakers, with public pages for suggestion, vote or registration) +ModuleEventOrganizationName = Tapahtuman järjestäminen +EventOrganizationDescription = Tapahtuman järjestäminen moduuliprojektin kautta +EventOrganizationDescriptionLong= Hallinnoi tapahtuman järjestämistä (esitys, konferenssit, osallistujat tai puhujat, julkisilla sivuilla ehdotuksia, äänestystä tai rekisteröintiä varten) # # Menu # -EventOrganizationMenuLeft = Organized events -EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth +EventOrganizationMenuLeft = Järjestettiin tapahtumia +EventOrganizationConferenceOrBoothMenuLeft = Konferenssi tai osasto -PaymentEvent=Payment of event +PaymentEvent=maksu tapahtumasta # # Admin page # -NewRegistration=Registration -EventOrganizationSetup=Event Organization setup -EventOrganization=Event organization +NewRegistration=Rekisteröinti +EventOrganizationSetup=Tapahtuman järjestämisen asetukset +EventOrganization=Tapahtuman järjestäminen Settings=Asetukset -EventOrganizationSetupPage = Event Organization setup page -EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated -EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

      For example:
      Send Call for Conference
      Send Call for Booth
      Receive call for conferences
      Receive call for Booth
      Open subscriptions to events for attendees
      Send remind of event to speakers
      Send remind of event to Booth hoster
      Send remind of event to attendees -EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference -EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth -EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. -EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. -EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a registration to a booth has been paid. -EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a registration to an event has been paid. -EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email to use when sending emails from the massaction "Send emails" to speakers -EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email to use when sending emails from the massaction "Send emails" on attendee list -EVENTORGANIZATION_FILTERATTENDEES_CAT = In the form to create/add an attendee, restricts the list of thirdparties to thirdparties in the category -EVENTORGANIZATION_FILTERATTENDEES_TYPE = In the form to create/add an attendee, restricts the list of thirdparties to thirdparties with the nature +EventOrganizationSetupPage = Tapahtumaorganisaation asetussivu +EVENTORGANIZATION_TASK_LABEL = Tehtävien tunniste luo automaattisesti, kun projekti vahvistetaan +EVENTORGANIZATION_TASK_LABELTooltip = Kun vahvistat tapahtuman järjestämisen, projektissa voidaan luoda automaattisesti joitakin tehtäviä

      Esimerkki:
      Lähetä konferenssikutsu
      Lähetä osastokutsu
      KonferenssiehdotuksetVahvista ='notranslate'>
      Vahvista Booths-hakemus
      Avaa tapahtuman tilaukset osallistujille
      tapahtuman puhujille
      Lähetä muistutus tapahtumasta Boothin isännöijille
      Lähetä muistutus tapahtumasta osallistujille +EVENTORGANIZATION_TASK_LABELTooltip2=Pidä tyhjänä, jos sinun ei tarvitse luo tehdä tehtäviä automaattisesti. +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Kolmansille osapuolille lisättävä luokka, joka luodaan automaattisesti, kun joku ehdottaa konferenssia +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Kolmansille osapuolille lisättävä luokka luodaan automaattisesti, kun he ehdottavat osastoa +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Sähköpostimalli, joka lähetetään konferenssiehdotuksen saatuaan. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Sähköpostimalli, joka lähetetään osastoehdotuksen saatuaan. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Sähköpostimalli, joka lähetetään, kun ilmoittautuminen osastolle on maksettu. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Sähköpostimalli, joka lähetetään, kun tapahtumaan ilmoittautuminen on maksettu. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Sähköpostimalli, jota käytetään lähetettäessä sähköposteja "Lähetä sähköpostit" -toiminnosta puhujille +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Sähköpostimalli, jota käytetään lähetettäessä sähköposteja osallistujaluettelon "Lähetä sähköpostit" -toiminnosta +EVENTORGANIZATION_FILTERATTENDEES_CAT = Lomakkeessa luo/lisää osallistuja rajoittaa kolmansien osapuolten luettelon luokan kolmansiin osapuoliin. +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Lomakkeessa luo/lisää osallistuja rajoittaa kolmansien osapuolien luettelon kolmansiin osapuoliin luonteeltaan # # Object # -EventOrganizationConfOrBooth= Conference Or Booth -ManageOrganizeEvent = Manage the organization of an event -ConferenceOrBooth = Conference Or Booth -ConferenceOrBoothTab = Conference Or Booth -AmountPaid = Amount paid -DateOfRegistration = Date of registration -ConferenceOrBoothAttendee = Conference Or Booth Attendee +OrganizedEvent=Järjestetty tapahtuma +EventOrganizationConfOrBooth= Konferenssi tai osasto +EventOrganizationConfOrBoothes=Konferenssit tai osastot +ManageOrganizeEvent = Hallitse tapahtuman järjestämistä +ConferenceOrBooth = Konferenssi tai osasto +ConferenceOrBoothTab = Konferenssi tai osasto +AmountPaid = Maksettu summa +DateOfRegistration = päiväys rekisteröinnistä +ConferenceOrBoothAttendee = Konferenssin tai osaston osallistuja +ApplicantOrVisitor=Hakija tai vierailija +Speaker=Kaiutin # # Template Mail # -YourOrganizationEventConfRequestWasReceived = Your request for conference was received -YourOrganizationEventBoothRequestWasReceived = Your request for booth was received -EventOrganizationEmailAskConf = Request for conference -EventOrganizationEmailAskBooth = Request for booth -EventOrganizationEmailBoothPayment = Payment of your booth -EventOrganizationEmailRegistrationPayment = Registration for an event -EventOrganizationMassEmailAttendees = Communication to attendees -EventOrganizationMassEmailSpeakers = Communication to speakers -ToSpeakers=To speakers +YourOrganizationEventConfRequestWasReceived = Kokouspyyntösi vastaanotettiin +YourOrganizationEventBoothRequestWasReceived = Pyyntösi osastolle vastaanotettiin +EventOrganizationEmailAskConf = Pyyntö konferenssiin +EventOrganizationEmailAskBooth = Pyyntö osastolle +EventOrganizationEmailBoothPayment = maksu osastostasi +EventOrganizationEmailRegistrationPayment = Ilmoittautuminen tapahtumaan +EventOrganizationMassEmailAttendees = Viestintä osallistujille +EventOrganizationMassEmailSpeakers = Viestintä kaiuttimille +ToSpeakers=Kaiuttimille # # Event # -AllowUnknownPeopleSuggestConf=Allow people to suggest conferences -AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest a conference they want to do -AllowUnknownPeopleSuggestBooth=Allow people to apply for a booth -AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to apply for a booth -PriceOfRegistration=Price of registration -PriceOfRegistrationHelp=Price to pay to register or participate in the event -PriceOfBooth=Subscription price to stand a booth -PriceOfBoothHelp=Subscription price to stand a booth -EventOrganizationICSLink=Link ICS for conferences -ConferenceOrBoothInformation=Conference Or Booth informations -Attendees=Attendees -ListOfAttendeesOfEvent=List of attendees of the event project -DownloadICSLink = Download ICS link -EVENTORGANIZATION_SECUREKEY = Seed to secure the key for the public registration page to suggest a conference -SERVICE_BOOTH_LOCATION = Service used for the invoice row about a booth location -SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Service used for the invoice row about an attendee subscription to an event -NbVotes=Number of votes +AllowUnknownPeopleSuggestConf=Salli ihmisten ehdottaa konferensseja +AllowUnknownPeopleSuggestConfHelp=Anna tuntemattomien ehdottaa konferenssia, jonka he haluavat järjestää +AllowUnknownPeopleSuggestBooth=Salli ihmisten hakea osastolle +AllowUnknownPeopleSuggestBoothHelp=Salli tuntemattomien ihmisten hakea osastolle +PriceOfRegistration=Rekisteröinnin hinta +PriceOfRegistrationHelp=Ilmoittautumisesta tai tapahtumaan osallistumisesta maksettava hinta +PriceOfBooth=Tilaushinta kestämään koppi +PriceOfBoothHelp=Tilaushinta kestämään koppi +EventOrganizationICSLink=Linkitä ICS konferensseihin +ConferenceOrBoothInformation=Tiedot konferenssista tai osastosta +Attendees=Osallistujat +ListOfAttendeesOfEvent=Luettelo tapahtumaprojektin osallistujista +DownloadICSLink = Lataa ICS-linkki +EVENTORGANIZATION_SECUREKEY = Siemenet julkisen rekisteröintisivun avaimen suojaamiseen konferenssin ehdottamiseen +SERVICE_BOOTH_LOCATION = Palvelua käytetään laskurivillä koskien sijainnista +SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Palvelu, jota käytetään tapahtuman osallistujatilauksen laskuriville +NbVotes=Äänten määrä + # # Status # EvntOrgDraft = Luonnos -EvntOrgSuggested = Suggested -EvntOrgConfirmed = Confirmed -EvntOrgNotQualified = Not Qualified +EvntOrgSuggested = Ehdotettu +EvntOrgConfirmed = Vahvistettu +EvntOrgNotQualified = Epäpätevä EvntOrgDone = Valmis -EvntOrgCancelled = Cancelled -# -# Public page -# -SuggestForm = Suggestion page -SuggestOrVoteForConfOrBooth = Page for suggestion or vote -EvntOrgRegistrationHelpMessage = Here, you can vote for a conference or suggest a new one for the event. You can also apply to have a booth during the event. -EvntOrgRegistrationConfHelpMessage = Here, you can suggest a new conference to animate during the event. -EvntOrgRegistrationBoothHelpMessage = Here, you can apply to have a booth during the event. -ListOfSuggestedConferences = List of suggested conferences -ListOfSuggestedBooths = List of suggested booths -ListOfConferencesOrBooths=List of conferences or booths of event project -SuggestConference = Suggest a new conference -SuggestBooth = Suggest a booth -ViewAndVote = View and vote for suggested events -PublicAttendeeSubscriptionGlobalPage = Public link for registration to the event -PublicAttendeeSubscriptionPage = Public link for registration to this event only -MissingOrBadSecureKey = The security key is invalid or missing -EvntOrgWelcomeMessage = This form allows you to register as a new participant to the event : %s -EvntOrgDuration = This conference starts on %s and ends on %s. -ConferenceAttendeeFee = Conference attendee fee for the event : '%s' occurring from %s to %s. -BoothLocationFee = Booth location for the event : '%s' occurring from %s to %s -EventType = Event type -LabelOfBooth=Booth label -LabelOfconference=Conference label -ConferenceIsNotConfirmed=Registration not available, conference is not confirmed yet -DateMustBeBeforeThan=%s must be before %s -DateMustBeAfterThan=%s must be after %s - -NewSubscription=Registration -OrganizationEventConfRequestWasReceived=Your suggestion for a conference has been received -OrganizationEventBoothRequestWasReceived=Your request for a booth has been received -OrganizationEventPaymentOfBoothWasReceived=Your payment for your booth has been recorded -OrganizationEventPaymentOfRegistrationWasReceived=Your payment for your event registration has been recorded -OrganizationEventBulkMailToAttendees=This is a remind about your participation in the event as an attendee -OrganizationEventBulkMailToSpeakers=This is a reminder on your participation in the event as a speaker -OrganizationEventLinkToThirdParty=Link to third party (customer, supplier or partner) - -NewSuggestionOfBooth=Application for a booth -NewSuggestionOfConference=Application for a conference +EvntOrgCancelled = Peruttu # -# Vote page +# Other # -EvntOrgRegistrationWelcomeMessage = Welcome on the conference or booth suggestion page. -EvntOrgRegistrationConfWelcomeMessage = Welcome on the conference suggestion page. -EvntOrgRegistrationBoothWelcomeMessage = Welcome on the booth suggestion page. -EvntOrgVoteHelpMessage = Here, you can view and vote for the suggested events for the project -VoteOk = Your vote has been accepted. -AlreadyVoted = You have already voted for this event. -VoteError = An error has occurred during the vote, please try again. - -SubscriptionOk = Your registration has been validated -ConfAttendeeSubscriptionConfirmation = Confirmation of your subscription to an event -Attendee = Attendee -PaymentConferenceAttendee = Conference attendee payment -PaymentBoothLocation = Booth location payment -DeleteConferenceOrBoothAttendee=Remove attendee -RegistrationAndPaymentWereAlreadyRecorder=A registration and a payment were already recorded for the email %s -EmailAttendee=Attendee email -EmailCompanyForInvoice=Company email (for invoice, if different of attendee email) -ErrorSeveralCompaniesWithEmailContactUs=Several companies with this email has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation -ErrorSeveralCompaniesWithNameContactUs=Several companies with this name has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation -NoPublicActionsAllowedForThisEvent=No public actions are open to public for this event +SuggestForm = Ehdotussivu +SuggestOrVoteForConfOrBooth = Sivu ehdotusta tai äänestämistä varten +EvntOrgRegistrationHelpMessage = Täällä voit äänestää konferenssia tai ehdottaa uutta tapahtumaan. Voit myös hakea osastolle tilaisuuden aikana. +EvntOrgRegistrationConfHelpMessage = Täällä voit ehdottaa uutta konferenssia animoitavaksi tapahtuman aikana. +EvntOrgRegistrationBoothHelpMessage = Täältä voit hakea osastoa tapahtuman ajaksi. +ListOfSuggestedConferences = Luettelo ehdotetuista konferensseista +ListOfSuggestedBooths=Suositellut kopit +ListOfConferencesOrBooths=Konferenssit tai tapahtumaprojektin osastot +SuggestConference = Ehdota uutta kokousta +SuggestBooth = Ehdota osastoa +ViewAndVote = Katso ja äänestä ehdotetuille tapahtumille +PublicAttendeeSubscriptionGlobalPage = Julkinen linkki ilmoittautumiseen tapahtumaan +PublicAttendeeSubscriptionPage = Julkinen linkki vain tähän tapahtumaan ilmoittautumiseen +MissingOrBadSecureKey = Suojausavain on virheellinen tai puuttuu +EvntOrgWelcomeMessage = Tällä lomakkeella voit rekisteröityä uudeksi osallistujaksi tapahtumaan +EvntOrgDuration = Tämä konferenssi alkaa %s ja päättyy %s. +ConferenceAttendeeFee = Tapahtuman konferenssin osallistujamaksu : '%s' esiintyy välillä %s ja %s >. +BoothLocationFee = Tapahtuman osastopaikka : '%s, esiintyy %s - %s +EventType = Tapahtumatyyppi +LabelOfBooth=Booth etiketti +LabelOfconference=Konferenssimerkki +ConferenceIsNotConfirmed=Ilmoittautuminen ei ole mahdollista, konferenssia ei ole vielä vahvistettu +DateMustBeBeforeThan=%s on oltava ennen %s +DateMustBeAfterThan=%s on oltava %s jälkeen. +MaxNbOfAttendeesReached=Osallistujien enimmäismäärä on saavutettu +NewSubscription=Rekisteröinti +OrganizationEventConfRequestWasReceived=Ehdotuksesi konferenssiksi on vastaanotettu +OrganizationEventBoothRequestWasReceived=Pyyntösi osastosta on vastaanotettu +OrganizationEventPaymentOfBoothWasReceived=maksu osastollesi on tallennettu +OrganizationEventPaymentOfRegistrationWasReceived=maksu tapahtumasi rekisteröintiin on tallennettu +OrganizationEventBulkMailToAttendees=Tämä on muistutus osallistumisestasi tapahtumaan osallistujana +OrganizationEventBulkMailToSpeakers=Tämä on muistutus osallistumisestasi tapahtumaan puhujana +OrganizationEventLinkToThirdParty=Linkki kolmannelle osapuolelle (asiakas, toimittaja tai kumppani) +OrganizationEvenLabelName=Konferenssin tai osaston julkinen nimi +NewSuggestionOfBooth=Hakemus osastolle +NewSuggestionOfConference=Hakemus konferenssin pitämiseen +EvntOrgRegistrationWelcomeMessage = Tervetuloa konferenssi- tai osastoehdotussivulle. +EvntOrgRegistrationConfWelcomeMessage = Tervetuloa konferenssin ehdotussivulle. +EvntOrgRegistrationBoothWelcomeMessage = Tervetuloa osaston ehdotussivulle. +EvntOrgVoteHelpMessage = Täällä voit katsoa ja äänestää projektille ehdotettuja tapahtumia +VoteOk = Äänesi on hyväksytty. +AlreadyVoted = Olet jo äänestänyt tätä tapahtumaa. +VoteError = Äänestyksen aikana tapahtui virhe, yritä uudelleen. +SubscriptionOk=Ilmoittauksesi on tallennettu +AmountOfRegistrationPaid=Rekisteröinnin summa maksettu +ConfAttendeeSubscriptionConfirmation = Vahvistus tilauksestasi tapahtumaan +Attendee = Osallistuja +PaymentConferenceAttendee = Konferenssin osallistuja maksu +PaymentBoothLocation = Osaston sijainti maksu +DeleteConferenceOrBoothAttendee=Poista osallistuja +RegistrationAndPaymentWereAlreadyRecorder=Rekisteröinti ja maksu on jo tallennettu sähköpostiin %s +EmailAttendee=Osallistujan sähköposti +EmailCompany=Yritys sähköposti +EmailCompanyForInvoice=Yritys sähköposti (laskua varten, jos eri kuin osallistujan sähköposti) +ErrorSeveralCompaniesWithEmailContactUs=Useita yrityksiä, joilla on tämä sähköposti, on löydetty, joten emme voi vahvistaa rekisteröintiäsi automaattisesti. Ota yhteyttä numeroon %s manuaalista vahvistusta varten +ErrorSeveralCompaniesWithNameContactUs=Useita yrityksiä tällä nimellä on löydetty, joten emme voi vahvistaa rekisteröintiäsi automaattisesti. Ota yhteyttä numeroon %s manuaalista vahvistusta varten +NoPublicActionsAllowedForThisEvent=Tämän tapahtuman yhteydessä ei ole julkisia toimia +MaxNbOfAttendees=Osallistujien enimmäismäärä +DateStartEvent=Tapahtuman alku päiväys +DateEndEvent=Tapahtuman loppu päiväys +ModifyStatus=Muokkaa tilaa +ConfirmModifyStatus=Vahvista tilan muutos +ConfirmModifyStatusQuestion=Haluatko varmasti muokata %s valittua tietuetta? +RecordsUpdated = %s Tietueet päivitetty +RecordUpdated = Levy päivitetty +NoRecordUpdated = Ei tietuetta päivitetty diff --git a/htdocs/langs/fi_FI/exports.lang b/htdocs/langs/fi_FI/exports.lang index 1422746d029..fb373ed044b 100644 --- a/htdocs/langs/fi_FI/exports.lang +++ b/htdocs/langs/fi_FI/exports.lang @@ -1,65 +1,67 @@ # Dolibarr language file - Source file is en_US - exports ExportsArea=Exports -ImportArea=Import -NewExport=New Export -NewImport=New Import +ImportArea=Tuonti +NewExport=Uusi vienti +NewImport=Uusi tuonti ExportableDatas=Exportable tietokokonaisuus ImportableDatas=Tuoda maahan tietokokonaisuus SelectExportDataSet=Valitse tiedot, jonka haluat viedä ... SelectImportDataSet=Valitse tiedot haluat tuoda ... -SelectExportFields=Choose the fields you want to export, or select a predefined export profile -SelectImportFields=Choose the source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile: +SelectExportFields=Valitse kentät, jotka haluat viedä, tai valitse ennalta määritetty vientiprofiili +SelectImportFields=Valitse tiedosto lähdekentät, jotka haluat tuoda ja niiden kohde Kenttä tietokanta siirtämällä niitä ylös ja alas ankkurilla %s tai valitse ennalta määritetty tuontiprofiili: NotImportedFields=Aihealue lähdetiedoston ei tuoda -SaveExportModel=Save your selections as an export profile/template (for reuse). -SaveImportModel=Save this import profile (for reuse) ... +SaveExportModel=Tallenna valinnat vientiprofiiliksi/malliksi (uudelleenkäyttöä varten). +SaveImportModel=Tallenna tämä tuontiprofiili (uudelleenkäyttöä varten)... ExportModelName=Vienti profiilin nimi -ExportModelSaved=Export profile saved as %s. +ExportModelSaved=Vie profiili tallennettu nimellä %s. ExportableFields=Exportable kentät ExportedFields=Viedyt kentät ImportModelName=Tuo profiilin nimi -ImportModelSaved=Import profile saved as %s. +ImportModelSaved=Tuo profiili tallennettu nimellä %s. +ImportProfile=Tuo profiili DatasetToExport=Tietokokonaisuus viedä DatasetToImport=Tietokokonaisuus tuoda ChooseFieldsOrdersAndTitle=Valitse kentät, jotta ... FieldsTitle=Fields otsikko FieldTitle=Kentän nimi -NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file... -AvailableFormats=Available Formats +NowClickToGenerateToBuildExportFile=Valitse nyt tiedosto-muoto yhdistelmäruudusta ja klikkaa "Luo" luodaksesi vienti tiedosto... +AvailableFormats=Käytettävissä olevat muodot LibraryShort=Kirjasto -ExportCsvSeparator=Csv caracter separator -ImportCsvSeparator=Csv caracter separator +ExportCsvSeparator=Csv-merkkien erotin +ImportCsvSeparator=Csv-merkkien erotin Step=Vaihe FormatedImport=Import Assistant -FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant. -FormatedImportDesc2=First step is to choose the kind of data you want to import, then the format of the source file, then the fields you want to import. -FormatedExport=Export Assistant -FormatedExportDesc1=These tools allow the export of personalized data using an assistant, to help you in the process without requiring technical knowledge. -FormatedExportDesc2=First step is to choose a predefined dataset, then which fields you want to export, and in which order. -FormatedExportDesc3=When data to export are selected, you can choose the format of the output file. +FormatedImportDesc1=Tämän moduulin avulla voit päivittää olemassa olevia tietoja tai lisätä uusia objekteja tietokanta-tiedostoon tiedosto ilman teknistä tietämystä avustajan avulla. +FormatedImportDesc2=Ensimmäinen vaihe on valita tuotavan tiedon tyyppi, sitten lähteen muoto tiedosto ja sitten tuotavat kentät. +FormatedExport=Vientiassistentti +FormatedExportDesc1=Nämä työkalut mahdollistavat henkilökohtaisten tietojen viennin avustajan avulla, mikä auttaa sinua prosessissa ilman teknistä tietämystä. +FormatedExportDesc2=Ensimmäinen vaihe on valita ennalta määritetty tietojoukko, sitten mitkä kentät haluat viedä, ja missä järjestyksessä. +FormatedExportDesc3=Kun vietävät tiedot on valittu, voit valita tulosteen muodon tiedosto. Sheet=Arkki NoImportableData=Ei tuoda maahan tiedot (ei-moduulin määritelmiä mahdollistaa tietojen tuonti) -FileSuccessfullyBuilt=File generated -SQLUsedForExport=SQL Request used to extract data +FileSuccessfullyBuilt=tiedosto luotu +SQLUsedForExport=SQL-pyyntöä käytetään tietojen poimimiseen LineId=Id-linjan -LineLabel=Label of line +LineLabel=Linjan etiketti LineDescription=Kuvaus linja LineUnitPrice=Yksikköhinta radan LineVATRate=Alv-linjan LineQty=Määrä rivin -LineTotalHT=Amount excl. tax for line +LineTotalHT=Määrä ilman vero riville LineTotalTTC=Määrä vero rivin LineTotalVAT=Arvonlisäveron määrästä linja TypeOfLineServiceOrProduct=Type of line (0= tuotteen, 1= palvelu) FileWithDataToImport=Tiedoston tiedot tuoda FileToImport=Lähdetiedostoa tuoda -FileMustHaveOneOfFollowingFormat=File to import must have one of following formats -DownloadEmptyExample=Download template file with field content information -StarAreMandatory=* are mandatory fields -ChooseFormatOfFileToImport=Choose the file format to use as import file format by clicking on the %s icon to select it... -ChooseFileToImport=Upload file then click on the %s icon to select file as source import file... +FileMustHaveOneOfFollowingFormat=Tuontia varten tiedosto on oltava jokin seuraavista muodoista +DownloadEmptyExampleShort=Lataa esimerkki tiedosto +DownloadEmptyExample=Lataa malli tiedosto, jossa on esimerkkejä ja tiedot kentistä, jotka voit tuoda +StarAreMandatory=Mallissa tiedosto kaikki kentät, joissa on *, ovat pakollisia kenttiä +ChooseFormatOfFileToImport=Valitse tiedosto-muoto käytettäväksi tuontimuotona tiedosto klikkaamalla %s. > kuvaketta valitaksesi sen... +ChooseFileToImport=Lataa tiedosto ja napsauta sitten %s-kuvaketta valitaksesi tiedosto lähteen tuomiseksi. tiedosto... SourceFileFormat=Lähde tiedostomuoto FieldsInSourceFile=Toimialoja lähdetiedostoa -FieldsInTargetDatabase=Target fields in Dolibarr database (bold=mandatory) +FieldsInTargetDatabase=Kohdekentät Dolibarrissa tietokanta (bold=pakollinen) Field=Kenttä NoFields=Ei kentät MoveField=Siirrä kenttä sarakkeeseen numero %s @@ -71,67 +73,76 @@ FieldsTarget=Kohdennettu kentät FieldTarget=Alalta FieldSource=Lähde kenttä NbOfSourceLines=Määrä riviä lähdetiedoston -NowClickToTestTheImport=Check that the file format (field and string delimiters) of your file matches the options shown and that you have omitted the header line, or these will be flagged as errors in the following simulation.
      Click on the "%s" button to run a check of the file structure/contents and simulate the import process.
      No data will be changed in your database. -RunSimulateImportFile=Run Import Simulation -FieldNeedSource=This field requires data from the source file +NowClickToTestTheImport=Tarkista, että merkkijonojen tiedosto muoto (Kenttä ja) span class='notranslate'>tiedosto
      vastaa näytettyjä vaihtoehtoja ja, että olet jättänyt otsikkorivin pois, tai ne merkitään virheiksi seuraavassa simulaatiossa.
      Klikkaa %s " -painike suorittaa tiedosto rakenteen/sisällön tarkistuksen ja simuloi tuontiprosessia.
      Tietokannassasi ei muuteta tietoja. +RunSimulateImportFile=Suorita tuontisimulaatio +FieldNeedSource=Tämä Kenttä vaatii tietoja lähteestä tiedosto SomeMandatoryFieldHaveNoSource=Jotkut pakolliset kentät eivät lähde tiedosto InformationOnSourceFile=Tietoa lähdetiedosto InformationOnTargetTables=Tietoa kohde-kentät SelectAtLeastOneField=Vaihda ainakin yksi lähde kenttä-sarakkeen kenttiin viedä SelectFormat=Valitse tämä tuonti tiedostomuoto -RunImportFile=Import Data -NowClickToRunTheImport=Check the results of the import simulation. Correct any errors and re-test.
      When the simulation reports no errors you may proceed to import the data into the database. -DataLoadedWithId=The imported data will have an additional field in each database table with this import id: %s, to allow it to be searchable in the case of investigating a problem related to this import. -ErrorMissingMandatoryValue=Mandatory data is empty in the source file for field %s. -TooMuchErrors=There are still %s other source lines with errors but output has been limited. -TooMuchWarnings=There are still %s other source lines with warnings but output has been limited. +RunImportFile=Tuo tiedot +NowClickToRunTheImport=Tarkista tuontisimuloinnin tulokset. Korjaa mahdolliset virheet ja testaa uudelleen.
      Kun simulaatiossa ei ole virheitä, voit jatkaa tietojen tuomista tietokanta. +DataLoadedWithId=Tuoduilla tiedoilla on ylimääräinen Kenttä jokaisessa tietokanta-taulukossa, jonka tuontitunnus on: %s, jotta se olisi haettavissa, kun tutkitaan tähän tuontiin liittyvää ongelmaa. +ErrorMissingMandatoryValue=Pakolliset tiedot ovat tyhjät lähteessä tiedosto sarakkeessa %s. +TooMuchErrors=Vielä on %s muuta lähderiviä, joissa on virheitä, mutta tulos on ollut rajoitettu. +TooMuchWarnings=Vielä on %s muuta lähderiviä, joissa on varoituksia, mutta ulostulossa on ollut rajoitettu. EmptyLine=Tyhjä rivi (on hävitettävä) -CorrectErrorBeforeRunningImport=You must correct all errors before running the definitive import. +CorrectErrorBeforeRunningImport=Sinun täytyy korjata kaikki virheet ennen suorittaa lopullista tuontia. FileWasImported=Tiedoston tuotiin numerolla %s. -YouCanUseImportIdToFindRecord=You can find all the imported records in your database by filtering on field import_key='%s'. +YouCanUseImportIdToFindRecord=Löydät kaikki tuodut tietueet kohteesta tietokanta suodattamalla Kenttä >import_key='%s'. NbOfLinesOK=Rivien määrä ilman virheitä ja varoituksia ei: %s. NbOfLinesImported=Rivien määrä Tuodut: %s. DataComeFromNoWhere=Arvo lisätä peräisin missään lähdetiedostoon. -DataComeFromFileFieldNb=Arvoa lisää tulee kentän numero %s vuonna lähdetiedostossa. -DataComeFromIdFoundFromRef=Value that comes from field number %s of source file will be used to find the id of the parent object to use (so the object %s that has the ref. from source file must exist in the database). -DataComeFromIdFoundFromCodeId=Code that comes from field number %s of source file will be used to find the id of the parent object to use (so the code from source file must exist in the dictionary %s). Note that if you know the id, you can also use it in the source file instead of the code. Import should work in both cases. +DataComeFromFileFieldNb=Lisättävä arvo tulee sarakkeesta %s lähteessä tiedosto. +DataComeFromIdFoundFromRef=Lähteestä tiedosto tulevaa arvoa käytetään käytettävän pääobjektin tunnuksen selvittämiseen (eli objekti %s, jolla on viite lähteestä tiedosto, täytyy olla tietokanta). +DataComeFromIdFoundFromCodeId=Lähteestä tiedosto tulevan koodin arvoa käytetään käytettävän pääobjektin tunnuksen selvittämiseen (siis koodi lähteestä tiedosto on oltava sanakirjassa %s). Huomaa, että jos tiedät tunnuksen, voit käyttää sitä myös lähteessä tiedosto koodin sijaan. Tuonnin pitäisi toimia molemmissa tapauksissa. DataIsInsertedInto=Tiedot ovat peräisin lähteestä tiedosto lisätään seuraavilla aloilla: -DataIDSourceIsInsertedInto=The id of the parent object, that was found using the data in the source file, will be inserted into the following field: -DataCodeIDSourceIsInsertedInto=The id of the parent line, that was found from code, will be inserted into the following field: +DataIDSourceIsInsertedInto=Pääobjektin tunnus, joka löydettiin käyttämällä lähteen tiedosto tietoja, lisätään seuraavaan Kenttä: +DataCodeIDSourceIsInsertedInto=Koodista löydetyn päärivin tunnus lisätään seuraavaan Kenttä: SourceRequired=Tiedon arvo on pakollinen SourceExample=Esimerkki mahdollisesta tietojen arvo ExampleAnyRefFoundIntoElement=Jos ref löytynyt elementin %s -ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary %s -CSVFormatDesc=Comma Separated Value file format (.csv).
      This is a text file format where fields are separated by a separator [ %s ]. If separator is found inside a field content, field is rounded by round character [ %s ]. Escape character to escape round character is [ %s ]. -Excel95FormatDesc=Excel file format (.xls)
      This is the native Excel 95 format (BIFF5). -Excel2007FormatDesc=Excel file format (.xlsx)
      This is the native Excel 2007 format (SpreadsheetML). -TsvFormatDesc=Tab Separated Value file format (.tsv)
      This is a text file format where fields are separated by a tabulator [tab]. -ExportFieldAutomaticallyAdded=Field %s was automatically added. It will avoid you to have similar lines to be treated as duplicate record (with this field added, all lines will own their own id and will differ). -CsvOptions=CSV format options -Separator=Field Separator -Enclosure=String Delimiter -SpecialCode=Special code -ExportStringFilter=%% allows replacing one or more characters in the text -ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: filters by one year/month/day
      YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD: filters over a range of years/months/days
      > YYYY, > YYYYMM, > YYYYMMDD: filters on all following years/months/days
      < YYYY, < YYYYMM, < YYYYMMDD: filters on all previous years/months/days -ExportNumericFilter=NNNNN filters by one value
      NNNNN+NNNNN filters over a range of values
      < NNNNN filters by lower values
      > NNNNN filters by higher values -ImportFromLine=Import starting from line number -EndAtLineNb=End at line number -ImportFromToLine=Limit range (From - To). Eg. to omit header line(s). -SetThisValueTo2ToExcludeFirstLine=For example, set this value to 3 to exclude the 2 first lines.
      If the header lines are NOT omitted, this will result in multiple errors in the Import Simulation. -KeepEmptyToGoToEndOfFile=Keep this field empty to process all lines to the end of the file. -SelectPrimaryColumnsForUpdateAttempt=Select column(s) to use as primary key for an UPDATE import -UpdateNotYetSupportedForThisImport=Update is not supported for this type of import (only insert) -NoUpdateAttempt=No update attempt was performed, only insert -ImportDataset_user_1=Users (employees or not) and properties +ExampleAnyCodeOrIdFoundIntoDictionary=Mikä tahansa sanakirjasta löytyvä koodi (tai tunnus) %s +CSVFormatDesc=Pilkuilla erotettu arvo tiedosto muoto (.csv). class='notranslate'>
      Tämä on tiedosto tekstimuoto, jossa kentät erotetaan erottimella [ %s ]. Jos erotin löytyy Kenttä-sisällöstä, Kenttä pyöristetään pyöreällä merkillä [ %s ]. Esc-merkki pyöreäksi merkiksi on [ %s ]. +Excel95FormatDesc=Excel tiedosto muoto (.xls)
      Tämä on alkuperäinen Excel 95 -muoto (BIFF5). +Excel2007FormatDesc=Excel tiedosto muoto (.xlsx)
      Tämä on alkuperäinen Excel 2007 -muoto (SpreadsheetML). +TsvFormatDesc=Sarkaimella erotettu arvo tiedosto muoto (.tsv) ='notranslate'>
      Tämä on tiedosto tekstimuoto, jossa kentät on erotettu tabulaattorilla [sarkain]. +ExportFieldAutomaticallyAdded=Kenttä %sb09f4b730 span> lisättiin automaattisesti. Näin vältytään siltä, että samankaltaisia rivejä käsitellään päällekkäisinä tietueina (kun tämä Kenttä lisätään, kaikki rivit omistavat oman tunnuksensa ja span> vaihtelee). +CsvOptions=CSV-muotoasetukset +Separator=Kenttä Erotin +Enclosure=Merkkijonojen erotin +SpecialCode=Erikoiskoodi +ExportStringFilter=%% sallii yhden tai useamman merkin korvaamisen tekstissä +ExportDateFilter=VVVV, VVVVKK, VVVVKKPP: suodattaa yhden vuoden/kuukauden/päivän mukaan
      YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD: suodattaa
      > VVVV, > VVVVKK, > VVVVKKPP: suodattaa kaikille seuraaville vuosille/kuukausille/päiville
      < VVVVKK, NNNNN+NNNNN suodattaa arvoalueen yli
      b08912a27ede2 /span>> NNNNN suodattaa korkeammilla arvoilla +ImportFromLine=Tuo rivin numerosta alkaen +EndAtLineNb=Lopeta rivin numeroon +ImportFromToLine=Rajoitusalue (Alkaen - Mihin). Esim. ohittaaksesi otsikkorivit. +SetThisValueTo2ToExcludeFirstLine=Määritä esimerkiksi arvoksi 3, jos haluat sulkea pois kaksi ensimmäistä riviä.
      Jos otsikkorivejä EI jätetä pois, tämä aiheuttaa useita virheitä tuontisimulaatiossa. +KeepEmptyToGoToEndOfFile=Pidä tämä Kenttä tyhjänä käsitelläksesi kaikki rivit tiedosto:n loppuun. +SelectPrimaryColumnsForUpdateAttempt=Valitse sarakkeet, joita käytetään ensisijaisena avaimena UPDATE-tuonnissa +UpdateNotYetSupportedForThisImport=Päivitystä ei tueta tämäntyyppiselle tuonnille (vain lisää) +NoUpdateAttempt=Päivitysyritystä ei suoritettu, vain lisäys +ImportDataset_user_1=Käyttäjät (työntekijät tai eivät) ja ominaisuudet ComputedField=Laskettu kenttä ## filters -SelectFilterFields=If you want to filter on some values, just input values here. -FilteredFields=Filtered fields -FilteredFieldsValues=Value for filter -FormatControlRule=Format control rule +SelectFilterFields=Jos haluat suodattaa joidenkin arvojen perusteella, syötä arvot tähän. +FilteredFields=Suodatetut kentät +FilteredFieldsValues=Suodattimen arvo +FormatControlRule=Muotoilusääntö ## imports updates -KeysToUseForUpdates=Key (column) to use for updating existing data -NbInsert=Number of inserted lines: %s -NbUpdate=Number of updated lines: %s -MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s -StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number +KeysToUseForUpdates=Avain (sarake), jota käytetään olemassa olevien tietojen päivittämiseen +NbInsert=Lisättyjen rivien määrä: %s +NbInsertSim=rivimäärä, joka lisätään: %s +NbUpdate=Päivitettyjen rivien määrä: %s +NbUpdateSim=rivimäärä, joka päivitetään: %s +MultipleRecordFoundWithTheseFilters=Näillä suodattimilla on löydetty useita tietueita: %s +StocksWithBatch=Varastot ja sijainti (varasto) kohteelle tuotteet erässä/Sarjanumero +WarningFirstImportedLine=Ensimmäisiä rivejä ei tuoda nykyisen valinnan kanssa +NotUsedFields=tietokanta kenttiä ei käytetä +SelectImportFieldsSource = Valitse tiedosto lähdekentät, jotka haluat tuoda ja niiden kohde Kenttä tietokanta valitsemalla kentät kussakin valintaruudussa tai valitsemalla ennalta määritetty tuontiprofiili: +MandatoryTargetFieldsNotMapped=Joitakin pakollisia kohdekenttiä ei ole kartoitettu +AllTargetMandatoryFieldsAreMapped=Kaikki pakollisen arvon tarvitsevat kohdekentät kartoitetaan +ResultOfSimulationNoError=Simuloinnin tulos: Ei virhettä +NumberOfLinesLimited=rivimäärä rajoitettu diff --git a/htdocs/langs/fi_FI/help.lang b/htdocs/langs/fi_FI/help.lang index 16c9acdbf3c..e2f18b4c48c 100644 --- a/htdocs/langs/fi_FI/help.lang +++ b/htdocs/langs/fi_FI/help.lang @@ -1,23 +1,23 @@ # Dolibarr language file - Source file is en_US - help CommunitySupport=Foorumi / Wiki tukea EMailSupport=Sähköpostit tukea -RemoteControlSupport=Online real-time / remote support +RemoteControlSupport=Online-reaaliaikainen / etätuki OtherSupport=Muut tuet ToSeeListOfAvailableRessources=Voit ottaa yhteyttä / nähdä käytettävissä olevat varat: -HelpCenter=Help Center -DolibarrHelpCenter=Dolibarr Help and Support Center -ToGoBackToDolibarr=Otherwise, click here to continue to use Dolibarr. -TypeOfSupport=Type of support +HelpCenter=Ohjekeskus +DolibarrHelpCenter=Dolibarr-ohje ja Tukikeskus +ToGoBackToDolibarr=Muussa tapauksessa klikkaa tätä jatkaaksesi Dolibarrin käyttöä. +TypeOfSupport=Tuen tyyppi TypeSupportCommunauty=Yhteisössä (vapaa) TypeSupportCommercial=Kaupalliset TypeOfHelp=Tyyppi -NeedHelpCenter=Need support? +NeedHelpCenter=Tarvitsetko tukea? Efficiency=Tehokkuus TypeHelpOnly=Ohje vain TypeHelpDev=Ohje + kehittämisen -TypeHelpDevForm=Help+Development+Training -BackToHelpCenter=Otherwise, go back to Help center home page. -LinkToGoldMember=You can call one of the trainers preselected by Dolibarr for your language (%s) by clicking their Widget (status and maximum price are automatically updated): +TypeHelpDevForm=Apua+Kehitys+koulutus +BackToHelpCenter=Muussa tapauksessa palaa ohjekeskuksen etusivulle. +LinkToGoldMember=Voit soittaa jollekin Dolibarrin valmiiksi valitsemista kouluttajista Kieli (%s) klikkaamalla heidän widgettiään (tila ja enimmäishinta päivitetään automaattisesti): PossibleLanguages=Tuetut kielet -SubscribeToFoundation=Help the Dolibarr project, subscribe to the foundation -SeeOfficalSupport=For official Dolibarr support in your language:
      %s +SubscribeToFoundation=Auta Dolibarr-projektia, liity säätiöön +SeeOfficalSupport=Virallinen Dolibarr-tuki Kieli:
      %sb09a4b739f17 diff --git a/htdocs/langs/fi_FI/holiday.lang b/htdocs/langs/fi_FI/holiday.lang index d603f56685b..0cfb6c660b5 100644 --- a/htdocs/langs/fi_FI/holiday.lang +++ b/htdocs/langs/fi_FI/holiday.lang @@ -1,157 +1,157 @@ # Dolibarr language file - Source file is en_US - holiday HRM=Henkilöstöhallinta -Holidays=Leaves +Holidays=Lehdet Holiday=Poissaolot CPTitreMenu=Poissaolot -MenuReportMonth=Monthly statement -MenuAddCP=New leave request -MenuCollectiveAddCP=New collective leave request -NotActiveModCP=You must enable the module Leave to view this page. -AddCP=Make a leave request +MenuReportMonth=Kuukausikatsaus +MenuAddCP=Uusi lomahakemus +MenuCollectiveAddCP=Uusi kollektiivinen loma +NotActiveModCP=Sinun on otettava käyttöön Poistu-moduuli, jotta voit tarkastella tätä sivua. +AddCP=Tee lomapyyntö DateDebCP=Aloituspäivämäärä DateFinCP=Lopetuspäivä DraftCP=Luonnos -ToReviewCP=Awaiting approval +ToReviewCP=Odottaa hyväksyntää ApprovedCP=Hyväksytty CancelCP=Peruttu RefuseCP=Refused -ValidatorCP=Approver -ListeCP=List of leave -Leave=Leave request -LeaveId=Leave ID -ReviewedByCP=Will be approved by -UserID=User ID -UserForApprovalID=User for approval ID -UserForApprovalFirstname=First name of approval user -UserForApprovalLastname=Last name of approval user -UserForApprovalLogin=Login of approval user +ValidatorCP=Hyväksyjä +ListeCP=Luettelo lomasta +Leave=Jätä pyyntö +LeaveId=Jätä tunnus +ReviewedByCP=Hyväksytään +UserID=käyttäjätunnus +UserForApprovalID=Käyttäjätunnus hyväksyntää varten +UserForApprovalFirstname=Hyväksyntäkäyttäjän etunimi +UserForApprovalLastname=Hyväksyntäkäyttäjän sukunimi +UserForApprovalLogin=Hyväksyntäkäyttäjän kirjautuminen DescCP=Kuvaus -SendRequestCP=Create leave request -DelayToRequestCP=Leave requests must be made at least %s day(s) before them. -MenuConfCP=Balance of leave -SoldeCPUser=Leave balance (in days) : %s -ErrorEndDateCP=You must select an end date greater than the start date. -ErrorSQLCreateCP=An SQL error occurred during the creation: -ErrorIDFicheCP=An error has occurred, the leave request does not exist. -ReturnCP=Return to previous page -ErrorUserViewCP=You are not authorized to read this leave request. -InfosWorkflowCP=Information Workflow -RequestByCP=Requested by -TitreRequestCP=Leave request -TypeOfLeaveId=Type of leave ID -TypeOfLeaveCode=Type of leave code -TypeOfLeaveLabel=Type of leave label -NbUseDaysCP=Number of days of leave used -NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. -NbUseDaysCPShort=Days of leave -NbUseDaysCPShortInMonth=Days of leave in month -DayIsANonWorkingDay=%s is a non-working day -DateStartInMonth=Start date in month -DateEndInMonth=End date in month +SendRequestCP=luo poistumispyyntö +DelayToRequestCP=Poistumispyynnöt on tehtävä vähintään %s päivää ennen heitä. +MenuConfCP=saldo lomasta +SoldeCPUser=Poistu saldo (päivissä) : %s +ErrorEndDateCP=Sinun on valittava loppu päiväys, joka on suurempi kuin alku päiväys. +ErrorSQLCreateCP=SQL-virhe tapahtui luonnin aikana: +ErrorIDFicheCP=Tapahtui virhe, poistumispyyntöä ei ole olemassa. +ReturnCP=Palaa edelliselle sivulle +ErrorUserViewCP=Sinulla ei ole lupaa lukea tätä lomapyyntöä. +InfosWorkflowCP=Tietojen työnkulku +RequestByCP=Pyytänyt +TitreRequestCP=Jätä pyyntö +TypeOfLeaveId=Lomatunnuksen tyyppi +TypeOfLeaveCode=Lomakoodin tyyppi +TypeOfLeaveLabel=Lomatarran tyyppi +NbUseDaysCP=Käytettyjen lomapäivien lukumäärä +NbUseDaysCPHelp=Laskennassa otetaan huomioon sanakirjassa määritellyt vapaapäivät ja. +NbUseDaysCPShort=Lomapäiviä +NbUseDaysCPShortInMonth=Lomapäivät kuukaudessa +DayIsANonWorkingDay=%s on vapaapäivä +DateStartInMonth=Aloita päiväys kuukaudessa +DateEndInMonth=Loppu päiväys kuukaudessa EditCP=Muokkaa DeleteCP=Poistaa -ActionRefuseCP=Refuse +ActionRefuseCP=Kieltäytyä ActionCancelCP=Peruuta StatutCP=Tila -TitleDeleteCP=Delete the leave request -ConfirmDeleteCP=Confirm the deletion of this leave request? -ErrorCantDeleteCP=Error you don't have the right to delete this leave request. -CantCreateCP=You don't have the right to make leave requests. -InvalidValidatorCP=You must choose the approver for your leave request. -InvalidValidator=The user chosen isn't an approver. -NoDateDebut=You must select a start date. -NoDateFin=You must select an end date. -ErrorDureeCP=Your leave request does not contain working day. -TitleValidCP=Approve the leave request -ConfirmValidCP=Are you sure you want to approve the leave request? -DateValidCP=Date approved -TitleToValidCP=Send leave request -ConfirmToValidCP=Are you sure you want to send the leave request? -TitleRefuseCP=Refuse the leave request -ConfirmRefuseCP=Are you sure you want to refuse the leave request? -NoMotifRefuseCP=You must choose a reason for refusing the request. -TitleCancelCP=Cancel the leave request -ConfirmCancelCP=Are you sure you want to cancel the leave request? -DetailRefusCP=Reason for refusal -DateRefusCP=Date of refusal -DateCancelCP=Date of cancellation -DefineEventUserCP=Assign an exceptional leave for a user -addEventToUserCP=Assign leave -NotTheAssignedApprover=You are not the assigned approver +TitleDeleteCP=Poista poistopyyntö +ConfirmDeleteCP=Vahvistetaanko tämän lomapyynnön poistaminen? +ErrorCantDeleteCP=Virhe sinulla ei ole oikeutta poistaa tätä lomapyyntöä. +CantCreateCP=Sinulla ei ole oikeutta tehdä lomapyyntöjä. +InvalidValidatorCP=Sinun on valittava lomapyyntösi hyväksyjä. +InvalidValidator=Valittu käyttäjä ei ole hyväksyjä. +NoDateDebut=Sinun on valittava aloitus päiväys. +NoDateFin=Sinun on valittava loppu päiväys. +ErrorDureeCP=Lomapyyntösi ei sisällä työpäivää. +TitleValidCP=hyväksyä lomapyyntö +ConfirmValidCP=Haluatko varmasti hyväksyä poistumispyynnön? +DateValidCP=päiväys hyväksytty +TitleToValidCP=Lähetä lomapyyntö +ConfirmToValidCP=Haluatko varmasti lähettää lomapyynnön? +TitleRefuseCP=Hylkää lomapyyntö +ConfirmRefuseCP=Haluatko varmasti hylätä lomapyynnön? +NoMotifRefuseCP=Sinun on valittava syy pyynnön hylkäämiselle. +TitleCancelCP=Peruuta lomapyyntö +ConfirmCancelCP=Haluatko varmasti peruuttaa lomapyynnön? +DetailRefusCP=Syy kieltäytymiseen +DateRefusCP=päiväys kieltäytymisestä +DateCancelCP=päiväys peruutuksesta +DefineEventUserCP=Määritä käyttäjälle poikkeuksellinen loma +addEventToUserCP=Määrää lomaa +NotTheAssignedApprover=Et ole määrätty hyväksyjä MotifCP=Syy UserCP=Käyttäjä -ErrorAddEventToUserCP=An error occurred while adding the exceptional leave. -AddEventToUserOkCP=The addition of the exceptional leave has been completed. -ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be filled in -fusionGroupsUsers=The groups field and the user field will be merged -MenuLogCP=View change logs -LogCP=Log of all updates made to "Balance of Leave" +ErrorAddEventToUserCP=Poikkeusvapaata lisättäessä tapahtui virhe. +AddEventToUserOkCP=Poikkeusvapaan lisäys on saatu päätökseen. +ErrorFieldRequiredUserOrGroup="ryhmä" Kenttä tai "user" Kenttä on täytettävä sisään +fusionGroupsUsers=Ryhmät Kenttä ja ja käyttäjä Kenttä yhdistetään +MenuLogCP=Näytä muutoslokit +LogCP=Loki kaikista päivityksistä "saldo of Leave" ActionByCP=Päivittänyt -UserUpdateCP=Updated for -PrevSoldeCP=Previous Balance -NewSoldeCP=New Balance -alreadyCPexist=A leave request has already been done on this period. -UseralreadyCPexist=A leave request has already been done on this period for %s. -groups=Groups -users=Users -AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request -AutoValidationOnCreate=Automatic validation -FirstDayOfHoliday=Beginning day of leave request -LastDayOfHoliday=Ending day of leave request -HolidaysMonthlyUpdate=Monthly update -ManualUpdate=Manual update -HolidaysCancelation=Leave request cancelation -EmployeeLastname=Employee last name -EmployeeFirstname=Employee first name -TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests -HalfDay=Half day -NotTheAssignedApprover=You are not the assigned approver -LEAVE_PAID=Paid vacation -LEAVE_SICK=Sick leave -LEAVE_OTHER=Other leave -LEAVE_PAID_FR=Paid vacation +UserUpdateCP=Päivitetty varten +PrevSoldeCP=Edellinen saldo +NewSoldeCP=Uusi saldo +alreadyCPexist=Lomapyyntö on jo tehty tälle ajanjaksolle. +UseralreadyCPexist=Lomapyyntö on jo tehty tälle ajanjaksolle kohteelle %s. +groups=ryhmät +users=Käyttäjät +AutoSendMail=Automaattinen postitus +NewHolidayForGroup=Uusi kollektiivinen loma +SendRequestCollectiveCP=luo kollektiivinen loma +AutoValidationOnCreate=Automaattinen vahvistus +FirstDayOfHoliday=Lomahakemuksen alkamispäivä +LastDayOfHoliday=Lomahakemuksen päättymispäivä +HolidaysMonthlyUpdate=Kuukausittainen päivitys +ManualUpdate=Manuaalinen päivitys +HolidaysCancelation=Jätä peruutuspyyntö +EmployeeLastname=Työntekijän sukunimi +EmployeeFirstname=Työntekijän etunimi +TypeWasDisabledOrRemoved=Poistumistyyppi (tunnus %s) poistettiin käytöstä tai poistettiin +LastHolidays=Viimeisimmät %s poistumispyynnöt +AllHolidays=Kaikki lomapyynnöt +HalfDay=Puoli päivää +NotTheAssignedApprover=Et ole määrätty hyväksyjä +LEAVE_PAID=Maksettu loma +LEAVE_SICK=Sairasloma +LEAVE_OTHER=Muut lomat +LEAVE_PAID_FR=Maksettu loma ## Configuration du Module ## -LastUpdateCP=Last automatic update of leave allocation -MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation -UpdateConfCPOK=Updated successfully. -Module27130Name= Management of leave requests -Module27130Desc= Management of leave requests -ErrorMailNotSend=An error occurred while sending email: +LastUpdateCP=Viimeinen automaattinen lomanjaon päivitys +MonthOfLastMonthlyUpdate=Kuukausi, jolloin viimeinen automaattinen lomanjaon päivitys on tehty +UpdateConfCPOK=Päivitetty onnistuneesti. +Module27130Name= Lomahakemusten hallinta +Module27130Desc= Lomahakemusten hallinta +ErrorMailNotSend=Sähköpostia lähetettäessä tapahtui virhe: NoticePeriod=Huomautusaika #Messages -HolidaysToValidate=Validate leave requests -HolidaysToValidateBody=Below is a leave request to validate -HolidaysToValidateDelay=This leave request will take place within a period of less than %s days. -HolidaysToValidateAlertSolde=The user who made this leave request does not have enough available days. -HolidaysValidated=Validated leave requests -HolidaysValidatedBody=Your leave request for %s to %s has been validated. -HolidaysRefused=Request denied -HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason: -HolidaysCanceled=Canceled leaved request -HolidaysCanceledBody=Your leave request for %s to %s has been canceled. -FollowedByACounter=1: This type of leave need to be followed by a counter. Counter is incremented manually or automatically and when a leave request is validated, counter is decremented.
      0: Not followed by a counter. -NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter -GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leave to setup the different types of leaves. -HolidaySetup=Setup of module Leave -HolidaysNumberingModules=Numbering models for leave requests -TemplatePDFHolidays=Template for leave requests PDF -FreeLegalTextOnHolidays=Free text on PDF -WatermarkOnDraftHolidayCards=Watermarks on draft leave requests -HolidaysToApprove=Holidays to approve -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate leave requests -HolidayBalanceMonthlyUpdate=Monthly update of leave balance -XIsAUsualNonWorkingDay=%s is usualy a NON working day -BlockHolidayIfNegative=Block if balance negative -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative -ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted -IncreaseHolidays=Increase leave balance -HolidayRecordsIncreased= %s leave balances increased -HolidayRecordIncreased=Leave balance increased -ConfirmMassIncreaseHoliday=Bulk leave balance increase -NumberDayAddMass=Number of day to add to the selection -ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? -HolidayQtyNotModified=Balance of remaining days for %s has not been changed +HolidaysToValidate=Vahvista lomahakemukset +HolidaysToValidateBody=Alla on vahvistuspyyntö +HolidaysToValidateDelay=Tämä lomapyyntö tulee tehdä alle %s päivän kuluessa. +HolidaysToValidateAlertSolde=Tämän lomapyynnön tehneellä käyttäjällä ei ole tarpeeksi vapaata päivää. +HolidaysValidated=Vahvistetut lomahakemukset +HolidaysValidatedBody=Lomapyyntösi %s osoitteeseen %s on vahvistettu. +HolidaysRefused=Pyyntö evätty +HolidaysRefusedBody=Lomapyyntösi %s - %s on hylätty seuraavasta syystä: +HolidaysCanceled=Peruutettu jätetty pyyntö +HolidaysCanceledBody=Lomapyyntösi %s osoitteeseen %s on peruutettu. +FollowedByACounter=1: Tämän tyyppisen loman jälkeen on oltava laskuri. Laskuria kasvatetaan manuaalisesti tai automaattisesti ja, kun poistumispyyntö vahvistetaan, laskuria pienennetään.
      0: Ei seuraa laskuria . +NoLeaveWithCounterDefined=Ei ole määritettyjä lomatyyppejä, joiden perässä on oltava laskuri +GoIntoDictionaryHolidayTypes=Siirry kohtaan Etusivu - Asetukset - Sanakirjat - Loman tyyppi määrittääksesi erityyppiset lehdet. +HolidaySetup=Moduulin asetukset Poistu +HolidaysNumberingModules=Lomapyyntöjen numerointimallit +TemplatePDFHolidays=Malli lomapyyntöille PDF +FreeLegalTextOnHolidays=Ilmainen teksti PDF-muodossa +WatermarkOnDraftHolidayCards=Vesileimat Luonnos lomapyynnöissä +HolidaysToApprove=Lomat kohteeseen hyväksyä +NobodyHasPermissionToValidateHolidays=Kenelläkään ei ole lupaa vahvistaa lomapyyntöjä +HolidayBalanceMonthlyUpdate=Loman kuukausittainen päivitys saldo +XIsAUsualNonWorkingDay=%s on yleensä EI työpäivä +BlockHolidayIfNegative=Estä, jos saldo negatiivinen +LeaveRequestCreationBlockedBecauseBalanceIsNegative=Tämän lomapyynnön luominen on estetty, koska saldo on negatiivinen +ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Poistumispyynnön %s on oltava Luonnos, se on peruutettava tai sitä ei saa poistaa +IncreaseHolidays=Lisää lomaa saldo +HolidayRecordsIncreased= %s lomasaldoa korotettu +HolidayRecordIncreased=Jätä saldo korotettu +ConfirmMassIncreaseHoliday=Joukkopoisto saldo lisäys +NumberDayAddMass=Päivämäärä lisättäväksi valintaan +ConfirmMassIncreaseHolidayQuestion=Haluatko varmasti pidentää %s valitun tietueen loma-aikaa? +HolidayQtyNotModified=saldo jäljellä olevista päivistä kohteelle %s ei ole muuttunut diff --git a/htdocs/langs/fi_FI/hrm.lang b/htdocs/langs/fi_FI/hrm.lang index bfd23860d29..8630371bc7c 100644 --- a/htdocs/langs/fi_FI/hrm.lang +++ b/htdocs/langs/fi_FI/hrm.lang @@ -7,85 +7,91 @@ Establishments=Laitokset Establishment=Laitos NewEstablishment=Uusi laitos DeleteEstablishment=Poista laitos -ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? +ConfirmDeleteEstablishment=Haluatko varmasti poistaa tämän laitoksen? OpenEtablishment=Avaa laitos CloseEtablishment=Sulje laitos # Dictionary -DictionaryPublicHolidays=Leave - Public holidays -DictionaryDepartment=HRM - Organizational Unit -DictionaryFunction=HRM - Job positions +DictionaryPublicHolidays=Lähde - yleiset vapaapäivät +DictionaryDepartment=HRM - Organisaatioyksikkö +DictionaryFunction=HRM - Työpaikat # Module Employees=Työntekijät Employee=Työntekijä NewEmployee=Uusi työntekijä -ListOfEmployees=List of employees +ListOfEmployees=Luettelo työntekijöistä HrmSetup=Henkilöstöhallinta moduulin asetukset -SkillsManagement=Skills management -HRM_MAXRANK=Maximum number of levels to rank a skill -HRM_DEFAULT_SKILL_DESCRIPTION=Default description of ranks when skill is created -deplacement=Shift -DateEval=Evaluation date -JobCard=Job card -JobPosition=Job -JobsPosition=Jobs -NewSkill=New Skill -SkillType=Skill type -Skilldets=List of ranks for this skill -Skilldet=Skill level -rank=Rank -ErrNoSkillSelected=No skill selected -ErrSkillAlreadyAdded=This skill is already in the list -SkillHasNoLines=This skill has no lines -skill=Skill -Skills=Skills -SkillCard=Skill card -EmployeeSkillsUpdated=Employee skills have been updated (see "Skills" tab of employee card) -Eval=Evaluation -Evals=Evaluations -NewEval=New evaluation -ValidateEvaluation=Validate evaluation -ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with reference %s? -EvaluationCard=Evaluation card -RequiredRank=Required rank for this job -EmployeeRank=Employee rank for this skill -EmployeePosition=Employee position -EmployeePositions=Employee positions -EmployeesInThisPosition=Employees in this position -group1ToCompare=Usergroup to analyze -group2ToCompare=Second usergroup for comparison -OrJobToCompare=Compare to job skills requirements +SkillsManagement=Taitojen hallinta +HRM_MAXRANK=Maksimimäärä tasoja taidon luokitteluun +HRM_DEFAULT_SKILL_DESCRIPTION=oletus kuvaus sijoituksista, kun taito luodaan +deplacement=Siirtää +DateEval=Arviointi päiväys +JobCard=Työkortti +NewJobProfile=Uusi työprofiili +JobProfile=Työprofiili +JobsProfiles=Työprofiilit +NewSkill=Uusi Taito +SkillType=Taitotyyppi +Skilldets=Luettelo tämän taidon riveistä +Skilldet=Taitotaso +rank=Sijoitus +ErrNoSkillSelected=Taitoa ei ole valittu +ErrSkillAlreadyAdded=Tämä taito on jo listalla +SkillHasNoLines=Tällä taidolla ei ole linjoja +Skill=Taito +Skills=Taidot +SkillCard=Taitokortti +EmployeeSkillsUpdated=Työntekijän taidot on päivitetty (katso työntekijäkortin "Taidot"-välilehti) +Eval=Arviointi +Evals=Arvioinnit +NewEval=Uusi arviointi +ValidateEvaluation=Vahvista arviointi +ConfirmValidateEvaluation=Haluatko varmasti vahvistaa tämän arvioinnin viitteellä %s? +EvaluationCard=Arviointikortti +RequiredRank=Työprofiiliin vaadittava arvosana +RequiredRankShort=Vaadittu arvosana +PositionsWithThisProfile=Tehtävät tämän työprofiilin kanssa +EmployeeRank=Työntekijän arvosana tälle taidolle +EmployeeRankShort=Työntekijän arvosana +EmployeePosition=Työntekijän asema +EmployeePositions=Työntekijöiden paikat +EmployeesInThisPosition=Työntekijät tässä tehtävässä +group1ToCompare=Analysoitava käyttäjäryhmä +group2ToCompare=Toinen käyttäjäryhmä vertailua varten +OrJobToCompare=Vertaa työprofiilin taitovaatimuksiin difference=Ero -CompetenceAcquiredByOneOrMore=Competence acquired by one or more users but not requested by the second comparator -MaxlevelGreaterThan=Max level greater than the one requested -MaxLevelEqualTo=Max level equal to that demand -MaxLevelLowerThan=Max level lower than that demand -MaxlevelGreaterThanShort=Employee level greater than the one requested -MaxLevelEqualToShort=Employee level equals to that demand -MaxLevelLowerThanShort=Employee level lower than that demand -SkillNotAcquired=Skill not acquired by all users and requested by the second comparator +CompetenceAcquiredByOneOrMore=Yhden tai useamman käyttäjän hankkima pätevyys, mutta jota toinen vertailija ei ole pyytänyt +MaxlevelGreaterThan=Työntekijöiden taso on odotettua korkeampi +MaxLevelEqualTo=Työntekijän taso vastaa odotettua tasoa +MaxLevelLowerThan=Työntekijöiden taso on odotettua alhaisempi +MaxlevelGreaterThanShort=Taso odotettua korkeampi +MaxLevelEqualToShort=Taso vastaa odotettua tasoa +MaxLevelLowerThanShort=Taso odotettua alhaisempi +SkillNotAcquired=Kaikki käyttäjät eivät ole hankkineet taitoa ja, jota toinen vertailija pyysi legend=Legend -TypeSkill=Skill type -AddSkill=Add skills to job -RequiredSkills=Required skills for this job -UserRank=User Rank -SkillList=Skill list -SaveRank=Save rank -TypeKnowHow=Know how -TypeHowToBe=How to be -TypeKnowledge=Knowledge -AbandonmentComment=Abandonment comment -DateLastEval=Date last evaluation -NoEval=No evaluation done for this employee -HowManyUserWithThisMaxNote=Number of users with this rank -HighestRank=Highest rank -SkillComparison=Skill comparison -ActionsOnJob=Events on this job -VacantPosition=job vacancy -VacantCheckboxHelper=Checking this option will show unfilled positions (job vacancy) -SaveAddSkill = Skill(s) added -SaveLevelSkill = Skill(s) level saved -DeleteSkill = Skill removed -SkillsExtraFields=Attributs supplémentaires (Compétences) -JobsExtraFields=Attributs supplémentaires (Emplois) -EvaluationsExtraFields=Attributs supplémentaires (Evaluations) -NeedBusinessTravels=Need business travels +TypeSkill=Taitotyyppi +AddSkill=Lisää taitoja työprofiiliin +RequiredSkills=Tähän työprofiiliin vaadittavat taidot +UserRank=Käyttäjän sijoitus +SkillList=Taitoluettelo +SaveRank=Tallenna sijoitus +TypeKnowHow=Tietotaito +TypeHowToBe=Kuinka olla +TypeKnowledge=Tietoa +AbandonmentComment=Luopumiskommentti +DateLastEval=päiväys viimeisin arviointi +NoEval=Tälle työntekijälle ei ole tehty arviointia +HowManyUserWithThisMaxNote=Käyttäjien määrä, joilla on tämä sijoitus +HighestRank=Korkein arvo +SkillComparison=Taitojen vertailu +ActionsOnJob=Tämän työn tapahtumat +VacantPosition=avoin työpaikka +VacantCheckboxHelper=Tämän vaihtoehdon valitseminen näyttää täyttämättömät työpaikat (avoimia työpaikkoja) +SaveAddSkill = Taidot lisätty +SaveLevelSkill = Taitotaso(t) tallennettu +DeleteSkill = Taito poistettu +SkillsExtraFields=Täydentävät ominaisuudet (taidot) +JobsExtraFields=Täydentävät ominaisuudet (työprofiili) +EvaluationsExtraFields=Täydentävät attribuutit (arvioinnit) +NeedBusinessTravels=Tarvitaan työmatkoja +NoDescription=Ei kuvausta +TheJobProfileHasNoSkillsDefinedFixBefore=Tämän työntekijän arvioituun työprofiiliin ei ole määritelty taitoa. Lisää taitoja ja poista sitten ja käynnistä arviointi uudelleen. diff --git a/htdocs/langs/fi_FI/install.lang b/htdocs/langs/fi_FI/install.lang index b17d11d75dd..b29587db107 100644 --- a/htdocs/langs/fi_FI/install.lang +++ b/htdocs/langs/fi_FI/install.lang @@ -2,36 +2,36 @@ InstallEasy=Seuraa ohjeita askel askeleelta. MiscellaneousChecks=Ehtojen tarkistus ConfFileExists=Asetustiedosto %s on olemassa. -ConfFileDoesNotExistsAndCouldNotBeCreated=Configuration file %s does not exist and could not be created! +ConfFileDoesNotExistsAndCouldNotBeCreated=Kokoonpano tiedosto %s -parametrin arvoksi vähintään %sb09a4f78 tavua. +Recheck=Napsauta tätä saadaksesi tarkemman testin +ErrorPHPDoesNotSupportSessions=PHP-asennus ei tue istuntoja. Tämä ominaisuus tarvitaan, jotta Dolibarr toimii. Tarkista istuntohakemiston PHP-asetusten ja käyttöoikeudet. +ErrorPHPDoesNotSupport=PHP-asennus ei tue %s-toimintoja. ErrorDirDoesNotExists=Hakemiston %s ei ole olemassa. -ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. +ErrorGoBackAndCorrectParameters=Palaa takaisin ja tarkista/korjaa parametrit. ErrorWrongValueForParameter=Olet ehkä kirjoittanut väärän arvon parametri ' %s'. ErrorFailedToCreateDatabase=Luominen epäonnistui tietokanta ' %s'. ErrorFailedToConnectToDatabase=Epäonnistui muodostaa tietokanta ' %s'. ErrorDatabaseVersionTooLow=Tietokannan versio (%s) on liian vanha. Versio %s tai korkeampi on tarpeen. -ErrorPHPVersionTooLow=PHP version too old. Version %s or higher is required. -ErrorPHPVersionTooHigh=PHP version too high. Version %s or lower is required. -ErrorConnectedButDatabaseNotFound=Connection to server successful but database '%s' not found. +ErrorPHPVersionTooLow=PHP-versio liian vanha. Versio %s tai uudempi vaaditaan. +ErrorPHPVersionTooHigh=PHP-versio liian korkea. Versio %s tai vanhempi vaaditaan. +ErrorConnectedButDatabaseNotFound=Yhteys palvelimeen onnistui, mutta tietokanta '%s' ei löytynyt. ErrorDatabaseAlreadyExists=Database ' %s' on jo olemassa. -ErrorNoMigrationFilesFoundForParameters=No migration file found for the selected versions -IfDatabaseNotExistsGoBackAndUncheckCreate=If the database does not exist, go back and check option "Create database". +ErrorNoMigrationFilesFoundForParameters=Valituille versioille ei löytynyt siirtoa tiedosto +IfDatabaseNotExistsGoBackAndUncheckCreate=Jos tietokanta ei ole olemassa, palaa ja valitse vaihtoehto "luo tietokanta". IfDatabaseExistsGoBackAndCheckCreate=Jos tietokanta on jo olemassa, mene takaisin ja poista "Luo tietokanta" vaihtoehto. -WarningBrowserTooOld=Version of browser is too old. Upgrading your browser to a recent version of Firefox, Chrome or Opera is highly recommended. +WarningBrowserTooOld=Selainversio on liian vanha. On erittäin suositeltavaa päivittää selaimesi uusimpaan Firefox-, Chrome- tai Opera-versioon. PHPVersion=PHP Version License=Käyttämällä lisenssi ConfigurationFile=Configuration file @@ -44,22 +44,22 @@ DolibarrDatabase=Dolibarr Database DatabaseType=Tietokannan tyyppi DriverType=Driver tyyppi Server=Server -ServerAddressDescription=Name or ip address for the database server. Usually 'localhost' when the database server is hosted on the same server as the web server. +ServerAddressDescription=Palvelimen tietokanta nimi tai IP-osoite. Yleensä 'localhost', kun palvelinta tietokanta isännöidään samassa palvelimessa kuin verkkopalvelin. ServerPortDescription=Tietokanta-palvelimen portti. Pidä tyhjä, jos tuntematon. DatabaseServer=Database Server DatabaseName=Tietokannan nimi -DatabasePrefix=Database table prefix -DatabasePrefixDescription=Database table prefix. If empty, defaults to llx_. -AdminLogin=User account for the Dolibarr database owner. +DatabasePrefix=tietokanta taulukon etuliite +DatabasePrefixDescription=tietokanta taulukon etuliite. Jos tyhjä, oletusarvo on llx_. +AdminLogin=Dolibarrin tietokanta omistajan käyttäjätili. AdminPassword=Salasana Dolibarr tietokannan ylläpitäjä. Pidä tyhjä jos kytket nimettömässä CreateDatabase=Luo tietokanta -CreateUser=Create user account or grant user account permission on the Dolibarr database +CreateUser=luo käyttäjätili tai myönnä käyttäjätiliin käyttöoikeus Dolibarrissa tietokanta DatabaseSuperUserAccess=Tietokanta - SuperUser pääsy -CheckToCreateDatabase=Check the box if the database does not exist yet and so must be created.
      In this case, you must also fill in the user name and password for the superuser account at the bottom of this page. -CheckToCreateUser=Check the box if:
      the database user account does not yet exist and so must be created, or
      if the user account exists but the database does not exist and permissions must be granted.
      In this case, you must enter the user account and password and also the superuser account name and password at the bottom of this page. If this box is unchecked, database owner and password must already exist. -DatabaseRootLoginDescription=Superuser account name (to create new databases or new users), mandatory if the database or its owner does not already exist. -KeepEmptyIfNoPassword=Leave empty if superuser has no password (NOT recommended) -SaveConfigurationFile=Saving parameters to +CheckToCreateDatabase=Valitse valintaruutu, jos tietokanta ei ole vielä olemassa ja, joten se on luotava.
      Tässä tapauksessa sinun on myös täytettävä tämän sivun alareunaan pääkäyttäjätilin käyttäjänimi ja. +CheckToCreateUser=Valitse valintaruutu, jos:
      tietokanta käyttäjätiliä ei vielä ole olemassa ja > joten se on luotava tai
      jos käyttäjätili on olemassa, mutta tietokanta ei ole olemassa ja käyttöoikeudet on myönnettävä.
      Tässä tapauksessa sinun on annettava käyttäjätili ja salasana ja myös pääkäyttäjätilin nimi %s
      ' created successfully. +AdminLoginCreatedSuccessfuly=Dolibarrin järjestelmänvalvojan kirjautumistunnus '%s luotiin onnistuneesti. GoToDolibarr=Siirry Dolibarr GoToSetupArea=Siirry Dolibarr (setup-alue) -MigrationNotFinished=The database version is not completely up to date: run the upgrade process again. +MigrationNotFinished=tietokanta-versio ei ole täysin ajan tasalla päiväys: suorita päivitysprosessi uudelleen. GoToUpgradePage=Siirry päivittää sivu uudelleen WithNoSlashAtTheEnd=Ilman kauttaviivalla "/" lopussa -DirectoryRecommendation=IMPORTANT: You must use a directory that is outside of the web pages (so do not use a subdirectory of previous parameter). +DirectoryRecommendation=TÄRKEÄÄ: Sinun on käytettävä hakemistoa, joka on verkkosivujen ulkopuolella (joten älä käytä edellisen parametrin alihakemistoa ). LoginAlreadyExists=On jo olemassa DolibarrAdminLogin=Dolibarr admin login -AdminLoginAlreadyExists=Dolibarr administrator account '%s' already exists. Go back if you want to create another one. +AdminLoginAlreadyExists=Dolibarr-järjestelmänvalvojan tili %s on jo olemassa. Palaa takaisin, jos haluat luo toisen. FailedToCreateAdminLogin=Dolibarr ylläpitokäyttäjän luominen epäonnistui -WarningRemoveInstallDir=Warning, for security reasons, once the installation process is complete, you must add a file called install.lock into the Dolibarr document directory in order to prevent the accidental/malicious use of the install tools again. -FunctionNotAvailableInThisPHP=Not available in this PHP +WarningRemoveInstallDir=Varoitus, kun asennus on valmis, sinun on turvallisuussyistä lisättävä tiedosto nimeltä install.lock Dolibarrin dokumenttihakemistoon estääkseen asennustyökalujen tahattoman tai haitallisen käytön uudelleen. +FunctionNotAvailableInThisPHP=Ei saatavilla tässä PHP:ssä ChoosedMigrateScript=Valittu siirtyä script -DataMigration=Database migration (data) -DatabaseMigration=Database migration (structure + some data) +DataMigration=tietokanta siirto (data) +DatabaseMigration=tietokanta siirto (rakenne + joitakin tietoja) ProcessMigrateScript=Script käsittely ChooseYourSetupMode=Valitse setup-tilaan ja klikkaa "Käynnistä" ... FreshInstall=Tuore asentaa -FreshInstallDesc=Use this mode if this is your first install. If not, this mode can repair a incomplete previous install. If you want to upgrade your version, choose "Upgrade" mode. +FreshInstallDesc=Käytä tätä tilaa, jos tämä on ensimmäinen asennuksesi. Jos ei, tämä tila voi korjata epätäydellisen edellisen asennuksen. Jos haluat päivittää versiosi, valitse "Päivitä"-tila. Upgrade=Päivitys UpgradeDesc=Käytä tätä tilaa, jos sinulla on korvattu vanha Dolibarr tiedostoja tiedostot uudemmalla versiolla. Tämä päivittää tietokantaan ja tietoja. Start=Alku InstallNotAllowed=Asennusohjelma ei sallita conf.php käyttöoikeudet YouMustCreateWithPermission=Sinun on luotava tiedosto %s ja asettaa kirjoittaa oikeudet sen Web-palvelimen aikana asentaa prosessiin. -CorrectProblemAndReloadPage=Please fix the problem and press F5 to reload the page. +CorrectProblemAndReloadPage=Korjaa ongelma ja painamalla F5 ladataksesi sivun uudelleen. AlreadyDone=Siirretty DatabaseVersion=Tietokanta versio ServerVersion=Tietokanta Serverin versio YouMustCreateItAndAllowServerToWrite=Sinun on luotava tähän hakemistoon ja mahdollistaa web-palvelin voi kirjoittaa sitä. DBSortingCollation=Luonne lajittelu jotta -YouAskDatabaseCreationSoDolibarrNeedToConnect=You selected create database %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions. -YouAskLoginCreationSoDolibarrNeedToConnect=You selected create database user %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions. -BecauseConnectionFailedParametersMayBeWrong=The database connection failed: the host or super user parameters must be wrong. +YouAskDatabaseCreationSoDolibarrNeedToConnect=Valitsit luo tietokanta 0ec4b9fec80 , mutta tätä varten Dolibarrin on muodostettava yhteys palvelimeen %s superkäyttäjän kanssa %s -käyttöoikeudet. +YouAskLoginCreationSoDolibarrNeedToConnect=Valitsit luo tietokanta käyttäjän %s, mutta tätä varten Dolibarrin on muodostettava yhteys palvelimeen %s superkäyttäjän kanssa b0ecb2ec87f49f classz ='notranslate'> käyttöoikeudet. +BecauseConnectionFailedParametersMayBeWrong=Yhteys tietokanta epäonnistui: isäntä- tai pääkäyttäjäparametrien on oltava väärät. OrphelinsPaymentsDetectedByMethod=Orphelins maksu havaittu menetelmä %s RemoveItManuallyAndPressF5ToContinue=Poistaa sen manuaalisesti ja paina F5 jatkaa. FieldRenamed=Kenttä uudelleennimetty -IfLoginDoesNotExistsCheckCreateUser=If the user does not exist yet, you must check option "Create user" -ErrorConnection=Server "%s", database name "%s", login "%s", or database password may be wrong or the PHP client version may be too old compared to the database version. +IfLoginDoesNotExistsCheckCreateUser=Jos käyttäjää ei ole vielä olemassa, sinun on valittava vaihtoehto "luo user" +ErrorConnection=Palvelin "%s", tietokanta nimi "%sb09a4b739f17f8", logiz0 "%s" tai tietokanta salasana voi olla väärä tai PHP-asiakasversio voi olla liian vanha verrattuna tietokanta-versioon. InstallChoiceRecommanded=Suositeltava valinta asentaa version %s nykyisestä versiosta %s InstallChoiceSuggested=Asenna valinta ehdotti installer. -MigrateIsDoneStepByStep=The targeted version (%s) has a gap of several versions. The install wizard will come back to suggest a further migration once this one is complete. -CheckThatDatabasenameIsCorrect=Check that the database name "%s" is correct. +MigrateIsDoneStepByStep=Kohdennettu versio (%s) sisältää useita versioita. Ohjattu asennustoiminto palaa ehdottamaan uutta siirtoa, kun tämä on valmis. +CheckThatDatabasenameIsCorrect=Tarkista, että tietokanta nimi "%s" on oikein. IfAlreadyExistsCheckOption=Jos tämä nimi on oikea ja että tietokanta ei ole vielä olemassa, sinun täytyy tarkistaa vaihtoehto "Luo tietokanta". OpenBaseDir=PHP openbasedir parametri -YouAskToCreateDatabaseSoRootRequired=You checked the box "Create database". For this, you need to provide the login/password of superuser (bottom of form). -YouAskToCreateDatabaseUserSoRootRequired=You checked the box "Create database owner". For this, you need to provide the login/password of superuser (bottom of form). -NextStepMightLastALongTime=The current step may take several minutes. Please wait until the next screen is shown completely before continuing. -MigrationCustomerOrderShipping=Migrate shipping for sales orders storage +YouAskToCreateDatabaseSoRootRequired=Valitsit ruudun luo tietokanta. Tätä varten sinun on annettava superkäyttäjän kirjautumistunnus/salasana (lomakkeen alareunassa). +YouAskToCreateDatabaseUserSoRootRequired=Valitsit valintaruudun "luo tietokanta omistaja". Tätä varten sinun on annettava superkäyttäjän kirjautumistunnus/salasana (lomakkeen alareunassa). +NextStepMightLastALongTime=Nykyinen vaihe voi kestää useita minuutteja. Odota, kunnes seuraava näyttö tulee kokonaan näkyviin, ennen kuin jatkat. +MigrationCustomerOrderShipping=Siirrä toimitus myyntitilausten varastointiin MigrationShippingDelivery=Päivitä varastointi merenkulun MigrationShippingDelivery2=Päivitä varastointi merenkulun 2 MigrationFinished=Muuttoliike valmis -LastStepDesc=Last step: Define here the login and password you wish to use to connect to Dolibarr. Do not lose this as it is the master account to administer all other/additional user accounts. +LastStepDesc=Viimeinen vaihe: Määritä tähän kirjautumissalasana, ja käytä yhteyden muodostamiseen Dolibarriin. Älä hukkaa tätä, sillä se on päätili kaikkien muiden/lisäkäyttäjätilien hallinnassa. ActivateModule=Aktivoi moduuli %s ShowEditTechnicalParameters=Klikkaa tästä näyttääksesi/muuttaaksesi edistyneemmät parametrit (asiantuntija tila) -WarningUpgrade=Warning:\nDid you run a database backup first?\nThis is highly recommended. Loss of data (due to for example bugs in mysql version 5.5.40/41/42/43) may be possible during this process, so it is essential to take a complete dump of your database before starting any migration.\n\nClick OK to start migration process... -ErrorDatabaseVersionForbiddenForMigration=Your database version is %s. It has a critical bug, making data loss possible if you make structural changes in your database, such as is required by the migration process. For his reason, migration will not be allowed until you upgrade your database to a layer (patched) version (list of known buggy versions: %s) -KeepDefaultValuesWamp=You used the Dolibarr setup wizard from DoliWamp, so values proposed here are already optimized. Change them only if you know what you are doing. -KeepDefaultValuesDeb=You used the Dolibarr setup wizard from a Linux package (Ubuntu, Debian, Fedora...), so the values proposed here are already optimized. Only the password of the database owner to create must be entered. Change other parameters only if you know what you are doing. -KeepDefaultValuesMamp=You used the Dolibarr setup wizard from DoliMamp, so the values proposed here are already optimized. Change them only if you know what you are doing. -KeepDefaultValuesProxmox=You used the Dolibarr setup wizard from a Proxmox virtual appliance, so the values proposed here are already optimized. Change them only if you know what you are doing. -UpgradeExternalModule=Run dedicated upgrade process of external module -SetAtLeastOneOptionAsUrlParameter=Set at least one option as a parameter in URL. For example: '...repair.php?standard=confirmed' -NothingToDelete=Nothing to clean/delete -NothingToDo=Nothing to do +WarningUpgrade=Varoitus:\nTeitkö tietokanta varmuuskopion ensin?\nTämä on erittäin suositeltavaa. Tietojen katoaminen (esimerkiksi mysql-version 5.5.40/41/42/43 virheiden vuoksi) voi olla mahdollista tämän prosessin aikana, joten on tärkeää tehdä täydellinen vedos tietokanta<. /span> ennen kuin aloitat siirron.\n\nNapsauta OK aloittaaksesi siirtoprosessin... +ErrorDatabaseVersionForbiddenForMigration=Versiosi tietokanta on %s. Siinä on kriittinen virhe, joka mahdollistaa tietojen menetyksen, jos teet siirtoprosessin edellyttämiä rakenteellisia muutoksia tietokanta. Tästä syystä siirtoa ei sallita, ennen kuin päivität tietokanta-laitteesi tasoversioksi (korjattu) (luettelo tunnetuista bugiisista versioista: %s) +KeepDefaultValuesWamp=Käytit DoliWampin Dolibarrin ohjattua asennustoimintoa, joten tässä ehdotetut arvot on jo optimoitu. Muuta niitä vain, jos tiedät mitä olet tekemässä. +KeepDefaultValuesDeb=Käytit Dolibarrin ohjattua asennustoimintoa Linux-paketista (Ubuntu, Debian, Fedora...), joten tässä ehdotetut arvot on jo optimoitu. Vain tietokanta omistajan salasana luo on annettava. Muuta muita parametreja vain, jos tiedät mitä olet tekemässä. +KeepDefaultValuesMamp=Käytit DoliMampin ohjattua Dolibarrin asennustoimintoa, joten tässä ehdotetut arvot on jo optimoitu. Muuta niitä vain, jos tiedät mitä olet tekemässä. +KeepDefaultValuesProxmox=Käytit Dolibarrin ohjattua asennustoimintoa Proxmox-virtuaalilaitteistosta, joten tässä ehdotetut arvot on jo optimoitu. Muuta niitä vain, jos tiedät mitä olet tekemässä. +UpgradeExternalModule=Suorita ulkoisen moduulin oma päivitysprosessi +SetAtLeastOneOptionAsUrlParameter=Aseta vähintään yksi vaihtoehto parametriksi URL-osoitteessa. Esimerkki: '...repair.php?standard=confirmed' +NothingToDelete=Ei mitään puhdistettavaa/poistettavaa +NothingToDo=Ei mitään tehtävää ######### # upgrade MigrationFixData=Korjaus denormalized tiedot MigrationOrder=Tietojen siirtäminen asiakkaiden tilauksia -MigrationSupplierOrder=Data migration for vendor's orders +MigrationSupplierOrder=Tietojen siirto käyttäjän Toimittaja tilauksille MigrationProposal=Tietojen siirtäminen kaupallisiin ehdotuksia MigrationInvoice=Tietojen siirtäminen asiakkaiden laskut MigrationContract=Tietojen siirtäminen sopimusten @@ -162,9 +162,9 @@ MigrationContractsUpdate=Sopimus tietojen korjaus MigrationContractsNumberToUpdate=%s sopimuksen (t) päivitys MigrationContractsLineCreation=Luo sopimus linja sopimustavaroiden ref %s MigrationContractsNothingToUpdate=Ei enää Muistettavaa -MigrationContractsFieldDontExist=Field fk_facture does not exist anymore. Nothing to do. +MigrationContractsFieldDontExist=Kenttä fk_facturea ei ole enää olemassa. Ei mitään tehtävää. MigrationContractsEmptyDatesUpdate=Sopimus tyhjä päivämäärä korjaus -MigrationContractsEmptyDatesUpdateSuccess=Contract empty date correction done successfully +MigrationContractsEmptyDatesUpdateSuccess=Sopimus tyhjä päiväys korjaus tehty onnistuneesti MigrationContractsEmptyDatesNothingToUpdate=Mitään sopimusta ei tyhjä päivämäärä korjata MigrationContractsEmptyCreationDatesNothingToUpdate=Mitään sopimusta ei luontipäivämäärä korjata MigrationContractsInvalidDatesUpdate=Bad arvopäivä sopimuksen korjaus @@ -172,7 +172,7 @@ MigrationContractsInvalidDateFix=Correct contract %s (Contract date=%s, Starting MigrationContractsInvalidDatesNumber=%s sopimusten muuntamattomat MigrationContractsInvalidDatesNothingToUpdate=N: o päivämäärän mukaisessa huono arvo korjata MigrationContractsIncoherentCreationDateUpdate=Bad arvo sopimuksen luontipäivämäärä korjaus -MigrationContractsIncoherentCreationDateUpdateSuccess=Bad value contract creation date correction done successfully +MigrationContractsIncoherentCreationDateUpdateSuccess=Väärän arvon sopimuksen luominen päiväys korjaus tehty onnistuneesti MigrationContractsIncoherentCreationDateNothingToUpdate=Ei huono arvo sopimustavaroiden luontipäivämäärä korjata MigrationReopeningContracts=Avoinna sopimuksen suljettu virhe MigrationReopenThisContract=Uudelleen sopimuksen %s @@ -186,34 +186,34 @@ MigrationDeliveryDetail=Toimitus päivitys MigrationStockDetail=Päivitä varastossa tuotteiden arvosta MigrationMenusDetail=Päivitä dynaaminen valikot taulukot MigrationDeliveryAddress=Päivitä toimitusosoite kuljetusta -MigrationProjectTaskActors=Data migration for table llx_projet_task_actors +MigrationProjectTaskActors=Tietojen siirto taulukolle llx_projet_task_actors MigrationProjectUserResp=Tietojen siirtäminen alalla fk_user_resp ja llx_projet on llx_element_contact MigrationProjectTaskTime=Päivitä aika sekunneissa MigrationActioncommElement=Päivitä tiedot toimista -MigrationPaymentMode=Data migration for payment type +MigrationPaymentMode=maksu-tyypin tietojen siirto MigrationCategorieAssociation=Kategorioiden siirto -MigrationEvents=Migration of events to add event owner into assignment table -MigrationEventsContact=Migration of events to add event contact into assignment table -MigrationRemiseEntity=Update entity field value of llx_societe_remise -MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except -MigrationUserRightsEntity=Update entity field value of llx_user_rights -MigrationUserGroupRightsEntity=Update entity field value of llx_usergroup_rights -MigrationUserPhotoPath=Migration of photo paths for users -MigrationFieldsSocialNetworks=Migration of users fields social networks (%s) +MigrationEvents=Tapahtumien siirto tapahtuman omistajan lisäämiseksi tehtävätaulukkoon +MigrationEventsContact=Tapahtumien siirto tapahtuman yhteyshenkilön lisäämiseksi tehtävätaulukkoon +MigrationRemiseEntity=Päivitä entiteetin Kenttä arvo llx_societe_remise +MigrationRemiseExceptEntity=Päivitä entiteetin Kenttä arvo llx_societe_remise_except +MigrationUserRightsEntity=Päivitä entiteetin Kenttä arvo llx_user_rights +MigrationUserGroupRightsEntity=Päivitä entiteetin Kenttä arvo llx_usergroup_rights +MigrationUserPhotoPath=Valokuvapolkujen siirto käyttäjille +MigrationFieldsSocialNetworks=Käyttäjien siirto kentät sosiaaliset verkostot (%s) MigrationReloadModule=Lataa uudelleen moduuli %s -MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm -MigrationImportOrExportProfiles=Migration of import or export profiles (%s) -ShowNotAvailableOptions=Show unavailable options -HideNotAvailableOptions=Hide unavailable options -ErrorFoundDuringMigration=Error(s) were reported during the migration process so next step is not available. To ignore errors, you can click here, but the application or some features may not work correctly until the errors are resolved. -YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
      -YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
      -YouTryUpgradeDisabledByMissingFileUnLock=The application tried to self-upgrade, but the upgrade process is currently not allowed.
      -ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. -ClickOnLinkOrCreateUnlockFileManualy=If an upgrade is in progress, please wait... If not, you must create a file upgrade.unlock into the Dolibarr documents directory. -Loaded=Loaded -FunctionTest=Function test -NodoUpgradeAfterDB=No action requested by external modules after upgrade of database -NodoUpgradeAfterFiles=No action requested by external modules after upgrade of files or directories -MigrationContractLineRank=Migrate Contract Line to use Rank (and enable Reorder) +MigrationResetBlockedLog=Nollaa moduulin BlockedLog v7-algoritmille +MigrationImportOrExportProfiles=Tuonti- tai vientiprofiilien siirto (%s) +ShowNotAvailableOptions=Näytä vaihtoehdot, jotka eivät ole käytettävissä +HideNotAvailableOptions=Piilota vaihtoehdot, jotka eivät ole käytettävissä +ErrorFoundDuringMigration=Siirron aikana ilmoitettiin virheistä, joten seuraava vaihe ei ole käytettävissä. Voit ohittaa virheet klikkaamalla tätä, mutta sovellus tai jotkin ominaisuudet eivät välttämättä toimi oikein ennen kuin virheet on korjattu. . +YouTryInstallDisabledByDirLock=Sovellus yritti päivittää itse, mutta asennus-/päivityssivut on poistettu käytöstä turvallisuussyistä (hakemisto nimettiin uudelleen .lock-liitteellä).
      +YouTryInstallDisabledByFileLock=Sovellus yritti päivittää itse, mutta asennus-/päivityssivut on poistettu käytöstä turvallisuussyistä (lukon olemassaolon takia tiedosto span>install.lock dolibarrin dokumenttihakemistossa).
      +YouTryUpgradeDisabledByMissingFileUnLock=Sovellus yritti päivittää itse, mutta päivitysprosessi ei ole tällä hetkellä sallittu.
      +ClickHereToGoToApp=Napsauta tästä siirtyäksesi hakemukseesi +ClickOnLinkOrRemoveManualy=Jos päivitys on käynnissä, odota. Jos ei, napsauta seuraavaa linkkiä. Jos näet aina tämän saman sivun, sinun on poistettava tai nimettävä uudelleen tiedosto install.lock asiakirjahakemistosta. +ClickOnLinkOrCreateUnlockFileManualy=Jos päivitys on käynnissä, odota... Jos ei, sinun on poistettava tiedosto install.lock tai luo a tiedosto upgrade.unlock Dolibarrin asiakirjahakemistoon. +Loaded=Ladattu +FunctionTest=Toimivuustesti +NodoUpgradeAfterDB=Ulkoiset moduulit eivät ole pyytäneet toimenpiteitä tietokanta-päivityksen jälkeen +NodoUpgradeAfterFiles=Ulkoiset moduulit eivät vaadi toimintoja tiedostojen tai hakemistojen päivityksen jälkeen +MigrationContractLineRank=Siirrä sopimusrivi käyttämään sijoitusta (ja ota uudelleenjärjestys käyttöön) diff --git a/htdocs/langs/fi_FI/interventions.lang b/htdocs/langs/fi_FI/interventions.lang index 1dd882928dc..1636f300f32 100644 --- a/htdocs/langs/fi_FI/interventions.lang +++ b/htdocs/langs/fi_FI/interventions.lang @@ -3,66 +3,73 @@ Intervention=Väliintulo Interventions=Interventions InterventionCard=Interventio-kortti NewIntervention=Uusi -AddIntervention=Create intervention -ChangeIntoRepeatableIntervention=Change to repeatable intervention +AddIntervention=luo väliintulo +ChangeIntoRepeatableIntervention=Vaihda toistettavaan interventioon ListOfInterventions=Luettelo interventioiden ActionsOnFicheInter=Toimia interventio -LastInterventions=Latest %s interventions +LastInterventions=Viimeisimmät %s interventiot AllInterventions=Kaikki interventiot CreateDraftIntervention=Luo luonnos InterventionContact=Väliintulo yhteyttä DeleteIntervention=Poista interventioelimen ValidateIntervention=Validate interventioelimen ModifyIntervention=Muokka interventioelimen +CloseIntervention=Sulje interventio DeleteInterventionLine=Poista interventioelimen linja -ConfirmDeleteIntervention=Are you sure you want to delete this intervention? -ConfirmValidateIntervention=Are you sure you want to validate this intervention under name %s? -ConfirmModifyIntervention=Are you sure you want to modify this intervention? -ConfirmDeleteInterventionLine=Are you sure you want to delete this intervention line? -ConfirmCloneIntervention=Are you sure you want to clone this intervention? -NameAndSignatureOfInternalContact=Name and signature of intervening: -NameAndSignatureOfExternalContact=Name and signature of customer: +ConfirmDeleteIntervention=Haluatko varmasti poistaa tämän toimenpiteen? +ConfirmValidateIntervention=Haluatko varmasti vahvistaa tämän toimenpiteen nimellä %s ? +ConfirmModifyIntervention=Haluatko varmasti muokata tätä toimenpidettä? +ConfirmCloseIntervention=Haluatko varmasti sulkea tämän toimenpiteen? +ConfirmDeleteInterventionLine=Haluatko varmasti poistaa tämän interventiorivin? +ConfirmCloneIntervention=Haluatko varmasti kloonata tämän toimenpiteen? +NameAndSignatureOfInternalContact=Nimi ja puuttuvan henkilön allekirjoitus: +NameAndSignatureOfExternalContact=Asiakkaan nimi ja allekirjoitus: DocumentModelStandard=Vakioasiakirja malli interventioiden -InterventionCardsAndInterventionLines=Interventions and lines of interventions +InterventionCardsAndInterventionLines=Interventiot ja interventioriviä InterventionClassifyBilled=Luokittele "laskutettu" -InterventionClassifyUnBilled=Classify "Unbilled" -InterventionClassifyDone=Classify "Done" +InterventionClassifyUnBilled=Luokittele "laskuttamaton" +InterventionClassifyDone=Luokittelu "valmis" StatusInterInvoiced=Laskutetaan -SendInterventionRef=Submission of intervention %s -SendInterventionByMail=Send intervention by email -InterventionCreatedInDolibarr=Intervention %s created +SendInterventionRef=Toimenpiteen lähettäminen %s +SendInterventionByMail=Lähetä väliintulo sähköpostitse +InterventionCreatedInDolibarr=Interventio %s luotu InterventionValidatedInDolibarr=Intervention %s validoitu -InterventionModifiedInDolibarr=Intervention %s modified -InterventionClassifiedBilledInDolibarr=Intervention %s set as billed -InterventionClassifiedUnbilledInDolibarr=Intervention %s set as unbilled -InterventionSentByEMail=Intervention %s sent by email -InterventionDeletedInDolibarr=Intervention %s deleted -InterventionsArea=Interventions area -DraftFichinter=Draft interventions -LastModifiedInterventions=Latest %s modified interventions -FichinterToProcess=Interventions to process +InterventionModifiedInDolibarr=Interventio %s muokattu +InterventionClassifiedBilledInDolibarr=Interventio %s asetettu laskutetuksi +InterventionClassifiedUnbilledInDolibarr=Interventio %s asetettu laskuttamattomaksi +InterventionSentByEMail=Interventio %s lähetetty sähköpostitse +InterventionClosedInDolibarr= Interventio %s suljettu +InterventionDeletedInDolibarr=Interventio %s poistettu +InterventionsArea=Interventioalue +DraftFichinter=Luonnos interventioita +LastModifiedInterventions=Viimeisimmät %s muokatut toimenpiteet +FichinterToProcess=Interventiot käsiteltäväksi TypeContact_fichinter_external_CUSTOMER=Seurata asiakkaiden yhteystiedot -PrintProductsOnFichinter=Print also lines of type "product" (not only services) on intervention card -PrintProductsOnFichinterDetails=interventions generated from orders -UseServicesDurationOnFichinter=Use services duration for interventions generated from orders -UseDurationOnFichinter=Hides the duration field for intervention records -UseDateWithoutHourOnFichinter=Hides hours and minutes off the date field for intervention records -InterventionStatistics=Statistics of interventions -NbOfinterventions=No. of intervention cards -NumberOfInterventionsByMonth=No. of intervention cards by month (date of validation) -AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). Add option PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT to 1 into home-setup-other to include them. -InterId=Intervention id -InterRef=Intervention ref. -InterDateCreation=Date creation intervention -InterDuration=Duration intervention -InterStatus=Status intervention -InterNote=Note intervention -InterLine=Line of intervention -InterLineId=Line id intervention -InterLineDate=Line date intervention -InterLineDuration=Line duration intervention -InterLineDesc=Line description intervention -RepeatableIntervention=Template of intervention -ToCreateAPredefinedIntervention=To create a predefined or recurring intervention, create a common intervention and convert it into intervention template -ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? -GenerateInter=Generate intervention +PrintProductsOnFichinter=Tulosta interventiokorttiin myös rivit, joiden tyyppi on "tuote" (ei vain palvelut). +PrintProductsOnFichinterDetails=tilauksista syntyneet interventiot +UseServicesDurationOnFichinter=Käytä palveluiden kestoa tilauksista luotuihin interventioihin +UseDurationOnFichinter=Piilottaa keston Kenttä interventiotietueille +UseDateWithoutHourOnFichinter=Piilottaa tunnit ja minuuttia pois päiväys Kenttä interventiotietueista +InterventionStatistics=Interventiotilastot +NbOfinterventions=Interventiokorttien määrä +NumberOfInterventionsByMonth=Interventiokorttien määrä kuukausittain (vahvistuksen päiväys) +AmountOfInteventionNotIncludedByDefault=oletus ei sisällytä väliintulon määrää voittoon (useimmissa tapauksissa aikaraportteja käytetään käytetyn ajan laskemiseen). Voit käyttää PROJECT_ELEMENTS_FOR_ADD_MARGIN ja PROJECT_ELEMENTS_FOR_MINUS_MARGIN-vaihtoehtoa home-setup-other-kohdassa täydentääksesi voittoon sisällytettävien elementtien luettelon. +InterId=Intervention tunnus +InterRef=Interventio viite. +InterDateCreation=päiväys luontitoimi +InterDuration=Kesto interventio +InterStatus=Tilan interventio +InterNote=Huomaa interventio +InterLine=Interventiolinja +InterLineId=Rivitunnuksen interventio +InterLineDate=Rivin päiväys interventio +InterLineDuration=Linjan keston interventio +InterLineDesc=Rivin kuvaus interventio +RepeatableIntervention=Interventiomalli +ToCreateAPredefinedIntervention=Jos haluat luo ennalta määritetyn tai toistuvan toimenpiteen, luo yleisen toimenpiteen ja se interventiomalliin +ConfirmReopenIntervention=Haluatko varmasti avata toimenpiteen %s? +GenerateInter=Luo interventio +FichinterNoContractLinked=Interventio %s on luotu ilman linkitettyä sopimusta. +ErrorFicheinterCompanyDoesNotExist=Yritys ei ole olemassa. Interventiota ei ole luotu. +NextDateToIntervention=päiväys seuraavalle interventiosukupolvelle +NoIntervention=Ei väliintuloa diff --git a/htdocs/langs/fi_FI/intracommreport.lang b/htdocs/langs/fi_FI/intracommreport.lang index f025b6c734d..71862f00f0b 100644 --- a/htdocs/langs/fi_FI/intracommreport.lang +++ b/htdocs/langs/fi_FI/intracommreport.lang @@ -1,40 +1,40 @@ -Module68000Name = Intracomm report -Module68000Desc = Intracomm report management (Support for French DEB/DES format) -IntracommReportSetup = Intracommreport module setup -IntracommReportAbout = About intracommreport +Module68000Name = Intracomm-raportti +Module68000Desc = Intracomm-raporttien hallinta (tuki ranskalaiselle DEB/DES-muodolle) +IntracommReportSetup = Intracommreport-moduulin asetukset +IntracommReportAbout = Tietoja intracommreportista # Setup -INTRACOMMREPORT_NUM_AGREMENT=Numéro d'agrément (délivré par le CISD de rattachement) -INTRACOMMREPORT_TYPE_ACTEUR=Type d'acteur -INTRACOMMREPORT_ROLE_ACTEUR=Rôle joué par l'acteur -INTRACOMMREPORT_NIV_OBLIGATION_INTRODUCTION=Niveau d'obligation sur les introductions +INTRACOMMREPORT_NUM_AGREMENT=Numéro d'agrément (delivré par le CISD de rattachement) +INTRACOMMREPORT_TYPE_ACTEUR=Tyyppi d'näyttelijä +INTRACOMMREPORT_ROLE_ACTEUR=Rooli joué par l'acteur +INTRACOMMREPORT_NIV_OBLIGATION_INTRODUCTION=Niveau d'obligation sur les esittelyt INTRACOMMREPORT_NIV_OBLIGATION_EXPEDITION=Niveau d'obligation sur les expéditions -INTRACOMMREPORT_CATEG_FRAISDEPORT=Catégorie de services de type "Frais de port" +INTRACOMMREPORT_CATEG_FRAISDEPORT=Palveluluokka "Frais de port" INTRACOMMREPORT_NUM_DECLARATION=Numéro de déclarant # Menu -MenuIntracommReport=Intracomm report -MenuIntracommReportNew=New declaration +MenuIntracommReport=Intracomm-raportti +MenuIntracommReportNew=Uusi ilmoitus MenuIntracommReportList=Luettelo # View -NewDeclaration=New declaration -Declaration=Declaration -AnalysisPeriod=Analysis period -TypeOfDeclaration=Type of declaration -DEB=Goods exchange declaration (DEB) -DES=Services exchange declaration (DES) +NewDeclaration=Uusi ilmoitus +Declaration=julistus +AnalysisPeriod=Analyysijakso +TypeOfDeclaration=Ilmoituksen tyyppi +DEB=Tavaranvaihtoilmoitus (DEB) +DES=Palvelunvaihtoilmoitus (DES) # Export page -IntracommReportTitle=Preparation of an XML file in ProDouane format +IntracommReportTitle=XML-tiedoston tiedosto valmistelu ProDouane-muodossa # List -IntracommReportList=List of generated declarations -IntracommReportNumber=Numero of declaration -IntracommReportPeriod=Period of nalysis -IntracommReportTypeDeclaration=Type of declaration -IntracommReportDownload=download XML file +IntracommReportList=Luettelo luoduista ilmoituksista +IntracommReportNumber=Lukuisia ilmoituksia +IntracommReportPeriod=Analyysijakso +IntracommReportTypeDeclaration=Ilmoituksen tyyppi +IntracommReportDownload=lataa XML tiedosto # Invoice -IntracommReportTransportMode=Transport mode +IntracommReportTransportMode=Kuljetusmuoto diff --git a/htdocs/langs/fi_FI/knowledgemanagement.lang b/htdocs/langs/fi_FI/knowledgemanagement.lang index 469f3889085..799dd05ef9b 100644 --- a/htdocs/langs/fi_FI/knowledgemanagement.lang +++ b/htdocs/langs/fi_FI/knowledgemanagement.lang @@ -18,37 +18,44 @@ # # Module label 'ModuleKnowledgeManagementName' -ModuleKnowledgeManagementName = Knowledge Management System +ModuleKnowledgeManagementName = Tiedonhallintajärjestelmä # Module description 'ModuleKnowledgeManagementDesc' -ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base +ModuleKnowledgeManagementDesc=Hallinnoi Knowledge Management (KM) tai Help-desk-tietokantaa # # Admin page # -KnowledgeManagementSetup = Knowledge Management System setup +KnowledgeManagementSetup = Tiedonhallintajärjestelmän asennus Settings = Asetukset -KnowledgeManagementSetupPage = Knowledge Management System setup page +KnowledgeManagementSetupPage = Tiedonhallintajärjestelmän asetussivu # # About page # About = Yleisesti -KnowledgeManagementAbout = About Knowledge Management -KnowledgeManagementAboutPage = Knowledge Management about page +KnowledgeManagementAbout = Tietoja tiedonhallinnasta +KnowledgeManagementAboutPage = Tiedonhallinta sivusta -KnowledgeManagementArea = Knowledge Management -MenuKnowledgeRecord = Knowledge base -ListKnowledgeRecord = List of articles -NewKnowledgeRecord = New article -ValidateReply = Validate solution -KnowledgeRecords = Articles +KnowledgeManagementArea = Tietämyksen hallinta +MenuKnowledgeRecord = Tietopohja +MenuKnowledgeRecordShort = Tietopohja +ListKnowledgeRecord = Luettelo artikkeleista +NewKnowledgeRecord = Uusi artikkeli +ValidateReply = Vahvista ratkaisu +KnowledgeRecords = Artikkelit KnowledgeRecord = Artikkeli -KnowledgeRecordExtraFields = Extrafields for Article -GroupOfTicket=Group of tickets -YouCanLinkArticleToATicketCategory=You can link an article to a ticket group (so the article will be suggested during qualification of new tickets) -SuggestedForTicketsInGroup=Suggested for tickets when group is +KnowledgeRecordExtraFields = Artikkelin lisäkentät +GroupOfTicket=ryhmä lipuista +YouCanLinkArticleToATicketCategory=Voit linkittää artikkelin lippuun ryhmä (joten artikkeli on korostettu kaikissa lipuissa tässä ryhmä) +SuggestedForTicketsInGroup=Ehdotettu lipun luomisessa -SetObsolete=Set as obsolete -ConfirmCloseKM=Do you confirm the closing of this article as obsolete ? -ConfirmReopenKM=Do you want to restore this article to status "Validated" ? +SetObsolete=Aseta vanhentuneeksi +ConfirmCloseKM=Vahvistatko tämän artikkelin sulkemisen vanhentuneeksi? +ConfirmReopenKM=Haluatko palauttaa tämän artikkelin tilaan "Validated"? +BoxLastKnowledgerecordDescription=Viimeiset %s artikkelit +BoxLastKnowledgerecord=Viimeiset artikkelit +BoxLastKnowledgerecordContent=Viimeiset artikkelit +BoxLastKnowledgerecordModifiedContent=Viimeksi muokatut artikkelit +BoxLastModifiedKnowledgerecordDescription=Viimeisin %s muokattua artikkelia +BoxLastModifiedKnowledgerecord=Viimeksi muokatut artikkelit diff --git a/htdocs/langs/fi_FI/languages.lang b/htdocs/langs/fi_FI/languages.lang index e3ecc77871a..759ad68efab 100644 --- a/htdocs/langs/fi_FI/languages.lang +++ b/htdocs/langs/fi_FI/languages.lang @@ -1,62 +1,63 @@ # Dolibarr language file - Source file is en_US - languages -Language_am_ET=Ethiopian -Language_af_ZA=Afrikaans (South Africa) +Language_am_ET=Etiopialainen +Language_af_ZA=afrikaans (Etelä-Afrikka) +Language_en_AE=arabia (Yhdistyneet arabiemiirikunnat) Language_ar_AR=Arabia -Language_ar_DZ=Arabic (Algeria) -Language_ar_EG=Arabic (Egypt) -Language_ar_JO=Arabic (Jordania) -Language_ar_MA=Arabic (Moroco) -Language_ar_SA=Arabic -Language_ar_TN=Arabic (Tunisia) -Language_ar_IQ=Arabic (Iraq) -Language_as_IN=Assamese -Language_az_AZ=Azerbaijani -Language_bn_BD=Bengali -Language_bn_IN=Bengali (India) +Language_ar_DZ=arabia (Algeria) +Language_ar_EG=arabia (Egypti) +Language_ar_JO=arabia (Jordania) +Language_ar_MA=arabia (Marokko) +Language_ar_SA=arabia (Saudi-Arabia) +Language_ar_TN=arabia (Tunisia) +Language_ar_IQ=arabia (Irak) +Language_as_IN=Assami +Language_az_AZ=Azerbaidžani +Language_bn_BD=bengali +Language_bn_IN=bengali (Intia) Language_bg_BG=Bulgarialainen -Language_bo_CN=Tibetan +Language_bo_CN=Tiibetin Language_bs_BA=Bosnian Language_ca_ES=Katalaani Language_cs_CZ=Czech -Language_cy_GB=Welsh +Language_cy_GB=Walesin Language_da_DA=Tanska Language_da_DK=Tanska Language_de_DE=Saksa Language_de_AT=Saksa (Itävalta) Language_de_CH=Saksa (Sveitsi) -Language_de_LU=German (Luxembourg) +Language_de_LU=saksa (Luxemburg) Language_el_GR=Kreikkalainen Language_el_CY=Kreikka (Kypros) -Language_en_AE=English (United Arab Emirates) +Language_en_AE=arabia (Yhdistyneet arabiemiirikunnat) Language_en_AU=Englanti (Australia) Language_en_CA=Englanti (Kanada) Language_en_GB=Englanti (Yhdistynyt kuningaskunta) Language_en_IN=Englanti (Intia) -Language_en_MY=English (Myanmar) +Language_en_MY=englanti (Myanmar) Language_en_NZ=Englanti (Uusi-Seelanti) Language_en_SA=Englanti (Saudi-Arabia) -Language_en_SG=English (Singapore) +Language_en_SG=englanti (Singapore) Language_en_US=Englanti (Yhdysvallat) Language_en_ZA=Englanti (Etelä-Afrikka) -Language_en_ZW=English (Zimbabwe) +Language_en_ZW=englanti (Zimbabwe) Language_es_ES=Espanjalainen Language_es_AR=Espanja (Argentiina) Language_es_BO=Espanja (Bolivia) Language_es_CL=Espanja (Chile) Language_es_CO=Espanja (Kolumbia) -Language_es_CR=Spanish (Costa Rica) +Language_es_CR=espanja (Costa Rica) Language_es_DO=Espanja (Dominikaaninen tasavalta) Language_es_EC=Espanja (Ecuador) -Language_es_GT=Spanish (Guatemala) +Language_es_GT=espanja (Guatemala) Language_es_HN=Espanja (Honduras) Language_es_MX=Espanja (Meksiko) Language_es_PA=Espanja (Panama) Language_es_PY=Espanja (Paraguay) Language_es_PE=Espanja (Peru) Language_es_PR=Espanja (Puerto Rico) -Language_es_US=Spanish (USA) +Language_es_US=espanja (USA) Language_es_UY=Espanja (Uruguay) -Language_es_GT=Spanish (Guatemala) +Language_es_GT=espanja (Guatemala) Language_es_VE=Espanja (Venezuela) Language_et_EE=Virolainen Language_eu_ES=Baski @@ -65,64 +66,64 @@ Language_fi_FI=Suomi Language_fr_BE=Ranska (Belgia) Language_fr_CA=Ranska (Kanada) Language_fr_CH=Ranska (Sveitsi) -Language_fr_CI=French (Cost Ivory) -Language_fr_CM=French (Cameroun) +Language_fr_CI=ranska (Cost Ivory) +Language_fr_CM=ranska (Kamerun) Language_fr_FR=Ranskalainen -Language_fr_GA=French (Gabon) +Language_fr_GA=ranska (Gabon) Language_fr_NC=Ranskan (Uusi-Kaledonia) -Language_fr_SN=French (Senegal) -Language_fy_NL=Frisian -Language_gl_ES=Galician +Language_fr_SN=ranska (Senegal) +Language_fy_NL=friisi +Language_gl_ES=Galicialainen Language_he_IL=Heprea -Language_hi_IN=Hindi (India) +Language_hi_IN=hindi (Intia) Language_hr_HR=Kroaatti Language_hu_HU=Unkari -Language_id_ID=Indonesian +Language_id_ID=Indonesialainen Language_is_IS=Islannin Language_it_IT=Italialainen -Language_it_CH=Italian (Switzerland) +Language_it_CH=italia (Sveitsi) Language_ja_JP=Japanin kieli Language_ka_GE=Georgian -Language_kk_KZ=Kazakh -Language_km_KH=Khmer -Language_kn_IN=Kannada +Language_kk_KZ=Kazakstan +Language_km_KH=khmerit +Language_kn_IN=kannada Language_ko_KR=Korealainen Language_lo_LA=Lathia Language_lt_LT=Liettualainen Language_lv_LV=Latvia Language_mk_MK=Macedonian -Language_mn_MN=Mongolian -Language_my_MM=Burmese +Language_mn_MN=mongolialainen +Language_my_MM=burmalainen Language_nb_NO=Norja (bokmål) Language_ne_NP=Nepali Language_nl_BE=Hollanti (Belgia) -Language_nl_NL=Dutch +Language_nl_NL=Hollannin kieli Language_pl_PL=Puola -Language_pt_AO=Portuguese (Angola) -Language_pt_MZ=Portuguese (Mozambique) +Language_pt_AO=portugali (Angola) +Language_pt_MZ=portugali (Mosambik) Language_pt_BR=Portugali (Brasilia) Language_pt_PT=Portugali -Language_ro_MD=Romanian (Moldavia) +Language_ro_MD=romania (Moldavia) Language_ro_RO=Romanialainen Language_ru_RU=Venäläinen Language_ru_UA=Venäjä (Ukraina) -Language_ta_IN=Tamil -Language_tg_TJ=Tajik +Language_ta_IN=tamili +Language_tg_TJ=tadžiki Language_tr_TR=Turkki Language_sl_SI=Slovenian Language_sv_SV=Ruotsi Language_sv_SE=Ruotsi -Language_sq_AL=Albanian +Language_sq_AL=albanialainen Language_sk_SK=Slovakian -Language_sr_RS=Serbian -Language_sw_KE=Swahili +Language_sr_RS=serbia +Language_sw_KE=swahili Language_sw_SW=Kiswahili Language_th_TH=Thaimaalainen Language_uk_UA=Ukrainalainen -Language_ur_PK=Urdu +Language_ur_PK=urdu Language_uz_UZ=Uzbekki Language_vi_VN=Vietnam Language_zh_CN=Kiinalainen -Language_zh_TW=Chinese (Taiwan) -Language_zh_HK=Chinese (Hong Kong) -Language_bh_MY=Malay +Language_zh_TW=kiina (Taiwan) +Language_zh_HK=kiina (Hongkong) +Language_bh_MY=malaiji diff --git a/htdocs/langs/fi_FI/ldap.lang b/htdocs/langs/fi_FI/ldap.lang index 430e4b1107c..6edcc4a2ac2 100644 --- a/htdocs/langs/fi_FI/ldap.lang +++ b/htdocs/langs/fi_FI/ldap.lang @@ -5,7 +5,7 @@ LDAPInformationsForThisContact=Tiedot LDAP-tietokannan tämä yhteystieto LDAPInformationsForThisUser=Tiedot LDAP-tietokannan tämän käyttäjän LDAPInformationsForThisGroup=Tiedot LDAP-tietokannan tähän ryhmään LDAPInformationsForThisMember=Tiedot LDAP-tietokannan tämä jäsen -LDAPInformationsForThisMemberType=Information in LDAP database for this member type +LDAPInformationsForThisMemberType=Tiedot LDAP:ssa tietokanta tälle jäsentyypille LDAPAttributes=LDAP-attribuutteja LDAPCard=LDAP-kortti LDAPRecordNotFound=Kirjataan ei löydy LDAP-tietokanta @@ -13,15 +13,21 @@ LDAPUsers=Käyttäjät LDAP-tietokanta LDAPFieldStatus=Tila LDAPFieldFirstSubscriptionDate=Ensimmäisen tilauksen päivämäärä LDAPFieldFirstSubscriptionAmount=Fist merkinnän määrästä -LDAPFieldLastSubscriptionDate=Latest subscription date -LDAPFieldLastSubscriptionAmount=Latest subscription amount -LDAPFieldSkype=Skype id -LDAPFieldSkypeExample=Example : skypeName +LDAPFieldLastSubscriptionDate=Uusin tilaus päiväys +LDAPFieldLastSubscriptionAmount=Viimeisin tilaussumma +LDAPFieldSkype=Skype tunnus +LDAPFieldSkypeExample=Esimerkki: skypeName UserSynchronized=Käyttäjän synkronoidaan GroupSynchronized=Ryhmän synkronoidaan MemberSynchronized=Jäsen synkronoidaan -MemberTypeSynchronized=Member type synchronized +MemberTypeSynchronized=Jäsentyyppi synkronoitu ContactSynchronized=Yhteystiedot synkronoidaan ForceSynchronize=Force synkronointi Dolibarr -> LDAP ErrorFailedToReadLDAP=Lukeminen epäonnistui LDAP-tietokantaan. Tarkista LDAP-moduulin asennus ja tietokannan saavutettavuus. -PasswordOfUserInLDAP=Password of user in LDAP +PasswordOfUserInLDAP=Käyttäjän salasana LDAP:ssa +LDAPPasswordHashType=Salasanan hajautustyyppi +LDAPPasswordHashTypeExample=Palvelimella käytetyn salasanan hajautustyyppi +SupportedForLDAPExportScriptOnly=Vain ldap-vientikomentosarja tukee +SupportedForLDAPImportScriptOnly=Vain ldap-tuontikomentosarja tukee +LDAPUserAccountControl = userAccountControl luomisen yhteydessä (aktiivinen hakemisto) +LDAPUserAccountControlExample = 512 Normaali tili / 546 Normaali tili + Ei salasanaa + Ei käytössä (katso: https://fr.wikipedia.org/wiki/Active_Directory) diff --git a/htdocs/langs/fi_FI/loan.lang b/htdocs/langs/fi_FI/loan.lang index 3809136704a..b764c8d10a6 100644 --- a/htdocs/langs/fi_FI/loan.lang +++ b/htdocs/langs/fi_FI/loan.lang @@ -10,7 +10,7 @@ LoanCapital=Pääkaupunki Insurance=Vakuutus Interest=Korko Nbterms=Kausien lukumäärä -Term=Term +Term=Termi LoanAccountancyCapitalCode=Kirjanpitotili pääoma LoanAccountancyInsuranceCode=Kirjanpitotili vakuutukset LoanAccountancyInterestCode=Kirjanpitotili korot @@ -19,16 +19,16 @@ LoanDeleted=Laina poistettu onnistuneesti ConfirmPayLoan=Vahvista tämän lainan maksu LoanPaid=Laina maksettu ListLoanAssociatedProject=Tämän projektin lainat -AddLoan=Create loan -FinancialCommitment=Financial commitment +AddLoan=luo laina +FinancialCommitment=Taloudellinen sitoutuminen InterestAmount=Korko -CapitalRemain=Capital remain -TermPaidAllreadyPaid = This term is allready paid -CantUseScheduleWithLoanStartedToPaid = Can't use scheduler for a loan with payment started -CantModifyInterestIfScheduleIsUsed = You can't modify interest if you use schedule +CapitalRemain=Pääomaa jää +TermPaidAllreadyPaid = Tämä aika on jo maksettu +CantUseScheduleWithLoanStartedToPaid = Aikajanaa ei voi luoda laina:lle, jonka maksu on alkanut +CantModifyInterestIfScheduleIsUsed = Et voi muuttaa kiinnostusta, jos käytät aikataulua # Admin -ConfigLoan=Configuration of the module loan -LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Accounting account capital by default -LOAN_ACCOUNTING_ACCOUNT_INTEREST=Accounting account interest by default -LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Accounting account insurance by default -CreateCalcSchedule=Edit financial commitment +ConfigLoan=Moduulin laina määritykset +LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Tili (tilikaaviosta), jota oletus käyttää pääomaan (laina-moduuli) +LOAN_ACCOUNTING_ACCOUNT_INTEREST=Tili (tilikaaviosta), jota oletus käyttää korkoa varten (laina-moduuli) +LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Tili (tilikaaviosta), jota oletus käyttää vakuutuksiin (laina-moduuli) +CreateCalcSchedule=Muokkaa taloudellista sitoumusta diff --git a/htdocs/langs/fi_FI/mailmanspip.lang b/htdocs/langs/fi_FI/mailmanspip.lang index bab4b3576b4..ed156a99e6a 100644 --- a/htdocs/langs/fi_FI/mailmanspip.lang +++ b/htdocs/langs/fi_FI/mailmanspip.lang @@ -1,27 +1,27 @@ # Dolibarr language file - Source file is en_US - mailmanspip -MailmanSpipSetup=Mailman and SPIP module Setup -MailmanTitle=Mailman mailing list system -TestSubscribe=To test subscription to Mailman lists -TestUnSubscribe=To test unsubscribe from Mailman lists -MailmanCreationSuccess=Subscription test was executed successfully -MailmanDeletionSuccess=Unsubscription test was executed successfully -SynchroMailManEnabled=A Mailman update will be performed -SynchroSpipEnabled=A Spip update will be performed -DescADHERENT_MAILMAN_ADMINPW=Mailman administrator password -DescADHERENT_MAILMAN_URL=URL for Mailman subscriptions -DescADHERENT_MAILMAN_UNSUB_URL=URL for Mailman unsubscriptions -DescADHERENT_MAILMAN_LISTS=List(s) for automatic inscription of new members (separated by a comma) -SPIPTitle=SPIP Content Management System -DescADHERENT_SPIP_SERVEUR=SPIP Server -DescADHERENT_SPIP_DB=SPIP database name -DescADHERENT_SPIP_USER=SPIP database login -DescADHERENT_SPIP_PASS=SPIP database password -AddIntoSpip=Add into SPIP -AddIntoSpipConfirmation=Are you sure you want to add this member into SPIP? -AddIntoSpipError=Failed to add the user in SPIP -DeleteIntoSpip=Remove from SPIP -DeleteIntoSpipConfirmation=Are you sure you want to remove this member from SPIP? -DeleteIntoSpipError=Failed to suppress the user from SPIP -SPIPConnectionFailed=Failed to connect to SPIP -SuccessToAddToMailmanList=%s successfully added to mailman list %s or SPIP database -SuccessToRemoveToMailmanList=%s successfully removed from mailman list %s or SPIP database +MailmanSpipSetup=Mailman ja SPIP-moduulin asetukset +MailmanTitle=Mailman postituslistajärjestelmä +TestSubscribe=Mailman-luetteloiden tilauksen testaamiseen +TestUnSubscribe=Testaaksesi Mailman-listojen tilauksen lopettamista +MailmanCreationSuccess=Tilaustesti suoritettiin onnistuneesti +MailmanDeletionSuccess=Tilauksen lopettamistesti suoritettiin onnistuneesti +SynchroMailManEnabled=Mailman-päivitys suoritetaan +SynchroSpipEnabled=Spip-päivitys suoritetaan +DescADHERENT_MAILMAN_ADMIN_PASSWORD=Mailman-järjestelmänvalvojan salasana +DescADHERENT_MAILMAN_URL=URL-osoite Mailman-tilauksille +DescADHERENT_MAILMAN_UNSUB_URL=URL Mailman-tilausten peruutuksiin +DescADHERENT_MAILMAN_LISTS=Luettelo(t) uusien jäsenten automaattista lisäämistä varten (pilkulla erotettuna) +SPIPTitle=SPIP sisällönhallintajärjestelmä +DescADHERENT_SPIP_SERVEUR=SPIP-palvelin +DescADHERENT_SPIP_DB=SPIP tietokanta nimi +DescADHERENT_SPIP_USER=SPIP tietokanta kirjautuminen +DescADHERENT_SPIP_PASS=SPIP-salasana tietokanta +AddIntoSpip=Lisää SPIP:iin +AddIntoSpipConfirmation=Haluatko varmasti lisätä tämän jäsenen SPIP:hen? +AddIntoSpipError=Käyttäjän lisääminen SPIP-palveluun epäonnistui +DeleteIntoSpip=Poista SPIP:stä +DeleteIntoSpipConfirmation=Haluatko varmasti poistaa tämän jäsenen SPIP:stä? +DeleteIntoSpipError=Käyttäjän estäminen SPIP:stä epäonnistui +SPIPConnectionFailed=Yhteyden muodostaminen SPIP-palveluun epäonnistui +SuccessToAddToMailmanList=%s onnistuneesti lisätty postimiesluetteloon %s tai SPIP tietokanta +SuccessToRemoveToMailmanList=%s poistettu onnistuneesti postimiesluettelosta %s tai SPIP:stä tietokanta diff --git a/htdocs/langs/fi_FI/mails.lang b/htdocs/langs/fi_FI/mails.lang index 0277a1b2a95..72e0a139ea4 100644 --- a/htdocs/langs/fi_FI/mails.lang +++ b/htdocs/langs/fi_FI/mails.lang @@ -11,16 +11,16 @@ MailFrom=Laskuttaja MailErrorsTo=Virheiden MailReply=Vastaa MailTo=Vastaanottaja -MailToUsers=To user(s) +MailToUsers=käyttäjille MailCC=Kopioi -MailToCCUsers=Copy to users(s) +MailToCCUsers=Kopioi käyttäjille MailCCC=Välimuistissa jäljennös -MailTopic=Email subject +MailTopic=Sähköpostin aihe MailText=Viesti MailFile=Liitetyt tiedostot MailMessage=Sähköpostiviesti -SubjectNotIn=Not in Subject -BodyNotIn=Not in Body +SubjectNotIn=Ei aiheessa +BodyNotIn=Ei kehossa ShowEMailing=Näytä sähköpostia ListOfEMailings=Luettelo emailings NewMailing=Uusi sähköpostia @@ -43,24 +43,24 @@ MailSuccessfulySent=Sähköposti (%s - %s) hyväksyttiin onnistuneesti toimitett MailingSuccessfullyValidated=Sähköpostitus onnistuneesti vahvistettu MailUnsubcribe=Poistu listalta MailingStatusNotContact=Älä ota enää yhteyttä -MailingStatusReadAndUnsubscribe=Read and unsubscribe +MailingStatusReadAndUnsubscribe=Lue ja peruuta tilaus ErrorMailRecipientIsEmpty=Sähköposti vastaanottaja on tyhjä WarningNoEMailsAdded=Ei uusia Email lisätä vastaanottajan luetteloon. ConfirmValidMailing=Haluatko varmasti vahvistaa tämän sähköpostituksen? -ConfirmResetMailing=Warning, by re-initializing emailing %s, you will allow the re-sending this email in a bulk mailing. Are you sure you want to do this? -ConfirmDeleteMailing=Are you sure you want to delete this emailing? -NbOfUniqueEMails=No. of unique emails -NbOfEMails=No. of EMails +ConfirmResetMailing=Varoitus, kun alustat uudelleen sähköpostin %s, sallit tämän sähköpostin uudelleenlähettäminen joukkolähetyksenä. Oletko varma, että haluat tehdä tämän? +ConfirmDeleteMailing=Haluatko varmasti poistaa tämän sähköpostiviestin? +NbOfUniqueEMails=Yksilöllisten sähköpostien lukumäärä +NbOfEMails=Sähköpostien lukumäärä TotalNbOfDistinctRecipients=Useita eri vastaanottajille NoTargetYet=N: o vastaanottajat määritelty vielä (Mene välilehti "Vastaanottajat") -NoRecipientEmail=No recipient email for %s +NoRecipientEmail=Ei vastaanottajan sähköpostiosoitetta kohteelle %s RemoveRecipient=Poista vastaanottaja YouCanAddYourOwnPredefindedListHere=Voit luoda sähköpostisi Valitsimen moduuli, katso htdocs / includes / modules / postitusten / README. EMailTestSubstitutionReplacedByGenericValues=Kun käytät testi tilassa, vaihtumisista muuttujat korvataan yleisnimi arvot MailingAddFile=Liitä tämä kuva NoAttachedFiles=Ei liitetiedostoja -BadEMail=Bad value for Email -EMailNotDefined=Email not defined +BadEMail=Huono arvo sähköpostille +EMailNotDefined=Sähköpostiosoitetta ei ole määritetty ConfirmCloneEMailing=Haluatko varmasti kloonata tämän sähköpostituksen? CloneContent=Klooni viesti CloneReceivers=Cloner vastaanottajat @@ -68,32 +68,32 @@ DateLastSend=Viimeisin lähetyspäivä DateSending=Päivämäärä lähettää SentTo=Lähetetään %s MailingStatusRead=Luettu -YourMailUnsubcribeOK=The email %s is correctly unsubscribe from mailing list -ActivateCheckReadKey=Key used to encrypt URL used for "Read Receipt" and "Unsubscribe" feature -EMailSentToNRecipients=Email sent to %s recipients. -EMailSentForNElements=Email sent for %s elements. +YourMailUnsubcribeOK=Sähköpostin %s tilaus postituslistalta on poistettu oikein +ActivateCheckReadKey=Lukukuittauksen URL-osoitteen salaamiseen käytetty avain ja Peruuta tilaus +EMailSentToNRecipients=Sähköposti lähetetty %s vastaanottajalle. +EMailSentForNElements=Sähköposti lähetetty %s-elementeille. XTargetsAdded= %s vastaanottajat lisätään kohdelistaan -OnlyPDFattachmentSupported=If the PDF documents were already generated for the objects to send, they will be attached to email. If not, no email will be sent (also, note that only pdf documents are supported as attachments in mass sending in this version). -AllRecipientSelected=The recipients of the %s record selected (if their email is known). -GroupEmails=Group emails -OneEmailPerRecipient=One email per recipient (by default, one email per record selected) -WarningIfYouCheckOneRecipientPerEmail=Warning, if you check this box, it means only one email will be sent for several different record selected, so, if your message contains substitution variables that refers to data of a record, it becomes not possible to replace them. -ResultOfMailSending=Result of mass Email sending -NbSelected=Number selected -NbIgnored=Number ignored -NbSent=Number sent -SentXXXmessages=%s message(s) sent. -ConfirmUnvalidateEmailing=Are you sure you want to change email %s to draft status? -MailingModuleDescContactsWithThirdpartyFilter=Contact with customer filters -MailingModuleDescContactsByCompanyCategory=Contacts by third-party category -MailingModuleDescContactsByCategory=Contacts by categories -MailingModuleDescContactsByFunction=Contacts by position -MailingModuleDescEmailsFromFile=Emails from file -MailingModuleDescEmailsFromUser=Emails input by user -MailingModuleDescDolibarrUsers=Users with Emails +OnlyPDFattachmentSupported=Jos PDF-dokumentit on jo luotu lähetettäväksi, ne liitetään sähköpostiin. Jos ei, sähköpostia ei lähetetä (huomaa myös, että vain pdf-dokumentteja tuetaan liitteinä massalähetyksessä tässä versiossa). +AllRecipientSelected=Valitun tietueen %s vastaanottajat (jos heidän sähköpostiosoitteensa on tiedossa). +GroupEmails=ryhmä sähköpostit +OneEmailPerRecipient=Yksi sähköposti per vastaanottaja (kirjoittaja oletus, yksi sähköposti per tietue valittu) +WarningIfYouCheckOneRecipientPerEmail=Varoitus, jos valitset tämän ruudun, se tarkoittaa, että usealle valitulle tietueelle lähetetään vain yksi sähköposti, joten jos viestisi sisältää korvaavia muuttujia, jotka viittaavat tietueen tietoihin, niitä ei ole mahdollista korvata. +ResultOfMailSending=Massalähetyksen tulos +NbSelected=Numero valittu +NbIgnored=Numero ohitettu +NbSent=Numero lähetetty +SentXXXmessages=%s viesti(ä) lähetetty. +ConfirmUnvalidateEmailing=Haluatko varmasti vaihtaa sähköpostiosoitteen %s muotoon Luonnos tila? +MailingModuleDescContactsWithThirdpartyFilter=Ota yhteyttä asiakassuodattimiin +MailingModuleDescContactsByCompanyCategory=Yhteystiedot kolmannen osapuolen luokittain +MailingModuleDescContactsByCategory=Yhteystiedot luokkien mukaan +MailingModuleDescContactsByFunction=Yhteydenotot paikan mukaan +MailingModuleDescEmailsFromFile=Sähköpostit lähettäjältä tiedosto +MailingModuleDescEmailsFromUser=Käyttäjän syöttämät sähköpostit +MailingModuleDescDolibarrUsers=Käyttäjät, joilla on sähköposti MailingModuleDescThirdPartiesByCategories=Sidosryhmät -SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. -EmailCollectorFilterDesc=All filters must match to have an email being collected +SendingFromWebInterfaceIsNotAllowed=Verkkokäyttöliittymästä lähettäminen ei ole sallittua. +EmailCollectorFilterDesc=Kaikkien suodattimien on täsmättävä, jotta sähköpostia kerätään.
      Voit käyttää merkkiä "!" ennen hakumerkkijonoarvoa, jos tarvitset negatiivisen testin # Libelle des modules de liste de destinataires mailing LineInFile=Rivi %s tiedosto @@ -122,61 +122,67 @@ YouCanUseCommaSeparatorForSeveralRecipients=Voit käyttää comma separat TagCheckMail=Seuraa postin avaamista TagUnsubscribe=Poistu listalta-linkki TagSignature=Lähettävän käyttäjän allekirjoitus -EMailRecipient=Recipient Email -TagMailtoEmail=Recipient Email (including html "mailto:" link) -NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile. +EMailRecipient=Vastaanottajan Sähköposti +TagMailtoEmail=Vastaanottajan sähköposti (mukaan lukien html "mailto:" -linkki) +NoEmailSentBadSenderOrRecipientEmail=Sähköpostia ei lähetetty. Virheellinen lähettäjän tai vastaanottajan sähköpostiosoite. Vahvista käyttäjäprofiili. # Module Notifications Notifications=Ilmoitukset -NotificationsAuto=Notifications Auto. -NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company -ANotificationsWillBeSent=1 automatic notification will be sent by email -SomeNotificationsWillBeSent=%s automatic notifications will be sent by email -AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List of all automatic email notifications sent +NotificationsAuto=Ilmoitukset Automaattinen. +NoNotificationsWillBeSent=Tälle tapahtumatyypille ja Yritys ei ole suunniteltu automaattisia sähköpostiviestejä Ilmoitukset. +ANotificationsWillBeSent=1 automaattinen ilmoitus lähetetään sähköpostitse +SomeNotificationsWillBeSent=%s automaattinen Ilmoitukset lähetetään sähköpostitse +AddNewNotification=Tilaa uusi automaattinen sähköposti-ilmoitus (kohde/tapahtuma) +ListOfActiveNotifications=Luettelo kaikista aktiivisista tilauksista (kohteet/tapahtumat) automaattista sähköposti-ilmoitusta varten +ListOfNotificationsDone=Luettelo kaikista automaattisista sähköpostiviesteistä Ilmoitukset MailSendSetupIs=Sähköpostin lähettämisen määritys on asetettu "%s": ksi. Tätä tilaa ei voi käyttää massapostitusten lähettämiseen. MailSendSetupIs2=Sinun on ensin siirryttävä admin-tilillä valikkoon %sHome - Setup - EMails%s parametrin '%s' muuttamiseksi käytettäväksi tilassa "%s". Tässä tilassa voit syöttää Internet-palveluntarjoajan antaman SMTP-palvelimen vaatimat asetukset ja käyttää Massa-sähköpostitoimintoa. MailSendSetupIs3=Jos sinulla on kysyttävää SMTP-palvelimen määrittämisestä, voit kysyä osoitteesta %s. -YouCanAlsoUseSupervisorKeyword=You can also add the keyword __SUPERVISOREMAIL__ to have email being sent to the supervisor of user (works only if an email is defined for this supervisor) -NbOfTargetedContacts=Current number of targeted contact emails -UseFormatFileEmailToTarget=Imported file must have format email;name;firstname;other -UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other -MailAdvTargetRecipients=Recipients (advanced selection) -AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target -AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima -AdvTgtSearchIntHelp=Use interval to select int or float value -AdvTgtMinVal=Minimum value -AdvTgtMaxVal=Maximum value -AdvTgtSearchDtHelp=Use interval to select date value -AdvTgtStartDt=Start dt. -AdvTgtEndDt=End dt. -AdvTgtTypeOfIncudeHelp=Target Email of third party and email of contact of the third party, or just third-party email or just contact email -AdvTgtTypeOfIncude=Type of targeted email -AdvTgtContactHelp=Use only if you target contact into "Type of targeted email" -AddAll=Add all -RemoveAll=Remove all -ItemsCount=Item(s) -AdvTgtNameTemplate=Filter name -AdvTgtAddContact=Add emails according to criteria -AdvTgtLoadFilter=Load filter -AdvTgtDeleteFilter=Delete filter -AdvTgtSaveFilter=Save filter -AdvTgtCreateFilter=Create filter -AdvTgtOrCreateNewFilter=Name of new filter -NoContactWithCategoryFound=No category found linked to some contacts/addresses -NoContactLinkedToThirdpartieWithCategoryFound=No category found linked to some thirdparties -OutGoingEmailSetup=Outgoing emails -InGoingEmailSetup=Incoming emails -OutGoingEmailSetupForEmailing=Outgoing emails (for module %s) -DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup +YouCanAlsoUseSupervisorKeyword=Voit myös lisätä avainsanan __SUPERVISOREMAIL__, jotta sähköposti lähetetään käyttäjän valvojalle (toimii vain, jos sähköposti on määritelty tälle esimiehelle) +NbOfTargetedContacts=Kohdistettujen yhteyssähköpostien nykyinen määrä +UseFormatFileEmailToTarget=Tuodun tiedosto muodon on oltava email;name;Etunimi;muu span class='notranslate'>
      +UseFormatInputEmailToTarget=Kirjoita merkkijono muodossa email;name;Etunimi;other +MailAdvTargetRecipients=Vastaanottajat (tarkennettu valinta) +AdvTgtTitle=Täytä syöttökentät valitaksesi kolmannet osapuolet tai yhteystiedot/osoitteet kohdistettavaksi +AdvTgtSearchTextHelp=Käytä %% jokerimerkeinä. Jos haluat esimerkiksi löytää kaikki kohteet, kuten jean, joe, jim, voit syöttää j%%, voit myös käyttää ; arvon erottimena ja käytä ! paitsi tämä arvo. Esimerkiksi jean;joe;jim%%;!jimo;!jima%% span> kohdistaa kaikkiin jeaneihin, joihin, jotka alkavat jimillä, mutta ei jimon ja ei kaikkeen, joka alkaa jimalla +AdvTgtSearchIntHelp=Käytä intervallia valitaksesi int- tai float-arvon +AdvTgtMinVal=Minimiarvo +AdvTgtMaxVal=Suurin arvo +AdvTgtSearchDtHelp=Valitse päiväys-arvo intervalleilla +AdvTgtStartDt=Aloita dt. +AdvTgtEndDt=Lopeta dt. +AdvTgtTypeOfIncudeHelp=Kolmannen osapuolen kohdesähköpostiosoite ja kolmannen osapuolen yhteyssähköpostiosoite tai vain kolmannen osapuolen sähköposti tai pelkkä yhteyssähköpostiosoite +AdvTgtTypeOfIncude=Kohdistetun sähköpostin tyyppi +AdvTgtContactHelp=Käytä vain, jos kohdistat yhteystietosi Kohdistetun sähköpostin tyyppiin +AddAll=Lisää kaikki +RemoveAll=Poista kaikki +ItemsCount=Tuote(t) +AdvTgtNameTemplate=Suodattimen nimi +AdvTgtAddContact=Lisää sähköpostit kriteerien mukaan +AdvTgtLoadFilter=Lataa suodatin +AdvTgtDeleteFilter=Poista suodatin +AdvTgtSaveFilter=Tallenna suodatin +AdvTgtCreateFilter=luo suodatin +AdvTgtOrCreateNewFilter=Uuden suodattimen nimi +NoContactWithCategoryFound=Joihinkin yhteystietoihin/osoitteisiin liittyvää luokkaa ei löytynyt +NoContactLinkedToThirdpartieWithCategoryFound=Joihinkin kolmansiin osapuoliin linkitettyä luokkaa ei löytynyt +OutGoingEmailSetup=Lähtevät sähköpostit +InGoingEmailSetup=Saapuvat sähköpostit +OutGoingEmailSetupForEmailing=Lähtevät sähköpostit (moduulille %s) +DefaultOutgoingEmailSetup=Sama kokoonpano kuin globaalissa lähtevän sähköpostin asetukset Information=Tiedot -ContactsWithThirdpartyFilter=Contacts with third-party filter -Unanswered=Unanswered -Answered=Answered -IsNotAnAnswer=Is not answer (initial email) -IsAnAnswer=Is an answer of an initial email -RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s -DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact -DefaultStatusEmptyMandatory=Empty but mandatory -WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. -NoMoreRecipientToSendTo=No more recipient to send the email to +ContactsWithThirdpartyFilter=Yhteystiedot kolmannen osapuolen suodattimella +Unanswered=Vastaamaton +Answered=Vastattu +IsNotAnAnswer=ei vastaa (ensimmäinen sähköposti) +IsAnAnswer=On vastaus ensimmäiseen sähköpostiin +RecordCreatedByEmailCollector=Sähköpostin kerääjän %s luoma tietue sähköpostista %s +DefaultBlacklistMailingStatus=oletus arvo Kenttä '%s' uutta yhteystietoa luotaessa +DefaultStatusEmptyMandatory=Tyhjä mutta pakollinen +WarningLimitSendByDay=VAROITUS: Ilmentymäsi asennus tai sopimus rajoittaa sähköpostien määrää päivässä %s. Jos yrität lähettää lisää, esiintymäsi voi hidastua tai jäädyttää. Ota yhteyttä tukeen, jos tarvitset suurempaa kiintiötä. +NoMoreRecipientToSendTo=Ei enää vastaanottajaa, jolle sähköpostia voisi lähettää +EmailOptedOut=Sähköpostin omistaja on pyytänyt, ettei hän enää ota yhteyttä tällä sähköpostilla +EvenUnsubscribe=Sisällytä kieltäytymissähköpostit +EvenUnsubscribeDesc=Sisällytä käytöstäpoistosähköpostit, kun valitset sähköpostit kohteiksi. Hyödyllinen esimerkiksi pakollisissa palvelusähköposteissa. +XEmailsDoneYActionsDone=%s sähköpostit valmiiksi hyväksytty, %s sähköpostit käsitelty onnistuneesti (%s-tietueelle /toimet tehty) +helpWithAi=Lisää ohjeet +YouCanMakeSomeInstructionForEmail=Voit antaa ohjeita sähköpostiisi (esimerkki: luo kuva sähköpostimalliin...) diff --git a/htdocs/langs/fi_FI/main.lang b/htdocs/langs/fi_FI/main.lang index 7830fd186a5..a810f2340ba 100644 --- a/htdocs/langs/fi_FI/main.lang +++ b/htdocs/langs/fi_FI/main.lang @@ -36,7 +36,7 @@ NoTranslation=Ei käännöstä Translation=Käännös Translations=Käännökset CurrentTimeZone=Aikavyöhyke PHP (palvelin) -EmptySearchString=Syötä haettavat kriteerit +EmptySearchString=Anna ei-tyhjät hakuehdot EnterADateCriteria=Syötä päivämäärä NoRecordFound=Tietueita ei löytynyt NoRecordDeleted=Tallennuksia ei poistettu @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Failed to send mail (sender=%s, receiver=Failed to send ma ErrorFileNotUploaded=Tiedosto ei ole ladattu. Tarkista, että koko ei ylitä suurinta sallittua, että vapaata tilaa on käytettävissä levyllä ja että siellä ei ole jo tiedoston samalla nimellä tähän hakemistoon. ErrorInternalErrorDetected=Virhe havaittu ErrorWrongHostParameter=Väärä vastaanottavan parametri -ErrorYourCountryIsNotDefined=Maata ei ole määritetty. Mene Koti-Asetukset-Muokkaa - valikkoon ja lähetä lomake uudestaan +ErrorYourCountryIsNotDefined=Maatasi ei ole määritelty. Siirry kohtaan Home-Setup-Yritys/Foundation ja, lähetä lomake uudelleen. ErrorRecordIsUsedByChild=Tämän tietueen poistaminen epäonnistui. Tätä tietuetta käyttää ainakin yksi lapsitietue. ErrorWrongValue=Väärä arvo ErrorWrongValueForParameterX=Väärä arvo parametri %s @@ -73,7 +73,8 @@ ErrorCantLoadUserFromDolibarrDatabase=Ei onnistunut löytämään käyttäjä ErrorNoVATRateDefinedForSellerCountry=Virhe ei alv määritellään maa ' %s'. ErrorNoSocialContributionForSellerCountry=Virhe, ei sosiaalisia tai fiskaalisia verotyyppejä, jotka on määritelty maata "%s" varten. ErrorFailedToSaveFile=Virhe, ei tallenna tiedosto. -ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of a existing warehouse +ErrorCannotAddThisParentWarehouse=Yrität lisätä ylävaraston, joka on jo olemassa olevan varaston ali +ErrorInvalidSubtype=Valittu alatyyppi ei ole sallittu FieldCannotBeNegative=Kenttä "%s" ei voi olla negatiivinen MaxNbOfRecordPerPage=Maks. tietueiden määrä sivua kohden NotAuthorized=Oikeutesi ei riitä tähän toimintoon @@ -95,7 +96,7 @@ FileWasNotUploaded=Tiedosto on valittu liite mutta ei ollut vielä ladattu. Klik NbOfEntries=Merkintöjen määrä GoToWikiHelpPage=Lue online-ohjeet (tarvitaan Internet-yhteys) GoToHelpPage=Lue auttaa -DedicatedPageAvailable=Dedicated help page related to your current screen +DedicatedPageAvailable=Nykyiseen näyttöösi liittyvä oma ohjesivu HomePage=Kotisivu RecordSaved=Record tallennettu RecordDeleted=Tallennus poistettu @@ -103,7 +104,8 @@ RecordGenerated=Tietue luotu LevelOfFeature=Taso ominaisuuksia NotDefined=Ei määritelty DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarrin todennusmoodi on %s konfigurointitiedostossa conf.php .
      Tämä tarkoittaa, että salasanatietokanta on Dolibarrin ulkopuolinen, joten tämän kentän muuttaminen ei välttämättä vaikuta. -Administrator=Administrator +Administrator=Järjestelmänvalvoja +AdministratorDesc=Järjestelmänvalvoja (voi hallinnoida käyttäjää, käyttöoikeuksia, mutta myös järjestelmän asetuksia ja moduulien määritykset) Undefined=Määrittelemätön PasswordForgotten=Unohditko salasanasi? NoAccount=Ei tiliä? @@ -122,11 +124,11 @@ ReturnCodeLastAccessInError=Viimeisin tietokannan käyttöoikeuspyyntövirheen p InformationLastAccessInError=Tiedot viimeisimmän tietokannan käyttöoikeuspyynnön virheestä DolibarrHasDetectedError=Dolibarr on havaittu tekninen virhe YouCanSetOptionDolibarrMainProdToZero=Voit lukea lokitiedoston tai asettaa asetustiedoston $ dolibarr_main_prod arvoksi '0' saadaksesi lisätietoja. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) +InformationToHelpDiagnose=Nämä tiedot voivat olla hyödyllisiä diagnostiikkatarkoituksiin (voit piilottaa arkaluontoiset tiedot asettamalla vaihtoehdon $dolibarr_main_prod arvoon 1) MoreInformation=Lisätietoa TechnicalInformation=Tekniset tiedot TechnicalID=Tekninen tunniste -LineID=Line ID +LineID=Linjan tunnus NotePublic=Huomautus (julkinen) NotePrivate=Huomautus (yksityinen) PrecisionUnitIsLimitedToXDecimals=Dolibarr oli asetettu raja tarkkuus yksikköhinnat %s desimaalit. @@ -170,7 +172,7 @@ Close=Sulje CloseAs=Aseta tilaksi CloseBox=Poista widgetti kojelaudaltasi Confirm=Vahvista -ConfirmSendCardByMail=Do you really want to send the content of this card by mail to %s? +ConfirmSendCardByMail=Haluatko todella lähettää tämän kortin sisällön postitse osoitteeseen %s? Delete=Poistaa Remove=Poista Resiliate=Lopeta @@ -211,8 +213,8 @@ Select=Valitse SelectAll=Valitse kaikki Choose=Valitse Resize=Muuta kokoa +Crop=Rajaa ResizeOrCrop=Muuta kokoa tai rajaa -Recenter=Keskitä Author=Laatija User=Käyttäjä Users=Käyttäjät @@ -235,8 +237,8 @@ PersonalValue=Henkilökohtainen arvo NewObject=Uusi %s NewValue=Uusi arvo OldValue=Vanha arvo %s -FieldXModified=Field %s modified -FieldXModifiedFromYToZ=Field %s modified from %s to %s +FieldXModified=Kenttä %s muokattu +FieldXModifiedFromYToZ=Kenttä %s muutettu arvosta %s muotoon %s CurrentValue=Nykyinen arvo Code=Koodi Type=Tyyppi @@ -251,9 +253,9 @@ Family=Perhe Description=Kuvaus Designation=Kuvaus DescriptionOfLine=Kuvaus linja -DateOfLine=Date of line -DurationOfLine=Duration of line -ParentLine=Parent line ID +DateOfLine=päiväys rivistä +DurationOfLine=Linjan kesto +ParentLine=Päälinjan tunnus Model=Doc-pohja DefaultModel=Oletus doc-pohja Action=Tapahtuma @@ -265,7 +267,7 @@ Numero=Numero Limit=Raja Limits=Rajat Logout=Uloskirjaus -NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode %s +NoLogoutProcessWithAuthMode=Ei sovellusta katkaisuominaisuutta Autentikointi-tilassa %s Connection=Kirjautuminen Setup=Asetukset Alert=Hälytys @@ -348,7 +350,7 @@ MonthOfDay=Kuukaudenpäivä DaysOfWeek=Viikonpäivät HourShort=H MinuteShort=min -SecondShort=sec +SecondShort=sek Rate=Kurssi CurrencyRate=Valuutan vaihtokurssi UseLocalTax=Sisältää veron @@ -378,7 +380,7 @@ UnitPriceHTCurrency=Kappalehinta (netto) (valuutta) UnitPriceTTC=Yksikköhinta PriceU=A-hinta PriceUHT=Veroton hinta -PriceUHTCurrency=U.P (net) (currency) +PriceUHTCurrency=U.P (netto) (valuutta) PriceUTTC=Verollinen hinta Amount=Määrä AmountInvoice=Laskun summa @@ -394,19 +396,19 @@ AmountVAT=Verot MulticurrencyAlreadyPaid=Maksettu, alkuperäinen valuutta MulticurrencyRemainderToPay=Maksua avoimena, alkuperäinen valuutta MulticurrencyPaymentAmount=Suorituksen summa, alkuperäinen valuutta -MulticurrencyAmountHT=Amount (excl. tax), original currency +MulticurrencyAmountHT=Summa (paitsi vero), alkuperäinen valuutta MulticurrencyAmountTTC=Summa (verollinen), alkuperäisessä valuutassa MulticurrencyAmountVAT=Veron määrä, alkuperäinen valuutta -MulticurrencySubPrice=Amount sub price multi currency +MulticurrencySubPrice=Summa alihinta useassa valuutassa AmountLT1=Verot 2 AmountLT2=Verot 3 AmountLT1ES=Määrä RE AmountLT2ES=Määrä IRPF AmountTotal=Yhteissumma AmountAverage=Keskimääräinen summa -PriceQtyMinHT=Price quantity min. (excl. tax) -PriceQtyMinHTCurrency=Price quantity min. (excl. tax) (currency) -PercentOfOriginalObject=Percent of original object +PriceQtyMinHT=Hinta määrä min. (paitsi vero) +PriceQtyMinHTCurrency=Hinta määrä min. (paitsi vero) (valuutta) +PercentOfOriginalObject=Prosenttiosuus alkuperäisestä kohteesta AmountOrPercent=Määrä vai prosentti Percentage=Prosenttia Total=Yhteensä @@ -444,9 +446,9 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Additionnal cents +LT1GC=Lisää senttejä VATRate=Veroaste -RateOfTaxN=Rate of tax %s +RateOfTaxN=Arvo vero %s VATCode=Veroasteen koodi VATNPR=Veroaste NPR DefaultTaxRate=Oletus veroprosentti @@ -469,7 +471,7 @@ Favorite=Suosikki ShortInfo=Info. Ref=Viite ExternalRef=Ulkoinen viite -RefSupplier=Ref. vendor +RefSupplier=Viite. Toimittaja RefPayment=Maksun viite CommercialProposalsShort=Kaupalliset ehdotukset Comment=Kommentti @@ -517,7 +519,7 @@ NotYetAvailable=Ei vielä saatavilla NotAvailable=Ei saatavilla Categories=Tagit/luokat Category=Tagi/luokka -SelectTheTagsToAssign=Select the tags/categories to assign +SelectTheTagsToAssign=Valitse määritettävät tunnisteet/luokat By=Mennessä From=Mistä FromDate=Laskuttaja @@ -526,7 +528,7 @@ to=on To=on ToDate=on ToLocation=on -at=at +at=klo and=ja or=tai Other=Muu @@ -547,8 +549,9 @@ Reportings=Raportointi Draft=Vedos Drafts=Vedokset StatusInterInvoiced=Laskutettu +Done=Valmis Validated=Vahvistetut -ValidatedToProduce=Validated (To produce) +ValidatedToProduce=Validoitu (tuotettava) Opened=Avoinna OpenAll=Avoimet (kaikki) ClosedAll=Suljetut (kaikki) @@ -558,7 +561,7 @@ Unknown=Tuntematon General=Yleiset Size=Koko OriginalSize=Alkuperäinen koko -RotateImage=Rotate 90° +RotateImage=Kierrä 90° Received=Vastaanotetut Paid=Maksetut Topic=Aihe @@ -574,8 +577,8 @@ None=Ei mitään NoneF=Ei mitään NoneOrSeveral=Ei yhtään tai useita Late=Myöhässä -LateDesc=An item is defined as Delayed as per the system configuration in menu Home - Setup - Alerts. -NoItemLate=No late item +LateDesc=Kohde on määritelty viivästyneeksi järjestelmän määritysten mukaisesti kohdassa valikko Etusivu - Asennus - Hälytykset. +NoItemLate=Ei myöhässä olevaa tuotetta Photo=Kuva Photos=Kuvat AddPhoto=Lisää kuva @@ -636,7 +639,7 @@ MonthVeryShort11=Mar MonthVeryShort12=J AttachedFiles=Liitetyt tiedostot ja asiakirjat JoinMainDoc=Liitä päädokumenttiin -JoinMainDocOrLastGenerated=Send the main document or the last generated one if not found +JoinMainDocOrLastGenerated=Lähetä pääasiakirja tai viimeisin luotu dokumentti, jos sitä ei löydy DateFormatYYYYMM=VVVV-KK DateFormatYYYYMMDD=VVVV-KK-PP DateFormatYYYYMMDDHHMM=YYYY-KK-PP HH: SS @@ -683,7 +686,7 @@ SupplierPreview=Toimittaja esikatselu ShowCustomerPreview=Näytä asiakkaan esikatselu ShowSupplierPreview=Näytä toimittaja esikatselu RefCustomer=Asiakasviite -InternalRef=Internal ref. +InternalRef=Sisäinen viitenumero Currency=Valuutta InfoAdmin=Tietoja järjestelmänvalvojille Undo=Kumoa @@ -698,6 +701,7 @@ Response=Vastaus Priority=Prioriteetti SendByMail=Lähetä sähköpostilla MailSentBy=Sähköpostin lähetti +MailSentByTo=Sähköpostin lähetti %s osoitteeseen %s NotSent=Ei lähetetty TextUsedInTheMessageBody=Sähköpostiviesti SendAcknowledgementByMail=Lähetä vahvistussähköposti @@ -722,12 +726,13 @@ RecordModifiedSuccessfully=Tietue muunnettu onnistuneesti RecordsModified=%s-tietuetta muokattu RecordsDeleted=%s tietuetta poistettu RecordsGenerated=%s tietuetta luotu +ValidatedRecordWhereFound = Jotkut valituista tietueista on jo vahvistettu. Tietueita ei ole poistettu. AutomaticCode=Automaattinen koodi FeatureDisabled=Ominaisuus pois päältä MoveBox=Siirrä widget Offered=Tarjottu NotEnoughPermissions=Sinulla ei ole lupaa tätä toimintaa varten -UserNotInHierachy=This action is reserved to the supervisors of this user +UserNotInHierachy=Tämä toiminto on varattu tämän käyttäjän valvojille SessionName=Istunnon nimi Method=Menetelmä Receive=Vastaanota @@ -738,9 +743,9 @@ PartialWoman=Osittainen TotalWoman=Yhteensä NeverReceived=Ei ole saapunut Canceled=Peruutettu -YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu Setup - Dictionaries -YouCanChangeValuesForThisListFrom=You can change values for this list from menu %s -YouCanSetDefaultValueInModuleSetup=You can set the default value used when creating a new record in module setup +YouCanChangeValuesForThisListFromDictionarySetup=Voit muuttaa tämän luettelon arvoja kohdasta valikko Asetukset - Sanakirjat +YouCanChangeValuesForThisListFrom=Voit muuttaa tämän luettelon arvoja kohdasta valikko %s +YouCanSetDefaultValueInModuleSetup=Voit määrittää oletus-arvon, jota käytetään luotaessa uutta tietuetta moduulin asetuksissa. Color=Väri Documents=Linkitettyjä tiedostoja Documents2=Asiakirjat @@ -750,9 +755,9 @@ MenuECM=Asiakirjat MenuAWStats=AWStats MenuMembers=Jäsenet MenuAgendaGoogle=Google agenda -MenuTaxesAndSpecialExpenses=Taxes | Special expenses +MenuTaxesAndSpecialExpenses=Verot | Erikoiskustannukset ThisLimitIsDefinedInSetup=Dolibarr raja (Valikko koti-setup-turvallisuus): %s Kb, PHP raja: %s Kb -ThisLimitIsDefinedInSetupAt=Dolibarr limit (Menu %s): %s Kb, PHP limit (Param %s): %s Kb +ThisLimitIsDefinedInSetupAt=Dolibarr-raja (valikko %s): %s Kb, PHP-raja (Param) %s): %s Kb NoFileFound=Ei päivitettyjä dokumentteja CurrentUserLanguage=Nykyinen kieli CurrentTheme=Nykyinen teema @@ -764,11 +769,10 @@ DisabledModules=Ei käytössä olevat moduulit For=Saat ForCustomer=Asiakkaan Signature=Allekirjoitus -DateOfSignature=Allekirjoituksen päivämäärä HidePassword=Näytä komento salasana piilotettuna UnHidePassword=Näytä todellinen komento salasana näkyen Root=Juuri -RootOfMedias=Root of public medias (/medias) +RootOfMedias=Julkisen median juuret (/medias) Informations=Tiedot Page=Sivu Notes=Huomiot @@ -783,15 +787,15 @@ Merge=Merge DocumentModelStandardPDF=Standardi PDF pohja PrintContentArea=Näytä sivu tulostaa päävalikkoon alue MenuManager=Valikkomanageri -WarningYouAreInMaintenanceMode=Warning, you are in maintenance mode: only login %s is allowed to use the application in this mode. +WarningYouAreInMaintenanceMode=Varoitus, olet ylläpitotilassa: vain kirjautuminen %s on saa käyttää sovellusta tässä tilassa. CoreErrorTitle=Järjestelmävirhe -CoreErrorMessage=Sorry, an error occurred. Contact your system administrator to check the logs or disable $dolibarr_main_prod=1 to get more information. +CoreErrorMessage=Tapahtui virhe. Ota yhteyttä järjestelmänvalvojaan tarkistaaksesi lokit tai poista $dolibarr_main_prod=1 käytöstä saadaksesi lisätietoja. CreditCard=Luottokortti ValidatePayment=Vahvista maksu CreditOrDebitCard=Luotto- tai maksukortti FieldsWithAreMandatory=Tähdellä %s ovat pakollisia -FieldsWithIsForPublic=Fields with %s are shown in public list of members. If you don't want this, uncheck the "public" box. -AccordingToGeoIPDatabase=(according to GeoIP conversion) +FieldsWithIsForPublic=Kentät %s näkyvät julkisessa jäsenluettelossa. Jos et halua tätä, poista valinta "julkinen" -ruudusta. +AccordingToGeoIPDatabase=(GeoIP-muunnoksen mukaan) Line=Rivi NotSupported=Ei tuettu RequiredField=Pakollinen kenttä @@ -799,8 +803,8 @@ Result=Tulos ToTest=Testi ValidateBefore=Kohde on vahvistettava ennen tämän ominaisuuden käyttöä Visibility=Näkyvyys -Totalizable=Totalizable -TotalizableDesc=This field is totalizable in list +Totalizable=Summattavissa +TotalizableDesc=Tämä Kenttä on summattavissa luettelossa Private=Yksityinen Hidden=Kätketty Resources=Resurssit @@ -817,7 +821,7 @@ URLPhoto=Kuvan tai logon url SetLinkToAnotherThirdParty=Linkki toiseen sidosryhmään LinkTo=Linkki LinkToProposal=Linkki Tarjoukseen -LinkToExpedition= Link to expedition +LinkToExpedition= Linkki retkikuntaan LinkToOrder=Linkki Tilauksiin LinkToInvoice=Linkki Laskuihin LinkToTemplateInvoice=Linkki mallilaskuun @@ -825,9 +829,9 @@ LinkToSupplierOrder=Linkki ostotilaukseen LinkToSupplierProposal=Linkki toimittajan ehdotukseen LinkToSupplierInvoice=Linkki toimittajan laskuun LinkToContract=Linkki Sopimuksiin -LinkToIntervention=Link to intervention +LinkToIntervention=Linkki interventioon LinkToTicket=Linkki tikettiin -LinkToMo=Link to Mo +LinkToMo=Linkki Mo CreateDraft=Luo luonnos SetToDraft=Palaa luonnokseen ClickToEdit=Klikkaa muokataksesi @@ -861,7 +865,7 @@ Access=Käyttöoikeus SelectAction=Valitse toiminto SelectTargetUser=Valitse kohde käyttäjä/työntekijä HelpCopyToClipboard=Käytä Ctrl+C kopioisaksesi leikepöydälle -SaveUploadedFileWithMask=Save file on server with name "%s" (otherwise "%s") +SaveUploadedFileWithMask=Tallenna tiedosto palvelimelle nimellä "%s" (muuten "%s") OriginFileName=Alkuperäinen tiedostonimi SetDemandReason=Aseta lähde SetBankAccount=Määritä pankkitili @@ -876,7 +880,7 @@ PrintFile=Tulosta tiedostoon %s ShowTransaction=Näytä pankkitilin kirjaus ShowIntervention=Näytä interventio ShowContract=Näytä sopimus -GoIntoSetupToChangeLogo=Go to Home - Setup - Company to change logo or go to Home - Setup - Display to hide. +GoIntoSetupToChangeLogo=Siirry kohtaan Etusivu - Asetukset - Yritys vaihtaaksesi logoa tai mene kohtaan Etusivu - Asetukset - Näyttö piilottaaksesi. Deny=Kiellä Denied=Kielletty ListOf=Luettelo %s @@ -895,49 +899,50 @@ Sincerely=Vilpittömästi ConfirmDeleteObject=Haluatko varmasti poistaa tämän tiedon? DeleteLine=Poista rivi ConfirmDeleteLine=Halutako varmasti poistaa tämän rivin? -ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. -NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record -TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. +ErrorPDFTkOutputFileNotFound=Virhe: tiedosto ei luotu. Tarkista, että pdftk-komento on asennettu hakemistoon, joka sisältyy ympäristömuuttujaan $PATH (vain linux/unix), tai ota yhteyttä järjestelmänvalvojaan. +NoPDFAvailableForDocGenAmongChecked=Tarkistettujen tietueiden joukossa ei ollut PDF-tiedostoja asiakirjan luomista varten +TooManyRecordForMassAction=Liian monta tietuetta valittu joukkotoimintaan. Toiminto on rajoitettu %s-tietueiden luetteloon. NoRecordSelected=Tallennusta ei ole valittu -MassFilesArea=Area for files built by mass actions -ShowTempMassFilesArea=Show area of files built by mass actions -ConfirmMassDeletion=Bulk Delete confirmation -ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record(s)? -ConfirmMassClone=Bulk clone confirmation +MassFilesArea=Alue massatoimilla rakennetuille tiedostoille +ShowTempMassFilesArea=Näytä joukkotoiminnoilla luotujen tiedostojen alue +ConfirmMassDeletion=Joukkopoiston vahvistus +ConfirmMassDeletionQuestion=Haluatko varmasti poistaa %s valitun tietueen? +ConfirmMassClone=Joukkokloonauksen vahvistus ConfirmMassCloneQuestion=Valitse kloonattava projekti ConfirmMassCloneToOneProject=Kloonaa projektiin %s RelatedObjects=Liittyvät Tiedot -ClassifyBilled=Classify Billed -ClassifyUnbilled=Classify Unbilled +ClassifyBilled=Luokittele laskutettu +ClassifyUnbilled=Luokittele laskuttamaton Progress=Edistyminen ProgressShort=Progr. -FrontOffice=Front office +FrontOffice=Etutoimisto BackOffice=Back office Submit=Lähetä View=Katso Export=Export +Import=Tuonti Exports=Exports ExportFilteredList=Vie suodatettu luettelo ExportList=Vie Luettelo ExportOptions=Vienti Valinnat -IncludeDocsAlreadyExported=Include docs already exported -ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and will be exported -ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported -AllExportedMovementsWereRecordedAsExported=All exported movements were recorded as exported -NotAllExportedMovementsCouldBeRecordedAsExported=Not all exported movements could be recorded as exported +IncludeDocsAlreadyExported=Sisällytä jo viedyt asiakirjat +ExportOfPiecesAlreadyExportedIsEnable=Jo viedyt asiakirjat ovat näkyvissä ja viedään +ExportOfPiecesAlreadyExportedIsDisable=Jo viedyt asiakirjat ovat piilotettuja ja ei viedä +AllExportedMovementsWereRecordedAsExported=Kaikki vientiliikkeet kirjattiin vientiin +NotAllExportedMovementsCouldBeRecordedAsExported=Kaikkia vietyjä liikkeitä ei voitu kirjata vientiin Miscellaneous=Miscellaneous Calendar=Kalenteri GroupBy=Ryhmitä... GroupByX=Ryhmitä %s mukaan -ViewFlatList=View flat list -ViewAccountList=View ledger -ViewSubAccountList=View subaccount ledger +ViewFlatList=Näytä tasainen luettelo +ViewAccountList=Näytä pääkirja +ViewSubAccountList=Näytä alatilikirjanpito RemoveString=Poista merkkijono '%s' -SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. +SomeTranslationAreUncomplete=Jotkut tarjotuista kielistä voivat olla vain osittain käännettyjä tai niissä voi olla virheitä. Auta korjaamaan Kieli rekisteröitymällä osoitteessa https://transifex.com/ Projektit/p/dolibarr/ lisätäksesi parannuksiasi. DirectDownloadLink=Julkinen latauslinkki -PublicDownloadLinkDesc=Only the link is required to download the file +PublicDownloadLinkDesc=Vain linkki vaaditaan tiedosto lataamiseen. DirectDownloadInternalLink=Yksityinen latauslinkki -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file +PrivateDownloadLinkDesc=Sinun on oltava kirjautuneena ja, tarvitset oikeudet tarkastella tai ladata tiedosto Download=Lataa DownloadDocument=Lataa dokumentti DownloadSignedDocument=Lataa allekirjoitettu dokumentti @@ -946,21 +951,21 @@ Fiscalyear=Tilivuosi ModuleBuilder=Moduuli ja Applikaatio Rakentaja SetMultiCurrencyCode=Aseta valuutta BulkActions=Massa toiminnot -ClickToShowHelp=Click to show tooltip help +ClickToShowHelp=Näytä työkaluvihjeiden ohje napsauttamalla WebSite=Nettisivu WebSites=Nettisivut -WebSiteAccounts=Nettisivun käyttäjä +WebSiteAccounts=Verkkokäyttötilit ExpenseReport=Kustannusraportti ExpenseReports=Kuluraportit HR=HR HRAndBank=HR ja Pankki AutomaticallyCalculated=Automaattisesti laskettu TitleSetToDraft=Mene takaisin luonnokseen -ConfirmSetToDraft=Are you sure you want to go back to Draft status? +ConfirmSetToDraft=Haluatko varmasti palata Luonnos-tilaan? ImportId=Vie ID Events=Tapahtumat EMailTemplates=Sähköposti viestipohjat -FileNotShared=File not shared to external public +FileNotShared=tiedosto ei jaettu ulkoiselle yleisölle Project=Hanke Projects=Projektit LeadOrProject=Liidi | Projekti @@ -971,10 +976,10 @@ ListOpenLeads=Lista avoimista liideistä ListOpenProjects=Lista avoimista projekteista NewLeadOrProject=Uusi liidi tai projekti Rights=Oikeudet -LineNb=Line no. +LineNb=Linja nro IncotermLabel=Incoterm-ehdot -TabLetteringCustomer=Customer lettering -TabLetteringSupplier=Vendor lettering +TabLetteringCustomer=Asiakaskirjoitus +TabLetteringSupplier=Toimittaja kirjain Monday=Maanantai Tuesday=Tiistai Wednesday=Keskiviikko @@ -1043,7 +1048,7 @@ Select2NotFound=Tuloksia ei löytynyt Select2Enter=Syötä Select2MoreCharacter=tai useampi merkki Select2MoreCharacters=tai lisää merkkejä -Select2MoreCharactersMore=Search syntax:
      | OR (a|b)
      * Any character (a*b)
      ^ Start with (^ab)
      $ End with (ab$)
      +Select2MoreCharactersMore=Hakusyntaksi:
      |b0860de534da6f class=' notranslate'> TAI (a|b)
      za03aec07. /span>*
      Mikä tahansa merkki (a*b)
      b03aec07z0^ Aloita (^ab)
      b03aec07a601d27a601 $za601d27 Loppuun (ab$)
      Select2LoadingMoreResults=Lataa lisää tuloksia... Select2SearchInProgress=Haku käynnissä... SearchIntoThirdparties=Sidosryhmät @@ -1051,7 +1056,7 @@ SearchIntoContacts=Yhteystiedot SearchIntoMembers=Jäsenet SearchIntoUsers=Käyttäjät SearchIntoProductsOrServices=Tuotteet tai palvelut -SearchIntoBatch=Lots / Serials +SearchIntoBatch=Erät / Sarjat SearchIntoProjects=Projektit SearchIntoMO=Valmistustilaukset SearchIntoTasks=Tehtävät @@ -1066,7 +1071,7 @@ SearchIntoContracts=Sopimukset SearchIntoCustomerShipments=Asiakas lähetykset SearchIntoExpenseReports=Kuluraportit SearchIntoLeaves=Poissaolot -SearchIntoKM=Knowledge base +SearchIntoKM=Tietopohja SearchIntoTickets=Tiketit SearchIntoCustomerPayments=Asiakasmaksut SearchIntoVendorPayments=Toimittajien maksut @@ -1077,6 +1082,7 @@ CommentPage=Kommenttitila CommentAdded=Kommentti lisätty CommentDeleted=Kommentti poistettu Everybody=Yhteiset hanke +EverybodySmall=Yhteiset hanke PayedBy=Maksettu toimesta PayedTo=Maksettu Monthly=Kuukausittain @@ -1089,7 +1095,7 @@ KeyboardShortcut=Pikanäppäin AssignedTo=Vaikuttaa Deletedraft=Poista luonnos ConfirmMassDraftDeletion=Luonnosten massapoistamisen vahvistus -FileSharedViaALink=File shared with a public link +FileSharedViaALink=Julkinen tiedosto jaettu linkin kautta SelectAThirdPartyFirst=Valitse ensin kolmas osapuoli ... YouAreCurrentlyInSandboxMode=Olet tällä hetkellä %s "sandbox" -tilassa Inventory=Varasto @@ -1104,7 +1110,7 @@ ValidFrom=Voimassa alkaen ValidUntil=Voimassa asti NoRecordedUsers=Ei käyttäjiä ToClose=Sulkeaksesi -ToRefuse=To refuse +ToRefuse=Kieltäytyä ToProcess=Jotta prosessi ToApprove=Hyväksyäksesi GlobalOpenedElemView=Globaali näkymä @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Tehtävä ContactDefault_propal=Tarjous ContactDefault_supplier_proposal=Toimittajan ehdotus ContactDefault_ticket=Tiketti -ContactAddedAutomatically=Yhteys lisätty yhteyshenkilön kolmannen osapuolen rooleista +ContactAddedAutomatically=Yhteyshenkilö lisätty kolmannen osapuolen yhteyshenkilörooleista More=Lisää ShowDetails=Näytä yksityiskohdat CustomReports=Mukautetut raportit @@ -1138,7 +1144,7 @@ DeleteFileText=Haluatko todella poistaa tämän tiedoston? ShowOtherLanguages=Näytä muut kielet SwitchInEditModeToAddTranslation=Vaihda muokkaustilaan lisätäksesi käännöksiä tälle kielelle NotUsedForThisCustomer=Ei käytössä tälle asiakkaalle -NotUsedForThisVendor=Not used for this vendor +NotUsedForThisVendor=Ei käytössä tähän Toimittaja AmountMustBePositive=Summan on oltava positiivinen ByStatus=Tilan mukaan InformationMessage=Tiedot @@ -1158,26 +1164,26 @@ OutOfDate=Vanhentunut EventReminder=Tapahtuma Muistutus UpdateForAllLines=Päivitys kaikille riveille OnHold=Odottaa -Civility=Civility +Civility=Siviilillisyys AffectTag=Aseta Tag AffectUser=Aseta käyttäjä -SetSupervisor=Set the supervisor +SetSupervisor=Aseta valvoja CreateExternalUser=Luo ulkoinen käyttäjä -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) +ConfirmAffectTag=Joukkotunnistemääritys +ConfirmAffectUser=Joukkokäyttäjätehtävä +ProjectRole=Jokaisessa projektissa/mahdollisuudessa määrätty rooli +TasksRole=Jokaisessa tehtävässä määrätty rooli (jos käytössä) ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records +ConfirmUpdatePrice=Valitse korotus/vähentää hinta +ConfirmAffectTagQuestion=Haluatko varmasti määrittää tunnisteet %s valitulle tietueelle? +ConfirmAffectUserQuestion=Haluatko varmasti määrittää käyttäjiä %s valitulle tietueelle? +ConfirmSetSupervisorQuestion=Haluatko varmasti asettaa valvojan %s valitulle tietueelle? +ConfirmUpdatePriceQuestion=Haluatko varmasti päivittää %s valitun tietueen hinnan? +CategTypeNotFound=Tietuetyypille ei löytynyt tunnistetyyppiä Rate=Kurssi -SupervisorNotFound=Supervisor not found +SupervisorNotFound=Valvojaa ei löydy CopiedToClipboard=Kopioitu leikepöydälle -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +InformationOnLinkToContract=Tämä summa on vain sopimuksen kaikkien rivien summa. Ajan käsitettä ei oteta huomioon. ConfirmCancel=Haluatko varmasti perua EmailMsgID=Sähköposti ViestiID EmailDate=Sähköpostin päivämäärä @@ -1185,35 +1191,35 @@ SetToStatus=Aseta tilaksi %s SetToEnabled=Ota käyttöön SetToDisabled=Poista käytöstä ConfirmMassEnabling=massa käyttöönoton varmistus -ConfirmMassEnablingQuestion=Are you sure you want to enable the %s selected record(s)? +ConfirmMassEnablingQuestion=Haluatko varmasti ottaa käyttöön %s valitun tietueen? ConfirmMassDisabling=massa pois käytöstä varmistus -ConfirmMassDisablingQuestion=Are you sure you want to disable the %s selected record(s)? -RecordsEnabled=%s record(s) enabled -RecordsDisabled=%s record(s) disabled -RecordEnabled=Record enabled -RecordDisabled=Record disabled -Forthcoming=Forthcoming -Currently=Currently -ConfirmMassLeaveApprovalQuestion=Are you sure you want to approve the %s selected record(s)? -ConfirmMassLeaveApproval=Mass leave approval confirmation -RecordAproved=Record approved -RecordsApproved=%s Record(s) approved +ConfirmMassDisablingQuestion=Haluatko varmasti poistaa käytöstä %s valitut tietueet? +RecordsEnabled=%s tietue(tta) käytössä +RecordsDisabled=%s tietue(tta) poistettu käytöstä +RecordEnabled=Tallennus käytössä +RecordDisabled=Tallennus pois käytöstä +Forthcoming=Tulossa +Currently=Tällä hetkellä +ConfirmMassLeaveApprovalQuestion=Haluatko varmasti hyväksyä %s valitun tietueen? +ConfirmMassLeaveApproval=Joukkovapaan hyväksymisvahvistus +RecordAproved=Levy hyväksytty +RecordsApproved=%s Tietue(et) hyväksytty Properties=Ominaisuudet -hasBeenValidated=%s has been validated +hasBeenValidated=%s on vahvistettu ClientTZ=Asiakasohjelman aikavyöhyke (käyttäjä) -NotClosedYet=Not yet closed -ClearSignature=Reset signature -CanceledHidden=Canceled hidden -CanceledShown=Canceled shown +NotClosedYet=Ei vielä suljettu +ClearSignature=Palauta allekirjoitus +CanceledHidden=Peruutettu piilotettu +CanceledShown=Peruutettu näytetään Terminate=Lopeta Terminated=Lopetettu -AddLineOnPosition=Add line on position (at the end if empty) -ConfirmAllocateCommercial=Assign sales representative confirmation -ConfirmAllocateCommercialQuestion=Are you sure you want to assign the %s selected record(s)? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned +AddLineOnPosition=Lisää rivi kohtaan (jos tyhjä on lopussa) +ConfirmAllocateCommercial=Anna myyntiedustajalle vahvistus +ConfirmAllocateCommercialQuestion=Haluatko varmasti määrittää %s valitun tietueen? +CommercialsAffected=Myyntiedustajat määrätty +CommercialAffected=Myyntiedustaja määrätty YourMessage=Sinun viestisi -YourMessageHasBeenReceived=Your message has been received. We will answer or contact you as soon as possible. +YourMessageHasBeenReceived=Viestisi on vastaanotettu. Vastaamme tai otamme sinuun yhteyttä mahdollisimman pian. UrlToCheck=Tarkistettava URL Automation=Automaatio CreatedByEmailCollector=Luotu Sähköpostin kerääjällä @@ -1222,20 +1228,35 @@ UserAgent=Käyttäjä agentti InternalUser=Sisäinen käyttäjä ExternalUser=Ulkoinen käyttäjä NoSpecificContactAddress=Ei tarkennettua yhteystietoa tai osoitetta -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. +NoSpecificContactAddressBis=Tämä välilehti on omistettu pakottamaan tiettyjä yhteystietoja tai osoitteita nykyiselle objektille. Käytä sitä vain, jos haluat määrittää objektille yhden tai useamman nimenomaisen yhteystiedon tai osoitteen, kun kolmannen osapuolen tiedot eivät ole riittäviä tai epätarkkoja. HideOnVCard=Piilota %s -AddToContacts=Add address to my contacts -LastAccess=Last access -UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here +AddToContacts=Lisää osoite yhteystietoihini +LastAccess=Viimeinen pääsy +UploadAnImageToSeeAPhotoHere=Lataa kuva välilehdeltä %s, niin näet kuvan täällä LastPasswordChangeDate=Viimeisin salasanan vaihto päivämäärä PublicVirtualCardUrl=Virtuaalinen käyntikortti URL PublicVirtualCard=Virtuaalinen käyntikortti TreeView=Puu -näkymä -DropFileToAddItToObject=Drop a file to add it to this object -UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +DropFileToAddItToObject=Pudota tiedosto lisätäksesi se tähän objektiin +UploadFileDragDropSuccess=tiedosto(t) on lähetetty onnistuneesti +SearchSyntaxTooltipForStringOrNum=Jos haluat etsiä tekstikentistä, voit käyttää merkkejä ^ tai $ tehdäksesi "alkaa tai lopeta" -haun tai käytä ! tehdä "ei sisällä" -testi. Voit käyttää | kahden merkkijonon välissä TAI-ehdon välilyönnin sijaan, eikä ja. Numeerisia arvoja varten voit käyttää operaattoria <, >, <=, >= tai != ennen arvoa matemaattisen vertailun suodattamiseksi. InProgress=Käsittelyssä -DateOfPrinting=Date of printing -ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. -UserNotYetValid=Not yet valid +DateOfPrinting=päiväys tulostamisesta +ClickFullScreenEscapeToLeave=Napsauta tätä vaihtaaksesi koko näytön tilaan. Paina ESCAPE poistuaksesi koko näytön tilasta. +UserNotYetValid=Ei vielä voimassa UserExpired=Lakkaa +LinkANewFile=Luo uusi linkki tiedostoon/dokumenttiin +LinkedFiles=Linkitetyt tiedostot ja dokumentit +NoLinkFound=Rekisteröityjä linkkejä ei ole +LinkComplete=Tiedosto on linkitetty onnistuneesti +ErrorFileNotLinked=Tiedostoa ei voitu linkittää +LinkRemoved=%s linkki on poistettu +ErrorFailedToDeleteLink= Linkin '%s' poisto ei onnistunut +ErrorFailedToUpdateLink= Linkin '%s' päivitys ei onnistunut +URLToLink=URL linkiksi +OverwriteIfExists=Korvaa, jos tiedosto on olemassa +AmountSalary=Palkan määrä +InvoiceSubtype=Laskun alatyyppi +ConfirmMassReverse=Joukkokäänteinen vahvistus +ConfirmMassReverseQuestion=Haluatko varmasti peruuttaa %s valitun tietueen? + diff --git a/htdocs/langs/fi_FI/margins.lang b/htdocs/langs/fi_FI/margins.lang index 0cd194c99da..4a4b0965542 100644 --- a/htdocs/langs/fi_FI/margins.lang +++ b/htdocs/langs/fi_FI/margins.lang @@ -5,41 +5,42 @@ Margins=Katteet TotalMargin=Kate yhteensä MarginOnProducts=Kate / Tuotteet MarginOnServices=Kate / Palvelut -MarginRate=Margin rate +MarginRate=Marginaaliprosentti +ModifyMarginRates=Muokkaa marginaalihintoja MarkRate=Kateprosentti -DisplayMarginRates=Display margin rates -DisplayMarkRates=Display mark rates -InputPrice=Input price -margin=Profit margins management -margesSetup=Profit margins management setup -MarginDetails=Margin details -ProductMargins=Product margins -CustomerMargins=Customer margins -SalesRepresentativeMargins=Sales representative margins -ContactOfInvoice=Contact of invoice -UserMargins=User margins +DisplayMarginRates=Näytä marginaalit +DisplayMarkRates=Näytä arvosanat +InputPrice=Syöttöhinta +margin=Voittomarginaalien hallinta +margesSetup=Voittomarginaalien hallinnan asetukset +MarginDetails=Marginaalin tiedot +ProductMargins=Tuotteiden marginaalit +CustomerMargins=Asiakkaiden marginaalit +SalesRepresentativeMargins=Myyntiedustajan marginaalit +ContactOfInvoice=Laskun yhteyshenkilö +UserMargins=Käyttäjämarginaalit ProductService=Tuote tai palvelu AllProducts=Kaikki tuotteet ja palvelut ChooseProduct/Service=Valitse tuote tai palvelu -ForceBuyingPriceIfNull=Force buying/cost price to selling price if not defined -ForceBuyingPriceIfNullDetails=If buying/cost price not provided when we add a new line, and this option is "ON", the margin will be 0%% on the new line (buying/cost price = selling price). If this option is "OFF" (recommended), margin will be equal to the value suggested by default (and may be 100%% if no default value can be found). -MARGIN_METHODE_FOR_DISCOUNT=Margin method for global discounts +ForceBuyingPriceIfNull=Pakota osto-/kustannushinta myyntihinnaksi, jos sitä ei ole määritelty +ForceBuyingPriceIfNullDetails=Jos osto-/kustannushintaa ei anneta, kun lisäämme uuden rivin, ja tämä vaihtoehto on PÄÄLLÄ, marginaali on 0%% span> uudella rivillä (osto-/kustannushinta = myyntihinta). Jos tämä vaihtoehto on OFF (suositus), marginaali on sama kuin oletus ehdottama arvo (ja voi olla 100 %%, jos oletus-arvoa ei löydy). +MARGIN_METHODE_FOR_DISCOUNT=Marginaalimenetelmä maailmanlaajuisille alennuksille UseDiscountAsProduct=tuotteeksi UseDiscountAsService=palveluksi UseDiscountOnTotal=välisummasta -MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Defines if a global discount is treated as a product, a service, or only on subtotal for margin calculation. -MARGIN_TYPE=Buying/Cost price suggested by default for margin calculation -MargeType1=Margin on Best vendor price -MargeType2=Margin on Weighted Average Price (WAP) -MargeType3=Margin on Cost Price -MarginTypeDesc=* Margin on best buying price = Selling price - Best vendor price defined on product card
      * Margin on Weighted Average Price (WAP) = Selling price - Product Weighted Average Price (WAP) or best vendor price if WAP not yet defined
      * Margin on Cost price = Selling price - Cost price defined on product card or WAP if cost price not defined, or best vendor price if WAP not yet defined +MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Määrittää, käsitelläänkö globaalia alennusta tuotteena, palveluna vai vain välisummana marginaalin laskennassa. +MARGIN_TYPE=Osto-/kustannushinta, jota ehdotti oletus marginaalilaskennassa +MargeType1=Marginaali parhaalla Toimittaja hinnalla +MargeType2=Painotetun keskihinnan marginaali (WAP) +MargeType3=Omakustannushinnan marginaali +MarginTypeDesc=* Parhaan ostohinnan marginaali = myyntihinta - paras Toimittaja tuotekortissa määritetty hinta
      * Painotetun keskihinnan marginaali (WAP) ) = Myyntihinta – tuotteen painotettu keskihinta (WAP) tai paras Toimittaja hinta, jos WAPia ei ole vielä määritetty
      * Kustannusmarginaali hinta = myyntihinta – omakustannushinta määritetty tuotekortilla tai WAP:lla, jos omakustannushintaa ei ole määritetty, tai paras Toimittaja hinta, jos WAPia ei ole vielä määritetty CostPrice=Kustannushinta -UnitCharges=Unit charges -Charges=Charges -AgentContactType=Commercial agent contact type -AgentContactTypeDetails=Define what contact type (linked on invoices) will be used for margin report per contact/address. Note that reading statistics on a contact is not reliable since in most cases the contact may not be defined explicitely on the invoices. -rateMustBeNumeric=Rate must be a numeric value -markRateShouldBeLesserThan100=Mark rate should be lower than 100 -ShowMarginInfos=Show margin infos -CheckMargins=Margins detail -MarginPerSaleRepresentativeWarning=The report of margin per user use the link between third parties and sale representatives to calculate the margin of each sale representative. Because some thirdparties may not have any dedicated sale representative and some third parties may be linked to several, some amounts may not be included into this report (if there is no sale representative) and some may appear on different lines (for each sale representative). +UnitCharges=Yksikkömaksut +Charges=Maksut +AgentContactType=Kaupallisen edustajan yhteystyyppi +AgentContactTypeDetails=Määritä, mitä yhteystyyppiä (linkitetty laskuihin) käytetään marginaaliraportissa yhteyshenkilöä/osoitetta kohti. Huomaa, että yhteyshenkilön tilastojen lukeminen ei ole luotettavaa, koska useimmissa tapauksissa yhteyshenkilöä ei välttämättä ole erikseen määritelty laskuissa. +rateMustBeNumeric=Koron on oltava numeerinen arvo +markRateShouldBeLesserThan100=Arvosanan tulee olla alle 100 +ShowMarginInfos=Näytä marginaalitiedot +CheckMargins=Marginaalien yksityiskohta +MarginPerSaleRepresentativeWarning=Käyttäjäkohtaisen marginaalin raportissa käytetään kolmansien osapuolten ja myyntiedustajien välistä linkkiä kunkin myyntiedustajan marginaalin laskemiseen. Koska joillakin kolmansilla osapuolilla ei ehkä ole omaa myyntiedustajaa ja, jotkut kolmannet osapuolet voivat olla linkitettynä useisiin osapuoliin, joten joitain summia ei välttämättä sisällytetä tähän raporttiin (jos myyntiedustajaa ei ole) ja jotkut saattavat näkyä eri riveillä (jokaiselle myyntiedustajalle). diff --git a/htdocs/langs/fi_FI/members.lang b/htdocs/langs/fi_FI/members.lang index b16440db3de..597c12b2714 100644 --- a/htdocs/langs/fi_FI/members.lang +++ b/htdocs/langs/fi_FI/members.lang @@ -4,12 +4,12 @@ MemberCard=Jäsen-kortti SubscriptionCard=Tilaus-kortti Member=Jäsen Members=Jäsenet -NoRecordedMembers=No recorded members -NoRecordedMembersByType=No recorded members +NoRecordedMembers=Ei tallennettuja jäseniä +NoRecordedMembersByType=Ei tallennettuja jäseniä ShowMember=Näytä jäsenen kortti UserNotLinkedToMember=Käyttäjää ei liity jäseneksi -ThirdpartyNotLinkedToMember=Third party not linked to a member -MembersTickets=Membership address sheet +ThirdpartyNotLinkedToMember=Kolmas osapuoli, jota ei ole linkitetty jäseneen +MembersTickets=Jäsenosoitelomake FundationMembers=Säätiön jäsenet ListOfValidatedPublicMembers=Luettelo validoitujen yleisön jäsenet ErrorThisMemberIsNotPublic=Tämä jäsen ei ole julkinen @@ -17,33 +17,33 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Toinen jäsen (nimi: %s, kirjautum ErrorUserPermissionAllowsToLinksToItselfOnly=Turvallisuussyistä sinun täytyy myöntää oikeudet muokata kaikki käyttäjät pystyvät linkki jäsenen käyttäjä, joka ei ole sinun. SetLinkToUser=Linkki on Dolibarr käyttäjä SetLinkToThirdParty=Linkki on Dolibarr kolmannen osapuolen -MemberCountersArePublic=Counters of valid members are public -MembersCards=Generation of cards for members +MemberCountersArePublic=Voimassa olevien jäsenten laskurit ovat julkisia +MembersCards=Korttien luominen jäsenille MembersList=Luettelo jäsenistä MembersListToValid=Luettelo luonnoksen jäsenten (jotka on vahvistettu) MembersListValid=Luettelo voimassa jäseniä -MembersListUpToDate=List of valid members with up-to-date contribution -MembersListNotUpToDate=List of valid members with out-of-date contribution -MembersListExcluded=List of excluded members -MembersListResiliated=List of terminated members +MembersListUpToDate=Luettelo kelvollisista jäsenistä, joilla on enintään päiväys +MembersListNotUpToDate=Luettelo kelvollisista jäsenistä, joilla on päiväys-sisältö +MembersListExcluded=Luettelo poissuljetuista jäsenistä +MembersListResiliated=Luettelo eronneista jäsenistä MembersListQualified=Luettelo pätevistä jäsenistä -MembersShowMembershipTypesTable=Show a table of all available membership types (if no, show directly the registration form) -MembersShowVotesAllowed=Show whether votes are allowed, in the table of membership types +MembersShowMembershipTypesTable=Näytä taulukko kaikista saatavilla olevista jäsentyypeistä (jos ei, näytä suoraan rekisteröintilomake) +MembersShowVotesAllowed=Näytä jäsentyyppitaulukosta, ovatko äänet sallittuja MenuMembersToValidate=Luonnos jäseniä MenuMembersValidated=Validoidut jäseniä -MenuMembersExcluded=Excluded members -MenuMembersResiliated=Terminated members -MembersWithSubscriptionToReceive=Members with contribution to receive -MembersWithSubscriptionToReceiveShort=Contributions to receive -DateSubscription=Date of membership -DateEndSubscription=End date of membership -EndSubscription=End of membership -SubscriptionId=Contribution ID -WithoutSubscription=Without membership -WaitingSubscription=Membership pending +MenuMembersExcluded=Poissuljetut jäsenet +MenuMembersResiliated=Erotetut jäsenet +MembersWithSubscriptionToReceive=Jäsenet, joilla on lahjoituksen saaminen +MembersWithSubscriptionToReceiveShort=Vastaanotettavat lahjoitukset +DateSubscription=päiväys jäsenyydestä +DateEndSubscription=Lopeta jäsenyys päiväys +EndSubscription=Jäsenyyden loppu +SubscriptionId=Osallistumistunnus +WithoutSubscription=Ilman jäsenyyttä +WaitingSubscription=Jäsenyys vireillä WaitingSubscriptionShort=Odotettavissa oleva -MemberId=Member Id -MemberRef=Member Ref +MemberId=Jäsentunnus +MemberRef=Jäsenviite NewMember=Uusi jäsen MemberType=Jäsen tyyppi MemberTypeId=Jäsen tyyppi id @@ -51,120 +51,120 @@ MemberTypeLabel=Jäsen tyyppi etiketti MembersTypes=Jäsenet tyypit MemberStatusDraft=Luonnos (vaatii vahvistuksen) MemberStatusDraftShort=Luonnos -MemberStatusActive=Validated (waiting contribution) +MemberStatusActive=Vahvistettu (odottaa panosta) MemberStatusActiveShort=Hyväksytty -MemberStatusActiveLate=Contribution expired +MemberStatusActiveLate=Osallistuminen vanhentui MemberStatusActiveLateShort=Lakkaa MemberStatusPaid=Tilaus ajan tasalla MemberStatusPaidShort=Ajan tasalla -MemberStatusExcluded=Excluded member -MemberStatusExcludedShort=Excluded -MemberStatusResiliated=Terminated member +MemberStatusExcluded=Poissuljettu jäsen +MemberStatusExcludedShort=Ulkopuolelle +MemberStatusResiliated=Erotettu jäsen MemberStatusResiliatedShort=Lopetettu MembersStatusToValid=Luonnos jäseniä -MembersStatusExcluded=Excluded members -MembersStatusResiliated=Terminated members -MemberStatusNoSubscription=Validated (no contribution required) +MembersStatusExcluded=Poissuljetut jäsenet +MembersStatusResiliated=Erotetut jäsenet +MemberStatusNoSubscription=Vahvistettu (osuutta ei vaadita) MemberStatusNoSubscriptionShort=Hyväksytty -SubscriptionNotNeeded=No contribution required +SubscriptionNotNeeded=Osallistumista ei vaadita NewCotisation=Uusi rahoitusosuus PaymentSubscription=Uusi osuus maksu SubscriptionEndDate=Tilaus päättymispäivämäärän MembersTypeSetup=Jäsenet tyyppi setup -MemberTypeModified=Member type modified -DeleteAMemberType=Delete a member type -ConfirmDeleteMemberType=Are you sure you want to delete this member type? -MemberTypeDeleted=Member type deleted -MemberTypeCanNotBeDeleted=Member type can not be deleted +MemberTypeModified=Jäsentyyppiä muutettu +DeleteAMemberType=Poista jäsentyyppi +ConfirmDeleteMemberType=Haluatko varmasti poistaa tämän jäsentyypin? +MemberTypeDeleted=Jäsentyyppi poistettu +MemberTypeCanNotBeDeleted=Jäsentyyppiä ei voi poistaa NewSubscription=Uusi rahoitusosuus NewSubscriptionDesc=Tämän lomakkeen avulla voit tallentaa tilauksen uutena jäsenenä säätiön. Jos haluat uudistaa tilauksen (jos on jo jäsen), ota yhteyttä säätiön hallituksen sijasta sähköpostitse %s. -Subscription=Contribution -AnyAmountWithAdvisedAmount=Any amount of your choice, recommended %s -AnyAmountWithoutAdvisedAmount=Any amount of your choice -CanEditAmountShort=Any amount -CanEditAmountShortForValues=recommended, any amount +Subscription=Osallistuminen +AnyAmountWithAdvisedAmount=Mikä tahansa valitsemasi summa, suositeltava %s +AnyAmountWithoutAdvisedAmount=Mikä tahansa valitsemasi summa +CanEditAmountShort=Mikä tahansa määrä +CanEditAmountShortForValues=suositellaan, mikä tahansa määrä MembershipDuration=Kesto -GetMembershipButtonLabel=Join -Subscriptions=Contributions +GetMembershipButtonLabel=Liittyä seuraan +Subscriptions=Avustukset SubscriptionLate=Myöhässä -SubscriptionNotReceived=Contribution never received -ListOfSubscriptions=List of contributions -SendCardByMail=Send card by email -AddMember=Create member +SubscriptionNotReceived=Lahjoitusta ei koskaan saatu +ListOfSubscriptions=Luettelo lahjoituksista +SendCardByMail=Lähetä kortti sähköpostitse +AddMember=luo jäsen NoTypeDefinedGoToSetup=Jäsen tyypit määritelty. Go to setup - Jäsenet tyypit NewMemberType=Uusi jäsen tyyppi -WelcomeEMail=Welcome email -SubscriptionRequired=Contribution required -SubscriptionRequiredDesc=If subscription is required, a subscription with a start or end date must be recorded to have the member up to date (whatever is subscription amount, even if subscription is free). +WelcomeEMail=Tervetuloa sähköposti +SubscriptionRequired=Osallistuminen vaaditaan +SubscriptionRequiredDesc=Jos tilaus vaaditaan, tilaus, jonka alku tai loppu on päiväys, on tallennettava, jotta jäsenen enimmäismäärä on päiväys (mikä tahansa tilaussumma, vaikka tilaus olisi ilmainen). DeleteType=Poistaa VoteAllowed=Äänestys sallittua -Physical=Individual -Moral=Corporation -MorAndPhy=Corporation and Individual -Reenable=Re-Enable -ExcludeMember=Exclude a member -Exclude=Exclude -ConfirmExcludeMember=Are you sure you want to exclude this member ? -ResiliateMember=Terminate a member -ConfirmResiliateMember=Are you sure you want to terminate this member? +Physical=Yksilöllinen +Moral=Yhtiö +MorAndPhy=Yritys ja Yksityishenkilö +Reenable=Ota uudelleen käyttöön +ExcludeMember=Sulje jäsen pois +Exclude=Sulje pois +ConfirmExcludeMember=Haluatko varmasti sulkea tämän jäsenen pois? +ResiliateMember=Lopeta jäsen +ConfirmResiliateMember=Haluatko varmasti lopettaa tämän jäsenen? DeleteMember=Poista jäseneksi -ConfirmDeleteMember=Are you sure you want to delete this member (Deleting a member will delete all his contributions)? +ConfirmDeleteMember=Haluatko varmasti poistaa tämän jäsenen (Jäsenen poistaminen poistaa kaikki hänen lahjoituksensa)? DeleteSubscription=Poista tilaus -ConfirmDeleteSubscription=Are you sure you want to delete this contribution? +ConfirmDeleteSubscription=Haluatko varmasti poistaa tämän panoksen? Filehtpasswd=htpasswd tiedosto ValidateMember=Validate jäseneksi -ConfirmValidateMember=Are you sure you want to validate this member? -FollowingLinksArePublic=The following links are open pages not protected by any Dolibarr permission. They are not formatted pages, provided as example to show how to list members database. +ConfirmValidateMember=Haluatko varmasti vahvistaa tämän jäsenen? +FollowingLinksArePublic=Seuraavat linkit ovat avoimia sivuja, joita ei ole suojattu millään Dolibarr-luvalla. Ne eivät ole muotoiltuja sivuja, vaan ne on esimerkkinä jäsenten luetteloimisesta tietokanta. PublicMemberList=Julkiset jäsenluetteloa -BlankSubscriptionForm=Public self-registration form -BlankSubscriptionFormDesc=Dolibarr can provide you a public URL/website to allow external visitors to ask to subscribe to the foundation. If an online payment module is enabled, a payment form may also be automatically provided. -EnablePublicSubscriptionForm=Enable the public website with self-subscription form -ForceMemberType=Force the member type -ExportDataset_member_1=Members and contributions +BlankSubscriptionForm=Julkinen ilmoittautumislomake +BlankSubscriptionFormDesc=Dolibarr voi tarjota sinulle julkisen URL-osoitteen/verkkosivuston, jonka avulla ulkopuoliset vierailijat voivat pyytää liittymään säätiöön. Jos online-moduuli maksu on käytössä, myös maksu-lomake voidaan toimittaa automaattisesti. +EnablePublicSubscriptionForm=Ota julkinen verkkosivusto käyttöön itsetilauslomakkeella +ForceMemberType=Pakota jäsentyyppi +ExportDataset_member_1=Jäsenet ja ImportDataset_member_1=Jäsenet -LastMembersModified=Latest %s modified members -LastSubscriptionsModified=Latest %s modified contributions +LastMembersModified=Viimeisimmät %s muokatut jäsenet +LastSubscriptionsModified=Viimeisimmät %s muokatut tekstitykset String=String Text=Teksti Int=Int DateAndTime=Päivämäärä ja kellonaika -PublicMemberCard=Osakkeenomistajan julkinen kortti -SubscriptionNotRecorded=Contribution not recorded -AddSubscription=Create contribution -ShowSubscription=Show contribution +PublicMemberCard=Julkinen jäsenkortti +SubscriptionNotRecorded=Avustusta ei kirjattu +AddSubscription=luo +ShowSubscription=Näytä panos # Label of email templates -SendingAnEMailToMember=Sending information email to member -SendingEmailOnAutoSubscription=Sending email on auto registration -SendingEmailOnMemberValidation=Sending email on new member validation -SendingEmailOnNewSubscription=Sending email on new contribution -SendingReminderForExpiredSubscription=Sending reminder for expired contributions -SendingEmailOnCancelation=Sending email on cancelation -SendingReminderActionComm=Sending reminder for agenda event +SendingAnEMailToMember=Tietojen lähettäminen jäsenelle sähköpostitse +SendingEmailOnAutoSubscription=Sähköpostin lähettäminen automaattisesta rekisteröinnistä +SendingEmailOnMemberValidation=Sähköpostin lähettäminen uuden jäsenen vahvistamisesta +SendingEmailOnNewSubscription=Sähköpostin lähettäminen uudesta lahjoituksesta +SendingReminderForExpiredSubscription=Lähetetään muistutus vanhentuneista lahjoituksista +SendingEmailOnCancelation=Sähköpostin lähettäminen peruutuksesta +SendingReminderActionComm=Lähetetään muistutus esityslistatapahtumasta # Topic of email templates -YourMembershipRequestWasReceived=Your membership was received. -YourMembershipWasValidated=Your membership was validated -YourSubscriptionWasRecorded=Your new contribution was recorded -SubscriptionReminderEmail=contribution reminder -YourMembershipWasCanceled=Your membership was canceled +YourMembershipRequestWasReceived=Jäsenyytesi vastaanotettiin. +YourMembershipWasValidated=Jäsenyytesi on vahvistettu +YourSubscriptionWasRecorded=Uusi panoksesi tallennettiin +SubscriptionReminderEmail=panoksesta muistutus +YourMembershipWasCanceled=Jäsenyytesi on peruutettu CardContent=Sisältö jäsennimesi kortti # Text of email templates -ThisIsContentOfYourMembershipRequestWasReceived=We want to let you know that your membership request was received.

      -ThisIsContentOfYourMembershipWasValidated=We want to let you know that your membership was validated with the following information:

      -ThisIsContentOfYourSubscriptionWasRecorded=We want to let you know that your new subscription was recorded. Please find your invoice here enclosed.

      -ThisIsContentOfSubscriptionReminderEmail=We want to let you know that your subscription is about to expire or has already expired (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). We hope you will renew it.

      -ThisIsContentOfYourCard=This is a summary of the information we have about you. Please contact us if anything is incorrect.

      -DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Subject of the notification email received in case of auto-inscription of a guest -DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Content of the notification email received in case of auto-inscription of a guest -DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Email template to use to send email to a member on member auto-registration -DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Email template to use to send email to a member on member validation -DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Email template to use to send email to a member on new contribution recording -DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Email template to use to send email reminder when contribution is about to expire -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Email template to use to send email to a member on member cancelation -DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Email template to use to send email to a member on member exclusion -DescADHERENT_MAIL_FROM=Sender Email for automatic emails -DescADHERENT_CC_MAIL_FROM=Send automatic email copy to +ThisIsContentOfYourMembershipRequestWasReceived=Haluamme ilmoittaa, että jäsenpyyntösi on vastaanotettu.

      +ThisIsContentOfYourMembershipWasValidated=Haluamme ilmoittaa, että jäsenyytesi vahvistettiin seuraavilla tiedoilla:

      +ThisIsContentOfYourSubscriptionWasRecorded=Haluamme ilmoittaa, että uusi tilauksesi on tallennettu. Löydät laskusi täältä.

      +ThisIsContentOfSubscriptionReminderEmail=Haluamme kertoa sinulle, että tilauksesi on päättymässä tai on jo vanhentunut (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). Toivomme, että uusit sen.

      +ThisIsContentOfYourCard=Tämä on yhteenveto tiedoista, joita meillä on sinusta. Ota meihin yhteyttä, jos jokin on väärin.

      +DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Vieraan automaattisen ilmoittautumisen yhteydessä saadun sähköposti-ilmoituksen aihe +DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Vieraan automaattisen ilmoittautumisen yhteydessä saadun sähköposti-ilmoituksen sisältö +DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Sähköpostimalli, jota käytetään sähköpostin lähettämiseen jäsenelle automaattisen jäsenrekisteröinnin yhteydessä +DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Sähköpostimalli, jota käytetään sähköpostin lähettämiseen jäsenelle jäsenvahvistuksen yhteydessä +DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Sähköpostimalli, jota käytetään sähköpostin lähettämiseen jäsenelle uudesta lahjoituksesta +DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Sähköpostimalli, jota käytetään sähköpostimuistutuksen lähettämiseen, kun lahjoitus on vanhentumassa +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Sähköpostimalli, jota käytetään sähköpostin lähettämiseen jäsenelle jäsenen peruuttamisen yhteydessä +DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Sähköpostimalli, jota käytetään sähköpostin lähettämiseen jäsenen poissulkemisen yhteydessä +DescADHERENT_MAIL_FROM=Lähettäjän sähköposti automaattisille sähköpostiviesteille +DescADHERENT_CC_MAIL_FROM=Lähetä automaattinen sähköpostikopio osoitteeseen DescADHERENT_ETIQUETTE_TYPE=Etiketit muodossa -DescADHERENT_ETIQUETTE_TEXT=Text printed on member address sheets +DescADHERENT_ETIQUETTE_TEXT=Jäsenten osoitelomakkeille painettu teksti DescADHERENT_CARD_TYPE=Muotoile korttien sivu DescADHERENT_CARD_HEADER_TEXT=Teksti painettu päälle jäsen kortit DescADHERENT_CARD_TEXT=Teksti painettu jäsen kortit @@ -172,72 +172,75 @@ DescADHERENT_CARD_TEXT_RIGHT=Teksti on painettu jäsen kortit (yhdenmukaistettav DescADHERENT_CARD_FOOTER_TEXT=Teksti painettu pohjaan jäsen kortit ShowTypeCard=Näytä tyyppi ' %s' HTPasswordExport=htpassword tiedosto sukupolven -NoThirdPartyAssociatedToMember=No third party associated with this member -MembersAndSubscriptions=Members and Contributions +NoThirdPartyAssociatedToMember=Tähän jäseneen ei ole liitetty kolmatta osapuolta +MembersAndSubscriptions=Jäsenet ja lahjoitukset MoreActions=Täydentäviä toimia tallennus -MoreActionsOnSubscription=Complementary action suggested by default when recording a contribution, also done automatially on online payment of a contribution -MoreActionBankDirect=Create a direct entry on bank account -MoreActionBankViaInvoice=Create an invoice, and a payment on bank account +MoreActionsOnSubscription=Täydentävä toimenpide, jota oletus ehdotti tekstityksen tallennuksen yhteydessä, myös automaattisesti maksu verkossa. +MoreActionBankDirect=luo suora merkintä pankkitili +MoreActionBankViaInvoice=luo lasku, ja a maksu pankkitili MoreActionInvoiceOnly=Luo laskun maksua -LinkToGeneratedPages=Generation of business cards or address sheets +LinkToGeneratedPages=Käyntikorttien tai osoitelehtien luominen LinkToGeneratedPagesDesc=Tässä näytössä voit luoda PDF-tiedostoja käyntikortit kaikki jäsenet tai tietyssä jäsenvaltiossa. DocForAllMembersCards=Luo käyntikortteja kaikkien jäsenten (malli lähtö todella setup: %s) DocForOneMemberCards=Luo käyntikortit erityisesti jäsen (malli lähtö todella setup: %s) DocForLabels=Luo osoite arkkia (malli lähtö todella setup: %s) -SubscriptionPayment=Contribution payment -LastSubscriptionDate=Date of latest contribution payment -LastSubscriptionAmount=Amount of latest contribution -LastMemberType=Last Member type +SubscriptionPayment=Osallistuminen maksu +LastSubscriptionDate=päiväys viimeisimmästä panoksesta maksu +LastSubscriptionAmount=Viimeisimmän panoksen määrä +LastMemberType=Viimeinen jäsentyyppi MembersStatisticsByCountries=Jäsenten tilastot maittain MembersStatisticsByState=Jäsenten tilastot valtio / lääni MembersStatisticsByTown=Jäsenten tilastot kaupunki -MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Total number of members -NbOfActiveMembers=Total number of current active members +MembersStatisticsByRegion=Jäsentilastot alueittain +NbOfMembers=Jäsenten kokonaismäärä +NbOfActiveMembers=Nykyisten aktiivisten jäsenten kokonaismäärä NoValidatedMemberYet=Ei validoitu jäsenet pitivät -MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. -MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics of members by town. -MembersByNature=This screen show you statistics of members by nature. -MembersByRegion=This screen show you statistics of members by region. +MembersByCountryDesc=Tämä näyttö näyttää jäsentilastot maittain. Kaavioiden ja kaaviot riippuvat Googlen verkkokaaviopalvelun saatavuudesta sekä toimivan internetyhteyden saatavuudesta. +MembersByStateDesc=Tämä näyttö näyttää jäsentilastot osavaltion/provinssin/kantonin mukaan. +MembersByTownDesc=Tämä näyttö näyttää jäsentilastot paikkakunnittain. +MembersByNature=Tämä näyttö näyttää jäsenten tilastot luonteeltaan. +MembersByRegion=Tämä näyttö näyttää jäsentilastot alueittain. MembersStatisticsDesc=Valitse tilastot haluat lukea ... MenuMembersStats=Tilasto -LastMemberDate=Latest membership date -LatestSubscriptionDate=Latest contribution date -MemberNature=Nature of the member -MembersNature=Nature of the members -Public=%s can publish my membership in the public register +LastMemberDate=Viimeisin jäsenyys päiväys +LatestSubscriptionDate=Uusin tekstitys päiväys +MemberNature=Jäsenen luonne +MembersNature=Jäsenten luonne +Public=%s voi julkaista jäsenyyteni julkisessa rekisterissä +MembershipPublic=Julkinen jäsenyys NewMemberbyWeb=Uusi jäsen. Odottaa hyväksyntää NewMemberForm=Uusi jäsen lomake -SubscriptionsStatistics=Contributions statistics -NbOfSubscriptions=Number of contributions -AmountOfSubscriptions=Amount collected from contributions +SubscriptionsStatistics=Maksujen tilastot +NbOfSubscriptions=Lahjoitusten määrä +AmountOfSubscriptions=Maksuista kerätty summa TurnoverOrBudget=Liikevaihto (yritykselle) tai budjetti (ja säätiö) -DefaultAmount=Default amount of contribution (used only if no amount is defined at member type level) -MinimumAmount=Minimum amount (used only when contribution amount is free) -CanEditAmount=Subscription amount can be defined by the member -CanEditAmountDetail=Visitor can choose/edit amount of its contribution regardless of the member type -AmountIsLowerToMinimumNotice=sur un dû total de %s -MEMBER_NEWFORM_PAYONLINE=After the online registration, switch automatically on the online payment page -ByProperties=By nature -MembersStatisticsByProperties=Members statistics by nature -VATToUseForSubscriptions=VAT rate to use for contributionss -NoVatOnSubscription=No VAT for contributions -ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for contribution line into invoice: %s -NameOrCompany=Name or company -SubscriptionRecorded=Contribution recorded -NoEmailSentToMember=No email sent to member -EmailSentToMember=Email sent to member at %s -SendReminderForExpiredSubscriptionTitle=Send reminder by email for expired contributions -SendReminderForExpiredSubscription=Send reminder by email to members when contribution is about to expire (parameter is number of days before end of membership to send the remind. It can be a list of days separated by a semicolon, for example '10;5;0;-5') -MembershipPaid=Membership paid for current period (until %s) -YouMayFindYourInvoiceInThisEmail=You may find your invoice attached to this email -XMembersClosed=%s member(s) closed -XExternalUserCreated=%s external user(s) created -ForceMemberNature=Force member nature (Individual or Corporation) -CreateDolibarrLoginDesc=The creation of a user login for members allows them to connect to the application. Depending on the authorizations granted, they will be able, for example, to consult or modify their file themselves. -CreateDolibarrThirdPartyDesc=A thirdparty is the legal entity that will be used on the invoice if you decide to generate invoice for each contribution. You will be able to create it later during the process of recording the contribution. -MemberFirstname=Member firstname -MemberLastname=Member lastname -MemberCodeDesc=Member Code, unique for all members -NoRecordedMembers=No recorded members +DefaultAmount=oletus maksun määrä (käytetään vain, jos summaa ei ole määritetty jäsentyyppitasolla) +MinimumAmount=Vähimmäismäärä (käytetään vain, kun maksu on ilmaista) +CanEditAmount=Jäsen voi itse määrittää liittymismäärän +CanEditAmountDetail=Vierailija voi valita/muokata lahjoituksensa määrää jäsentyypistä riippumatta +AmountIsLowerToMinimumNotice=Summa on pienempi kuin vähimmäissumma %s +MEMBER_NEWFORM_PAYONLINE=Siirry verkkorekisteröinnin jälkeen automaattisesti maksu-verkkosivulle +ByProperties=Luonnostaan +MembersStatisticsByProperties=Jäsentilastot luonteeltaan +VATToUseForSubscriptions=Maksuihin käytettävä arvonlisäverokanta +NoVatOnSubscription=Ei arvonlisäveroa maksuista +ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Laskun maksuriville käytetty tuote: %s +NameOrCompany=Nimi tai Yritys +SubscriptionRecorded=Osallistuminen tallennettu +NoEmailSentToMember=Jäsenelle ei lähetetty sähköpostia +EmailSentToMember=Sähköposti lähetetty jäsenelle osoitteessa %s +SendReminderForExpiredSubscriptionTitle=Lähetä muistutus sähköpostitse vanhentuneista lahjoituksista +SendReminderForExpiredSubscription=Lähetä muistutus sähköpostitse jäsenille, kun lahjoitus on vanhentumassa (parametri on päivien lukumäärä ennen jäsenyyden päättymistä muistutuksen lähettämiseksi. Se voi olla luettelo päivistä puolipisteellä erotettuna, esimerkiksi '10;5;0;-5 ') +MembershipPaid=Jäsenyys maksettu kuluvalla kaudella (%s asti) +YouMayFindYourInvoiceInThisEmail=Saatat löytää laskusi tämän sähköpostin liitteenä +XMembersClosed=%s jäsen(tä) suljettu +XExternalUserCreated=%s ulkoista käyttäjää luotu +ForceMemberNature=Voiman jäsenluonne (yksityishenkilö tai yritys) +CreateDolibarrLoginDesc=Luomalla käyttäjätunnuksen jäsenille, he voivat muodostaa yhteyden sovellukseen. Myönnetyistä valtuuksista riippuen he voivat esimerkiksi tarkastella tai muokata tiedosto itse. +CreateDolibarrThirdPartyDesc=Kolmas osapuoli on oikeushenkilö, jota käytetään laskussa, jos päätät luoda laskun jokaisesta lahjoituksesta. Voit luo sen myöhemmin tallennuksen aikana. +MemberFirstname=Jäsen Etunimi +MemberLastname=Jäsen Sukunimi +MemberCodeDesc=Jäsenkoodi, ainutlaatuinen kaikille jäsenille +NoRecordedMembers=Ei tallennettuja jäseniä +MemberSubscriptionStartFirstDayOf=Jäsenyyden alku päiväys vastaa jäsenyyden ensimmäistä päivää. +MemberSubscriptionStartAfter=Vähimmäisjakso ennen tilauksen alkamisen päiväys voimaantuloa lukuun ottamatta uusimista (esimerkki +3m = +3 kuukautta, -5p = -5 päivää, +1Y = +1 vuosi ) diff --git a/htdocs/langs/fi_FI/modulebuilder.lang b/htdocs/langs/fi_FI/modulebuilder.lang index 4279832fe08..c3002cbbd0a 100644 --- a/htdocs/langs/fi_FI/modulebuilder.lang +++ b/htdocs/langs/fi_FI/modulebuilder.lang @@ -1,179 +1,189 @@ # Dolibarr language file - Source file is en_US - loan -IdModule= Module id -ModuleBuilderDesc=This tool must be used only by experienced users or developers. It provides utilities to build or edit your own module. Documentation for alternative manual development is here. -EnterNameOfModuleDesc=Enter the name of the module/application to create with no spaces. Use uppercase to separate words (For example: MyModule, EcommerceForShop, SyncWithMySystem...) -EnterNameOfObjectDesc=Enter the name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, the pages to list/add/edit/delete the object and the SQL files will be generated. -EnterNameOfDictionaryDesc=Enter the name of the dictionary to create with no spaces. Use uppercase to separate words (For example: MyDico...). The class file, but also the SQL file will be generated. -ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s -ModuleBuilderDesc3=Generated/editable modules found: %s -ModuleBuilderDesc4=A module is detected as a 'module for Module Builer' when the file %s exists in the root of the module directory +IdModule= Moduulin tunnus +ModuleBuilderDesc=Vain kokeneet käyttäjät tai kehittäjät saavat käyttää tätä työkalua. Se tarjoaa apuohjelmia oman moduulin rakentamiseen tai muokkaamiseen. Vaihtoehtoisen manuaalisen kehityksen dokumentaatio on täällä. +EnterNameOfModuleDesc=Syötä moduulin/sovelluksen nimi muotoon luo ilman välilyöntejä. Käytä isoja kirjaimia erottaaksesi sanat (esimerkiksi: MyModule, EcommerceForShop, SyncWithMySystem...) +EnterNameOfObjectDesc=Kirjoita objektin nimi muotoon luo ilman välilyöntejä. Käytä isoja kirjaimia erottaaksesi sanat (esimerkiksi: MyObject, Student, Teacher...). CRUD-luokka tiedosto, sivut, joihin haluat listata/lisätä/muokata/poistaa objektin ja, luodaan SQL-tiedostot. +EnterNameOfDictionaryDesc=Kirjoita sanakirjan nimi muotoon luo ilman välilyöntejä. Käytä isoja kirjaimia erottaaksesi sanat (esimerkiksi: MyDico...). Luokka tiedosto, mutta myös SQL tiedosto luodaan. +ModuleBuilderDesc2=Polku, jossa moduuleja luodaan/muokataan (ensimmäinen hakemisto ulkoisille moduuleille, jotka on määritetty muotoon %s): %s +ModuleBuilderDesc3=Löytyi luotuja/muokattavia moduuleja: %s +ModuleBuilderDesc4=Moduuli tunnistetaan moduulin rakentajan moduuliksi, kun tiedosto b0ecb2fz87f4 /span> on moduulihakemiston juuressa NewModule=Uusi moduuli -NewObjectInModulebuilder=New object -NewDictionary=New dictionary -ModuleName=Module name -ModuleKey=Module key -ObjectKey=Object key -DicKey=Dictionary key -ModuleInitialized=Module initialized -FilesForObjectInitialized=Files for new object '%s' initialized -FilesForObjectUpdated=Files for object '%s' updated (.sql files and .class.php file) -ModuleBuilderDescdescription=Enter here all general information that describe your module. -ModuleBuilderDescspecifications=You can enter here a detailed description of the specifications of your module that is not already structured into other tabs. So you have within easy reach all the rules to develop. Also this text content will be included into the generated documentation (see last tab). You can use Markdown format, but it is recommended to use Asciidoc format (comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). -ModuleBuilderDescobjects=Define here the objects you want to manage with your module. A CRUD DAO class, SQL files, page to list record of objects, to create/edit/view a record and an API will be generated. -ModuleBuilderDescmenus=This tab is dedicated to define menu entries provided by your module. -ModuleBuilderDescpermissions=This tab is dedicated to define the new permissions you want to provide with your module. -ModuleBuilderDesctriggers=This is the view of triggers provided by your module. To include code executed when a triggered business event is launched, just edit this file. -ModuleBuilderDeschooks=This tab is dedicated to hooks. -ModuleBuilderDescwidgets=This tab is dedicated to manage/build widgets. -ModuleBuilderDescbuildpackage=You can generate here a "ready to distribute" package file (a normalized .zip file) of your module and a "ready to distribute" documentation file. Just click on button to build the package or documentation file. -EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: All coding files of module (generated or created manually) AND structured data and documentation will be deleted! -EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All coding files (generated or created manually) related to object will be deleted! -DangerZone=Danger zone -BuildPackage=Build package -BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. -BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here -ModuleIsLive=This module has been activated. Any change may break a current live feature. -DescriptionLong=Long description -EditorName=Name of editor -EditorUrl=URL of editor -DescriptorFile=Descriptor file of module -ClassFile=File for PHP DAO CRUD class -ApiClassFile=File for PHP API class -PageForList=PHP page for list of record -PageForCreateEditView=PHP page to create/edit/view a record -PageForAgendaTab=PHP page for event tab -PageForDocumentTab=PHP page for document tab -PageForNoteTab=PHP page for note tab -PageForContactTab=PHP page for contact tab -PathToModulePackage=Path to zip of module/application package -PathToModuleDocumentation=Path to file of module/application documentation (%s) -SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed. -FileNotYetGenerated=File not yet generated -GenerateCode=Generate code -RegenerateClassAndSql=Force update of .class and .sql files -RegenerateMissingFiles=Generate missing files -SpecificationFile=File of documentation -LanguageFile=File for language -ObjectProperties=Object Properties -Property=Propery -PropertyDesc=A property is an attribute that characterizes an object. This attribute has a code, a label and a type with several options. -ConfirmDeleteProperty=Are you sure you want to delete the property %s? This will change code in PHP class but also remove column from table definition of object. -NotNull=Not NULL -NotNullDesc=1=Set database to NOT NULL, 0=Allow null values, -1=Allow null values by forcing value to NULL if empty ('' or 0) -SearchAll=Used for 'search all' -DatabaseIndex=Database index -FileAlreadyExists=File %s already exists -TriggersFile=File for triggers code -HooksFile=File for hooks code -ArrayOfKeyValues=Array of key-val -ArrayOfKeyValuesDesc=Array of keys and values if field is a combo list with fixed values -WidgetFile=Widget file -CSSFile=CSS file -JSFile=Javascript file -ReadmeFile=Readme file -ChangeLog=ChangeLog file -TestClassFile=File for PHP Unit Test class -SqlFile=Sql file -PageForLib=File for the common PHP library -PageForObjLib=File for the PHP library dedicated to object -SqlFileExtraFields=Sql file for complementary attributes -SqlFileKey=Sql file for keys -SqlFileKeyExtraFields=Sql file for keys of complementary attributes -AnObjectAlreadyExistWithThisNameAndDiffCase=An object already exists with this name and a different case -UseAsciiDocFormat=You can use Markdown format, but it is recommended to use Asciidoc format (omparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) -IsAMeasure=Is a measure -DirScanned=Directory scanned -NoTrigger=No trigger -NoWidget=No widget +NewObjectInModulebuilder=Uusi kohde +NewDictionary=Uusi sanakirja +ModuleName=Moduulin nimi +ModuleKey=Moduulin avain +ObjectKey=Objekti avain +DicKey=Sanakirjan avain +ModuleInitialized=Moduuli alustettu +FilesForObjectInitialized=Uuden objektin %s tiedostot alustettiin +FilesForObjectUpdated=Objektin '%s' tiedostot päivitetty (.sql-tiedostot ja .class.php b0590afecbb5551z0 /span>) +ModuleBuilderDescdescription=Kirjoita tähän kaikki yleiset tiedot, jotka kuvaavat moduuliasi. +ModuleBuilderDescspecifications=Voit kirjoittaa tähän yksityiskohtaisen kuvauksen moduulisi teknisistä tiedoista, joita ei ole jo jäsennelty muihin välilehtiin. Joten sinulla on helposti ulottuvillasi kaikki säännöt, joita voit kehittää. Myös tämä tekstisisältö sisällytetään luotuun dokumentaatioon (katso viimeinen välilehti). Voit käyttää Markdown-muotoa, mutta on suositeltavaa käyttää Asciidoc-muotoa (.md ja .asciidoc vertailu: http://asciidoctor.org/docs/user-manual/# alennukseen verrattuna). +ModuleBuilderDescobjects=Määritä tässä objektit, joita haluat hallita moduulillasi. CRUD DAO -luokka, SQL-tiedostot, sivu objektitietueiden luetteloa varten luo/edit/view tietueen ja API syntyy. +ModuleBuilderDescmenus=Tämä välilehti on omistettu moduulisi tarjoamien valikko-merkintöjen määrittämiseen. +ModuleBuilderDescpermissions=Tämä välilehti on tarkoitettu määrittämään uudet käyttöoikeudet, jotka haluat antaa moduulillesi. +ModuleBuilderDesctriggers=Tämä on näkymä moduulisi tarjoamista laukaisimista. Muokkaa tätä tiedosto, jos haluat sisällyttää koodin, joka suoritetaan, kun käynnistävä yritystapahtuma käynnistetään. +ModuleBuilderDeschooks=Tämä välilehti on omistettu koukkuille. +ModuleBuilderDescwidgets=Tämä välilehti on omistettu widgetien hallintaan/rakentamiseen. +ModuleBuilderDescbuildpackage=Voit luoda täällä jaettavaksi valmiin paketin tiedosto (normalisoitu .zip tiedosto) moduulistasi ja "jakeluvalmis" -dokumentaatio tiedosto. Luo paketti tai dokumentaatio napsauttamalla painiketta tiedosto. +EnterNameOfModuleToDeleteDesc=Voit poistaa moduulisi. VAROITUS: Kaikki moduulin koodaustiedostot (luodut tai luodut manuaalisesti) ja strukturoidun datan ja dokumentaatio poistetaan! +EnterNameOfObjectToDeleteDesc=Voit poistaa kohteen. VAROITUS: Kaikki objektiin liittyvät koodaustiedostot (luodut tai luodut manuaalisesti) poistetaan! +EnterNameOfObjectToDeleteDesc=Voit poistaa kohteen. VAROITUS: Kaikki objektiin liittyvät koodaustiedostot (luodut tai luodut manuaalisesti) poistetaan! +DangerZone=Vaaravyöhyke +BuildPackage=Rakenna paketti +BuildPackageDesc=Voit luoda zip-paketin sovelluksestasi, jotta olet valmis jakamaan sen missä tahansa Dolibarrissa. Voit myös jakaa sitä tai myydä sitä markkinoilla, kuten DoliStore.com. +BuildDocumentation=Rakenna dokumentaatio +ModuleIsNotActive=Tätä moduulia ei ole vielä aktivoitu. Siirry osoitteeseen %s ja julkaise se tai napsauta tätä +ModuleIsLive=Tämä moduuli on aktivoitu. Kaikki muutokset voivat rikkoa nykyisen live-ominaisuuden. +DescriptionLong=Pitkä kuvaus +EditorName=Toimittajan nimi +EditorUrl=Editorin URL-osoite +DescriptorFile=Moduulin kuvaaja tiedosto +ClassFile=tiedosto PHP DAO CRUD -luokassa +ApiClassFile=Moduulin sovellusliittymä tiedosto +PageForList=PHP-sivu tietueiden luettelolle +PageForCreateEditView=PHP-sivu luo/edit/view tietue +PageForAgendaTab=PHP-sivu tapahtumavälilehdelle +PageForDocumentTab=PHP-sivu asiakirja-välilehdelle +PageForNoteTab=PHP-sivu muistiinpanovälilehdelle +PageForContactTab=PHP-sivu Yhteystiedot-välilehdelle +PathToModulePackage=Polku moduulin/sovelluspaketin zip-tiedostoon +PathToModuleDocumentation=Polku moduulin/sovelluksen dokumentaatioon tiedosto (%s) +SpaceOrSpecialCharAreNotAllowed=Välilyönnit tai erikoismerkit eivät ole sallittuja. +FileNotYetGenerated=tiedosto ei vielä luotu +GenerateCode=Luo koodi +RegenerateClassAndSql=Pakota .class ja .sql-tiedostojen päivitys +RegenerateMissingFiles=Luo puuttuvat tiedostot +SpecificationFile=tiedosto asiakirjoista +LanguageFile=tiedosto haulle Kieli +ObjectProperties=Objektin ominaisuudet +Property=Omaisuus +PropertyDesc=Ominaisuus on attribuutti, joka kuvaa objektia. Tällä määritteellä on koodi, tunniste ja ja tyyppi, jossa on useita vaihtoehtoja. +ConfirmDeleteProperty=Haluatko varmasti poistaa sivuston %s? Tämä muuttaa koodin PHP-luokassa, mutta myös poistaa sarakkeen objektin taulukon määrittelystä. +NotNull=Ei tyhjä +NotNullDesc=1=Aseta tietokanta arvoon NOT NULL, 0=Salli nolla-arvot, -1=Salli nolla-arvot pakottamalla arvo NULL-arvoon, jos se on tyhjä ('' tai 0) +SearchAll=Käytetään "hae kaikista" +DatabaseIndex=tietokanta hakemisto +FileAlreadyExists=tiedosto %s on jo olemassa +TriggersFile=tiedosto triggerikoodille +HooksFile=tiedosto koukkukoodille +ArrayOfKeyValues=Joukko avainarvoja +ArrayOfKeyValuesDesc=Joukko avainten ja arvoja, jos Kenttä on yhdistelmäluettelo kiinteillä arvoilla +WidgetFile=Widget tiedosto +CSSFile=CSS tiedosto +JSFile=JavaScript tiedosto +ReadmeFile=Lueminut tiedosto +ChangeLog=Muutosloki tiedosto +TestClassFile=tiedosto PHP-yksikkötestiluokassa +SqlFile=Sql tiedosto +PageForLib=tiedosto yleiselle PHP-kirjastolle +PageForObjLib=tiedosto PHP-kirjastolle, joka on omistettu objektille +SqlFileExtraFields=Sql tiedosto täydentäviä määritteitä varten +SqlFileKey=Sql tiedosto avaimille +SqlFileKeyExtraFields=Sql tiedosto täydentävien attribuuttien avaimille +AnObjectAlreadyExistWithThisNameAndDiffCase=Objekti tällä nimellä on jo olemassa ja eri kirjainkoko +UseAsciiDocFormat=Voit käyttää Markdown-muotoa, mutta on suositeltavaa käyttää Asciidoc-muotoa (vertailu .md ja .asciidoc välillä: http://asciidoctor.org/docs/user-manual/# alennukseen verrattuna) +IsAMeasure=Onko mitta +DirScanned=Hakemisto skannattu +NoTrigger=Ei laukaisinta +NoWidget=Ei widgetiä ApiExplorer=API explorer -ListOfMenusEntries=List of menu entries -ListOfDictionariesEntries=List of dictionaries entries -ListOfPermissionsDefined=List of defined permissions -SeeExamples=See examples here -EnabledDesc=Condition to have this field active.

      Examples:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update).

      Using a negative value means field is not shown by default on list but can be selected for viewing). -ItCanBeAnExpression=It can be an expression. Example:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
      For document :
      0 = not displayed
      1 = display
      2 = display only if not empty

      For document lines :
      0 = not displayed
      1 = displayed in a column
      3 = display in line description column after the description
      4 = display in description column after the description only if not empty -DisplayOnPdf=On PDF -IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) -SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) -SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. -LanguageDefDesc=Enter in this files, all the key and the translation for each language file. -MenusDefDesc=Define here the menus provided by your module -DictionariesDefDesc=Define here the dictionaries provided by your module -PermissionsDefDesc=Define here the new permissions provided by your module -MenusDefDescTooltip=The menus provided by your module/application are defined into the array $this->menus into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and the module re-activated), the menus are also visible into the menu editor available to administrator users on %s. -DictionariesDefDescTooltip=The dictionaries provided by your module/application are defined into the array $this->dictionaries into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), dictionaries are also visible into the setup area to administrator users on %s. -PermissionsDefDescTooltip=The permissions provided by your module/application are defined into the array $this->rights into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), permissions are visible into the default permissions setup %s. -HooksDefDesc=Define in the module_parts['hooks'] property, in the module descriptor, the context of hooks you want to manage (list of contexts can be found by a search on 'initHooks(' in core code).
      Edit the hook file to add code of your hooked functions (hookable functions can be found by a search on 'executeHooks' in core code). -TriggerDefDesc=Define in the trigger file the code that you want to execute when a business event external to your module is executed (events triggered by other modules). -SeeIDsInUse=See IDs in use in your installation -SeeReservedIDsRangeHere=See range of reserved IDs -ToolkitForDevelopers=Toolkit for Dolibarr developers -TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the native module builder wizard.
      Enable the module %s and use the wizard by clicking the on the top right menu.
      Warning: This is an advanced developer feature, do not experiment on your production site! -SeeTopRightMenu=See on the top right menu -AddLanguageFile=Add language file -YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages") -DropTableIfEmpty=(Destroy table if empty) -TableDoesNotExists=The table %s does not exists -TableDropped=Table %s deleted -InitStructureFromExistingTable=Build the structure array string of an existing table -UseAboutPage=Do not generate the About page -UseDocFolder=Disable the documentation folder -UseSpecificReadme=Use a specific ReadMe -ContentOfREADMECustomized=Note: The content of the README.md file has been replaced with the specific value defined into setup of ModuleBuilder. -RealPathOfModule=Real path of module -ContentCantBeEmpty=Content of file can't be empty -WidgetDesc=You can generate and edit here the widgets that will be embedded with your module. -CSSDesc=You can generate and edit here a file with personalized CSS embedded with your module. -JSDesc=You can generate and edit here a file with personalized Javascript embedded with your module. -CLIDesc=You can generate here some command line scripts you want to provide with your module. -CLIFile=CLI File -NoCLIFile=No CLI files -UseSpecificEditorName = Use a specific editor name -UseSpecificEditorURL = Use a specific editor URL -UseSpecificFamily = Use a specific family -UseSpecificAuthor = Use a specific author -UseSpecificVersion = Use a specific initial version -IncludeRefGeneration=The reference of this object must be generated automatically by custom numbering rules -IncludeRefGenerationHelp=Check this if you want to include code to manage the generation of the reference automatically using custom numbering rules -IncludeDocGeneration=I want the feature to generate some documents (PDF, ODT) from templates for this object -IncludeDocGenerationHelp=If you check this, some code will be generated to add a "Generate document" box on the record. -ShowOnCombobox=Show value into combo boxes -KeyForTooltip=Key for tooltip -CSSClass=CSS for edit/create form -CSSViewClass=CSS for read form -CSSListClass=CSS for list -NotEditable=Not editable -ForeignKey=Foreign key -ForeignKeyDesc=If the value of this field must be guaranted to exists into another table. Enter here a value matching syntax: tablename.parentfieldtocheck -TypeOfFieldsHelp=Example:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1' means we add a + button after the combo to create the record
      'filter' is a sql condition, example: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' -TypeOfFieldsHelpIntro=This is the type of the field/attribute. -AsciiToHtmlConverter=Ascii to HTML converter -AsciiToPdfConverter=Ascii to PDF converter -TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. -ModuleBuilderNotAllowed=The module builder is available but not allowed to your user. -ImportExportProfiles=Import and export profiles -ValidateModBuilderDesc=Set this to 1 if you want to have the method $this->validateField() of object being called to validate the content of the field during insert or update. Set 0 if there is no validation required. -WarningDatabaseIsNotUpdated=Warning: The database is not updated automatically, you must destroy tables and disable-enable the module to have tables recreated -LinkToParentMenu=Parent menu (fk_xxxxmenu) -ListOfTabsEntries=List of tab entries -TabsDefDesc=Define here the tabs provided by your module -TabsDefDescTooltip=The tabs provided by your module/application are defined into the array $this->tabs into the module descriptor file. You can edit manually this file or use the embedded editor. -BadValueForType=Bad value for type %s -DefinePropertiesFromExistingTable=Define properties from an existing table -DefinePropertiesFromExistingTableDesc=If a table in the database (for the object to create) already exists, you can use it to define the properties of the object. -DefinePropertiesFromExistingTableDesc2=Keep empty if the table does not exist yet. The code generator will use different kinds of fields to build an example of table that you can edit later. -GeneratePermissions=I want to add the rights for this object -GeneratePermissionsHelp=generate default rights for this object -PermissionDeletedSuccesfuly=Permission has been successfully removed -PermissionUpdatedSuccesfuly=Permission has been successfully updated -PermissionAddedSuccesfuly=Permission has been successfully added -MenuDeletedSuccessfuly=Menu has been successfully deleted -MenuAddedSuccessfuly=Menu has been successfully added -MenuUpdatedSuccessfuly=Menu has been successfully updated -ApiObjectDeleted=API for object %s has been successfully deleted +ListOfMenusEntries=Luettelo valikko-merkinnöistä +ListOfDictionariesEntries=Luettelo sanakirjamerkinnöistä +ListOfPermissionsDefined=Luettelo määritetyistä käyttöoikeuksista +SeeExamples=Katso esimerkkejä tästä +EnabledDesc=Edellytys, että tämä Kenttä on aktiivinen.

      Esimerkkejä:
      1
      isModEnabled('anothermodule')
      LODUBAL_StringLE(OP'G'TION) =2 +VisibleDesc=Onko Kenttä näkyvissä? (Esimerkkejä: 0=ei koskaan näkyvissä, 1=näkyy luettelossa ja luo/update/view forms, 2=näkyy luettelossa vain, 3=Näkyy osoitteessa luo/update/view form only (ei luetteloissa), 4=Näkyy luetteloissa ja update /view only form (ei luo), 5=Näkyy luettelossa ja vain näytä lomake (ei luo, ei päivitystä).

      Negatiivisen arvon käyttäminen tarkoittaa Kenttä ei näy oletus luettelossa, mutta se voidaan valita katseltavaksi). +ItCanBeAnExpression=Se voi olla ilmaisu. Esimerkki:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user ->hasRight('loma', 'define_holiday')?1:5 +DisplayOnPdfDesc=Näytä tämä Kenttä yhteensopivissa PDF-dokumenteissa, voit hallita sijaintia "Position"-komennolla Kenttä.
      Asiakirjalle:b0342fccfda1>b0342fccfda1> näytetään
      1 = näyttö
      2 = näyttö vain, jos se ei ole tyhjä

      Asiakirjan rivit:
      0 = ei näy
      1 = näytetään sarakkeessa
      3 = näytetään rivin kuvaussarakkeessa kuvaus
      4 = näytä kuvaussarakkeessa kuvauksen jälkeen vain, jos se ei ole tyhjä +DisplayOnPdf=PDF:ssä +IsAMeasureDesc=Voidaanko Kenttä arvo kumuloida, jotta kokonaissumma saadaan luetteloon? (Esimerkkejä: 1 tai 0) +SearchAllDesc=Käytetäänkö Kenttä haun tekemiseen pikahakutyökalulla? (Esimerkkejä: 1 tai 0) +SpecDefDesc=Kirjoita tähän kaikki asiakirjat, jotka haluat toimittaa moduulin mukana ja joita ei ole jo määritetty muilla välilehdillä. Voit käyttää .md-muotoa tai parempaa, rikasta .asciidoc-syntaksia. +LanguageDefDesc=Kirjoita näihin tiedostoihin kaikki avain ja käännös jokaiselle Kieli tiedosto >. +MenusDefDesc=Määritä tässä moduulisi tarjoamat valikot +DictionariesDefDesc=Määritä tässä moduulisi tarjoamat sanakirjat +PermissionsDefDesc=Määritä tässä moduulisi tarjoamat uudet käyttöoikeudet +MenusDefDescTooltip=Moduulisi/sovelluksesi tarjoamat valikot on määritetty taulukkoon $this->menus moduulikuvaajaan tiedosto. Voit muokata tätä tiedosto manuaalisesti tai käyttää upotettua editoria.

      Huomautus: Kun valikot on määritetty (ja moduuli aktivoitu uudelleen), valikot näkyvät myös valikko -editorissa, joka on järjestelmänvalvojan käyttäjien käytettävissä. osoitteessa %s. +DictionariesDefDescTooltip=Moduulisi/sovelluksesi tarjoamat sanakirjat on määritetty taulukkoon $this->dictionaries moduulikuvaajaksi tiedosto. Voit muokata tätä tiedosto manuaalisesti tai käyttää upotettua editoria.

      Huomautus: Kun sanakirjat on määritetty (ja-moduuli aktivoitu uudelleen), ne näkyvät myös asetusalueella %s-järjestelmänvalvojakäyttäjille. +PermissionsDefDescTooltip=Moduulin/sovelluksen tarjoamat käyttöoikeudet on määritetty taulukkoon $this->oikeudet moduulin kuvaukseen tiedosto. Voit muokata tätä tiedosto manuaalisesti tai käyttää upotettua editoria.

      Huomautus: Kun käyttöoikeudet on määritetty (ja-moduuli on aktivoitu uudelleen), käyttöoikeudet näkyvät oletus käyttöoikeusasetuksissa %s. +HooksDefDesc=Määritä ominaisuudessa module_parts['hooks'], moduulin kuvauksessa b059501fe0cbb501 , luettelo konteksteista, joissa koukkusi on suoritettava (luettelo mahdollisista konteksteista löytyy haulla 'initHooks(' ydinkoodissa).
      Muokkaa sitten tiedosto hooks-koodilla koodillasi. kiinnitetyt funktiot (luettelo kiinnitettävistä funktioista löytyy haulla 'executeHooks' ydinkoodissa). +TriggerDefDesc=Määritä triggerissä tiedosto koodi, jonka haluat suorittaa, kun moduulisi ulkopuolinen liiketoimintatapahtuma suoritetaan (muiden moduulien käynnistämät tapahtumat). +SeeIDsInUse=Katso asennuksessasi käytössä olevat tunnukset +SeeReservedIDsRangeHere=Katso valikoima varattuja tunnuksia +ToolkitForDevelopers=Toolkit Dolibarr-kehittäjille +TryToUseTheModuleBuilder=Jos tiedät SQL:n ja PHP, voit käyttää ohjattua natiivimoduulin rakennustoimintoa.
      Ota moduuli käyttöön %s b0ae6e90 the059 ohjattu toiminto napsauttamalla oikeassa yläkulmassa valikko. class='notranslate'>
      Varoitus: tämä on edistynyt kehittäjäominaisuus, älä kokeile tuotantopaikallesi! +SeeTopRightMenu=Katso oikeasta yläkulmasta valikko +AddLanguageFile=Lisää Kieli tiedosto +YouCanUseTranslationKey=Voit käyttää tässä avainta, joka on käännösavain kielelle Kieli tiedosto (katso Kielet-välilehti). +DropTableIfEmpty=(Tuhoa pöytä, jos se on tyhjä) +TableDoesNotExists=Taulukkoa %s ei ole olemassa +TableDropped=Taulukko %s poistettu +InitStructureFromExistingTable=Rakenna olemassa olevan taulukon rakennetaulukkojono +UseAboutPage=Älä luo Tietoja-sivua +UseDocFolder=Poista dokumentaatiokansio käytöstä +UseSpecificReadme=Käytä tiettyä ReadMe-ohjelmaa +ContentOfREADMECustomized=Huomautus: Tiedoston README.md tiedosto sisältö on korvattu ModuleBuilderin asennuksessa määritetyllä arvolla. +RealPathOfModule=Moduulin todellinen polku +ContentCantBeEmpty=Kohteen tiedosto sisältö ei voi olla tyhjä +WidgetDesc=Voit luoda ja muokata tässä widgetejä, jotka upotetaan moduuliisi. +CSSDesc=Voit luoda ja muokkaa tästä tiedosto, jossa on moduuliisi upotettu henkilökohtainen CSS. +JSDesc=Voit luoda ja muokkaa tästä tiedosto, jossa on moduuliisi upotettu henkilökohtainen JavaScript. +CLIDesc=Voit luoda täällä komentorivikomentosarjat, jotka haluat toimittaa moduulin mukana. +CLIFile=CLI tiedosto +NoCLIFile=Ei CLI-tiedostoja +UseSpecificEditorName = Käytä tiettyä editorin nimeä +UseSpecificEditorURL = Käytä tiettyä editorin URL-osoitetta +UseSpecificFamily = Käytä tiettyä perhettä +UseSpecificAuthor = Käytä tiettyä kirjoittajaa +UseSpecificVersion = Käytä tiettyä alkuperäistä versiota +IncludeRefGeneration=Tämän objektin viittaus on luotava automaattisesti mukautetuilla numerointisäännöillä +IncludeRefGenerationHelp=Valitse tämä, jos haluat sisällyttää koodin viitteen luomiseen automaattisesti mukautettujen numerointisääntöjen avulla +IncludeDocGeneration=Haluan ominaisuuden luovan joitain asiakirjoja (PDF, ODT) tämän objektin malleista +IncludeDocGenerationHelp=Jos valitset tämän, luodaan koodi "Luo asiakirja" -ruudun lisäämiseksi tietueeseen. +ShowOnCombobox=Näytä arvo yhdistelmäruutuihin +KeyForTooltip=Työkaluvihjeen avain +CSSClass=CSS muokkausta varten/luo lomake +CSSViewClass=CSS lukulomakkeeseen +CSSListClass=CSS luettelolle +NotEditable=Ei muokattavissa +ForeignKey=Vieras avain +ForeignKeyDesc=Jos tämän Kenttä arvon on taattava olevan olemassa toisessa taulukossa. Kirjoita tähän arvo, joka vastaa syntaksia: tablename.parentfieldtocheck +TypeOfFieldsHelp=Esimerkki:
      varchar(99)
      sähköposti
      puhelin
      ip
      url
      salasana04b2fccf3 span>double(24,8)
      todellinen
      text
      html
      päivämäärä
      datetime
      aikaleima
      kokonaisluku
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]b0342bccfda<99bccf0 /span>
      '1' tarkoittaa, että lisäämme +-painikkeen yhdistelmän jälkeen luo tietueeseen
      'filter' on yleisen suodattimen syntaksiehto, esimerkki: '((status:=:1) ja (fk_user:=:__USER_ID__) ja (entity:IN:(__SHARED_ENTITIES__))" +TypeOfFieldsHelpIntro=Tämä on attribuutin Kenttä/tyyppi. +AsciiToHtmlConverter=Ascii-HTML-muunnin +AsciiToPdfConverter=Ascii-pdf-muunnin +TableNotEmptyDropCanceled=Taulukko ei ole tyhjä. Pudotus on peruutettu. +ModuleBuilderNotAllowed=Moduulien rakentaja on saatavilla, mutta sitä ei sallita käyttäjällesi. +ImportExportProfiles=Tuo ja vientiprofiilia +ValidateModBuilderDesc=Aseta arvoksi 1, jos haluat, että objektin menetelmä $this->validateField() vahvistaa kohteen Kenttä sisällön lisäyksen tai päivityksen aikana. Aseta 0, jos vahvistusta ei vaadita. +WarningDatabaseIsNotUpdated=Varoitus: tietokanta ei päivity automaattisesti, sinun on tuhottava taulukot ja poista käytöstä - ota moduuli käyttöön, jotta taulukot voidaan luoda uudelleen +LinkToParentMenu=Vanhempi valikko (fk_xxxxmenu) +ListOfTabsEntries=Välilehtimerkintöjen luettelo +TabsDefDesc=Määritä tässä moduulisi tarjoamat välilehdet +TabsDefDescTooltip=Moduulin/sovelluksesi välilehdet on määritetty taulukkoon $this->tabs moduulin kuvaukseen tiedosto. Voit muokata tätä tiedosto manuaalisesti tai käyttää upotettua editoria. +BadValueForType=Virheellinen arvo tyypille %s +DefinePropertiesFromExistingTable=Määritä kentät/ominaisuudet olemassa olevasta taulukosta +DefinePropertiesFromExistingTableDesc=Jos taulukko tietokanta (objektille luo) on jo olemassa, voit määrittää sen ominaisuudet. esine. +DefinePropertiesFromExistingTableDesc2=Pidä tyhjänä, jos taulukkoa ei ole vielä olemassa. Koodigeneraattori käyttää erilaisia kenttiä luodakseen esimerkin taulukosta, jota voit muokata myöhemmin. +GeneratePermissions=Haluan hallita tämän objektin käyttöoikeuksia +GeneratePermissionsHelp=Jos valitset tämän, koodia lisätään luku- ja kirjoitusoikeuksien hallintaan ja poista objektien tietue +PermissionDeletedSuccesfuly=Lupa on poistettu onnistuneesti +PermissionUpdatedSuccesfuly=Lupa on päivitetty onnistuneesti +PermissionAddedSuccesfuly=Lupa on lisätty onnistuneesti +MenuDeletedSuccessfuly=valikko on poistettu onnistuneesti +MenuAddedSuccessfuly=valikko on lisätty onnistuneesti +MenuUpdatedSuccessfuly=valikko on päivitetty onnistuneesti +ApiObjectDeleted=Objektin %s API on poistettu onnistuneesti CRUDRead=Luettu -CRUDCreateWrite=Create or Update -FailedToAddCodeIntoDescriptor=Failed to add code into descriptor. Check that the string comment "%s" is still present into the file. +CRUDCreateWrite=luo tai päivitä +FailedToAddCodeIntoDescriptor=Koodin lisääminen kuvaajaan epäonnistui. Tarkista, että merkkijonokommentti "%s" on edelleen olemassa tekstissä tiedosto. +DictionariesCreated=Sanakirja %s luotu onnistuneesti +DictionaryDeleted=Sanakirja %s poistettu onnistuneesti +PropertyModuleUpdated=Omaisuus %s on päivitetty onnistuneesti +InfoForApiFile=* Kun luot tiedosto ensimmäistä kertaa, kaikki menetelmät luodaan jokaiselle objektille.
      * Kun napsautat poista poistat vain kaikki menetelmät valitusta objektista. +SetupFile=Sivu moduulien asennukseen +EmailingSelectors=Sähköpostien valitsijat +EmailingSelectorDesc=Voit luoda ja muokata tässä luokkatiedostoja tarjotaksesi uusia sähköpostikohteen valitsimia joukkosähköpostimoduulille +EmailingSelectorFile=Sähköpostien valitsin tiedosto +NoEmailingSelector=Ei sähköpostin valitsin tiedosto diff --git a/htdocs/langs/fi_FI/mrp.lang b/htdocs/langs/fi_FI/mrp.lang index 99de8db95d3..818285d0a04 100644 --- a/htdocs/langs/fi_FI/mrp.lang +++ b/htdocs/langs/fi_FI/mrp.lang @@ -1,120 +1,139 @@ Mrp=Valmistustilaukset -MOs=Manufacturing orders -ManufacturingOrder=Manufacturing Order -MRPDescription=Module to manage production and Manufacturing Orders (MO). -MRPArea=MRP Area -MrpSetupPage=Setup of module MRP -MenuBOM=Bills of material -LatestBOMModified=Latest %s Bills of materials modified -LatestMOModified=Latest %s Manufacturing Orders modified -Bom=Bills of Material -BillOfMaterials=Bill of Materials -BillOfMaterialsLines=Bill of Materials lines -BOMsSetup=Setup of module BOM -ListOfBOMs=Bills of material - BOM +MOs=Valmistustilaukset +ManufacturingOrder=Valmistustilaus +MRPDescription=Moduuli tuotannon hallintaan ja Tuotantotilaukset (MO). +MRPArea=MRP-alue +MrpSetupPage=Moduulin MRP asennus +MenuBOM=Materiaalilaskut +LatestBOMModified=Viimeisimmät %s laskut Materiaalit muokattu +LatestMOModified=Viimeisimmät %s valmistustilaukset muokattu +Bom=Materiaalilaskut +BillOfMaterials=Lasku Materiaalit +BillOfMaterialsLines=Lasku Materiaalit riviä +BOMsSetup=Moduulin tuoteluettelon asennus +ListOfBOMs=Materiaaliluettelot - BOM ListOfManufacturingOrders=Valmistustilaukset -NewBOM=New bill of materials -ProductBOMHelp=Product to create (or disassemble) with this BOM.
      Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list. -BOMsNumberingModules=BOM numbering templates -BOMsModelModule=BOM document templates -MOsNumberingModules=MO numbering templates -MOsModelModule=MO document templates -FreeLegalTextOnBOMs=Free text on document of BOM -WatermarkOnDraftBOMs=Watermark on draft BOM -FreeLegalTextOnMOs=Free text on document of MO -WatermarkOnDraftMOs=Watermark on draft MO -ConfirmCloneBillOfMaterials=Are you sure you want to clone the bill of materials %s ? -ConfirmCloneMo=Are you sure you want to clone the Manufacturing Order %s ? -ManufacturingEfficiency=Manufacturing efficiency -ConsumptionEfficiency=Consumption efficiency -Consumption=Consumption -ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the manufacturing or the disassembly -ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product -DeleteBillOfMaterials=Delete Bill Of Materials -DeleteMo=Delete Manufacturing Order -ConfirmDeleteBillOfMaterials=Are you sure you want to delete this Bill Of Materials? -ConfirmDeleteMo=Are you sure you want to delete this Manufacturing Order? +NewBOM=Uusi lasku Materiaalit +ProductBOMHelp=Tuote luo (tai pura) tämän tuoteluettelon avulla.
      Huomaa: b07827aafe ominaisuudella 'Tuotteen luonne' = 'Raaka-aine' eivät näy tässä luettelossa. +BOMsNumberingModules=Tuoteluettelon numerointimallit +BOMsModelModule=BOM-asiakirjamallit +MOsNumberingModules=MO numerointimallit +MOsModelModule=MO asiakirjamallit +FreeLegalTextOnBOMs=Vapaa teksti materiaaliluettelon asiakirjassa +WatermarkOnDraftBOMs=vesileima Luonnos tuoteluettelossa +FreeLegalTextOnMOs=Vapaa teksti MO:n asiakirjassa +WatermarkOnDraftMOs=vesileima osoitteessa Luonnos MO +ConfirmCloneBillOfMaterials=Haluatko varmasti kloonata laskun Materiaalit %s? +ConfirmCloneMo=Haluatko varmasti kloonata valmistustilauksen %s? +ManufacturingEfficiency=Valmistuksen tehokkuus +ConsumptionEfficiency=Kulutustehokkuus +Consumption=Kulutus +ValueOfMeansLoss=Arvo 0,95 tarkoittaa keskimäärin 5%% menetystä valmistuksen tai purkamisen aikana +ValueOfMeansLossForProductProduced=Arvo 0,95 tarkoittaa keskimäärin 5%% tuotetun tuotteen menetystä +DeleteBillOfMaterials=Poista lasku Materiaalit +CancelMo=Peruuta valmistustilaus +MoCancelConsumedAndProducedLines=Peruuta myös kaikki kulutetut ja tuotetut linjat (poista rivit ja palautusvarastot) +ConfirmCancelMo=Haluatko varmasti peruuttaa tämän valmistustilauksen? +DeleteMo=Poista valmistustilaus +ConfirmDeleteBillOfMaterials=Haluatko varmasti poistaa tämän laskun Materiaalit? +ConfirmDeleteMo=Haluatko varmasti poistaa tämän valmistustilauksen? +DeleteMoChild = Poista tähän MO:hen linkitetyt alatason MO:t %s +MoChildsDeleted = Kaikki lapsi-MO:t on poistettu MenuMRP=Valmistustilaukset -NewMO=New Manufacturing Order -QtyToProduce=Qty to produce -DateStartPlannedMo=Date start planned -DateEndPlannedMo=Date end planned -KeepEmptyForAsap=Empty means 'As Soon As Possible' -EstimatedDuration=Estimated duration -EstimatedDurationDesc=Estimated duration to manufacture (or disassemble) this product using this BOM -ConfirmValidateBom=Are you sure you want to validate the BOM with the reference %s (you will be able to use it to build new Manufacturing Orders) -ConfirmCloseBom=Are you sure you want to cancel this BOM (you won't be able to use it to build new Manufacturing Orders anymore) ? -ConfirmReopenBom=Are you sure you want to re-open this BOM (you will be able to use it to build new Manufacturing Orders) -StatusMOProduced=Produced -QtyFrozen=Frozen Qty -QuantityFrozen=Frozen Quantity -QuantityConsumedInvariable=When this flag is set, the quantity consumed is always the value defined and is not relative to the quantity produced. -DisableStockChange=Stock change disabled -DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed -BomAndBomLines=Bills Of Material and lines -BOMLine=Line of BOM -WarehouseForProduction=Warehouse for production -CreateMO=Create MO -ToConsume=To consume -ToProduce=To produce -ToObtain=To obtain -QtyAlreadyConsumed=Qty already consumed -QtyAlreadyProduced=Qty already produced -QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) -ConsumeOrProduce=Consume or Produce -ConsumeAndProduceAll=Consume and Produce All -Manufactured=Manufactured -TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf=For a quantity to produce of %s -ForAQuantityToConsumeOf=For a quantity to disassemble of %s -ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? -ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRef=Production of %s -CancelProductionForRef=Cancellation of product stock decrementation for product %s -TooltipDeleteAndRevertStockMovement=Delete line and revert stock movement -AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached -NoStockChangeOnServices=No stock change on services -ProductQtyToConsumeByMO=Product quantity still to consume by open MO -ProductQtyToProduceByMO=Product quantity still to produce by open MO -AddNewConsumeLines=Add new line to consume -AddNewProduceLines=Add new line to produce -ProductsToConsume=Products to consume -ProductsToProduce=Products to produce -UnitCost=Unit cost -TotalCost=Total cost -BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) -BOMTotalCostService=If the "Workstation" module is activated and a workstation is defined by default on the line, then the calculation is "quantity (converted into hours) x workstation ahr", otherwise "quantity (converted into hours) x cost price of the service" -GoOnTabProductionToProduceFirst=You must first have started the production to close a Manufacturing Order (See tab '%s'). But you can Cancel it. -ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO -Workstation=Workstation -Workstations=Workstations -WorkstationsDescription=Workstations management -WorkstationSetup = Workstations setup -WorkstationSetupPage = Workstations setup page -WorkstationList=Workstation list -WorkstationCreate=Add new workstation -ConfirmEnableWorkstation=Are you sure you want to enable workstation %s ? -EnableAWorkstation=Enable a workstation -ConfirmDisableWorkstation=Are you sure you want to disable workstation %s ? -DisableAWorkstation=Disable a workstation +NewMO=Uusi valmistustilaus +QtyToProduce=Tuotettava määrä +DateStartPlannedMo=päiväys aloitus suunniteltu +DateEndPlannedMo=päiväys loppu suunniteltu +KeepEmptyForAsap=Tyhjä tarkoittaa "niin pian kuin mahdollista" +EstimatedDuration=Arvioitu kesto +EstimatedDurationDesc=Arvioitu kesto tämän tuotteen valmistukseen (tai purkamiseen) tätä materiaalia käyttämällä +ConfirmValidateBom=Haluatko varmasti vahvistaa tuoteluettelon viitteellä %s (voit käyttää sitä uusien valmistustilausten rakentamiseen) +ConfirmCloseBom=Haluatko varmasti peruuttaa tämän tuoteluettelon (et voi enää käyttää sitä uusien tuotantotilausten rakentamiseen)? +ConfirmReopenBom=Haluatko varmasti avata tämän tuoteluettelon uudelleen (voit käyttää sitä uusien tuotantotilausten rakentamiseen) +StatusMOProduced=Tuotettu +QtyFrozen=Pakastettu määrä +QuantityFrozen=Pakastettu määrä +QuantityConsumedInvariable=Kun tämä lippu on asetettu, kulutettu määrä on aina määritetty arvo ja ei ole suhteessa tuotettuun määrään. +DisableStockChange=Osakevaihto pois käytöstä +DisableStockChangeHelp=Kun tämä lippu on asetettu, tällä tuotteella ei tapahdu varastomuutoksia, olipa kulutettu määrä mikä tahansa +BomAndBomLines=Materiaalilaskut ja riviä +BOMLine=Tuoteluettelon rivi +WarehouseForProduction=Varasto tuotantoa varten +CreateMO=luo MO +ToConsume=Kuluttaa +ToProduce=Tuottaa +ToObtain=Saada haltuunsa +QtyAlreadyConsumed=Määrä jo kulutettu +QtyAlreadyProduced=Määrä on jo valmistettu +QtyAlreadyConsumedShort=Kulutettu määrä +QtyAlreadyProducedShort=Tuotettu määrä +QtyRequiredIfNoLoss=Tuoteluetteloon määritellyn määrän tuottamiseen vaadittava määrä, jos hävikkiä ei ole (jos valmistusteho on 100%%) +ConsumeOrProduce=Kuluttaa tai tuottaa +ConsumeAndProduceAll=Kuluta ja Tuota kaikki +Manufactured=Valmistettu +TheProductXIsAlreadyTheProductToProduce=Lisättävä tuote on jo tuotettava tuote. +ForAQuantityOf=Tuotettava määrä %s +ForAQuantityToConsumeOf=Purettava määrä %s +ConfirmValidateMo=Haluatko varmasti vahvistaa tämän valmistustilauksen? +ConfirmProductionDesc=Klikkaamalla %s, vahvistat kulutuksen ja/tai tuotannon määritetyille määrille. Tämä päivittää myös varastoliiketietueen ja. +ProductionForRef=Tuotanto: %s +CancelProductionForRef=Tuotteen %s tuotevaraston pienenemisen peruutus +TooltipDeleteAndRevertStockMovement=Poista rivi ja palauta varastoliike +AutoCloseMO=Sulje valmistustilaus automaattisesti, jos valmistukseen ja kulutettavat määrät saavutetaan +NoStockChangeOnServices=Palveluissa ei varastomuutoksia +ProductQtyToConsumeByMO=Tuotemäärä vielä kulutettavana avoimeen MO +ProductQtyToProduceByMO=Tuotemäärä vielä valmistettavana avoimella MO:lla +AddNewConsumeLines=Lisää uusi rivi kulutettavaksi +AddNewProduceLines=Lisää uusi tuotantolinja +ProductsToConsume=tuotteet kuluttaa +ProductsToProduce=tuotteet tuottaa +UnitCost=Yksikköhinta +TotalCost=Kokonaiskustannukset +BOMTotalCost=Tämän tuoteluettelon valmistuskustannukset perustuvat kunkin kulutettavan tuotteen ja määrän hintaan (käytä omakustannushintaa, jos se on määritelty, muuten painotettu keskihinta, jos se on määritelty, muuten paras Hankinta hinta) +BOMTotalCostService=Jos "Workstation"-moduuli on aktivoitu ja, työasema määritellään rivillä oletus, laskelma on "määrä ( muutettu tunneiksi) x työasema ahr", muuten "määrä x palvelun omakustannushinta" +GoOnTabProductionToProduceFirst=Sinun on ensin aloitettava tuotanto, jotta voit sulkea valmistustilauksen (katso välilehti %s). Mutta voit peruuttaa sen. +ErrorAVirtualProductCantBeUsedIntoABomOrMo=Sarjaa ei voi käyttää tuoteluettelossa tai MO:ssa +Workstation=Työasema +Workstations=Työasemat +WorkstationsDescription=Työasemien hallinta +WorkstationSetup = Työasemien asetukset +WorkstationSetupPage = Työasemien asetussivu +WorkstationList=Työasemaluettelo +WorkstationCreate=Lisää uusi työasema +ConfirmEnableWorkstation=Haluatko varmasti ottaa käyttöön työaseman %s? +EnableAWorkstation=Ota työasema käyttöön +ConfirmDisableWorkstation=Haluatko varmasti poistaa käytöstä työaseman %s? +DisableAWorkstation=Poista työasema käytöstä DeleteWorkstation=Poista -NbOperatorsRequired=Number of operators required -THMOperatorEstimated=Estimated operator THM -THMMachineEstimated=Estimated machine THM -WorkstationType=Workstation type -Human=Human -Machine=Machine -HumanMachine=Human / Machine -WorkstationArea=Workstation area -Machines=Machines -THMEstimatedHelp=This rate makes it possible to define a forecast cost of the item -BOM=Bill Of Materials -CollapseBOMHelp=You can define the default display of the details of the nomenclature in the configuration of the BOM module -MOAndLines=Manufacturing Orders and lines -MoChildGenerate=Generate Child Mo -ParentMo=MO Parent -MOChild=MO Child -BomCantAddChildBom=The nomenclature %s is already present in the tree leading to the nomenclature %s -BOMNetNeeds = BOM Net Needs -BOMProductsList=BOM's products -BOMServicesList=BOM's services +NbOperatorsRequired=Tarvittavien toimijoiden lukumäärä +THMOperatorEstimated=Arvioitu operaattori THM +THMMachineEstimated=Arvioitu kone THM +WorkstationType=Työaseman tyyppi +DefaultWorkstation=oletus työasema +Human=Ihmisen +Machine=Kone +HumanMachine=Ihminen/kone +WorkstationArea=Työasema-alue +Machines=Koneet +THMEstimatedHelp=Tämän koron avulla on mahdollista määrittää tuotteen ennustettu hinta +BOM=Bill of Materiaalit +CollapseBOMHelp=Voit määrittää oletus -näytön nimikkeistön tiedoille BOM-moduulin määrityksissä +MOAndLines=Valmistustilaukset ja riviä +MoChildGenerate=Luo Child Mo +ParentMo=MO vanhempi +MOChild=MO Lapsi +BomCantAddChildBom=Nimikkeistö %s on jo olemassa puussa, joka johtaa nimikkeistöön %s +BOMNetNeeds = BOM Net tarpeet +BOMProductsList=BOM:n tuotteet +BOMServicesList=BOM:n palvelut +Manufacturing=Valmistus +Disassemble=Pura +ProducedBy=Tuottanut +QtyTot=Määrä yhteensä + +QtyCantBeSplit= Määrää ei voi jakaa +NoRemainQtyToDispatch=Jaettavaa määrää ei ole jäljellä + +THMOperatorEstimatedHelp=Operaattorin arvioitu tuntihinta. Käytetään tätä työasemaa käyttävän tuoteluettelon kustannusten arvioimiseen. +THMMachineEstimatedHelp=Arvioitu koneen hinta per tunti. Käytetään tätä työasemaa käyttävän tuoteluettelon kustannusten arvioimiseen. + diff --git a/htdocs/langs/fi_FI/multicurrency.lang b/htdocs/langs/fi_FI/multicurrency.lang index c285b180058..54e507de473 100644 --- a/htdocs/langs/fi_FI/multicurrency.lang +++ b/htdocs/langs/fi_FI/multicurrency.lang @@ -1,22 +1,43 @@ # Dolibarr language file - Source file is en_US - multicurrency -MultiCurrency=Multi currency -ErrorAddRateFail=Error in added rate -ErrorAddCurrencyFail=Error in added currency -ErrorDeleteCurrencyFail=Error delete fail -multicurrency_syncronize_error=Synchronization error: %s -MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=Use the date of the document to find the currency rate, instead of using the latest known rate -multicurrency_useOriginTx=When an object is created from another, keep the original rate from the source object (otherwise use the latest known rate) +MultiCurrency=Moni-valuuttainen +ErrorAddRateFail=Virhe lisätyssä hinnassa +ErrorAddCurrencyFail=Virhe lisätyssä valuutassa +ErrorDeleteCurrencyFail=Virhe poistaminen epäonnistui +multicurrency_syncronize_error=Synkronointivirhe: %s +MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=Käytä asiakirjan päiväys valuuttakurssin selvittämiseen sen sijaan, että käytät viimeisintä tunnettua kurssia +multicurrency_useOriginTx=Kun objekti luodaan toisesta, säilytä lähdeobjektin alkuperäinen nopeus (muuten käytä viimeisintä tunnettua nopeutta) CurrencyLayerAccount=CurrencyLayer API -CurrencyLayerAccount_help_to_synchronize=You must create an account on website %s to use this functionality.
      Get your API key.
      If you use a free account, you can't change the source currency (USD by default).
      If your main currency is not USD, the application will automatically recalculate it.

      You are limited to 1000 synchronizations per month. -multicurrency_appId=API key -multicurrency_appCurrencySource=Source currency -multicurrency_alternateCurrencySource=Alternate source currency -CurrenciesUsed=Currencies used -CurrenciesUsed_help_to_add=Add the different currencies and rates you need to use on your proposals, orders etc. -rate=rate -MulticurrencyReceived=Received, original currency -MulticurrencyRemainderToTake=Remaining amount, original currency +CurrencyLayerAccount_help_to_synchronize=Sinun on luo tili verkkosivustolla %s, jotta voit käyttää tätä toimintoa.
      Hanki API-avain.
      Jos käytät ilmaista tiliä , et voi muuttaa lähdevaluuttaa (USD oletus >).
      Jos päävaluuttasi ei ole USD, sovellus laskee sen automaattisesti uudelleen.

      Synkronointi on rajoitettu 1 000 kuukaudessa. +multicurrency_appId=API-avain +multicurrency_appCurrencySource=Lähdevaluutta +multicurrency_alternateCurrencySource=Vaihtoehtoinen lähdevaluutta +CurrenciesUsed=Käytetyt valuutat +CurrenciesUsed_help_to_add=Lisää eri valuuttojen ja kurssit, joita sinun tulee käyttää ehdotuksissasib09a4b739f17 >, tilaukset jne. +rate=korko +MulticurrencyReceived=Vastaanotettu, alkuperäinen valuutta +MulticurrencyRemainderToTake=Jäljellä oleva summa, alkuperäinen valuutta MulticurrencyPaymentAmount=Suorituksen summa, alkuperäinen valuutta -AmountToOthercurrency=Amount To (in currency of receiving account) -CurrencyRateSyncSucceed=Currency rate synchronization done successfuly -MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Use the currency of the document for online payments +AmountToOthercurrency=Summa (vastaanottavan tilin valuutassa) +CurrencyRateSyncSucceed=Valuuttakurssin synkronointi onnistui +MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Käytä verkkomaksuissa asiakirjan valuuttaa +TabTitleMulticurrencyRate=Arvioi lista +ListCurrencyRate=Luettelo valuutan vaihtokursseista +CreateRate=luo hinta +FormCreateRate=Arvonnan luominen +FormUpdateRate=Arvonmuutos +successRateCreate=Valuutan kurssi %s on lisätty arvoon tietokanta +ConfirmDeleteLineRate=Haluatko varmasti poistaa valuutan %s kurssin %s %s > päiväys? +DeleteLineRate=Tyhjä korko +successRateDelete=Arvosana poistettu +errorRateDelete=Virhe korkoa poistettaessa +successUpdateRate=Muutos tehty +ErrorUpdateRate=Virhe kurssia muutettaessa +Codemulticurrency=valuutta koodi +UpdateRate=muuta kurssia +CancelUpdate=peruuttaa +NoEmptyRate=Hinta Kenttä ei saa olla tyhjä +CurrencyCodeId=Valuuttatunnus +CurrencyCode=Valuutta koodi +CurrencyUnitPrice=Yksikköhinta ulkomaan valuutassa +CurrencyPrice=Hinta ulkomaan valuutassa +MutltiCurrencyAutoUpdateCurrencies=Päivitä kaikki valuuttakurssit diff --git a/htdocs/langs/fi_FI/oauth.lang b/htdocs/langs/fi_FI/oauth.lang index 075ff49a895..51dafd01a67 100644 --- a/htdocs/langs/fi_FI/oauth.lang +++ b/htdocs/langs/fi_FI/oauth.lang @@ -1,32 +1,42 @@ # Dolibarr language file - Source file is en_US - oauth -ConfigOAuth=OAuth Configuration -OAuthServices=OAuth Services -ManualTokenGeneration=Manual token generation +ConfigOAuth=OAuth-määritykset +OAuthServices=OAuth-palvelut +ManualTokenGeneration=Manuaalinen tunnuksen luominen TokenManager=Token Manager -IsTokenGenerated=Is token generated ? -NoAccessToken=No access token saved into local database -HasAccessToken=A token was generated and saved into local database -NewTokenStored=Token received and saved -ToCheckDeleteTokenOnProvider=Click here to check/delete authorization saved by %s OAuth provider -TokenDeleted=Token deleted -RequestAccess=Click here to request/renew access and receive a new token to save -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider: -ListOfSupportedOauthProviders=Enter the credentials provided by your OAuth2 provider. Only supported OAuth2 providers are listedd here. These services may be used by other modules that need OAuth2 authentication. -OAuthSetupForLogin=Page to generate an OAuth token -SeePreviousTab=See previous tab -OAuthIDSecret=OAuth ID and Secret +IsTokenGenerated=Onko token luotu? +NoAccessToken=Käyttöoikeustunnusta ei ole tallennettu paikalliseen tietokanta +HasAccessToken=Tunniste luotiin ja, joka tallennettiin paikalliseen tietokanta +NewTokenStored=Tunnus vastaanotettu ja tallennettu +ToCheckDeleteTokenOnProvider=Napsauta tätä tarkistaaksesi/poistaaksesi %s OAuth-palveluntarjoajan tallentaman valtuutuksen +TokenDeleted=Tunnus poistettu +GetAccess=Napsauta tästä saadaksesi tunnuksen +RequestAccess=Napsauta tätä pyytääksesi/uusiaksesi käyttöoikeus ja vastaanota uusi tunnus +DeleteAccess=Napsauta tästä poistaaksesi tunnuksen +RedirectURL=Uudelleenohjauksen URL-osoite +UseTheFollowingUrlAsRedirectURI=Käytä seuraavaa URL-osoitetta uudelleenohjaus-URL-osoitteena, kun luot kirjautumistietojasi OAuth-palveluntarjoajaltasi +ListOfSupportedOauthProviders=Lisää OAuth2-tunnuksen tarjoajat. Siirry sitten OAuth-palveluntarjoajan Pääkäyttäjä-sivulle ja luo/hae OAuth-tunnus b0ae6e90z09. /span> Salaiset ja tallenna ne tähän. Kun olet valmis, avaa toinen välilehti luodaksesi tunnus. +OAuthSetupForLogin=Sivu, jolla voit hallita (luoda/poista) OAuth-tunnuksia +SeePreviousTab=Katso edellinen välilehti +OAuthProvider=OAuth-palveluntarjoaja +OAuthIDSecret=OAuth-tunnus ja Salainen TOKEN_REFRESH=Token Refresh Present -TOKEN_EXPIRED=Token expired -TOKEN_EXPIRE_AT=Token expire at -TOKEN_DELETE=Delete saved token -OAUTH_GOOGLE_NAME=OAuth Google service -OAUTH_GOOGLE_ID=OAuth Google Id +TOKEN_EXPIRED=Tunnus on vanhentunut +TOKEN_EXPIRE_AT=Tunnus vanhenee klo +TOKEN_DELETE=Poista tallennettu tunnus +OAUTH_GOOGLE_NAME=OAuth Google -palvelu +OAUTH_GOOGLE_ID=OAuth Google-tunnus OAUTH_GOOGLE_SECRET=OAuth Google Secret -OAUTH_GOOGLE_DESC=Go to this page then "Credentials" to create OAuth credentials -OAUTH_GITHUB_NAME=OAuth GitHub service -OAUTH_GITHUB_ID=OAuth GitHub Id +OAUTH_GITHUB_NAME=OAuth GitHub -palvelu +OAUTH_GITHUB_ID=OAuth GitHub -tunnus OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_GITHUB_DESC=Go to this page then "Register a new application" to create OAuth credentials -OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test +OAUTH_URL_FOR_CREDENTIAL=Siirry tälle sivulle numeroon luo tai hanki OAuth-tunnuksesi ja Secret +OAUTH_STRIPE_TEST_NAME=OAuth Stripe -testi OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live +OAUTH_ID=OAuth-asiakastunnus +OAUTH_SECRET=OAuth-salaisuus +OAUTH_TENANT=OAuth-vuokralainen +OAuthProviderAdded=OAuth-palveluntarjoaja lisätty +AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=Tämän palveluntarjoajan OAuth-merkintä ja -tunniste on jo olemassa +URLOfServiceForAuthorization=OAuth-palvelun tarjoama URL-osoite kohteelle Autentikointi +Scopes=Käyttöoikeudet (laajuudet) +ScopeUndefined=Käyttöoikeudet (laajuudet) määrittelemättömät (katso edellinen välilehti) diff --git a/htdocs/langs/fi_FI/opensurvey.lang b/htdocs/langs/fi_FI/opensurvey.lang index b34fa00da14..89a7c7bec4c 100644 --- a/htdocs/langs/fi_FI/opensurvey.lang +++ b/htdocs/langs/fi_FI/opensurvey.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - opensurvey Survey=Äänestys Surveys=Äänestykset -OrganizeYourMeetingEasily=Organize your meetings and polls easily. First select the type of poll... +OrganizeYourMeetingEasily=Järjestä kokouksesi ja kyselyt helposti. Valitse ensin kyselyn tyyppi... NewSurvey=Uusi äänestys OpenSurveyArea=Äänestysalue AddACommentForPoll=Voit lisätä kommentin äänestykseen @@ -10,8 +10,8 @@ CreatePoll=Luo äänestys PollTitle=Äänestyksen nimi ToReceiveEMailForEachVote=Vastaanota sähköposti jokaisesta äänestyksestä TypeDate=Päivämäärä -TypeClassic=Type standard -OpenSurveyStep2=Select your dates among the free days (grey). The selected days are green. You can unselect a day previously selected by clicking again on it +TypeClassic=Tyyppi vakio +OpenSurveyStep2=Valitse päivämäärät ilmaisista päivistä (harmaa). Valitut päivät ovat vihreitä. Voit poistaa aiemmin valitun päivän valinnan napsauttamalla sitä uudelleen RemoveAllDays=Poista kaikki päivät CopyHoursOfFirstDay=Kopio ensimmäisen päivän tunnit RemoveAllHours=Poista kaikki tunnit @@ -19,14 +19,14 @@ SelectedDays=Valitut päivät TheBestChoice=Paras valinta on tällähetkellä TheBestChoices=Parhaat vaihtoehdot tällähetkellä ovat with=mukana -OpenSurveyHowTo=If you agree to vote in this poll, you have to give your name, choose the values that fit best for you and validate with the plus button at the end of the line. +OpenSurveyHowTo=Jos suostut äänestämään tässä kyselyssä, sinun on annettava nimesi, valittava sinulle parhaiten sopivat arvot ja vahvista plus-painikkeella rivin lopussa. CommentsOfVoters=Äänestäjien kommentit ConfirmRemovalOfPoll=Haluatko varmasti poistaa tämän äänestyksen (ja kaikki annetut äänet) RemovePoll=Poist äänestys UrlForSurvey=URL osoite suoraan äänestykseen PollOnChoice=Olet luomassa monivalintaista äänestystä. Syötä ensin kaikki äänestysvaihtoehdot äänestykseen: -CreateSurveyDate=Create a date poll -CreateSurveyStandard=Create a standard poll +CreateSurveyDate=luo päiväys kysely +CreateSurveyStandard=luo tavallinen kysely CheckBox=Yksinkertainen valinta YesNoList=Lista (tyhjä/kyllä/ei) PourContreList=Lista (tyhjä/puolesta/vastaan) @@ -34,8 +34,8 @@ AddNewColumn=Lisää uusi sarake TitleChoice=Valinnan otsikko ExportSpreadsheet=Vie tulokset laskentataulukkoon ExpireDate=Rajapäivä -NbOfSurveys=Number of polls -NbOfVoters=No. of voters +NbOfSurveys=Äänestysten määrä +NbOfVoters=Äänestäjien määrä SurveyResults=Tulokset PollAdminDesc=Voit muuttaa kaikkia äänestysrivejä nappulasta "Muokka". Voit myös poistaa sarakkeen tai rivin %s. Voit myös lisätä uuden sarakkeen %s. 5MoreChoices=5 vaihtoehtoa lisää @@ -47,17 +47,18 @@ AddStartHour=Lisää aloitus tunti AddEndHour=Lisää lopetus tunti votes=Ääniä NoCommentYet=Tässä äänestyksessä ei ole vielä kommentteja -CanComment=Voters can comment in the poll -YourVoteIsPrivate=This poll is private, nobody can see your vote. -YourVoteIsPublic=This poll is public, anybody with the link can see your vote. -CanSeeOthersVote=Voters can see other people's vote -SelectDayDesc=For each selected day, you can choose, or not, meeting hours in the following format:
      - empty,
      - "8h", "8H" or "8:00" to give a meeting's start hour,
      - "8-11", "8h-11h", "8H-11H" or "8:00-11:00" to give a meeting's start and end hour,
      - "8h15-11h15", "8H15-11H15" or "8:15-11:15" for the same thing but with minutes. +CanComment=Äänestäjät voivat kommentoida kyselyä +YourVoteIsPrivate=Tämä kysely on yksityinen, kukaan ei näe ääntäsi. +YourVoteIsPublic=Tämä kysely on julkinen, kaikki linkin saaneet voivat nähdä äänesi. +CanSeeOthersVote=Äänestäjät voivat nähdä muiden ihmisten äänet +SelectDayDesc=Voit valita kullekin valitulle päivälle kokousajat seuraavassa muodossa:
      - tyhjä,
      - " 8h", "8H" tai "8:00" antaa kokouksen alkamisajan,
      - "8-11", "8h-11h", "8H-11H" tai "8.00-11.00" antaaksesi kokouksen alun ja lopputunti,
      - "8h15-11h15" , "8H15-11H15" tai "8:15-11:15" samalle asialle, mutta minuutteilla. BackToCurrentMonth=Takaisin nykyiseen kuukauteen -ErrorOpenSurveyFillFirstSection=You haven't filled the first section of the poll creation -ErrorOpenSurveyOneChoice=Enter at least one choice -ErrorInsertingComment=There was an error while inserting your comment -MoreChoices=Enter more choices for the voters -SurveyExpiredInfo=The poll has been closed or voting delay has expired. -EmailSomeoneVoted=%s has filled a line.\nYou can find your poll at the link: \n%s -ShowSurvey=Show survey -UserMustBeSameThanUserUsedToVote=You must have voted and use the same user name that the one used to vote, to post a comment +ErrorOpenSurveyFillFirstSection=Et ole täyttänyt kyselyn luomisen ensimmäistä osaa +ErrorOpenSurveyOneChoice=Anna vähintään yksi vaihtoehto +ErrorInsertingComment=Kommenttisi lisäämisessä tapahtui virhe +MoreChoices=Lisää äänestäjille vaihtoehtoja +SurveyExpiredInfo=Äänestys on päättynyt tai äänestysviive on umpeutunut. +EmailSomeoneVoted=%s on täyttänyt rivin.\nLöydät kyselysi linkistä:\n%s +ShowSurvey=Näytä Kysely +UserMustBeSameThanUserUsedToVote=Sinun on täytynyt äänestää ja käyttää samaa käyttäjänimeä, jota käytit äänestämässä, jotta voit lähettää kommentin +ListOfOpenSurveys=Luettelo avoimista kyselyistä diff --git a/htdocs/langs/fi_FI/orders.lang b/htdocs/langs/fi_FI/orders.lang index cff3bfe5a83..a0cb4d78789 100644 --- a/htdocs/langs/fi_FI/orders.lang +++ b/htdocs/langs/fi_FI/orders.lang @@ -1,4 +1,5 @@ # Dolibarr language file - Source file is en_US - orders +OrderExists=Tähän tarjous linkitetty tilaus oli jo auki, joten muuta tilausta ei luotu automaattisesti OrdersArea=Asiakkaiden tilausalue SuppliersOrdersArea=Ostotilaukset OrderCard=Tilauskortti @@ -17,8 +18,8 @@ ToOrder=Tee tilaus MakeOrder=Tee tilaus SupplierOrder=Ostotilaus SuppliersOrders=Ostotilaukset -SaleOrderLines=Sales order lines -PurchaseOrderLines=Puchase order lines +SaleOrderLines=Myyntitilausrivit +PurchaseOrderLines=Hankinta tilausriviä SuppliersOrdersRunning=Avoimet Ostotilaukset CustomerOrder=Myyntitilaus CustomersOrders=Myyntitilaukset @@ -68,8 +69,10 @@ CreateOrder=Luo tilaus RefuseOrder=Kiellä tilaus ApproveOrder=Hyväksy tilaus Approve2Order=Hyväksy tilaus (toisen vaiheen hyväksyntä) +UserApproval=Käyttäjä hyväksyttäväksi +UserApproval2=Käyttäjä hyväksyttäväksi (toinen taso) ValidateOrder=Hyväksy tilaus -UnvalidateOrder=Käsittele tilaus uudestaan +UnvalidateOrder=Virheellinen tilaus DeleteOrder=Poista tilaus CancelOrder=Peruuta tilaus OrderReopened= Tilaus %s uudelleenavaus @@ -93,6 +96,10 @@ OrdersStatisticsSuppliers=Ostotilaus statistiikka NumberOfOrdersByMonth=Tilausmäärät kuukausittain AmountOfOrdersByMonthHT=Kuukauden tilausten määrä (ilman alv) ListOfOrders=Tilausluettelo +ListOrderLigne=Tilausrivit +productobuy=tuotteet vain ostaa +productonly=Vain tuotteet +disablelinefree=Ei ilmaisia linjoja CloseOrder=Sulje tilaus ConfirmCloseOrder=Oletko varma että haluat merkitä tilauksen toimitetuksi? Kun se on toimitettu niin sen voi laskuttaa. ConfirmDeleteOrder=Haluatko varmasti poistaa tämän tilauksen? @@ -102,13 +109,15 @@ ConfirmCancelOrder=Haluatko varmasti perua tämän tilauksen? ConfirmMakeOrder=Haluatko varmasti vahvistaa tekemäsi tilauksen %s? GenerateBill=Luo lasku ClassifyShipped=Luokittele toimitetuksi +PassedInShippedStatus=luokiteltu toimitettu +YouCantShipThis=En osaa luokitella tätä. Tarkista käyttäjien käyttöoikeudet DraftOrders=Tilausluonnokset DraftSuppliersOrders=Kesken olevat Ostotilaukset OnProcessOrders=Käsittelyssä olevat tilaukset RefOrder=Tilausviite RefCustomerOrder=Asiakkaan viite -RefOrderSupplier=Ref. order for vendor -RefOrderSupplierShort=Ref. order vendor +RefOrderSupplier=Viite. tilaa Toimittaja +RefOrderSupplierShort=Viite. tilaa Toimittaja SendOrderByMail=Lähetä tilaus postitse ActionsOnOrder=Tilauksen tapahtumat NoArticleOfTypeProduct=Artikkelin tyypi ei ole "tuote" joten sitä ei voida toimittaa tässä tilauksessa @@ -117,22 +126,23 @@ AuthorRequest=Pyydä tekijältä UserWithApproveOrderGrant=Käyttäjille myönnetty oikeus "hyväksyä tilauksia" PaymentOrderRef=Tilauksen %s maksu ConfirmCloneOrder=Haluatko varmasti luoda vastaavan tilauksen %s? -DispatchSupplierOrder=Receiving purchase order %s -FirstApprovalAlreadyDone=First approval already done -SecondApprovalAlreadyDone=Second approval already done -SupplierOrderReceivedInDolibarr=Purchase Order %s received %s -SupplierOrderSubmitedInDolibarr=Purchase Order %s submitted -SupplierOrderClassifiedBilled=Purchase Order %s set billed +DispatchSupplierOrder=Vastaanotetaan Hankinta tilaus %s +FirstApprovalAlreadyDone=Ensimmäinen hyväksyntä on jo tehty +SecondApprovalAlreadyDone=Toinen hyväksyntä on jo tehty +SupplierOrderReceivedInDolibarr=Hankinta Tilaus %s vastaanotettu %s +SupplierOrderSubmitedInDolibarr=Hankinta Tilaus %s lähetetty +SupplierOrderClassifiedBilled=Hankinta Tilaa %s sarja laskutettu OtherOrders=Muut tilaukset -SupplierOrderValidatedAndApproved=Supplier order is validated and approved : %s -SupplierOrderValidated=Supplier order is validated : %s +SupplierOrderValidatedAndApproved=toimittajan tilaus on vahvistettu ja hyväksytty: %s +SupplierOrderValidated=toimittajan tilaus on vahvistettu : %s +OrderShowDetail=Näytä tilaustiedot ##### Types de contacts ##### -TypeContact_commande_internal_SALESREPFOLL=Representative following-up sales order +TypeContact_commande_internal_SALESREPFOLL=Edustaja seuraa myyntitilausta TypeContact_commande_internal_SHIPPING=Edustaja seuraamaan toimitusta TypeContact_commande_external_BILLING=Yhteystiedot asiakkaan laskutukseen TypeContact_commande_external_SHIPPING=Yhteystiedot asiakkaan toimitukseen TypeContact_commande_external_CUSTOMER=Asiakas ottaa yhteyttä seurantaan, jotta -TypeContact_order_supplier_internal_SALESREPFOLL=Representative following-up purchase order +TypeContact_order_supplier_internal_SALESREPFOLL=Edustava seuranta Hankinta TypeContact_order_supplier_internal_SHIPPING=Edustaja toimitus seurantaan TypeContact_order_supplier_external_BILLING=Toimittajan laskun kontakti TypeContact_order_supplier_external_SHIPPING=Toimittajan toimitus kontakti @@ -153,7 +163,7 @@ PDFEdisonDescription=Yksinkertainen tilausmalli PDFProformaDescription=Täydellinen Proforma lasku template CreateInvoiceForThisCustomer=Laskuta tilaukset CreateInvoiceForThisSupplier=Laskuta tilaukset -CreateInvoiceForThisReceptions=Bill receptions +CreateInvoiceForThisReceptions=Laskujen vastaanotot NoOrdersToInvoice=Yhtään tilausta ei ole laskutettavaksi CloseProcessedOrdersAutomatically=Kuittaa kaikki valitut tilaukset. OrderCreation=Tilauksen muodostaminen @@ -161,12 +171,12 @@ Ordered=Tilattu OrderCreated=Tilauksesi on muodostettu OrderFail=Tapahtui virhe muodostettaessa tilausta. CreateOrders=Tee tilaukset -ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. -IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. +ToBillSeveralOrderSelectCustomer=Jos haluat luo laskun useista tilauksista, klikkaa ensin asiakasta ja valitse sitten %s. +OptionToSetOrderBilledNotEnabled=Työnkulku-moduulin vaihtoehto, jossa tilaukseksi asetetaan automaattisesti Laskutettu, kun lasku vahvistetaan, ei ole käytössä, joten sinun on asetettava tilausten tilaksi Laskutettu manuaalisesti laskun luomisen jälkeen. +IfValidateInvoiceIsNoOrderStayUnbilled=Jos laskun vahvistus on "Ei", tilaus pysyy tilassa "Laskuttamaton", kunnes lasku on vahvistettu. +CloseReceivedSupplierOrdersAutomatically=Sulje tilaus tilaan "%s" automaattisesti, jos kaikki tuotteet on vastaanotettu. SetShippingMode=Anna rahtitapa -WithReceptionFinished=With reception finished +WithReceptionFinished=Vastaanoton jälkeen #### supplier orders status StatusSupplierOrderCanceledShort=Peruttu StatusSupplierOrderDraftShort=Luonnos @@ -194,3 +204,5 @@ StatusSupplierOrderApproved=Hyväksytty StatusSupplierOrderRefused=Hylätty StatusSupplierOrderReceivedPartially=Osittain saapunut StatusSupplierOrderReceivedAll=Kaikki tuotteet vastaanotettu +NeedAtLeastOneInvoice = Laskulla on oltava vähintään yksi +LineAlreadyDispatched = Tilausrivi on jo vastaanotettu. diff --git a/htdocs/langs/fi_FI/other.lang b/htdocs/langs/fi_FI/other.lang index 56818117901..77c5b178110 100644 --- a/htdocs/langs/fi_FI/other.lang +++ b/htdocs/langs/fi_FI/other.lang @@ -3,139 +3,141 @@ SecurityCode=Suojakoodi NumberingShort=N° Tools=Työkalut TMenuTools=Tools -ToolsDesc=All tools not included in other menu entries are grouped here.
      All the tools can be accessed via the left menu. +ToolsDesc=Kaikki työkalut, jotka eivät sisälly muihin valikko -merkintöihin, on ryhmitelty tähän.
      Kaikki työkalut ovat käytettävissä vasemmanpuoleisen valikko. Birthday=Syntymäpäivä -BirthdayAlert=Birthday alert +BirthdayAlert=Syntymäpäivävaroitus BirthdayAlertOn=syntymäpäivä hälytys aktiivinen BirthdayAlertOff=syntymäpäivä varoituskynnysten inaktiivinen -TransKey=Translation of the key TransKey -MonthOfInvoice=Month (number 1-12) of invoice date -TextMonthOfInvoice=Month (text) of invoice date -PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date -TextPreviousMonthOfInvoice=Previous month (text) of invoice date -NextMonthOfInvoice=Following month (number 1-12) of invoice date -TextNextMonthOfInvoice=Following month (text) of invoice date -PreviousMonth=Previous month -CurrentMonth=Current month -ZipFileGeneratedInto=Zip file generated into %s. -DocFileGeneratedInto=Doc file generated into %s. -JumpToLogin=Disconnected. Go to login page... -MessageForm=Message on online payment form -MessageOK=Message on the return page for a validated payment -MessageKO=Message on the return page for a canceled payment -ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. -DeleteAlsoContentRecursively=Check to delete all content recursively -PoweredBy=Powered by -YearOfInvoice=Year of invoice date -PreviousYearOfInvoice=Previous year of invoice date -NextYearOfInvoice=Following year of invoice date -DateNextInvoiceBeforeGen=Date of next invoice (before generation) -DateNextInvoiceAfterGen=Date of next invoice (after generation) -GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. -OnlyOneFieldForXAxisIsPossible=Only 1 field is currently possible as X-Axis. Only the first selected field has been selected. -AtLeastOneMeasureIsRequired=At least 1 field for measure is required -AtLeastOneXAxisIsRequired=At least 1 field for X-Axis is required -LatestBlogPosts=Latest Blog Posts -notiftouser=To users -notiftofixedemail=To fixed mail -notiftouserandtofixedemail=To user and fixed mail -Notify_ORDER_VALIDATE=Sales order validated -Notify_ORDER_SENTBYMAIL=Sales order sent by mail -Notify_ORDER_CLOSE=Sales order delivered -Notify_ORDER_SUPPLIER_SENTBYMAIL=Purchase order sent by email -Notify_ORDER_SUPPLIER_VALIDATE=Purchase order recorded -Notify_ORDER_SUPPLIER_APPROVE=Purchase order approved -Notify_ORDER_SUPPLIER_REFUSE=Purchase order refused +TransKey=Käännös avaimesta TransKey +MonthOfInvoice=Laskun kuukausi (numerot 1–12) päiväys +TextMonthOfInvoice=Laskun kuukausi (teksti) päiväys +PreviousMonthOfInvoice=Edellinen kuukausi (numerot 1-12) laskussa päiväys +TextPreviousMonthOfInvoice=Edellinen kuukausi (teksti) laskusta päiväys +NextMonthOfInvoice=Laskun päiväys seuraavan kuukauden (numerot 1–12) +TextNextMonthOfInvoice=Laskun päiväys seuraava kuukausi (teksti) +PreviousMonth=Edellinen kuukausi +CurrentMonth=Tämä kuukausi +ZipFileGeneratedInto=Zip tiedosto luotu muotoon %s . +DocFileGeneratedInto=Asiakirja tiedosto luotu muotoon %s . +JumpToLogin=Yhteys katkaistu. Mene kirjautumissivulle... +MessageForm=Viesti verkkolomakkeella maksu +MessageOK=Vahvistetun maksu palautussivun viesti +MessageKO=Viesti peruutetun maksu palautussivulla +ContentOfDirectoryIsNotEmpty=Tämän hakemiston sisältö ei ole tyhjä. +DeleteAlsoContentRecursively=Valitse tämä poistaaksesi kaiken sisällön rekursiivisesti +PoweredBy=Voimanlähteenä +YearOfInvoice=Laskun vuosi päiväys +PreviousYearOfInvoice=Edellinen laskuvuosi päiväys +NextYearOfInvoice=Seuraava laskuvuosi päiväys +DateNextInvoiceBeforeGen=päiväys seuraavasta laskusta (ennen luomista) +DateNextInvoiceAfterGen=päiväys seuraavasta laskusta (sukupolven jälkeen) +GraphInBarsAreLimitedToNMeasures=Grafiikka on rajoitettu %s mittaan "Bars"-tilassa. Tila 'Lines' valittiin automaattisesti sen sijaan. +OnlyOneFieldForXAxisIsPossible=Vain yksi Kenttä on tällä hetkellä mahdollinen X-akselina. Vain ensimmäinen valittu Kenttä on valittu. +AtLeastOneMeasureIsRequired=Vähintään 1 Kenttä mittaa varten vaaditaan +AtLeastOneXAxisIsRequired=Vähintään 1 Kenttä X-Axisille vaaditaan +LatestBlogPosts=Uusimmat blogiviestit +notiftouser=Käyttäjille +notiftofixedemail=Kiinteään postiin +notiftouserandtofixedemail=Käyttäjälle ja kiinteä posti +Notify_ORDER_VALIDATE=Myyntitilaus vahvistettu +Notify_ORDER_SENTBYMAIL=Myyntitilaus lähetetty postitse +Notify_ORDER_CLOSE=Myyntitilaus toimitettu +Notify_ORDER_SUPPLIER_SENTBYMAIL=Hankinta tilaus lähetetty sähköpostitse +Notify_ORDER_SUPPLIER_VALIDATE=Hankinta tilaus tallennettu +Notify_ORDER_SUPPLIER_APPROVE=Hankinta tilaus hyväksytty +Notify_ORDER_SUPPLIER_SUBMIT=Hankinta tilaus lähetetty +Notify_ORDER_SUPPLIER_REFUSE=Hankinta tilaus hylätty Notify_PROPAL_VALIDATE=Asiakas ehdotus validoidaan -Notify_PROPAL_CLOSE_SIGNED=Customer proposal closed signed -Notify_PROPAL_CLOSE_REFUSED=Customer proposal closed refused +Notify_PROPAL_CLOSE_SIGNED=Asiakas tarjous suljettu allekirjoitettu +Notify_PROPAL_CLOSE_REFUSED=Asiakas tarjous suljettu hylätty Notify_PROPAL_SENTBYMAIL=Kaupallinen ehdotus lähetetään postitse Notify_WITHDRAW_TRANSMIT=Vaihteisto peruuttaminen Notify_WITHDRAW_CREDIT=Luotto peruuttaminen Notify_WITHDRAW_EMIT=Isue peruuttaminen Notify_COMPANY_CREATE=Kolmannen osapuolen luotu -Notify_COMPANY_SENTBYMAIL=Mails sent from the page of third party +Notify_COMPANY_SENTBYMAIL=Kolmannen osapuolen sivuilta lähetetyt viestit Notify_BILL_VALIDATE=Validate bill -Notify_BILL_UNVALIDATE=Customer invoice unvalidated -Notify_BILL_PAYED=Customer invoice paid +Notify_BILL_UNVALIDATE=Asiakaslaskua ei ole vahvistettu +Notify_BILL_PAYED=Asiakkaan lasku maksettu Notify_BILL_CANCEL=Asiakas lasku peruutettu Notify_BILL_SENTBYMAIL=Asiakkaan lasku lähetetään postitse -Notify_BILL_SUPPLIER_VALIDATE=Vendor invoice validated -Notify_BILL_SUPPLIER_PAYED=Vendor invoice paid -Notify_BILL_SUPPLIER_SENTBYMAIL=Vendor invoice sent by mail -Notify_BILL_SUPPLIER_CANCELED=Vendor invoice cancelled +Notify_BILL_SUPPLIER_VALIDATE=ostolasku vahvistettu +Notify_BILL_SUPPLIER_PAYED=ostolasku maksettu +Notify_BILL_SUPPLIER_SENTBYMAIL=ostolasku lähetetty postitse +Notify_BILL_SUPPLIER_CANCELED=ostolasku peruutettu Notify_CONTRACT_VALIDATE=Sopimus validoitu Notify_FICHINTER_VALIDATE=Intervention validoitu -Notify_FICHINTER_ADD_CONTACT=Added contact to Intervention -Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail +Notify_FICHINTER_CLOSE=Interventio suljettu +Notify_FICHINTER_ADD_CONTACT=Yhteyshenkilö Intervention lisätty +Notify_FICHINTER_SENTBYMAIL=Interventio lähetetty postitse Notify_SHIPPING_VALIDATE=Toimitus validoitu Notify_SHIPPING_SENTBYMAIL=Toimitus postitse Notify_MEMBER_VALIDATE=Jäsen validoitu -Notify_MEMBER_MODIFY=Member modified +Notify_MEMBER_MODIFY=Jäsen muutettu Notify_MEMBER_SUBSCRIPTION=Jäsen merkitty -Notify_MEMBER_RESILIATE=Member terminated +Notify_MEMBER_RESILIATE=Jäsen lopetettu Notify_MEMBER_DELETE=Jäsen poistettu -Notify_PROJECT_CREATE=Project creation -Notify_TASK_CREATE=Task created -Notify_TASK_MODIFY=Task modified -Notify_TASK_DELETE=Task deleted -Notify_EXPENSE_REPORT_VALIDATE=Expense report validated (approval required) -Notify_EXPENSE_REPORT_APPROVE=Expense report approved -Notify_HOLIDAY_VALIDATE=Leave request validated (approval required) -Notify_HOLIDAY_APPROVE=Leave request approved -Notify_ACTION_CREATE=Added action to Agenda +Notify_PROJECT_CREATE=Projektin luominen +Notify_TASK_CREATE=Tehtävä luotu +Notify_TASK_MODIFY=Tehtävää muokattu +Notify_TASK_DELETE=Tehtävä poistettu +Notify_EXPENSE_REPORT_VALIDATE=kuluraportti vahvistettu (vaatii hyväksynnän) +Notify_EXPENSE_REPORT_APPROVE=kuluraportti hyväksytty +Notify_HOLIDAY_VALIDATE=Jätä pyyntö vahvistetuksi (vaatii hyväksynnän) +Notify_HOLIDAY_APPROVE=Poistumispyyntö hyväksytty +Notify_ACTION_CREATE=Lisätty toiminto Agendaan SeeModuleSetup=Katso moduulin %s asetukset NbOfAttachedFiles=Numero liitettyjen tiedostojen / asiakirjat TotalSizeOfAttachedFiles=Kokonaiskoosta liitettyjen tiedostojen / asiakirjat MaxSize=Enimmäiskoko AttachANewFile=Liitä uusi tiedosto / asiakirjan LinkedObject=Linkitettyä objektia -NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__
      This is a test mail sent to __EMAIL__ (the word test must be in bold).
      The lines are separated by a carriage return.

      __USER_SIGNATURE__ -PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendProposal=__(Hello)__\n\nPlease find commercial proposal __REF__ attached \n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nPlease find price request __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendOrder=__(Hello)__\n\nPlease find order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nPlease find our order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n -PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__

      This is an automatic message, please do not reply. -DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available. -ChooseYourDemoProfil=Choose the demo profile that best suits your needs... -ChooseYourDemoProfilMore=...or build your own profile
      (manual module selection) +NbOfActiveNotifications=Ilmoitukset (vastaanottajien sähköpostien määrä) +PredefinedMailTest=__(Hei)__\nTämä on testiviesti, joka on lähetetty osoitteeseen __EMAIL__.\nRivit erotetaan vaunupaluulla.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hei)__
      Tämä on testi osoitteeseen __EMAIL__ (sana testi on lihavoitu).
      Rivit erotetaan rivinvaihdolla.

      __USER_SIGNATURE__ +PredefinedMailContentContract=__(Hei)__\n\n\n__(Ystävällisin terveisin)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hei)__\n\nLasku __REF__ on liitteenä\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Ystävällisin terveisin)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hei)__\n\nHaluamme muistuttaa, että laskua __REF__ ei ilmeisesti ole maksettu. Muistutuksena on kopio laskusta.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Ystävällisin terveisin)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendProposal=__(Hei)__\n\nLiitä Tarjouspyyntö __REF__\n\n\n__(Ystävällisin terveisin)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierProposal=__(Hei)__\n\nKatso hintapyyntö __REF__ liitteenä\n\n\n__(Ystävällisin terveisin)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendOrder=__(Hei)__\n\nTilaus __REF__ on liitteenä\n\n\n__(Ystävällisin terveisin)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierOrder=__(Hei)__\n\nTilauksemme __REF__ on liitteenä\n\n\n__(Ystävällisin terveisin)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierInvoice=__(Hei)__\n\nLasku __REF__ on liitteenä\n\n\n__(Ystävällisin terveisin)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendShipping=__(Hei)__\n\nToimitustiedot __REF__ ovat liitteenä\n\n\n__(Ystävällisin terveisin)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendFichInter=__(Hei)__\n\nInterventio __REF__ on liitteenä\n\n\n__(Ystävällisin terveisin)__\n\n__USER_SIGNATURE__ +PredefinedMailContentLink=Voit klikata alla olevaa linkkiä tehdäksesi maksu, jos se ei ole vielä tehty.\n\n%s\n\n +PredefinedMailContentGeneric=__(Hei)__\n\n\n__(Ystävällisin terveisin)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendActionComm=Tapahtumamuistutus "__EVENT_LABEL__" __EVENT_DATE__ klo __EVENT_TIME__

      Tämä ei ole automaattinen viesti. +DemoDesc=Dolibarr on kompakti ERP/CRM, joka tukee useita liiketoimintamoduuleja. Kaikkia moduuleja esittelevässä esittelyssä ei ole mitään järkeä, koska tätä skenaariota ei koskaan tapahdu (useita satoja saatavilla). Saatavilla on siis useita esittelyprofiileja. +ChooseYourDemoProfil=Valitse tarpeisiisi parhaiten sopiva demoprofiili... +ChooseYourDemoProfilMore=...tai luo oma profiilisi
      (manuaalinen moduulin valinta) DemoFundation=Hallitse jäseniä säätiön DemoFundation2=Jäsenten hallinta ja pankkitilille säätiön -DemoCompanyServiceOnly=Company or freelance selling service only -DemoCompanyShopWithCashDesk=Manage a shop with a cash box -DemoCompanyProductAndStocks=Shop selling products with Point Of Sales -DemoCompanyManufacturing=Company manufacturing products -DemoCompanyAll=Company with multiple activities (all main modules) +DemoCompanyServiceOnly=Yritys tai vain freelance-myyntipalvelu +DemoCompanyShopWithCashDesk=Hallinnoi kauppaa Käteisvarat-laatikolla +DemoCompanyProductAndStocks=Kauppa, jossa myydään tuotteet myyntipisteessä +DemoCompanyManufacturing=Yritys valmistus tuotteet +DemoCompanyAll=Yritys, jossa on useita toimintoja (kaikki päämoduulit) CreatedBy=Created by %s ModifiedBy=Muuttanut %s ValidatedBy=Vahvistaja %s -SignedBy=Signed by %s +SignedBy=Allekirjoittanut %s ClosedBy=Suljettu %s -CreatedById=User id who created -ModifiedById=User id who made latest change -ValidatedById=User id who validated -CanceledById=User id who canceled -ClosedById=User id who closed -CreatedByLogin=User login who created -ModifiedByLogin=User login who made latest change -ValidatedByLogin=User login who validated -CanceledByLogin=User login who canceled -ClosedByLogin=User login who closed +CreatedById=Luonut käyttäjätunnus +ModifiedById=Viimeisimmän muutoksen tehnyt käyttäjätunnus +ValidatedById=Vahvistanut käyttäjätunnus +CanceledById=Käyttäjätunnus, joka peruutti +ClosedById=Sulkenut käyttäjätunnus +CreatedByLogin=Käyttäjän kirjautuminen, joka loi +ModifiedByLogin=Käyttäjän kirjautuminen, joka teki viimeisimmän muutoksen +ValidatedByLogin=Käyttäjän kirjautuminen, joka on vahvistanut +CanceledByLogin=Käyttäjän kirjautuminen, joka peruutti +ClosedByLogin=Käyttäjän kirjautuminen joka sulki FileWasRemoved=Tiedosto on poistettu DirWasRemoved=Directory poistettiin -FeatureNotYetAvailable=Feature not yet available in the current version -FeatureNotAvailableOnDevicesWithoutMouse=Feature not available on devices without mouse -FeaturesSupported=Supported features +FeatureNotYetAvailable=Ominaisuus ei ole vielä saatavilla nykyisessä versiossa +FeatureNotAvailableOnDevicesWithoutMouse=Ominaisuus ei ole käytettävissä laitteissa, joissa ei ole hiirtä +FeaturesSupported=Tuetut ominaisuudet Width=Leveys Height=Korkeus Depth=Syvyys @@ -146,7 +148,7 @@ Right=Oikeus CalculatedWeight=Laskettu paino CalculatedVolume=Laskettu määrä Weight=Paino -WeightUnitton=ton +WeightUnitton=tonnia WeightUnitkg=kg WeightUnitg=g WeightUnitmg=mg @@ -180,44 +182,48 @@ SizeUnitcm=cm SizeUnitmm=mm SizeUnitinch=tuuma SizeUnitfoot=jalka -SizeUnitpoint=point +SizeUnitpoint=kohta BugTracker=Bug tracker -SendNewPasswordDesc=This form allows you to request a new password. It will be sent to your email address.
      Change will become effective once you click on the confirmation link in the email.
      Check your inbox. -EnterNewPasswordHere=Enter your new password here +SendNewPasswordDesc=Tällä lomakkeella voit pyytää uutta salasanaa. Se lähetetään sähköpostiosoitteeseesi.
      Muutos tulee voimaan, kun napsautat sähköpostissa olevaa vahvistuslinkkiä.
      Tarkista saapuneet. +EnterNewPasswordHere=Kirjoita uusi salasanasi tähän BackToLoginPage=Takaisin kirjautumissivulle AuthenticationDoesNotAllowSendNewPassword=Authentication mode on %s.
      Tässä tilassa Dolibarr ei voi tietää, eikä vaihtaa salasanasi.
      Ota yhteyttä järjestelmän ylläpitäjään, jos haluat vaihtaa salasanasi. -EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use this option. +EnableGDLibraryDesc=Asenna tai ota GD-kirjasto käyttöön PHP-asennuksessasi käyttääksesi tätä vaihtoehtoa. ProfIdShortDesc=Prof Id %s on tietojen mukaan kolmannen osapuolen maassa.
      Esimerkiksi maa %s, se koodi %s. DolibarrDemo=Dolibarr ERP / CRM-demo -StatsByAmount=Statistics on amount of products/services -StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) -NumberOf=Number of %s -NumberOfUnits=Number of units on %s -AmountIn=Amount in %s -NumberOfUnitsMos=Number of units to produce in manufacturing orders -EMailTextInterventionAddedContact=A new intervention %s has been assigned to you. +StatsByAmount=Tilastot tuotteet/palveluista +StatsByAmountProducts=Tilastot tuotteet +StatsByAmountServices=Tilastot palveluiden määrästä +StatsByNumberOfUnits=Tilastot määrän tuotteet/palveluiden summalle +StatsByNumberOfUnitsProducts=Tilastot summalle tuotteet +StatsByNumberOfUnitsServices=Palvelujen määrän tilastot +StatsByNumberOfEntities=Tilastot viittaavien entiteettien lukumäärästä (laskujen tai tilausten määrä...) +NumberOf=Lukumäärä %s +NumberOfUnits=Yksiköiden lukumäärä %s +AmountIn=Määrä muodossa %s +NumberOfUnitsMos=Valmistettavien yksiköiden lukumäärä valmistustilauksissa +EMailTextInterventionAddedContact=Sinulle on määrätty uusi toimenpide %s. EMailTextInterventionValidated=Väliintulo %s validoitava -EMailTextInvoiceValidated=Invoice %s has been validated. +EMailTextInterventionClosed=Interventio %s on suljettu. +EMailTextInvoiceValidated=Lasku %s on vahvistettu. EMailTextInvoicePayed=Lasku %s on maksettu -EMailTextProposalValidated=Proposal %s has been validated. -EMailTextProposalClosedSigned=Proposal %s has been closed signed. -EMailTextProposalClosedSignedWeb=Proposal %s has been closed signed on portal page. -EMailTextProposalClosedRefused=Proposal %s has been closed refused. -EMailTextProposalClosedRefusedWeb=Proposal %s has been closed refuse on portal page. -EMailTextOrderValidated=Order %s has been validated. -EMailTextOrderClose=Order %s has been delivered. -EMailTextOrderApproved=Order %s has been approved. -EMailTextOrderValidatedBy=Order %s has been recorded by %s. -EMailTextOrderApprovedBy=Order %s has been approved by %s. -EMailTextOrderRefused=Order %s has been refused. -EMailTextOrderRefusedBy=Order %s has been refused by %s. -EMailTextExpeditionValidated=Shipping %s has been validated. -EMailTextExpenseReportValidated=Expense report %s has been validated. -EMailTextExpenseReportApproved=Expense report %s has been approved. -EMailTextHolidayValidated=Leave request %s has been validated. -EMailTextHolidayApproved=Leave request %s has been approved. -EMailTextActionAdded=The action %s has been added to the Agenda. +EMailTextProposalValidated=tarjous %s on vahvistettu. +EMailTextProposalClosedSigned=tarjous %s on suljettu ja allekirjoitettu. +EMailTextProposalClosedSignedWeb=tarjous %s on suljettu allekirjoitettu portaalisivulla. +EMailTextProposalClosedRefused=tarjous %s on suljettu hylätty. +EMailTextProposalClosedRefusedWeb=tarjous %s on suljettu kieltäytyä portaalisivulta. +EMailTextOrderValidated=Tilaus %s on vahvistettu. +EMailTextOrderClose=Tilaus %s on toimitettu. +EMailTextSupplierOrderApprovedBy=Hankinta tilauksen %s on hyväksynyt %s. +EMailTextSupplierOrderValidatedBy=Hankinta tilauksen %s on tallentanut %s. +EMailTextSupplierOrderSubmittedBy=Hankinta tilauksen %s on lähettänyt %s. +EMailTextSupplierOrderRefusedBy=Hankinta tilauksen %s on hylännyt %s. +EMailTextExpeditionValidated=Toimitus %s on vahvistettu. +EMailTextExpenseReportValidated=kuluraportti %s on vahvistettu. +EMailTextExpenseReportApproved=kuluraportti %s on hyväksytty. +EMailTextHolidayValidated=Poistumispyyntö %s on vahvistettu. +EMailTextHolidayApproved=Poistumispyyntö %s on hyväksytty. +EMailTextActionAdded=Toiminto %s on lisätty esityslistaan. ImportedWithSet=Tuonti tietokokonaisuutta DolibarrNotification=Automaattinen ilmoitus ResizeDesc=Kirjoita uusi leveys tai uusien korkeus. Suhde pidetään ajan kokoa ... @@ -225,7 +231,7 @@ NewLength=Uusi leveys NewHeight=Uusi korkeus NewSizeAfterCropping=Uusi koko jälkeen rajaus DefineNewAreaToPick=Määritä uusi alue kuvasta valita (vasemmalla klikkaa kuvaa vetämällä kunnes tulet päinvastainen kulma) -CurrentInformationOnImage=This tool was designed to help you to resize or crop an image. This is the information on the current edited image +CurrentInformationOnImage=Tämä työkalu on suunniteltu auttamaan kuvan koon muuttamisessa tai rajaamisessa. Tämä on tiedot nykyisestä muokatusta kuvasta ImageEditor=Kuvankäsittelyohjelmassa YouReceiveMailBecauseOfNotification=Saat tämän viestin koska sähköpostiosoitteesi on lisätty luetteloon tavoitteet ilmoitetaan erityisesti tapahtumien osaksi %s ohjelmisto %s. YouReceiveMailBecauseOfNotification2=Tämä tapahtuma on seuraava: @@ -238,69 +244,71 @@ StartUpload=Aloita lataaminen CancelUpload=Peruuta Lähetä FileIsTooBig=Files on liian suuri PleaseBePatient=Ole kärsivällinen ... -NewPassword=New password -ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received. -NewKeyIs=This is your new keys to login -NewKeyWillBe=Your new key to login to software will be -ClickHereToGoTo=Click here to go to %s -YouMustClickToChange=You must however first click on the following link to validate this password change -ConfirmPasswordChange=Confirm password change -ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe. -IfAmountHigherThan=If amount higher than %s -SourcesRepository=Repository for sources -Chart=Chart -PassEncoding=Password encoding -PermissionsAdd=Permissions added -PermissionsDelete=Permissions removed -YourPasswordMustHaveAtLeastXChars=Your password must have at least %s chars -PasswordNeedAtLeastXUpperCaseChars=The password need at least %s upper case chars -PasswordNeedAtLeastXDigitChars=The password need at least %s numeric chars -PasswordNeedAtLeastXSpecialChars=The password need at least %s special chars -PasswordNeedNoXConsecutiveChars=The password must not have %s consecutive similar chars -YourPasswordHasBeenReset=Your password has been reset successfully -ApplicantIpAddress=IP address of applicant -SMSSentTo=SMS sent to %s -MissingIds=Missing ids -ThirdPartyCreatedByEmailCollector=Third party created by email collector from email MSGID %s -ContactCreatedByEmailCollector=Contact/address created by email collector from email MSGID %s -ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s -TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s -OpeningHoursFormatDesc=Use a - to separate opening and closing hours.
      Use a space to enter different ranges.
      Example: 8-12 14-18 -SuffixSessionName=Suffix for session name -LoginWith=Login with %s +NewPassword=Uusi salasana +ResetPassword=Nollaa salasana +RequestToResetPasswordReceived=Salasanan vaihtopyyntö on vastaanotettu. +NewKeyIs=Nämä ovat uudet kirjautumisavaimesi +NewKeyWillBe=Uusi ohjelmistoon kirjautumisavaimesi on +ClickHereToGoTo=Napsauta tätä siirtyäksesi osoitteeseen %s +YouMustClickToChange=Sinun on kuitenkin ensin napsautettava seuraavaa linkkiä vahvistaaksesi tämän salasanan muutoksen +ConfirmPasswordChange=Vahvista salasanan vaihto +ForgetIfNothing=Jos et pyytänyt tätä muutosta, unohda tämä sähköposti. Tunnistetietosi ovat turvassa. +IfAmountHigherThan=Jos määrä on suurempi kuin %s +SourcesRepository=Lähteiden arkisto +Chart=Kartoittaa +PassEncoding=Salasanan koodaus +PermissionsAdd=Käyttöoikeudet lisätty +PermissionsDelete=Luvat poistettu +YourPasswordMustHaveAtLeastXChars=Salasanassa on oltava vähintään %s merkkiä +PasswordNeedAtLeastXUpperCaseChars=Salasanassa on oltava vähintään %s isoja kirjaimia +PasswordNeedAtLeastXDigitChars=Salasanassa on oltava vähintään %s numeromerkkiä +PasswordNeedAtLeastXSpecialChars=Salasanassa on oltava vähintään %s erikoismerkkiä +PasswordNeedNoXConsecutiveChars=Salasanassa ei saa olla %s samankaltaista merkkiä +YourPasswordHasBeenReset=Salasanasi on nollattu onnistuneesti +ApplicantIpAddress=Hakijan IP-osoite +SMSSentTo=Tekstiviesti lähetetty osoitteeseen %s +MissingIds=Tunnukset puuttuvat +ThirdPartyCreatedByEmailCollector=Kolmas osapuoli, jonka on luonut sähköpostin kerääjä sähköpostista MSGID %s +ContactCreatedByEmailCollector=Sähköpostin kerääjän luoma yhteystieto/osoite sähköpostista MSGID %s +ProjectCreatedByEmailCollector=Sähköpostin kerääjän luoma projekti sähköpostista MSGID %s +TicketCreatedByEmailCollector=Sähköpostin kerääjän luoma lippu sähköpostista MSGID %s +OpeningHoursFormatDesc=Erottele avaustunnit ja -merkillä.
      Syötä eri alueita välilyönnillä.
      Esimerkki: 8-12 14-18 +SuffixSessionName=Istunnon nimen jälkiliite +LoginWith=Kirjaudu sisään %s ##### Export ##### ExportsArea=Vienti alueen AvailableFormats=Saatavilla olevat muodot LibraryUsed=Librairie -LibraryVersion=Library version +LibraryVersion=Kirjaston versio ExportableDatas=Exportable datas NoExportableData=Ei vietävä tiedot (ei moduulien kanssa vietävä tiedot ladattu tai puuttuvat oikeudet) ##### External sites ##### -WebsiteSetup=Setup of module website -WEBSITE_PAGEURL=URL of page +WebsiteSetup=Moduulisivuston asennus +WEBSITE_PAGEURL=Sivun URL-osoite WEBSITE_TITLE=Titteli WEBSITE_DESCRIPTION=Kuvaus -WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). -WEBSITE_KEYWORDS=Keywords -LinesToImport=Lines to import +WEBSITE_IMAGE=Kuva +WEBSITE_IMAGEDesc=Kuvamedian suhteellinen polku. Voit pitää tämän tyhjänä, koska sitä käytetään harvoin (dynaaminen sisältö voi käyttää sitä pikkukuvan näyttämiseen blogitekstiluettelossa). Käytä __WEBSITE_KEY__ polussa, jos polku riippuu verkkosivuston nimestä (esimerkiksi: image/__WEBSITE_KEY__/stories/myimage.png). +WEBSITE_KEYWORDS=Avainsanat +LinesToImport=Tuotavat rivit -MemoryUsage=Memory usage -RequestDuration=Duration of request -ProductsPerPopularity=Products/Services by popularity -PopuProp=Products/Services by popularity in Proposals -PopuCom=Products/Services by popularity in Orders -ProductStatistics=Products/Services Statistics -NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... +MemoryUsage=Muistin käyttö +RequestDuration=Pyynnön kesto +ProductsServicesPerPopularity=tuotteet|Palvelut suosion mukaan +ProductsPerPopularity=tuotteet suosion mukaan +ServicesPerPopularity=Palvelut suosion mukaan +PopuProp=tuotteet|Palvelut suosion mukaan ehdotuksissa +PopuCom=tuotteet|Palvelut suosion mukaan tilauksissa +ProductStatistics=tuotteet|Palvelutilastot +NbOfQtyInOrders=Määrä tilauksissa +SelectTheTypeOfObjectToAnalyze=Valitse objekti nähdäksesi sen tilastot... -ConfirmBtnCommonContent = Are you sure you want to "%s" ? -ConfirmBtnCommonTitle = Confirm your action +ConfirmBtnCommonContent = Haluatko varmasti "%s"? +ConfirmBtnCommonTitle = Vahvista toimintasi CloseDialog = Sulje -Autofill = Autofill -OrPasteAnURL=or Paste an URL +Autofill = Automaattinen täyttö +OrPasteAnURL=tai Liitä URL-osoite # externalsite ExternalSiteSetup=Setup linkki ulkoiseen sivustoon @@ -309,22 +317,22 @@ ExternalSiteModuleNotComplete=Ulkoisen sivuston Moduuli ei ole oikein konfiguroi ExampleMyMenuEntry=Omassa valikossa # ftp -FTPClientSetup=FTP or SFTP Client module setup -NewFTPClient=New FTP/SFTP connection setup -FTPArea=FTP/SFTP Area -FTPAreaDesc=This screen shows a view of an FTP et SFTP server. -SetupOfFTPClientModuleNotComplete=The setup of the FTP or SFTP client module seems to be incomplete -FTPFeatureNotSupportedByYourPHP=Your PHP does not support FTP or SFTP functions -FailedToConnectToFTPServer=Failed to connect to server (server %s, port %s) -FailedToConnectToFTPServerWithCredentials=Failed to login to server with defined login/password +FTPClientSetup=FTP- tai SFTP-asiakasmoduulin asetukset +NewFTPClient=Uusi FTP/SFTP-yhteysasetus +FTPArea=FTP/SFTP-alue +FTPAreaDesc=Tämä näyttö näyttää näkymän FTP- ja SFTP-palvelimesta. +SetupOfFTPClientModuleNotComplete=FTP- tai SFTP-asiakasmoduulin asennus näyttää olevan epätäydellinen +FTPFeatureNotSupportedByYourPHP=PHP ei tue FTP- tai SFTP-toimintoja +FailedToConnectToFTPServer=Yhteyden muodostaminen palvelimeen epäonnistui (palvelin %s, portti %s) +FailedToConnectToFTPServerWithCredentials=Kirjautuminen palvelimelle määritetyllä kirjautumistunnuksella/salasanalla epäonnistui FTPFailedToRemoveFile=Ole poistanut tiedoston %s. -FTPFailedToRemoveDir=Failed to remove directory %s: check permissions and that the directory is empty. +FTPFailedToRemoveDir=Hakemiston %s poistaminen epäonnistui: tarkista käyttöoikeudet ja, että hakemisto on tyhjä. FTPPassiveMode=Passiivisena -ChooseAFTPEntryIntoMenu=Choose a FTP/SFTP site from the menu... +ChooseAFTPEntryIntoMenu=Valitse FTP/SFTP-sivusto hakemistosta valikko... FailedToGetFile=Tiedostojen %s lataus epäonnistui -ErrorFTPNodisconnect=Error to disconnect FTP/SFTP server -FileWasUpload=File %s was uploaded -FTPFailedToUploadFile=Failed to upload the file %s. -AddFolder=Create folder -FileWasCreateFolder=Folder %s has been created -FTPFailedToCreateFolder=Failed to create folder %s. +ErrorFTPNodisconnect=Virhe katkaistaessa FTP/SFTP-palvelinta +FileWasUpload=tiedosto %sb09f17f830 span> ladattiin +FTPFailedToUploadFile=tiedosto %s. +AddFolder=luo kansio +FileWasCreateFolder=Kansio %s on luotu +FTPFailedToCreateFolder=luo-kansioon %s epäonnistui. . diff --git a/htdocs/langs/fi_FI/partnership.lang b/htdocs/langs/fi_FI/partnership.lang index 6a131352a07..23cf09918e0 100644 --- a/htdocs/langs/fi_FI/partnership.lang +++ b/htdocs/langs/fi_FI/partnership.lang @@ -16,77 +16,84 @@ # # Generic # -ModulePartnershipName=Partnership management -PartnershipDescription=Module Partnership management -PartnershipDescriptionLong= Module Partnership management -Partnership=Partnership -AddPartnership=Add partnership -CancelPartnershipForExpiredMembers=Partnership: Cancel partnership of members with expired subscriptions -PartnershipCheckBacklink=Partnership: Check referring backlink +ModulePartnershipName=Kumppanuuden hallinta +PartnershipDescription=Moduuli Kumppanuuden hallinta +PartnershipDescriptionLong= Moduuli Kumppanuuden hallinta +Partnership=Kumppanuus +Partnerships=Kumppanuudet +AddPartnership=Lisää kumppanuus +CancelPartnershipForExpiredMembers=Kumppanuus: Peruuta jäsenten kumppanuus, jonka tilaus on vanhentunut +PartnershipCheckBacklink=Kumppanuus: Tarkista viittaava käänteinen linkki # # Menu # -NewPartnership=New Partnership -ListOfPartnerships=List of partnership +NewPartnership=Uusi kumppanuus +NewPartnershipbyWeb=Kumppanuuspyyntösi on lisätty onnistuneesti. Saatamme pian ottaa sinuun yhteyttä... +ListOfPartnerships=Kumppanuusluettelo # # Admin page # -PartnershipSetup=Partnership setup -PartnershipAbout=About Partnership -PartnershipAboutPage=Partnership about page -partnershipforthirdpartyormember=Partner status must be set on a 'thirdparty' or a 'member' -PARTNERSHIP_IS_MANAGED_FOR=Partnership managed for -PARTNERSHIP_BACKLINKS_TO_CHECK=Backlinks to check -PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb of days before cancelling status of a partnership when a subscription has expired -ReferingWebsiteCheck=Check of website referring -ReferingWebsiteCheckDesc=You can enable a feature to check that your partners has added a backlink to your website domains on their own website. +PartnershipSetup=Kumppanuuden perustaminen +PartnershipAbout=Tietoja kumppanuudesta +PartnershipAboutPage=Kumppanuus sivusta +partnershipforthirdpartyormember=Kumppanin tilaksi on asetettava "kolmas osapuoli" tai "jäsen" +PARTNERSHIP_IS_MANAGED_FOR=Kumppanuus hoidettu +PARTNERSHIP_BACKLINKS_TO_CHECK=Käänteisiä linkkejä tarkistettavaksi +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Päivämäärä ennen kumppanuustilan peruuttamista, kun tilaus on vanhentunut +ReferingWebsiteCheck=Tarkista viittaava verkkosivusto +ReferingWebsiteCheckDesc=Voit ottaa käyttöön ominaisuuden, joka tarkistaa, että kumppanisi ovat lisänneet käänteisen linkin verkkosivustosi verkkotunnuksiin omalla verkkosivustollaan. +PublicFormRegistrationPartnerDesc=Dolibarr voi tarjota sinulle julkisen URL-osoitteen/verkkosivuston, jonka avulla ulkoiset vierailijat voivat pyytää saada osallistua kumppanuusohjelmaan. # # Object # -DeletePartnership=Delete a partnership -PartnershipDedicatedToThisThirdParty=Partnership dedicated to this third party -PartnershipDedicatedToThisMember=Partnership dedicated to this member +DeletePartnership=Poista kumppanuus +PartnershipDedicatedToThisThirdParty=Tälle kolmannelle osapuolelle omistettu kumppanuus +PartnershipDedicatedToThisMember=Tälle jäsenelle omistettu kumppanuus DatePartnershipStart=Aloituspäivämäärä DatePartnershipEnd=Lopetuspäivä -ReasonDecline=Decline reason -ReasonDeclineOrCancel=Decline reason -PartnershipAlreadyExist=Partnership already exist -ManagePartnership=Manage partnership -BacklinkNotFoundOnPartnerWebsite=Backlink not found on partner website -ConfirmClosePartnershipAsk=Are you sure you want to cancel this partnership? -PartnershipType=Partnership type -PartnershipRefApproved=Partnership %s approved +ReasonDecline=Hylkäämisen syy +ReasonDeclineOrCancel=Hylkäämisen syy +PartnershipAlreadyExist=Kumppanuus on jo olemassa +ManagePartnership=Hallitse kumppanuutta +BacklinkNotFoundOnPartnerWebsite=Käänteistä linkkiä ei löydy kumppanin verkkosivuilta +ConfirmClosePartnershipAsk=Haluatko varmasti peruuttaa tämän kumppanuuden? +PartnershipType=Kumppanuuden tyyppi +PartnershipRefApproved=Kumppanuus %s hyväksytty +KeywordToCheckInWebsite=Jos haluat tarkistaa, että tietty avainsana on läsnä kunkin kumppanin verkkosivuilla, määritä tämä avainsana tähän +PartnershipDraft=Luonnos +PartnershipAccepted=Hyväksytty +PartnershipRefused=Hylätty +PartnershipCanceled=Peruttu +PartnershipManagedFor=Yhteistyökumppanit ovat # # Template Mail # -SendingEmailOnPartnershipWillSoonBeCanceled=Partnership will soon be canceled -SendingEmailOnPartnershipRefused=Partnership refused -SendingEmailOnPartnershipAccepted=Partnership accepted -SendingEmailOnPartnershipCanceled=Partnership canceled +SendingEmailOnPartnershipWillSoonBeCanceled=Yhteistyö puretaan pian +SendingEmailOnPartnershipRefused=Yhteistyö kieltäytyi +SendingEmailOnPartnershipAccepted=Yhteistyö hyväksytty +SendingEmailOnPartnershipCanceled=Kumppanuus peruttu -YourPartnershipWillSoonBeCanceledTopic=Partnership will soon be canceled -YourPartnershipRefusedTopic=Partnership refused -YourPartnershipAcceptedTopic=Partnership accepted -YourPartnershipCanceledTopic=Partnership canceled +YourPartnershipWillSoonBeCanceledTopic=Yhteistyö puretaan pian +YourPartnershipRefusedTopic=Yhteistyö kieltäytyi +YourPartnershipAcceptedTopic=Yhteistyö hyväksytty +YourPartnershipCanceledTopic=Kumppanuus peruttu -YourPartnershipWillSoonBeCanceledContent=We inform you that your partnership will soon be canceled (Backlink not found) -YourPartnershipRefusedContent=We inform you that your partnership request has been refused. -YourPartnershipAcceptedContent=We inform you that your partnership request has been accepted. -YourPartnershipCanceledContent=We inform you that your partnership has been canceled. +YourPartnershipWillSoonBeCanceledContent=Haluamme ilmoittaa, että kumppanuus peruutetaan pian (emme saaneet uusintaa tai kumppanuusehtomme eivät ole täyttyneet). Ota yhteyttä, jos sait tämän virheen vuoksi. +YourPartnershipRefusedContent=Haluamme ilmoittaa, että kumppanuuspyyntösi on hylätty. Edellytykset eivät ole täyttyneet. Ota yhteyttä, jos tarvitset lisätietoja. +YourPartnershipAcceptedContent=Haluamme ilmoittaa, että kumppanuuspyyntösi on hyväksytty. +YourPartnershipCanceledContent=Haluamme ilmoittaa, että yhteistyömme on peruttu. Ota meihin yhteyttä, jos tarvitset lisätietoja. -CountLastUrlCheckError=Number of errors for last URL check -LastCheckBacklink=Date of last URL check -ReasonDeclineOrCancel=Decline reason +CountLastUrlCheckError=Viimeisimmän URL-osoitteen tarkistuksen virheiden määrä +LastCheckBacklink=päiväys viimeisestä URL-osoitteen tarkistuksesta +ReasonDeclineOrCancel=Hylkäämisen syy + +NewPartnershipRequest=Uusi kumppanuuspyyntö +NewPartnershipRequestDesc=Tällä lomakkeella voit pyytää liittymistä johonkin kumppanuusohjelmaamme. Jos tarvitset apua tämän lomakkeen täyttämisessä, ota yhteyttä sähköpostitse %s span>. +ThisUrlMustContainsAtLeastOneLinkToWebsite=Tällä sivulla on oltava vähintään yksi linkki johonkin seuraavista verkkotunnuksista: %s + +IPOfApplicant=Hakijan IP -# -# Status -# -PartnershipDraft=Luonnos -PartnershipAccepted=Accepted -PartnershipRefused=Hylätty -PartnershipCanceled=Peruttu -PartnershipManagedFor=Partners are diff --git a/htdocs/langs/fi_FI/paybox.lang b/htdocs/langs/fi_FI/paybox.lang index 83658e39903..c086edbeaf4 100644 --- a/htdocs/langs/fi_FI/paybox.lang +++ b/htdocs/langs/fi_FI/paybox.lang @@ -1,31 +1,30 @@ # Dolibarr language file - Source file is en_US - paybox PayBoxSetup=PayBox moduulin asetukset -PayBoxDesc=Tämä moduuli tarjota sivuja, jotta maksua Paybox asiakkaat. Tätä voidaan käyttää vapaa-maksun tai maksaa tietyn Dolibarr objektin (lasku-, tilaus-, ...) +PayBoxDesc=Tämä moduuli tarjoaa sivuja sallia maksu Payboxissa class='notranslate'>asiakkaat. Tätä voidaan käyttää ilmaiseen maksu tai maksu tiettyyn Dolibarr-objektiin (lasku, tilaus, ...) FollowingUrlAreAvailableToMakePayments=Seuraavat URL-osoitteet ovat käytettävissä tarjota sivu asiakas tehdä maksua Dolibarr esineitä PaymentForm=Maksu-muodossa -WelcomeOnPaymentPage=Welcome to our online payment service +WelcomeOnPaymentPage=Tervetuloa verkkopalveluumme maksu ThisScreenAllowsYouToPay=Tässä näytössä voit tehdä online-maksu %s. ThisIsInformationOnPayment=Tämä on informations maksua tehdä ToComplete=Saattamaan YourEMail=Sähköposti maksupyyntö vahvistus Creditor=Velkoja PaymentCode=Maksu-koodi -PayBoxDoPayment=Pay with Paybox +PayBoxDoPayment=Maksa Payboxilla YouWillBeRedirectedOnPayBox=Sinut ohjataan on turvattu Paybox sivu tuloliittimeen voit luottokortin tiedot Continue=Seuraava -SetupPayBoxToHavePaymentCreatedAutomatically=Setup your Paybox with url %s to have payment created automatically when validated by Paybox. +SetupPayBoxToHavePaymentCreatedAutomatically=Määritä Payboxin URL-osoite %s saadaksesi 'notranslate'>maksu luodaan automaattisesti, kun Paybox vahvistaa. YourPaymentHasBeenRecorded=Tämä sivu vahvistaa, että maksu on kirjattu. Kiitos. -YourPaymentHasNotBeenRecorded=Your payment has NOT been recorded and the transaction has been canceled. Thank you. +YourPaymentHasNotBeenRecorded=maksu EI ole tallennettu ja tapahtuma on peruutettu. Kiitos. AccountParameter=Tilin parametrit UsageParameter=Käyttöparametrien InformationToFindParameters=Auta löytää %s tilitiedot PAYBOX_CGI_URL_V2=Url on Paybox CGI moduuli maksaa -VendorName=Nimi myyjä CSSUrlForPaymentForm=CSS-tyylisivu url maksun muodossa NewPayboxPaymentReceived=Uusi Paybox maksu vastaanotettu NewPayboxPaymentFailed=Uusi Paybox maksu epäonnistui -PAYBOX_PAYONLINE_SENDEMAIL=Email notification after payment attempt (success or fail) +PAYBOX_PAYONLINE_SENDEMAIL=Sähköposti-ilmoitus maksu yrityksen jälkeen (onnistui tai epäonnistui) PAYBOX_PBX_SITE=PBX SITE arvo PAYBOX_PBX_RANG=PBX Rang arvo PAYBOX_PBX_IDENTIFIANT=PBX ID arvo -PAYBOX_HMAC_KEY=HMAC key +PAYBOX_HMAC_KEY=HMAC-avain diff --git a/htdocs/langs/fi_FI/paypal.lang b/htdocs/langs/fi_FI/paypal.lang index 1d11a3727e8..1da5c562581 100644 --- a/htdocs/langs/fi_FI/paypal.lang +++ b/htdocs/langs/fi_FI/paypal.lang @@ -1,36 +1,37 @@ # Dolibarr language file - Source file is en_US - paypal PaypalSetup=PayPal moduuli setup -PaypalDesc=This module allows payment by customers via PayPal. This can be used for a ad-hoc payment or for a payment related to a Dolibarr object (invoice, order, ...) -PaypalOrCBDoPayment=Pay with PayPal (Card or PayPal) -PaypalDoPayment=Pay with PayPal +PaypalDesc=Tämä moduuli sallii maksu:n asiakkaat kautta PayPalin. Tätä voidaan käyttää ad hoc maksu tai maksu, joka liittyy Dolibarr-objektiin (lasku, tilaus, .. .) +PaypalOrCBDoPayment=Maksa PayPalilla (kortti tai PayPal) +PaypalDoPayment=Maksa PayPalilla PAYPAL_API_SANDBOX=Tila testi / hiekkalaatikko PAYPAL_API_USER=API käyttäjätunnus PAYPAL_API_PASSWORD=API salasana PAYPAL_API_SIGNATURE=API allekirjoitus -PAYPAL_SSLVERSION=Curl SSL Version -PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Offer "integral" payment (Credit card+PayPal) or "PayPal" only -PaypalModeIntegral=Integral -PaypalModeOnlyPaypal=PayPal only -ONLINE_PAYMENT_CSS_URL=Optional URL of CSS stylesheet on online payment page +PAYPAL_SSLVERSION=Curl SSL -versio +PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Tarjoa vain "integraali" maksu (luottokortti+PayPal) tai "PayPal" +PaypalModeIntegral=Integraali +PaypalModeOnlyPaypal=Vain PayPal +ONLINE_PAYMENT_CSS_URL=CSS-tyylitaulukon valinnainen URL-osoite online-sivulla maksu ThisIsTransactionId=Tämä on id liiketoimen: %s -PAYPAL_ADD_PAYMENT_URL=Include the PayPal payment url when you send a document by email -NewOnlinePaymentReceived=New online payment received -NewOnlinePaymentFailed=New online payment tried but failed -ONLINE_PAYMENT_SENDEMAIL=Email address for notifications after each payment attempt (for success and fail) -ReturnURLAfterPayment=Return URL after payment -ValidationOfOnlinePaymentFailed=Validation of online payment failed -PaymentSystemConfirmPaymentPageWasCalledButFailed=Payment confirmation page was called by payment system returned an error -SetExpressCheckoutAPICallFailed=SetExpressCheckout API call failed. -DoExpressCheckoutPaymentAPICallFailed=DoExpressCheckoutPayment API call failed. -DetailedErrorMessage=Detailed Error Message -ShortErrorMessage=Short Error Message -ErrorCode=Error Code -ErrorSeverityCode=Error Severity Code -OnlinePaymentSystem=Online payment system -PaypalLiveEnabled=PayPal "live" mode enabled (otherwise test/sandbox mode) -PaypalImportPayment=Import PayPal payments -PostActionAfterPayment=Post actions after payments -ARollbackWasPerformedOnPostActions=A rollback was performed on all Post actions. You must complete post actions manually if they are necessary. -ValidationOfPaymentFailed=Validation of payment has failed -CardOwner=Card holder -PayPalBalance=Paypal credit +PAYPAL_ADD_PAYMENT_URL=Sisällytä PayPalin maksu URL-osoite, kun lähetät asiakirjan sähköpostitse +NewOnlinePaymentReceived=Uusi verkossa maksu vastaanotettu +NewOnlinePaymentFailed=Uusi verkossa maksu yritti, mutta epäonnistui +ONLINE_PAYMENT_SENDEMAIL=Sähköpostiosoite käyttäjälle Ilmoitukset jokaisen maksu yrityksen jälkeen (menestys ja) +ReturnURLAfterPayment=Palauta URL-osoite maksu jälkeen +ValidationOfOnlinePaymentFailed=Verkkotunnuksen maksu vahvistus epäonnistui +PaymentSystemConfirmPaymentPageWasCalledButFailed=maksu vahvistussivun kutsui maksu järjestelmä palautti virheen +SetExpressCheckoutAPICallFailed=SetExpressCheckout API -kutsu epäonnistui. +DoExpressCheckoutPaymentAPICallFailed=DoExpressCheckoutPayment API -kutsu epäonnistui. +DetailedErrorMessage=Yksityiskohtainen virheilmoitus +ShortErrorMessage=Lyhyt virheilmoitus +ErrorCode=Virhekoodi +ErrorSeverityCode=Virheen vakavuuskoodi +OnlinePaymentSystem=Verkkojärjestelmä maksu +PaypalLiveEnabled=PayPalin "live"-tila käytössä (muuten testi-/hiekkalaatikkotila) +PaypalImportPayment=Tuo PayPal-maksut +PostActionAfterPayment=Postitustoimenpiteet maksujen jälkeen +ARollbackWasPerformedOnPostActions=Kaikille Post-toiminnoille suoritettiin peruutus. Sinun on suoritettava postaustoiminnot manuaalisesti, jos ne ovat tarpeen. +ValidationOfPaymentFailed=Kohteen maksu vahvistus epäonnistui +CardOwner=Kortin haltija +PayPalBalance=Paypal luotto +OnlineSubscriptionPaymentLine=Verkkotilaus tallennettu %s
      Maksettu %s
      Alkuperäinen IP-osoite: %s
      Tapahtuman tunnus: ALL
      products and services! -MassBarcodeInit=Mass barcode init -MassBarcodeInitDesc=This page can be used to initialize a barcode on objects that does not have barcode defined. Check before that setup of module barcode is complete. +ProductVatMassChange=Maailmanlaajuinen ALV-päivitys +ProductVatMassChangeDesc=Tämä työkalu päivittää arvonlisäverokannan, joka on määritetty osoitteessa KAIKKI tuotteet ja palvelut! +MassBarcodeInit=Massa viivakoodi +MassBarcodeInitDesc=Tällä sivulla voidaan alustaa viivakoodi objekteissa, joille ei ole määritetty viivakoodi. Tarkista, ennen kuin moduulin viivakoodi asennus on valmis. ProductAccountancyBuyCode=Kirjanpitotili (ostot) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) +ProductAccountancyBuyIntraCode=Kirjanpito-koodi (Hankinta yhteisön sisällä) +ProductAccountancyBuyExportCode=Kirjanpito-koodi (Hankinta tuonti) ProductAccountancySellCode=Kirjanpitotili (myynti) -ProductAccountancySellIntraCode=Accounting code (sale intra-Community) +ProductAccountancySellIntraCode=Kirjanpito-koodi (myynti yhteisön sisällä) ProductAccountancySellExportCode=Kirjanpitotili (Vientimyynti) ProductOrService=Tuote tai palvelu ProductsAndServices=Tuotteet ja palvelut ProductsOrServices=Tuotteet tai palvelut -ProductsPipeServices=Products | Services -ProductsOnSale=Products for sale -ProductsOnPurchase=Products for purchase +ProductsPipeServices=tuotteet | Palvelut +ProductsOnSale=tuotteet myytävänä +ProductsOnPurchase=tuotteet haulle Hankinta ProductsOnSaleOnly=Tuotteet vain myynti ProductsOnPurchaseOnly=Tuotteet vain osto ProductsNotOnSell=Tuotteet eivät ole myynnissä ja ostossa -ProductsOnSellAndOnBuy=Products for sale and for purchase -ServicesOnSale=Services for sale -ServicesOnPurchase=Services for purchase +ProductsOnSellAndOnBuy=tuotteet myytävänä ja mallille Hankinta +ServicesOnSale=Palvelut myynnissä +ServicesOnPurchase=Palvelut: Hankinta ServicesOnSaleOnly=Palvelut vain myynti ServicesOnPurchaseOnly=Palvelut vain osto ServicesNotOnSell=Palvelut eivät ole myynnissä ja ostossa -ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s products/services which were modified +ServicesOnSellAndOnBuy=Palveluita myytävänä ja kohteelle Hankinta +LastModifiedProductsAndServices=Uusimmat %s tuotteet/palvelut, joita on muokattu LastRecordedProducts=Viimeksi %s tallennetut tuotteet LastRecordedServices=Viimeksi %s tallennetut palvelut CardProduct0=Tuote CardProduct1=Palvelu Stock=Varasto MenuStocks=Varastot -Stocks=Stocks and location (warehouse) of products +Stocks=Varastot ja sijainti (varasto) kohteelle tuotteet Movements=Liikkeet Sell=Myydä -Buy=Purchase +Buy=Hankinta OnSell=Myynnissä OnBuy=Ostettavissa NotOnSell=Ei myynnissä @@ -67,28 +67,31 @@ ProductStatusOnBuyShort=Saatavilla ProductStatusNotOnBuyShort=Ei saatavilla UpdateVAT=Päivitä ALV UpdateDefaultPrice=Päivitä oletus hinta -UpdateLevelPrices=Update prices for each level -AppliedPricesFrom=Applied from +UpdateLevelPrices=Päivitä kunkin tason hinnat +AppliedPricesFrom=Sovellettu alkaen SellingPrice=Myyntihinta -SellingPriceHT=Selling price (excl. tax) +SellingPriceHT=Myyntihinta (ei sisällä vero) SellingPriceTTC=Myyntihinta (sis. alv) -SellingMinPriceTTC=Minimum Selling price (inc. tax) -CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. +SellingMinPriceTTC=Vähimmäismyyntihinta (sis. vero) +CostPriceDescription=Tätä hintaa Kenttä (paitsi vero) voidaan käyttää laskemaan tuotteen keskimääräinen hinta Yritys. Se voi olla mikä tahansa itse laskemasi hinta, esimerkiksi keskimääräisestä ostohinnasta plus keskimääräisistä tuotantokustannuksista ja. CostPriceUsage=Tätä arvoi voidaan käyttää katteen laskennassa -ManufacturingPrice=Manufacturing price +ManufacturingPrice=Valmistushinta SoldAmount=Myyty määrä PurchasedAmount=Ostettu määrä NewPrice=Uusi hinta -MinPrice=Min. selling price -EditSellingPriceLabel=Edit selling price label -CantBeLessThanMinPrice=Myyntihinta ei saa olla pienempi kuin pienin sallittu tämän tuotteen hinta ( %s ilman veroja) +MinPrice=alin myyntihinta +MinPriceHT=alin myyntihinta (paitsi vero) +MinPriceTTC=alin myyntihinta (sis. vero) +EditSellingPriceLabel=Muokkaa myyntihintatarraa +CantBeLessThanMinPrice=Myyntihinta ei voi olla alhaisempi kuin tälle tuotteelle sallittu vähimmäishinta (%s ilman vero). Tämä viesti voi tulla näkyviin myös, jos kirjoitat merkittävän alennuksen. +CantBeLessThanMinPriceInclTax=Myyntihinta ei voi olla alhaisempi kuin tälle tuotteelle sallittu vähimmäishinta (%s, mukaan lukien Verot). Tämä viesti voi tulla näkyviin myös, jos kirjoitat liian tärkeän alennuksen. ContractStatusClosed=Suljettu ErrorProductAlreadyExists=Tuotteen viitaten %s on jo olemassa. ErrorProductBadRefOrLabel=Väärä arvo viite-tai etiketissä. -ErrorProductClone=There was a problem while trying to clone the product or service. -ErrorPriceCantBeLowerThanMinPrice=Error, price can't be lower than minimum price. +ErrorProductClone=Tuotteen tai palvelun kloonauksessa tapahtui ongelma. +ErrorPriceCantBeLowerThanMinPrice=Virhe, hinta ei voi olla vähimmäishintaa alhaisempi. Suppliers=Toimittajat -SupplierRef=Vendor SKU +SupplierRef=Toimittaja SKU ShowProduct=Näytä tuote ShowService=Näytä palvelu ProductsAndServicesArea=Tuotteiden ja palvelujen alalla @@ -96,8 +99,8 @@ ProductsArea=Tuotteiden alalla ServicesArea=Palvelut alueella ListOfStockMovements=Luettelo varastojen muutokset BuyingPrice=Ostohinta -PriceForEachProduct=Products with specific prices -SupplierCard=Vendor card +PriceForEachProduct=tuotteet tietyillä hinnoilla +SupplierCard=Toimittaja-kortti PriceRemoved=Hinta poistettu BarCode=Viivakoodi BarcodeType=Viivakoodin tyyppi @@ -105,25 +108,25 @@ SetDefaultBarcodeType=Aseta viivakoodin tyyppi BarcodeValue=Viivakoodin arvo NoteNotVisibleOnBill=Huomautus (ei näy laskuissa ehdotuksia ...) ServiceLimitedDuration=Jos tuote on palvelu, rajoitettu kesto: -FillWithLastServiceDates=Fill with last service line dates -MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) +FillWithLastServiceDates=Täytä viimeinen palvelurivi päivämäärät +MultiPricesAbility=Useita hintasegmenttejä tuotetta/palvelua kohden (jokainen asiakas on yhdessä hintasegmentissä) MultiPricesNumPrices=Hintojen lukumäärä -DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices -AssociatedProductsAbility=Enable Kits (set of several products) -VariantsAbility=Enable Variants (variations of products, for example color, size) -AssociatedProducts=Kits -AssociatedProductsNumber=Number of products composing this kit -ParentProductsNumber=Number of parent packaging product -ParentProducts=Parent products -IfZeroItIsNotAVirtualProduct=If 0, this product is not a kit -IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit +DefaultPriceType=Hintojen perusta / oletus (ja ilman vero), kun lisätään uusia alennushintoja +AssociatedProductsAbility=Ota sarjat käyttöön (useita tuotteet) +VariantsAbility=Ota versiot käyttöön (muunnelmia tuotteet, esimerkiksi väri, koko) +AssociatedProducts=Sarjat +AssociatedProductsNumber=Tämän sarjan muodostavien tuotteet määrä +ParentProductsNumber=Pääpakkaustuotteen lukumäärä +ParentProducts=Vanhempi tuotteet +IfZeroItIsNotAVirtualProduct=Jos 0, tämä tuote ei ole sarja +IfZeroItIsNotUsedByVirtualProduct=Jos 0, tämä tuote ei ole käytössä missään sarjassa KeywordFilter=Hakusanalla suodatin CategoryFilter=Luokka suodatin ProductToAddSearch=Hae tuote lisätä NoMatchFound=Ei hakutuloksia löytyi ListOfProductsServices=Luettelo Tuotteet/Palvelut -ProductAssociationList=List of products/services that are component(s) of this kit -ProductParentList=List of kits with this product as a component +ProductAssociationList=Luettelo tuotteet/palveluista, jotka ovat tämän sarjan komponentteja +ProductParentList=Luettelo sarjoista, joissa tämä tuote on osana ErrorAssociationIsFatherOfThis=Yksi valittu tuote on vanhempi nykyinen tuote DeleteProduct=Poista tuotteen / palvelun ConfirmDeleteProduct=Oletko varma, että haluat poistaa tämän tuotteen / palvelun? @@ -135,21 +138,22 @@ ImportDataset_service_1=Palvelut DeleteProductLine=Poista tuote linja ConfirmDeleteProductLine=Oletko varma, että haluat poistaa tämän tuotteen linja? ProductSpecial=Special -QtyMin=Min. purchase quantity -PriceQtyMin=Price quantity min. -PriceQtyMinCurrency=Price (currency) for this qty. (no discount) -VATRateForSupplierProduct=VAT Rate (for this vendor/product) -DiscountQtyMin=Discount for this qty. -NoPriceDefinedForThisSupplier=No price/qty defined for this vendor/product -NoSupplierPriceDefinedForThisProduct=No vendor price/qty defined for this product -PredefinedItem=Predefined item -PredefinedProductsToSell=Predefined Product -PredefinedServicesToSell=Predefined Service -PredefinedProductsAndServicesToSell=Predefined products/services to sell -PredefinedProductsToPurchase=Predefined product to purchase -PredefinedServicesToPurchase=Predefined services to purchase -PredefinedProductsAndServicesToPurchase=Predefined products/services to purchase -NotPredefinedProducts=Not predefined products/services +QtyMin=Min. Hankinta määrä +PriceQtyMin=Hinta määrä min. +PriceQtyMinCurrency=Hinta (valuuttana) tälle määrälle. +WithoutDiscount=Ilman alennusta +VATRateForSupplierProduct=ALV-prosentti (tämän Toimittaja/tuotteen) +DiscountQtyMin=Alennus tästä määrästä. +NoPriceDefinedForThisSupplier=Hintaa/määrää ei ole määritetty tälle Toimittaja/tuotteelle +NoSupplierPriceDefinedForThisProduct=Tälle tuotteelle ei ole määritetty Toimittaja hintaa/määrä +PredefinedItem=Ennalta määritetty kohde +PredefinedProductsToSell=Ennalta määritetty tuote +PredefinedServicesToSell=Ennalta määritetty palvelu +PredefinedProductsAndServicesToSell=Ennalta määritetyt tuotteet/myytävät palvelut +PredefinedProductsToPurchase=Ennalta määritetty tuote muotoon Hankinta +PredefinedServicesToPurchase=Ennalta määritetyt palvelut Hankinta +PredefinedProductsAndServicesToPurchase=Ennalta määritetty tuotteet/palvelut Hankinta +NotPredefinedProducts=Ei ennalta määritetty tuotteet/services GenerateThumb=Luo peukalon ServiceNb=Service # %s ListProductServiceByPopularity=Luettelo tuotteiden tai palveluiden suosion @@ -158,30 +162,30 @@ ListServiceByPopularity=Luettelo palvelujen suosio Finished=Valmistettua tuotetta RowMaterial=Ensimmäinen aineisto ConfirmCloneProduct=Oletko varma että haluat kopioida tuotteen tai palvelun %s? -CloneContentProduct=Clone all main information of the product/service +CloneContentProduct=Kloonaa kaikki tuotteen/palvelun tärkeimmät tiedot ClonePricesProduct=Kopioi hinnat -CloneCategoriesProduct=Clone linked tags/categories -CloneCompositionProduct=Clone virtual products/services -CloneCombinationsProduct=Clone the product variants +CloneCategoriesProduct=Kloonaa linkitetyt tunnisteet/luokat +CloneCompositionProduct=Kloonaa virtuaalinen tuotteet/services +CloneCombinationsProduct=Kloonaa tuoteversiot ProductIsUsed=Tämä tuote on käytetty NewRefForClone=Ref. uuden tuotteen tai palvelun SellingPrices=Myyntihinnat BuyingPrices=Ostohinnat CustomerPrices=Asiakas hinnat -SuppliersPrices=Vendor prices -SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) -CustomCode=Customs|Commodity|HS code -CountryOrigin=Country of origin -RegionStateOrigin=Region of origin -StateOrigin=State|Province of origin -Nature=Nature of product (raw/manufactured) -NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or manufactured product -ShortLabel=Short label +SuppliersPrices=Toimittaja hinnat +SuppliersPricesOfProductsOrServices=Toimittaja hinnat (tuotteet tai palvelut) +CustomCode=Tulli|Tavara|HS-koodi +CountryOrigin=Alkuperämaa +RegionStateOrigin=Alkuperäalue +StateOrigin=Osavaltio|Alkuperämaakunta +Nature=Tuotteen luonne (raaka/valmistettu) +NatureOfProductShort=Tuotteen luonne +NatureOfProductDesc=Raaka-aine tai valmistettu tuote +ShortLabel=Lyhyt etiketti Unit=Yksikkö p=u. -set=set -se=set +set=aseta +se=aseta second=sekunti s=s hour=tunti @@ -199,18 +203,18 @@ m2=m² m3=m³ liter=litra l=L -unitP=Piece +unitP=Pala unitSET=Aseta unitS=Sekunti unitH=Tunti unitD=Päivä unitG=Gramma unitM=Metri -unitLM=Linear meter +unitLM=Lineaarinen mittari unitM2=Neliömetri unitM3=Kuutiometri unitL=Litra -unitT=ton +unitT=tonnia unitKG=kg unitG=Gramma unitMG=mg @@ -221,7 +225,7 @@ unitDM=dm unitCM=cm unitMM=mm unitFT=ft -unitIN=in +unitIN=sisään unitM2=Neliömetri unitDM2=dm² unitCM2=cm² @@ -236,178 +240,201 @@ unitFT3=ft³ unitIN3=in³ unitOZ3=unssi unitgallon=gallona -ProductCodeModel=Product ref template -ServiceCodeModel=Service ref template +ProductCodeModel=Tuoteviitemalli +ServiceCodeModel=Palveluviitemalli CurrentProductPrice=Nykyinen hinta -AlwaysUseNewPrice=Always use current price of product/service -AlwaysUseFixedPrice=Use the fixed price -PriceByQuantity=Different prices by quantity +AlwaysUseNewPrice=Käytä aina tuotteen/palvelun nykyistä hintaa +AlwaysUseFixedPrice=Käytä kiinteää hintaa +PriceByQuantity=Eri hinnat määrän mukaan DisablePriceByQty=Poista käytöstä hinnat kappalemäärän mukaan -PriceByQuantityRange=Quantity range -MultipriceRules=Automatic prices for segment -UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment -PercentVariationOver=%% variation over %s -PercentDiscountOver=%% discount over %s -KeepEmptyForAutoCalculation=Keep empty to have this calculated automatically from weight or volume of products -VariantRefExample=Examples: COL, SIZE -VariantLabelExample=Examples: Color, Size +PriceByQuantityRange=Määräalue +MultipriceRules=Automaattiset hinnat segmentille +UseMultipriceRules=Käytä hintasegmenttisääntöjä (määritelty tuotemoduulin asetuksiin) laskeaksesi automaattisesti kaikkien muiden segmenttien hinnat ensimmäisen segmentin mukaan +PercentVariationOver=%% muunnelma %s +PercentDiscountOver=%% alennus yli %s +KeepEmptyForAutoCalculation=Pidä tyhjänä, jotta tämä lasketaan automaattisesti arvosta Massa tai tilavuudesta tuotteet +VariantRefExample=Esimerkkejä: COL, SIZE +VariantLabelExample=Esimerkkejä: Väri, koko ### composition fabrication -Build=Produce -ProductsMultiPrice=Products and prices for each price segment -ProductsOrServiceMultiPrice=Customer prices (of products or services, multi-prices) -ProductSellByQuarterHT=Products turnover quarterly before tax -ServiceSellByQuarterHT=Services turnover quarterly before tax +Build=Tuottaa +ProductsMultiPrice=tuotteet ja hinnat kullekin hintasegmentille +ProductsOrServiceMultiPrice=Asiakashinnat (tuotteet tai palvelut, useat hinnat) +ProductSellByQuarterHT=tuotteet liikevaihto neljännesvuosittain ennen vero +ServiceSellByQuarterHT=Palveluiden liikevaihto neljännesvuosittain ennen vero Quarter1=Ensimmäinen neljännes Quarter2=Toinen neljännes Quarter3=Kolmas neljännes Quarter4=Neljäs neljännes -BarCodePrintsheet=Tulosta viivakoodi -PageToGenerateBarCodeSheets=With this tool, you can print sheets of barcode stickers. Choose format of your sticker page, type of barcode and value of barcode, then click on button %s. -NumberOfStickers=Number of stickers to print on page -PrintsheetForOneBarCode=Print several stickers for one barcode +BarCodePrintsheet=Tulosta viivakoodit +PageToGenerateBarCodeSheets=Tällä työkalulla voit tulostaa viivakoodi-tarroja. Valitse tarrasivusi muoto, tyyppi viivakoodi ja arvo viivakoodi , napsauta sitten painiketta %s. +NumberOfStickers=Sivulle tulostettavien tarrojen määrä +PrintsheetForOneBarCode=Tulosta useita tarroja yhdelle viivakoodi BuildPageToPrint=Luo sivu tulostettavaksi FillBarCodeTypeAndValueManually=Täytä viivakoodi tyyppi ja arvo manuaalisesti -FillBarCodeTypeAndValueFromProduct=Fill barcode type and value from barcode of a product. -FillBarCodeTypeAndValueFromThirdParty=Fill barcode type and value from barcode of a third party. -DefinitionOfBarCodeForProductNotComplete=Definition of type or value of barcode not complete for product %s. -DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of barcode non complete for third party %s. -BarCodeDataForProduct=Barcode information of product %s: -BarCodeDataForThirdparty=Barcode information of third party %s: -ResetBarcodeForAllRecords=Define barcode value for all record (this will also reset barcode value already defined with new values) -PriceByCustomer=Different prices for each customer -PriceCatalogue=A single sell price per product/service -PricingRule=Rules for selling prices +FillBarCodeTypeAndValueFromProduct=Täytä viivakoodi, kirjoita ja arvo tuotteen viivakoodi arvosta. +FillBarCodeTypeAndValueFromThirdParty=Täytä viivakoodi, kirjoita ja arvo kolmannen osapuolen arvosta viivakoodi. +DefinitionOfBarCodeForProductNotComplete=Tuotteen viivakoodi tyypin tai arvon määritelmä ei ole täydellinen tuotteelle %s. +DefinitionOfBarCodeForThirdpartyNotComplete=Kohteen viivakoodi tyypin tai arvon määritelmä ei ole täydellinen kolmannelle osapuolelle %s. +BarCodeDataForProduct=viivakoodi tuotteen tiedot %s: +BarCodeDataForThirdparty=viivakoodi kolmannen osapuolen tiedot %s: +ResetBarcodeForAllRecords=Määritä viivakoodi-arvo kaikille tietueille (tämä myös nollaa viivakoodi-arvon, joka on jo määritetty uusilla arvoilla) +PriceByCustomer=Jokaiselle asiakkaalle eri hinnat +PriceCatalogue=Yksittäinen myyntihinta tuotetta/palvelua kohden +PricingRule=Myyntihintojen säännöt AddCustomerPrice=Lisää hinta asiakaskohtaisesti -ForceUpdateChildPriceSoc=Set same price on customer's subsidiaries +ForceUpdateChildPriceSoc=Aseta sama hinta asiakkaan tytäryhtiöille PriceByCustomerLog=Logi viimeisimmistä asiakashinnoista -MinimumPriceLimit=Minimum price can't be lower then %s -MinimumRecommendedPrice=Minimum recommended price is: %s -PriceExpressionEditor=Price expression editor -PriceExpressionSelected=Selected price expression -PriceExpressionEditorHelp1="price = 2 + 2" or "2 + 2" for setting the price. Use ; to separate expressions -PriceExpressionEditorHelp2=You can access ExtraFields with variables like #extrafield_myextrafieldkey# and global variables with #global_mycode# -PriceExpressionEditorHelp3=In both product/service and vendor prices there are these variables available:
      #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# -PriceExpressionEditorHelp4=In product/service price only: #supplier_min_price#
      In vendor prices only: #supplier_quantity# and #supplier_tva_tx# -PriceExpressionEditorHelp5=Available global values: -PriceMode=Price mode +MinimumPriceLimit=Vähimmäishinta ei voi olla pienempi kuin %s +MinimumRecommendedPrice=Suositeltu vähimmäishinta on: %s +PriceExpressionEditor=Hintailmaisueditori +PriceExpressionSelected=Valittu hintalauseke +PriceExpressionEditorHelp1="hinta = 2 + 2" tai "2 + 2" hinnan määrittämiseksi. Käytä ; ilmaisujen erottamiseen +PriceExpressionEditorHelp2=Voit käyttää ExtraFields-kenttiä muuttujilla, kuten #extrafield_myextrafieldkey# b0ae65a9e50 muuttujat #global_mycode# +PriceExpressionEditorHelp3=Molemmissa tuotteen/palvelun ja Toimittaja hinnoissa on saatavilla seuraavat muuttujat:
      >#tva_tx# #localtax1_tx# #localtax2_tx# #Massa# #length# #pinta#
      +PriceExpressionEditorHelp4=Vain tuotteen/palvelun hinta: #supplier_min_price#b0342fccfdaToimittaja vain hinnat: #supplier_quantity# ja #suppli class='notranslate'>
      +PriceExpressionEditorHelp5=Käytettävissä olevat globaalit arvot: +PriceMode=Hinta-tila PriceNumeric=Numero DefaultPrice=Oletus hinta -DefaultPriceLog=Log of previous default prices -ComposedProductIncDecStock=Increase/Decrease stock on parent change -ComposedProduct=Child products +DefaultPriceLog=Loki aikaisemmista oletus hinnoista +ComposedProductIncDecStock=Kasvata/vähentää varastoa ylätason muutoksen yhteydessä +ComposedProduct=Lapsi tuotteet MinSupplierPrice=Minimi ostohinta -MinCustomerPrice=Minimum selling price -NoDynamicPrice=No dynamic price -DynamicPriceConfiguration=Dynamic price configuration -DynamicPriceDesc=You may define mathematical formulae to calculate Customer or Vendor prices. Such formulas can use all mathematical operators, some constants and variables. You can define here the variables you wish to use. If the variable needs an automatic update, you may define the external URL to allow Dolibarr to update the value automatically. -AddVariable=Add Variable -AddUpdater=Add Updater -GlobalVariables=Global variables -VariableToUpdate=Variable to update -GlobalVariableUpdaters=External updaters for variables +MinCustomerPrice=Minimi myyntihinta +NoDynamicPrice=Ei dynaamista hintaa +DynamicPriceConfiguration=Dynaaminen hintakonfiguraatio +DynamicPriceDesc=Voit määrittää matemaattisia kaavoja asiakas- tai Toimittaja -hintojen laskemiseksi. Tällaisissa kaavoissa voidaan käyttää kaikkia matemaattisia operaattoreita, joitain vakiomuuttujia ja. Tässä voit määrittää muuttujat, joita haluat käyttää. Jos muuttuja tarvitsee automaattisen päivityksen, voit määrittää ulkoisen URL-osoitteen, jotta Dolibarr voi päivittää arvon automaattisesti. +AddVariable=Lisää muuttuja +AddUpdater=Lisää Updater +GlobalVariables=Globaalit muuttujat +VariableToUpdate=Päivitettävä muuttuja +GlobalVariableUpdaters=Ulkoiset päivitykset muuttujille GlobalVariableUpdaterType0=JSON data -GlobalVariableUpdaterHelp0=Parses JSON data from specified URL, VALUE specifies the location of relevant value, -GlobalVariableUpdaterHelpFormat0=Format for request {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"} +GlobalVariableUpdaterHelp0=Jäsentää määritetyn URL-osoitteen JSON-tiedot, VALUE määrittää asiaankuuluvan arvon sijainnin, +GlobalVariableUpdaterHelpFormat0=Pyynnön muoto {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"} GlobalVariableUpdaterType1=WebService tiedot -GlobalVariableUpdaterHelp1=Parses WebService data from specified URL, NS specifies the namespace, VALUE specifies the location of relevant value, DATA should contain the data to send and METHOD is the calling WS method -GlobalVariableUpdaterHelpFormat1=Format for request is {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD": "myWSMethod", "DATA": {"your": "data", "to": "send"}} -UpdateInterval=Update interval (minutes) -LastUpdated=Latest update -CorrectlyUpdated=Correctly updated -PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is +GlobalVariableUpdaterHelp1=Jäsentää WebService-tiedot määritetystä URL-osoitteesta, NS määrittää nimitilan, VALUE määrittää relevantin arvon sijainnin, DATA:n tulee sisältää lähetettävät tiedot ja METHOD on kutsuva WS-menetelmä +GlobalVariableUpdaterHelpFormat1=Pyynnön muoto on {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD" : "myWSMethod", "DATA": {"oma": "data", "to": "lähetä"}} +UpdateInterval=Päivitysväli (minuutteja) +LastUpdated=Viimeisin päivitys +CorrectlyUpdated=Oikein päivitetty +PropalMergePdfProductActualFile=Tiedostot, joita käytetään PDF-tiedostoon lisäämiseen Azur ovat/on PropalMergePdfProductChooseFile=Valitse PDF tiedostot -IncludingProductWithTag=Including products/services with the tag -DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer -WarningSelectOneDocument=Please select at least one document +IncludingProductWithTag=Sisältää tunnisteen tuotteet/services +DefaultPriceRealPriceMayDependOnCustomer=oletus hinta, todellinen hinta voi riippua asiakkaasta +WarningSelectOneDocument=Valitse vähintään yksi asiakirja DefaultUnitToShow=Yksikkö NbOfQtyInProposals=Kappalemäärä tarjouksessa -ClinkOnALinkOfColumn=Click on a link of column %s to get a detailed view... -ProductsOrServicesTranslations=Products/Services translations -TranslatedLabel=Translated label -TranslatedDescription=Translated description -TranslatedNote=Translated notes +ClinkOnALinkOfColumn=Napsauta sarakkeen %s linkkiä saadaksesi yksityiskohtaisen näkymän... +ProductsOrServicesTranslations=tuotteet/Palvelujen käännökset +TranslatedLabel=Käännetty etiketti +TranslatedDescription=Käännetty kuvaus +TranslatedNote=Käännetyt muistiinpanot ProductWeight=Paino yhdelle tuotteelle ProductVolume=Tilavuus yhdelle tuotteelle WeightUnits=Painoyksikkö VolumeUnits=Tilavuusyksikkö -WidthUnits=Width unit -LengthUnits=Length unit -HeightUnits=Height unit -SurfaceUnits=Surface unit +WidthUnits=Leveysyksikkö +LengthUnits=Pituusyksikkö +HeightUnits=Korkeusyksikkö +SurfaceUnits=Pintayksikkö SizeUnits=Kokoyksikkö -DeleteProductBuyPrice=Delete buying price -ConfirmDeleteProductBuyPrice=Are you sure you want to delete this buying price? -SubProduct=Sub product +DeleteProductBuyPrice=Poista ostohinta +ConfirmDeleteProductBuyPrice=Haluatko varmasti poistaa tämän ostohinnan? +SubProduct=Alatuote ProductSheet=Tuotekortti -ServiceSheet=Service sheet -PossibleValues=Possible values -GoOnMenuToCreateVairants=Go on menu %s - %s to prepare attribute variants (like colors, size, ...) -UseProductFournDesc=Add a feature to define the product description defined by the vendors (for each vendor reference) in addition to the description for customers -ProductSupplierDescription=Vendor description for the product -UseProductSupplierPackaging=Use packaging on supplier prices (recalculate quantities according to packaging set on supplier price when adding/updating line in supplier documents) -PackagingForThisProduct=Packaging -PackagingForThisProductDesc=On supplier order, you will automaticly order this quantity (or a multiple of this quantity). Cannot be less than minimum buying quantity -QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging +ServiceSheet=Palvelulomake +PossibleValues=Mahdolliset arvot +GoOnMenuToCreateVairants=Siirry kohtaan valikko %s - %s ja valmistele attribuuttimuunnelmia (kuten värit, koko, ...) +UseProductFournDesc=Lisää ominaisuus, joka määrittää toimittajien määrittämän tuotekuvauksen (jokaiselle Toimittaja viitteelle) asiakkaat kuvauksen lisäksi. +ProductSupplierDescription=Toimittaja tuotteen kuvaus +UseProductSupplierPackaging=Käytä "pakkaus"-ominaisuutta pyöristääksesi määrät tiettyihin kertoimiin (kun lisäät/päivität riviä Toimittaja asiakirjassa, laske määrät uudelleen ja span> Hankinta hinnat tuotteen Hankinta hintojen korkeamman kerrannaisjoukon mukaan) +PackagingForThisProduct=Määrien pakkaus +PackagingForThisProductDesc=Saat automaattisesti Hankinta tämän määrän kerrannaisosan. +QtyRecalculatedWithPackaging=Linjan määrä laskettiin uudelleen toimittaja pakkauksen mukaan #Attributes -VariantAttributes=Variant attributes -ProductAttributes=Variant attributes for products -ProductAttributeName=Variant attribute %s -ProductAttribute=Variant attribute -ProductAttributeDeleteDialog=Are you sure you want to delete this attribute? All values will be deleted -ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with reference "%s" of this attribute? -ProductCombinationDeleteDialog=Are you sure want to delete the variant of the product "%s"? -ProductCombinationAlreadyUsed=There was an error while deleting the variant. Please check it is not being used in any object -ProductCombinations=Variants -PropagateVariant=Propagate variants -HideProductCombinations=Hide products variant in the products selector -ProductCombination=Variant -NewProductCombination=New variant -EditProductCombination=Editing variant -NewProductCombinations=New variants -EditProductCombinations=Editing variants +Attributes=Määritteet +VariantAttributes=Variantin attribuutit +ProductAttributes=Muunnelmaattribuutit kohteelle tuotteet +ProductAttributeName=Varianttiattribuutti %s +ProductAttribute=Varianttiattribuutti +ProductAttributeDeleteDialog=Haluatko varmasti poistaa tämän määritteen? Kaikki arvot poistetaan +ProductAttributeValueDeleteDialog=Haluatko varmasti poistaa tämän määritteen arvon %s, jossa on viittaus %s? +ProductCombinationDeleteDialog=Haluatko varmasti poistaa tuotteen muunnelman %s"? +ProductCombinationAlreadyUsed=Muunnelman poistamisessa tapahtui virhe. Tarkista, ettei sitä käytetä missään esineessä +ProductCombinations=Vaihtoehdot +PropagateVariant=Levitä muunnelmia +HideProductCombinations=Piilota tuotteet-versio tuotteet-valitsimesta +ProductCombination=Variantti +NewProductCombination=Uusi variantti +EditProductCombination=Editointivariantti +NewProductCombinations=Uusia muunnelmia +EditProductCombinations=Varianttien muokkaaminen SelectCombination=Valitse yhdistelmä -ProductCombinationGenerator=Variants generator -Features=Features -PriceImpact=Price impact -ImpactOnPriceLevel=Impact on price level %s -ApplyToAllPriceImpactLevel= Apply to all levels -ApplyToAllPriceImpactLevelHelp=By clicking here you set the same price impact on all levels -WeightImpact=Weight impact +ProductCombinationGenerator=Varianttien generaattori +Features=ominaisuudet +PriceImpact=Hinta vaikutus +ImpactOnPriceLevel=Vaikutus hintatasoon %s +ApplyToAllPriceImpactLevel= Käytä kaikilla tasoilla +ApplyToAllPriceImpactLevelHelp=Napsauttamalla tätä asetat saman hintavaikutuksen kaikille tasoille +WeightImpact=Massa vaikutus NewProductAttribute=Uusi ominaisuus NewProductAttributeValue=Uuden ominaisuuden arvo -ErrorCreatingProductAttributeValue=There was an error while creating the attribute value. It could be because there is already an existing value with that reference -ProductCombinationGeneratorWarning=If you continue, before generating new variants, all previous ones will be DELETED. Already existing ones will be updated with the new values -TooMuchCombinationsWarning=Generating lots of variants may result in high CPU, memory usage and Dolibarr not able to create them. Enabling the option "%s" may help reduce memory usage. -DoNotRemovePreviousCombinations=Do not remove previous variants -UsePercentageVariations=Use percentage variations -PercentageVariation=Percentage variation -ErrorDeletingGeneratedProducts=There was an error while trying to delete existing product variants -NbOfDifferentValues=No. of different values -NbProducts=Number of products -ParentProduct=Parent product -HideChildProducts=Hide variant products -ShowChildProducts=Show variant products -NoEditVariants=Go to Parent product card and edit variants price impact in the variants tab -ConfirmCloneProductCombinations=Would you like to copy all the product variants to the other parent product with the given reference? -CloneDestinationReference=Destination product reference -ErrorCopyProductCombinations=There was an error while copying the product variants -ErrorDestinationProductNotFound=Destination product not found -ErrorProductCombinationNotFound=Product variant not found -ActionAvailableOnVariantProductOnly=Action only available on the variant of product -ProductsPricePerCustomer=Product prices per customers -ProductSupplierExtraFields=Additional Attributes (Supplier Prices) -DeleteLinkedProduct=Delete the child product linked to the combination -AmountUsedToUpdateWAP=Amount to use to update the Weighted Average Price +ErrorCreatingProductAttributeValue=Attribuutin arvon luomisessa tapahtui virhe. Se voi johtua siitä, että kyseisellä viitteellä on jo olemassa arvo +ProductCombinationGeneratorWarning=Jos jatkat, kaikki aiemmat POISTETAAN ennen uusien muunnelmien luomista. Jo olemassa olevat arvot päivitetään uusilla arvoilla +TooMuchCombinationsWarning=Useiden muunnelmien luominen voi johtaa korkeaan suorittimen ja muistin käyttöön ja Dolibarr ei pysty luo niitä. Vaihtoehto "%s" voi auttaa vähentämään muistin käyttöä. +DoNotRemovePreviousCombinations=Älä poista aikaisempia versioita +UsePercentageVariations=Käytä prosentuaalisia vaihteluita +PercentageVariation=Prosenttivaihtelu +ErrorDeletingGeneratedProducts=Virhe yritettäessä poistaa olemassa olevia tuoteversioita +NbOfDifferentValues=Eriarvoisten lukumäärä +NbProducts=Numero tuotteet +ParentProduct=Emotuote +ParentProductOfVariant=Variantin emotuote +HideChildProducts=Piilota muunnelma tuotteet +ShowChildProducts=Näytä muunnelma tuotteet +NoEditVariants=Siirry päätuotekorttiin ja Muokkaa muunnelmien hintavaikutusta versiot-välilehdellä +ConfirmCloneProductCombinations=Haluatko kopioida kaikki tuoteversiot toiseen emotuotteeseen annetulla viitteellä? +CloneDestinationReference=Kohdetuotteen viite +ErrorCopyProductCombinations=Tuoteversioita kopioitaessa tapahtui virhe +ErrorDestinationProductNotFound=Kohdetuotetta ei löydy +ErrorProductCombinationNotFound=Tuoteversiota ei löytynyt +ActionAvailableOnVariantProductOnly=Toiminto saatavilla vain tuoteversiolle +ProductsPricePerCustomer=Tuotteiden hinnat per asiakkaat +ProductSupplierExtraFields=Muut attribuutit (toimittaja hinnat) +DeleteLinkedProduct=Poista yhdistelmään linkitetty alatuote +AmountUsedToUpdateWAP=Yksikkömäärä, jota käytetään painotetun keskihinnan päivittämiseen PMPValue=Value PMPValueShort=WAP -mandatoryperiod=Mandatory periods -mandatoryPeriodNeedTobeSet=Note: Period (start and end date) must be defined -mandatoryPeriodNeedTobeSetMsgValidate=A service requires a start and end period -mandatoryHelper=Check this if you want a message to the user when creating / validating an invoice, commercial proposal, sales order without entering a start and end date on lines with this service.
      Note that the message is a warning and not a blocking error. -DefaultBOM=Default BOM -DefaultBOMDesc=The default BOM recommended to use to manufacture this product. This field can be set only if nature of product is '%s'. -Rank=Rank -SwitchOnSaleStatus=Switch on sale status -SwitchOnPurchaseStatus=Switch on purchase status -StockMouvementExtraFields= Extra Fields (stock mouvement) +mandatoryperiod=Pakolliset ajanjaksot +mandatoryPeriodNeedTobeSet=Huomaa: jakso (alku ja loppu päiväys) on määritettävä +mandatoryPeriodNeedTobeSetMsgValidate=Palvelu vaatii aloitusjakson ja +mandatoryHelper=Valitse tämä, jos haluat viestiä käyttäjälle luodessasi/vahvisttaessasi laskua, Tarjouspyyntö, myyntitilausta ilman alkua ja lopeta päiväys tämän palvelun linjoilla.
      Huomaa, että viesti on varoitus ja /span> ei ole estovirhe. +DefaultBOM=oletus tuoteluettelo +DefaultBOMDesc=Tämän tuotteen valmistukseen suositeltu oletus tuoteluettelo. Tämä Kenttä voidaan asettaa vain, jos tuotteen luonne on %s. +Rank=Sijoitus +MergeOriginProduct=Päällekkäinen tuote (tuote, jonka haluat poistaa) +MergeProducts=Yhdistä tuotteet +ConfirmMergeProducts=Haluatko varmasti yhdistää valitun tuotteen nykyiseen? Kaikki linkitetyt objektit (laskut, tilaukset, ...) siirretään nykyiseen tuotteeseen, minkä jälkeen valittu tuote poistetaan. +ProductsMergeSuccess=tuotteet on yhdistetty +ErrorsProductsMerge=Virheet tuotteet yhdistämisessä +SwitchOnSaleStatus=Ota myyntitila käyttöön +SwitchOnPurchaseStatus=Ota Hankinta tila käyttöön +UpdatePrice=Nosta/vähentää asiakashintaa +StockMouvementExtraFields= Lisäkentät (osakeliike) +InventoryExtraFields= Ylimääräiset kentät (varasto) +ScanOrTypeOrCopyPasteYourBarCodes=Skannaa tai kirjoita tai kopioi/liitä viivakoodisi +PuttingPricesUpToDate=Päivitä hinnat nykyisillä tunnetuilla hinnoilla +PuttingDescUpToDate=Päivitä kuvaukset nykyisillä tunnetuilla kuvauksilla +PMPExpected=Odotettu PMP +ExpectedValuation=Odotettu arvostus +PMPReal=Todellinen PMP +RealValuation=Todellinen arvostus +ConfirmEditExtrafield = Valitse lisäkenttä, jota haluat muokata +ConfirmEditExtrafieldQuestion = Haluatko varmasti muokata tätä lisäkenttää? +ModifyValueExtrafields = Muokkaa lisäkentän arvoa +OrProductsWithCategories=Tai tuotteet tunnisteilla/luokilla +WarningTransferBatchStockMouvToGlobal = Jos haluat deserialisoida tämän tuotteen, kaikki sen sarjoitetut varastot muutetaan maailmanlaajuisiksi varastoiksi +WarningConvertFromBatchToSerial=Jos sinulla on tällä hetkellä tuotteen määrä suurempi tai yhtä suuri kuin 2, tähän valintaan vaihtaminen tarkoittaa, että sinulla on edelleen tuote, jossa on saman erän eri kohteita (vaikka haluat ainutlaatuisen Sarjanumero). Kaksoiskappale säilyy, kunnes inventaario tai manuaalinen varastosiirto tämän korjaamiseksi on tehty. +ConfirmSetToDraftInventory=Haluatko varmasti palata Luonnos-tilaan?
      Mainosjakaumaan tällä hetkellä asetetut määrät nollataan. diff --git a/htdocs/langs/fi_FI/projects.lang b/htdocs/langs/fi_FI/projects.lang index a7aa3a56a39..19501f2e9a2 100644 --- a/htdocs/langs/fi_FI/projects.lang +++ b/htdocs/langs/fi_FI/projects.lang @@ -1,28 +1,29 @@ # Dolibarr language file - Source file is en_US - projects -RefProject=Ref. project -ProjectRef=Project ref. -ProjectId=Project Id -ProjectLabel=Project label -ProjectsArea=Projects Area +RefProject=Viite. hanke +ProjectRef=Projektin viite. +ProjectId=Projektin tunnus +ProjectLabel=Projektimerkki +ProjectsArea=Projektit Alue ProjectStatus=Projektin tila SharedProject=Yhteiset hanke -PrivateProject=Assigned contacts -ProjectsImContactFor=Projects for which I am explicitly a contact +PrivateProject=Määritetyt yhteystiedot +ProjectsImContactFor=Projektit, jonka yhteyshenkilö olen nimenomaan AllAllowedProjects=Omat ja muiden projektit AllProjects=Kaikki hankkeet -MyProjectsDesc=This view is limited to the projects that you are a contact for +MyProjectsDesc=Tämä näkymä on rajoitettu Projektit, jonka yhteyshenkilö olet ProjectsPublicDesc=Tässä näkymässä esitetään kaikki hankkeet joita sinulla on oikaus katsoa. -TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. +TasksOnProjectsPublicDesc=Tässä näkymässä on kaikki tehtävät Projektit, jotka sinulla on oikeus lukea. ProjectsPublicTaskDesc=Tässä näkymässä esitetään kaikki tehtävät joita sinulla on oikaus katsoa. ProjectsDesc=Tämä näkemys esitetään kaikki hankkeet (käyttäjäoikeuksien antaa sinulle luvan katsella kaikkea). -TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to the projects or tasks that you are a contact for -OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). +TasksOnProjectsDesc=Tämä näkymä näyttää kaikki tehtävät kaikissa Projektit (käyttäjäoikeutesi antavat sinulle oikeuden tarkastella kaikkea). +MyTasksDesc=Tämä näkymä on rajoitettu Projektit tai tehtäviin, joiden yhteyshenkilö olet +OnlyOpenedProject=Vain avoimet Projektit ovat näkyvissä (Projektit Luonnos tai suljettu näkyvä). ClosedProjectsAreHidden=Suljetut projektit eivät ole nähtävissä. TasksPublicDesc=Tämä näkemys esitetään kaikki hankkeet ja tehtävät sinulla voi lukea. TasksDesc=Tämä näkemys esitetään kaikki hankkeet ja tehtävät (käyttäjäoikeuksien antaa sinulle luvan katsella kaikkea). -AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. +AllTaskVisibleButEditIfYouAreAssigned=Kaikki hyväksytyn Projektit tehtävät ovat näkyvissä, mutta voit syöttää ajan vain valitulle käyttäjälle määritetylle tehtävälle. Anna tehtävä, jos sinun on syötettävä siihen aikaa. +OnlyYourTaskAreVisible=Vain sinulle määritetyt tehtävät näkyvät. Jos sinun on syötettävä aika tehtävälle ja, jos tehtävä ei näy tässä, sinun on määritettävä tehtävä itsellesi. +ImportDatasetProjects=Projektit tai mahdollisuudet ImportDatasetTasks=Projektien tehtävät ProjectCategories=Projektien/Tehtävien kategoriat NewProject=Uusi projekti @@ -32,28 +33,32 @@ DeleteATask=Poista tehtävä ConfirmDeleteAProject=Oletko varma että haluat poistaa tämän projektin? ConfirmDeleteATask=Oletko varma että haluat poistaa tämän tehtävän? OpenedProjects=Avoimet projektit +OpenedProjectsOpportunities=Avoimet mahdollisuudet OpenedTasks=Avoimet tehtävät -OpportunitiesStatusForOpenedProjects=Leads amount of open projects by status -OpportunitiesStatusForProjects=Leads amount of projects by status +OpportunitiesStatusForOpenedProjects=Liidien määrä auki Projektit tilan mukaan +OpportunitiesStatusForProjects=Liidien määrä Projektit tilan mukaan ShowProject=Näytä projekti ShowTask=Näytä tehtävä +SetThirdParty=Aseta kolmas osapuoli SetProject=Aseta projekti +OutOfProject=Projektin ulkopuolella NoProject=Ei hanke määritellään NbOfProjects=Projektien määrä NbOfTasks=Tehtävien määrä +TimeEntry=Ajan seuranta TimeSpent=Käytetty aika -TimeSpentByYou=Time spent by you -TimeSpentByUser=Time spent by user -TimesSpent=Käytetty aika +TimeSpentSmall=Käytetty aika +TimeSpentByYou=Sinun käyttämäsi aika +TimeSpentByUser=Käyttäjän käyttämä aika TaskId=Tehtävän ID RefTask=Tehtävän viittaus LabelTask=Tehtävän merkki -TaskTimeSpent=Time spent on tasks +TaskTimeSpent=Tehtäviin käytetty aika TaskTimeUser=Käyttäjä TaskTimeNote=Huomautus TaskTimeDate=Päivämäärä -TasksOnOpenedProject=Tasks on open projects -WorkloadNotDefined=Workload not defined +TasksOnOpenedProject=Tehtävät avoimessa Projektit +WorkloadNotDefined=Työmäärää ei ole määritelty NewTimeSpent=Käytetty aika MyTimeSpent=Oma käytetty aika BillTime=Laskuta käytetty aika @@ -76,100 +81,101 @@ MyActivities=Omat tehtävät / toiminnot MyProjects=Omat projektit MyProjectsArea=Omat projektit - alue DurationEffective=Todellisen kesto -ProgressDeclared=Declared real progress +ProgressDeclared=Ilmoitettu todellista edistystä TaskProgressSummary=Tehtien eteneminen -CurentlyOpenedTasks=Avoimet tehtävät -TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption -ProgressCalculated=Progress on consumption -WhichIamLinkedTo=which I'm linked to -WhichIamLinkedToProject=which I'm linked to project +CurentlyOpenedTasks=Tällä hetkellä avoimia tehtäviä +TheReportedProgressIsLessThanTheCalculatedProgressionByX=Ilmoitettu todellinen kehitys on vähemmän %s kuin kulutuksen kehitys +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Ilmoitettu todellinen kehitys on %s enemmän kuin kulutuksen kehitys +ProgressCalculated=Kulutuksen edistyminen +WhichIamLinkedTo=johon olen linkitetty +WhichIamLinkedToProject=johon olen linkitetty projektiin Time=Aika -TimeConsumed=Consumed +TimeConsumed=Kulutettu ListOfTasks=Tehtävälista -GoToListOfTimeConsumed=Go to list of time consumed +GoToListOfTimeConsumed=Siirry käytetyn ajan luetteloon GanttView=GANTT näkymä -ListWarehouseAssociatedProject=List of warehouses associated to the project -ListProposalsAssociatedProject=List of the commercial proposals related to the project -ListOrdersAssociatedProject=List of sales orders related to the project -ListInvoicesAssociatedProject=List of customer invoices related to the project -ListPredefinedInvoicesAssociatedProject=List of customer template invoices related to the project -ListSupplierOrdersAssociatedProject=List of purchase orders related to the project -ListSupplierInvoicesAssociatedProject=List of vendor invoices related to the project -ListContractAssociatedProject=List of contracts related to the project -ListShippingAssociatedProject=List of shippings related to the project -ListFichinterAssociatedProject=List of interventions related to the project -ListExpenseReportsAssociatedProject=List of expense reports related to the project -ListDonationsAssociatedProject=List of donations related to the project -ListVariousPaymentsAssociatedProject=List of miscellaneous payments related to the project -ListSalariesAssociatedProject=List of payments of salaries related to the project -ListActionsAssociatedProject=List of events related to the project -ListMOAssociatedProject=List of manufacturing orders related to the project -ListTaskTimeUserProject=List of time consumed on tasks of project -ListTaskTimeForTask=List of time consumed on task -ActivityOnProjectToday=Activity on project today -ActivityOnProjectYesterday=Activity on project yesterday +ListWarehouseAssociatedProject=Luettelo projektiin liittyvistä Varastot +ListProposalsAssociatedProject=Luettelo hankkeeseen liittyvistä kaupallisista ehdotuksista +ListOrdersAssociatedProject=Luettelo projektiin liittyvistä myyntitilauksista +ListInvoicesAssociatedProject=Luettelo projektiin liittyvistä asiakaslaskuista +ListPredefinedInvoicesAssociatedProject=Luettelo projektiin liittyvistä asiakasmallilaskuista +ListSupplierOrdersAssociatedProject=Luettelo projektiin liittyvistä Hankinta tilauksista +ListSupplierInvoicesAssociatedProject=Luettelo Toimittaja projektiin liittyvistä laskuista +ListContractAssociatedProject=Luettelo hankkeeseen liittyvistä sopimuksista +ListShippingAssociatedProject=Luettelo projektiin liittyvistä lähetyksistä +ListFichinterAssociatedProject=Luettelo hankkeeseen liittyvistä interventioista +ListExpenseReportsAssociatedProject=Luettelo projektiin liittyvistä kuluraportit +ListDonationsAssociatedProject=Luettelo hankkeeseen liittyvistä lahjoituksista +ListVariousPaymentsAssociatedProject=Luettelo erilaisista hankkeeseen liittyvistä maksuista +ListSalariesAssociatedProject=Luettelo hankkeeseen liittyvistä palkoista +ListActionsAssociatedProject=Luettelo hankkeeseen liittyvistä tapahtumista +ListMOAssociatedProject=Luettelo projektiin liittyvistä valmistustilauksista +ListTaskTimeUserProject=Luettelo projektin tehtäviin käytetystä ajasta +ListTaskTimeForTask=Luettelo tehtävään käytetystä ajasta +ActivityOnProjectToday=Toimintaa projektissa tänään +ActivityOnProjectYesterday=Projektitoimintaa eilen ActivityOnProjectThisWeek=Toiminta hanke tällä viikolla ActivityOnProjectThisMonth=Toiminta hankkeen tässä kuussa ActivityOnProjectThisYear=Toiminta hanke tänä vuonna ChildOfProjectTask=Child Hankkeen / tehtävä -ChildOfTask=Child of task -TaskHasChild=Task has child +ChildOfTask=Tehtävän lapsi +TaskHasChild=Tehtävällä on lapsi NotOwnerOfProject=Ei omistaja tämän yksityistä hanketta AffectedTo=Vaikuttaa -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=Vahvista projet -ConfirmValidateProject=Are you sure you want to validate this project? +CantRemoveProject=Tätä projektia ei voi poistaa, koska jotkin muut objektit (lasku, tilaukset tai muut) viittaavat siihen. Katso välilehti %s. +ValidateProject=Vahvista projekti +ConfirmValidateProject=Haluatko varmasti vahvistaa tämän projektin? CloseAProject=Sulje projekti -ConfirmCloseAProject=Are you sure you want to close this project? -AlsoCloseAProject=Also close project (keep it open if you still need to follow production tasks on it) +ConfirmCloseAProject=Haluatko varmasti sulkea tämän projektin? +AlsoCloseAProject=Sulje myös projekti +AlsoCloseAProjectTooltip=Pidä se auki, jos sinun on edelleen seurattava sen tuotantotehtäviä ReOpenAProject=Avaa projekti -ConfirmReOpenAProject=Are you sure you want to re-open this project? +ConfirmReOpenAProject=Haluatko varmasti avata tämän projektin uudelleen? ProjectContact=Yhteystiedot Hankkeen -TaskContact=Task contacts +TaskContact=Tehtävän yhteystiedot ActionsOnProject=Toimien hanketta YouAreNotContactOfProject=Et ole kosketuksissa tämän yksityisen hankkeen -UserIsNotContactOfProject=User is not a contact of this private project +UserIsNotContactOfProject=Käyttäjä ei ole tämän yksityisen projektin yhteyshenkilö DeleteATimeSpent=Poista käytetty aika -ConfirmDeleteATimeSpent=Are you sure you want to delete this time spent? -DoNotShowMyTasksOnly=See also tasks not assigned to me -ShowMyTasksOnly=View only tasks assigned to me -TaskRessourceLinks=Contacts of task +ConfirmDeleteATimeSpent=Haluatko varmasti poistaa tämän käytetyn ajan? +DoNotShowMyTasksOnly=Katso myös tehtävät, joita ei ole määrätty minulle +ShowMyTasksOnly=Näytä vain minulle määrätyt tehtävät +TaskRessourceLinks=Tehtävän yhteystiedot ProjectsDedicatedToThisThirdParty=Hankkeet omistettu tälle kolmannelle NoTasks=Ei tehtävät hankkeen LinkedToAnotherCompany=Liittyy muihin kolmannen osapuolen -TaskIsNotAssignedToUser=Task not assigned to user. Use button '%s' to assign task now. +TaskIsNotAssignedToUser=Tehtävää ei ole määritetty käyttäjälle. Määritä tehtävä nyt painikkeella %s. ErrorTimeSpentIsEmpty=Käytetty aika on tyhjä -TimeRecordingRestrictedToNMonthsBack=Time recording is restricted to %s months back +TimeRecordingRestrictedToNMonthsBack=Ajan tallennus on rajoitettu %s kuukautta sitten ThisWillAlsoRemoveTasks=Tämä toiminto poistaa myös kaikki tehtävät projektin (%s tehtävät tällä hetkellä) ja kaikki panokset käytetty aika. IfNeedToUseOtherObjectKeepEmpty=Jos jotkin esineet (lasku, tilaus, ...), jotka kuuluvat toiselle kolmannelle osapuolelle, on liityttävä hankkeeseen luoda, pitää tämä tyhjä saada hanke on multi kolmansille osapuolille. -CloneTasks=Clone tasks -CloneContacts=Clone contacts -CloneNotes=Clone notes -CloneProjectFiles=Clone project joined files -CloneTaskFiles=Clone task(s) joined files (if task(s) cloned) -CloneMoveDate=Update project/tasks dates from now? -ConfirmCloneProject=Are you sure to clone this project? -ProjectReportDate=Change task dates according to new project start date -ErrorShiftTaskDate=Impossible to shift task date according to new project start date -ProjectsAndTasksLines=Projects and tasks -ProjectCreatedInDolibarr=Project %s created -ProjectValidatedInDolibarr=Project %s validated -ProjectModifiedInDolibarr=Project %s modified -TaskCreatedInDolibarr=Task %s created -TaskModifiedInDolibarr=Task %s modified -TaskDeletedInDolibarr=Task %s deleted -OpportunityStatus=Lead status -OpportunityStatusShort=Lead status -OpportunityProbability=Lead probability -OpportunityProbabilityShort=Lead probab. -OpportunityAmount=Lead amount -OpportunityAmountShort=Lead amount -OpportunityWeightedAmount=Opportunity weighted amount -OpportunityWeightedAmountShort=Opp. weighted amount -OpportunityAmountAverageShort=Average lead amount -OpportunityAmountWeigthedShort=Weighted lead amount -WonLostExcluded=Won/Lost excluded +CloneTasks=Kloonaustehtävät +CloneContacts=Kloonaa yhteystiedot +CloneNotes=Kloonaa muistiinpanoja +CloneProjectFiles=Kloonaa projektiin liitetyt tiedostot +CloneTaskFiles=Kloonaa tehtävä(t) yhdistetyt tiedostot (jos tehtävä(t) on kloonattu) +CloneMoveDate=Päivitetäänkö projekti/tehtävät päivämäärät tästä lähtien? +ConfirmCloneProject=Oletko varma, että kloonaat tämän projektin? +ProjectReportDate=Muuta tehtävää päivämäärät uuden projektin alun mukaan päiväys +ErrorShiftTaskDate=Tehtävää päiväys ei voida siirtää uuden projektin alkamisen mukaan päiväys +ProjectsAndTasksLines=Projektit ja tehtävät +ProjectCreatedInDolibarr=Projekti %s luotu +ProjectValidatedInDolibarr=Projekti %s vahvistettu +ProjectModifiedInDolibarr=Projektia %s muokattu +TaskCreatedInDolibarr=Tehtävä %s luotu +TaskModifiedInDolibarr=Tehtävää %s muokattu +TaskDeletedInDolibarr=Tehtävä %s poistettu +OpportunityStatus=Johdon tila +OpportunityStatusShort=Johdon tila +OpportunityProbability=Johdon todennäköisyys +OpportunityProbabilityShort=Todennäköisesti lyijyä. +OpportunityAmount=Lyijyn määrä +OpportunityAmountShort=Lyijyn määrä +OpportunityWeightedAmount=Mahdollisuuden määrä todennäköisyydellä painotettuna +OpportunityWeightedAmountShort=Opp. painotettu määrä +OpportunityAmountAverageShort=Keskimääräinen lyijymäärä +OpportunityAmountWeigthedShort=Painotettu lyijyn määrä +WonLostExcluded=Voitto/häviö poissuljettu ##### Types de contacts ##### TypeContact_project_internal_PROJECTLEADER=Projektin johtaja TypeContact_project_external_PROJECTLEADER=Projektin johtaja @@ -179,118 +185,120 @@ TypeContact_project_task_internal_TASKEXECUTIVE=Tehtävä johtoon TypeContact_project_task_external_TASKEXECUTIVE=Tehtävä johtoon TypeContact_project_task_internal_TASKCONTRIBUTOR=Avustaja TypeContact_project_task_external_TASKCONTRIBUTOR=Avustaja -SelectElement=Select element -AddElement=Link to element +SelectElement=Valitse elementti +AddElement=Linkki elementtiin LinkToElementShort=Linkki # Documents models -DocumentModelBeluga=Project document template for linked objects overview -DocumentModelBaleine=Project document template for tasks -DocumentModelTimeSpent=Project report template for time spent -PlannedWorkload=Planned workload -PlannedWorkloadShort=Workload +DocumentModelBeluga=Projektidokumenttimalli linkitettyjen objektien yleiskatsaukseen +DocumentModelBaleine=Projektidokumenttimalli tehtäviin +DocumentModelTimeSpent=Projektiraporttimalli käytetylle ajalle +PlannedWorkload=Suunniteltu työmäärä +PlannedWorkloadShort=Työmäärä ProjectReferers=Liittyvät tuotteet -ProjectMustBeValidatedFirst=Project must be validated first -MustBeValidatedToBeSigned=%s must be validated first to be set to Signed. -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time -InputPerDay=Input per day -InputPerWeek=Input per week -InputPerMonth=Input per month -InputDetail=Input detail -TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s -ProjectsWithThisUserAsContact=Projects with this user as contact -ProjectsWithThisContact=Projects with this contact -TasksWithThisUserAsContact=Tasks assigned to this user -ResourceNotAssignedToProject=Not assigned to project -ResourceNotAssignedToTheTask=Not assigned to the task -NoUserAssignedToTheProject=No users assigned to this project -TimeSpentBy=Time spent by -TasksAssignedTo=Tasks assigned to -AssignTaskToMe=Assign task to myself -AssignTaskToUser=Assign task to %s -SelectTaskToAssign=Select task to assign... -AssignTask=Assign -ProjectOverview=Overview -ManageTasks=Use projects to follow tasks and/or report time spent (timesheets) -ManageOpportunitiesStatus=Use projects to follow leads/opportinuties -ProjectNbProjectByMonth=No. of created projects by month -ProjectNbTaskByMonth=No. of created tasks by month -ProjectOppAmountOfProjectsByMonth=Amount of leads by month -ProjectWeightedOppAmountOfProjectsByMonth=Weighted amount of leads by month -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads -TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. -IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX -OpenedProjectsByThirdparties=Open projects by third parties -OnlyOpportunitiesShort=Only leads -OpenedOpportunitiesShort=Open leads -NotOpenedOpportunitiesShort=Not an open lead -NotAnOpportunityShort=Not a lead -OpportunityTotalAmount=Total amount of leads -OpportunityPonderatedAmount=Weighted amount of leads -OpportunityPonderatedAmountDesc=Leads amount weighted with probability -OppStatusPROSP=Prospection -OppStatusQUAL=Qualification +ProjectMustBeValidatedFirst=Projekti on ensin validoitava +MustBeValidatedToBeSigned=%s on ensin vahvistettava, jotta se voidaan asettaa arvoon Allekirjoitettu. +FirstAddRessourceToAllocateTime=Määritä käyttäjäresurssi projektin yhteyshenkilöksi ajan varaamiseksi +InputPerDay=Syöte päivässä +InputPerWeek=Syöttö per Viikko +InputPerMonth=Syöte kuukaudessa +InputDetail=Syötä tiedot +TimeAlreadyRecorded=Tämä on tähän tehtävään tallennettu aika/päivä ja käyttäjä %s +ProjectsWithThisUserAsContact=Projektit tämän käyttäjän kanssa yhteyshenkilönä +ProjectsWithThisContact=Projektit tämän kolmannen osapuolen yhteyshenkilön kanssa +TasksWithThisUserAsContact=Tälle käyttäjälle määrätyt tehtävät +ResourceNotAssignedToProject=Ei määritetty projektiin +ResourceNotAssignedToTheTask=Ei määrätty tehtävään +NoUserAssignedToTheProject=Tälle projektille ei ole määritetty käyttäjiä +TimeSpentBy=Vietetty aika +TasksAssignedTo=Tehtävät määrätyt +AssignTaskToMe=Anna tehtävä itselleni +AssignTaskToUser=Määritä tehtävä %s +SelectTaskToAssign=Valitse tehtävä tehtävä... +AssignTask=Määritä +ProjectOverview=Yleiskatsaus +ManageTasks=Käytä Projektit tehtävien seuraamiseen ja/tai ilmoita käytetty aika (työaikalomakkeet) +ManageOpportunitiesStatus=Käytä Projektit liidien/mahdollisuuksien seuraamiseen +ProjectNbProjectByMonth=Luotujen määrä Projektit kuukausittain +ProjectNbTaskByMonth=Luotujen tehtävien määrä kuukausittain +ProjectOppAmountOfProjectsByMonth=Liidien määrä kuukausittain +ProjectWeightedOppAmountOfProjectsByMonth=Painotettu liidien määrä kuukausittain +ProjectOpenedProjectByOppStatus=Avaa projekti|lead by lead status +ProjectsStatistics=Tilastot Projektit tai liideistä +TasksStatistics=Tilastot Projektit tai liidien tehtävistä +TaskAssignedToEnterTime=Tehtävä annettu. Ajan syöttämisen tähän tehtävään pitäisi olla mahdollista. +IdTaskTime=Id tehtävän aika +YouCanCompleteRef=Jos haluat täydentää viitteen päätteellä, on suositeltavaa lisätä -merkki erottamaan se, jotta automaattinen numerointi toimii edelleen oikein seuraavan Projektit kohdalla. Esimerkiksi %s-MYSUFFIX +OpenedProjectsByThirdparties=Avaa Projektit kolmansilta osapuolilta +OnlyOpportunitiesShort=Vain johdot +OpenedOpportunitiesShort=Avaa johdot +NotOpenedOpportunitiesShort=Ei avoin johto +NotAnOpportunityShort=Ei lyijyä +OpportunityTotalAmount=Liidien kokonaismäärä +OpportunityPonderatedAmount=Johtojen painotettu määrä +OpportunityPonderatedAmountDesc=Todennäköisyydellä painotettu liidien määrä +OppStatusPROSP=Etsintä +OppStatusQUAL=Pätevyys OppStatusPROPO=Ehdotus -OppStatusNEGO=Negociation +OppStatusNEGO=Neuvottelu OppStatusPENDING=Odotettavissa oleva -OppStatusWON=Won -OppStatusLOST=Lost -Budget=Budget -AllowToLinkFromOtherCompany=Allow to link project from other company

      Supported values:
      - Keep empty: Can link any project of the company (default)
      - "all": Can link any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
      -LatestProjects=Latest %s projects -LatestModifiedProjects=Latest %s modified projects -OtherFilteredTasks=Other filtered tasks -NoAssignedTasks=No assigned tasks found (assign project/tasks to the current user from the top select box to enter time on it) -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ChooseANotYetAssignedTask=Choose a task not yet assigned to you +OppStatusWON=Voitti +OppStatusLOST=Kadonnut +Budget=Budjetti +AllowToLinkFromOtherCompany=Salli elementin linkittäminen toisen yrityksen projektiin

      Tuetut arvot:
      - Pidä tyhjänä: voi linkittää elementtejä mihin tahansa Projektit > samassa Yritys (oletus)
      - "kaikki": Voi linkittää elementtejä mihin tahansa Projektit, jopa Projektit muiden yritysten
      - Luettelo kolmannen osapuolen tunnuksista pilkuilla erotettuna: voi linkittää elementtejä mihin tahansa Projektit näistä kolmansista osapuolista (esimerkki: 123,4795,53)
      +LatestProjects=Uusin %s Projektit +LatestModifiedProjects=Viimeisin %s muokattu Projektit +OtherFilteredTasks=Muut suodatetut tehtävät +NoAssignedTasks=Määritettyjä tehtäviä ei löytynyt (määritä projekti/tehtävät nykyiselle käyttäjälle ylhäältä valintaruudusta syöttääksesi aika) +ThirdPartyRequiredToGenerateInvoice=Kolmas osapuoli on määriteltävä projektiin, jotta se voi laskuttaa sen. +ThirdPartyRequiredToGenerateInvoice=Kolmas osapuoli on määriteltävä projektiin, jotta se voi laskuttaa sen. +ChooseANotYetAssignedTask=Valitse tehtävä, jota ei ole vielä määritetty sinulle # Comments trans -AllowCommentOnTask=Allow user comments on tasks -AllowCommentOnProject=Allow user comments on projects -DontHavePermissionForCloseProject=You do not have permissions to close the project %s -DontHaveTheValidateStatus=The project %s must be open to be closed -RecordsClosed=%s project(s) closed -SendProjectRef=Information project %s -ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized -NewTaskRefSuggested=Task ref already used, a new task ref is required -TimeSpentInvoiced=Time spent billed +AllowCommentOnTask=Salli käyttäjien kommentit tehtäviin +AllowCommentOnProject=Salli käyttäjien kommentit aiheeseen Projektit +DontHavePermissionForCloseProject=Sinulla ei ole oikeuksia sulkea projektia %s +DontHaveTheValidateStatus=Projektin %s on oltava avoinna, jotta se voidaan sulkea +RecordsClosed=%s projekti(a) suljettu +SendProjectRef=Tietoprojekti %s +ModuleSalaryToDefineHourlyRateMustBeEnabled=Palkat-moduulin on oltava käytössä, jotta työntekijän tuntipalkka voidaan määrittää, jotta aika arvostetaan +NewTaskRefSuggested=Tehtävän viite on jo käytössä, uusi tehtäväviite vaaditaan +NumberOfTasksCloned=%s kloonattua tehtävää +TimeSpentInvoiced=Laskutettu aika TimeSpentForIntervention=Käytetty aika TimeSpentForInvoice=Käytetty aika -OneLinePerUser=One line per user -ServiceToUseOnLines=Service to use on lines -InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. -ProjectFollowOpportunity=Follow opportunity -ProjectFollowTasks=Follow tasks or time spent -Usage=Usage -UsageOpportunity=Usage: Opportunity -UsageTasks=Usage: Tasks -UsageBillTimeShort=Usage: Bill time -InvoiceToUse=Draft invoice to use -InterToUse=Draft intervention to use +OneLinePerUser=Yksi rivi käyttäjää kohti +ServiceToUseOnLines=Palvelu, jota oletus käyttää linjoilla +InvoiceGeneratedFromTimeSpent=Lasku %s on luotu projektiin käytetystä ajasta +InterventionGeneratedFromTimeSpent=Interventio %s on luotu projektiin käytetystä ajasta +ProjectBillTimeDescription=Tarkista, syötätkö työaikalomakkeen projektin ja tehtävistä, aiot luoda laskut työaikaraportista laskuttaaksesi projektin asiakkaalta (älä tarkista, aiotko luo lasku, joka ei perustu syötettyihin työaikaraportteihin). Huomautus: Luo lasku siirtymällä projektin Aika-välilehteen ja valitsemalla sisällytettävät rivit. +ProjectFollowOpportunity=Seuraa mahdollisuutta +ProjectFollowTasks=Seuraa tehtäviä tai käytettyä aikaa +Usage=Käyttö +UsageOpportunity=Käyttö: mahdollisuus +UsageTasks=Käyttö: Tehtävät +UsageBillTimeShort=Käyttö: Laskutusaika +InvoiceToUse=Luonnos käytettävä lasku +InterToUse=Luonnos interventio käytettäväksi NewInvoice=Uusi lasku NewInter=Uusi -OneLinePerTask=One line per task -OneLinePerPeriod=One line per period -OneLinePerTimeSpentLine=One line for each time spent declaration -AddDetailDateAndDuration=With date and duration into line description -RefTaskParent=Ref. Parent Task -ProfitIsCalculatedWith=Profit is calculated using -AddPersonToTask=Add also to tasks -UsageOrganizeEvent=Usage: Event Organization -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks at 100 %% progress won't be affected: you will have to close them manually. This option only affects open projects. -SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them -ProjectTasksWithoutTimeSpent=Project tasks without time spent -FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. -ProjectsHavingThisContact=Projects having this contact -StartDateCannotBeAfterEndDate=End date cannot be before start date -ErrorPROJECTLEADERRoleMissingRestoreIt=The "PROJECTLEADER" role is missing or has been de-activited, please restore in the dictionary of contact types -LeadPublicFormDesc=You can enable here a public page to allow your prospects to make a first contact to you from a public online form -EnablePublicLeadForm=Enable the public form for contact -NewLeadbyWeb=Your message or request has been recorded. We will answer or contact your soon. -NewLeadForm=New contact form -LeadFromPublicForm=Online lead from public form +OneLinePerTask=Yksi rivi tehtävää kohden +OneLinePerPeriod=Yksi rivi per jakso +OneLinePerTimeSpentLine=Yksi rivi jokaista käytettyä ilmoitusta kohden +AddDetailDateAndDuration=Kesto päiväys ja rivin kuvaukseen +RefTaskParent=Viite. Vanhemman tehtävä +ProfitIsCalculatedWith=Voitto lasketaan käyttämällä +AddPersonToTask=Lisää myös tehtäviin +UsageOrganizeEvent=Käyttö: Tapahtuman järjestäminen +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Luokittele projekti suljetuksi, kun kaikki sen tehtävät on suoritettu (100%% edistymistä) +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Huomautus: tämä ei vaikuta olemassa olevaan Projektit tehtäviin, joiden kaikkien tehtävien edistyminen on jo 100%%: sinun on suljettava ne manuaalisesti. Tämä vaihtoehto vaikuttaa vain avoimeen Projektit-tilaan. +SelectLinesOfTimeSpentToInvoice=Valitse laskuttamattomat aikarivit ja sitten joukkotoiminto "Luo lasku" laskuttaaksesi ne +ProjectTasksWithoutTimeSpent=Projektitehtävät ilman ajankäyttöä +FormForNewLeadDesc=Kiitos, että täytät seuraavan lomakkeen ottaaksesi meihin yhteyttä. Voit myös lähettää meille sähköpostin suoraan osoitteeseen %s. +ProjectsHavingThisContact=Projektit, jolla on tämä yhteystieto +StartDateCannotBeAfterEndDate=Loppu päiväys ei voi olla ennen alkua päiväys +ErrorPROJECTLEADERRoleMissingRestoreIt="PROJECTLEADER"-rooli puuttuu tai se on poistettu käytöstä, palauta yhteystietotyyppien sanakirjaan +LeadPublicFormDesc=Voit ottaa täällä käyttöön julkisen sivun, jotta mahdolliset asiakkaat voivat ottaa sinuun ensimmäisen yhteyden julkisella verkkolomakkeella +EnablePublicLeadForm=Ota julkinen yhteydenottolomake käyttöön +NewLeadbyWeb=Viestisi tai pyyntösi on tallennettu. Vastaamme tai olemme sinuun yhteydessä pian. +NewLeadForm=Uusi yhteydenottolomake +LeadFromPublicForm=Online-johto julkiselta lomakkeelta +ExportAccountingReportButtonLabel=Hae raportti diff --git a/htdocs/langs/fi_FI/propal.lang b/htdocs/langs/fi_FI/propal.lang index 558213900e2..976fb7fa04f 100644 --- a/htdocs/langs/fi_FI/propal.lang +++ b/htdocs/langs/fi_FI/propal.lang @@ -12,9 +12,11 @@ NewPropal=Uusi tarjous Prospect=Esitetilaus DeleteProp=Poista tarjous ValidateProp=Vahvista tarjous +CancelPropal=Peruuta AddProp=Luo tarjous ConfirmDeleteProp=Haluatko varmasti poistaa tämän tarjouksen? ConfirmValidateProp=Haluatko varmasti vahvistaa tarjouksen %s? +ConfirmCancelPropal=Haluatko varmasti peruuttaa Tarjouspyyntö %s? LastPropals=Viimeisimmät %s tarjoukset LastModifiedProposals=Viimeisimmät %s muokatut tarjoukset AllPropals=Kaikki tarjoukset @@ -22,18 +24,20 @@ SearchAProposal=Hae tarjousta NoProposal=Ei tarjousta ProposalsStatistics=Tarjoustilastot NumberOfProposalsByMonth=Lukumäärä kuukausittain -AmountOfProposalsByMonthHT=Amount by month (excl. tax) +AmountOfProposalsByMonthHT=Summa kuukausittain (paitsi vero) NbOfProposals=Tarjouksen numero ShowPropal=Näytä tarjous PropalsDraft=Drafts PropalsOpened=Avoinna +PropalStatusCanceled=Peruutettu (hylätty) PropalStatusDraft=Luonnos (on vahvistettu) PropalStatusValidated=Validoidut (ehdotus on avattu) PropalStatusSigned=Allekirjoitettu (laskuttaa) PropalStatusNotSigned=Ei ole kirjautunut (suljettu) PropalStatusBilled=Laskutetun +PropalStatusCanceledShort=Peruttu PropalStatusDraftShort=Vedos -PropalStatusValidatedShort=Validated (open) +PropalStatusValidatedShort=Vahvistettu (avoin) PropalStatusClosedShort=Suljettu PropalStatusSignedShort=Allekirjoitettu PropalStatusNotSignedShort=Ei ole kirjautunut @@ -52,48 +56,69 @@ ErrorPropalNotFound=Propal %s ei löydy AddToDraftProposals=Lisää tarjousluonnos NoDraftProposals=Ei tarjousluonnoksia CopyPropalFrom=Luo tarjous kopioimalla olemassa oleva tarjous pohjaksi -CreateEmptyPropal=Create empty commercial proposal or from list of products/services +CreateEmptyPropal=luo tyhjä Tarjouspyyntö tai luettelosta tuotteet/services DefaultProposalDurationValidity=Tarjouksen oletus voimassaolo (päivinä) -UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address +DefaultPuttingPricesUpToDate=Päivitä oletus hinnat nykyisillä tunnetuilla hinnoilla kloonattaessa tarjous +DefaultPuttingDescUpToDate=oletus päivittää kuvaukset nykyisillä tunnetuilla kuvauksilla kloonattaessa tarjous +UseCustomerContactAsPropalRecipientIfExist=Käytä yhteystietoa/osoitetta, jonka tyyppi on "Contact follow-up tarjous", jos se on määritetty kolmannen osapuolen osoitteen sijaan tarjous vastaanottajaosoitteeksi ConfirmClonePropal=Haluatko varmasti monistaa tarjouksen %s? ConfirmReOpenProp=Haluatko varmasti avata uudestaan tarjouksen %s? ProposalsAndProposalsLines=Kaupalliset ehdotusta ja linjat ProposalLine=Tarjousrivi -ProposalLines=Proposal lines +ProposalLines=tarjous riviä AvailabilityPeriod=Saatavuus viive SetAvailability=Aseta saatavuus viive AfterOrder=tilauksesta OtherProposals=Muut ehdotukset + ##### Availability ##### AvailabilityTypeAV_NOW=Välitön AvailabilityTypeAV_1W=1 viikko AvailabilityTypeAV_2W=2 viikkoa AvailabilityTypeAV_3W=3 viikkoa AvailabilityTypeAV_1M=1 kuukausi -##### Types de contacts ##### + +##### Types ofe contacts ##### TypeContact_propal_internal_SALESREPFOLL=Edustaja seuraamaan tarjousta TypeContact_propal_external_BILLING=Asiakkaan lasku yhteystiedot TypeContact_propal_external_CUSTOMER=Asiakkaan yhteystiedot tarjouksen seurantaan -TypeContact_propal_external_SHIPPING=Customer contact for delivery +TypeContact_propal_external_SHIPPING=Asiakkaan yhteyshenkilö toimitus + # Document models -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model +CantBeNoSign=ei voi asettaa ei allekirjoitettu +CaseFollowedBy=Tapaus perässä +ConfirmMassNoSignature=Joukko Ei allekirjoitettu vahvistus +ConfirmMassNoSignatureQuestion=Oletko varma, että haluat asettaa allekirjoittamasi valitut tietueet? +ConfirmMassSignature=Joukkoallekirjoituksen vahvistus +ConfirmMassSignatureQuestion=Haluatko varmasti allekirjoittaa valitut tietueet? +ConfirmMassValidation=Joukko Vahvista vahvistus +ConfirmMassValidationQuestion=Haluatko varmasti vahvistaa valitut tietueet? +ConfirmRefusePropal=Haluatko varmasti hylätä tämän Tarjouspyyntö? +ContractSigned=Sopimus allekirjoitettu +DefaultModelPropalClosed=Oletus pohja suljettavalla tarjoukselle (laskuttamaton) DefaultModelPropalCreate=Oletusmallin luonti DefaultModelPropalToBill=Oletus pohja suljettavalle tarjoukselle (laskutukseen) -DefaultModelPropalClosed=Oletus pohja suljettavalla tarjoukselle (laskuttamaton) +DocModelAzurDescription=Täydellinen tarjous malli (vanha syaanin mallin toteutus) +DocModelCyanDescription=Täydellinen tarjous malli +FichinterSigned=Interventio allekirjoitettu +IdProduct=Tuotetunnus +IdProposal=tarjous ID +IsNotADraft=ei ole Luonnos +LineBuyPriceHT=Ostohinta Summa nettona vero riville +NoSign=Kieltäytyä +NoSigned=sarjaa ei ole allekirjoitettu +PassedInOpenStatus=on validoitu +PropalAlreadyRefused=tarjous on jo hylätty +PropalAlreadySigned=tarjous on jo hyväksytty +PropalRefused=tarjous kieltäytyi +PropalSigned=tarjous hyväksytty ProposalCustomerSignature=Kirjallinen hyväksyntä, päivämäärä ja allekirjoitus -ProposalsStatisticsSuppliers=Vendor proposals statistics -CaseFollowedBy=Case followed by -SignedOnly=Signed only -IdProposal=Proposal ID -IdProduct=Product ID -PrParentLine=Proposal Parent Line -LineBuyPriceHT=Buy Price Amount net of tax for line -SignPropal=Accept proposal -RefusePropal=Refuse proposal -Sign=Sign -PropalAlreadySigned=Proposal already accepted -PropalAlreadyRefused=Proposal already refused -PropalSigned=Proposal accepted -PropalRefused=Proposal refused -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +ProposalsStatisticsSuppliers=Toimittaja ehdotustilastot +RefusePropal=Hylkää tarjous +Sign=Merkki +SignContract=Allekirjoita sopimus +SignFichinter=Merkitse interventio +SignSociete_rib=Allekirjoita mandaatti +SignPropal=Hyväksy tarjous +Signed=allekirjoitettu +SignedOnly=Vain allekirjoitettu diff --git a/htdocs/langs/fi_FI/receiptprinter.lang b/htdocs/langs/fi_FI/receiptprinter.lang index f5a981d9779..f72122d28e1 100644 --- a/htdocs/langs/fi_FI/receiptprinter.lang +++ b/htdocs/langs/fi_FI/receiptprinter.lang @@ -7,7 +7,7 @@ TestSentToPrinter=Tulostustesti tulostimelle %s ReceiptPrinter=Kuittitulostimet ReceiptPrinterDesc=Kuittitulostimien asetukset ReceiptPrinterTemplateDesc=Tulostuspohjien asetukset -ReceiptPrinterTypeDesc=Kuittitulostimen tyypin kuvaus +ReceiptPrinterTypeDesc=Esimerkki mahdollisista arvoista parametrille Kenttä "Parameters" ajurin tyypin mukaan ReceiptPrinterProfileDesc=Kuittitulostimen profiilin kuvaus ListPrinters=Tulostinluettelo SetupReceiptTemplate=Pohjien astukset @@ -15,12 +15,12 @@ CONNECTOR_DUMMY=Dummy tulostin CONNECTOR_NETWORK_PRINT=Verkkotulostin CONNECTOR_FILE_PRINT=Paikallinen tulostin CONNECTOR_WINDOWS_PRINT=Paikallinen Windows tulostin -CONNECTOR_CUPS_PRINT=Cups Printer +CONNECTOR_CUPS_PRINT=Kupit tulostin CONNECTOR_DUMMY_HELP=Olematon tulostin testiä varten, ei tee mitään CONNECTOR_NETWORK_PRINT_HELP=10.x.x.x:9100 CONNECTOR_FILE_PRINT_HELP=/dev/usb/lp0, /dev/usb/lp1 CONNECTOR_WINDOWS_PRINT_HELP=LPT1, COM1, smb://FooUser:secret@computername/workgroup/Receipt Printer -CONNECTOR_CUPS_PRINT_HELP=CUPS printer name, example: HPRT_TP805L +CONNECTOR_CUPS_PRINT_HELP=CUPS-tulostimen nimi, esimerkki: HPRT_TP805L PROFILE_DEFAULT=Oletus profiili PROFILE_SIMPLE=Yksinkertainen profiili PROFILE_EPOSTEP=Epos Tep profiili @@ -31,7 +31,7 @@ PROFILE_SIMPLE_HELP=Yksinkertainen profiili ilman grafiikkaa PROFILE_EPOSTEP_HELP=Epos Tep profiili PROFILE_P822D_HELP=P822D profiili ilman grafiikkaa PROFILE_STAR_HELP=Star profiili -DOL_LINE_FEED=Skip line +DOL_LINE_FEED=Ohita rivi DOL_ALIGN_LEFT=Vasemman reunan tasaus DOL_ALIGN_CENTER=Keskitä teksti DOL_ALIGN_RIGHT=Oikean reunan tasaus @@ -45,38 +45,40 @@ DOL_CUT_PAPER_PARTIAL=Leikkaa tuloste osittain DOL_OPEN_DRAWER=Avaa kassalaatikko DOL_ACTIVATE_BUZZER=Aktivoi buzzer DOL_PRINT_QRCODE=Tulosta QR koodi -DOL_PRINT_LOGO=Print logo of my company -DOL_PRINT_LOGO_OLD=Print logo of my company (old printers) -DOL_BOLD=Bold -DOL_BOLD_DISABLED=Disable bold -DOL_DOUBLE_HEIGHT=Double height size -DOL_DOUBLE_WIDTH=Double width size -DOL_DEFAULT_HEIGHT_WIDTH=Default height and width size -DOL_UNDERLINE=Enable underline -DOL_UNDERLINE_DISABLED=Disable underline -DOL_BEEP=Beed sound -DOL_PRINT_TEXT=Print text -DateInvoiceWithTime=Invoice date and time -YearInvoice=Invoice year -DOL_VALUE_MONTH_LETTERS=Invoice month in letters -DOL_VALUE_MONTH=Invoice month -DOL_VALUE_DAY=Invoice day -DOL_VALUE_DAY_LETTERS=Inovice day in letters -DOL_LINE_FEED_REVERSE=Line feed reverse -InvoiceID=Invoice ID +DOL_PRINT_LOGO=Tulosta logoni Yritys +DOL_PRINT_LOGO_OLD=Tulosta logoni Yritys (vanhat tulostimet) +DOL_BOLD=Lihavoitu +DOL_BOLD_DISABLED=Poista lihavointi käytöstä +DOL_DOUBLE_HEIGHT=Kaksinkertainen korkeus +DOL_DOUBLE_WIDTH=Kaksinkertainen leveys +DOL_DEFAULT_HEIGHT_WIDTH=oletus korkeus ja leveys koko +DOL_UNDERLINE=Ota alleviivaus käyttöön +DOL_UNDERLINE_DISABLED=Poista alleviivaus käytöstä +DOL_BEEP=Äänimerkki +DOL_BEEP_ALTERNATIVE=Äänimerkki (vaihtoehtoinen tila) +DOL_PRINT_CURR_DATE=Tulosta nykyinen päiväys/aika +DOL_PRINT_TEXT=Tulosta tekstiä +DateInvoiceWithTime=Lasku päiväys ja aika +YearInvoice=Laskun vuosi +DOL_VALUE_MONTH_LETTERS=Laskukuukausi kirjaimin +DOL_VALUE_MONTH=Laskun kuukausi +DOL_VALUE_DAY=Laskun päivä +DOL_VALUE_DAY_LETTERS=Laskupäivä kirjeissä +DOL_LINE_FEED_REVERSE=Rivinsyöttö taaksepäin +InvoiceID=Laskun tunnus InvoiceRef=Laskun ref -DOL_PRINT_OBJECT_LINES=Invoice lines -DOL_VALUE_CUSTOMER_FIRSTNAME=Customer first name -DOL_VALUE_CUSTOMER_LASTNAME=Customer last name -DOL_VALUE_CUSTOMER_MAIL=Customer mail -DOL_VALUE_CUSTOMER_PHONE=Customer phone -DOL_VALUE_CUSTOMER_MOBILE=Customer mobile -DOL_VALUE_CUSTOMER_SKYPE=Customer Skype -DOL_VALUE_CUSTOMER_TAX_NUMBER=Customer tax number -DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Customer account balance -DOL_VALUE_MYSOC_NAME=Your company name -VendorLastname=Vendor last name -VendorFirstname=Vendor first name -VendorEmail=Vendor email -DOL_VALUE_CUSTOMER_POINTS=Customer points -DOL_VALUE_OBJECT_POINTS=Object points +DOL_PRINT_OBJECT_LINES=Laskun rivit +DOL_VALUE_CUSTOMER_FIRSTNAME=Asiakkaan etunimi +DOL_VALUE_CUSTOMER_LASTNAME=Asiakkaan sukunimi +DOL_VALUE_CUSTOMER_MAIL=Asiakaspostia +DOL_VALUE_CUSTOMER_PHONE=Asiakkaan puhelin +DOL_VALUE_CUSTOMER_MOBILE=Asiakkaan matkapuhelin +DOL_VALUE_CUSTOMER_SKYPE=Asiakas Skype +DOL_VALUE_CUSTOMER_TAX_NUMBER=Asiakkaan vero numero +DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Asiakastili saldo +DOL_VALUE_MYSOC_NAME=Nimesi Yritys +VendorLastname=Toimittaja sukunimi +VendorFirstname=Toimittaja etunimi +VendorEmail=Toimittaja sähköposti +DOL_VALUE_CUSTOMER_POINTS=Asiakaspisteet +DOL_VALUE_OBJECT_POINTS=Objektipisteet diff --git a/htdocs/langs/fi_FI/receptions.lang b/htdocs/langs/fi_FI/receptions.lang index 549fbb5ec7c..fe9fc6ae977 100644 --- a/htdocs/langs/fi_FI/receptions.lang +++ b/htdocs/langs/fi_FI/receptions.lang @@ -1,54 +1,58 @@ # Dolibarr language file - Source file is en_US - receptions -ReceptionDescription=Vendor reception management (Create reception documents) -ReceptionsSetup=Vendor Reception setup -RefReception=Ref. reception +ReceptionDescription=Toimittaja vastaanoton hallinta (luo vastaanottoasiakirjaa) +ReceptionsSetup=Toimittaja Vastaanoton määrittäminen +RefReception=Viite. vastaanotto Reception=Prosessissa -Receptions=Receptions -AllReceptions=All Receptions +Receptions=Vastaanotot +AllReceptions=Kaikki vastaanotot Reception=Prosessissa -Receptions=Receptions -ShowReception=Show Receptions -ReceptionsArea=Receptions area -ListOfReceptions=List of receptions -ReceptionMethod=Reception method -LastReceptions=Latest %s receptions -StatisticsOfReceptions=Statistics for receptions -NbOfReceptions=Number of receptions -NumberOfReceptionsByMonth=Number of receptions by month -ReceptionCard=Reception card -NewReception=New reception -CreateReception=Create reception -QtyInOtherReceptions=Qty in other receptions -OtherReceptionsForSameOrder=Other receptions for this order -ReceptionsAndReceivingForSameOrder=Receptions and receipts for this order -ReceptionsToValidate=Receptions to validate +Receptions=Vastaanotot +ShowReception=Näytä vastaanotot +ReceptionsArea=Vastaanottoalue +ListOfReceptions=Luettelo vastaanotoista +ReceptionMethod=Vastaanottomenetelmä +LastReceptions=Viimeisimmät %s vastaanotot +StatisticsOfReceptions=Tilastot vastaanottoja varten +NbOfReceptions=Vastaanottojen määrä +NumberOfReceptionsByMonth=Vastaanottojen määrä kuukausittain +ReceptionCard=Vastaanottokortti +NewReception=Uusi vastaanotto +CreateReception=luo vastaanotto +QtyInOtherReceptions=Määrä muissa vastaanotoissa +OtherReceptionsForSameOrder=Muut tämän tilauksen vastaanotot +ReceptionsAndReceivingForSameOrder=Tämän tilauksen vastaanottokuitit ja +ReceptionsToValidate=Vahvistavat vastaanotot StatusReceptionCanceled=Peruttu StatusReceptionDraft=Luonnos -StatusReceptionValidated=Validated (products to receive or already received) -StatusReceptionValidatedToReceive=Validated (products to receive) -StatusReceptionValidatedReceived=Validated (products received) +StatusReceptionValidated=Vahvistettu (tuotteet vastaanottaa tai jo vastaanotettu) +StatusReceptionValidatedToReceive=Vahvistettu (tuotteet vastaanottaa) +StatusReceptionValidatedReceived=Vahvistettu (tuotteet vastaanotettu) StatusReceptionProcessed=Käsitelty StatusReceptionDraftShort=Luonnos StatusReceptionValidatedShort=Hyväksytty StatusReceptionProcessedShort=Käsitelty -ReceptionSheet=Reception sheet -ConfirmDeleteReception=Are you sure you want to delete this reception? -ConfirmValidateReception=Are you sure you want to validate this reception with reference %s? -ConfirmCancelReception=Are you sure you want to cancel this reception? -StatsOnReceptionsOnlyValidated=Statistics conducted on receptions only validated. Date used is date of validation of reception (planed delivery date is not always known). -SendReceptionByEMail=Send reception by email -SendReceptionRef=Submission of reception %s -ActionsOnReception=Events on reception -ReceptionCreationIsDoneFromOrder=For the moment, creation of a new reception is done from the Purchase Order. -ReceptionLine=Reception line -ProductQtyInReceptionAlreadySent=Product quantity from open sales order already sent -ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplier order already received -ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. -ReceptionsNumberingModules=Numbering module for receptions -ReceptionsReceiptModel=Document templates for receptions -NoMorePredefinedProductToDispatch=No more predefined products to dispatch -ReceptionExist=A reception exists -ByingPrice=Bying price -ReceptionBackToDraftInDolibarr=Reception %s back to draft -ReceptionClassifyClosedInDolibarr=Reception %s classified Closed -ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +ReceptionSheet=Vastaanottolomake +ValidateReception=Vahvista vastaanotto +ConfirmDeleteReception=Haluatko varmasti poistaa tämän vastaanoton? +ConfirmValidateReception=Haluatko varmasti vahvistaa tämän vastaanoton viitteellä %s? +ConfirmCancelReception=Haluatko varmasti peruuttaa tämän vastaanoton? +StatsOnReceptionsOnlyValidated=Tilastot on tehty vain validoiduista vastaanotoista. päiväys on päiväys vastaanoton validoinnista (suunniteltu toimitus ='notranslate'>päiväys ei ole aina tiedossa). +SendReceptionByEMail=Lähetä vastaanotto sähköpostitse +SendReceptionRef=Vastaanoton lähettäminen %s +ActionsOnReception=Tapahtumat vastaanotossa +ReceptionCreationIsDoneFromOrder=Tällä hetkellä uuden vastaanoton luominen tehdään Hankinta tilauksesta. +ReceptionLine=Vastaanottolinja +ProductQtyInReceptionAlreadySent=Tuotemäärä avoimesta myyntitilauksesta on jo lähetetty +ProductQtyInSuppliersReceptionAlreadyRecevied=Tuotemäärä avoimesta toimittajan tilaus on jo vastaanotettu +ValidateOrderFirstBeforeReception=Sinun on ensin vahvistettava tilaus ennen kuin voit tehdä vastaanottoja. +ReceptionsNumberingModules=Numerointimoduuli vastaanottoja varten +ReceptionsReceiptModel=Asiakirjamallit vastaanottoja varten +NoMorePredefinedProductToDispatch=Ei enää ennalta määritettyä tuotteet lähetettävää +ReceptionExist=Vastaanotto on olemassa +ReceptionBackToDraftInDolibarr=Vastaanotto %s takaisin osoitteeseen Luonnos +ReceptionClassifyClosedInDolibarr=Vastaanotto %s luokiteltu Suljettu +ReceptionUnClassifyCloseddInDolibarr=Vastaanotto %s avaa uudelleen +RestoreWithCurrentQtySaved=Täytä määrät uusimmilla tallennetuilla arvoilla +ReceptionsRecorded=Vastaanotot tallennettu +ReceptionUpdated=Vastaanoton päivitys onnistui +ReceptionDistribution=Vastaanoton jakelu diff --git a/htdocs/langs/fi_FI/recruitment.lang b/htdocs/langs/fi_FI/recruitment.lang index 4b2d3a5aa43..b933bf108a5 100644 --- a/htdocs/langs/fi_FI/recruitment.lang +++ b/htdocs/langs/fi_FI/recruitment.lang @@ -18,62 +18,65 @@ # # Module label 'ModuleRecruitmentName' -ModuleRecruitmentName = Recruitment +ModuleRecruitmentName = Rekrytointi # Module description 'ModuleRecruitmentDesc' -ModuleRecruitmentDesc = Manage and follow recruitment campaigns for new job positions +ModuleRecruitmentDesc = Hallinnoi ja ja seuraa uusien työpaikkojen rekrytointikampanjoita # # Admin page # -RecruitmentSetup = Recruitment setup +RecruitmentSetup = Rekrytointiasetukset Settings = Asetukset -RecruitmentSetupPage = Enter here the setup of main options for the recruitment module -RecruitmentArea=Recruitement area -PublicInterfaceRecruitmentDesc=Public pages of jobs are public URLs to show and answer to open jobs. There is one different link for each open job, found on each job record. -EnablePublicRecruitmentPages=Enable public pages of open jobs +RecruitmentSetupPage = Kirjoita tähän rekrytointimoduulin päävaihtoehtojen asetukset +RecruitmentArea=Rekrytointialue +PublicInterfaceRecruitmentDesc=Työpaikkojen julkiset sivut ovat julkisia URL-osoitteita, joissa näkyy ja vastaus avoimiin työpaikkoihin. Jokaiselle avoimelle työlle on yksi erilainen linkki, joka löytyy jokaisesta työtietueesta. +EnablePublicRecruitmentPages=Ota käyttöön avoimien töiden julkiset sivut # # About page # About = Yleisesti -RecruitmentAbout = About Recruitment -RecruitmentAboutPage = Recruitment about page -NbOfEmployeesExpected=Expected nb of employees -JobLabel=Label of job position -WorkPlace=Work place -DateExpected=Expected date -FutureManager=Future manager -ResponsibleOfRecruitement=Responsible of recruitment -IfJobIsLocatedAtAPartner=If job is located at a partner place +RecruitmentAbout = Tietoja rekrytoinnista +RecruitmentAboutPage = Rekrytointi sivusta +NbOfEmployeesExpected=Odotettu työntekijöiden määrä +JobLabel=Työpaikan etiketti +WorkPlace=Työpaikka +DateExpected=Odotettu päiväys +FutureManager=Tuleva manageri +ResponsibleOfRecruitement=Vastaa rekrytoinnista +IfJobIsLocatedAtAPartner=Jos työpaikka sijaitsee kumppanipaikalla PositionToBeFilled=Asema -PositionsToBeFilled=Job positions -ListOfPositionsToBeFilled=List of job positions -NewPositionToBeFilled=New job positions +PositionsToBeFilled=Työpaikat +ListOfPositionsToBeFilled=Luettelo työpaikoista +NewPositionToBeFilled=Uusia työpaikkoja -JobOfferToBeFilled=Job position to be filled -ThisIsInformationOnJobPosition=Information of the job position to be filled -ContactForRecruitment=Contact for recruitment -EmailRecruiter=Email recruiter -ToUseAGenericEmail=To use a generic email. If not defined, the email of the responsible of recruitment will be used -NewCandidature=New application -ListOfCandidatures=List of applications +JobOfferToBeFilled=Työpaikka täytettävänä +ThisIsInformationOnJobPosition=Tietoa täytettävästä työpaikasta +ContactForRecruitment=Ota yhteyttä rekrytointiin +EmailRecruiter=Sähköposti rekrytoija +ToUseAGenericEmail=Yleisen sähköpostin käyttäminen. Jos sitä ei ole määritelty, käytetään rekrytointivastaavan sähköpostiosoitetta +NewCandidature=Uusi sovellus +ListOfCandidatures=Luettelo sovelluksista Remuneration=Palkka -RequestedRemuneration=Requested salary -ProposedRemuneration=Proposed salary -ContractProposed=Contract proposed -ContractSigned=Contract signed -ContractRefused=Contract refused -RecruitmentCandidature=Application -JobPositions=Job positions -RecruitmentCandidatures=Applications -InterviewToDo=Contacts to follow -AnswerCandidature=Application answer -YourCandidature=Your application -YourCandidatureAnswerMessage=Thanks you for your application.
      ... -JobClosedTextCandidateFound=The job position is closed. The position has been filled. -JobClosedTextCanceled=The job position is closed. -ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsApplication=Complementary attributes (job applications) -MakeOffer=Make an offer -WeAreRecruiting=We are recruiting. This is a list of open positions to be filled... -NoPositionOpen=No positions open at the moment +RequestedRemuneration=Haettu palkka +ProposedRemuneration=Ehdotettu palkka +ContractProposed=Ehdotettu sopimus +ContractSigned=Sopimus allekirjoitettu +ContractRefused=Sopimus hylätty +RecruitmentCandidature=Sovellus +JobPositions=Työpaikat +RecruitmentCandidatures=Sovellukset +InterviewToDo=Yhteystiedot seurattavia +AnswerCandidature=Hakemuksen vastaus +YourCandidature=Hakemuksesi +YourCandidatureAnswerMessage=Kiitos hakemuksestasi.
      ... +JobClosedTextCandidateFound=Työpaikka on suljettu. Paikka on täytetty. +JobClosedTextCanceled=Työpaikka on suljettu. +ExtrafieldsJobPosition=Täydentävät ominaisuudet (työpaikat) +ExtrafieldsApplication=Täydentävät attribuutit (työhakemukset) +MakeOffer=Tehdä tarjous +WeAreRecruiting=Olemme rekrytoimassa. Tämä on lista avoimista työpaikoista, jotka täytetään... +NoPositionOpen=Tällä hetkellä ei avoimia paikkoja +ConfirmClose=Vahvista peruutus +ConfirmCloseAsk=Haluatko varmasti peruuttaa tämän rekrytointiehdokkaan +recruitment=Rekrytointi diff --git a/htdocs/langs/fi_FI/resource.lang b/htdocs/langs/fi_FI/resource.lang index 38ff0b8066a..4632b433483 100644 --- a/htdocs/langs/fi_FI/resource.lang +++ b/htdocs/langs/fi_FI/resource.lang @@ -1,36 +1,39 @@ # Dolibarr language file - Source file is en_US - resource MenuResourceIndex=Resurssit -MenuResourceAdd=New resource -DeleteResource=Delete resource -ConfirmDeleteResourceElement=Confirm delete the resource for this element -NoResourceInDatabase=No resource in database. -NoResourceLinked=No resource linked +MenuResourceAdd=Uusi resurssi +DeleteResource=Poista resurssi +ConfirmDeleteResourceElement=Vahvista tämän elementin resurssin poistaminen +NoResourceInDatabase=Ei resursseja kielellä tietokanta. +NoResourceLinked=Ei linkitettyä resurssia +ActionsOnResource=Tätä resurssia koskevat tapahtumat +ResourcePageIndex=Resurssiluettelo +ResourceSingular=Resurssi +ResourceCard=Resurssikortti +AddResource=luo resurssi +ResourceFormLabel_ref=Resurssin nimi +ResourceType=Resurssin tyyppi +ResourceFormLabel_description=Resurssin kuvaus -ResourcePageIndex=Resources list -ResourceSingular=Resource -ResourceCard=Resource card -AddResource=Create a resource -ResourceFormLabel_ref=Resource name -ResourceType=Resource type -ResourceFormLabel_description=Resource description +ResourcesLinkedToElement=Elementtiin linkitetyt resurssit -ResourcesLinkedToElement=Resources linked to element +ShowResource=Näytä resurssi -ShowResource=Show resource +ResourceElementPage=Elementtiresurssit +ResourceCreatedWithSuccess=Resurssi luotu onnistuneesti +RessourceLineSuccessfullyDeleted=Resurssirivin poistaminen onnistui +RessourceLineSuccessfullyUpdated=Resurssirivin päivitys onnistui +ResourceLinkedWithSuccess=Menestykseen liittyvä resurssi -ResourceElementPage=Element resources -ResourceCreatedWithSuccess=Resource successfully created -RessourceLineSuccessfullyDeleted=Resource line successfully deleted -RessourceLineSuccessfullyUpdated=Resource line successfully updated -ResourceLinkedWithSuccess=Resource linked with success +ConfirmDeleteResource=Vahvista tämän resurssin poistaminen +RessourceSuccessfullyDeleted=Resurssi poistettu onnistuneesti +DictionaryResourceType=Resurssien tyyppi -ConfirmDeleteResource=Confirm to delete this resource -RessourceSuccessfullyDeleted=Resource successfully deleted -DictionaryResourceType=Type of resources +SelectResource=Valitse resurssi -SelectResource=Select resource - -IdResource=Id resource -AssetNumber=Serial number -ResourceTypeCode=Resource type code +IdResource=Id-resurssi +AssetNumber=Sarjanumero +ResourceTypeCode=Resurssityypin koodi ImportDataset_resource_1=Resurssit + +ErrorResourcesAlreadyInUse=Jotkut resurssit ovat käytössä +ErrorResourceUseInEvent=%s käytetty %s tapahtumassa diff --git a/htdocs/langs/fi_FI/salaries.lang b/htdocs/langs/fi_FI/salaries.lang index 39c3583e78e..48dd3ed2673 100644 --- a/htdocs/langs/fi_FI/salaries.lang +++ b/htdocs/langs/fi_FI/salaries.lang @@ -1,27 +1,33 @@ # Dolibarr language file - Source file is en_US - salaries -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Account (from the Chart of Account) used by default for "user" third parties -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=The dedicated account defined on user card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated user accounting account on user is not defined. +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Tili (tilikaaviosta), jota oletus käyttää "käyttäjän" kolmansille osapuolille +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=Käyttäjäkortissa määritettyä omaa tiliä käytetään vain Subledger Kirjanpito -sovelluksessa. Tätä käytetään pääkirja ja arvona oletus Subledger Kirjanpito, jos käyttäjälle ei ole määritetty erillistä Kirjanpito -tiliä. SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Oletus kirjanpitotili palkkamaksuille -CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=By default, leave empty the option "Automatically create a total payment" when creating a Salary +CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=Kirjoittaja oletus, jätä tyhjäksi vaihtoehto "Automaattisesti luo yhteensä maksu" kun luot palkkaa Salary=Palkka Salaries=Palkat -NewSalary=New salary -AddSalary=Add salary -NewSalaryPayment=New salary card -AddSalaryPayment=Add salary payment +NewSalary=Uusi palkka +AddSalary=Lisää palkka +NewSalaryPayment=Uusi palkkakortti +AddSalaryPayment=Lisää palkka maksu SalaryPayment=Palkanmaksu SalariesPayments=Palkkojen maksut -SalariesPaymentsOf=Salaries payments of %s +SalariesPaymentsOf=Palkkamaksut %s ShowSalaryPayment=Näytä palkanmaksu THM=Keskimääräinen tuntipalkka TJM=Keskimääräinen päiväpalkka CurrentSalary=Nykyinen palkka -THMDescription=This value may be used to calculate the cost of time consumed on a project entered by users if module project is used -TJMDescription=This value is currently for information only and is not used for any calculation -LastSalaries=Latest %s salaries -AllSalaries=All salaries -SalariesStatistics=Salary statistics -SalariesAndPayments=Salaries and payments -ConfirmDeleteSalaryPayment=Do you want to delete this salary payment ? -FillFieldFirst=Fill employee field first -UpdateAmountWithLastSalary=Set amount with last salary +THMDescription=Tätä arvoa voidaan käyttää käyttäjien syöttämän projektin kuluttaman ajan laskemiseen, jos käytetään moduuliprojektia +TJMDescription=Tämä arvo on tällä hetkellä vain tiedoksi. ja ei käytetä mihinkään laskelmaan +LastSalaries=Viimeisimmät %s palkat +AllSalaries=Kaikki palkat +SalariesStatistics=Palkkatilastot +SalariesAndPayments=Palkat ja maksua +ConfirmDeleteSalaryPayment=Haluatko poistaa tämän palkan maksu? +FillFieldFirst=Täytä ensin työntekijä Kenttä +UpdateAmountWithLastSalary=Aseta viimeisen palkan määrä +MakeTransferRequest=Tee siirtopyyntö +VirementOrder=Luotonsiirtopyyntö +BankTransferAmount=Tilisiirron määrä +WithdrawalReceipt=Tilisiirtomääräys +OrderWaiting=Odottava tilaus +FillEndOfMonth=Täytä kuun lopussa diff --git a/htdocs/langs/fi_FI/sendings.lang b/htdocs/langs/fi_FI/sendings.lang index e8219d858a2..239ed38c8a0 100644 --- a/htdocs/langs/fi_FI/sendings.lang +++ b/htdocs/langs/fi_FI/sendings.lang @@ -2,10 +2,10 @@ RefSending=Toimituksen viite Sending=Lähetys Sendings=Lähetykset -AllSendings=All Shipments +AllSendings=Kaikki lähetykset Shipment=Lähetys Shipments=Toimitukset -ShowSending=Show Shipments +ShowSending=Näytä lähetykset Receivings=Toimituskuittaukset SendingsArea=Lähetys alue ListOfSendings=Lista lähetyksistä @@ -13,19 +13,19 @@ SendingMethod=Toimitustapa LastSendings=Viimeisimmät %s toimitukset StatisticsOfSendings=Toimitusten tilastot NbOfSendings=Toimitusten lukumäärä -NumberOfShipmentsByMonth=Number of shipments by month +NumberOfShipmentsByMonth=Lähetysten määrä kuukausittain SendingCard=Toimituskortti NewSending=Uusi toimitus CreateShipment=Luo lähetys QtyShipped=Kpl lähetetty -QtyShippedShort=Qty ship. -QtyPreparedOrShipped=Qty prepared or shipped +QtyShippedShort=Laiva määrä. +QtyPreparedOrShipped=Valmistettu tai lähetetty määrä QtyToShip=Kpl lähetettävänä -QtyToReceive=Qty to receive +QtyToReceive=Vastaanotettava määrä QtyReceived=Kpl saapunut -QtyInOtherShipments=Qty in other shipments +QtyInOtherShipments=Määrä muissa lähetyksissä KeepToShip=Lähettämättä -KeepToShipShort=Remain +KeepToShipShort=Jäädä jäljelle OtherSendingsForSameOrder=Tämän tilauksen muut toimitukset SendingsAndReceivingForSameOrder=Tämän tilauksen toimitukset ja kuittaukset SendingsToValidate=Toimitu @@ -38,39 +38,49 @@ StatusSendingDraftShort=Vedos StatusSendingValidatedShort=Validoidut StatusSendingProcessedShort=Jalostettu SendingSheet=Lähetyslista -ConfirmDeleteSending=Are you sure you want to delete this shipment? -ConfirmValidateSending=Are you sure you want to validate this shipment with reference %s? -ConfirmCancelSending=Are you sure you want to cancel this shipment? +ConfirmDeleteSending=Haluatko varmasti poistaa tämän lähetyksen? +ConfirmValidateSending=Haluatko varmasti vahvistaa tämän lähetyksen viitenumerolla %s? +ConfirmCancelSending=Haluatko varmasti peruuttaa tämän toimituksen? DocumentModelMerou=Merou A5 malli WarningNoQtyLeftToSend=Varoitus, ei tuotteet odottavat lähettämistä. -StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) +StatsOnShipmentsOnlyValidated=Tilastot koskevat vain hyväksyttyjä lähetyksiä. päiväys on päiväys lähetyksen validoinnissa (suunniteltu toimitus class='notranslate'>päiväys
      ei ole aina tiedossa) DateDeliveryPlanned=Suunniteltu toimituspäivä -RefDeliveryReceipt=Ref delivery receipt -StatusReceipt=Status delivery receipt +RefDeliveryReceipt=Viite toimitus kuitti +StatusReceipt=Tilan toimitus kuitti DateReceived=Päivämäärä toimitus sai -ClassifyReception=Classify reception -SendShippingByEMail=Send shipment by email -SendShippingRef=Submission of shipment %s +ClassifyReception=Luokittele vastaanotettu +SendShippingByEMail=Lähetä lähetys sähköpostitse +SendShippingRef=Lähetyksen lähettäminen %s ActionsOnShipping=Tapahtumat lähetystä LinkToTrackYourPackage=Linkki seurata pakettisi -ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the Sales Order record. -ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity from open sales orders -ProductQtyInSuppliersOrdersRunning=Product quantity from open purchase orders -ProductQtyInShipmentAlreadySent=Product quantity from open sales order already sent -ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase orders already received -NoProductToShipFoundIntoStock=No product to ship found in warehouse %s. Correct stock or go back to choose another warehouse. +ShipmentCreationIsDoneFromOrder=Tällä hetkellä uuden lähetyksen luominen tapahtuu myyntitilaustietueesta. +ShipmentLine=Lähetyslinja +ProductQtyInCustomersOrdersRunning=Tuotemäärä avoimista myyntitilauksista +ProductQtyInSuppliersOrdersRunning=Tuotemäärä avoimista Hankinta tilauksista +ProductQtyInShipmentAlreadySent=Tuotemäärä avoimesta myyntitilauksesta on jo lähetetty +ProductQtyInSuppliersShipmentAlreadyRecevied=Tuotemäärä avoimista Hankinta tilauksista jo vastaanotettu +NoProductToShipFoundIntoStock=Toimitettavaa tuotetta ei löytynyt varastosta %s. Korjaa varasto tai palaa valitsemaan toinen varasto. WeightVolShort=Til./paino -ValidateOrderFirstBeforeShipment=You must first validate the order before being able to make shipments. +ValidateOrderFirstBeforeShipment=Sinun on ensin vahvistettava tilaus ennen kuin voit lähettää toimituksia. +NoLineGoOnTabToAddSome=Ei riviä, siirry välilehdelle "%s" lisätäksesi # Sending methods # ModelDocument DocumentModelTyphon=Täydellisempi mallin toimitusten kuitit (logo. ..) -DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...) +DocumentModelStorm=Täydellisempi asiakirjamalli toimitus kuiteille ja lisäkenttien yhteensopivuus (logo...) Error_EXPEDITION_ADDON_NUMBER_NotDefined=Jatkuva EXPEDITION_ADDON_NUMBER ei määritelty -SumOfProductVolumes=Sum of product volumes -SumOfProductWeights=Sum of product weights +SumOfProductVolumes=Tuotemäärien summa +SumOfProductWeights=Tuotteiden painojen summa # warehouse details -DetailWarehouseNumber= Warehouse details -DetailWarehouseFormat= W:%s (Qty: %d) +DetailWarehouseNumber= Varaston tiedot +DetailWarehouseFormat= W:%s (määrä: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Näytä viimeinen päiväys varastossa oleva tilaus lähetystä luotaessa Sarjanumero tai erä +CreationOptions=Käytettävissä olevat vaihtoehdot lähetyksen luomisen aikana + +ShipmentDistribution=Lähetyksen jakelu + +ErrorTooManyCombinationBatchcode=Ei lähetystä riville %s, koska löytyi liian monta varaston, tuotteen ja eräkoodin yhdistelmiä (%s). +ErrorNoCombinationBatchcode=Riviä %s ei voitu tallentaa yhdistelmänä varasto-tuote-erä/sarja (%s, %s, %s) ei löytynyt varastosta. + +ErrorTooMuchShipped=Toimitettu määrä ei saa olla suurempi kuin riville %s tilattu määrä diff --git a/htdocs/langs/fi_FI/sms.lang b/htdocs/langs/fi_FI/sms.lang index fa44de30f54..8eb13ed6acd 100644 --- a/htdocs/langs/fi_FI/sms.lang +++ b/htdocs/langs/fi_FI/sms.lang @@ -1,32 +1,32 @@ # Dolibarr language file - Source file is en_US - sms -Sms=Sms -SmsSetup=Sms asetukset -SmsDesc=Tällä sivulla voit määrittää global vaihtoehtoja SMS ominaisuudet +Sms=Tekstiviesti +SmsSetup=SMS-asetukset +SmsDesc=Tällä sivulla voit määrittää SMS-ominaisuuksien yleiset asetukset SmsCard=SMS Card -AllSms=Kaikki SMS campains +AllSms=Kaikki tekstiviestikampanjat SmsTargets=Tavoitteet SmsRecipients=Tavoitteet SmsRecipient=Kohde SmsTitle=Kuvaus SmsFrom=Lähettäjä SmsTo=Kohde -SmsTopic=Aihe SMS +SmsTopic=Tekstiviesti Aihe SmsText=Viesti SmsMessage=Tekstiviestillä -ShowSms=Show Sms -ListOfSms=Luettelo SMS campains -NewSms=Uusi SMS campain -EditSms=Edit Sms +ShowSms=Näytä SMS +ListOfSms=Luettelo tekstiviestikampanjat +NewSms=Uusi tekstiviestikampanja +EditSms=Muokkaa tekstiviestejä ResetSms=Uusi lähetys -DeleteSms=Poista Sms campain -DeleteASms=Poista Sms campain -PreviewSms=Previuw Sms -PrepareSms=Valmista Sms -CreateSms=Uusi SMS -SmsResult=Tulos tekstiviestien lähetykseen -TestSms=Test Sms -ValidSms=Vahvista Sms -ApproveSms=Hyväksy Sms +DeleteSms=Poista tekstiviestikampanja +DeleteASms=Poista tekstiviestikampanja +PreviewSms=Edellinen tekstiviesti +PrepareSms=Valmistele tekstiviesti +CreateSms=luo SMS +SmsResult=SMS-lähetyksen tulos +TestSms=Testaa SMS +ValidSms=Vahvista tekstiviesti +ApproveSms=hyväksyä SMS SmsStatusDraft=Luonnos SmsStatusValidated=Validoitu SmsStatusApproved=Hyväksytty @@ -35,17 +35,17 @@ SmsStatusSentPartialy=Lähetetyt osittain SmsStatusSentCompletely=Lähetetyt täysin SmsStatusError=Virhe SmsStatusNotSent=Ei lähetetty -SmsSuccessfulySent=Sms oikein lähetetään (vuodesta %s ja %s) +SmsSuccessfulySent=Tekstiviesti lähetetty oikein (%s numeroon %s) ErrorSmsRecipientIsEmpty=Määrä tavoite on tyhjä WarningNoSmsAdded=Ei uusia puhelinnumero lisätä kohde luetteloon -ConfirmValidSms=Haluatko vahvistaa tämän kampanjan hyväksytyksi? -NbOfUniqueSms=Nb DOF ainutlaatuinen puhelinnumeroita -NbOfSms=Nbre of phon numeroiden +ConfirmValidSms=Vahvistatko tämän kampanjan vahvistamisen? +NbOfUniqueSms=Yksilöllisten puhelinnumeroiden lukumäärä +NbOfSms=Puhelinnumeroiden määrä ThisIsATestMessage=Tämä on testi viesti SendSms=Lähetä tekstiviesti -SmsInfoCharRemain=Nb jäljellä olevien merkkien -SmsInfoNumero= (Muoto kansainvälinen eli +33899701761) +SmsInfoCharRemain=Jäljellä olevien merkkien määrä +SmsInfoNumero= (kansainvälinen muoto, esim.: +33899701761) DelayBeforeSending=Viive ennen lähettämistä (min) SmsNoPossibleSenderFound=Lähettäjää ei ole saatavilla. Tarkista SMS asetukset. SmsNoPossibleRecipientFound=Ei tavoite käytettävissä. Tarkista asetukset oman SMS tarjoaja. -DisableStopIfSupported=Disable STOP message (if supported) +DisableStopIfSupported=Poista käytöstä STOP viesti (jos tuettu) diff --git a/htdocs/langs/fi_FI/stocks.lang b/htdocs/langs/fi_FI/stocks.lang index b82ec5a8304..3cc1e6e810a 100644 --- a/htdocs/langs/fi_FI/stocks.lang +++ b/htdocs/langs/fi_FI/stocks.lang @@ -2,316 +2,336 @@ WarehouseCard=Warehouse-kortti Warehouse=Varasto Warehouses=Varastot -ParentWarehouse=Parent warehouse -NewWarehouse=New warehouse / Stock Location +ParentWarehouse=Emovarasto +NewWarehouse=Uusi varasto/varastopaikka WarehouseEdit=Muokkaa varastoa MenuNewWarehouse=Uusi varasto WarehouseSource=Lähdevarasto -WarehouseSourceNotDefined=No warehouse defined, -AddWarehouse=Create warehouse -AddOne=Add one -DefaultWarehouse=Default warehouse +WarehouseSourceNotDefined=Varastoa ei ole määritelty, +AddWarehouse=luo varasto +AddOne=Lisää yksi +DefaultWarehouse=oletus varasto WarehouseTarget=Kohdevarasto -ValidateSending=Confirm shipment -CancelSending=Cancel shipment -DeleteSending=Delete shipment +ValidateSending=Vahvista lähetys +CancelSending=Peruuta lähetys +DeleteSending=Poista lähetys Stock=Kanta Stocks=Varastot -MissingStocks=Missing stocks -StockAtDate=Stocks at date -StockAtDateInPast=Date in the past -StockAtDateInFuture=Date in the future -StocksByLotSerial=Stocks by lot/serial -LotSerial=Lots/Serials -LotSerialList=List of lot/serials +MissingStocks=Osakkeet puuttuvat +StockAtDate=Osakkeet osoitteessa päiväys +StockAtDateInPast=päiväys menneisyydessä +StockAtDateInFuture=päiväys tulevaisuudessa +StocksByLotSerial=Varastot erän/sarjan mukaan +LotSerial=Erät/sarjat +LotSerialList=Luettelo erästä/sarjasta +SubjectToLotSerialOnly=tuotteet koskee vain erää/sarjaa Movements=Liikkeet ErrorWarehouseRefRequired=Warehouse viite nimi tarvitaan ListOfWarehouses=Luettelo varastoista ListOfStockMovements=Luettelo varastojen muutokset -ListOfInventories=List of inventories -MovementId=Movement ID -StockMovementForId=Movement ID %d -ListMouvementStockProject=List of stock movements associated to project -StocksArea=Warehouses area -AllWarehouses=All warehouses -IncludeEmptyDesiredStock=Include also negative stock with undefined desired stock -IncludeAlsoDraftOrders=Include also draft orders +ListOfInventories=Luettelo varastoista +MovementId=Liikkeen tunnus +StockMovementForId=Liiketunnus %d +ListMouvementStockProject=Luettelo projektiin liittyvistä varastoliikkeistä +StocksArea=Varastot alue +AllWarehouses=Kaikki Varastot +IncludeEmptyDesiredStock=Sisällytä myös negatiivinen osake määrittelemättömällä halutulla osakkeella +IncludeAlsoDraftOrders=Sisällytä myös Luonnos tilaukset Location=Lieu -LocationSummary=Short name of location -NumberOfDifferentProducts=Number of unique products +LocationSummary=Paikan lyhyt nimi +NumberOfDifferentProducts=Yksilöllisten tuotteet numero NumberOfProducts=Kokonaismäärä tuotteet -LastMovement=Latest movement -LastMovements=Latest movements +LastMovement=Viimeisin liike +LastMovements=Uusimmat liikkeet Units=Yksiköt Unit=Yksikkö -StockCorrection=Stock correction +StockCorrection=Osakkeen korjaus CorrectStock=Oikea varastossa StockTransfer=Varaston siirto -TransferStock=Transfer stock -MassStockTransferShort=Mass stock transfer -StockMovement=Stock movement -StockMovements=Stock movements +TransferStock=Siirrä osakkeita +MassStockTransferShort=Osakevaihto +StockMovement=Osakkeen liike +StockMovements=Osakkeiden liikkeet NumberOfUnit=Kappalemäärä -UnitPurchaseValue=Unit purchase price +UnitPurchaseValue=Yksikön Hankinta hinta StockTooLow=Kanta liian alhainen -StockLowerThanLimit=Stock lower than alert limit (%s) +StockLowerThanLimit=Varasto on pienempi kuin hälytysraja (%s) EnhancedValue=Value EnhancedValueOfWarehouses=Varastot arvo -UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user -AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product -RuleForWarehouse=Rule for warehouses -WarehouseAskWarehouseOnThirparty=Set a warehouse on Third-parties -WarehouseAskWarehouseDuringPropal=Set a warehouse on Commercial proposals -WarehouseAskWarehouseDuringOrder=Set a warehouse on Sales Orders -WarehouseAskWarehouseDuringProject=Set a warehouse on Projects -UserDefaultWarehouse=Set a warehouse on Users -MainDefaultWarehouse=Default warehouse -MainDefaultWarehouseUser=Use a default warehouse for each user -MainDefaultWarehouseUserDesc=By activating this option, during creation of a product, the warehouse assigned to the product will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. -IndependantSubProductStock=Product stock and subproduct stock are independent +UserWarehouseAutoCreate=luo käyttäjän varaston automaattisesti luodessaan käyttäjää +AllowAddLimitStockByWarehouse=Hallinnoi myös vähintään ja halutun varaston arvoa parikohtaisesti (tuote-varasto) vähintään ja halutun varaston arvon lisäksi. tuote +RuleForWarehouse=Sääntö: Varastot +WarehouseAskWarehouseOnThirparty=Aseta varasto kolmansille osapuolille +WarehouseAskWarehouseDuringPropal=Aseta varasto kaupallisille ehdotuksille +WarehouseAskWarehouseDuringOrder=Aseta varasto myyntitilauksille +WarehouseAskWarehouseDuringProject=Aseta varasto Projektit +UserDefaultWarehouse=Aseta varasto Käyttäjille +MainDefaultWarehouse=oletus varasto +MainDefaultWarehouseUser=Käytä oletus varastoa kullekin käyttäjälle +MainDefaultWarehouseUserDesc=Aktivoimalla tämä vaihtoehto tuotetta luotaessa määritetään tälle tuotteelle määritetty varasto. Jos käyttäjälle ei ole määritetty varastoa, oletus varasto määritellään. +IndependantSubProductStock=Tuotevarasto ja alatuotevarasto on riippumaton QtyDispatched=Määrä lähetysolosuhteita -QtyDispatchedShort=Qty dispatched -QtyToDispatchShort=Qty to dispatch -OrderDispatch=Item receipts -RuleForStockManagementDecrease=Choose Rule for automatic stock decrease (manual decrease is always possible, even if an automatic decrease rule is activated) -RuleForStockManagementIncrease=Choose Rule for automatic stock increase (manual increase is always possible, even if an automatic increase rule is activated) -DeStockOnBill=Decrease real stocks on validation of customer invoice/credit note -DeStockOnValidateOrder=Decrease real stocks on validation of sales order -DeStockOnShipment=Decrease real stocks on shipping validation -DeStockOnShipmentOnClosing=Decrease real stocks when shipping is set to closed -ReStockOnBill=Increase real stocks on validation of vendor invoice/credit note -ReStockOnValidateOrder=Increase real stocks on purchase order approval -ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouse, after purchase order receipt of goods -StockOnReception=Increase real stocks on validation of reception -StockOnReceptionOnClosing=Increase real stocks when reception is set to closed +QtyDispatchedShort=Määrä lähetetty +QtyToDispatchShort=Määrä lähetettäväksi +OrderDispatch=Tavaran kuitit +RuleForStockManagementDecrease=Valitse automaattisen varaston sääntö vähentää (manuaalinen vähentää on aina mahdollista, vaikka automaattinen vähentää sääntö on aktivoitu) +RuleForStockManagementIncrease=Valitse automaattisen varastonlisäyksen sääntö (manuaalinen lisäys on aina mahdollista, vaikka automaattinen lisäyssääntö olisi käytössä) +DeStockOnBill=vähentää todellista varastoa asiakkaan laskun/hyvityslaskun vahvistamisen yhteydessä +DeStockOnValidateOrder=vähentää todellista varastoa myyntitilauksen vahvistamisen yhteydessä +DeStockOnShipment=vähentää todellista varastoa toimitusvahvistuksessa +DeStockOnShipmentOnClosing=vähentää todellista varastoa, kun toimitus on suljettu +ReStockOnBill=Kasvata todellisia osakkeita ostolasku/luottotodistuksen vahvistamisen yhteydessä +ReStockOnValidateOrder=Lisää todellisia varastoja Hankinta tilaushyväksynnän yhteydessä +ReStockOnDispatchOrder=Kasvata todellisia varastoja manuaalisella lähettämisellä varastoon, kun Hankinta on tilattu tavarat +StockOnReception=Lisää todellisia varastoja vastaanoton vahvistamisen yhteydessä +StockOnReceptionOnClosing=Lisää todellisia varastoja, kun vastaanotto on suljettu OrderStatusNotReadyToDispatch=Tilaa ei ole vielä tai enää asema, joka mahdollistaa lähettäminen varastossa olevista tuotteista varastoissa. -StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock +StockDiffPhysicTeoric=Selitys fyysisen ja virtuaalisen varaston erolle NoPredefinedProductToDispatch=Ei ennalta tuotteet tämän objektin. Joten ei lähettämistä varastossa on. DispatchVerb=Lähettäminen -StockLimitShort=Limit for alert -StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
      0 can be used to trigger a warning as soon as the stock is empty. -PhysicalStock=Physical Stock +StockLimitShort=Hälytyksen raja +StockLimit=Varastorajoitus hälytystä varten +StockLimitDesc=(tyhjä) tarkoittaa ei varoitusta.
      0 voidaan käyttää varoituksen laukaisemiseen heti, kun varasto on tyhjä. +PhysicalStock=Fyysinen varasto RealStock=Varastossa -RealStockDesc=Physical/real stock is the stock currently in the warehouses. -RealStockWillAutomaticallyWhen=The real stock will be modified according to this rule (as defined in the Stock module): +RealStockDesc=Fyysinen/todellinen osakkeet ovat tällä hetkellä arvossa Varastot. +RealStockWillAutomaticallyWhen=Todellinen varasto muutetaan tämän säännön mukaisesti (määritelty Varastomoduulissa): VirtualStock=Virtual varastossa -VirtualStockAtDate=Virtual stock at a future date -VirtualStockAtDateDesc=Virtual stock once all the pending orders that are planned to be processed before the chosen date will be finished -VirtualStockDesc=Virtual stock is the calculated stock available once all open/pending actions (that affect stocks) are closed (purchase orders received, sales orders shipped, manufacturing orders produced, etc) -AtDate=At date +VirtualStockAtDate=Virtuaaliosake tulevaisuudessa päiväys +VirtualStockAtDateDesc=Virtuaalinen varasto, kun kaikki odottavat tilaukset, jotka on suunniteltu käsiteltäväksi ennen valittua päiväys, on saatu valmiiksi +VirtualStockDesc=Virtuaalinen varasto on varasto, joka säilyy sen jälkeen, kun kaikki avoimet / odottavat toiminnot (jotka vaikuttavat varastoihin) on suoritettu (Hankinta saadut tilaukset, lähetetyt myyntitilaukset, tuotetut valmistustilaukset jne.) +AtDate=Osoitteessa päiväys IdWarehouse=Id-varasto DescWareHouse=Kuvaus varasto LieuWareHouse=Lokalisointi varasto WarehousesAndProducts=Varastot ja tuotteet -WarehousesAndProductsBatchDetail=Warehouses and products (with detail per lot/serial) +WarehousesAndProductsBatchDetail=Varastot ja tuotteet (erä-/sarjakohtaiset tiedot) AverageUnitPricePMPShort=Value -AverageUnitPricePMPDesc=The input average unit price we had to expense to get 1 unit of product into our stock. +AverageUnitPricePMPDesc=Keskimääräinen yksikköhinta, jonka jouduimme maksamaan saadaksemme 1 tuoteyksikön varastoomme. SellPriceMin=Myynnin Yksikköhinta -EstimatedStockValueSellShort=Value for sell -EstimatedStockValueSell=Value for sell +EstimatedStockValueSellShort=Arvo myyntiin +EstimatedStockValueSell=Arvo myyntiin EstimatedStockValueShort=Arvioitu arvo varastossa EstimatedStockValue=Arvioitu arvo varastossa DeleteAWarehouse=Poista varasto -ConfirmDeleteWarehouse=Are you sure you want to delete the warehouse %s? +ConfirmDeleteWarehouse=Haluatko varmasti poistaa varaston %s? PersonalStock=Henkilökohtainen varastossa %s ThisWarehouseIsPersonalStock=Tämä varasto edustaa henkilökohtainen kanta %s %s SelectWarehouseForStockDecrease=Valitse varasto käyttää varastossa laskua SelectWarehouseForStockIncrease=Valitse varasto käyttää varastossa lisätä -NoStockAction=No stock action -DesiredStock=Desired Stock -DesiredStockDesc=This stock amount will be the value used to fill the stock by replenishment feature. -StockToBuy=To order -Replenishment=Replenishment -ReplenishmentOrders=Replenishment orders -VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical stock + open orders) may differ -UseRealStockByDefault=Use real stock, instead of virtual stock, for replenishment feature -ReplenishmentCalculation=Amount to order will be (desired quantity - real stock) instead of (desired quantity - virtual stock) -UseVirtualStock=Use virtual stock -UsePhysicalStock=Use physical stock -CurentSelectionMode=Current selection mode +RevertProductsToStock=Palautetaanko tuotteet varastoon? +NoStockAction=Ei osaketoimintaa +DesiredStock=Haluttu varasto +DesiredStockDesc=Tämä varastomäärä on arvo, jota käytetään varaston täyttämiseen täydennysominaisuuden avulla. +StockToBuy=Tilata +Replenishment=Täydennys +ReplenishmentOrders=Täydennystilaukset +VirtualDiffersFromPhysical=Lisäys/vähentää osakeoptioiden mukaan fyysinen osake ja virtuaalinen osake (fyysinen varasto + avoimet tilaukset) voi vaihdella +UseRealStockByDefault=Käytä todellista varastoa virtuaalisen varaston sijaan täydennysominaisuuteen +ReplenishmentCalculation=Tilausmäärä on (toivottu määrä - todellinen varasto) sijaan (toivottu määrä - virtuaalinen varasto) +UseVirtualStock=Käytä virtuaalista osaketta +UsePhysicalStock=Käytä fyysistä varastoa +CurentSelectionMode=Nykyinen valintatila CurentlyUsingVirtualStock=Virtual varastossa CurentlyUsingPhysicalStock=Varasto -RuleForStockReplenishment=Rule for stocks replenishment -SelectProductWithNotNullQty=Select at least one product with a qty not null and a vendor -AlertOnly= Alerts only -IncludeProductWithUndefinedAlerts = Include also negative stock for products with no desired quantity defined, to restore them to 0 -WarehouseForStockDecrease=The warehouse %s will be used for stock decrease -WarehouseForStockIncrease=The warehouse %s will be used for stock increase -ForThisWarehouse=For this warehouse -ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. -ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. -ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. -Replenishments=Replenishments -NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) -NbOfProductAfterPeriod=Quantity of product %s in stock after selected period (> %s) -MassMovement=Mass movement -SelectProductInAndOutWareHouse=Select a source warehouse and a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click on "%s". -RecordMovement=Record transfer -ReceivingForSameOrder=Receipts for this order -StockMovementRecorded=Stock movements recorded -RuleForStockAvailability=Rules on stock requirements -StockMustBeEnoughForInvoice=Stock level must be enough to add product/service to invoice (check is done on current real stock when adding a line into invoice whatever the rule for automatic stock change) -StockMustBeEnoughForOrder=Stock level must be enough to add product/service to order (check is done on current real stock when adding a line into order whatever the rule for automatic stock change) -StockMustBeEnoughForShipment= Stock level must be enough to add product/service to shipment (check is done on current real stock when adding a line into shipment whatever the rule for automatic stock change) -MovementLabel=Label of movement -TypeMovement=Direction of movement -DateMovement=Date of movement -InventoryCode=Movement or inventory code -IsInPackage=Contained into package -WarehouseAllowNegativeTransfer=Stock can be negative -qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. -qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). +RuleForStockReplenishment=Varastojen täydentämistä koskeva sääntö +SelectProductWithNotNullQty=Valitse vähintään yksi tuote, jonka määrä ei ole tyhjä ja a Toimittaja +AlertOnly= Vain Hälytykset +IncludeProductWithUndefinedAlerts = Sisällytä myös negatiivinen varasto kohteelle tuotteet ilman haluttua määrää, jotta ne palautetaan nollaan +WarehouseForStockDecrease=Varastoa %s käytetään varastoon vähentää +WarehouseForStockIncrease=Varastoa %s käytetään varaston kasvattamiseen +ForThisWarehouse=Tätä varastoa varten +ReplenishmentStatusDesc=Tämä on luettelo kaikista tuotteet -osakkeista, joiden varasto on haluttua pienempi (tai pienempi kuin varoitusarvo, jos valintaruutu "vain varoitus" on valittuna). Valintaruudun avulla voit luo Hankinta tilata eron. +ReplenishmentStatusDescPerWarehouse=Jos haluat täydennyksen varastokohtaisesti määritettyyn haluttuun määrään, sinun on lisättävä varastoon suodatin. +ReplenishmentOrdersDesc=Tämä on luettelo kaikista avoimista Hankinta tilauksista, mukaan lukien ennalta määritetyt tuotteet. Vain avoimet tilaukset, joissa on ennalta määritetty tuotteet, joten tilaukset, jotka voivat vaikuttaa varastoihin, näkyvät täällä. +Replenishments=Täydennykset +NbOfProductBeforePeriod=Tuotteen määrä %s varastossa ennen valittua ajanjaksoa (< %s) +NbOfProductAfterPeriod=Tuotteen määrä %s varastossa valitun ajanjakson jälkeen (> %s) +MassMovement=Massaliikettä +SelectProductInAndOutWareHouse=Valitse lähdevarasto (valinnainen), kohdevarasto, tuote ja määrä ja napsauta sitten "%s". Kun tämä on tehty kaikille vaadituille liikkeille, napsauta "%s". +RecordMovement=Tallenteen siirto +RecordMovements=Tallenna varastoliikkeet +ReceivingForSameOrder=Kuitit tästä tilauksesta +StockMovementRecorded=Osakeliikkeet kirjattu +RuleForStockAvailability=Varastovaatimuksia koskevat säännöt +StockMustBeEnoughForInvoice=Varastotason tulee olla riittävä tuotteen/palvelun lisäämiseksi laskuun (tarkistetaan nykyinen todellinen varasto, kun laskuun lisätään rivi, olipa automaattisen varastomuutoksen sääntö mikä tahansa) +StockMustBeEnoughForOrder=Varastotason tulee olla riittävä tuotteen/palvelun lisäämiseksi tilaukseen (tarkistetaan nykyinen todellinen varasto, kun lisätään riviä tilaukseen riippumatta automaattisen varastomuutoksen säännöstä) +StockMustBeEnoughForShipment= Varastotason tulee olla riittävä tuotteen/palvelun lisäämiseksi lähetykseen (tarkistetaan nykyinen todellinen varasto lisättäessä riviä lähetykseen riippumatta automaattisen varastomuutoksen säännöstä) +MovementLabel=Liikkeen merkki +TypeMovement=Liikkeen suunta +DateMovement=päiväys liikkeestä +InventoryCode=Liike- tai varastokoodi +IsInPackage=Pakkauksessa mukana +WarehouseAllowNegativeTransfer=Varasto voi olla negatiivinen +qtyToTranferIsNotEnough=Sinulla ei ole tarpeeksi varastoa lähdevarastostasi ja, asetukset eivät salli negatiivisia varastoja. +qtyToTranferLotIsNotEnough=Sinulla ei ole tarpeeksi varastoa tälle eränumerolle lähdevarastostasi ja, asetukset eivät salli negatiivisia varastoja (määrä tuotteelle %s" erällä "%s" on %s varastossa 'b9fz'07f4b9fz80 /span>'). ShowWarehouse=Näytä varasto -MovementCorrectStock=Stock correction for product %s -MovementTransferStock=Stock transfer of product %s into another warehouse -InventoryCodeShort=Inv./Mov. code -NoPendingReceptionOnSupplierOrder=No pending reception due to open purchase order -ThisSerialAlreadyExistWithDifferentDate=This lot/serial number (%s) already exists but with different eatby or sellby date (found %s but you enter %s). -OpenAnyMovement=Open (all movement) -OpenInternal=Open (only internal movement) -UseDispatchStatus=Use a dispatch status (approve/refuse) for product lines on purchase order reception -OptionMULTIPRICESIsOn=Option "several prices per segment" is on. It means a product has several selling price so value for sell can't be calculated -ProductStockWarehouseCreated=Stock limit for alert and desired optimal stock correctly created -ProductStockWarehouseUpdated=Stock limit for alert and desired optimal stock correctly updated -ProductStockWarehouseDeleted=Stock limit for alert and desired optimal stock correctly deleted -AddNewProductStockWarehouse=Set new limit for alert and desired optimal stock -AddStockLocationLine=Decrease quantity then click to split the line -InventoryDate=Inventory date -Inventories=Inventories -NewInventory=New inventory -inventorySetup = Inventory Setup -inventoryCreatePermission=Create new inventory -inventoryReadPermission=View inventories -inventoryWritePermission=Update inventories -inventoryValidatePermission=Validate inventory -inventoryDeletePermission=Delete inventory +MovementCorrectStock=Varastokorjaus tuotteelle %s +MovementTransferStock=Tuotteen %s varastosiirto toiseen varastoon +BatchStockMouvementAddInGlobal=Erävarasto siirtyy globaaliin varastoon (tuote ei enää käytä erää) +InventoryCodeShort=Inv./Mov. koodi +NoPendingReceptionOnSupplierOrder=Ei odottavaa vastaanottoa avoimen Hankinta tilauksen vuoksi +ThisSerialAlreadyExistWithDifferentDate=Tämä erä/Sarjanumero (%s) on jo olemassa, mutta sillä on eri eatby tai sellby päiväys (löytyi ). +OpenAnyMovement=Avaa (kaikki liikkeet) +OpenInternal=Avoin (vain sisäinen liike) +UseDispatchStatus=Käytä lähetystilaa (hyväksyä/refuse) tuotelinjoille Hankinta tilauksen vastaanotossa +OptionMULTIPRICESIsOn=Vaihtoehto "useita hintoja segmenttiä kohti" on päällä. Se tarkoittaa, että tuotteella on useita myyntihintoja, joten myyntiarvoa ei voida laskea +ProductStockWarehouseCreated=Varastorajoitus hälytykselle ja haluttu optimaalinen varasto luotu oikein +ProductStockWarehouseUpdated=Varastorajoitus hälytykselle ja haluttu optimaalinen varasto päivitetty oikein +ProductStockWarehouseDeleted=Varastorajoitus hälytykselle ja haluttu optimaalinen varasto poistettu oikein +ProductStockWarehouse=Varastorajoitus hälytykselle ja haluttu optimaalinen varasto tuotekohtaisesti ja varasto +AddNewProductStockWarehouse=Aseta uusi raja hälytykselle ja haluttu optimaalinen varasto +AddStockLocationLine=vähentää määrä ja jaa rivi napsauttamalla +InventoryDate=Mainosjakauma päiväys +Inventories=Varastot +NewInventory=Uusi varasto +inventorySetup = Varaston asetukset +inventoryCreatePermission=luo uusi mainosjakauma +inventoryReadPermission=Näytä varastot +inventoryWritePermission=Päivitä varastot +inventoryValidatePermission=Vahvista varasto +inventoryDeletePermission=Poista varasto inventoryTitle=Varasto -inventoryListTitle=Inventories -inventoryListEmpty=No inventory in progress -inventoryCreateDelete=Create/Delete inventory -inventoryCreate=Create new +inventoryListTitle=Varastot +inventoryListEmpty=Ei inventointia käynnissä +inventoryCreateDelete=luo/Poista mainosjakauma +inventoryCreate=luo uusi inventoryEdit=Muokkaa inventoryValidate=Hyväksytty inventoryDraft=Running -inventorySelectWarehouse=Warehouse choice +inventorySelectWarehouse=Varaston valinta inventoryConfirmCreate=Create -inventoryOfWarehouse=Inventory for warehouse: %s -inventoryErrorQtyAdd=Error: one quantity is less than zero -inventoryMvtStock=By inventory -inventoryWarningProductAlreadyExists=This product is already into list +inventoryOfWarehouse=Varaston varasto: %s +inventoryErrorQtyAdd=Virhe: yksi määrä on pienempi kuin nolla +inventoryMvtStock=Varaston mukaan +inventoryWarningProductAlreadyExists=Tämä tuote on jo listalla SelectCategory=Luokka suodatin -SelectFournisseur=Vendor filter +SelectFournisseur=Toimittaja suodatin inventoryOnDate=Varasto -INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Stock movements will have the date of inventory (instead of the date of inventory validation) -inventoryChangePMPPermission=Allow to change PMP value for a product -ColumnNewPMP=New unit PMP -OnlyProdsInStock=Do not add product without stock -TheoricalQty=Theorical qty -TheoricalValue=Theorical qty -LastPA=Last BP -CurrentPA=Curent BP -RecordedQty=Recorded Qty -RealQty=Real Qty -RealValue=Real Value -RegulatedQty=Regulated Qty -AddInventoryProduct=Add product to inventory +INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Varastojen liikkeillä on varaston päiväys (varaston vahvistuksen päiväys sijaan) +inventoryChangePMPPermission=Salli muuttaa tuotteen PMP-arvoa +ColumnNewPMP=Uusi yksikkö PMP +OnlyProdsInStock=Älä lisää tuotetta ilman varastoa +TheoricalQty=Teoreettinen määrä +TheoricalValue=Teoreettinen määrä +LastPA=Viimeinen BP +CurrentPA=Nykyinen verenpaine +RecordedQty=Kirjattu määrä +RealQty=Todellinen määrä +RealValue=Todellinen arvo +RegulatedQty=Säännelty määrä +AddInventoryProduct=Lisää tuote varastoon AddProduct=Lisää -ApplyPMP=Apply PMP -FlushInventory=Flush inventory -ConfirmFlushInventory=Do you confirm this action? -InventoryFlushed=Inventory flushed -ExitEditMode=Exit edition +ApplyPMP=Käytä PMP:tä +FlushInventory=Tyhjennä varasto +ConfirmFlushInventory=Vahvistatko tämän toimenpiteen? +InventoryFlushed=Varasto tyhjennetty +ExitEditMode=Poistu versiosta inventoryDeleteLine=Poista rivi -RegulateStock=Regulate Stock +RegulateStock=Säädä varastoa ListInventory=Luettelo -StockSupportServices=Stock management supports Services -StockSupportServicesDesc=By default, you can stock only products of type "product". You may also stock a product of type "service" if both module Services and this option are enabled. -ReceiveProducts=Receive items -StockIncreaseAfterCorrectTransfer=Increase by correction/transfer -StockDecreaseAfterCorrectTransfer=Decrease by correction/transfer -StockIncrease=Stock increase -StockDecrease=Stock decrease -InventoryForASpecificWarehouse=Inventory for a specific warehouse -InventoryForASpecificProduct=Inventory for a specific product -StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use -ForceTo=Force to -AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) -StockAtDatePastDesc=You can view here the stock (real stock) at a given date in the past -StockAtDateFutureDesc=You can view here the stock (virtual stock) at a given date in the future -CurrentStock=Current stock -InventoryRealQtyHelp=Set value to 0 to reset qty
      Keep field empty, or remove line, to keep unchanged -UpdateByScaning=Complete real qty by scaning -UpdateByScaningProductBarcode=Update by scan (product barcode) -UpdateByScaningLot=Update by scan (lot|serial barcode) -DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement. -ImportFromCSV=Import CSV list of movement -ChooseFileToImport=Upload file then click on the %s icon to select file as source import file... -SelectAStockMovementFileToImport=select a stock movement file to import -InfoTemplateImport=Uploaded file needs to have this format (* are mandatory fields):
      Source Warehouse* | Target Warehouse* | Product* | Quantity* | Lot/serial number
      CSV character separator must be "%s" -LabelOfInventoryMovemement=Inventory %s +StockSupportServices=Varastonhallinta tukee Palveluita +StockSupportServicesDesc=Tekijällä oletus voit varastoida vain tuotteet tyyppiä "tuote". Voit myös varastossa "palvelu"-tyyppistä tuotetta, jos molemmat moduulipalvelut ja ovat käytössä. +ReceiveProducts=Vastaanota kohteita +StockIncreaseAfterCorrectTransfer=Lisää korjauksella/siirrolla +StockDecreaseAfterCorrectTransfer=vähentää korjauksella/siirrolla +StockIncrease=Varaston lisäys +StockDecrease=Varasto vähentää +InventoryForASpecificWarehouse=Varasto tietylle varastolle +InventoryForASpecificProduct=Tietyn tuotteen varasto +StockIsRequiredToChooseWhichLotToUse=Olemassa oleva varasto vaaditaan, jotta voidaan valita käytettävä erä +ForceTo=Pakottaa +AlwaysShowFullArbo=Näytä varaston (ylätason Varastot) koko polku varastolinkkien ponnahdusikkunassa (Varoitus: tämä voi vähentää vaikuttaa dramaattisesti) +StockAtDatePastDesc=Voit tarkastella tästä osaketta (oikea osake) tietyllä päiväys aiemmin +StockAtDateFutureDesc=Voit katsoa tästä osakkeen (virtuaaliosake) tietyllä päiväys tulevaisuudessa +CurrentStock=Varastotilanne +InventoryRealQtyHelp=Aseta arvoksi 0 nollataksesi määrän
      Pidä Kenttä tyhjänä tai poista rivi, jotta se pysyy muuttumattomana +UpdateByScaning=Täytä todellinen määrä skannaamalla +UpdateByScaningProductBarcode=Päivitys skannauksella (tuote viivakoodi) +UpdateByScaningLot=Päivitys skannauksella (lot|sarja viivakoodi) +DisableStockChangeOfSubProduct=Poista kaikkien tämän sarjan osatuotteiden varastomuutos käytöstä tämän liikkeen aikana. +ImportFromCSV=Tuo CSV-luettelo liikkeestä +ChooseFileToImport=Lataa tiedosto ja napsauta sitten %s-kuvaketta valitaksesi tiedosto lähteen tuomiseksi. tiedosto... +SelectAStockMovementFileToImport=valitse tuotava osakeliike tiedosto +InfoTemplateImport=Ladatun tiedosto on oltava tässä muodossa (* ovat pakollisia kenttiä):
      Lähdevarasto* | Kohdevarasto* | Tuote* | Määrä* | Erä/sarjanumero
      CSV-merkkierottimen on oltava "%s" +LabelOfInventoryMovemement=Mainosjakauma %s ReOpen=Uudelleenavaa -ConfirmFinish=Do you confirm the closing of the inventory ? This will generate all stock movements to update your stock to the real qty you entered into the inventory. -ObjectNotFound=%s not found -MakeMovementsAndClose=Generate movements and close -AutofillWithExpected=Fill real quantity with expected quantity -ShowAllBatchByDefault=By default, show batch details on product "stock" tab -CollapseBatchDetailHelp=You can set batch detail default display in stocks module configuration -ErrorWrongBarcodemode=Unknown Barcode mode -ProductDoesNotExist=Product does not exist -ErrorSameBatchNumber=Several record for the batch number were found in the inventory sheet. No way to know which one to increase. -ProductBatchDoesNotExist=Product with batch/serial does not exist -ProductBarcodeDoesNotExist=Product with barcode does not exist -WarehouseId=Warehouse ID -WarehouseRef=Warehouse Ref -SaveQtyFirst=Save the real inventoried quantities first, before asking creation of the stock movement. +ConfirmFinish=Vahvistatko varaston sulkemisen? Tämä luo kaikki varastoliikkeet varaston päivittämiseksi varastoon syöttämäsi todelliseen määrään. +ObjectNotFound=%s ei löytynyt +MakeMovementsAndClose=Luo liikkeitä ja sulje +AutofillWithExpected=Täytä todellinen määrä odotetulla määrällä +ShowAllBatchByDefault=Tekijä: oletus, näytä erätiedot tuotteen Varasto-välilehdellä +CollapseBatchDetailHelp=Voit määrittää erän tiedot oletus varastomoduulin määrityksissä +ErrorWrongBarcodemode=Tuntematon viivakoodi-tila +ProductDoesNotExist=Tuotetta ei ole olemassa +ErrorSameBatchNumber=Varastolomakkeesta löytyi useita eränumeron tietueita. Ei voi tietää, kumpaa nostaa. +ProductBatchDoesNotExist=Erä-/sarjatuotetta ei ole olemassa +ProductBarcodeDoesNotExist=Tuotetta viivakoodi ei ole olemassa +WarehouseId=Varaston tunnus +WarehouseRef=Varastoviite +SaveQtyFirst=Tallenna ensin todelliset inventoidut määrät, ennen kuin pyydät varastoliikkeen luomista. ToStart=Alku InventoryStartedShort=Aloitettu -ErrorOnElementsInventory=Operation canceled for the following reason: -ErrorCantFindCodeInInventory=Can't find the following code in inventory -QtyWasAddedToTheScannedBarcode=Success !! The quantity was added to all the requested barcode. You can close the Scanner tool. -StockChangeDisabled=Change on stock disabled -NoWarehouseDefinedForTerminal=No warehouse defined for terminal -ClearQtys=Clear all quantities -ModuleStockTransferName=Advanced Stock Transfer -ModuleStockTransferDesc=Advanced management of Stock Transfer, with generation of transfer sheet -StockTransferNew=New stock transfer -StockTransferList=Stock transfers list -ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with reference %s ? -ConfirmDestock=Decrease of stocks with transfer %s -ConfirmDestockCancel=Cancel decrease of stocks with transfer %s -DestockAllProduct=Decrease of stocks -DestockAllProductCancel=Cancel decrease of stocks -ConfirmAddStock=Increase stocks with transfer %s -ConfirmAddStockCancel=Cancel increase of stocks with transfer %s -AddStockAllProduct=Increase of stocks -AddStockAllProductCancel=Cancel increase of stocks -DatePrevueDepart=Intended date of departure -DateReelleDepart=Real date of departure -DatePrevueArrivee=Intended date of arrival -DateReelleArrivee=Real date of arrival -HelpWarehouseStockTransferSource=If this warehouse is set, only itself and its children will be available as source warehouse -HelpWarehouseStockTransferDestination=If this warehouse is set, only itself and its children will be available as destination warehouse -LeadTimeForWarning=Lead time before alert (in days) -TypeContact_stocktransfer_internal_STFROM=Sender of stocks transfer -TypeContact_stocktransfer_internal_STDEST=Recipient of stocks transfer -TypeContact_stocktransfer_internal_STRESP=Responsible of stocks transfer -StockTransferSheet=Stocks transfer sheet -StockTransferSheetProforma=Proforma stocks transfer sheet -StockTransferDecrementation=Decrease source warehouses -StockTransferIncrementation=Increase destination warehouses -StockTransferDecrementationCancel=Cancel decrease of source warehouses -StockTransferIncrementationCancel=Cancel increase of destination warehouses -StockStransferDecremented=Source warehouses decreased -StockStransferDecrementedCancel=Decrease of source warehouses canceled -StockStransferIncremented=Closed - Stocks transfered -StockStransferIncrementedShort=Stocks transfered -StockStransferIncrementedShortCancel=Increase of destination warehouses canceled -StockTransferNoBatchForProduct=Product %s doesn't use batch, clear batch on line and retry -StockTransferSetup = Stocks Transfer module configuration +ErrorOnElementsInventory=Toiminta peruttu seuraavasta syystä: +ErrorCantFindCodeInInventory=Seuraavaa koodia ei löydy varastosta +QtyWasAddedToTheScannedBarcode=Menestystä!! Määrä lisättiin kaikkeen pyydettyyn viivakoodi. Voit sulkea skannerityökalun. +StockChangeDisabled=Osakevaihto pois käytöstä +NoWarehouseDefinedForTerminal=Terminaalille ei ole määritetty varastoa +ClearQtys=Tyhjennä kaikki määrät +ModuleStockTransferName=Edistynyt osakesiirto +ModuleStockTransferDesc=Edistynyt varastonsiirron hallinta siirtoarkin luomisen kanssa +StockTransferNew=Uuden osakkeen siirto +StockTransferList=Osakkeiden siirtoluettelo +ConfirmValidateStockTransfer=Haluatko varmasti vahvistaa tämän osakkeiden siirron viitenumerolla %s span> ? +ConfirmDestock=vähentää osakkeita siirrolla %s +ConfirmDestockCancel=Peru vähentää osakkeita siirtämällä %s +DestockAllProduct=vähentää osakkeista +DestockAllProductCancel=Peru vähentää osakkeista +ConfirmAddStock=Kasvata varastoja siirrolla %s +ConfirmAddStockCancel=Peru varastojen lisäys siirrolla %s +AddStockAllProduct=Varastojen lisäys +AddStockAllProductCancel=Peruuta varastojen lisäys +DatePrevueDepart=Suunniteltu lähtö päiväys +DateReelleDepart=Todellinen päiväys lähtöpaikasta +DatePrevueArrivee=Tarkoitettu päiväys saapumisesta +DateReelleArrivee=Todellinen päiväys saapumisesta +HelpWarehouseStockTransferSource=Jos tämä varasto on asetettu, vain itse ja sen alat ovat käytettävissä lähdevarastona +HelpWarehouseStockTransferDestination=Jos tämä varasto on asetettu, vain itse ja sen lapset ovat käytettävissä kohdevarastona +LeadTimeForWarning=Toimitusaika ennen hälytystä (päivissä) +TypeContact_stocktransfer_internal_STFROM=Varastojen siirron lähettäjä +TypeContact_stocktransfer_internal_STDEST=Osakkeiden siirron vastaanottaja +TypeContact_stocktransfer_internal_STRESP=Vastaa varastojen siirrosta +StockTransferSheet=Osakkeiden siirtolomake +StockTransferSheetProforma=Proforma-osakkeiden siirtolomake +StockTransferDecrementation=vähentää lähde Varastot +StockTransferIncrementation=Lisää kohdetta Varastot +StockTransferDecrementationCancel=Peru vähentää lähteestä Varastot +StockTransferIncrementationCancel=Peru määränpään lisäys Varastot +StockStransferDecremented=Lähde Varastot vähentynyt +StockStransferDecrementedCancel=vähentää lähteestä Varastot peruutettu +StockStransferIncremented=Suljettu - Varastot siirretty +StockStransferIncrementedShort=Osakkeet siirretty +StockStransferIncrementedShortCancel=Kohteen Varastot korotus peruutettu +StockTransferNoBatchForProduct=Tuote %s ei käytä erää, tyhjennä erä rivillä ja yritä uudelleen +StockTransferSetup = Osakkeiden siirtomoduulin konfigurointi Settings=Asetukset -StockTransferSetupPage = Configuration page for stocks transfer module -StockTransferRightRead=Read stocks transfers -StockTransferRightCreateUpdate=Create/Update stocks transfers -StockTransferRightDelete=Delete stocks transfers -BatchNotFound=Lot / serial not found for this product +StockTransferSetupPage = Varastojen siirtomoduulin konfigurointisivu +StockTransferRightRead=Lue osakesiirrot +StockTransferRightCreateUpdate=luo/Päivitä osakesiirrot +StockTransferRightDelete=Poista osakkeiden siirrot +BatchNotFound=Erää/sarjaa ei löytynyt tälle tuotteelle +StockEntryDate=päiväys /
      varastossa +StockMovementWillBeRecorded=Osakeliikkeet kirjataan +StockMovementNotYetRecorded=Tämä vaihe ei vaikuta varastojen liikkeisiin +ReverseConfirmed=Osakeliikkeet on kääntynyt onnistuneesti + +WarningThisWIllAlsoDeleteStock=Varoitus, tämä tuhoaa myös kaikki varastossa olevat määrät +ValidateInventory=Varaston validointi +IncludeSubWarehouse=Sisällytä alivarasto? +IncludeSubWarehouseExplanation=Valitse tämä ruutu, jos haluat sisällyttää varastoon liitetyn varaston kaikki ala-Varastot +DeleteBatch=Poista erä/sarja +ConfirmDeleteBatch=Haluatko varmasti poistaa erän/sarjan? +WarehouseUsage=Varaston käyttö +InternalWarehouse=Sisäinen varasto +ExternalWarehouse=Ulkoinen varasto +WarningThisWIllAlsoDeleteStock=Varoitus, tämä tuhoaa myös kaikki varastossa olevat määrät diff --git a/htdocs/langs/fi_FI/stripe.lang b/htdocs/langs/fi_FI/stripe.lang index b989a171efc..a1573480e0b 100644 --- a/htdocs/langs/fi_FI/stripe.lang +++ b/htdocs/langs/fi_FI/stripe.lang @@ -1,71 +1,80 @@ # Dolibarr language file - Source file is en_US - stripe -StripeSetup=Stripe module setup -StripeDesc=Offer your customers an online payment page for payments with credit/debit cards via Stripe. This can be used to allow your customers to make ad-hoc payments or for payments related to a particular Dolibarr object (invoice, order, ...) -StripeOrCBDoPayment=Pay with credit card or Stripe +StripeSetup=Stripe-moduulin asennus +StripeDesc=Tarjoa asiakkaat online-sivulle maksu luotto- tai pankkikorttimaksuja varten span>Raita. Tätä voidaan käyttää sallimaan asiakkaat suorittaa tapausmaksuja tai tiettyyn Dolibarr-objektiin liittyviä maksuja (lasku, tilaus jne.) +StripeOrCBDoPayment=Maksa luottokortilla tai Stripellä FollowingUrlAreAvailableToMakePayments=Seuraavat URL-osoitteet ovat käytettävissä tarjota sivu asiakas tehdä maksua Dolibarr esineitä PaymentForm=Maksu-muodossa -WelcomeOnPaymentPage=Welcome to our online payment service +WelcomeOnPaymentPage=Tervetuloa verkkopalveluumme maksu ThisScreenAllowsYouToPay=Tässä näytössä voit tehdä online-maksu %s. ThisIsInformationOnPayment=Tämä on informations maksua tehdä ToComplete=Saattamaan YourEMail=Sähköposti maksupyyntö vahvistus -STRIPE_PAYONLINE_SENDEMAIL=Email notification after a payment attempt (success or fail) +STRIPE_PAYONLINE_SENDEMAIL=Sähköposti-ilmoitus maksu yrityksen jälkeen (onnistui tai epäonnistui) Creditor=Velkoja PaymentCode=Maksu-koodi -StripeDoPayment=Pay with Stripe -YouWillBeRedirectedOnStripe=You will be redirected on secured Stripe page to input you credit card information +StripeDoPayment=Maksa Stripellä +YouWillBeRedirectedOnStripe=Sinut ohjataan suojatulle Stripe-sivulle syöttämään luottokorttitietosi Continue=Seuraava ToOfferALinkForOnlinePayment=URL %s maksua -ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order -ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice -ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line -ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment page of any amount with no existing object -ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment page for a member subscription -ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation -YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag.
      For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter) -SetupStripeToHavePaymentCreatedAutomatically=Setup your Stripe with url %s to have payment created automatically when validated by Stripe. +ToOfferALinkForOnlinePaymentOnOrder=URL-osoite %s online- maksu -sivun tarjoamiseksi myyntitilaukselle +ToOfferALinkForOnlinePaymentOnInvoice=URL-osoite %s online- maksu -sivun tarjoamiseksi asiakkaan laskulle +ToOfferALinkForOnlinePaymentOnContractLine=URL-osoite, jolla tarjotaan %s online- maksu -sivu sopimusriville +ToOfferALinkForOnlinePaymentOnFreeAmount=URL-osoite, jolla tarjotaan %s online- maksu -sivu minkä tahansa summan ilman objektia +ToOfferALinkForOnlinePaymentOnMemberSubscription=URL-osoite, joka tarjoaa %s online- maksu -sivun jäsentilaukselle +ToOfferALinkForOnlinePaymentOnDonation=URL-osoite, jolla tarjotaan %s online maksu -sivu maksu lahjoituksesta +YouCanAddTagOnUrl=Voit myös lisätä URL-parametrin &tag=value class='notranslate'>
      mihin tahansa näistä URL-osoitteista (pakollinen vain maksulle, jota ei ole linkitetty objektiin), jotta voit lisätä oman maksu kommenttitunniste.
      Voit myös lisätä parametrin sellaisten maksujen URL-osoitteeseen, joissa ei ole olemassa olevaa objektia. >> class='notranslate'>maksu arvoksi 1 jokaiselle eri linkille ilman tätä parametria) +SetupStripeToHavePaymentCreatedAutomatically=Määritä Stripe URL-osoitteella %s, jotta saat maksu luodaan automaattisesti, kun Stripe on vahvistanut. AccountParameter=Tilin parametrit UsageParameter=Käyttöparametrien InformationToFindParameters=Auta löytää %s tilitiedot -STRIPE_CGI_URL_V2=Url of Stripe CGI module for payment +STRIPE_CGI_URL_V2=Stripe CGI -moduulin URL-osoite kohteelle maksu CSSUrlForPaymentForm=CSS-tyylisivu url maksun muodossa -NewStripePaymentReceived=New Stripe payment received -NewStripePaymentFailed=New Stripe payment tried but failed -FailedToChargeCard=Failed to charge card -STRIPE_TEST_SECRET_KEY=Secret test key -STRIPE_TEST_PUBLISHABLE_KEY=Publishable test key -STRIPE_TEST_WEBHOOK_KEY=Webhook test key -STRIPE_LIVE_SECRET_KEY=Secret live key -STRIPE_LIVE_PUBLISHABLE_KEY=Publishable live key -STRIPE_LIVE_WEBHOOK_KEY=Webhook live key -ONLINE_PAYMENT_WAREHOUSE=Stock to use for stock decrease when online payment is done
      (TODO When option to decrease stock is done on an action on invoice and the online payment generate itself the invoice ?) -StripeLiveEnabled=Stripe live enabled (otherwise test/sandbox mode) -StripeImportPayment=Import Stripe payments -ExampleOfTestCreditCard=Example of credit card for test: %s => valid, %s => error CVC, %s => expired, %s => charge fails -StripeGateways=Stripe gateways -OAUTH_STRIPE_TEST_ID=Stripe Connect Client ID (ca_...) -OAUTH_STRIPE_LIVE_ID=Stripe Connect Client ID (ca_...) -BankAccountForBankTransfer=Bank account for fund payouts -StripeAccount=Stripe account -StripeChargeList=List of Stripe charges -StripeTransactionList=List of Stripe transactions -StripeCustomerId=Stripe customer id -StripePaymentModes=Stripe payment modes -LocalID=Local ID -StripeID=Stripe ID -NameOnCard=Name on card -CardNumber=Card Number -ExpiryDate=Expiry Date +NewStripePaymentReceived=Uusi Stripe maksu vastaanotettu +NewStripePaymentFailed=Uusi Stripe maksu yritti, mutta epäonnistui +FailedToChargeCard=Kortin veloitus epäonnistui +STRIPE_TEST_SECRET_KEY=Salainen testiavain +STRIPE_TEST_PUBLISHABLE_KEY=Julkaistu testiavain +STRIPE_TEST_WEBHOOK_KEY=Webhook-testiavain +STRIPE_LIVE_SECRET_KEY=Salainen live-avain +STRIPE_LIVE_PUBLISHABLE_KEY=Julkaistu live-avain +STRIPE_LIVE_WEBHOOK_KEY=Webhook live-avain +ONLINE_PAYMENT_WAREHOUSE=Osake käytettäväksi varastossa vähentää, kun online-tilassa maksu on valmis
      (TODO) Kun vaihtoehto vähentää on tehty laskun ja toiminnolle, online maksu span> luo itse laskun?) +StripeLiveEnabled=Stripe live käytössä (muuten testi/hiekkalaatikkotila) +StripeImportPayment=Tuo Stripe-maksut +ExampleOfTestCreditCard=Esimerkki luottokortista testiä varten maksu: %s => kelvollinen, %s > => virhe CVC, %s => vanhentunut, %s => veloitus epäonnistuu +ExampleOfTestBankAcountForSEPA=Esimerkki pankkitili BANista suoraveloitustestissä: %s +StripeGateways=Raidalliset yhdyskäytävät +OAUTH_STRIPE_TEST_ID=Stripe Connect -asiakastunnus (ca_...) +OAUTH_STRIPE_LIVE_ID=Stripe Connect -asiakastunnus (ca_...) +BankAccountForBankTransfer=pankkitili rahaston maksuille +StripeAccount=Stripe tili +StripeChargeList=Luettelo Stripe-maksuista +StripeTransactionList=Luettelo Stripe-tapahtumista +StripeCustomerId=Raidallinen asiakastunnus +StripePaymentId=Raidan maksu tunnus +StripePaymentModes=Raita maksu -tilat +LocalID=Paikallinen tunnus +StripeID=Raidan tunnus +NameOnCard=Nimi kortissa +CardNumber=Kortin numero +ExpiryDate=Vanhentuminen päiväys CVN=CVN -DeleteACard=Delete Card -ConfirmDeleteCard=Are you sure you want to delete this Credit or Debit card? -CreateCustomerOnStripe=Create customer on Stripe -CreateCardOnStripe=Create card on Stripe -ShowInStripe=Show in Stripe -StripeUserAccountForActions=User account to use for email notification of some Stripe events (Stripe payouts) -StripePayoutList=List of Stripe payouts -ToOfferALinkForTestWebhook=Link to setup Stripe WebHook to call the IPN (test mode) -ToOfferALinkForLiveWebhook=Link to setup Stripe WebHook to call the IPN (live mode) -PaymentWillBeRecordedForNextPeriod=Payment will be recorded for the next period. -ClickHereToTryAgain=Click here to try again... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s +DeleteACard=Poista kortti +ConfirmDeleteCard=Haluatko varmasti poistaa tämän luotto- tai maksukortin? +CreateCustomerOnStripe=luo asiakas Stripessä +CreateCardOnStripe=luo -kortti Stripessä +CreateBANOnStripe=luo Stripen pankki +ShowInStripe=Näytä raidalla +StripeUserAccountForActions=Käyttäjätili, jota käytetään sähköposti-ilmoituksiin joistakin Stripe-tapahtumista (Stripe-maksut) +StripePayoutList=Luettelo Stripe-maksuista +ToOfferALinkForTestWebhook=Linkki Stripe WebHookin määrittämiseen IPN:n kutsumiseksi (testitila) +ToOfferALinkForLiveWebhook=Linkki Stripe WebHookin määrittämiseen IPN:n kutsumiseksi (live-tila) +PaymentWillBeRecordedForNextPeriod=maksu tallennetaan seuraavalle kaudelle. +ClickHereToTryAgain=Yritä uudelleen napsauttamalla tätä... +CreationOfPaymentModeMustBeDoneFromStripeInterface=Vahvan asiakkaan Autentikointi sääntöjen vuoksi kortti on luotava Stripen taustatoimistosta. Napsauta tätä ottaaksesi Stripe-asiakastietueen käyttöön: %s +STRIPE_CARD_PRESENT=Korttilahja Stripe-päätteille +TERMINAL_LOCATION=Stripe Terminalsin sijainti (osoite). +RequestDirectDebitWithStripe=Pyydä suoraveloitus Stripen kautta +RequesCreditTransferWithStripe=Pyydä tilisiirtoa Stripelta +STRIPE_SEPA_DIRECT_DEBIT=Ota suoraveloitusmaksut käyttöön Stripen kautta +StripeConnect_Mode=Stripe Connect -tila diff --git a/htdocs/langs/fi_FI/supplier_proposal.lang b/htdocs/langs/fi_FI/supplier_proposal.lang index 1612b16d93b..7f413523818 100644 --- a/htdocs/langs/fi_FI/supplier_proposal.lang +++ b/htdocs/langs/fi_FI/supplier_proposal.lang @@ -1,55 +1,59 @@ # Dolibarr language file - Source file is en_US - supplier_proposal -SupplierProposal=Vendor commercial proposals -supplier_proposalDESC=Manage price requests to suppliers -SupplierProposalNew=New price request -CommRequest=Price request +SupplierProposal=Toimittaja kaupallista ehdotusta +supplier_proposalDESC=Hallinnoi hintapyyntöjä numeroon Toimittajat +SupplierProposalNew=Uusi hintapyyntö +CommRequest=Hintapyyntö CommRequests=Tarjouspyynnöt yhteensä -SearchRequest=Find a request -DraftRequests=Draft requests -SupplierProposalsDraft=Draft vendor proposals -LastModifiedRequests=Latest %s modified price requests -RequestsOpened=Open price requests -SupplierProposalArea=Vendor proposals area -SupplierProposalShort=Vendor proposal +SearchRequest=Etsi pyyntö +DraftRequests=Luonnos pyyntöä +SupplierProposalsDraft=Luonnos Toimittaja ehdotusta +LastModifiedRequests=Viimeisimmät %s muokatut hintapyynnöt +RequestsOpened=Avoimet hintapyynnöt +SupplierProposalArea=Toimittaja ehdotusalue +SupplierProposalShort=Toimittaja tarjous SupplierProposals=Toimittajan ehdotukset SupplierProposalsShort=Toimittajan ehdotukset -AskPrice=Price request -NewAskPrice=New price request -ShowSupplierProposal=Show price request -AddSupplierProposal=Create a price request -SupplierProposalRefFourn=Vendor ref +AskPrice=Hintapyyntö +NewAskPrice=Uusi hintapyyntö +ShowSupplierProposal=Näytä hintapyyntö +AddSupplierProposal=luo hintapyyntö +SupplierProposalRefFourn=Toimittaja viite SupplierProposalDate=Toimituspäivää -SupplierProposalRefFournNotice=Before closing to "Accepted", think to grasp suppliers references. -ConfirmValidateAsk=Are you sure you want to validate this price request under name %s? -DeleteAsk=Delete request -ValidateAsk=Validate request +SupplierProposalRefFournNotice=Ennen kuin suljet kohdan "Hyväksytty", ymmärrä Toimittajat viittaukset. +ConfirmValidateAsk=Haluatko varmasti vahvistaa tämän hintapyynnön nimellä %s? +DeleteAsk=Poista pyyntö +ValidateAsk=Vahvista pyyntö SupplierProposalStatusDraft=Luonnos (on vahvistettu) -SupplierProposalStatusValidated=Validated (request is open) +SupplierProposalStatusValidated=Vahvistettu (pyyntö on auki) SupplierProposalStatusClosed=Suljettu -SupplierProposalStatusSigned=Accepted +SupplierProposalStatusSigned=Hyväksytty SupplierProposalStatusNotSigned=Refused SupplierProposalStatusDraftShort=Luonnos SupplierProposalStatusValidatedShort=Vahvistetut SupplierProposalStatusClosedShort=Suljettu -SupplierProposalStatusSignedShort=Accepted +SupplierProposalStatusSignedShort=Hyväksytty SupplierProposalStatusNotSignedShort=Refused -CopyAskFrom=Create a price request by copying an existing request -CreateEmptyAsk=Create blank request -ConfirmCloneAsk=Are you sure you want to clone the price request %s? -ConfirmReOpenAsk=Are you sure you want to open back the price request %s? -SendAskByMail=Send price request by mail -SendAskRef=Sending the price request %s -SupplierProposalCard=Request card -ConfirmDeleteAsk=Are you sure you want to delete this price request %s? -ActionsOnSupplierProposal=Events on price request -DocModelAuroreDescription=A complete request model (logo...) -CommercialAsk=Price request +CopyAskFrom=luo hintapyynnön kopioimalla olemassa oleva pyyntö +CreateEmptyAsk=luo tyhjä pyyntö +ConfirmCloneAsk=Haluatko varmasti kloonata hintapyynnön %s? +ConfirmReOpenAsk=Haluatko varmasti avata hintapyynnön %s ? +SendAskByMail=Lähetä hintapyyntö postitse +SendAskRef=Lähetetään hintapyyntö %s +SupplierProposalCard=Pyydä korttia +ConfirmDeleteAsk=Haluatko varmasti poistaa tämän hintapyynnön %s? +ActionsOnSupplierProposal=Tapahtumat hintapyynnöstä +DocModelAuroreDescription=Täydellinen malli Toimittaja tarjouspyynnölle (vanha Sponge-mallin toteutus) +DocModelZenithDescription=Täydellinen malli Toimittaja tarjouspyynnölle +CommercialAsk=Hintapyyntö DefaultModelSupplierProposalCreate=Oletusmallin luonti -DefaultModelSupplierProposalToBill=Default template when closing a price request (accepted) -DefaultModelSupplierProposalClosed=Default template when closing a price request (refused) -ListOfSupplierProposals=List of vendor proposal requests -ListSupplierProposalsAssociatedProject=List of vendor proposals associated with project -SupplierProposalsToClose=Vendor proposals to close -SupplierProposalsToProcess=Vendor proposals to process -LastSupplierProposals=Latest %s price requests -AllPriceRequests=All requests +DefaultModelSupplierProposalToBill=oletus malli, kun suljetaan hintapyyntö (hyväksytty) +DefaultModelSupplierProposalClosed=oletus malli, kun suljetaan hintapyyntö (hylätty) +ListOfSupplierProposals=Luettelo Toimittaja tarjous pyynnöistä +ListSupplierProposalsAssociatedProject=Luettelo Toimittaja projektiin liittyvistä ehdotuksista +SupplierProposalsToClose=Toimittaja ehdotuksia suljettavaksi +SupplierProposalsToProcess=Toimittaja käsiteltävää ehdotusta +LastSupplierProposals=Viimeisimmät %s hintapyynnöt +AllPriceRequests=Kaikki pyynnöt +TypeContact_supplier_proposal_external_SHIPPING=Toimittaja yhteyshenkilö toimitus +TypeContact_supplier_proposal_external_BILLING=Toimittaja laskutuksen yhteyshenkilö +TypeContact_supplier_proposal_external_SERVICE=Edustaja seuraamaan tarjousta diff --git a/htdocs/langs/fi_FI/suppliers.lang b/htdocs/langs/fi_FI/suppliers.lang index 9b8956498e0..a4fb16dd3f5 100644 --- a/htdocs/langs/fi_FI/suppliers.lang +++ b/htdocs/langs/fi_FI/suppliers.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - vendors Suppliers=Toimittajat -SuppliersInvoice=Vendor invoice +SuppliersInvoice=ostolasku SupplierInvoices=Toimittajan laskut -ShowSupplierInvoice=Show Vendor Invoice -NewSupplier=New vendor +ShowSupplierInvoice=Näytä ostolasku +NewSupplier=Uusi Toimittaja +NewSupplierInvoice = Uusi ostolasku History=Historia -ListOfSuppliers=List of vendors -ShowSupplier=Show vendor +ListOfSuppliers=Lista myyjistä +ShowSupplier=Näytä Toimittaja OrderDate=Tilauspäivä BuyingPriceMin=Alhaisin ostohinta BuyingPriceMinShort=Alhaisin ostohinta @@ -15,35 +16,42 @@ TotalSellingPriceMinShort=Alatuotteiden myyntihinta yhteensä SomeSubProductHaveNoPrices=Joidenkin alatuotteidin hintoja ei ole määritelty AddSupplierPrice=Lisää ostohinta ChangeSupplierPrice=Muuta ostohintaa -SupplierPrices=Vendor prices -ReferenceSupplierIsAlreadyAssociatedWithAProduct=This vendor reference is already associated with a product: %s -NoRecordedSuppliers=No vendor recorded -SupplierPayment=Vendor payment -SuppliersArea=Vendor area -RefSupplierShort=Ref. vendor +SupplierPrices=Toimittaja hinnat +ReferenceSupplierIsAlreadyAssociatedWithAProduct=Tämä Toimittaja viite on jo liitetty tuotteeseen: %s +NoRecordedSuppliers=Ei tallennettu Toimittaja +SupplierPayment=Toimittaja maksu +SuppliersArea=Toimittaja alueella +RefSupplierShort=Viite. Toimittaja Availability=Saatavuus -ExportDataset_fournisseur_1=Vendor invoices and invoice details -ExportDataset_fournisseur_2=Vendor invoices and payments -ExportDataset_fournisseur_3=Purchase orders and order details +ExportDataset_fournisseur_1=Toimittaja laskut ja laskun tiedot +ExportDataset_fournisseur_2=Toimittaja laskut ja maksut +ExportDataset_fournisseur_3=Hankinta tilaukset ja tilaustiedot ApproveThisOrder=Hyväksy tämä tilaus ConfirmApproveThisOrder=Haluatko varmasti hyväksyä tilauksen %s? DenyingThisOrder=Kiellä tämä tilaus ConfirmDenyingThisOrder=Haluatko varmasti kieltää tilauksen %s? ConfirmCancelThisOrder=Haluatko varmasti peruuttaa tilauksen %s? -AddSupplierOrder=Create Purchase Order -AddSupplierInvoice=Create vendor invoice -ListOfSupplierProductForSupplier=List of products and prices for vendor %s -SentToSuppliers=Sent to vendors -ListOfSupplierOrders=List of purchase orders -MenuOrdersSupplierToBill=Purchase orders to invoice -NbDaysToDelivery=Delivery delay (days) -DescNbDaysToDelivery=The longest delivery delay of the products from this order -SupplierReputation=Vendor reputation -ReferenceReputation=Reference reputation +AddSupplierOrder=luo Hankinta Tilaa +AddSupplierInvoice=luo ostolasku +ListOfSupplierProductForSupplier=Luettelo tuotteet ja hinnoista Toimittaja %s +SentToSuppliers=Lähetetty myyjille +ListOfSupplierOrders=Luettelo Hankinta tilauksista +MenuOrdersSupplierToBill=Hankinta tilausta laskuun +NbDaysToDelivery=toimitus viive (päivää) +DescNbDaysToDelivery=tuotteet pisin toimitus viive tästä tilauksesta +SupplierReputation=Toimittaja maine +ReferenceReputation=Viite maine DoNotOrderThisProductToThisSupplier=Älä tilaa -NotTheGoodQualitySupplier=Low quality +NotTheGoodQualitySupplier=Heikkolaatuinen ReputationForThisProduct=Maine BuyerName=Ostajan nimi AllProductServicePrices=Kaikkien tuotteiden / palveluiden hinnat -AllProductReferencesOfSupplier=All references of vendor -BuyingPriceNumShort=Vendor prices +AllProductReferencesOfSupplier=Kaikki viittaukset Toimittaja +BuyingPriceNumShort=Toimittaja hinnat +RepeatableSupplierInvoice=Laskumalli toimittaja +RepeatableSupplierInvoices=Mallin toimittaja laskut +RepeatableSupplierInvoicesList=Mallin toimittaja laskut +RecurringSupplierInvoices=Toistuvat toimittaja laskut +ToCreateAPredefinedSupplierInvoice=Jotta voit luoda luo mallin toimittaja laskun, sinun on luo vakiolasku , napsauta sitten %s-painiketta vahvistamatta sitä. +GeneratedFromSupplierTemplate=Luotu toimittaja laskumallista %s +SupplierInvoiceGeneratedFromTemplate=toimittaja lasku %s Luotu toimittaja laskumallista %s diff --git a/htdocs/langs/fi_FI/ticket.lang b/htdocs/langs/fi_FI/ticket.lang index 0c3494c25f3..7c7263c4cad 100644 --- a/htdocs/langs/fi_FI/ticket.lang +++ b/htdocs/langs/fi_FI/ticket.lang @@ -22,63 +22,63 @@ Module56000Name=Tiketit Module56000Desc=Tiketti järjestelmä ongelmille tai tukipyyntöjen hallinnalle Permission56001=Katso tikettejä -Permission56002=Modify tickets +Permission56002=Muokkaa lippuja Permission56003=Poista tiketit -Permission56004=Manage tickets -Permission56005=See tickets of all third parties (not effective for external users, always be limited to the third party they depend on) -Permission56006=Export tickets +Permission56004=Hallitse lippuja +Permission56005=Katso kaikkien kolmansien osapuolten liput (ei koske ulkopuolisia käyttäjiä, rajoita aina kolmansiin osapuoliin, joista he ovat riippuvaisia) +Permission56006=Vie lippuja Tickets=Tiketit -TicketDictType=Ticket - Types -TicketDictCategory=Ticket - Groupes -TicketDictSeverity=Ticket - Severities -TicketDictResolution=Ticket - Resolution +TicketDictType=Lippu - tyypit +TicketDictCategory=Lippu - Ryhmät +TicketDictSeverity=Lippu - vakavuus +TicketDictResolution=Lippu - Resoluutio TicketTypeShortCOM=Kaupallinen kysymys -TicketTypeShortHELP=Request for functionnal help -TicketTypeShortISSUE=Issue or bug -TicketTypeShortPROBLEM=Problem -TicketTypeShortREQUEST=Change or enhancement request +TicketTypeShortHELP=Pyydä toiminnallista apua +TicketTypeShortISSUE=Ongelma tai bugi +TicketTypeShortPROBLEM=Ongelma +TicketTypeShortREQUEST=Muutos- tai parannuspyyntö TicketTypeShortPROJET=Hanke TicketTypeShortOTHER=Muu TicketSeverityShortLOW=Matala TicketSeverityShortNORMAL=Normaali TicketSeverityShortHIGH=Korkea -TicketSeverityShortBLOCKING=Critical, Blocking +TicketSeverityShortBLOCKING=Kriittinen, esto TicketCategoryShortOTHER=Muu ErrorBadEmailAddress=Kohta '%s' on väärin MenuTicketMyAssign=Minun tiketit -MenuTicketMyAssignNonClosed=My open tickets -MenuListNonClosed=Open tickets +MenuTicketMyAssignNonClosed=Avoimet liput +MenuListNonClosed=Avaa liput TypeContact_ticket_internal_CONTRIBUTOR=Avustaja -TypeContact_ticket_internal_SUPPORTTEC=Assigned user -TypeContact_ticket_external_SUPPORTCLI=Customer contact / incident tracking -TypeContact_ticket_external_CONTRIBUTOR=External contributor +TypeContact_ticket_internal_SUPPORTTEC=Määritetty käyttäjä +TypeContact_ticket_external_SUPPORTCLI=Asiakaskontaktien/tapahtumien seuranta +TypeContact_ticket_external_CONTRIBUTOR=Ulkoinen avustaja -OriginEmail=Reporter Email -Notify_TICKET_SENTBYMAIL=Send ticket message by email +OriginEmail=Toimittajan sähköposti +Notify_TICKET_SENTBYMAIL=Lähetä lippuviesti sähköpostilla ExportDataset_ticket_1=Tiketit # Status Read=Luettu -Assigned=Assigned -NeedMoreInformation=Waiting for reporter feedback -NeedMoreInformationShort=Waiting for feedback -Answered=Answered +Assigned=Määrätty +NeedMoreInformation=Toimittajan palautetta odotellessa +NeedMoreInformationShort=Palautetta odotellessa +Answered=Vastattu Waiting=Odotus -SolvedClosed=Solved -Deleted=Deleted +SolvedClosed=Ratkaistu +Deleted=Poistettu # Dict Type=Tyyppi Severity=Vakavuus -TicketGroupIsPublic=Group is public -TicketGroupIsPublicDesc=If a ticket group is public, it will be visible in the form when creating a ticket from the public interface +TicketGroupIsPublic=ryhmä on julkinen +TicketGroupIsPublicDesc=Jos lippu ryhmä on julkinen, se näkyy lomakkeessa luotaessa lippua julkisesta käyttöliittymästä # Email templates MailToSendTicketMessage=Sähköpostin lähettäminen lipun viestistä @@ -86,285 +86,287 @@ MailToSendTicketMessage=Sähköpostin lähettäminen lipun viestistä # # Admin page # -TicketSetup=Ticket module setup +TicketSetup=Lippumoduulin asetukset TicketSettings=Asetukset TicketSetupPage= -TicketPublicAccess=A public interface requiring no identification is available at the following url -TicketSetupDictionaries=The type of ticket, severity and analytic codes are configurable from dictionaries -TicketParamModule=Module variable setup -TicketParamMail=Email setup -TicketEmailNotificationFrom=Sender e-mail for notification on answers -TicketEmailNotificationFromHelp=Sender e-mail to use to send the notification email when an answer is provided inside the backoffice. For example noreply@example.com -TicketEmailNotificationTo=Notify ticket creation to this e-mail address -TicketEmailNotificationToHelp=If present, this e-mail address will be notified of a ticket creation -TicketNewEmailBodyLabel=Text message sent after creating a ticket -TicketNewEmailBodyHelp=The text specified here will be inserted into the email confirming the creation of a new ticket from the public interface. Information on the consultation of the ticket are automatically added. -TicketParamPublicInterface=Public interface setup -TicketsEmailMustExist=Require an existing email address to create a ticket +TicketPublicAccess=Julkinen käyttöliittymä, joka ei vaadi tunnistamista, on saatavilla seuraavasta URL-osoitteesta +TicketSetupDictionaries=Lipun tyyppi, vakavuus ja analyyttiset koodit ovat määritettävissä sanakirjoista +TicketParamModule=Moduulimuuttujien asetukset +TicketParamMail=Sähköpostin asetukset +TicketEmailNotificationFrom=Lähetä ilmoitus vastauksista sähköpostitse +TicketEmailNotificationFromHelp=Lähettäjän sähköposti, jota käytetään ilmoitussähköpostin lähettämiseen, kun vastaus on annettu taustatoimiston sisällä. Esimerkiksi noreply@example.com +TicketEmailNotificationTo=Ilmoita lipun luomisesta tähän sähköpostiosoitteeseen +TicketEmailNotificationToHelp=Jos se on olemassa, tähän sähköpostiosoitteeseen ilmoitetaan lipun luomisesta +TicketNewEmailBodyLabel=Tekstiviesti lähetetty lipun luomisen jälkeen +TicketNewEmailBodyHelp=Tässä määritetty teksti lisätään sähköpostiin, joka vahvistaa uuden lipun luomisen julkisesta käyttöliittymästä. Tiedot lipun kuulemisesta lisätään automaattisesti. +TicketParamPublicInterface=Julkisen käyttöliittymän asetukset +TicketsEmailMustExist=Vaadi olemassa oleva sähköpostiosoite luo lipun saamiseksi TicketsEmailMustExistHelp=Julkisessa käyttöliittymässä sähköpostiosoitteen täytyy olla jo tietokannassa uuden lipun luomiseksi. -TicketsShowProgression=Display the ticket progress in the public interface -TicketsShowProgressionHelp=Enable this option to hide the progress of the ticket in the public interface pages -TicketCreateThirdPartyWithContactIfNotExist=Ask name and company name for unknown emails. -TicketCreateThirdPartyWithContactIfNotExistHelp=Check if a thirdparty or a contact exists for the email entered. If not, ask a name and a company name to create a third party with contact. +TicketsShowProgression=Näytä lipun edistyminen julkisessa käyttöliittymässä +TicketsShowProgressionHelp=Ota tämä vaihtoehto käyttöön piilottaaksesi lipun edistymisen julkisilla käyttöliittymäsivuilla +TicketCreateThirdPartyWithContactIfNotExist=Kysy nimeltä ja Yritys nimi tuntemattomille sähköpostiviesteille. +TicketCreateThirdPartyWithContactIfNotExistHelp=Tarkista, onko syötetylle sähköpostille olemassa kolmas osapuoli tai yhteyshenkilö. Jos ei, kysy ja Yritys nimeä luo kolmannelle osapuoli kontaktin kanssa. PublicInterface=Julkinen käyttöliittymä -TicketUrlPublicInterfaceLabelAdmin=Alternative URL for public interface -TicketUrlPublicInterfaceHelpAdmin=It is possible to define an alias to the web server and thus make available the public interface with another URL (the server must act as a proxy on this new URL) +TicketUrlPublicInterfaceLabelAdmin=Vaihtoehtoinen URL-osoite julkiselle käyttöliittymälle +TicketUrlPublicInterfaceHelpAdmin=On mahdollista määrittää alias verkkopalvelimelle ja, jolloin julkinen käyttöliittymä on saatavilla toisella URL-osoitteella (palvelimen on toimittava välityspalvelimena tässä uudessa URL-osoitteessa) TicketPublicInterfaceTextHomeLabelAdmin=Julkisen käyttöliittymän tervetuloteksti -TicketPublicInterfaceTextHome=You can create a support ticket or view existing from its identifier tracking ticket. -TicketPublicInterfaceTextHomeHelpAdmin=The text defined here will appear on the home page of the public interface. -TicketPublicInterfaceTopicLabelAdmin=Interface title -TicketPublicInterfaceTopicHelp=This text will appear as the title of the public interface. -TicketPublicInterfaceTextHelpMessageLabelAdmin=Help text to the message entry -TicketPublicInterfaceTextHelpMessageHelpAdmin=This text will appear above the message input area of the user. -ExtraFieldsTicket=Extra attributes -TicketCkEditorEmailNotActivated=HTML editor is not activated. Please put FCKEDITOR_ENABLE_MAIL content to 1 to get it. -TicketsDisableEmail=Do not send emails for ticket creation or message recording -TicketsDisableEmailHelp=By default, emails are sent when new tickets or messages created. Enable this option to disable *all* email notifications -TicketsLogEnableEmail=Enable log by email -TicketsLogEnableEmailHelp=At each change, an email will be sent **to each contact** associated with the ticket. -TicketParams=Params -TicketsShowModuleLogo=Display the logo of the module in the public interface -TicketsShowModuleLogoHelp=Enable this option to hide the logo module in the pages of the public interface -TicketsShowCompanyLogo=Display the logo of the company in the public interface -TicketsShowCompanyLogoHelp=Enable this option to show the logo of the main company in the pages of the public interface -TicketsShowCompanyFooter=Display the footer of the company in the public interface -TicketsShowCompanyFooterHelp=Enable this option to show the footer of the main company in the pages of the public interface -TicketsEmailAlsoSendToMainAddress=Also send a notification to the main email address -TicketsEmailAlsoSendToMainAddressHelp=Enable this option to also send an email to the address defined into setup "%s" (see tab "%s") -TicketsLimitViewAssignedOnly=Restrict the display to tickets assigned to the current user (not effective for external users, always be limited to the third party they depend on) -TicketsLimitViewAssignedOnlyHelp=Only tickets assigned to the current user will be visible. Does not apply to a user with tickets management rights. +TicketPublicInterfaceTextHome=Voit luo tukilipun tai tarkastella olemassa olevaa sen tunnisteen seurantalipusta. +TicketPublicInterfaceTextHomeHelpAdmin=Tässä määritetty teksti näkyy julkisen käyttöliittymän kohdassa Kotisivu. +TicketPublicInterfaceTopicLabelAdmin=Käyttöliittymän otsikko +TicketPublicInterfaceTopicHelp=Tämä teksti näkyy julkisen käyttöliittymän otsikona. +TicketPublicInterfaceTextHelpMessageLabelAdmin=Ohjeteksti viestin syöttämiseen +TicketPublicInterfaceTextHelpMessageHelpAdmin=Tämä teksti näkyy käyttäjän viestin syöttöalueen yläpuolella. +ExtraFieldsTicket=Ylimääräisiä ominaisuuksia +TicketCkEditorEmailNotActivated=HTML-editori ei ole aktivoitu. Aseta FCKEDITOR_ENABLE_MAIL-sisältö 1:ksi saadaksesi sen. +TicketsDisableEmail=Älä lähetä sähköpostiviestejä lipun luomiseen tai viestien tallentamiseen +TicketsDisableEmailHelp=oletus lähettää sähköpostit, kun uusia lippuja tai viestejä luodaan. Ota tämä asetus käyttöön, jos haluat poistaa käytöstä *kaikki* sähköpostit Ilmoitukset +TicketsLogEnableEmail=Ota Loki käyttöön sähköpostitse +TicketsLogEnableEmailHelp=Jokaisesta muutoksesta lähetetään sähköposti **jokaiselle lippuun liittyvälle yhteyshenkilölle**. +TicketParams=Parametrit +TicketsShowModuleLogo=Näytä moduulin logo julkisessa käyttöliittymässä +TicketsShowModuleLogoHelp=Ota tämä vaihtoehto käyttöön piilottaaksesi logomoduulin julkisen käyttöliittymän sivuilta +TicketsShowCompanyLogo=Näytä kohteen Yritys logo julkisessa käyttöliittymässä +TicketsShowCompanyLogoHelp=Ota tämä asetus käyttöön, jos haluat näyttää päälogon Yritys julkisen käyttöliittymän sivuilla +TicketsShowCompanyFooter=Näytä Yritys alatunniste julkisessa käyttöliittymässä +TicketsShowCompanyFooterHelp=Ota tämä asetus käyttöön, jos haluat näyttää päätunnisteen Yritys alatunnisteen julkisen käyttöliittymän sivuilla +TicketsEmailAlsoSendToMainAddress=Lähetä myös ilmoitus pääsähköpostiosoitteeseen +TicketsEmailAlsoSendToMainAddressHelp=Ota tämä vaihtoehto käyttöön, jos haluat lähettää sähköpostin myös määrityksessä %s (katso välilehti %s) määritettyyn osoitteeseen. +TicketsLimitViewAssignedOnly=Rajoita näyttö nykyiselle käyttäjälle määritettyihin lippuihin (ei koske ulkopuolisia käyttäjiä, rajoita aina kolmanteen osapuoleen, josta he ovat riippuvaisia) +TicketsLimitViewAssignedOnlyHelp=Vain nykyiselle käyttäjälle määritetyt liput näkyvät. Ei koske käyttäjää, jolla on lippujen hallintaoikeudet. TicketsActivatePublicInterface=Aktivoi julkinen käyttöliittymä -TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create tickets. -TicketsAutoAssignTicket=Automatically assign the user who created the ticket -TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket. -TicketNumberingModules=Tickets numbering module -TicketsModelModule=Document templates for tickets -TicketNotifyTiersAtCreation=Notify third party at creation -TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface -TicketsPublicNotificationNewMessage=Send email(s) when a new message/comment is added to a ticket -TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) -TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) -TicketPublicNotificationNewMessageDefaultEmailHelp=Send an email to this address for each new message notifications if the ticket doesn't have a user assigned to it or if the user doesn't have any known email. -TicketsAutoReadTicket=Automatically mark the ticket as read (when created from backoffice) -TicketsAutoReadTicketHelp=Automatically mark the ticket as read when created from backoffice. When ticket is create from the public interface, ticket remains with the status "Not Read". -TicketsDelayBeforeFirstAnswer=A new ticket should receive a first answer before (hours): -TicketsDelayBeforeFirstAnswerHelp=If a new ticket has not received an answer after this time period (in hours), an important warning icon will be displayed in the list view. -TicketsDelayBetweenAnswers=An unresolved ticket should not be unactive during (hours): -TicketsDelayBetweenAnswersHelp=If an unresolved ticket that has already received an answer has not had further interaction after this time period (in hours), a warning icon will be displayed in the list view. -TicketsAutoNotifyClose=Automatically notify thirdparty when closing a ticket -TicketsAutoNotifyCloseHelp=When closing a ticket, you will be proposed to send a message to one of thirdparty's contacts. On mass closing, a message will be sent to one contact of the thirdparty linked to the ticket. -TicketWrongContact=Provided contact is not part of current ticket contacts. Email not sent. -TicketChooseProductCategory=Product category for ticket support -TicketChooseProductCategoryHelp=Select the product category of ticket support. This will be used to automatically link a contract to a ticket. -TicketUseCaptchaCode=Use graphical code (CAPTCHA) when creating a ticket -TicketUseCaptchaCodeHelp=Adds CAPTCHA verification when creating a new ticket. +TicketsActivatePublicInterfaceHelp=Julkisen käyttöliittymän avulla kaikki vierailijat voivat luo lippuja. +TicketsAutoAssignTicket=Määritä automaattisesti lipun luonut käyttäjä +TicketsAutoAssignTicketHelp=Lippua luotaessa käyttäjä voidaan määrittää automaattisesti lippuun. +TicketNumberingModules=Lippujen numerointimoduuli +TicketsModelModule=Lippujen asiakirjamallit +TicketNotifyTiersAtCreation=Ilmoita kolmannelle osapuolelle luomisen yhteydessä +TicketsDisableCustomerEmail=Poista aina sähköpostit käytöstä, kun lippu luodaan julkisesta käyttöliittymästä +TicketsPublicNotificationNewMessage=Lähetä sähköposti(t), kun lippuun lisätään uusi viesti/kommentti +TicketsPublicNotificationNewMessageHelp=Lähetä sähköposti(t), kun uusi viesti lisätään julkisesta käyttöliittymästä (määritetylle käyttäjälle tai Ilmoitukset sähköpostiin osoitteeseen (päivitys) ja/tai Ilmoitukset sähköposti osoitteeseen) +TicketPublicNotificationNewMessageDefaultEmail=Ilmoitukset sähköposti osoitteeseen (päivitys) +TicketPublicNotificationNewMessageDefaultEmailHelp=Lähetä sähköposti tähän osoitteeseen jokaisesta uudesta viestistä Ilmoitukset, jos lipulle ei ole määritetty käyttäjää tai jos käyttäjällä ei ole tunnettua sähköpostiosoitetta. +TicketsAutoReadTicket=Merkitse lippu automaattisesti luetuksi (kun se on luotu back officesta) +TicketsAutoReadTicketHelp=Merkitse lippu automaattisesti luetuksi, kun se on luotu taustatoimistosta. Kun lippu on luo julkisesta käyttöliittymästä, lippu pysyy tilassa "Ei luettu". +TicketsDelayBeforeFirstAnswer=Uuteen lippuun pitäisi saada ensimmäinen vastaus ennen (tuntia): +TicketsDelayBeforeFirstAnswerHelp=Jos uuteen lippuun ei ole vastattu tämän ajanjakson jälkeen (tunteina), listanäkymässä näkyy tärkeä varoituskuvake. +TicketsDelayBetweenAnswers=Ratkaisematon lippu ei saa olla passiivinen (tuntia): +TicketsDelayBetweenAnswersHelp=Jos ratkaisematon lippu, joka on jo saanut vastauksen, ei ole saanut lisätoimia tämän ajanjakson jälkeen (tunteina), luettelonäkymässä näkyy varoituskuvake. +TicketsAutoNotifyClose=Ilmoita automaattisesti kolmannelle osapuolelle lipun sulkemisesta +TicketsAutoNotifyCloseHelp=Kun suljet lipun, sinua kehotetaan lähettämään viesti jollekin kolmannen osapuolen yhteyshenkilöstä. Joukkosulkemisen yhteydessä lähetetään viesti lippuun linkitetyn kolmannen osapuolen yhdelle yhteyshenkilölle. +TicketWrongContact=Annettu yhteystieto ei ole osa nykyisiä lippujen yhteystietoja. Sähköpostia ei lähetetty. +TicketChooseProductCategory=Lipputuen tuoteluokka +TicketChooseProductCategoryHelp=Valitse lipputuen tuoteluokka. Tätä käytetään sopimuksen automaattiseen linkittämiseen lippuun. +TicketUseCaptchaCode=Käytä graafista koodia (CAPTCHA) lippua luodessasi +TicketUseCaptchaCodeHelp=Lisää CAPTCHA-vahvistuksen uutta lippua luotaessa. +TicketsAllowClassificationModificationIfClosed=Salli muuttaa suljettujen lippujen luokitusta +TicketsAllowClassificationModificationIfClosedHelp=Salli muokata luokitusta (tyyppi, lippu ryhmä, vakavuus), vaikka liput olisivat kiinni. # # Index & list page # -TicketsIndex=Tickets area -TicketList=List of tickets -TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user +TicketsIndex=Lippujen alue +TicketList=Lista lipuista +TicketAssignedToMeInfos=Tällä sivulla näytetään nykyisen käyttäjän luoma tai tälle määritetty lippuluettelo NoTicketsFound=Tikettiä ei löytynyt -NoUnreadTicketsFound=No unread ticket found -TicketViewAllTickets=View all tickets -TicketViewNonClosedOnly=View only open tickets -TicketStatByStatus=Tickets by status -OrderByDateAsc=Sort by ascending date -OrderByDateDesc=Sort by descending date -ShowAsConversation=Show as conversation list -MessageListViewType=Show as table list -ConfirmMassTicketClosingSendEmail=Automatically send emails when closing tickets -ConfirmMassTicketClosingSendEmailQuestion=Do you want to notify thirdparties when closing these tickets ? +NoUnreadTicketsFound=Lukemattomia lippuja ei löytynyt +TicketViewAllTickets=Katso kaikki liput +TicketViewNonClosedOnly=Näytä vain avoimet liput +TicketStatByStatus=Liput tilan mukaan +OrderByDateAsc=Lajittele nousevaan järjestykseen päiväys +OrderByDateDesc=Lajittele laskevan järjestyksen mukaan päiväys +ShowAsConversation=Näytä keskusteluluettelona +MessageListViewType=Näytä taulukkoluettelona +ConfirmMassTicketClosingSendEmail=Lähetä sähköpostit automaattisesti, kun suljet liput +ConfirmMassTicketClosingSendEmailQuestion=Haluatko ilmoittaa kolmansille osapuolille, kun suljet nämä liput? # # Ticket card # Ticket=Tiketti -TicketCard=Ticket card -CreateTicket=Create ticket +TicketCard=Lippukortti +CreateTicket=luo lippu EditTicket=Muokkaa tikettiä TicketsManagement=Tikettien Hallinta CreatedBy=Luonut -NewTicket=New Ticket -SubjectAnswerToTicket=Ticket answer -TicketTypeRequest=Request type -TicketCategory=Ticket group -SeeTicket=See ticket -TicketMarkedAsRead=Ticket has been marked as read +NewTicket=Uusi lippu +SubjectAnswerToTicket=Vastaus lippuun +TicketTypeRequest=Pyynnön tyyppi +TicketCategory=Lippu ryhmä +SeeTicket=Katso lippu +TicketMarkedAsRead=Lippu on merkitty luetuksi TicketReadOn=Jatka lukemista TicketCloseOn=Suljettu -MarkAsRead=Mark ticket as read +MarkAsRead=Merkitse lippu luetuksi TicketHistory=Tiketti historia -AssignUser=Assign to user -TicketAssigned=Ticket is now assigned -TicketChangeType=Change type -TicketChangeCategory=Change analytic code +AssignUser=Määritä käyttäjälle +TicketAssigned=Lippu on nyt varattu +TicketChangeType=Vaihda tyyppiä +TicketChangeCategory=Muuta analyyttistä koodia TicketChangeSeverity=Vaihda vakavuus -TicketAddMessage=Add or send a message -TicketAddPrivateMessage=Add a private message -MessageSuccessfullyAdded=Ticket added +TicketAddMessage=Lisää tai lähetä viesti +TicketAddPrivateMessage=Lisää yksityisviesti +MessageSuccessfullyAdded=Lippu lisätty TicketMessageSuccessfullyAdded=Viesti on onnistuneesti lisätty -TicketMessagesList=Message list -NoMsgForThisTicket=No message for this ticket -TicketProperties=Classification -LatestNewTickets=Latest %s newest tickets (not read) +TicketMessagesList=Viestiluettelo +NoMsgForThisTicket=Ei viestiä tälle lipulle +TicketProperties=Luokittelu +LatestNewTickets=Uusimmat %s uusimmat liput (ei luettu) TicketSeverity=Vakavuus -ShowTicket=See ticket +ShowTicket=Katso lippu RelatedTickets=Liittyvät tiketit -TicketAddIntervention=Create intervention -CloseTicket=Close|Solve -AbandonTicket=Abandon -CloseATicket=Close|Solve a ticket -ConfirmCloseAticket=Confirm ticket closing -ConfirmAbandonTicket=Do you confirm the closing of the ticket to status 'Abandonned' -ConfirmDeleteTicket=Please confirm ticket deleting -TicketDeletedSuccess=Ticket deleted with success -TicketMarkedAsClosed=Ticket marked as closed -TicketDurationAuto=Calculated duration -TicketDurationAutoInfos=Duration calculated automatically from intervention related -TicketUpdated=Ticket updated -SendMessageByEmail=Send message by email +TicketAddIntervention=luo väliintulo +CloseTicket=Sulje|Ratkaise +AbandonTicket=Luopua +CloseATicket=Sulje|Ratkaise lippu +ConfirmCloseAticket=Vahvista lipun sulkeminen +ConfirmAbandonTicket=Vahvistatko lipun sulkemisen tilaan "Hylätty" +ConfirmDeleteTicket=Vahvista lipun poistaminen +TicketDeletedSuccess=Lippu poistettu onnistuneesti +TicketMarkedAsClosed=Lippu merkitty suljetuksi +TicketDurationAuto=Laskettu kesto +TicketDurationAutoInfos=Kesto lasketaan automaattisesti interventioon liittyvästä +TicketUpdated=Lippu päivitetty +SendMessageByEmail=Lähetä viesti sähköpostilla TicketNewMessage=Uusi viesti -ErrorMailRecipientIsEmptyForSendTicketMessage=Recipient is empty. No email send -TicketGoIntoContactTab=Please go into "Contacts" tab to select them -TicketMessageMailIntro=Message header -TicketMessageMailIntroHelp=This text is added only at the beginning of the email and will not be saved. -TicketMessageMailIntroText=Hello,
      A new answer has been added to a ticket that you follow. Here is the message:
      -TicketMessageMailIntroHelpAdmin=This text will be inserted before the answer when replying to a ticket from Dolibarr -TicketMessageMailFooter=Message footer -TicketMessageMailFooterHelp=This text is added only at the end of the message sent by email and will not be saved. -TicketMessageMailFooterText=Message sent by %s via Dolibarr +ErrorMailRecipientIsEmptyForSendTicketMessage=Vastaanottaja on tyhjä. Ei sähköpostin lähetystä +TicketGoIntoContactTab=Mene "Yhteystiedot"-välilehteen valitaksesi ne +TicketMessageMailIntro=Viestin otsikko +TicketMessageMailIntroHelp=Tämä teksti lisätään vain sähköpostin alkuun ja ei tallenneta. +TicketMessageMailIntroText=Hei
      Lippuun, jota seuraat, on lisätty uusi vastaus. Tässä on viesti:
      +TicketMessageMailIntroHelpAdmin=Tämä teksti lisätään ennen vastausta, kun vastaat Dolibarrin lippuun +TicketMessageMailFooter=Viestin alatunniste +TicketMessageMailFooterHelp=Tämä teksti lisätään vain sähköpostilla lähetetyn viestin loppuun ja, ei tallenneta. +TicketMessageMailFooterText=Viestin lähetti %s Dolibarrin kautta TicketMessageMailFooterHelpAdmin=Tämä teksti lisätään vastaus viestin jälkeen. -TicketMessageHelp=Only this text will be saved in the message list on ticket card. -TicketMessageSubstitutionReplacedByGenericValues=Substitutions variables are replaced by generic values. -ForEmailMessageWillBeCompletedWith=For email messages sent to external users, the message will be completed with -TimeElapsedSince=Time elapsed since -TicketTimeToRead=Time elapsed before read -TicketTimeElapsedBeforeSince=Time elapsed before / since -TicketContacts=Contacts ticket +TicketMessageHelp=Vain tämä teksti tallennetaan lippukortin viestilistaan. +TicketMessageSubstitutionReplacedByGenericValues=Korvausmuuttujat korvataan yleisillä arvoilla. +ForEmailMessageWillBeCompletedWith=Ulkoisille käyttäjille lähetetyissä sähköpostiviesteissä viesti täydennetään +TimeElapsedSince=Aikaa kului siitä +TicketTimeToRead=Aikaa kului ennen lukemista +TicketTimeElapsedBeforeSince=Aika kulunut ennen / jälkeen +TicketContacts=Yhteystiedot lippu TicketDocumentsLinked=Lippuun liitetyt dokumentit ConfirmReOpenTicket=Vahvista tämän lipun avaaminen uudelleen? -TicketMessageMailIntroAutoNewPublicMessage=A new message was posted on the ticket with the subject %s: -TicketAssignedToYou=Ticket assigned -TicketAssignedEmailBody=You have been assigned the ticket #%s by %s -TicketAssignedCustomerEmail=Your ticket has been assigned for processing. -TicketAssignedCustomerBody=This is an automatic email to confirm your ticket has been assigned for processing. -MarkMessageAsPrivate=Mark message as private -TicketMessageSendEmailHelp=An email will be sent to all assigned contact -TicketMessageSendEmailHelp2a=(internal contacts, but also external contacts except if the option "%s" is checked) -TicketMessageSendEmailHelp2b=(internal contacts, but also external contacts) -TicketMessagePrivateHelp=This message will not be visible to external users -TicketMessageRecipientsHelp=Recipient field completed with active contacts linked to the ticket -TicketEmailOriginIssuer=Issuer at origin of the tickets +TicketMessageMailIntroAutoNewPublicMessage=Lipulle lähetettiin uusi viesti aiheella %s: +TicketAssignedToYou=Lippu määrätty +TicketAssignedEmailBody=%s on antanut sinulle lipun #%s +TicketAssignedCustomerEmail=Lippusi on määrätty käsiteltäväksi. +TicketAssignedCustomerBody=Tämä on automaattinen sähköpostiviesti, joka vahvistaa, että lippusi on määrätty käsittelyyn. +MarkMessageAsPrivate=Merkitse viesti yksityiseksi +TicketMessageSendEmailHelp=Kaikille määritetyille yhteyshenkilöille lähetetään sähköposti +TicketMessageSendEmailHelp2a=(sisäiset yhteystiedot, mutta myös ulkoiset yhteystiedot paitsi jos vaihtoehto "%s" on valittuna) +TicketMessageSendEmailHelp2b=(sisäiset, mutta myös ulkoiset kontaktit) +TicketMessagePrivateHelp=Tämä viesti ei näy ulkoisille käyttäjille +TicketMessageRecipientsHelp=Vastaanottaja Kenttä täydennetty lippuun linkitetyillä aktiivisilla yhteystiedoilla +TicketEmailOriginIssuer=Lippujen alkuperän myöntäjä InitialMessage=Aloitusviesti -LinkToAContract=Link to a contract -TicketPleaseSelectAContract=Select a contract -UnableToCreateInterIfNoSocid=Can not create an intervention when no third party is defined -TicketMailExchanges=Mail exchanges -TicketInitialMessageModified=Initial message modified -TicketMessageSuccesfullyUpdated=Message successfully updated +LinkToAContract=Linkki sopimukseen +TicketPleaseSelectAContract=Valitse sopimus +UnableToCreateInterIfNoSocid=Ei voi luo puuttua, kun kolmatta osapuolta ei ole määritetty +TicketMailExchanges=Postin vaihto +TicketInitialMessageModified=Alkuperäistä viestiä muokattu +TicketMessageSuccesfullyUpdated=Viesti päivitetty onnistuneesti TicketChangeStatus=Vaihda tila -TicketConfirmChangeStatus=Confirm the status change: %s ? -TicketLogStatusChanged=Status changed: %s to %s -TicketNotNotifyTiersAtCreate=Not notify company at create -NotifyThirdpartyOnTicketClosing=Contacts to notify while closing the ticket -TicketNotifyAllTiersAtClose=All related contacts -TicketNotNotifyTiersAtClose=No related contact +TicketConfirmChangeStatus=Vahvista tilamuutos: %s ? +TicketLogStatusChanged=Tila muutettu: %s tilaksi %s +TicketNotNotifyTiersAtCreate=Älä ilmoita Yritys osoitteessa luo +NotifyThirdpartyOnTicketClosing=Yhteystiedot, joille ilmoitetaan lipun sulkemisen yhteydessä +TicketNotifyAllTiersAtClose=Kaikki asiaan liittyvät yhteystiedot +TicketNotNotifyTiersAtClose=Ei asiaan liittyvää yhteyttä Unread=Lukematon -TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface. -ErrorTicketRefRequired=Ticket reference name is required -TicketsDelayForFirstResponseTooLong=Too much time elapsed since ticket opening without any answer. -TicketsDelayFromLastResponseTooLong=Too much time elapsed since last answer on this ticket. -TicketNoContractFoundToLink=No contract was found to be automatically linked to this ticket. Please link a contract manually. -TicketManyContractsLinked=Many contracts have been automatically linked to this ticket. Make sure to verify which should be chosen. -TicketRefAlreadyUsed=The reference [%s] is already used, your new reference is [%s] +TicketNotCreatedFromPublicInterface=Ei saatavilla. Lippua ei luotu julkisesta käyttöliittymästä. +ErrorTicketRefRequired=Lippuviitteen nimi vaaditaan +TicketsDelayForFirstResponseTooLong=Liian paljon aikaa kului lipun avaamisesta ilman vastausta. +TicketsDelayFromLastResponseTooLong=Liian paljon aikaa kului tämän lipun viimeisestä vastauksesta. +TicketNoContractFoundToLink=Mitään sopimusta ei löytynyt automaattisesti linkitetyksi tähän lippuun. Linkitä sopimus manuaalisesti. +TicketManyContractsLinked=Monet sopimukset on liitetty automaattisesti tähän lippuun. Varmista, että kumpi kannattaa valita. +TicketRefAlreadyUsed=Viite [%s] on jo käytössä, uusi viitteesi on [%s] # # Logs # -TicketLogMesgReadBy=Ticket %s read by %s -NoLogForThisTicket=No log for this ticket yet -TicketLogAssignedTo=Ticket %s assigned to %s -TicketLogPropertyChanged=Ticket %s modified: classification from %s to %s -TicketLogClosedBy=Ticket %s closed by %s -TicketLogReopen=Ticket %s re-open +TicketLogMesgReadBy=Lippu %s lukija %s +NoLogForThisTicket=Tälle lipulle ei vielä ole Loki +TicketLogAssignedTo=Lippu %s määrätty käyttäjälle %s +TicketLogPropertyChanged=Lippu %s muokattu: luokitus arvosta %s arvoon %s +TicketLogClosedBy=Lippu %s sulki %s +TicketLogReopen=Lippu %s avataan uudelleen # # Public pages # -TicketSystem=Ticket system -ShowListTicketWithTrackId=Display ticket list from track ID -ShowTicketWithTrackId=Display ticket from track ID -TicketPublicDesc=You can create a support ticket or check from an existing ID. -YourTicketSuccessfullySaved=Ticket has been successfully saved! -MesgInfosPublicTicketCreatedWithTrackId=A new ticket has been created with ID %s and Ref %s. -PleaseRememberThisId=Please keep the tracking number that we might ask you later. -TicketNewEmailSubject=Ticket creation confirmation - Ref %s (public ticket ID %s) +TicketSystem=Lippujärjestelmä +ShowListTicketWithTrackId=Näytä lippuluettelo kappaletunnuksesta +ShowTicketWithTrackId=Näytä lippu kappaletunnuksesta +TicketPublicDesc=Voit luo tukilipun tai tarkistaa olemassa olevan tunnuksen. +YourTicketSuccessfullySaved=Lippu on tallennettu onnistuneesti! +MesgInfosPublicTicketCreatedWithTrackId=Uusi lippu on luotu tunnuksella %s ja Viite %s. +PleaseRememberThisId=Säilytä lähetystunnus, jotta voimme pyytää sinua myöhemmin. +TicketNewEmailSubject=Lipun luomisen vahvistus – viite %s (julkinen lipun tunnus %s) TicketNewEmailSubjectCustomer=Uusi tukitiketti TicketNewEmailBody=Tämä on automaattinen sähköpostiviestin varmenne, että uusi tikettisi on rekistöröity. -TicketNewEmailBodyCustomer=This is an automatic email to confirm a new ticket has just been created into your account. -TicketNewEmailBodyInfosTicket=Information for monitoring the ticket -TicketNewEmailBodyInfosTrackId=Ticket tracking number: %s -TicketNewEmailBodyInfosTrackUrl=You can view the progress of the ticket by clicking the following link -TicketNewEmailBodyInfosTrackUrlCustomer=You can view the progress of the ticket in the specific interface by clicking the following link -TicketCloseEmailBodyInfosTrackUrlCustomer=You can consult the history of this ticket by clicking the following link -TicketEmailPleaseDoNotReplyToThisEmail=Please do not reply directly to this email! Use the link to reply into the interface. -TicketPublicInfoCreateTicket=This form allows you to record a support ticket in our management system. -TicketPublicPleaseBeAccuratelyDescribe=Please accurately describe your question. Provide the most information possible to allow us to correctly identify your request. -TicketPublicMsgViewLogIn=Please enter ticket tracking ID -TicketTrackId=Public Tracking ID -OneOfTicketTrackId=One of your tracking ID -ErrorTicketNotFound=Ticket with tracking ID %s not found! +TicketNewEmailBodyCustomer=Tämä on automaattinen sähköpostiviesti, joka vahvistaa, että tilillesi on juuri luotu uusi lippu. +TicketNewEmailBodyInfosTicket=Tietoja lipun valvontaa varten +TicketNewEmailBodyInfosTrackId=Lippu lähetystunnus: %s +TicketNewEmailBodyInfosTrackUrl=Voit seurata lipun etenemistä napsauttamalla seuraavaa linkkiä +TicketNewEmailBodyInfosTrackUrlCustomer=Voit tarkastella lipun etenemistä tietyssä käyttöliittymässä napsauttamalla seuraavaa linkkiä +TicketCloseEmailBodyInfosTrackUrlCustomer=Voit tutustua tämän lipun historiaan napsauttamalla seuraavaa linkkiä +TicketEmailPleaseDoNotReplyToThisEmail=Älä vastaa suoraan tähän sähköpostiin! Käytä linkkiä vastataksesi käyttöliittymään. +TicketPublicInfoCreateTicket=Tällä lomakkeella voit tallentaa tukilipun hallintajärjestelmäämme. +TicketPublicPleaseBeAccuratelyDescribe=Kuvaile pyyntösi tarkasti. Anna mahdollisimman paljon tietoja, jotta voimme tunnistaa pyyntösi oikein. +TicketPublicMsgViewLogIn=Anna lippujen seurantatunnus +TicketTrackId=Julkinen seurantatunnus +OneOfTicketTrackId=Yksi seurantatunnuksestasi +ErrorTicketNotFound=Lippua seurantatunnuksella %s ei löytynyt! Subject=Aihe ViewTicket=Katso lippu ViewMyTicketList=Katso minun tiketti listaa -ErrorEmailMustExistToCreateTicket=Error: email address not found in our database -TicketNewEmailSubjectAdmin=New ticket created - Ref %s (public ticket ID %s) -TicketNewEmailBodyAdmin=

      Ticket has just been created with ID #%s, see information:

      -SeeThisTicketIntomanagementInterface=See ticket in management interface -TicketPublicInterfaceForbidden=The public interface for the tickets was not enabled -ErrorEmailOrTrackingInvalid=Bad value for tracking ID or email -OldUser=Old user +ErrorEmailMustExistToCreateTicket=Virhe: sähköpostiosoitetta ei löydy tietokanta +TicketNewEmailSubjectAdmin=Uusi lippu luotu – viite %s (julkinen lipun tunnus %s) +TicketNewEmailBodyAdmin=

      Lippu on juuri luotu tunnuksella #%s, katso tiedot:

      > +SeeThisTicketIntomanagementInterface=Katso lippu hallintaliittymästä +TicketPublicInterfaceForbidden=Lippujen julkinen käyttöliittymä ei ollut käytössä +ErrorEmailOrTrackingInvalid=Huono arvo seurantatunnukselle tai sähköpostille +OldUser=Vanha käyttäjä NewUser=Uusi käyttäjä -NumberOfTicketsByMonth=Number of tickets per month -NbOfTickets=Number of tickets -ExternalContributors=External contributors -AddContributor=Add external contributor +NumberOfTicketsByMonth=Lippujen määrä kuukaudessa +NbOfTickets=Lippujen määrä +ExternalContributors=Ulkopuoliset avustajat +AddContributor=Lisää ulkoinen avustaja # notifications -TicketCloseEmailSubjectCustomer=Ticket closed -TicketCloseEmailBodyCustomer=This is an automatic message to notify you that ticket %s has just been closed. -TicketCloseEmailSubjectAdmin=Ticket closed - Réf %s (public ticket ID %s) -TicketCloseEmailBodyAdmin=A ticket with ID #%s has just been closed, see information: -TicketNotificationEmailSubject=Ticket %s updated +TicketCloseEmailSubjectCustomer=Lippu suljettu +TicketCloseEmailBodyCustomer=Tämä on automaattinen viesti, joka ilmoittaa, että lippu %s on juuri suljettu. +TicketCloseEmailSubjectAdmin=Lippu suljettu – Réf %s (julkinen lipun tunnus %s) +TicketCloseEmailBodyAdmin=Lippu tunnuksella #%s on juuri suljettu, katso tiedot: +TicketNotificationEmailSubject=Lippu %s päivitetty TicketNotificationEmailBody=Tämä on automaattinen viestimuistutus sinulle, että tikettisi %s tila on juuri päivitetty -TicketNotificationRecipient=Notification recipient -TicketNotificationLogMessage=Log message -TicketNotificationEmailBodyInfosTrackUrlinternal=View ticket into interface -TicketNotificationNumberEmailSent=Notification email sent: %s +TicketNotificationRecipient=Ilmoituksen vastaanottaja +TicketNotificationLogMessage=Loki viesti +TicketNotificationEmailBodyInfosTrackUrlinternal=Näytä lippu käyttöliittymään +TicketNotificationNumberEmailSent=Ilmoitussähköposti lähetetty: %s -ActionsOnTicket=Events on ticket +ActionsOnTicket=Tapahtumat lipulla # # Boxes # -BoxLastTicket=Latest created tickets -BoxLastTicketDescription=Latest %s created tickets +BoxLastTicket=Viimeksi luodut liput +BoxLastTicketDescription=Viimeisimmät %s luodut liput BoxLastTicketContent= -BoxLastTicketNoRecordedTickets=No recent unread tickets -BoxLastModifiedTicket=Latest modified tickets -BoxLastModifiedTicketDescription=Latest %s modified tickets +BoxLastTicketNoRecordedTickets=Ei viimeaikaisia lukemattomia lippuja +BoxLastModifiedTicket=Viimeksi muokatut liput +BoxLastModifiedTicketDescription=Viimeisimmät %s muokatut liput BoxLastModifiedTicketContent= -BoxLastModifiedTicketNoRecordedTickets=No recent modified tickets -BoxTicketType=Distribution of open tickets by type -BoxTicketSeverity=Number of open tickets by severity -BoxNoTicketSeverity=No tickets opened -BoxTicketLastXDays=Number of new tickets by days the last %s days -BoxTicketLastXDayswidget = Number of new tickets by days the last X days -BoxNoTicketLastXDays=No new tickets the last %s days -BoxNumberOfTicketByDay=Number of new tickets by day -BoxNewTicketVSClose=Number of tickets versus closed tickets (today) -TicketCreatedToday=Ticket created today -TicketClosedToday=Ticket closed today -KMFoundForTicketGroup=We found topics and FAQs that may answers your question, thanks to check them before submitting the ticket +BoxLastModifiedTicketNoRecordedTickets=Ei äskettäin muokattuja lippuja +BoxTicketType=Avointen lippujen jakautuminen tyypeittäin +BoxTicketSeverity=Avointen lippujen määrä vakavuuden mukaan +BoxNoTicketSeverity=Lippuja ei avattu +BoxTicketLastXDays=Uusien lippujen määrä päivinä viimeisten %s päivän aikana +BoxTicketLastXDayswidget = Uusien lippujen määrä päivinä viimeisen X päivän aikana +BoxNoTicketLastXDays=Ei uusia lippuja viimeisen %s päivän aikana +BoxNumberOfTicketByDay=Uusien lippujen määrä päivässä +BoxNewTicketVSClose=Lippujen määrä verrattuna suljettuihin lippuihin (tänään) +TicketCreatedToday=Lippu tehty tänään +TicketClosedToday=Lippu suljettu tänään +KMFoundForTicketGroup=Löysimme aiheita ja UKK, jotka saattavat vastata kysymykseesi, kiitos, että tarkistamme ne ennen lipun lähettämistä diff --git a/htdocs/langs/fi_FI/trips.lang b/htdocs/langs/fi_FI/trips.lang index c42137ecaa8..23678004646 100644 --- a/htdocs/langs/fi_FI/trips.lang +++ b/htdocs/langs/fi_FI/trips.lang @@ -1,150 +1,152 @@ # Dolibarr language file - Source file is en_US - trips +AUTHOR=Kirjattu toimesta +AUTHORPAIEMENT=Maksettu toimesta +AddTrip=Tee uusi kulutosite +AllExpenseReport=Kaiken tyyppiset kuluraportti +AllExpenseReports=Kaikki kulutositteet +AnyOtherInThisListCanValidate=Henkilö, jolle on tiedotettava pyynnön vahvistamiseksi. +AttachTheNewLineToTheDocument=Liite rivi ladattuun dokumenttiin +AucuneLigne=Ei ole kulutositteita vielä kirjattuna +BrouillonnerTrip=Muuta takaisin esitäytetty tilaan +byEX_DAY=päivän mukaan (rajoitus %s) +byEX_EXP=rivillä (rajoitus %s) +byEX_MON=kuukausittain (rajoitus %s) +byEX_YEA=vuoden mukaan (rajoitus %s) +CANCEL_USER=Poistettu toimesta +CarCategory=Ajoneuvon luokka +ClassifyRefunded=Merkitse *Maksettu" +CompanyVisited=Kohdeyritys/organisaatio/syy +ConfirmBrouillonnerTrip=Oletko varma että haluat muokata tämän kululaskun esitäytetty tilaan. +ConfirmCancelTrip=Peruuta kulutosite? +ConfirmCloneExpenseReport=Oletko varma että haluat kopioida tämän kulutositteen? +ConfirmDeleteTrip=Oletko varma että haluat poistaa tämän kulutositteen +ConfirmPaidTrip=Muuta maksettu tilaan? +ConfirmRefuseTrip=Haluatko varmasti hylätä tämän kululaskun? +ConfirmSaveTrip=Oletko varma että haluat vahvistaa kulutositeen? +ConfirmValideTrip=Hyväksy kulutosite? +DATE_CANCEL=Peruutus päiväys +DATE_PAIEMENT=Maksupäivä +DATE_REFUS=Hylkäämisen päivämäärä +DATE_SAVE=Vahvistuspäivä +DefaultCategoryCar=Oletus kulkuneuvo +DefaultRangeNumber=Oletus numero +DeleteTrip=Poista kulutosite +ErrorDoubleDeclaration=Olet kirjannut jo kulutositteen samalle aikajaksolle. +Error_EXPENSEREPORT_ADDON_NotDefined=Virhe, sääntöä numerointiin ei ole annettu modulissa "Expense Report" +ExpenseRangeOffset=Poikkeussumma: %s +expenseReportCatDisabled=Luokka poistettu käytöstä – katso c_exp_tax_cat-sanakirja +expenseReportCoef=Kerroin +expenseReportCoefUndefined=(arvoa ei ole määritelty) +expenseReportOffset=Offset +expenseReportPrintExample=offset + (d x kerroin) = %s +expenseReportRangeDisabled=Alue poistettu käytöstä – katso c_exp_tax_range-sanakirja +expenseReportRangeFromTo=alkaen %d – %d +expenseReportRangeMoreThan=enemmän kuin %d +expenseReportTotalForFive=Esimerkki: d = 5 +ExpenseReportApplyTo=hyväksy +ExpenseReportApproved=Kulutosite on hyväksytty +ExpenseReportApprovedMessage=kuluraportti %s hyväksyttiin.
      – Käyttäjä: %s
      - Hyväksyjä: %sb0342bccf span>Näytä kuluraportti napsauttamalla tätä: %s +ExpenseReportCanceled=Kulutosite on peruutettu +ExpenseReportCanceledMessage=kuluraportti %s peruutettiin.
      - Käyttäjä: %s span> – Peruuttamisen syy: %s
      Napsauta tätä nähdäksesi kuluraportti >: %s +ExpenseReportConstraintViolationError=Enimmäismäärä ylitetty (sääntö %s): %s on suurempi kuin %s ( Kielletyn ylittäminen) +ExpenseReportConstraintViolationWarning=Enimmäismäärä ylitetty (sääntö %s): %s on suurempi kuin %s ( Ylittää luvan) +ExpenseReportDateEnd=Päättyen +ExpenseReportDateStart=Alkaen +ExpenseReportDomain=Sovellettava verkkotunnus +ExpenseReportIkDesc=Voit muokata kilometrikustannuslaskelmaa luokan ja mukaan, kenelle ne on aiemmin määritetty. d on etäisyys kilometreinä +ExpenseReportLimitAmount=Suurin määrä +ExpenseReportLimitOn=Rajoita päälle +ExpenseReportLine=Kulutositteen rivi +ExpenseReportPaid=Kulutosite on maksettu +ExpenseReportPaidMessage=kuluraportti %s maksettiin.
      - Käyttäjä: %s
      – Maksaja: %sb0342bccf0 span>Näytä kuluraportti napsauttamalla tätä: %s +ExpenseReportPayment=Kululaskun maksatus +ExpenseReportRef=Viite. kuluraportti +ExpenseReportRefused=Kulutosite on hylätty +ExpenseReportRefusedMessage=kuluraportti %s hylättiin.
      - Käyttäjä: %s span> - Kieltäytymisen syy: %s
      Näytä kuluraportti napsauttamalla tätä >: %s +ExpenseReportRestrictive=Ylittäminen kielletty +ExpenseReportRuleErrorOnSave=Virhe: %s +ExpenseReportRuleSave=Sääntö tallennettu +ExpenseReportRulesDesc=Voit määrittää enimmäismääräsäännöt kohteelle kuluraportit. Näitä sääntöjä sovelletaan, kun uusi kulu lisätään kuluraportti +ExpenseReportWaitingForApproval=Uusi kulutosite on lähetetty hyväksyttäväksi +ExpenseReportWaitingForApprovalMessage=Uusi kuluraportti on lähetetty ja odottaa hyväksyntää.
      - Käyttäjä: %s
      – Jakso: %s
      Vahvista napsauttamalla tätä: %s +ExpenseReportWaitingForReApproval=Uusi kulutosite on lähetetty uudelleenhyväksyttäväksi +ExpenseReportWaitingForReApprovalMessage=kuluraportti on lähetetty ja odottaa uudelleenhyväksyntää.
      %s, kieltäydyit hyväksyä kuluraportti tästä syystä: %s.
      Uutta versiota on ehdotettu ja odottaa hyväksyntääsi.
      - Käyttäjä: %s
      - Jakso: %s
      Vahvista napsauttamalla tätä: %s +ExpenseReportsIk=Kilometrimaksujen konfigurointi +ExpenseReportsRules=Kulutositteen säännöt +ExpenseReportsToApprove=Hyväksyttävät kululaskut +ExpenseReportsToPay=Maksettavat kululaskut +ExpensesArea=Kulutosite alue +FeesKilometersOrAmout=Kilometrit (määrä) +LastExpenseReports=Viimeisimmät %s kulutositteet +ListOfFees=Lista kulutyypeistä +ListOfTrips=Lista kulutositteista +ListToApprove=Odottaa hyväksyntää +ListTripsAndExpenses=Lista kulutositteista +MOTIF_CANCEL=Syy +MOTIF_REFUS=Syy +ModePaiement=Maksutapa +NewTrip=Uusi kulutosite +nolimitbyEX_DAY=päivällä (ei rajoituksia) +nolimitbyEX_EXP=rivillä (ei rajoituksia) +nolimitbyEX_MON=kuukausittain (ei rajoituksia) +nolimitbyEX_YEA=vuoden mukaan (ei rajoituksia) +NoTripsToExportCSV=Ei kulutositteita tälle kuulle +NOT_AUTHOR=Et ole tämän kuluraportti kirjoittaja. Toiminto peruttu. +OnExpense=Kulutositteen rivi +PDFStandardExpenseReports=Muodosta PDF +PaidTrip=Maksa kululasku +REFUSEUR=Hylätty toimesta +RangeIk=Kilometrit +RangeNum=Alue %d +SaveTrip=Vahvista kulutosite ShowExpenseReport=Näytä kulutosite +ShowTrip=Näytä kulutosite +TripCard=Kulutosite tapahtuma +TripId=Kulutositteen ID +TripNDF=Tiedot kuluraportti +TripSociete=Yritystieto Trips=Kulutositteet TripsAndExpenses=Kulutositteet TripsAndExpensesStatistics=Kulutositteet statistiikka -TripCard=Kulutosite tapahtuma -AddTrip=Tee uusi kulutosite -ListOfTrips=Lista kulutositteista -ListOfFees=Lista kulutyypeistä TypeFees=Kulutyypit -ShowTrip=Näytä kulutosite -NewTrip=Uusi kulutosite -LastExpenseReports=Viimeisimmät %s kulutositteet -AllExpenseReports=Kaikki kulutositteet -CompanyVisited=Kohdeyritys/organisaatio/syy -FeesKilometersOrAmout=Kilometrit (määrä) -DeleteTrip=Poista kulutosite -ConfirmDeleteTrip=Oletko varma että haluat poistaa tämän kulutositteen -ListTripsAndExpenses=Lista kulutositteista -ListToApprove=Odottaa hyväksyntää -ExpensesArea=Kulutosite alue -ClassifyRefunded=Merkitse *Maksettu" -ExpenseReportWaitingForApproval=Uusi kulutosite on lähetetty hyväksyttäväksi -ExpenseReportWaitingForApprovalMessage=A new expense report has been submitted and is waiting for approval.
      - User: %s
      - Period: %s
      Click here to validate: %s -ExpenseReportWaitingForReApproval=Uusi kulutosite on lähetetty uudelleenhyväksyttäväksi -ExpenseReportWaitingForReApprovalMessage=An expense report has been submitted and is waiting for re-approval.
      The %s, you refused to approve the expense report for this reason: %s.
      A new version has been proposed and waiting for your approval.
      - User: %s
      - Period: %s
      Click here to validate: %s -ExpenseReportApproved=Kulutosite on hyväksytty -ExpenseReportApprovedMessage=The expense report %s was approved.
      - User: %s
      - Approved by: %s
      Click here to show the expense report: %s -ExpenseReportRefused=Kulutosite on hylätty -ExpenseReportRefusedMessage=The expense report %s was refused.
      - User: %s
      - Refused by: %s
      - Motive for refusal: %s
      Click here to show the expense report: %s -ExpenseReportCanceled=Kulutosite on peruutettu -ExpenseReportCanceledMessage=The expense report %s was canceled.
      - User: %s
      - Canceled by: %s
      - Motive for cancellation: %s
      Click here to show the expense report: %s -ExpenseReportPaid=Kulutosite on maksettu -ExpenseReportPaidMessage=The expense report %s was paid.
      - User: %s
      - Paid by: %s
      Click here to show the expense report: %s -TripId=Kulutositteen ID -AnyOtherInThisListCanValidate=Person to be informed for validating the request. -TripSociete=Yritystieto -TripNDF=Kulutositteen tieto -PDFStandardExpenseReports=Muodosta PDF -ExpenseReportLine=Kulutositteen rivi -TF_OTHER=Muu -TF_TRIP=Matkustusmuoto -TF_LUNCH=Lounas -TF_METRO=Metro -TF_TRAIN=Junamaksut -TF_BUS=Linja-auto maksut -TF_CAR=Auto - oma -TF_PEAGE=Tiemaksut -TF_ESSENCE=Polttoainemaksut -TF_HOTEL=Hotellikulut -TF_TAXI=Taksimaksut -EX_KME=Kilometrikorvaukset -EX_FUE=Bensakuitti -EX_HOT=Hotellikuitti -EX_PAR=Parkkimaksutkuitti -EX_TOL=Tiemaksukuitti -EX_TAX=Useita veroja -EX_IND=Joukkoliikenne kk-kortit -EX_SUM=Huoltokulut -EX_SUO=Toimistotarvikkeet -EX_CAR=Autonvuokraus -EX_DOC=Dokumentointikulut -EX_CUR=Asiakasmuistamiset -EX_OTR=Muut kulut -EX_POS=Postikulut -EX_CAM=Huolto ja ylläpitokulut -EX_EMM=Henkilöstön ruokailu -EX_GUM=Asiakastarjoilu -EX_BRE=Aamupala -EX_FUE_VP=Polttoaine -EX_TOL_VP=Tiemaksut -EX_PAR_VP=Parkkimaksut -EX_CAM_VP=huolto ja korjaus -DefaultCategoryCar=Oletus kulkuneuvo -DefaultRangeNumber=Oletus numero UploadANewFileNow=LATAA kuittikopio -Error_EXPENSEREPORT_ADDON_NotDefined=Virhe, sääntöä numerointiin ei ole annettu modulissa "Expense Report" -ErrorDoubleDeclaration=Olet kirjannut jo kulutositteen samalle aikajaksolle. -AucuneLigne=Ei ole kulutositteita vielä kirjattuna -ModePaiement=Maksutapa VALIDATOR=Käytä vastuullista hyväksyntään VALIDOR=Hyväksytty toimesta -AUTHOR=Kirjattu toimesta -AUTHORPAIEMENT=Maksettu toimesta -REFUSEUR=Hylätty toimesta -CANCEL_USER=Poistettu toimesta -MOTIF_REFUS=Syy -MOTIF_CANCEL=Syy -DATE_REFUS=Hylkäämisen päivämäärä -DATE_SAVE=Vahvistuspäivä -DATE_CANCEL=Peruutettu päivä -DATE_PAIEMENT=Maksupäivä -ExpenseReportRef=Ref. expense report ValidateAndSubmit=Vahvista ja toimita hyväksyttäväksi ValidatedWaitingApproval=Vahvistettu, odottaa hyväksyntää. -NOT_AUTHOR=Et ole tämän kululaskun perustaja. Ei voi jatkaa. -ConfirmRefuseTrip=Haluatko varmasti hylätä tämän kululaskun? ValideTrip=Hyväksy kululasku -ConfirmValideTrip=Hyväksy kulutosite? -PaidTrip=Maksa kululasku -ConfirmPaidTrip=Muuta maksettu tilaan? -ConfirmCancelTrip=Peruuta kulutosite? -BrouillonnerTrip=Muuta takaisin esitäytetty tilaan -ConfirmBrouillonnerTrip=Oletko varma että haluat muokata tämän kululaskun esitäytetty tilaan. -SaveTrip=Vahvista kulutosite -ConfirmSaveTrip=Oletko varma että haluat vahvistaa kulutositeen? -NoTripsToExportCSV=Ei kulutositteita tälle kuulle -ExpenseReportPayment=Kululaskun maksatus -ExpenseReportsToApprove=Hyväksyttävät kululaskut -ExpenseReportsToPay=Maksettavat kululaskut -ConfirmCloneExpenseReport=Oletko varma että haluat kopioida tämän kulutositteen? -ExpenseReportsIk=Configuration of mileage charges -ExpenseReportsRules=Kulutositteen säännöt -ExpenseReportIkDesc=You can modify the calculation of kilometers expense by category and range who they are previously defined. d is the distance in kilometers -ExpenseReportRulesDesc=You can define max amount rules for expense reports. These rules will be applied when a new expense is added to an expense report -expenseReportOffset=Offset -expenseReportCoef=Coefficient -expenseReportTotalForFive=Example with d = 5 -expenseReportRangeFromTo=from %d to %d -expenseReportRangeMoreThan=more than %d -expenseReportCoefUndefined=(value not defined) -expenseReportCatDisabled=Category disabled - see the c_exp_tax_cat dictionary -expenseReportRangeDisabled=Range disabled - see the c_exp_tax_range dictionay -expenseReportPrintExample=offset + (d x coef) = %s -ExpenseReportApplyTo=hyväksy -ExpenseReportDomain=Domain to apply -ExpenseReportLimitOn=Limit on -ExpenseReportDateStart=Alkaen -ExpenseReportDateEnd=Päättyen -ExpenseReportLimitAmount=Max amount -ExpenseReportRestrictive=Exceeding forbidden -AllExpenseReport=All type of expense report -OnExpense=Kulutositteen rivi -ExpenseReportRuleSave=Sääntö tallennettu -ExpenseReportRuleErrorOnSave=Error: %s -RangeNum=Range %d -ExpenseReportConstraintViolationError=Max amount exceeded (rule %s): %s is higher than %s (Exceeding forbidden) -byEX_DAY=by day (limitation to %s) -byEX_MON=by month (limitation to %s) -byEX_YEA=by year (limitation to %s) -byEX_EXP=by line (limitation to %s) -ExpenseReportConstraintViolationWarning=Max amount exceeded (rule %s): %s is higher than %s (Exceeding authorized) -nolimitbyEX_DAY=by day (no limitation) -nolimitbyEX_MON=by month (no limitation) -nolimitbyEX_YEA=by year (no limitation) -nolimitbyEX_EXP=by line (no limitation) -CarCategory=Vehicle category -ExpenseRangeOffset=Offset amount: %s -RangeIk=Kilometrit -AttachTheNewLineToTheDocument=Liite rivi ladattuun dokumenttiin + +## Dictionary +EX_BRE=Aamupala +EX_CAM=Huolto ja ylläpitokulut +EX_CAM_VP=huolto ja korjaus +EX_CAR=Autonvuokraus +EX_CUR=Asiakasmuistamiset +EX_DOC=Dokumentointikulut +EX_EMM=Henkilöstön ruokailu +EX_FUE=Bensakuitti +EX_FUE_VP=Polttoaine +EX_GUM=Asiakastarjoilu +EX_HOT=Hotellikuitti +EX_IND=Joukkoliikenne kk-kortit +EX_KME=Kilometrikorvaukset +EX_OTR=Muut kulut +EX_PAR=Parkkimaksutkuitti +EX_PAR_VP=Parkkimaksut +EX_POS=Postikulut +EX_SUM=Huoltokulut +EX_SUO=Toimistotarvikkeet +EX_TAX=Useita veroja +EX_TOL=Tiemaksukuitti +EX_TOL_VP=Tiemaksut +TF_BUS=Linja-auto maksut +TF_CAR=Auto - oma +TF_ESSENCE=Polttoainemaksut +TF_HOTEL=Hotellikulut +TF_LUNCH=Lounas +TF_METRO=Metro +TF_OTHER=Muu +TF_PEAGE=Tiemaksut +TF_TAXI=Taksimaksut +TF_TRAIN=Junamaksut +TF_TRIP=Matkustusmuoto diff --git a/htdocs/langs/fi_FI/users.lang b/htdocs/langs/fi_FI/users.lang index fb75c2a5f5b..bee00f1a850 100644 --- a/htdocs/langs/fi_FI/users.lang +++ b/htdocs/langs/fi_FI/users.lang @@ -1,19 +1,19 @@ # Dolibarr language file - Source file is en_US - users -HRMArea=HRM area +HRMArea=HRM-alue UserCard=Käyttäjän tiedot GroupCard=Ryhmän tiedot Permission=Oikeus Permissions=Oikeudet EditPassword=Muokkaa salasanaa SendNewPassword=Lähetä uusi salasana -SendNewPasswordLink=Send link to reset password +SendNewPasswordLink=Lähetä linkki salasanan vaihtamiseen ReinitPassword=Luo uusi salasana PasswordChangedTo=Salasana muutettu: %s -SubjectNewPassword=Your new password for %s +SubjectNewPassword=Uusi salasanasi kohteelle %s GroupRights=Ryhmän käyttöoikeudet UserRights=Käyttöluvat -Credentials=Credentials -UserGUISetup=User Display Setup +Credentials=Valtuustiedot +UserGUISetup=Käyttäjän näytön asetukset DisableUser=Poista käytöstä DisableAUser=Poista käyttäjä käytöstä DeleteUser=Poista @@ -21,22 +21,21 @@ DeleteAUser=Poista käyttäjä EnableAUser=Ota käyttäjä käyttöön DeleteGroup=Poista DeleteAGroup=Poista ryhmä -ConfirmDisableUser=Are you sure you want to disable user %s? -ConfirmDeleteUser=Are you sure you want to delete user %s? -ConfirmDeleteGroup=Are you sure you want to delete group %s? -ConfirmEnableUser=Are you sure you want to enable user %s? -ConfirmReinitPassword=Are you sure you want to generate a new password for user %s? -ConfirmSendNewPassword=Are you sure you want to generate and send new password for user %s? +ConfirmDisableUser=Haluatko varmasti poistaa käyttäjän %s käytöstä? +ConfirmDeleteUser=Haluatko varmasti poistaa käyttäjän %s? +ConfirmDeleteGroup=Haluatko varmasti poistaa kohteen ryhmä %s? +ConfirmEnableUser=Haluatko varmasti ottaa käyttäjän %s käyttöön? +ConfirmReinitPassword=Haluatko varmasti luoda uuden salasanan käyttäjälle %s? +ConfirmSendNewPassword=Haluatko varmasti luoda ja lähettää uuden salasanan käyttäjälle %s? NewUser=Uusi käyttäjä CreateUser=Luo käyttäjä LoginNotDefined=Kirjautumistietoja ei ole määritelty. NameNotDefined=Nimeä ei ole määritelty. ListOfUsers=Luettelo käyttäjistä -SuperAdministrator=Super Administrator -SuperAdministratorDesc=Administrator kaikki oikeudet -AdministratorDesc=Administrator -DefaultRights=Default Permissions -DefaultRightsDesc=Define here the default permissions that are automatically granted to a new user (to modify permissions for existing users, go to the user card). +SuperAdministrator=Monen yrityksen järjestelmänvalvoja +SuperAdministratorDesc=Usean yrityksen järjestelmänvalvoja (voi muuttaa ja-käyttäjää) +DefaultRights=oletus Käyttöoikeudet +DefaultRightsDesc=Määritä tässä oletus -käyttöoikeudet, jotka myönnetään automaattisesti uusi käyttäjä (jos haluat muokata olemassa olevien käyttäjien käyttöoikeuksia, siirry käyttäjäkorttiin). DolibarrUsers=Dolibarr käyttäjät LastName=Sukunimi FirstName=Etunimi @@ -45,14 +44,14 @@ NewGroup=Uusi ryhmä CreateGroup=Luo ryhmä RemoveFromGroup=Poista ryhmästä PasswordChangedAndSentTo=Salasana muutettu ja lähetetään %s. -PasswordChangeRequest=Request to change password for %s +PasswordChangeRequest=Salasanan vaihtopyyntö: %s PasswordChangeRequestSent=Pyynnön vaihtaa salasana %s lähetetään %s. -IfLoginExistPasswordRequestSent=If this login is a valid account (with a valid email), an email to reset password has been sent. -IfEmailExistPasswordRequestSent=If this email is a valid account, an email to reset password has been sent (remember to check your SPAM folder if you do not receive anything) -ConfirmPasswordReset=Confirm password reset +IfLoginExistPasswordRequestSent=Jos tämä kirjautuminen on kelvollinen tili (jossa on kelvollinen sähköpostiosoite), salasanan nollausviesti on lähetetty. +IfEmailExistPasswordRequestSent=Jos tämä sähköposti on kelvollinen tili, salasanan vaihtosähköposti on lähetetty (muista tarkistaa roskapostikansiosi, jos et saa mitään) +ConfirmPasswordReset=Vahvista salasanan palautus MenuUsersAndGroups=Käyttäjät & ryhmät -LastGroupsCreated=Latest %s groups created -LastUsersCreated=Latest %s users created +LastGroupsCreated=Viimeisimmät %s ryhmät luotu +LastUsersCreated=Viimeisimmät %s käyttäjän luomat ShowGroup=Näytä ryhmä ShowUser=Näytä käyttäjän NonAffectedUsers=Ei vaikuttaa käyttäjien @@ -66,69 +65,72 @@ LinkedToDolibarrUser=Linkki käyttäjään LinkedToDolibarrThirdParty=Linkki sidosryhmään CreateDolibarrLogin=Luo käyttäjä CreateDolibarrThirdParty=Luo sidosryhmä -LoginAccountDisableInDolibarr=Account disabled in Dolibarr +LoginAccountDisableInDolibarr=Tili poistettu käytöstä Dolibarrissa PASSWORDInDolibarr=Salasana muutettu Dolibarrissa UsePersonalValue=Käytä henkilökohtaista arvo -ExportDataset_user_1=Users and their properties +ExportDataset_user_1=Käyttäjät ja heidän ominaisuudet DomainUser=Domain käyttäjän %s Reactivate=Uudelleenaktivoi -CreateInternalUserDesc=This form allows you to create an internal user in your company/organization. To create an external user (customer, vendor etc. ..), use the button 'Create Dolibarr User' from that third-party's contact card. -InternalExternalDesc=An internal user is a user that is part of your company/organization, or is a partner user outside of your organization that may need to see more data than data related to his company (the permission system will define what he can or can't see or do).
      An external user is a customer, vendor or other that must view ONLY data related to himself (Creating an external user for a third-party can be done from the contact record of the third-party).

      In both cases, you must grant permissions on the features that the user need. +CreateInternalUserDesc=Tämän lomakkeen avulla voit luo sisäisen käyttäjän Yritys/organisaatiossasi. luo ulkoiselle käyttäjälle (asiakkaalle, Toimittaja jne. ..) käytä painiketta luo Dolibarr User' kyseisen kolmannen osapuolen yhteystietokortista. +InternalExternalDesc=sisäinen on käyttäjä, joka on osa Yritys /organisaatio tai on organisaatiosi ulkopuolinen kumppanikäyttäjä, joka saattaa joutua näkemään enemmän tietoja kuin hänen Yritys tietoja (lupajärjestelmä määrittelee, mitä hän saa ja mitä ei saa katso tai tee).
      ulkoinen käyttäjä on asiakas , Toimittaja tai muu, jonka täytyy tarkastella VAIN itseensä liittyviä tietoja (Ulkoisen käyttäjän luominen kolmannelle osapuolelle voidaan tehdä kolmannen osapuolen yhteystietotietueesta).

      Molemmissa tapauksissa sinun on myönnettävä käyttöoikeudet käyttäjän tarvitsemille ominaisuuksille. PermissionInheritedFromAGroup=Lupa myönnettiin, koska periytyy yhden käyttäjän ryhmä. Inherited=Peritty -UserWillBe=Created user will be +UserWillBe=Luotu käyttäjä tulee olemaan UserWillBeInternalUser=Luotu käyttäjä on sisäinen käyttäjä (koska ei liity erityistä kolmannelle osapuolelle) UserWillBeExternalUser=Luotu käyttäjä tulee ulkopuolinen käyttäjä (koska liittyy erityistä kolmannelle osapuolelle) IdPhoneCaller=Id puhelimeen soittajan NewUserCreated=Käyttäjä %s on luotu NewUserPassword=Salasana muutos %s -NewPasswordValidated=Your new password have been validated and must be used now to login. +NewPasswordValidated=Uusi salasanasi on vahvistettu ja on käytettävä nyt kirjautumiseen. EventUserModified=Käyttäjän %s muuntamattomat UserDisabled=Käyttäjän %s pois päältä UserEnabled=Käyttäjän %s aktivoitu UserDeleted=Käyttäjän %s poistettu NewGroupCreated=Ryhmän %s on luotu -GroupModified=Group %s modified +GroupModified=ryhmä %s muokattu GroupDeleted=Ryhmän %s poistettu -ConfirmCreateContact=Are you sure you want to create a Dolibarr account for this contact? -ConfirmCreateLogin=Are you sure you want to create a Dolibarr account for this member? -ConfirmCreateThirdParty=Are you sure you want to create a third party for this member? +ConfirmCreateContact=Haluatko varmasti luo Dolibarr-tilin tälle yhteyshenkilölle? +ConfirmCreateLogin=Haluatko varmasti luo Dolibarr-tilin tälle jäsenelle? +ConfirmCreateThirdParty=Haluatko varmasti luo kolmannen osapuolen tälle jäsenelle? LoginToCreate=Kirjaudu luoda NameToCreate=Nimi kolmannen osapuolen luoda YourRole=Omat roolit YourQuotaOfUsersIsReached=Tilakiintiösi aktiivisia käyttäjiä on saavutettu! -NbOfUsers=Number of users -NbOfPermissions=Number of permissions -DontDowngradeSuperAdmin=Only another admin can downgrade an admin -HierarchicalResponsible=Supervisor -HierarchicView=Hierarchical view -UseTypeFieldToChange=Use field Type to change +NbOfUsers=käyttäjien lukumäärä +NbOfPermissions=Käyttöoikeuksien määrä +DontDowngradeSuperAdmin=Vain toinen Pääkäyttäjä voi alentaa Pääkäyttäjä-versiota. +HierarchicalResponsible=Valvoja +HierarchicView=Hierarkkinen näkymä +UseTypeFieldToChange=Käytä Kenttä tyyppiä muuttaaksesi OpenIDURL=OpenID URL -LoginUsingOpenID=Use OpenID to login -WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected hours worked per week -ColorUser=Color of the user -DisabledInMonoUserMode=Disabled in maintenance mode -UserAccountancyCode=User accounting code -UserLogoff=User logout -UserLogged=User logged -DateOfEmployment=Employment date -DateEmployment=Employment -DateEmploymentStart=Employment Start Date -DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Access validity date range -CantDisableYourself=You can't disable your own user record -ForceUserExpenseValidator=Force expense report validator -ForceUserHolidayValidator=Force leave request validator -ValidatorIsSupervisorByDefault=By default, the validator is the supervisor of the user. Keep empty to keep this behaviour. -UserPersonalEmail=Personal email -UserPersonalMobile=Personal mobile phone -WarningNotLangOfInterface=Warning, this is the main language the user speak, not the language of the interface he choosed to see. To change the interface language visible by this user, go on tab %s -DateLastLogin=Date last login -DatePreviousLogin=Date previous login -IPLastLogin=IP last login -IPPreviousLogin=IP previous login -ShowAllPerms=Show all permission rows -HideAllPerms=Hide all permission rows -UserPublicPageDesc=You can enable a virtual card for this user. An url with the user profile and a barcode will be available to allow anybody with a smartphone to scan it and add your contact to its address book. -EnablePublicVirtualCard=Enable the user's virtual business card +LoginUsingOpenID=Käytä OpenID:tä kirjautumiseen +WeeklyHours=Työtunnit (per Viikko) +ExpectedWorkedHours=Odotetut työtunnit per Viikko +ColorUser=Käyttäjän väri +DisabledInMonoUserMode=Pois päältä huoltotilassa +UserAccountancyCode=Käyttäjän Kirjanpito koodi +UserLogoff=Käyttäjän uloskirjautuminen: %s +UserLogged=Käyttäjä kirjautunut: %s +UserLoginFailed=Kirjautuminen epäonnistui: %s +DateOfEmployment=Työllisyys päiväys +DateEmployment=Työllisyys +DateEmploymentStart=Työsuhteen alkaminen päiväys +DateEmploymentEnd=Työsuhteen päättyminen päiväys +RangeOfLoginValidity=Käyttöoikeuden voimassaoloaika päiväys +CantDisableYourself=Omaa käyttäjätietuetta ei voi poistaa käytöstä +ForceUserExpenseValidator=Pakota kuluraportti validaattori +ForceUserHolidayValidator=Pakota poistumispyynnön vahvistaja +ValidatorIsSupervisorByDefault=oletus:n vahvistaja on käyttäjän valvoja. Pidä tyhjänä säilyttääksesi tämän käytöksen. +UserPersonalEmail=Henkilökohtainen sähköposti +UserPersonalMobile=Henkilökohtainen matkapuhelin +WarningNotLangOfInterface=Varoitus, tämä on tärkein Kieli, jonka käyttäjä puhuu, ei hänen valitsemansa käyttöliittymän Kieli. Jos haluat muuttaa tämän käyttäjän näkyvää käyttöliittymää Kieli, siirry välilehdelle %s +DateLastLogin=päiväys viimeisin kirjautuminen +DatePreviousLogin=päiväys edellinen kirjautuminen +IPLastLogin=IP viimeinen kirjautuminen +IPPreviousLogin=IP edellinen kirjautuminen +ShowAllPerms=Näytä kaikki luparivit +HideAllPerms=Piilota kaikki luparivit +UserPublicPageDesc=Voit ottaa virtuaalikortin käyttöön tälle käyttäjälle. URL-osoite, jonka käyttäjäprofiili on ja a viivakoodi, on saatavilla, jotta kuka tahansa älypuhelimella on mahdollisuus skannata se ja lisää yhteystietosi osoitekirjaansa. +EnablePublicVirtualCard=Ota käyttöön käyttäjän virtuaalinen käyntikortti +UserEnabledDisabled=Käyttäjän tila muutettu: %s +AlternativeEmailForOAuth2=Vaihtoehtoinen sähköpostiosoite OAuth2-kirjautumiseen diff --git a/htdocs/langs/fi_FI/website.lang b/htdocs/langs/fi_FI/website.lang index 085c96cd91e..4287a0bd0eb 100644 --- a/htdocs/langs/fi_FI/website.lang +++ b/htdocs/langs/fi_FI/website.lang @@ -1,162 +1,166 @@ # Dolibarr language file - Source file is en_US - website Shortname=Koodi -WebsiteName=Name of the website -WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them. +WebsiteName=Verkkosivuston nimi +WebsiteSetupDesc=luo tässä verkkosivustot, joita haluat käyttää. Siirry sitten valikko Web-sivustoihin muokataksesi niitä. DeleteWebsite=Poista sivusto -ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. -WEBSITE_TYPE_CONTAINER=Type of page/container -WEBSITE_PAGE_EXAMPLE=Web page to use as example -WEBSITE_PAGENAME=Page name/alias -WEBSITE_ALIASALT=Alternative page names/aliases -WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
      alternativename1, alternativename2, ... +ConfirmDeleteWebsite=Haluatko varmasti poistaa tämän verkkosivuston? Myös kaikki sen sivujen ja sisältö poistetaan. Ladatut tiedostot (kuten medias-hakemistoon, ECM-moduuliin...) säilyvät. +WEBSITE_TYPE_CONTAINER=Sivun/säilön tyyppi +WEBSITE_PAGE_EXAMPLE=Esimerkkinä käytettävä verkkosivu +WEBSITE_PAGENAME=Sivun nimi/alias +WEBSITE_ALIASALT=Vaihtoehtoiset sivujen nimet/aliakset +WEBSITE_ALIASALTDesc=Käytä tässä luetteloa muista nimistä/aliaksista, jotta sivulle pääsee myös näillä muilla nimillä/aliaksilla (esimerkiksi vanha nimi aliaksen uudelleennimeämisen jälkeen, jotta vanha linkki/nimi toimii). Syntaksi on:
      vaihtoehtonimi1, vaihtoehtonimi2, ... WEBSITE_CSS_URL=Ulkoisen CSS-tiedoston osoite -WEBSITE_CSS_INLINE=CSS file content (common to all pages) -WEBSITE_JS_INLINE=Javascript file content (common to all pages) -WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) -WEBSITE_ROBOT=Robot file (robots.txt) -WEBSITE_HTACCESS=Website .htaccess file -WEBSITE_MANIFEST_JSON=Website manifest.json file -WEBSITE_KEYWORDSDesc=Use a comma to separate values -EnterHereReadmeInformation=Enter here a description of the website. If you distribute your website as a template, the file will be included into the temptate package. -EnterHereLicenseInformation=Enter here the LICENSE of the code of the website. If you distribute your website as a template, the file will be included into the temptate package. -HtmlHeaderPage=HTML header (specific to this page only) -PageNameAliasHelp=Name or alias of the page.
      This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. -EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. +WEBSITE_CSS_INLINE=CSS-sisältö tiedosto (yhteinen kaikille sivuille) +WEBSITE_JS_INLINE=JavaScript tiedosto sisältö (yhteinen kaikille sivuille) +WEBSITE_HTML_HEADER=Lisäys HTML-otsikon alareunaan (yhteinen kaikille sivuille) +WEBSITE_ROBOT=Robotti tiedosto (robots.txt) +WEBSITE_HTACCESS=Verkkosivusto .htaccess tiedosto +WEBSITE_MANIFEST_JSON=Verkkosivuston manifest.json tiedosto +WEBSITE_KEYWORDSDesc=Erottele arvot pilkulla +EnterHereReadmeInformation=Kirjoita tähän verkkosivuston kuvaus. Jos jaat verkkosivustoasi mallina, tiedosto sisällytetään houkutuspakettiin. +EnterHereLicenseInformation=Syötä tähän sivuston koodin KÄYTTÖOIKEUS. Jos jaat verkkosivustoasi mallina, tiedosto sisällytetään houkutuspakettiin. +HtmlHeaderPage=HTML-otsikko (vain tälle sivulle) +PageNameAliasHelp=Sivun nimi tai alias.
      Tätä aliasta käytetään myös hakukoneoptimoinnin URL-osoitteen väärentämiseen, kun verkkosivustoa ajetaan verkkopalvelimen virtuaalipalvelimelta (kuten Apacke, Nginx, .. .). Muokkaa tätä aliasta painikkeella %s. +EditTheWebSiteForACommonHeader=Huomautus: Jos haluat määrittää yksilöllisen otsikon kaikille sivuille, muokkaa otsikkoa sivustotasolla sivun/säilön sijaan. MediaFiles=Mediakirjasto -EditCss=Edit website properties -EditMenu=Edit menu -EditMedias=Edit medias -EditPageMeta=Edit page/container properties -EditInLine=Edit inline +EditCss=Muokkaa verkkosivuston ominaisuuksia +EditMenu=Muokkaa valikko +EditMedias=Muokkaa mediaa +EditPageMeta=Muokkaa sivun/säilön ominaisuuksia +EditInLine=Muokkaa upotettua AddWebsite=Lisää sivusto -Webpage=Web page/container -AddPage=Add page/container +Webpage=Verkkosivu/säilö +AddPage=Lisää sivu/säilö PageContainer=Sivu -PreviewOfSiteNotYetAvailable=The preview of your website %s is not yet available. You must first 'Import a full website template' or just 'Add a page/container'. -RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this. -SiteDeleted=Web site '%s' deleted -PageContent=Page/Contenair -PageDeleted=Page/Contenair '%s' of website %s deleted -PageAdded=Page/Contenair '%s' added -ViewSiteInNewTab=View site in new tab -ViewPageInNewTab=View page in new tab +PreviewOfSiteNotYetAvailable=Verkkosivustosi %s esikatselu ei ole vielä saatavilla. Sinun täytyy ensin tuoda täydellinen verkkosivustomalli tai vain b0e7843947c. span>Lisää sivu/säilö
      '. +RequestedPageHasNoContentYet=Pyydetyllä sivulla, jonka tunnus on %s, ei ole vielä sisältöä, tai välimuisti tiedosto .tpl.php on poistettu. Muokkaa sivun sisältöä ratkaistaksesi tämän. +SiteDeleted=Verkkosivusto '%s' poistettu +PageContent=Sivu/sisältö +PageDeleted=Sivu/Contenair '%s' verkkosivustosta %s poistettu +PageAdded=Sivu/Contenair '%s' lisätty +ViewSiteInNewTab=Näytä sivusto uudessa välilehdessä +ViewPageInNewTab=Näytä sivu uudessa välilehdessä SetAsHomePage=Aseta kotisivuksi RealURL=Lue URL -ViewWebsiteInProduction=View web site using home URLs -Virtualhost=Virtual host or domain name -VirtualhostDesc=The name of the Virtual host or domain (For example: www.mywebsite.com, mybigcompany.net, ...) -SetHereVirtualHost=Use with Apache/NGinx/...
      Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
      %s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: -YouCanAlsoTestWithPHPS=Use with PHP embedded server
      On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
      php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
      If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org -CheckVirtualHostPerms=Check also that the virtual host user (for example www-data) has %s permissions on files into
      %s +ViewWebsiteInProduction=Tarkastele verkkosivustoa koti-URL-osoitteiden avulla +Virtualhost=Virtuaalinen isäntä tai verkkotunnus +VirtualhostDesc=Virtuaalipalvelimen tai verkkotunnuksen nimi (esimerkiksi: www.omasivusto.fi, omayritys.net, ...) +SetHereVirtualHost=Käytä kanssa Apache/NGinx/...
      Luo verkkopalvelimesi (Apache, Nginx, ...) omistettu virtuaalipalvelin, jossa PHP on käytössä ja juurihakemisto osoitteessa
      %s +ExampleToUseInApacheVirtualHostConfig=Esimerkki käytettäväksi Apache-virtuaaliisäntäasetuksissa: +YouCanAlsoTestWithPHPS=Käytä PHP:n sulautetun palvelimen kanssa
      Kehitysympäristössä voit mieluummin testaa sivustoa PHP:n sulautetulla verkkopalvelimella (vaatii PHP 5.5:n) suorittamalla
      php -S 0.0.0.0 :8080 -t %s +YouCanAlsoDeployToAnotherWHP=Suorita verkkosivustoasi toisen Dolibarr-palveluntarjoajan kanssa
      Jos jos sinulla ei ole Internetissä saatavilla Web-palvelinta, kuten Apache tai NGinx, voit viedä ja tuoda Web-sivustosi toiseen Dolibarr-esiintymään, jonka toinen Dolibarr-isännöintipalveluntarjoaja tarjoaa täydellisen integroinnin Verkkosivusto-moduuli. Löydät luettelon joistakin Dolibarr-palveluntarjoajista osoitteessa https://saas.dolibarr.org +CheckVirtualHostPerms=Tarkista myös, että virtuaalipalvelimen käyttäjällä (esimerkiksi www-data) on %s tiedostojen käyttöoikeudet kohteeseen
      %s ReadPerm=Luettu -WritePerm=Write -TestDeployOnWeb=Test/deploy on web -PreviewSiteServedByWebServer=Preview %s in a new tab.

      The %s will be served by an external web server (like Apache, Nginx, IIS). You must install and setup this server before to point to directory:
      %s
      URL served by external server:
      %s -PreviewSiteServedByDolibarr=Preview %s in a new tab.

      The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed.
      The inconvenient is that the URLs of pages are not user friendly and start with the path of your Dolibarr.
      URL served by Dolibarr:
      %s

      To use your own external web server to serve this web site, create a virtual host on your web server that points on directory
      %s
      then enter the name of this virtual server in the properties of this website and click on the link "Test/Deploy on the web". -VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined -NoPageYet=No pages yet -YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template -SyntaxHelp=Help on specific syntax tips -YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . -ClonePage=Clone page/container +WritePerm=Kirjoittaa +TestDeployOnWeb=Testaa / ota käyttöön verkossa +PreviewSiteServedByWebServer=Esikatsele %s uudessa välilehdessä.

      %s palvelee ulkoinen verkkopalvelin (kuten Apache, Nginx, IIS ). Sinun on asennettava ja tämän palvelimen asennus ennen kuin voit osoittaa hakemistoon:
      >%s
      Ulkoisen palvelimen tarjoama URL-osoite:
      %sb0a65fc071f65fc071f +PreviewSiteServedByDolibarr=Esikatsele %s uudessa välilehdessä.

      %s palvelee Dolibarr-palvelinta, joten se ei tarvitse ylimääräistä verkkopalvelinta (kuten Apache, Nginx, IIS) asennettava.
      Epämukavaa on, että sivujen URL-osoitteet eivät ole käyttäjäystävällisiä ja aloita Dolibarrin polulla.
      Dolibarrin tarjoama URL-osoite:
      span>%s
      b0349bcc0fda192fz Jos haluat käyttää omaa ulkoista verkkopalvelintasi tämän verkkosivuston palvelemiseen, luo verkkopalvelimellasi on virtuaalinen isäntä, joka osoittaa hakemistoon
      %s
      ja kirjoita tämän virtuaalipalvelimen nimi tämän verkkosivuston ominaisuuksiin ja napsauta linkkiä "Testaa/käyttöönotto verkossa". +VirtualHostUrlNotDefined=Ulkoisen verkkopalvelimen palveleman virtuaalisen isännän URL-osoitetta ei ole määritetty +NoPageYet=Ei vielä sivuja +YouCanCreatePageOrImportTemplate=Voit luo uuden sivun tai tuoda täyden verkkosivustomallin +SyntaxHelp=Ohje tiettyihin syntaksivinkkeihin +YouCanEditHtmlSourceckeditor=Voit muokata HTML-lähdekoodia käyttämällä "Lähde"-painiketta editorissa. +YouCanEditHtmlSource=
      Voit sisällyttää PHP-koodia tähän lähteeseen käyttämällä tunnisteita <?php ?>
      ccfda1492fz0 /span> Voit tehdä uudelleenohjauksen toiselle sivulle/säilöön seuraavalla syntaksilla (Huomaa: älä tulosta mitään sisältö ennen uudelleenohjausta):
      <?php redirectToContainer alias_container_to_redirect_to'); ?>
      ccfda1492fz0 /span> Jos haluat lisätä linkin toiselle sivulle, käytä syntaksia:
      <a href="alias_of_page_to_link_to.php"b0012c7d0beomalinkki<a>

      sisältää <
      ='notranslate'>latauslinkki a tiedosto, joka on tallennettu asiakirjat, käytä hakemistoa document.php670f6z'19notranslate' class='z /span> kääre:
      Esimerkki: tiedosto asiakirjoihin/ecm:iin (täytyy kirjata), syntaksi on:
      <a href="/document.phm&modulepart=ec tiedosto=[relative_dir/]filename.ext"> class='notranslate'>
      tiedosto asiakirjoihin/mediaan (avoin hakemisto julkista käyttöä varten), syntaksi on:
      <a href="/document.php?modulepart=medias& tiedosto=[relative_dir/]filename.ext">Jakolinkillä jaetun tiedosto (avoin käyttöoikeus tiedosto jakamishajaavaimella) syntaksi on:
      <a href="/document.php?hashp= publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      kuva tallennettu asiakirjoihinviewimage.php-käärettä.
      ,Example kuvan asiakirjoihin/mediaan (avoin hakemisto yleisölle), syntaksi on:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext"d0c012'>d0c012'> /span>
      +YouCanEditHtmlSource3=Saat PHP-objektin kuvan URL-osoitteen käyttämällä
      < span>img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?> class='notranslate'>>
      +YouCanEditHtmlSourceMore=
      Lisää esimerkkejä HTML-koodista tai dynaamisesta koodista löytyy wikin dokumentaatiosta >.
      +ClonePage=Kloonaa sivu/säilö CloneSite=Kloonaa sivusto -SiteAdded=Website added -ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page. -PageIsANewTranslation=The new page is a translation of the current page ? -LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page. -ParentPageId=Parent page ID +SiteAdded=Verkkosivusto lisätty +ConfirmClonePage=Anna uuden sivun ja koodi/alias, jos se on kloonatun sivun käännös. +PageIsANewTranslation=Uusi sivu on käännös nykyisestä sivusta ? +LanguageMustNotBeSameThanClonedPage=Kloonat sivun käännökseksi. Uuden sivun Kieli on eri kuin lähdesivun Kieli. +ParentPageId=Pääsivun tunnus WebsiteId=Sivuston ID -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... -OrEnterPageInfoManually=Or create page from scratch or from a page template... -FetchAndCreate=Fetch and Create -ExportSite=Export website -ImportSite=Import website template +CreateByFetchingExternalPage=luo sivu/säilö hakemalla sivu ulkoisesta URL-osoitteesta... +OrEnterPageInfoManually=Tai luo sivu tyhjästä tai sivumallista... +FetchAndCreate=Hae ja luo +ExportSite=Vie verkkosivusto +ImportSite=Tuo verkkosivustomalli IDOfPage=Sivuston ID Banner=Banneri -BlogPost=Blog post -WebsiteAccount=Website account +BlogPost=Blogipostaus +WebsiteAccount=Verkkosivuston tili WebsiteAccounts=Nettisivun käyttäjä -AddWebsiteAccount=Create web site account -BackToListForThirdParty=Back to list for the third parties -DisableSiteFirst=Disable website first -MyContainerTitle=My web site title -AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists) -SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please comme back later... -WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table -WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party -YouMustDefineTheHomePage=You must first define the default Home page -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correclty when used on a grabbed external page. -OnlyEditionOfSourceForGrabbedContent=Only edition of HTML source is possible when content was grabbed from an external site -GrabImagesInto=Grab also images found into css and page. -ImagesShouldBeSavedInto=Images should be saved into directory -WebsiteRootOfImages=Root directory for website images -SubdirOfPage=Sub-directory dedicated to page -AliasPageAlreadyExists=Alias page %s already exists -CorporateHomePage=Corporate Home page +AddWebsiteAccount=luo verkkosivustotili +BackToListForThirdParty=Takaisin kolmansien osapuolten luetteloon +DisableSiteFirst=Poista verkkosivusto käytöstä ensin +MyContainerTitle=Verkkosivustoni otsikko +AnotherContainer=Näin voit sisällyttää toisen sivun/säilön sisällön (tässä saattaa ilmetä virhe, jos otat dynaamisen koodin käyttöön, koska upotettua alisäilöä ei ehkä ole olemassa) +SorryWebsiteIsCurrentlyOffLine=Valitettavasti tämä sivusto on tällä hetkellä offline-tilassa. Ole hyvä ja palaa myöhemmin... +WEBSITE_USE_WEBSITE_ACCOUNTS=Ota käyttöön verkkosivuston tilitaulukko +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Ota taulukko käyttöön verkkosivustojen tilien (kirjautumistunnus/passi) tallentamiseen jokaiselle verkkosivustolle/kolmannelle osapuolelle +YouMustDefineTheHomePage=Sinun on ensin määritettävä oletus Kotisivu +OnlyEditionOfSourceForGrabbedContentFuture=Varoitus: Web-sivun luominen tuomalla ulkoinen verkkosivu on varattu kokeneille käyttäjille. Lähdesivun monimutkaisuudesta riippuen tuonnin tulos voi poiketa alkuperäisestä. Myös jos lähdesivu käyttää yleisiä CSS-tyylejä tai ristiriitaista JavaScriptiä, se voi rikkoa verkkosivuston muokkausohjelman ulkoasua tai ominaisuuksia tämän sivun parissa työskentelemisen aikana. Tämä menetelmä on nopeampi tapa luo sivu, mutta on suositeltavaa luo uusi sivusi alusta tai ehdotetusta sivusta. malli.
      Huomaa myös, että upotettu editori ei välttämättä toimi oikein, kun sitä käytetään kaapatulla ulkoisella sivulla. +OnlyEditionOfSourceForGrabbedContent=Ainoastaan HTML-lähteen editointi on mahdollista, kun sisältö on kaapattu ulkoisesta sivustosta +GrabImagesInto=Nappaa myös kuvia, jotka löytyvät css:n ja -sivulta. +ImagesShouldBeSavedInto=Kuvat tulee tallentaa hakemistoon +WebsiteRootOfImages=Verkkosivuston kuvien juurihakemisto +SubdirOfPage=Sivulle omistettu alihakemisto +AliasPageAlreadyExists=Aliassivu %s on jo olemassa +CorporateHomePage=Yritys Kotisivu EmptyPage=Tyhjä sivu ExternalURLMustStartWithHttp=Ulkoisen osoitteen on oltava muotoa http:// tai https:// -ZipOfWebsitePackageToImport=Upload the Zip file of the website template package -ZipOfWebsitePackageToLoad=or Choose an available embedded website template package -ShowSubcontainers=Show dynamic content -InternalURLOfPage=Internal URL of page -ThisPageIsTranslationOf=This page/container is a translation of -ThisPageHasTranslationPages=This page/container has translation -NoWebSiteCreateOneFirst=No website has been created yet. Create one first. -GoTo=Go to -DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). -NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. -ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? -MyWebsitePages=My website pages -SearchReplaceInto=Search | Replace into -ReplaceString=New string -CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. -Dynamiccontent=Sample of a page with dynamic content -ImportSite=Import website template -EditInLineOnOff=Mode 'Edit inline' is %s -ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s -GlobalCSSorJS=Global CSS/JS/Header file of web site -BackToHomePage=Back to home page... -TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
      (ref=%s, type=%s, status=%s) -UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters -MainLanguage=Main language -OtherLanguages=Other languages -UseManifest=Provide a manifest.json file -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers +ZipOfWebsitePackageToImport=Lataa verkkosivustomallipaketin ZIP-tiedosto tiedosto +ZipOfWebsitePackageToLoad=tai Valitse käytettävissä oleva upotettu verkkosivustomallipaketti +ShowSubcontainers=Näytä dynaaminen sisältö +InternalURLOfPage=Sivun sisäinen URL-osoite +ThisPageIsTranslationOf=Tämä sivu/säilö on käännös aiheesta +ThisPageHasTranslationPages=Tällä sivulla/säilössä on käännös +NoWebSiteCreateOneFirst=Sivustoa ei ole vielä luotu. luo yksi ensin. +GoTo=Mene +DynamicPHPCodeContainsAForbiddenInstruction=Lisäät dynaamisen PHP-koodin, joka sisältää PHP-käskyn '%s ', jonka oletus on kieltänyt dynaamisena sisältönä (katso piilotettuja valintoja WEBSITE_PHP_ALLOW_xxx lisätäksesi sallittujen komentojen luetteloa). +NotAllowedToAddDynamicContent=Sinulla ei ole lupaa lisätä tai muokata PHP-dynaamista sisältöä verkkosivustoille. Pyydä lupa tai pidä vain koodi php-tunnisteisiin muokkaamattomana. +ReplaceWebsiteContent=Etsi tai korvaa verkkosivuston sisältöä +DeleteAlsoJs=Poistetaanko myös kaikki tätä verkkosivustoa koskevat JavaScript-tiedostot? +DeleteAlsoMedias=Poistetaanko myös kaikki tähän verkkosivustoon liittyvät mediatiedostot? +MyWebsitePages=Verkkosivustoni sivut +SearchReplaceInto=Hae | Vaihda sisään +ReplaceString=Uusi merkkijono +CSSContentTooltipHelp=Kirjoita tähän CSS-sisältö. Välttääksesi ristiriidat sovelluksen CSS:n kanssa, muista liittää kaikki ilmoitukset .bodywebsite-luokan kanssa. Esimerkki:

      #mycssselector, input.myclass:hover { ... }
      on oltava
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Huomaa: jos sinulla on suuri tiedosto ilman tätä etuliitettä, voit muuntaa sen käyttämällä 'lessc' ja liittää sen . bodyweb-sivuston etuliite kaikkialla. +LinkAndScriptsHereAreNotLoadedInEditor=Varoitus: Tämä sisältö tulostetaan vain, kun sivustoa käytetään palvelimelta. Sitä ei käytetä muokkaustilassa, joten jos haluat ladata JavaScript-tiedostoja myös muokkaustilassa, lisää vain tunniste "script src=..." sivulle. +Dynamiccontent=Esimerkki sivusta, jolla on dynaaminen sisältö +ImportSite=Tuo verkkosivustomalli +EditInLineOnOff=Tila "Muokkaa upotettuna" on %s +ShowSubContainersOnOff=Dynaamisen sisällön suoritustapa on %s +GlobalCSSorJS=Verkkosivuston yleinen CSS/JS/otsikko tiedosto +BackToHomePage=Takaisin Kotisivu... +TranslationLinks=Käännöslinkit +YouTryToAccessToAFileThatIsNotAWebsitePage=Yrität päästä sivulle, joka ei ole käytettävissä.
      (ref=%s, type=%s, status=%s) +UseTextBetween5And70Chars=Hyviä hakukoneoptimointikäytäntöjä varten käytä tekstiä, jonka pituus on 5 ja 70 merkkiä +MainLanguage=Pää Kieli +OtherLanguages=Muut kielet +UseManifest=Anna manifest.json tiedosto +PublicAuthorAlias=Julkinen tekijän alias +AvailableLanguagesAreDefinedIntoWebsiteProperties=Käytettävissä olevat kielet on määritelty verkkosivuston ominaisuuksissa +ReplacementDoneInXPages=Korvaus tehty %s sivulla tai säilössä RSSFeed=RSS-syöte -RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL -PagesRegenerated=%s page(s)/container(s) regenerated -RegenerateWebsiteContent=Regenerate web site cache files -AllowedInFrames=Allowed in Frames -DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties. -GenerateSitemaps=Generate website sitemap.xml file -ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... -ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap file %s generated +RSSFeedDesc=Voit saada RSS-syötteen uusimmista artikkeleista, joiden tyyppi on "blogiteksti" käyttämällä tätä URL-osoitetta +PagesRegenerated=%s sivu(a)/säilö(t) uusittu +RegenerateWebsiteContent=Luo uudelleen web-sivuston välimuistitiedostot +AllowedInFrames=Sallittu kehyksissä +DefineListOfAltLanguagesInWebsiteProperties=Määritä luettelo kaikista saatavilla olevista kielistä verkkosivuston ominaisuuksiin. +GenerateSitemaps=Luo verkkosivusto sitemap.xml tiedosto +ConfirmGenerateSitemaps=Jos vahvistat, poistat nykyisen sivustokartan tiedosto... +ConfirmSitemapsCreation=Vahvista sivustokartan luominen +SitemapGenerated=Sivustokartta tiedosto %sb09a4f8 luotu ImportFavicon=Favicon -ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 -FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) -NextContainer=Next page/container -PreviousContainer=Previous page/container -WebsiteMustBeDisabled=The website must have the status "%s" -WebpageMustBeDisabled=The web page must have the status "%s" -SetWebsiteOnlineBefore=When website is offline, all pages are offline. Change status of website first. -Booking=Booking -Reservation=Reservation -PagesViewedPreviousMonth=Pages viewed (previous month) -PagesViewedTotal=Pages viewed (total) +ErrorFaviconType=Faviconin on oltava png +ErrorFaviconSize=Faviconin koon tulee olla 16x16, 32x32 tai 64x64 +FaviconTooltip=Lataa kuva, jonka on oltava png (16x16, 32x32 tai 64x64) +NextContainer=Seuraava sivu/säilö +PreviousContainer=Edellinen sivu/säilö +WebsiteMustBeDisabled=Verkkosivuston tilan on oltava %s +WebpageMustBeDisabled=Verkkosivun tilan on oltava "%s" +SetWebsiteOnlineBefore=Kun verkkosivusto on offline-tilassa, kaikki sivut ovat offline-tilassa. Muuta ensin verkkosivuston tila. +Booking=Varaus +Reservation=Varaus +PagesViewedPreviousMonth=Katsotut sivut (edellinen kuukausi) +PagesViewedTotal=Katsotut sivut (yhteensä) Visibility=Näkyvyys -Everyone=Everyone -AssignedContacts=Assigned contacts +Everyone=Kaikki +AssignedContacts=Määritetyt yhteystiedot +WebsiteTypeLabel=Web-sivuston tyyppi +WebsiteTypeDolibarrWebsite=Verkkosivusto (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Alkuperäinen Dolibarr-portaali diff --git a/htdocs/langs/fi_FI/withdrawals.lang b/htdocs/langs/fi_FI/withdrawals.lang index 350c01abd7a..6ee774b438b 100644 --- a/htdocs/langs/fi_FI/withdrawals.lang +++ b/htdocs/langs/fi_FI/withdrawals.lang @@ -1,163 +1,174 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Payments by Direct debit orders -SuppliersStandingOrdersArea=Payments by Credit transfer -StandingOrdersPayment=Direct debit payment orders -StandingOrderPayment=Direct debit payment order -NewStandingOrder=New direct debit order -NewPaymentByBankTransfer=New payment by credit transfer +CustomersStandingOrdersArea=Maksut suoraveloitusmääräyksillä +SuppliersStandingOrdersArea=Maksut tilisiirrolla +StandingOrdersPayment=Suoraveloitus maksu tilaukset +StandingOrderPayment=Suoraveloitus maksu tilaus +NewStandingOrder=Uusi suoraveloitustilaus +NewPaymentByBankTransfer=Uusi maksu tilisiirrolla StandingOrderToProcess=Käsiteltävä -PaymentByBankTransferReceipts=Credit transfer orders -PaymentByBankTransferLines=Credit transfer order lines -WithdrawalsReceipts=Direct debit orders +PaymentByBankTransferReceipts=Tilisiirtomääräykset +PaymentByBankTransferLines=Tilisiirtotilausrivit +WithdrawalsReceipts=Suoraveloitustilaukset WithdrawalReceipt=Suoraveloitus tilaus -BankTransferReceipts=Credit transfer orders -BankTransferReceipt=Credit transfer order -LatestBankTransferReceipts=Latest %s credit transfer orders -LastWithdrawalReceipts=Latest %s direct debit files -WithdrawalsLine=Direct debit order line -CreditTransfer=Credit transfer -CreditTransferLine=Credit transfer line -WithdrawalsLines=Direct debit order lines -CreditTransferLines=Credit transfer lines -RequestStandingOrderToTreat=Requests for direct debit payment order to process -RequestStandingOrderTreated=Requests for direct debit payment order processed -RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process -RequestPaymentsByBankTransferTreated=Requests for credit transfer processed -NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order -NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information -NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer -SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer -InvoiceWaitingWithdraw=Invoice waiting for direct debit -InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer +BankTransferReceipts=Tilisiirtomääräykset +BankTransferReceipt=Tilisiirtomääräys +LatestBankTransferReceipts=Viimeisimmät %s tilisiirtomääräykset +LastWithdrawalReceipts=Uusimmat %s suoraveloitustiedostot +WithdrawalsLine=Suoraveloitustilausrivi +CreditTransfer=Tilisiirto +CreditTransferLine=Luottosiirtolinja +WithdrawalsLines=Suoraveloitustilausrivit +CreditTransferLines=Luottosiirtolinjat +RequestStandingOrderToTreat=Suoraveloituspyynnöt maksu, tilaus käsiteltäväksi +RequestStandingOrderTreated=Suoraveloituspyynnöt maksu tilaus käsitelty +RequestPaymentsByBankTransferToTreat=Tilisiirtopyynnöt käsitellään +RequestPaymentsByBankTransferTreated=Tilisiirtopyynnöt käsitelty +NotPossibleForThisStatusOfWithdrawReceiptORLine=Ei vielä mahdollista. Noston tilaksi on asetettava "hyväksytty", ennen kuin hylätään tietyillä riveillä. +NbOfInvoiceToWithdraw=Hyväksyttyjen asiakaslaskujen lukumäärä odottamassa suoraveloitustilausta +NbOfInvoiceToWithdrawWithInfo=Asiakkaan laskun määrä suoraveloituksella maksu tilauksia, joissa on määritetty pankkitili tiedot +NbOfInvoiceToPayByBankTransfer=Hyväksyttyjen toimittaja laskujen määrä odottamassa maksu tilisiirtona +SupplierInvoiceWaitingWithdraw=ostolasku odottaa maksu tilisiirrolla +InvoiceWaitingWithdraw=Lasku odottaa suoraveloitusta +InvoiceWaitingPaymentByBankTransfer=Lasku odottaa tilisiirtoa AmountToWithdraw=Määrä peruuttaa -AmountToTransfer=Amount to transfer -NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. -NoSupplierInvoiceToWithdraw=No supplier invoice with open '%s' is waiting. Go on tab '%s' on invoice card to make a request. -ResponsibleUser=User Responsible -WithdrawalsSetup=Direct debit payment setup -CreditTransferSetup=Credit transfer setup -WithdrawStatistics=Direct debit payment statistics -CreditTransferStatistics=Credit transfer statistics +AmountToTransfer=Siirrettävä summa +NoInvoiceToWithdraw=Ei avointa laskua kohteelle %s. Tee pyyntö siirtymällä välilehdelle %s laskukortissa. +NoSupplierInvoiceToWithdraw=Yksikään toimittaja-lasku, jossa on avoin %s, ei odota. Tee pyyntö siirtymällä välilehdelle %s laskukortissa. +ResponsibleUser=Käyttäjän vastuulla +WithdrawalsSetup=Suoraveloitus maksu +CreditTransferSetup=Tilisiirron asetukset +WithdrawStatistics=Suoraveloitus maksu +CreditTransferStatistics=Tilisiirtotilastot Rejects=Hylkäykset -LastWithdrawalReceipt=Latest %s direct debit receipts -MakeWithdrawRequest=Make a direct debit payment request -MakeWithdrawRequestStripe=Make a direct debit payment request via Stripe -MakeBankTransferOrder=Make a credit transfer request -WithdrawRequestsDone=%s direct debit payment requests recorded -BankTransferRequestsDone=%s credit transfer requests recorded -ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. -WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. +LastWithdrawalReceipt=Viimeisimmät %s suoraveloituskuitit +MakeWithdrawRequest=Tee suoraveloitus maksu +MakeWithdrawRequestStripe=Tee suoraveloituspyyntö maksu Stripen kautta +MakeBankTransferOrder=Tee tilisiirtopyyntö +WithdrawRequestsDone=%s suoraveloitus maksu pyyntöä tallennettu +BankTransferRequestsDone=%s tilisiirtopyyntöä tallennettu +ThirdPartyBankCode=Kolmannen osapuolen pankkikoodi +NoInvoiceCouldBeWithdrawed=Laskua ei käsitelty onnistuneesti. Tarkista, että laskut ovat yrityksissä, joilla on kelvollinen IBAN ja, että IBANilla on UMR (unique Mandate Reference) tilalla %s. +NoInvoiceCouldBeWithdrawedSupplier=Laskua ei käsitelty onnistuneesti. Tarkista, että laskut ovat yrityksissä, joilla on voimassa oleva IBAN. +NoSalariesCouldBeWithdrawed=Palkkaa ei ole käsitelty onnistuneesti. Tarkista, että palkat ovat käyttäjillä, joilla on voimassa oleva IBAN. +WithdrawalCantBeCreditedTwice=Tämä nostokuitti on jo merkitty hyvitetyksi; tätä ei voi tehdä kahdesti, koska se mahdollisesti luo toistaisi maksuja ja pankkimerkintöjä. ClassCredited=Luokittele hyvitetyksi -ClassDebited=Classify debited +ClassDebited=Luokittelu veloitettu ClassCreditedConfirm=Oletko varma, että haluat luokitella tämän vetäytymisen vastaanottamisesta kuin hyvitetty pankkitilisi? TransData=Päivämäärä Lähetetty TransMetod=Menetelmä Lähetetty Send=Lähetä Lines=Rivit -StandingOrderReject=Record a rejection -WithdrawsRefused=Direct debit refused +StandingOrderReject=Tallenna hylkäys +WithdrawsRefused=Suoraveloitus hylätty WithdrawalRefused=Nostot Refuseds -CreditTransfersRefused=Credit transfers refused +CreditTransfersRefused=Tilisiirrot evätty WithdrawalRefusedConfirm=Oletko varma että haluat kirjoittaa peruuttamisesta hylkäämisen yhteiskunnan RefusedData=Päivä hylkäämisestä RefusedReason=Hylkäämisen syy RefusedInvoicing=Laskutus hylkääminen -NoInvoiceRefused=Älä lataa hylkäämisestä -InvoiceRefused=Invoice refused (Charge the rejection to customer) +NoInvoiceRefused=Älä veloita asiakasta kieltäytymisestä +InvoiceRefused=Veloita asiakasta kieltäytymisestä +DirectDebitRefusedInvoicingDesc=Aseta lippu ilmoittamaan, että tämä kieltäytyminen on laskutettava asiakkaalta StatusDebitCredit=Status debit/credit StatusWaiting=Odottaa StatusTrans=Lähetetty -StatusDebited=Debited +StatusDebited=Veloitettu StatusCredited=Hyvitetty StatusPaid=Maksettu StatusRefused=Hylätty StatusMotif0=Määrittelemätön StatusMotif1=Säännös insuffisante StatusMotif2=Tirage conteste -StatusMotif3=No direct debit payment order +StatusMotif3=Ei suoraveloitusta maksu tilaus StatusMotif4=Myyntitilaus StatusMotif5=RIB inexploitable StatusMotif6=Huomioon ilman tasapaino StatusMotif7=Ratkaisusta StatusMotif8=Muu syy -CreateForSepaFRST=Create direct debit file (SEPA FRST) -CreateForSepaRCUR=Create direct debit file (SEPA RCUR) -CreateAll=Create direct debit file -CreateFileForPaymentByBankTransfer=Create file for credit transfer -CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) +CreateForSepaFRST=luo suoraveloitus tiedosto (SEPA FRST) +CreateForSepaRCUR=luo suoraveloitus tiedosto (SEPA RCUR) +CreateAll=luo suoraveloitus tiedosto +CreateFileForPaymentByBankTransfer=luo tiedosto tilisiirrolle +CreateSepaFileForPaymentByBankTransfer=luo tilisiirto tiedosto (SEPA) CreateGuichet=Vain toimisto CreateBanque=Vain pankki OrderWaiting=Odottelen hoito -NotifyTransmision=Record file transmission of order -NotifyCredit=Record credit of order +NotifyTransmision=Tallenna tiedosto tilauksen lähetys +NotifyCredit=Kirjaa tilauksen luotto NumeroNationalEmetter=Kansallinen lähetin määrä WithBankUsingRIB=Jos pankkitilit käyttäen RIB WithBankUsingBANBIC=Jos pankkitilit käyttäen IBAN / BIC / SWIFT -BankToReceiveWithdraw=Receiving Bank Account -BankToPayCreditTransfer=Bank Account used as source of payments +BankToReceiveWithdraw=Vastaanotetaan pankkitili +BankToPayCreditTransfer=pankkitili käytetään maksulähteenä CreditDate=Luottoa -WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) -ShowWithdraw=Show Direct Debit Order -IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. -DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. -DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -WithdrawalFile=Debit order file -CreditTransferFile=Credit transfer file -SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null -StatisticsByLineStatus=Statistics by status of lines +WithdrawalFileNotCapable=Kotiutuskuittia tiedosto ei voida luoda maallesi %s (maatasi ei tueta) +ShowWithdraw=Näytä suoraveloitustilaus +IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Jos laskussa on kuitenkin vähintään yhtä suoraveloitustilausta maksu, jota ei ole vielä käsitelty, sitä ei määritetä maksetuksi, jotta nostot voidaan hallita etukäteen. +DoStandingOrdersBeforePayments=Tällä välilehdellä voit pyytää suoraveloitusta maksu. Kun olet valmis, voit siirtyä kohtaan valikko "Pankki->maksu suoraveloituksella" luodaksesi ja hallinnoida suoraveloitustilausta tiedosto. +DoStandingOrdersBeforePayments2=Voit myös lähettää pyynnön suoraan SEPAn maksu-suorittimelle, kuten Stripelle, ... +DoStandingOrdersBeforePayments3=Kun pyyntö suljetaan, maksu laskuissa kirjataan automaattisesti, ja laskut suljetaan, jos jäljellä oleva maksu on tyhjä. +DoCreditTransferBeforePayments=Tällä välilehdellä voit pyytää tilisiirtotilausta. Kun olet valmis, siirry kohtaan valikko "Pankki->maksu tilisiirrolla" luodaksesi b0ae6e9e5925a0z hallinnoida tilisiirtotilausta tiedosto. +DoCreditTransferBeforePayments3=Kun tilisiirtotilaus suljetaan, maksu laskuissa kirjataan automaattisesti ja ja laskut suljetaan, jos jäljellä oleva maksu on tyhjä. +WithdrawalFile=Veloitusmääräys tiedosto +CreditTransferFile=Tilisiirto tiedosto +SetToStatusSent=Aseta tilaksi "tiedosto Lähetetty" +ThisWillAlsoAddPaymentOnInvoice=Tämä tallentaa myös maksut laskuille ja luokittelee ne "Maksuiksi", jos jäljellä oleva maksu on tyhjä. +StatisticsByLineStatus=Tilastot rivien tilan mukaan RUM=UMR -DateRUM=Mandate signature date -RUMLong=Unique Mandate Reference -RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) -WithdrawRequestAmount=Amount of Direct debit request: -BankTransferAmount=Amount of Credit Transfer request: -WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. -SepaMandate=SEPA Direct Debit Mandate -SepaMandateShort=SEPA Mandate -PleaseReturnMandate=Please return this mandate form by email to %s or by mail to -SEPALegalText=By signing this mandate form, you authorize (A) %s and its payment service provider to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. You agree to receive notifications about future charges up to 2 days before they occur. -CreditorIdentifier=Creditor Identifier -CreditorName=Creditor Name -SEPAFillForm=(B) Please complete all the fields marked * -SEPAFormYourName=Your name -SEPAFormYourBAN=Your Bank Account Name (IBAN) -SEPAFormYourBIC=Your Bank Identifier Code (BIC) -SEPAFrstOrRecur=Type of payment -ModeRECUR=Recurring payment -ModeFRST=One-off payment -PleaseCheckOne=Please check one only -CreditTransferOrderCreated=Credit transfer order %s created -DirectDebitOrderCreated=Direct debit order %s created -AmountRequested=Amount requested -SEPARCUR=SEPA CUR +DateRUM=Valtuutuksen allekirjoitus päiväys +RUMLong=Ainutlaatuinen mandaattiviittaus +RUMWillBeGenerated=Jos tyhjä, UMR (Unique Mandate Reference) luodaan, kun pankkitili-tiedot on tallennettu. +WithdrawMode=Suoraveloitustila (FRST tai RCUR) +WithdrawRequestAmount=Suoraveloituspyynnön määrä: +BankTransferAmount=Tilisiirtopyynnön määrä: +WithdrawRequestErrorNilAmount=Tyhjän summan luo suoraveloituspyyntö epäonnistui. +SepaMandate=SEPA-suoraveloitusvaltuutus +SepaMandateShort=SEPA-mandaatti +PleaseReturnMandate=Palauta tämä toimeksiantolomake sähköpostitse osoitteeseen %s tai postitse osoitteeseen +SEPALegalText=Allekirjoittamalla tämän valtuutuslomakkeen valtuutat (A) %s ja sen maksu > palveluntarjoaja lähettää pankkillesi ohjeet tilin veloittamiseksi ja (B) pankkillesi veloittaaksesi tiliäsi lähettäjän %s ohjeiden mukaisesti . Osana oikeuksiasi sinulla on oikeus saada hyvitys pankiltasi pankkisi kanssa tekemäsi sopimuksen ehtojen ja ehtojen mukaisesti. Yllä olevaan toimeksiantoon liittyvät oikeutesi on selitetty tiliotteessa, jonka voit saada pankistasi. Suostut vastaanottamaan Ilmoitukset tulevista veloituksista enintään 2 päivää ennen niiden toteutumista. +CreditorIdentifier=Luotonantajan tunniste +CreditorName=Luotonantajan nimi +SEPAFillForm=(B) Täytä kaikki * merkityt kentät +SEPAFormYourName=Sinun nimesi +SEPAFormYourBAN=Nimesi pankkitili (IBAN) +SEPAFormYourBIC=Pankkitunnuksesi (BIC) +SEPAFrstOrRecur=Tyyppi maksu +ModeRECUR=Toistuva maksu +ModeRCUR=Toistuva maksu +ModeFRST=Kertaluonteinen maksu +PleaseCheckOne=Tarkista vain yksi +CreditTransferOrderCreated=Tilisiirtomääräys %s luotu +DirectDebitOrderCreated=Suoraveloitustilaus %s luotu +AmountRequested=Pyydetty määrä +SEPARCUR=SEPA KUR SEPAFRST=SEPA FRST -ExecutionDate=Execution date -CreateForSepa=Create direct debit file -ICS=Creditor Identifier - ICS -IDS=Debitor Identifier -END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction -USTRD="Unstructured" SEPA XML tag -ADDDAYS=Add days to Execution Date -NoDefaultIBANFound=No default IBAN found for this third party +ExecutionDate=Suoritus päiväys +CreateForSepa=luo suoraveloitus tiedosto +ICS=Luotonantajan tunniste - ICS +IDS=Veloittajan tunniste +END_TO_END="EndToEndId" SEPA XML -tunniste – tapahtumakohtaisesti määritetty yksilöllinen tunnus +USTRD="Strukturoimaton" SEPA XML -tunniste +ADDDAYS=Lisää päiviä suoritukseen päiväys +NoDefaultIBANFound=Tälle kolmannelle osapuolelle ei löytynyt oletus IBAN-numeroa ### Notifications -InfoCreditSubject=Payment of direct debit payment order %s by the bank -InfoCreditMessage=The direct debit payment order %s has been paid by the bank
      Data of payment: %s -InfoTransSubject=Transmission of direct debit payment order %s to bank -InfoTransMessage=The direct debit payment order %s has been sent to bank by %s %s.

      +InfoCreditSubject=maksu suoraveloitus maksu tilaus %s +InfoCreditMessage=Pankki on maksanut suoraveloituksen maksu %s.
      Data / maksu: %s +InfoTransSubject=Suoraveloituksen maksu lähetys %s pankkiin +InfoTransMessage=Suoraveloitus maksu %s on lähettänyt pankkiin %s %s.

      InfoTransData=Määrä: %s
      Metode: %s
      Date: %s -InfoRejectSubject=Direct debit payment order refused -InfoRejectMessage=Hello,

      the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

      --
      %s +InfoRejectSubject=Suoraveloitus maksu tilaus hylätty +InfoRejectMessage=Hei

      suoraveloitus maksu laskun järjestys %s liittyy Yritys %s, jonka määrä on %s on pankki hylännyt.

      --
      %s ModeWarning=Vaihtoehto todellista tilaa ei ole asetettu, pysähdymme jälkeen simulointi -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. -ErrorICSmissing=Missing ICS in Bank account %s -TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines -WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s -WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s -UsedFor=Used for %s +ErrorCompanyHasDuplicateDefaultBAN=Yritys tunnuksella %s sisältää enemmän kuin yhden oletus pankkitili. Ei voi tietää kumpaa käyttää. +ErrorICSmissing=ICS puuttuu pankkitili %s +TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Suoraveloitustilauksen kokonaismäärä eroaa rivien summasta +WarningSomeDirectDebitOrdersAlreadyExists=Varoitus: Joitakin odottavia suoraveloitustilauksia (%s) on pyydetty summalle %s +WarningSomeCreditTransferAlreadyExists=Varoitus: Joitakin odottavia tilisiirtoja (%s) on pyydetty summalle %s +UsedFor=Käytetään %s +Societe_ribSigned=SEPA-mandaatti allekirjoitettu +NbOfInvoiceToPayByBankTransferForSalaries=Hyväksytyt palkat odottavat maksu tilisiirrolla +SalaryWaitingWithdraw=Palkat odottavat tilisiirtona maksu +RefSalary=Palkka +NoSalaryInvoiceToWithdraw=Ei palkkaa odottamassa %s. Tee pyyntö siirtymällä palkkakortin välilehteen %s. +SalaryInvoiceWaitingWithdraw=Palkat odottavat tilisiirtona maksu + diff --git a/htdocs/langs/fi_FI/workflow.lang b/htdocs/langs/fi_FI/workflow.lang index ac6629e4cb1..8351d427005 100644 --- a/htdocs/langs/fi_FI/workflow.lang +++ b/htdocs/langs/fi_FI/workflow.lang @@ -1,26 +1,38 @@ # Dolibarr language file - Source file is en_US - workflow WorkflowSetup=Workflow-moduuli asennus -WorkflowDesc=This module provides some automatic actions. By default, the workflow is open (you can do things in the order you want) but here you can activate some automatic actions. -ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules. +WorkflowDesc=Tämä moduuli tarjoaa joitain automaattisia toimintoja. Tekijän oletus työnkulku on auki (voit tehdä asioita haluamassasi järjestyksessä), mutta täällä voit aktivoida joitain automaattisia toimintoja. +ThereIsNoWorkflowToModify=Aktivoiduilla moduuleilla ei ole käytettävissä työnkulun muutoksia. # Autocreate -descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a sales order after a commercial proposal is signed (the new order will have same amount as the proposal) -descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Automatically create a customer invoice after a commercial proposal is signed (the new invoice will have same amount as the proposal) -descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automatically create a customer invoice after a contract is validated -descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automatically create a customer invoice after a sales order is closed (the new invoice will have same amount as the order) +descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automaattisesti luo myyntitilaus, kun Tarjouspyyntö on allekirjoitettu (uuden tilauksen summa on sama kuin tarjous) +descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Automaattisesti luo asiakkaan lasku, kun Tarjouspyyntö on allekirjoitettu (uudessa laskussa on sama summa kuin tarjous) +descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=luo asiakkaan lasku automaattisesti, kun sopimus on vahvistettu +descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automaattisesti luo asiakkaan lasku myyntitilauksen sulkemisen jälkeen (uudessa laskussa on sama summa kuin tilauksessa) +descWORKFLOW_TICKET_CREATE_INTERVENTION=Lippua luotaessa automaattisesti luo väliintulo. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales order as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classify linked source sales order as shipped when a shipment is closed (and if the quantity shipped by all shipments is the same as in the order to update) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Luokittele linkitetyt lähdeehdotukset laskutetuiksi, kun myyntitilauksen arvo on laskutettu (ja, jos tilauksen summa on sama kuin allekirjoitettujen linkitettyjen ehdotusten kokonaissumma) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Luokittele linkitetyt lähdeehdotukset laskutetuiksi, kun asiakkaan lasku vahvistetaan (ja, jos laskun summa on sama kuin allekirjoitettujen linkitettyjen ehdotusten kokonaissumma) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Luokittele linkitetyn lähteen myyntitilaus laskutettavaksi, kun asiakkaan lasku vahvistetaan (ja, jos laskun summa on sama kuin linkitettyjen myyntitilausten kokonaissumma). Jos sinulla on 1 vahvistettu lasku n tilaukselle, tämä voi asettaa myös kaikki tilaukset laskutetuiksi. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Luokittele linkitetyt lähdemyyntitilaukset laskutetuiksi, kun asiakkaan lasku on maksettu (ja, jos laskun summa on sama kuin linkitettyjen myyntitilausten kokonaissumma). Jos sinulla on n tilaukselle laskutettu yksi lasku, tämä saattaa myös asettaa kaikki tilaukset laskutetuiksi. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Luokittele linkitetyt lähdemyyntitilaukset toimitetuiksi, kun lähetys vahvistetaan (ja, jos kaikkien lähetysten toimitettu määrä on sama kuin päivitettävässä tilauksessa) +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Luokittele linkitetyn lähteen myyntitilaus lähetetyksi, kun lähetys on suljettu (ja, jos kaikkien lähetysten lähetysmäärä on sama kuin päivitettävässä tilauksessa) +# Autoclassify purchase proposal +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Luokittele linkitetty lähde Toimittaja tarjous laskutetuksi, kun ostolasku on vahvistettu ( class='notranslate'>ja, jos laskun summa on sama kuin linkitettyjen ehdotusten kokonaissumma) # Autoclassify purchase order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Luokittele linkitetty lähde Hankinta tilaus laskutetuksi, kun ostolasku on vahvistettu (ja laskun summa on sama kuin linkitettyjen tilausten kokonaissumma) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Luokittele linkitetyn lähteen Hankinta tilaus vastaanotetuksi, kun vastaanotto on vahvistettu (ja, jos kaikkien vastaanottojen vastaanottama määrä on sama kuin kohdassa Hankinta päivitysjärjestys) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Luokittele linkitetyn lähteen Hankinta tilaus vastaanotetuksi, kun vastaanotto suljetaan (ja, jos kaikkien vastaanottojen vastaanottama määrä on sama kuin kohdassa Hankinta päivitysjärjestys) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Luokittele linkitetyn lähdelähetyksen suljetuksi, kun asiakkaan lasku vahvistetaan (ja, jos laskun summa on sama kuin linkitettyjen toimitusten kokonaissumma) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Luokittele linkitetyn lähdelähetyksen laskutettavaksi, kun asiakkaan lasku vahvistetaan (ja, jos laskun summa on sama kuin linkitettyjen toimitusten kokonaissumma) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Luokittele linkitetyt lähdevastaanot laskutetuiksi, kun Hankinta-lasku on vahvistettu (ja, jos laskun summa on sama kuin kokonaissumma linkitettyjen vastaanottojen määrä) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Luokittele linkitetyt lähdevastaanot laskutetuiksi, kun Hankinta-lasku on vahvistettu (ja, jos laskun summa on sama kuin kokonaissumma linkitettyjen vastaanottojen määrä) +# Automatically link ticket to contract +descWORKFLOW_TICKET_LINK_CONTRACT=Kun luot lippua, linkitä kaikki saatavilla olevat vastaavien kolmansien osapuolten sopimukset +descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Kun linkität sopimuksia, etsi emoyhtiöiden joukosta # Autoclose intervention -descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed +descWORKFLOW_TICKET_CLOSE_INTERVENTION=Sulje kaikki lippuun liittyvät interventiot, kun lippu suljetaan AutomaticCreation=Automaattinen luonti AutomaticClassification=Automaattinen luokitus -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated +AutomaticClosing=Automaattinen sulkeutuminen +AutomaticLinking=Automaattinen linkitys diff --git a/htdocs/langs/fi_FI/zapier.lang b/htdocs/langs/fi_FI/zapier.lang index d485fc959cd..f80f88ec4ad 100644 --- a/htdocs/langs/fi_FI/zapier.lang +++ b/htdocs/langs/fi_FI/zapier.lang @@ -16,6 +16,6 @@ ModuleZapierForDolibarrName = Zapier Dolibarr:lle ModuleZapierForDolibarrDesc = Zapier Dolibarr-moduulille ZapierForDolibarrSetup=Zapier Dolibarr:lle asetukset -ZapierDescription=Interface with Zapier -ZapierAbout=About the module Zapier -ZapierSetupPage=There is no need for a setup on Dolibarr side to use Zapier. However, you must generate and publish a package on zapier to be able to use Zapier with Dolibarr. See documentation on this wiki page. +ZapierDescription=Käyttöliittymä Zapierin kanssa +ZapierAbout=Tietoja Zapier-moduulista +ZapierSetupPage=Zapierin käyttöä varten ei tarvita asetuksia Dolibarr-puolella. Sinun on kuitenkin luotava ja ja julkaistava paketti zapierissa, jotta voit käyttää Zapieria Dolibarrin kanssa. Katso tämän wikisivun dokumentaatio. diff --git a/htdocs/langs/fr_CA/accountancy.lang b/htdocs/langs/fr_CA/accountancy.lang index 535df78a46e..e9281588676 100644 --- a/htdocs/langs/fr_CA/accountancy.lang +++ b/htdocs/langs/fr_CA/accountancy.lang @@ -10,8 +10,6 @@ Selectformat=Sélectionner le format de date pour le fichier ACCOUNTING_EXPORT_FORMAT=Sélectionner le format de date pour le fichier ACCOUNTING_EXPORT_ENDLINE=Sélectionner le type de retour de chariot ACCOUNTING_EXPORT_PREFIX_SPEC=Spécifiez le préfixe du nom de fichier -ProductForThisThirdparty=Produit pour ce tier -ServiceForThisThirdparty=Service pour ce tier CantSuggest=Ne peut pas suggérer AccountancySetupDoneFromAccountancyMenu=La plupart de la configuration de la comptabilité se fait à partir du menu %s ConfigAccountingExpert=Configuration du module comptabilité (Partie double) @@ -38,7 +36,6 @@ AccountancyAreaDescDefault=ÉTAPE %s: Définissez les comptes comptables par dé AccountancyAreaDescSal=ÉTAPE %s: Définissez les comptes comptables par défaut pour le paiement des salaires. Pour cela, utilisez l'entrée de menu %s. AccountancyAreaDescDonation=ÉTAPE %s: Définissez les comptes comptables par défaut pour le don. Pour cela, utilisez l'entrée de menu %s. AccountancyAreaDescSubscription=ÉTAPE %s: Définissez les comptes comptables par défaut pour l'abonnement des membres. Pour cela, utilisez l'entrée de menu %s. -AccountancyAreaDescMisc=ÉTAPE %s: Définissez le compte par défaut obligatoire et les comptes comptables par défaut pour les transactions diverses. Pour cela, utilisez l'entrée de menu %s. AccountancyAreaDescLoan=ÉTAPE %s: Définissez les comptes comptables par défaut pour les prêts. Pour cela, utilisez l'entrée de menu %s. AccountancyAreaDescBank=ÉTAPE %s: Définissez les comptes comptables et le code du journal pour chaque compte bancaire et financier. Pour cela, utilisez l'entrée de menu %s. AccountancyAreaDescBind=ÉTAPE %s: Vérifiez la liaison entre les lignes %s existantes et le compte comptable est effectué, de sorte que l'application pourra publier des transactions dans Ledger en un seul clic. Compléter les liaisons manquantes. Pour cela, utilisez l'entrée de menu %s. @@ -105,7 +102,6 @@ ApplyMassCategories=Appliquer des catégories de masse CategoryDeleted=La catégorie pour le compte comptable a été supprimée AccountingJournals=Revues comptables AccountingJournalType5=Note de frais -AccountingJournalType9=A-nouveau ErrorAccountingJournalIsAlreadyUse=Ce journal est déjà utilisé ChartofaccountsId=Carte comptable Id InitAccountancy=Compabilité initiale @@ -117,6 +113,5 @@ CleanHistory=Réinitialiser toutes les liaisons pour l'année sélectionnée ValueNotIntoChartOfAccount=Cette valeur du compte comptable n'existe pas dans le tableau de compte Range=Gamme de compte comptable SomeMandatoryStepsOfSetupWereNotDone=Certaines étapes obligatoires de configuration n'ont pas été effectuées, veuillez les compléter -ErrorNoAccountingCategoryForThisCountry=Aucun groupe de compte disponible pour le pays %s (Voir Home - Setup - Dictionaries) ExportNotSupported=Le format d'exportation configuré n'est pas pris en charge dans cette page NoJournalDefined=Aucun journal n'a défini diff --git a/htdocs/langs/fr_CA/admin.lang b/htdocs/langs/fr_CA/admin.lang index 795adbe9e92..dbfc00b095f 100644 --- a/htdocs/langs/fr_CA/admin.lang +++ b/htdocs/langs/fr_CA/admin.lang @@ -165,7 +165,6 @@ BarcodeDescDATAMATRIX=Codebarre de type Datamatrix BarcodeDescQRCODE=Codebarre de type QRcode FixedEmailTarget=Bénéficiaire SendingsAbility=Fiches d'expédition de soutien pour les livraisons aux clients -FCKeditorForMail=Création / édition WYSIWIG pour tous les courriers (sauf Outils-> eMailing) NotTopTreeMenuPersonalized=Menus personnalisés non liés à une entrée de menu supérieure ConfirmDeleteMenu=Êtes-vous sûr de vouloir supprimer l'entrée du menu %s? FailedToInitializeMenu=Impossible d'initialiser le menu diff --git a/htdocs/langs/fr_CA/bills.lang b/htdocs/langs/fr_CA/bills.lang index 247dae83fb1..8d7b5166757 100644 --- a/htdocs/langs/fr_CA/bills.lang +++ b/htdocs/langs/fr_CA/bills.lang @@ -8,17 +8,16 @@ PredefinedInvoices=Facture prédéfinie paymentInInvoiceCurrency=en factures de devises ConfirmDeletePayment=Êtes-vous sûr de vouloir supprimer ce paiement? CreateCreditNote=Créer avoir +AddBill=Créer une facture ou un avoir DoPayment=Entrez le paiement DoPaymentBack=Saisissez le remboursement BillShortStatusClosedPaidPartially=Payée NoQualifiedRecurringInvoiceTemplateFound=Aucune facture de modèle récurrent qualifié pour la génération. -FoundXQualifiedRecurringInvoiceTemplate=Modèles de factures récurrentes qualifiées trouvées %s pour la génération NotARecurringInvoiceTemplate=Pas un modèle de facture récurrente LastBills=%s dernières factures LastCustomersBills=%s dernières factures client CustomersDraftInvoices=Factures de tirage des clients ConfirmDeleteBill=Êtes-vous sûr de vouloir supprimer cette facture? -ConfirmValidateBill=Êtes-vous sûr de vouloir valider cette facture avec référence %s? ConfirmUnvalidateBill=Êtes-vous sûr de vouloir modifier la facture %s pour rédiger un état? ConfirmClassifyPaidBill=Êtes-vous sûr de vouloir modifier la facture %sau statut payé? ConfirmCancelBill=Êtes-vous sûr de vouloir annuler la facture %s? @@ -89,3 +88,4 @@ ToCreateARecurringInvoice=Pour créer une facture récurrente pour ce contrat , ToCreateARecurringInvoiceGene=Pour générer des factures à venir régulièrement et manuellement , allez dans le menu %s - %s - %s. DeleteRepeatableInvoice=Supprimer la facture du modèle ConfirmDeleteRepeatableInvoice=Êtes-vous sûr de vouloir supprimer la facture du modèle? +SalaryInvoice=Salaires diff --git a/htdocs/langs/fr_CA/bookmarks.lang b/htdocs/langs/fr_CA/bookmarks.lang new file mode 100644 index 00000000000..26597c47a06 --- /dev/null +++ b/htdocs/langs/fr_CA/bookmarks.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - bookmarks +AddThisPageToBookmarks =Ajouter la page actuelle aux favoris +EditBookmarks =Liste / modifie les favoris diff --git a/htdocs/langs/fr_CA/products.lang b/htdocs/langs/fr_CA/products.lang index 6e3f9b4042e..11ca867292f 100644 --- a/htdocs/langs/fr_CA/products.lang +++ b/htdocs/langs/fr_CA/products.lang @@ -38,7 +38,6 @@ SellingPriceTTC=Prix ​​de vente (taxes) CostPriceUsage=Cette valeur pourrait être utilisée pour le calcul de la marge. SoldAmount=Montant vendu PurchasedAmount=Montant acheté -CantBeLessThanMinPrice=Le prix de vente ne peut être inférieur au minimum autorisé pour ce produit (%s sans taxes). Ce message peut également apparaître si vous tapez une remise trop importante. ErrorProductBadRefOrLabel=Valeur incorrecte pour référence ou étiquette. ErrorProductClone=Il y a eu un problème en essayant de cloner le produit ou le service. ShowProduct=Afficher le produit @@ -146,7 +145,6 @@ ConfirmDeleteProductBuyPrice=Êtes-vous sûr de vouloir supprimer ce prix d'acha ServiceSheet=Feuille de service ProductAttributeName=Attribut Variant %s ProductAttributeDeleteDialog=Êtes-vous sûr de vouloir supprimer cet attribut? Toutes les valeurs seront supprimées -ProductAttributeValueDeleteDialog=Êtes-vous sûr de vouloir supprimer la valeur "%s" avec la référence "%s" de cet attribut? ProductCombinationDeleteDialog=Êtes-vous sûr de vouloir supprimer la variante du produit "%s"? ProductCombinationAlreadyUsed=Une erreur s'est produite lors de la suppression de la variante. Vérifiez qu'il ne soit utilisé dans aucun objet PropagateVariant=Propager des variantes diff --git a/htdocs/langs/fr_CA/projects.lang b/htdocs/langs/fr_CA/projects.lang index 3753ef9fa16..8b0929c6c71 100644 --- a/htdocs/langs/fr_CA/projects.lang +++ b/htdocs/langs/fr_CA/projects.lang @@ -22,9 +22,9 @@ ShowProject=Afficher le projet SetProject=Définir le projet NoProject=Aucun projet défini ou détenu TimeSpent=Temps passé +TimeSpentSmall=Temps passé TimeSpentByYou=Temps passé par vous TimeSpentByUser=Temps passé par l'utilisateur -TimesSpent=Temps passé TaskTimeSpent=Temps consacré aux tâches NewTimeSpent=Temps passé MyTimeSpent=Mon temps passé @@ -45,7 +45,6 @@ ActivityOnProjectThisMonth=Activité de projet ce mois-ci ActivityOnProjectThisYear=Activité de projet cette année NotOwnerOfProject=Pas le propriétaire de ce projet privé AffectedTo=Alloué à -ValidateProject=Valider le projet ConfirmValidateProject=Êtes-vous sûr de vouloir valider ce projet? CloseAProject=Prochain projet ConfirmCloseAProject=Êtes-vous sûr de vouloir fermer ce projet? diff --git a/htdocs/langs/fr_CA/propal.lang b/htdocs/langs/fr_CA/propal.lang index 4b66fa2ece3..d7496148818 100644 --- a/htdocs/langs/fr_CA/propal.lang +++ b/htdocs/langs/fr_CA/propal.lang @@ -13,6 +13,7 @@ NoProposal=Pas de propositions ProposalsStatistics=Statistiques de la proposition commerciale PropalsOpened=Ouverte PropalStatusNotSigned=Non signée (close) +PropalStatusValidatedShort=Validated (open) PropalsToClose=Propositions commerciales à clôturer ListOfProposals=Liste des propositions commerciales ActionsOnPropal=Événements sur proposition diff --git a/htdocs/langs/fr_CA/receptions.lang b/htdocs/langs/fr_CA/receptions.lang index 5af4dd43428..cccf8d2d150 100644 --- a/htdocs/langs/fr_CA/receptions.lang +++ b/htdocs/langs/fr_CA/receptions.lang @@ -11,7 +11,6 @@ StatusReceptionValidatedShort=Validée StatusReceptionProcessedShort=Traité ReceptionSheet=Feuille de réception ConfirmDeleteReception=Êtes-vous certain que vous voulez supprimer cette réception? -ConfirmValidateReception=Êtes vous certain que vous voulez valider cette réception avec la référence %s ConfirmCancelReception=Êtes-vous certain que vous voulez annuler cette réception? SendReceptionByEMail=Envoyer la réception par courriel SendReceptionRef=Envoi de la réception %s diff --git a/htdocs/langs/fr_CA/sendings.lang b/htdocs/langs/fr_CA/sendings.lang index d6280ee2414..cc326e0ff33 100644 --- a/htdocs/langs/fr_CA/sendings.lang +++ b/htdocs/langs/fr_CA/sendings.lang @@ -25,7 +25,6 @@ StatusSendingProcessed=Traité StatusSendingProcessedShort=Traité SendingSheet=Fiche d'expédition ConfirmDeleteSending=Êtes-vous sûr de vouloir supprimer cette expédition? -ConfirmValidateSending=Êtes-vous sûr de vouloir valider cette expédition avec la référence %s? ConfirmCancelSending=Êtes-vous sûr de vouloir annuler cette expédition? WarningNoQtyLeftToSend=Attention, aucun produit n'est en attente d'expédition. DateDeliveryPlanned=Date de livraison prévue diff --git a/htdocs/langs/fr_CA/trips.lang b/htdocs/langs/fr_CA/trips.lang index bddc551c392..63a28f2484e 100644 --- a/htdocs/langs/fr_CA/trips.lang +++ b/htdocs/langs/fr_CA/trips.lang @@ -1,73 +1,73 @@ # Dolibarr language file - Source file is en_US - trips -ShowExpenseReport=Afficher le rapport de dépenses -TripsAndExpenses=Rapports sur les dépenses -TripsAndExpensesStatistics=Statistiques des rapports de dépenses -TripCard=Rapport de dépenses AddTrip=Créer un rapport de dépenses -ListOfTrips=Liste des rapports de dépenses -ListOfFees=Liste des frais -TypeFees=Types de frais -ShowTrip=Afficher le rapport de dépenses -NewTrip=Nouveau rapport de dépenses AllExpenseReports=Tous les rapports de dépenses -CompanyVisited=Compagnie/organisation visitée -DeleteTrip=Supprimer le rapport de dépenses -ConfirmDeleteTrip=Êtes-vous sûr de vouloir supprimer ce rapport de dépenses? -ListTripsAndExpenses=Liste des rapports de dépenses -ListToApprove=en attente d'approbation -ExpensesArea=Zone de rapports sur les dépenses -ClassifyRefunded=Classer «Remboursé» -ExpenseReportWaitingForApproval=Un nouveau rapport de dépenses a été soumis pour approbation -ExpenseReportWaitingForReApproval=Un rapport sur les dépenses a été soumis pour approbation -ExpenseReportApproved=Un rapport sur les dépenses a été approuvé -ExpenseReportRefused=Un rapport de dépenses a été refusé -ExpenseReportCanceled=Un rapport de dépenses a été annulé -ExpenseReportPaid=Un rapport de dépenses a été payé -TripId=Rapport de dépenses -TripSociete=Société d'information -TripNDF=Informations rapport de dépenses -PDFStandardExpenseReports=Modèle standard pour générer un document PDF pour le rapport de dépenses -ExpenseReportLine=Ligne de rapport de dépenses -TF_LUNCH=Le déjeuner -TF_BUS=Autobus -TF_HOTEL=Un hôtel -EX_KME=coûts de kilométrage -EX_SUO=Fournitures de bureau -EX_GUM=Exemple avec 1d1 =5 -ErrorDoubleDeclaration=Vous avez déclaré un autre rapport de dépenses dans une fourchette de dates similaire. AucuneLigne=Il n'y a pas encore de rapport de dépenses déclaré -VALIDATOR=Responsable de l'approbation -MOTIF_REFUS=Raison -MOTIF_CANCEL=Raison -DATE_REFUS=Déni de date -DATE_CANCEL=Date d'annulation -DATE_PAIEMENT=Date de règlement -ExpenseReportRef=Réf. rapport de dépenses -ValidateAndSubmit=Validez et soumettez pour approbation -NOT_AUTHOR=Vous n'êtes pas l'auteur de ce rapport de dépenses. Fonctionnement annulé. -ConfirmRefuseTrip=Êtes-vous sûr de vouloir refuser ce rapport de dépenses? -ValideTrip=Approuver le rapport de dépenses -ConfirmValideTrip=Êtes-vous sûr de vouloir approuver ce rapport de dépenses? -PaidTrip=Payer un rapport de dépenses -ConfirmPaidTrip=Êtes-vous sûr de vouloir modifier l'état de ce rapport de dépenses sur "Payé"? -ConfirmCancelTrip=Êtes-vous sûr de vouloir annuler ce rapport de dépenses? BrouillonnerTrip=Déplacer le rapport de dépenses vers le statut "Ébauche" -ConfirmBrouillonnerTrip=Êtes-vous sûr de vouloir déplacer ce rapport de dépenses au statut "Ébauche"? -SaveTrip=Valider le rapport de dépenses -ConfirmSaveTrip=Êtes-vous sûr de vouloir valider ce rapport de dépenses? -NoTripsToExportCSV=Aucun rapport de dépenses à exporter pour cette période. -ExpenseReportPayment=Paiement du rapport de dépenses -ExpenseReportsToApprove=Rapports de dépenses à approuver -ExpenseReportsToPay=Rapports de dépenses à payer -ConfirmCloneExpenseReport=Êtes-vous sûr de vouloir cloner ce rapport de dépenses? -expenseReportRangeMoreThan=plus que 1%d -expenseReportCoefUndefined=(Valeur non définie) -ExpenseReportDateEnd=Date de fin byEX_DAY=par jour (limite à 1%s) +byEX_EXP=par ligne (limite à 1%s) byEX_MON=par mois (limite à 1%s) byEX_YEA=par année (limite à 1%s) -byEX_EXP=par ligne (limite à 1%s) +ClassifyRefunded=Classer «Remboursé» +CompanyVisited=Compagnie/organisation visitée +ConfirmBrouillonnerTrip=Êtes-vous sûr de vouloir déplacer ce rapport de dépenses au statut "Ébauche"? +ConfirmCancelTrip=Êtes-vous sûr de vouloir annuler ce rapport de dépenses? +ConfirmCloneExpenseReport=Êtes-vous sûr de vouloir cloner ce rapport de dépenses? +ConfirmDeleteTrip=Êtes-vous sûr de vouloir supprimer ce rapport de dépenses? +ConfirmPaidTrip=Êtes-vous sûr de vouloir modifier l'état de ce rapport de dépenses sur "Payé"? +ConfirmRefuseTrip=Êtes-vous sûr de vouloir refuser ce rapport de dépenses? +ConfirmSaveTrip=Êtes-vous sûr de vouloir valider ce rapport de dépenses? +ConfirmValideTrip=Êtes-vous sûr de vouloir approuver ce rapport de dépenses? +DATE_CANCEL=Date d'annulation +DATE_PAIEMENT=Date de règlement +DATE_REFUS=Déni de date +DeleteTrip=Supprimer le rapport de dépenses +ErrorDoubleDeclaration=Vous avez déclaré un autre rapport de dépenses dans une fourchette de dates similaire. +expenseReportCoefUndefined=(Valeur non définie) +expenseReportRangeMoreThan=plus que 1%d +ExpenseReportApproved=Un rapport sur les dépenses a été approuvé +ExpenseReportCanceled=Un rapport de dépenses a été annulé +ExpenseReportDateEnd=Date de fin +ExpenseReportLine=Ligne de rapport de dépenses +ExpenseReportPaid=Un rapport de dépenses a été payé +ExpenseReportPayment=Paiement du rapport de dépenses +ExpenseReportRef=Réf. rapport de dépenses +ExpenseReportRefused=Un rapport de dépenses a été refusé +ExpenseReportWaitingForApproval=Un nouveau rapport de dépenses a été soumis pour approbation +ExpenseReportWaitingForReApproval=Un rapport sur les dépenses a été soumis pour approbation +ExpenseReportsToApprove=Rapports de dépenses à approuver +ExpenseReportsToPay=Rapports de dépenses à payer +ExpensesArea=Zone de rapports sur les dépenses +ListOfFees=Liste des frais +ListOfTrips=Liste des rapports de dépenses +ListToApprove=en attente d'approbation +ListTripsAndExpenses=Liste des rapports de dépenses +MOTIF_CANCEL=Raison +MOTIF_REFUS=Raison +NewTrip=Nouveau rapport de dépenses nolimitbyEX_DAY=par jour (pas de limite) +nolimitbyEX_EXP=par ligne (pas de limite) nolimitbyEX_MON=par mois (pas de limite) nolimitbyEX_YEA=par année (pas de limite) -nolimitbyEX_EXP=par ligne (pas de limite) +NoTripsToExportCSV=Aucun rapport de dépenses à exporter pour cette période. +NOT_AUTHOR=Vous n'êtes pas l'auteur de ce rapport de dépenses. Fonctionnement annulé. +PDFStandardExpenseReports=Modèle standard pour générer un document PDF pour le rapport de dépenses +PaidTrip=Payer un rapport de dépenses +SaveTrip=Valider le rapport de dépenses +ShowExpenseReport=Afficher le rapport de dépenses +ShowTrip=Afficher le rapport de dépenses +TripCard=Rapport de dépenses +TripId=Rapport de dépenses +TripNDF=Informations rapport de dépenses +TripSociete=Société d'information +TripsAndExpenses=Rapports sur les dépenses +TripsAndExpensesStatistics=Statistiques des rapports de dépenses +TypeFees=Types de frais +VALIDATOR=Responsable de l'approbation +ValidateAndSubmit=Validez et soumettez pour approbation +ValideTrip=Approuver le rapport de dépenses +EX_GUM=Exemple avec 1d1 =5 +EX_KME=coûts de kilométrage +EX_SUO=Fournitures de bureau +TF_BUS=Autobus +TF_HOTEL=Un hôtel +TF_LUNCH=Le déjeuner diff --git a/htdocs/langs/fr_CA/withdrawals.lang b/htdocs/langs/fr_CA/withdrawals.lang index ef8417300e1..2cdd219cda4 100644 --- a/htdocs/langs/fr_CA/withdrawals.lang +++ b/htdocs/langs/fr_CA/withdrawals.lang @@ -20,8 +20,6 @@ WithdrawalRefused=Retrait refusée WithdrawalRefusedConfirm=Êtes-vous sûr de vouloir introduire un rejet de retrait pour la société? RefusedData=Date de rejet RefusedReason=Raison du rejet -NoInvoiceRefused=Ne chargez pas le rejet -InvoiceRefused=Facture refusée (Charge le rejet au client) StatusDebitCredit=Statut de débit / crédit StatusWaiting=Attendre StatusTrans=Envoyé @@ -44,7 +42,6 @@ WithdrawalFileNotCapable=Impossible de générer un fichier de retrait de retrai SetToStatusSent=Définir le statut "Fichier envoyé" StatisticsByLineStatus=Statistiques par état des lignes RUMLong=Référence de mandat unique -WithdrawMode=Mode de débit direct (FRST ou RECUR) WithdrawRequestAmount=Montant de la demande de débit direct: WithdrawRequestErrorNilAmount=Impossible de créer une demande de débit direct pour un montant vide. SepaMandate=Mandat de débit direct SEPA @@ -63,3 +60,4 @@ InfoTransData=Montant: %s
      Méthode: %s
      Date: %s InfoRejectSubject=Ordonnance de paiement par prélèvement automatique refusée InfoRejectMessage=Bonjour,

      l'ordre de paiement de débit direct de la facture %s relatif à la société %s, avec un montant de %s a été refusé par la banque.

      -
      %s ModeWarning=L'option pour le mode réel n'a pas été définie, nous nous arrêtons après cette simulation +RefSalary=Salaires diff --git a/htdocs/langs/fr_CM/accountancy.lang b/htdocs/langs/fr_CM/accountancy.lang new file mode 100644 index 00000000000..22dcb8fd639 --- /dev/null +++ b/htdocs/langs/fr_CM/accountancy.lang @@ -0,0 +1,7 @@ +# Dolibarr language file - Source file is en_US - accountancy +AccountingJournalType9=Has-new +AccountancyClosureAccountingReversal=Extract entries +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "has-new" entry on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "has-new" entry, detail the sub-ledger accounts +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping records has been inserted successfully +AccountancyClosureConfirmAccountingReversal=Are you sure you want to accounting reversal ? diff --git a/htdocs/langs/fr_FR/accountancy.lang b/htdocs/langs/fr_FR/accountancy.lang index ea28b937049..b83651ae760 100644 --- a/htdocs/langs/fr_FR/accountancy.lang +++ b/htdocs/langs/fr_FR/accountancy.lang @@ -53,30 +53,29 @@ ExportAccountingSourceDocHelp=Avec cet outil, vous pouvez rechercher et exporter ExportAccountingSourceDocHelp2=Pour exporter vos journaux, utilisez l'entrée de menu %s - %s. ExportAccountingProjectHelp=Spécifiez un projet si vous avez besoin d'un rapport uniquement pour un projet spécifique. Les notes de frais et les remboursements de prêts ne sont pas inclus dans les rapports de projet. ExportAccountancy=Export comptabilité -WarningDataDisappearsWhenDataIsExported=Attention, cette liste ne contient que les écritures comptables qui n'ont pas encore été exportées (la date d'exportation est vide). Si vous souhaitez inclure les écritures comptables déjà exportées pour les réexporter, cliquez sur le bouton ci-dessus. +WarningDataDisappearsWhenDataIsExported=Attention, cette liste ne contient que les écritures comptables qui n'ont pas encore été exportées (la date d'export est vide). Si vous souhaitez inclure les écritures comptables déjà exportées, cliquez sur le bouton ci-dessus. VueByAccountAccounting=Vue par comptes comptables VueBySubAccountAccounting=Affichage par compte auxiliaire -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup +MainAccountForCustomersNotDefined=Compte comptable général pour les clients non défini dans la configuration +MainAccountForSuppliersNotDefined=Compte comptable général pour les fournisseurs non défini dans la configuration +MainAccountForUsersNotDefined=Compte comptable général pour les utilisateurs non défini dans la configuration +MainAccountForVatPaymentNotDefined=Compte comptable général pour les paiements de TVA non défini dans la configuration +MainAccountForSubscriptionPaymentNotDefined=Compte comptable général pour les paiements d'adhésion non défini dans la configuration +MainAccountForRetainedWarrantyNotDefined=Compte comptable par défaut pour la retenue de garantie non défini dans le paramétrage UserAccountNotDefined=Compte comptable pour l'utilisateur non défini dans la configuration AccountancyArea=Espace comptabilité AccountancyAreaDescIntro=L'utilisation du module de comptabilité se fait en plusieurs étapes: AccountancyAreaDescActionOnce=Les actions suivantes sont habituellement exécutées une seule fois, ou une fois par an ... -AccountancyAreaDescActionOnceBis=Les prochaines étapes doivent être faites pour vous faire gagner du temps à l'avenir en vous proposant le bon compte comptable par défaut lors de la ventilation (écrire des enregistrements dans les journaux et grand livre) +AccountancyAreaDescActionOnceBis=Les prochaines étapes doivent être faites pour vous faire gagner du temps à l'avenir en vous proposant automatiquement le bon compte comptable par défaut lors de la ventilation (écrire des enregistrements dans les journaux et grand livre) AccountancyAreaDescActionFreq=Les actions suivantes sont habituellement exécutées chaque mois, semaine, ou jour pour les très grandes entreprises ... AccountancyAreaDescJournalSetup=Étape %s : Créer ou vérifier le contenu de la liste des journaux depuis le menu %s AccountancyAreaDescChartModel=Étape %s : Vérifiez qu'il existe un modèle de plan comptable ou créez-en un à partir du menu %s AccountancyAreaDescChart=Étape %s : Sélectionnez et | ou complétez votre plan de compte dans le menu %s +AccountancyAreaDescFiscalPeriod=Étape %s: Définissez un exercice par défaut sur lequel intégrer vos entrées en comptabilité. Pour cela, utilisez l'entrée de menu %s. AccountancyAreaDescVat=Étape %s : Définissez les comptes comptables de chaque taux de TVA utilisé. Pour cela, suivez le menu suivant %s. AccountancyAreaDescDefault=Étape %s : Définir les comptes de comptabilité par défaut. Pour cela, utilisez l'entrée de menu %s. AccountancyAreaDescExpenseReport=Étape %s : Définissez les comptes comptables par défaut des dépenses des notes de frais. Pour cela, suivez le menu %s. @@ -91,12 +90,13 @@ AccountancyAreaDescProd=Étape %s : Définissez les comptes comptables sur vos p AccountancyAreaDescBind=Étape %s : Vérifier que la liaison entre les %s lignes existantes et le compte comptable est faite, ainsi l'application sera capable d'inscrire les transaction dans le grand livre en un seul clic. Compléter les liaisons manquantes. Pour cela, suivez le menu suivant %s. AccountancyAreaDescWriteRecords=Étape %s: Ecrire les transactions dans le grand livre. Pour cela, suivez le menu %s, et cliquer sur le bouton %s. -AccountancyAreaDescAnalyze=Étape %s : Ajouter ou modifier les opérations existantes et générer des rapports et des exportations. - -AccountancyAreaDescClosePeriod=Étape %s : Fermer la période pour ne plus pouvoir faire de modification à l'avenir. +AccountancyAreaDescAnalyze=Étape %s : lire les rapports ou générer des fichiers d'exportation pour d'autres comptables. +AccountancyAreaDescClosePeriod=Étape %s : Fermer la période afin que nous ne puissions plus transférer de données au cours de la même période dans le futur. +TheFiscalPeriodIsNotDefined=Une étape obligatoire de configuration n'a pas été complétée (l'exercice fiscal n'est pas défini) TheJournalCodeIsNotDefinedOnSomeBankAccount=Une étape obligatoire dans la configuration n'a pas été terminée (journal de code de comptabilité non défini pour tous les comptes bancaires) Selectchartofaccounts=Sélectionnez le plan de compte actif +CurrentChartOfAccount=Plan comptable actif actuel ChangeAndLoad=Changer et charger Addanaccount=Ajouter un compte comptable AccountAccounting=Compte comptable @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Permettre de gérer un nombre différent de zéro à la f BANK_DISABLE_DIRECT_INPUT=Désactiver la saisie directe de transactions en banque ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Activer l'export brouillon sur les journaux comptables ACCOUNTANCY_COMBO_FOR_AUX=Activer la liste déroulante pour les comptes auxiliaires (des lenteurs peuvent être rencontrées si vous avez de nombreux tiers) -ACCOUNTING_DATE_START_BINDING=Définissez une date pour commencer la liaison et le transfert en comptabilité. En dessous de cette date, les transactions ne seront jamais transférées à la comptabilité. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Sur virement comptable, quelle est la période sélectionnée par défaut +ACCOUNTING_DATE_START_BINDING=Désactiver la liaison & le transfert en comptabilité lorsque la date est inférieure à cette date (les transactions antérieures à cette date seront exclues par défaut) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Sur la page de transfert des données en comptabilité, quelle est la période sélectionnée par défaut ACCOUNTING_SELL_JOURNAL=Ventes ACCOUNTING_PURCHASE_JOURNAL=Achats @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Paie ACCOUNTING_RESULT_PROFIT=Compte de résultat (Profit) ACCOUNTING_RESULT_LOSS=Compte de résultat (perte) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal de fermeture +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Groupes Comptabilité utilisés pour les comptes de la balance (séparés par une virgule) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Groupes de comptabilité utilisés pour le compte de résultat (séparés par une virgule) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Compte comptable par défaut pour les virements internes TransitionalAccount=Compte transitoire de virement bancaire @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Consultez ici la liste des lignes de factures clients et DescVentilTodoCustomer=Lier les lignes de factures non déjà liées à un compte comptable produit ChangeAccount=Modifiez le compte comptable de produit/service pour les lignes sélectionnées avec le compte suivant : Vide=- -DescVentilSupplier=Consultez ici la liste des lignes de factures fournisseur liées ou pas encore liées à un compte comptable produit/service (seuls les enregistrements pas encore transférés en comptabilités sont visibles) +DescVentilSupplier=Consultez ici la liste des lignes de factures fournisseurs déjà liées ou non à un compte produit du plan comptable (seuls les enregistrements non déjà transférés en comptabilité sont visibles) DescVentilDoneSupplier=Consultez ici la liste des lignes de factures fournisseurs et leur compte comptable DescVentilTodoExpenseReport=Lier les lignes de note de frais par encore liées à un compte comptable DescVentilExpenseReport=Consultez ici la liste des lignes de notes de frais liées (ou non) à un compte comptable @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=Si vous avez défini des comptes comptables au nivea DescVentilDoneExpenseReport=Consultez ici la liste des lignes des notes de frais et leur compte comptable Closure=Clôture annuelle -DescClosure=Consultez ici le nombre de mouvements par mois non encore validés & verrouillés +AccountancyClosureStep1Desc=Consultez ici le nombre de mouvements par mois non encore validés & verrouillés OverviewOfMovementsNotValidated=Aperçu des mouvements non validés et verrouillés AllMovementsWereRecordedAsValidated=Tous les mouvements ont été enregistrés comme validés et ont été verrouillés NotAllMovementsCouldBeRecordedAsValidated=Certains mouvements n'ont pas pu être enregistrés comme validés et n'ont pas été verrouillés @@ -341,7 +343,7 @@ AccountingJournalType3=Achats AccountingJournalType4=Banque AccountingJournalType5=Notes de frais AccountingJournalType8=Inventaire -AccountingJournalType9=A-nouveaux +AccountingJournalType9=Reports à nouveaux GenerationOfAccountingEntries=Génération des écritures comptables ErrorAccountingJournalIsAlreadyUse=Le journal est déjà utilisé AccountingAccountForSalesTaxAreDefinedInto=Remarque: Le compte comptable pour la TVA est défini dans le menu %s - %s @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Désactiver la liaison et le transfert e ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Désactiver la liaison et le transfert en comptabilité des notes de frais (les notes de frais ne seront pas prises en compte en comptabilité). ACCOUNTING_ENABLE_LETTERING=Activer la fonction de lettrage dans la comptabilité ACCOUNTING_ENABLE_LETTERING_DESC=Lorsque cette option est activée, vous pouvez définir, pour chaque écriture, un code permettant de regrouper différents mouvements comptables. Auparavant, lorsque les différents journaux étaient gérés de manière indépendante, cette fonctionnalité était nécessaire pour regrouper les lignes de mouvements entre journaux. Cependant, avec la comptabilité Dolibarr, un tel code de suivi, nommé "%s" est déjà enregistré automatiquement, donc un lettrage automatique est déjà fait, sans risque d'erreur, donc cette fonctionnalité est devenue inutile pour un usage standard. La fonction de lettrage manuel est fournie aux utilisateurs finaux qui ne font vraiment pas confiance à l'informatique et aux transferts de données en comptabilité. -EnablingThisFeatureIsNotNecessary=L'activation de cette fonctionnalité n'est plus nécessaire pour une gestion comptable rigoureuse. +EnablingThisFeatureIsNotNecessary=L'activation de cette fonctionnalité n'est plus nécessaire pour une gestion de comptabilité rigoureuse. ACCOUNTING_ENABLE_AUTOLETTERING=Activer le lettrage automatique lors du transfert en comptabilité -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Le code du lettrage est automatiquement généré et incrémenté et non choisi par l'utilisateur final +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Le code pour le lettrage est automatiquement généré et incrémenté et non choisi par l'utilisateur final +ACCOUNTING_LETTERING_NBLETTERS=Nombre de lettres lors de la génération du code de lettrage (par défaut 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Certains logiciels de comptabilité n'acceptent qu'un code à deux lettres. Ce paramètre permet de régler cet aspect. Le nombre de lettres par défaut est de trois. OptionsAdvanced=Options avancées ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activer la gestion de l'autoliquidation de la TVA sur les achats fournisseurs -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Lorsque cette option est activée, vous pouvez définir qu'un fournisseur ou une facture fournisseur doit être transférée en comptabilité différemment : Un débit et une ligne de crédit supplémentaires seront générés en comptabilité sur 2 comptes donnés à partir du plan comptable défini dans la page de configuration "%s". +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Lorsque cette option est activée, vous pouvez définir qu'un fournisseur ou une facture fournisseur donnée doit être transféré en comptabilité différemment : une ligne de débit et de crédit additionnelle sera générée dans la comptabilité sur 2 comptes donnés défini dans la page de configuration "%s". ## Export NotExportLettering=Ne pas exporter le lettrage lors de la génération du fichier @@ -420,7 +424,7 @@ SaleLocal=Vente locale SaleExport=Vente export SaleEEC=Vente dans la CEE SaleEECWithVAT=Vente dans la CEE avec un taux de TVA non nul, on considère qu'il s'agit d'une vente intracommunutaire à un assujetti à la TVA et le compte comptable suggéré est le compte comptable de vente classique. -SaleEECWithoutVATNumber=Vente dans la CEE sans TVA, mais le N° de TVA du tiers n'est pas défini. On se rabat sur le compte pour les ventes normales. Vous pouvez corriger le N° de TVA du tiers , ou changer le compte de produit associé si nécessaire. +SaleEECWithoutVATNumber=Vente dans la CEE sans TVA, mais le N° de TVA Intracommunautaire du tiers n'est pas défini. On se rabat sur le compte pour les ventes normales. Vous pouvez corriger le N° de TVA Intracommunautaire du tiers , ou changer le compte de produit associé si nécessaire. ForbiddenTransactionAlreadyExported=Interdit : La transaction a été validée et/ou exportée. ForbiddenTransactionAlreadyValidated=Interdit : La transaction a été validée. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Aucune annulation de lettrage modifiée AccountancyOneUnletteringModifiedSuccessfully=Une annulation de lettrage modifiée avec succès AccountancyUnletteringModifiedSuccessfully=%s annulations de lettrage modifiées avec succès +## Closure +AccountancyClosureStep1=Étape 1 : Valider et verrouiller les mouvements +AccountancyClosureStep2=Étape 2 : Clôturer l'exercice +AccountancyClosureStep3=Étape 3 : Extraire les entrées (facultatif) +AccountancyClosureClose=Clôturer l'exercice fiscal +AccountancyClosureAccountingReversal=Extraire et enregistrer les entrées des « A nouveaux » +AccountancyClosureStep3NewFiscalPeriod=Prochain exercice fiscal +AccountancyClosureGenerateClosureBookkeepingRecords=Générer des écritures « Report à nouveau » sur le prochain exercice +AccountancyClosureSeparateAuxiliaryAccounts=Lors de la génération des écritures « A nouveaux », détaillez les comptes auxiliaires +AccountancyClosureCloseSuccessfully=L'exercice fiscal a été clôturé avec succès +AccountancyClosureInsertAccountingReversalSuccessfully=Les écritures comptables pour les « A nouveau » ont été insérées avec succès + ## Confirm box ConfirmMassUnletteringAuto=Confirmation de l'annulation du lettrage automatique ConfirmMassUnletteringManual=Confirmation de l'annulation du lettrage manuel ConfirmMassUnletteringQuestion=Voulez-vous vraiment annuler le lettrage des %s enregistrements sélectionnés ? ConfirmMassDeleteBookkeepingWriting=Confirmation de suppression en masse ConfirmMassDeleteBookkeepingWritingQuestion=Cela supprimera la transaction de la comptabilité (toutes les lignes liées à cette transaction seront supprimées). Êtes-vous sûr de vouloir supprimer les %s enregistrements sélectionnés ? +AccountancyClosureConfirmClose=Êtes-vous sûr de vouloir clôturer l'exercice en cours ? Vous comprenez que la clôture de l'exercice fiscal est une action irréversible et bloquera définitivement toute modification ou suppression d'entrées sur cette période. +AccountancyClosureConfirmAccountingReversal=Êtes-vous sûr de vouloir enregistrer les écritures pour les « A nouveau » ? ## Error SomeMandatoryStepsOfSetupWereNotDone=Certaines étapes obligatoires de la configuration n'ont pas été réalisées, merci de compléter cette dernière -ErrorNoAccountingCategoryForThisCountry=Pas de catégories de regroupement comptable disponibles pour le pays %s (Voir Accueil - Configuration - Dictionnaires) +ErrorNoAccountingCategoryForThisCountry=Pas de catégories de regroupement comptable disponibles pour le pays %s (Voir %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Vous essayez de journaliser certaines lignes de la facture %s , mais certaines autres lignes ne sont pas encore liées au compte de comptabilité. La journalisation de toutes les lignes de facture pour cette facture est refusée. ErrorInvoiceContainsLinesNotYetBoundedShort=Certaines lignes sur la facture ne sont pas liées au compte comptable. ExportNotSupported=Le format de l'export n'est pas supporté par cette page @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=Le solde (%s) n'est pas égal à 0 AccountancyErrorLetteringBookkeeping=Des erreurs sont survenues concernant les transactions : %s ErrorAccountNumberAlreadyExists=Le code comptable %s existe déjà ErrorArchiveAddFile=Impossible de mettre le fichier "%s" dans l'archive +ErrorNoFiscalPeriodActiveFound=Pas d'exercice fiscal trouvé +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=La date du document comptable n'est pas comprise dans la période fiscale active +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=La date du document comptable se situe dans un exercice clos ## Import ImportAccountingEntries=Écritures comptables diff --git a/htdocs/langs/fr_FR/admin.lang b/htdocs/langs/fr_FR/admin.lang index d02fa47458a..9864434ff14 100644 --- a/htdocs/langs/fr_FR/admin.lang +++ b/htdocs/langs/fr_FR/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Ce module n'est pas compatible avec votre version %s de Dolibarr ( CompatibleAfterUpdate=Ce module nécessite une mise à jour de Dolibarr %s (Version min. %s - Version max. %s). SeeInMarkerPlace=Voir dans la boutique SeeSetupOfModule=Voir la configuration du module %s +SeeSetupPage=Voir la page de configuration à l'adresse%s +SeeReportPage=Voir la page du rapport à l'adresse %s. SetOptionTo=Définir l'option %s à %s Updated=Mise à jour effectuée AchatTelechargement=Acheter/télécharger @@ -292,10 +294,10 @@ EmailSenderProfiles=Expéditeur des e-mails EMailsSenderProfileDesc=Vous pouvez garder cette section vide. Si vous entrez des emails ici, ils seront ajoutés à la liste des expéditeurs possibles dans la liste déroulante lorsque vous écrivez un nouvel email. MAIN_MAIL_SMTP_PORT=Nom d'hôte ou adresse IP du serveur SMTP/SMTPS (Par défaut dans php.ini: %s) MAIN_MAIL_SMTP_SERVER=Nom d'hôte ou adresse IP du serveur SMTP/SMTPS (Par défaut dans php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Port du serveur SMTP/SMTPS (Non défini dans le PHP sur les systèmes de type Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Nom d'hôte ou adresse IP du serveur SMTP/SMTPS (Non défini dans le PHP sur les systèmes de type Unix) -MAIN_MAIL_EMAIL_FROM=Adresse email de l'émetteur pour l'envoi d'emails automatiques -EMailHelpMsgSPFDKIM=Pour éviter que les e-mails envoyés par Dolibarr soient classés comme spam, assurez-vous que le serveur est autorisé à envoyer des e-mails à partir de cette adresse en configurant les protocoles d’authentification SPF et DKIM. +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Port SMTP/SMTPS +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Hôte SMTP/SMTPS +MAIN_MAIL_EMAIL_FROM=E-mail de l'expéditeur pour les e-mails automatiques +EMailHelpMsgSPFDKIM=Pour éviter que les emails envoyés par Dolibarr soient classés comme spam, assurez-vous que le serveur est autorisé à envoyer des e-mails sous cette identité (en vérifiant la configuration SPF et DKIM du nom de domaine) MAIN_MAIL_ERRORS_TO=E-mail utilisé pour les retours d'erreur (champ "Errors-To" dans les e-mails envoyés) MAIN_MAIL_AUTOCOPY_TO= Envoyer systématiquement une copie cachée (Bcc) des emails envoyés à MAIN_DISABLE_ALL_MAILS=Désactiver globalement tout envoi d'emails (pour mode test ou démos) @@ -305,8 +307,8 @@ MAIN_MAIL_NO_WITH_TO_SELECTED=Ne pas sélectionner de destinataire par défaut m MAIN_MAIL_SENDMODE=Méthode d'envoi d'email MAIN_MAIL_SMTPS_ID=ID SMTP (si le serveur d'envoi nécessite une authentification) MAIN_MAIL_SMTPS_PW=Mot de passe SMTP (si le serveur d'envoi nécessite une authentification) -MAIN_MAIL_EMAIL_TLS=Utilisation du chiffrement TLS (SSL) -MAIN_MAIL_EMAIL_STARTTLS=Utiliser le cryptage TTS (STARTTLS) +MAIN_MAIL_EMAIL_TLS=Utiliser le chiffrement TLS (SSL) +MAIN_MAIL_EMAIL_STARTTLS=Utiliser le chiffrement TTS (STARTTLS) MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autoriser les certificats auto-signés MAIN_MAIL_EMAIL_DKIM_ENABLED=Utiliser DKIM pour signer les emails MAIN_MAIL_EMAIL_DKIM_DOMAIN=Nom de domaine pour la signature DKIM @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Clé privée pour générer la signature DKIM MAIN_DISABLE_ALL_SMS=Désactiver globalement tout envoi de Sms (pour mode test ou démos) MAIN_SMS_SENDMODE=Méthode d'envoi des SMS MAIN_MAIL_SMS_FROM=Numéro de téléphone par défaut pour envoi Sms -MAIN_MAIL_DEFAULT_FROMTYPE=Expéditeur par défaut des e-mails pour les envois manuels (e-mail utilisateur ou de la société) +MAIN_MAIL_DEFAULT_FROMTYPE=Expéditeur par défaut présélectionné sur les formulaires pour envoyer des e-mails UserEmail=Email utilisateur CompanyEmail=Email organization FeatureNotAvailableOnLinux=Fonctionnalité non disponible sous systèmes Unix. Tester votre sendmail localement. @@ -346,7 +348,7 @@ StepNb=Étape %s FindPackageFromWebSite=Rechercher le paquet qui répond à votre besoin (par exemple sur le site web %s). DownloadPackageFromWebSite=Télécharger le package (par exemple depuis le site web officiel %s) UnpackPackageInDolibarrRoot=Décompressez les fichiers packagés dans le répertoire de votre serveur Dolibarr : %s -UnpackPackageInModulesRoot=Pour déployer/installer un module externe, vous devez décompresser/décompresser le fichier archive dans le répertoire serveur dédié aux modules externes :
      %s +UnpackPackageInModulesRoot=Pour déployer/installer un module externe, vous devez décompresser/dézipper le fichier archive dans le répertoire serveur dédié aux modules externes :
      %s SetupIsReadyForUse=L"installation du module est terminée. Il est cependant nécessaire de procéder à son activation et à son paramétrage dans la page de configuration des modules : %s NotExistsDirect=Le dossier racine alternatif n'est pas défini.
      InfDirAlt=Depuis les versions 3, il est possible de définir un dossier racine alternatif. Cela permet d'installer modules et thèmes additionnels dans un répertoire dédié.
      Créer un dossier racine alternatif à Dolibarr (ex : custom).
      @@ -425,7 +427,7 @@ UrlGenerationParameters=Sécurisation des URLs SecurityTokenIsUnique=Utiliser un paramètre securekey unique pour chaque URL EnterRefToBuildUrl=Entrer la référence pour l'objet %s GetSecuredUrl=Obtenir l'URL calculée -ButtonHideUnauthorized=Cacher les boutons non autorisés pour les utilisateurs internes également (sinon, il seront seulement grisés) +ButtonHideUnauthorized=Cacher les boutons non autorisés pour les utilisateurs internes également (sinon, ils seront seulement grisés) OldVATRates=Ancien taux de TVA NewVATRates=Nouveau taux de TVA PriceBaseTypeToChange=Modifier sur les prix dont la référence de base est le @@ -463,7 +465,7 @@ ExtrafieldParamHelpPassword=Laisser ce champ vide signifie que cette valeur sera ExtrafieldParamHelpselect=La liste doit être de la forme clef,valeur (où la clé ne peut être '0')

      par exemple :
      1,valeur1
      2,valeur2
      3,valeur3
      ...

      Pour afficher une liste dépendant d'une autre liste attribut complémentaire:
      1, valeur1|options_code_liste_parente:clé_parente
      2,valeur2|options_ode_liste_parente:clé_parente

      Pour que la liste soit dépendante d'une autre liste:
      1,valeur1|code_liste_parent:clef_parent
      2,valeur2|code_liste_parent:clef_parent ExtrafieldParamHelpcheckbox=La liste doit être de la forme clef,valeur (où la clé ne peut être '0')

      par exemple :
      1,valeur1
      2,valeur2
      3,valeur3
      ... ExtrafieldParamHelpradio=La liste doit être de la forme clef,valeur (où la clé ne peut être '0')

      par exemple :
      1,valeur1
      2,valeur2
      3,valeur3
      ... -ExtrafieldParamHelpsellist=Les paramètres de la liste viennent d'une table
      Syntax : table_name:label_field:id_field::filter
      Exemple : c_typent:libelle:id::filter

      - id_field est nécessairement une clé primaire de type int
      - filter peut être un simple test (e.g. active=1 pour seulement montrer les valeurs actives)
      Vous pouvez aussi utiliser $ID$ dans le filtre qui est le ID actuel de l'objet
      Pour faire un SELECT dans le filtre, utilisez le mot clé $SEL$ pour passer outre la protection système anti-injection
      Si vous voulez filtrer sur un extrafield, utilisez la syntaxe extra.fieldcode=... (ou fieldcode est le code de l'extrafield)

      Pour avoir une liste qui dépend d'un autre attribut complémentaire:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      Pour avoir une liste qui dépend d'une autre liste:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=Les paramètres de la liste viennent d'une table
      Syntax : table_name:label_field:id_field::filtersql
      Exemple : c_typent:libelle:id::filtersql

      - id_field est nécessairement une clé primaire de type int
      - filtersql est une condition écrite en SQL. Peut être un simple test (ex. active=1 pour seulement montrer les valeurs actives)
      Vous pouvez aussi utiliser $ID$ dans le filtre qui est le ID actuel de l'objet
      Pour faire un SELECT dans le filtre, utilisez le mot clé $SEL$ pour passer outre la protection système anti-injection
      Si vous voulez filtrer sur un champ complémentaire, utilisez la syntaxe extra.fieldcode=... (ou fieldcode est le code du champ complémentaire)

      Pour avoir une liste qui dépend d'un autre attribut complémentaire :
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      Pour avoir une liste qui dépend d'une autre liste:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Les paramètres de la liste proviennent d'une table
      :Syntaxe : nom_de_la_table:libelle_champ:id_champ::filtresql
      Exemple : c_typent:libelle:id::filtresql

      le filtre peut être un simple test (ex : active=1) pour n'afficher que les valeurs actives.
      Vous pouvez aussi utiliser $ID$ dans les filtres pour indiquer l'ID de l'élément courant.
      Pour utiliser un SELECT dans un filtre, utilisez $SEL$
      Pour filtrer sur un attribut supplémentaire, utilisez la syntaxe extra.fieldcode=... (ou fieldcode est le code de l'attribut supplémentaire)

      Pour afficher une liste dépendant d'un autre attribut supplémentaire :
      c_typent:libelle:id:options_code_list_parent|colonne_parente:filtre

      Pour afficher une liste dépendant d'une autre liste :
      c_typent:libelle:id:code_liste_parente|colonne_parente:filter ExtrafieldParamHelplink=Les paramètres doivent être ObjectName:Classpath
      Syntaxe: ObjectName:Classpath ExtrafieldParamHelpSeparator=Garder vide pour un simple séparateur
      Définissez-le sur 1 pour un séparateur auto-déroulant (ouvert par défaut pour une nouvelle session, puis le statut est conservé pour la session de l'utilisateur)
      Définissez ceci sur 2 pour un séparateur auto-déroulant (réduit par défaut pour une nouvelle session, puis l'état est conservé pour chaque session d'utilisateur). @@ -474,7 +476,7 @@ LinkToTestClickToDial=Entrez un numéro de téléphone à appeler pour tester le RefreshPhoneLink=Rafraichir lien LinkToTest=Lien cliquable généré pour l'utilisateur %s (cliquer sur le numéro pour tester) KeepEmptyToUseDefault=Laisser ce champ vide pour utiliser la valeur par défaut -KeepThisEmptyInMostCases=Dans la plupart des cas, vous pouvez garder ce champ vide +KeepThisEmptyInMostCases=Dans la plupart des cas, vous pouvez laisser ce champ vide. DefaultLink=Lien par défaut SetAsDefault=Définir par défaut ValueOverwrittenByUserSetup=Attention, cette valeur peut être écrasée par une valeur spécifique à la configuration de l'utilisateur (chaque utilisateur pouvant avoir sa propre URL « clicktodial ») @@ -567,7 +569,7 @@ Module40Desc=Gestion des fournisseurs et des achats (commandes et factures fourn Module42Name=Journaux et traces de Debug Module42Desc=Systèmes de logs ( fichier, syslog,... ). De tels logs ont un but technique / de débogage. Module43Name=Barre de débogage -Module43Desc=Un outil pour les développeurs ajoutant une barre de débogage dans votre navigateur. +Module43Desc=Un outil pour les développeurs, ajoutant une barre de débogage dans votre navigateur. Module49Name=Éditeurs Module49Desc=Gestion des éditeurs Module50Name=Produits @@ -677,7 +679,7 @@ Module3300Desc=Un outil RAD (Rapid Application Development - low-code et no-code Module3400Name=Réseaux sociaux Module3400Desc=Activez les champs de réseaux sociaux dans les tiers et les adresses (skype, twitter, facebook, ...). Module4000Name=GRH -Module4000Desc=Gestion des ressources humaines (gestion du département, contrats des employés et appréciations) +Module4000Desc=Gestion des ressources humaines (gestion de service, contrats des salariés, gestion des compétences et entretiens) Module5000Name=Multi-société Module5000Desc=Permet de gérer plusieurs sociétés Module6000Name=Workflow Inter-modules @@ -1117,10 +1119,11 @@ BackToModuleList=Retour liste des modules BackToDictionaryList=Retour liste des dictionnaires TypeOfRevenueStamp=Type de timbre fiscal VATManagement=Gestion TVA -VATIsUsedDesc=Le taux de TVA proposé par défaut lors de la création de propositions commerciales, factures, commandes, etc... répond à la règle standard suivante:
      Si vendeur non assujetti à TVA, TVA par défaut=0. Fin de règle.
      Si le (pays vendeur= pays acheteur) alors TVA par défaut=TVA du produit vendu. Fin de règle.
      Si vendeur et acheteur dans Communauté européenne et bien vendu= moyen de transport neuf (auto, bateau, avion), TVA par défaut=0 (La TVA doit être payée par acheteur au centre d'impôts de son pays et non au vendeur). Fin de règle.
      Si vendeur et acheteur dans Communauté européenne et acheteur= particulier alors TVA par défaut=TVA du produit vendu. Fin de règle.
      Si vendeur et acheteur sont dans la Communauté européenne et que l'acheteur est une société alors TVA par défaut=0. Fin de règle.
      Sinon la TVA proposée par défaut=0. Fin de règle. +VATIsUsedDesc=Le taux de TVA proposé par défaut lors de la création de propositions commerciales, factures, commandes, etc. répond à la règle standard suivante :
      Si le vendeur est non assujetti à TVA, TVA par défaut=0. Fin de règle.
      Si le (pays vendeur = pays acheteur) alors TVA par défaut=TVA du produit vendu. Fin de règle.
      Si le vendeur et acheteur dans la Communauté européenne et bien vendu = produits liés au transport (transport routier, transport maritime, transport aérien), TVA par défaut=0. Cette règle dépend du pays du vendeur - veuillez consulter votre comptable. La TVA doit être payée par l'acheteur au bureau de douane de son pays et non au vendeur. Fin de règle.
      Si le vendeur et acheteur sont dans la Communauté européenne et acheteur = particulier (avec un numéro de TVA intracommunautaire enregistré) alors TVA par défaut = TVA du pays du vendeur. Fin de règle.
      Si le vendeur et acheteur sont dans la Communauté européenne et que l'acheteur est une société (avec un numéro de TVA intracommunautaire enregistré) alors la TVA par défaut=0. Fin de règle.
      Sinon la TVA proposée par défaut=0. Fin de règle. VATIsNotUsedDesc=Le taux de TVA proposé par défaut est 0. C'est le cas d'associations, particuliers ou certaines petites sociétés. VATIsUsedExampleFR=En France, cela signifie que les entreprises ou les organisations sont assujetis à la tva (réel ou normal). VATIsNotUsedExampleFR=En France, il s'agit des associations ne déclarant pas de TVA ou sociétés, organismes ou professions libérales ayant choisi le régime fiscal micro entreprise (TVA en franchise) et payant une TVA en franchise sans faire de déclaration de TVA. Ce choix fait de plus apparaître la mention "TVA non applicable - art-293B du CGI" sur les factures. +VATType=Type de TVA ##### Local Taxes ##### TypeOfSaleTaxes=Type de taxe de vente LTRate=Taux @@ -1348,7 +1351,7 @@ MAIN_PROXY_HOST=Nom/Adresse du serveur proxy mandataire MAIN_PROXY_PORT=Port du serveur proxy mandataire MAIN_PROXY_USER=Identifiant pour passer le serveur proxy mandataire MAIN_PROXY_PASS=Mot de passe pour passer le serveur proxy mandataire -DefineHereComplementaryAttributes=Définissez des attributs supplémentaires ou personnalisés qui seront ajoutés a : %s. +DefineHereComplementaryAttributes=Définissez des attributs supplémentaires ou personnalisés qui seront ajoutés à : %s. ExtraFields=Attributs supplémentaires ExtraFieldsLines=Attributs supplémentaires (lignes) ExtraFieldsLinesRec=Attributs supplémentaires (ligne de factures modèles) @@ -1427,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Cacher le lien "Mot de passe oublié" sur l UsersSetup=Configuration du module utilisateurs UserMailRequired=Email requis pour créer un nouvel utilisateur UserHideInactive=Masquer les utilisateurs inactifs sur toutes les listes déroulantes d'utilisateurs (non recommandé: cela peut signifier que vous ne pourrez pas filtrer ou rechercher les anciens utilisateurs sur certaines pages) +UserHideExternal=Masquer les utilisateurs externes (non liés à un tiers) sur toutes les listes déroulantes d'utilisateurs (non recommandé: cela peut signifier que vous ne pourrez pas filtrer ou rechercher les utilisateurs externes sur certaines pages) +UserHideNonEmployee=Masquer les utilisateurs externes (non salariés) sur toutes les listes déroulantes d'utilisateurs (non recommandé: cela peut signifier que vous ne pourrez pas filtrer ou rechercher les utilisateurs non salariés sur certaines pages) UsersDocModules=Modèles de documents pour les documents générés à partir de la fiche utilisateur GroupsDocModules=Modèles de documents pour les documents générés à partir de la fiche d'un groupe ##### HRM setup ##### @@ -1655,7 +1660,7 @@ LDAPFieldGroupidExample=Exemple: gidnumber LDAPFieldUserid=Id utilisateur LDAPFieldUseridExample=Exemple: uidnumber LDAPFieldHomedirectory=Répertoire racine -LDAPFieldHomedirectoryExample=Exemple: homedirectory +LDAPFieldHomedirectoryExample=Exemple : homedirectory LDAPFieldHomedirectoryprefix=Préfixe du répertoire racine LDAPSetupNotComplete=Configuration LDAP incomplète (à compléter sur les autres onglets) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Administrateur ou mot de passe non renseigné. Les accès LDAP seront donc anonymes et en lecture seule. @@ -1677,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Le module memcached pour le cache applicatif MemcachedAvailableAndSetup=Le module memcached dédié à l'utilisation du serveur de cache memcached est activé. OPCodeCache=Cache OPCode NoOPCodeCacheFound=Pas de cache OPCode trouvé. Peut-être utilisez-vous un cache OPCode différent de XCache ou eAccelerator (bien), peut-être n'avez vous pas du tout de cache OPCode (très mauvais). -HTTPCacheStaticResources=Cache HTTP des ressources statiques (css, img, javascript) +HTTPCacheStaticResources=Cache HTTP des ressources statiques (css, img, JavaScript) FilesOfTypeCached=Fichiers de type %s mis en cache par le serveur HTTP FilesOfTypeNotCached=Fichiers de type %s non mis en cache par le serveur HTTP FilesOfTypeCompressed=Fichiers de type %s compressé par le serveur HTTP @@ -1802,7 +1807,7 @@ NotTopTreeMenuPersonalized=Menus personalisés non liés à un menu haut NewMenu=Nouveau menu MenuHandler=Gestionnaire de menu MenuModule=Module source -HideUnauthorizedMenu=Cacher les menus non autorisés aussi pour les utilisateurs internes également (sinon, il seront seulement grisés) +HideUnauthorizedMenu=Cacher les menus non autorisés aussi pour les utilisateurs internes également (sinon, ils seront seulement grisés) DetailId=Identifiant du menu DetailMenuHandler=Nom du gestionnaire menu dans lequel faire apparaitre le nouveau menu DetailMenuModule=Nom du module si l'entrée menu est issue d'un module @@ -1810,7 +1815,7 @@ DetailType=Type de menu (top ou left) DetailTitre=Libellé du menu ou code libellé à traduire DetailUrl=URL où le menu vous envoie (lien URL relatif ou lien externe avec https://) DetailEnabled=Condition d'affichage ou non -DetailRight=Condition d'affichage plein ou grisé +DetailRight=Condition pour afficher les menus grisés non autorisés DetailLangs=Fichier .lang pour la traduction du code libellé DetailUser=Interne / Externe / Tous Target=Cible @@ -1875,7 +1880,8 @@ CashDeskBankAccountForSell=Compte par défaut à utiliser pour l'encaissement en CashDeskBankAccountForCheque=Compte par défaut à utiliser pour l'encaissement en chèque CashDeskBankAccountForCB=Compte par défaut à utiliser pour l'encaissement en carte de crédit CashDeskBankAccountForSumup=Compte bancaire par défaut à utiliser pour l'encaissement par SumUp -CashDeskDoNotDecreaseStock=Désactiver la réduction de stocks systématique lorsque une vente se fait à partir du Point de Vente (si «non», la réduction du stock est faite pour chaque vente faite depuis le POS, quelquesoit l'option de changement de stock définit dans le module Stock). +CashDeskDoNotDecreaseStock=Désactiver la réduction des stocks lorsqu'une vente est effectuée depuis le Point de Vente +CashDeskDoNotDecreaseStockHelp=Si "non", la réduction des stocks est faite pour chaque vente effectuée depuis le POS, indépendamment de l'option définie dans le module Stock. CashDeskIdWareHouse=Forcer et restreindre l'emplacement/entrepôt à utiliser pour la réduction de stock StockDecreaseForPointOfSaleDisabled=Réduction de stock lors de l'utilisation du Point de Vente désactivée StockDecreaseForPointOfSaleDisabledbyBatch=La décrémentation de stock depuis ce module Point de Vente n'est pas encore compatible avec la gestion des numéros de lots/série. @@ -2155,7 +2161,7 @@ EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scannez le r EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Exemple de collecte de réponses par e-mail envoyées depuis un logiciel de messagerie externe EmailCollectorExampleToCollectDolibarrAnswersDesc=Collectez tous les e-mails qui sont une réponse à un e-mail envoyé depuis votre application. Un événement (le module Agenda doit être activé) avec la réponse par e-mail sera enregistré au bon endroit. Par exemple, si vous envoyez une proposition commerciale, une commande, une facture ou un message pour un ticket par email depuis l'application, et que le destinataire répond à votre email, le système captera automatiquement la réponse et l'ajoutera dans votre ERP. EmailCollectorExampleToCollectDolibarrAnswers=Exemple de collecte de tous les messages entrants étant des réponses aux messages envoyés depuis Dolibarr -EmailCollectorExampleToCollectLeadsDesc=Collecte les emails qui correspondent à certaines règles et crée automatiquement une opportunité (le module Projet doit être activé) avec les informations de l'email. Vous pouvez utiliser ce collecteur si vous souhaitez suivre votre opportunité en utilisant le module Projet (1 opportunité = 1 projet), ainsi vos opportunités seront générés automatiquement. Si le collecteur Collect_Responses est également activé, lorsque vous envoyez un email à partir de vos opportunités, propositions ou tout autre objet, vous pouvez également voir les réponses de vos clients ou partenaires directement sur l'application.
      Note : Dans ce premier exemple, le titre de l'opportunité est généré avec l'email. Si le tiers n'est pas trouvé dans la base de données (nouveau client), l'opportunité sera attachée au tiers avec l'ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collecte les emails qui correspondent à certaines règles et crée automatiquement une opportunité (le module Projet doit être activé) avec les informations de l'email. Vous pouvez utiliser ce collecteur si vous souhaitez suivre votre opportunité en utilisant le module Projet (1 opportunité = 1 projet), ainsi vos opportunités seront générées automatiquement. Si le collecteur Collect_Responses est également activé, lorsque vous envoyez un email à partir de vos opportunités, propositions ou tout autre objet, vous pouvez également voir les réponses de vos clients ou partenaires directement sur l'application.
      Note : Dans ce premier exemple, le titre de l'opportunité est généré avec l'email. Si le tiers n'est pas trouvé dans la base de données (nouveau client), l'opportunité sera attachée au tiers avec l'ID 1. EmailCollectorExampleToCollectLeads=Exemple de collecte de leads EmailCollectorExampleToCollectJobCandidaturesDesc=Collectez les e-mails postulant aux offres d'emploi (le module Recrutement doit être activé). Vous pouvez compléter ce collecteur si vous souhaitez créer automatiquement une candidature pour une demande d'emploi. Remarque : Avec ce premier exemple, le titre de la candidature est généré avec l'e-mail. EmailCollectorExampleToCollectJobCandidatures=Exemple de collecte de candidatures reçues par e-mail @@ -2246,7 +2252,7 @@ THIRDPARTY_ALIAS=Nom du tiers - Nom alternatif du tiers ALIAS_THIRDPARTY=Nom alternatif du tiers - Nom du tiers PDFIn2Languages=Afficher les libellés dans le PDF dans 2 langues différentes (cette fonctionnalité peut ne pas fonctionner pour certaines combinaisons de langues) PDF_USE_ALSO_LANGUAGE_CODE=Si vous souhaitez que certains textes de votre PDF soient dupliqués dans 2 langues différentes dans le même PDF généré, vous devez définir ici cette deuxième langue pour que le PDF généré contienne 2 langues différentes dans la même page, celle choisie lors de la génération du PDF et celle-ci (seuls quelques modèles PDF prennent en charge cette fonction). Gardez vide pour 1 langue par PDF. -PDF_USE_A=Générer document PDF avec le format PDF/A à la place du format PDF standard +PDF_USE_A=Générer les documents PDF avec le format PDF/A à la place du format PDF standard FafaIconSocialNetworksDesc=Entrez ici le code d'une icône FontAwesome. Si vous ne savez pas ce qu'est FontAwesome, vous pouvez utiliser la valeur générique fa-address-book. RssNote=Remarque: Chaque définition de flux RSS fournit un widget que vous devez activer pour qu'il soit disponible dans le tableau de bord JumpToBoxes=Aller à la Configuration -> Widgets @@ -2272,7 +2278,7 @@ MailToSendEventOrganization=Organisation d'événements MailToPartnership=Partenariat AGENDA_EVENT_DEFAULT_STATUS=État de l’événement par défaut lors de la création d’un événement à partir du formulaire YouShouldDisablePHPFunctions=Vous devriez désactiver les fonctions PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=Sauf si vous avez besoin de lancer des commandes système, vous devriez désactiver les fonctions PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=Sauf si vous avez besoin de lancer des commandes système dans du code personnalisé, vous devriez désactiver les fonctions PHP PHPFunctionsRequiredForCLI=À des fins de shell (comme la sauvegarde de tâches planifiées ou l'exécution d'un programme antivirus), vous devez conserver les fonctions PHP NoWritableFilesFoundIntoRootDir=Aucun fichier ou répertoire des programmes courants n’a été trouvé en écriture dans votre répertoire racine (Bon) RecommendedValueIs=Recommandé : %s @@ -2336,7 +2342,7 @@ WebhookSetup = Configuration du webhook Settings = Paramètres WebhookSetupPage = Page de configuration du webhook ShowQuickAddLink=Afficher un bouton pour ajouter rapidement un élément, dans le menu en haut à droite - +ShowSearchAreaInTopMenu=Afficher la zone de recherche dans le menu supérieur HashForPing=Hash utilisé pour ping ReadOnlyMode=L'instance est-elle en mode "Lecture seule" DEBUGBAR_USE_LOG_FILE=Utilisez le fichier dolibarr.log pour récupérer les traces @@ -2392,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Masquer la quantité commandée sur les documents gé MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Afficher le prix sur les documents générés pour les réceptions WarningDisabled=Avertissement désactivé LimitsAndMitigation=Limites d'accès et atténuation +RecommendMitigationOnURL=Il est recommandé d'activer la limitation sur les adresses URL critiques. Voici la liste des règles fail2ban que vous pouvez utiliser pour les URL principales importantes. DesktopsOnly=Ordinateurs de bureau uniquement DesktopsAndSmartphones=Ordinateurs de bureau et smartphones AllowOnlineSign=Autoriser la signature en ligne @@ -2424,3 +2431,13 @@ ReEncryptDesc=Recrypter les données si elles ne sont pas encore cryptées PasswordFieldEncrypted=%s nouveaux enregistrements de ce champ ont été cryptés ExtrafieldsDeleted=%s champs supplémentaires ont été supprimés LargeModern=Large - Moderne +SpecialCharActivation=Activez le bouton pour ouvrir un clavier virtuel pour saisir des caractères spéciaux +DeleteExtrafield=Supprimer champ complémentaire +ConfirmDeleteExtrafield=Confirmez-vous la suppression du champ %s ? Toutes les données de ce champ seront perdues. +ExtraFieldsSupplierInvoicesRec=Attributs supplémentaires (facture modèles) +ExtraFieldsSupplierInvoicesLinesRec=Attributs complémentaires (lignes de facture modèle) +ParametersForTestEnvironment=Paramètres pour l'environnement de test +TryToKeepOnly=Essayez de ne conserver que %s +RecommendedForProduction=Recommandé pour la production +RecommendedForDebug=Recommandé pour le débogage +UrlPublicInterfaceHelpAdmin=Il est possible de définir un alias vers le serveur et de rendre ainsi l'interface publique accessible avec une autre URL (le serveur doit agir comme un proxy sur cette nouvelle URL) diff --git a/htdocs/langs/fr_FR/agenda.lang b/htdocs/langs/fr_FR/agenda.lang index 408a4186b0d..a211deb180c 100644 --- a/htdocs/langs/fr_FR/agenda.lang +++ b/htdocs/langs/fr_FR/agenda.lang @@ -89,6 +89,8 @@ ShippingSentByEMail=Bon d'expédition %s envoyé par email ShippingValidated= Expédition %s validée InterventionSentByEMail=Intervention %s envoyé par email ProjectSentByEMail=Projet %s envoyé par email +ProjectDeletedInDolibarr=Projet %s supprimé +ProjectClosedInDolibarr=Projet %s fermé ProposalDeleted=Proposition commerciale supprimée OrderDeleted=Commande supprimée InvoiceDeleted=Facture supprimée @@ -129,6 +131,7 @@ MRP_MO_DELETEInDolibarr=OF supprimé MRP_MO_CANCELInDolibarr=OF annulé PAIDInDolibarr=%s payé ENABLEDISABLEInDolibarr=Utilisateur activé ou désactivé +CANCELInDolibarr=Annulé ##### End agenda events ##### AgendaModelModule=Modèle de document pour les événements DateActionStart=Date de début @@ -184,7 +187,7 @@ Until=jusqu'à DataFromWasMerged=Les données de %s ont été fusionnées AgendaShowBookcalCalendar=Calendrier de réservation : %s MenuBookcalIndex=Rendez-vous en ligne -BookcalLabelAvailabilityHelp=Libellé de la plage de disponibilité. Par exemple:
      Disponibilité générale
      Disponibilité pendant les vacances de Noël +BookcalLabelAvailabilityHelp=Libellé de la plage de disponibilité. Par exemple :
      Disponibilité générale
      Disponibilité pendant les vacances de Noël DurationOfRange=Durée des plages BookCalSetup = Prise de rendez-vous en ligne Settings = Paramètres @@ -198,6 +201,7 @@ Availabilities=Disponibilités NewAvailabilities=Nouvelles disponibilités NewCalendar=Nouveau calendrier ThirdPartyBookCalHelp=L'événement réservé dans ce calendrier sera automatiquement lié à ce tiers. -AppointmentDuration = Durée du rendez-vous : %s +AppointmentDuration = Durée du rendez-vous : %s BookingSuccessfullyBooked=Votre réservation a été enregistrée BookingReservationHourAfter=Nous confirmons la réservation de votre rendez-vous à la date %s +BookcalBookingTitle=Rendez-vous en ligne diff --git a/htdocs/langs/fr_FR/ai.lang b/htdocs/langs/fr_FR/ai.lang new file mode 100644 index 00000000000..f6eb575e977 --- /dev/null +++ b/htdocs/langs/fr_FR/ai.lang @@ -0,0 +1 @@ +AI_KEY_API_CHATGPT= Clé pour l'api IA \ No newline at end of file diff --git a/htdocs/langs/fr_FR/banks.lang b/htdocs/langs/fr_FR/banks.lang index 7505a861fe5..af1f8e92f2f 100644 --- a/htdocs/langs/fr_FR/banks.lang +++ b/htdocs/langs/fr_FR/banks.lang @@ -190,7 +190,7 @@ IfYouDontReconcileDisableProperty=Si vous ne réalisez pas le rapprochement banc NoBankAccountDefined=Aucun compte bancaire défini NoRecordFoundIBankcAccount=Aucun enregistrement trouvé dans le compte bancaire. Généralement, cela se produit lorsqu'un enregistrement a été supprimé manuellement de la liste des transactions dans le compte bancaire (par exemple lors d'un rapprochement du compte bancaire). Une autre raison est que le paiement a été enregistré lorsque le module "%s" était désactivé. AlreadyOneBankAccount=un compte bancaire est déjà défini -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=Variante SEPA fichier +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=Variante du fichier SEPA SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=Oui = Stocker le « Type de paiement » dans la section « Virement de crédit » du fichier SEPA

      Lors de la génération d'un fichier XML SEPA pour les virements, la section "PaymentTypeInformation" peut désormais être placée dans la section "CreditTransferTransactionInformation" (au lieu de la section "Payment"). Nous vous recommandons fortement de laisser cette case décochée pour placer PaymentTypeInformation au niveau Payment, car toutes les banques ne l'accepteront pas nécessairement au niveau CreditTransferTransactionInformation. Contactez votre banque avant de placer PaymentTypeInformation au niveau CreditTransferTransactionInformation. ToCreateRelatedRecordIntoBank=Pour créer un enregistrement bancaire associé manquant XNewLinesConciliated=%s nouvelle(s) ligne(s) rapprochée(s) diff --git a/htdocs/langs/fr_FR/bills.lang b/htdocs/langs/fr_FR/bills.lang index 9d7c22f5869..0bf23a56545 100644 --- a/htdocs/langs/fr_FR/bills.lang +++ b/htdocs/langs/fr_FR/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Saisie d'un remboursement d'un avoir client DisabledBecauseRemainderToPayIsZero=Désactivé car reste à payer est nul PriceBase=Base de prix BillStatus=État de la facture -StatusOfGeneratedInvoices=Statut des factures générées +StatusOfAutoGeneratedInvoices=État des factures générées automatiquement BillStatusDraft=Brouillon (à valider) BillStatusPaid=Payée BillStatusPaidBackOrConverted=Facture Avoir remboursée ou marqué en crédit disponible @@ -250,12 +250,13 @@ RemainderToTake=Montant restant à percevoir RemainderToTakeMulticurrency=Montant restant à encaisser, devise d'origine RemainderToPayBack=Montant restant à rembourser RemainderToPayBackMulticurrency=Montant restant à rembourser, devise d'origine +NegativeIfExcessReceived=négatif si excédent perçu NegativeIfExcessRefunded=négatif si franchise remboursée +NegativeIfExcessPaid=négatif si trop payé Rest=Créance AmountExpected=Montant réclamé ExcessReceived=Trop perçu ExcessReceivedMulticurrency=Excédent reçu, devise d'origine -NegativeIfExcessReceived=négatif si excédent perçu ExcessPaid=Excédent payé ExcessPaidMulticurrency=Excédent payé, devise d'origine EscompteOffered=Escompte (règl. avt échéance) @@ -351,6 +352,7 @@ HelpAbandonOther=Ce montant a été abandonné car il s'agissait d'une erreur de IdSocialContribution=Id de paiement charge fiscale ou sociale PaymentId=Id paiement PaymentRef=Ref paiement +SourceInvoiceId=Id facture source InvoiceId=Id facture InvoiceRef=Réf. facture InvoiceDateCreation=Date création facture @@ -643,3 +645,6 @@ MentionCategoryOfOperations1=Prestation de services MentionCategoryOfOperations2=Mixte - Livraison de biens & prestation de services Salaries=Salaires InvoiceSubtype=Sous-type de facture +SalaryInvoice=Salaire +BillsAndSalaries=Factures et salaires +CreateCreditNoteWhenClientInvoiceExists=Cette option est activée uniquement lorsqu'une ou plusieurs factures validées existent pour un client ou lorsque la constante INVOICE_CREDIT_NOTE_STANDALONE est utilisée (utile pour certains pays) diff --git a/htdocs/langs/fr_FR/blockedlog.lang b/htdocs/langs/fr_FR/blockedlog.lang index d5173143e59..9b66fe3e904 100644 --- a/htdocs/langs/fr_FR/blockedlog.lang +++ b/htdocs/langs/fr_FR/blockedlog.lang @@ -14,28 +14,6 @@ OkCheckFingerprintValidityButChainIsKo=Le journal archivé semble valide par rap AddedByAuthority=Stocké dans une autorité distante NotAddedByAuthorityYet=Pas encore stocké dans une autorité distante ShowDetails=Voir plus de détails -logPAYMENT_VARIOUS_CREATE=Paiement (non affecté à une facture) créé -logPAYMENT_VARIOUS_MODIFY=Paiement (non affecté à une facture) modifié -logPAYMENT_VARIOUS_DELETE=Suppression logique du paiement (non affecté à une facture) -logPAYMENT_ADD_TO_BANK=Paiement ajouté à la banque -logPAYMENT_CUSTOMER_CREATE=Paiement client créé -logPAYMENT_CUSTOMER_DELETE=Suppression logique du paiement client -logDONATION_PAYMENT_CREATE=Paiement don créé -logDONATION_PAYMENT_DELETE=Suppression logique du paiement d'un don -logBILL_PAYED=Facture client payée -logBILL_UNPAYED=Facture client impayée -logBILL_VALIDATE=Facture client validée -logBILL_SENTBYMAIL=Facture client envoyée par mail -logBILL_DELETE=Suppression logique de la facture client -logMODULE_RESET=Le module BlockedLog a été désactivé -logMODULE_SET=Le module BlockedLog a été activé -logDON_VALIDATE=Don validé -logDON_MODIFY=Don modifié -logDON_DELETE=Suppression logique du don -logMEMBER_SUBSCRIPTION_CREATE=Cotisation adhérent créée -logMEMBER_SUBSCRIPTION_MODIFY=Cotisation adhérent modifiée -logMEMBER_SUBSCRIPTION_DELETE=Suppression logique de la cotisation d'un adhérent -logCASHCONTROL_VALIDATE=Enregistrement de clôture de caisse BlockedLogBillDownload=Téléchargement facture client BlockedLogBillPreview=Aperçu facture client BlockedlogInfoDialog=Détail du journal @@ -44,7 +22,7 @@ Fingerprint=Empreinte DownloadLogCSV=Exporter les journaux archivés (CSV) logDOC_PREVIEW=Aperçu d'un document validé pour impression ou téléchargement logDOC_DOWNLOAD=Téléchargement d'un document validé pour impression ou envoi -DataOfArchivedEvent=Données complètes de l'événement archivé +DataOfArchivedEvent=Données complètes de l'événement archivées ImpossibleToReloadObject=Objet d'origine (type %s, id %s) non lié (voir la colonne 'Données complètes' pour obtenir les données sauvegardées non modifiables) BlockedLogAreRequiredByYourCountryLegislation=Le module Journaux inaltérables peut être requis par la législation de votre pays. La désactivation de ce module peut invalider toute transaction future au regard de la loi et de l'utilisation de logiciels légaux, car elles ne peuvent être validées par un contrôle fiscal. BlockedLogActivatedBecauseRequiredByYourCountryLegislation=Le module Journaux inaltérables a été activé en raison de la législation de votre pays. La désactivation de ce module peut invalider toute transaction future au regard de la loi et de l’utilisation de logiciels légaux, car elles ne peuvent pas être validées par un audit fiscal. @@ -55,3 +33,30 @@ RestrictYearToExport=Restreindre mois / année pour exporter BlockedLogEnabled=Le système de suivi des événements dans des journaux inaltérables a été activé BlockedLogDisabled=Le système de suivi des événements dans des journaux inaltérables a été désactivé après certains enregistrements. Nous avons enregistré une empreinte digitale spéciale pour suivre la chaîne comme cassée BlockedLogDisabledBis=Le système de suivi des événements dans des journaux inaltérables a été désactivé. Ceci est possible car aucun enregistrement n'a encore été fait. +LinkHasBeenDisabledForPerformancePurpose=Pour des raisons de performances, le lien direct vers le document n'est pas affiché après la 100e ligne. + +## logTypes +logBILL_DELETE=Suppression logique de la facture client +logBILL_PAYED=Facture client payée +logBILL_SENTBYMAIL=Facture client envoyée par mail +logBILL_UNPAYED=Facture client impayée +logBILL_VALIDATE=Facture client validée +logCASHCONTROL_VALIDATE=Enregistrement de clôture de caisse +logDOC_DOWNLOAD=Téléchargement d'un document validé pour impression ou envoi +logDOC_PREVIEW=Aperçu d'un document validé pour impression ou téléchargement +logDONATION_PAYMENT_CREATE=Paiement don créé +logDONATION_PAYMENT_DELETE=Suppression logique du paiement d'un don +logDON_DELETE=Suppression logique du don +logDON_MODIFY=Don modifié +logDON_VALIDATE=Don validé +logMEMBER_SUBSCRIPTION_CREATE=Cotisation adhérent créée +logMEMBER_SUBSCRIPTION_DELETE=Suppression logique de la cotisation d'un adhérent +logMEMBER_SUBSCRIPTION_MODIFY=Cotisation adhérent modifiée +logMODULE_RESET=Le module BlockedLog a été désactivé +logMODULE_SET=Le module BlockedLog a été activé +logPAYMENT_ADD_TO_BANK=Paiement ajouté à la banque +logPAYMENT_CUSTOMER_CREATE=Paiement client créé +logPAYMENT_CUSTOMER_DELETE=Suppression logique du paiement client +logPAYMENT_VARIOUS_CREATE=Paiement (non affecté à une facture) créé +logPAYMENT_VARIOUS_DELETE=Suppression logique du paiement (non affecté à une facture) +logPAYMENT_VARIOUS_MODIFY=Paiement (non affecté à une facture) modifié diff --git a/htdocs/langs/fr_FR/bookmarks.lang b/htdocs/langs/fr_FR/bookmarks.lang index 355b1b351e4..f38f28fa7da 100644 --- a/htdocs/langs/fr_FR/bookmarks.lang +++ b/htdocs/langs/fr_FR/bookmarks.lang @@ -1,23 +1,24 @@ -# Dolibarr language file - Source file is en_US - marque pages -AddThisPageToBookmarks=Placer la page courante dans les marques-pages -Bookmark=Marque-page -Bookmarks=Marque-pages -ListOfBookmarks=Liste des marque-pages -EditBookmarks=Lister/modifier marques-pages -NewBookmark=Nouveau marque-page -ShowBookmark=Afficher marque-page -OpenANewWindow=Ouvrir une nouvelle fenêtre -ReplaceWindow=Remplacer fenêtre courante -BookmarkTargetNewWindowShort=Nouvelle fenêtre -BookmarkTargetReplaceWindowShort=Fenêtre courante -BookmarkTitle=Titre du marque-page -UrlOrLink=URL -BehaviourOnClick=Comportement sur sélection de l'URL -CreateBookmark=Créer marque-page -SetHereATitleForLink=Saisir ici un titre pour le marque-page -UseAnExternalHttpLinkOrRelativeDolibarrLink=Utilisez un lien externe/absolu (https://externalurl.com) ou un lien interne/relatif (/mapage.php). Vous pouvez également utiliser un lien de téléphone comme tel:0123456. -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Choisir si le raccourci doit ouvrir la page dans une nouvelle fenêtre ou fenêtre courante -BookmarksManagement=Gestion des marque-pages -BookmarksMenuShortCut=Ctrl + Maj + m -NoBookmarks=Aucun marque page enregistré -NoBookmarkFound=Pas de marque-page trouvé. +# Dolibarr language file - Source file is en_US - marque pages / bookmarks + +AddThisPageToBookmarks = Placer la page courante dans les marques-pages +BehaviourOnClick = Comportement sur sélection de l'URL +Bookmark = Marque-page +Bookmarks = Marque-pages +BookmarkTargetNewWindowShort = Nouvelle fenêtre +BookmarkTargetReplaceWindowShort = Fenêtre courante +BookmarkTitle = Titre du marque-page +BookmarksManagement = Gestion des marque-pages +BookmarksMenuShortCut = Ctrl + Maj + m +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark = Choisir si le raccourci doit ouvrir la page dans une nouvelle fenêtre ou fenêtre courante +CreateBookmark = Créer marque-page +EditBookmarks = Lister/modifier marques-pages +ListOfBookmarks = Liste des marque-pages +NewBookmark = Nouveau marque-page +NoBookmarkFound = Pas de marque-page trouvé. +NoBookmarks = Aucun marque page enregistré +OpenANewWindow = Ouvrir une nouvelle fenêtre +ReplaceWindow = Remplacer fenêtre courante +SetHereATitleForLink = Saisir ici un titre pour le marque-page +ShowBookmark = Afficher marque-page +UrlOrLink = URL +UseAnExternalHttpLinkOrRelativeDolibarrLink = Utilisez un lien externe/absolu (https://externalurl.com) ou un lien interne/relatif (/mapage.php). Vous pouvez également utiliser un lien de téléphone comme tel:0123456. diff --git a/htdocs/langs/fr_FR/cashdesk.lang b/htdocs/langs/fr_FR/cashdesk.lang index 049ee169cef..16c5efbe031 100644 --- a/htdocs/langs/fr_FR/cashdesk.lang +++ b/htdocs/langs/fr_FR/cashdesk.lang @@ -76,7 +76,7 @@ TerminalSelect=Sélectionnez le terminal que vous souhaitez utiliser: POSTicket=Ticket POS POSTerminal=Terminal PDV POSModule=Module POS (PDV) -BasicPhoneLayout=Utiliser une interface basique pour les smartphones +BasicPhoneLayout=Sur les téléphones, remplacez le POS par une interface minimale (Enregistre uniquement les commandes, pas de génération de facture, pas d'impression de reçu) SetupOfTerminalNotComplete=La configuration du terminal %s n'est pas terminée DirectPayment=Paiement direct DirectPaymentButton=Ajouter un bouton "Paiement direct en espèces" @@ -99,7 +99,7 @@ ByTerminal=Par terminal TakeposNumpadUsePaymentIcon=Utilisez un icône au lieu du texte sur les boutons de paiement du pavé numérique CashDeskRefNumberingModules=Module de numérotation pour le POS CashDeskGenericMaskCodes6 =
      La balise {TN} est utilisée pour ajouter le numéro de terminal -TakeposGroupSameProduct=Regrouper les mêmes lignes de produits +TakeposGroupSameProduct=Fusionnez les mêmes lignes de produits StartAParallelSale=Lancer une nouvelle vente en parallèle SaleStartedAt=Ventes démarrées à %s ControlCashOpening=Ouvrez la fenêtre contextuelle "Contrôle de caisse" lors de l'ouverture du point de vente @@ -118,7 +118,7 @@ ScanToOrder=Scannez le code QR pour commander Appearance=Apparence HideCategoryImages=Masquer les images de catégorie HideProductImages=Masquer les images de produits -NumberOfLinesToShow=Nombre de lignes d'images à afficher +NumberOfLinesToShow=Nombre maximum de lignes de texte à afficher sur les images miniatures DefineTablePlan=Définir le plan des tables GiftReceiptButton=Ajouter un bouton "Reçu cadeau" GiftReceipt=Reçu cadeau @@ -135,13 +135,21 @@ PrintWithoutDetailsLabelDefault=Libellé de ligne par défaut à l'impression sa PrintWithoutDetails=Générer sans les détails YearNotDefined=L'année n'est pas définie TakeposBarcodeRuleToInsertProduct=Règle de lecture du code barre des produits -TakeposBarcodeRuleToInsertProductDesc=Règle pour extraire la référence produit + une quantité d'un code barre scanné.
      Si vide (valeur par défaut), l'application utilisera le code-barres complet scanné pour trouver le produit.

      Si elle est définie, la syntaxe doit être:
      ref: NB + Qu: NB + QD: NB + autres: NB
      où NB est le nombre de caractères à utiliser pour extraire les données du code à barres scannés avec:
      • ref : référence produit
      • qu : quantité de jeu lors de l'insertion article (unités)
      • qd: quantité de jeu lors de l'insertion article (décimaux)
      • autre : autres caractères
      +TakeposBarcodeRuleToInsertProductDesc=Règle pour extraire la référence du produit + une quantité à partir d'un code-barre scanné.
      Si vide (valeur par défaut), l'application utilisera le code-barre complet scanné pour trouver le produit.

      Si elle est définie, la syntaxe doit être :
      ref:NB+qu:NB+qd:NB+autres:NB
      où NB est le nombre de caractères à utiliser pour extraire les données du code-barre scanné avec :
      ref : référence du produit
      qu : quantité à définir lors de l'insertion de l'article (unités)
      qd : quantité à définir lors de l'insertion de l'article (décimales)
      autres : autres caractères AlreadyPrinted=Déjà imprimé -HideCategories=Cacher catégories +HideCategories=Masquer toute la section de sélection des catégories HideStockOnLine=Cacher les stocks sur les lignes -ShowOnlyProductInStock=Afficher les produits en stock -ShowCategoryDescription=Afficher la description de la catégorie -ShowProductReference=Afficher la référence des produits -UsePriceHT=Utiliser le prix HT et non le prix TTC +ShowOnlyProductInStock=Afficher uniquement les produits en stock +ShowCategoryDescription=Afficher la description des catégories +ShowProductReference=Afficher la référence ou libellé des produits +UsePriceHT=Utilisez le prix HT et non le prix TTC lors de la modification d'un prix. TerminalName=Terminal %s TerminalNameDesc=Nom du terminal +DefaultPOSThirdLabel=Client générique TakePOS +DefaultPOSCatLabel=Produits du Point de Vente (PdV) +DefaultPOSProductLabel=Exemple de produit pour TakePOS +TakeposNeedsPayment=TakePOS a besoin d'un mode de paiement pour fonctionner, souhaitez-vous créer le mode de paiement 'Espèce' ? +LineDiscount=Remise de ligne +LineDiscountShort=Remise ligne +InvoiceDiscount=Remise facture +InvoiceDiscountShort=Remise fac. diff --git a/htdocs/langs/fr_FR/categories.lang b/htdocs/langs/fr_FR/categories.lang index 9f1f7313bc3..1aacd80d011 100644 --- a/htdocs/langs/fr_FR/categories.lang +++ b/htdocs/langs/fr_FR/categories.lang @@ -103,3 +103,4 @@ WebsitePagesCategoriesArea=Catégories des pages-conteneurs KnowledgemanagementsCategoriesArea=Catégories d'articles KM UseOrOperatorForCategories=Utiliser l'opérateur 'ou' pour les catégories AddObjectIntoCategory=Attribuer à la catégorie +Position=Position diff --git a/htdocs/langs/fr_FR/companies.lang b/htdocs/langs/fr_FR/companies.lang index 45675be9c18..e0729128874 100644 --- a/htdocs/langs/fr_FR/companies.lang +++ b/htdocs/langs/fr_FR/companies.lang @@ -211,12 +211,20 @@ ProfId3FR=Id. prof. 3 (NAF-APE) ProfId4FR=Id. prof. 4 (RCS/RM) ProfId5FR=Id. prof. 5 (numéro EORI) ProfId6FR=- +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- ProfId1ShortFR=SIREN ProfId2ShortFR=SIRET ProfId3ShortFR=NAF ProfId4ShortFR=RCS ProfId5ShortFR=EORI ProfId6ShortFR=- +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- ProfId1GB=Numéro d'enregistrement ProfId2GB=- ProfId3GB=SIC @@ -510,7 +518,7 @@ InEEC=Union Européenne (UE) RestOfEurope=Reste de l'Union Européenne (UE) OutOfEurope=Hors Union Européenne (UE) CurrentOutstandingBillLate=Montant impayé arrivé à échéance -BecarefullChangeThirdpartyBeforeAddProductToInvoice=Attention : selon votre configuration des prix des produits/services, vous devriez changer le tiers avant d'ajouter le produit sur la caisse +BecarefullChangeThirdpartyBeforeAddProductToInvoice=Attention : selon votre configuration des prix des produits/services, vous devriez changer le tiers avant d'ajouter le produit à la caisse EmailAlreadyExistsPleaseRewriteYourCompanyName=l'e-mail existe déjà, veuillez réécrire le nom de votre entreprise TwoRecordsOfCompanyName=plus d'un enregistrement existe pour cette entreprise, veuillez nous contacter pour finaliser votre demande de partenariat CompanySection=Section société @@ -519,3 +527,4 @@ HideSocialNetworks=Masquer les réseaux sociaux ExternalSystemID=ID système externe IDOfPaymentInAnExternalSystem=ID du mode de paiement dans un système externe (comme Stripe, Paypal, ...) AADEWebserviceCredentials=Références du Webservice de l'AADE +ThirdPartyMustBeACustomerToCreateBANOnStripe=Le tiers doit être un client pour permettre la création de ces informations bancaires côté Stripe diff --git a/htdocs/langs/fr_FR/compta.lang b/htdocs/langs/fr_FR/compta.lang index baaecb012e8..fa80457a317 100644 --- a/htdocs/langs/fr_FR/compta.lang +++ b/htdocs/langs/fr_FR/compta.lang @@ -162,6 +162,7 @@ CalcModeVATDebt=Mode %sTVA sur débit%s. CalcModeVATEngagement=Mode %sTVA sur encaissement%s. CalcModeDebt=Analyse des documents enregistrés connus CalcModeEngagement=Analyse des paiements enregistrés connus +CalcModePayment=Analyse des paiements enregistrés connus CalcModeBookkeeping=Analyse des données journalisées dans le Grand livre. CalcModeNoBookKeeping=Même s'ils ne sont pas encore comptabilisés dans la comptabilité CalcModeLT1= Mode %sRE sur factures clients - factures fournisseurs%s @@ -253,9 +254,11 @@ CalculationMode=Mode de calcul AccountancyJournal=Code journal comptable ACCOUNTING_VAT_SOLD_ACCOUNT=Compte comptable par défaut pour la TVA sur les ventes (utilisé s'il n'est pas défini dans la configuration du dictionnaire TVA) ACCOUNTING_VAT_BUY_ACCOUNT=Compte comptable par défaut pour la TVA sur les achats (utilisé s'il n'est pas défini dans la configuration du dictionnaire TVA) +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=Compte (du plan comptable) à utiliser pour le timbre fiscal sur les ventes +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=Compte (du plan comptable) à utiliser pour le timbre fiscal sur les achats ACCOUNTING_VAT_PAY_ACCOUNT=Compte comptable par défaut pour le paiement de la TVA -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Compte (du plan comptable) à utiliser comme compte par défaut pour la TVA sur les achats pour les autoliquidations (crédit) -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Compte (du plan comptable) à utiliser comme compte par défaut pour la TVA sur les achats pour les autoliquidations (débit) +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Compte comptable par défaut pour la TVA sur les achats pour les autoliquidations (crédit) +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Compte comptable par défaut pour la TVA sur les achats pour les autoliquidations (débit) ACCOUNTING_ACCOUNT_CUSTOMER=Compte comptable par défaut pour les tiers "clients" ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Le compte comptable dédié défini sur la fiche tiers sera utilisé pour l'affectation du compte auxiliaire uniquement. Celui-ci sera utilisé pour la comptabilité générale et comme valeur par défaut de la comptabilité auxiliaire si le compte comptable client dédié du ties n'est pas défini. ACCOUNTING_ACCOUNT_SUPPLIER=Compte comptable par défaut pour les tiers "fournisseurs" diff --git a/htdocs/langs/fr_FR/cron.lang b/htdocs/langs/fr_FR/cron.lang index 68456166c2c..eaa1819fc40 100644 --- a/htdocs/langs/fr_FR/cron.lang +++ b/htdocs/langs/fr_FR/cron.lang @@ -67,7 +67,7 @@ CronModuleHelp=Nom du répertoire du module Dolibarr (fonctionne également avec CronClassFileHelp=Le chemin relatif et le nom du fichier à charger (le chemin d'accès est relatif au répertoire racine du serveur Web).
      Par exemple, pour appeler la méthode fetch de l'objet Product htdocs/product/class/ product.class.php, la valeur du nom de fichier de classe est
      product/class/product.class.php CronObjectHelp=Le nom de l'objet à charger.
      Par exemple pour appeler la méthode de récupération de l'objet Produut Dolibarr /htdocs/product/class/product.class.php, la valeur du nom de fichier de classe est
      Product CronMethodHelp=La méthode objet à lancer.
      Par exemple, pour appeler la méthode fetch de l'objet Dolibarr Product /htdocs/product/class/product.class.php, la valeur pour la méthode est
      fetch -CronArgsHelp=Les arguments de la méthode.
      Par exemple pour appeler la méthode fetch de l'objet Product de Dolibarr /htdocs/product/class/product.class.php, la valeur des arguments pourrait être
      0, RefProduit +CronArgsHelp=Les arguments de la méthode.
      Par exemple, pour appeler la méthode fetch de l'objet Product de Dolibarr /htdocs/product/class/product.class.php, la valeur des arguments pourrait être
      0, RefProduit CronCommandHelp=La commande système a exécuter. CronCreateJob=Créer un nouveau travail planifié CronFrom=A partir du @@ -91,10 +91,11 @@ WarningCronDelayed=Attention, à des fins de performance, quelle que soit la pro DATAPOLICYJob=Nettoyeur de données et anonymiseur JobXMustBeEnabled=La tâche planifiée %s doit être activée EmailIfError=E-mail d'avertissement en cas d'erreur +JobNotFound=Travail %s introuvable dans la liste des travaux (essayez de désactiver/activer le module) ErrorInBatch=Erreur lors de l'exécution du travail %s # Cron Boxes LastExecutedScheduledJob=Dernier travail planifié exécuté -NextScheduledJobExecute=Prochaine travail planifié à exécuter +NextScheduledJobExecute=Prochain travail planifié à exécuter NumberScheduledJobError=Nombre de travaux planifiées en erreur NumberScheduledJobNeverFinished=Nombre de tâches planifiées jamais terminées diff --git a/htdocs/langs/fr_FR/dict.lang b/htdocs/langs/fr_FR/dict.lang index f86a03411db..7d0ea3a97db 100644 --- a/htdocs/langs/fr_FR/dict.lang +++ b/htdocs/langs/fr_FR/dict.lang @@ -158,7 +158,7 @@ CountryMX=Mexique CountryFM=Micronésie CountryMD=Moldavie CountryMN=Mongolie -CountryMS=Monserrat +CountryMS=Montserrat CountryMZ=Mozambique CountryMM=Birmanie (Myanmar) CountryNA=Namibie diff --git a/htdocs/langs/fr_FR/donations.lang b/htdocs/langs/fr_FR/donations.lang index 610c07349f3..4cf3f4ca493 100644 --- a/htdocs/langs/fr_FR/donations.lang +++ b/htdocs/langs/fr_FR/donations.lang @@ -32,5 +32,9 @@ DONATION_ART238=Afficher article 238 du CGI si vous êtes concernés DONATION_ART978=Afficher article 978 du CGI si vous êtes concernés DonationPayment=Paiement du don DonationValidated=Don %s validé -DonationUseThirdparties=Utiliser un tiers existant comme coordonnées des donateurs + DonationsReglement= Règlements reçus pour les dons + +DonationUseThirdparties=Utiliser un tiers existant comme coordonnées du donateur +DonationsStatistics=Statistiques des dons + diff --git a/htdocs/langs/fr_FR/ecm.lang b/htdocs/langs/fr_FR/ecm.lang index 975a1003ea4..d9f4e3ab2b9 100644 --- a/htdocs/langs/fr_FR/ecm.lang +++ b/htdocs/langs/fr_FR/ecm.lang @@ -3,9 +3,9 @@ ECMNbOfDocs=Nb. de documents du répertoire ECMSection=Répertoire ECMSectionManual=Répertoire manuel ECMSectionAuto=Répertoire automatique -ECMSectionsManual=Arborescence manuelle -ECMSectionsAuto=Arborescence automatique -ECMSectionsMedias=Arborescence des médias +ECMSectionsManual=Arbre manuel privé +ECMSectionsAuto=Arbre automatique privé +ECMSectionsMedias=Arbre public ECMSections=Répertoires ECMRoot=Racine ECMNewSection=Nouveau répertoire @@ -17,9 +17,9 @@ ECMNbOfFilesInSubDir=Nombre de fichiers dans les sous-répertoires ECMCreationUser=Créateur ECMArea=Espace GED ECMAreaDesc=L'espace GED (Gestion Électronique de Documents) vous permet de stocker, partager et chercher rapidement tout type de documents dans Dolibarr. -ECMAreaDesc2a=* Les répertoires manuels peuvent être utilisés pour enregistrer des documents non liés à un élément particulier. +ECMAreaDesc2a=* Les répertoires manuels peuvent être utilisés pour enregistrer des documents avec une organisation libre de l'arbre des répertoires. ECMAreaDesc2b=* Les répertoires automatiques sont remplis automatiquement lors de l'ajout de documents depuis la page d'un élément. -ECMAreaDesc3=* Les répertoires des médias sont des fichiers dans le sous-répertoire /medias du répertoire des documents, lisibles par tout le monde sans avoir besoin d'être connecté et sans besoin d'avoir le fichier partagé explicitement. Il sert à stocker des fichiers images pour le module emailing ou site web par exemple. +ECMAreaDesc3=* Les répertoires publics sont des fichiers dans le sous-répertoire /medias du répertoire des documents, lisibles par tous sans avoir besoin d'être connecté et sans besoin d'être partagé explicitement. Il permet de stocker des fichiers images pour le module emailing ou site internet par exemple. ECMSectionWasRemoved=Le répertoire %s a été effacé. ECMSectionWasCreated=Le répertoire %s a été créé. ECMSearchByKeywords=Recherche par mots-clés @@ -45,7 +45,7 @@ ExtraFieldsEcmFiles=Attributs supplémentaires des fichiers de la GED ExtraFieldsEcmDirectories=Attributs supplémentaires des dossiers de la GED ECMSetup=Configuration du module de gestion de documents (GED) GenerateImgWebp=Dupliquer toutes les images avec une autre version au format .webp -ConfirmGenerateImgWebp=Si vous confirmez, vous générerez une image au format .webp pour toutes les images actuellement dans ce dossier (les sous-dossiers ne sont pas inclus)... +ConfirmGenerateImgWebp=Si vous confirmez, vous générerez une image au format .webp pour toutes les images actuellement dans ce dossier (les sous-dossiers ne sont pas inclus, les images webp ne seront pas générées sir leur taille est supérieure à l'original)... ConfirmImgWebpCreation=Confirmer la duplication de toutes les images GenerateChosenImgWebp=Dupliquer l'image choisie avec une autre version au format .webp ConfirmGenerateChosenImgWebp=Si vous confirmez, vous générerez une image au format .webp pour l'image %s diff --git a/htdocs/langs/fr_FR/errors.lang b/htdocs/langs/fr_FR/errors.lang index c5236e7b709..040a04ce546 100644 --- a/htdocs/langs/fr_FR/errors.lang +++ b/htdocs/langs/fr_FR/errors.lang @@ -58,7 +58,7 @@ ErrorSubjectIsRequired=L'objet de l'e-mail est obligatoire ErrorFailedToCreateDir=Echec à la création d'un répertoire. Vérifiez que le user du serveur Web ait bien les droits d'écriture dans les répertoires documents de Dolibarr. Si le paramètre safe_mode a été activé sur ce PHP, vérifiez que les fichiers php dolibarr appartiennent à l'utilisateur du serveur Web. ErrorNoMailDefinedForThisUser=Email non défini pour cet utilisateur ErrorSetupOfEmailsNotComplete=La configuration de l'envoi des e-mails n'est pas terminée -ErrorFeatureNeedJavascript=Cette fonctionnalité a besoin de javascript activé pour fonctionner. Modifiez dans configuration - affichage. +ErrorFeatureNeedJavascript=Cette fonctionnalité a besoin de JavaScript activé pour fonctionner. Modifiez dans configuration - affichage. ErrorTopMenuMustHaveAParentWithId0=Un menu de type 'Top' ne peut avoir de menu père. Mettre 0 dans l'id père ou choisir un menu de type 'Left'. ErrorLeftMenuMustHaveAParentId=Un menu de type 'Left' doit avoir un id de père. ErrorFileNotFound=Fichier %s introuvable (Mauvais chemin, permissions incorrectes ou accès interdit par le paramètre PHP openbasedir ou safe_mode) @@ -92,7 +92,7 @@ ErrorPleaseTypeBankTransactionReportName=Choisissez le nom du relevé bancaire s ErrorRecordHasChildren=Impossible de supprimer l'enregistrement car il possède des enregistrements fils. ErrorRecordHasAtLeastOneChildOfType=L'objet %s a au moins un enfant de type %s ErrorRecordIsUsedCantDelete=Ne peut effacer l'enregistrement. Ce dernier est déjà utilisé ou inclut dans un autre élément. -ErrorModuleRequireJavascript=Le javascript ne doit pas être désactivé pour que cette fonctionnalité soit utilisable. Pour activer/désactiver l'utilisation de javascript, allez dans le menu Accueil->Configuration->Affichage. +ErrorModuleRequireJavascript=Le JavaScript ne doit pas être désactivé pour que cette fonctionnalité soit utilisable. Pour activer/désactiver l'utilisation de JavaScript, allez dans le menu Accueil->Configuration->Affichage. ErrorPasswordsMustMatch=Les 2 mots de passe saisis doivent correspondre ErrorContactEMail=Une erreur technique est apparue. Merci de contacter l'administrateur à l'email suivant %s en lui indiquant le code erreur %s dans votre message ou mieux en fournissant une copie d'écran de cette page. ErrorWrongValueForField=Champ %s: '%s' ne respecte pas la règle %s @@ -102,6 +102,7 @@ ErrorFieldRefNotIn=Champ %s: '%s' n'est pas une référence exista ErrorMultipleRecordFoundFromRef=Plusieurs enregistrements trouvés lors de la recherche à partir de la référence %s . Aucun moyen de savoir quel ID utiliser. ErrorsOnXLines=Erreurs sur %s enregistrement(s) source ErrorFileIsInfectedWithAVirus=L'antivirus n'a pas pu valider ce fichier (il est probablement infecté par un virus) ! +ErrorFileIsAnInfectedPDFWithJSInside=Le fichier est un PDF infecté par du Javascript. ErrorNumRefModel=Une référence existe en base (%s) et est incompatible avec cette numérotation. Supprimez la ligne ou renommez la référence pour activer ce module. ErrorQtyTooLowForThisSupplier=Quantité insuffisante pour ce fournisseur ou aucun tarif défini sur ce produit pour ce fournisseur ErrorOrdersNotCreatedQtyTooLow=Certaines commandes n'ont pas été créées en raison de quantités trop faibles @@ -153,6 +154,7 @@ ErrorToConnectToMysqlCheckInstance=Echec de la connection au serveur de base de ErrorFailedToAddContact=Echec à l'ajout du contact ErrorDateMustBeBeforeToday=La date doit être inférieure à la date courante ErrorDateMustBeInFuture=La date doit être postérieure à la date courante +ErrorStartDateGreaterEnd=La date de début est supérieure à la date de fin ErrorPaymentModeDefinedToWithoutSetup=Un mode de paiement a été défini de type %s mais la configuration du module Facture n'a pas été complétée pour définir les informations affichées pour ce mode de paiement. ErrorPHPNeedModule=Erreur, votre PHP doit avoir le module %s installé pour utiliser cette fonctionnalité. ErrorOpenIDSetupNotComplete=Vous avez configuré Dolibarr pour accepter l'authentication OpenID, mais l'URL du service OpenID n'est pas défini dans la constante %s @@ -262,7 +264,7 @@ ErrorReplaceStringEmpty=Erreur, la chaîne à remplacer est vide ErrorProductNeedBatchNumber=Erreur, le produit ' %s ' a besoin d'un numéro de lot/série ErrorProductDoesNotNeedBatchNumber=Erreur, le produit ' %s ' n'accepte pas un numéro de lot/série ErrorFailedToReadObject=Erreur, échec de la lecture de l'objet de type %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Erreur, le paramètre %s doit être activé dans conf/conf.php pour permettre l'utilisation de l'interface de ligne de commande par le planificateur de travaux interne +ErrorParameterMustBeEnabledToAllwoThisFeature=Erreur, le paramètre %s doit être activé dans conf/conf.php pour permettre l'utilisation de l'interface de ligne de commande par le planificateur de travaux interne ErrorLoginDateValidity=Erreur, cet identifiant est hors de la plage de date de validité ErrorValueLength=La longueur du champ %s doit être supérieure à %s ErrorReservedKeyword=Le terme '%s' est un mot clé réservé @@ -372,6 +374,7 @@ WarningPermissionAlreadyExist=Autorisations existantes pour cet objet WarningGoOnAccountancySetupToAddAccounts=Si cette liste est vide, allez dans le menu %s - %s - %s pour charger ou créer des comptes pour votre plan comptable. WarningCorrectedInvoiceNotFound=Facture corrigée introuvable WarningCommentNotFound=Veuillez vérifier l'emplacement des commentaires de début et de fin pour la section %s fichier %s avant de soumettre votre action +WarningAlreadyReverse=Mouvement de stock déjà annulé SwissQrOnlyVIR = La facture SwissQR ne peut être ajoutée que sur les factures définies pour être payées avec des paiements par virement. SwissQrCreditorAddressInvalid = L'adresse du créancier n'est pas valide (le code postal et la ville sont-ils définis ? (%s) diff --git a/htdocs/langs/fr_FR/eventorganization.lang b/htdocs/langs/fr_FR/eventorganization.lang index cfdccb3ad54..fdf655b311d 100644 --- a/htdocs/langs/fr_FR/eventorganization.lang +++ b/htdocs/langs/fr_FR/eventorganization.lang @@ -90,7 +90,7 @@ PriceOfRegistrationHelp=Montant à payer pour l'enregistrement d'un participant PriceOfBooth=Prix d’inscription pour un stand PriceOfBoothHelp=Prix d’inscription pour un stand EventOrganizationICSLink=Lien ICS pour les conférences -ConferenceOrBoothInformation=Renseignements sur la conférence ou le stand +ConferenceOrBoothInformation=Informations sur la conférence ou sur le stand Attendees=Participants ListOfAttendeesOfEvent=Liste des participant à l'événement DownloadICSLink = Télécharger le lien ICS diff --git a/htdocs/langs/fr_FR/exports.lang b/htdocs/langs/fr_FR/exports.lang index 260bcebda1d..2c1c203fb6b 100644 --- a/htdocs/langs/fr_FR/exports.lang +++ b/htdocs/langs/fr_FR/exports.lang @@ -145,3 +145,4 @@ SelectImportFieldsSource = Choisissez les champs du fichier source que vous souh MandatoryTargetFieldsNotMapped=Certains champs cibles obligatoires ne sont pas mis en correspondance AllTargetMandatoryFieldsAreMapped=Tous les champs cibles qui ont besoin d'une valeur obligatoire sont affectés. ResultOfSimulationNoError=Résultat de la simulation : Aucune erreur +NumberOfLinesLimited=Nombre de lignes limité diff --git a/htdocs/langs/fr_FR/hrm.lang b/htdocs/langs/fr_FR/hrm.lang index 25802673610..0447fbaf475 100644 --- a/htdocs/langs/fr_FR/hrm.lang +++ b/htdocs/langs/fr_FR/hrm.lang @@ -45,13 +45,13 @@ Eval=Évaluation Evals=Évaluations NewEval=Nouvelle évaluation ValidateEvaluation=Valider l'évaluation -ConfirmValidateEvaluation=Êtes-vous sûr de vouloir valider cette évaluation sous la référence %s ? +ConfirmValidateEvaluation=Êtes-vous sûr de vouloir valider cette évaluation avec la référence %s ? EvaluationCard=Fiche évaluation RequiredRank=Rang requis pour le profil de poste -RequiredRankShort=Niveau requis +RequiredRankShort=Grade requis PositionsWithThisProfile=Postes avec ces profils de poste EmployeeRank=Niveau de l'employée pour cette compétence -EmployeeRankShort=Niveau employée +EmployeeRankShort=Grade de l'employé EmployeePosition=Poste d'employé EmployeePositions=Postes d'employés EmployeesInThisPosition=Employés occupant ce poste @@ -69,8 +69,8 @@ MaxLevelLowerThanShort=Niveau inférieur aux attentes SkillNotAcquired=Compétences non acquises par tous les employés et requis par le second comparateur legend=Légende TypeSkill=Type de compétence -AddSkill=Ajouter des compétences au profil d'emploi -RequiredSkills=Compétences requises pour ce profil d'emploi +AddSkill=Ajouter des compétences à ce profil de poste +RequiredSkills=Compétences requises pour ce profil de poste UserRank=Niveau employé SkillList=Liste compétence SaveRank=Sauvegarder niveau diff --git a/htdocs/langs/fr_FR/install.lang b/htdocs/langs/fr_FR/install.lang index deba44bf403..565c9cbbae2 100644 --- a/htdocs/langs/fr_FR/install.lang +++ b/htdocs/langs/fr_FR/install.lang @@ -129,7 +129,7 @@ MigrationCustomerOrderShipping=Mise à jour stockage des expéditions des comman MigrationShippingDelivery=Mise à jour stockage des expéditions MigrationShippingDelivery2=Mise à jour stockage des expéditions 2 MigrationFinished=Migration terminée -LastStepDesc= Dernière étape : définissez ici le nom d'utilisateur et le mot de passe que vous souhaitez utiliser pour vous connecter à Dolibarr. Ne perdez pas cette information, car il s’agit du compte principal pour administrer tous les comptes d’utilisateurs autres / supplémentaires. +LastStepDesc= Dernière étape : Définissez ici le nom d'utilisateur et le mot de passe que vous souhaitez utiliser pour vous connecter à Dolibarr. Ne perdez pas cette information, car il s’agit du compte principal pour administrer tous les comptes d’utilisateurs autres / supplémentaires. ActivateModule=Activation du module %s ShowEditTechnicalParameters=Cliquer ici pour afficher/éditer les paramètres techniques (mode expert) WarningUpgrade=Attention:\nAvez-vous d'abord effectué une sauvegarde de base de données?\nCeci est hautement recommandé. Une perte de données (due par exemple à des bogues dans mysql version 5.5.40/41/42/43) peut être possible au cours de ce processus. Il est donc essentiel de réaliser un vidage complet de votre base de données avant de commencer toute migration.\n\nCliquez sur OK pour démarrer le processus de migration ... @@ -211,7 +211,7 @@ YouTryInstallDisabledByFileLock=L'application a tenté de se mettre à niveau au YouTryUpgradeDisabledByMissingFileUnLock=L'application a tenté de se mettre à jour elle-même, mais la procédure de mise à jour n'est actuellement pas permise.
      ClickHereToGoToApp=Cliquez ici pour aller sur votre application ClickOnLinkOrRemoveManualy=Si une mise à niveau est en cours, veuillez patienter. Si non, cliquez sur le lien suivant. Si vous atteignez toujours cette page, vous devez supprimer manuellement le fichier install.lock dans le répertoire documents -ClickOnLinkOrCreateUnlockFileManualy=Si une mise à jour est en cours, veuillez patienter… Sinon, vous devez créer un fichier upgrade.unlock dans le dossier des documents Dolibarr. +ClickOnLinkOrCreateUnlockFileManualy=Si une mise à jour est en cours, veuillez patienter… Sinon, vous devez supprimer le fichier install.lock ou créer un fichier upgrade.unlock dans le dossier des documents Dolibarr. Loaded=Chargé FunctionTest=Fonction test NodoUpgradeAfterDB=Aucune action demandée par les modules externes après la mise à jour de la base de données diff --git a/htdocs/langs/fr_FR/loan.lang b/htdocs/langs/fr_FR/loan.lang index 8d71881dadf..250f0bcbc07 100644 --- a/htdocs/langs/fr_FR/loan.lang +++ b/htdocs/langs/fr_FR/loan.lang @@ -28,7 +28,7 @@ CantUseScheduleWithLoanStartedToPaid = Impossible de générer un échéancier p CantModifyInterestIfScheduleIsUsed = Vous ne pouvez pas modifier l'intérêt si vous utilisez le calendrier # Admin ConfigLoan=Configuration du module Emprunt -LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Compte comptable à utiliser par défaut pour le capital (module emprunt) -LOAN_ACCOUNTING_ACCOUNT_INTEREST=Compte comptable à utiliser par défaut pour les intérêts (module emprunt) -LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Compte comptable à utiliser par défaut pour l'assurance (module emprunt) +LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Compte comptable par défaut pour le capital (module emprunt) +LOAN_ACCOUNTING_ACCOUNT_INTEREST=Compte comptable par défaut pour les intérêts (module emprunt) +LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Compte comptable par défaut pour l'assurance (module emprunt) CreateCalcSchedule=Créer / Modifier échéancier de prêt diff --git a/htdocs/langs/fr_FR/main.lang b/htdocs/langs/fr_FR/main.lang index 54bc653e486..0e1cf0ec73a 100644 --- a/htdocs/langs/fr_FR/main.lang +++ b/htdocs/langs/fr_FR/main.lang @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Échec de l'envoi de l'email (émetteur=%s, destinataire=% ErrorFileNotUploaded=Le fichier n'a pas été transféré. Vérifiez que sa taille ne dépasse pas le maxium autorisé, que l'espace disque est disponible et qu'un fichier du même nom n'existe pas déjà. ErrorInternalErrorDetected=Erreur détectée ErrorWrongHostParameter=Mauvais paramètre Serveur -ErrorYourCountryIsNotDefined=Votre pays n'est pas défini. Accédez à Accueil-Setup-société/Foundation et et publiez à nouveau le formulaire. . +ErrorYourCountryIsNotDefined=Votre pays n'est pas défini. Accédez à Accueil-Configuration-Société/Institution et renvoyez le formulaire. ErrorRecordIsUsedByChild=Impossible de supprimer cet enregistrement. Ce dernier est utilisé en tant que père par au moins un enregistrement fils. ErrorWrongValue=Valeur incorrecte ErrorWrongValueForParameterX=Valeur incorrecte pour le paramètre %s @@ -105,7 +105,7 @@ LevelOfFeature=Niveau de fonctionnalités NotDefined=Non défini DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr est configuré en mode authentification %s dans son fichier de configuration conf.php.
      Cela signifie que la base des mots de passe est externe à Dolibarr, aussi toute modification de ce champ peut s'avérer sans effet. Administrator=Administrateur du système -AdministratorDesc=Administrateur système (peut administrer utilisateur, les autorisations mais aussi la configuration du système et configuration des modules) +AdministratorDesc=Administrateur système (peut administrer les utilisateurs, les autorisations, mais aussi la configuration du système et la configuration des modules) Undefined=Non défini PasswordForgotten=Mot de passe oublié ? NoAccount=Pas de compte ? @@ -549,7 +549,7 @@ Reportings=Rapports Draft=Brouillon Drafts=Brouillons StatusInterInvoiced=Facturé -Done=Réalisé +Done=Effectué Validated=Validé ValidatedToProduce=Validé (à produire) Opened=Ouvert @@ -701,6 +701,7 @@ Response=Réponse Priority=Priorité SendByMail=Envoyer email MailSentBy=Mail envoyé par +MailSentByTo=E-mail envoyé par %s à %s NotSent=Non envoyé TextUsedInTheMessageBody=Corps du message SendAcknowledgementByMail=Envoi A.R. par email @@ -768,7 +769,6 @@ DisabledModules=Modules désactivés For=Pour ForCustomer=Pour le client Signature=Signature -DateOfSignature=Date de signature HidePassword=Afficher commande avec mot de passe masqué UnHidePassword=Afficher commande réelle avec mot de passe en clair Root=Racine @@ -920,7 +920,7 @@ BackOffice=Back office Submit=Soumettre View=Vue Export=Exporter -Import=Espace import +Import=Espace d'import Exports=Exports ExportFilteredList=Exporter liste filtrée ExportList=Exporter liste @@ -1082,6 +1082,7 @@ CommentPage=Commentaires CommentAdded=Commentaire ajouté CommentDeleted=Commentaire supprimé Everybody=Tout le monde +EverybodySmall=Tous PayedBy=Payé par PayedTo=Payé à Monthly=Mensuel @@ -1094,7 +1095,7 @@ KeyboardShortcut=Raccourci clavier AssignedTo=Assigné à Deletedraft=Supprimer brouillon ConfirmMassDraftDeletion=Confirmation de suppression de brouillon en masse -FileSharedViaALink=Fichier partagé via un lien +FileSharedViaALink=Fichier public partagé via un lien SelectAThirdPartyFirst=Sélectionnez d'abord un tiers... YouAreCurrentlyInSandboxMode=Vous travaillez actuellement dans le mode "bac à sable" de %s Inventory=Inventaire @@ -1253,6 +1254,9 @@ LinkRemoved=Le lien %s a été supprimé ErrorFailedToDeleteLink= Impossible de supprimer le lien '%s' ErrorFailedToUpdateLink= Impossible de modifier le lien '%s' URLToLink=URL à lier -OverwriteIfExists=Remplacer si fichier existe -AmountSalary=salaire montant -InvoiceSubtype=Sous-type facture +OverwriteIfExists=Remplacer si le fichier existe +AmountSalary=Montant du salaire +InvoiceSubtype=Sous-type de facture +ConfirmMassReverse=Confirmation d'annulation de masse +ConfirmMassReverseQuestion=Êtes-vous sûr de vouloir annuler le(s) %s enregistrement(s) sélectionné(s) ? + diff --git a/htdocs/langs/fr_FR/margins.lang b/htdocs/langs/fr_FR/margins.lang index 742b8ce76c0..b11a3e8a2f5 100644 --- a/htdocs/langs/fr_FR/margins.lang +++ b/htdocs/langs/fr_FR/margins.lang @@ -6,9 +6,9 @@ TotalMargin=Marge totale MarginOnProducts=Marge / Produits MarginOnServices=Marge / Services MarginRate=Taux de marge +ModifyMarginRates=Modifier les taux de marge MarkRate=Taux de marque DisplayMarginRates=Afficher les taux de marge -ModifyMarginRates=Modifier les taux de marge DisplayMarkRates=Afficher les taux de marque InputPrice=Saisir un prix margin=Gestion des marges @@ -38,7 +38,7 @@ CostPrice=Prix de revient UnitCharges=Charge unitaire Charges=Charges AgentContactType=Type de contact agent commercial -AgentContactTypeDetails=Définissez le type de contact (lié aux factures) à utiliser pour le rapport de marge par contact/adresse. Notez que la lecture de statistiques sur un contact n'est pas fiable car, dans la plupart des cas, le contact peut ne pas être défini explicitement sur les factures. +AgentContactTypeDetails=Définissez le type de contact (lié aux factures) à utiliser pour le rapport de marge par contact/adresse. Notez que la lecture de statistiques sur un contact n'est pas fiable, car dans la plupart des cas, le contact peut ne pas être défini explicitement sur les factures. rateMustBeNumeric=Le taux doit être une valeure numérique markRateShouldBeLesserThan100=Le taux de marque doit être inférieur à 100 ShowMarginInfos=Afficher les infos de marges diff --git a/htdocs/langs/fr_FR/members.lang b/htdocs/langs/fr_FR/members.lang index a8dc78ee4b1..0f19be69e1b 100644 --- a/htdocs/langs/fr_FR/members.lang +++ b/htdocs/langs/fr_FR/members.lang @@ -175,7 +175,7 @@ HTPasswordExport=Génération fichier htpassword NoThirdPartyAssociatedToMember=Pas de tiers associé à cet adhérent MembersAndSubscriptions=Adhérents et Cotisations MoreActions=Action complémentaire à l'enregistrement -MoreActionsOnSubscription=Action complémentaire proposée par défaut lors de l'enregistrement d'une contribution, également effectuée automatiquement lors du paiement en ligne d'une contribution +MoreActionsOnSubscription=Action complémentaire proposée par défaut lors de l'enregistrement d'une cotisation, également effectuée automatiquement lors du paiement en ligne d'une cotisation MoreActionBankDirect=Création une écriture directe sur le compte bancaire ou caisse MoreActionBankViaInvoice=Créer une facture avec paiement sur compte bancaire ou caisse MoreActionInvoiceOnly=Création facture sans paiement @@ -207,6 +207,7 @@ LatestSubscriptionDate=Date de dernière cotisation MemberNature=Nature de l'adhérent MembersNature=Nature des adhérents Public=%s peut publier mon adhésion dans le registre public +MembershipPublic=Adhésion publique NewMemberbyWeb=Nouvel adhérent ajouté. En attente de validation NewMemberForm=Nouvel Adhérent form SubscriptionsStatistics=Statistiques sur les cotisations @@ -229,15 +230,17 @@ SubscriptionRecorded=Adhésion enregistré NoEmailSentToMember=Aucun e-mail envoyé à l'adhérent EmailSentToMember=Email envoyé à l'adhérent à %s SendReminderForExpiredSubscriptionTitle=Envoyer une relance par mail pour les cotisations expirées -SendReminderForExpiredSubscription=Envoyer un rappel par e-mail aux membres lorsque l'adhésion est sur le point d'expirer (le paramètre est le nombre de jours avant la fin de l'adhésion pour envoyer le rappel. Il peut s'agir d'une liste de jours séparé par un point-virgule, par exemple '10;5;0;-5') +SendReminderForExpiredSubscription=Envoyer un rappel par e-mail aux membres lorsque l'adhésion est sur le point d'expirer (le paramètre est le nombre de jours avant la fin de l'adhésion pour envoyer le rappel. Il peut s'agir d'une liste de jours séparés par un point-virgule, par exemple '10;5;0;-5') MembershipPaid=Adhésion payée pour la période en cours (jusqu'au %s) YouMayFindYourInvoiceInThisEmail=Vous pouvez trouver votre facture jointe à cet email XMembersClosed=%s adhérent(s) résilié(s) XExternalUserCreated=%s utilisateur(s) externe(s) créé(s) ForceMemberNature=Forcer la nature de l'adhérent (personne physique ou morale) CreateDolibarrLoginDesc=La création d'un login utilisateur pour les membres leur permet de se connecter à l'application. En fonction des autorisations accordées, ils pourront par exemple consulter ou modifier eux-mêmes leur dossier. -CreateDolibarrThirdPartyDesc=Un tiers est l'entité juridique qui sera utilisée sur le facture si vous décidez de générer facture pour chaque contribution. Vous pourrez le créer ultérieurement lors du processus d’enregistrement de la contribution. +CreateDolibarrThirdPartyDesc=Un tiers est l'entité juridique qui sera utilisée sur la facture si vous décidez de générer une facture pour chaque cotisation. Vous pourrez le créer ultérieurement lors du processus d’enregistrement de la cotisation. MemberFirstname=Prénom du membre MemberLastname=Nom de famille du membre MemberCodeDesc=Code membre, unique pour tous les membres NoRecordedMembers=Aucun membre enregistré +MemberSubscriptionStartFirstDayOf=La date de début d'adhésion correspond au premier jour de +MemberSubscriptionStartAfter=Délai minimum avant l'entrée en vigueur de la date de début d'une cotisation hors renouvellements (exemple +3m = +3 mois, -5d = -5 jours, +1Y = +1 an) diff --git a/htdocs/langs/fr_FR/modulebuilder.lang b/htdocs/langs/fr_FR/modulebuilder.lang index 9341f149b90..780eab77bba 100644 --- a/htdocs/langs/fr_FR/modulebuilder.lang +++ b/htdocs/langs/fr_FR/modulebuilder.lang @@ -71,7 +71,7 @@ ArrayOfKeyValues=Tableau de key-val ArrayOfKeyValuesDesc=Tableau des clés et valeurs si le champ est une liste à choix avec des valeurs fixes WidgetFile=Fichier Widget CSSFile=Fichier CSS -JSFile=Fichier Javascript +JSFile=Fichier JavaScript ReadmeFile=Fichier Readme ChangeLog=Fichier ChangeLog TestClassFile=Fichier de tests unitaires PHP @@ -93,7 +93,7 @@ ListOfDictionariesEntries=Liste des entrées de dictionnaires ListOfPermissionsDefined=Liste des permissions SeeExamples=Voir des exemples ici EnabledDesc=Condition pour que ce champ soit actif.

      Exemples:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')= =2 -VisibleDesc=Le champ est-il visible ? (Exemples : 0=Jamais visible, 1=Visible sur la liste et les formulaires de création/mise à jour/affichage, 2=Visible sur la liste uniquement, 3=Visible sur le formulaire de création/mise à jour/affichage uniquement (pas la liste), 4=Visible sur la liste et formulaire de mise à jour/affichage uniquement (pas de création), 5=Visible sur le formulaire d'affichage de fin de liste uniquement (pas de création, pas de mise à jour). +VisibleDesc=Le champ est-il visible ? (Exemples : 0=Jamais visible, 1=Visible sur les listes et les formulaires créer/mettre à jour/afficher, 2=Visible sur les listes uniquement, 3=Visible sur les formulaires créer/mettre à jour/afficher uniquement (pas les listes), 4=Visible sur les listes et formulaires de mise à jour/affichage uniquement (pas en création), 5=Visible sur la liste et le formulaire afficher uniquement (pas en création, pas en mise à jour).

      L'utilisation d'une valeur négative signifie que le champ n'est pas affiché par défaut sur la liste mais peut être sélectionné pour la visualisation). ItCanBeAnExpression=Cela peut être une expression. Exemple :
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 DisplayOnPdfDesc=Affichez ce champ sur les documents PDF compatibles, vous pouvez gérer la position avec le champ "Position".
      Pour le document :
      0 = non affiché
      1 = affiché
      2 = affiché uniquement si non vide

      Pour les lignes de document :
      0 = non affiché
      1 = affiché dans une colonne
      3 = affiché dans la colonne description après la description
      4 = affiché dans la colonne description après la description uniquement si non vide DisplayOnPdf=Sur les PDF @@ -107,7 +107,7 @@ PermissionsDefDesc=Définissez ici les nouvelles permissions fournies par votre MenusDefDescTooltip=Les menus fournis par votre module/application sont définis dans le tableau $this->menus dans le fichier descripteur de module. Vous pouvez modifier manuellement ce fichier ou utiliser l'éditeur intégré.

      Remarque : Une fois définis (et le module réactivé), les menus sont également visibles dans l'éditeur de menus accessible aux utilisateurs administrateurs sur %s. DictionariesDefDescTooltip=Les dictionnaires fournis par votre module/application sont définis dans le tableau $this->dictionaries dans le fichier descripteur de module. Vous pouvez modifier manuellement ce fichier ou utiliser l'éditeur intégré.

      Remarque: une fois définis (et module réactivé), les dictionnaires sont également visibles dans la zone de configuration par les utilisateurs administrateurs sur %s. PermissionsDefDescTooltip=Les autorisations fournies par votre module / application sont définies dans le tableau $this->rights dans le fichier descripteur de module. Vous pouvez modifier manuellement ce fichier ou utiliser l'éditeur intégré.

      Remarque: une fois définies (et le module réactivé), les autorisations sont visibles dans la configuration par défaut des autorisations %s. -HooksDefDesc=Définir dans la propriété module_parts['hooks'], dans le descripteur de module fichier , la liste des contextes dans lesquels votre hook doit être exécuté (la liste des contextes possibles peut être trouvée par une recherche sur 'initHooks(' dans le code principal).
      Modifiez ensuite le fichier avec le code hooks avec le code de votre fonctions hookées (la liste des fonctions hookables peut être trouvée en effectuant une recherche sur 'executeHooks' dans le code principal). +HooksDefDesc=Définissez dans la propriété module_parts ['hooks'] , dans le descripteur de module, le contexte des hooks ou il doit être exécuté (la liste des contextes peut être trouvée par une recherche sur ' initHooks (' dans le code du noyau).
      Ensuite, éditez le fichier hook pour ajouter le code de vos fonctions hookées (les fonctions hookables peuvent être trouvées par une recherche sur ' executeHooks ' dans le code du noyau). TriggerDefDesc=Définissez dans le fichier trigger le code que vous souhaitez exécuter lors de l'exécution d'un événement métier externe à votre module (événements déclenchés par d'autres modules). SeeIDsInUse=Voir les IDs utilisés dans votre installation SeeReservedIDsRangeHere=Voir la plage des ID réservés @@ -128,7 +128,7 @@ RealPathOfModule=Chemin réel du dossier du module ContentCantBeEmpty=Le contenu du fichier ne peut pas être vide WidgetDesc=Vous pouvez générer et éditer ici les widgets qui seront intégrés à votre module. CSSDesc=Vous pouvez générer et éditer ici un fichier avec CSS personnalisé intégré à votre module. -JSDesc=Vous pouvez générer et éditer ici un fichier avec Javascript personnalisé intégré à votre module. +JSDesc=Vous pouvez générer et modifier ici un fichier avec du JavaScript personnalisé intégré à votre module. CLIDesc=Vous pouvez générer ici certains scripts de ligne de commande que vous souhaitez fournir avec votre module. CLIFile=Fichier CLI NoCLIFile=Aucun fichier CLI @@ -149,7 +149,7 @@ CSSListClass=CSS pour la liste NotEditable=Non éditable ForeignKey=Clé étrangère ForeignKeyDesc=Si la valeur de ce champ doit être garantie existe dans une autre table. Saisissez ici une valeur correspondant à la syntaxe : nomtable.champparentàvérifier -TypeOfFieldsHelp=Exemple:
      varchar(99)
      email
      téléphone
      ip
      url
      mot de passe
      double(24,8)
      réel
      text
      html
      date
      dateheure
      timestamp
      entier
      entier:ClassName:relativepath/to/classfile.class.php[:1[:filter]]

      '1' signifie que nous ajoutons un bouton + après la combinaison pour créer l'enregistrement
      'filter' est une condition de syntaxe de filtre universel, exemple : '((état:=:1) et (fk_user:=:__USER_ID__) et (entité:IN :(__SHARED_ENTITIES__))' +TypeOfFieldsHelp=Exemple:
      varchar(99)
      email
      téléphone
      ip
      url
      mot de passe
      double(24,8)
      réel
      texte
      html
      date
      dateheure
      timestamp
      entier
      entier:NomDeLaClasse:cheminrelatif/du/fichierclass.class.php[:1[:filtre]]

      '1' signifie que nous ajoutons un bouton + après la liste déroulante pour créer l'enregistrement
      'filtre' est une condition qui utilise la syntaxe de filtre universel, exemple : '((status:=:1) et (fk_user:=:__USER_ID__) et (entity:IN:(__SHARED_ENTITIES__))' TypeOfFieldsHelpIntro=Il s'agit du type de champ/attribut. AsciiToHtmlConverter=Convertisseur Ascii en HTML AsciiToPdfConverter=Convertisseur Ascii en PDF @@ -181,5 +181,9 @@ FailedToAddCodeIntoDescriptor=Échec de l'ajout de code dans le descripteur. Vé DictionariesCreated=Dictionnaire %s créé avec succès DictionaryDeleted=Dictionnaire %s supprimé avec succès PropertyModuleUpdated=La propriété %s a été mise à jour avec succès -InfoForApiFile=* Lorsque vous générez fichier pour la première fois, toutes les méthodes seront créées pour chaque objet. '>

      * Lorsque vous cliquez sur supprimez vous supprimez simplement toutes les méthodes pour l'objet sélectionné. +InfoForApiFile=* Lorsque vous générez fichier pour la première fois, toutes les méthodes seront créées pour chaque objet.
      * Lorsque vous cliquez sur supprimer vous supprimez simplement toutes les méthodes pour l'objet sélectionné. SetupFile=Page de configuration du module +EmailingSelectors=Sélecteurs d'e-mailings +EmailingSelectorDesc=Vous pouvez générer et modifier ici les fichiers de classe afin de fournir de nouveaux sélecteurs de cibles d'e-mail pour le module d'e-mailing de masse. +EmailingSelectorFile=Fichier de sélection des e-mails +NoEmailingSelector=Aucun fichier de sélection d'e-mails diff --git a/htdocs/langs/fr_FR/mrp.lang b/htdocs/langs/fr_FR/mrp.lang index 0236c90550f..a229b2a3723 100644 --- a/htdocs/langs/fr_FR/mrp.lang +++ b/htdocs/langs/fr_FR/mrp.lang @@ -32,8 +32,8 @@ ValueOfMeansLoss=Une valeur de 0,95 signifie une moyenne de 5%% de perte lors de ValueOfMeansLossForProductProduced=Une valeur de 0,95 signifie une moyenne de 5%% de perte de produit fabriqué DeleteBillOfMaterials=Supprimer la nomenclature CancelMo=Annuler Ordre de Fabrication -MoCancelConsumedAndProducedLines=annuler également toutes les et lignes produites consommées (supprimer lignes et stocks de restauration) -ConfirmCancelMo=Êtes-vous sûr de à annuler cette fabrication commande ? +MoCancelConsumedAndProducedLines=Annule également toutes les lignes consommées et produites (supprime les lignes et annule les mouvements de stocks) +ConfirmCancelMo=Êtes-vous sûr de vouloir annuler cet ordre de fabrication ? DeleteMo=Supprimer l'ordre de fabrication ConfirmDeleteBillOfMaterials=Êtes-vous sûr de vouloir supprimer cette nomenclature? ConfirmDeleteMo=Êtes-vous sûr de vouloir supprimer cet ordre de fabrication ? @@ -65,6 +65,8 @@ ToProduce=Produire ToObtain=A obtenir QtyAlreadyConsumed=Qté déjà consommée QtyAlreadyProduced=Qté déjà produite +QtyAlreadyConsumedShort=Qté consommée +QtyAlreadyProducedShort=Qté produite QtyRequiredIfNoLoss=Qté nécessaire pour produire la quantité définie dans la nomenclature s'il n'y a pas de perte (si le rendement de fabrication est de 100%%) ConsumeOrProduce=Consommer ou Produire ConsumeAndProduceAll=Consommer et Produire tout @@ -127,4 +129,11 @@ BOMServicesList=Les services de BOM Manufacturing=Fabrication Disassemble=Déassemblage ProducedBy=Produit par -QtyTot=Qté totale \ No newline at end of file +QtyTot=Qté totale + +QtyCantBeSplit= Quantité non fractionnable +NoRemainQtyToDispatch=Aucune quantité restant à fractionner + +THMOperatorEstimatedHelp=Coût estimé de l'opérateur par heure. Sera utilisé pour estimer le coût d'une nomenclature utilisant ce poste de travail. +THMMachineEstimatedHelp=Coût estimé de la machine par heure. Sera utilisé pour estimer le coût d'une nomenclature utilisant ce poste de travail. + diff --git a/htdocs/langs/fr_FR/multicurrency.lang b/htdocs/langs/fr_FR/multicurrency.lang index 212525480a7..4fd383f1beb 100644 --- a/htdocs/langs/fr_FR/multicurrency.lang +++ b/htdocs/langs/fr_FR/multicurrency.lang @@ -40,4 +40,4 @@ CurrencyCodeId=ID de devise CurrencyCode=Code de devise CurrencyUnitPrice=Prix unitaire en devise étrangère CurrencyPrice=Prix en devise étrangère -MutltiCurrencyAutoUpdateCurrencies=Mettre à jour tous les taux de devises +MutltiCurrencyAutoUpdateCurrencies=Mettre à jour tous les taux de change diff --git a/htdocs/langs/fr_FR/oauth.lang b/htdocs/langs/fr_FR/oauth.lang index 58d3b485ecb..460be890148 100644 --- a/htdocs/langs/fr_FR/oauth.lang +++ b/htdocs/langs/fr_FR/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Jeton effacé GetAccess=Cliquez ici pour obtenir un token RequestAccess=Cliquez ici pour demander/renouveler l'accès et recevoir un nouveau jeton DeleteAccess=Cliquez ici pour supprimer le jeton -UseTheFollowingUrlAsRedirectURI=Utilisez l'URL suivante comme URI de redirection quand vous créez des identifiants d'accès chez votre fournisseur OAuth : +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Ajoutez vos fournisseurs de jetons OAuth2. Ensuite, rendez-vous sur la page d'administration de votre fournisseur OAuth pour créer/obtenir un identifiant et un secret OAuth et enregistrez-les ici. Une fois cela fait, basculez sur l'autre onglet pour générer votre jeton. OAuthSetupForLogin=Page pour gérer (générer/supprimer) les jetons OAuth SeePreviousTab=Voir onglet précédent diff --git a/htdocs/langs/fr_FR/opensurvey.lang b/htdocs/langs/fr_FR/opensurvey.lang index a2fc5066a7f..1cfad5d9517 100644 --- a/htdocs/langs/fr_FR/opensurvey.lang +++ b/htdocs/langs/fr_FR/opensurvey.lang @@ -11,7 +11,7 @@ PollTitle=Titre sondage ToReceiveEMailForEachVote=Recevoir un email à chaque vote TypeDate=Type date TypeClassic=Type classique -OpenSurveyStep2=Sélectionner les dates parmis les jours libres (en gris). Les jours sélectionnés sont verts. Vous pouvez dé-sélectionner un jour en cliquant à nouveau dessus. +OpenSurveyStep2=Sélectionner les dates parmi les jours libres (en gris). Les jours sélectionnés sont verts. Vous pouvez dé-sélectionner un jour en cliquant à nouveau dessus. RemoveAllDays=Efface tous les jours CopyHoursOfFirstDay=Copier heures du premier jour RemoveAllHours=Efface toutes les heures diff --git a/htdocs/langs/fr_FR/orders.lang b/htdocs/langs/fr_FR/orders.lang index d7edcb9d829..96ebce6de41 100644 --- a/htdocs/langs/fr_FR/orders.lang +++ b/htdocs/langs/fr_FR/orders.lang @@ -19,7 +19,7 @@ MakeOrder=Passer commande SupplierOrder=Commande fournisseur SuppliersOrders=Commandes fournisseurs SaleOrderLines=Lignes de commande de vente -PurchaseOrderLines=Acheter des lignes commande +PurchaseOrderLines=Lignes de bons de commande SuppliersOrdersRunning=Commandes fournisseurs en cours CustomerOrder=Commande client CustomersOrders=Commandes diff --git a/htdocs/langs/fr_FR/other.lang b/htdocs/langs/fr_FR/other.lang index 3fd55f91434..76567aa8700 100644 --- a/htdocs/langs/fr_FR/other.lang +++ b/htdocs/langs/fr_FR/other.lang @@ -45,7 +45,7 @@ Notify_ORDER_CLOSE=Commande client livrée Notify_ORDER_SUPPLIER_SENTBYMAIL=Envoi commande fournisseur par email Notify_ORDER_SUPPLIER_VALIDATE=Commande fournisseur enregistrée Notify_ORDER_SUPPLIER_APPROVE=Commande fournisseur approuvée -Notify_ORDER_SUPPLIER_SUBMIT=Achat commande soumis +Notify_ORDER_SUPPLIER_SUBMIT=Commande fournisseur soumise Notify_ORDER_SUPPLIER_REFUSE=Commande fournisseur refusée Notify_PROPAL_VALIDATE=Validation proposition commerciale client Notify_PROPAL_CLOSE_SIGNED=Proposition client fermée signée @@ -192,11 +192,11 @@ EnableGDLibraryDesc=Vous devez activer ou installer la librairie GD avec votre P ProfIdShortDesc=Id prof. %s est une information qui dépend du pays du tiers.
      Par exemple, pour le pays %s, il s'agit du code %s. DolibarrDemo=Démonstration de Dolibarr ERP/CRM StatsByAmount=Statistiques sur la quantité de produits/services -StatsByAmountProducts=Statistiques sur la quantité de produits +StatsByAmountProducts=Statistiques sur le montant des produits StatsByAmountServices=Statistiques sur le montant des services StatsByNumberOfUnits=Statistiques de quantités de produits/services -StatsByNumberOfUnitsProducts=Statistiques pour la somme de la quantité de produits -StatsByNumberOfUnitsServices=Statistiques pour la somme de la quantité de services +StatsByNumberOfUnitsProducts=Statistiques sur la somme de la quantité de produits +StatsByNumberOfUnitsServices=Statistiques sur la somme de la quantité de services StatsByNumberOfEntities=Statistiques du nombre d'entités référentes (nb de factures, ou de commandes...) NumberOf=Nombre de %s NumberOfUnits=Nombre d'unités sur %s @@ -214,13 +214,10 @@ EMailTextProposalClosedRefused=La proposition %s a été fermée refusée. EMailTextProposalClosedRefusedWeb=La proposition %s a été fermée et refusée sur la page du portail. EMailTextOrderValidated=La commande %s a été validée. EMailTextOrderClose=La commande %s a été livrée. -EMailTextOrderApproved=La commande %s a été approuvée. -EMailTextOrderValidatedBy=La commande %s a été enregistrée par %s -EMailTextOrderApprovedBy=La commande %s a été approuvée par %s. -EMailTextSupplierOrderSubmit=commande %s a été soumis. -EMailTextSupplierOrderSubmitBy=commande %s a été soumis par %s. -EMailTextOrderRefused=La commande %s a été refusée. -EMailTextOrderRefusedBy=La commande %s a été refusée par %s. +EMailTextSupplierOrderApprovedBy=La commande fournisseur %s a été approuvée par %s. +EMailTextSupplierOrderValidatedBy=La commande fournisseur %s a été enregistrée par %s +EMailTextSupplierOrderSubmittedBy=La commande fournisseur %s a été soumise par %s. +EMailTextSupplierOrderRefusedBy=La commande fournisseur %s a été refusée par %s. EMailTextExpeditionValidated=L'expédition %s a été validée. EMailTextExpenseReportValidated=La note de frais %s a été validée. EMailTextExpenseReportApproved=La note de frais %s a été approuvée. @@ -301,9 +298,9 @@ RequestDuration=Durée de la demande ProductsServicesPerPopularity=Produits|Services par popularité ProductsPerPopularity=Produits par popularité ServicesPerPopularity=Services par popularité -PopuProp=Produits|Services par popularité dans les propositions +PopuProp=Produits|Services par popularité dans les devis PopuCom=Produits|Services par popularité dans les commandes -ProductStatistics=Produits|Services Statistiques +ProductStatistics=Statistiques Produits|Services NbOfQtyInOrders=Qté en commandes SelectTheTypeOfObjectToAnalyze=Sélectionner un objet pour en voir les statistiques diff --git a/htdocs/langs/fr_FR/partnership.lang b/htdocs/langs/fr_FR/partnership.lang index 5bfcd6e7a35..3d24dd80e21 100644 --- a/htdocs/langs/fr_FR/partnership.lang +++ b/htdocs/langs/fr_FR/partnership.lang @@ -38,10 +38,10 @@ ListOfPartnerships=Listes des partenariats PartnershipSetup=Page de configuration du module Partenariat PartnershipAbout=À propos de Partenariat PartnershipAboutPage=Page d'informations du module Partenariat -partnershipforthirdpartyormember=Le partenaire état doit être défini sur un « tiers » ou un « adhérent ». +partnershipforthirdpartyormember=Le statut Partenaire doit être défini sur un 'tiers' ou un 'adhérent' PARTNERSHIP_IS_MANAGED_FOR=Partenariat géré pour PARTNERSHIP_BACKLINKS_TO_CHECK=Liens de retour à vérifier -PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb de jours avant l'annulation de l'état d'un partenariat lorsque la cotisation a expiré +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb de jours avant l'annulation d'un partenariat lorsque la cotisation a expiré. ReferingWebsiteCheck=Vérification du site référent ReferingWebsiteCheckDesc=Vous pouvez activer une fonctionnalité pour vérifier que vos partenaires ont ajouté un rétrolien vers les domaines de votre site Web sur leur propre site Web. PublicFormRegistrationPartnerDesc=Dolibarr peut vous fournir une URL/un site Web public pour permettre aux visiteurs externes de demander à faire partie du programme de partenariat. @@ -82,10 +82,10 @@ YourPartnershipRefusedTopic=Partenariat refusé YourPartnershipAcceptedTopic=Partenariat accepté YourPartnershipCanceledTopic=Partenariat annulé -YourPartnershipWillSoonBeCanceledContent=Nous souhaitons vous informer que votre partenariat sera bientôt annulé (nous n'avons pas obtenu de renouvellement ou il manque un prérequis à notre partenariat). Contactez-nous par email s'il s'agit d'une erreur. -YourPartnershipRefusedContent=Nous vous informons que votre demande de partenariat a été refusée. Il manque peut-être un prérequis. Contactez-nous si vous avez besoin de plus d'informations. +YourPartnershipWillSoonBeCanceledContent=Nous vous informons que notre partenariat sera bientôt annulé (nous n'avons pas obtenu le renouvellement ou une condition préalable à notre partenariat n'a pas été remplie). Veuillez nous contacter si vous avez reçu ce message par erreur. +YourPartnershipRefusedContent=Nous vous informons que votre demande de partenariat a été refusée. Les conditions préalables ne sont pas remplies. Veuillez nous contacter si vous avez besoin de plus d'informations. YourPartnershipAcceptedContent=Nous vous informons que votre demande de partenariat a été acceptée. -YourPartnershipCanceledContent=Nous vous informons que votre partenariat a été annulé. Il manque peut-être un prérequis. Contactez-nous si vous avez besoin de plus d'informations. +YourPartnershipCanceledContent=Nous vous informons que votre partenariat a été annulé. Contactez-nous si vous avez besoin de plus d'informations. CountLastUrlCheckError=Nombre d'erreurs lors de la dernière vérification d'URL LastCheckBacklink=Date de la dernière vérification d'URL diff --git a/htdocs/langs/fr_FR/productbatch.lang b/htdocs/langs/fr_FR/productbatch.lang index d9550bfca4c..58f3f737af1 100644 --- a/htdocs/langs/fr_FR/productbatch.lang +++ b/htdocs/langs/fr_FR/productbatch.lang @@ -45,5 +45,5 @@ OutOfOrder=Hors d'usage InWorkingOrder=En état de marche ToReplace=Remplacer CantMoveNonExistantSerial=Erreur : un numéro de série sur lequel vous avez demandé un mouvement n'existe plus. Peut-être avez-vous utilisé plusieurs fois le même numéro de série depuis le même entrepôt sur la même expédition, ou peut-être était-il utilisé sur une autre expédition. Supprimez cette expédition et préparez-en une autre. -TableLotIncompleteRunRepairWithParamStandardEqualConfirmed=Réparation incomplète de la table des lots avec le paramètre '...repair.php?standard=confirmed' -IlligalQtyForSerialNumbers= Correction de stock requise car Numéro de série unique. +TableLotIncompleteRunRepairWithParamStandardEqualConfirmed=Réparation incomplète de la table des lots, lancez le script repair avec le paramètre '...repair.php?standard=confirmed' +IlligalQtyForSerialNumbers= Correction de stock requise, car Numéro de série unique. diff --git a/htdocs/langs/fr_FR/products.lang b/htdocs/langs/fr_FR/products.lang index 67215702075..9ac8174656f 100644 --- a/htdocs/langs/fr_FR/products.lang +++ b/htdocs/langs/fr_FR/products.lang @@ -80,10 +80,10 @@ SoldAmount=Solde PurchasedAmount=Montant des achats NewPrice=Nouveau prix MinPrice=Prix de vente min. -MinPriceHT=Prix de vente min. HT -MinPriceTTC=Prix de vente min. TTC +MinPriceHT=Min. prix de vente (hors taxe) +MinPriceTTC=Prix de vente min. (TTC) EditSellingPriceLabel=Modifier le libellé du prix de vente -CantBeLessThanMinPrice=Le prix de vente ne doit pas être inférieur au minimum pour ce produit (%s HT). Ce message peut aussi être provoqué par une remise trop importante. +CantBeLessThanMinPrice=Le prix de vente ne peut pas être inférieur au minimum autorisé pour ce produit (%s sans taxe). Ce message peut également apparaître si vous saisissez une remise importante. CantBeLessThanMinPriceInclTax=Le prix de vente ne peut pas être inférieur au minimum autorisé pour ce produit (%s taxes comprises). Ce message peut également apparaître si vous saisissez une remise trop importante. ContractStatusClosed=Clôturé ErrorProductAlreadyExists=Un produit avec la référence %s existe déjà. @@ -360,7 +360,7 @@ ProductAttributes=Attributs de variantes pour les produits ProductAttributeName=Attribut de variante %s ProductAttribute=Attribut de variante ProductAttributeDeleteDialog=Êtes-vous sur de vouloir supprimer cet attribut ? Toutes les valeurs en seront effacées. -ProductAttributeValueDeleteDialog=Êtes-vous sur de vouloir supprimer la valeur "%s" avec la référence "%s" de cet attribut ? +ProductAttributeValueDeleteDialog=Êtes-vous sûr de vouloir supprimer la valeur "%s" avec la référence "%s" de cet attribut ? ProductCombinationDeleteDialog=Êtes-vous sur de vouloir supprimer la variante de ce produit "%s" ? ProductCombinationAlreadyUsed=Une erreur s'est produite lors de la suppression de la variante. Vérifiez qu'elle ne soit pas utilisée par un autre objet. ProductCombinations=Variantes @@ -436,4 +436,5 @@ ConfirmEditExtrafieldQuestion = Voulez-vous vraiment modifier cet extrafield ? ModifyValueExtrafields = Modifier la valeur d'un extrafield OrProductsWithCategories=Ou des produits avec des tags/catégories WarningTransferBatchStockMouvToGlobal = Si vous souhaitez désérialiser ce produit, tout son stock sérialisé sera transformé en stock global -WarningConvertFromBatchToSerial=Si vous disposez actuellement d'une quantité supérieure ou égale à 2 pour le produit, passer à ce choix signifie que vous aurez toujours un produit avec différents objets du même lot (alors que vous souhaitez un Numéro de série). Le doublon restera jusqu'à ce qu'un inventaire ou un mouvement de stock manuel pour résoudre ce problème soit effectué. +WarningConvertFromBatchToSerial=Si vous disposez actuellement d'une quantité supérieure ou égale à 2 pour le produit, passer à ce choix signifie que vous aurez toujours un produit avec différents objets du même lot (alors que vous souhaitez un numéro de série unique). Le doublon restera jusqu'à ce qu'un inventaire ou un mouvement de stock manuel soit effectué pour résoudre ce problème. +ConfirmSetToDraftInventory=Êtes-vous sûr de vouloir revenir à l'état de brouillon ?
      Les quantités actuellement définies dans l'inventaire seront réinitialisées. diff --git a/htdocs/langs/fr_FR/projects.lang b/htdocs/langs/fr_FR/projects.lang index 23dde4c07fb..0d6f5ad7cb6 100644 --- a/htdocs/langs/fr_FR/projects.lang +++ b/htdocs/langs/fr_FR/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Hors projet NoProject=Aucun projet défini ou visible NbOfProjects=Nombre de projets NbOfTasks=Nb de tâches +TimeEntry=Suivi du temps TimeSpent=Temps consommé +TimeSpentSmall=Temps consommé TimeSpentByYou=Temps consommé par vous TimeSpentByUser=Temps consommé par utilisateur -TimesSpent=Temps consommés TaskId=ID de tâche RefTask=Ref. tâche LabelTask=Libellé tâche @@ -128,7 +129,7 @@ CloseAProject=Clore projet ConfirmCloseAProject=Êtes-vous sûr de vouloir clore ce projet ? AlsoCloseAProject=Fermer également le projet AlsoCloseAProjectTooltip=Gardez-le ouvert si vous avez encore besoin de suivre des tâches de production dessus -ReOpenAProject=Réouvrir projet +ReOpenAProject=Rouvrir projet ConfirmReOpenAProject=Êtes-vous sûr de vouloir rouvrir ce projet ? ProjectContact=Contacts du projet TaskContact=Contact de tâche diff --git a/htdocs/langs/fr_FR/propal.lang b/htdocs/langs/fr_FR/propal.lang index 3689f0eb5ae..6a2fcb3bbae 100644 --- a/htdocs/langs/fr_FR/propal.lang +++ b/htdocs/langs/fr_FR/propal.lang @@ -12,9 +12,11 @@ NewPropal=Nouvelle proposition Prospect=Prospect DeleteProp=Supprimer proposition ValidateProp=Valider proposition +CancelPropal=Annuler AddProp=Créer une proposition ConfirmDeleteProp=Êtes-vous sûr de vouloir effacer cette proposition commerciale ? ConfirmValidateProp=Êtes-vous sûr de vouloir valider cette proposition commerciale sous la référence %s ? +ConfirmCancelPropal=Êtes-vous sûr de vouloir annuler la proposition commerciale %s? LastPropals=Les %s dernières propositions commerciales LastModifiedProposals=Les %s dernières propositions commerciales modifiées AllPropals=Toutes les propales @@ -27,11 +29,13 @@ NbOfProposals=Nombre de propositions commerciales ShowPropal=Afficher proposition PropalsDraft=Brouillons PropalsOpened=Ouvert +PropalStatusCanceled=Annulé (Abandonné) PropalStatusDraft=Brouillon (à valider) PropalStatusValidated=Validée (proposition ouverte) PropalStatusSigned=Signée (à facturer) PropalStatusNotSigned=Non signée (fermée) PropalStatusBilled=Facturée +PropalStatusCanceledShort=Annulé PropalStatusDraftShort=Brouillon PropalStatusValidatedShort=Ouvert PropalStatusClosedShort=Fermée @@ -58,7 +62,7 @@ DefaultPuttingPricesUpToDate=Par défaut, mettre à jour les prix avec les prix DefaultPuttingDescUpToDate=Par défaut, mettre à jour les descriptions avec les descriptions connues actuelles lors du clonage d'une proposition UseCustomerContactAsPropalRecipientIfExist=Utiliser l'adresse de 'contact suivi client' si définie plutôt que l'adresse du tiers comme destinataire des propositions ConfirmClonePropal=Êtes-vous sûr de vouloir cloner la proposition commerciale %s ? -ConfirmReOpenProp=Êtes-vous sûr de vouloir réouvrir la proposition commerciale %s ? +ConfirmReOpenProp=Êtes-vous sûr de vouloir rouvrir la proposition commerciale %s ? ProposalsAndProposalsLines=Propositions commerciales clients et lignes de propositions ProposalLine=Ligne de proposition ProposalLines=Ligne de proposition @@ -114,6 +118,7 @@ RefusePropal=Refuser la proposition Sign=Signer SignContract=Signer le contrat SignFichinter=Signer l'intervention +SignSociete_rib=Mandat de signature SignPropal=Accepter la proposition Signed=Signée SignedOnly=Signé seulement diff --git a/htdocs/langs/fr_FR/receiptprinter.lang b/htdocs/langs/fr_FR/receiptprinter.lang index e58f1e57fb6..be970953852 100644 --- a/htdocs/langs/fr_FR/receiptprinter.lang +++ b/htdocs/langs/fr_FR/receiptprinter.lang @@ -9,6 +9,8 @@ ReceiptPrinterDesc=Réglage des imprimantes de tickets ReceiptPrinterTemplateDesc=Réglage des modèles ReceiptPrinterTypeDesc=Exemple de valeurs possibles pour le champ "Paramètres" selon le type de driver ReceiptPrinterProfileDesc=Description des imprimantes de tickets +ThisFeatureIsForESCPOSPrintersOnly=This feature is for ESC/POS printers only +FromServerPointOfView=From the web server point of view. This method must be reachable from the web server hosting. ListPrinters=Liste des imprimantes SetupReceiptTemplate=Réglage des modèles CONNECTOR_DUMMY=Imprimante Test diff --git a/htdocs/langs/fr_FR/receptions.lang b/htdocs/langs/fr_FR/receptions.lang index 4272918884e..5428232bca6 100644 --- a/htdocs/langs/fr_FR/receptions.lang +++ b/htdocs/langs/fr_FR/receptions.lang @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=Traités ReceptionSheet=Bordereau de réception ValidateReception=Valider la réception ConfirmDeleteReception=Êtes-vous sûr de vouloir supprimer cette réception ? -ConfirmValidateReception=Êtes-vous sûr de vouloir valider cette réception sous la référence %s ? +ConfirmValidateReception=Êtes-vous sûr de vouloir valider cette réception avec la référence %s ? ConfirmCancelReception=Êtes-vous sûr de vouloir annuler cette réception ? -StatsOnReceptionsOnlyValidated=Statistiques effectuées sur les réceptionss validées uniquement. La date prise en compte est la date de validation (la date de prévision de livraison n'étant pas toujours renseignée). +StatsOnReceptionsOnlyValidated=Statistiques effectuées sur les réceptions validées uniquement. La date prise en compte est la date de validation de la réception (la date de prévision de livraison n'étant pas toujours renseignée). SendReceptionByEMail=Envoyer la réception par email SendReceptionRef=Envoi du bordereau de réception %s ActionsOnReception=Événements sur la réception diff --git a/htdocs/langs/fr_FR/recruitment.lang b/htdocs/langs/fr_FR/recruitment.lang index 0208d663046..f0448491d24 100644 --- a/htdocs/langs/fr_FR/recruitment.lang +++ b/htdocs/langs/fr_FR/recruitment.lang @@ -78,4 +78,5 @@ MakeOffer=Faire un offre WeAreRecruiting=Nous recrutons. Voici une liste de postes à pourvoir... NoPositionOpen=Aucun poste ouvert pour le moment ConfirmClose=Confirmer l'annulation -ConfirmCloseAsk=Êtes-vous sûr de à annuler cette candidature de recrutement +ConfirmCloseAsk=Êtes-vous sûr de vouloir annuler cette candidature ? +recruitment=Recrutement diff --git a/htdocs/langs/fr_FR/salaries.lang b/htdocs/langs/fr_FR/salaries.lang index 19c17210789..8da1def9309 100644 --- a/htdocs/langs/fr_FR/salaries.lang +++ b/htdocs/langs/fr_FR/salaries.lang @@ -27,7 +27,7 @@ FillFieldFirst=Remplissez d'abord le champ de l'employé UpdateAmountWithLastSalary=Définir sur le montant du dernier salaire MakeTransferRequest=Faire une demande de virement VirementOrder=Demande de virement -BankTransferAmount=Montant du virement bancaire -WithdrawalReceipt=Ordre de virement -OrderWaiting=Ordre en attente +BankTransferAmount=Montant du virement +WithdrawalReceipt=Ordres de virement +OrderWaiting=En attente FillEndOfMonth=Remplir avec fin de mois diff --git a/htdocs/langs/fr_FR/sendings.lang b/htdocs/langs/fr_FR/sendings.lang index 025d0d380ce..79007442bf8 100644 --- a/htdocs/langs/fr_FR/sendings.lang +++ b/htdocs/langs/fr_FR/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Validée StatusSendingProcessedShort=Traitée SendingSheet=Fiche expédition ConfirmDeleteSending=Êtes-vous sûr de vouloir supprimer cette expédition ? -ConfirmValidateSending=Êtes-vous sûr de vouloir valider cette expédition sous la référence %s? +ConfirmValidateSending=Êtes-vous sûr de vouloir valider cet envoi avec la référence %s ? ConfirmCancelSending=Êtes-vous sûr de vouloir annuler cette expédition ? DocumentModelMerou=Modèle Merou A5 WarningNoQtyLeftToSend=Alerte, aucun produit en attente d'expédition. @@ -62,7 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Quantité de produit déjà reçu e NoProductToShipFoundIntoStock=Aucun produit à expédier n'a été trouvé dans l'entrepôt %s. Corrigez le stock ou choisissez un autre entrepôt. WeightVolShort=Poids/vol. ValidateOrderFirstBeforeShipment=Vous devez d'abord valider la commande pour pouvoir créer une expédition. -NoLineGoOnTabToAddSome=Aucune ligne, allez sur l'onglet "%s" pour ajouter +NoLineGoOnTabToAddSome=Aucune ligne, allez sur l'onglet "%s" pour en ajouter # Sending methods # ModelDocument @@ -75,12 +75,12 @@ SumOfProductWeights=Somme des poids des produits # warehouse details DetailWarehouseNumber= Détail de l'entrepôt DetailWarehouseFormat= W:%s (Qté : %d) -SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Afficher la dernière date d'entrée en stock lors de la création de l'expédition pour Numéro de série ou par lot -CreationOptions=Options disponibles lors de la création de l'envoi +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Afficher la dernière date d'entrée en stock lors de la création de l'expédition pour les numéros de série ou les lots +CreationOptions=Options disponibles lors de la création de l'expédition ShipmentDistribution=Répartition des expéditions -ErrorTooManyCombinationBatchcode=Aucune expédition pour la ligne %s car trop de combinaisons de entrepôt, produit, code de lot ont été trouvées (%s). -ErrorNoCombinationBatchcode=Impossible d'enregistrer la ligne %s comme combinaison de entrepôt-product-lot/serial ( %s, %s, %s) n'a pas été trouvé en stock. +ErrorTooManyCombinationBatchcode=Pas de répartition pour la ligne %s car trop de combinaisons entrepôt, produit, code de lot ont été trouvées (%s). +ErrorNoCombinationBatchcode=Impossible d'enregistrer la ligne %s car aucune combinaison entrepôt, produit, code de lot ( %s, %s, %s) n'a pas été trouvé en stock. ErrorTooMuchShipped=La quantité expédiée ne doit pas être supérieure à la quantité commandée pour la ligne %s diff --git a/htdocs/langs/fr_FR/stocks.lang b/htdocs/langs/fr_FR/stocks.lang index e0119e8003b..fac3ae15f81 100644 --- a/htdocs/langs/fr_FR/stocks.lang +++ b/htdocs/langs/fr_FR/stocks.lang @@ -212,8 +212,8 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Les mouvements de stocks auront la inventoryChangePMPPermission=Autoriser à changer la valeur PMP d'un produit ColumnNewPMP=Nouvelle unité PMP OnlyProdsInStock=N'ajoutez pas un produit sans stock -TheoricalQty=Quantité virtuelle -TheoricalValue=Quantité virtuelle +TheoricalQty=Qté théorique +TheoricalValue=Qté théorique LastPA=Dernier BP CurrentPA=BP actuel RecordedQty=Qté enregistrée @@ -246,7 +246,7 @@ StockAtDatePastDesc=Vous pouvez voir ici le stock (stock réel) à une date donn StockAtDateFutureDesc=Vous pouvez voir ici le stock (stock virtuel) à une date donnée dans le futur CurrentStock=Stock actuel InventoryRealQtyHelp=Définissez la valeur sur 0 pour réinitialiser la quantité
      Gardez le champ vide ou supprimez la ligne pour qu'elle reste inchangé -UpdateByScaning=Complétez la quantité réelle en scannant +UpdateByScaning=Compléter la qté réelle en scannant UpdateByScaningProductBarcode=Mettre à jour par scan (code-barres produit) UpdateByScaningLot=Mise à jour par scan (code barres lot/série) DisableStockChangeOfSubProduct=Désactiver le changement de stock pour tous les sous-produits de ce Kit lors de ce mouvement. @@ -282,7 +282,7 @@ ModuleStockTransferName=Transfert de Stock Avancé ModuleStockTransferDesc=Gestion avancée des transferts de stock, avec génération de feuille de transfert StockTransferNew=Nouveau transfert de stock StockTransferList=Liste des transferts de stock -ConfirmValidateStockTransfer=Êtes-vous sûr de vouloir valider ce transfert de stocks avec la référence %s ? +ConfirmValidateStockTransfer=Êtes-vous sûr de vouloir valider ce transfert de stocks avec la référence %s ? ConfirmDestock=Diminution des stocks avec transfert %s ConfirmDestockCancel=Annuler la diminution des stocks avec transfert %s DestockAllProduct=Diminution des stocks @@ -310,7 +310,7 @@ StockTransferIncrementationCancel=Annuler l'augmentation des entrepôts de desti StockStransferDecremented=Les entrepôts sources ont diminué StockStransferDecrementedCancel=Diminution des entrepôts sources annulée StockStransferIncremented=Fermé - Stocks transférés -StockStransferIncrementedShort=Stocks transférées +StockStransferIncrementedShort=Stocks transférés StockStransferIncrementedShortCancel=Augmentation des entrepôts de destination annulée StockTransferNoBatchForProduct=Le produit %s n'utilise pas le lot, effacez le lot et réessayez StockTransferSetup = Configuration du module de Transfert de stocks avancé @@ -323,7 +323,7 @@ BatchNotFound=Lot/série introuvable pour ce produit StockEntryDate=Date d'
      entrée en stock StockMovementWillBeRecorded=Les mouvements de stock seront enregistrés StockMovementNotYetRecorded=Le mouvement des stocks ne sera pas affecté par cette étape - +ReverseConfirmed=Les mouvements des stocks ont été inversés avec succès WarningThisWIllAlsoDeleteStock=Attention, cela détruira également toutes les quantités en stock dans l'entrepôt ValidateInventory=Validation de l'inventaire @@ -332,6 +332,6 @@ IncludeSubWarehouseExplanation=Cochez cette case si vous souhaitez inclure tous DeleteBatch=Supprimer le lot/série ConfirmDeleteBatch=Voulez-vous vraiment supprimer le lot/série ? WarehouseUsage=Utilisation de entrepôt -InternalWarehouse=entrepôt interne -ExternalWarehouse=entrepôt externe - +InternalWarehouse=Entrepôt interne +ExternalWarehouse=Entrepôt externe +WarningThisWIllAlsoDeleteStock=Attention, cela détruira également toutes les quantités en stock dans l'entrepôt diff --git a/htdocs/langs/fr_FR/stripe.lang b/htdocs/langs/fr_FR/stripe.lang index c07adf5a464..e113ce9cd78 100644 --- a/htdocs/langs/fr_FR/stripe.lang +++ b/htdocs/langs/fr_FR/stripe.lang @@ -71,9 +71,10 @@ ToOfferALinkForTestWebhook=Lien pour la configuration de Stripe WebHook pour app ToOfferALinkForLiveWebhook=Lien pour la configuration de Stripe WebHook pour appeler l'IPN (mode actif) PaymentWillBeRecordedForNextPeriod=Le paiement sera enregistré pour la prochaine période. ClickHereToTryAgain=Cliquez ici pour essayer à nouveau... -CreationOfPaymentModeMustBeDoneFromStripeInterface=En raison des règles strictes client s'identifier, la création d'une carte doit être effectuée depuis le back-office Stripe. Vous pouvez cliquer ici pour activer l'enregistrement Stripe client : %s +CreationOfPaymentModeMustBeDoneFromStripeInterface=En raison des règles d'Authentification Client Forte, la création d'une carte doit être effectuée à partir du backoffice de Stripe. Vous pouvez cliquer ici pour basculer sur la fiche client Stripe : %s STRIPE_CARD_PRESENT=Carte présente pour les terminaux Stripe TERMINAL_LOCATION=Localisation (adresse) pour les terminaux Stripe RequestDirectDebitWithStripe=Demander un prélèvement automatique avec Stripe +RequesCreditTransferWithStripe=Demander un transfert de crédit avec Stripe STRIPE_SEPA_DIRECT_DEBIT=Activer les paiements par débit direct avec Stripe StripeConnect_Mode=Mode Stripe Connect diff --git a/htdocs/langs/fr_FR/ticket.lang b/htdocs/langs/fr_FR/ticket.lang index 61638ef820a..d910042f8ca 100644 --- a/htdocs/langs/fr_FR/ticket.lang +++ b/htdocs/langs/fr_FR/ticket.lang @@ -105,10 +105,9 @@ TicketsEmailMustExistHelp=Pour accéder à l'interface publique et créer un nou TicketsShowProgression=Afficher la progression du ticket dans l'interface publique TicketsShowProgressionHelp=Activez cette option pour masquer la progression du ticket dans les pages de l'interface publique TicketCreateThirdPartyWithContactIfNotExist=Demandez le nom et le nom de l'entreprise pour les e-mails inconnus. -TicketCreateThirdPartyWithContactIfNotExistHelp=Vérifiez s'il existe un tiers ou un contact pour l'e-mail saisi. Sinon, demandez à un nom et un nom société pour créer un tiers avec contact. +TicketCreateThirdPartyWithContactIfNotExistHelp=Vérifiez s'il existe un tiers ou un contact pour l'e-mail saisi. Sinon, demandez un nom et un nom société pour créer un tiers avec contact. PublicInterface=Interface publique TicketUrlPublicInterfaceLabelAdmin=URL alternative pour l'interface publique -TicketUrlPublicInterfaceHelpAdmin=Il est possible de définir un alias vers le serveur et de rendre ainsi l'interface publique accessible avec une autre URL (le serveur doit agir comme un proxy sur cette nouvelle URL) TicketPublicInterfaceTextHomeLabelAdmin=Texte de bienvenue dans l'interface publique TicketPublicInterfaceTextHome=Vous pouvez créer un ticket ou consulter à partir d'un ID de ticket existant. TicketPublicInterfaceTextHomeHelpAdmin=Le texte défini ici apparaîtra sur la page d'accueil de l'interface publique. @@ -145,21 +144,21 @@ TicketsPublicNotificationNewMessage=Envoyer un ou des emails lorsqu’un nouveau TicketsPublicNotificationNewMessageHelp=Envoyer un (des) courriel(s) lorsqu’un nouveau message est ajouté à partir de l’interface publique (à l’utilisateur désigné ou au courriel de notification (mise à jour) et/ou au courriel de notification) TicketPublicNotificationNewMessageDefaultEmail=Emails de notifications à (mise à jour) TicketPublicNotificationNewMessageDefaultEmailHelp=Envoyez un email à cette adresse email pour chaque nouveau message de notifications si le ticket n'a pas d'utilisateur assigné ou si l'utilisateur n'a pas d'email connu. -TicketsAutoReadTicket=automatiquement marquez le ticket comme lire (lorsqu'il est créé à partir du back-office) -TicketsAutoReadTicketHelp=automatiquement marque le ticket comme lire lorsqu'il est créé à partir du back-office. Lorsque ticket est créé à partir de l'interface publique, ticket reste avec le état "Pas lire". +TicketsAutoReadTicket=Marquer automatiquement le ticket comme "Lu" (en cas de création depuis le back-office) +TicketsAutoReadTicketHelp=Les tickets créés depuis le back-office seront automatiquement marqués comme "Lu". Les tickets créés depuis l'interface publique seront créés au statut "Non lu". TicketsDelayBeforeFirstAnswer=Un nouveau ticket devrait recevoir une réponse avant (en heures) : TicketsDelayBeforeFirstAnswerHelp=Si un nouveau ticket n'a pas reçu de réponse dans le délai indiqué ici (en heures), une icône d'alerte est affiché dans la liste. TicketsDelayBetweenAnswers=Un ticket non résolu ne doit pas rester sans actions pendant (en heures) : TicketsDelayBetweenAnswersHelp=Si un ticket non résolu ayant un premire réponse n'a aucune autre modification apportée dans le délai indiqué ici (en heures), une icône d'alerte est affiché dans la liste. -TicketsAutoNotifyClose=automatiquement avertir le tiers lors de la fermeture d'un ticket -TicketsAutoNotifyCloseHelp=Lors de la fermeture d'un ticket, il vous sera proposé d'envoyer un message à l'un des contacts tiers. En cas de clôture massive, un message sera envoyé à un contact du tiers lié au ticket. +TicketsAutoNotifyClose=Avertir automatiquement le tiers lors de la fermeture d'un ticket +TicketsAutoNotifyCloseHelp=Lors de la clôture d'un ticket, il vous sera proposé d'envoyer un message à l'un des contacts du tiers. Lors de la fermeture massive, un message sera envoyé à un contact du tiers lié au ticket. TicketWrongContact=Le contact fourni ne fait pas partie des contacts actuels du ticket. E-mail non envoyé. TicketChooseProductCategory=Catégorie de produit pour les tickets TicketChooseProductCategoryHelp=Sélectionnez la catégorie de produit du support de ticket. Celui-ci sera utilisé pour lier automatiquement un contrat à un ticket. TicketUseCaptchaCode=Utiliser le code graphique (CAPTCHA) lors de la création d'un ticket TicketUseCaptchaCodeHelp=Ajoute la vérification CAPTCHA lors de la création d'un nouveau ticket. TicketsAllowClassificationModificationIfClosed=Autoriser la modification de la classification des tickets fermés -TicketsAllowClassificationModificationIfClosedHelp=Permet de modifier la classification (type, groupe ticket, gravité) même si les tickets sont fermés. +TicketsAllowClassificationModificationIfClosedHelp=Permet de modifier la classification (type, groupe de ticket, gravité) même si les tickets sont fermés. # # Index & list page @@ -313,7 +312,7 @@ TicketNewEmailBodyInfosTrackUrlCustomer=Vous pouvez voir la progression du ticke TicketCloseEmailBodyInfosTrackUrlCustomer=Vous pouvez consulter l'historique de ce ticket en cliquant sur le lien suivant TicketEmailPleaseDoNotReplyToThisEmail=Merci de ne pas répondre directement à ce courriel ! Utilisez le lien pour répondre via l'interface. TicketPublicInfoCreateTicket=Ce formulaire vous permet d'enregistrer un ticket dans notre système de gestion. -TicketPublicPleaseBeAccuratelyDescribe=Veuillez décrire avec précision votre demande. Fournissez le plus d’informations possible pour nous permettre d’identifier correctement votre demande. +TicketPublicPleaseBeAccuratelyDescribe=Veuillez décrire précisément votre question. Fournissez le plus d'informations possible pour nous permettre d'identifier correctement votre demande. TicketPublicMsgViewLogIn=Merci d'entrer le code de suivi du ticket TicketTrackId=ID de suivi publique OneOfTicketTrackId=Un de vos ID de suivi diff --git a/htdocs/langs/fr_FR/trips.lang b/htdocs/langs/fr_FR/trips.lang index 8613784c1fc..b57d8b5aa30 100644 --- a/htdocs/langs/fr_FR/trips.lang +++ b/htdocs/langs/fr_FR/trips.lang @@ -1,150 +1,152 @@ # Dolibarr language file - Source file is en_US - trips -ShowExpenseReport=Afficher la note de frais -Trips=Note de frais -TripsAndExpenses=Notes de frais -TripsAndExpensesStatistics=Statistiques notes de frais -TripCard=Fiche note de frais +AUTHOR=Enregistré par +AUTHORPAIEMENT=Payé par AddTrip=Créer note de frais -ListOfTrips=Liste des notes de frais -ListOfFees=Liste des notes de frais -TypeFees=Types de déplacement et notes de frais -ShowTrip=Afficher la note de frais -NewTrip=Nouvelle note de frais -LastExpenseReports=Les %s dernières notes de frais +AllExpenseReport=Tout type de note de frais AllExpenseReports=Toutes les notes de frais -CompanyVisited=Société/organisation visitée -FeesKilometersOrAmout=Montant ou kilomètres -DeleteTrip=Supprimer les notes de frais / déplacements -ConfirmDeleteTrip=Êtes-vous sûr de vouloir supprimer cette note de frais ? -ListTripsAndExpenses=Liste des notes de frais -ListToApprove=En attente d'approbation -ExpensesArea=Espace notes de frais +AnyOtherInThisListCanValidate=Personne à informer pour la validation de la demande. +AttachTheNewLineToTheDocument=Lier la ligne à un document téléversé +AucuneLigne=Aucune note de frais déclarée +BrouillonnerTrip=Passer le rapport de dépenses au statut "Brouillon" +byEX_DAY=par jour (limité à %s) +byEX_EXP=par ligne (limité à %s) +byEX_MON=par mois (limité à%s) +byEX_YEA=par an (limité à %s) +CANCEL_USER=Supprimé par +CarCategory=Catégorie de véhicule ClassifyRefunded=Classer 'Remboursé' +CompanyVisited=Société/organisation visitée +ConfirmBrouillonnerTrip=Êtes-vous sûr de vouloir changer le statut de cette note de frais en "Brouillon" ? +ConfirmCancelTrip=Êtes-vous sûr de vouloir annuler cette note de frais ? +ConfirmCloneExpenseReport=Êtes-vous sûr de vouloir cloner cette note de frais ? +ConfirmDeleteTrip=Êtes-vous sûr de vouloir supprimer cette note de frais ? +ConfirmPaidTrip=Êtes-vous sûr de vouloir changer le statut de cette note de frais en "Payé" ? +ConfirmRefuseTrip=Êtes-vous sûr de vouloir refuser cette note de frais ? +ConfirmSaveTrip=Êtes-vous sûr de vouloir valider cette note de frais ? +ConfirmValideTrip=Êtes-vous sûr de vouloir approuver cette note de frais ? +DATE_CANCEL=Date annulation +DATE_PAIEMENT=Date de paiement +DATE_REFUS=Date refus +DATE_SAVE=Date validation +DefaultCategoryCar=Mode de déplacement par défaut +DefaultRangeNumber=Numéro de plage par défaut +DeleteTrip=Supprimer les notes de frais / déplacements +ErrorDoubleDeclaration=Vous avez déclaré une autre note de frais dans une période similaire. +Error_EXPENSEREPORT_ADDON_NotDefined=Erreur, la règle pour la numérotation des notes de frais n'a pas été définie dans la configuration du module 'Notes de Frais' +ExpenseRangeOffset=Montant décalage: %s +expenseReportCatDisabled=Catégorie désactivée - Voir la dictionnaire c_exp_tax_cat dictionary +expenseReportCoef=Coefficient +expenseReportCoefUndefined=(valeur non définie) +expenseReportOffset=Décalage +expenseReportPrintExample=décalage + (d x coef) = %s +expenseReportRangeDisabled=Plage désactivée - voir le dictionnaire c_exp_tax_range +expenseReportRangeFromTo=de %d à %d +expenseReportRangeMoreThan=Plus de %d +expenseReportTotalForFive=Exemple avec d = 5 +ExpenseReportApplyTo=Appliquer à +ExpenseReportApproved=Une note de frais a été approuvée +ExpenseReportApprovedMessage=La note de frais %s a été approuvée.
      - Utilisateur : %s
      - Approuvée par : %s
      Cliquez ici pour afficher la note de frais %s +ExpenseReportCanceled=Une note de frais a été annulée +ExpenseReportCanceledMessage=La note de frais %s a été annulée.
      - Utilisateur : %s
      - Annulée par : %s
      - Motif de l'annulation :%s
      Cliquez ici pour afficher la note de frais %s +ExpenseReportConstraintViolationError=Montant max dépassé (règle %s) : %s est supérieur à %s (Dépassement interdit) +ExpenseReportConstraintViolationWarning=Montant max dépassé (règle %s) : %s est supérieur à %s (Dépassement autorisé) +ExpenseReportDateEnd=Date fin +ExpenseReportDateStart=Date début +ExpenseReportDomain=Nom de domaine à utiliser +ExpenseReportIkDesc=Vous pouvez modifier le calcul des indemnités kilométriques par catégories et gammes précédemment définies. d est la distance en kilomètres. +ExpenseReportLimitAmount=Montant maximum +ExpenseReportLimitOn=Limite sur +ExpenseReportLine=Ligne de note de frais +ExpenseReportPaid=Une note de frais a été réglée +ExpenseReportPaidMessage=La note de frais %s a été réglée.
      - Utilisateur : %s
      - Réglée par : %s
      Cliquez ici pour afficher la note de frais %s +ExpenseReportPayment=Paiement des notes de frais +ExpenseReportRef=Réf. note de frais +ExpenseReportRefused=Une note de frais a été refusée +ExpenseReportRefusedMessage=La note de frais %s a été refusée.
      - Utilisateur : %s
      - Refusée par : %s
      - Motif du refus : %s
      Cliquez ici pour afficher la note de frais: %s +ExpenseReportRestrictive=Dépassement non autorisé +ExpenseReportRuleErrorOnSave=Erreur: %s +ExpenseReportRuleSave=Règle de calcul enregistrée +ExpenseReportRulesDesc=Vous pouvez définir des règles de montant maximum pour les notes de frais. Ces règles seront vérifiées lorsqu'une nouvelle dépense est ajoutée à une note de frais ExpenseReportWaitingForApproval=Une nouvelle note de frais a été soumise pour approbation ExpenseReportWaitingForApprovalMessage=Une nouvelle note de frais a été soumise et attend d'être approuvée.
      - Utilisateur: %s
      - Période: %s
      Cliquez ici pour valider: %s ExpenseReportWaitingForReApproval=Une note de frais a été resoumise pour approbation ExpenseReportWaitingForReApprovalMessage=Une note de frais a été enregistrée et est en attente à nouveau d'approbation.
      Le %s, vous avez refusé d'approuver la note de frais pour la raison suivante: %s
      Une nouvelle version a été soumise et attend d'être approuvée.
      Utilisateur : %s
      - Période : %s
      Cliquez ici pour valider la note de frais %s -ExpenseReportApproved=Une note de frais a été approuvée -ExpenseReportApprovedMessage=La note de frais %s a été approuvée.
      - Utilisateur : %s
      - Approuvée par : %s
      Cliquez ici pour afficher la note de frais %s -ExpenseReportRefused=Une note de frais a été refusée -ExpenseReportRefusedMessage=La note de frais %s a été refusée.
      - Utilisateur : %s
      - Refusée par : %s
      - Motif du refus : %s
      Cliquez ici pour afficher la note de frais: %s -ExpenseReportCanceled=Une note de frais a été annulée -ExpenseReportCanceledMessage=La note de frais %s a été annulée.
      - Utilisateur : %s
      - Annulée par : %s
      - Motif de l'annulation :%s
      Cliquez ici pour afficher la note de frais %s -ExpenseReportPaid=Une note de frais a été réglée -ExpenseReportPaidMessage=La note de frais %s a été réglée.
      - Utilisateur : %s
      - Réglée par : %s
      Cliquez ici pour afficher la note de frais %s -TripId=Id note de frais -AnyOtherInThisListCanValidate=Personne à informer pour la validation de la demande. -TripSociete=Information société -TripNDF=Informations note de frais -PDFStandardExpenseReports=Modèle de note de frais PDF standard -ExpenseReportLine=Ligne de note de frais -TF_OTHER=Autre -TF_TRIP=Transport -TF_LUNCH=Repas -TF_METRO=Métro -TF_TRAIN=Train -TF_BUS=Bus -TF_CAR=Voiture -TF_PEAGE=Péage -TF_ESSENCE=Carburant -TF_HOTEL=Hôtel -TF_TAXI=Taxi -EX_KME=Frais kilométriques -EX_FUE=Carburant -EX_HOT=Hôtel -EX_PAR=Stationnement -EX_TOL=Péage -EX_TAX=Taxes diverses -EX_IND=Indemnité de transport -EX_SUM=Frais d'entretien -EX_SUO=Fournitures administratives -EX_CAR=Location de voiture -EX_DOC=Documentation -EX_CUR=Réception clients -EX_OTR=Autres réceptions -EX_POS=Frais d'expédition -EX_CAM=Entretien et réparation -EX_EMM=Frais de bouche -EX_GUM=Repas invités -EX_BRE=Petit déjeuner -EX_FUE_VP=Carburant -EX_TOL_VP=Péage -EX_PAR_VP=Stationnement -EX_CAM_VP=Entretien et réparation -DefaultCategoryCar=Mode de déplacement par défaut -DefaultRangeNumber=Numéro de plage par défaut -UploadANewFileNow=Téléverser un nouveau document maintenant -Error_EXPENSEREPORT_ADDON_NotDefined=Erreur, la règle pour la numérotation des notes de frais n'a pas été définie dans la configuration du module 'Notes de Frais' -ErrorDoubleDeclaration=Vous avez déclaré une autre note de frais dans une période similaire. -AucuneLigne=Aucune note de frais déclarée -ModePaiement=Mode de paiement -VALIDATOR=Utilisateur responsable de l'approbation -VALIDOR=Approuvé par -AUTHOR=Enregistré par -AUTHORPAIEMENT=Payé par -REFUSEUR=Refusé par -CANCEL_USER=Supprimé par -MOTIF_REFUS=Motif -MOTIF_CANCEL=Motif -DATE_REFUS=Date refus -DATE_SAVE=Date validation -DATE_CANCEL=Date annulation -DATE_PAIEMENT=Date de paiement -ExpenseReportRef=Réf. note de frais -ValidateAndSubmit=Valider et envoyer pour approbation -ValidatedWaitingApproval=Validé (en attente d'approbation) -NOT_AUTHOR=Vous n'êtes pas l'auteur de cette note de frais. Opération annulé. -ConfirmRefuseTrip=Êtes-vous sûr de vouloir refuser cette note de frais ? -ValideTrip=Approuver note de frais -ConfirmValideTrip=Êtes-vous sûr de vouloir approuver cette note de frais ? -PaidTrip=Payer note de frais -ConfirmPaidTrip=Êtes-vous sûr de vouloir changer le statut de cette note de frais en "Payé" ? -ConfirmCancelTrip=Êtes-vous sûr de vouloir annuler cette note de frais ? -BrouillonnerTrip=Passer le rapport de dépenses au statut "Brouillon" -ConfirmBrouillonnerTrip=Êtes-vous sûr de vouloir changer le statut de cette note de frais en "Brouillon" ? -SaveTrip=Valider note de frais -ConfirmSaveTrip=Êtes-vous sûr de vouloir valider cette note de frais ? -NoTripsToExportCSV=Pas de note de frais à exporter dans cette période -ExpenseReportPayment=Paiement des notes de frais -ExpenseReportsToApprove=Notes de frais à approuver -ExpenseReportsToPay=Notes de frais à payer -ConfirmCloneExpenseReport=Êtes-vous sûr de vouloir cloner cette note de frais ? ExpenseReportsIk=Configuration des indemnités kilométriques ExpenseReportsRules=Règle de note de frais -ExpenseReportIkDesc=Vous pouvez modifier le calcul des indemnités kilométriques par catégories et gammes précédemment définies. d est la distance en kilomètres. -ExpenseReportRulesDesc=Vous pouvez définir des règles de montant maximum pour les notes de frais. Ces règles seront vérifiées lorsqu'une nouvelle dépense est ajoutée à une note de frais -expenseReportOffset=Décalage -expenseReportCoef=Coefficient -expenseReportTotalForFive=Exemple avec d = 5 -expenseReportRangeFromTo=de %d à %d -expenseReportRangeMoreThan=Plus de %d -expenseReportCoefUndefined=(valeur non définie) -expenseReportCatDisabled=Catégorie désactivée - Voir la dictionnaire c_exp_tax_cat dictionary -expenseReportRangeDisabled=Plage désactivée - voir le dictionay c_exp_tax_range -expenseReportPrintExample=décalage + (d x coef) = %s -ExpenseReportApplyTo=Appliquer à -ExpenseReportDomain=Nom de domaine à utiliser -ExpenseReportLimitOn=Limite sur -ExpenseReportDateStart=Date début -ExpenseReportDateEnd=Date fin -ExpenseReportLimitAmount=Montant maximum -ExpenseReportRestrictive=Dépassement non autorisé -AllExpenseReport=Tout type de note de frais -OnExpense=Ligne de dépense -ExpenseReportRuleSave=Règle de calcul enregistrée -ExpenseReportRuleErrorOnSave=Erreur: %s -RangeNum=Plage %d -ExpenseReportConstraintViolationError=Montant max dépassé (règle %s) : %s est supérieur à %s (Dépassement interdit) -byEX_DAY=par jour (limité à %s) -byEX_MON=par mois (limité à%s) -byEX_YEA=par an (limité à %s) -byEX_EXP=par ligne (limité à %s) -ExpenseReportConstraintViolationWarning=Montant max dépassé (règle %s) : %s est supérieur à %s (Dépassement autorisé) +ExpenseReportsToApprove=Notes de frais à approuver +ExpenseReportsToPay=Notes de frais à payer +ExpensesArea=Espace notes de frais +FeesKilometersOrAmout=Montant ou kilomètres +LastExpenseReports=Les %s dernières notes de frais +ListOfFees=Liste des notes de frais +ListOfTrips=Liste des notes de frais +ListToApprove=En attente d'approbation +ListTripsAndExpenses=Liste des notes de frais +MOTIF_CANCEL=Motif +MOTIF_REFUS=Motif +ModePaiement=Mode de paiement +NewTrip=Nouvelle note de frais nolimitbyEX_DAY=par jour (sans limite) +nolimitbyEX_EXP=par ligne (sans limite) nolimitbyEX_MON=par mois (sans limite) nolimitbyEX_YEA=par an (sans limite) -nolimitbyEX_EXP=par ligne (sans limite) -CarCategory=Catégorie de véhicule -ExpenseRangeOffset=Montant décalage: %s +NoTripsToExportCSV=Pas de note de frais à exporter dans cette période +NOT_AUTHOR=Vous n'êtes pas l'auteur de cette note de frais. Opération annulée. +OnExpense=Ligne de dépense +PDFStandardExpenseReports=Modèle de note de frais PDF standard +PaidTrip=Payer note de frais +REFUSEUR=Refusé par RangeIk=Barème kilométrique -AttachTheNewLineToTheDocument=Lier la ligne à un document téléversé +RangeNum=Plage %d +SaveTrip=Valider note de frais +ShowExpenseReport=Afficher la note de frais +ShowTrip=Afficher la note de frais +TripCard=Fiche note de frais +TripId=Id note de frais +TripNDF=Information note de frais +TripSociete=Information société +Trips=Note de frais +TripsAndExpenses=Notes de frais +TripsAndExpensesStatistics=Statistiques notes de frais +TypeFees=Types de déplacement et notes de frais +UploadANewFileNow=Téléverser un nouveau document maintenant +VALIDATOR=Utilisateur responsable de l'approbation +VALIDOR=Approuvé par +ValidateAndSubmit=Valider et envoyer pour approbation +ValidatedWaitingApproval=Validé (en attente d'approbation) +ValideTrip=Approuver note de frais + +## Dictionary +EX_BRE=Petit déjeuner +EX_CAM=Entretien et réparation +EX_CAM_VP=Entretien et réparation +EX_CAR=Location de voiture +EX_CUR=Réception clients +EX_DOC=Documentation +EX_EMM=Frais de bouche +EX_FUE=Carburant +EX_FUE_VP=Carburant +EX_GUM=Repas invités +EX_HOT=Hôtel +EX_IND=Indemnité de transport +EX_KME=Frais kilométriques +EX_OTR=Autres réceptions +EX_PAR=Stationnement +EX_PAR_VP=Stationnement +EX_POS=Frais d'expédition +EX_SUM=Frais d'entretien +EX_SUO=Fournitures administratives +EX_TAX=Taxes diverses +EX_TOL=Péage +EX_TOL_VP=Péage +TF_BUS=Bus +TF_CAR=Voiture +TF_ESSENCE=Carburant +TF_HOTEL=Hôtel +TF_LUNCH=Repas +TF_METRO=Métro +TF_OTHER=Autre +TF_PEAGE=Péage +TF_TAXI=Taxi +TF_TRAIN=Train +TF_TRIP=Transport diff --git a/htdocs/langs/fr_FR/users.lang b/htdocs/langs/fr_FR/users.lang index 9ea0615a448..b2821cf3c57 100644 --- a/htdocs/langs/fr_FR/users.lang +++ b/htdocs/langs/fr_FR/users.lang @@ -33,7 +33,7 @@ LoginNotDefined=L'identifiant n'est pas défini. NameNotDefined=Le nom n'est pas défini. ListOfUsers=Liste des utilisateurs SuperAdministrator=Administrateur multi-sociétés -SuperAdministratorDesc=Administrateur système multisociété (peut modifier la configuration des et utilisateurs) +SuperAdministratorDesc=Administrateur système multi-société (peut modifier la configuration et les utilisateurs) DefaultRights=Permissions par défaut DefaultRightsDesc=Définissez ici les permissions par défaut, c'est-à-dire les permissions qui seront attribuées automatiquement à un nouvel utilisateur lors de sa création (Voir la fiche utilisateur pour changer les permissions d'un utilisateur existant). DolibarrUsers=Utilisateurs Dolibarr @@ -109,9 +109,9 @@ ExpectedWorkedHours=Heures de travail prévues par semaine ColorUser=Couleur de l'utilisateur DisabledInMonoUserMode=Désactivé en mode maintenance UserAccountancyCode=Code comptable de l'utilisateur -UserLogoff=utilisateur déconnexion : %s -UserLogged=utilisateur enregistré : %s -UserLoginFailed=utilisateur échec de connexion : %s +UserLogoff=Déconnexion de l'utilisateur : %s +UserLogged=Utilisateur connecté : %s +UserLoginFailed=Échec de la connexion utilisateur : %s DateOfEmployment=Date d'embauche DateEmployment=Emploi DateEmploymentStart=Date d'embauche @@ -132,4 +132,5 @@ ShowAllPerms=Afficher toutes les lignes d'autorisation HideAllPerms=Masquer toutes les lignes d'autorisation UserPublicPageDesc=Vous pouvez activer une carte virtuelle pour cet utilisateur. Une URL avec le profil utilisateur et un code barre sera disponible pour permettre à quiconque muni d'un smartphone de le scanner et d'ajouter le contact à son carnet d'adresse. EnablePublicVirtualCard=Activer la carte de visite virtuelle de l'utilisateur -UserEnabledDisabled=utilisateur état modifié : %s +UserEnabledDisabled=État de l'utilisateur modifié : %s +AlternativeEmailForOAuth2=E-mail alternatif pour la connexion OAuth2 diff --git a/htdocs/langs/fr_FR/website.lang b/htdocs/langs/fr_FR/website.lang index b90520365d9..73460bb67fe 100644 --- a/htdocs/langs/fr_FR/website.lang +++ b/htdocs/langs/fr_FR/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Noms de page / alias alternatifs WEBSITE_ALIASALTDesc=Utilisez ici la liste des autres noms / alias afin que la page soit également accessible en utilisant ces autres noms / alias (par exemple l'ancien nom après avoir renommé l'alias pour garder opérationnel les backlinks sur l'ancien lien). La syntaxe est:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=URL du fichier de la feuille de style (CSS) externe WEBSITE_CSS_INLINE=Contenu du fichier CSS (commun à toute les pages) -WEBSITE_JS_INLINE=Contenu du fichier Javascript (commun à toutes les pages) +WEBSITE_JS_INLINE=Contenu du fichier JavaScript (commun à toutes les pages) WEBSITE_HTML_HEADER=Ajout en bas de l'en-tête HTML (commun à toutes les pages) WEBSITE_ROBOT=Fichier robot (robots.txt) WEBSITE_HTACCESS=Fichier .htaccess du site web @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=Remarque: Si vous souhaitez définir un en-tête MediaFiles=Répertoire de médias EditCss=Propriétés du site web EditMenu=Modifier menu -EditMedias=Editer médias +EditMedias=Éditer média EditPageMeta=Propriétés page/container EditInLine=Editer en ligne AddWebsite=Ajouter site web @@ -60,10 +60,11 @@ NoPageYet=Pas de page pour l'instant YouCanCreatePageOrImportTemplate=Vous pouvez créer une nouvelle page ou importer un modèle de site Web complet. SyntaxHelp=Aide sur quelques astuces spécifiques de syntaxe YouCanEditHtmlSourceckeditor=Vous pouvez éditer le code source en activant l'éditeur HTML avec le bouton "Source". -YouCanEditHtmlSource=
      Vous pouvez inclure du code PHP dans cette source en utilisant les balises <?php ?>. Les variables globales suivantes sont disponibles: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Vous pouvez également inclure le contenu d'une autre page / conteneur avec la syntaxe suivante:
      <?php includeContainer ('alias_of_container_to_include'); ?>

      Vous pouvez créer une redirection vers une autre page / conteneur avec la syntaxe suivante (Remarque: ne pas afficher de contenu avant une redirection):
      <?php redirectToContainer ('alias_of_container_to_redirect_to'); ?>

      Pour ajouter un lien vers une autre page, utilisez la syntaxe:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      Pour inclure un lien pour télécharger un fichier stocké dans le répertoire des documents , utilisez l'encapsuleur document.php :
      Exemple, pour un fichier dans documents/ecm (besoin d'être loggué), la syntaxe est:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Pour un fichier dans des documents/medias (répertoire ouvert pour accès public), la syntaxe est:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      Pour un fichier partagé avec un lien de partage (accès ouvert en utilisant la clé de partage du fichier), la syntaxe est la suivante:
      <a href="/document.php?hashp=publicsharekeyoffile">

      Pour inclure une image stockée dans le répertoire documents, utilisez le wrapper viewimage.php :
      Exemple, pour une image dans des documents/medias (répertoire ouvert), la syntaxe est:
      <img src = "/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      Vous pouvez inclure du code PHP dans cette source en utilisant des balises <?php ?>. Les variables globales suivantes sont disponibles : $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Vous pouvez également inclure le contenu d'une autre page/conteneur avec la syntaxe suivante :
      <?php includeContainer('alias_of_container_to_include'); ?>

      Vous pouvez créer une redirection vers une autre page/conteneur avec la syntaxe suivante (Remarque: ne pas afficher de contenu avant une redirection) :
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      Pour ajouter un lien vers une autre page, utilisez la syntaxe suivante :
      <a href="alias_of_page_to_link_to.php">mylink<a>

      Pour inclure un lien pour télécharger un fichier stocké dans le répertoire des documents, utilisez l'encapsuleur document.php :
      Exemple, pour un fichier dans documents/ecm (besoin d'être loggué), la syntaxe est :
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Pour un fichier dans documents/medias (répertoire ouvert en accès public), la syntaxe est :
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      Pour un fichier partagé avec un lien de partage (accès ouvert en utilisant la clé de partage du fichier), la syntaxe est la suivante :
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      Pour inclure une image stockée dans le répertoire documents, utilisez l'encapsuleurviewimage.php.
      Par exemple, pour une image dans documents/medias (répertoire ouvert en accès public), la syntaxe est :
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Pour une image partagée avec un lien de partage (accès ouvert à l'aide de la clé de partage du fichier), la syntaxe est la suivante:
      <img src = "/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      Plus d'exemples de code HTML ou dynamique disponible sur la documentation wiki
      . +YouCanEditHtmlSource3=Pour obtenir l'adresse URL de l'image d'un objet PHP, utilisez
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      Plus d'exemples de code HTML ou dynamique disponibles sur la documentation wiki.
      ClonePage=Cloner la page/container CloneSite=Cloner le site SiteAdded=Site web ajouté @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Désolé, ce site est actuellement hors ligne. Me WEBSITE_USE_WEBSITE_ACCOUNTS=Activer la table des comptes du site Web WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Activer la table pour stocker les comptes de site Web (login / pass) pour chaque site web / tiers YouMustDefineTheHomePage=Vous devez d'abord définir la page d'accueil par défaut -OnlyEditionOfSourceForGrabbedContentFuture=Avertissement: La création d'une page Web en important une page Web externe est réservée aux utilisateurs expérimentés. Selon la complexité de la page source, le résultat de l'importation peut différer une fois importé de l'original. De même, si la page source utilise un style CSS en conflit ou un code JavaScript non compatible, cela peut casser l'apparence ou les fonctionnalités de l'éditeur de site Web lorsque vous travaillez sur cette page. Cette méthode est un moyen plus rapide de créer une nouvelle page, mais il est recommandé de créer votre nouvelle page à partir de rien ou à partir d’un modèle de page suggéré.
      Notez également que seule l’éditeur en ligne peut ne pas fonctionner correctement quand il est utilisé sur une page créée par aspiration. +OnlyEditionOfSourceForGrabbedContentFuture=Avertissement : La création d'une page Web en important une page Web externe est réservée aux utilisateurs expérimentés. Selon la complexité de la page source, le résultat de l'importation peut différer de l'original. De même, si la page source utilise un style CSS en conflit ou un code JavaScript non compatible, cela peut altérer l'apparence ou les fonctionnalités de l'éditeur de site Web lorsque vous travaillez sur cette page. Cette méthode est un moyen plus rapide de créer une nouvelle page, mais il est recommandé de créer votre nouvelle page à partir de zéro ou à partir d’un modèle de page suggéré.
      Notez également que l’éditeur en ligne peut ne pas fonctionner correctement quand il est utilisé sur une page créée par aspiration. OnlyEditionOfSourceForGrabbedContent=Seule l'édition de source HTML est possible lorsque le contenu a été aspiré depuis un site externe GrabImagesInto=Aspirer aussi les images trouvées dans les css et la page. ImagesShouldBeSavedInto=Les images doivent être sauvegardées dans le répertoire @@ -112,13 +113,13 @@ GoTo=Aller à DynamicPHPCodeContainsAForbiddenInstruction=Vous ajoutez du code PHP dynamique contenant l'instruction PHP '%s ' qui est interdite par défaut en tant que contenu dynamique (voir les options masquées WEBSITE_PHP_ALLOW_xxx pour augmenter la liste des commandes autorisées). NotAllowedToAddDynamicContent=Vous n'êtes pas autorisé à ajouter ou modifier du contenu dynamique PHP sur des sites Web. Demandez la permission ou conservez simplement le code dans les balises php non modifié. ReplaceWebsiteContent=Rechercher ou remplacer un contenu du site -DeleteAlsoJs=Supprimer également tous les fichiers javascript spécifiques à ce site? -DeleteAlsoMedias=Supprimer également tous les fichiers médias spécifiques à ce site? +DeleteAlsoJs=Supprimer également tous les fichiers JavaScript spécifiques à ce site ? +DeleteAlsoMedias=Supprimer également tous les fichiers médias spécifiques à ce site ? MyWebsitePages=Mes pages de site web SearchReplaceInto=Rechercher | Remplacer dans ReplaceString=Nouvelle chaîne CSSContentTooltipHelp=Entrez ici le contenu CSS. Pour éviter tout conflit avec le CSS de l'application, veillez à ajouter toutes les déclarations avec la classe .bodywebsite. Par exemple:

      #mycssselector, input.myclass: survol {...}
      doit être
      .bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}

      Remarque: Si vous avez un fichier volumineux sans ce préfixe, vous pouvez utiliser 'lessc' pour le convertir afin d'ajouter le préfixe .bodywebsite partout. -LinkAndScriptsHereAreNotLoadedInEditor=Avertissement: Ce contenu est affiché uniquement lorsque le site est accéder depuis un serveur. Il n'est pas pris en compte en mode édition. Par conséquent, si vous devez charger des fichiers javascript également en mode édition, ajoutez simplement la balise 'script src=...' dans la page. +LinkAndScriptsHereAreNotLoadedInEditor=Avertissement : Ce contenu n'est affiché que lorsque le site est consulté à partir d'un serveur. Il n'est pas utilisé en mode édition. Si vous devez charger des fichiers JavaScript en mode édition, ajoutez simplement la balise 'script src=...' dans la page. Dynamiccontent=Exemple de page à contenu dynamique ImportSite=Importer modèle de site web EditInLineOnOff=Mode 'Modifier en ligne' est %s diff --git a/htdocs/langs/fr_FR/withdrawals.lang b/htdocs/langs/fr_FR/withdrawals.lang index 9a99f5eb132..70a8107bec3 100644 --- a/htdocs/langs/fr_FR/withdrawals.lang +++ b/htdocs/langs/fr_FR/withdrawals.lang @@ -47,9 +47,9 @@ MakeBankTransferOrder=Faire une demande de virement WithdrawRequestsDone=%s demandes de prélèvements enregistrées BankTransferRequestsDone=%s demandes de prélèvements enregistrées ThirdPartyBankCode=Code banque du tiers -NoInvoiceCouldBeWithdrawed=Aucun facture n'a été traité avec succès. Vérifiez que les factures sont sur les entreprises avec un IBAN valide et que l'IBAN a une UMR (Unique Mandate Reference) avec le mode %s. -NoInvoiceCouldBeWithdrawedSupplier=Aucun facture n'a été traité avec succès. Vérifiez que les factures appartiennent à des entreprises disposant d'un IBAN valide. -NoSalariesCouldBeWithdrawed=Aucun salaire n'a été traité avec succès. Vérifiez que les salaire appartiennent à des utilisateurs disposant d'un IBAN valide. +NoInvoiceCouldBeWithdrawed=Aucune facture traitée avec succès. Vérifiez que les factures sont sur les sociétés avec un IBAN par défaut valide et que l'IBAN a un RUM (Référence Unique de Mandat) avec le mode %s . +NoInvoiceCouldBeWithdrawedSupplier=Aucune facture n'a été traité avec succès. Vérifiez que les factures appartiennent à des entreprises disposant d'un IBAN valide. +NoSalariesCouldBeWithdrawed=Aucun salaire n'a été traité avec succès. Vérifiez que les salaires appartiennent à des utilisateurs disposant d'un IBAN valide. WithdrawalCantBeCreditedTwice=Le virement est déjà marqué comme étant crédité ; cela ne peut pas être fait deux fois, cela créerait potentiellement des paiements et des saisies bancaires en double. ClassCredited=Classer crédité ClassDebited=Classer Débité @@ -66,8 +66,9 @@ WithdrawalRefusedConfirm=Êtes-vous sûr de vouloir saisir un rejet de prélève RefusedData=Date du rejet RefusedReason=Motif du rejet RefusedInvoicing=Facturation du rejet -NoInvoiceRefused=Ne pas facturer le rejet -InvoiceRefused=Facture refusée (Charges de rejet imputable au client) +NoInvoiceRefused=Ne pas facturer le refus au client +InvoiceRefused=Facturer le refus au client +DirectDebitRefusedInvoicingDesc=Mettre un indicateur pour signaler que ce refus doit être facturé au client StatusDebitCredit=Statut Débit/Crédit StatusWaiting=En attente StatusTrans=Transmise @@ -166,7 +167,7 @@ WarningSomeCreditTransferAlreadyExists=Attention : Il y a déjà des virements UsedFor=Utilisé pour %s Societe_ribSigned=Mandat SEPA Signé NbOfInvoiceToPayByBankTransferForSalaries=Nombre de salaires qualifiés en attente d'un paiement par virement bancaire -SalaryWaitingWithdraw=salaires en attente de paiement par virement bancaire +SalaryWaitingWithdraw=Salaires en attente de paiement par virement bancaire RefSalary=Salaire NoSalaryInvoiceToWithdraw=Aucun salaire n'attend un '%s'. Allez sur l'onglet '%s' sur la fiche salaire pour faire une demande. SalaryInvoiceWaitingWithdraw=Salaires en attente de paiement par virement bancaire diff --git a/htdocs/langs/fr_FR/workflow.lang b/htdocs/langs/fr_FR/workflow.lang index be7702ac638..3112b83df20 100644 --- a/htdocs/langs/fr_FR/workflow.lang +++ b/htdocs/langs/fr_FR/workflow.lang @@ -9,16 +9,16 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Créer une facture client automatiqueme descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Créer automatiquement une facture client à la cloture d'un commande (la facture sera du même montant que la commande) descWORKFLOW_TICKET_CREATE_INTERVENTION=Crée une intervention automatiquement à la création d'un ticket # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classer les propositions commerciales sources liées comme facturées lorsqu'une commande client est définie sur à facturée (et si le montant du commande est le même que le montant total de la proposition liée signée) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classer les propositions sources liées comme facturé lorsqu'une facture client est validée (et si le montant du facture est le même que le montant total de la proposition liée signée) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classer les ventes sources liées commande comme facturé lorsqu'une facture client est validée (et si le montant du facture est le même que le montant total de la commande liée) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classer les commandes client source liées comme facturées lorsqu'une facture client est définie sur payée (et si le montant du facture est le même que le montant total du de la commande liée) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classer la/les proposition(s) commerciale(s) source(s) facturée(s) au classement facturé de la commande (et si le montant de la commande est le même que le total des propositions liées) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classer la/les proposition(s) commerciale(s) source facturée(s) à la validation d'une facture client (et si le montant de la facture est le même que la somme des propositions liées) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classer la/les commande(s) client(s) source(s) liées à facturée(s) quand une facture client est validée (et si le montant de la facture est le même que le montant total des commandes liées). Si vous avez une facture validée pour n commandes, cela peut également classer toutes les commandes sur Facturée. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classer la/les commande(s) client(s) source(s) à Facturée quand une facture client est passée à Payé (et si le montant de la facture est identique à la somme des commandes sources). Si vous avez une facture définie facturée pour n commandes, cela peut aussi classer toutes les commandes sur Facturée. descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classer les commandes client source liées comme expédiées lorsqu'une expédition est validée (et si la quantité expédiée par toutes les expéditions est la même que dans le commande à mettre à jour) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classer la commande client source liée à expédiée lorsqu'une expédition est fermée (et si la quantité expédiée par toutes les expéditions est la même que dans la commande à mettre à jour) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classer la ou les proposition(s) commerciale(s) fournisseur sources facturées quand une facture fournisseur est validée (et si le montant de la facture est le même que le total des propositions sources liées) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classer la/les proposition(s) commerciale(s) fournisseur sources liées à Facturées quand une facture fournisseur est validée (et si le montant de la facture est le même que le total des propositions liées) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classer la ou les commande(s) fournisseur(s) de source(s) à facturée(s) lorsque la facture fournisseur est validée (et si le montant de la facture est le même que le montant total des commandes liées) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classer la/les commande(s) fournisseur(s) source(s) à Facturée(s) lorsque la facture fournisseur est validée (et si le montant de la facture est le même que le montant total des commandes liées) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classer le bon de commande source liée comme reçu lorsqu'une réception est validée (et si la quantité reçue par toutes les réceptions est la même que dans le bon de commande à mettre à jour) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classer le bon de commande source lié comme reçu lorsqu'une réception est clôturée (et si la quantité reçue par toutes les réceptions est la même que dans le bon de commande à mettre à jour) # Autoclassify shipment diff --git a/htdocs/langs/gl_ES/accountancy.lang b/htdocs/langs/gl_ES/accountancy.lang index 210a31a3970..db3a9d78823 100644 --- a/htdocs/langs/gl_ES/accountancy.lang +++ b/htdocs/langs/gl_ES/accountancy.lang @@ -38,7 +38,7 @@ DeleteCptCategory=Eliminar a conta contable do grupo ConfirmDeleteCptCategory=¿Está certo de querer eliminar esta conta contable do grupo de contas contables? JournalizationInLedgerStatus=Estado de diario AlreadyInGeneralLedger=Xa transferido a libros contables e libro maior -NotYetInGeneralLedger=Aínda non rexistrado en contas contables nin no Libro Maior +NotYetInGeneralLedger=Aínda non se transferiu aos diarios contables e ao libro maior GroupIsEmptyCheckSetup=O grupo está baleiro, comprobe a configuración da personalización de grupos contables DetailByAccount=Amosar detalles por conta DetailBy=Detalle por @@ -53,15 +53,13 @@ ExportAccountingSourceDocHelp=Con esta ferramenta, pode buscar e exportar os eve ExportAccountingSourceDocHelp2=Para exportar as súas revistas, use a entrada de menú %s - %s ExportAccountingProjectHelp=Especifique un proxecto se precisa un informe contable só para un proxecto específico. Os informes de gastos e pagamentos de préstamos non están incluídos nos informes do proxecto. ExportAccountancy=Exportar contabilidade -WarningDataDisappearsWhenDataIsExported=Aviso, esta listaxe contén só as entradas contables que aínda non foron exportadas (a data de exportación está baleira). Se quere incluír os asentos contables xa exportados para reexportalos, prema no botón anterior. +WarningDataDisappearsWhenDataIsExported=Aviso, este listaxet contén só as entradas contables que aínda non foron exportadas (Data de exportación está baleira). Se quere incluír os asentos contables xa exportados, prema no botón anterior. VueByAccountAccounting=Ver por conta contable VueBySubAccountAccounting=Ver pos subconta contable MainAccountForCustomersNotDefined=Conta contable principal (do Plan Contable) para clientes non definidos na configuración MainAccountForSuppliersNotDefined=Conta contable principal (do Plan Contable) para provedores non definidos na configuración MainAccountForUsersNotDefined=Conta contable principal (do Plan Contable) para usuarios non definidos na configuración -MainAccountForRevenueStampSaleNotDefined=Conta (do Plan Contable) para o ingresos (vendas) non definida na configuración -MainAccountForRevenueStampPurchaseNotDefined=Conta (do Plan Contable) para ingresos (compras) non definida na configuración MainAccountForVatPaymentNotDefined=Conta (do Plan Contable) para o pagamento do IVE non definida na configuración MainAccountForSubscriptionPaymentNotDefined=Conta (do Plan Contable) para o pagamento da adhesión non definida na configuración MainAccountForRetainedWarrantyNotDefined=Conta (do Plan Contable) para a garantía conservada non definida na configuración @@ -77,6 +75,7 @@ AccountancyAreaDescJournalSetup=PASO %s: comprobe o contido da súa lista de pub AccountancyAreaDescChartModel=PASO %s: Crea un modelo do plan xeral contable dende o menú %s AccountancyAreaDescChart=PASO %s: Crear ou completar o contido do seu plan xeral contable dende o menú %s +AccountancyAreaDescFiscalPeriod=PASO %s: Defina un exercicio fiscal por defecto no que incluir os seus asentos contables. Para iso, use a entrada de menú %s. AccountancyAreaDescVat=PASO %s: Defina as contas contables para cada tasa de IVE. Para iso, use a entrada do menú %s. AccountancyAreaDescDefault=PASO %s: Defina as contas contables por defecto. Para iso, use a entrada do menú %s. AccountancyAreaDescExpenseReport=PASO %s: Defina contas contables predeterminadas para cada tipo de informe de gastos. Para iso, use a entrada do menú %s. @@ -91,12 +90,13 @@ AccountancyAreaDescProd=PASO %s: define as contas de contabilidade nos seus prod AccountancyAreaDescBind=PASO %s: Mire que as ligazóns entre as liñas %s existentes e as contas contables son correctos, para que a aplicación poda rexistrar as transaccións no Libro Maior nun só clic. Complete as ligazóns que falten. Para iso, utilice a entrada de menú %s. AccountancyAreaDescWriteRecords=PASO %s: Escribir as transaccións no Libro Maior. Para iso, entre no menú %s, e faga clic no botón %s. -AccountancyAreaDescAnalyze=PASO %s: Engadir ou editar transaccións existentes, xerar informes e exportacións. - -AccountancyAreaDescClosePeriod=PASO %s: Pechar periodo, polo que non poderá facer modificacións nun futuro. +AccountancyAreaDescAnalyze=PASO %s: ler informes ou xerar ficheiros de exportación para outras contanilidades. +AccountancyAreaDescClosePeriod=PASO %s: Pecha o período para que non poidamos transferir máis datos do mesmo período nun futuro. +TheFiscalPeriodIsNotDefined=Non se completou un paso obrigatorio na configuración (o período fiscal non está definido) TheJournalCodeIsNotDefinedOnSomeBankAccount=Non foi completado un paso obrigatorio na configuración (conta contable non definida en todas as contas bancarias) Selectchartofaccounts=Seleccione un plan contable activo +CurrentChartOfAccount=Plan contable activo actualmente ChangeAndLoad=Cambiar e cargar Addanaccount=Engadir unha conta contable AccountAccounting=Conta contable @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Permitir xestionar un número diferente de ceros ao final BANK_DISABLE_DIRECT_INPUT=Desactivar transaccións directas en conta bancaria ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Habilitar exportación de borradores al diario ACCOUNTANCY_COMBO_FOR_AUX=Activar a listaxe combinada para a conta subsidiaria (pode ser lento se ten moitos terceiros, rompe coa capacidade de buscar unha parte do valor) -ACCOUNTING_DATE_START_BINDING=Define unha data para comezar a ligar e transferir na contabilidade. Por debaixo desta data, as transaccións non se transferirán á contabilidade. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Na transferencia de contabilidade, cal é o período seleccionado por defecto +ACCOUNTING_DATE_START_BINDING=Desactiva a ligazón e a transferencia na contabilidade cando a data estea por debaixo desta data (as transaccións anteriores a esta data excluiranse por defecto) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Na páxina para transferir datos á contabilidade, cal é o período seleccionado por defecto ACCOUNTING_SELL_JOURNAL=Diario de vendas - vendas e devolucións ACCOUNTING_PURCHASE_JOURNAL=Diario de compras: compra e devolucións @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Diario social ACCOUNTING_RESULT_PROFIT=Conta contable de resultado (Beneficio) ACCOUNTING_RESULT_LOSS=Conta contable de resultado (Perdas) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Diario de peche +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Grupos contables utilizados para a conta do balance (separados por coma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Grupos contables utilizados para a conta de resultados (separados por coma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Conta (do Plan Contable) que se utilizará como conta para transaccións de transferencias bancarias TransitionalAccount=Conta de transferencia bancaria de transición @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=Se configura as contas contables dos tipos de inform DescVentilDoneExpenseReport=Consulte aquí as liñas de informes de gastos e as súas contas contables Closure=Peche anual -DescClosure=Consulte aquí o número de movementos por mes aínda non validados e bloqueados +AccountancyClosureStep1Desc=Consulte aquí o número de movementos por mes aínda non validados e bloqueados OverviewOfMovementsNotValidated=Visión xeral dos movementos non validados e bloqueados AllMovementsWereRecordedAsValidated=Todos os movementos rexistráronse como validados e bloqueados NotAllMovementsCouldBeRecordedAsValidated=Non se puideron rexistrar todos os movementos como validados e bloqueados @@ -341,7 +343,7 @@ AccountingJournalType3=Compras AccountingJournalType4=Banco AccountingJournalType5=Informes de gastos AccountingJournalType8=Inventario -AccountingJournalType9=Haber +AccountingJournalType9=Garantías retidas GenerationOfAccountingEntries=Xeración de asentos contables ErrorAccountingJournalIsAlreadyUse=Este diario xa está a ser utilizado AccountingAccountForSalesTaxAreDefinedInto=Nota: A conta contable do IVE nas vendas defínese no menú %s - %s @@ -355,6 +357,8 @@ ACCOUNTING_ENABLE_LETTERING_DESC=Cando esta opción está activada, pódese defi EnablingThisFeatureIsNotNecessary=Activar esta función xa non é preciso para unha xestión contable rigorosa. ACCOUNTING_ENABLE_AUTOLETTERING=Activa a marcación automática ao transferir á contabilidade ACCOUNTING_ENABLE_AUTOLETTERING_DESC=O código para as letras xérase e increméntase automaticamente e non o escolle o usuario final +ACCOUNTING_LETTERING_NBLETTERS=Número de letras ao xerar o código de letras (predeterminado 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Algúns programas de contabilidade só aceptan un código de dúas letras. Este parámetro permítelle configurar este aspecto. O número predeterminado de letras é tres. OptionsAdvanced=Opcións avanzadas ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activar a xestión da cota inversa do IVE nas compras a provedores ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Cando esta opción está activada, pode definir que un provedor ou unha determinada factura de provedor debe transferirse á contabilidade de forma diferente: xerarase un débito e unha liña de crédito adicional na contabilidade en 2 contas determinadas a partir do plan contable definido no "%s". " páxina de configuración. @@ -420,7 +424,7 @@ SaleLocal=Venda local SaleExport=Venda de exportación SaleEEC=Venda na CEE SaleEECWithVAT=Vendas na CEE con IVE non nulo, polo que supoñemos que isto non é unha venda intracomunitaria e a conta suxerida é a conta estandar de produto. -SaleEECWithoutVATNumber=Venda na CEE sen IVE pero non se define o número de identificación do IVE do terceiro. Voltamos á conta das vendas estándar. Pode corrixir o número de identificación de IVE do terceiro ou cambiar a conta do produto suxerida se é preciso. +SaleEECWithoutVATNumber=Venda na CEE sen IVE pero non se define onúmero de identificación do IVE do terceiro. Voltamos á conta das vendas estándar. Pode corrixir o número de identificación de IVE do terceiro ou cambiar a conta do produto suxerida para a ligazón se é preciso. ForbiddenTransactionAlreadyExported=Prohibido: a transacción foi validada e/ou exportada. ForbiddenTransactionAlreadyValidated=Prohibido: a transacción foi validada. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Non se modificou ningunha desconciliación AccountancyOneUnletteringModifiedSuccessfully=Unha desconciliación modificouse correctamente AccountancyUnletteringModifiedSuccessfully=%s desconciliación modificada correctamente +## Closure +AccountancyClosureStep1=Paso 1: validar e bloquear os movementos +AccountancyClosureStep2=Paso 2: Peche do período fiscal +AccountancyClosureStep3=Paso 3: extraer entradas (opcional) +AccountancyClosureClose=Pechar período fiscal +AccountancyClosureAccountingReversal=Extraeres e rexistrar as entradas de "Garantíass retidas". +AccountancyClosureStep3NewFiscalPeriod=Próximo período fiscal +AccountancyClosureGenerateClosureBookkeepingRecords=Xera as entradas de "Garantías retidas" no vindeiro período fiscal +AccountancyClosureSeparateAuxiliaryAccounts=Ao xerar as entradas de "Garantías retidas", detalle as contas do Libro Maior +AccountancyClosureCloseSuccessfully=O período fiscal pechouse con éxito +AccountancyClosureInsertAccountingReversalSuccessfully=Inseríronse correctamente as entradas de contabilidade para "Garantías retidas". + ## Confirm box ConfirmMassUnletteringAuto=Confirmación masiva de desconciliación automática ConfirmMassUnletteringManual=Confirmación masiva de desconciliación manual ConfirmMassUnletteringQuestion=Esta certo de querer anular a conciliación do(s) rexistro(s) seleccionado(s) %s? ConfirmMassDeleteBookkeepingWriting=Confirmación borrado masivo ConfirmMassDeleteBookkeepingWritingQuestion=Isto eliminará a transacción da contabilidade (eliminaranse todas as entradas de liña relacionadas coa mesma transacción). Está certo de querer eliminar as entradas seleccionadas %s? +AccountancyClosureConfirmClose=Está certo de querer pechar o período fiscal actual? Entendes que pechar o período fiscal é unha acción irreversible e que bloqueará permanentemente calquera modificación ou eliminación de entradas durante este período . +AccountancyClosureConfirmAccountingReversal=Está certo de querer rexistrar as entradas para as "Garantías retidas"? ## Error SomeMandatoryStepsOfSetupWereNotDone=Algúns pasos precisos da configuración non foron realizados, prégase completalos. -ErrorNoAccountingCategoryForThisCountry=Non hai grupos contables dispoñibles para %s (Vexa Inicio - Configuración - Diccionarios) +ErrorNoAccountingCategoryForThisCountry=Non hai ningún grupo de contas contables dispoñible para o país %s (Vexa %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Tenta facer un diario de algunhas liñas da factura %s, pero algunhas outras liñas aínda non están ligadas a contas contables. Rexeitase a contabilización de todas as liñas de factura desta factura. ErrorInvoiceContainsLinesNotYetBoundedShort=Algunhas liñas da factura non están ligadas a contas contables. ExportNotSupported=O formato de exportación configurado non é soportado nesta páxina @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=O saldo (%s) non é igual a 0 AccountancyErrorLetteringBookkeeping=Producíronse erros nas transaccións: %s ErrorAccountNumberAlreadyExists=O número contable %s xa existe ErrorArchiveAddFile=Non se pode poñer o ficheiro "%s" no arquivo +ErrorNoFiscalPeriodActiveFound=Non se atopou ningún período fiscal activo +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=A data do documento de contabilidade non está dentro do período fiscal activo +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=A data do documento de contabilidade está dentro dun período fiscal pechado ## Import ImportAccountingEntries=Entradas contables diff --git a/htdocs/langs/gl_ES/admin.lang b/htdocs/langs/gl_ES/admin.lang index f7cf9109a9b..5ce6198f9ff 100644 --- a/htdocs/langs/gl_ES/admin.lang +++ b/htdocs/langs/gl_ES/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Este módulo non parece compatible co seu Dolibarr %s (Min %s - Ma CompatibleAfterUpdate=Este módulo require unha actualización do seu Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=Ver na tenda SeeSetupOfModule=Ver a configuración do módulo %s +SeeSetupPage=Consulte a páxina de configuración en %s +SeeReportPage=Consulte a páxina do informes en %s SetOptionTo=Estableza a opción %s a %s Updated=Actualizado AchatTelechargement=Compra/Descarga @@ -292,10 +294,10 @@ EmailSenderProfiles=Perfís de remitentes de e-mails EMailsSenderProfileDesc=Pode gardar esta sección baleira. Se vostede introduce algúns enderezos de correo aquí, estes serán engadidos a listaxe de posibles emisores dentro da caixa cando escribe un novo enderezo. MAIN_MAIL_SMTP_PORT=Porto do servidor SMTP (Valor por defecto en php.ini: %s) MAIN_MAIL_SMTP_SERVER=Host SMTP/SMTPS (Valor por defecto en php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Porto SMTP/SMTPS (Non definido en PHP en sistemas de tipo Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Nome/ip servidor SMTP/SMTPS (Non definido en PHP en sistemas tipo Unix) -MAIN_MAIL_EMAIL_FROM=Correo electrónico do remitente para correos electrónicos automáticos (valor predeterminado en php.ini: %s ) -EMailHelpMsgSPFDKIM=Para evitar que os correos electrónicos de Dolibarr sexan clasificados como spam, asegúrese de que o servidor estea autorizado para enviar correos electrónicos desde este enderezo mediante a configuración SPF e DKIM +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Porto SMTP/SMTPS +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Host SMTP/SMTPS +MAIN_MAIL_EMAIL_FROM=Correo electrónico do remitente para correos electrónicos automáticos +EMailHelpMsgSPFDKIM=Para evitar que os correos electrónicos de Dolibarr sexan clasificados como spam, asegúrese de que o servidor estea autorizado para enviar correos electrónicos desde este enderezo (mediante a configuración SPF e DKIM do nome de dominio) MAIN_MAIL_ERRORS_TO=Correo electrónico utilizado enviar os correos electrónicos con erros (campos "Errors-To" nos correos electrónicos enviados) MAIN_MAIL_AUTOCOPY_TO= Enviar a copia oculta (Bcc) de todos os correos electrónicos enviados a MAIN_DISABLE_ALL_MAILS=Deshabilitar todo o envío de correo electrónico (para fins de proba ou demostracións) @@ -307,7 +309,7 @@ MAIN_MAIL_SMTPS_ID=ID de autentificación SMTP (se o servidor de envío require MAIN_MAIL_SMTPS_PW=Contrasinal SMTP (se o servidor de envío require autenticación) MAIN_MAIL_EMAIL_TLS=Usar cifrado TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Usar cifrado TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizar os certificados autosinados +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizar certificados autoasinados MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM para xerar sinatura de correo electrónico MAIN_MAIL_EMAIL_DKIM_DOMAIN=Dominio de correo electrónico para usar con DKIM MAIN_MAIL_EMAIL_DKIM_SELECTOR=Nome do selector DKIM @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Chave privada para a sinatura de DKIM MAIN_DISABLE_ALL_SMS=Desactivar todo o envío de SMS (para fins de proba ou demostracións) MAIN_SMS_SENDMODE=Método de envío de SMS MAIN_MAIL_SMS_FROM=Número de teléfono por defecto do remitente para os envíos SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Correo electrónico predeterminado do remitente para o envío manual (correo electrónico do usuario ou correo electrónico da Empresa) +MAIN_MAIL_DEFAULT_FROMTYPE=Correo electrónico predeterminado do remitente preseleccionado nos formularios para enviar correos electrónicos UserEmail=Correo electrónico de usuario CompanyEmail=Correo electrónico da empresa FeatureNotAvailableOnLinux=Funcionalidade non dispoñible en sistemas similares a Unix. Probe localmente o seu programa sendmail.. @@ -417,6 +419,7 @@ PDFLocaltax=Regras para %s HideLocalTaxOnPDF=Ocultar a taxa %s na columna de impostos do pdf HideDescOnPDF=Ocultar descrición dos produtos ao xerar os PDF HideRefOnPDF=Ocultar referencia dos produtos ao xerar os PDF +ShowProductBarcodeOnPDF=Amosa o número de código de barras dos produtos HideDetailsOnPDF=Ocultar detalles das liñas ao xerar os PDF PlaceCustomerAddressToIsoLocation=Usar posición estándar francesa (La Poste) para a posición do enderezo de cliente Library=Librería @@ -458,7 +461,7 @@ ComputedFormula=Campo combinado ComputedFormulaDesc=Pode introducir aquí unha fórmula usando outras propiedades do obxecto ou calquera codigo PHP para obter un valor dinámico calculado. Pode usar calquera fórmula compatible con PHP, incluíndo o "?" operador de condición e o seguinte obxecto global: $db, $conf, $langs, $mysoc, $user, $objectoffield .
      AVISO : Se precisa propiedades dun obxecto que non está cargado, só ten que buscar o obxecto na súa fórmula como no segundo exemplo.
      Usar un campo calculado significa que non pode introducir ningún valor desde a interface. Ademais, se hai un erro de sintaxe, a fórmula pode non devolver nada.

      Exemplo de fórmula:
      $objectoffield->id < 10 ? round($objectoffield-> id / 2, 2): ($objectoffield->id + 2 * $user->ocid, *$(user->ocid,) )

      Exemplo para recargar o obxecto
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield-->id)options'extraloadedobj0 ? ->capital / 5: '-1')

      Outro exemplo de fórmula para forzar a carga do obxecto e do seu obxecto pai:
      (($reloadedobj = new Task($db)) && ($reloadedNoobj) ->id) > 0) && ($secondloadedobj = novo proxecto ($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Non se atopou o proxecto principal' Computedpersistent=Almacenar campo combinado ComputedpersistentDesc=Os campos adicionais calculados gardaranse na base de datos, con todo, o valor só se recalculará cando se cambie o obxecto deste campo. Se o campo calculado depende doutros obxectos ou datos globais, este valor pode ser incorrecto. -ExtrafieldParamHelpPassword=Deixar este campo en branco significa que este valor gardarase sen cifrado (o campo estará oculto coa estrelas na pantalla).
      Estableza aquí o valor "auto" para usar a regra de cifrado predeterminada para gardar o contrasinal na base de datos (entón o valor lido será só o hash, non hai forma de recuperar o valor orixinal) +ExtrafieldParamHelpPassword=Deixando este campo en branco, significa que este valor almacenarase SEN cifrado (o campo estará oculto con estrelas na pantalla).

      Seleccionar valor 'dolcrypt' para codificar o valor cun algoritmo de cifrado reversible. Os datos eliminados aínda poden ser coñecidos e editados, pero están cifrados na base de datos.

      Introduza "auto" (ou 'md5¡, 'sha256', 'pasword_hash'...) para gardar o contrasinal cun hash non recuperable na base de datos (sen xeito de recuperar o valor orixinal) ExtrafieldParamHelpselect=A listaxe de parámetros ten que ser key,valor

      por exemplo:
      1,value1
      2,value2
      3,value3
      ...

      Para ter unha lista en funcion de campos adicionais de lista:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      Para ter unha lista en función doutra:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=A listaxe de parámetros debe ser ser liñas con formato key,value (onde key non pode ser '0')

      por exemplo:
      1,value1
      2,value2
      3,value3
      ... ExtrafieldParamHelpradio=A listaxe de parámetros tiene que ser key,valor (onde key non pode ser 0)

      por exemplo:
      1,value1
      2,value2
      3,value3
      ... @@ -582,7 +585,7 @@ Module54Desc=Xestión de contratos (servizos ou suscripcións recurrentes) Module55Name=Códigos de barras Module55Desc=Xestión de códigos de barras ou de código QR Module56Name=Pagamento por transferencia bancaria -Module56Desc=Xestión do pagamento de provedores mediante pedimentos de transferencia. Inclúe a xeración de ficheiros SEPA para países europeos. +Module56Desc=Xestión do pagamento de provedores ou salarios mediante ordes de Transferencia Bancarias. Inclúe a xeración do ficheiro SEPA para os países europeos. Module57Name=Domiciliacións bancarias Module57Desc=Xestión de domiciliacións. Tamén inclue xeración de ficheiro SEPA para países Europeos. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Enviar notificacións por e-mail desencadenados por algúns evento Module600Long=Teña conta que este módulo envía e-mails en tempo real cuando prodúcese un evento. Se está buscando unha función para enviar recordatorios por e-mail dos eventos da súa axenda, vaia á configuración do módulo Axenda. Module610Name=Variantes de produtos Module610Desc=Permite a creación de variantes de produtos (cor, talla, etc.) +Module650Name=Listas de materiais (BOM) +Module650Desc=Módulo para definir as súas Listas de Materiais (BOM). Pódese usar para a planificación de recursos de fabricación mediante o módulo Pedimentos de Fabricación (MO) +Module660Name=Planificación de Recursos de Fabricacion (MRP) +Module660Desc=Módulo para xestionar Pedimentos de Fabricación (MO) Module700Name=Doacións/Subvencións Module700Desc=Xestión de doacións/subvencións Module770Name=Informes de gastos @@ -650,8 +657,8 @@ Module2300Name=Tarefas programadas Module2300Desc=Xestión do traballo programado (alias cron ou chrono taboa) Module2400Name=Eventos/Axenda Module2400Desc=Siga os eventos ou citas. Deixe que Dolibarr rexistre eventos automáticos co fin de realizar seguimento ou rexistre eventos manuais ou xuntanzas. Este é o módulo principal para unha bona xestión de relacións cos clientes ou provedores. -Module2430Name=Calendario de reservas en liña -Module2430Desc=Proporciona un calendario en liña para que calquera persoa poida reservar citas, segundo intervalos ou dispoñibilidades predefinidos. +Module2430Name=Axenda de citas en liña +Module2430Desc=Ofrece un sistema de reserva de citas en liña. Isto permite que calquera persoa reserve unha cita, segundo intervalos ou dispoñibilidades predeterminados. Module2500Name=GED / SGD Module2500Desc=Sistema de Xestión de Documentos / Xestión Electrónica de Contidos. Organización automática dos seus documentos xerados o almacenados. Compárta cando o precise. Module2600Name=API/Servizos web (servidor SOAP) @@ -672,7 +679,7 @@ Module3300Desc=Unha RAD (Desenvolvemento Rápido de Aplicacións: código baixo Module3400Name=Redes sociais Module3400Desc=Active os campos das redes sociais en terceiros e enderezos (skype, twitter, facebook, ...). Module4000Name=RRHH -Module4000Desc=Departamento de Recursos Humanos (xestión do departamento, contratos de empregados) +Module4000Desc=Departamento de Recursos Humanos (xestión do departamento, contratos de traballadores, xestión de competencias e entrevista) Module5000Name=Multi-empresa Module5000Desc=Permite xestionar varias empresas Module6000Name=Fluxo de traballo entre módulos @@ -712,6 +719,8 @@ Module63000Desc=Xestionar recursos (impresoras, automóbiles, salas, ...) pode a Module66000Name=Xestión de tokens OAuth2 Module66000Desc=Proporciona unha ferramenta para xerar e xestionar tokens OAuth2. O token pode ser usado por outros módulos. Module94160Name=Recepcións +ModuleBookCalName=Sistema de calendario de reservas +ModuleBookCalDesc=Xestiona un calendario para reservar citas ##### Permissions ##### Permission11=Ler facturas a clientes (e pagamentos) Permission12=Crear/Modificar facturas de cliente @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Informe de gastos - Rango por categoría de transporte DictionaryTransportMode=Informe intracom - Modo de transporte DictionaryBatchStatus=Lote de produto/serie estado do Control de Calidade DictionaryAssetDisposalType=Tipo de disposición de bens +DictionaryInvoiceSubtype=Subtipos de factura TypeOfUnit=Tipo de unidade SetupSaved=Configuración gardada SetupNotSaved=Configuración non gardada @@ -1113,6 +1123,7 @@ VATIsUsedDesc=Por defecto cando son creados orzamentos, facturas, pedimentos, et VATIsNotUsedDesc=O tipo de IVE proposto por defecto é 0. Este é o caso de asociacións, particulares ou algunhas pequenas sociedades. VATIsUsedExampleFR=En Franza, tratase das sociedades ou organismos que escollen un réxime fiscal xeral (Xeral simplificado ou Xeral normal). Réxime no cal declarase o IVE. VATIsNotUsedExampleFR=En Franza, tratase de asociacións exentas de IVE ou sociedades, organismos ou profesións liberais que tñen escollido o réxime fiscal de módulos (IVE en franquicia), pagando un IVE en franquicia sen facer declaración de IVE. Esta escolla fai aparecer a anotación "IVE non aplicable - art-293B do CGI" nas facturas. +VATType=Tipo de IVE ##### Local Taxes ##### TypeOfSaleTaxes=Tipo de impostos de venda LTRate=Tipo @@ -1400,7 +1411,7 @@ PreloadOPCode=Pregarca de OPCode está activa AddRefInList=Amosar código de cliente/provedor nas listaxes combinadas.
      Os terceiros aparecerán cun formato de nome "CC12345 - SC45678 - The Big Company corp.", no lugar de "The Big Company corp". AddVatInList=Amosar o número de IVE do cliente/provedor en listaxes combinadas AddAdressInList=Amosar o enderezo do cliente/provedor nas listaxes combinadas.
      Os terceiros aparecerán cun formato de nome "The Big Company corp - 21 jump street 123456 Big town - USA ", no lugar de "The Big Company corp". -AddEmailPhoneTownInContactList=Amosar o correo electrónico de contacto (ou os teléfonos se non é definido) e a lista de información da cidade (seleccionar lista ou caixa de combinación)
      Os contactos aparecerán cun formato de nome "Dupond Durand-dupond.durand@email.com-Paris" ou "Dupond" Durand - 06 07 59 65 66 - París "en lugar de" Dupond Durand ". +AddEmailPhoneTownInContactList=Amosar o correo electrónico de contacto (ou teléfonos se non está definido) e lista de información da cidade (lista de selección ou caixa combinada)
      Os contactos aparecerán cun formato de nome "Dupond Durand - dupond.durand@example .com - París" ou "Dupond Durand - 06 07 59 65 66 - París" en lugar de "Dupond Durand". AskForPreferredShippingMethod=Consultar polo método preferido de envío a terceiros. FieldEdition=Edición do campo %s FillThisOnlyIfRequired=Exemplo: +2 (Complete só se rexistra unha desviación do tempo na exportación) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Non amosar a ligazón "Contrasinal esquecid UsersSetup=Configuración do módulo usuarios UserMailRequired=E-Mail preciso para crear un novo usuario UserHideInactive=Ocultar usuarios inactivos de todas as listas combinadas de usuarios (Non recomendado: isto pode significar que non poderá filtrar nin buscar usuarios antigos nalgunhas páxinas) +UserHideExternal=Ocultar usuarios externos (non ligados a un terceiro) de todas as listas combinadas de usuarios (Non recomendado: isto pode significar que non poderá filtrar nin buscar usuarios externos nalgunhas páxinas) +UserHideNonEmployee=Ocultar usuarios uque non son empregados de todas as listas combinadas de usuarios (Non recomendado: isto pode significar que non poderá filtrar nin buscar usuarios non empregados nalgunhas páxinas) UsersDocModules=Modelos de documentos para documentos xerados desde o rexistro do usuario GroupsDocModules=Modelos de documentos para documentos xerados desde un rexistro de grupo ##### HRM setup ##### @@ -1566,7 +1579,7 @@ LDAPMemberDn=DN dos membros LDAPMemberDnExample=DN completo (ex: ou=members,dc=society,dc=com) LDAPMemberObjectClassList=Listaxe de objectClass LDAPMemberObjectClassListExample=Listaxe de ObjectClass que definen os atributos dun rexistro (ex: top,inetOrgPerson o top,user para active directory) -LDAPMemberTypeDn=Tipos DN de membros de Dolibar +LDAPMemberTypeDn=Tipos DN de membros de Dolibarr LDAPMemberTypepDnExample=DN completo (ex: ou=memberstypes, dc=example, dc=com) LDAPMemberTypeObjectClassList=Listaxe de objectClass LDAPMemberTypeObjectClassListExample=Listaxe de ObjectClass que definen os atributos dun rexistro (ex: top,groupOfUniqueNames) @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Exemplo: número gid LDAPFieldUserid=Id usuario LDAPFieldUseridExample=Exemplo: uidnumber LDAPFieldHomedirectory=Directorio Inicio -LDAPFieldHomedirectoryExample=Exemplo : directorioinicio +LDAPFieldHomedirectoryExample=Exemplo: directorio de inicio LDAPFieldHomedirectoryprefix=Prefixo do directorio inicio LDAPSetupNotComplete=Configuración LDAP incompleta (a completar nas outras pestanas) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Administrador ou contrasinal non proporcionados. O acceso LDAP será anónimo e en modo só lectura. @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Texto libre nas notas de recepción ##### FCKeditor ##### AdvancedEditor=Editor avanzado ActivateFCKeditor=Activar editor avanzado para : -FCKeditorForNotePublic=WYSIWYG creación/edición do campo "notas públicas" de elementos -FCKeditorForNotePrivate=WYSIWYG creación/edición do campo notas privadas de elementos -FCKeditorForCompany=WYSIWYG creación/edición da descrición do campo de elementos (excepto produtos/servizos) -FCKeditorForProductDetails= Creación/edición WYSIWIG de descrición de produtos ou liñas para obxectos (liñas de orzamentos, pedimentos, facturas, etc...). +FCKeditorForNotePublic=WYSIWYG creación/edición do campo "notas públicas" de elementos +FCKeditorForNotePrivate=WYSIWYG creación/edición do campo "notas privadas" de elementos +FCKeditorForCompany=Creación/edición WYSIWYG do campo descrición dos elementos (excepto produtos/servizos) +FCKeditorForProductDetails=Creación/edición WYSIWYG de descrición de produtos ou liñas para obxectos (liñas de orzamentos, pedimentos, facturas, etc...). FCKeditorForProductDetails2=Aviso: non se recomenda usar esta opción para este caso porque pode crear problemas con caracteres especiais e formato de páxina ao crear ficheiros PDF. -FCKeditorForMailing= Creación/edición WYSIWIG dos E-Mails (Utilidades->E-Mailings) -FCKeditorForUserSignature=Creación/edición WYSIWIG da sinatura de usuarios -FCKeditorForMail=Creación/edición WYSIWIG de todos os e-mails ( excepto Utilidades->E-Mailings) -FCKeditorForTicket=Creación/edición WYSIWIG para tickets +FCKeditorForMailing= Creación/edición de WYSIWYG para correos electrónicos masivos (Ferramentas->Correo electrónico) +FCKeditorForUserSignature=Creación/edición WYSIWYG da sinatura do usuario +FCKeditorForMail=Creación/edición de WYSIWYG para todo o correo (excepto Ferramentas->Correo electrónico) +FCKeditorForTicket=Creación/edición de WYSIWYG para tickets ##### Stock ##### StockSetup=Configuración do módulo Almacéns IfYouUsePointOfSaleCheckModule=Se utiliza un módulo de Punto de Venda (módulo TPV por defecto ou otro módulo externo), esta configuración pode ser ignorada polo seu módulo de Punto de Venda. A maioría de módulos TPV están deseñados para crear inmediatamente unha factura e decrementar stocks calquera que sexan estas opcións. Por tanto, se vosteda precisa ou non decrementar stocks no rexistro dunha venda do seu punto de venda, controle tamén a configuración do seu módulo TPV. @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Conta predeterminada a usar para recibir pagos en efe CashDeskBankAccountForCheque=Conta predeterminada a usar para recibir pagos mediante cheque CashDeskBankAccountForCB=Conta predeterminada a usar para recibir pagos con tarxetas de crédito CashDeskBankAccountForSumup=Conta bancaria predeterminada a usar para recibir pagos por SumUp -CashDeskDoNotDecreaseStock=Desactivar a diminución de stock cando se realiza unha venda desde o punto de venda (se "non", a diminución destock faise por cada venda realizada desde TPV, independentemente da opción establecida no módulo Stock). +CashDeskDoNotDecreaseStock=Desactive a diminución de existencias cando se faga unha venda desde o punto de venda +CashDeskDoNotDecreaseStockHelp=Se é "non", a diminución de existencias realízase por cada venda realizada desde o TPV, independentemente da opción establecida no módulo Stock. CashDeskIdWareHouse=Forzar e restrinxir o almacén para que diminúa o stock StockDecreaseForPointOfSaleDisabled=Desactivado diminución de stock desde o punto de venda StockDecreaseForPointOfSaleDisabledbyBatch=A diminución de stock no TPV non é compatible coa xestión de módulos serie/lote (actualmente activa) polo que a diminución de stock está desactivada. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Resalte as liñas da táboa cando pasa o rato por rib HighlightLinesColor=Resaltar a cor da liña cando pasa o rato pasa (use 'ffffff' para non destacar) HighlightLinesChecked=Resaltar a cor da liña cando está marcada (use 'ffffff' para non destacar) UseBorderOnTable=Amosa os bordos esquerdo-dereito nas táboas +TableLineHeight=Altura da liña da taboa BtnActionColor=Cor do botón da acción TextBtnActionColor=Cor do texto do botón da acción TextTitleColor=Cor do texto do título da páxina @@ -1991,7 +2006,7 @@ EnterAnyCode=Este campo contén unha referencia para identificar a liña. Introd Enter0or1=Engada 0 ou 1 UnicodeCurrency=Introduza aquí entre chaves, listaxe do número de bytes que representan o símbolo de moeda. Por exemplo: por $, introduza [36] - para Brasil real R$ [82,36] - para €, introduza [8364] ColorFormat=A cor RGB está en formato HEX, por exemplo: FF0000 -PictoHelp=Nome da icona en formato:
      - imaxe.png para un ficheiro de imaxe no directorio do tema actual
      - imaxe.png@modul0 se o ficheiro está no directorio /img/ dun módulo
      - fa-xxx para un FontAwesome picto fa-xxx
      - fonwtawesome_xxx_fa_color_size para un picto FontAwesome fa-xxx (con prefixo, cor e tamaño definidos) +PictoHelp=Nome da icona no formato:
      - image.png para un ficheiro de imaxe no directorio de temas actual
      - image.png@module se o ficheiro está no directorio /img/ dun módulo
      - fa-xxx para un picto FontAwesome fa-xxx
      - fontawesome_xxx_fa_color_size para un picto FontAwesome fa-xxx (con prefixo, cor e tamaño definidos) PositionIntoComboList=Posición da liña nas listas combinadas SellTaxRate=Tipo do imposto sobre as vendas RecuperableOnly=Sí para o IVE "Non percibido pero recuperable" dedicado a algún estado de Franza. Manteña o valor en "Non" no resto dos casos. @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Non inclúa o contido da cabeceira do correo elect EmailCollectorHideMailHeadersHelp=Cando está activado, as cabeceiras de correo electrónico non se engaden ao final do contido do correo electrónico que se garda como evento da axenda. EmailCollectorConfirmCollectTitle=Confirmación de recepción por correo electrónico EmailCollectorConfirmCollect=Queres executar este colector agora? -EmailCollectorExampleToCollectTicketRequestsDesc=Recolle correos electrónicos que coincidan con algunhas regras e cree automaticamente un ticket (o ticket de módulo debe estar activado) coa información do correo electrónico. Pode usar este colector se proporciona algún soporte por correo electrónico, polo que a súa solicitude de entrada xerarase automaticamente. Activa tamén Collect_Responses para recoller as respostas do seu cliente directamente na vista de tickets (debe responder desde Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Recolle correos electrónicos que coincidan con algunhas regras e cree automaticamente un ticket (o ticket de módulo debe estar activado) coa información do correo electrónico. Pode usar este colector se proporciona algún soporte por correo electrónico, polo que a súa solicitude de entrada xerarase automaticamente. Active tamén Collect_Responses para recoller as respostas do seu cliente directamente na vista de tickets (debe responder desde Dolibarr). EmailCollectorExampleToCollectTicketRequests=Exemplo de recollida da solicitude de ticket (só a primeira mensaxe) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Analiza o directorio "Enviados" da súa caixa de correo para atopar correos electrónicos que se enviaron como resposta doutro correo electrónico directamente desde o seu software de correo electrónico e non desde Dolibarr. Se se atopa un correo electrónico deste tipo, o evento de resposta rexistrarase en Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Exemplo de recollida de respostas de correo electrónico enviadas desde un software de correo electrónico externo EmailCollectorExampleToCollectDolibarrAnswersDesc=Recolle todos os correos electrónicos que sexan unha resposta dun correo electrónico enviado desde a súa aplicación. Un evento (debe estar activado o módulo Axenda) coa resposta do correo electrónico rexistrarase no bo lugar. Por exemplo, se envía un orzamento, un pedimento unha factura ou unha mensaxe para un ticket por correo electrónico desde a aplicación e o destinatario responde ao seu correo electrónico, o sistema detectará automaticamente a resposta e engadirá ao seu ERP. EmailCollectorExampleToCollectDolibarrAnswers=Exemplo que recolle todas as mensaxes entrantes como respostas ás mensaxes enviadas desde Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Recolla correos electrónicos que coincidan con algunhas regras e cree automaticamente un cliente potencial (debe estar activado o modulo de Proxectos) coa información do correo electrónico. Pode usar este colector se quere seguir a súa pista usando o módulo Proxecto (1 cliente potencial = 1 proxecto), polo que os seus clientes potenciales xeraranse automaticamente. Se o colector Collect_Responses tamén está activado, cando envía un correo electrónico dos seus clientes potenciales, propostas ou calquera outro obxecto, tamén pode ver as respostas dos seus clientes ou socios directamente na aplicación.
      Nota: con este exemplo inicial, xérase o título do cliente potencial incluíndo o correo electrónico. Se o terceiro non se atopa na base de datos (novo cliente), o cliente potencial unirase ao terceiro co ID 1. +EmailCollectorExampleToCollectLeadsDesc=Recolla correos electrónicos que coincidan con algunhas regras e cree automaticamente un cliente potencial (debe estar activado o módulo de Proxectos) coas informacións do correo electrónico. Pode usar este colector se quere seguir a súa pista usando o módulo Proxecto (1 cliente potencial = 1 proxecto), polo que os seus clientes potenciales xeraranse automaticamente. Se o colector Collect_Responses tamén está activado, cando envía un correo electrónico dos seus clientes potenciales, orzamentos ou calquera outro obxecto, tamén pode ver as respostas dos seus clientes ou socios directamente na aplicación.
      Nota: con este exemplo inicial, xérase o título do cliente potencial incluíndo o correo electrónico. Se o terceiro non se atopa na base de datos (novo cliente), o cliente potencial unirase ao terceiro co ID 1. EmailCollectorExampleToCollectLeads=Exemplo de recollida de clientes potenciais EmailCollectorExampleToCollectJobCandidaturesDesc=Recoller correos electrónicos para solicitar ofertas de emprego (O módulo de contratación debe estar activado). Pode completar este recopilador se quere crear automaticamente unha candidatura para unha solicitude de emprego. Nota: Con este exemplo inicial, xérase o título da candidatura incluíndo o correo electrónico. EmailCollectorExampleToCollectJobCandidatures=Exemplo de recollida de candidaturas de emprego recibidas por correo electrónico @@ -2188,7 +2203,7 @@ Protanopia=Protanopia Deuteranopes=Deuteranopsia Tritanopes=Tritanopia ThisValueCanOverwrittenOnUserLevel=Este valor pode ser substituído por cada usuario desde a súa páxina de usuario-pestana '%s' -DefaultCustomerType=Tipo predeterminado de terceiros para o formulario de creación "Novo cliente" +DefaultCustomerType=Tipo de terceiros predeterminado para o formulario de creación de "Novo Cliente". ABankAccountMustBeDefinedOnPaymentModeSetup=Nota: a conta bancaria debe estar definida no módulo de cada modo de pago (Paypal, Stripe, ...) para que esta función funcione. RootCategoryForProductsToSell=Categoría raíz de produtos a vender RootCategoryForProductsToSellDesc=Se se define, só os produtos desta categoría ou subcategoría estarán dispoñibles no Punto de Venda @@ -2213,9 +2228,9 @@ InstanceUniqueID=ID única da instancia SmallerThan=Menor que LargerThan=Maior que IfTrackingIDFoundEventWillBeLinked=Teña conta que se se atopa no correo electrónico un ID de seguimento dun correo electrónico entrante é unha resposta dun correo electrónico xa recollido e ligado a un obxecto, o evento creado ligarase automaticamente co obxecto relacionado coñecido. -WithGMailYouCanCreateADedicatedPassword=Cunha conta de GMail, se habilitou a validación de 2 pasos, recoméndase crear un segundo contrasinal adicado para a aplicación no lugar de usar a súa propia contrasinal de conta de https://myaccount.google.com/. +WithGMailYouCanCreateADedicatedPassword=Cunha conta de Gmail, se activou a validación de 2 pasos, recoméndase crear un segundo contrasinal adicado para a aplicación en lugar de usar a súa propia contrasinal da conta de https://myaccount.google.com/. EmailCollectorTargetDir=Pode ser un comportamento desexado mover o correo electrónico a outra etiqueta/directorio cando se procesou con éxito. Simplemente configure o nome do directorio aquí para usar esta función (NON use caracteres especiais no nome). Teña conta que tamén debe usar unha conta de inicio de sesión de lectura/escritura. -EmailCollectorLoadThirdPartyHelp=Pode usar esta acción para empregar o contido do correo electrónico para atopar e cargar un terceiro existente na súa base de datos (a busca realizarase na propiedade definida entre 'id', 'name', 'name_alias', 'email'). O terceiro atopado (ou creado) empregarase para seguir as accións que o precisen.
      Por exemplo, se quere crear un terceiro cun nome extraído dunha cadea 'Nome: nome a procurar' presente no corpo, use o correo electrónico do remitente como correo electrónico, pode establecer o campo do parámetro así:
      'email= HEADER:^De:(.*);nome=EXTRACTO:BODY:Nome:\\s([^\\s]*);cliente=SET:2;'
      +EmailCollectorLoadThirdPartyHelp=Pode usar esta acción para empregar o contido do correo electrónico para atopar e cargar un terceiro existente na súa base de datos (a busca realizarase na propiedade definida entre 'id', 'name', 'name_alias', 'email'). O terceiro atopado (ou creado) empregarase para seguir as accións que o precisen.
      Por exemplo, se quere crear un terceiro cun nome extraído dunha cadea ' Nome: nome para atopar' presente no corpo, use o correo electrónico do remitente como correo electrónico, pode establecer o campo de parámetros así:
      'email=HEADER:^From:(. *);nome=EXTRACT:BODY:Nome:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Aviso: moitos servidores de correo electrónico (como Gmail) están a facer buscas de palabras completas cando buscan nunha cadea e non devolverán un resultado se a cadea só se atopa parcialmente nunha palabra. Por este motivo tamén, ao usar caracteres especiais nunha busca ignoraranse se non forman parte de palabras existentes.
      Para facer unha busca de exclusión dunha palabra (devolver o correo electrónico se non se atopa a palabra), pode usar o caracter ! antes da palabra (pode que non funcione nalgúns servidores de correo). EndPointFor=Punto final de %s:%s DeleteEmailCollector=Eliminar o receptor de correo electrónico @@ -2232,9 +2247,9 @@ EmailTemplate=Modelo para correo electrónico EMailsWillHaveMessageID=Os correos electrónicos terán unha etiqueta "Referencias" que coincide con esta sintaxe PDF_SHOW_PROJECT=Amosar proxecto no documento ShowProjectLabel=Etiqueta do proxecto -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Incluír o alias no nome de terceiros -THIRDPARTY_ALIAS=Nome do terceiro - Alias do terceiro -ALIAS_THIRDPARTY=Alias do terceiros- Nome do terceiro +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Inclúe o alias no nome de terceiros +THIRDPARTY_ALIAS=Nome de Terceiros: Alias de terceiros +ALIAS_THIRDPARTY=Alias de Terceiros: Nome de Terceiros PDFIn2Languages=Amosa etiquetas no PDF en dous idiomas diferentes (pode que esta opción non funcione nalgúns idiomas) PDF_USE_ALSO_LANGUAGE_CODE=Se desexa ter algúns textos no seu PDF duplicados en 2 idiomas diferentes no mesmo PDF xerado, debe configurar aquí este segundo idioma para que o PDF xerado conteña 2 idiomas diferentes na mesma páxina, o elixido ao xerar PDF e este (só algúns modelos PDF soportan isto). Mantéñase baleiro por un idioma por PDF. PDF_USE_A=Xera documentos PDF co formato PDF/A en lugar do formato PDF predeterminado @@ -2254,7 +2269,7 @@ YouMayFindSecurityAdviceHere=Pode atopar avisos de seguridade aquí ModuleActivatedMayExposeInformation=Esta extensión de PHP pode amosar datos sensibles. Se non a precisa, desactivea ModuleActivatedDoNotUseInProduction=Un módulo deseñado para desenvolvemento foi activado. Non o active nun entorno de produción. CombinationsSeparator=Caracter separador para combinación de produtos -SeeLinkToOnlineDocumentation=Ver ligazón á documentación en liña no menú superior con exemplos +SeeLinkToOnlineDocumentation=Vexa a ligazón á documentación en liña no menú superior para obter exemplos SHOW_SUBPRODUCT_REF_IN_PDF=Se se usa a función "%s" do módulo %s, amosa os detalles dos subprodutos dun kit en PDF. AskThisIDToYourBank=Póñase en contacto co seu banco para obter esta identificación AdvancedModeOnly=Permiso dispoñible só en modo de permisos avanzados @@ -2327,7 +2342,7 @@ WebhookSetup = Configuración de webhook Settings = Configuracións WebhookSetupPage = Páxina de configuración de webhook ShowQuickAddLink=Amosa un botón para engadir rapidamente un elemento no menú superior dereito - +ShowSearchAreaInTopMenu=Mostra a área de busca no menú superior HashForPing=Hash usado para facer ping ReadOnlyMode=É unha instancia en modo "Só lectura". DEBUGBAR_USE_LOG_FILE=Use o ficheiro dolibarr.log para capturar rexistros @@ -2376,13 +2391,14 @@ EditableWhenDraftOnly=Se non está marcado, o valor só se pode modificar cando CssOnEdit=CSS nas páxinas de edición CssOnView=CSS nas páxinas de visualización CssOnList=CSS nas listaxes -HelpCssOnEditDesc=O CSS utilizado ao editar o campo.
      Exemplo: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnEditDesc=O CSS utilizado ao editar o campo.
      Exemplo: "minwidth100 maxwidth500 widthcentpercentminusx" HelpCssOnViewDesc=O CSS usado ao ver o campo. HelpCssOnListDesc=O CSS usado cando o campo está dentro dunha táboa de listaxe.
      Exemplo: "tdoverflowmax200" RECEPTION_PDF_HIDE_ORDERED=Ocultar a cantidade solicitada nos documentos xerados para recepcións MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Mostra o prezo nos documentos xerados para recepcións WarningDisabled=Aviso desactivado LimitsAndMitigation=Límites de acceso e mitigación +RecommendMitigationOnURL=Recoméndase activar a mitigación no URL crítico. Esta é a lista de regras de fail2ban que pode usar para os principais URL importantes. DesktopsOnly=Só escritorios DesktopsAndSmartphones=Escritorios e smartphones AllowOnlineSign=Permitir a sinatura en liña @@ -2403,6 +2419,24 @@ Defaultfortype=Por defecto DefaultForTypeDesc=Padrón usado por defecto ao crear un novo correo electrónico para o tipo de padrón OptionXShouldBeEnabledInModuleY=A opción " %s " debe estar habilitada no módulo %s OptionXIsCorrectlyEnabledInModuleY=A opción " %s " está habilitada no módulo %s +AllowOnLineSign=Permitir a sinatura en liña AtBottomOfPage=Na parte inferior da páxina FailedAuth=autenticacións fallidas MaxNumberOfFailedAuth=Número máximo de autenticación fallida en 24 horas para denegar o inicio de sesión. +AllowPasswordResetBySendingANewPassByEmail=Se un usuario A ten este permiso, e aínda que o usuario A non sexa un usuario "administrador", A ten permiso para restablecer o contrasinal de calquera outro usuario B, o novo contrasinal enviarase ao correo electrónico do outro usuario B pero non será visible para A. Se o usuario A ten a marca "administrador", tamén poderá saber cal é o novo contrasinal xerado de B para poder facerse co control da conta de usuario B. +AllowAnyPrivileges=Se un usuario A ten este permiso, pode crear un usuario B con todos os privilexios e logo usar este usuario B ou concederse calquera outro grupo con calquera permiso. Polo tanto, significa que o usuario A posúe todos os privilexios comerciais (só se prohibirá o acceso do sistema ás páxinas de configuración) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Este valor pódese ler porque a súa instancia non está definida no modo de produción +SeeConfFile=Revise o ficheiro conf.php no servidor +ReEncryptDesc=Volte a cifrar os datos se aínda non están cifrados +PasswordFieldEncrypted=%s novo rexistro se cifra este campo +ExtrafieldsDeleted=Os campos extra %s foron eliminados +LargeModern=Longo - Moderno +SpecialCharActivation=Activa o botón para abrir un teclado virtual e introducir caracteres especiais +DeleteExtrafield=Eliminar campo extra +ConfirmDeleteExtrafield=Confirma a eliminación do campo %s? Todos os datos gardados neste campo eliminaranse definitivamente +ExtraFieldsSupplierInvoicesRec=Campos adicionais (padróns de facturas) +ExtraFieldsSupplierInvoicesLinesRec=Atributos complementarios (padróns de liñas de factura) +ParametersForTestEnvironment=Parámetros para a proba de entorno +TryToKeepOnly=Tente manter só %s +RecommendedForProduction=Recomendado para Produción +RecommendedForDebug=Recomendado para Depurar diff --git a/htdocs/langs/gl_ES/agenda.lang b/htdocs/langs/gl_ES/agenda.lang index 44c2f14f84b..63f555dfac3 100644 --- a/htdocs/langs/gl_ES/agenda.lang +++ b/htdocs/langs/gl_ES/agenda.lang @@ -128,6 +128,7 @@ MRP_MO_PRODUCEDInDolibarr=OF producida MRP_MO_DELETEInDolibarr=OF eliminada MRP_MO_CANCELInDolibarr=OF cancelada PAIDInDolibarr=%s xa pago +ENABLEDISABLEInDolibarr=user activado ou desactivado ##### End agenda events ##### AgendaModelModule=Padróns de documentos para eventos DateActionStart=Data de inicio @@ -181,3 +182,23 @@ Reminders=Lembretes ActiveByDefault=Activado por defecto Until=ata que DataFromWasMerged=Os datos de %s fusionáronse +AgendaShowBookcalCalendar=Calendario de reservas: %s +MenuBookcalIndex=Cita en liña +BookcalLabelAvailabilityHelp=Etiqueta do intervalos de dispoñibilidade. Por exemplo:
      Dispoñibilidade xeral
      Dispoñibilidade durante as vacacións de Nadal +DurationOfRange=Duración dos intervalos +BookCalSetup = Configuración de citas en liña +Settings = Configuracións +BookCalSetupPage = Páxina de configuración de citas en liña +BOOKCAL_PUBLIC_INTERFACE_TOPIC = Título da interfaz +About = Acerca de +BookCalAbout = Sobre a Axenda +BookCalAboutPage = Sobre a páxina da axenda +Calendars=Calendarios +Availabilities=Dispoñibilidades +NewAvailabilities=Novas dispoñibilidades +NewCalendar=Novo calendario +ThirdPartyBookCalHelp=O evento reservado neste calendarioligarase automaticamente a este terceiro. +AppointmentDuration = Duración da cita: %s +BookingSuccessfullyBooked=A súa reserva foi gardada +BookingReservationHourAfter=Confirmamos a reserva da súa reunión na data %s +BookcalBookingTitle=Cita en liña diff --git a/htdocs/langs/gl_ES/bills.lang b/htdocs/langs/gl_ES/bills.lang index 734ff702db6..432e1945038 100644 --- a/htdocs/langs/gl_ES/bills.lang +++ b/htdocs/langs/gl_ES/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Realizar pagamento de abonos ao cliente DisabledBecauseRemainderToPayIsZero=Desactivado xa que o resto a pagar é 0 PriceBase=Prezo base BillStatus=Estado da factura -StatusOfGeneratedInvoices=Estado das facturas xeradas +StatusOfAutoGeneratedInvoices=Estado das facturas xeradas automaticamente BillStatusDraft=Borrador (a validar) BillStatusPaid=Pagada BillStatusPaidBackOrConverted=Reembolsada ou convertida en desconto @@ -167,7 +167,7 @@ ActionsOnBill=Accións sobre a factura ActionsOnBillRec=Actuacións sobre factura recorrente RecurringInvoiceTemplate=Modelo / Factura recorrente NoQualifiedRecurringInvoiceTemplateFound=Non hai ningunha factura de modelo recorrente cualificada para a xeración. -FoundXQualifiedRecurringInvoiceTemplate=Atopáronse %s factura(s) de modelo recorrentes cualificadas para a xeración. +FoundXQualifiedRecurringInvoiceTemplate=%s modelo(s) de factura(s) recorrente(s) cualificado(s) para a xeración. NotARecurringInvoiceTemplate=Non é unha factura de modelo recorrente NewBill=Nova factura LastBills=Últimas %s facturas @@ -217,7 +217,7 @@ ConfirmCustomerPayment=¿Confirma o proceso deste pagamento de %s %s? ConfirmSupplierPayment=¿Confirma o proceso deste pagamento de %s %s? ConfirmValidatePayment=¿Está certo de querer validar este pagamento? Non permitense cambios despois de validar o pagamento. ValidateBill=Validar factura -UnvalidateBill=Voltar factura a borrador +UnvalidateBill=Invalidar factura NumberOfBills=Nº de facturas NumberOfBillsByMonth=Nº de facturas por mes AmountOfBills=Importe das facturas @@ -250,12 +250,13 @@ RemainderToTake=Resta por cobrar RemainderToTakeMulticurrency=Importe restante por coller, moeda orixinal RemainderToPayBack=Resta por reembolsar RemainderToPayBackMulticurrency=Importe restante por reembolsar, moeda orixinal +NegativeIfExcessReceived=negativo se se recibe exceso NegativeIfExcessRefunded=negativo se se reembolsa o exceso +NegativeIfExcessPaid=negativo se se recibe de mais Rest=Pendente AmountExpected=Importe reclamado ExcessReceived=Recibido en exceso ExcessReceivedMulticurrency=Exceso recibido, moeda orixinal -NegativeIfExcessReceived=negativo se se recibe exceso ExcessPaid=Pagado en exceso ExcessPaidMulticurrency=Exceso pagado, moeda orixinal EscompteOffered=Desconto (Pronto pagamento) @@ -267,6 +268,8 @@ NoDraftBills=Ningunha factura borrador NoOtherDraftBills=Ningunha outra factura borrador NoDraftInvoices=Sen facturas borrador RefBill=Ref. factura +RefSupplierBill=Factura de provedor ref +SupplierOrderCreateBill=Crear factura ToBill=A facturar RemainderToBill=Queda por facturar SendBillByMail=Enviar a factura por E-Mail @@ -351,6 +354,7 @@ HelpAbandonOther=Esta cantidade foi abandonada xa que foi un erro (cliente incor IdSocialContribution=Id pagamento tasa social/fiscal PaymentId=ID pagamento PaymentRef=Ref. pagamento +SourceInvoiceId=Id. da factura orixe InvoiceId=Id factura InvoiceRef=Ref. factura InvoiceDateCreation=Data creación factura @@ -641,3 +645,8 @@ MentionCategoryOfOperations=Categoría de operacións MentionCategoryOfOperations0=Entrega de produtos MentionCategoryOfOperations1=Prestación de servizos MentionCategoryOfOperations2=Mixto - Entrega de produtos e prestación de servizos +Salaries=Salarios +InvoiceSubtype=Subtipo de factura +SalaryInvoice=Salario +BillsAndSalaries=Facturas e Salarios +CreateCreditNoteWhenClientInvoiceExists=Esta opción só está habilitada cando existen facturas validadas para un cliente ou cando se utiliza INVOICE_CREDIT_NOTE_STANDALONE constante (útil para algúns países) diff --git a/htdocs/langs/gl_ES/blockedlog.lang b/htdocs/langs/gl_ES/blockedlog.lang index 143a1d9138a..8bed3e0b772 100644 --- a/htdocs/langs/gl_ES/blockedlog.lang +++ b/htdocs/langs/gl_ES/blockedlog.lang @@ -14,28 +14,6 @@ OkCheckFingerprintValidityButChainIsKo=O rexistro arquivado parece válido en co AddedByAuthority=Almacenado na autoridade remota NotAddedByAuthorityYet=Aínda non almacenado na autoridade remota ShowDetails=Amosar detalles almacenados -logPAYMENT_VARIOUS_CREATE=Creouse o pagamento (non asignado á factura) -logPAYMENT_VARIOUS_MODIFY=Modificouse o pagamento (non asignado á factura) -logPAYMENT_VARIOUS_DELETE=Eliminación lóxico do pagamento (non asignado a factura). -logPAYMENT_ADD_TO_BANK=Pagamento engadido ao banco -logPAYMENT_CUSTOMER_CREATE=Pagamento do cliente creado -logPAYMENT_CUSTOMER_DELETE=Eliminación lóxica do pagamento do cliente -logDONATION_PAYMENT_CREATE=Creado pagamento de doación/subvención -logDONATION_PAYMENT_DELETE=Eliminación lóxica do pagamento da doación/subvención. -logBILL_PAYED=Factura do cliente pagada -logBILL_UNPAYED=Factura do cliente marcada como pendente de cobro -logBILL_VALIDATE=Validada factura a cliente -logBILL_SENTBYMAIL=Enviar factura a cliente por correo electrónico -logBILL_DELETE=Factura do cliente borrada lóxicamente -logMODULE_RESET=O módulo BlockedLog foi deshabilitado -logMODULE_SET=O módulo BlockedLog foi habilitado -logDON_VALIDATE=Doación/Subvención validada -logDON_MODIFY=Doación/subvención modificada -logDON_DELETE=Eliminación lóxica da doación/subvención. -logMEMBER_SUBSCRIPTION_CREATE=Creada subscrición de membro -logMEMBER_SUBSCRIPTION_MODIFY=Modificada Subscrición de membro -logMEMBER_SUBSCRIPTION_DELETE=Eliminación lóxica de subscrición de membro -logCASHCONTROL_VALIDATE=Rexistro de peche de caixa BlockedLogBillDownload=Descarga da factura de cliente BlockedLogBillPreview=Vista previa da factura do cliente BlockedlogInfoDialog=Detalles do rexistro @@ -44,7 +22,7 @@ Fingerprint=Pegada dactilar DownloadLogCSV=Exportar rexistros arquivados (CSV) logDOC_PREVIEW=Vista previa dun documento validado para imprimir ou descargar logDOC_DOWNLOAD=Descarga dun documento validado para imprimir ou enviar. -DataOfArchivedEvent=Datos completos do evento arquivado. +DataOfArchivedEvent=Datos completos do evento arquivado ImpossibleToReloadObject=O obxecto orixinal (tipo %s, id %s) non ligado (ver a columna "Datos completos" para obter datos gardados inalterables) BlockedLogAreRequiredByYourCountryLegislation=A lexislación do seu país pode requirir o módulo de rexistros inalterables. A desactivación deste módulo pode facer que calquera transacción futura sexa inválida con respecto á lei e ao uso de software legal xa que non poden ser validadas por unha auditoría fiscal. BlockedLogActivatedBecauseRequiredByYourCountryLegislation=O módulo de Rexistros inalterables activouse por mor da lexislación do seu país. A desactivación deste módulo pode facer que as transaccións futuras sexan inválidas con respecto á lei e ao uso de software legal, xa que non poden ser validadas por unha auditoría fiscal. @@ -55,3 +33,30 @@ RestrictYearToExport=Restrinxir mes/ano para exportar BlockedLogEnabled=Activouse o sistema para rastrexar eventos en rexistros inalterables BlockedLogDisabled=O sistema para rastrexar eventos en rexistros inalterables desactivouse despois de que se fixeran algunhas gravacións. Gardase unha pegada dixital especial para rastrexar a cadea como rota BlockedLogDisabledBis=Desactivouse o sistema para rastrexar eventos en rexistros inalterables. Isto é posible porque aínda non se fixo ningún rexistro. +LinkHasBeenDisabledForPerformancePurpose=Para efectos de rendemento, a ligazón directa ao documento non se mostra despois da liña 100. + +## logTypes +logBILL_DELETE=Factura do cliente borrada lóxicamente +logBILL_PAYED=Factura do cliente pagada +logBILL_SENTBYMAIL=Enviar factura a cliente por correo electrónico +logBILL_UNPAYED=Factura do cliente marcada como pendente de cobro +logBILL_VALIDATE=Validada factura a cliente +logCASHCONTROL_VALIDATE=Rexistro de peche de caixa +logDOC_DOWNLOAD=Descarga dun documento validado para imprimir ou enviar. +logDOC_PREVIEW=Vista previa dun documento validado para imprimir ou descargar +logDONATION_PAYMENT_CREATE=Creado pagamento de doación/subvención +logDONATION_PAYMENT_DELETE=Eliminación lóxica do pagamento da doación/subvención. +logDON_DELETE=Eliminación lóxica da doación/subvención. +logDON_MODIFY=Doación/subvención modificada +logDON_VALIDATE=Doación/Subvención validada +logMEMBER_SUBSCRIPTION_CREATE=Creada subscrición de membro +logMEMBER_SUBSCRIPTION_DELETE=Eliminación lóxica de subscrición de membro +logMEMBER_SUBSCRIPTION_MODIFY=Modificada Subscrición de membro +logMODULE_RESET=O módulo BlockedLog foi deshabilitado +logMODULE_SET=O módulo BlockedLog foi habilitado +logPAYMENT_ADD_TO_BANK=Pagamento engadido ao banco +logPAYMENT_CUSTOMER_CREATE=Pagamento do cliente creado +logPAYMENT_CUSTOMER_DELETE=Eliminación lóxica do pagamento do cliente +logPAYMENT_VARIOUS_CREATE=Creouse o pagamento (non asignado á factura) +logPAYMENT_VARIOUS_DELETE=Eliminación lóxico do pagamento (non asignado a factura). +logPAYMENT_VARIOUS_MODIFY=Modificouse o pagamento (non asignado á factura) diff --git a/htdocs/langs/gl_ES/bookmarks.lang b/htdocs/langs/gl_ES/bookmarks.lang index e348b3e0f2b..ad254d634b4 100644 --- a/htdocs/langs/gl_ES/bookmarks.lang +++ b/htdocs/langs/gl_ES/bookmarks.lang @@ -1,23 +1,24 @@ -# Dolibarr language file - Source file is en_US - marque pages -AddThisPageToBookmarks=Engadir a páxina actual aos marcadores -Bookmark=Marcador -Bookmarks=Marcadores -ListOfBookmarks=Listaxe de marcadores -EditBookmarks=Listar/editar marcadores -NewBookmark=Novo marcador -ShowBookmark=Amosar marcadores -OpenANewWindow=Abrir nunha nova xanela -ReplaceWindow=Reemplazar a xanela actual -BookmarkTargetNewWindowShort=Nova xanela -BookmarkTargetReplaceWindowShort=Xanela actual -BookmarkTitle=Nome do marcador -UrlOrLink=URL -BehaviourOnClick=Comportamento cando un marcador URL é seleccionado -CreateBookmark=Crear marcador -SetHereATitleForLink=Indicar un nome para o marcador -UseAnExternalHttpLinkOrRelativeDolibarrLink=Use unha ligazón externa/absoluta (https://externalurl.com) ou unha ligazón interna/relativa (/mypage.php). Tamén pode usar o teléfono como tel:0123456. -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Escolla se debe abrir a páxina nesta xanela ou nunha nova xanela -BookmarksManagement=Xestión de marcadores -BookmarksMenuShortCut=Ctrl + shift + m -NoBookmarks=Bookmarks non definidos -NoBookmarkFound=Non se atopou ningún marcador +# Dolibarr language file - Source file is en_US - marque pages / bookmarks + +AddThisPageToBookmarks = Engadir a páxina actual aos marcadores +BehaviourOnClick = Comportamento cando un marcador URL é seleccionado +Bookmark = Marcador +Bookmarks = Marcadores +BookmarkTargetNewWindowShort = Nova xanela +BookmarkTargetReplaceWindowShort = Xanela actual +BookmarkTitle = Nome do marcador +BookmarksManagement = Xestión de marcadores +BookmarksMenuShortCut = Ctrl + shift + m +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark = Escolla se debe abrir a páxina nesta xanela ou nunha nova xanela +CreateBookmark = Crear marcador +EditBookmarks = Listar/editar marcadores +ListOfBookmarks = Listaxe de marcadores +NewBookmark = Novo marcador +NoBookmarkFound = Non se atopou ningún marcador +NoBookmarks = Bookmarks non definidos +OpenANewWindow = Abrir nunha nova xanela +ReplaceWindow = Reemplazar a xanela actual +SetHereATitleForLink = Indicar un nome para o marcador +ShowBookmark = Amosar marcadores +UrlOrLink = URL +UseAnExternalHttpLinkOrRelativeDolibarrLink = Use unha ligazón externa/absoluta (https://externalurl.com) ou unha ligazón interna/relativa (/mypage.php). Tamén pode usar o teléfono como tel:0123456. diff --git a/htdocs/langs/gl_ES/cashdesk.lang b/htdocs/langs/gl_ES/cashdesk.lang index 440c855c674..bfd17d15d22 100644 --- a/htdocs/langs/gl_ES/cashdesk.lang +++ b/htdocs/langs/gl_ES/cashdesk.lang @@ -76,7 +76,7 @@ TerminalSelect=Seleccione o terminal que desexa usar: POSTicket=Ticket POS POSTerminal=POS Terminal POSModule=POS Modulo -BasicPhoneLayout=Utilizar deseño básico para teléfonos. +BasicPhoneLayout=Nos teléfonos, substitúe o TPV cun deseño mínimo (só rexistrar pedimentos, sen xerar facturas, sen imprimiri recibos) SetupOfTerminalNotComplete=Configuración da terminal %s non está finalizada DirectPayment=Pago directo DirectPaymentButton=Engadir un botón "Pago en efectivo" @@ -99,7 +99,7 @@ ByTerminal=Por terminal TakeposNumpadUsePaymentIcon=Usar a icona no canto do texto, nos botóns de pago do teclado numérico CashDeskRefNumberingModules=Módulo de numeración para vendas de TPV CashDeskGenericMaskCodes6 = A etiqueta
      (TN) é usada para engadir o número de terminal -TakeposGroupSameProduct=Agrupa as mesmas liñas de produtos +TakeposGroupSameProduct=Combina liñas dos mesmos produtos StartAParallelSale=Comeza unha nova venda en paralelo SaleStartedAt=A venda comezou en %s ControlCashOpening=Abre a ventá emerxente "Controlar conta de caixa" ao abrir o TPV @@ -118,7 +118,7 @@ ScanToOrder=Escanear o código QR para pedir Appearance=Apariencia HideCategoryImages=Ocultar imaxes de categoría HideProductImages=Ocultar imaxes do produto -NumberOfLinesToShow=Número de liñas de imaxes a amosar +NumberOfLinesToShow=Número máximo de liñas de texto para amosar nas imaxes previas DefineTablePlan=Definir o plan de mesas GiftReceiptButton=Engadir un botón "Recibo agasallo" GiftReceipt=Recibo agasallo @@ -135,5 +135,21 @@ PrintWithoutDetailsLabelDefault=Etiqueta de liña por defecto ao imprimir sen de PrintWithoutDetails=Imprimir sen detalles YearNotDefined=O ano non está establecido TakeposBarcodeRuleToInsertProduct=Regra de código de barras para inserir o produto -TakeposBarcodeRuleToInsertProductDesc=Regra para extraer a referencia do produto + unha cantidade dun código de barras escaneado.
      Se está baleiro (valor predeterminado), a aplicación usará o código de barras escaneado completo para atopar o produto.

      Se é definido, a sintaxe debe ser:
      Ref:NB+qu:NB+qd:NB+outro:NB
      onde RN é o número de caracteres a establecer para extraer os datos a partir do código de barras escaneado con:
      • ref : referencia produto
      • qu : cantidade de conxunto cando a inserción de elementos (unidades)
      • qd : cantidade de conxunto cando da inserción de elemento (decimais)
      • outro : outros caracteres
      +TakeposBarcodeRuleToInsertProductDesc=Regra para extraer a referencia do produto + unha cantidade dun código de barras escaneado.
      Se está baleiro (valor predeterminado), a aplicación usará o código de barras escaneado completo para atopar o produto.

      Se é definido, a sintaxe debe ser:
      ref:NB+qu:NB+qd:NB+other:NB
      onde NB é onúmero de caracteres a utilizar para extraer datos do código de barras escaneado con:
      ref : referencia do produto
      cant : cantidade para definido ao inserir o elemento (unidades)
      cantd a : cantidade definido ao inserir o elemento (decimais)
      outros outros caracteres AlreadyPrinted=Xa impreso +HideCategories=Ocultar toda a sección de selección de categorías +HideStockOnLine=Ocultar existencias en liña +ShowOnlyProductInStock=Amosa só os produtos en existencia +ShowCategoryDescription=Amosar a descrición das categorías +ShowProductReference=Amosar a referencia ou etiqueta dos produtos +UsePriceHT=Uso de prezo excl. impostos e non prezo incl. impostos ao modificar un prezo +TerminalName=Terminal %s +TerminalNameDesc=Nome do terminal +DefaultPOSThirdLabel=Cliente xenérico TakePOS +DefaultPOSCatLabel=Punto de Venda Produtos (POS). +DefaultPOSProductLabel=Exemplo de produto para TakePOS +TakeposNeedsPayment=TakePOS necesita un método de pagamento para funcionar, quere crear o metodo de pagamento 'Efectivo'? +LineDiscount=Liña desconto +LineDiscountShort=Liña Desc. +InvoiceDiscount=Desconto factura +InvoiceDiscountShort=Factura desc. diff --git a/htdocs/langs/gl_ES/categories.lang b/htdocs/langs/gl_ES/categories.lang index a1161190871..b3af74a8d01 100644 --- a/htdocs/langs/gl_ES/categories.lang +++ b/htdocs/langs/gl_ES/categories.lang @@ -103,3 +103,4 @@ WebsitePagesCategoriesArea=Categorías de contedores de páxina KnowledgemanagementsCategoriesArea=Categorías do artigo KM UseOrOperatorForCategories=Use o operador "OR" para as categorías AddObjectIntoCategory=Asignar á categoría +Position=Posto diff --git a/htdocs/langs/gl_ES/companies.lang b/htdocs/langs/gl_ES/companies.lang index fc15b9f46dd..c307f2bd5f4 100644 --- a/htdocs/langs/gl_ES/companies.lang +++ b/htdocs/langs/gl_ES/companies.lang @@ -1,4 +1,6 @@ # Dolibarr language file - Source file is en_US - companies +newSocieteAdded=Os seus datos de contacto foron rexistrados. Voltaremos pronto... +ContactUsDesc=Este formulario permítelle enviarnos unha mensaxe para un primeiro contacto. ErrorCompanyNameAlreadyExists=O nome da empresa %s xa existe. Escolla outro. ErrorSetACountryFirst=Defina en primeiro lugar o país SelectThirdParty=Seleccionar un terceiro @@ -117,12 +119,20 @@ ProfId3Short=Id Prof 3 ProfId4Short=Id Prof 4 ProfId5Short=Id Prof 5 ProfId6Short=Id Prof 6 +ProfId7Short=ID Prof 7 +ProfId8Short=ID Prof 8 +ProfId9Short=ID Prof​ 9 +ProfId10Short=ID Prof 10 ProfId1=ID profesional 1 ProfId2=ID profesional 2 ProfId3=ID profesional 3 ProfId4=ID profesional 4 ProfId5=ID profesional 5 ProfId6=ID profesional 6 +ProfId7=ID profesional 7 +ProfId8=ID professional 8 +ProfId9=ID professional 9 +ProfId10=ID professional 10 ProfId1AR=Id Prof 1 (CUIT/CUIL)CUIT/CUIL ProfId2AR=Id Prof (Ingresos brutos) ProfId3AR=- @@ -201,12 +211,20 @@ ProfId3FR=Id Prof 3 (NAF, antigo APE) ProfId4FR=Id Prof 4 (RCS/RM) ProfId5FR=Prof Id 5 (número EORI) ProfId6FR=- +ProfId7FR=Descoñecido +ProfId8FR=Descoñecido +ProfId9FR=Descoñecido +ProfId10FR=Descoñecido ProfId1ShortFR=SIREN ProfId2ShortFR=SIRET ProfId3ShortFR=NAF ProfId4ShortFR=RCS ProfId5ShortFR=EORI ProfId6ShortFR=- +ProfId7ShortFR=Descoñecido +ProfId8ShortFR=Descoñecido +ProfId9ShortFR=Descoñecido +ProfId10ShortFR=Descoñecido ProfId1GB=Número rexistro ProfId2GB=- ProfId3GB=SIC @@ -245,7 +263,7 @@ ProfId5MA=Id prof. 5 (I.C.E.) ProfId6MA=- ProfId1MX=Id prof. 1 (R.F.C.) ProfId2MX=Id prof. 2 (Rexistro Patroal IMSS) -ProfId3MX=Id prof. 2 (Cédula Profesional) +ProfId3MX=Id Prof 3 (Número de colexiado) ProfId4MX=- ProfId5MX=- ProfId6MX=- @@ -387,7 +405,7 @@ EditCompany=Modificar empresa ThisUserIsNot=Este usuario non é nin un cliente potencial, nin un cliente, nin un provedor VATIntraCheck=Verificar VATIntraCheckDesc=El enlace %s permite consultar no servizo europeo de control de números de IVE intracomunitario (VIES). Requírese acceso a internet dende o servidor Dolibarr para o servizo. -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation VATIntraCheckableOnEUSite=Verificar o CIF/NIF intracomunitario na web da Comisión Europea VATIntraManualCheck=Tamén pode comprobar manualmente no sitio web da Comisión Europea %s ErrorVATCheckMS_UNAVAILABLE=Comprobación imposible. O servizo de comprobación non é fornecido polo Estado membro (%s). @@ -500,7 +518,7 @@ InEEC=Europa (EEC) RestOfEurope=Resto de Europa (EEC) OutOfEurope=Fora de Europa (EEC) CurrentOutstandingBillLate=Factura actual pendente atrasada -BecarefullChangeThirdpartyBeforeAddProductToInvoice=Ter coidado, dependendo da configuración do prezo do produto, debería mudarse o terceiro antes de engadir o produto ao TPV. +BecarefullChangeThirdpartyBeforeAddProductToInvoice=Teña coidado, dependendo da configuración do prezo do produto, debería cambiar o terceiro antes de engadir o produto ao TPV. EmailAlreadyExistsPleaseRewriteYourCompanyName=o correo electrónico xa existe, reescriba o nome da súa empresa TwoRecordsOfCompanyName=existe máis dun rexistro para esta empresa, póñase en contacto connosco para completar a súa solicitude de asociación CompanySection=Sección empresa @@ -508,3 +526,5 @@ ShowSocialNetworks=Amosar redes sociais HideSocialNetworks=Ocultar redes sociais ExternalSystemID=ID do sistema externo IDOfPaymentInAnExternalSystem=ID do modo de pagamento nun sistema externo (como Stripe, Paypal, ...) +AADEWebserviceCredentials=Credenciais do servizo web da AADE +ThirdPartyMustBeACustomerToCreateBANOnStripe=O terceiro debe ser un cliente para permitir a creación do seu banco no lado de Stripe diff --git a/htdocs/langs/gl_ES/compta.lang b/htdocs/langs/gl_ES/compta.lang index 3b8985b2133..d55a3ea5273 100644 --- a/htdocs/langs/gl_ES/compta.lang +++ b/htdocs/langs/gl_ES/compta.lang @@ -162,6 +162,7 @@ CalcModeVATDebt=Modo %sIVE sobre facturas emitidas%s. CalcModeVATEngagement=Modo %sIVE sobre facturas cobradas%s. CalcModeDebt=Análise de documentos rexistrados coñecidos CalcModeEngagement=Análise dos pagamentos rexistrados coñecidos +CalcModePayment=Análise dos pagamentos rexistrados coñecidos CalcModeBookkeeping=Análise dos datos rexistrados no Libro Maior CalcModeNoBookKeeping=Aínda que non estean contabilizados no Libro Maior CalcModeLT1= Modo %sRE facturas a clientes - facturas de provedores%s diff --git a/htdocs/langs/gl_ES/cron.lang b/htdocs/langs/gl_ES/cron.lang index b0dbea131be..d9a0d90c871 100644 --- a/htdocs/langs/gl_ES/cron.lang +++ b/htdocs/langs/gl_ES/cron.lang @@ -91,6 +91,7 @@ WarningCronDelayed=Atención, para fins de rendemento, calquera que sexa a próx DATAPOLICYJob=Limpar datos e anonimizar JobXMustBeEnabled=Tarefa %s debe ser activada EmailIfError=Correo electrónico para avisar de erros +JobNotFound=Non se atopou o traballo %s na lista de traballos (tente desactivar/activar o módulo) ErrorInBatch=Erro ao executar o traballo %s # Cron Boxes diff --git a/htdocs/langs/gl_ES/dict.lang b/htdocs/langs/gl_ES/dict.lang index 49f6d6a7f08..e7bc66ccba3 100644 --- a/htdocs/langs/gl_ES/dict.lang +++ b/htdocs/langs/gl_ES/dict.lang @@ -158,7 +158,7 @@ CountryMX=Mexico CountryFM=Micronesia CountryMD=Moldavia CountryMN=Mongolia -CountryMS=Monserrat +CountryMS=Montserrat CountryMZ=Mozambique CountryMM=Myanmar (Birmania) CountryNA=Namibia diff --git a/htdocs/langs/gl_ES/donations.lang b/htdocs/langs/gl_ES/donations.lang index dc5deabdd54..a5f441fac91 100644 --- a/htdocs/langs/gl_ES/donations.lang +++ b/htdocs/langs/gl_ES/donations.lang @@ -32,4 +32,5 @@ DONATION_ART238=Amosar artigo 238 do CGI se está interesado DONATION_ART978=Mostra o artigo 978 de CGI se che preocupa DonationPayment=Pago de doación/subvención DonationValidated=Doación/Subvención %s validada -DonationUseThirdparties=Use un terceiro existente como coordinador de doadores +DonationUseThirdparties=Usa o enderezo dun terceiro existente como enderezo do doador +DonationsStatistics=Estatísticas de doazóns diff --git a/htdocs/langs/gl_ES/ecm.lang b/htdocs/langs/gl_ES/ecm.lang index 9d90b6b87ce..3ad70b7889f 100644 --- a/htdocs/langs/gl_ES/ecm.lang +++ b/htdocs/langs/gl_ES/ecm.lang @@ -3,9 +3,9 @@ ECMNbOfDocs=Nº de documentos no directorio ECMSection=Directorio ECMSectionManual=Directorio manual ECMSectionAuto=Directorio automático -ECMSectionsManual=Árbore manual -ECMSectionsAuto=Árbore automática -ECMSectionsMedias=Árbore dos medios +ECMSectionsManual=Árbore manual privada +ECMSectionsAuto=Árbore automática privada +ECMSectionsMedias=Árbore pública ECMSections=Directorios ECMRoot=ECM Raiz ECMNewSection=Novo directorio @@ -17,9 +17,9 @@ ECMNbOfFilesInSubDir=Número de ficheiros en sub-directories ECMCreationUser=Creador ECMArea=Área MS/ECM ECMAreaDesc=O área DMS / ECM (Document Management System / Electronic Content Management) permítelle gardar, compartir e buscar rapidamente todo tipo de documentos en Dolibarr. -ECMAreaDesc2a=* Os directorios manuais pódense usar para gardar documentos non ligados a un elemento en particular. +ECMAreaDesc2a=* Os directorios manuais pódense usar para gardar documentos cunha organización libre da estrutura en árbore. ECMAreaDesc2b=* Os directorios automáticos énchense automaticamente ao engadir documentos desde a páxina dun elemento. -ECMAreaDesc3=* Os directorios de medios son ficheiros do subdirectorio /medias do directorio de documentos, lexibles por todos sen necesidade de rexistrarse e sen necesidade de compartir o ficheiro de forma explícita. Utilízase, por exemplo, para almacenar ficheiros de imaxe para o módulo de correo electrónico ou sitio web. +ECMAreaDesc3=* Os directorios públicos son ficheiros do subdirectorio /medias do directorio de documentos, lexibles por todos sen necesidade de rexistrarse. e non é preciso que o ficheiro se comparta de forma explícita. Utilízase para almacenar ficheiros de imaxe para o módulo de correo electrónico ou sitio web, por exemplo. ECMSectionWasRemoved=O directorio %s foi eliminado ECMSectionWasCreated=O directorio %s foi creado. ECMSearchByKeywords=Buscar por palabras clave @@ -45,7 +45,7 @@ ExtraFieldsEcmFiles=Extrafields en ficheiros ECM ExtraFieldsEcmDirectories=Extrafields en directorios ECM ECMSetup=Configuración ECM GenerateImgWebp=Duplica todas as imaxes con outra versión con formato .webp -ConfirmGenerateImgWebp=Se confirma, xerará unha imaxe en formato .webp para todas as imaxes actuais deste cartafol (as subcarpetas non están incluídas) ... +ConfirmGenerateImgWebp=Se o confirma, xerará unha imaxe en formato .webp para todas as imaxes que estean actualmente neste cartafol (non se inclúen os subcartafoles, non se xerarán imaxes webp se o tamaño é superior ao orixinal)... ConfirmImgWebpCreation=Confirmar a duplicación de todas as imaxes GenerateChosenImgWebp=Duplica a imaxe escollida con outra versión con formato .webp ConfirmGenerateChosenImgWebp=Se o confirma, xerará unha imaxe en formato .webp para a imaxe %s diff --git a/htdocs/langs/gl_ES/errors.lang b/htdocs/langs/gl_ES/errors.lang index 6180065f8fc..f49627044f6 100644 --- a/htdocs/langs/gl_ES/errors.lang +++ b/htdocs/langs/gl_ES/errors.lang @@ -4,7 +4,7 @@ NoErrorCommitIsDone=Sen erro, é válido # Errors ErrorButCommitIsDone=Atopáronse erros pero validamos a pesar diso -ErrorBadEMail=O correo electrónico %s é incorrecto +ErrorBadEMail=O enderezo de correo electrónico %s é incorrecto ErrorBadMXDomain=O correo electrónico %s parece incorrecto (O dominio non ten un rexistro MX válido) ErrorBadUrl=URL %s é incorrecta ErrorBadValueForParamNotAString=Valor incorrecto para o seu parámetro. Xeralmente aparece cando falta a tradución @@ -32,6 +32,7 @@ ErrorBadThirdPartyName=Nome de terceiro incorrecto ForbiddenBySetupRules=Prohibido polas regras de configuración ErrorProdIdIsMandatory=O %s é obrigado ErrorAccountancyCodeCustomerIsMandatory=O código contable do cliente %s é obrigatorio +ErrorAccountancyCodeSupplierIsMandatory=O código contable do provedor %s é obrigatorio ErrorBadCustomerCodeSyntax=A sintaxe do código cliente é incorrecta. ErrorBadBarCodeSyntax=Sintaxe incorrecta do código de barras. Pode definir un tipo de código de barras incorrecto ou definir unha máscara de código de barras para a numeración que non coincide co valor escaneado. ErrorCustomerCodeRequired=Código cliente obrigado @@ -64,6 +65,7 @@ ErrorFileNotFound=Non se atopou o ficheiro %s (ruta incorrecta, permisos ErrorDirNotFound=Non se atopou o directorio %s (camiño incorrecto, permisos incorrectos ou acceso denegado polo PHP openbasedir ou parámetro safe_mode) ErrorFunctionNotAvailableInPHP=A función %s é precisa para esta característica pero non está dispoñible nesta versión/configuración de PHP. ErrorDirAlreadyExists=Xa existe un directorio con este nome. +ErrorDirNotWritable=O directorio %s non se pode escribir. ErrorFileAlreadyExists=Xa existe un ficheiro con este nome. ErrorDestinationAlreadyExists=Outro ficheiro co mesmo nome %s xa existe ErrorPartialFile=Ficheiro non recibido completamente polo servidor. @@ -90,9 +92,9 @@ ErrorPleaseTypeBankTransactionReportName=Introduza o nome do extracto bancario o ErrorRecordHasChildren=Erro ao eliminar o rexistro xa que ten algúns rexistros fillos. ErrorRecordHasAtLeastOneChildOfType=O obxecto %s ten polo menos un fillo do tipo %s ErrorRecordIsUsedCantDelete=Non se pode eliminar o rexistro. Xa se usa ou está incluído noutro obxecto. -ErrorModuleRequireJavascript=Non se debe desactivar Javascript para que esta función sexa operativa. Para activar/desactivar Javascript, vaia ao menú Inicio->Configuración->Amosar. +ErrorModuleRequireJavascript=Non se debe desactivar Javascript para que esta función sexa operativa. Para activar/desactivar Javascript, vaia ao menú Inicio->Configuración->Pantalla ErrorPasswordsMustMatch=Os dous contrasinais escritos deben coincidir entre si -ErrorContactEMail=Produciuse un erro técnico. Póñase en contacto co administrador no seguinte correo electrónico %s e proporcione o código de erro %s na súa mensaxe ou engada unha copia desta páxina. +ErrorContactEMail=Produciuse un erro técnico. Póñase en contacto co administrador no seguinte correo electrónico %s e proporcione o código de erro %s na súa mensaxe ou engada unha copia da pantalla desta páxina. ErrorWrongValueForField=O campo %s:'%s' non coincide coa regra %s ErrorHtmlInjectionForField=Campo %s : O valor ' %s non contén datos perigosos ' ErrorFieldValueNotIn=Campo %s:'%s' non é un valor atopado no campo %s de %s @@ -100,10 +102,12 @@ ErrorFieldRefNotIn=Campo %s:'%s' non é unha referencia %s ErrorMultipleRecordFoundFromRef=Atopáronse varios rexistros ao buscar desde a ref %s . Non hai xeito de saber que identificación usar. ErrorsOnXLines=Atopáronse %s erros ErrorFileIsInfectedWithAVirus=O programa antivirus non puido validar o ficheiro (o ficheiro pode estar infectado por un virus) +ErrorFileIsAnInfectedPDFWithJSInside=O ficheiro é un PDF infectado por algún Javascript ErrorNumRefModel=Existe unha referencia na base de datos (%s) e non é compatible con esta regra de numeración. Elimine o rexistro ou renomee a referencia para activar este módulo. ErrorQtyTooLowForThisSupplier=Cantidade insuficiente para este proveedor ou non hai prezo definido neste produto para este provedor ErrorOrdersNotCreatedQtyTooLow=Algúns pedidos non foron creados debido a unha cantidade demasiado baixa -ErrorModuleSetupNotComplete=Aconfiguración do módulo %s parece incompleta. Vaia a Inicio - Configuración - Módulos para completala. +ErrorOrderStatusCantBeSetToDelivered=O estado do pedimento non se pode configurar como entregado. +ErrorModuleSetupNotComplete=A configuración do módulo %s parece incompleta. Vaia a Inicio - Configuración - Módulos para completala. ErrorBadMask=Erro na máscara ErrorBadMaskFailedToLocatePosOfSequence=Erro, máscara sen número de secuencia ErrorBadMaskBadRazMonth=Erro, valor de restablecemento incorrecto @@ -131,7 +135,7 @@ ErrorLoginDoesNotExists=Non foi posible atopar o usuario con inicio de sesión < ErrorLoginHasNoEmail=Este usuario non ten enderezo de correo electrónico. Proceso abortado. ErrorBadValueForCode=Valor incorrecto para o código de seguridade. Tenteo novamente cun novo valor ... ErrorBothFieldCantBeNegative=Os campos %s e %s non poen ser negativos -ErrorFieldCantBeNegativeOnInvoice=O campo %s non pode ser negativo neste tipo de factura. Se precisa engadir unha liña de desconto, primeiro cree o desconto (a partir do campo '%s' na tarxeta de terceiros) e aplíqueo á factura. +ErrorFieldCantBeNegativeOnInvoice=O campo %s non pode ser negativo neste tipo de factura. Se precisa engadir unha liña de desconto, primeiro cree o desconto (desde o campo '%s' na tarxeta de terceiros) e aplíqueo á factura. ErrorLinesCantBeNegativeForOneVATRate=O total de liñas (neto de impostos) non pode ser negativo para unha determinada taxa de IVE non nula (Atopouse un total negativo para o tipo de IVE %s%%) ErrorLinesCantBeNegativeOnDeposits=As liñas non poden ser negativas nun depósito. Terá problemas cando precise consumir o depósito na factura final se o fai. ErrorQtyForCustomerInvoiceCantBeNegative=A cantidade da liña para as facturas do cliente non pode ser negativa @@ -150,6 +154,7 @@ ErrorToConnectToMysqlCheckInstance=Falla a conexión á base de datos. Comprobe ErrorFailedToAddContact=Erro ao engadir o contacto ErrorDateMustBeBeforeToday=A data debe ser inferior á de hoxe ErrorDateMustBeInFuture=A data debe ser maior que a de hoxe +ErrorStartDateGreaterEnd=A data de inicio é maior que a data de finalización ErrorPaymentModeDefinedToWithoutSetup=Estableceuse un modo de pago para escribir %s pero a configuración da factura do módulo non se completou para definir a información que se amosará para este modo de pago. ErrorPHPNeedModule=Erro, o seu PHP debe ter instalado o módulo %s para usar esta funcionalidade. ErrorOpenIDSetupNotComplete=Estableceu a configuración do ficheiro Dolibarr para permitir a autenticación OpenID, pero a URL do servizo OpenID non está definida na constante %s @@ -191,7 +196,7 @@ ErrorGlobalVariableUpdater4=Fallou o cliente SOAP co erro '%s' ErrorGlobalVariableUpdater5=Non se seleccionou ningunha variable global ErrorFieldMustBeANumeric=O campo %s debe ser un valor numérico ErrorMandatoryParametersNotProvided=Non se proporcionan parámetro(s) obrigatorios -ErrorOppStatusRequiredIfUsage=Definiu que quere utilizar este proxecto para seguir unha oportunidade, polo que tamén debe cubrir o estado inicial da oportunidade. +ErrorOppStatusRequiredIfUsage=Escolla seguir unha oportunidade neste proxecto, polo que tamén debe cubrir o estado da oportunidade ErrorOppStatusRequiredIfAmount=Establecerá unha cantidade estimada para este cliente potencial. Entón tamén debe introducir o seu estado. ErrorFailedToLoadModuleDescriptorForXXX=Erro ao cargar a clase do descritor do módulo para %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Mala definición do Menu Array na descrición do módulo (valor incorrecto para a chave fk_menu) @@ -240,7 +245,7 @@ ErrorURLMustStartWithHttp=O URL %s debe comezar con http:// ou https:// ErrorHostMustNotStartWithHttp=O nome do host %s NON debe comezar con http:// ou https:// ErrorNewRefIsAlreadyUsed=Erro, a nova referencia xa está empregada ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Erro, non é posible eliminar o pago ligado a unha factura pechada. -ErrorSearchCriteriaTooSmall=Os criterios de busca son demasiado pequenos. +ErrorSearchCriteriaTooSmall=Criterios de busca demasiado curtos. ErrorObjectMustHaveStatusActiveToBeDisabled=Os obxectos deben ter o estado "Activo" para ser desactivados ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Os obxectos deben ter o estado "Borrador" ou "Desactivado" para ser habilitados ErrorNoFieldWithAttributeShowoncombobox=Ningún campo ten a propiedade 'showoncombobox' na definición do obxecto '%s'. Non hai forma de amosar a listaxe combo. @@ -259,7 +264,7 @@ ErrorReplaceStringEmpty=Erro, a cadea para substituír está baleira ErrorProductNeedBatchNumber=Erro, o produto '%s' precisa un número de lote/serie ErrorProductDoesNotNeedBatchNumber=Erro, o produto '%s' non acepta número de lote/serie ErrorFailedToReadObject=Erro, falla o ler o tipo de obxecto %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Erro, o parámetro %s1debe estar habilitado en conf/conf.php para permitir o uso da interface de liña de comandos polo programador de traballo interno. +ErrorParameterMustBeEnabledToAllwoThisFeature=Erro, o parámetro %sdebe estar habilitado en conf/conf.php para permitir o uso da interface de liña de comandos polo programador de traballo interno. ErrorLoginDateValidity=Erro, este inicio de sesión está fóra do intervalo de datas validas ErrorValueLength=A lonxitude do campo "%s" debe ser superior a "%s" ErrorReservedKeyword=A palabra '%s' é unha palabra chave reservada @@ -296,11 +301,12 @@ ErrorAjaxRequestFailed=Produciuse un erro na solicitude ErrorThirpdartyOrMemberidIsMandatory=Terceiro ou membro da sociedade é obrigatorio ErrorFailedToWriteInTempDirectory=Produciuse un erro ao escribir no directorio temporal ErrorQuantityIsLimitedTo=A cantidade está limitada a %s -ErrorFailedToLoadThirdParty=Produciuse un erro ao atopar/cargar un terceiro desde id=%s, correo electrónico=%s, nome=%s +ErrorFailedToLoadThirdParty=Produciuse un erro ao atopar/cargar un terceiro desde id=%s, correo electrónico=%s, nome= %s ErrorThisPaymentModeIsNotSepa=Este modo de pagamento non é unha conta bancaria -ErrorStripeCustomerNotFoundCreateFirst=O cliente de Stripe non está configurado para este terceiro (ou definido nun valor eliminado no lado de Stripe). Créao (ou volte engadir) primeiro. +ErrorStripeCustomerNotFoundCreateFirst=O cliente de Stripe non está configurado para este terceiro (ou definido nun valor eliminado no lado de Stripe). Créeo (ou volte engadir) primeiro. ErrorCharPlusNotSupportedByImapForSearch=A busca IMAP non é capaz de buscar no remitente ou destinatario unha cadea que conteña o carácter + ErrorTableNotFound=Non se atopou a táboa %s +ErrorRefNotFound=Non se atopou a referencia %s ErrorValueForTooLow=O valor de %s é demasiado baixo ErrorValueCantBeNull=O valor para %s non pode ser nulo ErrorDateOfMovementLowerThanDateOfFileTransmission=A data da transacción bancaria non pode ser inferior á data de transmisión do ficheiro @@ -318,9 +324,13 @@ ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Erro: o URL da súa in ErrorMenuExistValue=Xa existe un menú con este título ou URL ErrorSVGFilesNotAllowedAsLinksWithout=Os ficheiros SVG non están permitidos como ligazóns externas sen a opción %s ErrorTypeMenu=Imposible engadir outro menú para o mesmo módulo na barra de navegación, aínda non operativo +ErrorObjectNotFound = O obxecto %s non se atopa, Revise o seu URL +ErrorCountryCodeMustBe2Char=O código de país debe ser unha cadea de 2 caracteres + ErrorTableExist=A táboa %s xa existe ErrorDictionaryNotFound=Non se atopou o dicionario %s -ErrorFailedToCreateSymLinkToMedias=Produciuse un erro ao crear as ligazóns simbólicas %s para apuntar a %s +ErrorFailedToCreateSymLinkToMedias=Produciuse un erro ao crear a ligazón simbólica %s para apuntar a %s +ErrorCheckTheCommandInsideTheAdvancedOptions=Revise a orde usada para a exportación ns opcións avanzadas da exportación # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=O seu parámetro PHP upload_max_filesize (%s) é superior ao parámetro PHP post_max_size (%s). Esta non é unha configuración consistente. @@ -359,10 +369,12 @@ WarningPaypalPaymentNotCompatibleWithStrict=O valor "Estricto" fai que as funci WarningThemeForcedTo=Aviso, o tema foi forzado a %s pola constante oculta MAIN_FORCETHEME WarningPagesWillBeDeleted=Aviso, isto tamén eliminará todas as páxinas/contedores existentes do sitio web. Debería exportar o seu sitio web antes, para ter unha copia de seguridade e poder importalo de novo máis tarde. WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=A validación automática está desactivada cando a opción para diminuír o stock está definida en "Validación de facturas". -WarningModuleNeedRefrech = Desactivouse o módulo %s . Non esqueza activalo +WarningModuleNeedRefresh = Desactivouse o módulo %s . Non esqueza activalo WarningPermissionAlreadyExist=Permisos existentes para este obxecto WarningGoOnAccountancySetupToAddAccounts=Se esta lista está baleira, vaia ao menú %s - %s - %s para cargar ou crear contas para o seu plan de contas. WarningCorrectedInvoiceNotFound=Non se atopou a factura corrixida +WarningCommentNotFound=Comprobe a colocación dos comentarios de inicio e final para a sección %s ficheiro %s antes de enviar a súa acción +WarningAlreadyReverse=O movemento de existencias xa foi rexistrado SwissQrOnlyVIR = A factura SwissQR só se pode engadir ás facturas configuradas para pagar con pagos por transferencia bancaria. SwissQrCreditorAddressInvalid = O enderezo do acredor non é válido (están definidos o código postal e a cidade? (%s) diff --git a/htdocs/langs/gl_ES/eventorganization.lang b/htdocs/langs/gl_ES/eventorganization.lang index 6f445e20f00..db3ed8dcc2b 100644 --- a/htdocs/langs/gl_ES/eventorganization.lang +++ b/htdocs/langs/gl_ES/eventorganization.lang @@ -98,6 +98,7 @@ EVENTORGANIZATION_SECUREKEY = Semente para asegurar a chave da páxina pública SERVICE_BOOTH_LOCATION = Servizo empregado para a fila de facturas sobre a situación do stand SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Servizo utilizado para a fila da factura sobre a subscrición dun asistente a un evento NbVotes=Número de votos + # # Status # @@ -106,9 +107,10 @@ EvntOrgSuggested = Suxerido EvntOrgConfirmed = Confirmado EvntOrgNotQualified = Non cualificado EvntOrgDone = Realizados -EvntOrgCancelled = Cancelado +EvntOrgCancelled = Anulado + # -# Public page +# Other # SuggestForm = Páxina de suxestións SuggestOrVoteForConfOrBooth = Páxina para suxestión ou voto @@ -144,13 +146,8 @@ OrganizationEventBulkMailToAttendees=Esta é unha lembranza da súa participaci OrganizationEventBulkMailToSpeakers=Esta é unha lembranza da súa participación no evento como ponente OrganizationEventLinkToThirdParty=Ligazón a terceiros (cliente, provedor ou asociado) OrganizationEvenLabelName=Nome público da conferencia ou posto - NewSuggestionOfBooth=Solicitude de stand NewSuggestionOfConference=Solicitude para realizar unha conferencia - -# -# Vote page -# EvntOrgRegistrationWelcomeMessage = Benvido á páxina de suxestións de conferencias ou stands. EvntOrgRegistrationConfWelcomeMessage = Benvida á páxina de suxestións de conferencia EvntOrgRegistrationBoothWelcomeMessage = Benvida á páxina de suxestións de stands @@ -158,8 +155,8 @@ EvntOrgVoteHelpMessage = Aquí pode ver e votar os eventos suxeridos para o prox VoteOk = O seu voto foi aceptado AlreadyVoted = Xa votou para este evento VoteError = Produciuse un erro durante a votación, ténteo de novo. - SubscriptionOk=O seu rexistro foi gravado +AmountOfRegistrationPaid=Importe da subscrición pagada ConfAttendeeSubscriptionConfirmation = Confirmación da súa subscrición ao evento Attendee = Asistente PaymentConferenceAttendee = Pagamento de asistente á conferencia diff --git a/htdocs/langs/gl_ES/exports.lang b/htdocs/langs/gl_ES/exports.lang index 24e473286a0..a422d54f88c 100644 --- a/htdocs/langs/gl_ES/exports.lang +++ b/htdocs/langs/gl_ES/exports.lang @@ -28,7 +28,7 @@ NowClickToGenerateToBuildExportFile=Agora, seleccione o formato de exportación AvailableFormats=Formatos dispoñibles LibraryShort=Librería ExportCsvSeparator=Separador de caracteres en CSV -ImportCsvSeparator=Separador de caracteres en CSV +ImportCsvSeparator=Separador de caracteres Csv Step=Paso FormatedImport=Asistente de importación FormatedImportDesc1=Esta área permitelle realizar importacións persoalizadas de datos mediante un axudante que evita ter coñecementos técnicos de Dolibarr. diff --git a/htdocs/langs/gl_ES/holiday.lang b/htdocs/langs/gl_ES/holiday.lang index 5b86a34d848..8ff209ed876 100644 --- a/htdocs/langs/gl_ES/holiday.lang +++ b/htdocs/langs/gl_ES/holiday.lang @@ -5,7 +5,7 @@ Holiday=Vacacións CPTitreMenu=Día libre MenuReportMonth=Estado mensual MenuAddCP=Novo pedimento de vacacións -MenuCollectiveAddCP=Nova solicitude de baixa colectiva +MenuCollectiveAddCP=Nova baixa colectiva NotActiveModCP=Debe activar o módulo Días libres para ver esta páxina AddCP=Realizar un pedimento de días libres DateDebCP=Data de inicio @@ -95,8 +95,8 @@ UseralreadyCPexist=Xa se fixo unha solicitude de baixa neste período para %s. groups=Grupos users=Usuarios AutoSendMail=Correo automático -NewHolidayForGroup=Nova solicitude de baixa colectiva -SendRequestCollectiveCP=Enviar solicitude de baixa colectiva +NewHolidayForGroup=Nova baixa colectiva +SendRequestCollectiveCP=Crear baixa colectiva AutoValidationOnCreate=Validación automática FirstDayOfHoliday=Día de inicio da solicitude de vacacións LastDayOfHoliday=Día de finalización da solicitude de vacacións @@ -144,7 +144,7 @@ WatermarkOnDraftHolidayCards=Marca de auga no borrador de pedimento de días lib HolidaysToApprove=Vacacións para aprobar NobodyHasPermissionToValidateHolidays=Ninguén ten permiso para validar as solicitudes de días libres HolidayBalanceMonthlyUpdate=Actualización mensual do saldo de días libres -XIsAUsualNonWorkingDay=%s é habitualmente un día NON laboral +XIsAUsualNonWorkingDay=%s adoita ser un día NON laborable BlockHolidayIfNegative=Bloquear se o saldo é negativo LeaveRequestCreationBlockedBecauseBalanceIsNegative=Bloqueouse a creación desta solicitude de días porque o seu saldo é negativo ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=A solicitude de saída %s debe estar en borrador, cancelada ou rexeitada para ser eliminada diff --git a/htdocs/langs/gl_ES/hrm.lang b/htdocs/langs/gl_ES/hrm.lang index 5e3a257ceaf..80be621235d 100644 --- a/htdocs/langs/gl_ES/hrm.lang +++ b/htdocs/langs/gl_ES/hrm.lang @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Descrición predeterminada dos rangos cando se cre deplacement=Quenda DateEval=Data de avalición JobCard=Tarxeta de traballo -JobPosition=Tarefa -JobsPosition=Traballos +NewJobProfile=Novo perfil de posto de traballo +JobProfile=Perfil do posto de traballo +JobsProfiles=Perfís do posto de traballo NewSkill=Nova competencia SkillType=Tipo de competencia Skilldets=Listaxe de rangos para esta competencia @@ -36,7 +37,7 @@ rank=Rango ErrNoSkillSelected=Non se escolleu ningunha competencia ErrSkillAlreadyAdded=Esta competencia xa está incluída na listaxe SkillHasNoLines=Esta competencia non ten liñas -skill=Competencia +Skill=Competencia Skills=Competencias SkillCard=Tarxeta de competencia EmployeeSkillsUpdated=Actualizáronse as competencias dos empregados (ver a pestana "Competencias" da tarxeta de empregado) @@ -46,31 +47,34 @@ NewEval=Nova avaliación ValidateEvaluation=Validar avaliación ConfirmValidateEvaluation=Está certo de querer validar esta avaliación con referencia %s EvaluationCard=Tarxeta de avalición -RequiredRank=Rango preciso para este traballo +RequiredRank=Rango preciso para o perfil do posto de traballo +RequiredRankShort=Rango obrigatorio +PositionsWithThisProfile=Postos con este perfil de traballo EmployeeRank=Rango de empregados para esta competencia +EmployeeRankShort=Rango do empregado EmployeePosition=Posto de empregado EmployeePositions=Postos de empregados EmployeesInThisPosition=Empregados nesta posición group1ToCompare=Grupo de usuarios para analizar group2ToCompare=Segundo grupo de usuarios para comparar -OrJobToCompare=Comparar cos requisitos de competencias laborais +OrJobToCompare=Comparar cos requisitos de competencias dun perfil laboral difference=Diferencia CompetenceAcquiredByOneOrMore=Competencia adquirida por un ou máis usuarios pero non solicitada polo segundo comparador -MaxlevelGreaterThan=Nivel máximo superior ao solicitado -MaxLevelEqualTo=Nivel máximo igual a esa demanda -MaxLevelLowerThan=Nivel máximo inferior a esa demanda -MaxlevelGreaterThanShort=Nivel de empregado superior ao solicitado -MaxLevelEqualToShort=Nivel de empregado igual a esa demanda -MaxLevelLowerThanShort=Nivel de empregado inferior a esa demanda +MaxlevelGreaterThan=O nivel de empregado é superior ao agardado +MaxLevelEqualTo=O nivel de empregado é do nivel agardado +MaxLevelLowerThan=O nivel de empregado é inferior ao agardado +MaxlevelGreaterThanShort=Nivel superior ao agardado +MaxLevelEqualToShort=Nivel igual ao agardado +MaxLevelLowerThanShort=Nivel inferior ao agardado SkillNotAcquired=Competencia non adquirida por todos os usuarios e solicitada polo segundo comparador legend=Lenda TypeSkill=Tipo de competencia -AddSkill=Engade competencias ao traballo -RequiredSkills=Competencias precisas para este traballo +AddSkill=Engade competencias ao perfil de traballo +RequiredSkills=Competencias precisas para este perfil laboral UserRank=Rango de usuario SkillList=Listaxe de competencias SaveRank=Gardar rango -TypeKnowHow=Coñecemento +TypeKnowHow=Base de coñecemento TypeHowToBe=Como ser TypeKnowledge=Coñecemento AbandonmentComment=Comentario de abandono @@ -85,8 +89,9 @@ VacantCheckboxHelper=Marcando esta opción amósanse os postos sen cubrir (bolsa SaveAddSkill = Competencia(s) engadidas SaveLevelSkill = Gardouse o nivel de competencia DeleteSkill = Competencia eliminada -SkillsExtraFields=Atributos adicionais (Competencias) -JobsExtraFields=Atributos adicionais (Postos) -EvaluationsExtraFields=Atributos adicionais (avaliacións) +SkillsExtraFields=Atributos complementarios (Habilidades) +JobsExtraFields=Atributos complementarios (Perfil do posto de traballo) +EvaluationsExtraFields=Atributos complementarios (Avaliacións) NeedBusinessTravels=Precisa viaxes de negocios NoDescription=Sen descrición +TheJobProfileHasNoSkillsDefinedFixBefore=O perfil laboral avaliado deste empregado non ten ningunha habilidade definida nel. Engada habilidades, despois elimine e reinicie a avaliación. diff --git a/htdocs/langs/gl_ES/mails.lang b/htdocs/langs/gl_ES/mails.lang index 9bc3d5079ab..275cfed304e 100644 --- a/htdocs/langs/gl_ES/mails.lang +++ b/htdocs/langs/gl_ES/mails.lang @@ -182,5 +182,7 @@ WarningLimitSendByDay=ADVERTENCIA: a configuración ou o contrato da súa instan NoMoreRecipientToSendTo=Non hai máis destinatarios aos que enviar o correo electrónico EmailOptedOut=O propietario do correo electrónico solicitou que non se poña en contacto con el neste correo electrónico nunca mais EvenUnsubscribe=Incluír correos electrónicos excluidos -EvenUnsubscribeDesc=Incluír correos electrónicos excluidos cando seleccione correos electrónicos como obxectivos. Útil para correos electrónicos de servizo obrigatorio, por exemplo. +EvenUnsubscribeDesc=Incluír correos electrónicos excluidos cando seleccione correos electrónicos como destinos. Útil para correos electrónicos de servizo obrigatorio, por exemplo. XEmailsDoneYActionsDone=Correos electrónicos %s precalificados, correos electrónicos %s procesados correctamente (para %s rexistro/accións realizadas) +helpWithAi=Engade instrucións +YouCanMakeSomeInstructionForEmail=Pode facer algunhas instrucións para o seu correo electrónico (Exemplo: xerar imaxe no modelo de correo electrónico...) diff --git a/htdocs/langs/gl_ES/main.lang b/htdocs/langs/gl_ES/main.lang index b076bf462c2..154f9313550 100644 --- a/htdocs/langs/gl_ES/main.lang +++ b/htdocs/langs/gl_ES/main.lang @@ -36,7 +36,7 @@ NoTranslation=Sen tradución Translation=Tradución Translations=Traducións CurrentTimeZone=Zona horaria PHP (Servidor) -EmptySearchString=Entre unha cadea de busca non baleira +EmptySearchString=Introduza criterios de busca non baleiros EnterADateCriteria=Engadir un criterio de data NoRecordFound=Non atopáronse rexistros NoRecordDeleted=Non foi eliminado o rexistro @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Error, ningún tipo de IVE definido para o ErrorNoSocialContributionForSellerCountry=Erro, ningún tipo de taxa social/fiscal definida para o país '%s'. ErrorFailedToSaveFile=Erro, o rexistro do ficheiro fallou. ErrorCannotAddThisParentWarehouse=Tenta angadir un almacén pai que xa é fillo dun almacén existente +ErrorInvalidSubtype=Non se permite o Subtipo seleccionado FieldCannotBeNegative=O campo "%s" non pode ser negativo MaxNbOfRecordPerPage=Número máximo de rexistros por páxina NotAuthorized=Non estás autorizado para facer isto. @@ -103,7 +104,8 @@ RecordGenerated=Registro xerado LevelOfFeature=Nivel de funcións NotDefined=Non definido DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr está configurado no modo de autenticación %s no ficheiro de configuración conf.php.
      Iso significa que a base de datos dos contrasinais é externa a Dolibarr, por iso toda modificación deste campo pode non ter efecto. -Administrator=Administrador +Administrator=Administrador do sistema +AdministratorDesc=Administrador do sistema (pode administrar usuarios, permisos mais tamén a configuración do sistema e os módulos) Undefined=Non definido PasswordForgotten=¿Esqueceu o seu contrasinal? NoAccount=¿Sen conta? @@ -211,8 +213,8 @@ Select=Seleccionar SelectAll=Seleccionar todo Choose=Escoller Resize=Redimensionar +Crop=Recortar ResizeOrCrop=Cambiar o tamaño ou cortar -Recenter=Encadrar Author=Autor User=Usuario Users=Usuarios @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Céntimos adicionais +LT1GC=Centavos adicionais VATRate=Taxa IVE RateOfTaxN=Tipo de imposto %s VATCode=Código taxa IVE @@ -547,6 +549,7 @@ Reportings=Informes Draft=Borrador Drafts=Borradores StatusInterInvoiced=Facturado +Done=Realizados Validated=Validado ValidatedToProduce=Valido (A fabricar) Opened=Activo @@ -698,6 +701,7 @@ Response=Resposta Priority=Prioridade SendByMail=Enviar por e-mail MailSentBy=E-mail enviado por +MailSentByTo=Correo electrónico enviado por %s a %s NotSent=Non enviado TextUsedInTheMessageBody=Texto no corpo da mensaxe SendAcknowledgementByMail=Enviar correo de confirmación @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Rexistro modificado correctamente RecordsModified=%s rexistros modificados RecordsDeleted=%s rexistros eliminados RecordsGenerated=%s rexistro(s) xerado(s) +ValidatedRecordWhereFound = Algúns dos rexistros seleccionados xa foron validados. Non se eliminou ningún rexistro. AutomaticCode=Creación automática de código FeatureDisabled=Función desactivada MoveBox=Mover panel @@ -764,11 +769,10 @@ DisabledModules=Módulos desactivados For=Para ForCustomer=Para cliente Signature=Sinatura -DateOfSignature=Data da sinatura HidePassword=Amosar comando con contrasinal oculto UnHidePassword=Amosar comando con contrasinal á vista Root=Raíz -RootOfMedias=Raiz de medias públicas (/medias) +RootOfMedias=Raíz dos medios públicos (/medias) Informations=Información Page=Páxina Notes=Notas @@ -916,6 +920,7 @@ BackOffice=Back office Submit=Enviar View=Ver Export=Exportar +Import=Área importación Exports=Exportacións ExportFilteredList=Listaxe filtrado de exportación ExportList=Listaxe de exportación @@ -949,7 +954,7 @@ BulkActions=Accións masivas ClickToShowHelp=Prema para amosar a axuda sobre ferramentas WebSite=Sitio web WebSites=Sitios web -WebSiteAccounts=Contas do sitio web +WebSiteAccounts=Contas de acceso web ExpenseReport=Informe de gasto ExpenseReports=Informes de gastos HR=RRHH @@ -1077,6 +1082,7 @@ CommentPage=Espazo de comentarios CommentAdded=Comentario engadido CommentDeleted=Comentario borrado Everybody=Proxecto compartido +EverybodySmall=Proxecto compartido PayedBy=Pagado por PayedTo=Pagado a Monthly=Mensual @@ -1089,7 +1095,7 @@ KeyboardShortcut=Atallo de teclado AssignedTo=Asignada a Deletedraft=Eliminar borrador ConfirmMassDraftDeletion=Confirmación de borrado en masa -FileSharedViaALink=Ficheiro compartido cunha ligazón pública +FileSharedViaALink=Ficheiro público compartido mediante ligazón SelectAThirdPartyFirst=Selecciona un terceiro antes... YouAreCurrentlyInSandboxMode=Estás actualmente no modo %s "sandbox" Inventory=Inventario @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Tarefa ContactDefault_propal=Orzamento ContactDefault_supplier_proposal=Orzamento de provedor ContactDefault_ticket=Ticket -ContactAddedAutomatically=Engadido contacto dende os contactos de terceiros +ContactAddedAutomatically=Engadiuse un contacto a partir de roles de contactos de terceiros More=Mais ShowDetails=Amosar detalles CustomReports=Informe de custos @@ -1163,7 +1169,7 @@ AffectTag=Asignar unha etiqueta AffectUser=Asignar un usuario SetSupervisor=Establece o supervisor CreateExternalUser=Crear usuario externo -ConfirmAffectTag=Asignación masiva de etiquetas +ConfirmAffectTag=Asignación de etiquetas masivas ConfirmAffectUser=Asignación masiva de usuarios ProjectRole=Papel asignado en cada proxecto/oportunidade TasksRole=Papel asignado a cada tarefa (se se usa) @@ -1222,7 +1228,7 @@ UserAgent=Axente de usuario InternalUser=Usuario interno ExternalUser=Usuario externo NoSpecificContactAddress=Sen contacto nin enderezo específico -NoSpecificContactAddressBis=Esta lapela está dedicada a forzar contactos ou enderezos específicos para o obxecto actual. Utilíce só se quere definir un ou varios contactos ou enderezos específicos para o obxecto cando a información do terceiro non sexa suficiente ou non sexa precisa. +NoSpecificContactAddressBis=Esta lapela está adicada a forzar contactos ou enderezos específicos para o obxecto actual. Utilíce só se quere definir un ou varios contactos ou enderezos específicos para o obxecto cando a información do terceiro non sexa suficiente ou non sexa precisa. HideOnVCard=Ocultar %s AddToContacts=Engadir enderezo aos meus contactos LastAccess=Último acceso @@ -1239,3 +1245,18 @@ DateOfPrinting=Data de impresión ClickFullScreenEscapeToLeave=Fai clic aquí para cambiar ao modo de pantalla completa. Preme ESCAPE para saír do modo pantalla completa. UserNotYetValid=Aínda non válido UserExpired=Expirado +LinkANewFile=Ligar un novo ficheiro/documento +LinkedFiles=Ficheiros e documentos ligados +NoLinkFound=Sen ligazóns registrados +LinkComplete=O ficheiro foi ligado correctamente +ErrorFileNotLinked=O ficheiro non puido ser ligado +LinkRemoved=A ligazón %s foi eliminada +ErrorFailedToDeleteLink= Erro ao eliminar a ligazón '%s' +ErrorFailedToUpdateLink= Erro ao actualizar a ligazón '%s' +URLToLink=URL a ligar +OverwriteIfExists=Sobrescribir se o ficheiro existe +AmountSalary=Importe do salario +InvoiceSubtype=Subtipo de factura +ConfirmMassReverse=Confirmación borrado masivo +ConfirmMassReverseQuestion=¿Estás certo de querer eliminar os %s rexistro(s) seleccionado(s)? + diff --git a/htdocs/langs/gl_ES/margins.lang b/htdocs/langs/gl_ES/margins.lang index 916f1bd4c76..2c6ec750b4b 100644 --- a/htdocs/langs/gl_ES/margins.lang +++ b/htdocs/langs/gl_ES/margins.lang @@ -38,7 +38,7 @@ CostPrice=Prezo de compra UnitCharges=Carga unitaria Charges=Cargas AgentContactType=Tipo de contacto comisionado -AgentContactTypeDetails=Indique qué tipo de contacto (ligado ás facturas) será o utilizado para o informe de marxes de axentes comerciais +AgentContactTypeDetails=Defina que tipo de contacto (ligado nas facturas) se utilizará para o informe de marxe por contacto/enderezo. Teña en conta que a lectura de estatísticas dun contacto non é fiable xa que na maioría dos casos é posible que o contacto non estea definido explícitamente nas facturas. rateMustBeNumeric=O marxe debe ser un valor numérico markRateShouldBeLesserThan100=O marxe ten que ser menor que 100 ShowMarginInfos=Amosar info de marxes diff --git a/htdocs/langs/gl_ES/modulebuilder.lang b/htdocs/langs/gl_ES/modulebuilder.lang index 2e7e8346f27..2ce9989ef1c 100644 --- a/htdocs/langs/gl_ES/modulebuilder.lang +++ b/htdocs/langs/gl_ES/modulebuilder.lang @@ -40,7 +40,7 @@ EditorName=Nome do editor EditorUrl=URL do editor DescriptorFile=Ficheiro descriptor do módulo ClassFile=Arquivo para a clase PHP DAO CRUD -ApiClassFile=Ficheiro para a clase PHP API +ApiClassFile=Ficheiro API do módulo PageForList=Páxina PHP para a lista de rexistros PageForCreateEditView=Páxina PHP para crear/editar/ver un rexistro PageForAgendaTab=Páxina PHP para a lapela de evento @@ -71,7 +71,7 @@ ArrayOfKeyValues=​​Matriz de chave-valor ArrayOfKeyValuesDesc=Matriz de chaves e valores se o campo é unha lista combinada con valores fixos WidgetFile=Ficheiro widget CSSFile=Ficheiro CSS -JSFile=Ficheiro Javascript +JSFile=Ficheiro JavaScript ReadmeFile=Ficheiro Léame ChangeLog=Ficheiro ChangeLog TestClassFile=Ficheiro para a clase PHP Test @@ -92,8 +92,8 @@ ListOfMenusEntries=Listaxe de entradas de menú ListOfDictionariesEntries=Listaxe de entradas de dicionarios ListOfPermissionsDefined=Listaxe de permisos definidos SeeExamples=Ver exemplos aquí -EnabledDesc=Condición para ter este campo activo.

      Exemplos:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=O campo é visible? (Exemplos: 0=Nunca visible, 1=Visible na listace e crear/actualizar/ver formularios, 2=Visible só na lista, 3=Visible só ao crear/actualizar/ver formulario (non na listaxe), 4=Visible na listaxe e actualizar/ver formulario só (non crear), 5=Visible só no formulario de visualización final da listaxe (non crear, non actualizar).

      Usar un valor negativo significa que o campo non se amosa por defecto na listaxe pero pode seleccionarse para ver). +EnabledDesc=Condición para ter este campo activo.

      Exemplos:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=O campo é visible? (Exemplos: 0=Nunca visible, 1=Visible na lista e crear/actualizar/ver formularios, 2=Visible só na lista, 3=Visible só ao crear/actualizar/ver formulario (non nas listaxes), 4=Visible nas listaxes e actualizar/ver só formulario (non crear), 5=Visible na listaxe e ver só noformulario (non crear, non actualizar).

      Usar un valor negativo significa que o campo non se amosa de forma predeterminada na listaxe, pero que se pode seleccionar para ver). ItCanBeAnExpression=Pode ser unha expresión. Exemplo:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 DisplayOnPdfDesc=Amosa este campo en documentos PDF compatibles, pode xestionar a posición co campo "Posición".
      Para documentos :
      0 = non visualizar
      1 = visualizar
      2 = visualizar se non está baleiro

      Para liñas de documentoss :
      0 = non visualizar
      1 = visuliazar na columna
      3 = visualizar na columna de descrición de liña despois da descrición
      4 = visualizar na columna de descrición despois da descrición só se non está baleira DisplayOnPdf=En PDF @@ -107,7 +107,7 @@ PermissionsDefDesc=Defina aquí os novos permisos proporcionados polo seu módul MenusDefDescTooltip=Os menús proporcionados polo seu módulo/aplicación defínense na matriz $this->menus no ficheiro descritor do módulo. Pode editar este ficheiro manualmente ou usar o editor incorporado.

      Nota: unha vez definidos (e reactivado o módulo), os menús tamén están visibles no editor de menús dispoñible para os usuarios administradores en %s. DictionariesDefDescTooltip=Os dicionarios proporcionados polo seu módulo/aplicación están definidos no array $this->dicionarios no ficheiro descriptor do módulo. Pode editar este ficheiro manualmente ou usar o editor incrustado.

      Nota: Unha vez definido (e reactivado o módulo), os dicionarios tamén son visibles na área de configuración para os usuarios administradores en %s. PermissionsDefDescTooltip=Os permisos proporcionados polo seu módulo/aplicación defínense no array $this->rights no ficheiro descriptor do módulo. Pode editar este ficheiro manualmente ou usar o editor incrustado.

      Nota: Unha vez definido (e reactivado o módulo), os permisos son visibles na configuración de permisos predeterminada %s. -HooksDefDesc=Define na propiedade module_parts ['hooks'] , no descriptor do módulo, o contexto dos hooks que desexa xestionar (a listaxe de contextos pódese atopar mediante unha busca en ' initHooks ( 'no código principal).
      Edite o ficheiro de hooks para engadir o código das funcións (as funcións pódense atopar mediante unha busca en' executeHooks 'no código principal). +HooksDefDesc=Defina na propiedade module_parts['hooks'], no ficheiro descritor do módulo, a lista de contextos cando o seu hook debe executarse (a lista de posibles contextos pódese atopar mediante unha busca en 'initHooks(' no código principal) .
      A continuación, edite o ficheiro co código de hooks co código das súas funcións enganchadas (a lista de funcións enganchables pódese atopar mediante unha busca en ' executeHooks' no código principal). TriggerDefDesc=Defina no ficheiro de activación o código que quere executar cando se executa un evento empresarial externo ao seu módulo (eventos desencadeados por outros módulos). SeeIDsInUse=Ver identificacións en uso na súa instalación SeeReservedIDsRangeHere=Ver o rango de identificacións reservadas @@ -149,7 +149,7 @@ CSSListClass=CSS para a listaxe NotEditable=Non editable ForeignKey=Chave estranxeira ForeignKeyDesc=Se hai que garantir que o valor deste campo exista noutra táboa. Introduza aquí un valor que coincida coa sintaxe: tablename.parentfieldtocheck -TypeOfFieldsHelp=Exemplo:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      ' 1' significa que engadimos un botón + despois do combo para crear o rexistro
      'filtro' é unha condición sql, exemplo: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' +TypeOfFieldsHelp=Exemplo:
      varchar(99)
      correo electrónico
      teléfono
      ip
      url
      contrasinal
      double(24,8)
      real
      texto
      html
      data
      datahora
      timestamp
      integer
      integer:ClassName:relativepath/to/classfile.class.php

      '1' significa que engadimos un botón + despois do combo para crear o rexistro
      'filtro' é unha condición de sintaxe de filtro universal, exemplo: '((estado:=:1) AND (fk_user:=:__USER_ID__) AND (entity:IN:(__SHARED_ENTITIES__))' TypeOfFieldsHelpIntro=Este é o tipo de campo/atributo. AsciiToHtmlConverter=Conversor de ascii a HTML AsciiToPdfConverter=Conversor de ascii a PDF @@ -181,3 +181,9 @@ FailedToAddCodeIntoDescriptor=Produciuse un erro ao engadir o código ao descrit DictionariesCreated=Dicionario %s creado correctamente DictionaryDeleted=Dicionario %s eliminado correctamente PropertyModuleUpdated=A propiedade %s actualizouse correctamente +InfoForApiFile=* Cando xera o ficheiro por primeira vez, crearanse todos os métodos para cada obxecto.
      * Cando prema en eliminar só elimina todos os métodos para a claseobxecto seleccionado. +SetupFile=Páxina para a configuración do módulo +EmailingSelectors=Selectores de correo electrónico +EmailingSelectorDesc=Pode xerar e editar aquí os ficheiros de clase para proporcionar novos selectores de destino de correo electrónico para o módulo de correo electrónico masivo +EmailingSelectorFile=Ficheiro de selección de correos electrónicos +NoEmailingSelector=Non hai ficheiros de selección de correos electrónicos diff --git a/htdocs/langs/gl_ES/mrp.lang b/htdocs/langs/gl_ES/mrp.lang index 6b0d4eebff0..cbec85c755b 100644 --- a/htdocs/langs/gl_ES/mrp.lang +++ b/htdocs/langs/gl_ES/mrp.lang @@ -31,9 +31,14 @@ Consumption=Consumo ValueOfMeansLoss=O valor de 0,95 significa unha media de 5%% de perda durante a fabricación ou a desmontaxe ValueOfMeansLossForProductProduced=O valor de 0,95 significa unha media do 5 %% da perda do produto producido DeleteBillOfMaterials=Eliminar listaxe de materiais +CancelMo=Cancelar pedimento de fabricación +MoCancelConsumedAndProducedLines=Cancela tamén todas as liñas consumidas e producidas (eliminar liñas e retrotraer stocks) +ConfirmCancelMo=Está certo de querer cancelar este pedimento de fabricación? DeleteMo=Borra pedimento de manufacturación ConfirmDeleteBillOfMaterials=Está certo de querer eliminar esta Listaxe de Materiais? ConfirmDeleteMo=Está certo de querer eliminar esta orde de fabricación? +DeleteMoChild = Eliminar os MO fillos vinculados a este MO %s +MoChildsDeleted = Elimináronse todos os MO fillos MenuMRP=Pedimentos de fabricación NewMO=Novo pedimento de fabricación QtyToProduce=Cant. a producir @@ -123,3 +128,10 @@ Manufacturing=Fabricación Disassemble=Desmontar ProducedBy=Producido por QtyTot=Cant. total + +QtyCantBeSplit= A cantidade non se pode dividir +NoRemainQtyToDispatch=Non queda ningunha cantidade por dividir + +THMOperatorEstimatedHelp=Custo estimado do operador por hora. Usarase para estimar o custo dunha lista de materiais usando esta estación de traballo. +THMMachineEstimatedHelp=Custo estimado da máquina por hora. Usarase para estimar o custo dunha lista de materiais usando esta estación de traballo. + diff --git a/htdocs/langs/gl_ES/multicurrency.lang b/htdocs/langs/gl_ES/multicurrency.lang index b804f5b2641..c6bdf20dc2f 100644 --- a/htdocs/langs/gl_ES/multicurrency.lang +++ b/htdocs/langs/gl_ES/multicurrency.lang @@ -40,3 +40,4 @@ CurrencyCodeId=ID de moeda CurrencyCode=Código de moeda CurrencyUnitPrice=Prezo unitario en moeda estranxeira CurrencyPrice=Prezo en moeda estranxeira +MutltiCurrencyAutoUpdateCurrencies=Actualizar todos os tipo de cambio diff --git a/htdocs/langs/gl_ES/oauth.lang b/htdocs/langs/gl_ES/oauth.lang index 22af3c0b6db..41469f48db1 100644 --- a/htdocs/langs/gl_ES/oauth.lang +++ b/htdocs/langs/gl_ES/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Token eliminado GetAccess=Prema aquí para obter un token RequestAccess=Prema aquí para solicitar/renovar o acceso e recibir un novo token DeleteAccess=Prema aquí para eliminar o token -UseTheFollowingUrlAsRedirectURI=Utilice o seguinte URL como redirección URI cando cree as súas credenciais co seu provedor de OAuth: +RedirectURL=URL de redirección +UseTheFollowingUrlAsRedirectURI=Utilice o seguinte URL como redirección URL ao crear as súas credenciais co seu provedor de OAuth ListOfSupportedOauthProviders=Engada os seus provedores de tokens OAuth2. A continuación, vaia á páxina de administración do seu provedor de OAuth para crear/obter un ID de OAuth e un Segredo e gárdeos aquí. Unha vez feito isto, active a outra pestana para xerar o seu token. OAuthSetupForLogin=Páxina para xestionar (xerar/eliminar) tokens OAuth SeePreviousTab=Ver a lapela previa diff --git a/htdocs/langs/gl_ES/opensurvey.lang b/htdocs/langs/gl_ES/opensurvey.lang index 3f0360daa5a..41a67715ad0 100644 --- a/htdocs/langs/gl_ES/opensurvey.lang +++ b/htdocs/langs/gl_ES/opensurvey.lang @@ -11,7 +11,7 @@ PollTitle=Título da enquisa ToReceiveEMailForEachVote=Reciba un correo electrónico por cada voto TypeDate=Escriba a data TypeClassic=Tipo estándar -OpenSurveyStep2=Seleccione as súas datas entre os días libres (gris). Os días seleccionados son verdes. Pode deseleccionar un día seleccionado previamente facendo clic de novo nel +OpenSurveyStep2=Seleccione as súas datas entre os días libres (gris). Os días seleccionados son verdes. Pode deseleccionar un día seleccionado previamente premendo de novo nel RemoveAllDays=Eliminar todos os días CopyHoursOfFirstDay=Copiar as horas do primeiro día RemoveAllHours=Eliminar todas as horas @@ -61,3 +61,4 @@ SurveyExpiredInfo=Pechouse a votación ou caducou o tempo de votación. EmailSomeoneVoted=%s encheu unha liña. \nPode atopar a súa enquisa na ligazón:\n %s ShowSurvey=Amosar a enquisa UserMustBeSameThanUserUsedToVote=Debe ter votado e usar o mesmo nome de usuario que o usado para votar, para publicar un comentario +ListOfOpenSurveys=Lista de enquisas abertas diff --git a/htdocs/langs/gl_ES/orders.lang b/htdocs/langs/gl_ES/orders.lang index ed2a1a9f74d..45f3f7effaa 100644 --- a/htdocs/langs/gl_ES/orders.lang +++ b/htdocs/langs/gl_ES/orders.lang @@ -19,7 +19,7 @@ MakeOrder=Realizar pedimento SupplierOrder=Pedimento a provedor SuppliersOrders=Pedimentos a provedores SaleOrderLines=Liñas de pedimentos de venda -PurchaseOrderLines=Liñas de pedimentos de compras +PurchaseOrderLines=Liñas de pedimento a provedor SuppliersOrdersRunning=Pedimentos a provedores actuais CustomerOrder=Pedimento cliente CustomersOrders=Pedimentos de clientes @@ -72,7 +72,7 @@ Approve2Order=Aprobar pedimento (segundo nivel) UserApproval=Usuario para aprobación UserApproval2=Usuario para aprobación (segundo nivel) ValidateOrder=Validar o pedimento -UnvalidateOrder=Desvalidar o pedimento +UnvalidateOrder=Invalidar o pedimento DeleteOrder=Eliminar o pedimento CancelOrder=Anular o pedimento OrderReopened= Pedimento %s aberto de novo diff --git a/htdocs/langs/gl_ES/other.lang b/htdocs/langs/gl_ES/other.lang index c4fa8570e5c..73b94ac6c2b 100644 --- a/htdocs/langs/gl_ES/other.lang +++ b/htdocs/langs/gl_ES/other.lang @@ -31,7 +31,7 @@ PreviousYearOfInvoice=Ano previo da data da factura NextYearOfInvoice=Ano seguinte da data da factura DateNextInvoiceBeforeGen=Data da próxima factura (antes da xeración) DateNextInvoiceAfterGen=Data da próxima factura (despois da xeración) -GraphInBarsAreLimitedToNMeasures=Os gráficos están limitados ao % medidos en modo "Barras". O modo 'Liñas' foi automáticamente seleccionado no seu lugar. +GraphInBarsAreLimitedToNMeasures=Os gráficos están limitados a %s medidos no modo "Barras". No seu lugar seleccionouse automaticamente o modo "Liñas". OnlyOneFieldForXAxisIsPossible=Actualmente só e posible 1 campo como eixo X. Só escolleu o primeiro campo seleccionado. AtLeastOneMeasureIsRequired=Requírese polo menos1 campo para medir AtLeastOneXAxisIsRequired=Reuírese polo menos un campo para o eixo X @@ -45,6 +45,7 @@ Notify_ORDER_CLOSE=Pedimento de cliente entregado Notify_ORDER_SUPPLIER_SENTBYMAIL=Envío pedimento ao provedor por correo electrónico Notify_ORDER_SUPPLIER_VALIDATE=Pedimento a provedor aprobado Notify_ORDER_SUPPLIER_APPROVE=Pedimento a provedor aprobado +Notify_ORDER_SUPPLIER_SUBMIT=Pedimento enviado Notify_ORDER_SUPPLIER_REFUSE=Pedimento a provedor rexeitado Notify_PROPAL_VALIDATE=Validación orzamento cliente Notify_PROPAL_CLOSE_SIGNED=Orzamento cliente pechado como asinado @@ -63,9 +64,10 @@ Notify_BILL_SENTBYMAIL=Envío factura a cliente por correo electrónico Notify_BILL_SUPPLIER_VALIDATE=Validación factura de provedor Notify_BILL_SUPPLIER_PAYED=Factura do provedor pagada Notify_BILL_SUPPLIER_SENTBYMAIL=Envío factura de provedor por correo electrónico -Notify_BILL_SUPPLIER_CANCELED=Factura del provedor cancelada +Notify_BILL_SUPPLIER_CANCELED=Cancelouse a factura do provedor Notify_CONTRACT_VALIDATE=Validación contrato Notify_FICHINTER_VALIDATE=Intervención validada +Notify_FICHINTER_CLOSE=Intervención pechada Notify_FICHINTER_ADD_CONTACT=Contacto engadido a intervención Notify_FICHINTER_SENTBYMAIL=Intervención enviada por correo electrónico Notify_SHIPPING_VALIDATE=Envío validado @@ -190,7 +192,11 @@ EnableGDLibraryDesc=Instalar ou habilitar a biblioteca GD na súa instalación d ProfIdShortDesc= Id. Profesional% s é unha información que depende dun país de terceiros.
      Por exemplo, para o país % s , é o código % s . DolibarrDemo=Demo de Dolibarr ERP/CRM StatsByAmount=Estatísticas sobre a cantidade de produtos/servizos +StatsByAmountProducts=Estatísticas sobre a cantidade de produtos +StatsByAmountServices=Estatísticas sobre a cantidade de servizos StatsByNumberOfUnits=Estatísticas para suma de unidades de produto/servizo +StatsByNumberOfUnitsProducts=Estatísticas da suma de cantidades de produtos +StatsByNumberOfUnitsServices=Estatísticas da suma da cantidade de servizos StatsByNumberOfEntities=Estatísticas do número de entidades de referencia (num de facturas, ou pedimentos ...) NumberOf=Número de %s NumberOfUnits=Número de unidades en %s @@ -198,6 +204,7 @@ AmountIn=Cantidade en %s NumberOfUnitsMos=Número de unidades a producir nos pedimentos de fabricación EMailTextInterventionAddedContact=Unha nova intervencións %s foi asignada a vostede EMailTextInterventionValidated=Ficha intervención %s validada +EMailTextInterventionClosed=A intervención %s pechouse. EMailTextInvoiceValidated=Factura %s validada EMailTextInvoicePayed=A factura %s foi pagada. EMailTextProposalValidated=O orzamento %s do seu interese foi validado. @@ -207,11 +214,10 @@ EMailTextProposalClosedRefused=O orzamento %s foi rexeitado e pechado. EMailTextProposalClosedRefusedWeb=O orzamento %s foi rexeitado e pechado na páxina do portal. EMailTextOrderValidated=Pedimento %s validado. EMailTextOrderClose=O pedimento %s foi entregado. -EMailTextOrderApproved=Pedimento %s aprobado -EMailTextOrderValidatedBy=Pedimento %s rexistrado por %s. -EMailTextOrderApprovedBy=Pedimento %s aprobado por %s -EMailTextOrderRefused=Pedimento %s rexeitado -EMailTextOrderRefusedBy=Pedimento %s rexeitado por %s +EMailTextSupplierOrderApprovedBy=O pedimento de compra %s foi aprobado por %s. +EMailTextSupplierOrderValidatedBy=O pedido a provedor %s foi rexistrado por %s. +EMailTextSupplierOrderSubmittedBy=O pedimento a provedor %s foi enviado por %s. +EMailTextSupplierOrderRefusedBy=O pemento a provedor %s foi rexeitado por %s. EMailTextExpeditionValidated=Envío %s validado. EMailTextExpenseReportValidated=Informe de gastos %s validado. EMailTextExpenseReportApproved=Informe de gastos %s aprobado. @@ -289,10 +295,12 @@ LinesToImport=Liñas a importar MemoryUsage=Uso de memoria RequestDuration=Duración da solicitude -ProductsPerPopularity=Produtos/Servizos por popularidade -PopuProp=Produtos/Servizos por popularidade en Orzamentos -PopuCom=Produtos/Servizos por popularidade e Pedimentos -ProductStatistics=Estatísticas de Produtos/Servizos +ProductsServicesPerPopularity=Produtos|Servizos por popularidade +ProductsPerPopularity=Produtos por popularidade +ServicesPerPopularity=Servizos por popularidade +PopuProp=Produtos|Servizos por popularidade en Orzamentos +PopuCom=Produtos|Servizos por popularidade en Pedimentos +ProductStatistics=Estatísticas de Produtos|Servizos NbOfQtyInOrders=Cantidade en pedimentos SelectTheTypeOfObjectToAnalyze=Seleccione un obxecto para ver as súas estatísticas ... diff --git a/htdocs/langs/gl_ES/partnership.lang b/htdocs/langs/gl_ES/partnership.lang index d0c72cf5698..f04640f3db2 100644 --- a/htdocs/langs/gl_ES/partnership.lang +++ b/htdocs/langs/gl_ES/partnership.lang @@ -82,10 +82,10 @@ YourPartnershipRefusedTopic=Subscrición rexeitada YourPartnershipAcceptedTopic=Subscrición aceptada YourPartnershipCanceledTopic=Subscrición cancelada -YourPartnershipWillSoonBeCanceledContent=Informámoslle que a súa asociación pronto se cancelará (non se atopou a ligazón de atraso) -YourPartnershipRefusedContent=Informámoslle que a súa solicitude de subscrición foi rexeitada. +YourPartnershipWillSoonBeCanceledContent=Queremolo informar de que a súa subscrición se cancelará en breve (non obtivemos a renovación ou falta un requisito previo para a nosa asociación). Póñase en contacto connosco por correo electrónico se se trata dun erro. +YourPartnershipRefusedContent=Queremos informarte de que a túa solicitude de subscrición foi rexeitada. Non se cumpriron os requisitos previos. Póñase en contacto connosco se precisa máis información. YourPartnershipAcceptedContent=Informámoslle que a súa solicitude de subscrición foi aceptada. -YourPartnershipCanceledContent=Informámoslle que a súa subscrición foi cancelada. +YourPartnershipCanceledContent=Queremos informarvos de que a nosa asociación foi cancelada. Póñase en contacto connosco se precisa máis información. CountLastUrlCheckError=Número de erros para as últimas URL revisadas LastCheckBacklink=Data da última URL revisada @@ -95,3 +95,5 @@ NewPartnershipRequest=Nova solicitude de colaboración NewPartnershipRequestDesc=Este formulario permíte solicitar formar parte dun dos nosos programas de colaboración. Se precisa axuda para cubrir este formulario, póñase en contacto por correo electrónico %s . ThisUrlMustContainsAtLeastOneLinkToWebsite=Esta páxina debe conter polo menos unha ligazón a un dos seguintes dominios: %s +IPOfApplicant=IP do solicitante + diff --git a/htdocs/langs/gl_ES/products.lang b/htdocs/langs/gl_ES/products.lang index e245b69288a..41d5ecdc919 100644 --- a/htdocs/langs/gl_ES/products.lang +++ b/htdocs/langs/gl_ES/products.lang @@ -80,8 +80,11 @@ SoldAmount=Importe vendas PurchasedAmount=Importe compras NewPrice=Novo prezo MinPrice=Prezo de venda mímino +MinPriceHT=Prezo Min. de venda (sen impostos) +MinPriceTTC=Prezo Min. de venda (sen impostos) EditSellingPriceLabel=Editar etiqueta prezo de venda -CantBeLessThanMinPrice=O prezo de venda non pode ser inferior ao mínimo permitido para este produto (%s sen impostos). Esta mensaxe tamén pode aparecer se escribe un desconto demasiado alto. +CantBeLessThanMinPrice=O prezo de venda non pode ser inferior ao mínimo permitido para este produto (%s sen impostos). Esta mensaxe tamén pode aparecer se escribe un desconto alto. +CantBeLessThanMinPriceInclTax=O prezo de venda non pode ser inferior ao mínimo permitido para este produto (%s impostos incluídos). Esta mensaxe tamén pode aparecer se escribe un desconto demasiado alto. ContractStatusClosed=Pechado ErrorProductAlreadyExists=Un produto coa referencia %s xa existe. ErrorProductBadRefOrLabel=Valor incorrecto como referencia ou etiqueta. @@ -351,12 +354,13 @@ PackagingForThisProductDesc=Mercará automaticamente un múltiplo desta cantidad QtyRecalculatedWithPackaging=A cantidade da liña recalculouse segundo o empaquetado do provedor #Attributes +Attributes=Atributos VariantAttributes=Atributos variantes ProductAttributes=Atributos variantes para produtos ProductAttributeName=Atributo variante %s ProductAttribute=Atributo variante ProductAttributeDeleteDialog=¿Está certo de querer eliminar este atributo? Todos os valores serán eliminados -ProductAttributeValueDeleteDialog=¿Está certo de querer eliminar o valor "%s" con referencia "%s" deste atributo? +ProductAttributeValueDeleteDialog=¿Está certo de querer eliminar o valor "%s" coa referencia "%s" deste atributo? ProductCombinationDeleteDialog=¿Está certo de querer eliminar a variante do produto "%s"? ProductCombinationAlreadyUsed=Aconteceu un erro eliminando a variante. Comprobe que non está a ser usada por algún obxecto ProductCombinations=Variantes @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Aconteceu un erro mentres eliminaba as variantes NbOfDifferentValues=Nº de valores diferentes NbProducts=Nº de produtos ParentProduct=Produto pai +ParentProductOfVariant=Produto nai da variante HideChildProducts=Ocultar as variantes de produtos ShowChildProducts=Amosar a variantes de produtos NoEditVariants=Vaia á tarxeta de produto principal e edite o impacto do prezo das variantes na lapela de variantes @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Seleccione o campo extra que quere modificar ConfirmEditExtrafieldQuestion = Está certo de querer modificar este campo extra? ModifyValueExtrafields = Modificar o valor dun campo extra OrProductsWithCategories=Ou produtos con etiquetas/categorías +WarningTransferBatchStockMouvToGlobal = Se quere deserializar este produto, todo o seu stock serializado transformarase en stock global +WarningConvertFromBatchToSerial=Se actualmente ten unha cantidade superior ou igual a 2 para o produto, cambiar a esta opción significa que seguirá tendo un produto con diferentes obxectos do mesmo lote (mentres quere un número de serie único). O duplicado permanecerá ata que se realice un inventario ou un movemento manual de existencias para solucionar isto. diff --git a/htdocs/langs/gl_ES/projects.lang b/htdocs/langs/gl_ES/projects.lang index 790ffbf391a..fec9b7fa340 100644 --- a/htdocs/langs/gl_ES/projects.lang +++ b/htdocs/langs/gl_ES/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Fóra de proxecto NoProject=Ningún proxecto definido ou propiedade de NbOfProjects=Nº de proxectos NbOfTasks=Nº de tarefas +TimeEntry=Seguimento do tempo TimeSpent=Tempo empregado +TimeSpentSmall=Tempo empregado TimeSpentByYou=Tempo empregado por vostede TimeSpentByUser=Tempo empregado por usuario -TimesSpent=Tempos adicados TaskId=ID Tarefa RefTask=Ref. tarefa LabelTask=Etiqueta tarefa @@ -122,7 +123,7 @@ TaskHasChild=A tarefa ten fíos NotOwnerOfProject=Non é dono deste proxecto privado AffectedTo=Asignado a CantRemoveProject=Este proxecto non pode ser eliminado porque está referenciado por algúns outros obxectoss (facturas, pedimentos ou outras). Ver lapela '%s'. -ValidateProject=Validar proxecto +ValidateProject=Validar o proxecto ConfirmValidateProject=¿Está certo de querer validar este proxecto? CloseAProject=Pechar proxecto ConfirmCloseAProject=¿Está certo de querer pechar este proxecto? diff --git a/htdocs/langs/gl_ES/propal.lang b/htdocs/langs/gl_ES/propal.lang index bcfbb7583cb..6dea2b51dbb 100644 --- a/htdocs/langs/gl_ES/propal.lang +++ b/htdocs/langs/gl_ES/propal.lang @@ -12,9 +12,11 @@ NewPropal=Novo orzamento Prospect=Cliente potencial DeleteProp=Eliminar orzamento ValidateProp=Validar orzamento +CancelPropal=Cancelar AddProp=Crear orzamento ConfirmDeleteProp=¿Está certo de querer eliminar este orzamento? ConfirmValidateProp=¿Está certo de querer validar este orzamento coa referencia %s ? +ConfirmCancelPropal=Está certo de querer cancelar o orzamento a cliente %s? LastPropals=Últimos %s orzamentos LastModifiedProposals=Últimos %s orzamentos modificados AllPropals=Todos os orzamentos @@ -27,11 +29,13 @@ NbOfProposals=Número de orzamentos ShowPropal=Ver orzamento PropalsDraft=Borradores PropalsOpened=Abertos +PropalStatusCanceled=Cancelado (Abandonado) PropalStatusDraft=Borrador (é preciso validar) PropalStatusValidated=Validado (Orzamento aberto) PropalStatusSigned=Asinado (a facturar) PropalStatusNotSigned=Non asinado (pechado) PropalStatusBilled=Facturado +PropalStatusCanceledShort=Anulado PropalStatusDraftShort=Borrador PropalStatusValidatedShort=Validado (aberto) PropalStatusClosedShort=Pechado @@ -114,6 +118,7 @@ RefusePropal=Rexeitar orzamento Sign=Asinado SignContract=Asinar contrato SignFichinter=Sinatura da intervención +SignSociete_rib=Asinar oa orde SignPropal=Aceptar orzamento Signed=asinado SignedOnly=Só asinado diff --git a/htdocs/langs/gl_ES/receptions.lang b/htdocs/langs/gl_ES/receptions.lang index 0d2413cf300..9ed1d55f07a 100644 --- a/htdocs/langs/gl_ES/receptions.lang +++ b/htdocs/langs/gl_ES/receptions.lang @@ -53,5 +53,6 @@ ReceptionBackToDraftInDolibarr=A recepción %s volta a borrador ReceptionClassifyClosedInDolibarr=Recepción %s clasificada Pechada ReceptionUnClassifyCloseddInDolibarr=A recepción %s volta a abrirse RestoreWithCurrentQtySaved=Complete as cantidades cos últimos valores gardados -ReceptionUpdated=Recepción actualizada con éxito +ReceptionsRecorded=Recepcións gardadas +ReceptionUpdated=A recepción actualizouse correctamente ReceptionDistribution=Distribución de recepción diff --git a/htdocs/langs/gl_ES/recruitment.lang b/htdocs/langs/gl_ES/recruitment.lang index c0dcb7c8043..f0ae8f9b0d7 100644 --- a/htdocs/langs/gl_ES/recruitment.lang +++ b/htdocs/langs/gl_ES/recruitment.lang @@ -77,3 +77,5 @@ ExtrafieldsApplication=Atributos complementarios (candidaturas) MakeOffer=Facer unha oferta WeAreRecruiting=Estamos contratando. Esta é unha lista de prazas abertas para cubrir... NoPositionOpen=Non hai postos laborais libres polo momento +ConfirmClose=Confirmar cancelación +ConfirmCloseAsk=Está certo de querer cancelar esta candidatura de contratación? diff --git a/htdocs/langs/gl_ES/sendings.lang b/htdocs/langs/gl_ES/sendings.lang index 53726cabec8..d50a8bdb916 100644 --- a/htdocs/langs/gl_ES/sendings.lang +++ b/htdocs/langs/gl_ES/sendings.lang @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Cantidade en pedimentos a proveedor NoProductToShipFoundIntoStock=Non se atopou ningún produto para enviar no almacén % s . Corrixir o stock ou voltar a escoller outro almacén. WeightVolShort=Peso/Vol. ValidateOrderFirstBeforeShipment=Antes de poder realizar envíos debe validar o pedimento. +NoLineGoOnTabToAddSome=Sen liña, vai á lapela "%s" para engadir # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Suma do peso dos produtos # warehouse details DetailWarehouseNumber= Detalles do almacén DetailWarehouseFormat= Alm.:%s (Cant. : %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Mostra a última data de entrada en stock durante a creación do envío para o número de serie ou o lote +CreationOptions=Opcións dispoñibles durante a creación do envío ShipmentDistribution=Distribución do envío -ErrorTooManyCombinationBatchcode=Non hai envío para a liña %s xa que se atoparon demasiadas combinacións de almacén, produto e código de lote (%s). -ErrorNoCombinationBatchcode=Non se atopou ningún envío para a liña %s xa que non se atopou ningunha combinación de almacén, produto e código de lote. +ErrorTooManyCombinationBatchcode=Non hai envío para a liña %s xa que se atoparon demasiadas combinacións de código de almacén, produto e lote (%s). +ErrorNoCombinationBatchcode=Non se puido gardar a liña %s como a combinación de almacén-produto-lote/serie (%s, %s, %s) non se atopou en stock. + +ErrorTooMuchShipped=A cantidade enviada non debe ser superior á cantidade solicitada para a liña %s diff --git a/htdocs/langs/gl_ES/stocks.lang b/htdocs/langs/gl_ES/stocks.lang index ca709a9b85d..7d3578d8145 100644 --- a/htdocs/langs/gl_ES/stocks.lang +++ b/htdocs/langs/gl_ES/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=Stock persoal %s ThisWarehouseIsPersonalStock=Este almacén representa o stock persoal de %s %s SelectWarehouseForStockDecrease=Seleccione o almacén a usar no decremento de stock SelectWarehouseForStockIncrease=Seleccione o almacén a usar no incremento de stock +RevertProductsToStock=Voltar os produtos ao stock? NoStockAction=Sen accións sobre o stock DesiredStock=Stock óptimo desexado DesiredStockDesc=Esta cantidade será o valor que se utilizará para encher o stock no reposición. @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=Non ten stock suficiente para este número de lote no ShowWarehouse=Ver almacén MovementCorrectStock=Correción de sotck do produto %s MovementTransferStock=Transferencia de stock do produto %s a outro almacén +BatchStockMouvementAddInGlobal=O stock de lote pasa a un stock global (o produto xa non usa o lote) InventoryCodeShort=Código Inv./Mov. NoPendingReceptionOnSupplierOrder=Non agárdanse recepcións do pedimento a provedor ThisSerialAlreadyExistWithDifferentDate=Este número de lote/serie (%s) xa existe, pero cunha data de caducidade ou venda distinta (atopada %s pero vostede introduce %s). @@ -210,8 +212,8 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Os movementos de stock terán a dat inventoryChangePMPPermission=Permitir cambiar o PMP dun produto ColumnNewPMP=Nova unidade PMP OnlyProdsInStock=Non engadir produto sen stock -TheoricalQty=Cant. teórica -TheoricalValue=Cant. teórica +TheoricalQty=Cant. teórica +TheoricalValue=Cant. teórica LastPA=Último BP CurrentPA=BP actual RecordedQty=Cant. gardada @@ -244,7 +246,7 @@ StockAtDatePastDesc=Aquí pode ver o stock (stock real) nunha data determinada n StockAtDateFutureDesc=Pode ver aquí o stock (stock virtual) nunha data determinada no futuro CurrentStock=Stock actual InventoryRealQtyHelp=Estableza o valor en 0 para restablecer cantidade
      Manteña o campo baleiro ou elimine a liña para mantelo sen cambios -UpdateByScaning=Completa a cantidade real escaneando +UpdateByScaning=Complete a cantidade real escaneando UpdateByScaningProductBarcode=Actualiza por escaneo (código de barras do produto) UpdateByScaningLot=Actualiza por escano (código de barras lote/serie) DisableStockChangeOfSubProduct=Desactive o cambio de stock de todos os subprodutos deste produto composto durante este movemento. @@ -280,7 +282,7 @@ ModuleStockTransferName=Transferencia de stock avanzada ModuleStockTransferDesc=Xestión avanzada de Transferencia de Stocks, con xeración de folla de transferencia StockTransferNew=Nova transferencia de existencias StockTransferList=Lista de transferencias de existencias -ConfirmValidateStockTransfer=Está certo de querer validar esta transferencia de stocks coa referencia %s ? +ConfirmValidateStockTransfer=¿Está certo de querer validar este movemento de existencias coa referencia %s? ConfirmDestock=Diminución de stocks con transferencia %s ConfirmDestockCancel=Cancelar diminución de existéncias con transferencia %s DestockAllProduct=Diminución de existéncias @@ -318,8 +320,18 @@ StockTransferRightRead=Ler transferencias de existéncias StockTransferRightCreateUpdate=Crear/Actualizar transferencias de existéncias StockTransferRightDelete=Eliminar transferencias de existéncias BatchNotFound=Lote/serie non atopada para este produto +StockEntryDate=Data de entrada en stock
      StockMovementWillBeRecorded=Rexistrarase o movemento de existencias StockMovementNotYetRecorded=O movemento de existencias non se verá afectado por este paso +ReverseConfirmed=O seu contrasinal foi restablecido con éxito + WarningThisWIllAlsoDeleteStock=Aviso, isto tamén destruirá todas as cantidades en stock no almacén +ValidateInventory=Validación de inventario +IncludeSubWarehouse=Incluír subalmacén? +IncludeSubWarehouseExplanation=Marque esta caixa se quere incluír todos os subalmacéns do almacén asociado no inventario DeleteBatch=Eliminar lote/serie ConfirmDeleteBatch=Está certo de querer eliminar o lote/serie? +WarehouseUsage=Almacén utilizado +InternalWarehouse=Almacén interno +ExternalWarehouse=Almacén externo +WarningThisWIllAlsoDeleteStock=Aviso, isto tamén destruirá todas as cantidades en stock no almacén diff --git a/htdocs/langs/gl_ES/stripe.lang b/htdocs/langs/gl_ES/stripe.lang index b73d39950ee..02894cbacdf 100644 --- a/htdocs/langs/gl_ES/stripe.lang +++ b/htdocs/langs/gl_ES/stripe.lang @@ -71,9 +71,10 @@ ToOfferALinkForTestWebhook=Ligazón para configurar Stripe WebHook para chamar a ToOfferALinkForLiveWebhook=Ligazón para configurar Stripe WebHook para chamar ao IPN (modo en directo) PaymentWillBeRecordedForNextPeriod=O pago será rexistrado para o seguinte período. ClickHereToTryAgain= Faga clic aquí para tentalo de novo ... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Debido a fortes regras de autenticación do cliente, a creación dunha tarxeta debe facerse desde o backoffice de Stripe. Pode facer clic aquí para activar o rexistro de cliente de Stripe:%s +CreationOfPaymentModeMustBeDoneFromStripeInterface=Debido as fortes regras de autenticación do cliente, a creación dunha tarxeta debe facerse desde o backoffice de Stripe. Pode premer aquí para activar o rexistro de cliente de Stripe:%s STRIPE_CARD_PRESENT=Transacción de tarxeta presente para terminais Stripe TERMINAL_LOCATION=Localización (enderezo) para terminais Stripe RequestDirectDebitWithStripe=Solicite domiciliación bancaria con Stripe +RequesCreditTransferWithStripe=Solicite transferencia bancaria con Stripe STRIPE_SEPA_DIRECT_DEBIT=Activa os pagamentos por domiciliación bancaria a través de Stripe - +StripeConnect_Mode=Modo de conexión Stripe diff --git a/htdocs/langs/gl_ES/ticket.lang b/htdocs/langs/gl_ES/ticket.lang index 8c421e1a7bd..f15de69a409 100644 --- a/htdocs/langs/gl_ES/ticket.lang +++ b/htdocs/langs/gl_ES/ticket.lang @@ -94,7 +94,7 @@ TicketSetupDictionaries=Os tipos de categorías e os niveis de gravidade podens TicketParamModule=Configuración de variables do módulo TicketParamMail=Configuración de correo electrónicol TicketEmailNotificationFrom=Correo electrónico do remitente para notificar as respostas -TicketEmailNotificationFromHelp=Correo electrónico do remitente para usar para enviar o correo electrónico de notificación cando se proporciona unha resposta dentro do backoffice. Por exemplo noreply@example.com +TicketEmailNotificationFromHelp=Correo electrónico do remitente para usar para enviar o correo electrónico de notificación cando se proporcione unha resposta dentro do back office. Por exemplo noreply@example.com TicketEmailNotificationTo=Notificar a creación do ticket a este enderezo de correo electrónico TicketEmailNotificationToHelp=Se está presente, este enderezo de correo electrónico será notificado da creación dun ticket TicketNewEmailBodyLabel=Mensaxe de texto enviado despois de crear un ticket @@ -105,7 +105,7 @@ TicketsEmailMustExistHelp=Na interfaz pública, o enderezo de correo electrónic TicketsShowProgression=Amosar o progreso do ticket na interface pública TicketsShowProgressionHelp=Active esta opción para ocultar o progreso do ticket nas páxinas da interface pública TicketCreateThirdPartyWithContactIfNotExist=Preguntar nome e nome da empresa para correos electrónicos descoñecidos. -TicketCreateThirdPartyWithContactIfNotExistHelp=Comprobar se existe un terceiro ou un contacto para o correo electrónico introducido. Se non, pídalle un nome e un nome de empresa para crear un terceiro con contacto. +TicketCreateThirdPartyWithContactIfNotExistHelp=Comprobar se existe un terceiro ou un contacto para o correo electrónico introducido. Se non, solicite un nome e un nome de empresa para crear un terceiro con contacto. PublicInterface=Interfaz pública. TicketUrlPublicInterfaceLabelAdmin=URL alternativa de interfaz pública TicketUrlPublicInterfaceHelpAdmin=É posible definir un alias para o servidor web e así poñer a disposición a interface pública con outro URL (o servidor debe actuar como proxy neste novo URL) @@ -145,19 +145,21 @@ TicketsPublicNotificationNewMessage=Envíe correo(s) electrónico(s) cando se en TicketsPublicNotificationNewMessageHelp=Enviar correo electrónico cando se engada unha nova mensaxe desde a interface pública (ao usuario asignado ou ao correo electrónico de notificacións a (actualizar) e/ou ao correo electrónico de notificacións a) TicketPublicNotificationNewMessageDefaultEmail=Correo electrónico de notificacións a (actualizar) TicketPublicNotificationNewMessageDefaultEmailHelp=Envía un correo electrónico a este enderezo para cada nova mensaxe de notificación se o ticket non ten un usuario asignado ou se o usuario non ten ningún correo electrónico coñecido. -TicketsAutoReadTicket=Marcar automaticamente o ticket como lido (cando se crea desde o backoffice) +TicketsAutoReadTicket=Marcar automaticamente o ticket como lido (cando se crea desde o back office) TicketsAutoReadTicketHelp=Marca automaticamente o ticket como lido cando se crea desde o backoffice. Cando se crea o ticket desde a interface pública, o ticket permanece co estado "Non lido". TicketsDelayBeforeFirstAnswer=Un novo ticket debería recibir unha primeira resposta antes (horas): TicketsDelayBeforeFirstAnswerHelp=Se un novo ticket non recibiu resposta despois deste período de tempo (en horas), aparecerá unha icona de aviso importante na vista de lista. TicketsDelayBetweenAnswers=Un ticket non resolto non debería estar inactivo durante (horas): TicketsDelayBetweenAnswersHelp=Se un ticket sen resolver que xa recibiu unha resposta non tivo máis interacción despois deste período de tempo (en horas), aparecerá unha icona de aviso na vista de lista. -TicketsAutoNotifyClose=Notificar automaticamente a terceiros ao pechar un ticket +TicketsAutoNotifyClose=Notificar automaticamente ao terceiro ao pechar un ticket TicketsAutoNotifyCloseHelp=Ao pechar un ticket, proporáselle que envíe unha mensaxe a un dos contactos de terceiros. No peche masivo, enviarase unha mensaxe a un contacto do terceiro ligado ao ticket. TicketWrongContact=Se o contacto non forma parte dos contactos actuais dos tickets. Correo electrónico non enviado. TicketChooseProductCategory=Categoría de produto para soporte de tickets TicketChooseProductCategoryHelp=Seleccione a categoría de produto de soporte de tickets. Usarase para ligar automaticamente un contrato a un ticket. TicketUseCaptchaCode=Use código gráfico (CAPTCHA) ao crear un ticket TicketUseCaptchaCodeHelp=Engada verificación CAPTCHA ao crear un novo ticket. +TicketsAllowClassificationModificationIfClosed=Permite modificar a clasificación dos tickets pechados +TicketsAllowClassificationModificationIfClosedHelp=Permite modificar a clasificación (tipo, grupo de tickets, gravidade) aínda que os tickets estean pechados. # # Index & list page @@ -311,7 +313,7 @@ TicketNewEmailBodyInfosTrackUrlCustomer=Pode ver o progreso do ticket na interfa TicketCloseEmailBodyInfosTrackUrlCustomer=Pode consultar o historial desta entrada premendo no seguinte enlace TicketEmailPleaseDoNotReplyToThisEmail=Prégase non respostar directamente a este correo. Use a ligazón para respostar. TicketPublicInfoCreateTicket=Este formulario permitelle rexistrar un ticket de soporte no noso sistema. -TicketPublicPleaseBeAccuratelyDescribe=Describa con precisión a súa pregunta. Proporcione a maior información posible para permitirnos identificar correctamente a súa solicitude. +TicketPublicPleaseBeAccuratelyDescribe=Describa con precisión a súa solicitude. Proporcione a maior información posible para permitirnos identificar correctamente a súa solicitude. TicketPublicMsgViewLogIn=Ingrese o ID de seguimento do ticket TicketTrackId=ID público de seguimento OneOfTicketTrackId=Un dos seus ID de seguimento diff --git a/htdocs/langs/gl_ES/trips.lang b/htdocs/langs/gl_ES/trips.lang index e018adc4c55..0a4d6431dc0 100644 --- a/htdocs/langs/gl_ES/trips.lang +++ b/htdocs/langs/gl_ES/trips.lang @@ -1,150 +1,152 @@ # Dolibarr language file - Source file is en_US - trips -ShowExpenseReport=Ver informe de gastos -Trips=Informes de gastos -TripsAndExpenses=Informes de gastos -TripsAndExpensesStatistics=Estatísticas de informes de gastos -TripCard=Ficha de informe gasto +AUTHOR=Rexistrado por +AUTHORPAIEMENT=Pagado por AddTrip=Crear informe de informes de gasto -ListOfTrips=Listaxe de informes de gastos -ListOfFees=Listaxe de honorarios -TypeFees=Tipos de honorarios -ShowTrip=Ver informe de gastos -NewTrip=Novo informe de gasto -LastExpenseReports=Últimos %s informes de gastos +AllExpenseReport=Todo tipo de informe de gastos AllExpenseReports=Todos os informes de gastos -CompanyVisited=Empresa/organización visitada -FeesKilometersOrAmout=Importe ou quilómetros -DeleteTrip=Eliminar informe de gasto -ConfirmDeleteTrip=¿Está certo de querer eliminar este informe de gasto? -ListTripsAndExpenses=Listaxe de informe de gastos -ListToApprove=Agardando aprobación -ExpensesArea=Área de informe de gastos +AnyOtherInThisListCanValidate=Persoa que será informada para validar a solicitude. +AttachTheNewLineToTheDocument=Engadir a liña a un documento actualizado +AucuneLigne=Non hai gastos declarados +BrouillonnerTrip=Devolver o informe de gasto ao estado "Borrador" +byEX_DAY=por día (limitación a %s) +byEX_EXP=por liña(limitación a %s) +byEX_MON=por mes (limitación a %s) +byEX_YEA=por ano (limitación a %s) +CANCEL_USER=Eliminado por +CarCategory=Categoría do vehículo ClassifyRefunded=Clasificar 'Reembolsado' +CompanyVisited=Empresa/organización visitada +ConfirmBrouillonnerTrip=¿Está certo de querer devolver este informe de gasto ao estado "Borrador"? +ConfirmCancelTrip=¿Está certo de querer cancelar este informe de gasto? +ConfirmCloneExpenseReport=¿Está certo de querer eliminar este informe de gastos? +ConfirmDeleteTrip=¿Está certo de querer eliminar este informe de gasto? +ConfirmPaidTrip=¿Está certo de querer cambiar o estado deste informe de gasto a "Pagado"? +ConfirmRefuseTrip=¿Está certo de querer denegar este informe de gasto? +ConfirmSaveTrip=¿Está certo de querer validar este informe de gasto? +ConfirmValideTrip=¿Está certo de querer aprobar este informe de gasto? +DATE_CANCEL=Data de cancelación +DATE_PAIEMENT=Data de pagamento +DATE_REFUS=Data de denegación +DATE_SAVE=Data de validación +DefaultCategoryCar=Modo de transporte predeterminado +DefaultRangeNumber=Número de rango predeterminado +DeleteTrip=Eliminar informe de gasto +ErrorDoubleDeclaration=Declarou outro informe de gastos nun intervalo de datas similar. +Error_EXPENSEREPORT_ADDON_NotDefined=Erro, a regra para a ref de numeración do informe de gastos non se definiu na configuración do módulo "Informe de gastos" +ExpenseRangeOffset=Importe compensado: %s +expenseReportCatDisabled=Categoría deshabilitada - vexa o diccionario c_exp_tax_cat +expenseReportCoef=Coeficiente +expenseReportCoefUndefined=(valor non definido) +expenseReportOffset=Decálogo +expenseReportPrintExample=offset + (d x coef) = %s +expenseReportRangeDisabled=Intervalo deshabilitado: consulte o diccionario c_exp_tax_range +expenseReportRangeFromTo=de %d a %d +expenseReportRangeMoreThan=mais de %d +expenseReportTotalForFive=Exemplo con d= 5 +ExpenseReportApplyTo=Aplicar a +ExpenseReportApproved=Un novo informe de gasto foi aprobado +ExpenseReportApprovedMessage=O informe de gasto %s foi aprobado.
      - Usuario: %s
      - Aprobado por: %s
      Faga clic aquí para validalo: %s +ExpenseReportCanceled=Un informe de gasto foi cancelado +ExpenseReportCanceledMessage=O informe de gasto %s foi cancelado.
      - Usuario: %s
      - Cancelado por: %s
      - Motivo da cancelación: %s
      Faga clic aquí ver o gasto: %s +ExpenseReportConstraintViolationError=Importe máximo excedido (regra %s): %s é superior a %s (exceso prohibido) +ExpenseReportConstraintViolationWarning=Importe máximo excedido (regra %s): %s é superior a %s (Exceso autorizado) +ExpenseReportDateEnd=Data fin +ExpenseReportDateStart=Data inicio +ExpenseReportDomain=Dominio a aplicar +ExpenseReportIkDesc=Pode modificar o cálculo do gasto en quilómetros por categoría e intervalo que se definiron previamente. d é a distancia en quilómetros +ExpenseReportLimitAmount=Importe máximo +ExpenseReportLimitOn=Límite en +ExpenseReportLine=Liña de informe gasto +ExpenseReportPaid=Un informe de gasto foi pagado +ExpenseReportPaidMessage=O informe de gasto %s foi pagado.
      - Usuario: %s
      - Pagado por: %s
      Faga clic aquí ver o gasto: %s +ExpenseReportPayment=Informe de pagamentos de gastos +ExpenseReportRef=Ref. informe de gasto +ExpenseReportRefused=Un informe de gasto foi rexeitado +ExpenseReportRefusedMessage=O informe de gasto %s foi rexeitado.
      - Usuario: %s
      - Rexeitado por: %s
      - Motivo do rexeitamento: %s
      Faga clic aquí ver o gasto: %s +ExpenseReportRestrictive=Exceso prohibido +ExpenseReportRuleErrorOnSave=Erro: %s +ExpenseReportRuleSave=Foi gardada a regra de informe de gastos +ExpenseReportRulesDesc=Pode definir regras de importe máximo para os informes de gastos. Estas regras aplicaranse cando se engada un novo gasto a un informe de gastos ExpenseReportWaitingForApproval=Foi enviado un novo informe de gasto para ser aprobado ExpenseReportWaitingForApprovalMessage=Foi enviado un novo informe de gasto e está agardando para ser aprobado.
      - Usuario: %s
      - Periodo. %s
      Faga clic aquí para validalo: %s ExpenseReportWaitingForReApproval=Foi enviado un novo informe de gasto para aprobalo de novo ExpenseReportWaitingForReApprovalMessage=Foi enviado un novo informe de gasto e está agardando para ser aprobado de novo.
      O %s, rexeitou a súa aprobación por esta razón: %s
      Foi proposta unha nova versión e agarda a súa aprobación.
      - Usuario: %s
      - Periodo. %s
      Faga clic aquí para validalo: %s -ExpenseReportApproved=Un novo informe de gasto foi aprobado -ExpenseReportApprovedMessage=O informe de gasto %s foi aprobado.
      - Usuario: %s
      - Aprobado por: %s
      Faga clic aquí para validalo: %s -ExpenseReportRefused=Un informe de gasto foi rexeitado -ExpenseReportRefusedMessage=O informe de gasto %s foi rexeitado.
      - Usuario: %s
      - Rexeitado por: %s
      - Motivo do rexeitamento: %s
      Faga clic aquí ver o gasto: %s -ExpenseReportCanceled=Un informe de gasto foi cancelado -ExpenseReportCanceledMessage=O informe de gasto %s foi cancelado.
      - Usuario: %s
      - Cancelado por: %s
      - Motivo da cancelación: %s
      Faga clic aquí ver o gasto: %s -ExpenseReportPaid=Un informe de gasto foi pagado -ExpenseReportPaidMessage=O informe de gasto %s foi pagado.
      - Usuario: %s
      - Pagado por: %s
      Faga clic aquí ver o gasto: %s -TripId=Id de informe de gasto -AnyOtherInThisListCanValidate=Persoa que será informada para validar a solicitude. -TripSociete=Información da empresa -TripNDF=Información do informe de gasto -PDFStandardExpenseReports=Padrón estandar para xerar un documento de informe de gasto -ExpenseReportLine=Liña de informe gasto -TF_OTHER=Outro -TF_TRIP=Transporte -TF_LUNCH=Xantar -TF_METRO=Metro -TF_TRAIN=Trén -TF_BUS=Autocar -TF_CAR=Coche -TF_PEAGE=Peaxe -TF_ESSENCE=Combustible -TF_HOTEL=Hotel -TF_TAXI=Taxi -EX_KME=Custos de quilometraxe -EX_FUE=Combustible -EX_HOT=Hotel -EX_PAR=Estacionamento -EX_TOL=Peaxe -EX_TAX=Impostos varios -EX_IND=Subscrición de indemnización por transporte -EX_SUM=Mantemento -EX_SUO=Material de oficina -EX_CAR=Aluguer de vehículos -EX_DOC=Documentación -EX_CUR=Os clientes reciben -EX_OTR=Outros receptores -EX_POS=Franqueo -EX_CAM=Mantemento e reparación -EX_EMM=Alimentación de empregados -EX_GUM=Alimentación dos hóspedes -EX_BRE=Almorzo -EX_FUE_VP=Combustible -EX_TOL_VP=Peaxe -EX_PAR_VP=Estacionamento -EX_CAM_VP=Mantemento e reparacións -DefaultCategoryCar=Modo de transporte predeterminado -DefaultRangeNumber=Número de rango predeterminado -UploadANewFileNow=Subir un novo documento agora -Error_EXPENSEREPORT_ADDON_NotDefined=Erro, a regra para a ref de numeración do informe de gastos non se definiu na configuración do módulo "Informe de gastos" -ErrorDoubleDeclaration=Declarou outro informe de gastos nun intervalo de datas similar. -AucuneLigne=Non hai gastos declarados -ModePaiement=Modo de pagamento -VALIDATOR=Usuario responsable para aprobación -VALIDOR=Aprobado por -AUTHOR=Rexistrado por -AUTHORPAIEMENT=Pagado por -REFUSEUR=Denegado por -CANCEL_USER=Eliminado por -MOTIF_REFUS=Razón -MOTIF_CANCEL=Razón -DATE_REFUS=Data de denegación -DATE_SAVE=Data de validación -DATE_CANCEL=Data de cancelación -DATE_PAIEMENT=Data de pagamento -ExpenseReportRef=Ref. informe de gasto -ValidateAndSubmit=Validar e enviar para aprobar -ValidatedWaitingApproval=Validado (agardando aprobación) -NOT_AUTHOR=Non é o autor deste informe de gasto. Operación cancelada. -ConfirmRefuseTrip=¿Está certo de querer denegar este informe de gasto? -ValideTrip=Aprobar informe de gasto -ConfirmValideTrip=¿Está certo de querer aprobar este informe de gasto? -PaidTrip=Pagarinforme de gasto -ConfirmPaidTrip=¿Está certo de querer cambiar o estado deste informe de gasto a "Pagado"? -ConfirmCancelTrip=¿Está certo de querer cancelar este informe de gasto? -BrouillonnerTrip=Devolver o informe de gasto ao estado "Borrador" -ConfirmBrouillonnerTrip=¿Está certo de querer devolver este informe de gasto ao estado "Borrador"? -SaveTrip=Validar informe de gasto -ConfirmSaveTrip=¿Está certo de querer validar este informe de gasto? -NoTripsToExportCSV=Sen informe de gasto a exportar para este periodo. -ExpenseReportPayment=Informe de pagamentos de gastos -ExpenseReportsToApprove=Informe de gastos a aprobar -ExpenseReportsToPay=Informe de gastos a pagar -ConfirmCloneExpenseReport=¿Está certo de querer eliminar este informe de gastos? ExpenseReportsIk=Configuración das tarifas de quilometraxe ExpenseReportsRules=Regras de informe de gastos -ExpenseReportIkDesc=Pode modificar o cálculo do gasto en quilómetros por categoría e intervalo que se definiron previamente. d é a distancia en quilómetros -ExpenseReportRulesDesc=Pode definir regras de importe máximo para os informes de gastos. Estas regras aplicaranse cando se engada un novo gasto a un informe de gastos -expenseReportOffset=Decálogo -expenseReportCoef=Coeficiente -expenseReportTotalForFive=Exemplo con d= 5 -expenseReportRangeFromTo=de %d a %d -expenseReportRangeMoreThan=mais de %d -expenseReportCoefUndefined=(valor non definido) -expenseReportCatDisabled=Categoría deshabilitada - vexa o diccionario c_exp_tax_cat -expenseReportRangeDisabled=Intervalo deshabilitado: consulte o diccionario c_exp_tax_range -expenseReportPrintExample=offset + (d x coef) = %s -ExpenseReportApplyTo=Aplicar a -ExpenseReportDomain=Dominio a aplicar -ExpenseReportLimitOn=Límite en -ExpenseReportDateStart=Data inicio -ExpenseReportDateEnd=Data fin -ExpenseReportLimitAmount=Importe máximo -ExpenseReportRestrictive=Exceso prohibido -AllExpenseReport=Todo tipo de informe de gastos -OnExpense=Liña de gastos -ExpenseReportRuleSave=Foi gardada a regra de informe de gastos -ExpenseReportRuleErrorOnSave=Erro: %s -RangeNum=Intervalo %d -ExpenseReportConstraintViolationError=Importe máximo excedido (regra %s): %s é superior a %s (exceso prohibido) -byEX_DAY=por día (limitación a %s) -byEX_MON=por mes (limitación a %s) -byEX_YEA=por ano (limitación a %s) -byEX_EXP=por liña(limitación a %s) -ExpenseReportConstraintViolationWarning=Importe máximo excedido (regra %s): %s é superior a %s (Exceso autorizado) +ExpenseReportsToApprove=Informe de gastos a aprobar +ExpenseReportsToPay=Informe de gastos a pagar +ExpensesArea=Área de informe de gastos +FeesKilometersOrAmout=Importe ou quilómetros +LastExpenseReports=Últimos %s informes de gastos +ListOfFees=Listaxe de honorarios +ListOfTrips=Listaxe de informes de gastos +ListToApprove=Agardando aprobación +ListTripsAndExpenses=Listaxe de informe de gastos +MOTIF_CANCEL=Razón +MOTIF_REFUS=Razón +ModePaiement=Modo de pagamento +NewTrip=Novo informe de gasto nolimitbyEX_DAY=por día (sen limitación) +nolimitbyEX_EXP=por liña (sen limitación) nolimitbyEX_MON=por mes (sen limitación) nolimitbyEX_YEA=por ano (sen limitación) -nolimitbyEX_EXP=por liña (sen limitación) -CarCategory=Categoría do vehículo -ExpenseRangeOffset=Importe compensado: %s +NoTripsToExportCSV=Sen informe de gasto a exportar para este periodo. +NOT_AUTHOR=Non é o autor deste informe de gasto. Operación cancelada. +OnExpense=Liña de gastos +PDFStandardExpenseReports=Padrón estandar para xerar un documento de informe de gasto +PaidTrip=Pagarinforme de gasto +REFUSEUR=Denegado por RangeIk=Intervalo de quilometraxe -AttachTheNewLineToTheDocument=Engadir a liña a un documento actualizado +RangeNum=Intervalo %d +SaveTrip=Validar informe de gasto +ShowExpenseReport=Ver informe de gastos +ShowTrip=Ver informe de gastos +TripCard=Ficha de informe gasto +TripId=Id de informe de gasto +TripNDF=Detalle do informe de gasto +TripSociete=Información da empresa +Trips=Informes de gastos +TripsAndExpenses=Informes de gastos +TripsAndExpensesStatistics=Estatísticas de informes de gastos +TypeFees=Tipos de honorarios +UploadANewFileNow=Subir un novo documento agora +VALIDATOR=Usuario responsable para aprobación +VALIDOR=Aprobado por +ValidateAndSubmit=Validar e enviar para aprobar +ValidatedWaitingApproval=Validado (agardando aprobación) +ValideTrip=Aprobar informe de gasto + +## Dictionary +EX_BRE=Almorzo +EX_CAM=Mantemento e reparación +EX_CAM_VP=Mantemento e reparacións +EX_CAR=Aluguer de vehículos +EX_CUR=Os clientes reciben +EX_DOC=Documentación +EX_EMM=Alimentación de empregados +EX_FUE=Combustible +EX_FUE_VP=Combustible +EX_GUM=Alimentación dos hóspedes +EX_HOT=Hotel +EX_IND=Subscrición de indemnización por transporte +EX_KME=Custos de quilometraxe +EX_OTR=Outros receptores +EX_PAR=Estacionamento +EX_PAR_VP=Estacionamento +EX_POS=Franqueo +EX_SUM=Mantemento +EX_SUO=Material de oficina +EX_TAX=Impostos varios +EX_TOL=Peaxe +EX_TOL_VP=Peaxe +TF_BUS=Autocar +TF_CAR=Coche +TF_ESSENCE=Combustible +TF_HOTEL=Hotel +TF_LUNCH=Xantar +TF_METRO=Metro +TF_OTHER=Outro +TF_PEAGE=Peaxe +TF_TAXI=Taxi +TF_TRAIN=Trén +TF_TRIP=Transporte diff --git a/htdocs/langs/gl_ES/users.lang b/htdocs/langs/gl_ES/users.lang index d6299b8d2e5..dd44c90ea26 100644 --- a/htdocs/langs/gl_ES/users.lang +++ b/htdocs/langs/gl_ES/users.lang @@ -32,9 +32,8 @@ CreateUser=Engadir usuario LoginNotDefined=O usuario non está definido NameNotDefined=O nome non está definido ListOfUsers=Listaxe de usuarios -SuperAdministrator=Super Administrador -SuperAdministratorDesc=Administrador global -AdministratorDesc=Administrador +SuperAdministrator=Administrador multiempresa +SuperAdministratorDesc=Administrador do sistema multiempresa (pode cambiar a configuración e os usuarios) DefaultRights=Permisos por defecto DefaultRightsDesc=Defina aquí os permisos por defecto, é dicir: os permisos que serán asignados automáticamente a un novo usuario no momento da súa creación (Ver a ficha usuario para cambiar os permisos a un usuario existente). DolibarrUsers=Usuarios Dolibarr @@ -110,8 +109,9 @@ ExpectedWorkedHours=Horas previstas traballadas á semana ColorUser=Cor para o usuario DisabledInMonoUserMode=Desactivado en modo mantemento UserAccountancyCode=Código contable usuario -UserLogoff=Usuario desconectado -UserLogged=Usuario conectado +UserLogoff=Usuario desconectado: %s +UserLogged=Usuario rexistrado: %s +UserLoginFailed=Fallou o inicio de sesión do usuario: %s DateOfEmployment=Data de contratación empregado DateEmployment=Contratación empregado DateEmploymentStart=Data de comezo da contratación do empregado @@ -132,3 +132,5 @@ ShowAllPerms=Mostra todas as filas de permisos HideAllPerms=Ocultar todas as filas de permisos UserPublicPageDesc=Pode activar unha tarxeta virtual para este usuario. Haberá dispoñible un URL co perfil de usuario e un código de barras para que calquera persoa que teña un teléfono intelixente poida escaneala e engadir o seu contacto á súa axenda de enderezos. EnablePublicVirtualCard=Active a tarxeta de visita virtual do usuario +UserEnabledDisabled=O estado do usuario cambiou: %s +AlternativeEmailForOAuth2=Correo electrónico alternativo para iniciar sesión en OAuth2 diff --git a/htdocs/langs/gl_ES/website.lang b/htdocs/langs/gl_ES/website.lang index 45ccc10fb85..0ec3ae7200b 100644 --- a/htdocs/langs/gl_ES/website.lang +++ b/htdocs/langs/gl_ES/website.lang @@ -60,10 +60,11 @@ NoPageYet=Aínda non hai páxinas YouCanCreatePageOrImportTemplate=Pode crear unha nova páxina ou importar un modelo de sitio web completo SyntaxHelp=Axuda sobre consellos específicos de sintaxe YouCanEditHtmlSourceckeditor=Pode editar o código fonte HTML empregando o botón "Fonte" do editor. -YouCanEditHtmlSource=
      Pode incluír código PHP nesta fonte empregando etiquetas <?php ?>. Están dispoñibles as seguintes variables: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Tamén podes incluír contido doutra páxina/contedor coa seguinte sintaxe:
      <?php includeContainer('alias_of_container_to_include'); ?>

      Pode facer unha redirección a outra páxina / contedor coa seguinte sintaxe (Nota: non publique ningún contido antes dunha redirección):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      Para engadir unha ligazón a outra páxina, use a sintaxe: :
      <a href="alias_of_page_to_link_to.php">mylink<a>

      Para incluír unha ligazón para descargar un ficheiro almacenado no directorio documentos , use o envoltorio document.php wrapper:
      Exemplo, para un ficheiro en documentos / ecm (hai que rexistralo), a sintaxe é :
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Para un ficheiro en documentos/medios (abrir o directorio para acceso público), a sintaxe é:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      Para un ficheiro compartido con unha ligazón para compartir (acceso aberto empregando a chave hash para compartir ficheiro), a sintaxe é:
      <a href="/document.php?hashp=publicsharekeyoffile">

      Para incluír unha imaxe almacenada no directorio documentos , use o envoltorio viewimage.php
      Exemplo, para unha imaxe en documentos/medios (directorio aberto para acceso público), a sintaxe é:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      Pode incluír código PHP nesta fonte usando as etiquetas <?php ?> . Están dispoñibles as seguintes variables globais: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Tamén pode incluír contido doutra páxina/contedor coa seguinte sintaxe:
      <?php includeContainer('alias_of_include'_to_container'); ?>

      b0342fzcc /span> Pode facer unha redirección a outra páxina/contedor coa seguinte sintaxe (Nota: non sacar ningun contido antes dunha redirección):
      <?php redirectToContainer(' alias_of_container_to_redirect_to'); ?>

      Para engadir unha ligazón a outra páxina, use a sintaxe:
      <a href="alias_of_page_to_link_to.php"gt;mylink<a>;

      Para incluír a ligazón para descargar un ficheiro almacenado nos documentos, use o document.php wrapper: >
      Exemplo, para un ficheiro en documentos/ecm (precisa rexistrarse), a sintaxe é:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Para un ficheiro en documentos/medios (directorio aberto para acceso público), a sintaxe é:
      <a="/document.php?modulepart=medias&file=[relative_dir href/] ext">
      Para un ficheiro compartido cunha ligazón para compartir ( acceso aberto usando a chave hash para compartir do ficheiro), a sintaxe é:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      Para incluír unha imaxe almacenada no directorio de documentos diirectorio , use o viewimage.php.wrapper
      Por exemplo, unha imaxe en documentos/medios (directorio aberto para acceso público), a sintaxe é:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Para unha imaxe compartida cunha ligazón de uso compartido (acceso aberto mediante a chave hash para compartir ficheiro), a sintaxe é:
      <img src =" viewimage.php? Hashp=12345679012 ...">
      -YouCanEditHtmlSourceMore=
      Máis exemplos de código HTML ou dinámico dispoñibles na documentación wiki
      +YouCanEditHtmlSource3=Para obter o URL da imaxe dun obxecto PHP, use
      << span>img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      Máis exemplos de código HTML ou dinámico dispoñibles na documentación da wiki.
      ClonePage=Clonar páxina/contedor CloneSite=Clonar sitio SiteAdded=Sitio web engadido @@ -112,8 +113,8 @@ GoTo=Ir a DynamicPHPCodeContainsAForbiddenInstruction=Engade un código PHP dinámico que contén a instrución PHP '%s ' que está prohibida por defecto como contido dinámico (ver as opcións ocultas WEBSITE_PHP_ALLOW_xxx para aumentar a lista de comandos permitidos). NotAllowedToAddDynamicContent=Non ten permiso para engadir ou editar contido dinámico PHP en sitios web. Solicite permiso ou simplemente manteña o código nas etiquetas PHP sen modificar. ReplaceWebsiteContent=Buscar ou substituír contido do sitio web -DeleteAlsoJs=¿Eliminar tamén todos os ficheiros javascript específicos deste sitio web? -DeleteAlsoMedias=¿Quere eliminar tamén todos os ficheiros multimedia específicos deste sitio web? +DeleteAlsoJs=Eliminar tamén todos os ficheiros javascript específicos deste sitio web? +DeleteAlsoMedias=Quere eliminar tamén todos os ficheiros multimedia específicos deste sitio web? MyWebsitePages=Páxinas do sitio web SearchReplaceInto=Buscar|Substituir por ReplaceString=Nova cadea @@ -160,3 +161,6 @@ PagesViewedTotal=Páxinas vistas (total) Visibility=Visibilidade Everyone=Todos AssignedContacts=Contactos asignados +WebsiteTypeLabel=Tipo de sitio web +WebsiteTypeDolibarrWebsite=Sitio web (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Portal nativo de Dolibarr diff --git a/htdocs/langs/gl_ES/withdrawals.lang b/htdocs/langs/gl_ES/withdrawals.lang index 212d74a8eee..f0d4a2766a7 100644 --- a/htdocs/langs/gl_ES/withdrawals.lang +++ b/htdocs/langs/gl_ES/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Realizar unha petición de transferencia WithdrawRequestsDone=%s domiciliacións rexistradas BankTransferRequestsDone=%s transferencias rexistradas ThirdPartyBankCode=Código banco do terceiro -NoInvoiceCouldBeWithdrawed=Non foi realizada a domiciliación de ningunha factura correctamente. Comprobe que as facturas son de empresas con IBAN válido e que IBAN ten unha RMU (Referencia de mandato único) co modo %s1. +NoInvoiceCouldBeWithdrawed=Non foi realizada a domiciliación de ningunha factura correctamente. Comprobe que as facturas son de empresas con IBAN válido e que IBAN ten unha RMU (Referencia de mandato único) co modo %s. +NoInvoiceCouldBeWithdrawedSupplier=Non se procesou ningunha factura correctamente. Comprobe que as facturas son de empresas cun IBAN válido. +NoSalariesCouldBeWithdrawed=Non se procesou ningún salario correctamente. Comprobe que os salarios son de usuarios cun IBAN válido. WithdrawalCantBeCreditedTwice=Este recibo de retirada xa está marcado como abonado; isto non pode facerse dúas veces, xa que isto podería crear pagamentos duplicados e entradas bancarias. ClassCredited=Clasificar como "Abonada" ClassDebited=Clasificar cargos @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=¿Está certo de querer crear unha devolución de domic RefusedData=Data de devolución RefusedReason=Motivo de devolución RefusedInvoicing=Facturación da devolución -NoInvoiceRefused=Non facturar a devolución -InvoiceRefused=Factura rexeitada (Cargar os gastos ao cliente) +NoInvoiceRefused=Non cobrear ao cliente pola devolución +InvoiceRefused=Cobrar ao cliente pola devolución +DirectDebitRefusedInvoicingDesc=Establece unha marca para sinalar que esta devolución debe cobrarse ao cliente StatusDebitCredit=Estado de débito/crédito StatusWaiting=Agardando StatusTrans=Enviada @@ -115,7 +118,7 @@ RUM=RUM DateRUM=Data da sinatura do mandato RUMLong=Referencia única do mandato RUMWillBeGenerated=Se está baleiro, o número RUM (Referencia Única do Mandato) xérase unha vez gardada a información da conta bancaria -WithdrawMode=Modo domiciliación (FRST o RECUR) +WithdrawMode=Modo de domiciliación bancaria (FRST ou RCUR) WithdrawRequestAmount=Importe da domiciliación BankTransferAmount=Importe da orde de transferencia WithdrawRequestErrorNilAmount=Non é posible crear unha domiciliación sen importe @@ -131,6 +134,7 @@ SEPAFormYourBAN=Número internacional da súa conta bancaria (IBAN) SEPAFormYourBIC=Código identificador do seu banco (BIC) SEPAFrstOrRecur=Tipo de pagamento ModeRECUR=Pago recorrente +ModeRCUR=Pago recorrente ModeFRST=Pago único PleaseCheckOne=Escolla só un CreditTransferOrderCreated=Creouse a orde de transferencia %s @@ -161,3 +165,10 @@ TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=A cantidade total da orde de WarningSomeDirectDebitOrdersAlreadyExists=Aviso: xa hai algúns pedimentos de domiciliación bancaria pendentes (%s) solicitados por un importe de %s WarningSomeCreditTransferAlreadyExists=Aviso: xa hai algunha transferencia pendente (%s) solicitada por un importe de %s UsedFor=Usado para %s +Societe_ribSigned=Orde SEPA Asinada +NbOfInvoiceToPayByBankTransferForSalaries=No de salarios cualificados en espera de pagamento mediante transferencia bancaria +SalaryWaitingWithdraw=Salarios pendentes de pagamento mediante transferencia bancaria +RefSalary=Salario +NoSalaryInvoiceToWithdraw=Sen salario agardando dun '%s'. Vaia á lapela '%s' da tarxeta de salario para facer unha solicitude. +SalaryInvoiceWaitingWithdraw=Salarios pendentes de pagamento mediante transferencia bancaria + diff --git a/htdocs/langs/gl_ES/workflow.lang b/htdocs/langs/gl_ES/workflow.lang index 4a754c5419f..43fc4cc05db 100644 --- a/htdocs/langs/gl_ES/workflow.lang +++ b/htdocs/langs/gl_ES/workflow.lang @@ -11,26 +11,28 @@ descWORKFLOW_TICKET_CREATE_INTERVENTION=Na creación do ticket, crea automaticam # Autoclassify customer proposal or order descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasificar orzamento orixe como facturado cando o pedimento do cliente sexa marcado como facturado (e se o importe do pedimento é igual á suma dos importes dos orzamentos ligados) descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasificar o orzamento orixe como facturados cando a factura ao cliente sexa validada (e se o importe da factura é igual á suma dos importes dos orzamentos ligados) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasificar pedimento de cliente orixe como facturado cando a factura ao cliente sexa validada (e se o importe da factura é igual á suma dos importes dos pedimentos ligados) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasificar pedimento de cliente orixe como facturado cando a factura ao cliente sexa marcada como pagada (e se o importe da factura é igual á suma dos importes dos pedimentos ligados) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasificar pedimento orixe de cliente como facturado cando a factura ao cliente sexa validada (e se o importe da factura é igual á suma dos importes dos pedimentos ligados). Se ten 1 factura validada para n pedimentos, é posible facer que todos os pedimentos sexan facturados tamén. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasificar os pedimentos orixe de cliente como facturados cando a factura ao cliente sexa validada como paga (e se o importe da factura é igual á suma dos importes dos pedimentos a vliente ligados). Se ten 1 factura validada para n pedimentos, é posible facer que todos os pedimentos sexan facturados tamén. descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasificar automáticamente o pedimento orixe como enviado cando o envío sexa validado (e se a cantidade enviada por todos os envíos é a mesma que o pedimento a actualizar) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Clasifique a orde de venda de orixe ligada como enviada cando se pecha un envío (e se a cantidade enviada por todos os envíos é a mesma que na orde a actualizar) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasificar o orzamento ligado de provedor orixe como facturado cando a factura de provedor sexa validada (e se o importe da factura é igual á suma do importe dos orzamentos ligados) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasificar o orzamento orixe de provedor ligado como facturado cando a factura de provedor sexa validada (e se o importe da factura é igual á suma do importe dos orzamentos de provedor ligados) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasificar o pedimento orixe a provedor ligado como facturado cando a factura de provedor sexa validada (e se o importe da factura é igual á suma do importe dos pedimentos ligados) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasificar o pedimento orixe a provedor ligado como facturado cando a factura de provedor sexa validada (e se o importe da factura é igual á suma do importe dos pedimentos a provedor ligados) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Clasifica o pedimento a cliente de orixe ligado como recibido cando se valida unha recepción (e se a cantidade recibida por todas as recepcións é a mesma que no pedimento que se actualiza) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Clasifica o pedimento a cliente de orixe ligado como recibido cando se pecha unha recepción (e se a cantidade recibida por todas as recepcións é a mesma que no pedimento que se actualiza) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Clasifica as recepcións como "facturadas" cando se valida unha factura de compra ligada (e se o importe da factura é o mesmo que o importe total das recepcións ligadas) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Clasifica o envío de orixe ligado como pechado cando se valida a factura do cliente (e se o importe da factura é o mesmo que o importe total dos envíos ligados) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Clasifica o envío de orixe ligado como pechado cando se valida a factura do cliente (e se o importe da factura é o mesmo que o importe total dos envíos ligados) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Clasifica as recepcións de orixe ligadas como facturadas cando se valida unha factura de cliente (e se o importe da factura é o mesmo que o importe total das recepcións ligadas) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Clasifica as recepcións de orixe ligadas como facturadas cando se valida unha factura de cliente (e se o importe da factura é o mesmo que o importe total das recepcións ligadas) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=Ao crear un ticket, liga os contratos dispoñibles do terceiro coincidente +descWORKFLOW_TICKET_LINK_CONTRACT=Ao crear un ticket, liga todos os contratos dispoñibles de terceiros coincidentes descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Ao ligar contratos, busca entre os das empresas matrices # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Pecha todas as intervencións ligadas ao ticket cando o ticket está pechado AutomaticCreation=Creación automática AutomaticClassification=Clasificación automática -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Clasifica o envío de orixe ligado como pechado cando se valida a factura do cliente (e se o importe da factura é o mesmo que o importe total dos envíos ligados) AutomaticClosing=Peche automático AutomaticLinking=Ligazón automática diff --git a/htdocs/langs/he_IL/accountancy.lang b/htdocs/langs/he_IL/accountancy.lang index 7158d53896a..103d21b0cc5 100644 --- a/htdocs/langs/he_IL/accountancy.lang +++ b/htdocs/langs/he_IL/accountancy.lang @@ -1,472 +1,518 @@ # Dolibarr language file - en_US - Accountancy (Double entries) -Accountancy=Accountancy +Accountancy=חֶשׁבּוֹנָאוּת Accounting=Accounting ACCOUNTING_EXPORT_SEPARATORCSV=Column separator for export file ACCOUNTING_EXPORT_DATE=Date format for export file ACCOUNTING_EXPORT_PIECE=Export the number of piece ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Export with global account -ACCOUNTING_EXPORT_LABEL=Export label -ACCOUNTING_EXPORT_AMOUNT=Export amount -ACCOUNTING_EXPORT_DEVISE=Export currency +ACCOUNTING_EXPORT_LABEL=תווית ייצוא +ACCOUNTING_EXPORT_AMOUNT=כמות ייצוא +ACCOUNTING_EXPORT_DEVISE=ייצוא מטבע Selectformat=Select the format for the file ACCOUNTING_EXPORT_FORMAT=Select the format for the file -ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type +ACCOUNTING_EXPORT_ENDLINE=בחר את סוג החזרת הגררה ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name -ThisService=This service -ThisProduct=This product -DefaultForService=Default for service -DefaultForProduct=Default for product -ProductForThisThirdparty=Product for this thirdparty -ServiceForThisThirdparty=Service for this thirdparty -CantSuggest=Can't suggest -AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s -ConfigAccountingExpert=Configuration of the module accounting (double entry) -Journalization=Journalization +ThisService=השירות הזה +ThisProduct=המוצר הזה +DefaultForService=ברירת מחדל עבור שירותים +DefaultForProduct=ברירת מחדל עבור מוצרים +ProductForThisThirdparty=מוצר עבור צד שלישי זה +ServiceForThisThirdparty=שירות עבור צד שלישי זה +CantSuggest=לא יכול להציע +AccountancySetupDoneFromAccountancyMenu=רוב ההגדרה של הנהלת החשבונות מתבצעת מהתפריט %s +ConfigAccountingExpert=הגדרת חשבונאות המודול (כניסה כפולה) +Journalization=עיתונאות Journals=Journals JournalFinancial=Financial journals BackToChartofaccounts=Return chart of accounts -Chartofaccounts=Chart of accounts -ChartOfSubaccounts=Chart of individual accounts -ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger -CurrentDedicatedAccountingAccount=Current dedicated account -AssignDedicatedAccountingAccount=New account to assign -InvoiceLabel=Invoice label -OverviewOfAmountOfLinesNotBound=Overview of amount of lines not bound to an accounting account -OverviewOfAmountOfLinesBound=Overview of amount of lines already bound to an accounting account -OtherInfo=Other information -DeleteCptCategory=Remove accounting account from group -ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group? -JournalizationInLedgerStatus=Status of journalization -AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger -GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group -DetailByAccount=Show detail by account -AccountWithNonZeroValues=Accounts with non-zero values -ListOfAccounts=List of accounts -CountriesInEEC=Countries in EEC -CountriesNotInEEC=Countries not in EEC -CountriesInEECExceptMe=Countries in EEC except %s -CountriesExceptMe=All countries except %s -AccountantFiles=Export source documents -ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). -ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. -ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -VueByAccountAccounting=View by accounting account -VueBySubAccountAccounting=View by accounting subaccount +Chartofaccounts=טבלת חשבונות +ChartOfSubaccounts=תרשים חשבונות בודדים +ChartOfIndividualAccountsOfSubsidiaryLedger=תרשים חשבונות בודדים של ספר החשבונות של החברה הבת +CurrentDedicatedAccountingAccount=חשבון ייעודי נוכחי +AssignDedicatedAccountingAccount=חשבון חדש להקצאה +InvoiceLabel=תווית חשבונית +OverviewOfAmountOfLinesNotBound=סקירה כללית של כמות השורות שאינן קשורות לחשבון הנהלת חשבונות +OverviewOfAmountOfLinesBound=סקירה כללית של כמות השורות שכבר קשורות לחשבון הנהלת חשבונות +OtherInfo=מידע אחר +DeleteCptCategory=הסר חשבון הנהלת חשבונות מהקבוצה +ConfirmDeleteCptCategory=האם אתה בטוח שברצונך להסיר חשבון הנהלת חשבונות זה מקבוצת חשבונות הנהלת החשבונות? +JournalizationInLedgerStatus=מצב העיתונות +AlreadyInGeneralLedger=כבר הועבר ליומנים חשבונאיים ולפנקס החשבונות +NotYetInGeneralLedger=טרם הועבר ליומנים חשבונאיים ולפנקס החשבונות +GroupIsEmptyCheckSetup=הקבוצה ריקה, בדוק את ההגדרה של קבוצת הנהלת החשבונות המותאמת אישית +DetailByAccount=הצג פרטים לפי חשבון +DetailBy=פירוט מאת +AccountWithNonZeroValues=חשבונות עם ערכים שאינם אפס +ListOfAccounts=רשימת חשבונות +CountriesInEEC=מדינות ב-EEC +CountriesNotInEEC=מדינות שאינן ב-EEC +CountriesInEECExceptMe=מדינות ב-EEC מלבד %s +CountriesExceptMe=כל המדינות מלבד %s +AccountantFiles=ייצוא מסמכי מקור +ExportAccountingSourceDocHelp=בעזרת כלי זה, תוכל לחפש ולייצא את אירועי המקור המשמשים ליצירת הנהלת החשבונות שלך.
      קובץ ה-ZIP המיוצא יכיל את רשימות הפריטים המבוקשים ב-CSV, כמו גם את הקבצים המצורפים שלהם בפורמט המקורי שלהם (PDF, ODT, DOCX...). +ExportAccountingSourceDocHelp2=כדי לייצא את היומנים שלך, השתמש בתפריט %s - %s. +ExportAccountingProjectHelp=ציין פרויקט אם אתה זקוק לדוח חשבונאי רק עבור פרויקט ספציפי. דוחות הוצאות ותשלומי הלוואות אינם כלולים בדוחות הפרויקט. +ExportAccountancy=חשבונאות יצוא +WarningDataDisappearsWhenDataIsExported=אזהרה, רשימה זו מכילה רק את הערכים החשבונאיים שטרם יצאו (תאריך היצוא ריק). אם ברצונך לכלול את הערכים החשבונאיים שכבר יצאו, לחץ על הכפתור למעלה. +VueByAccountAccounting=הצג לפי חשבון הנהלת חשבונות +VueBySubAccountAccounting=הצג לפי חשבון משנה חשבונאי -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup -MainAccountForUsersNotDefined=Main accounting account for users not defined in setup -MainAccountForVatPaymentNotDefined=Main accounting account for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Main accounting account for subscription payment not defined in setup -UserAccountNotDefined=Accounting account for user not defined in setup +MainAccountForCustomersNotDefined=חשבון ראשי (מתרשים החשבונות) ללקוחות שאינם מוגדרים בהגדרה +MainAccountForSuppliersNotDefined=חשבון ראשי (מתרשים החשבונות) עבור ספקים שאינם מוגדרים בהגדרה +MainAccountForUsersNotDefined=חשבון ראשי (מתרשים החשבונות) עבור משתמשים שאינם מוגדרים בהגדרה +MainAccountForVatPaymentNotDefined=חשבון (מתרשים החשבונות) לתשלום מע"מ לא מוגדר בהגדרה +MainAccountForSubscriptionPaymentNotDefined=חשבון (מתרשים החשבונות) לתשלום חברות שלא הוגדר בהגדרה +MainAccountForRetainedWarrantyNotDefined=חשבון (מתרשים החשבון) עבור האחריות הנשמרת שלא הוגדרה בהגדרה +UserAccountNotDefined=חשבון הנהלת חשבונות למשתמש לא מוגדר בהגדרה -AccountancyArea=Accounting area -AccountancyAreaDescIntro=Usage of the accountancy module is done in several step: -AccountancyAreaDescActionOnce=The following actions are usually executed one time only, or once per year... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting -AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... +AccountancyArea=תחום הנהלת חשבונות +AccountancyAreaDescIntro=השימוש במודול הנהלת החשבונות נעשה במספר שלבים: +AccountancyAreaDescActionOnce=הפעולות הבאות מבוצעות בדרך כלל פעם אחת בלבד, או פעם בשנה... +AccountancyAreaDescActionOnceBis=יש לבצע את השלבים הבאים כדי לחסוך לך זמן בעתיד על ידי הצעה אוטומטית של חשבון ברירת המחדל הנכון לחשבונאות בעת העברת נתונים בהנהלת חשבונות +AccountancyAreaDescActionFreq=הפעולות הבאות מבוצעות בדרך כלל מדי חודש, שבוע או יום עבור חברות גדולות מאוד... -AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s -AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescJournalSetup=שלב %s: בדוק את התוכן של רשימת היומן שלך מהתפריט %s +AccountancyAreaDescChartModel=שלב %s: בדוק שקיים מודל של תרשים חשבון או צור אחד מהתפריט %s +AccountancyAreaDescChart=שלב %s: בחר ו|או השלם את תרשים החשבון שלך מהתפריט %s -AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. -AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. -AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. -AccountancyAreaDescDonation=STEP %s: Define default accounting accounts for donation. For this, use the menu entry %s. -AccountancyAreaDescSubscription=STEP %s: Define default accounting accounts for member subscription. For this, use the menu entry %s. -AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. -AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. +AccountancyAreaDescFiscalPeriod=שלב %s: הגדר שנת כספים כברירת מחדל שבה יש לשלב את הערכים החשבונאיים שלך. לשם כך, השתמש בערך התפריט %s. +AccountancyAreaDescVat=שלב %s: הגדר חשבונות חשבונאיים עבור כל שיעורי מע"מ. לשם כך, השתמש בערך התפריט %s. +AccountancyAreaDescDefault=שלב %s: הגדר חשבונות חשבונאיים כברירת מחדל. לשם כך, השתמש בערך התפריט %s. +AccountancyAreaDescExpenseReport=שלב %s: הגדר חשבונות חשבונאיים כברירת מחדל עבור כל סוג של דוח הוצאות. לשם כך, השתמש בערך התפריט %s. +AccountancyAreaDescSal=שלב %s: הגדר חשבונות חשבונאיים כברירת מחדל לתשלום משכורות. לשם כך, השתמש בערך התפריט %s. +AccountancyAreaDescContrib=שלב %s: הגדר חשבונות חשבונאיים המוגדרים כברירת מחדל עבור מסים (הוצאות מיוחדות). לשם כך, השתמש בערך התפריט %s. +AccountancyAreaDescDonation=שלב %s: הגדר חשבונות חשבונאיים כברירת מחדל לתרומה. לשם כך, השתמש בערך התפריט %s. +AccountancyAreaDescSubscription=שלב %s: הגדר חשבונות חשבונאיים כברירת מחדל עבור מנוי חבר. לשם כך, השתמש בערך התפריט %s. +AccountancyAreaDescMisc=שלב %s: הגדר חשבונות ברירת מחדל חובה וחשבונות חשבונאיים המוגדרים כברירת מחדל עבור עסקאות שונות. לשם כך, השתמש בערך התפריט %s. +AccountancyAreaDescLoan=שלב %s: הגדר חשבונות חשבונאיים המוגדרים כברירת מחדל עבור הלוואות. לשם כך, השתמש בערך התפריט %s. +AccountancyAreaDescBank=שלב %s: הגדר חשבונות חשבונאיים וקוד יומן עבור כל בנק וחשבונות פיננסיים. לשם כך, השתמש בערך התפריט %s. +AccountancyAreaDescProd=שלב %s: הגדר חשבונות חשבונאיים במוצרים/שירותים שלך. לשם כך, השתמש בערך התפריט %s. -AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. -AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and generate reports and exports. +AccountancyAreaDescBind=שלב %s: בדוק את הקישור בין שורות %s הקיימות וחשבון הנהלת החשבונות נעשה, כך שהיישום יוכל לתעד עסקאות ב- Ledger בקליק אחד. כריכות חסרות מלאות. לשם כך, השתמש בערך התפריט %s. +AccountancyAreaDescWriteRecords=שלב %s: כתוב עסקאות לפנקס החשבונות. לשם כך, היכנס לתפריט %s ולחץ על הלחצן %s. +AccountancyAreaDescAnalyze=שלב %s: קרא דוחות או הפק קבצי ייצוא עבור מנהלי חשבונות אחרים. +AccountancyAreaDescClosePeriod=שלב %s: סגור תקופה כדי שלא נוכל להעביר עוד נתונים באותה תקופה בעתיד. -AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. - -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) -Selectchartofaccounts=Select active chart of accounts -ChangeAndLoad=Change and load +TheFiscalPeriodIsNotDefined=שלב חובה בהגדרה לא הושלם (תקופת כספים לא מוגדרת) +TheJournalCodeIsNotDefinedOnSomeBankAccount=שלב חובה בהגדרה לא הושלם (יומן קוד חשבונאות לא הוגדר עבור כל חשבונות הבנק) +Selectchartofaccounts=בחר תרשים חשבונות פעיל +CurrentChartOfAccount=טבלת חשבון פעילה נוכחית +ChangeAndLoad=שנה וטען Addanaccount=Add an accounting account AccountAccounting=Accounting account AccountAccountingShort=Account -SubledgerAccount=Subledger account -SubledgerAccountLabel=Subledger account label -ShowAccountingAccount=Show accounting account -ShowAccountingJournal=Show accounting journal -ShowAccountingAccountInLedger=Show accounting account in ledger -ShowAccountingAccountInJournals=Show accounting account in journals -AccountAccountingSuggest=Accounting account suggested -MenuDefaultAccounts=Default accounts -MenuBankAccounts=Bank accounts -MenuVatAccounts=Vat accounts -MenuTaxAccounts=Tax accounts -MenuExpenseReportAccounts=Expense report accounts -MenuLoanAccounts=Loan accounts -MenuProductsAccounts=Product accounts -MenuClosureAccounts=Closure accounts -MenuAccountancyClosure=Closure -MenuAccountancyValidationMovements=Validate movements -ProductsBinding=Products accounts -TransferInAccounting=Transfer in accounting -RegistrationInAccounting=Recording in accounting -Binding=Binding to accounts -CustomersVentilation=Customer invoice binding -SuppliersVentilation=Vendor invoice binding -ExpenseReportsVentilation=Expense report binding -CreateMvts=Create new transaction -UpdateMvts=Modification of a transaction -ValidTransaction=Validate transaction -WriteBookKeeping=Record transactions in accounting -Bookkeeping=Ledger -BookkeepingSubAccount=Subledger -AccountBalance=Account balance -ObjectsRef=Source object ref -CAHTF=Total purchase vendor before tax -TotalExpenseReport=Total expense report -InvoiceLines=Lines of invoices to bind -InvoiceLinesDone=Bound lines of invoices -ExpenseReportLines=Lines of expense reports to bind -ExpenseReportLinesDone=Bound lines of expense reports -IntoAccount=Bind line with the accounting account -TotalForAccount=Total accounting account +SubledgerAccount=חשבון פנקס משנה +SubledgerAccountLabel=תווית חשבון פנקס משנה +ShowAccountingAccount=הצג חשבון הנהלת חשבונות +ShowAccountingJournal=הצג יומן חשבונאות +ShowAccountingAccountInLedger=הצג חשבון הנהלת חשבונות בפנקס החשבונות +ShowAccountingAccountInJournals=הצג חשבון חשבונאי ביומנים +DataUsedToSuggestAccount=נתונים המשמשים להצעת חשבון +AccountAccountingSuggest=חשבון הוצע +MenuDefaultAccounts=חשבונות ברירת מחדל +MenuBankAccounts=חשבונות בנק +MenuVatAccounts=חשבונות מע"מ +MenuTaxAccounts=חשבונות מס +MenuExpenseReportAccounts=חשבונות דוחות הוצאות +MenuLoanAccounts=חשבונות הלוואות +MenuProductsAccounts=חשבונות מוצר +MenuClosureAccounts=סגירת חשבונות +MenuAccountancyClosure=סגירת מעגל +MenuExportAccountancy=חשבונאות יצוא +MenuAccountancyValidationMovements=אימות תנועות +ProductsBinding=חשבונות מוצרים +TransferInAccounting=העברה בהנהלת חשבונות +RegistrationInAccounting=רישום בהנהלת חשבונות +Binding=מחייב לחשבונות +CustomersVentilation=מחייב חשבונית לקוח +SuppliersVentilation=מחייב חשבונית ספק +ExpenseReportsVentilation=דו"ח הוצאה מחייב +CreateMvts=צור עסקה חדשה +UpdateMvts=שינוי עסקה +ValidTransaction=אימות עסקה +WriteBookKeeping=רישום עסקאות בהנהלת חשבונות +Bookkeeping=פִּנקָס +BookkeepingSubAccount=ספר משנה +AccountBalance=יתרת חשבון +AccountBalanceSubAccount=יתרת חשבונות משנה +ObjectsRef=אובייקט מקור ref +CAHTF=סה"כ ספק רכישה לפני מס +TotalExpenseReport=דוח הוצאות כולל +InvoiceLines=שורות של חשבוניות לכריכה +InvoiceLinesDone=שורות כבולים של חשבוניות +ExpenseReportLines=שורות של דוחות הוצאות לאגד +ExpenseReportLinesDone=קווים כבולים של דוחות הוצאות +IntoAccount=קשר קו עם חשבון הנהלת החשבונות +TotalForAccount=סה"כ חשבון הנהלת חשבונות -Ventilate=Bind -LineId=Id line +Ventilate=לִקְשׁוֹר +LineId=קו זיהוי Processing=Processing -EndProcessing=Process terminated. +EndProcessing=התהליך הסתיים. SelectedLines=Selected lines Lineofinvoice=Line of invoice -LineOfExpenseReport=Line of expense report -NoAccountSelected=No accounting account selected -VentilatedinAccount=Binded successfully to the accounting account -NotVentilatedinAccount=Not bound to the accounting account -XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account -XLineFailedToBeBinded=%s products/services were not bound to any accounting account +LineOfExpenseReport=דו"ח שורת הוצאות +NoAccountSelected=לא נבחר חשבון הנהלת חשבונות +VentilatedinAccount=נקשר בהצלחה לחשבון הנהלת החשבונות +NotVentilatedinAccount=לא קשור לחשבון הנהלת חשבונות +XLineSuccessfullyBinded=%s מוצרים/שירותים חוברו בהצלחה לחשבון הנהלת חשבונות +XLineFailedToBeBinded=%s מוצרים/שירותים לא היו קשורים לשום חשבון חשבונאי -ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50) -ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements -ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements +ACCOUNTING_LIMIT_LIST_VENTILATION=מספר שורות מקסימלי ברשימה ובדף הכריכה (מומלץ: 50) +ACCOUNTING_LIST_SORT_VENTILATION_TODO=התחל את המיון של הדף "מחייב לעשות" לפי האלמנטים העדכניים ביותר +ACCOUNTING_LIST_SORT_VENTILATION_DONE=התחל את המיון של הדף "הכריכה בוצעה" לפי האלמנטים העדכניים ביותר -ACCOUNTING_LENGTH_DESCRIPTION=Truncate product & services description in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncate product & services account description form in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set value to 6 here, the account '706' will appear like '706000' on screen) -ACCOUNTING_LENGTH_AACCOUNT=Length of the third-party accounting accounts (If you set value to 6 here, the account '401' will appear like '401000' on screen) -ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of an accounting account. Needed by some countries (like Switzerland). If set to off (default), you can set the following two parameters to ask the application to add virtual zeros. -BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account -ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal -ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_LENGTH_DESCRIPTION=חתוך את תיאור המוצר והשירותים ברשימות אחרי x תווים (הטוב ביותר = 50) +ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=קיצור טופס תיאור חשבון של מוצרים ושירותים ברשימות אחרי x תווים (הטוב ביותר = 50) +ACCOUNTING_LENGTH_GACCOUNT=אורך החשבונות החשבונאיים הכלליים (אם תגדיר את הערך ל-6 כאן, החשבון '706' יופיע כמו '706000' על המסך) +ACCOUNTING_LENGTH_AACCOUNT=אורך החשבונות החשבונאיים של צד שלישי (אם תגדיר את הערך ל-6 כאן, החשבון '401' יופיע כמו '401000' על המסך) +ACCOUNTING_MANAGE_ZERO=אפשר לנהל מספר שונה של אפסים בסוף חשבון הנהלת חשבונות. נחוץ במדינות מסוימות (כמו שוויץ). אם מוגדר ככבוי (ברירת מחדל), אתה יכול להגדיר את שני הפרמטרים הבאים כדי לבקש מהאפליקציה להוסיף אפסים וירטואליים. +BANK_DISABLE_DIRECT_INPUT=השבת רישום ישיר של העסקה בחשבון הבנק +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=אפשר ייצוא טיוטת ביומן +ACCOUNTANCY_COMBO_FOR_AUX=אפשר רשימה משולבת עבור חשבון בת (עשוי להיות איטי אם יש לך הרבה צדדים שלישיים, הפסקת היכולת לחפש על חלק מהערך) +ACCOUNTING_DATE_START_BINDING=השבת כריכה והעברה בהנהלת חשבונות כאשר התאריך נמוך מתאריך זה (העסקאות לפני תאריך זה לא ייכללו כברירת מחדל) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=בדף להעברת נתונים לחשבונאות, מהי התקופה שנבחרה כברירת מחדל -ACCOUNTING_SELL_JOURNAL=Sales journal (sales and returns) -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal (purchase and returns) -ACCOUNTING_BANK_JOURNAL=Cash journal (receipts and disbursements) +ACCOUNTING_SELL_JOURNAL=יומן מכירות - מכירות והחזרות +ACCOUNTING_PURCHASE_JOURNAL=יומן רכישה - רכישה והחזרות +ACCOUNTING_BANK_JOURNAL=יומן מזומנים - קבלות ותשלומים ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal -ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal -ACCOUNTING_INVENTORY_JOURNAL=Inventory journal +ACCOUNTING_MISCELLANEOUS_JOURNAL=יומן כללי +ACCOUNTING_HAS_NEW_JOURNAL=יש יומן חדש +ACCOUNTING_INVENTORY_JOURNAL=יומן מלאי ACCOUNTING_SOCIAL_JOURNAL=Social journal -ACCOUNTING_RESULT_PROFIT=Result accounting account (Profit) -ACCOUNTING_RESULT_LOSS=Result accounting account (Loss) -ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal of closure +ACCOUNTING_RESULT_PROFIT=חשבון חשבונאי תוצאות (רווח) +ACCOUNTING_RESULT_LOSS=חשבון חשבונאי תוצאות (הפסד) +ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=כתב עת של סגירה +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=קבוצות חשבונאיות המשמשות לחשבון המאזן (מופרדות בפסיק) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=קבוצות חשבונאיות המשמשות לדוח רווח והפסד (מופרדים בפסיק) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers -TransitionalAccount=Transitional bank transfer account +ACCOUNTING_ACCOUNT_TRANSFER_CASH=חשבון (מתרשים החשבונות) שישמש כחשבון להעברות בנקאיות מעבר +TransitionalAccount=חשבון מעבר בנקאי -ACCOUNTING_ACCOUNT_SUSPENSE=Account (from the Chart Of Account) to be used as the account for unallocated funds either received or paid i.e. funds in "wait[ing]" -DONATION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register donations (Donation module) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ACCOUNTING_ACCOUNT_SUSPENSE=חשבון (מתרשים החשבון) שישמש כחשבון לכספים שלא הוקצו או שהתקבלו או ששולמו, כלומר כספים ב"ממתין" +DONATION_ACCOUNTINGACCOUNT=חשבון (מתרשים החשבונות) שישמש לרישום תרומות (מודול תרומות) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=חשבון (מתרשים החשבונות) שישמש לרישום מנויים לחברות (מודול חברות - אם החברות נרשמה ללא חשבונית) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit -UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default -UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל לרישום הפקדת לקוח +UseAuxiliaryAccountOnCustomerDeposit=אחסן חשבון לקוח כחשבון בודד בפנקס הבת עבור שורות מקדמה (אם מושבת, חשבון בודד עבור שורות מקדמה יישאר ריק) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=חשבון (מתרשים החשבונות) שישמש כברירת מחדל +UseAuxiliaryAccountOnSupplierDeposit=אחסן חשבון ספק כחשבון בודד בפנקס הבת עבור שורות מקדמה (אם מושבת, חשבון בודד עבור שורות מקדמה יישאר ריק) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=חשבון הנהלת חשבונות כברירת מחדל לרשום אחריות שמירת הלקוח -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל עבור המוצרים שנרכשו באותה מדינה (בשימוש אם לא מוגדר בגיליון המוצר) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל למוצרים שנרכשו מ-EEC למדינה אחרת EEC (בשימוש אם אינו מוגדר בגיליון המוצר) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל עבור המוצרים שנרכשו ויובאו מכל מדינה זרה אחרת (בשימוש אם לא מוגדר בגיליון המוצר) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל של המוצרים הנמכרים (בשימוש אם לא מוגדר בגיליון המוצר) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל למוצרים הנמכרים מ-EEC למדינה אחרת EEC (משמש אם אינו מוגדר בגיליון המוצר) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל עבור המוצרים הנמכרים ומיוצאים לכל מדינה זרה אחרת (בשימוש אם לא מוגדר בגיליון המוצר) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased within same country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל עבור השירותים שנרכשו באותה מדינה (בשימוש אם לא מוגדר בגיליון השירות) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל עבור השירותים שנרכשו מ-EEC למדינה אחרת EEC (בשימוש אם אינו מוגדר בגיליון השירות) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל עבור השירותים שנרכשו ויובאו ממדינות זרות אחרות (בשימוש אם לא מוגדר בגיליון השירות) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל עבור השירותים הנמכרים (בשימוש אם אינו מוגדר בגיליון השירות) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=חשבון (מתרשים החשבון) שישמש כחשבון ברירת המחדל עבור השירותים הנמכרים מ-EEC למדינה אחרת EEC (המשמש אם לא מוגדר בגיליון השירות) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל עבור השירותים הנמכרים ומיוצאים לכל מדינה זרה אחרת (בשימוש אם אינו מוגדר בגיליון השירות) Doctype=Type of document Docdate=Date Docref=Reference LabelAccount=Label account -LabelOperation=Label operation -Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
      For an accounting account of a supplier, use Debit to record a payment you made -LetteringCode=Lettering code -Lettering=Lettering +LabelOperation=פעולת התווית +Sens=כיוון +AccountingDirectionHelp=עבור חשבון הנהלת חשבונות של לקוח, השתמש באשראי כדי לרשום תשלום שקיבלת
      עבור חשבון הנהלת חשבונות של ספק, השתמש ב-Debit כדי לרשום תשלום שביצעת +LetteringCode=קוד אותיות +Lettering=אותיות Codejournal=Journal -JournalLabel=Journal label -NumPiece=Piece number -TransactionNumShort=Num. transaction -AccountingCategory=Custom group of accounts -GroupByAccountAccounting=Group by general ledger account -GroupBySubAccountAccounting=Group by subledger account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. -ByAccounts=By accounts -ByPredefinedAccountGroups=By predefined groups -ByPersonalizedAccountGroups=By personalized groups -ByYear=By year -NotMatch=Not Set -DeleteMvt=Delete some lines from accounting -DelMonth=Month to delete -DelYear=Year to delete -DelJournal=Journal to delete -ConfirmDeleteMvt=This will delete all lines in accountancy for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) +JournalLabel=תווית יומן +NumPiece=מספר חתיכה +TransactionNumShort=מספר עִסקָה +AccountingCategory=קבוצת חשבונות מותאמת אישית +AccountingCategories=קבוצות חשבונות מותאמות אישית +GroupByAccountAccounting=קבץ לפי חשבון חשבונות כללי +GroupBySubAccountAccounting=קבץ לפי חשבון משנה +AccountingAccountGroupsDesc=אתה יכול להגדיר כאן כמה קבוצות של חשבונות חשבונאיים. הם ישמשו עבור דוחות חשבונאיים מותאמים אישית. +ByAccounts=לפי חשבונות +ByPredefinedAccountGroups=לפי קבוצות מוגדרות מראש +ByPersonalizedAccountGroups=לפי קבוצות מותאמות אישית +ByYear=לפי שנה +NotMatch=לא מוכן +DeleteMvt=מחק כמה שורות מהנהלת חשבונות +DelMonth=חודש למחיקה +DelYear=שנה למחוק +DelJournal=יומן למחיקה +ConfirmDeleteMvt=פעולה זו תמחק את כל השורות בחשבונאות עבור השנה/החודש ו/או עבור יומן ספציפי (נדרש לפחות קריטריון אחד). תצטרך לעשות שימוש חוזר בתכונה '%s' כדי להחזיר את הרשומה שנמחקה לפנקס החשבונות. +ConfirmDeleteMvtPartial=פעולה זו תמחק את העסקה מהנהלת החשבונות (כל השורות הקשורות לאותה עסקה יימחקו) FinanceJournal=Finance journal -ExpenseReportsJournal=Expense reports journal +ExpenseReportsJournal=יומן דוחות הוצאות +InventoryJournal=יומן מלאי DescFinanceJournal=Finance journal including all the types of payments by bank account -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. -VATAccountNotDefined=Account for VAT not defined -ThirdpartyAccountNotDefined=Account for third party not defined -ProductAccountNotDefined=Account for product not defined -FeeAccountNotDefined=Account for fee not defined -BankAccountNotDefined=Account for bank not defined +DescJournalOnlyBindedVisible=זוהי תצוגת תיעוד המחוברת לחשבון חשבונאי וניתן לרשום ביומן ובפנקס. +VATAccountNotDefined=חשבון למע"מ לא מוגדר +ThirdpartyAccountNotDefined=חשבון עבור צד שלישי לא מוגדר +ProductAccountNotDefined=חשבון למוצר לא מוגדר +FeeAccountNotDefined=חשבון בתשלום לא מוגדר +BankAccountNotDefined=חשבון לבנק לא מוגדר CustomerInvoicePayment=Payment of invoice customer -ThirdPartyAccount=Third-party account -NewAccountingMvt=New transaction -NumMvts=Numero of transaction -ListeMvts=List of movements +ThirdPartyAccount=חשבון צד שלישי +NewAccountingMvt=עסקה חדשה +NumMvts=מספר העסקה +ListeMvts=רשימת תנועות ErrorDebitCredit=Debit and Credit cannot have a value at the same time -AddCompteFromBK=Add accounting accounts to the group -ReportThirdParty=List third-party account -DescThirdPartyReport=Consult here the list of third-party customers and vendors and their accounting accounts +AddCompteFromBK=הוסף חשבונות הנהלת חשבונות לקבוצה +ReportThirdParty=רשום חשבון צד שלישי +DescThirdPartyReport=עיין כאן ברשימת הלקוחות והספקים של צד שלישי ובחשבונות החשבונאיים שלהם ListAccounts=List of the accounting accounts -UnknownAccountForThirdparty=Unknown third-party account. We will use %s -UnknownAccountForThirdpartyBlocking=Unknown third-party account. Blocking error -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Third-party unknown and subledger not defined on the payment. We will keep the subledger account value empty. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger account not defined or third party or user unknown. Blocking error. -UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third-party account and waiting account not defined. Blocking error -PaymentsNotLinkedToProduct=Payment not linked to any product / service -OpeningBalance=Opening balance -ShowOpeningBalance=Show opening balance -HideOpeningBalance=Hide opening balance -ShowSubtotalByGroup=Show subtotal by level +UnknownAccountForThirdparty=חשבון צד שלישי לא ידוע. נשתמש ב-%s +UnknownAccountForThirdpartyBlocking=חשבון צד שלישי לא ידוע. שגיאת חסימה +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=חשבון משנה לא מוגדר או צד שלישי או משתמש לא ידועים. נשתמש ב-%s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=צד שלישי לא ידוע ופנקס משנה לא מוגדר בתשלום. נשמור את ערך חשבון פנקס המשנה ריק. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=חשבון משנה לא מוגדר או צד שלישי או משתמש לא ידועים. שגיאת חסימה. +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=חשבון צד שלישי לא ידוע וחשבון ממתין לא מוגדרים. שגיאת חסימה +PaymentsNotLinkedToProduct=תשלום שאינו קשור למוצר/שירות כלשהו +OpeningBalance=מאזן פתיחה +ShowOpeningBalance=הצג מאזן פתיחה +HideOpeningBalance=הסתר יתרת פתיחה +ShowSubtotalByGroup=הצג סכום ביניים לפי רמה -Pcgtype=Group of account -PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. +Pcgtype=קבוצת חשבונות +PcgtypeDesc=קבוצת חשבונות משמשים כקריטריונים מוגדרים מראש של 'מסנן' ו'קיבוץ' עבור דוחות חשבונאיים מסוימים. לדוגמה, 'הכנסה' או 'הוצאות' משמשות כקבוצות לחשבונות חשבונאיים של מוצרים לבניית דוח ההוצאות/הכנסה. +AccountingCategoriesDesc=ניתן להשתמש בקבוצת חשבונות מותאמת אישית כדי לקבץ חשבונות חשבונאיים לשם אחד כדי להקל על השימוש בסינון או בבניית דוחות מותאמים אישית. -Reconcilable=Reconcilable +Reconcilable=ניתן להתאמה TotalVente=Total turnover before tax TotalMarge=Total sales margin -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account -DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product account from chart of account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account -ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: +DescVentilCustomer=עיין כאן ברשימת שורות חשבוניות הלקוח המחוברות (או לא) לחשבון מוצר מלוח חשבון +DescVentilMore=ברוב המקרים, אם אתה משתמש במוצרים או שירותים מוגדרים מראש ותגדיר את החשבון (מתרשים חשבון) בכרטיס המוצר/שירות, האפליקציה תוכל לבצע את כל הכריכה בין שורות החשבונית שלך לחשבון החשבונאי של התרשים שלך. של חשבונות, בלחיצה אחת עם הלחצן "%s". אם החשבון לא הוגדר בכרטיסי מוצר/שירות או אם עדיין יש לך כמה שורות שלא קשורות לחשבון, תצטרך לבצע כריכה ידנית מהתפריט "%s". +DescVentilDoneCustomer=עיין כאן ברשימת שורות החשבוניות של לקוחות וחשבון המוצר שלהם מתרשים חשבונות +DescVentilTodoCustomer=כריכת שורות חשבוניות שעדיין לא קשורות לחשבון מוצר מלוח החשבונות +ChangeAccount=שנה את חשבון המוצר/שירות (מתרשים חשבון) עבור השורות שנבחרו עם החשבון הבא: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) -DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account -DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account -DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account -DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s". -DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account +DescVentilSupplier=עיין כאן ברשימת שורות חשבוניות הספק המחוברות או עדיין לא קשורות לחשבון מוצר מתוך טבלת החשבונות (רק רשומה שלא הועברה כבר בהנהלת החשבונות גלויה) +DescVentilDoneSupplier=עיין כאן ברשימת שורות חשבוניות הספק ובחשבון החשבונאי שלהם +DescVentilTodoExpenseReport=קשר שורות דוח הוצאות שעדיין לא כרוכות בחשבון חשבונאי עמלות +DescVentilExpenseReport=עיין כאן ברשימת שורות דוח ההוצאות המחוברות (או לא) לחשבון חשבונאות עמלות +DescVentilExpenseReportMore=אם תגדיר חשבון חשבונאי על סוג שורות דו"ח ההוצאות, האפליקציה תוכל לבצע את כל הקישור בין שורות דו"ח ההוצאות שלך לחשבון החשבונאי של טבלת החשבונות שלך, רק בלחיצה אחת עם הכפתור "%s". אם החשבון לא הוגדר במילון עמלות או אם עדיין יש לך שורות שלא קשורות לאף חשבון, תצטרך לבצע כריכה ידנית מהתפריט "%s". +DescVentilDoneExpenseReport=עיין כאן ברשימת שורות דוחות ההוצאות וחשבון חשבונאות העמלות שלהם -Closure=Annual closure -DescClosure=Consult here the number of movements by month not yet validated & locked -OverviewOfMovementsNotValidated=Overview of movements not validated and locked -AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked -ValidateMovements=Validate and lock movements... -DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible +Closure=סגירה שנתית +AccountancyClosureStep1Desc=עיין כאן במספר התנועות לפי חודש שעדיין לא אומתו וננעלו +OverviewOfMovementsNotValidated=סקירה כללית של תנועות שאינן מאומתות וננעלות +AllMovementsWereRecordedAsValidated=כל התנועות תועדו כאומתות וננעלות +NotAllMovementsCouldBeRecordedAsValidated=לא ניתן היה לתעד את כל התנועות כאומתות וננעלות +ValidateMovements=אימות ונעילת תנועות +DescValidateMovements=כל שינוי או מחיקה של כתיבה, אותיות ומחיקה יהיו אסורים. יש לאמת את כל הערכים לתרגיל אחרת לא תתאפשר סגירה -ValidateHistory=Bind Automatically -AutomaticBindingDone=Automatic bindings done (%s) - Automatic binding not possible for some record (%s) +ValidateHistory=כריכה אוטומטית +AutomaticBindingDone=כריכות אוטומטיות בוצעו (%s) - כריכה אוטומטית לא אפשרית עבור רשומה כלשהי (%s) +DoManualBindingForFailedRecord=עליך לבצע קישור ידני לשורות %s שאינן מקושרות אוטומטית. -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s & Credit = %s -Balancing=Balancing -FicheVentilation=Binding card -GeneralLedgerIsWritten=Transactions are written in the Ledger -GeneralLedgerSomeRecordWasNotRecorded=Some of the transactions could not be journalized. If there is no other error message, this is probably because they were already journalized. -NoNewRecordSaved=No more record to transfer -ListOfProductsWithoutAccountingAccount=List of products not bound to any account of chart of account -ChangeBinding=Change the binding -Accounted=Accounted in ledger -NotYetAccounted=Not yet transferred to accounting -ShowTutorial=Show Tutorial -NotReconciled=Not reconciled -WarningRecordWithoutSubledgerAreExcluded=Warning, all lines without subledger account defined are filtered and excluded from this view -AccountRemovedFromCurrentChartOfAccount=Accounting account that does not exist in the current chart of accounts +ErrorAccountancyCodeIsAlreadyUse=שגיאה, אינך יכול להסיר או להשבית את החשבון של תרשים חשבונות זה מכיוון שהוא בשימוש +MvtNotCorrectlyBalanced=תנועה לא מאוזנת כהלכה. חיוב = %s ואשראי = %s +Balancing=מְאַזֵן +FicheVentilation=כרטיס מחייב +GeneralLedgerIsWritten=עסקאות נכתבות בפנקס החשבונות +GeneralLedgerSomeRecordWasNotRecorded=לא ניתן היה לתעד חלק מהעסקאות. אם אין הודעת שגיאה אחרת, זה כנראה בגלל שהם כבר היו מתועדים. +NoNewRecordSaved=אין עוד רשומה להעברה +ListOfProductsWithoutAccountingAccount=רשימת מוצרים שאינם קשורים לשום חשבון של טבלת חשבונות +ChangeBinding=שנה את הכריכה +Accounted=רשום בספר החשבונות +NotYetAccounted=טרם הועבר להנהלת חשבונות +ShowTutorial=הצג הדרכה +NotReconciled=לא מתפייס +WarningRecordWithoutSubledgerAreExcluded=אזהרה, כל השורות ללא הוגדר חשבון משנה מסוננות ואינן נכללות בתצוגה זו +AccountRemovedFromCurrentChartOfAccount=חשבון הנהלת חשבונות שלא קיים בטבלת החשבונות הנוכחית ## Admin -BindingOptions=Binding options -ApplyMassCategories=Apply mass categories -AddAccountFromBookKeepingWithNoCategories=Available account not yet in the personalized group -CategoryDeleted=Category for the accounting account has been removed -AccountingJournals=Accounting journals -AccountingJournal=Accounting journal -NewAccountingJournal=New accounting journal -ShowAccountingJournal=Show accounting journal +BindingOptions=אפשרויות מחייבות +ApplyMassCategories=החל קטגוריות המוניות +AddAccountFromBookKeepingWithNoCategories=חשבון זמין עדיין לא בקבוצה המותאמת אישית +CategoryDeleted=הקטגוריה עבור חשבון הנהלת החשבונות הוסרה +AccountingJournals=יומנים חשבונאיים +AccountingJournal=יומן חשבונאות +NewAccountingJournal=יומן חשבונאות חדש +ShowAccountingJournal=הצג יומן חשבונאות NatureOfJournal=Nature of Journal -AccountingJournalType1=Miscellaneous operations -AccountingJournalType2=Sales -AccountingJournalType3=Purchases -AccountingJournalType4=Bank -AccountingJournalType5=Expense reports -AccountingJournalType8=Inventory -AccountingJournalType9=Has-new -GenerationOfAccountingEntries=Generation of accounting entries -ErrorAccountingJournalIsAlreadyUse=This journal is already use -AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s -NumberOfAccountancyEntries=Number of entries -NumberOfAccountancyMovements=Number of movements -ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting +AccountingJournalType1=פעולות שונות +AccountingJournalType2=מכירות +AccountingJournalType3=רכישות +AccountingJournalType4=בַּנק +AccountingJournalType5=דוחות הוצאות +AccountingJournalType8=מְלַאי +AccountingJournalType9=רווחים שנשארו +GenerationOfAccountingEntries=יצירת רישומים חשבונאיים +ErrorAccountingJournalIsAlreadyUse=היומן הזה כבר בשימוש +AccountingAccountForSalesTaxAreDefinedInto=הערה: חשבון חשבונאי עבור מס מכירה מוגדר בתפריט %s - %s +NumberOfAccountancyEntries=מספר הכניסות +NumberOfAccountancyMovements=מספר תנועות +ACCOUNTING_DISABLE_BINDING_ON_SALES=השבת כריכה והעברה בהנהלת חשבונות במכירות (חשבוניות של לקוחות לא יילקחו בחשבון בהנהלת חשבונות) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=השבת כריכה והעברה בהנהלת חשבונות ברכישות (חשבוניות ספק לא יילקחו בחשבון בהנהלת חשבונות) +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=השבת כריכה והעברה בראיית חשבון על דוחות הוצאות (דוחות הוצאות לא יילקחו בחשבון בהנהלת חשבונות) +ACCOUNTING_ENABLE_LETTERING=אפשר את פונקציית האותיות בהנהלת החשבונות +ACCOUNTING_ENABLE_LETTERING_DESC=כאשר אפשרות זו מופעלת, תוכל להגדיר, בכל ערך חשבונאי, קוד כדי שתוכל לקבץ תנועות חשבונאיות שונות יחד. בעבר, כאשר יומנים שונים נוהלו באופן עצמאי, תכונה זו הייתה הכרחית כדי לקבץ שורות תנועה של כתבי עת שונים יחדיו. עם זאת, עם הנהלת חשבונות של Dolibarr, קוד מעקב כזה, הנקרא "%s span>" כבר נשמר אוטומטית, כך שכבר נעשה כיתוב אוטומטי, ללא סיכון לשגיאה, כך שתכונה זו הפכה חסרת תועלת לשימוש נפוץ. תכונת כיתוב ידני מסופקת עבור משתמשי קצה שבאמת לא סומכים על מנוע המחשב שמבצע העברת נתונים בהנהלת חשבונות. +EnablingThisFeatureIsNotNecessary=הפעלת תכונה זו אינה הכרחית יותר לניהול חשבונאי קפדני. +ACCOUNTING_ENABLE_AUTOLETTERING=הפעל את האותיות האוטומטיות בעת העברה להנהלת חשבונות +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=הקוד לאותיות נוצר באופן אוטומטי ומוגדל ואינו נבחר על ידי משתמש הקצה +ACCOUNTING_LETTERING_NBLETTERS=מספר האותיות בעת יצירת קוד אותיות (ברירת מחדל 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=תוכנות הנהלת חשבונות מסוימות מקבלות רק קוד בן שתי אותיות. פרמטר זה מאפשר לך להגדיר היבט זה. מספר האותיות המוגדר כברירת מחדל הוא שלוש. +OptionsAdvanced=אפשרויות מתקדמות +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=הפעל את ניהול החיוב ההפוך במע"מ על רכישות ספקים +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=כאשר אפשרות זו מופעלת, ניתן להגדיר כי יש להעביר ספק או חשבונית ספק נתונה לחשבונאות אחרת: חיוב נוסף ומסגרת אשראי יופקו לחשבונאות בשני חשבונות נתונים מתרשים החשבון המוגדר ב"%s" דף ההגדרה. ## Export -NotExportLettering=Do not export the lettering when generating the file -NotifiedExportDate=Flag exported lines as Exported (to modify a line, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) -DateValidationAndLock=Date validation and lock -ConfirmExportFile=Confirmation of the generation of the accounting export file ? -ExportDraftJournal=Export draft journal +NotExportLettering=אין לייצא את האותיות בעת יצירת הקובץ +NotifiedExportDate=סמן שורות שטרם מיוצאות כמיוצאות (כדי לשנות שורה שסומנה כמיוצאת, תצטרך למחוק את כל העסקה ולהעביר אותה מחדש לחשבונאות) +NotifiedValidationDate=אמת ונעל את הערכים המיוצאים שעדיין לא ננעלו (אותה השפעה מהתכונה "%s", שינוי ומחיקה של התכונה קווים בהחלט לא יהיו אפשריים) +NotifiedExportFull=לייצא מסמכים? +DateValidationAndLock=אימות תאריך ונעילה +ConfirmExportFile=אישור הפקתו של קובץ היצוא החשבונאי? +ExportDraftJournal=ייצא טיוטת יומן Modelcsv=Model of export Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export -Modelcsv_CEGID=Export for CEGID Expert Comptabilité -Modelcsv_COALA=Export for Sage Coala -Modelcsv_bob50=Export for Sage BOB 50 -Modelcsv_ciel=Export for Sage50, Ciel Compta or Compta Evo. (Format XIMPORT) -Modelcsv_quadratus=Export for Quadratus QuadraCompta -Modelcsv_ebp=Export for EBP -Modelcsv_cogilog=Export for Cogilog -Modelcsv_agiris=Export for Agiris Isacompta -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) -Modelcsv_openconcerto=Export for OpenConcerto (Test) -Modelcsv_configurable=Export CSV Configurable -Modelcsv_FEC=Export FEC -Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed) -Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland -Modelcsv_winfic=Export for Winfic - eWinfic - WinSis Compta -Modelcsv_Gestinumv3=Export for Gestinum (v3) -Modelcsv_Gestinumv5=Export for Gestinum (v5) -Modelcsv_charlemagne=Export for Aplim Charlemagne -ChartofaccountsId=Chart of accounts Id +Modelcsv_CEGID=ייצוא עבור CEGID Expert Comptabilité +Modelcsv_COALA=ייצוא עבור מרווה קואלה +Modelcsv_bob50=ייצוא עבור Sage BOB 50 +Modelcsv_ciel=ייצוא עבור Sage50, Ciel Compta או Compta Evo. (פורמט XIMPORT) +Modelcsv_quadratus=ייצוא עבור Quadratus QuadraCompta +Modelcsv_ebp=ייצוא עבור EBP +Modelcsv_cogilog=ייצוא עבור Cogilog +Modelcsv_agiris=ייצוא עבור Agiris Isacompta +Modelcsv_LDCompta=ייצוא עבור LD Compta (v9) (בדיקה) +Modelcsv_LDCompta10=ייצוא עבור LD Compta (גרסה 10 ומעלה) +Modelcsv_openconcerto=ייצוא עבור OpenConcerto (בדיקה) +Modelcsv_configurable=ייצוא CSV ניתן להגדרה +Modelcsv_FEC=ייצוא FEC +Modelcsv_FEC2=ייצוא FEC (עם כתיבת יצירת תאריכים / מסמך הפוך) +Modelcsv_Sage50_Swiss=ייצוא עבור Sage 50 שוויץ +Modelcsv_winfic=ייצוא עבור Winfic - eWinfic - WinSis Compta +Modelcsv_Gestinumv3=ייצוא עבור Gestinum (v3) +Modelcsv_Gestinumv5=ייצוא עבור Gestinum (v5) +Modelcsv_charlemagne=ייצוא עבור Aplim Charlemagne +ChartofaccountsId=תרשים חשבונות מזהה ## Tools - Init accounting account on product / service -InitAccountancy=Init accountancy -InitAccountancyDesc=This page can be used to initialize an accounting account on products and services that does not have accounting account defined for sales and purchases. -DefaultBindingDesc=This page can be used to set a default account to use to link transactions record about payment salaries, donation, taxes and vat when no specific accounting account were already set. -DefaultClosureDesc=This page can be used to set parameters used for accounting closures. -Options=Options -OptionModeProductSell=Mode sales -OptionModeProductSellIntra=Mode sales exported in EEC -OptionModeProductSellExport=Mode sales exported in other countries -OptionModeProductBuy=Mode purchases -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries -OptionModeProductSellDesc=Show all products with accounting account for sales. -OptionModeProductSellIntraDesc=Show all products with accounting account for sales in EEC. -OptionModeProductSellExportDesc=Show all products with accounting account for other foreign sales. -OptionModeProductBuyDesc=Show all products with accounting account for purchases. -OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC. -OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases. -CleanFixHistory=Remove accounting code from lines that not exists into charts of account -CleanHistory=Reset all bindings for selected year -PredefinedGroups=Predefined groups -WithoutValidAccount=Without valid dedicated account -WithValidAccount=With valid dedicated account -ValueNotIntoChartOfAccount=This value of accounting account does not exist into chart of account -AccountRemovedFromGroup=Account removed from group -SaleLocal=Local sale -SaleExport=Export sale -SaleEEC=Sale in EEC -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fallback on the product account for standard sales. You can fix the VAT ID of thirdparty or the product account if needed. -ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. -ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. +InitAccountancy=ראשי חשבונות +InitAccountancyDesc=ניתן להשתמש בדף זה כדי לאתחל חשבון הנהלת חשבונות במוצרים ושירותים שאין להם חשבון הנהלת חשבונות מוגדר למכירות ורכישות. +DefaultBindingDesc=ניתן להשתמש בדף זה כדי להגדיר את חשבונות ברירת המחדל (מתרשים החשבון) לשימוש לקישור אובייקטים עסקיים לחשבון, כמו משכורות תשלום, תרומה, מסים ומע"מ, כאשר לא הוגדר כבר חשבון ספציפי. +DefaultClosureDesc=ניתן להשתמש בדף זה כדי להגדיר פרמטרים המשמשים לסגירת חשבונות. +Options=אפשרויות +OptionModeProductSell=מכירות מצב +OptionModeProductSellIntra=מכירות מצב מיוצאות ב-EEC +OptionModeProductSellExport=מכירות מצב מיוצאות במדינות אחרות +OptionModeProductBuy=רכישות במצב +OptionModeProductBuyIntra=רכישות מצב מיובאות ב-EEC +OptionModeProductBuyExport=מצב נרכש מיובא ממדינות אחרות +OptionModeProductSellDesc=הצג את כל המוצרים עם חשבון חשבונאות למכירות. +OptionModeProductSellIntraDesc=הצג את כל המוצרים עם חשבון חשבונאי עבור מכירות ב-EEC. +OptionModeProductSellExportDesc=הצג את כל המוצרים עם חשבון הנהלת חשבונות עבור מכירות אחרות בחו"ל. +OptionModeProductBuyDesc=הצג את כל המוצרים עם חשבון הנהלת חשבונות עבור רכישות. +OptionModeProductBuyIntraDesc=הצג את כל המוצרים עם חשבון הנהלת חשבונות עבור רכישות ב-EEC. +OptionModeProductBuyExportDesc=הצג את כל המוצרים עם חשבון הנהלת חשבונות עבור רכישות זרות אחרות. +CleanFixHistory=הסר קוד חשבונאות משורות שאינן קיים לתוך תרשימי חשבון +CleanHistory=אפס את כל הכריכות לשנה שנבחרה +PredefinedGroups=קבוצות מוגדרות מראש +WithoutValidAccount=ללא חשבון ייעודי תקף +WithValidAccount=עם חשבון ייעודי תקף +ValueNotIntoChartOfAccount=ערך זה של חשבון חשבונאי אינו קיים בתרשים החשבון +AccountRemovedFromGroup=החשבון הוסר מהקבוצה +SaleLocal=מכירה מקומית +SaleExport=מכירת יצוא +SaleEEC=מכירה ב-EEC +SaleEECWithVAT=מכירה ב-EEC עם מע"מ לא בטל, אז אנחנו מניחים שזו לא מכירה תוך קהילתית והחשבון המוצע הוא חשבון המוצר הרגיל. +SaleEECWithoutVATNumber=מכירה ב-EEC ללא מע"מ אך מזהה המע"מ של צד שלישי אינו מוגדר. אנחנו נופלים בחזרה על החשבון עבור מכירות סטנדרטיות. אתה יכול לתקן את מזהה המע"מ של הצד השלישי, או לשנות את חשבון המוצר שהוצע לכריכה במידת הצורך. +ForbiddenTransactionAlreadyExported=אסור: העסקה אומתה ו/או יצאה. +ForbiddenTransactionAlreadyValidated=אסור: העסקה אומתה. ## Dictionary -Range=Range of accounting account -Calculated=Calculated -Formula=Formula +Range=טווח חשבון הנהלת חשבונות +Calculated=מְחוֹשָׁב +Formula=נוּסחָה ## Reconcile -LetteringAuto=Reconcile auto -LetteringManual=Reconcile manual -Unlettering=Unreconcile -UnletteringAuto=Unreconcile auto -UnletteringManual=Unreconcile manual -AccountancyNoLetteringModified=No reconcile modified -AccountancyOneLetteringModifiedSuccessfully=One reconcile successfully modified -AccountancyLetteringModifiedSuccessfully=%s reconcile successfully modified -AccountancyNoUnletteringModified=No unreconcile modified -AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified -AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +LetteringAuto=התאמה אוטומטית +LetteringManual=מדריך התאמה +Unlettering=לא להתפייס +UnletteringAuto=ביטול התאמה אוטומטי +UnletteringManual=מדריך לא התאמה +AccountancyNoLetteringModified=לא השתנה +AccountancyOneLetteringModifiedSuccessfully=התאמה אחת השתנתה בהצלחה +AccountancyLetteringModifiedSuccessfully=%s התאמה שונה בהצלחה +AccountancyNoUnletteringModified=לא השתנה +AccountancyOneUnletteringModifiedSuccessfully=חוסר התאמה אחד השתנה בהצלחה +AccountancyUnletteringModifiedSuccessfully=%s ביטול התאמה שונה בהצלחה + +## Closure +AccountancyClosureStep1=שלב 1: אמת ונעל את התנועות +AccountancyClosureStep2=שלב 2: סגור את תקופת הכספים +AccountancyClosureStep3=שלב 3: חלץ ערכים (אופציונלי) +AccountancyClosureClose=סגור את תקופת הכספים +AccountancyClosureAccountingReversal=חלץ ורשום ערכי "רווחים שנשארו". +AccountancyClosureStep3NewFiscalPeriod=תקופת הכספים הבאה +AccountancyClosureGenerateClosureBookkeepingRecords=צור ערכי "רווחים שמורים" בתקופת הכספים הבאה +AccountancyClosureSeparateAuxiliaryAccounts=בעת הפקת הערכים "רווחים שמורים", פרט את חשבונות פנקסי המשנה +AccountancyClosureCloseSuccessfully=תקופת הכספים נסגרה בהצלחה +AccountancyClosureInsertAccountingReversalSuccessfully=רישומי הנהלת חשבונות עבור "רווחים שמורים" נוספו בהצלחה ## Confirm box -ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation -ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? -ConfirmMassDeleteBookkeepingWriting=Bulk Delete confirmation -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) Are you sure you want to delete the %s selected record(s)? +ConfirmMassUnletteringAuto=אישור ביטול התאמה אוטומטי בכמות גדולה +ConfirmMassUnletteringManual=אישור ביטול ידני בכמות גדולה +ConfirmMassUnletteringQuestion=האם אתה בטוח שברצונך לבטל התאמה בין %s הרשומות שנבחרו? +ConfirmMassDeleteBookkeepingWriting=אישור מחיקה בכמות גדולה +ConfirmMassDeleteBookkeepingWritingQuestion=פעולה זו תמחק את העסקה מהנהלת החשבונות (כל ערכי השורה הקשורים לאותה עסקה יימחקו). האם אתה בטוח שברצונך למחוק את %s הערכים שנבחרו? +AccountancyClosureConfirmClose=האם אתה בטוח שברצונך לסגור את תקופת הכספים הנוכחית? אתה מבין שסגירת תקופת הכספים היא פעולה בלתי הפיכה ותחסום לצמיתות כל שינוי או מחיקה של ערכים במהלך תקופה זו . +AccountancyClosureConfirmAccountingReversal=האם אתה בטוח שברצונך להקליט ערכים עבור "רווחים שנשארו" ? ## Error -SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them -ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) -ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused. -ErrorInvoiceContainsLinesNotYetBoundedShort=Some lines on invoice are not bound to accounting account. -ExportNotSupported=The export format setuped is not supported into this page -BookeppingLineAlreayExists=Lines already existing into bookkeeping -NoJournalDefined=No journal defined -Binded=Lines bound -ToBind=Lines to bind -UseMenuToSetBindindManualy=Lines not yet bound, use menu %s to make the binding manually -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Sorry this module is not compatible with the experimental feature of situation invoices -AccountancyErrorMismatchLetterCode=Mismatch in reconcile code -AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 -AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s -ErrorAccountNumberAlreadyExists=The accounting number %s already exists +SomeMandatoryStepsOfSetupWereNotDone=חלק משלבי ההגדרה לא בוצעו, אנא השלם אותם +ErrorNoAccountingCategoryForThisCountry=אין קבוצת חשבונות חשבונאית זמינה עבור המדינה %s (ראה %s - %s - %s) +ErrorInvoiceContainsLinesNotYetBounded=אתה מנסה לתעד כמה שורות של החשבונית %s, אבל כמה קווים אחרים עדיין אינם מוגבלים לחשבון חשבונאי. דיווח עיתונאי של כל שורות החשבוניות עבור חשבונית זו נדחה. +ErrorInvoiceContainsLinesNotYetBoundedShort=חלק מהשורות בחשבונית אינן קשורות לחשבון הנהלת חשבונות. +ExportNotSupported=פורמט הייצוא שהוגדר אינו נתמך בדף זה +BookeppingLineAlreayExists=קווים שכבר קיימים בהנהלת חשבונות +NoJournalDefined=לא מוגדר יומן +Binded=קווים קשורים +ToBind=שורות לאגד +UseMenuToSetBindindManualy=שורות שעדיין לא קשורות, השתמש בתפריט %s כדי לבצע את הקישור באופן ידני +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=הערה: מודול או דף זה אינם תואמים לחלוטין לתכונה הניסיונית של חשבוניות מצב. ייתכן שחלק מהנתונים שגויים. +AccountancyErrorMismatchLetterCode=חוסר התאמה בקוד התאמה +AccountancyErrorMismatchBalanceAmount=היתרה (%s) אינה שווה ל-0 +AccountancyErrorLetteringBookkeeping=אירעו שגיאות בנוגע לעסקאות: %s +ErrorAccountNumberAlreadyExists=מספר החשבון %s כבר קיים +ErrorArchiveAddFile=לא ניתן להכניס את הקובץ "%s" לארכיון +ErrorNoFiscalPeriodActiveFound=לא נמצאה תקופת כספים פעילה +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=תאריך מסמך הנהלת החשבונות אינו בתוך תקופת הכספים הפעילה +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=תאריך מסמך הנהלת החשבונות הוא בתוך תקופת כספים סגורה ## Import -ImportAccountingEntries=Accounting entries -ImportAccountingEntriesFECFormat=Accounting entries - FEC format -FECFormatJournalCode=Code journal (JournalCode) -FECFormatJournalLabel=Label journal (JournalLib) -FECFormatEntryNum=Piece number (EcritureNum) -FECFormatEntryDate=Piece date (EcritureDate) -FECFormatGeneralAccountNumber=General account number (CompteNum) -FECFormatGeneralAccountLabel=General account label (CompteLib) -FECFormatSubledgerAccountNumber=Subledger account number (CompAuxNum) -FECFormatSubledgerAccountLabel=Subledger account number (CompAuxLib) -FECFormatPieceRef=Piece ref (PieceRef) -FECFormatPieceDate=Piece date creation (PieceDate) -FECFormatLabelOperation=Label operation (EcritureLib) -FECFormatDebit=Debit (Debit) -FECFormatCredit=Credit (Credit) -FECFormatReconcilableCode=Reconcilable code (EcritureLet) -FECFormatReconcilableDate=Reconcilable date (DateLet) -FECFormatValidateDate=Piece date validated (ValidDate) -FECFormatMulticurrencyAmount=Multicurrency amount (Montantdevise) -FECFormatMulticurrencyCode=Multicurrency code (Idevise) +ImportAccountingEntries=רישומים חשבונאיים +ImportAccountingEntriesFECFormat=רישומי חשבונאות - פורמט FEC +FECFormatJournalCode=יומן קוד (JournalCode) +FECFormatJournalLabel=יומן תווית (JournalLib) +FECFormatEntryNum=מספר חתיכה (EcritureNum) +FECFormatEntryDate=תאריך חתיכה (EcritureDate) +FECFormatGeneralAccountNumber=מספר חשבון כללי (CompteNum) +FECFormatGeneralAccountLabel=תווית חשבון כללית (CompteLib) +FECFormatSubledgerAccountNumber=מספר חשבון פנקס משנה (CompAuxNum) +FECFormatSubledgerAccountLabel=מספר חשבון פנקס משנה (CompAuxLib) +FECFormatPieceRef=Piece Ref (PieceRef) +FECFormatPieceDate=יצירת תאריך יצירה (PieceDate) +FECFormatLabelOperation=פעולת תווית (EcritureLib) +FECFormatDebit=חיוב (חיוב) +FECFormatCredit=אשראי (קרדיט) +FECFormatReconcilableCode=קוד בר התאמה (EcritureLet) +FECFormatReconcilableDate=תאריך בר התאמה (DateLet) +FECFormatValidateDate=תאריך היצירה אומת (ValidDate) +FECFormatMulticurrencyAmount=סכום ריבוי מטבעות (Montantdevise) +FECFormatMulticurrencyCode=קוד ריבוי מטבעות (Idevise) -DateExport=Date export -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contains transaction modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. -ExpenseReportJournal=Expense Report Journal +DateExport=ייצוא תאריך +WarningReportNotReliable=אזהרה, דוח זה אינו מבוסס על פנקס החשבונות, ולכן אינו מכיל תנועות ששונו באופן ידני בפנקס החשבונות. אם התיעוד שלך מעודכן, תצוגת הנהלת החשבונות מדויקת יותר. +ExpenseReportJournal=יומן דוחות הוצאות +DocsAlreadyExportedAreIncluded=מסמכים שכבר מיוצאים כלולים +ClickToShowAlreadyExportedLines=לחץ כדי להציג שורות שכבר מיוצאות -NAccounts=%s accounts +NAccounts=חשבונות %s diff --git a/htdocs/langs/he_IL/admin.lang b/htdocs/langs/he_IL/admin.lang index 5887dcfd4f2..8b1af736413 100644 --- a/htdocs/langs/he_IL/admin.lang +++ b/htdocs/langs/he_IL/admin.lang @@ -1,721 +1,730 @@ # Dolibarr language file - Source file is en_US - admin -BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF -BoldLabelOnPDF=Print label of product item in Bold in PDF -Foundation=Foundation +BoldRefAndPeriodOnPDF=הדפס התייחסות ותקופת פריט המוצר ב-PDF +BoldLabelOnPDF=הדפס תווית של פריט המוצר בהדגשה ב-PDF +Foundation=קרן Version=גרסה -Publisher=Publisher +Publisher=מוֹצִיא לָאוֹר VersionProgram=גרסה התוכנית -VersionLastInstall=Initial install version -VersionLastUpgrade=Latest version upgrade +VersionLastInstall=גרסת התקנה ראשונית +VersionLastUpgrade=שדרוג הגרסה האחרונה VersionExperimental=נסיוני VersionDevelopment=התפתחות VersionUnknown=לא ידוע VersionRecommanded=מומלץ -FileCheck=Fileset Integrity Checks -FileCheckDesc=This tool allows you to check the integrity of files and the setup of your application, comparing each file with the official one. The value of some setup constants may also be checked. You can use this tool to determine if any files have been modified (e.g by a hacker). -FileIntegrityIsStrictlyConformedWithReference=Files integrity is strictly conformed with the reference. -FileIntegrityIsOkButFilesWereAdded=Files integrity check has passed, however some new files have been added. -FileIntegritySomeFilesWereRemovedOrModified=Files integrity check has failed. Some files were modified, removed or added. -GlobalChecksum=Global checksum -MakeIntegrityAnalysisFrom=Make integrity analysis of application files from -LocalSignature=Embedded local signature (less reliable) -RemoteSignature=Remote distant signature (more reliable) -FilesMissing=Missing Files -FilesUpdated=Updated Files -FilesModified=Modified Files -FilesAdded=Added Files -FileCheckDolibarr=Check integrity of application files -AvailableOnlyOnPackagedVersions=The local file for integrity checking is only available when the application is installed from an official package -XmlNotFound=Xml Integrity File of application not found +FileCheck=בדיקת תקינות ערכת קבצים +FileCheckDesc=כלי זה מאפשר לך לבדוק את תקינות הקבצים ואת הגדרת היישום שלך, להשוות כל קובץ לרשמי. ניתן לבדוק גם את הערך של כמה קבועי הגדרה. אתה יכול להשתמש בכלי זה כדי לקבוע אם קבצים כלשהם שונו (למשל על ידי האקר). +FileIntegrityIsStrictlyConformedWithReference=שלמות הקבצים תואמת בקפדנות עם ההפניה. +FileIntegrityIsOkButFilesWereAdded=בדיקת תקינות הקבצים עברה, אולם נוספו כמה קבצים חדשים. +FileIntegritySomeFilesWereRemovedOrModified=בדיקת תקינות הקבצים נכשלה. חלק מהקבצים שונו, הוסרו או נוספו. +GlobalChecksum=סכום בדיקה גלובלי +MakeIntegrityAnalysisFrom=בצע ניתוח שלמות של קבצי יישומים מ +LocalSignature=חתימה מקומית משובצת (פחות אמינה) +RemoteSignature=חתימה מרוחקת מרחוק (אמינה יותר) +FilesMissing=קבצים חסרים +FilesUpdated=קבצים מעודכנים +FilesModified=קבצים ששונו +FilesAdded=נוספו קבצים +FileCheckDolibarr=בדוק את תקינות קבצי היישום +AvailableOnlyOnPackagedVersions=הקובץ המקומי לבדיקת תקינות זמין רק כאשר האפליקציה מותקנת מחבילה רשמית +XmlNotFound=Xml Integrity קובץ היישום לא נמצא SessionId=מושב מזהה SessionSaveHandler=הנדלר להציל הפעלות -SessionSavePath=Session save location +SessionSavePath=מיקום שמירת הפעלה PurgeSessions=הטיהור של הפעלות -ConfirmPurgeSessions=Do you really want to purge all sessions? This will disconnect every user (except yourself). -NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow listing all running sessions. +ConfirmPurgeSessions=האם אתה באמת רוצה לנקות את כל ההפעלות? פעולה זו תנתק כל משתמש (חוץ מעצמך). +NoSessionListWithThisHandler=שמירת מטפל הפעלות שהוגדר ב-PHP שלך אינו מאפשר פירוט של כל ההפעלות הפועלות. LockNewSessions=נעל קשרים חדשים -ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself? Only user %s will be able to connect after that. +ConfirmLockNewSessions=האם אתה בטוח שברצונך להגביל כל חיבור חדש של Dolibarr לעצמך? רק משתמש %s יוכל להתחבר לאחר מכן. UnlockNewSessions=הסרת הנעילה חיבור YourSession=הפגישה שלך -Sessions=Users Sessions +Sessions=הפעלות של משתמשים WebUserGroup=שרת אינטרנט המשתמש / קבוצה -PermissionsOnFiles=Permissions on files -PermissionsOnFilesInWebRoot=Permissions on files in web root directory -PermissionsOnFile=Permissions on file %s -NoSessionFound=Your PHP configuration seems to not allow listing of active sessions. The directory used to save sessions (%s) may be protected (for example by OS permissions or by PHP directive open_basedir). +PermissionsOnFiles=הרשאות על קבצים +PermissionsOnFilesInWebRoot=הרשאות על קבצים בספריית שורש האינטרנט +PermissionsOnFile=הרשאות בקובץ %s +NoSessionFound=נראה שתצורת ה-PHP שלך אינה מאפשרת רישום של הפעלות פעילות. הספרייה המשמשת לשמירת הפעלות (%s) עשויה להיות מוגנת (לדוגמה לפי הרשאות מערכת הפעלה או לפי הוראת PHP open_basedir). DBStoringCharset=מאגר המידע charset לאחסון נתונים DBSortingCharset=מאגר המידע charset למיין נתונים -HostCharset=Host charset -ClientCharset=Client charset -ClientSortingCharset=Client collation +HostCharset=ערכת תווים מארח +ClientCharset=ערכת תווים של לקוח +ClientSortingCharset=איסוף לקוחות WarningModuleNotActive=%s מודול יש להפעיל WarningOnlyPermissionOfActivatedModules=הרשאות רק הקשורים מודולים מופעלים מוצגים כאן. ניתן להפעיל מודולים נוספים ב-Home> Setup-> דף מודולים. DolibarrSetup=Dolibarr להתקין או לשדרג -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=שדרוג של Dolibarr +DolibarrAddonInstall=התקנה של Addon/מודולים חיצוניים (הועלה או נוצר) InternalUsers=משתמשים פנימיים ExternalUsers=משתמשים חיצוניים -UserInterface=User interface +UserInterface=ממשק משתמש GUISetup=להציג SetupArea=הגדרת -UploadNewTemplate=Upload new template(s) +UploadNewTemplate=העלה תבניות חדשות FormToTestFileUploadForm=טופס לבדוק העלאת קובץ (על פי ההגדרה) -ModuleMustBeEnabled=The module/application %s must be enabled -ModuleIsEnabled=The module/application %s has been enabled +ModuleMustBeEnabled=יש להפעיל את המודול/יישום %s +ModuleIsEnabled=המודול/יישום %s הופעל IfModuleEnabled=הערה: כן, הוא יעיל רק אם %s מודול מופעלת -RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool. -RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. +RemoveLock=הסר/שנה את שם הקובץ %s אם הוא קיים, כדי לאפשר שימוש של כלי העדכון/התקנה. +RestoreLock=שחזר את הקובץ %s, עם הרשאת קריאה בלבד, כדי להשבית כל שימוש נוסף בכלי העדכון/התקנה. SecuritySetup=הגדרת אבטחה -PHPSetup=PHP setup -OSSetup=OS setup -SecurityFilesDesc=Define here options related to security about uploading files. +PHPSetup=הגדרת PHP +OSSetup=הגדרת מערכת ההפעלה +SecurityFilesDesc=הגדר כאן אפשרויות הקשורות לאבטחה לגבי העלאת קבצים. ErrorModuleRequirePHPVersion=שגיאה, מודול זה דורש %s PHP גירסה ומעלה ErrorModuleRequireDolibarrVersion=שגיאה, מודול זה דורש %s Dolibarr גרסה ומעלה ErrorDecimalLargerThanAreForbidden=שגיאה, דיוק גבוה יותר %s אינו נתמך. DictionarySetup=הגדרת מילון -Dictionary=Dictionaries -ErrorReservedTypeSystemSystemAuto=Value 'system' and 'systemauto' for type is reserved. You can use 'user' as value to add your own record -ErrorCodeCantContainZero=Code can't contain value 0 +Dictionary=מילונים +ErrorReservedTypeSystemSystemAuto=הערך 'system' ו-'systemauto' לסוג שמור. אתה יכול להשתמש ב'משתמש' כערך כדי להוסיף רשומה משלך +ErrorCodeCantContainZero=הקוד לא יכול להכיל ערך 0 DisableJavascript=בטל פונקציונליות של JavaScript ו Ajax -DisableJavascriptNote=Note: For test or debug purpose only. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user -UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -DelaiedFullListToSelectCompany=Wait until a key is pressed before loading content of Third Parties combo list.
      This may increase performance if you have a large number of third parties, but it is less convenient. -DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list.
      This may increase performance if you have a large number of contacts, but it is less convenient. -NumberOfKeyToSearch=Number of characters to trigger search: %s -NumberOfBytes=Number of Bytes -SearchString=Search string +DisableJavascriptNote=הערה: למטרות בדיקה או ניפוי באגים בלבד. עבור אופטימיזציה עבור אדם עיוור או דפדפני טקסט, ייתכן שתעדיף להשתמש בהגדרה בפרופיל המשתמש +UseSearchToSelectCompanyTooltip=כמו כן, אם יש לך מספר רב של צדדים שלישיים (> 100,000), תוכל להגביר את המהירות על ידי הגדרת COMPANY_DONOTSEARCH_ANYWHERE קבוע ל-1 בהגדרה->אחר. החיפוש יהיה מוגבל לתחילת המחרוזת. +UseSearchToSelectContactTooltip=כמו כן, אם יש לך מספר רב של צדדים שלישיים (> 100,000), תוכל להגביר את המהירות על ידי הגדרת CONTACT_DONOTSEARCH_ANYWHERE קבוע ל-1 בהגדרה->אחר. החיפוש יהיה מוגבל לתחילת המחרוזת. +DelaiedFullListToSelectCompany=המתן עד ללחיצה על מקש לפני טעינת תוכן של רשימת צד שלישי משולבת.
      זה עשוי להגביר את הביצועים אם יש לך מספר רב של צדדים שלישיים, אבל זה פחות נוח. +DelaiedFullListToSelectContact=המתן עד ללחיצה על מקש לפני טעינת התוכן של רשימת אנשי הקשר המשולבת.
      זה עשוי להגביר את הביצועים אם יש לך מספר רב של אנשי קשר, אבל זה פחות נוח. +NumberOfKeyToSearch=מספר התווים להפעלת חיפוש: %s +NumberOfBytes=מספר בתים +SearchString=מחרוזת חיפוש NotAvailableWhenAjaxDisabled=לא זמין כאשר אייאקס נכים -AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party -TimesheetPreventAfterFollowingMonths=Prevent recording time spent after the following number of months +AllowToSelectProjectFromOtherCompany=על מסמך של צד שלישי, יכול לבחור פרויקט המקושר לצד שלישי אחר +TimesheetPreventAfterFollowingMonths=מנע את זמן ההקלטה לאחר מספר החודשים הבאים JavascriptDisabled=JavaScript מושבת UsePreviewTabs=השתמש בכרטיסיות תצוגה מקדימה ShowPreview=הצג תצוגה מקדימה -ShowHideDetails=Show-Hide details +ShowHideDetails=הצג-הסתר פרטים PreviewNotAvailable=לא זמין תצוגה מקדימה ThemeCurrentlyActive=פעיל כרגע הנושא -MySQLTimeZone=TimeZone MySql (database) -TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered). +MySQLTimeZone=TimeZone MySql (מסד נתונים) +TZHasNoEffect=תאריכים מאוחסנים ומוחזרים על ידי שרת מסד הנתונים כאילו נשמרו כמחרוזת שנשלחה. לאזור הזמן יש השפעה רק בעת שימוש בפונקציית UNIX_TIMESTAMP (שאסור להשתמש בה על ידי Dolibarr, כך שבסיס הנתונים TZ לא אמור להשפיע, גם אם השתנה לאחר הזנת הנתונים). Space=מרחב -Table=Table +Table=שולחן Fields=שדות -Index=Index +Index=אינדקס Mask=מסכה NextValue=לאחר מכן ערך NextValueForInvoices=הערך הבא (חשבוניות) NextValueForCreditNotes=הערך הבא (הערות אשראי) -NextValueForDeposit=Next value (down payment) -NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +NextValueForDeposit=הערך הבא (מקדמה) +NextValueForReplacements=הערך הבא (החלפות) +MustBeLowerThanPHPLimit=הערה: תצורת ה-PHP שלך מגבילה כרגע את גודל הקבצים המרבי להעלאה ל-%sb09a4b739f17f80 span> %s, ללא קשר לערך של פרמטר זה NoMaxSizeByPHPLimit=הערה: אין גבול מוגדר בתצורת שלך PHP MaxSizeForUploadedFiles=הגודל המקסימלי של קבצים שאפשר להעלות (0 לאסור על כל ההעלאה) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page and some public pages +UseCaptchaCode=השתמש בקוד גרפי (CAPTCHA) בדף הכניסה ובחלק מהדפים הציבוריים AntiVirusCommand=הנתיב המלא האנטי וירוס הפקודה -AntiVirusCommandExample=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
      Example for ClamWin (very very slow): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe +AntiVirusCommandExample=דוגמה עבור ClamAv Daemon (דורש clamav-daemon): /usr/bin/clamdscan
      דוגמה עבור ClamWin (מאוד מאוד איטי): c:\\Progra~1\\ClamWin\\bin\\ clamscan.exe AntiVirusParam= פרמטרים נוספים על שורת הפקודה -AntiVirusParamExample=Example for ClamAv Daemon: --fdpass
      Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" +AntiVirusParamExample=דוגמה עבור ClamAv Daemon: --fdpass
      דוגמה עבור ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" ComptaSetup=מודול הנהלת חשבונות ההתקנה UserSetup=התקנה וניהול של המשתמש -MultiCurrencySetup=Multi-currency setup +MultiCurrencySetup=הגדרה של ריבוי מטבעות MenuLimits=גבולות ודיוק MenuIdParent=התפריט ההורה מזהה DetailMenuIdParent=תעודת הזהות של ההורה התפריט (0 עבור התפריט העליון) -ParentID=Parent ID +ParentID=תעודת הורה DetailPosition=מיין במספר להגדיר מיקום תפריט AllMenus=כל -NotConfigured=Module/Application not configured +NotConfigured=מודול/יישום לא מוגדר Active=פעיל SetupShort=הגדרת OtherOptions=אפשרויות אחרות -OtherSetup=Other Setup +OtherSetup=הגדרות אחרות CurrentValueSeparatorDecimal=מפריד עשרוני CurrentValueSeparatorThousand=אלף מפריד -Destination=Destination -IdModule=Module ID -IdPermissions=Permissions ID +Destination=יַעַד +IdModule=מזהה מודול +IdPermissions=מזהה הרשאות LanguageBrowserParameter=פרמטר %s -LocalisationDolibarrParameters=Localization parameters -ClientHour=Client time (user) -OSTZ=Server OS Time Zone +LocalisationDolibarrParameters=פרמטרי לוקליזציה +ClientHour=זמן לקוח (משתמש) +OSTZ=אזור הזמן של מערכת ההפעלה של השרת PHPTZ=אזור זמן PHP שרת DaylingSavingTime=שעון קיץ (משתמש) CurrentHour=שעה PHP (שרת) CurrentSessionTimeOut=ההפעלה הנוכחית פסק זמן -YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a .htaccess file with a line like this "SetEnv TZ Europe/Paris" -HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but of the timezone of the server. -Box=Widget -Boxes=Widgets -MaxNbOfLinesForBoxes=Max. number of lines for widgets -AllWidgetsWereEnabled=All available widgets are enabled -WidgetAvailable=Widget available +YouCanEditPHPTZ=כדי להגדיר אזור זמן אחר של PHP (לא חובה), אתה יכול לנסות להוסיף קובץ .htaccess עם שורה כמו "SetEnv TZ Europe/Paris" +HoursOnThisPageAreOnServerTZ=אזהרה, בניגוד למסכים אחרים, השעות בדף זה אינן באזור הזמן המקומי שלך, אלא באזור הזמן של השרת. +Box=יישומון +Boxes=ווידג'טים +MaxNbOfLinesForBoxes=מקסימום מספר שורות עבור ווידג'טים +AllWidgetsWereEnabled=כל הווידג'טים הזמינים מופעלים +WidgetAvailable=יישומון זמין PositionByDefault=ברירת המחדל של סדר -Position=Position -MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical). -MenusEditorDesc=The menu editor allows you to define custom menu entries. Use it carefully to avoid instability and permanently unreachable menu entries.
      Some modules add menu entries (in menu All mostly). If you remove some of these entries by mistake, you can restore them disabling and reenabling the module. +Position=עמדה +MenusDesc=מנהלי תפריטים מגדירים את התוכן של שני סרגלי התפריט (אופקי ואנכי). +MenusEditorDesc=עורך התפריטים מאפשר לך להגדיר ערכי תפריט מותאמים אישית. השתמש בו בזהירות כדי למנוע חוסר יציבות ומערכים בלתי ניתנים להשגה בתפריט.
      חלק מהמודולים מוסיפים ערכים בתפריט (בתפריט כל בעיקר). אם תסיר חלק מהערכים הללו בטעות, תוכל לשחזר אותם תוך השבתה והפעלה מחדש של המודול. MenuForUsers=תפריט עבור משתמשים LangFile=הקובץ. Lang -Language_en_US_es_MX_etc=Language (en_US, es_MX, ...) +Language_en_US_es_MX_etc=שפה (en_US, es_MX, ...) System=מערכת SystemInfo=מערכת מידע SystemToolsArea=כלי המערכת באזור -SystemToolsAreaDesc=This area provides administration functions. Use the menu to choose the required feature. -Purge=Purge -PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server. -PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data) -PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Parameter can be 'tempfilesold', 'logfiles' or both 'tempfilesold+logfiles'. Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files (no risk of losing data) -PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s.
      This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files. +SystemToolsAreaDesc=אזור זה מספק פונקציות ניהול. השתמש בתפריט כדי לבחור את התכונה הנדרשת. +Purge=לְטַהֵר +PurgeAreaDesc=דף זה מאפשר לך למחוק את כל הקבצים שנוצרו או מאוחסנים על ידי Dolibarr (קבצים זמניים או כל הקבצים ב%s). בדרך כלל אין צורך להשתמש בתכונה זו. הוא מסופק כדרך לעקיפת הבעיה עבור משתמשים ש-Dolibarr שלהם מתארח אצל ספק שאינו מציע הרשאות למחוק קבצים שנוצרו על ידי שרת האינטרנט. +PurgeDeleteLogFile=מחק קובצי יומן, כולל %s (לא הוגדר עבור מודול Syslog סיכון לאובדן נתונים) +PurgeDeleteTemporaryFiles=מחק את כל היומן והקבצים הזמניים (ללא סיכון לאובדן נתונים). הפרמטר יכול להיות 'tempfilesold', 'logfiles' או שניהם 'tempfilesold+logfiles'. הערה: מחיקת קבצים זמניים מתבצעת רק אם הספרייה הזמנית נוצרה לפני יותר מ-24 שעות. +PurgeDeleteTemporaryFilesShort=מחק יומן וקבצים זמניים (ללא סיכון לאובדן נתונים) +PurgeDeleteAllFilesInDocumentsDir=מחק את כל הקבצים בספרייה: %s=.
      זה ימחק את כל המסמכים שנוצרו הקשורים לאלמנטים (צדדים שלישיים, חשבוניות וכו'...), קבצים שהועלו למודול ה-ECM, מזימות גיבוי של מסד נתונים וקבצים זמניים. PurgeRunNow=לטהר עכשיו -PurgeNothingToDelete=No directory or files to delete. +PurgeNothingToDelete=אין ספרייה או קבצים למחיקה. PurgeNDirectoriesDeleted=%s קבצים או ספריות נמחק. -PurgeNDirectoriesFailed=Failed to delete %s files or directories. +PurgeNDirectoriesFailed=נכשלה מחיקת %s קבצים או ספריות. PurgeAuditEvents=לטהר את כל אירועי האבטחה -ConfirmPurgeAuditEvents=Are you sure you want to purge all security events? All security logs will be deleted, no other data will be removed. +ConfirmPurgeAuditEvents=האם אתה בטוח שברצונך למחוק את כל אירועי האבטחה? כל יומני האבטחה יימחקו, שום נתונים אחרים לא יוסרו. GenerateBackup=ליצור גיבוי Backup=גיבוי Restore=לשחזר RunCommandSummary=גיבוי הושק עם הפקודה הבאה BackupResult=גיבוי התוצאה BackupFileSuccessfullyCreated=קובץ הגיבוי שנוצר בהצלחה -YouCanDownloadBackupFile=The generated file can now be downloaded +YouCanDownloadBackupFile=כעת ניתן להוריד את הקובץ שנוצר NoBackupFileAvailable=אין גיבוי קבצים זמינים. ExportMethod=ייצוא השיטה ImportMethod=ייבוא ​​השיטה ToBuildBackupFileClickHere=כדי לבנות את קובץ הגיבוי, לחץ כאן . -ImportMySqlDesc=To import a MySQL backup file, you may use phpMyAdmin via your hosting or use the mysql command from the Command line.
      For example: +ImportMySqlDesc=כדי לייבא קובץ גיבוי של MySQL, תוכל להשתמש ב-phpMyAdmin דרך האירוח שלך או להשתמש בפקודה mysql משורת הפקודה.
      לדוגמה: ImportPostgreSqlDesc=כדי לייבא קובץ גיבוי, יש להשתמש בפקודה pg_restore משורת הפקודה: ImportMySqlCommand=%s %s <mybackupfile.sql ImportPostgreSqlCommand=%s %s mybackupfile.sql -FileNameToGenerate=Filename for backup: -Compression=Compression +FileNameToGenerate=שם קובץ לגיבוי: +Compression=דְחִיסָה CommandsToDisableForeignKeysForImport=הפקודה כדי לבטל את מפתחות זרים על יבוא -CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later +CommandsToDisableForeignKeysForImportWarning=חובה אם אתה רוצה להיות מסוגל לשחזר את ה-sql dump שלך מאוחר יותר ExportCompatibility=תאימות של קובץ הייצוא באופן -ExportUseMySQLQuickParameter=Use the --quick parameter -ExportUseMySQLQuickParameterHelp=The '--quick' parameter helps limit RAM consumption for large tables. +ExportUseMySQLQuickParameter=השתמש בפרמטר --quick +ExportUseMySQLQuickParameterHelp=הפרמטר '--quick' עוזר להגביל את צריכת ה-RAM עבור שולחנות גדולים. MySqlExportParameters=MySQL יצוא פרמטרים -PostgreSqlExportParameters= PostgreSQL export parameters +PostgreSqlExportParameters= פרמטרי ייצוא PostgreSQL UseTransactionnalMode=השתמש במצב עסקאות FullPathToMysqldumpCommand=הנתיב המלא אל הפקודה mysqldump FullPathToPostgreSQLdumpCommand=הנתיב המלא pg_dump הפקודה AddDropDatabase=הוסף מסד נתונים הפקודה DROP AddDropTable=הוסף תקפוץ הפקודה לוח -ExportStructure=Structure +ExportStructure=מִבְנֶה NameColumn=שם עמודות ExtendedInsert=Extended INSERT NoLockBeforeInsert=אין לנעול פקודות ברחבי INSERT DelayedInsert=עיכוב הוספה EncodeBinariesInHexa=קידוד נתונים בינאריים ב הקסדצימלי -IgnoreDuplicateRecords=Ignore errors of duplicate record (INSERT IGNORE) +IgnoreDuplicateRecords=התעלם משגיאות של רשומה כפולה (INSERT IGNORE) AutoDetectLang=Autodetect (שפת הדפדפן) FeatureDisabledInDemo=התכונה זמינה ב דמו -FeatureAvailableOnlyOnStable=Feature only available on official stable versions -BoxesDesc=Widgets are components showing some information that you can add to personalize some pages. You can choose between showing the widget or not by selecting target page and clicking 'Activate', or by clicking the trashcan to disable it. +FeatureAvailableOnlyOnStable=התכונה זמינה רק בגרסאות יציבות רשמיות +BoxesDesc=ווידג'טים הם רכיבים המציגים מידע מסוים שניתן להוסיף כדי להתאים אישית חלק מהדפים. אתה יכול לבחור בין הצגת הווידג'ט או לא על ידי בחירת דף היעד ולחיצה על 'הפעל', או על ידי לחיצה על פח האשפה כדי להשבית אותו. OnlyActiveElementsAreShown=האלמנטים היחידים של מודולים המאפשרים מוצגים. -ModulesDesc=The modules/applications determine which features are available in the software. Some modules require permissions to be granted to users after activating the module. Click the on/off button %s of each module to enable or disable a module/application. -ModulesDesc2=Click the wheel button %s to configure the module/application. -ModulesMarketPlaceDesc=You can find more modules to download on external websites on the Internet... -ModulesDeployDesc=If permissions on your file system allow it, you can use this tool to deploy an external module. The module will then be visible on the tab %s. -ModulesMarketPlaces=Find external app/modules -ModulesDevelopYourModule=Develop your own app/modules -ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. -DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New module -FreeModule=Free -CompatibleUpTo=Compatible with version %s -NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). -CompatibleAfterUpdate=This module requires an update to your Dolibarr %s (Min %s - Max %s). -SeeInMarkerPlace=See in Market place -SeeSetupOfModule=See setup of module %s -SetOptionTo=Set option %s to %s -Updated=Updated -AchatTelechargement=Buy / Download -GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. +ModulesDesc=המודולים/יישומים קובעים אילו תכונות זמינות בתוכנה. מודולים מסוימים דורשים הרשאות שיינתנו למשתמשים לאחר הפעלת המודול. לחץ על לחצן ההפעלה/כיבוי %s של כל מודול כדי להפעיל או השבת מודול/אפליקציה. +ModulesDesc2=לחץ על לחצן הגלגל %s כדי להגדיר את המודול/יישום. +ModulesMarketPlaceDesc=ניתן למצוא מודולים נוספים להורדה באתרים חיצוניים באינטרנט... +ModulesDeployDesc=אם ההרשאות במערכת הקבצים שלך מאפשרות זאת, תוכל להשתמש בכלי זה כדי לפרוס מודול חיצוני. לאחר מכן, המודול יהיה גלוי בכרטיסייה %s. +ModulesMarketPlaces=מצא אפליקציה/מודולים חיצוניים +ModulesDevelopYourModule=פתח אפליקציה/מודולים משלך +ModulesDevelopDesc=אתה יכול גם לפתח מודול משלך או למצוא שותף שיפתח אחד בשבילך. +DOLISTOREdescriptionLong=במקום להפעיל את אתר האינטרנט www.dolistore.com כדי למצוא מודול חיצוני, אתה יכול להשתמש בכלי מוטבע זה יבצע עבורך את החיפוש בשוק החיצוני (יכול להיות איטי, צריך גישה לאינטרנט)... +NewModule=מודול חדש +FreeModule=חינם +CompatibleUpTo=תואם לגרסה %s +NotCompatible=נראה שהמודול הזה אינו תואם ל-Dolibarr %s שלך (מינימום %s - מקסימום %s span>). +CompatibleAfterUpdate=מודול זה דורש עדכון ל-Dolibarr %s שלך (מינימום %s - מקסימום %s). +SeeInMarkerPlace=ראה ב-Market place +SeeSetupOfModule=ראה את ההגדרה של המודול %s +SeeSetupPage=ראה דף הגדרה ב-%s +SeeReportPage=ראה דף דוח ב-%s +SetOptionTo=הגדר את האפשרות %s ל- %s +Updated=מְעוּדכָּן +AchatTelechargement=קנה / הורדה +GoModuleSetupArea=כדי לפרוס/להתקין מודול חדש, עבור לאזור הגדרת המודול: %s . DoliStoreDesc=DoliStore, במקום השוק הרשמי של מודולים Dolibarr ERP / CRM חיצוניות -DoliPartnersDesc=List of companies providing custom-developed modules or features.
      Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. -WebSiteDesc=External websites for more add-on (non-core) modules... -DevelopYourModuleDesc=Some solutions to develop your own module... -URL=URL -RelativeURL=Relative URL -BoxesAvailable=Widgets available -BoxesActivated=Widgets activated +DoliPartnersDesc=רשימת חברות המספקות מודולים או תכונות שפותחו בהתאמה אישית.
      הערה: מכיוון ש-Dolibarr הוא יישום קוד פתוח, כל אחד בעל ניסיון בתכנות PHP אמור להיות מסוגל לפתח מודול. +WebSiteDesc=אתרים חיצוניים למודולים נוספים (שאינם ליבות)... +DevelopYourModuleDesc=כמה פתרונות לפיתוח מודול משלך... +URL=כתובת אתר +RelativeURL=כתובת URL יחסית +BoxesAvailable=ווידג'טים זמינים +BoxesActivated=ווידג'טים הופעלו ActivateOn=הפעל על ActiveOn=הופעל על -ActivatableOn=Activatable on +ActivatableOn=ניתן להפעלה SourceFile=מקור הקובץ AvailableOnlyIfJavascriptAndAjaxNotDisabled=אפשרות זו זמינה רק אם JavaScript לא מבוטלת Required=דרוש -UsedOnlyWithTypeOption=Used by some agenda option only +UsedOnlyWithTypeOption=בשימוש על ידי אפשרות אג'נדה כלשהי בלבד Security=בטחון Passwords=סיסמאות -DoNotStoreClearPassword=Encrypt passwords stored in database (NOT as plain-text). It is strongly recommended to activate this option. -MainDbPasswordFileConfEncrypted=Encrypt database password stored in conf.php. It is strongly recommended to activate this option. -InstrucToEncodePass=To have password encoded into the conf.php file, replace the line
      $dolibarr_main_db_pass="...";
      by
      $dolibarr_main_db_pass="crypted:%s"; -InstrucToClearPass=To have password decoded (clear) into the conf.php file, replace the line
      $dolibarr_main_db_pass="crypted:...";
      by
      $dolibarr_main_db_pass="%s"; -ProtectAndEncryptPdfFiles=Protect generated PDF files. This is NOT recommended as it breaks bulk PDF generation. -ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature makes building of a global merged PDFs not working. +DoNotStoreClearPassword=הצפין סיסמאות המאוחסנות במסד הנתונים (לא כטקסט רגיל). מומלץ מאוד להפעיל אפשרות זו. +MainDbPasswordFileConfEncrypted=הצפנת סיסמת מסד הנתונים המאוחסנת ב-conf.php. מומלץ מאוד להפעיל אפשרות זו. +InstrucToEncodePass=כדי שהסיסמה תקודד בקובץ conf.php, החלף את השורה b0342bz0<19 /span>$dolibarr_main_db_pass="...";b0342bz0fda19 >מאת
      $dolibarr_main_db_pass="crypted:b0ecb2ec87fspan>fz;<07fspan>fz; span class='notranslate'> +InstrucToClearPass=כדי לפענח (נקה) את הסיסמה לקובץ conf.php, החלף את השורה
      $dolibarr_main_db_pass="crypted:...";='
      מאת
      $dolibarr_main_db_pass="70ec49becz0>7notranslate'ec> "; +ProtectAndEncryptPdfFiles=הגן על קבצי PDF שנוצרו. זה לא מומלץ מכיוון שהוא שובר יצירת PDF בתפזורת. +ProtectAndEncryptPdfFilesDesc=הגנה על מסמך PDF שומרת אותו זמין לקריאה והדפסה בכל דפדפן PDF. עם זאת, עריכה והעתקה אינן אפשריות יותר. שים לב ששימוש בתכונה זו גורם לבניית קובצי PDF ממוזגים גלובליים לא לעבוד. Feature=תכונה DolibarrLicense=רשיון Developpers=מפתחים / תורמים -OfficialWebSite=Dolibarr official web site -OfficialWebSiteLocal=Local web site (%s) -OfficialWiki=Dolibarr documentation / Wiki +OfficialWebSite=אתר האינטרנט הרשמי של Dolibarr +OfficialWebSiteLocal=אתר אינטרנט מקומי (%s) +OfficialWiki=תיעוד Dolibarr / Wiki OfficialDemo=Dolibarr הדגמה מקוון OfficialMarketPlace=שוק המקום הרשמי של מודולים / addons חיצוניים -OfficialWebHostingService=Referenced web hosting services (Cloud hosting) -ReferencedPreferredPartners=Preferred Partners -OtherResources=Other resources -ExternalResources=External Resources -SocialNetworks=Social Networks -SocialNetworkId=Social Network ID -ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),
      take a look at the Dolibarr Wiki:
      %s -ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:
      %s -HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr. -HelpCenterDesc2=Some of these resources are only available in english. +OfficialWebHostingService=שירותי אירוח אתרים מוזכרים (אחסון בענן) +ReferencedPreferredPartners=שותפים מועדפים +OtherResources=משאבים אחרים +ExternalResources=משאבים חיצוניים +SocialNetworks=רשתות חברתיות +SocialNetworkId=מזהה רשת חברתית +ForDocumentationSeeWiki=לתיעוד משתמשים או מפתחים (מסמך, שאלות נפוצות...),
      עיין ב-Dolibarr Wiki:
      %sb0e40dc65dc65 +ForAnswersSeeForum=לכל שאלה/עזרה אחרת, אתה יכול להשתמש בפורום Dolibarr:
      %s +HelpCenterDesc1=הנה כמה משאבים לקבלת עזרה ותמיכה עם Dolibarr. +HelpCenterDesc2=חלק ממשאבים אלו זמינים רק באנגלית. CurrentMenuHandler=התפריט הנוכחי מטפל MeasuringUnit=יחידת מדידה -LeftMargin=Left margin -TopMargin=Top margin -PaperSize=Paper type -Orientation=Orientation -SpaceX=Space X -SpaceY=Space Y -FontSize=Font size -Content=Content -ContentForLines=Content to display for each product or service (from variable __LINES__ of Content) -NoticePeriod=Notice period -NewByMonth=New by month -Emails=Emails -EMailsSetup=Emails setup -EMailsDesc=This page allows you to set parameters or options for email sending. -EmailSenderProfiles=Emails sender profiles -EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. -MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (default value in php.ini: %s) -MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (default value in php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix-like systems) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix-like systems) -MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (default value in php.ini: %s) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration -MAIN_MAIL_ERRORS_TO=Email used for error returns emails (fields 'Errors-To' in emails sent) -MAIN_MAIL_AUTOCOPY_TO= Copy (Bcc) all sent emails to -MAIN_DISABLE_ALL_MAILS=Disable all email sending (for test purposes or demos) -MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice -MAIN_MAIL_SENDMODE=Email sending method -MAIN_MAIL_SMTPS_ID=SMTP ID (if sending server requires authentication) -MAIN_MAIL_SMTPS_PW=SMTP Password (if sending server requires authentication) -MAIN_MAIL_EMAIL_TLS=Use TLS (SSL) encryption -MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés -MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature -MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim -MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector -MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing -MAIN_DISABLE_ALL_SMS=Disable all SMS sending (for test purposes or demos) +LeftMargin=השוליים השמאליים +TopMargin=שוליים עליונים +PaperSize=סוג נייר +Orientation=נטייה +SpaceX=חלל X +SpaceY=חלל Y +FontSize=גודל גופן +Content=תוֹכֶן +ContentForLines=תוכן להצגה עבור כל מוצר או שירות (ממשתנה __LINES__ של תוכן) +NoticePeriod=תקופת התראה +NewByMonth=חדש לפי חודש +Emails=אימיילים +EMailsSetup=הגדרת מיילים +EMailsDesc=עמוד זה מאפשר לך להגדיר פרמטרים או אפשרויות לשליחת דואר אלקטרוני. +EmailSenderProfiles=שולח אימייל פרופילי שולח +EMailsSenderProfileDesc=אתה יכול לשמור את החלק הזה ריק. אם תזין כאן כמה הודעות דוא"ל, הם יתווספו לרשימת השולחים האפשריים לתיבת המשולבת כאשר תכתוב אימייל חדש. +MAIN_MAIL_SMTP_PORT=יציאת SMTP/SMTPS (ערך ברירת מחדל ב-php.ini: %sb09a4b739f17f >) +MAIN_MAIL_SMTP_SERVER=מארח SMTP/SMTPS (ערך ברירת מחדל ב-php.ini: %sb09a4b739f17f >) +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=יציאת SMTP/SMTPS +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=מארח SMTP/SMTPS +MAIN_MAIL_EMAIL_FROM=דוא"ל שולח למיילים אוטומטיים +EMailHelpMsgSPFDKIM=כדי למנוע ממיילים של Dolibarr להיות מסווגים כדואר זבל, ודא שהשרת מורשה לשלוח הודעות דואר אלקטרוני תחת זהות זו (על ידי בדיקת תצורת SPF ו-DKIM של שם הדומיין) +MAIN_MAIL_ERRORS_TO=דוא"ל המשמש לשגיאה מחזיר הודעות דוא"ל (שדות 'שגיאות אל' בהודעות דוא"ל שנשלחו) +MAIN_MAIL_AUTOCOPY_TO= העתק (עותק מוסתר) את כל האימיילים שנשלחו אל +MAIN_DISABLE_ALL_MAILS=השבת את כל שליחת האימייל (למטרות בדיקה או הדגמות) +MAIN_MAIL_FORCE_SENDTO=שלח את כל האימיילים אל (במקום נמענים אמיתיים, למטרות בדיקה) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=הצע מיילים של עובדים (אם מוגדרים) לרשימת הנמענים המוגדרים מראש בעת כתיבת דוא"ל חדש +MAIN_MAIL_NO_WITH_TO_SELECTED=אל תבחר נמען ברירת מחדל גם אם יש רק אפשרות אחת +MAIN_MAIL_SENDMODE=שיטת שליחת אימייל +MAIN_MAIL_SMTPS_ID=מזהה SMTP (אם שרת השליחה דורש אימות) +MAIN_MAIL_SMTPS_PW=סיסמת SMTP (אם שרת השליחה דורש אימות) +MAIN_MAIL_EMAIL_TLS=השתמש בהצפנת TLS (SSL). +MAIN_MAIL_EMAIL_STARTTLS=השתמש בהצפנת TLS (STARTTLS). +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=אישור אישורים בחתימה עצמית +MAIN_MAIL_EMAIL_DKIM_ENABLED=השתמש ב-DKIM כדי ליצור חתימת דוא"ל +MAIN_MAIL_EMAIL_DKIM_DOMAIN=דומיין דואר לשימוש עם dkim +MAIN_MAIL_EMAIL_DKIM_SELECTOR=שם בורר dkim +MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=מפתח פרטי לחתימה dkim +MAIN_DISABLE_ALL_SMS=השבת את כל שליחת ה-SMS (למטרות בדיקה או הדגמות) MAIN_SMS_SENDMODE=שיטה להשתמש כדי לשלוח SMS -MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending -MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email) -UserEmail=User email -CompanyEmail=Company Email +MAIN_MAIL_SMS_FROM=מספר הטלפון של שולח ברירת המחדל לשליחת SMS +MAIN_MAIL_DEFAULT_FROMTYPE=דוא"ל שולח המוגדר כברירת מחדל נבחר מראש בטפסים לשליחת אימיילים +UserEmail=דוא"ל משתמש +CompanyEmail=אימייל של החברה FeatureNotAvailableOnLinux=תכונה לא זמינה כמו מערכות יוניקס. בדיקת תוכנית sendmail שלך באופן מקומי. -FixOnTransifex=Fix the translation on the online translation platform of project -SubmitTranslation=If the translation for this language is not complete or you find errors, you can correct this by editing files in directory langs/%s and submit your change to www.transifex.com/dolibarr-association/dolibarr/ -SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or, if you are a developer, with a PR on github.com/Dolibarr/dolibarr +FixOnTransifex=תקן את התרגום בפלטפורמת התרגום המקוונת של הפרויקט +SubmitTranslation=אם התרגום לשפה זו אינו שלם או שאתה מוצא שגיאות, תוכל לתקן זאת על ידי עריכת קבצים בספרייה langs/%s ושלח את השינוי שלך לכתובת www.transifex.com/dolibarr-association/dolibarr/ +SubmitTranslationENUS=אם התרגום לשפה זו לא הושלם או שאתה מוצא שגיאות, תוכל לתקן זאת על ידי עריכת קבצים בספרייה langs/%s ושלח קבצים ששונו ב-dolibarr.org/forum או, אם אתה מפתח, עם PR ב-github.com/Dolibarr/dolibarr ModuleSetup=מודול ההתקנה -ModulesSetup=Modules/Application setup +ModulesSetup=הגדרת מודולים/אפליקציה ModuleFamilyBase=מערכת -ModuleFamilyCrm=Customer Relationship Management (CRM) -ModuleFamilySrm=Vendor Relationship Management (VRM) -ModuleFamilyProducts=Product Management (PM) -ModuleFamilyHr=Human Resource Management (HR) +ModuleFamilyCrm=ניהול קשרי לקוחות (CRM) +ModuleFamilySrm=ניהול קשרי ספקים (VRM) +ModuleFamilyProducts=ניהול מוצר (PM) +ModuleFamilyHr=ניהול משאבי אנוש (HR) ModuleFamilyProjects=פרויקטים / עבודה שיתופית ModuleFamilyOther=אחר ModuleFamilyTechnic=Multi מודולים כלים ModuleFamilyExperimental=הניסוי מודולים ModuleFamilyFinancial=מודולים פיננסיים (חשבונאות / משרד האוצר) ModuleFamilyECM=ניהול תוכן אלקטרוני (ECM) -ModuleFamilyPortal=Websites and other frontal application -ModuleFamilyInterface=Interfaces with external systems +ModuleFamilyPortal=אתרי אינטרנט ואפליקציות פרונטליות אחרות +ModuleFamilyInterface=ממשקים עם מערכות חיצוניות MenuHandlers=תפריט מטפלים MenuAdmin=תפריט העורך -DoNotUseInProduction=Do not use in production -ThisIsProcessToFollow=Upgrade procedure: -ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: +DoNotUseInProduction=אין להשתמש בייצור +ThisIsProcessToFollow=הליך השדרוג: +ThisIsAlternativeProcessToFollow=זוהי הגדרה חלופית לעיבוד ידני: StepNb=שלב %s -FindPackageFromWebSite=Find a package that provides the features you need (for example on the official web site %s). -DownloadPackageFromWebSite=Download package (for example from the official web site %s). -UnpackPackageInDolibarrRoot=Unpack/unzip the packaged files into your Dolibarr server directory: %s -UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s -SetupIsReadyForUse=Module deployment is finished. You must however enable and setup the module in your application by going to the page setup modules: %s. -NotExistsDirect=The alternative root directory is not defined to an existing directory.
      -InfDirAlt=Since version 3, it is possible to define an alternative root directory. This allows you to store, into a dedicated directory, plug-ins and custom templates.
      Just create a directory at the root of Dolibarr (eg: custom).
      -InfDirExample=
      Then declare it in the file conf.php
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
      If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. -YouCanSubmitFile=You can upload the .zip file of module package from here: +FindPackageFromWebSite=מצא חבילה שמספקת את התכונות שאתה צריך (לדוגמה באתר האינטרנט הרשמי %s). +DownloadPackageFromWebSite=חבילת הורדה (לדוגמה מאתר האינטרנט הרשמי %s). +UnpackPackageInDolibarrRoot=פרק/פרק את הקבצים הארוזים לתוך ספריית שרת Dolibarr שלך: %sb09a4b739f17f > +UnpackPackageInModulesRoot=כדי לפרוס/להתקין מודול חיצוני, עליך לפרוק/לפרוק את קובץ הארכיון לתוך ספריית השרת המוקדשת למודולים חיצוניים:
      %s +SetupIsReadyForUse=פריסת המודול הסתיימה. עם זאת, עליך להפעיל ולהגדיר את המודול ביישום שלך על ידי מעבר למודולי הגדרת הדף: %s. +NotExistsDirect=ספריית השורש החלופית אינה מוגדרת לספרייה קיימת.
      +InfDirAlt=מאז גרסה 3, ניתן להגדיר ספריית שורש חלופית. זה מאפשר לך לאחסן, בספרייה ייעודית, יישומי פלאגין ותבניות מותאמות אישית.
      פשוט צור ספרייה בשורש של Dolibarr (למשל: מותאם אישית).
      +InfDirExample=
      לאחר מכן הכריז על זה בקובץ conf.phpb0a65d071f6fcspan9z0

      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt='/barrtom/of/dolibarrtom/of/dspan 'notranslate'>
      אם השורות האלה מוערות ב-"#", כדי לאפשר אותן, פשוט בטל את ההערה על-ידי הסרת התו "#". +YouCanSubmitFile=אתה יכול להעלות את קובץ ה-zip של חבילת המודול מכאן: CurrentVersion=Dolibarr הגרסה הנוכחית -CallUpdatePage=Browse to the page that updates the database structure and data: %s. -LastStableVersion=Latest stable version -LastActivationDate=Latest activation date -LastActivationAuthor=Latest activation author -LastActivationIP=Latest activation IP -LastActivationVersion=Latest activation version -UpdateServerOffline=Update server offline -WithCounter=Manage a counter -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      -GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      +CallUpdatePage=דפדף לדף שמעדכן את מבנה מסד הנתונים והנתונים: %s. +LastStableVersion=הגרסה היציבה האחרונה +LastActivationDate=תאריך ההפעלה האחרון +LastActivationAuthor=מחבר ההפעלה האחרון +LastActivationIP=IP ההפעלה האחרון +LastActivationVersion=גרסת ההפעלה האחרונה +UpdateServerOffline=עדכן את השרת במצב לא מקוון +WithCounter=נהל מונה +GenericMaskCodes=אתה יכול להזין כל מסכת מספור. במסכה זו, ניתן להשתמש בתגים הבאים:
      {000000}b09a4f739f<017f /span> מתאים למספר אשר יוגדל בכל %s. הזן כמה אפסים כמו האורך הרצוי של המונה. המונה יושלם באפסים משמאל על מנת שיהיו כמה אפסים כמו המסכה.
      {000000+000} אך זהה לקודם היסט המתאים למספר מימין לסימן + מוחל החל ב%s הראשון.
      {000000@x} זהה לזה הקודם המונה מאופס לאפס כשמגיעים לחודש x (x בין 1 ל-12, או 0 כדי להשתמש בחודשים הראשונים של שנת הכספים שהוגדרו בתצורה שלך, או 99 כדי לאפס כל חודש). אם נעשה שימוש באפשרות זו ו-x הוא 2 ומעלה, נדרש גם הרצף {yy}{mm} או {yyyy}{mm}.
      {dd} יום (01 עד 31). span class='notranslate'>
      {mm} חודש (01 עד 12).
      {yy}, {yyyy}
      או {y} שנה מעל 2, 4 או 1 מספרים.
      +GenericMaskCodes2={cccc} קוד הלקוח על n תווים
      {cccc000}b0917b78z קוד הלקוח על n תווים ואחריו מונה המוקדש ללקוח. מונה זה המוקדש ללקוח מאופס במקביל למונה הגלובלי.
      b06a5f451419e8z הקוד של סוג צד שלישי על n תווים (ראה תפריט בית - הגדרה - מילון - סוגי צדדים שלישיים). אם תוסיף תג זה, המונה יהיה שונה עבור כל סוג של צד שלישי.
      GenericMaskCodes3=כל הדמויות האחרות מסכת יישאר ללא שינוי.
      מקומות אסורים.
      -GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
      Spaces are not allowed.
      In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes3EAN=כל שאר התווים במסכה יישארו שלמים (למעט * או ? במיקום 13 ב-EAN13).
      אין מותרים רווחים.
      span>ב-EAN13, התו האחרון אחרי ה-} האחרון במיקום ה-13 צריך להיות * או ? . הוא יוחלף במפתח המחושב.
      +GenericMaskCodes4a=דוגמה בתאריך ה-99 של %s של הצד השלישי TheCompany, עם תאריך 2023-01-31:
      +GenericMaskCodes4b=דוגמה על צד שלישי שנוצר ב-2023-01-31:
      > +GenericMaskCodes4c=דוגמה על מוצר שנוצר ב-2023-01-31:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000} ייתן b0aee873308 span>ABC2301-000099

      @01+ }-ZZZ/{dd}/XXX ייתן 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} ייתן IN2301-0099-A סוג החברה הוא 'Inscripto אחראי' עם קוד לסוג שהוא 'A_RI' GenericNumRefModelDesc=להחזיר מספר להתאמה אישית על פי מסכת מוגדר. ServerAvailableOnIPOrPort=שרת זמין בכתובת %s כתובת ביציאה %s ServerNotAvailableOnIPOrPort=השרת אינו זמין %s כתובת ביציאה %s DoTestServerAvailability=שרת לבדוק את הקישוריות DoTestSend=בדוק שליחת DoTestSendHTML=בדוק שליחת HTML -ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. +ErrorCantUseRazIfNoYearInMask=שגיאה, לא ניתן להשתמש באפשרות @ כדי לאפס את המונה בכל שנה אם הרצף {yy} או {yyyy} אינו במסיכה. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=שגיאה, לא ניתן להשתמש באפשרות @ אם רצף {yy} {מ"מ} או {yyyy} {מ"מ} אינו מסכה. UMask=UMask פרמטר עבור קבצים חדשים על יוניקס / לינוקס / BSD מערכת הקבצים. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. -SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization +UMaskExplanation=פרמטר זה מאפשר לך להגדיר הרשאות המוגדרות כברירת מחדל בקבצים שנוצרו על ידי Dolibarr בשרת (לדוגמה, במהלך העלאה).
      זה חייב להיות הערך האוקטלי (לדוגמה, 0666 פירושו קריאה וכתוב לכולם.). הערך המומלץ הוא 0600 או 0660
      פרמטר זה חסר תועלת בשרת Windows. +SeeWikiForAllTeam=עיין בדף Wiki עבור רשימה של תורמים והארגון שלהם UseACacheDelay= עיכוב במטמון בתגובה יצוא שניות (0 או ריק מטמון לא) -DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page -DisableLinkToHelp=Hide the link to the online help "%s" -AddCRIfTooLong=There is no automatic text wrapping, text that is too long will not display on documents. Please add carriage returns in the text area if needed. -ConfirmPurge=Are you sure you want to execute this purge?
      This will permanently delete all your data files with no way to restore them (ECM files, attached files...). +DisableLinkToHelpCenter=הסתר את הקישור "צריך עזרה או תמיכה" בדף הכניסה +DisableLinkToHelp=הסתר את הקישור לעזרה המקוונת "%s" +AddCRIfTooLong=אין גלישת טקסט אוטומטית, טקסט ארוך מדי לא יוצג במסמכים. נא הוסף החזרות עגלה באזור הטקסט במידת הצורך. +ConfirmPurge=האם אתה בטוח שברצונך לבצע טיהור זה?
      זה ימחק לצמיתות את כל קבצי הנתונים שלך ללא שום דרך לשחזר אותם (קבצי ECM, קבצים מצורפים...). MinLength=מינימום אורך LanguageFilesCachedIntoShmopSharedMemory=קבצים. Lang טעון בזיכרון משותף -LanguageFile=Language file -ExamplesWithCurrentSetup=Examples with current configuration +LanguageFile=קובץ שפה +ExamplesWithCurrentSetup=דוגמאות עם תצורה נוכחית ListOfDirectories=רשימה של ספריות ותבניות OpenDocument -ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.

      Put here full path of directories.
      Add a carriage return between eah directory.
      To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.

      Files in those directories must end with .odt or .ods. -NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories -ExampleOfDirectoriesForModelGen=Examples of syntax:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir +ListOfDirectoriesForModelGenODT=רשימת ספריות המכילות קבצי תבניות בפורמט OpenDocument.

      שים כאן את הנתיב המלא של ספריות.
      הוסף החזרת כרכרה בין ספרייה אחת.
      כדי להוסיף ספרייה של מודול GED, הוסף כאן >DOL_DATA_ROOT/ecm/yourdirectoryname.
      b0342fccfdaies19bz0 במנהלים אלו חייב להסתיים ב-.odt או .ods ='notranslate'>
      . +NumberOfModelFilesFound=מספר קובצי תבנית ODT/ODS שנמצאו בספריות אלו +ExampleOfDirectoriesForModelGen=דוגמאות לתחביר:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir FollowingSubstitutionKeysCanBeUsed=
      לדעת איך ליצור תבניות ODT המסמכים שלך, לפני אחסונם ספריות אלה, קרא את התיעוד wiki: FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template FirstnameNamePosition=עמדת שם / שם משפחה -DescWeather=The following images will be shown on the dashboard when the number of late actions reach the following values: +DescWeather=התמונות הבאות יוצגו בלוח המחוונים כאשר מספר הפעולות המאוחרות יגיע לערכים הבאים: KeyForWebServicesAccess=מפתח להשתמש בשירותי אינטרנט (פרמטר "dolibarrkey" ב webservices) TestSubmitForm=בדיקת קלט בטופס -ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever the user choice. Also this menu manager specialized for smartphones does not work on all smartphone. Use another menu manager if you experience problems with yours. +ThisForceAlsoTheme=שימוש במנהל התפריטים הזה ישתמש גם בערכת הנושא שלו, לא משנה מה בחירת המשתמש. כמו כן, מנהל התפריט הזה המתמחה לסמארטפונים לא עובד בכל הסמארטפונים. השתמש במנהל תפריט אחר אם אתה נתקל בבעיות עם שלך. ThemeDir=Skins בספרייה -ConnectionTimeout=Connection timeout +ConnectionTimeout=פסק זמן לחיבור ResponseTimeout=בתגובה פסק זמן SmsTestMessage=מבחן מסר PHONEFROM__ __ ל __ PHONETO__ -ModuleMustBeEnabledFirst=Module %s must be enabled first if you need this feature. +ModuleMustBeEnabledFirst=יש להפעיל תחילה את המודול %s אם אתה צריך תכונה זו. SecurityToken=המפתח כתובות מאובטח -NoSmsEngine=No SMS sender manager available. A SMS sender manager is not installed with the default distribution because they depend on an external vendor, but you can find some on %s +NoSmsEngine=אין מנהל שולח SMS זמין. מנהל שולח SMS אינו מותקן עם הפצת ברירת המחדל מכיוון שהם תלויים בספק חיצוני, אבל אתה יכול למצוא כמה ב-%s PDF=PDF -PDFDesc=Global options for PDF generation -PDFOtherDesc=PDF Option specific to some modules -PDFAddressForging=Rules for address section -HideAnyVATInformationOnPDF=Hide all information related to Sales Tax / VAT -PDFRulesForSalesTax=Rules for Sales Tax / VAT -PDFLocaltax=Rules for %s -HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT -HideDescOnPDF=Hide products description -HideRefOnPDF=Hide products ref. -HideDetailsOnPDF=Hide product lines details -PlaceCustomerAddressToIsoLocation=Use french standard position (La Poste) for customer address position -Library=Library +PDFDesc=אפשרויות גלובליות ליצירת PDF +PDFOtherDesc=אפשרות PDF ספציפית לחלק מהמודולים +PDFAddressForging=כללים למדור כתובת +HideAnyVATInformationOnPDF=הסתר את כל המידע הקשור למס מכירה / מע"מ +PDFRulesForSalesTax=כללים למס מכירה / מע"מ +PDFLocaltax=כללים עבור %s +HideLocalTaxOnPDF=הסתר שיעור %s בעמודה מס מכירה / מע"מ +HideDescOnPDF=הסתר את תיאור המוצרים +HideRefOnPDF=הסתר מוצרים ref. +ShowProductBarcodeOnPDF=הצג את מספר הברקוד של המוצרים +HideDetailsOnPDF=הסתר פרטי קווי מוצרים +PlaceCustomerAddressToIsoLocation=השתמש בעמדה סטנדרטית בצרפתית (La Poste) עבור עמדת כתובת הלקוח +Library=סִפְרִיָה UrlGenerationParameters=פרמטרים כדי להבטיח את כתובות האתרים SecurityTokenIsUnique=השתמש פרמטר ייחודי securekey עבור כל כתובת אתר EnterRefToBuildUrl=הזן התייחסות %s אובייקט GetSecuredUrl=לקבל את כתובת האתר מחושב -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) -OldVATRates=Old VAT rate -NewVATRates=New VAT rate -PriceBaseTypeToChange=Modify on prices with base reference value defined on -MassConvert=Launch bulk conversion -PriceFormatInCurrentLanguage=Price Format In Current Language -String=String -String1Line=String (1 line) -TextLong=Long text -TextLongNLines=Long text (n lines) -HtmlText=Html text -Int=Integer -Float=Float -DateAndTime=Date and hour -Unique=Unique -Boolean=Boolean (one checkbox) -ExtrafieldPhone = Phone -ExtrafieldPrice = Price -ExtrafieldPriceWithCurrency=Price with currency -ExtrafieldMail = Email -ExtrafieldUrl = Url +ButtonHideUnauthorized=הסתר כפתורי פעולה לא מורשים גם עבור משתמשים פנימיים (רק אפור אחרת) +OldVATRates=שיעור מע"מ ישן +NewVATRates=שיעור מע"מ חדש +PriceBaseTypeToChange=שנה על מחירים עם ערך ייחוס בסיס מוגדר ב +MassConvert=הפעל המרה בכמות גדולה +PriceFormatInCurrentLanguage=פורמט מחיר בשפה הנוכחית +String=חוּט +String1Line=מחרוזת (שורה אחת) +TextLong=טקסט ארוך +TextLongNLines=טקסט ארוך (n שורות) +HtmlText=טקסט HTML +Int=מספר שלם +Float=לָצוּף +DateAndTime=תאריך ושעה +Unique=ייחודי +Boolean=בוליאנית (תיבת סימון אחת) +ExtrafieldPhone = טלפון +ExtrafieldPrice = מחיר +ExtrafieldPriceWithCurrency=מחיר עם מטבע +ExtrafieldMail = אימייל +ExtrafieldUrl = כתובת אתר ExtrafieldIP = ה-IP -ExtrafieldSelect = Select list -ExtrafieldSelectList = Select from table -ExtrafieldSeparator=Separator (not a field) +ExtrafieldSelect = בחר רשימה +ExtrafieldSelectList = בחר מהטבלה +ExtrafieldSeparator=מפריד (לא שדה) ExtrafieldPassword=סיסמה -ExtrafieldRadio=Radio buttons (one choice only) -ExtrafieldCheckBox=Checkboxes -ExtrafieldCheckBoxFromList=Checkboxes from table -ExtrafieldLink=Link to an object -ComputedFormula=Computed field -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' -Computedpersistent=Store computed field -ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!! -ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored without encryption (field must be only hidden with star on screen).
      Set 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retrieve original value) -ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      In order to have the list depending on another list:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key -ExtrafieldParamHelpcheckbox=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpradio=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath -ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) -LibraryToBuildPDF=Library used for PDF generation -LocalTaxDesc=Some countries may apply two or three taxes on each invoice line. If this is the case, choose the type for the second and third tax and its rate. Possible type are:
      1: local tax apply on products and services without vat (localtax is calculated on amount without tax)
      2: local tax apply on products and services including vat (localtax is calculated on amount + main tax)
      3: local tax apply on products without vat (localtax is calculated on amount without tax)
      4: local tax apply on products including vat (localtax is calculated on amount + main vat)
      5: local tax apply on services without vat (localtax is calculated on amount without tax)
      6: local tax apply on services including vat (localtax is calculated on amount + tax) -SMS=SMS -LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user %s -RefreshPhoneLink=Refresh link -LinkToTest=Clickable link generated for user %s (click phone number to test) -KeepEmptyToUseDefault=Keep empty to use default value -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. -DefaultLink=Default link -SetAsDefault=Set as default -ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) -ExternalModule=External module -InstalledInto=Installed into directory %s -BarcodeInitForThirdparties=Mass barcode init for third-parties -BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services -CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. -InitEmptyBarCode=Init value for the %s empty barcodes -EraseAllCurrentBarCode=Erase all current barcode values -ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values? -AllBarcodeReset=All barcode values have been removed -NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled in the Barcode module setup. -EnableFileCache=Enable file cache -ShowDetailsInPDFPageFoot=Add more details into footer, such as company address or manager names (in addition to professional ids, company capital and VAT number). -NoDetails=No additional details in footer -DisplayCompanyInfo=Display company address -DisplayCompanyManagers=Display manager names -DisplayCompanyInfoAndManagers=Display company address and manager names -EnableAndSetupModuleCron=If you want to have this recurring invoice generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template using the *Create* button. Note that even if you enabled automatic generation, you can still safely launch manual generation. Generation of duplicates for the same period is not possible. -ModuleCompanyCodeCustomerAquarium=%s followed by customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by vendor code for a vendor accounting code -ModuleCompanyCodePanicum=Return an empty accounting code. -ModuleCompanyCodeDigitaria=Returns a compound accounting code according to the name of the third party. The code consists of a prefix that can be defined in the first position followed by the number of characters defined in the third party code. -ModuleCompanyCodeCustomerDigitaria=%s followed by the truncated customer name by the number of characters: %s for the customer accounting code. -ModuleCompanyCodeSupplierDigitaria=%s followed by the truncated supplier name by the number of characters: %s for the supplier accounting code. -Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
      Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. -UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... -WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons: -WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM -WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota). -WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox. -WarningPHPMailD=It is therefore recommended to change the sending method of e-mails to the value "SMTP". -WarningPHPMailDbis=If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by %sclicking here%s. -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask your domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. -ActualMailSPFRecordFound=Actual SPF record found (for email %s) : %s -ClickToShowDescription=Click to show description -DependsOn=This module needs the module(s) -RequiredBy=This module is required by module(s) -TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. Technical knowledge is required to read the content of the HTML page to get the key name of a field. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. -PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) -EnableDefaultValues=Enable customization of default values -EnableOverwriteTranslation=Allow customization of translations -GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation. -WarningSettingSortOrder=Warning, setting a default sort order may result in a technical error when going on the list page if field is an unknown field. If you experience such an error, come back to this page to remove the default sort order and restore default behavior. -Field=Field -ProductDocumentTemplates=Document templates to generate product document -ProductBatchDocumentTemplates=Document templates to generate product lots document -FreeLegalTextOnExpenseReports=Free legal text on expense reports -WatermarkOnDraftExpenseReports=Watermark on draft expense reports -ProjectIsRequiredOnExpenseReports=The project is mandatory for entering an expense report -PrefillExpenseReportDatesWithCurrentMonth=Pre-fill start and end dates of new expense report with start and end dates of the current month -ForceExpenseReportsLineAmountsIncludingTaxesOnly=Force the entry of expense report amounts always in amount with taxes -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) -FilesAttachedToEmail=Attach file -SendEmailsReminders=Send agenda reminders by emails -davDescription=Setup a WebDAV server -DAVSetup=Setup of module DAV -DAV_ALLOW_PRIVATE_DIR=Enable the generic private directory (WebDAV dedicated directory named "private" - login required) -DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory anybody can access with its application login/pass. -DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). -DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. +ExtrafieldRadio=לחצני בחירה (בחירה אחת בלבד) +ExtrafieldCheckBox=תיבות סימון +ExtrafieldCheckBoxFromList=תיבות סימון מהטבלה +ExtrafieldLink=קישור לאובייקט +ComputedFormula=שדה מחושב +ComputedFormulaDesc=אתה יכול להזין כאן נוסחה באמצעות מאפיינים אחרים של אובייקט או כל קידוד PHP כדי לקבל ערך מחושב דינמי. אתה יכול להשתמש בכל נוסחאות תואמות PHP כולל ה-"?" אופרטור תנאי, והאובייקט הגלובלי הבא: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      אזהרה: אם אתה צריך מאפיינים של אובייקט לא נטען, פשוט אחזר לעצמך את האובייקט לתוך הנוסחה שלך כמו בדוגמה השנייה.
      שימוש בשדה מחושב אומר שלא תוכל להזין לעצמך שום ערך מהממשק. כמו כן, אם יש שגיאת תחביר, ייתכן שהנוסחה לא תחזיר דבר.

      דוגמה לנוסחה:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      דוגמה לטעינת אובייקט מחדש
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_- $extrafieldedo'] >capital / 5: '-1')

      דוגמה נוספת לנוסחה לאלץ עומס של אובייקט ואובייקט האב שלו:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project( $db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'פרויקט האב לא נמצא' +Computedpersistent=אחסן שדה מחושב +ComputedpersistentDesc=שדות נוספים מחושבים יאוחסנו במסד הנתונים, עם זאת, הערך יחושב מחדש רק כאשר האובייקט של שדה זה ישתנה. אם השדה המחושב תלוי באובייקטים אחרים או בנתונים גלובליים ערך זה עשוי להיות שגוי!! +ExtrafieldParamHelpPassword=השארת שדה זה ריק פירושה שהערך הזה יאוחסן ללא הצפנה (השדה פשוט מוסתר עם כוכבים על המסך).

      הזן ערך 'dolcrypt' כדי לקודד ערך עם אלגוריתם הצפנה הפיך. עדיין ניתן לדעת ולערוך נתונים ברורים, אך הם מוצפנים במסד הנתונים.

      הזן 'auto' (או 'md5', 'sha256', 'password_hash', ...) כדי להשתמש באלגוריתם ברירת המחדל של הצפנת סיסמה (או md5, sha256, password_hash...) כדי לשמור את הסיסמה ה-hash הבלתי הפיכה במסד הנתונים (אין דרך לאחזר את הערך המקורי) +ExtrafieldParamHelpselect=רשימת הערכים חייבת להיות שורות עם מפתח פורמט, ערך (כאשר המפתח לא יכול להיות '0')

      למשל :
      1,value1
      2,value2
      code3,valu span class='notranslate'>
      ...

      כדי שהרשימה תהיה תלויה באחר רשימת מאפיינים משלימים:
      1,value1|options_parent_list_codeb0ae634758bac>: parent_key
      2,value2|options_parent_list_codeb0ae64758bac33zkey class='notranslate'>

      כדי שהרשימה תהיה תלויה ברשימה אחרת:
      1, value1|parent_list_code:parent_key
      2,value class='notranslate'>parent_list_code:parent_key +ExtrafieldParamHelpcheckbox=רשימת הערכים חייבת להיות שורות עם מפתח פורמט, ערך (כאשר המפתח לא יכול להיות '0')

      למשל :
      1,value1
      2,value2
      3,value span class='notranslate'>
      ... +ExtrafieldParamHelpradio=רשימת הערכים חייבת להיות שורות עם מפתח פורמט, ערך (כאשר המפתח לא יכול להיות '0')

      למשל :
      1,value1
      2,value2
      3,value span class='notranslate'>
      ... +ExtrafieldParamHelpsellist=רשימת ערכים מגיעה מטבלה
      תחביר: table_name:label_field:id_field::filtersql
      דוגמה: c_idtypent:libelle: ::filtersql

      - id_field הוא בהכרח מפתח int ראשיb0342fccfda19bz> - filtersql הוא תנאי SQL. זה יכול להיות בדיקה פשוטה (למשל active=1) להציג רק ערך פעיל
      אתה יכול גם להשתמש ב-$ID$ במסנן שהוא המזהה הנוכחי של האובייקט הנוכחי
      כדי להשתמש ב-SELECT לתוך המסנן, השתמש במילת המפתח $SEL$ כדי לעקוף את ההגנה נגד הזרקה.
      אם ברצונך לסנן על שדות נוספים. השתמש בתחביר extra.fieldcode=... (כאשר קוד השדה הוא הקוד של extrafield)

      על מנת לקבל את רשימה בהתאם לרשימת מאפיינים משלימים אחרת:
      c_typent:libelle:id:options_parent_list_code |parent_column:filter

      כדי שהרשימה תהיה תלויה ברשימה אחרת:
      c_typent:libelle:id:parent_list_code:parent| +ExtrafieldParamHelpchkbxlst=רשימת ערכים מגיעה מטבלה
      תחביר: table_name:label_field:id_field::filtersql
      דוגמה: c_idtypent:libelle: ::filtersql

      מסנן יכול להיות בדיקה פשוטה (למשל active=1) להצגת ערך פעיל בלבד
      תוכל גם להשתמש ב-$ID$ במסנן שהוא המזהה הנוכחי של האובייקט הנוכחי
      כדי לבצע SELECT במסנן השתמש ב-$SEL$
      אם אתה רוצה לסנן על extrafields השתמש בתחביר extra.fieldcode=... (כאשר קוד השדה הוא הקוד של extrafield)

      כדי שהרשימה תהיה תלויה ברשימת תכונות משלימה אחרת:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelplink=הפרמטרים חייבים להיות ObjectName:Classpath
      תחביר: ObjectName:Classpath +ExtrafieldParamHelpSeparator=שמור ריק עבור מפריד פשוט
      הגדר את זה ל-1 עבור מפריד מתמוטט (פתוח כברירת מחדל עבור הפעלה חדשה, ואז הסטטוס נשמר עבור כל הפעלה של משתמש)
      הגדר את זה ל-2 עבור מפריד מכווץ (כווץ כברירת מחדל עבור הפעלה חדשה, ואז הסטטוס נשמר לפני כל הפעלת משתמש) +LibraryToBuildPDF=ספרייה המשמשת ליצירת PDF +LocalTaxDesc=מדינות מסוימות עשויות להחיל שניים או שלושה מיסים על כל שורת חשבונית. אם זה המצב, בחר את סוג המס השני והשלישי ואת שיעורו. הסוג האפשרי הוא:
      1: מס מקומי חל על מוצרים ושירותים ללא מע"מ (מס מקומי מחושב על סכום ללא מס)
      2: מס מקומי חל על מוצרים ושירותים כולל מע"מ (מס מקומי מחושב על סכום + מס ראשי)
      3: מס מקומי חל על מוצרים ללא מע"מ (מס מקומי מחושב על סכום ללא מע"מ tax)
      4: מס מקומי חל על מוצרים כולל מע"מ (מס מקומי מחושב לפי סכום + מע"מ ראשי)
      5: מקומי מס חל על שירותים ללא מע"מ (מס מקומי מחושב על סכום ללא מס)
      6: מס מקומי חל על שירותים כולל מע"מ (מס מקומי מחושב לפי סכום + מס) +SMS=סמס +LinkToTestClickToDial=הזן מספר טלפון להתקשרות כדי להציג קישור לבדיקת כתובת האתר ClickToDial עבור המשתמש %s +RefreshPhoneLink=רענן קישור +LinkToTest=קישור ניתן ללחוץ שנוצר עבור המשתמש %s (לחץ על מספר הטלפון כדי לבדוק ) +KeepEmptyToUseDefault=השאר ריק כדי להשתמש בערך ברירת המחדל +KeepThisEmptyInMostCases=ברוב המקרים, תוכל להשאיר שדה זה ריק. +DefaultLink=קישור ברירת מחדל +SetAsDefault=נקבע כברירת מחדל +ValueOverwrittenByUserSetup=אזהרה, ערך זה עשוי להידרוס על ידי הגדרה ספציפית למשתמש (כל משתמש יכול להגדיר כתובת אתר משלו ללחיצה) +ExternalModule=מודול חיצוני +InstalledInto=מותקן בספרייה %s +BarcodeInitForThirdparties=ברקוד המוני init עבור צדדים שלישיים +BarcodeInitForProductsOrServices=ברקוד המוני התחל או איפוס עבור מוצרים או שירותים +CurrentlyNWithoutBarCode=נכון לעכשיו, יש לך רשומת %s ב-%s b0ecb>9fc87f מוגדרהגדר את זה לריק אם אישור אחד (2 שלבים) מספיק, הגדר אותו לערך נמוך מאוד (0.1) אם תמיד נדרש אישור שני (3 שלבים). +UseDoubleApproval=השתמש באישור בן 3 שלבים כאשר הסכום (ללא מס) גבוה מ... +WarningPHPMail=אזהרה: ההגדרה לשליחת אימיילים מהאפליקציה משתמשת בהגדרה הגנרית המוגדרת כברירת מחדל. לעתים קרובות עדיף להגדיר דוא"ל יוצא לשימוש בשרת הדוא"ל של ספק שירותי הדוא"ל שלך במקום בהגדרת ברירת המחדל מכמה סיבות: +WarningPHPMailA=- שימוש בשרת של ספק שירותי הדוא"ל מגביר את אמינות הדוא"ל שלך, כך שהוא מגדיל את יכולת המסירה מבלי להיות מסומן כספאם +WarningPHPMailB=- חלק מספקי שירותי הדוא"ל (כמו Yahoo) אינם מאפשרים לך לשלוח דוא"ל משרת אחר מאשר השרת שלהם. ההגדרה הנוכחית שלך משתמשת בשרת של היישום כדי לשלוח דוא"ל ולא בשרת של ספק הדוא"ל שלך, כך שחלק מהנמענים (זה התואם לפרוטוקול ה-DMARC המגביל), ישאלו את ספק הדוא"ל שלך אם הם יכולים לקבל את הדוא"ל שלך וחלק מספקי הדוא"ל שלך (כמו יאהו) עשוי להגיב "לא" מכיוון שהשרת אינו שלהם, כך שמעט מהאימיילים שנשלחו לא יתקבלו למשלוח (היזהר גם ממכסת השליחה של ספק הדוא"ל שלך). +WarningPHPMailC=- השימוש בשרת ה-SMTP של ספק שירותי הדוא"ל שלך לשליחת אימיילים הוא גם מעניין, כך שכל האימיילים שנשלחו מהאפליקציה יישמרו גם בספריית "נשלח" שלך בתיבת הדואר שלך. +WarningPHPMailD=לכן מומלץ לשנות את שיטת שליחת המיילים לערך "SMTP". +WarningPHPMailDbis=אם אתה באמת רוצה לשמור על שיטת ברירת המחדל "PHP" לשליחת אימיילים, פשוט התעלם מהאזהרה זו, או הסר אותה על ידי %sלחיצה כאן%s. +WarningPHPMail2=אם ספק הדוא"ל SMTP שלך צריך להגביל את לקוח הדוא"ל לכמה כתובות IP (נדיר מאוד), זוהי כתובת ה-IP של סוכן משתמש הדואר (MUA) עבור יישום ה-ERP CRM שלך: %s. +WarningPHPMailSPF=אם שם הדומיין בכתובת הדוא"ל של השולח שלך מוגן ברשומת SPF (שאל את רישום שם הדומיין שלך), עליך להוסיף את כתובות ה-IP הבאות ברשומת ה-SPF של ה-DNS של הדומיין שלך: %s. +ActualMailSPFRecordFound=נמצאה רשומת SPF בפועל (עבור דוא"ל %s) : %s +ClickToShowDescription=לחץ כדי להציג תיאור +DependsOn=מודול זה צריך את המודול/ים +RequiredBy=מודול זה נדרש על ידי מודולים +TheKeyIsTheNameOfHtmlField=זהו השם של שדה ה-HTML. נדרש ידע טכני כדי לקרוא את התוכן של דף HTML כדי לקבל את שם המפתח של שדה. +PageUrlForDefaultValues=עליך להזין את הנתיב היחסי של כתובת האתר של הדף. אם תכלול פרמטרים ב-URL, זה יהיה יעיל אם לכל הפרמטרים ב-URL הגלישה יש את הערך שהוגדר כאן. +PageUrlForDefaultValuesCreate=
      דוגמה:
      עבור הטופס ליצירת צד שלישי חדש, הוא %s.
      עבור כתובת האתר של מודולים חיצוניים המותקנים לתוך ספרייה מותאמת אישית, אל תכלול את ה-"custom/", אז השתמש בנתיב כמו mymodule/mypage.php ולא מותאם אישית /mymodule/mypage.php.
      אם אתה רוצה ערך ברירת מחדל רק אם לכתובת האתר יש פרמטר כלשהו, אתה יכול להשתמש ב%s +PageUrlForDefaultValuesList=
      דוגמה:
      עבור הדף שמפרט צדדים שלישיים, זה %s.
      עבור כתובת האתר של מודולים חיצוניים המותקנים בספרייה מותאמת אישית , אל תכלול את ה-"custom/" אז השתמש בנתיב כמו mymodule/mypagelist.php ולא custom/mymodule /mypagelist.php.
      אם אתה רוצה ערך ברירת מחדל רק אם לכתובת האתר יש פרמטר כלשהו, אתה יכול להשתמש ב%s +AlsoDefaultValuesAreEffectiveForActionCreate=כמו כן, שים לב שהחלפת ערכי ברירת מחדל ליצירת טופס פועלת רק עבור דפים שתוכננו כהלכה (כך עם הפרמטר action=create או presend...) +EnableDefaultValues=אפשר התאמה אישית של ערכי ברירת מחדל +EnableOverwriteTranslation=אפשר התאמה אישית של תרגומים +GoIntoTranslationMenuToChangeThis=נמצא תרגום למפתח עם קוד זה. כדי לשנות ערך זה, עליך לערוך אותו מ-Home-Setup-translation. +WarningSettingSortOrder=אזהרה, הגדרת סדר מיון ברירת מחדל עלולה לגרום לשגיאה טכנית בעת מעבר לדף הרשימה אם השדה הוא שדה לא ידוע. אם אתה נתקל בשגיאה כזו, חזור לדף זה כדי להסיר את סדר המיון המוגדר כברירת מחדל ולשחזר את התנהגות ברירת המחדל. +Field=שדה +ProductDocumentTemplates=תבניות מסמכים ליצירת מסמך מוצר +ProductBatchDocumentTemplates=תבניות מסמכים ליצירת מסמך חבילות מוצרים +FreeLegalTextOnExpenseReports=טקסט משפטי חינם על דוחות הוצאות +WatermarkOnDraftExpenseReports=סימן מים על טיוטת דוחות הוצאות +ProjectIsRequiredOnExpenseReports=הפרויקט הינו חובה להזנת דוח הוצאות +PrefillExpenseReportDatesWithCurrentMonth=מלא מראש תאריכי התחלה וסיום של דוח הוצאות חדש עם תאריכי התחלה וסיום של החודש הנוכחי +ForceExpenseReportsLineAmountsIncludingTaxesOnly=כפה את הזנת סכומי דוח ההוצאות תמיד בסכום עם מיסים +AttachMainDocByDefault=הגדר את זה ל-כן אם ברצונך לצרף כברירת מחדל את המסמך הראשי לאימייל (אם רלוונטי) +FilesAttachedToEmail=לצרף קובץ +SendEmailsReminders=שלח תזכורות לסדר היום במייל +davDescription=הגדר שרת WebDAV +DAVSetup=הגדרת מודול DAV +DAV_ALLOW_PRIVATE_DIR=אפשר את הספרייה הפרטית הגנרית (ספרייה ייעודית של WebDAV בשם "פרטי" - נדרשת התחברות) +DAV_ALLOW_PRIVATE_DIRTooltip=הספרייה הפרטית הגנרית היא ספריית WebDAV שכל אחד יכול לגשת אליו באמצעות הכניסה/מעבר של האפליקציה שלו. +DAV_ALLOW_PUBLIC_DIR=אפשר את הספרייה הציבורית הגנרית (ספרייה ייעודית של WebDAV בשם "ציבורי" - אין צורך בכניסה) +DAV_ALLOW_PUBLIC_DIRTooltip=הספרייה הציבורית הגנרית היא ספריית WebDAV שכל אחד יכול לגשת (במצב קריאה וכתיבה), ללא צורך בהרשאה (חשבון כניסה/סיסמה). +DAV_ALLOW_ECM_DIR=הפעל את ספריית ה-DMS/ECM הפרטית (ספריית הבסיס של מודול DMS/ECM - נדרשת התחברות) +DAV_ALLOW_ECM_DIRTooltip=ספריית השורש שבה כל הקבצים מועלים באופן ידני בעת שימוש במודול DMS/ECM. בדומה לגישה מממשק האינטרנט, תזדקק לכניסה/סיסמה חוקיים עם הרשאות מתאימות כדי לגשת אליו. ##### Modules ##### -Module0Name=Users & Groups -Module0Desc=Users / Employees and Groups management -Module1Name=Third Parties -Module1Desc=Companies and contacts management (customers, prospects...) +Module0Name=משתמשים וקבוצות +Module0Desc=ניהול משתמשים / עובדים וקבוצות +Module1Name=צד שלישי +Module1Desc=ניהול חברות ואנשי קשר (לקוחות, לקוחות פוטנציאליים...) Module2Name=מסחרי Module2Desc=מסחרי וניהול -Module10Name=Accounting (simplified) -Module10Desc=Simple accounting reports (journals, turnover) based on database content. Does not use any ledger table. +Module10Name=הנהלת חשבונות (פשוטה) +Module10Desc=דוחות חשבונאיים פשוטים (יומנים, מחזור) המבוססים על תוכן מסד הנתונים. לא משתמש באף טבלת חשבונות. Module20Name=הצעות Module20Desc=ההצעה המסחרית של ההנהלה -Module22Name=Mass Emailings -Module22Desc=Manage bulk emailing +Module22Name=שליחת מיילים המונית +Module22Desc=נהל אימייל בכמות גדולה Module23Name=אנרגיה Module23Desc=מעקב אחר צריכת האנרגיה -Module25Name=Sales Orders -Module25Desc=Sales order management +Module25Name=הזמנות מכירה +Module25Desc=ניהול הזמנות מכירה Module30Name=חשבוניות -Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers -Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) -Module42Name=Debug Logs -Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. -Module43Name=Debug Bar -Module43Desc=A tool for developper adding a debug bar in your browser. +Module30Desc=ניהול חשבוניות ותעודות אשראי ללקוחות. ניהול חשבוניות ותעודות אשראי לספקים +Module40Name=ספקים +Module40Desc=ספקים וניהול רכש (הזמנות רכש וחיוב חשבוניות ספקים) +Module42Name=ניפוי באגים +Module42Desc=מתקני רישום (קובץ, syslog, ...). יומנים כאלה מיועדים למטרות טכניות/ניפוי באגים. +Module43Name=סרגל ניפוי באגים +Module43Desc=כלי למפתחים, הוספת סרגל ניפוי באגים בדפדפן שלך. Module49Name=העורכים Module49Desc=עורך ההנהלה Module50Name=מוצרים -Module50Desc=Management of Products +Module50Desc=ניהול מוצרים Module51Name=דברי דואר המוניים Module51Desc=נייר המוני התפוצה של ההנהלה Module52Name=מניות -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Desc=ניהול מלאי (מעקב אחר תנועות מלאי ומלאי) Module53Name=שירותים -Module53Desc=Management of Services -Module54Name=Contracts/Subscriptions -Module54Desc=Management of contracts (services or recurring subscriptions) +Module53Desc=ניהול שירותים +Module54Name=חוזים/מנויים +Module54Desc=ניהול חוזים (שירותים או מנויים חוזרים) Module55Name=ברקודים -Module55Desc=Barcode or QR code management -Module56Name=Payment by credit transfer -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. -Module57Name=Payments by Direct Debit -Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. +Module55Desc=ניהול קוד ברקוד או QR +Module56Name=תשלום באמצעות העברה אשראי +Module56Desc=ניהול תשלום ספקים או משכורות באמצעות פקודות העברת אשראי. זה כולל יצירת קובץ SEPA עבור מדינות אירופה. +Module57Name=תשלומים בהוראת קבע +Module57Desc=ניהול הזמנות הוראת קבע. זה כולל יצירת קובץ SEPA עבור מדינות אירופה. Module58Name=ClickToDial Module58Desc=שילוב של מערכת ClickToDial (כוכבית, ...) -Module60Name=Stickers -Module60Desc=Management of stickers +Module60Name=מדבקות +Module60Desc=ניהול מדבקות Module70Name=התערבויות Module70Desc=התערבות של ההנהלה Module75Name=הוצאות והערות טיולים Module75Desc=הוצאות ניהול נסיעות של הערה Module80Name=משלוחים -Module80Desc=Shipments and delivery note management -Module85Name=Banks & Cash +Module80Desc=ניהול משלוחים ותעודות משלוח +Module85Name=בנקים ומזומן Module85Desc=ניהול חשבונות בנק או במזומן -Module100Name=External Site -Module100Desc=Add a link to an external website as a main menu icon. Website is shown in a frame under the top menu. +Module100Name=אתר חיצוני +Module100Desc=הוסף קישור לאתר חיצוני כסמל תפריט ראשי. האתר מוצג במסגרת מתחת לתפריט העליון. Module105Name=הדוור וללגום Module105Desc=הדוור או SPIP ממשק מודול חבר Module200Name=LDAP -Module200Desc=LDAP directory synchronization +Module200Desc=סנכרון ספריות LDAP Module210Name=PostNuke Module210Desc=PostNuke אינטגרציה Module240Name=נתוני היצוא -Module240Desc=Tool to export Dolibarr data (with assistance) +Module240Desc=כלי לייצוא נתוני Dolibarr (בסיוע) Module250Name=נתוני היבוא -Module250Desc=Tool to import data into Dolibarr (with assistance) +Module250Desc=כלי לייבא נתונים לתוך Dolibarr (בסיוע) Module310Name=משתמשים Module310Desc=קרן וניהול חברי Module320Name=עדכוני RSS -Module320Desc=Add a RSS feed to Dolibarr pages -Module330Name=Bookmarks & Shortcuts -Module330Desc=Create shortcuts, always accessible, to the internal or external pages to which you frequently access -Module400Name=Projects or Leads -Module400Desc=Management of projects, leads/opportunities and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +Module320Desc=הוסף הזנת RSS לדפי Dolibarr +Module330Name=סימניות וקיצורי דרך +Module330Desc=צור קיצורי דרך, נגישים תמיד, לדפים הפנימיים או החיצוניים אליהם אתה ניגש לעתים קרובות +Module400Name=פרויקטים או לידים +Module400Desc=ניהול פרויקטים, לידים/הזדמנויות ו/או משימות. ניתן גם להקצות כל אלמנט (חשבונית, הזמנה, הצעה, התערבות,...) לפרויקט ולקבל מבט רוחבי מתצוגת הפרויקט. Module410Name=לוח השנה Module410Desc=שילוב לוח השנה -Module500Name=Taxes & Special Expenses -Module500Desc=Management of other expenses (sales taxes, social or fiscal taxes, dividends, ...) -Module510Name=Salaries -Module510Desc=Record and track employee payments -Module520Name=Loans -Module520Desc=Management of loans -Module600Name=Notifications on business event -Module600Desc=Send email notifications triggered by a business event: per user (setup defined on each user), per third-party contacts (setup defined on each third party) or by specific emails -Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. -Module610Name=Product Variants -Module610Desc=Creation of product variants (color, size etc.) +Module500Name=מיסים והוצאות מיוחדות +Module500Desc=ניהול הוצאות אחרות (מסי מכירה, מסים חברתיים או פיסקליים, דיבידנדים,...) +Module510Name=משכורות +Module510Desc=רישום ומעקב אחר תשלומי עובדים +Module520Name=הלוואות +Module520Desc=ניהול הלוואות +Module600Name=הודעות על אירוע עסקי +Module600Desc=שליחת הודעות דוא"ל המופעלות על ידי אירוע עסקי: לכל משתמש (הגדרה מוגדרת על כל משתמש), לכל אנשי קשר של צד שלישי (הגדרה מוגדרת על כל צד שלישי) או על ידי אימיילים ספציפיים +Module600Long=שימו לב שמודול זה שולח מיילים בזמן אמת כאשר מתרחש אירוע עסקי ספציפי. אם אתם מחפשים תכונה לשליחת תזכורות בדוא"ל לאירועי סדר יום, היכנסו להגדרה של מודול Agenda. +Module610Name=גרסאות מוצר +Module610Desc=יצירת גרסאות של מוצרים (צבע, מידה וכו') +Module650Name=שטרות חומר (BOM) +Module650Desc=מודול להגדרת שטרי החומרים שלך (BOM). יכול לשמש עבור תכנון משאבי ייצור על ידי מודול הזמנות ייצור (MO) +Module660Name=תכנון משאבי ייצור (MRP) +Module660Desc=מודול לניהול הזמנות ייצור (MO) Module700Name=תרומות Module700Desc=התרומה של ההנהלה -Module770Name=Expense Reports -Module770Desc=Manage expense reports claims (transportation, meal, ...) -Module1120Name=Vendor Commercial Proposals -Module1120Desc=Request vendor commercial proposal and prices +Module770Name=דוחות הוצאות +Module770Desc=ניהול תביעות דוחות הוצאות (הובלה, ארוחה,...) +Module1120Name=הצעות מסחריות של ספקים +Module1120Desc=בקש הצעה מסחרית של ספק ומחירים Module1200Name=גמל שלמה Module1200Desc=גמל שלמה אינטגרציה -Module1520Name=Document Generation -Module1520Desc=Mass email document generation -Module1780Name=Tags/Categories -Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members) +Module1520Name=יצירת מסמכים +Module1520Desc=הפקת מסמכי אימייל המוני +Module1780Name=תגיות/קטגוריות +Module1780Desc=צור תגים/קטגוריה (מוצרים, לקוחות, ספקים, אנשי קשר או חברים) Module2000Name=עורך WYSIWYG -Module2000Desc=Allow text fields to be edited/formatted using CKEditor (html) -Module2200Name=Dynamic Prices -Module2200Desc=Use maths expressions for auto-generation of prices -Module2300Name=Scheduled jobs -Module2300Desc=Scheduled jobs management (alias cron or chrono table) -Module2400Name=Events/Agenda -Module2400Desc=Track events. Log automatic events for tracking purposes or record manual events or meetings. This is the principal module for good Customer or Vendor Relationship Management. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2000Desc=אפשר לערוך/לעצב שדות טקסט באמצעות CKEditor (html) +Module2200Name=מחירים דינמיים +Module2200Desc=השתמש בביטויים מתמטיים להפקה אוטומטית של מחירים +Module2300Name=עבודות מתוזמנות +Module2300Desc=ניהול משימות מתוזמנות (כינוי cron או chrono table) +Module2400Name=אירועים/סדר יום +Module2400Desc=עקוב אחר אירועים. רישום אירועים אוטומטיים למטרות מעקב או הקלט אירועים ידניים או פגישות. זהו המודול העיקרי לניהול טוב של קשרי לקוחות או ספקים. +Module2430Name=זימון פגישות מקוון +Module2430Desc=מספק מערכת מקוונת להזמנת תורים. זה מאפשר לכל אחד להזמין מפגש, לפי טווחים או זמינות מוגדרים מראש. Module2500Name=DMS / ECM -Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. -Module2600Name=API / Web services (SOAP server) -Module2600Desc=Enable the Dolibarr SOAP server providing API services -Module2610Name=API / Web services (REST server) -Module2610Desc=Enable the Dolibarr REST server providing API services -Module2660Name=Call WebServices (SOAP client) -Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Only Purchase orders are currently supported.) +Module2500Desc=מערכת ניהול מסמכים / ניהול תוכן אלקטרוני. ארגון אוטומטי של המסמכים שנוצרו או המאוחסנים שלך. שתף אותם כשתצטרך. +Module2600Name=API / שירותי אינטרנט (שרת SOAP) +Module2600Desc=הפעל את שרת Dolibarr SOAP המספק שירותי API +Module2610Name=API / שירותי אינטרנט (שרת REST) +Module2610Desc=הפעל את שרת Dolibarr REST המספק שירותי API +Module2660Name=התקשר ל-WebServices (לקוח SOAP) +Module2660Desc=הפעל את לקוח שירותי האינטרנט של Dolibarr (ניתן להשתמש בו כדי לדחוף נתונים/בקשות לשרתים חיצוניים. כרגע רק הזמנות רכש נתמכות). Module2700Name=Gravatar -Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Needs Internet access -Module2800Desc=FTP Client +Module2700Desc=השתמש בשירות Gravatar המקוון (www.gravatar.com) כדי להציג תמונה של משתמשים/חברים (נמצאים עם האימיילים שלהם). צריך גישה לאינטרנט +Module2800Desc=לקוח FTP Module2900Name=GeoIPMaxmind Module2900Desc=GeoIP Maxmind המרות יכולות -Module3200Name=Unalterable Archives -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. -Module3300Name=Module Builder -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. -Module3400Name=Social Networks -Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). +Module3200Name=ארכיון בלתי ניתן לשינוי +Module3200Desc=אפשר יומן בלתי ניתן לשינוי של אירועים עסקיים. אירועים נשמרים בארכיון בזמן אמת. היומן הוא טבלה לקריאה בלבד של אירועים משורשרים שניתן לייצא. מודול זה עשוי להיות חובה עבור מדינות מסוימות. +Module3300Name=בונה מודולים +Module3300Desc=כלי RAD (פיתוח אפליקציות מהיר - קוד נמוך וללא קוד) כדי לעזור למפתחים או למשתמשים מתקדמים לבנות מודול/אפליקציה משלהם. +Module3400Name=רשתות חברתיות +Module3400Desc=אפשר שדות רשתות חברתיות לצדדים שלישיים וכתובות (סקייפ, טוויטר, פייסבוק, ...). Module4000Name=HRM -Module4000Desc=Human resources management (management of department, employee contracts and feelings) +Module4000Desc=ניהול משאבי אנוש (ניהול מחלקה, חוזי עובדים, ניהול מיומנויות וראיון) Module5000Name=רב החברה Module5000Desc=מאפשר לך לנהל מספר רב של חברות -Module6000Name=Inter-modules Workflow -Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) -Module10000Name=Websites -Module10000Desc=Create websites (public) with a WYSIWYG editor. This is a webmaster or developer oriented CMS (it is better to know HTML and CSS language). Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the internet with your own domain name. -Module20000Name=Leave Request Management -Module20000Desc=Define and track employee leave requests -Module39000Name=Product Lots -Module39000Desc=Lots, serial numbers, eat-by/sell-by date management for products -Module40000Name=Multicurrency -Module40000Desc=Use alternative currencies in prices and documents +Module6000Name=זרימת עבודה בין מודולים +Module6000Desc=ניהול זרימת עבודה בין מודולים שונים (יצירה אוטומטית של אובייקט ו/או שינוי מצב אוטומטי) +Module10000Name=אתרי אינטרנט +Module10000Desc=צור אתרים (ציבוריים) עם עורך WYSIWYG. זהו CMS מונחה אתרים או מפתח (עדיף לדעת שפת HTML ו-CSS). פשוט הגדר את שרת האינטרנט שלך (Apache, Nginx, ...) כדי להצביע על ספריית Dolibarr הייעודית כדי שיהיה מקוון באינטרנט עם שם הדומיין שלך. +Module20000Name=עזוב את ניהול הבקשות +Module20000Desc=הגדרה ומעקב אחר בקשות לחופשת עובדים +Module39000Name=המון מוצרים +Module39000Desc=מגרשים, מספרים סידוריים, ניהול תאריך אכילה/מכירה עד למוצרים +Module40000Name=רב מטבעות +Module40000Desc=השתמש במטבעות חלופיים במחירים ובמסמכים Module50000Name=PayBox -Module50000Desc=Offer customers a PayBox online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50000Desc=הציעו ללקוחות עמוד תשלום מקוון של PayBox (כרטיסי אשראי/חיוב). זה יכול לשמש כדי לאפשר ללקוחות שלך לבצע תשלומים אד-הוק או תשלומים הקשורים לאובייקט Dolibarr ספציפי (חשבונית, הזמנה וכו'...) Module50100Name=POS SimplePOS -Module50100Desc=Point of Sale module SimplePOS (simple POS). +Module50100Desc=מודול נקודת מכירה SimplePOS (קופה פשוטה). Module50150Name=POS TakePOS -Module50150Desc=Point of Sale module TakePOS (touchscreen POS, for shops, bars or restaurants). +Module50150Desc=מודול נקודת מכירה TakePOS (קופה במסך מגע, לחנויות, ברים או מסעדות). Module50200Name=Paypal -Module50200Desc=Offer customers a PayPal online payment page (PayPal account or credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50300Name=Stripe -Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50400Name=Accounting (double entry) -Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats. +Module50200Desc=הציעו ללקוחות עמוד תשלום מקוון של PayPal (חשבון PayPal או כרטיסי אשראי/חיוב). זה יכול לשמש כדי לאפשר ללקוחות שלך לבצע תשלומים אד-הוק או תשלומים הקשורים לאובייקט Dolibarr ספציפי (חשבונית, הזמנה וכו'...) +Module50300Name=פס +Module50300Desc=הציעו ללקוחות עמוד תשלום מקוון של Stripe (כרטיסי אשראי/חיוב). זה יכול לשמש כדי לאפשר ללקוחות שלך לבצע תשלומים אד-הוק או תשלומים הקשורים לאובייקט Dolibarr ספציפי (חשבונית, הזמנה וכו'...) +Module50400Name=הנהלת חשבונות (כניסה כפולה) +Module50400Desc=ניהול הנהלת חשבונות (רישומים כפולים, תמיכה בפנקסי חשבונות כלליים וחברות-בת). ייצא את ספר החשבונות במספר פורמטים אחרים של תוכנת הנהלת חשבונות. Module54000Name=PrintIPP -Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installed on server). -Module55000Name=Poll, Survey or Vote -Module55000Desc=Create online polls, surveys or votes (like Doodle, Studs, RDVz etc...) -Module59000Name=Margins -Module59000Desc=Module to follow margins -Module60000Name=Commissions -Module60000Desc=Module to manage commissions +Module54000Desc=הדפסה ישירה (ללא פתיחת המסמכים) באמצעות ממשק Cups IPP (על המדפסת להיות גלויה מהשרת, ו-CUPS חייב להיות מותקן בשרת). +Module55000Name=סקר, סקר או הצבעה +Module55000Desc=צור סקרים מקוונים, סקרים או הצבעות (כמו Doodle, Studs, RDVz וכו'...) +Module59000Name=שוליים +Module59000Desc=מודול לעקוב אחר השוליים +Module60000Name=עמלות +Module60000Desc=מודול לניהול עמלות Module62000Name=Incoterms -Module62000Desc=Add features to manage Incoterms -Module63000Name=Resources -Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to events -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. -Module94160Name=Receptions +Module62000Desc=הוסף תכונות לניהול Incoterms +Module63000Name=אֶמְצָעִי +Module63000Desc=נהל משאבים (מדפסות, מכוניות, חדרים,...) להקצאה לאירועים +Module66000Name=ניהול אסימון OAuth2 +Module66000Desc=ספק כלי ליצור ולנהל אסימוני OAuth2. לאחר מכן, האסימון יכול לשמש מודולים אחרים. +Module94160Name=קבלות פנים +ModuleBookCalName=מערכת לוח שנה להזמנות +ModuleBookCalDesc=נהל לוח שנה להזמנת פגישות ##### Permissions ##### -Permission11=Read customer invoices (and payments) +Permission11=קרא חשבוניות (ותשלומים) של לקוחות Permission12=צור / לשנות חשבוניות של לקוחות -Permission13=Invalidate customer invoices +Permission13=בטל תוקף של חשבוניות של לקוחות Permission14=אימות חשבוניות של לקוחות Permission15=שלח חשבוניות ללקוח במייל Permission16=צור תשלומים עבור חשבוניות של לקוחות @@ -729,93 +738,93 @@ Permission27=מחק הצעות מסחריות Permission28=ייצוא הצעות מסחריות Permission31=קראו מוצרים Permission32=צור / לשנות מוצרים -Permission33=Read prices products +Permission33=קרא מחירי מוצרים Permission34=מחק מוצרים Permission36=ראה / ניהול מוצרים מוסתרים Permission38=ייצוא מוצרים -Permission39=Ignore minimum price -Permission41=Read projects and tasks (shared projects and projects of which I am a contact). -Permission42=Create/modify projects (shared projects and projects of which I am a contact). Can also assign users to projects and tasks -Permission44=Delete projects (shared projects and projects of which I am a contact) -Permission45=Export projects +Permission39=התעלם ממחיר מינימום +Permission41=קרא פרויקטים ומשימות (פרויקטים משותפים ופרויקטים שאני איש קשר שלהם). +Permission42=יצירה/שינוי פרויקטים (פרויקטים משותפים ופרויקטים שאני איש קשר שלהם). יכול גם להקצות משתמשים לפרויקטים ומשימות +Permission44=מחק פרויקטים (פרויקטים משותפים ופרויקטים שאני איש קשר שלהם) +Permission45=פרויקטי ייצוא Permission61=לקרוא התערבויות Permission62=צור / לשנות התערבויות Permission64=מחק התערבויות Permission67=ייצוא התערבויות -Permission68=Send interventions by email -Permission69=Validate interventions -Permission70=Invalidate interventions +Permission68=שלח התערבויות במייל +Permission69=אימות התערבויות +Permission70=לבטל התערבויות Permission71=קראו חברי Permission72=צור / לשנות חברים Permission74=מחיקת חברים -Permission75=Setup types of membership -Permission76=Export data +Permission75=הגדרת סוגי חברות +Permission76=ייצוא נתונים Permission78=קרא מנויים Permission79=צור / לשנות מנויים Permission81=לקרוא הזמנות הלקוחות Permission82=ליצור / לשנות הזמנות הלקוחות Permission84=תוקף צווי לקוחות -Permission85=Generate the documents sales orders +Permission85=הפק את הזמנות המכירה של המסמכים Permission86=שלח הזמנות הלקוחות Permission87=סגור לקוחות הזמנות Permission88=ביטול הזמנות הלקוחות Permission89=מחק הזמנות הלקוחות -Permission91=Read social or fiscal taxes and vat -Permission92=Create/modify social or fiscal taxes and vat -Permission93=Delete social or fiscal taxes and vat -Permission94=Export social or fiscal taxes +Permission91=קרא מסים סוציאליים או פיסקליים ומע"מ +Permission92=צור/שנה מסים חברתיים או פיסקאליים ומע"מ +Permission93=מחק מסים סוציאליים או פיסקליים ומע"מ +Permission94=יצוא מסים חברתיים או פיסקליים Permission95=לקרוא דוחות Permission101=לקרוא sendings Permission102=צור / לשנות sendings Permission104=אמת sendings -Permission105=Send sendings by email -Permission106=Export sendings +Permission105=שלח שליחות במייל +Permission106=ייצוא שליחות Permission109=מחק sendings Permission111=לקרוא דוחות כספיים Permission112=צור / לשנות / למחוק ולהשוות עסקאות -Permission113=Setup financial accounts (create, manage categories of bank transactions) -Permission114=Reconcile transactions +Permission113=הגדר חשבונות פיננסיים (צור, נהל קטגוריות של עסקאות בנקאיות) +Permission114=התאם עסקאות Permission115=ייצוא עסקאות דפי מצב חשבון Permission116=העברות בין חשבונות -Permission117=Manage checks dispatching +Permission117=ניהול שיגור צ'קים Permission121=לקרוא לצדדים שלישיים הקשורים המשתמש Permission122=ליצור / לשנות צדדים שלישיים קשורה המשתמש Permission125=מחק צדדים שלישיים הקשורים המשתמש Permission126=ייצוא צדדים שלישיים -Permission130=Create/modify third parties payment information -Permission141=Read all projects and tasks (as well as the private projects for which I am not a contact) -Permission142=Create/modify all projects and tasks (as well as the private projects for which I am not a contact) -Permission144=Delete all projects and tasks (as well as the private projects I am not a contact) -Permission145=Can enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) +Permission130=צור/שנה פרטי תשלום של צדדים שלישיים +Permission141=קרא את כל הפרויקטים והמשימות (כמו גם את הפרויקטים הפרטיים שעבורם אני לא איש קשר) +Permission142=צור/שנה את כל הפרויקטים והמשימות (כמו גם את הפרויקטים הפרטיים שעבורם אני לא איש קשר) +Permission144=מחק את כל הפרויקטים והמשימות (כמו גם את הפרויקטים הפרטיים אני לא איש קשר) +Permission145=יכול להזין את הזמן הנצרך, עבורי או עבור ההיררכיה שלי, במשימות שהוקצו (גיליון זמנים) Permission146=לקרוא ספקי Permission147=קרא את סטטיסטיקת -Permission151=Read direct debit payment orders -Permission152=Create/modify a direct debit payment orders -Permission153=Send/Transmit direct debit payment orders -Permission154=Record Credits/Rejections of direct debit payment orders -Permission161=Read contracts/subscriptions -Permission162=Create/modify contracts/subscriptions -Permission163=Activate a service/subscription of a contract -Permission164=Disable a service/subscription of a contract -Permission165=Delete contracts/subscriptions -Permission167=Export contracts -Permission171=Read trips and expenses (yours and your subordinates) -Permission172=Create/modify trips and expenses -Permission173=Delete trips and expenses -Permission174=Read all trips and expenses -Permission178=Export trips and expenses +Permission151=קרא הוראות תשלום בהוראת קבע +Permission152=צור/שנה פקודות תשלום בהוראת קבע +Permission153=שלח/שלח פקודות תשלום בהוראת קבע +Permission154=רישום זיכויים/דחיות של הוראות תשלום בהוראת קבע +Permission161=קרא חוזים/מנויים +Permission162=צור/שנה חוזים/מנויים +Permission163=הפעל שירות/מנוי חוזה +Permission164=השבת שירות/מינוי של חוזה +Permission165=מחק חוזים/מנויים +Permission167=חוזי יצוא +Permission171=קרא נסיעות והוצאות (שלך והכפופים לך) +Permission172=צור/שנה נסיעות והוצאות +Permission173=מחק נסיעות והוצאות +Permission174=קרא את כל הנסיעות וההוצאות +Permission178=ייצוא נסיעות והוצאות Permission180=קרא ספקים -Permission181=Read purchase orders -Permission182=Create/modify purchase orders -Permission183=Validate purchase orders -Permission184=Approve purchase orders -Permission185=Order or cancel purchase orders -Permission186=Receive purchase orders -Permission187=Close purchase orders -Permission188=Cancel purchase orders +Permission181=קרא הזמנות רכש +Permission182=צור/שנה הזמנות רכש +Permission183=אימות הזמנות רכש +Permission184=אישור הזמנות רכש +Permission185=להזמין או לבטל הזמנות רכש +Permission186=קבלת הזמנות רכש +Permission187=סגור הזמנות רכש +Permission188=בטל הזמנות רכש Permission192=ליצור קווים Permission193=ביטול קווי -Permission194=Read the bandwidth lines +Permission194=קרא את קווי רוחב הפס Permission202=יצירת קשרים-ADSL Permission203=חיבורי סדר הזמנות Permission204=סדר החיבורים @@ -830,9 +839,9 @@ Permission221=לקרוא emailings Permission222=ליצור / לשנות emailings (מקבלי הנושא ...) Permission223=אמת emailings (מאפשר לשלוח) Permission229=מחק emailings -Permission237=View recipients and info -Permission238=Manually send mailings -Permission239=Delete mailings after validation or sent +Permission237=הצג נמענים ומידע +Permission238=שליחת דיוור ידנית +Permission239=מחק דיוור לאחר אימות או שליחה Permission241=לקרוא הקטגוריות Permission242=יצירה / שינוי קטגוריות Permission243=מחק הקטגוריות @@ -840,13 +849,13 @@ Permission244=לראות את תוכן הקטגוריות מוסתרים Permission251=קריאה משתמשים אחרים וקבוצות PermissionAdvanced251=קריאה משתמשים אחרים Permission252=הרשאות קריאה של משתמשים אחרים -Permission253=Create/modify other users, groups and permissions +Permission253=צור/שנה משתמשים, קבוצות והרשאות אחרות PermissionAdvanced253=יצירה / שינוי משתמשים פנימיים / חיצוניים והרשאות Permission254=יצירה / שינוי משתמשים חיצוניים בלבד Permission255=שינוי סיסמה משתמשים אחרים Permission256=מחיקה או ביטול של משתמשים אחרים -Permission262=Extend access to all third parties AND their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission263=Extend access to all third parties WITHOUT their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). +Permission262=הרחב את הגישה לכל הצדדים השלישיים ולאובייקטים שלהם (לא רק לצדדים שלישיים שעבורם המשתמש הוא נציג מכירות).
      לא יעיל עבור משתמשים חיצוניים (תמיד מוגבל לעצמם להצעות, הזמנות, חשבוניות, חוזים וכו').
      לא יעיל עבור פרויקטים (רק כללים בנושא הרשאות פרויקט, נראות והקצאה). +Permission263=הרחב את הגישה לכל הצדדים השלישיים ללא האובייקטים שלהם (לא רק לצדדים שלישיים שעבורם המשתמש הוא נציג מכירה).
      לא יעיל עבור משתמשים חיצוניים (תמיד מוגבל לעצמם להצעות, הזמנות, חשבוניות, חוזים וכו').
      לא יעיל עבור פרויקטים (רק כללים בנושא הרשאות פרויקט, נראות והקצאה). Permission271=לקרוא CA Permission272=לקרוא חשבוניות Permission273=להוציא חשבוניות @@ -856,12 +865,12 @@ Permission283=מחיקת אנשי קשר Permission286=ייצוא אנשי קשר Permission291=קרא את התעריפים Permission292=להגדיר הרשאות על תעריפי את -Permission293=Modify customer's tariffs -Permission301=Generate PDF sheets of barcodes -Permission304=Create/modify barcodes -Permission305=Delete barcodes +Permission293=שינוי תעריפי הלקוח +Permission301=צור דפי PDF של ברקודים +Permission304=צור/שנה ברקודים +Permission305=מחק ברקודים Permission311=לקרוא שירותים -Permission312=Assign service/subscription to contract +Permission312=הקצה שירות/מנוי לחוזה Permission331=קרא את הסימניות Permission332=צור / לשנות הסימניות Permission333=מחק סימניות @@ -878,290 +887,292 @@ Permission401=קרא הנחות Permission402=יצירה / שינוי הנחות Permission403=אמת הנחות Permission404=מחק את הנחות -Permission430=Use Debug Bar -Permission511=Read salaries and payments (yours and subordinates) -Permission512=Create/modify salaries and payments -Permission514=Delete salaries and payments -Permission517=Read salaries and payments everybody -Permission519=Export salaries -Permission520=Read Loans -Permission522=Create/modify loans -Permission524=Delete loans -Permission525=Access loan calculator -Permission527=Export loans +Permission430=השתמש בסרגל ניפוי באגים +Permission511=קרא משכורות ותשלומים (שלך וכפופים) +Permission512=צור/שנה משכורות ותשלומים +Permission514=מחק משכורות ותשלומים +Permission517=קרא משכורות ותשלומים לכולם +Permission519=משכורות ייצוא +Permission520=קרא הלוואות +Permission522=צור/שנה הלוואות +Permission524=מחק הלוואות +Permission525=גישה למחשבון הלוואות +Permission527=הלוואות לייצוא Permission531=לקרוא שירותים Permission532=יצירה / שינוי שירותים -Permission533=Read prices services +Permission533=קרא שירותי מחירים Permission534=מחק את השירותים Permission536=ראה / ניהול שירותים נסתרים Permission538=יצוא שירותים -Permission561=Read payment orders by credit transfer -Permission562=Create/modify payment order by credit transfer -Permission563=Send/Transmit payment order by credit transfer -Permission564=Record Debits/Rejections of credit transfer -Permission601=Read stickers -Permission602=Create/modify stickers -Permission609=Delete stickers -Permission611=Read attributes of variants -Permission612=Create/Update attributes of variants -Permission613=Delete attributes of variants -Permission650=Read Bills of Materials -Permission651=Create/Update Bills of Materials -Permission652=Delete Bills of Materials -Permission660=Read Manufacturing Order (MO) -Permission661=Create/Update Manufacturing Order (MO) -Permission662=Delete Manufacturing Order (MO) +Permission561=קרא פקודות תשלום באמצעות העברת אשראי +Permission562=צור/שנה הוראת תשלום באמצעות העברת אשראי +Permission563=שלח/העברה של הזמנת תשלום בהעברה אשראי +Permission564=רישום חיובים/דחיות של העברת אשראי +Permission601=קרא מדבקות +Permission602=צור/שנה מדבקות +Permission609=מחק מדבקות +Permission611=קרא תכונות של גרסאות +Permission612=צור/עדכן תכונות של גרסאות +Permission613=מחק מאפיינים של גרסאות +Permission650=קרא את כתבי החומרים +Permission651=יצירה/עדכון של שטרי חומרים +Permission652=מחק שטרי חומרים +Permission660=קרא סדר ייצור (MO) +Permission661=צור/עדכן הזמנת ייצור (MO) +Permission662=מחק הזמנת ייצור (MO) Permission701=לקרוא תרומות Permission702=צור / לשנות תרומות Permission703=מחק תרומות -Permission771=Read expense reports (yours and your subordinates) -Permission772=Create/modify expense reports (for you and your subordinates) -Permission773=Delete expense reports -Permission775=Approve expense reports -Permission776=Pay expense reports -Permission777=Read all expense reports (even those of user not subordinates) -Permission778=Create/modify expense reports of everybody -Permission779=Export expense reports +Permission771=קרא דוחות הוצאות (שלך והכפופים לך) +Permission772=צור/שנה דוחות הוצאות (עבורך ועבור הכפופים לך) +Permission773=מחק דוחות הוצאות +Permission775=אישור דוחות הוצאות +Permission776=תשלום דוחות הוצאות +Permission777=קרא את כל דוחות ההוצאות (גם אלה של משתמשים שאינם כפופים) +Permission778=צור/שנה דוחות הוצאות של כולם +Permission779=יצוא דוחות הוצאות Permission1001=לקרוא מניות -Permission1002=Create/modify warehouses -Permission1003=Delete warehouses +Permission1002=יצירת/שינוי מחסנים +Permission1003=מחק מחסנים Permission1004=לקרוא תנועות של מניות Permission1005=צור / לשנות תנועות של מניות -Permission1011=View inventories -Permission1012=Create new inventory -Permission1014=Validate inventory -Permission1015=Allow to change PMP value for a product -Permission1016=Delete inventory -Permission1101=Read delivery receipts -Permission1102=Create/modify delivery receipts -Permission1104=Validate delivery receipts -Permission1109=Delete delivery receipts -Permission1121=Read supplier proposals -Permission1122=Create/modify supplier proposals -Permission1123=Validate supplier proposals -Permission1124=Send supplier proposals -Permission1125=Delete supplier proposals -Permission1126=Close supplier price requests +Permission1011=צפה במלאי +Permission1012=צור מלאי חדש +Permission1014=אימות מלאי +Permission1015=אפשר לשנות ערך PMP עבור מוצר +Permission1016=מחק מלאי +Permission1101=קרא קבלות משלוח +Permission1102=צור/שנה קבלות על משלוח +Permission1104=אימות קבלות משלוח +Permission1109=מחק קבלות על משלוח +Permission1121=קרא הצעות ספקים +Permission1122=צור/שנה הצעות ספקים +Permission1123=אימות הצעות ספקים +Permission1124=שלח הצעות לספקים +Permission1125=מחק הצעות ספקים +Permission1126=סגור בקשות למחירי ספקים Permission1181=קרא ספקים -Permission1182=Read purchase orders -Permission1183=Create/modify purchase orders -Permission1184=Validate purchase orders -Permission1185=Approve purchase orders -Permission1186=Order purchase orders -Permission1187=Acknowledge receipt of purchase orders -Permission1188=Delete purchase orders -Permission1189=Check/Uncheck a purchase order reception -Permission1190=Approve (second approval) purchase orders -Permission1191=Export supplier orders and their attributes +Permission1182=קרא הזמנות רכש +Permission1183=צור/שנה הזמנות רכש +Permission1184=אימות הזמנות רכש +Permission1185=אישור הזמנות רכש +Permission1186=הזמנת הזמנות רכש +Permission1187=אשר את קבלת הזמנות הרכש +Permission1188=מחק הזמנות רכש +Permission1189=סמן/בטל סימון של קבלת הזמנת רכש +Permission1190=אישור (אישור שני) הזמנות רכש +Permission1191=ייצוא הזמנות ספקים והתכונות שלהן Permission1201=קבל תוצאה של יצוא Permission1202=יצירה / שינוי של הייצוא -Permission1231=Read vendor invoices (and payments) -Permission1232=Create/modify vendor invoices -Permission1233=Validate vendor invoices -Permission1234=Delete vendor invoices -Permission1235=Send vendor invoices by email -Permission1236=Export vendor invoices, attributes and payments -Permission1237=Export purchase orders and their details +Permission1231=קרא חשבוניות ספקים (ותשלומים) +Permission1232=צור/שנה חשבוניות ספק +Permission1233=אימות חשבוניות ספק +Permission1234=מחק חשבוניות ספק +Permission1235=שלח חשבוניות ספק במייל +Permission1236=ייצוא חשבוניות ספקים, מאפיינים ותשלומים +Permission1237=ייצוא הזמנות רכש ופרטיהן Permission1251=הפעל יבוא המוני של נתונים חיצוניים לתוך מסד נתונים (עומס נתונים) Permission1321=יצוא חשבוניות הלקוח, תכונות ותשלומים -Permission1322=Reopen a paid bill -Permission1421=Export sales orders and attributes -Permission1521=Read documents -Permission1522=Delete documents -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) -Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) -Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) +Permission1322=פתח מחדש חשבון ששולם +Permission1421=ייצוא הזמנות מכירה ותכונות +Permission1521=קרא מסמכים +Permission1522=מחק מסמכים +Permission2401=קריאת פעולות (אירועים או משימות) המקושרות לחשבון המשתמש שלו (אם הבעלים של האירוע או רק הוקצו אליו) +Permission2402=צור/שנה פעולות (אירועים או משימות) המקושרות לחשבון המשתמש שלו (אם הבעלים של האירוע) +Permission2403=מחיקת פעולות (אירועים או משימות) המקושרות לחשבון המשתמש שלו (אם הבעלים של האירוע) Permission2411=קרא פעולות או משימות (אירועים) של אחרים Permission2412=ליצור / לשנות את פעולות או משימות (אירועים) של אחרים Permission2413=מחק פעולות או משימות (אירועים) של אחרים -Permission2414=Export actions/tasks of others +Permission2414=ייצוא פעולות/משימות של אחרים Permission2501=קריאה / מסמכים להורדה Permission2502=הורד מסמכים Permission2503=שלח או למחוק מסמכים Permission2515=מסמכים הגדרת ספריות -Permission2610=Generate/modify users API key -Permission2801=Use FTP client in read mode (browse and download only) -Permission2802=Use FTP client in write mode (delete or upload files) -Permission3200=Read archived events and fingerprints -Permission3301=Generate new modules -Permission4001=Read skill/job/position -Permission4002=Create/modify skill/job/position -Permission4003=Delete skill/job/position -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations -Permission4023=Validate evaluation -Permission4025=Delete evaluation -Permission4028=See comparison menu -Permission4031=Read personal information -Permission4032=Write personal information -Permission4033=Read all evaluations (even those of user not subordinates) -Permission10001=Read website content -Permission10002=Create/modify website content (html and javascript content) -Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. -Permission10005=Delete website content -Permission20001=Read leave requests (your leave and those of your subordinates) -Permission20002=Create/modify your leave requests (your leave and those of your subordinates) -Permission20003=Delete leave requests -Permission20004=Read all leave requests (even those of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) -Permission20006=Administer leave requests (setup and update balance) -Permission20007=Approve leave requests -Permission23001=Read Scheduled job -Permission23002=Create/update Scheduled job -Permission23003=Delete Scheduled job -Permission23004=Execute Scheduled job -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates -Permission50101=Use Point of Sale (SimplePOS) -Permission50151=Use Point of Sale (TakePOS) -Permission50152=Edit sales lines -Permission50153=Edit ordered sales lines +Permission2610=צור/שנה מפתח API של משתמשים +Permission2801=השתמש בלקוח FTP במצב קריאה (גלישה והורדה בלבד) +Permission2802=השתמש בלקוח FTP במצב כתיבה (מחיקה או העלאה של קבצים) +Permission3200=קרא אירועים וטביעות אצבע בארכיון +Permission3301=צור מודולים חדשים +Permission4001=קרא מיומנות/תפקיד/תפקיד +Permission4002=צור/שנה מיומנות/תפקיד/תפקיד +Permission4003=מחק מיומנות/תפקיד/תפקיד +Permission4021=קרא הערכות (שלך והכפופים לך) +Permission4022=צור/שנה הערכות +Permission4023=אימות הערכה +Permission4025=מחק הערכה +Permission4028=ראה תפריט השוואה +Permission4031=קרא מידע אישי +Permission4032=כתוב מידע אישי +Permission4033=קרא את כל ההערכות (גם אלה של משתמשים לא כפופים) +Permission10001=קרא את תוכן האתר +Permission10002=צור/שנה תוכן אתר (תוכן HTML ו-JavaScript) +Permission10003=צור/שנה תוכן באתר (קוד php דינמי). מסוכן, חייב להיות שמור למפתחים מוגבלים. +Permission10005=מחק את תוכן האתר +Permission20001=קרא את בקשות החופשה (החופשה שלך ושל הכפופים לך) +Permission20002=צור/שנה את בקשות החופשה שלך (החופש שלך ושל הכפופים לך) +Permission20003=מחק בקשות חופשה +Permission20004=קרא את כל בקשות החופשה (אפילו של משתמשים שאינם כפופים) +Permission20005=צור/שנה בקשות חופשה לכולם (אפילו אלה של משתמשים לא כפופים) +Permission20006=ניהול בקשות לחופשה (הגדרה ועדכון יתרה) +Permission20007=לאשר בקשות חופשה +Permission23001=קרא עבודה מתוזמנת +Permission23002=צור/עדכן עבודה מתוזמנת +Permission23003=מחק עבודה מתוזמנת +Permission23004=בצע עבודה מתוזמנת +Permission40001=קרא את המטבעות והשערים שלהם +Permission40002=צור/עדכן מטבעות ושעריהם +Permission40003=מחק מטבעות ושעריהם +Permission50101=השתמש בנקודת מכירה (SimplePOS) +Permission50151=השתמש בנקודת מכירה (TakePOS) +Permission50152=ערוך קווי מכירה +Permission50153=ערוך קווי מכירה שהוזמנו Permission50201=לקרוא עסקאות Permission50202=ייבוא ​​עסקאות -Permission50330=Read objects of Zapier -Permission50331=Create/Update objects of Zapier -Permission50332=Delete objects of Zapier -Permission50401=Bind products and invoices with accounting accounts -Permission50411=Read operations in ledger -Permission50412=Write/Edit operations in ledger -Permission50414=Delete operations in ledger -Permission50415=Delete all operations by year and journal in ledger -Permission50418=Export operations of the ledger -Permission50420=Report and export reports (turnover, balance, journals, ledger) -Permission50430=Define fiscal periods. Validate transactions and close fiscal periods. -Permission50440=Manage chart of accounts, setup of accountancy -Permission51001=Read assets -Permission51002=Create/Update assets -Permission51003=Delete assets -Permission51005=Setup types of asset -Permission54001=Print -Permission55001=Read polls -Permission55002=Create/modify polls -Permission59001=Read commercial margins -Permission59002=Define commercial margins -Permission59003=Read every user margin -Permission63001=Read resources -Permission63002=Create/modify resources -Permission63003=Delete resources -Permission63004=Link resources to agenda events -Permission64001=Allow direct printing -Permission67000=Allow printing of receipts -Permission68001=Read intracomm report -Permission68002=Create/modify intracomm report -Permission68004=Delete intracomm report -Permission941601=Read receipts -Permission941602=Create and modify receipts -Permission941603=Validate receipts -Permission941604=Send receipts by email -Permission941605=Export receipts -Permission941606=Delete receipts -DictionaryCompanyType=Third-party types -DictionaryCompanyJuridicalType=Third-party legal entities -DictionaryProspectLevel=Prospect potential level for companies -DictionaryProspectContactLevel=Prospect potential level for contacts -DictionaryCanton=States/Provinces +Permission50330=קרא חפצים של זפייר +Permission50331=צור/עדכן אובייקטים של Zapier +Permission50332=מחק אובייקטים של Zapier +Permission50401=כריכת מוצרים וחשבוניות עם חשבונות הנהלת חשבונות +Permission50411=קרא פעולות בספר החשבונות +Permission50412=כתיבה/עריכת פעולות בפנקס החשבונות +Permission50414=מחיקת פעולות בפנקס החשבונות +Permission50415=מחק את כל הפעולות לפי שנה ויומן בפנקס החשבונות +Permission50418=פעולות ייצוא של ספר החשבונות +Permission50420=דיווח וייצוא דוחות (מחזור, מאזן, יומנים, ספר חשבונות) +Permission50430=הגדר תקופות כספיות. אימות עסקאות וסגור תקופות כספיות. +Permission50440=ניהול טבלת חשבונות, הגדרת הנהלת חשבונות +Permission51001=קרא נכסים +Permission51002=צור/עדכן נכסים +Permission51003=מחק נכסים +Permission51005=הגדרת סוגי נכסים +Permission54001=הדפס +Permission55001=קרא סקרים +Permission55002=צור/שנה סקרים +Permission59001=קרא שוליים מסחריים +Permission59002=הגדירו שוליים מסחריים +Permission59003=קרא כל שולי משתמש +Permission63001=קרא משאבים +Permission63002=צור/שנה משאבים +Permission63003=מחק משאבים +Permission63004=קישור משאבים לאירועי סדר יום +Permission64001=אפשר הדפסה ישירה +Permission67000=אפשר הדפסת קבלות +Permission68001=קרא דוח תוך-קוממיות +Permission68002=צור/שנה דוח תוך-קוממיות +Permission68004=מחק דוח תוך-קוממיות +Permission941601=לקרוא קבלות +Permission941602=צור ושנה קבלות +Permission941603=אימות קבלות +Permission941604=שלח קבלות במייל +Permission941605=ייצוא קבלות +Permission941606=מחק קבלות +DictionaryCompanyType=סוגי צד שלישי +DictionaryCompanyJuridicalType=ישויות משפטיות של צד שלישי +DictionaryProspectLevel=רמת פוטנציאל פרוספקט לחברות +DictionaryProspectContactLevel=רמת פוטנציאל פרוספקט לאנשי קשר +DictionaryCanton=מדינות/מחוזות DictionaryRegion=אזורים DictionaryCountry=מדינות DictionaryCurrency=מטבעות -DictionaryCivility=Honorific titles -DictionaryActions=Types of agenda events -DictionarySocialContributions=Types of social or fiscal taxes +DictionaryCivility=תארי כבוד +DictionaryActions=סוגי אירועי סדר יום +DictionarySocialContributions=סוגי מסים חברתיים או פיסקליים DictionaryVAT=שיעורי מע"מ או מכירות שיעורי מס -DictionaryRevenueStamp=Amount of tax stamps -DictionaryPaymentConditions=Payment Terms -DictionaryPaymentModes=Payment Modes +DictionaryRevenueStamp=כמות בולי מס +DictionaryPaymentConditions=תנאי תשלום +DictionaryPaymentModes=מצבי תשלום DictionaryTypeContact=צור סוגים -DictionaryTypeOfContainer=Website - Type of website pages/containers +DictionaryTypeOfContainer=אתר אינטרנט - סוג דפי האתר/מכולות DictionaryEcotaxe=Ecotax (WEEE) DictionaryPaperFormat=נייר פורמטים -DictionaryFormatCards=Card formats -DictionaryFees=Expense report - Types of expense report lines +DictionaryFormatCards=פורמטים של כרטיסים +DictionaryFees=דוח הוצאות - סוגי שורות דוח הוצאות DictionarySendingMethods=משלוח שיטות -DictionaryStaff=Number of Employees +DictionaryStaff=מספר העובדים DictionaryAvailability=עיכוב משלוח -DictionaryOrderMethods=Order methods +DictionaryOrderMethods=שיטות הזמנה DictionarySource=מקור הצעות / הזמנות -DictionaryAccountancyCategory=Personalized groups for reports -DictionaryAccountancysystem=Models for chart of accounts -DictionaryAccountancyJournal=Accounting journals -DictionaryEMailTemplates=Email Templates -DictionaryUnits=Units -DictionaryMeasuringUnits=Measuring Units -DictionarySocialNetworks=Social Networks -DictionaryProspectStatus=Prospect status for companies -DictionaryProspectContactStatus=Prospect status for contacts -DictionaryHolidayTypes=Leave - Types of leave -DictionaryOpportunityStatus=Lead status for project/lead -DictionaryExpenseTaxCat=Expense report - Transportation categories -DictionaryExpenseTaxRange=Expense report - Range by transportation category -DictionaryTransportMode=Intracomm report - Transport mode -DictionaryBatchStatus=Product lot/serial Quality Control status -DictionaryAssetDisposalType=Type of disposal of assets -TypeOfUnit=Type of unit +DictionaryAccountancyCategory=קבוצות מותאמות אישית לדוחות +DictionaryAccountancysystem=מודלים לתרשים חשבונות +DictionaryAccountancyJournal=יומנים חשבונאיים +DictionaryEMailTemplates=תבניות אימייל +DictionaryUnits=יחידות +DictionaryMeasuringUnits=יחידות מדידה +DictionarySocialNetworks=רשתות חברתיות +DictionaryProspectStatus=סטטוס פרוספקט לחברות +DictionaryProspectContactStatus=סטטוס פרוספקט לאנשי קשר +DictionaryHolidayTypes=חופשה - סוגי חופשות +DictionaryOpportunityStatus=סטטוס לידים לפרויקט/ליד +DictionaryExpenseTaxCat=דוח הוצאות - קטגוריות תחבורה +DictionaryExpenseTaxRange=דוח הוצאות - טווח לפי קטגוריית תחבורה +DictionaryTransportMode=דוח תוך-קוממיות - מצב תחבורה +DictionaryBatchStatus=מצב בקרת איכות של חלקת מוצר/סדרתי +DictionaryAssetDisposalType=סוג סילוק נכסים +DictionaryInvoiceSubtype=תת-סוגי חשבוניות +TypeOfUnit=סוג יחידה SetupSaved=הגדרת הציל -SetupNotSaved=Setup not saved -OAuthServiceConfirmDeleteTitle=Delete OAuth entry -OAuthServiceConfirmDeleteMessage=Are you sure you want to delete this OAuth entry ? All existing tokens for it will also be deleted. -ErrorInEntryDeletion=Error in entry deletion -EntryDeleted=Entry deleted -BackToModuleList=Back to Module list -BackToDictionaryList=Back to Dictionaries list -TypeOfRevenueStamp=Type of tax stamp -VATManagement=Sales Tax Management -VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. -VATIsNotUsedDesc=By default the proposed Sales tax is 0 which can be used for cases like associations, individuals or small companies. -VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. -VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +SetupNotSaved=ההגדרה לא נשמרה +OAuthServiceConfirmDeleteTitle=מחק את רשומת OAuth +OAuthServiceConfirmDeleteMessage=האם אתה בטוח שברצונך למחוק את ערך ה-OAuth הזה? גם כל האסימונים הקיימים עבורו יימחקו. +ErrorInEntryDeletion=שגיאה במחיקת ערך +EntryDeleted=הערך נמחק +BackToModuleList=חזרה לרשימת המודולים +BackToDictionaryList=חזרה לרשימת המילונים +TypeOfRevenueStamp=סוג חותמת המס +VATManagement=ניהול מס מכירה +VATIsUsedDesc=כברירת מחדל בעת יצירת לקוחות פוטנציאליים, חשבוניות, הזמנות וכו', שיעור מס המכירה עוקב אחר הכלל הסטנדרטי הפעיל:
      אם המוכר אינו חייב במס מכירה, אזי מס מכירה כברירת מחדל הוא 0 . סוף הכלל.
      אם (מדינת המוכר = המדינה של הקונה), אזי מס המכירה כברירת מחדל שווה למס המכירה של המוצר במדינת המוכר. סוף הכלל.
      אם המוכר והקונה נמצאים שניהם בקהילה האירופית והסחורה היא מוצרים הקשורים לתחבורה (הובלה, משלוח, חברת תעופה), מע"מ ברירת המחדל הוא 0. זה הכלל תלוי במדינה של המוכר - נא להתייעץ עם רואה החשבון שלך. הקונה צריך לשלם את המע"מ למשרד המכס בארצו ולא למוכר. סוף הכלל.
      אם המוכר והקונה נמצאים שניהם בקהילה האירופית והקונה אינו חברה (עם מספר מע"מ פנים-קהילתי רשום), אזי המע"מ כברירת מחדל שיעור המע"מ של מדינת המוכר. סוף הכלל.
      אם המוכר והקונה נמצאים שניהם בקהילה האירופית והקונה היא חברה (עם מספר מע"מ פנים-קהילתי רשום), אז המע"מ הוא 0 כברירת מחדל. סוף הכלל.
      בכל מקרה אחר ברירת המחדל המוצעת היא מס מכירה=0. סוף הכלל. +VATIsNotUsedDesc=כברירת מחדל, מס המכירה המוצע הוא 0 שניתן להשתמש בו במקרים כמו עמותות, יחידים או חברות קטנות. +VATIsUsedExampleFR=בצרפת, הכוונה לחברות או ארגונים שיש להם מערכת פיסקלית אמיתית (Simplified real or normal real). מערכת בה מוצהר מע"מ. +VATIsNotUsedExampleFR=בצרפת, הכוונה היא לעמותות שאינן מוצהרות במס מכירה או חברות, ארגונים או מקצועות חופשיים שבחרו במערכת הפיסקלית של ארגונים מיקרוניים (מס מכירה בזכיינות) ושילמו מס מכירה בזיכיון ללא כל הצהרת מס מכירה. בחירה זו תציג את ההפניה "מס מכירה לא רלוונטי - art-293B of CGI" בחשבוניות. +VATType=סוג מע"מ ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax -LTRate=Rate -LocalTax1IsNotUsed=Do not use second tax -LocalTax1IsUsedDesc=Use a second type of tax (other than first one) -LocalTax1IsNotUsedDesc=Do not use other type of tax (other than first one) -LocalTax1Management=Second type of tax +TypeOfSaleTaxes=סוג מס מכירה +LTRate=ציון +LocalTax1IsNotUsed=אל תשתמש במס שני +LocalTax1IsUsedDesc=השתמש בסוג מס שני (מלבד הראשון) +LocalTax1IsNotUsedDesc=אל תשתמש בסוג אחר של מס (מלבד הראשון) +LocalTax1Management=סוג שני של מס LocalTax1IsUsedExample= LocalTax1IsNotUsedExample= -LocalTax2IsNotUsed=Do not use third tax -LocalTax2IsUsedDesc=Use a third type of tax (other than first one) -LocalTax2IsNotUsedDesc=Do not use other type of tax (other than first one) -LocalTax2Management=Third type of tax +LocalTax2IsNotUsed=אל תשתמש במס שלישי +LocalTax2IsUsedDesc=השתמש בסוג שלישי של מס (מלבד הראשון) +LocalTax2IsNotUsedDesc=אל תשתמש בסוג אחר של מס (מלבד הראשון) +LocalTax2Management=סוג מס שלישי LocalTax2IsUsedExample= LocalTax2IsNotUsedExample= LocalTax1ManagementES=RE ניהול -LocalTax1IsUsedDescES=The RE rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the buyer is not subjected to RE, RE by default=0. End of rule.
      If the buyer is subjected to RE then the RE by default. End of rule.
      +LocalTax1IsUsedDescES=שיעור RE כברירת מחדל בעת יצירת לקוחות פוטנציאליים, חשבוניות, הזמנות וכו' עקוב אחר הכלל הסטנדרטי הפעיל:
      אם הקונה אינו כפוף ל-RE, RE כברירת מחדל=0. סוף הכלל.
      אם הקונה כפוף ל-RE אז ה-RE כברירת מחדל. סוף הכלל.
      LocalTax1IsNotUsedDescES=כברירת מחדל RE המוצע הוא 0. קץ שלטון. LocalTax1IsUsedExampleES=בספרד הם אנשי מקצוע בכפוף לכמה חלקים מסוימים של trap מלכודת הספרדית. LocalTax1IsNotUsedExampleES=בספרד הם מקצועיים בחברות ובכפוף חלקים מסוימים של trap מלכודת הספרדית. LocalTax2ManagementES=IRPF ניהול -LocalTax2IsUsedDescES=The IRPF rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.
      If the seller is subjected to IRPF then the IRPF by default. End of rule.
      +LocalTax2IsUsedDescES=תעריף ה-IRPF כברירת מחדל בעת יצירת לקוחות פוטנציאליים, חשבוניות, הזמנות וכו' עקוב אחר הכלל הסטנדרטי הפעיל:
      אם המוכר אינו כפוף ל-IRPF, אז IRPF כברירת מחדל=0. סוף הכלל.
      אם המוכר כפוף ל-IRPF אז ה-IRPF כברירת מחדל. סוף הכלל.
      LocalTax2IsNotUsedDescES=כברירת מחדל IRPF המוצע הוא 0. קץ שלטון. LocalTax2IsUsedExampleES=בספרד, פרילנסרים ובעלי מקצוע עצמאיים המספקים שירותים וחברות אשר בחרו במערכת המס של מודולים. -LocalTax2IsNotUsedExampleES=In Spain they are businesses not subject to tax system of modules. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) -CalcLocaltax=Reports on local taxes -CalcLocaltax1=Sales - Purchases -CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases -CalcLocaltax2=Purchases -CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases -CalcLocaltax3=Sales -CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax +LocalTax2IsNotUsedExampleES=בספרד הם עסקים שאינם כפופים למערכת מס של מודולים. +RevenueStampDesc="חותמת המס" או "חותמת ההכנסה" היא מס קבוע שאתה לחשבונית (זה לא תלוי בסכום החשבונית). זה יכול להיות גם מס באחוזים, אבל השימוש בסוג המס השני או השלישי עדיף עבור מסים באחוזים שכן חותמות מס לא מספקות דיווח. רק מעט מדינות משתמשות בסוג זה של מס. +UseRevenueStamp=השתמש בחותמת מס +UseRevenueStampExample=הערך של חותמת המס מוגדר כברירת מחדל בהגדרת המילונים (%s - %s - %s) +CalcLocaltax=דוחות על מיסים מקומיים +CalcLocaltax1=מכירות - רכישות +CalcLocaltax1Desc=דוחות מיסים מקומיים מחושבים עם ההבדל בין מכירות מסים מקומיים לרכישות מסים מקומיים +CalcLocaltax2=רכישות +CalcLocaltax2Desc=דוחות מיסים מקומיים הם סך כל הרכישות של מסים מקומיים +CalcLocaltax3=מכירות +CalcLocaltax3Desc=דוחות מיסים מקומיים הם סך המכירות של מסים מקומיים +NoLocalTaxXForThisCountry=לפי הגדרת המסים (ראה %s - %s - %s) , המדינה שלך לא צריכה להשתמש בסוג כזה של מס LabelUsedByDefault=לייבל שימוש כברירת מחדל אם לא התרגום ניתן למצוא את קוד LabelOnDocuments=התווית על מסמכים -LabelOrTranslationKey=Label or translation key -ValueOfConstantKey=Value of a configuration constant -ConstantIsOn=Option %s is on -NbOfDays=No. of days +LabelOrTranslationKey=מפתח תווית או תרגום +ValueOfConstantKey=ערך של קבוע תצורה +ConstantIsOn=האפשרות %s מופעלת +NbOfDays=מספר ימים AtEndOfMonth=בסוף החודש -CurrentNext=A given day in month +CurrentNext=יום נתון בחודש Offset=לקזז AlwaysActive=פעיל תמיד Upgrade=שדרוג MenuUpgrade=שדרוג / הארך -AddExtensionThemeModuleOrOther=Deploy/install external app/module +AddExtensionThemeModuleOrOther=פרוס/התקן אפליקציה/מודול חיצוני WebServer=שרת אינטרנט DocumentRootServer=שורש מדריך אתרים שרת DataRootServer=קבצי נתונים בספרייה @@ -1179,320 +1190,322 @@ DatabaseUser=מסד הנתונים משתמש DatabasePassword=מסד הנתונים הסיסמה Tables=לוחות TableName=שם טבלה -NbOfRecord=No. of records +NbOfRecord=מספר רשומות Host=שרת DriverType=הנהג סוג SummarySystem=מערכת מידע סיכום SummaryConst=רשימה של כל הפרמטרים ההתקנה Dolibarr -MenuCompanySetup=Company/Organization +MenuCompanySetup=חברה/ארגון DefaultMenuManager= התפריט הסטנדרטי מנהל DefaultMenuSmartphoneManager=התפריט החכם המנהל Skin=העור נושא DefaultSkin=העור סגנון ברירת מחדל MaxSizeList=אורך מקסימלי עבור רשימה -DefaultMaxSizeList=Default max length for lists -DefaultMaxSizeShortList=Default max length for short lists (i.e. in customer card) +DefaultMaxSizeList=אורך מרבי ברירת מחדל עבור רשימות +DefaultMaxSizeShortList=ברירת המחדל של אורך מקסימלי עבור רשימות קצרות (כלומר בכרטיס לקוח) MessageOfDay=המסר של היום MessageLogin=התחברות הודעה בדף -LoginPage=Login page -BackgroundImageLogin=Background image +LoginPage=עמוד התחברות +BackgroundImageLogin=תמונת רקע PermanentLeftSearchForm=חפש בצורה קבועה בתפריט השמאלי -DefaultLanguage=Default language -EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships -EnableShowLogo=Show the company logo in the menu -CompanyInfo=Company/Organization -CompanyIds=Company/Organization identities +DefaultLanguage=שפת ברירת מחדל +EnableMultilangInterface=אפשר תמיכה בריבוי שפות עבור קשרי לקוחות או ספקים +EnableShowLogo=הצג את לוגו החברה בתפריט +CompanyInfo=חברה/ארגון +CompanyIds=זהויות חברה/ארגון CompanyName=שם CompanyAddress=כתובת CompanyZip=רוכסן CompanyTown=עיר CompanyCountry=מדינה CompanyCurrency=ראשי המטבע -CompanyObject=Object of the company -IDCountry=ID country -Logo=Logo -LogoDesc=Main logo of company. Will be used into generated documents (PDF, ...) -LogoSquarred=Logo (squarred) -LogoSquarredDesc=Must be a squarred icon (width = height). This logo will be used as the favorite icon or other need like for the top menu bar (if not disabled into display setup). +CompanyObject=מטרת החברה +IDCountry=מדינת תעודה מזהה +Logo=סֵמֶל +LogoDesc=הלוגו הראשי של החברה. ישמש למסמכים שנוצרו (PDF, ...) +LogoSquarred=לוגו (מרובע) +LogoSquarredDesc=חייב להיות סמל מרובע (רוחב = גובה). לוגו זה ישמש כסמל המועדף או צורך אחר כמו בשורת התפריטים העליונה (אם לא מושבת בהגדרות התצוגה). DoNotSuggestPaymentMode=לא מציע NoActiveBankAccountDefined=אין לך חשבון בנק פעיל מוגדר OwnerOfBankAccount=הבעלים של %s חשבון הבנק BankModuleNotActive=חשבונות בנק המודול לא מופעל -ShowBugTrackLink=Show the link "%s" -ShowBugTrackLinkDesc=Keep empty to not display this link, use value 'github' for the link to the Dolibarr project or define directly an url 'https://...' +ShowBugTrackLink=הצג את הקישור "%s" +ShowBugTrackLinkDesc=השאר ריק כדי לא להציג את הקישור הזה, השתמש בערך 'github' עבור הקישור לפרויקט Dolibarr או הגדר ישירות כתובת אתר 'https://...' Alerts=התראות -DelaysOfToleranceBeforeWarning=Displaying a warning alert for... -DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. -Delays_MAIN_DELAY_ACTIONS_TODO=Planned events (agenda events) not completed -Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Project not closed in time -Delays_MAIN_DELAY_TASKS_TODO=Planned task (project tasks) not completed -Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Order not processed -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Purchase order not processed -Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Proposal not closed -Delays_MAIN_DELAY_PROPALS_TO_BILL=Proposal not billed -Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Service to activate -Delays_MAIN_DELAY_RUNNING_SERVICES=Expired service -Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Unpaid vendor invoice -Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Unpaid customer invoice -Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Pending bank reconciliation -Delays_MAIN_DELAY_MEMBERS=Delayed membership fee -Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Check deposit not done -Delays_MAIN_DELAY_EXPENSEREPORTS=Expense report to approve -Delays_MAIN_DELAY_HOLIDAYS=Leave requests to approve -SetupDescription1=Before starting to use Dolibarr some initial parameters must be defined and modules enabled/configured. -SetupDescription2=The following two sections are mandatory (the two first entries in the Setup menu): -SetupDescription3=%s -> %s

      Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4=%s -> %s

      This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. -SetupDescription5=Other Setup menu entries manage optional parameters. -SetupDescriptionLink=%s - %s -SetupDescription3b=Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s -Audit=Security events -InfoDolibarr=About Dolibarr -InfoBrowser=About Browser -InfoOS=About OS -InfoWebServer=About Web Server -InfoDatabase=About Database -InfoPHP=About PHP -InfoPerf=About Performances -InfoSecurity=About Security -BrowserName=Browser name -BrowserOS=Browser OS +DelaysOfToleranceBeforeWarning=מציג התראת אזהרה עבור... +DelaysOfToleranceDesc=הגדר את ההשהיה לפני שסמל התראה %s יוצג על המסך עבור הרכיב המאוחר. +Delays_MAIN_DELAY_ACTIONS_TODO=אירועים מתוכננים (אירועי סדר יום) לא הושלמו +Delays_MAIN_DELAY_PROJECT_TO_CLOSE=הפרויקט לא נסגר בזמן +Delays_MAIN_DELAY_TASKS_TODO=משימה מתוכננת (משימות פרויקט) לא הושלמה +Delays_MAIN_DELAY_ORDERS_TO_PROCESS=ההזמנה לא עובדה +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=הזמנת רכש לא עובדה +Delays_MAIN_DELAY_PROPALS_TO_CLOSE=ההצעה לא נסגרה +Delays_MAIN_DELAY_PROPALS_TO_BILL=ההצעה לא מחויבת +Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=שירות להפעלה +Delays_MAIN_DELAY_RUNNING_SERVICES=שירות פג תוקף +Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=חשבונית ספק שלא שולמה +Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=חשבונית לקוח שלא שולמה +Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=בהמתנה לפיוס בנק +Delays_MAIN_DELAY_MEMBERS=דמי חבר דחויים +Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=הפקדת המחאה לא בוצעה +Delays_MAIN_DELAY_EXPENSEREPORTS=דו"ח הוצאות לאישור +Delays_MAIN_DELAY_HOLIDAYS=השאר בקשות לאישור +SetupDescription1=לפני תחילת השימוש ב-Dolibarr יש להגדיר כמה פרמטרים ראשוניים ולהפעיל/להגדיר מודולים. +SetupDescription2=שני הסעיפים הבאים הם חובה (שני הערכים הראשונים בתפריט ההגדרות): +SetupDescription3=%s -> %sb0e87d8cczc60e40d

      פרמטרים בסיסיים המשמשים להתאמה אישית של התנהגות ברירת המחדל של היישום שלך (למשל עבור תכונות הקשורות למדינה). +SetupDescription4=
      %s -> %sb0e87d8cczc60e40d

      תוכנה זו היא חבילה של מודולים/יישומים רבים. המודולים הקשורים לצרכים שלך חייבים להיות מופעלים ומוגדרים. ערכים בתפריט יופיעו עם הפעלת המודולים הללו. +SetupDescription5=ערכי תפריט הגדרה אחרים מנהלים פרמטרים אופציונליים. +SetupDescriptionLink=
      %s - %sb05e87d8ccz60e87d8ccz /span> +SetupDescription3b=פרמטרים בסיסיים המשמשים להתאמה אישית של התנהגות ברירת המחדל של האפליקציה שלך (למשל עבור תכונות הקשורות למדינה). +SetupDescription4b=תוכנה זו היא חבילה של מודולים/יישומים רבים. יש להפעיל את המודולים הקשורים לצרכים שלך. ערכים בתפריט יופיעו עם הפעלת המודולים הללו. +AuditedSecurityEvents=אירועי אבטחה שנבדקים +NoSecurityEventsAreAduited=לא נבדקים אירועי אבטחה. אתה יכול להפעיל אותם מהתפריט %s +Audit=אירועי אבטחה +InfoDolibarr=על דוליבר +InfoBrowser=על דפדפן +InfoOS=לגבי מערכת ההפעלה +InfoWebServer=לגבי שרת אינטרנט +InfoDatabase=על מסד נתונים +InfoPHP=לגבי PHP +InfoPerf=על הופעות +InfoSecurity=לגבי אבטחה +BrowserName=שם הדפדפן +BrowserOS=מערכת הפעלה של דפדפן ListOfSecurityEvents=רשימת אירועים Dolibarr הביטחון SecurityEventsPurged=אירועים ביטחוניים מטוהר -TrackableSecurityEvents=Trackable security events -LogEventDesc=Enable logging for specific security events. Administrators the log via menu %s - %s. Warning, this feature can generate a large amount of data in the database. -AreaForAdminOnly=Setup parameters can be set by administrator users only. +TrackableSecurityEvents=אירועי אבטחה שניתנים למעקב +LogEventDesc=אפשר רישום עבור אירועי אבטחה ספציפיים. מנהלי היומן דרך התפריט %s - %s. אזהרה, תכונה זו יכולה ליצור כמות גדולה של נתונים במסד הנתונים. +AreaForAdminOnly=ניתן להגדיר פרמטרים של הגדרה על ידי משתמשי מנהל בלבד. SystemInfoDesc=מערכת מידע הוא מידע טכני שונות נכנסת למצב קריאה בלבד ונראה לעין עבור מנהלי בלבד. -SystemAreaForAdminOnly=This area is available to administrator users only. Dolibarr user permissions cannot change this restriction. -CompanyFundationDesc=Edit the information of your company/organization. Click on "%s" button at the bottom of the page when done. -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". -AccountantDesc=If you have an external accountant/bookkeeper, you can edit here its information. -AccountantFileNumber=Accountant code -DisplayDesc=Parameters affecting the look and presentation of the application can be modified here. -AvailableModules=Available app/modules +SystemAreaForAdminOnly=אזור זה זמין למשתמשי מנהל מערכת בלבד. הרשאות משתמש Dolibarr אינן יכולות לשנות מגבלה זו. +CompanyFundationDesc=ערוך את המידע של החברה/הארגון שלך. לחץ על הלחצן "%s" בתחתית העמוד בסיום. +MoreNetworksAvailableWithModule=רשתות חברתיות נוספות עשויות להיות זמינות על ידי הפעלת המודול "רשתות חברתיות". +AccountantDesc=אם יש לך רואה חשבון/מנהל חשבונות חיצוני, תוכל לערוך כאן את המידע שלו. +AccountantFileNumber=קוד רואה חשבון +DisplayDesc=ניתן לשנות כאן פרמטרים המשפיעים על המראה וההצגה של האפליקציה. +AvailableModules=אפליקציה/מודולים זמינים ToActivateModule=כדי להפעיל מודולים, ללכת על שטח ההתקנה (ראשי-> התקנה-> Modules). SessionTimeOut=זמן לפגישה -SessionExplanation=This number guarantees that the session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guarantee that the session will expire after this delay. It will expire, after this delay, and when the session cleaner is run, so every %s/%s access, but only during access made by other sessions (if value is 0, it means clearing of session is done only by an external process).
      Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by an external setup, no matter what the value entered here is. -SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. +SessionExplanation=מספר זה מבטיח שההפעלה לעולם לא יפוג לפני העיכוב הזה, אם ניקוי הפגישות נעשה על ידי מנקה ההפעלה הפנימי של PHP (ושום דבר אחר). מנקה הפעלות פנימי של PHP אינו מבטיח שההפעלה יפוג לאחר עיכוב זה. התוקף יפוג, לאחר עיכוב זה, וכאשר מנקה הפעלות יופעל, כך שכל %s/%s, אבל רק במהלך גישה שנעשתה על ידי הפעלות אחרות (אם הערך הוא 0, זה אומר שניקוי ההפעלה נעשה רק על ידי תהליך חיצוני) .
      הערה: בשרתים מסוימים עם מנגנון ניקוי הפעלה חיצוני (cron תחת debian, ubuntu...), ההפעלות יכולות להיהרס לאחר תקופה שהוגדרה על ידי הגדרה חיצונית, לא משנה מה הערך שהוזן כאן. +SessionsPurgedByExternalSystem=נראה כי הפעלות בשרת זה מנוקות על ידי מנגנון חיצוני (cron תחת debian, ubuntu ...), כנראה כל %s שניות (= ערך הפרמטר session.gc_maxlifetimeb09a4b739fhtdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). +TriggersDesc=טריגרים הם קבצים שישנו את ההתנהגות של זרימת העבודה של Dolibarr לאחר העתקה לספרייה htdocs/core/triggers. הם מבינים פעולות חדשות, המופעלות באירועי Dolibarr (יצירת חברה חדשה, אימות חשבונית, ...). TriggerDisabledByName=גורמים בקובץ זה אינם זמינים על ידי הסיומת-NoRun בשמם. TriggerDisabledAsModuleDisabled=גורמים בקובץ זה אינם זמינים כמו %s מודול אינו זמין. TriggerAlwaysActive=גורמים בקובץ זה תמיד פעיל, לא משנה מה הם מודולים Dolibarr מופעל. TriggerActiveAsModuleActive=גורמים בקובץ זה הם פעיל %s מודול מופעלת. -GeneratedPasswordDesc=Choose the method to be used for auto-generated passwords. -DictionaryDesc=Insert all reference data. You can add your values to the default. -ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting only. -MiscellaneousOptions=Miscellaneous options -MiscellaneousDesc=All other security related parameters are defined here. +GeneratedPasswordDesc=בחר את השיטה שתשמש עבור סיסמאות שנוצרו אוטומטית. +DictionaryDesc=הכנס את כל נתוני ההפניה. אתה יכול להוסיף את הערכים שלך לברירת המחדל. +ConstDesc=דף זה מאפשר לך לערוך (לעקוף) פרמטרים שאינם זמינים בדפים אחרים. אלו הם בעיקר פרמטרים שמורים למפתחים/פתרון בעיות מתקדם בלבד. +MiscellaneousOptions=אפשרויות שונות +MiscellaneousDesc=כל שאר הפרמטרים הקשורים לאבטחה מוגדרים כאן. LimitsSetup=גבולות / הגדרת Precision -LimitsDesc=You can define limits, precisions and optimizations used by Dolibarr here -MAIN_MAX_DECIMALS_UNIT=Max. decimals for unit prices -MAIN_MAX_DECIMALS_TOT=Max. decimals for total prices -MAIN_MAX_DECIMALS_SHOWN=Max. decimals for prices shown on screen. Add an ellipsis ... after this parameter (e.g. "2...") if you want to see "..." suffixed to the truncated price. -MAIN_ROUNDING_RULE_TOT=Step of rounding range (for countries where rounding is done on something other than base 10. For example, put 0.05 if rounding is done by 0.05 steps) +LimitsDesc=אתה יכול להגדיר מגבלות, דיוקים ואופטימיזציות בשימוש על ידי Dolibarr כאן +MAIN_MAX_DECIMALS_UNIT=מקסימום עשרונים עבור מחירי יחידה +MAIN_MAX_DECIMALS_TOT=מקסימום עשרוניות עבור המחירים הכוללים +MAIN_MAX_DECIMALS_SHOWN=מקסימום עשרונים עבור מחירים המוצגים על המסך. הוסף אליפסה ... אחרי פרמטר זה (למשל "2...") אם ברצונך לראות " ..." בסיומת המחיר הקטוע. +MAIN_ROUNDING_RULE_TOT=שלב של טווח עיגול (עבור מדינות שבהן העיגול נעשה על משהו אחר מלבד בסיס 10. לדוגמה, שים 0.05 אם העיגול נעשה ב-0.05 צעדים) UnitPriceOfProduct=יחידת מחיר נטו של המוצר -TotalPriceAfterRounding=Total price (excl/vat/incl tax) after rounding +TotalPriceAfterRounding=מחיר כולל (לא/מע"מ/כולל מס) לאחר עיגול ParameterActiveForNextInputOnly=פרמטר יעיל הקלט הבא רק -NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit has not been enabled in the "Setup - Security - Events" page. -NoEventFoundWithCriteria=No security event has been found for this search criteria. +NoEventOrNoAuditSetup=לא נרשם אירוע אבטחה. זה נורמלי אם ביקורת לא הופעלה בדף "הגדרה - אבטחה - אירועים". +NoEventFoundWithCriteria=לא נמצא אירוע אבטחה עבור קריטריון חיפוש זה. SeeLocalSendMailSetup=ראה הגדרת sendmail המקומי -BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. -BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. -BackupDescX=The archived directory should be stored in a secure place. +BackupDesc=גיבוי שלם של התקנת Dolibarr דורש שני שלבים. +BackupDesc2=גבה את התוכן של ספריית "מסמכים" (%s) המכיל את כל הקבצים שהועלו ונוצרו. זה יכלול גם את כל קובצי ה-dump שנוצרו בשלב 1. פעולה זו עשויה להימשך מספר דקות. +BackupDesc3=גבה את המבנה והתוכן של מסד הנתונים שלך (%s) קובץ dump. לשם כך, תוכל להשתמש בעוזר הבא. +BackupDescX=יש לאחסן את הספרייה בארכיון במקום מאובטח. BackupDescY=קובץ dump שנוצר יש לאחסן במקום בטוח. -BackupPHPWarning=Backup cannot be guaranteed with this method. Previous one recommended. -RestoreDesc=To restore a Dolibarr backup, two steps are required. -RestoreDesc2=Restore the backup file (zip file for example) of the "documents" directory to a new Dolibarr installation or into this current documents directory (%s). -RestoreDesc3=Restore the database structure and data from a backup dump file into the database of the new Dolibarr installation or into the database of this current installation (%s). Warning, once the restore is complete, you must use a login/password, that existed from the backup time/installation to connect again.
      To restore a backup database into this current installation, you can follow this assistant. -RestoreMySQL=MySQL import +BackupPHPWarning=לא ניתן להבטיח גיבוי בשיטה זו. הקודם מומלץ. +RestoreDesc=כדי לשחזר גיבוי של Dolibarr, נדרשים שני שלבים. +RestoreDesc2=שחזר את קובץ הגיבוי (קובץ zip למשל) של ספריית "מסמכים" להתקנה חדשה של Dolibarr או לתוך ספריית המסמכים הנוכחית הזו (%s ). +RestoreDesc3=שחזר את מבנה מסד הנתונים והנתונים מקובץ dump גיבוי למסד הנתונים של התקנת Dolibarr החדשה או למסד הנתונים של ההתקנה הנוכחית הזו (%s ). אזהרה, לאחר השלמת השחזור, עליך להשתמש בכניסה/סיסמה, שהיו קיימים מזמן הגיבוי/ההתקנה כדי להתחבר שוב.
      כדי לשחזר מסד נתונים גיבוי להתקנה הנוכחית הזו. , אתה יכול לעקוב אחר עוזר זה. +RestoreMySQL=ייבוא MySQL ForcedToByAModule=כלל זה הוא נאלץ %s ידי מודול מופעל -ValueIsForcedBySystem=This value is forced by the system. You can't change it. -PreviousDumpFiles=Existing backup files -PreviousArchiveFiles=Existing archive files -WeekStartOnDay=First day of the week -RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) +ValueIsForcedBySystem=ערך זה נכפה על ידי המערכת. אתה לא יכול לשנות את זה. +PreviousDumpFiles=קבצי גיבוי קיימים +PreviousArchiveFiles=קבצי ארכיון קיימים +WeekStartOnDay=יום ראשון בשבוע +RunningUpdateProcessMayBeRequired=נראה שנדרשת הפעלת תהליך השדרוג (גרסת התוכנית %s שונה מגרסת מסד הנתונים %s) YouMustRunCommandFromCommandLineAfterLoginToUser=עליך להפעיל את הפקודה משורת הפקודה לאחר ההתחברות להפגיז עם %s משתמש או עליך להוסיף-W אפשרות בסוף של שורת הפקודה כדי לספק את הסיסמה %s. YourPHPDoesNotHaveSSLSupport=פונקציות שאינן זמינות ב-SSL-PHP DownloadMoreSkins=עוד סקינים להורדה -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset -AdvancedNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset -ShowProfIdInAddress=Show professional ID with addresses -ShowVATIntaInAddress=Hide intra-Community VAT number +SimpleNumRefModelDesc=מחזירה את מספר האסמכתה בפורמט %syymm-nnnn כאשר yy היא השנה, mm הוא החודש ו-nnnn הוא מספר הגדלה אוטומטית רציפה ללא איפוס +SimpleRefNumRefModelDesc=מחזירה את מספר האסמכתה בתבנית n כאשר n הוא מספר הגדלה אוטומטית רציפה ללא איפוס +AdvancedNumRefModelDesc=מחזירה את מספר האסמכתה בפורמט %syymm-nnnn כאשר yy היא השנה, mm הוא החודש ו-nnnn הוא מספר הגדלה אוטומטית רציפה ללא איפוס +SimpleNumRefNoDateModelDesc=מחזירה את מספר האסמכתה בפורמט %s-nnnn כאשר nnnn הוא מספר הגדלה אוטומטית רציפה ללא איפוס +ShowProfIdInAddress=הצג מזהה מקצועי עם כתובות +ShowVATIntaInAddress=הסתר מספר מע"מ תוך-קהילתי TranslationUncomplete=תרגום חלקי -MAIN_DISABLE_METEO=Disable weather thumb -MeteoStdMod=Standard mode -MeteoStdModEnabled=Standard mode enabled -MeteoPercentageMod=Percentage mode -MeteoPercentageModEnabled=Percentage mode enabled -MeteoUseMod=Click to use %s +MAIN_DISABLE_METEO=השבת את אגודל מזג האוויר +MeteoStdMod=מצב סטנדרטי +MeteoStdModEnabled=מצב רגיל מופעל +MeteoPercentageMod=מצב אחוז +MeteoPercentageModEnabled=מצב אחוז מופעל +MeteoUseMod=לחץ כדי להשתמש ב-%s TestLoginToAPI=בדוק להיכנס API -ProxyDesc=Some features of Dolibarr require internet access. Define here the internet connection parameters such as access through a proxy server if necessary. -ExternalAccess=External/Internet Access -MAIN_PROXY_USE=Use a proxy server (otherwise access is direct to the internet) -MAIN_PROXY_HOST=Proxy server: Name/Address -MAIN_PROXY_PORT=Proxy server: Port -MAIN_PROXY_USER=Proxy server: Login/User -MAIN_PROXY_PASS=Proxy server: Password -DefineHereComplementaryAttributes=Define any additional / custom attributes that must be added to: %s +ProxyDesc=חלק מהתכונות של Dolibarr דורשות גישה לאינטרנט. הגדר כאן את פרמטרי החיבור לאינטרנט כגון גישה דרך שרת פרוקסי במידת הצורך. +ExternalAccess=גישה חיצונית/אינטרנט +MAIN_PROXY_USE=השתמש בשרת פרוקסי (אחרת הגישה ישירה לאינטרנט) +MAIN_PROXY_HOST=שרת פרוקסי: שם/כתובת +MAIN_PROXY_PORT=שרת פרוקסי: יציאה +MAIN_PROXY_USER=שרת פרוקסי: כניסה/משתמש +MAIN_PROXY_PASS=שרת פרוקסי: סיסמה +DefineHereComplementaryAttributes=הגדר מאפיינים נוספים / מותאמים אישית שיש להוסיף ל: %s ExtraFields=משלימים תכונות -ExtraFieldsLines=Complementary attributes (lines) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) -ExtraFieldsSupplierOrdersLines=Complementary attributes (order lines) -ExtraFieldsSupplierInvoicesLines=Complementary attributes (invoice lines) -ExtraFieldsThirdParties=Complementary attributes (third party) -ExtraFieldsContacts=Complementary attributes (contacts/address) -ExtraFieldsMember=Complementary attributes (member) -ExtraFieldsMemberType=Complementary attributes (member type) -ExtraFieldsCustomerInvoices=Complementary attributes (invoices) -ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) -ExtraFieldsSupplierOrders=Complementary attributes (orders) -ExtraFieldsSupplierInvoices=Complementary attributes (invoices) -ExtraFieldsProject=Complementary attributes (projects) -ExtraFieldsProjectTask=Complementary attributes (tasks) -ExtraFieldsSalaries=Complementary attributes (salaries) -ExtraFieldHasWrongValue=Attribute %s has a wrong value. -AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space +ExtraFieldsLines=תכונות משלימות (שורות) +ExtraFieldsLinesRec=מאפיינים משלימים (שורות חשבוניות תבניות) +ExtraFieldsSupplierOrdersLines=מאפיינים משלימים (שורות הזמנה) +ExtraFieldsSupplierInvoicesLines=מאפיינים משלימים (שורות חשבונית) +ExtraFieldsThirdParties=מאפיינים משלימים (צד שלישי) +ExtraFieldsContacts=מאפיינים משלימים (אנשי קשר/כתובת) +ExtraFieldsMember=תכונות משלימות (חבר) +ExtraFieldsMemberType=מאפיינים משלימים (סוג חבר) +ExtraFieldsCustomerInvoices=מאפיינים משלימים (חשבוניות) +ExtraFieldsCustomerInvoicesRec=מאפיינים משלימים (תבניות חשבוניות) +ExtraFieldsSupplierOrders=תכונות משלימות (הזמנות) +ExtraFieldsSupplierInvoices=מאפיינים משלימים (חשבוניות) +ExtraFieldsProject=תכונות משלימות (פרויקטים) +ExtraFieldsProjectTask=תכונות משלימות (משימות) +ExtraFieldsSalaries=תכונות משלימות (משכורות) +ExtraFieldHasWrongValue=לתכונה %s יש ערך שגוי. +AlphaNumOnlyLowerCharsAndNoSpace=רק אלפאנומריים ותווים קטנים ללא רווח SendmailOptionNotComplete=אזהרה, על כמה מערכות לינוקס, לשלוח דוא"ל הדוא"ל שלך, הגדרת sendmail ביצוע חובה conatins אפשרות-BA (mail.force_extra_parameters פרמטר לקובץ php.ini שלך). אם מקבלי כמה לא לקבל הודעות דוא"ל, מנסה לערוך פרמטר זה PHP עם mail.force_extra_parameters =-BA). PathToDocuments=הדרך מסמכים PathDirectory=מדריך -SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might not be parsed correctly by some receiving mail servers. The result is that some mails can't be read by people hosted by those bugged platforms. This is the case for some Internet providers (Ex: Orange in France). This is not a problem with Dolibarr or PHP but with the receiving mail server. You can however add an option MAIN_FIX_FOR_BUGGED_MTA to 1 in Setup - Other to modify Dolibarr to avoid this. However, you may experience problems with other servers that strictly use the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" which has no disadvantages. -TranslationSetup=Setup of translation -TranslationKeySearch=Search a translation key or string -TranslationOverwriteKey=Overwrite a translation string -TranslationDesc=How to set the display language:
      * Default/Systemwide: menu Home -> Setup -> Display
      * Per user: Click on the username at the top of the screen and modify the User Display Setup tab on the user card. -TranslationOverwriteDesc=You can also override strings filling the following table. Choose your language from "%s" dropdown, insert the translation key string into "%s" and your new translation into "%s" -TranslationOverwriteDesc2=You can use the other tab to help you know which translation key to use -TranslationString=Translation string -CurrentTranslationString=Current translation string -WarningAtLeastKeyOrTranslationRequired=A search criteria is required at least for key or translation string -NewTranslationStringToShow=New translation string to show -OriginalValueWas=The original translation is overwritten. Original value was:

      %s -TransKeyWithoutOriginalValue=You forced a new translation for the translation key '%s' that does not exist in any language files -TitleNumberOfActivatedModules=Activated modules -TotalNumberOfActivatedModules=Activated modules: %s / %s -YouMustEnableOneModule=You must at least enable 1 module -YouMustEnableTranslationOverwriteBefore=You must first enable translation overwriting to be allowed to replace a translation -ClassNotFoundIntoPathWarning=Class %s not found in PHP path -YesInSummer=Yes in summer -OnlyFollowingModulesAreOpenedToExternalUsers=Note, only the following modules are available to external users (irrespective of the permissions of such users) and only if permissions are granted:
      -SuhosinSessionEncrypt=Session storage encrypted by Suhosin -ConditionIsCurrently=Condition is currently %s -YouUseBestDriver=You use driver %s which is the best driver currently available. -YouDoNotUseBestDriver=You use driver %s but driver %s is recommended. -NbOfObjectIsLowerThanNoPb=You have only %s %s in the database. This does not require any particular optimization. -ComboListOptim=Combo list loading optimization -SearchOptim=Search optimization -YouHaveXObjectUseComboOptim=You have %s %s in the database. You can go into setup of module to enable loading of combo list on key pressed event. -YouHaveXObjectUseSearchOptim=You have %s %s in the database. You can add the constant %s to 1 in Home-Setup-Other. -YouHaveXObjectUseSearchOptimDesc=This limits the search to the beginning of strings which makes it possible for the database to use indexes and you should get an immediate response. -YouHaveXObjectAndSearchOptimOn=You have %s %s in the database and constant %s is set to %s in Home-Setup-Other. -BrowserIsOK=You are using the %s web browser. This browser is ok for security and performance. -BrowserIsKO=You are using the %s web browser. This browser is known to be a bad choice for security, performance and reliability. We recommend using Firefox, Chrome, Opera or Safari. -PHPModuleLoaded=PHP component %s is loaded -PreloadOPCode=Preloaded OPCode is used -AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". -AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". -AskForPreferredShippingMethod=Ask for preferred shipping method for Third Parties. -FieldEdition=Edition of field %s -FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) -GetBarCode=Get barcode -NumberingModules=Numbering models -DocumentModules=Document models +SendmailOptionMayHurtBuggedMTA=תכונה לשליחת דואר באמצעות השיטה "PHP mail direct" תיצור הודעת דואר שאולי לא תנתח כראוי על ידי חלק משרתי הדואר המקבלים. התוצאה היא שחלק מההודעות האימייל לא ניתנות לקריאת על ידי אנשים שמתארחים בפלטפורמות הפגומות הללו. זה המקרה עבור ספקי אינטרנט מסוימים (לדוגמה: Orange בצרפת). זו לא בעיה עם Dolibarr או PHP אלא עם שרת הדואר המקבל. עם זאת, אתה יכול להוסיף אפשרות MAIN_FIX_FOR_BUGGED_MTA ל-1 בהגדרה - אחר כדי לשנות את Dolibarr כדי להימנע מכך. עם זאת, אתה עלול להיתקל בבעיות עם שרתים אחרים המשתמשים בקפדנות בתקן SMTP. הפתרון השני (מומלץ) הוא להשתמש בשיטה "ספריית שקעי SMTP" שאין לה חסרונות. +TranslationSetup=הגדרת התרגום +TranslationKeySearch=חפש מפתח תרגום או מחרוזת +TranslationOverwriteKey=החלף מחרוזת תרגום +TranslationDesc=כיצד להגדיר את שפת התצוגה:
      * ברירת מחדל/מערכת רחב: תפריט בית -> הגדרה -> תצוגה
      * לכל משתמש: לחץ על שם המשתמש בחלק העליון של המסך ושנה את span>הגדרות תצוגת משתמש בכרטיס המשתמש. +TranslationOverwriteDesc=ניתן גם לעקוף מחרוזות הממלאות את הטבלה הבאה. בחר את השפה שלך מהתפריט הנפתח "%s", הכנס את מחרוזת מפתח התרגום לתוך "%s" ואת התרגום החדש שלך ל-"%s" +TranslationOverwriteDesc2=אתה יכול להשתמש בכרטיסייה האחרת כדי לעזור לך לדעת באיזה מפתח תרגום להשתמש +TranslationString=מחרוזת תרגום +CurrentTranslationString=מחרוזת תרגום נוכחית +WarningAtLeastKeyOrTranslationRequired=קריטריון חיפוש נדרש לפחות עבור מפתח או מחרוזת תרגום +NewTranslationStringToShow=מחרוזת תרגום חדשה להצגה +OriginalValueWas=התרגום המקורי מוחלף. הערך המקורי היה:

      %s +TransKeyWithoutOriginalValue=אילצת תרגום חדש למפתח התרגום '%s' שאינו קיים באף קבצי שפה +TitleNumberOfActivatedModules=מודולים מופעלים +TotalNumberOfActivatedModules=מודולים מופעלים: %s /
      http://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      Note that a lot of web hosting provider does not provide such cache server. -MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete. -MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled. -OPCodeCache=OPCode cache -NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad). -HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript) -FilesOfTypeCached=Files of type %s are cached by HTTP server -FilesOfTypeNotCached=Files of type %s are not cached by HTTP server -FilesOfTypeCompressed=Files of type %s are compressed by HTTP server -FilesOfTypeNotCompressed=Files of type %s are not compressed by HTTP server -CacheByServer=Cache by server -CacheByServerDesc=For example using the Apache directive "ExpiresByType image/gif A2592000" -CacheByClient=Cache by browser -CompressionOfResources=Compression of HTTP responses -CompressionOfResourcesDesc=For example using the Apache directive "AddOutputFilterByType DEFLATE" -TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers -DefaultValuesDesc=Here you may define the default value you wish to use when creating a new record, and/or default filters or the sort order when you list records. -DefaultCreateForm=Default values (to use on forms) -DefaultSearchFilters=Default search filters -DefaultSortOrder=Default sort orders -DefaultFocus=Default focus fields -DefaultMandatory=Mandatory form fields +PerfDolibarr=דוח הגדרת ביצועים/אופטימיזציה +YouMayFindPerfAdviceHere=דף זה מספק כמה בדיקות או עצות הקשורות לביצועים. +NotInstalled=לא מותקן. +NotSlowedDownByThis=לא מואט בגלל זה. +NotRiskOfLeakWithThis=אין סיכון לדליפה עם זה. +ApplicativeCache=מטמון יישומי +MemcachedNotAvailable=לא נמצא מטמון יישומי. אתה יכול לשפר את הביצועים על ידי התקנת שרת מטמון Memcached ומודול המסוגל להשתמש בשרת מטמון זה.
      מידע נוסף כאן http ://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      שים לב שהרבה ספקי אירוח אתרים עושים זאת לא לספק שרת מטמון כזה. +MemcachedModuleAvailableButNotSetup=נמצא מודול שמור עבור מטמון יישומי אך הגדרת המודול לא הושלמה. +MemcachedAvailableAndSetup=מודול memcached המוקדש לשימוש בשרת memcached מופעל. +OPCodeCache=מטמון OPCode +NoOPCodeCacheFound=לא נמצא מטמון OPCode. אולי אתה משתמש במטמון OPCode שאינו XCache או eAccelerator (טוב), או אולי אין לך מטמון OPCode (רע מאוד). +HTTPCacheStaticResources=מטמון HTTP עבור משאבים סטטיים (css, img, JavaScript) +FilesOfTypeCached=קבצים מסוג %s מאוחסנים במטמון על ידי שרת HTTP +FilesOfTypeNotCached=קבצים מסוג %s אינם מאוחסנים במטמון על ידי שרת HTTP +FilesOfTypeCompressed=קבצים מסוג %s נדחסים על ידי שרת HTTP +FilesOfTypeNotCompressed=קבצים מסוג %s אינם נדחסים על ידי שרת HTTP +CacheByServer=מטמון לפי שרת +CacheByServerDesc=לדוגמה שימוש בהנחיית Apache "ExpiresByType image/gif A2592000" +CacheByClient=מטמון לפי דפדפן +CompressionOfResources=דחיסת תגובות HTTP +CompressionOfResourcesDesc=לדוגמה שימוש בהנחיית Apache "AddOutputFilterByType DEFLATE" +TestNotPossibleWithCurrentBrowsers=זיהוי אוטומטי כזה אינו אפשרי בדפדפנים הנוכחיים +DefaultValuesDesc=כאן תוכל להגדיר את ערך ברירת המחדל שבו תרצה להשתמש בעת יצירת רשומה חדשה, ו/או מסנני ברירת מחדל או סדר המיון בעת רשימת רשומות. +DefaultCreateForm=ערכי ברירת מחדל (לשימוש בטפסים) +DefaultSearchFilters=מסנני חיפוש ברירת מחדל +DefaultSortOrder=ברירת המחדל של סדרי מיון +DefaultFocus=שדות מיקוד ברירת מחדל +DefaultMandatory=שדות טפסים חובה ##### Products ##### ProductSetup=מוצרים מודול ההתקנה ServiceSetup=מודול שירותי התקנה ProductServiceSetup=מוצרים ושירותים ההתקנה מודולים -NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) -ViewProductDescInFormAbility=Display product descriptions in lines of items (otherwise show description in a tooltip popup) -OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document -AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product -DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. -DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents -MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) -UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) +NumberOfProductShowInSelect=המספר המרבי של מוצרים להצגה ברשימות בחירה משולבות (0=ללא הגבלה) +ViewProductDescInFormAbility=הצג תיאורי מוצרים בשורות פריטים (אחרת הצג את התיאור בתפריט קופץ) +OnProductSelectAddProductDesc=כיצד להשתמש בתיאור המוצרים בעת הוספת מוצר כשורה של מסמך +AutoFillFormFieldBeforeSubmit=מלא אוטומטית את שדה הקלט התיאור עם תיאור המוצר +DoNotAutofillButAutoConcat=אל תמלא אוטומטית את שדה הקלט עם תיאור המוצר. תיאור המוצר ישושר לתיאור שהוזן באופן אוטומטי. +DoNotUseDescriptionOfProdut=תיאור המוצר לעולם לא ייכלל בתיאור שורות המסמכים +MergePropalProductCard=הפעל בלשונית קבצים מצורפים של מוצר/שירות אפשרות למיזוג מסמך PDF של מוצר ל-PDF של הצעה azur אם המוצר/שירות נמצא בהצעה +ViewProductDescInThirdpartyLanguageAbility=הצגת תיאורי מוצרים בטפסים בשפת הצד השלישי (אחרת בשפת המשתמש) +UseSearchToSelectProductTooltip=כמו כן, אם יש לך מספר גדול של מוצרים (> 100,000), תוכל להגביר את המהירות על ידי הגדרת PRODUCT_DONOTSEARCH_ANYWHERE קבוע ל-1 בהגדרה->אחר. החיפוש יהיה מוגבל לתחילת המחרוזת. +UseSearchToSelectProduct=המתן עד שתלחץ על מקש לפני טעינת התוכן של רשימת המוצרים המשולבת (זה עשוי להגביר את הביצועים אם יש לך מספר גדול של מוצרים, אבל זה פחות נוח) SetDefaultBarcodeTypeProducts=ברקוד מסוג ברירת מחדל עבור מוצרים SetDefaultBarcodeTypeThirdParties=ברקוד מסוג ברירת מחדל עבור צדדים שלישיים -UseUnits=Define a unit of measure for Quantity during order, proposal or invoice lines edition -ProductCodeChecker= Module for product code generation and checking (product or service) -ProductOtherConf= Product / Service configuration -IsNotADir=is not a directory! +UseUnits=הגדר יחידת מידה עבור כמות במהלך מהדורת שורות הזמנה, הצעה או חשבונית +ProductCodeChecker= מודול להפקה ובדיקת קוד מוצר (מוצר או שירות) +ProductOtherConf= תצורת מוצר / שירות +IsNotADir=זה לא ספרייה! ##### Syslog ##### SyslogSetup=יומנים מודול ההתקנה SyslogOutput=יומני פלטי @@ -1714,10 +1727,10 @@ SyslogLevel=רמה SyslogFilename=שם קובץ ונתיב YouCanUseDOL_DATA_ROOT=ניתן להשתמש DOL_DATA_ROOT / dolibarr.log עבור קובץ יומן בספרייה Dolibarr "מסמכים". ניתן להגדיר בדרך אחרת כדי לאחסן קובץ זה. ErrorUnknownSyslogConstant=%s קבועים אינו ידוע Syslog מתמיד -OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported -CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) -SyslogFileNumberOfSaves=Number of backup logs to keep -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +OnlyWindowsLOG_USER=ב-Windows, רק המתקן LOG_USER נתמך +CompressSyslogs=דחיסה וגיבוי של קובצי יומן ניפוי באגים (נוצר על ידי יומן מודול עבור ניפוי באגים) +SyslogFileNumberOfSaves=מספר יומני הגיבוי שיש לשמור +ConfigureCleaningCronjobToSetFrequencyOfSaves=הגדר את עבודת הניקוי המתוזמנת כדי להגדיר תדירות גיבוי יומן ##### Donations ##### DonationsSetup=מודול תרומה ההתקנה DonationsReceiptModel=תבנית של קבלת תרומה @@ -1734,37 +1747,37 @@ BarcodeDescUPC=ברקוד מסוג UPC BarcodeDescISBN=ברקוד מסוג ISBN BarcodeDescC39=ברקוד מסוג C39 BarcodeDescC128=ברקוד מסוג C128 -BarcodeDescDATAMATRIX=Barcode of type Datamatrix -BarcodeDescQRCODE=Barcode of type QR code -GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".
      For example: /usr/local/bin/genbarcode -BarcodeInternalEngine=Internal engine -BarCodeNumberManager=Manager to auto define barcode numbers +BarcodeDescDATAMATRIX=ברקוד מסוג Datamatrix +BarcodeDescQRCODE=ברקוד מסוג QR קוד +GenbarcodeLocation=כלי שורת פקודה ליצירת ברקוד (המשמש את המנוע הפנימי לכמה סוגי ברקודים). חייב להיות תואם ל-"genbarcode".
      לדוגמה: /usr/local/bin/genbarcode +BarcodeInternalEngine=מנוע פנימי +BarCodeNumberManager=מנהל להגדרה אוטומטית של מספרי ברקוד ##### Prelevements ##### -WithdrawalsSetup=Setup of module Direct Debit payments +WithdrawalsSetup=הגדרת מודול תשלומים בהוראת קבע ##### ExternalRSS ##### ExternalRSSSetup=ההתקנה RSS חיצוני יבוא NewRSS=חדש באתר עדכוני RSS -RSSUrl=RSS URL -RSSUrlExample=An interesting RSS feed +RSSUrl=כתובת URL של RSS +RSSUrlExample=הזנת RSS מעניינת ##### Mailing ##### MailingSetup=שליחת הדוא"ל ההתקנה מודול -MailingEMailFrom=Sender email (From) for emails sent by emailing module -MailingEMailError=Return Email (Errors-to) for emails with errors -MailingDelay=Seconds to wait after sending next message +MailingEMailFrom=דוא"ל השולח (מאת) עבור הודעות דוא"ל שנשלחות באמצעות מודול שליחת דוא"ל +MailingEMailError=החזר אימייל (שגיאות אל) עבור הודעות דוא"ל עם שגיאות +MailingDelay=שניות לחכות לאחר שליחת ההודעה הבאה ##### Notification ##### -NotificationSetup=Email Notification module setup -NotificationEMailFrom=Sender email (From) for emails sent by the Notifications module -FixedEmailTarget=Recipient -NotificationDisableConfirmMessageContact=Hide the list of recipients (subscribed as contact) of notifications into the confirmation message -NotificationDisableConfirmMessageUser=Hide the list of recipients (subscribed as user) of notifications into the confirmation message -NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as global email) of notifications into the confirmation message +NotificationSetup=הגדרת מודול הודעות דוא"ל +NotificationEMailFrom=דוא"ל השולח (מאת) עבור הודעות דוא"ל שנשלחות על ידי מודול ההתראות +FixedEmailTarget=מקבל +NotificationDisableConfirmMessageContact=הסתר את רשימת הנמענים (הרשומים כאיש קשר) של ההתראות בהודעת האישור +NotificationDisableConfirmMessageUser=הסתר את רשימת הנמענים (הרשומים כמשתמש) של ההתראות בהודעת האישור +NotificationDisableConfirmMessageFix=הסתר את רשימת הנמענים (הרשומים כאימייל גלובלי) של התראות בהודעת האישור ##### Sendings ##### -SendingsSetup=Shipping module setup +SendingsSetup=הגדרת מודול משלוח SendingsReceiptModel=שליחת מודל קבלת SendingsNumberingModules=Sendings מספור מודולים -SendingsAbility=Support shipping sheets for customer deliveries -NoNeedForDeliveryReceipts=In most cases, shipping sheets are used both as sheets for customer deliveries (list of products to send) and sheets that are received and signed by customer. Hence the product deliveries receipt is a duplicated feature and is rarely activated. -FreeLegalTextOnShippings=Free text on shipments +SendingsAbility=תמיכה בדפי משלוח למשלוחים ללקוחות +NoNeedForDeliveryReceipts=ברוב המקרים, גיליונות משלוח משמשים הן כגליונות למשלוחים ללקוחות (רשימת מוצרים לשליחה) והן גיליונות המתקבלים וחתומים על ידי הלקוח. מכאן שקבלת משלוחי המוצר היא תכונה משוכפלת והיא מופעלת רק לעתים רחוקות. +FreeLegalTextOnShippings=טקסט חופשי על משלוחים ##### Deliveries ##### DeliveryOrderNumberingModules=מוצרים משלוחים מספור מודול קבלת DeliveryOrderModel=מוצרים משלוחים קבלת מודל @@ -1773,55 +1786,55 @@ FreeLegalTextOnDeliveryReceipts=טקסט חופשי על אישורי מסירה ##### FCKeditor ##### AdvancedEditor=עורך מתקדם ActivateFCKeditor=הפעל עורך מתקדם עבור: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG יצירת / מהדורה של דברי דואר -FCKeditorForUserSignature=WYSIWIG creation/edition of user signature -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +FCKeditorForNotePublic=WYSIWYG יצירה/מהדורה של השדה "הערות ציבוריות" של אלמנטים +FCKeditorForNotePrivate=WYSIWYG יצירה/מהדורה של השדה "הערות פרטיות" של אלמנטים +FCKeditorForCompany=WYSIWYG יצירה/מהדורה של תיאור השדה של אלמנטים (למעט מוצרים/שירותים) +FCKeditorForProductDetails=WYSIWYG יצירה/מהדורה של תיאור מוצרים או שורות לאובייקטים (שורות הצעות, הזמנות, חשבוניות וכו'...). +FCKeditorForProductDetails2=אזהרה: השימוש באפשרות זו עבור מקרה זה אינו מומלץ ברצינות מכיוון שהוא עלול ליצור בעיות עם תווים מיוחדים ועיצוב עמודים בעת בניית קובצי PDF. +FCKeditorForMailing= יצירה/מהדורה של WYSIWYG עבור הודעות דואר אלקטרוני המוניות (כלים->שליחת דואר אלקטרוני) +FCKeditorForUserSignature=WYSIWYG יצירה/מהדורה של חתימת משתמש +FCKeditorForMail=יצירה/מהדורה של WYSIWYG עבור כל הדואר (למעט כלים->שליחת דואר אלקטרוני) +FCKeditorForTicket=WYSIWYG יצירה/מהדורה לכרטיסים ##### Stock ##### -StockSetup=Stock module setup -IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. +StockSetup=הגדרת מודול מלאי +IfYouUsePointOfSaleCheckModule=אם אתה משתמש במודול נקודת המכירה (POS) המסופק כברירת מחדל או במודול חיצוני, מודול ה-POS שלך עשוי להתעלם מהגדרה זו. רוב מודולי הקופה מתוכננים כברירת מחדל ליצור חשבונית באופן מיידי ולהקטין מלאי ללא קשר לאפשרויות כאן. אז אם אתה צריך או לא לקבל ירידה במלאי בעת רישום מכירה מהקופה שלך, בדוק גם את הגדרת מודול הקופה שלך. ##### Menu ##### MenuDeleted=תפריט נמחק -Menu=Menu +Menu=תַפרִיט Menus=תפריטים TreeMenuPersonalized=תפריטים מותאמים אישית -NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry +NotTopTreeMenuPersonalized=תפריטים מותאמים אישית שאינם מקושרים לערך בתפריט העליון NewMenu=תפריט חדש MenuHandler=תפריט המטפל MenuModule=מקור מודול -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) +HideUnauthorizedMenu=הסתר תפריטים לא מורשים גם עבור משתמשים פנימיים (רק אפור אחרת) DetailId=מזהה התפריט DetailMenuHandler=תפריט המטפל היכן להציג תפריט חדש DetailMenuModule=שם מודול אם סעיף מתפריט באים מודול DetailType=סוג התפריט (למעלה או שמאלה) DetailTitre=תפריט תווית או קוד תווית לתרגום -DetailUrl=URL where menu send you (Relative URL link or external link with https://) +DetailUrl=כתובת אתר לאן התפריט שולח לך (קישור כתובת URL יחסית או קישור חיצוני עם https://) DetailEnabled=מצב להראות או לא רשומה -DetailRight=מצב כדי להציג תפריטים אפורים לא מורשים +DetailRight=תנאי להצגת תפריטים אפורים לא מורשים DetailLangs=לנג שם הקובץ לתרגום הקוד תווית DetailUser=מתמחה / extern / הכל -Target=Target -DetailTarget=Target for links (_blank top opens a new window) +Target=יַעַד +DetailTarget=יעד לקישורים (_blank top פותח חלון חדש) DetailLevel=רמה (-1: התפריט העליון, 0: תפריט הכותרת,> 0 תפריט ותפריט משנה) ModifMenu=תפריט שינוי DeleteMenu=מחיקת סעיף מתפריט -ConfirmDeleteMenu=Are you sure you want to delete menu entry %s? -FailedToInitializeMenu=Failed to initialize menu +ConfirmDeleteMenu=האם אתה בטוח שברצונך למחוק את ערך התפריט %s? +FailedToInitializeMenu=אתחול התפריט נכשל ##### Tax ##### -TaxSetup=Taxes, social or fiscal taxes and dividends module setup +TaxSetup=הגדרת מודול מסים, מסים חברתיים או פיסקליים ודיבידנדים OptionVatMode=בגלל המע"מ -OptionVATDefault=Standard basis -OptionVATDebitOption=Accrual basis -OptionVatDefaultDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on payments for services -OptionVatDebitOptionDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on invoice (debit) for services -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
      - on payment for goods
      - on payments for services -SummaryOfVatExigibilityUsedByDefault=Time of VAT eligibility by default according to chosen option: +OptionVATDefault=בסיס סטנדרטי +OptionVATDebitOption=בסיס צבירה +OptionVatDefaultDesc=יש לשלם מע"מ:
      - על אספקת סחורה (בהתבסס על תאריך החשבונית)
      - על תשלומים עבור שירותים +OptionVatDebitOptionDesc=יש לשלם מע"מ:
      - על אספקת סחורה (בהתבסס על תאריך החשבונית)
      - על חשבונית (חיוב) עבור שירותים +OptionPaymentForProductAndServices=בסיס מזומן עבור מוצרים ושירותים +OptionPaymentForProductAndServicesDesc=יש לשלם מע"מ:
      - על תשלום עבור סחורות
      - על תשלומים עבור שירותים +SummaryOfVatExigibilityUsedByDefault=זמן זכאות למע"מ כברירת מחדל לפי האפשרות שנבחרה: OnDelivery=על משלוח OnPayment=על התשלום OnInvoice=בחשבונית @@ -1830,89 +1843,90 @@ SupposedToBeInvoiceDate=תאריך חשבונית שימוש Buy=לקנות Sell=למכור InvoiceDateUsed=תאריך חשבונית שימוש -YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organization), so there is no VAT options to setup. -AccountancyCode=Accounting Code -AccountancyCodeSell=Sale account. code -AccountancyCodeBuy=Purchase account. code -CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Keep the checkbox “Automatically create the payment” empty by default when creating a new tax +YourCompanyDoesNotUseVAT=החברה שלך הוגדרה שאינה משתמשת במע"מ (בית - הגדרה - חברה/ארגון), כך שאין אפשרויות מע"מ להגדרה. +AccountancyCode=קוד הנהלת חשבונות +AccountancyCodeSell=חשבון מכירה. קוד +AccountancyCodeBuy=רכישת חשבון. קוד +CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=השאר את תיבת הסימון "צור את התשלום באופן אוטומטי" ריקה כברירת מחדל בעת יצירת מס חדש ##### Agenda ##### AgendaSetup = אירועים מודול ההתקנה סדר היום -AGENDA_DEFAULT_FILTER_TYPE = Automatically set this type of event in search filter of agenda view -AGENDA_DEFAULT_FILTER_STATUS = Automatically set this status for events in search filter of agenda view -AGENDA_DEFAULT_VIEW = Which view do you want to open by default when selecting menu Agenda -AGENDA_EVENT_PAST_COLOR = Past event color -AGENDA_EVENT_CURRENT_COLOR = Current event color -AGENDA_EVENT_FUTURE_COLOR = Future event color -AGENDA_REMINDER_BROWSER = Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). -AGENDA_REMINDER_BROWSER_SOUND = Enable sound notification -AGENDA_REMINDER_EMAIL = Enable event reminder by emails (remind option/delay can be defined on each event). -AGENDA_REMINDER_EMAIL_NOTE = Note: The frequency of the scheduled job %s must be enough to be sure that the remind are sent at the correct moment. -AGENDA_SHOW_LINKED_OBJECT = Show linked object into agenda view -AGENDA_USE_EVENT_TYPE = Use events types (managed in menu Setup -> Dictionaries -> Type of agenda events) -AGENDA_USE_EVENT_TYPE_DEFAULT = Automatically set this default value for type of event in event create form +AGENDA_DEFAULT_FILTER_TYPE = הגדר אוטומטית סוג זה של אירוע במסנן החיפוש של תצוגת סדר היום +AGENDA_DEFAULT_FILTER_STATUS = הגדר אוטומטית סטטוס זה עבור אירועים במסנן החיפוש של תצוגת סדר היום +AGENDA_DEFAULT_VIEW = איזו תצוגה ברצונך לפתוח כברירת מחדל בעת בחירת תפריט סדר יום +AGENDA_EVENT_PAST_COLOR = צבע אירוע עבר +AGENDA_EVENT_CURRENT_COLOR = צבע האירוע הנוכחי +AGENDA_EVENT_FUTURE_COLOR = צבע אירוע עתידי +AGENDA_REMINDER_BROWSER = הפעל תזכורת לאירוע בדפדפן של המשתמש (כאשר מגיע תאריך התזכורת, הדפדפן מציג חלון קופץ. כל משתמש יכול השבת התראות כאלה מהגדרת ההתראות בדפדפן שלו). +AGENDA_REMINDER_BROWSER_SOUND = הפעל הודעת קול +AGENDA_REMINDER_EMAIL = אפשר תזכורת לאירוע במיילים (אפשר להגדיר אפשרות/עיכוב תזכורת בכל אירוע). +AGENDA_REMINDER_EMAIL_NOTE = הערה: התדירות של העבודה המתוזמנת %s חייבת להיות מספיקה כדי לוודא שהתזכורת נשלחת ברגע הנכון. +AGENDA_SHOW_LINKED_OBJECT = הצג אובייקט מקושר בתצוגת סדר יום +AGENDA_USE_EVENT_TYPE = השתמש בסוגי אירועים (מנוהלים בתפריט הגדרות -> מילונים -> סוג אירועי סדר היום) +AGENDA_USE_EVENT_TYPE_DEFAULT = הגדר אוטומטית ערך ברירת מחדל זה עבור סוג האירוע בטופס יצירת אירוע PasswordTogetVCalExport = מפתח לאשר הקישור יצוא PastDelayVCalExport=לא יצא אירוע מבוגרת -SecurityKey = Security Key +SecurityKey = מפתח אבטחה ##### ClickToDial ##### ClickToDialSetup=לחץ כדי לחייג ההתקנה מודול -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). -ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. -ClickToDialUseTelLink=Use just a link "tel:" on phone numbers -ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface, installed on the same computer as the browser, and called when you click on a link starting with "tel:" in your browser. If you need a link that start with "sip:" or a full server solution (no need of local software installation), you must set this to "No" and fill the next field. +ClickToDialUrlDesc=כתובת האתר נקראת כאשר מתבצעת לחיצה על תמונת הטלפון. ב-URL, אתה יכול להשתמש בתגים
      __PHONETO__ שיהיה הוחלף במספר הטלפון של האדם שאליו יש להתקשר
      __PHONEFROM__b09a4b739f17f80 יוחלף במספר הטלפון של האדם המתקשר (שלך)
      __LOGIN__b09a4b739f שיוחלף בכניסה עם קליקטודיאל (מוגדר בכרטיס המשתמש)
      __PASS__ שתוחלף בסיסמת קליקטודיאל (מוגדרת בכרטיס המשתמש). +ClickToDialDesc=מודול זה משנה מספרי טלפון, בעת שימוש במחשב שולחני, לקישורים הניתנים ללחיצה. לחיצה תתקשר למספר. זה יכול לשמש כדי להתחיל את שיחת הטלפון בעת שימוש בטלפון רך על שולחן העבודה שלך או בעת שימוש במערכת CTI המבוססת על פרוטוקול SIP למשל. הערה: בעת שימוש בסמארטפון, מספרי טלפון תמיד ניתנים ללחיצה. +ClickToDialUseTelLink=השתמש רק בקישור "טל:" במספרי הטלפון +ClickToDialUseTelLinkDesc=השתמש בשיטה זו אם למשתמשים שלך יש softphone או ממשק תוכנה, המותקן על אותו מחשב כמו הדפדפן, ונקרא כאשר אתה לוחץ על קישור שמתחיל ב-"tel:" בדפדפן שלך. אם אתה צריך קישור שמתחיל ב-"sip:" או פתרון שרת מלא (אין צורך בהתקנת תוכנה מקומית), עליך להגדיר זאת ל-"No" ולמלא את השדה הבא. ##### Point Of Sale (CashDesk) ##### -CashDesk=Point of Sale -CashDeskSetup=Point of Sales module setup -CashDeskThirdPartyForSell=Default generic third party to use for sales +CashDesk=נקודת המכירה +CashDeskSetup=הגדרת מודול נקודת מכירה +CashDeskThirdPartyForSell=ברירת מחדל של צד שלישי גנרי לשימוש לצורך מכירות CashDeskBankAccountForSell=חשבון ברירת מחדל להשתמש כדי לקבל תשלומים במזומן -CashDeskBankAccountForCheque=Default account to use to receive payments by check +CashDeskBankAccountForCheque=חשבון ברירת מחדל לשימוש לקבלת תשלומים באמצעות המחאה CashDeskBankAccountForCB=חשבון ברירת מחדל להשתמש כדי לקבל תשלומים במזומן באמצעות כרטיסי אשראי -CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). -CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease -StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled -StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. -CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sale from Point of Sale. Hence a warehouse is required. -CashDeskForceDecreaseStockLabel=Stock decrease for batch products was forced. -CashDeskForceDecreaseStockDesc=Decrease first by the oldest eatby and sellby dates. -CashDeskReaderKeyCodeForEnter=Key ASCII code for "Enter" defined in barcode reader (Example: 13) +CashDeskBankAccountForSumup=חשבון בנק ברירת מחדל לשימוש לקבלת תשלומים באמצעות SumUp +CashDeskDoNotDecreaseStock=השבת את הפחתת המלאי כאשר מכירה מתבצעת מנקודת המכירה +CashDeskDoNotDecreaseStockHelp=אם "לא", הקטנת מלאי מתבצעת עבור כל מכירה שמתבצעת מקופה, ללא קשר לאופציה שנקבעה במודול מלאי. +CashDeskIdWareHouse=כפה והגבלת שימוש במחסן להקטנת מלאי +StockDecreaseForPointOfSaleDisabled=ירידה במלאי מנקודת המכירה מושבתת +StockDecreaseForPointOfSaleDisabledbyBatch=ירידה במלאי ב-POS אינה תואמת לניהול סדרתי/מגרש מודול (פעיל כרגע) ולכן הקטנת המלאי מושבתת. +CashDeskYouDidNotDisableStockDecease=לא השבתת הפחתת מלאי בעת ביצוע מכירה מנקודת מכירה. לפיכך נדרש מחסן. +CashDeskForceDecreaseStockLabel=נאלצה ירידה במלאי עבור מוצרים אצווה. +CashDeskForceDecreaseStockDesc=הקטן תחילה בתאריכי האכילה והמכירות העתיקים ביותר. +CashDeskReaderKeyCodeForEnter=מפתח קוד ASCII עבור "Enter" המוגדר בקורא ברקוד (דוגמה: 13) ##### Bookmark ##### BookmarkSetup=הפוך ההתקנה מודול -BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or external web sites on your left menu. +BookmarkDesc=מודול זה מאפשר לך לנהל סימניות. אתה יכול גם להוסיף קיצורי דרך לכל דפי Dolibarr או אתרי אינטרנט חיצוניים בתפריט השמאלי שלך. NbOfBoomarkToShow=מספר מרבי של סימניות להראות בתפריט השמאלי ##### WebServices ##### WebServicesSetup=Webservices ההתקנה מודול WebServicesDesc=על ידי הפעלת מודול זה, Dolibarr להיות שרת שירות אינטרנט לספק שירותי אינטרנט שונים. WSDLCanBeDownloadedHere=WSDL קבצים מתאר של השירותים הניתנים ניתן להוריד כאן -EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at URL +EndPointIs=לקוחות SOAP חייבים לשלוח את הבקשות שלהם לנקודת הקצה של Dolibarr הזמינה ב-URL ##### API #### -ApiSetup=API module setup -ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services. -ApiProductionMode=Enable production mode (this will activate use of a cache for services management) -ApiExporerIs=You can explore and test the APIs at URL -OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed -ApiKey=Key for API -WarningAPIExplorerDisabled=The API explorer has been disabled. API explorer is not required to provide API services. It is a tool for developer to find/test REST APIs. If you need this tool, go into setup of module API REST to activate it. +ApiSetup=הגדרת מודול API +ApiDesc=על ידי הפעלת מודול זה, Dolibarr הופך לשרת REST המספק שירותי אינטרנט שונים. +ApiProductionMode=אפשר מצב ייצור (זה יפעיל שימוש במטמון לניהול שירותים) +ApiExporerIs=אתה יכול לחקור ולבדוק את ממשקי ה-API בכתובת URL +OnlyActiveElementsAreExposed=רק אלמנטים ממודולים מופעלים נחשפים +ApiKey=מפתח עבור API +WarningAPIExplorerDisabled=סייר ה-API הושבת. סייר API אינו נדרש כדי לספק שירותי API. זהו כלי למפתחים למצוא/לבדוק ממשקי API של REST. אם אתה צריך את הכלי הזה, היכנס להגדרת מודול API REST כדי להפעיל אותו. ##### Bank ##### BankSetupModule=בנק ההתקנה מודול -FreeLegalTextOnChequeReceipts=Free text on check receipts +FreeLegalTextOnChequeReceipts=טקסט חופשי על קבלות המחאות BankOrderShow=סדר הצגת חשבונות בנק במדינות באמצעות "מספר הבנק מפורט" BankOrderGlobal=כללי BankOrderGlobalDesc=התצוגה כללי סדר BankOrderES=ספרדית BankOrderESDesc=התצוגה ספרדית כדי -ChequeReceiptsNumberingModule=Check Receipts Numbering Module +ChequeReceiptsNumberingModule=בדוק מודול מספור קבלות ##### Multicompany ##### MultiCompanySetup=רב החברה מודול ההתקנה ##### Suppliers ##### -SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of Purchase Order -SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template) -SuppliersInvoiceModel=Complete template of Vendor Invoice -SuppliersInvoiceNumberingModel=Vendor invoices numbering models -IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval +SuppliersSetup=הגדרת מודול הספק +SuppliersCommandModel=תבנית מלאה של הזמנת רכש +SuppliersCommandModelMuscadet=תבנית שלמה של הזמנת רכש (יישום ישן של תבנית קרנס) +SuppliersInvoiceModel=תבנית מלאה של חשבונית ספק +SuppliersInvoiceNumberingModel=מספור מודלים של חשבוניות ספקים +IfSetToYesDontForgetPermission=אם מוגדר לערך שאינו ריק, אל תשכח לספק הרשאות לקבוצות או למשתמשים המורשים לאישור השני ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=GeoIP Maxmind ההתקנה מודול -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation +PathToGeoIPMaxmindCountryDataFile=נתיב לקובץ המכיל את תרגום ה-IP של Maxmind למדינה NoteOnPathLocation=שים לב כי ה-IP שלכם לקובץ נתונים המדינה חייב להיות בתוך ספרייה PHP שלך יכול לקרוא (יש לבדוק את תוכנית ההתקנה של PHP שלך open_basedir מערכת קבצים והרשאות). YouCanDownloadFreeDatFileTo=ניתן להוריד גרסת הדגמה חינם של הקובץ הארץ GeoIP Maxmind ב %s. YouCanDownloadAdvancedDatFileTo=ניתן גם להוריד גירסה מלאה יותר, עם עדכונים של הקובץ הארץ GeoIP Maxmind ב %s. @@ -1921,488 +1935,508 @@ TestGeoIPResult=מבחן ה-IP המרה -> הארץ ProjectsNumberingModules=פרוייקטים המונה מודול ProjectsSetup=מודול פרויקט ההתקנה ProjectsModelModule=מסמך דו"ח פרויקט של מודל -TasksNumberingModules=Tasks numbering module -TaskModelModule=Tasks reports document model -UseSearchToSelectProject=Wait until a key is pressed before loading content of Project combo list.
      This may improve performance if you have a large number of projects, but it is less convenient. +TasksNumberingModules=מודול מספור משימות +TaskModelModule=מודל מסמך דוחות משימות +UseSearchToSelectProject=המתן עד שתלחץ על מקש לפני טעינת התוכן של רשימת הפרויקטים המשולבת.
      זה עשוי לשפר את הביצועים אם יש לך מספר רב של פרויקטים, אבל זה פחות נוח. ##### ECM (GED) ##### ##### Fiscal Year ##### -AccountingPeriods=Accounting periods -AccountingPeriodCard=Accounting period -NewFiscalYear=New accounting period -OpenFiscalYear=Open accounting period -CloseFiscalYear=Close accounting period -DeleteFiscalYear=Delete accounting period -ConfirmDeleteFiscalYear=Are you sure to delete this accounting period? -ShowFiscalYear=Show accounting period -AlwaysEditable=Can always be edited -MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application) -NbMajMin=Minimum number of uppercase characters -NbNumMin=Minimum number of numeric characters -NbSpeMin=Minimum number of special characters -NbIteConsecutive=Maximum number of repeating same characters -NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation -SalariesSetup=Setup of module salaries -SortOrder=Sort order -Format=Format -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and suppliers payment type -IncludePath=Include path (defined into variable %s) -ExpenseReportsSetup=Setup of module Expense Reports -TemplatePDFExpenseReports=Document templates to generate expense report document -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules -ExpenseReportNumberingModules=Expense reports numbering module -NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only. -YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification". -TemplatesForNotifications=Templates for notifications -ListOfNotificationsPerUser=List of automatic notifications per user* -ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** -ListOfFixedNotifications=List of automatic fixed notifications -GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses -Threshold=Threshold -BackupDumpWizard=Wizard to build the database dump file -BackupZipWizard=Wizard to build the archive of documents directory -SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: -SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. -InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. -ConfFileMustContainCustom=Installing or building an external module from application need to save the module files into directory %s. To have this directory processed by Dolibarr, you must setup your conf/conf.php to add the 2 directive lines:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; -HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over -HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) -HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) -UseBorderOnTable=Show left-right borders on tables -BtnActionColor=Color of the action button -TextBtnActionColor=Text color of the action button -TextTitleColor=Text color of Page title -LinkColor=Color of links -PressF5AfterChangingThis=Press CTRL+F5 on keyboard or clear your browser cache after changing this value to have it effective -NotSupportedByAllThemes=Will works with core themes, may not be supported by external themes -BackgroundColor=Background color -TopMenuBackgroundColor=Background color for Top menu -TopMenuDisableImages=Icon or Text in Top menu -LeftMenuBackgroundColor=Background color for Left menu -BackgroundTableTitleColor=Background color for Table title line -BackgroundTableTitleTextColor=Text color for Table title line -BackgroundTableTitleTextlinkColor=Text color for Table title link line -BackgroundTableLineOddColor=Background color for odd table lines -BackgroundTableLineEvenColor=Background color for even table lines -MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay) -NbAddedAutomatically=Number of days added to counters of users (automatically) each month -EnterAnyCode=This field contains a reference to identify the line. Enter any value of your choice, but without special characters. -Enter0or1=Enter 0 or 1 -UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] -ColorFormat=The RGB color is in HEX format, eg: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) -PositionIntoComboList=Position of line into combo lists -SellTaxRate=Sales tax rate -RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. -UrlTrackingDesc=If the provider or transport service offers a page or web site to check the status of your shipments, you may enter it here. You can use the key {TRACKID} in the URL parameters so the system will replace it with the tracking number the user entered into the shipment card. -OpportunityPercent=When you create a lead, you will define an estimated amount of project/lead. According to status of the lead, this amount may be multiplied by this rate to evaluate a total amount all your leads may generate. Value is a percentage (between 0 and 100). -TemplateForElement=This mail template is related to what type of object? An email template is available only when using the "Send Email" button from the related object. -TypeOfTemplate=Type of template -TemplateIsVisibleByOwnerOnly=Template is visible to owner only -VisibleEverywhere=Visible everywhere -VisibleNowhere=Visible nowhere -FixTZ=TimeZone fix -FillFixTZOnlyIfRequired=Example: +2 (fill only if problem experienced) -ExpectedChecksum=Expected Checksum -CurrentChecksum=Current Checksum -ExpectedSize=Expected size -CurrentSize=Current size -ForcedConstants=Required constant values -MailToSendProposal=Customer proposals -MailToSendOrder=Sales orders -MailToSendInvoice=Customer invoices +AccountingPeriods=תקופות חשבונאות +AccountingPeriodCard=תקופת חשבונאות +NewFiscalYear=תקופת חשבונאות חדשה +OpenFiscalYear=תקופת חשבונאות פתוחה +CloseFiscalYear=סגור תקופת חשבונאות +DeleteFiscalYear=מחק תקופת חשבונאות +ConfirmDeleteFiscalYear=האם אתה בטוח שתמחק את תקופת החשבון הזו? +ShowFiscalYear=הצג תקופת חשבונאות +AlwaysEditable=תמיד אפשר לערוך +MAIN_APPLICATION_TITLE=לאלץ שם גלוי של האפליקציה (אזהרה: הגדרת שם משלך כאן עלולה לשבור את תכונת הכניסה למילוי אוטומטי בעת שימוש באפליקציה לנייד של DoliDroid) +NbMajMin=מספר מינימלי של תווים רישיות +NbNumMin=מספר מינימלי של תווים מספריים +NbSpeMin=מספר מינימלי של תווים מיוחדים +NbIteConsecutive=מספר מקסימלי של אותם תווים שחוזרים על עצמם +NoAmbiCaracAutoGeneration=אל תשתמש בתווים מעורפלים ("1","l","i","|","0","O") ליצירה אוטומטית +SalariesSetup=הגדרת שכר מודול +SortOrder=סדר המיון +Format=פוּרמָט +TypePaymentDesc=0: סוג תשלום לקוח, 1: סוג תשלום ספק, 2: סוג תשלום ללקוחות וגם לספקים +IncludePath=כלול נתיב (מוגדר במשתנה %s) +ExpenseReportsSetup=הגדרת דוחות הוצאות מודול +TemplatePDFExpenseReports=תבניות מסמכים להפקת מסמך דוח הוצאות +ExpenseReportsRulesSetup=הגדרת דוחות הוצאות מודול - כללים +ExpenseReportNumberingModules=מודול מספור דוחות הוצאות +NoModueToManageStockIncrease=לא הופעל מודול המסוגל לנהל הגדלת מלאי אוטומטית. הגדלת המלאי תתבצע בהזנה ידנית בלבד. +YouMayFindNotificationsFeaturesIntoModuleNotification=ייתכן שתמצא אפשרויות להתראות באימייל על ידי הפעלה וקביעת התצורה של המודול "הודעה". +TemplatesForNotifications=תבניות להתראות +ListOfNotificationsPerUser=רשימת הודעות אוטומטיות לכל משתמש* +ListOfNotificationsPerUserOrContact=רשימת התראות אוטומטיות אפשריות (באירוע עסקי) זמינות לכל משתמש* או לכל איש קשר** +ListOfFixedNotifications=רשימת הודעות קבועות אוטומטיות +GoOntoUserCardToAddMore=עבור ללשונית "התראות" של משתמש כדי להוסיף או להסיר התראות למשתמשים +GoOntoContactCardToAddMore=עבור ללשונית "התראות" של צד שלישי כדי להוסיף או להסיר התראות עבור אנשי קשר/כתובות +Threshold=מפתן +BackupDumpWizard=אשף לבניית קובץ ה-dump של מסד הנתונים +BackupZipWizard=אשף לבניית ספריית ארכיון המסמכים +SomethingMakeInstallFromWebNotPossible=התקנה של מודול חיצוני אינה אפשרית מממשק האינטרנט מהסיבה הבאה: +SomethingMakeInstallFromWebNotPossible2=מסיבה זו, תהליך השדרוג המתואר כאן הוא תהליך ידני שרק משתמש בעל הרשאה רשאי לבצע. +InstallModuleFromWebHasBeenDisabledContactUs=התקנה או פיתוח של מודולים חיצוניים או אתרים דינמיים, מהאפליקציה, נעולים כעת למטרות אבטחה. אנא צור איתנו קשר אם אתה צריך להפעיל תכונה זו. +InstallModuleFromWebHasBeenDisabledByFile=התקנת מודול חיצוני מהאפליקציה הושבתה על ידי מנהל המערכת שלך. עליך לבקש ממנו להסיר את הקובץ %s כדי לאפשר זאת תכונה. +ConfFileMustContainCustom=התקנה או בנייה של מודול חיצוני מהאפליקציה צריך לשמור את קבצי המודול בספרייה %s . כדי שהספרייה הזו תעבד על ידי Dolibarr, עליך להגדיר את conf/conf.php שלך כדי להוסיף את 2 שורות ההנחיה:
      $dolibarr_main_url_root_alt='/custom';b0a65fspanc90f
      $dolibarr_main_document_root_alt='b0ecb2ec87f49fztom0;/ class '> +HighlightLinesOnMouseHover=הדגש קווי טבלה כאשר תנועת העכבר עוברת +HighlightLinesColor=הדגש את צבע הקו כאשר העכבר עובר (השתמש ב-'ffffff' כדי לא להדגיש) +HighlightLinesChecked=הדגש את צבע הקו כאשר הוא מסומן (השתמש ב-'ffffff' ללא הדגשה) +UseBorderOnTable=הצג גבולות שמאל-ימין בטבלאות +TableLineHeight=גובה קו שולחן +BtnActionColor=צבע כפתור הפעולה +TextBtnActionColor=צבע הטקסט של כפתור הפעולה +TextTitleColor=צבע הטקסט של כותרת העמוד +LinkColor=צבע של קישורים +PressF5AfterChangingThis=הקש CTRL+F5 במקלדת או נקה את מטמון הדפדפן שלך לאחר שינוי ערך זה כדי שיהיה יעיל +NotSupportedByAllThemes=Will עובד עם נושאי ליבה, ייתכן שלא נתמך על ידי נושאים חיצוניים +BackgroundColor=צבע רקע +TopMenuBackgroundColor=צבע רקע לתפריט העליון +TopMenuDisableImages=סמל או טקסט בתפריט העליון +LeftMenuBackgroundColor=צבע רקע עבור תפריט שמאל +BackgroundTableTitleColor=צבע רקע עבור שורת הכותרת של הטבלה +BackgroundTableTitleTextColor=צבע טקסט עבור שורת הכותרת של הטבלה +BackgroundTableTitleTextlinkColor=צבע טקסט עבור שורת הקישור של כותרת הטבלה +BackgroundTableLineOddColor=צבע רקע עבור קווי שולחן אי-זוגיים +BackgroundTableLineEvenColor=צבע רקע עבור קווי שולחן אחידים +MinimumNoticePeriod=תקופת הודעה מוקדמת מינימלית (בקשת החופשה שלך חייבת להיעשות לפני עיכוב זה) +NbAddedAutomatically=מספר הימים שנוספו למונים של משתמשים (אוטומטית) בכל חודש +EnterAnyCode=שדה זה מכיל הפניה לזיהוי הקו. הזן כל ערך לבחירתך, אך ללא תווים מיוחדים. +Enter0or1=הזן 0 או 1 +UnicodeCurrency=הזן כאן בין הסוגרים, רשימה של מספר בתים המייצגים את סמל המטבע. לדוגמה: עבור $, הזן [36] - עבור ברזיל R$ אמיתי [82,36] - עבור €, הזן [8364] +ColorFormat=צבע ה-RGB הוא בפורמט HEX, למשל: FF0000 +PictoHelp=שם הסמל בפורמט:
      - image.png עבור קובץ תמונה לתוך ספריית העיצוב הנוכחית
      - image.png@module אם הקובץ נמצא בספרייה /img/ של מודול
      - fa-xxx עבור FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size עבור תמונת FontAwesome fa-xxx (עם קידומת, צבע וגודל מוגדר) +PositionIntoComboList=מיקום הקו ברשימות משולבות +SellTaxRate=שיעור מס מכירה +RecuperableOnly=כן למע"מ "לא נתפס אך ניתן להשבתה" המוקדש למדינה כלשהי בצרפת. שמור את הערך על "לא" בכל שאר המקרים. +UrlTrackingDesc=אם הספק או שירות ההובלה מציעים דף או אתר אינטרנט לבדיקת מצב המשלוחים שלך, תוכל להזין אותם כאן. אתה יכול להשתמש במפתח {TRACKID} בפרמטרים של כתובת האתר, כך שהמערכת תחליף אותו במספר המעקב שהמשתמש הזין בכרטיס המשלוח. +OpportunityPercent=כאשר אתה יוצר ליד, תגדיר כמות משוערת של פרויקט/ ליד. בהתאם לסטטוס הליד, סכום זה עשוי להיות מוכפל בשיעור זה כדי להעריך את הסכום הכולל שכל הלידים שלך עשויים ליצור. הערך הוא אחוז (בין 0 ל-100). +TemplateForElement=תבנית דואר זו קשורה לאיזה סוג אובייקט? תבנית דוא"ל זמינה רק בעת שימוש בלחצן "שלח אימייל" מהאובייקט הקשור. +TypeOfTemplate=סוג התבנית +TemplateIsVisibleByOwnerOnly=התבנית גלויה לבעלים בלבד +VisibleEverywhere=גלוי בכל מקום +VisibleNowhere=לא נראה בשום מקום +FixTZ=תיקון TimeZone +FillFixTZOnlyIfRequired=דוגמה: +2 (מלא רק אם נתקלת בבעיה) +ExpectedChecksum=סכום צ'ק צפי +CurrentChecksum=Checksum נוכחי +ExpectedSize=גודל צפוי +CurrentSize=גודל נוכחי +ForcedConstants=ערכים קבועים נדרשים +MailToSendProposal=הצעות לקוחות +MailToSendOrder=הזמנות מכירה +MailToSendInvoice=חשבוניות של לקוחות MailToSendShipment=משלוחים MailToSendIntervention=התערבויות -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices +MailToSendSupplierRequestForQuotation=בקשת הצעת מחיר +MailToSendSupplierOrder=הזמנות רכש +MailToSendSupplierInvoice=חשבוניות ספק MailToSendContract=חוזים -MailToSendReception=Receptions -MailToExpenseReport=Expense reports +MailToSendReception=קבלות פנים +MailToExpenseReport=דוחות הוצאות MailToThirdparty=צדדים שלישיים MailToMember=משתמשים MailToUser=משתמשים MailToProject=פרוייקטים -MailToTicket=Tickets -ByDefaultInList=Show by default on list view -YouUseLastStableVersion=You use the latest stable version -TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) -TitleExampleForMaintenanceRelease=Example of message you can use to announce this maintenance release (feel free to use it on your web sites) -ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s is available. Version %s is a major release with a lot of new features for both users and developers. You can download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read ChangeLog for complete list of changes. -ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is available. Version %s is a maintenance version, so contains only bug fixes. We recommend all users to upgrade to this version. A maintenance release does not introduce new features or changes to the database. You may download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read the ChangeLog for complete list of changes. -MultiPriceRuleDesc=When option "Several levels of prices per product/service" is enabled, you can define different prices (one per price level) for each product. To save you time, here you may enter a rule to autocalculate a price for each level based on the price of the first level, so you will have to only enter a price for the first level for each product. This page is designed to save you time but is useful only if your prices for each level are relative to first level. You can ignore this page in most cases. -ModelModulesProduct=Templates for product documents -WarehouseModelModules=Templates for documents of warehouses -ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate codes automatically, you must first define a manager to auto-define the barcode number. -SeeSubstitutionVars=See * note for list of possible substitution variables -SeeChangeLog=See ChangeLog file (english only) -AllPublishers=All publishers -UnknownPublishers=Unknown publishers -AddRemoveTabs=Add or remove tabs -AddDataTables=Add object tables -AddDictionaries=Add dictionaries tables -AddData=Add objects or dictionaries data -AddBoxes=Add widgets -AddSheduledJobs=Add scheduled jobs -AddHooks=Add hooks -AddTriggers=Add triggers -AddMenus=Add menus -AddPermissions=Add permissions -AddExportProfiles=Add export profiles -AddImportProfiles=Add import profiles -AddOtherPagesOrServices=Add other pages or services -AddModels=Add document or numbering templates -AddSubstitutions=Add keys substitutions -DetectionNotPossible=Detection not possible -UrlToGetKeyToUseAPIs=Url to get token to use API (once token has been received it is saved in database user table and must be provided on each API call) -ListOfAvailableAPIs=List of available APIs -activateModuleDependNotSatisfied=Module "%s" depends on module "%s", that is missing, so module "%1$s" may not work correctly. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise -CommandIsNotInsideAllowedCommands=The command you are trying to run is not in the list of allowed commands defined in parameter $dolibarr_main_restrict_os_commands in the conf.php file. -LandingPage=Landing page -SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", the price will also be the same for all companies if products are shared between environments -ModuleEnabledAdminMustCheckRights=Module has been activated. Permissions for activated module(s) were given to admin users only. You may need to grant permissions to other users or groups manually if necessary. -UserHasNoPermissions=This user has no permissions defined -TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "%s")
      Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "%s" in days)
      Use "Current/Next" to have payment term date being the first Nth of the month after delta (delta is field "%s", N is stored into field "%s") -BaseCurrency=Reference currency of the company (go into setup of company to change this) -WarningNoteModuleInvoiceForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016). -WarningNoteModulePOSForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016) because module Non Reversible Logs is automatically activated. -WarningInstallationMayBecomeNotCompliantWithLaw=You are trying to install module %s that is an external module. Activating an external module means you trust the publisher of that module and that you are sure that this module does not adversely impact the behavior of your application, and is compliant with laws of your country (%s). If the module introduces an illegal feature, you become responsible for the use of illegal software. +MailToTicket=כרטיסים +ByDefaultInList=הצג כברירת מחדל בתצוגת רשימה +YouUseLastStableVersion=אתה משתמש בגרסה היציבה העדכנית ביותר +TitleExampleForMajorRelease=דוגמה להודעה שבה אתה יכול להשתמש כדי להכריז על מהדורה חשובה זו (אל תהסס להשתמש בה באתרי האינטרנט שלך) +TitleExampleForMaintenanceRelease=דוגמה להודעה שבה תוכל להשתמש כדי להכריז על מהדורת תחזוקה זו (אל תהסס להשתמש בה באתרי האינטרנט שלך) +ExampleOfNewsMessageForMajorRelease=Dolibarr ERP ו-CRM %s זמינים. גרסה %s היא מהדורה מרכזית עם הרבה תכונות חדשות הן למשתמשים והן למפתחים. אתה יכול להוריד אותו מאזור ההורדות של הפורטל https://www.dolibarr.org (גרסאות משנה יציבות). אתה יכול לקרוא את ChangeLog לקבלת רשימה מלאה של שינויים. +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP ו-CRM %s זמינים. גרסה %s היא גרסת תחזוקה, ולכן מכילה רק תיקוני באגים. אנו ממליצים לכל המשתמשים לשדרג לגרסה זו. מהדורת תחזוקה אינה מציגה תכונות חדשות או שינויים במסד הנתונים. אתה יכול להוריד אותו מאזור ההורדות של הפורטל https://www.dolibarr.org (גרסאות משנה יציבות). אתה יכול לקרוא את ChangeLog לקבלת רשימה מלאה של שינויים. +MultiPriceRuleDesc=כאשר האפשרות "מספר רמות מחירים למוצר/שירות" מופעלת, ניתן להגדיר מחירים שונים (אחד לכל רמת מחיר) עבור כל מוצר. כדי לחסוך לך זמן, כאן תוכל להזין כלל לחישוב אוטומטי של מחיר לכל רמה בהתבסס על המחיר של הרמה הראשונה, כך שתצטרך להזין רק מחיר לרמה הראשונה עבור כל מוצר. דף זה נועד לחסוך לך זמן אבל הוא שימושי רק אם המחירים שלך עבור כל רמה הם ביחס לרמה הראשונה. אתה יכול להתעלם מדף זה ברוב המקרים. +ModelModulesProduct=תבניות למסמכי מוצר +WarehouseModelModules=תבניות למסמכים של מחסנים +ToGenerateCodeDefineAutomaticRuleFirst=כדי שתוכל להפיק קודים באופן אוטומטי, תחילה עליך להגדיר מנהל שיגדיר אוטומטית את מספר הברקוד. +SeeSubstitutionVars=ראה הערה * לרשימה של משתני החלפה אפשריים +SeeChangeLog=ראה קובץ ChangeLog (באנגלית בלבד) +AllPublishers=כל המוציאים לאור +UnknownPublishers=מפרסמים לא ידועים +AddRemoveTabs=הוסף או הסר כרטיסיות +AddDataTables=הוסף טבלאות אובייקטים +AddDictionaries=הוסף טבלאות מילונים +AddData=הוסף נתוני אובייקטים או מילונים +AddBoxes=הוסף ווידג'טים +AddSheduledJobs=הוסף משרות מתוזמנות +AddHooks=הוסף ווים +AddTriggers=הוסף טריגרים +AddMenus=הוסף תפריטים +AddPermissions=הוסף הרשאות +AddExportProfiles=הוסף פרופילי ייצוא +AddImportProfiles=הוסף פרופילי ייבוא +AddOtherPagesOrServices=הוסף דפים או שירותים אחרים +AddModels=הוסף מסמכים או תבניות מספור +AddSubstitutions=הוסף תחליפי מפתחות +DetectionNotPossible=איתור לא אפשרי +UrlToGetKeyToUseAPIs=כתובת אתר לקבלת אסימון לשימוש ב-API (לאחר קבלת האסימון הוא נשמר בטבלת המשתמשים של מסד הנתונים ויש לספק אותו בכל קריאת API) +ListOfAvailableAPIs=רשימה של ממשקי API זמינים +activateModuleDependNotSatisfied=מודול "%s" תלוי במודול "%s", שחסר, אז מודול " %1$s" עשוי שלא לפעול כהלכה. אנא התקן את המודול "%2$s" או השבת את המודול "%1$s" אם אתה רוצה להיות בטוח מכל הפתעה +CommandIsNotInsideAllowedCommands=הפקודה שאתה מנסה להפעיל אינה ברשימת הפקודות המותרות המוגדרות בפרמטר $dolibarr_main_restrict_os_commands ב- class='notranslate'>conf.php קובץ. +LandingPage=דף נחיתה +SamePriceAlsoForSharedCompanies=אם אתה משתמש במודול מרובה חברות, עם הבחירה "מחיר יחיד", המחיר יהיה זהה גם עבור כל החברות אם מוצרים משותפים בין סביבות +ModuleEnabledAdminMustCheckRights=מודול הופעל. הרשאות עבור מודולים מופעלים ניתנו למשתמשי אדמין בלבד. ייתכן שיהיה עליך להעניק הרשאות למשתמשים אחרים או לקבוצות באופן ידני במידת הצורך. +UserHasNoPermissions=למשתמש זה אין הרשאות מוגדרות +TypeCdr=השתמש ב"ללא" אם תאריך תקופת התשלום הוא תאריך החשבונית בתוספת דלתא בימים (הדלתא היא השדה "%s")
      span>השתמש ב"בסוף החודש", אם, לאחר דלתא, יש להגדיל את התאריך כדי להגיע לסוף החודש (+ "%s" אופציונלי בימים)
      השתמש ב"נוכחי/הבא" כדי שתאריך התשלום יהיה ה-N הראשון של החודש אחרי הדלתא (הדלתא היא השדה "%s" , N מאוחסן בשדה "%s") +BaseCurrency=מטבע התייחסות של החברה (היכנס להגדרת החברה כדי לשנות זאת) +WarningNoteModuleInvoiceForFrenchLaw=מודול זה %s תואם לחוקים הצרפתיים (Loi Finance 2016). +WarningNoteModulePOSForFrenchLaw=מודול זה %s תואם לחוקים הצרפתיים (Loi Finance 2016) מכיוון שמודול יומנים בלתי הפיכים מופעל אוטומטית. +WarningInstallationMayBecomeNotCompliantWithLaw=אתה מנסה להתקין מודול %s שהוא מודול חיצוני. הפעלת מודול חיצוני פירושה שאתה סומך על המפרסם של המודול הזה ושאתה בטוח שמודול זה אינו משפיע לרעה על התנהגות האפליקציה שלך, והוא תואם את החוקים של המדינה שלך (%s). אם המודול מציג תכונה לא חוקית, אתה הופך להיות אחראי לשימוש בתוכנה לא חוקית. -MAIN_PDF_MARGIN_LEFT=Left margin on PDF -MAIN_PDF_MARGIN_RIGHT=Right margin on PDF -MAIN_PDF_MARGIN_TOP=Top margin on PDF -MAIN_PDF_MARGIN_BOTTOM=Bottom margin on PDF -MAIN_DOCUMENTS_LOGO_HEIGHT=Height for logo on PDF -DOC_SHOW_FIRST_SALES_REP=Show first sales representative -MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Add column for picture on proposal lines -MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Width of the column if a picture is added on lines -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders -MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame -MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code -MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block -PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions -PROPOSAL_PDF_HIDE_PAYMENTMODE=Hide payment mode -MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Add electronic sign in PDF -NothingToSetup=There is no specific setup required for this module. -SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes.
      For example:
      CODEGRP1+CODEGRP2 -SeveralLangugeVariatFound=Several language variants found -RemoveSpecialChars=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code -COMPANY_DIGITARIA_CLEAN_REGEX=Regex filter to clean value (COMPANY_DIGITARIA_CLEAN_REGEX) -COMPANY_DIGITARIA_UNIQUE_CODE=Duplicate not allowed -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word -GDPRContact=Data Protection Officer (DPO, Data Privacy or GDPR contact) -GDPRContactDesc=If you store personal data in your Information System, you can name the contact who is responsible for the General Data Protection Regulation here -HelpOnTooltip=Help text to show on tooltip -HelpOnTooltipDesc=Put text or a translation key here for the text to show in a tooltip when this field appears in a form -YouCanDeleteFileOnServerWith=You can delete this file on the server with Command Line:
      %s -ChartLoaded=Chart of account loaded -SocialNetworkSetup=Setup of module Social Networks -EnableFeatureFor=Enable features for %s -VATIsUsedIsOff=Note: The option to use Sales Tax or VAT has been set to Off in the menu %s - %s, so Sales tax or Vat used will always be 0 for sales. -SwapSenderAndRecipientOnPDF=Swap sender and recipient address position on PDF documents -FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields and combo lists only. Also an URL parameter action=create or action=edit must be set OR page name must end with 'new.php' to trigger this feature. -EmailCollector=Email collector -EmailCollectors=Email collectors -EmailCollectorDescription=Add a scheduled job and a setup page to scan regularly email boxes (using IMAP protocol) and record emails received into your application, at the right place and/or create some records automatically (like leads). -NewEmailCollector=New Email Collector -EMailHost=Host of email IMAP server -EMailHostPort=Port of email IMAP server -loginPassword=Login/Password -oauthToken=OAuth2 token -accessType=Acces type -oauthService=Oauth service -TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session -MailboxSourceDirectory=Mailbox source directory -MailboxTargetDirectory=Mailbox target directory -EmailcollectorOperations=Operations to do by collector -EmailcollectorOperationsDesc=Operations are executed from top to bottom order -MaxEmailCollectPerCollect=Max number of emails collected per collect -TestCollectNow=Test collect -CollectNow=Collect now -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s? -DateLastCollectResult=Date of latest collect try -DateLastcollectResultOk=Date of latest collect success -LastResult=Latest result -EmailCollectorHideMailHeaders=Do not include the content of email header into the saved content of collected e-mails -EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. -EmailCollectorConfirmCollectTitle=Email collect confirmation -EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). -EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software -EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. -EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. -EmailCollectorExampleToCollectLeads=Example collecting leads -EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. -EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail -NoNewEmailToProcess=No new email (matching filters) to process -NothingProcessed=Nothing done -RecordEvent=Record an event in agenda (with type Email sent or received) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation or was guessed from a tracker in email header, without third party otherwise) -CodeLastResult=Latest result code -NbOfEmailsInInbox=Number of emails in source directory -LoadThirdPartyFromName=Load third party searching on %s (load only) -LoadThirdPartyFromNameOrCreate=Load third party searching on %s (create if not found) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) -AttachJoinedDocumentsToObject=Save attached files into object documents if a ref of an object is found into email topic. -WithDolTrackingID=Message from a conversation initiated by a first email sent from Dolibarr -WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr -WithDolTrackingIDInMsgId=Message sent from Dolibarr -WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr -CreateCandidature=Create job application +MAIN_PDF_MARGIN_LEFT=שוליים שמאליים ב-PDF +MAIN_PDF_MARGIN_RIGHT=שוליים ימין ב-PDF +MAIN_PDF_MARGIN_TOP=השוליים העליונים ב-PDF +MAIN_PDF_MARGIN_BOTTOM=שוליים תחתונים ב-PDF +MAIN_DOCUMENTS_LOGO_HEIGHT=גובה ללוגו ב-PDF +DOC_SHOW_FIRST_SALES_REP=הצג את נציג המכירות הראשון +MAIN_GENERATE_PROPOSALS_WITH_PICTURE=הוסף עמודה לתמונה בשורות ההצעה +MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=רוחב העמודה אם נוספה תמונה על קווים +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=הסתר את עמודת המחיר ליחידה בבקשות להצעת מחיר +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=הסתר את עמודת המחיר הכולל בבקשות להצעת מחיר +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=הסתר את עמודת מחיר היחידה בהזמנות רכש +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=הסתר את עמודת המחיר הכולל בהזמנות רכש +MAIN_PDF_NO_SENDER_FRAME=הסתר גבולות על מסגרת כתובת השולח +MAIN_PDF_NO_RECIPENT_FRAME=הסתר גבולות על מסגרת כתובת הנמען +MAIN_PDF_HIDE_CUSTOMER_CODE=הסתר את קוד הלקוח +MAIN_PDF_HIDE_SENDER_NAME=הסתר את שם השולח/חברה בגוש הכתובות +PROPOSAL_PDF_HIDE_PAYMENTTERM=הסתר את תנאי התשלומים +PROPOSAL_PDF_HIDE_PAYMENTMODE=הסתר מצב תשלום +MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=הוסף כניסה אלקטרונית ב-PDF +NothingToSetup=אין צורך בהגדרה ספציפית עבור מודול זה. +SetToYesIfGroupIsComputationOfOtherGroups=הגדר זאת ל-yes אם הקבוצה הזו היא חישוב של קבוצות אחרות +EnterCalculationRuleIfPreviousFieldIsYes=הזן כלל חישוב אם השדה הקודם הוגדר ככן.
      לדוגמה:
      CODEGRP1+CODEGRP2 +SeveralLangugeVariatFound=נמצאו מספר גרסאות שפה +RemoveSpecialChars=הסר תווים מיוחדים +COMPANY_AQUARIUM_CLEAN_REGEX=מסנן Regex לניקוי ערך (COMPANY_AQUARIUM_CLEAN_REGEX) +COMPANY_AQUARIUM_NO_PREFIX=אין להשתמש בקידומת, רק להעתיק את קוד הלקוח או הספק +COMPANY_DIGITARIA_CLEAN_REGEX=מסנן Regex לניקוי ערך (COMPANY_DIGITARIA_CLEAN_REGEX) +COMPANY_DIGITARIA_UNIQUE_CODE=שכפול אסור +RemoveSpecialWords=נקה מילים מסוימות בעת יצירת חשבונות משנה עבור לקוחות או ספקים +RemoveSpecialWordsHelp=ציין את המילים שיש לנקות לפני חישוב חשבון הלקוח או הספק. תשתמש ב ";" בין כל מילה +GDPRContact=קצין הגנת נתונים (DPO, איש קשר לפרטיות נתונים או GDPR) +GDPRContactDesc=אם אתה מאחסן נתונים אישיים במערכת המידע שלך, תוכל למנות את איש הקשר האחראי על תקנת הגנת המידע הכללית כאן +HelpOnTooltip=טקסט עזרה להצגה בתיאור כלי +HelpOnTooltipDesc=שים טקסט או מפתח תרגום כאן כדי שהטקסט יופיע בהסבר כלים כאשר שדה זה מופיע בטופס +YouCanDeleteFileOnServerWith=אתה יכול למחוק קובץ זה בשרת באמצעות שורת הפקודה:
      %s +ChartLoaded=תרשים החשבון נטען +SocialNetworkSetup=הגדרת מודול רשתות חברתיות +EnableFeatureFor=אפשר תכונות עבור %s +VATIsUsedIsOff=הערה: האפשרות להשתמש במס מכירה או במע"מ הוגדרה לכבוי בתפריט %s - %s, כך שמס מכירה או מע"מ בשימוש תמיד יהיו 0 עבור מכירות. +SwapSenderAndRecipientOnPDF=החלף את מיקום השולח והכתובת של הנמען במסמכי PDF +FeatureSupportedOnTextFieldsOnly=אזהרה, תכונה נתמכת בשדות טקסט ורשימות משולבות בלבד. כמו כן, יש להגדיר פרמטר כתובת URL action=create או action=edit או ששם הדף חייב להסתיים ב-'new.php' כדי להפעיל תכונה זו. +EmailCollector=אספן אימייל +EmailCollectors=אספני אימייל +EmailCollectorDescription=הוסף עבודה מתוזמנת ודף הגדרה כדי לסרוק באופן קבוע תיבות דוא"ל (באמצעות פרוטוקול IMAP) ולהקליט הודעות דוא"ל שהתקבלו באפליקציה שלך, במקום הנכון ו/או ליצור כמה רשומות באופן אוטומטי (כמו לידים). +NewEmailCollector=אוסף דוא"ל חדש +EMailHost=מארח שרת האימייל IMAP +EMailHostPort=יציאה של שרת IMAP של דואר אלקטרוני +loginPassword=סיסמת כניסה +oauthToken=אסימון OAuth2 +accessType=סוג גישה +oauthService=שירות Oauth +TokenMustHaveBeenCreated=יש להפעיל את מודול OAuth2 וחייב ליצור אסימון OAuth2 עם ההרשאות הנכונות (לדוגמה, היקף "gmail_full" עם OAuth עבור Gmail). +ImapEncryption = שיטת הצפנה IMAP +ImapEncryptionHelp = דוגמה: none, ssl, tls, notls +NoRSH = השתמש בתצורת NoRSH +NoRSHHelp = אל תשתמש בפרוטוקולי RSH או SSH כדי ליצור הפעלת זיהוי מראש של IMAP +MailboxSourceDirectory=ספריית המקור של תיבת הדואר +MailboxTargetDirectory=ספריית יעד של תיבת דואר +EmailcollectorOperations=פעולות לביצוע על ידי אספן +EmailcollectorOperationsDesc=הפעולות מבוצעות מהסדר העליון למטה +MaxEmailCollectPerCollect=המספר המרבי של אימיילים שנאספו בכל איסוף +TestCollectNow=מבחן לאסוף +CollectNow=אסוף עכשיו +ConfirmCloneEmailCollector=האם אתה בטוח שברצונך לשכפל את אוסף הדוא"ל %s? +DateLastCollectResult=תאריך ניסיון האיסוף האחרון +DateLastcollectResultOk=תאריך הצלחת האיסוף האחרונה +LastResult=התוצאה האחרונה +EmailCollectorHideMailHeaders=אל תכלול את התוכן של כותרת הדוא"ל בתוכן השמור של הודעות דואר אלקטרוני שנאספו +EmailCollectorHideMailHeadersHelp=כאשר מופעל, כותרות דואר אלקטרוני אינן מתווספות בסוף תוכן האימייל שנשמר כאירוע סדר יום. +EmailCollectorConfirmCollectTitle=אישור איסוף בדוא"ל +EmailCollectorConfirmCollect=האם אתה רוצה להפעיל את האספן הזה עכשיו? +EmailCollectorExampleToCollectTicketRequestsDesc=אסוף מיילים התואמים כללים מסוימים וצור אוטומטית כרטיס (כרטיס מודול חייב להיות מופעל) עם פרטי האימייל. אתה יכול להשתמש באספן זה אם אתה מספק תמיכה באימייל, כך שבקשת הכרטיס שלך תיווצר אוטומטית. הפעל גם את Collect_Responses כדי לאסוף תשובות של הלקוח שלך ישירות בתצוגת הכרטיסים (עליך להשיב מ-Dolibarr). +EmailCollectorExampleToCollectTicketRequests=דוגמה לאיסוף בקשת הכרטיס (הודעה ראשונה בלבד) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=סרוק את ספריית "נשלח" של תיבת הדואר שלך כדי למצוא מיילים שנשלחו כתשובה של מייל אחר ישירות מתוכנת האימייל שלך ולא מ-Dolibarr. אם נמצא אימייל כזה, אירוע התשובה מתועד ב-Dolibarr +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=דוגמה לאיסוף תשובות דואר אלקטרוני שנשלחו מתוכנת דואר אלקטרוני חיצונית +EmailCollectorExampleToCollectDolibarrAnswersDesc=אסוף את כל המיילים שהם תשובה לאימייל שנשלח מהאפליקציה שלך. אירוע (מודול Agenda חייב להיות מופעל) עם תגובת המייל יתועד במקום הטוב. לדוגמה, אם תשלחו הצעה מסחרית, הזמנה, חשבונית או הודעה לכרטיס במייל מהאפליקציה, והנמען עונה למייל שלכם, המערכת תתפוס את התשובה באופן אוטומטי ותוסיף אותה ל-ERP שלכם. +EmailCollectorExampleToCollectDolibarrAnswers=דוגמה לאיסוף כל ההודעות הנכנסות הן תשובות להודעות שנשלחו מ-Dolibarr' +EmailCollectorExampleToCollectLeadsDesc=אסוף מיילים התואמים כללים מסוימים וצור הפניה אוטומטית (מודול Project חייב להיות מופעל) עם פרטי האימייל. אתה יכול להשתמש באספן זה אם אתה רוצה לעקוב אחר הלידים שלך באמצעות מודול Project (1 ליד = 1 פרוייקט), כך שהלידים שלך ייווצרו אוטומטית. אם האספן Collect_Responses מופעל גם כן, כאשר אתה שולח דוא"ל מהלידים, ההצעות או כל אובייקט אחר, אתה עשוי לראות גם תשובות של הלקוחות או השותפים שלך ישירות באפליקציה.
      הערה: עם הדוגמה הראשונית הזו, הכותרת של הליד נוצרת כולל המייל. אם הצד השלישי לא נמצא במסד הנתונים (לקוח חדש), הליד יצורף לצד השלישי עם תעודת זהות 1. +EmailCollectorExampleToCollectLeads=דוגמה לאיסוף לידים +EmailCollectorExampleToCollectJobCandidaturesDesc=איסוף הודעות דוא"ל המתייחסות להצעות עבודה (יש להפעיל גיוס מודול). אתה יכול להשלים את האספן הזה אם אתה רוצה ליצור אוטומטית מועמדות לבקשת עבודה. הערה: עם הדוגמה הראשונית הזו, הכותרת של המועמדות נוצרת כולל המייל. +EmailCollectorExampleToCollectJobCandidatures=דוגמה לאיסוף מועמדות לעבודה שהתקבלו בדואר אלקטרוני +NoNewEmailToProcess=אין דוא"ל חדש (מסננים תואמים) לעיבוד +NothingProcessed=שום דבר לא נעשה +RecordEvent=הקלט אירוע בסדר היום (עם סוג דואר אלקטרוני שנשלח או התקבל) +CreateLeadAndThirdParty=צור ליד (וצד שלישי במידת הצורך) +CreateTicketAndThirdParty=צור כרטיס (מקושר לצד שלישי אם הצד השלישי נטען בפעולה קודמת או ניחש מתוך עוקב בכותרת הדוא"ל, ללא צד שלישי אחרת) +CodeLastResult=קוד התוצאה האחרון +NbOfEmailsInInbox=מספר הודעות האימייל בספריית המקור +LoadThirdPartyFromName=טען חיפוש של צד שלישי ב-%s (טעינה בלבד) +LoadThirdPartyFromNameOrCreate=טען חיפוש של צד שלישי ב-%s (צור אם לא נמצא) +LoadContactFromEmailOrCreate=טען חיפוש אנשי קשר ב-%s (צור אם לא נמצא) +AttachJoinedDocumentsToObject=שמור קבצים מצורפים במסמכי אובייקט אם נמצא ר"פ של אובייקט לתוך נושא הדוא"ל. +WithDolTrackingID=הודעה משיחה שיזמה אימייל ראשון שנשלח מ-Dolibarr +WithoutDolTrackingID=הודעה משיחה שיזמה אימייל ראשון שלא נשלחה מ-Dolibarr +WithDolTrackingIDInMsgId=הודעה נשלחה מ-Dolibarr +WithoutDolTrackingIDInMsgId=הודעה לא נשלחה מ-Dolibarr +CreateCandidature=צור מועמדות לעבודה FormatZip=רוכסן -MainMenuCode=Menu entry code (mainmenu) -ECMAutoTree=Show automatic ECM tree -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. -OpeningHours=Opening hours -OpeningHoursDesc=Enter here the regular opening hours of your company. -ResourceSetup=Configuration of Resource module -UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). -DisabledResourceLinkUser=Disable feature to link a resource to users -DisabledResourceLinkContact=Disable feature to link a resource to contacts -EnableResourceUsedInEventCheck=Prohibit the use of the same resource at the same time in the agenda -ConfirmUnactivation=Confirm module reset -OnMobileOnly=On small screen (smartphone) only -DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be "Prospect" or "Customer", but can't be both) -MAIN_OPTIMIZEFORTEXTBROWSER=Simplify interface for blind person -MAIN_OPTIMIZEFORTEXTBROWSERDesc=Enable this option if you are a blind person, or if you use the application from a text browser like Lynx or Links. -MAIN_OPTIMIZEFORCOLORBLIND=Change interface's color for color blind person -MAIN_OPTIMIZEFORCOLORBLINDDesc=Enable this option if you are a color blind person, in some case interface will change color setup to increase contrast. -Protanopia=Protanopia -Deuteranopes=Deuteranopes -Tritanopes=Tritanopes -ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' -DefaultCustomerType=Default thirdparty type for "New customer" creation form -ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. -RootCategoryForProductsToSell=Root category of products to sell -RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale -DebugBar=Debug Bar -DebugBarDesc=Toolbar that comes with a plenty of tools to simplify debugging -DebugBarSetup=DebugBar Setup -GeneralOptions=General Options -LogsLinesNumber=Number of lines to show on logs tab -UseDebugBar=Use the debug bar -DEBUGBAR_LOGS_LINES_NUMBER=Number of last log lines to keep in console -WarningValueHigherSlowsDramaticalyOutput=Warning, higher values slows dramaticaly output -ModuleActivated=Module %s is activated and slows the interface -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) -IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. -AntivirusEnabledOnUpload=Antivirus enabled on uploaded files -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode -EXPORTS_SHARE_MODELS=Export models are share with everybody -ExportSetup=Setup of module Export -ImportSetup=Setup of module Import -InstanceUniqueID=Unique ID of the instance -SmallerThan=Smaller than -LargerThan=Larger than -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). -EndPointFor=End point for %s : %s -DeleteEmailCollector=Delete email collector -ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? -RecipientEmailsWillBeReplacedWithThisValue=Recipient emails will be always replaced with this value -AtLeastOneDefaultBankAccountMandatory=At least 1 default bank account must be defined -RESTRICT_ON_IP=Allow API access to only certain client IPs (wildcard not allowed, use space between values). Empty means every clients can access. +MainMenuCode=קוד כניסה לתפריט (תפריט ראשי) +ECMAutoTree=הצג עץ ECM אוטומטי +OperationParamDesc=הגדר את הכללים לשימוש כדי לחלץ כמה נתונים או הגדר ערכים לשימוש עבור הפעולה.

      דוגמה לחילוץ שם חברה מ נושא דוא"ל למשתנה זמני:
      tmp_var=EXTRACT:SUBJECT:הודעה מהחברה ([^\n]*)

      דוגמאות להגדרת המאפיינים של אובייקט ליצירה:
      objproperty1=SET:ערך מקודד קשיח
      objproperty2=SET:__tmp_var__
      objproperty3:aSETIFEMP מוגדר רק אם המאפיין לא מוגדר כבר)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:שם החברה שלי הוא\\ s([^\\s]*)

      השתמש בשורה חדשה כדי לחלץ או להגדיר מספר מאפיינים. +OpeningHours=שעות פתיחה +OpeningHoursDesc=הזן כאן את שעות הפתיחה הרגילות של החברה שלך. +ResourceSetup=תצורה של מודול משאבים +UseSearchToSelectResource=השתמש בטופס חיפוש כדי לבחור משאב (ולא ברשימה נפתחת). +DisabledResourceLinkUser=השבת תכונה כדי לקשר משאב למשתמשים +DisabledResourceLinkContact=השבת תכונה כדי לקשר משאב לאנשי קשר +EnableResourceUsedInEventCheck=לאסור שימוש באותו משאב באותו זמן בסדר היום +ConfirmUnactivation=אשר את איפוס המודול +OnMobileOnly=על מסך קטן (סמארטפון) בלבד +DisableProspectCustomerType=השבת את סוג הצד השלישי "לקוח פוטנציאלי + לקוח" (לכן צד שלישי חייב להיות "לקוח פוטנציאלי" או "לקוח", אבל לא יכול להיות שניהם) +MAIN_OPTIMIZEFORTEXTBROWSER=פשט את הממשק לאדם עיוור +MAIN_OPTIMIZEFORTEXTBROWSERDesc=אפשר אפשרות זו אם אתה עיוור, או אם אתה משתמש באפליקציה מדפדפן טקסט כמו Lynx או Links. +MAIN_OPTIMIZEFORCOLORBLIND=שנה את צבע הממשק עבור עיוור צבעים +MAIN_OPTIMIZEFORCOLORBLINDDesc=הפעל אפשרות זו אם אתה עיוור צבעים, במקרים מסוימים הממשק ישנה את הגדרות הצבע כדי להגביר את הניגודיות. +Protanopia=פרוטנופיה +Deuteranopes=דוטרנופס +Tritanopes=טריטנופס +ThisValueCanOverwrittenOnUserLevel=כל משתמש יכול להחליף ערך זה מדף המשתמש שלו - לשונית '%s' +DefaultCustomerType=סוג ברירת מחדל של צד שלישי עבור טופס יצירת "לקוח חדש". +ABankAccountMustBeDefinedOnPaymentModeSetup=הערה: יש להגדיר את חשבון הבנק במודול של כל מצב תשלום (Paypal, Stripe,...) כדי שתכונה זו תפעל. +RootCategoryForProductsToSell=קטגוריית שורש של מוצרים למכירה +RootCategoryForProductsToSellDesc=אם הוגדר, רק מוצרים בקטגוריה זו או ילדים מקטגוריה זו יהיו זמינים בנקודת המכירה +DebugBar=סרגל ניפוי באגים +DebugBarDesc=סרגל כלים שמגיע עם שפע של כלים כדי לפשט את ניפוי הבאגים +DebugBarSetup=הגדרת DebugBar +GeneralOptions=אפשרויות כלליות +LogsLinesNumber=מספר השורות להצגה בכרטיסיית יומנים +UseDebugBar=השתמש בסרגל ניפוי הבאגים +DEBUGBAR_LOGS_LINES_NUMBER=מספר שורות היומן האחרונות שיש לשמור במסוף +WarningValueHigherSlowsDramaticalyOutput=אזהרה, ערכים גבוהים מאטים באופן דרמטי את הפלט +ModuleActivated=מודול %s מופעל ומאט את הממשק +ModuleActivatedWithTooHighLogLevel=מודול %s מופעל עם רמת רישום גבוהה מדי (נסה להשתמש ברמה נמוכה יותר לביצועים ואבטחה טובים יותר) +ModuleSyslogActivatedButLevelNotTooVerbose=מודול %s מופעל ורמת היומן (%s) נכונה (לא מילולית מדי) +IfYouAreOnAProductionSetThis=אם אתה נמצא בסביבת ייצור, עליך להגדיר מאפיין זה ל-%s. +AntivirusEnabledOnUpload=אנטי וירוס מופעל בקבצים שהועלו +SomeFilesOrDirInRootAreWritable=חלק מהקבצים או הספריות אינם במצב קריאה בלבד +EXPORTS_SHARE_MODELS=דגמי ייצוא משותפים עם כולם +ExportSetup=הגדרת ייצוא מודול +ImportSetup=הגדרת ייבוא מודול +InstanceUniqueID=מזהה ייחודי של המופע +SmallerThan=קטן יותר +LargerThan=גדול מ +IfTrackingIDFoundEventWillBeLinked=שים לב שאם נמצא מזהה מעקב של אובייקט בדוא"ל, או אם האימייל הוא תשובה לאימייל שכבר נאסף ומקושר לאובייקט, האירוע שנוצר יקושר אוטומטית לאובייקט הקשור הידוע. +WithGMailYouCanCreateADedicatedPassword=עם חשבון GMail, אם הפעלת את אימות 2 השלבים, מומלץ ליצור סיסמה שנייה ייעודית לאפליקציה במקום להשתמש בסיסמת החשבון שלך מ-https://myaccount.google.com/. +EmailCollectorTargetDir=ייתכן שזו התנהגות רצויה להעביר את האימייל לתג/ספרייה אחרת כאשר הוא עובד בהצלחה. פשוט הגדר את שם הספרייה כאן כדי להשתמש בתכונה זו (אל תשתמש בתווים מיוחדים בשם). שימו לב שעליכם להשתמש גם בחשבון התחברות לקריאה/כתיבה. +EmailCollectorLoadThirdPartyHelp=אתה יכול להשתמש בפעולה זו כדי להשתמש בתוכן האימייל כדי למצוא ולטעון צד שלישי קיים במסד הנתונים שלך (החיפוש יתבצע במאפיין המוגדר בין 'id','name','name_alias','email'). הצד השלישי שנמצא (או נוצר) ישמש לפעולות הבאות שזקוקות לכך.
      לדוגמה, אם ברצונך ליצור צד שלישי עם שם שחולץ ממחרוזת ' שם: שם למצוא' קיים בגוף, השתמש בדוא"ל השולח בתור דוא"ל, אתה יכול להגדיר את שדה הפרמטרים כך:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=אזהרה: שרתי דוא"ל רבים (כמו Gmail) מבצעים חיפוש מילים מלאות בעת חיפוש על מחרוזת ולא יחזירו תוצאה אם המחרוזת נמצאת רק בחלקה של מילה. גם מסיבה זו, השימוש בתווים מיוחדים בקריטריוני חיפוש יתעלם אם הם אינם חלק ממילים קיימות.
      כדי לבצע חיפוש אי הכללה על מילה (החזר דוא"ל אם מילה לא נמצא), אתה יכול להשתמש ב-! תו לפני המילה (ייתכן שלא יפעל בשרתי דואר מסוימים). +EndPointFor=נקודת סיום עבור %s : %s +DeleteEmailCollector=מחק את אספן האימייל +ConfirmDeleteEmailCollector=האם אתה בטוח שברצונך למחוק את אוסף הדוא"ל הזה? +RecipientEmailsWillBeReplacedWithThisValue=הודעות אימייל של נמענים יוחלפו תמיד בערך זה +AtLeastOneDefaultBankAccountMandatory=יש להגדיר לפחות חשבון בנק ברירת מחדל אחד +RESTRICT_ON_IP=אפשר גישה ל-API רק לכתובות IP מסוימות של לקוח (תו כללי אסור, השתמש ברווח בין ערכים). ריק פירושו שכל לקוח יכול לגשת. IPListExample=127.0.0.1 192.168.0.2 [::1] -BaseOnSabeDavVersion=Based on the library SabreDAV version -NotAPublicIp=Not a public IP -MakeAnonymousPing=Make an anonymous Ping '+1' to the Dolibarr foundation server (done 1 time only after installation) to allow the foundation to count the number of Dolibarr installation. -FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled -EmailTemplate=Template for email -EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF -FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. -RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard -JumpToBoxes=Jump to Setup -> Widgets -MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" -MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values. -TemplateAdded=Template added -TemplateUpdated=Template updated -TemplateDeleted=Template deleted -MailToSendEventPush=Event reminder email -SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security -DictionaryProductNature= Nature of product -CountryIfSpecificToOneCountry=Country (if specific to a given country) -YouMayFindSecurityAdviceHere=You may find security advisory here -ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. -ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. -CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples -SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. -AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only -ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. -MailToSendEventOrganization=Event Organization -MailToPartnership=Partnership -AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s +BaseOnSabeDavVersion=מבוסס על גרסת SabreDAV של הספרייה +NotAPublicIp=לא IP ציבורי +MakeAnonymousPing=בצע Ping אנונימי '+1' לשרת הבסיס של Dolibarr (נעשה פעם אחת רק לאחר ההתקנה) כדי לאפשר לקרן לספור את מספר התקנות Dolibarr. +FeatureNotAvailableWithReceptionModule=התכונה אינה זמינה כאשר קליטה מודול מופעלת +EmailTemplate=תבנית למייל +EMailsWillHaveMessageID=לאימיילים יהיה תג 'הפניות' התואם לתחביר זה +PDF_SHOW_PROJECT=הצג פרויקט על מסמך +ShowProjectLabel=תווית פרויקט +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=כלול כינוי בשם של צד שלישי +THIRDPARTY_ALIAS=שם צד שלישי - כינוי צד שלישי +ALIAS_THIRDPARTY=כינוי צד שלישי - שם צד שלישי +PDFIn2Languages=הצג תוויות ב-PDF ב-2 שפות שונות (ייתכן שתכונה זו לא תעבוד עבור כמה שפות) +PDF_USE_ALSO_LANGUAGE_CODE=אם אתה רוצה שישכפלו כמה טקסטים ב-PDF שלך ב-2 שפות שונות באותו PDF שנוצר, עליך להגדיר כאן את השפה השנייה הזו כך שה-PDF שנוצר יכיל 2 שפות שונות באותו עמוד, זו שנבחרה בעת יצירת PDF והזו ( רק מעט תבניות PDF תומכות בכך). השאר ריק עבור שפה אחת לכל PDF. +PDF_USE_A=צור מסמכי PDF בפורמט PDF/A במקום PDF בפורמט ברירת המחדל +FafaIconSocialNetworksDesc=הזן כאן את הקוד של אייקון FontAwesome. אם אתה לא יודע מה זה FontAwesome, אתה יכול להשתמש ב-fa-address-book עם הערך הגנרי. +RssNote=הערה: כל הגדרת הזנת RSS מספקת ווידג'ט שעליך להפעיל כדי שיהיה זמין בלוח המחוונים +JumpToBoxes=קפוץ להגדרה -> ווידג'טים +MeasuringUnitTypeDesc=השתמש כאן בערך כמו "גודל", "משטח", "נפח", "משקל", "זמן" +MeasuringScaleDesc=הסולם הוא מספר המקומות שעליך להזיז את החלק העשרוני כדי להתאים ליחידת ההתייחסות המוגדרת כברירת מחדל. עבור סוג יחידת "זמן", זה מספר השניות. ערכים בין 80 ל-99 הם ערכים שמורים. +TemplateAdded=נוספה תבנית +TemplateUpdated=התבנית עודכנה +TemplateDeleted=התבנית נמחקה +MailToSendEventPush=מייל תזכורת לאירוע +SwitchThisForABetterSecurity=מומלץ להעביר ערך זה ל-%s ליתר אבטחה +DictionaryProductNature= אופי המוצר +CountryIfSpecificToOneCountry=מדינה (אם ספציפית למדינה מסוימת) +YouMayFindSecurityAdviceHere=ייתכן שתמצא כאן ייעוץ אבטחה +ModuleActivatedMayExposeInformation=תוסף PHP זה עשוי לחשוף נתונים רגישים. אם אתה לא צריך את זה, השבת את זה. +ModuleActivatedDoNotUseInProduction=מודול המיועד לפיתוח הופעל. אל תפעיל אותו בסביבת ייצור. +CombinationsSeparator=תו מפריד לשילובי מוצרים +SeeLinkToOnlineDocumentation=ראה קישור לתיעוד מקוון בתפריט העליון לדוגמאות +SHOW_SUBPRODUCT_REF_IN_PDF=אם התכונה "%s" של מודול %s משמש, הצג פרטים של תוצרי משנה של ערכה ב-PDF. +AskThisIDToYourBank=צור קשר עם הבנק שלך כדי לקבל תעודה מזהה זו +AdvancedModeOnly=ההרשאה זמינה במצב הרשאה מתקדמת בלבד +ConfFileIsReadableOrWritableByAnyUsers=קובץ ה-conf ניתן לקריאה או לכתיבה על ידי כל משתמש. תן הרשאה למשתמש ולקבוצה בשרת האינטרנט בלבד. +MailToSendEventOrganization=ארגון אירועים +MailToPartnership=שׁוּתָפוּת +AGENDA_EVENT_DEFAULT_STATUS=סטטוס אירוע ברירת מחדל בעת יצירת אירוע מהטופס +YouShouldDisablePHPFunctions=עליך להשבית פונקציות PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=אלא אם כן עליך להפעיל פקודות מערכת בקוד מותאם אישית, עליך להשבית פונקציות PHP +PHPFunctionsRequiredForCLI=למטרת מעטפת (כמו גיבוי עבודה מתוזמן או הפעלת תוכנית אנטי-וירוס), עליך לשמור על פונקציות PHP +NoWritableFilesFoundIntoRootDir=לא נמצאו קבצים ניתנים לכתיבה או ספריות של התוכניות הנפוצות בספריית השורש שלך (טוב) +RecommendedValueIs=מומלץ: %s Recommended=מומלץ -NotRecommended=Not recommended -ARestrictedPath=Some restricted path for data files -CheckForModuleUpdate=Check for external modules updates -CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. -ModuleUpdateAvailable=An update is available -NoExternalModuleWithUpdate=No updates found for external modules -SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) -YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=You enabled deprecated WS API. You should use REST API instead. -RandomlySelectedIfSeveral=Randomly selected if several pictures are available -SalesRepresentativeInfo=For Proposals, Orders, Invoices. -DatabasePasswordObfuscated=Database password is obfuscated in conf file -DatabasePasswordNotObfuscated=Database password is NOT obfuscated in conf file -APIsAreNotEnabled=APIs modules are not enabled -YouShouldSetThisToOff=You should set this to 0 or off -InstallAndUpgradeLockedBy=Install and upgrades are locked by the file %s -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. -OldImplementation=Old implementation -PDF_SHOW_LINK_TO_ONLINE_PAYMENT=If some online payment modules are enabled (Paypal, Stripe, ...), add a link on the PDF to make the online payment -DashboardDisableGlobal=Disable globally all the thumbs of open objects -BoxstatsDisableGlobal=Disable totally box statistics -DashboardDisableBlocks=Thumbs of open objects (to process or late) on main dashboard -DashboardDisableBlockAgenda=Disable the thumb for agenda -DashboardDisableBlockProject=Disable the thumb for projects -DashboardDisableBlockCustomer=Disable the thumb for customers -DashboardDisableBlockSupplier=Disable the thumb for suppliers -DashboardDisableBlockContract=Disable the thumb for contracts -DashboardDisableBlockTicket=Disable the thumb for tickets -DashboardDisableBlockBank=Disable the thumb for banks -DashboardDisableBlockAdherent=Disable the thumb for memberships -DashboardDisableBlockExpenseReport=Disable the thumb for expense reports -DashboardDisableBlockHoliday=Disable the thumb for leaves -EnabledCondition=Condition to have field enabled (if not enabled, visibility will always be off) -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -LanguageAndPresentation=Language and presentation -SkinAndColors=Skin and colors -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -PDF_USE_1A=Generate PDF with PDF/A-1b format -MissingTranslationForConfKey = Missing translation for %s -NativeModules=Native modules -NoDeployedModulesFoundWithThisSearchCriteria=No modules found for these search criteria -API_DISABLE_COMPRESSION=Disable compression of API responses -EachTerminalHasItsOwnCounter=Each terminal use its own counter. -FillAndSaveAccountIdAndSecret=Fill and save account ID and secret first -PreviousHash=Previous hash -LateWarningAfter="Late" warning after -TemplateforBusinessCards=Template for a business card in different size -InventorySetup= Inventory Setup -ExportUseLowMemoryMode=Use a low memory mode -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. +NotRecommended=לא מומלץ +ARestrictedPath=נתיב מוגבל לקבצי נתונים +CheckForModuleUpdate=בדוק אם קיימים עדכוני מודולים חיצוניים +CheckForModuleUpdateHelp=פעולה זו תתחבר לעורכי מודולים חיצוניים כדי לבדוק אם גרסה חדשה זמינה. +ModuleUpdateAvailable=עדכון זמין +NoExternalModuleWithUpdate=לא נמצאו עדכונים עבור מודולים חיצוניים +SwaggerDescriptionFile=קובץ התיאור של Swagger API (לשימוש עם redoc למשל) +YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=הפעלת WS API שהוצא משימוש. עליך להשתמש ב- REST API במקום זאת. +RandomlySelectedIfSeveral=נבחר באקראי אם מספר תמונות זמינות +SalesRepresentativeInfo=עבור הצעות, הזמנות, חשבוניות. +DatabasePasswordObfuscated=סיסמת מסד הנתונים מוסתרת בקובץ conf +DatabasePasswordNotObfuscated=סיסמת מסד הנתונים אינה מעורפלת בקובץ conf +APIsAreNotEnabled=מודולי ממשקי API אינם מופעלים +YouShouldSetThisToOff=אתה צריך להגדיר את זה ל-0 או כבוי +InstallAndUpgradeLockedBy=ההתקנה והשדרוגים נעולים על ידי הקובץ %s +InstallLockedBy=ההתקנה/התקנה מחדש ננעלת על ידי הקובץ %s +InstallOfAddonIsNotBlocked=התקנות של תוספות אינן נעולות. צור קובץ installmodules.lock לתוך הספרייה b0aee83365837 class
      %s
      כדי לחסום התקנות של תוספות/מודולים חיצוניים. +OldImplementation=יישום ישן +PDF_SHOW_LINK_TO_ONLINE_PAYMENT=אם כמה מודולי תשלום מקוונים מופעלים (Paypal, Stripe, ...), הוסף קישור ב-PDF כדי לבצע את התשלום המקוון +DashboardDisableGlobal=השבת באופן גלובלי את כל האגודלים של אובייקטים פתוחים +BoxstatsDisableGlobal=השבת לחלוטין את סטטיסטיקת הקופסה +DashboardDisableBlocks=אגודלים של אובייקטים פתוחים (לעיבוד או מאוחר) בלוח המחוונים הראשי +DashboardDisableBlockAgenda=השבת את האגודל לסדר היום +DashboardDisableBlockProject=השבת את האגודל עבור פרויקטים +DashboardDisableBlockCustomer=השבת את האגודל עבור לקוחות +DashboardDisableBlockSupplier=השבת את האגודל עבור ספקים +DashboardDisableBlockContract=השבת את האגודל עבור חוזים +DashboardDisableBlockTicket=השבת את האגודל לכרטיסים +DashboardDisableBlockBank=השבת את האגודל עבור בנקים +DashboardDisableBlockAdherent=השבת את האגודל עבור חברות +DashboardDisableBlockExpenseReport=השבת את האגודל עבור דוחות הוצאות +DashboardDisableBlockHoliday=השבת את האגודל עבור עלים +EnabledCondition=תנאי להפעלת השדה (אם לא מופעל, הראות תמיד תהיה כבויה) +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=אם ברצונך להשתמש במס שני, עליך להפעיל גם את מס המכירה הראשון +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=אם אתה רוצה להשתמש במס שלישי, עליך להפעיל גם את מס המכירה הראשון +LanguageAndPresentation=שפה ומצגת +SkinAndColors=עור וצבעים +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=אם ברצונך להשתמש במס שני, עליך להפעיל גם את מס המכירה הראשון +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=אם אתה רוצה להשתמש במס שלישי, עליך להפעיל גם את מס המכירה הראשון +PDF_USE_1A=צור PDF בפורמט PDF/A-1b +MissingTranslationForConfKey = חסר תרגום עבור %s +NativeModules=מודולים מקוריים +NoDeployedModulesFoundWithThisSearchCriteria=לא נמצאו מודולים עבור קריטריוני חיפוש אלה +API_DISABLE_COMPRESSION=השבת דחיסה של תגובות API +EachTerminalHasItsOwnCounter=כל טרמינל משתמש בדלפק משלו. +FillAndSaveAccountIdAndSecret=מלא ושמור תחילה את מזהה החשבון והסוד +PreviousHash=חשיש קודם +LateWarningAfter=אזהרת "מאוחר" לאחר +TemplateforBusinessCards=תבנית לכרטיס ביקור בגדלים שונים +InventorySetup= הגדרת מלאי +ExportUseLowMemoryMode=השתמש במצב זיכרון נמוך +ExportUseLowMemoryModeHelp=השתמש במצב זיכרון נמוך כדי ליצור את קובץ ה-dump (הדחיסה מתבצעת דרך צינור במקום לתוך זיכרון PHP). שיטה זו אינה מאפשרת לבדוק שהקובץ שלם ולא ניתן לדווח על הודעת שגיאה אם היא נכשלת. השתמש בו אם אתה נתקל בלא מספיק שגיאות זיכרון. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL -WebhookSetup = Webhook setup -Settings = Settings -WebhookSetupPage = Webhook setup page -ShowQuickAddLink=Show a button to quickly add an element in top right menu +ModuleWebhookDesc = ממשק לתפיסת טריגרים של dolibarr ושליחת נתונים של האירוע לכתובת URL +WebhookSetup = הגדרת Webhook +Settings = הגדרות +WebhookSetupPage = דף הגדרות Webhook +ShowQuickAddLink=הצג כפתור כדי להוסיף במהירות אלמנט בתפריט הימני העליון +ShowSearchAreaInTopMenu=הצג את אזור החיפוש בתפריט העליון +HashForPing=Hash משמש לפינג +ReadOnlyMode=הוא מופע במצב "קריאה בלבד". +DEBUGBAR_USE_LOG_FILE=השתמש בקובץ dolibarr.log כדי ללכוד יומנים +UsingLogFileShowAllRecordOfSubrequestButIsSlower=השתמש בקובץ dolibarr.log כדי ללכוד יומנים במקום לתפוס זיכרון חי. זה מאפשר לתפוס את כל היומנים במקום רק את היומן של התהליך הנוכחי (כך כולל את זה של דפי בקשות המשנה של ajax) אבל יהפוך את המופע שלך לאיטי מאוד. לא מומלץ. +FixedOrPercent=קבוע (השתמש במילת המפתח 'תקנה') או באחוזים (השתמש במילת המפתח 'אחוזים') +DefaultOpportunityStatus=סטטוס הזדמנות ברירת מחדל (סטטוס ראשון כאשר נוצר לידים) -HashForPing=Hash used for ping -ReadOnlyMode=Is instance in "Read Only" mode -DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs -UsingLogFileShowAllRecordOfSubrequestButIsSlower=Use the dolibarr.log file to trap Logs instead of live memory catching. It allows to catch all logs instead of only log of current process (so including the one of ajax subrequests pages) but will make your instance very very slow. Not recommended. -FixedOrPercent=Fixed (use keyword 'fixed') or percent (use keyword 'percent') -DefaultOpportunityStatus=Default opportunity status (first status when lead is created) - -IconAndText=Icon and text -TextOnly=Text only -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon -IconOnly=Icon only - Text on tooltip only -INVOICE_ADD_ZATCA_QR_CODE=Show the ZATCA QR code on invoices -INVOICE_ADD_ZATCA_QR_CODEMore=Some Arabic countries need this QR Code on their invoices -INVOICE_ADD_SWISS_QR_CODE=Show the swiss QR-Bill code on invoices -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. -INVOICE_SHOW_SHIPPING_ADDRESS=Show shipping address -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) -UrlSocialNetworksDesc=Url link of social network. Use {socialid} for the variable part that contains the social network ID. -IfThisCategoryIsChildOfAnother=If this category is a child of another one -DarkThemeMode=Dark theme mode -AlwaysDisabled=Always disabled -AccordingToBrowser=According to browser -AlwaysEnabled=Always Enabled -DoesNotWorkWithAllThemes=Will not work with all themes -NoName=No name -ShowAdvancedOptions= Show advanced options -HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service -DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method -UsePassword=Use a password -UseOauth=Use a OAUTH token -Images=Images -MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -ScriptIsEmpty=The script is empty -ShowHideTheNRequests=Show/hide the %s SQL request(s) -DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s -TriggerCodes=Triggerable events -TriggerCodeInfo=Enter here the trigger code(s) that must generate a post of a web request (only external URL are allowed). You can enter several trigger codes separated by a comma. -EditableWhenDraftOnly=If unchecked, the value can only be modified when object has a draft status -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" -RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents for receptions -MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions -WarningDisabled=Warning disabled -LimitsAndMitigation=Access limits and mitigation -DesktopsOnly=Desktops only -DesktopsAndSmartphones=Desktops et smartphones -AllowOnlineSign=Allow online signing -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. -CSSPage=CSS Style -Defaultfortype=Default -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +IconAndText=אייקון וטקסט +TextOnly=רק טקסט +IconOnlyAllTextsOnHover=סמל בלבד - כל הטקסטים מופיעים מתחת לסמל בעכבר מעל שורת התפריטים +IconOnlyTextOnHover=סמל בלבד - טקסט הסמל מופיע מתחת לסמל בעכבר מעל הסמל +IconOnly=אייקון בלבד - טקסט בתיאור הכלים בלבד +INVOICE_ADD_ZATCA_QR_CODE=הצג את קוד ה-ZATCA QR בחשבוניות +INVOICE_ADD_ZATCA_QR_CODEMore=מדינות ערביות מסוימות זקוקות לקוד QR זה בחשבוניות שלהן +INVOICE_ADD_SWISS_QR_CODE=הצג את קוד ה-QR-Bill השוויצרי בחשבוניות +INVOICE_ADD_SWISS_QR_CODEMore=התקן של שוויץ לחשבוניות; ודא כי ZIP & City מלאים ושהחשבונות כוללים IBAN שוויצרי/ליכטנשטיין חוקי. +INVOICE_SHOW_SHIPPING_ADDRESS=הצג כתובת למשלוח +INVOICE_SHOW_SHIPPING_ADDRESSMore=ציון חובה במדינות מסוימות (צרפת, ...) +UrlSocialNetworksDesc=קישור כתובת אתר של רשת חברתית. השתמש ב-{socialid} עבור החלק המשתנה שמכיל את מזהה הרשת החברתית. +IfThisCategoryIsChildOfAnother=אם הקטגוריה הזו היא ילדה של אחת אחרת +DarkThemeMode=מצב ערכת נושא כהה +AlwaysDisabled=תמיד מושבת +AccordingToBrowser=לפי הדפדפן +AlwaysEnabled=מופעל תמיד +DoesNotWorkWithAllThemes=לא יעבוד עם כל הנושאים +NoName=ללא שם +ShowAdvancedOptions= הצג אפשרויות מתקדמות +HideAdvancedoptions= הסתר אפשרויות מתקדמות +CIDLookupURL=המודול מביא כתובת URL שיכולה לשמש כלי חיצוני כדי לקבל את השם של צד שלישי או איש קשר ממספר הטלפון שלו. כתובת האתר לשימוש היא: +OauthNotAvailableForAllAndHadToBeCreatedBefore=אימות OAUTH2 אינו זמין עבור כל המארחים, וחייב ליצור אסימון עם ההרשאות הנכונות במעלה הזרם עם מודול OAUTH +MAIN_MAIL_SMTPS_OAUTH_SERVICE=שירות אימות OAUTH2 +DontForgetCreateTokenOauthMod=אסימון עם ההרשאות הנכונות חייב להיות נוצר במעלה הזרם עם מודול OAUTH +MAIN_MAIL_SMTPS_AUTH_TYPE=שיטת אימות +UsePassword=השתמש בסיסמה +UseOauth=השתמש באסימון OAUTH +Images=תמונות +MaxNumberOfImagesInGetPost=המספר המרבי של תמונות המותר בשדה HTML שנשלח בטופס +MaxNumberOfPostOnPublicPagesByIP=מספר מקסימלי של פוסטים בדפים ציבוריים עם אותה כתובת IP בחודש +CIDLookupURL=המודול מביא כתובת URL שיכולה לשמש כלי חיצוני כדי לקבל את השם של צד שלישי או איש קשר ממספר הטלפון שלו. כתובת האתר לשימוש היא: +ScriptIsEmpty=הסקריפט ריק +ShowHideTheNRequests=הצג/הסתיר את %s בקשות SQL +DefinedAPathForAntivirusCommandIntoSetup=הגדר נתיב לתוכנית אנטי-וירוס אל %s +TriggerCodes=אירועים הניתנים להפעלה +TriggerCodeInfo=הזן כאן את קוד/קודי הטריגר שחייבים ליצור פוסט של בקשת אינטרנט (רק כתובת URL חיצונית מותרת). אתה יכול להזין מספר קודי טריגר מופרדים בפסיק. +EditableWhenDraftOnly=אם לא מסומן, ניתן לשנות את הערך רק כאשר לאובייקט יש סטטוס טיוטה +CssOnEdit=CSS בדפי עריכה +CssOnView=CSS בדפי צפייה +CssOnList=CSS ברשימות +HelpCssOnEditDesc=ה-CSS בשימוש בעת עריכת השדה.
      דוגמה: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=ה-CSS המשמש בעת צפייה בשדה. +HelpCssOnListDesc=ה-CSS בשימוש כאשר השדה נמצא בתוך טבלת רשימה.
      דוגמה: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=הסתר את הכמות שהוזמנה על המסמכים שנוצרו לקבלת פנים +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=הצג את המחיר על המסמכים שנוצרו עבור קבלות פנים +WarningDisabled=אזהרה מושבתת +LimitsAndMitigation=מגבלות גישה והפחתה +RecommendMitigationOnURL=מומלץ להפעיל הקלה ב-URL קריטי. זוהי רשימה של כללי fail2ban שבהם אתה יכול להשתמש עבור כתובות האתרים החשובות העיקריות. +DesktopsOnly=שולחנות עבודה בלבד +DesktopsAndSmartphones=מחשבים שולחניים וסמארטפונים +AllowOnlineSign=אפשר חתימה מקוונת +AllowExternalDownload=אפשר הורדה חיצונית (ללא התחברות, באמצעות קישור משותף) +DeadlineDayVATSubmission=יום המועד האחרון להגשת מע"מ בחודש הבא +MaxNumberOfAttachementOnForms=מספר מקסימלי של קבצים שהצטרפו בטופס +IfDefinedUseAValueBeetween=אם מוגדר, השתמש בערך בין %s לבין %s +Reload=לִטעוֹן מִחָדָשׁ +ConfirmReload=אשר את טעינת המודול מחדש +WarningModuleHasChangedLastVersionCheckParameter=אזהרה: המודול %s הגדיר פרמטר לבדיקת הגרסה שלו בכל גישה לדף. זהו תרגול רע ואסור שעלול להפוך את הדף לניהול מודולים לבלתי יציב. אנא צור קשר עם מחבר המודול כדי לתקן זאת. +WarningModuleHasChangedSecurityCsrfParameter=אזהרה: המודול %s השבית את אבטחת ה-CSRF של המופע שלך. פעולה זו חשודה וייתכן שההתקנה שלך לא תהיה מאובטחת יותר. אנא צור קשר עם מחבר המודול להסבר. +EMailsInGoingDesc=הודעות דוא"ל נכנסות מנוהלות על ידי המודול %s. עליך להפעיל ולהגדיר אותו אם אתה צריך לתמוך בהודעות דוא"ל נכנסות. +MAIN_IMAP_USE_PHPIMAP=השתמש בספריית PHP-IMAP עבור IMAP במקום ב-PHP IMAP מקורי. זה גם מאפשר שימוש בחיבור OAuth2 עבור IMAP (יש להפעיל גם את מודול OAuth). +MAIN_CHECKBOX_LEFT_COLUMN=הצג את העמודה לבחירת שדה ושורה משמאל (בצד ימין כברירת מחדל) +NotAvailableByDefaultEnabledOnModuleActivation=לא נוצר כברירת מחדל. נוצר בהפעלת מודול בלבד. +CSSPage=סגנון CSS +Defaultfortype=בְּרִירַת מֶחדָל +DefaultForTypeDesc=התבנית משמשת כברירת מחדל בעת יצירת אימייל חדש עבור סוג התבנית +OptionXShouldBeEnabledInModuleY=יש להפעיל את האפשרות "%s" למודול %s +OptionXIsCorrectlyEnabledInModuleY=האפשרות "%s" מופעלת במודול %s +AllowOnLineSign=אפשר חתימה On Line +AtBottomOfPage=בתחתית העמוד +FailedAuth=אימותים נכשלים +MaxNumberOfFailedAuth=המספר המרבי של אימות נכשל ב-24 שעות למניעת כניסה. +AllowPasswordResetBySendingANewPassByEmail=אם למשתמש א' יש הרשאה זו, וגם אם משתמש א' אינו משתמש "אדמין", א' רשאי לאפס את הסיסמה של כל משתמש אחר ב', הסיסמה החדשה תישלח למייל של המשתמש השני ב' אך זה לא יהיה גלוי ל-A. אם למשתמש A יש את הדגל "admin", הוא גם יוכל לדעת מהי הסיסמה החדשה שנוצרה של B כך שהוא יוכל להשתלט על חשבון המשתמש B. +AllowAnyPrivileges=אם למשתמש א' יש הרשאה זו, הוא יכול ליצור משתמש ב' עם כל ההרשאות ואז להשתמש במשתמש זה ב', או להעניק לעצמו כל קבוצה אחרת עם כל הרשאה. אז זה אומר שמשתמש A הוא הבעלים של כל ההרשאות העסקיות (רק גישה למערכת לדפי הגדרה תהיה אסורה) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=ניתן לקרוא ערך זה מכיוון שהמופע שלך אינו מוגדר במצב ייצור +SeeConfFile=ראה בתוך קובץ conf.php בשרת +ReEncryptDesc=הצפנה מחדש נתונים אם עדיין לא הוצפנו +PasswordFieldEncrypted=%s רשומה חדשה האם השדה הזה הוצפן +ExtrafieldsDeleted=Extrafields %s נמחקו +LargeModern=גדול - מודרני +SpecialCharActivation=אפשר את הלחצן כדי לפתוח מקלדת וירטואלית כדי להזין תווים מיוחדים +DeleteExtrafield=מחק שדה נוסף +ConfirmDeleteExtrafield=האם אתה מאשר את מחיקת השדה %s ? כל הנתונים שנשמרו בשדה זה יימחקו בהחלט +ExtraFieldsSupplierInvoicesRec=מאפיינים משלימים (תבניות חשבוניות) +ExtraFieldsSupplierInvoicesLinesRec=מאפיינים משלימים (שורות חשבונית בתבנית) +ParametersForTestEnvironment=פרמטרים עבור סביבת בדיקה +TryToKeepOnly=נסה לשמור רק %s +RecommendedForProduction=מומלץ להפקה +RecommendedForDebug=מומלץ לניפוי באגים diff --git a/htdocs/langs/he_IL/agenda.lang b/htdocs/langs/he_IL/agenda.lang index f6fe5ed49c6..b9cf7143e6b 100644 --- a/htdocs/langs/he_IL/agenda.lang +++ b/htdocs/langs/he_IL/agenda.lang @@ -1,174 +1,207 @@ # Dolibarr language file - Source file is en_US - agenda -IdAgenda=ID event -Actions=Events +IdAgenda=אירוע מזהה +Actions=אירועים Agenda=סדר היום TMenuAgenda=סדר היום -Agendas=Agendas -LocalAgenda=Default calendar -ActionsOwnedBy=Event owned by -ActionsOwnedByShort=Owner -AffectedTo=Assigned to -Event=Event -Events=Events -EventsNb=Number of events -ListOfActions=List of events -EventReports=Event reports -Location=Location -ToUserOfGroup=Event assigned to any user in the group -EventOnFullDay=Event on all day(s) -MenuToDoActions=All incomplete events -MenuDoneActions=All terminated events -MenuToDoMyActions=My incomplete events -MenuDoneMyActions=My terminated events -ListOfEvents=List of events (default calendar) -ActionsAskedBy=Events reported by -ActionsToDoBy=Events assigned to -ActionsDoneBy=Events done by -ActionAssignedTo=Event assigned to -ViewCal=Month view -ViewDay=Day view -ViewWeek=Week view -ViewPerUser=Per user view -ViewPerType=Per type view -AutoActions= Automatic filling -AgendaAutoActionDesc= Here you may define events which you want Dolibarr to create automatically in Agenda. If nothing is checked, only manual actions will be included in logs and displayed in Agenda. Automatic tracking of business actions done on objects (validation, status change) will not be saved. -AgendaSetupOtherDesc= This page provides options to allow the export of your Dolibarr events into an external calendar (Thunderbird, Google Calendar etc...) -AgendaExtSitesDesc=This page allows to declare external sources of calendars to see their events into Dolibarr agenda. -ActionsEvents=Events for which Dolibarr will create an action in agenda automatically -EventRemindersByEmailNotEnabled=Event reminders by email was not enabled into %s module setup. +Agendas=סדר יום +LocalAgenda=לוח שנה ברירת מחדל +ActionsOwnedBy=אירוע בבעלות +ActionsOwnedByShort=בעלים +AffectedTo=שהוקצה ל +Event=מִקרֶה +Events=אירועים +EventsNb=מספר אירועים +ListOfActions=רשימת אירועים +EventReports=דוחות אירועים +Location=מקום +ToUserOfGroup=אירוע שהוקצה לכל משתמש בקבוצה +EventOnFullDay=אירוע בכל הימים +MenuToDoActions=כל האירועים הלא שלמים +MenuDoneActions=כל האירועים שהופסקו +MenuToDoMyActions=האירועים הלא שלמים שלי +MenuDoneMyActions=אירועי הסתיימו שלי +ListOfEvents=רשימת אירועים (לוח שנה ברירת מחדל) +ActionsAskedBy=אירועים שדווחו על ידי +ActionsToDoBy=אירועים הוקצו ל +ActionsDoneBy=אירועים שנעשו על ידי +ActionAssignedTo=האירוע הוקצה ל +ViewCal=תצוגת חודש +ViewDay=תצוגת יום +ViewWeek=תצוגת שבוע +ViewPerUser=לכל תצוגת משתמש +ViewPerType=תצוגה לפי סוג +AutoActions= מילוי אוטומטי +AgendaAutoActionDesc= כאן אתה יכול להגדיר אירועים שאתה רוצה ש-Dolibarr תיצור אוטומטית ב-Agenda. אם שום דבר לא מסומן, רק פעולות ידניות ייכללו ביומנים ויוצגו באג'נדה. מעקב אוטומטי אחר פעולות עסקיות שנעשו על אובייקטים (אימות, שינוי סטטוס) לא יישמר. +AgendaSetupOtherDesc= דף זה מספק אפשרויות לאפשר ייצוא של אירועי Dolibarr שלך ללוח שנה חיצוני (Thunderbird, Google Calendar וכו'...) +AgendaExtSitesDesc=דף זה מאפשר להכריז על מקורות חיצוניים של לוחות שנה כדי לראות את האירועים שלהם בסדר היום של Dolibarr. +ActionsEvents=אירועים שעבורם Dolibarr תיצור פעולה באג'נדה באופן אוטומטי +EventRemindersByEmailNotEnabled=תזכורות לאירועים באימייל לא הופעלו בהגדרת המודול %s. ##### Agenda event labels ##### -NewCompanyToDolibarr=Third party %s created -COMPANY_MODIFYInDolibarr=Third party %s modified -COMPANY_DELETEInDolibarr=Third party %s deleted -ContractValidatedInDolibarr=Contract %s validated -CONTRACT_DELETEInDolibarr=Contract %s deleted -PropalClosedSignedInDolibarr=Proposal %s signed -PropalClosedRefusedInDolibarr=Proposal %s refused -PropalValidatedInDolibarr=Proposal %s validated -PropalClassifiedBilledInDolibarr=Proposal %s classified billed -InvoiceValidatedInDolibarr=Invoice %s validated -InvoiceValidatedInDolibarrFromPos=Invoice %s validated from POS -InvoiceBackToDraftInDolibarr=Invoice %s go back to draft status -InvoiceDeleteDolibarr=Invoice %s deleted -InvoicePaidInDolibarr=Invoice %s changed to paid -InvoiceCanceledInDolibarr=Invoice %s canceled -MemberValidatedInDolibarr=Member %s validated -MemberModifiedInDolibarr=Member %s modified -MemberResiliatedInDolibarr=Member %s terminated -MemberDeletedInDolibarr=Member %s deleted -MemberSubscriptionAddedInDolibarr=Subscription %s for member %s added -MemberSubscriptionModifiedInDolibarr=Subscription %s for member %s modified -MemberSubscriptionDeletedInDolibarr=Subscription %s for member %s deleted -ShipmentValidatedInDolibarr=Shipment %s validated -ShipmentClassifyClosedInDolibarr=Shipment %s classified billed -ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified re-open -ShipmentBackToDraftInDolibarr=Shipment %s go back to draft status -ShipmentDeletedInDolibarr=Shipment %s deleted -ShipmentCanceledInDolibarr=Shipment %s canceled -ReceptionValidatedInDolibarr=Reception %s validated -OrderCreatedInDolibarr=Order %s created -OrderValidatedInDolibarr=Order %s validated -OrderDeliveredInDolibarr=Order %s classified delivered -OrderCanceledInDolibarr=Order %s canceled -OrderBilledInDolibarr=Order %s classified billed -OrderApprovedInDolibarr=Order %s approved -OrderRefusedInDolibarr=Order %s refused -OrderBackToDraftInDolibarr=Order %s go back to draft status -ProposalSentByEMail=Commercial proposal %s sent by email -ContractSentByEMail=Contract %s sent by email -OrderSentByEMail=Sales order %s sent by email -InvoiceSentByEMail=Customer invoice %s sent by email -SupplierOrderSentByEMail=Purchase order %s sent by email -ORDER_SUPPLIER_DELETEInDolibarr=Purchase order %s deleted -SupplierInvoiceSentByEMail=Vendor invoice %s sent by email -ShippingSentByEMail=Shipment %s sent by email -ShippingValidated= Shipment %s validated -InterventionSentByEMail=Intervention %s sent by email -ProposalDeleted=Proposal deleted -OrderDeleted=Order deleted -InvoiceDeleted=Invoice deleted -DraftInvoiceDeleted=Draft invoice deleted -CONTACT_CREATEInDolibarr=Contact %s created -CONTACT_MODIFYInDolibarr=Contact %s modified -CONTACT_DELETEInDolibarr=Contact %s deleted -PRODUCT_CREATEInDolibarr=Product %s created -PRODUCT_MODIFYInDolibarr=Product %s modified -PRODUCT_DELETEInDolibarr=Product %s deleted -HOLIDAY_CREATEInDolibarr=Request for leave %s created -HOLIDAY_MODIFYInDolibarr=Request for leave %s modified -HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated -HOLIDAY_DELETEInDolibarr=Request for leave %s deleted -EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created -EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated -EXPENSE_REPORT_APPROVEInDolibarr=Expense report %s approved -EXPENSE_REPORT_DELETEInDolibarr=Expense report %s deleted -EXPENSE_REPORT_REFUSEDInDolibarr=Expense report %s refused -PROJECT_CREATEInDolibarr=Project %s created -PROJECT_MODIFYInDolibarr=Project %s modified -PROJECT_DELETEInDolibarr=Project %s deleted -TICKET_CREATEInDolibarr=Ticket %s created -TICKET_MODIFYInDolibarr=Ticket %s modified -TICKET_ASSIGNEDInDolibarr=Ticket %s assigned -TICKET_CLOSEInDolibarr=Ticket %s closed -TICKET_DELETEInDolibarr=Ticket %s deleted -BOM_VALIDATEInDolibarr=BOM validated -BOM_UNVALIDATEInDolibarr=BOM unvalidated -BOM_CLOSEInDolibarr=BOM disabled -BOM_REOPENInDolibarr=BOM reopen -BOM_DELETEInDolibarr=BOM deleted -MRP_MO_VALIDATEInDolibarr=MO validated -MRP_MO_UNVALIDATEInDolibarr=MO set to draft status -MRP_MO_PRODUCEDInDolibarr=MO produced -MRP_MO_DELETEInDolibarr=MO deleted -MRP_MO_CANCELInDolibarr=MO canceled -PAIDInDolibarr=%s paid +NewCompanyToDolibarr=צד שלישי %s נוצר +COMPANY_MODIFYInDolibarr=צד שלישי %s השתנה +COMPANY_DELETEInDolibarr=צד שלישי %s נמחק +ContractValidatedInDolibarr=תוקף החוזה %s +CONTRACT_DELETEInDolibarr=החוזה %s נמחק +PropalClosedSignedInDolibarr=הצעה %s חתומה +PropalClosedRefusedInDolibarr=ההצעה %s נדחתה +PropalValidatedInDolibarr=ההצעה %s אומתה +PropalBackToDraftInDolibarr=הצעה %s חזרה לסטטוס הטיוטה +PropalClassifiedBilledInDolibarr=הצעה %s מסווגת מחויבת +InvoiceValidatedInDolibarr=החשבונית %s אומתה +InvoiceValidatedInDolibarrFromPos=חשבונית %s מאומתת מ-POS +InvoiceBackToDraftInDolibarr=חשבונית %s חזרה לסטטוס הטיוטה +InvoiceDeleteDolibarr=החשבונית %s נמחקה +InvoicePaidInDolibarr=החשבונית %s שונתה לשולמה +InvoiceCanceledInDolibarr=החשבונית %s בוטלה +MemberValidatedInDolibarr=חבר %s מאומת +MemberModifiedInDolibarr=חבר %s השתנה +MemberResiliatedInDolibarr=חבר %s הסתיים +MemberDeletedInDolibarr=חבר %s נמחק +MemberExcludedInDolibarr=חבר %s לא נכלל +MemberSubscriptionAddedInDolibarr=מנוי %s עבור חבר %s נוסף +MemberSubscriptionModifiedInDolibarr=מנוי %s עבור חבר %s שונה +MemberSubscriptionDeletedInDolibarr=מנוי %s עבור חבר %s נמחק +ShipmentValidatedInDolibarr=המשלוח %s אומת +ShipmentClassifyClosedInDolibarr=משלוח %s מסווג סגור +ShipmentUnClassifyCloseddInDolibarr=משלוח %s מסווג נפתח מחדש +ShipmentBackToDraftInDolibarr=משלוח %s חזור למצב טיוטה +ShipmentDeletedInDolibarr=המשלוח %s נמחק +ShipmentCanceledInDolibarr=המשלוח %s בוטל +ReceptionValidatedInDolibarr=קליטה %s מאומתת +ReceptionDeletedInDolibarr=הקבלה %s נמחקה +ReceptionClassifyClosedInDolibarr=הקבלה %s מסווגת סגורה +OrderCreatedInDolibarr=הזמנה %s נוצרה +OrderValidatedInDolibarr=הזמנה %s אומתה +OrderDeliveredInDolibarr=הזמנה %s מסווגת נמסרה +OrderCanceledInDolibarr=הזמנה %s בוטלה +OrderBilledInDolibarr=הזמנה %s מסווגת מחויבת +OrderApprovedInDolibarr=ההזמנה %s אושרה +OrderRefusedInDolibarr=הזמנה %s נדחתה +OrderBackToDraftInDolibarr=הזמנה %s חזרה לסטטוס טיוטה +ProposalSentByEMail=הצעה מסחרית %s נשלחה בדוא"ל +ContractSentByEMail=חוזה %s נשלח בדוא"ל +OrderSentByEMail=הזמנת מכירה %s נשלחה בדוא"ל +InvoiceSentByEMail=חשבונית לקוח %s נשלחה בדוא"ל +SupplierOrderSentByEMail=הזמנת רכש %s נשלחה בדוא"ל +ORDER_SUPPLIER_DELETEInDolibarr=הזמנת רכש %s נמחקה +SupplierInvoiceSentByEMail=חשבונית ספק %s נשלחה בדוא"ל +ShippingSentByEMail=משלוח %s נשלח בדוא"ל +ShippingValidated= המשלוח %s אומת +InterventionSentByEMail=התערבות %s נשלחה בדוא"ל +ProjectSentByEMail=פרויקט %s נשלח בדוא"ל +ProjectDeletedInDolibarr=הפרויקט %s נמחק +ProjectClosedInDolibarr=פרויקט %s נסגר +ProposalDeleted=ההצעה נמחקה +OrderDeleted=ההזמנה נמחקה +InvoiceDeleted=החשבונית נמחקה +DraftInvoiceDeleted=טיוטת החשבונית נמחקה +CONTACT_CREATEInDolibarr=איש הקשר %s נוצר +CONTACT_MODIFYInDolibarr=איש הקשר %s השתנה +CONTACT_DELETEInDolibarr=איש הקשר %s נמחק +PRODUCT_CREATEInDolibarr=המוצר %s נוצר +PRODUCT_MODIFYInDolibarr=המוצר %s השתנה +PRODUCT_DELETEInDolibarr=המוצר %s נמחק +HOLIDAY_CREATEInDolibarr=בקשת חופשה %s נוצרה +HOLIDAY_MODIFYInDolibarr=בקשת חופשה %s השתנתה +HOLIDAY_APPROVEInDolibarr=בקשת החופשה %s אושרה +HOLIDAY_VALIDATEInDolibarr=בקשת חופשה %s אומתה +HOLIDAY_DELETEInDolibarr=בקשת החופשה %s נמחקה +EXPENSE_REPORT_CREATEInDolibarr=דוח הוצאות %s נוצר +EXPENSE_REPORT_VALIDATEInDolibarr=דוח הוצאות %s אומת +EXPENSE_REPORT_APPROVEInDolibarr=דוח ההוצאות %s אושר +EXPENSE_REPORT_DELETEInDolibarr=דוח ההוצאות %s נמחק +EXPENSE_REPORT_REFUSEDInDolibarr=דוח הוצאות %s נדחה +PROJECT_CREATEInDolibarr=פרויקט %s נוצר +PROJECT_MODIFYInDolibarr=פרויקט %s השתנה +PROJECT_DELETEInDolibarr=הפרויקט %s נמחק +TICKET_CREATEInDolibarr=הכרטיס %s נוצר +TICKET_MODIFYInDolibarr=הכרטיס %s השתנה +TICKET_ASSIGNEDInDolibarr=הכרטיס %s הוקצה +TICKET_CLOSEInDolibarr=הכרטיס %s נסגר +TICKET_DELETEInDolibarr=הכרטיס %s נמחק +BOM_VALIDATEInDolibarr=BOM מאומת +BOM_UNVALIDATEInDolibarr=BOM לא מאומת +BOM_CLOSEInDolibarr=BOM מושבת +BOM_REOPENInDolibarr=BOM נפתח מחדש +BOM_DELETEInDolibarr=BOM נמחק +MRP_MO_VALIDATEInDolibarr=MO מאומת +MRP_MO_UNVALIDATEInDolibarr=MO מוגדר למצב טיוטה +MRP_MO_PRODUCEDInDolibarr=MO הופק +MRP_MO_DELETEInDolibarr=MO נמחק +MRP_MO_CANCELInDolibarr=MO בוטל +PAIDInDolibarr=%s בתשלום +ENABLEDISABLEInDolibarr=משתמש מופעל או מושבת +CANCELInDolibarr=מבוטל ##### End agenda events ##### -AgendaModelModule=Document templates for event -DateActionStart=Start date -DateActionEnd=End date -AgendaUrlOptions1=You can also add following parameters to filter output: -AgendaUrlOptions3=logina=%s to restrict output to actions owned by a user %s. -AgendaUrlOptionsNotAdmin=logina=!%s to restrict output to actions not owned by user %s. -AgendaUrlOptions4=logint=%s to restrict output to actions assigned to user %s (owner and others). -AgendaUrlOptionsProject=project=__PROJECT_ID__ to restrict output to actions linked to project __PROJECT_ID__. -AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto to exclude automatic events. -AgendaUrlOptionsIncludeHolidays=includeholidays=1 to include events of holidays. -AgendaShowBirthdayEvents=Birthdays of contacts -AgendaHideBirthdayEvents=Hide birthdays of contacts -Busy=Busy -ExportDataset_event1=List of agenda events -DefaultWorkingDays=Default working days range in week (Example: 1-5, 1-6) -DefaultWorkingHours=Default working hours in day (Example: 9-18) +AgendaModelModule=תבניות מסמכים לאירוע +DateActionStart=תאריך התחלה +DateActionEnd=תאריך סיום +AgendaUrlOptions1=אתה יכול גם להוסיף את הפרמטרים הבאים לסינון הפלט: +AgendaUrlOptions3=logina=%s כדי להגביל את הפלט לפעולות שבבעלות משתמש %s. +AgendaUrlOptionsNotAdmin=logina=!%s כדי להגביל פלט לפעולות שאינן בבעלות משתמש %s. +AgendaUrlOptions4=logint=%s כדי להגביל את הפלט לפעולות שהוקצו למשתמש span class='notranslate'>
      %s (בעלים ואחרים). +AgendaUrlOptionsProject=project=__PROJECT_ID__ כדי להגביל את הפלט לפעולות המקושרות לפרויקט b0aee87365 __PROJECT_ID__
      . +AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto כדי לא לכלול אירועים אוטומטיים. +AgendaUrlOptionsIncludeHolidays=includeholidays=1 כדי לכלול אירועים של חגים. +AgendaShowBirthdayEvents=ימי הולדת של אנשי קשר +AgendaHideBirthdayEvents=הסתר ימי הולדת של אנשי קשר +Busy=עסוק +ExportDataset_event1=רשימת אירועי סדר היום +DefaultWorkingDays=טווח ימי עבודה המוגדר כברירת מחדל בשבוע (דוגמה: 1-5, 1-6) +DefaultWorkingHours=שעות עבודה ברירת מחדל ביום (דוגמה: 9-18) # External Sites ical -ExportCal=Export calendar -ExtSites=Import external calendars -ExtSitesEnableThisTool=Show external calendars (defined in global setup) in Agenda. Does not affect external calendars defined by users. -ExtSitesNbOfAgenda=Number of calendars -AgendaExtNb=Calendar no. %s -ExtSiteUrlAgenda=URL to access .ical file -ExtSiteNoLabel=No Description -VisibleTimeRange=Visible time range -VisibleDaysRange=Visible days range +ExportCal=ייצוא לוח שנה +ExtSites=ייבוא יומנים חיצוניים +ExtSitesEnableThisTool=הצג יומנים חיצוניים (מוגדרים בהגדרה הגלובלית) ב-Agenda. אינו משפיע על לוחות שנה חיצוניים שהוגדרו על ידי משתמשים. +ExtSitesNbOfAgenda=מספר לוחות שנה +AgendaExtNb=מספר לוח שנה. %s +ExtSiteUrlAgenda=כתובת URL לגישה לקובץ .ical +ExtSiteNoLabel=אין תיאור +VisibleTimeRange=טווח זמן גלוי +VisibleDaysRange=טווח ימים גלויים AddEvent=אירוע חדש -MyAvailability=My availability -ActionType=Event type -DateActionBegin=Start event date -ConfirmCloneEvent=Are you sure you want to clone the event %s? -RepeatEvent=Repeat event -OnceOnly=Once only -EveryWeek=Every week -EveryMonth=Every month -DayOfMonth=Day of month -DayOfWeek=Day of week -DateStartPlusOne=Date start + 1 hour -SetAllEventsToTodo=Set all events to todo -SetAllEventsToInProgress=Set all events to in progress -SetAllEventsToFinished=Set all events to finished -ReminderTime=Reminder period before the event -TimeType=Duration type -ReminderType=Callback type -AddReminder=Create an automatic reminder notification for this event -ErrorReminderActionCommCreation=Error creating the reminder notification for this event -BrowserPush=Browser Popup Notification -ActiveByDefault=Enabled by default +MyAvailability=הזמינות שלי +ActionType=סוג אירוע +DateActionBegin=תאריך תחילת האירוע +ConfirmCloneEvent=האם אתה בטוח שברצונך לשכפל את האירוע %s? +RepeatEvent=אירוע חוזר +OnceOnly=פעם אחת בלבד +EveryDay=כל יום +EveryWeek=כל שבוע +EveryMonth=כל חודש +DayOfMonth=יום בחודש +DayOfWeek=יום בשבוע +DateStartPlusOne=תאריך התחלה + שעה +SetAllEventsToTodo=הגדר את כל האירועים לביצוע +SetAllEventsToInProgress=הגדר את כל האירועים ל'בעייתיים' +SetAllEventsToFinished=הגדר את כל האירועים לסיום +ReminderTime=תקופת תזכורת לפני האירוע +TimeType=סוג משך הזמן +ReminderType=סוג התקשרות חוזרת +AddReminder=צור הודעת תזכורת אוטומטית עבור אירוע זה +ErrorReminderActionCommCreation=שגיאה ביצירת הודעת התזכורת לאירוע זה +BrowserPush=הודעה קופצת בדפדפן +Reminders=תזכורות +ActiveByDefault=מופעל כברירת מחדל +Until=עד +DataFromWasMerged=נתונים מ-%s מוזגו +AgendaShowBookcalCalendar=לוח הזמנות: %s +MenuBookcalIndex=פגישה מקוונת +BookcalLabelAvailabilityHelp=תווית של טווח הזמינות. לדוגמה:
      זמינות כללית
      זמינות במהלך חגי חג המולד +DurationOfRange=משך טווחים +BookCalSetup = הגדרת תורים מקוונת +Settings = הגדרות +BookCalSetupPage = דף הגדרת פגישות מקוון +BOOKCAL_PUBLIC_INTERFACE_TOPIC = כותרת ממשק +About = על אודות +BookCalAbout = על BookCal +BookCalAboutPage = BookCal אודות עמוד +Calendars=לוחות שנה +Availabilities=זמינות +NewAvailabilities=זמינות חדשות +NewCalendar=לוח שנה חדש +ThirdPartyBookCalHelp=אירוע שהוזמן בלוח השנה הזה יקושר אוטומטית לצד שלישי זה. +AppointmentDuration = משך הפגישה : %s +BookingSuccessfullyBooked=ההזמנה שלך נשמרה +BookingReservationHourAfter=אנו מאשרים את ההזמנה של הפגישה שלנו בתאריך %s +BookcalBookingTitle=פגישה מקוונת diff --git a/htdocs/langs/he_IL/assets.lang b/htdocs/langs/he_IL/assets.lang index ef04723c6c2..eae61f11a50 100644 --- a/htdocs/langs/he_IL/assets.lang +++ b/htdocs/langs/he_IL/assets.lang @@ -1,4 +1,4 @@ -# Copyright (C) 2018 Alexandre Spangaro +# Copyright (C) 2018-2022 Alexandre Spangaro # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by @@ -16,50 +16,171 @@ # # Generic # -Assets = Assets -NewAsset = New asset -AccountancyCodeAsset = Accounting code (asset) -AccountancyCodeDepreciationAsset = Accounting code (depreciation asset account) -AccountancyCodeDepreciationExpense = Accounting code (depreciation expense account) -NewAssetType=New asset type -AssetsTypeSetup=Asset type setup -AssetTypeModified=Asset type modified -AssetType=Asset type -AssetsLines=Assets -DeleteType=Delete -DeleteAnAssetType=Delete an asset type -ConfirmDeleteAssetType=Are you sure you want to delete this asset type? -ShowTypeCard=Show type '%s' +NewAsset=נכס חדש +AccountancyCodeAsset=קוד הנהלת חשבונות (נכס) +AccountancyCodeDepreciationAsset=קוד חשבונאות (חשבון נכס פחת) +AccountancyCodeDepreciationExpense=קוד הנהלת חשבונות (חשבון הוצאות פחת) +AssetsLines=נכסים +DeleteType=לִמְחוֹק +DeleteAnAssetType=מחק מודל נכס +ConfirmDeleteAssetType=האם אתה בטוח שברצונך למחוק את מודל הנכס הזה? +ShowTypeCard=הצג את הדגם '%s' # Module label 'ModuleAssetsName' -ModuleAssetsName = Assets +ModuleAssetsName=נכסים # Module description 'ModuleAssetsDesc' -ModuleAssetsDesc = Assets description +ModuleAssetsDesc=תיאור הנכסים # # Admin page # -AssetsSetup = Assets setup -Settings = Settings -AssetsSetupPage = Assets setup page -ExtraFieldsAssetsType = Complementary attributes (Asset type) -AssetsType=Asset type -AssetsTypeId=Asset type id -AssetsTypeLabel=Asset type label -AssetsTypes=Assets types +AssetSetup=הגדרת נכסים +AssetSetupPage=דף הגדרת נכסים +ExtraFieldsAssetModel=מאפיינים משלימים (המודל של הנכס) + +AssetsType=מודל נכס +AssetsTypeId=מזהה דגם נכס +AssetsTypeLabel=תווית דגם נכס +AssetsTypes=מודלים של נכסים +ASSET_ACCOUNTANCY_CATEGORY=קבוצת הנהלת חשבונות רכוש קבוע # # Menu # -MenuAssets = Assets -MenuNewAsset = New asset -MenuTypeAssets = Type assets -MenuListAssets = List -MenuNewTypeAssets = New -MenuListTypeAssets = List +MenuAssets=נכסים +MenuNewAsset=נכס חדש +MenuAssetModels=נכסי מודל +MenuListAssets=רשימה +MenuNewAssetModel=דגם חדש של נכס +MenuListAssetModels=רשימה # # Module # -NewAssetType=New asset type -NewAsset=New asset +ConfirmDeleteAsset=האם אתה באמת רוצה להסיר את הנכס הזה? + +# +# Tab +# +AssetDepreciationOptions=אפשרויות פחת +AssetAccountancyCodes=Accounting accounts +AssetDepreciation=פְּחָת + +# +# Asset +# +Asset=נכס +Assets=נכסים +AssetReversalAmountHT=סכום ביטול (ללא מיסים) +AssetAcquisitionValueHT=סכום רכישה (ללא מיסים) +AssetRecoveredVAT=מע"מ מוחזר +AssetReversalDate=תאריך היפוך +AssetDateAcquisition=תאריך רכישה +AssetDateStart=תאריך ההפעלה +AssetAcquisitionType=סוג הרכישה +AssetAcquisitionTypeNew=חָדָשׁ +AssetAcquisitionTypeOccasion=בשימוש +AssetType=סוג הנכס +AssetTypeIntangible=בלתי מוחשי +AssetTypeTangible=מוּחָשִׁי +AssetTypeInProgress=בתהליך +AssetTypeFinancial=כַּספִּי +AssetNotDepreciated=לא מופחת +AssetDisposal=רְשׁוּת +AssetConfirmDisposalAsk=האם אתה בטוח שברצונך להיפטר מהנכס %s? +AssetConfirmReOpenAsk=האם אתה בטוח שברצונך לפתוח מחדש את הנכס %s? + +# +# Asset status +# +AssetInProgress=בתהליך +AssetDisposed=נפטר +AssetRecorded=חשבונאות + +# +# Asset disposal +# +AssetDisposalDate=תאריך סילוק +AssetDisposalAmount=ערך סילוק +AssetDisposalType=סוג השלכה +AssetDisposalDepreciated=הפחת את שנת ההעברה +AssetDisposalSubjectToVat=השלכה חייבת במע"מ + +# +# Asset model +# +AssetModel=הדגם של הנכס +AssetModels=הדגמים של נכס + +# +# Asset depreciation options +# +AssetDepreciationOptionEconomic=פחת כלכלי +AssetDepreciationOptionAcceleratedDepreciation=פחת מואץ (מס) +AssetDepreciationOptionDepreciationType=סוג פחת +AssetDepreciationOptionDepreciationTypeLinear=ליניארי +AssetDepreciationOptionDepreciationTypeDegressive=דגרסיבי +AssetDepreciationOptionDepreciationTypeExceptional=יוֹצֵא דוֹפֶן +AssetDepreciationOptionDegressiveRate=שיעור דגרסיבי +AssetDepreciationOptionAcceleratedDepreciation=פחת מואץ (מס) +AssetDepreciationOptionDuration=מֶשֶׁך +AssetDepreciationOptionDurationType=סוג משך +AssetDepreciationOptionDurationTypeAnnual=שנתי +AssetDepreciationOptionDurationTypeMonthly=יַרחוֹן +AssetDepreciationOptionDurationTypeDaily=יום יומי +AssetDepreciationOptionRate=דירוג (%%) +AssetDepreciationOptionAmountBaseDepreciationHT=בסיס פחת (לא כולל מע"מ) +AssetDepreciationOptionAmountBaseDeductibleHT=בסיס השתתפות עצמית (לא כולל מע"מ) +AssetDepreciationOptionTotalAmountLastDepreciationHT=סכום כולל הפחת האחרון (לא כולל מע"מ) + +# +# Asset accountancy codes +# +AssetAccountancyCodeDepreciationEconomic=פחת כלכלי +AssetAccountancyCodeAsset=נכס +AssetAccountancyCodeDepreciationAsset=פְּחָת +AssetAccountancyCodeDepreciationExpense=הוצאות פחת +AssetAccountancyCodeValueAssetSold=שווי הנכס שנפטר +AssetAccountancyCodeReceivableOnAssignment=חייב בסילוק +AssetAccountancyCodeProceedsFromSales=ההכנסות מסילוק +AssetAccountancyCodeVatCollected=מע"מ שנגבה +AssetAccountancyCodeVatDeductible=מע"מ מוחזר על נכסים +AssetAccountancyCodeDepreciationAcceleratedDepreciation=פחת מואץ (מס) +AssetAccountancyCodeAcceleratedDepreciation=Account +AssetAccountancyCodeEndowmentAcceleratedDepreciation=הוצאות פחת +AssetAccountancyCodeProvisionAcceleratedDepreciation=החזקה/הגשה + +# +# Asset depreciation +# +AssetBaseDepreciationHT=בסיס פחת (לא כולל מע"מ) +AssetDepreciationBeginDate=תחילת הפחת ב +AssetDepreciationDuration=מֶשֶׁך +AssetDepreciationRate=דירוג (%%) +AssetDepreciationDate=תאריך פחת +AssetDepreciationHT=פחת (לא כולל מע"מ) +AssetCumulativeDepreciationHT=פחת מצטבר (לא כולל מע"מ) +AssetResidualHT=ערך שייר (לא כולל מע"מ) +AssetDispatchedInBookkeeping=פחת נרשם +AssetFutureDepreciationLine=פחת עתידי +AssetDepreciationReversal=הִתְהַפְּכוּת + +# +# Errors +# +AssetErrorAssetOrAssetModelIDNotProvide=מזהה הנכס או הדגם שנמצא לא סופק +AssetErrorFetchAccountancyCodesForMode=שגיאה בעת אחזור החשבונות החשבונאיים עבור מצב הפחת '%s' +AssetErrorDeleteAccountancyCodesForMode=שגיאה בעת מחיקת חשבונות חשבונאיים ממצב הפחת '%s' +AssetErrorInsertAccountancyCodesForMode=שגיאה בעת הכנסת החשבונות החשבונאיים של מצב הפחת '%s' +AssetErrorFetchDepreciationOptionsForMode=שגיאה בעת אחזור אפשרויות עבור מצב הפחת '%s' +AssetErrorDeleteDepreciationOptionsForMode=שגיאה בעת מחיקת אפשרויות מצב הפחת '%s' +AssetErrorInsertDepreciationOptionsForMode=שגיאה בעת הוספת אפשרויות מצב הפחת '%s' +AssetErrorFetchDepreciationLines=שגיאה בעת אחזור שורות פחת רשומות +AssetErrorClearDepreciationLines=שגיאה בעת טיהור שורות פחת רשומות (היפוך ועתיד) +AssetErrorAddDepreciationLine=שגיאה בעת הוספת שורת פחת +AssetErrorCalculationDepreciationLines=שגיאה בעת חישוב שורות הפחת (התאוששות ועתיד) +AssetErrorReversalDateNotProvidedForMode=תאריך ההיפוך אינו מסופק עבור שיטת הפחת '%s' +AssetErrorReversalDateNotGreaterThanCurrentBeginFiscalDateForMode=תאריך הביטול חייב להיות גדול או שווה לתחילת שנת הכספים הנוכחית עבור שיטת הפחת '%s' +AssetErrorReversalAmountNotProvidedForMode=סכום ההיפוך אינו מסופק עבור מצב הפחת '%s'. +AssetErrorFetchCumulativeDepreciation=שגיאה בעת שליפת סכום הפחת שנצבר משורת הפחת +AssetErrorSetLastCumulativeDepreciation=שגיאה בעת רישום סכום הפחת האחרון שנצבר diff --git a/htdocs/langs/he_IL/banks.lang b/htdocs/langs/he_IL/banks.lang index f066877f676..54c931b5d45 100644 --- a/htdocs/langs/he_IL/banks.lang +++ b/htdocs/langs/he_IL/banks.lang @@ -1,184 +1,196 @@ # Dolibarr language file - Source file is en_US - banks -Bank=Bank -MenuBankCash=Banks | Cash -MenuVariousPayment=Miscellaneous payments -MenuNewVariousPayment=New Miscellaneous payment -BankName=Bank name +Bank=בַּנק +MenuBankCash=בנקים | כסף מזומן +MenuVariousPayment=תשלומים שונים +MenuNewVariousPayment=חדש תשלום שונה +BankName=שם הבנק FinancialAccount=Account -BankAccount=Bank account -BankAccounts=Bank accounts -BankAccountsAndGateways=Bank accounts | Gateways -ShowAccount=Show Account -AccountRef=Financial account ref -AccountLabel=Financial account label -CashAccount=Cash account -CashAccounts=Cash accounts -CurrentAccounts=Current accounts -SavingAccounts=Savings accounts -ErrorBankLabelAlreadyExists=Financial account label already exists -BankBalance=Balance -BankBalanceBefore=Balance before -BankBalanceAfter=Balance after -BalanceMinimalAllowed=Minimum allowed balance -BalanceMinimalDesired=Minimum desired balance -InitialBankBalance=Initial balance -EndBankBalance=End balance -CurrentBalance=Current balance -FutureBalance=Future balance -ShowAllTimeBalance=Show balance from start -AllTime=From start -Reconciliation=Reconciliation -RIB=Bank Account Number -IBAN=IBAN number -BIC=BIC/SWIFT code -SwiftValid=BIC/SWIFT valid -SwiftNotValid=BIC/SWIFT not valid -IbanValid=BAN valid -IbanNotValid=BAN not valid -StandingOrders=Direct debit orders -StandingOrder=Direct debit order -PaymentByDirectDebit=Payment by direct debit -PaymentByBankTransfers=Payments by credit transfer -PaymentByBankTransfer=Payment by credit transfer -AccountStatement=Account statement -AccountStatementShort=Statement -AccountStatements=Account statements -LastAccountStatements=Last account statements -IOMonthlyReporting=Monthly reporting -BankAccountDomiciliation=Bank address -BankAccountCountry=Account country -BankAccountOwner=Account owner name -BankAccountOwnerAddress=Account owner address -CreateAccount=Create account -NewBankAccount=New account -NewFinancialAccount=New financial account -MenuNewFinancialAccount=New financial account -EditFinancialAccount=Edit account -LabelBankCashAccount=Bank or cash label -AccountType=Account type -BankType0=Savings account -BankType1=Current or credit card account -BankType2=Cash account -AccountsArea=Accounts area -AccountCard=Account card -DeleteAccount=Delete account -ConfirmDeleteAccount=Are you sure you want to delete this account? +BankAccount=חשבון בנק +BankAccounts=חשבונות בנק +BankAccountsAndGateways=חשבונות בנק | שערים +ShowAccount=הצג חשבון +AccountRef=נ"צ חשבון פיננסי +AccountLabel=תווית חשבון פיננסי +CashAccount=חשבון במזומן +CashAccounts=חשבונות מזומן +CurrentAccounts=חשבונות נוכחיים +SavingAccounts=חשבונות חיסכון +ErrorBankLabelAlreadyExists=תווית חשבון פיננסי כבר קיימת +ErrorBankReceiptAlreadyExists=הפניה לקבלת קבלה בבנק כבר קיימת +BankBalance=איזון +BankBalanceBefore=איזון לפני +BankBalanceAfter=איזון אחרי +BalanceMinimalAllowed=יתרה מינימלית מותרת +BalanceMinimalDesired=איזון מינימלי רצוי +InitialBankBalance=איזון ראשוני +EndBankBalance=איזון סוף +CurrentBalance=יתרה נוכחית +FutureBalance=איזון עתידי +ShowAllTimeBalance=הצג מאזן מההתחלה +AllTime=מההתחלה +Reconciliation=פִּיוּס +RIB=מספר חשבון בנק +IBAN=מספר IBAN +BIC=קוד BIC/SWIFT +SwiftValid=BIC/SWIFT תקף +SwiftNotValid=BIC/SWIFT לא תקף +IbanValid=BAN תקף +IbanNotValid=BAN לא תקף +StandingOrders=הוראות הוראת קבע +StandingOrder=הוראת הוראת קבע +PaymentByDirectDebit=תשלום בהוראת קבע +PaymentByBankTransfers=תשלומים בהעברה אשראי +PaymentByBankTransfer=תשלום באמצעות העברה אשראי +AccountStatement=הצהרת חשבון +AccountStatementShort=הַצהָרָה +AccountStatements=דפי חשבון +LastAccountStatements=דפי חשבון אחרונים +IOMonthlyReporting=דיווח חודשי +BankAccountDomiciliation=כתובת בנק +BankAccountCountry=ארץ החשבון +BankAccountOwner=שם בעל החשבון +BankAccountOwnerAddress=כתובת בעל החשבון +BankAccountOwnerZip=מיקוד של בעל חשבון +BankAccountOwnerTown=עיר בעל חשבון +BankAccountOwnerCountry=ארץ הבעלים של החשבון +CreateAccount=צור חשבון +NewBankAccount=חשבון חדש +NewFinancialAccount=חשבון פיננסי חדש +MenuNewFinancialAccount=חשבון פיננסי חדש +EditFinancialAccount=ערוך חשבון +LabelBankCashAccount=תווית בנק או מזומן +AccountType=סוג החשבון +BankType0=חשבון חיסכון +BankType1=חשבון נוכחי, צ'קים או כרטיס אשראי +BankType2=חשבון במזומן +AccountsArea=אזור חשבונות +AccountCard=כרטיס חשבון +DeleteAccount=מחק חשבון +ConfirmDeleteAccount=האם אתה בטוח שברצונך למחוק חשבון זה? Account=Account -BankTransactionByCategories=Bank entries by categories -BankTransactionForCategory=Bank entries for category %s -RemoveFromRubrique=Remove link with category -RemoveFromRubriqueConfirm=Are you sure you want to remove link between the entry and the category? -ListBankTransactions=List of bank entries -IdTransaction=Transaction ID -BankTransactions=Bank entries -BankTransaction=Bank entry -ListTransactions=List entries -ListTransactionsByCategory=List entries/category -TransactionsToConciliate=Entries to reconcile -TransactionsToConciliateShort=To reconcile -Conciliable=Can be reconciled -Conciliate=Reconcile -Conciliation=Reconciliation -SaveStatementOnly=Save statement only -ReconciliationLate=Reconciliation late -IncludeClosedAccount=Include closed accounts -OnlyOpenedAccount=Only open accounts -AccountToCredit=Account to credit -AccountToDebit=Account to debit -DisableConciliation=Disable reconciliation feature for this account -ConciliationDisabled=Reconciliation feature disabled -LinkedToAConciliatedTransaction=Linked to a conciliated entry -StatusAccountOpened=Open -StatusAccountClosed=Closed -AccountIdShort=Number -LineRecord=Transaction -AddBankRecord=Add entry -AddBankRecordLong=Add entry manually -Conciliated=Reconciled -ConciliatedBy=Reconciled by -DateConciliating=Reconcile date -BankLineConciliated=Entry reconciled with bank receipt -Reconciled=Reconciled -NotReconciled=Not reconciled -CustomerInvoicePayment=Customer payment -SupplierInvoicePayment=Vendor payment -SubscriptionPayment=Subscription payment -WithdrawalPayment=Debit payment order -SocialContributionPayment=Social/fiscal tax payment -BankTransfer=Credit transfer -BankTransfers=Credit transfers -MenuBankInternalTransfer=Internal transfer -TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. -TransferFrom=From -TransferTo=To -TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Sender -ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes will be possible once validated. -DeleteCheckReceipt=Delete this check receipt? -ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? -BankChecks=Bank checks -BankChecksToReceipt=Checks awaiting deposit -BankChecksToReceiptShort=Checks awaiting deposit -ShowCheckReceipt=Show check deposit receipt -NumberOfCheques=No. of check -DeleteTransaction=Delete entry -ConfirmDeleteTransaction=Are you sure you want to delete this entry? -ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry -BankMovements=Movements -PlannedTransactions=Planned entries -Graph=Graphs -ExportDataset_banque_1=Bank entries and account statement -ExportDataset_banque_2=Deposit slip -TransactionOnTheOtherAccount=Transaction on the other account -PaymentNumberUpdateSucceeded=Payment number updated successfully -PaymentNumberUpdateFailed=Payment number could not be updated -PaymentDateUpdateSucceeded=Payment date updated successfully -PaymentDateUpdateFailed=Payment date could not be updated -Transactions=Transactions -BankTransactionLine=Bank entry -AllAccounts=All bank and cash accounts -BackToAccount=Back to account -ShowAllAccounts=Show for all accounts -FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". -InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD -EventualyAddCategory=Eventually, specify a category in which to classify the records -ToConciliate=To reconcile? -ThenCheckLinesAndConciliate=Then, check the lines present in the bank statement and click -DefaultRIB=Default BAN -AllRIB=All BAN -LabelRIB=BAN Label -NoBANRecord=No BAN record -DeleteARib=Delete BAN record -ConfirmDeleteRib=Are you sure you want to delete this BAN record? -RejectCheck=Check returned -ConfirmRejectCheck=Are you sure you want to mark this check as rejected? -RejectCheckDate=Date the check was returned -CheckRejected=Check returned -CheckRejectedAndInvoicesReopened=Check returned and invoices re-open -BankAccountModelModule=Document templates for bank accounts -DocumentModelSepaMandate=Template of SEPA mandate. Useful for European countries in EEC only. -DocumentModelBan=Template to print a page with BAN information. -NewVariousPayment=New miscellaneous payment -VariousPayment=Miscellaneous payment -VariousPayments=Miscellaneous payments -ShowVariousPayment=Show miscellaneous payment -AddVariousPayment=Add miscellaneous payment -VariousPaymentId=Miscellaneous payment ID -VariousPaymentLabel=Miscellaneous payment label -ConfirmCloneVariousPayment=Confirm the clone of a miscellaneous payment -SEPAMandate=SEPA mandate -YourSEPAMandate=Your SEPA mandate -FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to -AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation -CashControl=POS cash desk control -NewCashFence=New cash desk opening or closing -BankColorizeMovement=Colorize movements -BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements -BankColorizeMovementName1=Background color for debit movement -BankColorizeMovementName2=Background color for credit movement -IfYouDontReconcileDisableProperty=If you don't make the bank reconciliations on some bank accounts, disable the property "%s" on them to remove this warning. -NoBankAccountDefined=No bank account defined -NoRecordFoundIBankcAccount=No record found in bank account. Commonly, this occurs when a record has been deleted manually from the list of transaction in the bank account (for example during a reconciliation of the bank account). Another reason is that the payment was recorded when the module "%s" was disabled. -AlreadyOneBankAccount=Already one bank account defined +BankTransactionByCategories=כניסות בנק לפי קטגוריות +BankTransactionForCategory=כניסות בנק לקטגוריה %s +RemoveFromRubrique=הסר קישור עם קטגוריה +RemoveFromRubriqueConfirm=האם אתה בטוח שברצונך להסיר את הקישור בין הערך לקטגוריה? +ListBankTransactions=רשימת כניסות הבנק +IdTransaction=מזהה עסקה +BankTransactions=כניסות בבנק +BankTransaction=כניסה לבנק +ListTransactions=רשימת ערכים +ListTransactionsByCategory=רשימת ערכים/קטגוריה +TransactionsToConciliate=ערכים להתאמה +TransactionsToConciliateShort=ליישב +Conciliable=אפשר ליישב +Conciliate=ליישב +Conciliation=פִּיוּס +SaveStatementOnly=שמור הצהרה בלבד +ReconciliationLate=פיוס מאוחר +IncludeClosedAccount=כלול חשבונות סגורים +OnlyOpenedAccount=רק לפתוח חשבונות +AccountToCredit=חשבון לזיכוי +AccountToDebit=חשבון לחיוב +DisableConciliation=השבת את תכונת ההתאמה עבור חשבון זה +ConciliationDisabled=תכונת הפיוס מושבתת +LinkedToAConciliatedTransaction=מקושר לערך מתואם +StatusAccountOpened=לִפְתוֹחַ +StatusAccountClosed=סָגוּר +AccountIdShort=מספר +LineRecord=עִסקָה +AddBankRecord=הוסף ערך +AddBankRecordLong=הוסף ערך באופן ידני +Conciliated=מפויס +ReConciliedBy=התפייס על ידי +DateConciliating=התאם תאריך +BankLineConciliated=כניסה תואמת עם קבלה בנקאית +BankLineReconciled=מפויס +BankLineNotReconciled=לא מתפייס +CustomerInvoicePayment=תשלום לקוח +SupplierInvoicePayment=תשלום ספק +SubscriptionPayment=תשלום מנוי +WithdrawalPayment=תשלום בהוראת קבע +BankTransferPayment=תשלום העברת אשראי +SocialContributionPayment=תשלום מס חברתי/מיסוי +BankTransfer=העברת אשראי +BankTransfers=העברות אשראי +MenuBankInternalTransfer=העברה פנימית +TransferDesc=השתמש בהעברה פנימית להעברת מחשבון אחד לאחר, האפליקציה תכתוב שתי רשומות: חיוב בחשבון המקור וזיכוי בחשבון היעד. אותו סכום, תווית ותאריך ישמשו עבור עסקה זו. +TransferFrom=מ +TransferTo=ל +TransferFromToDone=העברה מ-%s אל %s מתוך b0aee83365 class%s %s תועד. +CheckTransmitter=שׁוֹלֵחַ +ValidateCheckReceipt=האם לאמת את קבלת ההמחאה הזו? +ConfirmValidateCheckReceipt=האם אתה בטוח שברצונך להגיש את קבלה המחאה הזו לאימות? לא יתאפשרו שינויים לאחר האימות. +DeleteCheckReceipt=למחוק את הקבלה של ההמחאה הזו? +ConfirmDeleteCheckReceipt=האם אתה בטוח שברצונך למחוק את הקבלה של המחאה הזו? +DocumentsForDeposit=מסמכים להפקדה בבנק +BankChecks=צ'קים בנקאיים +BankChecksToReceipt=צ'קים ממתינים להפקדה +BankChecksToReceiptShort=צ'קים ממתינים להפקדה +ShowCheckReceipt=הצג קבלה של הפקדת המחאה +NumberOfCheques=מספר המחאה +DeleteTransaction=מחק רשומה +ConfirmDeleteTransaction=האם אתה בטוח שברצונך למחוק את הערך הזה? +ThisWillAlsoDeleteBankRecord=פעולה זו תמחק גם את ערך הבנק שנוצר +BankMovements=תנועות +PlannedTransactions=ערכים מתוכננים +Graph=גרפים +ExportDataset_banque_1=רישומי בנק ודפי חשבון +ExportDataset_banque_2=שובר הפקדה +TransactionOnTheOtherAccount=עסקה בחשבון השני +PaymentNumberUpdateSucceeded=מספר התשלום עודכן בהצלחה +PaymentNumberUpdateFailed=לא ניתן היה לעדכן את מספר התשלום +PaymentDateUpdateSucceeded=תאריך התשלום עודכן בהצלחה +PaymentDateUpdateFailed=לא ניתן היה לעדכן את תאריך התשלום +Transactions=עסקאות +BankTransactionLine=כניסה לבנק +AllAccounts=כל חשבונות הבנק והמזומן +BackToAccount=חזרה לחשבון +ShowAllAccounts=הצג עבור כל החשבונות +FutureTransaction=עסקה עתידית. לא מצליח ליישב. +SelectChequeTransactionAndGenerate=בחר/סנן את הצ'קים שיש לכלול בקבלה להפקדת הצ'ק. לאחר מכן, לחץ על "צור". +SelectPaymentTransactionAndGenerate=בחר/סנן את המסמכים שיש לכלול בקבלה של %s. לאחר מכן, לחץ על "צור". +InputReceiptNumber=בחר בדף חשבון הבנק הקשור לפשרה. השתמש בערך מספרי שניתן למיין +InputReceiptNumberBis=YYYYMM או YYYYMMDD +EventualyAddCategory=בסופו של דבר, ציין קטגוריה שבה לסווג את הרשומות +ToConciliate=ליישב? +ThenCheckLinesAndConciliate=לאחר מכן, בדוק את השורות הקיימות בדף חשבון הבנק ולחץ +DefaultRIB=BAN ברירת מחדל +AllRIB=הכל BAN +LabelRIB=תווית BAN +NoBANRecord=אין רשומת BAN +DeleteARib=מחק רשומת BAN +ConfirmDeleteRib=האם אתה בטוח שברצונך למחוק את רשומת ה-BAN הזו? +RejectCheck=המחאה הוחזרה +ConfirmRejectCheck=האם אתה בטוח שברצונך לסמן את הסימון הזה כנדחה? +RejectCheckDate=תאריך החזרת ההמחאה +CheckRejected=המחאה הוחזרה +CheckRejectedAndInvoicesReopened=המחאה הוחזרה והחשבוניות נפתחות מחדש +BankAccountModelModule=תבניות מסמכים לחשבונות בנק +DocumentModelSepaMandate=תבנית מנדט SEPA. שימושי עבור מדינות אירופה ב-EEC בלבד. +DocumentModelBan=תבנית להדפסת עמוד עם מידע BAN. +NewVariousPayment=תשלום חדש חדש +VariousPayment=תשלום שונה +VariousPayments=תשלומים שונים +ShowVariousPayment=הצג תשלום שונה +AddVariousPayment=הוסף תשלום שונה +VariousPaymentId=מזהה תשלום שונה +VariousPaymentLabel=תווית תשלום שונה +ConfirmCloneVariousPayment=אשר את השיבוט של תשלום שונה +SEPAMandate=מנדט SEPA +YourSEPAMandate=מנדט ה-SEPA שלך +FindYourSEPAMandate=זהו הסמכת ה-SEPA שלך לאשר לחברה שלנו לבצע הוראת הוראת קבע לבנק שלך. החזר אותו חתום (סריקה של המסמך החתום) או שלח אותו בדואר אל +AutoReportLastAccountStatement=מלא אוטומטית את השדה 'מספר דף חשבון בנק' עם מספר הדוח האחרון בעת ביצוע התאמה +CashControl=בקרת מזומנים בקופה +NewCashFence=בקרת מזומנים חדשה (פתיחה או סגירה) +BankColorizeMovement=צבע תנועות +BankColorizeMovementDesc=אם פונקציה זו מופעלת, תוכל לבחור צבע רקע ספציפי עבור תנועות חיוב או אשראי +BankColorizeMovementName1=צבע רקע לתנועת חיוב +BankColorizeMovementName2=צבע רקע לתנועת אשראי +IfYouDontReconcileDisableProperty=אם אינך מבצע את התאמות הבנק בחשבונות בנק מסוימים, השבת את המאפיין "%s" עליהם כדי להסיר את האזהרה הזו. +NoBankAccountDefined=לא הוגדר חשבון בנק +NoRecordFoundIBankcAccount=לא נמצא רישום בחשבון הבנק. בדרך כלל, זה קורה כאשר רשומה נמחקה באופן ידני מרשימת העסקאות בחשבון הבנק (למשל במהלך התאמה של חשבון הבנק). סיבה נוספת היא שהתשלום נרשם כאשר המודול "%s" הושבת. +AlreadyOneBankAccount=כבר הוגדר חשבון בנק אחד +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=גרסה של קובץ SEPA +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=כן = אחסן את 'סוג תשלום' בקטע 'העברת אשראי' בקובץ SEPA

      בעת יצירת קובץ SEPA XML עבור אשראי העברות, כעת ניתן למקם את הסעיף "PaymentTypeInformation" בתוך הקטע "CreditTransferTransactionInformation" (במקום סעיף "תשלום"). אנו ממליצים בחום להשאיר זאת ללא סימון כדי למקם את PaymentTypeInformation ברמת תשלום, מכיוון שכל הבנקים לא בהכרח יקבלו זאת ברמת CreditTransferTransactionInformation. צור קשר עם הבנק שלך לפני מיקום PaymentTypeInformation ברמת CreditTransferTransactionInformation. +ToCreateRelatedRecordIntoBank=כדי ליצור רשומת בנק קשורה חסרה +XNewLinesConciliated=%s שורות חדשות תואמו diff --git a/htdocs/langs/he_IL/bills.lang b/htdocs/langs/he_IL/bills.lang index 8e98f6d3b7c..ad8f482dab1 100644 --- a/htdocs/langs/he_IL/bills.lang +++ b/htdocs/langs/he_IL/bills.lang @@ -1,609 +1,652 @@ # Dolibarr language file - Source file is en_US - bills -Bill=Invoice +Bill=חשבונית Bills=חשבוניות -BillsCustomers=Customer invoices -BillsCustomer=Customer invoice -BillsSuppliers=Vendor invoices -BillsCustomersUnpaid=Unpaid customer invoices -BillsCustomersUnpaidForCompany=Unpaid customer invoices for %s -BillsSuppliersUnpaid=Unpaid vendor invoices -BillsSuppliersUnpaidForCompany=Unpaid vendors invoices for %s -BillsLate=Late payments -BillsStatistics=Customers invoices statistics -BillsStatisticsSuppliers=Vendors invoices statistics -DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping -DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. -DisabledBecauseNotErasable=Disabled because cannot be erased -InvoiceStandard=Standard invoice -InvoiceStandardAsk=Standard invoice -InvoiceStandardDesc=This kind of invoice is the common invoice. -InvoiceDeposit=Down payment invoice -InvoiceDepositAsk=Down payment invoice -InvoiceDepositDesc=This kind of invoice is done when a down payment has been received. -InvoiceProForma=Proforma invoice -InvoiceProFormaAsk=Proforma invoice -InvoiceProFormaDesc=Proforma invoice is an image of a true invoice but has no accountancy value. -InvoiceReplacement=Replacement invoice -InvoiceReplacementAsk=Replacement invoice for invoice -InvoiceReplacementDesc=Replacement invoice is used to completely replace an invoice with no payment already received.

      Note: Only invoices with no payment on it can be replaced. If the invoice you replace is not yet closed, it will be automatically closed to 'abandoned'. +BillsCustomers=חשבוניות של לקוחות +BillsCustomer=חשבונית לקוח +BillsSuppliers=חשבוניות ספק +BillsCustomersUnpaid=חשבוניות לקוחות שלא שולמו +BillsCustomersUnpaidForCompany=חשבוניות לקוחות שלא שולמו עבור %s +BillsSuppliersUnpaid=חשבוניות ספק שלא שולמו +BillsSuppliersUnpaidForCompany=חשבוניות ספקים שלא שולמו עבור %s +BillsLate=איחור בתשלומים +BillsStatistics=סטטיסטיקות חשבוניות של לקוחות +BillsStatisticsSuppliers=סטטיסטיקות חשבוניות ספקים +DisabledBecauseDispatchedInBookkeeping=מושבת כי החשבונית נשלחה להנהלת החשבונות +DisabledBecauseNotLastInvoice=מושבת כי החשבונית אינה ניתנת למחיקה. כמה חשבוניות נרשמו אחרי זה וזה יצור חורים בדלפק. +DisabledBecauseNotLastSituationInvoice=מושבת כי החשבונית אינה ניתנת למחיקה. חשבונית זו אינה האחרונה במחזור חשבוניות מצב. +DisabledBecauseNotErasable=מושבת כי לא ניתן למחוק +InvoiceStandard=חשבונית רגילה +InvoiceStandardAsk=חשבונית רגילה +InvoiceStandardDesc=חשבונית מסוג זה היא החשבונית הנפוצה. +InvoiceStandardShort=תֶקֶן +InvoiceDeposit=חשבונית מקדמה +InvoiceDepositAsk=חשבונית מקדמה +InvoiceDepositDesc=חשבונית מסוג זה מתבצעת כאשר התקבלה מקדמה. +InvoiceProForma=חשבונית פרו - פורמה +InvoiceProFormaAsk=חשבונית פרו - פורמה +InvoiceProFormaDesc=חשבונית פרופורמה היא תמונה של חשבונית אמיתית אך אין לה ערך חשבונאי. +InvoiceReplacement=חשבונית החלפה +InvoiceReplacementShort=תַחֲלִיף +InvoiceReplacementAsk=חשבונית החלפה לחשבונית +InvoiceReplacementDesc=חשבונית החלפה משמשת להחלפה מלאה של חשבונית ללא תשלום שכבר התקבל.b0342bz0fcc
      הערה: ניתן להחליף רק חשבוניות ללא תשלום. אם החשבונית שתחליף עדיין לא סגורה, היא תיסגר אוטומטית ל'נטושה'. InvoiceAvoir=כתב זכויות -InvoiceAvoirAsk=Credit note to correct invoice -InvoiceAvoirDesc=The credit note is a negative invoice used to correct the fact that an invoice shows an amount that differs from the amount actually paid (eg the customer paid too much by mistake, or will not pay the complete amount since some products were returned). -invoiceAvoirWithLines=Create Credit Note with lines from the origin invoice -invoiceAvoirWithPaymentRestAmount=Create Credit Note with remaining unpaid of origin invoice -invoiceAvoirLineWithPaymentRestAmount=Credit Note for remaining unpaid amount -ReplaceInvoice=Replace invoice %s -ReplacementInvoice=Replacement invoice -ReplacedByInvoice=Replaced by invoice %s -ReplacementByInvoice=Replaced by invoice -CorrectInvoice=Correct invoice %s -CorrectionInvoice=Correction invoice -UsedByInvoice=Used to pay invoice %s -ConsumedBy=Consumed by -NotConsumed=Not consumed -NoReplacableInvoice=No replaceable invoices -NoInvoiceToCorrect=No invoice to correct -InvoiceHasAvoir=Was source of one or several credit notes -CardBill=Invoice card -PredefinedInvoices=Predefined Invoices -Invoice=Invoice -PdfInvoiceTitle=Invoice +InvoiceAvoirAsk=תעודת זיכוי לתיקון חשבונית +InvoiceAvoirDesc=הערת אשראי היא חשבונית שלילית המשמשת לתיקון העובדה שחשבונית מציגה סכום השונה מהסכום בפועל שילם (למשל הלקוח שילם יותר מדי בטעות, או לא ישלם את הסכום המלא מאחר שחלק מהמוצרים הוחזרו). +invoiceAvoirWithLines=צור הערת אשראי עם שורות מחשבונית המקור +invoiceAvoirWithPaymentRestAmount=צור הערת אשראי עם חשבונית המקור שנותרה שטרם שולמה +invoiceAvoirLineWithPaymentRestAmount=הערת זיכוי עבור הסכום שנותר שלא שולם +ReplaceInvoice=החלף חשבונית %s +ReplacementInvoice=חשבונית החלפה +ReplacedByInvoice=הוחלף בחשבונית %s +ReplacementByInvoice=הוחלף בחשבונית +CorrectInvoice=חשבונית נכונה %s +CorrectionInvoice=חשבונית תיקון +UsedByInvoice=משמש לתשלום חשבונית %s +ConsumedBy=נצרך על ידי +NotConsumed=לא נצרך +NoReplacableInvoice=אין חשבוניות להחלפה +NoInvoiceToCorrect=אין חשבונית לתיקון +InvoiceHasAvoir=היה מקור לתעודת אשראי אחת או כמה +CardBill=כרטיס חשבונית +PredefinedInvoices=חשבוניות מוגדרות מראש +Invoice=חשבונית +PdfInvoiceTitle=חשבונית Invoices=חשבוניות -InvoiceLine=Invoice line -InvoiceCustomer=Customer invoice -CustomerInvoice=Customer invoice -CustomersInvoices=Customer invoices -SupplierInvoice=Vendor invoice -SuppliersInvoices=Vendor invoices -SupplierInvoiceLines=Vendor invoice lines -SupplierBill=Vendor invoice -SupplierBills=Vendor invoices -Payment=Payment -PaymentBack=Refund -CustomerInvoicePaymentBack=Refund -Payments=Payments -PaymentsBack=Refunds -paymentInInvoiceCurrency=in invoices currency -PaidBack=Paid back -DeletePayment=Delete payment -ConfirmDeletePayment=Are you sure you want to delete this payment? -ConfirmConvertToReduc=Do you want to convert this %s into an available credit? -ConfirmConvertToReduc2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this customer. -ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit? -ConfirmConvertToReducSupplier2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this vendor. -SupplierPayments=Vendor payments -ReceivedPayments=Received payments -ReceivedCustomersPayments=Payments received from customers -PayedSuppliersPayments=Payments paid to vendors -ReceivedCustomersPaymentsToValid=Received customers payments to validate -PaymentsReportsForYear=Payments reports for %s -PaymentsReports=Payments reports -PaymentsAlreadyDone=Payments already done -PaymentsBackAlreadyDone=Refunds already done -PaymentRule=Payment rule -PaymentMode=Payment method -PaymentModes=Payment methods -DefaultPaymentMode=Default Payment method -DefaultBankAccount=Default Bank Account -IdPaymentMode=Payment method (id) -CodePaymentMode=Payment method (code) -LabelPaymentMode=Payment method (label) -PaymentModeShort=Payment method -PaymentTerm=Payment Term -PaymentConditions=Payment Terms -PaymentConditionsShort=Payment Terms -PaymentAmount=Payment amount -PaymentHigherThanReminderToPay=Payment higher than reminder to pay -HelpPaymentHigherThanReminderToPay=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess received for each overpaid invoice. -HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess paid for each overpaid invoice. -ClassifyPaid=Classify 'Paid' -ClassifyUnPaid=Classify 'Unpaid' -ClassifyPaidPartially=Classify 'Paid partially' -ClassifyCanceled=Classify 'Abandoned' -ClassifyClosed=Classify 'Closed' -ClassifyUnBilled=Classify 'Unbilled' -CreateBill=Create Invoice -CreateCreditNote=Create credit note -AddBill=Create invoice or credit note -AddToDraftInvoices=Add to draft invoice -DeleteBill=Delete invoice -SearchACustomerInvoice=Search for a customer invoice -SearchASupplierInvoice=Search for a vendor invoice -CancelBill=Cancel an invoice -SendRemindByMail=Send reminder by email -DoPayment=Enter payment -DoPaymentBack=Enter refund -ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into available credit -ConvertExcessPaidToReduc=Convert excess paid into available discount -EnterPaymentReceivedFromCustomer=Enter payment received from customer -EnterPaymentDueToCustomer=Make payment due to customer -DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Base price -BillStatus=Invoice status -StatusOfGeneratedInvoices=Status of generated invoices -BillStatusDraft=Draft (needs to be validated) -BillStatusPaid=Paid -BillStatusPaidBackOrConverted=Credit note refund or marked as credit available -BillStatusConverted=Paid (ready for consumption in final invoice) -BillStatusCanceled=Abandoned -BillStatusValidated=Validated (needs to be paid) -BillStatusStarted=Started -BillStatusNotPaid=Not paid -BillStatusNotRefunded=Not refunded -BillStatusClosedUnpaid=Closed (unpaid) -BillStatusClosedPaidPartially=Paid (partially) -BillShortStatusDraft=Draft -BillShortStatusPaid=Paid -BillShortStatusPaidBackOrConverted=Refunded or converted -Refunded=Refunded -BillShortStatusConverted=Paid -BillShortStatusCanceled=Abandoned -BillShortStatusValidated=Validated -BillShortStatusStarted=Started -BillShortStatusNotPaid=Not paid -BillShortStatusNotRefunded=Not refunded -BillShortStatusClosedUnpaid=Closed -BillShortStatusClosedPaidPartially=Paid (partially) -PaymentStatusToValidShort=To validate -ErrorVATIntraNotConfigured=Intra-Community VAT number not yet defined -ErrorNoPaiementModeConfigured=No default payment type defined. Go to Invoice module setup to fix this. -ErrorCreateBankAccount=Create a bank account, then go to Setup panel of Invoice module to define payment types -ErrorBillNotFound=Invoice %s does not exist -ErrorInvoiceAlreadyReplaced=Error, you tried to validate an invoice to replace invoice %s. But this one has already been replaced by invoice %s. -ErrorDiscountAlreadyUsed=Error, discount already used -ErrorInvoiceAvoirMustBeNegative=Error, correct invoice must have a negative amount -ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have an amount excluding tax positive (or null) -ErrorCantCancelIfReplacementInvoiceNotValidated=Error, can't cancel an invoice that has been replaced by another invoice that is still in draft status -ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=This part or another is already used so discount series cannot be removed. -BillFrom=From -BillTo=To -ActionsOnBill=Actions on invoice -RecurringInvoiceTemplate=Template / Recurring invoice -NoQualifiedRecurringInvoiceTemplateFound=No recurring template invoice qualified for generation. -FoundXQualifiedRecurringInvoiceTemplate=Found %s recurring template invoice(s) qualified for generation. -NotARecurringInvoiceTemplate=Not a recurring template invoice -NewBill=New invoice -LastBills=Latest %s invoices -LatestTemplateInvoices=Latest %s template invoices -LatestCustomerTemplateInvoices=Latest %s customer template invoices -LatestSupplierTemplateInvoices=Latest %s vendor template invoices -LastCustomersBills=Latest %s customer invoices -LastSuppliersBills=Latest %s vendor invoices -AllBills=All invoices -AllCustomerTemplateInvoices=All template invoices -OtherBills=Other invoices -DraftBills=Draft invoices -CustomersDraftInvoices=Customer draft invoices -SuppliersDraftInvoices=Vendor draft invoices -Unpaid=Unpaid -ErrorNoPaymentDefined=Error No payment defined -ConfirmDeleteBill=Are you sure you want to delete this invoice? -ConfirmValidateBill=Are you sure you want to validate this invoice with reference %s? -ConfirmUnvalidateBill=Are you sure you want to change invoice %s to draft status? -ConfirmClassifyPaidBill=Are you sure you want to change invoice %s to status paid? -ConfirmCancelBill=Are you sure you want to cancel invoice %s? -ConfirmCancelBillQuestion=Why do you want to classify this invoice 'abandoned'? -ConfirmClassifyPaidPartially=Are you sure you want to change invoice %s to status paid? -ConfirmClassifyPaidPartiallyQuestion=This invoice has not been paid completely. What is the reason for closing this invoice? -ConfirmClassifyPaidPartiallyReasonAvoir=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I regularize the VAT with a credit note. -ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. -ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I accept to lose the VAT on this discount. -ConfirmClassifyPaidPartiallyReasonDiscountVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I recover the VAT on this discount without a credit note. -ConfirmClassifyPaidPartiallyReasonBadCustomer=Bad customer -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fees) -ConfirmClassifyPaidPartiallyReasonProductReturned=Products partially returned -ConfirmClassifyPaidPartiallyReasonOther=Amount abandoned for other reason -ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=This choice is possible if your invoice has been provided with suitable comments. (Example «Only the tax corresponding to the price that has been actually paid gives rights to deduction») -ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=In some countries, this choice might be possible only if your invoice contains correct notes. -ConfirmClassifyPaidPartiallyReasonAvoirDesc=Use this choice if all other does not suit -ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=A bad customer is a customer that refuses to pay his debt. -ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=This choice is used when payment is not complete because some of products were returned -ConfirmClassifyPaidPartiallyReasonBankChargeDesc=The unpaid amount is intermediary bank fees, deducted directly from the correct amount paid by the Customer. -ConfirmClassifyPaidPartiallyReasonOtherDesc=Use this choice if all others are not suitable, for example in following situation:
      - payment not complete because some products were shipped back
      - amount claimed too important because a discount was forgotten
      In all cases, amount over-claimed must be corrected in accountancy system by creating a credit note. +InvoiceLine=שורת חשבונית +InvoiceCustomer=חשבונית לקוח +CustomerInvoice=חשבונית לקוח +CustomersInvoices=חשבוניות של לקוחות +SupplierInvoice=חשבונית ספק +SuppliersInvoices=חשבוניות ספק +SupplierInvoiceLines=שורות חשבונית ספק +SupplierBill=חשבונית ספק +SupplierBills=חשבוניות ספק +Payment=תַשְׁלוּם +PaymentBack=הֶחזֵר +CustomerInvoicePaymentBack=הֶחזֵר +Payments=תשלומים +PaymentsBack=החזרים +paymentInInvoiceCurrency=במטבע חשבוניות +PaidBack=שילמתי בחזרה +DeletePayment=מחק תשלום +ConfirmDeletePayment=האם אתה בטוח שברצונך למחוק תשלום זה? +ConfirmConvertToReduc=האם אתה רוצה להמיר את %s זה לזיכוי זמין? +ConfirmConvertToReduc2=הסכום יישמר בין כל ההנחות ויכול לשמש כהנחה עבור חשבונית נוכחית או עתידית עבור לקוח זה. +ConfirmConvertToReducSupplier=האם אתה רוצה להמיר את %s זה לזיכוי זמין? +ConfirmConvertToReducSupplier2=הסכום יישמר בין כל ההנחות ויכול לשמש כהנחה עבור חשבונית נוכחית או עתידית עבור ספק זה. +SupplierPayments=תשלומי ספקים +ReceivedPayments=קיבל תשלומים +ReceivedCustomersPayments=תשלומים שהתקבלו מלקוחות +PayedSuppliersPayments=תשלומים ששולמו לספקים +ReceivedCustomersPaymentsToValid=קיבל תשלומים ללקוחות לאימות +PaymentsReportsForYear=דוחות תשלומים עבור %s +PaymentsReports=דוחות תשלומים +PaymentsAlreadyDone=תשלומים כבר בוצעו +PaymentsBackAlreadyDone=החזרים כבר בוצעו +PaymentRule=כלל תשלום +PaymentMode=אמצעי תשלום +PaymentModes=שיטות תשלום +DefaultPaymentMode=ברירת המחדל לשיטת תשלום +DefaultBankAccount=חשבון בנק ברירת מחדל +IdPaymentMode=אמצעי תשלום (מזהה) +CodePaymentMode=אמצעי תשלום (קוד) +LabelPaymentMode=אמצעי תשלום (תווית) +PaymentModeShort=אמצעי תשלום +PaymentTerm=טווח תשלום +PaymentConditions=תנאי תשלום +PaymentConditionsShort=תנאי תשלום +PaymentAmount=סכום לתשלום +PaymentHigherThanReminderToPay=תשלום גבוה מהתזכורת לתשלום +HelpPaymentHigherThanReminderToPay=שימו לב, סכום התשלום של שטר אחד או יותר גבוה מהסכום לתשלום.
      ערוך את הערך שלך, אחרת אשר ושקול ליצור תעודת זיכוי עבור העודף שהתקבל עבור כל חשבונית ששולמה ביתר. +HelpPaymentHigherThanReminderToPaySupplier=שימו לב, סכום התשלום של שטר אחד או יותר גבוה מהסכום לתשלום.
      ערוך את הערך שלך, אחרת אשר ושקול ליצור תעודת זיכוי עבור העודף ששולם עבור כל חשבונית ששולמה ביתר. +ClassifyPaid=סיווג 'בתשלום' +ClassifyUnPaid=סיווג 'ללא תשלום' +ClassifyPaidPartially=סיווג 'בתשלום חלקית' +ClassifyCanceled=סיווג 'נטוש' +ClassifyClosed=סיווג 'סגור' +ClassifyUnBilled=סיווג 'לא מחויב' +CreateBill=צור חשבונית +CreateCreditNote=צור תעודת אשראי +AddBill=צור חשבונית או תעודת זיכוי +AddToDraftInvoices=הוסף לטיוטת חשבונית +DeleteBill=מחק חשבונית +SearchACustomerInvoice=חפש חשבונית לקוח +SearchASupplierInvoice=חפש חשבונית ספק +CancelBill=בטל חשבונית +SendRemindByMail=שלח תזכורת במייל +DoPayment=הזן תשלום +DoPaymentBack=הזן החזר +ConvertToReduc=סמן כזיכוי זמין +ConvertExcessReceivedToReduc=המר עודף שהתקבל לאשראי זמין +ConvertExcessPaidToReduc=המרת עודף ששולם להנחה זמינה +EnterPaymentReceivedFromCustomer=הזן תשלום שהתקבל מהלקוח +EnterPaymentDueToCustomer=בצע תשלום המגיע ללקוח +DisabledBecauseRemainderToPayIsZero=מושבת מכיוון שנותר ללא תשלום הוא אפס +PriceBase=מחיר בסיסי +BillStatus=מצב חשבונית +StatusOfAutoGeneratedInvoices=סטטוס חשבוניות שנוצרו אוטומטית +BillStatusDraft=טיוטה (צריך לאמת) +BillStatusPaid=שולם +BillStatusPaidBackOrConverted=החזר על שטר אשראי או מסומן כזיכוי זמין +BillStatusConverted=בתשלום (מוכן לצריכה בחשבונית הסופית) +BillStatusCanceled=נָטוּשׁ +BillStatusValidated=מאומת (צריך לשלם) +BillStatusStarted=התחיל +BillStatusNotPaid=לא שולם +BillStatusNotRefunded=לא הוחזר +BillStatusClosedUnpaid=סגור (ללא תשלום) +BillStatusClosedPaidPartially=בתשלום (חלקית) +BillShortStatusDraft=טְיוּטָה +BillShortStatusPaid=שולם +BillShortStatusPaidBackOrConverted=הוחזר או הומר +Refunded=הוחזר +BillShortStatusConverted=שולם +BillShortStatusCanceled=נָטוּשׁ +BillShortStatusValidated=מאומת +BillShortStatusStarted=התחיל +BillShortStatusNotPaid=לא שולם +BillShortStatusNotRefunded=לא הוחזר +BillShortStatusClosedUnpaid=סָגוּר +BillShortStatusClosedPaidPartially=בתשלום (חלקית) +PaymentStatusToValidShort=כדי לאמת +ErrorVATIntraNotConfigured=מספר מע"מ תוך קהילתי טרם הוגדר +ErrorNoPaiementModeConfigured=לא הוגדר סוג תשלום ברירת מחדל. עבור אל הגדרת מודול חשבונית כדי לתקן זאת. +ErrorCreateBankAccount=צור חשבון בנק ולאחר מכן עבור לחלונית הגדרות של מודול חשבוניות כדי להגדיר סוגי תשלום +ErrorBillNotFound=חשבונית %s לא קיימת +ErrorInvoiceAlreadyReplaced=שגיאה, ניסית לאמת חשבונית כדי להחליף חשבונית %s. אבל זה כבר הוחלף בחשבונית %s. +ErrorDiscountAlreadyUsed=שגיאה, ההנחה כבר בשימוש +ErrorInvoiceAvoirMustBeNegative=שגיאה, חשבונית נכונה חייבת להיות בסכום שלילי +ErrorInvoiceOfThisTypeMustBePositive=שגיאה, חשבונית מסוג זה חייבת להיות בעלת סכום לא כולל מס חיובי (או ריק) +ErrorCantCancelIfReplacementInvoiceNotValidated=שגיאה, לא ניתן לבטל חשבונית שהוחלפה בחשבונית אחרת שעדיין נמצאת בסטטוס טיוטה +ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=חלק זה או אחר כבר בשימוש ולכן לא ניתן להסיר סדרות הנחות. +ErrorInvoiceIsNotLastOfSameType=שגיאה: תאריך החשבונית %s הוא %s. זה חייב להיות אחורי או שווה לתאריך האחרון עבור אותו סוג חשבוניות (%s). אנא שנה את תאריך החשבונית. +BillFrom=מ +BillTo=ל +ShippingTo=משלוח ל +ActionsOnBill=פעולות על חשבונית +ActionsOnBillRec=פעולות על חשבונית חוזרת +RecurringInvoiceTemplate=תבנית / חשבונית חוזרת +NoQualifiedRecurringInvoiceTemplateFound=אין חשבונית תבנית חוזרת מתאימה להפקה. +FoundXQualifiedRecurringInvoiceTemplate=%s חשבוניות תבנית חוזרות כשירות להפקה. +NotARecurringInvoiceTemplate=לא חשבונית תבנית חוזרת +NewBill=חשבונית חדשה +LastBills=חשבוניות %s האחרונות +LatestTemplateInvoices=חשבוניות התבנית האחרונות של %s +LatestCustomerTemplateInvoices=חשבוניות תבנית הלקוח האחרונות של %s +LatestSupplierTemplateInvoices=חשבוניות תבנית ספק %s האחרונות +LastCustomersBills=חשבוניות לקוחות אחרונות %s +LastSuppliersBills=חשבוניות ספק %s האחרונות +AllBills=כל החשבוניות +AllCustomerTemplateInvoices=כל חשבוניות התבנית +OtherBills=חשבוניות אחרות +DraftBills=טיוטת חשבוניות +CustomersDraftInvoices=טיוטת חשבוניות של לקוחות +SuppliersDraftInvoices=טיוטת חשבוניות של ספק +Unpaid=ללא תשלום +ErrorNoPaymentDefined=שגיאה לא הוגדר תשלום +ConfirmDeleteBill=האם אתה בטוח שברצונך למחוק חשבונית זו? +ConfirmValidateBill=האם אתה בטוח שברצונך לאמת חשבונית זו עם ההפניה %s >? +ConfirmUnvalidateBill=האם אתה בטוח שברצונך לשנות את החשבונית %s לסטטוס הטיוטה ? +ConfirmClassifyPaidBill=האם אתה בטוח שברצונך לשנות את החשבונית %s לסטטוס שולם ? +ConfirmCancelBill=האם אתה בטוח שברצונך לבטל חשבונית %s? +ConfirmCancelBillQuestion=מדוע אתה רוצה לסווג את החשבונית הזו 'נטושה'? +ConfirmClassifyPaidPartially=האם אתה בטוח שברצונך לשנות את החשבונית %s לסטטוס שולם ? +ConfirmClassifyPaidPartiallyQuestion=חשבונית זו לא שולמה במלואה. מה הסיבה לסגירת חשבונית זו? +ConfirmClassifyPaidPartiallyReasonAvoir=נותר ללא תשלום (%s %s)
      היא הנחה שניתנת מכיוון שהתשלום בוצע לפני התקופה. +ConfirmClassifyPaidPartiallyReasonDiscountNoVat=נותר ללא תשלום (%s %s)
      היא הנחה שניתנת מכיוון שהתשלום בוצע לפני התקופה. אני מחזיר את המע"מ על הנחה זו ללא תעודת זיכוי. +ConfirmClassifyPaidPartiallyReasonBadCustomer=לקוח גרוע +ConfirmClassifyPaidPartiallyReasonBadSupplier=ספק גרוע +ConfirmClassifyPaidPartiallyReasonBankCharge=ניכוי על ידי בנק (עמלת בנק מתווך) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=ניכוי מס במקור +ConfirmClassifyPaidPartiallyReasonProductReturned=מוצרים שהוחזרו חלקית +ConfirmClassifyPaidPartiallyReasonOther=סכום שננטש מסיבה אחרת +ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=בחירה זו אפשרית אם החשבונית שלך סופקה עם הערות מתאימות. (לדוגמה «רק המס התואם למחיר ששולם בפועל נותן זכויות לניכוי») +ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=במדינות מסוימות, ייתכן שבחירה זו תהיה אפשרית רק אם החשבונית שלך מכילה הערות נכונות. +ConfirmClassifyPaidPartiallyReasonAvoirDesc=השתמש בבחירה זו אם כל השאר לא מתאים +ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=לקוח רע הוא לקוח שמסרב לשלם את חובו. +ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=בחירה זו משמשת כאשר התשלום לא הושלם מכיוון שחלק מהמוצרים הוחזרו +ConfirmClassifyPaidPartiallyReasonBankChargeDesc=הסכום שלא שולם הוא עמלות בנק מתווך, מנוכות ישירות מ-b0aee873305 >סכום נכון ששולם על ידי הלקוח. +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=הסכום שלא שולם לעולם לא ישולם שכן מדובר בניכוי מס במקור +ConfirmClassifyPaidPartiallyReasonOtherDesc=השתמש בבחירה זו אם כל האחרים אינם מתאימים, למשל במצב הבא:
      - התשלום לא הושלם מכיוון שחלק מהמוצרים נשלחו בחזרה
      span>- הסכום שנתבע חשוב מדי כי נשכחה הנחה
      בכל המקרים, יש לתקן את הסכום שנתבע יתר על המידה במערכת הנהלת החשבונות על ידי יצירת תעודת זיכוי. +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=ספק גרוע הוא ספק שאנו מסרבים לשלם. ConfirmClassifyAbandonReasonOther=אחר -ConfirmClassifyAbandonReasonOtherDesc=This choice will be used in all other cases. For example because you plan to create a replacing invoice. -ConfirmCustomerPayment=Do you confirm this payment input for %s %s? -ConfirmSupplierPayment=Do you confirm this payment input for %s %s? -ConfirmValidatePayment=Are you sure you want to validate this payment? No change can be made once payment is validated. -ValidateBill=Validate invoice -UnvalidateBill=Unvalidate invoice -NumberOfBills=No. of invoices -NumberOfBillsByMonth=No. of invoices per month -AmountOfBills=Amount of invoices -AmountOfBillsHT=Amount of invoices (net of tax) -AmountOfBillsByMonthHT=Amount of invoices by month (net of tax) -UseSituationInvoices=Allow situation invoice -UseSituationInvoicesCreditNote=Allow situation invoice credit note -Retainedwarranty=Retained warranty -AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices -RetainedwarrantyDefaultPercent=Retained warranty default percent -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation -ToPayOn=To pay on %s -toPayOn=to pay on %s -RetainedWarranty=Retained Warranty -PaymentConditionsShortRetainedWarranty=Retained warranty payment terms -DefaultPaymentConditionsRetainedWarranty=Default retained warranty payment terms -setPaymentConditionsShortRetainedWarranty=Set retained warranty payment terms -setretainedwarranty=Set retained warranty -setretainedwarrantyDateLimit=Set retained warranty date limit -RetainedWarrantyDateLimit=Retained warranty date limit -RetainedWarrantyNeed100Percent=The situation invoice need to be at 100%% progress to be displayed on PDF -AlreadyPaid=Already paid -AlreadyPaidBack=Already paid back -AlreadyPaidNoCreditNotesNoDeposits=Already paid (without credit notes and down payments) -Abandoned=Abandoned -RemainderToPay=Remaining unpaid -RemainderToPayMulticurrency=Remaining unpaid, original currency -RemainderToTake=Remaining amount to take -RemainderToTakeMulticurrency=Remaining amount to take, original currency -RemainderToPayBack=Remaining amount to refund -RemainderToPayBackMulticurrency=Remaining amount to refund, original currency -NegativeIfExcessRefunded=negative if excess refunded -Rest=Pending -AmountExpected=Amount claimed -ExcessReceived=Excess received -ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received -ExcessPaid=Excess paid -ExcessPaidMulticurrency=Excess paid, original currency -EscompteOffered=Discount offered (payment before term) -EscompteOfferedShort=Discount -SendBillRef=Submission of invoice %s -SendReminderBillRef=Submission of invoice %s (reminder) -SendPaymentReceipt=Submission of payment receipt %s -NoDraftBills=No draft invoices -NoOtherDraftBills=No other draft invoices -NoDraftInvoices=No draft invoices -RefBill=Invoice ref -ToBill=To bill -RemainderToBill=Remainder to bill -SendBillByMail=Send invoice by email -SendReminderBillByMail=Send reminder by email -RelatedCommercialProposals=Related commercial proposals -RelatedRecurringCustomerInvoices=Related recurring customer invoices -MenuToValid=To valid -DateMaxPayment=Payment due on -DateInvoice=Invoice date -DatePointOfTax=Point of tax -NoInvoice=No invoice -NoOpenInvoice=No open invoice -NbOfOpenInvoices=Number of open invoices -ClassifyBill=Classify invoice -SupplierBillsToPay=Unpaid vendor invoices -CustomerBillsUnpaid=Unpaid customer invoices -NonPercuRecuperable=Non-recoverable -SetConditions=Set Payment Terms -SetMode=Set Payment Type -SetRevenuStamp=Set revenue stamp -Billed=Billed -RecurringInvoices=Recurring invoices -RecurringInvoice=Recurring invoice -RepeatableInvoice=Template invoice -RepeatableInvoices=Template invoices -Repeatable=Template -Repeatables=Templates -ChangeIntoRepeatableInvoice=Convert into template invoice -CreateRepeatableInvoice=Create template invoice -CreateFromRepeatableInvoice=Create from template invoice -CustomersInvoicesAndInvoiceLines=Customer invoices and invoice details -CustomersInvoicesAndPayments=Customer invoices and payments -ExportDataset_invoice_1=Customer invoices and invoice details -ExportDataset_invoice_2=Customer invoices and payments -ProformaBill=Proforma Bill: -Reduction=Reduction -ReductionShort=Disc. -Reductions=Reductions -ReductionsShort=Disc. -Discounts=Discounts -AddDiscount=Create discount -AddRelativeDiscount=Create relative discount -EditRelativeDiscount=Edit relative discount -AddGlobalDiscount=Create absolute discount -EditGlobalDiscounts=Edit absolute discounts -AddCreditNote=Create credit note -ShowDiscount=Show discount -ShowReduc=Show the discount -ShowSourceInvoice=Show the source invoice -RelativeDiscount=Relative discount -GlobalDiscount=Global discount +ConfirmClassifyAbandonReasonOtherDesc=בחירה זו תשמש בכל שאר המקרים. למשל בגלל שאתה מתכנן ליצור חשבונית מחליפה. +ConfirmCustomerPayment=האם אתה מאשר קלט תשלום זה עבור %s %s? +ConfirmSupplierPayment=האם אתה מאשר קלט תשלום זה עבור %s %s? +ConfirmValidatePayment=האם אתה בטוח שברצונך לאמת תשלום זה? לא ניתן לבצע שינוי לאחר אישור התשלום. +ValidateBill=אימות חשבונית +UnvalidateBill=בטל את תוקף החשבונית +NumberOfBills=מספר חשבוניות +NumberOfBillsByMonth=מספר חשבוניות לחודש +AmountOfBills=כמות החשבוניות +AmountOfBillsHT=כמות החשבוניות (בניכוי מס) +AmountOfBillsByMonthHT=כמות החשבוניות לפי חודש (בניכוי מס) +UseSituationInvoices=אפשר חשבונית מצב +UseSituationInvoicesCreditNote=אפשר תעודת זיכוי של חשבונית מצב +Retainedwarranty=אחריות נשמרת +AllowedInvoiceForRetainedWarranty=אחריות נשמרת לשימוש בסוגי החשבוניות הבאים +RetainedwarrantyDefaultPercent=אחוז ברירת המחדל של אחריות נשמר +RetainedwarrantyOnlyForSituation=הפוך את "אחריות נשמרת" לזמינה רק עבור חשבוניות מצב +RetainedwarrantyOnlyForSituationFinal=על חשבוניות מצב ניכוי "אחריות נשמרת" העולמית מוחל רק על המצב הסופי +ToPayOn=כדי לשלם ב-%s +toPayOn=לשלם ב-%s +RetainedWarranty=אחריות נשמרת +PaymentConditionsShortRetainedWarranty=תנאי תשלום אחריות שמורים +DefaultPaymentConditionsRetainedWarranty=תנאי תשלום ברירת מחדל נשמרים +setPaymentConditionsShortRetainedWarranty=קבע את תנאי התשלום של האחריות +setretainedwarranty=סט אחריות שמורה +setretainedwarrantyDateLimit=הגדר מגבלת תאריך אחריות שנשמר +RetainedWarrantyDateLimit=מגבלת תאריך אחריות נשמרת +RetainedWarrantyNeed100Percent=חשבונית המצב צריכה להיות ב-100%% התקדמות כדי להיות מוצגת ב-PDF +AlreadyPaid=כבר שילם +AlreadyPaidBack=כבר החזירו +AlreadyPaidNoCreditNotesNoDeposits=כבר שולם (ללא תעודות אשראי ותשלומים) +Abandoned=נָטוּשׁ +RemainderToPay=נשאר ללא תשלום +RemainderToPayMulticurrency=נותר ללא תשלום, מטבע מקורי +RemainderToTake=הסכום הנותר לקחת +RemainderToTakeMulticurrency=הסכום הנותר לקחת, מטבע מקורי +RemainderToPayBack=הסכום שנותר להחזר +RemainderToPayBackMulticurrency=הסכום שנותר להחזר, מטבע מקורי +NegativeIfExcessReceived=שלילי אם התקבל עודף +NegativeIfExcessRefunded=שלילי אם עודף יוחזר +NegativeIfExcessPaid=שלילי אם שילם עודף +Rest=ממתין ל +AmountExpected=סכום הנתבע +ExcessReceived=עודף שהתקבל +ExcessReceivedMulticurrency=עודף שהתקבל, מטבע מקורי +ExcessPaid=עודף ששולם +ExcessPaidMulticurrency=עודף ששולם, מטבע מקורי +EscompteOffered=הנחה מוצעת (תשלום לפני קדנציה) +EscompteOfferedShort=הנחה +SendBillRef=הגשת חשבונית %s +SendReminderBillRef=הגשת חשבונית %s (תזכורת) +SendPaymentReceipt=הגשת קבלה על תשלום %s +NoDraftBills=אין טיוטת חשבוניות +NoOtherDraftBills=אין טיוטות חשבוניות אחרות +NoDraftInvoices=אין טיוטת חשבוניות +RefBill=ר' חשבונית +RefSupplierBill=חשבונית ספק ref +SupplierOrderCreateBill=צור חשבונית +ToBill=לחייב +RemainderToBill=השאר לחיוב +SendBillByMail=שלח חשבונית במייל +SendReminderBillByMail=שלח תזכורת במייל +RelatedCommercialProposals=הצעות מסחריות קשורות +RelatedRecurringCustomerInvoices=חשבוניות לקוחות חוזרות הקשורות +MenuToValid=לתקף +DateMaxPayment=תשלום לפירעון בתאריך +DateInvoice=תאריך חשבונית +DatePointOfTax=נקודת מס +NoInvoice=ללא חשבונית +NoOpenInvoice=אין חשבונית פתוחה +NbOfOpenInvoices=מספר החשבוניות הפתוחות +ClassifyBill=סיווג חשבונית +SupplierBillsToPay=חשבוניות ספק שלא שולמו +CustomerBillsUnpaid=חשבוניות לקוחות שלא שולמו +NonPercuRecuperable=לא ניתן לשחזור +SetConditions=הגדר תנאי תשלום +SetMode=הגדר סוג תשלום +SetRevenuStamp=הגדר חותמת הכנסה +Billed=מחויב +RecurringInvoices=חשבוניות חוזרות +RecurringInvoice=חשבונית חוזרת +RecurringInvoiceSource=מקור חשבונית חוזרת +RepeatableInvoice=תבנית חשבונית +RepeatableInvoices=תבנית חשבוניות +RecurringInvoicesJob=הפקת חשבוניות חוזרות (חשבוניות מכירה) +RecurringSupplierInvoicesJob=הפקת חשבוניות חוזרות (חשבוניות רכישה) +Repeatable=תבנית +Repeatables=תבניות +ChangeIntoRepeatableInvoice=המר לחשבונית תבנית +CreateRepeatableInvoice=צור חשבונית תבנית +CreateFromRepeatableInvoice=צור מחשבונית תבנית +CustomersInvoicesAndInvoiceLines=חשבוניות לקוחות ופרטי חשבוניות +CustomersInvoicesAndPayments=חשבוניות ותשלומים של לקוחות +ExportDataset_invoice_1=חשבוניות לקוחות ופרטי חשבוניות +ExportDataset_invoice_2=חשבוניות ותשלומים של לקוחות +ProformaBill=הצעת חוק פרופורמה: +Reduction=צִמצוּם +ReductionShort=דיסק. +Reductions=הפחתות +ReductionsShort=דיסק. +Discounts=הנחות +AddDiscount=צור הנחה +AddRelativeDiscount=צור הנחה יחסית +EditRelativeDiscount=ערוך הנחה יחסית +AddGlobalDiscount=צור הנחה מוחלטת +EditGlobalDiscounts=ערוך הנחות מוחלטות +AddCreditNote=צור תעודת אשראי +ShowDiscount=הצג הנחה +ShowReduc=הצג את ההנחה +ShowSourceInvoice=הצג את חשבונית המקור +RelativeDiscount=הנחה יחסית +GlobalDiscount=הנחה גלובלית CreditNote=כתב זכויות CreditNotes=אשראי הערות -CreditNotesOrExcessReceived=Credit notes or excess received -Deposit=Down payment -Deposits=Down payments -DiscountFromCreditNote=Discount from credit note %s -DiscountFromDeposit=Down payments from invoice %s -DiscountFromExcessReceived=Payments in excess of invoice %s -DiscountFromExcessPaid=Payments in excess of invoice %s -AbsoluteDiscountUse=This kind of credit can be used on invoice before its validation -CreditNoteDepositUse=Invoice must be validated to use this kind of credits -NewGlobalDiscount=New absolute discount -NewRelativeDiscount=New relative discount -DiscountType=Discount type -NoteReason=Note/Reason -ReasonDiscount=Reason -DiscountOfferedBy=Granted by -DiscountStillRemaining=Discounts or credits available -DiscountAlreadyCounted=Discounts or credits already consumed -CustomerDiscounts=Customer discounts -SupplierDiscounts=Vendors discounts -BillAddress=Bill address -HelpEscompte=This discount is a discount granted to customer because payment was made before term. -HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loss. -HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by another for example) -IdSocialContribution=Social/fiscal tax payment id -PaymentId=Payment id -PaymentRef=Payment ref. -InvoiceId=Invoice id -InvoiceRef=Invoice ref. -InvoiceDateCreation=Invoice creation date -InvoiceStatus=Invoice status -InvoiceNote=Invoice note -InvoicePaid=Invoice paid -InvoicePaidCompletely=Paid completely -InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. -OrderBilled=Order billed -DonationPaid=Donation paid -PaymentNumber=Payment number -RemoveDiscount=Remove discount -WatermarkOnDraftBill=Watermark on draft invoices (nothing if empty) -InvoiceNotChecked=No invoice selected -ConfirmCloneInvoice=Are you sure you want to clone this invoice %s? -DisabledBecauseReplacedInvoice=Action disabled because invoice has been replaced -DescTaxAndDividendsArea=This area presents a summary of all payments made for special expenses. Only records with payments during the fixed year are included here. -NbOfPayments=No. of payments -SplitDiscount=Split discount in two -ConfirmSplitDiscount=Are you sure you want to split this discount of %s %s into two smaller discounts? -TypeAmountOfEachNewDiscount=Input amount for each of two parts: -TotalOfTwoDiscountMustEqualsOriginal=The total of the two new discounts must be equal to the original discount amount. -ConfirmRemoveDiscount=Are you sure you want to remove this discount? -RelatedBill=Related invoice -RelatedBills=Related invoices -RelatedCustomerInvoices=Related customer invoices -RelatedSupplierInvoices=Related vendor invoices -LatestRelatedBill=Latest related invoice -WarningBillExist=Warning, one or more invoices already exist -MergingPDFTool=Merging PDF tool -AmountPaymentDistributedOnInvoice=Payment amount distributed on invoice -PaymentOnDifferentThirdBills=Allow payments on different third parties bills but same parent company -PaymentNote=Payment note -ListOfPreviousSituationInvoices=List of previous situation invoices -ListOfNextSituationInvoices=List of next situation invoices -ListOfSituationInvoices=List of situation invoices -CurrentSituationTotal=Total current situation -DisabledBecauseNotEnouthCreditNote=To remove a situation invoice from cycle, this invoice's credit note total must cover this invoice total -RemoveSituationFromCycle=Remove this invoice from cycle -ConfirmRemoveSituationFromCycle=Remove this invoice %s from cycle ? -ConfirmOuting=Confirm outing -FrequencyPer_d=Every %s days -FrequencyPer_m=Every %s months -FrequencyPer_y=Every %s years -FrequencyUnit=Frequency unit -toolTipFrequency=Examples:
      Set 7, Day: give a new invoice every 7 days
      Set 3, Month: give a new invoice every 3 month -NextDateToExecution=Date for next invoice generation -NextDateToExecutionShort=Date next gen. -DateLastGeneration=Date of latest generation -DateLastGenerationShort=Date latest gen. -MaxPeriodNumber=Max. number of invoice generation -NbOfGenerationDone=Number of invoice generation already done -NbOfGenerationOfRecordDone=Number of record generation already done -NbOfGenerationDoneShort=Number of generation done -MaxGenerationReached=Maximum number of generations reached -InvoiceAutoValidate=Validate invoices automatically -GeneratedFromRecurringInvoice=Generated from template recurring invoice %s -DateIsNotEnough=Date not reached yet -InvoiceGeneratedFromTemplate=Invoice %s generated from recurring template invoice %s -GeneratedFromTemplate=Generated from template invoice %s -WarningInvoiceDateInFuture=Warning, the invoice date is higher than current date -WarningInvoiceDateTooFarInFuture=Warning, the invoice date is too far from current date -ViewAvailableGlobalDiscounts=View available discounts -GroupPaymentsByModOnReports=Group payments by mode on reports +CreditNotesOrExcessReceived=התקבלו שטרות אשראי או עודף +Deposit=מקדמה +Deposits=מקדם +DiscountFromCreditNote=הנחה מתעודת אשראי %s +DiscountFromDeposit=מקדמה מחשבונית %s +DiscountFromExcessReceived=תשלומים מעבר לחשבונית %s +DiscountFromExcessPaid=תשלומים מעבר לחשבונית %s +AbsoluteDiscountUse=ניתן להשתמש בזיכוי מסוג זה בחשבונית לפני אימותה +CreditNoteDepositUse=יש לאמת את החשבונית כדי להשתמש בזיכויים מסוג זה +NewGlobalDiscount=הנחה מוחלטת חדשה +NewSupplierGlobalDiscount=הנחת ספק מוחלטת חדשה +NewClientGlobalDiscount=הנחה מוחלטת ללקוח חדשה +NewRelativeDiscount=הנחה יחסית חדשה +DiscountType=סוג הנחה +NoteReason=הערה/סיבה +ReasonDiscount=סיבה +DiscountOfferedBy=ניתן על ידי +DiscountStillRemaining=הנחות או זיכויים זמינים +DiscountAlreadyCounted=הנחות או זיכויים כבר נצרכו +CustomerDiscounts=הנחות ללקוחות +SupplierDiscounts=הנחות ספקים +BillAddress=כתובת החשבון +HelpEscompte=הנחה זו היא הנחה המוענקת ללקוח מכיוון שהתשלום בוצע לפני התקופה. +HelpAbandonBadCustomer=סכום זה נזנח (נאמר שהלקוח הוא לקוח גרוע) ונחשב כהפסד חריג. +HelpAbandonOther=סכום זה נזנח מאחר שהיה טעות (לקוח שגוי או חשבונית שגויה הוחלפה באחר למשל) +IdSocialContribution=מזהה תשלום מס חברתי/מיסוי +PaymentId=מזהה תשלום +PaymentRef=נ"צ תשלום. +SourceInvoiceId=מזהה חשבונית מקור +InvoiceId=מזהה חשבונית +InvoiceRef=ר' חשבונית +InvoiceDateCreation=תאריך יצירת החשבונית +InvoiceStatus=מצב חשבונית +InvoiceNote=הערת חשבונית +InvoicePaid=חשבונית שולמה +InvoicePaidCompletely=בתשלום מלא +InvoicePaidCompletelyHelp=חשבונית ששולמה במלואה. זה לא כולל חשבוניות המשולמות באופן חלקי. כדי לקבל רשימה של כל החשבוניות 'סגורות' או שאינן 'סגורות', העדיפו להשתמש במסנן על מצב החשבונית. +OrderBilled=ההזמנה מחויבת +DonationPaid=תרומה שולמה +PaymentNumber=מספר תשלום +RemoveDiscount=הסר הנחה +WatermarkOnDraftBill=סימן מים על טיוטת חשבוניות (כלום אם ריק) +InvoiceNotChecked=לא נבחרה חשבונית +ConfirmCloneInvoice=האם אתה בטוח שברצונך לשכפל חשבונית זו %s? +DisabledBecauseReplacedInvoice=הפעולה הושבתה כי החשבונית הוחלפה +DescTaxAndDividendsArea=אזור זה מציג סיכום של כל התשלומים ששולמו עבור הוצאות מיוחדות. רק רשומות עם תשלומים במהלך השנה הקבועה כלולים כאן. +NbOfPayments=מספר תשלומים +SplitDiscount=פיצול הנחה לשניים +ConfirmSplitDiscount=האם אתה בטוח שברצונך לפצל הנחה זו של %s %s לשתי הנחות קטנות יותר? +TypeAmountOfEachNewDiscount=כמות קלט עבור כל אחד משני חלקים: +TotalOfTwoDiscountMustEqualsOriginal=הסכום הכולל של שתי ההנחות החדשות חייב להיות שווה לסכום ההנחה המקורי. +ConfirmRemoveDiscount=האם אתה בטוח שברצונך להסיר את ההנחה הזו? +RelatedBill=חשבונית קשורה +RelatedBills=חשבוניות קשורות +RelatedCustomerInvoices=חשבוניות לקוחות קשורות +RelatedSupplierInvoices=חשבוניות ספק קשורות +LatestRelatedBill=חשבונית קשורה אחרונה +WarningBillExist=אזהרה, כבר קיימת חשבונית אחת או יותר +MergingPDFTool=כלי מיזוג PDF +AmountPaymentDistributedOnInvoice=סכום התשלום מחולק בחשבונית +PaymentOnDifferentThirdBills=אפשר תשלומים על חשבונות צד שלישי שונים אך באותה חברת אם +PaymentNote=הערת תשלום +ListOfPreviousSituationInvoices=רשימת חשבוניות מצב קודמות +ListOfNextSituationInvoices=רשימת חשבוניות המצב הבא +ListOfSituationInvoices=רשימת חשבוניות מצב +CurrentSituationTotal=סך הכל המצב הנוכחי +DisabledBecauseNotEnouthCreditNote=כדי להסיר חשבונית מצב מהמחזור, סך תעודת הזיכוי של חשבונית זו חייב לכסות את סך החשבונית הזו +RemoveSituationFromCycle=הסר חשבונית זו מהמחזור +ConfirmRemoveSituationFromCycle=להסיר את החשבונית %s מהמחזור ? +ConfirmOuting=אשר את היציאה +FrequencyPer_d=כל %s ימים +FrequencyPer_m=כל %s חודשים +FrequencyPer_y=כל %s שנים +FrequencyUnit=יחידת תדר +toolTipFrequency=דוגמאות:
      סט 7, יום: תן הודעה חדשה כל 7 ימים
      סט 3, חודש: תן חדש חשבונית כל 3 חודשים +NextDateToExecution=תאריך להפקת החשבונית הבאה +NextDateToExecutionShort=תאריך הדור הבא. +DateLastGeneration=תאריך הדור האחרון +DateLastGenerationShort=תאריך אחרון Gen. +MaxPeriodNumber=מקסימום מספר הפקת החשבוניות +NbOfGenerationDone=מספר הפקת החשבוניות כבר בוצע +NbOfGenerationOfRecordDone=מספר יצירת הרשומות שכבר בוצע +NbOfGenerationDoneShort=מספר הדורות שנעשו +MaxGenerationReached=הגיע למספר המרבי של דורות +InvoiceAutoValidate=אימות חשבוניות באופן אוטומטי +GeneratedFromRecurringInvoice=נוצר מתבנית חשבונית חוזרת %s +DateIsNotEnough=התאריך עדיין לא הגיע +InvoiceGeneratedFromTemplate=חשבונית %s שנוצרה מחשבונית תבנית חוזרת %s +GeneratedFromTemplate=נוצר מחשבונית תבנית %s +WarningInvoiceDateInFuture=אזהרה, תאריך החשבונית גבוה מהתאריך הנוכחי +WarningInvoiceDateTooFarInFuture=אזהרה, תאריך החשבונית רחוק מדי מהתאריך הנוכחי +ViewAvailableGlobalDiscounts=צפה בהנחות זמינות +GroupPaymentsByModOnReports=קבץ תשלומים לפי מצב בדוחות # PaymentConditions -Statut=Status -PaymentConditionShortRECEP=Due Upon Receipt -PaymentConditionRECEP=Due Upon Receipt -PaymentConditionShort30D=30 days -PaymentCondition30D=30 days -PaymentConditionShort30DENDMONTH=30 days of month-end -PaymentCondition30DENDMONTH=Within 30 days following the end of the month -PaymentConditionShort60D=60 days -PaymentCondition60D=60 days -PaymentConditionShort60DENDMONTH=60 days of month-end -PaymentCondition60DENDMONTH=Within 60 days following the end of the month -PaymentConditionShortPT_DELIVERY=Delivery +Statut=סטָטוּס +PaymentConditionShortRECEP=לפירעון עם קבלה +PaymentConditionRECEP=לפירעון עם קבלה +PaymentConditionShort30D=30 ימים +PaymentCondition30D=30 ימים +PaymentConditionShort30DENDMONTH=30 יום מסוף חודש +PaymentCondition30DENDMONTH=תוך 30 יום לאחר סוף החודש +PaymentConditionShort60D=60 יום +PaymentCondition60D=60 יום +PaymentConditionShort60DENDMONTH=60 יום מסוף חודש +PaymentCondition60DENDMONTH=תוך 60 יום לאחר סוף החודש +PaymentConditionShortPT_DELIVERY=מְסִירָה PaymentConditionPT_DELIVERY=על משלוח PaymentConditionShortPT_ORDER=סדר -PaymentConditionPT_ORDER=On order +PaymentConditionPT_ORDER=בהזמנה PaymentConditionShortPT_5050=50-50 -PaymentConditionPT_5050=50%% in advance, 50%% on delivery -PaymentConditionShort10D=10 days -PaymentCondition10D=10 days -PaymentConditionShort10DENDMONTH=10 days of month-end -PaymentCondition10DENDMONTH=Within 10 days following the end of the month -PaymentConditionShort14D=14 days -PaymentCondition14D=14 days -PaymentConditionShort14DENDMONTH=14 days of month-end -PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount - 1 line with label '%s' -VarAmount=Variable amount (%% tot.) -VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' -VarAmountAllLines=Variable amount (%% tot.) - all lines from origin +PaymentConditionPT_5050=50%% מראש, 50%% במשלוח +PaymentConditionShort10D=10 ימים +PaymentCondition10D=10 ימים +PaymentConditionShort10DENDMONTH=10 ימים של סוף חודש +PaymentCondition10DENDMONTH=תוך 10 ימים לאחר סוף החודש +PaymentConditionShort14D=14 ימים +PaymentCondition14D=14 ימים +PaymentConditionShort14DENDMONTH=14 ימים של סוף חודש +PaymentCondition14DENDMONTH=תוך 14 ימים לאחר סוף החודש +PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% הפקדה +PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% הפקדה, יתרת המשלוח +FixAmount=כמות קבועה - שורה אחת עם התווית '%s' +VarAmount=כמות משתנה (%% סך הכל) +VarAmountOneLine=כמות משתנה (%% tot.) - שורה אחת עם התווית '%s' +VarAmountAllLines=כמות משתנה (%% tot.) - כל השורות מהמקור +DepositPercent=הפקדה %% +DepositGenerationPermittedByThePaymentTermsSelected=זה מותר על פי תנאי התשלום שנבחרו +GenerateDeposit=צור %s%% חשבונית הפקדה +ValidateGeneratedDeposit=אמת את ההפקדה שנוצרה +DepositGenerated=הפיקדון נוצר +ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=אתה יכול ליצור הפקדה אוטומטית רק מהצעה או הזמנה +ErrorPaymentConditionsNotEligibleToDepositCreation=תנאי התשלום שנבחרו אינם זכאים להפקה אוטומטית # PaymentType -PaymentTypeVIR=Bank transfer -PaymentTypeShortVIR=Bank transfer -PaymentTypePRE=Direct debit payment order -PaymentTypeShortPRE=Debit payment order -PaymentTypeLIQ=Cash -PaymentTypeShortLIQ=Cash -PaymentTypeCB=Credit card -PaymentTypeShortCB=Credit card -PaymentTypeCHQ=Check -PaymentTypeShortCHQ=Check -PaymentTypeTIP=TIP (Documents against Payment) -PaymentTypeShortTIP=TIP Payment -PaymentTypeVAD=Online payment -PaymentTypeShortVAD=Online payment -PaymentTypeTRA=Bank draft -PaymentTypeShortTRA=Draft -PaymentTypeFAC=Factor -PaymentTypeShortFAC=Factor -PaymentTypeDC=Debit/Credit Card +PaymentTypeVIR=העברה בנקאית +PaymentTypeShortVIR=העברה בנקאית +PaymentTypePRE=הוראת תשלום בהוראת קבע +PaymentTypePREdetails=(בחשבון %s...) +PaymentTypeShortPRE=הוראת תשלום חיוב +PaymentTypeLIQ=כסף מזומן +PaymentTypeShortLIQ=כסף מזומן +PaymentTypeCB=כרטיס אשראי +PaymentTypeShortCB=כרטיס אשראי +PaymentTypeCHQ=חשבון +PaymentTypeShortCHQ=חשבון +PaymentTypeTIP=טיפ (מסמכים נגד תשלום) +PaymentTypeShortTIP=תשלום טיפ +PaymentTypeVAD=תשלום אונליין +PaymentTypeShortVAD=תשלום אונליין +PaymentTypeTRA=המחאה בנקאית +PaymentTypeShortTRA=טְיוּטָה +PaymentTypeFAC=גורם +PaymentTypeShortFAC=גורם +PaymentTypeDC=כרטיס חיוב/אשראי PaymentTypePP=PayPal -BankDetails=Bank details -BankCode=Bank code -DeskCode=Branch code -BankAccountNumber=Account number -BankAccountNumberKey=Checksum +BankDetails=פרטי בנק +BankCode=קוד בנק +DeskCode=קוד סניף +BankAccountNumber=מספר חשבון +BankAccountNumberKey=סכום בדיקה Residence=כתובת -IBANNumber=IBAN account number +IBANNumber=מספר חשבון IBAN IBAN=IBAN -CustomerIBAN=IBAN of customer -SupplierIBAN=IBAN of vendor +CustomerIBAN=IBAN של הלקוח +SupplierIBAN=IBAN של הספק BIC=BIC/SWIFT -BICNumber=BIC/SWIFT code -ExtraInfos=Extra infos -RegulatedOn=Regulated on -ChequeNumber=Check N° -ChequeOrTransferNumber=Check/Transfer N° -ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer sender -ChequeBank=Bank of Check -CheckBank=Check -NetToBePaid=Net to be paid -PhoneNumber=Tel -FullPhoneNumber=Telephone -TeleFax=Fax -PrettyLittleSentence=Accept the amount of payments due by checks issued in my name as a Member of an accounting association approved by the Fiscal Administration. -IntracommunityVATNumber=Intra-Community VAT ID -PaymentByChequeOrderedTo=Check payments (including tax) are payable to %s, send to -PaymentByChequeOrderedToShort=Check payments (incl. tax) are payable to -SendTo=sent to -PaymentByTransferOnThisBankAccount=Payment by transfer to the following bank account -VATIsNotUsedForInvoice=* Non applicable VAT art-293B of CGI -LawApplicationPart1=By application of the law 80.335 of 12/05/80 -LawApplicationPart2=the goods remain the property of -LawApplicationPart3=the seller until full payment of -LawApplicationPart4=their price. -LimitedLiabilityCompanyCapital=SARL with Capital of -UseLine=Apply -UseDiscount=Use discount -UseCredit=Use credit -UseCreditNoteInInvoicePayment=Reduce amount to pay with this credit -MenuChequeDeposits=Check Deposits -MenuCheques=Checks -MenuChequesReceipts=Check receipts -NewChequeDeposit=New deposit -ChequesReceipts=Check receipts -ChequesArea=Check deposits area -ChequeDeposits=Check deposits -Cheques=Checks -DepositId=Id deposit -NbCheque=Number of checks -CreditNoteConvertedIntoDiscount=This %s has been converted into %s -UsBillingContactAsIncoiveRecipientIfExist=Use contact/address with type 'billing contact' instead of third-party address as recipient for invoices -ShowUnpaidAll=Show all unpaid invoices -ShowUnpaidLateOnly=Show late unpaid invoices only -PaymentInvoiceRef=Payment invoice %s -ValidateInvoice=Validate invoice -ValidateInvoices=Validate invoices -Cash=Cash -Reported=Delayed -DisabledBecausePayments=Not possible since there are some payments -CantRemovePaymentWithOneInvoicePaid=Can't remove payment since there is at least one invoice classified paid -CantRemovePaymentVATPaid=Can't remove payment since VAT declaration is classified paid -CantRemovePaymentSalaryPaid=Can't remove payment since salary is classified paid -ExpectedToPay=Expected payment -CantRemoveConciliatedPayment=Can't remove reconciled payment -PayedByThisPayment=Paid by this payment -ClosePaidInvoicesAutomatically=Classify automatically all standard, down payment or replacement invoices as "Paid" when payment is done entirely. -ClosePaidCreditNotesAutomatically=Classify automatically all credit notes as "Paid" when refund is done entirely. -ClosePaidContributionsAutomatically=Classify automatically all social or fiscal contributions as "Paid" when payment is done entirely. -ClosePaidVATAutomatically=Classify automatically VAT declaration as "Paid" when payment is done entirely. -ClosePaidSalaryAutomatically=Classify automatically salary as "Paid" when payment is done entirely. -AllCompletelyPayedInvoiceWillBeClosed=All invoices with no remainder to pay will be automatically closed with status "Paid". -ToMakePayment=Pay -ToMakePaymentBack=Pay back -ListOfYourUnpaidInvoices=List of unpaid invoices -NoteListOfYourUnpaidInvoices=Note: This list contains only invoices for third parties you are linked to as a sale representative. -RevenueStamp=Tax stamp -YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party -YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party -YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) -PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template -PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -TerreNumRefModelError=A bill starting with $syymm already exists and is not compatible with this model of sequence. Remove it or rename it to activate this module. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -EarlyClosingReason=Early closing reason -EarlyClosingComment=Early closing note +BICNumber=קוד BIC/SWIFT +ExtraInfos=מידע נוסף +RegulatedOn=מוסדר על +ChequeNumber=סמן מס' +ChequeOrTransferNumber=בדיקה/העברה מס' +ChequeBordereau=בדוק את לוח הזמנים +ChequeMaker=בדוק/העבר את השולח +ChequeBank=בנק צ'קים +CheckBank=חשבון +NetToBePaid=נטו לתשלום +PhoneNumber=טל +FullPhoneNumber=טֵלֵפוֹן +TeleFax=פַקס +PrettyLittleSentence=קבל את סכום התשלומים המגיעים בהמחאות שהונפקו על שמי כחבר באגודה לחשבונאות המאושרת על ידי המינהל הפיסקאלי. +IntracommunityVATNumber=מזהה מע"מ תוך קהילתי +PaymentByChequeOrderedTo=תשלומי המחאות (כולל מס) יש לשלם ל%s, לשלוח אל +PaymentByChequeOrderedToShort=תשלומי צ'קים (כולל מס) יש לשלם ל +SendTo=נשלח ל +PaymentByTransferOnThisBankAccount=תשלום בהעברה לחשבון הבנק הבא +VATIsNotUsedForInvoice=* מע"מ לא רלוונטי art-293B של CGI +VATIsNotUsedForInvoiceAsso=* מע"מ לא רלוונטי סעיף-261-7 של CGI +LawApplicationPart1=לפי החלת החוק 80.335 מיום 12/05/80 +LawApplicationPart2=הסחורה נשארת בבעלותם +LawApplicationPart3=המוכר עד לתשלום מלא של +LawApplicationPart4=המחיר שלהם. +LimitedLiabilityCompanyCapital=SARL עם הון של +UseLine=להגיש מועמדות +UseDiscount=השתמש בהנחה +UseCredit=השתמש באשראי +UseCreditNoteInInvoicePayment=הפחת את הסכום לתשלום באמצעות אשראי זה +MenuChequeDeposits=תלושי הפקדות +MenuCheques=צ'קים +MenuChequesReceipts=תלושי הפקדה +NewChequeDeposit=תלוש פיקדון חדש +ChequesReceipts=בדוק תלושי פיקדון +DocumentsDepositArea=אזור תלוש פיקדון +ChequesArea=אזור תלושי הפקדה +ChequeDeposits=תלושי הפקדה +Cheques=צ'קים +DepositId=הפקדת תעודת זהות +NbCheque=מספר צ'קים +CreditNoteConvertedIntoDiscount=%s זה הומר ל-%s +UsBillingContactAsIncoiveRecipientIfExist=השתמש ביצירת קשר/כתובת עם סוג 'איש קשר לחיוב' במקום כתובת של צד שלישי בתור נמען עבור חשבוניות +ShowUnpaidAll=הצג את כל החשבוניות שלא שולמו +ShowUnpaidLateOnly=הצג חשבוניות באיחור שלא שולמו בלבד +PaymentInvoiceRef=חשבונית תשלום %s +ValidateInvoice=אימות חשבונית +ValidateInvoices=אימות חשבוניות +Cash=כסף מזומן +Reported=מוּשׁהֶה +DisabledBecausePayments=לא אפשרי מכיוון שיש כמה תשלומים +CantRemovePaymentWithOneInvoicePaid=לא ניתן להסיר את התשלום מכיוון שיש לפחות חשבונית אחת שסווגה ששולמה +CantRemovePaymentVATPaid=לא ניתן להסיר תשלום מכיוון שהצהרת מע"מ מסווגת בתשלום +CantRemovePaymentSalaryPaid=לא ניתן להסיר את התשלום מכיוון שהמשכורת מסווגת בתשלום +ExpectedToPay=תשלום צפוי +CantRemoveConciliatedPayment=לא ניתן להסיר תשלום תואם +PayedByThisPayment=שולם על ידי תשלום זה +ClosePaidInvoicesAutomatically=סיווג אוטומטית את כל החשבוניות הרגילות, המקדמה או ההחלפה כ"תשלום" כאשר התשלום מתבצע במלואו. +ClosePaidCreditNotesAutomatically=סיווג אוטומטית את כל תעודות האשראי כ"תשלום" כאשר ההחזר מתבצע במלואו. +ClosePaidContributionsAutomatically=סיווג אוטומטית את כל התרומות החברתיות או הפיסקליות כ"בתשלום" כאשר התשלום מתבצע במלואו. +ClosePaidVATAutomatically=סיווג אוטומטית הצהרת מע"מ כ"תשלום" כאשר התשלום מתבצע במלואו. +ClosePaidSalaryAutomatically=סיווג אוטומטית משכורת כ"תשלום" כאשר התשלום מתבצע במלואו. +AllCompletelyPayedInvoiceWillBeClosed=כל החשבוניות ללא יתרת תשלום ייסגרו אוטומטית בסטטוס "שולם". +ToMakePayment=לְשַׁלֵם +ToMakePaymentBack=לִגמוֹל +ListOfYourUnpaidInvoices=רשימת חשבוניות שלא שולמו +NoteListOfYourUnpaidInvoices=הערה: רשימה זו מכילה רק חשבוניות עבור צדדים שלישיים שאליהם אתה מקושר כנציג מכירות. +RevenueStamp=חותמת מס +YouMustCreateInvoiceFromThird=אפשרות זו זמינה רק בעת יצירת חשבונית מהכרטיסייה "לקוח" של צד שלישי +YouMustCreateInvoiceFromSupplierThird=אפשרות זו זמינה רק בעת יצירת חשבונית מהכרטיסייה "ספק" של צד שלישי +YouMustCreateStandardInvoiceFirstDesc=יש ליצור תחילה חשבונית רגילה ולהמיר אותה ל"תבנית" כדי ליצור חשבונית תבנית חדשה +PDFCrabeDescription=תבנית PDF של חשבונית Crabe. תבנית חשבונית מלאה (יישום ישן של תבנית ספוג) +PDFSpongeDescription=תבנית PDF של חשבונית ספוג. תבנית חשבונית מלאה +PDFCrevetteDescription=תבנית PDF של חשבונית Crevette. תבנית חשבונית מלאה לחשבוניות מצב +TerreNumRefModelDesc1=החזר מספר בפורמט %syymm-nnnn עבור חשבוניות סטנדרטיות ו-%syymm-nnnn עבור תעודות זיכוי כאשר yy הוא שנה, מ"מ הוא חודש ו-nnnn הוא מספר הגדלה אוטומטית ברצף ללא הפסקה וללא חזרה ל-0 +MarsNumRefModelDesc1=החזר מספר בפורמט %syymm-nnnn עבור חשבוניות סטנדרטיות, %syymm-nnnn עבור חשבוניות חלופיות, %syymm-nnnn עבור חשבוניות מקדמה ו-%syymm-nnnn עבור שטרות אשראי כאשר yy הוא שנה, mm הוא חודש ו-nnnn הוא אוטומטי רציף מספר עולה ללא הפסקה וללא חזרה ל-0 +TerreNumRefModelError=שטר שמתחיל ב-$syymm כבר קיים ואינו תואם למודל זה של רצף. הסר אותו או שנה את שמו כדי להפעיל מודול זה. +CactusNumRefModelDesc1=החזר מספר בפורמט %syymm-nnnn עבור חשבוניות סטנדרטיות, %syymm-nnnn עבור תעודות אשראי ו-%syymm-nnnn עבור חשבוניות מקדמה כאשר yy הוא שנה, mm הוא חודש ו-nnnn הוא מספר הגדלה אוטומטית רציפה ללא הפסקה וללא חזרה ל-0 +EarlyClosingReason=סיבת סגירה מוקדמת +EarlyClosingComment=הערת סגירה מוקדמת ##### Types de contacts ##### -TypeContact_facture_internal_SALESREPFOLL=Representative following-up customer invoice -TypeContact_facture_external_BILLING=Customer invoice contact -TypeContact_facture_external_SHIPPING=Customer shipping contact -TypeContact_facture_external_SERVICE=Customer service contact -TypeContact_invoice_supplier_internal_SALESREPFOLL=Representative following-up vendor invoice -TypeContact_invoice_supplier_external_BILLING=Vendor invoice contact -TypeContact_invoice_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_invoice_supplier_external_SERVICE=Vendor service contact +TypeContact_facture_internal_SALESREPFOLL=נציג מעקב אחר חשבונית לקוח +TypeContact_facture_external_BILLING=קשר חשבונית לקוח +TypeContact_facture_external_SHIPPING=איש קשר למשלוח לקוחות +TypeContact_facture_external_SERVICE=איש קשר לשירות לקוחות +TypeContact_invoice_supplier_internal_SALESREPFOLL=חשבונית ספק מעקב נציג +TypeContact_invoice_supplier_external_BILLING=קשר חשבונית ספק +TypeContact_invoice_supplier_external_SHIPPING=איש קשר למשלוח +TypeContact_invoice_supplier_external_SERVICE=איש קשר לשירות הספק # Situation invoices -InvoiceFirstSituationAsk=First situation invoice -InvoiceFirstSituationDesc=The situation invoices are tied to situations related to a progression, for example the progression of a construction. Each situation is tied to an invoice. -InvoiceSituation=Situation invoice -PDFInvoiceSituation=Situation invoice -InvoiceSituationAsk=Invoice following the situation -InvoiceSituationDesc=Create a new situation following an already existing one -SituationAmount=Situation invoice amount(net) -SituationDeduction=Situation subtraction -ModifyAllLines=Modify all lines -CreateNextSituationInvoice=Create next situation -ErrorFindNextSituationInvoice=Error unable to find next situation cycle ref -ErrorOutingSituationInvoiceOnUpdate=Unable to outing this situation invoice. -ErrorOutingSituationInvoiceCreditNote=Unable to outing linked credit note. -NotLastInCycle=This invoice is not the latest in cycle and must not be modified. -DisabledBecauseNotLastInCycle=The next situation already exists. -DisabledBecauseFinal=This situation is final. -situationInvoiceShortcode_AS=AS -situationInvoiceShortcode_S=S -CantBeLessThanMinPercent=The progress can't be smaller than its value in the previous situation. -NoSituations=No open situations -InvoiceSituationLast=Final and general invoice -PDFCrevetteSituationNumber=Situation N°%s -PDFCrevetteSituationInvoiceLineDecompte=Situation invoice - COUNT -PDFCrevetteSituationInvoiceTitle=Situation invoice -PDFCrevetteSituationInvoiceLine=Situation N°%s: Inv. N°%s on %s -TotalSituationInvoice=Total situation -invoiceLineProgressError=Invoice line progress can't be greater than or equal to the next invoice line -updatePriceNextInvoiceErrorUpdateline=Error: update price on invoice line: %s -ToCreateARecurringInvoice=To create a recurring invoice for this contract, first create this draft invoice, then convert it into an invoice template and define the frequency for generation of future invoices. -ToCreateARecurringInvoiceGene=To generate future invoices regularly and manually, just go on menu %s - %s - %s. -ToCreateARecurringInvoiceGeneAuto=If you need to have such invoices generated automatically, ask your administrator to enable and setup module %s. Note that both methods (manual and automatic) can be used together with no risk of duplication. -DeleteRepeatableInvoice=Delete template invoice -ConfirmDeleteRepeatableInvoice=Are your sure you want to delete the template invoice? -CreateOneBillByThird=Create one invoice per third party (otherwise, one invoice per selected object) -BillCreated=%s invoice(s) generated -BillXCreated=Invoice %s generated -StatusOfGeneratedDocuments=Status of document generation -DoNotGenerateDoc=Do not generate document file -AutogenerateDoc=Auto generate document file -AutoFillDateFrom=Set start date for service line with invoice date -AutoFillDateFromShort=Set start date -AutoFillDateTo=Set end date for service line with next invoice date -AutoFillDateToShort=Set end date -MaxNumberOfGenerationReached=Max number of gen. reached -BILL_DELETEInDolibarr=Invoice deleted -BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted -UnitPriceXQtyLessDiscount=Unit price x Qty - Discount -CustomersInvoicesArea=Customer billing area -SupplierInvoicesArea=Supplier billing area -FacParentLine=Invoice Line Parent -SituationTotalRayToRest=Remainder to pay without taxe -PDFSituationTitle=Situation n° %d -SituationTotalProgress=Total progress %d %% -SearchUnpaidInvoicesWithDueDate=Search unpaid invoices with a due date = %s -NoPaymentAvailable=No payment available for %s -PaymentRegisteredAndInvoiceSetToPaid=Payment registered and invoice %s set to paid -SendEmailsRemindersOnInvoiceDueDate=Send reminder by email for unpaid invoices +InvoiceFirstSituationAsk=חשבונית מצב ראשון +InvoiceFirstSituationDesc=חשבוניות המצב קשורות למצבים הקשורים להתקדמות, למשל התקדמות בנייה. כל מצב קשור לחשבונית. +InvoiceSituation=חשבונית המצב +PDFInvoiceSituation=חשבונית המצב +InvoiceSituationAsk=חשבונית בעקבות המצב +InvoiceSituationDesc=צור מצב חדש בעקבות מצב קיים כבר +SituationAmount=סכום חשבונית המצב (נטו) +SituationDeduction=חיסור מצב +ModifyAllLines=שנה את כל השורות +CreateNextSituationInvoice=צור את המצב הבא +ErrorFindNextSituationInvoice=שגיאה לא מצליחה למצוא את ר' מחזור המצב הבא +ErrorOutingSituationInvoiceOnUpdate=לא ניתן להוציא חשבונית מצב זה. +ErrorOutingSituationInvoiceCreditNote=לא ניתן לצאת לתעודת אשראי מקושרת. +NotLastInCycle=חשבונית זו אינה האחרונה במחזור ואין לשנות אותה. +DisabledBecauseNotLastInCycle=המצב הבא כבר קיים. +DisabledBecauseFinal=המצב הזה הוא סופי. +situationInvoiceShortcode_AS=כפי ש +situationInvoiceShortcode_S=ס +CantBeLessThanMinPercent=ההתקדמות לא יכולה להיות קטנה מהערך שלה במצב הקודם. +NoSituations=אין מצבים פתוחים +InvoiceSituationLast=חשבונית סופית וכללית +PDFCrevetteSituationNumber=מצב מס'%s +PDFCrevetteSituationInvoiceLineDecompte=חשבונית המצב - COUNT +PDFCrevetteSituationInvoiceTitle=חשבונית המצב +PDFCrevetteSituationInvoiceLine=מצב מס'%s: Inv. N°%s ב-%s +TotalSituationInvoice=מצב טוטאלי +invoiceLineProgressError=התקדמות שורת החשבונית אינה יכולה להיות גדולה או שווה לשורת החשבונית הבאה +updatePriceNextInvoiceErrorUpdateline=שגיאה: עדכן מחיר בשורת החשבונית: %s +ToCreateARecurringInvoice=כדי ליצור חשבונית חוזרת עבור חוזה זה, תחילה צור טיוטת חשבונית זו, ולאחר מכן המר אותה לתבנית חשבונית והגדר את התדירות להפקת חשבוניות עתידיות. +ToCreateARecurringInvoiceGene=כדי ליצור חשבוניות עתידיות באופן קבוע וידני, פשוט עבור לתפריט %s - %s span> - %s. +ToCreateARecurringInvoiceGeneAuto=אם אתה צריך להפיק חשבוניות כאלה באופן אוטומטי, בקש ממנהל המערכת שלך להפעיל ולהגדיר את המודול %s. שימו לב שניתן להשתמש בשתי השיטות (ידניות ואוטומטיות) יחד ללא סיכון לשכפול. +DeleteRepeatableInvoice=מחק חשבונית תבנית +ConfirmDeleteRepeatableInvoice=האם אתה בטוח שברצונך למחוק את חשבונית התבנית? +CreateOneBillByThird=צור חשבונית אחת לכל צד שלישי (אחרת, חשבונית אחת לכל אובייקט נבחר) +BillCreated=%s חשבוניות שנוצרו +BillXCreated=נוצרה חשבונית %s +StatusOfGeneratedDocuments=מצב הפקת מסמכים +DoNotGenerateDoc=אל תיצור קובץ מסמך +AutogenerateDoc=יצירה אוטומטית של קובץ מסמך +AutoFillDateFrom=הגדר תאריך התחלה לקו שירות עם תאריך חשבונית +AutoFillDateFromShort=הגדר תאריך התחלה +AutoFillDateTo=הגדר תאריך סיום עבור קו השירות עם תאריך החשבונית הבאה +AutoFillDateToShort=הגדר תאריך סיום +MaxNumberOfGenerationReached=מספר מקסימלי של דור השיג +BILL_DELETEInDolibarr=החשבונית נמחקה +BILL_SUPPLIER_DELETEInDolibarr=חשבונית הספק נמחקה +UnitPriceXQtyLessDiscount=מחיר יחידה x כמות - הנחה +CustomersInvoicesArea=אזור חיוב לקוחות +SupplierInvoicesArea=אזור חיוב הספק +SituationTotalRayToRest=את השאר יש לשלם ללא מס +PDFSituationTitle=מצב מס' %d +SituationTotalProgress=התקדמות כוללת %d %% +SearchUnpaidInvoicesWithDueDate=חפש בחשבוניות שלא שולמו עם תאריך יעד = %s +SearchValidatedInvoicesWithDate=חפש חשבוניות שלא שולמו עם תאריך אימות = %s +NoPaymentAvailable=אין תשלום זמין עבור %s +PaymentRegisteredAndInvoiceSetToPaid=התשלום נרשם והחשבונית %s מוגדרת לשולמה +SendEmailsRemindersOnInvoiceDueDate=שלח תזכורת למייל עבור חשבוניות מאומתות ולא שולמו +MakePaymentAndClassifyPayed=שיא תשלום +BulkPaymentNotPossibleForInvoice=לא ניתן לשלם בכמות גדולה עבור חשבונית %s (סוג או סטטוס גרוע) +MentionVATDebitOptionIsOn=אפשרות לתשלום מס על בסיס חיובים +MentionCategoryOfOperations=קטגוריית פעולות +MentionCategoryOfOperations0=אספקת סחורה +MentionCategoryOfOperations1=מתן שירותים +MentionCategoryOfOperations2=מעורב - אספקת סחורות ומתן שירותים +Salaries=משכורות +InvoiceSubtype=סוג משנה של חשבונית +SalaryInvoice=שכר +BillsAndSalaries=חשבונות ומשכורות +CreateCreditNoteWhenClientInvoiceExists=אפשרות זו מופעלת רק כאשר קיימות חשבוניות מאומתות עבור לקוח או כאשר נעשה שימוש קבוע ב-INVOICE_CREDIT_NOTE_STANDALONE (שימושי עבור מדינות מסוימות) diff --git a/htdocs/langs/he_IL/blockedlog.lang b/htdocs/langs/he_IL/blockedlog.lang index 12f28737d49..9ed90b1ac32 100644 --- a/htdocs/langs/he_IL/blockedlog.lang +++ b/htdocs/langs/he_IL/blockedlog.lang @@ -1,57 +1,62 @@ -BlockedLog=Unalterable Logs -Field=Field -BlockedLogDesc=This module tracks some events into an unalterable log (that you can't modify once recorded) into a block chain, in real time. This module provides compatibility with requirements of laws of some countries (like France with the law Finance 2016 - Norme NF525). -Fingerprints=Archived events and fingerprints -FingerprintsDesc=This is the tool to browse or extract the unalterable logs. Unalterable logs are generated and archived locally into a dedicated table, in real time when you record a business event. You can use this tool to export this archive and save it into an external support (some countries, like France, ask that you do it every year). Note that, there is no feature to purge this log and every change tried to be done directly into this log (by a hacker for example) will be reported with a non-valid fingerprint. If you really need to purge this table because you used your application for a demo/test purpose and want to clean your data to start your production, you can ask your reseller or integrator to reset your database (all your data will be removed). -CompanyInitialKey=Company initial key (hash of genesis block) -BrowseBlockedLog=Unalterable logs -ShowAllFingerPrintsMightBeTooLong=Show all archived logs (might be long) -ShowAllFingerPrintsErrorsMightBeTooLong=Show all non-valid archive logs (might be long) -DownloadBlockChain=Download fingerprints -KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists) or has modified checksum of the previous record. -OkCheckFingerprintValidity=Archived log record is valid. The data on this line was not modified and the entry follows the previous one. -OkCheckFingerprintValidityButChainIsKo=Archived log seems valid compared to previous one but the chain was corrupted previously. -AddedByAuthority=Stored into remote authority -NotAddedByAuthorityYet=Not yet stored into remote authority -ShowDetails=Show stored details -logPAYMENT_VARIOUS_CREATE=Payment (not assigned to an invoice) created -logPAYMENT_VARIOUS_MODIFY=Payment (not assigned to an invoice) modified -logPAYMENT_VARIOUS_DELETE=Payment (not assigned to an invoice) logical deletion -logPAYMENT_ADD_TO_BANK=Payment added to bank -logPAYMENT_CUSTOMER_CREATE=Customer payment created -logPAYMENT_CUSTOMER_DELETE=Customer payment logical deletion -logDONATION_PAYMENT_CREATE=Donation payment created -logDONATION_PAYMENT_DELETE=Donation payment logical deletion -logBILL_PAYED=Customer invoice paid -logBILL_UNPAYED=Customer invoice set unpaid -logBILL_VALIDATE=Customer invoice validated -logBILL_SENTBYMAIL=Customer invoice send by mail -logBILL_DELETE=Customer invoice logically deleted -logMODULE_RESET=Module BlockedLog was disabled -logMODULE_SET=Module BlockedLog was enabled -logDON_VALIDATE=Donation validated -logDON_MODIFY=Donation modified -logDON_DELETE=Donation logical deletion -logMEMBER_SUBSCRIPTION_CREATE=Member subscription created -logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified -logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion -logCASHCONTROL_VALIDATE=Cash desk closing recording -BlockedLogBillDownload=Customer invoice download -BlockedLogBillPreview=Customer invoice preview -BlockedlogInfoDialog=Log Details -ListOfTrackedEvents=List of tracked events -Fingerprint=Fingerprint -DownloadLogCSV=Export archived logs (CSV) -logDOC_PREVIEW=Preview of a validated document in order to print or download -logDOC_DOWNLOAD=Download of a validated document in order to print or send -DataOfArchivedEvent=Full datas of archived event -ImpossibleToReloadObject=Original object (type %s, id %s) not linked (see 'Full datas' column to get unalterable saved data) -BlockedLogAreRequiredByYourCountryLegislation=Unalterable Logs module may be required by the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they can not be validated by a tax audit. -BlockedLogActivatedBecauseRequiredByYourCountryLegislation=Unalterable Logs module was activated because of the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they cannot be validated by a tax audit. -BlockedLogDisableNotAllowedForCountry=List of countries where usage of this module is mandatory (just to prevent to disable the module by error, if your country is in this list, disable of module is not possible without editing this list first. Note also that enabling/disabling this module will keep a track into the unalterable log). -OnlyNonValid=Non-valid -TooManyRecordToScanRestrictFilters=Too many records to scan/analyze. Please restrict list with more restrictive filters. -RestrictYearToExport=Restrict month / year to export -BlockedLogEnabled=System to track events into unalterable logs has been enabled -BlockedLogDisabled=System to track events into unalterable logs has been disabled after some recording were done. We saved a special Fingerprint to track the chain as broken -BlockedLogDisabledBis=System to track events into unalterable logs has been disabled. This is possible because no record were done yet. +BlockedLog=יומנים בלתי ניתנים לשינוי +Field=שדה +BlockedLogDesc=מודול זה עוקב אחר כמה אירועים לתוך יומן בלתי ניתן לשינוי (שאותו אינך יכול לשנות לאחר שנרשם) לתוך שרשרת בלוק, בזמן אמת. מודול זה מספק תאימות לדרישות החוקים של מדינות מסוימות (כמו צרפת עם החוק Finance 2016 - Norme NF525). +Fingerprints=אירועים שנשמרו בארכיון וטביעות אצבע +FingerprintsDesc=זהו הכלי לגלוש או לחלץ את היומנים הבלתי ניתנים לשינוי. יומנים בלתי ניתנים לשינוי נוצרים ומאוחסנים באופן מקומי בטבלה ייעודית, בזמן אמת כשאתה מקליט אירוע עסקי. אתה יכול להשתמש בכלי זה כדי לייצא את הארכיון הזה ולשמור אותו בתמיכה חיצונית (מדינות מסוימות, כמו צרפת, מבקשות ממך לעשות זאת כל שנה). שימו לב, אין תכונה לטיהור יומן זה וכל שינוי שינסה לבצע ישירות ביומן זה (על ידי האקר למשל) ידווח עם טביעת אצבע לא חוקית. אם אתה באמת צריך לטהר את הטבלה הזו מכיוון שהשתמשת באפליקציה שלך למטרת הדגמה/בדיקה וברצונך לנקות את הנתונים שלך כדי להתחיל בייצור, אתה יכול לבקש מהמפיץ או האינטגרטור שלך לאפס את מסד הנתונים שלך (כל הנתונים שלך יוסרו). +CompanyInitialKey=מפתח ראשוני של החברה (hash של בלוק בראשית) +BrowseBlockedLog=יומנים בלתי ניתנים לשינוי +ShowAllFingerPrintsMightBeTooLong=הצג את כל יומני הארכיון (עשויים להיות ארוכים) +ShowAllFingerPrintsErrorsMightBeTooLong=הצג את כל יומני הארכיון הלא חוקיים (עשויים להיות ארוכים) +DownloadBlockChain=הורד טביעות אצבע +KoCheckFingerprintValidity=ערך יומן בארכיון אינו חוקי. זה אומר שמישהו (האקר?) שינה חלק מהנתונים של הרשומה הזו לאחר שהוקלטה, או מחק את הרשומה הקודמת בארכיון (בדוק שקיימת שורה עם # קודם) או שינה את סכום הבדיקה של הרשומה הקודמת. +OkCheckFingerprintValidity=רשומת יומן בארכיון תקפה. הנתונים בשורה זו לא שונו והערך עוקב אחר הקודם. +OkCheckFingerprintValidityButChainIsKo=נראה כי יומן ארכיון תקף בהשוואה לקודם אך השרשרת פגומה בעבר. +AddedByAuthority=מאוחסן ברשות מרוחקת +NotAddedByAuthorityYet=עדיין לא מאוחסן ברשות מרוחקת +ShowDetails=הצג פרטים מאוחסנים +BlockedLogBillDownload=הורדת חשבונית לקוח +BlockedLogBillPreview=תצוגה מקדימה של חשבונית לקוח +BlockedlogInfoDialog=פרטי יומן +ListOfTrackedEvents=רשימת אירועים במעקב +Fingerprint=טביעת אצבע +DownloadLogCSV=ייצוא יומני ארכיון (CSV) +logDOC_PREVIEW=תצוגה מקדימה של מסמך מאומת על מנת להדפיס או להוריד +logDOC_DOWNLOAD=הורדה של מסמך מאומת על מנת להדפיס או לשלוח +DataOfArchivedEvent=נתונים מלאים של אירוע בארכיון +ImpossibleToReloadObject=אובייקט מקורי (סוג %s, מזהה %s) לא מקושר (ראה העמודה 'נתונים מלאים' כדי לקבל נתונים שמורים שלא ניתנים לשינוי) +BlockedLogAreRequiredByYourCountryLegislation=מודול יומנים בלתי ניתנים לשינוי עשוי להידרש על פי החקיקה של המדינה שלך. השבתת מודול זה עלולה להפוך כל עסקאות עתידיות לבלתי חוקיות ביחס לחוק ולשימוש בתוכנה חוקית מכיוון שלא ניתן לאמת אותן על ידי ביקורת מס. +BlockedLogActivatedBecauseRequiredByYourCountryLegislation=מודול יומנים בלתי ניתנים לשינוי הופעל בגלל החקיקה של המדינה שלך. השבתת מודול זה עלולה להפוך כל עסקאות עתידיות לבלתי חוקיות ביחס לחוק ולשימוש בתוכנה חוקית מכיוון שלא ניתן לאמת אותן על ידי ביקורת מס. +BlockedLogDisableNotAllowedForCountry=רשימת מדינות שבהן השימוש במודול זה הוא חובה (רק כדי למנוע את השבתת המודול בטעות, אם המדינה שלך נמצאת ברשימה זו, השבתת המודול אינה אפשרית ללא עריכת רשימה זו תחילה. שימו לב גם שהפעלה/השבתה של מודול זה לעקוב אחר היומן הבלתי ניתן לשינוי). +OnlyNonValid=לא חוקי +TooManyRecordToScanRestrictFilters=יותר מדי רשומות לסרוק/לנתח. נא להגביל את הרשימה עם מסננים מגבילים יותר. +RestrictYearToExport=הגבל חודש/שנה לייצוא +BlockedLogEnabled=המערכת למעקב אחר אירועים לתוך יומנים בלתי ניתנים לשינוי הופעלה +BlockedLogDisabled=המערכת למעקב אחר אירועים לתוך יומנים בלתי ניתנים לשינוי הושבתה לאחר ביצוע הקלטות מסוימות. שמרנו טביעת אצבע מיוחדת כדי לעקוב אחר השרשרת כשורה +BlockedLogDisabledBis=המערכת למעקב אחר אירועים לתוך יומנים בלתי ניתנים לשינוי הושבתה. זה אפשרי מכיוון שעדיין לא בוצע רישום. +LinkHasBeenDisabledForPerformancePurpose=למטרת ביצוע, קישור ישיר למסמך אינו מוצג לאחר השורה ה-100. + +## logTypes +logBILL_DELETE=חשבונית הלקוח נמחקה באופן הגיוני +logBILL_PAYED=חשבונית לקוח שולמה +logBILL_SENTBYMAIL=חשבונית לקוח נשלח בדואר +logBILL_UNPAYED=חשבונית לקוח לא שולמה +logBILL_VALIDATE=חשבונית הלקוח אומתה +logCASHCONTROL_VALIDATE=הקלטת סגירת קופה +logDOC_DOWNLOAD=הורדה של מסמך מאומת על מנת להדפיס או לשלוח +logDOC_PREVIEW=תצוגה מקדימה של מסמך מאומת על מנת להדפיס או להוריד +logDONATION_PAYMENT_CREATE=נוצר תשלום תרומה +logDONATION_PAYMENT_DELETE=תשלום תרומה מחיקה הגיונית +logDON_DELETE=תרומה מחיקה הגיונית +logDON_MODIFY=התרומה השתנתה +logDON_VALIDATE=התרומה מאומתת +logMEMBER_SUBSCRIPTION_CREATE=מנוי חבר נוצר +logMEMBER_SUBSCRIPTION_DELETE=מנוי חבר מחיקה הגיונית +logMEMBER_SUBSCRIPTION_MODIFY=מנוי חבר שונה +logMODULE_RESET=Module BlockedLog הושבת +logMODULE_SET=Module BlockedLog הופעל +logPAYMENT_ADD_TO_BANK=התשלום נוסף לבנק +logPAYMENT_CUSTOMER_CREATE=תשלום לקוח נוצר +logPAYMENT_CUSTOMER_DELETE=מחיקה לוגית של תשלום לקוח +logPAYMENT_VARIOUS_CREATE=נוצר תשלום (לא מוקצה לחשבונית). +logPAYMENT_VARIOUS_DELETE=תשלום (לא מוקצה לחשבונית) מחיקה לוגית +logPAYMENT_VARIOUS_MODIFY=תשלום (לא הוקצה לחשבונית) שונה diff --git a/htdocs/langs/he_IL/bookmarks.lang b/htdocs/langs/he_IL/bookmarks.lang index 5191a357206..c78519a5854 100644 --- a/htdocs/langs/he_IL/bookmarks.lang +++ b/htdocs/langs/he_IL/bookmarks.lang @@ -1,22 +1,24 @@ -# Dolibarr language file - Source file is en_US - marque pages -AddThisPageToBookmarks=Add current page to bookmarks -Bookmark=Bookmark -Bookmarks=הסימניות -ListOfBookmarks=List of bookmarks -EditBookmarks=List/edit bookmarks -NewBookmark=New bookmark -ShowBookmark=Show bookmark -OpenANewWindow=Open a new tab -ReplaceWindow=Replace current tab -BookmarkTargetNewWindowShort=New tab -BookmarkTargetReplaceWindowShort=Current tab -BookmarkTitle=Bookmark name -UrlOrLink=URL -BehaviourOnClick=Behaviour when a bookmark URL is selected -CreateBookmark=Create bookmark -SetHereATitleForLink=Set a name for the bookmark -UseAnExternalHttpLinkOrRelativeDolibarrLink=Use an external/absolute link (https://externalurl.com) or an internal/relative link (/mypage.php). You can also use phone like tel:0123456. -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Choose if the linked page should open in the current tab or a new tab -BookmarksManagement=Bookmarks management -BookmarksMenuShortCut=Ctrl + shift + m -NoBookmarks=No bookmarks defined +# Dolibarr language file - Source file is en_US - marque pages / bookmarks + +AddThisPageToBookmarks = הוסף עמוד נוכחי לסימניות +BehaviourOnClick = התנהגות כאשר נבחרת כתובת אתר של סימניה +Bookmark = סימניה +Bookmarks = הסימניות +BookmarkTargetNewWindowShort = כרטיסייה חדשה +BookmarkTargetReplaceWindowShort = הכרטיסייה הנוכחית +BookmarkTitle = שם סימניה +BookmarksManagement = ניהול סימניות +BookmarksMenuShortCut = Ctrl + Shift + M +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark = בחר אם הדף המקושר ייפתח בכרטיסייה הנוכחית או בכרטיסייה חדשה +CreateBookmark = צור סימניה +EditBookmarks = רשום/ערוך סימניות +ListOfBookmarks = רשימת סימניות +NewBookmark = סימניה חדשה +NoBookmarkFound = לא נמצאה סימניה +NoBookmarks = לא הוגדרו סימניות +OpenANewWindow = פתח כרטיסייה חדשה +ReplaceWindow = החלף את הכרטיסייה הנוכחית +SetHereATitleForLink = הגדר שם לסימניה +ShowBookmark = הצג סימניה +UrlOrLink = כתובת אתר +UseAnExternalHttpLinkOrRelativeDolibarrLink = השתמש בקישור חיצוני/אבסולוטי (https://externalurl.com) או בקישור פנימי/יחסי (/mypage.php). אתה יכול גם להשתמש בטלפון כמו טלפון:0123456. diff --git a/htdocs/langs/he_IL/boxes.lang b/htdocs/langs/he_IL/boxes.lang index 8d1a73464bb..d647fc6948d 100644 --- a/htdocs/langs/he_IL/boxes.lang +++ b/htdocs/langs/he_IL/boxes.lang @@ -1,120 +1,146 @@ # Dolibarr language file - Source file is en_US - boxes -BoxDolibarrStateBoard=Statistics on main business objects in database -BoxLoginInformation=Login Information -BoxLastRssInfos=RSS Information -BoxLastProducts=Latest %s Products/Services -BoxProductsAlertStock=Stock alerts for products -BoxLastProductsInContract=Latest %s contracted products/services -BoxLastSupplierBills=Latest Vendor invoices -BoxLastCustomerBills=Latest Customer invoices -BoxOldestUnpaidCustomerBills=Oldest unpaid customer invoices -BoxOldestUnpaidSupplierBills=Oldest unpaid vendor invoices -BoxLastProposals=Latest commercial proposals -BoxLastProspects=Latest modified prospects -BoxLastCustomers=Latest modified customers -BoxLastSuppliers=Latest modified suppliers -BoxLastCustomerOrders=Latest sales orders -BoxLastActions=Latest actions -BoxLastContracts=Latest contracts -BoxLastContacts=Latest contacts/addresses -BoxLastMembers=Latest members -BoxLastModifiedMembers=Latest modified members -BoxLastMembersSubscriptions=Latest member subscriptions -BoxFicheInter=Latest interventions -BoxCurrentAccounts=Open accounts balance -BoxTitleMemberNextBirthdays=Birthdays of this month (members) -BoxTitleMembersByType=Members by type -BoxTitleMembersSubscriptionsByYear=Members Subscriptions by year -BoxTitleLastRssInfos=Latest %s news from %s -BoxTitleLastProducts=Products/Services: last %s modified -BoxTitleProductsAlertStock=Products: stock alert -BoxTitleLastSuppliers=Latest %s recorded suppliers -BoxTitleLastModifiedSuppliers=Vendors: last %s modified -BoxTitleLastModifiedCustomers=Customers: last %s modified -BoxTitleLastCustomersOrProspects=Latest %s customers or prospects -BoxTitleLastCustomerBills=Latest %s modified Customer invoices -BoxTitleLastSupplierBills=Latest %s modified Vendor invoices -BoxTitleLastModifiedProspects=Prospects: last %s modified -BoxTitleLastModifiedMembers=Latest %s members -BoxTitleLastFicheInter=Latest %s modified interventions -BoxTitleOldestUnpaidCustomerBills=Customer Invoices: oldest %s unpaid -BoxTitleOldestUnpaidSupplierBills=Vendor Invoices: oldest %s unpaid -BoxTitleCurrentAccounts=Open Accounts: balances -BoxTitleSupplierOrdersAwaitingReception=Supplier orders awaiting reception -BoxTitleLastModifiedContacts=Contacts/Addresses: last %s modified -BoxMyLastBookmarks=Bookmarks: latest %s -BoxOldestExpiredServices=Oldest active expired services -BoxLastExpiredServices=Latest %s oldest contacts with active expired services -BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s contracts which were modified -BoxTitleLastModifiedDonations=Latest %s donations which were modified -BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified -BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified -BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified -BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded -BoxGlobalActivity=Global activity (invoices, proposals, orders) -BoxGoodCustomers=Good customers -BoxTitleGoodCustomers=%s Good customers -BoxScheduledJobs=Scheduled jobs -BoxTitleFunnelOfProspection=Lead funnel -FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s -LastRefreshDate=Latest refresh date -NoRecordedBookmarks=No bookmarks defined. -ClickToAdd=Click here to add. -NoRecordedCustomers=No recorded customers -NoRecordedContacts=No recorded contacts -NoActionsToDo=No actions to do -NoRecordedOrders=No recorded sales orders -NoRecordedProposals=No recorded proposals -NoRecordedInvoices=No recorded customer invoices -NoUnpaidCustomerBills=No unpaid customer invoices -NoUnpaidSupplierBills=No unpaid vendor invoices -NoModifiedSupplierBills=No recorded vendor invoices -NoRecordedProducts=No recorded products/services -NoRecordedProspects=No recorded prospects -NoContractedProducts=No products/services contracted -NoRecordedContracts=No recorded contracts -NoRecordedInterventions=No recorded interventions -BoxLatestSupplierOrders=Latest purchase orders -BoxLatestSupplierOrdersAwaitingReception=Latest Purchase Orders (with a pending reception) -NoSupplierOrder=No recorded purchase order -BoxCustomersInvoicesPerMonth=Customer Invoices per month -BoxSuppliersInvoicesPerMonth=Vendor Invoices per month -BoxCustomersOrdersPerMonth=Sales Orders per month -BoxSuppliersOrdersPerMonth=Vendor Orders per month -BoxProposalsPerMonth=Proposals per month -NoTooLowStockProducts=No products are under the low stock limit -BoxProductDistribution=Products/Services Distribution -ForObject=On %s -BoxTitleLastModifiedSupplierBills=Vendor Invoices: last %s modified -BoxTitleLatestModifiedSupplierOrders=Vendor Orders: last %s modified -BoxTitleLastModifiedCustomerBills=Customer Invoices: last %s modified -BoxTitleLastModifiedCustomerOrders=Sales Orders: last %s modified -BoxTitleLastModifiedPropals=Latest %s modified proposals -BoxTitleLatestModifiedJobPositions=Latest %s modified job positions -BoxTitleLatestModifiedCandidatures=Latest %s modified job applications -ForCustomersInvoices=Customers invoices -ForCustomersOrders=Customers orders +BoxDolibarrStateBoard=סטטיסטיקה על אובייקטים עסקיים עיקריים במסד נתונים +BoxLoginInformation=פרטי התחברות +BoxLastRssInfos=מידע RSS +BoxLastProducts=%s המוצרים/שירותים האחרונים +BoxProductsAlertStock=התראות מלאי למוצרים +BoxLastProductsInContract=%s מוצרים/שירותים אחרונים +BoxLastSupplierBills=חשבוניות ספק אחרונות +BoxLastCustomerBills=חשבוניות לקוחות אחרונות +BoxOldestUnpaidCustomerBills=חשבוניות הלקוח העתיקות ביותר שלא שולמו +BoxOldestUnpaidSupplierBills=חשבוניות ספק שלא שולמו העתיקות ביותר +BoxLastProposals=הצעות מסחריות אחרונות +BoxLastProspects=לקוחות פוטנציאליים שהשתנו לאחרונה +BoxLastCustomers=לקוחות שהשתנו לאחרונה +BoxLastSuppliers=הספקים שהשתנו לאחרונה +BoxLastCustomerOrders=הזמנות מכירה אחרונות +BoxLastActions=הפעולות האחרונות +BoxLastContracts=חוזים אחרונים +BoxLastContacts=אנשי הקשר/כתובות העדכניים ביותר +BoxLastMembers=החברים האחרונים +BoxLastModifiedMembers=החברים שהשתנו לאחרונה +BoxLastMembersSubscriptions=מנויי חברים אחרונים +BoxFicheInter=התערבויות אחרונות +BoxCurrentAccounts=יתרת חשבונות פתוחה +BoxTitleMemberNextBirthdays=ימי הולדת לחודש זה (חברים) +BoxTitleMembersByType=חברים לפי סוג ומעמד +BoxTitleMembersByTags=חברים לפי תגים וסטטוס +BoxTitleMembersSubscriptionsByYear=מנויים של חברים לפי שנה +BoxTitleLastRssInfos=%s חדשות אחרונות מ-%s +BoxTitleLastProducts=מוצרים/שירותים: %s השתנה לאחרונה +BoxTitleProductsAlertStock=מוצרים: התראת מלאי +BoxTitleLastSuppliers=הספקים האחרונים שהוקלטו %s +BoxTitleLastModifiedSuppliers=ספקים: %s השתנה לאחרונה +BoxTitleLastModifiedCustomers=לקוחות: %s השתנה לאחרונה +BoxTitleLastCustomersOrProspects=הלקוחות או הלקוחות הפוטנציאליים האחרונים של %s +BoxTitleLastCustomerBills=%s אחרונות ששונו חשבוניות הלקוח +BoxTitleLastSupplierBills=חשבוניות ספק %s האחרונות ששונו +BoxTitleLastModifiedProspects=לקוחות פוטנציאליים: %s השתנה לאחרונה +BoxTitleLastModifiedMembers=החברים האחרונים ב%s +BoxTitleLastFicheInter=התערבויות אחרונות ששונו %s +BoxTitleOldestUnpaidCustomerBills=חשבוניות לקוחות: %s הישנות ביותר ללא תשלום +BoxTitleOldestUnpaidSupplierBills=חשבוניות ספק: העתיקות ביותר %s לא שולמו +BoxTitleCurrentAccounts=חשבונות פתוחים: יתרות +BoxTitleSupplierOrdersAwaitingReception=הזמנות ספק ממתינות לקבלה +BoxTitleLastModifiedContacts=אנשי קשר/כתובות: %s אחרון השתנה +BoxMyLastBookmarks=סימניות: האחרונה %s +BoxOldestExpiredServices=השירותים הפעילים העתיקים ביותר שפג תוקפם +BoxOldestActions=האירועים העתיקים ביותר לעשות +BoxLastExpiredServices=%s האחרונים ביותר עם שירותים פעילים שפג תוקפם +BoxTitleLastActionsToDo=%s אחרונות לעשות +BoxTitleOldestActionsToDo=אירועי %s העתיקים ביותר שיש לעשות, לא הושלמו +BoxTitleFutureActions=%s האירועים הבאים הבאים +BoxTitleLastContracts=חוזי %s האחרונים ששונו +BoxTitleLastModifiedDonations=התרומות האחרונות של %s ששונו +BoxTitleLastModifiedExpenses=דוחות ההוצאות האחרונים של %s ששונו +BoxTitleLatestModifiedBoms=%s אחרונות ה-BOM ששונו +BoxTitleLatestModifiedMos=%s הזמנות ייצור אחרונות ששונו +BoxTitleLastOutstandingBillReached=לקוחות עם מצטיינים מקסימליים חרג +BoxGlobalActivity=פעילות גלובלית (חשבוניות, הצעות, הזמנות) +BoxGoodCustomers=לקוחות טובים +BoxTitleGoodCustomers=%s לקוחות טובים +BoxScheduledJobs=עבודות מתוזמנות +BoxTitleFunnelOfProspection=משפך עופרת +FailedToRefreshDataInfoNotUpToDate=רענון שטף RSS נכשל. תאריך הרענון האחרון המוצלח: %s +LastRefreshDate=תאריך רענון אחרון +NoRecordedBookmarks=לא הוגדרו סימניות. +ClickToAdd=לחץ כאן כדי להוסיף. +NoRecordedCustomers=אין לקוחות רשומים +NoRecordedContacts=אין אנשי קשר מוקלטים +NoActionsToDo=אין פעולות לעשות +NoRecordedOrders=לא נרשמו הזמנות מכירה +NoRecordedProposals=אין הצעות רשומות +NoRecordedInvoices=לא נרשמו חשבוניות לקוחות +NoUnpaidCustomerBills=אין חשבוניות לקוח שלא שולמו +NoUnpaidSupplierBills=אין חשבוניות ספק שלא שולמו +NoModifiedSupplierBills=אין חשבוניות ספק רשומות +NoRecordedProducts=אין מוצרים/שירותים רשומים +NoRecordedProspects=אין לקוחות פוטנציאליים רשומים +NoContractedProducts=אין חוזים על מוצרים/שירותים +NoRecordedContracts=אין חוזים רשומים +NoRecordedInterventions=אין התערבויות רשומות +BoxLatestSupplierOrders=הזמנות רכש אחרונות +BoxLatestSupplierOrdersAwaitingReception=הזמנות רכש אחרונות (עם קבלת קבלה ממתינה) +NoSupplierOrder=אין הזמנת רכש רשומה +BoxCustomersInvoicesPerMonth=חשבוניות לקוחות לחודש +BoxSuppliersInvoicesPerMonth=חשבוניות ספקים לחודש +BoxCustomersOrdersPerMonth=הזמנות מכירות לחודש +BoxSuppliersOrdersPerMonth=הזמנות ספקים לחודש +BoxProposalsPerMonth=הצעות לחודש +NoTooLowStockProducts=אין מוצרים מתחת למגבלת המלאי הנמוכה +BoxProductDistribution=הפצת מוצרים/שירותים +ForObject=ב-%s +BoxTitleLastModifiedSupplierBills=חשבוניות ספק: %s השתנה לאחרונה +BoxTitleLatestModifiedSupplierOrders=הזמנות ספק: %s אחרון השתנה +BoxTitleLastModifiedCustomerBills=חשבוניות לקוחות: %s השתנה לאחרונה +BoxTitleLastModifiedCustomerOrders=הזמנות מכירה: %s אחרון השתנה +BoxTitleLastModifiedPropals=ההצעות האחרונות ששונו %s +BoxTitleLatestModifiedJobPositions=משרות המשרה האחרונות ששונו %s +BoxTitleLatestModifiedCandidatures=בקשות עבודה אחרונות ששונו %s +ForCustomersInvoices=חשבוניות לקוחות +ForCustomersOrders=הזמנות לקוחות ForProposals=הצעות -LastXMonthRolling=The latest %s month rolling -ChooseBoxToAdd=Add widget to your dashboard -BoxAdded=Widget was added in your dashboard -BoxTitleUserBirthdaysOfMonth=Birthdays of this month (users) -BoxLastManualEntries=Latest record in accountancy entered manually or without source document -BoxTitleLastManualEntries=%s latest record entered manually or without source document -NoRecordedManualEntries=No manual entries record in accountancy -BoxSuspenseAccount=Count accountancy operation with suspense account -BoxTitleSuspenseAccount=Number of unallocated lines -NumberOfLinesInSuspenseAccount=Number of line in suspense account -SuspenseAccountNotDefined=Suspense account isn't defined -BoxLastCustomerShipments=Last customer shipments -BoxTitleLastCustomerShipments=Latest %s customer shipments -NoRecordedShipments=No recorded customer shipment -BoxCustomersOutstandingBillReached=Customers with oustanding limit reached +LastXMonthRolling=החודש האחרון של %s +ChooseBoxToAdd=הוסף ווידג'ט ללוח המחוונים שלך +BoxAdded=ווידג'ט נוסף ללוח המחוונים שלך +BoxTitleUserBirthdaysOfMonth=ימי הולדת לחודש זה (משתמשים) +BoxLastManualEntries=הרשומה האחרונה בראיית חשבון הוכנסה ידנית או ללא מסמך מקור +BoxTitleLastManualEntries=%s הרשומה האחרונה שהוזנה ידנית או ללא מסמך מקור +NoRecordedManualEntries=אין תיעוד רישומים ידניים בראיית חשבון +BoxSuspenseAccount=ספירת פעולת הנהלת חשבונות עם חשבון מתנה +BoxTitleSuspenseAccount=מספר קווים לא מוקצים +NumberOfLinesInSuspenseAccount=מספר השורה בחשבון המתח +SuspenseAccountNotDefined=חשבון המתח אינו מוגדר +BoxLastCustomerShipments=משלוחים אחרונים של לקוחות +BoxTitleLastCustomerShipments=משלוחי לקוחות אחרונים %s +BoxTitleLastLeaveRequests=בקשות חופשה אחרונות ששונו %s +NoRecordedShipments=אין משלוח לקוח מתועד +BoxCustomersOutstandingBillReached=הגיעו לקוחות עם מגבלה יוצאת דופן # Pages -UsersHome=Home users and groups -MembersHome=Home Membership -ThirdpartiesHome=Home Thirdparties -TicketsHome=Home Tickets -AccountancyHome=Home Accountancy -ValidatedProjects=Validated projects +UsersHome=משתמשים ביתיים וקבוצות +MembersHome=חברות בית +ThirdpartiesHome=בית צדדים שלישיים +productindex=מוצרים ושירותים לבית +mrpindex=MRP ביתי +commercialindex=פרסומת ביתית +projectsindex=פרויקטים ביתיים +invoiceindex=חשבוניות לבית +hrmindex=חשבוניות לבית +TicketsHome=כרטיסים הביתה +stockindex=מניות בית +sendingindex=משלוחים עד הבית +receptionindex=קבלת פנים +activityindex=פעילות ביתית +proposalindex=הצעת בית +ordersindex=הזמנות למכירה לבית +orderssuppliersindex=הזמנות רכישה לבית +contractindex=חוזי בית +interventionindex=התערבויות ביתיות +suppliersproposalsindex=הצעות לספקי בתים +donationindex=תרומות לבית +specialexpensesindex=הוצאות מיוחדות לבית +expensereportindex=דו"ח הוצאות בית +mailingindex=דיוור הביתה +opensurveyindex=סקר פתוח לבית +AccountancyHome=הנהלת חשבונות בית +ValidatedProjects=פרויקטים מאושרים diff --git a/htdocs/langs/he_IL/cashdesk.lang b/htdocs/langs/he_IL/cashdesk.lang index 4946065e6f2..bdbeb0dddbe 100644 --- a/htdocs/langs/he_IL/cashdesk.lang +++ b/htdocs/langs/he_IL/cashdesk.lang @@ -1,136 +1,155 @@ # Language file - Source file is en_US - cashdesk -CashDeskMenu=Point of sale -CashDesk=Point of sale -CashDeskBankCash=Bank account (cash) -CashDeskBankCB=Bank account (card) -CashDeskBankCheque=Bank account (cheque) -CashDeskWarehouse=Warehouse -CashdeskShowServices=Selling services +CashDeskMenu=נקודת המכירה +CashDesk=נקודת המכירה +CashDeskBankCash=חשבון בנק (מזומן) +CashDeskBankCB=חשבון בנק (כרטיס) +CashDeskBankCheque=חשבון בנק (צ'ק) +CashDeskWarehouse=מַחסָן +CashdeskShowServices=מכירת שירותים CashDeskProducts=מוצרים -CashDeskStock=Stock -CashDeskOn=on -CashDeskThirdParty=Third party -ShoppingCart=Shopping cart -NewSell=New sell -AddThisArticle=Add this article -RestartSelling=Go back on sell -SellFinished=Sale complete -PrintTicket=Print ticket -SendTicket=Send ticket -NoProductFound=No article found -ProductFound=product found -NoArticle=No article -Identification=Identification -Article=Article -Difference=Difference -TotalTicket=Total ticket -NoVAT=No VAT for this sale -Change=Excess received -BankToPay=Account for payment -ShowCompany=Show company -ShowStock=Show warehouse -DeleteArticle=Click to remove this article -FilterRefOrLabelOrBC=Search (Ref/Label) -UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. -DolibarrReceiptPrinter=Dolibarr Receipt Printer -PointOfSale=Point of Sale -PointOfSaleShort=POS -CloseBill=Close Bill -Floors=Floors -Floor=Floor -AddTable=Add table -Place=Place -TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) -NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser -SearchProduct=Search product -Receipt=Receipt -Header=Header -Footer=Footer -AmountAtEndOfPeriod=Amount at end of period (day, month or year) -TheoricalAmount=Theorical amount -RealAmount=Real amount -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period -NbOfInvoices=Nb of invoices -Paymentnumpad=Type of Pad to enter payment -Numberspad=Numbers Pad -BillsCoinsPad=Coins and banknotes Pad -DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work -TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work -OrderNotes=Can add some notes to each ordered items -CashDeskBankAccountFor=Default account to use for payments in -NoPaimementModesDefined=No paiment mode defined in TakePOS configuration -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts -EnableBarOrRestaurantFeatures=Enable features for Bar or Restaurant -ConfirmDeletionOfThisPOSSale=Do your confirm the deletion of this current sale ? -ConfirmDiscardOfThisPOSSale=Do you want to discard this current sale ? -History=History -ValidateAndClose=Validate and close -Terminal=Terminal -NumberOfTerminals=Number of Terminals -TerminalSelect=Select terminal you want to use: -POSTicket=POS Ticket -POSTerminal=POS Terminal -POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones -SetupOfTerminalNotComplete=Setup of terminal %s is not complete -DirectPayment=Direct payment -DirectPaymentButton=Add a "Direct cash payment" button -InvoiceIsAlreadyValidated=Invoice is already validated -NoLinesToBill=No lines to bill -CustomReceipt=Custom Receipt -ReceiptName=Receipt Name -ProductSupplements=Manage supplements of products -SupplementCategory=Supplement category -ColorTheme=Color theme -Colorful=Colorful -HeadBar=Head Bar -SortProductField=Field for sorting products -Browser=Browser -BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. -PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad -CashDeskRefNumberingModules=Numbering module for POS sales -CashDeskGenericMaskCodes6 =
      {TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -SaleStartedAt=Sale started at %s -ControlCashOpening=Open the "Control cash" popup when opening the POS -CloseCashFence=Close cash desk control -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use -BarRestaurant=Bar Restaurant -AutoOrder=Order by the customer himself -RestaurantMenu=Menu -CustomerMenu=Customer menu -ScanToMenu=Scan QR code to see the menu -ScanToOrder=Scan QR code to order -Appearance=Appearance -HideCategoryImages=Hide Category Images -HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show -DefineTablePlan=Define tables plan -GiftReceiptButton=Add a "Gift receipt" button -GiftReceipt=Gift receipt -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first -AllowDelayedPayment=Allow delayed payment -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts -WeighingScale=Weighing scale -ShowPriceHT = Display the column with the price excluding tax (on screen) -ShowPriceHTOnReceipt = Display the column with the price excluding tax (on the receipt) -CustomerDisplay=Customer display -SplitSale=Split sale -PrintWithoutDetailsButton=Add "Print without details" button -PrintWithoutDetailsLabelDefault=Line label by default on printing without details -PrintWithoutDetails=Print without details -YearNotDefined=Year is not defined +CashDeskStock=המניה +CashDeskOn=עַל +CashDeskThirdParty=צד שלישי +ShoppingCart=עגלת קניות +NewSell=מכירה חדשה +AddThisArticle=הוסף מאמר זה +RestartSelling=תחזור למכור +SellFinished=המכירה הושלמה +PrintTicket=הדפס כרטיס +SendTicket=שלח כרטיס +NoProductFound=לא נמצא מאמר +ProductFound=נמצא מוצר +NoArticle=אין מאמר +Identification=זיהוי +Article=מאמר +Difference=הֶבדֵל +TotalTicket=סך הכל כרטיס +NoVAT=אין מע"מ עבור מכירה זו +Change=עודף שהתקבל +BankToPay=חשבון לתשלום +ShowCompany=חברת הצג +ShowStock=הצג מחסן +DeleteArticle=לחץ כדי להסיר מאמר זה +FilterRefOrLabelOrBC=חיפוש (Ref/Label) +UserNeedPermissionToEditStockToUsePos=אתה מבקש להקטין את המלאי בעת יצירת החשבונית, כך שמשתמש שמשתמש ב-POS צריך לקבל הרשאה לערוך מלאי. +DolibarrReceiptPrinter=מדפסת קבלות של Dolibarr +PointOfSale=נקודת המכירה +PointOfSaleShort=קופה +CloseBill=סגור את ביל +Floors=קומות +Floor=קוֹמָה +AddTable=הוסף טבלה +Place=מקום +TakeposConnectorNecesary=נדרש 'מחבר TakePOS' +OrderPrinters=הוסף כפתור לשליחת ההזמנה לכמה מדפסות נתונות, ללא תשלום (למשל לשלוח הזמנה למטבח) +NotAvailableWithBrowserPrinter=לא זמין כאשר מדפסת לקבלת קבלה מוגדרת לדפדפן +SearchProduct=חיפוש מוצר +Receipt=קַבָּלָה +Header=כּוֹתֶרֶת +Footer=כותרת תחתונה +AmountAtEndOfPeriod=סכום בסוף התקופה (יום, חודש או שנה) +TheoricalAmount=כמות תיאורטית +RealAmount=סכום אמיתי +CashFence=סגירת קופה +CashFenceDone=סגירת קופה נעשתה לתקופה +NbOfInvoices=מספר חשבוניות +Paymentnumpad=סוג הפנקס להזנת תשלום +Numberspad=לוח מספרים +BillsCoinsPad=פנקס מטבעות ושטרות +DolistorePosCategory=מודולי TakePOS ופתרונות POS אחרים עבור Dolibarr +TakeposNeedsCategories=TakePOS צריך לפחות קטגוריית מוצר אחת כדי לעבוד +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS צריך לפחות קטגוריית מוצר אחת תחת הקטגוריה %s עֲבוֹדָה +OrderNotes=יכול להוסיף כמה הערות לכל פריט שהוזמן +CashDeskBankAccountFor=חשבון ברירת מחדל לשימוש עבור תשלומים +NoPaimementModesDefined=לא מוגדר מצב תשלום בתצורת TakePOS +TicketVatGrouped=קבץ מע"מ לפי תעריף בכרטיסים|קבלות +AutoPrintTickets=הדפס אוטומטית כרטיסים|קבלות +PrintCustomerOnReceipts=הדפס לקוחות על כרטיסים|קבלות +EnableBarOrRestaurantFeatures=אפשר תכונות עבור בר או מסעדה +ConfirmDeletionOfThisPOSSale=האם אתה מאשר את מחיקת המכירה הנוכחית הזו? +ConfirmDiscardOfThisPOSSale=האם ברצונך לבטל את המכירה הנוכחית הזו? +History=הִיסטוֹרִיָה +ValidateAndClose=תאמת וסגור +Terminal=מָסוֹף +NumberOfTerminals=מספר טרמינלים +TerminalSelect=בחר את המסוף שבו ברצונך להשתמש: +POSTicket=כרטיס קופה +POSTerminal=מסוף קופה +POSModule=מודול POS +BasicPhoneLayout=בטלפונים, החלף את הקופה בפריסה מינימלית (רישום הזמנות בלבד, ללא הפקת חשבוניות, ללא הדפסת קבלות) +SetupOfTerminalNotComplete=ההגדרה של המסוף %s לא הושלמה +DirectPayment=תשלום ישיר +DirectPaymentButton=הוסף כפתור "תשלום ישיר במזומן". +InvoiceIsAlreadyValidated=החשבונית כבר מאומתת +NoLinesToBill=אין שורות לחיוב +CustomReceipt=קבלה מותאמת אישית +ReceiptName=שם קבלה +ProductSupplements=ניהול תוספי תזונה של מוצרים +SupplementCategory=קטגוריית תוספות +ColorTheme=נושא צבע +Colorful=צִבעוֹנִי +HeadBar=בר ראש +SortProductField=שדה למיון מוצרים +Browser=דפדפן +BrowserMethodDescription=הדפסת קבלות פשוטה וקלה. רק כמה פרמטרים כדי להגדיר את הקבלה. הדפס דרך דפדפן. +TakeposConnectorMethodDescription=מודול חיצוני עם תכונות נוספות. אפשרות להדפסה מהענן. +PrintMethod=שיטת הדפסה +ReceiptPrinterMethodDescription=שיטה עוצמתית עם הרבה פרמטרים. ניתן להתאמה אישית מלאה עם תבניות. השרת המארח את האפליקציה לא יכול להיות בענן (חייב להיות מסוגל להגיע למדפסות ברשת שלך). +ByTerminal=לפי טרמינל +TakeposNumpadUsePaymentIcon=השתמש בסמל במקום בטקסט על כפתורי התשלום של ה-numpad +CashDeskRefNumberingModules=מודול מספור למכירות קופה +CashDeskGenericMaskCodes6 =
      {TN}b399a תג משמש להוספת מספר הטרמינל +TakeposGroupSameProduct=מיזוג שורות של אותם מוצרים +StartAParallelSale=התחל מכירה מקבילה חדשה +SaleStartedAt=המכירה החלה ב-%s +ControlCashOpening=פתח את החלון הקופץ "קופת שליטה" בעת פתיחת הקופה +CloseCashFence=סגור בקרת קופות +CashReport=דוח מזומנים +MainPrinterToUse=מדפסת ראשית לשימוש +OrderPrinterToUse=הזמנת מדפסת לשימוש +MainTemplateToUse=תבנית ראשית לשימוש +OrderTemplateToUse=הזמנת תבנית לשימוש +BarRestaurant=בר מסעדה +AutoOrder=הזמנה על ידי הלקוח עצמו +RestaurantMenu=תַפרִיט +CustomerMenu=תפריט לקוחות +ScanToMenu=סרוק קוד QR כדי לראות את התפריט +ScanToOrder=סרוק קוד QR להזמנה +Appearance=מראה חיצוני +HideCategoryImages=הסתר תמונות קטגוריה +HideProductImages=הסתר תמונות מוצר +NumberOfLinesToShow=המספר המרבי של שורות טקסט להצגה על תמונות אגודל +DefineTablePlan=הגדר תוכנית טבלאות +GiftReceiptButton=הוסף כפתור "קבלת מתנה". +GiftReceipt=קבלה מתנה +ModuleReceiptPrinterMustBeEnabled=מדפסת קבלות מודול חייבת להיות מופעלת תחילה +AllowDelayedPayment=אפשר דחיית תשלום +PrintPaymentMethodOnReceipts=הדפס אמצעי תשלום על כרטיסים|קבלות +WeighingScale=משקל +ShowPriceHT = הצג את העמודה עם המחיר ללא מס (על המסך) +ShowPriceHTOnReceipt = הצג את העמודה עם המחיר ללא מס (על הקבלה) +CustomerDisplay=תצוגת לקוח +SplitSale=מכירה מפוצלת +PrintWithoutDetailsButton=הוסף כפתור "הדפס ללא פרטים". +PrintWithoutDetailsLabelDefault=תווית קו כברירת מחדל בהדפסה ללא פרטים +PrintWithoutDetails=הדפס ללא פרטים +YearNotDefined=שנה לא מוגדרת +TakeposBarcodeRuleToInsertProduct=כלל ברקוד להכנסת מוצר +TakeposBarcodeRuleToInsertProductDesc=כלל לחילוץ הפניה למוצר + כמות מברקוד סרוק.
      אם ריק (ערך ברירת מחדל), האפליקציה תשתמש בברקוד המלא שנסרק כדי למצוא את המוצר.

      אם מוגדר, התחביר חייב להיות:
      ref:NB+qu:NB+qd:NB+other:NB
      כאשר NB הוא מספר התווים לשימוש כדי לחלץ נתונים מהברקוד הסרוק עם:
      refb09a4b739f17f8z : הפניה למוצר
      qu ל: quantity מוגדר בעת הוספת פריט (יחידות)
      qd מוגדר בעת הוספת פריט (עשרוניות)
      אחר תווים אחרים +AlreadyPrinted=כבר מודפס +HideCategories=הסתר את כל הקטע של בחירת הקטגוריות +HideStockOnLine=הסתר מלאי באינטרנט +ShowOnlyProductInStock=הצג רק את המוצרים במלאי +ShowCategoryDescription=הצג תיאור קטגוריות +ShowProductReference=הצג הפניה או תווית של מוצרים +UsePriceHT=מחיר שימוש לא כולל. מסים ולא מחיר כולל. מסים בעת שינוי מחיר +TerminalName=טרמינל %s +TerminalNameDesc=שם המסוף +DefaultPOSThirdLabel=לקוח גנרי TakePOS +DefaultPOSCatLabel=מוצרי נקודת מכירה (POS). +DefaultPOSProductLabel=דוגמה למוצר עבור TakePOS +TakeposNeedsPayment=TakePOS צריך אמצעי תשלום כדי לעבוד, האם אתה רוצה ליצור את אמצעי התשלום 'מזומן'? +LineDiscount=הנחה בשורה +LineDiscountShort=דיסק קו. +InvoiceDiscount=הנחה בחשבונית +InvoiceDiscountShort=דיסק חשבונית. diff --git a/htdocs/langs/he_IL/categories.lang b/htdocs/langs/he_IL/categories.lang index d70fce1e637..105ed995d6e 100644 --- a/htdocs/langs/he_IL/categories.lang +++ b/htdocs/langs/he_IL/categories.lang @@ -1,100 +1,106 @@ # Dolibarr language file - Source file is en_US - categories -Rubrique=Tag/Category -Rubriques=Tags/Categories -RubriquesTransactions=Tags/Categories of transactions -categories=tags/categories -NoCategoryYet=No tag/category of this type has been created -In=In -AddIn=Add in -modify=modify -Classify=Classify -CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Product/Service tags/categories area -SuppliersCategoriesArea=Vendor tags/categories area -CustomersCategoriesArea=Customer tags/categories area -MembersCategoriesArea=Member tags/categories area -ContactsCategoriesArea=Contact tags/categories area -AccountsCategoriesArea=Bank account tags/categories area -ProjectsCategoriesArea=Project tags/categories area -UsersCategoriesArea=User tags/categories area -SubCats=Sub-categories -CatList=List of tags/categories -CatListAll=List of tags/categories (all types) -NewCategory=New tag/category -ModifCat=Modify tag/category -CatCreated=Tag/category created -CreateCat=Create tag/category -CreateThisCat=Create this tag/category -NoSubCat=No subcategory. -SubCatOf=Subcategory -FoundCats=Found tags/categories -ImpossibleAddCat=Impossible to add the tag/category %s -WasAddedSuccessfully=%s was added successfully. -ObjectAlreadyLinkedToCategory=Element is already linked to this tag/category. -ProductIsInCategories=Product/service is linked to following tags/categories -CompanyIsInCustomersCategories=This third party is linked to following customers/prospects tags/categories -CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories -MemberIsInCategories=This member is linked to following members tags/categories -ContactIsInCategories=This contact is linked to following contacts tags/categories -ProductHasNoCategory=This product/service is not in any tags/categories -CompanyHasNoCategory=This third party is not in any tags/categories -MemberHasNoCategory=This member is not in any tags/categories -ContactHasNoCategory=This contact is not in any tags/categories -ProjectHasNoCategory=This project is not in any tags/categories -ClassifyInCategory=Add to tag/category -NotCategorized=Without tag/category -CategoryExistsAtSameLevel=This category already exists with this ref -ContentsVisibleByAllShort=Contents visible by all -ContentsNotVisibleByAllShort=Contents not visible by all -DeleteCategory=Delete tag/category -ConfirmDeleteCategory=Are you sure you want to delete this tag/category? -NoCategoriesDefined=No tag/category defined -SuppliersCategoryShort=Vendors tag/category -CustomersCategoryShort=Customers tag/category -ProductsCategoryShort=Products tag/category -MembersCategoryShort=Members tag/category -SuppliersCategoriesShort=Vendors tags/categories -CustomersCategoriesShort=Customers tags/categories -ProspectsCategoriesShort=Prospects tags/categories -CustomersProspectsCategoriesShort=Cust./Prosp. tags/categories -ProductsCategoriesShort=Products tags/categories -MembersCategoriesShort=Members tags/categories -ContactCategoriesShort=Contacts tags/categories -AccountsCategoriesShort=Accounts tags/categories -ProjectsCategoriesShort=Projects tags/categories -UsersCategoriesShort=Users tags/categories -StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoItems=This category does not contain any items. -CategId=Tag/category id -ParentCategory=Parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories -CatProdList=List of products tags/categories -CatMemberList=List of members tags/categories -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories -CatCusLinks=Links between customers/prospects and tags/categories -CatContactsLinks=Links between contacts/addresses and tags/categories -CatProdLinks=Links between products/services and tags/categories -CatMembersLinks=Links between members and tags/categories -CatProjectsLinks=Links between projects and tags/categories -CatUsersLinks=Links between users and tags/categories -DeleteFromCat=Remove from tags/category +Rubrique=תג/קטגוריה +Rubriques=תגיות/קטגוריות +RubriquesTransactions=תגיות/קטגוריות של עסקאות +categories=תגיות/קטגוריות +NoCategoryYet=לא נוצרה תג/קטגוריה מסוג זה +In=ב +AddIn=הוסף +modify=לְשַׁנוֹת +Classify=לסווג +CategoriesArea=אזור תגיות/קטגוריות +ProductsCategoriesArea=אזור תגי מוצר/שירות/קטגוריות +SuppliersCategoriesArea=אזור תגיות/קטגוריות של ספקים +CustomersCategoriesArea=אזור תגיות/קטגוריות של לקוחות +MembersCategoriesArea=אזור תגיות/קטגוריות חברים +ContactsCategoriesArea=אזור תגיות/קטגוריות יצירת קשר +AccountsCategoriesArea=אזור תגיות/קטגוריות של חשבון בנק +ProjectsCategoriesArea=אזור תגיות/קטגוריות פרויקט +UsersCategoriesArea=אזור תגיות/קטגוריות משתמש +SubCats=קטגוריות משנה +CatList=רשימת תגים/קטגוריות +CatListAll=רשימת תגים/קטגוריות (כל הסוגים) +NewCategory=תג/קטגוריה חדשה +ModifCat=שנה תג/קטגוריה +CatCreated=נוצר תג/קטגוריה +CreateCat=צור תג/קטגוריה +CreateThisCat=צור תג/קטגוריה זו +NoSubCat=אין קטגוריית משנה. +SubCatOf=קטגוריית משנה +FoundCats=נמצאו תגיות/קטגוריות +ImpossibleAddCat=בלתי אפשרי להוסיף את התג/קטגוריה %s +WasAddedSuccessfully=%s נוסף בהצלחה. +ObjectAlreadyLinkedToCategory=הרכיב כבר מקושר לתג/קטגוריה זו. +ProductIsInCategories=מוצר/שירות מקושרים לתגיות/קטגוריות הבאות +CompanyIsInCustomersCategories=צד שלישי זה מקושר לתגיות/קטגוריות של לקוחות/לקוחות פוטנציאליים הבאים +CompanyIsInSuppliersCategories=צד שלישי זה מקושר לתגיות/קטגוריות של ספקים הבאים +MemberIsInCategories=חבר זה מקושר לתגיות/קטגוריות של חברים הבאים +ContactIsInCategories=איש קשר זה מקושר לתגיות/קטגוריות של אנשי הקשר הבאות +ProductHasNoCategory=מוצר/שירות זה אינו בשום תגיות/קטגוריות +CompanyHasNoCategory=צד שלישי זה אינו בשום תגיות/קטגוריות +MemberHasNoCategory=חבר זה אינו בשום תגיות/קטגוריות +ContactHasNoCategory=איש קשר זה אינו בשום תגיות/קטגוריות +ProjectHasNoCategory=פרויקט זה אינו בשום תגיות/קטגוריות +ClassifyInCategory=הוסף לתג/קטגוריה +RemoveCategory=הסר קטגוריה +NotCategorized=ללא תג/קטגוריה +CategoryExistsAtSameLevel=קטגוריה זו כבר קיימת עם ה-ref +ContentsVisibleByAllShort=תוכן גלוי לכל +ContentsNotVisibleByAllShort=התוכן אינו גלוי לכל +DeleteCategory=מחק תג/קטגוריה +ConfirmDeleteCategory=האם אתה בטוח שברצונך למחוק תג/קטגוריה זו? +NoCategoriesDefined=לא הוגדר תג/קטגוריה +SuppliersCategoryShort=תג/קטגוריה של ספקים +CustomersCategoryShort=תג/קטגוריה של לקוחות +ProductsCategoryShort=תג/קטגוריה של מוצרים +MembersCategoryShort=תג/קטגוריה חברים +SuppliersCategoriesShort=תגיות/קטגוריות של ספקים +CustomersCategoriesShort=תגיות/קטגוריות של לקוחות +ProspectsCategoriesShort=תגיות/קטגוריות פרוספקטים +CustomersProspectsCategoriesShort=Cust./Prosp. תגיות/קטגוריות +ProductsCategoriesShort=תגיות/קטגוריות מוצרים +MembersCategoriesShort=תגיות/קטגוריות חברים +ContactCategoriesShort=תגיות/קטגוריות של אנשי קשר +AccountsCategoriesShort=תגיות/קטגוריות חשבונות +ProjectsCategoriesShort=תגיות/קטגוריות של פרויקטים +UsersCategoriesShort=תגיות/קטגוריות של משתמשים +StockCategoriesShort=תגיות/קטגוריות של מחסן +ThisCategoryHasNoItems=קטגוריה זו אינה מכילה פריטים כלשהם. +CategId=מזהה תג/קטגוריה +ParentCategory=תג הורה/קטגוריה +ParentCategoryID=מזהה של תג אב/קטגוריה +ParentCategoryLabel=תווית של תג אב/קטגוריה +CatSupList=רשימת תגיות/קטגוריות של ספקים +CatCusList=רשימת תגיות/קטגוריות של לקוחות/לקוחות פוטנציאליים +CatProdList=רשימת תגיות/קטגוריות מוצרים +CatMemberList=רשימת תגיות/קטגוריות חברים +CatContactList=רשימת תגיות/קטגוריות של אנשי קשר +CatProjectsList=רשימת תגיות/קטגוריות פרויקטים +CatUsersList=רשימת תגיות/קטגוריות של משתמשים +CatSupLinks=קישורים בין ספקים ותגים/קטגוריות +CatCusLinks=קישורים בין לקוחות/לקוחות פוטנציאליים ותגיות/קטגוריות +CatContactsLinks=קישורים בין אנשי קשר/כתובות ותגיות/קטגוריות +CatProdLinks=קישורים בין מוצרים/שירותים ותגיות/קטגוריות +CatMembersLinks=קישורים בין חברים ותגים/קטגוריות +CatProjectsLinks=קישורים בין פרויקטים ותגיות/קטגוריות +CatUsersLinks=קישורים בין משתמשים ותגים/קטגוריות +DeleteFromCat=הסר מהתגים/קטגוריה ExtraFieldsCategories=משלימים תכונות -CategoriesSetup=Tags/categories setup -CategorieRecursiv=Link with parent tag/category automatically -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. -AddProductServiceIntoCategory=Add the following product/service -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier -ShowCategory=Show tag/category -ByDefaultInList=By default in list -ChooseCategory=Choose category -StocksCategoriesArea=Warehouse Categories -ActionCommCategoriesArea=Event Categories -WebsitePagesCategoriesArea=Page-Container Categories -KnowledgemanagementsCategoriesArea=KM article Categories -UseOrOperatorForCategories=Use 'OR' operator for categories +CategoriesSetup=הגדרת תגים/קטגוריות +CategorieRecursiv=קישור עם תג אב/קטגוריה באופן אוטומטי +CategorieRecursivHelp=אם האפשרות מופעלת, כאשר אתה מוסיף אובייקט לקטגוריית משנה, האובייקט יתווסף גם לקטגוריות האב. +AddProductServiceIntoCategory=הקצה קטגוריה למוצר/שירות +AddCustomerIntoCategory=הקצה קטגוריה ללקוח +AddSupplierIntoCategory=הקצה קטגוריה לספק +AssignCategoryTo=הקצה קטגוריה ל +ShowCategory=הצג תג/קטגוריה +ByDefaultInList=כברירת מחדל ברשימה +ChooseCategory=בחרו קטגוריה +StocksCategoriesArea=קטגוריות מחסן +TicketsCategoriesArea=קטגוריות כרטיסים +ActionCommCategoriesArea=קטגוריות אירועים +WebsitePagesCategoriesArea=קטגוריות מיכל דפים +KnowledgemanagementsCategoriesArea=מאמר KM קטגוריות +UseOrOperatorForCategories=השתמש באופרטור 'OR' עבור קטגוריות +AddObjectIntoCategory=הקצה לקטגוריה +Position=עמדה diff --git a/htdocs/langs/he_IL/commercial.lang b/htdocs/langs/he_IL/commercial.lang index 23e7345f648..d5bbc3718d9 100644 --- a/htdocs/langs/he_IL/commercial.lang +++ b/htdocs/langs/he_IL/commercial.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - commercial -Commercial=Commerce -CommercialArea=Commerce area +Commercial=מִסְחָר +CommercialArea=אזור מסחר Customer=לקוח Customers=לקוחות Prospect=לקוח פוטנציאל @@ -18,8 +18,8 @@ TaskRDVWith=פגישה עם %s ShowTask=הצג משימה ShowAction=הצג אירוע ActionsReport=דו"ח אירועים -ThirdPartiesOfSaleRepresentative=Third parties with sales representative -SaleRepresentativesOfThirdParty=Sales representatives of third party +ThirdPartiesOfSaleRepresentative=צדדים שלישיים עם נציג מכירות +SaleRepresentativesOfThirdParty=נציגי מכירות של צד שלישי SalesRepresentative=איש מכירות SalesRepresentatives=אנשי מכירות SalesRepresentativeFollowUp=אנשי מכירות (מעקב) @@ -29,52 +29,65 @@ ShowCustomer=הצג לקוח ShowProspect=הצג לקוח פוטנציאל ListOfProspects=רשימת לקוחות פוטנציאלים ListOfCustomers=רשימת לקוחות -LastDoneTasks=Latest %s completed actions -LastActionsToDo=Oldest %s not completed actions +LastDoneTasks=הפעולות האחרונות שהושלמו %s +LastActionsToDo=הפעולות העתיקות ביותר %s שלא הושלמו DoneAndToDoActions=אירועים שהושלמו ושתרם הושלמו -DoneActions=Completed events -ToDoActions=Incomplete events -SendPropalRef=Submission of commercial proposal %s -SendOrderRef=Submission of order %s -StatusNotApplicable=Not applicable -StatusActionToDo=To do -StatusActionDone=Complete -StatusActionInProcess=In process -TasksHistoryForThisContact=Events for this contact -LastProspectDoNotContact=Do not contact -LastProspectNeverContacted=Never contacted -LastProspectToContact=To contact -LastProspectContactInProcess=Contact in process -LastProspectContactDone=Contact done -ActionAffectedTo=Event assigned to -ActionDoneBy=Event done by -ActionAC_TEL=Phone call -ActionAC_FAX=Send fax -ActionAC_PROP=Send proposal by mail -ActionAC_EMAIL=Send Email -ActionAC_EMAIL_IN=Reception of Email -ActionAC_RDV=Meetings -ActionAC_INT=Intervention on site -ActionAC_FAC=Send customer invoice by mail -ActionAC_REL=Send customer invoice by mail (reminder) -ActionAC_CLO=Close -ActionAC_EMAILING=Send mass email -ActionAC_COM=Send sales order by mail -ActionAC_SHIP=Send shipping by mail -ActionAC_SUP_ORD=Send purchase order by mail -ActionAC_SUP_INV=Send vendor invoice by mail +DoneActions=אירועים שהושלמו +ToDoActions=אירועים לא שלמים +SendPropalRef=הגשת הצעה מסחרית %s +SendOrderRef=הגשת הזמנה %s +StatusNotApplicable=לא ישים +StatusActionToDo=לעשות +StatusActionDone=לְהַשְׁלִים +StatusActionInProcess=בתהליך +TasksHistoryForThisContact=אירועים עבור איש קשר זה +LastProspectDoNotContact=אל תיצור קשר +LastProspectNeverContacted=מעולם לא יצר קשר +LastProspectToContact=ליצור קשר +LastProspectContactInProcess=יצירת קשר בתהליך +LastProspectContactDone=הקשר נעשה +ActionAffectedTo=האירוע הוקצה ל +ActionDoneBy=האירוע נעשה על ידי +ActionAC_TEL=שיחת טלפון +ActionAC_FAX=שלח פקס +ActionAC_PROP=שלח הצעה בדואר +ActionAC_EMAIL=שלח אימייל +ActionAC_EMAIL_IN=קבלת דואר אלקטרוני +ActionAC_RDV=פגישות +ActionAC_INT=התערבות במקום +ActionAC_FAC=שלח חשבונית ללקוח בדואר +ActionAC_REL=שלח חשבונית ללקוח בדואר (תזכורת) +ActionAC_CLO=סגור +ActionAC_EMAILING=שלח מייל המוני +ActionAC_COM=שלח הזמנת מכירה בדואר +ActionAC_SHIP=שלח משלוח בדואר +ActionAC_SUP_ORD=שלח הזמנת רכש בדואר +ActionAC_SUP_INV=שלח חשבונית ספק בדואר ActionAC_OTH=אחר -ActionAC_OTH_AUTO=Automatically inserted events -ActionAC_MANUAL=Manually inserted events -ActionAC_AUTO=Automatically inserted events -ActionAC_OTH_AUTOShort=Auto -Stats=Sales statistics -StatusProsp=Prospect status -DraftPropals=Draft commercial proposals -NoLimit=No limit -ToOfferALinkForOnlineSignature=Link for online signature -WelcomeOnOnlineSignaturePage=Welcome to the page to accept commercial proposals from %s -ThisScreenAllowsYouToSignDocFrom=This screen allow you to accept and sign, or refuse, a quote/commercial proposal -ThisIsInformationOnDocumentToSign=This is information on document to accept or refuse -SignatureProposalRef=Signature of quote/commercial proposal %s -FeatureOnlineSignDisabled=Feature for online signing disabled or document generated before the feature was enabled +ActionAC_OTH_AUTO=אוטו אחר +ActionAC_MANUAL=אירועים שהוכנסו באופן ידני (על ידי משתמש) +ActionAC_AUTO=אירועים הוכנסו אוטומטית +ActionAC_OTH_AUTOShort=אחר +ActionAC_EVENTORGANIZATION=אירועי ארגון אירועים +Stats=סטטיסטיקת מכירות +StatusProsp=מצב פרוספקט +DraftPropals=טיוטת הצעות מסחריות +NoLimit=אין גבול +ToOfferALinkForOnlineSignature=קישור לחתימה מקוונת +WelcomeOnOnlineSignaturePageProposal=ברוכים הבאים לדף כדי לקבל הצעות מסחריות מ-%s +WelcomeOnOnlineSignaturePageContract=ברוכים הבאים ל%s דף חתימת חוזה PDF +WelcomeOnOnlineSignaturePageFichinter=ברוכים הבאים ל%s דף חתימת PDF +WelcomeOnOnlineSignaturePageSociete_rib=ברוכים הבאים ל%s דף החתימה על PDF מנדט SEPA +ThisScreenAllowsYouToSignDocFromProposal=מסך זה מאפשר לך לקבל ולחתום, או לסרב, להצעת מחיר/הצעה מסחרית +ThisScreenAllowsYouToSignDocFromContract=מסך זה מאפשר לך לחתום על חוזה בפורמט PDF באינטרנט. +ThisScreenAllowsYouToSignDocFromFichinter=מסך זה מאפשר לך לחתום על התערבות בפורמט PDF באינטרנט. +ThisScreenAllowsYouToSignDocFromSociete_rib=מסך זה מאפשר לך לחתום על SEPA Mandate בפורמט PDF באינטרנט. +ThisIsInformationOnDocumentToSignProposal=זהו מידע על מסמך שיש לקבל או לסרב +ThisIsInformationOnDocumentToSignContract=זהו מידע על חוזה לחתימה +ThisIsInformationOnDocumentToSignFichinter=זהו מידע על התערבות לחתום +ThisIsInformationOnDocumentToSignSociete_rib=זהו מידע על מנדט SEPA לחתום +SignatureProposalRef=חתימה של הצעת מחיר/הצעה מסחרית %s +SignatureContractRef=חתימת החוזה %s +SignatureFichinterRef=חתימת התערבות %s +SignatureSociete_ribRef=חתימה של מנדט SEPA %s +FeatureOnlineSignDisabled=תכונה לחתימה מקוונת מושבתת או מסמך שנוצר לפני שהתכונה הופעלה diff --git a/htdocs/langs/he_IL/companies.lang b/htdocs/langs/he_IL/companies.lang index b6d8bf20d3f..43288a331dc 100644 --- a/htdocs/langs/he_IL/companies.lang +++ b/htdocs/langs/he_IL/companies.lang @@ -1,125 +1,139 @@ # Dolibarr language file - Source file is en_US - companies -ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. -ErrorSetACountryFirst=Set the country first -SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? -DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? -MenuNewThirdParty=New Third Party -MenuNewCustomer=New Customer -MenuNewProspect=New Prospect -MenuNewSupplier=New Vendor -MenuNewPrivateIndividual=New private individual -NewCompany=New company (prospect, customer, vendor) -NewThirdParty=New Third Party (prospect, customer, vendor) -CreateDolibarrThirdPartySupplier=Create a third party (vendor) -CreateThirdPartyOnly=Create third party -CreateThirdPartyAndContact=Create a third party + a child contact -ProspectionArea=Prospection area -IdThirdParty=Id third party -IdCompany=Company Id -IdContact=Contact Id -ThirdPartyAddress=Third-party address -ThirdPartyContacts=Third-party contacts -ThirdPartyContact=Third-party contact/address +newSocieteAdded=פרטי הקשר שלך נרשמו. אנחנו נחזור אליך בקרוב... +ContactUsDesc=טופס זה מאפשר לך לשלוח לנו הודעה ליצירת קשר ראשון. +ErrorCompanyNameAlreadyExists=שם החברה %s כבר קיים. בחר אחד אחר. +ErrorSetACountryFirst=תגדיר קודם את המדינה +SelectThirdParty=בחר צד שלישי +ConfirmDeleteCompany=האם אתה בטוח שברצונך למחוק את החברה הזו ואת כל המידע הקשור? +DeleteContact=מחק איש קשר/כתובת +ConfirmDeleteContact=האם אתה בטוח שברצונך למחוק איש קשר זה ואת כל המידע הקשור? +MenuNewThirdParty=צד שלישי חדש +MenuNewCustomer=לקוח חדש +MenuNewProspect=פרוספקט חדש +MenuNewSupplier=ספק חדש +MenuNewPrivateIndividual=אדם פרטי חדש +NewCompany=חברה חדשה (לקוח פוטנציאלי, לקוח, ספק) +NewThirdParty=צד שלישי חדש (לקוח פוטנציאלי, לקוח, ספק) +CreateDolibarrThirdPartySupplier=צור צד שלישי (ספק) +CreateThirdPartyOnly=צור צד שלישי +CreateThirdPartyAndContact=צור צד שלישי + איש קשר ילד +ProspectionArea=אזור פרוספקציה +IdThirdParty=מזהה צד שלישי +IdCompany=פרטי זיהוי של החברה +IdContact=זיהוי איש קשר +ThirdPartyAddress=כתובת של צד שלישי +ThirdPartyContacts=אנשי קשר של צד שלישי +ThirdPartyContact=איש קשר/כתובת של צד שלישי Company=חברה -CompanyName=Company name -AliasNames=Alias name (commercial, trademark, ...) -AliasNameShort=Alias Name -Companies=Companies -CountryIsInEEC=Country is inside the European Economic Community -PriceFormatInCurrentLanguage=Price display format in the current language and currency -ThirdPartyName=Third-party name -ThirdPartyEmail=Third-party email -ThirdParty=Third-party -ThirdParties=Third-parties +CompanyName=שם החברה +AliasNames=שם כינוי (מסחרי, סימן מסחרי, ...) +AliasNameShort=שם כינוי +Companies=חברות +CountryIsInEEC=המדינה נמצאת בתוך הקהילה הכלכלית האירופית +PriceFormatInCurrentLanguage=פורמט תצוגת מחיר בשפה ובמטבע הנוכחיים +ThirdPartyName=שם של צד שלישי +ThirdPartyEmail=דוא"ל של צד שלישי +ThirdParty=צד שלישי +ThirdParties=צד שלישי ThirdPartyProspects=לקוחות פוטנציאלים ThirdPartyProspectsStats=לקוחות פוטנציאלים ThirdPartyCustomers=לקוחות ThirdPartyCustomersStats=לקוחות -ThirdPartyCustomersWithIdProf12=Customers with %s or %s -ThirdPartySuppliers=Vendors -ThirdPartyType=Third-party type -Individual=Private individual -ToCreateContactWithSameName=Will automatically create a contact/address with same information as the third party under the third party. In most cases, even if your third party is a physical person, creating a third party alone is enough. -ParentCompany=Parent company -Subsidiaries=Subsidiaries -ReportByMonth=Report per month -ReportByCustomers=Report per customer -ReportByThirdparties=Report per thirdparty -ReportByQuarter=Report per rate -CivilityCode=Civility code -RegisteredOffice=Registered office -Lastname=Last name +ThirdPartyCustomersWithIdProf12=לקוחות עם %s או %s +ThirdPartySuppliers=ספקים +ThirdPartyType=סוג של צד שלישי +Individual=אדם פרטי +ToCreateContactWithSameName=יצור באופן אוטומטי איש קשר/כתובת עם מידע זהה לזו של הצד השלישי תחת הצד השלישי. ברוב המקרים, גם אם הצד השלישי שלך הוא אדם פיזי, מספיקה ליצור צד שלישי בלבד. +ParentCompany=חברת אם +Subsidiaries=חברות בנות +ReportByMonth=דיווח לחודש +ReportByCustomers=דיווח לכל לקוח +ReportByThirdparties=דיווח לכל צד שלישי +ReportByQuarter=דיווח לפי שיעור +CivilityCode=קוד אזרחי +RegisteredOffice=משרד רשום +Lastname=שם משפחה Firstname=שם פרטי -RefEmployee=Employee reference -NationalRegistrationNumber=National registration number -PostOrFunction=Job position -UserTitle=Title -NatureOfThirdParty=Nature of Third party -NatureOfContact=Nature of Contact +RefEmployee=התייחסות לעובד +NationalRegistrationNumber=מספר רישום לאומי +PostOrFunction=עמדת עבודה +UserTitle=כותרת +NatureOfThirdParty=אופי צד שלישי +NatureOfContact=אופי המגע Address=כתובת -State=State/Province -StateCode=State/Province code -StateShort=State -Region=Region -Region-State=Region - State +State=מדינה/מחוז +StateId=תעודת זהות מדינה +StateCode=קוד מדינה/מחוז +StateShort=מדינה +Region=אזור +Region-State=אזור - מדינה Country=מדינה -CountryCode=Country code -CountryId=Country id -Phone=Phone -PhoneShort=Phone -Skype=Skype -Call=Call -Chat=Chat -PhonePro=Bus. phone -PhonePerso=Pers. phone -PhoneMobile=Mobile -No_Email=Refuse bulk emailings -Fax=Fax -Zip=Zip Code -Town=City -Web=Web -Poste= Position -DefaultLang=Default language -VATIsUsed=Sales tax used -VATIsUsedWhenSelling=This defines if this third party includes a sales tax or not when it makes an invoice to its own customers -VATIsNotUsed=Sales tax is not used -CopyAddressFromSoc=Copy address from third-party details -ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available referring objects -ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor vendor, discounts are not available -PaymentBankAccount=Payment bank account +CountryCode=קוד מדינה +CountryId=מזהה מדינה +Phone=טלפון +PhoneShort=טלפון +Skype=סקייפ +Call=שִׂיחָה +Chat=לְשׂוֹחֵחַ +PhonePro=אוֹטוֹבּוּס. טלפון +PhonePerso=פרס. טלפון +PhoneMobile=נייד +No_Email=סרב להודעות דואר אלקטרוני בכמות גדולה +Fax=פַקס +Zip=מיקוד +Town=עִיר +Web=אינטרנט +Poste= עמדה +DefaultLang=שפת ברירת מחדל +VATIsUsed=נעשה שימוש במס מכירה +VATIsUsedWhenSelling=זה מגדיר אם צד שלישי זה כולל מס מכירה או לא כאשר הוא עושה חשבונית ללקוחות שלו +VATIsNotUsed=לא נעשה שימוש במס מכירה +VATReverseCharge=תשלום הפוך במע"מ +VATReverseChargeByDefault=חיוב הפוך במע"מ כברירת מחדל +VATReverseChargeByDefaultDesc=בחשבונית הספק, נעשה שימוש בחיוב הפוך במע"מ כברירת מחדל +CopyAddressFromSoc=העתק כתובת מפרטי צד שלישי +ThirdpartyNotCustomerNotSupplierSoNoRef=צד שלישי לא לקוח ולא ספק, אין אובייקטים מפנים זמינים +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=צד שלישי לא לקוח ולא ספק, הנחות אינן זמינות +PaymentBankAccount=חשבון בנק לתשלום OverAllProposals=הצעות -OverAllOrders=Orders +OverAllOrders=הזמנות OverAllInvoices=חשבוניות -OverAllSupplierProposals=Price requests +OverAllSupplierProposals=בקשות מחיר ##### Local Taxes ##### -LocalTax1IsUsed=Use second tax -LocalTax1IsUsedES= RE is used -LocalTax1IsNotUsedES= RE is not used -LocalTax2IsUsed=Use third tax -LocalTax2IsUsedES= IRPF is used -LocalTax2IsNotUsedES= IRPF is not used -WrongCustomerCode=Customer code invalid -WrongSupplierCode=Vendor code invalid -CustomerCodeModel=Customer code model -SupplierCodeModel=Vendor code model -Gencod=Barcode -GencodBuyPrice=Barcode of price ref +LocalTax1IsUsed=השתמש במס שני +LocalTax1IsUsedES= נעשה שימוש ב-RE +LocalTax1IsNotUsedES= אין שימוש ב-RE +LocalTax2IsUsed=השתמש במס שלישי +LocalTax2IsUsedES= נעשה שימוש ב-IRPF +LocalTax2IsNotUsedES= לא נעשה שימוש ב-IRPF +WrongCustomerCode=קוד לקוח לא חוקי +WrongSupplierCode=קוד הספק לא חוקי +CustomerCodeModel=מודל קוד לקוח +SupplierCodeModel=מודל קוד ספק +Gencod=ברקוד +GencodBuyPrice=ברקוד של מחיר ref ##### Professional ID ##### -ProfId1Short=Prof. id 1 -ProfId2Short=Prof. id 2 -ProfId3Short=Prof. id 3 -ProfId4Short=Prof. id 4 -ProfId5Short=Prof. id 5 -ProfId6Short=Prof. id 6 -ProfId1=Professional ID 1 -ProfId2=Professional ID 2 -ProfId3=Professional ID 3 -ProfId4=Professional ID 4 -ProfId5=Professional ID 5 -ProfId6=Professional ID 6 -ProfId1AR=Prof Id 1 (CUIT/CUIL) +ProfId1Short=פרופ' יד 1 +ProfId2Short=פרופ' יד 2 +ProfId3Short=פרופ' יד 3 +ProfId4Short=פרופ' יד 4 +ProfId5Short=פרופ' יד 5 +ProfId6Short=פרופ' יד 6 +ProfId7Short=פרופ' יד 7 +ProfId8Short=פרופ' יד 8 +ProfId9Short=פרופ' יד 9 +ProfId10Short=פרופ' יד 10 +ProfId1=תעודה מזהה מקצועית 1 +ProfId2=תעודה מזהה מקצועית 2 +ProfId3=תעודה מזהה מקצועית 3 +ProfId4=תעודה מזהה מקצועית 4 +ProfId5=תעודה מזהה מקצועית 5 +ProfId6=תעודה מזהה מקצועית 6 +ProfId7=תעודה מזהה מקצועית 7 +ProfId8=תעודה מזהה מקצועית 8 +ProfId9=תעודה מזהה מקצועית 9 +ProfId10=מזהה מקצועי 10 +ProfId1AR=פרופסור מזהה 1 (CUIT/CUIL) ProfId2AR=Prof Id 2 (Revenu brutes) ProfId3AR=- ProfId4AR=- @@ -127,9 +141,9 @@ ProfId5AR=- ProfId6AR=- ProfId1AT=Prof Id 1 (USt.-IdNr) ProfId2AT=Prof Id 2 (USt.-Nr) -ProfId3AT=Prof Id 3 (Handelsregister-Nr.) +ProfId3AT=פרופ' מזהה 3 (Handelsregister-Nr.) ProfId4AT=- -ProfId5AT=EORI number +ProfId5AT=מספר EORI ProfId6AT=- ProfId1AU=Prof Id 1 (ABN) ProfId2AU=- @@ -137,11 +151,11 @@ ProfId3AU=- ProfId4AU=- ProfId5AU=- ProfId6AU=- -ProfId1BE=Prof Id 1 (Professional number) +ProfId1BE=Prof Id 1 (מספר מקצועי) ProfId2BE=- ProfId3BE=- ProfId4BE=- -ProfId5BE=EORI number +ProfId5BE=מספר EORI ProfId6BE=- ProfId1BR=- ProfId2BR=IE (Inscricao Estadual) @@ -151,29 +165,29 @@ ProfId4BR=CPF #ProfId6BR=INSS ProfId1CH=UID-Nummer ProfId2CH=- -ProfId3CH=Prof Id 1 (Federal number) -ProfId4CH=Prof Id 2 (Commercial Record number) -ProfId5CH=EORI number +ProfId3CH=Prof Id 1 (מספר פדרלי) +ProfId4CH=Prof Id 2 (מספר רשומה מסחרית) +ProfId5CH=מספר EORI ProfId6CH=- -ProfId1CL=Prof Id 1 (R.U.T.) +ProfId1CL=פרופ' מזהה 1 (R.U.T.) ProfId2CL=- ProfId3CL=- ProfId4CL=- ProfId5CL=- ProfId6CL=- -ProfId1CM=Id. prof. 1 (Trade Register) -ProfId2CM=Id. prof. 2 (Taxpayer No.) -ProfId3CM=Id. prof. 3 (Decree of creation) -ProfId4CM=Id. prof. 4 (Certificate of deposits) -ProfId5CM=Id. prof. 5 (Others) +ProfId1CM=תְעוּדַת זֶהוּת. פרופ' 1 (מרשם מסחר) +ProfId2CM=תְעוּדַת זֶהוּת. פרופ' 2 (מספר נישום) +ProfId3CM=תְעוּדַת זֶהוּת. פרופ' 3 (מספר צו הבריאה) +ProfId4CM=תְעוּדַת זֶהוּת. פרופ' 4 (מספר תעודת פיקדון) +ProfId5CM=תְעוּדַת זֶהוּת. פרופ' 5 (אחרים) ProfId6CM=- -ProfId1ShortCM=Trade Register -ProfId2ShortCM=Taxpayer No. -ProfId3ShortCM=Decree of creation -ProfId4ShortCM=Certificate of deposits -ProfId5ShortCM=Others +ProfId1ShortCM=מרשם מסחר +ProfId2ShortCM=מס' משלם המסים. +ProfId3ShortCM=מס' גזירת הבריאה +ProfId4ShortCM=מספר תעודת פיקדון +ProfId5ShortCM=אחרים ProfId6ShortCM=- -ProfId1CO=Prof Id 1 (R.U.T.) +ProfId1CO=פרופ' מזהה 1 (R.U.T.) ProfId2CO=- ProfId3CO=- ProfId4CO=- @@ -181,35 +195,43 @@ ProfId5CO=- ProfId6CO=- ProfId1DE=Prof Id 1 (USt.-IdNr) ProfId2DE=Prof Id 2 (USt.-Nr) -ProfId3DE=Prof Id 3 (Handelsregister-Nr.) +ProfId3DE=פרופ' מזהה 3 (Handelsregister-Nr.) ProfId4DE=- -ProfId5DE=EORI number +ProfId5DE=מספר EORI ProfId6DE=- -ProfId1ES=Prof Id 1 (CIF/NIF) -ProfId2ES=Prof Id 2 (Social security number) +ProfId1ES=פרופסור מזהה 1 (CIF/NIF) +ProfId2ES=פרופ' מזהה 2 (מספר ת.ז.) ProfId3ES=Prof Id 3 (CNAE) -ProfId4ES=Prof Id 4 (Collegiate number) -ProfId5ES=Prof Id 5 (EORI number) +ProfId4ES=פרופ' מזהה 4 (מספר קולגיט) +ProfId5ES=Prof Id 5 (מספר EORI) ProfId6ES=- -ProfId1FR=Prof Id 1 (SIREN) -ProfId2FR=Prof Id 2 (SIRET) -ProfId3FR=Prof Id 3 (NAF, old APE) +ProfId1FR=פרופ' מזהה 1 (SIREN) +ProfId2FR=פרופ' מזהה 2 (SIRET) +ProfId3FR=פרופ' Id 3 (NAF, APE ישן) ProfId4FR=Prof Id 4 (RCS/RM) -ProfId5FR=Prof Id 5 (numéro EORI) +ProfId5FR=פרופ' מזהה 5 (מספר EORI) ProfId6FR=- -ProfId1ShortFR=SIREN +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- +ProfId1ShortFR=סִירֶנָה ProfId2ShortFR=SIRET ProfId3ShortFR=NAF ProfId4ShortFR=RCS ProfId5ShortFR=EORI ProfId6ShortFR=- -ProfId1GB=Registration Number +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- +ProfId1GB=מספר רישום ProfId2GB=- ProfId3GB=SIC ProfId4GB=- ProfId5GB=- ProfId6GB=- -ProfId1HN=Id prof. 1 (RTN) +ProfId1HN=תעודת זהות פרופ. 1 (RTN) ProfId2HN=- ProfId3HN=- ProfId4HN=- @@ -218,44 +240,44 @@ ProfId6HN=- ProfId1IN=Prof Id 1 (TIN) ProfId2IN=Prof Id 2 (PAN) ProfId3IN=Prof Id 3 (SRVC TAX) -ProfId4IN=Prof Id 4 -ProfId5IN=Prof Id 5 +ProfId4IN=פרופ' ID 4 +ProfId5IN=פרופ' ID 5 ProfId6IN=- ProfId1IT=- ProfId2IT=- ProfId3IT=- ProfId4IT=- -ProfId5IT=EORI number +ProfId5IT=מספר EORI ProfId6IT=- -ProfId1LU=Id. prof. 1 (R.C.S. Luxembourg) -ProfId2LU=Id. prof. 2 (Business permit) +ProfId1LU=תְעוּדַת זֶהוּת. פרופ' 1 (R.C.S. לוקסמבורג) +ProfId2LU=תְעוּדַת זֶהוּת. פרופ' 2 (אישור עסק) ProfId3LU=- ProfId4LU=- -ProfId5LU=EORI number +ProfId5LU=מספר EORI ProfId6LU=- -ProfId1MA=Id prof. 1 (R.C.) -ProfId2MA=Id prof. 2 (Patente) -ProfId3MA=Id prof. 3 (I.F.) -ProfId4MA=Id prof. 4 (C.N.S.S.) -ProfId5MA=Id prof. 5 (I.C.E.) +ProfId1MA=תעודת זהות פרופ. 1 (R.C.) +ProfId2MA=תעודת זהות פרופ. 2 (פטנט) +ProfId3MA=תעודת זהות פרופ. 3 (I.F.) +ProfId4MA=תעודת זהות פרופ. 4 (C.N.S.S.) +ProfId5MA=תעודת זהות פרופ. 5 (I.C.E.) ProfId6MA=- -ProfId1MX=Prof Id 1 (R.F.C). +ProfId1MX=פרופ' איד 1 (R.F.C). ProfId2MX=Prof Id 2 (R..P. IMSS) -ProfId3MX=Prof Id 3 (Profesional Charter) +ProfId3MX=פרופ' מזהה 3 (אמנה מקצועית) ProfId4MX=- ProfId5MX=- ProfId6MX=- -ProfId1NL=KVK nummer +ProfId1NL=מספר KVK ProfId2NL=- ProfId3NL=- ProfId4NL=Burgerservicenummer (BSN) -ProfId5NL=EORI number +ProfId5NL=מספר EORI ProfId6NL=- ProfId1PT=Prof Id 1 (NIPC) -ProfId2PT=Prof Id 2 (Social security number) -ProfId3PT=Prof Id 3 (Commercial Record number) -ProfId4PT=Prof Id 4 (Conservatory) -ProfId5PT=Prof Id 5 (EORI number) +ProfId2PT=פרופ' מזהה 2 (מספר ת.ז.) +ProfId3PT=Prof Id 3 (מספר רשומה מסחרית) +ProfId4PT=פרופ' ID 4 (קונסרבטוריון) +ProfId5PT=Prof Id 5 (מספר EORI) ProfId6PT=- ProfId1SN=RC ProfId2SN=NINEA @@ -264,22 +286,22 @@ ProfId4SN=- ProfId5SN=- ProfId6SN=- ProfId1TN=Prof Id 1 (RC) -ProfId2TN=Prof Id 2 (Fiscal matricule) -ProfId3TN=Prof Id 3 (Douane code) +ProfId2TN=פרופ' מזהה 2 (בגרות פיסקלית) +ProfId3TN=Prof Id 3 (קוד Douane) ProfId4TN=Prof Id 4 (BAN) ProfId5TN=- ProfId6TN=- -ProfId1US=Prof Id (FEIN) +ProfId1US=פרופ' זיהוי (FEIN) ProfId2US=- ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- -ProfId1RO=Prof Id 1 (CUI) +ProfId1RO=פרופסור מזהה 1 (CUI) ProfId2RO=Prof Id 2 (Nr. Înmatriculare) ProfId3RO=Prof Id 3 (CAEN) ProfId4RO=Prof Id 5 (EUID) -ProfId5RO=Prof Id 5 (EORI number) +ProfId5RO=Prof Id 5 (מספר EORI) ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) @@ -290,210 +312,219 @@ ProfId6RU=- ProfId1UA=Prof Id 1 (EDRPOU) ProfId2UA=Prof Id 2 (DRFO) ProfId3UA=Prof Id 3 (INN) -ProfId4UA=Prof Id 4 (Certificate) +ProfId4UA=פרופ' מזהה 4 (תעודה) ProfId5UA=Prof Id 5 (RNOKPP) ProfId6UA=Prof Id 6 (TRDPAU) ProfId1DZ=RC -ProfId2DZ=Art. +ProfId2DZ=אומנות. ProfId3DZ=NIF -ProfId4DZ=NIS -VATIntra=VAT ID -VATIntraShort=VAT ID -VATIntraSyntaxIsValid=Syntax is valid -VATReturn=VAT return -ProspectCustomer=Prospect / Customer +ProfId4DZ=ש"ח +VATIntra=מזהה מע"מ +VATIntraShort=מזהה מע"מ +VATIntraSyntaxIsValid=תחביר תקף +VATReturn=החזר מע"מ +ProspectCustomer=פרוספקט / לקוח Prospect=לקוח פוטנציאל -CustomerCard=Customer Card +CustomerCard=כרטיס לקוח Customer=לקוח -CustomerRelativeDiscount=Relative customer discount -SupplierRelativeDiscount=Relative vendor discount -CustomerRelativeDiscountShort=Relative discount -CustomerAbsoluteDiscountShort=Absolute discount -CompanyHasRelativeDiscount=This customer has a default discount of %s%% -CompanyHasNoRelativeDiscount=This customer has no relative discount by default -HasRelativeDiscountFromSupplier=You have a default discount of %s%% from this vendor -HasNoRelativeDiscountFromSupplier=You have no default relative discount from this vendor -CompanyHasAbsoluteDiscount=This customer has discounts available (credits notes or down payments) for %s %s -CompanyHasDownPaymentOrCommercialDiscount=This customer has discounts available (commercial, down payments) for %s %s -CompanyHasCreditNote=This customer still has credit notes for %s %s -HasNoAbsoluteDiscountFromSupplier=You have no discount credit available from this vendor -HasAbsoluteDiscountFromSupplier=You have discounts available (credits notes or down payments) for %s %s from this vendor -HasDownPaymentOrCommercialDiscountFromSupplier=You have discounts available (commercial, down payments) for %s %s from this vendor -HasCreditNoteFromSupplier=You have credit notes for %s %s from this vendor -CompanyHasNoAbsoluteDiscount=This customer has no discount credit available -CustomerAbsoluteDiscountAllUsers=Absolute customer discounts (granted by all users) -CustomerAbsoluteDiscountMy=Absolute customer discounts (granted by yourself) -SupplierAbsoluteDiscountAllUsers=Absolute vendor discounts (entered by all users) -SupplierAbsoluteDiscountMy=Absolute vendor discounts (entered by yourself) +CustomerRelativeDiscount=הנחה יחסית ללקוח +SupplierRelativeDiscount=הנחת ספק יחסית +CustomerRelativeDiscountShort=הנחה יחסית +CustomerAbsoluteDiscountShort=הנחה מוחלטת +CompanyHasRelativeDiscount=ללקוח זה יש הנחה ברירת מחדל של %s%% +CompanyHasNoRelativeDiscount=ללקוח זה אין הנחה יחסית כברירת מחדל +HasRelativeDiscountFromSupplier=יש לך הנחה ברירת מחדל של %s%% עם הספק הזה +HasNoRelativeDiscountFromSupplier=אין הנחה יחסית ברירת מחדל אצל ספק זה +CompanyHasAbsoluteDiscount=ללקוח זה יש הנחות זמינות (הערות זיכוי או מקדמה) עבור %s span> %s +CompanyHasDownPaymentOrCommercialDiscount=ללקוח זה יש הנחות זמינות (מסחריות, מקדמה) עבור %s > %s +CompanyHasCreditNote=ללקוח זה עדיין יש תעודות אשראי עבור %s %s +HasNoAbsoluteDiscountFromSupplier=אין הנחה/אשראי זמינים מהספק הזה +HasAbsoluteDiscountFromSupplier=יש לך הנחות זמינות (הערות זיכוי או מקדמה) עבור %s > %s מהספק הזה +HasDownPaymentOrCommercialDiscountFromSupplier=יש לך הנחות זמינות (מסחרי, מקדמה) עבור %s %s מהספק הזה +HasCreditNoteFromSupplier=יש לך תעודות אשראי עבור %s %s מהספק הזה +CompanyHasNoAbsoluteDiscount=ללקוח זה אין זיכוי הנחה זמין +CustomerAbsoluteDiscountAllUsers=הנחות מוחלטות ללקוחות (ניתן על ידי כל המשתמשים) +CustomerAbsoluteDiscountMy=הנחות מוחלטות ללקוחות (ניתן על ידי עצמך) +SupplierAbsoluteDiscountAllUsers=הנחות ספקים מוחלטות (הוזנו על ידי כל המשתמשים) +SupplierAbsoluteDiscountMy=הנחות ספקים מוחלטות (הזנת בעצמך) DiscountNone=None -Vendor=Vendor -Supplier=Vendor -AddContact=Create contact -AddContactAddress=Create contact/address -EditContact=Edit contact -EditContactAddress=Edit contact/address -Contact=Contact/Address -Contacts=Contacts/Addresses -ContactId=Contact id -ContactsAddresses=Contacts/Addresses -FromContactName=Name: -NoContactDefinedForThirdParty=No contact defined for this third party -NoContactDefined=No contact defined -DefaultContact=Default contact/address -ContactByDefaultFor=Default contact/address for -AddThirdParty=Create third party -DeleteACompany=Delete a company -PersonalInformations=Personal data +Vendor=מוֹכֵר +Supplier=מוֹכֵר +AddContact=צור קשר +AddContactAddress=צור איש קשר/כתובת +EditContact=ערוך איש קשר +EditContactAddress=ערוך איש קשר/כתובת +Contact=כתובת איש קשר +Contacts=אנשי קשר/כתובות +ContactId=מזהה איש קשר +ContactsAddresses=אנשי קשר/כתובות +FromContactName=שֵׁם: +NoContactDefinedForThirdParty=לא הוגדר איש קשר עבור צד שלישי זה +NoContactDefined=לא הוגדר איש קשר +DefaultContact=איש קשר/כתובת ברירת מחדל +ContactByDefaultFor=איש קשר/כתובת ברירת מחדל עבור +AddThirdParty=צור צד שלישי +DeleteACompany=מחק חברה +PersonalInformations=מידע אישי AccountancyCode=Accounting account -CustomerCode=Customer Code -SupplierCode=Vendor Code -CustomerCodeShort=Customer Code -SupplierCodeShort=Vendor Code -CustomerCodeDesc=Customer Code, unique for all customers -SupplierCodeDesc=Vendor Code, unique for all vendors -RequiredIfCustomer=Required if third party is a customer or prospect -RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by the module -ThisIsModuleRules=Rules for this module -ProspectToContact=Prospect to contact -CompanyDeleted=Company "%s" deleted from database. -ListOfContacts=List of contacts/addresses -ListOfContactsAddresses=List of contacts/addresses -ListOfThirdParties=List of Third Parties -ShowCompany=Third Party -ShowContact=Contact-Address -ContactsAllShort=All (No filter) -ContactType=Contact role -ContactForOrders=Order's contact -ContactForOrdersOrShipments=Order's or shipment's contact -ContactForProposals=Proposal's contact -ContactForContracts=Contract's contact -ContactForInvoices=Invoice's contact -NoContactForAnyOrder=This contact is not a contact for any order -NoContactForAnyOrderOrShipments=This contact is not a contact for any order or shipment -NoContactForAnyProposal=This contact is not a contact for any commercial proposal -NoContactForAnyContract=This contact is not a contact for any contract -NoContactForAnyInvoice=This contact is not a contact for any invoice -NewContact=New contact -NewContactAddress=New Contact/Address -MyContacts=My contacts -Capital=Capital -CapitalOf=Capital of %s -EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer or vendor -VATIntraCheck=Check -VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do -VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commission website -VATIntraManualCheck=You can also check manually on the European Commission website %s -ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s). -NorProspectNorCustomer=Not prospect, nor customer -JuridicalStatus=Business entity type -Workforce=Workforce -Staff=Employees -ProspectLevelShort=Potential -ProspectLevel=Prospect potential -ContactPrivate=Private -ContactPublic=Shared -ContactVisibility=Visibility +CustomerCode=קוד לקוח +SupplierCode=קוד ספק +CustomerCodeShort=קוד לקוח +SupplierCodeShort=קוד ספק +CustomerCodeDesc=קוד לקוח, ייחודי לכל הלקוחות +SupplierCodeDesc=קוד ספק, ייחודי לכל הספקים +RequiredIfCustomer=נדרש אם צד שלישי הוא לקוח או לקוח פוטנציאלי +RequiredIfSupplier=נדרש אם צד שלישי הוא ספק +ValidityControledByModule=תוקף נשלט על ידי המודול +ThisIsModuleRules=כללים עבור מודול זה +ProspectToContact=פוטנציאל ליצור קשר +CompanyDeleted=החברה "%s" נמחקה ממסד הנתונים. +ListOfContacts=רשימת אנשי קשר/כתובות +ListOfContactsAddresses=רשימת אנשי קשר/כתובות +ListOfThirdParties=רשימת צדדים שלישיים +ShowCompany=צד שלישי +ShowContact=כתובת איש קשר +ContactsAllShort=הכל (ללא מסנן) +ContactType=תפקיד יצירת קשר +ContactForOrders=איש הקשר של ההזמנה +ContactForOrdersOrShipments=איש הקשר של ההזמנה או המשלוח +ContactForProposals=איש הקשר של ההצעה +ContactForContracts=איש הקשר של החוזה +ContactForInvoices=איש קשר של חשבונית +NoContactForAnyOrder=איש קשר זה אינו איש קשר לכל הזמנה +NoContactForAnyOrderOrShipments=איש קשר זה אינו איש קשר לכל הזמנה או משלוח +NoContactForAnyProposal=איש קשר זה אינו איש קשר לכל הצעה מסחרית +NoContactForAnyContract=איש קשר זה אינו איש קשר לכל חוזה +NoContactForAnyInvoice=איש קשר זה אינו איש קשר עבור חשבונית כלשהי +NewContact=איש קשר חדש +NewContactAddress=איש קשר/כתובת חדשה +MyContacts=אנשי הקשר שלי +Capital=עיר בירה +CapitalOf=הבירה של %s +EditCompany=ערוך חברה +ThisUserIsNot=משתמש זה אינו לקוח פוטנציאלי, לקוח או ספק +VATIntraCheck=חשבון +VATIntraCheckDesc=מזהה המע"מ חייב לכלול את קידומת המדינה. הקישור %s משתמש בשירות בודק המע"מ האירופי (VIES) אשר דורש גישה לאינטרנט משרת Dolibarr. +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation +VATIntraCheckableOnEUSite=בדוק את מזהה המע"מ הבין-קהילתי באתר הנציבות האירופית +VATIntraManualCheck=אתה יכול גם לבדוק ידנית באתר הנציבות האירופית %s +ErrorVATCheckMS_UNAVAILABLE=בדיקה לא אפשרית. שירות המחאות אינו מסופק על ידי המדינה החברה (%s). +NorProspectNorCustomer=לא לקוח פוטנציאלי ולא לקוח +JuridicalStatus=סוג ישות עסקית +Workforce=כוח עבודה +Staff=עובדים +ProspectLevelShort=פוטנציאל +ProspectLevel=פוטנציאל פרוספקט +ContactPrivate=פְּרָטִי +ContactPublic=מְשׁוּתָף +ContactVisibility=רְאוּת ContactOthers=אחר -OthersNotLinkedToThirdParty=Others, not linked to a third party -ProspectStatus=Prospect status +OthersNotLinkedToThirdParty=אחרים, שאינם מקושרים לצד שלישי +ProspectStatus=מצב פרוספקט PL_NONE=None PL_UNKNOWN=לא ידוע -PL_LOW=Low -PL_MEDIUM=Medium -PL_HIGH=High +PL_LOW=נָמוּך +PL_MEDIUM=בינוני +PL_HIGH=גָבוֹהַ TE_UNKNOWN=- -TE_STARTUP=Startup -TE_GROUP=Large company -TE_MEDIUM=Medium company -TE_ADMIN=Governmental -TE_SMALL=Small company -TE_RETAIL=Retailer -TE_WHOLE=Wholesaler -TE_PRIVATE=Private individual +TE_STARTUP=סטארט - אפ +TE_GROUP=חברה גדולה +TE_MEDIUM=חברה בינונית +TE_ADMIN=מֶמשָׁלתִי +TE_SMALL=חברה קטנה +TE_RETAIL=קִמעוֹנַאִי +TE_WHOLE=סִיטוֹנַאי +TE_PRIVATE=אדם פרטי TE_OTHER=אחר -StatusProspect-1=Do not contact -StatusProspect0=Never contacted -StatusProspect1=To be contacted -StatusProspect2=Contact in process -StatusProspect3=Contact done -ChangeDoNotContact=Change status to 'Do not contact' -ChangeNeverContacted=Change status to 'Never contacted' -ChangeToContact=Change status to 'To be contacted' -ChangeContactInProcess=Change status to 'Contact in process' -ChangeContactDone=Change status to 'Contact done' -ProspectsByStatus=Prospects by status +StatusProspect-1=אל תיצור קשר +StatusProspect0=מעולם לא יצר קשר +StatusProspect1=ליצירת קשר +StatusProspect2=יצירת קשר בתהליך +StatusProspect3=הקשר הסתיים +ChangeDoNotContact=שנה את הסטטוס ל'אל תיצור קשר' +ChangeNeverContacted=שנה את הסטטוס ל'מעולם לא יצרו קשר' +ChangeToContact=שנה סטטוס ל'ליצור קשר' +ChangeContactInProcess=שנה את הסטטוס ל'יצירת קשר בתהליך' +ChangeContactDone=שנה את הסטטוס ל'יצירת קשר בוצע' +ProspectsByStatus=סיכויים לפי סטטוס NoParentCompany=None -ExportCardToFormat=Export card to format -ContactNotLinkedToCompany=Contact not linked to any third party -DolibarrLogin=Dolibarr login -NoDolibarrAccess=No Dolibarr access -ExportDataset_company_1=Third-parties (companies/foundations/physical people) and their properties -ExportDataset_company_2=Contacts and their properties -ImportDataset_company_1=Third-parties and their properties -ImportDataset_company_2=Third-parties additional contacts/addresses and attributes -ImportDataset_company_3=Third-parties Bank accounts -ImportDataset_company_4=Third-parties Sales representatives (assign sales representatives/users to companies) -PriceLevel=Price Level -PriceLevelLabels=Price Level Labels -DeliveryAddress=Delivery address -AddAddress=Add address -SupplierCategory=Vendor category -JuridicalStatus200=Independent -DeleteFile=Delete file -ConfirmDeleteFile=Are you sure you want to delete this file? -AllocateCommercial=Assigned to sales representative -Organization=Organization -FiscalYearInformation=Fiscal Year -FiscalMonthStart=Starting month of the fiscal year -SocialNetworksInformation=Social networks -SocialNetworksFacebookURL=Facebook URL -SocialNetworksTwitterURL=Twitter URL -SocialNetworksLinkedinURL=Linkedin URL -SocialNetworksInstagramURL=Instagram URL -SocialNetworksYoutubeURL=Youtube URL -SocialNetworksGithubURL=Github URL -YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. -YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party -ListSuppliersShort=List of Vendors -ListProspectsShort=List of Prospects -ListCustomersShort=List of Customers -ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s Third Parties which were modified -UniqueThirdParties=Total number of Third Parties -InActivity=Open -ActivityCeased=Closed -ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services mapped to %s -CurrentOutstandingBill=Current outstanding bill -OutstandingBill=Max. for outstanding bill -OutstandingBillReached=Max. for outstanding bill reached -OrderMinAmount=Minimum amount for order -MonkeyNumRefModelDesc=Return a number in the format %syymm-nnnn for the customer code and %syymm-nnnn for the vendor code where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0. -LeopardNumRefModelDesc=The code is free. This code can be modified at any time. -ManagingDirectors=Manager(s) name (CEO, director, president...) -MergeOriginThirdparty=Duplicate third party (third party you want to delete) -MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. -ThirdpartiesMergeSuccess=Third parties have been merged -SaleRepresentativeLogin=Login of sales representative -SaleRepresentativeFirstname=First name of sales representative -SaleRepresentativeLastname=Last name of sales representative -ErrorThirdpartiesMerge=There was an error when deleting the third parties. Please check the log. Changes have been reverted. -NewCustomerSupplierCodeProposed=Customer or Vendor code already used, a new code is suggested -KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address +ExportCardToFormat=ייצא כרטיס לפורמט +ContactNotLinkedToCompany=איש קשר אינו מקושר לצד שלישי כלשהו +DolibarrLogin=התחברות של Dolibarr +NoDolibarrAccess=אין גישה ל-Dolibarr +ExportDataset_company_1=צדדים שלישיים (חברות/קרנות/אנשים פיזיים) ונכסיהם +ExportDataset_company_2=אנשי קשר ונכסיהם +ImportDataset_company_1=צדדים שלישיים ונכסיהם +ImportDataset_company_2=אנשי קשר/כתובות ומאפיינים נוספים של צדדים שלישיים +ImportDataset_company_3=חשבונות בנק של צדדים שלישיים +ImportDataset_company_4=נציגי מכירות של צד שלישי (הקצאת נציגי מכירות/משתמשים לחברות) +PriceLevel=רמת מחיר +PriceLevelLabels=תוויות רמת מחירים +DeliveryAddress=כתובת למשלוח +AddAddress=הוסף כתובת +SupplierCategory=קטגוריית ספקים +JuridicalStatus200=עצמאי +DeleteFile=מחק קובץ +ConfirmDeleteFile=האם אתה בטוח שברצונך למחוק את הקובץ הזה %s? +AllocateCommercial=מוקצה לנציג מכירות +Organization=אִרגוּן +FiscalYearInformation=שנת כספים +FiscalMonthStart=חודש תחילת שנת הכספים +SocialNetworksInformation=רשתות חברתיות +SocialNetworksFacebookURL=כתובת האתר של פייסבוק +SocialNetworksTwitterURL=כתובת האתר של טוויטר +SocialNetworksLinkedinURL=כתובת אתר לינקדאין +SocialNetworksInstagramURL=כתובת האתר של אינסטגרם +SocialNetworksYoutubeURL=כתובת האתר של YouTube +SocialNetworksGithubURL=כתובת אתר של Github +YouMustAssignUserMailFirst=עליך ליצור אימייל עבור משתמש זה לפני שתוכל להוסיף הודעת דוא"ל. +YouMustCreateContactFirst=כדי שתוכל להוסיף הודעות דוא"ל, תחילה עליך להגדיר אנשי קשר עם אימיילים חוקיים עבור הצד השלישי +ListSuppliersShort=רשימת ספקים +ListProspectsShort=רשימת לקוחות פוטנציאליים +ListCustomersShort=רשימת לקוחות +ThirdPartiesArea=צדדים שלישיים/אנשי קשר +LastModifiedThirdParties=צדדים שלישיים אחרונים %s ששונו +UniqueThirdParties=מספר כולל של צדדים שלישיים +InActivity=לִפְתוֹחַ +ActivityCeased=סָגוּר +ThirdPartyIsClosed=צד שלישי סגור +ProductsIntoElements=רשימת המוצרים/שירותים שמופו ל-%s +CurrentOutstandingBill=שטר חוב נוכחי +OutstandingBill=מקסימום עבור שטר חוב +OutstandingBillReached=מקסימום עבור שטר שטרם הגיע +OrderMinAmount=כמות מינימלית להזמנה +MonkeyNumRefModelDesc=החזר מספר בפורמט %syymm-nnnn עבור קוד הלקוח ו-%syymm-nnnn עבור קוד הספק כאשר yy הוא year, mm הוא חודש ו-nnnn הוא מספר הגדלה אוטומטית ברצף ללא הפסקה וללא חזרה ל-0. +LeopardNumRefModelDesc=הקוד בחינם. ניתן לשנות את הקוד הזה בכל עת. +ManagingDirectors=שם המנהלים (מנכ"ל, דירקטור, נשיא...) +MergeOriginThirdparty=שכפל צד שלישי (צד שלישי שברצונך למחוק) +MergeThirdparties=מיזוג צדדים שלישיים +ConfirmMergeThirdparties=האם אתה בטוח שברצונך למזג את הצד השלישי הנבחר עם הצד הנוכחי? כל האובייקטים המקושרים (חשבוניות, הזמנות,...) יועברו לצד השלישי הנוכחי, ולאחר מכן הצד השלישי הנבחר יימחק. +ThirdpartiesMergeSuccess=צדדים שלישיים מוזגו +SaleRepresentativeLogin=כניסה של נציג מכירות +SaleRepresentativeFirstname=שם פרטי של נציג המכירות +SaleRepresentativeLastname=שם משפחה של נציג המכירות +ErrorThirdpartiesMerge=אירעה שגיאה בעת מחיקת צדדים שלישיים. אנא בדוק את היומן. השינויים בוטלו. +NewCustomerSupplierCodeProposed=קוד לקוח או ספק כבר בשימוש, מוצע קוד חדש +KeepEmptyIfGenericAddress=השאר שדה זה ריק אם כתובת זו היא כתובת כללית #Imports -PaymentTypeCustomer=Payment Type - Customer -PaymentTermsCustomer=Payment Terms - Customer -PaymentTypeSupplier=Payment Type - Vendor -PaymentTermsSupplier=Payment Term - Vendor -PaymentTypeBoth=Payment Type - Customer and Vendor -MulticurrencyUsed=Use Multicurrency -MulticurrencyCurrency=Currency -InEEC=Europe (EEC) -RestOfEurope=Rest of Europe (EEC) -OutOfEurope=Out of Europe (EEC) -CurrentOutstandingBillLate=Current outstanding bill late -BecarefullChangeThirdpartyBeforeAddProductToInvoice=Be carefull, depending on your product price settings, you should change thirdparty before adding product to POS. +PaymentTypeCustomer=סוג תשלום - לקוח +PaymentTermsCustomer=תנאי תשלום - לקוח +PaymentTypeSupplier=סוג תשלום - ספק +PaymentTermsSupplier=תקופת תשלום - ספק +PaymentTypeBoth=סוג תשלום - לקוח וספק +MulticurrencyUsed=השתמש ב-Multicurrency +MulticurrencyCurrency=מַטְבֵּעַ +InEEC=אירופה (EEC) +RestOfEurope=שאר אירופה (EEC) +OutOfEurope=מחוץ לאירופה (EEC) +CurrentOutstandingBillLate=החיוב הנוכחי באיחור +BecarefullChangeThirdpartyBeforeAddProductToInvoice=היזהר, בהתאם להגדרות מחיר המוצר שלך, עליך לשנות את הצד השלישי לפני הוספת המוצר לקופה. +EmailAlreadyExistsPleaseRewriteYourCompanyName=האימייל כבר קיים, אנא כתוב מחדש את שם החברה שלך +TwoRecordsOfCompanyName=קיימת יותר מרשומה אחת עבור חברה זו, אנא צור איתנו קשר כדי להשלים את בקשת השותפות שלך +CompanySection=מדור חברה +ShowSocialNetworks=הצג רשתות חברתיות +HideSocialNetworks=הסתר רשתות חברתיות +ExternalSystemID=מזהה מערכת חיצונית +IDOfPaymentInAnExternalSystem=מזהה מצב התשלום למערכת חיצונית (כמו Stripe, Paypal, ...) +AADEWebserviceCredentials=אישורי AADE Webservice +ThirdPartyMustBeACustomerToCreateBANOnStripe=הצד השלישי חייב להיות לקוח כדי לאפשר את יצירת פרטי הבנק שלו בצד Stripe diff --git a/htdocs/langs/he_IL/compta.lang b/htdocs/langs/he_IL/compta.lang index 39e7813af18..4bf61d7fe0d 100644 --- a/htdocs/langs/he_IL/compta.lang +++ b/htdocs/langs/he_IL/compta.lang @@ -1,300 +1,315 @@ # Dolibarr language file - Source file is en_US - compta -MenuFinancial=Billing | Payment -TaxModuleSetupToModifyRules=Go to Taxes module setup to modify rules for calculation -TaxModuleSetupToModifyRulesLT=Go to Company setup to modify rules for calculation -OptionMode=Option for accountancy -OptionModeTrue=Option Incomes-Expenses -OptionModeVirtual=Option Claims-Debts -OptionModeTrueDesc=In this context, the turnover is calculated over payments (date of payments). The validity of the figures is assured only if the book-keeping is scrutinized through the input/output on the accounts via invoices. -OptionModeVirtualDesc=In this context, the turnover is calculated over invoices (date of validation). When these invoices are due, whether they have been paid or not, they are listed in the turnover output. -FeatureIsSupportedInInOutModeOnly=Feature only available in CREDITS-DEBTS accountancy mode (See Accountancy module configuration) -VATReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Tax module setup. -LTReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Company setup. +MenuFinancial=חיוב | תַשְׁלוּם +TaxModuleSetupToModifyRules=עבור אל הגדרת מודול מסים כדי לשנות כללים לחישוב +TaxModuleSetupToModifyRulesLT=עבור אל הגדרת חברה כדי לשנות כללים לחישוב +OptionMode=אפשרות להנהלת חשבונות +OptionModeTrue=אופציה הכנסות-הוצאות +OptionModeVirtual=אופציה תביעות-חובות +OptionModeTrueDesc=בהקשר זה, המחזור מחושב על פני תשלומים (מועד התשלומים). תקפותם של הנתונים מובטחת רק אם הנהלת החשבונות נבדקת באמצעות הקלט/פלט בחשבונות באמצעות חשבוניות. +OptionModeVirtualDesc=בהקשר זה, המחזור מחושב על פני חשבוניות (תאריך תוקף). כאשר חשבוניות אלו מגיעות לפירעון, בין אם שולמו ובין אם לאו, הן רשומות בתפוקת המחזור. +FeatureIsSupportedInInOutModeOnly=תכונה זמינה רק במצב חשבונאות CREDITS-DEBTS (ראה תצורת מודול חשבונאות) +VATReportBuildWithOptionDefinedInModule=הסכומים המוצגים כאן מחושבים באמצעות כללים המוגדרים על ידי הגדרת מודול מס. +LTReportBuildWithOptionDefinedInModule=הסכומים המוצגים כאן מחושבים לפי כללים שהוגדרו על ידי הגדרת החברה. Param=הגדרת -RemainingAmountPayment=Amount payment remaining: +RemainingAmountPayment=סכום התשלום שנותר: Account=Account -Accountparent=Parent account -Accountsparent=Parent accounts -Income=Income -Outcome=Expense -MenuReportInOut=Income / Expense -ReportInOut=Balance of income and expenses -ReportTurnover=Turnover invoiced -ReportTurnoverCollected=Turnover collected -PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party -PaymentsNotLinkedToUser=Payments not linked to any user -Profit=Profit -AccountingResult=Accounting result -BalanceBefore=Balance (before) -Balance=Balance -Debit=Debit -Credit=Credit -Piece=Accounting Doc. -AmountHTVATRealReceived=Net collected -AmountHTVATRealPaid=Net paid -VATToPay=Tax sales -VATReceived=Tax received -VATToCollect=Tax purchases -VATSummary=Tax monthly -VATBalance=Tax Balance -VATPaid=Tax paid -LT1Summary=Tax 2 summary -LT2Summary=Tax 3 summary -LT1SummaryES=RE Balance -LT2SummaryES=IRPF Balance -LT1SummaryIN=CGST Balance -LT2SummaryIN=SGST Balance -LT1Paid=Tax 2 paid -LT2Paid=Tax 3 paid -LT1PaidES=RE Paid -LT2PaidES=IRPF Paid -LT1PaidIN=CGST Paid -LT2PaidIN=SGST Paid -LT1Customer=Tax 2 sales -LT1Supplier=Tax 2 purchases -LT1CustomerES=RE sales -LT1SupplierES=RE purchases -LT1CustomerIN=CGST sales -LT1SupplierIN=CGST purchases -LT2Customer=Tax 3 sales -LT2Supplier=Tax 3 purchases -LT2CustomerES=IRPF sales -LT2SupplierES=IRPF purchases -LT2CustomerIN=SGST sales -LT2SupplierIN=SGST purchases -VATCollected=VAT collected -StatusToPay=To pay -SpecialExpensesArea=Area for all special payments -VATExpensesArea=Area for all TVA payments -SocialContribution=Social or fiscal tax -SocialContributions=Social or fiscal taxes -SocialContributionsDeductibles=Deductible social or fiscal taxes -SocialContributionsNondeductibles=Nondeductible social or fiscal taxes -DateOfSocialContribution=Date of social or fiscal tax -LabelContrib=Label contribution -TypeContrib=Type contribution -MenuSpecialExpenses=Special expenses -MenuTaxAndDividends=Taxes and dividends -MenuSocialContributions=Social/fiscal taxes -MenuNewSocialContribution=New social/fiscal tax -NewSocialContribution=New social/fiscal tax -AddSocialContribution=Add social/fiscal tax -ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Billing and payment area -NewPayment=New payment -PaymentCustomerInvoice=Customer invoice payment -PaymentSupplierInvoice=vendor invoice payment -PaymentSocialContribution=Social/fiscal tax payment -PaymentVat=VAT payment -AutomaticCreationPayment=Automatically record the payment -ListPayment=List of payments -ListOfCustomerPayments=List of customer payments -ListOfSupplierPayments=List of vendor payments -DateStartPeriod=Date start period -DateEndPeriod=Date end period -newLT1Payment=New tax 2 payment -newLT2Payment=New tax 3 payment -LT1Payment=Tax 2 payment -LT1Payments=Tax 2 payments -LT2Payment=Tax 3 payment -LT2Payments=Tax 3 payments -newLT1PaymentES=New RE payment -newLT2PaymentES=New IRPF payment -LT1PaymentES=RE Payment -LT1PaymentsES=RE Payments -LT2PaymentES=IRPF Payment -LT2PaymentsES=IRPF Payments -VATPayment=Sales tax payment -VATPayments=Sales tax payments -VATDeclarations=VAT declarations -VATDeclaration=VAT declaration -VATRefund=Sales tax refund -NewVATPayment=New sales tax payment -NewLocalTaxPayment=New tax %s payment -Refund=Refund -SocialContributionsPayments=Social/fiscal taxes payments -ShowVatPayment=Show VAT payment -TotalToPay=Total to pay -BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters) -CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=Vendor accounting code -CustomerAccountancyCodeShort=Cust. account. code -SupplierAccountancyCodeShort=Sup. account. code -AccountNumber=Account number -NewAccountingAccount=New account -Turnover=Turnover invoiced -TurnoverCollected=Turnover collected -SalesTurnoverMinimum=Minimum turnover -ByExpenseIncome=By expenses & incomes -ByThirdParties=By third parties -ByUserAuthorOfInvoice=By invoice author -CheckReceipt=Check deposit -CheckReceiptShort=Check deposit -LastCheckReceiptShort=Latest %s check receipts -NewCheckReceipt=New discount -NewCheckDeposit=New check deposit -NewCheckDepositOn=Create receipt for deposit on account: %s -NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check receiving date -NbOfCheques=No. of checks -PaySocialContribution=Pay a social/fiscal tax -PayVAT=Pay a VAT declaration -PaySalary=Pay a salary card -ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid ? -ConfirmPayVAT=Are you sure you want to classify this VAT declaration as paid ? -ConfirmPaySalary=Are you sure you want to classify this salary card as paid? -DeleteSocialContribution=Delete a social or fiscal tax payment -DeleteVAT=Delete a VAT declaration -DeleteSalary=Delete a salary card -ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment ? -ConfirmDeleteVAT=Are you sure you want to delete this VAT declaration ? -ConfirmDeleteSalary=Are you sure you want to delete this salary? -ExportDataset_tax_1=Social and fiscal taxes and payments -CalcModeVATDebt=Mode %sVAT on commitment accounting%s. -CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s. -CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger. -CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger. -CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table. -CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s -CalcModeLT1Debt=Mode %sRE on customer invoices%s -CalcModeLT1Rec= Mode %sRE on suppliers invoices%s -CalcModeLT2= Mode %sIRPF on customer invoices - suppliers invoices%s -CalcModeLT2Debt=Mode %sIRPF on customer invoices%s -CalcModeLT2Rec= Mode %sIRPF on suppliers invoices%s -AnnualSummaryDueDebtMode=Balance of income and expenses, annual summary -AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary -AnnualByCompanies=Balance of income and expenses, by predefined groups of account -AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting. -AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting. -SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger -SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger -SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table -RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included -RulesAmountWithTaxExcluded=- Amounts of invoices shown are with all taxes excluded -RulesResultDue=- It includes all invoices, expenses, VAT, donations, salaries, whether they are paid or not.
      - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries, the date of end of period is used. -RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries.
      - It is based on the payment dates of the invoices, expenses, VAT, donations and salaries. -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
      - It is based on the billing date of these invoices.
      -RulesCAIn=- It includes all the effective payments of invoices received from customers.
      - It is based on the payment date of these invoices
      -RulesCATotalSaleJournal=It includes all credit lines from the Sale journal. -RulesSalesTurnoverOfIncomeAccounts=It includes (credit - debit) of lines for product accounts in group INCOME -RulesAmountOnInOutBookkeepingRecord=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" -RulesResultBookkeepingPredefined=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" -RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting accounts grouped by personalized groups -SeePageForSetup=See menu %s for setup -DepositsAreNotIncluded=- Down payment invoices are not included -DepositsAreIncluded=- Down payment invoices are included -LT1ReportByMonth=Tax 2 report by month -LT2ReportByMonth=Tax 3 report by month -LT1ReportByCustomers=Report tax 2 by third party -LT2ReportByCustomers=Report tax 3 by third party -LT1ReportByCustomersES=Report by third party RE -LT2ReportByCustomersES=Report by third party IRPF -VATReport=Sales tax report -VATReportByPeriods=Sales tax report by period -VATReportByMonth=Sales tax report by month -VATReportByRates=Sales tax report by rate -VATReportByThirdParties=Sales tax report by third party -VATReportByCustomers=Sales tax report by customer -VATReportByCustomersInInputOutputMode=Report by the customer VAT collected and paid -VATReportByQuartersInInputOutputMode=Report by Sales tax rate of the tax collected and paid -VATReportShowByRateDetails=Show details of this rate -LT1ReportByQuarters=Report tax 2 by rate -LT2ReportByQuarters=Report tax 3 by rate -LT1ReportByQuartersES=Report by RE rate -LT2ReportByQuartersES=Report by IRPF rate -SeeVATReportInInputOutputMode=See report %sVAT collection%s for a standard calculation -SeeVATReportInDueDebtMode=See report %sVAT on debit%s for a calculation with an option on the invoicing -RulesVATInServices=- For services, the report includes the VAT of payments actually received or paid on the basis of the date of payment. -RulesVATInProducts=- For material assets, the report includes the VAT on the basis of the date of payment. -RulesVATDueServices=- For services, the report includes VAT of due invoices, paid or not, based on the invoice date. -RulesVATDueProducts=- For material assets, the report includes the VAT of due invoices, based on the invoice date. -OptionVatInfoModuleComptabilite=Note: For material assets, it should use the date of delivery to be more fair. -ThisIsAnEstimatedValue=This is a preview, based on business events and not from the final ledger table, so final results may differ from this preview values -PercentOfInvoice=%%/invoice -NotUsedForGoods=Not used on goods -ProposalStats=Statistics on proposals -OrderStats=Statistics on orders -InvoiceStats=Statistics on bills -Dispatch=Dispatching -Dispatched=Dispatched -ToDispatch=To dispatch -ThirdPartyMustBeEditAsCustomer=Third party must be defined as a customer -SellsJournal=Sales Journal -PurchasesJournal=Purchases Journal -DescSellsJournal=Sales Journal -DescPurchasesJournal=Purchases Journal -CodeNotDef=Not defined -WarningDepositsNotIncluded=Down payment invoices are not included in this version with this accountancy module. -DatePaymentTermCantBeLowerThanObjectDate=Payment term date can't be lower than object date. -Pcg_version=Chart of accounts models -Pcg_type=Pcg type -Pcg_subtype=Pcg subtype -InvoiceLinesToDispatch=Invoice lines to dispatch -ByProductsAndServices=By product and service -RefExt=External ref -ToCreateAPredefinedInvoice=To create a template invoice, create a standard invoice, then, without validating it, click on button "%s". -LinkedOrder=Link to order -Mode1=Method 1 -Mode2=Method 2 -CalculationRuleDesc=To calculate total VAT, there is two methods:
      Method 1 is rounding vat on each line, then summing them.
      Method 2 is summing all vat on each line, then rounding result.
      Final result may differs from few cents. Default mode is mode %s. -CalculationRuleDescSupplier=According to vendor, choose appropriate method to apply same calculation rule and get same result expected by your vendor. -TurnoverPerProductInCommitmentAccountingNotRelevant=The report of Turnover collected per product is not available. This report is only available for turnover invoiced. -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The report of Turnover collected per sale tax rate is not available. This report is only available for turnover invoiced. -CalculationMode=Calculation mode -AccountancyJournal=Accounting code journal -ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_BUY_ACCOUNT=Accounting account by default for VAT on purchases (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_PAY_ACCOUNT=Accounting account by default for paying VAT -ACCOUNTING_ACCOUNT_CUSTOMER=Accounting account used for customer third parties -ACCOUNTING_ACCOUNT_CUSTOMER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated customer accounting account on third party is not defined. -ACCOUNTING_ACCOUNT_SUPPLIER=Accounting account used for vendor third parties -ACCOUNTING_ACCOUNT_SUPPLIER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated vendor accounting account on third party is not defined. -ConfirmCloneTax=Confirm the clone of a social/fiscal tax -ConfirmCloneVAT=Confirm the clone of a VAT declaration -ConfirmCloneSalary=Confirm the clone of a salary -CloneTaxForNextMonth=Clone it for next month -SimpleReport=Simple report -AddExtraReport=Extra reports (add foreign and national customer report) -OtherCountriesCustomersReport=Foreign customers report -BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=Based on the two first letters of the VAT number being different from your own company's country code -SameCountryCustomersWithVAT=National customers report -BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Based on the two first letters of the VAT number being the same as your own company's country code -LinkedFichinter=Link to an intervention -ImportDataset_tax_contrib=Social/fiscal taxes -ImportDataset_tax_vat=Vat payments -ErrorBankAccountNotFound=Error: Bank account not found -FiscalPeriod=Accounting period -ListSocialContributionAssociatedProject=List of social contributions associated with the project -DeleteFromCat=Remove from accounting group -AccountingAffectation=Accounting assignment -LastDayTaxIsRelatedTo=Last day of period the tax is related to -VATDue=Sale tax claimed -ClaimedForThisPeriod=Claimed for the period -PaidDuringThisPeriod=Paid for this period -PaidDuringThisPeriodDesc=This is the sum of all payments linked to VAT declarations which have an end-of-period date in the selected date range -ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover invoiced by sale tax rate -TurnoverCollectedbyVatrate=Turnover collected by sale tax rate -PurchasebyVatrate=Purchase by sale tax rate -LabelToShow=Short label -PurchaseTurnover=Purchase turnover -PurchaseTurnoverCollected=Purchase turnover collected -RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
      - It is based on the invoice date of these invoices.
      -RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers.
      - It is based on the payment date of these invoices
      -RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal. -RulesPurchaseTurnoverOfExpenseAccounts=It includes (debit - credit) of lines for product accounts in group EXPENSE -ReportPurchaseTurnover=Purchase turnover invoiced -ReportPurchaseTurnoverCollected=Purchase turnover collected -IncludeVarpaysInResults = Include various payments in reports -IncludeLoansInResults = Include loans in reports -InvoiceLate30Days = Invoices late (> 30 days) -InvoiceLate15Days = Invoices late (15 to 30 days) -InvoiceLateMinus15Days = Invoices late (< 15 days) -InvoiceNotLate = To be collected (< 15 days) -InvoiceNotLate15Days = To be collected (15 to 30 days) -InvoiceNotLate30Days = To be collected (> 30 days) -InvoiceToPay=To pay (< 15 days) -InvoiceToPay15Days=To pay (15 to 30 days) -InvoiceToPay30Days=To pay (> 30 days) -ConfirmPreselectAccount=Preselect accountancy code -ConfirmPreselectAccountQuestion=Are you sure you want to preselect the %s selected lines with this accountancy code ? +Accountparent=חשבון הורה +Accountsparent=חשבונות הורים +Income=הַכנָסָה +Outcome=הוֹצָאָה +MenuReportInOut=הכנסה / הוצאה +ReportInOut=מאזן הכנסות והוצאות +ReportTurnover=מחזור חשבונית +ReportTurnoverCollected=מחזור שנאסף +PaymentsNotLinkedToInvoice=תשלומים שאינם מקושרים לחשבונית כלשהי, ולכן אינם מקושרים לצד שלישי כלשהו +PaymentsNotLinkedToUser=תשלומים שאינם מקושרים לאף משתמש +Profit=רווח +AccountingResult=תוצאה חשבונאית +BalanceBefore=איזון (לפני) +Balance=איזון +Debit=חוֹבָה +Credit=אַשׁרַאי +AccountingDebit=חוֹבָה +AccountingCredit=אַשׁרַאי +Piece=דוקטור חשבונאות. +AmountHTVATRealReceived=נאסף נטו +AmountHTVATRealPaid=תשלום נטו +VATToPay=מכירת מס +VATReceived=מס שהתקבל +VATToCollect=רכישות מס +VATSummary=מס מדי חודש +VATBalance=יתרת מס +VATPaid=מס ששולם +LT1Summary=סיכום מס 2 +LT2Summary=סיכום מס 3 +LT1SummaryES=מאזן RE +LT2SummaryES=איזון IRPF +LT1SummaryIN=יתרת CGST +LT2SummaryIN=מאזן SGST +LT1Paid=מס 2 שולם +LT2Paid=מס 3 שולם +LT1PaidES=RE בתשלום +LT2PaidES=IRPF בתשלום +LT1PaidIN=CGST בתשלום +LT2PaidIN=SGST בתשלום +LT1Customer=מכירות מס 2 +LT1Supplier=מס 2 רכישות +LT1CustomerES=מכירות RE +LT1SupplierES=רכישות RE +LT1CustomerIN=מכירות CGST +LT1SupplierIN=רכישות CGST +LT2Customer=מס 3 מכירות +LT2Supplier=מס 3 רכישות +LT2CustomerES=מכירות IRPF +LT2SupplierES=רכישות IRPF +LT2CustomerIN=מכירות SGST +LT2SupplierIN=רכישות SGST +VATCollected=מע"מ נגבה +StatusToPay=לשלם +SpecialExpensesArea=אזור לכל התשלומים המיוחדים +VATExpensesArea=אזור לכל תשלומי TVA +SocialContribution=מס חברתי או מיסוי +SocialContributions=מסים חברתיים או פיסקליים +SocialContributionsDeductibles=מסים סוציאליים או פיסקליים בניכוי +SocialContributionsNondeductibles=מסים חברתיים או פיסקליים שאינם ניתנים לניכוי +DateOfSocialContribution=תאריך מס חברתי או מיסוי +LabelContrib=תרומת תווית +TypeContrib=סוג תרומה +MenuSpecialExpenses=הוצאות מיוחדות +MenuTaxAndDividends=מיסים ודיבידנדים +MenuSocialContributions=מסים חברתיים/פיסקליים +MenuNewSocialContribution=מס חברתי/פיסקלי חדש +NewSocialContribution=מס חברתי/פיסקלי חדש +AddSocialContribution=הוסף מס חברתי/מיסוי +ContributionsToPay=מסים חברתיים/פיסקליים לתשלום +AccountancyTreasuryArea=תחום הנהלת חשבונות +InvoicesArea=אזור חיוב ותשלום +NewPayment=תשלום חדש +PaymentCustomerInvoice=תשלום חשבונית לקוח +PaymentSupplierInvoice=תשלום חשבונית ספק +PaymentSocialContribution=תשלום מס חברתי/מיסוי +PaymentVat=תשלום מע"מ +AutomaticCreationPayment=רשום אוטומטית את התשלום +ListPayment=רשימת תשלומים +ListOfCustomerPayments=רשימת תשלומי לקוחות +ListOfSupplierPayments=רשימת תשלומי ספקים +DateStartPeriod=תקופת תחילת תאריך +DateEndPeriod=תקופת סיום תאריך +newLT1Payment=תשלום מס 2 חדש +newLT2Payment=תשלום מס 3 חדש +LT1Payment=תשלום מס 2 +LT1Payments=מס 2 תשלומים +LT2Payment=תשלום מס 3 +LT2Payments=מס 3 תשלומים +newLT1PaymentES=תשלום RE חדש +newLT2PaymentES=תשלום IRPF חדש +LT1PaymentES=תשלום RE +LT1PaymentsES=RE תשלומים +LT2PaymentES=תשלום IRPF +LT2PaymentsES=תשלומים IRPF +VATPayment=תשלום מס רכישה +VATPayments=תשלומי מס מכירה +VATDeclarations=הצהרות מע"מ +VATDeclaration=הצהרת מע"מ +VATRefund=החזר מס מכירה +NewVATPayment=תשלום מס מכירה חדש +NewLocalTaxPayment=תשלום מס חדש %s +Refund=הֶחזֵר +SocialContributionsPayments=תשלומי מסים חברתיים/פיסקליים +ShowVatPayment=הצג תשלום מע"מ +TotalToPay=סך הכל לשלם +BalanceVisibilityDependsOnSortAndFilters=היתרה גלויה ברשימה זו רק אם הטבלה ממוינת ב-%s ומסוננת בחשבון בנק אחד (ללא מסננים אחרים) +CustomerAccountancyCode=קוד הנהלת חשבונות ללקוח +SupplierAccountancyCode=קוד חשבונאות ספק +CustomerAccountancyCodeShort=Cust. חֶשְׁבּוֹן. קוד +SupplierAccountancyCodeShort=מה ניש. חֶשְׁבּוֹן. קוד +AccountNumber=מספר חשבון +NewAccountingAccount=חשבון חדש +Turnover=מחזור חשבונית +TurnoverCollected=מחזור שנאסף +SalesTurnoverMinimum=מינימום מחזור +ByExpenseIncome=לפי הוצאות והכנסות +ByThirdParties=על ידי צדדים שלישיים +ByUserAuthorOfInvoice=לפי מחבר החשבונית +CheckReceipt=שובר הפקדה +CheckReceiptShort=שובר הפקדה +LastCheckReceiptShort=תלושי ההפקדה האחרונים של %s +LastPaymentForDepositShort=תלושי ההפקדה האחרונים %s %s +NewCheckReceipt=הנחה חדשה +NewCheckDeposit=תלוש פיקדון חדש +NewCheckDepositOn=צור קבלה עבור הפקדה בחשבון: %s +NoWaitingChecks=אין צ'קים ממתינים להפקדה. +NoWaitingPaymentForDeposit=אין תשלום %s ממתין להפקדה. +DateChequeReceived=בדוק את תאריך הקבלה +DatePaymentReceived=תאריך קבלת המסמכים +NbOfCheques=מספר צ'קים +PaySocialContribution=לשלם מס חברתי/מיסוי +PayVAT=שלם הצהרת מע"מ +PaySalary=לשלם כרטיס משכורת +ConfirmPaySocialContribution=האם אתה בטוח שברצונך לסווג מס חברתי או מיסוי זה כשולם? +ConfirmPayVAT=האם אתה בטוח שברצונך לסווג הצהרת מע"מ זו כשולם? +ConfirmPaySalary=האם אתה בטוח שברצונך לסווג את כרטיס השכר הזה כשולם? +DeleteSocialContribution=מחק תשלום מס חברתי או מיסוי +DeleteVAT=מחיקת הצהרת מע"מ +DeleteSalary=מחק כרטיס שכר +DeleteVariousPayment=מחק תשלום שונה +ConfirmDeleteSocialContribution=האם אתה בטוח שברצונך למחוק תשלום מס חברתי/מיסוי זה? +ConfirmDeleteVAT=האם אתה בטוח שברצונך למחוק את הצהרת המע"מ הזו? +ConfirmDeleteSalary=האם אתה בטוח שברצונך למחוק משכורת זו? +ConfirmDeleteVariousPayment=האם אתה בטוח שברצונך למחוק את התשלום השונה הזה? +ExportDataset_tax_1=מסים ותשלומים חברתיים ופיסקליים +CalcModeVATDebt=מצב %sמע"מ על חשבונאות התחייבות%s. +CalcModeVATEngagement=מצב %sמע"מ על הכנסות-הוצאות%s. +CalcModeDebt=ניתוח מסמכים רשומים ידועים +CalcModeEngagement=ניתוח תשלומים רשומים ידועים +CalcModePayment=ניתוח תשלומים רשומים ידועים +CalcModeBookkeeping=ניתוח נתונים מתועדים בטבלת הנהלת חשבונות. +CalcModeNoBookKeeping=גם אם הם עדיין לא מטופלים בלדג'ר +CalcModeLT1= מצב %sRE בחשבוניות לקוחות - חשבוניות ספקים%s
      +CalcModeLT1Debt=מצב %sRE בחשבוניות לקוחות%s +CalcModeLT1Rec= מצב %sRE בחשבוניות ספקים%s +CalcModeLT2= מצב %sIRPF בחשבוניות לקוחות - חשבוניות ספקים%s
      +CalcModeLT2Debt=מצב %sIRPF בחשבוניות לקוחות%s +CalcModeLT2Rec= מצב %sIRPF על חשבוניות ספקים%s
      +AnnualSummaryDueDebtMode=מאזן הכנסות והוצאות, סיכום שנתי +AnnualSummaryInputOutputMode=מאזן הכנסות והוצאות, סיכום שנתי +AnnualByCompanies=יתרת הכנסות והוצאות לפי קבוצות חשבונות מוגדרות מראש +AnnualByCompaniesDueDebtMode=מאזן הכנסות והוצאות, פירוט לפי קבוצות מוגדרות מראש, מצב %sתביעות-חובותb0ecb2ecz07 אמר חשבונאות מחויבות. +AnnualByCompaniesInputOutputMode=מאזן הכנסות והוצאות, פירוט לפי קבוצות מוגדרות מראש, מצב %sהכנסות-הוצאותb0ecb2ec8499 אמר חשבונאות מזומנים. +SeeReportInInputOutputMode=ראה %sניתוח של תשלומים%s לחישוב המבוסס על תשלומים רשומים שבוצעו גם אם הם עדיין לא בחשבון +SeeReportInDueDebtMode=ראה %sניתוח של מסמכים מוקלטים%s לחישוב המבוסס על מסמכים רשומים ידועים, גם אם הם עדיין לא בחשבונות Ledger +SeeReportInBookkeepingMode=ראה %sניתוח של טבלת הנהלת חשבונות%s עבור דוח המבוסס על טבלת פנקסי חשבונות +RulesAmountWithTaxIncluded=- הסכומים המוצגים הם עם כל המסים כלולים +RulesAmountWithTaxExcluded=- סכומי החשבוניות המוצגים הם ללא כל המסים +RulesResultDue=- זה כולל את כל החשבוניות, ההוצאות, מע"מ, תרומות, משכורות, בין אם הם שולמו ובין אם לא.
      - זה מבוסס על תאריך החיוב של החשבוניות ועל תאריך הפירעון עבור הוצאות או תשלומי מס. עבור משכורות, נעשה שימוש בתאריך סיום התקופה. +RulesResultInOut=- הוא כולל את התשלומים האמיתיים שבוצעו על חשבוניות, הוצאות, מע"מ ומשכורות.
      - זה מבוסס על תאריכי התשלום של החשבוניות, ההוצאות, המע"מ, התרומות והמשכורות. +RulesCADue=- הוא כולל את החשבוניות המגיעות ללקוח בין אם הן שולמו ובין אם לאו.
      - זה מבוסס על תאריך החיוב של חשבוניות אלו.
      +RulesCAIn=- הוא כולל את כל התשלומים האפקטיביים של חשבוניות שהתקבלו מלקוחות.
      - הוא מבוסס על תאריך התשלום של חשבוניות אלו
      +RulesCATotalSaleJournal=הוא כולל את כל קווי האשראי מיומן המכירה. +RulesSalesTurnoverOfIncomeAccounts=הוא כולל (זיכוי - חיוב) של שורות עבור חשבונות מוצר בהכנסה הקבוצה +RulesAmountOnInOutBookkeepingRecord=זה כולל רישום בפנקס החשבונות שלך עם חשבונות חשבונאיים שיש להם את הקבוצה "הוצאות" או "הכנסה" +RulesResultBookkeepingPredefined=זה כולל רישום בפנקס החשבונות שלך עם חשבונות חשבונאיים שיש להם את הקבוצה "הוצאות" או "הכנסה" +RulesResultBookkeepingPersonalized=זה מראה תיעוד בפנקס החשבונות שלך עם חשבונות הנהלת חשבונות מקובצים לפי קבוצות מותאמות אישית +SeePageForSetup=עיין בתפריט %s להגדרה +DepositsAreNotIncluded=- חשבוניות מקדמה אינן כלולות +DepositsAreIncluded=- כלולות חשבוניות מקדמה +LT1ReportByMonth=דוח מס 2 לפי חודש +LT2ReportByMonth=דוח מס 3 לפי חודש +LT1ReportByCustomers=דיווח מס 2 על ידי צד שלישי +LT2ReportByCustomers=דיווח מס 3 על ידי צד שלישי +LT1ReportByCustomersES=דיווח על ידי צד שלישי RE +LT2ReportByCustomersES=דיווח של IRPF של צד שלישי +VATReport=דוח מס מכירה +VATReportByPeriods=דוח מס מכירה לפי תקופה +VATReportByMonth=דוח מס מכירה לפי חודש +VATReportByRates=דוח מס מכירה לפי שיעור +VATReportByThirdParties=דוח מס מכירה על ידי צד שלישי +VATReportByCustomers=דוח מס מכירה לפי לקוח +VATReportByCustomersInInputOutputMode=דיווח של הלקוח מע"מ שנגבה ושולם +VATReportByQuartersInInputOutputMode=דיווח לפי שיעור מס מכירה של המס שנגבה ושולם +VATReportShowByRateDetails=הצג פרטים על תעריף זה +LT1ReportByQuarters=דיווח מס 2 לפי שיעור +LT2ReportByQuarters=דיווח מס 3 לפי שיעור +LT1ReportByQuartersES=דיווח לפי שיעור RE +LT2ReportByQuartersES=דיווח לפי שיעור IRPF +SeeVATReportInInputOutputMode=ראה דוח %sגביית מע"מ%s לחישוב סטנדרטי +SeeVATReportInDueDebtMode=ראה דוח %sמע"מ על חיוב%s לחישוב עם אפשרות בחשבונית +RulesVATInServices=- עבור שירותים, הדוח כולל מע"מ של תשלומים שהתקבלו או ששולמו בפועל על בסיס מועד התשלום. +RulesVATInProducts=- לגבי נכסים מהותיים הדוח כולל את המע"מ על בסיס מועד התשלום. +RulesVATDueServices=- עבור שירותים, הדוח כולל מע"מ של חשבוניות לפירעון, ששולמו או לא, בהתבסס על תאריך החשבונית. +RulesVATDueProducts=- לגבי נכסים מהותיים, הדוח כולל מע"מ של חשבוניות לפירעון, בהתבסס על תאריך החשבונית. +OptionVatInfoModuleComptabilite=הערה: עבור נכסים מהותיים, יש להשתמש בתאריך המסירה כדי להיות הוגן יותר. +ThisIsAnEstimatedValue=זוהי תצוגה מקדימה, המבוססת על אירועים עסקיים ולא מטבלת ספר החשבונות הסופית, כך שהתוצאות הסופיות עשויות להיות שונות מערכי התצוגה המקדימה הזו +PercentOfInvoice=%%/חשבונית +NotUsedForGoods=לא בשימוש על סחורה +ProposalStats=סטטיסטיקה על הצעות +OrderStats=סטטיסטיקה על הזמנות +InvoiceStats=סטטיסטיקה על שטרות +Dispatch=שִׁגוּר +Dispatched=נשלח +ToDispatch=לשגר +ThirdPartyMustBeEditAsCustomer=יש להגדיר צד שלישי כלקוח +SellsJournal=יומן מכירות +PurchasesJournal=יומן רכישות +DescSellsJournal=יומן מכירות +DescPurchasesJournal=יומן רכישות +CodeNotDef=לא מוגדר +WarningDepositsNotIncluded=חשבוניות מקדמה אינן כלולות בגרסה זו עם מודול הנהלת חשבונות זה. +DatePaymentTermCantBeLowerThanObjectDate=תאריך תקופת התשלום לא יכול להיות נמוך מתאריך האובייקט. +Pcg_version=מודלים של תרשים חשבונות +Pcg_type=סוג Pcg +Pcg_subtype=תת-סוג Pcg +InvoiceLinesToDispatch=שורות חשבונית למשלוח +ByProductsAndServices=לפי מוצר ושירות +RefExt=נ"צ חיצוני +ToCreateAPredefinedInvoice=כדי ליצור חשבונית תבנית, צור חשבונית רגילה ולאחר מכן, מבלי לאמת אותה, לחץ על הכפתור "%s". +LinkedOrder=קישור להזמנה +Mode1=שיטה 1 +Mode2=שיטה 2 +CalculationRuleDesc=לחישוב המע"מ הכולל, קיימות שתי שיטות:
      שיטה 1 היא עיגול המע"מ בכל שורה, ולאחר מכן סיכום אותם.
      שיטה 2 הוא סיכום כל המע"מ בכל שורה, ולאחר מכן עיגול התוצאה.
      התוצאה הסופית עשויה להיות שונה מכמה סנטים. מצב ברירת המחדל הוא מצב %s. +CalculationRuleDescSupplier=לפי הספק, בחר שיטה מתאימה כדי ליישם את אותו כלל חישוב ולקבל את אותה תוצאה המצופה מהספק שלך. +TurnoverPerProductInCommitmentAccountingNotRelevant=דוח המחזור שנאסף למוצר אינו זמין. דוח זה זמין רק עבור חשבונית מחזור. +TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=הדוח של מחזור שנגבה לפי שיעור מס מכירה אינו זמין. דוח זה זמין רק עבור חשבונית מחזור. +CalculationMode=מצב חישוב +AccountancyJournal=יומן קוד חשבונאות +ACCOUNTING_VAT_SOLD_ACCOUNT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל למע"מ על מכירות (משמש אם לא הוגדר בהגדרת מילון מע"מ) +ACCOUNTING_VAT_BUY_ACCOUNT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל למע"מ על רכישות (משמש אם לא הוגדר בהגדרת מילון מע"מ) +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=חשבון (מתרשים החשבונות) שישמש עבור חותמת ההכנסה על מכירות +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=חשבון (מתרשים החשבונות) שישמש עבור חותמת ההכנסה על רכישות +ACCOUNTING_VAT_PAY_ACCOUNT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל לתשלום מע"מ +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל למע"מ על רכישות עבור חיובים הפוכים (אשראי) +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=חשבון (מתרשים החשבונות) שישמש כחשבון ברירת המחדל למע"מ על רכישות עבור חיובים הפוכים (חיוב) +ACCOUNTING_ACCOUNT_CUSTOMER=חשבון (מתרשים החשבונות) המשמש עבור צדדים שלישיים "לקוח". +ACCOUNTING_ACCOUNT_CUSTOMER_Desc=חשבון הנהלת החשבונות הייעודי המוגדר בכרטיס צד שלישי ישמש לחשבונאות משנה בלבד. זה ישמש עבור חשבונות חשבונות כלליים וכערך ברירת המחדל של חשבונאות משנה אם לא הוגדר חשבון ייעודי לחשבונאות לקוחות על צד שלישי. +ACCOUNTING_ACCOUNT_SUPPLIER=חשבון (מתרשים החשבונות) המשמש עבור צדדים שלישיים של "הספק". +ACCOUNTING_ACCOUNT_SUPPLIER_Desc=חשבון הנהלת החשבונות הייעודי המוגדר בכרטיס צד שלישי ישמש לחשבונאות משנה בלבד. זה ישמש עבור פנקס כללי וכערך ברירת מחדל של חשבונאות משנה אם לא הוגדר חשבון ספק ייעודי לחשבונאות על צד שלישי. +ConfirmCloneTax=אשר את השיבוט של מס חברתי/פיסקלי +ConfirmCloneVAT=אשר את שכפול הצהרת מע"מ +ConfirmCloneSalary=אשר את שכפול משכורת +CloneTaxForNextMonth=שכפל אותו לחודש הבא +SimpleReport=דוח פשוט +AddExtraReport=דוחות נוספים (הוסף דו"ח לקוחות זרים ולאומיים) +OtherCountriesCustomersReport=לקוחות זרים מדווחים +BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=בהתבסס על כך ששתי האותיות הראשונות של מספר המע"מ שונות מקוד המדינה של החברה שלך +SameCountryCustomersWithVAT=לקוחות לאומיים מדווחים +BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=מבוסס על ששתי האותיות הראשונות של מספר המע"מ זהות לקוד המדינה של החברה שלך +LinkedFichinter=קישור להתערבות +ImportDataset_tax_contrib=מסים חברתיים/פיסקליים +ImportDataset_tax_vat=תשלומי מע"מ +ErrorBankAccountNotFound=שגיאה: חשבון הבנק לא נמצא +FiscalPeriod=תקופת חשבונאות +ListSocialContributionAssociatedProject=רשימת תרומות חברתיות הקשורות לפרויקט +DeleteFromCat=הסר מקבוצת הנהלת החשבונות +AccountingAffectation=מטלת הנהלת חשבונות +LastDayTaxIsRelatedTo=היום האחרון של התקופה שהמס קשור אליו +VATDue=נתבע מס מכירה +ClaimedForThisPeriod=נתבע עבור התקופה +PaidDuringThisPeriod=בתשלום עבור תקופה זו +PaidDuringThisPeriodDesc=זהו הסכום של כל התשלומים המקושרים להצהרות מע"מ שיש להם תאריך סוף תקופה בטווח התאריכים שנבחר +ByVatRate=לפי שיעור מס מכירה +TurnoverbyVatrate=מחזור חשבונית לפי שיעור מס מכירה +TurnoverCollectedbyVatrate=מחזור שנגבה לפי שיעור מס מכירה +PurchasebyVatrate=רכישה לפי שיעור מס מכירה +LabelToShow=תווית קצרה +PurchaseTurnover=מחזור רכישה +PurchaseTurnoverCollected=מחזור רכישות שנאסף +RulesPurchaseTurnoverDue=- הוא כולל את חשבוניות הספק בין אם שולמו ובין אם לאו.
      - זה מבוסס על תאריך החשבונית של חשבוניות אלו.
      +RulesPurchaseTurnoverIn=- הוא כולל את כל התשלומים האפקטיביים של חשבוניות שבוצעו לספקים.
      - הוא מבוסס על תאריך התשלום של חשבוניות אלו
      +RulesPurchaseTurnoverTotalPurchaseJournal=הוא כולל את כל שורות החיוב מיומן הרכישה. +RulesPurchaseTurnoverOfExpenseAccounts=הוא כולל (חיוב - זיכוי) של שורות עבור חשבונות מוצר בהוצאות הקבוצה +ReportPurchaseTurnover=מחזור רכישה מחויב +ReportPurchaseTurnoverCollected=מחזור רכישות שנאסף +IncludeVarpaysInResults = כלול תשלומים שונים בדוחות +IncludeLoansInResults = כלול הלוואות בדוחות +InvoiceLate30Days = מאוחר (> 30 ימים) +InvoiceLate15Days = מאוחר (15 עד 30 ימים) +InvoiceLateMinus15Days = מאוחר (<15 ימים) +InvoiceNotLate = לאסוף (<15 ימים) +InvoiceNotLate15Days = לאסוף (15 עד 30 ימים) +InvoiceNotLate30Days = לאסוף (> 30 ימים) +InvoiceToPay=לתשלום (<15 ימים) +InvoiceToPay15Days=לשלם (15 עד 30 ימים) +InvoiceToPay30Days=לתשלום (> 30 יום) +ConfirmPreselectAccount=בחר מראש קוד הנהלת חשבונות +ConfirmPreselectAccountQuestion=האם אתה בטוח שברצונך לבחור מראש את %s השורות שנבחרו עם קוד הנהלת חשבונות זה? +AmountPaidMustMatchAmountOfDownPayment=הסכום ששולם חייב להתאים לסכום המקדמה diff --git a/htdocs/langs/he_IL/contracts.lang b/htdocs/langs/he_IL/contracts.lang index cd51de6b7fa..95a889ff0d2 100644 --- a/htdocs/langs/he_IL/contracts.lang +++ b/htdocs/langs/he_IL/contracts.lang @@ -1,104 +1,107 @@ # Dolibarr language file - Source file is en_US - contracts -ContractsArea=Contracts area -ListOfContracts=List of contracts -AllContracts=All contracts -ContractCard=Contract card -ContractStatusNotRunning=Not running -ContractStatusDraft=Draft -ContractStatusValidated=Validated -ContractStatusClosed=Closed -ServiceStatusInitial=Not running -ServiceStatusRunning=Running -ServiceStatusNotLate=Running, not expired -ServiceStatusNotLateShort=Not expired -ServiceStatusLate=Running, expired -ServiceStatusLateShort=Expired -ServiceStatusClosed=Closed -ShowContractOfService=Show contract of service +ContractsArea=אזור חוזים +ListOfContracts=רשימת חוזים +AllContracts=כל החוזים +ContractCard=חוֹזֶה +ContractStatusNotRunning=לא רץ +ContractStatusDraft=טְיוּטָה +ContractStatusValidated=מאומת +ContractStatusClosed=סָגוּר +ServiceStatusInitial=לא רץ +ServiceStatusRunning=רץ +ServiceStatusNotLate=פועל, לא פג תוקף +ServiceStatusNotLateShort=לא פג תוקף +ServiceStatusLate=פועל, פג תוקף +ServiceStatusLateShort=לא בתוקף +ServiceStatusClosed=סָגוּר +ShowContractOfService=הצג חוזה שירות Contracts=חוזים -ContractsSubscriptions=Contracts/Subscriptions -ContractsAndLine=Contracts and line of contracts -Contract=Contract -ContractLine=Contract line -Closing=Closing -NoContracts=No contracts +ContractsSubscriptions=חוזים/מנויים +ContractsAndLine=חוזים ושורת חוזים +Contract=חוֹזֶה +ContractLine=קו חוזה +ContractLines=קווי חוזה +Closing=סְגִירָה +NoContracts=אין חוזים MenuServices=שירותים -MenuInactiveServices=Services not active -MenuRunningServices=Running services -MenuExpiredServices=Expired services -MenuClosedServices=Closed services -NewContract=New contract -NewContractSubscription=New contract or subscription -AddContract=Create contract -DeleteAContract=Delete a contract -ActivateAllOnContract=Activate all services -CloseAContract=Close a contract -ConfirmDeleteAContract=Are you sure you want to delete this contract and all its services? -ConfirmValidateContract=Are you sure you want to validate this contract under name %s? -ConfirmActivateAllOnContract=This will open all services (not yet active). Are you sure you want to open all services? -ConfirmCloseContract=This will close all services (expired or not). Are you sure you want to close this contract? -ConfirmCloseService=Are you sure you want to close this service with date %s? -ValidateAContract=Validate a contract -ActivateService=Activate service -ConfirmActivateService=Are you sure you want to activate this service with date %s? -RefContract=Contract reference -DateContract=Contract date -DateServiceActivate=Service activation date -ListOfServices=List of services -ListOfInactiveServices=List of not active services -ListOfExpiredServices=List of expired active services -ListOfClosedServices=List of closed services -ListOfRunningServices=List of running services -NotActivatedServices=Inactive services (among validated contracts) -BoardNotActivatedServices=Services to activate among validated contracts -BoardNotActivatedServicesShort=Services to activate -LastContracts=Latest %s contracts -LastModifiedServices=Latest %s modified services -ContractStartDate=Start date -ContractEndDate=End date -DateStartPlanned=Planned start date -DateStartPlannedShort=Planned start date -DateEndPlanned=Planned end date -DateEndPlannedShort=Planned end date -DateStartReal=Real start date -DateStartRealShort=Real start date -DateEndReal=Real end date -DateEndRealShort=Real end date -CloseService=Close service -BoardRunningServices=Services running -BoardRunningServicesShort=Services running -BoardExpiredServices=Services expired -BoardExpiredServicesShort=Services expired -ServiceStatus=Status of service -DraftContracts=Drafts contracts -CloseRefusedBecauseOneServiceActive=Contract can't be closed as there is at least one open service on it -ActivateAllContracts=Activate all contract lines -CloseAllContracts=Close all contract lines -DeleteContractLine=Delete a contract line -ConfirmDeleteContractLine=Are you sure you want to delete this contract line? -MoveToAnotherContract=Move service into another contract. -ConfirmMoveToAnotherContract=I choosed new target contract and confirm I want to move this service into this contract. -ConfirmMoveToAnotherContractQuestion=Choose in which existing contract (of same third party), you want to move this service to? -PaymentRenewContractId=Renew contract line (number %s) -ExpiredSince=Expiration date -NoExpiredServices=No expired active services -ListOfServicesToExpireWithDuration=List of Services to expire in %s days -ListOfServicesToExpireWithDurationNeg=List of Services expired from more than %s days -ListOfServicesToExpire=List of Services to expire -NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative. -StandardContractsTemplate=Standard contracts template -ContactNameAndSignature=For %s, name and signature: -OnlyLinesWithTypeServiceAreUsed=Only lines with type "Service" will be cloned. -ConfirmCloneContract=Are you sure you want to clone the contract %s? -LowerDateEndPlannedShort=Lower planned end date of active services -SendContractRef=Contract information __REF__ -OtherContracts=Other contracts +MenuInactiveServices=השירותים אינם פעילים +MenuRunningServices=שירותי הפעלת +MenuExpiredServices=שירותים שפג תוקפם +MenuClosedServices=שירותים סגורים +NewContract=חוזה חדש +NewContractSubscription=חוזה או מנוי חדש +AddContract=צור חוזה +DeleteAContract=מחק חוזה +ActivateAllOnContract=הפעל את כל השירותים +CloseAContract=סגור חוזה +ConfirmDeleteAContract=האם אתה בטוח שברצונך למחוק את החוזה הזה ואת כל השירותים שלו? +ConfirmValidateContract=האם אתה בטוח שברצונך לאמת חוזה זה תחת השם %s ? +ConfirmActivateAllOnContract=פעולה זו תפתח את כל השירותים (עדיין לא פעילים). האם אתה בטוח שברצונך לפתוח את כל השירותים? +ConfirmCloseContract=פעולה זו תסגור את כל השירותים (פג תוקפם או לא). האם אתה בטוח שברצונך לסגור את החוזה הזה? +ConfirmCloseService=האם אתה בטוח שברצונך לסגור שירות זה עם התאריך %s ? +ValidateAContract=תאמת חוזה +ActivateService=הפעל שירות +ConfirmActivateService=האם אתה בטוח שברצונך להפעיל שירות זה עם התאריך %s ? +RefContract=התייחסות לחוזה +DateContract=תאריך חוזה +DateServiceActivate=תאריך הפעלת השירות +ListOfServices=רשימת שירותים +ListOfInactiveServices=רשימה של שירותים לא פעילים +ListOfExpiredServices=רשימה של שירותים פעילים שפג תוקפם +ListOfClosedServices=רשימת שירותים סגורים +ListOfRunningServices=רשימה של שירותים פועלים +NotActivatedServices=שירותים לא פעילים (בין חוזים מאושרים) +BoardNotActivatedServices=שירותים להפעלה בין חוזים מאושרים +BoardNotActivatedServicesShort=שירותים להפעלה +LastContracts=חוזי %s האחרונים +LastModifiedServices=השירותים האחרונים ששונו %s +ContractStartDate=תאריך התחלה +ContractEndDate=תאריך סיום +DateStartPlanned=תאריך התחלה מתוכנן +DateStartPlannedShort=תאריך התחלה מתוכנן +DateEndPlanned=תאריך סיום מתוכנן +DateEndPlannedShort=תאריך סיום מתוכנן +DateStartReal=תאריך התחלה אמיתי +DateStartRealShort=תאריך התחלה אמיתי +DateEndReal=תאריך סיום אמיתי +DateEndRealShort=תאריך סיום אמיתי +CloseService=שירות קרוב +BoardRunningServices=שירותים פועלים +BoardRunningServicesShort=שירותים פועלים +BoardExpiredServices=פג תוקף השירותים +BoardExpiredServicesShort=פג תוקף השירותים +ServiceStatus=מצב השירות +DraftContracts=טיוטות חוזים +CloseRefusedBecauseOneServiceActive=לא ניתן לסגור חוזה מכיוון שיש עליו לפחות שירות אחד פתוח +ActivateAllContracts=הפעל את כל קווי החוזה +CloseAllContracts=סגור את כל קווי החוזה +DeleteContractLine=מחק שורת חוזה +ConfirmDeleteContractLine=האם אתה בטוח שברצונך למחוק את שורת החוזה הזו? +MoveToAnotherContract=העבר את השירות לחוזה אחר. +ConfirmMoveToAnotherContract=בחרתי חוזה יעד חדש ומאשר שאני רוצה להעביר את השירות הזה לחוזה זה. +ConfirmMoveToAnotherContractQuestion=בחר באיזה חוזה קיים (של אותו צד שלישי) אתה רוצה להעביר את השירות הזה? +PaymentRenewContractId=חידוש חוזה %s (שירות %s) +ExpiredSince=תאריך תפוגה +NoExpiredServices=אין שירותים פעילים שפג תוקפם +ListOfServicesToExpireWithDuration=רשימת השירותים שיפוג בעוד %s ימים +ListOfServicesToExpireWithDurationNeg=תוקף רשימת השירותים פג לאחר יותר מ-%s ימים +ListOfServicesToExpire=רשימת השירותים שיפוג +NoteListOfYourExpiredServices=רשימה זו מכילה רק שירותים של חוזים עבור צדדים שלישיים שאליהם אתה מקושר כנציג מכירות. +StandardContractsTemplate=תבנית חוזים סטנדרטיים +ContactNameAndSignature=עבור %s, שם וחתימה: +OnlyLinesWithTypeServiceAreUsed=רק שורות עם סוג "שירות" ישובטו. +ConfirmCloneContract=האם אתה בטוח שברצונך לשכפל את החוזה %s? +LowerDateEndPlannedShort=תאריך סיום מתוכנן נמוך יותר של שירותים פעילים +SendContractRef=פרטי חוזה __REF__ +OtherContracts=חוזים אחרים ##### Types de contacts ##### -TypeContact_contrat_internal_SALESREPSIGN=Sales representative signing contract -TypeContact_contrat_internal_SALESREPFOLL=Sales representative following-up contract -TypeContact_contrat_external_BILLING=Billing customer contact -TypeContact_contrat_external_CUSTOMER=Follow-up customer contact -TypeContact_contrat_external_SALESREPSIGN=Signing contract customer contact -HideClosedServiceByDefault=Hide closed services by default -ShowClosedServices=Show Closed Services -HideClosedServices=Hide Closed Services +TypeContact_contrat_internal_SALESREPSIGN=נציג מכירות חתום על חוזה +TypeContact_contrat_internal_SALESREPFOLL=חוזה המשך נציג מכירות +TypeContact_contrat_external_BILLING=קשר לקוח לחיוב +TypeContact_contrat_external_CUSTOMER=מעקב אחר קשר עם לקוחות +TypeContact_contrat_external_SALESREPSIGN=חתימה על חוזה קשר עם לקוחות +HideClosedServiceByDefault=הסתר שירותים סגורים כברירת מחדל +ShowClosedServices=הצג שירותים סגורים +HideClosedServices=הסתר שירותים סגורים +UserStartingService=שירות התחלת משתמשים +UserClosingService=שירות סגירת משתמשים diff --git a/htdocs/langs/he_IL/cron.lang b/htdocs/langs/he_IL/cron.lang index 4fd2220dea6..ecbbed52278 100644 --- a/htdocs/langs/he_IL/cron.lang +++ b/htdocs/langs/he_IL/cron.lang @@ -1,91 +1,101 @@ # Dolibarr language file - Source file is en_US - cron # About page # Right -Permission23101 = Read Scheduled job -Permission23102 = Create/update Scheduled job -Permission23103 = Delete Scheduled job -Permission23104 = Execute Scheduled job +Permission23101 = קרא עבודה מתוזמנת +Permission23102 = צור/עדכן עבודה מתוזמנת +Permission23103 = מחק עבודה מתוזמנת +Permission23104 = בצע עבודה מתוזמנת # Admin -CronSetup=Scheduled job management setup -URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser -OrToLaunchASpecificJob=Or to check and launch a specific job from a browser -KeyForCronAccess=Security key for URL to launch cron jobs -FileToLaunchCronJobs=Command line to check and launch qualified cron jobs -CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes -CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes -CronMethodDoesNotExists=Class %s does not contains any method %s -CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods -CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s. -CronJobProfiles=List of predefined cron job profiles +CronSetup=הגדרת ניהול עבודה מתוזמנת +URLToLaunchCronJobs=כתובת אתר לבדיקה והשקה של משרות cron מוסמכות מדפדפן +OrToLaunchASpecificJob=או כדי לבדוק ולהפעיל עבודה ספציפית מדפדפן +KeyForCronAccess=מפתח אבטחה עבור כתובת אתר להפעלת משרות cron +FileToLaunchCronJobs=שורת פקודה כדי לבדוק ולהפעיל משרות cron מוסמכות +CronExplainHowToRunUnix=בסביבת יוניקס עליך להשתמש בערך ה-crontab הבא כדי להפעיל את שורת הפקודה כל 5 דקות +CronExplainHowToRunWin=בסביבת Microsoft(tm) Windows אתה יכול להשתמש בכלי משימות מתוזמנות כדי להפעיל את שורת הפקודה כל 5 דקות +CronMethodDoesNotExists=Class %s אינו מכיל שום שיטה %s +CronMethodNotAllowed=השיטה %s של המחלקה %s נמצאת ברשימת החסימה של השיטות האסורות +CronJobDefDesc=פרופילי עבודה של Cron מוגדרים בקובץ מתאר המודול. כאשר המודול מופעל, הם נטענים וזמינים כך שתוכל לנהל את המשימות מתפריט כלי הניהול %s. +CronJobProfiles=רשימה של פרופילי משרות קרון מוגדרים מראש # Menu -EnabledAndDisabled=Enabled and disabled +EnabledAndDisabled=מופעל ומושבת # Page list -CronLastOutput=Latest run output -CronLastResult=Latest result code -CronCommand=Command -CronList=Scheduled jobs -CronDelete=Delete scheduled jobs -CronConfirmDelete=Are you sure you want to delete these scheduled jobs? -CronExecute=Launch scheduled job -CronConfirmExecute=Are you sure you want to execute these scheduled jobs now? -CronInfo=Scheduled job module allows to schedule jobs to execute them automatically. Jobs can also be started manually. -CronTask=Job +CronLastOutput=פלט ריצה אחרון +CronLastResult=קוד התוצאה האחרון +CronCommand=פקודה +CronList=עבודות מתוזמנות +CronDelete=מחק עבודות מתוזמנות +CronConfirmDelete=האם אתה בטוח שברצונך למחוק את העבודות המתוזמנות הללו? +CronExecute=הפעל עכשיו +CronConfirmExecute=האם אתה בטוח שברצונך לבצע את העבודות המתוזמנות האלה עכשיו? +CronInfo=מודול עבודה מתוזמנת מאפשר לתזמן עבודות לביצוען באופן אוטומטי. ניתן להתחיל עבודות גם באופן ידני. +CronTask=עבודה CronNone=None -CronDtStart=Not before -CronDtEnd=Not after -CronDtNextLaunch=Next execution -CronDtLastLaunch=Start date of latest execution -CronDtLastResult=End date of latest execution -CronFrequency=Frequency -CronClass=Class -CronMethod=Method -CronModule=Module -CronNoJobs=No jobs registered -CronPriority=Priority -CronLabel=Label -CronNbRun=Number of launches -CronMaxRun=Maximum number of launches -CronEach=Every -JobFinished=Job launched and finished -Scheduled=Scheduled +CronDtStart=לא לפני +CronDtEnd=לא אחרי +CronDtNextLaunch=ההוצאה להורג הבאה +CronDtLastLaunch=תאריך התחלה של הביצוע האחרון +CronDtLastResult=תאריך סיום הביצוע האחרון +CronFrequency=תדירות +CronClass=מעמד +CronMethod=שיטה +CronModule=מודול +CronNoJobs=לא נרשמו משרות +CronPriority=עדיפות +CronLabel=תווית +CronNbRun=מספר השקות +CronMaxRun=מספר שיגורים מקסימלי +CronEach=כֹּל +JobFinished=העבודה יצאה לדרך והסתיימה +Scheduled=מתוזמן #Page card -CronAdd= Add jobs -CronEvery=Execute job each -CronObject=Instance/Object to create -CronArgs=Parameters -CronSaveSucess=Save successfully -CronNote=Comment -CronFieldMandatory=Fields %s is mandatory -CronErrEndDateStartDt=End date cannot be before start date -StatusAtInstall=Status at module installation -CronStatusActiveBtn=Schedule -CronStatusInactiveBtn=Disable -CronTaskInactive=This job is disabled (not scheduled) -CronId=Id -CronClassFile=Filename with class -CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module).
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is
      product -CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory).
      For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is
      product/class/product.class.php -CronObjectHelp=The object name to load.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is
      Product -CronMethodHelp=The object method to launch.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is
      fetch -CronArgsHelp=The method arguments.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be
      0, ProductRef -CronCommandHelp=The system command line to execute. -CronCreateJob=Create new Scheduled Job -CronFrom=From +CronAdd= הוסף משרות +CronEvery=בצע עבודה כל אחד +CronObject=מופע/אובייקט ליצירה +CronArgs=פרמטרים +CronSaveSucess=נשמר בהצלחה +CronNote=תגובה +CronFieldMandatory=שדות %s הם חובה +CronErrEndDateStartDt=תאריך הסיום לא יכול להיות לפני תאריך ההתחלה +StatusAtInstall=מצב בהתקנת המודול +CronStatusActiveBtn=אפשר תזמון +CronStatusInactiveBtn=השבת +CronTaskInactive=עבודה זו מושבתת (לא מתוזמנת) +CronId=תְעוּדַת זֶהוּת +CronClassFile=שם קובץ עם מחלקה +CronModuleHelp=שם ספריית מודול Dolibarr (עבודה גם עם מודול Dolibarr חיצוני).
      לדוגמה כדי לקרוא לשיטת האחזור של Dolibarr Product object /htdocs/productb0aaa8780fdca4 /class/product.class.php, הערך למודול הוא
      product +CronClassFileHelp=הנתיב היחסי ושם הקובץ לטעינה (הנתיב הוא ביחס לספריית השורש של שרת האינטרנט).
      לדוגמה כדי לקרוא לשיטת האחזור של Dolibarr Product Object htdocs/product/class/product.class.php, הערך עבור שם קובץ המחלקה הוא
      product/class/product .class.php +CronObjectHelp=שם האובייקט לטעינה.
      לדוגמה כדי לקרוא לשיטת האחזור של Dolibarr Product object /htdocs/product/class/product.class.php, הערך עבור שם קובץ המחלקה הוא
      מוצר +CronMethodHelp=שיטת האובייקט להפעלה.
      לדוגמה כדי לקרוא לשיטת האחזור של Dolibarr Product object /htdocs/product/class/product.class.php, הערך עבור השיטה הוא
      fetch +CronArgsHelp=טיעוני השיטה.
      לדוגמה כדי לקרוא לשיטת האחזור של Dolibarr Product object /htdocs/product/class/product.class.php, הערך עבור פרמטרים יכול להיות
      0, ProductRef +CronCommandHelp=שורת הפקודה של המערכת לביצוע. +CronCreateJob=צור עבודה מתוזמנת חדשה +CronFrom=מ # Info # Common -CronType=Job type -CronType_method=Call method of a PHP Class -CronType_command=Shell command -CronCannotLoadClass=Cannot load class file %s (to use class %s) -CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it -UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs. -JobDisabled=Job disabled -MakeLocalDatabaseDumpShort=Local database backup -MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep -WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run. -DATAPOLICYJob=Data cleaner and anonymizer -JobXMustBeEnabled=Job %s must be enabled +CronType=סוג עבודה +CronType_method=שיטת קריאה של מחלקת PHP +CronType_command=פקודת מעטפת +CronCannotLoadClass=לא ניתן לטעון את קובץ המחלקה %s (כדי להשתמש במחלקה %s) +CronCannotLoadObject=קובץ הכיתה %s נטען, אך האובייקט %s לא נמצא בו +UseMenuModuleToolsToAddCronJobs=היכנס לתפריט "בית - כלי ניהול - משימות מתוזמנות" כדי לראות ולערוך עבודות מתוזמנות. +JobDisabled=עבודה מושבתת +MakeLocalDatabaseDumpShort=גיבוי מקומי של מסד נתונים +MakeLocalDatabaseDump=צור dump של מסד נתונים מקומי. הפרמטרים הם: דחיסה ('gz' או 'bz' או 'none'), סוג גיבוי ('mysql', 'pgsql', 'auto'), 1, 'auto' או שם קובץ לבנייה, מספר קבצי גיבוי לשמירה +MakeSendLocalDatabaseDumpShort=שלח גיבוי למסד נתונים מקומי +MakeSendLocalDatabaseDump=שלח גיבוי למסד נתונים מקומי בדוא"ל. הפרמטרים הם: אל, מ, נושא, הודעה, שם קובץ (שם הקובץ שנשלח), מסנן ('sql' לגיבוי של מסד הנתונים בלבד) +BackupIsTooLargeSend=מצטערים, קובץ הגיבוי האחרון גדול מכדי לשלוח אותו בדוא"ל +CleanUnfinishedCronjobShort=נקה קרונ-ג'וב לא גמור +CleanUnfinishedCronjob=cronjob נקי תקוע בעיבוד כאשר התהליך אינו פועל יותר +WarningCronDelayed=שימו לב, למטרת ביצועים, לא משנה מה התאריך הבא לביצוע של משימות מופעלות, המשימות שלך עשויות להתעכב עד %s שעות לכל היותר, לפני ההפעלה. +DATAPOLICYJob=מנקה נתונים ואנונימיזציה +JobXMustBeEnabled=יש להפעיל את המשרה %s +EmailIfError=דוא"ל לאזהרה על שגיאה +JobNotFound=המשרה %s לא נמצאה ברשימת המשרות (נסה להשבית/להפעיל את המודול) +ErrorInBatch=שגיאה בעת הפעלת העבודה %s + # Cron Boxes -LastExecutedScheduledJob=Last executed scheduled job -NextScheduledJobExecute=Next scheduled job to execute -NumberScheduledJobError=Number of scheduled jobs in error +LastExecutedScheduledJob=העבודה המתוזמנת האחרונה שבוצעה +NextScheduledJobExecute=העבודה המתוכננת הבאה לביצוע +NumberScheduledJobError=מספר העבודות המתוזמנות בטעות +NumberScheduledJobNeverFinished=מספר העבודות המתוזמנות מעולם לא הסתיימו diff --git a/htdocs/langs/he_IL/datapolicy.lang b/htdocs/langs/he_IL/datapolicy.lang index 95f0d4cef1d..3967f993bde 100644 --- a/htdocs/langs/he_IL/datapolicy.lang +++ b/htdocs/langs/he_IL/datapolicy.lang @@ -14,79 +14,79 @@ # along with this program. If not, see . # Module label 'ModuledatapolicyName' -Module4100Name = Data Privacy Policy +Module4100Name = מדיניות פרטיות נתונים # Module description 'ModuledatapolicyDesc' -Module4100Desc = Module to manage Data Privacy (Conformity with the GDPR) +Module4100Desc = מודול לניהול פרטיות נתונים (תאימות ל-GDPR) # # Administration page # -datapolicySetup = Module Data Privacy Policy Setup -Deletion = Deletion of data -datapolicySetupPage = Depending of laws of your countries (Example Article 5 of the GDPR), personal data must be kept for a period not exceeding that necessary for the purposes for which they were collected, except for archival purposes.
      The deletion will be done automatically after a certain duration without event (the duration which you will have indicated below). -NB_MONTHS = %s months -ONE_YEAR = 1 year -NB_YEARS = %s years +datapolicySetup = הגדרת מדיניות פרטיות של נתוני מודול +Deletion = מחיקת נתונים +datapolicySetupPage = בהתאם לחוקי המדינות שלך (דוגמה סעיף 5 של ה-GDPR), יש לשמור את הנתונים האישיים לתקופה שלא חריגה מהנדרש למטרות שלשמן נאספו, למעט למטרות ארכיון.
      המחיקה תתבצע אוטומטית לאחר משך זמן מסוים ללא אירוע (משך הזמן אותו תציין לְהַלָן). +NB_MONTHS = %s חודשים +ONE_YEAR = 1 שנה +NB_YEARS = %s שנים DATAPOLICY_TIERS_CLIENT = לקוח DATAPOLICY_TIERS_PROSPECT = לקוח פוטנציאל -DATAPOLICY_TIERS_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = Nor prospect/Nor customer -DATAPOLICY_TIERS_FOURNISSEUR = Supplier +DATAPOLICY_TIERS_PROSPECT_CLIENT = פרוספקט/לקוח +DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = גם לא לקוח פוטנציאלי/לא לקוח +DATAPOLICY_TIERS_FOURNISSEUR = ספק DATAPOLICY_CONTACT_CLIENT = לקוח DATAPOLICY_CONTACT_PROSPECT = לקוח פוטנציאל -DATAPOLICY_CONTACT_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = Nor prospect/Nor customer -DATAPOLICY_CONTACT_FOURNISSEUR = Supplier -DATAPOLICY_ADHERENT = Member -DATAPOLICY_Tooltip_SETUP = Type of contact - Indicate your choices for each type. -DATAPOLICYMail = Emails Setup -DATAPOLICYSUBJECTMAIL = Subject of email -DATAPOLICYCONTENTMAIL = Content of the email -DATAPOLICYSUBSITUTION = You can use the following variables in your email (LINKACCEPT allows to create a link recording the agreement of the person, LINKREFUSED makes it possible to record the refusal of the person): -DATAPOLICYACCEPT = Message after agreement -DATAPOLICYREFUSE = Message after desagreement -SendAgreementText = You can send a GDPR email to all your relevant contacts (who have not yet received an email and for which you have not registered anything about their GDPR agreement). To do this, use the following button. -SendAgreement = Send emails -AllAgreementSend = All emails have been sent -TXTLINKDATAPOLICYACCEPT = Text for the link "agreement" -TXTLINKDATAPOLICYREFUSE = Text for the link "desagreement" +DATAPOLICY_CONTACT_PROSPECT_CLIENT = פרוספקט/לקוח +DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = גם לא לקוח פוטנציאלי/לא לקוח +DATAPOLICY_CONTACT_FOURNISSEUR = ספק +DATAPOLICY_ADHERENT = חבר +DATAPOLICY_Tooltip_SETUP = סוג איש קשר - ציין את הבחירות שלך עבור כל סוג. +DATAPOLICYMail = הגדרת מיילים +DATAPOLICYSUBJECTMAIL = נושא המייל +DATAPOLICYCONTENTMAIL = תוכן המייל +DATAPOLICYSUBSITUTION = אתה יכול להשתמש במשתנים הבאים במייל שלך (LINKACCEPT מאפשר ליצור קישור המתעד את הסכמת האדם, LINKREFUSED מאפשר לרשום את הסירוב של האדם): +DATAPOLICYACCEPT = הודעה לאחר הסכם +DATAPOLICYREFUSE = הודעה לאחר אי הסכמה +SendAgreementText = אתה יכול לשלוח דוא"ל GDPR לכל אנשי הקשר הרלוונטיים שלך (שעדיין לא קיבלו דוא"ל ועבורם לא רשמת שום דבר על הסכם ה-GDPR שלהם). לשם כך, השתמש בכפתור הבא. +SendAgreement = לשלוח מיילים +AllAgreementSend = כל המיילים נשלחו +TXTLINKDATAPOLICYACCEPT = טקסט לקישור "הסכם" +TXTLINKDATAPOLICYREFUSE = טקסט לקישור "אי הסכמה" # # Extrafields # -DATAPOLICY_BLOCKCHECKBOX = GDPR : Processing of personal data -DATAPOLICY_consentement = Consent obtained for the processing of personal data -DATAPOLICY_opposition_traitement = Opposes the processing of his personal data -DATAPOLICY_opposition_prospection = Opposes the processing of his personal data for the purposes of prospecting +DATAPOLICY_BLOCKCHECKBOX = GDPR: עיבוד נתונים אישיים +DATAPOLICY_consentement = הסכמה שהתקבלה לעיבוד נתונים אישיים +DATAPOLICY_opposition_traitement = מתנגד לעיבוד הנתונים האישיים שלו +DATAPOLICY_opposition_prospection = מתנגד לעיבוד הנתונים האישיים שלו למטרות חיפוש # # Popup # -DATAPOLICY_POPUP_ANONYME_TITLE = Anonymize a thirdparty -DATAPOLICY_POPUP_ANONYME_TEXTE = You can not delete this contact from Dolibarr because there are related items. In accordance with the GDPR, you will make all this data anonymous to respect your obligations. Would you like to continue ? +DATAPOLICY_POPUP_ANONYME_TITLE = הפוך צד שלישי לאנונימי +DATAPOLICY_POPUP_ANONYME_TEXTE = אינך יכול למחוק איש קשר זה מ-Dolibarr מכיוון שיש פריטים קשורים. בהתאם ל-GDPR, אתה תהפוך את כל הנתונים הללו לאנונימיים כדי לכבד את ההתחייבויות שלך. תרצה להמשיך ? # # Button for portability # -DATAPOLICY_PORTABILITE = Portability GDPR -DATAPOLICY_PORTABILITE_TITLE = Export of personal data -DATAPOLICY_PORTABILITE_CONFIRMATION = You want to export the personal data of this contact. Are you sure ? +DATAPOLICY_PORTABILITE = ניידות GDPR +DATAPOLICY_PORTABILITE_TITLE = ייצוא נתונים אישיים +DATAPOLICY_PORTABILITE_CONFIRMATION = אתה רוצה לייצא את הנתונים האישיים של איש קשר זה. האם אתה בטוח ? # # Notes added during an anonymization # -ANONYMISER_AT = Anonymised the %s +ANONYMISER_AT = עשה אנונימי את %s # V2 -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_date = Date of agreement/desagreement GDPR -DATAPOLICY_send = Date sending agreement email -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_SEND = Send GDPR email -MailSent = Email has been sent +DATAPOLICYReturn = אימות GDPR +DATAPOLICY_date = תאריך הסכם/אי הסכמה GDPR +DATAPOLICY_send = תאריך שליחת דוא"ל הסכם +DATAPOLICYReturn = אימות GDPR +DATAPOLICY_SEND = שלח דוא"ל GDPR +MailSent = דוא"ל נשלח # ERROR -ErrorSubjectIsRequired = Error : The subject of email is required. Indicate it in the module setup -=Due to a technical problem, we were unable to register your choice. We apologize for that. Contact us to send us your choice. -NUMBER_MONTH_BEFORE_DELETION = Number of month before deletion +ErrorSubjectIsRequired = שגיאה: נדרש נושא האימייל. ציין זאת בהגדרת המודול +=עקב בעיה טכנית, לא הצלחנו לרשום את בחירתך. אנו מתנצלים על כך. צור איתנו קשר כדי לשלוח לנו את בחירתך. +NUMBER_MONTH_BEFORE_DELETION = מספר החודשים לפני המחיקה diff --git a/htdocs/langs/he_IL/deliveries.lang b/htdocs/langs/he_IL/deliveries.lang index cd8a36e6c70..2769f5c33a4 100644 --- a/htdocs/langs/he_IL/deliveries.lang +++ b/htdocs/langs/he_IL/deliveries.lang @@ -1,33 +1,33 @@ # Dolibarr language file - Source file is en_US - deliveries -Delivery=Delivery -DeliveryRef=Ref Delivery -DeliveryCard=Receipt card -DeliveryOrder=Delivery receipt -DeliveryDate=Delivery date -CreateDeliveryOrder=Generate delivery receipt -DeliveryStateSaved=Delivery state saved -SetDeliveryDate=Set shipping date -ValidateDeliveryReceipt=Validate delivery receipt -ValidateDeliveryReceiptConfirm=Are you sure you want to validate this delivery receipt? -DeleteDeliveryReceipt=Delete delivery receipt -DeleteDeliveryReceiptConfirm=Are you sure you want to delete delivery receipt %s? -DeliveryMethod=Delivery method -TrackingNumber=Tracking number -DeliveryNotValidated=Delivery not validated -StatusDeliveryCanceled=Canceled -StatusDeliveryDraft=Draft -StatusDeliveryValidated=Received +Delivery=מְסִירָה +DeliveryRef=Ref משלוח +DeliveryCard=קבלת מלאי +DeliveryOrder=קבלת משלוח +DeliveryDate=תאריך משלוח +CreateDeliveryOrder=צור קבלה על משלוח +DeliveryStateSaved=מצב המסירה נשמר +SetDeliveryDate=קבע תאריך משלוח +ValidateDeliveryReceipt=אימות קבלה על משלוח +ValidateDeliveryReceiptConfirm=האם אתה בטוח שברצונך לאמת את קבלת המשלוח הזו? +DeleteDeliveryReceipt=מחק קבלה על משלוח +DeleteDeliveryReceiptConfirm=האם אתה בטוח שברצונך למחוק את קבלת המסירה %s? +DeliveryMethod=שיטת אספקה +TrackingNumber=מספר מעקב +DeliveryNotValidated=משלוח לא אושר +StatusDeliveryCanceled=מבוטל +StatusDeliveryDraft=טְיוּטָה +StatusDeliveryValidated=קיבלו # merou PDF model -NameAndSignature=Name and Signature: -ToAndDate=To___________________________________ on ____/_____/__________ -GoodStatusDeclaration=Have received the goods above in good condition, -Deliverer=Deliverer: -Sender=Sender -Recipient=Recipient -ErrorStockIsNotEnough=There's not enough stock -Shippable=Shippable -NonShippable=Not Shippable -ShowShippableStatus=Show shippable status -ShowReceiving=Show delivery receipt -NonExistentOrder=Nonexistent order -StockQuantitiesAlreadyAllocatedOnPreviousLines = Stock quantities already allocated on previous lines +NameAndSignature=שם וחתימה: +ToAndDate=ל_________________________________ בתאריך ____/_____/__________ +GoodStatusDeclaration=קיבלתי את הסחורה למעלה במצב טוב, +Deliverer=מוֹשִׁיעַ: +Sender=שׁוֹלֵחַ +Recipient=מקבל +ErrorStockIsNotEnough=אין מספיק מלאי +Shippable=ניתן למשלוח +NonShippable=לא ניתן למשלוח +ShowShippableStatus=הצג סטטוס ניתן למשלוח +ShowReceiving=הצג קבלה על משלוח +NonExistentOrder=סדר לא קיים +StockQuantitiesAlreadyAllocatedOnPreviousLines = כמויות מלאי שכבר הוקצו בקווים קודמים diff --git a/htdocs/langs/he_IL/dict.lang b/htdocs/langs/he_IL/dict.lang index ec315d97142..eb16989bcb1 100644 --- a/htdocs/langs/he_IL/dict.lang +++ b/htdocs/langs/he_IL/dict.lang @@ -1,359 +1,362 @@ # Dolibarr language file - Source file is en_US - dict -CountryFR=France -CountryBE=Belgium -CountryIT=Italy -CountryES=Spain -CountryDE=Germany -CountryCH=Switzerland +CountryFR=צָרְפַת +CountryBE=בלגיה +CountryIT=אִיטַלִיָה +CountryES=סְפָרַד +CountryDE=גֶרמָנִיָה +CountryCH=שוויץ # Warning, country code GB is for United Kingdom. UK Does not exists as country code in ISO standard. -CountryGB=United Kingdom -CountryUK=United Kingdom -CountryIE=Ireland -CountryCN=China -CountryTN=Tunisia -CountryUS=United States -CountryMA=Morocco -CountryDZ=Algeria -CountryCA=Canada -CountryTG=Togo -CountryGA=Gabon -CountryNL=Netherlands -CountryHU=Hungary -CountryRU=Russia -CountrySE=Sweden -CountryCI=Ivoiry Coast -CountrySN=Senegal -CountryAR=Argentina -CountryCM=Cameroon -CountryPT=Portugal -CountrySA=Saudi Arabia -CountryMC=Monaco -CountryAU=Australia -CountrySG=Singapore -CountryAF=Afghanistan -CountryAX=Åland Islands -CountryAL=Albania -CountryAS=American Samoa -CountryAD=Andorra -CountryAO=Angola -CountryAI=Anguilla -CountryAQ=Antarctica -CountryAG=Antigua and Barbuda -CountryAM=Armenia -CountryAW=Aruba -CountryAT=Austria -CountryAZ=Azerbaijan -CountryBS=Bahamas -CountryBH=Bahrain -CountryBD=Bangladesh -CountryBB=Barbados -CountryBY=Belarus -CountryBZ=Belize -CountryBJ=Benin -CountryBM=Bermuda -CountryBT=Bhutan -CountryBO=Bolivia -CountryBA=Bosnia and Herzegovina -CountryBW=Botswana -CountryBV=Bouvet Island -CountryBR=Brazil -CountryIO=British Indian Ocean Territory -CountryBN=Brunei Darussalam -CountryBG=Bulgaria -CountryBF=Burkina Faso -CountryBI=Burundi -CountryKH=Cambodia -CountryCV=Cape Verde -CountryKY=Cayman Islands -CountryCF=Central African Republic -CountryTD=Chad -CountryCL=Chile -CountryCX=Christmas Island -CountryCC=Cocos (Keeling) Islands -CountryCO=Colombia -CountryKM=Comoros -CountryCG=Congo -CountryCD=Congo, The Democratic Republic of the -CountryCK=Cook Islands -CountryCR=Costa Rica -CountryHR=Croatia -CountryCU=Cuba -CountryCY=Cyprus -CountryCZ=Czech Republic -CountryDK=Denmark -CountryDJ=Djibouti -CountryDM=Dominica -CountryDO=Dominican Republic -CountryEC=Ecuador -CountryEG=Egypt -CountrySV=El Salvador -CountryGQ=Equatorial Guinea -CountryER=Eritrea -CountryEE=Estonia -CountryET=Ethiopia -CountryFK=Falkland Islands -CountryFO=Faroe Islands -CountryFJ=Fiji Islands -CountryFI=Finland -CountryGF=French Guiana -CountryPF=French Polynesia -CountryTF=French Southern Territories -CountryGM=Gambia -CountryGE=Georgia -CountryGH=Ghana -CountryGI=Gibraltar -CountryGR=Greece -CountryGL=Greenland -CountryGD=Grenada -CountryGP=Guadeloupe -CountryGU=Guam -CountryGT=Guatemala -CountryGN=Guinea -CountryGW=Guinea-Bissau -CountryGY=Guyana -CountryHT=Haïti -CountryHM=Heard Island and McDonald -CountryVA=Holy See (Vatican City State) -CountryHN=Honduras -CountryHK=Hong Kong -CountryIS=Iceland -CountryIN=India -CountryID=Indonesia -CountryIR=Iran -CountryIQ=Iraq -CountryIL=Israel -CountryJM=Jamaica -CountryJP=Japan -CountryJO=Jordan -CountryKZ=Kazakhstan -CountryKE=Kenya -CountryKI=Kiribati -CountryKP=North Korea -CountryKR=South Korea -CountryKW=Kuwait -CountryKG=Kyrgyzstan -CountryLA=Lao -CountryLV=Latvia -CountryLB=Lebanon -CountryLS=Lesotho -CountryLR=Liberia -CountryLY=Libyan -CountryLI=Liechtenstein -CountryLT=Lithuania -CountryLU=Luxembourg -CountryMO=Macao -CountryMK=Macedonia, the former Yugoslav of -CountryMG=Madagascar -CountryMW=Malawi -CountryMY=Malaysia -CountryMV=Maldives -CountryML=Mali -CountryMT=Malta -CountryMH=Marshall Islands -CountryMQ=Martinique -CountryMR=Mauritania -CountryMU=Mauritius -CountryYT=Mayotte -CountryMX=Mexico -CountryFM=Micronesia -CountryMD=Moldova -CountryMN=Mongolia -CountryMS=Monserrat -CountryMZ=Mozambique -CountryMM=Myanmar (Burma) -CountryNA=Namibia -CountryNR=Nauru -CountryNP=Nepal -CountryAN=Netherlands Antilles -CountryNC=New Caledonia -CountryNZ=New Zealand -CountryNI=Nicaragua -CountryNE=Niger -CountryNG=Nigeria -CountryNU=Niue -CountryNF=Norfolk Island -CountryMP=Northern Mariana Islands -CountryNO=Norway -CountryOM=Oman -CountryPK=Pakistan -CountryPW=Palau -CountryPS=Palestinian Territory, Occupied -CountryPA=Panama -CountryPG=Papua New Guinea -CountryPY=Paraguay -CountryPE=Peru -CountryPH=Philippines -CountryPN=Pitcairn Islands -CountryPL=Poland -CountryPR=Puerto Rico -CountryQA=Qatar -CountryRE=Reunion -CountryRO=Romania -CountryRW=Rwanda -CountrySH=Saint Helena -CountryKN=Saint Kitts and Nevis -CountryLC=Saint Lucia -CountryPM=Saint Pierre and Miquelon -CountryVC=Saint Vincent and Grenadines -CountryWS=Samoa -CountrySM=San Marino -CountryST=Sao Tome and Principe -CountryRS=Serbia -CountrySC=Seychelles -CountrySL=Sierra Leone -CountrySK=Slovakia -CountrySI=Slovenia -CountrySB=Solomon Islands -CountrySO=Somalia -CountryZA=South Africa -CountryGS=South Georgia and the South Sandwich Islands -CountryLK=Sri Lanka -CountrySD=Sudan -CountrySR=Suriname -CountrySJ=Svalbard and Jan Mayen -CountrySZ=Swaziland -CountrySY=Syrian -CountryTW=Taiwan -CountryTJ=Tajikistan -CountryTZ=Tanzania -CountryTH=Thailand -CountryTL=Timor-Leste -CountryTK=Tokelau -CountryTO=Tonga -CountryTT=Trinidad and Tobago -CountryTR=Turkey -CountryTM=Turkmenistan -CountryTC=Turks and Caicos Islands -CountryTV=Tuvalu -CountryUG=Uganda -CountryUA=Ukraine -CountryAE=United Arab Emirates -CountryUM=United States Minor Outlying Islands -CountryUY=Uruguay -CountryUZ=Uzbekistan -CountryVU=Vanuatu -CountryVE=Venezuela -CountryVN=Viet Nam -CountryVG=Virgin Islands, British -CountryVI=Virgin Islands, U.S. -CountryWF=Wallis and Futuna -CountryEH=Western Sahara -CountryYE=Yemen -CountryZM=Zambia -CountryZW=Zimbabwe -CountryGG=Guernsey -CountryIM=Isle of Man -CountryJE=Jersey -CountryME=Montenegro -CountryBL=Saint Barthelemy -CountryMF=Saint Martin +CountryGB=הממלכה המאוחדת +CountryUK=הממלכה המאוחדת +CountryIE=אירלנד +CountryCN=חרסינה +CountryTN=תוניסיה +CountryUS=ארצות הברית +CountryMA=מָרוֹקוֹ +CountryDZ=אלג'יריה +CountryCA=קנדה +CountryTG=ללכת +CountryGA=גאבון +CountryNL=הולנד +CountryHU=הונגריה +CountryRU=רוּסִיָה +CountrySE=שבדיה +CountryCI=חוף שנהב +CountrySN=סנגל +CountryAR=ארגנטינה +CountryCM=קמרון +CountryPT=פּוֹרטוּגָל +CountrySA=ערב הסעודית +CountryMC=מונקו +CountryAU=אוֹסטְרַלִיָה +CountrySG=סינגפור +CountryAF=אפגניסטן +CountryAX=איי אלנד +CountryAL=אלבניה +CountryAS=סמואה האמריקנית +CountryAD=אנדורה +CountryAO=אנגולה +CountryAI=אנגווילה +CountryAQ=אנטארקטיקה +CountryAG=אנטיגואה וברבודה +CountryAM=אַרְמֶנִיָה +CountryAW=ארובה +CountryAT=אוֹסְטְרֵיָה +CountryAZ=אזרבייג'ן +CountryBS=איי בהאמה +CountryBH=בחריין +CountryBD=בנגלדש +CountryBB=ברבדוס +CountryBY=בלארוס +CountryBZ=בליז +CountryBJ=בנין +CountryBM=ברמודה +CountryBT=בהוטן +CountryBO=בוליביה +CountryBA=בוסניה והרצגובינה +CountryBW=בוצואנה +CountryBV=האי בובה +CountryBR=בְּרָזִיל +CountryIO=טריטוריית האוקיינוס ההודי הבריטי +CountryBN=ברוניי דארוסלאם +CountryBG=בולגריה +CountryBF=בורקינה פאסו +CountryBI=בורונדי +CountryKH=קמבודיה +CountryCV=קייפ ורדה +CountryKY=איי קיימן +CountryCF=הרפובליקה המרכז - אפריקאית +CountryTD=צ'אד +CountryCL=צ'ילה +CountryCX=אי חג המולד +CountryCC=איי קוקוס (קילינג). +CountryCO=קולומביה +CountryKM=קומורו +CountryCG=קונגו +CountryCD=קונגו, הרפובליקה הדמוקרטית של +CountryCK=איי קוק +CountryCR=קוסטה ריקה +CountryHR=קרואטיה +CountryCU=קובה +CountryCY=קַפרִיסִין +CountryCZ=הרפובליקה הצ'כית +CountryDK=דנמרק +CountryDJ=ג'יבוטי +CountryDM=דומיניקה +CountryDO=הרפובליקה הדומיניקנית +CountryEC=אקוודור +CountryEG=מִצְרַיִם +CountrySV=אל סלבדור +CountryGQ=גיניאה המשוונית +CountryER=אריתריאה +CountryEE=אסטוניה +CountryET=אֶתִיוֹפִּיָה +CountryFK=איי פוקלנד +CountryFO=איי פרו +CountryFJ=איי פיג'י +CountryFI=פינלנד +CountryGF=גיאנה הצרפתית +CountryPF=פולינזיה הצרפתית +CountryTF=השטחים הדרומיים של צרפת +CountryGM=גמביה +CountryGE=גאורגיה +CountryGH=גאנה +CountryGI=גיברלטר +CountryGR=יָוָן +CountryGL=גרינלנד +CountryGD=גרנדה +CountryGP=גוואדלופ +CountryGU=גואם +CountryGT=גואטמלה +CountryGN=גינאה +CountryGW=גינאה-ביסאו +CountryGY=גיאנה +CountryHT=האיטי +CountryHM=הרד איילנד ומקדונלד +CountryVA=הכס הקדוש (מדינת הוותיקן) +CountryHN=הונדורס +CountryHK=הונג קונג +CountryIS=אִיסלַנד +CountryIN=הוֹדוּ +CountryID=אִינדוֹנֵזִיָה +CountryIR=איראן +CountryIQ=עִירַאק +CountryIL=ישראל +CountryJM=ג'מייקה +CountryJP=יפן +CountryJO=יַרדֵן +CountryKZ=קזחסטן +CountryKE=קניה +CountryKI=קיריבטי +CountryKP=צפון קוריאה +CountryKR=דרום קוריאה +CountryKW=כווית +CountryKG=קירגיזסטן +CountryLA=לאו +CountryLV=לטביה +CountryLB=לבנון +CountryLS=לסוטו +CountryLR=ליבריה +CountryLY=לוב +CountryLI=ליכטנשטיין +CountryLT=ליטא +CountryLU=לוקסמבורג +CountryMO=מקאו +CountryMK=מקדוניה, היוגוסלבית לשעבר של +CountryMG=מדגסקר +CountryMW=מלאווי +CountryMY=מלזיה +CountryMV=המלדיביים +CountryML=מלי +CountryMT=מלטה +CountryMH=איי מרשל +CountryMQ=מרטיניק +CountryMR=מאוריטניה +CountryMU=מאוריציוס +CountryYT=מיוט +CountryMX=מקסיקו +CountryFM=מיקרונזיה +CountryMD=מולדובה +CountryMN=מונגוליה +CountryMS=מונטסראט +CountryMZ=מוזמביק +CountryMM=מיאנמר (בורמה) +CountryNA=נמיביה +CountryNR=נאורו +CountryNP=נפאל +CountryAN=האנטילים ההולנדיים +CountryNC=קלדוניה החדשה +CountryNZ=ניו זילנד +CountryNI=ניקרגואה +CountryNE=ניז'ר +CountryNG=ניגריה +CountryNU=ניואה +CountryNF=האי נורפוק +CountryMP=איי מריאנה הצפוניים +CountryNO=נורווגיה +CountryOM=עומאן +CountryPK=פקיסטן +CountryPW=פלאו +CountryPS=שטח פלסטיני, כבוש +CountryPA=פנמה +CountryPG=פפואה גינאה החדשה +CountryPY=פרגוואי +CountryPE=פרו +CountryPH=פיליפינים +CountryPN=איי פיטקרן +CountryPL=פּוֹלִין +CountryPR=פוארטו ריקו +CountryQA=קטאר +CountryRE=איחוד +CountryRO=רומניה +CountryRW=רואנדה +CountrySH=סנט הלנה +CountryKN=סנט קיטס ונוויס +CountryLC=סנט לוסיה +CountryPM=סנט פייר ומיקלון +CountryVC=סנט וינסנט וגרנדינים +CountryWS=סמואה +CountrySM=סן מרינו +CountryST=סאו טומה ופרינסיפה +CountryRS=סרביה +CountrySC=איי סיישל +CountrySL=סיירה לאון +CountrySK=סלובקיה +CountrySI=סלובניה +CountrySB=איי שלמה +CountrySO=סומליה +CountryZA=דרום אפריקה +CountryGS=דרום ג'ורג'יה ואיי סנדוויץ' הדרומיים +CountryLK=סרי לנקה +CountrySD=סודן +CountrySR=סורינאם +CountrySJ=סבאלברד ויאן מאין +CountrySZ=סווזילנד +CountrySY=סורי +CountryTW=טייוואן +CountryTJ=טג'יקיסטן +CountryTZ=טנזניה +CountryTH=תאילנד +CountryTL=טימור-לסטה +CountryTK=טוקלאו +CountryTO=טונגה +CountryTT=טרינידד וטובגו +CountryTR=טורקיה +CountryTM=טורקמניסטן +CountryTC=איי טורקס וקאיקוס +CountryTV=טובאלו +CountryUG=אוגנדה +CountryUA=אוקראינה +CountryAE=איחוד האמירויות הערביות +CountryUM=איים מרוחקים של ארצות הברית +CountryUY=אורוגוואי +CountryUZ=אוזבקיסטן +CountryVU=ונואטו +CountryVE=ונצואלה +CountryVN=וייטנאם +CountryVG=איי הבתולה, הבריטים +CountryVI=איי הבתולה, ארה"ב +CountryWF=וואליס ופוטונה +CountryEH=סהרה המערבית +CountryYE=תֵימָן +CountryZM=זמביה +CountryZW=זימבבואה +CountryGG=גרנזי +CountryIM=האי מאן +CountryJE=ג'רזי +CountryME=מונטנגרו +CountryBL=סנט ברתלמי +CountryMF=מרטין הקדוש +CountryXK=קוסובו ##### Civilities ##### -CivilityMME=Mrs. -CivilityMR=Mr. -CivilityMLE=Ms. -CivilityMTRE=Master -CivilityDR=Doctor +CivilityMME=גברת. +CivilityMMEShort=גברת. +CivilityMR=אדון. +CivilityMRShort=אדון. +CivilityMLE=גברת. +CivilityMTRE=לִשְׁלוֹט +CivilityDR=דוֹקטוֹר ##### Currencies ##### -Currencyeuros=Euros -CurrencyAUD=AU Dollars -CurrencySingAUD=AU Dollar -CurrencyCAD=CAN Dollars -CurrencySingCAD=CAN Dollar -CurrencyCHF=Swiss Francs -CurrencySingCHF=Swiss Franc -CurrencyEUR=Euros -CurrencySingEUR=Euro -CurrencyFRF=French Francs -CurrencySingFRF=French Franc -CurrencyGBP=GB Pounds -CurrencySingGBP=GB Pound -CurrencyINR=Indian rupees -CurrencySingINR=Indian rupee -CurrencyMAD=Dirham -CurrencySingMAD=Dirham -CurrencyMGA=Ariary -CurrencySingMGA=Ariary -CurrencyMUR=Mauritius rupees -CurrencySingMUR=Mauritius rupee -CurrencyNOK=Norwegian krones -CurrencySingNOK=Norwegian kronas -CurrencyTND=Tunisian dinars -CurrencySingTND=Tunisian dinar -CurrencyUSD=US Dollars -CurrencySingUSD=US Dollar +Currencyeuros=יורו +CurrencyAUD=דולר AU +CurrencySingAUD=דולר AU +CurrencyCAD=דולרים CAN +CurrencySingCAD=דולר CAN +CurrencyCHF=פרנקים שוויצריים +CurrencySingCHF=פרנק שוויצרי +CurrencyEUR=יורו +CurrencySingEUR=יוֹרוֹ +CurrencyFRF=פרנק צרפתי +CurrencySingFRF=פרנק צרפתי +CurrencyGBP=GB פאונד +CurrencySingGBP=פאונד ג'יגה-בייט +CurrencyINR=רופי הודי +CurrencySingINR=רופי הודי +CurrencyMAD=דירהם +CurrencySingMAD=דירהם +CurrencyMGA=אריארי +CurrencySingMGA=אריארי +CurrencyMUR=רופי מאוריציוס +CurrencySingMUR=רופי מאוריציוס +CurrencyNOK=קרונות נורבגיות +CurrencySingNOK=קרונות נורבגיות +CurrencyTND=דינר תוניסאי +CurrencySingTND=דינר תוניסאי +CurrencyUSD=דולר אמריקני +CurrencySingUSD=דולר אמריקאי CurrencyUAH=Hryvnia CurrencySingUAH=Hryvnia -CurrencyXAF=CFA Francs BEAC -CurrencySingXAF=CFA Franc BEAC -CurrencyXOF=CFA Francs BCEAO -CurrencySingXOF=CFA Franc BCEAO -CurrencyXPF=CFP Francs -CurrencySingXPF=CFP Franc -CurrencyCentEUR=cents -CurrencyCentSingEUR=cent -CurrencyCentINR=paisa +CurrencyXAF=פרנק CFA BEAC +CurrencySingXAF=פרנק CFA BEAC +CurrencyXOF=פרנק CFA BCEAO +CurrencySingXOF=פרנק CFA BCEAO +CurrencyXPF=פרנק CFP +CurrencySingXPF=פרנק CFP +CurrencyCentEUR=סנטים +CurrencyCentSingEUR=סֶנט +CurrencyCentINR=פאיסה CurrencyCentSingINR=paise -CurrencyThousandthSingTND=thousandth +CurrencyThousandthSingTND=אָלְפִּית #### Input reasons ##### -DemandReasonTypeSRC_INTE=Internet -DemandReasonTypeSRC_CAMP_MAIL=Mailing campaign -DemandReasonTypeSRC_CAMP_EMAIL=EMailing campaign -DemandReasonTypeSRC_CAMP_PHO=Phone campaign -DemandReasonTypeSRC_CAMP_FAX=Fax campaign -DemandReasonTypeSRC_COMM=Commercial contact -DemandReasonTypeSRC_SHOP=Shop contact -DemandReasonTypeSRC_WOM=Word of mouth -DemandReasonTypeSRC_PARTNER=Partner -DemandReasonTypeSRC_EMPLOYEE=Employee -DemandReasonTypeSRC_SPONSORING=Sponsorship -DemandReasonTypeSRC_SRC_CUSTOMER=Incoming contact of a customer +DemandReasonTypeSRC_INTE=מרשתת +DemandReasonTypeSRC_CAMP_MAIL=קמפיין דיוור +DemandReasonTypeSRC_CAMP_EMAIL=מסע פרסום בדואר אלקטרוני +DemandReasonTypeSRC_CAMP_PHO=קמפיין טלפוני +DemandReasonTypeSRC_CAMP_FAX=קמפיין פקס +DemandReasonTypeSRC_COMM=קשר מסחרי +DemandReasonTypeSRC_SHOP=קשר בחנות +DemandReasonTypeSRC_WOM=מפה לאוזן +DemandReasonTypeSRC_PARTNER=בת זוג +DemandReasonTypeSRC_EMPLOYEE=עוֹבֵד +DemandReasonTypeSRC_SPONSORING=חָסוּת +DemandReasonTypeSRC_SRC_CUSTOMER=קשר נכנס של לקוח #### Paper formats #### -PaperFormatEU4A0=Format 4A0 -PaperFormatEU2A0=Format 2A0 -PaperFormatEUA0=Format A0 -PaperFormatEUA1=Format A1 -PaperFormatEUA2=Format A2 -PaperFormatEUA3=Format A3 -PaperFormatEUA4=Format A4 -PaperFormatEUA5=Format A5 -PaperFormatEUA6=Format A6 -PaperFormatUSLETTER=Format Letter US -PaperFormatUSLEGAL=Format Legal US -PaperFormatUSEXECUTIVE=Format Executive US -PaperFormatUSLEDGER=Format Ledger/Tabloid -PaperFormatCAP1=Format P1 Canada -PaperFormatCAP2=Format P2 Canada -PaperFormatCAP3=Format P3 Canada -PaperFormatCAP4=Format P4 Canada -PaperFormatCAP5=Format P5 Canada -PaperFormatCAP6=Format P6 Canada +PaperFormatEU4A0=פורמט 4A0 +PaperFormatEU2A0=פורמט 2A0 +PaperFormatEUA0=פורמט A0 +PaperFormatEUA1=פורמט A1 +PaperFormatEUA2=פורמט A2 +PaperFormatEUA3=פורמט A3 +PaperFormatEUA4=פורמט A4 +PaperFormatEUA5=פורמט A5 +PaperFormatEUA6=פורמט A6 +PaperFormatUSLETTER=פורמט אות US +PaperFormatUSLEGAL=פורמט Legal US +PaperFormatUSEXECUTIVE=פורמט Executive US +PaperFormatUSLEDGER=עיצוב Ledger/Tabloid +PaperFormatCAP1=פורמט P1 קנדה +PaperFormatCAP2=פורמט P2 קנדה +PaperFormatCAP3=פורמט P3 קנדה +PaperFormatCAP4=פורמט P4 קנדה +PaperFormatCAP5=פורמט P5 קנדה +PaperFormatCAP6=פורמט P6 קנדה #### Expense report categories #### -ExpAutoCat=Car -ExpCycloCat=Moped -ExpMotoCat=Motorbike -ExpAuto3CV=3 CV -ExpAuto4CV=4 CV -ExpAuto5CV=5 CV -ExpAuto6CV=6 CV -ExpAuto7CV=7 CV -ExpAuto8CV=8 CV -ExpAuto9CV=9 CV -ExpAuto10CV=10 CV -ExpAuto11CV=11 CV -ExpAuto12CV=12 CV -ExpAuto3PCV=3 CV and more -ExpAuto4PCV=4 CV and more -ExpAuto5PCV=5 CV and more -ExpAuto6PCV=6 CV and more -ExpAuto7PCV=7 CV and more -ExpAuto8PCV=8 CV and more -ExpAuto9PCV=9 CV and more -ExpAuto10PCV=10 CV and more -ExpAuto11PCV=11 CV and more -ExpAuto12PCV=12 CV and more -ExpAuto13PCV=13 CV and more -ExpCyclo=Capacity lower to 50cm3 -ExpMoto12CV=Motorbike 1 or 2 CV -ExpMoto345CV=Motorbike 3, 4 or 5 CV -ExpMoto5PCV=Motorbike 5 CV and more +ExpAutoCat=אוטו +ExpCycloCat=טוסטוס +ExpMotoCat=אוֹפנוֹעַ +ExpAuto3CV=3 קורות חיים +ExpAuto4CV=4 קורות חיים +ExpAuto5CV=5 קורות חיים +ExpAuto6CV=6 קורות חיים +ExpAuto7CV=7 קורות חיים +ExpAuto8CV=8 קורות חיים +ExpAuto9CV=9 קורות חיים +ExpAuto10CV=10 קורות חיים +ExpAuto11CV=11 קורות חיים +ExpAuto12CV=12 קורות חיים +ExpAuto3PCV=3 קורות חיים ועוד +ExpAuto4PCV=4 קורות חיים ועוד +ExpAuto5PCV=5 קורות חיים ועוד +ExpAuto6PCV=6 קורות חיים ועוד +ExpAuto7PCV=7 קורות חיים ועוד +ExpAuto8PCV=8 קורות חיים ועוד +ExpAuto9PCV=9 קורות חיים ועוד +ExpAuto10PCV=10 קורות חיים ועוד +ExpAuto11PCV=11 קורות חיים ועוד +ExpAuto12PCV=12 קורות חיים ועוד +ExpAuto13PCV=13 קורות חיים ועוד +ExpCyclo=קיבולת נמוכה יותר ל-50 ס"מ3 +ExpMoto12CV=אופנוע 1 או 2 קורות חיים +ExpMoto345CV=אופנוע 3, 4 או 5 קורות חיים +ExpMoto5PCV=אופנוע 5 קורות חיים ועוד diff --git a/htdocs/langs/he_IL/donations.lang b/htdocs/langs/he_IL/donations.lang index e554d722f9d..07ea184ae3d 100644 --- a/htdocs/langs/he_IL/donations.lang +++ b/htdocs/langs/he_IL/donations.lang @@ -1,34 +1,36 @@ # Dolibarr language file - Source file is en_US - donations -Donation=Donation +Donation=תרומה Donations=תרומות -DonationRef=Donation ref. -Donor=Donor -AddDonation=Create a donation -NewDonation=New donation -DeleteADonation=Delete a donation -ConfirmDeleteADonation=Are you sure you want to delete this donation? -PublicDonation=Public donation -DonationsArea=Donations area -DonationStatusPromiseNotValidated=Draft promise -DonationStatusPromiseValidated=Validated promise -DonationStatusPaid=Donation received -DonationStatusPromiseNotValidatedShort=Draft -DonationStatusPromiseValidatedShort=Validated -DonationStatusPaidShort=Received -DonationTitle=Donation receipt -DonationDate=Donation date -DonationDatePayment=Payment date -ValidPromess=Validate promise -DonationReceipt=Donation receipt -DonationsModels=Documents models for donation receipts -LastModifiedDonations=Latest %s modified donations -DonationRecipient=Donation recipient -IConfirmDonationReception=The recipient declare reception, as a donation, of the following amount -MinimumAmount=Minimum amount is %s -FreeTextOnDonations=Free text to show in footer -FrenchOptions=Options for France -DONATION_ART200=Show article 200 from CGI if you are concerned -DONATION_ART238=Show article 238 from CGI if you are concerned -DONATION_ART885=Show article 885 from CGI if you are concerned -DonationPayment=Donation payment -DonationValidated=Donation %s validated +DonationRef=תרומה נ. +Donor=תוֹרֵם +AddDonation=צור תרומה +NewDonation=תרומה חדשה +DeleteADonation=מחק תרומה +ConfirmDeleteADonation=האם אתה בטוח שברצונך למחוק את התרומה הזו? +PublicDonation=תרומה ציבורית +DonationsArea=אזור תרומות +DonationStatusPromiseNotValidated=טיוטת הבטחה +DonationStatusPromiseValidated=הבטחה מאומתת +DonationStatusPaid=תרומה התקבלה +DonationStatusPromiseNotValidatedShort=טְיוּטָה +DonationStatusPromiseValidatedShort=מאומת +DonationStatusPaidShort=קיבלו +DonationTitle=קבלה על תרומה +DonationDate=תאריך תרומה +DonationDatePayment=תאריך תשלום +ValidPromess=תוקף הבטחה +DonationReceipt=קבלה על תרומה +DonationsModels=מתעד דגמים לקבלת תרומות +LastModifiedDonations=התרומות האחרונות ששונו %s +DonationRecipient=מקבל תרומה +IConfirmDonationReception=הנמען מצהיר על קבלה, כתרומה, בסכום הבא +MinimumAmount=הסכום המינימלי הוא %s +FreeTextOnDonations=טקסט חופשי להצגה בכותרת התחתונה +FrenchOptions=אפשרויות עבור צרפת +DONATION_ART200=הצג מאמר 200 מ-CGI אם אתה מודאג +DONATION_ART238=הצג מאמר 238 מ-CGI אם אתה מודאג +DONATION_ART978=הצג מאמר 978 מ-CGI אם אתה מודאג +DonationPayment=תשלום תרומה +DonationValidated=אומתה תרומה %s +DonationUseThirdparties=השתמש בכתובת של צד שלישי קיים ככתובת של התורם +DonationsStatistics=סטטיסטיקה של תרומה diff --git a/htdocs/langs/he_IL/ecm.lang b/htdocs/langs/he_IL/ecm.lang index 9a316f36970..be23f61834b 100644 --- a/htdocs/langs/he_IL/ecm.lang +++ b/htdocs/langs/he_IL/ecm.lang @@ -1,49 +1,56 @@ # Dolibarr language file - Source file is en_US - ecm -ECMNbOfDocs=No. of documents in directory +ECMNbOfDocs=מספר מסמכים בספרייה ECMSection=מדריך -ECMSectionManual=Manual directory -ECMSectionAuto=Automatic directory -ECMSectionsManual=Manual tree -ECMSectionsAuto=Automatic tree -ECMSections=Directories -ECMRoot=ECM Root -ECMNewSection=New directory -ECMAddSection=Add directory -ECMCreationDate=Creation date -ECMNbOfFilesInDir=Number of files in directory -ECMNbOfSubDir=Number of sub-directories -ECMNbOfFilesInSubDir=Number of files in sub-directories -ECMCreationUser=Creator -ECMArea=DMS/ECM area -ECMAreaDesc=The DMS/ECM (Document Management System / Electronic Content Management) area allows you to save, share and search quickly all kind of documents in Dolibarr. -ECMAreaDesc2=* Automatic directories are filled automatically when adding documents from card of an element.
      * Manual directories can be used to save documents not linked to a particular element. -ECMSectionWasRemoved=Directory %s has been deleted. -ECMSectionWasCreated=Directory %s has been created. -ECMSearchByKeywords=Search by keywords -ECMSearchByEntity=Search by object -ECMSectionOfDocuments=Directories of documents -ECMTypeAuto=Automatic -ECMDocsBy=Documents linked to %s -ECMNoDirectoryYet=No directory created -ShowECMSection=Show directory -DeleteSection=Remove directory -ConfirmDeleteSection=Can you confirm you want to delete the directory %s? -ECMDirectoryForFiles=Relative directory for files -CannotRemoveDirectoryContainsFilesOrDirs=Removal not possible because it contains some files or sub-directories -CannotRemoveDirectoryContainsFiles=Removal not possible because it contains some files -ECMFileManager=File manager -ECMSelectASection=Select a directory in the tree... -DirNotSynchronizedSyncFirst=This directory seems to be created or modified outside ECM module. You must click on "Resync" button first to synchronize disk and database to get content of this directory. -ReSyncListOfDir=Resync list of directories -HashOfFileContent=Hash of file content -NoDirectoriesFound=No directories found -FileNotYetIndexedInDatabase=File not yet indexed into database (try to re-upload it) +ECMSectionManual=ספרייה ידנית +ECMSectionAuto=ספרייה אוטומטית +ECMSectionsManual=עץ ידני פרטי +ECMSectionsAuto=עץ אוטומטי פרטי +ECMSectionsMedias=עץ ציבורי +ECMSections=מדריכים +ECMRoot=שורש ECM +ECMNewSection=ספרייה חדשה +ECMAddSection=הוסף ספרייה +ECMCreationDate=תאריך היווצרות +ECMNbOfFilesInDir=מספר הקבצים בספרייה +ECMNbOfSubDir=מספר ספריות משנה +ECMNbOfFilesInSubDir=מספר הקבצים בספריות המשנה +ECMCreationUser=בורא +ECMArea=אזור DMS/ECM +ECMAreaDesc=אזור ה-DMS/ECM (מערכת ניהול מסמכים / ניהול תוכן אלקטרוני) מאפשר לך לשמור, לשתף ולחפש במהירות את כל סוגי המסמכים ב-Dolibarr. +ECMAreaDesc2a=* ספריות ידניות יכולות לשמש לשמירת מסמכים עם ארגון חופשי של מבנה העץ. +ECMAreaDesc2b=* ספריות אוטומטיות מתמלאות אוטומטית בעת הוספת מסמכים מהעמוד של אלמנט. +ECMAreaDesc3=* ספריות ציבוריות הן קבצים לתוך ספריית המשנה /medias של ספריית המסמכים, ניתנות לקריאה על ידי כולם ללא צורך ברישום ואין צורך לשתף את הקובץ במפורש. הוא משמש לאחסון קבצי תמונה עבור מודול שליחת האימייל או האתר, למשל. +ECMSectionWasRemoved=הספרייה %s נמחקה. +ECMSectionWasCreated=המדריך %s נוצר. +ECMSearchByKeywords=חפש לפי מילות מפתח +ECMSearchByEntity=חיפוש לפי אובייקט +ECMSectionOfDocuments=ספריות מסמכים +ECMTypeAuto=אוֹטוֹמָטִי +ECMDocsBy=מסמכים המקושרים אל %s +ECMNoDirectoryYet=לא נוצרה ספרייה +ShowECMSection=הצג ספרייה +DeleteSection=הסר ספרייה +ConfirmDeleteSection=האם אתה יכול לאשר שאתה רוצה למחוק את הספרייה %s? +ECMDirectoryForFiles=ספרייה יחסית לקבצים +CannotRemoveDirectoryContainsFilesOrDirs=הסרה לא אפשרית מכיוון שהיא מכילה כמה קבצים או ספריות משנה +CannotRemoveDirectoryContainsFiles=הסרה לא אפשרית מכיוון שהיא מכילה כמה קבצים +ECMFileManager=מנהל קבצים +ECMSelectASection=בחר ספרייה בעץ... +DirNotSynchronizedSyncFirst=נראה כי ספרייה זו נוצרה או שונה מחוץ למודול ECM. תחילה עליך ללחוץ על כפתור "סנכרן מחדש" כדי לסנכרן את הדיסק ומסד הנתונים כדי לקבל תוכן של ספרייה זו. +ReSyncListOfDir=סנכרן מחדש את רשימת הספריות +HashOfFileContent=Hash של תוכן הקובץ +NoDirectoriesFound=לא נמצאו ספריות +FileNotYetIndexedInDatabase=קובץ שעדיין לא הוכנס לאינדקס למסד הנתונים (נסה להעלות אותו מחדש) ExtraFieldsEcmFiles=Extrafields Ecm Files -ExtraFieldsEcmDirectories=Extrafields Ecm Directories -ECMSetup=ECM Setup -GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... -ConfirmImgWebpCreation=Confirm all images duplication -SucessConvertImgWebp=Images successfully duplicated -ECMDirName=Dir name -ECMParentDirectory=Parent directory +ExtraFieldsEcmDirectories=Extrafields Ecm מדריכים +ECMSetup=הגדרת ECM +GenerateImgWebp=שכפל את כל התמונות עם גרסה אחרת עם פורמט .webp +ConfirmGenerateImgWebp=אם תאשר, תיצור תמונה בפורמט .webp עבור כל התמונות שנמצאות כעת בתיקייה זו (תיקיות משנה אינן כלולות, תמונות webp לא יופקו אם הגודל גדול מהמקור)... +ConfirmImgWebpCreation=אשר את כל שכפול התמונות +GenerateChosenImgWebp=שכפל תמונה נבחרת עם גרסה אחרת עם פורמט .webp +ConfirmGenerateChosenImgWebp=אם תאשר, תיצור תמונה בפורמט .webp עבור התמונה %s +ConfirmChosenImgWebpCreation=אשר את שכפול התמונות שנבחרו +SucessConvertImgWebp=התמונות שוכפלו בהצלחה +SucessConvertChosenImgWebp=התמונה שנבחרה שוכפלה בהצלחה +ECMDirName=שם דיר +ECMParentDirectory=ספריית הורים diff --git a/htdocs/langs/he_IL/errors.lang b/htdocs/langs/he_IL/errors.lang index 20f5b6f264a..d1bf4231318 100644 --- a/htdocs/langs/he_IL/errors.lang +++ b/htdocs/langs/he_IL/errors.lang @@ -1,334 +1,406 @@ # Dolibarr language file - Source file is en_US - errors # No errors -NoErrorCommitIsDone=No error, we commit +NoErrorCommitIsDone=אין טעות, אנו מתחייבים # Errors -ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is incorrect -ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) -ErrorBadUrl=Url %s is incorrect -ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. -ErrorRefAlreadyExists=Reference %s already exists. -ErrorLoginAlreadyExists=Login %s already exists. -ErrorGroupAlreadyExists=Group %s already exists. -ErrorEmailAlreadyExists=Email %s already exists. -ErrorRecordNotFound=Record not found. -ErrorFailToCopyFile=Failed to copy file '%s' into '%s'. -ErrorFailToCopyDir=Failed to copy directory '%s' into '%s'. -ErrorFailToRenameFile=Failed to rename file '%s' into '%s'. -ErrorFailToDeleteFile=Failed to remove file '%s'. -ErrorFailToCreateFile=Failed to create file '%s'. -ErrorFailToRenameDir=Failed to rename directory '%s' into '%s'. -ErrorFailToCreateDir=Failed to create directory '%s'. -ErrorFailToDeleteDir=Failed to delete directory '%s'. -ErrorFailToMakeReplacementInto=Failed to make replacement into file '%s'. -ErrorFailToGenerateFile=Failed to generate file '%s'. -ErrorThisContactIsAlreadyDefinedAsThisType=This contact is already defined as contact for this type. -ErrorCashAccountAcceptsOnlyCashMoney=This bank account is a cash account, so it accepts payments of type cash only. -ErrorFromToAccountsMustDiffers=Source and targets bank accounts must be different. -ErrorBadThirdPartyName=Bad value for third-party name -ForbiddenBySetupRules=Forbidden by setup rules -ErrorProdIdIsMandatory=The %s is mandatory -ErrorAccountancyCodeCustomerIsMandatory=The accountancy code of customer %s is mandatory -ErrorBadCustomerCodeSyntax=Bad syntax for customer code -ErrorBadBarCodeSyntax=Bad syntax for barcode. May be you set a bad barcode type or you defined a barcode mask for numbering that does not match value scanned. -ErrorCustomerCodeRequired=Customer code required -ErrorBarCodeRequired=Barcode required -ErrorCustomerCodeAlreadyUsed=Customer code already used -ErrorBarCodeAlreadyUsed=Barcode already used -ErrorPrefixRequired=Prefix required -ErrorBadSupplierCodeSyntax=Bad syntax for vendor code -ErrorSupplierCodeRequired=Vendor code required -ErrorSupplierCodeAlreadyUsed=Vendor code already used -ErrorBadParameters=Bad parameters -ErrorWrongParameters=Wrong or missing parameters -ErrorBadValueForParameter=Wrong value '%s' for parameter '%s' -ErrorBadImageFormat=Image file has not a supported format (Your PHP does not support functions to convert images of this format) -ErrorBadDateFormat=Value '%s' has wrong date format -ErrorWrongDate=Date is not correct! -ErrorFailedToWriteInDir=Failed to write in directory %s -ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) -ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields have been left blank. -ErrorSubjectIsRequired=The email subject is required -ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). -ErrorNoMailDefinedForThisUser=No mail defined for this user -ErrorSetupOfEmailsNotComplete=Setup of emails is not complete -ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display. -ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'. -ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id. -ErrorFileNotFound=File %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter) -ErrorDirNotFound=Directory %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter) -ErrorFunctionNotAvailableInPHP=Function %s is required for this feature but is not available in this version/setup of PHP. -ErrorDirAlreadyExists=A directory with this name already exists. -ErrorFileAlreadyExists=A file with this name already exists. -ErrorDestinationAlreadyExists=Another file with the name %s already exists. -ErrorPartialFile=File not received completely by server. -ErrorNoTmpDir=Temporary directy %s does not exists. -ErrorUploadBlockedByAddon=Upload blocked by a PHP/Apache plugin. -ErrorFileSizeTooLarge=File size is too large. -ErrorFieldTooLong=Field %s is too long. -ErrorSizeTooLongForIntType=Size too long for int type (%s digits maximum) -ErrorSizeTooLongForVarcharType=Size too long for string type (%s chars maximum) -ErrorNoValueForSelectType=Please fill value for select list -ErrorNoValueForCheckBoxType=Please fill value for checkbox list -ErrorNoValueForRadioType=Please fill value for radio list -ErrorBadFormatValueList=The list value cannot have more than one comma: %s, but need at least one: key,value -ErrorFieldCanNotContainSpecialCharacters=The field %s must not contains special characters. -ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters and cannot contain only numbers. -ErrorFieldMustHaveXChar=The field %s must have at least %s characters. -ErrorNoAccountancyModuleLoaded=No accountancy module activated -ErrorExportDuplicateProfil=This profile name already exists for this export set. -ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete. -ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors. -ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled. -ErrorRefAlreadyExists=Reference %s already exists. -ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD) -ErrorRecordHasChildren=Failed to delete record since it has some child records. -ErrorRecordHasAtLeastOneChildOfType=Object %s has at least one child of type %s -ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into another object. -ErrorModuleRequireJavascript=Javascript must not be disabled to have this feature working. To enable/disable Javascript, go to menu Home->Setup->Display. -ErrorPasswordsMustMatch=Both typed passwords must match each other -ErrorContactEMail=A technical error occured. Please, contact administrator to following email %s and provide the error code %s in your message, or add a screen copy of this page. -ErrorWrongValueForField=Field %s: '%s' does not match regex rule %s -ErrorFieldValueNotIn=Field %s: '%s' is not a value found in field %s of %s -ErrorFieldRefNotIn=Field %s: '%s' is not a %s existing ref -ErrorsOnXLines=%s errors found -ErrorFileIsInfectedWithAVirus=The antivirus program was not able to validate the file (file might be infected by a virus) -ErrorSpecialCharNotAllowedForField=Special characters are not allowed for field "%s" -ErrorNumRefModel=A reference exists into database (%s) and is not compatible with this numbering rule. Remove record or renamed reference to activate this module. -ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this vendor -ErrorOrdersNotCreatedQtyTooLow=Some orders haven't been created because of too-low quantities -ErrorModuleSetupNotComplete=Setup of module %s looks to be uncomplete. Go on Home - Setup - Modules to complete. -ErrorBadMask=Error on mask -ErrorBadMaskFailedToLocatePosOfSequence=Error, mask without sequence number -ErrorBadMaskBadRazMonth=Error, bad reset value -ErrorMaxNumberReachForThisMask=Maximum number reached for this mask -ErrorCounterMustHaveMoreThan3Digits=Counter must have more than 3 digits -ErrorSelectAtLeastOne=Error, select at least one entry. -ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transaction that is conciliated -ErrorProdIdAlreadyExist=%s is assigned to another third -ErrorFailedToSendPassword=Failed to send password -ErrorFailedToLoadRSSFile=Fails to get RSS feed. Try to add constant MAIN_SIMPLEXMLLOAD_DEBUG if error messages does not provide enough information. -ErrorForbidden=Access denied.
      You try to access to a page, area or feature of a disabled module or without being in an authenticated session or that is not allowed to your user. -ErrorForbidden2=Permission for this login can be defined by your Dolibarr administrator from menu %s->%s. -ErrorForbidden3=It seems that Dolibarr is not used through an authenticated session. Take a look at Dolibarr setup documentation to know how to manage authentications (htaccess, mod_auth or other...). -ErrorForbidden4=Note: clear your browser cookies to destroy existing sessions for this login. -ErrorNoImagickReadimage=Class Imagick is not found in this PHP. No preview can be available. Administrators can disable this tab from menu Setup - Display. -ErrorRecordAlreadyExists=Record already exists -ErrorLabelAlreadyExists=This label already exists -ErrorCantReadFile=Failed to read file '%s' -ErrorCantReadDir=Failed to read directory '%s' -ErrorBadLoginPassword=Bad value for login or password -ErrorLoginDisabled=Your account has been disabled -ErrorFailedToRunExternalCommand=Failed to run external command. Check it is available and runnable by your PHP server user. Check also the command is not protected on shell level by a security layer like apparmor. -ErrorFailedToChangePassword=Failed to change password -ErrorLoginDoesNotExists=User with login %s could not be found. -ErrorLoginHasNoEmail=This user has no email address. Process aborted. -ErrorBadValueForCode=Bad value for security code. Try again with new value... -ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines (net of tax) can't be negative for a given not null VAT rate (Found a negative total for VAT rate %s%%). -ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. -ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative -ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that -ErrorNoActivatedBarcode=No barcode type activated -ErrUnzipFails=Failed to unzip %s with ZipArchive -ErrNoZipEngine=No engine to zip/unzip %s file in this PHP -ErrorFileMustBeADolibarrPackage=The file %s must be a Dolibarr zip package -ErrorModuleFileRequired=You must select a Dolibarr module package file -ErrorPhpCurlNotInstalled=The PHP CURL is not installed, this is essential to talk with Paypal -ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP base -ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base -ErrorNewValueCantMatchOldValue=New value can't be equal to old one -ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process. -ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check database server is running (for example, with mysql/mariadb, you can launch it from command line with 'sudo service mysql start'). -ErrorFailedToAddContact=Failed to add contact -ErrorDateMustBeBeforeToday=The date must be lower than today -ErrorDateMustBeInFuture=The date must be greater than today -ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode. -ErrorPHPNeedModule=Error, your PHP must have module %s installed to use this feature. -ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s -ErrorWarehouseMustDiffers=Source and target warehouses must differs -ErrorBadFormat=Bad format! -ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any third party. Link member to an existing third party or create a new third party before creating subscription with invoice. -ErrorThereIsSomeDeliveries=Error, there is some deliveries linked to this shipment. Deletion refused. -ErrorCantDeletePaymentReconciliated=Can't delete a payment that had generated a bank entry that was reconciled -ErrorCantDeletePaymentSharedWithPayedInvoice=Can't delete a payment shared by at least one invoice with status Paid -ErrorPriceExpression1=Cannot assign to constant '%s' -ErrorPriceExpression2=Cannot redefine built-in function '%s' -ErrorPriceExpression3=Undefined variable '%s' in function definition -ErrorPriceExpression4=Illegal character '%s' -ErrorPriceExpression5=Unexpected '%s' -ErrorPriceExpression6=Wrong number of arguments (%s given, %s expected) -ErrorPriceExpression8=Unexpected operator '%s' -ErrorPriceExpression9=An unexpected error occured -ErrorPriceExpression10=Operator '%s' lacks operand -ErrorPriceExpression11=Expecting '%s' -ErrorPriceExpression14=Division by zero -ErrorPriceExpression17=Undefined variable '%s' -ErrorPriceExpression19=Expression not found -ErrorPriceExpression20=Empty expression -ErrorPriceExpression21=Empty result '%s' -ErrorPriceExpression22=Negative result '%s' -ErrorPriceExpression23=Unknown or non set variable '%s' in %s -ErrorPriceExpression24=Variable '%s' exists but has no value -ErrorPriceExpressionInternal=Internal error '%s' -ErrorPriceExpressionUnknown=Unknown error '%s' -ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs -ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on product '%s' requiring lot/serial information -ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=All recorded receptions must first be verified (approved or denied) before being allowed to do this action -ErrorCantSetReceptionToTotalDoneWithReceptionDenied=All recorded receptions must first be verified (approved) before being allowed to do this action -ErrorGlobalVariableUpdater0=HTTP request failed with error '%s' -ErrorGlobalVariableUpdater1=Invalid JSON format '%s' -ErrorGlobalVariableUpdater2=Missing parameter '%s' -ErrorGlobalVariableUpdater3=The requested data was not found in result -ErrorGlobalVariableUpdater4=SOAP client failed with error '%s' -ErrorGlobalVariableUpdater5=No global variable selected -ErrorFieldMustBeANumeric=Field %s must be a numeric value -ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided -ErrorOppStatusRequiredIfAmount=You set an estimated amount for this lead. So you must also enter it's status. -ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s -ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu) -ErrorSavingChanges=An error has occurred when saving the changes -ErrorWarehouseRequiredIntoShipmentLine=Warehouse is required on the line to ship -ErrorFileMustHaveFormat=File must have format %s -ErrorFilenameCantStartWithDot=Filename can't start with a '.' -ErrorSupplierCountryIsNotDefined=Country for this vendor is not defined. Correct this first. -ErrorsThirdpartyMerge=Failed to merge the two records. Request canceled. -ErrorStockIsNotEnoughToAddProductOnOrder=Stock is not enough for product %s to add it into a new order. -ErrorStockIsNotEnoughToAddProductOnInvoice=Stock is not enough for product %s to add it into a new invoice. -ErrorStockIsNotEnoughToAddProductOnShipment=Stock is not enough for product %s to add it into a new shipment. -ErrorStockIsNotEnoughToAddProductOnProposal=Stock is not enough for product %s to add it into a new proposal. -ErrorFailedToLoadLoginFileForMode=Failed to get the login key for mode '%s'. -ErrorModuleNotFound=File of module was not found. -ErrorFieldAccountNotDefinedForBankLine=Value for Accounting account not defined for source line id %s (%s) -ErrorFieldAccountNotDefinedForInvoiceLine=Value for Accounting account not defined for invoice id %s (%s) -ErrorFieldAccountNotDefinedForLine=Value for Accounting account not defined for the line (%s) -ErrorBankStatementNameMustFollowRegex=Error, bank statement name must follow the following syntax rule %s -ErrorPhpMailDelivery=Check that you don't use a too high number of recipients and that your email content is not similar to a Spam. Ask also your administrator to check firewall and server logs files for a more complete information. -ErrorUserNotAssignedToTask=User must be assigned to task to be able to enter time consumed. -ErrorTaskAlreadyAssigned=Task already assigned to user -ErrorModuleFileSeemsToHaveAWrongFormat=The module package seems to have a wrong format. -ErrorModuleFileSeemsToHaveAWrongFormat2=At least one mandatory directory must exists into zip of module: %s or %s -ErrorFilenameDosNotMatchDolibarrPackageRules=The name of the module package (%s) does not match expected name syntax: %s -ErrorDuplicateTrigger=Error, duplicate trigger name %s. Already loaded from %s. -ErrorNoWarehouseDefined=Error, no warehouses defined. -ErrorBadLinkSourceSetButBadValueForRef=The link you use is not valid. A 'source' for payment is defined, but value for 'ref' is not valid. -ErrorTooManyErrorsProcessStopped=Too many errors. Process was stopped. -ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Mass validation is not possible when option to increase/decrease stock is set on this action (you must validate one by one so you can define the warehouse to increase/decrease) -ErrorObjectMustHaveStatusDraftToBeValidated=Object %s must have status 'Draft' to be validated. -ErrorObjectMustHaveLinesToBeValidated=Object %s must have lines to be validated. -ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Only validated invoices can be sent using the "Send by email" mass action. -ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a predefined product or not -ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before. -ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently. -ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference. -ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number. -ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product -ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use -ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually. -ErrorBadSyntaxForParamKeyForContent=Bad syntax for param keyforcontent. Must have a value starting with %s or %s -ErrorVariableKeyForContentMustBeSet=Error, the constant with name %s (with text content to show) or %s (with external url to show) must be set. -ErrorURLMustEndWith=URL %s must end %s -ErrorURLMustStartWithHttp=URL %s must start with http:// or https:// -ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// -ErrorNewRefIsAlreadyUsed=Error, the new reference is already used -ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible. -ErrorSearchCriteriaTooSmall=Search criteria too small. -ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to be disabled -ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled -ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. -ErrorFieldRequiredForProduct=Field '%s' is required for product %s -ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. -ErrorAddAtLeastOneLineFirst=Add at least one line first -ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, record is already transferred in accounting, deletion is not possible. -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one. -ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s". -ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty -ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number -ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number -ErrorFailedToReadObject=Error, failed to read object of type %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler -ErrorLoginDateValidity=Error, this login is outside the validity date range -ErrorValueLength=Length of field '%s' must be higher than '%s' -ErrorReservedKeyword=The word '%s' is a reserved keyword -ErrorNotAvailableWithThisDistribution=Not available with this distribution -ErrorPublicInterfaceNotEnabled=Public interface was not enabled -ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page -ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page -ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation -ErrorDateIsInFuture=Error, the date can't be in the future -ErrorAnAmountWithoutTaxIsRequired=Error, amount is mandatory -ErrorAPercentIsRequired=Error, please fill in the percentage correctly -ErrorYouMustFirstSetupYourChartOfAccount=You must first setup your chart of account -ErrorFailedToFindEmailTemplate=Failed to find template with code name %s -ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Duration not defined on service. No way to calculate the hourly price. -ErrorActionCommPropertyUserowneridNotDefined=User's owner is required -ErrorActionCommBadType=Selected event type (id: %s, code: %s) do not exist in Event Type dictionary -CheckVersionFail=Version check fail -ErrorWrongFileName=Name of the file cannot have __SOMETHING__ in it -ErrorNotInDictionaryPaymentConditions=Not in Payment Terms Dictionary, please modify. -ErrorIsNotADraft=%s is not a draft -ErrorExecIdFailed=Can't execute command "id" -ErrorBadCharIntoLoginName=Unauthorized character in the login name -ErrorRequestTooLarge=Error, request too large +ErrorButCommitIsDone=נמצאו שגיאות אך אנו מאשרים למרות זאת +ErrorBadEMail=כתובת האימייל %s שגויה +ErrorBadMXDomain=דוא"ל %s נראה שגוי (לדומיין אין רשומת MX חוקית) +ErrorBadUrl=כתובת האתר %s שגויה +ErrorBadValueForParamNotAString=ערך גרוע לפרמטר שלך. זה מצורף בדרך כלל כאשר חסר תרגום. +ErrorRefAlreadyExists=הפניה %s כבר קיימת. +ErrorTitleAlreadyExists=הכותרת %s כבר קיימת. +ErrorLoginAlreadyExists=הכניסה %s כבר קיימת. +ErrorGroupAlreadyExists=הקבוצה %s כבר קיימת. +ErrorEmailAlreadyExists=דוא"ל %s כבר קיים. +ErrorRecordNotFound=רשומה לא נמצאה. +ErrorRecordNotFoundShort=לא נמצא +ErrorFailToCopyFile=נכשלה העתקת הקובץ '%s' אל '%s'. +ErrorFailToCopyDir=נכשלה העתקת הספרייה '%s' אל '%s'. +ErrorFailToRenameFile=נכשל שינוי שם הקובץ '%s' ל-'%s'. +ErrorFailToDeleteFile=הסרת הקובץ '%s' נכשלה. +ErrorFailToCreateFile=יצירת הקובץ '%s' נכשלה. +ErrorFailToRenameDir=נכשל שינוי שם הספרייה '%s' ל-'%s'. +ErrorFailToCreateDir=יצירת הספרייה '%s' נכשלה. +ErrorFailToDeleteDir=מחיקת הספרייה '%s' נכשלה. +ErrorFailToMakeReplacementInto=נכשל ביצוע ההחלפה לקובץ '%s'. +ErrorFailToGenerateFile=יצירת הקובץ '%s' נכשלה. +ErrorThisContactIsAlreadyDefinedAsThisType=איש קשר זה כבר מוגדר כאיש קשר עבור סוג זה. +ErrorCashAccountAcceptsOnlyCashMoney=חשבון בנק זה הוא חשבון מזומן, ולכן הוא מקבל תשלומים מסוג מזומן בלבד. +ErrorFromToAccountsMustDiffers=חשבונות בנק מקור ויעדים חייבים להיות שונים. +ErrorBadThirdPartyName=ערך גרוע עבור שם צד שלישי +ForbiddenBySetupRules=אסור לפי כללי ההגדרה +ErrorProdIdIsMandatory=ה-%s הוא חובה +ErrorAccountancyCodeCustomerIsMandatory=קוד הנהלת החשבונות של הלקוח %s הוא חובה +ErrorAccountancyCodeSupplierIsMandatory=קוד הנהלת החשבונות של הספק %s הוא חובה +ErrorBadCustomerCodeSyntax=תחביר גרוע עבור קוד הלקוח +ErrorBadBarCodeSyntax=תחביר גרוע לברקוד. יכול להיות שהגדרת סוג ברקוד גרוע או שהגדרת מסכת ברקוד למספור שאינה תואמת את הערך שנסרק. +ErrorCustomerCodeRequired=נדרש קוד לקוח +ErrorBarCodeRequired=נדרש ברקוד +ErrorCustomerCodeAlreadyUsed=קוד הלקוח כבר בשימוש +ErrorBarCodeAlreadyUsed=ברקוד כבר בשימוש +ErrorPrefixRequired=נדרשת קידומת +ErrorBadSupplierCodeSyntax=תחביר גרוע עבור קוד הספק +ErrorSupplierCodeRequired=נדרש קוד ספק +ErrorSupplierCodeAlreadyUsed=קוד הספק כבר בשימוש +ErrorBadParameters=פרמטרים גרועים +ErrorWrongParameters=פרמטרים שגויים או חסרים +ErrorBadValueForParameter=ערך שגוי '%s' עבור הפרמטר '%s' +ErrorBadImageFormat=לקובץ תמונה אין פורמט נתמך (ה-PHP שלך אינו תומך בפונקציות להמרת תמונות בפורמט זה) +ErrorBadDateFormat=לערך '%s' יש פורמט תאריך שגוי +ErrorWrongDate=התאריך לא נכון! +ErrorFailedToWriteInDir=נכשל כתיבה בספרייה %s +ErrorFailedToBuildArchive=בניית קובץ הארכיון נכשלה %s +ErrorFoundBadEmailInFile=נמצא תחביר דוא"ל שגוי עבור שורות %s בקובץ (שורה לדוגמא %s עם email=b0ecb2ec87f49f /span>) +ErrorUserCannotBeDelete=לא ניתן למחוק את המשתמש. אולי זה משויך לישויות Dolibarr. +ErrorFieldsRequired=כמה שדות חובה נותרו ריקים. +ErrorSubjectIsRequired=נושא הדוא"ל נדרש +ErrorFailedToCreateDir=יצירת ספרייה נכשלה. בדוק שלמשתמש שרת האינטרנט יש הרשאות לכתוב לתוך ספריית המסמכים של Dolibarr. אם הפרמטר safe_mode מופעל ב-PHP הזה, בדוק שקובצי php של Dolibarr הם הבעלים של משתמש (או קבוצה) של שרת האינטרנט. +ErrorNoMailDefinedForThisUser=לא הוגדר דואר עבור משתמש זה +ErrorSetupOfEmailsNotComplete=הגדרת המיילים לא הושלמה +ErrorFeatureNeedJavascript=תכונה זו זקוקה ל-JavaScript כדי לפעול. שנה זאת בהגדרות - תצוגה. +ErrorTopMenuMustHaveAParentWithId0=לתפריט מסוג 'למעלה' לא יכול להיות תפריט אב. שים 0 בתפריט האב או בחר תפריט מסוג 'שמאל'. +ErrorLeftMenuMustHaveAParentId=תפריט מסוג 'שמאל' חייב להיות בעל מזהה אב. +ErrorFileNotFound=הקובץ %s לא נמצא (נתיב שגוי, הרשאות או הרשאות שגויות נדחה על ידי PHP openbasedir או פרמטר safe_mode) +ErrorDirNotFound=הספרייה %s לא נמצאה (נתיב שגוי, הרשאות או הרשאות שגויות נדחה על ידי PHP openbasedir או פרמטר safe_mode) +ErrorFunctionNotAvailableInPHP=הפונקציה %s נדרשת עבור תכונה זו אך אינה זמינה ב- גרסה/הגדרה זו של PHP. +ErrorDirAlreadyExists=ספרייה בשם זה כבר קיימת. +ErrorDirNotWritable=הספרייה %s אינה ניתנת לכתיבה. +ErrorFileAlreadyExists=קובץ בשם זה כבר קיים. +ErrorDestinationAlreadyExists=קובץ אחר בשם %s כבר קיים. +ErrorPartialFile=הקובץ לא התקבל לחלוטין על ידי השרת. +ErrorNoTmpDir=הספרייה הזמנית %s אינה קיימת. +ErrorUploadBlockedByAddon=העלאה חסומה על ידי תוסף PHP/Apache. +ErrorFileSizeTooLarge=גודל הקובץ גדול מדי או שהקובץ לא סופק. +ErrorFieldTooLong=השדה %s ארוך מדי. +ErrorSizeTooLongForIntType=גודל ארוך מדי עבור סוג int (%s ספרות מקסימום) +ErrorSizeTooLongForVarcharType=גודל ארוך מדי עבור סוג המחרוזת (%s מקסימום תווים) +ErrorNoValueForSelectType=נא למלא ערך עבור רשימה נבחרת +ErrorNoValueForCheckBoxType=אנא מלא ערך עבור רשימת תיבת הסימון +ErrorNoValueForRadioType=נא למלא ערך עבור רשימת הרדיו +ErrorBadFormatValueList=ערך הרשימה לא יכול לכלול יותר מפסיק אחד: %s, אבל צריך לפחות אחד: מפתח, ערך +ErrorFieldCanNotContainSpecialCharacters=השדה %s אינו יכול להכיל תווים מיוחדים. +ErrorFieldCanNotContainSpecialNorUpperCharacters=השדה %s אינו יכול להכיל תווים מיוחדים וגם לא אותיות רישיות תווים, ועליו להתחיל עם תו אלפביתי (א-ז) +ErrorFieldMustHaveXChar=השדה %s חייב להכיל לפחות %s תווים. +ErrorNoAccountancyModuleLoaded=לא הופעל מודול הנהלת חשבונות +ErrorExportDuplicateProfil=שם הפרופיל הזה כבר קיים עבור ערכת ייצוא זו. +ErrorLDAPSetupNotComplete=התאמת Dolibarr-LDAP לא הושלמה. +ErrorLDAPMakeManualTest=קובץ .ldif נוצר בספרייה %s. נסה לטעון אותו ידנית משורת הפקודה כדי לקבל מידע נוסף על שגיאות. +ErrorCantSaveADoneUserWithZeroPercentage=לא ניתן לשמור פעולה עם "סטטוס לא התחיל" אם גם השדה "בוצע על ידי" ממולא. +ErrorRefAlreadyExists=הפניה %s כבר קיימת. +ErrorPleaseTypeBankTransactionReportName=נא להזין את שם דף חשבון הבנק שבו יש לדווח על הרישום (פורמט YYYYMM או YYYYMMDD) +ErrorRecordHasChildren=מחיקת הרשומה נכשלה מכיוון שיש לה כמה רשומות צאצא. +ErrorRecordHasAtLeastOneChildOfType=לאובייקט %s יש לפחות בן אחד מסוג %s +ErrorRecordIsUsedCantDelete=לא ניתן למחוק רשומה. הוא כבר בשימוש או נכלל באובייקט אחר. +ErrorModuleRequireJavascript=אין להשבית את JavaScript כדי שתכונה זו תפעל. כדי להפעיל/להשבית JavaScript, עבור לתפריט בית->הגדרות->תצוגה. +ErrorPasswordsMustMatch=שתי הסיסמאות המוקלדות חייבות להתאים זו לזו +ErrorContactEMail=אירעה שגיאה טכנית. אנא צור קשר עם מנהל המערכת כדי לשלוח את הדוא"ל %s ולספק את השגיאה קוד %s בהודעה שלך, או הוסף עותק מסך של הדף הזה. +ErrorWrongValueForField=שדה %s: ' %s' אינו תואם את כלל הביטוי הרגולרי b065837f %s +ErrorHtmlInjectionForField=שדה %s: הערך '%s' מכיל נתונים זדוניים אסורים +ErrorFieldValueNotIn=שדה %s: ' %s' אינו ערך שנמצא בשדה b30583fz span>%s מתוך %s +ErrorFieldRefNotIn=שדה %s: ' %s' אינו b0aee873365 class='notranslate'>%s ref קיים +ErrorMultipleRecordFoundFromRef=נמצאו מספר רשומות בעת חיפוש מ-ref %s. אין דרך לדעת באיזה תעודת זהות להשתמש. +ErrorsOnXLines=נמצאו שגיאות %s +ErrorFileIsInfectedWithAVirus=תוכנית האנטי וירוס לא הצליחה לאמת את הקובץ (ייתכן שהקובץ נגוע בווירוס) +ErrorFileIsAnInfectedPDFWithJSInside=הקובץ הוא PDF נגוע ב-Javascript כלשהו בתוכו +ErrorNumRefModel=הפניה קיימת במסד הנתונים (%s) ואינה תואמת לכלל מספור זה. הסר רשומה או הפניה ששמה שונה כדי להפעיל מודול זה. +ErrorQtyTooLowForThisSupplier=כמות נמוכה מדי עבור ספק זה או שלא הוגדר מחיר על מוצר זה עבור ספק זה +ErrorOrdersNotCreatedQtyTooLow=חלק מההזמנות לא נוצרו בגלל כמויות נמוכות מדי +ErrorOrderStatusCantBeSetToDelivered=לא ניתן להגדיר את סטטוס ההזמנה למסירה. +ErrorModuleSetupNotComplete=נראה שההגדרה של המודול %s לא הושלמה. עבור אל בית - הגדרה - מודולים כדי להשלים. +ErrorBadMask=שגיאה במסכה +ErrorBadMaskFailedToLocatePosOfSequence=שגיאה, מסיכה ללא מספר רצף +ErrorBadMaskBadRazMonth=שגיאה, ערך איפוס גרוע +ErrorMaxNumberReachForThisMask=הגעתם למספר המרבי עבור מסכה זו +ErrorCounterMustHaveMoreThan3Digits=המונה חייב להכיל יותר מ-3 ספרות +ErrorSelectAtLeastOne=שגיאה, בחר ערך אחד לפחות. +ErrorDeleteNotPossibleLineIsConsolidated=מחיקה לא אפשרית מכיוון שהרשומה מקושרת לעסקה בנקאית שמתואמת +ErrorProdIdAlreadyExist=%s מוקצה לשליש נוסף +ErrorFailedToSendPassword=שליחת הסיסמה נכשלה +ErrorFailedToLoadRSSFile=לא מצליח לקבל עדכון RSS. נסה להוסיף קבוע MAIN_SIMPLEXMLLOAD_DEBUG אם הודעות השגיאה אינן מספקות מספיק מידע. +ErrorForbidden=הגישה נדחתה.
      אתה מנסה לגשת לדף, אזור או תכונה של מודול מושבת או מבלי להיות בהפעלה מאומתת או שאינו מורשה למשתמש שלך. +ErrorForbidden2=הרשאה לכניסה זו יכולה להיות מוגדרת על ידי מנהל Dolibarr שלך מתפריט %s->%s. +ErrorForbidden3=נראה שלא נעשה שימוש ב-Dolibarr דרך הפעלה מאומתת. עיין בתיעוד ההגדרות של Dolibarr כדי לדעת איך לנהל אימות (htaccess, mod_auth או אחר...). +ErrorForbidden4=הערה: נקה את קובצי ה-cookie של הדפדפן שלך כדי להרוס הפעלות קיימות עבור התחברות זו. +ErrorNoImagickReadimage=Class Imagick לא נמצא ב-PHP הזה. לא יכולה להיות תצוגה מקדימה זמינה. מנהלי מערכת יכולים להשבית כרטיסייה זו מתפריט הגדרות - תצוגה. +ErrorRecordAlreadyExists=הרשומה כבר קיימת +ErrorLabelAlreadyExists=תווית זו כבר קיימת +ErrorCantReadFile=קריאת הקובץ '%s' נכשלה +ErrorCantReadDir=נכשל קריאת הספרייה '%s' +ErrorBadLoginPassword=ערך גרוע עבור כניסה או סיסמה +ErrorLoginDisabled=חשבונך נחסם +ErrorFailedToRunExternalCommand=הפעלת הפקודה החיצונית נכשלה. בדוק שהוא זמין וניתן להרצה על ידי משתמש שרת ה-PHP שלך. בדוק גם שהפקודה אינה מוגנת ברמת המעטפת על ידי שכבת אבטחה כמו apparmor. +ErrorFailedToChangePassword=שינוי הסיסמה נכשל +ErrorLoginDoesNotExists=לא נמצא משתמש עם התחברות %s. +ErrorLoginHasNoEmail=למשתמש זה אין כתובת אימייל. התהליך הופסק. +ErrorBadValueForCode=ערך גרוע לקוד האבטחה. נסה שוב עם ערך חדש... +ErrorBothFieldCantBeNegative=השדות %s ו-%s אינם יכולים להיות שניהם שליליים +ErrorFieldCantBeNegativeOnInvoice=שדה %s אינו יכול להיות שלילי בסוג זה של חשבונית. אם אתה צריך להוסיף שורת הנחה, פשוט צור תחילה את ההנחה (מהשדה '%s' בכרטיס צד שלישי) והחל אותה על החשבונית. +ErrorLinesCantBeNegativeForOneVATRate=סך השורות (בניכוי מס) לא יכול להיות שלילי עבור שיעור מע"מ נתון שאינו ריק (נמצא סך שלילי עבור שיעור מע"מ %s %%). +ErrorLinesCantBeNegativeOnDeposits=שורות לא יכולות להיות שליליות בהפקדה. אתה תתמודד עם בעיות כאשר תצטרך לצרוך את הפיקדון בחשבונית הסופית אם תעשה זאת. +ErrorQtyForCustomerInvoiceCantBeNegative=הכמות עבור שורה לחשבוניות של לקוחות לא יכולה להיות שלילית +ErrorWebServerUserHasNotPermission=לחשבון המשתמש %s המשמש להפעלת שרת אינטרנט אין הרשאה עבור זֶה +ErrorNoActivatedBarcode=לא הופעל סוג ברקוד +ErrUnzipFails=פתיחת הדפוס של %s עם ZipArchive נכשלה +ErrNoZipEngine=אין מנוע לדחוס/לפתוח קובץ %s ב-PHP הזה +ErrorFileMustBeADolibarrPackage=הקובץ %s חייב להיות חבילת zip של Dolibarr +ErrorModuleFileRequired=עליך לבחור קובץ חבילת מודול Dolibarr +ErrorPhpCurlNotInstalled=ה-PHP CURL אינו מותקן, זה חיוני כדי לדבר עם Paypal +ErrorFailedToAddToMailmanList=נכשל הוספת הרשומה %s לרשימת Mailman %s או לבסיס SPIP +ErrorFailedToRemoveToMailmanList=נכשלה הסרת הרשומה %s לרשימת Mailman %s או לבסיס SPIP +ErrorNewValueCantMatchOldValue=ערך חדש לא יכול להיות שווה לערך הישן +ErrorFailedToValidatePasswordReset=כשל בהחזרת הסיסמה. יכול להיות שה-reinit כבר בוצע (ניתן להשתמש בקישור זה רק פעם אחת). אם לא, נסה להפעיל מחדש את תהליך ההפעלה מחדש. +ErrorToConnectToMysqlCheckInstance=החיבור למסד הנתונים נכשל. בדוק ששרת מסד הנתונים פועל (לדוגמה, עם mysql/mariadb, אתה יכול להפעיל אותו משורת הפקודה עם 'sudo service mysql start'). +ErrorFailedToAddContact=הוספת איש הקשר נכשלה +ErrorDateMustBeBeforeToday=התאריך חייב להיות נמוך מהיום +ErrorDateMustBeInFuture=התאריך חייב להיות גדול מהיום +ErrorStartDateGreaterEnd=תאריך ההתחלה גדול מתאריך הסיום +ErrorPaymentModeDefinedToWithoutSetup=מצב תשלום הוגדר לסוג %s אך ההגדרה של חשבונית מודול לא הושלמה כדי להגדיר מידע שיוצג עבור מצב תשלום זה. +ErrorPHPNeedModule=שגיאה, ב-PHP שלך חייב להיות מותקן %s כדי להשתמש בזה תכונה. +ErrorOpenIDSetupNotComplete=אתה מגדיר את קובץ התצורה של Dolibarr כדי לאפשר אימות OpenID, אך כתובת האתר של שירות OpenID אינה מוגדרת בקבוע %s +ErrorWarehouseMustDiffers=מחסני המקור והיעד חייבים להיות שונים +ErrorBadFormat=פורמט גרוע! +ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=שגיאה, חבר זה עדיין לא מקושר לצד שלישי כלשהו. קשר חבר לצד שלישי קיים או צור צד שלישי חדש לפני יצירת מנוי עם חשבונית. +ErrorThereIsSomeDeliveries=שגיאה, יש כמה משלוחים המקושרים למשלוח זה. המחיקה סירבה. +ErrorCantDeletePaymentReconciliated=לא ניתן למחוק תשלום שיצר רישום בנק שהותאם +ErrorCantDeletePaymentSharedWithPayedInvoice=לא ניתן למחוק תשלום משותף על ידי לפחות חשבונית אחת עם הסטטוס תשלום +ErrorPriceExpression1=לא ניתן להקצות לקבוע '%s' +ErrorPriceExpression2=לא ניתן להגדיר מחדש את הפונקציה המובנית '%s' +ErrorPriceExpression3=משתנה לא מוגדר '%s' בהגדרת הפונקציה +ErrorPriceExpression4=תו לא חוקי '%s' +ErrorPriceExpression5=לא צפוי '%s' +ErrorPriceExpression6=מספר שגוי של ארגומנטים (ניתן %s, %s צפוי) +ErrorPriceExpression8=אופרטור לא צפוי '%s' +ErrorPriceExpression9=שגיאה לא צפויה התרחשה +ErrorPriceExpression10=לאופרטור '%s' אין אופרנד +ErrorPriceExpression11=מצפה ל'%s' +ErrorPriceExpression14=חלוקה באפס +ErrorPriceExpression17=משתנה לא מוגדר '%s' +ErrorPriceExpression19=הביטוי לא נמצא +ErrorPriceExpression20=הבעה ריקה +ErrorPriceExpression21=תוצאה ריקה '%s' +ErrorPriceExpression22=תוצאה שלילית '%s' +ErrorPriceExpression23=משתנה לא ידוע או לא מוגדר '%s' ב-%s +ErrorPriceExpression24=משתנה '%s' קיים אך אין לו ערך +ErrorPriceExpressionInternal=שגיאה פנימית '%s' +ErrorPriceExpressionUnknown=שגיאה לא ידועה '%s' +ErrorSrcAndTargetWarehouseMustDiffers=מחסני המקור והיעד חייבים להיות שונים +ErrorTryToMakeMoveOnProductRequiringBatchData=שגיאה, ניסיון לבצע תנועת מלאי ללא מידע מגרש/סידורי, במוצר '%s' המצריך מידע מגרש/סידורי +ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=יש לאמת תחילה (לאשר או לדחות) את כל הקבלות המוקלטות לפני שיורשה לבצע פעולה זו +ErrorCantSetReceptionToTotalDoneWithReceptionDenied=יש לאמת (לאשר) תחילה את כל הקבלות המוקלטות לפני שיורשה לבצע פעולה זו +ErrorGlobalVariableUpdater0=בקשת HTTP נכשלה עם השגיאה '%s' +ErrorGlobalVariableUpdater1=פורמט JSON לא חוקי '%s' +ErrorGlobalVariableUpdater2=חסר פרמטר '%s' +ErrorGlobalVariableUpdater3=הנתונים המבוקשים לא נמצאו בתוצאה +ErrorGlobalVariableUpdater4=לקוח SOAP נכשל עם השגיאה '%s' +ErrorGlobalVariableUpdater5=לא נבחר משתנה גלובלי +ErrorFieldMustBeANumeric=השדה %s חייב להיות ערך מספרי +ErrorMandatoryParametersNotProvided=לא סופקו פרמטרים חובה +ErrorOppStatusRequiredIfUsage=אתה בוחר לעקוב אחר הזדמנות בפרויקט זה, אז עליך למלא גם את סטטוס ההובלה. +ErrorOppStatusRequiredIfAmount=אתה מגדיר סכום משוער עבור ליד זה. אז עליך להזין גם את הסטטוס שלו. +ErrorFailedToLoadModuleDescriptorForXXX=טעינת מחלקת מתאר מודול נכשלה עבור %s +ErrorBadDefinitionOfMenuArrayInModuleDescriptor=הגדרה שגויה של מערך התפריטים בתיאור המודול (ערך רע למפתח fk_menu) +ErrorSavingChanges=אירעה שגיאה בעת שמירת השינויים +ErrorWarehouseRequiredIntoShipmentLine=יש צורך במחסן על הקו למשלוח +ErrorFileMustHaveFormat=הקובץ חייב להיות בפורמט %s +ErrorFilenameCantStartWithDot=שם הקובץ לא יכול להתחיל עם '.' +ErrorSupplierCountryIsNotDefined=המדינה עבור ספק זה אינה מוגדרת. תקן את זה קודם. +ErrorsThirdpartyMerge=מיזוג שתי הרשומות נכשל. הבקשה בוטלה. +ErrorStockIsNotEnoughToAddProductOnOrder=המלאי אינו מספיק למוצר %s כדי להוסיף אותו להזמנה חדשה. +ErrorStockIsNotEnoughToAddProductOnInvoice=המלאי אינו מספיק למוצר %s כדי להוסיף אותו לחשבונית חדשה. +ErrorStockIsNotEnoughToAddProductOnShipment=המלאי אינו מספיק למוצר %s כדי להוסיף אותו למשלוח חדש. +ErrorStockIsNotEnoughToAddProductOnProposal=המלאי אינו מספיק למוצר %s כדי להוסיף אותו להצעה חדשה. +ErrorFailedToLoadLoginFileForMode=נכשלה קבלת מפתח הכניסה למצב '%s'. +ErrorModuleNotFound=קובץ המודול לא נמצא. +ErrorFieldAccountNotDefinedForBankLine=ערך עבור חשבון הנהלת חשבונות לא מוגדר עבור מזהה שורת המקור %s (%s) +ErrorFieldAccountNotDefinedForInvoiceLine=ערך עבור חשבון הנהלת חשבונות לא מוגדר עבור מזהה חשבונית %s (%s) +ErrorFieldAccountNotDefinedForLine=ערך עבור חשבון הנהלת חשבונות לא מוגדר עבור השורה (%s) +ErrorBankStatementNameMustFollowRegex=שגיאה, שם דף חשבון הבנק חייב לעמוד בכלל התחביר הבא %s +ErrorPhpMailDelivery=בדוק שאינך משתמש במספר גבוה מדי של נמענים ושתוכן האימייל שלך אינו דומה לספאם. בקש גם ממנהל המערכת שלך לבדוק את קובצי חומת האש ויומני השרת לקבלת מידע מלא יותר. +ErrorUserNotAssignedToTask=יש להקצות למשתמש למשימה כדי להיות מסוגל להזין את הזמן הנצרך. +ErrorTaskAlreadyAssigned=המשימה כבר הוקצתה למשתמש +ErrorModuleFileSeemsToHaveAWrongFormat=נראה שלחבילת המודול יש פורמט שגוי. +ErrorModuleFileSeemsToHaveAWrongFormat2=לפחות ספריית חובה אחת חייבת להתקיים ב-zip של מודול: %s או %s +ErrorFilenameDosNotMatchDolibarrPackageRules=השם של חבילת המודול (%s) אינו תואם תחביר שם צפוי: %s +ErrorDuplicateTrigger=שגיאה, שכפל את שם הטריגר %s. נטען כבר מ-%s. +ErrorNoWarehouseDefined=שגיאה, לא הוגדרו מחסנים. +ErrorBadLinkSourceSetButBadValueForRef=הקישור שבו אתה משתמש אינו חוקי. 'מקור' לתשלום מוגדר, אבל הערך עבור 'ref' אינו חוקי. +ErrorTooManyErrorsProcessStopped=יותר מדי שגיאות. התהליך הופסק. +ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=אימות המוני אינו אפשרי כאשר מוגדרת אפשרות להגדיל/להקטין מלאי בפעולה זו (עליך לאמת אחד אחד כדי שתוכל להגדיר את המחסן להגדלה/הקטנה) +ErrorObjectMustHaveStatusDraftToBeValidated=אובייקט %s חייב להיות בעל סטטוס 'טיוטה' כדי לאמת. +ErrorObjectMustHaveLinesToBeValidated=אובייקט %s חייב להיות בעל שורות כדי לאמת. +ErrorOnlyInvoiceValidatedCanBeSentInMassAction=ניתן לשלוח רק חשבוניות מאומתות באמצעות הפעולה ההמונית "שלח במייל". +ErrorChooseBetweenFreeEntryOrPredefinedProduct=עליך לבחור אם המאמר הוא מוצר מוגדר מראש או לא +ErrorDiscountLargerThanRemainToPaySplitItBefore=ההנחה שאתה מנסה להחיל גדולה יותר מההנחה שנותרה לשלם. פצל את ההנחה ב-2 הנחות קטנות יותר לפני. +ErrorFileNotFoundWithSharedLink=הקובץ לא נמצא. ייתכן שמפתח השיתוף שונה או שהקובץ הוסר לאחרונה. +ErrorProductBarCodeAlreadyExists=ברקוד המוצר %s כבר קיים בהפניה למוצר אחר. +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=שימו לב גם ששימוש בערכות להגדלה/הפחתה אוטומטית של מוצרי המשנה אינו אפשרי כאשר לפחות מוצר משנה אחד (או מוצר משנה של מוצרי משנה) זקוק למספר סידורי/חלקה. +ErrorDescRequiredForFreeProductLines=תיאור חובה עבור קווים עם מוצר חינם +ErrorAPageWithThisNameOrAliasAlreadyExists=לדף/מיכל %s יש את אותו שם או כינוי חלופי זה שאתה מנסה להשתמש בו +ErrorDuringChartLoad=שגיאה בעת טעינת טבלת חשבונות. אם כמה חשבונות לא נטענו, עדיין תוכל להזין אותם ידנית. +ErrorBadSyntaxForParamKeyForContent=תחביר גרוע עבור param keyforcontent. חייב להיות בעל ערך שמתחיל ב-%s או %s +ErrorVariableKeyForContentMustBeSet=שגיאה, יש להגדיר את הקבוע בשם %s (עם תוכן טקסט להצגה) או %s (עם כתובת אתר חיצונית להצגה). . +ErrorURLMustEndWith=כתובת האתר %s חייבת להסתיים %s +ErrorURLMustStartWithHttp=כתובת האתר %s חייבת להתחיל ב-http:// או https:// +ErrorHostMustNotStartWithHttp=שם המארח %s אסור להתחיל ב-http:// או https:// +ErrorNewRefIsAlreadyUsed=שגיאה, ההפניה החדשה כבר בשימוש +ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=שגיאה, לא ניתן למחוק תשלום המקושר לחשבונית סגורה. +ErrorSearchCriteriaTooSmall=קריטריוני החיפוש קצרים מדי. +ErrorObjectMustHaveStatusActiveToBeDisabled=אובייקטים חייבים להיות בעלי סטטוס 'פעיל' כדי להיות מושבתים +ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=אובייקטים חייבים להיות בעלי סטטוס 'טיוטה' או 'מושבת' כדי להיות פעילים +ErrorNoFieldWithAttributeShowoncombobox=אין שדות המאפיין 'showoncombobox' בהגדרה של האובייקט '%s'. אין דרך להראות את הקומבוליסט. +ErrorFieldRequiredForProduct=השדה '%s' נדרש עבור המוצר %s +AlreadyTooMuchPostOnThisIPAdress=כבר פרסמת יותר מדי על כתובת ה-IP הזו. +ProblemIsInSetupOfTerminal=הבעיה היא בהתקנה של מסוף %s. +ErrorAddAtLeastOneLineFirst=הוסף קודם שורה אחת לפחות +ErrorRecordAlreadyInAccountingDeletionNotPossible=שגיאה, הרשומה כבר הועברה בחשבונאות, לא ניתן למחוק. +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=שגיאה, השפה היא חובה אם אתה מגדיר את הדף כתרגום של דף אחר. +ErrorLanguageOfTranslatedPageIsSameThanThisPage=שגיאה, שפת הדף המתורגם זהה לשפה זו. +ErrorBatchNoFoundForProductInWarehouse=לא נמצא מגרש/סידורי עבור המוצר "%s" במחסן "%s". +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=אין כמות מספקת עבור חלקה/סדרה זו עבור המוצר "%s" במחסן "%s". +ErrorOnlyOneFieldForGroupByIsPossible=רק שדה אחד עבור 'קבץ לפי' אפשרי (אחרים נמחקים) +ErrorTooManyDifferentValueForSelectedGroupBy=נמצאו יותר מדי ערכים שונים (יותר מ-%s) עבור שדה '%s', אז אנחנו לא יכולים להשתמש בו בתור 'קבוצה לפי' עבור גרפיקה. השדה 'קבוצה לפי' הוסר. יכול להיות שרצית להשתמש בו כציר X? +ErrorReplaceStringEmpty=שגיאה, המחרוזת להחלפה ריקה +ErrorProductNeedBatchNumber=שגיאה, המוצר '%s' צריך הרבה/מספר סידורי +ErrorProductDoesNotNeedBatchNumber=שגיאה, המוצר '%s' אינו מקבל הרבה/ מספר סידורי +ErrorFailedToReadObject=שגיאה, כשל בקריאת אובייקט מסוג %s +ErrorParameterMustBeEnabledToAllwoThisFeature=שגיאה, יש להפעיל את הפרמטר %s ב-conf/conf.php<> כדי לאפשר שימוש בממשק שורת הפקודה על ידי מתזמן המשימות הפנימי +ErrorLoginDateValidity=שגיאה, התחברות זו היא מחוץ לטווח תאריכי התוקף +ErrorValueLength=אורך השדה '%s' חייב להיות גבוה מ-'%s' +ErrorReservedKeyword=המילה '%s' היא מילת מפתח שמורה +ErrorFilenameReserved=לא ניתן להשתמש בשם הקובץ %s כפי שהוא פיקוד שמור ומוגן. +ErrorNotAvailableWithThisDistribution=לא זמין עם הפצה זו +ErrorPublicInterfaceNotEnabled=הממשק הציבורי לא הופעל +ErrorLanguageRequiredIfPageIsTranslationOfAnother=יש להגדיר את השפה של דף חדש אם הוא מוגדר כתרגום של דף אחר +ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=אסור שהשפה של הדף החדש תהיה שפת המקור אם היא מוגדרת כתרגום של דף אחר +ErrorAParameterIsRequiredForThisOperation=פרמטר הוא חובה עבור פעולה זו +ErrorDateIsInFuture=שגיאה, התאריך לא יכול להיות בעתיד +ErrorAnAmountWithoutTaxIsRequired=שגיאה, הסכום הוא חובה +ErrorAPercentIsRequired=שגיאה, נא למלא את האחוזים בצורה נכונה +ErrorYouMustFirstSetupYourChartOfAccount=תחילה עליך להגדיר את טבלת החשבון שלך +ErrorFailedToFindEmailTemplate=לא הצליח למצוא תבנית עם שם קוד %s +ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=משך הזמן לא מוגדר בשירות. אין דרך לחשב את המחיר לשעה. +ErrorActionCommPropertyUserowneridNotDefined=הבעלים של המשתמש נדרש +ErrorActionCommBadType=סוג האירוע שנבחר (מזהה: %s, קוד: %s) אינו קיים במילון סוג האירוע +CheckVersionFail=בדיקת הגרסה נכשלה +ErrorWrongFileName=שם הקובץ לא יכול לכלול __SOMETHING__ +ErrorNotInDictionaryPaymentConditions=לא במילון תנאי תשלום, אנא שנה. +ErrorIsNotADraft=%s אינו טיוטה +ErrorExecIdFailed=לא יכול לבצע את הפקודה "id" +ErrorBadCharIntoLoginName=תו לא מורשה בשדה %s +ErrorRequestTooLarge=שגיאה, בקשה גדולה מדי או שההפעלה פג +ErrorNotApproverForHoliday=אתה לא המאשר לחופשה %s +ErrorAttributeIsUsedIntoProduct=מאפיין זה משמש בגרסה אחת או יותר של מוצר +ErrorAttributeValueIsUsedIntoProduct=ערך מאפיין זה משמש בווריאציות של מוצר אחד או יותר +ErrorPaymentInBothCurrency=שגיאה, יש להזין את כל הסכומים באותה עמודה +ErrorYouTryToPayInvoicesInACurrencyFromBankWithAnotherCurrency=אתה מנסה לשלם חשבוניות במטבע %s מחשבון עם המטבע %s +ErrorInvoiceLoadThirdParty=לא ניתן לטעון אובייקט של צד שלישי עבור החשבונית "%s" +ErrorInvoiceLoadThirdPartyKey=מפתח צד שלישי "%s" לא מוגדר לחשבונית "%s" +ErrorDeleteLineNotAllowedByObjectStatus=מחיקת שורה אינה מותרת לפי מצב האובייקט הנוכחי +ErrorAjaxRequestFailed=בקשה נכשלה +ErrorThirpdartyOrMemberidIsMandatory=צד שלישי או חבר בשותפות הוא חובה +ErrorFailedToWriteInTempDirectory=נכשל כתיבה בספריה הזמנית +ErrorQuantityIsLimitedTo=הכמות מוגבלת ל-%s +ErrorFailedToLoadThirdParty=כשל באיתור/טעינת צד שלישי מ-id=%s, email=%s, name= %s +ErrorThisPaymentModeIsNotSepa=מצב תשלום זה אינו חשבון בנק +ErrorStripeCustomerNotFoundCreateFirst=לקוח Stripe אינו מוגדר עבור צד שלישי זה (או מוגדר לערך שנמחק בצד Stripe). תחילה צור (או צרף מחדש) אותו. +ErrorCharPlusNotSupportedByImapForSearch=חיפוש IMAP אינו יכול לחפש בשולח או בנמען מחרוזת המכילה את התו + +ErrorTableNotFound=הטבלה %s לא נמצאה +ErrorRefNotFound=Ref %s לא נמצא +ErrorValueForTooLow=הערך עבור %s נמוך מדי +ErrorValueCantBeNull=הערך עבור %s לא יכול להיות ריק +ErrorDateOfMovementLowerThanDateOfFileTransmission=תאריך העסקה הבנקאית לא יכול להיות נמוך מתאריך שידור הקובץ +ErrorTooMuchFileInForm=יותר מדי קבצים בטופס, המספר המרבי הוא %s קבצים +ErrorSessionInvalidatedAfterPasswordChange=ההפעלה בוטלה בעקבות שינוי סיסמה, אימייל, סטטוס או תאריכי תוקף. אנא התחבר מחדש. +ErrorExistingPermission = הרשאה %s עבור אובייקט %s כבר קיים +ErrorFieldExist=הערך עבור %s כבר קיים +ErrorEqualModule=מודול לא חוקי ב-%s +ErrorFieldValue=הערך עבור %s אינו נכון +ErrorCoherenceMenu=%s נדרש כאשר %s הוא 'שמאל' +ErrorUploadFileDragDrop=אירעה שגיאה בעת העלאת הקבצים +ErrorUploadFileDragDropPermissionDenied=אירעה שגיאה בעת העלאת הקבצים: ההרשאה נדחתה +ErrorFixThisHere=תקן זאת כאן +ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=שגיאה: כתובת האתר של המופע הנוכחי שלך (%s) אינה תואמת לכתובת האתר שהוגדרה בהגדרת ההתחברות שלך ל-OAuth2 (%s). ביצוע התחברות OAuth2 בתצורה כזו אסור. +ErrorMenuExistValue=תפריט כבר קיים עם הכותרת או כתובת האתר הזו +ErrorSVGFilesNotAllowedAsLinksWithout=קובצי SVG אינם מותרים כקישורים חיצוניים ללא האפשרות %s +ErrorTypeMenu=בלתי אפשרי להוסיף תפריט נוסף עבור אותו מודול בסרגל הניווט, עדיין לא לטפל +ErrorObjectNotFound = האובייקט %s לא נמצא, אנא בדוק את כתובת האתר שלך +ErrorCountryCodeMustBe2Char=קוד המדינה חייב להיות מחרוזת בת 2 תווים + +ErrorTableExist=הטבלה %s כבר קיימת +ErrorDictionaryNotFound=מילון %s לא נמצא +ErrorFailedToCreateSymLinkToMedias=יצירת הקישור הסמלי %s נכשל כדי להצביע על %s +ErrorCheckTheCommandInsideTheAdvancedOptions=בדוק את הפקודה המשמשת לייצוא אל האפשרויות המתקדמות של הייצוא # Warnings -WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. -WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. -WarningMandatorySetupNotComplete=Click here to setup mandatory parameters -WarningEnableYourModulesApplications=Click here to enable your modules and applications -WarningSafeModeOnCheckExecDir=Warning, PHP option safe_mode is on so command must be stored inside a directory declared by php parameter safe_mode_exec_dir. -WarningBookmarkAlreadyExists=A bookmark with this title or this target (URL) already exists. -WarningPassIsEmpty=Warning, database password is empty. This is a security hole. You should add a password to your database and change your conf.php file to reflect this. -WarningConfFileMustBeReadOnly=Warning, your config file (htdocs/conf/conf.php) can be overwritten by the web server. This is a serious security hole. Modify permissions on file to be in read only mode for operating system user used by Web server. If you use Windows and FAT format for your disk, you must know that this file system does not allow to add permissions on file, so can't be completely safe. -WarningsOnXLines=Warnings on %s source record(s) -WarningNoDocumentModelActivated=No model, for document generation, has been activated. A model will be chosen by default until you check your module setup. -WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable the installation/migration tools by adding a file install.lock into directory %s. Omitting the creation of this file is a grave security risk. -WarningUntilDirRemoved=All security warnings (visible by admin users only) will remain active as long as the vulnerability is present (or that constant MAIN_REMOVE_INSTALL_WARNING is added in Setup->Other Setup). -WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution. -WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box. -WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card). -WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers. -WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s. -WarningTooManyDataPleaseUseMoreFilters=Too many data (more than %s lines). Please use more filters or set the constant %s to a higher limit. -WarningSomeLinesWithNullHourlyRate=Some times were recorded by some users while their hourly rate was not defined. A value of 0 %s per hour was used but this may result in wrong valuation of time spent. -WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security purpose you will have to login with your new login before next action. -WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language -WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists -WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report -WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks. -WarningProjectClosed=Project is closed. You must re-open it first. -WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. -WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table -WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on. -WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list -WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection. -WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. -WarningPaypalPaymentNotCompatibleWithStrict=The value 'Strict' makes the online payment features not working correctly. Use 'Lax' instead. +WarningParamUploadMaxFileSizeHigherThanPostMaxSize=פרמטר PHP שלך upload_max_filesize (%s) גבוה יותר מפרמטר PHP post_max_size (%s). זו לא הגדרה עקבית. +WarningPasswordSetWithNoAccount=הוגדרה סיסמה לחבר זה. עם זאת, לא נוצר חשבון משתמש. אז הסיסמה הזו מאוחסנת אבל לא ניתן להשתמש בה כדי להיכנס ל-Dolibarr. זה עשוי לשמש על ידי מודול/ממשק חיצוני, אבל אם אינך צריך להגדיר שום כניסה או סיסמה עבור חבר, אתה יכול לבטל את האפשרות "נהל התחברות עבור כל חבר" מהגדרת מודול חבר. אם אתה צריך לנהל התחברות אבל לא צריך שום סיסמה, אתה יכול להשאיר שדה זה ריק כדי להימנע מהאזהרה זו. הערה: דואר אלקטרוני יכול לשמש גם ככניסה אם החבר מקושר למשתמש. +WarningMandatorySetupNotComplete=לחץ כאן כדי להגדיר פרמטרים עיקריים +WarningEnableYourModulesApplications=לחץ כאן כדי להפעיל את המודולים והיישומים שלך +WarningSafeModeOnCheckExecDir=אזהרה, אפשרות PHP safe_mode מופעלת ולכן הפקודה חייבת להיות מאוחסנת בתוך ספרייה המוצהרת על ידי פרמטר php safe_mode_exec_dir. +WarningBookmarkAlreadyExists=כבר קיימת סימניה עם הכותרת הזו או היעד הזה (URL). +WarningPassIsEmpty=אזהרה, סיסמת מסד הנתונים ריקה. זהו חור אבטחה. עליך להוסיף סיסמה למסד הנתונים שלך ולשנות את קובץ conf.php שלך כך שישקף זאת. +WarningConfFileMustBeReadOnly=אזהרה, ניתן להחליף את קובץ התצורה שלך (htdocs/conf/conf.php) על ידי שרת האינטרנט. זהו חור אבטחה רציני. שנה את ההרשאות בקובץ כך שיהיו במצב קריאה בלבד עבור משתמש מערכת ההפעלה המשמש את שרת האינטרנט. אם אתה משתמש ב-Windows ובפורמט FAT עבור הדיסק שלך, עליך לדעת שמערכת קבצים זו אינה מאפשרת להוסיף הרשאות לקובץ, כך שאינה יכולה להיות בטוחה לחלוטין. +WarningsOnXLines=אזהרות על %s רשומות מקור +WarningNoDocumentModelActivated=שום דגם, להפקת מסמכים, לא הופעל. דגם ייבחר כברירת מחדל עד שתבדוק את הגדרת המודול שלך. +WarningLockFileDoesNotExists=אזהרה, לאחר סיום ההגדרה, עליך להשבית את כלי ההתקנה/הגירה על ידי הוספת קובץ install.lock לספרייה %s. השמטת יצירת קובץ זה מהווה סיכון אבטחה חמור. +WarningUntilDirRemoved=אזהרת אבטחה זו תישאר פעילה כל עוד הפגיעות קיימת. +WarningCloseAlways=אזהרה, הסגירה מתבצעת גם אם הכמות שונה בין רכיבי המקור והמטרה. הפעל תכונה זו בזהירות. +WarningUsingThisBoxSlowDown=אזהרה, שימוש בתיבה זו האט ברצינות את כל הדפים המציגים את התיבה. +WarningClickToDialUserSetupNotComplete=ההגדרה של מידע ClickToDial עבור המשתמש שלך לא הושלמה (ראה את הכרטיסייה ClickToDial בכרטיס המשתמש שלך). +WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=התכונה מושבתת כאשר הגדרת התצוגה מותאמת לאדם עיוור או לדפדפני טקסט. +WarningPaymentDateLowerThanInvoiceDate=תאריך התשלום (%s) מוקדם מתאריך החשבונית (%s) עבור חשבונית b0ecb2ec87f49fz span>. +WarningTooManyDataPleaseUseMoreFilters=יותר מדי נתונים (יותר משורות %s). אנא השתמש בעוד מסננים או הגדר את הקבוע %s לגבול גבוה יותר. +WarningSomeLinesWithNullHourlyRate=חלק מהפעמים תועדו על ידי חלק מהמשתמשים בעוד התעריף השעתי שלהם לא הוגדר. נעשה שימוש בערך של 0 %s לשעה, אך הדבר עלול לגרום להערכה שגויה של הזמן המושקע. +WarningYourLoginWasModifiedPleaseLogin=פרטי הכניסה שלך השתנו. למטרות אבטחה תצטרך להתחבר עם פרטי הכניסה החדשים שלך לפני הפעולה הבאה. +WarningYourPasswordWasModifiedPleaseLogin=הסיסמה שלך שונתה. למטרות אבטחה תצטרך להתחבר כעת עם הסיסמה החדשה שלך. +WarningAnEntryAlreadyExistForTransKey=כבר קיים ערך עבור מפתח התרגום עבור שפה זו +WarningNumberOfRecipientIsRestrictedInMassAction=אזהרה, מספר הנמענים השונים מוגבל ל-%s הפעולות ההמוניות ברשימות +WarningDateOfLineMustBeInExpenseReportRange=אזהרה, תאריך השורה אינו בטווח של דוח ההוצאות +WarningProjectDraft=הפרויקט עדיין במצב טיוטה. אל תשכח לאמת את זה אם אתה מתכנן להשתמש במשימות. +WarningProjectClosed=הפרויקט סגור. תחילה עליך לפתוח אותו מחדש. +WarningSomeBankTransactionByChequeWereRemovedAfter=חלק מהעסקאות הבנקאיות הוסרו לאחר שנוצרה הקבלה הכוללת אותן. אז מספר ההמחאות והסך של הקבלה עשויים להיות שונים מהמספר והסך הכל ברשימה. +WarningFailedToAddFileIntoDatabaseIndex=אזהרה, הוספת הזנת הקובץ לטבלת אינדקס מסד הנתונים של ECM נכשלה +WarningTheHiddenOptionIsOn=אזהרה, האפשרות הנסתרת %s מופעלת. +WarningCreateSubAccounts=אזהרה, אינך יכול ליצור ישירות חשבון משנה, עליך ליצור צד שלישי או משתמש ולהקצות להם קוד הנהלת חשבונות כדי למצוא אותם ברשימה זו +WarningAvailableOnlyForHTTPSServers=זמין רק אם משתמשים בחיבור מאובטח ב-HTTPS. +WarningModuleXDisabledSoYouMayMissEventHere=המודול %s לא הופעל. אז אתה עלול להחמיץ הרבה אירועים כאן. +WarningPaypalPaymentNotCompatibleWithStrict=הערך 'קפדן' גורם לתכונות התשלום המקוונות לא לפעול כהלכה. השתמש במקום זאת ב'Lax'. +WarningThemeForcedTo=אזהרה, העיצוב נאלץ %s על ידי קבוע מוסתר MMEAIN> +WarningPagesWillBeDeleted=אזהרה, זה גם ימחק את כל הדפים/מכולות הקיימים באתר. עליך לייצא את האתר שלך לפני כן, כדי שיהיה לך גיבוי לייבא אותו מחדש מאוחר יותר. +WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=אימות אוטומטי מושבת כאשר האפשרות להקטין מלאי מוגדרת ב"אימות חשבונית". +WarningModuleNeedRefresh = מודול %s הושבת. אל תשכח להפעיל את זה +WarningPermissionAlreadyExist=הרשאות קיימות עבור אובייקט זה +WarningGoOnAccountancySetupToAddAccounts=אם רשימה זו ריקה, היכנס לתפריט %s - %s - %s כדי לטעון או ליצור חשבונות עבור תרשים החשבון שלך. +WarningCorrectedInvoiceNotFound=חשבונית מתוקנת לא נמצאה +WarningCommentNotFound=אנא בדוק את מיקום הערות ההתחלה והסיום עבור הקטע %s ב קובץ %s לפני שליחת הפעולה שלך +WarningAlreadyReverse=תנועת המניה כבר התהפכה + +SwissQrOnlyVIR = ניתן להוסיף חשבונית SwissQR רק בחשבוניות המוגדרות לתשלום באמצעות תשלומי העברה אשראי. +SwissQrCreditorAddressInvalid = כתובת הנושה אינה חוקית (האם מיקוד ועיר מוגדרים? (%s) +SwissQrCreditorInformationInvalid = פרטי הנושה אינם חוקיים עבור IBAN (%s): %s +SwissQrIbanNotImplementedYet = QR-IBAN עדיין לא מיושם +SwissQrPaymentInformationInvalid = פרטי התשלום היו לא חוקיים עבור סך %s : %s +SwissQrDebitorAddressInvalid = פרטי החייב לא היו חוקיים (%s) # Validate -RequireValidValue = Value not valid -RequireAtLeastXString = Requires at least %s character(s) -RequireXStringMax = Requires %s character(s) max -RequireAtLeastXDigits = Requires at least %s digit(s) -RequireXDigitsMax = Requires %s digit(s) max -RequireValidNumeric = Requires a numeric value -RequireValidEmail = Email address is not valid -RequireMaxLength = Length must be less than %s chars -RequireMinLength = Length must be more than %s char(s) -RequireValidUrl = Require valid URL -RequireValidDate = Require a valid date -RequireANotEmptyValue = Is required -RequireValidDuration = Require a valid duration -RequireValidExistingElement = Require an existing value -RequireValidBool = Require a valid boolean -BadSetupOfField = Error bad setup of field -BadSetupOfFieldClassNotFoundForValidation = Error bad setup of field : Class not found for validation -BadSetupOfFieldFileNotFound = Error bad setup of field : File not found for inclusion -BadSetupOfFieldFetchNotCallable = Error bad setup of field : Fetch not callable on class +RequireValidValue = ערך לא חוקי +RequireAtLeastXString = דורש לפחות %s תווים +RequireXStringMax = דורש %s תווים מקסימום +RequireAtLeastXDigits = דורש לפחות %s ספרות +RequireXDigitsMax = דורש %s ספרות מקסימום +RequireValidNumeric = דורש ערך מספרי +RequireValidEmail = כתובת האימייל אינה חוקית +RequireMaxLength = האורך חייב להיות קטן מ-%s תווים +RequireMinLength = האורך חייב להיות יותר מ-%s תווים +RequireValidUrl = דרוש כתובת URL חוקית +RequireValidDate = דורש תאריך תקף +RequireANotEmptyValue = נדרש +RequireValidDuration = דרוש משך זמן חוקי +RequireValidExistingElement = דרוש ערך קיים +RequireValidBool = דרוש ערך בוליאני חוקי +BadSetupOfField = שגיאה בהגדרה שגויה של השדה +BadSetupOfFieldClassNotFoundForValidation = שגיאה בהגדרה שגויה של השדה: המחלקה לא נמצאה לאימות +BadSetupOfFieldFileNotFound = שגיאה בהגדרה שגויה של השדה: הקובץ לא נמצא להכללה +BadSetupOfFieldFetchNotCallable = שגיאה בהגדרה שגויה של השדה: לא ניתן להתקשר לאחזור בכיתה +ErrorTooManyAttempts= יותר מדי ניסיונות, אנא נסה שוב מאוחר יותר diff --git a/htdocs/langs/he_IL/eventorganization.lang b/htdocs/langs/he_IL/eventorganization.lang index b4a7279d757..204c35b163a 100644 --- a/htdocs/langs/he_IL/eventorganization.lang +++ b/htdocs/langs/he_IL/eventorganization.lang @@ -17,151 +17,164 @@ # # Generic # -ModuleEventOrganizationName = Event Organization -EventOrganizationDescription = Event Organization through Module Project -EventOrganizationDescriptionLong= Manage the organization of an event (show, conferences, attendees or speakers, with public pages for suggestion, vote or registration) +ModuleEventOrganizationName = ארגון אירועים +EventOrganizationDescription = ארגון אירועים באמצעות פרויקט מודול +EventOrganizationDescriptionLong= ניהול ארגון של אירוע (מופע, כנסים, משתתפים או דוברים, עם דפים ציבוריים להצעות, הצבעה או רישום) # # Menu # -EventOrganizationMenuLeft = Organized events -EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth +EventOrganizationMenuLeft = אירועים מאורגנים +EventOrganizationConferenceOrBoothMenuLeft = כנס או דוכן -PaymentEvent=Payment of event +PaymentEvent=תשלום אירוע # # Admin page # -NewRegistration=Registration -EventOrganizationSetup=Event Organization setup -EventOrganization=Event organization -Settings=Settings -EventOrganizationSetupPage = Event Organization setup page -EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated -EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

      For example:
      Send Call for Conference
      Send Call for Booth
      Receive call for conferences
      Receive call for Booth
      Open subscriptions to events for attendees
      Send remind of event to speakers
      Send remind of event to Booth hoster
      Send remind of event to attendees -EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference -EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth -EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. -EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. -EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a registration to a booth has been paid. -EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a registration to an event has been paid. -EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email to use when sending emails from the massaction "Send emails" to speakers -EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email to use when sending emails from the massaction "Send emails" on attendee list -EVENTORGANIZATION_FILTERATTENDEES_CAT = In the form to create/add an attendee, restricts the list of thirdparties to thirdparties in the category -EVENTORGANIZATION_FILTERATTENDEES_TYPE = In the form to create/add an attendee, restricts the list of thirdparties to thirdparties with the nature +NewRegistration=הַרשָׁמָה +EventOrganizationSetup=הגדרת ארגון אירועים +EventOrganization=ארגון אירועים +Settings=הגדרות +EventOrganizationSetupPage = דף הגדרות ארגון אירועים +EVENTORGANIZATION_TASK_LABEL = תווית של משימות ליצירה אוטומטית כאשר הפרויקט מאומת +EVENTORGANIZATION_TASK_LABELTooltip = כאשר אתה מאמת אירוע לארגון, ניתן ליצור כמה משימות באופן אוטומטי בפרויקט

      לדוגמה:
      שלח קול קורא לוועידות
      שלח קול קורא לדוכנים
      אמת הצעות של כנסים
      אמת את האפליקציה לדוכנים
      פתוח מנויים לאירוע למשתתפים
      של האירוע לרמקולים
      שלח תזכורת לאירוע למארחי ביתן
      שלח תזכורת לאירוע למשתתפים +EVENTORGANIZATION_TASK_LABELTooltip2=השאר ריק אם אינך צריך ליצור משימות באופן אוטומטי. +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = קטגוריה להוספה לצדדים שלישיים נוצרת באופן אוטומטי כאשר מישהו מציע ועידה +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = קטגוריה להוספה לצדדים שלישיים נוצרה אוטומטית כאשר הם מציעים דוכן +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = תבנית דוא"ל לשלוח לאחר קבלת הצעה לכנס. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = תבנית דוא"ל לשלוח לאחר קבלת הצעה לדוכן. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = תבנית מייל לשליחת לאחר ששולמה רישום לדוכן. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = תבנית אימייל לשליחה לאחר ששולמה הרשמה לאירוע. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = תבנית של דוא"ל לשימוש בעת שליחת מיילים מהעיסוי "שלח מיילים" לרמקולים +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = תבנית דוא"ל לשימוש בעת שליחת אימיילים מתוך העיסוי "שלח מיילים" ברשימת המשתתפים +EVENTORGANIZATION_FILTERATTENDEES_CAT = בטופס ליצירת/הוספת משתתף, מגביל את רשימת צדדים שלישיים לצדדים שלישיים בקטגוריה +EVENTORGANIZATION_FILTERATTENDEES_TYPE = בטופס ליצירת/הוספת משתתף, מגביל את רשימת צדדים שלישיים לצדדים שלישיים בעלי אופי # # Object # -EventOrganizationConfOrBooth= Conference Or Booth -ManageOrganizeEvent = Manage the organization of an event -ConferenceOrBooth = Conference Or Booth -ConferenceOrBoothTab = Conference Or Booth -AmountPaid = Amount paid -DateOfRegistration = Date of registration -ConferenceOrBoothAttendee = Conference Or Booth Attendee +OrganizedEvent=אירוע מאורגן +EventOrganizationConfOrBooth= כנס או דוכן +EventOrganizationConfOrBoothes=כנסים או דוכנים +ManageOrganizeEvent = ניהול ארגון אירוע +ConferenceOrBooth = כנס או דוכן +ConferenceOrBoothTab = כנס או דוכן +AmountPaid = סכום ששולם +DateOfRegistration = תאריך רישום +ConferenceOrBoothAttendee = משתתף בכנס או בדוכן +ApplicantOrVisitor=מבקש או מבקר +Speaker=רַמקוֹל # # Template Mail # -YourOrganizationEventConfRequestWasReceived = Your request for conference was received -YourOrganizationEventBoothRequestWasReceived = Your request for booth was received -EventOrganizationEmailAskConf = Request for conference -EventOrganizationEmailAskBooth = Request for booth -EventOrganizationEmailBoothPayment = Payment of your booth -EventOrganizationEmailRegistrationPayment = Registration for an event -EventOrganizationMassEmailAttendees = Communication to attendees -EventOrganizationMassEmailSpeakers = Communication to speakers -ToSpeakers=To speakers +YourOrganizationEventConfRequestWasReceived = בקשתך לכנס התקבלה +YourOrganizationEventBoothRequestWasReceived = בקשתך לדוכן התקבלה +EventOrganizationEmailAskConf = בקשה לכנס +EventOrganizationEmailAskBooth = בקשה לדוכן +EventOrganizationEmailBoothPayment = תשלום הדוכן שלך +EventOrganizationEmailRegistrationPayment = הרשמה לאירוע +EventOrganizationMassEmailAttendees = תקשורת למשתתפים +EventOrganizationMassEmailSpeakers = תקשורת לרמקולים +ToSpeakers=לרמקולים # # Event # -AllowUnknownPeopleSuggestConf=Allow people to suggest conferences -AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest a conference they want to do -AllowUnknownPeopleSuggestBooth=Allow people to apply for a booth -AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to apply for a booth -PriceOfRegistration=Price of registration -PriceOfRegistrationHelp=Price to pay to register or participate in the event -PriceOfBooth=Subscription price to stand a booth -PriceOfBoothHelp=Subscription price to stand a booth -EventOrganizationICSLink=Link ICS for conferences -ConferenceOrBoothInformation=Conference Or Booth informations -Attendees=Attendees -ListOfAttendeesOfEvent=List of attendees of the event project -DownloadICSLink = Download ICS link -EVENTORGANIZATION_SECUREKEY = Seed to secure the key for the public registration page to suggest a conference -SERVICE_BOOTH_LOCATION = Service used for the invoice row about a booth location -SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Service used for the invoice row about an attendee subscription to an event -NbVotes=Number of votes +AllowUnknownPeopleSuggestConf=אפשר לאנשים להציע כנסים +AllowUnknownPeopleSuggestConfHelp=אפשר לאנשים לא ידועים להציע ועידה שהם רוצים לקיים +AllowUnknownPeopleSuggestBooth=אפשר לאנשים להגיש בקשה לדוכן +AllowUnknownPeopleSuggestBoothHelp=אפשר לאלמונים להגיש בקשה לדוכן +PriceOfRegistration=מחיר הרשמה +PriceOfRegistrationHelp=מחיר לתשלום עבור הרשמה או השתתפות באירוע +PriceOfBooth=מחיר מנוי לעמוד דוכן +PriceOfBoothHelp=מחיר מנוי לעמוד דוכן +EventOrganizationICSLink=קישור ICS לכנסים +ConferenceOrBoothInformation=מידע על כנס או דוכן +Attendees=משתתפים +ListOfAttendeesOfEvent=רשימת המשתתפים בפרויקט האירוע +DownloadICSLink = הורד קישור ICS +EVENTORGANIZATION_SECUREKEY = Seed כדי לאבטח את המפתח לדף ההרשמה הציבורי כדי להציע כנס +SERVICE_BOOTH_LOCATION = שירות המשמש עבור שורת החשבונית לגבי מיקום דוכן +SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = שירות המשמש עבור שורת החשבונית על מנוי משתתף לאירוע +NbVotes=מספר קולות + # # Status # -EvntOrgDraft = Draft -EvntOrgSuggested = Suggested -EvntOrgConfirmed = Confirmed -EvntOrgNotQualified = Not Qualified -EvntOrgDone = Done -EvntOrgCancelled = Cancelled -# -# Public page -# -SuggestForm = Suggestion page -SuggestOrVoteForConfOrBooth = Page for suggestion or vote -EvntOrgRegistrationHelpMessage = Here, you can vote for a conference or suggest a new one for the event. You can also apply to have a booth during the event. -EvntOrgRegistrationConfHelpMessage = Here, you can suggest a new conference to animate during the event. -EvntOrgRegistrationBoothHelpMessage = Here, you can apply to have a booth during the event. -ListOfSuggestedConferences = List of suggested conferences -ListOfSuggestedBooths = List of suggested booths -ListOfConferencesOrBooths=List of conferences or booths of event project -SuggestConference = Suggest a new conference -SuggestBooth = Suggest a booth -ViewAndVote = View and vote for suggested events -PublicAttendeeSubscriptionGlobalPage = Public link for registration to the event -PublicAttendeeSubscriptionPage = Public link for registration to this event only -MissingOrBadSecureKey = The security key is invalid or missing -EvntOrgWelcomeMessage = This form allows you to register as a new participant to the event : %s -EvntOrgDuration = This conference starts on %s and ends on %s. -ConferenceAttendeeFee = Conference attendee fee for the event : '%s' occurring from %s to %s. -BoothLocationFee = Booth location for the event : '%s' occurring from %s to %s -EventType = Event type -LabelOfBooth=Booth label -LabelOfconference=Conference label -ConferenceIsNotConfirmed=Registration not available, conference is not confirmed yet -DateMustBeBeforeThan=%s must be before %s -DateMustBeAfterThan=%s must be after %s - -NewSubscription=Registration -OrganizationEventConfRequestWasReceived=Your suggestion for a conference has been received -OrganizationEventBoothRequestWasReceived=Your request for a booth has been received -OrganizationEventPaymentOfBoothWasReceived=Your payment for your booth has been recorded -OrganizationEventPaymentOfRegistrationWasReceived=Your payment for your event registration has been recorded -OrganizationEventBulkMailToAttendees=This is a remind about your participation in the event as an attendee -OrganizationEventBulkMailToSpeakers=This is a reminder on your participation in the event as a speaker -OrganizationEventLinkToThirdParty=Link to third party (customer, supplier or partner) - -NewSuggestionOfBooth=Application for a booth -NewSuggestionOfConference=Application for a conference +EvntOrgDraft = טְיוּטָה +EvntOrgSuggested = מוּצָע +EvntOrgConfirmed = מְאוּשָׁר +EvntOrgNotQualified = לא מוסמך +EvntOrgDone = בוצע +EvntOrgCancelled = מבוטל # -# Vote page +# Other # -EvntOrgRegistrationWelcomeMessage = Welcome on the conference or booth suggestion page. -EvntOrgRegistrationConfWelcomeMessage = Welcome on the conference suggestion page. -EvntOrgRegistrationBoothWelcomeMessage = Welcome on the booth suggestion page. -EvntOrgVoteHelpMessage = Here, you can view and vote for the suggested events for the project -VoteOk = Your vote has been accepted. -AlreadyVoted = You have already voted for this event. -VoteError = An error has occurred during the vote, please try again. - -SubscriptionOk = Your registration has been validated -ConfAttendeeSubscriptionConfirmation = Confirmation of your subscription to an event -Attendee = Attendee -PaymentConferenceAttendee = Conference attendee payment -PaymentBoothLocation = Booth location payment -DeleteConferenceOrBoothAttendee=Remove attendee -RegistrationAndPaymentWereAlreadyRecorder=A registration and a payment were already recorded for the email %s -EmailAttendee=Attendee email -EmailCompanyForInvoice=Company email (for invoice, if different of attendee email) -ErrorSeveralCompaniesWithEmailContactUs=Several companies with this email has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation -ErrorSeveralCompaniesWithNameContactUs=Several companies with this name has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation -NoPublicActionsAllowedForThisEvent=No public actions are open to public for this event +SuggestForm = דף הצעות +SuggestOrVoteForConfOrBooth = עמוד להצעה או הצבעה +EvntOrgRegistrationHelpMessage = כאן תוכלו להצביע לכנס או להציע כנס חדש לאירוע. ניתן גם להגיש בקשה לקבל דוכן במהלך האירוע. +EvntOrgRegistrationConfHelpMessage = כאן תוכלו להציע כנס חדש להנפשה במהלך האירוע. +EvntOrgRegistrationBoothHelpMessage = כאן תוכלו להגיש בקשה לקבל דוכן במהלך האירוע. +ListOfSuggestedConferences = רשימת ועידות מוצעות +ListOfSuggestedBooths=דוכנים מוצעים +ListOfConferencesOrBooths=כנסים או דוכנים של פרויקט אירוע +SuggestConference = הצע כנס חדש +SuggestBooth = הצע דוכן +ViewAndVote = הצג והצביע עבור אירועים מוצעים +PublicAttendeeSubscriptionGlobalPage = קישור פומבי להרשמה לאירוע +PublicAttendeeSubscriptionPage = קישור ציבורי להרשמה לאירוע זה בלבד +MissingOrBadSecureKey = מפתח האבטחה לא חוקי או חסר +EvntOrgWelcomeMessage = טופס זה מאפשר לך להירשם כמשתתף חדש לאירוע +EvntOrgDuration = ועידה זו מתחילה ב-%s ומסתיימת ב-%s. +ConferenceAttendeeFee = דמי השתתפות בכנס עבור האירוע: '%s' מתרחש מ-%s עד %s >. +BoothLocationFee = מיקום הדוכן עבור האירוע: '%s' מתרחש מ-%s עד %s +EventType = סוג אירוע +LabelOfBooth=תווית דוכן +LabelOfconference=תווית ועידה +ConferenceIsNotConfirmed=ההרשמה אינה זמינה, הכנס עדיין לא אושר +DateMustBeBeforeThan=%s חייב להיות לפני %s +DateMustBeAfterThan=%s חייב להיות אחרי %s +MaxNbOfAttendeesReached=הושג מספר המשתתפים המקסימלי +NewSubscription=הַרשָׁמָה +OrganizationEventConfRequestWasReceived=הצעתך לכנס התקבלה +OrganizationEventBoothRequestWasReceived=בקשתך לדוכן התקבלה +OrganizationEventPaymentOfBoothWasReceived=התשלום שלך עבור הדוכן שלך נרשם +OrganizationEventPaymentOfRegistrationWasReceived=התשלום שלך עבור רישום האירוע שלך נרשם +OrganizationEventBulkMailToAttendees=זוהי תזכורת לגבי השתתפותך באירוע בתור משתתף +OrganizationEventBulkMailToSpeakers=זוהי תזכורת על השתתפותך באירוע כדובר +OrganizationEventLinkToThirdParty=קישור לצד שלישי (לקוח, ספק או שותף) +OrganizationEvenLabelName=שם ציבורי של הכנס או הדוכן +NewSuggestionOfBooth=בקשה לדוכן +NewSuggestionOfConference=בקשה לקיום ועידה +EvntOrgRegistrationWelcomeMessage = ברוכים הבאים לדף ההצעות לכנס או לדוכן. +EvntOrgRegistrationConfWelcomeMessage = ברוכים הבאים לדף ההצעות לכנס. +EvntOrgRegistrationBoothWelcomeMessage = ברוכים הבאים לדף ההצעות לדוכן. +EvntOrgVoteHelpMessage = כאן, אתה יכול לצפות ולהצביע עבור האירועים המוצעים עבור הפרויקט +VoteOk = הצבעתך התקבלה. +AlreadyVoted = כבר הצבעת לאירוע הזה. +VoteError = אירעה שגיאה במהלך ההצבעה, אנא נסה שוב. +SubscriptionOk=הרישום שלך נרשם +AmountOfRegistrationPaid=סכום הרישום שולם +ConfAttendeeSubscriptionConfirmation = אישור על הרשמה לאירוע +Attendee = משתתף +PaymentConferenceAttendee = תשלום משתתפי הכנס +PaymentBoothLocation = תשלום מיקום דוכן +DeleteConferenceOrBoothAttendee=הסר את המשתתף +RegistrationAndPaymentWereAlreadyRecorder=רישום ותשלום כבר נרשמו עבור האימייל %s +EmailAttendee=אימייל למשתתף +EmailCompany=אימייל של החברה +EmailCompanyForInvoice=דוא"ל חברה (עבור חשבונית, אם שונה מהאימייל של המשתתף) +ErrorSeveralCompaniesWithEmailContactUs=נמצאו מספר חברות עם דוא"ל זה ולכן איננו יכולים לאמת את ההרשמה שלך באופן אוטומטי. אנא צור איתנו קשר בכתובת %s לקבלת אימות ידני +ErrorSeveralCompaniesWithNameContactUs=נמצאו מספר חברות בשם זה ולכן לא נוכל לאמת את ההרשמה שלך באופן אוטומטי. אנא צור איתנו קשר בכתובת %s לקבלת אימות ידני +NoPublicActionsAllowedForThisEvent=אין פעולות ציבוריות פתוחות לציבור עבור אירוע זה +MaxNbOfAttendees=מספר משתתפים מקסימלי +DateStartEvent=תאריך תחילת האירוע +DateEndEvent=תאריך סיום האירוע +ModifyStatus=שנה סטטוס +ConfirmModifyStatus=אשר את שינוי הסטטוס +ConfirmModifyStatusQuestion=האם אתה בטוח שברצונך לשנות את %s הרשומות שנבחרו? +RecordsUpdated = %s הרשומות עודכנו +RecordUpdated = הרשומה עודכנה +NoRecordUpdated = לא עודכן רשומה diff --git a/htdocs/langs/he_IL/exports.lang b/htdocs/langs/he_IL/exports.lang index f2f2d2cf587..982d10ce965 100644 --- a/htdocs/langs/he_IL/exports.lang +++ b/htdocs/langs/he_IL/exports.lang @@ -1,137 +1,148 @@ # Dolibarr language file - Source file is en_US - exports ExportsArea=Exports -ImportArea=Import -NewExport=New Export -NewImport=New Import -ExportableDatas=Exportable dataset -ImportableDatas=Importable dataset -SelectExportDataSet=Choose dataset you want to export... -SelectImportDataSet=Choose dataset you want to import... -SelectExportFields=Choose the fields you want to export, or select a predefined export profile -SelectImportFields=Choose the source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile: -NotImportedFields=Fields of source file not imported -SaveExportModel=Save your selections as an export profile/template (for reuse). -SaveImportModel=Save this import profile (for reuse) ... -ExportModelName=Export profile name -ExportModelSaved=Export profile saved as %s. -ExportableFields=Exportable fields -ExportedFields=Exported fields -ImportModelName=Import profile name -ImportModelSaved=Import profile saved as %s. -DatasetToExport=Dataset to export -DatasetToImport=Import file into dataset -ChooseFieldsOrdersAndTitle=Choose fields order... -FieldsTitle=Fields title -FieldTitle=Field title -NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file... -AvailableFormats=Available Formats -LibraryShort=Library -ExportCsvSeparator=Csv caracter separator -ImportCsvSeparator=Csv caracter separator -Step=Step -FormatedImport=Import Assistant -FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant. -FormatedImportDesc2=First step is to choose the kind of data you want to import, then the format of the source file, then the fields you want to import. -FormatedExport=Export Assistant -FormatedExportDesc1=These tools allow the export of personalized data using an assistant, to help you in the process without requiring technical knowledge. -FormatedExportDesc2=First step is to choose a predefined dataset, then which fields you want to export, and in which order. -FormatedExportDesc3=When data to export are selected, you can choose the format of the output file. -Sheet=Sheet -NoImportableData=No importable data (no module with definitions to allow data imports) -FileSuccessfullyBuilt=File generated -SQLUsedForExport=SQL Request used to extract data -LineId=Id of line -LineLabel=Label of line -LineDescription=Description of line -LineUnitPrice=Unit price of line -LineVATRate=VAT Rate of line -LineQty=Quantity for line -LineTotalHT=Amount excl. tax for line -LineTotalTTC=Amount with tax for line -LineTotalVAT=Amount of VAT for line -TypeOfLineServiceOrProduct=Type of line (0=product, 1=service) -FileWithDataToImport=File with data to import -FileToImport=Source file to import -FileMustHaveOneOfFollowingFormat=File to import must have one of following formats -DownloadEmptyExample=Download template file with field content information -StarAreMandatory=* are mandatory fields -ChooseFormatOfFileToImport=Choose the file format to use as import file format by clicking on the %s icon to select it... -ChooseFileToImport=Upload file then click on the %s icon to select file as source import file... -SourceFileFormat=Source file format -FieldsInSourceFile=Fields in source file -FieldsInTargetDatabase=Target fields in Dolibarr database (bold=mandatory) -Field=Field -NoFields=No fields -MoveField=Move field column number %s -ExampleOfImportFile=Example_of_import_file -SaveImportProfile=Save this import profile -ErrorImportDuplicateProfil=Failed to save this import profile with this name. An existing profile already exists with this name. -TablesTarget=Targeted tables -FieldsTarget=Targeted fields -FieldTarget=Targeted field -FieldSource=Source field -NbOfSourceLines=Number of lines in source file -NowClickToTestTheImport=Check that the file format (field and string delimiters) of your file matches the options shown and that you have omitted the header line, or these will be flagged as errors in the following simulation.
      Click on the "%s" button to run a check of the file structure/contents and simulate the import process.
      No data will be changed in your database. -RunSimulateImportFile=Run Import Simulation -FieldNeedSource=This field requires data from the source file -SomeMandatoryFieldHaveNoSource=Some mandatory fields have no source from data file -InformationOnSourceFile=Information on source file -InformationOnTargetTables=Information on target fields -SelectAtLeastOneField=Switch at least one source field in the column of fields to export -SelectFormat=Choose this import file format -RunImportFile=Import Data -NowClickToRunTheImport=Check the results of the import simulation. Correct any errors and re-test.
      When the simulation reports no errors you may proceed to import the data into the database. -DataLoadedWithId=The imported data will have an additional field in each database table with this import id: %s, to allow it to be searchable in the case of investigating a problem related to this import. -ErrorMissingMandatoryValue=Mandatory data is empty in the source file for field %s. -TooMuchErrors=There are still %s other source lines with errors but output has been limited. -TooMuchWarnings=There are still %s other source lines with warnings but output has been limited. -EmptyLine=Empty line (will be discarded) -CorrectErrorBeforeRunningImport=You must correct all errors before running the definitive import. -FileWasImported=File was imported with number %s. -YouCanUseImportIdToFindRecord=You can find all the imported records in your database by filtering on field import_key='%s'. -NbOfLinesOK=Number of lines with no errors and no warnings: %s. -NbOfLinesImported=Number of lines successfully imported: %s. -DataComeFromNoWhere=Value to insert comes from nowhere in source file. -DataComeFromFileFieldNb=Value to insert comes from field number %s in source file. -DataComeFromIdFoundFromRef=Value that comes from field number %s of source file will be used to find the id of the parent object to use (so the object %s that has the ref. from source file must exist in the database). -DataComeFromIdFoundFromCodeId=Code that comes from field number %s of source file will be used to find the id of the parent object to use (so the code from source file must exist in the dictionary %s). Note that if you know the id, you can also use it in the source file instead of the code. Import should work in both cases. -DataIsInsertedInto=Data coming from source file will be inserted into the following field: -DataIDSourceIsInsertedInto=The id of the parent object, that was found using the data in the source file, will be inserted into the following field: -DataCodeIDSourceIsInsertedInto=The id of the parent line, that was found from code, will be inserted into the following field: -SourceRequired=Data value is mandatory -SourceExample=Example of possible data value -ExampleAnyRefFoundIntoElement=Any ref found for element %s -ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary %s -CSVFormatDesc=Comma Separated Value file format (.csv).
      This is a text file format where fields are separated by a separator [ %s ]. If separator is found inside a field content, field is rounded by round character [ %s ]. Escape character to escape round character is [ %s ]. -Excel95FormatDesc=Excel file format (.xls)
      This is the native Excel 95 format (BIFF5). -Excel2007FormatDesc=Excel file format (.xlsx)
      This is the native Excel 2007 format (SpreadsheetML). -TsvFormatDesc=Tab Separated Value file format (.tsv)
      This is a text file format where fields are separated by a tabulator [tab]. -ExportFieldAutomaticallyAdded=Field %s was automatically added. It will avoid you to have similar lines to be treated as duplicate record (with this field added, all lines will own their own id and will differ). -CsvOptions=CSV format options -Separator=Field Separator -Enclosure=String Delimiter -SpecialCode=Special code -ExportStringFilter=%% allows replacing one or more characters in the text -ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: filters by one year/month/day
      YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD: filters over a range of years/months/days
      > YYYY, > YYYYMM, > YYYYMMDD: filters on all following years/months/days
      < YYYY, < YYYYMM, < YYYYMMDD: filters on all previous years/months/days -ExportNumericFilter=NNNNN filters by one value
      NNNNN+NNNNN filters over a range of values
      < NNNNN filters by lower values
      > NNNNN filters by higher values -ImportFromLine=Import starting from line number -EndAtLineNb=End at line number -ImportFromToLine=Limit range (From - To). Eg. to omit header line(s). -SetThisValueTo2ToExcludeFirstLine=For example, set this value to 3 to exclude the 2 first lines.
      If the header lines are NOT omitted, this will result in multiple errors in the Import Simulation. -KeepEmptyToGoToEndOfFile=Keep this field empty to process all lines to the end of the file. -SelectPrimaryColumnsForUpdateAttempt=Select column(s) to use as primary key for an UPDATE import -UpdateNotYetSupportedForThisImport=Update is not supported for this type of import (only insert) -NoUpdateAttempt=No update attempt was performed, only insert -ImportDataset_user_1=Users (employees or not) and properties -ComputedField=Computed field +ImportArea=יְבוּא +NewExport=ייצוא חדש +NewImport=ייבוא חדש +ExportableDatas=מערך נתונים שניתן לייצא +ImportableDatas=מערך נתונים שניתן לייבא +SelectExportDataSet=בחר את מערך הנתונים שברצונך לייצא... +SelectImportDataSet=בחר את מערך הנתונים שברצונך לייבא... +SelectExportFields=בחר את השדות שברצונך לייצא, או בחר פרופיל ייצוא מוגדר מראש +SelectImportFields=בחר את שדות קובץ המקור שברצונך לייבא ואת שדה היעד שלהם במסד הנתונים על ידי הזזתם למעלה ולמטה עם העוגן %s, או בחר פרופיל ייבוא מוגדר מראש: +NotImportedFields=שדות קובץ המקור לא יובאו +SaveExportModel=שמור את הבחירות שלך כפרופיל/תבנית ייצוא (לשימוש חוזר). +SaveImportModel=שמור פרופיל ייבוא זה (לשימוש חוזר) ... +ExportModelName=ייצוא שם פרופיל +ExportModelSaved=ייצוא פרופיל נשמר בתור %s. +ExportableFields=שדות ניתנים לייצוא +ExportedFields=שדות מיוצאים +ImportModelName=ייבוא שם פרופיל +ImportModelSaved=ייבוא פרופיל נשמר בתור %s. +ImportProfile=ייבוא פרופיל +DatasetToExport=ערכת נתונים לייצוא +DatasetToImport=ייבא קובץ למערך נתונים +ChooseFieldsOrdersAndTitle=בחר סדר שדות... +FieldsTitle=כותרת השדות +FieldTitle=כותרת השדה +NowClickToGenerateToBuildExportFile=כעת, בחר את פורמט הקובץ בתיבה המשולבת ולחץ על "צור" כדי לבנות את קובץ הייצוא... +AvailableFormats=פורמטים זמינים +LibraryShort=סִפְרִיָה +ExportCsvSeparator=מפריד תווים ב-CSV +ImportCsvSeparator=מפריד תווים ב-CSV +Step=שלב +FormatedImport=ייבוא עוזר +FormatedImportDesc1=מודול זה מאפשר לך לעדכן נתונים קיימים או להוסיף אובייקטים חדשים למסד הנתונים מקובץ ללא ידע טכני, באמצעות עוזר. +FormatedImportDesc2=השלב הראשון הוא לבחור את סוג הנתונים שברצונך לייבא, לאחר מכן את הפורמט של קובץ המקור, ולאחר מכן את השדות שברצונך לייבא. +FormatedExport=עוזר ייצוא +FormatedExportDesc1=כלים אלו מאפשרים ייצוא של נתונים מותאמים אישית באמצעות עוזר, כדי לעזור לך בתהליך מבלי לדרוש ידע טכני. +FormatedExportDesc2=השלב הראשון הוא לבחור מערך נתונים מוגדר מראש, ואז אילו שדות ברצונך לייצא, ובאיזה סדר. +FormatedExportDesc3=כאשר נתונים לייצוא נבחרים, אתה יכול לבחור את הפורמט של קובץ הפלט. +Sheet=דַף +NoImportableData=אין נתונים ניתנים לייבוא (ללא מודול עם הגדרות לאפשר ייבוא נתונים) +FileSuccessfullyBuilt=הקובץ נוצר +SQLUsedForExport=בקשת SQL משמשת לחילוץ נתונים +LineId=מזהה שורה +LineLabel=תווית של קו +LineDescription=תיאור הקו +LineUnitPrice=מחיר יחידה של הקו +LineVATRate=מע"מ שיעור השורה +LineQty=כמות לקו +LineTotalHT=סכום לא כולל מס עבור קו +LineTotalTTC=סכום עם מס עבור שורה +LineTotalVAT=סכום מע"מ לקו +TypeOfLineServiceOrProduct=סוג קו (0=מוצר, 1=שירות) +FileWithDataToImport=קובץ עם נתונים לייבוא +FileToImport=קובץ מקור לייבוא +FileMustHaveOneOfFollowingFormat=הקובץ לייבוא חייב להיות באחד מהפורמטים הבאים +DownloadEmptyExampleShort=הורד קובץ לדוגמה +DownloadEmptyExample=הורד קובץ תבנית עם דוגמאות ומידע על שדות שאתה יכול לייבא +StarAreMandatory=בקובץ התבנית, כל השדות עם * הם שדות חובה +ChooseFormatOfFileToImport=בחר את פורמט הקובץ לשימוש כפורמט קובץ ייבוא על ידי לחיצה על הסמל %s כדי לבחור בו... +ChooseFileToImport=העלה קובץ ולאחר מכן לחץ על הסמל %s כדי לבחור קובץ כקובץ ייבוא מקור... +SourceFileFormat=פורמט קובץ המקור +FieldsInSourceFile=שדות בקובץ המקור +FieldsInTargetDatabase=שדות יעד במסד הנתונים של Dolibarr (מודגש=חובה) +Field=שדה +NoFields=אין שדות +MoveField=העבר את מספר עמודת השדה %s +ExampleOfImportFile=דוגמה_ל_ייבוא_קובץ +SaveImportProfile=שמור את פרופיל הייבוא הזה +ErrorImportDuplicateProfil=שמירת פרופיל הייבוא בשם זה נכשלה. פרופיל קיים כבר קיים בשם זה. +TablesTarget=שולחנות ממוקדים +FieldsTarget=שדות ממוקדים +FieldTarget=שדה ממוקד +FieldSource=שדה מקור +NbOfSourceLines=מספר השורות בקובץ המקור +NowClickToTestTheImport=בדוק שפורמט הקובץ (מפרידי שדה ומחרוזות) של הקובץ שלך תואם לאפשרויות המוצגות וששמטת את שורת הכותרת, או שהן יסומנו כשגיאות בסימולציה הבאה.
      לחץ על הלחצן "%s" כדי להפעיל בדוק את מבנה/תוכן הקבצים ומדמי את תהליך הייבוא.
      לא ישתנו נתונים במסד הנתונים שלך. +RunSimulateImportFile=הפעל סימולציית ייבוא +FieldNeedSource=שדה זה דורש נתונים מקובץ המקור +SomeMandatoryFieldHaveNoSource=לחלק מהשדות החובה אין מקור מקובץ הנתונים +InformationOnSourceFile=מידע על קובץ המקור +InformationOnTargetTables=מידע על שדות יעד +SelectAtLeastOneField=החלף לפחות שדה מקור אחד בעמודת השדות לייצוא +SelectFormat=בחר בפורמט קובץ הייבוא הזה +RunImportFile=ייבוא נתונים +NowClickToRunTheImport=בדוק את התוצאות של סימולציית הייבוא. תקן כל שגיאה ובדוק מחדש.
      כאשר הסימולציה לא מדווחת על שגיאות, תוכל להמשיך לייבא את הנתונים למסד הנתונים. +DataLoadedWithId=לנתונים המיובאים יהיה שדה נוסף בכל טבלת מסד נתונים עם מזהה הייבוא הזה: %s, כדי לאפשר חיפוש במקרה של חקירת בעיה הקשורה לייבוא זה. +ErrorMissingMandatoryValue=נתוני חובה ריקים בקובץ המקור בעמודה %s. +TooMuchErrors=עדיין יש %s שורות מקור אחרות עם שגיאות, אך יש בפלט היה מוגבל. +TooMuchWarnings=עדיין יש %s שורות מקור אחרות עם אזהרות אבל הפלט מכיל היה מוגבל. +EmptyLine=שורה ריקה (תימחק) +CorrectErrorBeforeRunningImport=אתה חייב לתקן את כל השגיאות before notranslate'>
      מריץ את הייבוא הסופי. +FileWasImported=הקובץ יובא עם המספר %s. +YouCanUseImportIdToFindRecord=תוכל למצוא את כל הרשומות המיובאות במסד הנתונים שלך על ידי סינון בשדה import_key='%s'. +NbOfLinesOK=מספר שורות ללא שגיאות וללא אזהרות: %s. +NbOfLinesImported=מספר שורות שיובאו בהצלחה: %s. +DataComeFromNoWhere=הערך להוספה מגיע משום מקום בקובץ המקור. +DataComeFromFileFieldNb=הערך להוספת מגיע מהעמודה %s בקובץ המקור. +DataComeFromIdFoundFromRef=הערך שמגיע מקובץ המקור ישמש כדי למצוא את המזהה של אובייקט האב שבו יש להשתמש (לכן האובייקט %s שיש לו את ה-ref. מקובץ המקור חייב להתקיים במסד הנתונים). +DataComeFromIdFoundFromCodeId=הערך של הקוד שמגיע מקובץ המקור ישמש כדי למצוא את המזהה של אובייקט האב לשימוש (לכן הקוד מקובץ המקור חייב להתקיים במילון %s). שימו לב שאם אתם מכירים את המזהה, תוכלו להשתמש בו גם בקובץ המקור במקום בקוד. ייבוא אמור לעבוד בשני המקרים. +DataIsInsertedInto=נתונים המגיעים מקובץ המקור יוכנסו לשדה הבא: +DataIDSourceIsInsertedInto=המזהה של אובייקט האב, שנמצא באמצעות הנתונים בקובץ המקור, יוכנס לשדה הבא: +DataCodeIDSourceIsInsertedInto=המזהה של שורת האב, שנמצאה מקוד, יוכנס לשדה הבא: +SourceRequired=ערך הנתונים הוא חובה +SourceExample=דוגמה לערך נתונים אפשרי +ExampleAnyRefFoundIntoElement=כל רפר נמצא עבור רכיב %s +ExampleAnyCodeOrIdFoundIntoDictionary=כל קוד (או מזהה) שנמצא במילון %s +CSVFormatDesc=ערך מופרד בפסיק פורמט קובץ (.csv).
      This הוא פורמט קובץ טקסט שבו שדות מופרדים על ידי מפריד [ %s ]. אם נמצא מפריד בתוך תוכן שדה, השדה מעוגל לפי תו עגול [ %s ]. תו בריחה לתו עגול הוא [ %s ]. +Excel95FormatDesc=Excel פורמט הקובץ (.xls)
      זהו הקובץ פורמט אקסל 95 (BIFF5). +Excel2007FormatDesc=Excel פורמט הקובץ (.xlsx)
      זה פורמט Excel 2007 (SpreadsheetML). +TsvFormatDesc=ערך מופרד בכרטיסיות פורמט קובץ (.tsv)
      פורמט קובץ טקסט שבו שדות מופרדים על ידי טבולטור [טאב]. +ExportFieldAutomaticallyAdded=השדה %s נוסף אוטומטית. זה ימנע ממך להתייחס לשורות דומות כרשומה כפולה (עם הוספת שדה זה, כל השורות יהיו בעלות המזהה שלהן ויהיה שונה). +CsvOptions=אפשרויות פורמט CSV +Separator=מפריד שדות +Enclosure=מפריד מחרוזות +SpecialCode=קוד מיוחד +ExportStringFilter=%% מאפשר החלפת תו אחד או יותר בטקסט +ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: מסננים לפי שנה/חודש/יום
      YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD: מסננים בטווח של שנים/יום span class='notranslate'>
      > YYYY, > YYYYMM, > YYYYMMDD: מסננים בכל השנים/החודשים/הימים הבאים
      < YYYYMM, < YYYY YYYYMMDD: מסננים על כל השנים/החודשים/ימים הקודמות +ExportNumericFilter=NNNNN מסנן לפי ערך אחד
      NNNN+NNNNN מסנן על פני טווח של ערכים
      b08910a<27ede2 /span>> NNNNN מסנן לפי ערכים גבוהים יותר +ImportFromLine=ייבוא החל ממספר שורה +EndAtLineNb=סיים במספר שורה +ImportFromToLine=הגבלת טווח (מ-עד). לְמָשָׁל. כדי להשמיט את שורת הכותרת. +SetThisValueTo2ToExcludeFirstLine=לדוגמה, הגדר ערך זה ל-3 כדי לא לכלול את 2 השורות הראשונות.
      אם שורות הכותרת לא יושמטו, הדבר יביא למספר שגיאות בסימולציית הייבוא. +KeepEmptyToGoToEndOfFile=השאר שדה זה ריק כדי לעבד את כל השורות עד סוף הקובץ. +SelectPrimaryColumnsForUpdateAttempt=בחר/י עמודות לשימוש כמפתח ראשי לייבוא עדכון +UpdateNotYetSupportedForThisImport=עדכון אינו נתמך עבור סוג זה של ייבוא (הוספה בלבד) +NoUpdateAttempt=לא בוצע ניסיון עדכון, רק הוסף +ImportDataset_user_1=משתמשים (עובדים או לא) ונכסים +ComputedField=שדה מחושב ## filters -SelectFilterFields=If you want to filter on some values, just input values here. -FilteredFields=Filtered fields -FilteredFieldsValues=Value for filter -FormatControlRule=Format control rule +SelectFilterFields=אם אתה רוצה לסנן על כמה ערכים, פשוט הזן ערכים כאן. +FilteredFields=שדות מסוננים +FilteredFieldsValues=ערך למסנן +FormatControlRule=כלל בקרת עיצוב ## imports updates -KeysToUseForUpdates=Key (column) to use for updating existing data -NbInsert=Number of inserted lines: %s -NbUpdate=Number of updated lines: %s -MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s -StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number +KeysToUseForUpdates=מפתח (עמודה) לשימוש עבור עדכון נתונים קיימים +NbInsert=מספר השורות שנוספו: %s +NbInsertSim=מספר השורות שיתווספו: %s +NbUpdate=מספר שורות מעודכנות: %s +NbUpdateSim=מספר השורות שיעודכנו : %s +MultipleRecordFoundWithTheseFilters=נמצאו רשומות מרובות עם המסננים הבאים: %s +StocksWithBatch=מלאי ומיקום (מחסן) של מוצרים עם אצווה/מספר סידורי +WarningFirstImportedLine=השורות הראשונות לא ייובאו עם הבחירה הנוכחית +NotUsedFields=שדות מסד הנתונים אינם בשימוש +SelectImportFieldsSource = בחר את שדות קובץ המקור שברצונך לייבא ואת שדה היעד שלהם במסד הנתונים על ידי בחירת השדות בכל תיבות בחירה, או בחר פרופיל ייבוא מוגדר מראש: +MandatoryTargetFieldsNotMapped=חלק משדות היעד החובה אינם ממופים +AllTargetMandatoryFieldsAreMapped=כל שדות היעד שצריכים ערך חובה ממופים +ResultOfSimulationNoError=תוצאת הסימולציה: אין שגיאה +NumberOfLinesLimited=מספר שורות מוגבל diff --git a/htdocs/langs/he_IL/help.lang b/htdocs/langs/he_IL/help.lang index 4a0b9599d4b..9c9e8dab9f7 100644 --- a/htdocs/langs/he_IL/help.lang +++ b/htdocs/langs/he_IL/help.lang @@ -1,23 +1,23 @@ # Dolibarr language file - Source file is en_US - help -CommunitySupport=Forum/Wiki support -EMailSupport=Emails support -RemoteControlSupport=Online real time / remote support -OtherSupport=Other support -ToSeeListOfAvailableRessources=To contact/see available resources: -HelpCenter=Help center -DolibarrHelpCenter=Dolibarr Help and Support Center -ToGoBackToDolibarr=Otherwise, click here to continue to use Dolibarr. -TypeOfSupport=Type of support -TypeSupportCommunauty=Community (free) +CommunitySupport=תמיכה בפורום/ויקי +EMailSupport=תמיכה במיילים +RemoteControlSupport=תמיכה מקוונת בזמן אמת / מרחוק +OtherSupport=תמיכה אחרת +ToSeeListOfAvailableRessources=ליצירת קשר/לראות משאבים זמינים: +HelpCenter=מרכז עזרה +DolibarrHelpCenter=מרכז העזרה והתמיכה של Dolibarr +ToGoBackToDolibarr=אחרת, לחץ כאן כדי להמשיך להשתמש ב-Dolibarr. +TypeOfSupport=סוג התמיכה +TypeSupportCommunauty=קהילה (חינם) TypeSupportCommercial=מסחרי -TypeOfHelp=Type -NeedHelpCenter=Need help or support? -Efficiency=Efficiency -TypeHelpOnly=Help only -TypeHelpDev=Help+Development -TypeHelpDevForm=Help+Development+Training -BackToHelpCenter=Otherwise, go back to Help center home page. -LinkToGoldMember=You can call one of the trainers preselected by Dolibarr for your language (%s) by clicking their Widget (status and maximum price are automatically updated): -PossibleLanguages=Supported languages -SubscribeToFoundation=Help the Dolibarr project, subscribe to the foundation -SeeOfficalSupport=For official Dolibarr support in your language:
      %s +TypeOfHelp=סוּג +NeedHelpCenter=צריך תמיכה? +Efficiency=יְעִילוּת +TypeHelpOnly=עזרה בלבד +TypeHelpDev=עזרה+פיתוח +TypeHelpDevForm=עזרה+פיתוח+הדרכה +BackToHelpCenter=אחרת, חזור לדף הבית של מרכז העזרה. +LinkToGoldMember=אתה יכול להתקשר לאחד מהמאמנים שנבחרו מראש על ידי Dolibarr עבור השפה שלך (%s) על ידי לחיצה על הווידג'ט שלהם (סטטוס ומחיר מקסימלי מתעדכנים אוטומטית): +PossibleLanguages=שפות נתמכות +SubscribeToFoundation=עזרו לפרויקט Dolibarr, הירשם לקרן +SeeOfficalSupport=לתמיכה רשמית של Dolibarr בשפה שלך:
      %s diff --git a/htdocs/langs/he_IL/holiday.lang b/htdocs/langs/he_IL/holiday.lang index e448f4397c8..7f9b12eec1b 100644 --- a/htdocs/langs/he_IL/holiday.lang +++ b/htdocs/langs/he_IL/holiday.lang @@ -1,158 +1,157 @@ # Dolibarr language file - Source file is en_US - holiday HRM=HRM -Holidays=Leaves -Holiday=Leave -CPTitreMenu=Leave -MenuReportMonth=Monthly statement -MenuAddCP=New leave request -MenuCollectiveAddCP=New collective leave request -NotActiveModCP=You must enable the module Leave to view this page. -AddCP=Make a leave request -DateDebCP=Start date -DateFinCP=End date -DraftCP=Draft -ToReviewCP=Awaiting approval -ApprovedCP=Approved -CancelCP=Canceled -RefuseCP=Refused -ValidatorCP=Approver -ListeCP=List of leave -Leave=Leave request -LeaveId=Leave ID -ReviewedByCP=Will be approved by -UserID=User ID -UserForApprovalID=User for approval ID -UserForApprovalFirstname=First name of approval user -UserForApprovalLastname=Last name of approval user -UserForApprovalLogin=Login of approval user +Holidays=משאיר +Holiday=לעזוב +CPTitreMenu=לעזוב +MenuReportMonth=הצהרה חודשית +MenuAddCP=בקשת חופשה חדשה +MenuCollectiveAddCP=חופשה קולקטיבית חדשה +NotActiveModCP=עליך להפעיל את המודול השאר כדי לצפות בדף זה. +AddCP=הגש בקשת חופשה +DateDebCP=תאריך התחלה +DateFinCP=תאריך סיום +DraftCP=טְיוּטָה +ToReviewCP=מחכה לאישור +ApprovedCP=אושר +CancelCP=מבוטל +RefuseCP=סירב +ValidatorCP=מאשר +ListeCP=רשימת חופשות +Leave=השאר בקשה +LeaveId=השאר תעודת זהות +ReviewedByCP=יאושר על ידי +UserID=זהות המשתמש +UserForApprovalID=מזהה משתמש לאישור +UserForApprovalFirstname=שם פרטי של משתמש אישור +UserForApprovalLastname=שם משפחה של משתמש אישור +UserForApprovalLogin=כניסה של משתמש אישור DescCP=תאור -SendRequestCP=Create leave request -DelayToRequestCP=Leave requests must be made at least %s day(s) before them. -MenuConfCP=Balance of leave -SoldeCPUser=Leave balance (in days) %s -ErrorEndDateCP=You must select an end date greater than the start date. -ErrorSQLCreateCP=An SQL error occurred during the creation: -ErrorIDFicheCP=An error has occurred, the leave request does not exist. -ReturnCP=Return to previous page -ErrorUserViewCP=You are not authorized to read this leave request. -InfosWorkflowCP=Information Workflow -RequestByCP=Requested by -TitreRequestCP=Leave request -TypeOfLeaveId=Type of leave ID -TypeOfLeaveCode=Type of leave code -TypeOfLeaveLabel=Type of leave label -NbUseDaysCP=Number of days of leave used -NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. -NbUseDaysCPShort=Days of leave -NbUseDaysCPShortInMonth=Days of leave in month -DayIsANonWorkingDay=%s is a non-working day -DateStartInMonth=Start date in month -DateEndInMonth=End date in month -EditCP=Edit -DeleteCP=Delete -ActionRefuseCP=Refuse -ActionCancelCP=Cancel -StatutCP=Status -TitleDeleteCP=Delete the leave request -ConfirmDeleteCP=Confirm the deletion of this leave request? -ErrorCantDeleteCP=Error you don't have the right to delete this leave request. -CantCreateCP=You don't have the right to make leave requests. -InvalidValidatorCP=You must choose the approver for your leave request. -InvalidValidator=The user chosen isn't an approver. -NoDateDebut=You must select a start date. -NoDateFin=You must select an end date. -ErrorDureeCP=Your leave request does not contain working day. -TitleValidCP=Approve the leave request -ConfirmValidCP=Are you sure you want to approve the leave request? -DateValidCP=Date approved -TitleToValidCP=Send leave request -ConfirmToValidCP=Are you sure you want to send the leave request? -TitleRefuseCP=Refuse the leave request -ConfirmRefuseCP=Are you sure you want to refuse the leave request? -NoMotifRefuseCP=You must choose a reason for refusing the request. -TitleCancelCP=Cancel the leave request -ConfirmCancelCP=Are you sure you want to cancel the leave request? -DetailRefusCP=Reason for refusal -DateRefusCP=Date of refusal -DateCancelCP=Date of cancellation -DefineEventUserCP=Assign an exceptional leave for a user -addEventToUserCP=Assign leave -NotTheAssignedApprover=You are not the assigned approver -MotifCP=Reason -UserCP=User -ErrorAddEventToUserCP=An error occurred while adding the exceptional leave. -AddEventToUserOkCP=The addition of the exceptional leave has been completed. -ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be filled in -fusionGroupsUsers=The groups field and the user field will be merged -MenuLogCP=View change logs -LogCP=Log of all updates made to "Balance of Leave" -ActionByCP=Updated by -UserUpdateCP=Updated for -PrevSoldeCP=Previous Balance -NewSoldeCP=New Balance -alreadyCPexist=A leave request has already been done on this period. -UseralreadyCPexist=A leave request has already been done on this period for %s. +SendRequestCP=צור בקשת חופשה +DelayToRequestCP=יש להגיש בקשות לחופשה לפחות %s ימים לפניהם. +MenuConfCP=יתרת חופשה +SoldeCPUser=השאר יתרה (בימים) : %s +ErrorEndDateCP=עליך לבחור תאריך סיום גדול מתאריך ההתחלה. +ErrorSQLCreateCP=אירעה שגיאת SQL במהלך היצירה: +ErrorIDFicheCP=אירעה שגיאה, בקשת החופשה לא קיימת. +ReturnCP=חזור לעמוד הקודם +ErrorUserViewCP=אינך מורשה לקרוא בקשת חופשה זו. +InfosWorkflowCP=זרימת עבודה של מידע +RequestByCP=התבקש על ידי +TitreRequestCP=השאר בקשה +TypeOfLeaveId=סוג תעודת חופשה +TypeOfLeaveCode=סוג קוד חופשה +TypeOfLeaveLabel=סוג תווית חופשה +NbUseDaysCP=מספר ימי החופשה שניצלו +NbUseDaysCPHelp=החישוב לוקח בחשבון את ימי העבודה והחגים המוגדרים במילון. +NbUseDaysCPShort=ימי חופשה +NbUseDaysCPShortInMonth=ימי חופשה בחודש +DayIsANonWorkingDay=%s הוא יום ללא עבודה +DateStartInMonth=תאריך התחלה בחודש +DateEndInMonth=תאריך סיום בחודש +EditCP=לַעֲרוֹך +DeleteCP=לִמְחוֹק +ActionRefuseCP=מסרב +ActionCancelCP=לְבַטֵל +StatutCP=סטָטוּס +TitleDeleteCP=מחק את בקשת החופשה +ConfirmDeleteCP=לאשר את מחיקת בקשת החופשה הזו? +ErrorCantDeleteCP=שגיאה אין לך את הזכות למחוק בקשת חופשה זו. +CantCreateCP=אין לך את הזכות להגיש בקשות לחופשה. +InvalidValidatorCP=עליך לבחור את המאשר לבקשת החופשה שלך. +InvalidValidator=המשתמש שנבחר אינו מאשר. +NoDateDebut=עליך לבחור תאריך התחלה. +NoDateFin=עליך לבחור תאריך סיום. +ErrorDureeCP=בקשת החופשה שלך אינה מכילה יום עבודה. +TitleValidCP=לאשר את בקשת החופשה +ConfirmValidCP=האם אתה בטוח שברצונך לאשר את בקשת החופשה? +DateValidCP=תאריך אישור +TitleToValidCP=שלח בקשת חופשה +ConfirmToValidCP=האם אתה בטוח שברצונך לשלוח את בקשת החופשה? +TitleRefuseCP=סרב לבקשת החופשה +ConfirmRefuseCP=האם אתה בטוח שברצונך לסרב לבקשת החופשה? +NoMotifRefuseCP=עליך לבחור סיבה לסירוב לבקשה. +TitleCancelCP=בטל את בקשת החופשה +ConfirmCancelCP=האם אתה בטוח שברצונך לבטל את בקשת החופשה? +DetailRefusCP=סיבת סירוב +DateRefusCP=תאריך סירוב +DateCancelCP=תאריך הביטול +DefineEventUserCP=הקצה חופשה חריגה למשתמש +addEventToUserCP=להקצות חופשה +NotTheAssignedApprover=אתה לא המאשר שהוקצה +MotifCP=סיבה +UserCP=מִשׁתַמֵשׁ +ErrorAddEventToUserCP=אירעה שגיאה בעת הוספת החופשה החריגה. +AddEventToUserOkCP=הושלמה תוספת החופשה החריגה. +ErrorFieldRequiredUserOrGroup=יש למלא את השדה "קבוצה" או את השדה "משתמש". +fusionGroupsUsers=שדה הקבוצות ושדה המשתמש ימוזגו +MenuLogCP=הצג יומני שינויים +LogCP=יומן של כל העדכונים שבוצעו ב"מאזן חופשה" +ActionByCP=עודכן על ידי +UserUpdateCP=עודכן עבור +PrevSoldeCP=איזון קודם +NewSoldeCP=איזון חדש +alreadyCPexist=בקשת חופשה כבר נעשתה בתקופה זו. +UseralreadyCPexist=בקשת חופשה כבר נעשתה בתקופה זו עבור %s. groups=קבוצות users=משתמשים -AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request -AutoValidationOnCreate=Automatic validation -FirstDayOfHoliday=Beginning day of leave request -LastDayOfHoliday=Ending day of leave request -BoxTitleLastLeaveRequests=Latest %s modified leave requests -HolidaysMonthlyUpdate=Monthly update -ManualUpdate=Manual update -HolidaysCancelation=Leave request cancelation -EmployeeLastname=Employee last name -EmployeeFirstname=Employee first name -TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests -HalfDay=Half day -NotTheAssignedApprover=You are not the assigned approver -LEAVE_PAID=Paid vacation -LEAVE_SICK=Sick leave -LEAVE_OTHER=Other leave -LEAVE_PAID_FR=Paid vacation +AutoSendMail=דיוור אוטומטי +NewHolidayForGroup=חופשה קולקטיבית חדשה +SendRequestCollectiveCP=צור חופשה קולקטיבית +AutoValidationOnCreate=אימות אוטומטי +FirstDayOfHoliday=יום תחילת בקשה לחופשה +LastDayOfHoliday=יום סיום הבקשה לחופשה +HolidaysMonthlyUpdate=עדכון חודשי +ManualUpdate=עדכון ידני +HolidaysCancelation=השאירו בקשה לביטול +EmployeeLastname=שם משפחה של העובד +EmployeeFirstname=שם פרטי של העובד +TypeWasDisabledOrRemoved=סוג העזיבה (מזהה %s) הושבת או הוסר +LastHolidays=בקשות עזיבה אחרונות של %s +AllHolidays=כל בקשות החופשה +HalfDay=חצי יום +NotTheAssignedApprover=אתה לא המאשר שהוקצה +LEAVE_PAID=חופשה בתשלום +LEAVE_SICK=חופשת מחלה +LEAVE_OTHER=אחרים עוזבים +LEAVE_PAID_FR=חופשה בתשלום ## Configuration du Module ## -LastUpdateCP=Last automatic update of leave allocation -MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation -UpdateConfCPOK=Updated successfully. -Module27130Name= Management of leave requests -Module27130Desc= Management of leave requests -ErrorMailNotSend=An error occurred while sending email: -NoticePeriod=Notice period +LastUpdateCP=עדכון אוטומטי אחרון של הקצאת חופשות +MonthOfLastMonthlyUpdate=חודש של עדכון אוטומטי אחרון של הקצאת חופשות +UpdateConfCPOK=עודכן בהצלחה. +Module27130Name= ניהול בקשות לחופשה +Module27130Desc= ניהול בקשות לחופשה +ErrorMailNotSend=אירעה שגיאה בעת שליחת אימייל: +NoticePeriod=תקופת התראה #Messages -HolidaysToValidate=Validate leave requests -HolidaysToValidateBody=Below is a leave request to validate -HolidaysToValidateDelay=This leave request will take place within a period of less than %s days. -HolidaysToValidateAlertSolde=The user who made this leave request does not have enough available days. -HolidaysValidated=Validated leave requests -HolidaysValidatedBody=Your leave request for %s to %s has been validated. -HolidaysRefused=Request denied -HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason: -HolidaysCanceled=Canceled leaved request -HolidaysCanceledBody=Your leave request for %s to %s has been canceled. -FollowedByACounter=1: This type of leave need to be followed by a counter. Counter is incremented manually or automatically and when a leave request is validated, counter is decremented.
      0: Not followed by a counter. -NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter -GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leave to setup the different types of leaves. -HolidaySetup=Setup of module Leave -HolidaysNumberingModules=Numbering models for leave requests -TemplatePDFHolidays=Template for leave requests PDF -FreeLegalTextOnHolidays=Free text on PDF -WatermarkOnDraftHolidayCards=Watermarks on draft leave requests -HolidaysToApprove=Holidays to approve -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays -HolidayBalanceMonthlyUpdate=Monthly update of holiday balance -XIsAUsualNonWorkingDay=%s is usualy a NON working day -BlockHolidayIfNegative=Block if balance negative -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative -ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted -IncreaseHolidays=Increase holiday -HolidayRecordsIncreased= %s holiday records increased -HolidayRecordIncreased=Holiday record increased -ConfirmMassIncreaseHoliday=Bulk holiday increase -NumberDayAddMass=Number of day to add to the selection -ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? -HolidayQtyNotModified=Balance of remaining days for %s has not been changed +HolidaysToValidate=אימות בקשות לחופשה +HolidaysToValidateBody=להלן בקשת חופשה לאימות +HolidaysToValidateDelay=בקשת חופשה זו תתבצע תוך פרק זמן של פחות מ-%s ימים. +HolidaysToValidateAlertSolde=למשתמש שהגיש בקשת חופשה זו אין מספיק ימים פנויים. +HolidaysValidated=בקשות חופשה מאומתות +HolidaysValidatedBody=בקשת החופשה שלך עבור %s אל %s אומתה. +HolidaysRefused=בקשה נדחתה +HolidaysRefusedBody=בקשת החופשה שלך עבור %s אל %s נדחתה מהסיבה הבאה: +HolidaysCanceled=בקשה שנשארה בוטלה +HolidaysCanceledBody=בקשת החופשה שלך עבור %s אל %s בוטלה. +FollowedByACounter=1: סוג זה של חופשה צריך להיות אחריו מונה. המונה מוגדל באופן ידני או אוטומטי, וכאשר בקשת חופשה מאומתת, המונה מופחת.
      0: אין אחריו מונה. +NoLeaveWithCounterDefined=לא מוגדרים סוגי חופשה שצריכים להופיע אחריהם מונה +GoIntoDictionaryHolidayTypes=היכנס אל בית - הגדרה - מילונים - סוג חופשה כדי להגדיר את סוגי העלים השונים. +HolidaySetup=הגדרת מודול עזוב +HolidaysNumberingModules=דגמי מספור לבקשות חופשה +TemplatePDFHolidays=תבנית PDF לבקשות חופשה +FreeLegalTextOnHolidays=טקסט חופשי ב-PDF +WatermarkOnDraftHolidayCards=סימני מים בבקשות לחופשת טיוטות +HolidaysToApprove=חגים לאישור +NobodyHasPermissionToValidateHolidays=לאף אחד אין הרשאה לאמת בקשות חופשה +HolidayBalanceMonthlyUpdate=עדכון חודשי של יתרת חופשה +XIsAUsualNonWorkingDay=%s הוא בדרך כלל יום עבודה ללא +BlockHolidayIfNegative=חסום אם יתרה שלילית +LeaveRequestCreationBlockedBecauseBalanceIsNegative=היצירה של בקשת חופשה זו חסומה מכיוון שהיתרה שלך שלילית +ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=בקשת ההשארה %s חייבת להיות טיוטה, לבטל או לסרב להימחק +IncreaseHolidays=הגדל את יתרת החופשה +HolidayRecordsIncreased= %s יתרות העזיבה גדלו +HolidayRecordIncreased=השאר איזון גדל +ConfirmMassIncreaseHoliday=גידול יתרת החופשה בכמות גדולה +NumberDayAddMass=מספר ימים להוסיף לבחירה +ConfirmMassIncreaseHolidayQuestion=האם אתה בטוח שברצונך להגדיל את החג של %s הרשומות שנבחרו? +HolidayQtyNotModified=יתרת הימים שנותרו עבור %s לא שונתה diff --git a/htdocs/langs/he_IL/hrm.lang b/htdocs/langs/he_IL/hrm.lang index 8724bb805a6..727da87fd37 100644 --- a/htdocs/langs/he_IL/hrm.lang +++ b/htdocs/langs/he_IL/hrm.lang @@ -2,80 +2,96 @@ # Admin -HRM_EMAIL_EXTERNAL_SERVICE=Email to prevent HRM external service -Establishments=Establishments -Establishment=Establishment -NewEstablishment=New establishment -DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? -OpenEtablishment=Open establishment -CloseEtablishment=Close establishment +HRM_EMAIL_EXTERNAL_SERVICE=דואר אלקטרוני כדי למנוע שירות חיצוני של HRM +Establishments=מפעלים +Establishment=מוֹסָד +NewEstablishment=מוסד חדש +DeleteEstablishment=מחק מוסד +ConfirmDeleteEstablishment=האם אתה בטוח שברצונך למחוק את המפעל הזה? +OpenEtablishment=מוסד פתוח +CloseEtablishment=הקמה קרובה # Dictionary -DictionaryPublicHolidays=Leave - Public holidays -DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Job positions +DictionaryPublicHolidays=חופשה - חגים +DictionaryDepartment=HRM - יחידה ארגונית +DictionaryFunction=HRM - משרות עבודה # Module -Employees=Employees -Employee=Employee -NewEmployee=New employee -ListOfEmployees=List of employees -HrmSetup=HRM module setup -HRM_MAXRANK=Maximum rank for a skill -HRM_DEFAULT_SKILL_DESCRIPTION=Default description of ranks when skill is created -deplacement=Shift -DateEval=Evaluation date -JobCard=Job card -Job=Job -Jobs=Jobs -NewSkill=New Skill -SkillType=Skill type -Skilldets=List of ranks for this skill -Skilldet=Skill level -rank=Rank -ErrNoSkillSelected=No skill selected -ErrSkillAlreadyAdded=This skill is already in the list -SkillHasNoLines=This skill has no lines -skill=Skill -Skills=Skills -SkillCard=Skill card -EmployeeSkillsUpdated=Employee skills have been updated (see "Skills" tab of employee card) -Eval=Evaluation -Evals=Evaluations -NewEval=New evaluation -ValidateEvaluation=Validate evaluation -ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with reference %s? -EvaluationCard=Evaluation card -RequiredRank=Required rank for this job -EmployeeRank=Employee rank for this skill -Position=Position -Positions=Positions -PositionCard=Position card -EmployeesInThisPosition=Employees in this position -group1ToCompare=Usergroup to analyze -group2ToCompare=Second usergroup for comparison -OrJobToCompare=Compare to job skills requirements -difference=Difference -CompetenceAcquiredByOneOrMore=Competence acquired by one or more users but not requested by the second comparator -MaxlevelGreaterThan=Max level greater than the one requested -MaxLevelEqualTo=Max level equal to that demand -MaxLevelLowerThan=Max level lower than that demand -MaxlevelGreaterThanShort=Employee level greater than the one requested -MaxLevelEqualToShort=Employee level equals to that demand -MaxLevelLowerThanShort=Employee level lower than that demand -SkillNotAcquired=Skill not acquired by all users and requested by the second comparator -legend=Legend -TypeSkill=Skill type -AddSkill=Add skills to job -RequiredSkills=Required skills for this job -UserRank=User Rank -SkillList=Skill list -SaveRank=Save rank -knowHow=Know how -HowToBe=How to be -knowledge=Knowledge -AbandonmentComment=Abandonment comment -DateLastEval=Date last evaluation -NoEval=No evaluation done for this employee -HowManyUserWithThisMaxNote=Number of users with this rank -HighestRank=Highest rank -SkillComparison=Skill comparison +Employees=עובדים +Employee=עוֹבֵד +NewEmployee=עובד חדש +ListOfEmployees=רשימת עובדים +HrmSetup=הגדרת מודול HRM +SkillsManagement=ניהול מיומנויות +HRM_MAXRANK=מספר רמות מקסימלי לדירוג מיומנות +HRM_DEFAULT_SKILL_DESCRIPTION=תיאור ברירת מחדל של דרגות כאשר מיומנות נוצרת +deplacement=מִשׁמֶרֶת +DateEval=תאריך הערכה +JobCard=כרטיס עבודה +NewJobProfile=פרופיל עבודה חדש +JobProfile=פרופיל עבודה +JobsProfiles=פרופילי עבודה +NewSkill=מיומנות חדשה +SkillType=סוג מיומנות +Skilldets=רשימת דרגות למיומנות זו +Skilldet=רמת מיומנות +rank=דַרגָה +ErrNoSkillSelected=לא נבחרה מיומנות +ErrSkillAlreadyAdded=מיומנות זו כבר נמצאת ברשימה +SkillHasNoLines=למיומנות הזו אין קווים +Skill=מְיוּמָנוּת +Skills=מיומנויות +SkillCard=כרטיס מיומנות +EmployeeSkillsUpdated=כישורי העובד עודכנו (ראה כרטיסיית "מיומנויות" בכרטיס העובד) +Eval=הַעֲרָכָה +Evals=הערכות +NewEval=הערכה חדשה +ValidateEvaluation=אימות הערכה +ConfirmValidateEvaluation=האם אתה בטוח שברצונך לאמת הערכה זו עם ההפניה %s >? +EvaluationCard=כרטיס הערכה +RequiredRank=דירוג נדרש עבור פרופיל התפקיד +RequiredRankShort=דרגה נדרשת +PositionsWithThisProfile=תפקידים עם פרופילי משרה זו +EmployeeRank=דירוג עובד עבור מיומנות זו +EmployeeRankShort=דרגת שכיר +EmployeePosition=תפקיד שכיר +EmployeePositions=תפקידי עובדים +EmployeesInThisPosition=עובדים בתפקיד זה +group1ToCompare=קבוצת משתמשים לניתוח +group2ToCompare=קבוצת משתמשים שנייה להשוואה +OrJobToCompare=השווה לדרישות המיומנות של פרופיל עבודה +difference=הֶבדֵל +CompetenceAcquiredByOneOrMore=יכולת שנרכשה על ידי משתמש אחד או יותר אך לא התבקשה על ידי המשווה השני +MaxlevelGreaterThan=רמת העובדים גבוהה מהרמה הצפויה +MaxLevelEqualTo=רמת העובד שווה לרמה הצפויה +MaxLevelLowerThan=רמת העובדים נמוכה מהרמה הצפויה +MaxlevelGreaterThanShort=רמה גבוהה מהצפוי +MaxLevelEqualToShort=רמה שווה לרמה הצפויה +MaxLevelLowerThanShort=רמה נמוכה מהצפוי +SkillNotAcquired=מיומנות שלא נרכשה על ידי כל המשתמשים ומתבקשת על ידי המשווה השני +legend=אגדה +TypeSkill=סוג מיומנות +AddSkill=הוסף כישורים לפרופיל העבודה +RequiredSkills=הכישורים הנדרשים עבור פרופיל עבודה זה +UserRank=דירוג משתמש +SkillList=רשימת מיומנויות +SaveRank=שמור דרגה +TypeKnowHow=לדעת איך +TypeHowToBe=איך להיות +TypeKnowledge=יֶדַע +AbandonmentComment=הערת נטישה +DateLastEval=תאריך הערכה אחרונה +NoEval=לא נעשתה הערכה עבור עובד זה +HowManyUserWithThisMaxNote=מספר משתמשים עם דירוג זה +HighestRank=הדרגה הגבוהה ביותר +SkillComparison=השוואת מיומנויות +ActionsOnJob=אירועים בעבודה זו +VacantPosition=משרה פנויה +VacantCheckboxHelper=סימון אפשרות זו יציג משרות לא מאוישות (משרה פנויה) +SaveAddSkill = מיומנויות נוספו +SaveLevelSkill = רמת המיומנות נשמרה +DeleteSkill = מיומנות הוסרה +SkillsExtraFields=תכונות משלימות (מיומנויות) +JobsExtraFields=תכונות משלימות (פרופיל עבודה) +EvaluationsExtraFields=תכונות משלימות (הערכות) +NeedBusinessTravels=צריך נסיעות עסקים +NoDescription=אין תיאור +TheJobProfileHasNoSkillsDefinedFixBefore=לפרופיל התפקיד המוערך של עובד זה אין מיומנות מוגדרת. אנא הוסף מיומנויות, ולאחר מכן מחק והתחל מחדש את ההערכה. diff --git a/htdocs/langs/he_IL/install.lang b/htdocs/langs/he_IL/install.lang index 61fa0159978..9feac014d76 100644 --- a/htdocs/langs/he_IL/install.lang +++ b/htdocs/langs/he_IL/install.lang @@ -1,219 +1,219 @@ # Dolibarr language file - Source file is en_US - install -InstallEasy=Just follow the instructions step by step. -MiscellaneousChecks=Prerequisites check -ConfFileExists=Configuration file %s exists. -ConfFileDoesNotExistsAndCouldNotBeCreated=Configuration file %s does not exist and could not be created! -ConfFileCouldBeCreated=Configuration file %s could be created. -ConfFileIsNotWritable=Configuration file %s is not writable. Check permissions. For first install, your web server must be able to write into this file during configuration process ("chmod 666" for example on a Unix like OS). -ConfFileIsWritable=Configuration file %s is writable. -ConfFileMustBeAFileNotADir=Configuration file %s must be a file, not a directory. -ConfFileReload=Reloading parameters from configuration file. -PHPSupportPOSTGETOk=This PHP supports variables POST and GET. -PHPSupportPOSTGETKo=It's possible your PHP setup does not support variables POST and/or GET. Check the parameter variables_order in php.ini. -PHPSupportSessions=This PHP supports sessions. -PHPSupport=This PHP supports %s functions. -PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. -PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. -Recheck=Click here for a more detailed test -ErrorPHPDoesNotSupportSessions=Your PHP installation does not support sessions. This feature is required to allow Dolibarr to work. Check your PHP setup and permissions of the sessions directory. -ErrorPHPDoesNotSupportGD=Your PHP installation does not support GD graphical functions. No graphs will be available. -ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. -ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. -ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. -ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. -ErrorPHPDoesNotSupportMbstring=Your PHP installation does not support mbstring functions. -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. -ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. -ErrorDirDoesNotExists=Directory %s does not exist. -ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. -ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. -ErrorFailedToCreateDatabase=Failed to create database '%s'. -ErrorFailedToConnectToDatabase=Failed to connect to database '%s'. -ErrorDatabaseVersionTooLow=Database version (%s) too old. Version %s or higher is required. -ErrorPHPVersionTooLow=PHP version too old. Version %s is required. -ErrorConnectedButDatabaseNotFound=Connection to server successful but database '%s' not found. -ErrorDatabaseAlreadyExists=Database '%s' already exists. -IfDatabaseNotExistsGoBackAndUncheckCreate=If the database does not exist, go back and check option "Create database". -IfDatabaseExistsGoBackAndCheckCreate=If database already exists, go back and uncheck "Create database" option. -WarningBrowserTooOld=Version of browser is too old. Upgrading your browser to a recent version of Firefox, Chrome or Opera is highly recommended. -PHPVersion=PHP Version -License=Using license -ConfigurationFile=Configuration file -WebPagesDirectory=Directory where web pages are stored -DocumentsDirectory=Directory to store uploaded and generated documents -URLRoot=URL Root -ForceHttps=Force secure connections (https) -CheckToForceHttps=Check this option to force secure connections (https).
      This requires that the web server is configured with an SSL certificate. -DolibarrDatabase=Dolibarr Database -DatabaseType=Database type +InstallEasy=פשוט עקוב אחר ההוראות צעד אחר צעד. +MiscellaneousChecks=בדיקת דרישות מוקדמות +ConfFileExists=קובץ התצורה %s קיים. +ConfFileDoesNotExistsAndCouldNotBeCreated=קובץ התצורה %s אינו קיים ולא ניתן היה ליצור אותו! +ConfFileCouldBeCreated=ניתן ליצור קובץ תצורה %s. +ConfFileIsNotWritable=קובץ התצורה %s אינו ניתן לכתיבה. בדוק הרשאות. להתקנה ראשונה, שרת האינטרנט שלך חייב להיות מסוגל לכתוב לקובץ זה במהלך תהליך התצורה ("chmod 666" למשל ב-Unix כמו OS). +ConfFileIsWritable=קובץ התצורה %s ניתן לכתיבה. +ConfFileMustBeAFileNotADir=קובץ התצורה %s חייב להיות קובץ, לא ספריה. +ConfFileReload=טוען מחדש פרמטרים מקובץ תצורה. +NoReadableConfFileSoStartInstall=קובץ התצורה conf/conf.php אינו קיים או אינו קריא. אנו נריץ את תהליך ההתקנה כדי לנסות לאתחל אותו. +PHPSupportPOSTGETOk=PHP זה תומך במשתנים POST ו-GET. +PHPSupportPOSTGETKo=ייתכן שהגדרת ה-PHP שלך לא תומכת במשתנים POST ו/או GET. בדוק את הפרמטר variables_order ב-php.ini. +PHPSupportSessions=PHP זה תומך בהפעלות. +PHPSupport=PHP זה תומך בפונקציות %s. +PHPMemoryOK=זיכרון ההפעלה המקסימלי של PHP מוגדר ל-%s. זה אמור להספיק. +PHPMemoryTooLow=זיכרון ההפעלה המקסימלי של PHP מוגדר ל-%s בתים. זה נמוך מדי. שנה את php.ini שלך כדי להגדיר את me class ='notranslate'>
      פרמטר לפחות ל-%s789f739f /span> בתים. +Recheck=לחצו כאן לבדיקה מפורטת יותר +ErrorPHPDoesNotSupportSessions=התקנת ה-PHP שלך אינה תומכת בהפעלות. תכונה זו נדרשת כדי לאפשר ל-Dolibarr לעבוד. בדוק את הגדרת ה-PHP וההרשאות של ספריית הפעלות. +ErrorPHPDoesNotSupport=התקנת ה-PHP שלך אינה תומכת בפונקציות %s. +ErrorDirDoesNotExists=ספרייה %s אינה קיימת. +ErrorGoBackAndCorrectParameters=חזור ובדוק/תקן את הפרמטרים. +ErrorWrongValueForParameter=ייתכן שהקלדת ערך שגוי עבור הפרמטר '%s'. +ErrorFailedToCreateDatabase=יצירת מסד הנתונים '%s' נכשלה. +ErrorFailedToConnectToDatabase=נכשל החיבור למסד הנתונים '%s'. +ErrorDatabaseVersionTooLow=גרסת מסד הנתונים (%s) ישנה מדי. נדרשת גרסה %s ומעלה. +ErrorPHPVersionTooLow=גרסת PHP ישנה מדי. נדרשת גרסה %s ומעלה. +ErrorPHPVersionTooHigh=גרסת PHP גבוהה מדי. נדרשת גרסה %s ומטה. +ErrorConnectedButDatabaseNotFound=החיבור לשרת הצליח אך מסד הנתונים '%s' לא נמצא. +ErrorDatabaseAlreadyExists=מסד הנתונים '%s' כבר קיים. +ErrorNoMigrationFilesFoundForParameters=לא נמצא קובץ העברה עבור הגרסאות שנבחרו +IfDatabaseNotExistsGoBackAndUncheckCreate=אם מסד הנתונים אינו קיים, חזור אחורה וסמן את האפשרות "צור מסד נתונים". +IfDatabaseExistsGoBackAndCheckCreate=אם מסד הנתונים כבר קיים, חזור אחורה ובטל את הסימון באפשרות "צור מסד נתונים". +WarningBrowserTooOld=גרסת הדפדפן ישנה מדי. מומלץ מאוד לשדרג את הדפדפן לגרסה עדכנית של Firefox, Chrome או Opera. +PHPVersion=גרסת PHP +License=שימוש ברישיון +ConfigurationFile=קובץ תצורה +WebPagesDirectory=ספרייה שבה מאוחסנים דפי אינטרנט +DocumentsDirectory=ספרייה לאחסון מסמכים שהועלו ונוצרו +URLRoot=שורש כתובת האתר +ForceHttps=לכפות חיבורים מאובטחים (https) +CheckToForceHttps=סמן אפשרות זו כדי לאלץ חיבורים מאובטחים (https).
      זה דורש ששרת האינטרנט מוגדר עם אישור SSL. +DolibarrDatabase=מסד נתונים של Dolibarr +DatabaseType=סוג מסד נתונים DriverType=הנהג סוג Server=שרת -ServerAddressDescription=Name or ip address for the database server. Usually 'localhost' when the database server is hosted on the same server as the web server. -ServerPortDescription=Database server port. Keep empty if unknown. -DatabaseServer=Database server +ServerAddressDescription=שם או כתובת IP עבור שרת מסד הנתונים. בדרך כלל 'localhost' כאשר שרת מסד הנתונים מתארח באותו שרת כמו שרת האינטרנט. +ServerPortDescription=יציאת שרת מסד נתונים. שמור ריק אם לא ידוע. +DatabaseServer=שרת מסד - נתונים DatabaseName=שם מסד הנתונים -DatabasePrefix=Database table prefix -DatabasePrefixDescription=Database table prefix. If empty, defaults to llx_. -AdminLogin=User account for the Dolibarr database owner. -PasswordAgain=Retype password confirmation -AdminPassword=Password for Dolibarr database owner. -CreateDatabase=Create database -CreateUser=Create user account or grant user account permission on the Dolibarr database -DatabaseSuperUserAccess=Database server - Superuser access -CheckToCreateDatabase=Check the box if the database does not exist yet and so must be created.
      In this case, you must also fill in the user name and password for the superuser account at the bottom of this page. -CheckToCreateUser=Check the box if:
      the database user account does not yet exist and so must be created, or
      if the user account exists but the database does not exist and permissions must be granted.
      In this case, you must enter the user account and password and also the superuser account name and password at the bottom of this page. If this box is unchecked, database owner and password must already exist. -DatabaseRootLoginDescription=Superuser account name (to create new databases or new users), mandatory if the database or its owner does not already exist. -KeepEmptyIfNoPassword=Leave empty if superuser has no password (NOT recommended) -SaveConfigurationFile=Saving parameters to -ServerConnection=Server connection -DatabaseCreation=Database creation -CreateDatabaseObjects=Database objects creation -ReferenceDataLoading=Reference data loading -TablesAndPrimaryKeysCreation=Tables and Primary keys creation -CreateTableAndPrimaryKey=Create table %s -CreateOtherKeysForTable=Create foreign keys and indexes for table %s -OtherKeysCreation=Foreign keys and indexes creation -FunctionsCreation=Functions creation -AdminAccountCreation=Administrator login creation -PleaseTypePassword=Please type a password, empty passwords are not allowed! -PleaseTypeALogin=Please type a login! -PasswordsMismatch=Passwords differs, please try again! -SetupEnd=End of setup -SystemIsInstalled=This installation is complete. -SystemIsUpgraded=Dolibarr has been upgraded successfully. -YouNeedToPersonalizeSetup=You need to configure Dolibarr to suit your needs (appearance, features, ...). To do this, please follow the link below: -AdminLoginCreatedSuccessfuly=Dolibarr administrator login '%s' created successfully. -GoToDolibarr=Go to Dolibarr -GoToSetupArea=Go to Dolibarr (setup area) -MigrationNotFinished=The database version is not completely up to date: run the upgrade process again. -GoToUpgradePage=Go to upgrade page again -WithNoSlashAtTheEnd=Without the slash "/" at the end -DirectoryRecommendation=IMPORTANT: You must use a directory that is outside of the web pages (so do not use a subdirectory of previous parameter). -LoginAlreadyExists=Already exists -DolibarrAdminLogin=Dolibarr admin login -AdminLoginAlreadyExists=Dolibarr administrator account '%s' already exists. Go back if you want to create another one. -FailedToCreateAdminLogin=Failed to create Dolibarr administrator account. -WarningRemoveInstallDir=Warning, for security reasons, once the install or upgrade is complete, you should add a file called install.lock into the Dolibarr document directory in order to prevent the accidental/malicious use of the install tools again. -FunctionNotAvailableInThisPHP=Not available in this PHP -ChoosedMigrateScript=Choose migration script -DataMigration=Database migration (data) -DatabaseMigration=Database migration (structure + some data) -ProcessMigrateScript=Script processing -ChooseYourSetupMode=Choose your setup mode and click "Start"... -FreshInstall=Fresh install -FreshInstallDesc=Use this mode if this is your first install. If not, this mode can repair a incomplete previous install. If you want to upgrade your version, choose "Upgrade" mode. +DatabasePrefix=קידומת טבלת מסד נתונים +DatabasePrefixDescription=קידומת טבלת מסד נתונים. אם ריק, ברירת המחדל היא llx_. +AdminLogin=חשבון משתמש עבור הבעלים של מסד הנתונים Dolibarr. +AdminPassword=סיסמה לבעל מסד הנתונים של Dolibarr. +CreateDatabase=צור מסד נתונים +CreateUser=צור חשבון משתמש או הענק הרשאת חשבון משתמש במסד הנתונים של Dolibarr +DatabaseSuperUserAccess=שרת מסד נתונים - גישת Superuser +CheckToCreateDatabase=סמן את התיבה אם מסד הנתונים עדיין לא קיים ולכן יש ליצור אותו.
      במקרה זה, עליך גם למלא את שם המשתמש והסיסמה עבור חשבון משתמש העל בתחתית של הדף הזה. +CheckToCreateUser=סמן את התיבה אם:
      חשבון המשתמש במסד הנתונים עדיין לא קיים ולכן יש ליצור אותו, או
      אם חשבון המשתמש קיים אך מסד הנתונים אינו קיים ויש להעניק הרשאות.
      במקרה זה, עליך להזין את חשבון המשתמש והסיסמה ו
      גם שם חשבון משתמש העל והסיסמה בתחתית עמוד זה. אם תיבה זו אינה מסומנת, הבעלים והסיסמה של מסד הנתונים חייבים כבר להתקיים. +DatabaseRootLoginDescription=שם חשבון Superuser (ליצירת מסדי נתונים חדשים או משתמשים חדשים), חובה אם מסד הנתונים או בעליו אינם קיימים כבר. +KeepEmptyIfNoPassword=השאר ריק אם למשתמש-על אין סיסמה (לא מומלץ) +SaveConfigurationFile=שמירת פרמטרים ל +ServerConnection=חיבור לשרת +DatabaseCreation=יצירת מסד נתונים +CreateDatabaseObjects=יצירת אובייקטי מסד נתונים +ReferenceDataLoading=טעינת נתוני התייחסות +TablesAndPrimaryKeysCreation=יצירת טבלאות ומפתחות ראשיים +CreateTableAndPrimaryKey=צור טבלה %s +CreateOtherKeysForTable=צור מפתחות זרים ואינדקסים עבור הטבלה %s +OtherKeysCreation=יצירת מפתחות ואינדקסים זרים +FunctionsCreation=יצירת פונקציות +AdminAccountCreation=יצירת התחברות של מנהל מערכת +PleaseTypePassword=אנא הקלד סיסמה, סיסמאות ריקות אינן מותרות! +PleaseTypeALogin=אנא הקלד כניסה! +PasswordsMismatch=הסיסמאות שונות, אנא נסה שוב! +SetupEnd=סוף ההגדרה +SystemIsInstalled=התקנה זו הושלמה. +SystemIsUpgraded=Dolibarr שודרג בהצלחה. +YouNeedToPersonalizeSetup=אתה צריך להגדיר את Dolibarr כך שיתאים לצרכים שלך (מראה, תכונות, ...). כדי לעשות זאת, אנא עקוב אחר הקישור הבא: +AdminLoginCreatedSuccessfuly=התחברות של מנהל Dolibarr '%s' נוצרה בהצלחה. +GoToDolibarr=לך ל-Dolibarr +GoToSetupArea=עבור אל Dolibarr (אזור ההגדרה) +MigrationNotFinished=גרסת מסד הנתונים אינה מעודכנת לחלוטין: הפעל שוב את תהליך השדרוג. +GoToUpgradePage=עבור שוב לדף השדרוג +WithNoSlashAtTheEnd=בלי הלוכסן "/" בסוף +DirectoryRecommendation=חשוב: עליך להשתמש בספריה שנמצאת מחוץ לדפי האינטרנט (לכן אל תשתמש בספריית משנה של הפרמטר הקודם ). +LoginAlreadyExists=כבר קיים +DolibarrAdminLogin=התחברות לניהול Dolibarr +AdminLoginAlreadyExists=חשבון המנהל של Dolibarr '%s' כבר קיים. חזור אחורה אם אתה רוצה ליצור עוד אחד. +FailedToCreateAdminLogin=יצירת חשבון מנהל Dolibarr נכשלה. +WarningRemoveInstallDir=אזהרה, מטעמי אבטחה, לאחר השלמת תהליך ההתקנה, עליך להוסיף קובץ בשם install.lock לתוך הקובץ ספריית המסמכים של Dolibarr על מנת למנוע שוב שימוש מקרי/זדוני בכלי ההתקנה. +FunctionNotAvailableInThisPHP=לא זמין ב-PHP הזה +ChoosedMigrateScript=בחר סקריפט העברה +DataMigration=העברת מסדי נתונים (נתונים) +DatabaseMigration=העברת מסדי נתונים (מבנה + חלק מהנתונים) +ProcessMigrateScript=עיבוד תסריט +ChooseYourSetupMode=בחר את מצב ההגדרה שלך ולחץ על "התחל"... +FreshInstall=התקנה טריה +FreshInstallDesc=השתמש במצב זה אם זו ההתקנה הראשונה שלך. אם לא, מצב זה יכול לתקן התקנה קודמת לא שלמה. אם ברצונך לשדרג את הגרסה שלך, בחר במצב "שדרוג". Upgrade=שדרוג -UpgradeDesc=Use this mode if you have replaced old Dolibarr files with files from a newer version. This will upgrade your database and data. -Start=Start -InstallNotAllowed=Setup not allowed by conf.php permissions -YouMustCreateWithPermission=You must create file %s and set write permissions on it for the web server during install process. -CorrectProblemAndReloadPage=Please fix the problem and press F5 to reload the page. -AlreadyDone=Already migrated -DatabaseVersion=Database version -ServerVersion=Database server version -YouMustCreateItAndAllowServerToWrite=You must create this directory and allow for the web server to write into it. -DBSortingCollation=Character sorting order -YouAskDatabaseCreationSoDolibarrNeedToConnect=You selected create database %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions. -YouAskLoginCreationSoDolibarrNeedToConnect=You selected create database user %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions. -BecauseConnectionFailedParametersMayBeWrong=The database connection failed: the host or super user parameters must be wrong. -OrphelinsPaymentsDetectedByMethod=Orphans payment detected by method %s -RemoveItManuallyAndPressF5ToContinue=Remove it manually and press F5 to continue. -FieldRenamed=Field renamed -IfLoginDoesNotExistsCheckCreateUser=If the user does not exist yet, you must check option "Create user" -ErrorConnection=Server "%s", database name "%s", login "%s", or database password may be wrong or the PHP client version may be too old compared to the database version. -InstallChoiceRecommanded=Recommended choice to install version %s from your current version %s -InstallChoiceSuggested=Install choice suggested by installer. -MigrateIsDoneStepByStep=The targeted version (%s) has a gap of several versions. The install wizard will come back to suggest a further migration once this one is complete. -CheckThatDatabasenameIsCorrect=Check that the database name "%s" is correct. -IfAlreadyExistsCheckOption=If this name is correct and that database does not exist yet, you must check option "Create database". -OpenBaseDir=PHP openbasedir parameter -YouAskToCreateDatabaseSoRootRequired=You checked the box "Create database". For this, you need to provide the login/password of superuser (bottom of form). -YouAskToCreateDatabaseUserSoRootRequired=You checked the box "Create database owner". For this, you need to provide the login/password of superuser (bottom of form). -NextStepMightLastALongTime=The current step may take several minutes. Please wait until the next screen is shown completely before continuing. -MigrationCustomerOrderShipping=Migrate shipping for sales orders storage -MigrationShippingDelivery=Upgrade storage of shipping -MigrationShippingDelivery2=Upgrade storage of shipping 2 -MigrationFinished=Migration finished -LastStepDesc=Last step: Define here the login and password you wish to use to connect to Dolibarr. Do not lose this as it is the master account to administer all other/additional user accounts. -ActivateModule=Activate module %s -ShowEditTechnicalParameters=Click here to show/edit advanced parameters (expert mode) -WarningUpgrade=Warning:\nDid you run a database backup first?\nThis is highly recommended. Loss of data (due to for example bugs in mysql version 5.5.40/41/42/43) may be possible during this process, so it is essential to take a complete dump of your database before starting any migration.\n\nClick OK to start migration process... -ErrorDatabaseVersionForbiddenForMigration=Your database version is %s. It has a critical bug, making data loss possible if you make structural changes in your database, such as is required by the migration process. For his reason, migration will not be allowed until you upgrade your database to a layer (patched) version (list of known buggy versions: %s) -KeepDefaultValuesWamp=You used the Dolibarr setup wizard from DoliWamp, so values proposed here are already optimized. Change them only if you know what you are doing. -KeepDefaultValuesDeb=You used the Dolibarr setup wizard from a Linux package (Ubuntu, Debian, Fedora...), so the values proposed here are already optimized. Only the password of the database owner to create must be entered. Change other parameters only if you know what you are doing. -KeepDefaultValuesMamp=You used the Dolibarr setup wizard from DoliMamp, so the values proposed here are already optimized. Change them only if you know what you are doing. -KeepDefaultValuesProxmox=You used the Dolibarr setup wizard from a Proxmox virtual appliance, so the values proposed here are already optimized. Change them only if you know what you are doing. -UpgradeExternalModule=Run dedicated upgrade process of external module -SetAtLeastOneOptionAsUrlParameter=Set at least one option as a parameter in URL. For example: '...repair.php?standard=confirmed' -NothingToDelete=Nothing to clean/delete -NothingToDo=Nothing to do +UpgradeDesc=השתמש במצב זה אם החלפת קבצי Dolibarr ישנים בקבצים מגרסה חדשה יותר. זה ישדרג את מסד הנתונים והנתונים שלך. +Start=הַתחָלָה +InstallNotAllowed=ההגדרה אינה מותרת על ידי הרשאות conf.php +YouMustCreateWithPermission=עליך ליצור את הקובץ %s ולהגדיר בו הרשאות כתיבה עבור שרת האינטרנט במהלך תהליך ההתקנה. +CorrectProblemAndReloadPage=אנא תקן את הבעיה והקש F5 כדי לטעון מחדש את הדף. +AlreadyDone=כבר עבר +DatabaseVersion=גרסת מסד נתונים +ServerVersion=גרסת שרת מסד נתונים +YouMustCreateItAndAllowServerToWrite=עליך ליצור ספרייה זו ולאפשר לשרת האינטרנט לכתוב לתוכה. +DBSortingCollation=סדר מיון תווים +YouAskDatabaseCreationSoDolibarrNeedToConnect=בחרת ליצור מסד נתונים %s, אבל בשביל זה, דוליבר צריך להתחבר לשרת %s עם משתמש-על %s. +YouAskLoginCreationSoDolibarrNeedToConnect=בחרת ליצור משתמש במסד נתונים %s, אבל בשביל זה, Dolibr צריך להתחבר לשרת %s עם סופר משתמש %s. +BecauseConnectionFailedParametersMayBeWrong=חיבור מסד הנתונים נכשל: הפרמטרים של המארח או משתמש העל חייבים להיות שגויים. +OrphelinsPaymentsDetectedByMethod=תשלום יתומים זוהה בשיטה %s +RemoveItManuallyAndPressF5ToContinue=הסר אותו ידנית והקש F5 כדי להמשיך. +FieldRenamed=שם השדה שונה +IfLoginDoesNotExistsCheckCreateUser=אם המשתמש עדיין לא קיים, עליך לסמן את האפשרות "צור משתמש" +ErrorConnection=שרת "%s", שם מסד הנתונים "%s", login "3058e'>b368e span>%s", או שסיסמת מסד הנתונים שגויה או שגרסת לקוח PHP ישנה מדי בהשוואה לגרסת מסד הנתונים . +InstallChoiceRecommanded=בחירה מומלצת להתקנת גרסה %s מהגרסה הנוכחית שלך class='notranslate'>%s +InstallChoiceSuggested=בחירת ההתקנה שהוצעה על ידי המתקין. +MigrateIsDoneStepByStep=לגרסה הממוקדת (%s) יש פער של מספר גרסאות. אשף ההתקנה יחזור להציע העברה נוספת לאחר השלמת זו. +CheckThatDatabasenameIsCorrect=בדוק ששם מסד הנתונים "%s" נכון. +IfAlreadyExistsCheckOption=אם השם הזה נכון והמסד הזה עדיין לא קיים, עליך לסמן את האפשרות "צור מסד נתונים". +OpenBaseDir=פרמטר PHP openbasedir +YouAskToCreateDatabaseSoRootRequired=סימנת את התיבה "צור מסד נתונים". לשם כך, עליך לספק את הכניסה/סיסמה של משתמש-על (תחתית הטופס). +YouAskToCreateDatabaseUserSoRootRequired=סימנת את התיבה "צור בעל מסד נתונים". לשם כך, עליך לספק את הכניסה/סיסמה של משתמש-על (תחתית הטופס). +NextStepMightLastALongTime=השלב הנוכחי עשוי להימשך מספר דקות. אנא המתן עד שהמסך הבא יוצג במלואו לפני שתמשיך. +MigrationCustomerOrderShipping=העבר משלוח עבור אחסון הזמנות מכירה +MigrationShippingDelivery=שדרוג אחסון של משלוח +MigrationShippingDelivery2=שדרוג אחסון משלוח 2 +MigrationFinished=ההגירה הסתיימה +LastStepDesc=שלב אחרון: הגדר כאן את פרטי הכניסה והסיסמה שבהם ברצונך להשתמש כדי להתחבר ל-Dolibarr. אל תאבד את זה מכיוון שזהו החשבון הראשי לניהול כל חשבונות המשתמש האחרים/נוספים. +ActivateModule=הפעל מודול %s +ShowEditTechnicalParameters=לחץ כאן כדי להציג/לערוך פרמטרים מתקדמים (מצב מומחה) +WarningUpgrade=אַזהָרָה:\nהרצתם קודם גיבוי למסד נתונים?\nזה מומלץ מאוד. אובדן נתונים (עקב למשל באגים בגרסת mysql 5.5.40/41/42/43) עשוי להיות אפשרי במהלך תהליך זה, לכן חיוני לבצע dump מלא של מסד הנתונים שלך לפני תחילת כל הגירה.\n\nלחץ על אישור כדי להתחיל בתהליך ההעברה... +ErrorDatabaseVersionForbiddenForMigration=גרסת מסד הנתונים שלך היא %s. יש לו באג קריטי, מה שמאפשר אובדן נתונים אם אתה מבצע שינויים מבניים במסד הנתונים שלך, כמו שנדרש בתהליך ההגירה. מהסיבה שלו, העברה לא תתאפשר עד שתשדרג את מסד הנתונים שלך לגרסת שכבה (מתוקנת) (רשימת גרסאות באגי ידועות: %s) +KeepDefaultValuesWamp=השתמשת באשף ההגדרה של Dolibarr מ- DoliWamp, כך שהערכים המוצעים כאן כבר עברו אופטימיזציה. שנה אותם רק אם אתה יודע מה אתה עושה. +KeepDefaultValuesDeb=השתמשת באשף ההתקנה של Dolibarr מחבילת לינוקס (אובונטו, דביאן, פדורה...), כך שהערכים המוצעים כאן כבר עברו אופטימיזציה. יש להזין רק את הסיסמה של בעל מסד הנתונים ליצירת. שנה פרמטרים אחרים רק אם אתה יודע מה אתה עושה. +KeepDefaultValuesMamp=השתמשת באשף ההגדרה של Dolibarr מ- DoliMamp, כך שהערכים המוצעים כאן כבר עברו אופטימיזציה. שנה אותם רק אם אתה יודע מה אתה עושה. +KeepDefaultValuesProxmox=השתמשת באשף ההגדרה של Dolibarr ממכשיר וירטואלי של Proxmox, כך שהערכים המוצעים כאן כבר עברו אופטימיזציה. שנה אותם רק אם אתה יודע מה אתה עושה. +UpgradeExternalModule=הפעל תהליך שדרוג ייעודי של מודול חיצוני +SetAtLeastOneOptionAsUrlParameter=הגדר לפחות אפשרות אחת כפרמטר ב-URL. לדוגמה: '...repair.php?standard=confirmed' +NothingToDelete=אין מה לנקות/למחוק +NothingToDo=אין מה לעשות ######### # upgrade -MigrationFixData=Fix for denormalized data -MigrationOrder=Data migration for customer's orders -MigrationSupplierOrder=Data migration for vendor's orders -MigrationProposal=Data migration for commercial proposals -MigrationInvoice=Data migration for customer's invoices -MigrationContract=Data migration for contracts -MigrationSuccessfullUpdate=Upgrade successful -MigrationUpdateFailed=Failed upgrade process -MigrationRelationshipTables=Data migration for relationship tables (%s) -MigrationPaymentsUpdate=Payment data correction -MigrationPaymentsNumberToUpdate=%s payment(s) to update -MigrationProcessPaymentUpdate=Update payment(s) %s -MigrationPaymentsNothingToUpdate=No more things to do -MigrationPaymentsNothingUpdatable=No more payments that can be corrected -MigrationContractsUpdate=Contract data correction -MigrationContractsNumberToUpdate=%s contract(s) to update -MigrationContractsLineCreation=Create contract line for contract ref %s -MigrationContractsNothingToUpdate=No more things to do -MigrationContractsFieldDontExist=Field fk_facture does not exist anymore. Nothing to do. -MigrationContractsEmptyDatesUpdate=Contract empty date correction -MigrationContractsEmptyDatesUpdateSuccess=Contract empty date correction done successfully -MigrationContractsEmptyDatesNothingToUpdate=No contract empty date to correct -MigrationContractsEmptyCreationDatesNothingToUpdate=No contract creation date to correct -MigrationContractsInvalidDatesUpdate=Bad value date contract correction -MigrationContractsInvalidDateFix=Correct contract %s (Contract date=%s, Starting service date min=%s) -MigrationContractsInvalidDatesNumber=%s contracts modified -MigrationContractsInvalidDatesNothingToUpdate=No date with bad value to correct -MigrationContractsIncoherentCreationDateUpdate=Bad value contract creation date correction -MigrationContractsIncoherentCreationDateUpdateSuccess=Bad value contract creation date correction done successfully -MigrationContractsIncoherentCreationDateNothingToUpdate=No bad value for contract creation date to correct -MigrationReopeningContracts=Open contract closed by error -MigrationReopenThisContract=Reopen contract %s -MigrationReopenedContractsNumber=%s contracts modified -MigrationReopeningContractsNothingToUpdate=No closed contract to open -MigrationBankTransfertsUpdate=Update links between bank entry and a bank transfer -MigrationBankTransfertsNothingToUpdate=All links are up to date -MigrationShipmentOrderMatching=Sendings receipt update -MigrationDeliveryOrderMatching=Delivery receipt update -MigrationDeliveryDetail=Delivery update -MigrationStockDetail=Update stock value of products -MigrationMenusDetail=Update dynamic menus tables -MigrationDeliveryAddress=Update delivery address in shipments -MigrationProjectTaskActors=Data migration for table llx_projet_task_actors -MigrationProjectUserResp=Data migration field fk_user_resp of llx_projet to llx_element_contact -MigrationProjectTaskTime=Update time spent in seconds -MigrationActioncommElement=Update data on actions -MigrationPaymentMode=Data migration for payment type -MigrationCategorieAssociation=Migration of categories -MigrationEvents=Migration of events to add event owner into assignment table -MigrationEventsContact=Migration of events to add event contact into assignment table -MigrationRemiseEntity=Update entity field value of llx_societe_remise -MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except -MigrationUserRightsEntity=Update entity field value of llx_user_rights -MigrationUserGroupRightsEntity=Update entity field value of llx_usergroup_rights -MigrationUserPhotoPath=Migration of photo paths for users -MigrationFieldsSocialNetworks=Migration of users fields social networks (%s) -MigrationReloadModule=Reload module %s -MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm -MigrationImportOrExportProfiles=Migration of import or export profiles (%s) -ShowNotAvailableOptions=Show unavailable options -HideNotAvailableOptions=Hide unavailable options -ErrorFoundDuringMigration=Error(s) were reported during the migration process so next step is not available. To ignore errors, you can click here, but the application or some features may not work correctly until the errors are resolved. -YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
      -YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
      -ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. -Loaded=Loaded -FunctionTest=Function test +MigrationFixData=תיקון לנתונים לא נורמלים +MigrationOrder=העברת נתונים עבור הזמנות הלקוח +MigrationSupplierOrder=העברת נתונים עבור הזמנות של ספק +MigrationProposal=העברת נתונים עבור הצעות מסחריות +MigrationInvoice=העברת נתונים עבור חשבוניות של לקוחות +MigrationContract=העברת נתונים עבור חוזים +MigrationSuccessfullUpdate=השדרוג הצליח +MigrationUpdateFailed=תהליך השדרוג נכשל +MigrationRelationshipTables=העברת נתונים לטבלאות קשרים (%s) +MigrationPaymentsUpdate=תיקון נתוני תשלום +MigrationPaymentsNumberToUpdate=%s תשלומים לעדכון +MigrationProcessPaymentUpdate=עדכון תשלומים %s +MigrationPaymentsNothingToUpdate=אין יותר דברים לעשות +MigrationPaymentsNothingUpdatable=אין יותר תשלומים שניתן לתקן +MigrationContractsUpdate=תיקון נתוני חוזה +MigrationContractsNumberToUpdate=%s חוזים לעדכון +MigrationContractsLineCreation=צור שורת חוזה עבור ר' חוזה %s +MigrationContractsNothingToUpdate=אין יותר דברים לעשות +MigrationContractsFieldDontExist=שדה fk_facture לא קיים יותר. אין מה לעשות. +MigrationContractsEmptyDatesUpdate=תיקון תאריך ריק בחוזה +MigrationContractsEmptyDatesUpdateSuccess=תיקון תאריך ריק בחוזה נעשה בהצלחה +MigrationContractsEmptyDatesNothingToUpdate=אין תאריך ריק לתיקון +MigrationContractsEmptyCreationDatesNothingToUpdate=אין תאריך יצירת חוזה לתיקון +MigrationContractsInvalidDatesUpdate=תיקון חוזה תאריך ערך גרוע +MigrationContractsInvalidDateFix=חוזה נכון %s (תאריך חוזה=%s, תאריך תחילת השירות min=%s >) +MigrationContractsInvalidDatesNumber=%s חוזים שונו +MigrationContractsInvalidDatesNothingToUpdate=אין תאריך עם ערך גרוע לתקן +MigrationContractsIncoherentCreationDateUpdate=תיקון תאריך יצירת חוזה ערך גרוע +MigrationContractsIncoherentCreationDateUpdateSuccess=תאריך יצירת חוזה ערך גרוע בוצע בהצלחה +MigrationContractsIncoherentCreationDateNothingToUpdate=אין ערך רע לתיקון תאריך יצירת החוזה +MigrationReopeningContracts=חוזה פתוח שנסגר בטעות +MigrationReopenThisContract=פתיחה מחדש של חוזה %s +MigrationReopenedContractsNumber=%s חוזים שונו +MigrationReopeningContractsNothingToUpdate=אין חוזה סגור לפתיחה +MigrationBankTransfertsUpdate=עדכון קישורים בין כניסת בנק להעברה בנקאית +MigrationBankTransfertsNothingToUpdate=כל הקישורים מעודכנים +MigrationShipmentOrderMatching=עדכון קבלה שליחה +MigrationDeliveryOrderMatching=עדכון קבלה על משלוח +MigrationDeliveryDetail=עדכון משלוח +MigrationStockDetail=עדכון ערך מלאי של מוצרים +MigrationMenusDetail=עדכון טבלאות תפריטים דינמיים +MigrationDeliveryAddress=עדכן כתובת למשלוח במשלוחים +MigrationProjectTaskActors=העברת נתונים עבור טבלה llx_projet_task_actors +MigrationProjectUserResp=שדה העברת נתונים fk_user_resp של llx_projet ל-llx_element_contact +MigrationProjectTaskTime=עדכן את הזמן המושקע בשניות +MigrationActioncommElement=עדכן נתונים על פעולות +MigrationPaymentMode=העברת נתונים עבור סוג תשלום +MigrationCategorieAssociation=הגירה של קטגוריות +MigrationEvents=העברה של אירועים כדי להוסיף בעל אירוע לטבלת ההקצאות +MigrationEventsContact=הגירה של אירועים כדי להוסיף איש קשר לאירוע לטבלת ההקצאות +MigrationRemiseEntity=עדכן את ערך שדה הישות של llx_societe_remise +MigrationRemiseExceptEntity=עדכן את ערך שדה הישות של llx_societe_remise_except +MigrationUserRightsEntity=עדכן את ערך שדה הישות של llx_user_rights +MigrationUserGroupRightsEntity=עדכן את ערך שדה הישות של llx_usergroup_rights +MigrationUserPhotoPath=הגירה של נתיבי צילום למשתמשים +MigrationFieldsSocialNetworks=הגירה של שדות משתמשים רשתות חברתיות (%s) +MigrationReloadModule=טען מחדש את המודול %s +MigrationResetBlockedLog=אפס מודול BlockedLog עבור אלגוריתם v7 +MigrationImportOrExportProfiles=הגירה של פרופילי ייבוא או ייצוא (%s) +ShowNotAvailableOptions=הצג אפשרויות לא זמינות +HideNotAvailableOptions=הסתר אפשרויות לא זמינות +ErrorFoundDuringMigration=שגיאות דווחו במהלך תהליך ההעברה ולכן השלב הבא אינו זמין. כדי להתעלם משגיאות, אתה יכול לחץ כאן, אך ייתכן שהאפליקציה או חלק מהתכונות לא יפעלו כהלכה עד שהשגיאות ייפתרו . +YouTryInstallDisabledByDirLock=האפליקציה ניסתה לשדרג עצמית, אך דפי ההתקנה/שדרוג הושבתו מטעמי אבטחה (שם הספרייה שונה עם סיומת .lock).
      +YouTryInstallDisabledByFileLock=האפליקציה ניסתה לשדרג עצמית, אך דפי ההתקנה/שדרוג הושבתו מטעמי אבטחה (על ידי קיומו של קובץ נעילה install.lock בספריית המסמכים של dolibarr).
      +YouTryUpgradeDisabledByMissingFileUnLock=האפליקציה ניסתה לשדרג עצמית, אך תהליך השדרוג אינו מותר כרגע.
      +ClickHereToGoToApp=לחץ כאן כדי לעבור ליישום שלך +ClickOnLinkOrRemoveManualy=אם מתבצע שדרוג, אנא המתן. אם לא, לחץ על הקישור הבא. אם אתה תמיד רואה את אותו עמוד, עליך להסיר/לשנות את שם הקובץ install.lock בספריית המסמכים. +ClickOnLinkOrCreateUnlockFileManualy=אם מתבצע שדרוג, אנא המתן... אם לא, עליך להסיר את הקובץ install.lock או ליצור קובץ upgrade.unlock לספריית המסמכים של Dolibarr. +Loaded=עמוס +FunctionTest=מבחן תפקוד +NodoUpgradeAfterDB=לא נדרשת פעולה על ידי מודולים חיצוניים לאחר שדרוג מסד הנתונים +NodoUpgradeAfterFiles=לא נדרשת פעולה על ידי מודולים חיצוניים לאחר שדרוג של קבצים או ספריות +MigrationContractLineRank=העבר שורת חוזה כדי להשתמש בדירוג (והפעל סדר מחדש) diff --git a/htdocs/langs/he_IL/interventions.lang b/htdocs/langs/he_IL/interventions.lang index aaa7c6466f9..53368d84f41 100644 --- a/htdocs/langs/he_IL/interventions.lang +++ b/htdocs/langs/he_IL/interventions.lang @@ -1,68 +1,75 @@ # Dolibarr language file - Source file is en_US - interventions -Intervention=Intervention +Intervention=התערבות Interventions=התערבויות -InterventionCard=Intervention card -NewIntervention=New intervention -AddIntervention=Create intervention -ChangeIntoRepeatableIntervention=Change to repeatable intervention -ListOfInterventions=List of interventions -ActionsOnFicheInter=Actions on intervention -LastInterventions=Latest %s interventions -AllInterventions=All interventions -CreateDraftIntervention=Create draft -InterventionContact=Intervention contact -DeleteIntervention=Delete intervention -ValidateIntervention=Validate intervention -ModifyIntervention=Modify intervention -DeleteInterventionLine=Delete intervention line -ConfirmDeleteIntervention=Are you sure you want to delete this intervention? -ConfirmValidateIntervention=Are you sure you want to validate this intervention under name %s? -ConfirmModifyIntervention=Are you sure you want to modify this intervention? -ConfirmDeleteInterventionLine=Are you sure you want to delete this intervention line? -ConfirmCloneIntervention=Are you sure you want to clone this intervention? -NameAndSignatureOfInternalContact=Name and signature of intervening: -NameAndSignatureOfExternalContact=Name and signature of customer: -DocumentModelStandard=Standard document model for interventions -InterventionCardsAndInterventionLines=Interventions and lines of interventions -InterventionClassifyBilled=Classify "Billed" -InterventionClassifyUnBilled=Classify "Unbilled" -InterventionClassifyDone=Classify "Done" -StatusInterInvoiced=Billed -SendInterventionRef=Submission of intervention %s -SendInterventionByMail=Send intervention by email -InterventionCreatedInDolibarr=Intervention %s created -InterventionValidatedInDolibarr=Intervention %s validated -InterventionModifiedInDolibarr=Intervention %s modified -InterventionClassifiedBilledInDolibarr=Intervention %s set as billed -InterventionClassifiedUnbilledInDolibarr=Intervention %s set as unbilled -InterventionSentByEMail=Intervention %s sent by email -InterventionDeletedInDolibarr=Intervention %s deleted -InterventionsArea=Interventions area -DraftFichinter=Draft interventions -LastModifiedInterventions=Latest %s modified interventions -FichinterToProcess=Interventions to process -TypeContact_fichinter_external_CUSTOMER=Following-up customer contact -PrintProductsOnFichinter=Print also lines of type "product" (not only services) on intervention card -PrintProductsOnFichinterDetails=interventions generated from orders -UseServicesDurationOnFichinter=Use services duration for interventions generated from orders -UseDurationOnFichinter=Hides the duration field for intervention records -UseDateWithoutHourOnFichinter=Hides hours and minutes off the date field for intervention records -InterventionStatistics=Statistics of interventions -NbOfinterventions=No. of intervention cards -NumberOfInterventionsByMonth=No. of intervention cards by month (date of validation) -AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). Add option PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT to 1 into home-setup-other to include them. -InterId=Intervention id -InterRef=Intervention ref. -InterDateCreation=Date creation intervention -InterDuration=Duration intervention -InterStatus=Status intervention -InterNote=Note intervention -InterLine=Line of intervention -InterLineId=Line id intervention -InterLineDate=Line date intervention -InterLineDuration=Line duration intervention -InterLineDesc=Line description intervention -RepeatableIntervention=Template of intervention -ToCreateAPredefinedIntervention=To create a predefined or recurring intervention, create a common intervention and convert it into intervention template -ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? -GenerateInter=Generate intervention +InterventionCard=כרטיס התערבות +NewIntervention=התערבות חדשה +AddIntervention=ליצור התערבות +ChangeIntoRepeatableIntervention=שנה להתערבות שניתן לחזור על עצמה +ListOfInterventions=רשימת התערבויות +ActionsOnFicheInter=פעולות על התערבות +LastInterventions=ההתערבויות האחרונות של %s +AllInterventions=כל ההתערבויות +CreateDraftIntervention=צור טיוטה +InterventionContact=קשר התערבות +DeleteIntervention=מחק התערבות +ValidateIntervention=אימות התערבות +ModifyIntervention=שנה התערבות +CloseIntervention=התערבות צמודה +DeleteInterventionLine=מחק שורת התערבות +ConfirmDeleteIntervention=האם אתה בטוח שברצונך למחוק התערבות זו? +ConfirmValidateIntervention=האם אתה בטוח שברצונך לאמת התערבות זו תחת השם %s ? +ConfirmModifyIntervention=האם אתה בטוח שברצונך לשנות התערבות זו? +ConfirmCloseIntervention=האם אתה בטוח שברצונך לסגור את ההתערבות הזו? +ConfirmDeleteInterventionLine=האם אתה בטוח שברצונך למחוק שורת התערבות זו? +ConfirmCloneIntervention=האם אתה בטוח שברצונך לשכפל התערבות זו? +NameAndSignatureOfInternalContact=שם וחתימה של המתערבים: +NameAndSignatureOfExternalContact=שם וחתימה של הלקוח: +DocumentModelStandard=מודל מסמך סטנדרטי להתערבויות +InterventionCardsAndInterventionLines=התערבויות וקווי התערבויות +InterventionClassifyBilled=סיווג "חיוב" +InterventionClassifyUnBilled=סיווג "לא מחויב" +InterventionClassifyDone=סיווג "בוצע" +StatusInterInvoiced=מחויב +SendInterventionRef=הגשת התערבות %s +SendInterventionByMail=שלח התערבות במייל +InterventionCreatedInDolibarr=התערבות %s נוצרה +InterventionValidatedInDolibarr=התערבות %s מאומתת +InterventionModifiedInDolibarr=התערבות %s השתנתה +InterventionClassifiedBilledInDolibarr=התערבות %s הוגדרה כחיוב +InterventionClassifiedUnbilledInDolibarr=התערבות %s הוגדרה כבלתי מחויבת +InterventionSentByEMail=התערבות %s נשלחה בדוא"ל +InterventionClosedInDolibarr= התערבות %s נסגרה +InterventionDeletedInDolibarr=התערבות %s נמחקה +InterventionsArea=אזור התערבויות +DraftFichinter=טיוטת התערבויות +LastModifiedInterventions=התערבויות אחרונות ששונו %s +FichinterToProcess=התערבויות לעיבוד +TypeContact_fichinter_external_CUSTOMER=מעקב אחר קשר עם לקוחות +PrintProductsOnFichinter=הדפס גם שורות מסוג "מוצר" (לא רק שירותים) בכרטיס התערבות +PrintProductsOnFichinterDetails=התערבויות שנוצרו מפקודות +UseServicesDurationOnFichinter=השתמש במשך השירותים עבור התערבויות שנוצרו מהזמנות +UseDurationOnFichinter=מסתיר את שדה משך הזמן עבור רשומות התערבות +UseDateWithoutHourOnFichinter=מסתיר שעות ודקות מחוץ לשדה התאריך עבור רישומי התערבות +InterventionStatistics=סטטיסטיקה של התערבויות +NbOfinterventions=מספר כרטיסי התערבות +NumberOfInterventionsByMonth=מספר כרטיסי התערבות לפי חודש (תאריך אימות) +AmountOfInteventionNotIncludedByDefault=כמות ההתערבות אינה נכללת כברירת מחדל ברווח (ברוב המקרים, גליונות זמנים משמשים לספירת הזמן שהושקע). אתה יכול להשתמש באפשרות PROJECT_ELEMENTS_FOR_ADD_MARGIN ו-PROJECT_ELEMENTS_FOR_MINUS_MARGIN לתוך בית-הגדרה-אחר כדי להשלים את רשימת הרכיבים הכלולים ברווח. +InterId=מזהה התערבות +InterRef=נ"צ התערבות +InterDateCreation=התערבות ביצירת תאריכים +InterDuration=משך התערבות +InterStatus=התערבות סטטוס +InterNote=שימו לב להתערבות +InterLine=קו התערבות +InterLineId=התערבות מזהה קו +InterLineDate=התערבות תאריך שורה +InterLineDuration=התערבות משך קו +InterLineDesc=התערבות בתיאור קו +RepeatableIntervention=תבנית התערבות +ToCreateAPredefinedIntervention=כדי ליצור התערבות מוגדרת מראש או חוזרת, צור התערבות משותפת והמר אותה לתבנית התערבות +ConfirmReopenIntervention=האם אתה בטוח שברצונך לפתוח בחזרה את ההתערבות %s? +GenerateInter=ליצור התערבות +FichinterNoContractLinked=התערבות %s נוצרה ללא חוזה מקושר. +ErrorFicheinterCompanyDoesNotExist=החברה לא קיימת. התערבות לא נוצרה. +NextDateToIntervention=תאריך לדור ההתערבות הבא +NoIntervention=אין התערבות diff --git a/htdocs/langs/he_IL/intracommreport.lang b/htdocs/langs/he_IL/intracommreport.lang index 3060300b974..414a786361d 100644 --- a/htdocs/langs/he_IL/intracommreport.lang +++ b/htdocs/langs/he_IL/intracommreport.lang @@ -1,7 +1,7 @@ -Module68000Name = Intracomm report -Module68000Desc = Intracomm report management (Support for French DEB/DES format) -IntracommReportSetup = Intracommreport module setup -IntracommReportAbout = About intracommreport +Module68000Name = דו"ח תוך-קוממיות +Module68000Desc = ניהול דוחות תוך-קוממיות (תמיכה בפורמט DEB/DES צרפתי) +IntracommReportSetup = הגדרת מודול Intracommreport +IntracommReportAbout = לגבי דיווח תוך ארגוני # Setup INTRACOMMREPORT_NUM_AGREMENT=Numéro d'agrément (délivré par le CISD de rattachement) @@ -9,32 +9,32 @@ INTRACOMMREPORT_TYPE_ACTEUR=Type d'acteur INTRACOMMREPORT_ROLE_ACTEUR=Rôle joué par l'acteur INTRACOMMREPORT_NIV_OBLIGATION_INTRODUCTION=Niveau d'obligation sur les introductions INTRACOMMREPORT_NIV_OBLIGATION_EXPEDITION=Niveau d'obligation sur les expéditions -INTRACOMMREPORT_CATEG_FRAISDEPORT=Catégorie de services de type "Frais de port" +INTRACOMMREPORT_CATEG_FRAISDEPORT=קטגוריית שירותים מסוג "Frais de port" INTRACOMMREPORT_NUM_DECLARATION=Numéro de déclarant # Menu -MenuIntracommReport=Intracomm report -MenuIntracommReportNew=New declaration -MenuIntracommReportList=List +MenuIntracommReport=דו"ח תוך-קוממיות +MenuIntracommReportNew=הצהרה חדשה +MenuIntracommReportList=רשימה # View -NewDeclaration=New declaration -Declaration=Declaration -AnalysisPeriod=Analysis period -TypeOfDeclaration=Type of declaration -DEB=Goods exchange declaration (DEB) -DES=Services exchange declaration (DES) +NewDeclaration=הצהרה חדשה +Declaration=הַצהָרָה +AnalysisPeriod=תקופת ניתוח +TypeOfDeclaration=סוג הצהרה +DEB=הצהרת החלפת סחורות (DEB) +DES=הצהרת החלפת שירותים (DES) # Export page -IntracommReportTitle=Preparation of an XML file in ProDouane format +IntracommReportTitle=הכנת קובץ XML בפורמט ProDouane # List -IntracommReportList=List of generated declarations -IntracommReportNumber=Numero of declaration -IntracommReportPeriod=Period of nalysis -IntracommReportTypeDeclaration=Type of declaration -IntracommReportDownload=download XML file +IntracommReportList=רשימת הצהרות שנוצרו +IntracommReportNumber=מספר ההכרזה +IntracommReportPeriod=תקופת הניתוח +IntracommReportTypeDeclaration=סוג הצהרה +IntracommReportDownload=להוריד קובץ XML # Invoice -IntracommReportTransportMode=Transport mode +IntracommReportTransportMode=מצב תחבורה diff --git a/htdocs/langs/he_IL/knowledgemanagement.lang b/htdocs/langs/he_IL/knowledgemanagement.lang index bcdf9740cdd..63e1f6349ed 100644 --- a/htdocs/langs/he_IL/knowledgemanagement.lang +++ b/htdocs/langs/he_IL/knowledgemanagement.lang @@ -18,37 +18,44 @@ # # Module label 'ModuleKnowledgeManagementName' -ModuleKnowledgeManagementName = Knowledge Management System +ModuleKnowledgeManagementName = מערכת ניהול ידע # Module description 'ModuleKnowledgeManagementDesc' -ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base +ModuleKnowledgeManagementDesc=נהל בסיס ניהול ידע (KM) או בסיס עזרה # # Admin page # -KnowledgeManagementSetup = Knowledge Management System setup -Settings = Settings -KnowledgeManagementSetupPage = Knowledge Management System setup page +KnowledgeManagementSetup = הגדרת מערכת ניהול ידע +Settings = הגדרות +KnowledgeManagementSetupPage = דף התקנת מערכת ניהול הידע # # About page # -About = About -KnowledgeManagementAbout = About Knowledge Management -KnowledgeManagementAboutPage = Knowledge Management about page +About = על אודות +KnowledgeManagementAbout = על ניהול ידע +KnowledgeManagementAboutPage = ניהול ידע אודות הדף -KnowledgeManagementArea = Knowledge Management -MenuKnowledgeRecord = Knowledge base -ListKnowledgeRecord = List of articles -NewKnowledgeRecord = New article -ValidateReply = Validate solution -KnowledgeRecords = Articles -KnowledgeRecord = Article -KnowledgeRecordExtraFields = Extrafields for Article -GroupOfTicket=Group of tickets -YouCanLinkArticleToATicketCategory=You can link an article to a ticket group (so the article will be suggested during qualification of new tickets) -SuggestedForTicketsInGroup=Suggested for tickets when group is +KnowledgeManagementArea = ניהול ידע +MenuKnowledgeRecord = בסיס ידע +MenuKnowledgeRecordShort = בסיס ידע +ListKnowledgeRecord = רשימת מאמרים +NewKnowledgeRecord = מאמר חדש +ValidateReply = אימות פתרון +KnowledgeRecords = מאמרים +KnowledgeRecord = מאמר +KnowledgeRecordExtraFields = שדות נוספים למאמר +GroupOfTicket=קבוצת כרטיסים +YouCanLinkArticleToATicketCategory=ניתן לקשר את הכתבה לקבוצת כרטיסים (כך שהמאמר יודגש על כל כרטיסים בקבוצה זו) +SuggestedForTicketsInGroup=הצעה ליצירת כרטיס -SetObsolete=Set as obsolete -ConfirmCloseKM=Do you confirm the closing of this article as obsolete ? -ConfirmReopenKM=Do you want to restore this article to status "Validated" ? +SetObsolete=מוגדר כמיושן +ConfirmCloseKM=האם אתה מאשר את סגירת מאמר זה כמתיישן? +ConfirmReopenKM=האם ברצונך לשחזר מאמר זה למצב "אומת"? +BoxLastKnowledgerecordDescription=מאמרים אחרונים %s +BoxLastKnowledgerecord=מאמרים אחרונים +BoxLastKnowledgerecordContent=מאמרים אחרונים +BoxLastKnowledgerecordModifiedContent=מאמרים ששונו לאחרונה +BoxLastModifiedKnowledgerecordDescription=מאמרים אחרונים שהשתנו %s +BoxLastModifiedKnowledgerecord=מאמרים ששונו לאחרונה diff --git a/htdocs/langs/he_IL/languages.lang b/htdocs/langs/he_IL/languages.lang index 93958ce716f..35289c5aa97 100644 --- a/htdocs/langs/he_IL/languages.lang +++ b/htdocs/langs/he_IL/languages.lang @@ -1,128 +1,129 @@ # Dolibarr language file - Source file is en_US - languages -Language_am_ET=Ethiopian -Language_af_ZA=Afrikaans (South Africa) +Language_am_ET=אתיופי +Language_af_ZA=אפריקנס (דרום אפריקה) +Language_en_AE=ערבית (איחוד האמירויות הערביות) Language_ar_AR=ערבית -Language_ar_DZ=Arabic (Algeria) -Language_ar_EG=Arabic (Egypt) -Language_ar_JO=Arabic (Jordania) -Language_ar_MA=Arabic (Moroco) -Language_ar_SA=ערבית -Language_ar_TN=Arabic (Tunisia) -Language_ar_IQ=Arabic (Iraq) -Language_as_IN=Assamese -Language_az_AZ=Azerbaijani -Language_bn_BD=Bengali -Language_bn_IN=Bengali (India) +Language_ar_DZ=ערבית (אלג'יריה) +Language_ar_EG=ערבית (מצרים) +Language_ar_JO=ערבית (ירדן) +Language_ar_MA=ערבית (מרוקו) +Language_ar_SA=ערבית (ערב הסעודית) +Language_ar_TN=ערבית (תוניסיה) +Language_ar_IQ=ערבית (עיראק) +Language_as_IN=אסאמים +Language_az_AZ=אזרבייג'נית +Language_bn_BD=בנגלית +Language_bn_IN=בנגלית (הודו) Language_bg_BG=בולגרי -Language_bo_CN=Tibetan +Language_bo_CN=טיבטי Language_bs_BA=בוסני Language_ca_ES=קטלוני Language_cs_CZ=צ -Language_cy_GB=Welsh +Language_cy_GB=וולשית Language_da_DA=דני Language_da_DK=דני Language_de_DE=גרמני Language_de_AT=גרמני (אוסטריה) -Language_de_CH=German (Switzerland) -Language_de_LU=German (Luxembourg) +Language_de_CH=גרמנית (שוויץ) +Language_de_LU=גרמנית (לוקסמבורג) Language_el_GR=יווני -Language_el_CY=Greek (Cyprus) -Language_en_AE=English (United Arab Emirates) +Language_el_CY=יוונית (קפריסין) +Language_en_AE=ערבית (איחוד האמירויות הערביות) Language_en_AU=אנגלית (אוסטרליה) -Language_en_CA=English (Canada) +Language_en_CA=אנגלית (קנדה) Language_en_GB=אנגלית (בריטניה) Language_en_IN=אנגלית (הודו) -Language_en_MY=English (Myanmar) +Language_en_MY=אנגלית (מיאנמר) Language_en_NZ=אנגלית (ניו זילנד) Language_en_SA=אנגלית (ערב הסעודית) -Language_en_SG=English (Singapore) +Language_en_SG=אנגלית (סינגפור) Language_en_US=אנגלית (ארצות הברית) Language_en_ZA=אנגלית (דרום אפריקה) -Language_en_ZW=English (Zimbabwe) +Language_en_ZW=אנגלית (זימבבה) Language_es_ES=ספרדית Language_es_AR=ספרדית (ארגנטינה) -Language_es_BO=Spanish (Bolivia) -Language_es_CL=Spanish (Chile) -Language_es_CO=Spanish (Colombia) -Language_es_CR=Spanish (Costa Rica) -Language_es_DO=Spanish (Dominican Republic) -Language_es_EC=Spanish (Ecuador) -Language_es_GT=Spanish (Guatemala) +Language_es_BO=ספרדית (בוליביה) +Language_es_CL=ספרדית (צ'ילה) +Language_es_CO=ספרדית (קולומביה) +Language_es_CR=ספרדית (קוסטה ריקה) +Language_es_DO=ספרדית (הרפובליקה הדומיניקנית) +Language_es_EC=ספרדית (אקוודור) +Language_es_GT=ספרדית (גואטמלה) Language_es_HN=ספרדית (הונדורס) Language_es_MX=ספרדית (מקסיקו) -Language_es_PA=Spanish (Panama) +Language_es_PA=ספרדית (פנמה) Language_es_PY=ספרדית (פרגוואי) Language_es_PE=ספרדית (פרו) Language_es_PR=ספרדית (פורטו ריקו) -Language_es_US=Spanish (USA) -Language_es_UY=Spanish (Uruguay) -Language_es_GT=Spanish (Guatemala) -Language_es_VE=Spanish (Venezuela) +Language_es_US=ספרדית (ארה"ב) +Language_es_UY=ספרדית (אורוגוואי) +Language_es_GT=ספרדית (גואטמלה) +Language_es_VE=ספרדית (ונצואלה) Language_et_EE=אסטונית Language_eu_ES=הבסקים Language_fa_IR=פרסיים -Language_fi_FI=Finnish +Language_fi_FI=פִינִית Language_fr_BE=צרפתית (בלגיה) Language_fr_CA=צרפתית (קנדה) Language_fr_CH=צרפתית (שוויץ) -Language_fr_CI=French (Cost Ivory) -Language_fr_CM=French (Cameroun) +Language_fr_CI=צרפתית (עלות שנהב) +Language_fr_CM=צרפתית (קמרון) Language_fr_FR=צרפתי -Language_fr_GA=French (Gabon) +Language_fr_GA=צרפתית (גבון) Language_fr_NC=צרפתית (קלדוניה החדשה) -Language_fr_SN=French (Senegal) -Language_fy_NL=Frisian -Language_gl_ES=Galician +Language_fr_SN=צרפתית (סנגל) +Language_fy_NL=פריזית +Language_gl_ES=גליציאנית Language_he_IL=עברית -Language_hi_IN=Hindi (India) +Language_hi_IN=הינדי (הודו) Language_hr_HR=קרואטי Language_hu_HU=הונגרי -Language_id_ID=Indonesian +Language_id_ID=אינדונזית Language_is_IS=איסלנדי Language_it_IT=איטלקי -Language_it_CH=Italian (Switzerland) +Language_it_CH=איטלקית (שוויץ) Language_ja_JP=יפני -Language_ka_GE=Georgian -Language_kk_KZ=Kazakh -Language_km_KH=Khmer -Language_kn_IN=Kannada +Language_ka_GE=גרוזינית +Language_kk_KZ=קזחית +Language_km_KH=חמר +Language_kn_IN=קנאדה Language_ko_KR=קוריאני -Language_lo_LA=Lao +Language_lo_LA=לאו Language_lt_LT=ליטאי Language_lv_LV=לטבי Language_mk_MK=מקדונית -Language_mn_MN=Mongolian -Language_my_MM=Burmese +Language_mn_MN=מוֹנגוֹלִי +Language_my_MM=בורמזי Language_nb_NO=נורבגי (ספרותית) -Language_ne_NP=Nepali +Language_ne_NP=נפאלית Language_nl_BE=הולנדי (בלגיה) -Language_nl_NL=Dutch +Language_nl_NL=הוֹלַנדִי Language_pl_PL=פולני -Language_pt_AO=Portuguese (Angola) -Language_pt_MZ=Portuguese (Mozambique) +Language_pt_AO=פורטוגזית (אנגולה) +Language_pt_MZ=פורטוגזית (מוזמביק) Language_pt_BR=פורטוגזית (ברזיל) Language_pt_PT=פורטוגזית -Language_ro_MD=Romanian (Moldavia) +Language_ro_MD=רומנית (מולדביה) Language_ro_RO=רומני Language_ru_RU=רוסי Language_ru_UA=רוסי (אוקראינה) -Language_ta_IN=Tamil -Language_tg_TJ=Tajik +Language_ta_IN=טמילית +Language_tg_TJ=טג'יקית Language_tr_TR=תורכי Language_sl_SI=הסלובני Language_sv_SV=שוודי Language_sv_SE=שוודי -Language_sq_AL=Albanian +Language_sq_AL=אלבני Language_sk_SK=סלובקי -Language_sr_RS=Serbian -Language_sw_KE=Swahili -Language_sw_SW=Kiswahili +Language_sr_RS=סרבית +Language_sw_KE=סוואהילית +Language_sw_SW=קיסוואהילי Language_th_TH=תאילנדי Language_uk_UA=אוקראיני -Language_ur_PK=Urdu +Language_ur_PK=אורדו Language_uz_UZ=אוזבקי Language_vi_VN=וייטנאמי Language_zh_CN=סיני -Language_zh_TW=Chinese (Taiwan) -Language_zh_HK=Chinese (Hong Kong) -Language_bh_MY=Malay +Language_zh_TW=סינית (טייוואן) +Language_zh_HK=סינית (הונג קונג) +Language_bh_MY=מלאית diff --git a/htdocs/langs/he_IL/ldap.lang b/htdocs/langs/he_IL/ldap.lang index abe11602147..7a714049e56 100644 --- a/htdocs/langs/he_IL/ldap.lang +++ b/htdocs/langs/he_IL/ldap.lang @@ -1,27 +1,33 @@ # Dolibarr language file - Source file is en_US - ldap -YouMustChangePassNextLogon=Password for user %s on the domain %s must be changed. -UserMustChangePassNextLogon=User must change password on the domain %s -LDAPInformationsForThisContact=Information in LDAP database for this contact -LDAPInformationsForThisUser=Information in LDAP database for this user -LDAPInformationsForThisGroup=Information in LDAP database for this group -LDAPInformationsForThisMember=Information in LDAP database for this member -LDAPInformationsForThisMemberType=Information in LDAP database for this member type -LDAPAttributes=LDAP attributes -LDAPCard=LDAP card -LDAPRecordNotFound=Record not found in LDAP database -LDAPUsers=Users in LDAP database -LDAPFieldStatus=Status -LDAPFieldFirstSubscriptionDate=First subscription date -LDAPFieldFirstSubscriptionAmount=First subscription amount -LDAPFieldLastSubscriptionDate=Latest subscription date -LDAPFieldLastSubscriptionAmount=Latest subscription amount -LDAPFieldSkype=Skype id -LDAPFieldSkypeExample=Example : skypeName -UserSynchronized=User synchronized -GroupSynchronized=Group synchronized -MemberSynchronized=Member synchronized -MemberTypeSynchronized=Member type synchronized -ContactSynchronized=Contact synchronized -ForceSynchronize=Force synchronizing Dolibarr -> LDAP -ErrorFailedToReadLDAP=Failed to read LDAP database. Check LDAP module setup and database accessibility. -PasswordOfUserInLDAP=Password of user in LDAP +YouMustChangePassNextLogon=סיסמה למשתמש %s בדומיין %s. +UserMustChangePassNextLogon=על המשתמש לשנות סיסמה בדומיין %s +LDAPInformationsForThisContact=מידע במסד הנתונים של LDAP עבור איש קשר זה +LDAPInformationsForThisUser=מידע במסד הנתונים של LDAP עבור משתמש זה +LDAPInformationsForThisGroup=מידע במסד הנתונים של LDAP עבור קבוצה זו +LDAPInformationsForThisMember=מידע במסד הנתונים של LDAP עבור חבר זה +LDAPInformationsForThisMemberType=מידע במסד הנתונים של LDAP עבור סוג חבר זה +LDAPAttributes=תכונות LDAP +LDAPCard=כרטיס LDAP +LDAPRecordNotFound=הרשומה לא נמצאה במסד הנתונים של LDAP +LDAPUsers=משתמשים במסד הנתונים של LDAP +LDAPFieldStatus=סטָטוּס +LDAPFieldFirstSubscriptionDate=תאריך מנוי ראשון +LDAPFieldFirstSubscriptionAmount=סכום מנוי ראשון +LDAPFieldLastSubscriptionDate=תאריך מנוי אחרון +LDAPFieldLastSubscriptionAmount=סכום המנוי האחרון +LDAPFieldSkype=מזהה סקייפ +LDAPFieldSkypeExample=דוגמה: skypeName +UserSynchronized=משתמש מסונכרן +GroupSynchronized=הקבוצה מסונכרנת +MemberSynchronized=חבר מסונכרן +MemberTypeSynchronized=סוג חבר מסונכרן +ContactSynchronized=איש הקשר מסונכרן +ForceSynchronize=כפה סנכרון Dolibarr -> LDAP +ErrorFailedToReadLDAP=קריאת מסד הנתונים של LDAP נכשלה. בדוק את הגדרת מודול LDAP ואת נגישות מסד הנתונים. +PasswordOfUserInLDAP=סיסמת המשתמש ב-LDAP +LDAPPasswordHashType=סוג hash של סיסמה +LDAPPasswordHashTypeExample=סוג ה-hash של הסיסמה בשרת +SupportedForLDAPExportScriptOnly=נתמך רק על ידי סקריפט ייצוא ldap +SupportedForLDAPImportScriptOnly=נתמך רק על ידי סקריפט ייבוא ldap +LDAPUserAccountControl = userAccountControl ביצירה (ספרייה פעילה) +LDAPUserAccountControlExample = 512 חשבון רגיל / 546 חשבון רגיל + ללא Passwd + מושבת (ראה: https://fr.wikipedia.org/wiki/Active_Directory) diff --git a/htdocs/langs/he_IL/loan.lang b/htdocs/langs/he_IL/loan.lang index d271ed0c140..e365949a496 100644 --- a/htdocs/langs/he_IL/loan.lang +++ b/htdocs/langs/he_IL/loan.lang @@ -1,34 +1,34 @@ # Dolibarr language file - Source file is en_US - loan -Loan=Loan -Loans=Loans -NewLoan=New Loan -ShowLoan=Show Loan -PaymentLoan=Loan payment -LoanPayment=Loan payment -ShowLoanPayment=Show Loan Payment -LoanCapital=Capital -Insurance=Insurance -Interest=Interest -Nbterms=Number of terms -Term=Term -LoanAccountancyCapitalCode=Accounting account capital -LoanAccountancyInsuranceCode=Accounting account insurance -LoanAccountancyInterestCode=Accounting account interest -ConfirmDeleteLoan=Confirm deleting this loan -LoanDeleted=Loan Deleted Successfully -ConfirmPayLoan=Confirm classify paid this loan -LoanPaid=Loan Paid -ListLoanAssociatedProject=List of loan associated with the project -AddLoan=Create loan -FinancialCommitment=Financial commitment -InterestAmount=Interest -CapitalRemain=Capital remain -TermPaidAllreadyPaid = This term is allready paid -CantUseScheduleWithLoanStartedToPaid = Can't use scheduler for a loan with payment started -CantModifyInterestIfScheduleIsUsed = You can't modify interest if you use schedule +Loan=לְהַלווֹת +Loans=הלוואות +NewLoan=הלוואה חדשה +ShowLoan=הצג הלוואה +PaymentLoan=תשלום הלוואה +LoanPayment=תשלום הלוואה +ShowLoanPayment=הצג תשלום הלוואה +LoanCapital=עיר בירה +Insurance=ביטוח +Interest=ריבית +Nbterms=מספר מונחים +Term=טווח +LoanAccountancyCapitalCode=הון חשבון חשבונאי +LoanAccountancyInsuranceCode=ביטוח חשבון הנהלת חשבונות +LoanAccountancyInterestCode=ריבית חשבון חשבונאי +ConfirmDeleteLoan=אשר את מחיקת ההלוואה הזו +LoanDeleted=ההלוואה נמחקה בהצלחה +ConfirmPayLoan=אשר את סיווג שילם הלוואה זו +LoanPaid=הלוואה שולמה +ListLoanAssociatedProject=רשימת הלוואות הקשורות לפרויקט +AddLoan=צור הלוואה +FinancialCommitment=התחייבות פיננסית +InterestAmount=ריבית +CapitalRemain=נשאר הון +TermPaidAllreadyPaid = התקופה הזו כבר שולמה +CantUseScheduleWithLoanStartedToPaid = לא ניתן ליצור ציר זמן להלוואה עם תחילת תשלום +CantModifyInterestIfScheduleIsUsed = אינך יכול לשנות עניין אם אתה משתמש בלוח זמנים # Admin -ConfigLoan=Configuration of the module loan -LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Accounting account capital by default -LOAN_ACCOUNTING_ACCOUNT_INTEREST=Accounting account interest by default -LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Accounting account insurance by default -CreateCalcSchedule=Edit financial commitment +ConfigLoan=תצורה של הלוואת המודול +LOAN_ACCOUNTING_ACCOUNT_CAPITAL=חשבון (מתרשים החשבונות) שישמש כברירת מחדל עבור הון (מודול הלוואה) +LOAN_ACCOUNTING_ACCOUNT_INTEREST=חשבון (מתרשים החשבונות) שישמש כברירת מחדל לריבית (מודול הלוואה) +LOAN_ACCOUNTING_ACCOUNT_INSURANCE=חשבון (מתרשים החשבונות) שישמש כברירת מחדל לביטוח (מודול הלוואה) +CreateCalcSchedule=ערוך התחייבות פיננסית diff --git a/htdocs/langs/he_IL/mailmanspip.lang b/htdocs/langs/he_IL/mailmanspip.lang index bab4b3576b4..bcba51d6887 100644 --- a/htdocs/langs/he_IL/mailmanspip.lang +++ b/htdocs/langs/he_IL/mailmanspip.lang @@ -1,27 +1,27 @@ # Dolibarr language file - Source file is en_US - mailmanspip -MailmanSpipSetup=Mailman and SPIP module Setup -MailmanTitle=Mailman mailing list system -TestSubscribe=To test subscription to Mailman lists -TestUnSubscribe=To test unsubscribe from Mailman lists -MailmanCreationSuccess=Subscription test was executed successfully -MailmanDeletionSuccess=Unsubscription test was executed successfully -SynchroMailManEnabled=A Mailman update will be performed -SynchroSpipEnabled=A Spip update will be performed -DescADHERENT_MAILMAN_ADMINPW=Mailman administrator password -DescADHERENT_MAILMAN_URL=URL for Mailman subscriptions -DescADHERENT_MAILMAN_UNSUB_URL=URL for Mailman unsubscriptions -DescADHERENT_MAILMAN_LISTS=List(s) for automatic inscription of new members (separated by a comma) -SPIPTitle=SPIP Content Management System -DescADHERENT_SPIP_SERVEUR=SPIP Server -DescADHERENT_SPIP_DB=SPIP database name -DescADHERENT_SPIP_USER=SPIP database login -DescADHERENT_SPIP_PASS=SPIP database password -AddIntoSpip=Add into SPIP -AddIntoSpipConfirmation=Are you sure you want to add this member into SPIP? -AddIntoSpipError=Failed to add the user in SPIP -DeleteIntoSpip=Remove from SPIP -DeleteIntoSpipConfirmation=Are you sure you want to remove this member from SPIP? -DeleteIntoSpipError=Failed to suppress the user from SPIP -SPIPConnectionFailed=Failed to connect to SPIP -SuccessToAddToMailmanList=%s successfully added to mailman list %s or SPIP database -SuccessToRemoveToMailmanList=%s successfully removed from mailman list %s or SPIP database +MailmanSpipSetup=הגדרת מודול דואר ו-SPIP +MailmanTitle=מערכת רשימות תפוצה של Mailman +TestSubscribe=לבדיקת מנוי לרשימות Mailman +TestUnSubscribe=כדי לבדוק בטל את המנוי מרשימות Mailman +MailmanCreationSuccess=בדיקת המנוי בוצעה בהצלחה +MailmanDeletionSuccess=בדיקת ביטול המנוי בוצעה בהצלחה +SynchroMailManEnabled=יבוצע עדכון Mailman +SynchroSpipEnabled=עדכון Spip יבוצע +DescADHERENT_MAILMAN_ADMIN_PASSWORD=סיסמת מנהל Mailman +DescADHERENT_MAILMAN_URL=כתובת URL עבור מנויי Mailman +DescADHERENT_MAILMAN_UNSUB_URL=כתובת URL לביטול הרשמות של Mailman +DescADHERENT_MAILMAN_LISTS=רשימות לרישום אוטומטי של חברים חדשים (מופרדים בפסיק) +SPIPTitle=מערכת ניהול תוכן SPIP +DescADHERENT_SPIP_SERVEUR=שרת SPIP +DescADHERENT_SPIP_DB=שם מסד הנתונים של SPIP +DescADHERENT_SPIP_USER=התחברות למסד הנתונים SPIP +DescADHERENT_SPIP_PASS=סיסמת מסד נתונים SPIP +AddIntoSpip=הוסף ל-SPIP +AddIntoSpipConfirmation=האם אתה בטוח שברצונך להוסיף חבר זה ל-SPIP? +AddIntoSpipError=הוספת המשתמש ב-SPIP נכשלה +DeleteIntoSpip=הסר מ-SPIP +DeleteIntoSpipConfirmation=האם אתה בטוח שברצונך להסיר חבר זה מ-SPIP? +DeleteIntoSpipError=לא הצליח לדכא את המשתמש מ-SPIP +SPIPConnectionFailed=נכשל החיבור ל-SPIP +SuccessToAddToMailmanList=%s נוסף בהצלחה לרשימת הדואר %s או למסד הנתונים SPIP +SuccessToRemoveToMailmanList=%s הוסר בהצלחה מרשימת הדוארים %s או מסד הנתונים של SPIP diff --git a/htdocs/langs/he_IL/mails.lang b/htdocs/langs/he_IL/mails.lang index b64067385e6..ff59a59d36c 100644 --- a/htdocs/langs/he_IL/mails.lang +++ b/htdocs/langs/he_IL/mails.lang @@ -1,182 +1,188 @@ # Dolibarr language file - Source file is en_US - mails -Mailing=EMailing -EMailing=EMailing -EMailings=EMailings -AllEMailings=All eMailings -MailCard=EMailing card -MailRecipients=Recipients -MailRecipient=Recipient +Mailing=שליחת דואר אלקטרוני +EMailing=שליחת דואר אלקטרוני +EMailings=הודעות דואר אלקטרוני +AllEMailings=כל הודעות האימייל +MailCard=כרטיס דואר אלקטרוני +MailRecipients=נמענים +MailRecipient=מקבל MailTitle=תאור -MailFrom=From -MailErrorsTo=Errors to -MailReply=Reply to -MailTo=To -MailToUsers=To user(s) -MailCC=Copy to -MailToCCUsers=Copy to users(s) -MailCCC=Cached copy to -MailTopic=Email subject -MailText=Message -MailFile=Attached files -MailMessage=Email body -SubjectNotIn=Not in Subject -BodyNotIn=Not in Body -ShowEMailing=Show emailing -ListOfEMailings=List of emailings -NewMailing=New emailing -EditMailing=Edit emailing -ResetMailing=Resend emailing -DeleteMailing=Delete emailing -DeleteAMailing=Delete an emailing -PreviewMailing=Preview emailing -CreateMailing=Create emailing -TestMailing=Test email -ValidMailing=Valid emailing -MailingStatusDraft=Draft -MailingStatusValidated=Validated -MailingStatusSent=Sent -MailingStatusSentPartialy=Sent partially -MailingStatusSentCompletely=Sent completely -MailingStatusError=Error -MailingStatusNotSent=Not sent -MailSuccessfulySent=Email (from %s to %s) successfully accepted for delivery -MailingSuccessfullyValidated=EMailing successfully validated -MailUnsubcribe=Unsubscribe -MailingStatusNotContact=Don't contact anymore -MailingStatusReadAndUnsubscribe=Read and unsubscribe -ErrorMailRecipientIsEmpty=Email recipient is empty -WarningNoEMailsAdded=No new Email to add to recipient's list. -ConfirmValidMailing=Are you sure you want to validate this emailing? -ConfirmResetMailing=Warning, by re-initializing emailing %s, you will allow the re-sending this email in a bulk mailing. Are you sure you want to do this? -ConfirmDeleteMailing=Are you sure you want to delete this emailing? -NbOfUniqueEMails=No. of unique emails -NbOfEMails=No. of EMails -TotalNbOfDistinctRecipients=Number of distinct recipients -NoTargetYet=No recipients defined yet (Go on tab 'Recipients') -NoRecipientEmail=No recipient email for %s -RemoveRecipient=Remove recipient -YouCanAddYourOwnPredefindedListHere=To create your email selector module, see htdocs/core/modules/mailings/README. -EMailTestSubstitutionReplacedByGenericValues=When using test mode, substitutions variables are replaced by generic values -MailingAddFile=Attach this file -NoAttachedFiles=No attached files -BadEMail=Bad value for Email -EMailNotDefined=Email not defined -ConfirmCloneEMailing=Are you sure you want to clone this emailing? -CloneContent=Clone message -CloneReceivers=Cloner recipients -DateLastSend=Date of latest sending -DateSending=Date sending -SentTo=Sent to %s -MailingStatusRead=Read -YourMailUnsubcribeOK=The email %s is correctly unsubscribe from mailing list -ActivateCheckReadKey=Key used to encrypt URL used for "Read Receipt" and "Unsubscribe" feature -EMailSentToNRecipients=Email sent to %s recipients. -EMailSentForNElements=Email sent for %s elements. -XTargetsAdded=%s recipients added into target list -OnlyPDFattachmentSupported=If the PDF documents were already generated for the objects to send, they will be attached to email. If not, no email will be sent (also, note that only pdf documents are supported as attachments in mass sending in this version). -AllRecipientSelected=The recipients of the %s record selected (if their email is known). -GroupEmails=Group emails -OneEmailPerRecipient=One email per recipient (by default, one email per record selected) -WarningIfYouCheckOneRecipientPerEmail=Warning, if you check this box, it means only one email will be sent for several different record selected, so, if your message contains substitution variables that refers to data of a record, it becomes not possible to replace them. -ResultOfMailSending=Result of mass Email sending -NbSelected=Number selected -NbIgnored=Number ignored -NbSent=Number sent -SentXXXmessages=%s message(s) sent. -ConfirmUnvalidateEmailing=Are you sure you want to change email %s to draft status? -MailingModuleDescContactsWithThirdpartyFilter=Contact with customer filters -MailingModuleDescContactsByCompanyCategory=Contacts by third-party category -MailingModuleDescContactsByCategory=Contacts by categories -MailingModuleDescContactsByFunction=Contacts by position -MailingModuleDescEmailsFromFile=Emails from file -MailingModuleDescEmailsFromUser=Emails input by user -MailingModuleDescDolibarrUsers=Users with Emails +MailFrom=מ +MailErrorsTo=שגיאות ל +MailReply=להגיב ל +MailTo=ל +MailToUsers=למשתמש(ים) +MailCC=העתק אל +MailToCCUsers=העתק למשתמשים +MailCCC=עותק שמור אל +MailTopic=נושא האימייל +MailText=הוֹדָעָה +MailFile=קבצים מצורפים +MailMessage=גוף האימייל +SubjectNotIn=לא בנושא +BodyNotIn=לא בגוף +ShowEMailing=הצג אימייל +ListOfEMailings=רשימת הודעות דואר אלקטרוני +NewMailing=מייל חדש +EditMailing=ערוך מיילים +ResetMailing=שלח שוב מייל +DeleteMailing=מחק אימייל +DeleteAMailing=מחק אימייל +PreviewMailing=תצוגה מקדימה של שליחת אימייל +CreateMailing=צור אימייל +TestMailing=דוא"ל בדיקה +ValidMailing=אימייל תקף +MailingStatusDraft=טְיוּטָה +MailingStatusValidated=מאומת +MailingStatusSent=נשלח +MailingStatusSentPartialy=נשלח חלקית +MailingStatusSentCompletely=נשלח לגמרי +MailingStatusError=שְׁגִיאָה +MailingStatusNotSent=לא נשלח +MailSuccessfulySent=דוא"ל (מ-%s אל %s) התקבל בהצלחה למשלוח +MailingSuccessfullyValidated=שליחת האימייל אומתה בהצלחה +MailUnsubcribe=בטל את הרישום +MailingStatusNotContact=אל תיצור קשר יותר +MailingStatusReadAndUnsubscribe=קרא ובטל את המנוי +ErrorMailRecipientIsEmpty=נמען הדוא"ל ריק +WarningNoEMailsAdded=אין אימייל חדש להוסיף לרשימת הנמען. +ConfirmValidMailing=האם אתה בטוח שברצונך לאמת את הודעת האימייל הזו? +ConfirmResetMailing=אזהרה, על ידי אתחול מחדש של שליחת דוא"ל %s, תאפשר שליחה חוזרת של דוא"ל זה בדואר בכמות גדולה. האם אתה בטוח שאתה רוצה לעשות זאת? +ConfirmDeleteMailing=האם אתה בטוח שברצונך למחוק את הודעת האימייל הזו? +NbOfUniqueEMails=מספר אימיילים ייחודיים +NbOfEMails=מספר אימיילים +TotalNbOfDistinctRecipients=מספר נמענים ברורים +NoTargetYet=לא הוגדרו עדיין נמענים (עבור לכרטיסייה 'נמענים') +NoRecipientEmail=אין דוא"ל נמען עבור %s +RemoveRecipient=הסר את הנמען +YouCanAddYourOwnPredefindedListHere=ליצירת מודול בורר הדוא"ל שלך, ראה htdocs/core/modules/mailings/README. +EMailTestSubstitutionReplacedByGenericValues=בעת שימוש במצב בדיקה, משתני החלפות מוחלפים בערכים גנריים +MailingAddFile=צרף את הקובץ הזה +NoAttachedFiles=אין קבצים מצורפים +BadEMail=ערך גרוע עבור דואר אלקטרוני +EMailNotDefined=אימייל לא מוגדר +ConfirmCloneEMailing=האם אתה בטוח שברצונך לשכפל את המייל הזה? +CloneContent=שיבוט הודעה +CloneReceivers=מקבלי Cloner +DateLastSend=תאריך השליחה האחרון +DateSending=שליחת תאריך +SentTo=נשלח אל %s +MailingStatusRead=לקרוא +YourMailUnsubcribeOK=האימייל %s בוטלה כהלכה מרשימת התפוצה +ActivateCheckReadKey=מפתח המשמש להצפנת כתובת אתר המשמשת לתכונה "אישור קריאה" ו"ביטול הרשמה". +EMailSentToNRecipients=דוא"ל נשלח לנמעני %s. +EMailSentForNElements=דוא"ל נשלח עבור רכיבי %s. +XTargetsAdded=%s נמענים נוספו לרשימת היעד +OnlyPDFattachmentSupported=אם מסמכי ה-PDF כבר נוצרו עבור האובייקטים לשליחה, הם יצורפו למייל. אם לא, לא יישלח אימייל (כמו כן, שימו לב שרק מסמכי pdf נתמכים כקבצים מצורפים בשליחה המונית בגרסה זו). +AllRecipientSelected=הנמענים של רשומת %s נבחרו (אם האימייל שלהם ידוע). +GroupEmails=מיילים קבוצתיים +OneEmailPerRecipient=דוא"ל אחד לכל נמען (כברירת מחדל, נבחר אימייל אחד לכל רשומה) +WarningIfYouCheckOneRecipientPerEmail=אזהרה, אם תסמן את התיבה הזו, זה אומר שרק אימייל אחד יישלח עבור מספר רשומות שונות שנבחרו, כך שאם ההודעה שלך מכילה משתני החלפה המתייחסים לנתונים של רשומה, לא ניתן יהיה להחליף אותם. +ResultOfMailSending=תוצאה של שליחת אימייל המונית +NbSelected=מספר נבחר +NbIgnored=התעלמו מהמספר +NbSent=המספר נשלח +SentXXXmessages=נשלחו הודעות %s. +ConfirmUnvalidateEmailing=האם אתה בטוח שברצונך לשנות דוא"ל %s לסטטוס טיוטה ? +MailingModuleDescContactsWithThirdpartyFilter=יצירת קשר עם מסנני לקוחות +MailingModuleDescContactsByCompanyCategory=אנשי קשר לפי קטגוריית צד שלישי +MailingModuleDescContactsByCategory=אנשי קשר לפי קטגוריות +MailingModuleDescContactsByFunction=אנשי קשר לפי תפקיד +MailingModuleDescEmailsFromFile=מיילים מהקובץ +MailingModuleDescEmailsFromUser=הודעות דוא"ל קלט על ידי משתמש +MailingModuleDescDolibarrUsers=משתמשים עם אימיילים MailingModuleDescThirdPartiesByCategories=צדדים שלישיים -SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. -EmailCollectorFilterDesc=All filters must match to have an email being collected +SendingFromWebInterfaceIsNotAllowed=אסור לשלוח מממשק האינטרנט. +EmailCollectorFilterDesc=כל המסננים חייבים להתאים כדי לאסוף אימייל.
      תוכל להשתמש בתו "!" לפני ערך מחרוזת החיפוש אם אתה צריך בדיקה שלילית # Libelle des modules de liste de destinataires mailing -LineInFile=Line %s in file -RecipientSelectionModules=Defined requests for recipient's selection -MailSelectedRecipients=Selected recipients -MailingArea=EMailings area -LastMailings=Latest %s emailings -TargetsStatistics=Targets statistics -NbOfCompaniesContacts=Unique contacts/addresses -MailNoChangePossible=Recipients for validated emailing can't be changed -SearchAMailing=Search mailing -SendMailing=Send emailing -SentBy=Sent by -MailingNeedCommand=Sending an emailing can be performed from command line. Ask your server administrator to launch the following command to send the emailing to all recipients: -MailingNeedCommand2=You can however send them online by adding parameter MAILING_LIMIT_SENDBYWEB with value of max number of emails you want to send by session. For this, go on Home - Setup - Other. -ConfirmSendingEmailing=If you want to send emailing directly from this screen, please confirm you are sure you want to send emailing now from your browser ? -LimitSendingEmailing=Note: Sending of emailings from web interface is done in several times for security and timeout reasons, %s recipients at a time for each sending session. -TargetsReset=Clear list -ToClearAllRecipientsClickHere=Click here to clear the recipient list for this emailing -ToAddRecipientsChooseHere=Add recipients by choosing from the lists -NbOfEMailingsReceived=Mass emailings received -NbOfEMailingsSend=Mass emailings sent -IdRecord=ID record -DeliveryReceipt=Delivery Ack. -YouCanUseCommaSeparatorForSeveralRecipients=You can use the comma separator to specify several recipients. -TagCheckMail=Track mail opening -TagUnsubscribe=Unsubscribe link -TagSignature=Signature of sending user -EMailRecipient=Recipient Email -TagMailtoEmail=Recipient Email (including html "mailto:" link) -NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile. +LineInFile=שורה %s בקובץ +RecipientSelectionModules=בקשות מוגדרות לבחירת הנמען +MailSelectedRecipients=נמענים נבחרים +MailingArea=אזור הודעות דואר אלקטרוני +LastMailings=הודעות האימייל האחרונות של %s +TargetsStatistics=מתמקד בסטטיסטיקה +NbOfCompaniesContacts=אנשי קשר/כתובות ייחודיים +MailNoChangePossible=לא ניתן לשנות נמענים עבור שליחת אימייל מאומתת +SearchAMailing=חפש בדואר +SendMailing=שלח מייל +SentBy=נשלח על - ידי +MailingNeedCommand=שליחת אימייל יכולה להתבצע משורת הפקודה. בקש ממנהל השרת שלך להפעיל את הפקודה הבאה כדי לשלוח את המייל לכל הנמענים: +MailingNeedCommand2=עם זאת, תוכל לשלוח אותם באופן מקוון על ידי הוספת פרמטר MAILING_LIMIT_SENDBYWEB עם ערך של מספר הודעות דוא"ל מקסימלי שברצונך לשלוח לפי הפעלה. לשם כך, עבור אל בית - הגדרה - אחר. +ConfirmSendingEmailing=אם ברצונך לשלוח דוא"ל ישירות מהמסך הזה, אנא אשר שאתה בטוח שאתה רוצה לשלוח אימייל עכשיו מהדפדפן שלך? +LimitSendingEmailing=הערה: שליחת הודעות דוא"ל מממשק האינטרנט מתבצעת במספר פעמים מסיבות אבטחה ופסק זמן, %s נמענים בכל פעם עבור כל סשן שליחה. +TargetsReset=נקה רשימה +ToClearAllRecipientsClickHere=לחץ כאן כדי לנקות את רשימת הנמענים עבור שליחת דוא"ל זו +ToAddRecipientsChooseHere=הוסף נמענים על ידי בחירה מתוך הרשימות +NbOfEMailingsReceived=התקבלו הודעות דואר המוניות +NbOfEMailingsSend=נשלחו מיילים המוניים +IdRecord=רשומת תעודת זהות +DeliveryReceipt=משלוח Ack. +YouCanUseCommaSeparatorForSeveralRecipients=אתה יכול להשתמש במפריד comma כדי לציין מספר נמענים. +TagCheckMail=עקוב אחר פתיחת דואר +TagUnsubscribe=קישור לביטול הרשמה +TagSignature=חתימת המשתמש השולח +EMailRecipient=אימייל של נמען +TagMailtoEmail=דוא"ל של נמען (כולל קישור html "mailto:") +NoEmailSentBadSenderOrRecipientEmail=לא נשלח אימייל. אימייל שגוי של שולח או נמען. אמת את פרופיל המשתמש. # Module Notifications Notifications=הודעות -NotificationsAuto=Notifications Auto. -NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company -ANotificationsWillBeSent=1 automatic notification will be sent by email -SomeNotificationsWillBeSent=%s automatic notifications will be sent by email -AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List of all automatic email notifications sent -MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. -MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. -MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. -YouCanAlsoUseSupervisorKeyword=You can also add the keyword __SUPERVISOREMAIL__ to have email being sent to the supervisor of user (works only if an email is defined for this supervisor) -NbOfTargetedContacts=Current number of targeted contact emails -UseFormatFileEmailToTarget=Imported file must have format email;name;firstname;other -UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other -MailAdvTargetRecipients=Recipients (advanced selection) -AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target -AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima -AdvTgtSearchIntHelp=Use interval to select int or float value -AdvTgtMinVal=Minimum value -AdvTgtMaxVal=Maximum value -AdvTgtSearchDtHelp=Use interval to select date value -AdvTgtStartDt=Start dt. -AdvTgtEndDt=End dt. -AdvTgtTypeOfIncudeHelp=Target Email of third party and email of contact of the third party, or just third-party email or just contact email -AdvTgtTypeOfIncude=Type of targeted email -AdvTgtContactHelp=Use only if you target contact into "Type of targeted email" -AddAll=Add all -RemoveAll=Remove all -ItemsCount=Item(s) -AdvTgtNameTemplate=Filter name -AdvTgtAddContact=Add emails according to criteria -AdvTgtLoadFilter=Load filter -AdvTgtDeleteFilter=Delete filter -AdvTgtSaveFilter=Save filter -AdvTgtCreateFilter=Create filter -AdvTgtOrCreateNewFilter=Name of new filter -NoContactWithCategoryFound=No category found linked to some contacts/addresses -NoContactLinkedToThirdpartieWithCategoryFound=No category found linked to some thirdparties -OutGoingEmailSetup=Outgoing emails -InGoingEmailSetup=Incoming emails -OutGoingEmailSetupForEmailing=Outgoing emails (for module %s) -DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup -Information=Information -ContactsWithThirdpartyFilter=Contacts with third-party filter -Unanswered=Unanswered -Answered=Answered -IsNotAnAnswer=Is not answer (initial email) -IsAnAnswer=Is an answer of an initial email -RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s -DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact -DefaultStatusEmptyMandatory=Empty but mandatory -WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. -NoMoreRecipientToSendTo=No more recipient to send the email to +NotificationsAuto=התראות אוטומטי. +NoNotificationsWillBeSent=לא מתוכננות התראות דוא"ל אוטומטיות עבור סוג האירוע והחברה הזו +ANotificationsWillBeSent=הודעה אוטומטית אחת תישלח בדוא"ל +SomeNotificationsWillBeSent=%s הודעות אוטומטיות יישלחו בדוא"ל +AddNewNotification=הירשם להודעת דוא"ל אוטומטית חדשה (יעד/אירוע) +ListOfActiveNotifications=רשימת כל המינויים הפעילים (יעדים/אירועים) להתראה אוטומטית באימייל +ListOfNotificationsDone=רשימה של כל התראות הדוא"ל האוטומטיות שנשלחו +MailSendSetupIs=התצורה של שליחת דואר אלקטרוני הוגדרה ל'%s'. לא ניתן להשתמש במצב זה לשליחת אימייל המוני. +MailSendSetupIs2=תחילה עליך להיכנס, עם חשבון אדמין, לתפריט %sבית - הגדרה - אימיילים%s כדי לשנות את הפרמטר '%s' כדי להשתמש במצב '__SUPERVISOREMAIL__
      כדי לשלוח דוא"ל לממונה על המשתמש (עובד רק אם הודעת דוא"ל היא מוגדר עבור ממונה זה) +NbOfTargetedContacts=מספר נוכחי של הודעות אימייל ממוקדות ליצירת קשר +UseFormatFileEmailToTarget=הקובץ המיובא חייב להיות בפורמט email;name;firstname;other +UseFormatInputEmailToTarget=הזן מחרוזת בפורמט email;name;firstname;other +MailAdvTargetRecipients=נמענים (בחירה מתקדמת) +AdvTgtTitle=מלא שדות קלט כדי לבחור מראש את צדדים שלישיים או אנשי קשר/כתובות למיקוד +AdvTgtSearchTextHelp=השתמש ב-%% בתור תווים כלליים. לדוגמה כדי למצוא את כל הפריטים כמו jean, joe, jim, אתה יכול להזין j%%, אתה יכול גם להשתמש ; כמפריד לערך, ולהשתמש ! עבור חוץ מהערך הזה. לדוגמה jean;joe;jim%%;!jimo;!jimab07e63171f5dacz span> ימקד את כל ג'ין, ג'ו, מתחיל עם ג'ים אבל לא ג'ימו ולא כל מה שמתחיל בג'ימה +AdvTgtSearchIntHelp=השתמש במרווח כדי לבחור ערך int או float +AdvTgtMinVal=ערך מינימלי +AdvTgtMaxVal=ערך מקסימלי +AdvTgtSearchDtHelp=השתמש במרווח כדי לבחור ערך תאריך +AdvTgtStartDt=התחל dt. +AdvTgtEndDt=סוף dt. +AdvTgtTypeOfIncudeHelp=דוא"ל יעד של צד שלישי ואימייל של איש קשר של הצד השלישי, או רק דוא"ל של צד שלישי או סתם דוא"ל ליצירת קשר +AdvTgtTypeOfIncude=סוג דוא"ל ממוקד +AdvTgtContactHelp=השתמש רק אם אתה ממקד איש קשר ל"סוג דוא"ל ממוקד" +AddAll=הוסף הכל +RemoveAll=להסיר את כל +ItemsCount=פריטים +AdvTgtNameTemplate=שם מסנן +AdvTgtAddContact=הוסף מיילים לפי קריטריונים +AdvTgtLoadFilter=טען מסנן +AdvTgtDeleteFilter=מחק מסנן +AdvTgtSaveFilter=שמור מסנן +AdvTgtCreateFilter=צור מסנן +AdvTgtOrCreateNewFilter=שם המסנן החדש +NoContactWithCategoryFound=לא נמצאה קטגוריה המקושרת לכמה אנשי קשר/כתובות +NoContactLinkedToThirdpartieWithCategoryFound=לא נמצאה קטגוריה המקושרת לחלק מהצדדים השלישיים +OutGoingEmailSetup=מיילים יוצאים +InGoingEmailSetup=מיילים נכנסים +OutGoingEmailSetupForEmailing=הודעות דוא"ל יוצאות (עבור מודול %s) +DefaultOutgoingEmailSetup=אותה תצורה מאשר ההגדרה העולמית של דואר אלקטרוני יוצא +Information=מֵידָע +ContactsWithThirdpartyFilter=אנשי קשר עם מסנן של צד שלישי +Unanswered=ללא מענה +Answered=ענה +IsNotAnAnswer=אין תשובה (אימייל ראשוני) +IsAnAnswer=היא תשובה של מייל ראשוני +RecordCreatedByEmailCollector=רשומה שנוצרה על ידי אספן הדוא"ל %s מהאימייל %s +DefaultBlacklistMailingStatus=ערך ברירת המחדל עבור השדה '%s' בעת יצירת איש קשר חדש +DefaultStatusEmptyMandatory=ריק אבל חובה +WarningLimitSendByDay=אזהרה: ההגדרה או החוזה של המופע שלך מגבילים את מספר הודעות האימייל שלך ביום ל-%s. ניסיון לשלוח עוד עלול לגרום להאטה או השעיה של המופע שלך. אנא צור קשר עם התמיכה שלך אם אתה צריך מכסה גבוהה יותר. +NoMoreRecipientToSendTo=אין עוד נמען לשלוח אליו את המייל +EmailOptedOut=בעל האימייל ביקש לא ליצור איתו קשר עם האימייל הזה יותר +EvenUnsubscribe=כלול הודעות אימייל לביטול הסכמה +EvenUnsubscribeDesc=כלול הודעות אימייל לביטול הסכמה כשאתה בוחר הודעות דוא"ל כיעדים. שימושי עבור דוא"ל שירות חובה למשל. +XEmailsDoneYActionsDone=%s הודעות דוא"ל מוסמכות מראש, הודעות דוא"ל %s עובדו בהצלחה (עבור רשומה %s /פעולות שנעשו) +helpWithAi=הוסף הוראות +YouCanMakeSomeInstructionForEmail=אתה יכול ליצור הוראה כלשהי עבור הדוא"ל שלך (דוגמה: צור תמונה בתבנית דוא"ל...) diff --git a/htdocs/langs/he_IL/main.lang b/htdocs/langs/he_IL/main.lang index 0c9d78518aa..54dc5a093c1 100644 --- a/htdocs/langs/he_IL/main.lang +++ b/htdocs/langs/he_IL/main.lang @@ -29,1184 +29,1234 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p -DatabaseConnection=Database connection -NoTemplateDefined=No template available for this email type -AvailableVariables=Available substitution variables -NoTranslation=No translation -Translation=Translation -Translations=Translations +DatabaseConnection=חיבור למסד נתונים +NoTemplateDefined=אין תבנית זמינה עבור סוג דוא"ל זה +AvailableVariables=משתני החלפה זמינים +NoTranslation=אין תרגום +Translation=תִרגוּם +Translations=תרגומים CurrentTimeZone=אזור PHP (שרת) -EmptySearchString=Enter non empty search criterias -EnterADateCriteria=Enter a date criteria -NoRecordFound=No record found -NoRecordDeleted=No record deleted -NotEnoughDataYet=Not enough data -NoError=No error -Error=Error -Errors=Errors -ErrorFieldRequired=Field '%s' is required -ErrorFieldFormat=Field '%s' has a bad value -ErrorFileDoesNotExists=File %s does not exist -ErrorFailedToOpenFile=Failed to open file %s -ErrorCanNotCreateDir=Cannot create dir %s -ErrorCanNotReadDir=Cannot read dir %s -ErrorConstantNotDefined=Parameter %s not defined -ErrorUnknown=Unknown error -ErrorSQL=SQL Error -ErrorLogoFileNotFound=Logo file '%s' was not found -ErrorGoToGlobalSetup=Go to 'Company/Organization' setup to fix this -ErrorGoToModuleSetup=Go to Module setup to fix this -ErrorFailedToSendMail=Failed to send mail (sender=%s, receiver=%s) -ErrorFileNotUploaded=File was not uploaded. Check that size does not exceed maximum allowed, that free space is available on disk and that there is not already a file with same name in this directory. -ErrorInternalErrorDetected=Error detected -ErrorWrongHostParameter=Wrong host parameter -ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post the form again. -ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child record. -ErrorWrongValue=Wrong value -ErrorWrongValueForParameterX=Wrong value for parameter %s -ErrorNoRequestInError=No request in error -ErrorServiceUnavailableTryLater=Service not available at the moment. Try again later. -ErrorDuplicateField=Duplicate value in a unique field -ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. Changes have been rolled back. -ErrorConfigParameterNotDefined=Parameter %s is not defined in the Dolibarr config file conf.php. -ErrorCantLoadUserFromDolibarrDatabase=Failed to find user %s in Dolibarr database. -ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'. -ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'. -ErrorFailedToSaveFile=Error, failed to save file. -ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of a existing warehouse -FieldCannotBeNegative=Field "%s" cannot be negative -MaxNbOfRecordPerPage=Max. number of records per page -NotAuthorized=You are not authorized to do that. -SetDate=Set date -SelectDate=Select a date -SeeAlso=See also %s -SeeHere=See here -ClickHere=Click here -Here=Here -Apply=Apply -BackgroundColorByDefault=Default background color -FileRenamed=The file was successfully renamed -FileGenerated=The file was successfully generated -FileSaved=The file was successfully saved -FileUploaded=The file was successfully uploaded -FileTransferComplete=File(s) uploaded successfully -FilesDeleted=File(s) successfully deleted -FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. Click on "Attach file" for this. -NbOfEntries=No. of entries -GoToWikiHelpPage=Read online help (Internet access needed) -GoToHelpPage=Read help -DedicatedPageAvailable=Dedicated help page related to your current screen -HomePage=Home Page -RecordSaved=Record saved -RecordDeleted=Record deleted -RecordGenerated=Record generated -LevelOfFeature=Level of features -NotDefined=Not defined -DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is set to %s in configuration file conf.php.
      This means that the password database is external to Dolibarr, so changing this field may have no effect. -Administrator=Administrator -Undefined=Undefined -PasswordForgotten=Password forgotten? -NoAccount=No account? -SeeAbove=See above -HomeArea=Home -LastConnexion=Last login -PreviousConnexion=Previous login -PreviousValue=Previous value -ConnectedOnMultiCompany=Connected on environment -ConnectedSince=Connected since -AuthenticationMode=Authentication mode -RequestedUrl=Requested URL -DatabaseTypeManager=Database type manager -RequestLastAccessInError=Latest database access request error -ReturnCodeLastAccessInError=Return code for latest database access request error -InformationLastAccessInError=Information for latest database access request error -DolibarrHasDetectedError=Dolibarr has detected a technical error -YouCanSetOptionDolibarrMainProdToZero=You can read log file or set option $dolibarr_main_prod to '0' in your config file to get more information. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) -MoreInformation=More information -TechnicalInformation=Technical information -TechnicalID=Technical ID -LineID=Line ID -NotePublic=Note (public) -NotePrivate=Note (private) -PrecisionUnitIsLimitedToXDecimals=Dolibarr was setup to limit precision of unit prices to %s decimals. -DoTest=Test -ToFilter=Filter -NoFilter=No filter -WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance time. -yes=yes +EmptySearchString=הזן קריטריוני חיפוש לא ריקים +EnterADateCriteria=הזן קריטריון לתאריך +NoRecordFound=לא נמצא רשומה +NoRecordDeleted=שום רשומה לא נמחקה +NotEnoughDataYet=אין מספיק נתונים +NoError=אין שגיאה +Error=שְׁגִיאָה +Errors=שגיאות +ErrorFieldRequired=שדה '%s' נדרש +ErrorFieldFormat=לשדה '%s' יש ערך גרוע +ErrorFileDoesNotExists=הקובץ %s אינו קיים +ErrorFailedToOpenFile=פתיחת הקובץ %s נכשלה +ErrorCanNotCreateDir=לא ניתן ליצור מדריך %s +ErrorCanNotReadDir=לא ניתן לקרוא את הכתובת %s +ErrorConstantNotDefined=הפרמטר %s לא מוגדר +ErrorUnknown=שגיאה לא ידועה +ErrorSQL=שגיאת SQL +ErrorLogoFileNotFound=קובץ הלוגו '%s' לא נמצא +ErrorGoToGlobalSetup=עבור להגדרת 'חברה/ארגון' כדי לתקן זאת +ErrorGoToModuleSetup=עבור להגדרת מודול כדי לתקן זאת +ErrorFailedToSendMail=שליחת הדואר נכשלה (sender=%s, receiver=%s) +ErrorFileNotUploaded=הקובץ לא הועלה. בדוק שהגודל אינו חורג מהמקסימום המותר, ששטח פנוי זמין בדיסק ושאין כבר קובץ עם אותו שם בספרייה זו. +ErrorInternalErrorDetected=זוהתה שגיאה +ErrorWrongHostParameter=פרמטר מארח שגוי +ErrorYourCountryIsNotDefined=המדינה שלך לא מוגדרת. עבור אל Home-Setup-Company/Foundation ופרסם שוב את הטופס. +ErrorRecordIsUsedByChild=מחיקת הרשומה הזו נכשלה. רשומה זו משמשת לפחות רשומה צאצאית אחת. +ErrorWrongValue=ערך שגוי +ErrorWrongValueForParameterX=ערך שגוי עבור הפרמטר %s +ErrorNoRequestInError=אין בקשה בטעות +ErrorServiceUnavailableTryLater=השירות אינו זמין כרגע. נסה שוב מאוחר יותר. +ErrorDuplicateField=ערך כפול בשדה ייחודי +ErrorSomeErrorWereFoundRollbackIsDone=נמצאו כמה שגיאות. השינויים הוחזרו לאחור. +ErrorConfigParameterNotDefined=הפרמטר %s אינו מוגדר בקובץ Dolibarr config class='notranslate'>conf.php. +ErrorCantLoadUserFromDolibarrDatabase=לא הצליח למצוא את המשתמש %s במסד הנתונים של Dolibar. +ErrorNoVATRateDefinedForSellerCountry=שגיאה, לא הוגדרו שיעורי מע"מ עבור המדינה '%s'. +ErrorNoSocialContributionForSellerCountry=שגיאה, לא הוגדר סוג מסים חברתיים/פיסקליים עבור המדינה '%s'. +ErrorFailedToSaveFile=שגיאה, שמירת הקובץ נכשלה. +ErrorCannotAddThisParentWarehouse=אתה מנסה להוסיף מחסן אב שהוא כבר צאצא של מחסן קיים +ErrorInvalidSubtype=סוג משנה שנבחר אינו מותר +FieldCannotBeNegative=השדה "%s" אינו יכול להיות שלילי +MaxNbOfRecordPerPage=מקסימום מספר רשומות בעמוד +NotAuthorized=אינך מורשה לעשות זאת. +SetDate=קבע תאריך +SelectDate=בחר תאריך +SeeAlso=ראה גם %s +SeeHere=ראה כאן +ClickHere=לחץ כאן +Here=כאן +Apply=להגיש מועמדות +BackgroundColorByDefault=צבע רקע ברירת מחדל +FileRenamed=שם הקובץ שונה בהצלחה +FileGenerated=הקובץ נוצר בהצלחה +FileSaved=הקובץ נשמר בהצלחה +FileUploaded=הקובץ הועלה בהצלחה +FileTransferComplete=הקבצים הועלו בהצלחה +FilesDeleted=הקבצים נמחקו בהצלחה +FileWasNotUploaded=קובץ נבחר לקובץ מצורף אך עדיין לא הועלה. לחץ על "צרף קובץ" לשם כך. +NbOfEntries=מספר כניסות +GoToWikiHelpPage=קרא עזרה מקוונת (דרושה גישה לאינטרנט) +GoToHelpPage=קרא עזרה +DedicatedPageAvailable=דף עזרה ייעודי הקשור למסך הנוכחי שלך +HomePage=דף הבית +RecordSaved=הרשומה נשמרה +RecordDeleted=הרשומה נמחקה +RecordGenerated=רשומה נוצרה +LevelOfFeature=רמת תכונות +NotDefined=לא מוגדר +DolibarrInHttpAuthenticationSoPasswordUseless=מצב האימות של Dolibarr מוגדר ל%s בקובץ התצורה class='notranslate'>conf.php.
      זה אומר שמסד הנתונים של הסיסמאות הוא חיצוני Dolibarr, אז ייתכן שלשינוי שדה זה לא תהיה השפעה. +Administrator=מנהל מערכת +AdministratorDesc=מנהל מערכת (יכול לנהל משתמש, הרשאות אך גם הגדרות מערכת ותצורת מודולים) +Undefined=לא מוגדר +PasswordForgotten=הסיסמא נשכחה? +NoAccount=אין חשבון? +SeeAbove=ראה לעיל +HomeArea=בית +LastConnexion=כניסה אחרונה +PreviousConnexion=כניסה קודמת +PreviousValue=ערך קודם +ConnectedOnMultiCompany=מחובר לסביבה +ConnectedSince=מחובר מאז +AuthenticationMode=מצב אימות +RequestedUrl=כתובת אתר מבוקשת +DatabaseTypeManager=מנהל סוגי מסדי נתונים +RequestLastAccessInError=שגיאת בקשת גישה אחרונה למסד הנתונים +ReturnCodeLastAccessInError=החזרת קוד עבור שגיאת בקשת הגישה האחרונה למסד הנתונים +InformationLastAccessInError=מידע על שגיאת בקשת הגישה האחרונה למסד הנתונים +DolibarrHasDetectedError=Dolibarr זיהה שגיאה טכנית +YouCanSetOptionDolibarrMainProdToZero=אתה יכול לקרוא קובץ יומן או להגדיר את האפשרות $dolibarr_main_prod ל'0' בקובץ התצורה שלך כדי לקבל מידע נוסף. +InformationToHelpDiagnose=מידע זה יכול להיות שימושי למטרות אבחון (תוכל להגדיר את האפשרות $dolibarr_main_prod ל-'1' כדי להסתיר מידע רגיש) +MoreInformation=עוד מידע +TechnicalInformation=מידע טכני +TechnicalID=תעודה מזהה טכנית +LineID=מזהה קו +NotePublic=הערה (ציבורי) +NotePrivate=הערה (פרטי) +PrecisionUnitIsLimitedToXDecimals=Dolibarr הוגדר להגביל את הדיוק של מחירי יחידות ל-%ss . +DoTest=מִבְחָן +ToFilter=לְסַנֵן +NoFilter=ללא מסנן +WarningYouHaveAtLeastOneTaskLate=אזהרה, יש לך לפחות אלמנט אחד שחרג מזמן הסובלנות. +yes=כן Yes=כן -no=no +no=לא No=לא All=כל -Home=Home -Help=Help -OnlineHelp=Online help -PageWiki=Wiki page -MediaBrowser=Media browser -Always=Always +Home=בית +Help=עֶזרָה +OnlineHelp=עזרה אינטרנטית +PageWiki=עמוד ויקי +MediaBrowser=דפדפן מדיה +Always=תמיד Never=אף פעם -Under=under -Period=Period -PeriodEndDate=End date for period -SelectedPeriod=Selected period -PreviousPeriod=Previous period -Activate=Activate -Activated=Activated -Closed=Closed -Closed2=Closed -NotClosed=Not closed -Enabled=Enabled -Enable=Enable -Deprecated=Deprecated -Disable=Disable -Disabled=Disabled -Add=Add -AddLink=Add link -RemoveLink=Remove link -AddToDraft=Add to draft -Update=Update -Close=Close -CloseAs=Set status to -CloseBox=Remove widget from your dashboard -Confirm=Confirm -ConfirmSendCardByMail=Do you really want to send the content of this card by mail to %s? -Delete=Delete -Remove=Remove -Resiliate=Terminate -Cancel=Cancel -Modify=Modify -Edit=Edit -Validate=Validate -ValidateAndApprove=Validate and Approve -ToValidate=To validate -NotValidated=Not validated -Save=Save -SaveAs=Save As -SaveAndStay=Save and stay -SaveAndNew=Save and new -TestConnection=Test connection -ToClone=Clone -ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose the data you want to clone: -NoCloneOptionsSpecified=No data to clone defined. -Of=of -Go=Go -Run=Run -CopyOf=Copy of -Show=Show -Hide=Hide -ShowCardHere=Show card -Search=Search -SearchOf=Search -SearchMenuShortCut=Ctrl + shift + f -QuickAdd=Quick add -QuickAddMenuShortCut=Ctrl + shift + l -Valid=Valid -Approve=Approve -Disapprove=Disapprove -ReOpen=Re-Open -OpenVerb=Open -Upload=Upload +Under=תַחַת +Period=פרק זמן +PeriodEndDate=תאריך סיום לתקופה +SelectedPeriod=תקופה נבחרת +PreviousPeriod=תקופה קודמת +Activate=לְהַפְעִיל +Activated=מוּפעָל +Closed=סָגוּר +Closed2=סָגוּר +NotClosed=לא סגור +Enabled=מופעל +Enable=לְאַפשֵׁר +Deprecated=הוצא משימוש +Disable=השבת +Disabled=נָכֶה +Add=לְהוֹסִיף +AddLink=הוסף קישור +RemoveLink=הסר קישור +AddToDraft=הוסף לטיוטה +Update=עדכון +Close=סגור +CloseAs=הגדר את הסטטוס ל +CloseBox=הסר את הווידג'ט מלוח המחוונים שלך +Confirm=לְאַשֵׁר +ConfirmSendCardByMail=האם אתה באמת רוצה לשלוח את התוכן של כרטיס זה בדואר אל %s? +Delete=לִמְחוֹק +Remove=לְהַסִיר +Resiliate=לבטל, לסיים +Cancel=לְבַטֵל +Modify=לְשַׁנוֹת +Edit=לַעֲרוֹך +Validate=לְאַמֵת +ValidateAndApprove=תאמת ואשר +ToValidate=כדי לאמת +NotValidated=לא מאומת +Save=להציל +SaveAs=שמור כ +SaveAndStay=שמור והישאר +SaveAndNew=שמור וחדש +TestConnection=בדיקת חיבור +ToClone=שיבוט +ConfirmCloneAsk=האם אתה בטוח שברצונך לשכפל את האובייקט %s? +ConfirmClone=בחר את הנתונים שברצונך לשכפל: +NoCloneOptionsSpecified=לא הוגדרו נתונים לשכפול. +Of=שֶׁל +Go=ללכת +Run=לָרוּץ +CopyOf=העתק של +Show=הופעה +Hide=להתחבא +ShowCardHere=הצג כרטיס +Search=לחפש +SearchOf=לחפש +QuickAdd=תוספת מהירה +Valid=תָקֵף +Approve=לְאַשֵׁר +Disapprove=לא לאשר +ReOpen=פתיחה מחדש +OpenVerb=לִפְתוֹחַ +Upload=העלה ToLink=קשר -Select=Select -SelectAll=Select all -Choose=Choose -Resize=Resize -ResizeOrCrop=Resize or Crop -Recenter=Recenter -Author=Author -User=User +Select=בחר +SelectAll=בחר הכל +Choose=בחר +Resize=שנה גודל +Crop=יְבוּל +ResizeOrCrop=שנה גודל או חתוך +Author=מְחַבֵּר +User=מִשׁתַמֵשׁ Users=משתמשים -Group=Group +Group=קְבוּצָה Groups=קבוצות -UserGroup=User group -UserGroups=User groups -NoUserGroupDefined=No user group defined +UserGroup=קבוצת משתמשים +UserGroups=קבוצות משתמש +NoUserGroupDefined=לא הוגדרה קבוצת משתמשים Password=סיסמה -PasswordRetype=Repeat your password -NoteSomeFeaturesAreDisabled=Note that a lot of features/modules are disabled in this demonstration. +PasswordRetype=חזור על הסיסמה שלך +NoteSomeFeaturesAreDisabled=שימו לב שהרבה תכונות/מודולים מושבתים בהדגמה זו. +YourUserFile=קובץ המשתמש שלך Name=שם -NameSlashCompany=Name / Company -Person=Person -Parameter=Parameter -Parameters=Parameters -Value=Value -PersonalValue=Personal value -NewObject=New %s -NewValue=New value -OldValue=Old value %s -CurrentValue=Current value -Code=Code -Type=Type -Language=Language -MultiLanguage=Multi-language -Note=Note -Title=Title -Label=Label -RefOrLabel=Ref. or label -Info=Log -Family=Family +NameSlashCompany=שם / חברה +Person=אדם +Parameter=פָּרָמֶטֶר +Parameters=פרמטרים +Value=ערך +PersonalValue=ערך אישי +NewObject=%s חדש +NewValue=ערך חדש +OldValue=ערך ישן %s +FieldXModified=השדה %s שונה +FieldXModifiedFromYToZ=השדה %s שונה מ-%s ל-%s +CurrentValue=ערך נוכחי +Code=קוד +Type=סוּג +Language=שפה +MultiLanguage=רב שפות +Note=הערה +Title=כותרת +Label=תווית +RefOrLabel=רפ. או תווית +Info=עֵץ +Family=מִשׁפָּחָה Description=תאור Designation=תאור -DescriptionOfLine=Description of line -DateOfLine=Date of line -DurationOfLine=Duration of line -ParentLine=Parent line ID -Model=Doc template -DefaultModel=Default doc template -Action=Event -About=About -Number=Number -NumberByMonth=Total reports by month -AmountByMonth=Amount by month -Numero=Number -Limit=Limit -Limits=Limits -Logout=Logout -NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode %s -Connection=Login +DescriptionOfLine=תיאור הקו +DateOfLine=תאריך השורה +DurationOfLine=משך השורה +ParentLine=מזהה קו הורה +Model=תבנית דוק +DefaultModel=תבנית ברירת מחדל למסמך +Action=מִקרֶה +About=על אודות +Number=מספר +NumberByMonth=סה"כ דוחות לפי חודש +AmountByMonth=כמות לפי חודש +Numero=מספר +Limit=לְהַגבִּיל +Limits=גבולות +Logout=להתנתק +NoLogoutProcessWithAuthMode=אין תכונת ניתוק יישומית עם מצב אימות %s +Connection=התחברות Setup=הגדרת -Alert=Alert +Alert=עֵרָנִי MenuWarnings=התראות -Previous=Previous -Next=Next -Cards=Cards -Card=Card -Now=Now -HourStart=Start hour -Deadline=Deadline +Previous=קודם +Next=הַבָּא +Cards=קלפים +Card=כַּרְטִיס +Now=עַכשָׁיו +HourStart=שעת התחלה +Deadline=מועד אחרון Date=Date -DateAndHour=Date and hour -DateToday=Today's date -DateReference=Reference date -DateStart=Start date -DateEnd=End date -DateCreation=Creation date -DateCreationShort=Creat. date -IPCreation=Creation IP -DateModification=Modification date -DateModificationShort=Modif. date -IPModification=Modification IP -DateLastModification=Latest modification date -DateValidation=Validation date -DateSigning=Signing date -DateClosing=Closing date -DateDue=Due date -DateValue=Value date -DateValueShort=Value date -DateOperation=Operation date -DateOperationShort=Oper. Date -DateLimit=Limit date -DateRequest=Request date -DateProcess=Process date -DateBuild=Report build date -DatePayment=Date of payment -DateApprove=Approving date -DateApprove2=Approving date (second approval) -RegistrationDate=Registration date -UserCreation=Creation user -UserModification=Modification user -UserValidation=Validation user -UserCreationShort=Creat. user -UserModificationShort=Modif. user -UserValidationShort=Valid. user -DurationYear=year -DurationMonth=month -DurationWeek=week -DurationDay=day -DurationYears=years -DurationMonths=months -DurationWeeks=weeks -DurationDays=days -Year=Year -Month=Month -Week=Week -WeekShort=Week -Day=Day -Hour=Hour -Minute=Minute -Second=Second -Years=Years -Months=Months -Days=Days -days=days -Hours=Hours -Minutes=Minutes -Seconds=Seconds -Weeks=Weeks -Today=Today -Yesterday=Yesterday -Tomorrow=Tomorrow -Morning=Morning -Afternoon=Afternoon -Quadri=Quadri -MonthOfDay=Month of the day -DaysOfWeek=Days of week -HourShort=H -MinuteShort=mn -Rate=Rate -CurrencyRate=Currency conversion rate -UseLocalTax=Include tax -Bytes=Bytes -KiloBytes=Kilobytes -MegaBytes=Megabytes -GigaBytes=Gigabytes -TeraBytes=Terabytes -UserAuthor=Created by -UserModif=Updated by -b=b. +DateAndHour=תאריך ושעה +DateToday=התאריך של היום +DateReference=תאריך הפניה +DateStart=תאריך התחלה +DateEnd=תאריך סיום +DateCreation=תאריך היווצרות +DateCreationShort=צור. תַאֲרִיך +IPCreation=יצירת IP +DateModification=תאריך שינוי +DateModificationShort=מודיף. תַאֲרִיך +IPModification=שינוי IP +DateLastModification=תאריך השינוי האחרון +DateValidation=תאריך אימות +DateSigning=תאריך חתימה +DateClosing=תאריך סגירה +DateDue=תאריך להגשה +DateValue=תאריך ערך +DateValueShort=תאריך ערך +DateOperation=תאריך מבצע +DateOperationShort=אופר. תַאֲרִיך +DateLimit=הגבלת תאריך +DateRequest=תאריך מבוקש +DateProcess=תאריך תהליך +DateBuild=דוח תאריך בנייה +DatePayment=מועד התשלום +DateApprove=תאריך אישור +DateApprove2=תאריך אישור (אישור שני) +RegistrationDate=תאריך רישום +UserCreation=משתמש יצירה +UserModification=משתמש שינוי +UserValidation=משתמש אימות +UserCreationShort=צור. מִשׁתַמֵשׁ +UserModificationShort=מודיף. מִשׁתַמֵשׁ +UserValidationShort=תָקֵף. מִשׁתַמֵשׁ +UserClosing=משתמש סוגר +UserClosingShort=משתמש סוגר +DurationYear=שָׁנָה +DurationMonth=חוֹדֶשׁ +DurationWeek=שָׁבוּעַ +DurationDay=יְוֹם +DurationYears=שנים +DurationMonths=חודשים +DurationWeeks=שבועות +DurationDays=ימים +Year=שָׁנָה +Month=חוֹדֶשׁ +Week=שָׁבוּעַ +WeekShort=שָׁבוּעַ +Day=יְוֹם +Hour=שָׁעָה +Minute=דַקָה +Second=שְׁנִיָה +Years=שנים +Months=חודשים +Days=ימים +days=ימים +Hours=שעה (ות +Minutes=דקות +Seconds=שניות +Weeks=שבועות +Today=היום +Yesterday=אתמול +Tomorrow=מָחָר +Morning=בוקר +Afternoon=אחרי הצהריים +Quadri=קוודרי +MonthOfDay=חודש ביום +DaysOfWeek=ימי השבוע +HourShort=ח +MinuteShort=מנ +SecondShort=שניות +Rate=ציון +CurrencyRate=שער המרת מטבע +UseLocalTax=כולל מס +Bytes=בתים +KiloBytes=קילובייט +MegaBytes=מגה בייט +GigaBytes=גיגה-בייט +TeraBytes=טרה-בייט +UserAuthor=נוצר על ידי +UserModif=עודכן על ידי +b=ב. Kb=Kb Mb=Mb Gb=Gb -Tb=Tb -Cut=Cut -Copy=Copy -Paste=Paste -Default=Default -DefaultValue=Default value -DefaultValues=Default values/filters/sorting -Price=Price -PriceCurrency=Price (currency) -UnitPrice=Unit price -UnitPriceHT=Unit price (excl.) -UnitPriceHTCurrency=Unit price (excl.) (currency) -UnitPriceTTC=Unit price -PriceU=U.P. -PriceUHT=U.P. (net) -PriceUHTCurrency=U.P (net) (currency) -PriceUTTC=U.P. (inc. tax) -Amount=Amount -AmountInvoice=Invoice amount -AmountInvoiced=Amount invoiced -AmountInvoicedHT=Amount invoiced (excl. tax) -AmountInvoicedTTC=Amount invoiced (inc. tax) -AmountPayment=Payment amount -AmountHTShort=Amount (excl.) -AmountTTCShort=Amount (inc. tax) -AmountHT=Amount (excl. tax) -AmountTTC=Amount (inc. tax) -AmountVAT=Amount tax -MulticurrencyAlreadyPaid=Already paid, original currency -MulticurrencyRemainderToPay=Remain to pay, original currency -MulticurrencyPaymentAmount=Payment amount, original currency -MulticurrencyAmountHT=Amount (excl. tax), original currency -MulticurrencyAmountTTC=Amount (inc. of tax), original currency -MulticurrencyAmountVAT=Amount tax, original currency -MulticurrencySubPrice=Amount sub price multi currency -AmountLT1=Amount tax 2 -AmountLT2=Amount tax 3 -AmountLT1ES=Amount RE -AmountLT2ES=Amount IRPF -AmountTotal=Total amount -AmountAverage=Average amount -PriceQtyMinHT=Price quantity min. (excl. tax) -PriceQtyMinHTCurrency=Price quantity min. (excl. tax) (currency) -PercentOfOriginalObject=Percent of original object -AmountOrPercent=Amount or percent -Percentage=Percentage -Total=Total -SubTotal=Subtotal -TotalHTShort=Total (excl.) -TotalHT100Short=Total 100%% (excl.) -TotalHTShortCurrency=Total (excl. in currency) -TotalTTCShort=Total (inc. tax) -TotalHT=Total (excl. tax) -TotalHTforthispage=Total (excl. tax) for this page -Totalforthispage=Total for this page -TotalTTC=Total (inc. tax) -TotalTTCToYourCredit=Total (inc. tax) to your credit -TotalVAT=Total tax -TotalVATIN=Total IGST -TotalLT1=Total tax 2 -TotalLT2=Total tax 3 -TotalLT1ES=Total RE -TotalLT2ES=Total IRPF -TotalLT1IN=Total CGST -TotalLT2IN=Total SGST -HT=Excl. tax -TTC=Inc. tax -INCVATONLY=Inc. VAT -INCT=Inc. all taxes -VAT=Sales tax +Tb=שַׁחֶפֶת +Cut=גזירה +Copy=עותק +Paste=לְהַדבִּיק +Default=בְּרִירַת מֶחדָל +DefaultValue=ערך ברירת מחדל +DefaultValues=ערכי ברירת מחדל/מסננים/מיון +Price=מחיר +PriceCurrency=מחיר (מטבע) +UnitPrice=מחיר ליחידה +UnitPriceHT=מחיר ליחידה (לא כולל) +UnitPriceHTCurrency=מחיר יחידה (לא כולל) (מטבע) +UnitPriceTTC=מחיר ליחידה +PriceU=לְמַעלָה. +PriceUHT=לְמַעלָה. (נֶטוֹ) +PriceUHTCurrency=U.P (נטו) (מטבע) +PriceUTTC=לְמַעלָה. (כולל מס) +Amount=כמות +AmountInvoice=סכום החשבונית +AmountInvoiced=סכום שהוצא בחשבונית +AmountInvoicedHT=סכום חשבונית (לא כולל מס) +AmountInvoicedTTC=סכום שהוצא בחשבונית (כולל מס) +AmountPayment=סכום לתשלום +AmountHTShort=כמות (לא כולל) +AmountTTCShort=סכום (כולל מס) +AmountHT=סכום (לא כולל מס) +AmountTTC=סכום (כולל מס) +AmountVAT=מס סכום +MulticurrencyAlreadyPaid=כבר שולם, מטבע מקורי +MulticurrencyRemainderToPay=נשאר לשלם, מטבע מקורי +MulticurrencyPaymentAmount=סכום תשלום, מטבע מקורי +MulticurrencyAmountHT=סכום (ללא מס), מטבע מקורי +MulticurrencyAmountTTC=סכום (כולל מס), מטבע מקורי +MulticurrencyAmountVAT=סכום מס, מטבע מקורי +MulticurrencySubPrice=סכום משנה מחיר רב מטבעות +AmountLT1=סכום מס 2 +AmountLT2=סכום מס 3 +AmountLT1ES=סכום RE +AmountLT2ES=כמות IRPF +AmountTotal=הכמות הכוללת +AmountAverage=כמות ממוצעת +PriceQtyMinHT=מחיר כמות מינ. (לא כולל מס) +PriceQtyMinHTCurrency=מחיר כמות מינ. (לא כולל מס) (מטבע) +PercentOfOriginalObject=אחוז מהאובייקט המקורי +AmountOrPercent=כמות או אחוז +Percentage=אֲחוּזִים +Total=סה"כ +SubTotal=סכום משנה +TotalHTShort=סך הכל (לא כולל) +TotalHT100Short=סך הכל 100%% (לא כולל) +TotalHTShortCurrency=סך הכל (לא כולל במטבע) +TotalTTCShort=סה"כ (כולל מס) +TotalHT=סה"כ (לא כולל מס) +TotalHTforthispage=סך הכל (ללא מס) עבור דף זה +Totalforthispage=סך הכל עבור דף זה +TotalTTC=סך הכל (כולל מס) +TotalTTCToYourCredit=סך הכל (כולל מס) לזכותך +TotalVAT=סך המס +TotalVATIN=סך הכל IGST +TotalLT1=סך המס 2 +TotalLT2=סך המס 3 +TotalLT1ES=סה"כ RE +TotalLT2ES=סך IRPF +TotalLT1IN=סך CGST +TotalLT2IN=סך הכל SGST +HT=לא כולל מַס +TTC=מס בע"מ +INCVATONLY=כולל מע"מ +INCT=Inc. כל המסים +VAT=מס מכירה VATIN=IGST -VATs=Sales taxes -VATINs=IGST taxes -LT1=Sales tax 2 -LT1Type=Sales tax 2 type -LT2=Sales tax 3 -LT2Type=Sales tax 3 type -LT1ES=RE +VATs=מיסי מכירות +VATINs=מיסי IGST +LT1=מס מכירה 2 +LT1Type=מס מכירה 2 סוג +LT2=מס מכירה 3 +LT2Type=מס מכירה 3 סוג +LT1ES=מִחָדָשׁ LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Additionnal cents -VATRate=Tax Rate -RateOfTaxN=Rate of tax %s -VATCode=Tax Rate code -VATNPR=Tax Rate NPR -DefaultTaxRate=Default tax rate -Average=Average -Sum=Sum -Delta=Delta -StatusToPay=To pay -RemainToPay=Remain to pay -Module=Module/Application -Modules=Modules/Applications -Option=Option -Filters=Filters -List=List -FullList=Full list -FullConversation=Full conversation -Statistics=Statistics -OtherStatistics=Other statistics -Status=Status -Favorite=Favorite -ShortInfo=Info. -Ref=Ref. -ExternalRef=Ref. extern -RefSupplier=Ref. vendor -RefPayment=Ref. payment -CommercialProposalsShort=Commercial proposals -Comment=Comment -Comments=Comments -ActionsToDo=Events to do -ActionsToDoShort=To do -ActionsDoneShort=Done -ActionNotApplicable=Not applicable -ActionRunningNotStarted=To start -ActionRunningShort=In progress -ActionDoneShort=Finished -ActionUncomplete=Incomplete -LatestLinkedEvents=Latest %s linked events -CompanyFoundation=Company/Organization -Accountant=Accountant -ContactsForCompany=Contacts for this third party -ContactsAddressesForCompany=Contacts/addresses for this third party -AddressesForCompany=Addresses for this third party -ActionsOnCompany=Events for this third party -ActionsOnContact=Events for this contact/address -ActionsOnContract=Events for this contract -ActionsOnMember=Events about this member -ActionsOnProduct=Events about this product -ActionsOnAsset=Events for this fixed asset -NActionsLate=%s late -ToDo=To do -Completed=Completed -Running=In progress -RequestAlreadyDone=Request already recorded -Filter=Filter -FilterOnInto=Search criteria '%s' into fields %s -RemoveFilter=Remove filter -ChartGenerated=Chart generated -ChartNotGenerated=Chart not generated -GeneratedOn=Build on %s -Generate=Generate -Duration=Duration -TotalDuration=Total duration -Summary=Summary -DolibarrStateBoard=Database Statistics -DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No open element to process -Available=Available -NotYetAvailable=Not yet available -NotAvailable=Not available -Categories=Tags/categories -Category=Tag/category -By=By -From=From -FromDate=From -FromLocation=From -to=to -To=to -ToDate=to -ToLocation=to -at=at -and=and -or=or +LT1GC=סנטים נוספים +VATRate=שיעור מס +RateOfTaxN=שיעור המס %s +VATCode=קוד תעריף מס +VATNPR=שיעור מס NPR +DefaultTaxRate=שיעור מס ברירת מחדל +Average=מְמוּצָע +Sum=סְכוּם +Delta=דֶלתָא +StatusToPay=לשלם +RemainToPay=נשאר לשלם +Module=מודול/אפליקציה +Modules=מודולים/יישומים +Option=אוֹפְּצִיָה +Filters=מסננים +List=רשימה +FullList=רשימה מלאה +FullConversation=שיחה מלאה +Statistics=סטָטִיסטִיקָה +OtherStatistics=סטטיסטיקות אחרות +Status=סטָטוּס +Favorite=אהוב +ShortInfo=מידע. +Ref=רפ. +ExternalRef=רפ. חיצוני +RefSupplier=רפ. מוֹכֵר +RefPayment=רפ. תַשְׁלוּם +CommercialProposalsShort=הצעות מסחריות +Comment=תגובה +Comments=הערות +ActionsToDo=אירועים לעשות +ActionsToDoShort=לעשות +ActionsDoneShort=בוצע +ActionNotApplicable=לא ישים +ActionRunningNotStarted=להתחיל +ActionRunningShort=בתהליך +ActionDoneShort=גָמוּר +ActionUncomplete=לא שלם +LatestLinkedEvents=האירועים המקושרים האחרונים של %s +CompanyFoundation=חברה/ארגון +Accountant=רואת חשבון +ContactsForCompany=אנשי קשר עבור צד שלישי זה +ContactsAddressesForCompany=אנשי קשר/כתובות של צד שלישי זה +AddressesForCompany=כתובות של צד שלישי זה +ActionsOnCompany=אירועים עבור צד שלישי זה +ActionsOnContact=אירועים עבור איש קשר/כתובת זו +ActionsOnContract=אירועים לחוזה זה +ActionsOnMember=אירועים על חבר זה +ActionsOnProduct=אירועים על מוצר זה +ActionsOnAsset=אירועים עבור הרכוש הקבוע הזה +NActionsLate=%s מאוחר +ToDo=לעשות +Completed=הושלם +Running=בתהליך +RequestAlreadyDone=הבקשה כבר נרשמה +Filter=לְסַנֵן +FilterOnInto=חיפוש קריטריוני '%s' בשדות %s +RemoveFilter=הסר מסנן +ChartGenerated=נוצר תרשים +ChartNotGenerated=תרשים לא נוצר +GeneratedOn=בנו על %s +Generate=לִיצוֹר +Duration=מֶשֶׁך +TotalDuration=משך הזמן הכולל +Summary=סיכום +DolibarrStateBoard=נתונים סטטיסטיים +DolibarrWorkBoard=פתח פריטים +NoOpenedElementToProcess=אין אלמנט פתוח לעיבוד +Available=זמין +NotYetAvailable=עדיין לא זמין +NotAvailable=לא זמין +Categories=תגיות/קטגוריות +Category=תג/קטגוריה +SelectTheTagsToAssign=בחר את התגים/קטגוריות להקצאה +By=על ידי +From=מ +FromDate=מ +FromLocation=מ +to=ל +To=ל +ToDate=ל +ToLocation=ל +at=בְּ- +and=ו +or=אוֹ Other=אחר -Others=Others -OtherInformations=Other information -Workflow=Workflow -Quantity=Quantity -Qty=Qty -ChangedBy=Changed by -ApprovedBy=Approved by -ApprovedBy2=Approved by (second approval) -Approved=Approved -Refused=Refused -ReCalculate=Recalculate -ResultKo=Failure -Reporting=Reporting -Reportings=Reporting -Draft=Draft -Drafts=Drafts -StatusInterInvoiced=Invoiced -Validated=Validated -ValidatedToProduce=Validated (To produce) -Opened=Open -OpenAll=Open (All) -ClosedAll=Closed (All) -New=New -Discount=Discount +Others=אחרים +OtherInformations=מידע אחר +Workflow=זרימת עבודה +Quantity=כַּמוּת +Qty=כמות +ChangedBy=השתנה על ידי +ApprovedBy=מאושר על ידי +ApprovedBy2=אושר על ידי (אישור שני) +Approved=אושר +Refused=סירב +ReCalculate=חישוב מחדש +ResultKo=כישלון +Reporting=דיווח +Reportings=דיווח +Draft=טְיוּטָה +Drafts=דַמקָה +StatusInterInvoiced=חשבונית +Done=בוצע +Validated=מאומת +ValidatedToProduce=מאומת (להפקה) +Opened=לִפְתוֹחַ +OpenAll=תפתח הכל) +ClosedAll=סגור (הכל) +New=חָדָשׁ +Discount=הנחה Unknown=לא ידוע General=כללי -Size=Size -OriginalSize=Original size -Received=Received -Paid=Paid -Topic=Subject -ByCompanies=By third parties -ByUsers=By user -Links=Links +Size=גודל +OriginalSize=גודל מקורי +RotateImage=סובב 90 מעלות +Received=קיבלו +Paid=שולם +Topic=נושא +ByCompanies=על ידי צדדים שלישיים +ByUsers=לפי משתמש +Links=קישורים Link=קשר -Rejects=Rejects -Preview=Preview -NextStep=Next step +Rejects=דוחה +Preview=תצוגה מקדימה +NextStep=השלב הבא Datas=נתונים None=None NoneF=None -NoneOrSeveral=None or several -Late=Late -LateDesc=An item is defined as Delayed as per the system configuration in menu Home - Setup - Alerts. -NoItemLate=No late item -Photo=Picture -Photos=Pictures -AddPhoto=Add picture -DeletePicture=Picture delete -ConfirmDeletePicture=Confirm picture deletion? -Login=Login -LoginEmail=Login (email) -LoginOrEmail=Login or Email -CurrentLogin=Current login -EnterLoginDetail=Enter login details -January=January -February=February -March=March -April=April -May=May -June=June -July=July -August=August -September=September -October=October -November=November -December=December -Month01=January -Month02=February -Month03=March -Month04=April -Month05=May -Month06=June -Month07=July -Month08=August -Month09=September -Month10=October -Month11=November -Month12=December -MonthShort01=Jan -MonthShort02=Feb -MonthShort03=Mar -MonthShort04=Apr -MonthShort05=May -MonthShort06=Jun -MonthShort07=Jul -MonthShort08=Aug -MonthShort09=Sep -MonthShort10=Oct -MonthShort11=Nov -MonthShort12=Dec -MonthVeryShort01=J -MonthVeryShort02=F +NoneOrSeveral=אף אחד או כמה +Late=מאוחר +LateDesc=פריט מוגדר כמושהה לפי תצורת המערכת בתפריט בית - הגדרה - התראות. +NoItemLate=אין פריט מאוחר +Photo=תְמוּנָה +Photos=תמונות +AddPhoto=הוסף תמונה +DeletePicture=מחיקת תמונה +ConfirmDeletePicture=לאשר את מחיקת התמונה? +Login=התחברות +LoginEmail=כניסה (אימייל) +LoginOrEmail=כניסה או אימייל +CurrentLogin=התחברות נוכחית +EnterLoginDetail=הזן פרטי כניסה +January=יָנוּאָר +February=פברואר +March=מרץ +April=אַפּרִיל +May=מאי +June=יוני +July=יולי +August=אוגוסט +September=סֶפּטֶמבֶּר +October=אוֹקְטוֹבֶּר +November=נוֹבֶמבֶּר +December=דֵצֶמבֶּר +Month01=יָנוּאָר +Month02=פברואר +Month03=מרץ +Month04=אַפּרִיל +Month05=מאי +Month06=יוני +Month07=יולי +Month08=אוגוסט +Month09=סֶפּטֶמבֶּר +Month10=אוֹקְטוֹבֶּר +Month11=נוֹבֶמבֶּר +Month12=דֵצֶמבֶּר +MonthShort01=ינואר +MonthShort02=פברואר +MonthShort03=לְקַלְקֵל +MonthShort04=אפריל +MonthShort05=מאי +MonthShort06=יוני +MonthShort07=יולי +MonthShort08=אוגוסט +MonthShort09=ספטמבר +MonthShort10=אוקטובר +MonthShort11=נובמבר +MonthShort12=דצמבר +MonthVeryShort01=י +MonthVeryShort02=ו MonthVeryShort03=M -MonthVeryShort04=A +MonthVeryShort04=א MonthVeryShort05=M -MonthVeryShort06=J -MonthVeryShort07=J -MonthVeryShort08=A -MonthVeryShort09=S +MonthVeryShort06=י +MonthVeryShort07=י +MonthVeryShort08=א +MonthVeryShort09=ס MonthVeryShort10=O -MonthVeryShort11=N -MonthVeryShort12=D -AttachedFiles=Attached files and documents -JoinMainDoc=Join main document -JoinMainDocOrLastGenerated=Send the main document or the last generated one if not found +MonthVeryShort11=נ +MonthVeryShort12=ד +AttachedFiles=קבצים ומסמכים מצורפים +JoinMainDoc=הצטרף למסמך הראשי +JoinMainDocOrLastGenerated=שלח את המסמך הראשי או את המסמך האחרון שנוצר אם לא נמצא DateFormatYYYYMM=YYYY-MM DateFormatYYYYMMDD=YYYY-MM-DD DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS -ReportName=Report name -ReportPeriod=Report period +ReportName=שם הדוח +ReportPeriod=תקופת דיווח ReportDescription=תאור -Report=Report -Keyword=Keyword -Origin=Origin -Legend=Legend -Fill=Fill -Reset=Reset +Report=להגיש תלונה +Keyword=מילת מפתח +Origin=מָקוֹר +Legend=אגדה +Fill=למלא +Reset=אִתחוּל File=קובץ -Files=Files -NotAllowed=Not allowed -ReadPermissionNotAllowed=Read permission not allowed -AmountInCurrency=Amount in %s currency -Example=Example -Examples=Examples -NoExample=No example -FindBug=Report a bug -NbOfThirdParties=Number of third parties -NbOfLines=Number of lines -NbOfObjects=Number of objects -NbOfObjectReferers=Number of related items -Referers=Related items -TotalQuantity=Total quantity -DateFromTo=From %s to %s -DateFrom=From %s -DateUntil=Until %s -Check=Check -Uncheck=Uncheck -Internal=Internal -External=External -Internals=Internal -Externals=External -Warning=Warning -Warnings=Warnings -BuildDoc=Build Doc -Entity=Environment -Entities=Entities -CustomerPreview=Customer preview -SupplierPreview=Vendor preview -ShowCustomerPreview=Show customer preview -ShowSupplierPreview=Show vendor preview -RefCustomer=Ref. customer -InternalRef=Internal ref. -Currency=Currency -InfoAdmin=Information for administrators -Undo=Undo -Redo=Redo -ExpandAll=Expand all -UndoExpandAll=Undo expand -SeeAll=See all -Reason=Reason -FeatureNotYetSupported=Feature not yet supported -CloseWindow=Close window -Response=Response -Priority=Priority -SendByMail=Send by email -MailSentBy=Email sent by -NotSent=Not sent -TextUsedInTheMessageBody=Email body -SendAcknowledgementByMail=Send confirmation email -SendMail=Send email -Email=Email -NoEMail=No email -AlreadyRead=Already read -NotRead=Unread -NoMobilePhone=No mobile phone -Owner=Owner -FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. -Refresh=Refresh -BackToList=Back to list -BackToTree=Back to tree -GoBack=Go back -CanBeModifiedIfOk=Can be modified if valid -CanBeModifiedIfKo=Can be modified if not valid -ValueIsValid=Value is valid -ValueIsNotValid=Value is not valid -RecordCreatedSuccessfully=Record created successfully -RecordModifiedSuccessfully=Record modified successfully -RecordsModified=%s record(s) modified -RecordsDeleted=%s record(s) deleted -RecordsGenerated=%s record(s) generated -AutomaticCode=Automatic code -FeatureDisabled=Feature disabled -MoveBox=Move widget -Offered=Offered -NotEnoughPermissions=You don't have permission for this action -UserNotInHierachy=This action is reserved to the supervisors of this user -SessionName=Session name -Method=Method -Receive=Receive -CompleteOrNoMoreReceptionExpected=Complete or nothing more expected -ExpectedValue=Expected Value -ExpectedQty=Expected Qty -PartialWoman=Partial -TotalWoman=Total -NeverReceived=Never received -Canceled=Canceled -YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu Setup - Dictionaries -YouCanChangeValuesForThisListFrom=You can change values for this list from menu %s -YouCanSetDefaultValueInModuleSetup=You can set the default value used when creating a new record in module setup -Color=Color -Documents=Linked files -Documents2=Documents -UploadDisabled=Upload disabled +Files=קבצים +NotAllowed=לא מורשה +ReadPermissionNotAllowed=הרשאת קריאה אסורה +AmountInCurrency=סכום במטבע %s +Example=דוגמא +Examples=דוגמאות +NoExample=אין דוגמה +FindBug=דווח על באג +NbOfThirdParties=מספר צדדים שלישיים +NbOfLines=מספר שורות +NbOfObjects=מספר חפצים +NbOfObjectReferers=מספר פריטים קשורים +Referers=חפצים קשורים +TotalQuantity=כמות כוללת +DateFromTo=מ-%s ל-%s +DateFrom=מאת %s +DateUntil=עד %s +Check=חשבון +Uncheck=בטל את הסימון +Internal=פְּנִימִי +External=חיצוני +Internals=פְּנִימִי +Externals=חיצוני +Warning=אַזהָרָה +Warnings=אזהרות +BuildDoc=בניית דוק +Entity=סביבה +Entities=ישויות +CustomerPreview=תצוגה מקדימה של הלקוח +SupplierPreview=תצוגה מקדימה של ספק +ShowCustomerPreview=הצג תצוגה מקדימה של הלקוח +ShowSupplierPreview=הצג תצוגה מקדימה של הספק +RefCustomer=רפ. צרכן +InternalRef=רפ' פנימי +Currency=מַטְבֵּעַ +InfoAdmin=מידע למנהלים +Undo=לבטל +Redo=לַעֲשׂוֹת שׁוּב +ExpandAll=הרחב הכל +UndoExpandAll=בטל הרחב +SeeAll=ראה הכל +Reason=סיבה +FeatureNotYetSupported=תכונה עדיין לא נתמכת +CloseWindow=חלון סגור +Response=תְגוּבָה +Priority=עדיפות +SendByMail=שלח במייל +MailSentBy=אימייל נשלח על ידי +MailSentByTo=דוא"ל נשלח על ידי %s אל %s +NotSent=לא נשלח +TextUsedInTheMessageBody=גוף האימייל +SendAcknowledgementByMail=שלח אימייל אישור +SendMail=שלח אימייל +Email=אימייל +NoEMail=אין מייל +AlreadyRead=כבר קראתי +NotRead=לא נקרא +NoMobilePhone=אין טלפון נייד +Owner=בעלים +FollowingConstantsWillBeSubstituted=הקבועים הבאים יוחלפו בערך המתאים. +Refresh=לְרַעֲנֵן +BackToList=בחזרה לרשימה +BackToTree=חזרה לעץ +GoBack=תחזור +CanBeModifiedIfOk=ניתן לשנות אם תקף +CanBeModifiedIfKo=ניתן לשנות אם לא תקף +ValueIsValid=הערך תקף +ValueIsNotValid=הערך אינו חוקי +RecordCreatedSuccessfully=הרשומה נוצרה בהצלחה +RecordModifiedSuccessfully=הרשומה השתנתה בהצלחה +RecordsModified=רשומות %s השתנו +RecordsDeleted=%s רשומות נמחקו +RecordsGenerated=%s רשומות שנוצרו +ValidatedRecordWhereFound = חלק מהרשומות שנבחרו כבר אושרו. לא נמחקו רשומות. +AutomaticCode=קוד אוטומטי +FeatureDisabled=התכונה מושבתת +MoveBox=העבר ווידג'ט +Offered=מוּצָע +NotEnoughPermissions=אין לך הרשאה לפעולה זו +UserNotInHierachy=פעולה זו שמורה למפקחים של משתמש זה +SessionName=שם הפגישה +Method=שיטה +Receive=לְקַבֵּל +CompleteOrNoMoreReceptionExpected=שלם או לא צפוי יותר +ExpectedValue=ערך צפוי +ExpectedQty=כמות צפויה +PartialWoman=חלקי +TotalWoman=סה"כ +NeverReceived=מעולם לא התקבל +Canceled=מבוטל +YouCanChangeValuesForThisListFromDictionarySetup=אתה יכול לשנות ערכים עבור רשימה זו מתפריט הגדרות - מילונים +YouCanChangeValuesForThisListFrom=אתה יכול לשנות ערכים עבור רשימה זו מהתפריט %s +YouCanSetDefaultValueInModuleSetup=אתה יכול להגדיר את ערך ברירת המחדל המשמש בעת יצירת רשומה חדשה בהגדרת המודול +Color=צֶבַע +Documents=קבצים מקושרים +Documents2=מסמכים +UploadDisabled=העלאה מושבתת MenuAccountancy=Accounting -MenuECM=Documents +MenuECM=מסמכים MenuAWStats=AWStats MenuMembers=משתמשים -MenuAgendaGoogle=Google agenda -MenuTaxesAndSpecialExpenses=Taxes | Special expenses -ThisLimitIsDefinedInSetup=Dolibarr limit (Menu home-setup-security): %s Kb, PHP limit: %s Kb -ThisLimitIsDefinedInSetupAt=Dolibarr limit (Menu %s): %s Kb, PHP limit (Param %s): %s Kb -NoFileFound=No documents uploaded -CurrentUserLanguage=Current language -CurrentTheme=Current theme -CurrentMenuManager=Current menu manager -Browser=Browser -Layout=Layout -Screen=Screen -DisabledModules=Disabled modules -For=For -ForCustomer=For customer -Signature=Signature -DateOfSignature=Date of signature -HidePassword=Show command with password hidden -UnHidePassword=Show real command with clear password -Root=Root -RootOfMedias=Root of public medias (/medias) -Informations=Information -Page=Page -Notes=Notes -AddNewLine=Add new line -AddFile=Add file -FreeZone=Free-text product -FreeLineOfType=Free-text item, type: -CloneMainAttributes=Clone object with its main attributes -ReGeneratePDF=Re-generate PDF -PDFMerge=PDF Merge -Merge=Merge -DocumentModelStandardPDF=Standard PDF template -PrintContentArea=Show page to print main content area -MenuManager=Menu manager -WarningYouAreInMaintenanceMode=Warning, you are in maintenance mode: only login %s is allowed to use the application in this mode. -CoreErrorTitle=System error -CoreErrorMessage=Sorry, an error occurred. Contact your system administrator to check the logs or disable $dolibarr_main_prod=1 to get more information. -CreditCard=Credit card -ValidatePayment=Validate payment -CreditOrDebitCard=Credit or debit card -FieldsWithAreMandatory=Fields with %s are mandatory -FieldsWithIsForPublic=Fields with %s are shown in public list of members. If you don't want this, uncheck the "public" box. -AccordingToGeoIPDatabase=(according to GeoIP conversion) -Line=Line -NotSupported=Not supported -RequiredField=Required field -Result=Result -ToTest=Test -ValidateBefore=Item must be validated before using this feature -Visibility=Visibility -Totalizable=Totalizable -TotalizableDesc=This field is totalizable in list -Private=Private -Hidden=Hidden -Resources=Resources -Source=Source -Prefix=Prefix -Before=Before -After=After -IPAddress=IP address -Frequency=Frequency -IM=Instant messaging -NewAttribute=New attribute -AttributeCode=Attribute code -URLPhoto=URL of photo/logo -SetLinkToAnotherThirdParty=Link to another third party -LinkTo=Link to -LinkToProposal=Link to proposal -LinkToExpedition= Link to expedition -LinkToOrder=Link to order -LinkToInvoice=Link to invoice -LinkToTemplateInvoice=Link to template invoice -LinkToSupplierOrder=Link to purchase order -LinkToSupplierProposal=Link to vendor proposal -LinkToSupplierInvoice=Link to vendor invoice -LinkToContract=Link to contract -LinkToIntervention=Link to intervention -LinkToTicket=Link to ticket -LinkToMo=Link to Mo -CreateDraft=Create draft -SetToDraft=Back to draft -ClickToEdit=Click to edit -ClickToRefresh=Click to refresh -EditWithEditor=Edit with CKEditor -EditWithTextEditor=Edit with Text editor -EditHTMLSource=Edit HTML Source -ObjectDeleted=Object %s deleted -ByCountry=By country -ByTown=By town -ByDate=By date -ByMonthYear=By month/year -ByYear=By year -ByMonth=By month -ByDay=By day -BySalesRepresentative=By sales representative -LinkedToSpecificUsers=Linked to a particular user contact -NoResults=No results -AdminTools=Admin Tools +MenuAgendaGoogle=סדר היום של גוגל +MenuTaxesAndSpecialExpenses=מיסים | הוצאות מיוחדות +ThisLimitIsDefinedInSetup=מגבלת Dolibarr (תפריט home-setup-security): %s Kb, מגבלת PHP: %s Kb +ThisLimitIsDefinedInSetupAt=מגבלת Dolibarr (תפריט %s): %s Kb, מגבלת PHP (פראם %s >): %s Kb +NoFileFound=לא הועלו מסמכים +CurrentUserLanguage=שפה נוכחית +CurrentTheme=נושא נוכחי +CurrentMenuManager=מנהל התפריט הנוכחי +Browser=דפדפן +Layout=מַעֲרָך +Screen=מָסָך +DisabledModules=מודולים מושבתים +For=ל +ForCustomer=ללקוח +Signature=חֲתִימָה +HidePassword=הצג פקודה עם סיסמה מוסתרת +UnHidePassword=הצג פקודה אמיתית עם סיסמה ברורה +Root=שורש +RootOfMedias=שורש המדיה הציבורית (/medias) +Informations=מֵידָע +Page=עמוד +Notes=הערות +AddNewLine=הוסף שורה חדשה +AddFile=הוסף קובץ +FreeZone=מוצר טקסט חופשי +FreeLineOfType=פריט טקסט חופשי, הקלד: +CloneMainAttributes=שיבוט אובייקט עם התכונות העיקריות שלו +ReGeneratePDF=צור מחדש PDF +PDFMerge=מיזוג PDF +Merge=לְמַזֵג +DocumentModelStandardPDF=תבנית PDF רגילה +PrintContentArea=הצג עמוד להדפסת אזור התוכן הראשי +MenuManager=מנהל תפריט +WarningYouAreInMaintenanceMode=אזהרה, אתה במצב תחזוקה: רק התחברות %s היא מותר להשתמש באפליקציה במצב זה. +CoreErrorTitle=שגיאת מערכת +CoreErrorMessage=סליחה, שגיאה התרחשה. צור קשר עם מנהל המערכת שלך כדי לבדוק את היומנים או השבת את $dolibarr_main_prod=1 כדי לקבל מידע נוסף. +CreditCard=כרטיס אשראי +ValidatePayment=אימות תשלום +CreditOrDebitCard=כרטיס אשראי או חיוב +FieldsWithAreMandatory=שדות עם %s הם חובה +FieldsWithIsForPublic=שדות עם %s מוצגים ברשימה ציבורית של חברים. אם אינך רוצה בכך, בטל את הסימון בתיבה "ציבורי". +AccordingToGeoIPDatabase=(על פי המרת GeoIP) +Line=קַו +NotSupported=אינו נתמך +RequiredField=שדה נדרש +Result=תוֹצָאָה +ToTest=מִבְחָן +ValidateBefore=יש לאמת את הפריט לפני השימוש בתכונה זו +Visibility=רְאוּת +Totalizable=ניתן לביצוע טוטאלי +TotalizableDesc=שדה זה ניתן לסיכום ברשימה +Private=פְּרָטִי +Hidden=מוּסתָר +Resources=אֶמְצָעִי +Source=מָקוֹר +Prefix=קידומת +Before=לפני +After=לאחר +IPAddress=כתובת ה - IP +Frequency=תדירות +IM=הודעות מיידיות +NewAttribute=תכונה חדשה +AttributeCode=קוד תכונה +URLPhoto=כתובת האתר של התמונה/לוגו +SetLinkToAnotherThirdParty=קישור לצד שלישי אחר +LinkTo=קישור ל +LinkToProposal=קישור להצעה +LinkToExpedition= קישור למשלחת +LinkToOrder=קישור להזמנה +LinkToInvoice=קישור לחשבונית +LinkToTemplateInvoice=קישור לחשבונית תבנית +LinkToSupplierOrder=קישור להזמנת רכש +LinkToSupplierProposal=קישור להצעת הספק +LinkToSupplierInvoice=קישור לחשבונית הספק +LinkToContract=קישור לחוזה +LinkToIntervention=קישור להתערבות +LinkToTicket=קישור לכרטיס +LinkToMo=קישור ל-Mo +CreateDraft=צור טיוטה +SetToDraft=חזרה לטיוטה +ClickToEdit=לחץ כדי לערוך +ClickToRefresh=לחץ כדי לרענן +EditWithEditor=ערוך עם CKEditor +EditWithTextEditor=ערוך עם עורך טקסט +EditHTMLSource=ערוך מקור HTML +ObjectDeleted=האובייקט %s נמחק +ByCountry=לפי מדינה +ByTown=לפי עיר +ByDate=לפי תאריך +ByMonthYear=לפי חודש/שנה +ByYear=לפי שנה +ByMonth=לפי חודש +ByDay=ביום +BySalesRepresentative=על ידי נציג מכירות +LinkedToSpecificUsers=מקושר לאיש קשר מסוים של משתמש +NoResults=אין תוצאות +AdminTools=כלי ניהול SystemTools=מערכת כלים -ModulesSystemTools=Modules tools -Test=Test -Element=Element -NoPhotoYet=No pictures available yet -Dashboard=Dashboard -MyDashboard=My Dashboard -Deductible=Deductible -from=from -toward=toward -Access=Access -SelectAction=Select action -SelectTargetUser=Select target user/employee -HelpCopyToClipboard=Use Ctrl+C to copy to clipboard -SaveUploadedFileWithMask=Save file on server with name "%s" (otherwise "%s") -OriginFileName=Original filename -SetDemandReason=Set source -SetBankAccount=Define Bank Account -AccountCurrency=Account currency -ViewPrivateNote=View notes -XMoreLines=%s line(s) hidden -ShowMoreLines=Show more/less lines -PublicUrl=Public URL -AddBox=Add box -SelectElementAndClick=Select an element and click on %s -PrintFile=Print File %s -ShowTransaction=Show entry on bank account -ShowIntervention=Show intervention -ShowContract=Show contract -GoIntoSetupToChangeLogo=Go to Home - Setup - Company to change logo or go to Home - Setup - Display to hide. -Deny=Deny -Denied=Denied -ListOf=List of %s -ListOfTemplates=List of templates -Gender=Gender -Genderman=Male -Genderwoman=Female +ModulesSystemTools=כלים של מודולים +Test=מִבְחָן +Element=אֵלֵמֶנט +NoPhotoYet=עדיין אין תמונות זמינות +Dashboard=לוּחַ מַחווָנִים +MyDashboard=לוח המחוונים שלי +Deductible=השתתפות עצמית +from=מ +toward=לקראת +Access=גִישָׁה +SelectAction=בחר פעולה +SelectTargetUser=בחר משתמש/עובד יעד +HelpCopyToClipboard=השתמש ב-Ctrl+C כדי להעתיק ללוח +SaveUploadedFileWithMask=שמור קובץ בשרת בשם "%s" (אחרת " %s") +OriginFileName=שם הקובץ המקורי +SetDemandReason=הגדר מקור +SetBankAccount=הגדר חשבון בנק +AccountCurrency=מטבע חשבון +ViewPrivateNote=הצג הערות +XMoreLines=%s שורות מוסתרות +ShowMoreLines=הצג יותר/פחות שורות +PublicUrl=כתובת אתר ציבורית +AddBox=הוסף תיבה +SelectElementAndClick=בחר אלמנט ולחץ על %s +PrintFile=הדפס קובץ %s +ShowTransaction=הצג רישום בחשבון הבנק +ShowIntervention=הצג התערבות +ShowContract=הצג חוזה +GoIntoSetupToChangeLogo=עבור אל בית - הגדרה - חברה כדי לשנות לוגו או עבור אל בית - הגדרה - תצוגה כדי להסתיר. +Deny=לְהַכּחִישׁ +Denied=נדחתה +ListOf=רשימה של %s +ListOfTemplates=רשימת תבניות +Gender=מִין +Genderman=זָכָר +Genderwoman=נְקֵבָה Genderother=אחר -ViewList=List view -ViewGantt=Gantt view -ViewKanban=Kanban view -Mandatory=Mandatory -Hello=Hello -GoodBye=GoodBye -Sincerely=Sincerely -ConfirmDeleteObject=Are you sure you want to delete this object? +ViewList=תצוגת רשימה +ViewGantt=נוף גנט +ViewKanban=נוף קנבן +Mandatory=חובה +Hello=שלום +GoodBye=הֱיה שלום +Sincerely=בכנות +ConfirmDeleteObject=האם אתה בטוח שברצונך למחוק אובייקט זה? DeleteLine=מחק את השורה -ConfirmDeleteLine=Are you sure you want to delete this line? -ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. -NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record -TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. -NoRecordSelected=No record selected -MassFilesArea=Area for files built by mass actions -ShowTempMassFilesArea=Show area of files built by mass actions -ConfirmMassDeletion=Bulk Delete confirmation -ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record(s)? -RelatedObjects=Related Objects -ClassifyBilled=Classify billed -ClassifyUnbilled=Classify unbilled -Progress=Progress -ProgressShort=Progr. -FrontOffice=Front office -BackOffice=Back office -Submit=Submit -View=View +ConfirmDeleteLine=האם אתה בטוח שברצונך למחוק את השורה הזו? +ErrorPDFTkOutputFileNotFound=שגיאה: הקובץ לא נוצר. אנא בדוק שהפקודה 'pdftk' מותקנת בספרייה הכלולה במשתנה הסביבה $PATH (בלינוקס/יוניקס בלבד) או פנה למנהל המערכת שלך. +NoPDFAvailableForDocGenAmongChecked=לא היו PDF זמין עבור יצירת המסמכים בין הרשומות המסומנות +TooManyRecordForMassAction=יותר מדי רשומות נבחרו לפעולה המונית. הפעולה מוגבלת לרשימה של %s רשומות. +NoRecordSelected=לא נבחר רשומה +MassFilesArea=אזור לקבצים שנבנו על ידי פעולות המוניות +ShowTempMassFilesArea=הצג אזור של קבצים שנבנו על ידי פעולות המוניות +ConfirmMassDeletion=אישור מחיקה בכמות גדולה +ConfirmMassDeletionQuestion=האם אתה בטוח שברצונך למחוק את %s הרשומות שנבחרו? +ConfirmMassClone=אישור שיבוט בכמות גדולה +ConfirmMassCloneQuestion=בחר פרויקט לשכפול +ConfirmMassCloneToOneProject=שכפול לפרויקט %s +RelatedObjects=אובייקטים קשורים +ClassifyBilled=סיווג מחויב +ClassifyUnbilled=סיווג ללא חיוב +Progress=התקדמות +ProgressShort=פרוגר. +FrontOffice=משרד קדמי +BackOffice=משרד אחורי +Submit=שלח +View=נוף Export=Export +Import=יְבוּא Exports=Exports -ExportFilteredList=Export filtered list -ExportList=Export list +ExportFilteredList=ייצא רשימה מסוננת +ExportList=ייצוא רשימה ExportOptions=ייצוא אפשרויות -IncludeDocsAlreadyExported=Include docs already exported -ExportOfPiecesAlreadyExportedIsEnable=Export of pieces already exported is enable -ExportOfPiecesAlreadyExportedIsDisable=Export of pieces already exported is disable -AllExportedMovementsWereRecordedAsExported=All exported movements were recorded as exported -NotAllExportedMovementsCouldBeRecordedAsExported=Not all exported movements could be recorded as exported +IncludeDocsAlreadyExported=כלול מסמכים שכבר יצאו +ExportOfPiecesAlreadyExportedIsEnable=מסמכים שכבר יצאו גלויים וייוצאו +ExportOfPiecesAlreadyExportedIsDisable=מסמכים שכבר יוצאו מוסתרים ולא ייוצאו +AllExportedMovementsWereRecordedAsExported=כל התנועות המיוצאות נרשמו כמיוצאות +NotAllExportedMovementsCouldBeRecordedAsExported=לא ניתן היה לתעד את כל התנועות המיוצאות כמיוצאות Miscellaneous=שונות -Calendar=Calendar -GroupBy=Group by... -ViewFlatList=View flat list -ViewAccountList=View ledger -ViewSubAccountList=View subaccount ledger -RemoveString=Remove string '%s' -SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. -DirectDownloadLink=Public download link -PublicDownloadLinkDesc=Only the link is required to download the file -DirectDownloadInternalLink=Private download link -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file -Download=Download -DownloadDocument=Download document -DownloadSignedDocument=Download signed document -ActualizeCurrency=Update currency rate -Fiscalyear=Fiscal year -ModuleBuilder=Module and Application Builder -SetMultiCurrencyCode=Set currency -BulkActions=Bulk actions -ClickToShowHelp=Click to show tooltip help -WebSite=Website -WebSites=Websites -WebSiteAccounts=Website accounts -ExpenseReport=Expense report -ExpenseReports=Expense reports -HR=HR -HRAndBank=HR and Bank -AutomaticallyCalculated=Automatically calculated -TitleSetToDraft=Go back to draft -ConfirmSetToDraft=Are you sure you want to go back to Draft status? -ImportId=Import id -Events=Events -EMailTemplates=Email templates -FileNotShared=File not shared to external public -Project=Project +Calendar=לוּחַ שָׁנָה +GroupBy=קבץ לפי... +GroupByX=קבץ לפי %s +ViewFlatList=הצג רשימה שטוחה +ViewAccountList=הצג ספר חשבונות +ViewSubAccountList=הצג את ספר חשבונות המשנה +RemoveString=הסר את המחרוזת '%s' +SomeTranslationAreUncomplete=חלק מהשפות המוצעות עשויות להיות מתורגמות חלקית בלבד או עשויות להכיל שגיאות. אנא עזור לתקן את השפה שלך על ידי הרשמה בכתובת https://transifex.com/projects/p/dolibarr/ כדי הוסף את השיפורים שלך. +DirectDownloadLink=קישור להורדה ציבורית +PublicDownloadLinkDesc=רק הקישור נדרש להורדת הקובץ +DirectDownloadInternalLink=קישור להורדה פרטית +PrivateDownloadLinkDesc=אתה צריך להיות מחובר ואתה צריך הרשאות כדי להציג או להוריד את הקובץ +Download=הורד +DownloadDocument=הורד מסמך +DownloadSignedDocument=הורד מסמך חתום +ActualizeCurrency=עדכן שער מטבע +Fiscalyear=שנת כספים +ModuleBuilder=בונה מודולים ויישומים +SetMultiCurrencyCode=הגדר מטבע +BulkActions=פעולות בכמות גדולה +ClickToShowHelp=לחץ כדי להציג עזרה של הסבר כלים +WebSite=אתר אינטרנט +WebSites=אתרי אינטרנט +WebSiteAccounts=חשבונות גישה לאינטרנט +ExpenseReport=דו"ח הוצאות +ExpenseReports=דוחות הוצאות +HR=משאבי אנוש +HRAndBank=משאבי אנוש ובנק +AutomaticallyCalculated=מחושב אוטומטית +TitleSetToDraft=חזור לטיוטה +ConfirmSetToDraft=האם אתה בטוח שברצונך לחזור לסטטוס טיוטה? +ImportId=ייבוא מזהה +Events=אירועים +EMailTemplates=תבניות אימייל +FileNotShared=הקובץ לא שותף לציבור חיצוני +Project=פּרוֹיֶקט Projects=פרוייקטים -LeadOrProject=Lead | Project -LeadsOrProjects=Leads | Projects -Lead=Lead -Leads=Leads -ListOpenLeads=List open leads -ListOpenProjects=List open projects -NewLeadOrProject=New lead or project +LeadOrProject=עופרת | פּרוֹיֶקט +LeadsOrProjects=לידים | פרויקטים +Lead=עוֹפֶרֶת +Leads=לידים +ListOpenLeads=רשום לידים פתוחים +ListOpenProjects=רשימת פרויקטים פתוחים +NewLeadOrProject=ליד או פרויקט חדש Rights=הרשאות -LineNb=Line no. +LineNb=שורה מס'. IncotermLabel=Incoterms -TabLetteringCustomer=Customer lettering -TabLetteringSupplier=Vendor lettering -Monday=Monday -Tuesday=Tuesday -Wednesday=Wednesday -Thursday=Thursday -Friday=Friday -Saturday=Saturday -Sunday=Sunday -MondayMin=Mo -TuesdayMin=Tu -WednesdayMin=We +TabLetteringCustomer=כיתוב לקוח +TabLetteringSupplier=כיתוב של ספק +Monday=יוֹם שֵׁנִי +Tuesday=יוֹם שְׁלִישִׁי +Wednesday=יום רביעי +Thursday=יוֹם חֲמִישִׁי +Friday=יוֹם שִׁישִׁי +Saturday=יום שבת +Sunday=יוֹם רִאשׁוֹן +MondayMin=מו +TuesdayMin=טו +WednesdayMin=אָנוּ ThursdayMin=Th FridayMin=Fr -SaturdayMin=Sa -SundayMin=Su -Day1=Monday -Day2=Tuesday -Day3=Wednesday -Day4=Thursday -Day5=Friday -Day6=Saturday -Day0=Sunday +SaturdayMin=סא +SundayMin=סו +Day1=יוֹם שֵׁנִי +Day2=יוֹם שְׁלִישִׁי +Day3=יום רביעי +Day4=יוֹם חֲמִישִׁי +Day5=יוֹם שִׁישִׁי +Day6=יום שבת +Day0=יוֹם רִאשׁוֹן ShortMonday=M -ShortTuesday=T +ShortTuesday=ט ShortWednesday=W -ShortThursday=T -ShortFriday=F -ShortSaturday=S -ShortSunday=S -one=one -two=two -three=three -four=four -five=five -six=six -seven=seven -eight=eight -nine=nine -ten=ten -eleven=eleven -twelve=twelve -thirteen=thirdteen -fourteen=fourteen -fifteen=fifteen -sixteen=sixteen -seventeen=seventeen -eighteen=eighteen -nineteen=nineteen -twenty=twenty -thirty=thirty -forty=forty -fifty=fifty -sixty=sixty -seventy=seventy -eighty=eighty -ninety=ninety -hundred=hundred -thousand=thousand -million=million -billion=billion -trillion=trillion -quadrillion=quadrillion -SelectMailModel=Select an email template -SetRef=Set ref -Select2ResultFoundUseArrows=Some results found. Use arrows to select. -Select2NotFound=No result found -Select2Enter=Enter -Select2MoreCharacter=or more character -Select2MoreCharacters=or more characters -Select2MoreCharactersMore=Search syntax:
      | OR (a|b)
      * Any character (a*b)
      ^ Start with (^ab)
      $ End with (ab$)
      -Select2LoadingMoreResults=Loading more results... -Select2SearchInProgress=Search in progress... +ShortThursday=ט +ShortFriday=ו +ShortSaturday=ס +ShortSunday=ס +one=אחד +two=שתיים +three=שְׁלוֹשָׁה +four=ארבע +five=חָמֵשׁ +six=שֵׁשׁ +seven=שבעה +eight=שמונה +nine=תֵשַׁע +ten=עשר +eleven=אחד עשר +twelve=שתיים עשרה +thirteen=שלוש עשרה +fourteen=ארבעה עשר +fifteen=חֲמֵשׁ עֶשׂרֵה +sixteen=שש עשרה +seventeen=שבע עשרה +eighteen=שמונה עשרה +nineteen=תשע עשרה +twenty=עשרים +thirty=שְׁלוֹשִׁים +forty=ארבעים +fifty=חמישים +sixty=שִׁשִׁים +seventy=שִׁבעִים +eighty=שמונים +ninety=תִשׁעִים +hundred=מֵאָה +thousand=אלף +million=מִילִיוֹן +billion=מיליארד +trillion=טרִילִיוֹן +quadrillion=קוודריליון +SelectMailModel=בחר תבנית דוא"ל +SetRef=סט ref +Select2ResultFoundUseArrows=נמצאו כמה תוצאות. השתמש בחצים כדי לבחור. +Select2NotFound=לא נמצאו תוצאות +Select2Enter=להיכנס +Select2MoreCharacter=או יותר אופי +Select2MoreCharacters=או יותר דמויות +Select2MoreCharactersMore=תחביר חיפוש:
      class='notranslate
      |b0860de534da6f class=' או (a|b)
      b0601eczd>7a* כל תו (a*b)
      b03aecd27a span>^ התחל עם (^ab)
      b03aec07a60 $203d<01ec0d>b03 /span> סיים ב (ab$)
      +Select2LoadingMoreResults=טוען תוצאות נוספות... +Select2SearchInProgress=חיפוש מתבצע... SearchIntoThirdparties=צדדים שלישיים SearchIntoContacts=אנשי קשר SearchIntoMembers=משתמשים SearchIntoUsers=משתמשים -SearchIntoProductsOrServices=Products or services -SearchIntoBatch=Lots / Serials +SearchIntoProductsOrServices=מוצרים או שירותים +SearchIntoBatch=המון / סדרות SearchIntoProjects=פרוייקטים -SearchIntoMO=Manufacturing Orders -SearchIntoTasks=Tasks -SearchIntoCustomerInvoices=Customer invoices -SearchIntoSupplierInvoices=Vendor invoices -SearchIntoCustomerOrders=Sales orders -SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Commercial proposals -SearchIntoSupplierProposals=Vendor proposals +SearchIntoMO=הזמנות ייצור +SearchIntoTasks=משימות +SearchIntoCustomerInvoices=חשבוניות של לקוחות +SearchIntoSupplierInvoices=חשבוניות ספק +SearchIntoCustomerOrders=הזמנות מכירה +SearchIntoSupplierOrders=הזמנות רכש +SearchIntoCustomerProposals=הצעות מסחריות +SearchIntoSupplierProposals=הצעות ספקים SearchIntoInterventions=התערבויות SearchIntoContracts=חוזים -SearchIntoCustomerShipments=Customer shipments -SearchIntoExpenseReports=Expense reports -SearchIntoLeaves=Leave -SearchIntoKM=Knowledge base -SearchIntoTickets=Tickets -SearchIntoCustomerPayments=Customer payments -SearchIntoVendorPayments=Vendor payments -SearchIntoMiscPayments=Miscellaneous payments -CommentLink=Comments -NbComments=Number of comments -CommentPage=Comments space -CommentAdded=Comment added -CommentDeleted=Comment deleted -Everybody=Everybody -PayedBy=Paid by -PayedTo=Paid to -Monthly=Monthly -Quarterly=Quarterly -Annual=Annual -Local=Local -Remote=Remote -LocalAndRemote=Local and Remote -KeyboardShortcut=Keyboard shortcut -AssignedTo=Assigned to -Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft mass delete confirmation -FileSharedViaALink=File shared with a public link -SelectAThirdPartyFirst=Select a third party first... -YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode -Inventory=Inventory -AnalyticCode=Analytic code +SearchIntoCustomerShipments=משלוחי לקוחות +SearchIntoExpenseReports=דוחות הוצאות +SearchIntoLeaves=לעזוב +SearchIntoKM=בסיס ידע +SearchIntoTickets=כרטיסים +SearchIntoCustomerPayments=תשלומי לקוחות +SearchIntoVendorPayments=תשלומי ספקים +SearchIntoMiscPayments=תשלומים שונים +CommentLink=הערות +NbComments=מספר הערות +CommentPage=מרחב הערות +CommentAdded=נוספה תגובה +CommentDeleted=התגובה נמחקה +Everybody=כולם +EverybodySmall=כולם +PayedBy=שולם על ידי +PayedTo=שולם ל +Monthly=יַרחוֹן +Quarterly=רִבעוֹן +Annual=שנתי +Local=מְקוֹמִי +Remote=מְרוּחָק +LocalAndRemote=מקומי ומרוחק +KeyboardShortcut=קיצור מקלדת +AssignedTo=שהוקצה ל +Deletedraft=מחק טיוטה +ConfirmMassDraftDeletion=אישור מחיקה המוני של טיוטה +FileSharedViaALink=קובץ ציבורי משותף באמצעות קישור +SelectAThirdPartyFirst=תחילה בחר צד שלישי... +YouAreCurrentlyInSandboxMode=אתה נמצא כעת במצב %s "ארגז חול" +Inventory=מְלַאי +AnalyticCode=קוד אנליטי TMenuMRP=MRP -ShowCompanyInfos=Show company infos -ShowMoreInfos=Show More Infos -NoFilesUploadedYet=Please upload a document first -SeePrivateNote=See private note -PaymentInformation=Payment information -ValidFrom=Valid from -ValidUntil=Valid until -NoRecordedUsers=No users -ToClose=To close -ToRefuse=To refuse -ToProcess=To process -ToApprove=To approve -GlobalOpenedElemView=Global view -NoArticlesFoundForTheKeyword=No article found for the keyword '%s' -NoArticlesFoundForTheCategory=No article found for the category -ToAcceptRefuse=To accept | refuse -ContactDefault_agenda=Event +ShowCompanyInfos=הצג מידע על החברה +ShowMoreInfos=הצג מידע נוסף +NoFilesUploadedYet=אנא העלה תחילה מסמך +SeePrivateNote=ראה הערה פרטית +PaymentInformation=פרטי תשלום +ValidFrom=בתוקף מ +ValidUntil=בתוקף עד +NoRecordedUsers=אין משתמשים +ToClose=לסגור +ToRefuse=לסרב +ToProcess=לעבד +ToApprove=לאשר +GlobalOpenedElemView=תצוגה גלובלית +NoArticlesFoundForTheKeyword=לא נמצא מאמר עבור מילת המפתח '%s' +NoArticlesFoundForTheCategory=לא נמצא מאמר עבור הקטגוריה +ToAcceptRefuse=לקבל | מסרב +ContactDefault_agenda=מִקרֶה ContactDefault_commande=סדר -ContactDefault_contrat=Contract -ContactDefault_facture=Invoice -ContactDefault_fichinter=Intervention -ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Purchase Order -ContactDefault_project=Project -ContactDefault_project_task=Task -ContactDefault_propal=Proposal -ContactDefault_supplier_proposal=Supplier Proposal -ContactDefault_ticket=Ticket -ContactAddedAutomatically=Contact added from contact thirdparty roles -More=More -ShowDetails=Show details -CustomReports=Custom reports -StatisticsOn=Statistics on -SelectYourGraphOptionsFirst=Select your graph options to build a graph -Measures=Measures -XAxis=X-Axis -YAxis=Y-Axis -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? -ShowOtherLanguages=Show other languages -SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language -NotUsedForThisCustomer=Not used for this customer -AmountMustBePositive=Amount must be positive -ByStatus=By status -InformationMessage=Information -Used=Used -ASAP=As Soon As Possible -CREATEInDolibarr=Record %s created -MODIFYInDolibarr=Record %s modified -DELETEInDolibarr=Record %s deleted -VALIDATEInDolibarr=Record %s validated -APPROVEDInDolibarr=Record %s approved -DefaultMailModel=Default Mail Model -PublicVendorName=Public name of vendor -DateOfBirth=Date of birth -SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again. -UpToDate=Up-to-date -OutOfDate=Out-of-date -EventReminder=Event Reminder -UpdateForAllLines=Update for all lines -OnHold=On hold -Civility=Civility -AffectTag=Assign Tag -AffectUser=Assign User -SetSupervisor=Set Supervisor -CreateExternalUser=Create external user -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project -TasksRole=Role assigned on each task of each project -ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records -Rate=Rate -SupervisorNotFound=Supervisor not found -CopiedToClipboard=Copied to clipboard -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. -ConfirmCancel=Are you sure you want to cancel -EmailMsgID=Email MsgID -EmailDate=Email date -SetToStatus=Set to status %s -SetToEnabled=Set to enabled -SetToDisabled=Set to disabled -ConfirmMassEnabling=mass enabling confirmation -ConfirmMassEnablingQuestion=Are you sure you want to enable the %s selected record(s)? -ConfirmMassDisabling=mass disabling confirmation -ConfirmMassDisablingQuestion=Are you sure you want to disable the %s selected record(s)? -RecordsEnabled=%s record(s) enabled -RecordsDisabled=%s record(s) disabled -RecordEnabled=Record enabled -RecordDisabled=Record disabled -Forthcoming=Forthcoming -Currently=Currently -ConfirmMassLeaveApprovalQuestion=Are you sure you want to approve the %s selected record(s)? -ConfirmMassLeaveApproval=Mass leave approval confirmation -RecordAproved=Record approved -RecordsApproved=%s Record(s) approved -Properties=Properties -hasBeenValidated=%s has been validated -ClientTZ=Client Time Zone (user) -NotClosedYet=Not yet closed -ClearSignature=Reset signature -CanceledHidden=Canceled hidden -CanceledShown=Canceled shown -Terminate=Terminate -Terminated=Terminated -AddLineOnPosition=Add line on position (at the end if empty) -ConfirmAllocateCommercial=Assign sales representative confirmation -ConfirmAllocateCommercialQuestion=Are you sure you want to assign the %s selected record(s)? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned -YourMessage=Your message -YourMessageHasBeenReceived=Your message has been received. We will answer or contact you as soon as possible. -UrlToCheck=Url to check -Automation=Automation -CreatedByEmailCollector=Created by Email collector -CreatedByPublicPortal=Created from Public portal -UserAgent=User Agent +ContactDefault_contrat=חוֹזֶה +ContactDefault_facture=חשבונית +ContactDefault_fichinter=התערבות +ContactDefault_invoice_supplier=חשבונית ספק +ContactDefault_order_supplier=הזמנה +ContactDefault_project=פּרוֹיֶקט +ContactDefault_project_task=מְשִׁימָה +ContactDefault_propal=הצעה +ContactDefault_supplier_proposal=הצעת ספק +ContactDefault_ticket=כַּרְטִיס +ContactAddedAutomatically=איש קשר נוסף מתפקידי איש קשר של צד שלישי +More=יותר +ShowDetails=הראה פרטים +CustomReports=דוחות מותאמים אישית +StatisticsOn=סטטיסטיקה על +SelectYourGraphOptionsFirst=בחר את אפשרויות הגרף שלך כדי לבנות גרף +Measures=אמצעים +XAxis=ציר X +YAxis=ציר Y +StatusOfRefMustBe=הסטטוס של %s חייב להיות %s +DeleteFileHeader=אשר את מחיקת הקובץ +DeleteFileText=האם אתה באמת רוצה למחוק את הקובץ הזה? +ShowOtherLanguages=הצג שפות אחרות +SwitchInEditModeToAddTranslation=עבור למצב עריכה כדי להוסיף תרגומים לשפה זו +NotUsedForThisCustomer=לא בשימוש עבור לקוח זה +NotUsedForThisVendor=לא בשימוש עבור ספק זה +AmountMustBePositive=הסכום חייב להיות חיובי +ByStatus=לפי סטטוס +InformationMessage=מֵידָע +Used=בשימוש +ASAP=בְּהֶקְדֵם הַאֶפְשַׁרִי +CREATEInDolibarr=הרשומה %s נוצרה +MODIFYInDolibarr=הרשומה %s השתנתה +DELETEInDolibarr=הרשומה %s נמחקה +VALIDATEInDolibarr=רשומה %s אומתה +APPROVEDInDolibarr=הרשומה %s אושרה +DefaultMailModel=דגם דואר ברירת מחדל +PublicVendorName=שם ציבורי של הספק +DateOfBirth=תאריך לידה +SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=פג תוקפו של אסימון האבטחה, ולכן הפעולה בוטלה. בבקשה נסה שוב. +UpToDate=עדכני +OutOfDate=פג תוקף +EventReminder=תזכורת לאירוע +UpdateForAllLines=עדכון עבור כל הקווים +OnHold=בהמתנה +Civility=אזרחיות +AffectTag=הקצה תג +AffectUser=הקצה משתמש +SetSupervisor=הגדר את המפקח +CreateExternalUser=צור משתמש חיצוני +ConfirmAffectTag=הקצאת תגים בכמות גדולה +ConfirmAffectUser=הקצאת משתמש בכמות גדולה +ProjectRole=תפקיד מוקצה בכל פרויקט/הזדמנות +TasksRole=תפקיד שהוקצה לכל משימה (אם נעשה שימוש) +ConfirmSetSupervisor=סט מפקח בתפזורת +ConfirmUpdatePrice=בחר שיעור הגדלה/הורדה של מחיר +ConfirmAffectTagQuestion=האם אתה בטוח שברצונך להקצות תגים ל%s הרשומות שנבחרו? +ConfirmAffectUserQuestion=האם אתה בטוח שברצונך להקצות משתמשים ל%s הרשומות שנבחרו? +ConfirmSetSupervisorQuestion=האם אתה בטוח שברצונך להגדיר מפקח ל-%s הרשומות שנבחרו? +ConfirmUpdatePriceQuestion=האם אתה בטוח שברצונך לעדכן את המחיר של %s הרשומות שנבחרו? +CategTypeNotFound=לא נמצא סוג תג עבור סוג הרשומות +Rate=ציון +SupervisorNotFound=המפקח לא נמצא +CopiedToClipboard=הועתק ללוח +InformationOnLinkToContract=סכום זה הוא רק סך כל שורות החוזה. שום מושג של זמן לא נלקח בחשבון. +ConfirmCancel=אתה בטוח שאתה רוצה לבטל +EmailMsgID=דוא"ל MsgID +EmailDate=תאריך אימייל +SetToStatus=הגדר למצב %s +SetToEnabled=הגדר ל-Enabled +SetToDisabled=הגדר למושבת +ConfirmMassEnabling=אישור המאפשר המוני +ConfirmMassEnablingQuestion=האם אתה בטוח שברצונך להפעיל את %s הרשומות שנבחרו? +ConfirmMassDisabling=אישור השבתה המוני +ConfirmMassDisablingQuestion=האם אתה בטוח שברצונך להשבית את %s הרשומות שנבחרו? +RecordsEnabled=%s רשומות מופעלות +RecordsDisabled=רשומות %s מושבתות +RecordEnabled=ההקלטה מופעלת +RecordDisabled=ההקלטה מושבתת +Forthcoming=הקרוב +Currently=כַּיוֹם +ConfirmMassLeaveApprovalQuestion=האם אתה בטוח שברצונך לאשר את %s הרשומות שנבחרו? +ConfirmMassLeaveApproval=אישור אישור חופשה המונית +RecordAproved=הרשומה אושרה +RecordsApproved=%s רשומות אושרו +Properties=נכסים +hasBeenValidated=%s אומת +ClientTZ=אזור זמן לקוח (משתמש) +NotClosedYet=עדיין לא סגור +ClearSignature=אפס חתימה +CanceledHidden=בוטל מוסתר +CanceledShown=בוטלה מוצגת +Terminate=לבטל, לסיים +Terminated=הסתיים +AddLineOnPosition=הוסף שורה במיקום (בסוף אם ריק) +ConfirmAllocateCommercial=הקצה אישור נציג מכירות +ConfirmAllocateCommercialQuestion=האם אתה בטוח שברצונך להקצות את %s הרשומות שנבחרו? +CommercialsAffected=הוקצו נציגי מכירות +CommercialAffected=נציג מכירות הוקצה +YourMessage=ההודעה שלך +YourMessageHasBeenReceived=הודעתך התקבלה. אנו נענה או ניצור איתך קשר בהקדם האפשרי. +UrlToCheck=כתובת אתר לבדיקה +Automation=אוטומציה +CreatedByEmailCollector=נוצר על ידי אספן אימייל +CreatedByPublicPortal=נוצר מהפורטל הציבורי +UserAgent=סוכן משתמש InternalUser=פנימית המשתמש ExternalUser=משתמש חיצוני +NoSpecificContactAddress=אין איש קשר או כתובת ספציפית +NoSpecificContactAddressBis=כרטיסייה זו מוקדשת לאלץ אנשי קשר או כתובות ספציפיים עבור האובייקט הנוכחי. השתמש בו רק אם ברצונך להגדיר איש קשר או כתובת ספציפיים אחד או כמה עבור האובייקט כאשר המידע על הצד השלישי אינו מספיק או אינו מדויק. +HideOnVCard=הסתר את %s +AddToContacts=הוסף כתובת לאנשי הקשר שלי +LastAccess=גישה אחרונה +UploadAnImageToSeeAPhotoHere=העלה תמונה מהכרטיסייה %s כדי לראות תמונה כאן +LastPasswordChangeDate=תאריך שינוי הסיסמה האחרון +PublicVirtualCardUrl=כתובת אתר של דף כרטיס ביקור וירטואלי +PublicVirtualCard=כרטיס ביקור וירטואלי +TreeView=נוף עץ +DropFileToAddItToObject=שחרר קובץ כדי להוסיף אותו לאובייקט זה +UploadFileDragDropSuccess=הקובץ/ים הועלו בהצלחה +SearchSyntaxTooltipForStringOrNum=לחיפוש בתוך שדות טקסט, אתה יכול להשתמש בתווים ^ או $ כדי לבצע חיפוש 'התחלה או סוף עם' או להשתמש ב-! לעשות מבחן 'לא מכיל'. אתה יכול להשתמש ב- | בין שתי מחרוזות במקום רווח עבור תנאי 'OR' במקום 'AND'. עבור ערכים מספריים, אתה יכול להשתמש באופרטור <, >, <=, >= או != לפני הערך, כדי לסנן באמצעות השוואה מתמטית +InProgress=בתהליך +DateOfPrinting=תאריך ההדפסה +ClickFullScreenEscapeToLeave=לחץ כאן כדי לעבור למצב מסך מלא. לחץ על ESCAPE כדי לצאת ממצב מסך מלא. +UserNotYetValid=עדיין לא תקף +UserExpired=לא בתוקף +LinkANewFile=קישור קובץ/מסמך חדש +LinkedFiles=קבצים ומסמכים מקושרים +NoLinkFound=אין קישורים רשומים +LinkComplete=הקובץ קושר בהצלחה +ErrorFileNotLinked=לא ניתן היה לקשר את הקובץ +LinkRemoved=הקישור %s הוסר +ErrorFailedToDeleteLink= נכשלה הסרת הקישור '%s' +ErrorFailedToUpdateLink= נכשל עדכון הקישור '%s' +URLToLink=כתובת אתר לקישור +OverwriteIfExists=החלף אם קיים קובץ +AmountSalary=סכום שכר +InvoiceSubtype=תת סוג חשבונית +ConfirmMassReverse=אישור הפוך בכמות גדולה +ConfirmMassReverseQuestion=האם אתה בטוח שברצונך להפוך את %s הרשומות שנבחרו? + diff --git a/htdocs/langs/he_IL/margins.lang b/htdocs/langs/he_IL/margins.lang index a91b139ec7b..63c6e5e7383 100644 --- a/htdocs/langs/he_IL/margins.lang +++ b/htdocs/langs/he_IL/margins.lang @@ -1,45 +1,46 @@ # Dolibarr language file - Source file is en_US - marges -Margin=Margin -Margins=Margins -TotalMargin=Total Margin -MarginOnProducts=Margin / Products -MarginOnServices=Margin / Services -MarginRate=Margin rate -MarkRate=Mark rate -DisplayMarginRates=Display margin rates -DisplayMarkRates=Display mark rates -InputPrice=Input price -margin=Profit margins management -margesSetup=Profit margins management setup -MarginDetails=Margin details -ProductMargins=Product margins -CustomerMargins=Customer margins -SalesRepresentativeMargins=Sales representative margins -ContactOfInvoice=Contact of invoice -UserMargins=User margins -ProductService=Product or Service -AllProducts=All products and services -ChooseProduct/Service=Choose product or service -ForceBuyingPriceIfNull=Force buying/cost price to selling price if not defined -ForceBuyingPriceIfNullDetails=If buying/cost price not provided when we add a new line, and this option is "ON", the margin will be 0%% on the new line (buying/cost price = selling price). If this option is "OFF" (recommended), margin will be equal to the value suggested by default (and may be 100%% if no default value can be found). -MARGIN_METHODE_FOR_DISCOUNT=Margin method for global discounts -UseDiscountAsProduct=As a product -UseDiscountAsService=As a service -UseDiscountOnTotal=On subtotal -MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Defines if a global discount is treated as a product, a service, or only on subtotal for margin calculation. -MARGIN_TYPE=Buying/Cost price suggested by default for margin calculation -MargeType1=Margin on Best vendor price -MargeType2=Margin on Weighted Average Price (WAP) -MargeType3=Margin on Cost Price -MarginTypeDesc=* Margin on best buying price = Selling price - Best vendor price defined on product card
      * Margin on Weighted Average Price (WAP) = Selling price - Product Weighted Average Price (WAP) or best vendor price if WAP not yet defined
      * Margin on Cost price = Selling price - Cost price defined on product card or WAP if cost price not defined, or best vendor price if WAP not yet defined -CostPrice=Cost price -UnitCharges=Unit charges -Charges=Charges -AgentContactType=Commercial agent contact type -AgentContactTypeDetails=Define what contact type (linked on invoices) will be used for margin report per contact/address. Note that reading statistics on a contact is not reliable since in most cases the contact may not be defined explicitely on the invoices. -rateMustBeNumeric=Rate must be a numeric value -markRateShouldBeLesserThan100=Mark rate should be lower than 100 -ShowMarginInfos=Show margin infos -CheckMargins=Margins detail -MarginPerSaleRepresentativeWarning=The report of margin per user use the link between third parties and sale representatives to calculate the margin of each sale representative. Because some thirdparties may not have any dedicated sale representative and some third parties may be linked to several, some amounts may not be included into this report (if there is no sale representative) and some may appear on different lines (for each sale representative). +Margin=שולים +Margins=שוליים +TotalMargin=מרווח כולל +MarginOnProducts=שוליים / מוצרים +MarginOnServices=שוליים / שירותים +MarginRate=שיעור מרווח +ModifyMarginRates=שנה את שיעורי השוליים +MarkRate=שיעור סימון +DisplayMarginRates=הצגת שיעורי שולי +DisplayMarkRates=הצגת שיעורי סימן +InputPrice=מחיר קלט +margin=ניהול שולי רווח +margesSetup=הגדרת ניהול שולי רווח +MarginDetails=פרטי השוליים +ProductMargins=שולי מוצר +CustomerMargins=שולי לקוחות +SalesRepresentativeMargins=שולי נציגי מכירות +ContactOfInvoice=יצירת קשר עם החשבונית +UserMargins=שולי משתמש +ProductService=מוצר או שירות +AllProducts=כל המוצרים והשירותים +ChooseProduct/Service=בחר מוצר או שירות +ForceBuyingPriceIfNull=לאלץ את מחיר הקנייה/עלות למחיר המכירה אם לא מוגדר +ForceBuyingPriceIfNullDetails=אם לא צוין מחיר קנייה/עלות כאשר אנו מוסיפים שורה חדשה, ואפשרות זו היא "ON", השוליים יהיו 0%% בשורה החדשה (מחיר קנייה/מחיר = מחיר המכירה). אם אפשרות זו היא "כבוי" (מומלץ), השוליים יהיו שווה לערך המוצע כברירת מחדל (ויכול להיות 100%% אם לא ניתן למצוא ערך ברירת מחדל). +MARGIN_METHODE_FOR_DISCOUNT=שיטת מרווח להנחות גלובליות +UseDiscountAsProduct=כמוצר +UseDiscountAsService=בתור שירות +UseDiscountOnTotal=על סכומי הביניים +MARGIN_METHODE_FOR_DISCOUNT_DETAILS=מגדיר אם מתייחסים להנחה גלובלית כאל מוצר, שירות או רק על סכום ביניים לחישוב מרווח. +MARGIN_TYPE=מחיר קנייה/עלות מוצע כברירת מחדל לחישוב המרווח +MargeType1=מרווח במחיר הספק הטוב ביותר +MargeType2=מרווח על מחיר ממוצע משוקלל (WAP) +MargeType3=מרווח על מחיר עלות +MarginTypeDesc=* מרווח על מחיר הקנייה הטוב ביותר = מחיר מכירה - מחיר הספק הטוב ביותר שהוגדר בכרטיס המוצר
      * מרווח על מחיר ממוצע משוקלל (WAP) = מחיר מכירה - מחיר ממוצע משוקלל של מוצר (WAP) או מחיר הספק הטוב ביותר אם WAP עדיין לא הוגדר
      * מרווח על מחיר עלות = מחיר מכירה - מחיר עלות מוגדר בכרטיס המוצר או WAP אם מחיר העלות לא הוגדר, או מחיר הספק הטוב ביותר אם WAP עדיין לא הוגדר +CostPrice=מחיר עלות +UnitCharges=חיובי יחידה +Charges=חיובים +AgentContactType=סוג איש קשר של סוכן מסחרי +AgentContactTypeDetails=הגדר איזה סוג איש קשר (מקושר בחשבוניות) ישמש עבור דוח שוליים לכל איש קשר/כתובת. שים לב שקריאת סטטיסטיקה על איש קשר אינה אמינה שכן ברוב המקרים ייתכן שהקשר אינו מוגדר במפורש בחשבוניות. +rateMustBeNumeric=התעריף חייב להיות ערך מספרי +markRateShouldBeLesserThan100=שיעור הסימנים צריך להיות נמוך מ-100 +ShowMarginInfos=הצג מידע על השוליים +CheckMargins=פירוט השוליים +MarginPerSaleRepresentativeWarning=דוח המרווח למשתמש השתמש בקישור בין צדדים שלישיים ונציגי מכירות כדי לחשב את המרווח של כל נציג מכירות. מכיוון שייתכן שלחלק מהצדדים השלישיים אין נציג מכירות ייעודי וחלק מהצדדים השלישיים עשויים להיות מקושרים לכמה, ייתכן שחלק מהסכומים לא ייכללו בדוח זה (אם אין נציג מכירה) וחלקם עשויים להופיע בשורות שונות (עבור כל נציג מכירה) . diff --git a/htdocs/langs/he_IL/members.lang b/htdocs/langs/he_IL/members.lang index a96fa43b349..b6d40987010 100644 --- a/htdocs/langs/he_IL/members.lang +++ b/htdocs/langs/he_IL/members.lang @@ -1,220 +1,246 @@ # Dolibarr language file - Source file is en_US - members -MembersArea=Members area -MemberCard=Member card -SubscriptionCard=Subscription card -Member=Member +MembersArea=אזור לחברים +MemberCard=כרטיס חבר +SubscriptionCard=כרטיס מנוי +Member=חבר Members=משתמשים -ShowMember=Show member card -UserNotLinkedToMember=User not linked to a member -ThirdpartyNotLinkedToMember=Third party not linked to a member -MembersTickets=Membership address sheet -FundationMembers=Foundation members -ListOfValidatedPublicMembers=List of validated public members -ErrorThisMemberIsNotPublic=This member is not public -ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, login: %s) is already linked to a third party %s. Remove this link first because a third party can't be linked to only a member (and vice versa). -ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. -SetLinkToUser=Link to a Dolibarr user -SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Business cards for members -MembersList=List of members -MembersListToValid=List of draft members (to be validated) -MembersListValid=List of valid members -MembersListUpToDate=List of valid members with up-to-date contribution -MembersListNotUpToDate=List of valid members with out-of-date contribution -MembersListExcluded=List of excluded members -MembersListResiliated=List of terminated members -MembersListQualified=List of qualified members -MenuMembersToValidate=Draft members -MenuMembersValidated=Validated members -MenuMembersExcluded=Excluded members -MenuMembersResiliated=Terminated members -MembersWithSubscriptionToReceive=Members with contribution to receive -MembersWithSubscriptionToReceiveShort=Contributions to receive -DateSubscription=Date of membership -DateEndSubscription=End date of membership -EndSubscription=End of membership -SubscriptionId=Contribution ID -WithoutSubscription=Without contribution -MemberId=Member id -NewMember=New member -MemberType=Member type -MemberTypeId=Member type id -MemberTypeLabel=Member type label -MembersTypes=Members types -MemberStatusDraft=Draft (needs to be validated) -MemberStatusDraftShort=Draft -MemberStatusActive=Validated (waiting contribution) -MemberStatusActiveShort=Validated -MemberStatusActiveLate=Contribution expired -MemberStatusActiveLateShort=Expired -MemberStatusPaid=Subscription up to date -MemberStatusPaidShort=Up to date -MemberStatusExcluded=Excluded member -MemberStatusExcludedShort=Excluded -MemberStatusResiliated=Terminated member -MemberStatusResiliatedShort=Terminated -MembersStatusToValid=Draft members -MembersStatusExcluded=Excluded members -MembersStatusResiliated=Terminated members -MemberStatusNoSubscription=Validated (no contribution required) -MemberStatusNoSubscriptionShort=Validated -SubscriptionNotNeeded=No contribution required -NewCotisation=New contribution -PaymentSubscription=New contribution payment -SubscriptionEndDate=Subscription's end date -MembersTypeSetup=Members type setup -MemberTypeModified=Member type modified -DeleteAMemberType=Delete a member type -ConfirmDeleteMemberType=Are you sure you want to delete this member type? -MemberTypeDeleted=Member type deleted -MemberTypeCanNotBeDeleted=Member type can not be deleted -NewSubscription=New contribution -NewSubscriptionDesc=This form allows you to record your subscription as a new member of the foundation. If you want to renew your subscription (if already a member), please contact foundation board instead by email %s. -Subscription=Contribution -Subscriptions=Contributions -SubscriptionLate=Late -SubscriptionNotReceived=Contribution never received -ListOfSubscriptions=List of contributions -SendCardByMail=Send card by email -AddMember=Create member -NoTypeDefinedGoToSetup=No member types defined. Go to menu "Members types" -NewMemberType=New member type -WelcomeEMail=Welcome email -SubscriptionRequired=Contribution required -DeleteType=Delete -VoteAllowed=Vote allowed -Physical=Individual -Moral=Corporation -MorAndPhy=Corporation and Individual -Reenable=Re-Enable -ExcludeMember=Exclude a member -Exclude=Exclude -ConfirmExcludeMember=Are you sure you want to exclude this member ? -ResiliateMember=Terminate a member -ConfirmResiliateMember=Are you sure you want to terminate this member? -DeleteMember=Delete a member -ConfirmDeleteMember=Are you sure you want to delete this member (Deleting a member will delete all his contributions)? -DeleteSubscription=Delete a subscription -ConfirmDeleteSubscription=Are you sure you want to delete this contribution? -Filehtpasswd=htpasswd file -ValidateMember=Validate a member -ConfirmValidateMember=Are you sure you want to validate this member? -FollowingLinksArePublic=The following links are open pages not protected by any Dolibarr permission. They are not formatted pages, provided as example to show how to list members database. -PublicMemberList=Public member list -BlankSubscriptionForm=Public self-registration form -BlankSubscriptionFormDesc=Dolibarr can provide you a public URL/website to allow external visitors to ask to subscribe to the foundation. If an online payment module is enabled, a payment form may also be automatically provided. -EnablePublicSubscriptionForm=Enable the public website with self-subscription form -ForceMemberType=Force the member type -ExportDataset_member_1=Members and contributions +NoRecordedMembers=אין חברים רשומים +NoRecordedMembersByType=אין חברים רשומים +ShowMember=הצג כרטיס חבר +UserNotLinkedToMember=משתמש לא מקושר לחבר +ThirdpartyNotLinkedToMember=צד שלישי לא מקושר לחבר +MembersTickets=גיליון כתובת חברות +FundationMembers=חברי הקרן +ListOfValidatedPublicMembers=רשימת חברים ציבוריים מאושרים +ErrorThisMemberIsNotPublic=חבר זה אינו ציבורי +ErrorMemberIsAlreadyLinkedToThisThirdParty=חבר אחר (שם: %s, כניסה: %s) כבר מקושר לצד שלישי %s. הסר תחילה את הקישור הזה מכיוון שלא ניתן לקשר צד שלישי רק לחבר (ולהיפך). +ErrorUserPermissionAllowsToLinksToItselfOnly=מטעמי אבטחה, יש להעניק לך הרשאות לערוך את כל המשתמשים כדי שתוכל לקשר חבר למשתמש שאינו שלך. +SetLinkToUser=קישור למשתמש של Dolibarr +SetLinkToThirdParty=קישור לצד שלישי של Dolibarr +MemberCountersArePublic=המונים של חברים תקפים הם ציבוריים +MembersCards=יצירת כרטיסים לחברים +MembersList=רשימת חברים +MembersListToValid=רשימת חברי הטיוטה (לקבלת תוקף) +MembersListValid=רשימת חברים חוקיים +MembersListUpToDate=רשימת חברים תקפים עם תרומה עדכנית +MembersListNotUpToDate=רשימת חברים תקפים עם תרומה לא מעודכנת +MembersListExcluded=רשימת חברים שלא נכללו +MembersListResiliated=רשימת חברים שהופסקו +MembersListQualified=רשימת חברים מוסמכים +MembersShowMembershipTypesTable=הצג טבלה של כל סוגי החברות הזמינים (אם לא, הצג ישירות את טופס ההרשמה) +MembersShowVotesAllowed=הצג אם מותר להצביע בטבלת סוגי החברות +MenuMembersToValidate=חברי טיוטת +MenuMembersValidated=חברים מאומתים +MenuMembersExcluded=חברים שלא נכללו +MenuMembersResiliated=חברים נפטרו +MembersWithSubscriptionToReceive=חברים עם תרומה לקבל +MembersWithSubscriptionToReceiveShort=תרומות לקבל +DateSubscription=תאריך החברות +DateEndSubscription=תאריך סיום החברות +EndSubscription=סוף החברות +SubscriptionId=מזהה תרומה +WithoutSubscription=בלי חברות +WaitingSubscription=חברות בהמתנה +WaitingSubscriptionShort=ממתין ל +MemberId=תעודת חבר +MemberRef=חבר רפ +NewMember=חבר חדש +MemberType=סוג חבר +MemberTypeId=מזהה סוג חבר +MemberTypeLabel=תווית סוג חבר +MembersTypes=סוגים של חברים +MemberStatusDraft=טיוטה (צריך לאמת) +MemberStatusDraftShort=טְיוּטָה +MemberStatusActive=מאומת (ממתין לתרומה) +MemberStatusActiveShort=מאומת +MemberStatusActiveLate=פג תוקף התרומה +MemberStatusActiveLateShort=לא בתוקף +MemberStatusPaid=מנוי עדכני +MemberStatusPaidShort=עדכני +MemberStatusExcluded=חבר לא נכלל +MemberStatusExcludedShort=לא נכלל +MemberStatusResiliated=חבר נסגר +MemberStatusResiliatedShort=הסתיים +MembersStatusToValid=חברי טיוטת +MembersStatusExcluded=חברים שלא נכללו +MembersStatusResiliated=חברים נפטרו +MemberStatusNoSubscription=מאומת (אין צורך בתרומה) +MemberStatusNoSubscriptionShort=מאומת +SubscriptionNotNeeded=אין צורך בתרומה +NewCotisation=תרומה חדשה +PaymentSubscription=תשלום תרומה חדש +SubscriptionEndDate=תאריך סיום המנוי +MembersTypeSetup=הגדרות סוג החברים +MemberTypeModified=סוג החבר שונה +DeleteAMemberType=מחק סוג חבר +ConfirmDeleteMemberType=האם אתה בטוח שברצונך למחוק סוג חבר זה? +MemberTypeDeleted=סוג החבר נמחק +MemberTypeCanNotBeDeleted=לא ניתן למחוק את סוג החבר +NewSubscription=תרומה חדשה +NewSubscriptionDesc=טופס זה מאפשר לך לרשום את המנוי שלך כחבר חדש בקרן. אם אתה רוצה לחדש את המנוי שלך (אם כבר חבר), אנא צור קשר עם מועצת הקרן במקום זאת בדוא"ל %s. +Subscription=תְרוּמָה +AnyAmountWithAdvisedAmount=כל כמות שתבחר, מומלץ %s +AnyAmountWithoutAdvisedAmount=כל סכום לבחירתכם +CanEditAmountShort=כל סכום +CanEditAmountShortForValues=מומלץ, בכל כמות +MembershipDuration=מֶשֶׁך +GetMembershipButtonLabel=לְהִצְטַרֵף +Subscriptions=תרומות +SubscriptionLate=מאוחר +SubscriptionNotReceived=תרומה מעולם לא התקבלה +ListOfSubscriptions=רשימת תרומות +SendCardByMail=שלח כרטיס במייל +AddMember=צור חבר +NoTypeDefinedGoToSetup=לא הוגדרו סוגי חברים. עבור לתפריט "סוגי חברים" +NewMemberType=סוג חבר חדש +WelcomeEMail=אימייל ברוכים הבאים +SubscriptionRequired=נדרשת תרומה +SubscriptionRequiredDesc=אם נדרש מנוי, יש לרשום מנוי עם תאריך התחלה או סיום כדי שהחבר יהיה מעודכן (מה יהיה סכום המנוי, גם אם המנוי הוא בחינם). +DeleteType=לִמְחוֹק +VoteAllowed=מותר להצביע +Physical=אִישִׁי +Moral=תַאֲגִיד +MorAndPhy=תאגיד ויחיד +Reenable=הפעל מחדש +ExcludeMember=אל תכלול חבר +Exclude=אל תכלול +ConfirmExcludeMember=האם אתה בטוח שברצונך לא לכלול חבר זה? +ResiliateMember=לסיים חבר +ConfirmResiliateMember=האם אתה בטוח שברצונך לסיים חבר זה? +DeleteMember=מחק חבר +ConfirmDeleteMember=האם אתה בטוח שברצונך למחוק חבר זה (מחיקת חבר תמחק את כל התרומות שלו)? +DeleteSubscription=מחק מנוי +ConfirmDeleteSubscription=האם אתה בטוח שברצונך למחוק את התרומה הזו? +Filehtpasswd=קובץ htpasswd +ValidateMember=אימות חבר +ConfirmValidateMember=האם אתה בטוח שברצונך לאמת חבר זה? +FollowingLinksArePublic=הקישורים הבאים הם דפים פתוחים שאינם מוגנים בשום הרשאה של Dolibarr. הם אינם דפים מעוצבים, המסופקים כדוגמה כדי להראות כיצד לרשום את מסד הנתונים של חברים. +PublicMemberList=רשימת חברים ציבורית +BlankSubscriptionForm=טופס רישום עצמי ציבורי +BlankSubscriptionFormDesc=Dolibarr יכול לספק לך כתובת אתר/אתר ציבורי כדי לאפשר למבקרים חיצוניים לבקש להירשם לקרן. אם מודול תשלום מקוון מופעל, ייתכן שגם טופס תשלום יסופק אוטומטית. +EnablePublicSubscriptionForm=אפשר את האתר הציבורי עם טופס הרשמה עצמית +ForceMemberType=כפה על סוג החבר +ExportDataset_member_1=חברים ותרומות ImportDataset_member_1=משתמשים -LastMembersModified=Latest %s modified members -LastSubscriptionsModified=Latest %s modified contributions -String=String -Text=Text +LastMembersModified=החברים האחרונים שהשתנו %s +LastSubscriptionsModified=התרומות האחרונות ששונו %s +String=חוּט +Text=טֶקסט Int=Int -DateAndTime=Date and time -PublicMemberCard=Member public card -SubscriptionNotRecorded=Contribution not recorded -AddSubscription=Create contribution -ShowSubscription=Show contribution +DateAndTime=תאריך ושעה +PublicMemberCard=כרטיס חבר ציבורי +SubscriptionNotRecorded=התרומה לא נרשמה +AddSubscription=צור תרומה +ShowSubscription=הצג תרומה # Label of email templates -SendingAnEMailToMember=Sending information email to member -SendingEmailOnAutoSubscription=Sending email on auto registration -SendingEmailOnMemberValidation=Sending email on new member validation -SendingEmailOnNewSubscription=Sending email on new contribution -SendingReminderForExpiredSubscription=Sending reminder for expired contributions -SendingEmailOnCancelation=Sending email on cancelation -SendingReminderActionComm=Sending reminder for agenda event +SendingAnEMailToMember=שליחת מידע באימייל לחבר +SendingEmailOnAutoSubscription=שליחת מייל ברישום אוטומטי +SendingEmailOnMemberValidation=שליחת אימייל על אימות חבר חדש +SendingEmailOnNewSubscription=שליחת אימייל על תרומה חדשה +SendingReminderForExpiredSubscription=שולח תזכורת לתרומות שפג תוקפן +SendingEmailOnCancelation=שליחת מייל בביטול +SendingReminderActionComm=שולח תזכורת לאירוע סדר היום # Topic of email templates -YourMembershipRequestWasReceived=Your membership was received. -YourMembershipWasValidated=Your membership was validated -YourSubscriptionWasRecorded=Your new contribution was recorded -SubscriptionReminderEmail=contribution reminder -YourMembershipWasCanceled=Your membership was canceled -CardContent=Content of your member card +YourMembershipRequestWasReceived=החברות שלך התקבלה. +YourMembershipWasValidated=החברות שלך אומתה +YourSubscriptionWasRecorded=התרומה החדשה שלך נרשמה +SubscriptionReminderEmail=תזכורת תרומה +YourMembershipWasCanceled=החברות שלך בוטלה +CardContent=תוכן כרטיס החבר שלך # Text of email templates -ThisIsContentOfYourMembershipRequestWasReceived=We want to let you know that your membership request was received.

      -ThisIsContentOfYourMembershipWasValidated=We want to let you know that your membership was validated with the following information:

      -ThisIsContentOfYourSubscriptionWasRecorded=We want to let you know that your new subscription was recorded.

      -ThisIsContentOfSubscriptionReminderEmail=We want to let you know that your subscription is about to expire or has already expired (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). We hope you will renew it.

      -ThisIsContentOfYourCard=This is a summary of the information we have about you. Please contact us if anything is incorrect.

      -DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Subject of the notification email received in case of auto-inscription of a guest -DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Content of the notification email received in case of auto-inscription of a guest -DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Email template to use to send email to a member on member auto-registration -DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Email template to use to send email to a member on member validation -DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Email template to use to send email to a member on new contribution recording -DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Email template to use to send email reminder when contribution is about to expire -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Email template to use to send email to a member on member cancelation -DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Email template to use to send email to a member on member exclusion -DescADHERENT_MAIL_FROM=Sender Email for automatic emails -DescADHERENT_ETIQUETTE_TYPE=Format of labels page -DescADHERENT_ETIQUETTE_TEXT=Text printed on member address sheets -DescADHERENT_CARD_TYPE=Format of cards page -DescADHERENT_CARD_HEADER_TEXT=Text printed on top of member cards -DescADHERENT_CARD_TEXT=Text printed on member cards (align on left) -DescADHERENT_CARD_TEXT_RIGHT=Text printed on member cards (align on right) -DescADHERENT_CARD_FOOTER_TEXT=Text printed on bottom of member cards -ShowTypeCard=Show type '%s' -HTPasswordExport=htpassword file generation -NoThirdPartyAssociatedToMember=No third party associated with this member -MembersAndSubscriptions=Members and Contributions -MoreActions=Complementary action on recording -MoreActionsOnSubscription=Complementary action, suggested by default when recording a contribution -MoreActionBankDirect=Create a direct entry on bank account -MoreActionBankViaInvoice=Create an invoice, and a payment on bank account -MoreActionInvoiceOnly=Create an invoice with no payment -LinkToGeneratedPages=Generate visit cards -LinkToGeneratedPagesDesc=This screen allows you to generate PDF files with business cards for all your members or a particular member. -DocForAllMembersCards=Generate business cards for all members -DocForOneMemberCards=Generate business cards for a particular member -DocForLabels=Generate address sheets -SubscriptionPayment=Contribution payment -LastSubscriptionDate=Date of latest contribution payment -LastSubscriptionAmount=Amount of latest contribution -LastMemberType=Last Member type -MembersStatisticsByCountries=Members statistics by country -MembersStatisticsByState=Members statistics by state/province -MembersStatisticsByTown=Members statistics by town -MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Total number of members -NbOfActiveMembers=Total number of current active members -NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. -MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics of members by town. -MembersByNature=This screen show you statistics of members by nature. -MembersByRegion=This screen show you statistics of members by region. -MembersStatisticsDesc=Choose statistics you want to read... -MenuMembersStats=Statistics -LastMemberDate=Latest membership date -LatestSubscriptionDate=Latest contribution date -MemberNature=Nature of the member -MembersNature=Nature of the members -Public=Information is public -NewMemberbyWeb=New member added. Awaiting approval -NewMemberForm=New member form -SubscriptionsStatistics=Contributions statistics -NbOfSubscriptions=Number of contributions -AmountOfSubscriptions=Amount collected from contributions -TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) -DefaultAmount=Default amount of contribution -CanEditAmount=Visitor can choose/edit amount of its contribution -MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page -ByProperties=By nature -MembersStatisticsByProperties=Members statistics by nature -VATToUseForSubscriptions=VAT rate to use for contributionss -NoVatOnSubscription=No VAT for contributions -ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for contribution line into invoice: %s -NameOrCompany=Name or company -SubscriptionRecorded=Contribution recorded -NoEmailSentToMember=No email sent to member -EmailSentToMember=Email sent to member at %s -SendReminderForExpiredSubscriptionTitle=Send reminder by email for expired contributions -SendReminderForExpiredSubscription=Send reminder by email to members when contribution is about to expire (parameter is number of days before end of membership to send the remind. It can be a list of days separated by a semicolon, for example '10;5;0;-5') -MembershipPaid=Membership paid for current period (until %s) -YouMayFindYourInvoiceInThisEmail=You may find your invoice attached to this email -XMembersClosed=%s member(s) closed -XExternalUserCreated=%s external user(s) created -ForceMemberNature=Force member nature (Individual or Corporation) -CreateDolibarrLoginDesc=The creation of a user login for members allows them to connect to the application. Depending on the authorizations granted, they will be able, for example, to consult or modify their file themselves. -CreateDolibarrThirdPartyDesc=A thirdparty is the legal entity that will be used on the invoice if you decide to generate invoice for each contribution. You will be able to create it later during the process of recording the contribution. +ThisIsContentOfYourMembershipRequestWasReceived=ברצוננו ליידע אותך שבקשת החברות שלך התקבלה.

      +ThisIsContentOfYourMembershipWasValidated=ברצוננו ליידע אותך שהחברות שלך אומתה עם המידע הבא:

      +ThisIsContentOfYourSubscriptionWasRecorded=ברצוננו ליידע אותך שהמינוי החדש שלך נרשם. מצא את החשבונית שלך כאן מצורפת.

      +ThisIsContentOfSubscriptionReminderEmail=ברצוננו ליידע אותך שהמינוי שלך עומד לפוג או שכבר פג (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). אנו מקווים שתחדש אותו.

      +ThisIsContentOfYourCard=זהו סיכום המידע שיש לנו עליך. אנא צור איתנו קשר אם משהו שגוי.

      +DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=נושא הודעת האימייל שהתקבלה במקרה של רישום אוטומטי של אורח +DescADHERENT_AUTOREGISTER_NOTIF_MAIL=תוכן הודעת האימייל שהתקבלה במקרה של רישום אוטומטי של אורח +DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=תבנית דוא"ל לשימוש כדי לשלוח דוא"ל לחבר בהרשמה אוטומטית של חבר +DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=תבנית דוא"ל לשימוש כדי לשלוח דוא"ל לחבר באימות חבר +DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=תבנית דוא"ל לשימוש כדי לשלוח דוא"ל לחבר בהקלטת תרומה חדשה +DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=תבנית דוא"ל לשימוש לשליחת תזכורת בדוא"ל כאשר התרומה עומדת לפוג +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=תבנית דוא"ל לשימוש כדי לשלוח דוא"ל לחבר בביטול חבר +DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=תבנית דוא"ל לשימוש כדי לשלוח דוא"ל לחבר על החרגת חבר +DescADHERENT_MAIL_FROM=דוא"ל שולח לאימיילים אוטומטיים +DescADHERENT_CC_MAIL_FROM=שלח עותק דוא"ל אוטומטי אל +DescADHERENT_ETIQUETTE_TYPE=פורמט דף התוויות +DescADHERENT_ETIQUETTE_TEXT=טקסט מודפס על דפי כתובות של חברים +DescADHERENT_CARD_TYPE=פורמט דף כרטיסים +DescADHERENT_CARD_HEADER_TEXT=טקסט מודפס על גבי כרטיסי חבר +DescADHERENT_CARD_TEXT=טקסט מודפס על כרטיסי חבר (יישור משמאל) +DescADHERENT_CARD_TEXT_RIGHT=טקסט מודפס על כרטיסי חבר (יישור מימין) +DescADHERENT_CARD_FOOTER_TEXT=טקסט מודפס בתחתית כרטיסי החברים +ShowTypeCard=הצג את הסוג '%s' +HTPasswordExport=יצירת קבצי htpassword +NoThirdPartyAssociatedToMember=אין צד שלישי המשויך לחבר זה +MembersAndSubscriptions=חברים ותרומות +MoreActions=פעולה משלימה בהקלטה +MoreActionsOnSubscription=פעולה משלימה המוצעת כברירת מחדל בעת רישום תרומה, נעשית גם אוטומטית בתשלום מקוון של תרומה +MoreActionBankDirect=צור כניסה ישירה בחשבון הבנק +MoreActionBankViaInvoice=צור חשבונית ותשלום בחשבון הבנק +MoreActionInvoiceOnly=צור חשבונית ללא תשלום +LinkToGeneratedPages=הפקת כרטיסי ביקור או דפי כתובות +LinkToGeneratedPagesDesc=מסך זה מאפשר לך ליצור קבצי PDF עם כרטיסי ביקור עבור כל החברים שלך או חבר מסוים. +DocForAllMembersCards=הפק כרטיסי ביקור לכל החברים +DocForOneMemberCards=צור כרטיסי ביקור עבור חבר מסוים +DocForLabels=צור דפי כתובות +SubscriptionPayment=תשלום תרומה +LastSubscriptionDate=תאריך תשלום התרומה האחרון +LastSubscriptionAmount=סכום התרומה האחרונה +LastMemberType=סוג חבר אחרון +MembersStatisticsByCountries=סטטיסטיקת חברים לפי מדינה +MembersStatisticsByState=סטטיסטיקת חברים לפי מדינה/מחוז +MembersStatisticsByTown=סטטיסטיקת חברים לפי עיר +MembersStatisticsByRegion=סטטיסטיקת חברים לפי אזור +NbOfMembers=סה"כ מספר חברים +NbOfActiveMembers=המספר הכולל של החברים הפעילים הנוכחיים +NoValidatedMemberYet=לא נמצאו חברים מאומתים +MembersByCountryDesc=מסך זה מציג לך את הנתונים הסטטיסטיים של חברים לפי מדינות. גרפים ותרשימים תלויים בזמינות שירות הגרפים המקוון של Google וכן בזמינות של חיבור אינטרנט תקין. +MembersByStateDesc=מסך זה מציג סטטיסטיקות של חברים לפי מדינה/מחוזות/קנטון. +MembersByTownDesc=מסך זה מציג סטטיסטיקות של חברים לפי עיר. +MembersByNature=מסך זה מציג לך נתונים סטטיסטיים של חברים מטבעם. +MembersByRegion=מסך זה מציג לך נתונים סטטיסטיים של חברים לפי אזור. +MembersStatisticsDesc=בחר סטטיסטיקה שאתה רוצה לקרוא... +MenuMembersStats=סטָטִיסטִיקָה +LastMemberDate=תאריך החברות האחרון +LatestSubscriptionDate=תאריך התרומה האחרון +MemberNature=אופי החבר +MembersNature=אופי החברים +Public=%s יכול לפרסם את החברות שלי בהרישום הציבורי +MembershipPublic=חברות ציבורית +NewMemberbyWeb=חבר חדש נוסף. מחכה לאישור +NewMemberForm=טופס חבר חדש +SubscriptionsStatistics=סטטיסטיקת תרומות +NbOfSubscriptions=מספר תרומות +AmountOfSubscriptions=סכום שנגבה מתרומות +TurnoverOrBudget=מחזור (עבור חברה) או תקציב (עבור קרן) +DefaultAmount=סכום ברירת המחדל של תרומה (משמש רק אם לא הוגדר סכום ברמת סוג חבר) +MinimumAmount=סכום מינימלי (משמש רק כאשר סכום התרומה בחינם) +CanEditAmount=סכום המנוי יכול להיות מוגדר על ידי החבר +CanEditAmountDetail=המבקר יכול לבחור/לערוך את סכום התרומה שלו ללא קשר לסוג החבר +AmountIsLowerToMinimumNotice=הסכום נמוך מהמינימום %s +MEMBER_NEWFORM_PAYONLINE=לאחר ההרשמה המקוונת, עבור אוטומטית לדף התשלום המקוון +ByProperties=על ידי הטבע +MembersStatisticsByProperties=סטטיסטיקת חברים מטבעם +VATToUseForSubscriptions=שיעור מע"מ לשימוש עבור תרומות +NoVatOnSubscription=אין מע"מ עבור תרומות +ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=מוצר המשמש לשורת תרומה לחשבונית: %s +NameOrCompany=שם או חברה +SubscriptionRecorded=תרומה נרשמה +NoEmailSentToMember=לא נשלח אימייל לחבר +EmailSentToMember=דוא"ל נשלח לחבר בכתובת %s +SendReminderForExpiredSubscriptionTitle=שלח תזכורת באימייל לתרומות שפג תוקפן +SendReminderForExpiredSubscription=שלח תזכורת באימייל לחברים כאשר התרומה עומדת לפוג (הפרמטר הוא מספר הימים לפני סיום החברות לשליחת התזכורת. זו יכולה להיות רשימה של ימים מופרדים בנקודה-פסיק, למשל '10;5;0;-5 ') +MembershipPaid=חברות בתשלום עבור התקופה הנוכחית (עד %s) +YouMayFindYourInvoiceInThisEmail=ייתכן שתמצא את החשבונית שלך מצורפת למייל זה +XMembersClosed=%s חברים נסגרו +XExternalUserCreated=%s משתמשים חיצוניים נוצרו +ForceMemberNature=אופי חבר בכוח (אדם או תאגיד) +CreateDolibarrLoginDesc=יצירת כניסת משתמש לחברים מאפשרת להם להתחבר לאפליקציה. בהתאם להרשאות שניתנו, הם יוכלו, למשל, להתייעץ או לשנות את התיק שלהם בעצמם. +CreateDolibarrThirdPartyDesc=צד שלישי הוא הישות המשפטית שתשמש בחשבונית אם תחליט להפיק חשבונית עבור כל תרומה. תוכל ליצור אותו מאוחר יותר במהלך תהליך הקלטת התרומה. +MemberFirstname=שם פרטי חבר +MemberLastname=שם משפחה של חבר +MemberCodeDesc=קוד חבר, ייחודי לכל החברים +NoRecordedMembers=אין חברים רשומים +MemberSubscriptionStartFirstDayOf=תאריך תחילת החברות מתאים ליום הראשון של א +MemberSubscriptionStartAfter=תקופה מינימלית לפני כניסתו לתוקף של תאריך ההתחלה של מנוי למעט חידושים (לדוגמה +3m = +3 חודשים, -5d = -5 ימים, +1Y = +1 שנה) diff --git a/htdocs/langs/he_IL/modulebuilder.lang b/htdocs/langs/he_IL/modulebuilder.lang index 61b5c939d12..8e29f1c6066 100644 --- a/htdocs/langs/he_IL/modulebuilder.lang +++ b/htdocs/langs/he_IL/modulebuilder.lang @@ -1,147 +1,189 @@ # Dolibarr language file - Source file is en_US - loan -ModuleBuilderDesc=This tool must be used only by experienced users or developers. It provides utilities to build or edit your own module. Documentation for alternative manual development is here. -EnterNameOfModuleDesc=Enter name of the module/application to create with no spaces. Use uppercase to separate words (For example: MyModule, EcommerceForShop, SyncWithMySystem...) -EnterNameOfObjectDesc=Enter name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, but also API file, pages to list/add/edit/delete object and SQL files will be generated. -ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s -ModuleBuilderDesc3=Generated/editable modules found: %s -ModuleBuilderDesc4=A module is detected as 'editable' when the file %s exists in root of module directory -NewModule=New module -NewObjectInModulebuilder=New object -ModuleKey=Module key -ObjectKey=Object key -ModuleInitialized=Module initialized -FilesForObjectInitialized=Files for new object '%s' initialized -FilesForObjectUpdated=Files for object '%s' updated (.sql files and .class.php file) -ModuleBuilderDescdescription=Enter here all general information that describe your module. -ModuleBuilderDescspecifications=You can enter here a detailed description of the specifications of your module that is not already structured into other tabs. So you have within easy reach all the rules to develop. Also this text content will be included into the generated documentation (see last tab). You can use Markdown format, but it is recommended to use Asciidoc format (comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). -ModuleBuilderDescobjects=Define here the objects you want to manage with your module. A CRUD DAO class, SQL files, page to list record of objects, to create/edit/view a record and an API will be generated. -ModuleBuilderDescmenus=This tab is dedicated to define menu entries provided by your module. -ModuleBuilderDescpermissions=This tab is dedicated to define the new permissions you want to provide with your module. -ModuleBuilderDesctriggers=This is the view of triggers provided by your module. To include code executed when a triggered business event is launched, just edit this file. -ModuleBuilderDeschooks=This tab is dedicated to hooks. -ModuleBuilderDescwidgets=This tab is dedicated to manage/build widgets. -ModuleBuilderDescbuildpackage=You can generate here a "ready to distribute" package file (a normalized .zip file) of your module and a "ready to distribute" documentation file. Just click on button to build the package or documentation file. -EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: All coding files of module (generated or created manually) AND structured data and documentation will be deleted! -EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All coding files (generated or created manually) related to object will be deleted! -DangerZone=Danger zone -BuildPackage=Build package -BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. -BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here -ModuleIsLive=This module has been activated. Any change may break a current live feature. -DescriptionLong=Long description -EditorName=Name of editor -EditorUrl=URL of editor -DescriptorFile=Descriptor file of module -ClassFile=File for PHP DAO CRUD class -ApiClassFile=File for PHP API class -PageForList=PHP page for list of record -PageForCreateEditView=PHP page to create/edit/view a record -PageForAgendaTab=PHP page for event tab -PageForDocumentTab=PHP page for document tab -PageForNoteTab=PHP page for note tab -PageForContactTab=PHP page for contact tab -PathToModulePackage=Path to zip of module/application package -PathToModuleDocumentation=Path to file of module/application documentation (%s) -SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed. -FileNotYetGenerated=File not yet generated -RegenerateClassAndSql=Force update of .class and .sql files -RegenerateMissingFiles=Generate missing files -SpecificationFile=File of documentation -LanguageFile=File for language -ObjectProperties=Object Properties -ConfirmDeleteProperty=Are you sure you want to delete the property %s? This will change code in PHP class but also remove column from table definition of object. -NotNull=Not NULL -NotNullDesc=1=Set database to NOT NULL. -1=Allow null values and force value to NULL if empty ('' or 0). -SearchAll=Used for 'search all' -DatabaseIndex=Database index -FileAlreadyExists=File %s already exists -TriggersFile=File for triggers code -HooksFile=File for hooks code -ArrayOfKeyValues=Array of key-val -ArrayOfKeyValuesDesc=Array of keys and values if field is a combo list with fixed values -WidgetFile=Widget file -CSSFile=CSS file -JSFile=Javascript file -ReadmeFile=Readme file -ChangeLog=ChangeLog file -TestClassFile=File for PHP Unit Test class -SqlFile=Sql file -PageForLib=File for the common PHP library -PageForObjLib=File for the PHP library dedicated to object -SqlFileExtraFields=Sql file for complementary attributes -SqlFileKey=Sql file for keys -SqlFileKeyExtraFields=Sql file for keys of complementary attributes -AnObjectAlreadyExistWithThisNameAndDiffCase=An object already exists with this name and a different case -UseAsciiDocFormat=You can use Markdown format, but it is recommended to use Asciidoc format (omparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) -IsAMeasure=Is a measure -DirScanned=Directory scanned -NoTrigger=No trigger -NoWidget=No widget -GoToApiExplorer=API explorer -ListOfMenusEntries=List of menu entries -ListOfDictionariesEntries=List of dictionaries entries -ListOfPermissionsDefined=List of defined permissions -SeeExamples=See examples here -EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update).

      Using a negative value means field is not shown by default on list but can be selected for viewing).

      It can be an expression, for example:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      ($user->rights->holiday->define_holiday ? 1 : 0) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
      Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

      For document :
      0 = not displayed
      1 = display
      2 = display only if not empty

      For document lines :
      0 = not displayed
      1 = displayed in a column
      3 = display in line description column after the description
      4 = display in description column after the description only if not empty -DisplayOnPdf=Display on PDF -IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) -SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) -SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. -LanguageDefDesc=Enter in this files, all the key and the translation for each language file. -MenusDefDesc=Define here the menus provided by your module -DictionariesDefDesc=Define here the dictionaries provided by your module -PermissionsDefDesc=Define here the new permissions provided by your module -MenusDefDescTooltip=The menus provided by your module/application are defined into the array $this->menus into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), menus are also visible into the menu editor available to administrator users on %s. -DictionariesDefDescTooltip=The dictionaries provided by your module/application are defined into the array $this->dictionaries into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), dictionaries are also visible into the setup area to administrator users on %s. -PermissionsDefDescTooltip=The permissions provided by your module/application are defined into the array $this->rights into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), permissions are visible into the default permissions setup %s. -HooksDefDesc=Define in the module_parts['hooks'] property, in the module descriptor, the context of hooks you want to manage (list of contexts can be found by a search on 'initHooks(' in core code).
      Edit the hook file to add code of your hooked functions (hookable functions can be found by a search on 'executeHooks' in core code). -TriggerDefDesc=Define in the trigger file the code that you want to execute when a business event external to your module is executed (events triggered by other modules). -SeeIDsInUse=See IDs in use in your installation -SeeReservedIDsRangeHere=See range of reserved IDs -ToolkitForDevelopers=Toolkit for Dolibarr developers -TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the native module builder wizard.
      Enable the module %s and use the wizard by clicking the on the top right menu.
      Warning: This is an advanced developer feature, do not experiment on your production site! -SeeTopRightMenu=See on the top right menu -AddLanguageFile=Add language file -YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages") -DropTableIfEmpty=(Destroy table if empty) -TableDoesNotExists=The table %s does not exists -TableDropped=Table %s deleted -InitStructureFromExistingTable=Build the structure array string of an existing table -UseAboutPage=Disable the about page -UseDocFolder=Disable the documentation folder -UseSpecificReadme=Use a specific ReadMe -ContentOfREADMECustomized=Note: The content of the README.md file has been replaced with the specific value defined into setup of ModuleBuilder. -RealPathOfModule=Real path of module -ContentCantBeEmpty=Content of file can't be empty -WidgetDesc=You can generate and edit here the widgets that will be embedded with your module. -CSSDesc=You can generate and edit here a file with personalized CSS embedded with your module. -JSDesc=You can generate and edit here a file with personalized Javascript embedded with your module. -CLIDesc=You can generate here some command line scripts you want to provide with your module. -CLIFile=CLI File -NoCLIFile=No CLI files -UseSpecificEditorName = Use a specific editor name -UseSpecificEditorURL = Use a specific editor URL -UseSpecificFamily = Use a specific family -UseSpecificAuthor = Use a specific author -UseSpecificVersion = Use a specific initial version -IncludeRefGeneration=The reference of object must be generated automatically -IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference -IncludeDocGeneration=I want to generate some documents from the object -IncludeDocGenerationHelp=If you check this, some code will be generated to add a "Generate document" box on the record. -ShowOnCombobox=Show value into combobox -KeyForTooltip=Key for tooltip -CSSClass=CSS for edit/create form -CSSViewClass=CSS for read form -CSSListClass=CSS for list -NotEditable=Not editable -ForeignKey=Foreign key -TypeOfFieldsHelp=Type of fields:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) -AsciiToHtmlConverter=Ascii to HTML converter -AsciiToPdfConverter=Ascii to PDF converter -TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. -ModuleBuilderNotAllowed=The module builder is available but not allowed to your user. -ImportExportProfiles=Import and export profiles -ValidateModBuilderDesc=Put 1 if this field need to be validated with $this->validateField() or 0 if validation required +IdModule= מזהה מודול +ModuleBuilderDesc=יש להשתמש בכלי זה רק על ידי משתמשים או מפתחים מנוסים. הוא מספק כלי עזר לבנייה או עריכה של מודול משלך. תיעוד עבור פיתוח ידני חלופי נמצא כאן. +EnterNameOfModuleDesc=הזן את שם המודול/האפליקציה ליצירה ללא רווחים. השתמש באותיות רישיות כדי להפריד בין מילים (לדוגמה: MyModule, EcommerceForShop, SyncWithMySystem...) +EnterNameOfObjectDesc=הזן את שם האובייקט ליצירה ללא רווחים. השתמש באותיות רישיות כדי להפריד בין מילים (לדוגמה: MyObject, Student, Teacher...). יווצרו קובץ המחלקה CRUD, הדפים לרשימת/הוספה/עריכה/מחיקה של האובייקט וקובצי SQL. +EnterNameOfDictionaryDesc=הזן את שם המילון ליצירה ללא רווחים. השתמש באותיות רישיות כדי להפריד בין מילים (לדוגמה: MyDico...). קובץ הכיתה, אבל גם קובץ SQL ייווצר. +ModuleBuilderDesc2=נתיב שבו נוצרים/עורכים מודולים (ספרייה ראשונה עבור מודולים חיצוניים המוגדרים לתוך %s): %s +ModuleBuilderDesc3=נמצאו מודולים שנוצרו/ניתנים לעריכה: %s +ModuleBuilderDesc4=מודול מזוהה כ'מודול עבור בונה מודולים' כאשר הקובץ %sb0a65d071f6fc9 קיים בשורש ספריית המודול +NewModule=מודול חדש +NewObjectInModulebuilder=חפץ חדש +NewDictionary=מילון חדש +ModuleName=שם המודול +ModuleKey=מפתח מודול +ObjectKey=מפתח אובייקט +DicKey=מפתח מילון +ModuleInitialized=מודול אותחל +FilesForObjectInitialized=קבצים עבור אובייקט חדש '%s' אותחלו +FilesForObjectUpdated=קבצים עבור האובייקט '%s' עודכנו (קבצי .sql וקובץ .class.php) +ModuleBuilderDescdescription=הזן כאן את כל המידע הכללי המתאר את המודול שלך. +ModuleBuilderDescspecifications=אתה יכול להזין כאן תיאור מפורט של המפרטים של המודול שלך שאינו מובנה כבר בכרטיסיות אחרות. אז יש לך בהישג יד את כל הכללים לפתח. גם תוכן טקסט זה ייכלל בתיעוד שנוצר (ראה כרטיסייה אחרונה). ניתן להשתמש בפורמט Markdown, אך מומלץ להשתמש בפורמט Asciidoc (השוואה בין .md ל-.asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). +ModuleBuilderDescobjects=הגדר כאן את האובייקטים שאתה רוצה לנהל עם המודול שלך. ייווצר מחלקה CRUD DAO, קבצי SQL, רשומת דף לרשימה של אובייקטים, ליצירה/עריכה/הצגה של רשומה ו-API. +ModuleBuilderDescmenus=כרטיסייה זו מוקדשת להגדרת ערכי תפריט המסופקים על ידי המודול שלך. +ModuleBuilderDescpermissions=כרטיסייה זו מוקדשת להגדרת ההרשאות החדשות שברצונך לספק עם המודול שלך. +ModuleBuilderDesctriggers=זו התצוגה של טריגרים שסופק על ידי המודול שלך. כדי לכלול קוד שהופעל כאשר אירוע עסקי מופעל מופעל, פשוט ערוך את הקובץ הזה. +ModuleBuilderDeschooks=כרטיסייה זו מוקדשת לווים. +ModuleBuilderDescwidgets=כרטיסייה זו מוקדשת לניהול/בניית ווידג'טים. +ModuleBuilderDescbuildpackage=אתה יכול ליצור כאן קובץ חבילה "מוכן להפצה" (קובץ .zip מנורמל) של המודול שלך וקובץ תיעוד "מוכן להפצה". פשוט לחץ על הכפתור כדי לבנות את החבילה או קובץ התיעוד. +EnterNameOfModuleToDeleteDesc=אתה יכול למחוק את המודול שלך. אזהרה: כל קובצי הקידוד של המודול (נוצר או נוצר באופן ידני) והנתונים והתיעוד המובנים יימחקו! +EnterNameOfObjectToDeleteDesc=אתה יכול למחוק אובייקט. אזהרה: כל קבצי הקידוד (שנוצרו או נוצרו באופן ידני) הקשורים לאובייקט יימחקו! +EnterNameOfObjectToDeleteDesc=אתה יכול למחוק אובייקט. אזהרה: כל קבצי הקידוד (שנוצרו או נוצרו באופן ידני) הקשורים לאובייקט יימחקו! +DangerZone=אזור סכנה +BuildPackage=בניית חבילה +BuildPackageDesc=אתה יכול ליצור חבילת zip של היישום שלך כך שאתה מוכן להפיץ אותו בכל Dolibarr. אתה יכול גם להפיץ אותו או למכור אותו בשוק כמו DoliStore.com. +BuildDocumentation=בניית תיעוד +ModuleIsNotActive=מודול זה לא הופעל עדיין. עבור אל %s כדי להפעיל אותו או לחץ כאן +ModuleIsLive=מודול זה הופעל. כל שינוי עלול לשבור תכונה חיה נוכחית. +DescriptionLong=תיאור ארוך +EditorName=שם העורך +EditorUrl=כתובת האתר של העורך +DescriptorFile=קובץ התיאור של המודול +ClassFile=קובץ עבור מחלקת PHP DAO CRUD +ApiClassFile=קובץ API של מודול +PageForList=דף PHP לרשימת הרשומות +PageForCreateEditView=דף PHP ליצירה/עריכה/הצגת רשומה +PageForAgendaTab=דף PHP עבור כרטיסיית האירוע +PageForDocumentTab=דף PHP עבור לשונית המסמכים +PageForNoteTab=דף PHP עבור לשונית הערה +PageForContactTab=דף PHP עבור לשונית יצירת קשר +PathToModulePackage=נתיב למיקוד של חבילת מודול/יישום +PathToModuleDocumentation=נתיב לקובץ של תיעוד מודול/יישום (%s) +SpaceOrSpecialCharAreNotAllowed=אסור להשתמש ברווחים או בתווים מיוחדים. +FileNotYetGenerated=הקובץ עדיין לא נוצר +GenerateCode=צור קוד +RegenerateClassAndSql=כפה עדכון של קבצי .class ו-.sql +RegenerateMissingFiles=צור קבצים חסרים +SpecificationFile=קובץ תיעוד +LanguageFile=קובץ לשפה +ObjectProperties=מאפייני אובייקט +Property=תכונה +PropertyDesc=תכונה היא תכונה המאפיינת אובייקט. לתכונה זו יש קוד, תווית וסוג עם מספר אפשרויות. +ConfirmDeleteProperty=האם אתה בטוח שברצונך למחוק את המאפיין %s? זה ישנה את הקוד במחלקת PHP אבל גם יסיר את העמודה מהגדרת הטבלה של האובייקט. +NotNull=לא ריק +NotNullDesc=1=הגדר את מסד הנתונים ל- NOT NULL, 0=אפשר ערכי null, -1=אפשר ערכי null על ידי כפיית הערך ל-NULL אם הוא ריק ('' או 0) +SearchAll=משמש עבור 'חפש הכל' +DatabaseIndex=אינדקס מסד נתונים +FileAlreadyExists=הקובץ %s כבר קיים +TriggersFile=קובץ עבור קוד מפעילים +HooksFile=קובץ לקוד הוקס +ArrayOfKeyValues=מערך של key-val +ArrayOfKeyValuesDesc=מערך מפתחות וערכים אם השדה הוא רשימה משולבת עם ערכים קבועים +WidgetFile=קובץ ווידג'ט +CSSFile=קובץ CSS +JSFile=קובץ JavaScript +ReadmeFile=קובץ Readme +ChangeLog=קובץ ChangeLog +TestClassFile=קובץ עבור כיתה PHP Unit Test +SqlFile=קובץ SQL +PageForLib=קובץ עבור ספריית PHP הנפוצה +PageForObjLib=קובץ עבור ספריית PHP המוקדשת לאובייקט +SqlFileExtraFields=קובץ SQL עבור תכונות משלימות +SqlFileKey=קובץ SQL עבור מפתחות +SqlFileKeyExtraFields=קובץ SQL עבור מפתחות של תכונות משלימות +AnObjectAlreadyExistWithThisNameAndDiffCase=כבר קיים אובייקט בשם זה וברישיות שונות +UseAsciiDocFormat=ניתן להשתמש בפורמט Markdown, אך מומלץ להשתמש בפורמט Asciidoc (השוואה בין .md ל-.asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) +IsAMeasure=הוא מידה +DirScanned=ספריה נסרקה +NoTrigger=אין טריגר +NoWidget=אין יישומון +ApiExplorer=סייר API +ListOfMenusEntries=רשימת ערכים בתפריט +ListOfDictionariesEntries=רשימת ערכי מילונים +ListOfPermissionsDefined=רשימה של הרשאות מוגדרות +SeeExamples=ראה דוגמאות כאן +EnabledDesc=תנאי להפעלת שדה זה.

      דוגמאות:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=האם השדה נראה לעין? (דוגמאות: 0=לעולם לא נראה, 1=גלוי ברשימה וצור/עדכן/הצג טפסים, 2=גלוי ברשימה בלבד, 3=גלוי בטופס יצירה/עדכון/הצג בלבד (לא ברשימות), 4=גלוי ברשימות וטופס עדכון/הצג בלבד (לא צור), 5=גלוי ברשימה ובטופס הצג בלבד (לא צור, לא עדכון).

      שימוש בערך שלילי פירושו שהשדה אינו מוצג כברירת מחדל ברשימה אך ניתן לבחור אותו לצפייה). +ItCanBeAnExpression=זה יכול להיות ביטוי. דוגמה:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user ->hasRight('holiday', 'define_holiday')?1:5 +DisplayOnPdfDesc=הצג שדה זה במסמכי PDF תואמים, אתה יכול לנהל מיקום עם השדה "Position".
      עבור מסמך:
      0 = לא מוצג
      1 = display
      2 = הצג רק אם לא ריק

      b0e7843947 span>עבור שורות מסמך:

      0 = לא מוצג
      1 = מוצג בעמודה
      3 = הצגת עמודת תיאור שורה אחרי התיאור
      4 = תצוגה בעמודת תיאור אחרי התיאור רק אם לא ריק +DisplayOnPdf=ב-PDF +IsAMeasureDesc=האם ניתן לצבור את הערך של השדה כדי לקבל סכום כולל לרשימה? (דוגמאות: 1 או 0) +SearchAllDesc=האם השדה משמש לביצוע חיפוש מכלי החיפוש המהיר? (דוגמאות: 1 או 0) +SpecDefDesc=הזן כאן את כל התיעוד שברצונך לספק עם המודול שלך שעדיין לא הוגדר בכרטיסיות אחרות. אתה יכול להשתמש ב-.md או טוב יותר, בתחביר .asciidoc העשיר. +LanguageDefDesc=הזן בקבצים זה את כל המפתח ואת התרגום עבור כל קובץ שפה. +MenusDefDesc=הגדר כאן את התפריטים המסופקים על ידי המודול שלך +DictionariesDefDesc=הגדר כאן את המילונים שסופקו על ידי המודול שלך +PermissionsDefDesc=הגדר כאן את ההרשאות החדשות שסופקו על ידי המודול שלך +MenusDefDescTooltip=התפריטים המסופקים על ידי המודול/האפליקציה שלך מוגדרים במערך $this->menus בקובץ מתאר המודול. אתה יכול לערוך קובץ זה באופן ידני או להשתמש בעורך המוטבע.

      הערה: לאחר שהוגדר (והמודול הופעל מחדש) , התפריטים גלויים גם בעורך התפריטים הזמין למשתמשי מנהל ב-%s. +DictionariesDefDescTooltip=המילונים שסופקו על ידי המודול/יישום שלך מוגדרים במערך $this->dictionaries לתוך קובץ מתאר המודול. אתה יכול לערוך קובץ זה באופן ידני או להשתמש בעורך המוטבע.

      הערה: לאחר שהוגדר (והמודול הופעל מחדש), מילונים גלויים גם באזור ההגדרה למשתמשי מנהל ב-%s. +PermissionsDefDescTooltip=ההרשאות שסופקו על ידי המודול/יישום שלך מוגדרות במערך $this->rights בקובץ מתאר המודול. אתה יכול לערוך קובץ זה באופן ידני או להשתמש בעורך המוטבע.

      הערה: לאחר שהוגדר (והמודול הופעל מחדש), ההרשאות גלויות בהגדרת ברירת המחדל של ההרשאות %s. +HooksDefDesc=הגדר במאפיין module_parts['hooks'], בקובץ מתאר המודול, את רשימת ההקשרים כאשר ה-hook שלך חייב להתבצע (ניתן למצוא את רשימת ההקשרים האפשריים על ידי חיפוש ב'initHooks(' בקוד הליבה) .
      לאחר מכן ערוך את הקובץ עם קוד הוקס עם הקוד של הפונקציות המקושרות (ניתן למצוא את רשימת הפונקציות הניתנות לחיבור על ידי חיפוש ב-' executeHooks' בקוד הליבה). +TriggerDefDesc=הגדירו בקובץ הטריגר את הקוד שברצונכם לבצע כאשר מבוצע אירוע עסקי חיצוני למודול שלכם (אירועים המופעלים על ידי מודולים אחרים). +SeeIDsInUse=ראה מזהים שנמצאים בשימוש בהתקנה שלך +SeeReservedIDsRangeHere=ראה מגוון תעודות זהות שמורות +ToolkitForDevelopers=ערכת כלים למפתחי Dolibarr +TryToUseTheModuleBuilder=אם יש לך ידע ב-SQL ו-PHP, תוכל להשתמש באשף בניית המודולים המקורי.
      הפעל את המודול %s והשתמש באשף על ידי לחיצה על בתפריט הימני העליון.
      אזהרה: זוהי תכונת מפתחים מתקדמת, אל ניסוי span class='notranslate'>
      באתר הייצור שלך! +SeeTopRightMenu=ראה בתפריט הימני העליון +AddLanguageFile=הוסף קובץ שפה +YouCanUseTranslationKey=אתה יכול להשתמש כאן במפתח שהוא מפתח התרגום שנמצא לקובץ השפה (ראה לשונית "שפות") +DropTableIfEmpty=(השמד את הטבלה אם ריקה) +TableDoesNotExists=הטבלה %s לא קיימת +TableDropped=הטבלה %s נמחקה +InitStructureFromExistingTable=בנו את מחרוזת מערך המבנה של טבלה קיימת +UseAboutPage=אל תיצור את הדף אודות +UseDocFolder=השבת את תיקיית התיעוד +UseSpecificReadme=השתמש ב-ReadMe ספציפי +ContentOfREADMECustomized=הערה: התוכן של הקובץ README.md הוחלף בערך הספציפי שהוגדר בהגדרה של ModuleBuilder. +RealPathOfModule=נתיב אמיתי של מודול +ContentCantBeEmpty=תוכן הקובץ לא יכול להיות ריק +WidgetDesc=אתה יכול ליצור ולערוך כאן את הווידג'טים שיוטמעו במודול שלך. +CSSDesc=אתה יכול ליצור ולערוך כאן קובץ עם CSS מותאם אישית המוטבע במודול שלך. +JSDesc=אתה יכול ליצור ולערוך כאן קובץ עם JavaScript מותאם אישית המוטבע במודול שלך. +CLIDesc=אתה יכול ליצור כאן כמה סקריפטים של שורת הפקודה שאתה רוצה לספק עם המודול שלך. +CLIFile=קובץ CLI +NoCLIFile=אין קבצי CLI +UseSpecificEditorName = השתמש בשם עורך ספציפי +UseSpecificEditorURL = השתמש בכתובת אתר ספציפית של עורך +UseSpecificFamily = השתמש במשפחה ספציפית +UseSpecificAuthor = השתמש במחבר ספציפי +UseSpecificVersion = השתמש בגרסה ראשונית ספציפית +IncludeRefGeneration=ההפניה של אובייקט זה חייבת להיווצר באופן אוטומטי על ידי כללי מספור מותאמים אישית +IncludeRefGenerationHelp=סמן זאת אם ברצונך לכלול קוד לניהול יצירת ההפניה באופן אוטומטי באמצעות כללי מספור מותאמים אישית +IncludeDocGeneration=אני רוצה שהתכונה תיצור כמה מסמכים (PDF, ODT) מתבניות עבור האובייקט הזה +IncludeDocGenerationHelp=אם תסמן זאת, יווצר קוד כלשהו כדי להוסיף תיבת "צור מסמך" ברשומה. +ShowOnCombobox=הצג ערך בתיבות משולבות +KeyForTooltip=מפתח לתיאור כלי +CSSClass=CSS לעריכה/יצירת טופס +CSSViewClass=CSS לטופס קריאה +CSSListClass=CSS לרשימה +NotEditable=לא ניתן לעריכה +ForeignKey=מפתח זר +ForeignKeyDesc=אם יש להבטיח שהערך של שדה זה קיים בטבלה אחרת. הזן כאן תחביר תואם ערך: tablename.parentfieldtocheck +TypeOfFieldsHelp=דוגמה:
      varchar(99)
      email
      phone
      ip
      url
      סיסמהbzccdouble(24,8)
      real
      text
      html
      date
      datetime
      timestamp
      integer
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]b0342fccfda19b /span>
      '1' פירושו שאנו מוסיפים כפתור + אחרי המשולב כדי ליצור את הרשומה
      'מסנן' הוא תנאי תחביר מסנן אוניברסלי, דוגמה: '((status:=:1) AND (fk_user:=:__USER_ID__) AND (ישות:IN:(__SHARED_ENTITIES__))' +TypeOfFieldsHelpIntro=זהו סוג השדה/תכונה. +AsciiToHtmlConverter=ממיר Ascii ל-HTML +AsciiToPdfConverter=ממיר Ascii ל-PDF +TableNotEmptyDropCanceled=הטבלה לא ריקה. ההורדה בוטלה. +ModuleBuilderNotAllowed=בונה המודולים זמין אך אינו מורשה למשתמש שלך. +ImportExportProfiles=ייבוא וייצוא פרופילים +ValidateModBuilderDesc=הגדר את זה ל-1 אם ברצונך לקבל את השיטה $this->validateField() של האובייקט כדי לאמת את תוכן השדה במהלך הוספה או עדכון. הגדר 0 אם אין צורך באימות. +WarningDatabaseIsNotUpdated=אזהרה: מסד הנתונים אינו מתעדכן אוטומטית, עליך להרוס טבלאות ולבטל-לאפשר את המודול ליצירת טבלאות מחדש +LinkToParentMenu=תפריט הורים (fk_xxxxmenu) +ListOfTabsEntries=רשימת ערכי כרטיסיות +TabsDefDesc=הגדר כאן את הכרטיסיות שסופקו על ידי המודול שלך +TabsDefDescTooltip=הכרטיסיות המסופקות על ידי המודול/יישום שלך מוגדרות במערך $this->tabs בקובץ מתאר המודול. אתה יכול לערוך קובץ זה באופן ידני או להשתמש בעורך המוטבע. +BadValueForType=ערך שגוי עבור סוג %s +DefinePropertiesFromExistingTable=הגדר את השדות/מאפיינים מטבלה קיימת +DefinePropertiesFromExistingTableDesc=אם כבר קיימת טבלה במסד הנתונים (לצורך האובייקט), ניתן להשתמש בה כדי להגדיר את המאפיינים של האובייקט. +DefinePropertiesFromExistingTableDesc2=השאר ריק אם הטבלה עדיין לא קיימת. מחולל הקוד ישתמש בסוגים שונים של שדות כדי לבנות דוגמה לטבלה שתוכל לערוך מאוחר יותר. +GeneratePermissions=אני רוצה לנהל הרשאות על אובייקט זה +GeneratePermissionsHelp=אם תסמן זאת, יתווסף קוד כלשהו לניהול הרשאות קריאה, כתיבה ומחיקת רשומות של האובייקטים +PermissionDeletedSuccesfuly=ההרשאה הוסרה בהצלחה +PermissionUpdatedSuccesfuly=ההרשאה עודכנה בהצלחה +PermissionAddedSuccesfuly=הרשאה נוספה בהצלחה +MenuDeletedSuccessfuly=התפריט נמחק בהצלחה +MenuAddedSuccessfuly=התפריט נוסף בהצלחה +MenuUpdatedSuccessfuly=התפריט עודכן בהצלחה +ApiObjectDeleted=ממשק API עבור אובייקט %s נמחק בהצלחה +CRUDRead=לקרוא +CRUDCreateWrite=צור או עדכן +FailedToAddCodeIntoDescriptor=הוספת הקוד לתיאור נכשלה. בדוק שהערת המחרוזת "%s" עדיין קיימת בקובץ. +DictionariesCreated=מילון %s נוצר בהצלחה +DictionaryDeleted=מילון %s הוסר בהצלחה +PropertyModuleUpdated=הנכס %s עודכן בהצלחה +InfoForApiFile=* כאשר אתה יוצר קובץ בפעם הראשונה, כל השיטות ייווצרו עבור כל אובייקט.
      * כשאתה לוחץ ב-remove אתה פשוט מסיר את כל השיטות עבור ה-האובייקט שנבחר. +SetupFile=עמוד להגדרת מודול +EmailingSelectors=בוררי אימייל +EmailingSelectorDesc=אתה יכול ליצור ולערוך כאן את קבצי הכיתה כדי לספק בוררי יעד חדשים לדוא"ל עבור מודול שליחת הדוא"ל ההמונית +EmailingSelectorFile=קובץ בורר מיילים +NoEmailingSelector=אין קובץ בורר אימיילים diff --git a/htdocs/langs/he_IL/mrp.lang b/htdocs/langs/he_IL/mrp.lang index 74bed0d9186..9165df6c1db 100644 --- a/htdocs/langs/he_IL/mrp.lang +++ b/htdocs/langs/he_IL/mrp.lang @@ -1,109 +1,139 @@ -Mrp=Manufacturing Orders -MOs=Manufacturing orders -ManufacturingOrder=Manufacturing Order -MRPDescription=Module to manage production and Manufacturing Orders (MO). -MRPArea=MRP Area -MrpSetupPage=Setup of module MRP -MenuBOM=Bills of material -LatestBOMModified=Latest %s Bills of materials modified -LatestMOModified=Latest %s Manufacturing Orders modified -Bom=Bills of Material -BillOfMaterials=Bill of Materials -BillOfMaterialsLines=Bill of Materials lines -BOMsSetup=Setup of module BOM -ListOfBOMs=List of bills of material - BOM -ListOfManufacturingOrders=List of Manufacturing Orders -NewBOM=New bill of materials -ProductBOMHelp=Product to create (or disassemble) with this BOM.
      Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list. -BOMsNumberingModules=BOM numbering templates -BOMsModelModule=BOM document templates -MOsNumberingModules=MO numbering templates -MOsModelModule=MO document templates -FreeLegalTextOnBOMs=Free text on document of BOM -WatermarkOnDraftBOMs=Watermark on draft BOM -FreeLegalTextOnMOs=Free text on document of MO -WatermarkOnDraftMOs=Watermark on draft MO -ConfirmCloneBillOfMaterials=Are you sure you want to clone the bill of materials %s ? -ConfirmCloneMo=Are you sure you want to clone the Manufacturing Order %s ? -ManufacturingEfficiency=Manufacturing efficiency -ConsumptionEfficiency=Consumption efficiency -ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the manufacturing or the disassembly -ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product -DeleteBillOfMaterials=Delete Bill Of Materials -DeleteMo=Delete Manufacturing Order -ConfirmDeleteBillOfMaterials=Are you sure you want to delete this Bill Of Materials? -ConfirmDeleteMo=Are you sure you want to delete this Manufacturing Order? -MenuMRP=Manufacturing Orders -NewMO=New Manufacturing Order -QtyToProduce=Qty to produce -DateStartPlannedMo=Date start planned -DateEndPlannedMo=Date end planned -KeepEmptyForAsap=Empty means 'As Soon As Possible' -EstimatedDuration=Estimated duration -EstimatedDurationDesc=Estimated duration to manufacture (or disassemble) this product using this BOM -ConfirmValidateBom=Are you sure you want to validate the BOM with the reference %s (you will be able to use it to build new Manufacturing Orders) -ConfirmCloseBom=Are you sure you want to cancel this BOM (you won't be able to use it to build new Manufacturing Orders anymore) ? -ConfirmReopenBom=Are you sure you want to re-open this BOM (you will be able to use it to build new Manufacturing Orders) -StatusMOProduced=Produced -QtyFrozen=Frozen Qty -QuantityFrozen=Frozen Quantity -QuantityConsumedInvariable=When this flag is set, the quantity consumed is always the value defined and is not relative to the quantity produced. -DisableStockChange=Stock change disabled -DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed -BomAndBomLines=Bills Of Material and lines -BOMLine=Line of BOM -WarehouseForProduction=Warehouse for production -CreateMO=Create MO -ToConsume=To consume -ToProduce=To produce -ToObtain=To obtain -QtyAlreadyConsumed=Qty already consumed -QtyAlreadyProduced=Qty already produced -QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) -ConsumeOrProduce=Consume or Produce -ConsumeAndProduceAll=Consume and Produce All -Manufactured=Manufactured -TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf=For a quantity to produce of %s -ForAQuantityToConsumeOf=For a quantity to disassemble of %s -ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? -ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRef=Production of %s -AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached -NoStockChangeOnServices=No stock change on services -ProductQtyToConsumeByMO=Product quantity still to consume by open MO -ProductQtyToProduceByMO=Product quantity still to produce by open MO -AddNewConsumeLines=Add new line to consume -AddNewProduceLines=Add new line to produce -ProductsToConsume=Products to consume -ProductsToProduce=Products to produce -UnitCost=Unit cost -TotalCost=Total cost -BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) -GoOnTabProductionToProduceFirst=You must first have started the production to close a Manufacturing Order (See tab '%s'). But you can Cancel it. -ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO -Workstation=Workstation -Workstations=Workstations -WorkstationsDescription=Workstations management -WorkstationSetup = Workstations setup -WorkstationSetupPage = Workstations setup page -WorkstationList=Workstation list -WorkstationCreate=Add new workstation -ConfirmEnableWorkstation=Are you sure you want to enable workstation %s ? -EnableAWorkstation=Enable a workstation -ConfirmDisableWorkstation=Are you sure you want to disable workstation %s ? -DisableAWorkstation=Disable a workstation -DeleteWorkstation=Delete -NbOperatorsRequired=Number of operators required -THMOperatorEstimated=Estimated operator THM -THMMachineEstimated=Estimated machine THM -WorkstationType=Workstation type -Human=Human -Machine=Machine -HumanMachine=Human / Machine -WorkstationArea=Workstation area -Machines=Machines -THMEstimatedHelp=This rate makes it possible to define a forecast cost of the item -BOM=Bill Of Materials -CollapseBOMHelp=You can define the default display of the details of the nomenclature in the configuration of the BOM module -MOAndLines=Manufacturing Orders and lines +Mrp=הזמנות ייצור +MOs=הזמנות ייצור +ManufacturingOrder=סדר ייצור +MRPDescription=מודול לניהול הזמנות ייצור וייצור (MO). +MRPArea=אזור MRP +MrpSetupPage=הגדרת מודול MRP +MenuBOM=שטרות חומר +LatestBOMModified=%s העדכניים ביותר שונו +LatestMOModified=%s אחרונות הזמנות הייצור השתנו +Bom=שטרות חומר +BillOfMaterials=שטר חומרים +BillOfMaterialsLines=שורות של כתב חומרים +BOMsSetup=הגדרת BOM של מודול +ListOfBOMs=שטרות חומר - BOM +ListOfManufacturingOrders=הזמנות ייצור +NewBOM=כתב חומרים חדש +ProductBOMHelp=מוצר ליצירה (או לפרק) עם BOM זה.
      הערה: מוצרים עם המאפיין 'טבע המוצר' = 'חומר גלם' אינם גלויים ברשימה זו. +BOMsNumberingModules=תבניות מספור BOM +BOMsModelModule=תבניות מסמכי BOM +MOsNumberingModules=תבניות מספור MO +MOsModelModule=תבניות מסמכים של MO +FreeLegalTextOnBOMs=טקסט חופשי במסמך של BOM +WatermarkOnDraftBOMs=סימן מים על טיוטת BOM +FreeLegalTextOnMOs=טקסט חופשי במסמך של MO +WatermarkOnDraftMOs=סימן מים על טיוטת MO +ConfirmCloneBillOfMaterials=האם אתה בטוח שברצונך לשכפל את כתב החומרים %s ? +ConfirmCloneMo=האם אתה בטוח שברצונך לשכפל את סדר הייצור %s? +ManufacturingEfficiency=יעילות ייצור +ConsumptionEfficiency=יעילות צריכה +Consumption=צְרִיכָה +ValueOfMeansLoss=ערך של 0.95 פירושו ממוצע של 5%% של אובדן במהלך הייצור או הפירוק +ValueOfMeansLossForProductProduced=ערך של 0.95 פירושו ממוצע של 5%% של אובדן המוצר המיוצר +DeleteBillOfMaterials=מחק את כתב החומרים +CancelMo=בטל הזמנת ייצור +MoCancelConsumedAndProducedLines=בטל גם את כל הקווים הנצרכים והמיוצרים (מחיקת קווים והחזרת מלאי) +ConfirmCancelMo=האם אתה בטוח שברצונך לבטל את הזמנת הייצור הזו? +DeleteMo=מחק הזמנת ייצור +ConfirmDeleteBillOfMaterials=האם אתה בטוח שברצונך למחוק את כתב החומרים הזה? +ConfirmDeleteMo=האם אתה בטוח שברצונך למחוק את הזמנת הייצור הזו? +DeleteMoChild = מחק את ה-MOs הצאצא המקושרים ל-MO זה %s +MoChildsDeleted = כל ה-MO-הילדים נמחקו +MenuMRP=הזמנות ייצור +NewMO=צו ייצור חדש +QtyToProduce=כמות לייצור +DateStartPlannedMo=תאריך התחלה מתוכנן +DateEndPlannedMo=תאריך סיום מתוכנן +KeepEmptyForAsap=ריק פירושו 'כמה שיותר מהר' +EstimatedDuration=משך זמן משוער +EstimatedDurationDesc=משך זמן משוער לייצור (או פירוק) של מוצר זה באמצעות BOM זה +ConfirmValidateBom=האם אתה בטוח שברצונך לאמת את ה-BOM עם ההפניה %s (תוכל להשתמש בו כדי לבנות הזמנות ייצור חדשות) +ConfirmCloseBom=האם אתה בטוח שברצונך לבטל את BOM זה (לא תוכל להשתמש בו לבניית הזמנות ייצור חדשות יותר)? +ConfirmReopenBom=האם אתה בטוח שברצונך לפתוח מחדש את BOM זה (תוכל להשתמש בו כדי לבנות הזמנות ייצור חדשות) +StatusMOProduced=מיוצר +QtyFrozen=כמות קפואה +QuantityFrozen=כמות קפואה +QuantityConsumedInvariable=כאשר דגל זה מוגדר, הכמות הנצרכת היא תמיד הערך שהוגדר ואינה ביחס לכמות המיוצרת. +DisableStockChange=שינוי מלאי מושבת +DisableStockChangeHelp=כאשר דגל זה מוגדר, אין שינוי במלאי במוצר זה, לא משנה מה הכמות הנצרכת +BomAndBomLines=שטרות חומרים וקווים +BOMLine=שורה של BOM +WarehouseForProduction=מחסן לייצור +CreateMO=צור MO +ToConsume=לצרוך +ToProduce=כדי לייצר +ToObtain=להשיג +QtyAlreadyConsumed=כמות כבר נצרכה +QtyAlreadyProduced=כמות כבר יוצרה +QtyAlreadyConsumedShort=כמות נצרך +QtyAlreadyProducedShort=כמות שיוצרה +QtyRequiredIfNoLoss=הכמות הנדרשת לייצור הכמות שהוגדרה ב-BOM אם אין הפסד (אם יעילות הייצור היא 100%%) +ConsumeOrProduce=לצרוך או לייצר +ConsumeAndProduceAll=לצרוך ולייצר הכל +Manufactured=מְיוּצָר +TheProductXIsAlreadyTheProductToProduce=המוצר שיש להוסיף הוא כבר המוצר שיש לייצר. +ForAQuantityOf=עבור כמות לייצור של %s +ForAQuantityToConsumeOf=עבור כמות לפירוק של %s +ConfirmValidateMo=האם אתה בטוח שברצונך לאמת הזמנת ייצור זו? +ConfirmProductionDesc=על ידי לחיצה על '%s', תאמת את הצריכה ו/או הייצור עבור הכמויות שנקבעו. זה גם יעדכן את המניה ויתעד את תנועות המניה. +ProductionForRef=הפקה של %s +CancelProductionForRef=ביטול הקטנת מלאי המוצר עבור המוצר %s +TooltipDeleteAndRevertStockMovement=מחק שורה והחזר את תנועת המניה +AutoCloseMO=סגור אוטומטית את הזמנת הייצור אם מגיעים לכמויות לצריכה ולייצור +NoStockChangeOnServices=אין שינוי במלאי בשירותים +ProductQtyToConsumeByMO=כמות המוצר שעדיין לצרוך לפי MO פתוח +ProductQtyToProduceByMO=כמות המוצר שעדיין לא ייצור לפי MO פתוח +AddNewConsumeLines=הוסף שורה חדשה לצריכה +AddNewProduceLines=הוסף קו חדש לייצור +ProductsToConsume=מוצרים לצריכה +ProductsToProduce=מוצרים לייצור +UnitCost=מחיר ליחידה +TotalCost=עלות כוללת +BOMTotalCost=העלות לייצור BOM זה מבוססת על עלות של כל כמות ומוצר לצריכה (השתמש במחיר עלות אם מוגדר, אחרת מחיר משוקלל ממוצע אם מוגדר, אחרת מחיר הרכישה הטוב ביותר) +BOMTotalCostService=אם מודול "תחנת עבודה" מופעל ותחנת עבודה מוגדרת כברירת מחדל בקו, אזי החישוב הוא "כמות (המרה לשעות) x תחנת עבודה ahr", אחרת "כמות x מחיר עלות השירות" +GoOnTabProductionToProduceFirst=תחילה עליך להתחיל את הייצור כדי לסגור הזמנת ייצור (ראה כרטיסייה '%s'). אבל אתה יכול לבטל את זה. +ErrorAVirtualProductCantBeUsedIntoABomOrMo=לא ניתן להשתמש בערכה לתוך BOM או MO +Workstation=עמדת עבודה +Workstations=תחנות עבודה +WorkstationsDescription=ניהול תחנות עבודה +WorkstationSetup = הגדרת תחנות עבודה +WorkstationSetupPage = דף הגדרות תחנות עבודה +WorkstationList=רשימת תחנות עבודה +WorkstationCreate=הוסף תחנת עבודה חדשה +ConfirmEnableWorkstation=האם אתה בטוח שברצונך להפעיל את תחנת העבודה %s ? +EnableAWorkstation=אפשר תחנת עבודה +ConfirmDisableWorkstation=האם אתה בטוח שברצונך להשבית את תחנת העבודה %s ? +DisableAWorkstation=השבת תחנת עבודה +DeleteWorkstation=לִמְחוֹק +NbOperatorsRequired=מספר המפעילים הנדרשים +THMOperatorEstimated=מפעיל משוער THM +THMMachineEstimated=מכונה משוערת THM +WorkstationType=סוג תחנת עבודה +DefaultWorkstation=תחנת עבודה ברירת מחדל +Human=בן אנוש +Machine=מְכוֹנָה +HumanMachine=אדם / מכונה +WorkstationArea=אזור עמדת עבודה +Machines=מכונות +THMEstimatedHelp=תעריף זה מאפשר להגדיר עלות תחזית של הפריט +BOM=שטר חומרים +CollapseBOMHelp=אתה יכול להגדיר את תצוגת ברירת המחדל של הפרטים של המינוח בתצורה של מודול BOM +MOAndLines=ייצור הזמנות וקווים +MoChildGenerate=צור מו +ParentMo=MO הורה +MOChild=MO ילד +BomCantAddChildBom=המינוח %s כבר קיים בעץ המוביל למינוח %s +BOMNetNeeds = BOM נטו צרכים +BOMProductsList=המוצרים של BOM +BOMServicesList=שירותי BOM +Manufacturing=ייצור +Disassemble=לְפַרֵק +ProducedBy=המיוצר על ידי +QtyTot=כמות סה"כ + +QtyCantBeSplit= לא ניתן לפצל כמות +NoRemainQtyToDispatch=לא נותרה כמות לחלק + +THMOperatorEstimatedHelp=עלות משוערת של מפעיל לשעה. ישמש להערכת עלות של BOM באמצעות תחנת עבודה זו. +THMMachineEstimatedHelp=עלות משוערת של מכונה לשעה. ישמש להערכת עלות של BOM באמצעות תחנת עבודה זו. + diff --git a/htdocs/langs/he_IL/multicurrency.lang b/htdocs/langs/he_IL/multicurrency.lang index bfcbd11fb7c..6e27c8eee08 100644 --- a/htdocs/langs/he_IL/multicurrency.lang +++ b/htdocs/langs/he_IL/multicurrency.lang @@ -1,22 +1,43 @@ # Dolibarr language file - Source file is en_US - multicurrency -MultiCurrency=Multi currency -ErrorAddRateFail=Error in added rate -ErrorAddCurrencyFail=Error in added currency -ErrorDeleteCurrencyFail=Error delete fail -multicurrency_syncronize_error=Synchronization error: %s -MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=Use the date of the document to find the currency rate, instead of using the latest known rate -multicurrency_useOriginTx=When an object is created from another, keep the original rate from the source object (otherwise use the latest known rate) +MultiCurrency=רב מטבעות +ErrorAddRateFail=שגיאה בשיעור נוסף +ErrorAddCurrencyFail=שגיאה במטבע נוסף +ErrorDeleteCurrencyFail=שגיאה במחיקה נכשלה +multicurrency_syncronize_error=שגיאת סנכרון: %s +MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=השתמש בתאריך של המסמך כדי למצוא את שער המטבע, במקום להשתמש בשער האחרון הידוע +multicurrency_useOriginTx=כאשר אובייקט נוצר מאובייקט אחר, שמור את הקצב המקורי מאובייקט המקור (אחרת השתמש בקצב האחרון הידוע) CurrencyLayerAccount=CurrencyLayer API -CurrencyLayerAccount_help_to_synchronize=You must create an account on website %s to use this functionality.
      Get your API key.
      If you use a free account, you can't change the source currency (USD by default).
      If your main currency is not USD, the application will automatically recalculate it.

      You are limited to 1000 synchronizations per month. -multicurrency_appId=API key -multicurrency_appCurrencySource=Source currency -multicurrency_alternateCurrencySource=Alternate source currency -CurrenciesUsed=Currencies used -CurrenciesUsed_help_to_add=Add the different currencies and rates you need to use on your proposals, orders etc. -rate=rate -MulticurrencyReceived=Received, original currency -MulticurrencyRemainderToTake=Remaining amount, original currency -MulticurrencyPaymentAmount=Payment amount, original currency -AmountToOthercurrency=Amount To (in currency of receiving account) -CurrencyRateSyncSucceed=Currency rate synchronization done successfuly -MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Use the currency of the document for online payments +CurrencyLayerAccount_help_to_synchronize=עליך ליצור חשבון באתר %s כדי להשתמש בפונקציונליות זו.
      קבל את שלך /span>מפתח API.
      אם אתה משתמש בחשבון חינמי, לא תוכל לשנות את ה-מטבע המקור (דולר ארה"ב כברירת מחדל).
      אם המטבע הראשי שלך אינו דולר ארה"ב, היישום יחשב אותו מחדש באופן אוטומטי.

      אתה מוגבל ל-1000 סנכרון בחודש. +multicurrency_appId=מפתח API +multicurrency_appCurrencySource=מטבע המקור +multicurrency_alternateCurrencySource=מטבע מקור חלופי +CurrenciesUsed=השתמשו במטבעות +CurrenciesUsed_help_to_add=הוסף את המטבעות והשערים השונים שבהם אתה צריך להשתמש בהצעות , b0aee83365הזמנות
      וכו'. +rate=ציון +MulticurrencyReceived=התקבל, מטבע מקורי +MulticurrencyRemainderToTake=הסכום הנותר, המטבע המקורי +MulticurrencyPaymentAmount=סכום תשלום, מטבע מקורי +AmountToOthercurrency=סכום ל (במטבע של החשבון המקבל) +CurrencyRateSyncSucceed=סנכרון שער מטבע נעשה בהצלחה +MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=השתמש במטבע של המסמך לתשלומים מקוונים +TabTitleMulticurrencyRate=רשימת תעריפים +ListCurrencyRate=רשימת שערי החליפין של המטבע +CreateRate=צור תעריף +FormCreateRate=דרג יצירת +FormUpdateRate=שינוי תעריף +successRateCreate=שער המטבע %s נוסף למסד הנתונים +ConfirmDeleteLineRate=האם אתה בטוח שברצונך להסיר את שער %s עבור המטבע %s ב-%s דייט? +DeleteLineRate=שיעור ברור +successRateDelete=דירוג נמחק +errorRateDelete=שגיאה בעת מחיקת התעריף +successUpdateRate=בוצע שינוי +ErrorUpdateRate=שגיאה בעת שינוי התעריף +Codemulticurrency=קוד מטבע +UpdateRate=לשנות את התעריף +CancelUpdate=לְבַטֵל +NoEmptyRate=שדה התעריף לא יכול להיות ריק +CurrencyCodeId=מזהה מטבע +CurrencyCode=קוד מטבע +CurrencyUnitPrice=מחיר ליחידה במטבע חוץ +CurrencyPrice=המחיר במטבע חוץ +MutltiCurrencyAutoUpdateCurrencies=עדכן את כל שערי המטבע diff --git a/htdocs/langs/he_IL/oauth.lang b/htdocs/langs/he_IL/oauth.lang index 075ff49a895..36640267e2e 100644 --- a/htdocs/langs/he_IL/oauth.lang +++ b/htdocs/langs/he_IL/oauth.lang @@ -1,32 +1,42 @@ # Dolibarr language file - Source file is en_US - oauth -ConfigOAuth=OAuth Configuration -OAuthServices=OAuth Services -ManualTokenGeneration=Manual token generation -TokenManager=Token Manager -IsTokenGenerated=Is token generated ? -NoAccessToken=No access token saved into local database -HasAccessToken=A token was generated and saved into local database -NewTokenStored=Token received and saved -ToCheckDeleteTokenOnProvider=Click here to check/delete authorization saved by %s OAuth provider -TokenDeleted=Token deleted -RequestAccess=Click here to request/renew access and receive a new token to save -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider: -ListOfSupportedOauthProviders=Enter the credentials provided by your OAuth2 provider. Only supported OAuth2 providers are listedd here. These services may be used by other modules that need OAuth2 authentication. -OAuthSetupForLogin=Page to generate an OAuth token -SeePreviousTab=See previous tab -OAuthIDSecret=OAuth ID and Secret -TOKEN_REFRESH=Token Refresh Present -TOKEN_EXPIRED=Token expired -TOKEN_EXPIRE_AT=Token expire at -TOKEN_DELETE=Delete saved token -OAUTH_GOOGLE_NAME=OAuth Google service -OAUTH_GOOGLE_ID=OAuth Google Id -OAUTH_GOOGLE_SECRET=OAuth Google Secret -OAUTH_GOOGLE_DESC=Go to this page then "Credentials" to create OAuth credentials -OAUTH_GITHUB_NAME=OAuth GitHub service -OAUTH_GITHUB_ID=OAuth GitHub Id -OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_GITHUB_DESC=Go to this page then "Register a new application" to create OAuth credentials -OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test +ConfigOAuth=תצורת OAuth +OAuthServices=שירותי OAuth +ManualTokenGeneration=ייצור אסימונים ידני +TokenManager=מנהל אסימונים +IsTokenGenerated=האם נוצר אסימון? +NoAccessToken=לא נשמר אסימון גישה במסד הנתונים המקומי +HasAccessToken=אסימון נוצר ונשמר במסד נתונים מקומי +NewTokenStored=אסימון התקבל ונשמר +ToCheckDeleteTokenOnProvider=לחץ כאן כדי לבדוק/למחוק הרשאה שנשמרה על ידי %s ספק OAuth +TokenDeleted=האסימון נמחק +GetAccess=לחץ כאן כדי לקבל אסימון +RequestAccess=לחץ כאן כדי לבקש/לחדש גישה ולקבל אסימון חדש +DeleteAccess=לחץ כאן כדי למחוק את האסימון +RedirectURL=כתובת אתר להפניה מחדש +UseTheFollowingUrlAsRedirectURI=השתמש בכתובת האתר הבאה ככתובת האתר להפניה מחדש בעת יצירת האישורים שלך עם ספק ה-OAuth שלך +ListOfSupportedOauthProviders=הוסף את ספקי אסימון ה-OAuth2 שלך. לאחר מכן, עבור לדף הניהול של ספק ה-OAuth שלך כדי ליצור/לקבל מזהה OAuth וסוד ולשמור אותם כאן. לאחר שתסיים, עבור לכרטיסייה השנייה כדי ליצור את האסימון שלך. +OAuthSetupForLogin=עמוד לניהול (יצירה/מחיקה) של אסימוני OAuth +SeePreviousTab=ראה לשונית הקודמת +OAuthProvider=ספק OAuth +OAuthIDSecret=מזהה OAuth וסוד +TOKEN_REFRESH=הצג רענון אסימון +TOKEN_EXPIRED=פג תוקף האסימון +TOKEN_EXPIRE_AT=תוקף האסימון יפוג בשעה +TOKEN_DELETE=מחק אסימון שמור +OAUTH_GOOGLE_NAME=שירות OAuth של Google +OAUTH_GOOGLE_ID=מזהה Google OAuth +OAUTH_GOOGLE_SECRET=סוד Google OAuth +OAUTH_GITHUB_NAME=שירות OAuth GitHub +OAUTH_GITHUB_ID=מזהה GitHub של OAuth +OAUTH_GITHUB_SECRET=סוד GitHub של OAuth +OAUTH_URL_FOR_CREDENTIAL=עבור אל דף זה כדי ליצור או לקבל את מזהה ה-OAuth והסוד שלך +OAUTH_STRIPE_TEST_NAME=בדיקת פס OAuth OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live +OAUTH_ID=מזהה לקוח OAuth +OAUTH_SECRET=סוד OAuth +OAUTH_TENANT=דייר OAuth +OAuthProviderAdded=ספק OAuth נוסף +AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=כבר קיים ערך OAuth עבור הספק והתווית הזו +URLOfServiceForAuthorization=כתובת URL מסופקת על ידי שירות OAuth לצורך אימות +Scopes=הרשאות (היקפים) +ScopeUndefined=הרשאות (היקפים) לא מוגדרות (ראה כרטיסייה קודמת) diff --git a/htdocs/langs/he_IL/opensurvey.lang b/htdocs/langs/he_IL/opensurvey.lang index 9fafacaf8bf..2e1d0d1b30f 100644 --- a/htdocs/langs/he_IL/opensurvey.lang +++ b/htdocs/langs/he_IL/opensurvey.lang @@ -1,63 +1,64 @@ # Dolibarr language file - Source file is en_US - opensurvey -Survey=Poll -Surveys=Polls -OrganizeYourMeetingEasily=Organize your meetings and polls easily. First select the type of poll... -NewSurvey=New poll -OpenSurveyArea=Polls area -AddACommentForPoll=You can add a comment into poll... -AddComment=Add comment -CreatePoll=Create poll -PollTitle=Poll title -ToReceiveEMailForEachVote=Receive an email for each vote -TypeDate=Type date -TypeClassic=Type standard -OpenSurveyStep2=Select your dates among the free days (grey). The selected days are green. You can unselect a day previously selected by clicking again on it -RemoveAllDays=Remove all days -CopyHoursOfFirstDay=Copy hours of first day -RemoveAllHours=Remove all hours -SelectedDays=Selected days -TheBestChoice=The best choice currently is -TheBestChoices=The best choices currently are -with=with -OpenSurveyHowTo=If you agree to vote in this poll, you have to give your name, choose the values that fit best for you and validate with the plus button at the end of the line. -CommentsOfVoters=Comments of voters -ConfirmRemovalOfPoll=Are you sure you want to remove this poll (and all votes) -RemovePoll=Remove poll -UrlForSurvey=URL to communicate to get a direct access to poll -PollOnChoice=You are creating a poll to make a multi-choice for a poll. First enter all possible choices for your poll: -CreateSurveyDate=Create a date poll -CreateSurveyStandard=Create a standard poll -CheckBox=Simple checkbox -YesNoList=List (empty/yes/no) -PourContreList=List (empty/for/against) -AddNewColumn=Add new column -TitleChoice=Choice label -ExportSpreadsheet=Export result spreadsheet -ExpireDate=Limit date -NbOfSurveys=Number of polls -NbOfVoters=No. of voters -SurveyResults=Results -PollAdminDesc=You are allowed to change all vote lines of this poll with button "Edit". You can, as well, remove a column or a line with %s. You can also add a new column with %s. -5MoreChoices=5 more choices -Against=Against -YouAreInivitedToVote=You are invited to vote for this poll -VoteNameAlreadyExists=This name was already used for this poll -AddADate=Add a date -AddStartHour=Add start hour -AddEndHour=Add end hour -votes=vote(s) -NoCommentYet=No comments have been posted for this poll yet -CanComment=Voters can comment in the poll -YourVoteIsPrivate=This poll is private, nobody can see your vote. -YourVoteIsPublic=This poll is public, anybody with the link can see your vote. -CanSeeOthersVote=Voters can see other people's vote -SelectDayDesc=For each selected day, you can choose, or not, meeting hours in the following format:
      - empty,
      - "8h", "8H" or "8:00" to give a meeting's start hour,
      - "8-11", "8h-11h", "8H-11H" or "8:00-11:00" to give a meeting's start and end hour,
      - "8h15-11h15", "8H15-11H15" or "8:15-11:15" for the same thing but with minutes. -BackToCurrentMonth=Back to current month -ErrorOpenSurveyFillFirstSection=You haven't filled the first section of the poll creation -ErrorOpenSurveyOneChoice=Enter at least one choice -ErrorInsertingComment=There was an error while inserting your comment -MoreChoices=Enter more choices for the voters -SurveyExpiredInfo=The poll has been closed or voting delay has expired. -EmailSomeoneVoted=%s has filled a line.\nYou can find your poll at the link: \n%s -ShowSurvey=Show survey -UserMustBeSameThanUserUsedToVote=You must have voted and use the same user name that the one used to vote, to post a comment +Survey=מִשׁאָל +Surveys=סקרים +OrganizeYourMeetingEasily=ארגן את הפגישות והסקרים שלך בקלות. תחילה בחר את סוג הסקר... +NewSurvey=סקר חדש +OpenSurveyArea=אזור הסקרים +AddACommentForPoll=אתה יכול להוסיף תגובה לסקר... +AddComment=הוסף תגובה +CreatePoll=צור סקר +PollTitle=כותרת הסקר +ToReceiveEMailForEachVote=קבל מייל עבור כל הצבעה +TypeDate=הקלד תאריך +TypeClassic=סוג תקן +OpenSurveyStep2=בחר את התאריכים שלך בין הימים החופשיים (אפור). הימים שנבחרו הם ירוקים. אתה יכול לבטל את הבחירה של יום שנבחר קודם לכן על ידי לחיצה נוספת עליו +RemoveAllDays=הסר את כל הימים +CopyHoursOfFirstDay=העתק שעות של היום הראשון +RemoveAllHours=הסר את כל השעות +SelectedDays=ימים נבחרים +TheBestChoice=הבחירה הטובה ביותר כרגע +TheBestChoices=הבחירות הטובות ביותר כרגע +with=עם +OpenSurveyHowTo=אם אתה מסכים להצביע בסקר זה, עליך למסור את שמך, לבחור את הערכים המתאימים לך ביותר ולאמת באמצעות כפתור הפלוס בסוף השורה. +CommentsOfVoters=הערות מצביעים +ConfirmRemovalOfPoll=האם אתה בטוח שברצונך להסיר את הסקר הזה (ואת כל ההצבעות) +RemovePoll=הסר סקר +UrlForSurvey=כתובת אתר לתקשורת כדי לקבל גישה ישירה לסקר +PollOnChoice=אתה יוצר סקר כדי ליצור בחירה מרובה לסקר. תחילה הזן את כל האפשרויות האפשריות עבור הסקר שלך: +CreateSurveyDate=צור סקר תאריך +CreateSurveyStandard=צור סקר סטנדרטי +CheckBox=תיבת סימון פשוטה +YesNoList=רשימה (ריקה/כן/לא) +PourContreList=רשימה (ריקה/בעד/נגד) +AddNewColumn=הוסף עמודה חדשה +TitleChoice=תווית בחירה +ExportSpreadsheet=ייצא גיליון אלקטרוני של תוצאות +ExpireDate=הגבלת תאריך +NbOfSurveys=מספר סקרים +NbOfVoters=מספר מצביעים +SurveyResults=תוצאות +PollAdminDesc=אתה רשאי לשנות את כל שורות ההצבעה של סקר זה באמצעות כפתור "ערוך". אתה יכול גם להסיר עמודה או שורה עם %s. אתה יכול גם להוסיף עמודה חדשה עם %s. +5MoreChoices=5 אפשרויות נוספות +Against=מול +YouAreInivitedToVote=אתם מוזמנים להצביע לסקר זה +VoteNameAlreadyExists=השם הזה כבר היה בשימוש עבור הסקר הזה +AddADate=הוסף תאריך +AddStartHour=הוסף שעת התחלה +AddEndHour=הוסף שעת סיום +votes=הצבעות +NoCommentYet=עדיין לא פורסמו תגובות לסקר זה +CanComment=המצביעים יכולים להגיב בסקר +YourVoteIsPrivate=הסקר הזה הוא פרטי, אף אחד לא יכול לראות את ההצבעה שלך. +YourVoteIsPublic=הסקר הזה הוא ציבורי, כל אחד עם הקישור יכול לראות את ההצבעה שלך. +CanSeeOthersVote=הבוחרים יכולים לראות את ההצבעה של אנשים אחרים +SelectDayDesc=עבור כל יום שנבחר, תוכל לבחור, או לא, שעות מפגש בפורמט הבא:
      - ריק,
      - " 8h", "8H" או "8:00" כדי לתת את שעת ההתחלה של פגישה,
      - "8-11", "8h-11h", "8H-11H" או "8:00-11:00" כדי לתת את שעת ההתחלה והסיום של פגישה,
      - "8h15-11h15", "8H15-11H15" או "8:15- 11:15" לאותו דבר אבל עם דקות. +BackToCurrentMonth=חזרה לחודש הנוכחי +ErrorOpenSurveyFillFirstSection=לא מילאת את החלק הראשון של יצירת הסקר +ErrorOpenSurveyOneChoice=הזן לפחות אפשרות אחת +ErrorInsertingComment=אירעה שגיאה בעת הכנסת ההערה שלך +MoreChoices=הזן אפשרויות נוספות עבור הבוחרים +SurveyExpiredInfo=הסקר נסגר או שהעיכוב בהצבעה פג. +EmailSomeoneVoted=%s מילא שורה.\nאתה יכול למצוא את הסקר שלך בקישור:\n%s +ShowSurvey=הצג סקר +UserMustBeSameThanUserUsedToVote=עליך להצביע ולהשתמש באותו שם משתמש שבו השתמש להצבעה, כדי לפרסם תגובה +ListOfOpenSurveys=רשימת סקרים פתוחים diff --git a/htdocs/langs/he_IL/orders.lang b/htdocs/langs/he_IL/orders.lang index db02f765c59..54e3220e766 100644 --- a/htdocs/langs/he_IL/orders.lang +++ b/htdocs/langs/he_IL/orders.lang @@ -1,196 +1,208 @@ # Dolibarr language file - Source file is en_US - orders -OrdersArea=Customers orders area -SuppliersOrdersArea=Purchase orders area -OrderCard=Order card -OrderId=Order Id +OrderExists=הזמנה כבר הייתה פתוחה המקושרת להצעה זו, כך שלא נוצרה הזמנה אחרת באופן אוטומטי +OrdersArea=אזור הזמנות לקוחות +SuppliersOrdersArea=אזור הזמנות רכש +OrderCard=כרטיס הזמנה +OrderId=מספר הזמנה Order=סדר PdfOrderTitle=סדר -Orders=Orders -OrderLine=Order line -OrderDate=Order date -OrderDateShort=Order date -OrderToProcess=Order to process -NewOrder=New order -NewSupplierOrderShort=New order -NewOrderSupplier=New Purchase Order -ToOrder=Make order -MakeOrder=Make order -SupplierOrder=Purchase order -SuppliersOrders=Purchase orders -SaleOrderLines=Sales order lines -PurchaseOrderLines=Puchase order lines -SuppliersOrdersRunning=Current purchase orders -CustomerOrder=Sales Order -CustomersOrders=Sales Orders -CustomersOrdersRunning=Current sales orders -CustomersOrdersAndOrdersLines=Sales orders and order details -OrdersDeliveredToBill=Sales orders delivered to bill -OrdersToBill=Sales orders delivered -OrdersInProcess=Sales orders in process -OrdersToProcess=Sales orders to process -SuppliersOrdersToProcess=Purchase orders to process -SuppliersOrdersAwaitingReception=Purchase orders awaiting reception -AwaitingReception=Awaiting reception -StatusOrderCanceledShort=Canceled -StatusOrderDraftShort=Draft -StatusOrderValidatedShort=Validated -StatusOrderSentShort=In process -StatusOrderSent=Shipment in process -StatusOrderOnProcessShort=Ordered -StatusOrderProcessedShort=Processed -StatusOrderDelivered=Delivered -StatusOrderDeliveredShort=Delivered -StatusOrderToBillShort=Delivered -StatusOrderApprovedShort=Approved -StatusOrderRefusedShort=Refused -StatusOrderToProcessShort=To process -StatusOrderReceivedPartiallyShort=Partially received -StatusOrderReceivedAllShort=Products received -StatusOrderCanceled=Canceled -StatusOrderDraft=Draft (needs to be validated) -StatusOrderValidated=Validated -StatusOrderOnProcess=Ordered - Standby reception -StatusOrderOnProcessWithValidation=Ordered - Standby reception or validation -StatusOrderProcessed=Processed -StatusOrderToBill=Delivered -StatusOrderApproved=Approved -StatusOrderRefused=Refused -StatusOrderReceivedPartially=Partially received -StatusOrderReceivedAll=All products received -ShippingExist=A shipment exists -QtyOrdered=Qty ordered -ProductQtyInDraft=Product quantity into draft orders -ProductQtyInDraftOrWaitingApproved=Product quantity into draft or approved orders, not yet ordered -MenuOrdersToBill=Orders delivered -MenuOrdersToBill2=Billable orders -ShipProduct=Ship product -CreateOrder=Create Order -RefuseOrder=Refuse order -ApproveOrder=Approve order -Approve2Order=Approve order (second level) -ValidateOrder=Validate order -UnvalidateOrder=Unvalidate order -DeleteOrder=Delete order -CancelOrder=Cancel order -OrderReopened= Order %s re-open -AddOrder=Create order -AddSupplierOrderShort=Create order -AddPurchaseOrder=Create purchase order -AddToDraftOrders=Add to draft order -ShowOrder=Show order -OrdersOpened=Orders to process -NoDraftOrders=No draft orders -NoOrder=No order -NoSupplierOrder=No purchase order -LastOrders=Latest %s sales orders -LastCustomerOrders=Latest %s sales orders -LastSupplierOrders=Latest %s purchase orders -LastModifiedOrders=Latest %s modified orders -AllOrders=All orders -NbOfOrders=Number of orders -OrdersStatistics=Order's statistics -OrdersStatisticsSuppliers=Purchase order statistics -NumberOfOrdersByMonth=Number of orders by month -AmountOfOrdersByMonthHT=Amount of orders by month (excl. tax) -ListOfOrders=List of orders -CloseOrder=Close order -ConfirmCloseOrder=Are you sure you want to set this order to delivered? Once an order is delivered, it can be set to billed. -ConfirmDeleteOrder=Are you sure you want to delete this order? -ConfirmValidateOrder=Are you sure you want to validate this order under name %s? -ConfirmUnvalidateOrder=Are you sure you want to restore order %s to draft status? -ConfirmCancelOrder=Are you sure you want to cancel this order? -ConfirmMakeOrder=Are you sure you want to confirm you made this order on %s? -GenerateBill=Generate invoice -ClassifyShipped=Classify delivered -DraftOrders=Draft orders -DraftSuppliersOrders=Draft purchase orders -OnProcessOrders=In process orders -RefOrder=Ref. order -RefCustomerOrder=Ref. order for customer -RefOrderSupplier=Ref. order for vendor -RefOrderSupplierShort=Ref. order vendor -SendOrderByMail=Send order by mail -ActionsOnOrder=Events on order -NoArticleOfTypeProduct=No article of type 'product' so no shippable article for this order -OrderMode=Order method -AuthorRequest=Request author -UserWithApproveOrderGrant=Users granted with "approve orders" permission. -PaymentOrderRef=Payment of order %s -ConfirmCloneOrder=Are you sure you want to clone this order %s? -DispatchSupplierOrder=Receiving purchase order %s -FirstApprovalAlreadyDone=First approval already done -SecondApprovalAlreadyDone=Second approval already done -SupplierOrderReceivedInDolibarr=Purchase Order %s received %s -SupplierOrderSubmitedInDolibarr=Purchase Order %s submitted -SupplierOrderClassifiedBilled=Purchase Order %s set billed -OtherOrders=Other orders -SupplierOrderValidatedAndApproved=Supplier order is validated and approved : %s -SupplierOrderValidated=Supplier order is validated : %s +Orders=הזמנות +OrderLine=שורת הזמנות +OrderDate=תאריך הזמנה +OrderDateShort=תאריך הזמנה +OrderToProcess=הזמנה לעיבוד +NewOrder=הזמנה חדשה +NewSupplierOrderShort=הזמנה חדשה +NewOrderSupplier=הזמנת רכש חדשה +ToOrder=תעשה סדר +MakeOrder=תעשה סדר +SupplierOrder=הזמנה +SuppliersOrders=הזמנות רכש +SaleOrderLines=שורות הזמנת מכירות +PurchaseOrderLines=שורות הזמנת רכש +SuppliersOrdersRunning=הזמנות רכש נוכחיות +CustomerOrder=סדר מכירות +CustomersOrders=הזמנות מכירה +CustomersOrdersRunning=הזמנות מכירות נוכחיות +CustomersOrdersAndOrdersLines=הזמנות מכירה ופרטי הזמנה +OrdersDeliveredToBill=הזמנות מכירה נמסרו לחשבון +OrdersToBill=הזמנות מכירה נמסרו +OrdersInProcess=הזמנות מכירה בתהליך +OrdersToProcess=הזמנות מכירה לעיבוד +SuppliersOrdersToProcess=הזמנות רכש לעיבוד +SuppliersOrdersAwaitingReception=הזמנות רכש ממתינות לקבלה +AwaitingReception=ממתין לקבלה +StatusOrderCanceledShort=מבוטל +StatusOrderDraftShort=טְיוּטָה +StatusOrderValidatedShort=מאומת +StatusOrderSentShort=בתהליך +StatusOrderSent=משלוח בתהליך +StatusOrderOnProcessShort=הוזמן +StatusOrderProcessedShort=מעובד +StatusOrderDelivered=נמסר +StatusOrderDeliveredShort=נמסר +StatusOrderToBillShort=נמסר +StatusOrderApprovedShort=אושר +StatusOrderRefusedShort=סירב +StatusOrderToProcessShort=לעבד +StatusOrderReceivedPartiallyShort=התקבל חלקית +StatusOrderReceivedAllShort=מוצרים שהתקבלו +StatusOrderCanceled=מבוטל +StatusOrderDraft=טיוטה (צריך לאמת) +StatusOrderValidated=מאומת +StatusOrderOnProcess=הוזמן - קליטה בהמתנה +StatusOrderOnProcessWithValidation=הוזמן - קליטה או אימות בהמתנה +StatusOrderProcessed=מעובד +StatusOrderToBill=נמסר +StatusOrderApproved=אושר +StatusOrderRefused=סירב +StatusOrderReceivedPartially=התקבל חלקית +StatusOrderReceivedAll=כל המוצרים התקבלו +ShippingExist=קיים משלוח +QtyOrdered=כמות הוזמנה +ProductQtyInDraft=כמות מוצר לתוך טיוטת הזמנות +ProductQtyInDraftOrWaitingApproved=כמות המוצר בטיוטה או בהזמנות מאושרות, טרם הוזמנה +MenuOrdersToBill=הזמנות נמסרו +MenuOrdersToBill2=הזמנות שניתנות לחיוב +ShipProduct=משלוח מוצר +CreateOrder=צור הזמנה +RefuseOrder=לסרב פקודה +ApproveOrder=לאשר הזמנה +Approve2Order=אישור הזמנה (רמה שנייה) +UserApproval=משתמש לאישור +UserApproval2=משתמש לאישור (רמה שנייה) +ValidateOrder=אימות הזמנה +UnvalidateOrder=בטל את ההזמנה +DeleteOrder=מחק הזמנה +CancelOrder=בטל הזמנה +OrderReopened= הזמנת %s פתיחה מחדש +AddOrder=צור סדר +AddSupplierOrderShort=צור סדר +AddPurchaseOrder=צור הזמנת רכש +AddToDraftOrders=הוסף לטיוטת הזמנה +ShowOrder=הצג סדר +OrdersOpened=הזמנות לעיבוד +NoDraftOrders=אין טיוטת צווים +NoOrder=אין הזמנה +NoSupplierOrder=אין הזמנת רכש +LastOrders=הזמנות המכירה האחרונות של %s +LastCustomerOrders=הזמנות המכירה האחרונות של %s +LastSupplierOrders=הזמנות הרכש האחרונות של %s +LastModifiedOrders=ההזמנות האחרונות ששונו %s +AllOrders=כל ההזמנות +NbOfOrders=מספר ההזמנות +OrdersStatistics=הסטטיסטיקה של ההזמנה +OrdersStatisticsSuppliers=סטטיסטיקות הזמנת רכש +NumberOfOrdersByMonth=מספר הזמנות לפי חודש +AmountOfOrdersByMonthHT=כמות ההזמנות לפי חודש (לא כולל מס) +ListOfOrders=רשימת הזמנות +ListOrderLigne=שורות של הזמנות +productobuy=מוצרים לקנייה בלבד +productonly=מוצרים בלבד +disablelinefree=אין קווים פנויים +CloseOrder=סגור הזמנה +ConfirmCloseOrder=האם אתה בטוח שברצונך להגדיר הזמנה זו למסירה? לאחר מסירת הזמנה, ניתן להגדיר אותה לחיוב. +ConfirmDeleteOrder=האם אתה בטוח שברצונך למחוק הזמנה זו? +ConfirmValidateOrder=האם אתה בטוח שברצונך לאמת הזמנה זו תחת השם %s ? +ConfirmUnvalidateOrder=האם אתה בטוח שברצונך לשחזר את הסדר %s לסטטוס הטיוטה ? +ConfirmCancelOrder=האם אתה בטוח שברצונך לבטל הזמנה זו? +ConfirmMakeOrder=האם אתה בטוח שברצונך לאשר שביצעת הזמנה זו ב-%s? +GenerateBill=הפקת חשבונית +ClassifyShipped=מסווג נמסר +PassedInShippedStatus=מסווג נמסר +YouCantShipThis=אני לא יכול לסווג את זה. אנא בדוק את הרשאות המשתמש +DraftOrders=טיוטת צווים +DraftSuppliersOrders=טיוטת הזמנות רכש +OnProcessOrders=בתהליך הזמנות +RefOrder=רפ. להזמין +RefCustomerOrder=רפ. הזמנה ללקוח +RefOrderSupplier=רפ. הזמנה לספק +RefOrderSupplierShort=רפ. ספק הזמנה +SendOrderByMail=שלח הזמנה בדואר +ActionsOnOrder=אירועים בהזמנה +NoArticleOfTypeProduct=אין מאמר מסוג 'מוצר' ולכן אין מאמר שניתן לשלוח עבור הזמנה זו +OrderMode=שיטת ההזמנה +AuthorRequest=בקש מחבר +UserWithApproveOrderGrant=משתמשים שניתנו עם הרשאת "אשר הזמנות". +PaymentOrderRef=תשלום הזמנה %s +ConfirmCloneOrder=האם אתה בטוח שברצונך לשכפל הזמנה זו %s? +DispatchSupplierOrder=מקבל הזמנת רכש %s +FirstApprovalAlreadyDone=האישור הראשון כבר נעשה +SecondApprovalAlreadyDone=האישור השני כבר נעשה +SupplierOrderReceivedInDolibarr=הזמנת רכש %s התקבלה %s +SupplierOrderSubmitedInDolibarr=הזמנת רכש %s נשלחה +SupplierOrderClassifiedBilled=הזמנת רכש %s מוגדרת מחויבת +OtherOrders=הזמנות אחרות +SupplierOrderValidatedAndApproved=הזמנת הספק מאומתת ומאושרת: %s +SupplierOrderValidated=הזמנת הספק מאומתת: %s +OrderShowDetail=הצג פרטי הזמנה ##### Types de contacts ##### -TypeContact_commande_internal_SALESREPFOLL=Representative following-up sales order -TypeContact_commande_internal_SHIPPING=Representative following-up shipping -TypeContact_commande_external_BILLING=Customer invoice contact -TypeContact_commande_external_SHIPPING=Customer shipping contact -TypeContact_commande_external_CUSTOMER=Customer contact following-up order -TypeContact_order_supplier_internal_SALESREPFOLL=Representative following-up purchase order -TypeContact_order_supplier_internal_SHIPPING=Representative following-up shipping -TypeContact_order_supplier_external_BILLING=Vendor invoice contact -TypeContact_order_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_order_supplier_external_CUSTOMER=Vendor contact following-up order -Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Constant COMMANDE_SUPPLIER_ADDON not defined -Error_COMMANDE_ADDON_NotDefined=Constant COMMANDE_ADDON not defined -Error_OrderNotChecked=No orders to invoice selected +TypeContact_commande_internal_SALESREPFOLL=נציג מעקב אחר הזמנת מכירות +TypeContact_commande_internal_SHIPPING=נציג מעקב משלוח +TypeContact_commande_external_BILLING=קשר חשבונית לקוח +TypeContact_commande_external_SHIPPING=איש קשר למשלוח לקוחות +TypeContact_commande_external_CUSTOMER=הזמנת המשך ליצירת קשר עם הלקוח +TypeContact_order_supplier_internal_SALESREPFOLL=נציג מעקב אחר הזמנת רכש +TypeContact_order_supplier_internal_SHIPPING=נציג מעקב משלוח +TypeContact_order_supplier_external_BILLING=איש קשר עם חשבונית ספק +TypeContact_order_supplier_external_SHIPPING=איש קשר למשלוח +TypeContact_order_supplier_external_CUSTOMER=המשך ההזמנה ליצירת קשר עם הספק +Error_COMMANDE_SUPPLIER_ADDON_NotDefined=קבוע COMMANDE_SUPPLIER_ADDON לא מוגדר +Error_COMMANDE_ADDON_NotDefined=קבוע COMMANDE_ADDON לא מוגדר +Error_OrderNotChecked=לא נבחרו הזמנות לחשבונית # Order modes (how we receive order). Not the "why" are keys stored into dict.lang -OrderByMail=Mail -OrderByFax=Fax -OrderByEMail=Email -OrderByWWW=Online -OrderByPhone=Phone +OrderByMail=דוֹאַר +OrderByFax=פַקס +OrderByEMail=אימייל +OrderByWWW=באינטרנט +OrderByPhone=טלפון # Documents models -PDFEinsteinDescription=A complete order model (old implementation of Eratosthene template) -PDFEratostheneDescription=A complete order model -PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete Proforma invoice template -CreateInvoiceForThisCustomer=Bill orders -CreateInvoiceForThisSupplier=Bill orders -CreateInvoiceForThisReceptions=Bill receptions -NoOrdersToInvoice=No orders billable -CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. -OrderCreation=Order creation -Ordered=Ordered -OrderCreated=Your orders have been created -OrderFail=An error happened during your orders creation -CreateOrders=Create orders -ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. -IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. -SetShippingMode=Set shipping mode -WithReceptionFinished=With reception finished +PDFEinsteinDescription=מודל הזמנה שלם (יישום ישן של תבנית Eratosthene) +PDFEratostheneDescription=דגם הזמנה שלם +PDFEdisonDescription=דגם הזמנה פשוט +PDFProformaDescription=תבנית חשבונית פרופורמה מלאה +CreateInvoiceForThisCustomer=הזמנות שטר +CreateInvoiceForThisSupplier=הזמנות שטר +CreateInvoiceForThisReceptions=קבלת חשבונות +NoOrdersToInvoice=אין הזמנות לחיוב +CloseProcessedOrdersAutomatically=סיווג "עובד" את כל ההזמנות שנבחרו. +OrderCreation=יצירת הזמנה +Ordered=הוזמן +OrderCreated=ההזמנות שלך נוצרו +OrderFail=אירעה שגיאה במהלך יצירת ההזמנות שלך +CreateOrders=צור הזמנות +ToBillSeveralOrderSelectCustomer=כדי ליצור חשבונית עבור מספר הזמנות, לחץ תחילה על הלקוח ולאחר מכן בחר "%s". +OptionToSetOrderBilledNotEnabled=האפשרות מזרימת העבודה של מודול, להגדיר הזמנה ל'חיוב' באופן אוטומטי כאשר החשבונית מאומתת, אינה מופעלת, כך שתצטרך להגדיר את מצב ההזמנות ל'חיוב' באופן ידני לאחר הפקת החשבונית. +IfValidateInvoiceIsNoOrderStayUnbilled=אם אימות החשבונית הוא 'לא', ההזמנה תישאר במצב 'לא מחויב' עד לתוקף החשבונית. +CloseReceivedSupplierOrdersAutomatically=סגור את ההזמנה למצב "%s" באופן אוטומטי אם כל המוצרים מתקבלים. +SetShippingMode=הגדר מצב משלוח +WithReceptionFinished=עם סיום קבלת הפנים #### supplier orders status -StatusSupplierOrderCanceledShort=Canceled -StatusSupplierOrderDraftShort=Draft -StatusSupplierOrderValidatedShort=Validated -StatusSupplierOrderSentShort=In process -StatusSupplierOrderSent=Shipment in process -StatusSupplierOrderOnProcessShort=Ordered -StatusSupplierOrderProcessedShort=Processed -StatusSupplierOrderDelivered=Delivered -StatusSupplierOrderDeliveredShort=Delivered -StatusSupplierOrderToBillShort=Delivered -StatusSupplierOrderApprovedShort=Approved -StatusSupplierOrderRefusedShort=Refused -StatusSupplierOrderToProcessShort=To process -StatusSupplierOrderReceivedPartiallyShort=Partially received -StatusSupplierOrderReceivedAllShort=Products received -StatusSupplierOrderCanceled=Canceled -StatusSupplierOrderDraft=Draft (needs to be validated) -StatusSupplierOrderValidated=Validated -StatusSupplierOrderOnProcess=Ordered - Standby reception -StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation -StatusSupplierOrderProcessed=Processed -StatusSupplierOrderToBill=Delivered -StatusSupplierOrderApproved=Approved -StatusSupplierOrderRefused=Refused -StatusSupplierOrderReceivedPartially=Partially received -StatusSupplierOrderReceivedAll=All products received +StatusSupplierOrderCanceledShort=מבוטל +StatusSupplierOrderDraftShort=טְיוּטָה +StatusSupplierOrderValidatedShort=מאומת +StatusSupplierOrderSentShort=בתהליך +StatusSupplierOrderSent=משלוח בתהליך +StatusSupplierOrderOnProcessShort=הוזמן +StatusSupplierOrderProcessedShort=מעובד +StatusSupplierOrderDelivered=נמסר +StatusSupplierOrderDeliveredShort=נמסר +StatusSupplierOrderToBillShort=נמסר +StatusSupplierOrderApprovedShort=אושר +StatusSupplierOrderRefusedShort=סירב +StatusSupplierOrderToProcessShort=לעבד +StatusSupplierOrderReceivedPartiallyShort=התקבל חלקית +StatusSupplierOrderReceivedAllShort=מוצרים שהתקבלו +StatusSupplierOrderCanceled=מבוטל +StatusSupplierOrderDraft=טיוטה (צריך לאמת) +StatusSupplierOrderValidated=מאומת +StatusSupplierOrderOnProcess=הוזמן - קליטה בהמתנה +StatusSupplierOrderOnProcessWithValidation=הוזמן - קליטה או אימות בהמתנה +StatusSupplierOrderProcessed=מעובד +StatusSupplierOrderToBill=נמסר +StatusSupplierOrderApproved=אושר +StatusSupplierOrderRefused=סירב +StatusSupplierOrderReceivedPartially=התקבל חלקית +StatusSupplierOrderReceivedAll=כל המוצרים התקבלו +NeedAtLeastOneInvoice = חייבת להיות לפחות חשבונית אחת +LineAlreadyDispatched = שורת ההזמנה כבר התקבלה. diff --git a/htdocs/langs/he_IL/other.lang b/htdocs/langs/he_IL/other.lang index 1cd1c4956be..e0560fc6164 100644 --- a/htdocs/langs/he_IL/other.lang +++ b/htdocs/langs/he_IL/other.lang @@ -1,305 +1,338 @@ # Dolibarr language file - Source file is en_US - other -SecurityCode=Security code -NumberingShort=N° +SecurityCode=קוד אבטחה +NumberingShort=מס' Tools=Tools TMenuTools=Tools -ToolsDesc=All tools not included in other menu entries are grouped here.
      All the tools can be accessed via the left menu. -Birthday=Birthday -BirthdayAlertOn=birthday alert active -BirthdayAlertOff=birthday alert inactive -TransKey=Translation of the key TransKey -MonthOfInvoice=Month (number 1-12) of invoice date -TextMonthOfInvoice=Month (text) of invoice date -PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date -TextPreviousMonthOfInvoice=Previous month (text) of invoice date -NextMonthOfInvoice=Following month (number 1-12) of invoice date -TextNextMonthOfInvoice=Following month (text) of invoice date -PreviousMonth=Previous month -CurrentMonth=Current month -ZipFileGeneratedInto=Zip file generated into %s. -DocFileGeneratedInto=Doc file generated into %s. -JumpToLogin=Disconnected. Go to login page... -MessageForm=Message on online payment form -MessageOK=Message on the return page for a validated payment -MessageKO=Message on the return page for a canceled payment -ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. -DeleteAlsoContentRecursively=Check to delete all content recursively -PoweredBy=Powered by -YearOfInvoice=Year of invoice date -PreviousYearOfInvoice=Previous year of invoice date -NextYearOfInvoice=Following year of invoice date -DateNextInvoiceBeforeGen=Date of next invoice (before generation) -DateNextInvoiceAfterGen=Date of next invoice (after generation) -GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. -OnlyOneFieldForXAxisIsPossible=Only 1 field is currently possible as X-Axis. Only the first selected field has been selected. -AtLeastOneMeasureIsRequired=At least 1 field for measure is required -AtLeastOneXAxisIsRequired=At least 1 field for X-Axis is required -LatestBlogPosts=Latest Blog Posts -notiftouser=To users -notiftofixedemail=To fixed mail -notiftouserandtofixedemail=To user and fixed mail -Notify_ORDER_VALIDATE=Sales order validated -Notify_ORDER_SENTBYMAIL=Sales order sent by mail -Notify_ORDER_SUPPLIER_SENTBYMAIL=Purchase order sent by email -Notify_ORDER_SUPPLIER_VALIDATE=Purchase order recorded -Notify_ORDER_SUPPLIER_APPROVE=Purchase order approved -Notify_ORDER_SUPPLIER_REFUSE=Purchase order refused -Notify_PROPAL_VALIDATE=Customer proposal validated -Notify_PROPAL_CLOSE_SIGNED=Customer proposal closed signed -Notify_PROPAL_CLOSE_REFUSED=Customer proposal closed refused -Notify_PROPAL_SENTBYMAIL=Commercial proposal sent by mail -Notify_WITHDRAW_TRANSMIT=Transmission withdrawal -Notify_WITHDRAW_CREDIT=Credit withdrawal -Notify_WITHDRAW_EMIT=Perform withdrawal -Notify_COMPANY_CREATE=Third party created -Notify_COMPANY_SENTBYMAIL=Mails sent from third party card -Notify_BILL_VALIDATE=Customer invoice validated -Notify_BILL_UNVALIDATE=Customer invoice unvalidated -Notify_BILL_PAYED=Customer invoice paid -Notify_BILL_CANCEL=Customer invoice canceled -Notify_BILL_SENTBYMAIL=Customer invoice sent by mail -Notify_BILL_SUPPLIER_VALIDATE=Vendor invoice validated -Notify_BILL_SUPPLIER_PAYED=Vendor invoice paid -Notify_BILL_SUPPLIER_SENTBYMAIL=Vendor invoice sent by mail -Notify_BILL_SUPPLIER_CANCELED=Vendor invoice cancelled -Notify_CONTRACT_VALIDATE=Contract validated -Notify_FICHINTER_VALIDATE=Intervention validated -Notify_FICHINTER_ADD_CONTACT=Added contact to Intervention -Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail -Notify_SHIPPING_VALIDATE=Shipping validated -Notify_SHIPPING_SENTBYMAIL=Shipping sent by mail -Notify_MEMBER_VALIDATE=Member validated -Notify_MEMBER_MODIFY=Member modified -Notify_MEMBER_SUBSCRIPTION=Member subscribed -Notify_MEMBER_RESILIATE=Member terminated -Notify_MEMBER_DELETE=Member deleted -Notify_PROJECT_CREATE=Project creation -Notify_TASK_CREATE=Task created -Notify_TASK_MODIFY=Task modified -Notify_TASK_DELETE=Task deleted -Notify_EXPENSE_REPORT_VALIDATE=Expense report validated (approval required) -Notify_EXPENSE_REPORT_APPROVE=Expense report approved -Notify_HOLIDAY_VALIDATE=Leave request validated (approval required) -Notify_HOLIDAY_APPROVE=Leave request approved -Notify_ACTION_CREATE=Added action to Agenda -SeeModuleSetup=See setup of module %s -NbOfAttachedFiles=Number of attached files/documents -TotalSizeOfAttachedFiles=Total size of attached files/documents -MaxSize=Maximum size -AttachANewFile=Attach a new file/document -LinkedObject=Linked object -NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__
      This is a test mail sent to __EMAIL__ (the word test must be in bold).
      The lines are separated by a carriage return.

      __USER_SIGNATURE__ -PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendProposal=__(Hello)__\n\nPlease find commercial proposal __REF__ attached \n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nPlease find price request __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendOrder=__(Hello)__\n\nPlease find order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nPlease find our order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n -PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__

      This is an automatic message, please do not reply. -DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available. -ChooseYourDemoProfil=Choose the demo profile that best suits your needs... -ChooseYourDemoProfilMore=...or build your own profile
      (manual module selection) -DemoFundation=Manage members of a foundation -DemoFundation2=Manage members and bank account of a foundation -DemoCompanyServiceOnly=Company or freelance selling service only -DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Shop selling products with Point Of Sales -DemoCompanyManufacturing=Company manufacturing products -DemoCompanyAll=Company with multiple activities (all main modules) -CreatedBy=Created by %s -ModifiedBy=Modified by %s -ValidatedBy=Validated by %s -SignedBy=Signed by %s -ClosedBy=Closed by %s -CreatedById=User id who created -ModifiedById=User id who made latest change -ValidatedById=User id who validated -CanceledById=User id who canceled -ClosedById=User id who closed -CreatedByLogin=User login who created -ModifiedByLogin=User login who made latest change -ValidatedByLogin=User login who validated -CanceledByLogin=User login who canceled -ClosedByLogin=User login who closed -FileWasRemoved=File %s was removed -DirWasRemoved=Directory %s was removed -FeatureNotYetAvailable=Feature not yet available in the current version -FeatureNotAvailableOnDevicesWithoutMouse=Feature not available on devices without mouse -FeaturesSupported=Supported features -Width=Width -Height=Height -Depth=Depth -Top=Top -Bottom=Bottom -Left=Left -Right=Right -CalculatedWeight=Calculated weight -CalculatedVolume=Calculated volume -Weight=Weight -WeightUnitton=ton -WeightUnitkg=kg -WeightUnitg=g -WeightUnitmg=mg -WeightUnitpound=pound -WeightUnitounce=ounce -Length=Length -LengthUnitm=m +ToolsDesc=כל הכלים שאינם כלולים בערכים אחרים בתפריט מקובצים כאן.
      ניתן לגשת לכל הכלים דרך התפריט השמאלי. +Birthday=יום הולדת +BirthdayAlert=התראה על יום הולדת +BirthdayAlertOn=התראת יום הולדת פעילה +BirthdayAlertOff=התראת יום הולדת לא פעילה +TransKey=תרגום מפתח TransKey +MonthOfInvoice=חודש (מספר 1-12) מתאריך החשבונית +TextMonthOfInvoice=חודש (טקסט) של תאריך החשבונית +PreviousMonthOfInvoice=החודש הקודם (מספר 1-12) מתאריך החשבונית +TextPreviousMonthOfInvoice=החודש הקודם (טקסט) של תאריך החשבונית +NextMonthOfInvoice=החודש הבא (מספר 1-12) מתאריך החשבונית +TextNextMonthOfInvoice=החודש הבא (טקסט) של תאריך החשבונית +PreviousMonth=חודש שעבר +CurrentMonth=החודש הנוכחי +ZipFileGeneratedInto=קובץ Zip שנוצר לתוך %s. +DocFileGeneratedInto=קובץ מסמך שנוצר לתוך %s. +JumpToLogin=מְנוּתָק. עבור לדף התחברות... +MessageForm=הודעה בטופס תשלום מקוון +MessageOK=הודעה בדף ההחזרה לתשלום מאומת +MessageKO=הודעה בדף ההחזרה על תשלום שבוטל +ContentOfDirectoryIsNotEmpty=התוכן של ספרייה זו אינו ריק. +DeleteAlsoContentRecursively=סמן כדי למחוק את כל התוכן באופן רקורסיבי +PoweredBy=מונע ע"י +YearOfInvoice=שנת תאריך החשבונית +PreviousYearOfInvoice=שנה קודמת של תאריך החשבונית +NextYearOfInvoice=השנה הבאה של תאריך החשבונית +DateNextInvoiceBeforeGen=תאריך החשבונית הבאה (לפני יצירת) +DateNextInvoiceAfterGen=תאריך החשבונית הבאה (לאחר יצירת) +GraphInBarsAreLimitedToNMeasures=הגרפיקה מוגבלת למידות %s במצב 'פסים'. במצב 'קווים' נבחר אוטומטית במקום זאת. +OnlyOneFieldForXAxisIsPossible=רק שדה אחד אפשרי כרגע כציר X. רק השדה הראשון שנבחר נבחר. +AtLeastOneMeasureIsRequired=נדרש לפחות שדה אחד למדידה +AtLeastOneXAxisIsRequired=נדרש שדה אחד לפחות עבור ציר X +LatestBlogPosts=פוסטים אחרונים בבלוג +notiftouser=למשתמשים +notiftofixedemail=לדואר מתוקן +notiftouserandtofixedemail=למשתמש ודואר קבוע +Notify_ORDER_VALIDATE=הזמנת מכירות אומתה +Notify_ORDER_SENTBYMAIL=הזמנת מכירות נשלחת בדואר +Notify_ORDER_CLOSE=הזמנת מכירות נמסרה +Notify_ORDER_SUPPLIER_SENTBYMAIL=הזמנת רכש נשלחה במייל +Notify_ORDER_SUPPLIER_VALIDATE=הזמנת רכש נרשמה +Notify_ORDER_SUPPLIER_APPROVE=הזמנת רכש אושרה +Notify_ORDER_SUPPLIER_SUBMIT=הזמנת רכש הוגשה +Notify_ORDER_SUPPLIER_REFUSE=הזמנת רכש סורבה +Notify_PROPAL_VALIDATE=הצעת הלקוח אומתה +Notify_PROPAL_CLOSE_SIGNED=הצעת הלקוח נסגרה חתומה +Notify_PROPAL_CLOSE_REFUSED=הצעת הלקוח נסגרה נדחתה +Notify_PROPAL_SENTBYMAIL=הצעה מסחרית נשלחת בדואר +Notify_WITHDRAW_TRANSMIT=ביטול שידור +Notify_WITHDRAW_CREDIT=משיכת אשראי +Notify_WITHDRAW_EMIT=בצע משיכה +Notify_COMPANY_CREATE=צד שלישי נוצר +Notify_COMPANY_SENTBYMAIL=מיילים שנשלחו מהדף של צד שלישי +Notify_BILL_VALIDATE=חשבונית הלקוח אומתה +Notify_BILL_UNVALIDATE=חשבונית לקוח לא אושרה +Notify_BILL_PAYED=חשבונית לקוח שולמה +Notify_BILL_CANCEL=חשבונית הלקוח בוטלה +Notify_BILL_SENTBYMAIL=חשבונית לקוח נשלחה בדואר +Notify_BILL_SUPPLIER_VALIDATE=חשבונית הספק אומתה +Notify_BILL_SUPPLIER_PAYED=חשבונית ספק שולמה +Notify_BILL_SUPPLIER_SENTBYMAIL=חשבונית ספק נשלחה בדואר +Notify_BILL_SUPPLIER_CANCELED=חשבונית הספק בוטלה +Notify_CONTRACT_VALIDATE=תוקף החוזה +Notify_FICHINTER_VALIDATE=התערבות מאומתת +Notify_FICHINTER_CLOSE=ההתערבות נסגרה +Notify_FICHINTER_ADD_CONTACT=איש קשר נוסף להתערבות +Notify_FICHINTER_SENTBYMAIL=התערבות נשלחת בדואר +Notify_SHIPPING_VALIDATE=משלוח מאומת +Notify_SHIPPING_SENTBYMAIL=משלוח נשלח בדואר +Notify_MEMBER_VALIDATE=חבר מאומת +Notify_MEMBER_MODIFY=חבר שונה +Notify_MEMBER_SUBSCRIPTION=חבר נרשם +Notify_MEMBER_RESILIATE=חבר הופסק +Notify_MEMBER_DELETE=חבר נמחק +Notify_PROJECT_CREATE=יצירת פרויקט +Notify_TASK_CREATE=המשימה נוצרה +Notify_TASK_MODIFY=המשימה השתנתה +Notify_TASK_DELETE=המשימה נמחקה +Notify_EXPENSE_REPORT_VALIDATE=דוח הוצאה מאומת (נדרש אישור) +Notify_EXPENSE_REPORT_APPROVE=דו"ח הוצאות אושר +Notify_HOLIDAY_VALIDATE=השאר את הבקשה מאומתת (נדרש אישור) +Notify_HOLIDAY_APPROVE=בקשת העזיבה אושרה +Notify_ACTION_CREATE=נוספה פעולה לסדר היום +SeeModuleSetup=ראה את ההגדרה של המודול %s +NbOfAttachedFiles=מספר קבצים/מסמכים מצורפים +TotalSizeOfAttachedFiles=גודל כולל של קבצים/מסמכים מצורפים +MaxSize=גודל מקסימלי +AttachANewFile=צרף קובץ/מסמך חדש +LinkedObject=אובייקט מקושר +NbOfActiveNotifications=מספר הודעות (מספר הודעות אימייל של נמענים) +PredefinedMailTest=__(שלום)__\nזהו דואר ניסיון שנשלח אל __EMAIL__.\nהקווים מופרדים על ידי החזרת כרכרה.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(שלום)__
      זהו מבחן אל __EMAIL__ (המילה test חייבת להיות מודגשת).
      השורות מופרדות על ידי החזרת כרכרה.

      __USER_SIGNATURE__ +PredefinedMailContentContract=__(שלום)__\n\n\n__(בכנות)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(שלום)__\n\nמצא חשבונית __REF__ מצורפת\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(בכנות)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(שלום)__\n\nברצוננו להזכיר לכם כי נראה כי החשבונית __REF__ לא שולמה. מצורף עותק החשבונית כתזכורת.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(בכנות)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendProposal=__(שלום)__\n\nמצורף הצעה מסחרית __REF__\n\n\n__(בכנות)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierProposal=__(שלום)__\n\nמצא את בקשת המחיר __REF__ מצורפת\n\n\n__(בכנות)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendOrder=__(שלום)__\n\nאנא מצא את ההזמנה __REF__ מצורפת\n\n\n__(בכנות)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierOrder=__(שלום)__\n\nאנא מצא את ההזמנה שלנו __REF__ מצורפת\n\n\n__(בכנות)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierInvoice=__(שלום)__\n\nמצא חשבונית __REF__ מצורפת\n\n\n__(בכנות)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendShipping=__(שלום)__\n\nאנא מצא משלוח __REF__ מצורף\n\n\n__(בכנות)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendFichInter=__(שלום)__\n\nמצא התערבות __REF__ מצורפת\n\n\n__(בכנות)__\n\n__USER_SIGNATURE__ +PredefinedMailContentLink=אתה יכול ללחוץ על הקישור למטה כדי לבצע את התשלום שלך אם הוא עדיין לא בוצע.\n\n%s\n\n +PredefinedMailContentGeneric=__(שלום)__\n\n\n__(בכנות)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendActionComm=תזכורת לאירוע "__EVENT_LABEL__" ב-__EVENT_DATE__ בשעה __EVENT_TIME__

      זו הודעה אוטומטית, נא לא להשיב. +DemoDesc=Dolibarr הוא ERP/CRM קומפקטי התומך במספר מודולים עסקיים. הדגמה המציגה את כל המודולים אינה הגיונית שכן תרחיש זה לעולם לא מתרחש (כמה מאות זמינים). אז, מספר פרופילי הדגמה זמינים. +ChooseYourDemoProfil=בחר את פרופיל ההדגמה המתאים ביותר לצרכים שלך... +ChooseYourDemoProfilMore=...או בנה פרופיל משלך
      (בחירה ידנית של מודול) +DemoFundation=ניהול חברי קרן +DemoFundation2=ניהול חברים וחשבון בנק של קרן +DemoCompanyServiceOnly=שירות מכירה של חברה או עצמאי בלבד +DemoCompanyShopWithCashDesk=ניהול חנות עם קופה +DemoCompanyProductAndStocks=חנות למכירת מוצרים עם נקודת מכירה +DemoCompanyManufacturing=חברה לייצור מוצרים +DemoCompanyAll=חברה עם מספר פעילויות (כל המודולים העיקריים) +CreatedBy=נוצר על ידי %s +ModifiedBy=שונה על ידי %s +ValidatedBy=מאומת על ידי %s +SignedBy=חתום על ידי %s +ClosedBy=נסגר על ידי %s +CreatedById=מזהה משתמש שיצר +ModifiedById=מזהה משתמש שביצע את השינוי האחרון +ValidatedById=מזהה משתמש שאימת +CanceledById=מזהה משתמש שביטל +ClosedById=מזהה משתמש שנסגר +CreatedByLogin=התחבר משתמש מי יצר +ModifiedByLogin=התחבר משתמש שביצע את השינוי האחרון +ValidatedByLogin=התחברות משתמש מי אימת +CanceledByLogin=התחברות משתמש שביטל +ClosedByLogin=התחבר משתמש שנסגר +FileWasRemoved=הקובץ %s הוסר +DirWasRemoved=הספרייה %s הוסרה +FeatureNotYetAvailable=התכונה עדיין לא זמינה בגרסה הנוכחית +FeatureNotAvailableOnDevicesWithoutMouse=התכונה אינה זמינה במכשירים ללא עכבר +FeaturesSupported=תכונות נתמכות +Width=רוֹחַב +Height=גוֹבַה +Depth=עוֹמֶק +Top=חלק עליון +Bottom=תַחתִית +Left=שמאלה +Right=ימין +CalculatedWeight=משקל מחושב +CalculatedVolume=נפח מחושב +Weight=מִשׁקָל +WeightUnitton=טוֹן +WeightUnitkg=ק"ג +WeightUnitg=ז +WeightUnitmg=מ"ג +WeightUnitpound=לִירָה +WeightUnitounce=אוּנְקִיָה +Length=אורך +LengthUnitm=M LengthUnitdm=dm -LengthUnitcm=cm -LengthUnitmm=mm -Surface=Area -SurfaceUnitm2=m² +LengthUnitcm=ס"מ +LengthUnitmm=מ"מ +Surface=אֵזוֹר +SurfaceUnitm2=מ"ר SurfaceUnitdm2=dm² SurfaceUnitcm2=cm² -SurfaceUnitmm2=mm² +SurfaceUnitmm2=מ"מ SurfaceUnitfoot2=ft² SurfaceUnitinch2=in² -Volume=Volume +Volume=כרך VolumeUnitm3=m³ VolumeUnitdm3=dm³ (L) -VolumeUnitcm3=cm³ (ml) +VolumeUnitcm3=cm³ (מ"ל) VolumeUnitmm3=mm³ (µl) VolumeUnitfoot3=ft³ -VolumeUnitinch3=in³ -VolumeUnitounce=ounce -VolumeUnitlitre=litre -VolumeUnitgallon=gallon -SizeUnitm=m +VolumeUnitinch3=ב³ +VolumeUnitounce=אוּנְקִיָה +VolumeUnitlitre=לִיטר +VolumeUnitgallon=גַלוֹן +SizeUnitm=M SizeUnitdm=dm -SizeUnitcm=cm -SizeUnitmm=mm -SizeUnitinch=inch -SizeUnitfoot=foot -SizeUnitpoint=point -BugTracker=Bug tracker -SendNewPasswordDesc=This form allows you to request a new password. It will be sent to your email address.
      Change will become effective once you click on the confirmation link in the email.
      Check your inbox. -BackToLoginPage=Back to login page -AuthenticationDoesNotAllowSendNewPassword=Authentication mode is %s.
      In this mode, Dolibarr can't know nor change your password.
      Contact your system administrator if you want to change your password. -EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use this option. -ProfIdShortDesc=Prof Id %s is an information depending on third party country.
      For example, for country %s, it's code %s. -DolibarrDemo=Dolibarr ERP/CRM demo -StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) -NumberOfProposals=Number of proposals -NumberOfCustomerOrders=Number of sales orders -NumberOfCustomerInvoices=Number of customer invoices -NumberOfSupplierProposals=Number of vendor proposals -NumberOfSupplierOrders=Number of purchase orders -NumberOfSupplierInvoices=Number of vendor invoices -NumberOfContracts=Number of contracts -NumberOfMos=Number of manufacturing orders -NumberOfUnitsProposals=Number of units on proposals -NumberOfUnitsCustomerOrders=Number of units on sales orders -NumberOfUnitsCustomerInvoices=Number of units on customer invoices -NumberOfUnitsSupplierProposals=Number of units on vendor proposals -NumberOfUnitsSupplierOrders=Number of units on purchase orders -NumberOfUnitsSupplierInvoices=Number of units on vendor invoices -NumberOfUnitsContracts=Number of units on contracts -NumberOfUnitsMos=Number of units to produce in manufacturing orders -EMailTextInterventionAddedContact=A new intervention %s has been assigned to you. -EMailTextInterventionValidated=The intervention %s has been validated. -EMailTextInvoiceValidated=Invoice %s has been validated. -EMailTextInvoicePayed=Invoice %s has been paid. -EMailTextProposalValidated=Proposal %s has been validated. -EMailTextProposalClosedSigned=Proposal %s has been closed signed. -EMailTextOrderValidated=Order %s has been validated. -EMailTextOrderApproved=Order %s has been approved. -EMailTextOrderValidatedBy=Order %s has been recorded by %s. -EMailTextOrderApprovedBy=Order %s has been approved by %s. -EMailTextOrderRefused=Order %s has been refused. -EMailTextOrderRefusedBy=Order %s has been refused by %s. -EMailTextExpeditionValidated=Shipping %s has been validated. -EMailTextExpenseReportValidated=Expense report %s has been validated. -EMailTextExpenseReportApproved=Expense report %s has been approved. -EMailTextHolidayValidated=Leave request %s has been validated. -EMailTextHolidayApproved=Leave request %s has been approved. -EMailTextActionAdded=The action %s has been added to the Agenda. -ImportedWithSet=Importation data set -DolibarrNotification=Automatic notification -ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... -NewLength=New width -NewHeight=New height -NewSizeAfterCropping=New size after cropping -DefineNewAreaToPick=Define new area on image to pick (left click on image then drag until you reach the opposite corner) -CurrentInformationOnImage=This tool was designed to help you to resize or crop an image. This is the information on the current edited image -ImageEditor=Image editor -YouReceiveMailBecauseOfNotification=You receive this message because your email has been added to list of targets to be informed of particular events into %s software of %s. -YouReceiveMailBecauseOfNotification2=This event is the following: -ThisIsListOfModules=This is a list of modules preselected by this demo profile (only most common modules are visible in this demo). Edit this to have a more personalized demo and click on "Start". -UseAdvancedPerms=Use the advanced permissions of some modules -FileFormat=File format -SelectAColor=Choose a color -AddFiles=Add Files -StartUpload=Start upload -CancelUpload=Cancel upload -FileIsTooBig=Files is too big -PleaseBePatient=Please be patient... -NewPassword=New password -ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received. -NewKeyIs=This is your new keys to login -NewKeyWillBe=Your new key to login to software will be -ClickHereToGoTo=Click here to go to %s -YouMustClickToChange=You must however first click on the following link to validate this password change -ConfirmPasswordChange=Confirm password change -ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe. -IfAmountHigherThan=If amount higher than %s -SourcesRepository=Repository for sources -Chart=Chart -PassEncoding=Password encoding -PermissionsAdd=Permissions added -PermissionsDelete=Permissions removed -YourPasswordMustHaveAtLeastXChars=Your password must have at least %s chars -PasswordNeedAtLeastXUpperCaseChars=The password need at least %s upper case chars -PasswordNeedAtLeastXDigitChars=The password need at least %s numeric chars -PasswordNeedAtLeastXSpecialChars=The password need at least %s special chars -PasswordNeedNoXConsecutiveChars=The password must not have %s consecutive similar chars -YourPasswordHasBeenReset=Your password has been reset successfully -ApplicantIpAddress=IP address of applicant -SMSSentTo=SMS sent to %s -MissingIds=Missing ids -ThirdPartyCreatedByEmailCollector=Third party created by email collector from email MSGID %s -ContactCreatedByEmailCollector=Contact/address created by email collector from email MSGID %s -ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s -TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s -OpeningHoursFormatDesc=Use a - to separate opening and closing hours.
      Use a space to enter different ranges.
      Example: 8-12 14-18 -SuffixSessionName=Suffix for session name -LoginWith=Login with %s +SizeUnitcm=ס"מ +SizeUnitmm=מ"מ +SizeUnitinch=אִינְטשׁ +SizeUnitfoot=כף רגל +SizeUnitpoint=נְקוּדָה +BugTracker=עוקב אחר באגים +SendNewPasswordDesc=טופס זה מאפשר לך לבקש סיסמה חדשה. הוא יישלח לכתובת הדוא"ל שלך.
      השינוי ייכנס לתוקף ברגע שתלחץ על קישור האישור בדוא"ל.
      לבדוק את תיבת הדואר הנכנס שלך. +EnterNewPasswordHere=הזן את הסיסמה החדשה שלך כאן +BackToLoginPage=חזרה לדף הכניסה +AuthenticationDoesNotAllowSendNewPassword=מצב האימות הוא %s.b09a17f8z.b09a17b>. +DolibarrDemo=הדגמה של Dolibarr ERP/CRM +StatsByAmount=סטטיסטיקה על כמות מוצרים/שירותים +StatsByAmountProducts=סטטיסטיקה על כמות המוצרים +StatsByAmountServices=סטטיסטיקה על כמות השירותים +StatsByNumberOfUnits=נתונים סטטיסטיים לסכום של כמות מוצרים/שירותים +StatsByNumberOfUnitsProducts=נתונים סטטיסטיים לסכום של כמות מוצרים +StatsByNumberOfUnitsServices=נתונים סטטיסטיים לסכום של כמות שירותים +StatsByNumberOfEntities=סטטיסטיקה עבור מספר הישויות המפנה (מספר חשבוניות, או הזמנות...) +NumberOf=מספר %s +NumberOfUnits=מספר היחידות ב-%s +AmountIn=סכום ב-%s +NumberOfUnitsMos=מספר היחידות לייצור בהזמנות ייצור +EMailTextInterventionAddedContact=התערבות חדשה %s הוקצתה לך. +EMailTextInterventionValidated=ההתערבות %s אומתה. +EMailTextInterventionClosed=ההתערבות %s נסגרה. +EMailTextInvoiceValidated=החשבונית %s אומתה. +EMailTextInvoicePayed=החשבונית %s שולמה. +EMailTextProposalValidated=ההצעה %s אומתה. +EMailTextProposalClosedSigned=ההצעה %s נסגרה בחתימה. +EMailTextProposalClosedSignedWeb=ההצעה %s נסגרה חתומה בדף הפורטל. +EMailTextProposalClosedRefused=ההצעה %s נסגרה. +EMailTextProposalClosedRefusedWeb=ההצעה %s נסגרה לסרב בדף הפורטל. +EMailTextOrderValidated=הזמנה %s אומתה. +EMailTextOrderClose=ההזמנה %s נמסרה. +EMailTextSupplierOrderApprovedBy=הזמנת רכש %s אושרה על ידי %s. +EMailTextSupplierOrderValidatedBy=הזמנת רכש %s תועדה על ידי %s. +EMailTextSupplierOrderSubmittedBy=הזמנת רכש %s נשלחה על ידי %s. +EMailTextSupplierOrderRefusedBy=הזמנת רכש %s נדחתה על ידי %s. +EMailTextExpeditionValidated=משלוח %s אומת. +EMailTextExpenseReportValidated=דוח ההוצאות %s אומת. +EMailTextExpenseReportApproved=דוח ההוצאות %s אושר. +EMailTextHolidayValidated=בקשת ההשארה %s אומתה. +EMailTextHolidayApproved=בקשת העזיבה %s אושרה. +EMailTextActionAdded=הפעולה %s נוספה לסדר היום. +ImportedWithSet=ערכת נתוני ייבוא +DolibarrNotification=התראה אוטומטית +ResizeDesc=הזן רוחב חדש או גובה חדש. היחס יישמר במהלך שינוי גודל... +NewLength=רוחב חדש +NewHeight=גובה חדש +NewSizeAfterCropping=גודל חדש לאחר חיתוך +DefineNewAreaToPick=הגדר אזור חדש בתמונה לבחירה (לחץ שמאל על התמונה ואז גרור עד שתגיע לפינה הנגדית) +CurrentInformationOnImage=כלי זה תוכנן כדי לעזור לך לשנות גודל או לחתוך תמונה. זהו המידע על התמונה הערוכה הנוכחית +ImageEditor=עורך תמונות +YouReceiveMailBecauseOfNotification=אתה מקבל הודעה זו מכיוון שהדוא"ל שלך נוסף לרשימת היעדים כדי לקבל מידע על אירועים מסוימים בתוכנת %s של %s. +YouReceiveMailBecauseOfNotification2=האירוע הזה הוא הבא: +ThisIsListOfModules=זוהי רשימה של מודולים שנבחרו מראש על ידי פרופיל הדגמה זה (רק רוב המודולים הנפוצים גלויים בהדגמה זו). ערוך את זה כדי לקבל הדגמה אישית יותר ולחץ על "התחל". +UseAdvancedPerms=השתמש בהרשאות המתקדמות של חלק מהמודולים +FileFormat=פורמט קובץ +SelectAColor=בחר צבע +AddFiles=הוסף קבצים +StartUpload=התחל להעלות +CancelUpload=בטל העלאה +FileIsTooBig=הקבצים גדולים מדי +PleaseBePatient=אנא התאזר בסבלנות... +NewPassword=סיסמה חדשה +ResetPassword=לאפס את הסיסמה +RequestToResetPasswordReceived=התקבלה בקשה לשנות את הסיסמה שלך. +NewKeyIs=זה המפתחות החדשים שלך להתחבר +NewKeyWillBe=המפתח החדש שלך לכניסה לתוכנה יהיה +ClickHereToGoTo=לחץ כאן כדי לעבור אל %s +YouMustClickToChange=עם זאת, עליך ללחוץ תחילה על הקישור הבא כדי לאמת את שינוי הסיסמה +ConfirmPasswordChange=אשר את שינוי הסיסמה +ForgetIfNothing=אם לא ביקשת את השינוי הזה, פשוט שכח את האימייל הזה. האישורים שלך נשמרים בטוחים. +IfAmountHigherThan=אם סכום גבוה מ-%s +SourcesRepository=מאגר למקורות +Chart=טבלה +PassEncoding=קידוד סיסמא +PermissionsAdd=נוספו הרשאות +PermissionsDelete=ההרשאות הוסרו +YourPasswordMustHaveAtLeastXChars=הסיסמה שלך חייבת לכלול לפחות תווים %s +PasswordNeedAtLeastXUpperCaseChars=הסיסמה צריכה לפחות %s תווים גדולים +PasswordNeedAtLeastXDigitChars=הסיסמה צריכה לפחות %s תווים מספריים +PasswordNeedAtLeastXSpecialChars=הסיסמה צריכה לפחות %s תווים מיוחדים +PasswordNeedNoXConsecutiveChars=אסור לסיסמה לכלול %s תווים דומים רצופים +YourPasswordHasBeenReset=הסיסמה שלך אופסה בהצלחה +ApplicantIpAddress=כתובת ה-IP של המבקש +SMSSentTo=SMS נשלח אל %s +MissingIds=חסרים מזהים +ThirdPartyCreatedByEmailCollector=צד שלישי נוצר על ידי אספן דוא"ל ממייל MSGID %s +ContactCreatedByEmailCollector=איש קשר/כתובת שנוצרו על ידי אספן הדוא"ל מהאימייל MSGID %s +ProjectCreatedByEmailCollector=הפרויקט נוצר על ידי אספן דוא"ל ממייל MSGID %s +TicketCreatedByEmailCollector=הכרטיס נוצר על ידי אספן הדוא"ל מהמייל MSGID %s +OpeningHoursFormatDesc=השתמש ב-- כדי להפריד בין שעות פתיחה וסגירה.
      השתמש ברווח כדי להזין טווחים שונים.
      דוגמה: 8-12 14 -18 +SuffixSessionName=סיומת לשם הפגישה +LoginWith=התחבר עם %s ##### Export ##### -ExportsArea=Exports area -AvailableFormats=Available formats -LibraryUsed=Library used -LibraryVersion=Library version -ExportableDatas=Exportable data -NoExportableData=No exportable data (no modules with exportable data loaded, or missing permissions) +ExportsArea=אזור יצוא +AvailableFormats=פורמטים זמינים +LibraryUsed=השתמשו בספרייה +LibraryVersion=גרסת הספרייה +ExportableDatas=נתונים שניתנים לייצוא +NoExportableData=אין נתונים שניתנים לייצוא (אין מודולים עם נתונים שניתנים לייצוא נטענים, או חסרות הרשאות) ##### External sites ##### -WebsiteSetup=Setup of module website -WEBSITE_PAGEURL=URL of page -WEBSITE_TITLE=Title +WebsiteSetup=הגדרת אתר מודול +WEBSITE_PAGEURL=כתובת האתר של הדף +WEBSITE_TITLE=כותרת WEBSITE_DESCRIPTION=תאור -WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). -WEBSITE_KEYWORDS=Keywords -LinesToImport=Lines to import +WEBSITE_IMAGE=תמונה +WEBSITE_IMAGEDesc=נתיב יחסי של אמצעי התדמית. אתה יכול לשמור את זה ריק מכיוון שמשתמשים בו לעתים רחוקות (אפשר להשתמש בו על ידי תוכן דינמי כדי להציג תמונה ממוזערת ברשימת פוסטים בבלוג). השתמש ב-__WEBSITE_KEY__ בנתיב אם הנתיב תלוי בשם האתר (לדוגמה: image/__WEBSITE_KEY__/stories/myimage.png). +WEBSITE_KEYWORDS=מילות מפתח +LinesToImport=קווים לייבוא -MemoryUsage=Memory usage -RequestDuration=Duration of request -ProductsPerPopularity=Products/Services by popularity -PopuProp=Products/Services by popularity in Proposals -PopuCom=Products/Services by popularity in Orders -ProductStatistics=Products/Services Statistics -NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... +MemoryUsage=שימוש בזיכרון +RequestDuration=משך הבקשה +ProductsServicesPerPopularity=מוצרים|שירותים לפי פופולריות +ProductsPerPopularity=מוצרים לפי פופולריות +ServicesPerPopularity=שירותים לפי פופולריות +PopuProp=מוצרים|שירותים לפי פופולריות בהצעות +PopuCom=מוצרים|שירותים לפי פופולריות בהזמנות +ProductStatistics=מוצרים|סטטיסטיקות שירותים +NbOfQtyInOrders=כמות בהזמנות +SelectTheTypeOfObjectToAnalyze=בחר אובייקט כדי להציג את הנתונים הסטטיסטיים שלו... -ConfirmBtnCommonContent = Are you sure you want to "%s" ? -ConfirmBtnCommonTitle = Confirm your action -CloseDialog = Close +ConfirmBtnCommonContent = האם אתה בטוח שאתה רוצה "%s"? +ConfirmBtnCommonTitle = אשר את הפעולה שלך +CloseDialog = סגור +Autofill = מילוי אוטומטי +OrPasteAnURL=או הדבק כתובת URL + +# externalsite +ExternalSiteSetup=קישור הגדרה לאתר חיצוני +ExternalSiteURL=כתובת אתר חיצונית של תוכן iframe HTML +ExternalSiteModuleNotComplete=המודול ExternalSite לא הוגדר כהלכה. +ExampleMyMenuEntry=התפריט שלי + +# ftp +FTPClientSetup=הגדרת מודול לקוח FTP או SFTP +NewFTPClient=הגדרת חיבור FTP/SFTP חדשה +FTPArea=אזור FTP/SFTP +FTPAreaDesc=מסך זה מציג תצוגה של שרת FTP ו-SFTP. +SetupOfFTPClientModuleNotComplete=נראה שההגדרה של מודול הלקוח FTP או SFTP לא הושלמה +FTPFeatureNotSupportedByYourPHP=ה-PHP שלך אינו תומך בפונקציות FTP או SFTP +FailedToConnectToFTPServer=נכשל החיבור לשרת (שרת %s, יציאה %s) +FailedToConnectToFTPServerWithCredentials=הכניסה לשרת עם כניסה/סיסמה מוגדרים נכשלה +FTPFailedToRemoveFile=הסרת הקובץ %s נכשלה. +FTPFailedToRemoveDir=הסרת הספרייה %s נכשלה: בדוק את ההרשאות ואת זה זה ריק. +FTPPassiveMode=מצב פסיבי +ChooseAFTPEntryIntoMenu=בחר אתר FTP/SFTP מהתפריט... +FailedToGetFile=כשל בקבלת הקבצים %s +ErrorFTPNodisconnect=שגיאה בניתוק שרת FTP/SFTP +FileWasUpload=הקובץ %s הועלה +FTPFailedToUploadFile=העלאת הקובץ %s נכשלה. +AddFolder=צור תיקיה +FileWasCreateFolder=התיקיה %s נוצרה +FTPFailedToCreateFolder=יצירת התיקייה %s נכשלה. diff --git a/htdocs/langs/he_IL/partnership.lang b/htdocs/langs/he_IL/partnership.lang index c755ec8591d..2b6b07335b0 100644 --- a/htdocs/langs/he_IL/partnership.lang +++ b/htdocs/langs/he_IL/partnership.lang @@ -16,77 +16,84 @@ # # Generic # -ModulePartnershipName=Partnership management -PartnershipDescription=Module Partnership management -PartnershipDescriptionLong= Module Partnership management -Partnership=Partnership -AddPartnership=Add partnership -CancelPartnershipForExpiredMembers=Partnership: Cancel partnership of members with expired subscriptions -PartnershipCheckBacklink=Partnership: Check referring backlink +ModulePartnershipName=ניהול שותפות +PartnershipDescription=ניהול שותפות מודול +PartnershipDescriptionLong= ניהול שותפות מודול +Partnership=שׁוּתָפוּת +Partnerships=שותפויות +AddPartnership=הוסף שותפות +CancelPartnershipForExpiredMembers=שותפות: בטל שותפות של חברים עם מנויים שפג תוקפם +PartnershipCheckBacklink=שותפות: בדוק קישור חוזר מפנה # # Menu # -NewPartnership=New Partnership -ListOfPartnerships=List of partnership +NewPartnership=שותפות חדשה +NewPartnershipbyWeb=בקשת השותפות שלך נוספה בהצלחה. ייתכן שניצור איתך קשר בקרוב... +ListOfPartnerships=רשימת שותפות # # Admin page # -PartnershipSetup=Partnership setup -PartnershipAbout=About Partnership -PartnershipAboutPage=Partnership about page -partnershipforthirdpartyormember=Partner status must be set on a 'thirdparty' or a 'member' -PARTNERSHIP_IS_MANAGED_FOR=Partnership managed for -PARTNERSHIP_BACKLINKS_TO_CHECK=Backlinks to check -PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb of days before cancelling status of a partnership when a subscription has expired -ReferingWebsiteCheck=Check of website referring -ReferingWebsiteCheckDesc=You can enable a feature to check that your partners has added a backlink to your website domains on their own website. +PartnershipSetup=הגדרת שותפות +PartnershipAbout=על שותפות +PartnershipAboutPage=שותפות אודות עמוד +partnershipforthirdpartyormember=סטטוס שותף חייב להיות מוגדר על 'צד שלישי' או 'חבר' +PARTNERSHIP_IS_MANAGED_FOR=שותפות מנוהלת עבור +PARTNERSHIP_BACKLINKS_TO_CHECK=קישורים נכנסים לבדיקה +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=מספר ימים לפני ביטול סטטוס של שותפות כאשר פג תוקף המנוי +ReferingWebsiteCheck=בדיקת הפניה לאתר +ReferingWebsiteCheckDesc=אתה יכול להפעיל תכונה כדי לבדוק שהשותפים שלך הוסיפו קישור נכנס לדומיינים של האתר שלך באתר האינטרנט שלהם. +PublicFormRegistrationPartnerDesc=Dolibarr יכולה לספק לך כתובת אתר/אתר ציבורי כדי לאפשר למבקרים חיצוניים לבקש להיות חלק מתוכנית השותפות. # # Object # -DeletePartnership=Delete a partnership -PartnershipDedicatedToThisThirdParty=Partnership dedicated to this third party -PartnershipDedicatedToThisMember=Partnership dedicated to this member -DatePartnershipStart=Start date -DatePartnershipEnd=End date -ReasonDecline=Decline reason -ReasonDeclineOrCancel=Decline reason -PartnershipAlreadyExist=Partnership already exist -ManagePartnership=Manage partnership -BacklinkNotFoundOnPartnerWebsite=Backlink not found on partner website -ConfirmClosePartnershipAsk=Are you sure you want to cancel this partnership? -PartnershipType=Partnership type -PartnershipRefApproved=Partnership %s approved +DeletePartnership=מחק שותפות +PartnershipDedicatedToThisThirdParty=שותפות המוקדשת לצד שלישי זה +PartnershipDedicatedToThisMember=שותפות המוקדשת לחבר זה +DatePartnershipStart=תאריך התחלה +DatePartnershipEnd=תאריך סיום +ReasonDecline=סיבת דחייה +ReasonDeclineOrCancel=סיבת דחייה +PartnershipAlreadyExist=השותפות כבר קיימת +ManagePartnership=ניהול שותפות +BacklinkNotFoundOnPartnerWebsite=קישור נכנס לא נמצא באתר השותף +ConfirmClosePartnershipAsk=האם אתה בטוח שברצונך לבטל את השותפות הזו? +PartnershipType=סוג שותפות +PartnershipRefApproved=השותפות %s אושרה +KeywordToCheckInWebsite=אם ברצונך לבדוק שמילת מפתח נתונה קיימת באתר האינטרנט של כל שותף, הגדר את מילת המפתח הזו כאן +PartnershipDraft=טְיוּטָה +PartnershipAccepted=מְקוּבָּל +PartnershipRefused=סירב +PartnershipCanceled=מבוטל +PartnershipManagedFor=שותפים הם # # Template Mail # -SendingEmailOnPartnershipWillSoonBeCanceled=Partnership will soon be canceled -SendingEmailOnPartnershipRefused=Partnership refused -SendingEmailOnPartnershipAccepted=Partnership accepted -SendingEmailOnPartnershipCanceled=Partnership canceled +SendingEmailOnPartnershipWillSoonBeCanceled=בקרוב תבוטל השותפות +SendingEmailOnPartnershipRefused=השותפות סירבה +SendingEmailOnPartnershipAccepted=השותפות התקבלה +SendingEmailOnPartnershipCanceled=השותפות בוטלה -YourPartnershipWillSoonBeCanceledTopic=Partnership will soon be canceled -YourPartnershipRefusedTopic=Partnership refused -YourPartnershipAcceptedTopic=Partnership accepted -YourPartnershipCanceledTopic=Partnership canceled +YourPartnershipWillSoonBeCanceledTopic=בקרוב תבוטל השותפות +YourPartnershipRefusedTopic=השותפות סירבה +YourPartnershipAcceptedTopic=השותפות התקבלה +YourPartnershipCanceledTopic=השותפות בוטלה -YourPartnershipWillSoonBeCanceledContent=We inform you that your partnership will soon be canceled (Backlink not found) -YourPartnershipRefusedContent=We inform you that your partnership request has been refused. -YourPartnershipAcceptedContent=We inform you that your partnership request has been accepted. -YourPartnershipCanceledContent=We inform you that your partnership has been canceled. +YourPartnershipWillSoonBeCanceledContent=ברצוננו להודיע לך שהשותפות שלנו תבוטל בקרוב (לא קיבלנו חידוש או שתנאי מוקדם לשותפות שלנו לא התקיים). אנא צור איתנו קשר אם קיבלת זאת עקב שגיאה. +YourPartnershipRefusedContent=ברצוננו להודיע לך שבקשת השותפות שלך נדחתה. התנאים המוקדמים לא התקיימו. אנא צור איתנו קשר אם אתה צריך מידע נוסף. +YourPartnershipAcceptedContent=ברצוננו להודיע לך שבקשת השותפות שלך התקבלה. +YourPartnershipCanceledContent=ברצוננו להודיע לך שהשותפות שלנו בוטלה. אנא צור איתנו קשר אם אתה צריך מידע נוסף. -CountLastUrlCheckError=Number of errors for last URL check -LastCheckBacklink=Date of last URL check -ReasonDeclineOrCancel=Decline reason +CountLastUrlCheckError=מספר השגיאות עבור בדיקת כתובת האתר האחרונה +LastCheckBacklink=תאריך בדיקת כתובת האתר האחרונה +ReasonDeclineOrCancel=סיבת דחייה + +NewPartnershipRequest=בקשת שותפות חדשה +NewPartnershipRequestDesc=טופס זה מאפשר לך לבקש להיות חלק מתוכנית השותפות שלנו. אם אתה זקוק לעזרה למילוי טופס זה, אנא צור קשר בדוא"ל %s span>. +ThisUrlMustContainsAtLeastOneLinkToWebsite=דף זה חייב להכיל לפחות קישור אחד לאחד מהדומיין הבאים: %s + +IPOfApplicant=IP של המבקש -# -# Status -# -PartnershipDraft=Draft -PartnershipAccepted=Accepted -PartnershipRefused=Refused -PartnershipCanceled=Canceled -PartnershipManagedFor=Partners are diff --git a/htdocs/langs/he_IL/paybox.lang b/htdocs/langs/he_IL/paybox.lang index 1bbbef4017b..2fdc94628af 100644 --- a/htdocs/langs/he_IL/paybox.lang +++ b/htdocs/langs/he_IL/paybox.lang @@ -1,31 +1,30 @@ # Dolibarr language file - Source file is en_US - paybox -PayBoxSetup=PayBox module setup -PayBoxDesc=This module offer pages to allow payment on Paybox by customers. This can be used for a free payment or for a payment on a particular Dolibarr object (invoice, order, ...) -FollowingUrlAreAvailableToMakePayments=Following URLs are available to offer a page to a customer to make a payment on Dolibarr objects -PaymentForm=Payment form -WelcomeOnPaymentPage=Welcome to our online payment service -ThisScreenAllowsYouToPay=This screen allow you to make an online payment to %s. -ThisIsInformationOnPayment=This is information on payment to do -ToComplete=To complete -YourEMail=Email to receive payment confirmation -Creditor=Creditor -PaymentCode=Payment code -PayBoxDoPayment=Pay with Paybox -YouWillBeRedirectedOnPayBox=You will be redirected on secured Paybox page to input you credit card information -Continue=Next -SetupPayBoxToHavePaymentCreatedAutomatically=Setup your Paybox with url %s to have payment created automatically when validated by Paybox. -YourPaymentHasBeenRecorded=This page confirms that your payment has been recorded. Thank you. -YourPaymentHasNotBeenRecorded=Your payment has NOT been recorded and the transaction has been canceled. Thank you. -AccountParameter=Account parameters -UsageParameter=Usage parameters -InformationToFindParameters=Help to find your %s account information -PAYBOX_CGI_URL_V2=Url of Paybox CGI module for payment -VendorName=Name of vendor -CSSUrlForPaymentForm=CSS style sheet url for payment form -NewPayboxPaymentReceived=New Paybox payment received -NewPayboxPaymentFailed=New Paybox payment tried but failed -PAYBOX_PAYONLINE_SENDEMAIL=Email notification after payment attempt (success or fail) -PAYBOX_PBX_SITE=Value for PBX SITE -PAYBOX_PBX_RANG=Value for PBX Rang -PAYBOX_PBX_IDENTIFIANT=Value for PBX ID -PAYBOX_HMAC_KEY=HMAC key +PayBoxSetup=הגדרת מודול PayBox +PayBoxDesc=מודול זה מציע דפים המאפשרים תשלום ב-Paybox על ידי לקוחות. זה יכול לשמש עבור תשלום חינם או עבור תשלום על אובייקט Dolibarr מסוים (חשבונית, הזמנה, ...) +FollowingUrlAreAvailableToMakePayments=כתובות האתרים הבאות זמינות להציע דף ללקוח לבצע תשלום על אובייקטים של Dolibarr +PaymentForm=טופס תשלום +WelcomeOnPaymentPage=ברוכים הבאים לשירות התשלומים המקוון שלנו +ThisScreenAllowsYouToPay=מסך זה מאפשר לך לבצע תשלום מקוון אל %s. +ThisIsInformationOnPayment=זה מידע על תשלום שצריך לעשות +ToComplete=להשלים +YourEMail=אימייל לקבלת אישור תשלום +Creditor=נוֹשֶׁה +PaymentCode=קוד תשלום +PayBoxDoPayment=שלם עם Paybox +YouWillBeRedirectedOnPayBox=אתה תופנה בדף תיבת תשלום מאובטחת כדי להזין את פרטי כרטיס האשראי שלך +Continue=הַבָּא +SetupPayBoxToHavePaymentCreatedAutomatically=הגדר את תיבת התשלום שלך עם כתובת האתר %s כדי ליצור את התשלום באופן אוטומטי מאומת על ידי Paybox. +YourPaymentHasBeenRecorded=דף זה מאשר שהתשלום שלך נרשם. תודה. +YourPaymentHasNotBeenRecorded=התשלום שלך לא נרשם והעסקה בוטלה. תודה. +AccountParameter=פרמטרים של חשבון +UsageParameter=פרמטרי שימוש +InformationToFindParameters=עזרה במציאת פרטי חשבון %s שלך +PAYBOX_CGI_URL_V2=כתובת האתר של מודול CGI של Paybox לתשלום +CSSUrlForPaymentForm=כתובת אתר של גיליון סגנון CSS לטופס תשלום +NewPayboxPaymentReceived=תשלום חדש ב-Paybox התקבל +NewPayboxPaymentFailed=תשלום חדש ב-Paybox נוסה אך נכשל +PAYBOX_PAYONLINE_SENDEMAIL=הודעת דוא"ל לאחר ניסיון תשלום (הצלחה או נכשלה) +PAYBOX_PBX_SITE=ערך עבור PBX SITE +PAYBOX_PBX_RANG=ערך עבור PBX Rang +PAYBOX_PBX_IDENTIFIANT=ערך עבור מזהה מרכזייה +PAYBOX_HMAC_KEY=מפתח HMAC diff --git a/htdocs/langs/he_IL/paypal.lang b/htdocs/langs/he_IL/paypal.lang index 5eb5f389445..86d5961c1e2 100644 --- a/htdocs/langs/he_IL/paypal.lang +++ b/htdocs/langs/he_IL/paypal.lang @@ -1,36 +1,37 @@ # Dolibarr language file - Source file is en_US - paypal -PaypalSetup=PayPal module setup -PaypalDesc=This module allows payment by customers via PayPal. This can be used for a ad-hoc payment or for a payment related to a Dolibarr object (invoice, order, ...) -PaypalOrCBDoPayment=Pay with PayPal (Card or PayPal) -PaypalDoPayment=Pay with PayPal -PAYPAL_API_SANDBOX=Mode test/sandbox -PAYPAL_API_USER=API username -PAYPAL_API_PASSWORD=API password -PAYPAL_API_SIGNATURE=API signature -PAYPAL_SSLVERSION=Curl SSL Version -PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Offer "integral" payment (Credit card+PayPal) or "PayPal" only -PaypalModeIntegral=Integral -PaypalModeOnlyPaypal=PayPal only -ONLINE_PAYMENT_CSS_URL=Optional URL of CSS stylesheet on online payment page -ThisIsTransactionId=This is id of transaction: %s -PAYPAL_ADD_PAYMENT_URL=Include the PayPal payment url when you send a document by email -NewOnlinePaymentReceived=New online payment received -NewOnlinePaymentFailed=New online payment tried but failed -ONLINE_PAYMENT_SENDEMAIL=Email address for notifications after each payment attempt (for success and fail) -ReturnURLAfterPayment=Return URL after payment -ValidationOfOnlinePaymentFailed=Validation of online payment failed -PaymentSystemConfirmPaymentPageWasCalledButFailed=Payment confirmation page was called by payment system returned an error -SetExpressCheckoutAPICallFailed=SetExpressCheckout API call failed. -DoExpressCheckoutPaymentAPICallFailed=DoExpressCheckoutPayment API call failed. -DetailedErrorMessage=Detailed Error Message -ShortErrorMessage=Short Error Message -ErrorCode=Error Code -ErrorSeverityCode=Error Severity Code -OnlinePaymentSystem=Online payment system -PaypalLiveEnabled=PayPal "live" mode enabled (otherwise test/sandbox mode) -PaypalImportPayment=Import PayPal payments -PostActionAfterPayment=Post actions after payments -ARollbackWasPerformedOnPostActions=A rollback was performed on all Post actions. You must complete post actions manually if they are necessary. -ValidationOfPaymentFailed=Validation of payment has failed -CardOwner=Card holder -PayPalBalance=Paypal credit +PaypalSetup=הגדרת מודול PayPal +PaypalDesc=מודול זה מאפשר תשלום על ידי לקוחות באמצעות PayPal. זה יכול לשמש עבור תשלום אד-הוק או עבור תשלום הקשור לאובייקט Dolibarr (חשבונית, הזמנה, ...) +PaypalOrCBDoPayment=שלם עם PayPal (כרטיס או PayPal) +PaypalDoPayment=שלם עם PayPal +PAYPAL_API_SANDBOX=בדיקת מצב/ארגז חול +PAYPAL_API_USER=שם משתמש API +PAYPAL_API_PASSWORD=סיסמת API +PAYPAL_API_SIGNATURE=חתימת API +PAYPAL_SSLVERSION=גרסת SSL של סלסול +PAYPAL_API_INTEGRAL_OR_PAYPALONLY=מציע תשלום "אינטגרלי" (כרטיס אשראי+PayPal) או "PayPal" בלבד +PaypalModeIntegral=בלתי נפרד +PaypalModeOnlyPaypal=PayPal בלבד +ONLINE_PAYMENT_CSS_URL=כתובת אתר אופציונלית של גיליון סגנונות CSS בדף תשלום מקוון +ThisIsTransactionId=זהו מזהה העסקה: %s +PAYPAL_ADD_PAYMENT_URL=כלול את כתובת האתר לתשלום של PayPal כאשר אתה שולח מסמך בדוא"ל +NewOnlinePaymentReceived=תשלום מקוון חדש התקבל +NewOnlinePaymentFailed=נוסה תשלום מקוון חדש אך נכשל +ONLINE_PAYMENT_SENDEMAIL=כתובת אימייל להתראות לאחר כל ניסיון תשלום (להצלחה וכישלון) +ReturnURLAfterPayment=החזר כתובת URL לאחר תשלום +ValidationOfOnlinePaymentFailed=אימות התשלום המקוון נכשל +PaymentSystemConfirmPaymentPageWasCalledButFailed=דף אישור התשלום נקרא על ידי מערכת התשלום החזיר שגיאה +SetExpressCheckoutAPICallFailed=קריאת ה-API של SetExpressCheckout נכשלה. +DoExpressCheckoutPaymentAPICallFailed=קריאת ה-API של DoExpressCheckoutPayment נכשלה. +DetailedErrorMessage=הודעת שגיאה מפורטת +ShortErrorMessage=הודעת שגיאה קצרה +ErrorCode=קוד שגיאה +ErrorSeverityCode=קוד חומרת שגיאה +OnlinePaymentSystem=מערכת תשלום מקוונת +PaypalLiveEnabled=מצב "חי" של PayPal מופעל (אחרת מצב בדיקה/ארגז חול) +PaypalImportPayment=ייבוא תשלומי PayPal +PostActionAfterPayment=פרסם פעולות לאחר תשלומים +ARollbackWasPerformedOnPostActions=בוצעה החזרה לאחור על כל פעולות הפוסט. עליך להשלים פעולות פרסום באופן ידני אם הן נחוצות. +ValidationOfPaymentFailed=אימות התשלום נכשל +CardOwner=בעל כרטיס +PayPalBalance=אשראי Paypal +OnlineSubscriptionPaymentLine=מנוי מקוון נרשם ב-%s
      בתשלום באמצעות %s
      כתובת ה-IP המקורית: %s
      מזהה עסקה: diff --git a/htdocs/langs/he_IL/printing.lang b/htdocs/langs/he_IL/printing.lang index b0617667a4d..4b041e11162 100644 --- a/htdocs/langs/he_IL/printing.lang +++ b/htdocs/langs/he_IL/printing.lang @@ -1,54 +1,54 @@ # Dolibarr language file - Source file is en_US - printing -Module64000Name=One click Printing -Module64000Desc=Enable One click Printing System -PrintingSetup=Setup of One click Printing System -PrintingDesc=This module adds a Print button to various modules to allow documents to be printed directly to a printer with no need to open the document into another application. -MenuDirectPrinting=One click Printing jobs -DirectPrint=One click Print -PrintingDriverDesc=Configuration variables for printing driver. -ListDrivers=List of drivers -PrintTestDesc=List of Printers. -FileWasSentToPrinter=File %s was sent to printer -ViaModule=via the module -NoActivePrintingModuleFound=No active driver to print document. Check setup of module %s. -PleaseSelectaDriverfromList=Please select a driver from list. -PleaseConfigureDriverfromList=Please configure the selected driver from list. -SetupDriver=Driver setup -TargetedPrinter=Targeted printer -UserConf=Setup per user -PRINTGCP_INFO=Google OAuth API setup -PRINTGCP_AUTHLINK=Authentication -PRINTGCP_TOKEN_ACCESS=Google Cloud Print OAuth Token -PrintGCPDesc=This driver allows sending documents directly to a printer using Google Cloud Print. +Module64000Name=הדפסה בלחיצה אחת +Module64000Desc=הפעל מערכת הדפסה בלחיצה אחת +PrintingSetup=הגדרה של מערכת הדפסה בלחיצה אחת +PrintingDesc=מודול זה מוסיף לחצן הדפסה למודולים שונים כדי לאפשר הדפסת מסמכים ישירות למדפסת ללא צורך בפתיחת המסמך באפליקציה אחרת. +MenuDirectPrinting=בלחיצה אחת עבודות הדפסה +DirectPrint=הדפס בלחיצה אחת +PrintingDriverDesc=משתני תצורה עבור מנהל התקן הדפסה. +ListDrivers=רשימת נהגים +PrintTestDesc=רשימת מדפסות. +FileWasSentToPrinter=הקובץ %s נשלח למדפסת +ViaModule=דרך המודול +NoActivePrintingModuleFound=אין דרייבר פעיל להדפסת מסמך. בדוק את ההגדרה של המודול %s. +PleaseSelectaDriverfromList=אנא בחר נהג מהרשימה. +PleaseConfigureDriverfromList=נא להגדיר את מנהל ההתקן שנבחר מהרשימה. +SetupDriver=הגדרת מנהל ההתקן +TargetedPrinter=מדפסת ממוקדת +UserConf=הגדרה לכל משתמש +PRINTGCP_INFO=הגדרת Google OAuth API +PRINTGCP_AUTHLINK=אימות +PRINTGCP_TOKEN_ACCESS=אסימון OAuth של Google Cloud Print +PrintGCPDesc=מנהל התקן זה מאפשר שליחת מסמכים ישירות למדפסת באמצעות Google Cloud Print. GCP_Name=שם -GCP_displayName=Display Name -GCP_Id=Printer Id -GCP_OwnerName=Owner Name -GCP_State=Printer State -GCP_connectionStatus=Online State -GCP_Type=Printer Type -PrintIPPDesc=This driver allows sending of documents directly to a printer. It requires a Linux system with CUPS installed. -PRINTIPP_HOST=Print server +GCP_displayName=הצג שם +GCP_Id=מזהה מדפסת +GCP_OwnerName=שם הבעלים +GCP_State=מצב מדפסת +GCP_connectionStatus=מדינה מקוונת +GCP_Type=סוג מדפסת +PrintIPPDesc=מנהל התקן זה מאפשר שליחת מסמכים ישירות למדפסת. זה דורש מערכת לינוקס עם CUPS מותקן. +PRINTIPP_HOST=שרת הדפסה PRINTIPP_PORT=נמל -PRINTIPP_USER=Login +PRINTIPP_USER=התחברות PRINTIPP_PASSWORD=סיסמה -NoDefaultPrinterDefined=No default printer defined -DefaultPrinter=Default printer -Printer=Printer -IPP_Uri=Printer Uri -IPP_Name=Printer Name -IPP_State=Printer State -IPP_State_reason=State reason -IPP_State_reason1=State reason1 +NoDefaultPrinterDefined=לא הוגדרה מדפסת ברירת מחדל +DefaultPrinter=מדפסת ברירת מחדל +Printer=מדפסת +IPP_Uri=המדפסת אורי +IPP_Name=שם המדפסת +IPP_State=מצב מדפסת +IPP_State_reason=סיבה ממלכתית +IPP_State_reason1=סיבה 1 IPP_BW=BW -IPP_Color=Color -IPP_Device=Device -IPP_Media=Printer media -IPP_Supported=Type of media -DirectPrintingJobsDesc=This page lists printing jobs found for available printers. -GoogleAuthNotConfigured=Google OAuth has not been setup. Enable module OAuth and set a Google ID/Secret. -GoogleAuthConfigured=Google OAuth credentials were found into setup of module OAuth. -PrintingDriverDescprintgcp=Configuration variables for printing driver Google Cloud Print. -PrintingDriverDescprintipp=Configuration variables for printing driver Cups. -PrintTestDescprintgcp=List of Printers for Google Cloud Print. -PrintTestDescprintipp=List of Printers for Cups. +IPP_Color=צֶבַע +IPP_Device=התקן +IPP_Media=מדיה למדפסת +IPP_Supported=סוג המדיה +DirectPrintingJobsDesc=דף זה מפרט עבודות הדפסה שנמצאו עבור מדפסות זמינות. +GoogleAuthNotConfigured=Google OAuth לא הוגדר. הפעל את מודול OAuth והגדר מזהה/סוד של Google. +GoogleAuthConfigured=אישורי Google OAuth נמצאו בהגדרה של מודול OAuth. +PrintingDriverDescprintgcp=משתני תצורה עבור מנהל התקן הדפסה Google Cloud Print. +PrintingDriverDescprintipp=משתני תצורה להדפסת כוסות דרייבר. +PrintTestDescprintgcp=רשימת מדפסות עבור Google Cloud Print. +PrintTestDescprintipp=רשימת מדפסות לכוסות. diff --git a/htdocs/langs/he_IL/productbatch.lang b/htdocs/langs/he_IL/productbatch.lang index 37a2d46bc1b..1a3abe2ce55 100644 --- a/htdocs/langs/he_IL/productbatch.lang +++ b/htdocs/langs/he_IL/productbatch.lang @@ -1,45 +1,49 @@ # ProductBATCH language file - Source file is en_US - ProductBATCH -ManageLotSerial=Use lot/serial number -ProductStatusOnBatch=Yes (lot required) -ProductStatusOnSerial=Yes (unique serial number required) -ProductStatusNotOnBatch=No (lot/serial not used) -ProductStatusOnBatchShort=Lot -ProductStatusOnSerialShort=Serial +ManageLotSerial=השתמש במגרש/מספר סידורי +ProductStatusOnBatch=כן (נדרש הרבה) +ProductStatusOnSerial=כן (נדרש מספר סידורי ייחודי) +ProductStatusNotOnBatch=לא (מגרש/סדרה לא בשימוש) +ProductStatusOnBatchShort=מִגרָשׁ +ProductStatusOnSerialShort=סידורי ProductStatusNotOnBatchShort=לא -Batch=Lot/Serial -atleast1batchfield=Eat-by date or Sell-by date or Lot/Serial number -batch_number=Lot/Serial number -BatchNumberShort=Lot/Serial -EatByDate=Eat-by date -SellByDate=Sell-by date -DetailBatchNumber=Lot/Serial details -printBatch=Lot/Serial: %s -printEatby=Eat-by: %s -printSellby=Sell-by: %s -printQty=Qty: %d -AddDispatchBatchLine=Add a line for Shelf Life dispatching -WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic stock decrease is forced to 'Decrease real stocks on shipping validation' and automatic increase mode is forced to 'Increase real stocks on manual dispatching into warehouses' and can't be edited. Other options can be defined as you want. -ProductDoesNotUseBatchSerial=This product does not use lot/serial number -ProductLotSetup=Setup of module lot/serial -ShowCurrentStockOfLot=Show current stock for couple product/lot -ShowLogOfMovementIfLot=Show log of movements for couple product/lot -StockDetailPerBatch=Stock detail per lot -SerialNumberAlreadyInUse=Serial number %s is already used for product %s -TooManyQtyForSerialNumber=You can only have one product %s for serial number %s -ManageLotMask=Custom mask -CustomMasks=Option to define a different numbering mask for each product -BatchLotNumberingModules=Numbering rule for automatic generation of lot number -BatchSerialNumberingModules=Numbering rule for automatic generation of serial number (for products with property 1 unique lot/serial for each product) -QtyToAddAfterBarcodeScan=Qty to %s for each barcode/lot/serial scanned -LifeTime=Life span (in days) -EndOfLife=End of life -ManufacturingDate=Manufacturing date -DestructionDate=Destruction date -FirstUseDate=First use date -QCFrequency=Quality control frequency (in days) -ShowAllLots=Show all lots -HideLots=Hide lots +Batch=מגרש/סדרה +atleast1batchfield=תאריך אכילה או תאריך מכירה או מספר מגרש/סידורי +batch_number=מגרש/מספר סידורי +BatchNumberShort=מגרש/סדרה +EatByDate=אכל עד תאריך +SellByDate=תאריך התפוגה +DetailBatchNumber=פרטי מגרש/סדרה +printBatch=מגרש/סדרה: %s +printEatby=אוכל לפי: %s +printSellby=מכירה לפי: %s +printQty=כמות: %d +printPlannedWarehouse=מחסן: %s +AddDispatchBatchLine=הוסף שורה עבור שיגור חיי מדף +WhenProductBatchModuleOnOptionAreForced=כאשר מודול Lot/Serial פועל, הקטנת מלאי אוטומטית נאלצת ל'%s' ומצב הגדלה אוטומטית נאלצת ל'%s '. ייתכן שחלק מהאפשרויות לא יהיו זמינות. ניתן להגדיר אפשרויות אחרות כרצונך. +ProductDoesNotUseBatchSerial=מוצר זה אינו משתמש בנתח/מספר סידורי +ProductLotSetup=הגדרת מגרש/סידורי מודול +ShowCurrentStockOfLot=הצג מלאי נוכחי עבור מוצר/מגרש זוגי +ShowLogOfMovementIfLot=הצג יומן תנועות עבור מוצר/מגרש זוגי +StockDetailPerBatch=פירוט מלאי למגרש +SerialNumberAlreadyInUse=המספר הסידורי %s כבר בשימוש עבור המוצר %s +TooManyQtyForSerialNumber=אתה יכול לקבל רק מוצר אחד %s עבור המספר הסידורי %s +ManageLotMask=מסכה בהתאמה אישית +CustomMasks=אפשרות להגדיר מסכת מספור שונה לכל מוצר +BatchLotNumberingModules=כלל מספור להפקה אוטומטית של מספר מגרש +BatchSerialNumberingModules=כלל מספור להפקה אוטומטית של מספר סידורי (עבור מוצרים עם מאפיין 1 חלק/סידורי ייחודי לכל מוצר) +QtyToAddAfterBarcodeScan=כמות ל-%s עבור כל ברקוד/מגרש/סידורי שנסרקו +LifeTime=תוחלת חיים (בימים) +EndOfLife=סוף החיים +ManufacturingDate=תאריך יצור +DestructionDate=תאריך ההשמדה +FirstUseDate=תאריך שימוש ראשון +QCFrequency=תדירות בקרת איכות (בימים) +ShowAllLots=הצג את כל המגרשים +HideLots=הסתר המון #Traceability - qc status -OutOfOrder=Out of order -InWorkingOrder=In working order -ToReplace=Replace +OutOfOrder=מקולקל +InWorkingOrder=בסדר עבודה +ToReplace=החלף +CantMoveNonExistantSerial=שְׁגִיאָה. אתה מבקש מהלך על תקליט לסדרה שאינה קיימת יותר. יכול להיות שאתה לוקח את אותו סדרה על אותו מחסן מספר פעמים באותו משלוח או שהוא שימש על ידי משלוח אחר. הסר את המשלוח הזה והכן עוד אחד. +TableLotIncompleteRunRepairWithParamStandardEqualConfirmed=תיקון ריצה לא שלם בטבלת מגרש עם הפרמטר '...repair.php?standard=confirmed' +IlligalQtyForSerialNumbers= נדרש תיקון מלאי בגלל מספר סידורי ייחודי. diff --git a/htdocs/langs/he_IL/products.lang b/htdocs/langs/he_IL/products.lang index 71b29379a26..e458d0b7850 100644 --- a/htdocs/langs/he_IL/products.lang +++ b/htdocs/langs/he_IL/products.lang @@ -1,413 +1,440 @@ # Dolibarr language file - Source file is en_US - products -ProductRef=Product ref. -ProductLabel=Product label -ProductLabelTranslated=Translated product label -ProductDescription=Product description -ProductDescriptionTranslated=Translated product description -ProductNoteTranslated=Translated product note -ProductServiceCard=Products/Services card +ProductRef=מוצר ref. +ProductLabel=תווית מוצר +ProductLabelTranslated=תווית מוצר מתורגמת +ProductDescription=תיאור מוצר +ProductDescriptionTranslated=תיאור מוצר מתורגם +ProductNoteTranslated=הערת מוצר מתורגמת +ProductServiceCard=כרטיס מוצרים/שירותים TMenuProducts=מוצרים TMenuServices=שירותים Products=מוצרים Services=שירותים -Product=Product -Service=Service -ProductId=Product/service id +Product=מוצר +Service=שֵׁרוּת +ProductId=מזהה מוצר/שירות Create=Create Reference=Reference -NewProduct=New product -NewService=New service -ProductVatMassChange=Global VAT Update -ProductVatMassChangeDesc=This tool updates the VAT rate defined on ALL products and services! -MassBarcodeInit=Mass barcode init -MassBarcodeInitDesc=This page can be used to initialize a barcode on objects that does not have barcode defined. Check before that setup of module barcode is complete. -ProductAccountancyBuyCode=Accounting code (purchase) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) -ProductAccountancySellCode=Accounting code (sale) -ProductAccountancySellIntraCode=Accounting code (sale intra-Community) -ProductAccountancySellExportCode=Accounting code (sale export) -ProductOrService=Product or Service -ProductsAndServices=Products and Services -ProductsOrServices=Products or Services -ProductsPipeServices=Products | Services -ProductsOnSale=Products for sale -ProductsOnPurchase=Products for purchase -ProductsOnSaleOnly=Products for sale only -ProductsOnPurchaseOnly=Products for purchase only -ProductsNotOnSell=Products not for sale and not for purchase -ProductsOnSellAndOnBuy=Products for sale and for purchase -ServicesOnSale=Services for sale -ServicesOnPurchase=Services for purchase -ServicesOnSaleOnly=Services for sale only -ServicesOnPurchaseOnly=Services for purchase only -ServicesNotOnSell=Services not for sale and not for purchase -ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s products/services which were modified -LastRecordedProducts=Latest %s recorded products -LastRecordedServices=Latest %s recorded services -CardProduct0=Product -CardProduct1=Service -Stock=Stock +NewProduct=מוצר חדש +NewService=שירות חדש +ProductVatMassChange=עדכון מע"מ גלובלי +ProductVatMassChangeDesc=כלי זה מעדכן את שיעור המע"מ המוגדר ב-ALL מוצרים ושירותים! +MassBarcodeInit=ברקוד המוני init +MassBarcodeInitDesc=ניתן להשתמש בדף זה כדי לאתחל ברקוד על אובייקטים שאין להם ברקוד מוגדר. בדוק לפני השלמת ההגדרה של ברקוד המודול. +ProductAccountancyBuyCode=קוד הנהלת חשבונות (רכישה) +ProductAccountancyBuyIntraCode=קוד הנהלת חשבונות (רכישה תוך קהילתית) +ProductAccountancyBuyExportCode=קוד הנהלת חשבונות (יבוא רכישה) +ProductAccountancySellCode=קוד הנהלת חשבונות (מכירה) +ProductAccountancySellIntraCode=קוד הנהלת חשבונות (מכירה תוך קהילתית) +ProductAccountancySellExportCode=קוד הנהלת חשבונות (ייצוא מכירה) +ProductOrService=מוצר או שירות +ProductsAndServices=מוצרים ושירותים +ProductsOrServices=מוצרים או שירותים +ProductsPipeServices=מוצרים | שירותים +ProductsOnSale=מוצרים למכירה +ProductsOnPurchase=מוצרים לרכישה +ProductsOnSaleOnly=מוצרים למכירה בלבד +ProductsOnPurchaseOnly=מוצרים לרכישה בלבד +ProductsNotOnSell=מוצרים לא למכירה ולא לרכישה +ProductsOnSellAndOnBuy=מוצרים למכירה ולרכישה +ServicesOnSale=שירותים למכירה +ServicesOnPurchase=שירותים לרכישה +ServicesOnSaleOnly=שירותים למכירה בלבד +ServicesOnPurchaseOnly=שירותים לרכישה בלבד +ServicesNotOnSell=שירותים לא למכירה ולא לרכישה +ServicesOnSellAndOnBuy=שירותים למכירה ולרכישה +LastModifiedProductsAndServices=%s המוצרים/שירותים האחרונים ששונו +LastRecordedProducts=המוצרים האחרונים שהוקלטו %s +LastRecordedServices=השירותים האחרונים שהוקלטו %s +CardProduct0=מוצר +CardProduct1=שֵׁרוּת +Stock=המניה MenuStocks=מניות -Stocks=Stocks and location (warehouse) of products -Movements=Movements +Stocks=מלאי ומיקום (מחסן) של מוצרים +Movements=תנועות Sell=למכור -Buy=Purchase -OnSell=For sale -OnBuy=For purchase -NotOnSell=Not for sale -ProductStatusOnSell=For sale -ProductStatusNotOnSell=Not for sale -ProductStatusOnSellShort=For sale -ProductStatusNotOnSellShort=Not for sale -ProductStatusOnBuy=For purchase -ProductStatusNotOnBuy=Not for purchase -ProductStatusOnBuyShort=For purchase -ProductStatusNotOnBuyShort=Not for purchase -UpdateVAT=Update vat -UpdateDefaultPrice=Update default price -UpdateLevelPrices=Update prices for each level -AppliedPricesFrom=Applied from -SellingPrice=Selling price -SellingPriceHT=Selling price (excl. tax) -SellingPriceTTC=Selling price (inc. tax) -SellingMinPriceTTC=Minimum Selling price (inc. tax) -CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. -CostPriceUsage=This value could be used for margin calculation. -ManufacturingPrice=Manufacturing price -SoldAmount=Sold amount -PurchasedAmount=Purchased amount -NewPrice=New price -MinPrice=Min. selling price -EditSellingPriceLabel=Edit selling price label -CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. -ContractStatusClosed=Closed -ErrorProductAlreadyExists=A product with reference %s already exists. -ErrorProductBadRefOrLabel=Wrong value for reference or label. -ErrorProductClone=There was a problem while trying to clone the product or service. -ErrorPriceCantBeLowerThanMinPrice=Error, price can't be lower than minimum price. -Suppliers=Vendors -SupplierRef=Vendor SKU -ShowProduct=Show product -ShowService=Show service -ProductsAndServicesArea=Product and Services area -ProductsArea=Product area -ServicesArea=Services area -ListOfStockMovements=List of stock movements -BuyingPrice=Buying price -PriceForEachProduct=Products with specific prices -SupplierCard=Vendor card -PriceRemoved=Price removed -BarCode=Barcode -BarcodeType=Barcode type -SetDefaultBarcodeType=Set barcode type -BarcodeValue=Barcode value -NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) -ServiceLimitedDuration=If product is a service with limited duration: -FillWithLastServiceDates=Fill with last service line dates -MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) -MultiPricesNumPrices=Number of prices -DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices -AssociatedProductsAbility=Enable Kits (set of several products) -VariantsAbility=Enable Variants (variations of products, for example color, size) -AssociatedProducts=Kits -AssociatedProductsNumber=Number of products composing this kit -ParentProductsNumber=Number of parent packaging product -ParentProducts=Parent products -IfZeroItIsNotAVirtualProduct=If 0, this product is not a kit -IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit -KeywordFilter=Keyword filter -CategoryFilter=Category filter -ProductToAddSearch=Search product to add -NoMatchFound=No match found -ListOfProductsServices=List of products/services -ProductAssociationList=List of products/services that are component(s) of this kit -ProductParentList=List of kits with this product as a component -ErrorAssociationIsFatherOfThis=One of selected product is parent with current product -DeleteProduct=Delete a product/service -ConfirmDeleteProduct=Are you sure you want to delete this product/service? -ProductDeleted=Product/Service "%s" deleted from database. +Buy=לִרְכּוֹשׁ +OnSell=למכירה +OnBuy=לרכישה +NotOnSell=לא למכירה +ProductStatusOnSell=למכירה +ProductStatusNotOnSell=לא למכירה +ProductStatusOnSellShort=למכירה +ProductStatusNotOnSellShort=לא למכירה +ProductStatusOnBuy=לרכישה +ProductStatusNotOnBuy=לא לרכישה +ProductStatusOnBuyShort=לרכישה +ProductStatusNotOnBuyShort=לא לרכישה +UpdateVAT=עדכון בור +UpdateDefaultPrice=עדכן מחיר ברירת מחדל +UpdateLevelPrices=עדכן מחירים לכל רמה +AppliedPricesFrom=הוחל מ +SellingPrice=מחיר המכירה +SellingPriceHT=מחיר מכירה (לא כולל מס) +SellingPriceTTC=מחיר מכירה (כולל מס) +SellingMinPriceTTC=מחיר מכירה מינימלי (כולל מס) +CostPriceDescription=שדה מחיר זה (לא כולל מס) יכול לשמש כדי ללכוד את הסכום הממוצע שמוצר זה עולה לחברה שלך. זה עשוי להיות כל מחיר שתחשב בעצמך, למשל, ממחיר הקנייה הממוצע בתוספת עלות ייצור והפצה ממוצעת. +CostPriceUsage=ניתן להשתמש בערך זה לחישוב השוליים. +ManufacturingPrice=מחיר ייצור +SoldAmount=סכום נמכר +PurchasedAmount=סכום שנרכש +NewPrice=מחיר חדש +MinPrice=מינימום מחיר המכירה +MinPriceHT=מינימום מחיר מכירה (לא כולל מס) +MinPriceTTC=מינימום מחיר מכירה (כולל מס) +EditSellingPriceLabel=ערוך תווית מחיר מכירה +CantBeLessThanMinPrice=מחיר המכירה לא יכול להיות נמוך מהמינימום המותר עבור מוצר זה (%s ללא מס). הודעה זו יכולה להופיע גם אם תקליד הנחה משמעותית. +CantBeLessThanMinPriceInclTax=מחיר המכירה לא יכול להיות נמוך מהמינימום המותר עבור מוצר זה (%s כולל מיסים). הודעה זו יכולה להופיע גם אם תקליד הנחה חשובה מדי. +ContractStatusClosed=סָגוּר +ErrorProductAlreadyExists=מוצר עם הפניה %s כבר קיים. +ErrorProductBadRefOrLabel=ערך שגוי עבור הפניה או תווית. +ErrorProductClone=הייתה בעיה בעת ניסיון לשכפל את המוצר או השירות. +ErrorPriceCantBeLowerThanMinPrice=שגיאה, המחיר לא יכול להיות נמוך ממחיר המינימום. +Suppliers=ספקים +SupplierRef=מק"ט של ספק +ShowProduct=הצג מוצר +ShowService=הצג שירות +ProductsAndServicesArea=אזור מוצרים ושירותים +ProductsArea=אזור מוצר +ServicesArea=אזור שירותים +ListOfStockMovements=רשימת תנועות המניות +BuyingPrice=מחיר קנייה +PriceForEachProduct=מוצרים עם מחירים ספציפיים +SupplierCard=כרטיס ספק +PriceRemoved=המחיר הוסר +BarCode=ברקוד +BarcodeType=סוג ברקוד +SetDefaultBarcodeType=הגדר סוג ברקוד +BarcodeValue=ערך ברקוד +NoteNotVisibleOnBill=הערה (לא נראה בחשבוניות, הצעות...) +ServiceLimitedDuration=אם המוצר הוא שירות עם משך זמן מוגבל: +FillWithLastServiceDates=מלא עם תאריכי קו השירות האחרון +MultiPricesAbility=פלחי מחיר מרובים לכל מוצר/שירות (כל לקוח נמצא בפלח מחיר אחד) +MultiPricesNumPrices=מספר מחירים +DefaultPriceType=בסיס מחירים לכל ברירת מחדל (עם לעומת ללא מס) בעת הוספת מחירי מבצע חדשים +AssociatedProductsAbility=הפעל ערכות (סט של מספר מוצרים) +VariantsAbility=אפשר גרסאות (וריאציות של מוצרים, למשל צבע, גודל) +AssociatedProducts=ערכות +AssociatedProductsNumber=מספר המוצרים המרכיבים ערכה זו +ParentProductsNumber=מספר מוצר אריזת האב +ParentProducts=מוצרי הורה +IfZeroItIsNotAVirtualProduct=אם 0, מוצר זה אינו ערכה +IfZeroItIsNotUsedByVirtualProduct=אם 0, מוצר זה אינו בשימוש על ידי אף ערכה +KeywordFilter=מסנן מילות מפתח +CategoryFilter=מסנן קטגוריות +ProductToAddSearch=חפש מוצר להוסיף +NoMatchFound=לא נמצאה התאמה +ListOfProductsServices=רשימת מוצרים/שירותים +ProductAssociationList=רשימת מוצרים/שירותים המהווים מרכיב(ים) בערכה זו +ProductParentList=רשימת ערכות עם מוצר זה כרכיב +ErrorAssociationIsFatherOfThis=אחד מהמוצרים הנבחרים הוא אב עם המוצר הנוכחי +DeleteProduct=מחק מוצר/שירות +ConfirmDeleteProduct=האם אתה בטוח שברצונך למחוק את המוצר/שירות הזה? +ProductDeleted=המוצר/שירות "%s" נמחק ממסד הנתונים. ExportDataset_produit_1=מוצרים ExportDataset_service_1=שירותים ImportDataset_produit_1=מוצרים ImportDataset_service_1=שירותים -DeleteProductLine=Delete product line -ConfirmDeleteProductLine=Are you sure you want to delete this product line? -ProductSpecial=Special -QtyMin=Min. purchase quantity -PriceQtyMin=Price quantity min. -PriceQtyMinCurrency=Price (currency) for this qty. (no discount) -VATRateForSupplierProduct=VAT Rate (for this vendor/product) -DiscountQtyMin=Discount for this qty. -NoPriceDefinedForThisSupplier=No price/qty defined for this vendor/product -NoSupplierPriceDefinedForThisProduct=No vendor price/qty defined for this product -PredefinedItem=Predefined item -PredefinedProductsToSell=Predefined Product -PredefinedServicesToSell=Predefined Service -PredefinedProductsAndServicesToSell=Predefined products/services to sell -PredefinedProductsToPurchase=Predefined product to purchase -PredefinedServicesToPurchase=Predefined services to purchase -PredefinedProductsAndServicesToPurchase=Predefined products/services to purchase -NotPredefinedProducts=Not predefined products/services -GenerateThumb=Generate thumb -ServiceNb=Service #%s -ListProductServiceByPopularity=List of products/services by popularity -ListProductByPopularity=List of products by popularity -ListServiceByPopularity=List of services by popularity -Finished=Manufactured product -RowMaterial=Raw Material -ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of the product/service -ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone linked tags/categories -CloneCompositionProduct=Clone virtual products/services -CloneCombinationsProduct=Clone the product variants -ProductIsUsed=This product is used -NewRefForClone=Ref. of new product/service -SellingPrices=Selling prices -BuyingPrices=Buying prices -CustomerPrices=Customer prices -SuppliersPrices=Vendor prices -SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) -CustomCode=Customs|Commodity|HS code -CountryOrigin=Country of origin -RegionStateOrigin=Region of origin -StateOrigin=State|Province of origin -Nature=Nature of product (raw/manufactured) -NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or manufactured product -ShortLabel=Short label -Unit=Unit +DeleteProductLine=מחק קו מוצרים +ConfirmDeleteProductLine=האם אתה בטוח שברצונך למחוק קו מוצרים זה? +ProductSpecial=מיוחד +QtyMin=מינימום כמות רכישה +PriceQtyMin=מחיר כמות מינ. +PriceQtyMinCurrency=מחיר (מטבע) עבור כמות זו. +WithoutDiscount=ללא הנחה +VATRateForSupplierProduct=שיעור מע"מ (עבור ספק/מוצר זה) +DiscountQtyMin=הנחה עבור כמות זו. +NoPriceDefinedForThisSupplier=לא הוגדר מחיר/כמות עבור ספק/מוצר זה +NoSupplierPriceDefinedForThisProduct=לא הוגדר מחיר/כמות של ספק עבור מוצר זה +PredefinedItem=פריט מוגדר מראש +PredefinedProductsToSell=מוצר מוגדר מראש +PredefinedServicesToSell=שירות מוגדר מראש +PredefinedProductsAndServicesToSell=מוצרים/שירותים מוגדרים מראש למכירה +PredefinedProductsToPurchase=מוצר מוגדר מראש לרכישה +PredefinedServicesToPurchase=שירותים מוגדרים מראש לרכישה +PredefinedProductsAndServicesToPurchase=מוצרים/שירותים מוגדרים מראש לרכישה +NotPredefinedProducts=לא מוצרים/שירותים מוגדרים מראש +GenerateThumb=צור אגודל +ServiceNb=שירות #%s +ListProductServiceByPopularity=רשימת מוצרים/שירותים לפי פופולריות +ListProductByPopularity=רשימת מוצרים לפי פופולריות +ListServiceByPopularity=רשימת שירותים לפי פופולריות +Finished=מוצר מיוצר +RowMaterial=חומר גולמי +ConfirmCloneProduct=האם אתה בטוח שברצונך לשכפל מוצר או שירות %s? +CloneContentProduct=שכפול כל המידע העיקרי של המוצר/שירות +ClonePricesProduct=מחירי שיבוט +CloneCategoriesProduct=שיבוט תגיות/קטגוריות מקושרות +CloneCompositionProduct=שיבוט מוצרים/שירותים וירטואליים +CloneCombinationsProduct=שכפל את גרסאות המוצר +ProductIsUsed=נעשה שימוש במוצר זה +NewRefForClone=רפ. של מוצר/שירות חדש +SellingPrices=מחירי מכירה +BuyingPrices=מחירי קנייה +CustomerPrices=מחירי לקוחות +SuppliersPrices=מחירי ספקים +SuppliersPricesOfProductsOrServices=מחירי ספקים (של מוצרים או שירותים) +CustomCode=קוד מכס|סחורה|HS +CountryOrigin=ארץ מוצא +RegionStateOrigin=אזור מוצא +StateOrigin=מדינה|מחוז מוצא +Nature=אופי המוצר (גולמי/מיוצר) +NatureOfProductShort=אופי המוצר +NatureOfProductDesc=חומר גלם או מוצר מיוצר +ShortLabel=תווית קצרה +Unit=יחידה p=u. -set=set -se=set -second=second -s=s -hour=hour -h=h -day=day -d=d -kilogram=kilogram -kg=Kg -gram=gram -g=g -meter=meter -m=m +set=מַעֲרֶכֶת +se=מַעֲרֶכֶת +second=שְׁנִיָה +s=ס +hour=שָׁעָה +h=ח +day=יְוֹם +d=ד +kilogram=קִילוֹגרָם +kg=ק"ג +gram=גְרַם +g=ז +meter=מטר +m=M lm=lm -m2=m² +m2=מ"ר m3=m³ -liter=liter -l=L -unitP=Piece -unitSET=Set -unitS=Second -unitH=Hour -unitD=Day -unitG=Gram -unitM=Meter -unitLM=Linear meter -unitM2=Square meter -unitM3=Cubic meter -unitL=Liter -unitT=ton -unitKG=kg -unitG=Gram -unitMG=mg -unitLB=pound -unitOZ=ounce -unitM=Meter +liter=לִיטר +l=ל +unitP=לְחַבֵּר +unitSET=מַעֲרֶכֶת +unitS=שְׁנִיָה +unitH=שָׁעָה +unitD=יְוֹם +unitG=גְרַם +unitM=מטר +unitLM=מטר ליניארי +unitM2=מטר מרובע +unitM3=מטר מרובע +unitL=לִיטר +unitT=טוֹן +unitKG=ק"ג +unitG=גְרַם +unitMG=מ"ג +unitLB=לִירָה +unitOZ=אוּנְקִיָה +unitM=מטר unitDM=dm -unitCM=cm -unitMM=mm +unitCM=ס"מ +unitMM=מ"מ unitFT=ft -unitIN=in -unitM2=Square meter +unitIN=ב +unitM2=מטר מרובע unitDM2=dm² unitCM2=cm² -unitMM2=mm² +unitMM2=מ"מ unitFT2=ft² unitIN2=in² -unitM3=Cubic meter +unitM3=מטר מרובע unitDM3=dm³ unitCM3=cm³ -unitMM3=mm³ +unitMM3=מ"מ³ unitFT3=ft³ -unitIN3=in³ -unitOZ3=ounce -unitgallon=gallon -ProductCodeModel=Product ref template -ServiceCodeModel=Service ref template -CurrentProductPrice=Current price -AlwaysUseNewPrice=Always use current price of product/service -AlwaysUseFixedPrice=Use the fixed price -PriceByQuantity=Different prices by quantity -DisablePriceByQty=Disable prices by quantity -PriceByQuantityRange=Quantity range -MultipriceRules=Automatic prices for segment -UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment -PercentVariationOver=%% variation over %s -PercentDiscountOver=%% discount over %s -KeepEmptyForAutoCalculation=Keep empty to have this calculated automatically from weight or volume of products -VariantRefExample=Examples: COL, SIZE -VariantLabelExample=Examples: Color, Size +unitIN3=ב³ +unitOZ3=אוּנְקִיָה +unitgallon=גַלוֹן +ProductCodeModel=תבנית ר' מוצר +ServiceCodeModel=תבנית רפ שירות +CurrentProductPrice=מחיר נוכחי +AlwaysUseNewPrice=השתמש תמיד במחיר הנוכחי של המוצר/שירות +AlwaysUseFixedPrice=השתמשו במחיר הקבוע +PriceByQuantity=מחירים שונים לפי כמות +DisablePriceByQty=השבת מחירים לפי כמות +PriceByQuantityRange=טווח כמות +MultipriceRules=מחירים אוטומטיים לפלח +UseMultipriceRules=השתמש בכללי פלח מחירים (מוגדרים בהגדרת מודול המוצר) כדי לחשב אוטומטית מחירים של כל הפלחים האחרים לפי הפלח הראשון +PercentVariationOver=%% וריאציה על פני %s +PercentDiscountOver=הנחה %% מעל %s +KeepEmptyForAutoCalculation=שמור ריק כדי שהדבר יחושב אוטומטית ממשקל או נפח של מוצרים +VariantRefExample=דוגמאות: COL, SIZE +VariantLabelExample=דוגמאות: צבע, גודל ### composition fabrication -Build=Produce -ProductsMultiPrice=Products and prices for each price segment -ProductsOrServiceMultiPrice=Customer prices (of products or services, multi-prices) -ProductSellByQuarterHT=Products turnover quarterly before tax -ServiceSellByQuarterHT=Services turnover quarterly before tax -Quarter1=1st. Quarter -Quarter2=2nd. Quarter -Quarter3=3rd. Quarter -Quarter4=4th. Quarter -BarCodePrintsheet=Print barcode -PageToGenerateBarCodeSheets=With this tool, you can print sheets of barcode stickers. Choose format of your sticker page, type of barcode and value of barcode, then click on button %s. -NumberOfStickers=Number of stickers to print on page -PrintsheetForOneBarCode=Print several stickers for one barcode -BuildPageToPrint=Generate page to print -FillBarCodeTypeAndValueManually=Fill barcode type and value manually. -FillBarCodeTypeAndValueFromProduct=Fill barcode type and value from barcode of a product. -FillBarCodeTypeAndValueFromThirdParty=Fill barcode type and value from barcode of a third party. -DefinitionOfBarCodeForProductNotComplete=Definition of type or value of barcode not complete for product %s. -DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of barcode non complete for third party %s. -BarCodeDataForProduct=Barcode information of product %s: -BarCodeDataForThirdparty=Barcode information of third party %s: -ResetBarcodeForAllRecords=Define barcode value for all record (this will also reset barcode value already defined with new values) -PriceByCustomer=Different prices for each customer -PriceCatalogue=A single sell price per product/service -PricingRule=Rules for selling prices -AddCustomerPrice=Add price by customer -ForceUpdateChildPriceSoc=Set same price on customer's subsidiaries -PriceByCustomerLog=Log of previous customer prices -MinimumPriceLimit=Minimum price can't be lower then %s -MinimumRecommendedPrice=Minimum recommended price is: %s -PriceExpressionEditor=Price expression editor -PriceExpressionSelected=Selected price expression -PriceExpressionEditorHelp1="price = 2 + 2" or "2 + 2" for setting the price. Use ; to separate expressions -PriceExpressionEditorHelp2=You can access ExtraFields with variables like #extrafield_myextrafieldkey# and global variables with #global_mycode# -PriceExpressionEditorHelp3=In both product/service and vendor prices there are these variables available:
      #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# -PriceExpressionEditorHelp4=In product/service price only: #supplier_min_price#
      In vendor prices only: #supplier_quantity# and #supplier_tva_tx# -PriceExpressionEditorHelp5=Available global values: -PriceMode=Price mode -PriceNumeric=Number -DefaultPrice=Default price -DefaultPriceLog=Log of previous default prices -ComposedProductIncDecStock=Increase/Decrease stock on parent change -ComposedProduct=Child products -MinSupplierPrice=Minimum buying price -MinCustomerPrice=Minimum selling price -NoDynamicPrice=No dynamic price -DynamicPriceConfiguration=Dynamic price configuration -DynamicPriceDesc=You may define mathematical formulae to calculate Customer or Vendor prices. Such formulas can use all mathematical operators, some constants and variables. You can define here the variables you wish to use. If the variable needs an automatic update, you may define the external URL to allow Dolibarr to update the value automatically. -AddVariable=Add Variable -AddUpdater=Add Updater -GlobalVariables=Global variables -VariableToUpdate=Variable to update -GlobalVariableUpdaters=External updaters for variables -GlobalVariableUpdaterType0=JSON data -GlobalVariableUpdaterHelp0=Parses JSON data from specified URL, VALUE specifies the location of relevant value, -GlobalVariableUpdaterHelpFormat0=Format for request {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"} -GlobalVariableUpdaterType1=WebService data -GlobalVariableUpdaterHelp1=Parses WebService data from specified URL, NS specifies the namespace, VALUE specifies the location of relevant value, DATA should contain the data to send and METHOD is the calling WS method -GlobalVariableUpdaterHelpFormat1=Format for request is {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD": "myWSMethod", "DATA": {"your": "data", "to": "send"}} -UpdateInterval=Update interval (minutes) -LastUpdated=Latest update -CorrectlyUpdated=Correctly updated -PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is -PropalMergePdfProductChooseFile=Select PDF files -IncludingProductWithTag=Including products/services with the tag -DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer -WarningSelectOneDocument=Please select at least one document -DefaultUnitToShow=Unit -NbOfQtyInProposals=Qty in proposals -ClinkOnALinkOfColumn=Click on a link of column %s to get a detailed view... -ProductsOrServicesTranslations=Products/Services translations -TranslatedLabel=Translated label -TranslatedDescription=Translated description -TranslatedNote=Translated notes -ProductWeight=Weight for 1 product -ProductVolume=Volume for 1 product -WeightUnits=Weight unit -VolumeUnits=Volume unit -WidthUnits=Width unit -LengthUnits=Length unit -HeightUnits=Height unit -SurfaceUnits=Surface unit -SizeUnits=Size unit -DeleteProductBuyPrice=Delete buying price -ConfirmDeleteProductBuyPrice=Are you sure you want to delete this buying price? -SubProduct=Sub product -ProductSheet=Product sheet -ServiceSheet=Service sheet -PossibleValues=Possible values -GoOnMenuToCreateVairants=Go on menu %s - %s to prepare attribute variants (like colors, size, ...) -UseProductFournDesc=Add a feature to define the product description defined by the vendors (for each vendor reference) in addition to the description for customers -ProductSupplierDescription=Vendor description for the product -UseProductSupplierPackaging=Use packaging on supplier prices (recalculate quantities according to packaging set on supplier price when adding/updating line in supplier documents) -PackagingForThisProduct=Packaging -PackagingForThisProductDesc=On supplier order, you will automaticly order this quantity (or a multiple of this quantity). Cannot be less than minimum buying quantity -QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging +Build=ליצר +ProductsMultiPrice=מוצרים ומחירים לכל פלח מחיר +ProductsOrServiceMultiPrice=מחירי לקוחות (של מוצרים או שירותים, ריבוי מחירים) +ProductSellByQuarterHT=מחזור מוצרים רבעוני לפני מס +ServiceSellByQuarterHT=מחזור שירותים רבעוני לפני מס +Quarter1=1. רובע +Quarter2=2. רובע +Quarter3=3. רובע +Quarter4=הרביעי. רובע +BarCodePrintsheet=הדפס ברקודים +PageToGenerateBarCodeSheets=בעזרת הכלי הזה תוכלו להדפיס גיליונות של מדבקות ברקוד. בחר את הפורמט של דף המדבקה שלך, סוג הברקוד וערך הברקוד, ולאחר מכן לחץ על הלחצן %s. +NumberOfStickers=מספר המדבקות להדפסה בעמוד +PrintsheetForOneBarCode=הדפס מספר מדבקות עבור ברקוד אחד +BuildPageToPrint=צור עמוד להדפסה +FillBarCodeTypeAndValueManually=מילוי סוג וערך ברקוד באופן ידני. +FillBarCodeTypeAndValueFromProduct=מילוי סוג וערך ברקוד מהברקוד של מוצר. +FillBarCodeTypeAndValueFromThirdParty=מילוי סוג וערך ברקוד מברקוד של צד שלישי. +DefinitionOfBarCodeForProductNotComplete=ההגדרה של סוג או ערך הברקוד לא מלאה עבור המוצר %s. +DefinitionOfBarCodeForThirdpartyNotComplete=הגדרה של סוג או ערך של ברקוד לא הושלם עבור צד שלישי %s. +BarCodeDataForProduct=מידע ברקוד של המוצר %s: +BarCodeDataForThirdparty=מידע ברקוד של צד שלישי %s: +ResetBarcodeForAllRecords=הגדר ערך ברקוד עבור כל הרשומות (זה גם יאפס את ערך הברקוד שכבר הוגדר עם ערכים חדשים) +PriceByCustomer=מחירים שונים לכל לקוח +PriceCatalogue=מחיר מכירה בודד למוצר/שירות +PricingRule=כללים למחירי מכירה +AddCustomerPrice=הוסף מחיר לפי לקוח +ForceUpdateChildPriceSoc=הגדר אותו מחיר על חברות הבת של הלקוח +PriceByCustomerLog=יומן מחירי לקוחות קודמים +MinimumPriceLimit=המחיר המינימלי לא יכול להיות נמוך יותר מאשר %s +MinimumRecommendedPrice=מחיר מינימלי מומלץ הוא: %s +PriceExpressionEditor=עורך ביטוי מחיר +PriceExpressionSelected=ביטוי מחיר נבחר +PriceExpressionEditorHelp1="מחיר = 2 + 2" או "2 + 2" להגדרת המחיר. להשתמש ; להפריד בין ביטויים +PriceExpressionEditorHelp2=אתה יכול לגשת ל-ExtraFields עם משתנים כמו #extrafield_myextrafieldkey# ומשתנים גלובליים עם 7360e8b0736e8b07 /span>#global_mycode# +PriceExpressionEditorHelp3=גם במחירי המוצר/שירות וגם במחירי הספקים ישנם משתנים זמינים:
      #tva_tx# #localtax1_tx# #localtax2_tx# weight# #length# #surface# #price_min# +PriceExpressionEditorHelp4=במחיר המוצר/שירות בלבד: #supplier_min_price#b0342fccfda19b#supplier_quantity# ו-#supplier_tva_tx# +PriceExpressionEditorHelp5=ערכים גלובליים זמינים: +PriceMode=מצב מחיר +PriceNumeric=מספר +DefaultPrice=מחיר ברירת מחדל +DefaultPriceLog=יומן של מחירי ברירת מחדל קודמים +ComposedProductIncDecStock=הגדל/הקטן מלאי בשינוי אב +ComposedProduct=מוצרי ילדים +MinSupplierPrice=מחיר מינימום קנייה +MinCustomerPrice=מחיר מכירה מינימלי +NoDynamicPrice=אין מחיר דינמי +DynamicPriceConfiguration=תצורת מחיר דינמית +DynamicPriceDesc=אתה יכול להגדיר נוסחאות מתמטיות לחישוב מחירי לקוחות או ספקים. נוסחאות כאלה יכולות להשתמש בכל האופרטורים המתמטיים, כמה קבועים ומשתנים. אתה יכול להגדיר כאן את המשתנים שבהם אתה רוצה להשתמש. אם המשתנה זקוק לעדכון אוטומטי, תוכל להגדיר את כתובת האתר החיצונית כדי לאפשר ל-Dolibarr לעדכן את הערך באופן אוטומטי. +AddVariable=הוסף משתנה +AddUpdater=הוסף Updater +GlobalVariables=משתנים גלובליים +VariableToUpdate=משתנה לעדכון +GlobalVariableUpdaters=מעדכנים חיצוניים למשתנים +GlobalVariableUpdaterType0=נתוני JSON +GlobalVariableUpdaterHelp0=מנתח נתוני JSON מ-URL שצוין, VALUE מציין את המיקום של הערך הרלוונטי, +GlobalVariableUpdaterHelpFormat0=פורמט לבקשה {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"} +GlobalVariableUpdaterType1=נתוני WebService +GlobalVariableUpdaterHelp1=מנתח נתוני WebService מ-URL שצוין, NS מציין את מרחב השמות, VALUE מציין את המיקום של הערך הרלוונטי, DATA צריך להכיל את הנתונים לשליחה ו-METHOD היא שיטת ה-WS הקוראת +GlobalVariableUpdaterHelpFormat1=הפורמט לבקשה הוא {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD" : "myWSMethod", "DATA": {"your": "data", "to": "send"}} +UpdateInterval=מרווח עדכון (דקות) +LastUpdated=עדכון אחרון +CorrectlyUpdated=מעודכן נכון +PropalMergePdfProductActualFile=קבצים שבהם משתמשים כדי להוסיף ל-PDF Azur הם/יש +PropalMergePdfProductChooseFile=בחר קבצי PDF +IncludingProductWithTag=כולל מוצרים/שירותים עם התג +DefaultPriceRealPriceMayDependOnCustomer=מחיר ברירת מחדל, המחיר האמיתי עשוי להיות תלוי בלקוח +WarningSelectOneDocument=אנא בחר מסמך אחד לפחות +DefaultUnitToShow=יחידה +NbOfQtyInProposals=כמות בהצעות +ClinkOnALinkOfColumn=לחץ על קישור של העמודה %s כדי לקבל תצוגה מפורטת... +ProductsOrServicesTranslations=תרגומי מוצרים/שירותים +TranslatedLabel=תווית מתורגמת +TranslatedDescription=תיאור מתורגם +TranslatedNote=הערות מתורגמות +ProductWeight=משקל למוצר 1 +ProductVolume=נפח עבור מוצר 1 +WeightUnits=יחידת משקל +VolumeUnits=יחידת נפח +WidthUnits=יחידת רוחב +LengthUnits=יחידת אורך +HeightUnits=יחידת גובה +SurfaceUnits=יחידת משטח +SizeUnits=יחידת גודל +DeleteProductBuyPrice=מחק את מחיר הקנייה +ConfirmDeleteProductBuyPrice=האם אתה בטוח שברצונך למחוק את מחיר הקנייה הזה? +SubProduct=מוצר משנה +ProductSheet=תוכנית מוצר +ServiceSheet=גיליון שירות +PossibleValues=ערכים אפשריים +GoOnMenuToCreateVairants=עבור לתפריט %s - %s כדי להכין גרסאות של תכונות (כמו צבעים, גודל, ...) +UseProductFournDesc=הוסף תכונה להגדרת תיאור המוצר שהוגדר על ידי הספקים (עבור כל התייחסות לספק) בנוסף לתיאור ללקוחות +ProductSupplierDescription=תיאור הספק עבור המוצר +UseProductSupplierPackaging=השתמש בתכונת "אריזה" כדי לעגל את הכמויות לכפולות מסוימות (בעת הוספת/עדכון שורה במסמכי ספק, חשב מחדש כמויות ומחירי רכישה על פי המכפלה הגבוהה יותר שנקבעה במחירי הרכישה של מוצר) +PackagingForThisProduct=אריזת כמויות +PackagingForThisProductDesc=אתה תרכוש אוטומטית כפולה של כמות זו. +QtyRecalculatedWithPackaging=כמות הקו חושבה מחדש על פי אריזות הספק #Attributes -VariantAttributes=Variant attributes -ProductAttributes=Variant attributes for products -ProductAttributeName=Variant attribute %s -ProductAttribute=Variant attribute -ProductAttributeDeleteDialog=Are you sure you want to delete this attribute? All values will be deleted -ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with reference "%s" of this attribute? -ProductCombinationDeleteDialog=Are you sure want to delete the variant of the product "%s"? -ProductCombinationAlreadyUsed=There was an error while deleting the variant. Please check it is not being used in any object -ProductCombinations=Variants -PropagateVariant=Propagate variants -HideProductCombinations=Hide products variant in the products selector -ProductCombination=Variant -NewProductCombination=New variant -EditProductCombination=Editing variant -NewProductCombinations=New variants -EditProductCombinations=Editing variants -SelectCombination=Select combination -ProductCombinationGenerator=Variants generator -Features=Features -PriceImpact=Price impact -ImpactOnPriceLevel=Impact on price level %s -ApplyToAllPriceImpactLevel= Apply to all levels -ApplyToAllPriceImpactLevelHelp=By clicking here you set the same price impact on all levels -WeightImpact=Weight impact -NewProductAttribute=New attribute -NewProductAttributeValue=New attribute value -ErrorCreatingProductAttributeValue=There was an error while creating the attribute value. It could be because there is already an existing value with that reference -ProductCombinationGeneratorWarning=If you continue, before generating new variants, all previous ones will be DELETED. Already existing ones will be updated with the new values -TooMuchCombinationsWarning=Generating lots of variants may result in high CPU, memory usage and Dolibarr not able to create them. Enabling the option "%s" may help reduce memory usage. -DoNotRemovePreviousCombinations=Do not remove previous variants -UsePercentageVariations=Use percentage variations -PercentageVariation=Percentage variation -ErrorDeletingGeneratedProducts=There was an error while trying to delete existing product variants -NbOfDifferentValues=No. of different values -NbProducts=Number of products -ParentProduct=Parent product -HideChildProducts=Hide variant products -ShowChildProducts=Show variant products -NoEditVariants=Go to Parent product card and edit variants price impact in the variants tab -ConfirmCloneProductCombinations=Would you like to copy all the product variants to the other parent product with the given reference? -CloneDestinationReference=Destination product reference -ErrorCopyProductCombinations=There was an error while copying the product variants -ErrorDestinationProductNotFound=Destination product not found -ErrorProductCombinationNotFound=Product variant not found -ActionAvailableOnVariantProductOnly=Action only available on the variant of product -ProductsPricePerCustomer=Product prices per customers -ProductSupplierExtraFields=Additional Attributes (Supplier Prices) -DeleteLinkedProduct=Delete the child product linked to the combination -AmountUsedToUpdateWAP=Amount to use to update the Weighted Average Price -PMPValue=Weighted average price +Attributes=תכונות +VariantAttributes=תכונות שונות +ProductAttributes=תכונות שונות למוצרים +ProductAttributeName=מאפיין וריאנט %s +ProductAttribute=תכונת וריאנט +ProductAttributeDeleteDialog=האם אתה בטוח שברצונך למחוק את התכונה הזו? כל הערכים יימחקו +ProductAttributeValueDeleteDialog=האם אתה בטוח שברצונך למחוק את הערך "%s" עם ההפניה "%s" של תכונה זו? +ProductCombinationDeleteDialog=האם אתה בטוח רוצה למחוק את הגרסה של המוצר "%s"? +ProductCombinationAlreadyUsed=אירעה שגיאה בעת מחיקת הגרסה. אנא בדוק שהוא אינו בשימוש באף אובייקט +ProductCombinations=גרסאות +PropagateVariant=הפצת גרסאות +HideProductCombinations=הסתר וריאנט מוצרים בבורר המוצרים +ProductCombination=גִרְסָה אַחֶרֶת +NewProductCombination=גרסה חדשה +EditProductCombination=וריאנט עריכה +NewProductCombinations=גרסאות חדשות +EditProductCombinations=עריכת גרסאות +SelectCombination=בחר שילוב +ProductCombinationGenerator=מחולל גרסאות +Features=מאפיינים +PriceImpact=השפעה על המחיר +ImpactOnPriceLevel=השפעה על רמת המחיר %s +ApplyToAllPriceImpactLevel= החל על כל הרמות +ApplyToAllPriceImpactLevelHelp=בלחיצה כאן אתה מגדיר את אותה השפעה על המחיר בכל הרמות +WeightImpact=השפעה על משקל +NewProductAttribute=תכונה חדשה +NewProductAttributeValue=ערך תכונה חדש +ErrorCreatingProductAttributeValue=אירעה שגיאה במהלך יצירת ערך התכונה. זה יכול להיות בגלל שכבר יש ערך קיים עם ההפניה הזו +ProductCombinationGeneratorWarning=אם תמשיך, לפני יצירת גרסאות חדשות, כל הקודמות יימחקו. קיימים כבר יעודכנו בערכים החדשים +TooMuchCombinationsWarning=יצירת הרבה גרסאות עשויה לגרום ל-CPU גבוה, שימוש בזיכרון ו-Dolibarr לא מסוגל ליצור אותם. הפעלת האפשרות "%s" עשויה לסייע בהפחתת השימוש בזיכרון. +DoNotRemovePreviousCombinations=אל תסיר גרסאות קודמות +UsePercentageVariations=השתמש בווריאציות באחוזים +PercentageVariation=שינוי באחוזים +ErrorDeletingGeneratedProducts=אירעה שגיאה בעת ניסיון למחוק גרסאות מוצר קיימות +NbOfDifferentValues=מס' בערכים שונים +NbProducts=מספר מוצרים +ParentProduct=מוצר אב +ParentProductOfVariant=מוצר אב של גרסה +HideChildProducts=הסתר מוצרים שונים +ShowChildProducts=הצג מוצרים שונים +NoEditVariants=עבור אל כרטיס מוצר אב וערוך את השפעת המחירים של גרסאות בכרטיסיית הגרסאות +ConfirmCloneProductCombinations=האם תרצה להעתיק את כל גרסאות המוצר למוצר האב האחר עם ההפניה הנתונה? +CloneDestinationReference=הפניה למוצר היעד +ErrorCopyProductCombinations=אירעה שגיאה בעת העתקת גרסאות המוצר +ErrorDestinationProductNotFound=מוצר היעד לא נמצא +ErrorProductCombinationNotFound=וריאנט מוצר לא נמצא +ActionAvailableOnVariantProductOnly=הפעולה זמינה רק בגרסה של המוצר +ProductsPricePerCustomer=מחירי מוצר ללקוח +ProductSupplierExtraFields=מאפיינים נוספים (מחירי ספק) +DeleteLinkedProduct=מחק את המוצר הצאצא המקושר לשילוב +AmountUsedToUpdateWAP=כמות היחידה לשימוש לעדכון המחיר הממוצע המשוקלל +PMPValue=מחיר ממוצע משוקלל PMPValueShort=WAP -mandatoryperiod=Mandatory periods -mandatoryPeriodNeedTobeSet=Note: Period (start and end date) must be defined -mandatoryPeriodNeedTobeSetMsgValidate=A service requires a start and end period -mandatoryHelper=Check this if you want a message to the user when creating / validating an invoice, commercial proposal, sales order without entering a start and end date on lines with this service.
      Note that the message is a warning and not a blocking error. -DefaultBOM=Default BOM -DefaultBOMDesc=The default BOM recommended to use to manufacture this product. This field can be set only if nature of product is '%s'. -Rank=Rank -SwitchOnSaleStatus=Switch on sale status -SwitchOnPurchaseStatus=Switch on purchase status -StockMouvementExtraFields= Extra Fields (stock mouvement) +mandatoryperiod=תקופות חובה +mandatoryPeriodNeedTobeSet=הערה: יש להגדיר תקופה (תאריך התחלה וסיום). +mandatoryPeriodNeedTobeSetMsgValidate=שירות דורש תקופת התחלה וסיום +mandatoryHelper=סמן זאת אם ברצונך לקבל הודעה למשתמש בעת יצירה / אימות של חשבונית, הצעה מסחרית, הזמנת מכירות מבלי להזין תאריך התחלה וסיום בקווים עם שירות זה.
      שים לב כי ההודעה היא אזהרה ולא שגיאת חסימה. +DefaultBOM=BOM ברירת מחדל +DefaultBOMDesc=ברירת המחדל של BOM מומלץ להשתמש לייצור מוצר זה. ניתן להגדיר שדה זה רק אם אופי המוצר הוא '%s'. +Rank=דַרגָה +MergeOriginProduct=מוצר משוכפל (מוצר שברצונך למחוק) +MergeProducts=מיזוג מוצרים +ConfirmMergeProducts=האם אתה בטוח שברצונך למזג את המוצר הנבחר עם המוצר הנוכחי? כל האובייקטים המקושרים (חשבוניות, הזמנות,...) יועברו למוצר הנוכחי ולאחר מכן המוצר הנבחר יימחק. +ProductsMergeSuccess=מוצרים אוחדו +ErrorsProductsMerge=שגיאות במוצרים מתמזגות +SwitchOnSaleStatus=הפעל את סטטוס המכירה +SwitchOnPurchaseStatus=הפעל את מצב הרכישה +UpdatePrice=הגדל/הורד את המחיר ללקוח +StockMouvementExtraFields= שדות נוספים (תנועת מלאי) +InventoryExtraFields= שדות נוספים (מלאי) +ScanOrTypeOrCopyPasteYourBarCodes=סרוק או הקלד או העתק/הדבק את הברקודים שלך +PuttingPricesUpToDate=עדכן מחירים עם מחירים ידועים עדכניים +PuttingDescUpToDate=עדכן תיאורים עם תיאורים ידועים עדכניים +PMPExpected=PMP צפוי +ExpectedValuation=הערכת שווי צפויה +PMPReal=PMP אמיתי +RealValuation=הערכת שווי אמיתית +ConfirmEditExtrafield = בחר את השדה הנוסף שברצונך לשנות +ConfirmEditExtrafieldQuestion = האם אתה בטוח שברצונך לשנות שדה נוסף זה? +ModifyValueExtrafields = שנה ערך של שדה נוסף +OrProductsWithCategories=או מוצרים עם תגיות/קטגוריות +WarningTransferBatchStockMouvToGlobal = אם ברצונך להפוך את המוצר הזה לסידריאליזציה, כל המלאי המסודר שלו יהפוך למלאי גלובלי +WarningConvertFromBatchToSerial=אם יש לך כרגע כמות גבוהה או שווה ל-2 עבור המוצר, מעבר לבחירה זו אומר שעדיין יהיה לך מוצר עם אובייקטים שונים מאותה אצווה (בעוד שאתה רוצה מספר סידורי ייחודי). השכפול יישאר עד לביצוע מלאי או תנועת מלאי ידנית לתיקון זה. +ConfirmSetToDraftInventory=האם אתה בטוח שברצונך לחזור למצב טיוטה?
      הכמויות המוגדרות כעת במלאי יאופסו. diff --git a/htdocs/langs/he_IL/projects.lang b/htdocs/langs/he_IL/projects.lang index 73d797e7ba1..2a481dde00e 100644 --- a/htdocs/langs/he_IL/projects.lang +++ b/htdocs/langs/he_IL/projects.lang @@ -1,289 +1,304 @@ # Dolibarr language file - Source file is en_US - projects -RefProject=Ref. project -ProjectRef=Project ref. -ProjectId=Project Id -ProjectLabel=Project label -ProjectsArea=Projects Area -ProjectStatus=Project status -SharedProject=Everybody -PrivateProject=Project contacts -ProjectsImContactFor=Projects for which I am explicitly a contact -AllAllowedProjects=All project I can read (mine + public) -AllProjects=All projects -MyProjectsDesc=This view is limited to the projects that you are a contact for -ProjectsPublicDesc=This view presents all projects you are allowed to read. -TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. -ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. -ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). -TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to the projects or tasks that you are a contact for -OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). -ClosedProjectsAreHidden=Closed projects are not visible. -TasksPublicDesc=This view presents all projects and tasks you are allowed to read. -TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). -AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. -ImportDatasetTasks=Tasks of projects -ProjectCategories=Project tags/categories -NewProject=New project -AddProject=Create project -DeleteAProject=Delete a project -DeleteATask=Delete a task -ConfirmDeleteAProject=Are you sure you want to delete this project? -ConfirmDeleteATask=Are you sure you want to delete this task? -OpenedProjects=Open projects -OpenedTasks=Open tasks -OpportunitiesStatusForOpenedProjects=Leads amount of open projects by status -OpportunitiesStatusForProjects=Leads amount of projects by status -ShowProject=Show project +RefProject=רפ. פּרוֹיֶקט +ProjectRef=פרויקט ref. +ProjectId=מזהה פרויקט +ProjectLabel=תווית פרויקט +ProjectsArea=אזור פרויקטים +ProjectStatus=מצב הפרויקט +SharedProject=כולם +PrivateProject=אנשי קשר שהוקצו +ProjectsImContactFor=פרויקטים שעבורם אני איש קשר במפורש +AllAllowedProjects=כל הפרויקטים שאני יכול לקרוא (שלי + ציבורי) +AllProjects=כל הפרויקטים +MyProjectsDesc=תצוגה זו מוגבלת לפרויקטים שאתה איש קשר עבורם +ProjectsPublicDesc=תצוגה זו מציגה את כל הפרויקטים שאתה רשאי לקרוא. +TasksOnProjectsPublicDesc=תצוגה זו מציגה את כל המשימות בפרויקטים שאתה רשאי לקרוא. +ProjectsPublicTaskDesc=תצוגה זו מציגה את כל הפרויקטים והמשימות שאתה רשאי לקרוא. +ProjectsDesc=תצוגה זו מציגה את כל הפרויקטים (הרשאות המשתמש שלך מעניקות לך הרשאה לראות הכל). +TasksOnProjectsDesc=תצוגה זו מציגה את כל המשימות בכל הפרויקטים (הרשאות המשתמש שלך מעניקות לך הרשאה להציג הכל). +MyTasksDesc=תצוגה זו מוגבלת לפרויקטים או למשימות שאתה איש קשר עבורן +OnlyOpenedProject=רק פרויקטים פתוחים גלויים (פרויקטים בסטטוס טיוטה או סגור אינם גלויים). +ClosedProjectsAreHidden=פרויקטים סגורים אינם גלויים. +TasksPublicDesc=תצוגה זו מציגה את כל הפרויקטים והמשימות שאתה רשאי לקרוא. +TasksDesc=תצוגה זו מציגה את כל הפרויקטים והמשימות (הרשאות המשתמש שלך מעניקות לך הרשאה לראות הכל). +AllTaskVisibleButEditIfYouAreAssigned=כל המשימות עבור פרויקטים מוסמכים גלויות, אבל אתה יכול להזין זמן רק עבור המשימה שהוקצתה למשתמש שנבחר. הקצה משימה אם אתה צריך להזין זמן עליה. +OnlyYourTaskAreVisible=רק משימות שהוקצו לך גלויות. אם אתה צריך להזין זמן במשימה ואם המשימה אינה גלויה כאן, אז אתה צריך להקצות את המשימה לעצמך. +ImportDatasetProjects=פרויקטים או הזדמנויות +ImportDatasetTasks=משימות של פרויקטים +ProjectCategories=תגיות/קטגוריות של פרויקטים +NewProject=פרוייקט חדש +AddProject=צור פרויקט +DeleteAProject=מחק פרויקט +DeleteATask=מחק משימה +ConfirmDeleteAProject=האם אתה בטוח שברצונך למחוק את הפרויקט הזה? +ConfirmDeleteATask=האם אתה בטוח שברצונך למחוק משימה זו? +OpenedProjects=פרויקטים פתוחים +OpenedProjectsOpportunities=הזדמנויות פתוחות +OpenedTasks=משימות פתוחות +OpportunitiesStatusForOpenedProjects=מוביל כמות פרויקטים פתוחים לפי סטטוס +OpportunitiesStatusForProjects=מוביל כמות פרויקטים לפי סטטוס +ShowProject=הצג פרויקט ShowTask=הצג משימה -SetProject=Set project -NoProject=No project defined or owned -NbOfProjects=Number of projects -NbOfTasks=Number of tasks -TimeSpent=Time spent -TimeSpentByYou=Time spent by you -TimeSpentByUser=Time spent by user -TimesSpent=Time spent -TaskId=Task ID -RefTask=Task ref. -LabelTask=Task label -TaskTimeSpent=Time spent on tasks -TaskTimeUser=User -TaskTimeNote=Note +SetThirdParty=הגדר צד שלישי +SetProject=הגדר פרויקט +OutOfProject=מחוץ לפרויקט +NoProject=אין פרויקט מוגדר או בבעלות +NbOfProjects=מספר פרויקטים +NbOfTasks=מספר משימות +TimeEntry=מעקב אחר זמן +TimeSpent=בזבוז זמן +TimeSpentSmall=בזבוז זמן +TimeSpentByYou=זמן שבילה על ידך +TimeSpentByUser=זמן שהמשתמש משקיע +TaskId=מזהה משימה +RefTask=ר' משימה. +LabelTask=תווית משימה +TaskTimeSpent=הזמן המושקע במשימות +TaskTimeUser=מִשׁתַמֵשׁ +TaskTimeNote=הערה TaskTimeDate=Date -TasksOnOpenedProject=Tasks on open projects -WorkloadNotDefined=Workload not defined -NewTimeSpent=Time spent -MyTimeSpent=My time spent -BillTime=Bill the time spent -BillTimeShort=Bill time -TimeToBill=Time not billed -TimeBilled=Time billed -Tasks=Tasks -Task=Task -TaskDateStart=Task start date -TaskDateEnd=Task end date -TaskDescription=Task description -NewTask=New task -AddTask=Create task -AddTimeSpent=Create time spent -AddHereTimeSpentForDay=Add here time spent for this day/task -AddHereTimeSpentForWeek=Add here time spent for this week/task -Activity=Activity -Activities=Tasks/activities -MyActivities=My tasks/activities -MyProjects=My projects -MyProjectsArea=My projects Area -DurationEffective=Effective duration -ProgressDeclared=Declared real progress -TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently open tasks -TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption -ProgressCalculated=Progress on consumption -WhichIamLinkedTo=which I'm linked to -WhichIamLinkedToProject=which I'm linked to project -Time=Time -TimeConsumed=Consumed -ListOfTasks=List of tasks -GoToListOfTimeConsumed=Go to list of time consumed -GanttView=Gantt View -ListWarehouseAssociatedProject=List of warehouses associated to the project -ListProposalsAssociatedProject=List of the commercial proposals related to the project -ListOrdersAssociatedProject=List of sales orders related to the project -ListInvoicesAssociatedProject=List of customer invoices related to the project -ListPredefinedInvoicesAssociatedProject=List of customer template invoices related to the project -ListSupplierOrdersAssociatedProject=List of purchase orders related to the project -ListSupplierInvoicesAssociatedProject=List of vendor invoices related to the project -ListContractAssociatedProject=List of contracts related to the project -ListShippingAssociatedProject=List of shippings related to the project -ListFichinterAssociatedProject=List of interventions related to the project -ListExpenseReportsAssociatedProject=List of expense reports related to the project -ListDonationsAssociatedProject=List of donations related to the project -ListVariousPaymentsAssociatedProject=List of miscellaneous payments related to the project -ListSalariesAssociatedProject=List of payments of salaries related to the project -ListActionsAssociatedProject=List of events related to the project -ListMOAssociatedProject=List of manufacturing orders related to the project -ListTaskTimeUserProject=List of time consumed on tasks of project -ListTaskTimeForTask=List of time consumed on task -ActivityOnProjectToday=Activity on project today -ActivityOnProjectYesterday=Activity on project yesterday -ActivityOnProjectThisWeek=Activity on project this week -ActivityOnProjectThisMonth=Activity on project this month -ActivityOnProjectThisYear=Activity on project this year -ChildOfProjectTask=Child of project/task -ChildOfTask=Child of task -TaskHasChild=Task has child -NotOwnerOfProject=Not owner of this private project -AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=Validate projet -ConfirmValidateProject=Are you sure you want to validate this project? -CloseAProject=Close project -ConfirmCloseAProject=Are you sure you want to close this project? -AlsoCloseAProject=Also close project (keep it open if you still need to follow production tasks on it) -ReOpenAProject=Open project -ConfirmReOpenAProject=Are you sure you want to re-open this project? -ProjectContact=Contacts of project -TaskContact=Task contacts -ActionsOnProject=Events on project -YouAreNotContactOfProject=You are not a contact of this private project -UserIsNotContactOfProject=User is not a contact of this private project -DeleteATimeSpent=Delete time spent -ConfirmDeleteATimeSpent=Are you sure you want to delete this time spent? -DoNotShowMyTasksOnly=See also tasks not assigned to me -ShowMyTasksOnly=View only tasks assigned to me -TaskRessourceLinks=Contacts of task -ProjectsDedicatedToThisThirdParty=Projects dedicated to this third party -NoTasks=No tasks for this project -LinkedToAnotherCompany=Linked to other third party -TaskIsNotAssignedToUser=Task not assigned to user. Use button '%s' to assign task now. -ErrorTimeSpentIsEmpty=Time spent is empty -TimeRecordingRestrictedToNMonthsBack=Time recording is restricted to %s months back -ThisWillAlsoRemoveTasks=This action will also delete all tasks of project (%s tasks at the moment) and all inputs of time spent. -IfNeedToUseOtherObjectKeepEmpty=If some objects (invoice, order, ...), belonging to another third party, must be linked to the project to create, keep this empty to have the project being multi third parties. -CloneTasks=Clone tasks -CloneContacts=Clone contacts -CloneNotes=Clone notes -CloneProjectFiles=Clone project joined files -CloneTaskFiles=Clone task(s) joined files (if task(s) cloned) -CloneMoveDate=Update project/tasks dates from now? -ConfirmCloneProject=Are you sure to clone this project? -ProjectReportDate=Change task dates according to new project start date -ErrorShiftTaskDate=Impossible to shift task date according to new project start date -ProjectsAndTasksLines=Projects and tasks -ProjectCreatedInDolibarr=Project %s created -ProjectValidatedInDolibarr=Project %s validated -ProjectModifiedInDolibarr=Project %s modified -TaskCreatedInDolibarr=Task %s created -TaskModifiedInDolibarr=Task %s modified -TaskDeletedInDolibarr=Task %s deleted -OpportunityStatus=Lead status -OpportunityStatusShort=Lead status -OpportunityProbability=Lead probability -OpportunityProbabilityShort=Lead probab. -OpportunityAmount=Lead amount -OpportunityAmountShort=Lead amount -OpportunityWeightedAmount=Opportunity weighted amount -OpportunityWeightedAmountShort=Opp. weighted amount -OpportunityAmountAverageShort=Average lead amount -OpportunityAmountWeigthedShort=Weighted lead amount -WonLostExcluded=Won/Lost excluded +TasksOnOpenedProject=משימות בפרויקטים פתוחים +WorkloadNotDefined=עומס עבודה לא מוגדר +NewTimeSpent=בזבוז זמן +MyTimeSpent=הזמן שלי ביליתי +BillTime=חשב את הזמן שבילה +BillTimeShort=זמן חשבון +TimeToBill=זמן לא מחויב +TimeBilled=זמן חיוב +Tasks=משימות +Task=מְשִׁימָה +TaskDateStart=תאריך תחילת המשימה +TaskDateEnd=תאריך סיום המשימה +TaskDescription=תיאור המשימה +NewTask=משימה חדשה +AddTask=צור משימה +AddTimeSpent=צור זמן מושקע +AddHereTimeSpentForDay=הוסף כאן זמן שהוקדש ליום/משימה זו +AddHereTimeSpentForWeek=הוסף כאן זמן שהוקדש לשבוע/משימה זו +Activity=פעילות +Activities=משימות/פעילויות +MyActivities=המשימות/פעילויות שלי +MyProjects=הפרויקטים שלי +MyProjectsArea=אזור הפרויקטים שלי +DurationEffective=משך אפקטיבי +ProgressDeclared=הכריז על התקדמות אמיתית +TaskProgressSummary=התקדמות המשימה +CurentlyOpenedTasks=משימות פתוחות כרגע +TheReportedProgressIsLessThanTheCalculatedProgressionByX=ההתקדמות האמיתית המוצהרת פחותה %s מההתקדמות בצריכה +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=ההתקדמות האמיתית המוצהרת היא יותר %s מההתקדמות בצריכה +ProgressCalculated=התקדמות בצריכה +WhichIamLinkedTo=שאליו אני מקושר +WhichIamLinkedToProject=שאני מקושר לפרויקט +Time=זְמַן +TimeConsumed=מְאוּכָּל +ListOfTasks=רשימת משימות +GoToListOfTimeConsumed=עבור לרשימת הזמן הנצרך +GanttView=נוף גאנט +ListWarehouseAssociatedProject=רשימת המחסנים המשויכים לפרויקט +ListProposalsAssociatedProject=רשימת ההצעות המסחריות הקשורות לפרויקט +ListOrdersAssociatedProject=רשימת הזמנות מכירה הקשורות לפרויקט +ListInvoicesAssociatedProject=רשימת חשבוניות לקוחות הקשורות לפרויקט +ListPredefinedInvoicesAssociatedProject=רשימת חשבוניות תבנית לקוחות הקשורות לפרויקט +ListSupplierOrdersAssociatedProject=רשימת הזמנות רכש הקשורות לפרויקט +ListSupplierInvoicesAssociatedProject=רשימת חשבוניות ספק הקשורות לפרויקט +ListContractAssociatedProject=רשימת חוזים הקשורים לפרויקט +ListShippingAssociatedProject=רשימת משלוחים הקשורים לפרויקט +ListFichinterAssociatedProject=רשימת התערבויות הקשורות לפרויקט +ListExpenseReportsAssociatedProject=רשימת דוחות הוצאות הקשורים לפרויקט +ListDonationsAssociatedProject=רשימת תרומות הקשורות לפרויקט +ListVariousPaymentsAssociatedProject=רשימת תשלומים שונים הקשורים לפרויקט +ListSalariesAssociatedProject=רשימת תשלומי משכורות הקשורות לפרויקט +ListActionsAssociatedProject=רשימת אירועים הקשורים לפרויקט +ListMOAssociatedProject=רשימת הזמנות ייצור הקשורות לפרויקט +ListTaskTimeUserProject=רשימת הזמן הנצרך במשימות של הפרויקט +ListTaskTimeForTask=רשימת הזמן הנצרך במשימה +ActivityOnProjectToday=פעילות בפרויקט היום +ActivityOnProjectYesterday=פעילות בפרויקט אתמול +ActivityOnProjectThisWeek=פעילות בפרויקט השבוע +ActivityOnProjectThisMonth=פעילות בפרויקט החודש +ActivityOnProjectThisYear=פעילות בפרויקט השנה +ChildOfProjectTask=ילד פרויקט/משימה +ChildOfTask=ילד של משימה +TaskHasChild=למשימה יש ילד +NotOwnerOfProject=לא הבעלים של הפרויקט הפרטי הזה +AffectedTo=מוקצה ל +CantRemoveProject=לא ניתן להסיר את הפרויקט הזה מכיוון שהוא מופנה על ידי אובייקטים אחרים (חשבונית, הזמנות או אחר). ראה את הכרטיסייה '%s'. +ValidateProject=אימות פרויקט +ConfirmValidateProject=האם אתה בטוח שברצונך לאמת את הפרויקט הזה? +CloseAProject=סגור פרויקט +ConfirmCloseAProject=האם אתה בטוח שברצונך לסגור את הפרויקט הזה? +AlsoCloseAProject=גם פרויקט סגור +AlsoCloseAProjectTooltip=שמור אותו פתוח אם אתה עדיין צריך לעקוב אחר משימות הייצור עליו +ReOpenAProject=פרוייקט פתוח +ConfirmReOpenAProject=האם אתה בטוח שברצונך לפתוח מחדש את הפרויקט הזה? +ProjectContact=אנשי קשר של הפרויקט +TaskContact=אנשי קשר במשימה +ActionsOnProject=אירועים בפרויקט +YouAreNotContactOfProject=אינך איש קשר של הפרויקט הפרטי הזה +UserIsNotContactOfProject=המשתמש אינו איש קשר של הפרויקט הפרטי הזה +DeleteATimeSpent=מחק את הזמן שהושקע +ConfirmDeleteATimeSpent=האם אתה בטוח שברצונך למחוק את הזמן שבילה? +DoNotShowMyTasksOnly=ראה גם משימות שלא הוקצו לי +ShowMyTasksOnly=הצג רק משימות שהוקצו לי +TaskRessourceLinks=אנשי קשר של משימה +ProjectsDedicatedToThisThirdParty=פרויקטים המוקדשים לצד שלישי זה +NoTasks=אין משימות עבור הפרויקט הזה +LinkedToAnotherCompany=מקושר לצד שלישי אחר +TaskIsNotAssignedToUser=המשימה לא הוקצתה למשתמש. השתמש בלחצן '%s' כדי להקצות משימה כעת. +ErrorTimeSpentIsEmpty=הזמן המושקע ריק +TimeRecordingRestrictedToNMonthsBack=הקלטת הזמן מוגבלת ל%s חודשים אחורה +ThisWillAlsoRemoveTasks=פעולה זו תמחק גם את כל המשימות של הפרויקט (%s משימות כרגע) וכל התשומות של הזמן שהושקע. +IfNeedToUseOtherObjectKeepEmpty=אם יש לקשר אובייקטים מסוימים (חשבונית, הזמנה,...), השייכים לצד שלישי אחר, לפרויקט כדי ליצור, שמור את זה ריק כדי שהפרויקט יהיה צדדים שלישיים רבים. +CloneTasks=משימות שיבוט +CloneContacts=שיבוט אנשי קשר +CloneNotes=שיבוט הערות +CloneProjectFiles=פרויקט שיבוט הצטרף לקבצים +CloneTaskFiles=שיבוט משימות קבצים שהצטרפו (אם משימות משובטות) +CloneMoveDate=לעדכן את תאריכי הפרויקט/משימות מעכשיו? +ConfirmCloneProject=האם אתה בטוח שתשכפל את הפרויקט הזה? +ProjectReportDate=שנה את תאריכי המשימות בהתאם לתאריך תחילת הפרויקט החדש +ErrorShiftTaskDate=בלתי אפשרי לשנות את תאריך המשימה בהתאם לתאריך תחילת הפרויקט החדש +ProjectsAndTasksLines=פרויקטים ומשימות +ProjectCreatedInDolibarr=פרויקט %s נוצר +ProjectValidatedInDolibarr=אימות הפרויקט %s +ProjectModifiedInDolibarr=פרויקט %s השתנה +TaskCreatedInDolibarr=המשימה %s נוצרה +TaskModifiedInDolibarr=המשימה %s השתנתה +TaskDeletedInDolibarr=המשימה %s נמחקה +OpportunityStatus=מצב לידים +OpportunityStatusShort=מצב לידים +OpportunityProbability=הסתברות להוביל +OpportunityProbabilityShort=סביר להניח. +OpportunityAmount=כמות עופרת +OpportunityAmountShort=כמות עופרת +OpportunityWeightedAmount=כמות הזדמנויות, משוקללת לפי הסתברות +OpportunityWeightedAmountShort=Opp. כמות משוקללת +OpportunityAmountAverageShort=כמות לידים ממוצעת +OpportunityAmountWeigthedShort=כמות עופרת משוקללת +WonLostExcluded=לא נכלל ניצחון/הפסד ##### Types de contacts ##### TypeContact_project_internal_PROJECTLEADER=מנהל הפרויקט TypeContact_project_external_PROJECTLEADER=מנהל הפרויקט -TypeContact_project_internal_PROJECTCONTRIBUTOR=Contributor -TypeContact_project_external_PROJECTCONTRIBUTOR=Contributor -TypeContact_project_task_internal_TASKEXECUTIVE=Task executive -TypeContact_project_task_external_TASKEXECUTIVE=Task executive -TypeContact_project_task_internal_TASKCONTRIBUTOR=Contributor -TypeContact_project_task_external_TASKCONTRIBUTOR=Contributor -SelectElement=Select element -AddElement=Link to element -LinkToElementShort=Link to +TypeContact_project_internal_PROJECTCONTRIBUTOR=תוֹרֵם +TypeContact_project_external_PROJECTCONTRIBUTOR=תוֹרֵם +TypeContact_project_task_internal_TASKEXECUTIVE=מנהל משימה +TypeContact_project_task_external_TASKEXECUTIVE=מנהל משימה +TypeContact_project_task_internal_TASKCONTRIBUTOR=תוֹרֵם +TypeContact_project_task_external_TASKCONTRIBUTOR=תוֹרֵם +SelectElement=בחר אלמנט +AddElement=קישור לאלמנט +LinkToElementShort=קישור ל # Documents models -DocumentModelBeluga=Project document template for linked objects overview -DocumentModelBaleine=Project document template for tasks -DocumentModelTimeSpent=Project report template for time spent -PlannedWorkload=Planned workload -PlannedWorkloadShort=Workload -ProjectReferers=Related items -ProjectMustBeValidatedFirst=Project must be validated first -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time -InputPerDay=Input per day -InputPerWeek=Input per week -InputPerMonth=Input per month -InputDetail=Input detail -TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s -ProjectsWithThisUserAsContact=Projects with this user as contact -ProjectsWithThisContact=Projects with this contact -TasksWithThisUserAsContact=Tasks assigned to this user -ResourceNotAssignedToProject=Not assigned to project -ResourceNotAssignedToTheTask=Not assigned to the task -NoUserAssignedToTheProject=No users assigned to this project -TimeSpentBy=Time spent by -TasksAssignedTo=Tasks assigned to -AssignTaskToMe=Assign task to myself -AssignTaskToUser=Assign task to %s -SelectTaskToAssign=Select task to assign... -AssignTask=Assign -ProjectOverview=Overview -ManageTasks=Use projects to follow tasks and/or report time spent (timesheets) -ManageOpportunitiesStatus=Use projects to follow leads/opportinuties -ProjectNbProjectByMonth=No. of created projects by month -ProjectNbTaskByMonth=No. of created tasks by month -ProjectOppAmountOfProjectsByMonth=Amount of leads by month -ProjectWeightedOppAmountOfProjectsByMonth=Weighted amount of leads by month -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads -TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. -IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX -OpenedProjectsByThirdparties=Open projects by third parties -OnlyOpportunitiesShort=Only leads -OpenedOpportunitiesShort=Open leads -NotOpenedOpportunitiesShort=Not an open lead -NotAnOpportunityShort=Not a lead -OpportunityTotalAmount=Total amount of leads -OpportunityPonderatedAmount=Weighted amount of leads -OpportunityPonderatedAmountDesc=Leads amount weighted with probability -OppStatusPROSP=Prospection -OppStatusQUAL=Qualification -OppStatusPROPO=Proposal -OppStatusNEGO=Negociation -OppStatusPENDING=Pending -OppStatusWON=Won -OppStatusLOST=Lost -Budget=Budget -AllowToLinkFromOtherCompany=Allow to link project from other company

      Supported values:
      - Keep empty: Can link any project of the company (default)
      - "all": Can link any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
      -LatestProjects=Latest %s projects -LatestModifiedProjects=Latest %s modified projects -OtherFilteredTasks=Other filtered tasks -NoAssignedTasks=No assigned tasks found (assign project/tasks to the current user from the top select box to enter time on it) -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ChooseANotYetAssignedTask=Choose a task not yet assigned to you +DocumentModelBeluga=תבנית מסמך פרויקט עבור סקירה כללית של אובייקטים מקושרים +DocumentModelBaleine=תבנית מסמך פרויקט למשימות +DocumentModelTimeSpent=תבנית דוח פרויקט עבור הזמן שהושקע +PlannedWorkload=עומס עבודה מתוכנן +PlannedWorkloadShort=עומס עבודה +ProjectReferers=חפצים קשורים +ProjectMustBeValidatedFirst=יש לאמת תחילה את הפרויקט +MustBeValidatedToBeSigned=יש לאמת תחילה את %s כדי להיות מוגדר כחתום. +FirstAddRessourceToAllocateTime=הקצה משאב משתמש כאיש קשר של הפרויקט כדי להקצות זמן +InputPerDay=קלט ליום +InputPerWeek=קלט בשבוע +InputPerMonth=קלט לחודש +InputDetail=קלט פרטים +TimeAlreadyRecorded=זהו זמן שהושקע כבר נרשם עבור משימה/יום זה והמשתמש %s +ProjectsWithThisUserAsContact=פרויקטים עם משתמש זה כאיש קשר +ProjectsWithThisContact=פרויקטים עם איש קשר זה של צד שלישי +TasksWithThisUserAsContact=משימות שהוקצו למשתמש זה +ResourceNotAssignedToProject=לא הוקצה לפרויקט +ResourceNotAssignedToTheTask=לא הוקצה למשימה +NoUserAssignedToTheProject=לא הוקצו משתמשים לפרויקט זה +TimeSpentBy=זמן בילה על ידי +TasksAssignedTo=משימות שהוקצו ל +AssignTaskToMe=הקצה משימה לעצמי +AssignTaskToUser=הקצה משימה ל-%s +SelectTaskToAssign=בחר משימה להקצאה... +AssignTask=לְהַקְצוֹת +ProjectOverview=סקירה כללית +ManageTasks=השתמש בפרויקטים כדי לעקוב אחר משימות ו/או לדווח על זמן שהושקע (דפי זמן) +ManageOpportunitiesStatus=השתמש בפרויקטים כדי לעקוב אחר לידים/הזדמנויות +ProjectNbProjectByMonth=מספר הפרויקטים שנוצרו לפי חודש +ProjectNbTaskByMonth=מספר המשימות שנוצרו לפי חודש +ProjectOppAmountOfProjectsByMonth=כמות הפניות לפי חודש +ProjectWeightedOppAmountOfProjectsByMonth=כמות משוקלל של לידים לפי חודש +ProjectOpenedProjectByOppStatus=פרויקט פתוח | לידים לפי סטטוס לידים +ProjectsStatistics=סטטיסטיקה על פרויקטים או לידים +TasksStatistics=סטטיסטיקה על משימות של פרויקטים או לידים +TaskAssignedToEnterTime=המשימה הוקצתה. הזנת זמן במשימה זו אמורה להיות אפשרית. +IdTaskTime=זמן משימת זיהוי +YouCanCompleteRef=אם ברצונכם להשלים את ה-Ref עם סיומת כלשהי, מומלץ להוסיף תו - כדי להפריד אותו, כך שהמספור האוטומטי עדיין יעבוד כמו שצריך עבור הפרויקטים הבאים. לדוגמה %s-MYSUFFIX +OpenedProjectsByThirdparties=פרויקטים פתוחים של צדדים שלישיים +OnlyOpportunitiesShort=רק מוביל +OpenedOpportunitiesShort=מובילים פתוחים +NotOpenedOpportunitiesShort=לא מוביל פתוח +NotAnOpportunityShort=לא מוביל +OpportunityTotalAmount=כמות הפניות הכוללת +OpportunityPonderatedAmount=כמות משוקללת של לידים +OpportunityPonderatedAmountDesc=כמות הפניות משוקללת בהסתברות +OppStatusPROSP=פרוספקציה +OppStatusQUAL=הכשרה +OppStatusPROPO=הצעה +OppStatusNEGO=מַשָׂא וּמַתָן +OppStatusPENDING=ממתין ל +OppStatusWON=זכית +OppStatusLOST=אָבֵד +Budget=תַקצִיב +AllowToLinkFromOtherCompany=אפשר לקשר אלמנט עם פרויקט של חברה אחרת

      ערכים נתמכים:
      - שמור ריק: יכול לקשר אלמנטים עם כל פרויקט באותה חברה (ברירת מחדל)
      - "הכל": יכול לקשר אלמנטים עם כל פרויקט, אפילו פרויקטים של חברות אחרות
      - רשימה של מזהי צד שלישי מופרדים בפסיקים : יכול לקשר אלמנטים עם כל פרויקט של צדדים שלישיים אלה (דוגמה: 123,4795,53)
      +LatestProjects=הפרויקטים האחרונים של %s +LatestModifiedProjects=הפרויקטים האחרונים ששונו %s +OtherFilteredTasks=משימות מסוננות אחרות +NoAssignedTasks=לא נמצאו משימות שהוקצו (הקצו פרויקט/משימות למשתמש הנוכחי מתיבת הבחירה העליונה כדי להזין זמן עליו) +ThirdPartyRequiredToGenerateInvoice=יש להגדיר צד שלישי בפרויקט כדי להיות מסוגל לחייב אותו. +ThirdPartyRequiredToGenerateInvoice=יש להגדיר צד שלישי בפרויקט כדי להיות מסוגל לחייב אותו. +ChooseANotYetAssignedTask=בחר משימה שטרם הוקצתה לך # Comments trans -AllowCommentOnTask=Allow user comments on tasks -AllowCommentOnProject=Allow user comments on projects -DontHavePermissionForCloseProject=You do not have permissions to close the project %s -DontHaveTheValidateStatus=The project %s must be open to be closed -RecordsClosed=%s project(s) closed -SendProjectRef=Information project %s -ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized -NewTaskRefSuggested=Task ref already used, a new task ref is required -TimeSpentInvoiced=Time spent billed -TimeSpentForIntervention=Time spent -TimeSpentForInvoice=Time spent -OneLinePerUser=One line per user -ServiceToUseOnLines=Service to use on lines -InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. -ProjectFollowOpportunity=Follow opportunity -ProjectFollowTasks=Follow tasks or time spent -Usage=Usage -UsageOpportunity=Usage: Opportunity -UsageTasks=Usage: Tasks -UsageBillTimeShort=Usage: Bill time -InvoiceToUse=Draft invoice to use -InterToUse=Draft intervention to use -NewInvoice=New invoice -NewInter=New intervention -OneLinePerTask=One line per task -OneLinePerPeriod=One line per period -OneLinePerTimeSpentLine=One line for each time spent declaration -AddDetailDateAndDuration=With date and duration into line description -RefTaskParent=Ref. Parent Task -ProfitIsCalculatedWith=Profit is calculated using -AddPersonToTask=Add also to tasks -UsageOrganizeEvent=Usage: Event Organization -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks at 100 %% progress won't be affected: you will have to close them manually. This option only affects open projects. -SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them -ProjectTasksWithoutTimeSpent=Project tasks without time spent -FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. -ProjectsHavingThisContact=Projects having this contact -StartDateCannotBeAfterEndDate=End date cannot be before start date +AllowCommentOnTask=אפשר הערות משתמשים על משימות +AllowCommentOnProject=אפשר הערות משתמשים על פרויקטים +DontHavePermissionForCloseProject=אין לך הרשאות לסגור את הפרויקט %s +DontHaveTheValidateStatus=הפרויקט %s חייב להיות פתוח כדי להיסגר +RecordsClosed=%s פרויקט(ים) נסגרו +SendProjectRef=פרויקט מידע %s +ModuleSalaryToDefineHourlyRateMustBeEnabled=יש להפעיל את המודול 'משכורות' כדי להגדיר את התעריף השעתי של העובד כדי לנצל את הזמן המושקע +NewTaskRefSuggested=מדריך משימה כבר בשימוש, נדרש מדריך משימה חדש +NumberOfTasksCloned=%s משימות משובטות +TimeSpentInvoiced=זמן שהוצא לחיוב +TimeSpentForIntervention=בזבוז זמן +TimeSpentForInvoice=בזבוז זמן +OneLinePerUser=שורה אחת לכל משתמש +ServiceToUseOnLines=שירות לשימוש בקווים כברירת מחדל +InvoiceGeneratedFromTimeSpent=חשבונית %s נוצרה מזמן שהושקע בפרויקט +InterventionGeneratedFromTimeSpent=התערבות %s נוצרה מזמן שהושקע בפרויקט +ProjectBillTimeDescription=בדוק אם אתה מזין גליון זמנים על משימות של הפרויקט ואתה מתכנן להפיק חשבוניות מגיליון הזמנים כדי לחייב את הלקוח של הפרויקט (אל תבדוק אם אתה מתכנן ליצור חשבונית שאינה מבוססת על גליונות זמנים שהוזנו). הערה: כדי להפיק חשבונית, עבור ללשונית 'זמן בילוי' של הפרויקט ובחר שורות לכלול. +ProjectFollowOpportunity=עקוב אחר ההזדמנות +ProjectFollowTasks=עקוב אחר משימות או זמן שהושקע +Usage=נוֹהָג +UsageOpportunity=שימוש: הזדמנות +UsageTasks=שימוש: משימות +UsageBillTimeShort=שימוש: זמן חיוב +InvoiceToUse=טיוטת חשבונית לשימוש +InterToUse=טיוטת התערבות לשימוש +NewInvoice=חשבונית חדשה +NewInter=התערבות חדשה +OneLinePerTask=שורה אחת למשימה +OneLinePerPeriod=שורה אחת לתקופה +OneLinePerTimeSpentLine=שורה אחת עבור כל הצהרת זמן שהייה +AddDetailDateAndDuration=עם תאריך ומשך בתיאור השורה +RefTaskParent=רפ. משימת הורה +ProfitIsCalculatedWith=הרווח מחושב באמצעות +AddPersonToTask=הוסף גם למשימות +UsageOrganizeEvent=שימוש: ארגון אירועים +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=סיווג פרויקט כסגור כאשר כל המשימות שלו הושלמו (התקדמות של 100%%) +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=הערה: פרויקטים קיימים שבהם כל המשימות כבר מוגדרות להתקדמות של 100%% לא יושפעו: תצטרך לסגור אותם באופן ידני. אפשרות זו משפיעה רק על פרויקטים פתוחים. +SelectLinesOfTimeSpentToInvoice=בחר שורות זמן שהושקעו ללא חיוב, ולאחר מכן פעולה בכמות גדולה "יצירת חשבונית" כדי לחייב אותן +ProjectTasksWithoutTimeSpent=משימות פרויקט ללא זמן +FormForNewLeadDesc=תודה למילוי הטופס הבא כדי ליצור איתנו קשר. אתה יכול גם לשלוח לנו דוא"ל ישירות אל %s. +ProjectsHavingThisContact=פרויקטים שיש להם קשר זה +StartDateCannotBeAfterEndDate=תאריך הסיום לא יכול להיות לפני תאריך ההתחלה +ErrorPROJECTLEADERRoleMissingRestoreIt=התפקיד "PROJECTLEADER" חסר או הושבת, נא לשחזר במילון סוגי אנשי הקשר +LeadPublicFormDesc=אתה יכול להפעיל כאן דף ציבורי כדי לאפשר ללקוחות הפוטנציאליים שלך ליצור איתך קשר ראשון מטופס מקוון ציבורי +EnablePublicLeadForm=אפשר את הטופס הציבורי ליצירת קשר +NewLeadbyWeb=ההודעה או הבקשה שלך הוקלטו. אנו נענה או ניצור איתך קשר בהקדם. +NewLeadForm=טופס יצירת קשר חדש +LeadFromPublicForm=הובלה מקוונת מטופס ציבורי +ExportAccountingReportButtonLabel=קבל דוח diff --git a/htdocs/langs/he_IL/propal.lang b/htdocs/langs/he_IL/propal.lang index d2dcaa046a0..1545cad1669 100644 --- a/htdocs/langs/he_IL/propal.lang +++ b/htdocs/langs/he_IL/propal.lang @@ -1,99 +1,124 @@ # Dolibarr language file - Source file is en_US - propal -Proposals=Commercial proposals -Proposal=Commercial proposal -ProposalShort=Proposal -ProposalsDraft=Draft commercial proposals -ProposalsOpened=Open commercial proposals -CommercialProposal=Commercial proposal -PdfCommercialProposalTitle=Proposal -ProposalCard=Proposal card -NewProp=New commercial proposal -NewPropal=New proposal +Proposals=הצעות מסחריות +Proposal=הצעה מסחרית +ProposalShort=הצעה +ProposalsDraft=טיוטת הצעות מסחריות +ProposalsOpened=הצעות מסחריות פתוחות +CommercialProposal=הצעה מסחרית +PdfCommercialProposalTitle=הצעה +ProposalCard=כרטיס הצעה +NewProp=הצעה מסחרית חדשה +NewPropal=הצעה חדשה Prospect=לקוח פוטנציאל -DeleteProp=Delete commercial proposal -ValidateProp=Validate commercial proposal -AddProp=Create proposal -ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? -ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? -LastPropals=Latest %s proposals -LastModifiedProposals=Latest %s modified proposals -AllPropals=All proposals -SearchAProposal=Search a proposal -NoProposal=No proposal -ProposalsStatistics=Commercial proposal's statistics -NumberOfProposalsByMonth=Number by month -AmountOfProposalsByMonthHT=Amount by month (excl. tax) -NbOfProposals=Number of commercial proposals -ShowPropal=Show proposal -PropalsDraft=Drafts -PropalsOpened=Open -PropalStatusDraft=Draft (needs to be validated) -PropalStatusValidated=Validated (proposal is open) -PropalStatusSigned=Signed (needs billing) -PropalStatusNotSigned=Not signed (closed) -PropalStatusBilled=Billed -PropalStatusDraftShort=Draft -PropalStatusValidatedShort=Validated (open) -PropalStatusClosedShort=Closed -PropalStatusSignedShort=Signed -PropalStatusNotSignedShort=Not signed -PropalStatusBilledShort=Billed -PropalsToClose=Commercial proposals to close -PropalsToBill=Signed commercial proposals to bill -ListOfProposals=List of commercial proposals -ActionsOnPropal=Events on proposal -RefProposal=Commercial proposal ref -SendPropalByMail=Send commercial proposal by mail -DatePropal=Date of proposal -DateEndPropal=Validity ending date -ValidityDuration=Validity duration -SetAcceptedRefused=Set accepted/refused -ErrorPropalNotFound=Propal %s not found -AddToDraftProposals=Add to draft proposal -NoDraftProposals=No draft proposals -CopyPropalFrom=Create commercial proposal by copying existing proposal -CreateEmptyPropal=Create empty commercial proposal or from list of products/services -DefaultProposalDurationValidity=Default commercial proposal validity duration (in days) -UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address -ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? -ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? -ProposalsAndProposalsLines=Commercial proposal and lines -ProposalLine=Proposal line -ProposalLines=Proposal lines -AvailabilityPeriod=Availability delay -SetAvailability=Set availability delay -AfterOrder=after order -OtherProposals=Other proposals +DeleteProp=מחק הצעה מסחרית +ValidateProp=אימות הצעה מסחרית +CancelPropal=לְבַטֵל +AddProp=צור הצעה +ConfirmDeleteProp=האם אתה בטוח שברצונך למחוק את ההצעה המסחרית הזו? +ConfirmValidateProp=האם אתה בטוח שברצונך לאמת הצעה מסחרית זו תחת השם %s? +ConfirmCancelPropal=האם אתה בטוח שברצונך לבטל הצעה מסחרית %s? +LastPropals=ההצעות האחרונות של %s +LastModifiedProposals=ההצעות האחרונות ששונו %s +AllPropals=כל ההצעות +SearchAProposal=חפש הצעה +NoProposal=אין הצעה +ProposalsStatistics=סטטיסטיקה של הצעה מסחרית +NumberOfProposalsByMonth=מספר לפי חודש +AmountOfProposalsByMonthHT=סכום לפי חודש (לא כולל מס) +NbOfProposals=מספר הצעות מסחריות +ShowPropal=הצג הצעה +PropalsDraft=דַמקָה +PropalsOpened=לִפְתוֹחַ +PropalStatusCanceled=בוטל (נטוש) +PropalStatusDraft=טיוטה (צריך לאמת) +PropalStatusValidated=מאומת (ההצעה פתוחה) +PropalStatusSigned=חתום (צריך חיוב) +PropalStatusNotSigned=לא חתום (סגור) +PropalStatusBilled=מחויב +PropalStatusCanceledShort=מבוטל +PropalStatusDraftShort=טְיוּטָה +PropalStatusValidatedShort=מאומת (פתוח) +PropalStatusClosedShort=סָגוּר +PropalStatusSignedShort=חתם +PropalStatusNotSignedShort=לא רשום +PropalStatusBilledShort=מחויב +PropalsToClose=הצעות מסחריות לסגירה +PropalsToBill=חתום על הצעות מסחריות להצעת חוק +ListOfProposals=רשימת הצעות מסחריות +ActionsOnPropal=אירועים בהצעה +RefProposal=הצעה מסחרית ref +SendPropalByMail=שלח הצעה מסחרית בדואר +DatePropal=תאריך ההצעה +DateEndPropal=תאריך סיום התוקף +ValidityDuration=משך תוקף +SetAcceptedRefused=הסט התקבל/סורב +ErrorPropalNotFound=Propal %s לא נמצא +AddToDraftProposals=הוסף לטיוטת ההצעה +NoDraftProposals=אין טיוטת הצעות +CopyPropalFrom=צור הצעה מסחרית על ידי העתקת הצעה קיימת +CreateEmptyPropal=צור הצעה מסחרית ריקה או מרשימת מוצרים/שירותים +DefaultProposalDurationValidity=משך תוקף ההצעה המסחרית המוגדרת כברירת מחדל (בימים) +DefaultPuttingPricesUpToDate=כברירת מחדל עדכן מחירים עם מחירים ידועים עדכניים על שיבוט הצעה +DefaultPuttingDescUpToDate=כברירת מחדל עדכן תיאורים עם תיאורים ידועים עדכניים על שיבוט הצעה +UseCustomerContactAsPropalRecipientIfExist=השתמש ביצירת קשר/כתובת עם סוג 'הצעה ליצירת קשר' אם הוגדר במקום כתובת צד שלישי ככתובת מקבל ההצעה +ConfirmClonePropal=האם אתה בטוח שברצונך לשכפל את ההצעה המסחרית %s? +ConfirmReOpenProp=האם אתה בטוח שברצונך לפתוח בחזרה את ההצעה המסחרית %s ? +ProposalsAndProposalsLines=הצעה מסחרית וקווים +ProposalLine=קו הצעה +ProposalLines=קווי הצעה +AvailabilityPeriod=עיכוב זמינות +SetAvailability=הגדר עיכוב זמינות +AfterOrder=לאחר הזמנה +OtherProposals=הצעות אחרות + ##### Availability ##### -AvailabilityTypeAV_NOW=Immediate -AvailabilityTypeAV_1W=1 week -AvailabilityTypeAV_2W=2 weeks -AvailabilityTypeAV_3W=3 weeks -AvailabilityTypeAV_1M=1 month -##### Types de contacts ##### -TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal -TypeContact_propal_external_BILLING=Customer invoice contact -TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal -TypeContact_propal_external_SHIPPING=Customer contact for delivery +AvailabilityTypeAV_NOW=מִיָדִי +AvailabilityTypeAV_1W=שבוע 1 +AvailabilityTypeAV_2W=2 שבועות +AvailabilityTypeAV_3W=3 שבועות +AvailabilityTypeAV_1M=1 חודש + +##### Types ofe contacts ##### +TypeContact_propal_internal_SALESREPFOLL=הצעת המשך של נציג +TypeContact_propal_external_BILLING=קשר חשבונית לקוח +TypeContact_propal_external_CUSTOMER=הצעת המשך ליצירת קשר עם הלקוח +TypeContact_propal_external_SHIPPING=פנייה ללקוח למשלוח + # Document models -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model -DefaultModelPropalCreate=Default model creation -DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) -DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) -ProposalCustomerSignature=Written acceptance, company stamp, date and signature -ProposalsStatisticsSuppliers=Vendor proposals statistics -CaseFollowedBy=Case followed by -SignedOnly=Signed only -IdProposal=Proposal ID -IdProduct=Product ID -PrParentLine=Proposal Parent Line -LineBuyPriceHT=Buy Price Amount net of tax for line -SignPropal=Accept proposal -RefusePropal=Refuse proposal -Sign=Sign -PropalAlreadySigned=Proposal already accepted -PropalAlreadyRefused=Proposal already refused -PropalSigned=Proposal accepted -PropalRefused=Proposal refused -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +CantBeNoSign=לא ניתן להגדיר לא חתום +CaseFollowedBy=מקרה ואחריו +ConfirmMassNoSignature=אישור לא חתום בתפזורת +ConfirmMassNoSignatureQuestion=האם אתה בטוח שברצונך להגדיר לא חתום את הרשומות שנבחרו? +ConfirmMassSignature=אישור חתימה בתפזורת +ConfirmMassSignatureQuestion=האם אתה בטוח שברצונך לחתום על הרשומות שנבחרו? +ConfirmMassValidation=אישור בכמות גדולה +ConfirmMassValidationQuestion=האם אתה בטוח שברצונך לאמת את הרשומות שנבחרו? +ConfirmRefusePropal=האם אתה בטוח שברצונך לסרב להצעה מסחרית זו? +ContractSigned=חוזה חתום +DefaultModelPropalClosed=תבנית ברירת מחדל בעת סגירת הצעה עסקית (ללא חיוב) +DefaultModelPropalCreate=יצירת מודל ברירת מחדל +DefaultModelPropalToBill=תבנית ברירת מחדל בעת סגירת הצעה עסקית (לקבלת חשבונית) +DocModelAzurDescription=מודל הצעה שלם (יישום ישן של תבנית ציאן) +DocModelCyanDescription=מודל הצעה שלם +FichinterSigned=התערבות חתומה +IdProduct=מזהה מוצר +IdProposal=מזהה הצעה +IsNotADraft=אינו טיוטה +LineBuyPriceHT=קנה מחיר סכום בניכוי מס עבור שורה +NoSign=מסרב +NoSigned=סט לא חתום +PassedInOpenStatus=קיבל תוקף +PropalAlreadyRefused=ההצעה כבר נדחתה +PropalAlreadySigned=ההצעה כבר התקבלה +PropalRefused=ההצעה נדחתה +PropalSigned=ההצעה התקבלה +ProposalCustomerSignature=קבלה בכתב, חותמת חברה, תאריך וחתימה +ProposalsStatisticsSuppliers=סטטיסטיקה של הצעות ספקים +RefusePropal=לסרב להצעה +Sign=סִימָן +SignContract=חתמו על חוזה +SignFichinter=התערבות שלט +SignSociete_rib=לחתום על מנדט +SignPropal=קבל את ההצעה +Signed=חתם +SignedOnly=חתום בלבד diff --git a/htdocs/langs/he_IL/receiptprinter.lang b/htdocs/langs/he_IL/receiptprinter.lang index 2574ff1b4bd..5f5803e5ad3 100644 --- a/htdocs/langs/he_IL/receiptprinter.lang +++ b/htdocs/langs/he_IL/receiptprinter.lang @@ -1,82 +1,84 @@ # Dolibarr language file - Source file is en_US - receiptprinter -ReceiptPrinterSetup=Setup of module ReceiptPrinter -PrinterAdded=Printer %s added -PrinterUpdated=Printer %s updated -PrinterDeleted=Printer %s deleted -TestSentToPrinter=Test Sent To Printer %s -ReceiptPrinter=Receipt printers -ReceiptPrinterDesc=Setup of receipt printers -ReceiptPrinterTemplateDesc=Setup of Templates -ReceiptPrinterTypeDesc=Description of Receipt Printer's type -ReceiptPrinterProfileDesc=Description of Receipt Printer's Profile -ListPrinters=List of Printers -SetupReceiptTemplate=Template Setup -CONNECTOR_DUMMY=Dummy Printer -CONNECTOR_NETWORK_PRINT=Network Printer -CONNECTOR_FILE_PRINT=Local Printer -CONNECTOR_WINDOWS_PRINT=Local Windows Printer -CONNECTOR_CUPS_PRINT=Cups Printer -CONNECTOR_DUMMY_HELP=Fake Printer for test, does nothing +ReceiptPrinterSetup=הגדרת מודול ReceiptPrinter +PrinterAdded=מדפסת %s נוספה +PrinterUpdated=מדפסת %s עודכנה +PrinterDeleted=המדפסת %s נמחקה +TestSentToPrinter=בדיקה שנשלחה למדפסת %s +ReceiptPrinter=מדפסות קבלות +ReceiptPrinterDesc=הגדרת מדפסות קבלות +ReceiptPrinterTemplateDesc=הגדרת תבניות +ReceiptPrinterTypeDesc=דוגמה לערכים אפשריים לשדה "פרמטרים" לפי סוג הדרייבר +ReceiptPrinterProfileDesc=תיאור פרופיל מדפסת הקבלות +ListPrinters=רשימת מדפסות +SetupReceiptTemplate=הגדרת תבנית +CONNECTOR_DUMMY=מדפסת דמה +CONNECTOR_NETWORK_PRINT=מדפסת רשת +CONNECTOR_FILE_PRINT=מדפסת מקומית +CONNECTOR_WINDOWS_PRINT=מדפסת Windows מקומית +CONNECTOR_CUPS_PRINT=מדפסת כוסות +CONNECTOR_DUMMY_HELP=מדפסת מזויפת לבדיקה, לא עושה כלום CONNECTOR_NETWORK_PRINT_HELP=10.x.x.x:9100 CONNECTOR_FILE_PRINT_HELP=/dev/usb/lp0, /dev/usb/lp1 -CONNECTOR_WINDOWS_PRINT_HELP=LPT1, COM1, smb://FooUser:secret@computername/workgroup/Receipt Printer -CONNECTOR_CUPS_PRINT_HELP=CUPS printer name, example: HPRT_TP805L -PROFILE_DEFAULT=Default Profile -PROFILE_SIMPLE=Simple Profile -PROFILE_EPOSTEP=Epos Tep Profile -PROFILE_P822D=P822D Profile -PROFILE_STAR=Star Profile -PROFILE_DEFAULT_HELP=Default Profile suitable for Epson printers -PROFILE_SIMPLE_HELP=Simple Profile No Graphics -PROFILE_EPOSTEP_HELP=Epos Tep Profile -PROFILE_P822D_HELP=P822D Profile No Graphics -PROFILE_STAR_HELP=Star Profile -DOL_LINE_FEED=Skip line -DOL_ALIGN_LEFT=Left align text -DOL_ALIGN_CENTER=Center text -DOL_ALIGN_RIGHT=Right align text -DOL_USE_FONT_A=Use font A of printer -DOL_USE_FONT_B=Use font B of printer -DOL_USE_FONT_C=Use font C of printer -DOL_PRINT_BARCODE=Print barcode -DOL_PRINT_BARCODE_CUSTOMER_ID=Print barcode customer id -DOL_CUT_PAPER_FULL=Cut ticket completely -DOL_CUT_PAPER_PARTIAL=Cut ticket partially -DOL_OPEN_DRAWER=Open cash drawer -DOL_ACTIVATE_BUZZER=Activate buzzer -DOL_PRINT_QRCODE=Print QR Code -DOL_PRINT_LOGO=Print logo of my company -DOL_PRINT_LOGO_OLD=Print logo of my company (old printers) -DOL_BOLD=Bold -DOL_BOLD_DISABLED=Disable bold -DOL_DOUBLE_HEIGHT=Double height size -DOL_DOUBLE_WIDTH=Double width size -DOL_DEFAULT_HEIGHT_WIDTH=Default height and width size -DOL_UNDERLINE=Enable underline -DOL_UNDERLINE_DISABLED=Disable underline -DOL_BEEP=Beed sound -DOL_PRINT_TEXT=Print text -DateInvoiceWithTime=Invoice date and time -YearInvoice=Invoice year -DOL_VALUE_MONTH_LETTERS=Invoice month in letters -DOL_VALUE_MONTH=Invoice month -DOL_VALUE_DAY=Invoice day -DOL_VALUE_DAY_LETTERS=Inovice day in letters -DOL_LINE_FEED_REVERSE=Line feed reverse -InvoiceID=Invoice ID -InvoiceRef=Invoice ref -DOL_PRINT_OBJECT_LINES=Invoice lines -DOL_VALUE_CUSTOMER_FIRSTNAME=Customer first name -DOL_VALUE_CUSTOMER_LASTNAME=Customer last name -DOL_VALUE_CUSTOMER_MAIL=Customer mail -DOL_VALUE_CUSTOMER_PHONE=Customer phone -DOL_VALUE_CUSTOMER_MOBILE=Customer mobile -DOL_VALUE_CUSTOMER_SKYPE=Customer Skype -DOL_VALUE_CUSTOMER_TAX_NUMBER=Customer tax number -DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Customer account balance -DOL_VALUE_MYSOC_NAME=Your company name -VendorLastname=Vendor last name -VendorFirstname=Vendor first name -VendorEmail=Vendor email -DOL_VALUE_CUSTOMER_POINTS=Customer points -DOL_VALUE_OBJECT_POINTS=Object points +CONNECTOR_WINDOWS_PRINT_HELP=LPT1, COM1, smb://FooUser:secret@computername/workgroup/מדפסת קבלות +CONNECTOR_CUPS_PRINT_HELP=שם מדפסת CUPS, דוגמה: HPRT_TP805L +PROFILE_DEFAULT=פרופיל ברירת מחדל +PROFILE_SIMPLE=פרופיל פשוט +PROFILE_EPOSTEP=פרופיל Epos Tep +PROFILE_P822D=פרופיל P822D +PROFILE_STAR=פרופיל כוכב +PROFILE_DEFAULT_HELP=פרופיל ברירת מחדל מתאים למדפסות Epson +PROFILE_SIMPLE_HELP=פרופיל פשוט ללא גרפיקה +PROFILE_EPOSTEP_HELP=פרופיל Epos Tep +PROFILE_P822D_HELP=פרופיל P822D ללא גרפיקה +PROFILE_STAR_HELP=פרופיל כוכב +DOL_LINE_FEED=דלג על הקו +DOL_ALIGN_LEFT=יישור טקסט לשמאל +DOL_ALIGN_CENTER=מרכז טקסט +DOL_ALIGN_RIGHT=יישור טקסט ימינה +DOL_USE_FONT_A=השתמש בגופן A של המדפסת +DOL_USE_FONT_B=השתמש בגופן B של המדפסת +DOL_USE_FONT_C=השתמש בגופן C של המדפסת +DOL_PRINT_BARCODE=הדפס ברקוד +DOL_PRINT_BARCODE_CUSTOMER_ID=הדפס ברקוד מזהה לקוח +DOL_CUT_PAPER_FULL=חתוך את הכרטיס לחלוטין +DOL_CUT_PAPER_PARTIAL=חתוך כרטיס חלקית +DOL_OPEN_DRAWER=פתח את מגירת המזומנים +DOL_ACTIVATE_BUZZER=הפעל זמזם +DOL_PRINT_QRCODE=הדפס קוד QR +DOL_PRINT_LOGO=הדפס לוגו של החברה שלי +DOL_PRINT_LOGO_OLD=הדפס לוגו של החברה שלי (מדפסות ישנות) +DOL_BOLD=נוֹעָז +DOL_BOLD_DISABLED=השבת מודגש +DOL_DOUBLE_HEIGHT=גודל גובה כפול +DOL_DOUBLE_WIDTH=גודל רוחב כפול +DOL_DEFAULT_HEIGHT_WIDTH=גודל גובה ורוחב ברירת מחדל +DOL_UNDERLINE=אפשר קו תחתון +DOL_UNDERLINE_DISABLED=השבת קו תחתון +DOL_BEEP=קול ביפ +DOL_BEEP_ALTERNATIVE=צליל צפצוף (מצב חלופי) +DOL_PRINT_CURR_DATE=הדפס תאריך/שעה נוכחיים +DOL_PRINT_TEXT=הדפס טקסט +DateInvoiceWithTime=תאריך ושעה של החשבונית +YearInvoice=שנת חשבונית +DOL_VALUE_MONTH_LETTERS=חודש חשבונית באותיות +DOL_VALUE_MONTH=חודש חשבונית +DOL_VALUE_DAY=יום חשבונית +DOL_VALUE_DAY_LETTERS=יום חשבונית באותיות +DOL_LINE_FEED_REVERSE=הזנת קו הפוך +InvoiceID=מזהה חשבונית +InvoiceRef=ר' חשבונית +DOL_PRINT_OBJECT_LINES=שורות חשבונית +DOL_VALUE_CUSTOMER_FIRSTNAME=שם פרטי הלקוח +DOL_VALUE_CUSTOMER_LASTNAME=שם משפחה של הלקוח +DOL_VALUE_CUSTOMER_MAIL=דואר לקוח +DOL_VALUE_CUSTOMER_PHONE=טלפון לקוח +DOL_VALUE_CUSTOMER_MOBILE=נייד לקוח +DOL_VALUE_CUSTOMER_SKYPE=סקייפ של לקוחות +DOL_VALUE_CUSTOMER_TAX_NUMBER=מספר מס לקוח +DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=יתרת חשבון לקוח +DOL_VALUE_MYSOC_NAME=שם החברה שלך +VendorLastname=שם משפחה של הספק +VendorFirstname=שם פרטי הספק +VendorEmail=דוא"ל של ספק +DOL_VALUE_CUSTOMER_POINTS=נקודות ללקוח +DOL_VALUE_OBJECT_POINTS=נקודות חפץ diff --git a/htdocs/langs/he_IL/receptions.lang b/htdocs/langs/he_IL/receptions.lang index 7f1a97d16a9..8e7c5a973a4 100644 --- a/htdocs/langs/he_IL/receptions.lang +++ b/htdocs/langs/he_IL/receptions.lang @@ -1,54 +1,58 @@ # Dolibarr language file - Source file is en_US - receptions -ReceptionDescription=Vendor reception management (Create reception documents) -ReceptionsSetup=Vendor Reception setup -RefReception=Ref. reception -Reception=Reception -Receptions=Receptions -AllReceptions=All Receptions -Reception=Reception -Receptions=Receptions -ShowReception=Show Receptions -ReceptionsArea=Receptions area -ListOfReceptions=List of receptions -ReceptionMethod=Reception method -LastReceptions=Latest %s receptions -StatisticsOfReceptions=Statistics for receptions -NbOfReceptions=Number of receptions -NumberOfReceptionsByMonth=Number of receptions by month -ReceptionCard=Reception card -NewReception=New reception -CreateReception=Create reception -QtyInOtherReceptions=Qty in other receptions -OtherReceptionsForSameOrder=Other receptions for this order -ReceptionsAndReceivingForSameOrder=Receptions and receipts for this order -ReceptionsToValidate=Receptions to validate -StatusReceptionCanceled=Canceled -StatusReceptionDraft=Draft -StatusReceptionValidated=Validated (products to receive or already received) -StatusReceptionValidatedToReceive=Validated (products to receive) -StatusReceptionValidatedReceived=Validated (products received) -StatusReceptionProcessed=Processed -StatusReceptionDraftShort=Draft -StatusReceptionValidatedShort=Validated -StatusReceptionProcessedShort=Processed -ReceptionSheet=Reception sheet -ConfirmDeleteReception=Are you sure you want to delete this reception? -ConfirmValidateReception=Are you sure you want to validate this reception with reference %s? -ConfirmCancelReception=Are you sure you want to cancel this reception? -StatsOnReceptionsOnlyValidated=Statistics conducted on receptions only validated. Date used is date of validation of reception (planed delivery date is not always known). -SendReceptionByEMail=Send reception by email -SendReceptionRef=Submission of reception %s -ActionsOnReception=Events on reception -ReceptionCreationIsDoneFromOrder=For the moment, creation of a new reception is done from the Purchase Order. -ReceptionLine=Reception line -ProductQtyInReceptionAlreadySent=Product quantity from open sales order already sent -ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplier order already received -ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. -ReceptionsNumberingModules=Numbering module for receptions -ReceptionsReceiptModel=Document templates for receptions -NoMorePredefinedProductToDispatch=No more predefined products to dispatch -ReceptionExist=A reception exists -ByingPrice=Bying price -ReceptionBackToDraftInDolibarr=Reception %s back to draft -ReceptionClassifyClosedInDolibarr=Reception %s classified Closed -ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +ReceptionDescription=ניהול קבלה של ספקים (יצירת מסמכי קבלה) +ReceptionsSetup=הגדרת קבלת ספק +RefReception=רפ. קבלה +Reception=קבלה +Receptions=קבלות פנים +AllReceptions=כל קבלת הפנים +Reception=קבלה +Receptions=קבלות פנים +ShowReception=הצג קבלות פנים +ReceptionsArea=אזור קבלת פנים +ListOfReceptions=רשימת קבלות פנים +ReceptionMethod=שיטת הקבלה +LastReceptions=הקבלות האחרונות של %s +StatisticsOfReceptions=סטטיסטיקה לקבלת פנים +NbOfReceptions=מספר קבלות פנים +NumberOfReceptionsByMonth=מספר קבלת הפנים לפי חודש +ReceptionCard=כרטיס קבלה +NewReception=קבלת פנים חדשה +CreateReception=צור קליטה +QtyInOtherReceptions=כמות בקבלות פנים אחרות +OtherReceptionsForSameOrder=קבלות פנים אחרות להזמנה זו +ReceptionsAndReceivingForSameOrder=קבלות וקבלות עבור הזמנה זו +ReceptionsToValidate=קבלות פנים לאימות +StatusReceptionCanceled=מבוטל +StatusReceptionDraft=טְיוּטָה +StatusReceptionValidated=מאומת (מוצרים לקבל או שכבר התקבלו) +StatusReceptionValidatedToReceive=מאומת (מוצרים לקבל) +StatusReceptionValidatedReceived=מאומת (מוצרים התקבלו) +StatusReceptionProcessed=מעובד +StatusReceptionDraftShort=טְיוּטָה +StatusReceptionValidatedShort=מאומת +StatusReceptionProcessedShort=מעובד +ReceptionSheet=גיליון קבלה +ValidateReception=אימות קבלה +ConfirmDeleteReception=האם אתה בטוח שברצונך למחוק את הקבלה הזו? +ConfirmValidateReception=האם אתה בטוח שברצונך לאמת קבלה זו עם ההפניה %s? +ConfirmCancelReception=האם אתה בטוח שברצונך לבטל קבלת פנים זו? +StatsOnReceptionsOnlyValidated=סטטיסטיקה שנערכה על קבלות פנים מאומתות בלבד. תאריך השימוש הוא תאריך אימות הקבלה (לא תמיד ידוע תאריך האספקה המתוכנן). +SendReceptionByEMail=שלח קבלה במייל +SendReceptionRef=הגשת קבלה %s +ActionsOnReception=אירועים בקבלה +ReceptionCreationIsDoneFromOrder=לעת עתה, יצירת קבלה חדשה נעשית מהזמנת הרכש. +ReceptionLine=קו קבלה +ProductQtyInReceptionAlreadySent=כמות מוצר מהזמנת מכירה פתוחה כבר נשלחה +ProductQtyInSuppliersReceptionAlreadyRecevied=כמות מוצר מהזמנת ספק פתוח כבר התקבלה +ValidateOrderFirstBeforeReception=תחילה עליך לאמת את ההזמנה לפני שתוכל לבצע קבלות פנים. +ReceptionsNumberingModules=מודול מספור לקבלת פנים +ReceptionsReceiptModel=תבניות מסמכים לקבלת פנים +NoMorePredefinedProductToDispatch=אין עוד מוצרים מוגדרים מראש לשליחה +ReceptionExist=קיימת קבלה +ReceptionBackToDraftInDolibarr=הקבלה %s חזרה לטיוטה +ReceptionClassifyClosedInDolibarr=הקבלה %s מסווגת סגורה +ReceptionUnClassifyCloseddInDolibarr=הקבלה %s נפתחת מחדש +RestoreWithCurrentQtySaved=מילוי כמויות בערכים האחרונים שנשמרו +ReceptionsRecorded=הקבלות מוקלטות +ReceptionUpdated=הקבלה עודכנה בהצלחה +ReceptionDistribution=חלוקת קבלה diff --git a/htdocs/langs/he_IL/recruitment.lang b/htdocs/langs/he_IL/recruitment.lang index 6b0e8117254..c5a9220c14f 100644 --- a/htdocs/langs/he_IL/recruitment.lang +++ b/htdocs/langs/he_IL/recruitment.lang @@ -18,59 +18,65 @@ # # Module label 'ModuleRecruitmentName' -ModuleRecruitmentName = Recruitment +ModuleRecruitmentName = גיוס # Module description 'ModuleRecruitmentDesc' -ModuleRecruitmentDesc = Manage and follow recruitment campaigns for new job positions +ModuleRecruitmentDesc = ניהול ומעקב אחר קמפיינים לגיוס למשרות חדשות # # Admin page # -RecruitmentSetup = Recruitment setup -Settings = Settings -RecruitmentSetupPage = Enter here the setup of main options for the recruitment module -RecruitmentArea=Recruitement area -PublicInterfaceRecruitmentDesc=Public pages of jobs are public URLs to show and answer to open jobs. There is one different link for each open job, found on each job record. -EnablePublicRecruitmentPages=Enable public pages of open jobs +RecruitmentSetup = הגדרת גיוס +Settings = הגדרות +RecruitmentSetupPage = היכנס כאן להגדרת האפשרויות העיקריות למודול הגיוס +RecruitmentArea=תחום הגיוס +PublicInterfaceRecruitmentDesc=דפים ציבוריים של משרות הם כתובות URL ציבוריות להצגה ותשובות למשרות פתוחות. יש קישור אחד אחר לכל משרה פתוחה, שנמצא בכל רשומת משרה. +EnablePublicRecruitmentPages=אפשר דפים ציבוריים של משרות פתוחות # # About page # -About = About -RecruitmentAbout = About Recruitment -RecruitmentAboutPage = Recruitment about page -NbOfEmployeesExpected=Expected nb of employees -JobLabel=Label of job position -WorkPlace=Work place -DateExpected=Expected date -FutureManager=Future manager -ResponsibleOfRecruitement=Responsible of recruitment -IfJobIsLocatedAtAPartner=If job is located at a partner place -PositionToBeFilled=Job position -PositionsToBeFilled=Job positions -ListOfPositionsToBeFilled=List of job positions -NewPositionToBeFilled=New job positions +About = על אודות +RecruitmentAbout = לגבי גיוס עובדים +RecruitmentAboutPage = גיוס אודות עמוד +NbOfEmployeesExpected=מספר עובדים צפוי +JobLabel=תווית משרת העבודה +WorkPlace=מקום עבודה +DateExpected=תאריך צפוי +FutureManager=מנהל עתידי +ResponsibleOfRecruitement=אחראי על גיוס עובדים +IfJobIsLocatedAtAPartner=אם העבודה ממוקמת במקום שותף +PositionToBeFilled=עמדת עבודה +PositionsToBeFilled=תפקידי עבודה +ListOfPositionsToBeFilled=רשימת משרות עבודה +NewPositionToBeFilled=משרות חדשות -JobOfferToBeFilled=Job position to be filled -ThisIsInformationOnJobPosition=Information of the job position to be filled -ContactForRecruitment=Contact for recruitment -EmailRecruiter=Email recruiter -ToUseAGenericEmail=To use a generic email. If not defined, the email of the responsible of recruitment will be used -NewCandidature=New application -ListOfCandidatures=List of applications -RequestedRemuneration=Requested remuneration -ProposedRemuneration=Proposed remuneration -ContractProposed=Contract proposed -ContractSigned=Contract signed -ContractRefused=Contract refused -RecruitmentCandidature=Application -JobPositions=Job positions -RecruitmentCandidatures=Applications -InterviewToDo=Interview to do -AnswerCandidature=Application answer -YourCandidature=Your application -YourCandidatureAnswerMessage=Thanks you for your application.
      ... -JobClosedTextCandidateFound=The job position is closed. The position has been filled. -JobClosedTextCanceled=The job position is closed. -ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsApplication=Complementary attributes (job applications) -MakeOffer=Make an offer +JobOfferToBeFilled=משרה למילוי +ThisIsInformationOnJobPosition=מידע על תפקיד המשרה למילוי +ContactForRecruitment=צרו קשר לגיוס +EmailRecruiter=מגייס אימייל +ToUseAGenericEmail=כדי להשתמש באימייל גנרי. אם לא הוגדר, ייעשה שימוש באימייל של אחראי הגיוס +NewCandidature=אפליקציה חדשה +ListOfCandidatures=רשימת יישומים +Remuneration=שכר +RequestedRemuneration=שכר מבוקש +ProposedRemuneration=שכר מוצע +ContractProposed=חוזה מוצע +ContractSigned=חוזה חתום +ContractRefused=חוזה סירב +RecruitmentCandidature=יישום +JobPositions=תפקידי עבודה +RecruitmentCandidatures=יישומים +InterviewToDo=אנשי קשר לעקוב +AnswerCandidature=תשובה לבקשה +YourCandidature=האפליקציה שלך +YourCandidatureAnswerMessage=תודה על פנייתך.
      ... +JobClosedTextCandidateFound=המשרה סגורה. התפקיד אויש. +JobClosedTextCanceled=המשרה סגורה. +ExtrafieldsJobPosition=תכונות משלימות (משרות) +ExtrafieldsApplication=תכונות משלימות (בקשות לעבודה) +MakeOffer=תציע הצעה +WeAreRecruiting=אנחנו מגייסים. זוהי רשימה של משרות פתוחות למילוי... +NoPositionOpen=אין משרות פתוחות כרגע +ConfirmClose=אשר את הביטול +ConfirmCloseAsk=האם אתה בטוח שברצונך לבטל את מועמדות הגיוס הזו +recruitment=גיוס diff --git a/htdocs/langs/he_IL/resource.lang b/htdocs/langs/he_IL/resource.lang index 5a907f6ba23..6953f9465c7 100644 --- a/htdocs/langs/he_IL/resource.lang +++ b/htdocs/langs/he_IL/resource.lang @@ -1,36 +1,39 @@ # Dolibarr language file - Source file is en_US - resource -MenuResourceIndex=Resources -MenuResourceAdd=New resource -DeleteResource=Delete resource -ConfirmDeleteResourceElement=Confirm delete the resource for this element -NoResourceInDatabase=No resource in database. -NoResourceLinked=No resource linked +MenuResourceIndex=אֶמְצָעִי +MenuResourceAdd=משאב חדש +DeleteResource=מחק משאב +ConfirmDeleteResourceElement=אשר את מחיקת המשאב עבור רכיב זה +NoResourceInDatabase=אין משאב במסד הנתונים. +NoResourceLinked=לא מקושר משאב +ActionsOnResource=אירועים על משאב זה +ResourcePageIndex=רשימת משאבים +ResourceSingular=מַשׁאָב +ResourceCard=כרטיס משאבים +AddResource=צור משאב +ResourceFormLabel_ref=שם המשאב +ResourceType=סוג משאב +ResourceFormLabel_description=תיאור המשאב -ResourcePageIndex=Resources list -ResourceSingular=Resource -ResourceCard=Resource card -AddResource=Create a resource -ResourceFormLabel_ref=Resource name -ResourceType=Resource type -ResourceFormLabel_description=Resource description +ResourcesLinkedToElement=משאבים המקושרים לאלמנט -ResourcesLinkedToElement=Resources linked to element +ShowResource=הצג משאב -ShowResource=Show resource +ResourceElementPage=משאבי אלמנט +ResourceCreatedWithSuccess=משאב נוצר בהצלחה +RessourceLineSuccessfullyDeleted=שורת המשאב נמחקה בהצלחה +RessourceLineSuccessfullyUpdated=שורת המשאבים עודכנה בהצלחה +ResourceLinkedWithSuccess=משאב מקושר להצלחה -ResourceElementPage=Element resources -ResourceCreatedWithSuccess=Resource successfully created -RessourceLineSuccessfullyDeleted=Resource line successfully deleted -RessourceLineSuccessfullyUpdated=Resource line successfully updated -ResourceLinkedWithSuccess=Resource linked with success +ConfirmDeleteResource=אשר למחיקת משאב זה +RessourceSuccessfullyDeleted=המשאב נמחק בהצלחה +DictionaryResourceType=סוג משאבים -ConfirmDeleteResource=Confirm to delete this resource -RessourceSuccessfullyDeleted=Resource successfully deleted -DictionaryResourceType=Type of resources +SelectResource=בחר משאב -SelectResource=Select resource +IdResource=משאב זיהוי +AssetNumber=מספר סידורי +ResourceTypeCode=קוד סוג משאב +ImportDataset_resource_1=אֶמְצָעִי -IdResource=Id resource -AssetNumber=Serial number -ResourceTypeCode=Resource type code -ImportDataset_resource_1=Resources +ErrorResourcesAlreadyInUse=חלק מהמשאבים נמצאים בשימוש +ErrorResourceUseInEvent=%s בשימוש באירוע %s diff --git a/htdocs/langs/he_IL/salaries.lang b/htdocs/langs/he_IL/salaries.lang index c0e115a20df..2896416a4b4 100644 --- a/htdocs/langs/he_IL/salaries.lang +++ b/htdocs/langs/he_IL/salaries.lang @@ -1,26 +1,33 @@ # Dolibarr language file - Source file is en_US - salaries -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Accounting account used for user third parties -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=The dedicated accounting account defined on user card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated user accounting account on user is not defined. -SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Accounting account by default for wage payments -CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=By default, leave empty the option "Automatically create a total payment" when creating a Salary -Salary=Salary -Salaries=Salaries -NewSalary=New salary -AddSalary=Add salary -NewSalaryPayment=New salary card -AddSalaryPayment=Add salary payment -SalaryPayment=Salary payment -SalariesPayments=Salaries payments -SalariesPaymentsOf=Salaries payments of %s -ShowSalaryPayment=Show salary payment -THM=Average hourly rate -TJM=Average daily rate -CurrentSalary=Current salary -THMDescription=This value may be used to calculate the cost of time consumed on a project entered by users if module project is used -TJMDescription=This value is currently for information only and is not used for any calculation -LastSalaries=Latest %s salaries -AllSalaries=All salaries -SalariesStatistics=Salary statistics -SalariesAndPayments=Salaries and payments -ConfirmDeleteSalaryPayment=Do you want to delete this salary payment ? -FillFieldFirst=Fill employee field first +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=חשבון (מתרשים החשבונות) משמש כברירת מחדל עבור צדדים שלישיים "משתמשים". +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=החשבון הייעודי המוגדר בכרטיס המשתמש ישמש לחשבונאות משנה בלבד. זה ישמש עבור General Ledger וכערך ברירת המחדל של חשבונאות משנה אם לא הוגדר חשבון משתמש ייעודי לחשבון משתמש. +SALARIES_ACCOUNTING_ACCOUNT_CHARGE=חשבון הנהלת חשבונות כברירת מחדל לתשלומי שכר +CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=כברירת מחדל, השאר ריקה את האפשרות "צור אוטומטית תשלום כולל" בעת יצירת משכורת +Salary=שכר +Salaries=משכורות +NewSalary=משכורת חדשה +AddSalary=הוסף משכורת +NewSalaryPayment=כרטיס שכר חדש +AddSalaryPayment=הוסף תשלום שכר +SalaryPayment=תשלום משכורת +SalariesPayments=תשלומי משכורות +SalariesPaymentsOf=תשלומי משכורות של %s +ShowSalaryPayment=הצג תשלום שכר +THM=תעריף ממוצע לשעה +TJM=תעריף יומי ממוצע +CurrentSalary=משכורת נוכחית +THMDescription=ערך זה עשוי לשמש לחישוב עלות הזמן הנצרך בפרויקט שהוזנו על ידי משתמשים אם נעשה שימוש בפרויקט מודול +TJMDescription=ערך זה מיועד כרגע למידע בלבד ואינו משמש לחישוב כלשהו +LastSalaries=משכורות %s האחרונות +AllSalaries=כל המשכורות +SalariesStatistics=סטטיסטיקת שכר +SalariesAndPayments=משכורות ותשלומים +ConfirmDeleteSalaryPayment=האם ברצונך למחוק את תשלום השכר הזה? +FillFieldFirst=מלא תחילה את שדה העובד +UpdateAmountWithLastSalary=קבע סכום המשכורת האחרונה +MakeTransferRequest=הגש בקשת העברה +VirementOrder=בקשה להעברת אשראי +BankTransferAmount=סכום העברת האשראי +WithdrawalReceipt=הזמנת העברה באשראי +OrderWaiting=הזמנה בהמתנה +FillEndOfMonth=מלא עם סוף חודש diff --git a/htdocs/langs/he_IL/sendings.lang b/htdocs/langs/he_IL/sendings.lang index 0acd5dd2043..fcef62655f3 100644 --- a/htdocs/langs/he_IL/sendings.lang +++ b/htdocs/langs/he_IL/sendings.lang @@ -1,76 +1,86 @@ # Dolibarr language file - Source file is en_US - sendings -RefSending=Ref. shipment -Sending=Shipment +RefSending=רפ. מִשׁלוֹחַ +Sending=מִשׁלוֹחַ Sendings=משלוחים -AllSendings=All Shipments -Shipment=Shipment +AllSendings=כל המשלוחים +Shipment=מִשׁלוֹחַ Shipments=משלוחים -ShowSending=Show Shipments -Receivings=Delivery Receipts -SendingsArea=Shipments area -ListOfSendings=List of shipments -SendingMethod=Shipping method -LastSendings=Latest %s shipments -StatisticsOfSendings=Statistics for shipments -NbOfSendings=Number of shipments -NumberOfShipmentsByMonth=Number of shipments by month -SendingCard=Shipment card -NewSending=New shipment -CreateShipment=Create shipment -QtyShipped=Qty shipped -QtyShippedShort=Qty ship. -QtyPreparedOrShipped=Qty prepared or shipped -QtyToShip=Qty to ship -QtyToReceive=Qty to receive -QtyReceived=Qty received -QtyInOtherShipments=Qty in other shipments -KeepToShip=Remain to ship -KeepToShipShort=Remain -OtherSendingsForSameOrder=Other shipments for this order -SendingsAndReceivingForSameOrder=Shipments and receipts for this order -SendingsToValidate=Shipments to validate -StatusSendingCanceled=Canceled -StatusSendingCanceledShort=Canceled -StatusSendingDraft=Draft -StatusSendingValidated=Validated (products to ship or already shipped) -StatusSendingProcessed=Processed -StatusSendingDraftShort=Draft -StatusSendingValidatedShort=Validated -StatusSendingProcessedShort=Processed -SendingSheet=Shipment sheet -ConfirmDeleteSending=Are you sure you want to delete this shipment? -ConfirmValidateSending=Are you sure you want to validate this shipment with reference %s? -ConfirmCancelSending=Are you sure you want to cancel this shipment? -DocumentModelMerou=Merou A5 model -WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) -DateDeliveryPlanned=Planned date of delivery -RefDeliveryReceipt=Ref delivery receipt -StatusReceipt=Status delivery receipt -DateReceived=Date delivery received -ClassifyReception=Classify reception -SendShippingByEMail=Send shipment by email -SendShippingRef=Submission of shipment %s -ActionsOnShipping=Events on shipment -LinkToTrackYourPackage=Link to track your package -ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the Sales Order record. -ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity from open sales orders -ProductQtyInSuppliersOrdersRunning=Product quantity from open purchase orders -ProductQtyInShipmentAlreadySent=Product quantity from open sales order already sent -ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase orders already received -NoProductToShipFoundIntoStock=No product to ship found in warehouse %s. Correct stock or go back to choose another warehouse. -WeightVolShort=Weight/Vol. -ValidateOrderFirstBeforeShipment=You must first validate the order before being able to make shipments. +ShowSending=הצג משלוחים +Receivings=קבלות על משלוח +SendingsArea=אזור משלוחים +ListOfSendings=רשימת משלוחים +SendingMethod=שיטת משלוח +LastSendings=המשלוחים האחרונים של %s +StatisticsOfSendings=סטטיסטיקה למשלוחים +NbOfSendings=מספר משלוחים +NumberOfShipmentsByMonth=מספר משלוחים לפי חודש +SendingCard=כרטיס משלוח +NewSending=משלוח חדש +CreateShipment=צור משלוח +QtyShipped=כמות נשלחה +QtyShippedShort=כמות ספינה. +QtyPreparedOrShipped=כמות מוכנה או נשלחה +QtyToShip=כמות למשלוח +QtyToReceive=כמות לקבל +QtyReceived=כמות התקבלה +QtyInOtherShipments=כמות במשלוחים אחרים +KeepToShip=נשאר למשלוח +KeepToShipShort=לְהִשָׁאֵר +OtherSendingsForSameOrder=משלוחים אחרים עבור הזמנה זו +SendingsAndReceivingForSameOrder=משלוחים וקבלות עבור הזמנה זו +SendingsToValidate=משלוחים לאימות +StatusSendingCanceled=מבוטל +StatusSendingCanceledShort=מבוטל +StatusSendingDraft=טְיוּטָה +StatusSendingValidated=מאומת (מוצרים למשלוח או שכבר נשלחו) +StatusSendingProcessed=מעובד +StatusSendingDraftShort=טְיוּטָה +StatusSendingValidatedShort=מאומת +StatusSendingProcessedShort=מעובד +SendingSheet=גיליון משלוח +ConfirmDeleteSending=האם אתה בטוח שברצונך למחוק את המשלוח הזה? +ConfirmValidateSending=האם אתה בטוח שברצונך לאמת את המשלוח הזה עם ההפניה %s >? +ConfirmCancelSending=האם אתה בטוח שברצונך לבטל את המשלוח הזה? +DocumentModelMerou=דגם Merou A5 +WarningNoQtyLeftToSend=אזהרה, אין מוצרים שמחכים למשלוח. +StatsOnShipmentsOnlyValidated=הסטטיסטיקה היא רק עבור משלוחים מאומתים. תאריך השימוש הוא תאריך אימות המשלוח (לא תמיד ידוע תאריך האספקה המתוכנן) +DateDeliveryPlanned=תאריך מסירה מתוכנן +RefDeliveryReceipt=קבלה על משלוח ר"פ +StatusReceipt=קבלה על מסירה סטטוס +DateReceived=תאריך קבלת משלוח +ClassifyReception=סיווג התקבל +SendShippingByEMail=שלח משלוח במייל +SendShippingRef=הגשת המשלוח %s +ActionsOnShipping=אירועים במשלוח +LinkToTrackYourPackage=קישור למעקב אחר החבילה שלך +ShipmentCreationIsDoneFromOrder=נכון לעכשיו, יצירת משלוח חדש מתבצעת מתוך רשומת הזמנת מכירות. +ShipmentLine=קו משלוח +ProductQtyInCustomersOrdersRunning=כמות מוצר מהזמנות מכירות פתוחות +ProductQtyInSuppliersOrdersRunning=כמות מוצר מהזמנות רכש פתוחות +ProductQtyInShipmentAlreadySent=כמות מוצר מהזמנת מכירה פתוחה כבר נשלחה +ProductQtyInSuppliersShipmentAlreadyRecevied=כמות מוצר מהזמנות רכש פתוחות שכבר התקבלו +NoProductToShipFoundIntoStock=לא נמצא מוצר למשלוח במחסן %s. תקן מלאי או חזור לבחור מחסן אחר. +WeightVolShort=משקל/נפח. +ValidateOrderFirstBeforeShipment=תחילה עליך לאמת את ההזמנה לפני שתוכל לבצע משלוחים. +NoLineGoOnTabToAddSome=אין שורה, עבור לכרטיסייה "%s" כדי להוסיף # Sending methods # ModelDocument -DocumentModelTyphon=More complete document model for delivery receipts (logo...) -DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...) -Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined -SumOfProductVolumes=Sum of product volumes -SumOfProductWeights=Sum of product weights +DocumentModelTyphon=מודל מסמכים שלם יותר עבור קבלות מסירה (לוגו...) +DocumentModelStorm=מודל מסמכים שלם יותר עבור קבלות מסירה ותאימות שדות נוספים (לוגו...) +Error_EXPEDITION_ADDON_NUMBER_NotDefined=הקבוע EXPEDITION_ADDON_NUMBER לא הוגדר +SumOfProductVolumes=סכום נפחי המוצר +SumOfProductWeights=סכום משקלי המוצר # warehouse details -DetailWarehouseNumber= Warehouse details -DetailWarehouseFormat= W:%s (Qty: %d) +DetailWarehouseNumber= פרטי המחסן +DetailWarehouseFormat= W:%s (כמות: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=הצג את התאריך האחרון של כניסה במלאי במהלך יצירת המשלוח עבור מספר סידורי או אצווה +CreationOptions=אפשרויות זמינות במהלך יצירת המשלוח + +ShipmentDistribution=הפצת משלוחים + +ErrorTooManyCombinationBatchcode=אין משלוח עבור שורה %s מכיוון שנמצאו יותר מדי שילובים של מחסן, מוצר, קוד אצווה (%s). +ErrorNoCombinationBatchcode=לא ניתן לשמור את השורה %s כשילוב של מחסן-מוצר-מגרש/סדרה (%s, %s, %s) לא נמצא במלאי. + +ErrorTooMuchShipped=הכמות הנשלחת לא צריכה להיות גדולה מהכמות שהוזמנה עבור שורה %s diff --git a/htdocs/langs/he_IL/sms.lang b/htdocs/langs/he_IL/sms.lang index acb1eca833b..df798c28792 100644 --- a/htdocs/langs/he_IL/sms.lang +++ b/htdocs/langs/he_IL/sms.lang @@ -1,51 +1,51 @@ # Dolibarr language file - Source file is en_US - sms -Sms=Sms -SmsSetup=Sms setup -SmsDesc=This page allows you to define globals options on SMS features -SmsCard=SMS Card -AllSms=All SMS campains -SmsTargets=Targets -SmsRecipients=Targets -SmsRecipient=Target +Sms=סמס +SmsSetup=הגדרת SMS +SmsDesc=דף זה מאפשר לך להגדיר אפשרויות גלובליות בתכונות SMS +SmsCard=כרטיס SMS +AllSms=כל מסעות ה-SMS +SmsTargets=יעדים +SmsRecipients=יעדים +SmsRecipient=יַעַד SmsTitle=תאור -SmsFrom=Sender -SmsTo=Target -SmsTopic=Topic of SMS -SmsText=Message -SmsMessage=SMS Message -ShowSms=Show Sms -ListOfSms=List SMS campains -NewSms=New SMS campain -EditSms=Edit Sms -ResetSms=New sending -DeleteSms=Delete Sms campain -DeleteASms=Remove a Sms campain -PreviewSms=Previuw Sms -PrepareSms=Prepare Sms -CreateSms=Create Sms -SmsResult=Result of Sms sending -TestSms=Test Sms -ValidSms=Validate Sms -ApproveSms=Approve Sms -SmsStatusDraft=Draft -SmsStatusValidated=Validated -SmsStatusApproved=Approved -SmsStatusSent=Sent -SmsStatusSentPartialy=Sent partially -SmsStatusSentCompletely=Sent completely -SmsStatusError=Error -SmsStatusNotSent=Not sent -SmsSuccessfulySent=Sms correctly sent (from %s to %s) -ErrorSmsRecipientIsEmpty=Number of target is empty -WarningNoSmsAdded=No new phone number to add to target list -ConfirmValidSms=Do you confirm validation of this campain? -NbOfUniqueSms=Nb dof unique phone numbers -NbOfSms=Nbre of phon numbers -ThisIsATestMessage=This is a test message -SendSms=Send SMS -SmsInfoCharRemain=Nb of remaining characters -SmsInfoNumero= (format international ie : +33899701761) -DelayBeforeSending=Delay before sending (minutes) -SmsNoPossibleSenderFound=No sender available. Check setup of your SMS provider. -SmsNoPossibleRecipientFound=No target available. Check setup of your SMS provider. -DisableStopIfSupported=Disable STOP message (if supported) +SmsFrom=שׁוֹלֵחַ +SmsTo=יַעַד +SmsTopic=נושא ה-SMS +SmsText=הוֹדָעָה +SmsMessage=הודעת SMS +ShowSms=הצג SMS +ListOfSms=רשום מסעות פרסום ב-SMS +NewSms=קמפיין SMS חדש +EditSms=ערוך SMS +ResetSms=שליחה חדשה +DeleteSms=מחק קמפיין SMS +DeleteASms=הסר קמפיין SMS +PreviewSms=SMS קודם +PrepareSms=הכן SMS +CreateSms=צור SMS +SmsResult=תוצאה של שליחת SMS +TestSms=בדיקת SMS +ValidSms=אימות SMS +ApproveSms=אישור SMS +SmsStatusDraft=טְיוּטָה +SmsStatusValidated=מאומת +SmsStatusApproved=אושר +SmsStatusSent=נשלח +SmsStatusSentPartialy=נשלח חלקית +SmsStatusSentCompletely=נשלח לגמרי +SmsStatusError=שְׁגִיאָה +SmsStatusNotSent=לא נשלח +SmsSuccessfulySent=SMS נשלח כהלכה (מ-%s אל %s) +ErrorSmsRecipientIsEmpty=מספר היעד ריק +WarningNoSmsAdded=אין מספר טלפון חדש להוסיף לרשימת היעד +ConfirmValidSms=האם אתה מאשר את אימות הקמפיין הזה? +NbOfUniqueSms=מספר מספרי טלפון ייחודיים +NbOfSms=מספר מספרי טלפון +ThisIsATestMessage=זו הודעת בדיקה +SendSms=שלח מסרון +SmsInfoCharRemain=מספר התווים הנותרים +SmsInfoNumero= (פורמט בינלאומי, כלומר: +33899701761) +DelayBeforeSending=עיכוב לפני השליחה (דקות) +SmsNoPossibleSenderFound=אין שולח זמין. בדוק את ההגדרה של ספק ה-SMS שלך. +SmsNoPossibleRecipientFound=אין יעד זמין. בדוק את ההגדרה של ספק ה-SMS שלך. +DisableStopIfSupported=השבת הודעת עצור (אם נתמכת) diff --git a/htdocs/langs/he_IL/stocks.lang b/htdocs/langs/he_IL/stocks.lang index 5d40c5c58d2..a84fbaf9dea 100644 --- a/htdocs/langs/he_IL/stocks.lang +++ b/htdocs/langs/he_IL/stocks.lang @@ -1,273 +1,337 @@ # Dolibarr language file - Source file is en_US - stocks -WarehouseCard=Warehouse card -Warehouse=Warehouse -Warehouses=Warehouses -ParentWarehouse=Parent warehouse -NewWarehouse=New warehouse / Stock Location -WarehouseEdit=Modify warehouse -MenuNewWarehouse=New warehouse -WarehouseSource=Source warehouse -WarehouseSourceNotDefined=No warehouse defined, -AddWarehouse=Create warehouse -AddOne=Add one -DefaultWarehouse=Default warehouse -WarehouseTarget=Target warehouse -ValidateSending=Confirm shipment -CancelSending=Cancel shipment -DeleteSending=Delete shipment -Stock=Stock +WarehouseCard=כרטיס מחסן +Warehouse=מַחסָן +Warehouses=מחסנים +ParentWarehouse=מחסן הורים +NewWarehouse=מחסן חדש / מיקום מלאי +WarehouseEdit=שנה מחסן +MenuNewWarehouse=מחסן חדש +WarehouseSource=מחסן מקור +WarehouseSourceNotDefined=לא הוגדר מחסן, +AddWarehouse=צור מחסן +AddOne=הוסף אחד +DefaultWarehouse=מחסן ברירת מחדל +WarehouseTarget=מחסן מטרה +ValidateSending=אשר את המשלוח +CancelSending=בטל את המשלוח +DeleteSending=מחק את המשלוח +Stock=המניה Stocks=מניות -MissingStocks=Missing stocks -StockAtDate=Stocks at date -StockAtDateInPast=Date in the past -StockAtDateInFuture=Date in the future -StocksByLotSerial=Stocks by lot/serial -LotSerial=Lots/Serials -LotSerialList=List of lot/serials -Movements=Movements -ErrorWarehouseRefRequired=Warehouse reference name is required -ListOfWarehouses=List of warehouses -ListOfStockMovements=List of stock movements -ListOfInventories=List of inventories -MovementId=Movement ID -StockMovementForId=Movement ID %d -ListMouvementStockProject=List of stock movements associated to project -StocksArea=Warehouses area -AllWarehouses=All warehouses -IncludeEmptyDesiredStock=Include also negative stock with undefined desired stock -IncludeAlsoDraftOrders=Include also draft orders -Location=Location -LocationSummary=Short name of location -NumberOfDifferentProducts=Number of unique products -NumberOfProducts=Total number of products -LastMovement=Latest movement -LastMovements=Latest movements -Units=Units -Unit=Unit -StockCorrection=Stock correction -CorrectStock=Correct stock -StockTransfer=Stock transfer -TransferStock=Transfer stock -MassStockTransferShort=Mass stock transfer -StockMovement=Stock movement -StockMovements=Stock movements -NumberOfUnit=Number of units -UnitPurchaseValue=Unit purchase price -StockTooLow=Stock too low -StockLowerThanLimit=Stock lower than alert limit (%s) -EnhancedValue=Value -EnhancedValueOfWarehouses=Warehouses value -UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user -AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product -RuleForWarehouse=Rule for warehouses -WarehouseAskWarehouseOnThirparty=Set a warehouse on Third-parties -WarehouseAskWarehouseDuringPropal=Set a warehouse on Commercial proposals -WarehouseAskWarehouseDuringOrder=Set a warehouse on Sales Orders -WarehouseAskWarehouseDuringProject=Set a warehouse on Projects -UserDefaultWarehouse=Set a warehouse on Users -MainDefaultWarehouse=Default warehouse -MainDefaultWarehouseUser=Use a default warehouse for each user -MainDefaultWarehouseUserDesc=By activating this option, during creation of a product, the warehouse assigned to the product will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. -IndependantSubProductStock=Product stock and subproduct stock are independent -QtyDispatched=Quantity dispatched -QtyDispatchedShort=Qty dispatched -QtyToDispatchShort=Qty to dispatch -OrderDispatch=Item receipts -RuleForStockManagementDecrease=Choose Rule for automatic stock decrease (manual decrease is always possible, even if an automatic decrease rule is activated) -RuleForStockManagementIncrease=Choose Rule for automatic stock increase (manual increase is always possible, even if an automatic increase rule is activated) -DeStockOnBill=Decrease real stocks on validation of customer invoice/credit note -DeStockOnValidateOrder=Decrease real stocks on validation of sales order -DeStockOnShipment=Decrease real stocks on shipping validation -DeStockOnShipmentOnClosing=Decrease real stocks when shipping is set to closed -ReStockOnBill=Increase real stocks on validation of vendor invoice/credit note -ReStockOnValidateOrder=Increase real stocks on purchase order approval -ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouse, after purchase order receipt of goods -StockOnReception=Increase real stocks on validation of reception -StockOnReceptionOnClosing=Increase real stocks when reception is set to closed -OrderStatusNotReadyToDispatch=Order has not yet or no more a status that allows dispatching of products in stock warehouses. -StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock -NoPredefinedProductToDispatch=No predefined products for this object. So no dispatching in stock is required. -DispatchVerb=Dispatch -StockLimitShort=Limit for alert -StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
      0 can be used to trigger a warning as soon as the stock is empty. -PhysicalStock=Physical Stock -RealStock=Real Stock -RealStockDesc=Physical/real stock is the stock currently in the warehouses. -RealStockWillAutomaticallyWhen=The real stock will be modified according to this rule (as defined in the Stock module): -VirtualStock=Virtual stock -VirtualStockAtDate=Virtual stock at a future date -VirtualStockAtDateDesc=Virtual stock once all the pending orders that are planned to be processed before the chosen date will be finished -VirtualStockDesc=Virtual stock is the calculated stock available once all open/pending actions (that affect stocks) are closed (purchase orders received, sales orders shipped, manufacturing orders produced, etc) -AtDate=At date -IdWarehouse=Id warehouse -DescWareHouse=Description warehouse -LieuWareHouse=Localisation warehouse -WarehousesAndProducts=Warehouses and products -WarehousesAndProductsBatchDetail=Warehouses and products (with detail per lot/serial) -AverageUnitPricePMPShort=Weighted average price -AverageUnitPricePMPDesc=The input average unit price we had to expense to get 1 unit of product into our stock. -SellPriceMin=Selling Unit Price -EstimatedStockValueSellShort=Value for sell -EstimatedStockValueSell=Value for sell -EstimatedStockValueShort=Input stock value -EstimatedStockValue=Input stock value -DeleteAWarehouse=Delete a warehouse -ConfirmDeleteWarehouse=Are you sure you want to delete the warehouse %s? -PersonalStock=Personal stock %s -ThisWarehouseIsPersonalStock=This warehouse represents personal stock of %s %s -SelectWarehouseForStockDecrease=Choose warehouse to use for stock decrease -SelectWarehouseForStockIncrease=Choose warehouse to use for stock increase -NoStockAction=No stock action -DesiredStock=Desired Stock -DesiredStockDesc=This stock amount will be the value used to fill the stock by replenishment feature. -StockToBuy=To order -Replenishment=Replenishment -ReplenishmentOrders=Replenishment orders -VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical stock + open orders) may differ -UseRealStockByDefault=Use real stock, instead of virtual stock, for replenishment feature -ReplenishmentCalculation=Amount to order will be (desired quantity - real stock) instead of (desired quantity - virtual stock) -UseVirtualStock=Use virtual stock -UsePhysicalStock=Use physical stock -CurentSelectionMode=Current selection mode -CurentlyUsingVirtualStock=Virtual stock -CurentlyUsingPhysicalStock=Physical stock -RuleForStockReplenishment=Rule for stocks replenishment -SelectProductWithNotNullQty=Select at least one product with a qty not null and a vendor -AlertOnly= Alerts only -IncludeProductWithUndefinedAlerts = Include also negative stock for products with no desired quantity defined, to restore them to 0 -WarehouseForStockDecrease=The warehouse %s will be used for stock decrease -WarehouseForStockIncrease=The warehouse %s will be used for stock increase -ForThisWarehouse=For this warehouse -ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. -ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. -ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. -Replenishments=Replenishments -NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) -NbOfProductAfterPeriod=Quantity of product %s in stock after selected period (> %s) -MassMovement=Mass movement -SelectProductInAndOutWareHouse=Select a source warehouse and a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click on "%s". -RecordMovement=Record transfer -ReceivingForSameOrder=Receipts for this order -StockMovementRecorded=Stock movements recorded -RuleForStockAvailability=Rules on stock requirements -StockMustBeEnoughForInvoice=Stock level must be enough to add product/service to invoice (check is done on current real stock when adding a line into invoice whatever the rule for automatic stock change) -StockMustBeEnoughForOrder=Stock level must be enough to add product/service to order (check is done on current real stock when adding a line into order whatever the rule for automatic stock change) -StockMustBeEnoughForShipment= Stock level must be enough to add product/service to shipment (check is done on current real stock when adding a line into shipment whatever the rule for automatic stock change) -MovementLabel=Label of movement -TypeMovement=Direction of movement -DateMovement=Date of movement -InventoryCode=Movement or inventory code -IsInPackage=Contained into package -WarehouseAllowNegativeTransfer=Stock can be negative -qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. -qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). -ShowWarehouse=Show warehouse -MovementCorrectStock=Stock correction for product %s -MovementTransferStock=Stock transfer of product %s into another warehouse -InventoryCodeShort=Inv./Mov. code -NoPendingReceptionOnSupplierOrder=No pending reception due to open purchase order -ThisSerialAlreadyExistWithDifferentDate=This lot/serial number (%s) already exists but with different eatby or sellby date (found %s but you enter %s). -OpenAnyMovement=Open (all movement) -OpenInternal=Open (only internal movement) -UseDispatchStatus=Use a dispatch status (approve/refuse) for product lines on purchase order reception -OptionMULTIPRICESIsOn=Option "several prices per segment" is on. It means a product has several selling price so value for sell can't be calculated -ProductStockWarehouseCreated=Stock limit for alert and desired optimal stock correctly created -ProductStockWarehouseUpdated=Stock limit for alert and desired optimal stock correctly updated -ProductStockWarehouseDeleted=Stock limit for alert and desired optimal stock correctly deleted -AddNewProductStockWarehouse=Set new limit for alert and desired optimal stock -AddStockLocationLine=Decrease quantity then click to add another warehouse for this product -InventoryDate=Inventory date -Inventories=Inventories -NewInventory=New inventory -inventorySetup = Inventory Setup -inventoryCreatePermission=Create new inventory -inventoryReadPermission=View inventories -inventoryWritePermission=Update inventories -inventoryValidatePermission=Validate inventory -inventoryDeletePermission=Delete inventory -inventoryTitle=Inventory -inventoryListTitle=Inventories -inventoryListEmpty=No inventory in progress -inventoryCreateDelete=Create/Delete inventory -inventoryCreate=Create new -inventoryEdit=Edit -inventoryValidate=Validated -inventoryDraft=Running -inventorySelectWarehouse=Warehouse choice +MissingStocks=מניות חסרות +StockAtDate=מניות בתאריך +StockAtDateInPast=תאריך בעבר +StockAtDateInFuture=תאריך בעתיד +StocksByLotSerial=מלאי לפי מגרש/סדרה +LotSerial=המון/סדרות +LotSerialList=רשימת מגרש/סדרות +SubjectToLotSerialOnly=מוצרים בכפוף לחלק/סידורי בלבד +Movements=תנועות +ErrorWarehouseRefRequired=נדרש שם סימוכין למחסן +ListOfWarehouses=רשימת מחסנים +ListOfStockMovements=רשימת תנועות המניות +ListOfInventories=רשימת מלאי +MovementId=מזהה תנועה +StockMovementForId=מזהה תנועה %d +ListMouvementStockProject=רשימת תנועות מלאי הקשורות לפרויקט +StocksArea=אזור מחסנים +AllWarehouses=כל המחסנים +IncludeEmptyDesiredStock=כלול גם מלאי שלילי עם מלאי רצוי לא מוגדר +IncludeAlsoDraftOrders=כלול גם טיוטת הזמנות +Location=מקום +LocationSummary=שם קצר של מיקום +NumberOfDifferentProducts=מספר מוצרים ייחודיים +NumberOfProducts=מספר כולל של מוצרים +LastMovement=תנועה אחרונה +LastMovements=התנועות האחרונות +Units=יחידות +Unit=יחידה +StockCorrection=תיקון מלאי +CorrectStock=מלאי נכון +StockTransfer=העברת מלאי +TransferStock=העברת מלאי +MassStockTransferShort=שינוי מלאי בכמות גדולה +StockMovement=תנועת מניות +StockMovements=תנועות מניות +NumberOfUnit=מספר יחידות +UnitPurchaseValue=מחיר רכישה ליחידה +StockTooLow=מלאי נמוך מדי +StockLowerThanLimit=מלאי נמוך ממגבלת ההתראה (%s) +EnhancedValue=ערך +EnhancedValueOfWarehouses=ערך מחסנים +UserWarehouseAutoCreate=צור מחסן משתמשים באופן אוטומטי בעת יצירת משתמש +AllowAddLimitStockByWarehouse=נהל גם ערך למלאי מינימלי ורצוי לכל זיווג (מוצר-מחסן) בנוסף לערך המלאי המינימלי והרצוי למוצר +RuleForWarehouse=כלל למחסנים +WarehouseAskWarehouseOnThirparty=הגדר מחסן על צדדים שלישיים +WarehouseAskWarehouseDuringPropal=הגדר מחסן על הצעות מסחריות +WarehouseAskWarehouseDuringOrder=הגדר מחסן בהזמנות מכירה +WarehouseAskWarehouseDuringProject=הגדר מחסן בפרויקטים +UserDefaultWarehouse=הגדר מחסן על משתמשים +MainDefaultWarehouse=מחסן ברירת מחדל +MainDefaultWarehouseUser=השתמש במחסן ברירת מחדל עבור כל משתמש +MainDefaultWarehouseUserDesc=על ידי הפעלת אפשרות זו, במהלך יצירת מוצר, המחסן שהוקצה למוצר יוגדר על זה. אם לא מוגדר מחסן על המשתמש, מחסן ברירת המחדל מוגדר. +IndependantSubProductStock=מלאי המוצר ומלאי התת-מוצר הינם עצמאיים +QtyDispatched=כמות שנשלחה +QtyDispatchedShort=כמות נשלחה +QtyToDispatchShort=כמות למשלוח +OrderDispatch=קבלות על פריט +RuleForStockManagementDecrease=בחר כלל להקטנת מלאי אוטומטית (הפחתה ידנית תמיד אפשרית, גם אם כלל ירידה אוטומטית מופעל) +RuleForStockManagementIncrease=בחר כלל להגדלת מלאי אוטומטית (הגדלה ידנית תמיד אפשרית, גם אם כלל הגדלה אוטומטית מופעל) +DeStockOnBill=הקטנת מלאי אמיתי בעת אימות חשבונית הלקוח/תעודת אשראי +DeStockOnValidateOrder=הקטנת מלאי אמיתי בעת אימות הזמנת מכירות +DeStockOnShipment=הקטנת מלאי אמיתי על אימות משלוח +DeStockOnShipmentOnClosing=הקטנת מלאי אמיתי כאשר המשלוח מוגדר לסגור +ReStockOnBill=הגדל מלאי אמיתי על אימות חשבונית הספק/תעודת אשראי +ReStockOnValidateOrder=הגדל מלאי אמיתי עם אישור הזמנת רכש +ReStockOnDispatchOrder=הגדל מלאי אמיתי בשיגור ידני למחסן, לאחר קבלת הסחורה בהזמנת רכש +StockOnReception=הגדל מלאי אמיתי על אימות הקבלה +StockOnReceptionOnClosing=הגדל מלאי אמיתי כאשר הקבלה מוגדרת לסגורה +OrderStatusNotReadyToDispatch=להזמנה עדיין אין או כבר לא סטטוס המאפשר שיגור מוצרים במחסני מלאי. +StockDiffPhysicTeoric=הסבר להבדל בין מלאי פיזי לווירטואלי +NoPredefinedProductToDispatch=אין מוצרים מוגדרים מראש עבור אובייקט זה. אז אין צורך במשלוח במלאי. +DispatchVerb=לְשַׁגֵר +StockLimitShort=מגבלה להתראה +StockLimit=מגבלת מלאי להתראה +StockLimitDesc=(ריק) פירושו ללא אזהרה.
      0 ניתן להשתמש כדי להפעיל אזהרה ברגע שהמלאי ריק. +PhysicalStock=מלאי פיזי +RealStock=מניה אמיתית +RealStockDesc=מלאי פיזי/ריאלי הוא המלאי שנמצא כרגע במחסנים. +RealStockWillAutomaticallyWhen=המניה האמיתית תשתנה בהתאם לכלל זה (כפי שהוגדר במודול המלאי): +VirtualStock=מניה וירטואלית +VirtualStockAtDate=מניה וירטואלית בתאריך עתידי +VirtualStockAtDateDesc=מלאי וירטואלי לאחר שכל ההזמנות הממתינות שמתוכננות לעיבוד לפני התאריך הנבחר יסתיימו +VirtualStockDesc=מלאי וירטואלי הוא המלאי שיישאר לאחר ביצוע כל הפעולות הפתוחות/ממתינות (שמשפיעות על המלאי) (התקבלו הזמנות רכש, הזמנות מכירות שנשלחו, הפקת הזמנות ייצור וכו') +AtDate=בתאריך +IdWarehouse=מחסן תעודת זהות +DescWareHouse=מחסן תיאור +LieuWareHouse=מחסן לוקליזציה +WarehousesAndProducts=מחסנים ומוצרים +WarehousesAndProductsBatchDetail=מחסנים ומוצרים (עם פירוט לכל מגרש/סדרה) +AverageUnitPricePMPShort=מחיר ממוצע משוקלל +AverageUnitPricePMPDesc=המחיר הממוצע ליחידה שהיינו צריכים להוציא כדי לקבל יחידה אחת של מוצר למלאי שלנו. +SellPriceMin=מחיר יחידה למכירה +EstimatedStockValueSellShort=ערך למכירה +EstimatedStockValueSell=ערך למכירה +EstimatedStockValueShort=ערך מלאי קלט +EstimatedStockValue=ערך מלאי קלט +DeleteAWarehouse=מחק מחסן +ConfirmDeleteWarehouse=האם אתה בטוח שברצונך למחוק את המחסן %s? +PersonalStock=מניות אישיות %s +ThisWarehouseIsPersonalStock=מחסן זה מייצג מלאי אישי של %s %s +SelectWarehouseForStockDecrease=בחר מחסן לשימוש להקטנת מלאי +SelectWarehouseForStockIncrease=בחר מחסן לשימוש להגדלת המלאי +RevertProductsToStock=להחזיר מוצרים למלאי? +NoStockAction=אין פעולה במניות +DesiredStock=מניה רצויה +DesiredStockDesc=סכום מלאי זה יהיה הערך המשמש למילוי המלאי על ידי תכונת מילוי. +StockToBuy=להורות +Replenishment=מילוי מחדש +ReplenishmentOrders=הזמנות מילוי +VirtualDiffersFromPhysical=על פי אופציות להגדלה/הקטנה, מניה פיזית ומניה וירטואלית (מנייה פיזית + הזמנות פתוחות) עשויות להיות שונות +UseRealStockByDefault=השתמש במלאי אמיתי, במקום במלאי וירטואלי, לתכונת החידוש +ReplenishmentCalculation=כמות להזמנה תהיה (כמות רצויה - מלאי אמיתי) במקום (כמות רצויה - מלאי וירטואלי) +UseVirtualStock=השתמש במלאי וירטואלי +UsePhysicalStock=השתמש במלאי פיזי +CurentSelectionMode=מצב בחירה נוכחי +CurentlyUsingVirtualStock=מניה וירטואלית +CurentlyUsingPhysicalStock=מלאי פיזי +RuleForStockReplenishment=כלל לחידוש מלאי +SelectProductWithNotNullQty=בחר לפחות מוצר אחד עם כמות לא ריק וספק +AlertOnly= התראות בלבד +IncludeProductWithUndefinedAlerts = כלול גם מלאי שלילי עבור מוצרים ללא כמות רצויה מוגדרת, כדי להחזיר אותם ל-0 +WarehouseForStockDecrease=המחסן %s ישמש להקטנת מלאי +WarehouseForStockIncrease=המחסן %s ישמש להגדלת המלאי +ForThisWarehouse=למחסן הזה +ReplenishmentStatusDesc=זוהי רשימה של כל המוצרים עם מלאי נמוך מהמלאי הרצוי (או נמוך מערך ההתראה אם תיבת הסימון "התראה בלבד" מסומנת). באמצעות תיבת הסימון, תוכל ליצור הזמנות רכש כדי למלא את ההפרש. +ReplenishmentStatusDescPerWarehouse=אם תרצו מילוי על בסיס כמות רצויה המוגדרת למחסן, יש להוסיף פילטר על המחסן. +ReplenishmentOrdersDesc=זוהי רשימה של כל הזמנות הרכש הפתוחות כולל מוצרים מוגדרים מראש. רק הזמנות פתוחות עם מוצרים מוגדרים מראש, כך שהזמנות שעשויות להשפיע על המניות, גלויות כאן. +Replenishments=חידושים +NbOfProductBeforePeriod=כמות המוצר %s במלאי לפני התקופה שנבחרה (< %s) +NbOfProductAfterPeriod=כמות המוצר %s במלאי לאחר התקופה שנבחרה (> %s) +MassMovement=תנועה המונית +SelectProductInAndOutWareHouse=בחר מחסן מקור (אופציונלי), מחסן יעד, מוצר וכמות ולאחר מכן לחץ על "%s". לאחר שהדבר נעשה עבור כל התנועות הנדרשות, לחץ על "%s". +RecordMovement=העברת שיא +RecordMovements=שיא תנועות מניות +ReceivingForSameOrder=קבלות על הזמנה זו +StockMovementRecorded=תנועות מלאי נרשמו +RuleForStockAvailability=כללים לגבי דרישות מלאי +StockMustBeEnoughForInvoice=רמת המלאי חייבת להיות מספיקה כדי להוסיף מוצר/שירות לחשבונית (הבדיקה מתבצעת על המלאי האמיתי הנוכחי בעת הוספת שורה לחשבונית, ללא קשר לכלל לשינוי מלאי אוטומטי) +StockMustBeEnoughForOrder=רמת המלאי חייבת להיות מספיקה כדי להוסיף מוצר/שירות להזמנה (הבדיקה מתבצעת על המלאי האמיתי הנוכחי בעת הוספת שורה להזמנה, ללא קשר לכלל לשינוי מלאי אוטומטי) +StockMustBeEnoughForShipment= רמת המלאי חייבת להיות מספיקה כדי להוסיף מוצר/שירות למשלוח (הבדיקה מתבצעת לגבי המלאי האמיתי הנוכחי בעת הוספת שורה למשלוח, ללא קשר לכלל לשינוי מלאי אוטומטי) +MovementLabel=תווית של תנועה +TypeMovement=כיוון התנועה +DateMovement=תאריך התנועה +InventoryCode=קוד תנועה או מלאי +IsInPackage=כלול בחבילה +WarehouseAllowNegativeTransfer=מלאי יכול להיות שלילי +qtyToTranferIsNotEnough=אין לך מספיק מלאי ממחסן המקור שלך וההגדרה שלך לא מאפשרת מלאי שלילי. +qtyToTranferLotIsNotEnough=אין לך מספיק מלאי, עבור מספר מגרש זה, ממחסן המקור שלך וההגדרה שלך לא מאפשרת מלאי שלילי (כמות עבור מוצר '%s' עם מגרש '%s' הוא %s במחסן '%s'). +ShowWarehouse=הצג מחסן +MovementCorrectStock=תיקון מלאי עבור מוצר %s +MovementTransferStock=העברת מלאי של מוצר %s למחסן אחר +BatchStockMouvementAddInGlobal=מלאי אצווה עובר למלאי גלובלי (המוצר לא משתמש יותר באצווה) +InventoryCodeShort=Inv./Mov. קוד +NoPendingReceptionOnSupplierOrder=אין קבלה בהמתנה עקב הזמנת רכש פתוחה +ThisSerialAlreadyExistWithDifferentDate=מגרש/מספר סידורי זה (%s) כבר קיים אבל עם תאריך אחר לאכול עד או למכור (נמצא %s < אבל אתה מזין span class='notranslate'>
      %s). +OpenAnyMovement=פתוח (כל תנועה) +OpenInternal=פתוח (רק תנועה פנימית) +UseDispatchStatus=השתמש בסטטוס שליחה (אישור/סירוב) עבור קווי מוצרים בקבלת הזמנת רכש +OptionMULTIPRICESIsOn=האפשרות "מספר מחירים לכל פלח" מופעלת. זה אומר שלמוצר יש כמה מחירי מכירה ולכן לא ניתן לחשב את הערך למכירה +ProductStockWarehouseCreated=מגבלת מלאי להתראה ולמלאי אופטימלי רצוי נוצר בצורה נכונה +ProductStockWarehouseUpdated=מגבלת מלאי להתראה ולמלאי אופטימלי רצוי מעודכנת נכון +ProductStockWarehouseDeleted=מגבלת מלאי להתראה ולמלאי אופטימלי רצוי נמחקה בצורה נכונה +ProductStockWarehouse=מגבלת מלאי למלאי אופטימלי ערני ורצוי לפי מוצר ומחסן +AddNewProductStockWarehouse=הגדר מגבלה חדשה להתראה ולמלאי אופטימלי רצוי +AddStockLocationLine=הקטן את הכמות ולאחר מכן לחץ כדי לפצל את השורה +InventoryDate=תאריך מלאי +Inventories=מלאי +NewInventory=מלאי חדש +inventorySetup = הגדרת מלאי +inventoryCreatePermission=צור מלאי חדש +inventoryReadPermission=צפה במלאי +inventoryWritePermission=עדכון מלאי +inventoryValidatePermission=אימות מלאי +inventoryDeletePermission=מחק מלאי +inventoryTitle=מְלַאי +inventoryListTitle=מלאי +inventoryListEmpty=אין מלאי בתהליך +inventoryCreateDelete=צור/מחק מלאי +inventoryCreate=צור חדש +inventoryEdit=לַעֲרוֹך +inventoryValidate=מאומת +inventoryDraft=רץ +inventorySelectWarehouse=בחירת מחסן inventoryConfirmCreate=Create -inventoryOfWarehouse=Inventory for warehouse: %s -inventoryErrorQtyAdd=Error: one quantity is less than zero -inventoryMvtStock=By inventory -inventoryWarningProductAlreadyExists=This product is already into list -SelectCategory=Category filter -SelectFournisseur=Vendor filter -inventoryOnDate=Inventory -INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Stock movements will have the date of inventory (instead of the date of inventory validation) -inventoryChangePMPPermission=Allow to change PMP value for a product -ColumnNewPMP=New unit PMP -OnlyProdsInStock=Do not add product without stock -TheoricalQty=Theorical qty -TheoricalValue=Theorical qty -LastPA=Last BP -CurrentPA=Curent BP -RecordedQty=Recorded Qty -RealQty=Real Qty -RealValue=Real Value -RegulatedQty=Regulated Qty -AddInventoryProduct=Add product to inventory -AddProduct=Add -ApplyPMP=Apply PMP -FlushInventory=Flush inventory -ConfirmFlushInventory=Do you confirm this action? -InventoryFlushed=Inventory flushed -ExitEditMode=Exit edition +inventoryOfWarehouse=מלאי למחסן: %s +inventoryErrorQtyAdd=שגיאה: כמות אחת קטנה מאפס +inventoryMvtStock=לפי מלאי +inventoryWarningProductAlreadyExists=המוצר הזה כבר נמצא ברשימה +SelectCategory=מסנן קטגוריות +SelectFournisseur=מסנן ספק +inventoryOnDate=מְלַאי +INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=לתנועות המלאי יהיה תאריך המלאי (במקום תאריך אימות המלאי) +inventoryChangePMPPermission=אפשר לשנות ערך PMP עבור מוצר +ColumnNewPMP=יחידה חדשה PMP +OnlyProdsInStock=אין להוסיף מוצר ללא מלאי +TheoricalQty=כמות תיאורטית +TheoricalValue=כמות תיאורטית +LastPA=BP אחרון +CurrentPA=BP נוכחי +RecordedQty=כמות מוקלטת +RealQty=כמות אמיתית +RealValue=ערך אמיתי +RegulatedQty=כמות מוסדרת +AddInventoryProduct=הוסף מוצר למלאי +AddProduct=לְהוֹסִיף +ApplyPMP=החל PMP +FlushInventory=שטף את המלאי +ConfirmFlushInventory=האם אתה מאשר את הפעולה הזו? +InventoryFlushed=המלאי סומק +ExitEditMode=יציאה מהדורה inventoryDeleteLine=מחק את השורה -RegulateStock=Regulate Stock -ListInventory=List -StockSupportServices=Stock management supports Services -StockSupportServicesDesc=By default, you can stock only products of type "product". You may also stock a product of type "service" if both module Services and this option are enabled. -ReceiveProducts=Receive items -StockIncreaseAfterCorrectTransfer=Increase by correction/transfer -StockDecreaseAfterCorrectTransfer=Decrease by correction/transfer -StockIncrease=Stock increase -StockDecrease=Stock decrease -InventoryForASpecificWarehouse=Inventory for a specific warehouse -InventoryForASpecificProduct=Inventory for a specific product -StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use -ForceTo=Force to -AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) -StockAtDatePastDesc=You can view here the stock (real stock) at a given date in the past -StockAtDateFutureDesc=You can view here the stock (virtual stock) at a given date in the future -CurrentStock=Current stock -InventoryRealQtyHelp=Set value to 0 to reset qty
      Keep field empty, or remove line, to keep unchanged -UpdateByScaning=Complete real qty by scaning -UpdateByScaningProductBarcode=Update by scan (product barcode) -UpdateByScaningLot=Update by scan (lot|serial barcode) -DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement. -ImportFromCSV=Import CSV list of movement -ChooseFileToImport=Upload file then click on the %s icon to select file as source import file... -SelectAStockMovementFileToImport=select a stock movement file to import -InfoTemplateImport=Uploaded file needs to have this format (* are mandatory fields):
      Source Warehouse* | Target Warehouse* | Product* | Quantity* | Lot/serial number
      CSV character separator must be "%s" -LabelOfInventoryMovemement=Inventory %s -ReOpen=Reopen -ConfirmFinish=Do you confirm the closing of the inventory ? This will generate all stock movements to update your stock to the real qty you entered into the inventory. -ObjectNotFound=%s not found -MakeMovementsAndClose=Generate movements and close -AutofillWithExpected=Replace real quantity with expected quantity -ShowAllBatchByDefault=By default, show batch details on product "stock" tab -CollapseBatchDetailHelp=You can set batch detail default display in stocks module configuration -ErrorWrongBarcodemode=Unknown Barcode mode -ProductDoesNotExist=Product does not exist -ErrorSameBatchNumber=Several record for the batch number were found in the inventory sheet. No way to know which one to increase. -ProductBatchDoesNotExist=Product with batch/serial does not exist -ProductBarcodeDoesNotExist=Product with barcode does not exist -WarehouseId=Warehouse ID -WarehouseRef=Warehouse Ref -SaveQtyFirst=Save the real inventoried quantities first, before asking creation of the stock movement. -InventoryStartedShort=Started -ErrorOnElementsInventory=Operation canceled for the following reason: -ErrorCantFindCodeInInventory=Can't find the following code in inventory -QtyWasAddedToTheScannedBarcode=Success !! The quantity was added to all the requested barcode. You can close the Scanner tool. -StockChangeDisabled=Change on stock disabled -NoWarehouseDefinedForTerminal=No warehouse defined for terminal +RegulateStock=להסדיר את המלאי +ListInventory=רשימה +StockSupportServices=ניהול מלאי תומך בשירותים +StockSupportServicesDesc=כברירת מחדל, ניתן למלא רק מוצרים מסוג "מוצר". אתה יכול גם להצטייד במוצר מסוג "שירות" אם גם שירותי מודול וגם אפשרות זו מופעלים. +ReceiveProducts=קבלת פריטים +StockIncreaseAfterCorrectTransfer=הגדלה בתיקון/העברה +StockDecreaseAfterCorrectTransfer=ירידה בתיקון/העברה +StockIncrease=עליית מלאי +StockDecrease=ירידה במלאי +InventoryForASpecificWarehouse=מלאי למחסן ספציפי +InventoryForASpecificProduct=מלאי עבור מוצר ספציפי +StockIsRequiredToChooseWhichLotToUse=נדרש מלאי קיים כדי שתוכל לבחור באיזה מגרש להשתמש +ForceTo=להכריח +AlwaysShowFullArbo=הצג את הנתיב המלא של מחסן (מחסני אב) בחלון הקופץ של קישורי מחסן (אזהרה: זה עלול להפחית באופן דרמטי את הביצועים) +StockAtDatePastDesc=אתה יכול לראות כאן את המניה (המנייה האמיתית) בתאריך נתון בעבר +StockAtDateFutureDesc=אתה יכול לראות כאן את המניה (מלאי וירטואלי) בתאריך נתון בעתיד +CurrentStock=מלאי נוכחי +InventoryRealQtyHelp=הגדר את הערך ל-0 כדי לאפס qty
      שמור שדה ריק, או הסר שורה, כדי להשאיר ללא שינוי +UpdateByScaning=השלם כמות אמיתית על ידי סריקה +UpdateByScaningProductBarcode=עדכון באמצעות סריקה (ברקוד מוצר) +UpdateByScaningLot=עדכון באמצעות סריקה (מגרש|ברקוד סידורי) +DisableStockChangeOfSubProduct=השבת את שינוי המלאי עבור כל מוצרי המשנה של ערכה זו במהלך תנועה זו. +ImportFromCSV=ייבא רשימת CSV של תנועה +ChooseFileToImport=העלה קובץ ולאחר מכן לחץ על הסמל %s כדי לבחור קובץ כקובץ ייבוא מקור... +SelectAStockMovementFileToImport=בחר קובץ תנועת מניות לייבוא +InfoTemplateImport=הקובץ שהועלה צריך להיות בפורמט זה (* הם שדות חובה):
      מחסן מקור* | מחסן מטרה* | מוצר* | כמות* | מגרש/מספר סידורי
      מפריד התווים CSV חייב להיות "%s" +LabelOfInventoryMovemement=מלאי %s +ReOpen=פתח מחדש +ConfirmFinish=האם אתה מאשר את סגירת המלאי? זה ייצור את כל תנועות המלאי כדי לעדכן את המלאי שלך לכמות האמיתית שהזנת למלאי. +ObjectNotFound=%s לא נמצא +MakeMovementsAndClose=ליצור תנועות ולסגור +AutofillWithExpected=מלא כמות אמיתית בכמות צפויה +ShowAllBatchByDefault=כברירת מחדל, הצג פרטי אצווה בכרטיסיית "מלאי" של המוצר +CollapseBatchDetailHelp=אתה יכול להגדיר תצוגת ברירת מחדל של פרטי אצווה בתצורת מודול המניות +ErrorWrongBarcodemode=מצב ברקוד לא ידוע +ProductDoesNotExist=המוצר לא קיים +ErrorSameBatchNumber=נמצאו מספר רשומות למספר האצווה בגיליון המלאי. אין דרך לדעת איזה מהם להגדיל. +ProductBatchDoesNotExist=מוצר עם אצווה/סדרה לא קיים +ProductBarcodeDoesNotExist=מוצר עם ברקוד לא קיים +WarehouseId=מזהה מחסן +WarehouseRef=מחסן רפ +SaveQtyFirst=שמור תחילה את הכמויות האמיתיות במלאי, לפני שתבקש ליצור את תנועת המלאי. +ToStart=הַתחָלָה +InventoryStartedShort=התחיל +ErrorOnElementsInventory=הפעולה בוטלה מהסיבה הבאה: +ErrorCantFindCodeInInventory=לא מוצא את הקוד הבא במלאי +QtyWasAddedToTheScannedBarcode=הצלחה!! הכמות נוספה לכל הברקוד המבוקש. אתה יכול לסגור את כלי הסורק. +StockChangeDisabled=שינוי מלאי מושבת +NoWarehouseDefinedForTerminal=לא הוגדר מחסן למסוף +ClearQtys=נקה את כל הכמויות +ModuleStockTransferName=העברת מניות מתקדמת +ModuleStockTransferDesc=ניהול מתקדם של העברת מלאי, עם הפקת גיליון העברות +StockTransferNew=העברת מניות חדשה +StockTransferList=רשימת העברות מניות +ConfirmValidateStockTransfer=האם אתה בטוח שברצונך לאמת העברת מניות זו עם ההפניה %s span> ? +ConfirmDestock=ירידה במניות עם העברה %s +ConfirmDestockCancel=בטל ירידה במניות עם העברה %s +DestockAllProduct=ירידה במניות +DestockAllProductCancel=בטל ירידה במלאי +ConfirmAddStock=הגדל את המניות באמצעות העברה %s +ConfirmAddStockCancel=בטל את הגדלת המניות עם העברה %s +AddStockAllProduct=הגדלת מניות +AddStockAllProductCancel=בטל הגדלת מניות +DatePrevueDepart=תאריך היציאה המיועד +DateReelleDepart=תאריך יציאה אמיתי +DatePrevueArrivee=תאריך מיועד של הגעה +DateReelleArrivee=תאריך הגעה אמיתי +HelpWarehouseStockTransferSource=אם מחסן זה מוגדר, רק הוא והילדים שלו יהיו זמינים כמחסן מקור +HelpWarehouseStockTransferDestination=אם מחסן זה מוגדר, רק הוא והילדים שלו יהיו זמינים כמחסן יעד +LeadTimeForWarning=זמן אספקה לפני התראה (בימים) +TypeContact_stocktransfer_internal_STFROM=שולח העברת מניות +TypeContact_stocktransfer_internal_STDEST=מקבל העברת מניות +TypeContact_stocktransfer_internal_STRESP=אחראי על העברת מניות +StockTransferSheet=גיליון העברת מניות +StockTransferSheetProforma=גיליון העברת מניות פרופורמה +StockTransferDecrementation=הקטנת מחסני מקור +StockTransferIncrementation=הגדל את מחסני היעד +StockTransferDecrementationCancel=בטל ירידה במחסני מקור +StockTransferIncrementationCancel=בטל הגדלת מחסני היעד +StockStransferDecremented=מחסני המקור ירדו +StockStransferDecrementedCancel=הקטנת מחסני המקור בוטלה +StockStransferIncremented=סגור - מניות הועברו +StockStransferIncrementedShort=מניות הועברו +StockStransferIncrementedShortCancel=בוטלה הגדלת מחסני היעד +StockTransferNoBatchForProduct=המוצר %s אינו משתמש באצווה, נקה אצווה באינטרנט ונסה שוב +StockTransferSetup = תצורת מודול העברת מניות +Settings=הגדרות +StockTransferSetupPage = דף תצורה עבור מודול העברת מניות +StockTransferRightRead=קרא העברות מניות +StockTransferRightCreateUpdate=צור/עדכן העברות מניות +StockTransferRightDelete=מחק העברות מניות +BatchNotFound=לא נמצא מגרש/סדרה עבור מוצר זה +StockEntryDate=תאריך
      כניסה במלאי +StockMovementWillBeRecorded=תנועות מלאי תירשם +StockMovementNotYetRecorded=תנועת המניות לא תושפע מצעד זה +ReverseConfirmed=תנועת המניה התהפכה בהצלחה + +WarningThisWIllAlsoDeleteStock=אזהרה, זה גם יהרוס את כל הכמויות במלאי במחסן +ValidateInventory=אימות מלאי +IncludeSubWarehouse=לכלול מחסן משנה? +IncludeSubWarehouseExplanation=סמן תיבה זו אם ברצונך לכלול את כל מחסני המשנה של המחסן המשויך במלאי +DeleteBatch=מחק מגרש/סידורי +ConfirmDeleteBatch=האם אתה בטוח שברצונך למחוק מגרש/סידורי? +WarehouseUsage=שימוש במחסן +InternalWarehouse=מחסן פנימי +ExternalWarehouse=מחסן חיצוני +WarningThisWIllAlsoDeleteStock=אזהרה, זה גם יהרוס את כל הכמויות במלאי במחסן diff --git a/htdocs/langs/he_IL/stripe.lang b/htdocs/langs/he_IL/stripe.lang index 2c95bcfce27..0e935f5d90b 100644 --- a/htdocs/langs/he_IL/stripe.lang +++ b/htdocs/langs/he_IL/stripe.lang @@ -1,71 +1,80 @@ # Dolibarr language file - Source file is en_US - stripe -StripeSetup=Stripe module setup -StripeDesc=Offer your customers an online payment page for payments with credit/debit cards via Stripe. This can be used to allow your customers to make ad-hoc payments or for payments related to a particular Dolibarr object (invoice, order, ...) -StripeOrCBDoPayment=Pay with credit card or Stripe -FollowingUrlAreAvailableToMakePayments=Following URLs are available to offer a page to a customer to make a payment on Dolibarr objects -PaymentForm=Payment form -WelcomeOnPaymentPage=Welcome to our online payment service -ThisScreenAllowsYouToPay=This screen allow you to make an online payment to %s. -ThisIsInformationOnPayment=This is information on payment to do -ToComplete=To complete -YourEMail=Email to receive payment confirmation -STRIPE_PAYONLINE_SENDEMAIL=Email notification after a payment attempt (success or fail) -Creditor=Creditor -PaymentCode=Payment code -StripeDoPayment=Pay with Stripe -YouWillBeRedirectedOnStripe=You will be redirected on secured Stripe page to input you credit card information -Continue=Next -ToOfferALinkForOnlinePayment=URL for %s payment -ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order -ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice -ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line -ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment page of any amount with no existing object -ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment page for a member subscription -ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation -YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag.
      For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter) -SetupStripeToHavePaymentCreatedAutomatically=Setup your Stripe with url %s to have payment created automatically when validated by Stripe. -AccountParameter=Account parameters -UsageParameter=Usage parameters -InformationToFindParameters=Help to find your %s account information -STRIPE_CGI_URL_V2=Url of Stripe CGI module for payment -CSSUrlForPaymentForm=CSS style sheet url for payment form -NewStripePaymentReceived=New Stripe payment received -NewStripePaymentFailed=New Stripe payment tried but failed -FailedToChargeCard=Failed to charge card -STRIPE_TEST_SECRET_KEY=Secret test key -STRIPE_TEST_PUBLISHABLE_KEY=Publishable test key -STRIPE_TEST_WEBHOOK_KEY=Webhook test key -STRIPE_LIVE_SECRET_KEY=Secret live key -STRIPE_LIVE_PUBLISHABLE_KEY=Publishable live key -STRIPE_LIVE_WEBHOOK_KEY=Webhook live key -ONLINE_PAYMENT_WAREHOUSE=Stock to use for stock decrease when online payment is done
      (TODO When option to decrease stock is done on an action on invoice and the online payment generate itself the invoice ?) -StripeLiveEnabled=Stripe live enabled (otherwise test/sandbox mode) -StripeImportPayment=Import Stripe payments -ExampleOfTestCreditCard=Example of credit card for test: %s => valid, %s => error CVC, %s => expired, %s => charge fails -StripeGateways=Stripe gateways -OAUTH_STRIPE_TEST_ID=Stripe Connect Client ID (ca_...) -OAUTH_STRIPE_LIVE_ID=Stripe Connect Client ID (ca_...) -BankAccountForBankTransfer=Bank account for fund payouts -StripeAccount=Stripe account -StripeChargeList=List of Stripe charges -StripeTransactionList=List of Stripe transactions -StripeCustomerId=Stripe customer id -StripePaymentModes=Stripe payment modes -LocalID=Local ID -StripeID=Stripe ID -NameOnCard=Name on card -CardNumber=Card Number -ExpiryDate=Expiry Date +StripeSetup=הגדרת מודול פס +StripeDesc=הציעו ללקוחות שלכם דף תשלום מקוון לתשלומים באמצעות כרטיסי אשראי/חיוב דרך Stripe. זה יכול לשמש כדי לאפשר ללקוחות שלך לבצע תשלומים אד-הוק או לתשלומים הקשורים לאובייקט Dolibarr מסוים (חשבונית, הזמנה, ...) +StripeOrCBDoPayment=שלם בכרטיס אשראי או בסטריפ +FollowingUrlAreAvailableToMakePayments=כתובות האתרים הבאות זמינות להציע דף ללקוח לבצע תשלום על אובייקטים של Dolibarr +PaymentForm=טופס תשלום +WelcomeOnPaymentPage=ברוכים הבאים לשירות התשלומים המקוון שלנו +ThisScreenAllowsYouToPay=מסך זה מאפשר לך לבצע תשלום מקוון אל %s. +ThisIsInformationOnPayment=זה מידע על תשלום שצריך לעשות +ToComplete=להשלים +YourEMail=אימייל לקבלת אישור תשלום +STRIPE_PAYONLINE_SENDEMAIL=הודעת אימייל לאחר ניסיון תשלום (הצלחה או כשל) +Creditor=נוֹשֶׁה +PaymentCode=קוד תשלום +StripeDoPayment=שלם עם Stripe +YouWillBeRedirectedOnStripe=אתה תופנה בדף Stripe מאובטח כדי להזין את פרטי כרטיס האשראי שלך +Continue=הַבָּא +ToOfferALinkForOnlinePayment=כתובת אתר לתשלום %s +ToOfferALinkForOnlinePaymentOnOrder=כתובת אתר להציע %s דף תשלום מקוון עבור הזמנת מכירה +ToOfferALinkForOnlinePaymentOnInvoice=כתובת אתר להציע %s דף תשלום מקוון עבור חשבונית לקוח +ToOfferALinkForOnlinePaymentOnContractLine=כתובת אתר להציע %s דף תשלום מקוון עבור שורת חוזה +ToOfferALinkForOnlinePaymentOnFreeAmount=כתובת אתר להציע %s דף תשלום מקוון בכל סכום ללא אובייקט קיים +ToOfferALinkForOnlinePaymentOnMemberSubscription=כתובת אתר להציע %s דף תשלום מקוון עבור מנוי חבר +ToOfferALinkForOnlinePaymentOnDonation=כתובת אתר להציע %s דף תשלום מקוון לתשלום תרומה +YouCanAddTagOnUrl=אתה יכול גם להוסיף פרמטר url &tag=value לכל אחת מכתובות ה-URL הללו (חובה רק עבור תשלום שאינו מקושר לאובייקט) כדי להוסיף תג משלך לתשלום.
      עבור כתובת האתר של תשלומים ללא אובייקט קיים, תוכל גם להוסיף את הפרמטר &noidempotency=1 אז אותו קישור עם אותו תג ניתן להשתמש מספר פעמים (מצב תשלום מסוים עשוי להגביל את התשלום ל-1 עבור כל קישור אחר ללא פרמטר זה) +SetupStripeToHavePaymentCreatedAutomatically=הגדר את ה-Stripe שלך עם כתובת האתר %s כדי ליצור את התשלום באופן אוטומטי מאומת על ידי Stripe. +AccountParameter=פרמטרים של חשבון +UsageParameter=פרמטרי שימוש +InformationToFindParameters=עזרה במציאת פרטי חשבון %s שלך +STRIPE_CGI_URL_V2=כתובת האתר של מודול Stripe CGI לתשלום +CSSUrlForPaymentForm=כתובת אתר של גיליון סגנון CSS לטופס תשלום +NewStripePaymentReceived=תשלום Stripe חדש התקבל +NewStripePaymentFailed=התשלום החדש של Stripe נוסה אך נכשל +FailedToChargeCard=החיוב בכרטיס נכשל +STRIPE_TEST_SECRET_KEY=מפתח בדיקה סודי +STRIPE_TEST_PUBLISHABLE_KEY=מפתח בדיקה שניתן לפרסום +STRIPE_TEST_WEBHOOK_KEY=מפתח בדיקת Webhook +STRIPE_LIVE_SECRET_KEY=מפתח חי סודי +STRIPE_LIVE_PUBLISHABLE_KEY=מפתח חי שניתן לפרסום +STRIPE_LIVE_WEBHOOK_KEY=מפתח חי של Webhook +ONLINE_PAYMENT_WAREHOUSE=מלאי לשימוש להקטנת מלאי כאשר מתבצע תשלום מקוון
      (TODO כאשר האפשרות להקטין מלאי מתבצעת בפעולה על חשבונית והתשלום המקוון מייצר בעצמו את החשבונית?) +StripeLiveEnabled=Stripe Live מופעל (אחרת מצב בדיקה/ארגז חול) +StripeImportPayment=ייבוא תשלומי Stripe +ExampleOfTestCreditCard=דוגמה לכרטיס אשראי לתשלום מבחן: %s => חוקי, %s => שגיאה CVC, %s => פג תוקף, %s => הטעינה נכשלה +ExampleOfTestBankAcountForSEPA=דוגמה ל-BAN חשבון בנק לבדיקת הוראת קבע: %s +StripeGateways=שערי פסים +OAUTH_STRIPE_TEST_ID=מזהה לקוח של Stripe Connect (ca_...) +OAUTH_STRIPE_LIVE_ID=מזהה לקוח של Stripe Connect (ca_...) +BankAccountForBankTransfer=חשבון בנק לתשלומי כספים +StripeAccount=חשבון פס +StripeChargeList=רשימה של חיובי Stripe +StripeTransactionList=רשימת עסקאות Stripe +StripeCustomerId=מזהה לקוח של Stripe +StripePaymentId=מזהה תשלום Stripe +StripePaymentModes=מצבי תשלום פס +LocalID=מזהה מקומי +StripeID=זיהוי פס +NameOnCard=השם בכרטיס +CardNumber=מספר כרטיס +ExpiryDate=תאריך תפוגה CVN=CVN -DeleteACard=Delete Card -ConfirmDeleteCard=Are you sure you want to delete this Credit or Debit card? -CreateCustomerOnStripe=Create customer on Stripe -CreateCardOnStripe=Create card on Stripe -ShowInStripe=Show in Stripe -StripeUserAccountForActions=User account to use for email notification of some Stripe events (Stripe payouts) -StripePayoutList=List of Stripe payouts -ToOfferALinkForTestWebhook=Link to setup Stripe WebHook to call the IPN (test mode) -ToOfferALinkForLiveWebhook=Link to setup Stripe WebHook to call the IPN (live mode) -PaymentWillBeRecordedForNextPeriod=Payment will be recorded for the next period. -ClickHereToTryAgain=Click here to try again... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s +DeleteACard=מחק כרטיס +ConfirmDeleteCard=האם אתה בטוח שברצונך למחוק את כרטיס האשראי או החיוב הזה? +CreateCustomerOnStripe=צור לקוח ב-Stripe +CreateCardOnStripe=צור כרטיס ב-Stripe +CreateBANOnStripe=צור בנק ב-Stripe +ShowInStripe=הצג ב-Stripe +StripeUserAccountForActions=חשבון משתמש לשימוש עבור הודעות דוא"ל על אירועי Stripe מסוימים (תשלומי Stripe) +StripePayoutList=רשימת תשלומי Stripe +ToOfferALinkForTestWebhook=קישור להגדרת Stripe WebHook כדי לקרוא ל-IPN (מצב בדיקה) +ToOfferALinkForLiveWebhook=קישור להגדרת Stripe WebHook כדי להתקשר ל-IPN (מצב חי) +PaymentWillBeRecordedForNextPeriod=התשלום יירשם לתקופה הבאה. +ClickHereToTryAgain=לחץ כאן כדי לנסות שוב... +CreationOfPaymentModeMustBeDoneFromStripeInterface=בשל כללי אימות לקוח חזקים, יצירת כרטיס חייבת להיעשות מ-Stripe Back Office. אתה יכול ללחוץ כאן כדי להפעיל את רשומת הלקוחות של Stripe: %s +STRIPE_CARD_PRESENT=כרטיס מתנה עבור מסופי Stripe +TERMINAL_LOCATION=מיקום (כתובת) עבור מסופי Stripe +RequestDirectDebitWithStripe=בקש הוראת קבע עם Stripe +RequesCreditTransferWithStripe=בקש העברת אשראי עם Stripe +STRIPE_SEPA_DIRECT_DEBIT=אפשר את תשלומי הוראת קבע דרך Stripe +StripeConnect_Mode=מצב Stripe Connect diff --git a/htdocs/langs/he_IL/supplier_proposal.lang b/htdocs/langs/he_IL/supplier_proposal.lang index ff738a949a6..6b487a6b4df 100644 --- a/htdocs/langs/he_IL/supplier_proposal.lang +++ b/htdocs/langs/he_IL/supplier_proposal.lang @@ -1,54 +1,59 @@ # Dolibarr language file - Source file is en_US - supplier_proposal -SupplierProposal=Vendor commercial proposals -supplier_proposalDESC=Manage price requests to suppliers -SupplierProposalNew=New price request -CommRequest=Price request -CommRequests=Price requests -SearchRequest=Find a request -DraftRequests=Draft requests -SupplierProposalsDraft=Draft vendor proposals -LastModifiedRequests=Latest %s modified price requests -RequestsOpened=Open price requests -SupplierProposalArea=Vendor proposals area -SupplierProposalShort=Vendor proposal -SupplierProposals=Vendor proposals -SupplierProposalsShort=Vendor proposals -NewAskPrice=New price request -ShowSupplierProposal=Show price request -AddSupplierProposal=Create a price request -SupplierProposalRefFourn=Vendor ref -SupplierProposalDate=Delivery date -SupplierProposalRefFournNotice=Before closing to "Accepted", think to grasp suppliers references. -ConfirmValidateAsk=Are you sure you want to validate this price request under name %s? -DeleteAsk=Delete request -ValidateAsk=Validate request -SupplierProposalStatusDraft=Draft (needs to be validated) -SupplierProposalStatusValidated=Validated (request is open) -SupplierProposalStatusClosed=Closed -SupplierProposalStatusSigned=Accepted -SupplierProposalStatusNotSigned=Refused -SupplierProposalStatusDraftShort=Draft -SupplierProposalStatusValidatedShort=Validated -SupplierProposalStatusClosedShort=Closed -SupplierProposalStatusSignedShort=Accepted -SupplierProposalStatusNotSignedShort=Refused -CopyAskFrom=Create price request by copying existing a request -CreateEmptyAsk=Create blank request -ConfirmCloneAsk=Are you sure you want to clone the price request %s? -ConfirmReOpenAsk=Are you sure you want to open back the price request %s? -SendAskByMail=Send price request by mail -SendAskRef=Sending the price request %s -SupplierProposalCard=Request card -ConfirmDeleteAsk=Are you sure you want to delete this price request %s? -ActionsOnSupplierProposal=Events on price request -DocModelAuroreDescription=A complete request model (logo...) -CommercialAsk=Price request -DefaultModelSupplierProposalCreate=Default model creation -DefaultModelSupplierProposalToBill=Default template when closing a price request (accepted) -DefaultModelSupplierProposalClosed=Default template when closing a price request (refused) -ListOfSupplierProposals=List of vendor proposal requests -ListSupplierProposalsAssociatedProject=List of vendor proposals associated with project -SupplierProposalsToClose=Vendor proposals to close -SupplierProposalsToProcess=Vendor proposals to process -LastSupplierProposals=Latest %s price requests -AllPriceRequests=All requests +SupplierProposal=הצעות מסחריות של ספקים +supplier_proposalDESC=ניהול בקשות מחיר לספקים +SupplierProposalNew=בקשת מחיר חדשה +CommRequest=מחיר מבוקש +CommRequests=בקשות מחיר +SearchRequest=מצא בקשה +DraftRequests=טיוטת בקשות +SupplierProposalsDraft=טיוטת הצעות ספק +LastModifiedRequests=בקשות המחיר האחרונות ששונו %s +RequestsOpened=בקשות מחיר פתוחות +SupplierProposalArea=אזור הצעות ספקים +SupplierProposalShort=הצעת ספק +SupplierProposals=הצעות ספקים +SupplierProposalsShort=הצעות ספקים +AskPrice=מחיר מבוקש +NewAskPrice=בקשת מחיר חדשה +ShowSupplierProposal=הצג בקשת מחיר +AddSupplierProposal=צור בקשת מחיר +SupplierProposalRefFourn=שו"ת הספק +SupplierProposalDate=תאריך משלוח +SupplierProposalRefFournNotice=לפני שסוגרים את "מקובל", חשוב להבין את הפניות הספקים. +ConfirmValidateAsk=האם אתה בטוח שברצונך לאמת את בקשת המחיר הזו תחת השם %s? +DeleteAsk=מחק בקשה +ValidateAsk=אימות בקשה +SupplierProposalStatusDraft=טיוטה (צריך לאמת) +SupplierProposalStatusValidated=מאומת (הבקשה פתוחה) +SupplierProposalStatusClosed=סָגוּר +SupplierProposalStatusSigned=מְקוּבָּל +SupplierProposalStatusNotSigned=סירב +SupplierProposalStatusDraftShort=טְיוּטָה +SupplierProposalStatusValidatedShort=מאומת +SupplierProposalStatusClosedShort=סָגוּר +SupplierProposalStatusSignedShort=מְקוּבָּל +SupplierProposalStatusNotSignedShort=סירב +CopyAskFrom=צור בקשת מחיר על ידי העתקת בקשה קיימת +CreateEmptyAsk=צור בקשה ריקה +ConfirmCloneAsk=האם אתה בטוח שברצונך לשכפל את בקשת המחיר %s? +ConfirmReOpenAsk=האם אתה בטוח שברצונך לפתוח בחזרה את בקשת המחיר %s ? +SendAskByMail=שלח בקשה למחיר בדואר +SendAskRef=שליחת בקשת המחיר %s +SupplierProposalCard=בקש כרטיס +ConfirmDeleteAsk=האם אתה בטוח שברצונך למחוק את בקשת המחיר הזו %s? +ActionsOnSupplierProposal=אירועים לפי דרישת מחיר +DocModelAuroreDescription=תבנית מלאה לבקשת הצעת מחיר של ספק (יישום ישן של תבנית ספוג) +DocModelZenithDescription=תבנית מלאה לבקשת הצעת מחיר של ספק +CommercialAsk=מחיר מבוקש +DefaultModelSupplierProposalCreate=יצירת מודל ברירת מחדל +DefaultModelSupplierProposalToBill=תבנית ברירת מחדל בעת סגירת בקשת מחיר (נתקבל) +DefaultModelSupplierProposalClosed=תבנית ברירת מחדל בעת סגירת בקשת מחיר (סורבה) +ListOfSupplierProposals=רשימת בקשות להצעות ספק +ListSupplierProposalsAssociatedProject=רשימת הצעות ספק הקשורות לפרויקט +SupplierProposalsToClose=הצעות ספק לסגירה +SupplierProposalsToProcess=הצעות ספקים לעיבוד +LastSupplierProposals=בקשות המחיר האחרונות של %s +AllPriceRequests=כל הבקשות +TypeContact_supplier_proposal_external_SHIPPING=יצירת קשר עם ספק למשלוח +TypeContact_supplier_proposal_external_BILLING=יצירת קשר עם הספק לחיוב +TypeContact_supplier_proposal_external_SERVICE=הצעת המשך של נציג diff --git a/htdocs/langs/he_IL/suppliers.lang b/htdocs/langs/he_IL/suppliers.lang index ca9ee174d29..e02fd3f5c15 100644 --- a/htdocs/langs/he_IL/suppliers.lang +++ b/htdocs/langs/he_IL/suppliers.lang @@ -1,49 +1,57 @@ # Dolibarr language file - Source file is en_US - vendors -Suppliers=Vendors -SuppliersInvoice=Vendor invoice -SupplierInvoices=Vendor invoices -ShowSupplierInvoice=Show Vendor Invoice -NewSupplier=New vendor -History=History -ListOfSuppliers=List of vendors -ShowSupplier=Show vendor -OrderDate=Order date -BuyingPriceMin=Best buying price -BuyingPriceMinShort=Best buying price -TotalBuyingPriceMinShort=Total of subproducts buying prices -TotalSellingPriceMinShort=Total of subproducts selling prices -SomeSubProductHaveNoPrices=Some sub-products have no price defined -AddSupplierPrice=Add buying price -ChangeSupplierPrice=Change buying price -SupplierPrices=Vendor prices -ReferenceSupplierIsAlreadyAssociatedWithAProduct=This vendor reference is already associated with a product: %s -NoRecordedSuppliers=No vendor recorded -SupplierPayment=Vendor payment -SuppliersArea=Vendor area -RefSupplierShort=Ref. vendor -Availability=Availability -ExportDataset_fournisseur_1=Vendor invoices and invoice details -ExportDataset_fournisseur_2=Vendor invoices and payments -ExportDataset_fournisseur_3=Purchase orders and order details -ApproveThisOrder=Approve this order -ConfirmApproveThisOrder=Are you sure you want to approve order %s? -DenyingThisOrder=Deny this order -ConfirmDenyingThisOrder=Are you sure you want to deny this order %s? -ConfirmCancelThisOrder=Are you sure you want to cancel this order %s? -AddSupplierOrder=Create Purchase Order -AddSupplierInvoice=Create vendor invoice -ListOfSupplierProductForSupplier=List of products and prices for vendor %s -SentToSuppliers=Sent to vendors -ListOfSupplierOrders=List of purchase orders -MenuOrdersSupplierToBill=Purchase orders to invoice -NbDaysToDelivery=Delivery delay (days) -DescNbDaysToDelivery=The longest delivery delay of the products from this order -SupplierReputation=Vendor reputation -ReferenceReputation=Reference reputation -DoNotOrderThisProductToThisSupplier=Do not order -NotTheGoodQualitySupplier=Low quality -ReputationForThisProduct=Reputation -BuyerName=Buyer name -AllProductServicePrices=All product / service prices -AllProductReferencesOfSupplier=All references of vendor -BuyingPriceNumShort=Vendor prices +Suppliers=ספקים +SuppliersInvoice=חשבונית ספק +SupplierInvoices=חשבוניות ספק +ShowSupplierInvoice=הצג חשבונית ספק +NewSupplier=ספק חדש +NewSupplierInvoice = חשבונית ספק חדשה +History=הִיסטוֹרִיָה +ListOfSuppliers=רשימת ספקים +ShowSupplier=הצג את הספק +OrderDate=תאריך הזמנה +BuyingPriceMin=מחיר הקנייה הטוב ביותר +BuyingPriceMinShort=מחיר הקנייה הטוב ביותר +TotalBuyingPriceMinShort=סך כל מחירי הקנייה של מוצרי המשנה +TotalSellingPriceMinShort=סך כל מחירי המכירה של מוצרי המשנה +SomeSubProductHaveNoPrices=לחלק ממוצרי המשנה אין מחיר מוגדר +AddSupplierPrice=הוסף מחיר קנייה +ChangeSupplierPrice=שנה את מחיר הקנייה +SupplierPrices=מחירי ספקים +ReferenceSupplierIsAlreadyAssociatedWithAProduct=הפניה לספק זה כבר משויכת למוצר: %s +NoRecordedSuppliers=לא נרשם ספק +SupplierPayment=תשלום ספק +SuppliersArea=אזור הספקים +RefSupplierShort=רפ. מוֹכֵר +Availability=זמינות +ExportDataset_fournisseur_1=חשבוניות ספק ופרטי חשבוניות +ExportDataset_fournisseur_2=חשבוניות ספקים ותשלומים +ExportDataset_fournisseur_3=הזמנות רכש ופרטי הזמנה +ApproveThisOrder=אשר את ההזמנה הזו +ConfirmApproveThisOrder=האם אתה בטוח שברצונך לאשר הזמנה %s? +DenyingThisOrder=דחיית פקודה זו +ConfirmDenyingThisOrder=האם אתה בטוח שברצונך לדחות הזמנה זו %s? +ConfirmCancelThisOrder=האם אתה בטוח שברצונך לבטל הזמנה זו %s? +AddSupplierOrder=צור הזמנת רכש +AddSupplierInvoice=צור חשבונית ספק +ListOfSupplierProductForSupplier=רשימת מוצרים ומחירים עבור הספק %s +SentToSuppliers=נשלח לספקים +ListOfSupplierOrders=רשימת הזמנות רכש +MenuOrdersSupplierToBill=הזמנות רכש לחשבונית +NbDaysToDelivery=עיכוב באספקה (ימים) +DescNbDaysToDelivery=העיכוב הארוך ביותר באספקה של המוצרים מהזמנה זו +SupplierReputation=מוניטין של ספקים +ReferenceReputation=מוניטין התייחסות +DoNotOrderThisProductToThisSupplier=לא להזמין +NotTheGoodQualitySupplier=איכות נמוכה +ReputationForThisProduct=תדמית +BuyerName=שם הקונה +AllProductServicePrices=כל מחירי המוצרים/שירותים +AllProductReferencesOfSupplier=כל הפניות של הספק +BuyingPriceNumShort=מחירי ספקים +RepeatableSupplierInvoice=תבנית חשבונית ספק +RepeatableSupplierInvoices=תבנית חשבוניות ספקים +RepeatableSupplierInvoicesList=תבנית חשבוניות ספקים +RecurringSupplierInvoices=חשבוניות ספקים חוזרות +ToCreateAPredefinedSupplierInvoice=על מנת ליצור חשבונית של ספק תבנית, עליך ליצור חשבונית רגילה, ולאחר מכן, מבלי לאמת אותה, לחץ על הלחצן "%s". +GeneratedFromSupplierTemplate=נוצר מתבנית חשבונית ספק %s +SupplierInvoiceGeneratedFromTemplate=חשבונית ספק %s נוצרה מתבנית חשבונית ספק %s diff --git a/htdocs/langs/he_IL/ticket.lang b/htdocs/langs/he_IL/ticket.lang index 8d3dec1aab1..43feddd9ccd 100644 --- a/htdocs/langs/he_IL/ticket.lang +++ b/htdocs/langs/he_IL/ticket.lang @@ -18,307 +18,355 @@ # Generic # -Module56000Name=Tickets -Module56000Desc=Ticket system for issue or request management +Module56000Name=כרטיסים +Module56000Desc=מערכת כרטיסים לניהול הנפקה או בקשה -Permission56001=See tickets -Permission56002=Modify tickets -Permission56003=Delete tickets -Permission56004=Manage tickets -Permission56005=See tickets of all third parties (not effective for external users, always be limited to the third party they depend on) +Permission56001=ראה כרטיסים +Permission56002=שנה כרטיסים +Permission56003=מחק כרטיסים +Permission56004=ניהול כרטיסים +Permission56005=ראה כרטיסים של כל הצדדים השלישיים (לא יעיל עבור משתמשים חיצוניים, תמיד תהיה מוגבל לצד השלישי שהם תלויים בו) +Permission56006=ייצוא כרטיסים -TicketDictType=Ticket - Types -TicketDictCategory=Ticket - Groupes -TicketDictSeverity=Ticket - Severities -TicketDictResolution=Ticket - Resolution +Tickets=כרטיסים +TicketDictType=כרטיס - סוגים +TicketDictCategory=כרטיס - קבוצות +TicketDictSeverity=כרטיס - חומרה +TicketDictResolution=כרטיס - רזולוציה -TicketTypeShortCOM=Commercial question -TicketTypeShortHELP=Request for functionnal help -TicketTypeShortISSUE=Issue or bug -TicketTypeShortPROBLEM=Problem -TicketTypeShortREQUEST=Change or enhancement request -TicketTypeShortPROJET=Project +TicketTypeShortCOM=שאלה מסחרית +TicketTypeShortHELP=בקשה לעזרה תפקודית +TicketTypeShortISSUE=בעיה או באג +TicketTypeShortPROBLEM=בְּעָיָה +TicketTypeShortREQUEST=בקשת שינוי או שיפור +TicketTypeShortPROJET=פּרוֹיֶקט TicketTypeShortOTHER=אחר -TicketSeverityShortLOW=Low -TicketSeverityShortNORMAL=Normal -TicketSeverityShortHIGH=High -TicketSeverityShortBLOCKING=Critical, Blocking +TicketSeverityShortLOW=נָמוּך +TicketSeverityShortNORMAL=נוֹרמָלִי +TicketSeverityShortHIGH=גָבוֹהַ +TicketSeverityShortBLOCKING=קריטי, חוסם TicketCategoryShortOTHER=אחר -ErrorBadEmailAddress=Field '%s' incorrect -MenuTicketMyAssign=My tickets -MenuTicketMyAssignNonClosed=My open tickets -MenuListNonClosed=Open tickets +ErrorBadEmailAddress=שדה '%s' שגוי +MenuTicketMyAssign=הכרטיסים שלי +MenuTicketMyAssignNonClosed=הכרטיסים הפתוחים שלי +MenuListNonClosed=פתחו כרטיסים -TypeContact_ticket_internal_CONTRIBUTOR=Contributor -TypeContact_ticket_internal_SUPPORTTEC=Assigned user -TypeContact_ticket_external_SUPPORTCLI=Customer contact / incident tracking -TypeContact_ticket_external_CONTRIBUTOR=External contributor +TypeContact_ticket_internal_CONTRIBUTOR=תוֹרֵם +TypeContact_ticket_internal_SUPPORTTEC=משתמש שהוקצה +TypeContact_ticket_external_SUPPORTCLI=פנייה ללקוח / מעקב אחר אירועים +TypeContact_ticket_external_CONTRIBUTOR=תורם חיצוני -OriginEmail=Reporter Email -Notify_TICKET_SENTBYMAIL=Send ticket message by email +OriginEmail=דוא"ל לכתב +Notify_TICKET_SENTBYMAIL=שלח הודעת כרטיס במייל + +ExportDataset_ticket_1=כרטיסים # Status -Read=Read -Assigned=Assigned -InProgress=In progress -NeedMoreInformation=Waiting for reporter feedback -NeedMoreInformationShort=Waiting for feedback -Answered=Answered -Waiting=Waiting -SolvedClosed=Solved -Deleted=Deleted +Read=לקרוא +Assigned=שהוקצה +NeedMoreInformation=מחכה למשוב הכתב +NeedMoreInformationShort=מחכה למשוב +Answered=ענה +Waiting=הַמתָנָה +SolvedClosed=נפתר +Deleted=נמחק # Dict -Type=Type -Severity=Severity -TicketGroupIsPublic=Group is public -TicketGroupIsPublicDesc=If a ticket group is public, it will be visible in the form when creating a ticket from the public interface +Type=סוּג +Severity=חוּמרָה +TicketGroupIsPublic=הקבוצה היא ציבורית +TicketGroupIsPublicDesc=אם קבוצת כרטיסים היא ציבורית, היא תהיה גלויה בטופס בעת יצירת כרטיס מהממשק הציבורי # Email templates -MailToSendTicketMessage=To send email from ticket message +MailToSendTicketMessage=לשליחת אימייל מהודעת כרטיס # # Admin page # -TicketSetup=Ticket module setup -TicketSettings=Settings +TicketSetup=הגדרת מודול כרטיסים +TicketSettings=הגדרות TicketSetupPage= -TicketPublicAccess=A public interface requiring no identification is available at the following url -TicketSetupDictionaries=The type of ticket, severity and analytic codes are configurable from dictionaries -TicketParamModule=Module variable setup -TicketParamMail=Email setup -TicketEmailNotificationFrom=Notification email from -TicketEmailNotificationFromHelp=Used into ticket message answer by example -TicketEmailNotificationTo=Notifications email to -TicketEmailNotificationToHelp=Send email notifications to this address. -TicketNewEmailBodyLabel=Text message sent after creating a ticket -TicketNewEmailBodyHelp=The text specified here will be inserted into the email confirming the creation of a new ticket from the public interface. Information on the consultation of the ticket are automatically added. -TicketParamPublicInterface=Public interface setup -TicketsEmailMustExist=Require an existing email address to create a ticket -TicketsEmailMustExistHelp=In the public interface, the email address should already be filled in the database to create a new ticket. -PublicInterface=Public interface -TicketUrlPublicInterfaceLabelAdmin=Alternative URL for public interface -TicketUrlPublicInterfaceHelpAdmin=It is possible to define an alias to the web server and thus make available the public interface with another URL (the server must act as a proxy on this new URL) -TicketPublicInterfaceTextHomeLabelAdmin=Welcome text of the public interface -TicketPublicInterfaceTextHome=You can create a support ticket or view existing from its identifier tracking ticket. -TicketPublicInterfaceTextHomeHelpAdmin=The text defined here will appear on the home page of the public interface. -TicketPublicInterfaceTopicLabelAdmin=Interface title -TicketPublicInterfaceTopicHelp=This text will appear as the title of the public interface. -TicketPublicInterfaceTextHelpMessageLabelAdmin=Help text to the message entry -TicketPublicInterfaceTextHelpMessageHelpAdmin=This text will appear above the message input area of the user. -ExtraFieldsTicket=Extra attributes -TicketCkEditorEmailNotActivated=HTML editor is not activated. Please put FCKEDITOR_ENABLE_MAIL content to 1 to get it. -TicketsDisableEmail=Do not send emails for ticket creation or message recording -TicketsDisableEmailHelp=By default, emails are sent when new tickets or messages created. Enable this option to disable *all* email notifications -TicketsLogEnableEmail=Enable log by email -TicketsLogEnableEmailHelp=At each change, an email will be sent **to each contact** associated with the ticket. -TicketParams=Params -TicketsShowModuleLogo=Display the logo of the module in the public interface -TicketsShowModuleLogoHelp=Enable this option to hide the logo module in the pages of the public interface -TicketsShowCompanyLogo=Display the logo of the company in the public interface -TicketsShowCompanyLogoHelp=Enable this option to hide the logo of the main company in the pages of the public interface -TicketsEmailAlsoSendToMainAddress=Also send a notification to the main email address -TicketsEmailAlsoSendToMainAddressHelp=Enable this option to also send an email to the address defined into setup "%s" (see tab "%s") -TicketsLimitViewAssignedOnly=Restrict the display to tickets assigned to the current user (not effective for external users, always be limited to the third party they depend on) -TicketsLimitViewAssignedOnlyHelp=Only tickets assigned to the current user will be visible. Does not apply to a user with tickets management rights. -TicketsActivatePublicInterface=Activate public interface -TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create tickets. -TicketsAutoAssignTicket=Automatically assign the user who created the ticket -TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket. -TicketNumberingModules=Tickets numbering module -TicketsModelModule=Document templates for tickets -TicketNotifyTiersAtCreation=Notify third party at creation -TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface -TicketsPublicNotificationNewMessage=Send email(s) when a new message/comment is added to a ticket -TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) -TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) -TicketPublicNotificationNewMessageDefaultEmailHelp=Send an email to this address for each new message notifications if the ticket doesn't have a user assigned to it or if the user doesn't have any known email. +TicketPublicAccess=ממשק ציבורי שאינו דורש זיהוי זמין בכתובת האתר הבאה +TicketSetupDictionaries=סוג הכרטיס, חומרת הקודים והקודים האנליטיים ניתנים להגדרה מתוך מילונים +TicketParamModule=הגדרת משתנה מודול +TicketParamMail=הגדרת אימייל +TicketEmailNotificationFrom=דואר אלקטרוני של השולח לקבלת הודעה על תשובות +TicketEmailNotificationFromHelp=דואר אלקטרוני של השולח לשימוש לשליחת דוא"ל ההתראה כאשר ניתנת תשובה בתוך המשרד האחורי. לדוגמה noreply@example.com +TicketEmailNotificationTo=הודע על יצירת כרטיס לכתובת דואר אלקטרוני זו +TicketEmailNotificationToHelp=אם קיימת, כתובת דואר אלקטרוני זו תקבל הודעה על יצירת כרטיס +TicketNewEmailBodyLabel=הודעת טקסט נשלחה לאחר יצירת כרטיס +TicketNewEmailBodyHelp=הטקסט שצוין כאן יוכנס למייל המאשר את יצירת כרטיס חדש מהממשק הציבורי. מידע על התייעצות עם הכרטיס מתווסף אוטומטית. +TicketParamPublicInterface=הגדרת ממשק ציבורי +TicketsEmailMustExist=דרוש כתובת אימייל קיימת כדי ליצור כרטיס +TicketsEmailMustExistHelp=בממשק הציבורי, כתובת הדואר האלקטרוני כבר צריכה להיות מלאה במסד הנתונים כדי ליצור כרטיס חדש. +TicketsShowProgression=הצג את התקדמות הכרטיסים בממשק הציבורי +TicketsShowProgressionHelp=אפשר אפשרות זו כדי להסתיר את התקדמות הכרטיס בדפי הממשק הציבורי +TicketCreateThirdPartyWithContactIfNotExist=שאל שם ושם חברה עבור מיילים לא ידועים. +TicketCreateThirdPartyWithContactIfNotExistHelp=בדוק אם קיים צד שלישי או איש קשר עבור האימייל שהוזן. אם לא, בקש שם ושם חברה כדי ליצור צד שלישי עם איש קשר. +PublicInterface=ממשק ציבורי +TicketUrlPublicInterfaceLabelAdmin=כתובת אתר חלופית לממשק ציבורי +TicketUrlPublicInterfaceHelpAdmin=ניתן להגדיר כינוי לשרת האינטרנט ובכך להפוך את הממשק הציבורי לזמין עם כתובת URL אחרת (השרת חייב לפעול כפרוקסי בכתובת האתר החדשה הזו) +TicketPublicInterfaceTextHomeLabelAdmin=טקסט ברוך הבא של הממשק הציבורי +TicketPublicInterfaceTextHome=אתה יכול ליצור כרטיס תמיכה או להציג קיים מכרטיס מעקב המזהה שלו. +TicketPublicInterfaceTextHomeHelpAdmin=הטקסט המוגדר כאן יופיע בעמוד הבית של הממשק הציבורי. +TicketPublicInterfaceTopicLabelAdmin=כותרת ממשק +TicketPublicInterfaceTopicHelp=טקסט זה יופיע ככותרת הממשק הציבורי. +TicketPublicInterfaceTextHelpMessageLabelAdmin=טקסט עזרה לרשומת ההודעה +TicketPublicInterfaceTextHelpMessageHelpAdmin=טקסט זה יופיע מעל אזור קלט ההודעה של המשתמש. +ExtraFieldsTicket=תכונות נוספות +TicketCkEditorEmailNotActivated=עורך HTML אינו מופעל. אנא הצב את התוכן של FCKEDITOR_ENABLE_MAIL ל-1 כדי לקבל אותו. +TicketsDisableEmail=אין לשלוח מיילים ליצירת כרטיסים או הקלטת הודעות +TicketsDisableEmailHelp=כברירת מחדל, הודעות דוא"ל נשלחות כאשר נוצרים כרטיסים או הודעות חדשות. אפשר אפשרות זו כדי להשבית את *כל* התראות הדוא"ל +TicketsLogEnableEmail=אפשר יומן באמצעות דואר אלקטרוני +TicketsLogEnableEmailHelp=בכל שינוי יישלח מייל **לכל איש קשר** המשויך לכרטיס. +TicketParams=פרמס +TicketsShowModuleLogo=הצג את הלוגו של המודול בממשק הציבורי +TicketsShowModuleLogoHelp=אפשר אפשרות זו כדי להסתיר את מודול הלוגו בדפי הממשק הציבורי +TicketsShowCompanyLogo=הצגת הלוגו של החברה בממשק הציבורי +TicketsShowCompanyLogoHelp=אפשר אפשרות זו כדי להציג את הלוגו של החברה הראשית בדפי הממשק הציבורי +TicketsShowCompanyFooter=הצג את הכותרת התחתונה של החברה בממשק הציבורי +TicketsShowCompanyFooterHelp=אפשר אפשרות זו כדי להציג את הכותרת התחתונה של החברה הראשית בדפי הממשק הציבורי +TicketsEmailAlsoSendToMainAddress=שלח הודעה גם לכתובת האימייל הראשית +TicketsEmailAlsoSendToMainAddressHelp=אפשר אפשרות זו כדי לשלוח דוא"ל גם לכתובת שהוגדרה בהגדרה "%s" (ראה כרטיסייה "%s") +TicketsLimitViewAssignedOnly=הגבל את התצוגה לכרטיסים שהוקצו למשתמש הנוכחי (לא יעיל עבור משתמשים חיצוניים, תמיד תהיה מוגבל לצד השלישי שהם תלויים בו) +TicketsLimitViewAssignedOnlyHelp=רק כרטיסים שהוקצו למשתמש הנוכחי יהיו גלויים. לא חל על משתמש בעל זכויות ניהול כרטיסים. +TicketsActivatePublicInterface=הפעל ממשק ציבורי +TicketsActivatePublicInterfaceHelp=ממשק ציבורי מאפשר לכל מבקר ליצור כרטיסים. +TicketsAutoAssignTicket=הקצה אוטומטית את המשתמש שיצר את הכרטיס +TicketsAutoAssignTicketHelp=בעת יצירת כרטיס, ניתן להקצות את המשתמש באופן אוטומטי לכרטיס. +TicketNumberingModules=מודול מספור כרטיסים +TicketsModelModule=תבניות מסמכים לכרטיסים +TicketNotifyTiersAtCreation=הודע לצד שלישי בעת היצירה +TicketsDisableCustomerEmail=השבת תמיד הודעות דוא"ל כאשר כרטיס נוצר מממשק ציבורי +TicketsPublicNotificationNewMessage=שלח/י אימייל/ים כאשר הודעה/הערה חדשה מתווספת לכרטיס +TicketsPublicNotificationNewMessageHelp=שלח דוא"ל(ים) כאשר הודעה חדשה מתווספת מהממשק הציבורי (למשתמש שהוקצה או דוא"ל ההתראות אל (עדכון) ו/או דוא"ל ההתראות אל) +TicketPublicNotificationNewMessageDefaultEmail=הודעות דוא"ל אל (עדכון) +TicketPublicNotificationNewMessageDefaultEmailHelp=שלח דוא"ל לכתובת זו עבור כל הודעה חדשה בהודעה אם לכרטיס לא הוקצה משתמש או אם למשתמש אין דוא"ל ידוע. +TicketsAutoReadTicket=סמן אוטומטית את הכרטיס כנקראו (כאשר נוצר מ-Back Office) +TicketsAutoReadTicketHelp=סמן אוטומטית את הכרטיס כקריאה כאשר נוצר מ-Back Office. כאשר הכרטיס נוצר מהממשק הציבורי, הכרטיס נשאר עם הסטטוס "לא נקרא". +TicketsDelayBeforeFirstAnswer=כרטיס חדש אמור לקבל תשובה ראשונה לפני (שעות): +TicketsDelayBeforeFirstAnswerHelp=אם כרטיס חדש לא קיבל תשובה לאחר פרק זמן זה (בשעות), סמל אזהרה חשוב יוצג בתצוגת הרשימה. +TicketsDelayBetweenAnswers=כרטיס לא פתור לא אמור להיות לא פעיל במהלך (שעות): +TicketsDelayBetweenAnswersHelp=אם לכרטיס לא פתור שכבר קיבל תשובה לא הייתה אינטראקציה נוספת לאחר פרק זמן זה (בשעות), סמל אזהרה יוצג בתצוגת הרשימה. +TicketsAutoNotifyClose=הודע באופן אוטומטי לצד השלישי בעת סגירת כרטיס +TicketsAutoNotifyCloseHelp=בעת סגירת כרטיס, יוצע לך לשלוח הודעה לאחד מאנשי הקשר של צד שלישי. בסגירה המונית, תישלח הודעה לאיש קשר אחד של הצד השלישי המקושר לכרטיס. +TicketWrongContact=בתנאי שאנשי הקשר אינם חלק מאנשי הקשר הנוכחיים של הכרטיסים. אימייל לא נשלח. +TicketChooseProductCategory=קטגוריית מוצרים לתמיכה בכרטיסים +TicketChooseProductCategoryHelp=בחר את קטגוריית המוצרים של תמיכת כרטיסים. זה ישמש לקישור אוטומטי של חוזה לכרטיס. +TicketUseCaptchaCode=השתמש בקוד גרפי (CAPTCHA) בעת יצירת כרטיס +TicketUseCaptchaCodeHelp=מוסיף אימות CAPTCHA בעת יצירת כרטיס חדש. +TicketsAllowClassificationModificationIfClosed=אפשר לשנות סיווג של כרטיסים סגורים +TicketsAllowClassificationModificationIfClosedHelp=אפשר לשנות סיווג (סוג, קבוצת כרטיסים, חומרה) גם אם הכרטיסים סגורים. + # # Index & list page # -TicketsIndex=Tickets area -TicketList=List of tickets -TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user -NoTicketsFound=No ticket found -NoUnreadTicketsFound=No unread ticket found -TicketViewAllTickets=View all tickets -TicketViewNonClosedOnly=View only open tickets -TicketStatByStatus=Tickets by status -OrderByDateAsc=Sort by ascending date -OrderByDateDesc=Sort by descending date -ShowAsConversation=Show as conversation list -MessageListViewType=Show as table list +TicketsIndex=אזור הכרטיסים +TicketList=רשימת כרטיסים +TicketAssignedToMeInfos=דף זה מציג את רשימת הכרטיסים שנוצרה על ידי המשתמש הנוכחי או הוקצתה לו +NoTicketsFound=לא נמצא כרטיס +NoUnreadTicketsFound=לא נמצא כרטיס שלא נקרא +TicketViewAllTickets=צפו בכל הכרטיסים +TicketViewNonClosedOnly=צפו בכרטיסים פתוחים בלבד +TicketStatByStatus=כרטיסים לפי סטטוס +OrderByDateAsc=מיין לפי תאריך עולה +OrderByDateDesc=מיין לפי תאריך יורד +ShowAsConversation=הצג כרשימת שיחות +MessageListViewType=הצג כרשימת טבלה +ConfirmMassTicketClosingSendEmail=שלח באופן אוטומטי מיילים בעת סגירת כרטיסים +ConfirmMassTicketClosingSendEmailQuestion=האם ברצונך להודיע לצד שלישי בעת סגירת כרטיסים אלה? # # Ticket card # -Ticket=Ticket -TicketCard=Ticket card -CreateTicket=Create ticket -EditTicket=Edit ticket -TicketsManagement=Tickets Management -CreatedBy=Created by -NewTicket=New Ticket -SubjectAnswerToTicket=Ticket answer -TicketTypeRequest=Request type -TicketCategory=Ticket categorization -SeeTicket=See ticket -TicketMarkedAsRead=Ticket has been marked as read -TicketReadOn=Read on -TicketCloseOn=Closing date -MarkAsRead=Mark ticket as read -TicketHistory=Ticket history -AssignUser=Assign to user -TicketAssigned=Ticket is now assigned -TicketChangeType=Change type -TicketChangeCategory=Change analytic code -TicketChangeSeverity=Change severity -TicketAddMessage=Add a message -AddMessage=Add a message -MessageSuccessfullyAdded=Ticket added -TicketMessageSuccessfullyAdded=Message successfully added -TicketMessagesList=Message list -NoMsgForThisTicket=No message for this ticket -TicketProperties=Classification -LatestNewTickets=Latest %s newest tickets (not read) -TicketSeverity=Severity -ShowTicket=See ticket -RelatedTickets=Related tickets -TicketAddIntervention=Create intervention -CloseTicket=Close|Solve ticket -AbandonTicket=Abandon ticket -CloseATicket=Close|Solve a ticket -ConfirmCloseAticket=Confirm ticket closing -ConfirmAbandonTicket=Do you confirm the closing of the ticket to status 'Abandonned' -ConfirmDeleteTicket=Please confirm ticket deleting -TicketDeletedSuccess=Ticket deleted with success -TicketMarkedAsClosed=Ticket marked as closed -TicketDurationAuto=Calculated duration -TicketDurationAutoInfos=Duration calculated automatically from intervention related -TicketUpdated=Ticket updated -SendMessageByEmail=Send message by email -TicketNewMessage=New message -ErrorMailRecipientIsEmptyForSendTicketMessage=Recipient is empty. No email send -TicketGoIntoContactTab=Please go into "Contacts" tab to select them -TicketMessageMailIntro=Introduction -TicketMessageMailIntroHelp=This text is added only at the beginning of the email and will not be saved. -TicketMessageMailIntroLabelAdmin=Introduction to the message when sending email -TicketMessageMailIntroText=Hello,
      A new response was sent on a ticket that you contact. Here is the message:
      -TicketMessageMailIntroHelpAdmin=This text will be inserted before the text of the response to a ticket. -TicketMessageMailSignature=Signature -TicketMessageMailSignatureHelp=This text is added only at the end of the email and will not be saved. -TicketMessageMailSignatureText=

      Sincerely,

      --

      -TicketMessageMailSignatureLabelAdmin=Signature of response email -TicketMessageMailSignatureHelpAdmin=This text will be inserted after the response message. -TicketMessageHelp=Only this text will be saved in the message list on ticket card. -TicketMessageSubstitutionReplacedByGenericValues=Substitutions variables are replaced by generic values. -TimeElapsedSince=Time elapsed since -TicketTimeToRead=Time elapsed before read -TicketTimeElapsedBeforeSince=Time elapsed before / since -TicketContacts=Contacts ticket -TicketDocumentsLinked=Documents linked to ticket -ConfirmReOpenTicket=Confirm reopen this ticket ? -TicketMessageMailIntroAutoNewPublicMessage=A new message was posted on the ticket with the subject %s: -TicketAssignedToYou=Ticket assigned -TicketAssignedEmailBody=You have been assigned the ticket #%s by %s -MarkMessageAsPrivate=Mark message as private -TicketMessagePrivateHelp=This message will not display to external users -TicketEmailOriginIssuer=Issuer at origin of the tickets -InitialMessage=Initial Message -LinkToAContract=Link to a contract -TicketPleaseSelectAContract=Select a contract -UnableToCreateInterIfNoSocid=Can not create an intervention when no third party is defined -TicketMailExchanges=Mail exchanges -TicketInitialMessageModified=Initial message modified -TicketMessageSuccesfullyUpdated=Message successfully updated -TicketChangeStatus=Change status -TicketConfirmChangeStatus=Confirm the status change: %s ? -TicketLogStatusChanged=Status changed: %s to %s -TicketNotNotifyTiersAtCreate=Not notify company at create -Unread=Unread -TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface. -ErrorTicketRefRequired=Ticket reference name is required +Ticket=כַּרְטִיס +TicketCard=כרטיס כרטיס +CreateTicket=צור כרטיס +EditTicket=ערוך כרטיס +TicketsManagement=ניהול כרטיסים +CreatedBy=נוצר על ידי +NewTicket=כרטיס חדש +SubjectAnswerToTicket=תשובה לכרטיסים +TicketTypeRequest=סוג בקשה +TicketCategory=קבוצת כרטיסים +SeeTicket=ראה כרטיס +TicketMarkedAsRead=הכרטיס סומן כנקרא +TicketReadOn=תמשיך לקרוא +TicketCloseOn=תאריך סגירה +MarkAsRead=סמן את הכרטיס כנקראו +TicketHistory=היסטוריית כרטיסים +AssignUser=הקצה למשתמש +TicketAssigned=הכרטיס מוקצה כעת +TicketChangeType=שנה סוג +TicketChangeCategory=שנה קוד אנליטי +TicketChangeSeverity=שנה חומרה +TicketAddMessage=הוסף או שלח הודעה +TicketAddPrivateMessage=הוסף הודעה פרטית +MessageSuccessfullyAdded=כרטיס נוסף +TicketMessageSuccessfullyAdded=ההודעה נוספה בהצלחה +TicketMessagesList=רשימת הודעות +NoMsgForThisTicket=אין הודעה לכרטיס הזה +TicketProperties=מִיוּן +LatestNewTickets=הכרטיסים האחרונים %s האחרונים (לא נקראו) +TicketSeverity=חוּמרָה +ShowTicket=ראה כרטיס +RelatedTickets=כרטיסים קשורים +TicketAddIntervention=ליצור התערבות +CloseTicket=סגור|פתור +AbandonTicket=לִנְטוֹשׁ +CloseATicket=סגור|פתור כרטיס +ConfirmCloseAticket=אשר את סגירת הכרטיס +ConfirmAbandonTicket=האם אתה מאשר את סגירת הכרטיס לסטטוס 'נטוש' +ConfirmDeleteTicket=נא לאשר את מחיקת הכרטיס +TicketDeletedSuccess=הכרטיס נמחק בהצלחה +TicketMarkedAsClosed=כרטיס מסומן כסגור +TicketDurationAuto=משך זמן מחושב +TicketDurationAutoInfos=משך זמן מחושב אוטומטית מתוך התערבות הקשורה +TicketUpdated=הכרטיס עודכן +SendMessageByEmail=שלח הודעה במייל +TicketNewMessage=הודעה חדשה +ErrorMailRecipientIsEmptyForSendTicketMessage=הנמען ריק. אין שליחת מייל +TicketGoIntoContactTab=נא להיכנס לכרטיסייה "אנשי קשר" כדי לבחור אותם +TicketMessageMailIntro=כותרת ההודעה +TicketMessageMailIntroHelp=טקסט זה נוסף רק בתחילת המייל ולא יישמר. +TicketMessageMailIntroText=שלום,
      נוספה תשובה חדשה לכרטיס שאתה עוקב אחריו. הנה ההודעה:
      +TicketMessageMailIntroHelpAdmin=טקסט זה יוכנס לפני התשובה בעת תשובה לכרטיס מ-Dolibarr +TicketMessageMailFooter=כותרת תחתונה של הודעה +TicketMessageMailFooterHelp=טקסט זה מתווסף רק בסוף ההודעה שנשלחה במייל ולא יישמר. +TicketMessageMailFooterText=הודעה שנשלחה על ידי %s דרך Dolibarr +TicketMessageMailFooterHelpAdmin=טקסט זה יוכנס לאחר הודעת התגובה. +TicketMessageHelp=רק טקסט זה יישמר ברשימת ההודעות בכרטיס הכרטיס. +TicketMessageSubstitutionReplacedByGenericValues=משתני החלפות מוחלפים בערכים גנריים. +ForEmailMessageWillBeCompletedWith=עבור הודעות דואר אלקטרוני שנשלחות למשתמשים חיצוניים, ההודעה תושלם עם +TimeElapsedSince=זמן חלף מאז +TicketTimeToRead=הזמן שחלף לפני הקריאה +TicketTimeElapsedBeforeSince=הזמן שחלף לפני/מאז +TicketContacts=כרטיס אנשי קשר +TicketDocumentsLinked=מסמכים המקושרים לכרטיס +ConfirmReOpenTicket=לאשר לפתוח מחדש את הכרטיס הזה? +TicketMessageMailIntroAutoNewPublicMessage=הודעה חדשה פורסמה על הכרטיס עם הנושא %s: +TicketAssignedToYou=הכרטיס הוקצה +TicketAssignedEmailBody=הוקצה לך הכרטיס #%s על ידי %s +TicketAssignedCustomerEmail=הכרטיס שלך הוקצה לעיבוד. +TicketAssignedCustomerBody=זהו אימייל אוטומטי לאשר שהכרטיס שלך הוקצה לעיבוד. +MarkMessageAsPrivate=סמן הודעה כפרטית +TicketMessageSendEmailHelp=דוא"ל יישלח לכל אנשי הקשר שהוקצו +TicketMessageSendEmailHelp2a=(אנשי קשר פנימיים, אבל גם אנשי קשר חיצוניים למעט אם האפשרות "%s" מסומנת) +TicketMessageSendEmailHelp2b=(אנשי קשר פנימיים, אבל גם אנשי קשר חיצוניים) +TicketMessagePrivateHelp=הודעה זו לא תהיה גלויה למשתמשים חיצוניים +TicketMessageRecipientsHelp=הושלם שדה הנמען עם אנשי קשר פעילים המקושרים לכרטיס +TicketEmailOriginIssuer=מנפיק במקור הכרטיסים +InitialMessage=הודעה ראשונית +LinkToAContract=קישור לחוזה +TicketPleaseSelectAContract=בחר חוזה +UnableToCreateInterIfNoSocid=לא ניתן ליצור התערבות כאשר לא מוגדר צד שלישי +TicketMailExchanges=חילופי דואר +TicketInitialMessageModified=ההודעה הראשונית השתנתה +TicketMessageSuccesfullyUpdated=ההודעה עודכנה בהצלחה +TicketChangeStatus=לשנות סטטוס +TicketConfirmChangeStatus=אשר את שינוי הסטטוס: %s ? +TicketLogStatusChanged=הסטטוס השתנה: %s ל-%s +TicketNotNotifyTiersAtCreate=אל תודיע לחברה ב-create +NotifyThirdpartyOnTicketClosing=אנשי קשר להודיע בעת סגירת הכרטיס +TicketNotifyAllTiersAtClose=כל אנשי הקשר הקשורים +TicketNotNotifyTiersAtClose=אין קשר קשור +Unread=לא נקרא +TicketNotCreatedFromPublicInterface=לא זמין. הכרטיס לא נוצר מהממשק הציבורי. +ErrorTicketRefRequired=נדרש שם סימוכין לכרטיס +TicketsDelayForFirstResponseTooLong=יותר מדי זמן חלף מאז פתיחת הכרטיס ללא כל תשובה. +TicketsDelayFromLastResponseTooLong=יותר מדי זמן חלף מאז התשובה האחרונה על הכרטיס הזה. +TicketNoContractFoundToLink=לא נמצא חוזה מקושר אוטומטית לכרטיס זה. אנא קשר חוזה באופן ידני. +TicketManyContractsLinked=חוזים רבים נקשרו אוטומטית לכרטיס זה. הקפד לוודא מה יש לבחור. +TicketRefAlreadyUsed=ההפניה [%s] כבר בשימוש, ההפניה החדשה שלך היא [%s] # # Logs # -TicketLogMesgReadBy=Ticket %s read by %s -NoLogForThisTicket=No log for this ticket yet -TicketLogAssignedTo=Ticket %s assigned to %s -TicketLogPropertyChanged=Ticket %s modified: classification from %s to %s -TicketLogClosedBy=Ticket %s closed by %s -TicketLogReopen=Ticket %s re-open +TicketLogMesgReadBy=הכרטיס %s נקרא על ידי %s +NoLogForThisTicket=אין עדיין יומן עבור כרטיס זה +TicketLogAssignedTo=הכרטיס %s הוקצה ל-%s +TicketLogPropertyChanged=כרטיס %s שונה: סיווג מ-%s ל-%s +TicketLogClosedBy=הכרטיס %s נסגר על ידי %s +TicketLogReopen=הכרטיס %s ייפתח מחדש # # Public pages # -TicketSystem=Ticket system -ShowListTicketWithTrackId=Display ticket list from track ID -ShowTicketWithTrackId=Display ticket from track ID -TicketPublicDesc=You can create a support ticket or check from an existing ID. -YourTicketSuccessfullySaved=Ticket has been successfully saved! -MesgInfosPublicTicketCreatedWithTrackId=A new ticket has been created with ID %s and Ref %s. -PleaseRememberThisId=Please keep the tracking number that we might ask you later. -TicketNewEmailSubject=Ticket creation confirmation - Ref %s (public ticket ID %s) -TicketNewEmailSubjectCustomer=New support ticket -TicketNewEmailBody=This is an automatic email to confirm you have registered a new ticket. -TicketNewEmailBodyCustomer=This is an automatic email to confirm a new ticket has just been created into your account. -TicketNewEmailBodyInfosTicket=Information for monitoring the ticket -TicketNewEmailBodyInfosTrackId=Ticket tracking number: %s -TicketNewEmailBodyInfosTrackUrl=You can view the progress of the ticket by clicking the link above. -TicketNewEmailBodyInfosTrackUrlCustomer=You can view the progress of the ticket in the specific interface by clicking the following link -TicketEmailPleaseDoNotReplyToThisEmail=Please do not reply directly to this email! Use the link to reply into the interface. -TicketPublicInfoCreateTicket=This form allows you to record a support ticket in our management system. -TicketPublicPleaseBeAccuratelyDescribe=Please accurately describe the problem. Provide the most information possible to allow us to correctly identify your request. -TicketPublicMsgViewLogIn=Please enter ticket tracking ID -TicketTrackId=Public Tracking ID -OneOfTicketTrackId=One of your tracking ID -ErrorTicketNotFound=Ticket with tracking ID %s not found! -Subject=Subject -ViewTicket=View ticket -ViewMyTicketList=View my ticket list -ErrorEmailMustExistToCreateTicket=Error: email address not found in our database -TicketNewEmailSubjectAdmin=New ticket created - Ref %s (public ticket ID %s) -TicketNewEmailBodyAdmin=

      Ticket has just been created with ID #%s, see information:

      -SeeThisTicketIntomanagementInterface=See ticket in management interface -TicketPublicInterfaceForbidden=The public interface for the tickets was not enabled -ErrorEmailOrTrackingInvalid=Bad value for tracking ID or email -OldUser=Old user +TicketSystem=מערכת כרטיסים +ShowListTicketWithTrackId=הצג רשימת כרטיסים מזיהוי מסלול +ShowTicketWithTrackId=הצגת כרטיס ממזהה מסלול +TicketPublicDesc=אתה יכול ליצור כרטיס תמיכה או לבדוק ממזהה קיים. +YourTicketSuccessfullySaved=הכרטיס נשמר בהצלחה! +MesgInfosPublicTicketCreatedWithTrackId=כרטיס חדש נוצר עם מזהה %s ו-Ref %s. +PleaseRememberThisId=נא לשמור את מספר המעקב שאולי נבקש ממך מאוחר יותר. +TicketNewEmailSubject=אישור יצירת כרטיס - Ref %s (מזהה כרטיס ציבורי %s) +TicketNewEmailSubjectCustomer=כרטיס תמיכה חדש +TicketNewEmailBody=זהו אימייל אוטומטי לאשר שרשמת כרטיס חדש. +TicketNewEmailBodyCustomer=זהו הודעת דוא"ל אוטומטית לאשר שכרטיס חדש נוצר זה עתה בחשבונך. +TicketNewEmailBodyInfosTicket=מידע למעקב אחר הכרטיס +TicketNewEmailBodyInfosTrackId=מספר מעקב אחר כרטיס: %s +TicketNewEmailBodyInfosTrackUrl=תוכל לצפות בהתקדמות הכרטיס על ידי לחיצה על הקישור הבא +TicketNewEmailBodyInfosTrackUrlCustomer=ניתן לצפות בהתקדמות הכרטיס בממשק הספציפי על ידי לחיצה על הקישור הבא +TicketCloseEmailBodyInfosTrackUrlCustomer=אתה יכול לעיין בהיסטוריה של כרטיס זה על ידי לחיצה על הקישור הבא +TicketEmailPleaseDoNotReplyToThisEmail=נא לא להשיב ישירות למייל זה! השתמש בקישור כדי להשיב לממשק. +TicketPublicInfoCreateTicket=טופס זה מאפשר לך לרשום כרטיס תמיכה במערכת הניהול שלנו. +TicketPublicPleaseBeAccuratelyDescribe=אנא תאר במדויק את בקשתך. ספק את מירב המידע האפשרי כדי לאפשר לנו לזהות נכון את בקשתך. +TicketPublicMsgViewLogIn=נא להזין מזהה מעקב אחר כרטיסים +TicketTrackId=מזהה מעקב ציבורי +OneOfTicketTrackId=אחד מזהה המעקב שלך +ErrorTicketNotFound=כרטיס עם מזהה מעקב %s לא נמצא! +Subject=נושא +ViewTicket=צפה בכרטיס +ViewMyTicketList=צפו ברשימת הכרטיסים שלי +ErrorEmailMustExistToCreateTicket=שגיאה: כתובת דואר אלקטרוני לא נמצאה במסד הנתונים שלנו +TicketNewEmailSubjectAdmin=כרטיס חדש נוצר - Ref %s (מזהה כרטיס ציבורי %s) +TicketNewEmailBodyAdmin=

      הכרטיס נוצר זה עתה עם מזהה #%s, ראה מידע:

      > +SeeThisTicketIntomanagementInterface=ראה כרטיס בממשק הניהול +TicketPublicInterfaceForbidden=הממשק הציבורי של הכרטיסים לא הופעל +ErrorEmailOrTrackingInvalid=ערך גרוע עבור מזהה מעקב או דוא"ל +OldUser=משתמש ותיק NewUser=משתמש חדש -NumberOfTicketsByMonth=Number of tickets per month -NbOfTickets=Number of tickets -# notifications -TicketNotificationEmailSubject=Ticket %s updated -TicketNotificationEmailBody=This is an automatic message to notify you that ticket %s has just been updated -TicketNotificationRecipient=Notification recipient -TicketNotificationLogMessage=Log message -TicketNotificationEmailBodyInfosTrackUrlinternal=View ticket into interface -TicketNotificationNumberEmailSent=Notification email sent: %s +NumberOfTicketsByMonth=מספר כרטיסים בחודש +NbOfTickets=מספר כרטיסים +ExternalContributors=תורמים חיצוניים +AddContributor=הוסף תורם חיצוני -ActionsOnTicket=Events on ticket +# notifications +TicketCloseEmailSubjectCustomer=הכרטיס סגור +TicketCloseEmailBodyCustomer=זוהי הודעה אוטומטית להודיע לך שהכרטיס %s נסגר זה עתה. +TicketCloseEmailSubjectAdmin=כרטיס סגור - Réf %s (מזהה כרטיס ציבורי %s) +TicketCloseEmailBodyAdmin=כרטיס עם מזהה #%s נסגר זה עתה, ראה מידע: +TicketNotificationEmailSubject=הכרטיס %s עודכן +TicketNotificationEmailBody=זוהי הודעה אוטומטית להודיע לך שהכרטיס %s עודכן זה עתה +TicketNotificationRecipient=מקבל הודעה +TicketNotificationLogMessage=הודעת יומן +TicketNotificationEmailBodyInfosTrackUrlinternal=הצג את הכרטיס לתוך הממשק +TicketNotificationNumberEmailSent=דוא"ל הודעה נשלח: %s + +ActionsOnTicket=אירועים בכרטיס # # Boxes # -BoxLastTicket=Latest created tickets -BoxLastTicketDescription=Latest %s created tickets +BoxLastTicket=כרטיסים אחרונים שנוצרו +BoxLastTicketDescription=הכרטיסים האחרונים שנוצרו על ידי %s BoxLastTicketContent= -BoxLastTicketNoRecordedTickets=No recent unread tickets -BoxLastModifiedTicket=Latest modified tickets -BoxLastModifiedTicketDescription=Latest %s modified tickets +BoxLastTicketNoRecordedTickets=אין כרטיסים שלא נקראו לאחרונה +BoxLastModifiedTicket=הכרטיסים שהשתנו לאחרונה +BoxLastModifiedTicketDescription=הכרטיסים האחרונים ששונו %s BoxLastModifiedTicketContent= -BoxLastModifiedTicketNoRecordedTickets=No recent modified tickets -BoxTicketType=Distribution of open tickets by type -BoxTicketSeverity=Number of open tickets by severity -BoxNoTicketSeverity=No tickets opened -BoxTicketLastXDays=Number of new tickets by days the last %s days -BoxTicketLastXDayswidget = Number of new tickets by days the last X days -BoxNoTicketLastXDays=No new tickets the last %s days -BoxNumberOfTicketByDay=Number of new tickets by day -BoxNewTicketVSClose=Number of tickets versus closed tickets (today) -TicketCreatedToday=Ticket created today -TicketClosedToday=Ticket closed today -KMFoundForTicketGroup=We found topics and FAQs that may answers your question, thanks to check them before submitting the ticket +BoxLastModifiedTicketNoRecordedTickets=אין כרטיסים ששונו לאחרונה +BoxTicketType=חלוקת כרטיסים פתוחים לפי סוג +BoxTicketSeverity=מספר הכרטיסים הפתוחים לפי חומרה +BoxNoTicketSeverity=לא נפתחו כרטיסים +BoxTicketLastXDays=מספר הכרטיסים החדשים לפי ימים ב%s הימים האחרונים +BoxTicketLastXDayswidget = מספר הכרטיסים החדשים לפי ימים X הימים האחרונים +BoxNoTicketLastXDays=אין כרטיסים חדשים ב%s הימים האחרונים +BoxNumberOfTicketByDay=מספר כרטיסים חדשים לפי יום +BoxNewTicketVSClose=מספר כרטיסים לעומת כרטיסים סגורים (היום) +TicketCreatedToday=הכרטיס נוצר היום +TicketClosedToday=הכרטיס נסגר היום +KMFoundForTicketGroup=מצאנו נושאים ושאלות נפוצות שעשויות לענות על שאלתך, תודה שבדקנו אותם לפני הגשת הכרטיס diff --git a/htdocs/langs/he_IL/trips.lang b/htdocs/langs/he_IL/trips.lang index e106075a3fb..432376a99cd 100644 --- a/htdocs/langs/he_IL/trips.lang +++ b/htdocs/langs/he_IL/trips.lang @@ -1,150 +1,152 @@ # Dolibarr language file - Source file is en_US - trips -ShowExpenseReport=Show expense report -Trips=Expense reports -TripsAndExpenses=Expenses reports -TripsAndExpensesStatistics=Expense reports statistics -TripCard=Expense report card -AddTrip=Create expense report -ListOfTrips=List of expense reports -ListOfFees=List of fees -TypeFees=Types of fees -ShowTrip=Show expense report -NewTrip=New expense report -LastExpenseReports=Latest %s expense reports -AllExpenseReports=All expense reports -CompanyVisited=Company/organization visited -FeesKilometersOrAmout=Amount or kilometers -DeleteTrip=Delete expense report -ConfirmDeleteTrip=Are you sure you want to delete this expense report? -ListTripsAndExpenses=List of expense reports -ListToApprove=Waiting for approval -ExpensesArea=Expense reports area -ClassifyRefunded=Classify 'Refunded' -ExpenseReportWaitingForApproval=A new expense report has been submitted for approval -ExpenseReportWaitingForApprovalMessage=A new expense report has been submitted and is waiting for approval.
      - User: %s
      - Period: %s
      Click here to validate: %s -ExpenseReportWaitingForReApproval=An expense report has been submitted for re-approval -ExpenseReportWaitingForReApprovalMessage=An expense report has been submitted and is waiting for re-approval.
      The %s, you refused to approve the expense report for this reason: %s.
      A new version has been proposed and waiting for your approval.
      - User: %s
      - Period: %s
      Click here to validate: %s -ExpenseReportApproved=An expense report was approved -ExpenseReportApprovedMessage=The expense report %s was approved.
      - User: %s
      - Approved by: %s
      Click here to show the expense report: %s -ExpenseReportRefused=An expense report was refused -ExpenseReportRefusedMessage=The expense report %s was refused.
      - User: %s
      - Refused by: %s
      - Motive for refusal: %s
      Click here to show the expense report: %s -ExpenseReportCanceled=An expense report was canceled -ExpenseReportCanceledMessage=The expense report %s was canceled.
      - User: %s
      - Canceled by: %s
      - Motive for cancellation: %s
      Click here to show the expense report: %s -ExpenseReportPaid=An expense report was paid -ExpenseReportPaidMessage=The expense report %s was paid.
      - User: %s
      - Paid by: %s
      Click here to show the expense report: %s -TripId=Id expense report -AnyOtherInThisListCanValidate=Person to be informed for validating the request. -TripSociete=Information company -TripNDF=Informations expense report -PDFStandardExpenseReports=Standard template to generate a PDF document for expense report -ExpenseReportLine=Expense report line -TF_OTHER=אחר -TF_TRIP=Transportation -TF_LUNCH=Lunch -TF_METRO=Metro -TF_TRAIN=Train -TF_BUS=Bus -TF_CAR=Car -TF_PEAGE=Toll -TF_ESSENCE=Fuel -TF_HOTEL=Hotel -TF_TAXI=Taxi -EX_KME=Mileage costs -EX_FUE=Fuel CV -EX_HOT=Hotel -EX_PAR=Parking CV -EX_TOL=Toll CV -EX_TAX=Various Taxes -EX_IND=Indemnity transportation subscription -EX_SUM=Maintenance supply -EX_SUO=Office supplies -EX_CAR=Car rental -EX_DOC=Documentation -EX_CUR=Customers receiving -EX_OTR=Other receiving -EX_POS=Postage -EX_CAM=CV maintenance and repair -EX_EMM=Employees meal -EX_GUM=Guests meal -EX_BRE=Breakfast -EX_FUE_VP=Fuel PV -EX_TOL_VP=Toll PV -EX_PAR_VP=Parking PV -EX_CAM_VP=PV maintenance and repair -DefaultCategoryCar=Default transportation mode -DefaultRangeNumber=Default range number -UploadANewFileNow=Upload a new document now -Error_EXPENSEREPORT_ADDON_NotDefined=Error, the rule for expense report numbering ref was not defined into setup of module 'Expense Report' -ErrorDoubleDeclaration=You have declared another expense report into a similar date range. -AucuneLigne=There is no expense report declared yet -ModePaiement=Payment mode -VALIDATOR=User responsible for approval -VALIDOR=Approved by -AUTHOR=Recorded by -AUTHORPAIEMENT=Paid by -REFUSEUR=Denied by -CANCEL_USER=Deleted by -MOTIF_REFUS=Reason -MOTIF_CANCEL=Reason -DATE_REFUS=Deny date -DATE_SAVE=Validation date -DATE_CANCEL=Cancelation date -DATE_PAIEMENT=Payment date -ExpenseReportRef=Ref. expense report -ValidateAndSubmit=Validate and submit for approval -ValidatedWaitingApproval=Validated (waiting for approval) -NOT_AUTHOR=You are not the author of this expense report. Operation cancelled. -ConfirmRefuseTrip=Are you sure you want to deny this expense report? -ValideTrip=Approve expense report -ConfirmValideTrip=Are you sure you want to approve this expense report? -PaidTrip=Pay an expense report -ConfirmPaidTrip=Are you sure you want to change status of this expense report to "Paid"? -ConfirmCancelTrip=Are you sure you want to cancel this expense report? -BrouillonnerTrip=Move back expense report to status "Draft" -ConfirmBrouillonnerTrip=Are you sure you want to move this expense report to status "Draft"? -SaveTrip=Validate expense report -ConfirmSaveTrip=Are you sure you want to validate this expense report? -NoTripsToExportCSV=No expense report to export for this period. -ExpenseReportPayment=Expense report payment -ExpenseReportsToApprove=Expense reports to approve -ExpenseReportsToPay=Expense reports to pay -ConfirmCloneExpenseReport=Are you sure you want to clone this expense report ? -ExpenseReportsIk=Configuration of mileage charges -ExpenseReportsRules=Expense report rules -ExpenseReportIkDesc=You can modify the calculation of kilometers expense by category and range who they are previously defined. d is the distance in kilometers -ExpenseReportRulesDesc=You can define max amount rules for expense reports. These rules will be applied when a new expense is added to an expense report +AUTHOR=הוקלט על ידי +AUTHORPAIEMENT=שולם על ידי +AddTrip=צור דו"ח הוצאות +AllExpenseReport=כל סוגי דוח ההוצאות +AllExpenseReports=כל דוחות ההוצאות +AnyOtherInThisListCanValidate=אדם שיש ליידע אותו לצורך אימות הבקשה. +AttachTheNewLineToTheDocument=צרף את השורה למסמך שהועלה +AucuneLigne=עדיין לא הוצהר דוח הוצאות +BrouillonnerTrip=העבר אחורה דוח הוצאות למצב "טיוטה" +byEX_DAY=לפי יום (הגבלה ל-%s) +byEX_EXP=לפי שורה (הגבלה ל-%s) +byEX_MON=לפי חודש (הגבלה ל-%s) +byEX_YEA=לפי שנה (הגבלה ל-%s) +CANCEL_USER=נמחק על ידי +CarCategory=קטגוריית רכב +ClassifyRefunded=סיווג 'מוחזר' +CompanyVisited=חברה/ארגון ביקרו +ConfirmBrouillonnerTrip=האם אתה בטוח שברצונך להעביר דוח הוצאות זה למצב "טיוטה"? +ConfirmCancelTrip=האם אתה בטוח שברצונך לבטל דוח הוצאות זה? +ConfirmCloneExpenseReport=האם אתה בטוח שברצונך לשכפל דוח הוצאות זה? +ConfirmDeleteTrip=האם אתה בטוח שברצונך למחוק דוח הוצאות זה? +ConfirmPaidTrip=האם אתה בטוח שברצונך לשנות את הסטטוס של דוח הוצאות זה ל"בתשלום"? +ConfirmRefuseTrip=האם אתה בטוח שברצונך לדחות את דוח ההוצאות הזה? +ConfirmSaveTrip=האם אתה בטוח שברצונך לאמת את דוח ההוצאות הזה? +ConfirmValideTrip=האם אתה בטוח שברצונך לאשר את דוח ההוצאות הזה? +DATE_CANCEL=תאריך ביטול +DATE_PAIEMENT=תאריך תשלום +DATE_REFUS=דחי תאריך +DATE_SAVE=תאריך אימות +DefaultCategoryCar=מצב תחבורה ברירת מחדל +DefaultRangeNumber=מספר טווח ברירת מחדל +DeleteTrip=מחק דו"ח הוצאות +ErrorDoubleDeclaration=הכרזת על דוח הוצאות אחר בטווח תאריכים דומה. +Error_EXPENSEREPORT_ADDON_NotDefined=שגיאה, הכלל עבור מספור דוחות הוצאות לא הוגדר בהגדרה של המודול 'דוח הוצאות' +ExpenseRangeOffset=סכום קיזוז: %s +expenseReportCatDisabled=קטגוריה מושבתת - ראה את מילון c_exp_tax_cat +expenseReportCoef=מְקַדֵם +expenseReportCoefUndefined=(ערך לא מוגדר) expenseReportOffset=לקזז -expenseReportCoef=Coefficient -expenseReportTotalForFive=Example with d = 5 -expenseReportRangeFromTo=from %d to %d -expenseReportRangeMoreThan=more than %d -expenseReportCoefUndefined=(value not defined) -expenseReportCatDisabled=Category disabled - see the c_exp_tax_cat dictionary -expenseReportRangeDisabled=Range disabled - see the c_exp_tax_range dictionay expenseReportPrintExample=offset + (d x coef) = %s -ExpenseReportApplyTo=Apply to -ExpenseReportDomain=Domain to apply -ExpenseReportLimitOn=Limit on -ExpenseReportDateStart=Date start -ExpenseReportDateEnd=Date end -ExpenseReportLimitAmount=Max amount -ExpenseReportRestrictive=Exceeding forbidden -AllExpenseReport=All type of expense report -OnExpense=Expense line -ExpenseReportRuleSave=Expense report rule saved -ExpenseReportRuleErrorOnSave=Error: %s -RangeNum=Range %d -ExpenseReportConstraintViolationError=Max amount exceeded (rule %s): %s is higher than %s (Exceeding forbidden) -byEX_DAY=by day (limitation to %s) -byEX_MON=by month (limitation to %s) -byEX_YEA=by year (limitation to %s) -byEX_EXP=by line (limitation to %s) -ExpenseReportConstraintViolationWarning=Max amount exceeded (rule %s): %s is higher than %s (Exceeding authorized) -nolimitbyEX_DAY=by day (no limitation) -nolimitbyEX_MON=by month (no limitation) -nolimitbyEX_YEA=by year (no limitation) -nolimitbyEX_EXP=by line (no limitation) -CarCategory=Vehicle category -ExpenseRangeOffset=Offset amount: %s -RangeIk=Mileage range -AttachTheNewLineToTheDocument=Attach the line to an uploaded document +expenseReportRangeDisabled=טווח מושבת - עיין במילון c_exp_tax_range +expenseReportRangeFromTo=מ-%d אל %d +expenseReportRangeMoreThan=יותר מ-%d +expenseReportTotalForFive=דוגמה עם d = 5 +ExpenseReportApplyTo=הגשת בקשה ל +ExpenseReportApproved=אושר דו"ח הוצאות +ExpenseReportApprovedMessage=דוח ההוצאות %s אושר.
      - משתמש: %s
      - אושר על ידי: %s
      לחץ כאן כדי להציג את דוח ההוצאות: %s +ExpenseReportCanceled=דוח הוצאות בוטל +ExpenseReportCanceledMessage=דוח ההוצאות %s בוטל.
      - משתמש: %s
      - בוטל על ידי: %s
      - מניע לביטול: %s
      לחץ כאן כדי להציג את דוח ההוצאות: %s +ExpenseReportConstraintViolationError=חריגה מהכמות המקסימלית (כלל %s): %s גבוה מ-%s ( חריגה אסורה) +ExpenseReportConstraintViolationWarning=חריגה מהכמות המקסימלית (כלל %s): %s גבוה מ-%s ( חריגה ממורשה) +ExpenseReportDateEnd=סוף תאריך +ExpenseReportDateStart=תאריך התחלה +ExpenseReportDomain=דומיין להגשת בקשה +ExpenseReportIkDesc=אתה יכול לשנות את חישוב הוצאות הקילומטרים לפי קטגוריה וטווח מי הם מוגדרים קודם לכן. d הוא המרחק בקילומטרים +ExpenseReportLimitAmount=כמות מקסימלית +ExpenseReportLimitOn=הגבלה על +ExpenseReportLine=שורת דוח הוצאות +ExpenseReportPaid=שולם דו"ח הוצאות +ExpenseReportPaidMessage=דוח ההוצאות %s שולם.
      - משתמש: %s
      - בתשלום על ידי: %s
      לחץ כאן כדי להציג את דוח ההוצאות: %s +ExpenseReportPayment=תשלום דוח הוצאות +ExpenseReportRef=רפ. דו"ח הוצאות +ExpenseReportRefused=דו"ח הוצאות נדחה +ExpenseReportRefusedMessage=דוח ההוצאות %s נדחה.
      - משתמש: %s
      - סירב על ידי: %s
      - מניע לסירוב: %s
      לחץ כאן כדי להציג את דוח ההוצאות: %s +ExpenseReportRestrictive=חריגה אסורה +ExpenseReportRuleErrorOnSave=שגיאה: %s +ExpenseReportRuleSave=כלל דוח ההוצאות נשמר +ExpenseReportRulesDesc=ניתן להגדיר כללי סכום מקסימלי עבור דוחות הוצאות. כללים אלה יחולו כאשר הוצאה חדשה תתווסף לדוח הוצאות +ExpenseReportWaitingForApproval=דו"ח הוצאות חדש הוגש לאישור +ExpenseReportWaitingForApprovalMessage=דוח הוצאות חדש הוגש והוא ממתין לאישור.
      - משתמש: %s
      - תקופה: %s
      לחץ כאן כדי לאמת: b0ecfda19bz8 span> +ExpenseReportWaitingForReApproval=דו"ח הוצאות הוגש לאישור מחדש +ExpenseReportWaitingForReApprovalMessage=דוח הוצאות הוגש והוא ממתין לאישור מחדש.
      את %s, סירבת לאשר את דוח ההוצאות עבור סיבה זו: %s.
      גרסה חדשה הוצעה ומחכה לאישורך.
      - משתמש: %s
      - תקופה: b0ecb2ec87f49
      לחץ כאן כדי לאמת: %s +ExpenseReportsIk=הגדרת דמי קילומטראז' +ExpenseReportsRules=כללי דוח הוצאות +ExpenseReportsToApprove=דוחות הוצאות לאישור +ExpenseReportsToPay=דוחות הוצאות לתשלום +ExpensesArea=אזור דוחות הוצאות +FeesKilometersOrAmout=כמות או קילומטרים +LastExpenseReports=דוחות ההוצאות האחרונים של %s +ListOfFees=רשימת עמלות +ListOfTrips=רשימת דוחות הוצאות +ListToApprove=מחכה לאישור +ListTripsAndExpenses=רשימת דוחות הוצאות +MOTIF_CANCEL=סיבה +MOTIF_REFUS=סיבה +ModePaiement=מצב תשלום +NewTrip=דו"ח הוצאות חדש +nolimitbyEX_DAY=ביום (ללא הגבלה) +nolimitbyEX_EXP=לפי קו (ללא הגבלה) +nolimitbyEX_MON=לפי חודש (ללא הגבלה) +nolimitbyEX_YEA=לפי שנה (ללא הגבלה) +NoTripsToExportCSV=אין דוח הוצאות לייצוא לתקופה זו. +NOT_AUTHOR=אינך המחבר של דוח הוצאות זה. הפעולה בוטלה. +OnExpense=שורת הוצאות +PDFStandardExpenseReports=תבנית סטנדרטית להפקת מסמך PDF לדוח הוצאות +PaidTrip=שלם דוח הוצאות +REFUSEUR=נדחה על ידי +RangeIk=טווח קילומטרים +RangeNum=טווח %d +SaveTrip=אימות דו"ח הוצאות +ShowExpenseReport=הצג דוח הוצאות +ShowTrip=הצג דוח הוצאות +TripCard=כרטיס דוח הוצאות +TripId=דוח הוצאות תעודת זהות +TripNDF=דוח הוצאות מידע +TripSociete=חברת מידע +Trips=דוחות הוצאות +TripsAndExpenses=דוחות הוצאות +TripsAndExpensesStatistics=סטטיסטיקות דוחות הוצאות +TypeFees=סוגי עמלות +UploadANewFileNow=העלה מסמך חדש עכשיו +VALIDATOR=המשתמש אחראי לאישור +VALIDOR=מאושר על ידי +ValidateAndSubmit=תאמת והגשה לאישור +ValidatedWaitingApproval=מאומת (מחכה לאישור) +ValideTrip=אישור דוח הוצאות + +## Dictionary +EX_BRE=ארוחת בוקר +EX_CAM=תחזוקה ותיקון קורות חיים +EX_CAM_VP=תחזוקה ותיקון PV +EX_CAR=השכרת רכב +EX_CUR=לקוחות מקבלים +EX_DOC=תיעוד +EX_EMM=ארוחת עובדים +EX_FUE=קורות חיים של דלק +EX_FUE_VP=דלק PV +EX_GUM=ארוחת אורחים +EX_HOT=מלון +EX_IND=מנוי תחבורה שיפוי +EX_KME=עלויות קילומטראז' +EX_OTR=אחרים מקבלים +EX_PAR=קורות חיים של חניה +EX_PAR_VP=חניה PV +EX_POS=דְמֵי מִשׁלוֹחַ +EX_SUM=אספקת תחזוקה +EX_SUO=ציוד משרדי +EX_TAX=מיסים שונים +EX_TOL=קורות חיים של אגרה +EX_TOL_VP=אגרה PV +TF_BUS=אוֹטוֹבּוּס +TF_CAR=אוטו +TF_ESSENCE=דלק +TF_HOTEL=מלון +TF_LUNCH=ארוחת צהריים +TF_METRO=רַכֶּבֶת תַחְתִית +TF_OTHER=אחר +TF_PEAGE=אַגרָה +TF_TAXI=מוֹנִית +TF_TRAIN=רכבת +TF_TRIP=הוֹבָלָה diff --git a/htdocs/langs/he_IL/users.lang b/htdocs/langs/he_IL/users.lang index 381a918094d..ebc9caac864 100644 --- a/htdocs/langs/he_IL/users.lang +++ b/htdocs/langs/he_IL/users.lang @@ -1,131 +1,136 @@ # Dolibarr language file - Source file is en_US - users -HRMArea=HRM area -UserCard=User card -GroupCard=Group card -Permission=Permission +HRMArea=אזור HRM +UserCard=כרטיס משתמש +GroupCard=כרטיס קבוצה +Permission=רְשׁוּת Permissions=הרשאות -EditPassword=Edit password -SendNewPassword=Regenerate and send password -SendNewPasswordLink=Send link to reset password -ReinitPassword=Regenerate password -PasswordChangedTo=Password changed to: %s -SubjectNewPassword=Your new password for %s -GroupRights=Group permissions -UserRights=User permissions -Credentials=Credentials -UserGUISetup=User Display Setup -DisableUser=Disable -DisableAUser=Disable a user -DeleteUser=Delete -DeleteAUser=Delete a user -EnableAUser=Enable a user -DeleteGroup=Delete -DeleteAGroup=Delete a group -ConfirmDisableUser=Are you sure you want to disable user %s? -ConfirmDeleteUser=Are you sure you want to delete user %s? -ConfirmDeleteGroup=Are you sure you want to delete group %s? -ConfirmEnableUser=Are you sure you want to enable user %s? -ConfirmReinitPassword=Are you sure you want to generate a new password for user %s? -ConfirmSendNewPassword=Are you sure you want to generate and send new password for user %s? +EditPassword=ערוך סיסמה +SendNewPassword=צור מחדש ושלח סיסמה +SendNewPasswordLink=שלח קישור לאיפוס סיסמה +ReinitPassword=צור מחדש את הסיסמה +PasswordChangedTo=הסיסמה השתנתה ל: %s +SubjectNewPassword=הסיסמה החדשה שלך עבור %s +GroupRights=הרשאות קבוצה +UserRights=הרשאות משתמש +Credentials=אישורים +UserGUISetup=הגדרת תצוגת משתמש +DisableUser=השבת +DisableAUser=השבת משתמש +DeleteUser=לִמְחוֹק +DeleteAUser=מחק משתמש +EnableAUser=אפשר משתמש +DeleteGroup=לִמְחוֹק +DeleteAGroup=מחק קבוצה +ConfirmDisableUser=האם אתה בטוח שברצונך להשבית את המשתמש %s? +ConfirmDeleteUser=האם אתה בטוח שברצונך למחוק את המשתמש %s? +ConfirmDeleteGroup=האם אתה בטוח שברצונך למחוק את הקבוצה %s? +ConfirmEnableUser=האם אתה בטוח שברצונך להפעיל את המשתמש %s? +ConfirmReinitPassword=האם אתה בטוח שברצונך ליצור סיסמה חדשה עבור המשתמש %s? +ConfirmSendNewPassword=האם אתה בטוח שברצונך ליצור ולשלוח סיסמה חדשה עבור המשתמש %s span>? NewUser=משתמש חדש -CreateUser=Create user -LoginNotDefined=Login is not defined. -NameNotDefined=Name is not defined. -ListOfUsers=List of users -SuperAdministrator=Super Administrator -SuperAdministratorDesc=Global administrator -AdministratorDesc=Administrator -DefaultRights=Default Permissions -DefaultRightsDesc=Define here the default permissions that are automatically granted to a new user (to modify permissions for existing users, go to the user card). -DolibarrUsers=Dolibarr users -LastName=Last name +CreateUser=צור משתמש +LoginNotDefined=כניסה לא מוגדרת. +NameNotDefined=שם לא מוגדר. +ListOfUsers=רשימת משתמשים +SuperAdministrator=מנהל ריבוי חברות +SuperAdministratorDesc=מנהל מערכת מרובת חברות (יכול לשנות הגדרות ומשתמשים) +DefaultRights=הרשאות ברירת מחדל +DefaultRightsDesc=הגדר כאן את ההרשאות ברירת המחדל המוענקות אוטומטית ל משתמש חדש (כדי לשנות הרשאות עבור משתמשים קיימים, עבור לכרטיס המשתמש). +DolibarrUsers=משתמשי Dolibarr +LastName=שם משפחה FirstName=שם פרטי -ListOfGroups=List of groups -NewGroup=New group -CreateGroup=Create group -RemoveFromGroup=Remove from group -PasswordChangedAndSentTo=Password changed and sent to %s. -PasswordChangeRequest=Request to change password for %s -PasswordChangeRequestSent=Request to change password for %s sent to %s. -IfLoginExistPasswordRequestSent=If this login is a valid account (with a valid email), an email to reset password has been sent. -IfEmailExistPasswordRequestSent=If this email is a valid account, an email to reset password has been sent. -ConfirmPasswordReset=Confirm password reset -MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s groups created -LastUsersCreated=Latest %s users created -ShowGroup=Show group -ShowUser=Show user -NonAffectedUsers=Non assigned users -UserModified=User modified successfully -PhotoFile=Photo file -ListOfUsersInGroup=List of users in this group -ListOfGroupsForUser=List of groups for this user -LinkToCompanyContact=Link to third party / contact -LinkedToDolibarrMember=Link to member -LinkedToDolibarrUser=Link to user -LinkedToDolibarrThirdParty=Link to third party -CreateDolibarrLogin=Create a user -CreateDolibarrThirdParty=Create a third party -LoginAccountDisableInDolibarr=Account disabled in Dolibarr. -UsePersonalValue=Use personal value -ExportDataset_user_1=Users and their properties -DomainUser=Domain user %s -Reactivate=Reactivate -CreateInternalUserDesc=This form allows you to create an internal user in your company/organization. To create an external user (customer, vendor etc. ..), use the button 'Create Dolibarr User' from that third-party's contact card. -InternalExternalDesc=An internal user is a user that is part of your company/organization, or is a partner user outside of your organization that may need to see more data than data related to his company (the permission system will define what he can or can't see or do).
      An external user is a customer, vendor or other that must view ONLY data related to himself (Creating an external user for a third-party can be done from the contact record of the third-party).

      In both cases, you must grant permissions on the features that the user need. -PermissionInheritedFromAGroup=Permission granted because inherited from one of a user's group. -Inherited=Inherited -UserWillBe=Created user will be -UserWillBeInternalUser=Created user will be an internal user (because not linked to a particular third party) -UserWillBeExternalUser=Created user will be an external user (because linked to a particular third party) -IdPhoneCaller=Id phone caller -NewUserCreated=User %s created -NewUserPassword=Password change for %s -NewPasswordValidated=Your new password have been validated and must be used now to login. -EventUserModified=User %s modified -UserDisabled=User %s disabled -UserEnabled=User %s activated -UserDeleted=User %s removed -NewGroupCreated=Group %s created -GroupModified=Group %s modified -GroupDeleted=Group %s removed -ConfirmCreateContact=Are you sure you want to create a Dolibarr account for this contact? -ConfirmCreateLogin=Are you sure you want to create a Dolibarr account for this member? -ConfirmCreateThirdParty=Are you sure you want to create a third party for this member? -LoginToCreate=Login to create -NameToCreate=Name of third party to create -YourRole=Your roles -YourQuotaOfUsersIsReached=Your quota of active users is reached ! -NbOfUsers=Number of users -NbOfPermissions=Number of permissions -DontDowngradeSuperAdmin=Only a superadmin can downgrade a superadmin -HierarchicalResponsible=Supervisor -HierarchicView=Hierarchical view -UseTypeFieldToChange=Use field Type to change -OpenIDURL=OpenID URL -LoginUsingOpenID=Use OpenID to login -WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected hours worked per week -ColorUser=Color of the user -DisabledInMonoUserMode=Disabled in maintenance mode -UserAccountancyCode=User accounting code -UserLogoff=User logout -UserLogged=User logged -DateOfEmployment=Employment date -DateEmployment=Employment -DateEmploymentStart=Employment Start Date -DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Access validity date range -CantDisableYourself=You can't disable your own user record -ForceUserExpenseValidator=Force expense report validator -ForceUserHolidayValidator=Force leave request validator -ValidatorIsSupervisorByDefault=By default, the validator is the supervisor of the user. Keep empty to keep this behaviour. -UserPersonalEmail=Personal email -UserPersonalMobile=Personal mobile phone -WarningNotLangOfInterface=Warning, this is the main language the user speak, not the language of the interface he choosed to see. To change the interface language visible by this user, go on tab %s -DateLastLogin=Date last login -DatePreviousLogin=Date previous login -IPLastLogin=IP last login -IPPreviousLogin=IP previous login -ShowAllPerms=Show all permission rows -HideAllPerms=Hide all permission rows +ListOfGroups=רשימת קבוצות +NewGroup=קבוצה חדשה +CreateGroup=צור קבוצה +RemoveFromGroup=הסר מהקבוצה +PasswordChangedAndSentTo=הסיסמה שונתה ונשלחה אל %s. +PasswordChangeRequest=בקשה לשנות סיסמה עבור %s +PasswordChangeRequestSent=בקשה לשינוי סיסמה עבור %s נשלחה אל %s. +IfLoginExistPasswordRequestSent=אם התחברות זו היא חשבון חוקי (עם דוא"ל חוקי), נשלח אימייל לאיפוס סיסמה. +IfEmailExistPasswordRequestSent=אם האימייל הזה הוא חשבון חוקי, הודעת אימייל לאיפוס סיסמה נשלחה (זכור לבדוק את תיקיית ה-SPAM שלך אם לא קיבלת שום דבר) +ConfirmPasswordReset=אשר את איפוס הסיסמה +MenuUsersAndGroups=משתמשים וקבוצות +LastGroupsCreated=הקבוצות האחרונות של %s נוצרו +LastUsersCreated=המשתמשים האחרונים של %s נוצרו +ShowGroup=הצג קבוצה +ShowUser=הצג משתמש +NonAffectedUsers=משתמשים לא הוקצו +UserModified=המשתמש השתנה בהצלחה +PhotoFile=קובץ תמונה +ListOfUsersInGroup=רשימת משתמשים בקבוצה זו +ListOfGroupsForUser=רשימת קבוצות עבור משתמש זה +LinkToCompanyContact=קישור לצד שלישי / איש קשר +LinkedToDolibarrMember=קישור לחבר +LinkedToDolibarrUser=קישור למשתמש +LinkedToDolibarrThirdParty=קישור לצד שלישי +CreateDolibarrLogin=צור משתמש +CreateDolibarrThirdParty=צור צד שלישי +LoginAccountDisableInDolibarr=החשבון מושבת ב-Dolibarr +PASSWORDInDolibarr=הסיסמה השתנתה ב-Dolibarr +UsePersonalValue=השתמש בערך אישי +ExportDataset_user_1=משתמשים והמאפיינים שלהם +DomainUser=משתמש דומיין %s +Reactivate=הפעל מחדש +CreateInternalUserDesc=טופס זה מאפשר לך ליצור משתמש פנימי בחברה/ארגון שלך. כדי ליצור משתמש חיצוני (לקוח, ספק וכו'...), השתמש בלחצן 'צור משתמש Dolibarr' מכרטיס הקשר של אותו צד שלישי. +InternalExternalDesc=משתמש פנימי הוא משתמש שהוא חלק מהחברה/ארגון שלך, או שהוא משתמש שותף מחוץ לארגון שלך שאולי יצטרך לראות יותר נתונים מאשר נתונים הקשורים לחברה שלו (מערכת ההרשאות תגדיר מה הוא יכול או לא יכול לראות או לעשות).
      An external הוא לקוח, ספק או אחר שחייב להציג רק נתונים הקשורים לעצמו (יצירת משתמש חיצוני עבור צד שלישי יכולה להיות נעשה מתוך רשומת אנשי הקשר של הצד השלישי).

      בשני המקרים, עליך להעניק הרשאות לתכונות הצורך של המשתמש. +PermissionInheritedFromAGroup=הרשאה ניתנה בגלל בירושה מאחד מקבוצת המשתמש. +Inherited=ירש +UserWillBe=המשתמש שנוצר יהיה +UserWillBeInternalUser=המשתמש שנוצר יהיה משתמש פנימי (מכיוון שאינו מקושר לצד שלישי מסוים) +UserWillBeExternalUser=המשתמש שנוצר יהיה משתמש חיצוני (מכיוון שהוא מקושר לצד שלישי מסוים) +IdPhoneCaller=מתקשר לטלפון מזהה +NewUserCreated=המשתמש %s נוצר +NewUserPassword=שינוי סיסמה עבור %s +NewPasswordValidated=הסיסמה החדשה שלך אומתה ויש להשתמש בה כעת כדי להתחבר. +EventUserModified=המשתמש %s השתנה +UserDisabled=משתמש %s מושבת +UserEnabled=משתמש %s הופעל +UserDeleted=המשתמש %s הוסר +NewGroupCreated=הקבוצה %s נוצרה +GroupModified=הקבוצה %s השתנתה +GroupDeleted=הקבוצה %s הוסרה +ConfirmCreateContact=האם אתה בטוח שברצונך ליצור חשבון Dolibarr עבור איש הקשר הזה? +ConfirmCreateLogin=האם אתה בטוח שברצונך ליצור חשבון Dolibarr עבור חבר זה? +ConfirmCreateThirdParty=האם אתה בטוח שברצונך ליצור צד שלישי עבור חבר זה? +LoginToCreate=התחבר כדי ליצור +NameToCreate=שם הצד השלישי ליצירה +YourRole=התפקידים שלך +YourQuotaOfUsersIsReached=הגעת למכסת המשתמשים הפעילים שלך! +NbOfUsers=מספר משתמשים +NbOfPermissions=מספר הרשאות +DontDowngradeSuperAdmin=רק מנהל אחר יכול לשדרג לאחור מנהל מערכת +HierarchicalResponsible=מְפַקֵחַ +HierarchicView=השקפה היררכית +UseTypeFieldToChange=השתמש בשדה 'סוג' כדי לשנות +OpenIDURL=כתובת אתר של OpenID +LoginUsingOpenID=השתמש ב-OpenID כדי להתחבר +WeeklyHours=שעות עבודה (בשבוע) +ExpectedWorkedHours=שעות עבודה צפויות בשבוע +ColorUser=צבע המשתמש +DisabledInMonoUserMode=מושבת במצב תחזוקה +UserAccountancyCode=קוד חשבונאות משתמש +UserLogoff=התנתק משתמש: %s +UserLogged=משתמש מחובר: %s +UserLoginFailed=התחברות המשתמש נכשלה: %s +DateOfEmployment=תאריך תעסוקה +DateEmployment=תעסוקה +DateEmploymentStart=תאריך תחילת עבודה +DateEmploymentEnd=תאריך סיום העסקה +RangeOfLoginValidity=גישה לטווח תאריכי תוקף +CantDisableYourself=אתה לא יכול להשבית את רשומת המשתמש שלך +ForceUserExpenseValidator=כפה מאמת דוחות הוצאות +ForceUserHolidayValidator=כפוי אימות בקשת עזיבה +ValidatorIsSupervisorByDefault=כברירת מחדל, המאמת הוא המפקח על המשתמש. השאר ריק כדי לשמור על התנהגות זו. +UserPersonalEmail=דוא"ל אישי +UserPersonalMobile=טלפון נייד אישי +WarningNotLangOfInterface=אזהרה, זו השפה העיקרית שהמשתמש מדבר, לא שפת הממשק שהוא בחר לראות. כדי לשנות את שפת הממשק הנראית למשתמש זה, עבור לכרטיסייה %s +DateLastLogin=תאריך הכניסה האחרונה +DatePreviousLogin=תאריך כניסה קודם +IPLastLogin=התחברות אחרונה ב-IP +IPPreviousLogin=כניסה קודמת IP +ShowAllPerms=הצג את כל שורות ההרשאות +HideAllPerms=הסתר את כל שורות ההרשאות +UserPublicPageDesc=אתה יכול להפעיל כרטיס וירטואלי עבור משתמש זה. כתובת אתר עם פרופיל המשתמש וברקוד תהיה זמינה כדי לאפשר לכל מי שיש לו סמארטפון לסרוק אותו ולהוסיף את איש הקשר שלך לספר הכתובות שלו. +EnablePublicVirtualCard=הפעל את כרטיס הביקור הווירטואלי של המשתמש +UserEnabledDisabled=סטטוס המשתמש השתנה: %s +AlternativeEmailForOAuth2=דוא"ל חלופי עבור התחברות OAuth2 diff --git a/htdocs/langs/he_IL/website.lang b/htdocs/langs/he_IL/website.lang index 3d4c70f99e7..50bc2e24930 100644 --- a/htdocs/langs/he_IL/website.lang +++ b/htdocs/langs/he_IL/website.lang @@ -1,147 +1,166 @@ # Dolibarr language file - Source file is en_US - website -Shortname=Code -WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them. -DeleteWebsite=Delete website -ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. -WEBSITE_TYPE_CONTAINER=Type of page/container -WEBSITE_PAGE_EXAMPLE=Web page to use as example -WEBSITE_PAGENAME=Page name/alias -WEBSITE_ALIASALT=Alternative page names/aliases -WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
      alternativename1, alternativename2, ... -WEBSITE_CSS_URL=URL of external CSS file -WEBSITE_CSS_INLINE=CSS file content (common to all pages) -WEBSITE_JS_INLINE=Javascript file content (common to all pages) -WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) -WEBSITE_ROBOT=Robot file (robots.txt) -WEBSITE_HTACCESS=Website .htaccess file -WEBSITE_MANIFEST_JSON=Website manifest.json file -WEBSITE_README=README.md file -WEBSITE_KEYWORDSDesc=Use a comma to separate values -EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. -HtmlHeaderPage=HTML header (specific to this page only) -PageNameAliasHelp=Name or alias of the page.
      This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. -EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. -MediaFiles=Media library -EditCss=Edit website properties -EditMenu=Edit menu -EditMedias=Edit medias -EditPageMeta=Edit page/container properties -EditInLine=Edit inline -AddWebsite=Add website -Webpage=Web page/container -AddPage=Add page/container -PageContainer=Page -PreviewOfSiteNotYetAvailable=The preview of your website %s is not yet available. You must first 'Import a full website template' or just 'Add a page/container'. -RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this. -SiteDeleted=Web site '%s' deleted -PageContent=Page/Contenair -PageDeleted=Page/Contenair '%s' of website %s deleted -PageAdded=Page/Contenair '%s' added -ViewSiteInNewTab=View site in new tab -ViewPageInNewTab=View page in new tab -SetAsHomePage=Set as Home page -RealURL=Real URL -ViewWebsiteInProduction=View web site using home URLs -SetHereVirtualHost=Use with Apache/NGinx/...
      Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
      %s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: -YouCanAlsoTestWithPHPS=Use with PHP embedded server
      On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
      php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
      If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org -CheckVirtualHostPerms=Check also that the virtual host user (for example www-data) has %s permissions on files into
      %s -ReadPerm=Read -WritePerm=Write -TestDeployOnWeb=Test/deploy on web -PreviewSiteServedByWebServer=Preview %s in a new tab.

      The %s will be served by an external web server (like Apache, Nginx, IIS). You must install and setup this server before to point to directory:
      %s
      URL served by external server:
      %s -PreviewSiteServedByDolibarr=Preview %s in a new tab.

      The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed.
      The inconvenient is that the URLs of pages are not user friendly and start with the path of your Dolibarr.
      URL served by Dolibarr:
      %s

      To use your own external web server to serve this web site, create a virtual host on your web server that points on directory
      %s
      then enter the name of this virtual server in the properties of this website and click on the link "Test/Deploy on the web". -VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined -NoPageYet=No pages yet -YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template -SyntaxHelp=Help on specific syntax tips -YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . -ClonePage=Clone page/container -CloneSite=Clone site -SiteAdded=Website added -ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page. -PageIsANewTranslation=The new page is a translation of the current page ? -LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page. -ParentPageId=Parent page ID -WebsiteId=Website ID -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... -OrEnterPageInfoManually=Or create page from scratch or from a page template... -FetchAndCreate=Fetch and Create -ExportSite=Export website -ImportSite=Import website template -IDOfPage=Id of page -Banner=Banner -BlogPost=Blog post -WebsiteAccount=Website account -WebsiteAccounts=Website accounts -AddWebsiteAccount=Create web site account -BackToListForThirdParty=Back to list for the third-party -DisableSiteFirst=Disable website first -MyContainerTitle=My web site title -AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists) -SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please comme back later... -WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table -WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party -YouMustDefineTheHomePage=You must first define the default Home page -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correclty when used on a grabbed external page. -OnlyEditionOfSourceForGrabbedContent=Only edition of HTML source is possible when content was grabbed from an external site -GrabImagesInto=Grab also images found into css and page. -ImagesShouldBeSavedInto=Images should be saved into directory -WebsiteRootOfImages=Root directory for website images -SubdirOfPage=Sub-directory dedicated to page -AliasPageAlreadyExists=Alias page %s already exists -CorporateHomePage=Corporate Home page -EmptyPage=Empty page -ExternalURLMustStartWithHttp=External URL must start with http:// or https:// -ZipOfWebsitePackageToImport=Upload the Zip file of the website template package -ZipOfWebsitePackageToLoad=or Choose an available embedded website template package -ShowSubcontainers=Show dynamic content -InternalURLOfPage=Internal URL of page -ThisPageIsTranslationOf=This page/container is a translation of -ThisPageHasTranslationPages=This page/container has translation -NoWebSiteCreateOneFirst=No website has been created yet. Create one first. -GoTo=Go to -DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). -NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. -ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? -MyWebsitePages=My website pages -SearchReplaceInto=Search | Replace into -ReplaceString=New string -CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. -Dynamiccontent=Sample of a page with dynamic content -ImportSite=Import website template -EditInLineOnOff=Mode 'Edit inline' is %s -ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s -GlobalCSSorJS=Global CSS/JS/Header file of web site -BackToHomePage=Back to home page... -TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
      (ref=%s, type=%s, status=%s) -UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters -MainLanguage=Main language -OtherLanguages=Other languages -UseManifest=Provide a manifest.json file -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers +Shortname=קוד +WebsiteName=שם האתר +WebsiteSetupDesc=צור כאן את האתרים שבהם אתה רוצה להשתמש. לאחר מכן היכנס לתפריט אתרי אינטרנט כדי לערוך אותם. +DeleteWebsite=מחק אתר +ConfirmDeleteWebsite=האם אתה בטוח שברצונך למחוק אתר אינטרנט זה? גם כל הדפים והתוכן שלה יוסרו. הקבצים שהועלו (כמו לתוך ספריית המדיה, מודול ה-ECM, ...) יישארו. +WEBSITE_TYPE_CONTAINER=סוג הדף/מיכל +WEBSITE_PAGE_EXAMPLE=דף אינטרנט לשימוש כדוגמה +WEBSITE_PAGENAME=שם/כינוי עמוד +WEBSITE_ALIASALT=שמות/כינויים חלופיים של דפים +WEBSITE_ALIASALTDesc=השתמש כאן ברשימה של שמות/כינויים אחרים כך שניתן יהיה לגשת לדף גם באמצעות שמות/כינויים אחרים זה (לדוגמה השם הישן לאחר שינוי שם הכינוי כדי לשמור על קישור חוזר בקישור/שם ישן פועל). התחביר הוא:
      alternativename1, alternativename2, ... +WEBSITE_CSS_URL=כתובת האתר של קובץ CSS חיצוני +WEBSITE_CSS_INLINE=תוכן קובץ CSS (משותף לכל הדפים) +WEBSITE_JS_INLINE=תוכן קובץ JavaScript (משותף לכל הדפים) +WEBSITE_HTML_HEADER=תוספת בתחתית כותרת HTML (משותף לכל הדפים) +WEBSITE_ROBOT=קובץ רובוט (robots.txt) +WEBSITE_HTACCESS=אתר קובץ .htaccess +WEBSITE_MANIFEST_JSON=אתר manifest.json קובץ +WEBSITE_KEYWORDSDesc=השתמש בפסיק כדי להפריד בין ערכים +EnterHereReadmeInformation=הזינו כאן תיאור של האתר. אם תפיץ את האתר שלך כתבנית, הקובץ ייכלל בחבילת temptate. +EnterHereLicenseInformation=הזן כאן את הרישיון של הקוד של האתר. אם תפיץ את האתר שלך כתבנית, הקובץ ייכלל בחבילת temptate. +HtmlHeaderPage=כותרת HTML (ספציפית לדף זה בלבד) +PageNameAliasHelp=שם או כינוי של הדף.
      כינוי זה משמש גם לזיוף כתובת אתר לקידום אתרים כאשר האתר מופעל ממארח וירטואלי של שרת אינטרנט (כמו Apacke, Nginx, .. .). השתמש בכפתור "%s" כדי לערוך כינוי זה. +EditTheWebSiteForACommonHeader=הערה: אם ברצונך להגדיר כותרת מותאמת אישית לכל הדפים, ערוך את הכותרת ברמת האתר במקום בעמוד/מיכל. +MediaFiles=ספריית מדיה +EditCss=ערוך את מאפייני האתר +EditMenu=תפריט עריכה +EditMedias=ערוך מדיה +EditPageMeta=ערוך מאפייני דף/מיכל +EditInLine=ערוך בשורה +AddWebsite=הוסף אתר +Webpage=דף אינטרנט/מיכל +AddPage=הוסף עמוד/מיכל +PageContainer=עמוד +PreviewOfSiteNotYetAvailable=התצוגה המקדימה של האתר שלך %s עדיין לא זמינה. תחילה עליך 'לייבא תבנית אתר מלאה' או רק 'b0e7843947' span>הוסף דף/מיכל
      '. +RequestedPageHasNoContentYet=לדף המבוקש עם המזהה %s אין עדיין תוכן, או שקובץ המטמון .tpl.php הוסר. ערוך את תוכן העמוד כדי לפתור זאת. +SiteDeleted=אתר האינטרנט '%s' נמחק +PageContent=עמוד/Contenair +PageDeleted=הדף/Contenair '%s' של האתר %s נמחק +PageAdded=עמוד/Contenair '%s' נוסף +ViewSiteInNewTab=הצג את האתר בכרטיסייה חדשה +ViewPageInNewTab=הצג את הדף בכרטיסייה חדשה +SetAsHomePage=הגדר כדף הבית +RealURL=כתובת אתר אמיתית +ViewWebsiteInProduction=צפה באתר אינטרנט באמצעות כתובות אתרים ביתיות +Virtualhost=מארח וירטואלי או שם דומיין +VirtualhostDesc=שם המארח הווירטואלי או הדומיין (לדוגמה: www.mywebsite.com, mybigcompany.net, ...) +SetHereVirtualHost=השתמש עם Apache/NGinx/...
      צור ב- שרת האינטרנט שלך (Apache, Nginx, ...) מארח וירטואלי ייעודי עם PHP מופעל וספריית בסיס ב
      %s +ExampleToUseInApacheVirtualHostConfig=דוגמה לשימוש בהגדרת מארח וירטואלי של Apache: +YouCanAlsoTestWithPHPS=שימוש עם שרת משובץ PHP
      בסביבת פיתוח, אתה יכול מעדיף לבדוק את האתר עם שרת האינטרנט המשובץ של PHP (נדרש PHP 5.5) על ידי הפעלת
      php -S 0.0.0.0 :8080 -t %s +YouCanAlsoDeployToAnotherWHP=הפעל את אתר האינטרנט שלך עם ספק אירוח אחר של Dolibarr
      If you אין לך שרת אינטרנט כמו Apache או NGinx זמין באינטרנט, אתה יכול לייצא ולייבא את אתר האינטרנט שלך למופע אחר של Dolibarr שסופק על ידי ספק אירוח אחר של Dolibarr המספק אינטגרציה מלאה עם מודול האתר. תוכל למצוא רשימה של כמה ספקי אירוח של Dolibarr ב-https://saas.dolibarr.org +CheckVirtualHostPerms=בדוק גם שלמשתמש המארח הווירטואלי (לדוגמה www-data) יש %s הרשאות על קבצים לתוך
      %s +ReadPerm=לקרוא +WritePerm=לִכתוֹב +TestDeployOnWeb=בדיקה/פריסה באינטרנט +PreviewSiteServedByWebServer=תצוגה מקדימה של %s בכרטיסייה חדשה.

      ה-%s יוגש על ידי שרת אינטרנט חיצוני (כמו Apache, Nginx, IIS ). עליך להתקין ולהגדיר את השרת הזה לפני כדי להצביע על הספרייה:
      %s span>
      כתובת אתר מוגשת על ידי שרת חיצוני:
      %s +PreviewSiteServedByDolibarr=תצוגה מקדימה של %s בכרטיסייה חדשה.

      ה-%s יוגש על ידי שרת Dolibarr כך שהוא לא צריך שום שרת אינטרנט נוסף (כמו Apache, Nginx, IIS) להתקנה.
      הבלתי נוח הוא שכתובות האתרים של הדפים אינן ידידותיות למשתמש ומתחילות בנתיב של Dolibarr שלך.
      כתובת אתר מוגשת על ידי Dolibarr:
      . המשתנים הגלובליים הבאים זמינים: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      אתה יכול גם לכלול תוכן של דף/מיכל אחר עם התחביר הבא:
      <?php includeContainer('alias_to_include'); ?>
      b03492bzfcc<03192bzcc אתה יכול לבצע הפניה מחדש לדף/מיכל אחר עם התחביר הבא (הערה: אין פלט תוכן לפני הפניה מחדש):
      <?php('redirectToContainer alias_of_container_to_redirect_to'); ?>
      b03492bzfcc<03192bzcc כדי להוסיף קישור לדף אחר, השתמש בתחביר:
      <a href="alias_of_page_to_link_to.php"b0012c7z0 >mylink<a>

      to include a קישור להורדה קובץ המאוחסן במסמכי notranslate'> בספרייה, השתמשו בספריית document.php class='notranslate' >
      לדוגמה, עבור קובץ למסמכים/ecm (צריך להתחבר), התחביר הוא:
      ><a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      עבור קובץ למסמכים/מדיה (ספרייה פתוחה לגישה ציבורית), התחביר הוא:
      <a href="/document.php?modulepart=medias&file=]file_dir/ ext">
      עבור קובץ משותף עם קישור שיתוף ( גישה פתוחה באמצעות מפתח ה-hash השיתוף של הקובץ), התחביר הוא:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      כדי לכלול image מאוחסנת ב-מסמכים070zfcfc107b0f07bcf> , השתמש במעטפת viewimage.php.b0342fccfda19bzle,לדוגמה תמונה למסמכים/מדיה (ספרייה פתוחה לגישה ציבורית), התחביר הוא:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      +YouCanEditHtmlSourceMore=
      דוגמאות נוספות של HTML או קוד דינמי זמינות בתיעוד הוויקי >.
      +ClonePage=שיבוט דף/מיכל +CloneSite=אתר שיבוט +SiteAdded=האתר נוסף +ConfirmClonePage=נא להזין קוד/כינוי של דף חדש ואם זה תרגום של הדף המשובט. +PageIsANewTranslation=העמוד החדש הוא תרגום של העמוד הנוכחי? +LanguageMustNotBeSameThanClonedPage=אתה משכפל דף כתרגום. השפה של הדף החדש חייבת להיות שונה משפת דף המקור. +ParentPageId=מזהה דף הורה +WebsiteId=מזהה אתר +CreateByFetchingExternalPage=צור דף/מיכל על ידי שליפת דף מכתובת אתר חיצונית... +OrEnterPageInfoManually=או צור דף מאפס או מתבנית עמוד... +FetchAndCreate=אחזר וצור +ExportSite=אתר ייצוא +ImportSite=ייבוא תבנית אתר +IDOfPage=מזהה העמוד +Banner=דֶגֶל +BlogPost=פוסט בבלוג +WebsiteAccount=חשבון אתר +WebsiteAccounts=חשבונות אתרים +AddWebsiteAccount=צור חשבון אתר אינטרנט +BackToListForThirdParty=חזרה לרשימה עבור צדדים שלישיים +DisableSiteFirst=תחילה השבת את האתר +MyContainerTitle=כותרת האתר שלי +AnotherContainer=כך ניתן לכלול תוכן של עמוד/מיכל אחר (ייתכן שיש לך שגיאה כאן אם תפעיל קוד דינמי כי ייתכן שתת-מיכל המוטבע אינו קיים) +SorryWebsiteIsCurrentlyOffLine=מצטערים, אתר זה אינו מקוון כרגע. בבקשה תחזור מאוחר יותר... +WEBSITE_USE_WEBSITE_ACCOUNTS=הפעל את טבלת החשבונות של אתר האינטרנט +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=אפשר לטבלה לאחסן חשבונות אתר אינטרנט (כניסה/מעבר) עבור כל אתר / צד שלישי +YouMustDefineTheHomePage=תחילה עליך להגדיר את דף הבית המוגדר כברירת מחדל +OnlyEditionOfSourceForGrabbedContentFuture=אזהרה: יצירת דף אינטרנט על ידי ייבוא דף אינטרנט חיצוני שמורה למשתמשים מנוסים. בהתאם למורכבות דף המקור, תוצאת הייבוא עשויה להיות שונה מהמקור. כמו כן, אם דף המקור משתמש בסגנונות CSS נפוצים או ב-JavaScript סותרים, הוא עלול לשבור את המראה או התכונות של עורך האתר בעת העבודה על דף זה. שיטה זו היא דרך מהירה יותר ליצור דף, אך מומלץ ליצור את הדף החדש שלך מאפס או מתבנית עמוד מוצעת.
      שים לב גם שייתכן שהעורך המוטבע לא יעבוד תקינות כאשר נעשה שימוש בדף חיצוני שנתפס. +OnlyEditionOfSourceForGrabbedContent=רק מהדורה של מקור HTML אפשרית כאשר תוכן נתפס מאתר חיצוני +GrabImagesInto=תפוס גם תמונות שנמצאו ב-CSS ובדף. +ImagesShouldBeSavedInto=יש לשמור את התמונות בספרייה +WebsiteRootOfImages=ספריית שורש לתמונות אתרים +SubdirOfPage=ספריית משנה המוקדשת לעמוד +AliasPageAlreadyExists=דף הכינוי %s כבר קיים +CorporateHomePage=עמוד הבית של החברה +EmptyPage=עמוד ריק +ExternalURLMustStartWithHttp=כתובת אתר חיצונית חייבת להתחיל ב-http:// או https:// +ZipOfWebsitePackageToImport=העלה את קובץ ה-Zip של חבילת תבנית האתר +ZipOfWebsitePackageToLoad=או בחר חבילת תבניות אתר משובצת זמינה +ShowSubcontainers=הצג תוכן דינמי +InternalURLOfPage=כתובת URL פנימית של הדף +ThisPageIsTranslationOf=דף/מיכל זה הוא תרגום של +ThisPageHasTranslationPages=לדף/מיכל זה יש תרגום +NoWebSiteCreateOneFirst=עדיין לא נוצר אתר. תחילה צור אחד. +GoTo=לך ל +DynamicPHPCodeContainsAForbiddenInstruction=אתה מוסיף קוד PHP דינמי שמכיל את הוראת PHP '%s ' האסור כברירת מחדל כתוכן דינמי (ראה אפשרויות נסתרות WEBSITE_PHP_ALLOW_xxx כדי להגדיל את רשימת הפקודות המותרות). +NotAllowedToAddDynamicContent=אין לך הרשאה להוסיף או לערוך תוכן דינמי של PHP באתרי אינטרנט. בקש רשות או פשוט השאר את הקוד בתגיות php ללא שינוי. +ReplaceWebsiteContent=חפש או החלף תוכן אתר +DeleteAlsoJs=האם למחוק גם את כל קבצי JavaScript הספציפיים לאתר זה? +DeleteAlsoMedias=למחוק גם את כל קובצי המדיה הספציפיים לאתר זה? +MyWebsitePages=דפי האתר שלי +SearchReplaceInto=חפש | החלף לתוך +ReplaceString=מחרוזת חדשה +CSSContentTooltipHelp=הזן כאן תוכן CSS. כדי למנוע כל התנגשות עם ה-CSS של האפליקציה, הקפד להוסיף את כל ההצהרות עם המחלקה .bodywebsite. לדוגמה:

      #mycssselector, input.myclass:hover { ...
      חייב להיות
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ...

      הערה: אם יש לך קובץ גדול ללא קידומת זו, אתה יכול להשתמש ב-'lessc' כדי להמיר אותו כדי להוסיף את הקידומת .bodywebsite בכל מקום. +LinkAndScriptsHereAreNotLoadedInEditor=אזהרה: תוכן זה מופק רק כאשר הגישה לאתר מתבצעת משרת. זה לא בשימוש במצב עריכה אז אם אתה צריך לטעון קבצי JavaScript גם במצב עריכה, פשוט הוסף את התג שלך 'script src=...' לדף. +Dynamiccontent=דוגמה של עמוד עם תוכן דינמי +ImportSite=ייבוא תבנית אתר +EditInLineOnOff=המצב 'ערוך מוטבע' הוא %s +ShowSubContainersOnOff=המצב לביצוע 'תוכן דינמי' הוא %s +GlobalCSSorJS=קובץ CSS/JS/Header גלובלי של אתר אינטרנט +BackToHomePage=בחזרה לעמוד הבית... +TranslationLinks=קישורי תרגום +YouTryToAccessToAFileThatIsNotAWebsitePage=אתה מנסה לגשת לדף שאינו זמין.
      (ref=%s, type=%s, status=%s) +UseTextBetween5And70Chars=לשיטות קידום אתרים טובות, השתמש בטקסט בין 5 ל-70 תווים +MainLanguage=שפה עיקרית +OtherLanguages=שפות אחרות +UseManifest=ספק קובץ manifest.json +PublicAuthorAlias=כינוי מחבר ציבורי +AvailableLanguagesAreDefinedIntoWebsiteProperties=שפות זמינות מוגדרות במאפייני האתר +ReplacementDoneInXPages=ההחלפה בוצעה בדפים או במכולות %s RSSFeed=עדכוני RSS -RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL -PagesRegenerated=%s page(s)/container(s) regenerated -RegenerateWebsiteContent=Regenerate web site cache files -AllowedInFrames=Allowed in Frames -DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties. -GenerateSitemaps=Generate website sitemap file -ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... -ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap file %s generated +RSSFeedDesc=אתה יכול לקבל עדכון RSS של מאמרים אחרונים עם הסוג 'בלוגפוסט' באמצעות כתובת האתר הזו +PagesRegenerated=%s דפים/מיכלים נוצרו מחדש +RegenerateWebsiteContent=צור מחדש קבצי מטמון של אתר אינטרנט +AllowedInFrames=מותר במסגרות +DefineListOfAltLanguagesInWebsiteProperties=הגדר רשימה של כל השפות הזמינות בנכסי אתר אינטרנט. +GenerateSitemaps=צור קובץ sitemap.xml של אתר אינטרנט +ConfirmGenerateSitemaps=אם תאשר, תמחק את קובץ ה-Sitemap הקיים... +ConfirmSitemapsCreation=אשר את יצירת מפת האתר +SitemapGenerated=קובץ ה-Sitemap %s נוצר ImportFavicon=Favicon -ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 -FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) +ErrorFaviconType=Favicon חייב להיות png +ErrorFaviconSize=Favicon חייב להיות בגודל 16x16, 32x32 או 64x64 +FaviconTooltip=העלה תמונה שצריכה להיות PNG (16x16, 32x32 או 64x64) +NextContainer=העמוד הבא/מיכל +PreviousContainer=עמוד/מיכל קודם +WebsiteMustBeDisabled=האתר חייב להיות בעל הסטטוס "%s" +WebpageMustBeDisabled=לדף האינטרנט חייב להיות הסטטוס "%s" +SetWebsiteOnlineBefore=כאשר האתר אינו מקוון, כל הדפים אינם מקוונים. שנה תחילה את סטטוס האתר. +Booking=הזמנה +Reservation=הזמנה +PagesViewedPreviousMonth=דפים שנצפו (בחודש הקודם) +PagesViewedTotal=דפים שנצפו (סה"כ) +Visibility=רְאוּת +Everyone=כל אחד +AssignedContacts=אנשי קשר שהוקצו +WebsiteTypeLabel=סוג אתר אינטרנט +WebsiteTypeDolibarrWebsite=אתר אינטרנט (CMS Dolibarr) +WebsiteTypeDolibarrPortal=פורטל דוליבר יליד diff --git a/htdocs/langs/he_IL/withdrawals.lang b/htdocs/langs/he_IL/withdrawals.lang index bda987276b1..038e9a84010 100644 --- a/htdocs/langs/he_IL/withdrawals.lang +++ b/htdocs/langs/he_IL/withdrawals.lang @@ -1,156 +1,174 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Payments by Direct debit orders -SuppliersStandingOrdersArea=Payments by Credit transfer -StandingOrdersPayment=Direct debit payment orders -StandingOrderPayment=Direct debit payment order -NewStandingOrder=New direct debit order -NewPaymentByBankTransfer=New payment by credit transfer -StandingOrderToProcess=To process -PaymentByBankTransferReceipts=Credit transfer orders -PaymentByBankTransferLines=Credit transfer order lines -WithdrawalsReceipts=Direct debit orders -WithdrawalReceipt=Direct debit order -BankTransferReceipts=Credit transfer orders -BankTransferReceipt=Credit transfer order -LatestBankTransferReceipts=Latest %s credit transfer orders -LastWithdrawalReceipts=Latest %s direct debit files -WithdrawalsLine=Direct debit order line -CreditTransfer=Credit transfer -CreditTransferLine=Credit transfer line -WithdrawalsLines=Direct debit order lines -CreditTransferLines=Credit transfer lines -RequestStandingOrderToTreat=Requests for direct debit payment order to process -RequestStandingOrderTreated=Requests for direct debit payment order processed -RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process -RequestPaymentsByBankTransferTreated=Requests for credit transfer processed -NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order -NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information -NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer -SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer -InvoiceWaitingWithdraw=Invoice waiting for direct debit -InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer -AmountToWithdraw=Amount to withdraw -NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. -NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. -ResponsibleUser=User Responsible -WithdrawalsSetup=Direct debit payment setup -CreditTransferSetup=Credit transfer setup -WithdrawStatistics=Direct debit payment statistics -CreditTransferStatistics=Credit transfer statistics -Rejects=Rejects -LastWithdrawalReceipt=Latest %s direct debit receipts -MakeWithdrawRequest=Make a direct debit payment request -MakeBankTransferOrder=Make a credit transfer request -WithdrawRequestsDone=%s direct debit payment requests recorded -BankTransferRequestsDone=%s credit transfer requests recorded -ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. -WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. -ClassCredited=Classify credited -ClassDebited=Classify debited -ClassCreditedConfirm=Are you sure you want to classify this withdrawal receipt as credited on your bank account? -TransData=Transmission date -TransMetod=Transmission method -Send=Send -Lines=Lines -StandingOrderReject=Issue a rejection -WithdrawsRefused=Direct debit refused -WithdrawalRefused=Withdrawal refused -CreditTransfersRefused=Credit transfers refused -WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society -RefusedData=Date of rejection -RefusedReason=Reason for rejection -RefusedInvoicing=Billing the rejection -NoInvoiceRefused=Do not charge the rejection -InvoiceRefused=Invoice refused (Charge the rejection to customer) -StatusDebitCredit=Status debit/credit -StatusWaiting=Waiting -StatusTrans=Sent -StatusDebited=Debited -StatusCredited=Credited -StatusPaid=Paid -StatusRefused=Refused -StatusMotif0=Unspecified -StatusMotif1=Insufficient funds -StatusMotif2=Request contested -StatusMotif3=No direct debit payment order -StatusMotif4=Sales Order -StatusMotif5=RIB unusable -StatusMotif6=Account without balance -StatusMotif7=Judicial Decision -StatusMotif8=Other reason -CreateForSepaFRST=Create direct debit file (SEPA FRST) -CreateForSepaRCUR=Create direct debit file (SEPA RCUR) -CreateAll=Create direct debit file -CreateFileForPaymentByBankTransfer=Create file for credit transfer -CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) -CreateGuichet=Only office -CreateBanque=Only bank -OrderWaiting=Waiting for treatment -NotifyTransmision=Record file transmission of order -NotifyCredit=Record credit of order -NumeroNationalEmetter=National Transmitter Number -WithBankUsingRIB=For bank accounts using RIB -WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT -BankToReceiveWithdraw=Receiving Bank Account -BankToPayCreditTransfer=Bank Account used as source of payments -CreditDate=Credit on -WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) -ShowWithdraw=Show Direct Debit Order -IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Payment by direct debit to generate and manage the direct debit order. When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu Bank->Payment by credit transfer to generate and manage the credit transfer order. When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -WithdrawalFile=Debit order file -CreditTransferFile=Credit transfer file -SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null -StatisticsByLineStatus=Statistics by status of lines +CustomersStandingOrdersArea=תשלומים באמצעות הוראת קבע +SuppliersStandingOrdersArea=תשלומים באמצעות העברת אשראי +StandingOrdersPayment=הוראות תשלום בהוראת קבע +StandingOrderPayment=הוראת תשלום בהוראת קבע +NewStandingOrder=הוראת הוראת קבע חדשה +NewPaymentByBankTransfer=תשלום חדש בהעברה אשראי +StandingOrderToProcess=לעבד +PaymentByBankTransferReceipts=הזמנות להעברת אשראי +PaymentByBankTransferLines=קווי הזמנת העברת אשראי +WithdrawalsReceipts=הוראות הוראת קבע +WithdrawalReceipt=הוראת הוראת קבע +BankTransferReceipts=הזמנות להעברת אשראי +BankTransferReceipt=הזמנת העברת אשראי +LatestBankTransferReceipts=הזמנות %s האחרונות להעברת אשראי +LastWithdrawalReceipts=קבצי %s העדכניים ביותר בהוראת קבע +WithdrawalsLine=שורת הוראת קבע +CreditTransfer=העברת אשראי +CreditTransferLine=קו העברת אשראי +WithdrawalsLines=שורות הוראת קבע +CreditTransferLines=קווי העברת אשראי +RequestStandingOrderToTreat=בקשות לעיבוד הוראת תשלום בהוראת קבע +RequestStandingOrderTreated=בקשות להוראת קבע טופלה +RequestPaymentsByBankTransferToTreat=בקשות להעברת אשראי לעיבוד +RequestPaymentsByBankTransferTreated=בקשות להעברת אשראי טופלו +NotPossibleForThisStatusOfWithdrawReceiptORLine=עדיין לא אפשרי. יש להגדיר את סטטוס המשיכה ל'זיכוי' לפני הכרזת דחייה בקווים ספציפיים. +NbOfInvoiceToWithdraw=מספר חשבוניות של לקוחות מוסמכים עם הוראת הוראת קבע ממתינה +NbOfInvoiceToWithdrawWithInfo=מספר חשבונית לקוח עם פקודות תשלום בהוראת קבע בעלות פרטי חשבון בנק מוגדרים +NbOfInvoiceToPayByBankTransfer=מס' חשבוניות ספק מוסמך הממתינות לתשלום בהעברה אשראי +SupplierInvoiceWaitingWithdraw=חשבונית ספק ממתינה לתשלום בהעברה אשראי +InvoiceWaitingWithdraw=חשבונית ממתינה להוראת קבע +InvoiceWaitingPaymentByBankTransfer=חשבונית ממתינה להעברת אשראי +AmountToWithdraw=סכום למשוך +AmountToTransfer=סכום להעברה +NoInvoiceToWithdraw=אין חשבונית פתוחה עבור '%s' ממתינה. עבור לכרטיסייה '%s' בכרטיס החשבונית כדי להגיש בקשה. +NoSupplierInvoiceToWithdraw=שום חשבונית ספק עם '%s' הפתוחה לא ממתינה. עבור לכרטיסייה '%s' בכרטיס החשבונית כדי להגיש בקשה. +ResponsibleUser=אחראי משתמש +WithdrawalsSetup=הגדרת תשלום בהוראת קבע +CreditTransferSetup=הגדרת העברת אשראי +WithdrawStatistics=סטטיסטיקת תשלום בהוראת קבע +CreditTransferStatistics=סטטיסטיקות העברת אשראי +Rejects=דוחה +LastWithdrawalReceipt=%s אחרונות קבלות בהוראת קבע +MakeWithdrawRequest=בצע בקשת תשלום בהוראת קבע +MakeWithdrawRequestStripe=בצע בקשת תשלום בהוראת קבע באמצעות Stripe +MakeBankTransferOrder=בצע בקשה להעברת אשראי +WithdrawRequestsDone=%s בקשות תשלום בהוראת קבע נרשמו +BankTransferRequestsDone=%s בקשות להעברת אשראי נרשמו +ThirdPartyBankCode=קוד בנק של צד שלישי +NoInvoiceCouldBeWithdrawed=שום חשבונית לא עובדה בהצלחה. בדוק שהחשבוניות הן על חברות עם IBAN חוקי ושל-IBAN יש UMR (הפניה ייחודית למנדט) עם מצב %s. +NoInvoiceCouldBeWithdrawedSupplier=שום חשבונית לא עובדה בהצלחה. בדוק שהחשבוניות הן על חברות עם IBAN תקף. +NoSalariesCouldBeWithdrawed=שום שכר לא עובד בהצלחה. בדוק שהמשכורת היא על משתמשים עם IBAN חוקי. +WithdrawalCantBeCreditedTwice=קבלה זו כבר מסומנת כזיכוי; לא ניתן לעשות זאת פעמיים, מכיוון שהדבר עלול ליצור תשלומים כפולים וכניסות בנק. +ClassCredited=סיווג קרדיט +ClassDebited=סיווג מחויב +ClassCreditedConfirm=האם אתה בטוח שברצונך לסווג את קבלה המשיכה הזו כזיכוי בחשבון הבנק שלך? +TransData=תאריך שידור +TransMetod=שיטת שידור +Send=לִשְׁלוֹחַ +Lines=שורות +StandingOrderReject=רשום דחייה +WithdrawsRefused=הוראת קבע סורבה +WithdrawalRefused=הנסיגה סורבה +CreditTransfersRefused=העברות אשראי סורבו +WithdrawalRefusedConfirm=האם אתה בטוח שאתה רוצה להזין דחיית משיכה עבור החברה +RefusedData=תאריך הדחייה +RefusedReason=סיבה לדחייה +RefusedInvoicing=חיוב הדחייה +NoInvoiceRefused=אין לחייב את הלקוח על הסירוב +InvoiceRefused=לחייב את הלקוח על הסירוב +DirectDebitRefusedInvoicingDesc=הגדר דגל כדי לומר שסירוב זה חייב להיות מחויב על הלקוח +StatusDebitCredit=סטטוס חיוב/אשראי +StatusWaiting=הַמתָנָה +StatusTrans=נשלח +StatusDebited=מחויב +StatusCredited=זיכוי +StatusPaid=שולם +StatusRefused=סירב +StatusMotif0=לא מצוין +StatusMotif1=אין מספיק כספים +StatusMotif2=הבקשה הוגשה במחלוקת +StatusMotif3=אין הוראת תשלום בהוראת קבע +StatusMotif4=סדר מכירות +StatusMotif5=RIB לא שמיש +StatusMotif6=חשבון ללא יתרה +StatusMotif7=החלטה משפטית +StatusMotif8=סיבה אחרת +CreateForSepaFRST=צור קובץ הוראת קבע (SEPA FRST) +CreateForSepaRCUR=צור קובץ הוראת קבע (SEPA RCUR) +CreateAll=צור קובץ הוראת קבע +CreateFileForPaymentByBankTransfer=צור קובץ להעברת אשראי +CreateSepaFileForPaymentByBankTransfer=צור קובץ העברת אשראי (SEPA) +CreateGuichet=רק משרד +CreateBanque=רק בנק +OrderWaiting=מחכה לטיפול +NotifyTransmision=הקלט שידור קובץ של הזמנה +NotifyCredit=שיא זיכוי ההזמנה +NumeroNationalEmetter=מספר משדר לאומי +WithBankUsingRIB=לחשבונות בנק באמצעות RIB +WithBankUsingBANBIC=לחשבונות בנק המשתמשים ב-IBAN/BIC/SWIFT +BankToReceiveWithdraw=מקבל חשבון בנק +BankToPayCreditTransfer=חשבון בנק המשמש כמקור תשלומים +CreditDate=קרדיט על +WithdrawalFileNotCapable=לא ניתן ליצור קובץ קבלות משיכה עבור המדינה שלך %s (הארץ שלך אינה נתמכת) +ShowWithdraw=הצג הוראת הוראת קבע +IfInvoiceNeedOnWithdrawPaymentWontBeClosed=עם זאת, אם לחשבונית יש לפחות הוראת תשלום אחת בהוראת קבע שטרם טופלה, היא לא תוגדר כשולמה כדי לאפשר ניהול משיכה מראש. +DoStandingOrdersBeforePayments=כרטיסייה זו מאפשרת לך לבקש הוראת תשלום בהוראת קבע. לאחר שתסיים, תוכל להיכנס לתפריט "בנק->תשלום בהוראת קבע" כדי ליצור ולנהל קובץ הוראת קבע. +DoStandingOrdersBeforePayments2=אתה יכול גם לשלוח בקשה ישירות למעבד תשלומים של SEPA כמו Stripe, ... +DoStandingOrdersBeforePayments3=כאשר הבקשה נסגרת, התשלום על החשבוניות יירשם אוטומטית, והחשבוניות ייסגרו אם היתרה לתשלום בטלה. +DoCreditTransferBeforePayments=כרטיסייה זו מאפשרת לך לבקש הזמנת העברת אשראי. לאחר שתסיים, היכנס לתפריט "בנק->תשלום באמצעות העברת אשראי" כדי ליצור ולנהל קובץ הזמנת העברת אשראי. +DoCreditTransferBeforePayments3=כאשר הזמנת העברת האשראי נסגרת, התשלום על החשבוניות יירשם אוטומטית, והחשבוניות ייסגרו אם היתרה לתשלום בטלה. +WithdrawalFile=קובץ הוראת חיוב +CreditTransferFile=קובץ העברת אשראי +SetToStatusSent=הגדר למצב "קובץ נשלח" +ThisWillAlsoAddPaymentOnInvoice=זה גם ירשום תשלומים בחשבוניות ותסווג אותם כ"שולם" אם נותר לתשלום ריק +StatisticsByLineStatus=סטטיסטיקה לפי מצב קווים RUM=UMR -DateRUM=Mandate signature date -RUMLong=Unique Mandate Reference -RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) -WithdrawRequestAmount=Amount of Direct debit request: -BankTransferAmount=Amount of Credit Transfer request: -WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. -SepaMandate=SEPA Direct Debit Mandate -SepaMandateShort=SEPA Mandate -PleaseReturnMandate=Please return this mandate form by email to %s or by mail to -SEPALegalText=By signing this mandate form, you authorize (A) %s to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. -CreditorIdentifier=Creditor Identifier -CreditorName=Creditor Name -SEPAFillForm=(B) Please complete all the fields marked * -SEPAFormYourName=Your name -SEPAFormYourBAN=Your Bank Account Name (IBAN) -SEPAFormYourBIC=Your Bank Identifier Code (BIC) -SEPAFrstOrRecur=Type of payment -ModeRECUR=Recurring payment -ModeFRST=One-off payment -PleaseCheckOne=Please check one only -CreditTransferOrderCreated=Credit transfer order %s created -DirectDebitOrderCreated=Direct debit order %s created -AmountRequested=Amount requested +DateRUM=תאריך חתימת המנדט +RUMLong=הפניה ייחודית למנדט +RUMWillBeGenerated=אם ריק, יופק UMR (הפניה ייחודית למנדט) לאחר שמירת פרטי חשבון הבנק. +WithdrawMode=מצב הוראת קבע (FRST או RCUR) +WithdrawRequestAmount=סכום בקשת הוראת קבע: +BankTransferAmount=סכום הבקשה להעברת אשראי: +WithdrawRequestErrorNilAmount=לא ניתן ליצור בקשת הוראת קבע עבור סכום ריק. +SepaMandate=מנדט להוראת קבע של SEPA +SepaMandateShort=מנדט SEPA +PleaseReturnMandate=נא להחזיר טופס אישור זה בדוא"ל אל %s או בדואר אל +SEPALegalText=על ידי חתימה על טופס אישור זה, אתה מאשר (A) %s ולספק שירותי התשלומים שלו לשלוח הוראות לבנק שלך לחייב את חשבונך ו-(ב) לבנק שלך לחייב את חשבונך ב בהתאם להוראות מ-%s. כחלק מהזכויות שלך, אתה זכאי להחזר מהבנק שלך על פי תנאי ההסכם שלך עם הבנק שלך. זכויותיך לגבי המנדט הנ"ל מוסברות בהצהרה שתוכל לקבל מהבנק שלך. אתה מסכים לקבל הודעות לגבי חיובים עתידיים עד יומיים לפני התרחשותם. +CreditorIdentifier=מזהה נושה +CreditorName=שם הנושה +SEPAFillForm=(ב) אנא מלא את כל השדות המסומנים * +SEPAFormYourName=השם שלך +SEPAFormYourBAN=שם חשבון הבנק שלך (IBAN) +SEPAFormYourBIC=קוד זיהוי הבנק שלך (BIC) +SEPAFrstOrRecur=סוג התשלום +ModeRECUR=תשלום חוזר +ModeRCUR=תשלום חוזר +ModeFRST=תשלום חד פעמי +PleaseCheckOne=אנא סמן אחד בלבד +CreditTransferOrderCreated=הזמנת העברת אשראי %s נוצרה +DirectDebitOrderCreated=הוראת הוראת קבע %s נוצרה +AmountRequested=הסכום המבוקש SEPARCUR=SEPA CUR SEPAFRST=SEPA FRST -ExecutionDate=Execution date -CreateForSepa=Create direct debit file -ICS=Creditor Identifier - ICS -END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction -USTRD="Unstructured" SEPA XML tag -ADDDAYS=Add days to Execution Date -NoDefaultIBANFound=No default IBAN found for this third party +ExecutionDate=תאריך ביצוע +CreateForSepa=צור קובץ הוראת קבע +ICS=מזהה נושים - ICS +IDS=מזהה חייב +END_TO_END="EndToEndId" SEPA XML תג - מזהה ייחודי שהוקצה לכל עסקה +USTRD=תג SEPA XML "לא מובנה". +ADDDAYS=הוסף ימים לתאריך הביצוע +NoDefaultIBANFound=לא נמצא ברירת מחדל IBAN עבור צד שלישי זה ### Notifications -InfoCreditSubject=Payment of direct debit payment order %s by the bank -InfoCreditMessage=The direct debit payment order %s has been paid by the bank
      Data of payment: %s -InfoTransSubject=Transmission of direct debit payment order %s to bank -InfoTransMessage=The direct debit payment order %s has been sent to bank by %s %s.

      -InfoTransData=Amount: %s
      Method: %s
      Date: %s -InfoRejectSubject=Direct debit payment order refused -InfoRejectMessage=Hello,

      the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

      --
      %s -ModeWarning=Option for real mode was not set, we stop after this simulation -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. -ErrorICSmissing=Missing ICS in Bank account %s -TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines -WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s -WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s +InfoCreditSubject=תשלום של הוראת תשלום בהוראת קבע %s על ידי הבנק +InfoCreditMessage=הוראת התשלום %s שולמה על ידי הבנק
      נתוני התשלום: %s +InfoTransSubject=העברת הוראת תשלום בהוראת קבע %s לבנק +InfoTransMessage=הוראת התשלום בהוראת קבע %s נשלחה לבנק על ידי %s %s .

      +InfoTransData=כמות: %s
      שיטה: %s
      תאריך: %s +InfoRejectSubject=הוראת תשלום בהוראת קבע סורבה +InfoRejectMessage=שלום,

      הוראת תשלום בהוראת קבע של החשבונית %s הקשורה ל החברה %s, עם סכום של %s נדחתה על ידי הבנק.

      --
      %s +ModeWarning=אפשרות למצב אמיתי לא הוגדרה, אנו עוצרים לאחר סימולציה זו +ErrorCompanyHasDuplicateDefaultBAN=לחברה עם מזהה %s יש יותר מחשבון בנק ברירת מחדל אחד. אין דרך לדעת באיזה מהם להשתמש. +ErrorICSmissing=חסר ICS בחשבון הבנק %s +TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=הסכום הכולל של הוראת הוראת קבע שונה מסכום השורות +WarningSomeDirectDebitOrdersAlreadyExists=אזהרה: יש כבר כמה הזמנות בהוראת קבע ממתינות (%s) שהתבקשו עבור סכום של %s +WarningSomeCreditTransferAlreadyExists=אזהרה: כבר התבקשה העברת אשראי בהמתנה (%s) עבור סכום של %s +UsedFor=משמש עבור %s +Societe_ribSigned=מנדט SEPA נחתם +NbOfInvoiceToPayByBankTransferForSalaries=מס' משכורות מוסמכות הממתינות לתשלום בהעברה אשראי +SalaryWaitingWithdraw=משכורות ממתינות לתשלום בהעברה אשראי +RefSalary=שכר +NoSalaryInvoiceToWithdraw=אין משכורת שממתינה ל'%s'. עבור לכרטיסייה '%s' בכרטיס השכר כדי להגיש בקשה. +SalaryInvoiceWaitingWithdraw=משכורות ממתינות לתשלום בהעברה אשראי + diff --git a/htdocs/langs/he_IL/workflow.lang b/htdocs/langs/he_IL/workflow.lang index adfe7f69609..ba71730bef9 100644 --- a/htdocs/langs/he_IL/workflow.lang +++ b/htdocs/langs/he_IL/workflow.lang @@ -1,26 +1,38 @@ # Dolibarr language file - Source file is en_US - workflow -WorkflowSetup=Workflow module setup -WorkflowDesc=This module provides some automatic actions. By default, the workflow is open (you can do things in the order you want) but here you can activate some automatic actions. -ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules. +WorkflowSetup=הגדרת מודול זרימת עבודה +WorkflowDesc=מודול זה מספק כמה פעולות אוטומטיות. כברירת מחדל, זרימת העבודה פתוחה (אתה יכול לעשות דברים בסדר שאתה רוצה) אבל כאן אתה יכול להפעיל כמה פעולות אוטומטיות. +ThereIsNoWorkflowToModify=אין שינויי זרימת עבודה זמינים עם המודולים המופעלים. # Autocreate -descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a sales order after a commercial proposal is signed (the new order will have same amount as the proposal) -descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Automatically create a customer invoice after a commercial proposal is signed (the new invoice will have same amount as the proposal) -descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automatically create a customer invoice after a contract is validated -descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automatically create a customer invoice after a sales order is closed (the new invoice will have same amount as the order) +descWORKFLOW_PROPAL_AUTOCREATE_ORDER=צור באופן אוטומטי הזמנת מכירות לאחר חתימה על הצעה מסחרית (ההזמנה החדשה תהיה זהה לסכום של ההצעה) +descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=צור אוטומטית חשבונית לקוח לאחר חתימה על הצעה מסחרית (החשבונית החדשה תהיה באותו סכום כמו ההצעה) +descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=צור אוטומטית חשבונית לקוח לאחר אימות חוזה +descWORKFLOW_ORDER_AUTOCREATE_INVOICE=צור אוטומטית חשבונית לקוח לאחר סגירת הזמנת מכירות (החשבונית החדשה תהיה בסכום זהה להזמנה) +descWORKFLOW_TICKET_CREATE_INTERVENTION=ביצירת כרטיס, צור התערבות אוטומטית. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales order as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classify linked source sales order as shipped when a shipment is closed (and if the quantity shipped by all shipments is the same as in the order to update) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=סיווג הצעות מקור מקושרות כחויב כאשר הזמנת מכירה מוגדרת לחיוב (ואם סכום ההזמנה זהה לסכום הכולל של ההצעות המקושרות החתומות) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=סיווג הצעות מקור מקושר כחויב כאשר חשבונית לקוח מאומתת (ואם סכום החשבונית זהה לסכום הכולל של ההצעות המקושרות החתומות) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=סיווג הזמנת מכירה מקור מקושרת כחויבה כאשר חשבונית לקוח מאומתת (ואם סכום החשבונית זהה לסכום הכולל של הזמנות המכירה המקושרות). אם יש לך חשבונית אחת מאומתת עבור n הזמנות, זה עשוי להגדיר גם את כל ההזמנות לחיוב. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=סיווג הזמנות מכירות מקור מקושרות כחויב כאשר חשבונית לקוח מוגדרת לתשלום (ואם סכום החשבונית זהה לסכום הכולל של הזמנות המכירה המקושרות). אם יש לך ערכת חשבונית אחת שחויבת עבור n הזמנות, ייתכן שתגדיר את כל ההזמנות גם לחיוב. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=סיווג הזמנות מכירות מקור מקושרות כנשלחות כאשר משלוח מאומת (ואם הכמות שנשלחה על ידי כל המשלוחים זהה לזו בהזמנה לעדכון) +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=סיווג הזמנת מכירות מקור מקושרת כנשלחת כאשר משלוח נסגר (ואם הכמות שנשלחה על ידי כל המשלוחים זהה לזו בהזמנה לעדכון) +# Autoclassify purchase proposal +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=סיווג הצעת ספק מקור מקושר כחויבה כאשר חשבונית הספק מאומתת (ואם סכום החשבונית זהה לסכום הכולל של ההצעות המקושרות) # Autoclassify purchase order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated -# Autoclose intervention -descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed -AutomaticCreation=Automatic creation -AutomaticClassification=Automatic classification +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=סיווג הזמנת רכש מקור מקושר כחויבה כאשר חשבונית הספק מאומתת (ואם סכום החשבונית זהה לסכום הכולל של ההזמנות המקושרות) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=סיווג הזמנת רכש מקור מקושרת כפי שהתקבלה כאשר קבלה מאומתת (ואם הכמות שהתקבלה בכל הקבלות זהה לזו שבהזמנת הרכש לעדכון) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=סיווג הזמנת רכש מקור מקושרת כפי שהתקבלה כאשר קבלה סגורה (ואם הכמות שהתקבלה בכל הקבלות זהה להזמנת הרכש לעדכון) # Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=סיווג משלוח מקור מקושר כסגור כאשר חשבונית לקוח מאומתת (ואם סכום החשבונית זהה לסכום הכולל של המשלוחים המקושרים) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=סיווג משלוח מקור מקושר כחויב כאשר חשבונית לקוח מאומתת (ואם סכום החשבונית זהה לסכום הכולל של המשלוחים המקושרים) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=סיווג קבלות מקור מקושר כחויב כאשר חשבונית רכישה מאומתת (ואם סכום החשבונית זהה לסכום הכולל של הקבלות המקושרות) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=סיווג קבלות מקור מקושר כחויב כאשר חשבונית רכישה מאומתת (ואם סכום החשבונית זהה לסכום הכולל של הקבלות המקושרות) +# Automatically link ticket to contract +descWORKFLOW_TICKET_LINK_CONTRACT=בעת יצירת כרטיס, קשר את כל החוזים הזמינים של צדדים שלישיים תואמים +descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=בעת קישור חוזים, חפש בין אלה של חברות הורים +# Autoclose intervention +descWORKFLOW_TICKET_CLOSE_INTERVENTION=סגור את כל ההתערבויות הקשורות לכרטיס כאשר כרטיס סגור +AutomaticCreation=יצירה אוטומטית +AutomaticClassification=סיווג אוטומטי +AutomaticClosing=סגירה אוטומטית +AutomaticLinking=קישור אוטומטי diff --git a/htdocs/langs/he_IL/zapier.lang b/htdocs/langs/he_IL/zapier.lang index b4cc4ccba4a..98c5fdb1f0e 100644 --- a/htdocs/langs/he_IL/zapier.lang +++ b/htdocs/langs/he_IL/zapier.lang @@ -13,9 +13,9 @@ # You should have received a copy of the GNU General Public License # along with this program. If not, see . -ModuleZapierForDolibarrName = Zapier for Dolibarr -ModuleZapierForDolibarrDesc = Zapier for Dolibarr module -ZapierForDolibarrSetup=Setup of Zapier for Dolibarr -ZapierDescription=Interface with Zapier -ZapierAbout=About the module Zapier -ZapierSetupPage=There is no need for a setup on Dolibarr side to use Zapier. However, you must generate and publish a package on zapier to be able to use Zapier with Dolibarr. See documentation on this wiki page. +ModuleZapierForDolibarrName = זאפייר עבור דוליבר +ModuleZapierForDolibarrDesc = מודול Zapier for Dolibarr +ZapierForDolibarrSetup=הגדרה של Zapier עבור Dolibarr +ZapierDescription=ממשק עם Zapier +ZapierAbout=על המודול Zapier +ZapierSetupPage=אין צורך בהגדרה בצד Dolibarr כדי להשתמש ב-Zapier. עם זאת, עליך ליצור ולפרסם חבילה ב-zapier כדי שתוכל להשתמש ב-Zapier עם Dolibarr. ראה תיעוד על דף הוויקי הזה. diff --git a/htdocs/langs/hr_HR/accountancy.lang b/htdocs/langs/hr_HR/accountancy.lang index 414a746c836..400dd5ad2ae 100644 --- a/htdocs/langs/hr_HR/accountancy.lang +++ b/htdocs/langs/hr_HR/accountancy.lang @@ -10,38 +10,38 @@ ACCOUNTING_EXPORT_AMOUNT=Izvezi iznos ACCOUNTING_EXPORT_DEVISE=Izvezi valutu Selectformat=Select the format for the file ACCOUNTING_EXPORT_FORMAT=Select the format for the file -ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type +ACCOUNTING_EXPORT_ENDLINE=Odaberite vrstu povratka na početak ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name ThisService=Ova usluga ThisProduct=Ovaj proizvod -DefaultForService=Default for services -DefaultForProduct=Default for products +DefaultForService=Zadano za usluge +DefaultForProduct=Zadano za proizvode ProductForThisThirdparty=Proizvod za ovu treću stranu ServiceForThisThirdparty=Usluga za ovu treću stranu CantSuggest=Ne mogu predložiti -AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s +AccountancySetupDoneFromAccountancyMenu=Većina postavki računovodstva obavlja se iz izbornika %s ConfigAccountingExpert=Konfiguracija modula računovodstva (dvostruki unos) -Journalization=Journalization +Journalization=Novinarstvo Journals=Journals JournalFinancial=Financial journals BackToChartofaccounts=Return chart of accounts Chartofaccounts=Grafikon za račune -ChartOfSubaccounts=Chart of individual accounts -ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger -CurrentDedicatedAccountingAccount=Current dedicated account -AssignDedicatedAccountingAccount=New account to assign +ChartOfSubaccounts=Plan individualnih računa +ChartOfIndividualAccountsOfSubsidiaryLedger=Plan pojedinačnih konta pomoćne knjige +CurrentDedicatedAccountingAccount=Tekući namjenski račun +AssignDedicatedAccountingAccount=Novi račun za dodjelu InvoiceLabel=Oznaka računa -OverviewOfAmountOfLinesNotBound=Overview of amount of lines not bound to an accounting account -OverviewOfAmountOfLinesBound=Overview of amount of lines already bound to an accounting account +OverviewOfAmountOfLinesNotBound=Pregled količine redova koji nisu vezani za knjigovodstveni konto +OverviewOfAmountOfLinesBound=Pregled količine redova koji su već vezani za knjigovodstveni račun OtherInfo=Ostali podaci -DeleteCptCategory=Remove accounting account from group -ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group? -JournalizationInLedgerStatus=Status of journalization -AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger -GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group +DeleteCptCategory=Uklonite računovodstveni račun iz grupe +ConfirmDeleteCptCategory=Jeste li sigurni da želite ukloniti ovaj računovodstveni račun iz grupe računovodstvenih računa? +JournalizationInLedgerStatus=Status novinarstva +AlreadyInGeneralLedger=Već prebačeno u knjigu računovodstvenih dnevnika i +NotYetInGeneralLedger=Još nije preneseno u knjigu računovodstvenih dnevnika i +GroupIsEmptyCheckSetup=Grupa je prazna, Provjeri postavljanje personalizirane računovodstvene grupe DetailByAccount=Prikaži detalje po računu -DetailBy=Detail by +DetailBy=Detalj po AccountWithNonZeroValues=Računi s vrijednostima koje nisu nula ListOfAccounts=Popis računa CountriesInEEC=Zemlje u EEC @@ -49,51 +49,54 @@ CountriesNotInEEC=Zomlje koje nisu u EEC CountriesInEECExceptMe=Zemlje u EEC-u osim %s CountriesExceptMe=Sve zemlje osim %s AccountantFiles=Izvoz izvornih dokumenata -ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). -ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. -ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. -VueByAccountAccounting=View by accounting account -VueBySubAccountAccounting=View by accounting subaccount +ExportAccountingSourceDocHelp=Pomoću ovog alata možete pretraživati i izvoziti izvorne događaje koji se koriste za generiranje vašeg računovodstva.
      Izvezena ZIP datoteka sadržavat će popise traženih stavki u CSV-u, kao i njihove priložene datoteke u izvornom formatu (PDF, ODT, DOCX...). +ExportAccountingSourceDocHelp2=Da biste izvezli svoje dnevnike, koristite unos izbornika %s - %s. +ExportAccountingProjectHelp=Navedite projekt ako vam je potrebno računovodstveno izvješće samo za određeni projekt. Izvješća o troškovima i plaćanja zajma nisu uključena u izvješća o projektu. +ExportAccountancy=Izvozno računovodstvo +WarningDataDisappearsWhenDataIsExported=Upozorenje, ovaj popis sadrži samo računovodstvene stavke koje još nisu izvezene (datum izvoza je prazan). Ako želite uključiti već izvezene računovodstvene stavke, kliknite na gornji gumb. +VueByAccountAccounting=Pregled po računovodstvenom računu +VueBySubAccountAccounting=Pregled po računovodstvenim podračunima -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup -MainAccountForUsersNotDefined=Main accounting account for users not defined in setup -MainAccountForVatPaymentNotDefined=Main accounting account for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Main accounting account for subscription payment not defined in setup -UserAccountNotDefined=Accounting account for user not defined in setup +MainAccountForCustomersNotDefined=Glavni račun (iz Kontnog plana) za kupce koji nisu definirani u postavkama +MainAccountForSuppliersNotDefined=Glavni račun (iz kontnog plana) za dobavljače koji nisu definirani u postavkama +MainAccountForUsersNotDefined=Glavni račun (iz Kontnog plana) za korisnike koji nisu definirani u postavkama +MainAccountForVatPaymentNotDefined=Račun (iz Kontnog plana) za plaćanje PDV-a nije definiran u postavkama +MainAccountForSubscriptionPaymentNotDefined=Račun (iz Kontnog plana) za plaćanje članarine nije definiran u postavkama +MainAccountForRetainedWarrantyNotDefined=Račun (iz Kontnog plana) za zadržano jamstvo nije definirano u postavkama +UserAccountNotDefined=Računovodstveni račun za korisnika nije definiran u postavkama AccountancyArea=Računovodstveno područje -AccountancyAreaDescIntro=Usage of the accountancy module is done in several step: -AccountancyAreaDescActionOnce=The following actions are usually executed one time only, or once per year... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting -AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... +AccountancyAreaDescIntro=Korištenje računovodstvenog modula odvija se u nekoliko koraka: +AccountancyAreaDescActionOnce=Sljedeće radnje obično se izvode samo jednom ili jednom godišnje... +AccountancyAreaDescActionOnceBis=Sljedeće korake treba poduzeti kako bismo vam uštedjeli vrijeme u budućnosti automatskim sugeriranjem ispravnog zadanog računovodstvenog računa prilikom prijenosa podataka u računovodstvu +AccountancyAreaDescActionFreq=Sljedeće radnje obično se izvode svaki mjesec, tjedan ili dan za vrlo velike tvrtke... -AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s -AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescJournalSetup=KORAK %s: Provjeri sadržaj vašeg popisa časopisa iz izbornika %s +AccountancyAreaDescChartModel=KORAK %s: Provjeri da postoji model kontnog plana ili izradi jedan iz izbornika %s +AccountancyAreaDescChart=KORAK %s: Odaberite i|ili dovršite svoj kontni plan iz izbornika %s -AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. -AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. -AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. -AccountancyAreaDescDonation=STEP %s: Define default accounting accounts for donation. For this, use the menu entry %s. -AccountancyAreaDescSubscription=STEP %s: Define default accounting accounts for member subscription. For this, use the menu entry %s. -AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. -AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. +AccountancyAreaDescFiscalPeriod=KORAK %s: Definirajte fiskalnu godinu prema zadanim postavkama u koju ćete integrirati svoje računovodstvene unose. Za to upotrijebite unos izbornika %s. +AccountancyAreaDescVat=KORAK %s: Definirajte računovodstvena računa za svaku stopu PDV-a. Za to upotrijebite unos izbornika %s. +AccountancyAreaDescDefault=KORAK %s: Definirajte zadane računovodstvene račune. Za to upotrijebite unos izbornika %s. +AccountancyAreaDescExpenseReport=KORAK %s: Definirajte zadane računovodstvene račune za svaku vrstu izvješća o troškovima. Za to upotrijebite unos izbornika %s. +AccountancyAreaDescSal=KORAK %s: Definirajte zadane računovodstvene račune za isplatu plaća. Za to upotrijebite unos izbornika %s. +AccountancyAreaDescContrib=KORAK %s: Definirajte zadane računovodstvene račune za poreze (posebni troškovi). Za to upotrijebite unos izbornika %s. +AccountancyAreaDescDonation=KORAK %s: Definirajte zadane računovodstvene račune za donacije. Za to upotrijebite unos izbornika %s. +AccountancyAreaDescSubscription=KORAK %s: Definirajte zadane računovodstvene račune za član pretplatu. Za to upotrijebite unos izbornika %s. +AccountancyAreaDescMisc=KORAK %s: Definirajte obavezne zadane račune i zadane računovodstvene račune za razne transakcije. Za to upotrijebite unos izbornika %s. +AccountancyAreaDescLoan=KORAK %s: Definirajte zadane računovodstvene račune za kredite. Za to upotrijebite unos izbornika %s. +AccountancyAreaDescBank=KORAK %s: Definirajte računovodstvene račune i šifru dnevnika za svaku banku i financijski računi. Za to upotrijebite unos izbornika %s. +AccountancyAreaDescProd=KORAK %s: Definirajte računovodstvene račune za svoje proizvode/usluge. Za to upotrijebite unos izbornika %s. -AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. -AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and generate reports and exports. +AccountancyAreaDescBind=KORAK %s: Provjeri povezivanje između postojećih %s redaka i računovodstveni račun je gotov, tako da će aplikacija jednim klikom moći bilježiti transakcije u Ledgeru. Dovršite vezanja koja nedostaju. Za to upotrijebite unos izbornika %s. +AccountancyAreaDescWriteRecords=KORAK %s: Zapišite transakcije u knjigu. Za ovo idite na izbornik %s, i kliknite na gumb %s. +AccountancyAreaDescAnalyze=KORAK %s: Pročitajte izvješća ili generirajte izvozne datoteke za druge knjigovođe. +AccountancyAreaDescClosePeriod=KORAK %s: zatvorite razdoblje tako da više ne možemo prenositi podatke u istom razdoblju u budućnosti. -AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. - -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) +TheFiscalPeriodIsNotDefined=Obavezan korak u postavljanju nije dovršen (fiskalno razdoblje nije definirano) +TheJournalCodeIsNotDefinedOnSomeBankAccount=Obavezan korak u postavljanju nije dovršen (dnevnik računovodstvenih kodova nije definiran za sve bankovne račune) Selectchartofaccounts=Odaberite aktivni kontni plan +CurrentChartOfAccount=Trenutni aktivni kontni plan ChangeAndLoad=Promijenite i učitajte Addanaccount=Dodaj obračunski račun AccountAccounting=Obračunski račun @@ -103,9 +106,9 @@ SubledgerAccountLabel=Oznaka računa podknjige ShowAccountingAccount=Prikaži računovodstveni račun ShowAccountingJournal=Prikaži računovodstveni dnevnik ShowAccountingAccountInLedger=Prikaži računovodstveni račun u knjizi -ShowAccountingAccountInJournals=Show accounting account in journals -DataUsedToSuggestAccount=Data used to suggest account -AccountAccountingSuggest=Account suggested +ShowAccountingAccountInJournals=Prikaz računovodstvenog računa u dnevnicima +DataUsedToSuggestAccount=Podaci korišteni za predlaganje računa +AccountAccountingSuggest=Račun predložen MenuDefaultAccounts=Zadani računi MenuBankAccounts=Bankovni računi MenuVatAccounts=PDV računi @@ -115,157 +118,159 @@ MenuLoanAccounts=Računi zajmova MenuProductsAccounts=Računi proizvoda MenuClosureAccounts=Zatvaranje računa MenuAccountancyClosure=Zatvaranje -MenuExportAccountancy=Export accountancy -MenuAccountancyValidationMovements=Validate movements +MenuExportAccountancy=Izvozno računovodstvo +MenuAccountancyValidationMovements=Potvrdite pokrete ProductsBinding=Računi proizvoda TransferInAccounting=Prijenos u računovodstvu RegistrationInAccounting=Evidentiranje u računovodstvu -Binding=Binding to accounts -CustomersVentilation=Customer invoice binding -SuppliersVentilation=Vendor invoice binding -ExpenseReportsVentilation=Expense report binding +Binding=Vezivanje za račune +CustomersVentilation=Uvezivanje računa kupca +SuppliersVentilation=Uvezivanje računa dobavljača +ExpenseReportsVentilation=Uvez troškovnika CreateMvts=Kreirajte novu transakciju UpdateMvts=Izmjena transakcije ValidTransaction=Potvrdite transakciju -WriteBookKeeping=Record transactions in accounting +WriteBookKeeping=Evidentirajte transakcije u računovodstvu Bookkeeping=Knjiga BookkeepingSubAccount=Podknjiga AccountBalance=Stanje računa -AccountBalanceSubAccount=Sub-accounts balance -ObjectsRef=Source object ref -CAHTF=Total purchase vendor before tax +AccountBalanceSubAccount=Stanje podračuna +ObjectsRef=Izvorni objekt ref +CAHTF=Ukupna kupnja dobavljača prije poreza TotalExpenseReport=Izvješće o ukupnim troškovima -InvoiceLines=Lines of invoices to bind -InvoiceLinesDone=Bound lines of invoices -ExpenseReportLines=Lines of expense reports to bind -ExpenseReportLinesDone=Bound lines of expense reports -IntoAccount=Bind line with the accounting account -TotalForAccount=Total accounting account +InvoiceLines=Redovi faktura za uvezivanje +InvoiceLinesDone=Uvezani redovi faktura +ExpenseReportLines=Redovi izvješća o troškovima za uvezivanje +ExpenseReportLinesDone=Uvezani redovi izvješća o troškovima +IntoAccount=Vezati liniju s računovodstvenim računom +TotalForAccount=Ukupni računovodstveni račun -Ventilate=Bind +Ventilate=Vezati LineId=Id linija Processing=Processing EndProcessing=Proces prekinut. SelectedLines=Selected lines Lineofinvoice=Line of invoice LineOfExpenseReport=Linija izvještaja o troškovima -NoAccountSelected=No accounting account selected -VentilatedinAccount=Binded successfully to the accounting account -NotVentilatedinAccount=Not bound to the accounting account -XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account -XLineFailedToBeBinded=%s products/services were not bound to any accounting account +NoAccountSelected=Nije odabran nijedan računovodstveni račun +VentilatedinAccount=Uspješno vezano za računovodstveni račun +NotVentilatedinAccount=Nije vezan za računovodstveni račun +XLineSuccessfullyBinded=%s proizvodi/usluge uspješno povezani s računovodstvenim računom +XLineFailedToBeBinded=%s proizvodi/usluge nisu vezani ni za jedan računovodstveni račun -ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50) +ACCOUNTING_LIMIT_LIST_VENTILATION=Maksimalan broj redaka na stranici za uvezivanje popisa i (preporučeno: 50) ACCOUNTING_LIST_SORT_VENTILATION_TODO=Započnite sortiranje stranice "Obvezuje se za obavljanje" prema najnovijim elementima ACCOUNTING_LIST_SORT_VENTILATION_DONE=Započnite sortiranje stranice "Uvezivanje izvršeno" prema najnovijim elementima -ACCOUNTING_LENGTH_DESCRIPTION=Truncate product & services description in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncate product & services account description form in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set value to 6 here, the account '706' will appear like '706000' on screen) -ACCOUNTING_LENGTH_AACCOUNT=Length of the third-party accounting accounts (If you set value to 6 here, the account '401' will appear like '401000' on screen) -ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of an accounting account. Needed by some countries (like Switzerland). If set to off (default), you can set the following two parameters to ask the application to add virtual zeros. +ACCOUNTING_LENGTH_DESCRIPTION=Skratite opis proizvoda i usluga u popisima nakon x znakova (Najbolje = 50) +ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Skrati obrazac opisa računa proizvoda i usluga u popisima nakon x znakova (Najbolje = 50) +ACCOUNTING_LENGTH_GACCOUNT=Duljina općih računovodstvenih računa (ako ovdje postavite vrijednost na 6, račun '706' pojavit će se kao '706000' na zaslonu) +ACCOUNTING_LENGTH_AACCOUNT=Duljina računovodstvenih računa treće strane (ako ovdje postavite vrijednost na 6, račun '401' pojavit će se kao '401000' na zaslonu) +ACCOUNTING_MANAGE_ZERO=Omogućuje upravljanje različitim brojem nula na kraju računovodstvenog računa. Potreban nekim zemljama (poput Švicarske). Ako je postavljeno na isključeno (zadano), možete postaviti sljedeća dva parametra kako biste od aplikacije tražili dodavanje virtualnih nula. BANK_DISABLE_DIRECT_INPUT=Onemogućite izravno bilježenje transakcije na bankovnom računu -ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal -ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Omogući izvoz nacrta u dnevniku +ACCOUNTANCY_COMBO_FOR_AUX=Omogući kombinirani popis za pomoćni račun (može biti sporo ako imate mnogo trećih strana, prekinuti mogućnost pretraživanja na dijelu vrijednosti) +ACCOUNTING_DATE_START_BINDING=Onemogući uvezivanje i prijenos u računovodstvu kada je datum ispod ovog datuma (transakcije prije ovog datuma bit će isključene prema zadanim postavkama) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Na stranici za prijenos podataka u računovodstvo, koje je razdoblje odabrano prema zadanim postavkama -ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns -ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements +ACCOUNTING_SELL_JOURNAL=Dnevnik prodaje - prodaja i povrata +ACCOUNTING_PURCHASE_JOURNAL=Dnevnik kupnje - povrati kupnje i +ACCOUNTING_BANK_JOURNAL=Dnevnik blagajne - primici i isplate ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal -ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal -ACCOUNTING_INVENTORY_JOURNAL=Inventory journal +ACCOUNTING_MISCELLANEOUS_JOURNAL=Opći dnevnik +ACCOUNTING_HAS_NEW_JOURNAL=Ima novi dnevnik +ACCOUNTING_INVENTORY_JOURNAL=Inventarni dnevnik ACCOUNTING_SOCIAL_JOURNAL=Social journal -ACCOUNTING_RESULT_PROFIT=Result accounting account (Profit) -ACCOUNTING_RESULT_LOSS=Result accounting account (Loss) -ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal of closure +ACCOUNTING_RESULT_PROFIT=Račun računovodstva rezultata (dobit) +ACCOUNTING_RESULT_LOSS=Račun računovodstva rezultata (Gubitak) +ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Dnevnik zatvaranja +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Računovodstvene grupe koje se koriste za račun bilance (odvojite zarezom) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Računovodstvene skupine korištene za račun dobiti i gubitka (odvojite zarezom) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers -TransitionalAccount=Transitional bank transfer account +ACCOUNTING_ACCOUNT_TRANSFER_CASH=Račun (iz kontnog plana) koji će se koristiti kao račun za prijelazne bankovne prijenose +TransitionalAccount=Prijelazni račun za bankovni transfer -ACCOUNTING_ACCOUNT_SUSPENSE=Account (from the Chart Of Account) to be used as the account for unallocated funds either received or paid i.e. funds in "wait[ing]" -DONATION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register donations (Donation module) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ACCOUNTING_ACCOUNT_SUSPENSE=Račun (iz kontnog plana) koji će se koristiti kao račun za nedodijeljena sredstva koja su primljena ili plaćena, tj. sredstva na "čekanju" +DONATION_ACCOUNTINGACCOUNT=Račun (iz Kontnog plana) koji će se koristiti za upis donacija (modul za donacije) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Račun (iz Kontnog plana) koji se koristi za registraciju članskih pretplata (Modul za članstvo - ako je članstvo evidentirano bez fakture) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit -UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default -UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Accounting account by default to register customer retained warranty +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za registraciju depozita klijenata +UseAuxiliaryAccountOnCustomerDeposit=Pohrani korisnički račun kao pojedinačni račun u pomoćnoj knjizi za redove predujma (ako je onemogućeno, pojedinačni račun za predujam ostat će prazan) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Račun (iz kontnog plana) koji će se koristiti kao zadani +UseAuxiliaryAccountOnSupplierDeposit=Pohrani račun dobavljača kao pojedinačni račun u pomoćnoj knjizi za retke predujma (ako je onemogućeno, pojedinačni račun za retke predujma ostat će prazan) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Računovodstveni račun prema zadanim postavkama za registraciju zadržanog jamstva korisnika -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za proizvode kupljene unutar iste zemlje (koristi se ako nije definirano u listu proizvoda) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za proizvode kupljene iz EEZ-a u drugu zemlju EEZ-a (koristi se ako nije definirano u listu proizvoda) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Račun (iz Kontnog plana) koji će se koristiti kao zadani račun za kupljene proizvode i uvezene iz bilo koje druge strane zemlje (koristi se ako nije definirano u listu proizvoda) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za prodane proizvode (koristi se ako nije definiran u listu proizvoda) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za proizvode prodane iz EEZ-a u drugu zemlju EEZ-a (koristi se ako nije definirano u listu proizvoda) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za prodane proizvode i izvezene u bilo koju drugu stranu zemlju (koristi se ako nije definirano u listu proizvoda) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased within same country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za usluge kupljene unutar iste zemlje (koristi se ako nije definirano u listi usluga) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za usluge kupljene iz EEZ-a u drugu zemlju EEZ-a (koristi se ako nije definirano u listi usluga) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Račun (iz Kontnog plana) koji će se koristiti kao zadani račun za usluge kupljene i uvezene iz druge strane zemlje (koristi se ako nije definirano u listi usluga) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za prodane usluge (koristi se ako nije definiran u servisnom listu) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za usluge prodane iz EEZ-a u drugu zemlju EEZ-a (koristi se ako nije definirano u listi usluga) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Račun (iz kontnog plana) koji će se koristiti kao zadani račun za prodane usluge i izvezene u bilo koju drugu stranu zemlju (koristi se ako nije definirano u listi usluga) Doctype=Type of document Docdate=Date Docref=Reference LabelAccount=Oznaka računa -LabelOperation=Label operation +LabelOperation=Oznaka operacija Sens=Smjer -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
      For an accounting account of a supplier, use Debit to record a payment you made -LetteringCode=Lettering code -Lettering=Lettering +AccountingDirectionHelp=Za računovodstveni račun kupca upotrijebite Kredit za bilježenje plaćanja koje ste primili
      Za računovodstveni račun dobavljača upotrijebite Dugovanje za bilježenje plaćanja koje ste izvršili +LetteringCode=Kod slova +Lettering=Natpis Codejournal=Journal -JournalLabel=Journal label +JournalLabel=Dnevnik Oznaka NumPiece=Broj komada TransactionNumShort=Broj prijenosa -AccountingCategory=Custom group of accounts -AccountingCategories=Custom groups of accounts -GroupByAccountAccounting=Group by general ledger account -GroupBySubAccountAccounting=Group by subledger account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. +AccountingCategory=Prilagođena grupa računa +AccountingCategories=Prilagođene grupe računa +GroupByAccountAccounting=Grupiraj prema Glavna knjiga računu +GroupBySubAccountAccounting=Grupiraj po kontu pomoćne knjige +AccountingAccountGroupsDesc=Ovdje možete definirati neke grupe računovodstvenih računa. Oni će se koristiti za personalizirana računovodstvena izvješća. ByAccounts=Po računima ByPredefinedAccountGroups=Po unaprijed definiranim grupama ByPersonalizedAccountGroups=Po personaliziranim grupama ByYear=Po godini NotMatch=Nije postavljeno -DeleteMvt=Delete some lines from accounting +DeleteMvt=Izbrišite neke retke iz računovodstva DelMonth=Mjesec za obrisati DelYear=Godina za obrisati DelJournal=Dnevnik za obrisati -ConfirmDeleteMvt=This will delete all lines in accountancy for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. +ConfirmDeleteMvt=Ovo će izbrisati sve retke u računovodstvu za godinu/mjesec i/ili za određeni dnevnik (Potreban je barem jedan kriterij). Morat ćete ponovno upotrijebiti značajku '%s' da biste vratili izbrisani zapis u glavnu knjigu. ConfirmDeleteMvtPartial=Time će se transakcija izbrisati iz računovodstva (svi redovi koji se odnose na istu transakciju bit će izbrisani) FinanceJournal=Finance journal -ExpenseReportsJournal=Expense reports journal -InventoryJournal=Inventory journal +ExpenseReportsJournal=Dnevnik izvješća o troškovima +InventoryJournal=Inventarni dnevnik DescFinanceJournal=Financijski izvještaj uključujući sve tipove plaćanja po bankovnom računom -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. +DescJournalOnlyBindedVisible=Ovo je prikaz zapisa koji je povezan s računovodstvenim računom i koji se može zabilježiti u Dnevniku i knjige. VATAccountNotDefined=Konto za PDV nije definiran -ThirdpartyAccountNotDefined=Account for third party not defined +ThirdpartyAccountNotDefined=Račun treće strane nije definiran ProductAccountNotDefined=Konto za proizvod nije definiran FeeAccountNotDefined=Konto za naknadu nije definiran BankAccountNotDefined=Konto za banku nije definiran CustomerInvoicePayment=Payment of invoice customer -ThirdPartyAccount=Third-party account +ThirdPartyAccount=Račun treće strane NewAccountingMvt=Nova transakcija NumMvts=Broj transakcija -ListeMvts=List of movements +ListeMvts=Popis pokreta ErrorDebitCredit=Debit and Credit cannot have a value at the same time -AddCompteFromBK=Add accounting accounts to the group -ReportThirdParty=List third-party account -DescThirdPartyReport=Consult here the list of third-party customers and vendors and their accounting accounts +AddCompteFromBK=Dodajte računovodstvene račune u grupu +ReportThirdParty=Popis računa treće strane +DescThirdPartyReport=Ovdje pogledajte popis kupaca trećih strana i dobavljača i njihove računovodstvene račune ListAccounts=Popis obračunskih računa -UnknownAccountForThirdparty=Unknown third-party account. We will use %s -UnknownAccountForThirdpartyBlocking=Unknown third-party account. Blocking error -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Third-party unknown and subledger not defined on the payment. We will keep the subledger account value empty. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger account not defined or third party or user unknown. Blocking error. -UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third-party account and waiting account not defined. Blocking error +UnknownAccountForThirdparty=Nepoznati račun treće strane. Koristit ćemo %s +UnknownAccountForThirdpartyBlocking=Nepoznati račun treće strane. Pogreška blokiranja +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Račun pomoćne knjige nije definiran ili je treća strana ili korisnik nepoznat. Koristit ćemo %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Nepoznata pomoćna knjiga i treće strane nije definirana na plaćanju. Vrijednost konta pomoćne knjige držat ćemo praznom. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Račun pomoćne knjige nije definiran ili je treća strana ili korisnik nepoznat. Pogreška blokiranja. +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Nepoznati račun treće strane i račun na čekanju nije definiran. Pogreška blokiranja PaymentsNotLinkedToProduct=Plaćanje nije povezano s bilo kojim proizvodom/uslugom OpeningBalance=Početno stanje ShowOpeningBalance=Prikaži početno stanje @@ -273,97 +278,99 @@ HideOpeningBalance=Sakrij početno stanje ShowSubtotalByGroup=Prikaži međuzbroj po razini Pcgtype=Klasa računa -PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. -AccountingCategoriesDesc=Custom group of accounts can be used to group accounting accounts into one name to ease filter use or building of custom reports. +PcgtypeDesc=Grupa računa koristi se kao unaprijed definirani kriterij 'grupiranja' 'filtara' i za neka računovodstvena izvješća. Na primjer, 'INCOME' ili 'EXPENSE' se koriste kao grupe za računovodstvene račune proizvoda za izradu izvješća o rashodima/prihodima. +AccountingCategoriesDesc=Prilagođena grupa računa može se koristiti za grupiranje računovodstvenih računa u jedno ime kako bi se olakšala upotreba filtera ili izrada prilagođenih izvješća. Reconcilable=Za usklađivanje TotalVente=Total turnover before tax TotalMarge=Total sales margin -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account -DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product account from chart of account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account -ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: +DescVentilCustomer=Ovdje pogledajte popis redova fakture kupaca povezanih (ili ne) s računom proizvoda iz kontnog plana +DescVentilMore=U većini slučajeva, ako koristite unaprijed definirane proizvode ili usluge i postavite račun (iz kontnog plana) na kartici proizvoda/usluge, aplikacija će moći napraviti sve povezivanje između redova vaše fakture i računovodstvenog računa vašeg kontnog plana, samo jednim klikom s gumbom "%s". Ako račun nije postavljen na karticama proizvoda/usluga ili ako još uvijek imate neke retke koji nisu povezani s računom, morat ćete izvršiti ručno uvezivanje iz izbornika "%s". +DescVentilDoneCustomer=Ovdje pogledajte popis redaka faktura kupaca i njihov račun proizvoda iz kontnog plana +DescVentilTodoCustomer=Povežite retke fakture koji još nisu povezani s računom proizvoda iz kontnog plana +ChangeAccount=Promijenite račun proizvoda/usluge (iz kontnog plana) za odabrane retke sa sljedećim računom: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) -DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account -DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account -DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account -DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s". -DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account +DescVentilSupplier=Ovdje pogledajte popis linija fakture dobavljača vezanih ili još nevezanih za račun proizvoda iz kontnog plana (vidljivi su samo zapisi koji još nisu preneseni u računovodstvo) +DescVentilDoneSupplier=Ovdje pogledajte popis redaka faktura dobavljača i njihov računovodstveni račun +DescVentilTodoExpenseReport=Povežite retke izvješća o troškovima koji još nisu povezani s računom obračuna naknada +DescVentilExpenseReport=Ovdje pogledajte popis linija izvješća o troškovima vezanih (ili ne) za račun računovodstva naknada +DescVentilExpenseReportMore=Ako postavite računovodstveni račun na vrstu redaka izvješća o troškovima, aplikacija će moći napraviti sve veze između vaših redaka izvješća o troškovima i računovodstvenog računa vašeg kontnog plana, samo jednim klikom s gumbom "%s". Ako račun nije postavljen na rječniku naknada ili ako još uvijek imate neke retke koji nisu vezani ni za jedan račun, morat ćete izvršiti ručno vezanje iz izbornika "%s". +DescVentilDoneExpenseReport=Ovdje pogledajte popis linija izvješća o troškovima i njihov računovodstveni račun naknada Closure=Godišnje zatvaranje -DescClosure=Consult here the number of movements by month not yet validated & locked -OverviewOfMovementsNotValidated=Overview of movements not validated and locked -AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked -ValidateMovements=Validate and lock movements -DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible +AccountancyClosureStep1Desc=Ovdje pogledajte broj kretanja po mjesecima koji još nisu potvrđeni i zaključani +OverviewOfMovementsNotValidated=Pregled kretanja nije potvrđen i zaključan +AllMovementsWereRecordedAsValidated=Svi pokreti su zabilježeni kao potvrđeni i zaključani +NotAllMovementsCouldBeRecordedAsValidated=Nisu svi pokreti mogli biti zabilježeni kao potvrđeni i zaključani +ValidateMovements=Potvrdite i pokrete brave +DescValidateMovements=Svaka izmjena ili brisanje teksta, slova i briše bit će zabranjena. Svi unosi za vježbu moraju biti potvrđeni, inače zatvaranje neće biti moguće ValidateHistory=Vezati automatski -AutomaticBindingDone=Automatic bindings done (%s) - Automatic binding not possible for some record (%s) -DoManualBindingForFailedRecord=You have to do a manual link for the %s row(s) not linked automatically. +AutomaticBindingDone=Automatsko uvezivanje završeno (%s) - Automatsko uvezivanje nije moguće za neke zapise (%s) +DoManualBindingForFailedRecord=Morate napraviti ručno povezivanje za %s red(ove) koji nisu automatski povezani. -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s & Credit = %s +ErrorAccountancyCodeIsAlreadyUse=Pogreška, ne možete ukloniti ili onemogućiti ovaj račun ili kontni plan jer se koristi +MvtNotCorrectlyBalanced=Pokreti nisu pravilno uravnoteženi. Debit = %s & Kredit = %s Balancing=Balansiranje -FicheVentilation=Binding card -GeneralLedgerIsWritten=Transactions are written in the Ledger -GeneralLedgerSomeRecordWasNotRecorded=Some of the transactions could not be journalized. If there is no other error message, this is probably because they were already journalized. +FicheVentilation=Kartica za uvez +GeneralLedgerIsWritten=Transakcije se upisuju u Knjigu +GeneralLedgerSomeRecordWasNotRecorded=Neke se transakcije nisu mogle zabilježiti u dnevniku. Ako nema druge poruke o pogrešci, to je vjerojatno zato što su već bile unesene u dnevnik. NoNewRecordSaved=Nema više zapisa za prijenos -ListOfProductsWithoutAccountingAccount=List of products not bound to any account of chart of account +ListOfProductsWithoutAccountingAccount=Popis proizvoda koji nije vezan ni za jedan račun ili kontni plan ChangeBinding=Promijenite povezivanje -Accounted=Accounted in ledger -NotYetAccounted=Not yet transferred to accounting +Accounted=Uknjiženo u glavnu knjigu +NotYetAccounted=Još nije preneseno u računovodstvo ShowTutorial=Prikaži vodič NotReconciled=Nije usklađeno -WarningRecordWithoutSubledgerAreExcluded=Warning, all lines without subledger account defined are filtered and excluded from this view -AccountRemovedFromCurrentChartOfAccount=Accounting account that does not exist in the current chart of accounts +WarningRecordWithoutSubledgerAreExcluded=Upozorenje, svi redovi bez definiranog računa pomoćne knjige su filtrirani i isključeni iz ovog prikaza +AccountRemovedFromCurrentChartOfAccount=Računovodstveni konto koji ne postoji u važećem kontnom planu ## Admin BindingOptions=Mogućnosti vezanja ApplyMassCategories=Primjeni masovne kategorije -AddAccountFromBookKeepingWithNoCategories=Available account not yet in the personalized group -CategoryDeleted=Category for the accounting account has been removed -AccountingJournals=Accounting journals -AccountingJournal=Accounting journal -NewAccountingJournal=New accounting journal +AddAccountFromBookKeepingWithNoCategories=Dostupan račun još nije u personaliziranoj grupi +CategoryDeleted=Kategorija za računovodstveni račun je uklonjena +AccountingJournals=Računovodstveni dnevnici +AccountingJournal=Računovodstveni dnevnik +NewAccountingJournal=Novi knjigovodstveni dnevnik ShowAccountingJournal=Prikaži računovodstveni dnevnik -NatureOfJournal=Nature of Journal +NatureOfJournal=Priroda časopisa AccountingJournalType1=Razne operacije AccountingJournalType2=Prodaja AccountingJournalType3=Nabava AccountingJournalType4=Banka AccountingJournalType5=Troškovnici AccountingJournalType8=Zalihe -AccountingJournalType9=Ima-novo -GenerationOfAccountingEntries=Generation of accounting entries -ErrorAccountingJournalIsAlreadyUse=This journal is already use -AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s +AccountingJournalType9=Zadržana dobit +GenerationOfAccountingEntries=Generiranje knjigovodstvenih knjižica +ErrorAccountingJournalIsAlreadyUse=Ovaj dnevnik se već koristi +AccountingAccountForSalesTaxAreDefinedInto=Napomena: Računovodstveni račun za porez na promet definiran je u izborniku %s - %s NumberOfAccountancyEntries=Broj unosa -NumberOfAccountancyMovements=Number of movements -ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting -ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. -ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user -OptionsAdvanced=Advanced options -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +NumberOfAccountancyMovements=Broj pokreta +ACCOUNTING_DISABLE_BINDING_ON_SALES=Onemogućite vezanje i prijenos u računovodstvu na prodaji (računi kupaca neće biti uzeti u obzir u računovodstvu) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Onemogući vezanje i prijenos u računovodstvu pri kupnji (računi dobavljača neće biti uzeti u obzir u računovodstvu) +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Onemogući uvezivanje i prijenos u računovodstvu na izvještajima o troškovima (izvješća o troškovima neće biti uzeta u obzir u računovodstvu) +ACCOUNTING_ENABLE_LETTERING=Uključite funkciju slova u računovodstvu +ACCOUNTING_ENABLE_LETTERING_DESC=Kada je ova opcija omogućena, za svaki računovodstveni unos možete definirati šifru tako da možete zajedno grupirati različita računovodstvena kretanja. U prošlosti, kada se različitim dnevnikima upravljalo neovisno, ova je značajka bila neophodna za grupiranje redova kretanja različitih dnevnika zajedno. Međutim, uz Dolibarr accountancy, takav kod za praćenje pod nazivom "%s" već je automatski spremljeno, tako da je automatsko ispisivanje slova već napravljeno, bez rizika od pogreške, tako da je ova značajka postala beskorisna za uobičajenu upotrebu. Značajka ručnog ispisivanja slova predviđena je za krajnje korisnike koji stvarno nemaju povjerenja u računalni mehanizam koji vrši prijenos podataka u računovodstvu. +EnablingThisFeatureIsNotNecessary=Omogućavanje ove značajke više nije potrebno za rigorozno upravljanje računovodstvom. +ACCOUNTING_ENABLE_AUTOLETTERING=Omogućite automatsko ispisivanje slova prilikom prijenosa u računovodstvo +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Kôd za natpis automatski se generira i inkrementirano i ne odabire krajnji korisnik +ACCOUNTING_LETTERING_NBLETTERS=Broj slova prilikom generiranja koda slova (zadano 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Neki računovodstveni softver prihvaća samo šifru od dva slova. Ovaj parametar omogućuje vam postavljanje ovog aspekta. Zadani broj slova je tri. +OptionsAdvanced=Napredne opcije +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Aktivirajte upravljanje obrnutim PDV-om na kupnje dobavljača +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Kada je ova opcija omogućena, možete definirati da se faktura dobavljača ili određenog dobavljača mora drugačije prenijeti u računovodstvo: dodatno zaduženje i kreditna linija će se generirati u računovodstvu 2. dati računi iz kontnog plana definirani na stranici za postavljanje "%s". ## Export -NotExportLettering=Do not export the lettering when generating the file -NotifiedExportDate=Flag not yet exported lines as Exported (to modify a line flagged as exported, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries not yet already locked (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) -NotifiedExportFull=Export documents ? +NotExportLettering=Nemojte izvoziti slova prilikom generiranja datoteke +NotifiedExportDate=Označite još neizvezene linije kao Izvezene (za promjeni - izmjeni liniju označenu kao izvezenu, morat ćete izbrisati cijelu transakciju i ponovno prenijeti u računovodstvo) +NotifiedValidationDate=Potvrdi i Zaključaj izvezene unose koji još nisu zaključani (isti učinak kao "%s " značajka, izmjena i brisanje redaka DEFINITIVNO neće biti moguće) +NotifiedExportFull=Izvoz dokumenata? DateValidationAndLock=Potvrda datuma i zaključavanje ConfirmExportFile=Potvrda generiranja datoteke za izvoz računovodstva? -ExportDraftJournal=Export draft journal +ExportDraftJournal=Izvezi nacrt dnevnika Modelcsv=Model of export Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export @@ -380,44 +387,44 @@ Modelcsv_LDCompta10=Izvoz za LD Compta (v10 i noviji) Modelcsv_openconcerto=Izvoz za OpenConcerto (test) Modelcsv_configurable=Izvoz CSV-a koji se može konfigurirati Modelcsv_FEC=Izvoz FEC -Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed) +Modelcsv_FEC2=Izvoz FEC (s pisanjem datuma/obrnutim dokumentom) Modelcsv_Sage50_Swiss=Izvoz za Sage 50 Švicarska Modelcsv_winfic=Izvoz za Winfic - eWinfic - WinSis Compta Modelcsv_Gestinumv3=Izvoz za Gestinum (v3) Modelcsv_Gestinumv5=Izvoz za Gestinum (v5) -Modelcsv_charlemagne=Export for Aplim Charlemagne -ChartofaccountsId=Chart of accounts Id +Modelcsv_charlemagne=Izvoz za Aplima Karla Velikog +ChartofaccountsId=Kontni plan Id ## Tools - Init accounting account on product / service InitAccountancy=Inicijalizacija računovodstva -InitAccountancyDesc=This page can be used to initialize an accounting account on products and services that does not have accounting account defined for sales and purchases. -DefaultBindingDesc=This page can be used to set the default accounts (from the chart of account) to use to link business objects with an account, like payment salaries, donation, taxes and VAT, when no specific account were already set. -DefaultClosureDesc=This page can be used to set parameters used for accounting closures. +InitAccountancyDesc=Ova se stranica može koristiti za pokretanje računovodstvenog računa za proizvode i usluge koji nemaju definiran računovodstveni račun za prodaju i kupnju. +DefaultBindingDesc=Ova stranica se može koristiti za postavljanje zadanih računa (iz kontnog plana) za korištenje za povezivanje poslovnih objekata s računom, kao što su isplate plaća, donacije, porezi i PDV, kada nijedan određeni račun nije već postavljen. +DefaultClosureDesc=Ova stranica se može koristiti za postavljanje parametara koji se koriste za računovodstvena zatvaranja. Options=Opcije OptionModeProductSell=Načini prodaje -OptionModeProductSellIntra=Mode sales exported in EEC -OptionModeProductSellExport=Mode sales exported in other countries +OptionModeProductSellIntra=Način prodaje izvezen u EEZ +OptionModeProductSellExport=Način prodaje izvezen u druge zemlje OptionModeProductBuy=Načini nabavke -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries -OptionModeProductSellDesc=Show all products with accounting account for sales. +OptionModeProductBuyIntra=Način kupnje uvezen u EEZ +OptionModeProductBuyExport=Način kupljen uvezen iz drugih zemalja +OptionModeProductSellDesc=Prikaži sve proizvode s računovodstvenim računom za prodaju. OptionModeProductSellIntraDesc=Prikaži sve proizvode s kontom za prodaju u EEC. OptionModeProductSellExportDesc=Prikaži sve proizvode s kontom za ostale inozemne prodaje. OptionModeProductBuyDesc=Prikaži sve proizvode s kontom za kupnje. OptionModeProductBuyIntraDesc=Prikaži sve proizvode s kontom za kupnje u EEC. OptionModeProductBuyExportDesc=Prikaži sve proizvode skontom za druge strane kupnje. -CleanFixHistory=Remove accounting code from lines that not exists into charts of account +CleanFixHistory=Uklonite računovodstveni kod iz redova koji ne postoje u kontnim planovima CleanHistory=Poništi sve veze za odabranu godinu PredefinedGroups=Unaprijed definirane grupe WithoutValidAccount=Bez valjanog namjenskog računa WithValidAccount=S važećim namjenskim računom -ValueNotIntoChartOfAccount=This value of accounting account does not exist into chart of account +ValueNotIntoChartOfAccount=Ova vrijednost računovodstvenog računa ne postoji u kontnom planu AccountRemovedFromGroup=Račun je uklonjen iz grupe SaleLocal=Lokalna prodaja SaleExport=Izvozna prodaja SaleEEC=Prodaja u EEC -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithVAT=Prodaja u EEZ-u s PDV-om nije null, pa pretpostavljamo da ovo NIJE prodaja unutar zajednice i predloženi račun je standardni račun proizvoda. +SaleEECWithoutVATNumber=Prodaja u EEZ bez PDV-a, ali PDV ID treće strane nije definiran. Vraćamo se na račun za standardnu prodaju. Možete ispraviti PDV ID treće strane ili promijeniti račun proizvoda koji je predložen za vezanje ako je potrebno. ForbiddenTransactionAlreadyExported=Zabranjeno: Transakcija je potvrđena i/ili izvezena. ForbiddenTransactionAlreadyValidated=Zabranjeno: Transakcija je potvrđena. ## Dictionary @@ -426,69 +433,86 @@ Calculated=Izračunato Formula=Formula ## Reconcile -LetteringAuto=Reconcile auto -LetteringManual=Reconcile manual -Unlettering=Unreconcile -UnletteringAuto=Unreconcile auto -UnletteringManual=Unreconcile manual -AccountancyNoLetteringModified=No reconcile modified -AccountancyOneLetteringModifiedSuccessfully=One reconcile successfully modified -AccountancyLetteringModifiedSuccessfully=%s reconcile successfully modified -AccountancyNoUnletteringModified=No unreconcile modified -AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified -AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +LetteringAuto=Pomiri auto +LetteringManual=Priručnik za usklađivanje +Unlettering=Nepomirljivo +UnletteringAuto=Nepomirljivi auto +UnletteringManual=Neusklađeni priručnik +AccountancyNoLetteringModified=Bez izmjene usklađivanja +AccountancyOneLetteringModifiedSuccessfully=Jedno usklađivanje je uspješno izmijenjeno +AccountancyLetteringModifiedSuccessfully=%s usklađivanje uspješno izmijenjeno +AccountancyNoUnletteringModified=Nema promjena nepomirenja +AccountancyOneUnletteringModifiedSuccessfully=Jedno neusklađeno uspješno izmijenjeno +AccountancyUnletteringModifiedSuccessfully=%s poništavanje usklađivanja uspješno izmijenjeno + +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period +AccountancyClosureStep3=Korak 3: Ekstrahirajte unose (neobavezno) +AccountancyClosureClose=Zatvori fiskalno razdoblje +AccountancyClosureAccountingReversal=Ekstrakt i zapisa "Zadržana zarada" +AccountancyClosureStep3NewFiscalPeriod=Sljedeće fiskalno razdoblje +AccountancyClosureGenerateClosureBookkeepingRecords=Generirajte unose "Zadržane dobiti" u sljedećem fiskalnom razdoblju +AccountancyClosureSeparateAuxiliaryAccounts=Prilikom generiranja unosa "Zadržane dobiti", detaljno navedite podkonte +AccountancyClosureCloseSuccessfully=Fiskalno razdoblje je uspješno zatvoreno +AccountancyClosureInsertAccountingReversalSuccessfully=Knjigovodstveni zapisi za "Zadržanu dobit" uspješno su umetnuti ## Confirm box -ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation -ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? +ConfirmMassUnletteringAuto=Skupna potvrda automatskog nepomirenja +ConfirmMassUnletteringManual=Skupna ručna potvrda neusklađenosti +ConfirmMassUnletteringQuestion=Jeste li sigurni da želite poništiti usklađivanje %s odabranih zapisa? ConfirmMassDeleteBookkeepingWriting=Potvrda skupnog brisanja -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +ConfirmMassDeleteBookkeepingWritingQuestion=Ovo će izbrisati transakciju iz računovodstva (izbrisat će se svi unosi retka koji se odnose na istu transakciju). Jeste li sigurni da želite za brisanje %s odabranih unosa? +AccountancyClosureConfirmClose=Jeste li sigurni da želite za zatvaranje tekućeg fiskalnog razdoblja? Razumijete da je zatvaranje fiskalnog razdoblja nepovratna radnja i koja će trajno blokirati sve izmjene ili brisanja unosa tijekom ovog razdoblja. +AccountancyClosureConfirmAccountingReversal=Jeste li sigurni da želite za bilježenje unosa za "Zadržanu dobit"? ## Error SomeMandatoryStepsOfSetupWereNotDone=Neki obvezni koraci postavljanja nisu napravljeni, molimo dovršite ih -ErrorNoAccountingCategoryForThisCountry=Nema dostupne grupe konza za zemlju %s (Pogledajte Početna - Postavljanje - Rječnici) -ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused. +ErrorNoAccountingCategoryForThisCountry=Nije dostupna grupa računovodstvenih računa za zemlju %s (Pogledajte %s - %s - %s) +ErrorInvoiceContainsLinesNotYetBounded=Pokušavate zabilježiti neke retke fakture %s, ali neke druge linije još nisu vezane za računovodstveni račun. Zapisivanje svih redaka fakture za ovu fakturu se odbija. ErrorInvoiceContainsLinesNotYetBoundedShort=Neki redovi na fakturi nisu vezani za računovodstveni konto. ExportNotSupported=Podešeni format izvoza nije podržan BookeppingLineAlreayExists=Redovi koji već postoje u knjigovodstvu -NoJournalDefined=No journal defined +NoJournalDefined=Nije definiran dnevnik Binded=Vezane linije ToBind=Linije za vezanje UseMenuToSetBindindManualy=Linije još nisu povezane, upotrijebite izbornik %s za ručno povezivanje -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Note: this module or page is not completely compatible with the experimental feature of situation invoices. Some data may be wrong. -AccountancyErrorMismatchLetterCode=Mismatch in reconcile code -AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 -AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s -ErrorAccountNumberAlreadyExists=The accounting number %s already exists -ErrorArchiveAddFile=Can't put "%s" file in archive +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Napomena: ovaj modul ili stranica nisu potpuno kompatibilni s eksperimentalnom značajkom etapa faktura. Neki podaci mogu biti pogrešni. +AccountancyErrorMismatchLetterCode=Neusklađenost koda za usklađivanje +AccountancyErrorMismatchBalanceAmount=Stanje (%s) nije jednako 0 +AccountancyErrorLetteringBookkeeping=Došlo je do pogrešaka u vezi s transakcijama: %s +ErrorAccountNumberAlreadyExists=Računovodstveni broj %s već postoji +ErrorArchiveAddFile=Nije moguće staviti datoteku "%s" u arhivu +ErrorNoFiscalPeriodActiveFound=Nije pronađeno aktivno fiskalno razdoblje +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Datum knjigovodstvenog dokumenta nije unutar aktivnog fiskalnog razdoblja +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Datum knjigovodstvene dokumentacije je unutar zatvorenog fiskalnog razdoblja ## Import -ImportAccountingEntries=Accounting entries -ImportAccountingEntriesFECFormat=Accounting entries - FEC format -FECFormatJournalCode=Code journal (JournalCode) -FECFormatJournalLabel=Label journal (JournalLib) -FECFormatEntryNum=Piece number (EcritureNum) -FECFormatEntryDate=Piece date (EcritureDate) -FECFormatGeneralAccountNumber=General account number (CompteNum) -FECFormatGeneralAccountLabel=General account label (CompteLib) -FECFormatSubledgerAccountNumber=Subledger account number (CompAuxNum) -FECFormatSubledgerAccountLabel=Subledger account number (CompAuxLib) -FECFormatPieceRef=Piece ref (PieceRef) -FECFormatPieceDate=Piece date creation (PieceDate) -FECFormatLabelOperation=Label operation (EcritureLib) +ImportAccountingEntries=Računovodstvena knjiženja +ImportAccountingEntriesFECFormat=Računovodstvena knjiženja - FEC format +FECFormatJournalCode=Dnevnik kodova (JournalCode) +FECFormatJournalLabel=Oznaka dnevnik (JournalLib) +FECFormatEntryNum=Broj komada (EcritureNum) +FECFormatEntryDate=Datum komada (EcritureDate) +FECFormatGeneralAccountNumber=Opći broj računa (CompteNum) +FECFormatGeneralAccountLabel=Opći račun Oznaka (CompteLib) +FECFormatSubledgerAccountNumber=Broj računa pomoćne knjige (CompAuxNum) +FECFormatSubledgerAccountLabel=Broj računa pomoćne knjige (CompAuxLib) +FECFormatPieceRef=Broj komada (PieceRef) +FECFormatPieceDate=Izrada datuma komada (PieceDate) +FECFormatLabelOperation=Oznaka operacija (EcritureLib) FECFormatDebit=Debit (Debit) -FECFormatCredit=Credit (Credit) -FECFormatReconcilableCode=Reconcilable code (EcritureLet) -FECFormatReconcilableDate=Reconcilable date (DateLet) -FECFormatValidateDate=Piece date validated (ValidDate) +FECFormatCredit=kredit (kredit) +FECFormatReconcilableCode=Pomirljivi kod (EcritureLet) +FECFormatReconcilableDate=Datum koji se može uskladiti (DateLet) +FECFormatValidateDate=Datum komada potvrđen (ValidDate) FECFormatMulticurrencyAmount=Viševalutni iznos (Montantdevise) FECFormatMulticurrencyCode=Viševalutni kod (Idevise) DateExport=Datum izvoza -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contain transactions modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. +WarningReportNotReliable=Upozorenje, ovo se izvješće ne temelji na Glavnoj knjizi, stoga ne sadrži transakcije koje su ručno izmijenjene u Glavnoj knjizi. Ako je vaša evidencija ažurna, knjigovodstveni prikaz je točniji. ExpenseReportJournal=Dnevnik izvješća o troškovima -DocsAlreadyExportedAreIncluded=Docs already exported are included -ClickToShowAlreadyExportedLines=Click to show already exported lines +DocsAlreadyExportedAreIncluded=Uključeni su već izvezeni dokumenti +ClickToShowAlreadyExportedLines=Kliknite za prikaz već izvezenih linija NAccounts=%s računi diff --git a/htdocs/langs/hr_HR/admin.lang b/htdocs/langs/hr_HR/admin.lang index 4bd364f8365..051951d34ee 100644 --- a/htdocs/langs/hr_HR/admin.lang +++ b/htdocs/langs/hr_HR/admin.lang @@ -51,8 +51,8 @@ ClientSortingCharset=Klijentski collation WarningModuleNotActive=Modul %s mora biti omogućen WarningOnlyPermissionOfActivatedModules=Prikazane su samo dozvole vezane za aktivne module. Možete aktivirati druge module na stranici modula Naslovna -> Podešavanje -> Moduli. DolibarrSetup=Dolibarr instalacija ili nadogradnja -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=Dolibarr nadogradnja +DolibarrAddonInstall=Instalacija Addon/eksternih modula (učitanih ili generiranih) InternalUsers=Interni korisnici ExternalUsers=Vanjski korisnici UserInterface=Korisničko sučelje @@ -87,7 +87,7 @@ NumberOfBytes=Broj bajtova SearchString=Izraz za pretraživanje NotAvailableWhenAjaxDisabled=Nije dostupno kada je Ajax onemogućen AllowToSelectProjectFromOtherCompany=Na dokumentu komitenta, možete odabrati projekt povezan s drugim komitentom -TimesheetPreventAfterFollowingMonths=Prevent recording time spent after the following number of months +TimesheetPreventAfterFollowingMonths=Spriječite snimanje potrošenog vremena nakon sljedećeg broja mjeseci JavascriptDisabled=JavaScript onemogućen UsePreviewTabs=Koristi karticu pregleda ShowPreview=Prikaži pregled @@ -109,7 +109,7 @@ NextValueForReplacements=Sljedeća vrijednost (zamjene) MustBeLowerThanPHPLimit=Napomena: vaša PHP konfiguracija trenutno ograničava maksimalnu veličinu datoteke za prijenos na %s %s, bez obzira na vrijednost ovog parametra NoMaxSizeByPHPLimit=Napomena: Limit nije podešen u vašoj PHP konfiguraciji MaxSizeForUploadedFiles=Maksimalna veličina datoteka za upload (0 onemogučuje bilokakav upload) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page and some public pages +UseCaptchaCode=Koristite grafički kod (CAPTCHA) na stranici za prijavu i nekim javnim stranicama AntiVirusCommand=Puna putanja do antivirusne komande AntiVirusCommandExample=Primjer za ClamAv Daemon (zahtijeva clamav-daemon): /usr/bin/clamdscan
      Primjer za ClamWin (vrlo vrlo spor): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe AntiVirusParam= Dodatni parametri za komandnu liniju @@ -147,7 +147,7 @@ Box=Dodatak Boxes=Dodaci MaxNbOfLinesForBoxes=Maksimalni broj linija u dodatku AllWidgetsWereEnabled=Svi dostupni widgeti su omogućeni -WidgetAvailable=Widget available +WidgetAvailable=Widget dostupan PositionByDefault=Predefiniran redosljed Position=Pozicija MenusDesc=Upravitelji izbornicima postavljaju sadržaj za dva izbornika ( horizontalni i vertikalni). @@ -227,6 +227,8 @@ NotCompatible=Čini se da ovaj modul nije kompatibilan s vašim Dolibarr %s (Min CompatibleAfterUpdate=Ovaj modul zahtijeva ažuriranje vašeg Dolibarra %s (Min %s - Max %s). SeeInMarkerPlace=Vidi u Market place SeeSetupOfModule=Pogledajte postavljanje modula %s +SeeSetupPage=Pogledajte stranicu za postavljanje na %s +SeeReportPage=Pogledajte stranicu izvješća na %s SetOptionTo=Postavite opciju %s na %s Updated=Ažurirano AchatTelechargement=Kupi / Preuzmi @@ -292,22 +294,22 @@ EmailSenderProfiles=Profili pošiljatelja e-pošte EMailsSenderProfileDesc=Ovaj odjeljak možete ostaviti praznim. Ako ovdje unesete neke e-poruke, oni će biti dodani na popis mogućih pošiljatelja u kombinirani okvir kada napišete novu e-poštu. MAIN_MAIL_SMTP_PORT=SMTP/SMTPS port (zadana vrijednost u php.ini: %s ) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (zadana vrijednost u php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS port (nije definiran u PHP-u na sustavima sličnim Unixu) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (nije definirano u PHP-u na sustavima sličnim Unixu) -MAIN_MAIL_EMAIL_FROM=E-pošta pošiljatelja za automatske e-poruke (zadana vrijednost u php.ini: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS priključak +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS host +MAIN_MAIL_EMAIL_FROM=Pošiljatelj e-pošta za automatsku e-poštu +EMailHelpMsgSPFDKIM=Kako biste spriječili da Dolibarr e-poruke budu klasificirane kao neželjena pošta, provjerite je li poslužitelj ovlašten za slanje e-pošte pod ovim identitetom (provjerom SPF i DKIM konfiguracije naziva domene) MAIN_MAIL_ERRORS_TO=E-pošta korištena za pogrešku vraća e-poštu (polja 'Errors-To' u poslanim porukama e-pošte) MAIN_MAIL_AUTOCOPY_TO= Kopirajte (Bcc) sve poslane e-poruke na MAIN_DISABLE_ALL_MAILS=Onemogućite sva slanja e-pošte (u svrhu testiranja ili demonstracija) MAIN_MAIL_FORCE_SENDTO=Pošaljite sve e-poruke na (umjesto stvarnim primateljima, u svrhu testiranja) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Predložite e-poštu zaposlenika (ako je definirano) na popis unaprijed definiranih primatelja prilikom pisanja nove e-pošte -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Nemojte odabrati zadanog primatelja čak i ako postoji samo 1 mogući izbor MAIN_MAIL_SENDMODE=Način slanja e-pošte MAIN_MAIL_SMTPS_ID=SMTP ID (ako poslužitelj za slanje zahtijeva autentifikaciju) MAIN_MAIL_SMTPS_PW=SMTP lozinka (ako poslužitelj za slanje zahtijeva autentifikaciju) MAIN_MAIL_EMAIL_TLS=Koristite TLS (SSL) enkripciju MAIN_MAIL_EMAIL_STARTTLS=Koristite TLS (STARTTLS) enkripciju -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autoriziraj les certificats auto-signés +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizirajte samopotpisane certifikate MAIN_MAIL_EMAIL_DKIM_ENABLED=Koristite DKIM za generiranje potpisa e-pošte MAIN_MAIL_EMAIL_DKIM_DOMAIN=Domena e-pošte za korištenje s dkim-om MAIN_MAIL_EMAIL_DKIM_SELECTOR=Naziv dkim selektora @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Privatni ključ za dkim potpisivanje MAIN_DISABLE_ALL_SMS=Onemogući slanje svih SMS-ova (u svrhu testiranja ili demonstracija) MAIN_SMS_SENDMODE=Način slanja SMS-a MAIN_MAIL_SMS_FROM=Zadani telefonski broj pošiljatelja za slanje SMS-a -MAIN_MAIL_DEFAULT_FROMTYPE=Zadana e-pošta pošiljatelja za ručno slanje (korisnička e-pošta ili e-pošta tvrtke) +MAIN_MAIL_DEFAULT_FROMTYPE=Zadani pošiljatelj e-pošta unaprijed odabran na obrascima za slanje e-pošte UserEmail=E-pošta korisnika CompanyEmail=E-pošta tvrtke FeatureNotAvailableOnLinux=Mogućnost nije dostupna na UNIX-u. Testirajte sendmail program lokalno. @@ -361,14 +363,14 @@ LastActivationIP=IP najnovije aktivacije LastActivationVersion=Verzija najnovije aktivacije UpdateServerOffline=Nadogradi server offline WithCounter=Upravljajte brojačem -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      -GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      +GenericMaskCodes=Možete unijeti bilo koju masku numeriranja. U ovoj se maski može koristiti sljedeća oznake:
      { 000000} odgovara broju koji će se povećavati za svaki %s. Unesite onoliko nula koliko je željena duljina brojača. Brojač će se popuniti nulama slijeva kako bi bilo onoliko nula koliko je maske.
      {000000+000} isto kao i prethodno, ali pomak koji odgovara broju s desne strane znaka + primjenjuje se počevši od prvog %s.
      {000000@x} isto kao i prethodno, ali brojač se vraća na nulu kada se dosegne mjesec x (x između 1 i 12, ili 0 za korištenje prvih mjeseci fiskalne godine definirane u vašoj konfiguraciji, ili 99 za ponovno postavljanje na nula svaki mjesec). Ako se koristi ova opcija i x je 2 ili više, tada je također potreban niz {yy}{mm} ili {yyyy}{mm}.
      {dd} dan (01 do 31).
      {mm} mjesec (01. do 12.).
      {yy}, {yyyy} ili {y} godine preko 2, 4 ili 1 broja.
      +GenericMaskCodes2={cccc} kod klijenta na n znakova
      {cccc000} kôd klijenta na n znakova slijedi brojač posvećen kupcu. Ovaj brojač posvećen kupcu resetira se u isto vrijeme kad i globalni brojač.
      {tttt} Kod tipa treće strane na n znakova (pogledajte izbornik Početna - Postavljanje - Rječnik - Vrste trećih strana). Ako dodate ovaj oznaka, brojač će se razlikovati za svaku vrstu treće strane.
      GenericMaskCodes3=Svi preostali znakovi u predlošku će ostati nepromjenjeni.
      Razmak nije dozvoljen.
      GenericMaskCodes3EAN=Svi ostali znakovi u maski ostat će netaknuti (osim * ili ? na 13. poziciji u EAN13).
      Razmaci nisu dopušteni.
      U EAN13, zadnji znak nakon zadnjeg } na 13. poziciji trebao bi biti * ili ? . Bit će zamijenjen izračunatim ključem.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes4a=Primjer na 99. %s treće strane TheCompany, s datumom 2023-01-31:
      +GenericMaskCodes4b=Primjer treće strane kreiran 2023-01-31:
      +GenericMaskCodes4c=Primjer proizvoda kreiranog 31. siječnja 2023.:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000} dat će span>ABC2301-000099
      {0000+100@1 }-ZZZ/{dd}/XXX će dati 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} će dati IN2301-0099-A ako je vrsta tvrtka je 'Responsable Inscripto' s kodom za tip koji je 'A_RI' GenericNumRefModelDesc=Vraća prilagodljiv broj sukladno s definiranim predloškom. ServerAvailableOnIPOrPort=Server je dostupan na adresi %s na portu %s ServerNotAvailableOnIPOrPort=Server nije dostupan na adresi %s s portom %s @@ -378,7 +380,7 @@ DoTestSendHTML=Slanje HTML testa ErrorCantUseRazIfNoYearInMask=Pogreška, ne može se koristiti opcija @ za poništavanje brojača svake godine ako sekvenca {yy} ili {yyyy} nije u maski. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Greška, ne možete koristiti opciju @ ako sekvence {yy}{mm} ili {yyyy}{mm} nisu u predlošku. UMask=Umask parametar za nove datoteke na Unix/Linux/BSD/Mac sistemu. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. +UMaskExplanation=Ovaj vam parametar omogućuje definiranje dopuštenja postavljenih prema zadanim postavkama za datoteke koje je izradio Dolibarr na poslužitelju (na primjer, tijekom prijenosa).
      To mora biti oktalna vrijednost (na primjer, 0666 znači čitanje i pišite za sve.). Preporučena vrijednost je 0600 ili 0660
      Ovaj je parametar beskoristan na Windows poslužitelju. SeeWikiForAllTeam=Pogledajte Wiki stranicu za popis suradnika i njihovu organizaciju UseACacheDelay= Kašnjenje za predmemoriranje izvoznog odgovora u sekundama (0 ili prazno ako nema predmemorije) DisableLinkToHelpCenter=Sakrij vezu " Trebate pomoć ili podršku " na stranici za prijavu @@ -390,7 +392,7 @@ LanguageFilesCachedIntoShmopSharedMemory=Datoteke .lang učitane u zajedničku m LanguageFile=Jezična datoteka ExamplesWithCurrentSetup=Primjeri s trenutnom konfiguracijom ListOfDirectories=Popis mapa sa OpenDocument predlošcima -ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.

      Put here full path of directories.
      Add a carriage return between eah directory.
      To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.

      Files in those directories must end with .odt or .ods. +ListOfDirectoriesForModelGenODT=Popis direktorija koji sadrže datoteke predložaka s formatom OpenDocument.

      Ovdje stavite punu putanju direktorija.
      Dodajte povratak na početak reda između svakog direktorija.
      Da biste dodali direktorij GED modula, dodajte ovdje >DOL_DATA_ROOT/ecm/yourdirectoryname.

      Datoteke u tim direktorijima mora završavati s .odt ili .ods. NumberOfModelFilesFound=Broj ODT/ODS datoteka predložaka pronađenih u ovim direktorijima ExampleOfDirectoriesForModelGen=Primjeri sintakse:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir FollowingSubstitutionKeysCanBeUsed=
      Da bi ste saznali kako kreirati ODT predloške dokumenata, prije pohranjivanja istih u navedene mape, pročitajte wiki dokumentaciju na: @@ -417,6 +419,7 @@ PDFLocaltax=Pravila za %s HideLocalTaxOnPDF=Sakrij stopu %s u stupcu Porez na promet/PDV HideDescOnPDF=Sakrij opis proizvoda HideRefOnPDF=Sakrij ref. proizvoda +ShowProductBarcodeOnPDF=Prikažite broj crtičnog koda proizvoda HideDetailsOnPDF=Sakrij stavke detalja proizvoda PlaceCustomerAddressToIsoLocation=Use french standard position (La Poste) for customer address position Library=Biblioteka @@ -424,14 +427,14 @@ UrlGenerationParameters=Parametri za osiguranje URL-a SecurityTokenIsUnique=Koristi jedinstven securekey parametar za svaki URL EnterRefToBuildUrl=Unesite referencu za objekt %s GetSecuredUrl=Traži izračunan URL -ButtonHideUnauthorized=Sakrij gumbe za neovlaštene radnje i za interne korisnike (u suprotnom su samo sivi) +ButtonHideUnauthorized=Sakrij neovlaštene akcijske gumbe i za interne korisnike (inače su samo sivi) OldVATRates=Stara stopa PDV-a NewVATRates=Nova stopa PDV-a PriceBaseTypeToChange=Promjeni cijene sa baznom referentnom vrijednosti definiranoj na MassConvert=Pokreni masovnu konverziju PriceFormatInCurrentLanguage=Format cijene na trenutnom jeziku String=String -String1Line=String (1 line) +String1Line=Niz (1 red) TextLong=Long text TextLongNLines=Dugi tekst (n redaka) HtmlText=Html tekst @@ -439,10 +442,10 @@ Int=Integer Float=Float DateAndTime=Datum i vrijeme Unique=Unique -Boolean=Boolean (one checkbox) +Boolean=Booleov (jedan potvrdni okvir) ExtrafieldPhone = Telefon ExtrafieldPrice = Cijena -ExtrafieldPriceWithCurrency=Price with currency +ExtrafieldPriceWithCurrency=Cijena s valutom ExtrafieldMail = E-pošta ExtrafieldUrl = Url ExtrafieldIP = IP @@ -450,20 +453,20 @@ ExtrafieldSelect = Odaberi popis ExtrafieldSelectList = Odaberi iz tabele ExtrafieldSeparator=Razdjelnik (nije polje) ExtrafieldPassword=Lozinka -ExtrafieldRadio=Radio buttons (one choice only) -ExtrafieldCheckBox=Checkboxes -ExtrafieldCheckBoxFromList=Checkboxes from table +ExtrafieldRadio=Radio gumbi (samo jedan izbor) +ExtrafieldCheckBox=Potvrdni okviri +ExtrafieldCheckBoxFromList=Potvrdni okviri iz tablice ExtrafieldLink=Poveži s objektom ComputedFormula=Izračunato polje -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' +ComputedFormulaDesc=Ovdje možete unijeti formulu koristeći druga svojstva objekta ili bilo koje PHP kodiranje da biste dobili dinamičku izračunatu vrijednost. Možete koristiti bilo koju PHP kompatibilnu formulu uključujući "?" operator uvjeta, i sljedeći globalni objekt: $db, $conf, $langs, $mysoc, $user, $objectoffield .
      UPOZORENJE : Ako su vam potrebna svojstva objekta koja nisu učitana, samo dohvatite objekt u formulu kao u drugom primjeru.
      Korištenje izračunatog polja znači da možete t sami unesite bilo koju vrijednost iz sučelja. Također, ako postoji sintaktička pogreška, formula možda ne vraća ništa.

      Primjer formule:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      Primjer za ponovno učitavanje objekta
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj- >veliko / 5: '-1')

      Drugi primjer formule za prisilno učitavanje objekta i njegov roditeljski objekt:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id ) > 0) && ($secondloadedobj = novi projekt($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Nadređeni projekt nije pronađen' Computedpersistent=Pohrani izračunato polje ComputedpersistentDesc=Izračunata dodatna polja bit će pohranjena u bazi podataka, međutim, vrijednost će se ponovno izračunati samo kada se promijeni objekt ovog polja. Ako izračunato polje ovisi o drugim objektima ili globalnim podacima, ova vrijednost može biti pogrešna!! -ExtrafieldParamHelpPassword=Ako ovo polje ostavite praznim, znači da će ova vrijednost biti pohranjena bez šifriranja (polje mora biti skriveno samo sa zvjezdicom na zaslonu).
      Postavite 'auto' za korištenje zadanog pravila šifriranja za spremanje lozinke u bazu podataka (tada će pročitana vrijednost biti samo hash, nema načina da se dohvati izvorna vrijednost) -ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      In order to have the list depending on another list:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key +ExtrafieldParamHelpPassword=Ostavljanje ovog polja praznim znači da će ova vrijednost biti pohranjena BEZ enkripcije (polje je samo skriveno sa zvjezdicama na ekranu).

      Unesite vrijednost 'dolcrypt' za kodiranje vrijednosti reverzibilnim algoritmom šifriranja. Jasni podaci i dalje se mogu znati i uređivati, ali su šifrirani u bazi podataka.

      span>Unesite 'auto' (ili 'md5', 'sha256', 'password_hash', ...) za korištenje zadanog algoritma šifriranja zaporke (ili md5, sha256, password_hash...) za spremanje nepovratne hashirane zaporke u baza podataka (nema načina za dohvaćanje izvorne vrijednosti) +ExtrafieldParamHelpselect=Popis vrijednosti mora biti redak s formatom ključ,vrijednost (gdje ključ ne može biti '0')

      na primjer :
      1,vrijednost1
      2,vrijednost2
      kod3,vrijednost3
      ...

      Kako bi popis ovisio o drugom komplementarni popis atributa:
      1,value1|options_parent_list_code: parent_key
      2,value2|options_parent_list_code:parent_key

      Kako bi popis ovisio o drugom popisu:
      1, vrijednost1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=Popis vrijednosti moraju biti linije sa strukturom ključ,vrijednost (ključ ne može biti '0')

      na primjer:
      1,vrijednost1
      2,vrijednost2
      3,vrijednost3
      ... ExtrafieldParamHelpradio=Popis vrijednosti moraju biti linije sa strukturom ključ,vrijednost (ključ ne može biti '0')

      na primjer:
      1,vrijednost1
      2,vrijednost2
      3,vrijednost3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=Popis vrijednosti dolazi iz tablice
      Sintaksa: table_name:label_field:id_field::filtersql
      Primjer: c_typent:libelle:id ::filtersql

      - id_field je nužno primarni int ključ
      - filtersql je SQL uvjet. To može biti jednostavan test (npr. active=1) za prikaz samo aktivne vrijednosti
      Također možete koristiti $ID$ u filtru koji je trenutni ID trenutnog objekta
      Za korištenje SELECT-a u filtru upotrijebite ključnu riječ $SEL$ za zaobilaženje zaštite od ubrizgavanja.
      ako želite filtrirati dodatna polja koristite sintaksu extra.fieldcode=... (gdje je kod polja kod ekstrapolja)

      Da biste imali popis ovisno o drugom komplementarnom popisu atributa:
      c_typent:libelle:id:options_parent_list_code |parent_column:filter

      Kako bi popis ovisio o drugom popisu:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpchkbxlst=Popis vrijednosti dolazi iz tablice
      Sintaksa: table_name:label_field:id_field::filtersql
      Primjer: c_typent:libelle:id ::filtersql

      filtar može biti jednostavan test (npr. active=1) za prikaz samo aktivne vrijednosti
      Također možete koristiti $ID$ u filtru koji je trenutni ID trenutnog objekta
      Da biste napravili SELECT u filtru upotrijebite $SEL$
      ako želite filtrirati dodatna polja koristite sintaksu extra.fieldcode=... (gdje je kod polja kod dodatnog polja)

      Kako bi popis ovisio o drugom komplementarnom popisu atributa:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      Kako bi popis ovisio o drugom popisu:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Parametri moraju biti ObjectName:Classpath
      Sintaksa: ObjectName:Classpath ExtrafieldParamHelpSeparator=Ostavite prazno za jednostavan separator
      Postavite ovo na 1 za sažimajući separator (otvoreno prema zadanim postavkama za novu sesiju, a status se čuva za svaku korisničku sesiju)
      Postavite ovo na 2 za sažimajući separator (sažeto prema zadanim postavkama za novu sesiju, a zatim status se čuva za svaku korisničku sesiju) LibraryToBuildPDF=Biblioteka korištena za kreiranje PDF-a @@ -473,16 +476,16 @@ LinkToTestClickToDial=Unesite telefonski broj koji želite nazvati da biste prik RefreshPhoneLink=Osvježi link LinkToTest=Generirana veza za korisnika %s (kliknite na telefonski broj za test) KeepEmptyToUseDefault=Ostavite prazno za zadane vrijednosti -KeepThisEmptyInMostCases=U većini slučajeva ovo polje možete držati praznim. +KeepThisEmptyInMostCases=U većini slučajeva ovo polje možete ostaviti praznim. DefaultLink=Default link SetAsDefault=Postavi kao zadano ValueOverwrittenByUserSetup=Upozorenje, ova vrijednost može biti prepisana korisničkim postavkama (svaki korisnik može postaviti svoj vlastiti url za biranje klikom) ExternalModule=Vanjski modul InstalledInto=Instalirano u direktorij %s -BarcodeInitForThirdparties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Masovno pokretanje crtičnog koda za treće strane BarcodeInitForProductsOrServices=Masovno postavljanje ili promjena barkodova usluga i proizvoda CurrentlyNWithoutBarCode=Trenutno, imate %s podataka na %s %s bez definiranog barkoda. -InitEmptyBarCode=Init value for the %s empty barcodes +InitEmptyBarCode=Početna vrijednost za %s prazne crtične kodove EraseAllCurrentBarCode=Obriše sve trenutne vrijednosti barkoda ConfirmEraseAllCurrentBarCode=Jeste li sigurni da želite obrisati sve trenutne barkod vrijednosti ? AllBarcodeReset=Sve barkod vrijednosti su obrisane @@ -500,38 +503,38 @@ ModuleCompanyCodePanicum=Vratite praznu računovodstvenu šifru. ModuleCompanyCodeDigitaria=Vraća složenu računovodstvenu šifru prema imenu treće strane. Kôd se sastoji od prefiksa koji se može definirati na prvom mjestu nakon kojeg slijedi broj znakova definiranih u kodu treće strane. ModuleCompanyCodeCustomerDigitaria=%s nakon čega slijedi skraćeno ime kupca po broju znakova: %s za šifru obračuna kupca. ModuleCompanyCodeSupplierDigitaria=%s nakon čega slijedi skraćeno ime dobavljača po broju znakova: %s za obračunski kod dobavljača. -Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
      Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. +Use3StepsApproval=Prema zadanim postavkama, narudžbenice moraju biti izrađene i odobrene od strane 2 različita korisnika (jedan korak po korisniku do izradi i jedan korak po korisniku za odobrenje. Imajte na umu da ako korisnik ima oba dopuštenja za izradi i odobri, jedan korak/korisnik će biti dovoljan). Ovom opcijom možete zatražiti uvođenje trećeg koraka/korisničkog odobrenja, ako je iznos veći od namjenske vrijednosti (pa će biti potrebna 3 koraka: 1=potvrda, 2=prvo odobrenje i 3=drugo odobrenje ako je iznos dovoljan).
      Postavite ovo na prazno ako je jedno odobrenje (2 koraka) dovoljno, postavite ga na vrlo nisku vrijednost (0,1) ako uvijek je potrebno drugo odobrenje (3 koraka). UseDoubleApproval=Koristi 3 koraka odobravanja kada je iznos (bez poreza) veći od... WarningPHPMail=UPOZORENJE: Postavke za slanje e-pošte iz aplikacije koriste zadane generičke postavke. Često je bolje postaviti odlaznu e-poštu za korištenje poslužitelja e-pošte vašeg davatelja usluga e-pošte umjesto zadanih postavki iz nekoliko razloga: WarningPHPMailA=- Korištenje poslužitelja davatelja usluga e-pošte povećava pouzdanost vaše e-pošte, tako da povećava isporučivost bez označavanja kao SPAM WarningPHPMailB=- Neki davatelji usluga e-pošte (kao što je Yahoo) ne dopuštaju vam slanje e-pošte s drugog poslužitelja osim s njihovog vlastitog poslužitelja. Vaša trenutna postavka koristi poslužitelj aplikacije za slanje e-pošte, a ne poslužitelj vašeg davatelja e-pošte, tako da će neki primatelji (onaj koji je kompatibilan s restriktivnim DMARC protokolom) pitati vašeg davatelja e-pošte može li prihvatiti vašu e-poštu, a neki davatelji e-pošte (poput Yahooa) može odgovoriti "ne" jer poslužitelj nije njihov, tako da nekoliko vaših poslanih e-poruka možda neće biti prihvaćeno za isporuku (pazite i na kvotu slanja vašeg davatelja e-pošte). WarningPHPMailC=- Korištenje SMTP poslužitelja vašeg vlastitog davatelja usluga e-pošte za slanje e-pošte također je zanimljivo tako da će sve e-poruke poslane iz aplikacije također biti spremljene u vaš direktorij "Poslano" vašeg poštanskog sandučića. -WarningPHPMailD=It is therefore recommended to change the sending method of e-mails to the value "SMTP". -WarningPHPMailDbis=If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by %sclicking here%s. +WarningPHPMailD=Stoga se preporuča promijeniti način slanja e-pošte na vrijednost "SMTP". +WarningPHPMailDbis=Ako stvarno želite zadržati zadanu "PHP" metodu za slanje e-pošte, samo zanemarite ovo upozorenje ili je uklonite %sklikom ovdje%s. WarningPHPMail2=Ako vaš SMTP davatelj usluge e-pošte treba ograničiti klijenta e-pošte na neke IP adrese (vrlo rijetko), ovo je IP adresa korisničkog agenta e-pošte (MUA) za vašu ERP CRM aplikaciju: %s . WarningPHPMailSPF=Ako je naziv domene u adresi e-pošte pošiljatelja zaštićen SPF zapisom (pitajte svoj registar imena domene), morate dodati sljedeće IP adrese u SPF zapis DNS-a vaše domene: %s . -ActualMailSPFRecordFound=Actual SPF record found (for email %s) : %s +ActualMailSPFRecordFound=Pronađen stvarni SPF zapis (za e-pošta %s): %s ClickToShowDescription=Kliknite za prikaz opisa DependsOn=Ovaj modul treba modul(e) RequiredBy=Ovaj modul je potreban za modul(i) TheKeyIsTheNameOfHtmlField=Ovo je naziv HTML polja. Za čitanje sadržaja HTML stranice potrebno je tehničko znanje kako bi se dobio naziv ključa polja. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. -PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Također imajte na umu da prepisivanje zadanih vrijednosti za kreiranje obrasca radi samo za stranice koje su ispravno dizajnirane (pa s parametrom action=create ili presen...) +PageUrlForDefaultValues=Morate unijeti relativnu putanju URL-a stranice. Ako uključite parametre u URL, to će biti učinkovito ako svi parametri u pregledanom URL-u imaju vrijednost definiranu ovdje. +PageUrlForDefaultValuesCreate=
      Primjer:
      Za obrazac izradi novoj trećoj strani, to je %s.
      Za URL vanjskih modula instaliranih u prilagođeni direktorij, nemojte uključivati "custom/", pa koristite stazu kao što je mymodule/mypage.php i not custom/mymodule/mypage.php.
      Ako želite samo zadanu vrijednost ako url ima neki parametar, možete koristiti %s +PageUrlForDefaultValuesList=
      Primjer:
      Za stranicu koja navodi treće strane, to je %s.
      Za URL vanjskih modula instaliranih u prilagođeni direktorij , nemojte uključivati "custom/" pa upotrijebite put kao što je mymodule/mypagelist.php i not custom/mymodule/mypagelist.php.
      Ako želite zadanu vrijednost samo ako url ima neki parametar, možete koristiti %s +AlsoDefaultValuesAreEffectiveForActionCreate=Također imajte na umu da prepisivanje zadanih vrijednosti za stvaranje obrasca funkcionira samo za stranice koje su ispravno dizajnirane (dakle, s parametrom action=izradi ili prezent...) EnableDefaultValues=Omogućite prilagodbu zadanih vrijednosti -EnableOverwriteTranslation=Allow customization of translations +EnableOverwriteTranslation=Dopusti prilagodbu prijevoda GoIntoTranslationMenuToChangeThis=Pronađen je prijevod za ključ s ovim kodom. Da biste promijenili ovu vrijednost, morate je urediti iz Početna > Postavke > Prijevod. WarningSettingSortOrder=Upozorenje, postavljanje zadanog redoslijeda sortiranja može dovesti do tehničke pogreške pri odlasku na stranicu s popisom ako je polje nepoznato. Ako naiđete na takvu pogrešku, vratite se na ovu stranicu da uklonite zadani redoslijed sortiranja i vratite zadano ponašanje. Field=Polje ProductDocumentTemplates=Predlošci dokumenata za generiranje dokumenta proizvoda -ProductBatchDocumentTemplates=Document templates to generate product lots document +ProductBatchDocumentTemplates=Predlošci dokumenata za generiranje dokumenata o serijama proizvoda FreeLegalTextOnExpenseReports=Besplatni pravni tekst na izvještajima o troškovima WatermarkOnDraftExpenseReports=Vodeni žig na nacrtima izvješća o troškovima ProjectIsRequiredOnExpenseReports=Projekt je obavezan za unos troškovnika PrefillExpenseReportDatesWithCurrentMonth=Unaprijed ispunite datume početka i završetka novog izvješća o troškovima s datumom početka i završetka tekućeg mjeseca ForceExpenseReportsLineAmountsIncludingTaxesOnly=Prisilno unositi iznose izvještaja o troškovima uvijek u iznosu s porezima -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) +AttachMainDocByDefault=Postavite ovo na Da ako prema zadanim postavkama želite priložiti glavni dokument e-pošta (ako je primjenjivo) FilesAttachedToEmail=Priložite datoteku SendEmailsReminders=Pošaljite podsjetnike za dnevni red putem e-pošte davDescription=Postavite WebDAV poslužitelj @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Generički privatni imenik je WebDAV direktorij koj DAV_ALLOW_PUBLIC_DIR=Omogućite generički javni imenik (namjenski WebDAV imenik pod nazivom "javno" - nije potrebna prijava) DAV_ALLOW_PUBLIC_DIRTooltip=Generički javni imenik je WebDAV direktorij kojem svatko može pristupiti (u načinu čitanja i pisanja), bez potrebe za autorizacijom (račun za prijavu/lozinku). DAV_ALLOW_ECM_DIR=Omogućite DMS/ECM privatni imenik (korijenski direktorij DMS/ECM modula - potrebna je prijava) -DAV_ALLOW_ECM_DIRTooltip=Korijenski direktorij u koji se sve datoteke ručno učitavaju kada se koristi DMS/ECM modul. Slično kao pristup s web sučelja, trebat će vam valjana prijava/lozinka s odgovarajućim dopuštenjima za pristup. +DAV_ALLOW_ECM_DIRTooltip=Korijenski direktorij u koji se sve datoteke ručno učitavaju kada se koristi DMS/ECM modul. Slično kao i za pristup s web sučelja, trebat će vam važeća prijava/lozinka s odgovarajućim dozvolama za pristup. ##### Modules ##### Module0Name=Korisnici & Grupe Module0Desc=Upravljanje korisnicima/zaposlenicima i grupama @@ -566,7 +569,7 @@ Module40Desc=Dobavljači i upravljanje nabavom (narudžbenice i naplata faktura Module42Name=Zapisnici za otklanjanje pogrešaka Module42Desc=Mogućnosti zapisivanja (datoteka, syslog, ...). Takvi zapisnici služe za tehničke/debug svrhe. Module43Name=Traka za otklanjanje pogrešaka -Module43Desc=Alat za razvojnog programera koji dodaje traku za otklanjanje pogrešaka u vašem pregledniku. +Module43Desc=Alat za programere, koji dodaje traku za otklanjanje pogrešaka u vaš preglednik. Module49Name=Urednici Module49Desc=Upravljanje urednicima Module50Name=Proizvodi @@ -574,7 +577,7 @@ Module50Desc=Upravljanje proizvodima Module51Name=Masovno slanje pošte Module51Desc=Upravljanje masovnim slanje papirne pošte Module52Name=Zalihe -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Desc=Upravljanje zalihama (praćenje kretanja zaliha i zaliha) Module53Name=Usluge Module53Desc=Upravljanje uslugama Module54Name=Ugovori/pretplate @@ -582,13 +585,13 @@ Module54Desc=Upravljanje ugovorima (usluge ili ponavljajuće pretplate) Module55Name=Barkodovi Module55Desc=Upravljanje crtičnim ili QR kodom Module56Name=Plaćanje kreditnom doznakom -Module56Desc=Upravljanje plaćanjem dobavljača nalozima za prijenos kredita. Uključuje generiranje SEPA datoteke za europske zemlje. +Module56Desc=Upravljanje plaćanjem dobavljača ili plaća putem naloga za prijenos kredita. Uključuje generiranje SEPA datoteke za europske zemlje. Module57Name=Plaćanja izravnim terećenjem Module57Desc=Upravljanje nalozima za izravno terećenje. Uključuje generiranje SEPA datoteke za europske zemlje. Module58Name=ClickToDial Module58Desc=Integracija ClickToDial sistema (Asterisk, ...) Module60Name=Naljepnice -Module60Desc=Management of stickers +Module60Desc=Upravljanje naljepnicama Module70Name=Intervencije Module70Desc=Upravljanje intervencijama Module75Name=Trošak i putne napomene @@ -616,7 +619,7 @@ Module320Desc=Dodajte RSS feed na Dolibarr stranice Module330Name=Oznake i prečaci Module330Desc=Napravite prečace, uvijek dostupne, do internih ili vanjskih stranica kojima često pristupate Module400Name=Projekti ili voditelji -Module400Desc=Management of projects, leads/opportunities and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +Module400Desc=Upravljanje projektima, potencijalnim kupcima/mogućnostima i/ili zadacima. Također možete dodijeliti bilo koji element (fakturu, narudžbu, prijedlog, intervenciju, ...) projektu i dobiti transverzalni pogled iz prikaza projekta. Module410Name=Web kalendar Module410Desc=Integracija web kalendara Module500Name=Porezi i posebni troškovi @@ -630,6 +633,10 @@ Module600Desc=Slanje obavijesti e-poštom pokrenutih poslovnim događajem: po ko Module600Long=Imajte na umu da ovaj modul šalje e-poštu u stvarnom vremenu kada se dogodi određeni poslovni događaj. Ako tražite značajku za slanje podsjetnika e-poštom za događaje dnevnog reda, idite na postavljanje modula Dnevni red. Module610Name=Varijante proizvoda Module610Desc=Izrada varijanti proizvoda (boja, veličina itd.) +Module650Name=Troškovi materijala (BOM) +Module650Desc=Modul za definiranje vaših popisa materijala (BOM). Može se koristiti za planiranje proizvodnih resursa putem modula Proizvodni nalozi (MO) +Module660Name=Planiranje proizvodnih resursa (MRP) +Module660Desc=Modul za upravljanje proizvodnim narudžbama (MO) Module700Name=Donacije Module700Desc=Upravljanje donacijama Module770Name=Izvješća o troškovima @@ -650,13 +657,13 @@ Module2300Name=Planirani poslovi Module2300Desc=Upravljanje planiranim poslovima (alias cron ili chrono tablica) Module2400Name=Događaji/Raspored Module2400Desc=Pratite događaje. Zabilježite automatske događaje u svrhu praćenja ili zabilježite ručne događaje ili sastanke. Ovo je glavni modul za dobro upravljanje odnosima s kupcima ili dobavljačima. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online zakazivanje termina +Module2430Desc=Omogućuje online sustav rezerviranja termina. To omogućuje bilo kome da rezervira sastanak, prema unaprijed definiranim rasponima ili dostupnosti. Module2500Name=DMS / ECM Module2500Desc=Sustav za upravljanje dokumentima / Upravljanje elektroničkim sadržajem. Automatska organizacija vaših generiranih ili pohranjenih dokumenata. Podijelite ih kada trebate. -Module2600Name=API / Web services (SOAP server) +Module2600Name=API / Web usluge (SOAP poslužitelj) Module2600Desc=Omogući Dolibarr SOAP server pružatelja API servisa -Module2610Name=API / Web services (REST server) +Module2610Name=API / Web usluge (REST poslužitelj) Module2610Desc=Omogući Dolibarr REST server pružajući API servise Module2660Name=Call WebServices (SOAP client) Module2660Desc=Omogućite klijenta web usluga Dolibarr (može se koristiti za slanje podataka/zahtjeva na vanjske poslužitelje. Trenutno su podržane samo narudžbe za kupnju.) @@ -667,12 +674,12 @@ Module2900Name=GeoIPMaxmind Module2900Desc=GeoIP Maxmind mogućnosti konverzije Module3200Name=Nepromjenjivi arhivi Module3200Desc=Omogućite nepromjenjivi zapisnik poslovnih događaja. Događaji se arhiviraju u stvarnom vremenu. Dnevnik je tablica samo za čitanje vezanih događaja koji se mogu izvesti. Ovaj modul može biti obavezan za neke zemlje. -Module3300Name=Module Builder -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. +Module3300Name=Graditelj modula +Module3300Desc=RAD (Rapid Application Development - low-code i no-code) alat koji pomaže programerima ili naprednim korisnicima da izgrade vlastiti modul/aplikaciju. Module3400Name=Društvene mreže Module3400Desc=Omogućite polja društvenih mreža trećim stranama i adresama (skype, twitter, facebook, ...). Module4000Name=Djelatnici -Module4000Desc=Upravljanje ljudskim resursima (upravljanje odjelom, ugovori zaposlenika i osjećaji) +Module4000Desc=Upravljanje ljudskim potencijalima (upravljanje odjelom, ugovori zaposlenika, upravljanje vještinama i intervju) Module5000Name=Multi tvrtka Module5000Desc=Dozvoljava upravljanje multi tvrtkama Module6000Name=Tijek rada među modulima @@ -709,11 +716,13 @@ Module62000Name=Incoterms Module62000Desc=Dodaj mogučnosti za upravljanje Incoterm-om Module63000Name=Sredstva Module63000Desc=Upravljajte resursima (pisači, automobili, sobe,...) za dodjelu događaja -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. -Module94160Name=Receptions +Module66000Name=Upravljanje OAuth2 tokenom +Module66000Desc=Omogućite alat za generiranje i upravljanja OAuth2 tokenima. Token zatim mogu koristiti neki drugi moduli. +Module94160Name=Prijemi +ModuleBookCalName=Sustav kalendara rezervacija +ModuleBookCalDesc=Upravljajte kalendarom za rezerviranje sastanaka ##### Permissions ##### -Permission11=Read customer invoices (and payments) +Permission11=Čitanje faktura kupaca (i plaćanja) Permission12=Izradi/promijeni izlazne račune Permission13=Poništite račune kupaca Permission14=Ovjeri izlazni račun @@ -729,14 +738,14 @@ Permission27=Obriši ponudu Permission28=Izvezi ponude Permission31=Čitaj proizvode Permission32=Izradi/izmjeni proizvod -Permission33=Read prices products +Permission33=Pročitajte cijene proizvoda Permission34=Obriši proizvod Permission36=Pregled/upravljanje skrivenim proizvodima Permission38=izvoz proizvoda Permission39=Zanemarite minimalnu cijenu -Permission41=Read projects and tasks (shared projects and projects of which I am a contact). -Permission42=Create/modify projects (shared projects and projects of which I am a contact). Can also assign users to projects and tasks -Permission44=Delete projects (shared projects and projects of which I am a contact) +Permission41=Pročitajte zadatke i projekata (dijeljeni projekti i projekti čiji sam kontakt). +Permission42=izradi/promjeni - izmjeni projekti (dijeljeni projekti i projekti čiji sam ja kontakt). Također može dodijeliti korisnike projektima i zadataka +Permission44=Brisanje projekata (dijeljeni projekti i projekti čiji sam kontakt) Permission45=Izvezi projekte Permission61=Čitaj intervencije Permission62=Izradi/promjeni intervencije @@ -755,7 +764,7 @@ Permission79=Izradi/izmjeni pretplate Permission81=Čitaj narudžbe kupca Permission82=Izradi/izmjeni narudžbe kupaca Permission84=Ovjeri narudžbu kupca -Permission85=Generate the documents sales orders +Permission85=Generirajte dokumente prodajnih naloga Permission86=Pošalji narudžbu kupca Permission87=Zatvori narudžbu kupca Permission88=Otkaži potvrdu @@ -768,7 +777,7 @@ Permission95=Čitaj izvještaje Permission101=Čitaj slanja Permission102=Izradi/izmjeni slanja Permission104=Ovjeri slanja -Permission105=Send sendings by email +Permission105=Šaljite slanje putem e-pošta Permission106=Izvezi slanja Permission109=Obriši slanja Permission111=Čitanje financijskih računa @@ -783,16 +792,16 @@ Permission122=Izradi/izmjeni komitente povezane s korisnicima Permission125=Obriši komitente povezane s korisnicima Permission126=Izvezi komitente Permission130=Izradite/izmijenite podatke o plaćanju trećih strana -Permission141=Read all projects and tasks (as well as the private projects for which I am not a contact) -Permission142=Create/modify all projects and tasks (as well as the private projects for which I am not a contact) -Permission144=Delete all projects and tasks (as well as the private projects I am not a contact) -Permission145=Can enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) +Permission141=Pročitaj sve projekte i zadatke (kao i privatne projekte za koje nisam kontakt) +Permission142=izradi/promjeni - izmjeni svi projekti i zadaci (kao i privatni projekti za koje nisam kontakt) +Permission144=Izbriši sve zadatke i projekata (kao i privatne projekte za koje nisam kontakt) +Permission145=Mogu unijeti potrošeno vrijeme, za mene ili moju hijerarhiju, na dodijeljene zadatke (Timesheet) Permission146=Čitaj pružatelje Permission147=Čitaj statistiku Permission151=Čitaj trajne naloge Permission152=Kreiraj/izmjeni zahtjeve trajnih naloga Permission153=Slanje potvrde trajnih naloga -Permission154=Record Credits/Rejections of direct debit payment orders +Permission154=Evidentirajte odobrenja/odbijanja naloga za plaćanje izravnim zaduženjem Permission161=Čitaj ugovore/pretplate Permission162=Izradi/izmjeni ugovore/pretplate Permission163=Aktiviraj uslugu/pretplatu ugovora @@ -857,7 +866,7 @@ Permission286=Izvezi kontakte Permission291=Čitaj tarife Permission292=Postavi dozvole na tarifama Permission293=Izmijenite tarife kupaca -Permission301=Generate PDF sheets of barcodes +Permission301=Generirajte PDF listove crtičnih kodova Permission304=Stvaranje/izmjena crtičnih kodova Permission305=Izbrišite crtične kodove Permission311=Čitaj usluge @@ -891,17 +900,17 @@ Permission525=Pristup kreditnom kalkulatoru Permission527=Izvoz kredita Permission531=Čitaj usluge Permission532=Izradi/izmjeni usluge -Permission533=Read prices services +Permission533=Pročitajte cijene usluga Permission534=Obriši usluge Permission536=Vidi/upravljaj skrivenim uslugama Permission538=Izvezi usluge Permission561=Čitanje naloga za plaćanje kreditnim prijenosom Permission562=Kreirajte/izmijenite nalog za plaćanje kreditnim prijenosom Permission563=Pošaljite/prenesite nalog za plaćanje kreditnim prijenosom -Permission564=Record Debits/Rejections of credit transfer -Permission601=Read stickers -Permission602=Create/modify stickers -Permission609=Delete stickers +Permission564=Zabilježite zaduženja/odbijanja kreditnog prijenosa +Permission601=Čitaj naljepnice +Permission602=izradi/promjeni - izmjeni naljepnice +Permission609=Izbriši naljepnice Permission611=Pročitajte atribute varijanti Permission612=Stvaranje/ažuriranje atributa varijanti Permission613=Brisanje atributa varijanti @@ -955,7 +964,7 @@ Permission1190=Odobri (drogo odobrenje) narudžba dobavljača Permission1191=Izvoz narudžbi dobavljača i njihovih atributa Permission1201=Primi rezultat izvoza Permission1202=Izradi/izmjeni izvoz -Permission1231=Read vendor invoices (and payments) +Permission1231=Čitanje faktura dobavljača (i plaćanja) Permission1232=Kreiraj/izmjeni račune dobavljača Permission1233=Ovjeri račune dobavljača Permission1234=Obriši račune dobavljača @@ -979,7 +988,7 @@ Permission2501=Čitaj/Skini dokumente Permission2502=Skidanje dokumenata Permission2503=Pošalji ili obriši dokumente Permission2515=Postavi mape dokumenata -Permission2610=Generate/modify users API key +Permission2610=Generiraj/promjeni - izmjeni korisnički API ključ Permission2801=Koristi FTP klijent u načinu čitanja (samo pregled i download) Permission2802=Koristi FTP klijent u načinu pisanja (brisanje ili upload) Permission3200=Pročitajte arhivirane događaje i otiske prstiju @@ -987,16 +996,16 @@ Permission3301=Generirajte nove module Permission4001=Pročitajte vještinu/posao/poziciju Permission4002=Stvorite/izmijenite vještinu/posao/poziciju Permission4003=Izbrišite vještinu/posao/poziciju -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations +Permission4021=Pročitajte procjene (vaši i vaši podređeni) +Permission4022=izradi/promjeni - izmjeni ocjene Permission4023=Potvrdite evaluaciju Permission4025=Izbriši evaluaciju Permission4028=Pogledajte izbornik za usporedbu Permission4031=Pročitajte osobne podatke Permission4032=Napišite osobne podatke -Permission4033=Read all evaluations (even those of user not subordinates) +Permission4033=Pročitajte sve procjene (čak i one korisnika, a ne podređenih) Permission10001=Pročitajte sadržaj web stranice -Permission10002=Izrada/izmjena sadržaja web stranice (html i javascript sadržaj) +Permission10002=izradi/promjeni - izmjeni sadržaj web stranice (html i JavaScript sadržaj) Permission10003=Izrada/izmjena sadržaja web stranice (dinamički php kod). Opasno, mora biti rezervirano za programere. Permission10005=Izbrišite sadržaj web stranice Permission20001=Pročitajte zahtjeve za dopust (vaš dopust i one vaših podređenih) @@ -1010,9 +1019,9 @@ Permission23001=Pročitaj planirani posao Permission23002=Izradi/izmjeni Planirani posao Permission23003=Obriši planirani posao Permission23004=Izvrši planirani posao -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates +Permission40001=Pročitajte valute i njihove tečajeve +Permission40002=izradi/Ažuriraj valute i njihove tečajeve +Permission40003=Izbriši valute i njihove tečajeve Permission50101=Koristite prodajno mjesto (SimplePOS) Permission50151=Koristite prodajno mjesto (TakePOS) Permission50152=Uredite prodajne linije @@ -1026,9 +1035,9 @@ Permission50401=Povežite proizvode i fakture s konzom Permission50411=Operacija ćitanje u glavnoj knjizi Permission50412=Operacija pisanj/ažuriranje u glavnoj knjizi Permission50414=Operacija brisanje u glavnoj knjizi -Permission50415=Delete all operations by year and journal in ledger +Permission50415=Izbriši sve operacije po godini i dnevnika u glavnoj knjizi Permission50418=Operacija izvoza u glavnoj knjizi -Permission50420=Report and export reports (turnover, balance, journals, ledger) +Permission50420=Izvješće i izvješća o izvozu (promet, stanje, dnevnici, knjiga) Permission50430=Definirajte fiskalna razdoblja. Potvrdite transakcije i zatvorite fiskalna razdoblja. Permission50440=Upravljanje kontnim planom, postavljanje računovodstva Permission51001=Čitanje imovine @@ -1084,7 +1093,7 @@ DictionaryOrderMethods=Načini naručivanja DictionarySource=Porjeklo ponuda/narudžbi DictionaryAccountancyCategory=Personalizirane grupe za izvješća DictionaryAccountancysystem=Modeli za grafikone računa -DictionaryAccountancyJournal=Accounting journals +DictionaryAccountancyJournal=Računovodstveni dnevnici DictionaryEMailTemplates=Predlošci e-pošte DictionaryUnits=Jedinice DictionaryMeasuringUnits=Mjerne jedinice @@ -1098,21 +1107,23 @@ DictionaryExpenseTaxRange=Izvješće o troškovima - Raspon po kategoriji prijev DictionaryTransportMode=Intracomm izvješće - Način transporta DictionaryBatchStatus=Status kontrole kvalitete serije/serije proizvoda DictionaryAssetDisposalType=Vrsta raspolaganja imovinom +DictionaryInvoiceSubtype=Podvrste računa TypeOfUnit=Vrsta jedinice SetupSaved=Postavi spremljeno SetupNotSaved=Postavljanje nije spremljeno -OAuthServiceConfirmDeleteTitle=Delete OAuth entry -OAuthServiceConfirmDeleteMessage=Are you sure you want to delete this OAuth entry ? All existing tokens for it will also be deleted. -ErrorInEntryDeletion=Error in entry deletion -EntryDeleted=Entry deleted +OAuthServiceConfirmDeleteTitle=Izbriši OAuth unos +OAuthServiceConfirmDeleteMessage=Jeste li sigurni da želite izbrisati ovaj OAuth unos? Izbrisat će se i svi postojeći tokeni za njega. +ErrorInEntryDeletion=Pogreška pri brisanju unosa +EntryDeleted=Unos izbrisan BackToModuleList=Povratak na popis modula BackToDictionaryList=Povratak na popis definicija TypeOfRevenueStamp=Vrsta porezne marke VATManagement=Upravljanje porezom na promet -VATIsUsedDesc=Prema zadanim postavkama kada kreirate izglede, fakture, narudžbe itd. Stopa poreza na promet slijedi aktivno standardno pravilo:
      Ako prodavatelj ne podliježe porezu na promet, tada je porez na promet zadana vrijednost 0. Kraj pravila.
      Ako je (zemlja prodavatelja = zemlja kupca), tada je porez na promet prema zadanim postavkama jednak porezu na promet proizvoda u zemlji prodavatelja. Kraj pravila.
      Ako su i prodavatelj i kupac u Europskoj zajednici i roba je proizvod koji se odnosi na prijevoz (prevoz, otprema, zračni prijevoz), zadani PDV je 0. Ovo pravilo ovisi o zemlji prodavatelja - posavjetujte se sa svojim računovođom. PDV treba platiti kupac carinarnici u svojoj zemlji, a ne prodavatelju. Kraj pravila.
      Ako su i prodavatelj i kupac u Europskoj zajednici, a kupac nije tvrtka (s registriranim PDV brojem unutar Zajednice), tada je PDV zadana stopa PDV-a u zemlji prodavatelja. Kraj pravila.
      Ako su i prodavatelj i kupac u Europskoj zajednici, a kupac je tvrtka (s registriranim PDV brojem unutar Zajednice), tada je PDV prema zadanim postavkama 0. Kraj pravila.
      U svakom drugom slučaju predložena zadana vrijednost je porez na promet=0. Kraj pravila. +VATIsUsedDesc=Prema zadanim postavkama prilikom izrade potencijalnih kupaca, faktura, narudžbi itd. stopa poreza na promet slijedi aktivno standardno pravilo:
      Ako prodavatelj ne podliježe porezu na promet, tada je porez na promet postavljen na 0 . Kraj pravila.
      Ako je (zemlja prodavatelja = zemlja kupca), tada je porez na promet prema zadanim postavkama jednak porezu na promet proizvoda u zemlji prodavatelja. Kraj pravila.
      Ako su prodavatelj i kupac oboje u Europskoj zajednici i roba je proizvod koji se odnosi na transport (prijevoz, otprema, zračna linija), zadani PDV je 0. Ovo pravilo ovisi o zemlji prodavatelja - posavjetujte se sa svojim računovođom. Kupac treba platiti PDV carinarnici u svojoj zemlji i, a ne prodavatelju. Kraj pravila.
      Ako su prodavatelj i kupac oboje u Europskoj zajednici i kupac nije tvrtka (s registriranim PDV brojem unutar Zajednice), tada je PDV prema zadanoj stopi PDV-a u zemlji prodavatelja. Kraj pravila.
      Ako su prodavatelj i kupac oboje u Europskoj zajednici i kupac je tvrtka (s registriranim PDV brojem unutar Zajednice), tada je PDV prema zadanim postavkama 0. Kraj pravila.
      U svakom drugom slučaju predložena zadana vrijednost je porez na promet=0. Kraj pravila. VATIsNotUsedDesc=Prema zadanim postavkama predloženi porez na promet je 0 koji se može koristiti za slučajeve kao što su udruge, pojedinci ili male tvrtke. VATIsUsedExampleFR=U Francuskoj to znači tvrtke ili organizacije koje imaju stvarni fiskalni sustav (pojednostavljeno realno ili normalno realno). Sustav u kojem se deklarira PDV. VATIsNotUsedExampleFR=U Francuskoj to znači udruge koje nisu prijavljene za porez na promet ili tvrtke, organizacije ili slobodne profesije koje su odabrale fiskalni sustav mikro poduzeća (porez na promet u franšizi) i platile franšizni porez na promet bez ikakve prijave poreza na promet. Ovaj izbor će prikazati referencu "Neprimjenjiv porez na promet - art-293B CGI" na fakturama. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Vrsta poreza na promet LTRate=Stopa @@ -1156,7 +1167,7 @@ ValueOfConstantKey=Vrijednost konfiguracijske konstante ConstantIsOn=Opcija %s je uključena NbOfDays=Broj dana AtEndOfMonth=Na kraju mjeseca -CurrentNext=A given day in month +CurrentNext=Određeni dan u mjesecu Offset=Offset AlwaysActive=Uvjek aktivno Upgrade=Nadogradnja @@ -1241,12 +1252,12 @@ Delays_MAIN_DELAY_EXPENSEREPORTS=Izvješće o troškovima za odobrenje Delays_MAIN_DELAY_HOLIDAYS=Zahtjevi za dopust za odobrenje SetupDescription1=Prije početka korištenja Dolibarra moraju se definirati neki početni parametri i omogućiti/konfigurirati moduli. SetupDescription2=Sljedeća dva odjeljka su obavezna (dva prva unosa u izborniku Postavke): -SetupDescription3=%s -> %s

      Basic parameters used to customize the default behavior of your application (e.g for country-related features). +SetupDescription3=%s -> %s

      Osnovni parametri koji se koriste za prilagodbu zadanog ponašanja vaše aplikacije (npr. za značajke povezane s državom). SetupDescription4= %s -> %s

      Ovaj softver je paket mnogih modula/aplikacija. Moduli koji se odnose na vaše potrebe moraju biti omogućeni i konfigurirani. Unosi izbornika će se pojaviti s aktivacijom ovih modula. SetupDescription5=Ostali unosi izbornika za postavljanje upravljaju izbornim parametrima. SetupDescriptionLink= %s - %s SetupDescription3b=Osnovni parametri koji se koriste za prilagodbu zadanog ponašanja vaše aplikacije (npr. za značajke vezane uz zemlju). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. +SetupDescription4b=Ovaj softver je skup mnogih modula/aplikacija. Moduli koji se odnose na vaše potrebe moraju biti aktivirani. Unosi izbornika pojavit će se s aktivacijom ovih modula. AuditedSecurityEvents=Sigurnosni događaji koji se revidiraju NoSecurityEventsAreAduited=Sigurnosni događaji se ne revidiraju. Možete ih omogućiti iz izbornika %s Audit=Sigurnosni događaji @@ -1262,21 +1273,21 @@ BrowserName=Naziv preglednika BrowserOS=OS preglednika ListOfSecurityEvents=Popis Dolibarr sigurnosnih događaja SecurityEventsPurged=Sigurnosni događaji trajno obrisani -TrackableSecurityEvents=Trackable security events +TrackableSecurityEvents=Sigurnosni događaji koji se mogu pratiti LogEventDesc=Omogućite bilježenje određenih sigurnosnih događaja. Administratori bilježe zapisnik putem izbornika %s - %s . Upozorenje, ova značajka može generirati veliku količinu podataka u bazi podataka. AreaForAdminOnly=Parametre postavljanja mogu postaviti samo administratorski korisnici . SystemInfoDesc=Informacije o sustavu su razne tehničke informacije koje dobivate u načinu samo za čitanje i vidljive samo administratorima. SystemAreaForAdminOnly=Ovo područje je dostupno samo administratorskim korisnicima. Dolibarr korisnička dopuštenja ne mogu promijeniti ovo ograničenje. CompanyFundationDesc=Uredite podatke svoje tvrtke/organizacije. Kliknite na gumb "%s" na dnu stranice kada završite. -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". +MoreNetworksAvailableWithModule=Više društvenih mreža može biti dostupno uključivanjem modula "Društvene mreže". AccountantDesc=Ako imate vanjskog računovođu/knjigovođu, ovdje možete urediti njegove podatke. AccountantFileNumber=Šifra računovođe DisplayDesc=Ovdje se mogu mijenjati parametri koji utječu na izgled i prezentaciju aplikacije. AvailableModules=Dostupne aplikacije/moduli ToActivateModule=Za aktivaciju modula, idite na podešavanja (Naslovna->Podešavanje->Moduli). SessionTimeOut=Istek za sesije -SessionExplanation=This number guarantees that the session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guarantee that the session will expire after this delay. It will expire, after this delay, and when the session cleaner is run, so every %s/%s access, but only during access made by other sessions (if value is 0, it means clearing of session is done only by an external process).
      Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by an external setup, no matter what the value entered here is. -SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. +SessionExplanation=Ovaj broj jamči da sesija nikada neće isteći prije ove odgode, ako se čišćenje sesije izvodi internim PHP čistačem sesije (i ništa drugo). Interni PHP čistač sesije ne jamči da će sesija isteći nakon ove odgode. Isteći će, nakon ove odgode, i kada se pokrene čistač sesije, tako da svakih %s/%s pristup, ali samo tijekom pristupa drugih sesija (ako je vrijednost 0, znači da čišćenje sesije obavlja samo vanjski proces).
      Napomena: na nekim poslužiteljima s mehanizmom za čišćenje vanjskih sesija (cron pod debianom, ubuntu ...), sesije može se uništiti nakon razdoblja definiranog vanjskim postavkama, bez obzira koja je ovdje unesena vrijednost. +SessionsPurgedByExternalSystem=Čini se da se sesije na ovom poslužitelju čiste vanjskim mehanizmom (cron pod debianom, ubuntu ...), vjerojatno svakih %s sekundi (= vrijednost parametra session.gc_maxlifetime) , tako da promjena vrijednosti ovdje nema učinka. Morate zatražiti od administratora poslužitelja da promijeni kašnjenje sesije. TriggersAvailable=Dostupni okidači TriggersDesc=Okidači su datoteke koje će modificirati ponašanje Dolibarr tijeka rada nakon kopiranja u direktorij htdocs/core/triggers . Ostvaruju nove akcije, aktivirane na Dolibarr događajima (kreiranje nove tvrtke, provjera fakture, ...). TriggerDisabledByName=Okidači u ovoj datoteci onemogućeni su sufiksom -NORUN u njihovom nazivu. @@ -1286,13 +1297,13 @@ TriggerActiveAsModuleActive=Okidači u ovoj datoteci su aktivni jer je modul GeneratedPasswordDesc=Odaberite metodu koja će se koristiti za automatski generirane lozinke. DictionaryDesc=Unesite sve referentne podatke. Možete postaviti svoje vrijednosti kao zadane. ConstDesc=Ova stranica vam omogućuje uređivanje (nadjačavanje) parametara koji nisu dostupni na drugim stranicama. Ovo su uglavnom rezervirani parametri samo za programere/napredno rješavanje problema. -MiscellaneousOptions=Miscellaneous options +MiscellaneousOptions=Razne opcije MiscellaneousDesc=Svi ostali sigurnosni parametri su definirani ovdje. LimitsSetup=Podešavanje limita/preciznosti LimitsDesc=Ovdje možete definirati ograničenja, preciznosti i optimizacije koje koristi Dolibarr MAIN_MAX_DECIMALS_UNIT=Maks. decimale za jedinične cijene MAIN_MAX_DECIMALS_TOT=Maks. decimale za ukupne cijene -MAIN_MAX_DECIMALS_SHOWN=Max. decimals for prices shown on screen. Add an ellipsis ... after this parameter (e.g. "2...") if you want to see "..." suffixed to the truncated price. +MAIN_MAX_DECIMALS_SHOWN=Maks. decimale za cijene prikazane na ekranu. Dodajte tri točke ... nakon ovog parametra (npr. "2...") ako želite vidjeti " ..." sa sufiksom na skraćenu cijenu. MAIN_ROUNDING_RULE_TOT=Korak raspona zaokruživanja (za zemlje u kojima se zaokruživanje vrši na nečem drugom osim baze 10. Na primjer, stavite 0,05 ako se zaokruživanje vrši za 0,05 koraka) UnitPriceOfProduct=Neto jedinična cijena proizvoda TotalPriceAfterRounding=Ukupna cijena (bez PDV-a/uključen porez) nakon zaokruživanja @@ -1320,11 +1331,11 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Ovu naredbu morate pokrenuti iz YourPHPDoesNotHaveSSLSupport=SSL funkcije nisu dostupne u vašem PHP DownloadMoreSkins=Više skinova za skinuti SimpleNumRefModelDesc=Vraća referentni broj u formatu %syymm-nnnn gdje je yy godina, mm je mjesec, a nnnn je sekvencijalni broj koji se automatski povećava bez ponovnog postavljanja -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset +SimpleRefNumRefModelDesc=Vraća referentni broj u formatu n gdje je n sekvencijalni autoinkrementirajući broj bez resetiranja AdvancedNumRefModelDesc=Vraća referentni broj u formatu %syymm-nnnn gdje je yy godina, mm je mjesec, a nnnn je sekvencijalni broj koji se automatski povećava bez ponovnog postavljanja SimpleNumRefNoDateModelDesc=Vraća referentni broj u formatu %s-nnnn gdje je nnnn sekvencijalni broj koji se automatski povećava bez ponovnog postavljanja ShowProfIdInAddress=Pokažite profesionalni ID s adresama -ShowVATIntaInAddress=Hide intra-Community VAT number +ShowVATIntaInAddress=Sakrij PDV broj unutar Zajednice TranslationUncomplete=Parcijalni prijevod MAIN_DISABLE_METEO=Onemogući palac za vremensku prognozu MeteoStdMod=Standardni način rada @@ -1362,12 +1373,12 @@ AlphaNumOnlyLowerCharsAndNoSpace=samo alfanumerički i mala slova bez razmaka SendmailOptionNotComplete=Upozorenje, na nekim Linux sustavima, za slanje e-pošte s vaše e-pošte, postavka izvršenja sendmaila mora sadržavati opciju -ba (parametar mail.force_extra_parameters u vašoj php.ini datoteci). Ako neki primatelji nikada ne primaju e-poštu, pokušajte urediti ovaj PHP parametar s mail.force_extra_parameters = -ba). PathToDocuments=Putanja do dokumenata PathDirectory=Mapa -SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might not be parsed correctly by some receiving mail servers. The result is that some mails can't be read by people hosted by those bugged platforms. This is the case for some Internet providers (Ex: Orange in France). This is not a problem with Dolibarr or PHP but with the receiving mail server. You can however add an option MAIN_FIX_FOR_BUGGED_MTA to 1 in Setup - Other to modify Dolibarr to avoid this. However, you may experience problems with other servers that strictly use the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" which has no disadvantages. +SendmailOptionMayHurtBuggedMTA=Značajka za slanje e-pošte koristeći metodu "PHP mail direct" generirat će poruku e-pošte koju neki poslužitelji primajuće pošte možda neće ispravno analizirati. Rezultat je da neke poruke e-pošte ne mogu čitati osobe koje hostiraju te platforme s greškama. To je slučaj kod nekih pružatelja internetskih usluga (npr. Orange u Francuskoj). Ovo nije problem s Dolibarrom ili PHP-om, već s poslužiteljem primateljske pošte. Međutim, možete dodati opciju MAIN_FIX_FOR_BUGGED_MTA na 1 u Postavljanje - Ostalo za promjeni - izmjeni Dolibarr kako biste to izbjegli. Međutim, možete imati problema s drugim poslužiteljima koji striktno koriste SMTP standard. Drugo rješenje (preporučeno) je korištenje metode "SMTP socket library" koja nema nedostataka. TranslationSetup=Postavke prijevoda TranslationKeySearch=Pretraži prijevod po ključi ili tekstu TranslationOverwriteKey=Prepiši prevedeni tekst -TranslationDesc=How to set the display language:
      * Default/Systemwide: menu Home -> Setup -> Display
      * Per user: Click on the username at the top of the screen and modify the User Display Setup tab on the user card. -TranslationOverwriteDesc=You can also override strings filling the following table. Choose your language from "%s" dropdown, insert the translation key string into "%s" and your new translation into "%s" +TranslationDesc=Kako postaviti jezik prikaza:
      * Zadano/na cijelom sustavu: izbornik Početna -> Postavljanje -> Prikaz
      * Po korisniku: kliknite na korisničko ime na vrhu ekrana i promjeni - izmjeni karticu Postavke korisničkog prikaza na korisničkoj kartici. +TranslationOverwriteDesc=Također možete nadjačati nizove koji ispunjavaju sljedeću tablicu. Odaberite svoj jezik s padajućeg izbornika "%s", umetnite niz ključa prijevoda u "%s" i vaš novi prijevod na "%s" TranslationOverwriteDesc2=Možete koristiti drugu karticu koja će vam pomoći da znate koji prijevodni ključ koristiti TranslationString=Prevedeni tekst CurrentTranslationString=Trenutni prijevod @@ -1378,7 +1389,7 @@ TransKeyWithoutOriginalValue=Prisilili ste novi prijevod za prijevodni ključ ' TitleNumberOfActivatedModules=Aktivirani moduli TotalNumberOfActivatedModules=Aktivirani moduli: %s / %s YouMustEnableOneModule=Morate omogućiti barem 1 modul -YouMustEnableTranslationOverwriteBefore=You must first enable translation overwriting to be allowed to replace a translation +YouMustEnableTranslationOverwriteBefore=Prvo morate omogućiti prepisivanje prijevoda kako biste mogli zamijeniti prijevod ClassNotFoundIntoPathWarning=Klasa %s nije pronađena u PHP putanji YesInSummer=Da u ljeto OnlyFollowingModulesAreOpenedToExternalUsers=Imajte na umu da su vanjskim korisnicima dostupni samo sljedeći moduli (bez obzira na dopuštenja takvih korisnika) i samo ako su dopuštenja odobrena:
      @@ -1397,10 +1408,10 @@ BrowserIsOK=Koristite web-preglednik %s. Ovaj preglednik je u redu za sigurnost BrowserIsKO=Koristite web-preglednik %s. Poznato je da je ovaj preglednik loš izbor za sigurnost, performanse i pouzdanost. Preporučujemo korištenje Firefoxa, Chromea, Opera ili Safarija. PHPModuleLoaded=PHP komponenta %s je učitana PreloadOPCode=Koristi se unaprijed učitani OPKod -AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". +AddRefInList=Prikaži ref. kupca/prodavatelja u kombinirane popise.
      Treće strane pojavit će se s formatom naziva "CC12345 - SC45678 - The Big tvrtka corp." umjesto "The Big tvrtka corp". AddVatInList=Prikažite PDV broj kupca/dobavljača u kombiniranim popisima. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". +AddAdressInList=Prikažite adresu kupca/dobavljača u kombiniranim popisima.
      Treće strane pojavit će se s formatom imena "The Big tvrtka corp. - 21 jump street 123456 Big town - SAD" umjesto "The Big tvrtka corp". +AddEmailPhoneTownInContactList=Prikaži kontakt e-pošta (ili telefone ako nisu definirani) i popis informacija o gradu (odaberite popis ili kombinirani okvir)
      Kontakti će se pojaviti s formatom naziva "Dupond Durand - dupond.durand@example.com - Pariz" ili "Dupond Durand - 06 07 59 65 66 - Pariz" umjesto "Dupond Durand". AskForPreferredShippingMethod=Zatraži za preferiranu metodu slanja za komitente. FieldEdition=Izdanje polja %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) @@ -1408,7 +1419,7 @@ GetBarCode=Uzmi barkod NumberingModules=Modeli numeriranja DocumentModules=Modeli dokumenata ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters. +PasswordGenerationStandard=Vrati lozinku generiranu prema internom Dolibarrovom algoritmu: %s znakova koji sadrže zajedničke brojeve i znakova. PasswordGenerationNone=Nemojte predlagati generiranu lozinku. Lozinka se mora unijeti ručno. PasswordGenerationPerso=Vrati lozinku prema vašoj osobno postavljenoj konfiguraciji. SetupPerso=Sukladno vašoj konfiguraciji @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Ne prikazuj poveznicu "Zaboravili ste lozin UsersSetup=Podešavanje modula korisnka UserMailRequired=E-mail je potreban za stvaranje novog korisnika UserHideInactive=Sakrij neaktivne korisnike sa svih kombiniranih popisa korisnika (ne preporučuje se: to može značiti da nećete moći filtrirati ili pretraživati stare korisnike na nekim stranicama) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Predlošci dokumenata za dokumente generirani iz korisničkog zapisa GroupsDocModules=Predlošci dokumenata za dokumente generirane iz grupnog zapisa ##### HRM setup ##### @@ -1441,7 +1454,7 @@ MustBeMandatory=Obavezno kreirati treće strane (ako je definiran PDV broj ili v MustBeInvoiceMandatory=Obavezno za knjiženje računa? TechnicalServicesProvided=Osigurane tehničke usluge ##### WebDAV ##### -WebDAVSetupDesc=This is the link to access the WebDAV directory. It contains a "public" dir open to any user knowing the URL (if public directory access allowed) and a "private" directory that needs an existing login account/password for access. +WebDAVSetupDesc=Ovo je poveznica za pristup WebDAV imeniku. Sadrži "javni" direktorij otvoren svakom korisniku koji zna URL (ako je dopušten pristup javnom direktoriju) i "privatni" direktorij kojem je za pristup potreban postojeći račun za prijavu/lozinka. WebDavServer=Korijenski URL poslužitelja %s: %s ##### WebCAL setup ##### WebCalUrlForVCalExport=Izvoz poveznice u %s formatu je dostupno na sljedećoj poveznici: %s @@ -1462,10 +1475,10 @@ SuppliersPayment=Plaćanja dobavljača SupplierPaymentSetup=Postavljanje plaćanja dobavljača InvoiceCheckPosteriorDate=Prije provjere valjanosti provjerite datum proizvodnje InvoiceCheckPosteriorDateHelp=Provjera valjanosti računa bit će zabranjena ako je datum prije datuma posljednje fakture iste vrste. -InvoiceOptionCategoryOfOperations=Display the mention "category of operations" on the invoice. -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
      - Category of operations: Delivery of goods
      - Category of operations: Provision of services
      - Category of operations: Mixed - Delivery of goods & provision of services -InvoiceOptionCategoryOfOperationsYes1=Yes, below the address block -InvoiceOptionCategoryOfOperationsYes2=Yes, in the lower left-hand corner +InvoiceOptionCategoryOfOperations=Prikažite napomenu "kategorija operacija" na fakturi. +InvoiceOptionCategoryOfOperationsHelp=Ovisno o etapa, spominjanje će se pojaviti u obliku:
      - Kategorija operacija: Dostava robe
      - Kategorija poslovanja: Pružanje usluga
      - Kategorija poslovanja: Mješovito - Isporuka robe i pružanje usluga +InvoiceOptionCategoryOfOperationsYes1=Da, ispod adresnog bloka +InvoiceOptionCategoryOfOperationsYes2=Da, u donjem lijevom kutu ##### Proposals ##### PropalSetup=Podešavanje modula ponuda ProposalsNumberingModules=Modeli brojeva ponuda @@ -1508,13 +1521,13 @@ WatermarkOnDraftContractCards=Vodeni žig na skicama ugovora (ništa ako se osta ##### Members ##### MembersSetup=Podešavanje modula članova MemberMainOptions=Glavne opcije -MemberCodeChecker=Options for automatic generation of member codes -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +MemberCodeChecker=Opcije za automatsko generiranje član kodova +AdherentLoginRequired=Upravljajte prijavom/lozinkom za svaki član +AdherentLoginRequiredDesc=Dodajte vrijednost za prijavu i lozinku u član datoteku. Ako je član povezan s korisnikom, ažuriranje član prijave i lozinka će također ažurirati korisničku i lozinku za prijavu. AdherentMailRequired=E-mail je potreban za stvaranje novog člana -MemberSendInformationByMailByDefault=Checkbox to send mail confirmation to members (validation or new subscription) is on by default +MemberSendInformationByMailByDefault=Potvrdni okvir za slanje potvrde e-poštom na članovi (provjera valjanosti ili nova pretplata) uključen je prema zadanim postavkama MemberCreateAnExternalUserForSubscriptionValidated=Izradite vanjsko korisničko ime za svaku potvrđenu pretplatu novog člana -VisitorCanChooseItsPaymentMode=Visitor can choose from any available payment modes +VisitorCanChooseItsPaymentMode=Posjetitelj može birati između bilo kojeg dostupnog načina plaćanja MEMBER_REMINDER_EMAIL=Omogućite automatski podsjetnik putem e-pošte o isteklim pretplatama. Napomena: Modul %s mora biti omogućen i ispravno postavljen za slanje podsjetnika. MembersDocModules=Predlošci dokumenata za dokumente generirane iz zapisa članova ##### LDAP setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Grupe LDAPContactsSynchro=Kontakti LDAPMembersSynchro=Članovi LDAPMembersTypesSynchro=Tipovi članova -LDAPSynchronization=LDAP sinhronizacija +LDAPSynchronization=LDAP sinkronizacija LDAPFunctionsNotAvailableOnPHP=LDAP funkcije nisu dostupne u vašem PHP-u LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1643,11 +1656,11 @@ LDAPFieldEndLastSubscription=Datum kraja pretplate LDAPFieldTitle=Mjesto zaposlenja LDAPFieldTitleExample=Primjer : title LDAPFieldGroupid=ID grupe -LDAPFieldGroupidExample=Example : gidnumber +LDAPFieldGroupidExample=Primjer: gidnumber LDAPFieldUserid=ID korisnika -LDAPFieldUseridExample=Example : uidnumber +LDAPFieldUseridExample=Primjer: uidnumber LDAPFieldHomedirectory=Početna mapa -LDAPFieldHomedirectoryExample=Primjer: homedirectory +LDAPFieldHomedirectoryExample=Primjer: matični imenik LDAPFieldHomedirectoryprefix=Prefiks početnog imenika LDAPSetupNotComplete=Postavljanje LDAP nije kompletno (idite na ostale tabove) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Nisu navedeni administrator ili lozinka. LDAP pristup bit će anoniman i u načinu samo za čitanje. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled. OPCodeCache=OPCode cache NoOPCodeCacheFound=Nije pronađena predmemorija OPCode-a. Možda koristite predmemoriju OPCode koja nije XCache ili eAccelerator (dobro), ili možda nemate OPCode predmemoriju (vrlo loše). -HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript) +HTTPCacheStaticResources=HTTP predmemorija za statičke resurse (css, img, JavaScript) FilesOfTypeCached=HTTP poslužitelj sprema datoteke tipa %s FilesOfTypeNotCached=HTTP poslužitelj ne sprema datoteke tipa %s FilesOfTypeCompressed=Datoteke tipa %s komprimiraju HTTP poslužitelj @@ -1698,7 +1711,7 @@ DoNotAutofillButAutoConcat=Nemojte automatski popunjavati polje za unos opisom p DoNotUseDescriptionOfProdut=Opis proizvoda nikada neće biti uključen u opis redaka dokumenata MergePropalProductCard=Aktivirajte na kartici Priložene datoteke proizvoda/usluge opciju za spajanje PDF dokumenta proizvoda u PDF azur prijedloga ako je proizvod/usluga u prijedlogu ViewProductDescInThirdpartyLanguageAbility=Prikaz opisa proizvoda u obrascima na jeziku treće strane (inače na jeziku korisnika) -UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. +UseSearchToSelectProductTooltip=Također, ako imate velik broj proizvoda (> 100 000), možete povećati brzinu postavljanjem konstante PRODUCT_DONOTSEARCH_ANYWHERE na 1 u Setup->Other. Pretraživanje će tada biti ograničeno na početak niza. UseSearchToSelectProduct=Pričekajte dok ne pritisnete tipku prije učitavanja sadržaja kombiniranog popisa proizvoda (ovo može povećati performanse ako imate veliki broj proizvoda, ali je manje prikladno) SetDefaultBarcodeTypeProducts=Zadana vrsta barkoda za korištenje kod proizvoda SetDefaultBarcodeTypeThirdParties=Zadana vrsta barkoda za korištenje kod komitenta @@ -1773,18 +1786,18 @@ FreeLegalTextOnDeliveryReceipts=Slobodan unos teksta na primkama ##### FCKeditor ##### AdvancedEditor=Napredni uređivač ActivateFCKeditor=Aktiviraj napredni uređivač za: -FCKeditorForNotePublic=WYSIWIG izrada/izdanje polja "javne bilješke" elemenata -FCKeditorForNotePrivate=WYSIWIG kreiranje/izdanje polja "privatne bilješke" elemenata -FCKeditorForCompany=WYSIWIG kreiranje/izdanje opisa polja elemenata (osim proizvoda/usluga) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= Kreiranje/izdanje WYSIWIG-a za masovne slanje e-pošte (Alati->E-pošta) -FCKeditorForUserSignature=WYSIWIG kreiranje/izdanje korisničkog potpisa -FCKeditorForMail=Izrada/izdanje WYSIWIG-a za svu poštu (osim Alati->E-pošta) -FCKeditorForTicket=Kreiranje/izdanje WYSIWIG-a za tikete +FCKeditorForNotePublic=WYSIWYG kreiranje/izdanje polja "javne bilješke" elemenata +FCKeditorForNotePrivate=WYSIWYG kreiranje/izdanje polja "privatne bilješke" elemenata +FCKeditorForCompany=WYSIWYG izrada/izdanje polja opisa elemenata (osim proizvoda/usluga) +FCKeditorForProductDetails=WYSIWYG kreiranje/izdanje opisa proizvoda ili redaka za objekte (redovi ponuda, narudžbi, faktura, itd...). +FCKeditorForProductDetails2=Upozorenje: korištenje ove opcije za ovaj slučaj se ozbiljno ne preporučuje jer može izradi probleme s posebnim znakovima i formatirati stranicu prilikom izrade PDF-a datoteke. +FCKeditorForMailing= WYSIWYG izrada/izdanje za masovnu e-poštu (Alati->e-pošta) +FCKeditorForUserSignature=WYSIWYG stvaranje/izdanje korisničkog potpisa +FCKeditorForMail=WYSIWYG stvaranje/izdanje za svu poštu (osim Tools->eMailing) +FCKeditorForTicket=WYSIWYG izrada/izdanje za ulaznice ##### Stock ##### StockSetup=Podešavanje modula skladišta -IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. +IfYouUsePointOfSaleCheckModule=Ako koristite modul prodajnog mjesta (POS) koji je osiguran prema zadanim postavkama ili vanjski modul, vaš POS modul može zanemariti ovu postavku. Većina POS modula dizajnirana je prema zadanim postavkama za izradi fakturu odmah i smanjenje zaliha bez obzira na opcije ovdje. Dakle, ako trebate ili ne trebate imati smanjenje zaliha prilikom registracije prodaje s vašeg POS-a, Provjeri također postavite svoj POS modul. ##### Menu ##### MenuDeleted=Izbornik obrisan Menu=Izbornik @@ -1794,15 +1807,15 @@ NotTopTreeMenuPersonalized=Osobni izbornici nisu povezani na gornji izbornik NewMenu=Novi izbornik MenuHandler=Nosioc izbornika MenuModule=Izvorni modul -HideUnauthorizedMenu=Sakrij neovlaštene izbornike i za interne korisnike (inače samo sivi) +HideUnauthorizedMenu=Sakrij neovlaštene izbornike i za interne korisnike (inače su samo sivi) DetailId=ID Izbornika DetailMenuHandler=Nosioc izbornika gdje da se prikaže novi izbornik DetailMenuModule=Naziv modula ako stavka izbornika dolazi iz modula DetailType=Vrsta izbornika (gore ili lijevi) DetailTitre=Oznaka izbornika ili oznaka koda za prijevod -DetailUrl=URL where menu send you (Relative URL link or external link with https://) +DetailUrl=URL na koji vas šalje izbornik (relativna URL veza ili vanjska veza s https://) DetailEnabled=Uvjet za prikaz stavke ili ne -DetailRight=Uvjet za prikaz neautoroziranih sivih izbornika +DetailRight=Uvjet za prikaz neovlaštenih sivih izbornika DetailLangs=Jezična datoteka za oznakz koda prijevoda DetailUser=Interni / Vanjski / Svi Target=Cilj @@ -1817,8 +1830,8 @@ TaxSetup=Podešavanje modula poreza, društvenih ili fiskalnih poreza i dividend OptionVatMode=PDV koji dospjeva OptionVATDefault=Standardna osnova OptionVATDebitOption=Obračunska osnova -OptionVatDefaultDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on payments for services -OptionVatDebitOptionDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on invoice (debit) for services +OptionVatDefaultDesc=PDV se plaća:
      - prilikom isporuke robe (na temelju datuma fakture)
      - prilikom plaćanja usluga +OptionVatDebitOptionDesc=PDV dospijeva:
      - prilikom isporuke robe (na temelju datuma fakture)
      - na fakturi (zaduženje) za usluge OptionPaymentForProductAndServices=Novčana osnova za proizvode i usluge OptionPaymentForProductAndServicesDesc=PDV se plaća:
      - na plaćanje robe
      - na plaćanje usluga SummaryOfVatExigibilityUsedByDefault=Vrijeme stjecanja PDV-a prema zadanim postavkama prema odabranoj opciji: @@ -1839,26 +1852,26 @@ CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Ostavite potvrdni okvir "Automatski kreiraj AgendaSetup = Podešavanje modula događaja i agende AGENDA_DEFAULT_FILTER_TYPE = Automatski postavite ovu vrstu događaja u filter pretraživanja prikaza dnevnog reda AGENDA_DEFAULT_FILTER_STATUS = Automatski postavite ovaj status za događaje u filteru pretraživanja prikaza dnevnog reda -AGENDA_DEFAULT_VIEW = Which view do you want to open by default when selecting menu Agenda -AGENDA_EVENT_PAST_COLOR = Past event color -AGENDA_EVENT_CURRENT_COLOR = Current event color -AGENDA_EVENT_FUTURE_COLOR = Future event color -AGENDA_REMINDER_BROWSER = Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). +AGENDA_DEFAULT_VIEW = Koji prikaz želite otvoriti prema zadanim postavkama odabirom izbornika Dnevni red +AGENDA_EVENT_PAST_COLOR = Boja prošlih događaja +AGENDA_EVENT_CURRENT_COLOR = Boja trenutnog događaja +AGENDA_EVENT_FUTURE_COLOR = Boja budućeg događaja +AGENDA_REMINDER_BROWSER = Omogući podsjetnik na događaj u pregledniku korisnika (Kada se dosegne datum podsjetnika, preglednik prikazuje skočni prozor. Svaki korisnik može onemogućite takve obavijesti u postavkama obavijesti preglednika). AGENDA_REMINDER_BROWSER_SOUND = Omogući zvučnu obavijest -AGENDA_REMINDER_EMAIL = Enable event reminder by emails (remind option/delay can be defined on each event). +AGENDA_REMINDER_EMAIL = Omogući podsjetnik na događaj putem e-pošte (opcija podsjetnika/kašnjenje može se definirati za svaki događaj). AGENDA_REMINDER_EMAIL_NOTE = Napomena: Učestalost zakazanog posla %s mora biti dovoljna da se osigura da se podsjetnik šalje u točnom trenutku. AGENDA_SHOW_LINKED_OBJECT = Prikaži povezani objekt u prikazu dnevnog reda -AGENDA_USE_EVENT_TYPE = Use events types (managed in menu Setup -> Dictionaries -> Type of agenda events) +AGENDA_USE_EVENT_TYPE = Koristite vrste događaja (upravlja se u izborniku Postavljanje -> Rječnici -> Vrsta događaja dnevnog reda) AGENDA_USE_EVENT_TYPE_DEFAULT = Automatski postavite ovu zadanu vrijednost za vrstu događaja u obrascu za kreiranje događaja PasswordTogetVCalExport = Ključ za autorizaciju veze za izvoz PastDelayVCalExport=Ne izvoziti događaj stariji od SecurityKey = Sigurnosni ključ ##### ClickToDial ##### ClickToDialSetup=Podešavanje modula ClickToDial -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). -ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. +ClickToDialUrlDesc=URL koji se poziva kada se izvrši klik na sliku telefona. U URL-u možete koristiti oznake
      __PHONETO__ koje će biti zamijenjen telefonskim brojem osobe koju treba nazvati
      __PHONEFROM__ koji bit će zamijenjen telefonskim brojem osobe koja zove (vaš)
      __LOGIN__
      koja će biti zamijenjena prijavom za biranje klika (definirana na korisničkoj kartici)
      __PASS__ koja će biti zamijenjena lozinkom clicktodial (definirana na korisničkoj kartici). +ClickToDialDesc=Ovaj modul mijenja telefonske brojeve, kada koristite stolno računalo, u veze na koje se može kliknuti. Klik će pozvati broj. Ovo se može koristiti za pokretanje telefonskog poziva kada koristite soft telefon na vašem stolnom računalu ili kada koristite CTI sustav koji se temelji na SIP protokolu, na primjer. Napomena: Kada koristite pametni telefon, telefonske brojeve uvijek možete kliknuti. ClickToDialUseTelLink=Koristi samo "tel:" kod telefona -ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface, installed on the same computer as the browser, and called when you click on a link starting with "tel:" in your browser. If you need a link that start with "sip:" or a full server solution (no need of local software installation), you must set this to "No" and fill the next field. +ClickToDialUseTelLinkDesc=Upotrijebite ovu metodu ako vaši korisnici imaju softphone ili softversko sučelje, instalirano na istom računalu kao i preglednik, i koji se poziva kada kliknete na vezu koja počinje s "tel:" u vaš preglednik. Ako trebate vezu koja počinje s "sip:" ili potpuno poslužiteljsko rješenje (nema potrebe za lokalnom instalacijom softvera), ovo morate postaviti na "Ne" i ispunite sljedeće polje. ##### Point Of Sale (CashDesk) ##### CashDesk=Prodajno mjesto CashDeskSetup=Postavljanje modula prodajnog mjesta @@ -1867,14 +1880,15 @@ CashDeskBankAccountForSell=Zadani račun za prijem gotovinskih uplata CashDeskBankAccountForCheque=Zadani račun koji se koristi za primanje plaćanja čekom CashDeskBankAccountForCB=Zadani račun za prijem plaćanja kreditnim karticama CashDeskBankAccountForSumup=Zadani bankovni račun koji se koristi za primanje uplata putem SumUpa -CashDeskDoNotDecreaseStock=Onemogućite smanjenje zaliha kada se prodaja vrši s prodajnog mjesta (ako je "ne", smanjenje zaliha se vrši za svaku prodaju obavljenu s POS-a, bez obzira na opciju postavljenu u modulu Zaliha). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Forsiraj i ograniči skladište za skidanje zaliha StockDecreaseForPointOfSaleDisabled=Skidanje zaliha iz POS-a je onemogućeno StockDecreaseForPointOfSaleDisabledbyBatch=Smanjenje zaliha u POS-u nije kompatibilno s modulom Serial/Lot management (trenutno aktivan) pa je smanjenje zaliha onemogućeno. CashDeskYouDidNotDisableStockDecease=Niste onemogućili smanjenje zaliha prilikom prodaje s prodajnog mjesta. Stoga je potrebno skladište. CashDeskForceDecreaseStockLabel=Smanjenje zaliha za proizvode iz serije je prisilno. CashDeskForceDecreaseStockDesc=Prvo smanjite za najstarije datume obroka i datuma prodaje. -CashDeskReaderKeyCodeForEnter=Key ASCII code for "Enter" defined in barcode reader (Example: 13) +CashDeskReaderKeyCodeForEnter=Ključni ASCII kod za "Enter" definiran u čitaču crtičnog koda (Primjer: 13) ##### Bookmark ##### BookmarkSetup=Podešavanje modula zabilješki BookmarkDesc=Ovaj modul vam omogućuje upravljanje oznakama. Također možete dodati prečace na bilo koje Dolibarr stranice ili vanjske web stranice na lijevom izborniku. @@ -1900,7 +1914,7 @@ BankOrderGlobal=Generalno BankOrderGlobalDesc=Glavni red prikaza BankOrderES=Španjolski BankOrderESDesc=Španjolski red prikaza -ChequeReceiptsNumberingModule=Check Receipts Numbering Module +ChequeReceiptsNumberingModule=Provjeri Modul numeriranja računa ##### Multicompany ##### MultiCompanySetup=Više poduzeća module podešavanje ##### Suppliers ##### @@ -1912,7 +1926,7 @@ SuppliersInvoiceNumberingModel=Modeli numeriranja faktura dobavljača IfSetToYesDontForgetPermission=Ako je postavljena na vrijednost koja nije null, ne zaboravite dati dopuštenja grupama ili korisnicima kojima je dopušteno drugo odobrenje ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=Podešavanje modula GeoIP Maxmind -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation +PathToGeoIPMaxmindCountryDataFile=Put do datoteke koja sadrži prijevod Maxmind IP-a u zemlju NoteOnPathLocation=Note that your ip to country data file must be inside a directory your PHP can read (Check your PHP open_basedir setup and filesystem permissions). YouCanDownloadFreeDatFileTo=You can download a free demo version of the Maxmind GeoIP country file at %s. YouCanDownloadAdvancedDatFileTo=You can also download a more complete version, with updates, of the Maxmind GeoIP country file at %s. @@ -1923,7 +1937,7 @@ ProjectsSetup=Podešavanje modula projekata ProjectsModelModule=Model dokumenata projektnih izvještaja TasksNumberingModules=Način označavanja zadataka TaskModelModule=Model dokumenata izvještaja zadataka -UseSearchToSelectProject=Wait until a key is pressed before loading content of Project combo list.
      This may improve performance if you have a large number of projects, but it is less convenient. +UseSearchToSelectProject=Pričekajte da se pritisne tipka prije učitavanja sadržaja kombiniranog popisa projekta.
      To može poboljšati izvedbu ako imate velik broj projekata, ali je manje praktično. ##### ECM (GED) ##### ##### Fiscal Year ##### AccountingPeriods=Obračunska razdoblja @@ -1944,59 +1958,60 @@ NoAmbiCaracAutoGeneration=Nemojte koristiti dvosmislene znakove ("1","l","i","|" SalariesSetup=Podešavanje modula plaća SortOrder=Redosljed sortiranja Format=Format -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and suppliers payment type -IncludePath=Include path (defined into variable %s) +TypePaymentDesc=0:Vrsta plaćanja kupca, 1:Vrsta plaćanja dobavljača, 2:Vrsta plaćanja dobavljača oba kupca i +IncludePath=Uključi put (definiran u varijabli %s) ExpenseReportsSetup=Podešavanje modula Izvještaji troškova TemplatePDFExpenseReports=Predlošci dokumenta za generiranje izvještaja troškova ExpenseReportsRulesSetup=Postavljanje modula Izvješća o troškovima - Pravila ExpenseReportNumberingModules=Modul numeriranja izvještaja o troškovima -NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only. -YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification". +NoModueToManageStockIncrease=Nijedan modul koji može upravljati automatskim povećanjem zaliha nije aktiviran. Povećanje zaliha izvršit će se samo ručnim unosom. +YouMayFindNotificationsFeaturesIntoModuleNotification=Možete pronaći opcije za e-pošta obavijesti ako omogućite i konfiguriranjem modula "Obavijest". TemplatesForNotifications=Predlošci za obavijesti ListOfNotificationsPerUser=Popis automatskih obavijesti po korisniku* -ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** +ListOfNotificationsPerUserOrContact=Popis mogućih automatskih obavijesti (o poslovnom događaju) dostupan po korisniku* ili po kontaktu** ListOfFixedNotifications=Popis automatskih fiksnih obavijesti GoOntoUserCardToAddMore=Idite na tab "Obavijesti" korisnika za dodavanje ili micanje obavijesti za korisnike -GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Idite na karticu "Obavijesti" treće strane za dodavanje ili uklanjanje obavijesti za kontakte/adrese Threshold=Najviše dopušteno BackupDumpWizard=Čarobnjak za izradu datoteke dump baze podataka BackupZipWizard=Čarobnjak za izgradnju arhive dokumenata direktorija SomethingMakeInstallFromWebNotPossible=Instalacija vanjskog modula nije moguća s web sučelja iz sljedećeg razloga: -SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. -InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. -ConfFileMustContainCustom=Installing or building an external module from application need to save the module files into directory %s. To have this directory processed by Dolibarr, you must setup your conf/conf.php to add the 2 directive lines:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; +SomethingMakeInstallFromWebNotPossible2=Iz tog razloga, proces nadogradnje koji je ovdje opisan je ručni proces koji može izvesti samo privilegirani korisnik. +InstallModuleFromWebHasBeenDisabledContactUs=Instalacija ili razvoj vanjskih modula ili dinamičkih web stranica iz aplikacije trenutno je zaključana iz sigurnosnih razloga. Kontaktirajte nas ako trebate omogućiti ovu značajku. +InstallModuleFromWebHasBeenDisabledByFile=Vaš administrator onemogućio je instalaciju vanjskog modula iz aplikacije. Morate ga zamoliti da ukloni datoteku %s kako biste to omogućili značajka. +ConfFileMustContainCustom=Instaliranje ili izgradnja vanjskog modula iz aplikacije potrebno je spremiti datoteke modula u direktorij %s . Da bi Dolibarr obradio ovaj direktorij, morate postaviti svoj conf/conf.php za dodavanje 2 retka direktive:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; HighlightLinesOnMouseHover=Označite linije tablice kada miš prijeđe -HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) +HighlightLinesColor=Označite boju linije kada miš prijeđe preko (upotrijebite 'ffffff' da ne bude isticanja) HighlightLinesChecked=Istaknite boju linije kada je označena (koristite 'ffffff' za bez isticanja) -UseBorderOnTable=Show left-right borders on tables +UseBorderOnTable=Prikaži lijevo-desne granice na tablicama +TableLineHeight=Visina linije tablice BtnActionColor=Boja akcijskog gumba TextBtnActionColor=Boja teksta akcijskog gumba TextTitleColor=Boja teksta u naslovu stranice LinkColor=Boja poveznica PressF5AfterChangingThis=Pritisnite CTRL+F5 na tipkovnici ili izbrišite predmemoriju preglednika nakon promjene ove vrijednosti kako bi bila učinkovita -NotSupportedByAllThemes=Will works with core themes, may not be supported by external themes +NotSupportedByAllThemes=Will radi s temeljnim temama, možda neće biti podržan vanjskim temama BackgroundColor=Boja pozadine TopMenuBackgroundColor=Boja pozadine za gornji izbornik -TopMenuDisableImages=Icon or Text in Top menu +TopMenuDisableImages=Ikona ili tekst u glavnom izborniku LeftMenuBackgroundColor=Boja pozadine lijevog izbornika BackgroundTableTitleColor=Boja pozadine za zaglavlje tablica BackgroundTableTitleTextColor=Boja teksta za naslovni redak tablice BackgroundTableTitleTextlinkColor=Boja teksta za liniju veze naslova tablice BackgroundTableLineOddColor=Boja pozadine za neparne redove u tablici BackgroundTableLineEvenColor=Boja pozadine za parne redove u tablici -MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay) +MinimumNoticePeriod=Minimalni otkazni rok (Vaš zahtjev za odsustvo mora biti podnesen prije ove odgode) NbAddedAutomatically=Broj dana koji se dodaje brojačima korisnika (automatski) svaki mjesec EnterAnyCode=Ovo polje sadrži referencu za identifikaciju linije. Unesite bilo koju vrijednost po svom izboru, ali bez posebnih znakova. Enter0or1=Unesite 0 ili 1 -UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] +UnicodeCurrency=Unesite ovdje između zagrada, popis brojeva bajtova koji predstavljaju simbol valute. Na primjer: za $ unesite [36] - za brazilski realni R$ [82,36] - za € unesite [8364] ColorFormat=RGB boja je u HEX formatu, npr.: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Naziv ikone u formatu:
      - image.png za slikovnu datoteku u trenutni direktorij teme
      - image.png@module ako je datoteka u direktoriju /img/ modula
      - fa-xxx za FontAwesome fa-xxx sliku
      - fontawesome_xxx_fa_color_size za FontAwesome fa-xxx sliku (s prefiksom, set veličine i boje) PositionIntoComboList=Položaj reda u kombiniranim popisima SellTaxRate=Stopa poreza na promet -RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. -UrlTrackingDesc=If the provider or transport service offers a page or web site to check the status of your shipments, you may enter it here. You can use the key {TRACKID} in the URL parameters so the system will replace it with the tracking number the user entered into the shipment card. -OpportunityPercent=When you create a lead, you will define an estimated amount of project/lead. According to status of the lead, this amount may be multiplied by this rate to evaluate a total amount all your leads may generate. Value is a percentage (between 0 and 100). +RecuperableOnly=Da za PDV "Ne percipira se, ali se može povratiti" posvećen nekoj državi u Francuskoj. Zadržite vrijednost na "Ne" u svim ostalim slučajevima. +UrlTrackingDesc=Ako pružatelj usluga ili usluga prijevoza nudi stranicu ili web mjesto za Provjeri status vaših pošiljaka, možete ga unijeti ovdje. Možete upotrijebiti ključ {TRACKID} u parametrima URL-a tako da će ga sustav zamijeniti brojem za praćenje koji je korisnik unio na karticu za pošiljku. +OpportunityPercent=Kada izradi potencijalnog klijenta, definirat ćete procijenjeni iznos projekta/potencijalnog klijenta. Ovisno o statusu potencijalnog klijenta, ovaj se iznos može pomnožiti s ovom stopom kako bi se procijenio ukupni iznos koji svi vaši potencijalni klijenti mogu generirati. Vrijednost je postotak (između 0 i 100). TemplateForElement=Ovaj predložak e-pošte povezan je s kojom vrstom objekta? Predložak e-pošte dostupan je samo kada koristite gumb "Pošalji e-poštu" iz povezanog objekta. TypeOfTemplate=Vrsta predloška TemplateIsVisibleByOwnerOnly=Predložak je vidljiv samo vlasniku @@ -2008,17 +2023,17 @@ ExpectedChecksum=Očekivani checksum CurrentChecksum=Trenutni checksum ExpectedSize=Očekivana veličina CurrentSize=Trenutna veličina -ForcedConstants=Required constant values +ForcedConstants=Tražene konstantne vrijednosti MailToSendProposal=Ponude kupcima MailToSendOrder=Narudžbenice MailToSendInvoice=Računi za kupce MailToSendShipment=Isporuke MailToSendIntervention=Intervencije -MailToSendSupplierRequestForQuotation=Quotation request +MailToSendSupplierRequestForQuotation=Zahtjev za ponudu MailToSendSupplierOrder=Narudžbe dobavljačima MailToSendSupplierInvoice=Ulazni računi MailToSendContract=Ugovori -MailToSendReception=Receptions +MailToSendReception=Prijemi MailToExpenseReport=Troškovnici MailToThirdparty=Treće osobe MailToMember=Članovi @@ -2029,9 +2044,9 @@ ByDefaultInList=Prikaži kao zadano na popisu YouUseLastStableVersion=Koristite najnoviju stabilnu verziju TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) TitleExampleForMaintenanceRelease=Example of message you can use to announce this maintenance release (feel free to use it on your web sites) -ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s is available. Version %s is a major release with a lot of new features for both users and developers. You can download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read ChangeLog for complete list of changes. -ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is available. Version %s is a maintenance version, so contains only bug fixes. We recommend all users to upgrade to this version. A maintenance release does not introduce new features or changes to the database. You may download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read the ChangeLog for complete list of changes. -MultiPriceRuleDesc=When option "Several levels of prices per product/service" is enabled, you can define different prices (one per price level) for each product. To save you time, here you may enter a rule to autocalculate a price for each level based on the price of the first level, so you will have to only enter a price for the first level for each product. This page is designed to save you time but is useful only if your prices for each level are relative to first level. You can ignore this page in most cases. +ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s je dostupan. Verzija %s veliko je izdanje s puno novih značajki za korisnike i programere. Možete ga preuzeti iz područja za preuzimanje portala https://www.dolibarr.org (poddirektorij Stabilne verzije). Možete pročitati Dnevnik promjena za potpuni popis promjena. +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s je dostupan. Verzija %s je verzija za održavanje, stoga sadrži samo ispravke grešaka. Preporučamo svim korisnicima nadogradnju na ovu verziju. Izdanje za održavanje ne uvodi nove značajke ili promjene u bazu podataka. Možete ga preuzeti iz područja za preuzimanje portala https://www.dolibarr.org (poddirektorij Stabilne verzije). Možete pročitati ChangeLog za potpuni popis promjena. +MultiPriceRuleDesc=Kada je uključena opcija "Više razina cijena po proizvodu/usluzi", možete definirati različite cijene (jednu po razini cijena) za svaki proizvod. Kako biste uštedjeli vrijeme, ovdje možete unijeti pravilo za automatski izračun cijene za svaku razinu na temelju cijene prve razine, tako da ćete za svaki proizvod morati unijeti samo cijenu za prvu razinu. Ova je stranica osmišljena da vam uštedi vrijeme, ali je korisna samo ako su vaše cijene za svaku razinu relativne u odnosu na prvu razinu. U većini slučajeva ovu stranicu možete zanemariti. ModelModulesProduct=Predlošci za dokumente proizvoda WarehouseModelModules=Predlošci za dokumente skladišta ToGenerateCodeDefineAutomaticRuleFirst=Da biste mogli automatski generirati kodove, prvo morate definirati upravitelja koji će automatski definirati broj bar koda. @@ -2057,32 +2072,32 @@ AddSubstitutions=Dodajte zamjene ključeva DetectionNotPossible=Detekcija nije moguća UrlToGetKeyToUseAPIs=Url za dobivanje tokena za korištenje API-ja (nakon što je token primljen, sprema se u korisničku tablicu baze podataka i mora se navesti pri svakom API pozivu) ListOfAvailableAPIs=Popis dostupnih APIa -activateModuleDependNotSatisfied=Module "%s" depends on module "%s", that is missing, so module "%1$s" may not work correctly. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise -CommandIsNotInsideAllowedCommands=The command you are trying to run is not in the list of allowed commands defined in parameter $dolibarr_main_restrict_os_commands in the conf.php file. +activateModuleDependNotSatisfied=Modul "%s" ovisi o modulu "%s", koji nedostaje, tako da modul " %1$s" možda neće raditi ispravno. Instalirajte modul "%2$s" ili onemogućite modul "%1$s" ako želite biti sigurni od bilo kakvog iznenađenja +CommandIsNotInsideAllowedCommands=Naredba koju pokušavate pokrenuti nije na popisu dopuštenih naredbi definiranih u parametru $dolibarr_main_restrict_os_commands u conf.php datoteka. LandingPage=Odredišna stranica SamePriceAlsoForSharedCompanies=Ako koristite modul za više tvrtki, s izborom "Jedinstvena cijena", cijena će također biti ista za sve tvrtke ako se proizvodi dijele između okruženja ModuleEnabledAdminMustCheckRights=Modul je aktiviran. Dozvole za aktivirane module dane su samo administratorskim korisnicima. Možda ćete morati ručno dodijeliti dopuštenja drugim korisnicima ili grupama ako je potrebno. UserHasNoPermissions=Ovaj korisnik nema definirana dopuštenja -TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "%s")
      Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "%s" in days)
      Use "Current/Next" to have payment term date being the first Nth of the month after delta (delta is field "%s", N is stored into field "%s") +TypeCdr=Koristite "Ništa" ako je datum roka plaćanja datum fakture plus delta u danima (delta je polje "%s")
      Koristite "Na kraju mjeseca", ako se, nakon delte, datum mora povećati da bi došao do kraja mjeseca (+ izborno "%s" u danima)
      Koristite "Trenutni/Sljedeći" da datum plaćanja bude prvi N-ti u mjesecu nakon delte (delta je polje "%s" , N je pohranjen u polje "%s") BaseCurrency=Referentna valuta tvrtke (idite u postavljanje tvrtke da biste to promijenili) WarningNoteModuleInvoiceForFrenchLaw=Ovaj modul %s je u skladu s francuskim zakonima (Loi Finance 2016). WarningNoteModulePOSForFrenchLaw=Ovaj modul %s je u skladu s francuskim zakonima (Loi Finance 2016) jer se modul Nereverzibilni zapisnici automatski aktivira. -WarningInstallationMayBecomeNotCompliantWithLaw=You are trying to install module %s that is an external module. Activating an external module means you trust the publisher of that module and that you are sure that this module does not adversely impact the behavior of your application, and is compliant with laws of your country (%s). If the module introduces an illegal feature, you become responsible for the use of illegal software. +WarningInstallationMayBecomeNotCompliantWithLaw=Pokušavate instalirati modul %s koji je vanjski modul. Aktivacija vanjskog modula znači da vjerujete izdavaču tog modula i da ste sigurni da ovaj modul ne utječe negativno na ponašanje vaše aplikacije, i je u skladu sa zakonima vaše zemlje (%s). Ako modul uvodi ilegalnu značajku, postajete odgovorni za korištenje ilegalnog softvera. MAIN_PDF_MARGIN_LEFT=Lijeva margina u PDF-u MAIN_PDF_MARGIN_RIGHT=Desna margina u PDF-u MAIN_PDF_MARGIN_TOP=Gornja margina u PDF-u MAIN_PDF_MARGIN_BOTTOM=Donja margina u PDF-u MAIN_DOCUMENTS_LOGO_HEIGHT=Visina za logo u PDF-u -DOC_SHOW_FIRST_SALES_REP=Show first sales representative +DOC_SHOW_FIRST_SALES_REP=Prikaži prvog predstavnika prodaje MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Dodajte stupac za sliku u retke prijedloga MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Širina stupca ako se slika dodaje na redove -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Sakrij stupac jedinične cijene na zahtjevima za ponudu +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Sakrij stupac ukupne cijene na zahtjevima za ponudu +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Sakrij stupac jedinične cijene na narudžbenicama +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Sakrij stupac ukupne cijene na narudžbenicama MAIN_PDF_NO_SENDER_FRAME=Sakrij obrube na okviru adrese pošiljatelja -MAIN_PDF_NO_RECIPENT_FRAME=Sakrij obrub na okviru adrese primatelja +MAIN_PDF_NO_RECIPENT_FRAME=Sakrij obrube na okviru adrese primatelja MAIN_PDF_HIDE_CUSTOMER_CODE=Sakrij šifru korisnika MAIN_PDF_HIDE_SENDER_NAME=Sakrij pošiljatelja/naziv tvrtke u bloku adrese PROPOSAL_PDF_HIDE_PAYMENTTERM=Sakrij uvjete plaćanja @@ -2094,72 +2109,72 @@ EnterCalculationRuleIfPreviousFieldIsYes=Unesite pravilo izračuna ako je pretho SeveralLangugeVariatFound=Pronađeno je nekoliko jezičnih varijanti RemoveSpecialChars=Uklonite posebne znakove COMPANY_AQUARIUM_CLEAN_REGEX=Redovni izraz filter za čistu vrijednost (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code +COMPANY_AQUARIUM_NO_PREFIX=Ne koristite prefiks, samo kopirajte kod kupca ili dobavljača COMPANY_DIGITARIA_CLEAN_REGEX=Redovni izraz za čišćenje vrijednosti (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=Duplikat nije dopušten -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word +RemoveSpecialWords=Očistite određene riječi prilikom generiranja podračuna za kupce ili dobavljače +RemoveSpecialWordsHelp=Odredite riječi koje treba očistiti prije izračunavanja računa kupca ili dobavljača. Koristi ";" između svake riječi GDPRContact=Službenik za zaštitu podataka (DPO, kontakt za privatnost podataka ili GDPR) -GDPRContactDesc=If you store personal data in your Information System, you can name the contact who is responsible for the General Data Protection Regulation here +GDPRContactDesc=Ako u svom Informacijskom sustavu pohranjujete osobne podatke, ovdje možete navesti kontakt odgovornog za Opću uredbu o zaštiti podataka HelpOnTooltip=Tekst pomoći za prikaz u opisu alata -HelpOnTooltipDesc=Put text or a translation key here for the text to show in a tooltip when this field appears in a form -YouCanDeleteFileOnServerWith=You can delete this file on the server with Command Line:
      %s +HelpOnTooltipDesc=Ovdje stavite tekst ili ključ za prijevod kako bi se tekst prikazao u opisu alata kada se ovo polje pojavi u obrascu +YouCanDeleteFileOnServerWith=Ovu datoteku možete izbrisati na poslužitelju pomoću naredbenog retka:
      %s ChartLoaded=Kontni plan je učitan SocialNetworkSetup=Postavljanje modula Društvene mreže EnableFeatureFor=Omogući značajke za %s -VATIsUsedIsOff=Note: The option to use Sales Tax or VAT has been set to Off in the menu %s - %s, so Sales tax or Vat used will always be 0 for sales. +VATIsUsedIsOff=Napomena: opcija korištenja poreza na promet ili PDV-a postavljena je na Isključeno u izborniku %s - %s, tako da će korišteni porez na promet ili PDV uvijek biti 0 za prodaju. SwapSenderAndRecipientOnPDF=Zamijenite položaj adrese pošiljatelja i primatelja na PDF dokumentima FeatureSupportedOnTextFieldsOnly=Upozorenje, značajka je podržana samo u tekstualnim poljima i kombiniranim popisima. Također se mora postaviti parametar URL-a action=create ili action=edit ILI naziv stranice mora završavati s 'new.php' da bi se aktivirala ova značajka. EmailCollector=Sakupljač e-pošte -EmailCollectors=Email collectors +EmailCollectors=e-pošta kolekcionari EmailCollectorDescription=Dodajte zakazani posao i stranicu za postavljanje za redovito skeniranje sandučića e-pošte (pomoću IMAP protokola) i snimanje e-pošte primljenih u vašu aplikaciju, na pravom mjestu i/ili kreiranje nekih zapisa automatski (poput potencijalnih klijenata). NewEmailCollector=Novi sakupljač e-pošte EMailHost=Host IMAP poslužitelja e-pošte -EMailHostPort=Port of email IMAP server -loginPassword=Login/Password +EMailHostPort=Port e-pošta IMAP poslužitelja +loginPassword=Lozinka oauthToken=OAuth2 token -accessType=Acces type -oauthService=Oauth service -TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session +accessType=Vrsta pristupa +oauthService=Oauth usluga +TokenMustHaveBeenCreated=Modul OAuth2 mora biti omogućen i oauth2 token mora biti izrađen s ispravnim dopuštenjima (na primjer opseg "gmail_full" s OAuth za Gmail). +ImapEncryption = Metoda šifriranja IMAP +ImapEncryptionHelp = Primjer: nijedan, ssl, tls, notls +NoRSH = Koristite NoRSH konfiguraciju +NoRSHHelp = Nemojte koristiti RSH ili SSH protokole za uspostavljanje IMAP sesije predidentifikacije MailboxSourceDirectory=Izvorni imenik poštanskog sandučića MailboxTargetDirectory=Ciljni direktorij poštanskog sandučića -EmailcollectorOperations=Operations to do by collector +EmailcollectorOperations=Operacije koje treba obaviti sakupljač EmailcollectorOperationsDesc=Operacije se izvode od vrha do dna -MaxEmailCollectPerCollect=Max number of emails collected per collect -TestCollectNow=Test collect +MaxEmailCollectPerCollect=Maksimalni broj e-poruka prikupljenih po prikupljanju +TestCollectNow=Test prikupljanje CollectNow=Prikupite sada -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s? +ConfirmCloneEmailCollector=Jeste li sigurni da želite za kloniranje e-pošta sakupljača %s? DateLastCollectResult=Datum posljednjeg pokušaja prikupljanja DateLastcollectResultOk=Datum posljednjeg uspjeha prikupljanja LastResult=Najnoviji rezultat -EmailCollectorHideMailHeaders=Do not include the content of email header into the saved content of collected e-mails -EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. -EmailCollectorConfirmCollectTitle=Email collect confirmation -EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). -EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software -EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. -EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. -EmailCollectorExampleToCollectLeads=Example collecting leads -EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. -EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail +EmailCollectorHideMailHeaders=Nemojte uključivati sadržaj zaglavlja e-pošta u spremljeni sadržaj prikupljenih e-poruka +EmailCollectorHideMailHeadersHelp=Kada je omogućeno, zaglavlja e-pošta ne dodaju se na kraj e-pošta sadržaja koji se sprema kao događaj na dnevnom redu. +EmailCollectorConfirmCollectTitle=e-pošta prikupi potvrdu +EmailCollectorConfirmCollect=Želite li sada pokrenuti ovaj kolekcionar? +EmailCollectorExampleToCollectTicketRequestsDesc=Prikupite e-poštu koja odgovara nekim pravilima i izradi automatski kartu (Modul Ticket mora biti omogućen) s e-pošta informacije. Možete koristiti ovaj sakupljač ako pružite podršku do e-pošta, tako da će se vaš zahtjev za kartu automatski generirati. Aktivirajte i Collect_Responses za prikupljanje odgovora vašeg klijenta izravno na prikazu tiketa (morate odgovoriti od Dolibarra). +EmailCollectorExampleToCollectTicketRequests=Primjer prikupljanja zahtjeva za kartu (samo prva poruka) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Skenirajte direktorij "Poslano" u svom poštanskom sandučiću kako biste pronašli e-poruke koje su poslane kao odgovor drugog e-pošta izravno iz vašeg e-pošta softvera i nije iz Dolibarra. Ako se pronađe takav e-pošta, događaj odgovora bilježi se u Dolibarr +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Primjer prikupljanja e-pošta odgovora poslanih iz vanjskog e-pošta softvera +EmailCollectorExampleToCollectDolibarrAnswersDesc=Prikupite sve e-poruke koje su odgovor na e-pošta poslane iz vaše aplikacije. Događaj (Modul Agenda mora biti omogućen) s odgovorom e-pošta bit će zabilježen na dobrom mjestu. Na primjer, ako pošaljete komercijalni prijedlog, narudžbu, fakturu ili poruku za kartu putem e-pošta iz aplikacije, i primatelj odgovori na vaš e-pošta, sustav će automatski uhvatiti odgovor i dodati ga u svoj ERP. +EmailCollectorExampleToCollectDolibarrAnswers=Primjer prikupljanja svih dolaznih poruka koje su odgovori na poruke poslane s Dolibarra' +EmailCollectorExampleToCollectLeadsDesc=Prikupite e-poštu koja odgovara nekim pravilima i izradi automatski potencijalnog klijenta (Module Project mora biti omogućen) s e-pošta informacije. Ovaj kolektor možete koristiti ako želite pratiti svoje vodstvo pomoću modula Projekt (1 potencijalni klijent = 1 projekt), tako da će se vaši potencijalni klijenti automatski generirati. Ako je kolektor Collect_Responses također omogućen, kada pošaljete e-pošta od svojih potencijalnih kupaca, prijedloga ili bilo kojeg drugog objekta, također možete vidjeti odgovore svojih kupaca ili partnera izravno u aplikaciji.
      Napomena: u ovom početnom primjeru generira se naslov potencijalnog klijenta uključujući e-pošta. Ako se treća strana ne može pronaći u bazi podataka (novi korisnik), potencijalni kupac će biti pridružen trećoj strani s ID-om 1. +EmailCollectorExampleToCollectLeads=Primjer prikupljanja tragova +EmailCollectorExampleToCollectJobCandidaturesDesc=Prikupljajte e-poštu za prijavu na ponude za posao (Modul Recruitment mora biti omogućen). Možete dovršiti ovaj kolektor ako želite automatski izradi kandidaturu za zahtjev za posao. Napomena: s ovim početnim primjerom generira se naslov kandidature uključujući e-pošta. +EmailCollectorExampleToCollectJobCandidatures=Primjer prikupljanja prijava za posao koje je primio e-pošta NoNewEmailToProcess=Nema nove e-pošte (odgovarajući filteri) za obradu NothingProcessed=Ništa nije učinjeno RecordEvent=Zabilježite događaj u dnevnom redu (s vrstom Email poslana ili primljena) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation or was guessed from a tracker in email header, without third party otherwise) +CreateLeadAndThirdParty=izradi potencijalni klijent (i treća strana ako je potrebno) +CreateTicketAndThirdParty=izradi ulaznica (povezana s trećom stranom ako je treća strana učitana prethodnom operacijom ili je pogodena iz programa za praćenje u e-pošta zaglavlje, inače bez treće strane) CodeLastResult=Najnoviji kod rezultata NbOfEmailsInInbox=Broj e-poruka u izvornom direktoriju LoadThirdPartyFromName=Učitaj traženje treće strane na %s (samo učitavanje) LoadThirdPartyFromNameOrCreate=Učitajte pretraživanje treće strane na %s (napravi ako nije pronađeno) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) +LoadContactFromEmailOrCreate=Učitaj pretraživanje kontakta na %s (izradi ako nije pronađen) AttachJoinedDocumentsToObject=Spremite priložene datoteke u objektne dokumente ako se referenca objekta pronađe u temi e-pošte. WithDolTrackingID=Poruka iz razgovora pokrenutog prvom e-poštom poslanom od Dolibarra WithoutDolTrackingID=Poruka iz razgovora pokrenutog prvom e-poštom NIJE poslanom od Dolibarra @@ -2169,14 +2184,14 @@ CreateCandidature=Napravite prijavu za posao FormatZip=PBR MainMenuCode=Kôd za unos izbornika (glavni izbornik) ECMAutoTree=Prikaži automatsko ECM stablo -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. +OperationParamDesc=Definirajte pravila koja će se koristiti za izdvajanje nekih podataka ili postavite vrijednosti za upotrebu za operaciju.

      Primjer za izdvajanje tvrtka naziv iz e-pošta subjekta u privremenu varijablu:
      tmp_var=EXTRACT:SUBJECT: Poruka od tvrtka ([^\n]*)

      Primjeri za postavljanje svojstava objekta na izradi:
      objproperty1=SET:tvrdo kodirana vrijednost
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:vrijednost (vrijednost je postavljena samo ako svojstvo nije već definirano)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([ ^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      objekt .objproperty5=EXTRACT:BODY:Moje tvrtka ime je\\s([^\\s]*)

      Upotrijebite novi redak za izdvajanje ili postavljanje nekoliko svojstava. OpeningHours=Radno vrijeme OpeningHoursDesc=Ovdje unesite redovno radno vrijeme Vaše tvrtke. -ResourceSetup=Configuration of Resource module +ResourceSetup=Konfiguracija modula resursa UseSearchToSelectResource=Upotrijebite obrazac za pretraživanje za odabir resursa (umjesto padajućeg popisa). DisabledResourceLinkUser=Onemogući značajku za povezivanje resursa s korisnicima DisabledResourceLinkContact=Onemogući značajku za povezivanje resursa s kontaktima -EnableResourceUsedInEventCheck=Prohibit the use of the same resource at the same time in the agenda +EnableResourceUsedInEventCheck=Zabranite korištenje istog resursa u isto vrijeme na dnevnom redu ConfirmUnactivation=Potvrdite resetiranje modula OnMobileOnly=Samo na malom ekranu (pametni telefon). DisableProspectCustomerType=Onemogućite vrstu treće strane "Potencijalni + Kupac" (tako da treća strana mora biti "Potencijalni" ili "Kupac", ali ne može biti oboje) @@ -2188,10 +2203,10 @@ Protanopia=Protanopija Deuteranopes=Deuteranopi Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=Ovu vrijednost svaki korisnik može prebrisati sa svoje korisničke stranice - kartice '%s' -DefaultCustomerType=Zadana vrsta treće strane za obrazac za kreiranje "Novi kupac". +DefaultCustomerType=Zadana vrsta treće strane za obrazac za stvaranje "Novi korisnik". ABankAccountMustBeDefinedOnPaymentModeSetup=Napomena: Bankovni račun mora biti definiran na modulu svakog načina plaćanja (Paypal, Stripe, ...) da bi ova značajka funkcionirala. RootCategoryForProductsToSell=Osnovna kategorija proizvoda za prodaju -RootCategoryForProductsToSellDesc=Ako je definirano, samo proizvodi unutar ove kategorije ili djeca ove kategorije bit će dostupni na prodajnom mjestu +RootCategoryForProductsToSellDesc=Ako je definirano, samo proizvodi unutar ove kategorije ili podređeni proizvodi ove kategorije bit će dostupni na prodajnom mjestu DebugBar=Traka za otklanjanje pogrešaka DebugBarDesc=Alatna traka koja dolazi s mnoštvom alata za pojednostavljenje otklanjanja pogrešaka DebugBarSetup=Postavljanje trake za otklanjanje pogrešaka @@ -2212,37 +2227,37 @@ ImportSetup=Postavljanje uvoza modula InstanceUniqueID=Jedinstveni ID instance SmallerThan=Manje od LargerThan=Veće od -IfTrackingIDFoundEventWillBeLinked=Imajte na umu da ako se ID praćenja objekta pronađe u e-pošti ili ako je e-pošta odgovor na područje e-pošte prikupljeno i povezano s objektom, stvoreni događaj će se automatski povezati s poznatim povezanim objektom. -WithGMailYouCanCreateADedicatedPassword=S GMail računom, ako ste omogućili provjeru valjanosti u 2 koraka, preporučuje se stvaranje namjenske druge lozinke za aplikaciju umjesto upotrebe vlastite lozinke računa s https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). +IfTrackingIDFoundEventWillBeLinked=Imajte na umu da ako se ID praćenja objekta pronađe u e-pošta ili ako je e-pošta odgovor e-pošta već prikupljeni i povezan s objektom, stvoreni događaj automatski će se povezati s poznatim povezanim objektom. +WithGMailYouCanCreateADedicatedPassword=S GMail računom, ako ste omogućili provjeru valjanosti u 2 koraka, preporučuje se izradi namjenska druga lozinka za aplikaciju umjesto korištenja vlastite lozinke računa s https://myaccount .google.com/. +EmailCollectorTargetDir=Možda bi bilo poželjno premjestiti e-pošta u drugi oznaka/direktorij nakon što je uspješno obrađen. Ovdje samo postavite ime direktorija da biste koristili ovu značajku (NEMOJTE koristiti posebne znakove u imenu). Imajte na umu da također morate koristiti račun za prijavu za čitanje/pisanje. +EmailCollectorLoadThirdPartyHelp=Ovu radnju možete upotrijebiti za korištenje sadržaja e-pošta za pronalaženje i učitavanja postojeće treće strane u vašoj bazi podataka (pretražit će se na definiranom svojstvu između 'id','name','name_alias','e-pošta'). Pronađena (ili stvorena) treća strana koristit će se za sljedeće radnje koje to trebaju.
      Na primjer, ako želite izradi treća strana s imenom izdvojenim iz niza 'Ime: ime za pronalaženje' prisutna u tijelu, koristite pošiljatelja e-pošta kao e-pošta, polje parametra možete postaviti ovako:
      'e-pošta=HEADER:^From:(.*) ;name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=Upozorenje: mnogi e-pošta poslužitelji (poput Gmaila) traže punu riječ kada pretraživanje niza i neće vratiti rezultat ako se niz nalazi samo djelomično u riječi. Iz tog razloga također, upotreba posebnih znakova u kriteriju pretraživanja bit će zanemarena ako nisu dio postojećih riječi.
      Da biste izvršili izuzimanje pretraživanja riječi (vrati e-pošta ako riječ nije pronađena), možete koristiti ! znak prije riječi (možda neće raditi na nekim poslužiteljima e-pošte). EndPointFor=Krajnja točka za %s : %s DeleteEmailCollector=Izbriši sakupljač e-pošte ConfirmDeleteEmailCollector=Jeste li sigurni da želite izbrisati ovaj sakupljač e-pošte? RecipientEmailsWillBeReplacedWithThisValue=E-poruke primatelja uvijek će biti zamijenjene ovom vrijednošću AtLeastOneDefaultBankAccountMandatory=Mora biti definiran barem 1 zadani bankovni račun -RESTRICT_ON_IP=Allow API access to only certain client IPs (wildcard not allowed, use space between values). Empty means every clients can access. +RESTRICT_ON_IP=Dopustite pristup API-ju samo određenim IP adresama klijenata (zamjenski znak nije dopušten, koristite razmak između vrijednosti). Prazno znači da svi klijenti mogu pristupiti. IPListExample=127.0.0.1 192.168.0.2 [::1] BaseOnSabeDavVersion=Temeljeno na verziji library-a SabreDAV NotAPublicIp=Nije javna IP adresa MakeAnonymousPing=Pošaljite anonimni Ping '+1' na Dolibarr temeljni poslužitelj (učinjeno samo 1 put nakon instalacije) kako biste omogućili zakladi da prebroji broj Dolibarr instalacije. -FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled +FeatureNotAvailableWithReceptionModule=Značajka nije dostupna kada je omogućen modul Prijem EmailTemplate=Email predložak EMailsWillHaveMessageID=E-poruke će imati oznaku "Reference" koja odgovara ovoj sintaksi PDF_SHOW_PROJECT=Prikaži projekt na dokumentu ShowProjectLabel=Oznaka projekta -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Generirajte PDF dokumente u formatu PDF/A umjesto zadanog formata PDF +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Uključite alias u ime treće strane +THIRDPARTY_ALIAS=Ime treće strane - alias treće strane +ALIAS_THIRDPARTY=Alias treće strane - Ime treće strane +PDFIn2Languages=Prikaži oznake u PDF-u na 2 različita jezika (ova značajka možda neće raditi za nekoliko jezika) +PDF_USE_ALSO_LANGUAGE_CODE=Ako želite imati neke tekstove u vašem PDF-u duplicirane na 2 različita jezika u istom generiranom PDF-u, morate ovdje postaviti ovaj drugi jezik tako da će generirani PDF sadržavati 2 različita jezika na istoj stranici, onom odabranom prilikom generiranja PDF-a i ovaj (ovo podržava samo nekoliko PDF predložaka). Ostavite prazno za 1 jezik po PDF-u. +PDF_USE_A=Generirajte PDF dokumente s formatom PDF/A umjesto zadanog formata PDF FafaIconSocialNetworksDesc=Ovdje unesite kod ikone FontAwesome. Ako ne znate što je FontAwesome, možete koristiti generičku vrijednost fa-address-book. RssNote=Napomena: Svaka definicija RSS feeda pruža widget koji morate omogućiti da bi bio dostupan na nadzornoj ploči JumpToBoxes=Skočite na Postavljanje -> Widgeti -MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" -MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values. +MeasuringUnitTypeDesc=Ovdje koristite vrijednost kao što je "veličina", "površina", "volumen", "težina", "vrijeme" +MeasuringScaleDesc=Ljestvica je broj mjesta za koja morate pomaknuti decimalni dio kako bi odgovarao zadanoj referentnoj jedinici. Za vrstu jedinice "vrijeme", to je broj sekundi. Vrijednosti između 80 i 99 su rezervirane vrijednosti. TemplateAdded=Predložak dodan TemplateUpdated=Predložak ažuriran TemplateDeleted=Predložak obrisan @@ -2254,22 +2269,22 @@ YouMayFindSecurityAdviceHere=Ovdje možete pronaći sigurnosne savjete ModuleActivatedMayExposeInformation=Ovo PHP proširenje može otkriti osjetljive podatke. Ako vam ne treba, isključite ga. ModuleActivatedDoNotUseInProduction=Omogućen je modul dizajniran za razvoj. Nemojte ga omogućiti u proizvodnom okruženju. CombinationsSeparator=Znak za razdvajanje za kombinacije proizvoda -SeeLinkToOnlineDocumentation=Pogledajte vezu na online dokumentaciju na gornjem izborniku za primjere +SeeLinkToOnlineDocumentation=Za primjere pogledajte poveznicu na mrežnu dokumentaciju na gornjem izborniku SHOW_SUBPRODUCT_REF_IN_PDF=Ako se koristi značajka "%s" modula %s , prikaži detalje o podproizvodima kompleta u PDF-u. AskThisIDToYourBank=Obratite se svojoj banci da dobijete ovaj ID -AdvancedModeOnly=Dopuštenje je dostupno samo u načinu naprednog dopuštenja +AdvancedModeOnly=Dopuštenje je dostupno samo u naprednom načinu rada ConfFileIsReadableOrWritableByAnyUsers=Datoteku conf može čitati ili pisati bilo koji korisnik. Dajte dopuštenje samo korisniku i grupi web poslužitelja. MailToSendEventOrganization=Organizacija događaja MailToPartnership=Partnerstvo AGENDA_EVENT_DEFAULT_STATUS=Zadani status događaja prilikom kreiranja događaja iz obrasca YouShouldDisablePHPFunctions=Trebali biste onemogućiti PHP funkcije -IfCLINotRequiredYouShouldDisablePHPFunctions=Osim ako trebate pokrenuti naredbe sustava u prilagođenom kodu, trebali biste onemogućiti PHP funkcije -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions +IfCLINotRequiredYouShouldDisablePHPFunctions=Osim ako ne trebate pokretati sistemske naredbe u prilagođenom kodu, trebali biste onemogućiti PHP funkcije +PHPFunctionsRequiredForCLI=U svrhu ljuske (poput planiranog sigurnosnog kopiranja ili pokretanja antivirusnog programa), morate zadržati PHP funkcije NoWritableFilesFoundIntoRootDir=U vašem korijenskom direktoriju nisu pronađene datoteke za pisanje ili direktoriji uobičajenih programa (Dobro) RecommendedValueIs=Preporučeno: %s Recommended=Preporučeno NotRecommended=Nije preporučeno -ARestrictedPath=Some restricted path for data files +ARestrictedPath=Neki ograničeni put za podatkovne datoteke CheckForModuleUpdate=Provjerite ima li ažuriranja vanjskih modula CheckForModuleUpdateHelp=Ova će se radnja povezati s urednicima vanjskih modula kako bi provjerili je li dostupna nova verzija. ModuleUpdateAvailable=Dostupno je ažuriranje @@ -2277,19 +2292,19 @@ NoExternalModuleWithUpdate=Nisu pronađena ažuriranja za vanjske module SwaggerDescriptionFile=Datoteka opisa Swagger API-ja (za korištenje s redoc, na primjer) YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=Omogućili ste zastarjeli WS API. Umjesto toga trebali biste koristiti REST API. RandomlySelectedIfSeveral=Nasumično odaberi ako je dostupno nekoliko slika -SalesRepresentativeInfo=For Proposals, Orders, Invoices. +SalesRepresentativeInfo=Za ponude, narudžbe, fakture. DatabasePasswordObfuscated=Lozinka baze podataka je prikrivena u conf datoteci DatabasePasswordNotObfuscated=Lozinka baze podataka NIJE prikrivena u conf datoteci APIsAreNotEnabled=API moduli nisu omogućeni YouShouldSetThisToOff=Trebali biste ovo postaviti na 0 ili isključeno InstallAndUpgradeLockedBy=Instalacije i nadogradnja su zaključani datotekom %s -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. +InstallLockedBy=Instalacija/ponovna instalacija je zaključana datotekom %s +InstallOfAddonIsNotBlocked=Instalacije dodataka nisu zaključane. izradi datoteku installmodules.lock u direktorij %s za blokiranje instalacija vanjskih dodataka/modula. OldImplementation=Stara implementacija PDF_SHOW_LINK_TO_ONLINE_PAYMENT=Ako su neki moduli za online plaćanje omogućeni (Paypal, Stripe, ...), dodajte poveznicu u PDF da biste izvršili online plaćanje -DashboardDisableGlobal=Disable globally all the thumbs of open objects -BoxstatsDisableGlobal=Disable totally box statistics -DashboardDisableBlocks=Thumbs of open objects (to process or late) on main dashboard +DashboardDisableGlobal=Onemogući globalno sve palčeve otvorenih objekata +BoxstatsDisableGlobal=Onemogući potpuno statistiku okvira +DashboardDisableBlocks=Palci otvorenih objekata (za obradu ili kasno) na glavnoj nadzornoj ploči DashboardDisableBlockAgenda=Onemogućite palac za dnevni red DashboardDisableBlockProject=Onemogućite palac za projekte DashboardDisableBlockCustomer=Onemogućite palac za kupce @@ -2319,90 +2334,109 @@ LateWarningAfter="Kasno" upozorenje nakon TemplateforBusinessCards=Predložak za posjetnicu u različitim veličinama InventorySetup= Postavljanje zaliha ExportUseLowMemoryMode=Koristite način rada s malo memorije -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. +ExportUseLowMemoryModeHelp=Koristite način rada s malo memorije za generiranje dump datoteke (kompresija se vrši kroz cjevovod umjesto u PHP memoriju). Ova metoda ne dopušta Provjeri da je datoteka dovršena i poruka o pogrešci ne može se prijaviti ako ne uspije. Upotrijebite ga ako imate pogreške s nedostatkom memorije. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL -WebhookSetup = Webhook setup +ModuleWebhookDesc = Sučelje za hvatanje dolibarr okidača i šalje podatke događaja na URL +WebhookSetup = Postavljanje Webhooka Settings = Postavke -WebhookSetupPage = Webhook setup page -ShowQuickAddLink=Show a button to quickly add an element in top right menu +WebhookSetupPage = Stranica za postavljanje web-dojavnika +ShowQuickAddLink=Prikaži gumb za brzo dodavanje elementa u gornjem desnom izborniku +ShowSearchAreaInTopMenu=Prikaži područje pretraživanja u gornjem izborniku +HashForPing=Hash koji se koristi za ping +ReadOnlyMode=Je li instanca u načinu rada "Samo za čitanje". +DEBUGBAR_USE_LOG_FILE=Upotrijebite datoteku dolibarr.log za hvatanje zapisa +UsingLogFileShowAllRecordOfSubrequestButIsSlower=Koristite datoteku dolibarr.log za hvatanje logova umjesto hvatanja memorije uživo. Omogućuje hvatanje svih zapisa umjesto samo dnevnika trenutnog procesa (uključujući i onu od stranica s podzahtjevima ajaxa), ali će vašu instancu učiniti vrlo vrlo sporom. Ne preporučuje se. +FixedOrPercent=Fiksno (upotrijebite ključnu riječ 'fiksno') ili postotak (upotrijebite ključnu riječ 'postotak') +DefaultOpportunityStatus=Zadani status prilike (prvi status kada se stvori potencijalni kupac) -HashForPing=Hash used for ping -ReadOnlyMode=Is instance in "Read Only" mode -DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs -UsingLogFileShowAllRecordOfSubrequestButIsSlower=Use the dolibarr.log file to trap Logs instead of live memory catching. It allows to catch all logs instead of only log of current process (so including the one of ajax subrequests pages) but will make your instance very very slow. Not recommended. -FixedOrPercent=Fixed (use keyword 'fixed') or percent (use keyword 'percent') -DefaultOpportunityStatus=Default opportunity status (first status when lead is created) - -IconAndText=Icon and text -TextOnly=Text only -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon -IconOnly=Icon only - Text on tooltip only -INVOICE_ADD_ZATCA_QR_CODE=Show the ZATCA QR code on invoices -INVOICE_ADD_ZATCA_QR_CODEMore=Some Arabic countries need this QR Code on their invoices -INVOICE_ADD_SWISS_QR_CODE=Show the swiss QR-Bill code on invoices -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. -INVOICE_SHOW_SHIPPING_ADDRESS=Show shipping address -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) -UrlSocialNetworksDesc=Url link of social network. Use {socialid} for the variable part that contains the social network ID. -IfThisCategoryIsChildOfAnother=If this category is a child of another one -DarkThemeMode=Dark theme mode -AlwaysDisabled=Always disabled -AccordingToBrowser=According to browser -AlwaysEnabled=Always Enabled -DoesNotWorkWithAllThemes=Will not work with all themes -NoName=No name -ShowAdvancedOptions= Show advanced options -HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service -DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method -UsePassword=Use a password -UseOauth=Use a OAUTH token -Images=Images -MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -ScriptIsEmpty=The script is empty -ShowHideTheNRequests=Show/hide the %s SQL request(s) -DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s -TriggerCodes=Triggerable events -TriggerCodeInfo=Enter here the trigger code(s) that must generate a post of a web request (only external URL are allowed). You can enter several trigger codes separated by a comma. -EditableWhenDraftOnly=If unchecked, the value can only be modified when object has a draft status -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" -RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents for receptions -MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions -WarningDisabled=Warning disabled -LimitsAndMitigation=Access limits and mitigation -DesktopsOnly=Desktops only -DesktopsAndSmartphones=Desktops et smartphones -AllowOnlineSign=Allow online signing -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. -CSSPage=CSS Style +IconAndText=Tekst ikone i +TextOnly=Samo tekst +IconOnlyAllTextsOnHover=Samo ikona - Svi tekstovi se pojavljuju ispod ikone na pokazivaču miša preko trake izbornika +IconOnlyTextOnHover=Samo ikona - tekst ikone pojavljuje se ispod ikone kada mišem prijeđete preko ikone +IconOnly=Samo ikona - samo tekst na opisu alata +INVOICE_ADD_ZATCA_QR_CODE=Prikaži ZATCA QR kod na fakturama +INVOICE_ADD_ZATCA_QR_CODEMore=Neke arapske zemlje trebaju ovaj QR kod na svojim fakturama +INVOICE_ADD_SWISS_QR_CODE=Pokažite švicarski QR-Bill kod na fakturama +INVOICE_ADD_SWISS_QR_CODEMore=Švicarski standard za fakture; provjerite jesu li poštanski broj i grad ispunjeni i da računi imaju važeće švicarske/lihtenštajnske IBAN-ove. +INVOICE_SHOW_SHIPPING_ADDRESS=Prikaži adresu za dostavu +INVOICE_SHOW_SHIPPING_ADDRESSMore=Obavezna indikacija u nekim zemljama (Francuska, ...) +UrlSocialNetworksDesc=Url poveznica društvene mreže. Koristite {socialid} za varijabilni dio koji sadrži ID društvene mreže. +IfThisCategoryIsChildOfAnother=Ako je ova kategorija dijete druge +DarkThemeMode=Način tamne teme +AlwaysDisabled=Uvijek onemogućen +AccordingToBrowser=Prema pregledniku +AlwaysEnabled=Uvijek omogućeno +DoesNotWorkWithAllThemes=Neće raditi sa svim temama +NoName=Bez imena +ShowAdvancedOptions= Prikaži napredne opcije +HideAdvancedoptions= Sakrij napredne opcije +CIDLookupURL=Modul donosi URL koji može koristiti vanjski alat za dobivanje imena treće strane ili kontakta s njenog telefonskog broja. URL za korištenje je: +OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 Ovjera vjerodostojnosti nije dostupan za sve hostove, i token s pravim dopuštenjima mora biti stvoren uzvodno s OAUTH modulom +MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 Ovjera vjerodostojnosti usluga +DontForgetCreateTokenOauthMod=Oznaka s pravim dopuštenjima mora biti stvorena uzvodno s OAUTH modulom +MAIN_MAIL_SMTPS_AUTH_TYPE=Ovjera vjerodostojnosti metoda +UsePassword=Koristite lozinku +UseOauth=Koristite OAUTH token +Images=Slike +MaxNumberOfImagesInGetPost=Najveći dopušteni broj slika u HTML polju dostavljenom u obrascu +MaxNumberOfPostOnPublicPagesByIP=Maksimalni broj postova na javnim stranicama s istom IP adresom u mjesecu +CIDLookupURL=Modul donosi URL koji može koristiti vanjski alat za dobivanje imena treće strane ili kontakta s njenog telefonskog broja. URL za korištenje je: +ScriptIsEmpty=Skripta je prazna +ShowHideTheNRequests=Prikaži/sakrij %s SQL zahtjev(e) +DefinedAPathForAntivirusCommandIntoSetup=Definirajte put za antivirusni program u %s +TriggerCodes=Događaji koji se mogu pokrenuti +TriggerCodeInfo=Ovdje unesite kod(ove) okidača koji moraju generirati objavu web zahtjeva (dopušten je samo vanjski URL). Možete unijeti nekoliko kodova okidača odvojenih zarezom. +EditableWhenDraftOnly=Ako nije označeno, vrijednost se može mijenjati samo kada objekt ima status nacrta +CssOnEdit=CSS na stranicama za uređivanje +CssOnView=CSS na stranicama za prikaz +CssOnList=CSS na listama +HelpCssOnEditDesc=CSS korišten prilikom uređivanja polja.
      Primjer: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=CSS koji se koristi pri pregledu polja. +HelpCssOnListDesc=CSS koji se koristi kada je polje unutar tablice popisa.
      Primjer: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=Sakrijte naručenu količinu na generiranim dokumentima za prijeme +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Pokažite cijenu na generiranim dokumentima za prijeme +WarningDisabled=Upozorenje onemogućeno +LimitsAndMitigation=Ublažavanje ograničenja pristupa i +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. +DesktopsOnly=Samo stolna računala +DesktopsAndSmartphones=Stolna računala i pametni telefoni +AllowOnlineSign=Dopusti online potpisivanje +AllowExternalDownload=Dopusti vanjsko preuzimanje (bez prijave, korištenjem dijeljene veze) +DeadlineDayVATSubmission=Dan roka za predaju PDV-a sljedeći mjesec +MaxNumberOfAttachementOnForms=Maksimalni broj spojenih datoteka u obrascu +IfDefinedUseAValueBeetween=Ako je definirano, upotrijebite vrijednost između %s i %s +Reload=Ponovno učitati +ConfirmReload=Potvrdite ponovno učitavanje modula +WarningModuleHasChangedLastVersionCheckParameter=Upozorenje: modul %s postavio je parametar na Provjeri svoju verziju pri svakom pristupu stranici. Ovo je loša i nedopuštena praksa koja može učiniti stranicu za administriranje modula nestabilnom. Molimo kontaktirajte autora modula da to popravite. +WarningModuleHasChangedSecurityCsrfParameter=Upozorenje: modul %s onemogućio je CSRF sigurnost vaše instance. Ova radnja je sumnja da i vaša instalacija možda više nije sigurna. Za objašnjenje se obratite autoru modula. +EMailsInGoingDesc=Dolaznom e-poštom upravlja modul %s. Morate omogućiti i konfigurirati ako trebate podršku za dolazne e-poruke. +MAIN_IMAP_USE_PHPIMAP=Koristite PHP-IMAP biblioteku za IMAP umjesto izvornog PHP IMAP-a. Ovo također dopušta korištenje OAuth2 veze za IMAP (modul OAuth također mora biti aktiviran). +MAIN_CHECKBOX_LEFT_COLUMN=Prikaži stupac za odabir reda i polja s lijeve strane (prema zadanim postavkama s desne strane) +NotAvailableByDefaultEnabledOnModuleActivation=Nije izrađeno prema zadanim postavkama. Kreirano samo pri aktivaciji modula. +CSSPage=CSS stil Defaultfortype=Zadano -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +DefaultForTypeDesc=Predložak koji se koristi prema zadanim postavkama prilikom izrade novog e-pošta za vrstu predloška +OptionXShouldBeEnabledInModuleY=Opcija "%s" treba biti omogućena u modulu %s +OptionXIsCorrectlyEnabledInModuleY=Opcija "%s" omogućena je u modulu %s +AllowOnLineSign=Dopusti on-line potpis +AtBottomOfPage=Na dnu stranice +FailedAuth=neuspjele provjere autentičnosti +MaxNumberOfFailedAuth=Maksimalni broj neuspjelih Ovjera vjerodostojnosti u 24h za odbijanje prijave. +AllowPasswordResetBySendingANewPassByEmail=Ako korisnik A ima ovu dozvolu, i čak i ako korisnik A nije "admin" korisnik, A smije poništiti lozinku bilo kojeg drugog korisnika B, novu lozinku poslat će se e-pošta drugog korisnika B, ali neće biti vidljiv A. Ako korisnik A ima oznaku "admin", također će moći znati koja je nova generirana lozinka B-a kako bi on mogao preuzeti kontrolu nad korisničkim računom B. +AllowAnyPrivileges=Ako korisnik A ima ovo dopuštenje, on može izradi korisnika B sa svim privilegijama zatim koristiti ovog korisnika B ili sebi dodijeliti bilo koju drugu grupu s bilo kojim dopuštenjem. Dakle, to znači da korisnik A posjeduje sve poslovne privilegije (bit će zabranjen samo pristup sustava stranicama za postavljanje) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Ova se vrijednost može pročitati jer vaša instanca nije postavljena u proizvodnom načinu rada +SeeConfFile=Pogledajte unutar datoteke conf.php na poslužitelju +ReEncryptDesc=Ponovno šifrirajte podatke ako još nisu šifrirani +PasswordFieldEncrypted=%s novi zapis je li ovo polje šifrirano +ExtrafieldsDeleted=Dodatna polja %s su izbrisana +LargeModern=Velika - moderna +SpecialCharActivation=Omogućite gumb za otvaranje virtualne tipkovnice za unos posebnih znakova +DeleteExtrafield=Izbriši dodatno polje +ConfirmDeleteExtrafield=Potvrđujete li brisanje polja %s? Svi podaci spremljeni u ovo polje bit će definitivno izbrisani +ExtraFieldsSupplierInvoicesRec=Komplementarni atributi (predlošci računa) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parametri za testnu okolinu +TryToKeepOnly=Pokušajte zadržati samo %s +RecommendedForProduction=Preporučeno za proizvodnju +RecommendedForDebug=Preporučeno za otklanjanje pogrešaka diff --git a/htdocs/langs/hr_HR/bills.lang b/htdocs/langs/hr_HR/bills.lang index c2ad588d3a2..c0d80b2a03b 100644 --- a/htdocs/langs/hr_HR/bills.lang +++ b/htdocs/langs/hr_HR/bills.lang @@ -13,7 +13,7 @@ BillsStatistics=Statistika izlaznih računa BillsStatisticsSuppliers=Statistika ulaznih računa DisabledBecauseDispatchedInBookkeeping=Nije moguće provesti jer je račun poslan u knjigovodstvo DisabledBecauseNotLastInvoice=Nije moguće provesti jer se račun ne može izbrisati. U međuvremenu su ispostavljeni novi računi i tako bi neki brojevi ostali preskočeni. -DisabledBecauseNotLastSituationInvoice=Disabled because invoice is not erasable. This invoice is not the last one in situation invoice cycle. +DisabledBecauseNotLastSituationInvoice=Onemogućeno jer se faktura ne može izbrisati. Ova faktura nije posljednja u Račun etape ciklusu. DisabledBecauseNotErasable=Nije moguće provesti jer ne može biti obrisano InvoiceStandard=Običan račun InvoiceStandardAsk=Običan račun @@ -26,7 +26,7 @@ InvoiceProForma=Predračun InvoiceProFormaAsk=Predračun InvoiceProFormaDesc= Predračun je kopija pravog računa, ali nema knjigovodstvenu vrijednost. InvoiceReplacement=Zamjenski račun -InvoiceReplacementShort=Replacement +InvoiceReplacementShort=Zamjena InvoiceReplacementAsk=Zamjenski račun za račun InvoiceReplacementDesc= Zamjenski račun koristi se za potpunu zamjenu fakture bez već primljenog plaćanja.

      Napomena: mogu se zamijeniti samo fakture na kojima nema plaćanja. Ako faktura koju zamjenjujete još nije zatvorena, automatski će biti zatvorena u 'napuštena'. InvoiceAvoir=Storno računa @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Napravi DisabledBecauseRemainderToPayIsZero=Isključeno jer preostalo dugovanje je nula. PriceBase=Osnovna cijena BillStatus=Stanje računa -StatusOfGeneratedInvoices=Status generiranih računa +StatusOfAutoGeneratedInvoices=Status automatski generiranih računa BillStatusDraft=Skica (potrebno potvrditi) BillStatusPaid=Plaćeno BillStatusPaidBackOrConverted=Povrat kredita ili označen kao kredit dostupan @@ -162,12 +162,12 @@ ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Ovaj ili drugi d ErrorInvoiceIsNotLastOfSameType=Pogreška: Datum fakture %s je %s. Mora biti zadnji ili jednak posljednjem datumu za iste vrste faktura (%s). Molimo promijenite datum fakture. BillFrom=Od BillTo=Za -ShippingTo=Shipping to +ShippingTo=Dostava do ActionsOnBill=Radnje na računu -ActionsOnBillRec=Actions on recurring invoice +ActionsOnBillRec=Radnje na ponavljajućoj fakturi RecurringInvoiceTemplate=Predložak/ponavljajući račun NoQualifiedRecurringInvoiceTemplateFound=Ne postoji predložak pretplatničkog računa za genereiranje. -FoundXQualifiedRecurringInvoiceTemplate=Pronađeno %s predložaka pretplatničkih računa za generiranje. +FoundXQualifiedRecurringInvoiceTemplate=%s ponavljajući predložak fakture kvalificiran za generiranje. NotARecurringInvoiceTemplate=Ne postoji predložak za pretplatnički račun NewBill=Novi račun LastBills=Zadnjih %s računa @@ -184,8 +184,8 @@ CustomersDraftInvoices=Skice izlaznih računa SuppliersDraftInvoices=Skice ulaznih računa Unpaid=Neplaćeno ErrorNoPaymentDefined=Pogreška Plaćanje nije definirano -ConfirmDeleteBill=Jeste li sigurni da želite izbrisati ovu fakturu? -ConfirmValidateBill=Jeste li sigurni da želite potvrditi ovu fakturu s referencom %s ? +ConfirmDeleteBill=Jeste li sigurni da želite izbrisati ovaj račun? +ConfirmValidateBill=Jeste li sigurni da želite za potvrdu ove fakture s referencom %s? ConfirmUnvalidateBill=Jeste li sigurni da želite račun %s promijeniti u skicu? ConfirmClassifyPaidBill=Jeste li sigurni da želite račun %s označiti kao plaćen? ConfirmCancelBill=Jeste li sigurni da želite poništiti račun %s? @@ -197,9 +197,9 @@ ConfirmClassifyPaidPartiallyReasonDiscount=Preostalo neplaćeno (%s %s) ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Preostali neplaćeni (%s %s) je garantirani popust zato što je plaćanje izvršeno prije valute plaćanja. Prihvaćam gubitak iznos PDV-a na ovom popustu. ConfirmClassifyPaidPartiallyReasonDiscountVat=Preostali neplaćeni (%s %s) je garantirani popust zato što je plaćanje izvršeno prije valute plaćanja. Potražujem povrat poreza na popustu bez odobrenja. ConfirmClassifyPaidPartiallyReasonBadCustomer=Loš kupac -ConfirmClassifyPaidPartiallyReasonBadSupplier=Bad vendor -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) -ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax +ConfirmClassifyPaidPartiallyReasonBadSupplier=Loš prodavač +ConfirmClassifyPaidPartiallyReasonBankCharge=Odbitak banke (naknada posredničke banke) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=Porez po odbitku ConfirmClassifyPaidPartiallyReasonProductReturned=Proizvod djelomično vraćen ConfirmClassifyPaidPartiallyReasonOther=Iznos otpisan iz drugih razloga ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=Ovaj je izbor moguć ako je vaša faktura dostavljena s odgovarajućim komentarima. (Primjer «Samo porez koji odgovara stvarno plaćenoj cijeni daje pravo na odbitak») @@ -208,28 +208,28 @@ ConfirmClassifyPaidPartiallyReasonAvoirDesc=Koristi ovaj izbor ako ni jedan drug ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=Loš kupac je kupac koji odbija platit svoj dug. ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Ovaj izbor se koristi kada plaćanje nije kompletno zato jer je neki od proizvoda vraćen. ConfirmClassifyPaidPartiallyReasonBankChargeDesc=Neplaćeni iznos je posredničke bankovne naknade , koji se odbija izravno od ispravnog iznosa koji je platio Kupac. -ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=Neplaćeni iznos nikada neće biti plaćen jer je to porez po odbitku ConfirmClassifyPaidPartiallyReasonOtherDesc=Koristite ovaj izbor ako svi ostali nisu prikladni, na primjer u sljedećoj situaciji:
      - plaćanje nije dovršeno jer su neki proizvodi vraćeni
      - traženi iznos je previše važan jer je popust zaboravljen
      U svim slučajevima potrebno je ispraviti prekomjerno traženi iznos u računovodstvenom sustavu kreiranjem kreditnog zapisa. -ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=A bad supplier is a supplier we refuse to pay. +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=loš dobavljač je dobavljač kojeg odbijamo platiti. ConfirmClassifyAbandonReasonOther=Drugo ConfirmClassifyAbandonReasonOtherDesc=Ovaj izbor će biti korišten u svim ostalim slućajevima. Na primjer zato jer planirate kreirati zamjenski račun. ConfirmCustomerPayment=Imate li potvrdu ove unesene uplate %s %s ? ConfirmSupplierPayment=Imate li potvrdu ove unesene uplate %s %s ? ConfirmValidatePayment=Jeste li sigurni da želite potvrditi plaćanje ? Nakon toga ne možete napraviti nikakvu promjenu. ValidateBill=Ovjeri račun -UnvalidateBill=Neovjeren račun +UnvalidateBill=Nevažeći račun NumberOfBills=Broj računa NumberOfBillsByMonth=Broj računa po mjesecu AmountOfBills=Broj računa AmountOfBillsHT=Iznos faktura (bez poreza) AmountOfBillsByMonthHT=Iznos računa po mjesecu (bez PDV-a) -UseSituationInvoices=Allow situation invoice -UseSituationInvoicesCreditNote=Allow situation invoice credit note +UseSituationInvoices=Dopusti Račun etape +UseSituationInvoicesCreditNote=Dopusti Račun etape bilješku o kreditu Retainedwarranty=Zadržano jamstvo AllowedInvoiceForRetainedWarranty=Zadržano jamstvo koje se može koristiti za sljedeće vrste računa RetainedwarrantyDefaultPercent=Zadržani postotak jamstva -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation +RetainedwarrantyOnlyForSituation=Učini "zadržano jamstvo" dostupnim samo za etapa fakture +RetainedwarrantyOnlyForSituationFinal=Na etapa fakturama globalni odbitak "zadržanog jamstva" primjenjuje se samo na konačni etapa ToPayOn=Za plaćanje na %s toPayOn=platiti na %s RetainedWarranty=Zadržano jamstvo @@ -239,7 +239,7 @@ setPaymentConditionsShortRetainedWarranty=Postavite uvjete plaćanja zadržanog setretainedwarranty=Postavljeno zadržano jamstvo setretainedwarrantyDateLimit=Postavite ograničenje roka zadržavanja jamstva RetainedWarrantyDateLimit=Ograničenje roka zadržavanja jamstva -RetainedWarrantyNeed100Percent=The situation invoice need to be at 100%% progress to be displayed on PDF +RetainedWarrantyNeed100Percent=Račun etape mora biti na 100%% napretka da bi se prikazao u PDF-u AlreadyPaid=Plaćeno do sada AlreadyPaidBack=Povrati do sada AlreadyPaidNoCreditNotesNoDeposits=Uplaćeni iznos (bez knjižnih odobrenja i predujmova) @@ -250,14 +250,15 @@ RemainderToTake=Preostali iznos za primiti RemainderToTakeMulticurrency=Preostali iznos za preuzimanje, izvorna valuta RemainderToPayBack=Preostali iznos za povrat RemainderToPayBackMulticurrency=Preostali iznos za povrat, izvorna valuta -NegativeIfExcessRefunded=negative if excess refunded +NegativeIfExcessReceived=negativan ako je primljen višak +NegativeIfExcessRefunded=negativan ako se višak vrati +NegativeIfExcessPaid=negativan ako je više plaćeno Rest=Preostali iznos AmountExpected=Utvrđen iznos ExcessReceived=Previše primljeno -ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received -ExcessPaid=Excess paid -ExcessPaidMulticurrency=Excess paid, original currency +ExcessReceivedMulticurrency=Primljeni višak, originalna valuta +ExcessPaid=Višak plaćen +ExcessPaidMulticurrency=Višak plaćen, izvorna valuta EscompteOffered=Ponuđen je popust (za plaćanje prije dospijeća) EscompteOfferedShort=Rabat SendBillRef=Račun %s @@ -267,6 +268,8 @@ NoDraftBills=Nema skica računa NoOtherDraftBills=Nema ostalih skica računa NoDraftInvoices=Nema skica računa RefBill=Broj računa +RefSupplierBill=Supplier invoice ref +SupplierOrderCreateBill=Create invoice ToBill=Za naplatu RemainderToBill=Podsjetnik za naplatu SendBillByMail=Pošalji račun e-poštom @@ -290,7 +293,7 @@ SetRevenuStamp=Postavi prihodovnu markicu Billed=Zaračunato RecurringInvoices=Pretplatnički računi RecurringInvoice=Ponavljajuća faktura -RecurringInvoiceSource=Source recurring invoice +RecurringInvoiceSource=Izvorna ponavljajuća faktura RepeatableInvoice=Predložak računa RepeatableInvoices=Predlošci računa RecurringInvoicesJob=Generiranje ponavljajućih faktura (prodajnih faktura) @@ -328,13 +331,13 @@ Deposit=Predujam Deposits=Predujam DiscountFromCreditNote=Popust od storno računa %s DiscountFromDeposit=Predujmovi iz računa %s -DiscountFromExcessReceived=Payments in excess of invoice %s -DiscountFromExcessPaid=Payments in excess of invoice %s +DiscountFromExcessReceived=Uplate veće od fakture %s +DiscountFromExcessPaid=Uplate veće od fakture %s AbsoluteDiscountUse=Ovaj kredit se može koristit na računu prije ovjere -CreditNoteDepositUse=Invoice must be validated to use this kind of credits +CreditNoteDepositUse=Faktura mora biti potvrđena za korištenje ove vrste kredita NewGlobalDiscount=Novi apsolutni popust -NewSupplierGlobalDiscount=New absolute supplier discount -NewClientGlobalDiscount=New absolute client discount +NewSupplierGlobalDiscount=Novi apsolutni popust dobavljača +NewClientGlobalDiscount=Novi apsolutni popust za klijente NewRelativeDiscount=Novi relativni popust DiscountType=Vrsta popusta NoteReason=Bilješka/Razlog @@ -345,12 +348,13 @@ DiscountAlreadyCounted=Popusti ili krediti već uračunati CustomerDiscounts=Popusti za kupce SupplierDiscounts=Popusti dobavljača BillAddress=Adresa za naplatu -HelpEscompte=This discount is a discount granted to customer because payment was made before term. -HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loss. -HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by another for example) +HelpEscompte=Ovaj popust je popust koji se odobrava kupcu jer je plaćanje izvršeno prije roka. +HelpAbandonBadCustomer=Ovaj iznos je napušten (klijent je rekao da je loš kupac) i smatra se iznimnim gubitkom. +HelpAbandonOther=Ovaj je iznos napušten jer je bila pogreška (pogrešan kupac ili faktura zamijenjena drugom, na primjer) IdSocialContribution=ID plaćanja društvenog/fiskalnog poreza PaymentId=Oznaka plaćanja PaymentRef=Ref. plaćanja +SourceInvoiceId=Source invoice id InvoiceId=Oznaka računa InvoiceRef=Broj računa InvoiceDateCreation=Datum izrade računa @@ -358,16 +362,16 @@ InvoiceStatus=Stanje računa InvoiceNote=Bilješka računa InvoicePaid=Račun plaćen InvoicePaidCompletely=Plaćeno u potpunosti -InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. +InvoicePaidCompletelyHelp=Faktura koja je plaćena u cijelosti. Ovo isključuje fakture koje su djelomično plaćene. Da biste dobili popis svih 'Zatvorenih' ili ne'Zatvorenih' faktura, radije upotrijebite filtar za status fakture. OrderBilled=Narudžba naplaćena DonationPaid=Donacija plaćena PaymentNumber=Broj plaćanja RemoveDiscount=Ukloni popust WatermarkOnDraftBill=Vodeni žig na računu (ništa ako se ostavi prazno) InvoiceNotChecked=Račun nije izabran -ConfirmCloneInvoice=Are you sure you want to clone this invoice %s? +ConfirmCloneInvoice=Jeste li sigurni da želite za kloniranje ove fakture %s? DisabledBecauseReplacedInvoice=Radnja obustavljena jer je račun zamjenjen. -DescTaxAndDividendsArea=This area presents a summary of all payments made for special expenses. Only records with payments during the fixed year are included here. +DescTaxAndDividendsArea=Ovo područje predstavlja sažetak svih plaćanja za posebne troškove. Ovdje su uključeni samo zapisi s uplatama tijekom fiksne godine. NbOfPayments=Broj uplata SplitDiscount=Podijeli popust u dva ConfirmSplitDiscount=Jeste li sigurni da želite ovaj popust od %s %s podijeliti na dva manja popusta? @@ -379,19 +383,19 @@ RelatedBills=Povezani račun RelatedCustomerInvoices=Povezani izlazni računi RelatedSupplierInvoices=Povezani računi dobavljača LatestRelatedBill=Posljednju vezani računi -WarningBillExist=Upozorenje, jedna ili više faktura već postoje +WarningBillExist=Upozorenje, već postoji jedan ili više računa MergingPDFTool=Alat za spajanje PDF dokumenta AmountPaymentDistributedOnInvoice=Plaćeni iznos je prosljeđen po računu -PaymentOnDifferentThirdBills=Allow payments on different third parties bills but same parent company +PaymentOnDifferentThirdBills=Dopusti plaćanja na različite račune trećih strana, ali istog roditelja tvrtka PaymentNote=Obavijest plaćanja ListOfPreviousSituationInvoices=Popis prijašnjih računa etape ListOfNextSituationInvoices=Popis narednih računa etapa -ListOfSituationInvoices=List of situation invoices -CurrentSituationTotal=Total current situation -DisabledBecauseNotEnouthCreditNote=To remove a situation invoice from cycle, this invoice's credit note total must cover this invoice total +ListOfSituationInvoices=Popis etapa faktura +CurrentSituationTotal=Ukupno trenutno etapa +DisabledBecauseNotEnouthCreditNote=Da biste uklonili Račun etape iz ciklusa, ukupna vrijednost odobrenja ove fakture mora pokrivati ukupnu vrijednost ove fakture RemoveSituationFromCycle=Uklonite ovu fakturu iz ciklusa ConfirmRemoveSituationFromCycle=Ukloniti ovu fakturu %s iz ciklusa? -ConfirmOuting=Confirm outing +ConfirmOuting=Potvrdi izlazak FrequencyPer_d=Svakih %s dana FrequencyPer_m=Svakih %s mjeseci FrequencyPer_y=Svakih %s godina @@ -404,7 +408,7 @@ DateLastGenerationShort=Datum najnovije gen. MaxPeriodNumber=Maks. broj generiranja računa NbOfGenerationDone=Broj već generiranih računa NbOfGenerationOfRecordDone=Broj već generiranih zapisa -NbOfGenerationDoneShort=Number of generations done +NbOfGenerationDoneShort=Broj napravljenih generacija MaxGenerationReached=Dostignut je maksimalni broj generiranja InvoiceAutoValidate=Automatska ovjera računa GeneratedFromRecurringInvoice=Pretplatnički račun generiran iz predloška %s @@ -441,24 +445,24 @@ PaymentConditionShort14D=14 dana PaymentCondition14D=14 dana PaymentConditionShort14DENDMONTH=14 dana od kraja mjeseca PaymentCondition14DENDMONTH=U roku od 14 dana nakon kraja mjeseca -PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit -PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit, remainder on delivery -FixAmount=Fixed amount - 1 line with label '%s' +PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% depozit +PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% depozit, ostatak pri isporuci +FixAmount=Fiksni iznos - 1 redak s Oznaka '%s' VarAmount=Iznos u postotku (%% od ukupno) VarAmountOneLine=Iznos u postotku (%% ukupno) - jedan redak s oznakom '%s' -VarAmountAllLines=Variable amount (%% tot.) - all lines from origin -DepositPercent=Deposit %% -DepositGenerationPermittedByThePaymentTermsSelected=This is permitted by the payment terms selected -GenerateDeposit=Generate a %s%% deposit invoice -ValidateGeneratedDeposit=Validate the generated deposit -DepositGenerated=Deposit generated -ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=You can only automatically generate a deposit from a proposal or an order -ErrorPaymentConditionsNotEligibleToDepositCreation=The chose payment conditions are not eligible for automatic deposit generation +VarAmountAllLines=Varijabilni iznos (%% tot.) - sve linije iz izvora +DepositPercent=Depozit %% +DepositGenerationPermittedByThePaymentTermsSelected=To dopuštaju odabrani uvjeti plaćanja +GenerateDeposit=Generiraj %s%% fakturu za depozit +ValidateGeneratedDeposit=Potvrdite generirani depozit +DepositGenerated=Depozit je generiran +ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=Polog možete automatski generirati samo iz prijedloga ili naloga +ErrorPaymentConditionsNotEligibleToDepositCreation=Odabrani uvjeti plaćanja ne ispunjavaju uvjete za automatsko generiranje depozita # PaymentType PaymentTypeVIR=Bankovni prijenos PaymentTypeShortVIR=Bankovni prijenos PaymentTypePRE=Bezgotovinski bankovni prijenos -PaymentTypePREdetails=(on account %s...) +PaymentTypePREdetails=(na računu %s...) PaymentTypeShortPRE=Isplata PaymentTypeLIQ=Gotovina PaymentTypeShortLIQ=Gotovina @@ -478,7 +482,7 @@ PaymentTypeDC=Debitna/kreditna kartica PaymentTypePP=PayPal BankDetails=Bankovni podaci BankCode=Oznaka Banke -DeskCode=Branch code +DeskCode=Šifra podružnice BankAccountNumber=IBAN BankAccountNumberKey=Kontrolni zbroj Residence=Adresa @@ -501,13 +505,13 @@ PhoneNumber=Tel FullPhoneNumber=Telefon TeleFax=Fax PrettyLittleSentence=Prihvati iznos dospjelih plaćanja čekovima izdanih u moje ime kao Član računovodstvene udruge odobrenih od Porezne uprave -IntracommunityVATNumber=Intra-Community VAT ID -PaymentByChequeOrderedTo=Check payments (including tax) are payable to %s, send to -PaymentByChequeOrderedToShort=Check payments (incl. tax) are payable to +IntracommunityVATNumber=PDV ID unutar zajednice +PaymentByChequeOrderedTo=Provjeri uplate (uključujući porez) plaćaju se na %s, pošaljite na +PaymentByChequeOrderedToShort=Provjeri plaćanja (uključujući porez) se plaćaju na SendTo=Pošalji PaymentByTransferOnThisBankAccount=Plaćanje na sljedeći bankovni račun VATIsNotUsedForInvoice=Ne primjenjivo VAT čl.-293B CGI-a -VATIsNotUsedForInvoiceAsso=* Non applicable VAT art-261-7 of CGI +VATIsNotUsedForInvoiceAsso=* Neprimjenjivi PDV art-261-7 CGI LawApplicationPart1=Po primjeni zakona 80.335 od 12.05.80 LawApplicationPart2=Roba ostaje vlasništvo LawApplicationPart3=prodavača sve do izvršenja cjelokupnog plaćanja @@ -517,14 +521,14 @@ UseLine=Primjeni UseDiscount=Iskoriti popust UseCredit=Koristite kredit UseCreditNoteInInvoicePayment=Smanji iznos za plaćanje s ovim kreditom -MenuChequeDeposits=Deposits slips +MenuChequeDeposits=Depozitni listići MenuCheques=Čekovi -MenuChequesReceipts=Deposit slips -NewChequeDeposit=New deposit slip -ChequesReceipts=Cheque deposit slips -DocumentsDepositArea=Deposit slip area -ChequesArea=Deposit slips area -ChequeDeposits=Deposit slips +MenuChequesReceipts=Potvrde o depozitu +NewChequeDeposit=Nova uplatnica +ChequesReceipts=Provjerite potvrde o uplati +DocumentsDepositArea=Područje depozita +ChequesArea=Područje depozitnih listića +ChequeDeposits=Potvrde o depozitu Cheques=Čekovi DepositId=ID depozita NbCheque=Broj čekova @@ -558,13 +562,13 @@ RevenueStamp=Prihodovna markica YouMustCreateInvoiceFromThird=Ova opcija je dostupna samo kod kreiranja računa s tab-a "kupac" kod treće stranke YouMustCreateInvoiceFromSupplierThird=Ova opcija jedino je moguća kada izrađujete račun iz kartice "dobavljači" trećih osoba YouMustCreateStandardInvoiceFirstDesc=Kako biste izradili novi predložak računa morate prvo izraditi običan račun i onda ga promijeniti u "predložak" -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) -PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template +PDFCrabeDescription=PDF predložak računa Crabe. Kompletan predložak fakture (stara implementacija predloška Sponge) +PDFSpongeDescription=PDF predložak fakture Sponge. Kompletan predložak fakture PDFCrevetteDescription=PDF račun prema Crevette predlošku. Kompletan predložak računa za etape -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=Povratni broj u formatu %syymm-nnnn za standardne fakture i %s yymm-nnnn za knjižna odobrenja gdje je yy godina, mm mjesec i nnnn je sekvencijalni automatski povećavajući broj bez prekida i nema povratka na 0 +MarsNumRefModelDesc1=Povratni broj u formatu %syymm-nnnn za standardne fakture, %syymm-nnnn za zamjenske fakture, %syymm-nnnn za fakture s predujmom i %syymm-nnnn za knjižna odobrenja gdje je yy godina, mm je mjesec i nnnn je sekvencijalni broj koji se automatski povećava bez prekida i nema povratka na 0 TerreNumRefModelError=Račun koji počinje s $syymm već postoji i nije kompatibilan s ovim modelom označivanja. Maknite ili promjenite kako biste aktivirali ovaj modul. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +CactusNumRefModelDesc1=Broj povrata u formatu %syymm-nnnn za standardne fakture, %syymm-nnnn za knjižna odobrenja i %syymm-nnnn za fakture s predujmom gdje je yy godina, mm mjesec i nnnn je sekvencijalni automatski povećavajući broj bez prekida i bez povratka na 0 EarlyClosingReason=Razlog za rano zatvaranje EarlyClosingComment=Rano zatvaranje ##### Types de contacts ##### @@ -587,8 +591,8 @@ SituationAmount=Iznos računa etape (net) SituationDeduction=Oduzimanje po etapama ModifyAllLines=Izmjeni sve stavke CreateNextSituationInvoice=Izradi sljedeću etapu -ErrorFindNextSituationInvoice=Error unable to find next situation cycle ref -ErrorOutingSituationInvoiceOnUpdate=Unable to outing this situation invoice. +ErrorFindNextSituationInvoice=Pogreška nije moguće pronaći sljedeći etapa ref. +ErrorOutingSituationInvoiceOnUpdate=Nije moguće izvesti ovaj Račun etape. ErrorOutingSituationInvoiceCreditNote=Nije moguće poslati povezano knjižno odobrenje. NotLastInCycle=Ovaj račun nije posljednji u ciklusu i ne smije se mijenjati DisabledBecauseNotLastInCycle=Sljedeća etapa već postoji @@ -627,17 +631,22 @@ UnitPriceXQtyLessDiscount=Jedinična cijena x količina - Popust CustomersInvoicesArea=Područje za naplatu kupaca SupplierInvoicesArea=Područje za obračun dobavljača SituationTotalRayToRest=Ostatak platiti bez poreza -PDFSituationTitle=Situation n° %d +PDFSituationTitle=etapa br. %d SituationTotalProgress=Ukupni napredak %d %% SearchUnpaidInvoicesWithDueDate=Traži neplaćene fakture s rokom dospijeća = %s -SearchValidatedInvoicesWithDate=Search unpaid invoices with a validation date = %s +SearchValidatedInvoicesWithDate=Pretražite neplaćene fakture s datumom provjere = %s NoPaymentAvailable=Nije moguće plaćanje za %s PaymentRegisteredAndInvoiceSetToPaid=Plaćanje je registrirano i faktura %s postavljena na plaćeno -SendEmailsRemindersOnInvoiceDueDate=Send reminder by email for validated and unpaid invoices +SendEmailsRemindersOnInvoiceDueDate=Pošalji podsjetnik do e-pošta za potvrđene i neplaćene fakture MakePaymentAndClassifyPayed=Zabilježite plaćanje BulkPaymentNotPossibleForInvoice=Skupno plaćanje nije moguće za fakturu %s (loš tip ili status) -MentionVATDebitOptionIsOn=Option to pay tax based on debits -MentionCategoryOfOperations=Category of operations -MentionCategoryOfOperations0=Delivery of goods -MentionCategoryOfOperations1=Provision of services -MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +MentionVATDebitOptionIsOn=Mogućnost plaćanja poreza temeljem zaduženja +MentionCategoryOfOperations=Kategorija operacija +MentionCategoryOfOperations0=Isporuka robe +MentionCategoryOfOperations1=Pružanje usluga +MentionCategoryOfOperations2=Mješovito - Isporuka robe i pružanje usluga +Salaries=Plaće +InvoiceSubtype=Podvrsta fakture +SalaryInvoice=Plaća +BillsAndSalaries=Računi i plaće +CreateCreditNoteWhenClientInvoiceExists=Ova opcija je omogućena samo kada postoje potvrđene fakture za kupca ili kada se koristi konstanta INVOICE_CREDIT_NOTE_STANDALONE (korisno za neke zemlje) diff --git a/htdocs/langs/hr_HR/cashdesk.lang b/htdocs/langs/hr_HR/cashdesk.lang index 1f8f73b33b7..dcbf10ecb15 100644 --- a/htdocs/langs/hr_HR/cashdesk.lang +++ b/htdocs/langs/hr_HR/cashdesk.lang @@ -16,7 +16,7 @@ AddThisArticle=Dodaj ovu stavku RestartSelling=Povratak na prodaju SellFinished=Prodaja završena PrintTicket=Ispis računa -SendTicket=Send ticket +SendTicket=Pošalji kartu NoProductFound=Stavka nije pronađena ProductFound=Proizvod pronađen NoArticle=Nema stavke @@ -36,35 +36,35 @@ DolibarrReceiptPrinter=Pisač za ispis računa PointOfSale=Prodajno mjesto PointOfSaleShort=POS CloseBill=Zatvori račun -Floors=Floors -Floor=Floor +Floors=Podovi +Floor=Kat AddTable=Dodajte tablicu Place=Mjesto TakeposConnectorNecesary=Potreban je 'TakePOS konektor' OrderPrinters=Dodajte gumb za slanje narudžbe na određene pisače, bez plaćanja (na primjer za slanje narudžbe u kuhinju) NotAvailableWithBrowserPrinter=Nije dostupno kada je pisač za potvrdu postavljen na preglednik SearchProduct=Pretražite proizvode -Receipt=Receipt +Receipt=Priznanica Header=Zaglavlje Footer=Podnožje AmountAtEndOfPeriod=Iznos na kraju razdoblja (dan, mjesec ili godina) TheoricalAmount=Teoretski iznos RealAmount=Stvarni iznos -CashFence=Cash box closing -CashFenceDone=Cash box closing done for the period +CashFence=Zatvaranje kase +CashFenceDone=Zatvaranje kase izvršeno za period NbOfInvoices=Broj računa -Paymentnumpad=Type of Pad to enter payment -Numberspad=Numbers Pad -BillsCoinsPad=Coins and banknotes Pad +Paymentnumpad=Vrsta polja za unos plaćanja +Numberspad=Tablica s brojevima +BillsCoinsPad=Podloga za novčanice i DolistorePosCategory=TakePOS moduli i druga POS rješenja za Dolibarr TakeposNeedsCategories=TakePOS treba barem jednu kategoriju proizvoda da bi radio TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS treba barem 1 kategoriju proizvoda u kategoriji %s da bi radio -OrderNotes=Can add some notes to each ordered items -CashDeskBankAccountFor=Default account to use for payments in +OrderNotes=Može dodati neke bilješke svakom naručenom artiklu +CashDeskBankAccountFor=Zadani račun za korištenje za plaćanja NoPaimementModesDefined=U konfiguraciji TakePOS nije definiran način plaćanja -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts +TicketVatGrouped=Grupirajte PDV po stopi u ulaznicama|potvrdama +AutoPrintTickets=Automatski ispis ulaznica|potvrde +PrintCustomerOnReceipts=Ispis kupca na ulaznicama|računima EnableBarOrRestaurantFeatures=Omogućite značajke za bar ili restoran ConfirmDeletionOfThisPOSSale=Potvrđujete li brisanje ove trenutne prodaje? ConfirmDiscardOfThisPOSSale=Želite li odbaciti ovu trenutnu prodaju? @@ -73,19 +73,19 @@ ValidateAndClose=Potvrdite i zatvorite Terminal=Terminal NumberOfTerminals=Broj terminala TerminalSelect=Odaberite terminal koji želite koristiti: -POSTicket=POS Ticket +POSTicket=POS ulaznica POSTerminal=POS terminal POSModule=POS modul -BasicPhoneLayout=Koristite osnovni izgled za telefone +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Postavljanje terminala %s nije dovršeno DirectPayment=Izravno plaćanje -DirectPaymentButton=Add a "Direct cash payment" button +DirectPaymentButton=Dodajte gumb "Izravno gotovinsko plaćanje". InvoiceIsAlreadyValidated=Račun je već potvrđen -NoLinesToBill=No lines to bill -CustomReceipt=Custom Receipt -ReceiptName=Receipt Name -ProductSupplements=Manage supplements of products -SupplementCategory=Supplement category +NoLinesToBill=Nema redova za naplatu +CustomReceipt=Prilagođena priznanica +ReceiptName=Naziv računa +ProductSupplements=Upravljanje dodacima proizvoda +SupplementCategory=Dodatna kategorija ColorTheme=Tema boja Colorful=Šareno HeadBar=Head Bar @@ -94,45 +94,62 @@ Browser=Preglednik BrowserMethodDescription=Jednostavan i lak ispis računa. Samo nekoliko parametara za konfiguriranje računa. Ispis putem preglednika. TakeposConnectorMethodDescription=Vanjski modul s dodatnim značajkama. Mogućnost ispisa iz oblaka. PrintMethod=Način ispisa -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). +ReceiptPrinterMethodDescription=Snažna metoda s puno parametara. Potpuno prilagodljiv s predlošcima. Poslužitelj koji hostira aplikaciju ne može biti u oblaku (mora imati pristup pisačima u vašoj mreži). ByTerminal=Po terminalu -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad +TakeposNumpadUsePaymentIcon=Koristite ikonu umjesto teksta na gumbima za plaćanje numeričke tipkovnice CashDeskRefNumberingModules=Modul numeracije za POS prodaju -CashDeskGenericMaskCodes6 =
      {TN} tag is used to add the terminal number -TakeposGroupSameProduct=Grupirajte iste linije proizvoda +CashDeskGenericMaskCodes6 =
      {TN}
      oznaka koristi se za dodavanje broja terminala +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Započnite novu paralelnu prodaju SaleStartedAt=Prodaja je počela u %s -ControlCashOpening=Open the "Control cash box" popup when opening the POS -CloseCashFence=Close cash box control +ControlCashOpening=Otvorite skočni prozor "Kontrolna kasa" kada otvarate POS +CloseCashFence=Zatvorite kontrolu blagajne CashReport=Izvješće o gotovini MainPrinterToUse=Glavni pisač za korištenje -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use +OrderPrinterToUse=Naručite pisač za korištenje +MainTemplateToUse=Glavni predložak za korištenje +OrderTemplateToUse=Predložak narudžbe za korištenje BarRestaurant=Bar restoran -AutoOrder=Order by the customer himself +AutoOrder=Narudžba od strane kupca RestaurantMenu=Izbornik CustomerMenu=Izbornik kupaca -ScanToMenu=Scan QR code to see the menu -ScanToOrder=Scan QR code to order +ScanToMenu=Skenirajte QR kod da vidite izbornik +ScanToOrder=Skenirajte QR kod za narudžbu Appearance=Izgled HideCategoryImages=Sakrij slike kategorije HideProductImages=Sakrij slike proizvoda -NumberOfLinesToShow=Number of lines of images to show +NumberOfLinesToShow=Maksimalan broj redaka teksta za prikaz na sličicama DefineTablePlan=Definirajte plan stolova -GiftReceiptButton=Add a "Gift receipt" button +GiftReceiptButton=Dodajte gumb "Potvrda o daru". GiftReceipt=Potvrda o poklonu -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first +ModuleReceiptPrinterMustBeEnabled=Mora biti prvo omogućen pisač modula računa AllowDelayedPayment=Dopusti odgođeno plaćanje -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts +PrintPaymentMethodOnReceipts=Ispiši način plaćanja na ulaznicama|potvrdama WeighingScale=Vaga za vaganje -ShowPriceHT = Display the column with the price excluding tax (on screen) -ShowPriceHTOnReceipt = Display the column with the price excluding tax (on the receipt) +ShowPriceHT = Prikaz stupca s cijenom bez poreza (na ekranu) +ShowPriceHTOnReceipt = Prikaz stupca s cijenom bez poreza (na računu) CustomerDisplay=Prikaz za kupca -SplitSale=Split sale +SplitSale=Split prodaja PrintWithoutDetailsButton=Dodajte gumb "Ispis bez detalja". -PrintWithoutDetailsLabelDefault=Line label by default on printing without details +PrintWithoutDetailsLabelDefault=Redak Oznaka prema zadanim postavkama pri ispisu bez detalja PrintWithoutDetails=Ispis bez detalja YearNotDefined=Godina nije definirana TakeposBarcodeRuleToInsertProduct=Pravilo crtičnog koda za umetanje proizvoda -TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Već tiskano +HideCategories=Sakrij cijeli odjeljak Kategorije odabira +HideStockOnLine=Sakrij dionice na mreži +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Prikaži referencu ili Oznaka proizvoda +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Terminal %s +TerminalNameDesc=Naziv terminala +DefaultPOSThirdLabel=TakePOS generički kupac +DefaultPOSCatLabel=Proizvodi na prodajnom mjestu (POS). +DefaultPOSProductLabel=Primjer proizvoda za TakePOS +TakeposNeedsPayment=TakePOS treba način plaćanja da bi funkcionirao, želite li izradi način plaćanja 'Gotovina'? +LineDiscount=Linijski popust +LineDiscountShort=Linijski disk. +InvoiceDiscount=Popust na račun +InvoiceDiscountShort=Disk za fakture. diff --git a/htdocs/langs/hr_HR/categories.lang b/htdocs/langs/hr_HR/categories.lang index b0baa92468e..0f3960689f6 100644 --- a/htdocs/langs/hr_HR/categories.lang +++ b/htdocs/langs/hr_HR/categories.lang @@ -1,25 +1,25 @@ # Dolibarr language file - Source file is en_US - categories Rubrique=Kategorija Rubriques=Kategorije -RubriquesTransactions=Tags/Categories of transactions +RubriquesTransactions=oznake/Kategorije transakcija categories=kategorije -NoCategoryYet=No tag/category of this type has been created +NoCategoryYet=Nije stvorena nijedna oznaka/kategorija ove vrste In=U AddIn=Dodaj u modify=promjeni Classify=Označi CategoriesArea=Sučelje Kategorija -ProductsCategoriesArea=Product/Service tags/categories area -SuppliersCategoriesArea=Vendor tags/categories area -CustomersCategoriesArea=Customer tags/categories area -MembersCategoriesArea=Member tags/categories area -ContactsCategoriesArea=Contact tags/categories area -AccountsCategoriesArea=Bank account tags/categories area -ProjectsCategoriesArea=Project tags/categories area -UsersCategoriesArea=User tags/categories area -SubCats=Sub-categories +ProductsCategoriesArea=Područje proizvoda/usluge oznake/Kategorije +SuppliersCategoriesArea=Područje dobavljača oznake/Kategorije +CustomersCategoriesArea=Područje korisnika oznake/Kategorije +MembersCategoriesArea=član oznake/Kategorije područje +ContactsCategoriesArea=Kontaktirajte oznake/Kategorije područje +AccountsCategoriesArea=Područje bankovnog računa oznake/Kategorije +ProjectsCategoriesArea=Područje projekta oznake/Kategorije +UsersCategoriesArea=Korisničko područje oznake/Kategorije +SubCats=Sub-Kategorije CatList=Popis kategorija -CatListAll=List of tags/categories (all types) +CatListAll=Popis oznake/Kategorije (sve vrste) NewCategory=Nova kategorija ModifCat=Promjeni kategoriju CatCreated=Kategorija kreirana @@ -33,73 +33,74 @@ WasAddedSuccessfully=%s je uspješno dodana. ObjectAlreadyLinkedToCategory=Element je več povezan s ovom kategorijom. ProductIsInCategories=Proizvod/usluga je povezana s sljedećim kategorijama CompanyIsInCustomersCategories=Ovaj komitent je povezan sa sljedećim kategorijama kupaca/potencijalnim kupaca -CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories +CompanyIsInSuppliersCategories=Ova treća strana povezana je sa sljedećim dobavljačima oznake/Kategorije MemberIsInCategories=Ovaj član je povezan s sljedećim kategorijama članova ContactIsInCategories=Ovaj kontakt je povezan sa sljedećim kategorijama kontakta ProductHasNoCategory=Ovaj proizvod/usluga se ne nalazi niti u jednoj kategoriji -CompanyHasNoCategory=This third party is not in any tags/categories +CompanyHasNoCategory=Ova treća strana nije ni u jednom oznake/Kategorije MemberHasNoCategory=Ovaj član se ne nalazi niti u jednoj kategoriji ContactHasNoCategory=Ovaj kontakt se ne nalazi niti u jednoj kategoriji ProjectHasNoCategory=Ovaj projekt se ne nalazi niti u jednoj kategoriji ClassifyInCategory=Dodaj u kategoriju -RemoveCategory=Remove category +RemoveCategory=Ukloni kategoriju NotCategorized=Bez kategorije CategoryExistsAtSameLevel=Kategorija s ovom ref. već postoji ContentsVisibleByAllShort=Sadržaj vidljiv svima ContentsNotVisibleByAllShort=Sadržaj nije vidljiv svima DeleteCategory=Obriši kategoriju -ConfirmDeleteCategory=Are you sure you want to delete this tag/category? +ConfirmDeleteCategory=Jeste li sigurni da želite za brisanje ove oznaka/kategorije? NoCategoriesDefined=Kategorija nije definirana -SuppliersCategoryShort=Vendors tag/category +SuppliersCategoryShort=Dobavljači oznaka/kategorija CustomersCategoryShort=Kategorija kupaca ProductsCategoryShort=Kategorija proizvoda MembersCategoryShort=Kategorija članova -SuppliersCategoriesShort=Vendors tags/categories +SuppliersCategoriesShort=Dobavljači oznake/Kategorije CustomersCategoriesShort=Kategorije kupaca ProspectsCategoriesShort=Kategorije potencijalnih kupaca -CustomersProspectsCategoriesShort=Cust./Prosp. tags/categories +CustomersProspectsCategoriesShort=Cust./Prosp. oznake/Kategorije ProductsCategoriesShort=Kategorije proizvoda MembersCategoriesShort=Kategorije članova ContactCategoriesShort=Kategorije kontakata AccountsCategoriesShort=Tagovi/kategorije računa ProjectsCategoriesShort=Kategorije projekata -UsersCategoriesShort=Users tags/categories -StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoItems=This category does not contain any items. +UsersCategoriesShort=Korisnici oznake/Kategorije +StockCategoriesShort=Skladište oznake/Kategorije +ThisCategoryHasNoItems=Ova kategorija ne sadrži nijednu stavku. CategId=ID Kategorije -ParentCategory=Parent tag/category -ParentCategoryID=ID of parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories +ParentCategory=Nadređena oznaka/kategorija +ParentCategoryID=ID nadređene oznaka/kategorije +ParentCategoryLabel=Oznaka nadređene oznaka/kategorije +CatSupList=Popis dobavljača oznake/Kategorije +CatCusList=Popis kupaca/prospekta oznake/Kategorije CatProdList=Popis kategorija proizvoda CatMemberList=Popis kategorija članova -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories +CatContactList=Popis kontakata oznake/Kategorije +CatProjectsList=Popis projekata oznake/Kategorije +CatUsersList=Popis korisnika oznake/Kategorije +CatSupLinks=Veze između dobavljača i oznake/Kategorije CatCusLinks=Veze između kupaca/potencijalnih kupaca i kategorija -CatContactsLinks=Links between contacts/addresses and tags/categories +CatContactsLinks=Veze između kontakata/adresa i oznake/Kategorije CatProdLinks=Veze izmeđi proizvoda/usluga i kategorija -CatMembersLinks=Links between members and tags/categories +CatMembersLinks=Veze između članovi i oznake/ Kategorije CatProjectsLinks=Veze između projekata i kategorija -CatUsersLinks=Links between users and tags/categories +CatUsersLinks=Veze između korisnika i oznake/Kategorije DeleteFromCat=Makni iz kategorije ExtraFieldsCategories=Dodatni atributi CategoriesSetup=Podešavanje kategorija CategorieRecursiv=Poveži automatski sa matičnom kategorijom -CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. -AddProductServiceIntoCategory=Assign category to the product/service -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier -AssignCategoryTo=Assign category to +CategorieRecursivHelp=Ako je opcija uključena, kada dodate objekt u potkategoriju, objekt će također biti dodan u nadređenu Kategorije. +AddProductServiceIntoCategory=Dodijelite kategoriju proizvodu/usluzi +AddCustomerIntoCategory=Dodijelite kategoriju kupcu +AddSupplierIntoCategory=Dodijelite kategoriju dobavljaču +AssignCategoryTo=Dodijeli kategoriju ShowCategory=Prikaži kategoriju ByDefaultInList=Po predefiniranom na listi -ChooseCategory=Choose category -StocksCategoriesArea=Warehouse Categories -TicketsCategoriesArea=Tickets Categories -ActionCommCategoriesArea=Event Categories -WebsitePagesCategoriesArea=Page-Container Categories -KnowledgemanagementsCategoriesArea=KM article Categories -UseOrOperatorForCategories=Use 'OR' operator for categories -AddObjectIntoCategory=Assign the category +ChooseCategory=Odaberite kategoriju +StocksCategoriesArea=Skladište Kategorije +TicketsCategoriesArea=Ulaznice Kategorije +ActionCommCategoriesArea=Događaj Kategorije +WebsitePagesCategoriesArea=Spremnik stranice Kategorije +KnowledgemanagementsCategoriesArea=KM članak Kategorije +UseOrOperatorForCategories=Koristite operator 'OR' za Kategorije +AddObjectIntoCategory=Dodijelite kategoriji +Position=Pozicija diff --git a/htdocs/langs/hr_HR/commercial.lang b/htdocs/langs/hr_HR/commercial.lang index ae5bfd6a273..2b484e966e6 100644 --- a/htdocs/langs/hr_HR/commercial.lang +++ b/htdocs/langs/hr_HR/commercial.lang @@ -29,9 +29,9 @@ ShowCustomer=Prikaži kupca ShowProspect=Prikaži potencijalnog kupca ListOfProspects=Popis mogućih kupaca ListOfCustomers=Popis kupaca -LastDoneTasks=Zadnjih %s završenih zadataka -LastActionsToDo=Najstarijih %s nezavršenih akcija -DoneAndToDoActions=Završeni i za odraditi +LastDoneTasks=Zadnjih %s izvršenih zadataka +LastActionsToDo=Najstarijih %s neizvršenih zadataka +DoneAndToDoActions=Završeni događaji i za odraditi DoneActions=Završeni događaji ToDoActions=Nedovršeni događaji SendPropalRef=Ponuda %s @@ -39,10 +39,10 @@ SendOrderRef=Narudžba %s StatusNotApplicable=Nije primjenjivo StatusActionToDo=Napraviti StatusActionDone=Završeno -StatusActionInProcess=U procesu +StatusActionInProcess=U postupku TasksHistoryForThisContact=Događaji za ovaj kontakt LastProspectDoNotContact=Ne kontaktiraj -LastProspectNeverContacted=Nikad kontaktiraj +LastProspectNeverContacted=Nikad kontaktirano LastProspectToContact=Kontaktiraj LastProspectContactInProcess=Kontakti u obradi LastProspectContactDone=Kontak završen @@ -56,7 +56,7 @@ ActionAC_EMAIL_IN=Prijem e-pošte ActionAC_RDV=Sastanci ActionAC_INT=Intervencija na lokaciji ActionAC_FAC=Pošalji račun kupca poštom -ActionAC_REL=Pošalji narudđbu kupca putem pošte (podsjetnik) +ActionAC_REL=Pošalji računu kupca putem pošte (podsjetnik) ActionAC_CLO=Zatvoren ActionAC_EMAILING=Masovno slanje e-pošte ActionAC_COM=Pošalji narudžbu kupca putem pošte @@ -65,25 +65,29 @@ ActionAC_SUP_ORD=Pošalji narudžbenicu e-poštom ActionAC_SUP_INV=Pošalji račun dobavljača poštom ActionAC_OTH=Ostalo ActionAC_OTH_AUTO=Automatski uneseni događaji -ActionAC_MANUAL=Events inserted manually (by a user) -ActionAC_AUTO=Events inserted automatically +ActionAC_MANUAL=Događaji uneseni ručno (od strane korisnika) +ActionAC_AUTO=Događaji se unesuju automatski ActionAC_OTH_AUTOShort=Ostalo ActionAC_EVENTORGANIZATION=Događaji organizacije događaja Stats=Statistike prodaje StatusProsp=Status potencijalnog kupca DraftPropals=Skica ponude NoLimit=Bez ograničenja -ToOfferALinkForOnlineSignature=Link za online potpis -WelcomeOnOnlineSignaturePageProposal=Dobrodošli na stranicu za prihvaćanje komercijalnih prijedloga od %s -WelcomeOnOnlineSignaturePageContract=Welcome to %s Contract PDF Signing Page -WelcomeOnOnlineSignaturePageFichinter=Welcome to %s Intervention PDF Signing Page +ToOfferALinkForOnlineSignature=Poveznica za online potpis +WelcomeOnOnlineSignaturePageProposal=Dobrodošli na stranicu za prihvaćanje komercijalnih ponuda od %s +WelcomeOnOnlineSignaturePageContract=Dobro došli na %s stranicu za potpisivanje PDF ugovora +WelcomeOnOnlineSignaturePageFichinter=Dobro došli na %s interventnu stranicu za potpisivanje PDF-a +WelcomeOnOnlineSignaturePageSociete_rib=Dobro došli na %s SEPA stranicu za potpisivanje PDF-a ThisScreenAllowsYouToSignDocFromProposal=Ovaj zaslon vam omogućuje da prihvatite i potpišete ili odbijete ponudu/komercijalni prijedlog -ThisScreenAllowsYouToSignDocFromContract=This screen allow you to sign contract on PDF format online. -ThisScreenAllowsYouToSignDocFromFichinter=This screen allow you to sign intervention on PDF format online. +ThisScreenAllowsYouToSignDocFromContract=Ovaj vam zaslon omogućuje online potpisivanje ugovora u PDF formatu. +ThisScreenAllowsYouToSignDocFromFichinter=Ovaj vam zaslon omogućuje online potpisivanje intervencije u PDF formatu. +ThisScreenAllowsYouToSignDocFromSociete_rib=Ovaj vam zaslon omogućuje online potpisivanje SEPA naloga u PDF formatu. ThisIsInformationOnDocumentToSignProposal=Ovo je informacija o dokumentu koji treba prihvatiti ili odbiti -ThisIsInformationOnDocumentToSignContract=This is information on contract to sign -ThisIsInformationOnDocumentToSignFichinter=This is information on intervention to sign +ThisIsInformationOnDocumentToSignContract=Ovo su informacije o ugovoru za potpisivanje +ThisIsInformationOnDocumentToSignFichinter=Ovo je informacija o intervenciji na potpis +ThisIsInformationOnDocumentToSignSociete_rib=Ovo su informacije o SEPA mandatu za potpisivanje SignatureProposalRef=Potpis ponude/komercijalnog prijedloga %s -SignatureContractRef=Signature of contract %s -SignatureFichinterRef=Signature of intervention %s +SignatureContractRef=Potpis ugovora %s +SignatureFichinterRef=Potpis intervencije %s +SignatureSociete_ribRef=Potpis SEPA mandata %s FeatureOnlineSignDisabled=Značajka za online potpisivanje onemogućena ili dokument generiran prije nego što je značajka omogućena diff --git a/htdocs/langs/hr_HR/holiday.lang b/htdocs/langs/hr_HR/holiday.lang index f55cec00fe8..eb95011675f 100644 --- a/htdocs/langs/hr_HR/holiday.lang +++ b/htdocs/langs/hr_HR/holiday.lang @@ -1,12 +1,12 @@ # Dolibarr language file - Source file is en_US - holiday HRM=Djelatnici -Holidays=Leaves +Holidays=Lišće Holiday=Napusti CPTitreMenu=Napusti MenuReportMonth=Mjesečna izjava MenuAddCP=Novi zahtjev odsustva -MenuCollectiveAddCP=New collective leave request -NotActiveModCP=You must enable the module Leave to view this page. +MenuCollectiveAddCP=New collective leave +NotActiveModCP=Morate uključiti modul Napusti da biste vidjeli ovu stranicu. AddCP=Izradi zahtjev odsustva DateDebCP=Datum početka DateFinCP=Datum završetka @@ -15,21 +15,21 @@ ToReviewCP=Čeka odobrenje ApprovedCP=Odobreno CancelCP=Poništeno RefuseCP=Odbijeno -ValidatorCP=Approver -ListeCP=List of leave +ValidatorCP=odobravatelj +ListeCP=Popis dopusta Leave=Zahtjev za odsustvom -LeaveId=Leave ID -ReviewedByCP=Will be approved by +LeaveId=Ostavite ID +ReviewedByCP=Odobrit će UserID=ID korisnika -UserForApprovalID=User for approval ID -UserForApprovalFirstname=First name of approval user -UserForApprovalLastname=Last name of approval user -UserForApprovalLogin=Login of approval user +UserForApprovalID=ID korisnika za odobrenje +UserForApprovalFirstname=Ime korisnika odobrenja +UserForApprovalLastname=Prezime korisnika odobrenja +UserForApprovalLogin=Prijava korisnika odobrenja DescCP=Opis SendRequestCP=Izradi zahtjev odsustva DelayToRequestCP=Zahtjev odsustva mora biti kreiran najmanje %s dan(a) prije. -MenuConfCP=Balance of leave -SoldeCPUser=Leave balance (in days) : %s +MenuConfCP=Bilanca dopusta +SoldeCPUser=Ostavite stanje (u danima): %s ErrorEndDateCP=Datum završetka mora biti veći od datuma početka. ErrorSQLCreateCP=Dogodila se SQL greška kod kreiranja: ErrorIDFicheCP=Dogosila se greška, zahtjev ne postoji. @@ -38,13 +38,13 @@ ErrorUserViewCP=Niste ovlašteni za čitanje zahtjeva. InfosWorkflowCP=Procedura Informacija RequestByCP=Zahtjeva TitreRequestCP=Zahtjev za odsustvom -TypeOfLeaveId=Type of leave ID -TypeOfLeaveCode=Type of leave code -TypeOfLeaveLabel=Type of leave label -NbUseDaysCP=Number of days of leave used -NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. -NbUseDaysCPShort=Days of leave -NbUseDaysCPShortInMonth=Days of leave in month +TypeOfLeaveId=ID vrste dopusta +TypeOfLeaveCode=Šifra vrste dopusta +TypeOfLeaveLabel=Vrsta dopusta Oznaka +NbUseDaysCP=Broj iskorištenih dana dopusta +NbUseDaysCPHelp=Izračun uzima u obzir neradne dane i praznike definirane u rječniku. +NbUseDaysCPShort=Dani dopusta +NbUseDaysCPShortInMonth=Dani dopusta u mjesecu DayIsANonWorkingDay=%s je neradni dan DateStartInMonth=Datum početka u mjesecu DateEndInMonth=Datum završetka u mjesecu @@ -57,8 +57,8 @@ TitleDeleteCP=Obriši zahtjev odsutnosti ConfirmDeleteCP=Potvrdite brisanje ovog zahtjeva ? ErrorCantDeleteCP=Greška nemate pravo za brisanje zahtjeva. CantCreateCP=Nemate pravo za kreiranje zahtjeva. -InvalidValidatorCP=You must choose the approver for your leave request. -InvalidValidator=The user chosen isn't an approver. +InvalidValidatorCP=Morate odabrati osobu koja odobrava vaš zahtjev za dopust. +InvalidValidator=Odabrani korisnik nije odobravatelj. NoDateDebut=Morate odabrati datum početka. NoDateFin=Morate odabrati datum završetka. ErrorDureeCP=Vaš zahtjev ne sadrži radni dan. @@ -77,46 +77,46 @@ DateRefusCP=Datum odbijanja DateCancelCP=Datom otkazivanja DefineEventUserCP=Dodjeli specijalno odsustvo za korisnika addEventToUserCP=Dodjeli odsustvo -NotTheAssignedApprover=You are not the assigned approver +NotTheAssignedApprover=Vi niste dodijeljeni odobravatelj MotifCP=Razlog UserCP=Korisnik ErrorAddEventToUserCP=Dogodila se greška kod dodavanja specijalnog odsustva. AddEventToUserOkCP=Dodatak specijalnog odsustva je završen. -ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be filled in -fusionGroupsUsers=The groups field and the user field will be merged +ErrorFieldRequiredUserOrGroup=Polje "grupa" ili polje "korisnik" mora biti popunjeno +fusionGroupsUsers=Polje grupa i polje korisnika bit će spojeno MenuLogCP=Pregled dnevnika promjena -LogCP=Log of all updates made to "Balance of Leave" +LogCP=Zapisnik svih ažuriranja izvršenih na "Balance of Leave" ActionByCP=Ažurirao UserUpdateCP=Ažurirano za PrevSoldeCP=Prijašnje stanje NewSoldeCP=Novo stanje alreadyCPexist=Zahtjev je već napravljen za ovaj period. -UseralreadyCPexist=A leave request has already been done on this period for %s. +UseralreadyCPexist=Zahtjev za odsustvo već je podnesen u ovom razdoblju za %s. groups=Grupe users=Korisnici -AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request -AutoValidationOnCreate=Automatic validation -FirstDayOfHoliday=Beginning day of leave request -LastDayOfHoliday=Ending day of leave request +AutoSendMail=Automatsko slanje poštom +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave +AutoValidationOnCreate=Automatska provjera valjanosti +FirstDayOfHoliday=Dan početka zahtjeva za dopust +LastDayOfHoliday=Završni dan zahtjeva za dopust HolidaysMonthlyUpdate=Mjesečna promjena ManualUpdate=Ručna promjena -HolidaysCancelation=Odbijanje zahtjeva +HolidaysCancelation=Ostavite otkazivanje zahtjeva EmployeeLastname=Prezime zaposlenika EmployeeFirstname=Ime zaposlenika -TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests +TypeWasDisabledOrRemoved=Vrsta napuštanja (id %s) onemogućena je ili uklonjena +LastHolidays=Najnoviji %s zahtjevi za napuštanje +AllHolidays=Svi zahtjevi za odsustvo HalfDay=Pola dana -NotTheAssignedApprover=You are not the assigned approver +NotTheAssignedApprover=Vi niste dodijeljeni odobravatelj LEAVE_PAID=Plaćeni dopust LEAVE_SICK=Bolovanje LEAVE_OTHER=Drugi dopust LEAVE_PAID_FR=Plaćeni odmor ## Configuration du Module ## -LastUpdateCP=Last automatic update of leave allocation -MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation +LastUpdateCP=Zadnje automatsko ažuriranje raspodjele dopusta +MonthOfLastMonthlyUpdate=Mjesec zadnjeg automatskog ažuriranja raspodjele dopusta UpdateConfCPOK=Uspješno promjenjeno Module27130Name= Upravljanje zahtjevima odsustva Module27130Desc= Upravljanje zahtjevima odsustva @@ -126,32 +126,32 @@ NoticePeriod=Otkazni rok HolidaysToValidate=Ovjeri zahtjeve HolidaysToValidateBody=Dolje su zahtjevi za ovjeru HolidaysToValidateDelay=Ovaj zahtjev će stupiti na snagu unutar perioda manjeg od %s dana. -HolidaysToValidateAlertSolde=The user who made this leave request does not have enough available days. +HolidaysToValidateAlertSolde=Korisnik koji je podnio ovaj zahtjev za dopust nema dovoljno slobodnih dana. HolidaysValidated=Ovjereni zahtjevi HolidaysValidatedBody=Vaš zahtjev za %s do %s je ovjeren. HolidaysRefused=Zahtjev odbijen -HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason: +HolidaysRefusedBody=Vaš zahtjev za napuštanje %s do %s odbijen je iz sljedećeg razloga: HolidaysCanceled=Otkazani zahtjev HolidaysCanceledBody=Vaš zahtjev za %s do %s je otkazan. FollowedByACounter=1: Ovaj tip odsustva mora biti pračen brojačem. Brojač se povečava ručno ili automatski, a kada je zahtjev ovjeren, brojač se smanjuje.
      0: Nije pračeno brojačem. -NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter -GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leave to setup the different types of leaves. -HolidaySetup=Setup of module Leave -HolidaysNumberingModules=Numbering models for leave requests -TemplatePDFHolidays=Template for leave requests PDF +NoLeaveWithCounterDefined=Ne postoje definirane vrste dopusta koje treba pratiti brojač +GoIntoDictionaryHolidayTypes=Idite na Početna stranica - Postavljanje - Rječnici - Vrsta dopusta za postavljanje različitih vrsta listova. +HolidaySetup=Postavljanje modula Odlazak +HolidaysNumberingModules=Modeli numeriranja zahtjeva za dopust +TemplatePDFHolidays=Predložak za zahtjeve za dopust PDF FreeLegalTextOnHolidays=Slobobni tekst u PDF-u -WatermarkOnDraftHolidayCards=Watermarks on draft leave requests +WatermarkOnDraftHolidayCards=Vodeni žigovi na nacrtima zahtjeva za dopust HolidaysToApprove=Praznici za odobravanje -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate leave requests -HolidayBalanceMonthlyUpdate=Monthly update of leave balance +NobodyHasPermissionToValidateHolidays=Nitko nema dopuštenje za potvrdu zahtjeva za dopust +HolidayBalanceMonthlyUpdate=Mjesečno ažuriranje stanja dopusta XIsAUsualNonWorkingDay=%s je obično NEradni dan BlockHolidayIfNegative=Blokirajte ako je saldo negativan -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative -ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted -IncreaseHolidays=Increase leave balance -HolidayRecordsIncreased= %s leave balances increased -HolidayRecordIncreased=Leave balance increased -ConfirmMassIncreaseHoliday=Bulk leave balance increase -NumberDayAddMass=Number of day to add to the selection -ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? -HolidayQtyNotModified=Balance of remaining days for %s has not been changed +LeaveRequestCreationBlockedBecauseBalanceIsNegative=Izrada ovog zahtjeva za dopust je blokirana jer je vaš saldo negativan +ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Zahtjev za napuštanje %s mora biti nacrt, otkazan ili odbijen za brisanje +IncreaseHolidays=Povećajte stanje dopusta +HolidayRecordsIncreased= %s stanje napuštanja povećano +HolidayRecordIncreased=Saldo dopusta povećan +ConfirmMassIncreaseHoliday=Skupno povećanje stanja dopusta +NumberDayAddMass=Broj dana za dodavanje u odabir +ConfirmMassIncreaseHolidayQuestion=Jeste li sigurni da želite za povećanje odmora %s odabranih zapisa? +HolidayQtyNotModified=Stanje preostalih dana za %s nije promijenjeno diff --git a/htdocs/langs/hr_HR/hrm.lang b/htdocs/langs/hr_HR/hrm.lang index 97ebcf09c91..107cb5fccad 100644 --- a/htdocs/langs/hr_HR/hrm.lang +++ b/htdocs/langs/hr_HR/hrm.lang @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Zadani opis rangova kada je vještina stvorena deplacement=Shift DateEval=Datum evaluacije JobCard=Job card -JobPosition=Posao -JobsPosition=Poslovi +NewJobProfile=New Job Profile +JobProfile=Job profile +JobsProfiles=Job profiles NewSkill=Nova vještina SkillType=Vrsta vještine Skilldets=Popis rangova za ovu vještinu @@ -36,7 +37,7 @@ rank=Rang ErrNoSkillSelected=Nije odabrana nijedna vještina ErrSkillAlreadyAdded=Ova vještina je već na popisu SkillHasNoLines=This skill has no lines -skill=Vještina +Skill=Vještina Skills=Vještine SkillCard=Skill card EmployeeSkillsUpdated=Vještine zaposlenika su ažurirane (pogledajte karticu "Vještine" na kartici zaposlenika) @@ -44,33 +45,36 @@ Eval=Evaluacija Evals=Evaluacije NewEval=Nova evaluacija ValidateEvaluation=Potvrdite evaluaciju -ConfirmValidateEvaluation=Jeste li sigurni da želite potvrditi ovu procjenu s referencom %s ? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=Kartica za ocjenjivanje -RequiredRank=Required rank for this job +RequiredRank=Required rank for the job profile +RequiredRankShort=Required rank +PositionsWithThisProfile=Positions with this job profiles EmployeeRank=Employee rank for this skill +EmployeeRankShort=Employee rank EmployeePosition=Položaj zaposlenika EmployeePositions=Employee positions EmployeesInThisPosition=Employees in this position group1ToCompare=Usergroup to analyze group2ToCompare=Second usergroup for comparison -OrJobToCompare=Compare to job skills requirements +OrJobToCompare=Compare to skill requirements of a job profile difference=Razlika CompetenceAcquiredByOneOrMore=Competence acquired by one or more users but not requested by the second comparator -MaxlevelGreaterThan=Max level greater than the one requested -MaxLevelEqualTo=Max level equal to that demand -MaxLevelLowerThan=Max level lower than that demand -MaxlevelGreaterThanShort=Employee level greater than the one requested -MaxLevelEqualToShort=Employee level equals to that demand -MaxLevelLowerThanShort=Employee level lower than that demand +MaxlevelGreaterThan=Employee level is greater than the expected level +MaxLevelEqualTo=Employee level is equals to the expected level +MaxLevelLowerThan=Employee level is lower than that the expected level +MaxlevelGreaterThanShort=Level greater than expected +MaxLevelEqualToShort=Level equal to the expected level +MaxLevelLowerThanShort=Level lower than expected SkillNotAcquired=Skill not acquired by all users and requested by the second comparator legend=Natpis TypeSkill=Vrsta vještine -AddSkill=Add skills to job -RequiredSkills=Required skills for this job +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile UserRank=User Rank SkillList=Popis vještina SaveRank=Save rank -TypeKnowHow=Know how +TypeKnowHow=Know-how TypeHowToBe=How to be TypeKnowledge=Znanje AbandonmentComment=Abandonment comment @@ -85,7 +89,9 @@ VacantCheckboxHelper=Checking this option will show unfilled positions (job vaca SaveAddSkill = Skill(s) added SaveLevelSkill = Skill(s) level saved DeleteSkill = Vještina uklonjena -SkillsExtraFields=Attributs supplémentaires (Compétences) -JobsExtraFields=Attributs supplémentaires (Emplois) -EvaluationsExtraFields=Attributs supplémentaires (Evaluations) +SkillsExtraFields=Complementary attributes (Skills) +JobsExtraFields=Complementary attributes (Job profile) +EvaluationsExtraFields=Complementary attributes (Evaluations) NeedBusinessTravels=Need business travels +NoDescription=No description +TheJobProfileHasNoSkillsDefinedFixBefore=The evaluated job profile of this employee has no skill defined on it. Please add skill(s), then delete and restart the evaluation. diff --git a/htdocs/langs/hr_HR/main.lang b/htdocs/langs/hr_HR/main.lang index 862453aa75d..0aeb9e92492 100644 --- a/htdocs/langs/hr_HR/main.lang +++ b/htdocs/langs/hr_HR/main.lang @@ -34,9 +34,9 @@ NoTemplateDefined=Nema predloška za taj tip e-pošte AvailableVariables=Dostupne zamjenske vrijednosti NoTranslation=Bez prijevoda Translation=Prijevod -Translations=Translations +Translations=Prijevodi CurrentTimeZone=Vremenska zona PHP (server) -EmptySearchString=Unesite kriterije pretraživanja +EmptySearchString=Unesite kriterije pretraživanja koji nisu prazni EnterADateCriteria=Unesite kriterij datuma NoRecordFound=Spis nije pronađen NoRecordDeleted=Spis nije izbrisan @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Elektronska pošta nije poslana (pošiljatelj=%s, primatel ErrorFileNotUploaded=Datoteka nije učitana. Proverite da veličina ne prelazi dozvoljenu, da imate slobodnog mjesta na disku i da u ovoj mapi nema datoteke sa istim imenom. ErrorInternalErrorDetected=Pronađena greška ErrorWrongHostParameter=Kriva značajka poslužitelja -ErrorYourCountryIsNotDefined=Vaša zemlja nije upisana. Idite na početnu stranicu->postavke->uredi i ispunite obrazac ponovo. +ErrorYourCountryIsNotDefined=Vaša država nije definirana. Idite na Home-Setup-tvrtka/Zaklada i ponovno pošaljite obrazac . ErrorRecordIsUsedByChild=Ovaj spis se ne može obrisati. Postoji barem jedan vezani spis. ErrorWrongValue=Pogrešna vrijednost ErrorWrongValueForParameterX=Pogrešna vrijednost za značajku %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Greška, za zemlju '%s' nisu upisane stope ErrorNoSocialContributionForSellerCountry=Greška, za zemlju '%s' nisu upisani društveni/fiskalni porezi. ErrorFailedToSaveFile=Greška, neuspješno snimanje datoteke. ErrorCannotAddThisParentWarehouse=Pokušavate dodati nadređeno skladište koje je već podređeno postojećem skladištu +ErrorInvalidSubtype=Odabrana podvrsta nije dopuštena FieldCannotBeNegative=Polje "%s" ne može biti negativno MaxNbOfRecordPerPage=Maks. broj zapisa po stranici NotAuthorized=Niste ovlašteni da ovo učinite. @@ -103,7 +104,8 @@ RecordGenerated=Zapis je generiran LevelOfFeature=Razina mogućnosti NotDefined=Nije određeno DolibarrInHttpAuthenticationSoPasswordUseless=Način ovjere vjerodostojnosti Dolibarra namješten je na %s u datoteci s postavkamaconf.php.
      To znači da je datoteka sa zaporkama odvojena od Dolibarra pa upisivanje u ovo polje neće imati učinka. -Administrator=Administrator +Administrator=Administrator sustava +AdministratorDesc=Administrator sustava (može upravljati korisničkim, dopuštenjima, ali i konfiguracijom modula za postavljanje sustava i) Undefined=Neodređeno PasswordForgotten=Zaboravili ste zaporku? NoAccount=Nema računa? @@ -211,8 +213,8 @@ Select=Odaberi SelectAll=Odaberi sve Choose=Izaberi Resize=Promjeni veličinu +Crop=Usjev ResizeOrCrop=Izmjena veličine ili obrezivanje -Recenter=Centriraj Author=Tvorac User=Korisnik Users=Korisnici @@ -222,9 +224,9 @@ UserGroup=Grupa korisnika UserGroups=Grupe korisnika NoUserGroupDefined=Grupa korisnika nije izrađena Password=Zaporka -PasswordRetype=Repeat your password +PasswordRetype=Ponovite lozinku NoteSomeFeaturesAreDisabled=Uzmite u obzir da je dosta mogućnosti i modula onemogućeno u ovom izlaganju. -YourUserFile=Your user file +YourUserFile=Vaša korisnička datoteka Name=Ime NameSlashCompany=Ime / Tvrtka Person=Osoba @@ -235,8 +237,8 @@ PersonalValue=Osobna vrijednost NewObject=Novi%s NewValue=Nova vrijednost OldValue=Stara vrijednost %s -FieldXModified=Field %s modified -FieldXModifiedFromYToZ=Field %s modified from %s to %s +FieldXModified=Polje %s izmijenjeno +FieldXModifiedFromYToZ=Polje %s izmijenjeno iz %s u %s CurrentValue=Trenutna vrijednost Code=Oznaka Type=Vrsta @@ -312,8 +314,8 @@ UserValidation=Ovjera korisnika UserCreationShort=Izrada korisnika UserModificationShort=Izmjena korisnika UserValidationShort=Ovjereni korisnik -UserClosing=Closing user -UserClosingShort=Closing user +UserClosing=Zatvaranje korisnika +UserClosingShort=Zatvaranje korisnika DurationYear=godina DurationMonth=mjesec DurationWeek=tjedan @@ -348,7 +350,7 @@ MonthOfDay=Jedan mjesec od dana DaysOfWeek=Dani u tjednu HourShort=H MinuteShort=mn -SecondShort=sec +SecondShort=sek Rate=Stopa CurrencyRate=Stopa pretvorbe valute UseLocalTax=Uključi porez @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGTS LT2IN=SGST -LT1GC=Dodatnih lipa +LT1GC=Dodatni centi VATRate=Stopa poreza RateOfTaxN=Stopa poreza %s VATCode=Oznaka stope poreza @@ -493,7 +495,7 @@ ActionsOnContact=Događaji vezani na ovaj kontakt/adresu ActionsOnContract=Događaji vezani uz ovaj ugovor ActionsOnMember=Događaji vezani uz ovog člana ActionsOnProduct=Radnje vezane uz ovaj proizvod -ActionsOnAsset=Events for this fixed asset +ActionsOnAsset=Događaji za ovu dugotrajnu imovinu NActionsLate=%s kasni ToDo=Za učiniti Completed=Završeno @@ -517,7 +519,7 @@ NotYetAvailable=Nije još dostupno NotAvailable=Nije dostupno Categories=Oznake/skupine Category=Oznaka/skupina -SelectTheTagsToAssign=Select the tags/categories to assign +SelectTheTagsToAssign=Odaberite oznake/Kategorije za dodjelu By=Od From=Od FromDate=Od @@ -547,6 +549,7 @@ Reportings=Izvještaji Draft=Skica Drafts=Skice StatusInterInvoiced=Zaračunato +Done=Učinjeno Validated=Ovjereno ValidatedToProduce=Potvrđeno (za proizvodnju) Opened=Otvoreno @@ -558,7 +561,7 @@ Unknown=Nepoznat General=Opće Size=Veličina OriginalSize=Izvorna veličina -RotateImage=Rotate 90° +RotateImage=Rotirajte 90° Received=Primljeno Paid=Plaćeno Topic=Subjekt @@ -636,7 +639,7 @@ MonthVeryShort11=N MonthVeryShort12=D AttachedFiles=Priložene datoteke i dokumenti JoinMainDoc=Sjedini glavni dokument -JoinMainDocOrLastGenerated=Send the main document or the last generated one if not found +JoinMainDocOrLastGenerated=Pošaljite glavni dokument ili zadnji generirani ako nije pronađen DateFormatYYYYMM=MM-YYYY DateFormatYYYYMMDD=DD-MM-YYYY HH:SS DateFormatYYYYMMDDHHMM=DD-MM-YYYY HH:SS @@ -698,6 +701,7 @@ Response=Odaziv Priority=Prioritet SendByMail=Pošalji e-poštom MailSentBy=E-poštu poslao +MailSentByTo=e-pošta poslao %s korisniku %s NotSent=Nije poslano TextUsedInTheMessageBody=Tijelo e-pošte SendAcknowledgementByMail=Pošalji e-poštu s potvrdom primitka @@ -722,12 +726,13 @@ RecordModifiedSuccessfully=Podatak je uspješno izmijenjen RecordsModified=%s zapis(i) izmijenjen RecordsDeleted=%s zapis(i) izbrisani RecordsGenerated=%s generiranih zapisa +ValidatedRecordWhereFound = Neki od odabranih zapisa već su potvrđeni. Nijedan zapis nije izbrisan. AutomaticCode=Automatski izabran kod FeatureDisabled=Mogućnost isključena MoveBox=Pomakni prozorčić Offered=Ponuđeno NotEnoughPermissions=Nemate dozvolu za ovu radnju -UserNotInHierachy=This action is reserved to the supervisors of this user +UserNotInHierachy=Ova radnja je rezervirana za nadglednike ovog korisnika SessionName=Naziv sjednice Method=Način Receive=Primi @@ -764,11 +769,10 @@ DisabledModules=Onemogućeni moduli For=Za ForCustomer=Za kupca Signature=Potpis -DateOfSignature=Datum potpisa HidePassword=Prikaži naredbu sa skrivenom zaporkom UnHidePassword=Prikaži stvarnu naredbu s čitljivom zaporkom Root=Početna mapa -RootOfMedias=Korijen javnih medija (/medias) +RootOfMedias=Korijen javnog medija (/medias) Informations=Podatak Page=Strana Notes=Bilješke @@ -817,7 +821,7 @@ URLPhoto=URL slike/loga SetLinkToAnotherThirdParty=Poveži s drugom trećom osobom LinkTo=Poveži s LinkToProposal=Poveži s ponudom -LinkToExpedition= Link to expedition +LinkToExpedition= Link na ekspediciju LinkToOrder=Poveži s narudžbom LinkToInvoice=Poveži s računom LinkToTemplateInvoice=Poveznica na predložak računa @@ -903,12 +907,12 @@ MassFilesArea=Sučelje za datoteke izrađene masovnom radnjama ShowTempMassFilesArea=Prikaži sučelje datoteka stvorenih masovnom akcijom ConfirmMassDeletion=Potvrda skupnog brisanja ConfirmMassDeletionQuestion=Jeste li sigurni da želite izbrisati %s odabrane zapise? -ConfirmMassClone=Bulk clone confirmation -ConfirmMassCloneQuestion=Select project to clone to -ConfirmMassCloneToOneProject=Clone to project %s +ConfirmMassClone=Potvrda masovnog kloniranja +ConfirmMassCloneQuestion=Odaberite projekt u koji želite klonirati +ConfirmMassCloneToOneProject=Kloniraj u projekt %s RelatedObjects=Povezani dokumenti -ClassifyBilled=Classify Billed -ClassifyUnbilled=Classify Unbilled +ClassifyBilled=Razvrstaj naplaćeno +ClassifyUnbilled=Klasificiraj nenaplaćeno Progress=Napredak ProgressShort=Napredak FrontOffice=Front office @@ -916,19 +920,20 @@ BackOffice=Back office Submit=Predaj View=Vidi Export=Izvoz podataka +Import=Uvoz Exports=Izvoz podataka ExportFilteredList=Izvoz pročišćenog popisa ExportList=Spis izvoza ExportOptions=Opcije izvoza IncludeDocsAlreadyExported=Uključuje već izvezene dokumente -ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and will be exported -ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported +ExportOfPiecesAlreadyExportedIsEnable=Već izvezeni dokumenti vidljivi su i bit će izvezeni +ExportOfPiecesAlreadyExportedIsDisable=Već izvezeni dokumenti su skriveni i neće se izvesti AllExportedMovementsWereRecordedAsExported=Sva izvezena kretanja evidentirana su kao izvezena NotAllExportedMovementsCouldBeRecordedAsExported=Nisu svi izvezeni pokreti mogli biti zabilježeni kao izvezeni Miscellaneous=Ostalo Calendar=Kalendar GroupBy=Grupiraj prema... -GroupByX=Group by %s +GroupByX=Grupiraj prema %s ViewFlatList=Pregledaj popis bez grananja ViewAccountList=Pregledajte knjigu ViewSubAccountList=Pregledajte knjigu podračuna @@ -940,7 +945,7 @@ DirectDownloadInternalLink=Privatni link za preuzimanje PrivateDownloadLinkDesc=Morate biti prijavljeni i potrebna su vam dopuštenja za pregled ili preuzimanje datoteke Download=Preuzimanje DownloadDocument=Preuzimanje dokumenta -DownloadSignedDocument=Download signed document +DownloadSignedDocument=Preuzmite potpisani dokument ActualizeCurrency=Upiši novi tečaj Fiscalyear=Fiskalna godina ModuleBuilder=Graditelj modula i aplikacija @@ -949,7 +954,7 @@ BulkActions=Opsežne radnje ClickToShowHelp=Klikni za prikaz pomoći WebSite=Mrežna stranica WebSites=Mrežne stranice -WebSiteAccounts=Računi web stranice +WebSiteAccounts=Računi za pristup webu ExpenseReport=Izvještaj troškova ExpenseReports=Izvještaji troškova HR=HR @@ -1066,7 +1071,7 @@ SearchIntoContracts=Ugovori SearchIntoCustomerShipments=Pošiljke kupcu SearchIntoExpenseReports=Troškovnici SearchIntoLeaves=Napusti -SearchIntoKM=Knowledge base +SearchIntoKM=Baza znanja SearchIntoTickets=Tiketi SearchIntoCustomerPayments=Plaćanja kupaca SearchIntoVendorPayments=Plaćanja dobavljača @@ -1077,6 +1082,7 @@ CommentPage=Prostor za napomene CommentAdded=Napomena dodana CommentDeleted=Napomena obrisana Everybody=Svi +EverybodySmall=Svi PayedBy=Platio PayedTo=Plaćeno Monthly=Mjesečno @@ -1089,7 +1095,7 @@ KeyboardShortcut=Kratica tipkovnice AssignedTo=Dodijeljeno korisniku Deletedraft=Obriši skicu ConfirmMassDraftDeletion=Potvrda masovnog brisanja skica -FileSharedViaALink=Datoteka je podijeljena s javnom vezom +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Prvo izaberite treću osobu... YouAreCurrentlyInSandboxMode=Trenutno ste %s u "sandbox" načinu rada Inventory=Zalihe @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Zadatak ContactDefault_propal=Ponuda ContactDefault_supplier_proposal=Ponuda dobavljača ContactDefault_ticket=Tiket -ContactAddedAutomatically=Kontakt je dodan iz uloga treće strane za kontakt +ContactAddedAutomatically=Kontakt dodan iz uloga kontakta treće strane More=Više ShowDetails=Prikaži detalje CustomReports=Prilagođena izvješća @@ -1138,7 +1144,7 @@ DeleteFileText=Jeste li sigurni da želite obrisati ovu datoteku? ShowOtherLanguages=Prikaži ostale jezike SwitchInEditModeToAddTranslation=Prijeđite u način uređivanja da biste dodali prijevode za ovaj jezik NotUsedForThisCustomer=Ne koristi se za ovog kupca -NotUsedForThisVendor=Not used for this vendor +NotUsedForThisVendor=Ne koristi se za ovog dobavljača AmountMustBePositive=Iznos mora biti pozitivan ByStatus=Po statusu InformationMessage=Podatak @@ -1159,29 +1165,29 @@ EventReminder=Podsjetnik na događaj UpdateForAllLines=Ažuriranje za sve linije OnHold=Na čekanju Civility=Uljudnost -AffectTag=Assign a Tag -AffectUser=Assign a User -SetSupervisor=Set the supervisor +AffectTag=Dodijeli oznaka +AffectUser=Dodijelite korisnika +SetSupervisor=Postavite nadzornika CreateExternalUser=Stvorite vanjskog korisnika -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) +ConfirmAffectTag=Skupni oznaka zadatak +ConfirmAffectUser=Skupno dodjeljivanje korisnika +ProjectRole=Uloga dodijeljena svakom projektu/prilici +TasksRole=Uloga dodijeljena svakom zadatku (ako se koristi) ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? +ConfirmUpdatePrice=Odaberite stopu povećanja/smanjenja cijene +ConfirmAffectTagQuestion=Jeste li sigurni da želite dodijeliti oznake %s odabranim zapisima? +ConfirmAffectUserQuestion=Jeste li sigurni da želite dodijeliti korisnike %s odabranim zapisima? +ConfirmSetSupervisorQuestion=Jeste li sigurni da želite postaviti nadzornika na %s odabrani zapis(e)? +ConfirmUpdatePriceQuestion=Jeste li sigurni da želite ažurirati cijenu %s odabranih zapisa? CategTypeNotFound=Nije pronađena vrsta oznake za vrstu zapisa Rate=Stopa -SupervisorNotFound=Supervisor not found +SupervisorNotFound=Nadzornik nije pronađen CopiedToClipboard=Kopirano u međuspremnik InformationOnLinkToContract=Ovaj iznos je samo zbroj svih stavki ugovora. Ne uzima se u obzir pojam vremena. ConfirmCancel=Jeste li sigurni da želite otkazati EmailMsgID=ID email poruke -EmailDate=Email date -SetToStatus=Set to status %s +EmailDate=e-pošta datum +SetToStatus=Postavi na status %s SetToEnabled=Postavite na omogućeno SetToDisabled=Postavite na onemogućeno ConfirmMassEnabling=masovno omogućavanje potvrde @@ -1210,32 +1216,47 @@ Terminated=Prekinuto AddLineOnPosition=Dodajte redak na poziciju (na kraju ako je prazan) ConfirmAllocateCommercial=Dodijelite potvrdu prodajnog predstavnika ConfirmAllocateCommercialQuestion=Jeste li sigurni da želite dodijeliti %s odabrane zapise? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned -YourMessage=Your message -YourMessageHasBeenReceived=Your message has been received. We will answer or contact you as soon as possible. -UrlToCheck=Url to check -Automation=Automation -CreatedByEmailCollector=Created by Email collector -CreatedByPublicPortal=Created from Public portal -UserAgent=User Agent +CommercialsAffected=Dodijeljeni prodajni predstavnici +CommercialAffected=Dodijeljen prodajni predstavnik +YourMessage=Tvoja poruka +YourMessageHasBeenReceived=Vaša poruka je primljena. Odgovorit ćemo Vam ili Vas kontaktirati u najkraćem mogućem roku. +UrlToCheck=Url do Provjeri +Automation=Automatizacija +CreatedByEmailCollector=Izradio e-pošta kolekcionar +CreatedByPublicPortal=Izrađeno s Javnog portala +UserAgent=Korisnički agent InternalUser=Interni korisnik ExternalUser=Vanjski korisnik -NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. -HideOnVCard=Hide %s -AddToContacts=Add address to my contacts -LastAccess=Last access -UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here -LastPasswordChangeDate=Last password change date -PublicVirtualCardUrl=Virtual business card page URL -PublicVirtualCard=Virtual business card -TreeView=Tree view -DropFileToAddItToObject=Drop a file to add it to this object -UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +NoSpecificContactAddress=Nema konkretnog kontakta ili adrese +NoSpecificContactAddressBis=Ova je kartica namijenjena forsiranju određenih kontakata ili adresa za trenutni objekt. Koristite ga samo ako želite definirati jedan ili više specifičnih kontakata ili adresa za objekt kada podaci o trećoj strani nisu dovoljni ili nisu točni. +HideOnVCard=Sakrij %s +AddToContacts=Dodaj adresu mojim kontaktima +LastAccess=Zadnji pristup +UploadAnImageToSeeAPhotoHere=Učitajte sliku s kartice %s da vidite fotografiju ovdje +LastPasswordChangeDate=Datum posljednje promjene lozinke +PublicVirtualCardUrl=URL stranice virtualne posjetnice +PublicVirtualCard=Virtualna posjetnica +TreeView=Pogled na stablo +DropFileToAddItToObject=Ispustite datoteku da je dodate ovom objektu +UploadFileDragDropSuccess=Datoteke su uspješno učitane +SearchSyntaxTooltipForStringOrNum=Za pretraživanje unutar tekstualnih polja, možete koristiti znakove ^ ili $ da napravite 'početak ili kraj s' pretraživanjem ili koristiti ! napraviti test 'ne sadrži'. Možete koristiti | između dva niza umjesto razmaka za uvjet 'ILI' umjesto 'i'. Za numeričke vrijednosti možete upotrijebiti operator <, >, <=, >= ili != prije vrijednosti za filtriranje pomoću matematičke usporedbe InProgress=U postupku -DateOfPrinting=Date of printing -ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. -UserNotYetValid=Not yet valid +DateOfPrinting=Datum tiskanja +ClickFullScreenEscapeToLeave=Kliknite ovdje za prebacivanje na cijeli zaslon. Pritisnite ESCAPE da napustite način rada preko cijelog zaslona. +UserNotYetValid=Još ne vrijedi UserExpired=Isteklo +LinkANewFile=Poveži novu datoteku/dokument +LinkedFiles=Povezane datoteke i dokumenti +NoLinkFound=Nema registriranih veza +LinkComplete=Datoteka je uspješno povezana +ErrorFileNotLinked=Datoteku je nemoguće povezati +LinkRemoved=Veza %s je obrisana +ErrorFailedToDeleteLink= Neuspješno brisanje veze '%s' +ErrorFailedToUpdateLink= Neuspješna promjena veze '%s' +URLToLink=URL prema vezi +OverwriteIfExists=Prepiši ako datoteka postoji +AmountSalary=Iznos plaće +InvoiceSubtype=Podvrsta računa +ConfirmMassReverse=Skupna potvrda storniranja +ConfirmMassReverseQuestion=Jeste li sigurni da želite za poništavanje %s odabranih zapisa? + diff --git a/htdocs/langs/hr_HR/oauth.lang b/htdocs/langs/hr_HR/oauth.lang index d48b3e8f90d..efce5eaf917 100644 --- a/htdocs/langs/hr_HR/oauth.lang +++ b/htdocs/langs/hr_HR/oauth.lang @@ -1,36 +1,42 @@ # Dolibarr language file - Source file is en_US - oauth -ConfigOAuth=OAuth Configuration -OAuthServices=OAuth Services -ManualTokenGeneration=Manual token generation -TokenManager=Token Manager -IsTokenGenerated=Is token generated ? +ConfigOAuth=OAuth konfiguracija +OAuthServices=OAuth usluge +ManualTokenGeneration=Ručno generiranje tokena +TokenManager=Upravitelj tokena +IsTokenGenerated=Je li token generiran? NoAccessToken=Nema pristupnog tokena u lokalnoj bazi HasAccessToken=Token je generiran i pohranjen u lokalnu bazu -NewTokenStored=Token received and saved -ToCheckDeleteTokenOnProvider=Click here to check/delete authorization saved by %s OAuth provider +NewTokenStored=Token primljen i spremljen +ToCheckDeleteTokenOnProvider=Kliknite ovdje da biste Provjeri/izbrisali autorizaciju koju je spremio %s OAuth davatelj TokenDeleted=Token obrisan -RequestAccess=Click here to request/renew access and receive a new token +GetAccess=Kliknite ovdje da biste dobili token +RequestAccess=Kliknite ovdje da zatražite/obnovite pristup i primite novi token DeleteAccess=Kliknite ovdje za brisanje tokena -UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider: -ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. -OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens -SeePreviousTab=See previous tab -OAuthProvider=OAuth provider -OAuthIDSecret=OAuth ID and Secret +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider +ListOfSupportedOauthProviders=Dodajte svoje pružatelje OAuth2 tokena. Zatim idite na administratorsku stranicu svog OAuth davatelja na izradi/dobijte OAuth ID i Secret i spremite ih ovdje. Kada završite, uključite drugu karticu da biste generirali svoj token. +OAuthSetupForLogin=Stranica za upravljanje (generiranje/brisanje) OAuth tokena +SeePreviousTab=Pogledajte prethodnu karticu +OAuthProvider=OAuth pružatelj usluga +OAuthIDSecret=OAuth ID i Secret TOKEN_REFRESH=Token Refresh Present -TOKEN_EXPIRED=Token expired +TOKEN_EXPIRED=Token je istekao TOKEN_EXPIRE_AT=Token expire at TOKEN_DELETE=Delete saved token -OAUTH_GOOGLE_NAME=OAuth Google service -OAUTH_GOOGLE_ID=OAuth Google Id -OAUTH_GOOGLE_SECRET=OAuth Google Secret -OAUTH_GITHUB_NAME=OAuth GitHub service -OAUTH_GITHUB_ID=OAuth GitHub Id +OAUTH_GOOGLE_NAME=OAuth Google usluga +OAUTH_GOOGLE_ID=OAuth Google ID +OAUTH_GOOGLE_SECRET=OAuth Google tajna +OAUTH_GITHUB_NAME=OAuth GitHub usluga +OAUTH_GITHUB_ID=OAuth GitHub ID OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret +OAUTH_URL_FOR_CREDENTIAL=Idite na ovu stranicu do izradi ili preuzmite svoj OAuth ID i tajni OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test -OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live -OAUTH_ID=OAuth ID -OAUTH_SECRET=OAuth secret -OAuthProviderAdded=OAuth provider added -AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists +OAUTH_STRIPE_LIVE_NAME=OAuth Stripe uživo +OAUTH_ID=OAuth ID klijenta +OAUTH_SECRET=OAuth tajna +OAUTH_TENANT=OAuth stanar +OAuthProviderAdded=OAuth pružatelj usluga je dodan +AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=OAuth unos za ovog pružatelja i Oznaka već postoji +URLOfServiceForAuthorization=URL pruža OAuth usluga za Ovjera vjerodostojnosti +Scopes=Dopuštenja (opsezi) +ScopeUndefined=Dozvole (opsezi) nedefinirane (pogledajte prethodnu karticu) diff --git a/htdocs/langs/hr_HR/products.lang b/htdocs/langs/hr_HR/products.lang index 4b033273c17..fe71dea284e 100644 --- a/htdocs/langs/hr_HR/products.lang +++ b/htdocs/langs/hr_HR/products.lang @@ -80,8 +80,11 @@ SoldAmount=Prodani iznos PurchasedAmount=Nabavni iznos NewPrice=Nova cijena MinPrice=Min. prodajna cijena +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=Uredite oznaku prodajne cijene -CantBeLessThanMinPrice=Prodajna cijena za ovaj proizvod (%s bez PDV-a) ne može biti manja od najmanje dozvoljene. Ova poruka može se pojaviti i kada ste upisali bitan popust. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Zatvoreno ErrorProductAlreadyExists=Proizvod s oznakom %s već postoji ErrorProductBadRefOrLabel=Neispravna vrijednost za referencu ili oznaku. @@ -347,16 +350,17 @@ UseProductFournDesc=Add a feature to define the product description defined by t ProductSupplierDescription=Opis dobavljača za proizvod UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=You will automaticaly purchase a multiple of this quantity. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging #Attributes +Attributes=Attributes VariantAttributes=Atributi varijante ProductAttributes=Varijanta atributa za proizvode ProductAttributeName=Atribut varijante %s ProductAttribute=Atribut varijante ProductAttributeDeleteDialog=Jeste li sigurni da želite izbrisati ovaj atribut? Sve vrijednosti će biti izbrisane -ProductAttributeValueDeleteDialog=Jeste li sigurni da želite izbrisati vrijednost "%s" s referencom "%s" ovog atributa? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Jeste li sigurni da želite izbrisati varijantu proizvoda " %s "? ProductCombinationAlreadyUsed=Došlo je do pogreške prilikom brisanja varijante. Molimo provjerite da se ne koristi ni u jednom objektu ProductCombinations=Varijante @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=There was an error while trying to delete existin NbOfDifferentValues=br. različitih vrijednosti NbProducts=Broj proizvoda ParentProduct=Matični proizvod +ParentProductOfVariant=Parent product of variant HideChildProducts=Sakrij varijante proizvoda ShowChildProducts=Prikaži varijante proizvoda NoEditVariants=Go to Parent product card and edit variants price impact in the variants tab @@ -417,7 +422,7 @@ ErrorsProductsMerge=Pogreške u spajanju proizvoda SwitchOnSaleStatus=Uključite status prodaje SwitchOnPurchaseStatus=Uključite status nabave UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Extra Fields (stock mouvement) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Dodatna polja (inventar) ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes PuttingPricesUpToDate=Ažurirajte cijene s trenutačno poznatim cijenama @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Select the extrafield you want modify ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? ModifyValueExtrafields = Modify value of an extrafield OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/hr_HR/projects.lang b/htdocs/langs/hr_HR/projects.lang index 693ed55a765..7df7e2be928 100644 --- a/htdocs/langs/hr_HR/projects.lang +++ b/htdocs/langs/hr_HR/projects.lang @@ -6,24 +6,24 @@ ProjectLabel=Oznaka projekta ProjectsArea=Projekti ProjectStatus=Status projekta SharedProject=Svi -PrivateProject=Assigned contacts -ProjectsImContactFor=Projects for which I am explicitly a contact +PrivateProject=Dodijeljeni kontakti +ProjectsImContactFor=Projekti za koje sam ja izričito kontakt AllAllowedProjects=Svi projekti koje mogu pročitati (vlastiti + javni) AllProjects=Svi projekti -MyProjectsDesc=This view is limited to the projects that you are a contact for +MyProjectsDesc=Ovaj prikaz ograničen je na projekte za koje ste vi kontakt ProjectsPublicDesc=Ovaj popis predstavlja sve projekte za koje imate dozvolu. TasksOnProjectsPublicDesc=Ovaj popis predstavlja sve zadatke na projektima za koje imate dozvolu. ProjectsPublicTaskDesc=Ovaj popis predstavlja sve projekte i zadatke za koje imate dozvolu. ProjectsDesc=Ovaj popis predstavlja sve projekte (vaše korisničke dozvole odobravaju vam da vidite sve). TasksOnProjectsDesc=Ovaj popis predstavlja sve zadatke na svim projektima (vaše korisničke dozvole odobravaju vam da vidite sve). -MyTasksDesc=This view is limited to the projects or tasks that you are a contact for +MyTasksDesc=Ovaj prikaz ograničen je na projekte ili zadatke za koje ste vi kontakt OnlyOpenedProject=Samo otvoreni projekti su vidljivi (projekti u skicama ili zatvorenog statusa nisu vidljivi). ClosedProjectsAreHidden=Zatvoreni projekti nisu vidljivi. TasksPublicDesc=Ovaj popis predstavlja sve projekte i zadatke za koje imate dozvolu. TasksDesc=Ovaj popis predstavlja sve projekte i zadatke (vaše korisničke dozvole odobravaju vam da vidite sve). AllTaskVisibleButEditIfYouAreAssigned=Svi zadaci kvalificiranih projekata su vidljivi, ali možete unijeti vrijeme samo za zadatak dodijeljen odabranom korisniku. Dodijelite zadatak ako na njemu trebate unijeti vrijeme. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. -ImportDatasetProjects=Projects or opportunities +OnlyYourTaskAreVisible=Vidljivi su samo zadaci koji su vam dodijeljeni. Ako trebate unijeti vrijeme na zadatak i ako zadatak nije vidljiv ovdje, trebate dodijeliti zadatak sebi. +ImportDatasetProjects=Projekti ili mogućnosti ImportDatasetTasks=Zadaci projekta ProjectCategories=Projektne oznake / kategorije NewProject=Novi projekt @@ -33,21 +33,23 @@ DeleteATask=Izbriši zadatak ConfirmDeleteAProject=Jeste li sigurni da želite obrisati ovaj projekt? ConfirmDeleteATask=Jeste li sigurni da želite ozbrisati ovaj zadatak? OpenedProjects=Otvoreni projekti +OpenedProjectsOpportunities=Otvorene mogućnosti OpenedTasks=Otvoreni zadaci OpportunitiesStatusForOpenedProjects=Mogući iznos otvorenih projekata po statusu OpportunitiesStatusForProjects=Mogući iznos projekata po statusu ShowProject=Prikaži projekt ShowTask=Prikaži zadatak -SetThirdParty=Set third party +SetThirdParty=Postavite treću stranu SetProject=Postavi projekt -OutOfProject=Out of project +OutOfProject=Izvan projekta NoProject=Nema definiranih ili vlastih projekata -NbOfProjects=Number of projects -NbOfTasks=Number of tasks +NbOfProjects=Broj projekata +NbOfTasks=Broj zadataka +TimeEntry=Praćenje vremena TimeSpent=Vrijeme utrošeno +TimeSpentSmall=Vrijeme utrošeno TimeSpentByYou=Vaše utrošeno vrijeme TimeSpentByUser=Utrošeno vrijeme korisnika -TimesSpent=Vrijeme utrošeno TaskId=Oznaka zadatka RefTask=Referenca zadatka LabelTask=Naziv zadatka @@ -72,27 +74,27 @@ NewTask=Novi zadatak AddTask=Izradi zadatak AddTimeSpent=Stvorite zapis utrošenog vremena AddHereTimeSpentForDay=Ovdje dodajte vrijeme utrošeno za ovaj dan/zadatak -AddHereTimeSpentForWeek=Add here time spent for this week/task +AddHereTimeSpentForWeek=Ovdje dodajte vrijeme potrošeno za ovaj tjedan/zadatak Activity=Aktivnost Activities=Zadaci/aktovnosti MyActivities=Moji zadaci/aktivnosti MyProjects=Moji projekti MyProjectsArea=Sučelje mojih projekata DurationEffective=Efektivno trajanje -ProgressDeclared=Declared real progress +ProgressDeclared=Proglašen stvarni napredak TaskProgressSummary=Napredak zadatka -CurentlyOpenedTasks=Curently open tasks -TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption -ProgressCalculated=Progress on consumption +CurentlyOpenedTasks=Trenutno otvoreni zadaci +TheReportedProgressIsLessThanTheCalculatedProgressionByX=Deklarirani stvarni napredak manji je %s od napretka u potrošnji +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Deklarirani stvarni napredak veći je %s od napretka u potrošnji +ProgressCalculated=Napredak u potrošnji WhichIamLinkedTo=s kojim sam povezan WhichIamLinkedToProject=projekt s kojim sam povezan Time=Vrijeme -TimeConsumed=Consumed +TimeConsumed=Potrošeno ListOfTasks=Popis zadataka GoToListOfTimeConsumed=Idi na popis utrošenog vremena GanttView=Gantogram -ListWarehouseAssociatedProject=List of warehouses associated to the project +ListWarehouseAssociatedProject=Popis skladišta povezanih s projektom ListProposalsAssociatedProject=Popis komercijalnih prijedloga vezanih za projekt ListOrdersAssociatedProject=Popis narudžbenica vezanih za projekt ListInvoicesAssociatedProject=Popis računa kupaca koji se odnose na projekt @@ -107,7 +109,7 @@ ListDonationsAssociatedProject=Popis donacija vezanih za projekt ListVariousPaymentsAssociatedProject=Popis raznih plaćanja vezanih za projekt ListSalariesAssociatedProject=Popis isplata plaća vezanih za projekt ListActionsAssociatedProject=Popis događaja vezanih za projekt -ListMOAssociatedProject=List of manufacturing orders related to the project +ListMOAssociatedProject=Popis proizvodnih naloga koji se odnose na projekt ListTaskTimeUserProject=Popis utrošenog vremena po zadacima projekta ListTaskTimeForTask=Popis vremena utrošenog na zadatak ActivityOnProjectToday=Današnja aktivnost na projektu @@ -120,13 +122,13 @@ ChildOfTask=Niža razina zadatka TaskHasChild=Zadatak ima nižu razinu NotOwnerOfProject=Nije vlasnik ovog privatnog projekta AffectedTo=Dodjeljeno -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=Ovjeri projekt +CantRemoveProject=Ovaj projekt nije moguće ukloniti jer se na njega pozivaju neki drugi objekti (fakture, narudžbe ili drugo). Pogledajte karticu '%s'. +ValidateProject=Validirajte projekt ConfirmValidateProject=Jeste li sigurni da želite odobriti ovaj projekt? CloseAProject=Zatvori projekt ConfirmCloseAProject=Jeste li sigurni da želite zatvoriti ovaj projekt? -AlsoCloseAProject=Also close project -AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it +AlsoCloseAProject=Također zatvorite projekt +AlsoCloseAProjectTooltip=Držite ga otvorenim ako i dalje trebate slijediti proizvodne zadatke na njemu ReOpenAProject=Otvori projekt ConfirmReOpenAProject=Jeste li sigurni da želite ponovo otvoriti ovaj projekt? ProjectContact=Kontakti projekta @@ -144,7 +146,7 @@ NoTasks=Nema zadataka u ovom projektu LinkedToAnotherCompany=Povezano s drugim komitentom TaskIsNotAssignedToUser=Zadatak nije dodijeljen korisniku. Upotrijebite gumb '%s' da biste dodijelili zadatak. ErrorTimeSpentIsEmpty=Utrošeno vrijeme je prazno -TimeRecordingRestrictedToNMonthsBack=Time recording is restricted to %s months back +TimeRecordingRestrictedToNMonthsBack=Vrijeme snimanja ograničeno je na %s mjeseci unazad ThisWillAlsoRemoveTasks=Ova akcija će također obrisati sve zadatke projekta (%s zadataka u ovom trenutku) i sve unose utrošenog vremena. IfNeedToUseOtherObjectKeepEmpty=Ako neki objekti (računi, narudžbe,...), pripadaju drugom komitentu, moraju biti povezani s projektom koji se kreira, ostavite prazno da bi projekt bio za više komitenata. CloneTasks=Kloniraj zadatke @@ -169,8 +171,8 @@ OpportunityProbability=Glavna vjerojatnost OpportunityProbabilityShort=Glavna vjer. OpportunityAmount=Glavni iznos OpportunityAmountShort=Glavni iznos -OpportunityWeightedAmount=Amount of opportunity, weighted by probability -OpportunityWeightedAmountShort=Opp. weighted amount +OpportunityWeightedAmount=Količina mogućnosti, ponderirana vjerojatnošću +OpportunityWeightedAmountShort=Opp. ponderirani iznos OpportunityAmountAverageShort=Prosječan glavni iznos OpportunityAmountWeigthedShort=Ponderirani glavni iznos WonLostExcluded=Izostavi Dobiveno/Izgubljeno @@ -194,22 +196,22 @@ PlannedWorkload=Planirano opterećenje PlannedWorkloadShort=Opterećenje ProjectReferers=Povezane stavke ProjectMustBeValidatedFirst=Projekt mora biti prvo ovjeren -MustBeValidatedToBeSigned=%s must be validated first to be set to Signed. -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time +MustBeValidatedToBeSigned=%s prvo mora biti potvrđen da bi bio postavljen na Potpisano. +FirstAddRessourceToAllocateTime=Dodijelite korisnički resurs kao kontaktu projekta za dodjelu vremena InputPerDay=Unos po danu InputPerWeek=Unos po tjednu -InputPerMonth=Input per month +InputPerMonth=Unos mjesečno InputDetail=Pojedinosti unosa TimeAlreadyRecorded=Ovo vrijeme je već zabilježeno za ovaj zadatak / dan, a korisnik %s ProjectsWithThisUserAsContact=Projekti s ovim korisnikom kao kontakt osoba -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=Projekti s ovim kontaktom treće strane TasksWithThisUserAsContact=Zadaci dodjeljeni korisniku ResourceNotAssignedToProject=Nije dodjeljen projektu ResourceNotAssignedToTheTask=Nije dodjeljen zadatku NoUserAssignedToTheProject=Nema korisnika dodijeljenih ovom projektu TimeSpentBy=Vrijeme utrošeno do TasksAssignedTo=Zadaci dodijeljeni -AssignTaskToMe=Assign task to myself +AssignTaskToMe=Dodijelite sebi zadatak AssignTaskToUser=Dodijeli zadatak %s SelectTaskToAssign=Odaberite zadatak za dodjelu... AssignTask=Dodjeli @@ -220,12 +222,12 @@ ProjectNbProjectByMonth=Broj izrađenih projekata po mjesecima ProjectNbTaskByMonth=Broj izrađenih zadataka po mjesecima ProjectOppAmountOfProjectsByMonth=Iznos potencijalnih zahtjeva po mjesecima ProjectWeightedOppAmountOfProjectsByMonth=Ponderirani iznos potencijalnih zahtjeva po mjesecima -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads +ProjectOpenedProjectByOppStatus=Otvoreni projekt|voda po potencijal status +ProjectsStatistics=Statistika o projektima ili potencijalnim klijentima +TasksStatistics=Statistika zadataka projekata ili potencijalnih klijenata TaskAssignedToEnterTime=Zadatak dodjeljen. Unos vremena za zadatak je moguće. IdTaskTime=ID vre. zad. -YouCanCompleteRef=Ako referencu želite dovršiti nekim sufiksom, preporučuje se dodavanje znaka "-" kako biste ga odvojili, tako će automatsko brojanje i dalje raditi ispravno za sljedeće projekte. Na primjer %s-MOJSUFIKS +YouCanCompleteRef=Ako želite dovršiti ref s nekim sufiksom, preporučuje se dodavanje znaka - za odvajanje, tako da će automatsko numeriranje i dalje ispravno raditi za sljedeće projekte. Na primjer %s-MYSUFFIX OpenedProjectsByThirdparties=Otvoreni projekti trećih strana OnlyOpportunitiesShort=Samo potencijalni OpenedOpportunitiesShort=Otvoreni potencijalni @@ -237,19 +239,19 @@ OpportunityPonderatedAmountDesc=Vodeći iznos ponderiran s vjerojatnošću OppStatusPROSP=Prospekcija OppStatusQUAL=Kvalifikacija OppStatusPROPO=Ponuda -OppStatusNEGO=Pregovor +OppStatusNEGO=Pregovaranje OppStatusPENDING=Na čekanju OppStatusWON=Dobio OppStatusLOST=Izgubljeno Budget=Proračun -AllowToLinkFromOtherCompany=Allow to link an element with a project of other company

      Supported values:
      - Keep empty: Can link elements with any projects in the same company (default)
      - "all": Can link elements with any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link elements with any projects of these third partys (Example: 123,4795,53)
      +AllowToLinkFromOtherCompany=Omogućuje povezivanje elementa s projektom druge tvrtke

      Podržane vrijednosti:
      - Drži prazno: može povezati elemente s bilo kojim projektom u istom tvrtka (zadano)
      - "sve": može povezati elemente s bilo kojim projektima, čak i projektima drugih tvrtki
      - Popis ID-ova trećih strana odvojenih zarezima: može povezati elemente s bilo kojim projektima tih trećih strana (Primjer: 123,4795,53)
      LatestProjects=Najnoviji %s projekti LatestModifiedProjects=Najnoviji %s modificirani projekti OtherFilteredTasks=Ostali filtrirani zadaci NoAssignedTasks=Nisu pronađeni zadani zadaci (dodijelite projekt / zadatke trenutnom korisniku iz gornjeg okvira za odabir da biste unijeli vrijeme u njega) ThirdPartyRequiredToGenerateInvoice=Treća strana mora biti definirana na projektu kako bi mogli fakturirati. ThirdPartyRequiredToGenerateInvoice=Treća strana mora biti definirana na projektu kako bi mogli fakturirati. -ChooseANotYetAssignedTask=Choose a task not yet assigned to you +ChooseANotYetAssignedTask=Odaberite zadatak koji vam još nije dodijeljen # Comments trans AllowCommentOnTask=Dopusti napomene korisnika na zadatke AllowCommentOnProject=Dopusti napomene korisnika na projekte @@ -259,43 +261,44 @@ RecordsClosed=%s projekt(i) su zatvoreni SendProjectRef=Informativni projekt %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Modul 'Plaće' mora biti omogućen da definirte satnicu zaposlenika kako bi ona mogla biti obračunata NewTaskRefSuggested=Ref. zadatka je već iskorišten, potreban je novi ref. +NumberOfTasksCloned=%s zadatak(i) klonirani TimeSpentInvoiced=Naplaćeno utrošeno vrijeme TimeSpentForIntervention=Vrijeme utrošeno TimeSpentForInvoice=Vrijeme utrošeno OneLinePerUser=Jedna linija po korisniku -ServiceToUseOnLines=Service to use on lines by default +ServiceToUseOnLines=Usluga za upotrebu na linijama prema zadanim postavkama InvoiceGeneratedFromTimeSpent=Račun %s generiran je od vremena utrišenog na projektu -InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. -ProjectFollowOpportunity=Follow opportunity -ProjectFollowTasks=Follow tasks or time spent -Usage=Usage +InterventionGeneratedFromTimeSpent=Intervencija %s generirana je iz vremena provedenog na projektu +ProjectBillTimeDescription=Provjeri ako unesete vremensku tablicu za zadatke projekta i planirate generirati račun(e) iz vremenske tablice za naplatu korisniku projekt (nemojte Provjeri ako planirate izradi fakturirati koji se ne temelji na unesenim vremenskim tablicama). Napomena: da biste generirali fakturu, idite na karticu 'Utrošeno vrijeme' projekta i odaberite retke koje želite uključiti. +ProjectFollowOpportunity=Slijedite priliku +ProjectFollowTasks=Pratite zadatke ili potrošeno vrijeme +Usage=Korištenje UsageOpportunity=Upotreba: Prilika UsageTasks=Upotreba: Zadaci UsageBillTimeShort=Uporaba: Vrijeme obračuna -InvoiceToUse=Draft invoice to use -InterToUse=Draft intervention to use +InvoiceToUse=Nacrt fakture za korištenje +InterToUse=Nacrt intervencije za korištenje NewInvoice=Novi račun NewInter=Nova intervencija -OneLinePerTask=One line per task -OneLinePerPeriod=One line per period -OneLinePerTimeSpentLine=One line for each time spent declaration -AddDetailDateAndDuration=With date and duration into line description -RefTaskParent=Ref. Parent Task -ProfitIsCalculatedWith=Profit is calculated using -AddPersonToTask=Add also to tasks -UsageOrganizeEvent=Usage: Event Organization -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. -SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them -ProjectTasksWithoutTimeSpent=Project tasks without time spent -FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. -ProjectsHavingThisContact=Projects having this contact +OneLinePerTask=Jedan redak po zadatku +OneLinePerPeriod=Jedan redak po razdoblju +OneLinePerTimeSpentLine=Jedan redak za svaku deklaraciju potrošenog vremena +AddDetailDateAndDuration=S datumom trajanja i u opisu retka +RefTaskParent=Ref. Roditeljski zadatak +ProfitIsCalculatedWith=Dobit se izračunava pomoću +AddPersonToTask=Dodaj također u zadatke +UsageOrganizeEvent=Upotreba: Organizacija događaja +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Klasificiraj projekt kao zatvoren kada su svi njegovi zadaci dovršeni (100%% napredak) +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Napomena: to neće utjecati na postojeće projekte sa svim zadacima koji su već postavljeni na napredak od 100%%: morat ćete ih zatvoriti ručno. Ova opcija utječe samo na otvorene projekte. +SelectLinesOfTimeSpentToInvoice=Odaberite retke utrošenog vremena koji nisu naplaćeni, a zatim skupnu akciju "Generiraj fakturu" da ih naplatite +ProjectTasksWithoutTimeSpent=Projektni zadaci bez utrošenog vremena +FormForNewLeadDesc=Hvala što ste ispunili sljedeći obrazac da nas kontaktirate. Također nam možete poslati e-pošta izravno na %s. +ProjectsHavingThisContact=Projekti koji imaju ovaj kontakt StartDateCannotBeAfterEndDate=Datum kraja ne može biti prije datuma početka -ErrorPROJECTLEADERRoleMissingRestoreIt=The "PROJECTLEADER" role is missing or has been de-activited, please restore in the dictionary of contact types -LeadPublicFormDesc=You can enable here a public page to allow your prospects to make a first contact to you from a public online form -EnablePublicLeadForm=Enable the public form for contact -NewLeadbyWeb=Your message or request has been recorded. We will answer or contact your soon. -NewLeadForm=New contact form -LeadFromPublicForm=Online lead from public form -ExportAccountingReportButtonLabel=Get report +ErrorPROJECTLEADERRoleMissingRestoreIt=Uloga "PROJECTLEADER" nedostaje ili je deaktivirana, vratite je u rječnik vrsta kontakata +LeadPublicFormDesc=Ovdje možete omogućiti javnu stranicu kako biste svojim potencijalnim klijentima omogućili da stupe u prvi kontakt s vama putem javnog online obrasca +EnablePublicLeadForm=Omogućite javni obrazac za kontakt +NewLeadbyWeb=Vaša poruka ili zahtjev je snimljen. Odgovorit ćemo vam ili vas kontaktirati uskoro. +NewLeadForm=Novi kontakt obrazac +LeadFromPublicForm=Online potencijalni kupac iz javnog obrasca +ExportAccountingReportButtonLabel=Dobiti izvješće diff --git a/htdocs/langs/hr_HR/propal.lang b/htdocs/langs/hr_HR/propal.lang index 0b5ae848b51..eaeee649dbb 100644 --- a/htdocs/langs/hr_HR/propal.lang +++ b/htdocs/langs/hr_HR/propal.lang @@ -12,9 +12,11 @@ NewPropal=Nova ponuda Prospect=Mogući kupac DeleteProp=Izbriši ponudu ValidateProp=Ovjeri ponudu +CancelPropal=Otkaži AddProp=Izradi ponudu -ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? -ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? +ConfirmDeleteProp=Jeste li sigurni da želite izbrisati ovaj komercijalni prijedlog? +ConfirmValidateProp=Jeste li sigurni da želite za potvrdu ovog komercijalnog prijedloga pod imenom %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Zadnje %s ponude LastModifiedProposals=Zadnje %s izmijenjene ponude AllPropals=Sve ponude @@ -27,11 +29,13 @@ NbOfProposals=Broj ponuda ShowPropal=Prikaži ponudu PropalsDraft=Skice PropalsOpened=Otvorene +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Skica (potrebno ovjeriti) PropalStatusValidated=Ovjerena (otvorena ponuda) PropalStatusSigned=Potpisane (za naplatu) PropalStatusNotSigned=Nepotpisane (zatvorene) PropalStatusBilled=Zaračunate +PropalStatusCanceledShort=Poništeno PropalStatusDraftShort=Skica PropalStatusValidatedShort=Otvoreno PropalStatusClosedShort=Zatvorena @@ -52,15 +56,16 @@ ErrorPropalNotFound=Ponuda %s nije pronađena AddToDraftProposals=Dodati skici ponude NoDraftProposals=Nema skica ponuda CopyPropalFrom=Izradi ponudu preslikom postojeće ponude -CreateEmptyPropal=Create empty commercial proposal or from list of products/services +CreateEmptyPropal=izradi prazan komercijalni prijedlog ili s popisa proizvoda/usluga DefaultProposalDurationValidity=Osnovni rok valjanosti ponude (u danima) -DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal -UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address -ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? +DefaultPuttingPricesUpToDate=Prema zadanim postavkama ažurirajte cijene trenutno poznatim cijenama za kloniranje ponude +DefaultPuttingDescUpToDate=Prema zadanim postavkama ažurirajte opise trenutačno poznatim opisima pri kloniranju prijedloga +UseCustomerContactAsPropalRecipientIfExist=Koristite kontakt/adresu s vrstom "Predlog za praćenje kontakta" ako je definiran umjesto adrese treće strane kao adrese primatelja prijedloga +ConfirmClonePropal=Jeste li sigurni da želite za kloniranje komercijalnog prijedloga %s? ConfirmReOpenProp=Jeste li sigurni da želite ponovno otvoriti ponudu %s ? ProposalsAndProposalsLines=Ponude i stavke ProposalLine=Stavka ponude -ProposalLines=Proposal lines +ProposalLines=Linije prijedloga AvailabilityPeriod=Rok isporuke SetAvailability=Odredi rok isporuke AfterOrder=poslije narudžbe @@ -77,42 +82,43 @@ AvailabilityTypeAV_1M=Mjesec dana TypeContact_propal_internal_SALESREPFOLL=Suradnik koji prati ponudu TypeContact_propal_external_BILLING=Kontakt osoba pri kupcu za račun TypeContact_propal_external_CUSTOMER=Kontakt osoba pri kupcu za ponudu -TypeContact_propal_external_SHIPPING=Customer contact for delivery +TypeContact_propal_external_SHIPPING=Kontakt kupca za dostavu # Document models -CantBeNoSign=cannot be set not signed -CaseFollowedBy=Case followed by -ConfirmMassNoSignature=Bulk Not signed confirmation -ConfirmMassNoSignatureQuestion=Are you sure you want to set not signed the selected records ? -ConfirmMassSignature=Bulk Signature confirmation -ConfirmMassSignatureQuestion=Are you sure you want to sign the selected records ? -ConfirmMassValidation=Bulk Validate confirmation -ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +CantBeNoSign=ne može se postaviti nepotpisano +CaseFollowedBy=Slučaj slijedi +ConfirmMassNoSignature=Skupna Nepotpisana potvrda +ConfirmMassNoSignatureQuestion=Jeste li sigurni da želite postaviti nepotpisane odabrane zapise? +ConfirmMassSignature=Potvrda skupnog potpisa +ConfirmMassSignatureQuestion=Jeste li sigurni da želite potpisati odabrane zapise? +ConfirmMassValidation=Potvrda skupne valjanosti +ConfirmMassValidationQuestion=Jeste li sigurni da želite za provjeru valjanosti odabranih zapisa? +ConfirmRefusePropal=Jeste li sigurni da želite odbiti ovaj komercijalni prijedlog? ContractSigned=Ugovor potpisan DefaultModelPropalClosed=Osnovni predložak prilikom zatvaranja poslovne ponude (nenaplaćeno) DefaultModelPropalCreate=Izrada osnovnog modela DefaultModelPropalToBill=Osnovni predložak prilikom zatvaranja poslovne ponude (za naplatu) -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model -FichinterSigned=Intervention signed -IdProduct=Product ID -IdProposal=Proposal ID -IsNotADraft=is not a draft -LineBuyPriceHT=Buy Price Amount net of tax for line +DocModelAzurDescription=Potpuni model prijedloga (stara implementacija Cyan predloška) +DocModelCyanDescription=Kompletan model ponude +FichinterSigned=Intervencija potpisana +IdProduct=Identifikacijski broj proizvoda +IdProposal=ID prijedloga +IsNotADraft=nije nacrt +LineBuyPriceHT=Cijena kupnje Iznos bez poreza za liniju NoSign=Odbij -NoSigned=set not signed -PassedInOpenStatus=has been validated -PropalAlreadyRefused=Proposal already refused -PropalAlreadySigned=Proposal already accepted -PropalRefused=Proposal refused -PropalSigned=Proposal accepted +NoSigned=set nije potpisan +PassedInOpenStatus=je potvrđeno +PropalAlreadyRefused=Prijedlog je već odbijen +PropalAlreadySigned=Prijedlog je već prihvaćen +PropalRefused=Prijedlog odbijen +PropalSigned=Prijedlog prihvaćen ProposalCustomerSignature=Potvrda narudžbe; pečat tvrtke, datum i potpis -ProposalsStatisticsSuppliers=Vendor proposals statistics -RefusePropal=Refuse proposal -Sign=Sign -SignContract=Sign contract -SignFichinter=Sign intervention -SignPropal=Accept proposal -Signed=signed -SignedOnly=Signed only +ProposalsStatisticsSuppliers=Statistika ponuda dobavljača +RefusePropal=Odbij prijedlog +Sign=Znak +SignContract=Potpišite ugovor +SignFichinter=Znak intervencije +SignSociete_rib=Sign mandate +SignPropal=Prihvati prijedlog +Signed=potpisan +SignedOnly=Samo potpisano diff --git a/htdocs/langs/hr_HR/sendings.lang b/htdocs/langs/hr_HR/sendings.lang index f40c682ed1a..9050b82fb95 100644 --- a/htdocs/langs/hr_HR/sendings.lang +++ b/htdocs/langs/hr_HR/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Ovjereno StatusSendingProcessedShort=Obrađen SendingSheet=Dostavnica ConfirmDeleteSending=Are you sure you want to delete this shipment? -ConfirmValidateSending=Jeste li sigurni da želite ovjeriti ovu isporuku pod oznakom %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Upozorenje, nema prozvoda za isporuku. @@ -48,7 +48,7 @@ DateDeliveryPlanned=Planirani datum isporuke RefDeliveryReceipt=Broj otpremnice StatusReceipt=Stanje otpremnice DateReceived=Datum primitka pošiljke -ClassifyReception=Classify reception +ClassifyReception=Classify Received SendShippingByEMail=Send shipment by email SendShippingRef=Dostavnica %s ActionsOnShipping=Događaji na otpremnici @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase NoProductToShipFoundIntoStock=No product to ship found in warehouse %s. Correct stock or go back to choose another warehouse. WeightVolShort=Masa/Volum. ValidateOrderFirstBeforeShipment=Prvo morate ovjeriti narudžbu prije izrade otpremnice. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,3 +75,12 @@ SumOfProductWeights=Ukupna masa proizvoda # warehouse details DetailWarehouseNumber= Skladišni detalji DetailWarehouseFormat= W:%s (Qty: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation + +ShipmentDistribution=Shipment distribution + +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/hr_HR/website.lang b/htdocs/langs/hr_HR/website.lang index 5304a9e8539..387097393b5 100644 --- a/htdocs/langs/hr_HR/website.lang +++ b/htdocs/langs/hr_HR/website.lang @@ -1,78 +1,79 @@ # Dolibarr language file - Source file is en_US - website Shortname=Kod -WebsiteName=Name of the website +WebsiteName=Naziv web stranice WebsiteSetupDesc=Ovdje kreirajte web stranice koje želite koristiti. Zatim idite na izbornik Web stranice da ih uredite. DeleteWebsite=Obriši Web mjesto ConfirmDeleteWebsite=Jeste li sigurni da želite izbrisati ovu web stranicu? Sve njegove stranice i sadržaj također će biti uklonjeni. Učitane datoteke (kao u direktorij medija, ECM modul, ...) ostat će. -WEBSITE_TYPE_CONTAINER=Type of page/container +WEBSITE_TYPE_CONTAINER=Vrsta stranice/spremnika WEBSITE_PAGE_EXAMPLE=Web stranica za korištenje kao primjer WEBSITE_PAGENAME=Naziv stranice/alias WEBSITE_ALIASALT=Alternativni nazivi stranica/pseudonim -WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
      alternativename1, alternativename2, ... +WEBSITE_ALIASALTDesc=Ovdje upotrijebite popis drugih imena/pseudonima kako bi se stranici također moglo pristupiti korištenjem ovih drugih imena/pseudonima (na primjer, staro ime nakon preimenovanja aliasa kako bi povratna veza na staru vezu/naziv radila). Sintaksa je:
      alternativnoime1, alternativnoime2, ... WEBSITE_CSS_URL=URL vanjske CSS datoteke WEBSITE_CSS_INLINE=Sadržaj CSS datoteke (zajednički za sve stranice) -WEBSITE_JS_INLINE=Sadržaj Javascript datoteke (zajednički za sve stranice) -WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) +WEBSITE_JS_INLINE=Sadržaj JavaScript datoteke (zajednički za sve stranice) +WEBSITE_HTML_HEADER=Dodatak na dnu HTML zaglavlja (zajednički za sve stranice) WEBSITE_ROBOT=Datoteka za botove (robots.txt) WEBSITE_HTACCESS=.htaccess datoteka za web stranicu WEBSITE_MANIFEST_JSON=manifest.json datoteka za web stranicu WEBSITE_KEYWORDSDesc=Za odvajanje vrijednosti koristite zarez -EnterHereReadmeInformation=Enter here a description of the website. If you distribute your website as a template, the file will be included into the temptate package. -EnterHereLicenseInformation=Enter here the LICENSE of the code of the website. If you distribute your website as a template, the file will be included into the temptate package. -HtmlHeaderPage=HTML header (specific to this page only) -PageNameAliasHelp=Name or alias of the page.
      This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. -EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. +EnterHereReadmeInformation=Ovdje unesite opis web stranice. Ako svoju web stranicu distribuirate kao predložak, datoteka će biti uključena u paket temptate. +EnterHereLicenseInformation=Ovdje unesite LICENCU koda web stranice. Ako svoju web stranicu distribuirate kao predložak, datoteka će biti uključena u paket temptate. +HtmlHeaderPage=HTML zaglavlje (specifično samo za ovu stranicu) +PageNameAliasHelp=Naziv ili pseudonim stranice.
      Ovaj pseudonim se također koristi za lažiranje SEO URL-a kada se web-mjesto pokreće s virtualnog hosta web-poslužitelja (kao što su Apacke, Nginx, .. .). Koristite gumb "%s" za uređivanje ovog aliasa. +EditTheWebSiteForACommonHeader=Napomena: Ako želite definirati personalizirano zaglavlje za sve stranice, uredite zaglavlje na razini stranice umjesto na stranici/spremniku. MediaFiles=Mediji EditCss=Uredite svojstva web stranice EditMenu=Uredi izbornik -EditMedias=Edit medias -EditPageMeta=Edit page/container properties -EditInLine=Edit inline +EditMedias=Uredi medije +EditPageMeta=Uredite svojstva stranice/spremnika +EditInLine=Uredi u tekstu AddWebsite=Dodajte web stranicu -Webpage=Web page/container -AddPage=Add page/container +Webpage=Web stranica/spremnik +AddPage=Dodajte stranicu/spremnik PageContainer=Strana -PreviewOfSiteNotYetAvailable=The preview of your website %s is not yet available. You must first 'Import a full website template' or just 'Add a page/container'. +PreviewOfSiteNotYetAvailable=Pregled vaše web-lokacije %s još nije dostupan. Najprije morate 'Uvesti cijeli predložak web stranice' ili samo ' span>Dodajte stranicu/spremnik'. RequestedPageHasNoContentYet=Zatražena stranica s ID-om %s još nema sadržaja ili je datoteka iz predmemorije .tpl.php uklonjena. Uredite sadržaj stranice kako biste to riješili. SiteDeleted=Web stranica '%s' je izbrisana -PageContent=Page/Contenair -PageDeleted=Page/Contenair '%s' of website %s deleted -PageAdded=Page/Contenair '%s' added +PageContent=Stranica/Contenair +PageDeleted=Stranica/Contenair '%s' web stranice %s izbrisana +PageAdded=Stranica/Contenair '%s' dodana ViewSiteInNewTab=Pogledaj lokaciju u novom tabu ViewPageInNewTab=Pogledaj stranicu u novom tabu SetAsHomePage=Postavi kao početnu stranicu RealURL=Pravi URL ViewWebsiteInProduction=Pogledaj web lokaciju koristeći URL naslovnice -Virtualhost=Virtual host or domain name -VirtualhostDesc=The name of the Virtual host or domain (For example: www.mywebsite.com, mybigcompany.net, ...) -SetHereVirtualHost=Use with Apache/NGinx/...
      Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
      %s +Virtualhost=Naziv virtualnog hosta ili domene +VirtualhostDesc=Naziv virtualnog hosta ili domene (Na primjer: www.mywebsite.com, mybigcompany.net, ...) +SetHereVirtualHost=Koristi s Apache/NGinx/...
      Stvori na vaš web poslužitelj (Apache, Nginx, ...) namjenski virtualni host s omogućenim PHP-om i korijenski direktorij na
      %s ExampleToUseInApacheVirtualHostConfig=Primjer za korištenje u postavljanju virtualnog hosta Apache: -YouCanAlsoTestWithPHPS=Use with PHP embedded server
      On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
      php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
      If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org -CheckVirtualHostPerms=Check also that the virtual host user (for example www-data) has %s permissions on files into
      %s +YouCanAlsoTestWithPHPS=Korištenje s PHP ugrađenim poslužiteljem
      U razvojnom okruženju možete radije testirajte web mjesto s ugrađenim PHP web poslužiteljem (potreban je PHP 5.5) pokretanjem
      php -S 0.0.0.0 :8080 -t %s +YouCanAlsoDeployToAnotherWHP=Pokrenite svoju web stranicu s drugim Dolibarr pružateljem usluga hostinga
      Ako nemate web poslužitelj kao što je Apache ili NGinx dostupan na internetu, možete izvesti i uvesti svoju web stranicu na drugu instancu Dolibarra koju pruža drugi pružatelj usluge hostinga Dolibarr koji pruža potpunu integraciju s modul web stranice. Popis nekih Dolibarr pružatelja usluga hostinga možete pronaći na https://saas.dolibarr.org +CheckVirtualHostPerms=Provjeri također da korisnik virtualnog hosta (na primjer www-data) ima %s dopuštenja za datoteke u
      %s ReadPerm=Čitaj WritePerm=Piši TestDeployOnWeb=Testirajte / implementirajte na web -PreviewSiteServedByWebServer=Preview %s in a new tab.

      The %s will be served by an external web server (like Apache, Nginx, IIS). You must install and setup this server before to point to directory:
      %s
      URL served by external server:
      %s -PreviewSiteServedByDolibarr=Preview %s in a new tab.

      The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed.
      The inconvenient is that the URLs of pages are not user friendly and start with the path of your Dolibarr.
      URL served by Dolibarr:
      %s

      To use your own external web server to serve this web site, create a virtual host on your web server that points on directory
      %s
      then enter the name of this virtual server in the properties of this website and click on the link "Test/Deploy on the web". -VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined +PreviewSiteServedByWebServer=Pregledajte %s u novoj kartici.

      %s posluživat će vanjski web poslužitelj (kao što je Apache, Nginx, IIS ). Morate instalirati i postavku ovog poslužitelja prije nego što usmjerite na direktorij:
      %s
      URL koji poslužuje vanjski poslužitelj:
      %s +PreviewSiteServedByDolibarr=Pregledajte %s u novoj kartici.

      %s posluživat će poslužitelj Dolibarr tako da ne treba dodatni web poslužitelj (kao što su Apache, Nginx, IIS) koje treba instalirati.
      Nezgodno je to što URL-ovi stranica nisu prilagođeni korisniku i počnite s putanjom vašeg Dolibarra.
      URL koji poslužuje Dolibarr:
      %s

      Da biste koristili vlastiti vanjski web poslužitelj za posluživanje ove web stranice, izradi virtualni host na vašem web poslužitelju koji pokazuje na direktorij
      %s
      zatim unesite naziv ovog virtualnog poslužitelja u svojstva ove web stranice i kliknite vezu "Testiraj/Postavi na web". +VirtualHostUrlNotDefined=URL virtualnog hosta kojeg poslužuje vanjski web poslužitelj nije definiran NoPageYet=Još nema stranica YouCanCreatePageOrImportTemplate=Možete stvoriti novu stranicu ili uvesti cijeli predložak web stranice SyntaxHelp=Pomoć za određene savjete za sintaksu -YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . -ClonePage=Clone page/container -CloneSite=Clone site +YouCanEditHtmlSourceckeditor=Izvorni HTML kod možete urediti pomoću gumba "Izvor" u uređivaču. +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      +YouCanEditHtmlSource2=Za sliku podijeljenu s vezom za dijeljenje (otvoreni pristup pomoću hash ključa za dijeljenje datoteke), sintaksa je:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      +ClonePage=Kloniraj stranicu/spremnik +CloneSite=Klonirajte mjesto SiteAdded=Web stranica dodana -ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page. +ConfirmClonePage=Unesite kod/pseudonim nove stranice i ako je to prijevod klonirane stranice. PageIsANewTranslation=Nova stranica je prijevod trenutne stranice? LanguageMustNotBeSameThanClonedPage=Klonirate stranicu kao prijevod. Jezik nove stranice mora se razlikovati od jezika izvorne stranice. ParentPageId=ID roditeljske stranice WebsiteId=ID web stranice -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... +CreateByFetchingExternalPage=izradi stranica/spremnik dohvaćanjem stranice s vanjskog URL-a... OrEnterPageInfoManually=Ili izradite stranicu od nule ili iz predloška stranice... FetchAndCreate=Dohvati i kreiraj ExportSite=Izvoz web stranice @@ -80,18 +81,18 @@ ImportSite=Uvezite predložak web stranice IDOfPage=Id stranice Banner=Baner BlogPost=Blog post -WebsiteAccount=Website account +WebsiteAccount=Račun web stranice WebsiteAccounts=Računi web stranice -AddWebsiteAccount=Create web site account -BackToListForThirdParty=Back to list for the third parties +AddWebsiteAccount=izradi račun web stranice +BackToListForThirdParty=Povratak na popis za treće strane DisableSiteFirst=Prvo onemogućite web stranicu MyContainerTitle=Naslov moje web stranice -AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists) +AnotherContainer=Ovako možete uključiti sadržaj druge stranice/spremnika (ovdje možete imati pogrešku ako omogućite dinamički kod jer ugrađeni potspremnik možda ne postoji) SorryWebsiteIsCurrentlyOffLine=Nažalost, ova web stranica trenutno nije na mreži. Molim vas, vratite se kasnije... -WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table +WEBSITE_USE_WEBSITE_ACCOUNTS=Omogućite tablicu računa web stranice WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Omogućite tablicu za pohranu računa web stranice (login/pass) za svaku web stranicu / treću stranu YouMustDefineTheHomePage=Najprije morate definirati zadanu početnu stranicu -OnlyEditionOfSourceForGrabbedContentFuture=Upozorenje: Izrada web stranice uvozom vanjske web stranice rezervirana je za iskusne korisnike. Ovisno o složenosti izvorne stranice, rezultat uvoza može se razlikovati od izvornika. Također ako izvorna stranica koristi uobičajene CSS stilove ili sukobljeni javascript, to može narušiti izgled ili značajke uređivača web-mjesta tijekom rada na ovoj stranici. Ova metoda je brži način za izradu stranice, ali se preporučuje da novu stranicu izradite od nule ili iz predloženog predloška stranice.
      Također imajte na umu da ugrađeni uređivač možda neće raditi ispravno kada se koristi na preuzetoj vanjskoj stranici. +OnlyEditionOfSourceForGrabbedContentFuture=Upozorenje: Izrada web stranice uvozom vanjske web stranice rezervirana je za iskusne korisnike. Ovisno o složenosti izvorne stranice, rezultat uvoza može se razlikovati od izvornika. Također, ako izvorna stranica koristi uobičajene CSS stilove ili sukobljeni JavaScript, to može pokvariti izgled ili značajke uređivača web-mjesta prilikom rada na ovoj stranici. Ova je metoda brži način za izradi stranicu, ali preporučuje se izradi svoju novu stranicu ispočetka ili s predložene stranice predložak.
      Također imajte na umu da ugrađeni uređivač možda neće raditi ispravno kada se koristi na preuzetoj vanjskoj stranici. OnlyEditionOfSourceForGrabbedContent=Moguće je samo izdanje HTML izvora kada je sadržaj preuzet s vanjske stranice GrabImagesInto=Uzmite i slike pronađene u css-u i stranici. ImagesShouldBeSavedInto=Slike bi trebale biti spremljene u imenik @@ -105,42 +106,42 @@ ZipOfWebsitePackageToImport=Prenesite Zip datoteku paketa predložaka web-mjesta ZipOfWebsitePackageToLoad=ili Odaberite dostupni paket ugrađenih predložaka web-mjesta ShowSubcontainers=Prikaži dinamički sadržaj InternalURLOfPage=Interni URL stranice -ThisPageIsTranslationOf=This page/container is a translation of -ThisPageHasTranslationPages=This page/container has translation +ThisPageIsTranslationOf=Ova stranica/spremnik je prijevod +ThisPageHasTranslationPages=Ova stranica/spremnik ima prijevod NoWebSiteCreateOneFirst=Još nije stvorena nijedna web stranica. Prvo stvorite jednu. GoTo=Idi na DynamicPHPCodeContainsAForbiddenInstruction=Dodajete dinamički PHP kod koji sadrži PHP instrukciju ' %s ' koja je prema zadanim postavkama zabranjena kao dinamički sadržaj (pogledajte skrivene opcije WEBSITE_PHP_ALL list_xxx naredbe za povećanje dopuštenih naredbi). NotAllowedToAddDynamicContent=Nemate dopuštenje za dodavanje ili uređivanje PHP dinamičkog sadržaja na web stranicama. Zatražite dopuštenje ili jednostavno zadržite kod u php oznakama nepromijenjenim. -ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Izbrisati i sve javascript datoteke specifične za ovu web stranicu? -DeleteAlsoMedias=Delete also all medias files specific to this website? +ReplaceWebsiteContent=Pretražite ili zamijenite sadržaj web stranice +DeleteAlsoJs=Izbrisati i sve JavaScript datoteke specifične za ovu web stranicu? +DeleteAlsoMedias=Izbrisati i sve medijske datoteke specifične za ovo web mjesto? MyWebsitePages=Moje web stranice -SearchReplaceInto=Search | Replace into -ReplaceString=New string -CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Upozorenje: Ovaj sadržaj izlazi samo kada se stranici pristupa s poslužitelja. Ne koristi se u načinu uređivanja pa ako trebate učitati javascript datoteke također u načinu uređivanja, samo dodajte svoju oznaku 'script src=...' na stranicu. +SearchReplaceInto=Traži | Zamijeni u +ReplaceString=Novi niz +CSSContentTooltipHelp=Ovdje unesite CSS sadržaj. Kako biste izbjegli bilo kakav sukob s CSS-om aplikacije, svakoj deklaraciji svakako dodajte klasu .bodywebsite. Na primjer:

      #mycssselector, input.myclass:hover { ...
      mora biti
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ...

      Napomena: ako imate veliku datoteku bez ovog prefiksa, možete upotrijebiti 'lessc' da je pretvorite u dodavanje prefiksa .bodywebsite posvuda. +LinkAndScriptsHereAreNotLoadedInEditor=Upozorenje: Ovaj se sadržaj ispisuje samo kada se stranici pristupi s poslužitelja. Ne koristi se u načinu uređivanja pa ako trebate učitati JavaScript datoteke i u načinu uređivanja, samo dodajte svoju oznaka 'script src=...' na stranicu. Dynamiccontent=Uzorak stranice s dinamičkim sadržajem ImportSite=Uvezite predložak web stranice -EditInLineOnOff=Mode 'Edit inline' is %s +EditInLineOnOff=Način 'Inline Edit' je %s ShowSubContainersOnOff=Način za izvršavanje 'dinamičkog sadržaja' je %s -GlobalCSSorJS=Global CSS/JS/Header file of web site +GlobalCSSorJS=Globalna datoteka CSS/JS/Header web stranice BackToHomePage=Povratak na početnu stranicu... TranslationLinks=Prijevodne veze -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
      (ref=%s, type=%s, status=%s) +YouTryToAccessToAFileThatIsNotAWebsitePage=Pokušavate pristupiti stranici koja nije dostupna.
      (ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=Za dobre SEO prakse, koristite tekst između 5 i 70 znakova MainLanguage=Glavni jezik OtherLanguages=Drugi jezici UseManifest=Navedite datoteku manifest.json PublicAuthorAlias=Javno ime autora AvailableLanguagesAreDefinedIntoWebsiteProperties=Dostupni jezici definirani su u svojstvima web stranice -ReplacementDoneInXPages=Replacement done in %s pages or containers +ReplacementDoneInXPages=Zamjena izvršena na %s stranicama ili spremnicima RSSFeed=RSS Feed -RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL -PagesRegenerated=%s page(s)/container(s) regenerated +RSSFeedDesc=Pomoću ovog URL-a možete dobiti RSS feed najnovijih članaka tipa 'blogpost' +PagesRegenerated=%s stranica/spremnik(i) regenerirano RegenerateWebsiteContent=Regenerirajte datoteke predmemorije web stranice -AllowedInFrames=Allowed in Frames +AllowedInFrames=Dopušteno u okvirima DefineListOfAltLanguagesInWebsiteProperties=Definirajte popis svih dostupnih jezika u svojstva web stranice. -GenerateSitemaps=Generate website sitemap.xml file +GenerateSitemaps=Generirajte datoteku sitemap.xml web stranice ConfirmGenerateSitemaps=Ako potvrdite, izbrisat ćete postojeću Sitemap datoteku ... ConfirmSitemapsCreation=Potvrdite generiranje Sitemapa SitemapGenerated=Generirana datoteka Sitemap %s @@ -148,15 +149,18 @@ ImportFavicon=Favicon ErrorFaviconType=Favicon mora biti png ErrorFaviconSize=Favicon mora biti veličine 16x16, 32x32 ili 64x64 FaviconTooltip=Prenesite sliku koja mora biti PNG (16x16, 32x32 ili 64x64) -NextContainer=Next page/container -PreviousContainer=Previous page/container -WebsiteMustBeDisabled=The website must have the status "%s" -WebpageMustBeDisabled=The web page must have the status "%s" -SetWebsiteOnlineBefore=When website is offline, all pages are offline. Change status of website first. -Booking=Booking -Reservation=Reservation -PagesViewedPreviousMonth=Pages viewed (previous month) -PagesViewedTotal=Pages viewed (total) +NextContainer=Sljedeća stranica/spremnik +PreviousContainer=Prethodna stranica/spremnik +WebsiteMustBeDisabled=Web stranica mora imati status "%s" +WebpageMustBeDisabled=Web stranica mora imati status "%s" +SetWebsiteOnlineBefore=Kada je web stranica izvan mreže, sve stranice su izvan mreže. Prvo promijenite status web stranice. +Booking=Rezervacija +Reservation=Rezervacija +PagesViewedPreviousMonth=Pregledane stranice (prethodni mjesec) +PagesViewedTotal=Pregledane stranice (ukupno) Visibility=Vidljivost -Everyone=Everyone -AssignedContacts=Assigned contacts +Everyone=Svatko +AssignedContacts=Dodijeljeni kontakti +WebsiteTypeLabel=Vrsta web stranice +WebsiteTypeDolibarrWebsite=Web stranica (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Zavičajni portal Dolibarr diff --git a/htdocs/langs/hr_HR/withdrawals.lang b/htdocs/langs/hr_HR/withdrawals.lang index 485c8f91c83..9a8e0de8bcc 100644 --- a/htdocs/langs/hr_HR/withdrawals.lang +++ b/htdocs/langs/hr_HR/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Make a credit transfer request WithdrawRequestsDone=%s direct debit payment requests recorded BankTransferRequestsDone=%s credit transfer requests recorded ThirdPartyBankCode=Kod banke komitenta -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. ClassCredited=Označi kao kreditirano ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Jeste li sigurni da želite unjeti otkazivanje isplate RefusedData=Datum odbijanja RefusedReason=Razlog odbijanja RefusedInvoicing=Naplati odbijanje -NoInvoiceRefused=Nemoj naplatiti odbijanje -InvoiceRefused=Račun odbijen (Naplati odbijanje kupcu) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debit/credit StatusWaiting=Čeka StatusTrans=Poslano @@ -103,7 +106,7 @@ ShowWithdraw=Show Direct Debit Order IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Debit order file @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Datum potpisivanja mandata RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Amount of Direct debit request: BankTransferAmount=Amount of Credit Transfer request: WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Your Bank Account Name (IBAN) SEPAFormYourBIC=Your Bank Identifier Code (BIC) SEPAFrstOrRecur=Type of payment ModeRECUR=Recurring payment +ModeRCUR=Recurring payment ModeFRST=One-off payment PleaseCheckOne=Please check one only CreditTransferOrderCreated=Credit transfer order %s created @@ -155,9 +159,16 @@ InfoTransData=Iznos: %s
      Način: %s
      Datum: %s InfoRejectSubject=Trajni nalog odbijen InfoRejectMessage=Pozdrav,

      bankovni nalog za plaćanje računa %s koji se odnosi na tvrtku %s s iznosom od %s je odbijen.

      --
      %s ModeWarning=Opcija za stvarni način nije postavljena, zaustavljamo nakon ove simulacije -ErrorCompanyHasDuplicateDefaultBAN=Tvrtka s ID-om %s ima više od jednog zadanog bankovnog računa. Nema načina da se zna koji koristiti. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Nedostaje ICS na bankovnom računu %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Ukupni iznos naloga za izravno terećenje razlikuje se od zbroja redaka WarningSomeDirectDebitOrdersAlreadyExists=Upozorenje: Već postoje neki nalozi za izravno terećenje na čekanju (%s) za koji se traži iznos od %s WarningSomeCreditTransferAlreadyExists=Upozorenje: Već je zatražen kreditni prijenos na čekanju (%s) za iznos od %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Plaća +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/hu_HU/accountancy.lang b/htdocs/langs/hu_HU/accountancy.lang index 1d17546ca6d..1e45fb81c83 100644 --- a/htdocs/langs/hu_HU/accountancy.lang +++ b/htdocs/langs/hu_HU/accountancy.lang @@ -16,8 +16,8 @@ ThisService=Ez a szolgáltatás ThisProduct=Ez a termék DefaultForService=Default for services DefaultForProduct=Default for products -ProductForThisThirdparty=Termék ennek a harmadik félnek -ServiceForThisThirdparty=Szolgáltatás ennek a harmadik félnek +ProductForThisThirdparty=Product for this third party +ServiceForThisThirdparty=Service for this third party CantSuggest=Nem tudok javasolni AccountancySetupDoneFromAccountancyMenu=A könyvelés legtöbb beállítása az %s menüből történik ConfigAccountingExpert=A könyvelés modul konfigurálása (kettős bejegyzés) @@ -38,7 +38,7 @@ DeleteCptCategory=Számviteli számla eltávolítása a csoportból ConfirmDeleteCptCategory=Biztosan eltávolítja ezt a számviteli számlát a számviteli számlacsoportból? JournalizationInLedgerStatus=A naplózás állapota AlreadyInGeneralLedger=Már átkerült a számviteli naplókba és a főkönyvbe -NotYetInGeneralLedger=Még nem került át a számviteli naplókba és a főkönyvbe +NotYetInGeneralLedger=Not yet transferred to accounting journals and ledger GroupIsEmptyCheckSetup=A csoport üres, ellenőrizze a személyre szabott számviteli csoport beállítását DetailByAccount=Részletek megjelenítése számlánként DetailBy=Detail by @@ -53,15 +53,13 @@ ExportAccountingSourceDocHelp=Ezzel az eszközzel megkeresheti és exportálhatj ExportAccountingSourceDocHelp2=A naplók exportálásához használja az %s - %s menüpontot. ExportAccountingProjectHelp=Adjon meg egy projektet, ha csak egy adott projekthez van szüksége számviteli jelentésre. A projektbeszámolók nem tartalmazzák a költségjelentéseket és a hitelkifizetéseket. ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported, click on the button above. VueByAccountAccounting=Megtekintés számviteli számla szerint VueBySubAccountAccounting=Megtekintés számviteli alszámla szerint MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup @@ -70,13 +68,14 @@ UserAccountNotDefined=A beállításban nincs megadva számviteli számla AccountancyArea=Számviteli terület AccountancyAreaDescIntro=A könyvelési modul használata több lépésben történik: AccountancyAreaDescActionOnce=A következő műveletek általában csak egyszer, vagy évente egyszer kerülnek végrehajtásra... -AccountancyAreaDescActionOnceBis=A következő lépéseket meg kell tennie, hogy a jövőben időt takarítson meg azáltal, hogy automatikusan javasolja a helyes alapértelmezett számviteli számlát a számviteli adatok átvitelekor +AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automatically the correct default accounting account when transferring data in accounting AccountancyAreaDescActionFreq=A következő műveleteket általában havonta, hetente vagy naponta hajtják végre nagyon nagy cégeknél... AccountancyAreaDescJournalSetup=LÉPÉS %s: Ellenőrizze a naplólista tartalmát az %s menüből AccountancyAreaDescChartModel=LÉPÉS %s: Ellenőrizze, hogy létezik-e számlatükör-modell, vagy hozzon létre egyet az %s menüből AccountancyAreaDescChart=LÉPÉS %s: Válassza ki és|vagy töltse ki a számlatervét az %s menüből +AccountancyAreaDescFiscalPeriod=STEP %s: Define a fiscal year by default on which to integrate your accounting entries. For this, use the menu entry %s. AccountancyAreaDescVat=LÉPÉS %s: Határozza meg a számviteli számlákat az egyes áfakulcsokhoz. Ehhez használja az %s menüpontot. AccountancyAreaDescDefault=LÉPÉS %s: Határozza meg az alapértelmezett számviteli számlákat. Ehhez használja az %s menüpontot. AccountancyAreaDescExpenseReport=LÉPÉS %s: Határozzon meg alapértelmezett számviteli számlákat minden költségjelentéstípushoz. Ehhez használja az %s menüpontot. @@ -84,7 +83,7 @@ AccountancyAreaDescSal=LÉPÉS %s: Határozzon meg alapértelmezett számviteli AccountancyAreaDescContrib=LÉPÉS %s: Határozzon meg alapértelmezett számvitelii számlákat az adókhoz (speciális kiadásokhoz). Ehhez használja az %s menüpontot. AccountancyAreaDescDonation=LÉPÉS %s: Határozzon meg alapértelmezett számvitelii számlákat az adományozáshoz. Ehhez használja az %s menüpontot. AccountancyAreaDescSubscription=LÉPÉS %s: Határozza meg az alapértelmezett számviteli számlákat a tagi előfizetéshez. Ehhez használja az %s menüpontot. -AccountancyAreaDescMisc=LÉPÉS %s: Határozza meg a kötelező alapértelmezett számlát és az alapértelmezett számviteli számlákat különféle tranzakciókhoz. Ehhez használja az %s menüpontot. +AccountancyAreaDescMisc=STEP %s: Define mandatory default accounts and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. AccountancyAreaDescLoan=LÉPÉS %s: Határozzon meg alapértelmezett számviteli számlákat a hitelekhez. Ehhez használja az %s menüpontot. AccountancyAreaDescBank=LÉPÉS %s: Határozza meg a számviteli számlákat és a naplókódot minden bankhoz és pénzügyi számlához. Ehhez használja az %s menüpontot. AccountancyAreaDescProd=LÉPÉS %s: Határozzon meg számviteli számlákat a termékekhez/szolgáltatásokhoz. Ehhez használja az %s menüpontot. @@ -95,6 +94,7 @@ AccountancyAreaDescAnalyze=LÉPÉS %s: Meglévő tranzakciók hozzáadása vagy AccountancyAreaDescClosePeriod=LÉPÉS %s: Zárja be az időszakot, hogy a jövőben ne módosíthassuk. +TheFiscalPeriodIsNotDefined=A mandatory step in setup has not been completed (Fiscal period is not defined) TheJournalCodeIsNotDefinedOnSomeBankAccount=A beállítás egy kötelező lépése nem fejeződött be (a számviteli kódnapló nincs megadva minden bankszámlához) Selectchartofaccounts=Válassza ki az aktív számlatükröt ChangeAndLoad=Változás és betöltés @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Különböző számú nullák kezelésének engedélyezé BANK_DISABLE_DIRECT_INPUT=Tranzakció közvetlen rögzítésének letiltása a bankszámlán ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Piszkozatexport engedélyezése a naplóban ACCOUNTANCY_COMBO_FOR_AUX=Kombinációs lista engedélyezése az alszámlához (lassú lehet, ha sok harmadik fél van, és megszakad a keresési képesség az érték egy részén) -ACCOUNTING_DATE_START_BINDING=Határozzon meg egy dátumot a könyvelésbe történő bekötés és átutalás megkezdéséhez. Ezen időpont alatt a tranzakciók nem kerülnek át a könyvelésbe. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=A könyvelési átutalásnál mi az alapértelmezetten kiválasztott időszak +ACCOUNTING_DATE_START_BINDING=Disable binding & transfer in accountancy when date is below this date (the transactions before this date will be excluded by default) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On the page to transfer data into accountancy, what is the period selected by default ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Közösségi napló ACCOUNTING_RESULT_PROFIT=Eredményelszámolási számla (Profit) ACCOUNTING_RESULT_LOSS=Eredményelszámolási számla (Veszteség) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Bezárási napló +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Accounting groups used for the balance sheet account (separate by comma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Accounting groups used for the income statement (separate by comma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers TransitionalAccount=Átmeneti banki átutalásos számla @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Consult here the list of the lines of invoices customers DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transferred in accountancy are visible) DescVentilDoneSupplier=Itt megtekintheti a szállítói számlák sorainak listáját és a számviteli számlájukat DescVentilTodoExpenseReport=Költségjelentési sorok kötése, amelyek még nincsenek kötve díjszámla számlával DescVentilExpenseReport=Itt megtekintheti a költségelszámolási számlához kötött (vagy nem) költségjelentési sorok listáját @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=Ha a számviteli számlát a költségjelentés-soro DescVentilDoneExpenseReport=Itt megtekintheti a költségjelentések sorainak listáját és a díjak elszámolási számláját Closure=Éves zárás -DescClosure=Itt tekintheti meg a még nem érvényesített és zárolt mozgások számát havi bontásban +AccountancyClosureStep1Desc=Itt tekintheti meg a még nem érvényesített és zárolt mozgások számát havi bontásban OverviewOfMovementsNotValidated=Nem érvényesített és zárolt mozgások áttekintése AllMovementsWereRecordedAsValidated=Minden mozgást érvényesítettként és zárolva rögzítettünk NotAllMovementsCouldBeRecordedAsValidated=Nem minden mozgást lehetett érvényesítettként és zároltként rögzíteni @@ -341,7 +343,7 @@ AccountingJournalType3=Vásárlások AccountingJournalType4=Bank AccountingJournalType5=Költségjelentések AccountingJournalType8=Leltár -AccountingJournalType9=Új +AccountingJournalType9=Retained earnings GenerationOfAccountingEntries=Számviteli tételek generálása ErrorAccountingJournalIsAlreadyUse=Ez a napló már használatban van AccountingAccountForSalesTaxAreDefinedInto=Megjegyzés: A forgalmi adó számviteli számlája a %s - %s menüben van meghatározva @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=A kötés és az átvitel letiltása a v ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=A kötés és az átvitel letiltása a könyvelésben a költségjelentéseken (a költségjelentéseket nem veszik figyelembe a könyvelésben) ACCOUNTING_ENABLE_LETTERING=Engedélyezze a feliratozás funkciót a számvitelben ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. +EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigorous accounting management. ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not chosen by the end user +ACCOUNTING_LETTERING_NBLETTERS=Number of letters when generating lettering code (default 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Some accounting software only accepts a two-letter code. This parameter allows you to set this aspect. The default number of letters is three. OptionsAdvanced=Advanced options ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transferred into accountancy differently: A additional debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. ## Export NotExportLettering=Ne exportálja a betűket a fájl létrehozásakor @@ -420,7 +424,7 @@ SaleLocal=Helyi értékesítés SaleExport=Export értékesítés SaleEEC=Eladó az EGK-ban SaleEECWithVAT=Az EGK-ban történő értékesítés áfával nem nulla, ezért feltételezzük, hogy ez NEM közösségen belüli értékesítés, és a javasolt számla a szabványos termékszámla. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of third party is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the third party, or change the product account suggested for binding if needed. ForbiddenTransactionAlreadyExported=Tiltott: A tranzakciót ellenőrizték és/vagy exportálták. ForbiddenTransactionAlreadyValidated=Tiltott: A tranzakció érvényesítése megtörtént. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Nincs egyeztetetlen módosítás AccountancyOneUnletteringModifiedSuccessfully=Egy egyeztetetlen sikeresen módosítva AccountancyUnletteringModifiedSuccessfully=%s egyeztetetlen sikeresen módosítva +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock movements +AccountancyClosureStep2=Step 2 : Close fiscal period +AccountancyClosureStep3=Step 3 : Extract entries (Optional) +AccountancyClosureClose=Close fiscal period +AccountancyClosureAccountingReversal=Extract and record "Retained earnings" entries +AccountancyClosureStep3NewFiscalPeriod=Next fiscal period +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "Retained earnings" entries on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "Retained earnings" entries, detail the sub-ledger accounts +AccountancyClosureCloseSuccessfully=Fiscal period has been closed successfully +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping entries for "Retained earnings" has been inserted successfully + ## Confirm box ConfirmMassUnletteringAuto=Tömeges automatikus egyeztetés megerősítése ConfirmMassUnletteringManual=Tömeges kézi egyeztetés visszaigazolása ConfirmMassUnletteringQuestion=Biztosan meg akarja szüntetni az %s kiválasztott rekord(ok) egyeztetését? ConfirmMassDeleteBookkeepingWriting=Tömeges törlés megerősítése ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +AccountancyClosureConfirmClose=Are you sure you want to close the current fiscal period ? You understand that closing the fiscal period is an irreversible action and will permanently block any modification or deletion of entries over this period. +AccountancyClosureConfirmAccountingReversal=Are you sure you want to record entries for the "Retained earnings" ? ## Error SomeMandatoryStepsOfSetupWereNotDone=A beállítás néhány kötelező lépése nem történt meg, kérjük, végezze el őket -ErrorNoAccountingCategoryForThisCountry=Nincs elérhető számviteli számlacsoport a következő országhoz: %s (Lásd Főoldal - Beállítás - Szótárak) +ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Megpróbálja naplózni a számla néhány sorát %s , de néhány más sor még nincs a számviteli számlához kötve. A számlához tartozó összes számlasor naplózása elutasításra kerül. ErrorInvoiceContainsLinesNotYetBoundedShort=A számla egyes sorai nincsenek számviteli számlához kötve. ExportNotSupported=A beállított exportformátum nem támogatott ezen az oldalon @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=Az egyenleg (%s) nem egyenlő 0-val AccountancyErrorLetteringBookkeeping=Hibák történtek a következő tranzakciókkal kapcsolatban: %s ErrorAccountNumberAlreadyExists=Az %s számviteli szám már létezik ErrorArchiveAddFile=Can't put "%s" file in archive +ErrorNoFiscalPeriodActiveFound=No active fiscal period found +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=The bookkeeping doc date is not inside the active fiscal period +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=The bookkeeping doc date is inside a closed fiscal period ## Import ImportAccountingEntries=Számviteli bejegyzések diff --git a/htdocs/langs/hu_HU/admin.lang b/htdocs/langs/hu_HU/admin.lang index 6ad42b9820e..a4067004b4f 100644 --- a/htdocs/langs/hu_HU/admin.lang +++ b/htdocs/langs/hu_HU/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Ez a modul nem tűnik kompatibilisnek a Dolibarr %s verzióval (Mi CompatibleAfterUpdate=Ehhez a modulhoz frissíteni kell a Dolibarr %s-t (Min %s - Max %s). SeeInMarkerPlace=Lásd a piactéren SeeSetupOfModule=Lásd a %s modul beállításait +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=Állítsa a %s opciót %s értékre Updated=Frissítve AchatTelechargement=Vásárlás / Letöltés @@ -292,22 +294,22 @@ EmailSenderProfiles=E-mailben küldő profilok EMailsSenderProfileDesc=Ezt a részt üresen hagyhatja. Ha néhány e-mail címet beír ide, akkor új e-mail írásakor az esetleges feladók listájába kerülnek a kombinált mezőbe. MAIN_MAIL_SMTP_PORT=SMTP / SMTPS port (alapértelmezett érték a php.ini fájlban: %s ) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS Host (alapértelmezett érték a php.ini fájlban: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP / SMTPS port (Unix-szerű rendszerekben nincs meghatározva a PHP-ben) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS Host (Unix-szerű rendszerekben nincs meghatározva a PHP-ben) -MAIN_MAIL_EMAIL_FROM=Küldő e-mail automatikus e-mailekhez (alapértelmezett érték a php.ini-ben: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=A kézbesítési hibához használt e-mail cím (az elküldött e-mailek „Errors-To” mezői) MAIN_MAIL_AUTOCOPY_TO= Az összes elküldött e-mail másolása (Bcc) MAIN_DISABLE_ALL_MAILS=Az összes e-mail küldés letiltása (teszt vagy demók céljából) MAIN_MAIL_FORCE_SENDTO=Az összes e-mailt küldje el (valódi címzettek helyett, teszt céljából) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Javasolja az alkalmazottak e-mail címeit (ha vannak ilyenek) az előre meghatározott címzettek listájába, amikor új e-mailt ír -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=E-mail küldési módszer MAIN_MAIL_SMTPS_ID=SMTP azonosító (ha a küldő szerver hitelesítést igényel) MAIN_MAIL_SMTPS_PW=SMTP jelszó (ha a kiszolgáló küldése hitelesítést igényel) MAIN_MAIL_EMAIL_TLS=Használjon TLS (SSL) titkosítást MAIN_MAIL_EMAIL_STARTTLS=Használjon TLS (STARTTLS) titkosítást -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Engedélyezze a Les Certificats automatikus aláírását +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=DKIM használata e-mail aláírást generálásához MAIN_MAIL_EMAIL_DKIM_DOMAIN=E-mail domain a DKIM használatához MAIN_MAIL_EMAIL_DKIM_SELECTOR=A DKIM szelektor neve @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Privát kulcs a DKIM aláíráshoz MAIN_DISABLE_ALL_SMS=Az összes SMS küldés letiltása (teszt vagy demók céljából) MAIN_SMS_SENDMODE=SMS küldésére használt metódus MAIN_MAIL_SMS_FROM=Alapértelmezett feladó telefonszám az SMS küldéshez -MAIN_MAIL_DEFAULT_FROMTYPE=Alapértelmezett feladó e-mail cím manuális küldéshez (felhasználói e-mail vagy vállalati e-mail) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=Felhasználó email címe CompanyEmail=Vállalati e-mail FeatureNotAvailableOnLinux=A szolgáltatás nem elérhető Unix szerű rendszereken. Teszteld a sendmail programot helyben. @@ -417,6 +419,7 @@ PDFLocaltax=A(z) %s szabályai HideLocalTaxOnPDF=Az %s kulcs elrejtése az eladási adó/áfa oszlopban HideDescOnPDF=A termékleírás elrejtése HideRefOnPDF=Termékek hivatkozásainak elrejtése +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=A termékcsalád részleteinek elrejtése PlaceCustomerAddressToIsoLocation=A francia címzésminta használata (La Poste) a vevő címének elhelyezésére Library=Könyvtár @@ -424,7 +427,7 @@ UrlGenerationParameters=URL paraméterek biztosítása SecurityTokenIsUnique=Használjunk olyan egyedi securekey paraméter az URL EnterRefToBuildUrl=Adja meg az objektum referencia %s GetSecuredUrl=Get URL számított -ButtonHideUnauthorized=A jogosulatlan műveleti gombok elrejtése a belső felhasználók számára is (egyébként szürkén látható) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=Régi ÁFA-kulcs NewVATRates=Új ÁFA-kulcs PriceBaseTypeToChange=Módosítsa az árakat a meghatározott alap referenciaértékkel @@ -458,11 +461,11 @@ ComputedFormula=Számított mező ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Számított mező mentése ComputedpersistentDesc=A kiszámított extra mezőket az adatbázis tárolja, azonban az érték csak akkor kerül újraszámításra, ha a mező objektuma megváltozik. Ha a kiszámított mező más objektumoktól vagy globális adatoktól függ, akkor ez az érték rossz lehet! -ExtrafieldParamHelpPassword=Ha ezt a mezőt üresen hagyja, akkor ez az érték titkosítás nélkül lesz tárolva (a mezőt csak a csillaggal lehet elrejteni a képernyőn).
      Állítsa be az „auto” értéket az alapértelmezett titkosítási szabály használatával a jelszó adatbázisba mentéséhez (akkor az olvasott érték csak hash kód lesz, az eredeti érték nem olvasható) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=Az értékek listájának olyan sorokat kell tartalmaznia, amelyek formátuma kulcs,érték (ahol a kulcs nem lehet '0')

      például:
      1,érték1
      2,érték2
      kód3,érték3< br>...

      Ahhoz, hogy a lista egy másik kiegészítő attribútumlistától függ:
      1,érték1|opciók_szülőlista_kódja:szülőkulcs
      2,érték2|opciók_ parent_list_code:parent_key

      Ahhoz, hogy a lista egy másik listától függjön:
      1,érték1|szülőlista_kódja:parent_key
      2,value2 |parent_list_code:parent_key ExtrafieldParamHelpcheckbox=Az értékek listájának soroknak kell lennie formátumkulccsal, értékkel (ahol a kulcs nem lehet „0”)

      például:
      1,érték1
      2,érték2
      3, érték3
      ... ExtrafieldParamHelpradio=Az értékek listájának soroknak kell lennie formátumkulccsal, értékkel (ahol a kulcs nem lehet „0”)

      például:
      1,érték1
      2,érték2
      3, érték3
      ... -ExtrafieldParamHelpsellist=Az értékek listája egy táblából származik.
      Szintaxis: táblázat_neve:címkemező:id_mező::filtersql
      Példa: c_typent:libelle:id::filtersql

      - Az id_field feltétlenül elsődleges int kulcs
      - A filtersql egy SQL feltétel. Ez lehet egy egyszerű teszt (pl. active=1), hogy csak az aktív értéket jelenítse meg.
      Használhatja a $ID$ azonosítót is a szűrőben, amely az aktuális objektum aktuális azonosítója.
      A SELECT szűrő használatához használja a kulcsszót $SEL$ a befecskendezés elleni védelem megkerüléséhez.
      ha extramezőkre szeretne szűrni, használja az extra.fieldcode=... szintaxist (ahol a mezőkód az extramező kódja)

      Ahhoz, hogy a lista egy másik kiegészítő attribútum listától függően:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      Ahhoz, hogy a lista egy másik listától függ:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Az értékek listája egy táblázatból származik.
      Szintaxis: tábla_neve:címkemező:id_mező::filtersql
      Példa: c_typent:libelle:id::filtersql

      a szűrő egy egyszerű teszt is lehet (pl. active=1 ) csak az aktív érték megjelenítéséhez
      Használhatja a $ID$-t is a szűrőben, ez az aktuális objektum aktuális azonosítója
      A szűrőben történő KIVÁLASZTÁSHOZ használja a $SEL$
      ha extramezőkre szeretne szűrni, használja szintaxis extra.fieldcode=... (ahol a mezőkód az extramező kódja)

      Ahhoz, hogy a lista egy másik kiegészítő attribútumlistától függ:
      c_typent:libelle:id:options_ parent_list_code|parent_column:filter

      Ahhoz, hogy a lista egy másik listától függjön:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=A paramétereknek ObjectName:Classpath típusúnak kell lennie
      Szintaxis: ObjectName:Classpath ExtrafieldParamHelpSeparator=Hagyja üresen egyszerű elválasztó esetén
      Állítsa ezt 1-re összecsukódó elválasztó esetén (alapértelmezés szerint nyitva van új munkamenethez, majd az állapot megmarad minden felhasználói munkamenethez)
      Állítsa ezt 2-re összecsukódó elválasztó esetén (alapértelmezés szerint összecsukva új munkamenet, akkor az állapot minden felhasználói munkamenetre megmarad) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Írjon be egy telefonszámot, hogy kipróbálhassa a Click RefreshPhoneLink=Hivatkozás frissítése LinkToTest=Az alapérték használatához hagyja üresen KeepEmptyToUseDefault=Az alapérték használatához hagyja üresen -KeepThisEmptyInMostCases=A legtöbb esetben ez a mező üres. +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=Alapértelmezett hivatkozás SetAsDefault=Beállítás alapértelmezettként ValueOverwrittenByUserSetup=Figyelem, ezt az értéket a felhasználó-specifikus beállítás felülírhatja (minden felhasználó beállíthatja saját clicktodial URL-jét) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Ez a HTML mező neve. A HTML-oldal tartalmának elolv PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate=
      Példa:
      Az új harmadik felet létrehozó űrlaphoz az %s.
      Az egyéni könyvtárba telepített külső modulok URL-jéhez ne használja a "custom/ ", ezért használja a mymodule/mypage.php elérési utat, ne pedig custom/mymodule/mypage.php.
      Ha csak akkor szeretne alapértelmezett értéket, ha az url-nek van valamilyen paramétere, használhatja a %st PageUrlForDefaultValuesList=
      Példa:
      A harmadik feleket felsoroló oldal esetében ez a %s.
      Az egyéni könyvtárba telepített külső modulok URL-címe esetén ne használja az "egyéni/"-t, így használjon egy elérési utat, például mymodule/mypagelist.php, és ne custom/mymodule/mypagelist.php.
      Ha csak akkor szeretne alapértelmezett értéket, ha az url-nek van valamilyen paramétere, akkor használja a %s parancsot. -AlsoDefaultValuesAreEffectiveForActionCreate=Azt is vegye figyelembe, hogy az űrlapkészítés alapértelmezett értékeinek felülírása csak a helyesen megtervezett oldalakon működik (vagyis a paraméter action=create vagy presend ...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=Az alapértelmezett értékek testreszabásának engedélyezése EnableOverwriteTranslation=A fordítások testreszabásának engedélyezése GoIntoTranslationMenuToChangeThis=A kódhoz tartozó kulcshoz fordítás található. Ezt az értéket a Kezdőlap-Beállítások-Fordítás menüben lehet megváltoztatni. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Az általános privát könyvtár egy WebDAV könyv DAV_ALLOW_PUBLIC_DIR=Engedélyezze az általános nyilvános könyvtárat (a WebDAV dedikált könyvtárának neve "public" - bejelentkezés nem szükséges) DAV_ALLOW_PUBLIC_DIRTooltip=Az általános nyilvános könyvtár egy WebDAV könyvtár, amelyhez bárki hozzáférhet (olvasási és írási módban), hitelesités nélkül (név/jelszó). DAV_ALLOW_ECM_DIR=A DMS/ECM privát könyvtár engedélyezése (a DMS/ECM modul gyökérkönyvtára - bejelentkezés szükséges) -DAV_ALLOW_ECM_DIRTooltip=A gyökérkönyvtár, ahol az összes fájl manuálisan feltöltésre kerül a DMS/ECM modul használatakor. Ugyanúgy, mint a webes felületről való hozzáféréshez, érvényes névre/jelszóra lesz szükség megfelelő engedélyekkel. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=Felhasználók és csoportok Module0Desc=Felhasználók / alkalmazottak és csoportok menedzsmentje @@ -566,7 +569,7 @@ Module40Desc=Szállítók és beszerzésmenedzsment (beszerzési megrendelések Module42Name=Hibanaplók Module42Desc=Naplózási lehetőségek (fájl, syslog, ...). Az ilyen naplók műszaki / hibakeresési célokra szolgálnak. Module43Name=Hibakereső sáv -Module43Desc=Eszköz a fejlesztők számára, hogy hibakereső sávot adjanak hozzá a böngészőhöz. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=Szerkesztők Module49Desc=Szerkesztő vezetése Module50Name=Termékek @@ -582,7 +585,7 @@ Module54Desc=Szerződések kezelése (szolgáltatások vagy ismétlődő előfiz Module55Name=Vonalkódok Module55Desc=Vonalkód vagy QR kód kezelése Module56Name=Fizetés átutalással -Module56Desc=A beszállítók fizetésének kezelése átutalási megbízásokkal. Ez magában foglalja a SEPA fájl létrehozását az európai országok számára. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=Fizetés csoportos beszedési megbízással Module57Desc=A csoportos beszedési megbízások kezelése. Ez magában foglalja a SEPA fájl létrehozását az európai országok számára. Module58Name=Kattintson a híváshoz @@ -630,6 +633,10 @@ Module600Desc=Üzleti esemény által kiváltott e-mail-értesítések küldése Module600Long=Vegye figyelembe, hogy ez a modul valós időben küld e-maileket, amikor egy adott üzleti esemény bekövetkezik. Ha olyan funkciót keres, amely e-mailben emlékeztetőt küld a napirend eseményeiről, akkor lépjen az Agenda (Napirend) modul beállításához. Module610Name=Termékváltozatok Module610Desc=Termékváltozatok készítése (szín, méret stb.) +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=Adományok Module700Desc=Adomány vezetése Module770Name=Költségjelentések @@ -650,8 +657,8 @@ Module2300Name=Időzített feladatok Module2300Desc=Ütemezett feladatok kezelése (alias cron vagy chrono table) Module2400Name=Események/Naptár Module2400Desc=Események nyomonkövetése. Automatikus események naplózása nyomkövetési célokra, vagy a kézzel létrehozott események és találkozók rögzítése. Ez a fő modul a megfelelő ügyfél- vagy kereskedelmi kapcsolatkezeléshez. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM Module2500Desc=Dokumentumkezelő rendszer / elektronikus tartalomkezelés. A generált vagy tárolt dokumentumok automatikus szervezése. Ossza meg őket, amikor szükséges. Module2600Name=API / Web services (SOAP server) @@ -672,7 +679,7 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=Közösségi hálózatok Module3400Desc=Engedélyezze a közösségi hálózatok mezőit harmadik felek és címek számára (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Humánerőforrás menedzsment (osztály vezetése, munkavállalói szerződések és elégedettség) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Több-cég Module5000Desc=Több vállalat kezelését teszi lehetővé Module6000Name=Modulok közötti munkafolyamat @@ -712,6 +719,8 @@ Module63000Desc=Az eseményekhez elosztandó erőforrások (nyomtatók, autók, Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=Átvételek +ModuleBookCalName=Foglaltsági naptár +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Read customer invoices (and payments) Permission12=Létrehozza / módosítja vevői számlák @@ -996,7 +1005,7 @@ Permission4031=Személyes adatokat olvasása Permission4032=Személyes adatokat írása Permission4033=Read all evaluations (even those of user not subordinates) Permission10001=Olvasd el a webhely tartalmát -Permission10002=Webhelytartalom létrehozása/módosítása (html és javascript tartalom) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=Webhely tartalmának létrehozása/módosítása (dinamikus php kód). Veszélyes, korlátozott fejlesztőknek kell fenntartani. Permission10005=A webhely tartalmának törlése Permission20001=Olvassa el a szabadságra vonatkozó kérelmeket (a saját és a beosztottjaik szabadsága) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Költségjelentés – Tartomány szállítási kateg DictionaryTransportMode=Kommunikáción belüli jelentés – Szállítási mód DictionaryBatchStatus=Terméktétel/sorozat minőségellenőrzési állapota DictionaryAssetDisposalType=Az eszközök elidegenítésének típusa +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Az egység típusa SetupSaved=Beállítás mentett SetupNotSaved=A beállítás nincs elmentve @@ -1109,10 +1119,11 @@ BackToModuleList=Vissza a modulok listájához BackToDictionaryList=Vissza a szótárak listájához TypeOfRevenueStamp=Adóbélyegző típusa VATManagement=Forgalmi adó menedzsment -VATIsUsedDesc=Alapértelmezés szerint a potenciális ügyfelek, számlák, megrendelések stb. létrehozásakor a forgalmi adó kulcsa az aktív standard szabályt követi:
      Ha az eladót nem kell forgalmi adónak fizetni, akkor az áfa alapértelmezés szerint 0. Szabály vége.
      Ha a (eladó országa = vevő országa), akkor a forgalmi adó alapértelmezés szerint megegyezik a termék forgalmi adójával az eladó országában. A szabály vége.
      Ha az eladó és a vevő is az Európai Közösségben tartózkodik, és az áruk szállítással kapcsolatos termékek (fuvarozás, szállítás, légitársaság), az alapértelmezett áfa 0. Ez a szabály az eladó országától függ - kérjük, forduljon hozzá a könyvelőddel. Az áfát a vevőnek kell megfizetnie országa vámhivatalának, nem pedig az eladónak. A szabály vége.
      Ha az eladó és a vevő is az Európai Közösségben tartózkodik, és a vevő nem cég (bejegyzett Közösségen belüli áfaszámmal), akkor az áfa alapértelmezés szerint az eladó országának áfakulcsa. Szabály vége.
      Ha az eladó és a vevő is az Európai Közösségben tartózkodik, és a vevő egy cég (bejegyzett közösségen belüli adószámmal), akkor az áfa alapértelmezés szerint 0. A szabály vége.
      Minden más esetben a javasolt alapértelmezett forgalmi adó=0. A szabály vége. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=Alapértelmezés szerint a javasolt forgalmi adó 0, amely olyan esetekben használható, mint egyesületek, magánszemélyek vagy kisvállalatok. VATIsUsedExampleFR=Franciaországban olyan vállalatokat vagy szervezeteket jelent, amelyek valódi adórendszerrel (egyszerűsített valós vagy normál reál) rendelkeznek. Olyan rendszer, amelyben az áfát bevallják. VATIsNotUsedExampleFR=Franciaországban olyan egyesületeket jelent, amelyek nem forgalmi adót jelentenek be, vagy olyan vállalatokat, szervezeteket vagy szabadfoglalkozásúakat, amelyek a mikrovállalkozási adórendszert (franchise forgalmi adót) választották és franchise forgalmi adót fizettek forgalmi adóbevallás nélkül. Ez a választás a „Nem alkalmazandó forgalmi adó – CGI art-293B” hivatkozást jeleníti meg a számlákon. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=A forgalmi adó típusa LTRate=Arány @@ -1399,8 +1410,8 @@ PHPModuleLoaded=Az %s PHP összetevő betöltődött PreloadOPCode=Előre betöltött OPCode használatos AddRefInList=Megjelenítés Ügyfél/Szállító ref. kombinált listákba.
      A harmadik felek a következő névformátumban jelennek meg: "CC12345 - SC45678 - The Big Company corp." "The Big Company corp" helyett. AddVatInList=Vevő/szállító adószám megjelenítése kombinált listákban. -AddAdressInList=Az Ügyfél/Szállító címének megjelenítése kombinált listákban.
      A harmadik felek névformátuma „The Big Company corp. – 21 jump street 123456 Big Town – USA” lesz a „The Big Company corp” helyett. -AddEmailPhoneTownInContactList=A kapcsolattartói e-mail-cím (vagy telefonszámok, ha nincs megadva) és a város információs listájának megjelenítése (kiválasztott lista vagy kombinált mező)
      A névjegyek névformátuma "Dupond Durand - dupond.durand@email.com - Párizs" vagy "Dupond Durand - 06 07 59 65 66 - Párizs" a „Dupond Durand" helyett. +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=Kérjen harmadik felek számára preferált szállítási módot. FieldEdition=%s mező szerkesztése FillThisOnlyIfRequired=Példa: +2 (csak akkor töltse ki, ha időzóna-eltolási problémákat tapasztal) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Ne jelenítse meg az "Elfelejtett jelszó" UsersSetup=Felhasználók modul beállítása UserMailRequired=Új felhasználó létrehozásához e-mail szükséges UserHideInactive=Az inaktív felhasználók elrejtése az összes kombinált felhasználólistáról (Nem ajánlott: ez azt jelenti, hogy egyes oldalakon nem fog tudni szűrni vagy keresni a régi felhasználók között) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Felhasználói rekordból generált dokumentumok dokumentumsablonjai GroupsDocModules=Csoportrekordból generált dokumentumok dokumentumsablonjai ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Csoportok LDAPContactsSynchro=Kapcsolatok LDAPMembersSynchro=Tagok LDAPMembersTypesSynchro=Tagok típusok -LDAPSynchronization=LDAP szinkronizálás +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=LDAP funkció nem érhető el a PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=Felhasználói azonosító LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=Kezdő könyvtár -LDAPFieldHomedirectoryExample=Példa: homedirectory +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=Kezdő könyvtár előtag LDAPSetupNotComplete=LDAP telepítés nem teljes (go másokra fül) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Nem rendszergazdai jelszót vagy biztosított. LDAP hozzáférés lesz, névtelen és csak olvasható módba. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Az alkalmazás gyorsítótárához tárolt m MemcachedAvailableAndSetup=A memcached szerver használatára szánt memcached modul engedélyezve van. OPCodeCache=OPCode gyorsítótár NoOPCodeCacheFound=Nem található OPCode gyorsítótár. Lehet, hogy az XCache-től vagy az eAcceleratortól eltérő OPCode-gyorsítótárat használ (jó), vagy esetleg nincs OPCode-gyorsítótára (nagyon rossz). -HTTPCacheStaticResources=Statikus erőforrások (css, img, javascript) HTTP gyorsítótára +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=A HTTP szerver a %s típusú fájlok esetében használja a gyorsítótárat. FilesOfTypeNotCached=A HTTP szerver a %s típusú fájlok esetében nem használja a gyorsítótárat. FilesOfTypeCompressed=A HTTP szerver a %s típusú fájlokat tömöríti. @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Szabad szöveg szállítási bevételek ##### FCKeditor ##### AdvancedEditor=Speciális szerkesztő ActivateFCKeditor=Aktiválja a fejlett szerkesztő: -FCKeditorForNotePublic=Az elemek "nyilvános megjegyzései" mező WYSIWIG létrehozása/kiadása -FCKeditorForNotePrivate=WYSIWIG létrehozása/kiadása az elemek "privát megjegyzései" mezőjének -FCKeditorForCompany=Az elemek mező leírásának WYSIWIG létrehozása/kiadása (kivéve a termékek/szolgáltatások) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG létrehozása/kiadása tömeges e-mailekhez (Eszközök->e-mailezés) -FCKeditorForUserSignature=WYSIWIG felhasználói aláírás létrehozása/kiadása -FCKeditorForMail=WYSIWIG létrehozása/kiadása minden levélhez (kivéve az Eszközök->e-mailezés) -FCKeditorForTicket=WYSIWIG létrehozása/kiadása jegyekhez +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=Raktári modul beállítása IfYouUsePointOfSaleCheckModule=Ha az alapértelmezésben biztosított értékesítési pont modult (POS) vagy egy külső modult használja, előfordulhat, hogy ezt a beállítást figyelmen kívül hagyja a POS-modul. A legtöbb POS-modult alapértelmezés szerint úgy tervezték, hogy azonnal számlát készítsen, és csökkentse a készletet, függetlenül az itt található lehetőségektől. Tehát, ha szüksége van vagy sem készletcsökkenésre, amikor értékesítést regisztrál a POS-ból, ellenőrizze a POS-modul beállításait is. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Személyre szabott menük, amelyek nem kapcsolódnak NewMenu=Új menü MenuHandler=Menü kezelő MenuModule=Forrás modul -HideUnauthorizedMenu=A jogosulatlan menük elrejtése belső felhasználók számára is (egyébként szürkén jelenik meg) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=Id menü DetailMenuHandler=Menü, ahol a kezelő jelzi az új menü DetailMenuModule=Modul neve, ha menübejegyzés származnak modul @@ -1802,7 +1815,7 @@ DetailType=Típusa menüben (fent vagy bal oldalt) DetailTitre=Menü címke vagy a címke kódját fordítás DetailUrl=URL where menu send you (Relative URL link or external link with https://) DetailEnabled=Feltétel megjelenítéséhez vagy belépési -DetailRight=Feltétel megjeleníteni jogosulatlan szürke menük +DetailRight=Condition to display unauthorized gray menus DetailLangs=Lang fájl nevét címke kód fordítást DetailUser=Intern / Extern / All Target=Cél @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Alapértelmezett fiók kezelhető készpénz kifizet CashDeskBankAccountForCheque=Alapértelmezett számla a csekken történő kifizetések fogadásához CashDeskBankAccountForCB=Alapértelmezett fiók kezelhető készpénz kifizetések hitelkártyák CashDeskBankAccountForSumup=Alapértelmezett bankszámla a SumUp általi kifizetések fogadásához -CashDeskDoNotDecreaseStock=Készletcsökkentés letiltása, ha az értékesítés az értékesítés helyéről történik (ha "nem", akkor a készletcsökkenés minden POS-ból történő értékesítésnél megtörténik, függetlenül a Készlet modulban beállított opciótól). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Raktár kényszerítése és korlátozása a készletcsökkentéshez StockDecreaseForPointOfSaleDisabled=Készletcsökkenés az értékesítési pontról letiltva StockDecreaseForPointOfSaleDisabledbyBatch=A POS készletének csökkenése nem kompatibilis a soros/tételkezelés modullal (jelenleg aktív), ezért a készletcsökkentés le van tiltva. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=A táblázat vonalainak kiemelése, amikor az egérmo HighlightLinesColor=A vonal színének kiemelése, amikor az egér áthalad (ha nem kiemeli, használja az 'ffffff'-t) HighlightLinesChecked=Kiemeli a vonal színét, ha be van jelölve (ha nem kiemeli, használja az 'ffffff'-t) UseBorderOnTable=Bal-jobb szegélyek megjelenítése a táblázatokon +TableLineHeight=Table line height BtnActionColor=A művelet gomb színe TextBtnActionColor=A műveletgomb szövegének színe TextTitleColor=Az oldal címének szövegszíne @@ -1991,7 +2006,7 @@ EnterAnyCode=Ez a mező hivatkozást tartalmaz a vonal azonosítására. Adjon m Enter0or1=Írjon be 0 vagy 1 értéket UnicodeCurrency=Írja be ide a kapcsos zárójelek közé, a pénznem szimbólumát jelentő bájtszámok listáját. Például: $ esetén írja be: [36] - brazil real R$ [82,36] - € esetén írja be a [8364] ColorFormat=Az RGB szín HEX formátumú, pl.: FF0000 -PictoHelp=Az ikon neve formátumban:
      - image.png egy képfájlhoz az aktuális témakönyvtárba
      - image.png@module, ha a fájl egy modul /img/ könyvtárában van
      - fonwtawesome_xxx_fa_color_size a FontAwesome fa-xxx képhez (előtaggal, szín- és méretkészlettel) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=A sor pozíciója a kombinált listákban SellTaxRate=Forgalmi adó mértéke RecuperableOnly=Igen a "Nem észlelt, de visszaigényelhető" ÁFA-ra, amelyet Franciaország egyes államaiban rendelt el. Minden más esetben tartsa a „Nem” értéket. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Szegélyek elrejtése a küldő címkeretén -MAIN_PDF_NO_RECIPENT_FRAME=Szegélyek elrejtése a receptcímkereten +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Ügyfélkód elrejtése MAIN_PDF_HIDE_SENDER_NAME=A feladó/cégnév elrejtése a címblokkban PROPOSAL_PDF_HIDE_PAYMENTTERM=Fizetési feltételek elrejtése @@ -2118,7 +2133,7 @@ EMailHost=E-mail IMAP szerver gazdája EMailHostPort=Az e-mail IMAP-kiszolgáló portja loginPassword=Bejelentkezés/Jelszó oauthToken=OAuth2 token -accessType=Hozzáférés típusa +accessType=Access type oauthService=Oauth szolgáltatás TokenMustHaveBeenCreated=Engedélyezni kell az OAuth2 modult, és létre kell hozni egy oauth2 tokent a megfelelő jogosultságokkal (például „gmail_full” hatókörrel a Gmailhez készült OAuth segítségével). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Ne foglalja bele az e-mail fejléc tartalmát az EmailCollectorHideMailHeadersHelp=Ha engedélyezve van, az e-mail fejlécek nem kerülnek a napirendi eseményként mentett e-mail tartalom végére. EmailCollectorConfirmCollectTitle=E-mail gyűjtési megerősítés EmailCollectorConfirmCollect=Szeretnéd most működtetni ezt a gyűjtőt? -EmailCollectorExampleToCollectTicketRequestsDesc=Gyűjtse össze az egyes szabályoknak megfelelő e-maileket, és hozzon létre automatikusan jegyet (a moduljegyet engedélyezni kell) az e-mail információival. Használhatja ezt a gyűjtőt, ha e-mailben nyújt támogatást, így a jegykérelme automatikusan generálásra kerül. Aktiválja a Collect_Responses funkciót is, hogy közvetlenül a jegynézetben gyűjtse össze ügyfele válaszait (a Dolibarrtól kell válaszolnia). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Példa a jegykérés összegyűjtésére (csak az első üzenet) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Vizsgálja át a postafiók "Elküldött" könyvtárát, hogy megtalálja azokat az e-maileket, amelyeket egy másik e-mail válaszaként küldtek közvetlenül az e-mail szoftveréből, és nem a Dolibarrtól. Ha ilyen e-mailt talál, a válasz eseményét rögzíti a Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Példa egy külső levelező szoftverből küldött e-mail válaszok összegyűjtésére EmailCollectorExampleToCollectDolibarrAnswersDesc=Gyűjtse össze az összes olyan e-mailt, amely válasz az alkalmazásából küldött e-mailekre. Az e-mail választ tartalmazó eseményt (a modul napirendjét engedélyezni kell) a megfelelő helyen rögzítjük. Ha például kereskedelmi ajánlatot, megrendelést, számlát vagy jegyüzenetet küld e-mailben az alkalmazásból, és a címzett válaszol az e-mailre, a rendszer automatikusan elkapja a választ, és hozzáadja az ERP-hez. EmailCollectorExampleToCollectDolibarrAnswers=Példa az összes bejövő üzenet összegyűjtésére, amely válasz a Dolibarrtól küldött üzenetekre. -EmailCollectorExampleToCollectLeadsDesc=Gyűjtse össze a bizonyos szabályoknak megfelelő e-maileket, és hozzon létre automatikusan egy lehetőséget (a projekt modult engedélyezni kell) az e-mail információkkal. Használhatja ezt a gyűjtőt, ha követni szeretné a vezető szerepet a Projekt (1 lehetőség = 1 projekt) modul használatával, így a lehetőségek automatikusan generálásra kerülnek. Ha a Collect_Responses gyűjtő is be van kapcsolva, amikor e-mailt küld a potenciális ügyfelektől, ajánlatoktól vagy bármely más objektumtól, akkor közvetlenül az alkalmazáson is láthatja ügyfelei vagy partnerei válaszait.
      Megjegyzés: Ebben a kezdeti példában a lehetőség címe jön létre, beleértve az e-mailt is. Ha a harmadik fél nem található az adatbázisban (új ügyfél), a lehetőség az 1-es azonosítójú harmadik félhez lesz csatolva. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Példa lehetőségek gyűjtésére EmailCollectorExampleToCollectJobCandidaturesDesc=Gyűjtse össze az állásajánlatokra jelentkező e-maileket (a modultoborzást engedélyezni kell). Ezt a gyűjtőt akkor töltheti ki, ha automatikusan szeretne pályázatot létrehozni egy álláskérésre. Megjegyzés: Ebben a kezdeti példában a jelentkezés címe generálódik, beleértve az e-mailt is. EmailCollectorExampleToCollectJobCandidatures=Példa az e-mailben kapott álláspályázatok összegyűjtésére @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=Ezt az értéket minden felhasználó felülírhatja a felhasználói oldaláról - '%s' lap -DefaultCustomerType=Alapértelmezett harmadik fél típusa az "Új ügyfél" létrehozási űrlaphoz +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=Megjegyzés: A bankszámlát minden fizetési mód (Paypal, Stripe, ...) moduljában meg kell határozni, hogy ez a funkció működjön. RootCategoryForProductsToSell=Eladó termékek gyökérkategóriája -RootCategoryForProductsToSellDesc=Ha meg van határozva, akkor csak az ebbe a kategóriába tartozó termékek vagy a kategória alárendelt termékei lesznek elérhetők az értékesítési helyen +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=Hibakeresési sáv DebugBarDesc=Eszköztár, amely rengeteg eszközzel rendelkezik a hibakeresés egyszerűsítésére DebugBarSetup=Hibakeresési sáv beállítása @@ -2212,10 +2227,10 @@ ImportSetup=A modul importálása InstanceUniqueID=A példány egyedi azonosítója SmallerThan=Kisebb mint LargerThan=Nagyobb mint -IfTrackingIDFoundEventWillBeLinked=Ne feledje, hogy ha egy objektum nyomkövetési azonosítója található az e-mailben, vagy ha az e-mail egy olyan e-mailre adott válasz, amely összegyűjtött és egy objektumhoz kapcsolódik, akkor a létrehozott esemény automatikusan összekapcsolódik az ismert kapcsolódó objektummal. -WithGMailYouCanCreateADedicatedPassword=GMail-fiókkal, ha engedélyezte a 2 lépéses érvényesítést, javasoljuk, hogy hozzon létre egy dedikált második jelszót az alkalmazáshoz ahelyett, hogy saját fiókja jelszavát használná a https://myaccount.google.com/ webhelyről. -EmailCollectorTargetDir=Sikeres feldolgozás után kívánatos lehet az e-mail áthelyezése egy másik címkébe/könyvtárba. Csak állítsa be itt a könyvtár nevét a funkció használatához (NE használjon speciális karaktereket a névben). Vegye figyelembe, hogy olvasási/írási bejelentkezési fiókot is kell használnia. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=%s végpontja: %s DeleteEmailCollector=E-mail gyűjtő törlése @@ -2232,12 +2247,12 @@ EmailTemplate=Sablon az e-mailekhez EMailsWillHaveMessageID=Az e-mailekben a szintaxisnak megfelelő "References" címke található PDF_SHOW_PROJECT=Projekt megjelenítése a dokumentumon ShowProjectLabel=Projektcímke -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Adja meg az álnevet a harmadik fél nevében -THIRDPARTY_ALIAS=Harmadik fél neve – Alias harmadik fél -ALIAS_THIRDPARTY=Alias, harmadik fél – Harmadik fél neve +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=Ha azt szeretné, hogy a PDF-ben lévő szövegek egy része 2 különböző nyelven legyen megkettőzve ugyanabban a generált PDF-ben, itt be kell állítania ezt a második nyelvet, így a létrehozott PDF 2 különböző nyelvet fog tartalmazni ugyanazon az oldalon, a PDF generálásakor választott nyelvet és ezt egy (csak néhány PDF-sablon támogatja ezt). Tartsa üresen PDF-enként 1 nyelv esetén. -PDF_USE_A=PDF dokumentumok generálása PDF/A formátumban az alapértelmezett PDF formátum helyett +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Írja be ide a FontAwesome ikon kódját. Ha nem tudja, mi az a FontAwesome, használhatja az általános érték fa-címjegyzékét. RssNote=Megjegyzés: Minden RSS-hírcsatorna-definíció tartalmaz egy widgetet, amelyet engedélyezned kell, hogy elérhető legyen az irányítópulton JumpToBoxes=Ugrás a Beállítás -> Widgetek menüpontra @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Itt biztonsági tájékoztatót találhat ModuleActivatedMayExposeInformation=Ez a PHP-bővítmény érzékeny adatokat fedhet fel. Ha nincs rá szüksége, tiltsa le. ModuleActivatedDoNotUseInProduction=Egy fejlesztéshez tervezett modul engedélyezve lett. Éles környezetben ne engedélyezze. CombinationsSeparator=Elválasztó karakter a termékkombinációkhoz -SeeLinkToOnlineDocumentation=Példákért lásd az online dokumentációra mutató hivatkozást a felső menüben +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=Ha a %s modul "%s" funkcióját használja, mutassa meg a készlet résztermékeinek részleteit PDF-ben. AskThisIDToYourBank=Vegye fel a kapcsolatot bankjával az azonosító beszerzéséhez -AdvancedModeOnly=Az engedély csak Speciális engedély módban érhető el +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=A konf fájl bármely felhasználó számára olvasható vagy írható. Csak a webszerver felhasználójának és csoportjának adjon engedélyt. MailToSendEventOrganization=Eseményszervezés MailToPartnership=Partnerség AGENDA_EVENT_DEFAULT_STATUS=Alapértelmezett eseményállapot, amikor eseményt hoz létre az űrlapból YouShouldDisablePHPFunctions=Ki kell tiltania a PHP függvényeket -IfCLINotRequiredYouShouldDisablePHPFunctions=Kivéve, ha a rendszerparancsokat egyéni kódban kell futtatnia, le kell tiltania a PHP függvényeket +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions NoWritableFilesFoundIntoRootDir=Nem találhatók írható fájlok vagy általános programok könyvtárai a gyökérkönyvtárban (jó) RecommendedValueIs=Javasolt: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook beállítása Settings = Beállítások WebhookSetupPage = Webhook beállítási oldal ShowQuickAddLink=Egy gomb megjelenítése elem gyors hozzáadásához a jobb felső menüben - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=A pinghez használt hash ReadOnlyMode=A példány "Csak olvasható" módban van DEBUGBAR_USE_LOG_FILE=Használja az dolibarr.log fájlt a naplók csapdába ejtéséhez @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Nem fog működni minden témával NoName=Névtelen ShowAdvancedOptions= Speciális beállítások megjelenítése HideAdvancedoptions= Speciális beállítások elrejtése -CIDLookupURL=A modul egy URL-t hoz, amelyet egy külső eszköz felhasználhat egy harmadik fél vagy kapcsolat nevének lekérésére a telefonszámából. A használandó URL: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=Az OAUTH2 hitelesítés nem érhető el minden gazdagépen, és a megfelelő jogosultságokkal rendelkező tokent az OAUTH-modullal felfelé kell létrehozni. MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 hitelesítési szolgáltatás DontForgetCreateTokenOauthMod=A megfelelő jogosultságokkal rendelkező tokent az OAUTH modullal felfelé kell létrehozni -MAIN_MAIL_SMTPS_AUTH_TYPE=Hitelesítési módszer +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Használjon jelszót UseOauth=Használjon OAUTH tokent Images=Képek MaxNumberOfImagesInGetPost=Egy űrlapon elküldött HTML-mezőben megengedett maximális képek száma MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=A modul egy URL-t hoz, amelyet egy külső eszköz felhasználhat egy harmadik fél vagy kapcsolat nevének lekérésére a telefonszámából. A használandó URL: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=The script is empty ShowHideTheNRequests=Show/hide the %s SQL request(s) DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2403,6 +2419,24 @@ Defaultfortype=Alaptértelmezett DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Kiegészítő tulajdonságok (számlasablonok) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/hu_HU/bills.lang b/htdocs/langs/hu_HU/bills.lang index ef3c8c77108..9b15e8d0478 100644 --- a/htdocs/langs/hu_HU/bills.lang +++ b/htdocs/langs/hu_HU/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Legyen esedékes a vásárló fizetése DisabledBecauseRemainderToPayIsZero=Letiltva, mivel a maradék egyenleg 0. PriceBase=Alapár BillStatus=Számla állapota -StatusOfGeneratedInvoices=A generált számlák állapota +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Tervezet (érvényesítés szükséges) BillStatusPaid=Fizetett BillStatusPaidBackOrConverted=Jóváírás-visszatérítés vagy elérhető jóváírásként megjelölve @@ -167,7 +167,7 @@ ActionsOnBill=Műveletek a számlán ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Sablon / Ismétlődő számla NoQualifiedRecurringInvoiceTemplateFound=Nincs generálható ismétlődő sablonszámla. -FoundXQualifiedRecurringInvoiceTemplate=%s ismétlődő sablonszámlá(ka)t találtunk generálásra. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Nem ismétlődő sablonszámla NewBill=Új számla LastBills=A legutóbbi %s számlák @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Beszállítói számlatervezetek Unpaid=Kifizetetlen ErrorNoPaymentDefined=Hiba Nincs meghatározva fizetés ConfirmDeleteBill=Biztosan törli ezt a számlát? -ConfirmValidateBill=Biztosan érvényesíteni kívánja ezt a számlát %s hivatkozással? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Biztosan módosítja az %s számlát vázlat állapotra? ConfirmClassifyPaidBill=Biztosan módosítani szeretné az %s számlát fizetett állapotra? ConfirmCancelBill=Biztosan törölni szeretné a(z) %s számlát? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Megerősíti ezt a befizetést a következőhöz: %s%s %s? ConfirmValidatePayment=Biztosan érvényesíteni szeretné ezt a befizetést? A fizetés érvényesítése után nem lehet változtatni. ValidateBill=Számla jóváhagyása -UnvalidateBill=Számla jóváhagyás törlése +UnvalidateBill=Invalidate invoice NumberOfBills=Számlák száma NumberOfBillsByMonth=Számlák száma havonta AmountOfBills=Számlák összege @@ -250,12 +250,13 @@ RemainderToTake=Fennmaradt átadandó összeg RemainderToTakeMulticurrency=Fennmaradó összeg, eredeti pénznemben RemainderToPayBack=Fennmaradó visszafizetendő összeg RemainderToPayBackMulticurrency=A visszafizetendő fennmaradó összeg, eredeti pénznemben +NegativeIfExcessReceived=Negatív, ha többlet érkezik NegativeIfExcessRefunded=negatív, ha a többlet visszatérítésre kerül +NegativeIfExcessPaid=negative if excess paid Rest=Folyamatban AmountExpected=Követelt összeg ExcessReceived=Túlfizetés beérkezett ExcessReceivedMulticurrency=Túlzott összeg, eredeti pénznem -NegativeIfExcessReceived=Negatív, ha többlet érkezik ExcessPaid=Túlfizetés ExcessPaidMulticurrency=Túlfizetés, eredeti pénznem EscompteOffered=Árengedmény (kif. előtt tart) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Először létre kell hoznia egy szabvány PDFCrabeDescription=Számla PDF sablon Crabe. Teljes számlasablon (a Sponge sablon régi megvalósítása) PDFSpongeDescription=Számla PDF sablon szivacs. Teljes számla sablon PDFCrevetteDescription=Számla PDF sablon Crevette. Teljes számlasablon helyzetszámlákhoz -TerreNumRefModelDesc1=Visszatérési szám a következő formátumban: %syymm-nnnn szabványos számlákhoz és %syymm-nnnn jóváírásokhoz, ahol az yy az év, a mm a hónap és az nnnn egy szekvenciális automatikusan növekvő szám, megszakítás nélkül és 0-hoz való visszatérés nélkül -MarsNumRefModelDesc1=Visszaküldési szám a következő formátumban: %syymm-nnnn szabványos számlákhoz, %syymm-nnnn csereszámlákhoz, %syymm-nnnn előlegszámlához és %syymm-nnnn jóváíráshoz, ahol az yy év, mm a hónap és nnnn egy szekvenciális automatikusan növekvő szám törés és 0-hoz való visszatérés nélkül +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=A $syymm kezdődéssel már létezik számla, és nem kompatibilis ezzel a sorozat modellel. Töröld le vagy nevezd át, hogy aktiválja ezt a modult. -CactusNumRefModelDesc1=Visszaküldési szám a következő formátumban: %syymm-nnnn szabványos számlákhoz, %syymm-nnnn jóváírásokhoz és %syymm-nnnn előlegszámlákhoz, ahol az yy év, mm a hónap és az nnnn egy szekvenciális automatikusan növekvő szám szünet és nincs visszatérés a 0-hoz +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=A korai bezárás oka EarlyClosingComment=Korai záró megjegyzés ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Műveletek kategóriája MentionCategoryOfOperations0=Áruk kiszállítása MentionCategoryOfOperations1=Szolgáltatások nyújtása MentionCategoryOfOperations2=Vegyes – áruk szállítása és szolgáltatásnyújtás +Salaries=Fizetések +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Fizetés +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/hu_HU/cashdesk.lang b/htdocs/langs/hu_HU/cashdesk.lang index ebd55bf4814..aee287e5362 100644 --- a/htdocs/langs/hu_HU/cashdesk.lang +++ b/htdocs/langs/hu_HU/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=Átvétel Header=Fejléc Footer=Lábléc AmountAtEndOfPeriod=Összeg az időszak végén (nap, hónap vagy év) -TheoricalAmount=Elméleti összeg +TheoricalAmount=Theoretical amount RealAmount=Valós összeg CashFence=Pénztár bezárása CashFenceDone=Pénztár zárása az időszakra megtörtént @@ -57,7 +57,7 @@ Paymentnumpad=Pad típusa a fizetés megadásához Numberspad=Számbillentyűzet BillsCoinsPad=Érmék és bankjegyek lap DolistorePosCategory=TakePOS modulok és egyéb POS megoldások a Dolibarr számára -TakeposNeedsCategories=A TakePOS működéséhez legalább egy termékkategóriára van szüksége +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=A TakePOS működéséhez legalább 1 termékkategóriára van szüksége a(z) %s kategóriában OrderNotes=Hozzáadhat néhány megjegyzést minden megrendelt cikkhez CashDeskBankAccountFor=A befizetésekhez használt alapértelmezett számla @@ -76,7 +76,7 @@ TerminalSelect=Válassza ki a használni kívánt terminált: POSTicket=POS jegy POSTerminal=POS terminál POSModule=POS modul -BasicPhoneLayout=Alap elrendezés használata telefonokhoz +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=A %s terminál beállítása nem fejeződött be DirectPayment=Közvetlen fizetés DirectPaymentButton=Adjon hozzá egy "Közvetlen készpénzes fizetés" gombot @@ -92,14 +92,14 @@ HeadBar=Fejléc SortProductField=Mező a termékek válogatására Browser=Böngésző BrowserMethodDescription=Egyszerű és egyszerű nyugtanyomtatás. Csak néhány paraméter a nyugta konfigurálásához. Nyomtatás böngészőn keresztül. -TakeposConnectorMethodDescription=Külső modul extra szolgáltatásokkal. Felhőből történő nyomtatás lehetősége. +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=Nyomtatási módszer ReceiptPrinterMethodDescription=Erőteljes módszer sok paraméterrel. Teljesen testreszabható sablonokkal. Az alkalmazást kiszolgáló szerver nem lehet a felhőben (el kell érnie a hálózaton lévő nyomtatókat). ByTerminal=Terminál által TakeposNumpadUsePaymentIcon=Szöveg helyett használjon ikont a számbillentyűzet fizetési gombjain CashDeskRefNumberingModules=Számozási modul POS értékesítésekhez CashDeskGenericMaskCodes6 =
      {TN} címke a terminálszám hozzáadásához -TakeposGroupSameProduct=Azonos termékvonalak csoportosítása +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Új párhuzamos értékesítés indítása SaleStartedAt=Az értékesítés kezdete: %s ControlCashOpening=A POS megnyitásakor nyissa meg a "Control cash box" felugró ablakot @@ -118,7 +118,7 @@ ScanToOrder=Rendeléshez szkennelje be a QR-kódot Appearance=Megjelenés HideCategoryImages=Kategóriaképek elrejtése HideProductImages=Termékképek elrejtése -NumberOfLinesToShow=A megjelenítendő képek sorainak száma +NumberOfLinesToShow=Maximum number of lines of text to show on thumb images DefineTablePlan=Táblázatterv meghatározása GiftReceiptButton=Adjon hozzá egy "Ajándékátvétel" gombot GiftReceipt=Ajándékátvétel @@ -135,5 +135,21 @@ PrintWithoutDetailsLabelDefault=Alapértelmezett vonalcímke részletek nélkül PrintWithoutDetails=Nyomtatás részletek nélkül YearNotDefined=Az év nincs megadva TakeposBarcodeRuleToInsertProduct=Vonalkód szabály a termék beillesztéséhez -TakeposBarcodeRuleToInsertProductDesc=Szabály a termékreferencia + mennyiség kinyerésére a beolvasott vonalkódból.
      Ha üres (alapértelmezett érték), az alkalmazás a teljes beolvasott vonalkódot használja a termék megtalálásához.

      Ha definiálva van, szintaxis kell:
      hiv.: NB + qu: NB + qd NB + egyéb: NB
      ahol NB karakterek száma használni kinyeri az adatokat a beszkennelt vonalkód:
      • hiv. : termék hivatkozási
      • qu : mennyiség beillesztés közben tétel (egység)
      • qd : mennyiség beillesztés közben tétel (tizedes)
      • más : mások karakter
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters AlreadyPrinted=Már kinyomtatva +HideCategories=Hide the whole section of categories selection +HideStockOnLine=A készlet elrejtése az interneten +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Show reference or label of products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=%s terminál +TerminalNameDesc=Terminál neve +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/hu_HU/categories.lang b/htdocs/langs/hu_HU/categories.lang index a6fbad0ed0d..3a564d47794 100644 --- a/htdocs/langs/hu_HU/categories.lang +++ b/htdocs/langs/hu_HU/categories.lang @@ -102,4 +102,5 @@ ActionCommCategoriesArea=Esemény kategóriák WebsitePagesCategoriesArea=Oldal-tároló kategóriák KnowledgemanagementsCategoriesArea=KM cikk kategóriák UseOrOperatorForCategories=Használja az „OR” operátort a kategóriákhoz -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Assign to the category +Position=Pozíció diff --git a/htdocs/langs/hu_HU/holiday.lang b/htdocs/langs/hu_HU/holiday.lang index 5f109e80f8b..1d0203d8117 100644 --- a/htdocs/langs/hu_HU/holiday.lang +++ b/htdocs/langs/hu_HU/holiday.lang @@ -5,7 +5,7 @@ Holiday=Hagyd el CPTitreMenu=Szabadság MenuReportMonth=Havi kimutatás MenuAddCP=Új szabadságkérelem -MenuCollectiveAddCP=Új kollektív szabadságkérelem +MenuCollectiveAddCP=New collective leave NotActiveModCP=Engedélyeznie kell az Szabadság modult az oldal megtekintéséhez. AddCP=Szabadság kérelem létrehozása DateDebCP=Kezdő dátum @@ -95,14 +95,14 @@ UseralreadyCPexist=Erre az időszakra már küldtek szabadságkérést %s szám groups=Csoportok users=Felhasználók AutoSendMail=Automatikus postázás -NewHolidayForGroup=Új kollektív szabadságkérelem -SendRequestCollectiveCP=Közös szabadsági kérelem küldése +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave AutoValidationOnCreate=Automatikus érvényesítés FirstDayOfHoliday=A szabadság kérelmének kezdő napja LastDayOfHoliday=A szabadság kérelmének utolsó napja HolidaysMonthlyUpdate=Havi frissítés ManualUpdate=Kézi frissítés -HolidaysCancelation=Szabadság kérelem törlése +HolidaysCancelation=Leave request cancellation EmployeeLastname=Alkalmazott vezetékneve EmployeeFirstname=Alkalmazott keresztneve TypeWasDisabledOrRemoved=A szabadság típusa (azonosító %s) le van tiltva vagy el van távolítva @@ -144,7 +144,7 @@ WatermarkOnDraftHolidayCards=Vízjelek a szabadság kérelmek piszkozatán HolidaysToApprove=Jóváhagyandó ünnepek NobodyHasPermissionToValidateHolidays=Nobody has permission to validate leave requests HolidayBalanceMonthlyUpdate=Monthly update of leave balance -XIsAUsualNonWorkingDay=%s általában NEM munkanap +XIsAUsualNonWorkingDay=%s is usually a NON working day BlockHolidayIfNegative=Letiltás, ha az egyenleg negatív LeaveRequestCreationBlockedBecauseBalanceIsNegative=A szabadság kérelem létrehozása le van tiltva, mert az egyenlege negatív ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=A(z) %s szabadság kérelemnek tervezettnek kell lennie, törölték vagy megtagadták a törlést diff --git a/htdocs/langs/hu_HU/hrm.lang b/htdocs/langs/hu_HU/hrm.lang index 9d63812f9fd..717a5864e55 100644 --- a/htdocs/langs/hu_HU/hrm.lang +++ b/htdocs/langs/hu_HU/hrm.lang @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=A rangok alapértelmezett leírása a készség l deplacement=Shift DateEval=Értékelés dátuma JobCard=Munkakártya -JobPosition=Munka -JobsPosition=Munkák +NewJobProfile=New Job Profile +JobProfile=Job profile +JobsProfiles=Job profiles NewSkill=Új készség SkillType=Képesség típusa Skilldets=Ennek a képességnek a rangjainak listája @@ -36,7 +37,7 @@ rank=Rang ErrNoSkillSelected=Nincs kiválasztott készség ErrSkillAlreadyAdded=Ez a képesség már szerepel a listában SkillHasNoLines=Ennek a képességnek nincsenek vonalai -skill=Képesség +Skill=Képesség Skills=Készségek SkillCard=Képességkártya EmployeeSkillsUpdated=Az alkalmazotti készségeket frissítettük (lásd az alkalmazotti kártya „Készségek” lapját) @@ -44,33 +45,36 @@ Eval=Értékelés Evals=Értékelések NewEval=Új értékelés ValidateEvaluation=Értékelés ellenőrzése -ConfirmValidateEvaluation=Biztosan érvényesíteni szeretné ezt az értékelést a %s hivatkozással? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=Értékelő kártya -RequiredRank=Szükséges rang ehhez a munkához +RequiredRank=Required rank for the job profile +RequiredRankShort=Required rank +PositionsWithThisProfile=Positions with this job profiles EmployeeRank=Alkalmazotti rang ehhez a képességhez +EmployeeRankShort=Employee rank EmployeePosition=Alkalmazotti pozíció EmployeePositions=Alkalmazotti pozíciók EmployeesInThisPosition=Alkalmazottak ebben a pozícióban group1ToCompare=Elemezendő felhasználói csoport group2ToCompare=Második felhasználói csoport az összehasonlításhoz -OrJobToCompare=Hasonlítsa össze a munkaköri készségigényekkel +OrJobToCompare=Compare to skill requirements of a job profile difference=Különbség CompetenceAcquiredByOneOrMore=Egy vagy több felhasználó által megszerzett, de a második összehasonlító által nem kért kompetencia -MaxlevelGreaterThan=Maximális szint nagyobb, mint a kért -MaxLevelEqualTo=Maximális szint megegyezik az igényléssel -MaxLevelLowerThan=Maximális szint alacsonyabb, mint az igény -MaxlevelGreaterThanShort=Alkalmazotti szint magasabb, mint a kért -MaxLevelEqualToShort=Alkalmazotti szint megegyezik a keresettel -MaxLevelLowerThanShort=Az alkalmazotti szint alacsonyabb, mint az igény +MaxlevelGreaterThan=Employee level is greater than the expected level +MaxLevelEqualTo=Employee level is equals to the expected level +MaxLevelLowerThan=Employee level is lower than that the expected level +MaxlevelGreaterThanShort=Level greater than expected +MaxLevelEqualToShort=Level equal to the expected level +MaxLevelLowerThanShort=Level lower than expected SkillNotAcquired=A készségeket nem minden felhasználó szerezte meg, és a második összehasonlító kérte legend=Jelmagyarázat TypeSkill=Képesség típusa -AddSkill=Készségek hozzáadása a munkához -RequiredSkills=Szükséges készségek ehhez a munkához +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile UserRank=Felhasználói rang SkillList=Képességlista SaveRank=Rang mentése -TypeKnowHow=Szakértelem +TypeKnowHow=Know-how TypeHowToBe=Hogyan legyünk TypeKnowledge=tudás AbandonmentComment=Elhagyó megjegyzés @@ -85,8 +89,9 @@ VacantCheckboxHelper=Ha bejelöli ezt a lehetőséget, akkor a betöltetlen poz SaveAddSkill = Készség(ek) hozzáadva SaveLevelSkill = Képesség(ek) szintje mentve DeleteSkill = Képesség eltávolítva -SkillsExtraFields=További tulajdonságok (készségek) -JobsExtraFields=További tulajdonságok (munkahelyek) -EvaluationsExtraFields=További tulajdonságok (értékelések) +SkillsExtraFields=Complementary attributes (Skills) +JobsExtraFields=Complementary attributes (Job profile) +EvaluationsExtraFields=Complementary attributes (Evaluations) NeedBusinessTravels=Üzleti utakra van szükség NoDescription=Nincs leírás +TheJobProfileHasNoSkillsDefinedFixBefore=The evaluated job profile of this employee has no skill defined on it. Please add skill(s), then delete and restart the evaluation. diff --git a/htdocs/langs/hu_HU/main.lang b/htdocs/langs/hu_HU/main.lang index 586cb3c4462..0bb74b129e7 100644 --- a/htdocs/langs/hu_HU/main.lang +++ b/htdocs/langs/hu_HU/main.lang @@ -20,7 +20,7 @@ FormatDateShortJava=MM/dd/yyyy FormatDateShortJavaInput=MM/dd/yyyy FormatDateShortJQuery=mm/dd/yy FormatDateShortJQueryInput=mm/dd/yy -FormatHourShortJQuery=ÓÓ:PP +FormatHourShortJQuery=HH:MI FormatHourShort=%I:%M %p FormatHourShortDuration=%H:%M FormatDateTextShort=%b %d, %Y @@ -36,7 +36,7 @@ NoTranslation=Nincs fordítás Translation=Fordítás Translations=Translations CurrentTimeZone=TimeZone PHP (szerver) -EmptySearchString=Adjon meg nem üres keresési feltételeket +EmptySearchString=Enter non empty search criteria EnterADateCriteria=Adja meg a dátum kritériumát NoRecordFound=Rekord nem található NoRecordDeleted=Nincs rekord törölve @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Nemsikerült elküldeni a levelet (feladó=%s, címzett=%s ErrorFileNotUploaded=A Fájl nem lett feltöltve. Ellenőrizd, hogy a méret nem haladja -e meg a maximum méretet, van -e elég szabad hely és hogy a célkönyvtárban nincs -e még egy ugyan ilyen nevü fájl. ErrorInternalErrorDetected=Hiba észlelve ErrorWrongHostParameter=Rossz hoszt paraméter -ErrorYourCountryIsNotDefined=Az országa nincs megadva. Lépjen a Beállítás-Szerkesztés menüpontra, és töltse ki újra az űrlapot. +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=Nem sikerült törölni ezt a rekordot. Ezt a rekordot legalább egy gyermekrekord használja. ErrorWrongValue=Rossz érték ErrorWrongValueForParameterX=%s paraméter rossz értékkel rendelkezik @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Hiba '%s' számára nincs Áfa meghatároz ErrorNoSocialContributionForSellerCountry=Hiba, nincsenek meghatározva társadalombiztosítási és adóügyi adattípusok a '%s' ország részére. ErrorFailedToSaveFile=Hiba, nem sikerült a fájl mentése. ErrorCannotAddThisParentWarehouse=Olyan szülőraktárt próbál hozzáadni, amely már egy meglévő raktár utódja +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=A "%s" mező nem lehet negatív MaxNbOfRecordPerPage=Max. rekordok száma oldalanként NotAuthorized=Nincs jogosultsága ehhez a tevékenységhez @@ -103,7 +104,8 @@ RecordGenerated=Rekord generálva LevelOfFeature=Funkciók szintje NotDefined=Nem meghatározott DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr hitelesítési mód beélítva ehhez %s a conf.php beállító fájlban.
      Ez azt jelenti, hogy ez a jelszó adatbázis Dolibarr rendszertől független, így ennek a mezönek a megváltoztatása nem befolyásoló. -Administrator=Rendszergazda +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=Nincs definiálva PasswordForgotten=Elfelejtett jelszó ? NoAccount=Nincs fiók? @@ -211,8 +213,8 @@ Select=Kiválaszt SelectAll=Mindet kiválaszt Choose=Kiválaszt Resize=Átméretezés +Crop=Crop ResizeOrCrop=Átméretezés vagy levágás -Recenter=Újra középre igazít Author=Szerző User=Felhasználó Users=Felhasználók @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=További cent +LT1GC=Additional cents VATRate=ÁFA érték RateOfTaxN=%s adó mértéke VATCode=Adókulcs kódja @@ -547,6 +549,7 @@ Reportings=Jelentés Draft=Piszkozat Drafts=Piszkozatok StatusInterInvoiced=Számlázva +Done=Kész Validated=Hitelesítve ValidatedToProduce=Érvényesített (előállításhoz) Opened=Nyitva @@ -698,6 +701,7 @@ Response=Válasz Priority=Prioritás SendByMail=Küldés e-mailben MailSentBy=Email feladója +MailSentByTo=Email sent by %s to %s NotSent=Nem küldték el TextUsedInTheMessageBody=Email tartalma SendAcknowledgementByMail=Megerősítő email küldése @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=A rekord sikeresen módosítva lett RecordsModified=%s rekord(ok) módosítva RecordsDeleted=%s rekord(ok) törölve RecordsGenerated=%s rekord(ok) generálva +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=Automatikus kód FeatureDisabled=Tiltott funkció MoveBox=Mozgassa a widgetet @@ -764,11 +769,10 @@ DisabledModules=Kikapcsolt modulok For=For ForCustomer=Ügyfél részére Signature=Aláírás -DateOfSignature=Kelt HidePassword=Parancs mutatása rejtett jelszóval UnHidePassword=Igazi parancs mutatása üres jelszóval Root=Gyökér -RootOfMedias=A nyilvános média gyökerei (/medias) +RootOfMedias=Root of public media (/medias) Informations=Információ Page=Oldal Notes=Megjegyzés @@ -916,6 +920,7 @@ BackOffice=Támogató iroda Submit=Küldés View=Nézet Export=Export +Import=Importálás Exports=Export ExportFilteredList=Szűrt lista exportálása ExportList=Lista exportálása @@ -949,7 +954,7 @@ BulkActions=Tömeges műveletek ClickToShowHelp=Kattintson az eszköztipp súgójának megjelenítéséhez WebSite=Webhely WebSites=Webhelyek -WebSiteAccounts=Webhelyfiókok +WebSiteAccounts=Web access accounts ExpenseReport=Költségjelentés ExpenseReports=Költségjelentések HR=Munkaügy @@ -1077,6 +1082,7 @@ CommentPage=Megjegyzések területe CommentAdded=Megjegyzés hozzáadva CommentDeleted=Megjegyzés törölve Everybody=Mindenki +EverybodySmall=Mindenki PayedBy=Fizetett PayedTo=Kifizetett Monthly=Havi @@ -1089,7 +1095,7 @@ KeyboardShortcut=Billentyűparancs AssignedTo=Hozzárendelve Deletedraft=Piszkozat törlése ConfirmMassDraftDeletion=Piszkozat tömeges törlésének megerősítése -FileSharedViaALink=Nyilvános hivatkozással megosztott fájl +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Először válasszon ki egy harmadik felet... YouAreCurrentlyInSandboxMode=Jelenleg %s "sandbox" módban van Inventory=Készletnyilvántartás @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Feladat ContactDefault_propal=Ajánlat ContactDefault_supplier_proposal=Szállítói ajánlat ContactDefault_ticket=Jegy -ContactAddedAutomatically=Kapcsolat hozzáadva a kapcsolattartó harmadik fél szerepköréből +ContactAddedAutomatically=Contact added from third-party contact roles More=Több ShowDetails=Részletek megjelenítése CustomReports=Egyéni jelentések @@ -1163,8 +1169,8 @@ AffectTag=Assign a Tag AffectUser=Assign a User SetSupervisor=Set the supervisor CreateExternalUser=Külső felhasználó létrehozása -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=Role assigned on each project/opportunity TasksRole=Role assigned on each task (if used) ConfirmSetSupervisor=Bulk Supervisor Set @@ -1222,7 +1228,7 @@ UserAgent=Felhasználói ügynök InternalUser=Belső felahsználó ExternalUser=Külső felhasználó NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Hide %s AddToContacts=Add address to my contacts LastAccess=Last access @@ -1239,3 +1245,18 @@ DateOfPrinting=Date of printing ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. UserNotYetValid=Not yet valid UserExpired=Lejárt +LinkANewFile=Új fájl/dokumentum hivatkozása +LinkedFiles=Hivatkozott fájlok és dokumentumok +NoLinkFound=Nincs mentett hivatkozás +LinkComplete=A fájlra történt hivatkozás sikerült +ErrorFileNotLinked=A fájlra nem lehet hivatkozni +LinkRemoved=A %s hivatkozás törölve +ErrorFailedToDeleteLink= A '%s' hivakozás törlése sikertelen +ErrorFailedToUpdateLink= A '%s' hivakozás frissítése sikertelen +URLToLink=A hivatkozás címe +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/hu_HU/oauth.lang b/htdocs/langs/hu_HU/oauth.lang index 9011742d6ae..2061797f8a4 100644 --- a/htdocs/langs/hu_HU/oauth.lang +++ b/htdocs/langs/hu_HU/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Token törölve GetAccess=Kattintson ide a token beszerzéséhez RequestAccess=Kattintson ide a hozzáférés kéréséhez/megújításához és új token fogadásához DeleteAccess=Kattintson ide a token törléséhez -UseTheFollowingUrlAsRedirectURI=Használja a következő URL-t átirányítási URI-ként, amikor létrehozza hitelesítő adatait az OAuth-szolgáltatóval: +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Adja hozzá OAuth2-token-szolgáltatóit. Ezután lépjen az OAuth-szolgáltató rendszergazdai oldalára, és hozzon létre/szerezzen be egy OAuth-azonosítót és -titkot, majd mentse el őket ide. Ha elkészült, kapcsolja be a másik lapot a token létrehozásához. OAuthSetupForLogin=Oldal az OAuth-jogkivonatok kezelésére (generálására/törlésére). SeePreviousTab=Lásd az előző lapot diff --git a/htdocs/langs/hu_HU/products.lang b/htdocs/langs/hu_HU/products.lang index 2949659e297..91f6d909eec 100644 --- a/htdocs/langs/hu_HU/products.lang +++ b/htdocs/langs/hu_HU/products.lang @@ -80,8 +80,11 @@ SoldAmount=Eladott mennyiség PurchasedAmount=Vásárolt mennyiség NewPrice=Új ár MinPrice=Min. eladási ár +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=Eladási ár címke szerkesztése -CantBeLessThanMinPrice=Az eladási ár nem lehet alacsonyabb a termékre megengedett minimumnál (%s adó nélkül). Ez az üzenet akkor is megjelenhet, ha túl fontos kedvezményt ír be. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Zárva ErrorProductAlreadyExists=Már létezik %s hivatkozású termék. ErrorProductBadRefOrLabel=Hibás referenciaérték vagy címke. @@ -347,16 +350,17 @@ UseProductFournDesc=Adjon hozzá egy olyan funkciót, amely a vevőknek szóló ProductSupplierDescription=A termék beszállítói leírása UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=Automatikusan ennek a mennyiségnek a többszörösét fogja megvásárolni. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=A sor mennyiségét a szállítói csomagolásnak megfelelően újraszámították. #Attributes +Attributes=Attribútumok VariantAttributes=Változat attribútumai ProductAttributes=Termékváltozatok attribútumai ProductAttributeName=Változat attribútum %s ProductAttribute=Változat attribútum ProductAttributeDeleteDialog=Biztos, hogy törölni szeretné ezt az attribútumot? Minden érték törlésre kerül -ProductAttributeValueDeleteDialog=Biztos, hogy törölni szeretné az attribútum "%s" értékét a "%s" hivatkozással? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Biztosan törölni kívánja a(z) " %s " termék változatát? ProductCombinationAlreadyUsed=Hiba történt a változat törlése közben. Kérjük, ellenőrizze, hogy nem használják-e egyetlen objektumban sem ProductCombinations=Változatok @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Hiba történt a meglévő termékváltozatok tö NbOfDifferentValues=Különböző értékek száma NbProducts=Termékek száma ParentProduct=Szülőtermék +ParentProductOfVariant=Parent product of variant HideChildProducts=Termékváltozatok elrejtése ShowChildProducts=Termékváltozatok megjelenítése NoEditVariants=Menjen a Szülői termékkártyára, és szerkessze a változatok árhatását a változatok lapon. @@ -417,7 +422,7 @@ ErrorsProductsMerge=Hibák a termékek egyesítésében SwitchOnSaleStatus=Akció állapotának bekapcsolása SwitchOnPurchaseStatus=Vásárlás állapotának bekapcsolása UpdatePrice=Növeli/csökkenti a ügyfél árat -StockMouvementExtraFields= Extra mezők (készlet mozgás) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Extra mezők (leltár) ScanOrTypeOrCopyPasteYourBarCodes=Olvassa be, írja be vagy másolja/illessze be vonalkódjait PuttingPricesUpToDate=Frissítse az árakat az aktuális ismert árakkal @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Válassza ki a módosítani kívánt extra mezőt ConfirmEditExtrafieldQuestion = Biztosan módosítani szeretné ezt az extra mezőt? ModifyValueExtrafields = Extra mező értékének módosítása OrProductsWithCategories=Vagy címkékkel/kategóriákkal ellátott termékek +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/hu_HU/projects.lang b/htdocs/langs/hu_HU/projects.lang index 1d31cfc5165..03fbd80bdfe 100644 --- a/htdocs/langs/hu_HU/projects.lang +++ b/htdocs/langs/hu_HU/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Kilép a projektből NoProject=Nincs meghatározott vagy saját projekt NbOfProjects=Projektek száma NbOfTasks=Feladatok száma +TimeEntry=Time tracking TimeSpent=Eltöltött idő +TimeSpentSmall=Eltöltött idő TimeSpentByYou=Az Ön által eltöltött idő TimeSpentByUser=A felhasználó által eltöltött idő -TimesSpent=Eltöltött idő TaskId=Feladatazonosító RefTask=Feladat hivatkozás LabelTask=Feladat címke @@ -82,7 +83,7 @@ MyProjectsArea=Saját projektek területe DurationEffective=Tényleges időtartam ProgressDeclared=Valódi előrelépés TaskProgressSummary=Feladat előrehaladása -CurentlyOpenedTasks=Jelenleg nyitott feladatok +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=A bejelentett valós haladás %s kisebb, mint a fogyasztás terén elért haladás TheReportedProgressIsMoreThanTheCalculatedProgressionByX=A bejelentett valós haladás több %s, mint a fogyasztás terén elért haladás ProgressCalculated=Haladás a fogyasztás terén @@ -122,7 +123,7 @@ TaskHasChild=A feladatnak van gyermeke NotOwnerOfProject=Nem tulajdonosa ennek a privát projektnek AffectedTo=Kiosztva CantRemoveProject=Ez a projekt nem távolítható el, mivel más objektumok (számla, rendelés vagy egyéb) hivatkoznak rá. Lásd az „%s” lapot. -ValidateProject=Projekt érvényesítése +ValidateProject=Validate project ConfirmValidateProject=Biztosan érvényesíteni szeretné ezt a projektet? CloseAProject=Projekt bezárása ConfirmCloseAProject=Biztosan be szeretné zárni ezt a projektet? @@ -226,7 +227,7 @@ ProjectsStatistics=Statisztikák projektekről vagy előrehaladásokról TasksStatistics=Statisztikák projektek vagy előrehaladások feladatairól TaskAssignedToEnterTime=Feladat hozzárendelve. Lehetővé kell tenni az idő megadását erre a feladatra. IdTaskTime=Azonosító feladat ideje -YouCanCompleteRef=Ha a ref-et valamilyen utótaggal szeretné kiegészíteni, akkor javasolt egy - karakter hozzáadása az elválasztáshoz, így az automatikus számozás továbbra is megfelelően fog működni a következő projekteknél. Például %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Harmadik felek által nyitott projektek OnlyOpportunitiesShort=Csak előrehaladások OpenedOpportunitiesShort=Nyitott előrehaladások @@ -238,7 +239,7 @@ OpportunityPonderatedAmountDesc=Az előrehaladások valószínűséggel súlyozo OppStatusPROSP=Előrelátás OppStatusQUAL=Minősítés OppStatusPROPO=Árajánlat -OppStatusNEGO=Tárgyalás +OppStatusNEGO=Negotiation OppStatusPENDING=Függőben levő OppStatusWON=Megnyert OppStatusLOST=Elveszett diff --git a/htdocs/langs/hu_HU/propal.lang b/htdocs/langs/hu_HU/propal.lang index e4b6dc4d14f..52b252b7411 100644 --- a/htdocs/langs/hu_HU/propal.lang +++ b/htdocs/langs/hu_HU/propal.lang @@ -2,36 +2,40 @@ Proposals=Árajánlatok Proposal=Árajánlat ProposalShort=Ajánlat -ProposalsDraft=Árajánlatok tervezete +ProposalsDraft=Árajánlatok tervezetei ProposalsOpened=Nyitott árajánlatok CommercialProposal=Árajánlat PdfCommercialProposalTitle=Ajánlat ProposalCard=Ajánlati kártya NewProp=Új árajánlat -NewPropal=Új árajánlat +NewPropal=Új ajánlat Prospect=Leendő DeleteProp=Árajánlat törlése ValidateProp=Árajánlat érvényesítése +CancelPropal=Mégse AddProp=Ajánlat létrehozása ConfirmDeleteProp=Biztosan törölni szeretné ezt az árajánlatot? ConfirmValidateProp=Biztosan érvényesíteni szeretné ezt az árajánlatot %s néven? -LastPropals=A legújabb %s javaslat -LastModifiedProposals=A legutóbbi %s módosított javaslat -AllPropals=Minden javaslat +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? +LastPropals=Legújabb %s ajánlatok +LastModifiedProposals=A legutóbbi %s módosított ajánlatok +AllPropals=Minden ajánlat SearchAProposal=Ajánlat keresése -NoProposal=Nincs javaslat +NoProposal=Nincs ajánlat ProposalsStatistics=Árajánlat statisztikái NumberOfProposalsByMonth=Szám havonta -AmountOfProposalsByMonthHT=Havi összeg (adó nélkül) +AmountOfProposalsByMonthHT=Összeg havonta (nettó) NbOfProposals=Árajánlatok száma ShowPropal=Ajánlat megjelenítése PropalsDraft=Piszkozatok PropalsOpened=Nyitva +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Piszkozat (ellenőrizni kell) PropalStatusValidated=Érvényesítve (az ajánlat nyitva van) PropalStatusSigned=Aláírt (számlázás szükséges) PropalStatusNotSigned=Nincs aláírva (zárva) PropalStatusBilled=Számlázva +PropalStatusCanceledShort=Megszakítva PropalStatusDraftShort=Piszkozat PropalStatusValidatedShort=Érvényesített (nyitott) PropalStatusClosedShort=Zárva @@ -42,19 +46,20 @@ PropalsToClose=Bezárandó árajánlatok PropalsToBill=Aláírt árajánlatok a számlához ListOfProposals=Árajánlatok listája ActionsOnPropal=Események az ajánlat alapján -RefProposal=Árajánlat ref +RefProposal=Árajánlat hiv. SendPropalByMail=Árajánlat küldése e-mailben DatePropal=Ajánlat dátuma DateEndPropal=Érvényesség záró dátuma ValidityDuration=Érvényesség időtartama SetAcceptedRefused=Beállítás elfogadva/elutasítva ErrorPropalNotFound=%s ajánlat nem található -AddToDraftProposals=Hozzáadás a javaslattervezethez -NoDraftProposals=Nincs javaslattervezet -CopyPropalFrom=Árajánlat létrehozása meglévő árajánlat másolásával +AddToDraftProposals=Hozzáadás az ajánlat tervezethez +NoDraftProposals=Nincs ajánlat tervezet +CopyPropalFrom=Árajánlat létrehozása meglévő ajánlat másolásával CreateEmptyPropal=Üres árajánlat létrehozása vagy a termékek/szolgáltatások listájából DefaultProposalDurationValidity=Az árajánlat alapértelmezett érvényességi időtartama (napokban) DefaultPuttingPricesUpToDate=Alapértelmezés szerint frissítse az árakat az aktuális ismert árakkal az ajánlat klónozásakor +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal UseCustomerContactAsPropalRecipientIfExist=Kapcsolattartó/cím használata 'Kapcsolattartási javaslat' típussal, ha harmadik fél címe helyett ajánlat címzettjeként van megadva ConfirmClonePropal=Biztosan klónozni szeretné a(z) %s árajánlatot? ConfirmReOpenProp=Biztosan újra szeretné nyitni a(z) %s árajánlatot? @@ -64,7 +69,7 @@ ProposalLines=Ajánlatsorok AvailabilityPeriod=Elérhetőségi késleltetés SetAvailability=Elérhetőségi késleltetés beállítása AfterOrder=rendelés után -OtherProposals=Egyéb javaslatok +OtherProposals=Egyéb ajánlatok ##### Availability ##### AvailabilityTypeAV_NOW=Azonnali @@ -74,14 +79,14 @@ AvailabilityTypeAV_3W=3 hét AvailabilityTypeAV_1M=1 hónap ##### Types ofe contacts ##### -TypeContact_propal_internal_SALESREPFOLL=Reprezentatív nyomon követési javaslat -TypeContact_propal_external_BILLING=Az ügyfél számla kapcsolattartója -TypeContact_propal_external_CUSTOMER=Ügyfélkapcsolati követési javaslat +TypeContact_propal_internal_SALESREPFOLL=Reprezentatív nyomon követési ajánlat +TypeContact_propal_external_BILLING=Az ügyfélszámla kapcsolattartója +TypeContact_propal_external_CUSTOMER=Ügyfélkapcsolat nyomon követési ajánlat TypeContact_propal_external_SHIPPING=Ügyfélkapcsolat a szállításhoz # Document models CantBeNoSign=nem állítható be nincs aláírva -CaseFollowedBy=Eset követi +CaseFollowedBy=Az esetet követi a ConfirmMassNoSignature=Tömeges Nem aláírt megerősítés ConfirmMassNoSignatureQuestion=Biztosan nem írja alá a kiválasztott rekordokat? ConfirmMassSignature=Tömeges aláírás megerősítése @@ -93,13 +98,13 @@ ContractSigned=Szerződés aláírva DefaultModelPropalClosed=Alapértelmezett sablon üzleti ajánlat lezárásakor (számlázatlan) DefaultModelPropalCreate=Alapértelmezett modell létrehozása DefaultModelPropalToBill=Alapértelmezett sablon üzleti ajánlat lezárásakor (számlázandó) -DocModelAzurDescription=Egy teljes ajánlatmodell (a ciánkék sablon régi megvalósítása) +DocModelAzurDescription=Egy teljes ajánlatmodell (a Cyan sablon régi megvalósítása) DocModelCyanDescription=A teljes ajánlatmodell -FichinterSigned=Intervention signed +FichinterSigned=A beavatkozás aláírva IdProduct=Termékazonosító IdProposal=Ajánlatazonosító IsNotADraft=nem piszkozat -LineBuyPriceHT=Vételi ár a sor adó nélküli összege +LineBuyPriceHT=Vételi ár Adó nélküli összeg egy sorra NoSign=Elutasítás NoSigned=készlet nincs aláírva PassedInOpenStatus=érvényesítésre került @@ -108,11 +113,12 @@ PropalAlreadySigned=Az ajánlatot már elfogadták PropalRefused=Az ajánlat elutasítva PropalSigned=Az ajánlat elfogadva ProposalCustomerSignature=Írásbeli elfogadás, cégbélyegző, dátum és aláírás -ProposalsStatisticsSuppliers=Szállítói ajánlatok statisztikái +ProposalsStatisticsSuppliers=Beszállítói ajánlatok statisztikái RefusePropal=Ajánlat elutasítása Sign=Aláírás -SignContract=Sign contract -SignFichinter=Sign intervention +SignContract=Szerződés aláírása +SignFichinter=Beavatkozás aláírása +SignSociete_rib=Sign mandate SignPropal=Ajánlat elfogadása Signed=aláírva SignedOnly=Csak aláírva diff --git a/htdocs/langs/hu_HU/receptions.lang b/htdocs/langs/hu_HU/receptions.lang index c4a5a3b7dfd..fe0154c7d5b 100644 --- a/htdocs/langs/hu_HU/receptions.lang +++ b/htdocs/langs/hu_HU/receptions.lang @@ -32,10 +32,11 @@ StatusReceptionDraftShort=Piszkozat StatusReceptionValidatedShort=Érvényesítve StatusReceptionProcessedShort=Feldolgozva ReceptionSheet=Átvételi lap +ValidateReception=Validate reception ConfirmDeleteReception=Biztosan törölni szeretné ezt az átvételt? -ConfirmValidateReception=Biztosan érvényesíteni szeretné ezt az átvételt a(z) %s hivatkozással? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Biztosan meg akarja szakítani ezt az átvételt? -StatsOnReceptionsOnlyValidated=Az átvételeken végzett statisztikák csak érvényesítve. A felhasznált dátum az átvétel érvényesítésének dátuma (a tervezett kézbesítés dátuma nem mindig ismert). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Átvétel küldése e-mailben SendReceptionRef=%s átvétel elküldése ActionsOnReception=Események átvételkor @@ -48,7 +49,10 @@ ReceptionsNumberingModules=Számozási modul átvételekhez ReceptionsReceiptModel=Dokumentum sablonok átvételhez NoMorePredefinedProductToDispatch=Nincs több előre meghatározott termék kiszállításra ReceptionExist=Átvétel van -ByingPrice=Vételi ár ReceptionBackToDraftInDolibarr=%s átvétel vissza a piszkozatba ReceptionClassifyClosedInDolibarr=Az átvétel %s besorolása zárva ReceptionUnClassifyCloseddInDolibarr=A %s átvétel újra megnyílik +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/hu_HU/sendings.lang b/htdocs/langs/hu_HU/sendings.lang index d240f14547d..fd6042b3046 100644 --- a/htdocs/langs/hu_HU/sendings.lang +++ b/htdocs/langs/hu_HU/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Érvényesített StatusSendingProcessedShort=Feldolgozva SendingSheet=Szállítási lap ConfirmDeleteSending=Biztosan törölni szeretné ezt a szállítmányt? -ConfirmValidateSending=Biztosan érvényesíteni szeretné ezt a szállítmányt a következő hivatkozással: %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Biztosan törölni szeretné ezt a szállítmányt? DocumentModelMerou=Merou A5 modell WarningNoQtyLeftToSend=Figyelem, nincsenek szállításra váró termékek. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Termékmennyiség a már beérkezet NoProductToShipFoundIntoStock=Nem található szállítandó termék a(z) %s raktárban. Javítsa ki a készletet, vagy menjen vissza egy másik raktár kiválasztásához. WeightVolShort=Súly/térfogat. ValidateOrderFirstBeforeShipment=Elõször érvényesítenie kell a rendelést, mielõtt kiszállítást végezhet. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Terméksúlyok összege # warehouse details DetailWarehouseNumber= Raktár adatai DetailWarehouseFormat= W:%s (Menny.: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/hu_HU/stocks.lang b/htdocs/langs/hu_HU/stocks.lang index af7bd298fa6..31e2495e36a 100644 --- a/htdocs/langs/hu_HU/stocks.lang +++ b/htdocs/langs/hu_HU/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=Személyes készlet %s ThisWarehouseIsPersonalStock=Ez a raktár %s %s személyes készletet képvisel SelectWarehouseForStockDecrease=Válassza ki melyik raktár készlete csökkenjen SelectWarehouseForStockIncrease=Válassza ki melyik raktár készlete növekedjen +RevertProductsToStock=Revert products to stock ? NoStockAction=Nincs készletmozgás DesiredStock=Kívánt készlet DesiredStockDesc=Ez a készlet mennyiség lesz használatos a pótlási funkcióban az alapértelmezett értéknek @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=Nincs elég raktárkészlete ehhez a tételszámhoz a ShowWarehouse=Raktár részletei MovementCorrectStock=A %s termék készlet-módosítása MovementTransferStock=A %s termék készletének mozgatása másik raktárba +BatchStockMouvementAddInGlobal=Batch stock move into global stock (product doesn't use batch anymore) InventoryCodeShort=Lelt./Mozg. kód NoPendingReceptionOnSupplierOrder=Nincs függőben lévő fogadás a nyitott megrendelés miatt ThisSerialAlreadyExistWithDifferentDate=A (%s) tétel/cikkszám már létezik de eltérő lejárati/eladási határidővel (jelenleg %s az imént felvitt érték ellenben %s). @@ -210,10 +212,10 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=A készletmozgások a készletezés inventoryChangePMPPermission=A termék PMP értékének módosítása ColumnNewPMP=Új egység PMP OnlyProdsInStock=Ne adjon hozzá terméket készlet nélkül -TheoricalQty=Elméleti mennyiség -TheoricalValue=Elméleti mennyiség +TheoricalQty=Theoretical qty +TheoricalValue=Theoretical qty LastPA=Utolsó BP -CurrentPA=Jelenlegi BP +CurrentPA=Current BP RecordedQty=Rögzített mennyiség RealQty=Valós mennyiség RealValue=Valódi érték @@ -244,7 +246,7 @@ StockAtDatePastDesc=Itt megtekintheti a készletet (valós készletet) egy adott StockAtDateFutureDesc=Itt megtekintheti a részvényeket (virtuális részvényeket) egy adott időpontban a jövőben CurrentStock=Jelenlegi készlet InventoryRealQtyHelp=Állítsa az értéket 0-ra a mennyiség visszaállításához
      Hagyja üresen a mezőt, vagy távolítsa el a sort, hogy változatlan maradjon -UpdateByScaning=Töltse ki a valós mennyiséget szkenneléssel +UpdateByScaning=Complete real qty by scanning UpdateByScaningProductBarcode=Frissítés szkenneléssel (termék vonalkódja) UpdateByScaningLot=Frissítés szkenneléssel (tétel |soros vonalkód) DisableStockChangeOfSubProduct=A mozgás során a készlet összes altermékének készletváltozásának kikapcsolása. @@ -280,7 +282,7 @@ ModuleStockTransferName=Speciális készlettranszfer ModuleStockTransferDesc=A készlettranszfer fejlett kezelése transzfer lap generálásával StockTransferNew=Új készlet átadása StockTransferList=Készlettranszferek listája -ConfirmValidateStockTransfer=Biztosan érvényesíteni szeretné ezt a készletátruházást az %s hivatkozással? +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? ConfirmDestock=Készletek csökkenése átutalással %s ConfirmDestockCancel=Törölje a készletcsökkentést %s átutalással DestockAllProduct=A készletek csökkenése @@ -307,8 +309,8 @@ StockTransferDecrementationCancel=Törölje a forrásraktárak csökkentését StockTransferIncrementationCancel=Törölje a rendeltetési raktárak növelését StockStransferDecremented=A forrás raktárak csökkentek StockStransferDecrementedCancel=A forrás raktárak csökkenése törölve -StockStransferIncremented=Lezárva – A készletek átadva -StockStransferIncrementedShort=Átruházott készletek +StockStransferIncremented=Closed - Stocks transferred +StockStransferIncrementedShort=Stocks transferred StockStransferIncrementedShortCancel=A célraktárak számának növelése törölve StockTransferNoBatchForProduct=Az %s termék nem használja a kötegelt, törölje a tételt a vonalon, és próbálja újra StockTransferSetup = Készletátviteli modul konfigurációja @@ -318,8 +320,18 @@ StockTransferRightRead=Olvassa el a készlettranszfereket StockTransferRightCreateUpdate=Készlettranszferek létrehozása/frissítése StockTransferRightDelete=Törölje a készlettranszfereket BatchNotFound=A tétel/sorozat nem található ehhez a termékhez +StockEntryDate=Date of
      entry in stock StockMovementWillBeRecorded=Stock movement will be recorded StockMovementNotYetRecorded=Stock movement will not be affected by this step +ReverseConfirmed=Stock movement has been reversed successfully + WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse +ValidateInventory=Inventory validation +IncludeSubWarehouse=Include sub-warehouse ? +IncludeSubWarehouseExplanation=Check this box if you want to include all sub-warehouses of the associated warehouse in the inventory DeleteBatch=Delete lot/serial ConfirmDeleteBatch=Are you sure you want to delete lot/serial ? +WarehouseUsage=Warehouse usage +InternalWarehouse=Internal warehouse +ExternalWarehouse=External warehouse +WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse diff --git a/htdocs/langs/hu_HU/website.lang b/htdocs/langs/hu_HU/website.lang index 46583e9dfbd..7b5f2eae952 100644 --- a/htdocs/langs/hu_HU/website.lang +++ b/htdocs/langs/hu_HU/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Alternatív oldalnevek/álnevek WEBSITE_ALIASALTDesc=Használja itt a többi név/álnevek listáját, hogy az oldal más nevek/álnevek használatával is elérhető legyen (például a régi név az álnév átnevezése után, hogy a régi link/név visszamutató hivatkozása működjön). A szintaxis:
      alternatívnév1, alternatívnév2, ... WEBSITE_CSS_URL=A külső CSS-fájl URL-je WEBSITE_CSS_INLINE=CSS-fájltartalom (minden oldalon közös) -WEBSITE_JS_INLINE=Javascript fájltartalom (minden oldalon közös) +WEBSITE_JS_INLINE=JavaScript file content (common to all pages) WEBSITE_HTML_HEADER=Kiegészítés a HTML-fejléc alján (minden oldalon közös) WEBSITE_ROBOT=Robot fájl (robots.txt) WEBSITE_HTACCESS=Webhely .htaccess fájl @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=Megjegyzés: Ha személyre szabott fejlécet szer MediaFiles=Médiakönyvtár EditCss=Webhely tulajdonságainak szerkesztése EditMenu=Szerkesztés menü -EditMedias=Média szerkesztése +EditMedias=Edit media EditPageMeta=Oldal/tároló tulajdonságainak szerkesztése EditInLine=Szerkesztés soron belül AddWebsite=Webhely hozzáadása @@ -60,10 +60,11 @@ NoPageYet=Még nincsenek oldalak YouCanCreatePageOrImportTemplate=Létrehozhat egy új oldalt vagy importálhat egy teljes webhelysablont SyntaxHelp=Súgó adott szintaktikai tippekhez YouCanEditHtmlSourceckeditor=A HTML forráskódot a szerkesztő "Forrás" gombjával szerkesztheti. -YouCanEditHtmlSource=
      A PHP kódot a <?php ?> címkék használatával helyezheti el ebbe a forrásba. A következő globális változók állnak rendelkezésre: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Másik oldal/tároló tartalma is szerepelhet a következő szintaxissal:
      <?php includeContainer('alias_of_container_to_include'); ?>

      A következő szintaxissal átirányíthat egy másik oldalra/tárolóra (Megjegyzés: ne adjon ki tartalmat átirányítás előtt):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      Egy másik oldalra mutató hivatkozás hozzáadásához használja a következő szintaxist:
      <a href ="alias_of_page_to_link_to.php">mylink<a>

      A letöltési link hozzáadása a documents könyvtárban tárolt fájl esetén használja a document.php wrappert:
      Például egy dokumentumokba/ecm-be (naplózni kell) a szintaxis :
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Dokumentumokba/médiákba helyezhető fájlokhoz (könyvtár megnyitása nyilvános hozzáférés), szintaxisa:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      A következővel megosztott fájl esetén megosztási hivatkozás (nyílt hozzáférés a fájl megosztási hash kulcsával), szintaxisa:
      <a href="/document.php?hashp=publicsharekeyoffile">

      kép felvételéhez a documents könyvtárban tárolva használja a viewimage.php wrappert:
      Például egy dokumentumokba/médiákba helyezett kép esetén (nyitott könyvtár nyilvános hozzáféréshez) a szintaxis a következő:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Megosztási hivatkozással megosztott kép esetén (nyílt hozzáférés a fájl megosztási hash kulcsával) a szintaxis:
      <img src="/viewimage.php?hashp=12345679012..."> ;
      -YouCanEditHtmlSourceMore=
      A HTML-re vagy a dinamikus kódra további példák érhetők el a wiki dokumentációjában
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Oldal/tároló klónozása CloneSite=Webhely klónozása SiteAdded=Webhely hozzáadva @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Sajnos ez a webhely jelenleg nem elérhető. Kér WEBSITE_USE_WEBSITE_ACCOUNTS=A webhely fióktáblázatának engedélyezése WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Engedélyezze a táblázatban a webhelyfiókok (bejelentkezési/belépési) tárolását minden egyes webhelyhez/harmadik félhez YouMustDefineTheHomePage=Először meg kell határoznia az alapértelmezett kezdőlapot -OnlyEditionOfSourceForGrabbedContentFuture=Figyelmeztetés: Weboldal létrehozása külső weboldal importálásával csak tapasztalt felhasználók számára van fenntartva. A forrásoldal összetettségétől függően az importálás eredménye eltérhet az eredetitől. Továbbá, ha a forrásoldal általános CSS-stílusokat vagy ütköző JavaScript-kódokat használ, az megzavarhatja a Webhely-szerkesztő megjelenését vagy szolgáltatásait, amikor ezen az oldalon dolgozik. Ezzel a módszerrel gyorsabban hozhat létre oldalt, de ajánlatos az új oldalt a semmiből vagy egy javasolt oldalsablonból létrehozni.
      Ne feledje, hogy előfordulhat, hogy a beágyazott szerkesztő nem működik megfelelően, ha egy megragadott külső oldalon használják. +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting JavaScript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correctty when used on a grabbed external page. OnlyEditionOfSourceForGrabbedContent=Csak a HTML-forrás kiadása lehetséges, ha a tartalmat egy külső webhelyről szerezték be GrabImagesInto=A css-ben és az oldalon talált képeket is megragadja. ImagesShouldBeSavedInto=A képeket a könyvtárba kell menteni @@ -112,13 +113,13 @@ GoTo=Ugrás ide DynamicPHPCodeContainsAForbiddenInstruction=Dinamikus PHP-kódot ad hozzá, amely tartalmazza az alapértelmezés szerint tiltott '%s PHP utasítást dinamikus tartalomként (lásd a WEBSITE_PHP_ALLOW_xxx rejtett opciókat az engedélyezett parancsok listájának növeléséhez). NotAllowedToAddDynamicContent=Nincs jogosultsága PHP dinamikus tartalom hozzáadására vagy szerkesztésére a webhelyeken. Kérjen engedélyt, vagy csak tartsa módosítatlanul a kódot a php címkékbe. ReplaceWebsiteContent=Webhelytartalom keresése vagy cseréje -DeleteAlsoJs=Törli az ehhez a webhelyhez tartozó összes javascript fájlt is? -DeleteAlsoMedias=Törli az ehhez a webhelyhez tartozó összes médiafájlt is? +DeleteAlsoJs=Delete also all JavaScript files specific to this website? +DeleteAlsoMedias=Delete also all media files specific to this website? MyWebsitePages=Saját weboldalaim SearchReplaceInto=Keresés | Cserélje be ReplaceString=Új karakterlánc CSSContentTooltipHelp=Írja be ide a CSS-tartalmat. Az alkalmazás CSS-jével való ütközés elkerülése érdekében ügyeljen arra, hogy az összes deklaráció elé fűzze a .bodywebsite osztályt. Például:

      #mycssselector, input.myclass:hover { ...
      kell
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ...

      Megjegyzés: Ha van egy nagy fájlja ennek az előtagnak a nélkül, a 'lessc' segítségével konvertálhatja, és mindenhol hozzáfűzheti a .bodywebsite előtagot. -LinkAndScriptsHereAreNotLoadedInEditor=Figyelmeztetés: Ez a tartalom csak akkor jelenik meg, ha a webhelyet egy szerverről érik el. Szerkesztés módban nem használatos, így ha szerkesztés módban is be kell töltenie a javascript fájlokat, csak adja hozzá a 'script src=...' címkét az oldalhoz. +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=Példa egy dinamikus tartalommal rendelkező oldalról ImportSite=Webhelysablon importálása EditInLineOnOff=A 'Inline szerkesztés' mód %s @@ -160,3 +161,6 @@ PagesViewedTotal=Pages viewed (total) Visibility=Láthatóság Everyone=Everyone AssignedContacts=Hozzárendelt névjegyek +WebsiteTypeLabel=Type of Web site +WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/hu_HU/withdrawals.lang b/htdocs/langs/hu_HU/withdrawals.lang index 8bcc2d84d0f..5213f79d8be 100644 --- a/htdocs/langs/hu_HU/withdrawals.lang +++ b/htdocs/langs/hu_HU/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Átutalási kérelem benyújtása WithdrawRequestsDone=%s csoportos beszedési megbízás fizetési kérelmek rögzítve BankTransferRequestsDone=%s átutalási kérelem rögzítve ThirdPartyBankCode=Harmadik fél bankkódja -NoInvoiceCouldBeWithdrawed=Nincs sikeresen megterhelt számla. Ellenőrizze, hogy a számlák érvényes IBAN-számmal rendelkező vállalatokra vonatkoznak-e, és hogy az IBAN-ban van-e UMR (egyedi megbízási hivatkozás) %s móddal. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=Ez a kifizetési bizonylat már jóváírásként meg van jelölve; ezt nem lehet kétszer megtenni, mivel ez duplikált fizetéseket és banki bejegyzéseket eredményezhet. ClassCredited=Besorolás jóváírva ClassDebited=Besorolás terhelve @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Biztos benne, hogy a társadalom számára kilépési e RefusedData=Elutasítás dátuma RefusedReason=Elutasítás oka RefusedInvoicing=Elutasítás számlázása -NoInvoiceRefused=Ne számítson fel díjat az elutasításért -InvoiceRefused=Számla elutasítva (Az elutasítás számlája az ügyfélnek) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=A terhelés/jóváírás állapota StatusWaiting=Várakozás StatusTrans=Elküldve @@ -103,7 +106,7 @@ ShowWithdraw=Beszedési megbízás megjelenítése IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Ha azonban a számlának van legalább egy csoportos beszedési megbízása, amelyet még nem dolgoztak fel, akkor azt nem állítja be kifizetettként, hogy lehetővé tegye a kifizetés előzetes kezelését. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Beszedési megbízás fájl @@ -115,7 +118,7 @@ RUM=UMR DateRUM=A megbízás aláírásának dátuma RUMLong=Egyedi Mandátum Referencia RUMWillBeGenerated=Ha üres, akkor a bankszámla információinak mentése után egy UMR (Unique Mandate Reference) jön létre. -WithdrawMode=Csoportos beszedési mód (FRST vagy RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=A csoportos beszedési megbízás összege: BankTransferAmount=Átutalási kérelem összege: WithdrawRequestErrorNilAmount=Nem lehet beszedési megbízást létrehozni üres összegre. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Az Ön bankszámla neve (IBAN) SEPAFormYourBIC=Az Ön bankazonosító kódja (BIC) SEPAFrstOrRecur=Fizetés típusa ModeRECUR=Ismétlődő fizetés +ModeRCUR=Ismétlődő fizetés ModeFRST=Egyszeri fizetés PleaseCheckOne=Kérem, csak egyet jelöljön be CreditTransferOrderCreated=%s átutalási megbízás létrehozva @@ -155,9 +159,16 @@ InfoTransData=Összeg: %s
      Módszer: %s
      Dátum: %s InfoRejectSubject=A csoportos beszedési megbízás elutasítva InfoRejectMessage=Üdvözöljük!

      A %s céghez kapcsolódó %s számla csoportos beszedési megbízását %s összeggel a bank elutasította.

      --
      %s ModeWarning=A valós mód opciója nincs beállítva, a szimuláció után leállunk -ErrorCompanyHasDuplicateDefaultBAN=A %s azonosítójú vállalatnak egynél több alapértelmezett bankszámlája van. Nem lehet tudni, melyiket kell használni. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Hiányzó ICS a %s bankszámláról TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=A csoportos beszedési megbízás teljes összege eltér a sorok összegétől WarningSomeDirectDebitOrdersAlreadyExists=Figyelmeztetés: Már van néhány függőben lévő csoportos beszedési megbízás (%s) kérve %s összegre WarningSomeCreditTransferAlreadyExists=Figyelmeztetés: Már van néhány függőben lévő átutalás (%s) %s összegre UsedFor=Használt %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Fizetés +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/hu_HU/workflow.lang b/htdocs/langs/hu_HU/workflow.lang index dc5632dab19..9dbe35a3c0d 100644 --- a/htdocs/langs/hu_HU/workflow.lang +++ b/htdocs/langs/hu_HU/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=A vevői számla automatikus létrehoz descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Vevői számla automatikus létrehozása a vevői rendelés lezárása után (az új számla összege megegyezik a rendelés összegével) descWORKFLOW_TICKET_CREATE_INTERVENTION=A jegy létrehozásakor automatikusan hozzon létre beavatkozást. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=A kapcsolt forrásajánlat besorolása számlázottként, ha az értékesítési rendelés számlázottra van állítva (és ha a rendelés összege megegyezik az aláírt összekapcsolt ajánlat teljes összegével) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=A kapcsolt forrásajánlat besorolása számlázottként az ügyfélszámla érvényesítésekor (és ha a számla összege megegyezik az aláírt összekapcsolt ajánlat teljes összegével) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=A kapcsolt forrás értékesítési rendelés besorolása számlázottként a vevői számla érvényesítésekor (és ha a számla összege megegyezik a kapcsolt rendelés teljes összegével) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=A kapcsolt forrás értékesítési rendelés besorolása számlázottként, ha a vevői számla kifizetésre van állítva (és ha a számla összege megegyezik a kapcsolt rendelés teljes összegével) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=A kapcsolt forrás értékesítési rendelés besorolása a szállítmány érvényesítésekor (és ha az összes szállítmány által szállított mennyiség megegyezik a frissítendő rendelésben szereplővel) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=A kapcsolt forrás értékesítési rendelés besorolása a szállítmány lezárásakor (és ha az összes szállítmány által kiszállított mennyiség megegyezik a frissítendő rendelésben szereplővel) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=A kapcsolt forrás szállítói ajánlat besorolása számlázottként a szállítói számla érvényesítésekor (és ha a számla összege megegyezik a kapcsolt ajánlat teljes összegével) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=A kapcsolt forrás beszerzési rendelés besorolása számlázottként a szállítói számla érvényesítésekor (és ha a számla összege megegyezik a kapcsolt rendelés teljes összegével) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=A kapcsolt forrásból származó beszerzési rendelés besorolása beérkezettként, amikor egy fogadás érvényesül (és ha az összes fogadás által beérkezett mennyiség megegyezik a frissítendő beszerzési rendelésben szereplő mennyiséggel) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=A kapcsolt forrásból származó beszerzési rendelés besorolása a fogadás lezárásakor (és ha az összes fogadás által kapott mennyiség megegyezik a frissítendő beszerzési rendelésben szereplő mennyiséggel) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=Jegy létrehozásakor kapcsolja össze a megfelelő harmadik fél elérhető szerződéseit +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=A szerződések összekapcsolásakor keressen az anyavállalatok szerződései között # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=A jegyhez kapcsolódó összes beavatkozás bezárása, amikor a jegy bezár AutomaticCreation=Automatikus létrehozás AutomaticClassification=Automatikus osztályozás -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Automatikus zárás AutomaticLinking=Automatikus összekapcsolás diff --git a/htdocs/langs/id_ID/accountancy.lang b/htdocs/langs/id_ID/accountancy.lang index 6097275b00e..368b03853a7 100644 --- a/htdocs/langs/id_ID/accountancy.lang +++ b/htdocs/langs/id_ID/accountancy.lang @@ -16,8 +16,8 @@ ThisService=Layanan ini ThisProduct=Produk ini DefaultForService=Default for services DefaultForProduct=Default for products -ProductForThisThirdparty=Produk untuk pihak ketiga ini -ServiceForThisThirdparty=Layanan untuk pihak ketiga ini +ProductForThisThirdparty=Product for this third party +ServiceForThisThirdparty=Service for this third party CantSuggest=Tidak bisa menyarankan AccountancySetupDoneFromAccountancyMenu=Kebanyakan aturan akutansi dilakukan dari bilah menu %s ConfigAccountingExpert=Konfigurasi akuntansi modul (entri ganda) @@ -38,7 +38,7 @@ DeleteCptCategory=Hilangkan akun akutansi dari grup ConfirmDeleteCptCategory=Apakah Anda yakin untuk menghilangkan akun akutansi ini dari grup akun akutansi? JournalizationInLedgerStatus=Status Pencatatan Jurnal AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger +NotYetInGeneralLedger=Not yet transferred to accounting journals and ledger GroupIsEmptyCheckSetup=Grup kosong, periksa pengaturan grup akuntansi yang dipersonalisasi DetailByAccount=Tampilkan rincian berdasarkan akun DetailBy=Detail by @@ -53,15 +53,13 @@ ExportAccountingSourceDocHelp=With this tool, you can search and export the sour ExportAccountingSourceDocHelp2=Untuk mengekspor jurnal Anda, gunakan entri menu %s - %s. ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported, click on the button above. VueByAccountAccounting=Lihat berdasarkan akun akuntansi VueBySubAccountAccounting=Lihat menurut sub-akun akuntansi MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup @@ -70,13 +68,14 @@ UserAccountNotDefined=Accounting account for user not defined in setup AccountancyArea=Bidang akuntansi AccountancyAreaDescIntro=Penggunaan modul akuntansi dilakukan dalam beberapa langkah: AccountancyAreaDescActionOnce=Tindakan berikut ini biasanya dilakukan hanya sekali saja, atau sekali setahun... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting +AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automatically the correct default accounting account when transferring data in accounting AccountancyAreaDescActionFreq=Tindakan berikut ini biasanya dilakukan setiap bulan, minggu atau hari untuk perusahaan yang sangat besar... AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s AccountancyAreaDescChartModel=LANGKAH %s: Periksa apakah tersedia model bagan akun atau buat model barudari menu %s AccountancyAreaDescChart=LANGKAH %s: Pilih dan|atau selesaikan bagan akun Anda dari menu %s +AccountancyAreaDescFiscalPeriod=STEP %s: Define a fiscal year by default on which to integrate your accounting entries. For this, use the menu entry %s. AccountancyAreaDescVat=LANGKAH %s: Tentukan akun akuntansi untuk setiap Tarif PPN. Untuk ini, gunakan entri menu %s. AccountancyAreaDescDefault=LANGKAH %s: Tentukan akun akuntansi standar. Untuk ini, gunakan entri menu %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. @@ -84,7 +83,7 @@ AccountancyAreaDescSal=LANGKAH %s: Tentukan akun akuntansi standar untuk pembaya AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. AccountancyAreaDescDonation=LANGKAH %s: Tentukan akun akuntansi standar untuk donasi. Untuk ini, gunakan entri menu %s. AccountancyAreaDescSubscription=LANGKAH %s: Tetapkan akun akuntansi standar untuk langganan anggota. Untuk ini, gunakan entri menu %s. -AccountancyAreaDescMisc=LANGKAH %s: Tetapkan akun standar wajib dan akun akuntansi standar untuk transaksi lain-lain. Untuk ini, gunakan entri menu %s. +AccountancyAreaDescMisc=STEP %s: Define mandatory default accounts and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. AccountancyAreaDescLoan=LANGKAH %s: Tentukan akun akuntansi standar untuk pinjaman. Untuk ini, gunakan entri menu %s. AccountancyAreaDescBank=LANGKAH %s: Tentukan akun akuntansi dan kode jurnal untuk masing-masing bank dan akun keuangan. Untuk ini, gunakan entri menu %s. AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. @@ -95,6 +94,7 @@ AccountancyAreaDescAnalyze=LANGKAH %s: Tambahkan atau sunting transaksi yang ada AccountancyAreaDescClosePeriod=LANGKAH %s: Tutup periode sehingga kita tidak dapat melakukan modifikasi di masa mendatang. +TheFiscalPeriodIsNotDefined=A mandatory step in setup has not been completed (Fiscal period is not defined) TheJournalCodeIsNotDefinedOnSomeBankAccount=Langkah wajib dalam penyiapan belum selesai (jurnal kode akuntansi tidak ditentukan untuk semua rekening bank) Selectchartofaccounts=Pilih bagan akun aktif ChangeAndLoad=Ubah dan muat @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Izinkan untuk mengelola jumlah nol yang berbeda di akhir BANK_DISABLE_DIRECT_INPUT=Nonaktifkan pencatatan langsung transaksi di rekening bank ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Aktifkan konsep ekspor di jurnal ACCOUNTANCY_COMBO_FOR_AUX=Aktifkan daftar kombo untuk akun anak perusahaan (mungkin lambat jika Anda memiliki banyak pihak ketiga, hentikan kemampuan untuk mencari sebagian nilai) -ACCOUNTING_DATE_START_BINDING=Tentukan tanggal untuk mulai mengikat & mentransfer akuntansi. Di bawah tanggal ini, transaksi tidak akan dialihkan ke akuntansi. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_DATE_START_BINDING=Disable binding & transfer in accountancy when date is below this date (the transactions before this date will be excluded by default) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On the page to transfer data into accountancy, what is the period selected by default ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Jurnal Sosial ACCOUNTING_RESULT_PROFIT=Akun akuntansi hasil (Laba) ACCOUNTING_RESULT_LOSS=Hasil akun akuntansi (Rugi) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Jurnal penutupan +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Accounting groups used for the balance sheet account (separate by comma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Accounting groups used for the income statement (separate by comma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers TransitionalAccount=Rekening transfer bank transisi @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Consult here the list of the lines of invoices customers DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transferred in accountancy are visible) DescVentilDoneSupplier=Konsultasikan di sini daftar garis faktur vendor dan akun akuntingnya DescVentilTodoExpenseReport=Bind garis laporan pengeluaran belum terikat dengan akun akuntansi biaya DescVentilExpenseReport=Konsultasikan di sini daftar garis laporan pengeluaran yang terikat (atau tidak) ke akun akuntansi biaya @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=Jika Anda mengatur akun akuntansi pada jenis garis l DescVentilDoneExpenseReport=Konsultasikan di sini daftar garis laporan pengeluaran dan akun akuntansi biayanya Closure=Penutupan tahunan -DescClosure=Consult here the number of movements by month not yet validated & locked +AccountancyClosureStep1Desc=Consult here the number of movements by month not yet validated & locked OverviewOfMovementsNotValidated=Overview of movements not validated and locked AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked @@ -341,7 +343,7 @@ AccountingJournalType3=Pembelian AccountingJournalType4=Bank AccountingJournalType5=Expense reports AccountingJournalType8=Inventaris -AccountingJournalType9=Baru +AccountingJournalType9=Retained earnings GenerationOfAccountingEntries=Generation of accounting entries ErrorAccountingJournalIsAlreadyUse=Jurnal ini sudah digunakan AccountingAccountForSalesTaxAreDefinedInto=Catatan: Akun akuntansi untuk Pajak penjualan didefinisikan ke dalam menu%s-%s @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Nonaktifkan pengikatan & transfer akunta ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Nonaktifkan pengikatan & transfer akuntansi pada laporan pengeluaran (laporan pengeluaran tidak akan diperhitungkan dalam akuntansi) ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. +EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigorous accounting management. ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not chosen by the end user +ACCOUNTING_LETTERING_NBLETTERS=Number of letters when generating lettering code (default 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Some accounting software only accepts a two-letter code. This parameter allows you to set this aspect. The default number of letters is three. OptionsAdvanced=Advanced options ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transferred into accountancy differently: A additional debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. ## Export NotExportLettering=Do not export the lettering when generating the file @@ -420,7 +424,7 @@ SaleLocal=Penjualan lokal SaleExport=Penjualan ekspor SaleEEC=Dijual dalam EEC SaleEECWithVAT=Dijual dalam EEC dengan PPN bukan nol, jadi kami mengira ini BUKAN penjualan intracommunautary dan akun yang disarankan adalah akun produk standar. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of third party is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the third party, or change the product account suggested for binding if needed. ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=No unreconcile modified AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock movements +AccountancyClosureStep2=Step 2 : Close fiscal period +AccountancyClosureStep3=Step 3 : Extract entries (Optional) +AccountancyClosureClose=Close fiscal period +AccountancyClosureAccountingReversal=Extract and record "Retained earnings" entries +AccountancyClosureStep3NewFiscalPeriod=Next fiscal period +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "Retained earnings" entries on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "Retained earnings" entries, detail the sub-ledger accounts +AccountancyClosureCloseSuccessfully=Fiscal period has been closed successfully +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping entries for "Retained earnings" has been inserted successfully + ## Confirm box ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? ConfirmMassDeleteBookkeepingWriting=Bulk Delete confirmation ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +AccountancyClosureConfirmClose=Are you sure you want to close the current fiscal period ? You understand that closing the fiscal period is an irreversible action and will permanently block any modification or deletion of entries over this period. +AccountancyClosureConfirmAccountingReversal=Are you sure you want to record entries for the "Retained earnings" ? ## Error SomeMandatoryStepsOfSetupWereNotDone=Beberapa langkah pengaturan wajib tidak dilakukan, harap lengkapi -ErrorNoAccountingCategoryForThisCountry=Tidak ada grup akun akuntansi yang tersedia untuk negara %s (Lihat Beranda - Pengaturan - Kamus) +ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Anda mencoba menjurnal beberapa baris faktur%s , tetapi beberapa baris lainnya belum terikat ke akun akuntansi. Jurnalisasi semua lini faktur untuk faktur ini ditolak. ErrorInvoiceContainsLinesNotYetBoundedShort=Beberapa baris pada faktur tidak terikat pada akun akuntansi. ExportNotSupported=Format ekspor yang diseting tidak sesuai untuk halaman ini @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s ErrorAccountNumberAlreadyExists=The accounting number %s already exists ErrorArchiveAddFile=Can't put "%s" file in archive +ErrorNoFiscalPeriodActiveFound=No active fiscal period found +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=The bookkeeping doc date is not inside the active fiscal period +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=The bookkeeping doc date is inside a closed fiscal period ## Import ImportAccountingEntries=Entri akuntansi diff --git a/htdocs/langs/id_ID/admin.lang b/htdocs/langs/id_ID/admin.lang index a2eaf4ce8ec..a61f48e58a9 100644 --- a/htdocs/langs/id_ID/admin.lang +++ b/htdocs/langs/id_ID/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Modul ini tampaknya tidak kompatibel dengan %s Dolibarr Anda (Min CompatibleAfterUpdate=Modul ini membutuhkan pembaruan untuk %s Dolibarr Anda (Min %s - Maks %s). SeeInMarkerPlace=Lihat di Pasar SeeSetupOfModule=Lihat pengaturan modul %s +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=Setel opsi %s ke %s Updated=Diperbarui AchatTelechargement=Beli / Unduh @@ -292,22 +294,22 @@ EmailSenderProfiles=Email profil pengirim EMailsSenderProfileDesc=Anda dapat menyimpan bagian ini kosong. Jika Anda memasukkan beberapa email di sini, mereka akan ditambahkan ke daftar kemungkinan pengirim ke kotak kombo saat Anda menulis email baru. MAIN_MAIL_SMTP_PORT=Port SMTP / SMTPS (nilai default dalam php.ini:%s ) MAIN_MAIL_SMTP_SERVER=Host SMTP / SMTPS (nilai default di php.ini:%s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Port SMTP / SMTPS (Tidak didefinisikan ke dalam PHP pada sistem mirip Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS Host (Tidak didefinisikan ke dalam PHP pada sistem mirip Unix) -MAIN_MAIL_EMAIL_FROM=Email pengirim untuk email otomatis (nilai default di php.ini:%s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=Email yang digunakan untuk email pengembalian kesalahan (baris 'Kesalahan-Ke' dalam email terkirim) MAIN_MAIL_AUTOCOPY_TO= Salin (Bcc) semua email yang dikirim ke MAIN_DISABLE_ALL_MAILS=Nonaktifkan semua pengiriman email (untuk tujuan pengujian atau demo) MAIN_MAIL_FORCE_SENDTO=Kirim semua email ke (bukan penerima sebenarnya, untuk tujuan pengujian) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Sarankan email karyawan (jika ditentukan) ke dalam daftar penerima yang telah ditentukan saat menulis email baru -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=Metode pengiriman email MAIN_MAIL_SMTPS_ID=ID SMTP (jika server pengirim memerlukan otentikasi) MAIN_MAIL_SMTPS_PW=Kata Sandi SMTP (jika server pengirim memerlukan otentikasi) MAIN_MAIL_EMAIL_TLS=Gunakan enkripsi TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Gunakan enkripsi TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Otorisasi les certificats auto-signés +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=Gunakan DKIM untuk menghasilkan tanda tangan email MAIN_MAIL_EMAIL_DKIM_DOMAIN=Domain Email untuk digunakan dengan dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Nama pemilih dkim @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Kunci pribadi untuk penandatanganan dkim MAIN_DISABLE_ALL_SMS=Nonaktifkan semua pengiriman SMS (untuk tujuan pengujian atau demo) MAIN_SMS_SENDMODE=Metode Pengiriman SMS MAIN_MAIL_SMS_FROM=Nomor telepon pengirim default untuk pengiriman SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Email pengirim default untuk pengiriman manual (Email pengguna atau email Perusahaan) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=Email pengguna CompanyEmail=Email Perusahaan FeatureNotAvailableOnLinux=Fitur tidak tersedia di sistem seperti Unix. Uji program sendmail Anda secara lokal. @@ -417,6 +419,7 @@ PDFLocaltax=Aturan untuk %s HideLocalTaxOnPDF=Sembunyikan tarif %s pada kolom Pajak Penjualan / PPN HideDescOnPDF=Sembunyikan deskripsi produk HideRefOnPDF=Sembunyikan produk ref. +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=Sembunyikan detail lini produk PlaceCustomerAddressToIsoLocation=Gunakan posisi standar Prancis (La Poste) untuk posisi alamat pelanggan Library=Perpustakaan @@ -424,7 +427,7 @@ UrlGenerationParameters=Parameter untuk mengamankan URL SecurityTokenIsUnique=Gunakan parameter keamanan unik untuk setiap URL EnterRefToBuildUrl=Masukkan referensi untuk objek %s GetSecuredUrl=Dapatkan URL yang dihitung -ButtonHideUnauthorized=Sembunyikan juga tombol tindakan tidak sah untuk pengguna internal (jika tidak berwarna abu-abu) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=Suku VAT lama NewVATRates=Suku VAT baru PriceBaseTypeToChange=Ubah harga dengan nilai referensi dasar ditentukan pada @@ -458,11 +461,11 @@ ComputedFormula=Baris yang dihitung ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Simpan baris yang dihitung ComputedpersistentDesc=Baris ekstra yang dikomputasi akan disimpan dalam basisdata, namun nilainya hanya akan dikalkulasi ulang ketika objek baris ini diubah. Jika baris yang dihitung bergantung pada objek lain atau data global, nilai ini mungkin salah!! -ExtrafieldParamHelpPassword=Membiarkan baris ini kosong berarti nilai ini akan disimpan tanpa enkripsi (baris harus disembunyikan hanya dengan bintang di layar).
      Atur 'otomatis' untuk menggunakan aturan enkripsi secara default untuk menyimpan kata sandi ke dalam basisdata (kemudian nilai baca akan menjadi hash saja, tidak ada cara untuk mengambil nilai asli) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=Daftar nilai harus berupa garis dengan kunci format, nilai (di mana kunci tidak boleh '0')

      misalnya:
      1, nilai1
      2, nilai2 a0342fccfda0b3f0f0f0fb0f0f0fb03 daftar tergantung pada daftar atribut pelengkap lain:
      1, nilai1 | options_ parent_list_code : parent_key
      2, value2 | options_ parent_list_code : parent_key

      dalam rangka untuk memiliki daftar tergantung pada daftar lain:
      1, nilai1 | parent_list_code : parent_key
      2, value2 | parent_list_code : parent_key ExtrafieldParamHelpcheckbox=Daftar nilai harus berupa garis dengan kunci format, nilai (di mana kunci tidak boleh '0')

      misalnya:
      1, value1
      2, value2 a0342fccfda2b3f0f3f0f3f ExtrafieldParamHelpradio=Daftar nilai harus berupa garis dengan kunci format, nilai (di mana kunci tidak boleh '0')

      misalnya:
      1, value1
      2, value2 a0342fccfda2b3f0f3f0f3f -ExtrafieldParamHelpsellist=Daftar nilai berasal dari tabel
      Sintaks: nama_tabel: label_field: id_field :: filtersql
      Contoh: c_typent: libelle: id :: filterql
      a0342fccfccfda19bz0 - id_342 adalah kondisi kunci SQL. Ini bisa menjadi tes sederhana (misalnya aktif = 1) untuk menampilkan hanya nilai aktif
      Anda juga dapat menggunakan $ ID $ in filter yang merupakan id saat ini dari objek saat ini
      Untuk menggunakan SELECT ke dalam filter, gunakan kata kunci $ SEL $ to melewati perlindungan anti injeksi.
      jika Anda ingin memfilter extrafields gunakan sintaks extra.fieldcode = ... (di mana kode field adalah kode extrafield)

      Untuk memiliki daftar bergantung pada daftar atribut pelengkap lainnya:
      c_typ parent_list_code | parent_column: filter

      Agar daftar bergantung pada daftar lain:
      c_typent: libelle +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Daftar nilai berasal dari tabel
      Sintaks: table_name:label_field:id_field::filtersql
      Contoh: c_typent:libelle:id::filtersql
      nilai aktif hanya dapat menguji (co active=1) juga dapat menggunakan $ ID $ di filter witch adalah id saat ini dari objek saat ini
      Untuk melakukan SELECT di filter gunakan $ SEL $
      jika Anda ingin memfilter extrafields gunakan sintaks extra.fieldcode = ... (di mana kode bidang adalah kode extrafield)

      dalam rangka untuk memiliki daftar tergantung pada daftar atribut pelengkap lain:
      c_typent: Libelle: id: options_ parent_list_code | parent_column: filter

      dalam rangka untuk memiliki daftar tergantung pada daftar lain: c_typent

      untuk memiliki daftar tergantung pada daftar lain:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Parameter harus ObjectName: Classpath
      Sintaks: ObjectName: Classpath ExtrafieldParamHelpSeparator=Biarkan kosong untuk pemisah sederhana
      Setel ini menjadi 1 untuk pemisah runtuh (buka secara default untuk sesi baru, kemudian status disimpan untuk setiap sesi pengguna) status disimpan sebelum setiap sesi pengguna) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Masukkan nomor telepon untuk menelepon untuk menunjukkan t RefreshPhoneLink=Segarkan tautan LinkToTest=Tautan yang dapat diklik yang dihasilkan untuk pengguna%s (klik nomor telepon untuk menguji) KeepEmptyToUseDefault=Biarkan kosong untuk menggunakan nilai default -KeepThisEmptyInMostCases=Dalam kebanyakan kasus, Anda dapat membiarkan baris ini kosong. +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=Link Standar SetAsDefault=Ditetapkan sebagai default ValueOverwrittenByUserSetup=Peringatan, nilai ini dapat ditimpa oleh pengaturan khusus pengguna (setiap pengguna dapat mengatur url clicktodialnya sendiri) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Ini adalah nama baris HTML. Pengetahuan teknis diperl PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate=
      Contoh:
      Untuk formulir untuk membuat pihak ketiga baru, itu%s .
      Untuk URL modul eksternal yang diinstal ke direktori kustom, jangan sertakan "custom /", jadi gunakan path sepertimymodule / mypage.php dan bukan custom / mymodule / mypage.php.
      Jika Anda ingin nilai default hanya jika url memiliki beberapa parameter, Anda dapat menggunakan%s PageUrlForDefaultValuesList=
      Contoh:
      Untuk halaman yang berisi daftar pihak ketiga, itu adalah%s .
      Untuk URL modul eksternal yang diinstal ke direktori custom, jangan sertakan "custom /" jadi gunakan path sepertimymodule / mypagelist.php dan bukan custom / mymodule / mypagelist.php.
      Jika Anda ingin nilai default hanya jika url memiliki beberapa parameter, Anda dapat menggunakan%s -AlsoDefaultValuesAreEffectiveForActionCreate=Perhatikan juga bahwa menimpa nilai default untuk pembuatan formulir hanya berfungsi untuk halaman yang dirancang dengan benar (jadi dengan parameter action = create atau presend ...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=Aktifkan penyesuaian nilai default EnableOverwriteTranslation=Allow customization of translations GoIntoTranslationMenuToChangeThis=Terjemahan telah ditemukan untuk kunci dengan kode ini. Untuk mengubah nilai ini, Anda harus mengeditnya dari Home-Setup-translation. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Direktori pribadi umum adalah direktori WebDAV yang DAV_ALLOW_PUBLIC_DIR=Aktifkan direktori publik umum (direktori khusus WebDAV bernama "publik" - tidak diperlukan login) DAV_ALLOW_PUBLIC_DIRTooltip=Direktori publik umum adalah direktori WebDAV yang dapat diakses siapa saja (dalam mode baca dan tulis), tanpa diperlukan otorisasi (akun login / kata sandi). DAV_ALLOW_ECM_DIR=Aktifkan direktori pribadi DMS / ECM (direktori root modul DMS / ECM - diperlukan login) -DAV_ALLOW_ECM_DIRTooltip=Direktori root tempat semua file diunggah secara manual saat menggunakan modul DMS / ECM. Demikian pula sebagai akses dari antarmuka web, Anda akan memerlukan login / kata sandi yang valid dengan izin yang memadai untuk mengaksesnya. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=Pengguna & Grup Module0Desc=Pengguna / Karyawan dan manajemen Grup @@ -566,7 +569,7 @@ Module40Desc=Vendor dan manajemen pembelian (pesanan pembelian dan penagihan fak Module42Name=Debug Log Module42Desc=Fasilitas pencatatan (file, syslog, ...). Log semacam itu untuk tujuan teknis / debug. Module43Name=Bilah Debug -Module43Desc=Alat untuk pengembang yang menambahkan bilah debug di browser Anda. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=Editor Module49Desc=Manajemen editor Module50Name=Produk @@ -582,7 +585,7 @@ Module54Desc=Manajemen kontrak (layanan atau langganan berulang) Module55Name=Barcode Module55Desc=Manajemen kode batang atau kode QR Module56Name=Pembayaran dengan transfer kredit -Module56Desc=Manajemen pembayaran pemasok dengan pesanan Transfer Kredit. Ini termasuk pembuatan file SEPA untuk negara-negara Eropa. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=Pembayaran dengan Debit Langsung Module57Desc=Pengelolaan pesanan Debit Langsung. Ini termasuk pembuatan file SEPA untuk negara-negara Eropa. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Kirim pemberitahuan email yang dipicu oleh agenda bisnis: per peng Module600Long=Perhatikan bahwa modul ini mengirim email secara real-time ketika agenda bisnis tertentu terjadi. Jika Anda mencari fitur untuk mengirim pengingat email untuk agenda agenda, masuk ke pengaturan Agenda modul. Module610Name=Varian Produk Module610Desc=Pembuatan varian produk (warna, ukuran, dll.) +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=Sumbangan Module700Desc=Manajemen donasi Module770Name=Laporan biaya @@ -650,8 +657,8 @@ Module2300Name=Pekerjaan terjadwal Module2300Desc=Manajemen pekerjaan terjadwal (alias tabel cron atau chrono) Module2400Name=Perihal / Agenda Module2400Desc=Lacak agenda. Catat kejadian otomatis untuk tujuan pelacakan atau catat agenda atau pertemuan manual. Ini adalah modul utama untuk Manajemen Hubungan Pelanggan dan Vendor yang baik. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM Module2500Desc=Sistem Manajemen Dokumen / Manajemen Konten Elektronik. Organisasi otomatis dari dokumen Anda yang dihasilkan atau disimpan. Bagikan saat Anda membutuhkannya. Module2600Name=API / Web services (SOAP server) @@ -672,7 +679,7 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=Jaringan sosial Module3400Desc=Aktifkan bidang Jaringan Sosial ke pihak ketiga dan alamat (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Manajemen sumber daya manusia (manajemen departemen, kontrak dan perasaan karyawan) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Multi-perusahaan Module5000Desc=Memungkinkan Anda mengelola banyak perusahaan Module6000Name=Alur Kerja Antar-modul @@ -712,6 +719,8 @@ Module63000Desc=Kelola sumber daya (printer, mobil, kamar, ...) untuk dialokasik Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=Penerimaan +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Read customer invoices (and payments) Permission12=Membuat/Merubah Nota Pelanggan @@ -996,7 +1005,7 @@ Permission4031=Read personal information Permission4032=Write personal information Permission4033=Read all evaluations (even those of user not subordinates) Permission10001=Baca konten situs web -Permission10002=Buat / ubah konten situs web (konten html dan javascript) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=Buat / ubah konten situs web (kode php dinamis). Berbahaya, harus disediakan untuk pengembang terbatas. Permission10005=Hapus konten situs web Permission20001=Baca permintaan cuti (cuti Anda dan bawahan Anda) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Laporan biaya - Kisaran berdasarkan kategori transport DictionaryTransportMode=Laporan Intracomm - Mode transportasi DictionaryBatchStatus=Status Kontrol Kualitas lot/serial produk DictionaryAssetDisposalType=Type of disposal of assets +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Jenis unit SetupSaved=Pengaturan disimpan SetupNotSaved=Pengaturan tidak disimpan @@ -1109,10 +1119,11 @@ BackToModuleList=Kembali ke daftar Modul BackToDictionaryList=Kembali ke daftar Kamus TypeOfRevenueStamp=Jenis cap pajak VATManagement=Manajemen Pajak Penjualan -VATIsUsedDesc=Secara default saat membuat prospek, faktur, pesanan dll. Tarif Pajak Penjualan mengikuti aturan standar aktif:
      Jika penjual tidak dikenakan pajak Penjualan, maka pajak Penjualan default ke 0. Akhir aturan.
      Jika (negara penjual = negara pembeli), maka pajak penjualan secara default sama dengan pajak penjualan produk di negara penjual. Akhir dari aturan.
      Jika penjual dan pembeli sama-sama berada di Komunitas Eropa dan barang merupakan produk yang terkait dengan transportasi (pengangkutan, pengiriman, maskapai), PPN defaultnya adalah 0. Aturan ini tergantung pada negara penjual - silakan berkonsultasi dengan akuntan Anda. PPN harus dibayarkan oleh pembeli ke kantor pabean di negara mereka dan bukan kepada penjual. Akhir dari aturan.
      Jika penjual dan pembeli sama-sama berada di Komunitas Eropa dan pembeli bukan perusahaan (dengan nomor PPN intra-Komunitas terdaftar), maka PPN akan default ke tingkat PPN di negara penjual. Akhir dari aturan.
      Jika penjual dan pembeli sama-sama berada di Komunitas Eropa dan pembeli adalah perusahaan (dengan nomor PPN intra-Komunitas terdaftar), maka PPN adalah 0 secara default. Akhir dari aturan.
      Dalam kasus lain default yang diusulkan adalah Pajak penjualan = 0. Akhir dari aturan. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=Secara default pajak Penjualan yang diusulkan adalah 0 yang dapat digunakan untuk kasus-kasus seperti asosiasi, perorangan atau perusahaan kecil. VATIsUsedExampleFR=Di Perancis, itu berarti perusahaan atau organisasi yang memiliki sistem fiskal nyata (real nyata atau normal nyata). Sebuah sistem di mana PPN diumumkan. VATIsNotUsedExampleFR=Di Prancis, ini berarti asosiasi yang tidak menyatakan pajak Penjualan atau perusahaan, organisasi atau profesi liberal yang telah memilih sistem fiskal perusahaan mikro (Pajak penjualan dalam waralaba) dan membayar pajak Penjualan waralaba tanpa deklarasi pajak Penjualan. Pilihan ini akan menampilkan referensi "Pajak Penjualan tidak berlaku - art-293B dari CGI" pada faktur. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Jenis pajak penjualan LTRate=Menilai @@ -1399,8 +1410,8 @@ PHPModuleLoaded=Komponen PHP %s dimuat PreloadOPCode=OPCode preloaded digunakan AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Tampilan Kontak email (atau telepon jika tidak ditentukan) dan daftar info kota (pilih daftar atau kotak kombo)
      Kontak akan muncul dengan format nama "Dupond Durand - dupond.durand@email.com - Paris" atau "Dupond Durand - 06 07 59 65 66 - Paris "bukan" Dupond Durand ". +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=Mintalah metode pengiriman pilihan untuk Pihak Ketiga. FieldEdition=Edisi baris %s FillThisOnlyIfRequired=Contoh: +2 (isi hanya jika masalah offset zona waktu dialami) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Jangan tampilkan tautan "Kata Sandi Lupa" d UsersSetup=Pengaturan modul pengguna UserMailRequired=Diperlukan email untuk membuat pengguna baru UserHideInactive=Sembunyikan pengguna tidak aktif dari semua daftar pengguna kombo (Tidak disarankan: ini berarti Anda tidak akan dapat memfilter atau mencari pengguna lama di beberapa halaman) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Templat dokumen untuk dokumen yang dihasilkan dari catatan pengguna GroupsDocModules=Templat dokumen untuk dokumen yang dihasilkan dari catatan grup ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Grup LDAPContactsSynchro=Kontak LDAPMembersSynchro=Anggota LDAPMembersTypesSynchro=Jenis anggota -LDAPSynchronization=Sinkronisasi LDAP +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=Fungsi LDAP tidak tersedia di PHP Anda LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=Identitas pengguna LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=Direktori rumah -LDAPFieldHomedirectoryExample=Contoh: direktori rumah +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=Direktori awal rumah LDAPSetupNotComplete=Penyiapan LDAP tidak selesai (buka tab orang lain) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Tidak ada administrator atau kata sandi yang disediakan. Akses LDAP akan bersifat anonim dan dalam mode hanya baca. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Modul memcached untuk cache aplikatif ditemu MemcachedAvailableAndSetup=Modul memcached yang didedikasikan untuk menggunakan server memcached diaktifkan. OPCodeCache=Tembolok OPCode NoOPCodeCacheFound=Tidak ditemukan cache OPCode. Mungkin Anda menggunakan cache OPCode selain XCache atau eAccelerator (bagus), atau mungkin Anda tidak memiliki cache OPCode (sangat buruk). -HTTPCacheStaticResources=Tembolok HTTP untuk sumber daya statis (css, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=File tipe %s di-cache oleh server HTTP FilesOfTypeNotCached=File tipe %s tidak di-cache oleh server HTTP FilesOfTypeCompressed=File tipe %s dikompresi oleh server HTTP @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Teks bebas pada tanda terima pengiriman ##### FCKeditor ##### AdvancedEditor=Editor tingkat lanjut ActivateFCKeditor=Aktifkan editor lanjutan untuk: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= Pembuatan / edisi WYSIWIG untuk eMailing massal (Alat-> eMailing) -FCKeditorForUserSignature=WYSIWIG pembuatan / edisi tanda tangan pengguna -FCKeditorForMail=Pembuatan / edisi WYSIWIG untuk semua email (kecuali Tools-> eMailing) -FCKeditorForTicket=Pembuatan / edisi WYSIWIG untuk tiket +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=Pengaturan modul stok IfYouUsePointOfSaleCheckModule=Jika Anda menggunakan modul Point of Sale (POS) yang disediakan secara default atau modul eksternal, pengaturan ini mungkin diabaikan oleh modul POS Anda. Sebagian besar modul POS dirancang secara default untuk membuat faktur segera dan mengurangi stok terlepas dari opsi di sini. Jadi jika Anda perlu atau tidak memiliki penurunan stok saat mendaftarkan penjualan dari POS Anda, periksa juga pengaturan modul POS Anda. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Menu yang dipersonalisasi tidak ditautkan ke entri me NewMenu=Menu baru MenuHandler=Penangan menu MenuModule=Modul sumber -HideUnauthorizedMenu=Sembunyikan juga menu yang tidak sah untuk pengguna internal (berwarna abu-abu jika tidak) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=Menu id DetailMenuHandler=Penangan menu tempat menampilkan menu baru DetailMenuModule=Nama modul jika entri menu berasal dari modul @@ -1802,7 +1815,7 @@ DetailType=Jenis menu (atas atau kiri) DetailTitre=Label menu atau kode label untuk terjemahan DetailUrl=URL where menu send you (Relative URL link or external link with https://) DetailEnabled=Kondisi untuk menunjukkan atau tidak masuk -DetailRight=Kondisi untuk menampilkan menu abu-abu yang tidak sah +DetailRight=Condition to display unauthorized gray menus DetailLangs=Nama file Lang untuk terjemahan kode label DetailUser=Intern / Extern / Semua Target=Target @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Akun default yang digunakan untuk menerima pembayaran CashDeskBankAccountForCheque=Akun default yang digunakan untuk menerima pembayaran dengan cek CashDeskBankAccountForCB=Akun default yang digunakan untuk menerima pembayaran dengan kartu kredit CashDeskBankAccountForSumup=Akun bank default yang digunakan untuk menerima pembayaran oleh SumUp -CashDeskDoNotDecreaseStock=Nonaktifkan penurunan stok saat penjualan dilakukan dari Point of Sale (jika "tidak", penurunan stok dilakukan untuk setiap penjualan yang dilakukan dari POS, terlepas dari opsi yang diatur dalam modul Saham). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Paksa dan batasi gudang yang digunakan untuk penurunan stok StockDecreaseForPointOfSaleDisabled=Penurunan stok karena Point of Sale dinonaktifkan StockDecreaseForPointOfSaleDisabledbyBatch=Penurunan stok dalam POS tidak kompatibel dengan modul Serial / Lot manajemen (saat ini aktif) sehingga penurunan stok dinonaktifkan. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Sorot garis-garis tabel ketika mouse bergerak HighlightLinesColor=Sorot warna garis ketika mouse dilewati (gunakan 'ffffff' tanpa highlight) HighlightLinesChecked=Sorot warna garis ketika dicentang (gunakan 'ffffff' tanpa highlight) UseBorderOnTable=Show left-right borders on tables +TableLineHeight=Table line height BtnActionColor=Color of the action button TextBtnActionColor=Text color of the action button TextTitleColor=Warna teks judul Halaman @@ -1991,7 +2006,7 @@ EnterAnyCode=Bidang ini berisi referensi untuk mengidentifikasi garis. Masukkan Enter0or1=Masukkan 0 atau 1 UnicodeCurrency=Masukkan di sini di antara kurung kurawal, daftar nomor byte yang mewakili simbol mata uang. Misalnya: untuk $, masukkan [36] - untuk brazil real R $ [82,36] - untuk €, masukkan [8364] ColorFormat=Warna RGB dalam format HEX, mis .: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=Posisi baris ke dalam daftar kombo SellTaxRate=Tarif pajak penjualan RecuperableOnly=Ya untuk PPN "Tidak Ditanggapi tetapi Dapat Dipulihkan" yang didedikasikan untuk beberapa negara bagian di Prancis. Simpan nilai "Tidak" dalam semua kasus lainnya. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Sembunyikan batas pada bingkai alamat pengirim -MAIN_PDF_NO_RECIPENT_FRAME=Sembunyikan batas pada bingkai alamat penerima +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Sembunyikan kode pelanggan MAIN_PDF_HIDE_SENDER_NAME=Sembunyikan pengirim/nama perusahaan di blok alamat PROPOSAL_PDF_HIDE_PAYMENTTERM=Sembunyikan kondisi pembayaran @@ -2118,7 +2133,7 @@ EMailHost=Host server IMAP email EMailHostPort=Port of email IMAP server loginPassword=Login/Password oauthToken=OAuth2 token -accessType=Acces type +accessType=Access type oauthService=Oauth service TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Do not include the content of email header into th EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. EmailCollectorConfirmCollectTitle=Konfirmasi pengumpulan email EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Example collecting leads EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanope ThisValueCanOverwrittenOnUserLevel=Nilai ini dapat ditimpa oleh setiap pengguna dari halaman penggunanya - tab '%s' -DefaultCustomerType=Jenis pihak ketiga default untuk formulir pembuatan "Pelanggan baru" +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=Catatan: Rekening bank harus ditentukan pada modul setiap mode pembayaran (Paypal, Stripe, ...) agar fitur ini berfungsi. RootCategoryForProductsToSell=Akar kategori produk yang akan dijual -RootCategoryForProductsToSellDesc=Jika ditentukan, hanya produk di dalam kategori ini atau anak-anak dari kategori ini yang akan tersedia di Point Of Sale +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=Debug Bar DebugBarDesc=Bilah alat yang dilengkapi dengan banyak alat untuk menyederhanakan debugging DebugBarSetup=Pengaturan DebugBar @@ -2212,10 +2227,10 @@ ImportSetup=Pengaturan impor modul InstanceUniqueID=ID unik dari instance SmallerThan=Lebih kecil dari LargerThan=lebih besar dari -IfTrackingIDFoundEventWillBeLinked=Perhatikan bahwa Jika ID pelacakan dari suatu objek ditemukan dalam email, atau jika email adalah jawaban dari email yang sudah dikumpulkan dan ditautkan ke suatu objek, acara yang dibuat akan secara otomatis ditautkan ke objek terkait yang diketahui. -WithGMailYouCanCreateADedicatedPassword=Dengan akun GMail, jika Anda mengaktifkan validasi 2 langkah, disarankan untuk membuat kata sandi khusus kedua untuk aplikasi alih-alih menggunakan kata sandi akun Anda sendiri dari https://myaccount.google.com/. -EmailCollectorTargetDir=Ini mungkin merupakan perilaku yang diinginkan untuk memindahkan email ke tag / direktori lain ketika berhasil diproses. Cukup atur nama direktori di sini untuk menggunakan fitur ini (JANGAN menggunakan karakter khusus dalam nama). Perhatikan bahwa Anda juga harus menggunakan akun login baca / tulis. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=Titik akhir untuk %s: %s DeleteEmailCollector=Hapus pengumpul email @@ -2232,12 +2247,12 @@ EmailTemplate=Template untuk email EMailsWillHaveMessageID=Email akan memiliki tag 'Referensi' yang cocok dengan sintaks ini PDF_SHOW_PROJECT=Tampilkan proyek di dokumen ShowProjectLabel=Label Proyek -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=Jika Anda ingin agar beberapa teks dalam PDF Anda digandakan dalam 2 bahasa berbeda dalam PDF yang dihasilkan sama, Anda harus mengatur di sini bahasa kedua ini sehingga PDF yang dihasilkan akan berisi 2 bahasa berbeda di halaman yang sama, yang dipilih saat membuat PDF dan yang ini ( hanya beberapa templat PDF yang mendukung ini). Biarkan kosong untuk 1 bahasa per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Masukkan di sini kode ikon FontAwesome. Jika Anda tidak tahu apa itu FontAwesome, Anda dapat menggunakan fa-address-book nilai umum. RssNote=Catatan: Setiap definisi umpan RSS menyediakan widget yang harus Anda aktifkan agar tersedia di dasbor JumpToBoxes=Langsung ke Pengaturan -> Widget @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Anda mungkin menemukan nasihat keamanan di sini ModuleActivatedMayExposeInformation=Ekstensi PHP ini dapat mengekspos data sensitif. Jika Anda tidak membutuhkannya, nonaktifkan. ModuleActivatedDoNotUseInProduction=Modul yang dirancang untuk pengembangan telah diaktifkan. Jangan mengaktifkannya di lingkungan produksi. CombinationsSeparator=Karakter pemisah untuk kombinasi produk -SeeLinkToOnlineDocumentation=Lihat tautan ke dokumenter online di menu atas untuk mengetahui contohnya +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=Jika fitur "%s" modul %s digunakan, tampilkan detail subproduk kit di PDF. AskThisIDToYourBank=Hubungi bank Anda untuk mendapatkan ID ini -AdvancedModeOnly=Izin hanya tersedia dalam mode izin Lanjutan +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=File conf dapat dibaca atau ditulis oleh semua pengguna. Berikan izin kepada pengguna dan grup server web saja. MailToSendEventOrganization=Organisasi Acara MailToPartnership=Kemitraan AGENDA_EVENT_DEFAULT_STATUS=Status acara default saat membuat acara dari formulir YouShouldDisablePHPFunctions=Anda harus menonaktifkan fungsi PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=Kecuali jika Anda perlu menjalankan perintah sistem dalam kode khusus, Anda harus menonaktifkan fungsi PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions NoWritableFilesFoundIntoRootDir=Tidak ada file atau direktori yang dapat ditulis dari program umum yang ditemukan di direktori root Anda (Bagus) RecommendedValueIs=Direkomendasikan: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook setup Settings = Pengaturan WebhookSetupPage = Webhook setup page ShowQuickAddLink=Show a button to quickly add an element in top right menu - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Hash used for ping ReadOnlyMode=Is instance in "Read Only" mode DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Will not work with all themes NoName=No name ShowAdvancedOptions= Show advanced options HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Use a password UseOauth=Use a OAUTH token Images=Images MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=The script is empty ShowHideTheNRequests=Show/hide the %s SQL request(s) DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2403,6 +2419,24 @@ Defaultfortype=Default DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/id_ID/bills.lang b/htdocs/langs/id_ID/bills.lang index 77db70fdd4c..40f2bf86a1c 100644 --- a/htdocs/langs/id_ID/bills.lang +++ b/htdocs/langs/id_ID/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Buat tempo pembayaran ke pelanggan DisabledBecauseRemainderToPayIsZero=Dinonaktifkan karena sisa yang belum dibayar adalah nol PriceBase=Harga dasar BillStatus=Status tagihan -StatusOfGeneratedInvoices=Status faktur yang dihasilkan +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Konsep (harus di validasi) BillStatusPaid=Dibayar BillStatusPaidBackOrConverted=Pengembalian uang kertas atau ditandai sebagai kredit tersedia @@ -167,7 +167,7 @@ ActionsOnBill=Tindak lanjut tagihan ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Templat / Faktur berulang NoQualifiedRecurringInvoiceTemplateFound=Tidak ada faktur templat berulang yang memenuhi syarat untuk dibuat. -FoundXQualifiedRecurringInvoiceTemplate=Ditemukan faktur template berulang %s yang memenuhi syarat untuk dibuat. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Bukan faktur templat berulang NewBill=Tagihan baru LastBills=Faktur %s terbaru @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Vendor konsep faktur Unpaid=Tidak dibayar ErrorNoPaymentDefined=Kesalahan Tidak ada pembayaran yang ditentukan ConfirmDeleteBill=Anda yakin ingin menghapus faktur ini? -ConfirmValidateBill=Apakah Anda yakin ingin memvalidasi faktur ini dengan referensi%s ? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Apakah Anda yakin ingin mengubah faktur%ske status draf? ConfirmClassifyPaidBill=Apakah Anda yakin ingin mengubah faktur%ske status berbayar? ConfirmCancelBill=Apakah Anda yakin ingin membatalkan faktur%s ? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Apakah Anda mengonfirmasi input pembayaran ini untuk%s ConfirmSupplierPayment=Apakah Anda mengonfirmasi input pembayaran ini untuk%s%s? ConfirmValidatePayment=Apakah Anda yakin ingin memvalidasi pembayaran ini? Tidak ada perubahan yang dapat dilakukan setelah pembayaran divalidasi. ValidateBill=Validasi faktur -UnvalidateBill=Batalkan faktur +UnvalidateBill=Invalidate invoice NumberOfBills=Jumlah faktur NumberOfBillsByMonth=Jumlah faktur per bulan AmountOfBills=Jumlah faktur @@ -250,12 +250,13 @@ RemainderToTake=Jumlah yang harus diambil RemainderToTakeMulticurrency=Sisa jumlah untuk diambil, mata uang asal RemainderToPayBack=Jumlah yang tersisa untuk dikembalikan RemainderToPayBackMulticurrency=Sisa jumlah untuk dikembalikan, mata uang asal +NegativeIfExcessReceived=negative if excess received NegativeIfExcessRefunded=negative if excess refunded +NegativeIfExcessPaid=negative if excess paid Rest=Tertunda AmountExpected=Jumlah yang diklaim ExcessReceived=Kelebihan diterima ExcessReceivedMulticurrency=Kelebihan diterima, mata uang asal -NegativeIfExcessReceived=negative if excess received ExcessPaid=Kelebihan dibayar ExcessPaidMulticurrency=Kelebihan pembayaran, mata uang asal EscompteOffered=Diskon yang ditawarkan (pembayaran sebelum jangka waktu) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Anda harus membuat faktur standar terlebih PDFCrabeDescription=Faktur templat PDF faktur Templat faktur lengkap (penerapan lama templat Sponge) PDFSpongeDescription=Faktur Templat PDF Faktur. Templat faktur lengkap PDFCrevetteDescription=Crevette templat PDF faktur. Templat faktur lengkap untuk faktur situasi -TerreNumRefModelDesc1=Nomor pengembalian dalam format %syymm-nnnn untuk faktur standar dan %syymm-nnnn untuk nota kredit di mana yy adalah tahun, mm adalah bulan dan nnnn adalah nomor kenaikan otomatis berurutan tanpa jeda dan tidak kembali ke 0 -MarsNumRefModelDesc1=nomor pengembalian dalam format %syymm-nnnn untuk faktur standar, %syymm-nnnn untuk faktur pengganti, %syymm-nnnn untuk faktur uang muka dan %syymm-mm-nynn untuk nota kredit tanpa istirahat dan tidak kembali ke 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Tagihan yang dimulai dengan $ syymm sudah ada dan tidak kompatibel dengan model urutan ini. Hapus atau ubah nama untuk mengaktifkan modul ini. -CactusNumRefModelDesc1=Nomor pengembalian dalam format %syymm-nnnn untuk faktur standar, %syymm-nnnn untuk nota kredit dan %syymm-nnnn untuk faktur uang muka di mana yy adalah tahun, mm adalah bulan dan nnnn adalah nomor urut tanpa jeda masuk otomatis 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Alasan penutupan awal EarlyClosingComment=Catatan penutupan awal ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Gaji +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Gaji +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/id_ID/cashdesk.lang b/htdocs/langs/id_ID/cashdesk.lang index 0e002fa4874..ed92c8b3322 100644 --- a/htdocs/langs/id_ID/cashdesk.lang +++ b/htdocs/langs/id_ID/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=Resi Header=Tajuk Footer=Catatan Kaki AmountAtEndOfPeriod=Jumlah pada akhir periode (hari, bulan atau tahun) -TheoricalAmount=Jumlah teoretis +TheoricalAmount=Theoretical amount RealAmount=Jumlah nyata CashFence=Cash box closing CashFenceDone=Cash box closing done for the period @@ -57,7 +57,7 @@ Paymentnumpad=Jenis Pad untuk memasukkan pembayaran Numberspad=Angka pad BillsCoinsPad=Koin dan Pad uang kertas DolistorePosCategory=Modul TakePOS dan solusi POS lainnya untuk Dolibarr -TakeposNeedsCategories=TakePOS membutuhkan setidaknya satu kategori produk untuk bekerja +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS membutuhkan setidaknya 1 kategori produk di bawah kategori %s untuk bekerja OrderNotes=Dapat menambahkan catatan untuk setiap barang yang dipesan CashDeskBankAccountFor=Akun default untuk digunakan untuk pembayaran dalam @@ -76,7 +76,7 @@ TerminalSelect=Pilih terminal yang ingin Anda gunakan: POSTicket=Tiket POS POSTerminal=Terminal POS POSModule=Modul POS -BasicPhoneLayout=Gunakan tata letak dasar untuk ponsel +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Pengaturan terminal %s tidak lengkap DirectPayment=Pembayaran langsung DirectPaymentButton=Tambahkan tombol "Pembayaran tunai langsung" @@ -92,14 +92,14 @@ HeadBar=Head Bar SortProductField=Bidang untuk menyortir produk Browser=Browser BrowserMethodDescription=Pencetakan resi yang sederhana dan mudah. Hanya beberapa parameter untuk mengkonfigurasi tanda terima. Cetak melalui browser. -TakeposConnectorMethodDescription=Modul eksternal dengan fitur tambahan. Dapat memungkinkan untuk mencetak dari cloud. +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=Metode cetak ReceiptPrinterMethodDescription=Metode yang kuat dengan banyak parameter. Dapat disesuaikan dengan template. Server yang menghosting aplikasi tidak dapat berada di Cloud (harus dapat menjangkau printer di jaringan Anda). ByTerminal=Dengan terminal TakeposNumpadUsePaymentIcon=Gunakan ikon daripada teks pada tombol pembayaran numpad CashDeskRefNumberingModules=Modul penomoran untuk penjualan POS CashDeskGenericMaskCodes6 = tag
      {TN}digunakan untuk menambahkan nomor terminal -TakeposGroupSameProduct=Kelompokkan lini produk yang sama +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Mulai penjualan paralel baru SaleStartedAt=Penjualan dimulai pada %s ControlCashOpening=Open the "Control cash box" popup when opening the POS @@ -118,7 +118,7 @@ ScanToOrder=Pindai kode QR untuk memesan Appearance=Penampilan HideCategoryImages=Sembunyikan Kategori Gambar HideProductImages=Sembunyikan Gambar Produk -NumberOfLinesToShow=Jumlah baris gambar untuk ditampilkan +NumberOfLinesToShow=Maximum number of lines of text to show on thumb images DefineTablePlan=Definisikan rencana tabel GiftReceiptButton=Tambahkan tombol "Tanda terima hadiah" GiftReceipt=Tanda terima hadiah @@ -135,4 +135,21 @@ PrintWithoutDetailsLabelDefault=Line label by default on printing without detail PrintWithoutDetails=Print without details YearNotDefined=Year is not defined TakeposBarcodeRuleToInsertProduct=Barcode rule to insert product -TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Already printed +HideCategories=Hide the whole section of categories selection +HideStockOnLine=Hide stock on line +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Show reference or label of products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Terminal %s +TerminalNameDesc=Terminal name +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/id_ID/categories.lang b/htdocs/langs/id_ID/categories.lang index 1f81c4cc9aa..f6bfe440775 100644 --- a/htdocs/langs/id_ID/categories.lang +++ b/htdocs/langs/id_ID/categories.lang @@ -102,4 +102,5 @@ ActionCommCategoriesArea=Kategori Acara WebsitePagesCategoriesArea=Kategori Penampung Halaman KnowledgemanagementsCategoriesArea=KM article Categories UseOrOperatorForCategories=Gunakan operator 'OR' untuk kategori -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Assign to the category +Position=Posisi diff --git a/htdocs/langs/id_ID/main.lang b/htdocs/langs/id_ID/main.lang index 2bf7d0c3b87..ed8440e014d 100644 --- a/htdocs/langs/id_ID/main.lang +++ b/htdocs/langs/id_ID/main.lang @@ -36,7 +36,7 @@ NoTranslation=Tanpa terjemahan Translation=Terjemahan Translations=Translations CurrentTimeZone=TimeZone PHP (Server) -EmptySearchString=Masukkan kriteria pencarian yang tidak kosong +EmptySearchString=Enter non empty search criteria EnterADateCriteria=Masukkan kriteria tanggal NoRecordFound=Tidak ada catatan yang ditemukan NoRecordDeleted=Tidak ada catatan yang dihapus @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Gagal mengirim email (pengirim = %s, penerima = %s) ErrorFileNotUploaded=File tidak diunggah. Pastikan ukurannya tidak melebihi batas maksimum yang diizinkan, ruang kosong itu tersedia di disk dan belum ada file dengan nama yang sama di direktori ini. ErrorInternalErrorDetected=Kesalahan terdeteksi ErrorWrongHostParameter=Parameter host salah -ErrorYourCountryIsNotDefined=Negara Anda belum ditentukan. Buka Home-Setup-Edit dan posting kembali formulir. +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=Gagal menghapus catatan ini. Catatan ini digunakan oleh setidaknya satu catatan anak. ErrorWrongValue=Nilai salah ErrorWrongValueForParameterX=Nilai salah untuk parameter %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Kesalahan, tidak ada tarif pajak yang dite ErrorNoSocialContributionForSellerCountry=Kesalahan, tidak ada jenis pajak sosial / fiskal yang ditentukan untuk negara '%s'. ErrorFailedToSaveFile=Kesalahan, gagal menyimpan file. ErrorCannotAddThisParentWarehouse=Anda mencoba menambahkan gudang induk yang sudah merupakan anak dari gudang yang ada +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=Bidang "%s" tidak boleh negatif MaxNbOfRecordPerPage=Maks. jumlah catatan per halaman NotAuthorized=Anda tidak berwenang melakukan itu. @@ -103,7 +104,8 @@ RecordGenerated=Rekaman dihasilkan LevelOfFeature=Tingkat fitur NotDefined=Tidak terdefinisikan DolibarrInHttpAuthenticationSoPasswordUseless=Mode autentikasi Dolibarr diatur ke%sdalam file konfigurasiconf.php .
      Ini berarti bahwa basis data kata sandi di luar Dolibarr, jadi mengubah bidang ini mungkin tidak berpengaruh. -Administrator=Administrator +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=Tidak terdefinisi PasswordForgotten=Lupa kata sandi? NoAccount=Tidak ada akun? @@ -211,8 +213,8 @@ Select=Pilih SelectAll=Pilih Semua Choose=Memilih Resize=Ubah ukuran +Crop=Crop ResizeOrCrop=Ubah Ukuran atau Pangkas -Recenter=Recenter Author=Penulis User=Pengguna Users=Pengguna @@ -444,7 +446,7 @@ LT1ES=KEMBALI LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Tambahan sen +LT1GC=Additional cents VATRate=Persentase pajak RateOfTaxN=Tarif pajak %s VATCode=Kode Tarif Pajak @@ -547,6 +549,7 @@ Reportings=Pelaporan Draft=Konsep Drafts=Draf StatusInterInvoiced=Faktur +Done=Selesai Validated=Divalidasi ValidatedToProduce=Divalidasi (Untuk memproduksi) Opened=Buka @@ -698,6 +701,7 @@ Response=Tanggapan Priority=Prioritas SendByMail=Kirim melalui email MailSentBy=Email dikirim oleh +MailSentByTo=Email sent by %s to %s NotSent=Tidak terkirim TextUsedInTheMessageBody=Badan email SendAcknowledgementByMail=Kirim email konfirmasi @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Rekaman berhasil diubah RecordsModified=catatan %s dimodifikasi RecordsDeleted=catatan %s dihapus RecordsGenerated=catatan %s dihasilkan +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=Kode otomatis FeatureDisabled=Fitur dinonaktifkan MoveBox=Pindahkan widget @@ -764,11 +769,10 @@ DisabledModules=Modul yang dinonaktifkan For=Untuk ForCustomer=Untuk pelanggan Signature=Tanda tangan -DateOfSignature=Tanggal penandatanganan HidePassword=Tampilkan perintah dengan kata sandi disembunyikan UnHidePassword=Tampilkan perintah nyata dengan kata sandi yang jelas Root=Akar -RootOfMedias=Akar media publik (/ media) +RootOfMedias=Root of public media (/medias) Informations=Informasi Page=Halaman Notes=Catatan @@ -916,6 +920,7 @@ BackOffice=Kantor kembali Submit=Kirimkan View=Melihat Export=Ekspor +Import=Import Exports=Ekspor ExportFilteredList=Ekspor daftar yang difilter ExportList=Daftar ekspor @@ -949,7 +954,7 @@ BulkActions=Aksi besar ClickToShowHelp=Klik untuk menampilkan bantuan tooltip WebSite=Situs web WebSites=Situs web -WebSiteAccounts=Akun situs web +WebSiteAccounts=Web access accounts ExpenseReport=Laporan pengeluaran ExpenseReports=Laporan biaya HR=SDM @@ -1077,6 +1082,7 @@ CommentPage=Ruang komentar CommentAdded=Komentar ditambahkan CommentDeleted=Komentar dihapus Everybody=Semua orang +EverybodySmall=Everybody PayedBy=Dibayar oleh PayedTo=Dibayarkan kepada Monthly=Bulanan @@ -1089,7 +1095,7 @@ KeyboardShortcut=Pintasan keyboard AssignedTo=Ditugaskan untuk Deletedraft=Hapus konsep ConfirmMassDraftDeletion=Draft konfirmasi penghapusan massal -FileSharedViaALink=File dibagikan dengan tautan publik +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Pilih pihak ketiga terlebih dahulu ... YouAreCurrentlyInSandboxMode=Anda saat ini dalam mode "sandbox" %s Inventory=Inventaris @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Tugas ContactDefault_propal=Usul ContactDefault_supplier_proposal=Proposal Pemasok ContactDefault_ticket=Tiket -ContactAddedAutomatically=Kontak ditambahkan dari peran pihak ketiga kontak +ContactAddedAutomatically=Contact added from third-party contact roles More=Lebih ShowDetails=Tampilkan detail CustomReports=Laporan khusus @@ -1163,8 +1169,8 @@ AffectTag=Assign a Tag AffectUser=Assign a User SetSupervisor=Set the supervisor CreateExternalUser=Buat pengguna eksternal -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=Role assigned on each project/opportunity TasksRole=Role assigned on each task (if used) ConfirmSetSupervisor=Bulk Supervisor Set @@ -1222,7 +1228,7 @@ UserAgent=User Agent InternalUser=Pengguna internal ExternalUser=Pengguna eksternal NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Hide %s AddToContacts=Add address to my contacts LastAccess=Last access @@ -1237,3 +1243,20 @@ SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use InProgress=Dalam proses DateOfPrinting=Date of printing ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. +UserNotYetValid=Not yet valid +UserExpired=Expired +LinkANewFile=Tautan untuk berkas/dokumen baru +LinkedFiles=Tautan berkas dan dokumen +NoLinkFound=Link tidak terdaftar +LinkComplete=Berkas telah berhasil ditautkan +ErrorFileNotLinked=Berkas tidak dapat ditautkan +LinkRemoved=Tautan %s telah dihapus +ErrorFailedToDeleteLink= gagal untuk menghapus tautan '%s' +ErrorFailedToUpdateLink= Gagal untuk memperbaharui tautan '%s' +URLToLink=URL to link +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/id_ID/oauth.lang b/htdocs/langs/id_ID/oauth.lang index b16c0a83160..00dca904f2e 100644 --- a/htdocs/langs/id_ID/oauth.lang +++ b/htdocs/langs/id_ID/oauth.lang @@ -9,9 +9,11 @@ HasAccessToken=Token dibuat dan disimpan ke dalam basis data lokal NewTokenStored=Token diterima dan disimpan ToCheckDeleteTokenOnProvider=Klik di sini untuk memeriksa / menghapus otorisasi yang disimpan oleh penyedia OAuth %s TokenDeleted=Token dihapus +GetAccess=Click here to get a token RequestAccess=Click here to request/renew access and receive a new token -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=Gunakan URL berikut sebagai Redirect URI saat membuat kredensial Anda dengan penyedia OAuth Anda: +DeleteAccess=Click here to delete the token +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens SeePreviousTab=Lihat tab sebelumnya @@ -30,7 +32,11 @@ OAUTH_GITHUB_SECRET=Rahasia GitHub OAuth OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret OAUTH_STRIPE_TEST_NAME=Tes Strip OAuth OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live -OAUTH_ID=OAuth ID +OAUTH_ID=OAuth Client ID OAUTH_SECRET=OAuth secret +OAUTH_TENANT=OAuth tenant OAuthProviderAdded=OAuth provider added AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists +URLOfServiceForAuthorization=URL provided by OAuth service for authentication +Scopes=Permissions (Scopes) +ScopeUndefined=Permissions (Scopes) undefined (see previous tab) diff --git a/htdocs/langs/id_ID/products.lang b/htdocs/langs/id_ID/products.lang index cc91cc0febc..22ef13ecd00 100644 --- a/htdocs/langs/id_ID/products.lang +++ b/htdocs/langs/id_ID/products.lang @@ -80,8 +80,11 @@ SoldAmount=Jumlah yang dijual PurchasedAmount=Jumlah yang dibeli NewPrice=Harga baru MinPrice=Harga penjualan minimum +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=Edit label harga jual -CantBeLessThanMinPrice=Harga jual tidak boleh lebih rendah dari minimum yang diizinkan untuk produk ini (%s tanpa pajak). Pesan ini juga dapat muncul jika Anda mengetikkan diskon yang terlalu penting. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Ditutup ErrorProductAlreadyExists=Produk dengan referensi %s sudah ada. ErrorProductBadRefOrLabel=Nilai yang salah untuk referensi atau label. @@ -347,16 +350,17 @@ UseProductFournDesc=Tambahkan fitur untuk mendefinisikan deskripsi produk yang d ProductSupplierDescription=Deskripsi vendor untuk produk UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=You will automaticaly purchase a multiple of this quantity. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=Kuantitas saluran dihitung ulang sesuai dengan kemasan pemasok #Attributes +Attributes=Attributes VariantAttributes=Atribut varian ProductAttributes=Atribut varian untuk produk ProductAttributeName=Atribut varian %s ProductAttribute=Atribut varian ProductAttributeDeleteDialog=Apakah Anda yakin ingin menghapus atribut ini? Semua nilai akan dihapus -ProductAttributeValueDeleteDialog=Apakah Anda yakin ingin menghapus nilai "%s" dengan referensi "%s" dari atribut ini? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Anda yakin ingin menghapus varian produk " %s "? ProductCombinationAlreadyUsed=Terjadi kesalahan saat menghapus varian. Harap periksa apakah tidak digunakan di objek apa pun ProductCombinations=Varian @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Terjadi kesalahan saat mencoba menghapus varian p NbOfDifferentValues=Jumlah nilai yang berbeda NbProducts=Jumlah produk ParentProduct=Produk induk +ParentProductOfVariant=Parent product of variant HideChildProducts=Sembunyikan produk varian ShowChildProducts=Tampilkan varian produk NoEditVariants=Pergi ke kartu produk Induk dan edit dampak harga varian di tab varian @@ -417,7 +422,7 @@ ErrorsProductsMerge=Errors in products merge SwitchOnSaleStatus=Switch on sale status SwitchOnPurchaseStatus=Switch on purchase status UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Extra Fields (stock mouvement) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Extra Fields (inventory) ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes PuttingPricesUpToDate=Update prices with current known prices @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Select the extrafield you want modify ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? ModifyValueExtrafields = Modify value of an extrafield OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/id_ID/projects.lang b/htdocs/langs/id_ID/projects.lang index 6a26514db7d..1b9cc1009da 100644 --- a/htdocs/langs/id_ID/projects.lang +++ b/htdocs/langs/id_ID/projects.lang @@ -33,6 +33,7 @@ DeleteATask=Hapus tugas ConfirmDeleteAProject=Anda yakin ingin menghapus proyek ini? ConfirmDeleteATask=Apakah Anda yakin ingin menghapus tugas ini? OpenedProjects=Buka proyek +OpenedProjectsOpportunities=Open opportunities OpenedTasks=Buka tugas OpportunitiesStatusForOpenedProjects=Memimpin jumlah proyek terbuka berdasarkan status OpportunitiesStatusForProjects=Memimpin jumlah proyek berdasarkan status @@ -44,10 +45,11 @@ OutOfProject=Out of project NoProject=Tidak ada proyek yang ditentukan atau dimiliki NbOfProjects=Jumlah proyek NbOfTasks=Jumlah tugas +TimeEntry=Time tracking TimeSpent=Waktu yang dihabiskan +TimeSpentSmall=Waktu yang dihabiskan TimeSpentByYou=Waktu yang Anda habiskan TimeSpentByUser=Waktu yang dihabiskan oleh pengguna -TimesSpent=Waktu yang dihabiskan TaskId=ID tugas RefTask=Tugas ref. LabelTask=Label tugas @@ -81,7 +83,7 @@ MyProjectsArea=Proyek saya Area DurationEffective=Durasi efektif ProgressDeclared=Sebutkan kemajuan nyata TaskProgressSummary=Kemajuan tugas -CurentlyOpenedTasks=Buka tugas saat ini +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=Kemajuan nyata yang dinyatakan kurang dari %s daripada kemajuan konsumsi TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Kemajuan nyata yang dinyatakan lebih %s daripada kemajuan konsumsi ProgressCalculated=Kemajuan konsumsi @@ -121,7 +123,7 @@ TaskHasChild=Tugas memiliki anak NotOwnerOfProject=Bukan pemilik proyek pribadi ini AffectedTo=Dialokasikan ke CantRemoveProject=Proyek ini tidak dapat dihapus karena direferensikan oleh beberapa objek lain (faktur, pesanan atau lainnya). Lihat tab '%s'. -ValidateProject=Validasi projet +ValidateProject=Validate project ConfirmValidateProject=Anda yakin ingin memvalidasi proyek ini? CloseAProject=Tutup proyek ConfirmCloseAProject=Anda yakin ingin menutup proyek ini? @@ -202,7 +204,7 @@ InputPerMonth=Masukan per bulan InputDetail=Detail input TimeAlreadyRecorded=Ini adalah waktu yang dihabiskan yang sudah direkam untuk tugas / hari ini dan pengguna %s ProjectsWithThisUserAsContact=Proyek dengan pengguna ini sebagai kontak -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=Projects with this third-party contact TasksWithThisUserAsContact=Tugas yang ditugaskan untuk pengguna ini ResourceNotAssignedToProject=Tidak ditugaskan ke proyek ResourceNotAssignedToTheTask=Tidak ditugaskan untuk tugas itu @@ -225,7 +227,7 @@ ProjectsStatistics=Statistik proyek atau prospek TasksStatistics=Statistik tugas proyek atau prospek TaskAssignedToEnterTime=Tugas yang diberikan. Memasukkan waktu pada tugas ini harus dimungkinkan. IdTaskTime=Waktu tugas id -YouCanCompleteRef=Jika Anda ingin melengkapi ref dengan suffix, disarankan untuk menambahkan karakter untuk memisahkannya, sehingga penomoran otomatis akan tetap berfungsi dengan benar untuk proyek selanjutnya. Misalnya %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Buka proyek oleh pihak ketiga OnlyOpportunitiesShort=Hanya petunjuk OpenedOpportunitiesShort=Petunjuk terbuka @@ -237,7 +239,7 @@ OpportunityPonderatedAmountDesc=Jumlah lead tertimbang dengan probabilitas OppStatusPROSP=Prospeksi OppStatusQUAL=Kualifikasi OppStatusPROPO=Usul -OppStatusNEGO=Negosiasi +OppStatusNEGO=Negotiation OppStatusPENDING=Tertunda OppStatusWON=Won OppStatusLOST=Kalah @@ -259,6 +261,7 @@ RecordsClosed=proyek %s ditutup SendProjectRef=Proyek informasi %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Modul 'Gaji' harus diaktifkan untuk menentukan tarif per jam karyawan agar waktu yang dihabiskan dinilai masa lalu NewTaskRefSuggested=Tugas ref sudah digunakan, tugas ref baru diperlukan +NumberOfTasksCloned=%s task(s) cloned TimeSpentInvoiced=Waktu yang dihabiskan ditagih TimeSpentForIntervention=Waktu yang dihabiskan TimeSpentForInvoice=Waktu yang dihabiskan diff --git a/htdocs/langs/id_ID/propal.lang b/htdocs/langs/id_ID/propal.lang index 34b4826aa44..5a27759c814 100644 --- a/htdocs/langs/id_ID/propal.lang +++ b/htdocs/langs/id_ID/propal.lang @@ -12,9 +12,11 @@ NewPropal=Proposal baru Prospect=Prospek DeleteProp=Hapus proposal komersial ValidateProp=Validasi proposal komersial +CancelPropal=Cancel AddProp=Buat proposal ConfirmDeleteProp=Apakah Anda yakin ingin menghapus proposal komersial ini? ConfirmValidateProp=Apakah Anda yakin ingin memvalidasi proposal komersial ini dengan nama%s ? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Proposal %s terbaru LastModifiedProposals=Proposal dimodifikasi %s terbaru AllPropals=Semua proposal @@ -27,11 +29,13 @@ NbOfProposals=Jumlah proposal komersial ShowPropal=Tampilkan proposal PropalsDraft=Draf PropalsOpened=Buka +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Konsep (harus di validasi) PropalStatusValidated=Divalidasi (proposal terbuka) PropalStatusSigned=Ditandatangani (perlu penagihan) PropalStatusNotSigned=Tidak ditandatangani (ditutup) PropalStatusBilled=Ditagih +PropalStatusCanceledShort=Dibatalkan PropalStatusDraftShort=Konsep PropalStatusValidatedShort=Divalidasi (terbuka) PropalStatusClosedShort=Ditutup @@ -55,6 +59,7 @@ CopyPropalFrom=Buat proposal komersial dengan menyalin proposal yang ada CreateEmptyPropal=Buat proposal komersial kosong atau dari daftar produk / layanan DefaultProposalDurationValidity=Durasi validitas proposal komersial default (dalam beberapa hari) DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal UseCustomerContactAsPropalRecipientIfExist=Gunakan kontak / alamat dengan tipe 'Kontak tindak lanjut proposal' jika didefinisikan sebagai ganti alamat pihak ketiga sebagai alamat penerima proposal ConfirmClonePropal=Yakin ingin mengkloning proposal komersial%s ? ConfirmReOpenProp=Anda yakin ingin membuka kembali proposal komersial%s ? @@ -65,49 +70,55 @@ AvailabilityPeriod=Keterlambatan ketersediaan SetAvailability=Setel penundaan ketersediaan AfterOrder=setelah pesanan OtherProposals=Proposal lainnya + ##### Availability ##### AvailabilityTypeAV_NOW=Segera AvailabilityTypeAV_1W=1 minggu AvailabilityTypeAV_2W=2 minggu AvailabilityTypeAV_3W=3 minggu AvailabilityTypeAV_1M=1 bulan -##### Types de contacts ##### + +##### Types ofe contacts ##### TypeContact_propal_internal_SALESREPFOLL=Proposal tindak lanjut yang representatif TypeContact_propal_external_BILLING=Kontak faktur pelanggan TypeContact_propal_external_CUSTOMER=Kontak pelanggan dengan proposal tindak lanjut TypeContact_propal_external_SHIPPING=Kontak pelanggan untuk pengiriman + # Document models -DocModelAzurDescription=Model proposal yang lengkap (penerapan template Cyan yang lama) -DocModelCyanDescription=Model proposal yang lengkap -DefaultModelPropalCreate=Pembuatan model default -DefaultModelPropalToBill=Template default saat menutup proposal bisnis (akan ditagih) -DefaultModelPropalClosed=Template default saat menutup proposal bisnis (tidak ditagih) -ProposalCustomerSignature=Penerimaan tertulis, stempel perusahaan, tanggal dan tanda tangan -ProposalsStatisticsSuppliers=Statistik proposal proposal vendor -CaseFollowedBy=Kasus diikuti oleh -SignedOnly=Hanya yang ditandatangani -NoSign=Set not signed -NoSigned=set not signed CantBeNoSign=cannot be set not signed +CaseFollowedBy=Kasus diikuti oleh ConfirmMassNoSignature=Bulk Not signed confirmation ConfirmMassNoSignatureQuestion=Are you sure you want to set not signed the selected records ? -IsNotADraft=is not a draft -PassedInOpenStatus=has been validated -Sign=Sign -Signed=signed -ConfirmMassValidation=Bulk Validate confirmation ConfirmMassSignature=Bulk Signature confirmation -ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? ConfirmMassSignatureQuestion=Are you sure you want to sign the selected records ? -IdProposal=ID proposal +ConfirmMassValidation=Bulk Validate confirmation +ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? +ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +ContractSigned=Contract signed +DefaultModelPropalClosed=Template default saat menutup proposal bisnis (tidak ditagih) +DefaultModelPropalCreate=Pembuatan model default +DefaultModelPropalToBill=Template default saat menutup proposal bisnis (akan ditagih) +DocModelAzurDescription=Model proposal yang lengkap (penerapan template Cyan yang lama) +DocModelCyanDescription=Model proposal yang lengkap +FichinterSigned=Intervention signed IdProduct=ID Produk +IdProposal=ID proposal +IsNotADraft=is not a draft LineBuyPriceHT=Jumlah Harga Beli setelah pajak untuk baris -SignPropal=Accept proposal +NoSign=Refuse +NoSigned=set not signed +PassedInOpenStatus=has been validated +PropalAlreadyRefused=Proposal already refused +PropalAlreadySigned=Proposal already accepted +PropalRefused=Proposal refused +PropalSigned=Proposal accepted +ProposalCustomerSignature=Penerimaan tertulis, stempel perusahaan, tanggal dan tanda tangan +ProposalsStatisticsSuppliers=Statistik proposal proposal vendor RefusePropal=Refuse proposal Sign=Sign -NoSign=Set not signed -PropalAlreadySigned=Proposal already accepted -PropalAlreadyRefused=Proposal already refused -PropalSigned=Proposal accepted -PropalRefused=Proposal refused -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +SignContract=Sign contract +SignFichinter=Sign intervention +SignSociete_rib=Sign mandate +SignPropal=Accept proposal +Signed=signed +SignedOnly=Hanya yang ditandatangani diff --git a/htdocs/langs/id_ID/receptions.lang b/htdocs/langs/id_ID/receptions.lang index 704c7d5eae4..eb6f7c4c1bf 100644 --- a/htdocs/langs/id_ID/receptions.lang +++ b/htdocs/langs/id_ID/receptions.lang @@ -32,10 +32,11 @@ StatusReceptionDraftShort=Konsep StatusReceptionValidatedShort=Divalidasi StatusReceptionProcessedShort=Diproses ReceptionSheet=Lembar penerimaan +ValidateReception=Validate reception ConfirmDeleteReception=Anda yakin ingin menghapus penerimaan ini? -ConfirmValidateReception=Apakah Anda yakin ingin memvalidasi penerimaan ini dengan referensi %s? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Anda yakin ingin membatalkan penerimaan ini? -StatsOnReceptionsOnlyValidated=Statistik yang dilakukan pada penerimaan hanya yang telah divalidasi. Tanggal yang digunakan adalah tanggal validasi penerimaan (tanggal perencanaan pengiriman tidak selalu diketahui). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Kirim penerimaan melalui email SendReceptionRef=Pengajuan penerimaan %s ActionsOnReception=Agenda penerimaan @@ -48,7 +49,10 @@ ReceptionsNumberingModules=Modul penomoran untuk penerimaan ReceptionsReceiptModel=Templat dokumen untuk penerimaan NoMorePredefinedProductToDispatch=Tidak ada lagi produk yang telah ditentukan untuk dikirim ReceptionExist=Resepsi ada -ByingPrice=Bying price ReceptionBackToDraftInDolibarr=Reception %s back to draft ReceptionClassifyClosedInDolibarr=Reception %s classified Closed ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/id_ID/sendings.lang b/htdocs/langs/id_ID/sendings.lang index 1bf17cbc29f..bbc727ddcf0 100644 --- a/htdocs/langs/id_ID/sendings.lang +++ b/htdocs/langs/id_ID/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Divalidasi StatusSendingProcessedShort=Diproses SendingSheet=Lembar pengiriman ConfirmDeleteSending=Anda yakin ingin menghapus kiriman ini? -ConfirmValidateSending=Apakah Anda yakin ingin memvalidasi pengiriman ini dengan referensi%s ? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Anda yakin ingin membatalkan pengiriman ini? DocumentModelMerou=Model Merou A5 WarningNoQtyLeftToSend=Peringatan, tidak ada produk yang menunggu untuk dikirim. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Kuantitas produk dari pesanan pembe NoProductToShipFoundIntoStock=Tidak ada produk untuk dikirim ditemukan di gudang%s . Perbaiki stok atau kembali untuk memilih gudang lain. WeightVolShort=Berat / Vol. ValidateOrderFirstBeforeShipment=Anda harus terlebih dahulu memvalidasi pesanan sebelum dapat melakukan pengiriman. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Jumlah bobot produk # warehouse details DetailWarehouseNumber= Detail gudang DetailWarehouseFormat= W: %s (Jumlah: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/id_ID/website.lang b/htdocs/langs/id_ID/website.lang index dae69d08ee6..001d72accf5 100644 --- a/htdocs/langs/id_ID/website.lang +++ b/htdocs/langs/id_ID/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Nama halaman alternatif / alias WEBSITE_ALIASALTDesc=Gunakan di sini daftar nama / alias lain sehingga halaman tersebut juga dapat diakses menggunakan nama / alias lain ini (misalnya nama lama setelah mengganti nama alias untuk menjaga backlink pada tautan lama / nama yang berfungsi). Sintaksnya adalah:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=URL file CSS eksternal WEBSITE_CSS_INLINE=Konten file CSS (umum untuk semua halaman) -WEBSITE_JS_INLINE=Konten file Javascript (umum untuk semua halaman) +WEBSITE_JS_INLINE=JavaScript file content (common to all pages) WEBSITE_HTML_HEADER=Tambahan di bagian bawah Header HTML (umum untuk semua halaman) WEBSITE_ROBOT=File robot (robots.txt) WEBSITE_HTACCESS=File .htaccess situs web @@ -60,10 +60,11 @@ NoPageYet=Belum ada halaman YouCanCreatePageOrImportTemplate=Anda dapat membuat halaman baru atau mengimpor template situs web lengkap SyntaxHelp=Bantuan tentang kiat sintaksis khusus YouCanEditHtmlSourceckeditor=Anda dapat mengedit kode sumber HTML menggunakan tombol "Sumber" di editor. -YouCanEditHtmlSource=
      Anda dapat mencantumkan kode PHP ke dalam sumber source ini menggunakan tag <? php?>. Variabel global berikut tersedia: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Anda juga dapat mencantumkan konten dari Halaman/Kontainer lainnya dengan sintaks berikut:
      <?php includeContainer ('alias_kontainer_yang_ingin_dicantumkan');?>

      Anda dapat membuat pengalihkan ke Halaman/Kontainer yang lain dengan sintaks berikut (Catatan: Jangan membuat output konten sebelum dialihkan):
      <?php redirectToContainer ('alias_kontainer_yang_ingin dialihkan');>

      Untuk menambahkan link ke halaman lain, gunakan sintaks:
      <a href = "alias_halaman_yang_ingin dihubungkan.php">mylink<a>

      Untuk mencantumkan sebuah link untuk diunduh berkas yang disimpan ke dalam direktori dokumen, gunakan document.php wrapper:
      Contoh, untuk sebuah berkas ke dalam dokumen/ecm (perlu login), sintaksnya adalah:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Untuk sebuah berkas ke dalam dokumen/media (direktori terbuka untuk akses publik), sintaksnya adalah:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      Untuk berkas yang dibagikan dengan tautan berbagi (akses terbuka menggunakan pembagian kunci hash berkas), sintaksnya adalah:
      <a href="/document.php?hashp=publicsharekeyoffile">

      untuk mencantumkan gambar yang disimpan ke dalam direktori dokumen, gunakan viewimage.php wrapper:
      Contoh, untuk sebuah gambar ke dalam dokumen/media (direktori terbuka untuk akses publik), sintaksnya adalah:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Untuk gambar yang dibagikan dengan tautan berbagi (akses terbuka menggunakan kunci hash berbagi file), sintaksnya adalah:
      <img src = "/ viewimage.php? -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Halaman / wadah klon CloneSite=Situs klon SiteAdded=Situs web ditambahkan @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Maaf, situs web ini saat ini offline. Silakan kem WEBSITE_USE_WEBSITE_ACCOUNTS=Aktifkan tabel akun situs web WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Aktifkan tabel untuk menyimpan akun situs web (login / pass) untuk setiap situs web / pihak ketiga YouMustDefineTheHomePage=Anda harus terlebih dahulu menentukan halaman Beranda default -OnlyEditionOfSourceForGrabbedContentFuture=Peringatan: Membuat halaman web dengan mengimpor halaman web eksternal disediakan untuk pengguna yang berpengalaman. Bergantung pada kompleksitas halaman sumber, hasil impor mungkin berbeda dari aslinya. Juga jika halaman sumber menggunakan gaya CSS umum atau javascript yang saling bertentangan, itu dapat merusak tampilan atau fitur editor Situs web ketika mengerjakan halaman ini. Metode ini adalah cara yang lebih cepat untuk membuat halaman tetapi disarankan untuk membuat halaman baru Anda dari awal atau dari template halaman yang disarankan.
      Perhatikan juga bahwa inline editor mungkin tidak bekerja dengan benar ketika digunakan pada halaman eksternal yang diraih. +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting JavaScript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correctty when used on a grabbed external page. OnlyEditionOfSourceForGrabbedContent=Hanya edisi sumber HTML yang dimungkinkan ketika konten diambil dari situs eksternal GrabImagesInto=Ambil juga gambar yang ditemukan di css dan halaman. ImagesShouldBeSavedInto=Gambar harus disimpan ke dalam direktori @@ -112,13 +113,13 @@ GoTo=Pergi ke DynamicPHPCodeContainsAForbiddenInstruction=Anda menambahkan kode PHP dinamis yang berisi instruksi PHP ' %s ' yang dilarang secara default sebagai konten dinamis (lihat opsi tersembunyi WEBSITE_PHP_ALLOW_xxx untuk menambah daftar perintah yang diizinkan). NotAllowedToAddDynamicContent=Anda tidak memiliki izin untuk menambah atau mengedit konten dinamis PHP di situs web. Minta izin atau simpan kode ke dalam tag php tanpa modifikasi. ReplaceWebsiteContent=Cari atau Ganti konten situs web -DeleteAlsoJs=Hapus juga semua file javascript khusus untuk situs web ini? -DeleteAlsoMedias=Hapus juga semua media yang khusus untuk situs web ini? +DeleteAlsoJs=Delete also all JavaScript files specific to this website? +DeleteAlsoMedias=Delete also all media files specific to this website? MyWebsitePages=Halaman situs web saya SearchReplaceInto=Cari | Ganti menjadi ReplaceString=String baru CSSContentTooltipHelp=Masukkan di sini konten CSS. Untuk menghindari konflik dengan CSS aplikasi, pastikan untuk menambahkan semua deklarasi dengan kelas .bodywebsite. Sebagai contoh:

      #mycssselector, input.myclass: hover {...}
      harus
      . awalan ini, Anda dapat menggunakan 'lessc' untuk mengonversinya untuk menambahkan awalan .bodywebsite di mana-mana. -LinkAndScriptsHereAreNotLoadedInEditor=Peringatan: Konten ini adalah output hanya ketika situs diakses dari server. Ini tidak digunakan dalam mode Edit jadi jika Anda perlu memuat file javascript juga dalam mode edit, cukup tambahkan tag Anda 'script src = ...' ke dalam halaman. +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=Contoh halaman dengan konten dinamis ImportSite=Impor template situs web EditInLineOnOff=Mode 'Edit inline' adalah %s @@ -157,3 +158,9 @@ Booking=Booking Reservation=Reservation PagesViewedPreviousMonth=Pages viewed (previous month) PagesViewedTotal=Pages viewed (total) +Visibility=Visibility +Everyone=Everyone +AssignedContacts=Assigned contacts +WebsiteTypeLabel=Type of Web site +WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/id_ID/withdrawals.lang b/htdocs/langs/id_ID/withdrawals.lang index 538d3af9418..305dfa74624 100644 --- a/htdocs/langs/id_ID/withdrawals.lang +++ b/htdocs/langs/id_ID/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Buat Permintaan Transfer Kredit WithdrawRequestsDone=%s permintaan pembayaran debit langsung dicatat BankTransferRequestsDone=%s permintaan transfer kredit dicatat ThirdPartyBankCode=Kode bank pihak ketiga -NoInvoiceCouldBeWithdrawed=Tidak ada faktur yang berhasil didebit. Periksa apakah faktur ada pada perusahaan dengan IBAN yang valid dan bahwa IBAN memiliki UMR (Referensi Mandat Unik) dengan mode%s . +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=Tanda terima penarikan ini sudah ditandai sebagai dikreditkan; ini tidak dapat dilakukan dua kali, karena ini berpotensi membuat pembayaran duplikat dan entri bank. ClassCredited=Klasifikasi dikreditkan ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Anda yakin ingin memasukkan penolakan penarikan untuk m RefusedData=Tanggal penolakan RefusedReason=Alasan penolakan RefusedInvoicing=Menagih penolakan -NoInvoiceRefused=Jangan mengisi ulang penolakan -InvoiceRefused=Faktur ditolak (Mengisi daya penolakan untuk pelanggan) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Debit status / kredit StatusWaiting=Menunggu StatusTrans=Terkirim @@ -103,7 +106,7 @@ ShowWithdraw=Tampilkan Pesanan Debit Langsung IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Namun, jika faktur memiliki setidaknya satu pesanan pembayaran debit langsung belum diproses, itu tidak akan ditetapkan sebagai dibayar untuk memungkinkan manajemen penarikan sebelumnya. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=File pesanan debet @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Tanggal tanda tangan mandat RUMLong=Referensi Mandat Unik RUMWillBeGenerated=Jika kosong, UMR (Referensi Mandat Unik) akan dihasilkan setelah informasi rekening bank disimpan. -WithdrawMode=Mode debit langsung (FRST atau RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Jumlah permintaan debit langsung: BankTransferAmount=Jumlah Permintaan Transfer Kredit: WithdrawRequestErrorNilAmount=Tidak dapat membuat permintaan debit langsung untuk jumlah kosong. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Nama Rekening Bank Anda (IBAN) SEPAFormYourBIC=Kode Pengidentifikasi Bank Anda (BIC) SEPAFrstOrRecur=Jenis pembayaran ModeRECUR=Pembayaran berulang +ModeRCUR=Recurring payment ModeFRST=Pembayaran satu kali PleaseCheckOne=Silakan periksa satu saja CreditTransferOrderCreated=Pesanan transfer kredit %s dibuat @@ -155,9 +159,16 @@ InfoTransData=Jumlah: %s
      Metode: %s
      Tanggal: %s InfoRejectSubject=Pesanan pembayaran debit langsung ditolak InfoRejectMessage=Halo,

      , urutan pembayaran debit langsung dari %s yang terkait dengan perusahaan %s, dengan jumlah %s telah ditolak oleh bank.

      -
      %s ModeWarning=Opsi untuk mode nyata tidak disetel, kami berhenti setelah simulasi ini -ErrorCompanyHasDuplicateDefaultBAN=Perusahaan dengan id %s memiliki lebih dari satu rekening bank default. Tidak ada cara untuk mengetahui mana yang akan digunakan. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=ICS hilang di rekening Bank %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Jumlah total pesanan debit langsung berbeda dari jumlah baris WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Gaji +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/id_ID/workflow.lang b/htdocs/langs/id_ID/workflow.lang index e33a89e1b0a..005ba6fbfdb 100644 --- a/htdocs/langs/id_ID/workflow.lang +++ b/htdocs/langs/id_ID/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Secara otomatis membuat faktur pelangga descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Secara otomatis membuat faktur pelanggan setelah pesanan penjualan ditutup (faktur baru akan memiliki jumlah yang sama dengan pesanan) descWORKFLOW_TICKET_CREATE_INTERVENTION=On ticket creation, automatically create an intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Klasifikasi sumber proposal tautan sebagai tertagih saat pesanan penjualan ditetapkan ke tagihan (dan jika jumlah pesanan sama dengan jumlah total proposal tautan yang ditandatangani) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Klasifikasi sumber proposal tautan sebagai tertagih saat faktur pelanggan divalidasi (dan jika jumlah faktur sama dengan jumlah total proposal tautan yang ditandatangani) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Klasifikasi sumber pesanan penjualan tautan sebagai tertagih saat faktur pelanggan divalidasi (dan jika jumlah faktur sama dengan jumlah total pesanan tautan) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Klasifikasi sumber pesanan penjualan tautan sebagai tertagih saat faktur pelanggan ditetapkan untuk dibayar (dan jika jumlah faktur sama dengan jumlah total pesanan tautan) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Klasifikasi sumber pesanan penjualan sumber tautan sebagai terkirim saat pengiriman divalidasi (dan jika jumlah yang dikirim oleh semua pengiriman sama dengan yang ada dalam pemesanan yan diperbaharui) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Klasifikasikan pesanan penjualan sumber tertaut sebagai dikirim saat pengiriman ditutup (dan jika jumlah yang dikirim oleh semua pengiriman sama dengan pesanan untuk diperbarui) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Klasifikasi sumber proposal vendor tautan sebagai tertagih ketika faktur vendor divalidasi (dan jika jumlah faktur sama dengan jumlah total proposal tautan) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Klasifikasi sumber pesanan pembelian tautan sebagai tertagih saat faktur vendor divalidasi (dan jika jumlah faktur sama dengan jumlah total pesanan tautan) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classify linked source purchase order as received when a reception is validated (and if the quantity received by all receptions is the same as in the purchase order to update) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classify linked source purchase order as received when a reception is closed (and if the quantity received by all rceptions is the same as in the purchase order to update) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link available contracts of matching thirdparty +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=When linking contracts, search among those of parents companies # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Tutup semua intervensi yang terkait dengan tiket saat tiket ditutup AutomaticCreation=Pembuatan Otomatis AutomaticClassification=Pengklasifikasian Otomatis -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Automatic closing AutomaticLinking=Automatic linking diff --git a/htdocs/langs/is_IS/categories.lang b/htdocs/langs/is_IS/categories.lang index b0d78232f38..8986e71d0b1 100644 --- a/htdocs/langs/is_IS/categories.lang +++ b/htdocs/langs/is_IS/categories.lang @@ -42,6 +42,7 @@ MemberHasNoCategory=This member is not in any tags/categories ContactHasNoCategory=This contact is not in any tags/categories ProjectHasNoCategory=This project is not in any tags/categories ClassifyInCategory=Add to tag/category +RemoveCategory=Remove category NotCategorized=Without tag/category CategoryExistsAtSameLevel=Þessi flokkur er þegar til með þessu tilv ContentsVisibleByAllShort=Efnisyfirlit sýnileg um alla @@ -67,6 +68,7 @@ StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id ParentCategory=Parent tag/category +ParentCategoryID=ID of parent tag/category ParentCategoryLabel=Label of parent tag/category CatSupList=List of vendors tags/categories CatCusList=List of customers/prospects tags/categories @@ -86,15 +88,19 @@ DeleteFromCat=Remove from tags/category ExtraFieldsCategories=Fyllingar eiginleika CategoriesSetup=Tags/categories setup CategorieRecursiv=Link with parent tag/category automatically -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. -AddProductServiceIntoCategory=Add the following product/service +CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. +AddProductServiceIntoCategory=Assign category to the product/service AddCustomerIntoCategory=Assign category to customer AddSupplierIntoCategory=Assign category to supplier +AssignCategoryTo=Assign category to ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories +TicketsCategoriesArea=Tickets Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories KnowledgemanagementsCategoriesArea=KM article Categories UseOrOperatorForCategories=Use 'OR' operator for categories +AddObjectIntoCategory=Assign to the category +Position=Staða diff --git a/htdocs/langs/is_IS/projects.lang b/htdocs/langs/is_IS/projects.lang index 18f026e3929..5272b4ac7db 100644 --- a/htdocs/langs/is_IS/projects.lang +++ b/htdocs/langs/is_IS/projects.lang @@ -23,6 +23,7 @@ TasksPublicDesc=Þetta sýnir öll verkefni og verkefni sem þú ert að fá að TasksDesc=Þetta sýnir öll verkefni og verkefni (notandi heimildir veita þér leyfi til að skoða allt). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. +ImportDatasetProjects=Projects or opportunities ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=Ný verkefni @@ -32,19 +33,23 @@ DeleteATask=Eyða verkefni ConfirmDeleteAProject=Are you sure you want to delete this project? ConfirmDeleteATask=Are you sure you want to delete this task? OpenedProjects=Open projects +OpenedProjectsOpportunities=Open opportunities OpenedTasks=Open tasks OpportunitiesStatusForOpenedProjects=Leads amount of open projects by status OpportunitiesStatusForProjects=Leads amount of projects by status ShowProject=Sýna verkefni ShowTask=Sýna verkefni +SetThirdParty=Set third party SetProject=Setja verkefni +OutOfProject=Out of project NoProject=Engin verkefni skilgreind eða í eigu NbOfProjects=Number of projects NbOfTasks=Number of tasks +TimeEntry=Time tracking TimeSpent=Tíma sem fer +TimeSpentSmall=Tími TimeSpentByYou=Time spent by you TimeSpentByUser=Time spent by user -TimesSpent=Tími TaskId=Task ID RefTask=Task ref. LabelTask=Task label @@ -78,7 +83,7 @@ MyProjectsArea=My projects Area DurationEffective=Árangursrík Lengd ProgressDeclared=Declared real progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently open tasks +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption ProgressCalculated=Progress on consumption @@ -118,11 +123,12 @@ TaskHasChild=Task has child NotOwnerOfProject=Ekki eigandi þessa einka verkefni AffectedTo=Áhrifum á CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=Staðfesta projet +ValidateProject=Validate project ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Loka verkefni ConfirmCloseAProject=Are you sure you want to close this project? -AlsoCloseAProject=Also close project (keep it open if you still need to follow production tasks on it) +AlsoCloseAProject=Also close project +AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it ReOpenAProject=Opna verkefni ConfirmReOpenAProject=Are you sure you want to re-open this project? ProjectContact=Tengiliðir verkefnisins @@ -165,7 +171,7 @@ OpportunityProbability=Lead probability OpportunityProbabilityShort=Lead probab. OpportunityAmount=Lead amount OpportunityAmountShort=Lead amount -OpportunityWeightedAmount=Opportunity weighted amount +OpportunityWeightedAmount=Amount of opportunity, weighted by probability OpportunityWeightedAmountShort=Opp. weighted amount OpportunityAmountAverageShort=Average lead amount OpportunityAmountWeigthedShort=Weighted lead amount @@ -198,7 +204,7 @@ InputPerMonth=Input per month InputDetail=Input detail TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s ProjectsWithThisUserAsContact=Projects with this user as contact -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=Projects with this third-party contact TasksWithThisUserAsContact=Tasks assigned to this user ResourceNotAssignedToProject=Not assigned to project ResourceNotAssignedToTheTask=Not assigned to the task @@ -221,7 +227,7 @@ ProjectsStatistics=Statistics on projects or leads TasksStatistics=Statistics on tasks of projects or leads TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Open projects by third parties OnlyOpportunitiesShort=Only leads OpenedOpportunitiesShort=Open leads @@ -233,12 +239,12 @@ OpportunityPonderatedAmountDesc=Leads amount weighted with probability OppStatusPROSP=Prospection OppStatusQUAL=Qualification OppStatusPROPO=Tillaga -OppStatusNEGO=Negociation +OppStatusNEGO=Negotiation OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost Budget=Budget -AllowToLinkFromOtherCompany=Allow to link project from other company

      Supported values:
      - Keep empty: Can link any project of the company (default)
      - "all": Can link any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
      +AllowToLinkFromOtherCompany=Allow to link an element with a project of other company

      Supported values:
      - Keep empty: Can link elements with any projects in the same company (default)
      - "all": Can link elements with any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link elements with any projects of these third partys (Example: 123,4795,53)
      LatestProjects=Latest %s projects LatestModifiedProjects=Latest %s modified projects OtherFilteredTasks=Other filtered tasks @@ -255,11 +261,12 @@ RecordsClosed=%s project(s) closed SendProjectRef=Information project %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized NewTaskRefSuggested=Task ref already used, a new task ref is required +NumberOfTasksCloned=%s task(s) cloned TimeSpentInvoiced=Time spent billed TimeSpentForIntervention=Tími TimeSpentForInvoice=Tími OneLinePerUser=One line per user -ServiceToUseOnLines=Service to use on lines +ServiceToUseOnLines=Service to use on lines by default InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. @@ -282,7 +289,7 @@ ProfitIsCalculatedWith=Profit is calculated using AddPersonToTask=Add also to tasks UsageOrganizeEvent=Usage: Event Organization PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks at 100 %% progress won't be affected: you will have to close them manually. This option only affects open projects. +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them ProjectTasksWithoutTimeSpent=Project tasks without time spent FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. @@ -294,3 +301,4 @@ EnablePublicLeadForm=Enable the public form for contact NewLeadbyWeb=Your message or request has been recorded. We will answer or contact your soon. NewLeadForm=New contact form LeadFromPublicForm=Online lead from public form +ExportAccountingReportButtonLabel=Get report diff --git a/htdocs/langs/is_IS/propal.lang b/htdocs/langs/is_IS/propal.lang index f15801ee535..eeba42da4d5 100644 --- a/htdocs/langs/is_IS/propal.lang +++ b/htdocs/langs/is_IS/propal.lang @@ -12,9 +12,11 @@ NewPropal=Ný tillaga Prospect=Prospect DeleteProp=Eyða auglýsing tillögu ValidateProp=Staðfesta auglýsing tillögu +CancelPropal=Hætta við AddProp=Create proposal ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Latest %s proposals LastModifiedProposals=Latest %s modified proposals AllPropals=Allar tillögur @@ -27,11 +29,13 @@ NbOfProposals=Fjöldi viðskipta tillögur ShowPropal=Sýna tillögu PropalsDraft=Drög PropalsOpened=Opnaðu +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Víxill (þarf að vera staðfest) PropalStatusValidated=Staðfestar (Tillagan er opið) PropalStatusSigned=Undirritað (þarf greiðanda) PropalStatusNotSigned=Ekki skráð (lokað) PropalStatusBilled=Billed +PropalStatusCanceledShort=Hætt við PropalStatusDraftShort=Víxill PropalStatusValidatedShort=Validated (open) PropalStatusClosedShort=Loka @@ -54,6 +58,8 @@ NoDraftProposals=No draft proposals CopyPropalFrom=Búa auglýsing tillögu með því að afrita það sem tillaga CreateEmptyPropal=Create empty commercial proposal or from list of products/services DefaultProposalDurationValidity=Default auglýsing tillögu Gildistími Lengd (í dögum) +DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? @@ -64,36 +70,55 @@ AvailabilityPeriod=Framboð töf SetAvailability=Setja framboð töf AfterOrder=eftir því skyni OtherProposals=Aðrar tillögur + ##### Availability ##### AvailabilityTypeAV_NOW=Strax AvailabilityTypeAV_1W=1 viku AvailabilityTypeAV_2W=2 vikur AvailabilityTypeAV_3W=3 vikur AvailabilityTypeAV_1M=1 mánuður -##### Types de contacts ##### + +##### Types ofe contacts ##### TypeContact_propal_internal_SALESREPFOLL=Fulltrúi eftirfarandi upp tillögu TypeContact_propal_external_BILLING=Viðskiptavinur Reikningar samband TypeContact_propal_external_CUSTOMER=Viðskiptavinur samband eftirfarandi upp tillögu TypeContact_propal_external_SHIPPING=Customer contact for delivery + # Document models -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model +CantBeNoSign=cannot be set not signed +CaseFollowedBy=Case followed by +ConfirmMassNoSignature=Bulk Not signed confirmation +ConfirmMassNoSignatureQuestion=Are you sure you want to set not signed the selected records ? +ConfirmMassSignature=Bulk Signature confirmation +ConfirmMassSignatureQuestion=Are you sure you want to sign the selected records ? +ConfirmMassValidation=Bulk Validate confirmation +ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? +ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +ContractSigned=Contract signed +DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) -DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) +DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) +DocModelCyanDescription=A complete proposal model +FichinterSigned=Intervention signed +IdProduct=Product ID +IdProposal=Proposal ID +IsNotADraft=is not a draft +LineBuyPriceHT=Buy Price Amount net of tax for line +NoSign=Refuse +NoSigned=set not signed +PassedInOpenStatus=has been validated +PropalAlreadyRefused=Proposal already refused +PropalAlreadySigned=Proposal already accepted +PropalRefused=Proposal refused +PropalSigned=Proposal accepted ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics -CaseFollowedBy=Case followed by -SignedOnly=Signed only -IdProposal=Proposal ID -IdProduct=Product ID -PrParentLine=Proposal Parent Line -LineBuyPriceHT=Buy Price Amount net of tax for line -SignPropal=Accept proposal RefusePropal=Refuse proposal Sign=Sign -PropalAlreadySigned=Proposal already accepted -PropalAlreadyRefused=Proposal already refused -PropalSigned=Proposal accepted -PropalRefused=Proposal refused -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +SignContract=Sign contract +SignFichinter=Sign intervention +SignSociete_rib=Sign mandate +SignPropal=Accept proposal +Signed=signed +SignedOnly=Signed only diff --git a/htdocs/langs/is_IS/withdrawals.lang b/htdocs/langs/is_IS/withdrawals.lang index 92184fdef73..38cd0f8708f 100644 --- a/htdocs/langs/is_IS/withdrawals.lang +++ b/htdocs/langs/is_IS/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Make a credit transfer request WithdrawRequestsDone=%s direct debit payment requests recorded BankTransferRequestsDone=%s credit transfer requests recorded ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. ClassCredited=Flokka fært ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Ertu viss um að þú viljir að slá inn uppsögn höf RefusedData=Dagsetning synjunar RefusedReason=Ástæða fyrir höfnun RefusedInvoicing=Innheimta höfnun -NoInvoiceRefused=Ekki hlaða höfnun -InvoiceRefused=Invoice refused (Charge the rejection to customer) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debit/credit StatusWaiting=Bíð StatusTrans=Senda @@ -103,7 +106,7 @@ ShowWithdraw=Show Direct Debit Order IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Debit order file @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Amount of Direct debit request: BankTransferAmount=Amount of Credit Transfer request: WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Your Bank Account Name (IBAN) SEPAFormYourBIC=Your Bank Identifier Code (BIC) SEPAFrstOrRecur=Type of payment ModeRECUR=Recurring payment +ModeRCUR=Recurring payment ModeFRST=One-off payment PleaseCheckOne=Please check one only CreditTransferOrderCreated=Credit transfer order %s created @@ -155,9 +159,16 @@ InfoTransData=Upphæð: %s
      Metode: %s
      Date: %s InfoRejectSubject=Direct debit payment order refused InfoRejectMessage=Hello,

      the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

      --
      %s ModeWarning=Valkostur fyrir alvöru ham var ekki sett, að hætta við eftir þessa uppgerð -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Missing ICS in Bank account %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Salary +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/it_CH/accountancy.lang b/htdocs/langs/it_CH/accountancy.lang new file mode 100644 index 00000000000..a0f896fac64 --- /dev/null +++ b/htdocs/langs/it_CH/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +AccountingJournalType9=Has-new diff --git a/htdocs/langs/it_IT/accountancy.lang b/htdocs/langs/it_IT/accountancy.lang index e313ca6075d..5dc123c681a 100644 --- a/htdocs/langs/it_IT/accountancy.lang +++ b/htdocs/langs/it_IT/accountancy.lang @@ -16,8 +16,8 @@ ThisService=Questo servizio ThisProduct=Questo prodotto DefaultForService=Default for services DefaultForProduct=Default for products -ProductForThisThirdparty=Prodotto per questa terza parte -ServiceForThisThirdparty=Servizi per questo soggetto terzo +ProductForThisThirdparty=Product for this third party +ServiceForThisThirdparty=Service for this third party CantSuggest=Non posso suggerire AccountancySetupDoneFromAccountancyMenu=La maggior parte del setup della contabilità è effettuata dal menù %s ConfigAccountingExpert=Configurazione del modulo contabilità (doppia partita) @@ -38,7 +38,7 @@ DeleteCptCategory=Rimuovi conto corrente dal gruppo ConfirmDeleteCptCategory=Sei sicuro di voler rimuovere questo account contabile dal gruppo di account contabilità? JournalizationInLedgerStatus=Stato delle registrazioni AlreadyInGeneralLedger=Già trasferito in contabilità e nel libro mastro -NotYetInGeneralLedger=Non ancora trasferito ai giornali di contabilità e al libro mastro +NotYetInGeneralLedger=Not yet transferred to accounting journals and ledger GroupIsEmptyCheckSetup=Il gruppo è vuoto, controlla le impostazioni del gruppo personalizzato di contabilità DetailByAccount=Mostra dettagli dall'account DetailBy=Detail by @@ -53,15 +53,13 @@ ExportAccountingSourceDocHelp=Con questo strumento puoi cercare ed esportare gli ExportAccountingSourceDocHelp2=Per esportare i tuoi diari, usa la voce di menu %s - %s. ExportAccountingProjectHelp=Specificare il progetto se è necessario un report contabile solo per un progetto specifico. Le note spese e i pagamenti dei prestiti non sono inclusi nei rapporti di progetto. ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported, click on the button above. VueByAccountAccounting=Elenco movimenti per conto contabile VueBySubAccountAccounting=Visualizza per conto secondario contabile MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup @@ -70,13 +68,14 @@ UserAccountNotDefined=Conto Contabile per l'utente non definito nella configuraz AccountancyArea=Area di contabilità AccountancyAreaDescIntro=L'utilizzo del modulo di contabilità è effettuato in diversi step: AccountancyAreaDescActionOnce=Le seguenti azioni vengono di solito eseguite una volta sola, o una volta all'anno... -AccountancyAreaDescActionOnceBis=I passaggi successivi dovrebbero essere eseguiti per farti risparmiare tempo in futuro suggerendoti automaticamente il conto di contabilità predefinito corretto durante il trasferimento dei dati in contabilità +AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automatically the correct default accounting account when transferring data in accounting AccountancyAreaDescActionFreq=Le seguenti azioni vengono di solito eseguite ogni mese, settimana o giorno per le grandi compagnie... AccountancyAreaDescJournalSetup=STEP %s: controlla il contenuto dell'elenco dei tuoi giornali dal menu %s AccountancyAreaDescChartModel=STEP %s: verifica l'esistenza di un modello di piano dei conti o creane uno dal menu %s AccountancyAreaDescChart=STEP %s: selezionare e/o completare il piano dei conti dal menu %s +AccountancyAreaDescFiscalPeriod=STEP %s: Define a fiscal year by default on which to integrate your accounting entries. For this, use the menu entry %s. AccountancyAreaDescVat=STEP %s: Definisci le voci del piano dei conti per ogni IVA/tassa. Per fare ciò usa il menu %s. AccountancyAreaDescDefault=STEP %s: Definisci i conti di contabilità di default. Per questo, usa la voce menù %s. AccountancyAreaDescExpenseReport=PASSAGGIO %s: definire i conti contabili predefiniti per ogni tipo di nota spese. A tale scopo, utilizzare la voce di menu %s. @@ -84,7 +83,7 @@ AccountancyAreaDescSal=STEP %s: Definisci le voci del piano dei conti per gli st AccountancyAreaDescContrib=PASSAGGIO %s: Definire i conti contabili predefiniti per le imposte (spese speciali). A tale scopo, utilizzare la voce di menu %s. AccountancyAreaDescDonation=STEP %s: Definisci le voci del piano dei conti per le donazioni. Per fare ciò usa il menu %s. AccountancyAreaDescSubscription=STEP %s: Definisci i conti di contabilità di default per le sottoscrizioni dei membri. Per questo, usa la voce di menù %s. -AccountancyAreaDescMisc=STEP %s: Definisci il conto obbligatorio e il conto di contabilità per i movimenti vari. Per questo, usa la voce di menù %s +AccountancyAreaDescMisc=STEP %s: Define mandatory default accounts and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. AccountancyAreaDescLoan=STEP %s: Definisci i conti di contabilità di default per i prestiti. Per questo, usa la voce di menù %s. AccountancyAreaDescBank=STEP %s: Definisci le voci del piano dei conti per i giornali per ogni banca o conto finanziario. Per fare ciò usa il menu %s. AccountancyAreaDescProd=PASSO %s: Definisci conti contabili sui tuoi prodotti/servizi. A tale scopo, utilizzare la voce di menu %s. @@ -95,6 +94,7 @@ AccountancyAreaDescAnalyze=STEP %s: Aggiungi o modifica i movimenti esistenti e AccountancyAreaDescClosePeriod=STEP %s: Chiudo il periodo così non verranno fatte modifiche in futuro. +TheFiscalPeriodIsNotDefined=A mandatory step in setup has not been completed (Fiscal period is not defined) TheJournalCodeIsNotDefinedOnSomeBankAccount=Un passaggio obbligatorio nella configurazione non è stato completato (giornale di registrazione dei codici contabili non definito per tutti i conti bancari) Selectchartofaccounts=Seleziona il piano dei conti attivo ChangeAndLoad=Cambia e carica @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Consentire di gestire un diverso numero di zeri alla fine BANK_DISABLE_DIRECT_INPUT=Disabilita la registrazione diretta della transazione nel conto bancario ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Abilita la bozza di esportazione sul giornale ACCOUNTANCY_COMBO_FOR_AUX=Abilita l'elenco combinato per l'account sussidiario (potrebbe essere lento se hai molte terze parti, interrompere la capacità di cercare su una parte del valore) -ACCOUNTING_DATE_START_BINDING=Definisci una data per iniziare il consolidamento e il trasferimento in contabilità. Al di sotto di tale data, i movimenti non saranno trasferiti in contabilità. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Al momento del trasferimento contabile, qual è il periodo selezionato di default +ACCOUNTING_DATE_START_BINDING=Disable binding & transfer in accountancy when date is below this date (the transactions before this date will be excluded by default) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On the page to transfer data into accountancy, what is the period selected by default ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Giornale Sociale ACCOUNTING_RESULT_PROFIT=Conto contabile risultante (profitto) ACCOUNTING_RESULT_LOSS=Conto contabile risultato (perdita) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Giornale di chiusura +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Accounting groups used for the balance sheet account (separate by comma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Accounting groups used for the income statement (separate by comma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers TransitionalAccount=Conto di trasferimento bancario transitorio @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Consult here the list of the lines of invoices customers DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transferred in accountancy are visible) DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account @@ -298,8 +300,8 @@ DescVentilExpenseReportMore=If you setup accounting account on type of expense r DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account Closure=Chiusura annuale -DescClosure=Consulta qui il numero di movimenti per mese non ancora convalidati e bloccati -OverviewOfMovementsNotValidated=Panoramica dei movimenti non convalidati e bloccati +AccountancyClosureStep1Desc=Consulta qui il numero di movimenti per mese non ancora convalidati e bloccati +OverviewOfMovementsNotValidated=Overview of movements not validated and locked AllMovementsWereRecordedAsValidated=Tutti i movimenti sono stati registrati come convalidati e bloccati NotAllMovementsCouldBeRecordedAsValidated=Non tutti i movimenti possono essere registrati come convalidati e bloccati ValidateMovements=Validate and lock movements @@ -341,7 +343,7 @@ AccountingJournalType3=Acquisti AccountingJournalType4=Banca AccountingJournalType5=Note spese AccountingJournalType8=Inventario -AccountingJournalType9=Apertura (nuovo anno) +AccountingJournalType9=Retained earnings GenerationOfAccountingEntries=Generation of accounting entries ErrorAccountingJournalIsAlreadyUse=Questo giornale è già in uso AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disabilita vincolante e trasferimento in ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disabilita binding e trasferimento in contabilità sulle note spese (le note spese non verranno prese in considerazione in contabilità) ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. +EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigorous accounting management. ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not chosen by the end user +ACCOUNTING_LETTERING_NBLETTERS=Number of letters when generating lettering code (default 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Some accounting software only accepts a two-letter code. This parameter allows you to set this aspect. The default number of letters is three. OptionsAdvanced=Advanced options ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transferred into accountancy differently: A additional debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. ## Export NotExportLettering=Do not export the lettering when generating the file @@ -420,7 +424,7 @@ SaleLocal=Local sale SaleExport=Export sale SaleEEC=Vendite intracomunitarie (CEE) SaleEECWithVAT=Vendita in CEE con IVA non nulla, quindi supponiamo che questa NON sia una vendita intracomunitaria e l'account suggerito sia l'account standard del prodotto. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of third party is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the third party, or change the product account suggested for binding if needed. ForbiddenTransactionAlreadyExported=Vietato: la transazione è stata convalidata e/o esportata. ForbiddenTransactionAlreadyValidated=Vietato: il movimento è stato convalidato. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Nessuna riconciliazione modificata AccountancyOneUnletteringModifiedSuccessfully=Una riconciliazione modificata con successo AccountancyUnletteringModifiedSuccessfully=%s annulla la riconciliazione modificata con successo +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock movements +AccountancyClosureStep2=Step 2 : Close fiscal period +AccountancyClosureStep3=Step 3 : Extract entries (Optional) +AccountancyClosureClose=Close fiscal period +AccountancyClosureAccountingReversal=Extract and record "Retained earnings" entries +AccountancyClosureStep3NewFiscalPeriod=Next fiscal period +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "Retained earnings" entries on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "Retained earnings" entries, detail the sub-ledger accounts +AccountancyClosureCloseSuccessfully=Fiscal period has been closed successfully +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping entries for "Retained earnings" has been inserted successfully + ## Confirm box ConfirmMassUnletteringAuto=Conferma di annullamento riconciliazione automatica massiva ConfirmMassUnletteringManual=Conferma di annullamento riconciliazione manuale massiva ConfirmMassUnletteringQuestion=Sei sicuro di voler annullare la riconciliazione dei record selezionati %s? ConfirmMassDeleteBookkeepingWriting=Conferma eliminazione massiva ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +AccountancyClosureConfirmClose=Are you sure you want to close the current fiscal period ? You understand that closing the fiscal period is an irreversible action and will permanently block any modification or deletion of entries over this period. +AccountancyClosureConfirmAccountingReversal=Are you sure you want to record entries for the "Retained earnings" ? ## Error SomeMandatoryStepsOfSetupWereNotDone=Alcuni step obbligatori della configurazione non sono stati completati. Si prega di completarli -ErrorNoAccountingCategoryForThisCountry=Nessun gruppo di piano dei conti disponibile per il paese %s ( Vedi Home - Impostazioni - Dizionari ) +ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused. ErrorInvoiceContainsLinesNotYetBoundedShort=Alcune righe della fattura non sono collegato a un piano dei conti. ExportNotSupported=Il formato di esportazione configurato non è supportato in questa pagina @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=Il saldo (%s) non è uguale a 0 AccountancyErrorLetteringBookkeeping=Si sono verificati errori relativi alle transazioni: %s ErrorAccountNumberAlreadyExists=Il numero contabile %s esiste già ErrorArchiveAddFile=Can't put "%s" file in archive +ErrorNoFiscalPeriodActiveFound=No active fiscal period found +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=The bookkeeping doc date is not inside the active fiscal period +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=The bookkeeping doc date is inside a closed fiscal period ## Import ImportAccountingEntries=Accounting entries diff --git a/htdocs/langs/it_IT/admin.lang b/htdocs/langs/it_IT/admin.lang index 9c5edfba050..e07d25ff26c 100644 --- a/htdocs/langs/it_IT/admin.lang +++ b/htdocs/langs/it_IT/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Questo modulo non sembra essere compatibile con la tua versione di CompatibleAfterUpdate=Questo modulo richiede un aggiornamento a Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=See in Market place SeeSetupOfModule=Vedi la configurazione del modulo %s +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=Imposta l'opzione %s su %s Updated=Aggiornato AchatTelechargement=Aquista / Scarica @@ -292,22 +294,22 @@ EmailSenderProfiles=Profili mittente email EMailsSenderProfileDesc=Puoi tenere vuota questa sezione. Se inserisci alcune e-mail qui, verranno aggiunte all'elenco dei possibili mittenti nella casella combinata quando scrivi una nuova e-mail. MAIN_MAIL_SMTP_PORT=Porta SMTP / SMTPS (predefinito in php.ini: %s ) MAIN_MAIL_SMTP_SERVER=Host SMTP / SMTPS (predefinito in php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Porta SMTP / SMTPS (non definita in PHP su sistemi Unix-like) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Host SMTP / SMTPS (non definito in PHP su sistemi Unix-like) -MAIN_MAIL_EMAIL_FROM=Indirizzo mittente per le email automatiche (predefinito in php.ini: %s ) -EMailHelpMsgSPFDKIM=Per evitare che le email di Dolibarr vengano classificate come spam, assicurati che il server sia autorizzato a inviare e-mail da questo indirizzo tramite configurazione SPF e DKIM +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=Indirizzo a cui inviare eventuali errori (campi 'Errors-To' nelle email inviate) MAIN_MAIL_AUTOCOPY_TO= Indirizzo a cui inviare in copia Ccn tutte le mail in uscita MAIN_DISABLE_ALL_MAILS=Disabilita l'invio delle email (a scopo di test o demo) MAIN_MAIL_FORCE_SENDTO=Invia tutte le e-mail a (anziché ai destinatari reali, a scopo di test) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggerisci l'indirizzo e-mail dei dipendenti (se definiti) nell'elenco dei destinatari predefiniti durante l'invio una nuova e-mail -MAIN_MAIL_NO_WITH_TO_SELECTED=Non selezionare un destinatario predefinito anche se unica scelta +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=Metodo di invio email MAIN_MAIL_SMTPS_ID=Username SMTP (se il server richiede l'autenticazione) MAIN_MAIL_SMTPS_PW=Password SMTP (se il server richiede l'autenticazione) MAIN_MAIL_EMAIL_TLS=Usa la cifratura TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizza i certificati auto-firmati +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing MAIN_DISABLE_ALL_SMS=Disabilita l'invio di SMS (a scopo di test o demo) MAIN_SMS_SENDMODE=Metodo da utilizzare per inviare SMS MAIN_MAIL_SMS_FROM=Numero predefinito del mittente per gli SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Email predefinita del mittente per l'invio manuale (email utente o email aziendale) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=Email utente CompanyEmail=Company Email FeatureNotAvailableOnLinux=Funzione non disponibile sui sistemi Linux. Viene usato il server di posta installato sul server (es. sendmail). @@ -417,6 +419,7 @@ PDFLocaltax=Regole per %s HideLocalTaxOnPDF=Nascondi la tariffa %s nella colonna Imposta sulle vendite / IVA HideDescOnPDF=Nascondi le descrizioni dei prodotti nel pdf generato HideRefOnPDF=Nascondi il riferimento dei prodotti nel pdf generato +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=Nascondi dettagli linee prodotti sui PDF generati PlaceCustomerAddressToIsoLocation=Usa la posizione predefinita francese (La Poste) per l'indirizzo del cliente Library=Libreria @@ -424,7 +427,7 @@ UrlGenerationParameters=Parametri di generazione degli indirizzi SecurityTokenIsUnique=Utilizzare un unico parametro securekey per ogni URL EnterRefToBuildUrl=Inserisci la reference per l'oggetto %s GetSecuredUrl=Prendi URL calcolato -ButtonHideUnauthorized=Nascondi pulsanti di azione non autorizzati anche per utenti interni (solo in grigio altrimenti) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=Vecchia aliquota IVA NewVATRates=Nuova aliquota IVA PriceBaseTypeToChange=Modifica i prezzi con la valuta di base definita. @@ -458,11 +461,11 @@ ComputedFormula=Campo calcolato ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Store computed field ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!! -ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored without encryption (field must be only hidden with star on screen).
      Set 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retrieve original value) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      In order to have the list depending on another list:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... ExtrafieldParamHelpradio=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=L'elenco dei valori proviene da una tabella
      Sintassi: table_name:label_field:id_field::filtersql
      Esempio: c_typent:libelle:id::filtersql

      - id_field è necessariamente una chiave int primaria a0342fccfda10342fccfda19bz0 Può essere un semplice test (es. active=1) per visualizzare solo il valore attivo
      Puoi anche usare $ID$ nel filtro che è l'id corrente dell'oggetto corrente
      Per usare un SELECT nel filtro usa la parola chiave $SEL$ per bypassare la protezione anti-iniezione.
      se vuoi filtrare su extrafield usa la sintassi extra.fieldcode=... (dove field code è il codice di extrafield)

      Per avere la lista dipendente da un'altra lista di attributi complementari:
      c_typent:libelle:id:options_ parent_list_code |parent_column:filter

      Per avere la lista dipendente da un'altra lista:
      c_typent:libelle:id: 3parent_list_code a:3parent_list_code a:3parent_list_code a:3parent_list_code a: +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=L'elenco dei valori proviene da una tabella
      Sintassi: table_name:label_field:id_field::filtersql
      Esempio: c_typent:libelle:id::filtersql

      Il filtro può essere un semplice test (es. active=1) per visualizzare solo il valore attivo a0342fcc può anche usare $ID$ nel filtro che è l'id corrente dell'oggetto corrente
      Per fare un SELECT nel filtro usa $SEL$
      se vuoi filtrare su campi extra usa la sintassi extra.fieldcode=... (dove il codice del campo è il codice di extrafield)

      per avere la lista seconda altro elenco di attributi complementari:
      c_typent: libelle: id: options_ parent_list_code | parent_column: filtro

      per avere la lista seconda un'altra lista: c_typent
      : libelle:id: parent_list_code |parent_column:filter ExtrafieldParamHelplink=I parametri devono essere ObjectName:Classpath
      Sintassi: ObjectName:Classpath ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Per testare l'indirizzo ClickToDial dell'utente %s RefreshPhoneLink=Link Aggiorna LinkToTest=Collegamento cliccabile generato per l'utente %s (clicca numero di telefono per testare) KeepEmptyToUseDefault=Lasciare vuoto per utilizzare il valore di default -KeepThisEmptyInMostCases=Nella maggior parte dei casi, è possibile mantenere questo campo vuoto. +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=Link predefinito SetAsDefault=Imposta come predefinito ValueOverwrittenByUserSetup=Attenzione, questo valore potrebbe essere sovrascritto da un impostazione specifica dell'utente (ogni utente può settare il proprio url clicktodial) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. Technical knowled PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=Abilita l'utilizzo di valori predefiniti personalizzati EnableOverwriteTranslation=Consenti la personalizzazione delle traduzioni GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=Utenti e gruppi Module0Desc=Gestione utenti/impiegati e gruppi @@ -566,7 +569,7 @@ Module40Desc=Gestione fornitori e acquisti (ordini e fatture) Module42Name=Debug Logs Module42Desc=Strumenti di tracciamento (file, syslog, ...). Questi strumenti sono per scopi tecnici/correzione. Module43Name=Barra di debug -Module43Desc=Uno strumento per sviluppatori che aggiungono una barra di debug nel tuo browser. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=Redazione Module49Desc=Gestione redattori Module50Name=Prodotti @@ -582,7 +585,7 @@ Module54Desc=Gestione contratti (servizi o abbonamenti) Module55Name=Codici a barre Module55Desc=Gestione codici a barre o QR code Module56Name=Pagamento con bonifico bancario -Module56Desc=Gestione del pagamento dei fornitori tramite ordini di Bonifico. Include la generazione di file SEPA per i paesi europei. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=Pagamenti con addebito diretto Module57Desc=Gestione degli ordini di addebito diretto. Include la generazione di file SEPA per i paesi europei. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Inviare notifiche EMail (generate da eventi aziendali) ad utenti ( Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. Module610Name=Varianti prodotto Module610Desc=Creazione delle varianti di prodotto (colore, taglia etc.) +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=Donazioni Module700Desc=Gestione donazioni Module770Name=Rimborso spese @@ -650,8 +657,8 @@ Module2300Name=Processi pianificati Module2300Desc=Gestione delle operazioni pianificate Module2400Name=Eventi/Agenda Module2400Desc=Gestione eventi/compiti e ordine del giorno. Registra manualmente eventi nell'agenda o consenti all'applicazione di registrare eventi automaticamente a scopo di monitoraggio. Questo è il modulo principale per una buona gestione delle relazioni con clienti e fornitori. -Module2430Name=Online Booking Calendar -Module2430Desc=Fornisce un calendario online per la prenotazione di riunioni in base a fasce predefinite o disponibilità. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM Module2500Desc=Sistema di gestione documentale / Gestione elettronica dei contenuti. Organizzazione automatica dei documenti generati o archiviati. Condivisione con chi ne ha bisogno. Module2600Name=API / Web services (server SOAP) @@ -672,7 +679,7 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=Social Networks Module3400Desc=Abilita i campi Social Network in terze parti e indirizzi (skype, twitter, facebook, ...). Module4000Name=Risorse umane -Module4000Desc=Gestione delle risorse umane (gestione dei dipartimenti e contratti dipendenti) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Multiazienda Module5000Desc=Permette la gestione di diverse aziende Module6000Name=Flusso di lavoro tra moduli @@ -712,6 +719,8 @@ Module63000Desc=Gestione risorse (stampanti, automobili, locali, ...) e loro uti Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=Receptions +ModuleBookCalName=Calendario Prenotazioni +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Leggere le fatture dei clienti (e i pagamenti) Permission12=Creare fatture attive @@ -996,7 +1005,7 @@ Permission4031=Leggi le informazioni personali Permission4032=Scrivi informazioni personali Permission4033=Leggi tutte le valutazioni (anche quelle di utenti non subordinati) Permission10001=Read website content -Permission10002=Create/modify website content (html and javascript content) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. Permission10005=Delete website content Permission20001=Vedere le richieste di ferie (tue e dei tuoi subordinati) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Note spesa: intervallo per categoria di trasporto DictionaryTransportMode=Rapporto intracomm - Modalità di trasporto DictionaryBatchStatus=Stato del controllo qualità del lotto/serie del prodotto DictionaryAssetDisposalType=Tipologia di dismissione dei beni +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Tipo di unità SetupSaved=Impostazioni salvate SetupNotSaved=Impostazioni non salvate @@ -1109,10 +1119,11 @@ BackToModuleList=Torna all'elenco dei moduli BackToDictionaryList=Torna all'elenco dei dizionari TypeOfRevenueStamp=Type of tax stamp VATManagement=Gestione imposte sulle vendite -VATIsUsedDesc=Per impostazione predefinita quando si creano proposte commerciali, fatture, ordini ecc., L'aliquota IVA segue la regola standard attiva:
      Se il venditore non è soggetto all'imposta sulle vendite, per impostazione predefinita l'imposta sulle vendite è 0. Fine della regola.
      Se il (Paese del fornitore = Paese dell'acquirente), l'imposta sulle vendite per impostazione predefinita è uguale all'imposta sulle vendite del prodotto nel paese del fornitore. Fine della regola
      Se il fornitore e l'acquirente sono entrambi nella Comunità Europea e le merci sono prodotti relativi al trasporto (trasporto, spedizione, compagnia aerea), l'IVA di default è 0. Questa regola dipende dal paese del fornitore - consultare il proprio commercialista. L'IVA deve essere pagata dall'acquirente all'ufficio doganale del proprio paese e non al venditore. Fine della regola
      Se il fornitore e l'acquirente sono entrambi nella Comunità Europea e l'acquirente non è una società (con un numero di partita IVA intracomunitaria registrato), l'IVA si imposta automaticamente sull'aliquota IVA del paese del fornitore. Fine della regola
      Se il fornitore e l'acquirente sono entrambi nella Comunità Europea e l'acquirente è una società (con una partita IVA intracomunitaria registrata), l'IVA è 0 per impostazione predefinita. Fine della regola
      In tutti gli altri casi il valore predefinito proposto è IVA = 0. Fine della regola +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=Per impostazione predefinita, l'imposta sulle vendite proposta è 0 che può essere utilizzata per casi come associazioni, privati o piccole aziende. VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Tipo di imposta sulle vendite LTRate=Tariffa @@ -1246,7 +1257,7 @@ SetupDescription4=  %s -> %s

      Questo software è una SetupDescription5=Altre voci di menu consentono la gestione di parametri opzionali. SetupDescriptionLink= %s - %s SetupDescription3b=Parametri di base utilizzati per personalizzare il comportamento predefinito dell'applicazione (ad es. per le funzionalità relative al paese). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. +SetupDescription4b=Questo software è una suite di molti moduli / applicazioni. I moduli relativi alle tue esigenze devono essere abilitati e configurati. Le voci di menu verranno visualizzate con l'attivazione di questi moduli. AuditedSecurityEvents=Eventi di sicurezza controllati NoSecurityEventsAreAduited=Nessun evento di sicurezza viene controllato. Puoi abilitarli dal menu %s Audit=Eventi di sicurezza @@ -1399,8 +1410,8 @@ PHPModuleLoaded=PHP component %s is loaded PreloadOPCode=Preloaded OPCode is used AddRefInList=Visualizza rif. cliente/fornitore in elenchi combinati.
      Le terze parti appariranno con il formato del nome "CC12345 - SC45678 - The Big Company corp." invece di "The Big Company corp". AddVatInList=Visualizza il numero di partita IVA cliente/fornitore negli elenchi combinati. -AddAdressInList=Visualizza l'indirizzo del cliente/fornitore in elenchi combinati.
      Terze parti appariranno con un nome formato "The Big Company corp. - 21 jump street 123456 Big town - USA" invece di "The Big Company corp". -AddEmailPhoneTownInContactList=Visualizza l'e-mail di contatto (oi telefoni se non definiti) e l'elenco delle informazioni sulla città (selezionare l'elenco o la casella combinata)
      I contatti verranno visualizzati con il formato del nome "Dupond Durand - dupond.durand@email.com - Parigi" o "Dupond Durand - 06 07 59 65 66 - Parigi" invece di "Dupond Durand". +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=Ask for preferred shipping method for Third Parties. FieldEdition=Modifica del campo %s FillThisOnlyIfRequired=Per esempio: +2 (compilare solo se ci sono problemi di scostamento del fuso orario) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Non mostrare il link "Password dimenticata? UsersSetup=Impostazioni modulo utenti UserMailRequired=È obbligatorio inserire un indirizzo email per creare un nuovo utente UserHideInactive=Nascondi gli utenti inattivi da tutti gli elenchi combinati di utenti (sconsigliato: ciò potrebbe significare che non sarai in grado di filtrare o cercare su vecchi utenti in alcune pagine) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Modelli di documenti per documenti generati dai dati dell'utente GroupsDocModules=Modelli di documenti per documenti generati da un gruppo di dati ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Gruppi LDAPContactsSynchro=Contatti LDAPMembersSynchro=Membri LDAPMembersTypesSynchro=Tipi di membro -LDAPSynchronization=Sincronizzazione LDAP +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=Funzioni LDAP non disponibili sull'attuale installazione di PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=ID utente LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=Home directory -LDAPFieldHomedirectoryExample=Esempio: homedirectory +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=Prefisso della home directory LDAPSetupNotComplete=Configurazione LDAP incompleta (vai alle altre schede) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Nessun amministratore o password forniti. L'accesso a LDAP sarà eseguito in forma anonima e in sola lettura. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found MemcachedAvailableAndSetup=Il modulo memcached, dedicato all'utilizzo del server memcached, è stato attivato. OPCodeCache=OPCode cache NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad). -HTTPCacheStaticResources=Cache HTTP per le risorse statiche (css, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=I file di tipo %s vengono serviti dalla cache del server HTTP FilesOfTypeNotCached=I file di tipo %s non vengono serviti dalla cache del server HTTP FilesOfTypeCompressed=I file di tipo %s vengono compressi dal server HTTP @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Testo libero sulle ricevute di consegna ##### FCKeditor ##### AdvancedEditor=Editor avanzato ActivateFCKeditor=Attiva editor avanzato per: -FCKeditorForNotePublic=WYSIWIG creazione/edizione del campo "note pubbliche" di elementi -FCKeditorForNotePrivate=WYSIWIG creazione/edizione del campo "note private" degli elementi -FCKeditorForCompany=WYSIWIG creazione/modifica del campo descrizione degli elementi (esclusi prodotti/servizi) -FCKeditorForProductDetails=WYSIWIG creazione/modifica di descrizioni prodotti o linee per oggetti (linee di proposte, ordini, fatture, ecc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Attenzione: l'utilizzo di questa opzione per questo caso è seriamente sconsigliato in quanto può creare problemi con i caratteri speciali e la formattazione della pagina durante la creazione di file PDF. -FCKeditorForMailing= Editor WYSIWIG per le email -FCKeditorForUserSignature=WYSIWIG creazione/modifica della firma utente -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) -FCKeditorForTicket=Creazione / edizione WYSIWIG per i biglietti +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=Impostazioni modulo magazzino IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry NewMenu=Nuovo menu MenuHandler=Gestore menu MenuModule=Modulo sorgente -HideUnauthorizedMenu=Nascondi i menù non autorizzati anche per gli utenti interni (altrimenti sarà solamente disabilitato) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=Id menu DetailMenuHandler=Gestore menu dove mostrare il nuovo menu DetailMenuModule=Nome del modulo, per le voci di menu provenienti da un modulo @@ -1802,7 +1815,7 @@ DetailType=Tipo di menu (in alto o a sinistra) DetailTitre=Etichetta menu o codice per la traduzione DetailUrl=URL a cui il menu ti invia (link URL relativo o link esterno con https://) DetailEnabled=Condizione per mostrare o meno un campo -DetailRight=Visualizza il menu come non attivo (grigio) +DetailRight=Condition to display unauthorized gray menus DetailLangs=Nome del file .lang contenente la traduzione del codice dell'etichetta DetailUser=Interno / esterno / Tutti Target=Destinatario @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Conto bancario da utilizzare per pagamenti in contant CashDeskBankAccountForCheque=Default account to use to receive payments by check CashDeskBankAccountForCB=Conto bancario da utilizzare per pagamenti con carta di credito CashDeskBankAccountForSumup=Conto bancario predefinito da utilizzare per ricevere pagamenti tramite SumUp -CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over HighlightLinesColor=Evidenzia il colore della linea quando passa il mouse (usa 'ffffff' per nessuna evidenziazione) HighlightLinesChecked=Evidenzia il colore della linea quando è selezionata (usa 'ffffff' per nessuna evidenziazione) UseBorderOnTable=Mostra i bordi sinistro-destro sulle tabelle +TableLineHeight=Table line height BtnActionColor=Colore del pulsante di azione TextBtnActionColor=Colore del testo del pulsante di azione TextTitleColor=Colore del testo del titolo della pagina @@ -1991,7 +2006,7 @@ EnterAnyCode=Questo campo contiene un riferimento per identificare la linea. Ins Enter0or1=Inserire 0 o 1 UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] ColorFormat=Il colore RGB è nel formato HEX, es:FF0000 -PictoHelp=Nome dell'icona nel formato:
      - image.png per un file immagine nella directory del tema corrente
      - image.png@module se il file è nella directory /img/ di un modulo
      - fa-xxx per un'immagine FontAwesome fa-xxx
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (con prefisso, colore e dimensione impostati) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=Posizione di questo modello nella menu a tendina SellTaxRate=Aliquota dell'imposta sulle vendite RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Nascondi i bordi sulla cornice dell'indirizzo del mittente -MAIN_PDF_NO_RECIPENT_FRAME=Nascondi i bordi sulla cornice dell'indirizzo del ricevente +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Nascondi codice cliente MAIN_PDF_HIDE_SENDER_NAME=Nascondi il nome del mittente/della società nel blocco degli indirizzi PROPOSAL_PDF_HIDE_PAYMENTTERM=Nascondi condizioni di pagamento @@ -2118,7 +2133,7 @@ EMailHost=Host of email IMAP server EMailHostPort=Porta IMAP del server loginPassword=Login/Password oauthToken=OAuth2 token -accessType=Tipo accesso +accessType=Access type oauthService=Servizio Oauth TokenMustHaveBeenCreated=Il modulo OAuth2 deve essere abilitato e deve essere stato creato un token oauth2 con i permessi corretti (ad esempio scope "gmail_full" con OAuth per Gmail). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Non includere il contenuto dell'intestazione dell' EmailCollectorHideMailHeadersHelp=Se abilitate, le intestazioni e-mail non vengono aggiunte alla fine del contenuto e-mail salvato come evento dell'agenda. EmailCollectorConfirmCollectTitle=Email collect confirmation EmailCollectorConfirmCollect=Vuoi eseguire questo raccoglitore ora? -EmailCollectorExampleToCollectTicketRequestsDesc=Raccogli le email che corrispondono ad alcune regole e crea automaticamente un ticket (il Modulo Ticket deve essere abilitato) con le informazioni email. Puoi utilizzare questo raccoglitore se fornisci supporto via e-mail, quindi la tua richiesta di ticket verrà generata automaticamente. Attiva anche Collect_Responses per raccogliere le risposte del tuo cliente direttamente nella visualizzazione del ticket (devi rispondere da Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Esempio di ritiro della richiesta del biglietto (solo primo messaggio) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scansiona la directory "Inviati" della tua casella di posta per trovare le e-mail che sono state inviate come risposta a un'altra e-mail direttamente dal tuo software di posta elettronica e non da Dolibarr. Se viene trovata tale e-mail, l'evento di risposta viene registrato in Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Esempio di raccolta di risposte e-mail inviate da un software di posta elettronica esterno EmailCollectorExampleToCollectDolibarrAnswersDesc=Raccogli tutte le e-mail che sono una risposta a un'e-mail inviata dalla tua applicazione. Un evento (deve essere abilitato Modulo Agenda) con l'e-mail di risposta verrà registrato nella buona posizione. Ad esempio, se invii una proposta commerciale, un ordine, una fattura o un messaggio per un biglietto tramite e-mail dall'applicazione e il destinatario risponde alla tua e-mail, il sistema catturerà automaticamente la risposta e la aggiungerà al tuo ERP. EmailCollectorExampleToCollectDolibarrAnswers=Esempio che raccoglie tutti i messaggi in entrata come risposte ai messaggi inviati da Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Raccogli le email che corrispondono ad alcune regole e crea automaticamente un lead (il progetto modulo deve essere abilitato) con le informazioni email. Puoi utilizzare questo raccoglitore se vuoi seguire il tuo lead utilizzando il modulo Progetto (1 lead = 1 progetto), quindi i tuoi lead verranno generati automaticamente. Se è abilitato anche il raccoglitore Collect_Responses, quando invii un'e-mail dai tuoi lead, proposte o qualsiasi altro oggetto, potresti anche vedere le risposte dei tuoi clienti o partner direttamente sull'applicazione.
      Nota: con questo esempio iniziale, viene generato il titolo del lead che include l'e-mail. Se la terza parte non può essere trovata nel database (nuovo cliente), il lead sarà allegato alla terza parte con ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Esempio di raccolta di lead EmailCollectorExampleToCollectJobCandidaturesDesc=Raccogli le email relative alle offerte di lavoro (il modulo Reclutamento deve essere abilitato). Puoi completare questo raccoglitore se desideri creare automaticamente una candidatura per una richiesta di lavoro. Nota: Con questo primo esempio viene generato il titolo della candidatura comprensivo di email. EmailCollectorExampleToCollectJobCandidatures=Esempio di raccolta delle candidature ricevute via e-mail @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' -DefaultCustomerType=Default thirdparty type for "New customer" creation form +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. RootCategoryForProductsToSell=Root category of products to sell -RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=Barra di debug DebugBarDesc=Toolbar that comes with a plenty of tools to simplify debugging DebugBarSetup=Impostazione barra di debug @@ -2212,10 +2227,10 @@ ImportSetup=Impostazione del modulo Import InstanceUniqueID=Unique ID of the instance SmallerThan=Smaller than LargerThan=Larger than -IfTrackingIDFoundEventWillBeLinked=Si noti che se nell'e-mail viene trovato un ID di tracciamento di un oggetto, o se l'e-mail è la risposta di un'e-mail già raccolta e collegata a un oggetto, l'evento creato verrà automaticamente collegato all'oggetto correlato noto. -WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. -EmailCollectorTargetDir=Potrebbe essere un comportamento desiderato spostare l'e-mail in un altro tag / directory quando è stata elaborata correttamente. Basta impostare il nome della directory qui per utilizzare questa funzione (NON usare caratteri speciali nel nome). Si noti che è necessario utilizzare anche un account di accesso in lettura / scrittura. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector @@ -2232,12 +2247,12 @@ EmailTemplate=Modello per le e-mail EMailsWillHaveMessageID=Le e-mail avranno un tag "Riferimenti" corrispondente a questa sintassi PDF_SHOW_PROJECT=Mostra progetto su documento ShowProjectLabel=Etichetta del progetto -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Includi alias nel nome di terze parti -THIRDPARTY_ALIAS=Nome terza parte - Alias terza parte -ALIAS_THIRDPARTY=Alias terza parte - Nome terza parte +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=Se vuoi avere alcuni testi nel tuo PDF duplicato in 2 lingue diverse nello stesso PDF generato, devi impostare qui la seconda lingua in modo che il PDF generato contenga 2 lingue diverse nella stessa pagina, quella scelta durante la generazione del PDF e questa ( solo pochi modelli PDF supportano questa opzione). Mantieni vuoto per 1 lingua per PDF. -PDF_USE_A=Genera documenti PDF in formato PDF/A anziché in formato PDF predefinito +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Inserisci qui il codice di un'icona FontAwesome. Se non sai cos'è FontAwesome, puoi utilizzare il valore generico fa-address-book. RssNote=Nota: ogni definizione di feed RSS fornisce un widget che è necessario abilitare per renderlo disponibile nella dashboard JumpToBoxes=Vai a Setup -> Widget @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Puoi trovare un avviso di sicurezza qui ModuleActivatedMayExposeInformation=Questa estensione PHP può esporre dati sensibili. Se non ti serve, disabilitalo. ModuleActivatedDoNotUseInProduction=È stato abilitato un modulo progettato per lo sviluppo. Non abilitarlo in un ambiente di produzione. CombinationsSeparator=Carattere separatore per le combinazioni di prodotti -SeeLinkToOnlineDocumentation=Vedere il collegamento alla documentazione online nel menu in alto per esempi +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=Se viene utilizzata la funzione "%s" del modulo %s , mostra i dettagli dei sottoprodotti di un kit su PDF. AskThisIDToYourBank=Contatta la tua banca per ottenere questo ID -AdvancedModeOnly=Autorizzazione disponibile solo in modalità di autorizzazione Avanzata +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=Il file conf è leggibile o scrivibile da qualsiasi utente. Concedi l'autorizzazione solo all'utente e al gruppo del server Web. MailToSendEventOrganization=Organizzazione di eventi MailToPartnership=Collaborazione AGENDA_EVENT_DEFAULT_STATUS=Stato dell'evento predefinito durante la creazione di un evento dal modulo YouShouldDisablePHPFunctions=Dovresti disabilitare le funzioni PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=Tranne se è necessario eseguire i comandi di sistema nel codice personalizzato, è necessario disabilitare le funzioni PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=Per scopi di shell (come il backup pianificato del lavoro o l'esecuzione di un programma antivirus), è necessario mantenere le funzioni PHP NoWritableFilesFoundIntoRootDir=Nessun file scrivibile o directory dei programmi comuni è stato trovato nella directory principale (buono) RecommendedValueIs=Consigliato: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Configurazione del webhook Settings = Impostazioni WebhookSetupPage = Pagina di configurazione del webhook ShowQuickAddLink=Mostra un pulsante per aggiungere rapidamente un elemento nel menu in alto a destra - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Hash usato per il ping ReadOnlyMode=L'istanza è in modalità "Sola lettura". DEBUGBAR_USE_LOG_FILE=Utilizzare il file dolibarr.log per intercettare i log @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Non funzionerà con tutti i temi NoName=Senza nome ShowAdvancedOptions= Visualizza opzioni avanzate HideAdvancedoptions= Nascondi opzioni avanzate -CIDLookupURL=Il modulo porta un URL che può essere utilizzato da uno strumento esterno per ottenere il nome di una terza parte o un contatto dal suo numero di telefono. L'URL da utilizzare è: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=L'autenticazione OAUTH2 non è disponibile per tutti gli host e deve essere stato creato un token con le autorizzazioni corrette a monte utilizzando il modulo OAUTH MAIN_MAIL_SMTPS_OAUTH_SERVICE=Servizio di autenticazione OAuth2 DontForgetCreateTokenOauthMod=A monte del modulo OAUTH deve essere stato creato un token con i permessi corretti -MAIN_MAIL_SMTPS_AUTH_TYPE=Metodo di autenticazione +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Usa una password UseOauth=Usa un token OAUTH Images=Immagini MaxNumberOfImagesInGetPost=Numero massimo di immagini consentite in un campo HTML inviato in un modulo MaxNumberOfPostOnPublicPagesByIP=Numero massimo di articoli su pagine pubbliche con lo stesso indirizzo IP in un mese -CIDLookupURL=Il modulo porta un URL che può essere utilizzato da uno strumento esterno per ottenere il nome di una terza parte o un contatto dal suo numero di telefono. L'URL da utilizzare è: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=Lo script è vuoto ShowHideTheNRequests=Mostra/nascondi le richieste SQL %s DefinedAPathForAntivirusCommandIntoSetup=Definisci un percorso per un programma antivirus in %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Nascondi la quantità ordinata sui documenti generati MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Mostra il prezzo sui documenti generati per i ricevimenti WarningDisabled=Avviso disattivato LimitsAndMitigation=Limiti di accesso e mitigazione +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Solo desktop DesktopsAndSmartphones=Desktop e smartphone AllowOnlineSign=Consenti firma online @@ -2403,6 +2419,24 @@ Defaultfortype=Predefinito DefaultForTypeDesc=Modello utilizzato per impostazione predefinita durante la creazione di una nuova e-mail per il tipo di modello OptionXShouldBeEnabledInModuleY=L'opzione " %s " dovrebbe essere abilitata nel modulo %s OptionXIsCorrectlyEnabledInModuleY=L'opzione " %s " è abilitata nel modulo %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Attributi complementari (template di fattura) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/it_IT/bills.lang b/htdocs/langs/it_IT/bills.lang index 0b27fbfe9e3..3f753be22c0 100644 --- a/htdocs/langs/it_IT/bills.lang +++ b/htdocs/langs/it_IT/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Emettere il pagamento dovuto al cliente DisabledBecauseRemainderToPayIsZero=Disabilitato perché il restante da pagare vale zero PriceBase=Prezzo base BillStatus=Stato fattura -StatusOfGeneratedInvoices=Stato delle fatture generate +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Bozza (deve essere convalidata) BillStatusPaid=Pagata BillStatusPaidBackOrConverted=Credit note refund or marked as credit available @@ -167,7 +167,7 @@ ActionsOnBill=Azioni su fattura ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Template/fatture ricorrenti NoQualifiedRecurringInvoiceTemplateFound=Nessun modello ricorrente di fattura è abilitato per la generazione. -FoundXQualifiedRecurringInvoiceTemplate=Trovato %s modelli ricorrenti di fattura abilitati per la generazione. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Non un modello ricorrente di fattura NewBill=Nuova fattura LastBills=Ultime %s fatture @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Fatture Fornitore in bozza Unpaid=Non pagato ErrorNoPaymentDefined=Errore Nessun pagamento definito ConfirmDeleteBill=Vuoi davvero cancellare questa fattura? -ConfirmValidateBill=Vuoi davvero convalidare questa fattura con riferimento %s? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Sei sicuro di voler convertire la fattura %s in bozza? ConfirmClassifyPaidBill=Vuoi davvero cambiare lo stato della fattura %s in "pagato"? ConfirmCancelBill=Vuoi davvero annullare la fattura %s? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Confermare riscossione per %s %s? ConfirmSupplierPayment=Confermare riscossione per %s %s? ConfirmValidatePayment=Vuoi davvero convalidare questo pagamento? Una volta convalidato non si potranno più operare modifiche. ValidateBill=Convalida fattura -UnvalidateBill=Invalida fattura +UnvalidateBill=Invalidate invoice NumberOfBills=Numero di fatture NumberOfBillsByMonth=Numero di fatture per mese AmountOfBills=Importo delle fatture @@ -250,12 +250,13 @@ RemainderToTake=Restante da incassare RemainderToTakeMulticurrency=Importo residuo da prelevare, valuta originale RemainderToPayBack=Restante da rimborsare RemainderToPayBackMulticurrency=Importo residuo da rimborsare, valuta originale +NegativeIfExcessReceived=negativo se eccedenza ricevuta NegativeIfExcessRefunded=negativo in caso di rimborso in eccesso +NegativeIfExcessPaid=negative if excess paid Rest=In attesa AmountExpected=Importo atteso ExcessReceived=Ricevuto in eccesso ExcessReceivedMulticurrency=Eccedenza ricevuta, valuta originale -NegativeIfExcessReceived=negativo se eccedenza ricevuta ExcessPaid=Eccesso pagato ExcessPaidMulticurrency=Eccedenza pagata, valuta originale EscompteOffered=Sconto offerto (pagamento prima del termine) @@ -343,7 +344,7 @@ DiscountOfferedBy=Sconto concesso da DiscountStillRemaining=Sconti o crediti disponibili DiscountAlreadyCounted=Sconti o crediti già consumati CustomerDiscounts=Sconto clienti -SupplierDiscounts=Vendors discounts +SupplierDiscounts=Sconto fornitori BillAddress=Indirizzo di fatturazione HelpEscompte=This discount is a discount granted to customer because payment was made before term. HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loss. @@ -546,7 +547,7 @@ CantRemoveConciliatedPayment=Can't remove reconciled payment PayedByThisPayment=Pagato con questo pagamento ClosePaidInvoicesAutomatically=Classify "Paid" all standard, down-payment or replacement invoices paid entirely. ClosePaidCreditNotesAutomatically=Classifica come "Pagata" tutte le note di credito interamente rimborsate -ClosePaidContributionsAutomatically=Classify "Paid" all social or fiscal contributions paid entirely. +ClosePaidContributionsAutomatically=Classifica come "Pagate" interamente tutte le tasse o spese speciali ClosePaidVATAutomatically=Classifica automaticamente la dichiarazione IVA come "Pagata" quando il pagamento è completo. ClosePaidSalaryAutomatically=Classifica automaticamente lo stipendio come "Pagato" quando l'importo è interamente saldato. AllCompletelyPayedInvoiceWillBeClosed=All invoices with no remainder to pay will be automatically closed with status "Paid". @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Per creare un nuovo modelo bisogna prima c PDFCrabeDescription=Modello di fattura PDF Crabe. Un modello completo di fattura (vecchia implementazione del modello Sponge) PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Modello di fattura Crevette. Template completo per le fatture (Modello raccomandato) -TerreNumRefModelDesc1=Numero restituito nel formato %syymm-nnnn per fatture standard e %syymm-nnnn per note di credito dove yy è l'anno, mm è il mese e nnnn è un numero sequenziale a incremento automatico senza interruzioni e senza ritorno a 0 -MarsNumRefModelDesc1=Numero di ritorno nel formato %syymm-nnnn per fatture standard, %syymm-nnnn per fatture sostitutive, %syymm-nnnn per fatture di acconto e %syymm-nnnn per note di credito dove yy è l'anno, mm è il mese e nnnn è un autoincremento sequenziale senza interruzione e senza ritorno a 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Un altro modello di numerazione con sequenza $ syymm è già esistente e non è compatibile con questo modello. Rimuovere o rinominare per attivare questo modulo. -CactusNumRefModelDesc1=Numero di ritorno nel formato %syymm-nnnn per fatture standard, %syymm-nnnn per note di credito e %syymm-nnnn per fatture di acconto dove yy è l'anno, mm è il mese e nnnn è un numero sequenziale a incremento automatico senza interruzioni e senza ritorno a 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Motivo di chiusura anticipata EarlyClosingComment=Nota di chiusura anticipata ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Salaries +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Stipendio +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/it_IT/cashdesk.lang b/htdocs/langs/it_IT/cashdesk.lang index cd023006979..c9442d9fd2a 100644 --- a/htdocs/langs/it_IT/cashdesk.lang +++ b/htdocs/langs/it_IT/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=Ricevuta Header=Header Footer=Footer AmountAtEndOfPeriod=Amount at end of period (day, month or year) -TheoricalAmount=Importo teorico +TheoricalAmount=Theoretical amount RealAmount=Real amount CashFence=Chiusura cassa CashFenceDone=Chiusura cassa effettuata per il periodo @@ -57,7 +57,7 @@ Paymentnumpad=Type of Pad to enter payment Numberspad=Numbers Pad BillsCoinsPad=Coins and banknotes Pad DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr -TakeposNeedsCategories=TakePOS ha bisogno di almeno una categoria di prodotti per funzionare +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS ha bisogno di almeno 1 categoria di prodotti nella categoria %s per funzionare OrderNotes=Può aggiungere alcune note a ogni articolo ordinato CashDeskBankAccountFor=Default account to use for payments in @@ -76,7 +76,7 @@ TerminalSelect=Select terminal you want to use: POSTicket=POS Ticket POSTerminal=Terminale POS POSModule=Modulo POS -BasicPhoneLayout=Use basic layout for phones +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Setup of terminal %s is not complete DirectPayment=Direct payment DirectPaymentButton=Aggiungi un pulsante "Pagamento diretto in contanti". @@ -92,14 +92,14 @@ HeadBar=Head Bar SortProductField=Campo per la selezione di prodotti Browser=Browser BrowserMethodDescription=Stampa di ricevute semplice e facile. Solo pochi parametri per configurare la ricevuta. Stampa tramite browser. -TakeposConnectorMethodDescription=Modulo esterno con funzionalità extra. Possibilità di stampare dal cloud. +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=Metodo di stampa ReceiptPrinterMethodDescription=Metodo potente con molti parametri. Completamente personalizzabile con modelli. Il server che ospita l'applicazione non può essere nel Cloud (deve essere in grado di raggiungere le stampanti nella tua rete). ByTerminal=Da terminale TakeposNumpadUsePaymentIcon=Utilizzare l'icona al posto del testo sui pulsanti di pagamento del tastierino numerico CashDeskRefNumberingModules=Modulo di numerazione per vendite POS CashDeskGenericMaskCodes6 =
      Il tag {TN} viene utilizzato per aggiungere il numero del terminale -TakeposGroupSameProduct=Raggruppa le stesse linee di prodotti +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Inizia una nuova vendita parallela SaleStartedAt=La vendita è iniziata a %s ControlCashOpening=Apri il popup "Controllo cassa" quando apri il POS @@ -118,7 +118,7 @@ ScanToOrder=Scansiona il codice QR per ordinare Appearance=Aspetto HideCategoryImages=Nascondi immagini di categoria HideProductImages=Nascondi immagini del prodotto -NumberOfLinesToShow=Numero di righe di immagini da mostrare +NumberOfLinesToShow=Maximum number of lines of text to show on thumb images DefineTablePlan=Definisci il piano dei tavoli GiftReceiptButton=Aggiungi un pulsante "Scontrino regalo". GiftReceipt=Ricevuta regalo @@ -135,5 +135,21 @@ PrintWithoutDetailsLabelDefault=Etichetta di linea per impostazione predefinita PrintWithoutDetails=Stampa senza dettagli YearNotDefined=L'anno non è definito TakeposBarcodeRuleToInsertProduct=Regola del codice a barre per inserire il prodotto -TakeposBarcodeRuleToInsertProductDesc=Regola per estrarre il riferimento del prodotto + una quantità da un codice a barre scansionato.
      Se vuoto (valore predefinito), l'applicazione utilizzerà il codice a barre completo scansionato per trovare il prodotto.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters AlreadyPrinted=Già stampato +HideCategories=Hide the whole section of categories selection +HideStockOnLine=Nascondi stock online +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Show reference or label of products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Terminale %s +TerminalNameDesc=Nome del terminale +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/it_IT/categories.lang b/htdocs/langs/it_IT/categories.lang index d1a415091fc..8f9aae12d8e 100644 --- a/htdocs/langs/it_IT/categories.lang +++ b/htdocs/langs/it_IT/categories.lang @@ -103,3 +103,4 @@ WebsitePagesCategoriesArea=Pagina-Contenitore delle Categorie KnowledgemanagementsCategoriesArea=Categorie di articoli KM UseOrOperatorForCategories=Usa l'operatore 'OR' per le categorie AddObjectIntoCategory=Assign to the category +Position=Posizione diff --git a/htdocs/langs/it_IT/holiday.lang b/htdocs/langs/it_IT/holiday.lang index cb999e0db41..3eb69fad475 100644 --- a/htdocs/langs/it_IT/holiday.lang +++ b/htdocs/langs/it_IT/holiday.lang @@ -5,7 +5,7 @@ Holiday=Ferie / Permessi CPTitreMenu=Ferie / Permessi MenuReportMonth=Estratto conto mensile MenuAddCP=Nuova richiesta -MenuCollectiveAddCP=Nuova richiesta di congedo collettivo +MenuCollectiveAddCP=New collective leave NotActiveModCP=You must enable the module Leave to view this page. AddCP=Inserisci nuova richiesta DateDebCP=Data di inizio @@ -95,14 +95,14 @@ UseralreadyCPexist=È già stata effettuata una richiesta di congedo in questo p groups=Groups users=Utenti AutoSendMail=Invio automatico email -NewHolidayForGroup=Nuova richiesta di congedo collettivo -SendRequestCollectiveCP=Invia richiesta di congedo collettivo +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave AutoValidationOnCreate=Convalida automatica FirstDayOfHoliday=Inizio giorno di richiesta ferie LastDayOfHoliday=Richiesta di fine giornata di ferie HolidaysMonthlyUpdate=Aggiornamento mensile ManualUpdate=Aggiornamento manuale -HolidaysCancelation=Cancellazione ferie +HolidaysCancelation=Leave request cancellation EmployeeLastname=Cognome dipendente EmployeeFirstname=Nome dipendente TypeWasDisabledOrRemoved=Permesso di tipo (ID %s) è stato disabilitato o rimosso @@ -144,7 +144,7 @@ WatermarkOnDraftHolidayCards=Watermarks on draft leave requests HolidaysToApprove=Ferie da approvare NobodyHasPermissionToValidateHolidays=Nobody has permission to validate leave requests HolidayBalanceMonthlyUpdate=Monthly update of leave balance -XIsAUsualNonWorkingDay=%s è solitamente un giorno NON lavorativo +XIsAUsualNonWorkingDay=%s is usually a NON working day BlockHolidayIfNegative=Blocca se saldo negativo LeaveRequestCreationBlockedBecauseBalanceIsNegative=La creazione di questa richiesta di ferie è bloccata perché il tuo saldo è negativo ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=La richiesta di uscita %s deve essere bozza, annullata o rifiutata per essere eliminata diff --git a/htdocs/langs/it_IT/hrm.lang b/htdocs/langs/it_IT/hrm.lang index 921b35c179f..c05a0702a81 100644 --- a/htdocs/langs/it_IT/hrm.lang +++ b/htdocs/langs/it_IT/hrm.lang @@ -12,7 +12,7 @@ OpenEtablishment=Apri azienda CloseEtablishment=Chiudi azienda # Dictionary DictionaryPublicHolidays=Congedo - Giorni festivi -DictionaryDepartment=HRM - Organizational Unit +DictionaryDepartment=HRM - Unità Organizzativa DictionaryFunction=HRM - Posizioni di lavoro # Module Employees=Dipendenti @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Descrizione predefinita dei gradi quando viene cre deplacement=Cambio DateEval=Data di valutazione JobCard=Carta di lavoro -JobPosition=Processo -JobsPosition=Lavori +NewJobProfile=New Job Profile +JobProfile=Job profile +JobsProfiles=Job profiles NewSkill=Nuova abilità SkillType=Tipo di abilità Skilldets=Elenco dei gradi per questa abilità @@ -36,7 +37,7 @@ rank=Rango ErrNoSkillSelected=Nessuna abilità selezionata ErrSkillAlreadyAdded=Questa abilità è già nell'elenco SkillHasNoLines=Questa abilità non ha linee -skill=Abilità +Skill=Skill Skills=Abilità SkillCard=Carta abilità EmployeeSkillsUpdated=Le competenze dei dipendenti sono state aggiornate (vedi scheda "Competenze" della scheda dipendente) @@ -44,48 +45,53 @@ Eval=Valutazione Evals=Valutazioni NewEval=Nuova valutazione ValidateEvaluation=Convalida la valutazione -ConfirmValidateEvaluation=Sei sicuro di voler validare questa valutazione con riferimento %s ? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=Scheda di valutazione -RequiredRank=Grado richiesto per questo lavoro +RequiredRank=Required rank for the job profile +RequiredRankShort=Required rank +PositionsWithThisProfile=Positions with this job profiles EmployeeRank=Grado di dipendente per questa abilità +EmployeeRankShort=Employee rank EmployeePosition=Posizione dei dipendenti EmployeePositions=Posizioni dei dipendenti EmployeesInThisPosition=Dipendenti in questa posizione group1ToCompare=Gruppo di utenti da analizzare group2ToCompare=Secondo gruppo di utenti per il confronto -OrJobToCompare=Confronta con i requisiti delle competenze lavorative +OrJobToCompare=Compare to skill requirements of a job profile difference=Differenza CompetenceAcquiredByOneOrMore=Competenza acquisita da uno o più utenti ma non richiesta dal secondo comparatore -MaxlevelGreaterThan=Livello massimo superiore a quello richiesto -MaxLevelEqualTo=Livello massimo pari a tale domanda -MaxLevelLowerThan=Livello massimo inferiore a quella richiesta -MaxlevelGreaterThanShort=Livello dei dipendenti superiore a quello richiesto -MaxLevelEqualToShort=Il livello dei dipendenti è uguale a quella domanda -MaxLevelLowerThanShort=Livello dei dipendenti inferiore a tale domanda +MaxlevelGreaterThan=Employee level is greater than the expected level +MaxLevelEqualTo=Employee level is equals to the expected level +MaxLevelLowerThan=Employee level is lower than that the expected level +MaxlevelGreaterThanShort=Level greater than expected +MaxLevelEqualToShort=Level equal to the expected level +MaxLevelLowerThanShort=Level lower than expected SkillNotAcquired=Competenza non acquisita da tutti gli utenti e richiesta dal secondo comparatore legend=Legenda TypeSkill=Tipo di abilità -AddSkill=Aggiungi competenze al lavoro -RequiredSkills=Competenze richieste per questo lavoro +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile UserRank=Classifica utente SkillList=Elenco delle abilità SaveRank=Salva classifica -TypeKnowHow=Know how -TypeHowToBe=How to be -TypeKnowledge=Knowledge +TypeKnowHow=Know-how +TypeHowToBe=Come essere +TypeKnowledge=Conoscenza AbandonmentComment=Commento sull'abbandono DateLastEval=Data ultima valutazione NoEval=Nessuna valutazione effettuata per questo dipendente HowManyUserWithThisMaxNote=Numero di utenti con questo rango HighestRank=Grado più alto SkillComparison=Confronto delle abilità -ActionsOnJob=Events on this job -VacantPosition=job vacancy -VacantCheckboxHelper=Checking this option will show unfilled positions (job vacancy) -SaveAddSkill = Skill(s) added -SaveLevelSkill = Skill(s) level saved -DeleteSkill = Skill removed -SkillsExtraFields=Attributs supplémentaires (Compétences) -JobsExtraFields=Attributs supplémentaires (Emplois) -EvaluationsExtraFields=Attributs supplémentaires (Evaluations) -NeedBusinessTravels=Need business travels +ActionsOnJob=Eventi su questo lavoro +VacantPosition=posto vacante +VacantCheckboxHelper=Selezionando questa opzione verranno mostrate le posizioni vacanti (offerta di lavoro) +SaveAddSkill = Abilità aggiunte +SaveLevelSkill = Livello di abilità salvato +DeleteSkill = Abilità rimossa +SkillsExtraFields=Complementary attributes (Skills) +JobsExtraFields=Complementary attributes (Job profile) +EvaluationsExtraFields=Complementary attributes (Evaluations) +NeedBusinessTravels=Hai bisogno di viaggi di lavoro +NoDescription=No description +TheJobProfileHasNoSkillsDefinedFixBefore=The evaluated job profile of this employee has no skill defined on it. Please add skill(s), then delete and restart the evaluation. diff --git a/htdocs/langs/it_IT/main.lang b/htdocs/langs/it_IT/main.lang index de9235dfe01..8b660a92da9 100644 --- a/htdocs/langs/it_IT/main.lang +++ b/htdocs/langs/it_IT/main.lang @@ -36,7 +36,7 @@ NoTranslation=Nessuna traduzione Translation=Traduzioni Translations=Traduzioni CurrentTimeZone=Fuso orario attuale -EmptySearchString=Inserisci criteri di ricerca non vuoti +EmptySearchString=Enter non empty search criteria EnterADateCriteria=Immettere un criterio di data NoRecordFound=Nessun risultato trovato NoRecordDeleted=Nessun record eliminato @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Impossibile inviare l'email (mittente=%s, destinatario=%s) ErrorFileNotUploaded=Upload fallito. Controllare che la dimensione del file non superi il numero massimo consentito, che lo spazio libero su disco sia sufficiente e che non esista già un file con lo stesso nome nella directory. ErrorInternalErrorDetected=Errore rilevato ErrorWrongHostParameter=Parametro host errato -ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post the form again. +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child record. ErrorWrongValue=Valore sbagliato ErrorWrongValueForParameterX=Valore non corretto per il parametro %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Errore, non sono state definite le aliquot ErrorNoSocialContributionForSellerCountry=Errore, non sono stati definiti i tipi di contributi per: '%s'. ErrorFailedToSaveFile=Errore, file non salvato. ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of a existing warehouse +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=Il campo "%s" non può essere negativo MaxNbOfRecordPerPage=Max. numero di records per pagina NotAuthorized=Non sei autorizzato. @@ -103,7 +104,8 @@ RecordGenerated=Record generato LevelOfFeature=Livello di funzionalità NotDefined=Non definito DolibarrInHttpAuthenticationSoPasswordUseless=Modalità di autenticazione %s configurata nel file conf.php.
      Ciò significa che la password del database è indipendente dall'applicazione, eventuali cambiamenti non avranno alcun effetto. -Administrator=Amministratore +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=Indefinito PasswordForgotten=Password dimenticata? NoAccount=No account? @@ -211,8 +213,8 @@ Select=Seleziona SelectAll=Seleziona tutti Choose=Scegli Resize=Ridimensiona +Crop=Crop ResizeOrCrop=Ridimensiona o ritaglia -Recenter=Ricentra Author=Autore User=Utente Users=Utenti @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Additionnal cents +LT1GC=Additional cents VATRate=Aliquota IVA RateOfTaxN=Aliquota fiscale %s VATCode=Codice aliquota @@ -547,6 +549,7 @@ Reportings=Reportistiche Draft=Bozza Drafts=Bozze StatusInterInvoiced=Fatturato +Done=Fatte Validated=Convalidato ValidatedToProduce=Convalidato (da produrre) Opened=Aperto @@ -698,6 +701,7 @@ Response=Risposta Priority=Priorità SendByMail=Invia per email MailSentBy=Email inviate da +MailSentByTo=Email sent by %s to %s NotSent=Non inviato TextUsedInTheMessageBody=Testo dell'email SendAcknowledgementByMail=Invia email di conferma @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Record modificati con successo RecordsModified=%s record(s) modificato/i RecordsDeleted=%s record(s) eliminato/i RecordsGenerated=%s record(s) generato/i +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=Codice automatico FeatureDisabled=Funzionalità disabilitata MoveBox=Sposta widget @@ -764,11 +769,10 @@ DisabledModules=Moduli disabilitati For=Per ForCustomer=Per i clienti Signature=Firma -DateOfSignature=Data della firma HidePassword=Mostra il comando con password offuscata UnHidePassword=Visualizza comando con password in chiaro Root=Root -RootOfMedias=Root of public medias (/medias) +RootOfMedias=Root of public media (/medias) Informations=Informazioni Page=Pagina Notes=Note @@ -907,8 +911,8 @@ ConfirmMassClone=Bulk clone confirmation ConfirmMassCloneQuestion=Select project to clone to ConfirmMassCloneToOneProject=Clone to project %s RelatedObjects=Oggetti correlati -ClassifyBilled=Classify Billed -ClassifyUnbilled=Classify Unbilled +ClassifyBilled=Classifica come "Fatturato" +ClassifyUnbilled=Classifica come "Non Fatturato" Progress=Avanzamento ProgressShort=Progr. FrontOffice=Front office @@ -916,6 +920,7 @@ BackOffice=Backoffice Submit=Invia View=Vista Export=Esportazione +Import=Sezione importazioni Exports=Esportazioni ExportFilteredList=Esporta lista filtrata ExportList=Esporta lista @@ -949,7 +954,7 @@ BulkActions=Azioni in blocco ClickToShowHelp=Clicca per mostrare l'aiuto contestuale WebSite=Sito web WebSites=Siti web -WebSiteAccounts=Website accounts +WebSiteAccounts=Web access accounts ExpenseReport=Nota spese ExpenseReports=Nota spese HR=HR @@ -1066,7 +1071,7 @@ SearchIntoContracts=Contratti SearchIntoCustomerShipments=Spedizioni cliente SearchIntoExpenseReports=Nota spese SearchIntoLeaves=Ferie / Permessi -SearchIntoKM=Knowledge base +SearchIntoKM=Base di conoscenza SearchIntoTickets=Ticket SearchIntoCustomerPayments=Pagamenti dei clienti SearchIntoVendorPayments=Pagamenti fornitori @@ -1077,6 +1082,7 @@ CommentPage=Spazio per i commenti CommentAdded=Commento aggiunto CommentDeleted=Commento cancellato Everybody=Progetto condiviso +EverybodySmall=Everybody PayedBy=Pagata da PayedTo=Paid to Monthly=Mensilmente @@ -1089,7 +1095,7 @@ KeyboardShortcut=Tasto scelta rapida AssignedTo=Azione assegnata a Deletedraft=Elimina bozza ConfirmMassDraftDeletion=Draft mass delete confirmation -FileSharedViaALink=File condiviso con un collegamento pubblico +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Seleziona prima un Soggetto terzo... YouAreCurrentlyInSandboxMode=Sei attualmente nella modalità "sandbox" di %s Inventory=Inventario @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Compito ContactDefault_propal=Preventivo ContactDefault_supplier_proposal=Proposta del fornitore ContactDefault_ticket=Ticket -ContactAddedAutomatically=Contatto aggiunto dai ruoli di contatto di terze parti +ContactAddedAutomatically=Contact added from third-party contact roles More=Di Più ShowDetails=Mostra dettagli CustomReports=Report personalizzati @@ -1163,8 +1169,8 @@ AffectTag=Assegna un Tag AffectUser=Assign a User SetSupervisor=Set the supervisor CreateExternalUser=Crea utente esterno -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=Role assigned on each project/opportunity TasksRole=Role assigned on each task (if used) ConfirmSetSupervisor=Set supervisore in maniera massiva @@ -1222,7 +1228,7 @@ UserAgent=User Agent InternalUser=Utente interno ExternalUser=Utente esterno NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Hide %s AddToContacts=Add address to my contacts LastAccess=Last access @@ -1239,3 +1245,18 @@ DateOfPrinting=Date of printing ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. UserNotYetValid=Not yet valid UserExpired=Expired +LinkANewFile=Collega un nuovo file/documento +LinkedFiles=File e documenti collegati +NoLinkFound=No registered links +LinkComplete=Il file è stato correttamente collegato +ErrorFileNotLinked=Il file non può essere collegato +LinkRemoved=Il collegamento %s è stato rimosso +ErrorFailedToDeleteLink= Impossibile rimuovere il collegamento '%s' +ErrorFailedToUpdateLink= Impossibile caricare il collegamento '%s' +URLToLink=Indirizzo del link +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/it_IT/oauth.lang b/htdocs/langs/it_IT/oauth.lang index b14c5606f05..bf205fbefdd 100644 --- a/htdocs/langs/it_IT/oauth.lang +++ b/htdocs/langs/it_IT/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Token eliminato GetAccess=Click here to get a token RequestAccess=Clicca qui per richiedere/rinnovare l'accesso e ricevere un nuovo token DeleteAccess=Premi qui per eliminare il token -UseTheFollowingUrlAsRedirectURI=Usa il seguente indirizzo come Redirect URI quando crei le credenziali sul tuo provider OAuth: +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Aggiungi i tuoi provider di token OAuth2. Quindi, vai sulla pagina di amministrazione del tuo provider OAuth per creare/ottenere un ID OAuth e un segreto e salvarli qui. Una volta terminato, passa all'altra scheda per generare il tuo token. OAuthSetupForLogin=Pagina per gestire (generare/eliminare) i token OAuth SeePreviousTab=Vedi la scheda precedente diff --git a/htdocs/langs/it_IT/products.lang b/htdocs/langs/it_IT/products.lang index a60195b932f..7d2401412da 100644 --- a/htdocs/langs/it_IT/products.lang +++ b/htdocs/langs/it_IT/products.lang @@ -80,8 +80,11 @@ SoldAmount=Quantità venduta PurchasedAmount=Quantità acquistata NewPrice=Nuovo prezzo MinPrice=Prezzo di vendita minimo +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. prezzo di vendita (inc tasse). EditSellingPriceLabel=Modifica l'etichetta del prezzo di vendita -CantBeLessThanMinPrice=Il prezzo di vendita non può essere inferiore al minimo consentito per questo prodotto ( %s IVA esclusa) +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Chiuso ErrorProductAlreadyExists=Un prodotto con riferimento %s esiste già. ErrorProductBadRefOrLabel=Il valore di riferimento o l'etichetta è sbagliato. @@ -347,16 +350,17 @@ UseProductFournDesc=Aggiungere una funzione per definire la descrizione del prod ProductSupplierDescription=Vendor description for the product UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=Acquisterai automaticamente un multiplo di questa quantità. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=La quantità della linea è stata ricalcolata in base all'imballaggio del fornitore #Attributes +Attributes=Attributi VariantAttributes=Variante attributi ProductAttributes=Variante attributi per i prodotti ProductAttributeName=Variante attributo %s ProductAttribute=Variante attributo ProductAttributeDeleteDialog=Sei sicuro di voler eliminare questo attributo? Tutti i valori saranno cancellati -ProductAttributeValueDeleteDialog=Sei sicuro di voler eliminare il valore "%s" con riferimento a "%s" di questo attributo? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Sei sicuro di voler eliminare la variante del prodotto "%s"? ProductCombinationAlreadyUsed=Si è verificato un errore durante l'eliminazione della variante. Si prega di verificare che non venga utilizzato in alcun oggetto ProductCombinations=Varianti @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Si è verificato un errore durante la cancellazio NbOfDifferentValues=N. di valori differenti NbProducts=N. di prodotti ParentProduct=Prodotto genitore +ParentProductOfVariant=Parent product of variant HideChildProducts=Nascondi le varianti di prodotto ShowChildProducts=Mostra le varianti del prodotto NoEditVariants=Vai alla scheda del prodotto genitore e modifica l'impatto sul prezzo delle varianti nella scheda varianti @@ -417,11 +422,11 @@ ErrorsProductsMerge=Errori nei prodotti si fondono SwitchOnSaleStatus=Attiva lo stato di vendita SwitchOnPurchaseStatus=Attiva lo stato di acquisto UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Campi Extra (movimento stock) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Campi extra (inventario) ScanOrTypeOrCopyPasteYourBarCodes=Scansiona o digita o copia/incolla i tuoi codici a barre PuttingPricesUpToDate=Aggiorna i prezzi con i prezzi noti attuali -PuttingDescUpToDate=Update descriptions with current known descriptions +PuttingDescUpToDate=Aggiorna le descrizioni con le descrizioni attuali PMPExpected=PMP previsto ExpectedValuation=Valutazione attesa PMPReal=PMP reale @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Seleziona l'extrafield che desideri modificare ConfirmEditExtrafieldQuestion = Sei sicuro di voler modificare questo extrafield? ModifyValueExtrafields = Modifica il valore di un extrafield OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/it_IT/projects.lang b/htdocs/langs/it_IT/projects.lang index 7eccaea5cb7..7458811858d 100644 --- a/htdocs/langs/it_IT/projects.lang +++ b/htdocs/langs/it_IT/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Out of project NoProject=Nessun progetto definito o assegnato NbOfProjects=Num. di progetti NbOfTasks=Numero attività +TimeEntry=Time tracking TimeSpent=Tempo lavorato +TimeSpentSmall=Tempo lavorato TimeSpentByYou=Tempo impiegato da te TimeSpentByUser=Tempo impiegato dall'utente -TimesSpent=Tempo lavorato TaskId=ID Compito RefTask=Rif. compito LabelTask=Etichetta compito @@ -82,7 +83,7 @@ MyProjectsArea=Area progetti DurationEffective=Durata effettiva ProgressDeclared=Avanzamento dichiarato reale TaskProgressSummary=Avanzamento compito -CurentlyOpenedTasks=Compiti attualmente aperti +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=Il progresso reale dichiarato è inferiore a %s rispetto al progresso sul consumo TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Il progresso reale dichiarato è più %s del progresso sui consumi ProgressCalculated=Progressi sui consumi @@ -122,7 +123,7 @@ TaskHasChild=L'attività ha un figlio NotOwnerOfProject=Non sei proprietario di questo progetto privato AffectedTo=Assegnato a CantRemoveProject=Questo progetto non può essere rimosso poiché è referenziato da altri oggetti (fattura, ordini o altro). Vedere la scheda "%s". -ValidateProject=Convalida progetto +ValidateProject=Validate project ConfirmValidateProject=Vuoi davvero convalidare il progetto? CloseAProject=Chiudi il progetto ConfirmCloseAProject=Vuoi davvero chiudere il progetto? @@ -226,7 +227,7 @@ ProjectsStatistics=Statistiche su attività di progetto/clienti potenziali TasksStatistics=Statistiche su attività di progetto/clienti potenziali TaskAssignedToEnterTime=Compito assegnato. Inserire i tempi per questo compito dovrebbe esserre possibile. IdTaskTime=Tempo compito id -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Progetti aperti di soggetti terzi OnlyOpportunitiesShort=Only leads OpenedOpportunitiesShort=Open leads @@ -238,7 +239,7 @@ OpportunityPonderatedAmountDesc=Leads amount weighted with probability OppStatusPROSP=Potenziale OppStatusQUAL=Qualificazione OppStatusPROPO=Proposta -OppStatusNEGO=Negoziazione +OppStatusNEGO=Negotiation OppStatusPENDING=In attesa OppStatusWON=Vinto OppStatusLOST=Perso @@ -264,9 +265,9 @@ NumberOfTasksCloned=%s task(s) cloned TimeSpentInvoiced=Time spent billed TimeSpentForIntervention=Tempo lavorato TimeSpentForInvoice=Tempo lavorato -OneLinePerUser=One line per user +OneLinePerUser=Una riga per utente ServiceToUseOnLines=Service to use on lines by default -InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project +InvoiceGeneratedFromTimeSpent=La fattura %s è stata generata con successo a partire dal tempo lavorato del progetto InterventionGeneratedFromTimeSpent=L'intervento %s è stato generato dal tempo dedicato al progetto ProjectBillTimeDescription=Check se inserisci la scheda attività sulle attività del progetto E prevedi di generare fatture dalla scheda attività per fatturare al cliente il progetto (non verificare se si prevede di creare una fattura che non si basa sulle schede attività inserite). Nota: per generare una fattura, vai sulla scheda "Tempo trascorso" del progetto e seleziona le righe da includere. ProjectFollowOpportunity=Opportunità da seguire diff --git a/htdocs/langs/it_IT/propal.lang b/htdocs/langs/it_IT/propal.lang index 8f347877dfb..4191aed8ce7 100644 --- a/htdocs/langs/it_IT/propal.lang +++ b/htdocs/langs/it_IT/propal.lang @@ -12,9 +12,11 @@ NewPropal=Nuovo preventivo Prospect=Potenziale cliente DeleteProp=Elimina preventivo ValidateProp=Convalida preventivo +CancelPropal=Annulla AddProp=Crea preventivo ConfirmDeleteProp=Vuoi davvero eliminare questo preventivo? ConfirmValidateProp=Vuoi davvero convalidare questa preventivo con riferimento %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Ultime %s proposte LastModifiedProposals=Ultime %s proposte modificate AllPropals=Tutti i preventivi @@ -27,11 +29,13 @@ NbOfProposals=Numero di preventivi ShowPropal=Visualizza preventivo PropalsDraft=Bozze PropalsOpened=Aperto +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Bozza (deve essere convalidata) PropalStatusValidated=Convalidato (preventivo aperto) PropalStatusSigned=Firmato (da fatturare) PropalStatusNotSigned=Non firmato (chiuso) PropalStatusBilled=Fatturato +PropalStatusCanceledShort=Annullata PropalStatusDraftShort=Bozza PropalStatusValidatedShort=Convalidato (aperto) PropalStatusClosedShort=Chiuso @@ -114,6 +118,7 @@ RefusePropal=Rifiuta la proposta Sign=Firma SignContract=Firma il contratto SignFichinter=Firmare l'intervento +SignSociete_rib=Sign mandate SignPropal=Accetta proposta Signed=firmato SignedOnly=Solo firmato diff --git a/htdocs/langs/it_IT/receptions.lang b/htdocs/langs/it_IT/receptions.lang index 1d0453a9620..6e18e06ca89 100644 --- a/htdocs/langs/it_IT/receptions.lang +++ b/htdocs/langs/it_IT/receptions.lang @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=Elaborato ReceptionSheet=Foglio ricezione ValidateReception=Convalida ricezione ConfirmDeleteReception=Confermi elminazione ricezione? -ConfirmValidateReception=Confermi validazione ricezione %s ? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Confermi annullamento ricezione? -StatsOnReceptionsOnlyValidated=Statitiche solo per ricezioni validate. La data utilizzata è la data di convalida della ricezione (la data di consegna pianificata non è sempre nota). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Invia ricezione via e-mail SendReceptionRef=Invio della ricezione %s ActionsOnReception=Azioni sulla ricezione @@ -52,3 +52,7 @@ ReceptionExist=Esiste una ricezione ReceptionBackToDraftInDolibarr=Ricezione %s ritornato a bozza ReceptionClassifyClosedInDolibarr=Ricezione %s classificato Chiusa ReceptionUnClassifyCloseddInDolibarr=Ricezione %s ri-aperta +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/it_IT/sendings.lang b/htdocs/langs/it_IT/sendings.lang index 8fbc368bba9..1e1bb9f66c6 100644 --- a/htdocs/langs/it_IT/sendings.lang +++ b/htdocs/langs/it_IT/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Convalidata StatusSendingProcessedShort=Processato SendingSheet=Documento di spedizione ConfirmDeleteSending=Sei sicuro di voler eliminare questa spedizione? -ConfirmValidateSending=Sei sicuro di voler convalidare questa spedizioni con il riferimento %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Sei sicuro di voler eliminar questa spedizione? DocumentModelMerou=Merou modello A5 WarningNoQtyLeftToSend=Attenzione, non sono rimasti prodotti per la spedizione. @@ -52,7 +52,7 @@ ClassifyReception=Classify Received SendShippingByEMail=Invia spedizione via EMail SendShippingRef=Invio della spedizione %s ActionsOnShipping=Azioni sulla spedizione -LinkToTrackYourPackage=Link a monitorare il tuo pacchetto +LinkToTrackYourPackage=Link per monitorare la spedizione ShipmentCreationIsDoneFromOrder=Per il momento, la creazione di una nuova spedizione viene eseguita dal record dell'ordine di vendita. ShipmentLine=Filiera di spedizione ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Quantità prodotto dall'ordine forn NoProductToShipFoundIntoStock=Nessun prodotto da spedire presente all'interno del magazzino %s WeightVolShort=Peso/Vol. ValidateOrderFirstBeforeShipment=È necessario convalidare l'ordine prima di poterlo spedire +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Totale peso prodotti # warehouse details DetailWarehouseNumber= Dettagli magazzino DetailWarehouseFormat= Peso:%s (Qtà : %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/it_IT/stocks.lang b/htdocs/langs/it_IT/stocks.lang index edc17adee46..dc06d32eece 100644 --- a/htdocs/langs/it_IT/stocks.lang +++ b/htdocs/langs/it_IT/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=Scorte personali %s ThisWarehouseIsPersonalStock=Questo magazzino rappresenta la riserva personale di %s %s SelectWarehouseForStockDecrease=Scegli magazzino da utilizzare per la riduzione delle scorte SelectWarehouseForStockIncrease=Scegli magazzino da utilizzare per l'aumento delle scorte +RevertProductsToStock=Revert products to stock ? NoStockAction=Nessuna azione su queste scorte DesiredStock=Scorte ottimali desiderate DesiredStockDesc=Questa quantità sarà il valore utilizzato per rifornire il magazzino mediante la funzione di rifornimento. @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=Non disponi di scorte sufficienti, per questo numero ShowWarehouse=Mostra magazzino MovementCorrectStock=Correzione scorte per il prodotto %s MovementTransferStock=Trasferisci scorte del prodotto %s in un altro magazzino +BatchStockMouvementAddInGlobal=Batch stock move into global stock (product doesn't use batch anymore) InventoryCodeShort=Codice di inventario o di spostamento NoPendingReceptionOnSupplierOrder=Nessuna ricezione in sospeso dovuta ad ordini fornitori aperti ThisSerialAlreadyExistWithDifferentDate=Questo lotto/numero seriale (%s) esiste già con una differente data di scadenza o di validità (trovata %s, inserita %s ) @@ -210,10 +212,10 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=I movimenti delle scorte avranno la inventoryChangePMPPermission=Allow to change PMP value for a product ColumnNewPMP=New unit PMP OnlyProdsInStock=Do not add product without stock -TheoricalQty=Quantità teorica -TheoricalValue=Quantità teorica +TheoricalQty=Theoretical qty +TheoricalValue=Theoretical qty LastPA=Last BP -CurrentPA=Curent BP +CurrentPA=Current BP RecordedQty=Qtà registrata RealQty=Real Qty RealValue=Real Value @@ -244,7 +246,7 @@ StockAtDatePastDesc=È possibile visualizzare qui lo stock (stock reale) in una StockAtDateFutureDesc=Puoi visualizzare qui lo stock (stock virtuale) in una determinata data futura CurrentStock=Scorta attuale InventoryRealQtyHelp=Imposta il valore su 0 per reimpostare qty
      Mantieni il campo vuoto o rimuovi la riga per mantenerlo invariato -UpdateByScaning=Completare la quantità reale tramite la scansione +UpdateByScaning=Complete real qty by scanning UpdateByScaningProductBarcode=Aggiornamento tramite scansione (codice a barre del prodotto) UpdateByScaningLot=Aggiornamento tramite scansione (lotto|codice a barre seriale) DisableStockChangeOfSubProduct=Disattiva il cambio stock per tutti i sottoprodotti di questo Kit durante questo movimento. @@ -280,7 +282,7 @@ ModuleStockTransferName=Trasferimento azionario avanzato ModuleStockTransferDesc=Gestione avanzata di Stock Transfer, con generazione di foglio di trasferimento StockTransferNew=Nuovo trasferimento di azioni StockTransferList=Elenco trasferimenti di azioni -ConfirmValidateStockTransfer=Sei sicuro di voler convalidare questo trasferimento di azioni con riferimento %s ? +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? ConfirmDestock=Diminuzione delle scorte con trasferimento %s ConfirmDestockCancel=Annulla la diminuzione delle scorte con il trasferimento %s DestockAllProduct=Diminuzione delle scorte @@ -307,9 +309,9 @@ StockTransferDecrementationCancel=Annulla la diminuzione dei magazzini di origin StockTransferIncrementationCancel=Annulla aumento dei magazzini di destinazione StockStransferDecremented=I magazzini di origine sono diminuiti StockStransferDecrementedCancel=Diminuzione dei magazzini di origine annullata -StockStransferIncremented=Chiuso - Azioni trasferite -StockStransferIncrementedShort=Azioni trasferite -StockStransferIncrementedShortCancel=Annullato l'aumento dei magazzini di destinazione +StockStransferIncremented=Closed - Stocks transferred +StockStransferIncrementedShort=Stocks transferred +StockStransferIncrementedShortCancel=Increase of destination warehouses canceled StockTransferNoBatchForProduct=Il prodotto %s non utilizza batch, cancella batch in linea e riprova StockTransferSetup = Configurazione del modulo di trasferimento titoli Settings=Impostazioni @@ -318,8 +320,18 @@ StockTransferRightRead=Leggi i trasferimenti di azioni StockTransferRightCreateUpdate=Crea/aggiorna i trasferimenti di azioni StockTransferRightDelete=Elimina i trasferimenti di azioni BatchNotFound=Lotto/numero di serie non trovato per questo prodotto +StockEntryDate=Date of
      entry in stock StockMovementWillBeRecorded=Stock movement will be recorded StockMovementNotYetRecorded=Stock movement will not be affected by this step +ReverseConfirmed=Stock movement has been reversed successfully + WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse +ValidateInventory=Inventory validation +IncludeSubWarehouse=Include sub-warehouse ? +IncludeSubWarehouseExplanation=Check this box if you want to include all sub-warehouses of the associated warehouse in the inventory DeleteBatch=Delete lot/serial ConfirmDeleteBatch=Are you sure you want to delete lot/serial ? +WarehouseUsage=Warehouse usage +InternalWarehouse=Internal warehouse +ExternalWarehouse=External warehouse +WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse diff --git a/htdocs/langs/it_IT/website.lang b/htdocs/langs/it_IT/website.lang index 0da9ba5206e..efe39d6f5d7 100644 --- a/htdocs/langs/it_IT/website.lang +++ b/htdocs/langs/it_IT/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Alternative page names/aliases WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=Indirizzo URL del file CSS esterno WEBSITE_CSS_INLINE=contenuto file CSS (comune a tutte le pagine) -WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_JS_INLINE=JavaScript file content (common to all pages) WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=File Robot (robots.txt) WEBSITE_HTACCESS=Website .htaccess file @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header MediaFiles=Libreria media EditCss=Edit website properties EditMenu=Modifica menu -EditMedias=Edit medias +EditMedias=Edit media EditPageMeta=Edit page/container properties EditInLine=Edit inline AddWebsite=Aggiungi sito web @@ -60,10 +60,11 @@ NoPageYet=No pages yet YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template SyntaxHelp=Help on specific syntax tips YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
      Puoi includere codice PHP in questa sorgente utilizzando i tag <?php ?> . Sono disponibili le seguenti variabili globali: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Puoi anche includere il contenuto di un'altra Pagina / Contenitore con la seguente sintassi:
      <?php includeContainer('alias_of_container_to_include'); ?>

      È possibile effettuare un redirect ad un'altra pagina / contenitore con la seguente sintassi (Nota: non emettono alcun contenuto prima di un reindirizzamento):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      Per aggiungere un collegamento a un'altra pagina, utilizzare la sintassi:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      Per inserire un link per il download un file memorizzato nella cartella documenti , utilizzare il document.php wrapper:
      esempio, per un file in documenti / ECM (necessità di effettuare il login), la sintassi è:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Per un file in documents / medias (directory aperta per accesso pubblico), la sintassi è:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      Per un file condiviso con un collegamento di condivisione (accesso aperto utilizzando la chiave hash di condivisione del file), la sintassi è:
      <a href="/document.php?hashp=publicsharekeyoffile">

      per includere un immagine immagazzinata nella cartella documenti , utilizzare la viewimage.php wrapper:
      Esempio, per un'immagine in documents/medias (cartella aperta per l'accesso pubblico), la sintassi è:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Per un'immagine condivisa con un link di condivisione (accesso aperto utilizzando la chiave hash di condivisione del file), la sintassi è:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      Altri esempi di codice HTML o dinamico disponibili su la documentazione wiki
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Clone page/container CloneSite=Clone site SiteAdded=Website added @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party YouMustDefineTheHomePage=You must first define the default Home page -OnlyEditionOfSourceForGrabbedContentFuture=Avvertenza: la creazione di una pagina Web importando una pagina Web esterna è riservata agli utenti esperti. A seconda della complessità della pagina di origine, il risultato dell'importazione potrebbe differire dall'originale. Inoltre, se la pagina di origine utilizza stili CSS comuni o JavaScript in conflitto, potrebbe interrompere l'aspetto o le funzionalità dell'editor del sito Web quando si lavora su questa pagina. Questo metodo è un modo più rapido per creare una pagina, ma si consiglia di creare la nuova pagina da zero o da un modello di pagina suggerito.
      Nota anche che l'editor inline potrebbe non funzionare correttamente se utilizzato su una pagina esterna linkata +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting JavaScript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correctty when used on a grabbed external page. OnlyEditionOfSourceForGrabbedContent=Only edition of HTML source is possible when content was grabbed from an external site GrabImagesInto=Grab also images found into css and page. ImagesShouldBeSavedInto=Le immagini devono essere salvate in una cartella @@ -112,13 +113,13 @@ GoTo=Go to DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? +DeleteAlsoJs=Delete also all JavaScript files specific to this website? +DeleteAlsoMedias=Delete also all media files specific to this website? MyWebsitePages=My website pages SearchReplaceInto=Search | Replace into ReplaceString=New string CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=Sample of a page with dynamic content ImportSite=Import website template EditInLineOnOff=La modalità "Modifica in linea" è %s @@ -160,3 +161,6 @@ PagesViewedTotal=Pages viewed (total) Visibility=Visibilità Everyone=Everyone AssignedContacts=Contatti assegnati +WebsiteTypeLabel=Type of Web site +WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/it_IT/withdrawals.lang b/htdocs/langs/it_IT/withdrawals.lang index dd929469ce3..799a83be9cc 100644 --- a/htdocs/langs/it_IT/withdrawals.lang +++ b/htdocs/langs/it_IT/withdrawals.lang @@ -34,7 +34,7 @@ AmountToWithdraw=Importo da prelevare AmountToTransfer=Importo da trasferire NoInvoiceToWithdraw=Nessuna fattura aperta per '%s' è in attesa. Vai sulla scheda '%s' sulla scheda fattura per effettuare una richiesta. NoSupplierInvoiceToWithdraw=No supplier invoice with open '%s' is waiting. Go on tab '%s' on invoice card to make a request. -ResponsibleUser=User Responsible +ResponsibleUser=Utente responsabile WithdrawalsSetup=Direct debit payment setup CreditTransferSetup=Impostazione del bonifico WithdrawStatistics=Direct debit payment statistics @@ -47,7 +47,9 @@ MakeBankTransferOrder=Invia una richiesta di bonifico WithdrawRequestsDone=%s direct debit payment requests recorded BankTransferRequestsDone=%s richieste di bonifico registrate ThirdPartyBankCode=Codice bancario del Soggetto terzo -NoInvoiceCouldBeWithdrawed=Nessuna fattura addebitata. Controlla che i clienti delle fatture selezionate abbiano un IBAN valido e che l'IBAN abbia l'UMR (Riferimento Unico Mandato) con modalità %s. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=Questa ricevuta di prelievo è già contrassegnata come accreditata; questa operazione non può essere eseguita due volte, poiché ciò potrebbe creare pagamenti e movimenti bancari duplicati. ClassCredited=Classifica come accreditata ClassDebited=Classifica addebito @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Vuoi davvero inserire un rifiuto per la società? RefusedData=Data del rifiuto RefusedReason=Motivo del rifiuto RefusedInvoicing=Fatturazione rifiutata -NoInvoiceRefused=Non ricaricare il rifiuto -InvoiceRefused=Fattura rifiutata (Addebitare il costo al cliente) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debit/credit StatusWaiting=In attesa StatusTrans=Trasmesso @@ -103,7 +106,7 @@ ShowWithdraw=Mostra ordine di addebito diretto IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=File ordine di addebito @@ -115,7 +118,7 @@ RUM=Riferimento Unico Mandato (UMR) DateRUM=Data firma mandato RUMLong=Riferimento Unico Mandato RUMWillBeGenerated=Se vuoto, un UMR (Riferimento Unico Mandato) verrà generato quanto le informazioni del conto bancario verranno salvate. -WithdrawMode=Tipologia sequenza d'incasso (FRST o RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Amount of Direct debit request: BankTransferAmount=Importo della richiesta di bonifico: WithdrawRequestErrorNilAmount=Impossibile creare la richiesta di addebito diretto per importo vuoto. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Numero conto corrente (IBAN) SEPAFormYourBIC=Codice BIC (Swift) SEPAFrstOrRecur=Tipo di pagamento ModeRECUR=Recurring payment +ModeRCUR=Recurring payment ModeFRST=Pagamento una tantum PleaseCheckOne=Please check one only CreditTransferOrderCreated=Ordine %s di trasferimento del credito creato @@ -155,9 +159,16 @@ InfoTransData=Importo: %s
      Metodo: %s
      Data: %s InfoRejectSubject=Direct debit payment order refused InfoRejectMessage=Hello,

      the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

      --
      %s ModeWarning=Non è stata impostata la modalità reale, ci fermiamo dopo questa simulazione -ErrorCompanyHasDuplicateDefaultBAN=L'azienda con ID %s ha più di un conto bancario predefinito. Non c'è modo di sapere quale usare. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=ICS mancante nel conto bancario %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=L'importo totale dell'ordine di addebito diretto differisce dalla somma delle righe WarningSomeDirectDebitOrdersAlreadyExists=Avvertenza: sono già stati richiesti ordini di addebito diretto in sospeso (%s) per un importo di %s WarningSomeCreditTransferAlreadyExists=Avvertenza: è già stato richiesto un trasferimento di credito in sospeso (%s) per un importo di %s UsedFor=Usato per %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Stipendio +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/it_IT/workflow.lang b/htdocs/langs/it_IT/workflow.lang index 0ed0577720d..220c8aae673 100644 --- a/htdocs/langs/it_IT/workflow.lang +++ b/htdocs/langs/it_IT/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Creare automaticamente una fattura atti descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Crea automaticamente una fattura cliente dopo che un ordine cliente è stato chiuso (la nuova fattura avrà lo stesso importo dell'ordine) descWORKFLOW_TICKET_CREATE_INTERVENTION=Alla creazione del ticket, crea automaticamente un intervento. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classifica come "da fatturare" la/e proposta/e commerciale/i quando l'ordine cliente collegato è impostato come da fatturare (e se l'ammontare dell'ordine è lo stesso ammontare della proposta commerciale firmata e collegata) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classifica "fatturate" le proposte collegate quando la fattura cliente è validata (e se l'importo della fattura è uguale all'importo totale delle proposte collegate) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classifica "fatturato" gli ordini cliente collegati quando la fattura cliente è validata (e se l'importo della fattura è uguale all'importo totale di ordini collegati) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classifica "da fatturare" gli ordini cliente collegati quando la fattura cliente è impostata su pagamento (e se l'importo della fattura è uguale all'importo totale di ordini collegati) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classifica "da spedire" l'ordine cliente collegato quando una spedizione viene convalidata (e se la quantità spedita da tutte le spedizioni è la stessa dell'ordine da aggiornare) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classificare l'ordine cliente di origine collegato come spedito quando una spedizione viene chiusa (e se la quantità spedita da tutte le spedizioni è la stessa dell'ordine da aggiornare) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal(s) to billed when vendor invoice is validated (and if amount of the invoice is same than total amount of linked proposals) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classifica "fatturato" gli ordini fornitori collegati quando la fattura fornitore viene convalidata. (e se l'importo della fattura è uguale all'importo totale di ordini collegati) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classificare l'ordine di acquisto di origine collegato come ricevuto quando viene convalidato un ricevimento (e se la quantità ricevuta da tutti i ricevimenti è la stessa dell'ordine di acquisto da aggiornare) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classificare l'ordine di acquisto di origine collegata come ricevuto alla chiusura di un ricevimento (e se la quantità ricevuta da tutti i ricevimenti è la stessa dell'ordine di acquisto da aggiornare) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=Quando crei un biglietto, collega i contratti disponibili di terze parti corrispondenti +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Quando si collegano i contratti, cercare tra quelli delle società madri # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Chiudi tutti gli interventi legati al ticket quando un ticket è chiuso AutomaticCreation=Creazione automatica AutomaticClassification=Classificazione automatica -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Chiusura automatica AutomaticLinking=Collegamento automatico diff --git a/htdocs/langs/ja_JP/accountancy.lang b/htdocs/langs/ja_JP/accountancy.lang index d8fc23a7fd0..17d3a93c6b4 100644 --- a/htdocs/langs/ja_JP/accountancy.lang +++ b/htdocs/langs/ja_JP/accountancy.lang @@ -17,7 +17,7 @@ ThisProduct=この製品 DefaultForService=サービスのデフォルト DefaultForProduct=製品のデフォルト ProductForThisThirdparty=この取引先向けの製品 -ServiceForThisThirdparty=この取引先向けのサービス +ServiceForThisThirdparty=この取引先向けサービス CantSuggest=提案できない AccountancySetupDoneFromAccountancyMenu=会計のほとんどの設定はメニュー%sから行われる ConfigAccountingExpert=会計モジュールの構成(複式簿記) @@ -38,7 +38,7 @@ DeleteCptCategory=グループから勘定科目を削除する ConfirmDeleteCptCategory=この勘定科目を勘定科目グループから削除してもよいか? JournalizationInLedgerStatus=仕訳帳化の状況 AlreadyInGeneralLedger=既に会計仕訳日記帳と元帳に転記済 -NotYetInGeneralLedger=まだ会計仕訳日記帳と元帳に未転記 +NotYetInGeneralLedger=会計仕訳帳と元帳にまだ転送されていない GroupIsEmptyCheckSetup=グループが空。パーソナライズされた会計グループの設定を確認すること DetailByAccount=科目ごとに詳細を表示 DetailBy=詳細はこちら @@ -60,8 +60,6 @@ VueBySubAccountAccounting=会計補助勘定科目で表示 MainAccountForCustomersNotDefined=設定で定義されていない顧客の主口座 (勘定科目表から) MainAccountForSuppliersNotDefined=設定で定義されていない仕入先の主勘定 (勘定科目表から) MainAccountForUsersNotDefined=セットアップで定義されていないユーザーの主勘定 (勘定科目表から) -MainAccountForRevenueStampSaleNotDefined=設定で定義されていない収入印紙 (売上) の勘定科目 (勘定科目表から) -MainAccountForRevenueStampPurchaseNotDefined=セットアップで定義されていない収入印紙 (購入) の勘定科目 (勘定科目表から) MainAccountForVatPaymentNotDefined=VAT 支払い用の勘定 (勘定科目表から) が設定で定義されていない MainAccountForSubscriptionPaymentNotDefined=メンバーシップ支払い用の勘定 (勘定科目表から) が設定で定義されていない MainAccountForRetainedWarrantyNotDefined=設定で定義されていない保持保証の勘定科目 (勘定科目表から) @@ -70,13 +68,14 @@ UserAccountNotDefined=設定で定義されていないユーザの会計勘定 AccountancyArea=経理エリア AccountancyAreaDescIntro=会計モジュールの使用は、いくつかのステップで行われる。 AccountancyAreaDescActionOnce=次のアクションは通常、1回だけ、または1年に1回実行される。 -AccountancyAreaDescActionOnceBis=経理でデータ転送するときに自動的に正しいデフォルトの勘定科目を提案することで将来の時間を節約できるよう、次のステップを実行する必要がある +AccountancyAreaDescActionOnceBis=今後の時間を節約するには、会計でデータを転送するときに正しいデフォルトの会計アカウントを自動的に提案することで、次のステップを実行する必要がある。 AccountancyAreaDescActionFreq=次のアクションは通常、非常に大規模な企業の場合、毎月、毎週、または毎日実行される。 AccountancyAreaDescJournalSetup=ステップ%s: メニュー%sから仕訳リストの内容を確認する AccountancyAreaDescChartModel=ステップ%s:勘定科目表のモデルが存在することを確認するか、メニュー%sからモデルを作成する。 AccountancyAreaDescChart=ステップ%s:メニュー%sから勘定科目表を選択および|または完成させる +AccountancyAreaDescFiscalPeriod=ステップ %s: 会計エントリを統合する会計年度をデフォルトで定義する。これには、メニュー エントリ %s を使用する。 AccountancyAreaDescVat=ステップ%s:各VAT率の勘定科目を定義する。これには、メニューエントリ%sを使用する。 AccountancyAreaDescDefault=ステップ%s:デフォルトの勘定科目を定義する。これには、メニューエントリ%sを使用する。 AccountancyAreaDescExpenseReport=ステップ%s: 経費報告書のタイプごとにデフォルトの勘定科目を定義する。これには、メニューエントリ%sを使用する。 @@ -84,19 +83,20 @@ AccountancyAreaDescSal=ステップ%s:給与支払のデフォルトの勘定 AccountancyAreaDescContrib=ステップ%s: 税金(特別経費)のデフォルトの勘定科目を定義する。これには、メニューエントリ%sを使用する。 AccountancyAreaDescDonation=ステップ%s:寄付のデフォルトの勘定科目を定義する。これには、メニューエントリ%sを使用する。 AccountancyAreaDescSubscription=ステップ%s:構成員サブスクリプションのデフォルトの勘定科目を定義する。これには、メニューエントリ%sを使用する。 -AccountancyAreaDescMisc=ステップ%s:その他のトランザクションの必須のデフォルト科目とデフォルトの勘定科目を定義する。これには、メニューエントリ%sを使用する。 +AccountancyAreaDescMisc=ステップ %s: 必須のデフォルトアカウントとその他のトランザクション用のデフォルト会計アカウントを定義する。これには、メニュー エントリ %s を使用する。 AccountancyAreaDescLoan=ステップ%s:ローンのデフォルトの勘定科目を定義する。これには、メニューエントリ%sを使用する。 AccountancyAreaDescBank=ステップ%s:各銀行および金融口座の会計口座と仕訳コードを定義する。これには、メニューエントリ%sを使用する。 AccountancyAreaDescProd=ステップ%s: 製品/サービスの勘定科目を定義する。これには、メニューエントリ%sを使用する。 AccountancyAreaDescBind=ステップ%s:既存の%s行と勘定科目の間の結合が完了していることを確認する。これにより、アプリケーションはワンクリックで元帳のトランザクションを仕訳できるようになる。不足している結合を完了する。これには、メニューエントリ%sを使用する。 AccountancyAreaDescWriteRecords=ステップ%s:元帳にトランザクションを書き込む。これを行うには、メニュー %s に移動し、ボタン%sをクリックする。 -AccountancyAreaDescAnalyze=ステップ%s:既存のトランザクションを追加または編集し、報告書sとエクスポートを生成する。 - -AccountancyAreaDescClosePeriod=ステップ%s:期間を閉じて、将来変更できないようにする。 +AccountancyAreaDescAnalyze=ステップ %s: レポートを読むか、他の簿記担当者用のエクスポート ファイルを生成する。 +AccountancyAreaDescClosePeriod=ステップ %s: 期間を終了するため、今後同じ期間にデータを転送できなくなります。 +TheFiscalPeriodIsNotDefined=設定の必須ステップが完了していない(会計期間が定義されていない) TheJournalCodeIsNotDefinedOnSomeBankAccount=設定の必須ステップが完了していない(全銀行口座に対して会計コード仕訳帳が定義されていない) Selectchartofaccounts=アクティブな勘定科目表を選択する +CurrentChartOfAccount=現在アクティブな勘定科目表 ChangeAndLoad=変更してロード Addanaccount=勘定科目を追加 AccountAccounting=勘定科目 @@ -134,7 +134,7 @@ WriteBookKeeping=会計での取引の記録 Bookkeeping=元帳 BookkeepingSubAccount=補助元帳 AccountBalance=勘定残高 -AccountBalanceSubAccount=サブアカウントの残高 +AccountBalanceSubAccount=補助科目残高 ObjectsRef=ソースオブジェクト参照 CAHTF=税引前の合計購入ベンダー TotalExpenseReport=総経費報告書 @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=勘定科目の最後に異なる数のゼロを管理で BANK_DISABLE_DIRECT_INPUT=銀行口座での取引の直接記録を無効にする ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=仕訳帳で下書きエクスポートを有効化 ACCOUNTANCY_COMBO_FOR_AUX=子会社アカウントのコンボリストを有効化 (取引先が多数あると遅くなるだろうし、値の一部検索機能は壊れる) -ACCOUNTING_DATE_START_BINDING=会計で結合と転記を開始する日付を定義する。この日付を下回ると、取引は会計に転記されない。 -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=会計転送では、デフォルトで選択される期間は何か +ACCOUNTING_DATE_START_BINDING=日付がこの日付より前の場合、会計処理でのバインディングと転送を無効にする (この日付より前のトランザクションはデフォルトで除外される) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=データを会計に転送するページで、デフォルトで選択されている期間は何か ACCOUNTING_SELL_JOURNAL=販売仕訳帳 - 販売と返品 ACCOUNTING_PURCHASE_JOURNAL=仕訳帳 - 購入と返品 @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=交際費仕訳帳 ACCOUNTING_RESULT_PROFIT=結果勘定科目(利益) ACCOUNTING_RESULT_LOSS=結果勘定科目(損失) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=閉鎖の仕訳帳 +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=貸借対照表勘定に使用される会計グループ (カンマで区切る) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=損益計算書に使用される会計グループ (カンマで区切る) ACCOUNTING_ACCOUNT_TRANSFER_CASH=移行用の銀行振込の口座として使用される口座 (勘定科目表から) TransitionalAccount=中継銀行振込口座 @@ -290,7 +292,7 @@ DescVentilDoneCustomer=顧客の請求明細行と勘定科目表からの製品 DescVentilTodoCustomer=勘定科目表からまだ製品勘定にバインドされていない請求書明細をバインドする ChangeAccount=次の勘定科目を使用して、選択した行の製品/サービス勘定科目を (勘定科目表から) 変更する。 Vide=- -DescVentilSupplier=勘定科目表から製品アカウントにバインドされている、またはまだバインドされていない仕入先請求明細行のリストを参照すること (経理部門でまだ転送されていないレコードのみが表示される)。 +DescVentilSupplier=ここで、勘定科目表から 製品科目にバインドされている、またはまだバインドされていない 仕入先 請求書明細のリストを参照すること (会計処理で転送されていない記録だけが見える) DescVentilDoneSupplier=ベンダーの請求書の行とその勘定科目のリストをここで参照すること DescVentilTodoExpenseReport=まだ料金勘定科目に結合されていない経費報告書行を結合する DescVentilExpenseReport=手数料勘定科目に結合されている(または結合されていない)経費報告行のリストをここで参照すること @@ -298,8 +300,8 @@ DescVentilExpenseReportMore=経費報告行の種別で勘定科目を設定す DescVentilDoneExpenseReport=経費報告書sの行とその手数料勘定科目のリストをここで参照すること Closure=年次閉鎖 -DescClosure=まだ検証されておらずロックされていない月ごとの動きの数はこちらを参照すること -OverviewOfMovementsNotValidated=検証およびロックされていない動きの概要 +AccountancyClosureStep1Desc=まだ検証されておらずロックされていない月ごとの動きの数はこちらを参照すること +OverviewOfMovementsNotValidated=検証されておらずロックされていない動きの概要 AllMovementsWereRecordedAsValidated=全動きは検証され、ロックされたものとして記録された NotAllMovementsCouldBeRecordedAsValidated=全動きを検証済みおよびロック済みとして記録できるわけではない ValidateMovements=動きを検証してロックする @@ -310,7 +312,7 @@ AutomaticBindingDone=自動結合が実行された(%s)-一部のレコー DoManualBindingForFailedRecord=自動的にリンクされない %s 行(s)を手動でリンクする必要がある。 ErrorAccountancyCodeIsAlreadyUse=エラー、この勘定科目表は使用されているため、削除または無効化できない -MvtNotCorrectlyBalanced=動きのバランスが正しくない。借方=%s&貸方= %s +MvtNotCorrectlyBalanced=動きの残高が正しくない。借方=%s&貸方= %s Balancing=バランシング FicheVentilation=結合カード GeneralLedgerIsWritten=トランザクションは元帳に書き込まれる @@ -341,7 +343,7 @@ AccountingJournalType3=購入 AccountingJournalType4=バンク AccountingJournalType5=経費報告書s AccountingJournalType8=目録 -AccountingJournalType9=持っている-新規 +AccountingJournalType9=留保所得 GenerationOfAccountingEntries=会計仕訳の生成 ErrorAccountingJournalIsAlreadyUse=この仕訳帳は既に使用されている AccountingAccountForSalesTaxAreDefinedInto=注:消費税の勘定科目は、メニュー %s -- %sに定義されている。 @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=購入時の会計における結合と ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=経費報告書sの会計における結合と転記を無効にする(経費報告書sは会計で考慮されない) ACCOUNTING_ENABLE_LETTERING=会計でレタリング機能を有効化 ACCOUNTING_ENABLE_LETTERING_DESC=このオプションを有効にすると、各会計エントリにコードを定義できるため、さまざまな会計移動をグループ化できる。以前は、異なるジャーナルが独立して管理されていた場合、この機能は、異なるジャーナルの動線をグループ化するために必要でした。ただし、Dolibarr 会計では、「 %s 」と呼ばれるトラッキング コードがすでに自動的に保存されており、自動レタリングがすでに行われており、エラーのリスクがないため、この機能は一般的な使用には役に立ちない。手動レタリング機能は、会計におけるデータ転送を行うコンピューター エンジンをあまり信頼していないエンド ユーザーのために提供されている。 -EnablingThisFeatureIsNotNecessary=厳格な会計管理のためにこの機能を有効にする必要はなくなった。 +EnablingThisFeatureIsNotNecessary=厳密な会計管理のためにこの機能を有効にする必要はなくなった。 ACCOUNTING_ENABLE_AUTOLETTERING=会計への転送時に自動レタリングを有効化 -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=レタリングのコードは自動的に生成および増加され、エンド ユーザーが選択することはない。 +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=レタリングの コード は 自動的に 生成されて増加するので、エンドユーザによる選択はない +ACCOUNTING_LETTERING_NBLETTERS=レタリングコード生成時の文字数(デフォルトは3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=一部の会計ソフトウェアでは 2 文字のコードのみを受け入れる。このパラメータを使用すると、この側面を設定できる。デフォルトの文字数は 3 文字。 OptionsAdvanced=高度なオプション ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=サプライヤーの購入に対する VAT リバースチャージの管理を有効にする -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=このオプションを有効にすると、サプライヤーまたは特定の仕入先請求書を別の方法で会計に転送する必要があることを定義できる。追加の借方および貸方行が、 "%s" 設定ページにある勘定科目表から 2 つの特定の口座の会計に生成される。 +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=このオプションを有効にすると、サプライヤーまたは特定の 仕入先 請求書を別の方法で会計に転送する必要があることを定義できる。追加の借方枠と貸方枠が 2 日に会計に生成される。 「%s」設定ページに定義された勘定科目表からの指定された勘定科目。 ## Export NotExportLettering=ファイルの生成時にレタリングをエクスポートしない @@ -420,7 +424,7 @@ SaleLocal=ローカルセール SaleExport=エクスポート販売 SaleEEC=EECでの販売 SaleEECWithVAT=VATがnullではないEECでの販売。したがって、これは域内販売ではなく、提案された科目は標準の製品科目であると想定する。 -SaleEECWithoutVATNumber=VAT なしの EEC での販売ですが、サードパーティの VAT ID は定義されていない。標準販売のアカウントにフォールバックする。必要に応じて、サードパーティの VAT ID を修正するか、バインディング用に提案された製品アカウントを変更できる。 +SaleEECWithoutVATNumber=VAT なしの EEC での販売ですが、取引先の VAT ID は定義されていない。私たちは標準的な売上を考慮する。必要に応じて、取引先の VAT ID を修正したり、バインドするために提案された製品アカウントを変更したりできる。 ForbiddenTransactionAlreadyExported=禁止:トランザクションは検証済 かつ/または エクスポート済。 ForbiddenTransactionAlreadyValidated=禁止:トランザクションは検証済。 ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=調整されていない変更はない AccountancyOneUnletteringModifiedSuccessfully=1つの調整解除が正常に変更された AccountancyUnletteringModifiedSuccessfully=%sunreconcileが正常に変更された +## Closure +AccountancyClosureStep1=ステップ 1 : 動きを検証してロックする +AccountancyClosureStep2=ステップ 2 : 会計期間を閉じる +AccountancyClosureStep3=ステップ 3 : エントリを抽出する (オプション) +AccountancyClosureClose=会計期間を閉じる +AccountancyClosureAccountingReversal=「利益剰余金」項目を抽出して記録する +AccountancyClosureStep3NewFiscalPeriod=次会計期間 +AccountancyClosureGenerateClosureBookkeepingRecords=次の会計年度に「利益剰余金」の仕訳を生成する。 +AccountancyClosureSeparateAuxiliaryAccounts=「利益剰余金」エントリを生成するときは、補助元帳勘定の詳細を記載する。 +AccountancyClosureCloseSuccessfully=会計期間は無事終了した +AccountancyClosureInsertAccountingReversalSuccessfully=「利益剰余金」の簿記エントリが正常に挿入された + ## Confirm box -ConfirmMassUnletteringAuto=一括自動照合解除確認 -ConfirmMassUnletteringManual=一括手動照合解除確認 +ConfirmMassUnletteringAuto=一括自動照合解除確定 +ConfirmMassUnletteringManual=一括手動照合解除確定 ConfirmMassUnletteringQuestion=選択した %s レコード(s)を照合解除するか? ConfirmMassDeleteBookkeepingWriting=一括削除確定 ConfirmMassDeleteBookkeepingWritingQuestion=これにより、会計からトランザクションが削除される (同じトランザクションに関連するすべての行エントリが削除される)。 %s 選択したエントリを削除してもよいか? +AccountancyClosureConfirmClose=今の会計期間を閉じてもよろしい か? 会計期間の終了は元に戻せない操作であり、この期間中のエントリの変更または削除は永久にブロックされることを理解したものとする 。 +AccountancyClosureConfirmAccountingReversal=「利益剰余金」への仕訳を記録したいか? ## Error SomeMandatoryStepsOfSetupWereNotDone=設定のいくつかの必須の手順が実行されない。それらを完了すること -ErrorNoAccountingCategoryForThisCountry=国%sで使用できる勘定科目グループがない( ホーム - 設定 - 辞書 を参照) +ErrorNoAccountingCategoryForThisCountry=国 %s では使用可能な勘定科目 グループがない (%s - %s - %s を参照) ErrorInvoiceContainsLinesNotYetBounded=請求書%s の一部の行を仕訳しようとしたが、他の一部の行はまだ勘定科目に結合されていない。この請求書の全請求書行の仕訳は拒否される。 ErrorInvoiceContainsLinesNotYetBoundedShort=請求書の一部の行は、勘定科目に結合されていない。 ExportNotSupported=設定されたエクスポート形式は、このページではサポートされていない @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=残高(%s)が0に等しくない AccountancyErrorLetteringBookkeeping=トランザクションに関してエラーが発生しました:%s ErrorAccountNumberAlreadyExists=会計番号%sはすでに存在する ErrorArchiveAddFile=「%s」ファイルをアーカイブに入れることができない +ErrorNoFiscalPeriodActiveFound=有効な会計期間が見つからない +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=簿記文書の日付が有効な会計期間内にない +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=簿記書類の日付は終了した会計期間内にある ## Import ImportAccountingEntries=会計仕訳 diff --git a/htdocs/langs/ja_JP/admin.lang b/htdocs/langs/ja_JP/admin.lang index d7a69dd0b3b..38329837b47 100644 --- a/htdocs/langs/ja_JP/admin.lang +++ b/htdocs/langs/ja_JP/admin.lang @@ -227,6 +227,8 @@ NotCompatible=このモジュールは、Dolibarr %s ( 最小%s-最大%s ) と CompatibleAfterUpdate=このモジュールでは、Dolibarr %s ( 最小%s-最大%s ) を更新する必要がある。 SeeInMarkerPlace=マーケットプレイスで見る SeeSetupOfModule=モジュール%sの設定を参照すること +SeeSetupPage=設定ページ参照 %s にて +SeeReportPage=レポート ページ参照 %s にて SetOptionTo=オプション %s を %s に設定 Updated=更新した AchatTelechargement=購入/ダウンロード @@ -292,22 +294,22 @@ EmailSenderProfiles=メール送信者プロファイル EMailsSenderProfileDesc=このセクションは空のままにしておくことができる。ここにいくつかの電子メールを入力すると、新規電子メールを作成するときに、それらの電子メールがコンボボックスの可能な送信者のリストに追加される。 MAIN_MAIL_SMTP_PORT=SMTP / SMTPSポート ( php.iniのデフォルト値: %s ) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPSホスト ( php.iniのデフォルト値: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP / SMTPSポート ( UnixライクなシステムではPHPに定義されていない ) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPSホスト ( UnixライクなシステムではPHPに定義されていない ) -MAIN_MAIL_EMAIL_FROM=自動メールの送信者メール ( php.iniのデフォルト値: %s ) -EMailHelpMsgSPFDKIM=Dolibarr の電子メールがスパムとして分類されるのを防ぐには、サーバーが SPF および DKIM 構成によってこのアドレスからの電子メールの送信を許可されていることを確認すること。 +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS ポート +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS ホスト +MAIN_MAIL_EMAIL_FROM=自動メールの送信者メールアドレス +EMailHelpMsgSPFDKIM=Dolibarr メールがスパムとして分類されないようにするには、サーバ がこの ID で電子メールを送信する権限を持っていることを確認すること (ドメイン名の SPF および DKIM 構成を確認すること)。 MAIN_MAIL_ERRORS_TO=エラーに使用されたEメールはEメールを返する ( 送信されたEメールのフィールド「Errors-To」 ) MAIN_MAIL_AUTOCOPY_TO= 送信された全メールをコピー ( Bcc ) MAIN_DISABLE_ALL_MAILS=全電子メール送信を無効にする ( テスト目的またはデモ用 ) MAIN_MAIL_FORCE_SENDTO=全電子メールを ( 実際の受信者ではなく、テスト目的で ) に送信する MAIN_MAIL_ENABLED_USER_DEST_SELECT=新規電子メールを作成するときに、事前定義された受信者のリストに従業員の電子メール ( 定義されている場合 ) を提案する -MAIN_MAIL_NO_WITH_TO_SELECTED=デフォルトの受信者を 1 つだけ選択しても選択しないでください +MAIN_MAIL_NO_WITH_TO_SELECTED=選択肢が 1 つしかない場合でも、デフォルトの受信者を選択しないこと MAIN_MAIL_SENDMODE=メール送信方法 MAIN_MAIL_SMTPS_ID=SMTP ID ( 送信サーバーが認証を必要とする場合 ) MAIN_MAIL_SMTPS_PW=SMTPパスワード ( 送信サーバーが認証を必要とする場合 ) MAIN_MAIL_EMAIL_TLS=TLS ( SSL ) 暗号化を使用する MAIN_MAIL_EMAIL_STARTTLS=TLS ( STARTTLS ) 暗号化を使用する -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=lescertificatsauto-signésを承認する +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=自己署名証明書を承認する MAIN_MAIL_EMAIL_DKIM_ENABLED=DKIMを使用して電子メールの署名を生成する MAIN_MAIL_EMAIL_DKIM_DOMAIN=dkimで使用するためのメールドメイン MAIN_MAIL_EMAIL_DKIM_SELECTOR=dkimセレクターの名前 @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=dkim署名用の秘密鍵 MAIN_DISABLE_ALL_SMS=全SMS送信を無効にする ( テスト目的またはデモ用 ) MAIN_SMS_SENDMODE=SMSを送信するために使用する方法 MAIN_MAIL_SMS_FROM=SMS送信のデフォルトの送信者電話番号 -MAIN_MAIL_DEFAULT_FROMTYPE=手動送信のデフォルトの送信者メール ( ユーザメールまたは法人メール ) +MAIN_MAIL_DEFAULT_FROMTYPE=電子メールを送信するフォームで事前に選択されているデフォルトの送信者電子メール UserEmail=ユーザのメール CompanyEmail=法人のメール FeatureNotAvailableOnLinux=システムと同様にUnix上では使用できないが備わっている。ローカルでsendmailプログラムをテストする。 @@ -417,6 +419,7 @@ PDFLocaltax=%sのルール HideLocalTaxOnPDF=消費税 / VATの列で%sレートを非表示 HideDescOnPDF=製品説明を非表示にする HideRefOnPDF=製品のコードを非表示にする +ShowProductBarcodeOnPDF=製品 の バーコード 番号を表示する HideDetailsOnPDF=製品ラインの詳細を非表示 PlaceCustomerAddressToIsoLocation=顧客の住所の位置には、フランスの標準位置 ( La Poste ) を使用する Library=ライブラリ @@ -424,7 +427,7 @@ UrlGenerationParameters=URLを確保するためのパラメータ SecurityTokenIsUnique=各URLごとに一意securekeyパラメータを使用して、 EnterRefToBuildUrl=オブジェクト%sの参照を入力する。 GetSecuredUrl=計算されたURLを取得する -ButtonHideUnauthorized=内部ユーザに対しても不正なアクションボタンを非表示にする(それ以外の場合は灰色で表示される) +ButtonHideUnauthorized=内部ユーザーに対しても未承認のアクション ボタンを非表示にする (それ以外の場合はグレー表示されるだけだ) OldVATRates=古いVAT率 NewVATRates=新規VAT率 PriceBaseTypeToChange=で定義された基本参照値を使用して価格を変更する @@ -458,11 +461,11 @@ ComputedFormula=計算フィールド ComputedFormulaDesc=ここで、オブジェクトの他のプロパティまたは任意の PHP コーディングを使用して式を入力し、動的に計算された値を取得できる。 「?」を含む任意の PHP 互換式を使用できる。条件演算子、および次のグローバル オブジェクト: $db、$conf、$langs、$mysoc、$user、$objectoffield
      警告 : ロードされていないオブジェクトのプロパティが必要な場合は、2 番目の例のように、オブジェクトを式にフェッチすること。
      計算フィールドを使用すると、インターフェイスから値を入力できなくなる。また、構文エラーがある場合、式は何も返さない場合がある。

      式の例:
      $objectoffield->id < 10 ? round($objectoffield-> id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2->capital / 5: '-1')

      オブジェクトをリロードする例:
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      オブジェクトとその親オブジェクトを強制ロードする式の他の例:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: '親プロジェクトが見当たらない' Computedpersistent=計算フィールドを保存する ComputedpersistentDesc=計算された追加フィールドはデータベースに保存されるが、値はこのフィールドのオブジェクトが変更された場合にのみ再計算される。計算フィールドが他のオブジェクトまたはグローバルデータに依存している場合、この値は間違っている可能性がある!! -ExtrafieldParamHelpPassword=このフィールドを空白のままにすると、この値は暗号化なしで保存される ( フィールドは画面上の星印でのみ非表示にする必要がある ) 。
      デフォルトの暗号化ルールを使用してパスワードをデータベースに保存するように「auto」を設定する ( この場合、読み取られる値はハッシュのみになり、元の値を取得する方法はない ) +ExtrafieldParamHelpPassword=このフィールドを空白のままにすると、この値は暗号化されずに保存される(フィールドは画面上で星だけで非表示に)。

      値 「dolcrypt」 を入力して、可逆暗号化アルゴリズムで値をエンコードする。平文データも引き続き確認および編集できるが、データベースでは暗号化される。

      「auto」(または「md5」、 「sha256」、「password_hash」、...) で、デフォルトのパスワード暗号化アルゴリズム (または md5、sha256、password_hash...) を使用して、元に戻せないハッシュ化されたパスワードをデータベースに保存する (元の値を取得する方法はない)。 ExtrafieldParamHelpselect=値のリストは、 key,value形式 (key は '0' 以外) の行であること。

      例:
      1,value1
      2,value2
      code3,value3
      ...

      別の補完属性リストに応じたリストを作るには:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      別のリストに応じたリストを作るには:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=値のリストは、 key,value形式 (key は '0' 以外) の行であること

      例 :
      1,value1
      2,value2
      3,value3
      ... ExtrafieldParamHelpradio=値のリストは、 key,value形式 (key は '0' 以外) の行であること

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=値のリストはテーブルから取得される
      構文: table_name:label_field:id_field::filtersql
      例: c_typent:libelle:id::filtersql

      - id_field は整数のプライマリキーが必須
      - filtersql は SQL 条件文。アクティブな値のみを表示する簡単なテストでもよい (例 active=1)
      フィルタで $ID$ を使用することもでき、それは現在のオブジェクトの現在のID
      フィルタで SELECT を使うには、キーワード $SEL$ を使うことで、インジェクション対抗防御を回避できる。
      エクストラフィールドでフィルタするには、構文 extra.fieldcode=... (ここで、フィールドコードはエクストラフィールドのコード)を使用する

      別の補完属性リストに依存するリストを作成するには:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      別のリストに依存したリストを作成するには:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=値のリストはテーブルから取得される
      構文: table_name:label_field: id_field::filtersql
      例: c_typent:libelle:id:: filtersql

      - id_field は必ず主 int キーである必要がある
      - filtersqlは SQL 条件 。アクティブな値のみを表示する簡単なテスト (例: active=1) も可能
      現在のオブジェクトの現在の ID である $ID$ をフィルタで使用することもできる
      フィルタに SELECT を使用するには、キーワード $SEL$ を使用してインジェクション防止保護をバイパスする。
      エクストラフィールドでフィルタする場合構文 extra.fieldcode=... を使用する (フィールド コード は extrafield の コード )

      別の補完的な属性リストに依存するリストを作成するには:
      c_typent:libelle:id:options_ parent_list_code|parent_column:filter

      リストを別のリストに依存させるため:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=値のリストはテーブルから取得される
      Syntax: table_name:label_field:id_field::filtersql
      例: c_typent:libelle:id::filtersql

      フィルターは、簡単なテスト (例 active=1) で、アクティブな値のみを表示する
      フィルタで $ID$ を使用することもでき、それは現在のオブジェクトの現在のID
      フィルタで SELECT を実行するには、 $SEL$ を使う
      エクストラフィールドでフィルタするには、構文 extra.fieldcode=... (ここで、フィールドコードはエクストラフィールドのコード)を使用する

      別の補完属性リストに依存するリストを作成するには:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      別のリストに依存したリストを作成するには:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=パラメータはObjectName:Classpathでなければならない
      構文:ObjectName:Classpath ExtrafieldParamHelpSeparator=単純なセパレーターの場合は空のままにする
      折りたたみセパレーターの場合はこれを1に設定する ( 新規セッションの場合はデフォルトで開き、ユーザセッションごとに状態が保持される )
      折りたたみセパレーターの場合はこれを2に設定する ( 新規セッションの場合はデフォルトで折りたたむ。状態は各ユーザセッションの間保持される ) @@ -473,7 +476,7 @@ LinkToTestClickToDial=ユーザ%sのClickToDialURLをテスト RefreshPhoneLink=リンクを更新 LinkToTest=ユーザ用に生成されたクリック可能なリンク%s ( テストするには電話番号をクリックすること ) KeepEmptyToUseDefault=デフォルト値を使用するには、空のままにする -KeepThisEmptyInMostCases=ほとんどの場合、このフィールドを空に保つことができる。 +KeepThisEmptyInMostCases=ほとんどの場合、このフィールドは空のままにしておくことができる。 DefaultLink=デフォルトのリンク SetAsDefault=デフォルトとして設定 ValueOverwrittenByUserSetup=警告、この値はユーザ固有の設定によって上書きされる可能性がある ( 各ユーザは独自のクリックダイヤルURLを設定できる ) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=これはHTMLフィールドの名前。 HTMLペー PageUrlForDefaultValues=ページ URL の相対パスを入力する必要がある。 URL にパラメータを含める場合は、閲覧する URL のすべてのパラメータがここで定義した値を持つ場合に有効になる。 PageUrlForDefaultValuesCreate=
      例:
      新規取引先を作成するフォームの場合、 %s
      カスタムディレクトリにインストールされた外部モジュールのURLには、「custom /」を含めないため、custom/mymodule/mypage.phpではなく、 mymodule/mypage.phpのようなパスを使用する。
      URLに何らかのパラメータがある場合にのみデフォルト値が必要な場合は、 %sを使用できる。 PageUrlForDefaultValuesList=
      例:
      取引先を一覧表示するページの場合、 %s
      カスタムディレクトリにインストールされた外部モジュールのURLには、「custom /」を含めないため、custom/mymodule/mypagelist.phpではなくmymodule/mypagelist.phpのようなパスを使用する。
      URLに何らかのパラメータがある場合にのみデフォルト値が必要な場合は、 %sを使用できる。 -AlsoDefaultValuesAreEffectiveForActionCreate=また、フォーム作成のデフォルト値の上書きは、正しく設計されたページに対してのみ機能することに注意すること ( したがって、パラメーターaction = createまたはpresend ...を使用 ) 。 +AlsoDefaultValuesAreEffectiveForActionCreate=また、フォーム作成のデフォルト値の上書きは、正しく設計されたページに対してのみ機能することに注意すること (したがって、パラメーター action=create または presend... を使用する)。 EnableDefaultValues=デフォルト値のカスタマイズを有効化 EnableOverwriteTranslation=翻訳のカスタマイズを許可する GoIntoTranslationMenuToChangeThis=このコードのキーの翻訳が見つかりました。この値を変更するには、Home-Setup-translationから編集する必要がある。 @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=汎用非公開ディレクトリは、アプリケ DAV_ALLOW_PUBLIC_DIR=汎用公開ディレクトリを有効化 ( 「public」という名前のWebDAV専用ディレクトリ-ログインは不要 ) DAV_ALLOW_PUBLIC_DIRTooltip=汎用公開ディレクトリは、誰でも ( 読取りおよび書き込みモードで ) アクセスできるWebDAVディレクトリであり、認証は必要ない ( ログイン/パスワードアカウント ) 。 DAV_ALLOW_ECM_DIR=DMS / ECM非公開ディレクトリを有効化 ( DMS / ECMモジュールのルートディレクトリ-ログインが必要 ) -DAV_ALLOW_ECM_DIRTooltip=DMS / ECMモジュールの使用時に全ファイルが手動でアップロードされるルートディレクトリ。同様に、Webインターフェイスからのアクセスと同様に、アクセスするには、適切な権限を持つ有効なログイン/パスワードが必要。 +DAV_ALLOW_ECM_DIRTooltip=DMS/ECM モジュールの使用時にすべてのファイルが手動でアップロードされるルート ディレクトリ。 Web インターフェイスからのアクセスと同様に、アクセスするには適切な権限を持つ有効なログイン/パスワードが必要 。 ##### Modules ##### Module0Name=ユーザとグループ Module0Desc=ユーザ/従業員およびグループの管理 @@ -566,7 +569,7 @@ Module40Desc=仕入先と購入管理 ( 購買発注とサプライヤーの請 Module42Name=デバッグログ Module42Desc=ロギング機能 ( ファイル、syslog、... ) 。このようなログは、技術/デバッグを目的としている。 Module43Name=デバッグバー -Module43Desc=開発者がブラウザにデバッグバーを追加するためのツール。 +Module43Desc=ブラウザにデバッグバーを追加する開発者向けツール。 Module49Name=エディタ Module49Desc=エディタの管理 Module50Name=製品 @@ -582,7 +585,7 @@ Module54Desc=契約の管理 ( サービスまたは定期購読 ) Module55Name=バーコード Module55Desc=バーコードまたはQRコードの管理 Module56Name=債権譲渡によるお支払 -Module56Desc=債権譲渡注文によるサプライヤーの支払の管理。これには、ヨーロッパ諸国向けのSEPAファイルの生成が含まれる。 +Module56Desc=口座振替注文によるサプライヤーまたは給与の支払いの管理。これには、ヨーロッパ諸国向けの SEPA ファイル の生成が含まれる。 Module57Name=口座振替による支払 Module57Desc=口座振替注文の管理。これには、ヨーロッパ諸国向けのSEPAファイルの生成が含まれる。 Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=ビジネスイベントによってトリガーされる電子メ Module600Long=このモジュールは、特定のビジネスイベントが発生したときにリアルタイムで電子メールを送信することに注意すること。アジェンダイベントの電子メールリマインダーを送信する機能を探している場合は、モジュールアジェンダの設定に移動する。 Module610Name=製品バリエーション Module610Desc=製品バリエーションの作成 ( 色、サイズなど ) +Module650Name=部品表 (BOM) +Module650Desc=部品表 (BOM) を定義するモジュール。製造オーダー (MO) モジュールによる製造リソース計画に使用できる。 +Module660Name=製造資源計画 (MRP) +Module660Desc=製造オーダー(MO)を管理するモジュール Module700Name=寄付 Module700Desc=寄付金の管理 Module770Name=経費報告書s @@ -650,8 +657,8 @@ Module2300Name=スケジュールされたジョブ Module2300Desc=スケジュールされたジョブ管理 ( 別名cronまたはクロノテーブル ) Module2400Name=イベント/議題 Module2400Desc=トラック競技。追跡目的で自動イベントをログに記録するか、手動のイベントまたは会議を記録する。これは、優れた顧客または仕入先関係管理の主要なモジュール。 -Module2430Name=オンライン予約カレンダー -Module2430Desc=事前に定義された範囲または空き状況に応じて、誰でもランデブーを予約できるオンライン カレンダーを提供する。 +Module2430Name=オンライン予約スケジュール設定 +Module2430Desc=オンライン診療予約システムを提供する。これにより、事前に定義された範囲または空き状況に従って、誰でもランデブーを予約できるようになる。 Module2500Name=DMS / ECM Module2500Desc=ドキュメント管理システム/電子コンテンツ管理。生成または保存されたドキュメントの自動編成。必要なときに共有すること。 Module2600Name=API・Webサービス(SOAPサーバー) @@ -672,7 +679,7 @@ Module3300Desc=開発者または上級ユーザーが独自のモジュール/ Module3400Name=ソーシャルネットワーク Module3400Desc=ソーシャルネットワークフィールドを取引先とアドレス(skype、twitter、facebookなど)に対して有効化する。 Module4000Name=HRM -Module4000Desc=人事管理 ( 部門の管理、従業員の契約と感情 ) +Module4000Desc=人事管理 (部門管理、従業員 契約、スキル管理、面接) Module5000Name=マルチ法人 Module5000Desc=複数の企業を管理できる Module6000Name=モジュール間ワークフロー @@ -712,6 +719,8 @@ Module63000Desc=イベントに割り当てるためのリソース ( プリン Module66000Name=OAuth2トークン管理 Module66000Desc=OAuth2 トークンを生成および管理するためのツールを提供する。その後、トークンは他のモジュールで使用できる。 Module94160Name=領収 +ModuleBookCalName=予約カレンダーシステム +ModuleBookCalDesc=カレンダーを管理して予定を予約する ##### Permissions ##### Permission11=顧客の請求書 (および支払い) を読込む Permission12=顧客の請求書を作成/変更 @@ -996,7 +1005,7 @@ Permission4031=個人情報を読込む Permission4032=個人情報書出 Permission4033=すべての評価を読む (部下ではないユーザの評価も含む) Permission10001=ウェブサイトのコンテンツを読込む -Permission10002=ウェブサイトのコンテンツ ( htmlおよびjavascriptコンテンツ ) を作成/変更する +Permission10002=ウェブサイト コンテンツ (HTML および JavaScript コンテンツ) の作成/変更 Permission10003=Webサイトのコンテンツ ( 動的PHPコード ) を作成/変更する。危険。制限された開発者に予約する必要がある。 Permission10005=ウェブサイトのコンテンツを削除する Permission20001=休暇申請書 ( あなたの休暇と部下の休暇 ) を読込む @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=経費報告書-輸送カテゴリ別の範囲 DictionaryTransportMode=域内報告書-トランスポートモード DictionaryBatchStatus=製品ロット/シリアル品質管理状態 DictionaryAssetDisposalType=資産の処分の種類 +DictionaryInvoiceSubtype=請求書のサブタイプ TypeOfUnit=ユニットの種類 SetupSaved=設定が保存された SetupNotSaved=設定が保存されていない @@ -1109,10 +1119,11 @@ BackToModuleList=モジュールリストに戻る BackToDictionaryList=辞書リストに戻る TypeOfRevenueStamp=税印紙の種類 VATManagement=消費税管理 -VATIsUsedDesc=見込み客、請求書、注文などを作成するときのデフォルトでは、消費税率はアクティブな標準ルールに従う。
      売り手が消費税の対象ではない場合、消費税はデフォルトで0になる。ルール終了。
      ( 販売者の国=購入者の国 ) の場合、デフォルトでは、消費税は販売者の国での製品の消費税と等しくなる。ルール終了。
      販売者と購入者の両方が欧州共同体にあり、商品が輸送関連製品 ( 運送、配送、航空法人 ) の場合、デフォルトのVATは0。このルールは販売者の国によって異なる。会計士に相談すること。 VATは、売り手ではなく、買い手が自国の税関に支払う必要がある。ルール終了。
      売り手と買い手が両方とも欧州共同体にいて、買い手が法人ではない場合 ( コミュニティ内のVAT番号が登録されている場合 ) 、VATはデフォルトで売り手の国のVAT率になる。ルール終了。
      売り手と買い手の両方が欧州共同体にあり、買い手が法人 ( コミュニティ内のVAT番号が登録されている ) である場合、VATはデフォルトで0。ルール終了。
      その他の場合、提案されたデフォルトは消費税= 0。ルール終了。 +VATIsUsedDesc=デフォルトでは、見込み客、請求書、注文などを作成するとき、売上税率は有効な標準ルールに従いる:
      販売者が消費税の対象ではない場合、消費税はデフォルトで 0 になります。ルールは終了 。
      (販売者の国 = 購入者の国) の場合、デフォルトの消費税は消費税と同じになります。販売者の国の製品の。ルールの終了。
      売り手と買い手が両方とも欧州共同体に属しており、商品が輸送関連である場合製品(運送、配送、航空会社など)、デフォルトの VAT は 0 。このルールは販売者の国によって異なります。会計士にご相談ください。 VAT は売り手ではなく、買い手が自分の国の税関に支払う必要がある。ルールの終了。
      売り手と買い手が両方とも欧州共同体に属し、買い手が法人ではない場合(登録されたコミュニティ内 VAT 番号) の場合、VAT はデフォルトで販売者の国の VAT 税率に設定される。ルールの終わり。
      売り手と買い手の両方が欧州共同体に属し、買い手が 法人 である場合(登録済みコミュニティ内 VAT 番号) の場合、VAT はデフォルトで 0 になります。ルールの終了。
      その他の場合、提案されるデフォルトは消費税=0 。ルールの終わり。 VATIsNotUsedDesc=デフォルトでは、提案された消費税は0であり、協会、個人、または中小企業などの場合に使用できる。 VATIsUsedExampleFR=フランスでは、実際の財政システム ( 簡略化された実際または通常の実際 ) を持っている企業または組織を意味する。 VATが申告されるシステム。 VATIsNotUsedExampleFR=フランスでは、消費税が申告されていない団体、または零細企業の財政システム ( フランチャイズの消費税 ) を選択し、消費税の申告なしでフランチャイズの消費税を支払った企業、組織、または自由業を意味する。この選択により、請求書に「該当しない消費税-CGIのart-293B」という参照が表示される。 +VATType=VAT の種類 ##### Local Taxes ##### TypeOfSaleTaxes=消費税の種類 LTRate=率 @@ -1399,8 +1410,8 @@ PHPModuleLoaded=PHPコンポーネント%sがロードされる PreloadOPCode=プリロードされたOPCodeが使用される AddRefInList=コンボリストに、顧客/仕入先参照を表示する。
      取引先は、「CC12345 - SC45678 - The Big Company corp」という名前形式で表示される。 「The Big Company corp」でなく。 AddVatInList=顧客/仕入先のVAT番号をコンボリストに表示する。 -AddAdressInList=顧客/仕入先の住所をコンボリストに表示する。
      取引先は、「The Big Company corp」ではなく、「The Big Company corp. - 21 jump street 123456 Big town - -USA」の名前形式で表示される。 -AddEmailPhoneTownInContactList=連絡先の電子メール(または未定義の場合は電話)と町の情報リスト(選択リストまたはコンボボックス)を表示
      連絡先は以下の名称と形式で表記される:"Dupond Durand" の形式でなく、 "Dupond Durand - dupond.durand@email.com - Paris" または "Dupond Durand - 06 07 59 65 66 - Paris" 。 +AddAdressInList=顧客/仕入先 のアドレスをコンボ リストに表示する。
      取引先表示は名前形式 「The Big 法人 corp. - 21 Jump street 123456 Big town - USA」に、「The Big 法人 corp.」から変わる。 +AddEmailPhoneTownInContactList=連絡先のメールアドレス(定義されていない場合は電話番号)と町の情報リストを表示する(リストまたはコンボボックスを選択)
      連絡先は「Dupond Durand - dupond.durand@example.com - Paris」という名前形式で表示される。または「Dupond Durand」ではなく「Dupond Durand - 06 07 59 65 66 - Paris」で。 AskForPreferredShippingMethod=取引先の優先配送方法を尋ねる。 FieldEdition=フィールド%sのエディション FillThisOnlyIfRequired=例:+2 ( タイムゾーンオフセットの問題が発生した場合にのみ入力 ) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=ログインページに「パスワード UsersSetup=ユーザモジュールの設定 UserMailRequired=新規ユーザを作成するにはメールが必要 UserHideInactive=非アクティブなユーザをユーザの全コンボリストから非表示にする ( 非推奨:これは、一部のページで古いユーザをフィルタリングまたは検索できないことを意味する場合がある ) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=ユーザレコードから生成されたドキュメントのドキュメントテンプレート GroupsDocModules=グループレコードから生成されたドキュメントのドキュメントテンプレート ##### HRM setup ##### @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=例: gidnumber LDAPFieldUserid=ユーザID LDAPFieldUseridExample=例 : uidnumber LDAPFieldHomedirectory=ホームディレクトリ -LDAPFieldHomedirectoryExample=例:ホームディレクトリ +LDAPFieldHomedirectoryExample=例: ホームディレクトリ LDAPFieldHomedirectoryprefix=ホームディレクトリプレフィックス LDAPSetupNotComplete= ( 他のタブに行く ) LDAP設定完了していない LDAPNoUserOrPasswordProvidedAccessIsReadOnly=いいえ、管理者またはパスワードが提供されない。 LDAPのアクセスは匿名で、読取り専用モードになる。 @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=適用キャッシュのモジュールmemca MemcachedAvailableAndSetup=memcachedサーバー専用のモジュールmemcachedが有効になっている。 OPCodeCache=OPCodeキャッシュ NoOPCodeCacheFound=OPCodeキャッシュが見つからない。 XCacheまたはeAccelerator以外のOPCodeキャッシュを使用している ( 良い ) か、OPCodeキャッシュを持っていない ( 非常に悪い ) 可能性がある。 -HTTPCacheStaticResources=静的リソース ( css、img、javascript ) のHTTPキャッシュ +HTTPCacheStaticResources=静的リソースの HTTP キャッシュ (css、img、JavaScript) FilesOfTypeCached=種別%sのファイルはHTTPサーバーによってキャッシュされる FilesOfTypeNotCached=種別%sのファイルはHTTPサーバーによってキャッシュされない FilesOfTypeCompressed=種別%sのファイルはHTTPサーバーによって圧縮される @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=配達のレシートにフリーテキスト ##### FCKeditor ##### AdvancedEditor=高度なエディタ ActivateFCKeditor=高度なエディタを活性化: -FCKeditorForNotePublic=要素の「パブリックノート」フィールドのWYSIWIG作成/編集 -FCKeditorForNotePrivate=要素の「プライベートノート」フィールドのWYSIWIG作成/編集 -FCKeditorForCompany=要素のフィールド記述のWYSIWIG作成/エディション(製品/サービスを除く) -FCKeditorForProductDetails=製品の説明またはオブジェクトの行 (提案、注文、請求書などの行) の WYSIWIG 作成/編集。 +FCKeditorForNotePublic=要素の「公開メモ」フィールドのWYSIWYG作成/編集 +FCKeditorForNotePrivate=要素の「非公開メモ」フィールドのWYSIWYG作成/編集 +FCKeditorForCompany=要素(製品/サービスを除く)のフィールド記述のWYSIWYG作成/編集 +FCKeditorForProductDetails=製品説明またはオブジェクトの行 (提案書、注文書、請求書など) の WYSIWYG 作成/編集。 FCKeditorForProductDetails2=警告: この場合にこのオプションを使用することは、PDF ファイルを作成する際に特殊文字やページの書式設定で問題が発生する可能性があるため、強くお勧めしません。 -FCKeditorForMailing= 郵送のWYSIWIGエディタの作成/版 -FCKeditorForUserSignature=WYSIWIGによるユーザ署名の作成/編集 -FCKeditorForMail=全メールのWYSIWIG作成/エディション ( 【ツール】-> 【電子メール】を除く ) -FCKeditorForTicket=チケットのWYSIWIG作成/エディション +FCKeditorForMailing= 大量の電子メールの WYSIWYG 作成/編集 (ツール->メール) +FCKeditorForUserSignature=ユーザー署名のWYSIWYG作成/編集 +FCKeditorForMail=すべてのメールの WYSIWYG 作成/編集 (ツール->メール を除く) +FCKeditorForTicket=チケットのWYSIWYG作成/編集 ##### Stock ##### StockSetup=在庫モジュール設定 IfYouUsePointOfSaleCheckModule=デフォルトで提供されている販売時点モジュール(POS)または外部モジュールを使用する場合、この設定はPOSモジュールによって無視される可能性がある。ほとんどのPOSモジュールは、デフォルトで、ここでのオプションに関係なく、請求書をすぐに作成し、在庫を減らすように設計されている。したがって、POSから販売を登録するときに在庫を減らす必要があるかどうかにかかわらず、POSモジュールの設定も確認すること。 @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=トップメニューエントリにリンクされ NewMenu=新メニュー MenuHandler=メニューハンドラ MenuModule=ソース·モジュール -HideUnauthorizedMenu=内部ユーザに対しても許可されていないメニューを非表示にする(それ以外の場合は灰色で表示される) +HideUnauthorizedMenu=内部ユーザーに対しても未承認のメニューを非表示にする (それ以外の場合はグレー表示されるだけだ) DetailId=idのメニュー DetailMenuHandler=新規メニューを表示するメニューハンドラ DetailMenuModule=モジュール名のメニューエントリは、モジュールから来る場合 @@ -1802,7 +1815,7 @@ DetailType=メニューの種類 ( 上または左 ) DetailTitre=翻訳のためのメニューラベルまたはラベルのコード DetailUrl=メニューの送信先 URL (相対 URL リンクまたは https:// を含む外部リンク) DetailEnabled=エントリを表示したりしないように条件 -DetailRight=不正な灰色のメニューを表示するための条件 +DetailRight=不正なグレーメニューが表示される条件 DetailLangs=ラベルのコード変換のためにラングのファイル名 DetailUser=インターン/エキスターン/すべて Target=ターゲット @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=現金支払を受け取るために使用するデ CashDeskBankAccountForCheque=小切手による支払の受け取りに使用するデフォルトの勘定科目 CashDeskBankAccountForCB=クレジットカードでの現金支払を受け取るために使用するデフォルトの勘定科目 CashDeskBankAccountForSumup=SumUpによる支払の受け取りに使用するデフォルトの銀行口座 -CashDeskDoNotDecreaseStock=POSから販売が行われる場合、在庫減少を無効にする ( 「いいえ」の場合、在庫モジュールで設定されたオプションに関係なく、POSから行われた販売ごとに在庫減少が行われる ) 。 +CashDeskDoNotDecreaseStock=POS からの販売時の 在庫 減少を無効にする +CashDeskDoNotDecreaseStockHelp=「いいえ」の場合、モジュール 在庫 で設定されたオプションに関係なく、POS から行われる販売ごとに 在庫 の減少が行われる。 CashDeskIdWareHouse=在庫減少に使用する倉庫を強制および制限する StockDecreaseForPointOfSaleDisabled=POSからの在庫減少が無効になった StockDecreaseForPointOfSaleDisabledbyBatch=POSの在庫減少は、モジュールシリアル/ロット管理 ( 現在アクティブ ) と互換性がないため、在庫減少は無効になっている。 @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=マウスの動きが通過したときにテーブ HighlightLinesColor=マウスが通過したときの線のハイライト色 ( ハイライトなしの場合は「ffffff」を使用 ) HighlightLinesChecked=チェックされたときの線のハイライト色 ( ハイライトなしの場合は「ffffff」を使用 ) UseBorderOnTable=テーブルに左右の境界線を表示する +TableLineHeight=表行高 BtnActionColor=アクションボタンの色 TextBtnActionColor=アクションボタンのテキストの色 TextTitleColor=ページタイトルのテキストの色 @@ -1991,7 +2006,7 @@ EnterAnyCode=このフィールドには、ラインを識別するための参 Enter0or1=0または1を入力すること UnicodeCurrency=中括弧、通貨記号を表すバイト番号のリストの間にここに入力する。例:$の場合は【36】と入力する-ブラジルレアルの場合はR $ 【82,36】-€の場合は【8364】と入力する ColorFormat=RGBカラーはHEX形式 例: FF0000 -PictoHelp=アイコン名の形式:
      -現在のテーマディレクトリへの画像ファイルの場合はimage.png
      -ファイルがモジュールのディレクトリ/img/にある場合はimage.png@module
      -FontAwesomefa-xxx pictoの場合はfa-xxx
      -FontAwesome fa-xxx picto (プレフィックス、色、サイズ設定) の場合はfonwtawesome_xxx_fa_color_size +PictoHelp=アイコン名の形式:
      - 現在のテーマ ディレクトリにある画像ファイルの場合は image.png
      - image.png@moduleファイルがモジュールのディレクトリ /img/ にある場合
      - FontAwesome fa-xxx picto の fa-xxx
      - FontAwesome fa-xxx ピクトの fontawesome_xxx_fa_color_size (プレフィックス、色、サイズが設定されたもの) PositionIntoComboList=コンボリストへの行の位置 SellTaxRate=消費税率 RecuperableOnly=フランスの一部の州専用のVAT「認識されていないが回復可能」についてははい。それ以外の場合は、値を「いいえ」のままにすること。 @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=見積依頼の MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=発注書の単価列を非表示にする MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=購入注文の合計価格列を非表示にする MAIN_PDF_NO_SENDER_FRAME=送信者アドレスフレームの境界線を非表示にする -MAIN_PDF_NO_RECIPENT_FRAME=レシピエントアドレスフレームの境界線を非表示にする +MAIN_PDF_NO_RECIPENT_FRAME=受信者のアドレス枠の枠線を非表示にする MAIN_PDF_HIDE_CUSTOMER_CODE=顧客コードを非表示にする MAIN_PDF_HIDE_SENDER_NAME=アドレスブロックで送信者/法人名を非表示にする PROPOSAL_PDF_HIDE_PAYMENTTERM=支払条件を非表示にする @@ -2118,7 +2133,7 @@ EMailHost=電子メールIMAPサーバーのホスト EMailHostPort=メール IMAP サーバーのポート loginPassword=ログイン / パスワード oauthToken=OAuth2トークン -accessType=アクセス種別 +accessType=アクセスタイプ oauthService=Oauth サービス TokenMustHaveBeenCreated=モジュール OAuth2 が有効になっている必要があり、oauth2 トークンが正しいアクセス許可で作成されている必要がある (たとえば、Gmail の OAuth でスコープ "gmail_full")。 ImapEncryption = IMAP暗号化方式 @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=収集された電子メールの保存された EmailCollectorHideMailHeadersHelp=有効化と、アジェンダイベントとして保存される電子メールコンテンツの最後に電子メールヘッダーは追加されない。 EmailCollectorConfirmCollectTitle=メール収集確定 EmailCollectorConfirmCollect=このコレクタを今すぐ実行するか? -EmailCollectorExampleToCollectTicketRequestsDesc=いくつかのルールに一致する電子メールを収集し、電子メール情報を含むチケットを自動的に作成する(モジュールチケットを活性化する必要がある)。電子メールでサポートを提供する場合は、このコレクタを使用できるため、チケット要求が自動的に生成される。 Collect_Responsesも活性化して、チケットビューで直接クライアントの回答を収集する(Dolibarrから返信する必要がある)。 +EmailCollectorExampleToCollectTicketRequestsDesc=いくつかのルールに一致するメールを収集し、メール情報を含むチケットを作成 自動的に する (モジュール チケットが有効になっている必要がある)。電子メールでサポートを提供すると、このコレクターを使用できるため、チケット リクエストが 自動的に 生成される。 Collect_Responses もアクティブにして、チケット ビューでクライアントの回答を直接収集する (Dolibarr から返信する必要がある)。 EmailCollectorExampleToCollectTicketRequests=チケット要求の収集例(最初のメッセージのみ) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=メールボックスの「送信済み」ディレクトリをスキャンして、Dolibarrからではなく、電子メールソフトウェアから直接別の電子メールの応答として送信された電子メールを見つけます。そのような電子メールが見つかった場合、回答のイベントはDolibarrに記録される EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=外部の電子メールソフトウェアから送信された電子メールの回答を収集する例 EmailCollectorExampleToCollectDolibarrAnswersDesc=アプリケーションから送信された電子メールの回答であるすべての電子メールを収集する。電子メール応答を含むイベント(モジュールアジェンダを有効化する必要があ)は、適切な場所に記録される。たとえば、アプリケーションから電子メールでチケットの商取引提案、注文、請求書、またはメッセージを送信し、受信者が電子メールに応答すると、システムは自動的に応答をキャッチしてERPに追加する。 EmailCollectorExampleToCollectDolibarrAnswers=Dolibarrから送信されたメッセージへの回答である全受信メッセージを収集する例 -EmailCollectorExampleToCollectLeadsDesc=いくつかのルールに一致する電子メールを収集し、電子メール情報を使用してリードを自動的に作成する(モジュールプロジェクトを有効化する必要がある)。モジュールプロジェクト(1リード= 1プロジェクト)を使用してリードをフォローする場合は、このコレクタを使用できる。これにより、リードが自動的に生成される。コレクタのCollect_Responsesも有効になっている場合、リード、プロポーザル、またはその他のオブジェクトから電子メールを送信すると、アプリケーションに直接顧客またはパートナーの回答が表示される場合がある。
      注:この最初の例では、リードのタイトルが電子メールを含めて生成される。サードパーティがデータベース(新規顧客)で見つからない場合、リードはID1のサードパーティに接続される。 +EmailCollectorExampleToCollectLeadsDesc=いくつかのルールに一致するメールを収集し、メール情報を含む見込み客 自動的に を作成する (モジュール プロジェクト を有効にする必要がある)。モジュール プロジェクト (1 リード = 1 プロジェクト) を使用してリードを追跡したい場合は、このコレクターを使用できる。見込み顧客は 自動的に 生成される。コレクタ Collect_Responses も有効になっている場合、リード、提案、その他のオブジェクトからメールを送信すると、顧客やパートナーの回答がアプリケーション上で直接表示されることもある。
      注: この最初の例では、電子メールを含む潜在顧客のタイトルが生成される。 取引先 がデータベースで見つからない場合 (新規顧客)、リードは ID 1 の 取引先 に関連付けられる。 。 EmailCollectorExampleToCollectLeads=リードの収集例 EmailCollectorExampleToCollectJobCandidaturesDesc=求人に応募するメールを収集する(モジュール採用を有効化する必要がある)。ジョブ要求の候補を自動的に作成する場合は、このコレクタを完成させることができる。注:この最初の例では、候補者のタイトルが電子メールを含めて生成される。 EmailCollectorExampleToCollectJobCandidatures=電子メールで受け取った求職者の収集例 @@ -2188,10 +2203,10 @@ Protanopia=1型2色覚赤色盲 Deuteranopes=2型2色覚緑色盲 Tritanopes=3型2色覚青色盲 ThisValueCanOverwrittenOnUserLevel=この値は、各ユーザがそのユーザページから上書きできる-タブ '%s' -DefaultCustomerType=「新規顧客」作成フォームのデフォルト取引先種別 +DefaultCustomerType=「新規顧客」作成フォームのデフォルト取引先タイプ ABankAccountMustBeDefinedOnPaymentModeSetup=注:この機能を機能させるには、各支払モード ( Paypal、Stripeなど ) のモジュールで銀行口座を定義する必要がある。 RootCategoryForProductsToSell=販売する製品のルートカテゴリ -RootCategoryForProductsToSellDesc=定義されている場合、このカテゴリ内の製品またはこのカテゴリの子のみがPOSで利用可能になる +RootCategoryForProductsToSellDesc=定義されている場合、このカテゴリ内の 製品 またはこのカテゴリの子のみが POS で利用可能になります。 DebugBar=デバッグバー DebugBarDesc=デバッグを簡素化するためのツールがたくさん付属しているツールバー DebugBarSetup=DebugBarの設定 @@ -2212,10 +2227,10 @@ ImportSetup=モジュールインポートの設定 InstanceUniqueID=インスタンスの一意のID SmallerThan=より小さい LargerThan=より大きい -IfTrackingIDFoundEventWillBeLinked=オブジェクトの追跡IDが電子メールで見つかった場合、または電子メールが既に収集されてオブジェクトにリンクされている電子メールの回答である場合、作成されたイベントは既知の関連オブジェクトに自動的にリンクされる。 -WithGMailYouCanCreateADedicatedPassword=Gmailアカウントで、2段階検証を有効にした場合は、https://myaccount.google.com/ での自分のGoogleパスワードを使わないで、アプリケーション専用の2番目のパスワードを作成することを勧める。 -EmailCollectorTargetDir=正常に処理されたときに電子メールを別のタグ/ディレクトリに移動することが望ましい動作である可能性がある。この機能を使用するには、ここでディレクトリの名前を設定するだけ ( 名前に特殊文字を使用しないこと ) 。読取り/書き込みログインアカウントも使用する必要があることに注意すること。 -EmailCollectorLoadThirdPartyHelp=このアクションを使用すると、電子メールのコンテンツを使用してデータベース内の既存の取引先を検索してロードできる (検索は、「id」、「name」、「name_alias」、「email」の中で定義されたプロパティに対して行われる)。見つかった (または作成された) 取引先は、それを必要とする次のアクションに使用される。
      たとえば、本文に存在する文字列「名前: 検索する名前」から抽出した名前で取引先を作成し、送信者の電子メールを電子メールとして使用する場合は、パラメーター フィールドを次のように設定できる:
      'email= HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=オブジェクトのトラッキング ID が電子メールで見つかった場合、または電子メールがすでに収集されてオブジェクトにリンクされている電子メールの回答である場合、作成されるイベントは 自動的に になることに注意すること。既知の関連オブジェクトにリンクされている。 +WithGMailYouCanCreateADedicatedPassword=GMail アカウントで 2 段階認証を有効にしている場合は、https://myaccount.google.com/ からの独自のアカウント パスワードを使用するのではなく、アプリケーション専用の 2 番目のパスワードを作成することをお勧めする。 +EmailCollectorTargetDir=電子メールが正常に処理された場合、電子メールを別の タグ/ディレクトリに移動することが望ましい動作である可能性がある。この機能を使用するには、ここでディレクトリの名前を設定するだけだ (名前に特殊文字を使用しないこと)。読み取り/書き込みログイン アカウントも使用する必要があることに注意すること。 +EmailCollectorLoadThirdPartyHelp=このアクションを使用すると、電子メールのコンテンツを使用してデータベース内の既存の取引先を検索してロードできる (検索は、「id」、「name」、「name_alias」、「email」の中で定義済プロパティに対して)。見つかった (または作成された) 取引先は、それが必要な次のアクションに使用される。
      たとえば、本文にある文字列 'Name: name to find' から抽出された名前で取引先を作成する場合、送信者メールをメールとして使用し、パラメーター フィールドを次のように設定できる:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=警告: 多くの電子メール サーバー (Gmail など) は、文字列を検索するときに完全な単語検索を実行するため、文字列が単語の一部にしか見つからない場合は結果を返さない。この理由からも、既存の単語の一部ではない場合、検索条件に特殊文字を使用しても無視される。
      単語を除外検索する (単語が見つからない場合は電子メールを返す) には、! を使用できる。単語の前の文字 (一部のメール サーバーでは機能しない場合がある)。 EndPointFor=%sのエンドポイント:%s DeleteEmailCollector=メールコレクターを削除する @@ -2233,11 +2248,11 @@ EMailsWillHaveMessageID=電子メールには、この構文に一致するタ PDF_SHOW_PROJECT=ドキュメントにプロジェクトを表示 ShowProjectLabel=プロジェクトラベル PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=取引先名にエイリアスを含める -THIRDPARTY_ALIAS=取引先に名前を付ける-エイリアス取引先 -ALIAS_THIRDPARTY=エイリアス取引先-取引先に名前を付ける +THIRDPARTY_ALIAS=取引先名 - 取引先エイリアス +ALIAS_THIRDPARTY=取引先エイリアス - 取引先名 PDFIn2Languages=PDF 内のラベルを 2 つの異なる言語で表示する (この機能はいくつかの言語では機能しない場合がある) PDF_USE_ALSO_LANGUAGE_CODE=PDF内の一部のテキストを同じ生成PDFで2つの異なる言語で複製する場合は、ここでこの2番目の言語を設定して、生成されたPDFに同じページに2つの異なる言語が含まれるようにする必要がある。1つはPDFの生成時に選択され、もう1つは ( これをサポートしているPDFテンプレートはごくわずか ) 。 PDFごとに1つの言語を空のままにする。 -PDF_USE_A=デフォルト形式のPDFではなくPDF / A形式のPDFドキュメントを生成する +PDF_USE_A=デフォルト形式の PDF ではなく PDF/A 形式で PDF ドキュメントを生成する FafaIconSocialNetworksDesc=FontAwesomeアイコンのコードをここに入力する。 FontAwesomeとは何かわからない場合は、一般的な値fa-address-bookを使用できる。 RssNote=注:各RSSフィード定義は、ダッシュボードで使用できるようにするために有効化の必要があるウィジェットを提供する JumpToBoxes=【設定】-> 【ウィジェット】にジャンプする @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=ここにセキュリティアドバイザリがあ ModuleActivatedMayExposeInformation=このPHP拡張機能は、機密データを公開する可能性がある。不要な場合は無効にすること。 ModuleActivatedDoNotUseInProduction=開発用に設計されたモジュールが有効になった。実稼働環境では有効にしないこと。 CombinationsSeparator=製品の組み合わせの区切り文字 -SeeLinkToOnlineDocumentation=例については、トップメニューのオンラインドキュメントへのリンクを参照すること +SeeLinkToOnlineDocumentation=例については、上部のオンライン ドキュメントへのリンク メニュー を参照すること。 SHOW_SUBPRODUCT_REF_IN_PDF=モジュール%s の機能「%s」を使用する場合は、キットの副産物の詳細をPDFで表示すること。 AskThisIDToYourBank=このIDを取得するには、銀行に問い合わせること -AdvancedModeOnly=許可は、高度な許可モードでのみ使用可能 +AdvancedModeOnly=拡張権限モードでのみ利用可能な権限 ConfFileIsReadableOrWritableByAnyUsers=confファイルは、どのユーザでも読取りまたは書き込みが可能。 Webサーバーのユーザとグループにのみアクセス許可を与える。 MailToSendEventOrganization=イベント組織 MailToPartnership=パートナーシップ AGENDA_EVENT_DEFAULT_STATUS=フォームからイベントを作成するときのデフォルトのイベント状態 YouShouldDisablePHPFunctions=PHP関数を無効にする必要がある -IfCLINotRequiredYouShouldDisablePHPFunctions=カスタムコードでシステムコマンドを実行する必要がある場合を除いて、PHP関数を無効にする必要がある +IfCLINotRequiredYouShouldDisablePHPFunctions=カスタム コード でシステム コマンドを実行する必要がない限り、PHP 関数を無効にする必要がある。 PHPFunctionsRequiredForCLI=シェルの目的 (スケジュールされたジョブのバックアップやウイルス対策プログラムの実行など) では、PHP 関数を保持する必要がある。 NoWritableFilesFoundIntoRootDir=共通プログラムの書き込み可能なファイルまたはディレクトリがルートディレクトリに見つからない(良好) RecommendedValueIs=推奨:%s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhookのセットアップ Settings = 設定 WebhookSetupPage = Webhookセットアップページ ShowQuickAddLink=右上のメニューに要素をすばやく追加するためのボタンを表示する - +ShowSearchAreaInTopMenu=上部に検索領域を表示するメニュー HashForPing=pingに使用されるハッシュ ReadOnlyMode=インスタンスは「読取り専用」モードか DEBUGBAR_USE_LOG_FILE= dolibarr.log ファイルを使用して、ログをトラップする @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=すべてのテーマで機能するわけではない NoName=ノーネーム ShowAdvancedOptions= 高度なオプションを表示 HideAdvancedoptions= 詳細オプションを非表示 -CIDLookupURL=このモジュールは、外部ツールがサードパーティの名前またはその電話番号から連絡先を取得するために使用できるURLを提供する。使用するURLは次のとおり。 +CIDLookupURL=このモジュールは、外部ツールが電話番号から取引先の名前または連絡先の名前を取得するために使用できる URL を提供する。使用する URL は次のとおり。 OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 認証はすべてのホストで利用できるわけではなく、適切な権限を持つトークンが OAUTH モジュールでアップストリームにて作成されている必要がある MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 認証サービス DontForgetCreateTokenOauthMod=適切な権限を持つトークンが、OAUTH モジュールを使用してアップストリームにて作成されている必要がある -MAIN_MAIL_SMTPS_AUTH_TYPE=認証方法 +MAIN_MAIL_SMTPS_AUTH_TYPE=認証する メソッド UsePassword=パスワードを使用する UseOauth=OAUTH トークンを使用する Images=画像 MaxNumberOfImagesInGetPost=フォームで送信される HTML フィールドで許可される画像の最大数 MaxNumberOfPostOnPublicPagesByIP=1 か月間に同じ IP アドレスを持つ公開ページへの投稿の最大数 -CIDLookupURL=このモジュールは、外部ツールがサードパーティの名前またはその電話番号から連絡先を取得するために使用できるURLを提供する。使用するURLは次のとおり。 +CIDLookupURL=このモジュールは、外部ツールが電話番号から取引先の名前または連絡先の名前を取得するために使用できる URL を提供する。使用する URL は次のとおり。 ScriptIsEmpty=スクリプトが空です ShowHideTheNRequests=%s SQL リクエスト(s)の表示/非表示 DefinedAPathForAntivirusCommandIntoSetup=ウイルス対策プログラムのパスを %s に定義する。 @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=受信用に生成されたドキュメントで注 MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=受付用に生成されたドキュメントに価格を表示する WarningDisabled=警告無効 LimitsAndMitigation=アクセス制限と緩和 +RecommendMitigationOnURL=重要な URL に対して軽減策を有効にすることを推奨する。これが、主要で重要な URL に使用できるfail2ban ルールのリストである。 DesktopsOnly=デスクトップのみ DesktopsAndSmartphones=デスクトップとスマートフォン AllowOnlineSign=オンライン署名を許可する @@ -2403,6 +2419,24 @@ Defaultfortype=デフォルト DefaultForTypeDesc=テンプレート タイプの新規電子メールを作成するときにデフォルトで使用されるテンプレート OptionXShouldBeEnabledInModuleY=オプション「 %s 」をモジュール %s で有効にする必要がある。 OptionXIsCorrectlyEnabledInModuleY=オプション「 %s 」がモジュール %s で有効になっている +AllowOnLineSign=オンライン署名を許可する AtBottomOfPage=ページの下部にある FailedAuth=失敗した認証 MaxNumberOfFailedAuth=ログイン拒否で 24 時間以内に失敗した認証の最大数。 +AllowPasswordResetBySendingANewPassByEmail=ユーザ A がこの権限を持っており、ユーザ A が「admin」ユーザでなくても、他のユーザ B のパスワードをリセットすることが許可されている場合、新しいパスワードは他のユーザ B の電子メールに送信されるが、これは A には表示されない。ユーザ A が「admin」フラグを持っている場合、ユーザ A は B の新しく生成されたパスワードを知ることができるため、B のユーザアカウントを制御できるようになる。 +AllowAnyPrivileges=ユーザ A がこの権限を持つ場合、すべての権限を持つユーザ B を作成してからこのユーザ B を使用するか、任意の権限を持つ他のグループを自分自身に付与することが可能。つまり、ユーザ A はすべてのビジネス権限を所有する(セットアップ ページへのシステム アクセスのみ禁止)。 +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=インスタンスが本番モードに設定されていないため、この値を読み取ることができる +SeeConfFile=サーバー上の conf.php ファイルの内部を参照 +ReEncryptDesc=データがまだ暗号化されていない場合は再暗号化する +PasswordFieldEncrypted=%s 新しいレコードこのフィールドは暗号化されている +ExtrafieldsDeleted=エクストラフィールド %s は削除された +LargeModern=大 - モダン +SpecialCharActivation=特殊文字を入力するために仮想キーボードを開くボタンを有効にする +DeleteExtrafield=削除 エクストラフィールド +ConfirmDeleteExtrafield=フィールド %s を 確定 削除するか?このフィールドに保存されたすべてのデータは確実に削除される +ExtraFieldsSupplierInvoicesRec=補完的な属性 ( 請求書のテンプレート ) +ExtraFieldsSupplierInvoicesLinesRec=補完的な属性 (テンプレート請求書明細行) +ParametersForTestEnvironment=テスト環境のパラメータ +TryToKeepOnly=%s だけの保持を試行する +RecommendedForProduction=本番環境に推奨 +RecommendedForDebug=デバッグに推奨 diff --git a/htdocs/langs/ja_JP/agenda.lang b/htdocs/langs/ja_JP/agenda.lang index d8031e049f6..88f2ba889e7 100644 --- a/htdocs/langs/ja_JP/agenda.lang +++ b/htdocs/langs/ja_JP/agenda.lang @@ -128,6 +128,7 @@ MRP_MO_PRODUCEDInDolibarr=MOプロデュース MRP_MO_DELETEInDolibarr=MOは削除済 MRP_MO_CANCELInDolibarr=MOは取消済 PAIDInDolibarr=%s有料 +ENABLEDISABLEInDolibarr=ユーザ 有効または無効 ##### End agenda events ##### AgendaModelModule=イベントのドキュメントテンプレート DateActionStart=開始日 @@ -181,3 +182,23 @@ Reminders=リマインダー ActiveByDefault=デフォルトで有効 Until=それまで DataFromWasMerged=%s のデータがマージされました +AgendaShowBookcalCalendar=予約カレンダー: %s +MenuBookcalIndex=オンライン予約 +BookcalLabelAvailabilityHelp=利用可能範囲のラベル。例::
      一般利用可能
      クリスマス休暇中に利用可能 +DurationOfRange=範囲の継続時間 +BookCalSetup = オンライン予約の設定 +Settings = 設定 +BookCalSetupPage = オンライン予約設定ページ +BOOKCAL_PUBLIC_INTERFACE_TOPIC = インターフェースのタイトル +About = 約 +BookCalAbout = BookCalについて +BookCalAboutPage = BookCal についてのページ +Calendars=カレンダー +Availabilities=可用性 +NewAvailabilities=新しい利用可能性 +NewCalendar=新しいカレンダー +ThirdPartyBookCalHelp=このカレンダーで予約されたイベントは、この 取引先 に自動的にリンクされる。 +AppointmentDuration = 予約期間 : %s +BookingSuccessfullyBooked=予約が保存された +BookingReservationHourAfter=私たちは %s の日付での会議を 確定 予約する。 +BookcalBookingTitle=オンライン予約 diff --git a/htdocs/langs/ja_JP/bills.lang b/htdocs/langs/ja_JP/bills.lang index 1e9d8a29d4d..e3635c99680 100644 --- a/htdocs/langs/ja_JP/bills.lang +++ b/htdocs/langs/ja_JP/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=顧客ために支払をする DisabledBecauseRemainderToPayIsZero=未払残りがゼロであるため無効 PriceBase=本体価格 BillStatus=請求書の状況 -StatusOfGeneratedInvoices=生成された請求書の状態 +StatusOfAutoGeneratedInvoices=自動的に で生成された請求書のステータス BillStatusDraft=下書き(要検証済) BillStatusPaid=有料 BillStatusPaidBackOrConverted=貸方表の払戻または利用可能なクレジットとしてマーク @@ -167,7 +167,7 @@ ActionsOnBill=請求書上のアクション ActionsOnBillRec=定期請求書に対するアクション RecurringInvoiceTemplate=テンプレート/定期的な請求書 NoQualifiedRecurringInvoiceTemplateFound=生成に適格な定期的なテンプレート請求書はない。 -FoundXQualifiedRecurringInvoiceTemplate=生成に適格な%s定期的なテンプレート請求書(s)が見つかった。 +FoundXQualifiedRecurringInvoiceTemplate=生成可能な %s 反復テンプレート請求書(s)。 NotARecurringInvoiceTemplate=定期的なテンプレートの請求書ではない NewBill=新規請求書 LastBills=最新の%s請求書 @@ -185,7 +185,7 @@ SuppliersDraftInvoices=仕入先下書き請求書 Unpaid=未払 ErrorNoPaymentDefined=エラー支払が定義されていない ConfirmDeleteBill=この請求書を削除してもよいか? -ConfirmValidateBill=この請求書を参照%s で検証してもよいか? +ConfirmValidateBill=意思確認:このインボイスを検証したいか?参照番号 %s ConfirmUnvalidateBill=請求書%s を下書き状態に変更してもよいか? ConfirmClassifyPaidBill=請求書%s を支払済の状態に変更してもよいか? ConfirmCancelBill=請求書をキャンセルしてもよいか%s ? @@ -217,7 +217,7 @@ ConfirmCustomerPayment= %s %sのこの支払入力を確定するか? ConfirmSupplierPayment= %s %sのこの支払入力を確定するか? ConfirmValidatePayment=この支払を確認してもよいか?支払が確認されると、変更を加えることはできない。 ValidateBill=請求書を検証 -UnvalidateBill=請求書を未検証に +UnvalidateBill=請求書を無効化 NumberOfBills=請求書の数 NumberOfBillsByMonth=1か月あたりの請求書の数 AmountOfBills=請求書の金額 @@ -250,12 +250,13 @@ RemainderToTake=残りの金額 RemainderToTakeMulticurrency=取得予定残額、元通貨 RemainderToPayBack=返金する残りの金額 RemainderToPayBackMulticurrency=返金予定残額、元通貨 +NegativeIfExcessReceived=超過分を受け取った場合はマイナス NegativeIfExcessRefunded=超過分が返金された場合はマイナス +NegativeIfExcessPaid=過剰に支払った場合はマイナス Rest=保留中 AmountExpected=請求額 ExcessReceived=超過受領額 ExcessReceivedMulticurrency=超過受取分、元通貨 -NegativeIfExcessReceived=超過分を受け取った場合はマイナス ExcessPaid=超過支払額 ExcessPaidMulticurrency=超過支払済分、元通貨 EscompteOffered=提供される割引(前払) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=最初に標準請求書を作成し、そ PDFCrabeDescription=請求書PDFテンプレートクレイブ。完全な請求書テンプレート(Spongeテンプレートの古い実装) PDFSpongeDescription=請求書PDFテンプレートスポンジ。完全な請求書テンプレート PDFCrevetteDescription=請求書PDFテンプレートクレベット。シチュエーション請求書の完全な請求書テンプレート -TerreNumRefModelDesc1=戻る数値の形式は、標準請求書の場合は%syymm-nnnnの形式、貸方票の場合は%syymm-nnnnの形式。ここで、yyは年、mmは月、nnnnは自動増加順次番号で切れ目なく0戻りしない数値。 -MarsNumRefModelDesc1= 戻る数値の形式は、標準請求書の場合は%syymm-nnnn の形式、交換請求書の場合は %syymm-nnnn の形式、頭金請求書の場合は %syymm-nnnn の形式 、貸方票の場合は %syymm-nnnn の形式。ここで、 yy は年、mm は月、nnnn は自動増加順次番号で切れ目なく0戻りしない数値。 +TerreNumRefModelDesc1=戻す数値のフォーマットは、標準請求書では %syymm-nnnn、貸方票では %syymm-nnnn 、ここでyyは年、mmは月、nnnnは自動増加する連続番号で改行や0戻りがないもの +MarsNumRefModelDesc1=戻す数値のフォーマットは、標準請求書では %syymm-nnnn、代替請求書では %syymm-nnnn、頭金請求書では%syymm-nnnn、そして貸方票では %syymm-nnnn、 ここでyyは年、mmは月、nnnnは自動増加する連続番号で改行や0戻りがないもの TerreNumRefModelError=$ syymm で始まる支払が既に存在し、シーケンスのこのモデルと互換性がない。このモジュールを活性化するため、それを削除するか、名前を変更すること。 -CactusNumRefModelDesc1=戻る数値の形式は、標準請求書の場合は%syymm-nnnn の形式、貸方票の場合は%syymm-nnnn の形式、頭金請求書の場合は%syymm-nnnn の形式。ここで、 yy は年、mm は月、nnnn は自動増加順次番号で切れ目なく0戻しない数値。 +CactusNumRefModelDesc1=戻す数値のフォーマットは、標準請求書では %syymm-nnnn、貸方票では %syymm-nnnn、そして頭金請求書では %syymm-nnnn、ここでyyは年、mmは月、nnnnは自動増加する連続番号で改行や0戻りがないもの EarlyClosingReason=早期閉鎖理由 EarlyClosingComment=早期終了メモ ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=操作のカテゴリ MentionCategoryOfOperations0=商品の配送 MentionCategoryOfOperations1=サービスの提供 MentionCategoryOfOperations2=混合 - 商品の配送とサービスの提供 +Salaries=給与 +InvoiceSubtype=請求書のサブタイプ +SalaryInvoice=給料 +BillsAndSalaries=請求書と給与 +CreateCreditNoteWhenClientInvoiceExists=このオプションは、顧客に対して検証済みの請求書(s)が存在する場合、または定数 INVOICE_CREDIT_NOTE_STANDALONE が使用されている場合にのみ有効になります (一部の国で役立ちます)。 diff --git a/htdocs/langs/ja_JP/bookmarks.lang b/htdocs/langs/ja_JP/bookmarks.lang index cf1d6af74ea..ee3ab687930 100644 --- a/htdocs/langs/ja_JP/bookmarks.lang +++ b/htdocs/langs/ja_JP/bookmarks.lang @@ -1,23 +1,24 @@ -# Dolibarr language file - Source file is en_US - marque pages -AddThisPageToBookmarks=現在のページをブックマークに追加 -Bookmark=ブックマーク -Bookmarks=ブックマーク -ListOfBookmarks=ブックマークのリスト -EditBookmarks=ブックマークの一覧表示/編集 -NewBookmark=新規ブックマーク -ShowBookmark=ブックマークを表示 -OpenANewWindow=新規タブを開く -ReplaceWindow=現在のタブを置き換える -BookmarkTargetNewWindowShort=新規タブ -BookmarkTargetReplaceWindowShort=現在のタブ -BookmarkTitle=ブックマーク名 -UrlOrLink=URL -BehaviourOnClick=ブックマークURLを選択した場合の動作 -CreateBookmark=ブックマークを作成。 -SetHereATitleForLink=ブックマークの名前を設定 -UseAnExternalHttpLinkOrRelativeDolibarrLink=外部/絶対リンク (https://externalurl.com) または内部/相対リンク (/mypage.php) を使用する。 tel:0123456 のような電話を使用することもできる。 -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=リンクされたページを現在のタブで開くか、新規タブで開くかを選択 -BookmarksManagement=ブックマークの管理 -BookmarksMenuShortCut=Ctrl +シフト+ m -NoBookmarks=ブックマークが未定義 -NoBookmarkFound=ブックマークが見つからない +# Dolibarr language file - Source file is en_US - marque pages / bookmarks + +AddThisPageToBookmarks = 現在のページをブックマークに追加 +BehaviourOnClick = ブックマークURL選択時の動作 +Bookmark = ブックマーク +Bookmarks = ブックマーク +BookmarkTargetNewWindowShort = 新規タブ +BookmarkTargetReplaceWindowShort = 現在のタブ +BookmarkTitle = ブックマーク名 +BookmarksManagement = ブックマークの管理 +BookmarksMenuShortCut = Ctrl +シフト+ m +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark = リンクされたページを現在のタブで開くか、新規タブで開くかを選択 +CreateBookmark = ブックマークを作成。 +EditBookmarks = ブックマークの一覧表示/編集 +ListOfBookmarks = ブックマークのリスト +NewBookmark = 新規ブックマーク +NoBookmarkFound = ブックマークが見つからない +NoBookmarks = ブックマークが未定義 +OpenANewWindow = 新規タブを開く +ReplaceWindow = 現在のタブを置き換える +SetHereATitleForLink = ブックマークの名前を設定 +ShowBookmark = ブックマークを表示 +UrlOrLink = URL +UseAnExternalHttpLinkOrRelativeDolibarrLink = 外部/絶対リンク (https://externalurl.com) または内部/相対リンク (/mypage.php) を使用する。 tel:0123456 のような電話を使用することもできる。 diff --git a/htdocs/langs/ja_JP/cashdesk.lang b/htdocs/langs/ja_JP/cashdesk.lang index b7ce14ca2ff..193bfccb8a8 100644 --- a/htdocs/langs/ja_JP/cashdesk.lang +++ b/htdocs/langs/ja_JP/cashdesk.lang @@ -57,7 +57,7 @@ Paymentnumpad=支払を入力するパッドのタイプ Numberspad=ナンバーズパッド BillsCoinsPad=硬貨と紙幣パッド DolistorePosCategory=Dolibarr用のTakePOSモジュールおよびその他のPOSソリューション -TakeposNeedsCategories=TakePOSが機能するには、少なくとも1つの製品カテゴリが必要 +TakeposNeedsCategories=TakePOS が機能するには、少なくとも 1 つの 製品 カテゴリが必要 。 TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOSが機能するには、カテゴリ %sの下に少なくとも1つの製品カテゴリが必要。 OrderNotes=注文した各アイテムにメモを追加できる CashDeskBankAccountFor=での支払に使用するデフォルトのアカウント @@ -65,7 +65,7 @@ NoPaimementModesDefined=TakePOS構成で定義された支払モードはあら TicketVatGrouped=チケットのレートでVATをグループ化|領収書 AutoPrintTickets=チケットを自動的に印刷|領収書 PrintCustomerOnReceipts=チケットに顧客を印刷する|領収書 -EnableBarOrRestaurantFeatures=バーまたはレストランの機能を有効にする +EnableBarOrRestaurantFeatures=バーまたはレストランの機能を有効化 ConfirmDeletionOfThisPOSSale=この現在の販売の削除を確定するか? ConfirmDiscardOfThisPOSSale=この現在の販売を破棄するか? History=履歴 @@ -76,7 +76,7 @@ TerminalSelect=使用する端末を選択。 POSTicket=POSチケット POSTerminal=POS端末 POSModule=POSモジュール -BasicPhoneLayout=電話の基本的なレイアウトを使用する +BasicPhoneLayout=電話機では、POS を最小限のレイアウトに置き換える (注文の記録のみ、請求書の生成、領収書の印刷は行わない)。 SetupOfTerminalNotComplete=ターミナル%sの設定が完了していない DirectPayment=直接支払 DirectPaymentButton=「直接現金支払」ボタンを追加する @@ -92,14 +92,14 @@ HeadBar=ヘッドバー SortProductField=製品を分類するためのフィールド Browser=ブラウザ BrowserMethodDescription=シンプルで簡単なレシート印刷。レシートを構成するためのいくつかのパラメーターのみ。ブラウザ経由で印刷。 -TakeposConnectorMethodDescription=追加機能を備えた外部モジュール。クラウドから印刷する可能性。 +TakeposConnectorMethodDescription=追加機能を備えた外部モジュール。クラウドからの印刷も可能。 PrintMethod=印刷方法 ReceiptPrinterMethodDescription=多くのパラメータを持つ強力な方法。テンプレートで完全にカスタマイズ可能。アプリケーションをホストしているサーバーをクラウドに配置することはできない(ネットワーク内のプリンターにアクセスできる必要がある)。 ByTerminal=ターミナルで TakeposNumpadUsePaymentIcon=テンキーの支払ボタンのテキストの代わりにアイコンを使用する CashDeskRefNumberingModules=POS販売用の採番モジュール CashDeskGenericMaskCodes6 =
      {TN} タグは端末番号を追加するために使用される -TakeposGroupSameProduct=同じ製品ラインをグループ化する +TakeposGroupSameProduct=同じ 製品 の行を結合する。 StartAParallelSale=新規並行販売を開始する SaleStartedAt=%sから販売開始 ControlCashOpening=POSを開くときに「金銭収納箱制御」ポップアップを開く @@ -118,7 +118,7 @@ ScanToOrder=QRコードをスキャンして注文する Appearance=外観 HideCategoryImages=カテゴリ画像を非表示 HideProductImages=製品画像を非表示 -NumberOfLinesToShow=表示する画像の行数 +NumberOfLinesToShow=サム画像に表示するテキストの最大行数 DefineTablePlan=テーブルプランを定義する GiftReceiptButton=「領収書」ボタンを追加 GiftReceipt=ギフトレシート @@ -135,5 +135,21 @@ PrintWithoutDetailsLabelDefault=詳細なしで印刷する場合のデフォル PrintWithoutDetails=詳細なしで印刷 YearNotDefined=年は未定義 TakeposBarcodeRuleToInsertProduct=製品を挿入するためのバーコードルール -TakeposBarcodeRuleToInsertProductDesc=スキャン済バーコードから製品参照+数量を抽出するルール。
      空(デフォルト値)の場合、アプリケーションはスキャンされたバーコードのみを使用して製品を検索する。

      定義済の場合の構文規則:
      ref:NB+qu:NB+qd:NB+other:NB
      上記 NB はスキャン済バーコードからデータ抽出するときに使用する文字数であり:
      • ref : 製品参照
      • qu : 項目追加時の設定数量(units)
      • qd : 項目追加時の設定数量 (decimals)
      • other : その他の文字列
      +TakeposBarcodeRuleToInsertProductDesc=スキャンされた バーコード から 製品 参照 + 数量を抽出するルール。
      空の場合(デフォルト値)、アプリケーションはスキャンされた完全な バーコード を使用して 製品 を見つける。

      定義する場合、構文は次のようにする必要がる:
      ref:NB+qu:NB+qd:NB+other:NB
      ここで、NB は、スキャンされた バーコード からデータを抽出するために使用する文字数で:
      ref : 製品参照符号
      qu : 項目挿入時に設定する数量 (単位)
      qd : 項目挿入時に設定する数量 (小数)
      other : その他文字 AlreadyPrinted=すでに印刷されている +HideCategories=カテゴリ選択のセクション全体を非表示にする +HideStockOnLine=オンライン在庫を非表示 +ShowOnlyProductInStock=在庫 の 製品 のみを表示する +ShowCategoryDescription=カテゴリ の説明を表示 +ShowProductReference=製品の参照またはラベルを表示する +UsePriceHT=価格変更時には税抜価格を使うこと、税込価格ではなく +TerminalName=端末 %s +TerminalNameDesc=端末名 +DefaultPOSThirdLabel=TakePOS一般のお客様 +DefaultPOSCatLabel=POS (POS) 製品 +DefaultPOSProductLabel=TakePOS の 製品 の例 +TakeposNeedsPayment=TakePOS が動作するには 支払いメソッドが必要。支払いメソッド 'Cash' を作成するか? +LineDiscount=line 割引 +LineDiscountShort=line 割。 +InvoiceDiscount=invoice 割引 +InvoiceDiscountShort=invoice 割。 diff --git a/htdocs/langs/ja_JP/categories.lang b/htdocs/langs/ja_JP/categories.lang index 93b4a6ca24d..edbabd3305c 100644 --- a/htdocs/langs/ja_JP/categories.lang +++ b/htdocs/langs/ja_JP/categories.lang @@ -103,3 +103,4 @@ WebsitePagesCategoriesArea=ページ-コンテナカテゴリ KnowledgemanagementsCategoriesArea=KM項目カテゴリー UseOrOperatorForCategories=カテゴリには「OR」演算子を使用する AddObjectIntoCategory=カテゴリに割当る +Position=位置 diff --git a/htdocs/langs/ja_JP/companies.lang b/htdocs/langs/ja_JP/companies.lang index 883412b1ea5..c45f58fc856 100644 --- a/htdocs/langs/ja_JP/companies.lang +++ b/htdocs/langs/ja_JP/companies.lang @@ -1,4 +1,6 @@ # Dolibarr language file - Source file is en_US - companies +newSocieteAdded=あなたの連絡先詳細が記録された。すぐに連絡する予定である... +ContactUsDesc=このフォームを使用すると、最初の連絡のためにメッセージを送信できる。 ErrorCompanyNameAlreadyExists=法人名 %s は既に存在する。別の名称を選択すること。 ErrorSetACountryFirst=始めに国を設定する SelectThirdParty=取引先を選択する @@ -46,7 +48,7 @@ ParentCompany=親会社 Subsidiaries=子会社 ReportByMonth=月次報告書 ReportByCustomers=顧客ごとの報告書 -ReportByThirdparties=仕入先ごとの報告書 +ReportByThirdparties=取引先ごとのレポート ReportByQuarter=料金ごとの報告書 CivilityCode=敬称コード RegisteredOffice=登録事務所 @@ -117,12 +119,20 @@ ProfId3Short=プロフID 3 ProfId4Short=プロフID 4 ProfId5Short=プロフID 5 ProfId6Short=プロフID 6 +ProfId7Short=プロフ ID 7 +ProfId8Short=プロフ ID 8 +ProfId9Short=プロフ ID 9 +ProfId10Short=プロフ ID 10 ProfId1=職業分類ID 1 ProfId2=職業分類ID 2 ProfId3=職業分類ID 3 ProfId4=職業分類ID 4 ProfId5=職業分類ID 5 ProfId6=職業分類ID 6 +ProfId7=プロフ ID 7 +ProfId8=プロフ ID 8 +ProfId9=プロフ ID 9 +ProfId10=プロフ ID 10 ProfId1AR=プロフID 1 (CUIT/CUIL) ProfId2AR=プロフID 2 (Revenu brutes) ProfId3AR=- @@ -201,12 +211,20 @@ ProfId3FR=プロフID 3 (NAF, old APE) ProfId4FR=プロフID 4 (RCS/RM) ProfId5FR=プロフID 5(numéroEORI) ProfId6FR=- +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- ProfId1ShortFR=SIREN ProfId2ShortFR=SIRET ProfId3ShortFR=NAF ProfId4ShortFR=RCS ProfId5ShortFR=EORI ProfId6ShortFR=- +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- ProfId1GB=登録番号 ProfId2GB=- ProfId3GB=SIC @@ -245,7 +263,7 @@ ProfId5MA=Id プロフ 5 (I.C.E.) ProfId6MA=- ProfId1MX=プロフID 1 (R.F.C). ProfId2MX=プロフID 2 (R..P. IMSS) -ProfId3MX=プロフID 3 (Profesional Charter) +ProfId3MX=Prof Id 3 (産業分類) ProfId4MX=- ProfId5MX=- ProfId6MX=- @@ -387,7 +405,7 @@ EditCompany=会社を編集する。 ThisUserIsNot=このユーザは見込客・顧客・仕入先のいずれにも該当しない VATIntraCheck=チェック VATIntraCheckDesc=VAT IDには、国のプレフィックスを含めることが必要。リンク%s は、欧州VATチェッカーサービス(VIES)を使用し、そのためにはDolibarrサーバーからのインターネットアクセスが必要。 -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation VATIntraCheckableOnEUSite=欧州委員会のウェブサイトでコミュニティ間のVAT IDを確認 VATIntraManualCheck=欧州委員会のウェブサイト%sで手動で確認することもできる ErrorVATCheckMS_UNAVAILABLE=可能ではないを確認。サービスは加盟国(%s)によって提供されていないを確認。 @@ -475,7 +493,7 @@ CurrentOutstandingBill=現在の未払い勘定 OutstandingBill=未払い勘定での最大値 OutstandingBillReached=受領済未払い勘定での最大値 OrderMinAmount=注文の最小数量 -MonkeyNumRefModelDesc=顧客コードの場合は%syymm-nnnn、仕入先コードの場合は%syymm-nnnnの形式で数値を返する。ここで、yyは年、mmは月、nnnnはブレークなしで0に戻らない順次自動インクリメント数値。 +MonkeyNumRefModelDesc=戻す数値のフォーマットは、顧客コードでは %syymm-nnnn そして仕入先コードでは %syymm-nnnn 、ここでyyは年、mmは月、nnnnは自動増加する連続番号で欠番や0戻りがないもの LeopardNumRefModelDesc=顧客/サプライヤーコードは無料。このコードは、いつでも変更することができる。 ManagingDirectors=管理職名称 (CEO, 部長, 社長...) MergeOriginThirdparty=重複する取引先 (削除したい取引先) @@ -500,7 +518,7 @@ InEEC=欧州 (EEC) RestOfEurope=その他欧州 (EEC) OutOfEurope=欧州域外 (EEC) CurrentOutstandingBillLate=現在の遅延中未払い勘定 -BecarefullChangeThirdpartyBeforeAddProductToInvoice=製品の価格設定によっては、POSに製品を追加する前に取引先を変更する必要があることに注意。 +BecarefullChangeThirdpartyBeforeAddProductToInvoice=注意すること、製品の価格設定によっては、POS へ製品 を追加する前に 取引先 を変更する必要がある。 EmailAlreadyExistsPleaseRewriteYourCompanyName=電子メールは既に存在する 法人名を書き直すこと TwoRecordsOfCompanyName=この法人には複数のレコードが存在する。パートナーシップリクエストを完了するため問い合わせを願う CompanySection=法人セクション @@ -508,3 +526,5 @@ ShowSocialNetworks=ソーシャルネットワークを表示 HideSocialNetworks=ソーシャル ネットワークを非表示にする ExternalSystemID=外部システムID IDOfPaymentInAnExternalSystem=外部システムへの支払いモードの ID (Stripe、Paypal など) +AADEWebserviceCredentials=AADE Webサービスの資格情報 +ThirdPartyMustBeACustomerToCreateBANOnStripe=取引先 は、Stripe 側で銀行 情報 の作成を許可する顧客である必要がある diff --git a/htdocs/langs/ja_JP/cron.lang b/htdocs/langs/ja_JP/cron.lang index 58b4bf45620..558d87700f6 100644 --- a/htdocs/langs/ja_JP/cron.lang +++ b/htdocs/langs/ja_JP/cron.lang @@ -14,7 +14,7 @@ FileToLaunchCronJobs=修飾されたcronジョブをチェックして起動す CronExplainHowToRunUnix=Unix環境では、次のcrontabエントリを使用して、5分ごとにコマンドラインを実行する必要がある。 CronExplainHowToRunWin=Microsoft(tm)Windows環境では、スケジュールされたタスクツールを使用して、5分ごとにコマンドラインを実行できる。 CronMethodDoesNotExists=クラス %s にはメソッド %s が含まれていない -CronMethodNotAllowed=クラス%sのメソッド%sは、禁止されているメソッドのブラックリストに含まれている +CronMethodNotAllowed=クラス %s のメソッド %s は禁止されたメソッドのブロックリストに含まれている CronJobDefDesc=cronジョブプロファイルは、モジュール記述子ファイルに定義されている。モジュールが活性化されると、それらがロードされて使用可能になるため、管理ツールメニュー%sからジョブを管理できる。 CronJobProfiles=事前定義されたcronジョブプロファイルのリスト # Menu @@ -67,7 +67,7 @@ CronModuleHelp=Dolibarrモジュールディレクトリの名前(外部Dolibarr CronClassFileHelp=ロードする相対パスとファイル名 (パスはWebサーバーのルートディレクトリからの相対パス).
      たとえば、Dolibarr製品オブジェクト htdocs/product/class/product.class.php のfetchメソッドを呼び出す場合、クラスファイル名の値は
      product/class/product.class.php CronObjectHelp=ロードするオブジェクト名.
      たとえば、Dolibarr製品オブジェクト/htdocs/product/class/product.class.phpのfetchメソッドを呼び出す場合、クラスファイル名の値は
      Product CronMethodHelp=起動するオブジェクトメソッド.
      たとえば、Dolibarr 製品オブジェクト/htdocs/product/class/product.class.phpのfetchメソッドを呼び出す場合、methodの値は
      fetch -CronArgsHelp=メソッドの引数.
      たとえば、Dolibarr製品オブジェクト/htdocs/product/class/product.class.phpのfetchメソッドを呼び出す場合、パラメーターの値は
      0, ProductRefを取りうる +CronArgsHelp=メソッドの引数.
      たとえば、Dolibarr の fetch メソッドを呼び出す場合、製品 オブジェクト /htdocs/product/class/product.class.php に対して、パラメータの値としては
      0、ProductRef CronCommandHelp=実行するシステムコマンドライン。 CronCreateJob=新規でスケジュールされたジョブを作成 CronFrom=から @@ -91,6 +91,7 @@ WarningCronDelayed=注意、パフォーマンスの目的で、有効なジョ DATAPOLICYJob=データクリーナとアノニマイザ JobXMustBeEnabled=ジョブ%sを有効化する必要がある EmailIfError=エラー時の警告メール +JobNotFound=ジョブ %s がジョブのリストに見つからない (モジュールを無効化/有効化してみること) ErrorInBatch=ジョブ実行時のエラー %s # Cron Boxes diff --git a/htdocs/langs/ja_JP/donations.lang b/htdocs/langs/ja_JP/donations.lang index 8f9e095af54..e02747cef56 100644 --- a/htdocs/langs/ja_JP/donations.lang +++ b/htdocs/langs/ja_JP/donations.lang @@ -32,4 +32,5 @@ DONATION_ART238=懸念がある場合は、CGIの項目238を表示すること DONATION_ART978=心配な場合は CGI ≪仏:一般税法典≫の 978条 を表示すること DonationPayment=寄付金の支払 DonationValidated=寄付%sは検証済 -DonationUseThirdparties=寄付者の調整として既存の取引先を使用する +DonationUseThirdparties=既存取引先の住所を寄付者の住所として使用する。 +DonationsStatistics=寄付の統計 diff --git a/htdocs/langs/ja_JP/errors.lang b/htdocs/langs/ja_JP/errors.lang index 3420e1fa1e8..db17810c519 100644 --- a/htdocs/langs/ja_JP/errors.lang +++ b/htdocs/langs/ja_JP/errors.lang @@ -4,7 +4,7 @@ NoErrorCommitIsDone=エラーなし、コミットする # Errors ErrorButCommitIsDone=エラーが見つかったが、それでも検証 -ErrorBadEMail=メール%sが正しくない +ErrorBadEMail=メール アドレス %s が正しくありません ErrorBadMXDomain=メール%sが正しくないよう (ドメインに有効なMXレコードがない) ErrorBadUrl=URL%sが正しくない ErrorBadValueForParamNotAString=パラメータ の値が正しくない。通常、翻訳が欠落している場合に追加される。 @@ -32,6 +32,7 @@ ErrorBadThirdPartyName=取引先名の値が正しくない ForbiddenBySetupRules=設定ルールにより禁止 ErrorProdIdIsMandatory=%sは必須だ ErrorAccountancyCodeCustomerIsMandatory=顧客%sの会計コードは必須 +ErrorAccountancyCodeSupplierIsMandatory=サプライヤの会計コード %s は必須 ErrorBadCustomerCodeSyntax=顧客コードの不正な構文 ErrorBadBarCodeSyntax=バーコードの構文が正しくない。不正なバーコードタイプを設定したか、スキャンした値と一致しない採番用のバーコードマスクを定義した可能性がある。 ErrorCustomerCodeRequired=顧客コードが必要だ @@ -57,17 +58,18 @@ ErrorSubjectIsRequired=メールの件名が必要 ErrorFailedToCreateDir=ディレクトリの作成に失敗した。そのWebサーバのユーザがDolibarrのドキュメントディレクトリに書き込む権限を持って確認すること。パラメータ のsafe_modeがこのPHPが有効になっている場合、Dolibarr PHPファイルは、Webサーバーのユーザ(またはグループ)に所有していることを確認すること。 ErrorNoMailDefinedForThisUser=このユーザに定義されたメールはない ErrorSetupOfEmailsNotComplete=メールの設定が完了していない -ErrorFeatureNeedJavascript=この機能は javascript が動作するよう活性化させる必要がある。設定でこれを変更 - 表示。 +ErrorFeatureNeedJavascript=この機能を動作させるには JavaScript を有効にする必要がある。これを設定 - 表示で変更する。 ErrorTopMenuMustHaveAParentWithId0=タイプは 'top'のメニューが親メニューを持つことはできない。親メニューに0を置くか、または型 "左"のメニューを選択する。 ErrorLeftMenuMustHaveAParentId=タイプ "左"のメニューは、親IDを持つ必要がある。 ErrorFileNotFound=ファイル%sが見つからない (不良パス、不正権限、アクセス拒否など、PHP openbasedir または セーフモードパラメータ による) ErrorDirNotFound=ディレクトリ%sが見つからない (不良パス、不正権限、またはアクセス拒否などで、PHP openbasedirまたはセーフモードパラメータ による) ErrorFunctionNotAvailableInPHP=関数%sは、この機能を使用するために必要となるが、このバージョンの/ PHPの設定では使用できない。 ErrorDirAlreadyExists=この名前のディレクトリが既に存在している。 +ErrorDirNotWritable=ディレクトリ %s は書込み不可。 ErrorFileAlreadyExists=この名前を持つファイルが既に存在している。 ErrorDestinationAlreadyExists= %sという名前の別のファイルが既に存在する。 ErrorPartialFile=ファイルはサーバーで完全に受け取っていない。 -ErrorNoTmpDir=一時的directyの%sが存在しない。 +ErrorNoTmpDir=一時ディレクトリ %s が存在しない。 ErrorUploadBlockedByAddon=PHP / Apacheプラグインによってブロックされてアップロードする。 ErrorFileSizeTooLarge=ファイルサイズが大きすぎるか、ファイルが提供されていない。 ErrorFieldTooLong=フィールド%sが長すぎる。 @@ -90,9 +92,9 @@ ErrorPleaseTypeBankTransactionReportName=エントリを報告する必要のあ ErrorRecordHasChildren=子レコードがいくつかあるため、レコードの削除に失敗した。 ErrorRecordHasAtLeastOneChildOfType=オブジェクト%sには、タイプ%sの子が少なくとも1つある。 ErrorRecordIsUsedCantDelete=レコードを削除できない。既に使用されているか、別のオブジェクトに含まれている。 -ErrorModuleRequireJavascript=Javascriptがこの機能が動作しているために無効にすることはできない。 Javascriptを有効/無効にするには、メニューHome - >設定 - >ディスプレイに移動する。 +ErrorModuleRequireJavascript=この機能を動作させるには、JavaScript を無効にしないでください。 JavaScript を有効または無効にするには、メニュー ホーム -> 設定 -> 表示 に移動する。 ErrorPasswordsMustMatch=両方入力したパスワードは、互いに一致している必要がある -ErrorContactEMail=技術的なエラーが発生した。次の電子メール%s に管理者に連絡し、メッセージにエラーコード %s を入力するか、このページの画面コピーを追加すること。 +ErrorContactEMail=技術的なエラーが発生した。次のメールで管理者に連絡し、%s にエラーを伝えてください。 コード %sメッセージにspan>を追加するか、このページのスクリーンコピーを追加すること。 ErrorWrongValueForField=フィールド%s : ' %s ' は、正規表現ルール%s に不適合 ErrorHtmlInjectionForField=フィールド%s: 値 ' %s 'には、許可されない悪意あるデータが含まれる ErrorFieldValueNotIn=フィールド%s:'%s' はフィールド %s である %s にあるものの値とは異なる @@ -100,10 +102,12 @@ ErrorFieldRefNotIn=フィールド%s : ' %s' は存在する ErrorMultipleRecordFoundFromRef=ref %s から検索すると、いくつかのレコードが見つかった。使用する ID を知る方法はない。 ErrorsOnXLines=%sエラーが見つかった ErrorFileIsInfectedWithAVirus=ウイルス対策プログラムがファイルを検証ことができなかった(ファイルがウイルスに感染されるかもしれない) +ErrorFileIsAnInfectedPDFWithJSInside=ファイル は、内部で Javascript 感染した PDF ErrorNumRefModel=参照は、データベース(%s)に存在し、この発番規則と互換性がない。このモジュールを活性化するため、レコードを削除するか、参照を変更すること。 ErrorQtyTooLowForThisSupplier=このベンダーの数量が少なすぎるか、このベンダーのこの製品に価格が定義されていない ErrorOrdersNotCreatedQtyTooLow=数量が少なすぎるため、一部の注文が作成されていない -ErrorModuleSetupNotComplete=モジュール%sの設定が完了していないようだ。ホーム-設定-モジュールに移動して完了する。 +ErrorOrderStatusCantBeSetToDelivered=注文ステータスを配送済みに設定でない。 +ErrorModuleSetupNotComplete=モジュール %s のセットアップが未完了のようだ 。 ホーム - セットアップ - モジュール に移動して完了する。 ErrorBadMask=マスク上でのエラー ErrorBadMaskFailedToLocatePosOfSequence=シーケンス番号のないエラー、マスク ErrorBadMaskBadRazMonth=エラー、不正なリセット値 @@ -131,7 +135,7 @@ ErrorLoginDoesNotExists=ログイン%sを持つユーザを見つける ErrorLoginHasNoEmail=このユーザは電子メールアドレスを持っていない。プロセスが中止された。 ErrorBadValueForCode=セキュリティコードの値が正しくない。新規値で再試行すること... ErrorBothFieldCantBeNegative=フィールド%s %sとは負の両方にすることはできない -ErrorFieldCantBeNegativeOnInvoice=このタイプの請求書では、フィールド %sを負にすることはできない。割引ラインを追加する必要がある場合は、最初に割引を作成し(取引先カードのフィールド '%s'から)、それを請求書に適用する。 +ErrorFieldCantBeNegativeOnInvoice=このタイプの請求書では、フィールド %s をマイナスにすることはできない。割引明細を追加する必要がある場合は、まず (取引先 カードのフィールド '%s' から) 割引を作成し、それを請求書に適用する。 ErrorLinesCantBeNegativeForOneVATRate=行の合計(税控除後)は、特定のnull以外のVAT率に対して負になることはできない(VAT率 %s %%の負の合計が見つかった)。 ErrorLinesCantBeNegativeOnDeposits=入金でラインがマイナスになることはない。あなたがそうするならば、あなたが最終的な請求書で入金を消費する必要があるとき、あなたは問題に直面するだろう。 ErrorQtyForCustomerInvoiceCantBeNegative=顧客の請求書への明細の数量をマイナスにすることはできない @@ -150,6 +154,7 @@ ErrorToConnectToMysqlCheckInstance=データベースへの接続に失敗。デ ErrorFailedToAddContact=連絡先の追加に失敗した ErrorDateMustBeBeforeToday=日付は今日よりも低くする必要がある ErrorDateMustBeInFuture=日付は今日より大きくなければならない +ErrorStartDateGreaterEnd=開始日が終了日より後 ErrorPaymentModeDefinedToWithoutSetup=支払モードはタイプ%sに設定されたが、この支払モードで表示する情報を定義するためのモジュール請求書の設定が完了していなかった。 ErrorPHPNeedModule=エラー、この機能を使用するには、PHPにモジュール %sがインストールされている必要がある。 ErrorOpenIDSetupNotComplete=OpenID認証を許可するようにDolibarr構成ファイルを設定したが、OpenIDサービスのURLが定数%sに定義されていない @@ -191,7 +196,7 @@ ErrorGlobalVariableUpdater4=SOAPクライアントがエラー "%s" で失敗し ErrorGlobalVariableUpdater5=グローバル変数が選択されていない ErrorFieldMustBeANumeric=フィールド%sは数値である必要がある ErrorMandatoryParametersNotProvided=必須パラメータ (s)が提供されていない -ErrorOppStatusRequiredIfUsage=このプロジェクトを使用して商談をフォローするように設定したため、商談の初期ステータスも入力する必要がある。 +ErrorOppStatusRequiredIfUsage=このプロジェクトの機会をフォローすることを選択したため、リードステータスも記入する必要がある。 ErrorOppStatusRequiredIfAmount=このリードの見積もり金額を設定する。したがって、その状態も入力する必要がある。 ErrorFailedToLoadModuleDescriptorForXXX=%sのモジュール記述子クラスのロードに失敗した ErrorBadDefinitionOfMenuArrayInModuleDescriptor=モジュール記述子のメニュー配列の定義が正しくない(キーfk_menuの値が正しくない) @@ -240,7 +245,7 @@ ErrorURLMustStartWithHttp=URL %sは http:// または https:// で始まる必 ErrorHostMustNotStartWithHttp=ホスト名%sは、http:// または https:// で始まらないこと ErrorNewRefIsAlreadyUsed=エラー、新規参照は既に使用されている ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=エラー、クローズされた請求書にリンクされた支払を削除することはできない。 -ErrorSearchCriteriaTooSmall=検索条件が小さすぎる。 +ErrorSearchCriteriaTooSmall=検索条件が短すぎます。 ErrorObjectMustHaveStatusActiveToBeDisabled=無効にするには、オブジェクトの状態が "アクティブ" である必要がある ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=オブジェクトを有効化には、状態が "下書き" または "無効" である必要がある ErrorNoFieldWithAttributeShowoncombobox=オブジェクト '%s'の定義にプロパティ 'showoncombobox'を持つフィールドはない。コンボリストを表示する方法はない。 @@ -259,7 +264,7 @@ ErrorReplaceStringEmpty=エラー、置き換える文字列が空だ ErrorProductNeedBatchNumber=エラー、製品 ' %s'にはロット/シリアル番号が必要だ ErrorProductDoesNotNeedBatchNumber=エラー、製品 ' %s'はロット/シリアル番号を受け入れない ErrorFailedToReadObject=エラー、タイプ %sのオブジェクトの読取りに失敗した -ErrorParameterMustBeEnabledToAllwoThisFeature=エラー、パラメータ %s conf / conf.php で有効にして、内部ジョブスケジューラでコマンドラインインターフェイスを使用できるようにする必要がある +ErrorParameterMustBeEnabledToAllwoThisFeature=エラー、パラメータ %s を 有効にすること conf/conf.php<> により、内部ジョブ スケジューラによるコマンド ライン インターフェイスの使用が許可される。 ErrorLoginDateValidity=エラー、このログインは有効期間外だ ErrorValueLength=フィールドの長さ ' %s 'は ' %s'より大きくなければならない ErrorReservedKeyword=「%s」という単語は予約語 @@ -296,11 +301,12 @@ ErrorAjaxRequestFailed=申請が失敗 ErrorThirpdartyOrMemberidIsMandatory=取引先またはパートナーシップのメンバーは必須 ErrorFailedToWriteInTempDirectory=一時ディレクトリへの書き込みに失敗 ErrorQuantityIsLimitedTo=数量限定 %s -ErrorFailedToLoadThirdParty=id=%s、email=%s、name=%s による 取引先の検索/読込に失敗した +ErrorFailedToLoadThirdParty=id=%s, email=%s, name=%s からの取引先の検索/読込に失敗した ErrorThisPaymentModeIsNotSepa=この支払いモードは銀行口座ではない -ErrorStripeCustomerNotFoundCreateFirst=このサードパーティには Stripe カスタマーが設定されていない (または Stripe 側で削除された値に設定されている)。最初に作成 (または再接続) する。 +ErrorStripeCustomerNotFoundCreateFirst=Stripe 顧客は、この取引先に対して未設定 (または、Stripe 側で削除済の値に設定)。まずそれを作成 (または再アタッチ) する。 ErrorCharPlusNotSupportedByImapForSearch=IMAP 検索は、文字 + を含む文字列での送信者または受信者を検索できない ErrorTableNotFound=テーブル %s が見つかりません +ErrorRefNotFound=参照 %s が見つからず ErrorValueForTooLow= %s の値が低すぎる ErrorValueCantBeNull= %s の値は null 不可 ErrorDateOfMovementLowerThanDateOfFileTransmission=銀行取引の日付は、ファイル送信の日付より前にすることはできない @@ -318,9 +324,13 @@ ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=エラー: 現在の ErrorMenuExistValue=このタイトルまたは URL のメニューはすでに存在する ErrorSVGFilesNotAllowedAsLinksWithout=SVG ファイルは、オプション %s を指定しないと外部リンクとして許可されない。 ErrorTypeMenu=ナビゲーションバーに同じモジュールの別のメニューを追加することはできない。まだハンドルされていない +ErrorObjectNotFound = object %s が見つからない。URL を Check すること。 +ErrorCountryCodeMustBe2Char=国 コード は 2 文字の文字列である必要がある + ErrorTableExist=テーブル %s はすでに存在する ErrorDictionaryNotFound=辞書 %s が見つからない -ErrorFailedToCreateSymLinkToMedias= シンボリックリンク %s その指定先は %s を作成できず +ErrorFailedToCreateSymLinkToMedias=%s を指すシンボリック リンク %s を作成できなかった。 +ErrorCheckTheCommandInsideTheAdvancedOptions=エクスポートの詳細オプションへのエクスポートに使用される command を Check すること # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=PHPパラメータ upload_max_filesize(%s)は、PHPパラメータ post_max_size(%s)よりも大きくなっている。これは一貫した設定ではない。 @@ -359,10 +369,12 @@ WarningPaypalPaymentNotCompatibleWithStrict=値「Strict」では、現在はオ WarningThemeForcedTo=警告、テーマは隠し定数 MAIN_FORCETHEME によって%sに強制された WarningPagesWillBeDeleted=警告、これにより、ウェブサイトの既存のページ/コンテナもすべて削除される。事前にウェブサイトをエクスポートする必要があり、後で再インポートするためのバックアップとなる。 WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=「請求書の検証」で在庫を減らすオプションが設定されている場合、自動検証は無効になる。 -WarningModuleNeedRefrech = モジュール %s が無効になった。有効にすることを忘れないこと +WarningModuleNeedRefresh = モジュール %s が無効になった。有効にすることを忘れないこと WarningPermissionAlreadyExist=このオブジェクトの既存の権限 WarningGoOnAccountancySetupToAddAccounts=このリストが空の場合、メニュー %s - %s - %s に移動し、勘定科目表の科目をロードまたは作成する。 WarningCorrectedInvoiceNotFound=修正された請求書が見つからない +WarningCommentNotFound=%s セクションの開始コメントと終了コメントの配置を確認。ファイルは %sで、アクション送信前に実施 +WarningAlreadyReverse=在庫 の動きはすでに逆転している SwissQrOnlyVIR = SwissQR 請求書は、クレジット振替で支払うように設定された請求書にのみ追加できる。 SwissQrCreditorAddressInvalid = 債権者の住所が無効 (郵便番号と都市は設定されているか? (%s) diff --git a/htdocs/langs/ja_JP/holiday.lang b/htdocs/langs/ja_JP/holiday.lang index 34948e0f7cd..d99eb97ada6 100644 --- a/htdocs/langs/ja_JP/holiday.lang +++ b/htdocs/langs/ja_JP/holiday.lang @@ -5,7 +5,7 @@ Holiday=有給休暇 CPTitreMenu=有給休暇 MenuReportMonth=月次報告 MenuAddCP=新規休暇申請 -MenuCollectiveAddCP=新規集団休暇申請 +MenuCollectiveAddCP=新規一斉休暇 NotActiveModCP=このページを表示するには、モジュールLeaveを有効化する必要がある。 AddCP=休暇申請をする DateDebCP=開始日 @@ -28,8 +28,8 @@ UserForApprovalLogin=承認ユーザのログイン DescCP=説明 SendRequestCP=休暇申請を作成する DelayToRequestCP=休暇申請は、少なくとも%s日(s)前にで行う必要がある。 -MenuConfCP=休暇のバランス -SoldeCPUser=残高 (日数) : %s +MenuConfCP=休暇残高 +SoldeCPUser=休暇残高 (日数) : %s ErrorEndDateCP=開始日よりも大きい終了日を選択する必要がある。 ErrorSQLCreateCP=作成中にSQLエラーが発生した: ErrorIDFicheCP=エラーが発生した。休暇申請は存在しない。 @@ -85,24 +85,24 @@ AddEventToUserOkCP=特別休暇の追加が完了した。 ErrorFieldRequiredUserOrGroup=「グループ」フィールドまたは「ユーザ」フィールドに入力する必要がある fusionGroupsUsers=グループフィールドとユーザフィールドがマージされる MenuLogCP=変更ログを表示する -LogCP="Balance of Leave" に加えられた全更新ログ +LogCP="休暇残高" に加えられた全更新ログ ActionByCP=更新済の原因 UserUpdateCP=更新済の対象 -PrevSoldeCP=以前のバランス -NewSoldeCP=ニューバランス +PrevSoldeCP=以前の残高 +NewSoldeCP=新規残高 alreadyCPexist=この期間は既に休暇申請が行われている。 UseralreadyCPexist=%sについては、この期間にすでに休暇申請が行われている。 groups=グループ users=ユーザ AutoSendMail=自動郵送 -NewHolidayForGroup=新規集団休暇申請 -SendRequestCollectiveCP=集団休暇申請の送信 +NewHolidayForGroup=新規一斉休暇 +SendRequestCollectiveCP=一斉休暇作成 AutoValidationOnCreate=自動検証 FirstDayOfHoliday=休暇申請の開始日 LastDayOfHoliday=休暇申請の終了日 HolidaysMonthlyUpdate=毎月の更新 ManualUpdate=手動更新 -HolidaysCancelation=休暇申請のキャンセルを残す +HolidaysCancelation=休暇申請のキャンセル EmployeeLastname=従業員の姓 EmployeeFirstname=従業員の名 TypeWasDisabledOrRemoved=休暇タイプ(id %s)が無効化または削除された @@ -144,7 +144,7 @@ WatermarkOnDraftHolidayCards=下書き休暇休暇申請の透かし HolidaysToApprove=承認する休日 NobodyHasPermissionToValidateHolidays=休暇申請を検証する権限は誰にもない HolidayBalanceMonthlyUpdate=休暇残額月次更新 -XIsAUsualNonWorkingDay=%sは、通常、非稼働日。 +XIsAUsualNonWorkingDay=%s は通常、非営業日 BlockHolidayIfNegative=残高がマイナスの場合はブロック LeaveRequestCreationBlockedBecauseBalanceIsNegative=残高がマイナスのため、休暇申請作成はブロックされた ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=休暇申請%sは下書きのままとし、取消済や拒否済のものは削除すること @@ -154,4 +154,4 @@ HolidayRecordIncreased=残業代増額 ConfirmMassIncreaseHoliday=一括休暇残金増額 NumberDayAddMass=選択に追加する日数 ConfirmMassIncreaseHolidayQuestion=選択済レコード(s) %s の休日を増やしてもよいか? -HolidayQtyNotModified=%s の残りの日数は変更されていません +HolidayQtyNotModified=%s の残日数残高は変更されていない diff --git a/htdocs/langs/ja_JP/hrm.lang b/htdocs/langs/ja_JP/hrm.lang index 86d9b71ea52..5e85191c145 100644 --- a/htdocs/langs/ja_JP/hrm.lang +++ b/htdocs/langs/ja_JP/hrm.lang @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=スキル作成時のランクのデフォルト deplacement=シフト DateEval=評価日 JobCard=仕事カード -JobPosition=仕事 -JobsPosition=仕事 +NewJobProfile=新しい職務プロフィール +JobProfile=仕事内容 +JobsProfiles=ジョブ プロファイル NewSkill=新しいスキル SkillType=スキルタイプ Skilldets=このスキルのランクのリスト @@ -36,7 +37,7 @@ rank=ランク ErrNoSkillSelected=スキルが選択されていない ErrSkillAlreadyAdded=このスキルは既にリストにある SkillHasNoLines=このスキルには行がない -skill=スキル +Skill=スキル Skills=スキル SkillCard=スキルカード EmployeeSkillsUpdated=従業員のスキルは更新済(従業員カードの「スキル」タブを参照) @@ -44,33 +45,36 @@ Eval=評価 Evals=評価 NewEval=新しい評価 ValidateEvaluation=評価を検証 -ConfirmValidateEvaluation=参照%s を使用してこの評価を検証してもよいか? +ConfirmValidateEvaluation=意思確認: この評価を検証したいか?参照番号 %s EvaluationCard=評価カード -RequiredRank=この仕事に必要なランク +RequiredRank=ジョブ プロファイルの必須ランク +RequiredRankShort=必要ランク +PositionsWithThisProfile=この求人プロフィールを持つポジション EmployeeRank=このスキルの従業員ランク +EmployeeRankShort=従業員 ランク EmployeePosition=従業員の役職 EmployeePositions=従業員の役職s EmployeesInThisPosition=この役職の従業員 group1ToCompare=分析するユーザグループ group2ToCompare=比較のための2番目のユーザグループ -OrJobToCompare=仕事のスキル要件と比較する +OrJobToCompare=ジョブ プロファイルのスキル要件と比較する difference=違い CompetenceAcquiredByOneOrMore=1人以上のユーザによって取得されたが、2番目のコンパレータによって要求されていない能力 -MaxlevelGreaterThan=要求されたレベルよりも大きい最大レベル -MaxLevelEqualTo=その需要に等しい最大レベル -MaxLevelLowerThan=その需要よりも低い最大レベル -MaxlevelGreaterThanShort=要求されたレベルよりも高い従業員レベル -MaxLevelEqualToShort=従業員レベルはその需要に等しい -MaxLevelLowerThanShort=その需要よりも低い従業員レベル +MaxlevelGreaterThan=従業員のレベルが期待以上に高い +MaxLevelEqualTo=従業員のレベルが期待されるレベルと等しい +MaxLevelLowerThan=従業員のレベルが期待レベルよりも低い +MaxlevelGreaterThanShort=予想以上のレベル +MaxLevelEqualToShort=期待レベルと同じレベル +MaxLevelLowerThanShort=予想よりもレベルが低い SkillNotAcquired=全ユーザが習得したわけではなく、2番目のコンパレータから要求されたスキル legend=凡例 TypeSkill=スキルタイプ -AddSkill=仕事にスキルを追加する -RequiredSkills=この仕事に必要なスキル +AddSkill=職務プロフィールにスキルを追加する +RequiredSkills=この職務プロファイルに必要なスキル UserRank=ユーザランク SkillList=スキルリスト SaveRank=ランクを保存 -TypeKnowHow=ノーハウ +TypeKnowHow=ノウハウ TypeHowToBe=あるべき姿 TypeKnowledge=知識 AbandonmentComment=放棄コメント @@ -85,8 +89,9 @@ VacantCheckboxHelper=このオプションをチェックすると、埋めら SaveAddSkill = 追加されたスキル(s) SaveLevelSkill = 保存されたスキル(s)レベル DeleteSkill = スキルが削除された -SkillsExtraFields=追加属性(コンピテンシー) -JobsExtraFields=追加属性(求人情報) -EvaluationsExtraFields=追加属性(評価) +SkillsExtraFields=補完的属性(スキル) +JobsExtraFields=補完的属性 (ジョブ プロファイル) +EvaluationsExtraFields=補完的属性(評価) NeedBusinessTravels=出張が必要 NoDescription=説明なし +TheJobProfileHasNoSkillsDefinedFixBefore=この従業員の評価された職務プロファイルにはスキル(s)が定義されていない。スキルを追加し、削除して評価を再開すること。 diff --git a/htdocs/langs/ja_JP/install.lang b/htdocs/langs/ja_JP/install.lang index eef2f22fff3..e06d829582a 100644 --- a/htdocs/langs/ja_JP/install.lang +++ b/htdocs/langs/ja_JP/install.lang @@ -129,7 +129,7 @@ MigrationCustomerOrderShipping=販売受注保管庫のための出荷を移行 MigrationShippingDelivery=出荷の保管庫をアップグレード MigrationShippingDelivery2=出荷 2 の保管庫をアップグレード MigrationFinished=マイグレーションが終了した -LastStepDesc= 最後のステップ:Dolibarrへの接続に使用するログインとパスワードを設定する。 他の全ユーザアカウント・追加のユーザアカウントを管理するためのマスターアカウントであるため、紛失しないようにして下さい。 +LastStepDesc=最後のステップ: ここで、Dolibarr への接続に使用するログインとパスワードを定義する。 これは、他のすべての/追加の ユーザ アカウントを管理するメイン アカウントであるため、紛失しないようにすること。 ActivateModule=モジュール%sを活性化する ShowEditTechnicalParameters=高度なパラメータを表示/編集するには、ここをクリックすること (エキスパートモード) WarningUpgrade=警告:\n最初にデータベースバックアップを実行したか?\nこれを強くお勧めする。このプロセス中にデータが失われる可能性があるため(たとえば、mysqlバージョン5.5.40 / 41/42/43のバグが原因)、移行を開始する前にデータベースの完全なダンプを取得することが不可欠。\n\n "OK" をクリックして移行プロセスを開始する... @@ -211,7 +211,7 @@ YouTryInstallDisabledByFileLock=アプリケーションは自己アップグレ YouTryUpgradeDisabledByMissingFileUnLock=アプリケーションは自己アップグレードを試みたが、アップグレード プロセスは現在許可されない。
      ClickHereToGoToApp=アプリケーションに移動するには、ここをクリックすること ClickOnLinkOrRemoveManualy=アップグレードが進行中の場合は、しばらく待つこと。そうでない場合は、次のリンクをクリックすること。この同じページが常に表示される場合は、documentsディレクトリのinstall.lockファイルを削除/名前変更する必要がある。 -ClickOnLinkOrCreateUnlockFileManualy=アップグレードが進行中の場合は、しばらく待つこと... そうでない場合は、ファイル upgrade.unlock を Dolibarr ドキュメント ディレクトリに作成する必要がある。 +ClickOnLinkOrCreateUnlockFileManualy=アップグレードが進行中の場合は、待つこと。そうでない場合、ファイル install.lock を削除するか、ファイル upgrade.unlock を作成する必要があり、場所は。 Dolibarr ドキュメント ディレクトリ。 Loaded=ロード済 FunctionTest=機能テスト NodoUpgradeAfterDB=データベースのアップグレード後、外部モジュールによって要求されたアクションはない diff --git a/htdocs/langs/ja_JP/main.lang b/htdocs/langs/ja_JP/main.lang index 12406a76760..d24e12c9927 100644 --- a/htdocs/langs/ja_JP/main.lang +++ b/htdocs/langs/ja_JP/main.lang @@ -36,7 +36,7 @@ NoTranslation=翻訳無し Translation=翻訳 Translations=翻訳 CurrentTimeZone=PHP(サーバー)のタイムゾーン -EmptySearchString=空文字以外の検索候補を入力 +EmptySearchString=空でない検索条件を入力すること EnterADateCriteria=日付基準を入力する NoRecordFound=レコードが見つからない NoRecordDeleted=削除されたレコードはない @@ -60,7 +60,7 @@ ErrorFailedToSendMail=メール送信に失敗 (送信者= %s、受信機= %s) ErrorFileNotUploaded=ファイルがアップロードされていない。最大許容超えないようにサイズを確認し、その空き領域がディスク上で使用可能であり、既にこのディレクトリ内の同じ名前のファイルが存在しないことに注意すること。 ErrorInternalErrorDetected=エラーを検出 ErrorWrongHostParameter=ホストパラメータに誤り -ErrorYourCountryIsNotDefined=あなたの国は定義されていない。ホーム-設定-編集に移動し、フォームを再度投稿する。 +ErrorYourCountryIsNotDefined=あなたの国は定義されていない。 ホーム-設定-法人/財団 に移動し、フォームを再度投稿する。 ErrorRecordIsUsedByChild=このレコードの削除に失敗しました。このレコードは、少なくとも1つの子レコードによって使用される。 ErrorWrongValue=値に誤り ErrorWrongValueForParameterX=パラメータ%s に対する値に誤り @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=エラー、国%s 'に対して定義さ ErrorNoSocialContributionForSellerCountry=エラー、国 '%s'に定義された社会/財政税タイプがない。 ErrorFailedToSaveFile=エラー、ファイルを保存に失敗しました。 ErrorCannotAddThisParentWarehouse=既に既存の倉庫の子である親倉庫を追加しようとしている +ErrorInvalidSubtype=選択したサブタイプは許可されない FieldCannotBeNegative=フィールド "%s" は負の値にはできない MaxNbOfRecordPerPage=パージ当たりの最大レコード数 NotAuthorized=その実行には権限が不足 @@ -103,9 +104,10 @@ RecordGenerated=レコード生成 LevelOfFeature=機能のレベル NotDefined=未定義 DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr認証モードは、構成ファイル conf.php%sに設定されている。
      これは、パスワードデータベースがDolibarrの外部にあるため、このフィールドを変更しても効果がない可能性があることを意味する。 -Administrator=管理者 +Administrator=システム管理者 +AdministratorDesc=システム管理者 (ユーザ、権限を管理できるほか、システム セットアップやモジュール構成も管理できる) Undefined=未定義 -PasswordForgotten=パスワードをお忘れか? +PasswordForgotten=パスワード忘れ? NoAccount=アカウントをお持ちでないか? SeeAbove=上記参照 HomeArea=ホーム @@ -211,8 +213,8 @@ Select=選択する SelectAll=すべて選択 Choose=選択する Resize=サイズを変更する +Crop=作物 ResizeOrCrop=サイズ変更またはトリミング -Recenter=recenterは Author=作成者 User=ユーザ Users=ユーザ @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=追加のセント +LT1GC=追加セント VATRate=税率 RateOfTaxN=税率%s VATCode=税率コード @@ -547,6 +549,7 @@ Reportings=報告 Draft=下書き Drafts=下書きs StatusInterInvoiced=請求済 +Done=済 Validated=検証済 ValidatedToProduce=検証済 (生成) Opened=開く @@ -698,6 +701,7 @@ Response=応答 Priority=優先順位 SendByMail=メールで送る MailSentBy=によって送信される電子メール +MailSentByTo=%s から %s に送信されたメール NotSent=送信されない TextUsedInTheMessageBody=電子メールの本文 SendAcknowledgementByMail=確定メールを送信する @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=レコードが正常に変更 RecordsModified=%sレコード(s)が変更された RecordsDeleted=%sレコード(s)が削除された RecordsGenerated=生成された%sレコード +ValidatedRecordWhereFound = 選択したレコードの一部はすでに検証されている。記録は削除されていない。 AutomaticCode=自動コード FeatureDisabled=機能が無効に MoveBox=ウィジェットの移動 @@ -764,11 +769,10 @@ DisabledModules=ディセーブルになっているモジュール For=のために ForCustomer=顧客のために Signature=署名 -DateOfSignature=署名日 HidePassword=隠されたパスワードを使用してコマンドを表示する UnHidePassword=明確なパスワードを使用して実際のコマンドを表示する Root=ルート -RootOfMedias=公開メディアのルート(/ medias) +RootOfMedias=パブリックメディアのルート (/medias) Informations=情報 Page=ページ Notes=メモ @@ -903,7 +907,7 @@ MassFilesArea=大量アクションによって作成されたファイルの領 ShowTempMassFilesArea=大量アクションによって作成されたファイルの領域を表示する ConfirmMassDeletion=一括削除確定 ConfirmMassDeletionQuestion=選択した%sレコード(s)を削除してもよいか? -ConfirmMassClone=バルククローンの確認 +ConfirmMassClone=バルククローンの確定 ConfirmMassCloneQuestion=クローン先のプロジェクトを選択 ConfirmMassCloneToOneProject=プロジェクト %s へのクローン RelatedObjects=関連オブジェクト @@ -916,6 +920,7 @@ BackOffice=バックオフィス Submit=提出 View=見る Export=Export +Import=輸入 Exports=Exports ExportFilteredList=フィルタリングされたリストをエクスポートする ExportList=エクスポートリスト @@ -949,7 +954,7 @@ BulkActions=一括動作s ClickToShowHelp=クリックしてツールチップのヘルプを表示 WebSite=ウェブサイト WebSites=ウェブサイト -WebSiteAccounts=ウェブサイトアカウント +WebSiteAccounts=Web アクセス アカウント ExpenseReport=経費報告書 ExpenseReports=経費報告書s HR=人事 @@ -1077,6 +1082,7 @@ CommentPage=コメントスペース CommentAdded=コメントを追加 CommentDeleted=コメントを削除 Everybody=皆 +EverybodySmall=皆 PayedBy=によって支払われました PayedTo=に支払われる Monthly=毎月 @@ -1089,7 +1095,7 @@ KeyboardShortcut=キーボードショートカット AssignedTo=影響を受ける Deletedraft=下書きを削除する ConfirmMassDraftDeletion=下書き大量削除確約 -FileSharedViaALink=公開リンクと共有されているファイル +FileSharedViaALink=パブリック ファイル がリンク経由で共有された SelectAThirdPartyFirst=最初に取引先を選択すること... YouAreCurrentlyInSandboxMode=現在、%s「サンドボックス」モードになっている Inventory=目録 @@ -1123,7 +1129,7 @@ ContactDefault_project_task=タスク ContactDefault_propal=提案 ContactDefault_supplier_proposal=サプライヤー提案 ContactDefault_ticket=チケット -ContactAddedAutomatically=連絡先の取引先の役割から追加された連絡先 +ContactAddedAutomatically=取引先 連絡先の役割から連絡先が追加された More=もっと ShowDetails=詳細を表示 CustomReports=カスタム報告書s @@ -1163,8 +1169,8 @@ AffectTag=タグを割り当てる AffectUser=ユーザーを割り当てる SetSupervisor=スーパーバイザを設定する CreateExternalUser=外部ユーザを作成する -ConfirmAffectTag=タグの一括割り当て -ConfirmAffectUser=一括ユーザ割り当て +ConfirmAffectTag=一括 タグ 割当 +ConfirmAffectUser=一括 ユーザ 割当 ProjectRole=各プロジェクト/機会に割り当てられた役割 TasksRole=各タスクに割り当てられた役割 (使用されてれば) ConfirmSetSupervisor=バルク スーパーバイザ 設定 @@ -1208,7 +1214,7 @@ CanceledShown=表示済キャンセル済 Terminate=終了する Terminated=解除された AddLineOnPosition=位置に行を追加(空の場合は最後に) -ConfirmAllocateCommercial=営業担当者の確認を割り当てる +ConfirmAllocateCommercial=営業担当者割当確定 ConfirmAllocateCommercialQuestion=選択した%sレコード(s)を割り当ててもよいか? CommercialsAffected=営業担当者の割り当て CommercialAffected=営業担当者の割り当て @@ -1222,7 +1228,7 @@ UserAgent=ユーザエージェント InternalUser=内部ユーザ ExternalUser=外部ユーザ NoSpecificContactAddress=特定の連絡先や住所なし -NoSpecificContactAddressBis=このタブは、現在のオブジェクトの特定の連絡先またはアドレスを強制するためのもの。サードパーティに関する情報が十分でないか正確でない場合に、オブジェクトに対して 1 つまたは複数の特定の連絡先またはアドレスを定義する場合にのみ使用すること。 +NoSpecificContactAddressBis=このタブは、現在のオブジェクトに特定の連絡先またはアドレスを強制する専用のタブ。 取引先 の情報が不十分または正確でない場合に、オブジェクトに対して 1 つまたは複数の特定の連絡先またはアドレスを定義する場合にのみ使用すること。 HideOnVCard=%s を隠す AddToContacts=連絡先にアドレスを追加 LastAccess=最終アクセス @@ -1239,3 +1245,18 @@ DateOfPrinting=印刷日 ClickFullScreenEscapeToLeave=ここをクリックして全画面モードに切り替える。 ESCAPE を押して全画面モードを終了する。 UserNotYetValid=まだ有効でない UserExpired=期限切れ +LinkANewFile=新規ファイル/ドキュメントをリンクする +LinkedFiles=ファイルとドキュメントをリンクした +NoLinkFound=リンクは登録されていない +LinkComplete=ファイルを正常にリンクした +ErrorFileNotLinked=ファイルをリンクできなかった +LinkRemoved=リンク %s が削除された +ErrorFailedToDeleteLink= リンク '%s' を削除できなかった +ErrorFailedToUpdateLink= リンク '%s' を更新できなかった +URLToLink=リンクの URL +OverwriteIfExists=ファイル が存在する場合は上書きする +AmountSalary=給与額 +InvoiceSubtype=請求書のサブタイプ +ConfirmMassReverse=一括リバース確定 +ConfirmMassReverseQuestion=%s 選択したレコード(s)を元に戻してもよろしい か? + diff --git a/htdocs/langs/ja_JP/members.lang b/htdocs/langs/ja_JP/members.lang index 82e4027afd3..5d0e02a17d4 100644 --- a/htdocs/langs/ja_JP/members.lang +++ b/htdocs/langs/ja_JP/members.lang @@ -101,7 +101,7 @@ VoteAllowed=許可される投票 Physical=個人 Moral=株式会社 MorAndPhy=法人および個人 -Reenable=再有効化 +Reenable=再度有効にする ExcludeMember=構成員を除外する Exclude=除外する ConfirmExcludeMember=この構成員を除外してもよいか? @@ -128,7 +128,7 @@ String=文字列 Text=テキスト Int=int型 DateAndTime=日時 -PublicMemberCard=構成員公開カード +PublicMemberCard=一般会員カード SubscriptionNotRecorded=拠出金記録未済 AddSubscription=拠出金作成 ShowSubscription=拠出金を表示 @@ -138,7 +138,7 @@ SendingEmailOnAutoSubscription=自動登録に関するメールの送信 SendingEmailOnMemberValidation=新規構成員の承認に関するメールの送信 SendingEmailOnNewSubscription=新しい拠出金に関するメールの送信 SendingReminderForExpiredSubscription=期限切れの拠出金のリマインダーを送信する -SendingEmailOnCancelation=キャンセル時にメールを送信する +SendingEmailOnCancelation=キャンセル時のメール送信 SendingReminderActionComm=議題イベントのリマインダーを送信する # Topic of email templates YourMembershipRequestWasReceived=成員資格を受取った。 @@ -159,7 +159,7 @@ DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=構成員の自動登録で構成員に DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=構成員に対して構成員の承認についてのメールを送信する際使用するテンプレート DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=新しい拠出金の記録について構成員にメールを送信するために使用するメールテンプレート DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=拠出金の有効期限が近づいたときにメールリマインダーを送信するために使用するメールテンプレート -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=構成員に対して構成員のキャンセルについてのメールを送信する際使用するテンプレート +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=メンバーのキャンセル時にメンバーに電子メールを送信するために使用する電子メール テンプレート DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=構成員の除外時に構成員に電子メールを送信するために使用する電子メールテンプレート DescADHERENT_MAIL_FROM=自動メールの送信者メール DescADHERENT_CC_MAIL_FROM=自動電子メールのコピーを次の宛先に送信する @@ -175,7 +175,7 @@ HTPasswordExport=htpasswordファイルの生成 NoThirdPartyAssociatedToMember=この構成員に関連付けられている取引先はない MembersAndSubscriptions=構成員と拠出金 MoreActions=記録上の相補的なアクション -MoreActionsOnSubscription=寄付を記録するときにデフォルトで提案される補完的なアクション。寄付のオンライン支払でも自動的に実行される +MoreActionsOnSubscription=寄付を記録するときにデフォルトで提案される補完的なアクション。寄付のオンライン支払いでも自動的に実行される。 MoreActionBankDirect=銀行口座に直接エントリを作成する MoreActionBankViaInvoice=請求書と銀行口座での支払を作成する MoreActionInvoiceOnly=なし支払で請求書を作成する。 @@ -207,6 +207,7 @@ LatestSubscriptionDate=最新の拠出金発生日 MemberNature=構成員の性質 MembersNature=構成員の性質 Public=%s は私のメンバーシップを の公開登録 で公開できる +MembershipPublic=パブリックメンバーシップ NewMemberbyWeb=新規構成員が追加された。承認待ち。 NewMemberForm=新規構成員フォーム SubscriptionsStatistics=拠出金統計 @@ -217,11 +218,11 @@ DefaultAmount=デフォルトの拠出額 (メンバー タイプ レベルで MinimumAmount=最低額(寄付額が無料の場合のみ使用) CanEditAmount=サブスクリプション金額はメンバーが定義できる CanEditAmountDetail=訪問者は、メンバーの種類に関係なく、寄付の金額を選択/編集できる -AmountIsLowerToMinimumNotice=sur un dû total de %s -MEMBER_NEWFORM_PAYONLINE=オンライン登録後、オンライン決済ページに自動的に切り替わる +AmountIsLowerToMinimumNotice=金額が最小値 %s を下回っている +MEMBER_NEWFORM_PAYONLINE=オンライン登録後、自動的に をオンライン支払いページに切り替える。 ByProperties=本質的に MembersStatisticsByProperties=性質別構成員統計 -VATToUseForSubscriptions=拠出金に使用するVAT率 +VATToUseForSubscriptions=寄付に使用する VAT 税率 NoVatOnSubscription=拠出金にはVATなし ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=請求書での拠出金行に使用される製品:%s NameOrCompany=名前または法人 @@ -229,15 +230,17 @@ SubscriptionRecorded=記録された貢献 NoEmailSentToMember=構成員にメールが送信されていない EmailSentToMember=%sでで構成員に送信された電子メール SendReminderForExpiredSubscriptionTitle=期限切れの拠出金についてメールでリマインダーを送信する -SendReminderForExpiredSubscription=拠出金の有効期限が近づいたときに、構成員にメールでリマインダーを送信 ( パラメーターは、成員資格が終了する前にリマインダーを送信する日数。セミコロンで区切った日数のリストにできる。例:'10; 5; 0; -5' ) +SendReminderForExpiredSubscription=寄付の有効期限が近づいたら、メンバーに電子メールでリマインダーを送信する (パラメーターは、メンバーシップが終了する何日前にリマインダーを送信するかを指定する。セミコロンで区切られた日数のリストにすることができる、 例: '10;5;0;-5') MembershipPaid=現在の期間に支払われた成員資格(%sまで) YouMayFindYourInvoiceInThisEmail=このメールに請求書が添付されている場合がある XMembersClosed=構成員(s)%s件をクローズ XExternalUserCreated=%s外部ユーザ(s)が作成された ForceMemberNature=強制構成員の性質(個人または法人) CreateDolibarrLoginDesc=構成員のユーザログインを作成すると、構成員はアプリケーションに接続できる。付与された権限に応じて、たとえば、自分でファイルを調べたり変更したりできる。 -CreateDolibarrThirdPartyDesc=取引先とは法人であり、拠出金ごとに請求書生成することにした場合に請求書で使用される。後から、拠出金を記録するプロセスにて作成できる。 +CreateDolibarrThirdPartyDesc=取引先 とは法人であり、寄付ごとに請求書を生成すると決めた場合に請求書にて使用される。後ほど寄付を記録する処理中にて作成することもできる。 MemberFirstname=メンバの名 MemberLastname=メンバの姓 MemberCodeDesc=すべてのメンバーに固有のメンバーコード NoRecordedMembers=登録メンバーなし +MemberSubscriptionStartFirstDayOf=メンバーシップの開始日は、メンバーシップの初日に相当する。 +MemberSubscriptionStartAfter=更新を除くサブスクリプションの開始日が発効するまでの最低期間 (例: +3m = +3 か月、-5d = -5 日、+1Y = +1 年) diff --git a/htdocs/langs/ja_JP/modulebuilder.lang b/htdocs/langs/ja_JP/modulebuilder.lang index e4aaa6c4382..188f93d497c 100644 --- a/htdocs/langs/ja_JP/modulebuilder.lang +++ b/htdocs/langs/ja_JP/modulebuilder.lang @@ -40,7 +40,7 @@ EditorName=編集者の名前 EditorUrl=編集者のURL DescriptorFile=モジュールの記述子ファイル ClassFile=PHP DAOCRUDクラスのファイル -ApiClassFile=PHPAPIクラスのファイル +ApiClassFile=モジュールの API ファイル PageForList=レコードのリストのPHPページ PageForCreateEditView=レコードを作成/編集/表示するためのPHPページ PageForAgendaTab=イベントタブのPHPページ @@ -57,7 +57,7 @@ RegenerateMissingFiles=不足しているファイルを生成する SpecificationFile=ドキュメントのファイル LanguageFile=言語のファイル ObjectProperties=オブジェクトのプロパティ -Property=適当 +Property=財産 PropertyDesc=プロパティは、オブジェクトを特徴付ける属性。この属性には、コード、ラベル、およびいくつかのオプションを持つタイプがある。 ConfirmDeleteProperty=プロパティ%s を削除してもよいか?これにより、PHPクラスのコードが変更されるが、オブジェクトのテーブル定義から列も削除される。 NotNull=NULLではない @@ -71,7 +71,7 @@ ArrayOfKeyValues=key-valの配列 ArrayOfKeyValuesDesc=フィールドが固定値のコンボリストの場合のキーと値の配列 WidgetFile=ウィジェットファイル CSSFile=CSSファイル -JSFile=Javascriptファイル +JSFile=JavaScript ファイル ReadmeFile=Readmeファイル ChangeLog=ChangeLogファイル TestClassFile=PHPユニットテストクラスのファイル @@ -92,8 +92,8 @@ ListOfMenusEntries=メニューエントリのリスト ListOfDictionariesEntries=辞書エントリのリスト ListOfPermissionsDefined=定義された権限のリスト SeeExamples=こちらの例を見ること -EnabledDesc=このフィールドをアクティブにする条件。

      例:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=フィールドは表示されているか? (例: 0=表示されない、1=リストおよび作成/更新/表示フォームで表示される、2=リストでのみ表示される、3=作成/更新/表示フォームでのみ表示される (リストを除く)、4=リストおよび更新/表示フォームで表示される(作成を除く)、 5=リストおよび表示フォームで表示される(作成と更新を除く)。

      負の値を使用すると、フィールドはデフォルトではリストに表示されないが、表示用に選択できることを意味する)。 +EnabledDesc=このフィールドをアクティブにする条件。

      例:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')= =2 +VisibleDesc=フィールドは表示されているか? (例: 0=不可視、1=リストおよびフォームの作成/更新/表示で可視、2=リストでのみ可視、3=フォームの作成/更新/表示でのみ可視(リストでは不可視)、4=リストおよび更新/表示フォームのみ可視 (非作成)、5= リストと表示フォームのみ可視 (非作成、非更新)。

      負の値を使用すると、フィールドはデフォルトではリストに非表示だが、可視として選択可能になる)。 ItCanBeAnExpression=表現となりえるもの。例:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 DisplayOnPdfDesc=互換性のある PDF ドキュメントでこのフィールドを表示すると、「位置」フィールドで位置を管理できる。
      ドキュメントに対して:
      0 = 非表示
      1 = 表示
      2 = 空以外なら表示

      ドキュメントの行に対して :
      0 = 非表示
      1 = 1欄に表示
      3 = 説明の後の行説明欄に表示
      4 = 空以外なら、説明の後の説明欄に表示 DisplayOnPdf=PDFで @@ -107,7 +107,7 @@ PermissionsDefDesc=モジュールによって提供される新規権限をこ MenusDefDescTooltip=モジュール/アプリケーションによって提供されるメニューは、モジュール記述子ファイルの配列 $ this->menusに定義されている。このファイルを手動で編集するか、埋め込みエディターを使用できる。

      注:定義されると(およびモジュールが再活性化されると)、メニューは%sの管理者ユーザが使用できるメニューエディターにも表示される。 DictionariesDefDescTooltip=モジュール/アプリケーションによって提供されるディクショナリは、モジュール記述子ファイルの配列 $ this-> dictionariesに定義されている。このファイルを手動で編集するか、埋め込みエディターを使用できる。

      注:定義(およびモジュールの再活性化)が完了すると、%sの管理者ユーザには辞書も設定領域に表示される。 PermissionsDefDescTooltip=モジュール/アプリケーションによって提供されるアクセス許可は、配列 $ this-> rightsにモジュール記述子ファイルに定義される。このファイルを手動で編集するか、埋め込みエディターを使用できる。

      注:定義されると(およびモジュールが再活性化されると)、アクセス許可はデフォルトのアクセス許可設定%sに表示される。 -HooksDefDesc=定義する:管理したいフックのコンテキストを module_parts['hooks'] プロパティのモジュール記述子の中に。 (コンテキストのリストは、コアコードで 'initHooks(' を検索すると見つかる).
      編集する:フックされた関数のコードを追加するためのフックファイルを。 (フック可能な関数は、コアコードで 'executeHooks' を検索すると見つかる). +HooksDefDesc=プロパティ module_parts['hooks']にて, モジュール記述子 ファイルにて、フックの実行を必要とするコンテキストのリストを定義する (可能なコンテキストのリストを探すにはコアコードの 'initHooks(' を検索).
      次に、フックされる関数のコードを含むフックコードを有するファイルを編集する (フック可能関数のリストを探すにはコアコードにて 'executeHooks' を検索). TriggerDefDesc=モジュールの外部のビジネスイベント(他のモジュールによってトリガーされるイベント)が実行されるときに実行するコードをトリガーファイルで定義する。 SeeIDsInUse=インストールで使用されているIDを確認する SeeReservedIDsRangeHere=予約済IDの範囲を参照すること @@ -128,7 +128,7 @@ RealPathOfModule=モジュールの実際のパス ContentCantBeEmpty=ファイルの内容を空にすることはできない WidgetDesc=ここで、モジュールに埋め込まれるウィジェットを生成および編集できる。 CSSDesc=ここで、モジュールにパーソナライズされたCSSが埋め込まれたファイルを生成および編集できる。 -JSDesc=ここで、モジュールにパーソナライズされたJavascriptが埋め込まれたファイルを生成および編集できる。 +JSDesc=ここで、モジュールに埋め込まれたパーソナライズされた JavaScript を使用して ファイル を生成および編集できる。 CLIDesc=ここで、モジュールで提供するコマンドラインスクリプトをいくつか生成できる。 CLIFile=CLIファイル NoCLIFile=CLIファイルがない @@ -148,8 +148,8 @@ CSSViewClass=読取フォーム用CSS CSSListClass=リストのCSS NotEditable=編集不可 ForeignKey=外部キー -ForeignKeyDesc=このフィールドの値が別のテーブルに存在することを保証する必要がある場合。構文に一致する値をここに入力する: tablename.parentfieldtocheck -TypeOfFieldsHelp=例:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1' は、レコードを作成するコンボの後に + ボタンを追加することを意味する
      'filter' はSQL 条件、例: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' +ForeignKeyDesc=このフィールドの値が別のテーブルに存在することを保証する必要がある場合。ここに構文に一致する値を入力する: tablename.parentfield tocheck +TypeOfFieldsHelp=例:
      varchar(99)
      email
      phone
      ip
      url
      password
      double(24,8)
      real
      text
      html
      date
      datetime
      timestamp
      integer
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]

      '1' の意味は、レコード作成のためにコンボの後に + ボタンを追加すること
      'filter' はユニバーサル フィルタ構文条件、例: '((status:=:1) AND (fk_user:=:__USER_ID__) AND (entity:IN:(__SHARED_ENTITIES__))' TypeOfFieldsHelpIntro=これは、フィールド/属性のタイプ。 AsciiToHtmlConverter=アスキーからHTMLへのコンバーター AsciiToPdfConverter=アスキーからPDFへのコンバーター @@ -181,3 +181,9 @@ FailedToAddCodeIntoDescriptor=記述子にコードを追加できないでし DictionariesCreated=辞書 %s が正常に作成された DictionaryDeleted=辞書 %s が正常に削除された PropertyModuleUpdated=プロパティ %s は正常に更新された +InfoForApiFile=* 初めてファイルを生成すると、すべてのメソッドが オブジェクトごとに.作成される
      * 削除にてクリックすると、 選択したオブジェクトのすべてのメソッドだけを削除する。 +SetupFile=モジュールセットアップのページ +EmailingSelectors=メール送信セレクター +EmailingSelectorDesc=ここでクラス ファイルを生成および編集して、一括メール送信モジュールに新しいメール ターゲット セレクターを提供できる。 +EmailingSelectorFile=メール セレクター ファイル +NoEmailingSelector=メール セレクターなし ファイル diff --git a/htdocs/langs/ja_JP/oauth.lang b/htdocs/langs/ja_JP/oauth.lang index 36347fdeba4..99a86dea62b 100644 --- a/htdocs/langs/ja_JP/oauth.lang +++ b/htdocs/langs/ja_JP/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=トークンを削除した GetAccess=ここをクリックしてトークンを取得 RequestAccess=アクセスをリクエスト/更新して新しいトークンを受け取るには、ここをクリックすること DeleteAccess=トークンを削除するには、ここをクリックすること -UseTheFollowingUrlAsRedirectURI=OAuthプロバイダーで認証情報を作成するときは、リダイレクトURIとして次のURLを使用する。 +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=OAuth2トークンプロバイダーを追加する。次に、OAuthプロバイダーの管理ページに移動してOAuth IDとシークレットを作成/取得し、ここに保存する。完了したら、他のタブをオンにしてトークンを生成する。 OAuthSetupForLogin=OAuthトークンを管理(生成/削除)するページ SeePreviousTab=前のタブを表示 diff --git a/htdocs/langs/ja_JP/opensurvey.lang b/htdocs/langs/ja_JP/opensurvey.lang index 4fc242fbad5..c4d9b215114 100644 --- a/htdocs/langs/ja_JP/opensurvey.lang +++ b/htdocs/langs/ja_JP/opensurvey.lang @@ -11,7 +11,7 @@ PollTitle=投票タイトル ToReceiveEMailForEachVote=投票ごとにメールを受け取る TypeDate=日付を入力 TypeClassic=タイプスタンダード -OpenSurveyStep2=休日(灰色)の中から日付を選択する。選択した日は緑色。以前に選択した日をもう一度クリックすると、選択を解除できる +OpenSurveyStep2=空き日 (グレー) から日付を選択すること。選択した日は緑色で表示される。以前に選択した日を再度クリックすると、選択を解除できる RemoveAllDays=全日を削除する CopyHoursOfFirstDay=初日のコピー時間 RemoveAllHours=全時間を削除する @@ -61,3 +61,4 @@ SurveyExpiredInfo=投票が終了したか、投票の遅延が期限切れに EmailSomeoneVoted=%sが行を埋めました。\nあなたはリンクであなたの投票を見つけることができる:\n%s ShowSurvey=アンケートを表示 UserMustBeSameThanUserUsedToVote=コメントを投稿するには、投票して、投票に使用したのと同じユーザ名を使用する必要がある +ListOfOpenSurveys=公開調査のリスト diff --git a/htdocs/langs/ja_JP/other.lang b/htdocs/langs/ja_JP/other.lang index 9f391e07f0d..44bc9a97123 100644 --- a/htdocs/langs/ja_JP/other.lang +++ b/htdocs/langs/ja_JP/other.lang @@ -31,7 +31,7 @@ PreviousYearOfInvoice=請求日の前年 NextYearOfInvoice=請求日の翌年 DateNextInvoiceBeforeGen=次の請求書の日付(生成前) DateNextInvoiceAfterGen=次の請求書の日付(生成後) -GraphInBarsAreLimitedToNMeasures=Grapicsは、「バー」モードの%sメジャーに制限されている。代わりに、モード「ライン」が自動的に選択された。 +GraphInBarsAreLimitedToNMeasures=「バー」モードでは、グラフィックは %s メジャーに制限される。代わりにモード「ライン」が自動的に選択された。 OnlyOneFieldForXAxisIsPossible=現在、X軸として使用できるフィールドは1つだけ 。最初に選択されたフィールドのみが選択されている。 AtLeastOneMeasureIsRequired=測定には少なくとも1つのフィールドが必要 AtLeastOneXAxisIsRequired=X軸には少なくとも1つのフィールドが必要 @@ -45,6 +45,7 @@ Notify_ORDER_CLOSE=販売注文が納品された Notify_ORDER_SUPPLIER_SENTBYMAIL=電子メールで送信された購買発注 Notify_ORDER_SUPPLIER_VALIDATE=記録された購買発注 Notify_ORDER_SUPPLIER_APPROVE=購買発注が承認された +Notify_ORDER_SUPPLIER_SUBMIT=発注書が送信された Notify_ORDER_SUPPLIER_REFUSE=購買発注が拒否された Notify_PROPAL_VALIDATE=顧客の提案は検証済 Notify_PROPAL_CLOSE_SIGNED=顧客提案は署名された @@ -63,9 +64,10 @@ Notify_BILL_SENTBYMAIL=メールで送信された顧客への請求書 Notify_BILL_SUPPLIER_VALIDATE=仕入先の請求書は検証済 Notify_BILL_SUPPLIER_PAYED=支払われたベンダーの請求書 Notify_BILL_SUPPLIER_SENTBYMAIL=メールで送信されるベンダーの請求書 -Notify_BILL_SUPPLIER_CANCELED=ベンダーの請求書がキャンセルされた +Notify_BILL_SUPPLIER_CANCELED=仕入先 請求書がキャンセル済 Notify_CONTRACT_VALIDATE=契約は検証済 Notify_FICHINTER_VALIDATE=出張は検証済 +Notify_FICHINTER_CLOSE=介入は終了した Notify_FICHINTER_ADD_CONTACT=介入への連絡先を追加 Notify_FICHINTER_SENTBYMAIL=郵送による介入 Notify_SHIPPING_VALIDATE=送料は検証済 @@ -190,7 +192,11 @@ EnableGDLibraryDesc=このオプションを使用するには、PHPインスト ProfIdShortDesc=プロフID %sは、取引先の国に応じた情報 。
      たとえば、国%sに対して、コードは%s 。 DolibarrDemo=Dolibarr ERP / CRMデモ StatsByAmount=製品・サービスの量に関する統計 +StatsByAmountProducts=製品 の量に関する統計 +StatsByAmountServices=サービス量に関する統計 StatsByNumberOfUnits=製品/サービスの数量の合計の統計 +StatsByNumberOfUnitsProducts=製品 の合計数量の統計 +StatsByNumberOfUnitsServices=サービス数量の合計に関する統計 StatsByNumberOfEntities=参照エンティティの数の統計(請求書または注文の数...) NumberOf=%sの数 NumberOfUnits=%s のユニット数 @@ -198,6 +204,7 @@ AmountIn=%sの金額 NumberOfUnitsMos=製造指図で生産するユニットの数 EMailTextInterventionAddedContact=新規介入%sが割り当てられた。 EMailTextInterventionValidated=出張%sは検証済。 +EMailTextInterventionClosed=介入%sは終了した。 EMailTextInvoiceValidated=請求書%sは検証済。 EMailTextInvoicePayed=請求書%sが支払われた。 EMailTextProposalValidated=提案%sは検証済。 @@ -207,11 +214,10 @@ EMailTextProposalClosedRefused=提案 %s は拒否にて終了。 EMailTextProposalClosedRefusedWeb=提案 %s はポータル ページで拒否にて終了。 EMailTextOrderValidated=注文%sは検証済。 EMailTextOrderClose=注文品%sが配達された。 -EMailTextOrderApproved=注文%sが承認された。 -EMailTextOrderValidatedBy=注文%sは%sによって記録された。 -EMailTextOrderApprovedBy=注文%sは%sによって承認された。 -EMailTextOrderRefused=注文%sは拒否された。 -EMailTextOrderRefusedBy=注文%sは%sによって拒否された。 +EMailTextSupplierOrderApprovedBy=注文書 %s は %s によって承認された。 +EMailTextSupplierOrderValidatedBy=注文書 %s は %s によって記録された。 +EMailTextSupplierOrderSubmittedBy=注文書 %s は %s によって送信された。 +EMailTextSupplierOrderRefusedBy=注文書 %s は %s によって拒否された。 EMailTextExpeditionValidated=出荷%sは検証済。 EMailTextExpenseReportValidated=経費報告書%sは検証済。 EMailTextExpenseReportApproved=経費報告書%sが承認された。 @@ -289,10 +295,12 @@ LinesToImport=インポートする行 MemoryUsage=メモリ使用量 RequestDuration=要求の期間 -ProductsPerPopularity=人気別の製品/サービス -PopuProp=提案の人気による製品/サービス -PopuCom=注文の人気別の製品/サービス -ProductStatistics=製品/サービス統計 +ProductsServicesPerPopularity=製品|人気順のサービス +ProductsPerPopularity=製品 人気順 +ServicesPerPopularity=人気順のサービス +PopuProp=製品|提案における人気順のサービス +PopuCom=製品|注文の人気順のサービス +ProductStatistics=製品|サービス統計 NbOfQtyInOrders=注文数量 SelectTheTypeOfObjectToAnalyze=オブジェクトを選択してその統計を表示する... diff --git a/htdocs/langs/ja_JP/partnership.lang b/htdocs/langs/ja_JP/partnership.lang index e8fbdcc6ef8..2134118aa4a 100644 --- a/htdocs/langs/ja_JP/partnership.lang +++ b/htdocs/langs/ja_JP/partnership.lang @@ -38,10 +38,10 @@ ListOfPartnerships=パートナーシップのリスト PartnershipSetup=パートナーシップの設定 PartnershipAbout=パートナーシップについて PartnershipAboutPage=ページについてのパートナーシップ -partnershipforthirdpartyormember=パートナー 状態は「取引先」または「構成員」に設定する必要がある +partnershipforthirdpartyormember=パートナー ステータスは「取引先」または「メンバー」に設定する必要がある PARTNERSHIP_IS_MANAGED_FOR=パートナーシップ管理は PARTNERSHIP_BACKLINKS_TO_CHECK=チェックするバックリンク -PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=サブスクリプションの有効期限が切れた場合にパートナーシップの状態をキャンセルするまでの日数 +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=サブスクリプションの有効期限が切れたときにパートナーシップのステータスをキャンセルするまでの日数 ReferingWebsiteCheck=参考ウェブサイトの確認 ReferingWebsiteCheckDesc=パートナーが独自の ウェブサイトに ウェブサイト ドメインへのバックリンクを追加したことを確認する機能を有効にできる。 PublicFormRegistrationPartnerDesc=Dolibarrは、外部の訪問者がパートナーシッププログラムへの参加を要求できるように、公開URL/ウェブサイトを提供できる。 @@ -82,10 +82,10 @@ YourPartnershipRefusedTopic=パートナーシップは拒否された YourPartnershipAcceptedTopic=パートナーシップが受け入れられた YourPartnershipCanceledTopic=パートナーシップがキャンセルされた -YourPartnershipWillSoonBeCanceledContent=パートナーシップはまもなくキャンセルされる(バックリンクが見つからない) -YourPartnershipRefusedContent=パートナーシップの要求が拒否されたことをお知らせする。 -YourPartnershipAcceptedContent=パートナーシップの要求が受理されたことをお知らせする。 -YourPartnershipCanceledContent=パートナーシップがキャンセルされたことをお知らせする。 +YourPartnershipWillSoonBeCanceledContent=私たちのパートナーシップがまもなくキャンセルされることをお知らせいたする (更新されなかったか、パートナーシップの前提条件が満たされていませんでした)。エラーで届いた場合は連絡を乞う。 +YourPartnershipRefusedContent=あなたのパートナーシップのリクエストが拒否されたことをお知らせする。前提条件が満たされていません。さらに詳しい情報が必要な場合は、連絡を乞う。 +YourPartnershipAcceptedContent=あなたのパートナーシップリクエストが受理されたことをお知らせする。 +YourPartnershipCanceledContent=弊社との提携が解除されたことをお知らせいたする。さらに詳しい情報が必要な場合は、連絡を乞う。 CountLastUrlCheckError=最後のURLチェックのエラー数 LastCheckBacklink=最後のURLチェックの日付 @@ -95,3 +95,5 @@ NewPartnershipRequest=新しいパートナーシップリクエスト NewPartnershipRequestDesc=このフォームでは、パートナーシッププログラムへの参加をリクエストできる。このフォームへの記入についてサポートが必要な場合は、メール%sまでご連絡ください。 ThisUrlMustContainsAtLeastOneLinkToWebsite=このページには、次のドメインのいずれかへのリンクが少なくとも 1 つ含まれている必要がある: %s +IPOfApplicant=申請者のIPアドレス + diff --git a/htdocs/langs/ja_JP/products.lang b/htdocs/langs/ja_JP/products.lang index 21c6b8b19d2..963a1a4a07a 100644 --- a/htdocs/langs/ja_JP/products.lang +++ b/htdocs/langs/ja_JP/products.lang @@ -80,8 +80,11 @@ SoldAmount=販売額 PurchasedAmount=購入金額 NewPrice=新価格 MinPrice=最小販売価格 +MinPriceHT=最低販売価格(税抜) +MinPriceTTC=分。販売価格(税込) EditSellingPriceLabel=販売価格ラベルを編集する -CantBeLessThanMinPrice=販売価格は、本製品(税抜き%s)に許可される最小値より小さくなることはない。あなたはあまりにも重要な割引を入力した場合にも、このメッセージが表示される。 +CantBeLessThanMinPrice=販売価格は、この 製品 に許可されている最低価格 (税抜き %s) を下回ることはできない。このメッセージは、大幅な割引を入力した場合にも表示されることがある。 +CantBeLessThanMinPriceInclTax=販売価格は、この 製品 で許可されている最低価格 (%s 税込み) を下回ることはできない。このメッセージは、ひどく重要な割引を入力した場合にも表示されることがある。 ContractStatusClosed=閉じた ErrorProductAlreadyExists=参照%sした製品は既に存在している。 ErrorProductBadRefOrLabel=参照またはラベルの間違った値。 @@ -347,16 +350,17 @@ UseProductFournDesc=顧客に関する説明に加え、(仕入先参照ごと ProductSupplierDescription=製品の仕入先の説明 UseProductSupplierPackaging=「パッケージ化」機能を使用して、数量を特定の倍数に丸める (仕入先文書の行を追加/更新するときに、製品の購入価格に設定されている高い倍数に従って数量と購入価格を再計算する)。 PackagingForThisProduct=数量のパッケージ化 -PackagingForThisProductDesc=この数量の倍数を自動的に購入する。 +PackagingForThisProductDesc=この数量の倍数を自動的に購入することになります。 QtyRecalculatedWithPackaging=ラインの数量は、サプライヤーのパッケージに従って再計算された #Attributes +Attributes=属性 VariantAttributes=バリアント属性 ProductAttributes=製品のバリアント属性 ProductAttributeName=バリアント属性%s ProductAttribute=バリアント属性 ProductAttributeDeleteDialog=この属性を削除してもよいか?全値が削除される -ProductAttributeValueDeleteDialog=この属性の「%s」を参照して値「%s」を削除してもよいか? +ProductAttributeValueDeleteDialog=意思確認:この属性から 値「%s」を削除したいか? 参照番号「%s」 ProductCombinationDeleteDialog=製品「%s」のバリアントを削除してもよいか? ProductCombinationAlreadyUsed=バリアントの削除中にエラーが発生した。どのオブジェクトにも使用されていないことを確認すること ProductCombinations=バリアント @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=既存の製品バリアントを削除しよう NbOfDifferentValues=バリエーション登録数 NbProducts=製品数 ParentProduct=親製品 +ParentProductOfVariant=バリアントの親製品 HideChildProducts=バリアント製品を非表示にする ShowChildProducts=バリエーション製品を表示 NoEditVariants=親製品カードに移動し、バリエーション タブでバリエーションの価格への影響を編集する @@ -417,7 +422,7 @@ ErrorsProductsMerge=製品エラーがマージ SwitchOnSaleStatus=販売状態をオンにする SwitchOnPurchaseStatus=購入状態をオンにする UpdatePrice=顧客価格の値上げ/値下げ -StockMouvementExtraFields= エクストラフィールド(在庫移動) +StockMouvementExtraFields= 追加フィールド (在庫 移動) InventoryExtraFields= 追加フィールド(在庫) ScanOrTypeOrCopyPasteYourBarCodes=バーコードをスキャンまたは入力して コピー/貼り付け PuttingPricesUpToDate=現在の既知価格で価格更新する @@ -430,3 +435,5 @@ ConfirmEditExtrafield = 変更するエクストラフィールドを選択す ConfirmEditExtrafieldQuestion = このエクストラフィールドを変更してもよいか? ModifyValueExtrafields = エクストラフィールドの値を変更する OrProductsWithCategories=またはタグ/カテゴリのある製品 +WarningTransferBatchStockMouvToGlobal = この 製品 を逆シリアル化する場合、シリアル化されたすべての 在庫 はグローバル 在庫 に変換される。 +WarningConvertFromBatchToSerial=現在 製品 の数量が 2 以上ある場合、この選択に切り替えると、製品 が引き続き存在することになる。同じバッチの異なるオブジェクトを使用する (一意のシリアル番号が必要な場合)。これを修正するためのインベントリまたは手動の 在庫 移動が完了するまで、重複は残る。 diff --git a/htdocs/langs/ja_JP/projects.lang b/htdocs/langs/ja_JP/projects.lang index 57e1e9f5950..b952f6df5fc 100644 --- a/htdocs/langs/ja_JP/projects.lang +++ b/htdocs/langs/ja_JP/projects.lang @@ -45,10 +45,11 @@ OutOfProject=プロジェクト外 NoProject=はプロジェクトが定義されていないまたは所有している NbOfProjects=プロジェクト数 NbOfTasks=タスクの数 +TimeEntry=時間追跡 TimeSpent=に費や​​された時間は +TimeSpentSmall=に費や​​された時間は TimeSpentByYou=あなたが費やした時間 TimeSpentByUser=ユーザが費やした時間 -TimesSpent=に費や​​された時間は TaskId=タスクID RefTask=タスク参照符号 LabelTask=タスクラベル @@ -122,7 +123,7 @@ TaskHasChild=タスクには子がある NotOwnerOfProject=この民間プロジェクトの所有者でない AffectedTo=に割り当てられた CantRemoveProject=このプロジェクトは、他のオブジェクト(請求書、注文など)によって参照されているため、削除できない。タブ「%s」を参照すること。 -ValidateProject=プロジェクトを検証 +ValidateProject=検証プロジェクト ConfirmValidateProject=このプロジェクトを検証してもよいか? CloseAProject=プロジェクトを閉じる ConfirmCloseAProject=このプロジェクトを終了してもよいか? @@ -226,7 +227,7 @@ ProjectsStatistics=プロジェクトまたはリードに関する統計 TasksStatistics=プロジェクトまたはリードのタスクに関する統計 TaskAssignedToEnterTime=割り当てられたタスク。このタスクに時間を入力できるはず。 IdTaskTime=IDタスク時間 -YouCanCompleteRef=参照に接尾辞を付けて完成させたい場合は、-文字を追加して区切ることをお勧めする。これにより、自動採番は次のプロジェクトでも正しく機能する。例:%s-MYSUFFIX +YouCanCompleteRef=接尾辞を付けて ref を完成させたい場合は、- 文字を追加して区切ることを勧める。そうすれば、次の プロジェクト でも自動番号付けが正しく機能する。例: %s-MYSUFFIX OpenedProjectsByThirdparties=取引先による開いているプロジェクト OnlyOpportunitiesShort=リードのみ OpenedOpportunitiesShort=開いているリード diff --git a/htdocs/langs/ja_JP/propal.lang b/htdocs/langs/ja_JP/propal.lang index f7e28e32ac1..c22cd89478e 100644 --- a/htdocs/langs/ja_JP/propal.lang +++ b/htdocs/langs/ja_JP/propal.lang @@ -12,9 +12,11 @@ NewPropal=新たな提案書 Prospect=見通し DeleteProp=商取引提案を削除する。 ValidateProp=商取引提案を検証 +CancelPropal=キャンセル AddProp=提案書を作成する ConfirmDeleteProp=この商取引提案を削除してもよいか? ConfirmValidateProp=この商取引提案を %s という名前で検証してもよいか? +ConfirmCancelPropal=コマーシャル プロポーザル %s をキャンセルしたいのか? LastPropals=最新の%s提案書 LastModifiedProposals=最新の%s変更された提案書 AllPropals=全提案書 @@ -27,11 +29,13 @@ NbOfProposals=商取引提案の数 ShowPropal=提案書を示す PropalsDraft=下書き PropalsOpened=開く +PropalStatusCanceled=キャンセル(放棄) PropalStatusDraft=下書き(要検証済) PropalStatusValidated=検証済(提案は仕掛中) PropalStatusSigned=(要請求)署名 PropalStatusNotSigned=(クローズ)署名されていない PropalStatusBilled=請求 +PropalStatusCanceledShort=キャンセル PropalStatusDraftShort=下書き PropalStatusValidatedShort=検証済(仕掛中) PropalStatusClosedShort=閉じた @@ -114,6 +118,7 @@ RefusePropal=提案を拒否する Sign=署名 SignContract=契約締結 SignFichinter=出張に署名 +SignSociete_rib=委任状に署名する SignPropal=提案を受諾 Signed=署名 SignedOnly=署名のみ diff --git a/htdocs/langs/ja_JP/receiptprinter.lang b/htdocs/langs/ja_JP/receiptprinter.lang index ca7af6979c4..1dc81cb0781 100644 --- a/htdocs/langs/ja_JP/receiptprinter.lang +++ b/htdocs/langs/ja_JP/receiptprinter.lang @@ -43,7 +43,7 @@ DOL_PRINT_BARCODE_CUSTOMER_ID=バーコードの顧客IDを印刷する DOL_CUT_PAPER_FULL=チケットを完全にカット DOL_CUT_PAPER_PARTIAL=チケットを部分的にカット DOL_OPEN_DRAWER=キャッシュドロワーを開く -DOL_ACTIVATE_BUZZER=ブザーを有効化 +DOL_ACTIVATE_BUZZER=ブザーを活性化 DOL_PRINT_QRCODE=QRコードを印刷する DOL_PRINT_LOGO=私の法人のロゴを印刷する DOL_PRINT_LOGO_OLD=私の法人のロゴを印刷する(古いプリンター) @@ -52,7 +52,7 @@ DOL_BOLD_DISABLED=太字を無効にする DOL_DOUBLE_HEIGHT=ダブルハイトサイズ DOL_DOUBLE_WIDTH=倍幅サイズ DOL_DEFAULT_HEIGHT_WIDTH=デフォルトの高さと幅のサイズ -DOL_UNDERLINE=下線を有効にする +DOL_UNDERLINE=下線を有効化 DOL_UNDERLINE_DISABLED=下線を無効にする DOL_BEEP=ビープ音 DOL_BEEP_ALTERNATIVE=ビープ音(代替モード) @@ -63,7 +63,7 @@ YearInvoice=請求年 DOL_VALUE_MONTH_LETTERS=手紙での請求月 DOL_VALUE_MONTH=請求月 DOL_VALUE_DAY=請求日 -DOL_VALUE_DAY_LETTERS=請求書の文字表記 +DOL_VALUE_DAY_LETTERS=手紙での請求日 DOL_LINE_FEED_REVERSE=改行リバース InvoiceID=請求書ID InvoiceRef=請求書参照 @@ -75,7 +75,7 @@ DOL_VALUE_CUSTOMER_PHONE=顧客フォン DOL_VALUE_CUSTOMER_MOBILE=顧客モバイル DOL_VALUE_CUSTOMER_SKYPE=顧客Skype DOL_VALUE_CUSTOMER_TAX_NUMBER=顧客税番号 -DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=顧客アカウントの残高 +DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=顧客勘定残高 DOL_VALUE_MYSOC_NAME=あなたの法人名 VendorLastname=仕入先の姓 VendorFirstname=仕入先の名 diff --git a/htdocs/langs/ja_JP/receptions.lang b/htdocs/langs/ja_JP/receptions.lang index d3f8c3253ae..3d2ebd35fc3 100644 --- a/htdocs/langs/ja_JP/receptions.lang +++ b/htdocs/langs/ja_JP/receptions.lang @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=処理 ReceptionSheet=領収シート ValidateReception=受信確認 ConfirmDeleteReception=この領収を削除してもよいか? -ConfirmValidateReception=参照%s を使用して、この領収を検証してもよいか? +ConfirmValidateReception=意思確認: この受領を検証したいか?参照番号 %s ConfirmCancelReception=この領収をキャンセルしてもよいか? -StatsOnReceptionsOnlyValidated=実施された統計は検証済のみされた領収に関して。使用された日付は、領収の検証済日(予定配送日は常に周知ではない)。 +StatsOnReceptionsOnlyValidated=統計は検証された受信のみについて実施される。使用される日付は、受領が確認された日だ(配達予定日は常に判明しているわけではない)。 SendReceptionByEMail=メールで領収を送信する SendReceptionRef=領収の提出%s ActionsOnReception=領収のイベント @@ -53,5 +53,6 @@ ReceptionBackToDraftInDolibarr=領収%sは下書きに戻す ReceptionClassifyClosedInDolibarr=領収%sは閉鎖済指定 ReceptionUnClassifyCloseddInDolibarr=領収%sは再開 RestoreWithCurrentQtySaved=数量を最新の保存値で埋める -ReceptionUpdated=受付が正常に更新された +ReceptionsRecorded=受信記録 +ReceptionUpdated=受領は正常に更新済 ReceptionDistribution=受領配信 diff --git a/htdocs/langs/ja_JP/sendings.lang b/htdocs/langs/ja_JP/sendings.lang index 63c3771ca91..4d87df663c7 100644 --- a/htdocs/langs/ja_JP/sendings.lang +++ b/htdocs/langs/ja_JP/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=検証済 StatusSendingProcessedShort=処理 SendingSheet=出荷シート ConfirmDeleteSending=この貨物を削除してもよいか? -ConfirmValidateSending=この出荷を参照%s で検証してもよいか? +ConfirmValidateSending=意思確認:この発想を検証したいか? 参照番号 %s ConfirmCancelSending=この出荷をキャンセルしてもよいか? DocumentModelMerou=メロウA5モデル WarningNoQtyLeftToSend=警告、出荷待ちの製品はない。 @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=既に受け取った未処理の NoProductToShipFoundIntoStock=倉庫%sに出荷する製品が見つからない。在庫を修正するか、戻って別の倉庫を選択すること。 WeightVolShort=重量/容量 ValidateOrderFirstBeforeShipment=出荷を行う前に、まず注文を検証する必要がある。 +NoLineGoOnTabToAddSome=行がありません。タブ「%s」に移動して追加する # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=製品の重量の合計 # warehouse details DetailWarehouseNumber= 倉庫の詳細 DetailWarehouseFormat= W:%s(数量:%d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=シリアル番号またはバッチの出荷作成中に、在庫 にエントリの最終日付を表示する。 +CreationOptions=出荷作成時に利用可能なオプション ShipmentDistribution=出荷配信 -ErrorTooManyCombinationBatchcode=ライン %s への繰出し無し、理由:倉庫、製品、バッチ コードの組み合わせが多すぎ (%s). -ErrorNoCombinationBatchcode=ライン %s への繰出し無し、理由:倉庫、製品、バッチ コードの組合せが見つからず。 +ErrorTooManyCombinationBatchcode=明細 %s は送達されない。ウェアハウス、製品、バッチ コード の多すぎる組合せ (%s) が見つかったため。 +ErrorNoCombinationBatchcode=行 %s を、warehouse-製品-lot/serial の組合せとして保存できず。( %s、%s、%s)は在庫に見つからない。 + +ErrorTooMuchShipped=出荷される数量は、明細行 %s の注文数量を超えてはならない diff --git a/htdocs/langs/ja_JP/stocks.lang b/htdocs/langs/ja_JP/stocks.lang index bced90a47b7..888fdbabc8a 100644 --- a/htdocs/langs/ja_JP/stocks.lang +++ b/htdocs/langs/ja_JP/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=個人在庫%s ThisWarehouseIsPersonalStock=この倉庫は%s %sの個人在庫を表す SelectWarehouseForStockDecrease=在庫減少のために使用する倉庫を選択 SelectWarehouseForStockIncrease=在庫増加に使用する倉庫を選択 +RevertProductsToStock=製品 を 在庫 に戻すか? NoStockAction=在庫アクションなし DesiredStock=希望在庫 DesiredStockDesc=この在庫量は、補充機能によって在庫を埋めるために使用される値になる。 @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=ソース倉庫からこのロット番号に対し ShowWarehouse=倉庫を表示 MovementCorrectStock=製品%sの在庫修正 MovementTransferStock=製品%sの別の倉庫への在庫移動 +BatchStockMouvementAddInGlobal=バッチ 在庫 はグローバル 在庫 に移動する (製品 はもはやバッチを使用しない ) InventoryCodeShort=Inv./Mov。コード NoPendingReceptionOnSupplierOrder=購買発注が開いているため、保留中の領収はない ThisSerialAlreadyExistWithDifferentDate=ロット/シリアル 番号 (%s) は異なる賞味期限または販売期限で ( %s が見つかったが、入力したのは %s). @@ -210,10 +212,10 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=在庫推移には、(目録検証 inventoryChangePMPPermission=製品のPMP値の変更を許可する ColumnNewPMP=新規ユニットPMP OnlyProdsInStock=在庫のない製品は追加しないこと -TheoricalQty=理論上の数量 -TheoricalValue=理論上の数量 +TheoricalQty=理論数量 +TheoricalValue=理論数量 LastPA=最後のBP -CurrentPA=現在のBP +CurrentPA=現在の血圧 RecordedQty=記録された数量 RealQty=実数量 RealValue=真の価値 @@ -280,7 +282,7 @@ ModuleStockTransferName=高度な在庫移動 ModuleStockTransferDesc=移動シートの生成による在庫移動の高度な管理 StockTransferNew=新規在庫移動 StockTransferList=在庫移動リスト -ConfirmValidateStockTransfer=参照%sを使用して、この在庫移動を検証するか? +ConfirmValidateStockTransfer=意思確認:この 在庫を検証したいか?参照番号 %s ConfirmDestock=移動%sによる在庫の減少 ConfirmDestockCancel=移動%sで在庫の減少をキャンセルする DestockAllProduct=在庫の減少 @@ -307,9 +309,9 @@ StockTransferDecrementationCancel=ソース倉庫の減少をキャンセルす StockTransferIncrementationCancel=仕向倉庫の増設をキャンセル StockStransferDecremented=ソースウェアハウスが減少した StockStransferDecrementedCancel=ソース倉庫の減少がキャンセルされた -StockStransferIncremented=閉鎖済 - 在庫は移動済 -StockStransferIncrementedShort=移動済在庫 -StockStransferIncrementedShortCancel=仕向地倉庫の増設キャンセル +StockStransferIncremented=終了 - 在庫 が転送された +StockStransferIncrementedShort=在庫 が転送された +StockStransferIncrementedShortCancel=出荷先倉庫の増設はキャンセル済 StockTransferNoBatchForProduct=製品%sはバッチを使用せず、オンラインでバッチをクリアして再試行する StockTransferSetup = 在庫移動モジュールの構成 Settings=設定 @@ -318,8 +320,18 @@ StockTransferRightRead=在庫移動を読込む StockTransferRightCreateUpdate=在庫移動の作成/更新 StockTransferRightDelete=在庫移動を削除 BatchNotFound=この製品のロット/シリアルが見つからない +StockEntryDate=在庫 での
      エントリ日付 StockMovementWillBeRecorded=在庫の動きが記録される StockMovementNotYetRecorded=在庫の動きはこのステップの影響を受けない +ReverseConfirmed=在庫 の動きが正常に元に戻された + WarningThisWIllAlsoDeleteStock=警告、これにより、倉庫内の在庫もすべて破壊される +ValidateInventory=在庫の検証 +IncludeSubWarehouse=副倉庫を含むか? +IncludeSubWarehouseExplanation=関連する倉庫のすべてのサブ倉庫を在庫に含める場合は、このボックスをチェック。 DeleteBatch=ロット/シリアルの削除 ConfirmDeleteBatch=ロット/シリアルを削除してもよいか? +WarehouseUsage=倉庫の使用状況 +InternalWarehouse=社内倉庫 +ExternalWarehouse=外部倉庫 +WarningThisWIllAlsoDeleteStock=警告、これにより、倉庫内の在庫もすべて破壊される diff --git a/htdocs/langs/ja_JP/stripe.lang b/htdocs/langs/ja_JP/stripe.lang index b59ac82e1ee..18b81213561 100644 --- a/htdocs/langs/ja_JP/stripe.lang +++ b/htdocs/langs/ja_JP/stripe.lang @@ -71,9 +71,10 @@ ToOfferALinkForTestWebhook=IPNを呼び出すためのStripeWebHookの設定へ ToOfferALinkForLiveWebhook=IPNを呼び出すためのStripeWebHookの設定へのリンク(ライブモード) PaymentWillBeRecordedForNextPeriod=支払は次の期間に記録される。 ClickHereToTryAgain= ここをクリックして再試行すること... -CreationOfPaymentModeMustBeDoneFromStripeInterface=強力な顧客認証ルールにより、カードの作成はStripeバックオフィスから行う必要がある。 Stripeの顧客レコードをオンにするには、ここをクリックすること:%s +CreationOfPaymentModeMustBeDoneFromStripeInterface=強力な顧客 認証する ルールにより、カードの作成は Stripe バックオフィスから行う必要がある。ここをクリックして Stripe 顧客レコードをオンにできる: %s STRIPE_CARD_PRESENT=ストライプ端末のカードプレゼント TERMINAL_LOCATION=Stripe 端末の場所 (アドレス) RequestDirectDebitWithStripe=Stripe で口座振替をリクエストする +RequesCreditTransferWithStripe=Stripe でクレジット転送をリクエストする STRIPE_SEPA_DIRECT_DEBIT=Stripe による口座振替の支払いを有効にする - +StripeConnect_Mode=ストライプ接続モード diff --git a/htdocs/langs/ja_JP/trips.lang b/htdocs/langs/ja_JP/trips.lang index 7c7ddef5496..173a0ea9481 100644 --- a/htdocs/langs/ja_JP/trips.lang +++ b/htdocs/langs/ja_JP/trips.lang @@ -1,150 +1,152 @@ # Dolibarr language file - Source file is en_US - trips -ShowExpenseReport=経費報告書を表示する -Trips=経費報告書s -TripsAndExpenses=経費報告書s -TripsAndExpensesStatistics=経費報告書sの統計 -TripCard=経費通知表 +AUTHOR=によって記録された +AUTHORPAIEMENT=によって支払われた AddTrip=経費報告書を作成する -ListOfTrips=経費報告書sのリスト -ListOfFees=手数料のリスト -TypeFees=料金の種類 -ShowTrip=経費報告書を表示する -NewTrip=新規経費報告書 -LastExpenseReports=最新の%s経費報告書s +AllExpenseReport=あらゆる種類の経費報告書 AllExpenseReports=全経費報告書s -CompanyVisited=訪問した法人/組織 -FeesKilometersOrAmout=金額またはキロメートル -DeleteTrip=経費報告書を削除する -ConfirmDeleteTrip=この経費報告書を削除してもよいか? -ListTripsAndExpenses=経費報告書sのリスト -ListToApprove=承認待ち -ExpensesArea=経費報告エリア +AnyOtherInThisListCanValidate=要求を検証ために通知される人。 +AttachTheNewLineToTheDocument=アップロードされたドキュメントに行を添付する +AucuneLigne=経費報告書はまだ宣言されていない +BrouillonnerTrip=経費報告書を状態「下書き」に戻する +byEX_DAY=日ごと(%sへの制限) +byEX_EXP=行ごと(%sへの制限) +byEX_MON=月ごと(%sへの制限) +byEX_YEA=年ごと(%sへの制限) +CANCEL_USER=によって削除された +CarCategory=車両カテゴリー ClassifyRefunded=分類「返金済」 +CompanyVisited=訪問した法人/組織 +ConfirmBrouillonnerTrip=この経費報告書を状態「下書き」に移動してもよいか? +ConfirmCancelTrip=この経費報告書をキャンセルしてもよいか? +ConfirmCloneExpenseReport=この経費報告書のクローンを作成してもよいか? +ConfirmDeleteTrip=この経費報告書を削除してもよいか? +ConfirmPaidTrip=この経費報告書の状態を「支払済」に変更してもよいか? +ConfirmRefuseTrip=この経費報告書を拒否してもよいか? +ConfirmSaveTrip=この経費報告書を検証してもよいか? +ConfirmValideTrip=この経費報告書を承認してもよいか? +DATE_CANCEL=キャンセル日 +DATE_PAIEMENT=支払期日 +DATE_REFUS=拒否日 +DATE_SAVE=検証日 +DefaultCategoryCar=デフォルトの輸送モード +DefaultRangeNumber=デフォルトの範囲番号 +DeleteTrip=経費報告書を削除する +ErrorDoubleDeclaration=同様の日付範囲で別の経費報告書を宣言した。 +Error_EXPENSEREPORT_ADDON_NotDefined=エラー、経費報告書採番参照のルールがモジュール「経費報告書」の設定に定義されていなかった +ExpenseRangeOffset=オフセット量:%s +expenseReportCatDisabled=カテゴリが無効-c_exp_tax_cat辞書を参照 +expenseReportCoef=係数 +expenseReportCoefUndefined=(値は定義されていない) +expenseReportOffset=オフセット +expenseReportPrintExample=オフセット+(d x coef)= %s +expenseReportRangeDisabled=範囲が無効 - c_exp_tax_range ディクショナリを参照すること。 +expenseReportRangeFromTo=%dから%dへ +expenseReportRangeMoreThan=%d以上 +expenseReportTotalForFive= d = 5の例 +ExpenseReportApplyTo=に適用する +ExpenseReportApproved=経費報告書が承認された +ExpenseReportApprovedMessage=経費報告書%sが承認された。
      -ユーザ:%s
      -承認者:%s
      ここをクリックして経費報告書を表示する:%s +ExpenseReportCanceled=経費報告がキャンセルされた +ExpenseReportCanceledMessage=経費報告書%sはキャンセルされた。
      -ユーザ:%s
      -キャンセル者:%s
      -キャンセルの動機:%s
      ここをクリックして経費報告書: %s を表示 +ExpenseReportConstraintViolationError=最大金額超過(ルール%s):%sが%sよりも大きい(超過禁止) +ExpenseReportConstraintViolationWarning=最大金額超過(ルール%s):%sが%sよりも大きい(超過許可済) +ExpenseReportDateEnd=日付の末尾 +ExpenseReportDateStart=開始日 +ExpenseReportDomain=適用するドメイン +ExpenseReportIkDesc=以前に定義したカテゴリと範囲ごとに、キロメートル費用の計算を変更できる。 d はキロメートル単位の距離 +ExpenseReportLimitAmount=最大金額 +ExpenseReportLimitOn=制限 +ExpenseReportLine=経費報告行 +ExpenseReportPaid=経費報告書が支払われた +ExpenseReportPaidMessage=経費報告書%sが支払われた。
      -ユーザ:%s
      -支払者:%s
      ここをクリックして経費報告書を表示する:%s +ExpenseReportPayment=経費報告書の支払 +ExpenseReportRef=参照。経費報告書 +ExpenseReportRefused=経費報告書は拒否された +ExpenseReportRefusedMessage=経費報告書%sは拒否された。
      -ユーザ:%s
      -拒否者:%s
      -拒否の動機:%s
      ここをクリックして経費報告書:%s を表示 +ExpenseReportRestrictive=超過禁止 +ExpenseReportRuleErrorOnSave=エラー:%s +ExpenseReportRuleSave=経費報告ルールが保存された +ExpenseReportRulesDesc=経費報告書sの最大金額ルールを定義できる。これらのルールは、新しい経費が経費報告書sに追加されたときに適用される ExpenseReportWaitingForApproval=新規経費報告書が承認のために提出された ExpenseReportWaitingForApprovalMessage=新規経費報告書が提出され、承認を待っている。
      -ユーザ:%s
      -期間:%s
      検証にはここをクリック:%s ExpenseReportWaitingForReApproval=再承認のために経費報告書が提出された ExpenseReportWaitingForReApprovalMessage=経費報告書が提出され、再承認を待っている。
      %s、この理由で経費報告書の承認を拒否した:%s。
      新規バージョンが提案され、承認を待っている。
      -ユーザ:%s
      -期間:%s
      検証にはここをクリック:%s -ExpenseReportApproved=経費報告書が承認された -ExpenseReportApprovedMessage=経費報告書%sが承認された。
      -ユーザ:%s
      -承認者:%s
      ここをクリックして経費報告書を表示する:%s -ExpenseReportRefused=経費報告書は拒否された -ExpenseReportRefusedMessage=経費報告書%sは拒否された。
      -ユーザ:%s
      -拒否者:%s
      -拒否の動機:%s
      ここをクリックして経費報告書:%s を表示 -ExpenseReportCanceled=経費報告がキャンセルされた -ExpenseReportCanceledMessage=経費報告書%sはキャンセルされた。
      -ユーザ:%s
      -キャンセル者:%s
      -キャンセルの動機:%s
      ここをクリックして経費報告書: %s を表示 -ExpenseReportPaid=経費報告書が支払われた -ExpenseReportPaidMessage=経費報告書%sが支払われた。
      -ユーザ:%s
      -支払者:%s
      ここをクリックして経費報告書を表示する:%s -TripId=ID経費報告書 -AnyOtherInThisListCanValidate=要求を検証ために通知される人。 -TripSociete=情報法人 -TripNDF=情報経費報告書 -PDFStandardExpenseReports=経費報告書のPDFドキュメントを生成するための標準テンプレート -ExpenseReportLine=経費報告行 -TF_OTHER=その他 -TF_TRIP=交通 -TF_LUNCH=ランチ -TF_METRO=メトロ -TF_TRAIN=列車 -TF_BUS=バス -TF_CAR=自動車 -TF_PEAGE=通行料金 -TF_ESSENCE=燃料 -TF_HOTEL=ホテル -TF_TAXI=タクシー -EX_KME=マイレージ費用 -EX_FUE=燃料CV -EX_HOT=ホテル -EX_PAR=駐車場履歴書 -EX_TOL=料金履歴書 -EX_TAX=さまざまな税金 -EX_IND=補償輸送サブスクリプション -EX_SUM=メンテナンス用品 -EX_SUO=事務用品 -EX_CAR=レンタカー -EX_DOC=ドキュメンテーション -EX_CUR=受け取っている顧客 -EX_OTR=その他の受け取り -EX_POS=送料 -EX_CAM=CVのメンテナンスと修理 -EX_EMM=従業員の食事 -EX_GUM=ゲストの食事 -EX_BRE=朝食 -EX_FUE_VP=燃料PV -EX_TOL_VP=有料PV -EX_PAR_VP=駐車場PV -EX_CAM_VP=PVのメンテナンスと修理 -DefaultCategoryCar=デフォルトの輸送モード -DefaultRangeNumber=デフォルトの範囲番号 -UploadANewFileNow=今すぐ新規ドキュメントをアップロードする -Error_EXPENSEREPORT_ADDON_NotDefined=エラー、経費報告書採番参照のルールがモジュール「経費報告書」の設定に定義されていなかった -ErrorDoubleDeclaration=同様の日付範囲で別の経費報告書を宣言した。 -AucuneLigne=経費報告書はまだ宣言されていない -ModePaiement=支払モード -VALIDATOR=承認を担当するユーザ -VALIDOR=によって承認された -AUTHOR=によって記録された -AUTHORPAIEMENT=によって支払われた -REFUSEUR=によって拒否された -CANCEL_USER=によって削除された -MOTIF_REFUS=理由 -MOTIF_CANCEL=理由 -DATE_REFUS=拒否日 -DATE_SAVE=検証日 -DATE_CANCEL=キャンセル日 -DATE_PAIEMENT=支払期日 -ExpenseReportRef=参照。経費報告書 -ValidateAndSubmit=検証して承認のために提出 -ValidatedWaitingApproval=検証済(承認待ち) -NOT_AUTHOR=あなたはこの経費報告書の作成者ではない。操作はキャンセルされた。 -ConfirmRefuseTrip=この経費報告書を拒否してもよいか? -ValideTrip=経費報告書を承認する -ConfirmValideTrip=この経費報告書を承認してもよいか? -PaidTrip=経費報告書を支払う -ConfirmPaidTrip=この経費報告書の状態を「支払済」に変更してもよいか? -ConfirmCancelTrip=この経費報告書をキャンセルしてもよいか? -BrouillonnerTrip=経費報告書を状態「下書き」に戻する -ConfirmBrouillonnerTrip=この経費報告書を状態「下書き」に移動してもよいか? -SaveTrip=経費報告書を検証 -ConfirmSaveTrip=この経費報告書を検証してもよいか? -NoTripsToExportCSV=この期間にエクスポートする経費報告書はない。 -ExpenseReportPayment=経費報告書の支払 -ExpenseReportsToApprove=承認する経費報告書s -ExpenseReportsToPay=支払うべき経費報告書s -ConfirmCloneExpenseReport=この経費報告書のクローンを作成してもよいか? ExpenseReportsIk=マイレージ料金の設定 ExpenseReportsRules=経費報告規則 -ExpenseReportIkDesc=以前に定義したカテゴリと範囲ごとに、キロメートル費用の計算を変更できる。 d はキロメートル単位の距離 -ExpenseReportRulesDesc=経費報告書sの最大金額ルールを定義できる。これらのルールは、新しい経費が経費報告書sに追加されたときに適用される -expenseReportOffset=オフセット -expenseReportCoef=係数 -expenseReportTotalForFive= d = 5の例 -expenseReportRangeFromTo=%dから%dへ -expenseReportRangeMoreThan=%d以上 -expenseReportCoefUndefined=(値は定義されていない) -expenseReportCatDisabled=カテゴリが無効-c_exp_tax_cat辞書を参照 -expenseReportRangeDisabled=範囲が無効になっている-c_exp_tax_range辞書を参照すること -expenseReportPrintExample=オフセット+(d x coef)= %s -ExpenseReportApplyTo=に適用する -ExpenseReportDomain=適用するドメイン -ExpenseReportLimitOn=制限 -ExpenseReportDateStart=開始日 -ExpenseReportDateEnd=日付の末尾 -ExpenseReportLimitAmount=最大金額 -ExpenseReportRestrictive=超過禁止 -AllExpenseReport=あらゆる種類の経費報告書 -OnExpense=経費ライン -ExpenseReportRuleSave=経費報告ルールが保存された -ExpenseReportRuleErrorOnSave=エラー:%s -RangeNum=範囲%d -ExpenseReportConstraintViolationError=最大金額超過(ルール%s):%sが%sよりも大きい(超過禁止) -byEX_DAY=日ごと(%sへの制限) -byEX_MON=月ごと(%sへの制限) -byEX_YEA=年ごと(%sへの制限) -byEX_EXP=行ごと(%sへの制限) -ExpenseReportConstraintViolationWarning=最大金額超過(ルール%s):%sが%sよりも大きい(超過許可済) +ExpenseReportsToApprove=承認する経費報告書s +ExpenseReportsToPay=支払うべき経費報告書s +ExpensesArea=経費報告エリア +FeesKilometersOrAmout=金額またはキロメートル +LastExpenseReports=最新の%s経費報告書s +ListOfFees=手数料のリスト +ListOfTrips=経費報告書sのリスト +ListToApprove=承認待ち +ListTripsAndExpenses=経費報告書sのリスト +MOTIF_CANCEL=理由 +MOTIF_REFUS=理由 +ModePaiement=支払モード +NewTrip=新規経費報告書 nolimitbyEX_DAY=日ごと(制限なし) +nolimitbyEX_EXP=行ごと(制限なし) nolimitbyEX_MON=月ごと(制限なし) nolimitbyEX_YEA=年ごと(制限なし) -nolimitbyEX_EXP=行ごと(制限なし) -CarCategory=車両カテゴリー -ExpenseRangeOffset=オフセット量:%s +NoTripsToExportCSV=この期間にエクスポートする経費報告書はない。 +NOT_AUTHOR=あなたはこの経費報告書の作成者ではない。操作がキャンセル済。 +OnExpense=経費ライン +PDFStandardExpenseReports=経費報告書のPDFドキュメントを生成するための標準テンプレート +PaidTrip=経費報告書を支払う +REFUSEUR=によって拒否された RangeIk=走行距離範囲 -AttachTheNewLineToTheDocument=アップロードされたドキュメントに行を添付する +RangeNum=範囲%d +SaveTrip=経費報告書を検証 +ShowExpenseReport=経費報告書を表示する +ShowTrip=経費報告書を表示する +TripCard=経費通知表 +TripId=ID経費報告書 +TripNDF=情報費報告書 +TripSociete=情報法人 +Trips=経費報告書s +TripsAndExpenses=経費報告書s +TripsAndExpensesStatistics=経費報告書sの統計 +TypeFees=料金の種類 +UploadANewFileNow=今すぐ新規ドキュメントをアップロードする +VALIDATOR=承認を担当するユーザ +VALIDOR=によって承認された +ValidateAndSubmit=検証して承認のために提出 +ValidatedWaitingApproval=検証済(承認待ち) +ValideTrip=経費報告書を承認する + +## Dictionary +EX_BRE=朝食 +EX_CAM=CVのメンテナンスと修理 +EX_CAM_VP=PVのメンテナンスと修理 +EX_CAR=レンタカー +EX_CUR=受け取っている顧客 +EX_DOC=ドキュメンテーション +EX_EMM=従業員の食事 +EX_FUE=燃料CV +EX_FUE_VP=燃料PV +EX_GUM=ゲストの食事 +EX_HOT=ホテル +EX_IND=補償輸送サブスクリプション +EX_KME=マイレージ費用 +EX_OTR=その他の受け取り +EX_PAR=駐車場履歴書 +EX_PAR_VP=駐車場PV +EX_POS=送料 +EX_SUM=メンテナンス用品 +EX_SUO=事務用品 +EX_TAX=さまざまな税金 +EX_TOL=料金履歴書 +EX_TOL_VP=有料PV +TF_BUS=バス +TF_CAR=自動車 +TF_ESSENCE=燃料 +TF_HOTEL=ホテル +TF_LUNCH=ランチ +TF_METRO=メトロ +TF_OTHER=その他 +TF_PEAGE=通行料金 +TF_TAXI=タクシー +TF_TRAIN=列車 +TF_TRIP=交通 diff --git a/htdocs/langs/ja_JP/users.lang b/htdocs/langs/ja_JP/users.lang index 2b5b471264d..f392a212a36 100644 --- a/htdocs/langs/ja_JP/users.lang +++ b/htdocs/langs/ja_JP/users.lang @@ -32,9 +32,8 @@ CreateUser=ユーザを作成する LoginNotDefined=ログインが定義されていない。 NameNotDefined=名前が定義されていない。 ListOfUsers=ユーザのリスト -SuperAdministrator=スーパー管理者 -SuperAdministratorDesc=グローバル管理者 -AdministratorDesc=管理者 +SuperAdministrator=複数の会社の管理者 +SuperAdministratorDesc=複数企業のシステム管理者 (設定およびユーザーを変更可能) DefaultRights=デフォルト権限 DefaultRightsDesc=ここで、デフォルト権限を定義する。これは、新規ユーザに自動的に付与される(既存のユーザの権限を変更するには、ユーザカードに移動する)。 DolibarrUsers=Dolibarrユーザ @@ -110,8 +109,9 @@ ExpectedWorkedHours=週あたりの予想労働時間 ColorUser=ユーザの色 DisabledInMonoUserMode=メンテナンスモードでは無効 UserAccountancyCode=ユーザ会計コード -UserLogoff=ユーザのログアウト -UserLogged=ユーザがログに記録 +UserLogoff=ユーザ ログアウト: %s +UserLogged=ユーザ がログに記録された: %s +UserLoginFailed=ユーザ ログインに失敗した: %s DateOfEmployment=雇用日 DateEmployment=雇用 DateEmploymentStart=雇用開始日 @@ -120,10 +120,10 @@ RangeOfLoginValidity=アクセス有効期間 CantDisableYourself=自分のユーザレコードを無効にすることはできない ForceUserExpenseValidator=経費報告書検証ツールを強制する ForceUserHolidayValidator=強制休暇休暇申請バリデーター -ValidatorIsSupervisorByDefault=デフォルトでは、バリデーターはユーザのスーパーバイザー。この動作を維持するには、空のままにする。 +ValidatorIsSupervisorByDefault=デフォルトでは、バリデータは ユーザ のスーパーバイザーだ。この動作を維持するには、空にすること。 UserPersonalEmail=個人的なメール UserPersonalMobile=個人の携帯電話 -WarningNotLangOfInterface=警告、これはユーザが話す主要な言語であり、ユーザが表示することを選択したインターフェースの言語ではない。このユーザに表示されるインターフェース言語を変更するには、タブ%sに移動する。 +WarningNotLangOfInterface=警告、これは ユーザ が話すメインの 言語 であり、見るために選択したインターフェース言語 ではない。この ユーザ によって表示されるインターフェース 言語 を変更するには、タブ %s へ行く DateLastLogin=最終ログイン日 DatePreviousLogin=前回のログイン日 IPLastLogin=IP最終ログイン @@ -132,3 +132,5 @@ ShowAllPerms=すべての権限行を表示 HideAllPerms=すべての許可行を非表示 UserPublicPageDesc=このユーザーの仮想カードを有効化可能。ユーザー プロファイルとバーコードを含む URL が利用可能になり、スマートフォンを持っている人なら誰でもそれをスキャンしてアドレス帳に連絡先を追加できる。 EnablePublicVirtualCard=ユーザーの仮想名刺を有効化 +UserEnabledDisabled=ユーザ ステータスが変更された: %s +AlternativeEmailForOAuth2=OAuth2 ログイン用の代替メールアドレス diff --git a/htdocs/langs/ja_JP/website.lang b/htdocs/langs/ja_JP/website.lang index d7ef1741095..625e3cc3e1b 100644 --- a/htdocs/langs/ja_JP/website.lang +++ b/htdocs/langs/ja_JP/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=代替ページ名/エイリアス WEBSITE_ALIASALTDesc=他の名前/エイリアスのリストをここで使用して、この他の名前/エイリアスを使用してページにアクセスできるようにする(たとえば、古いリンク/名前のバックリンクを機能させるためにエイリアスの名前を変更した後の古い名前)。構文は次のとおり。
      alternativename1、alternativename2、..。 WEBSITE_CSS_URL=外部CSSファイルのURL WEBSITE_CSS_INLINE=CSSファイルの内容(全ページに共通) -WEBSITE_JS_INLINE=Javascriptファイルの内容(全ページに共通) +WEBSITE_JS_INLINE=JavaScript ファイル コンテンツ (すべてのページに共通) WEBSITE_HTML_HEADER=HTMLヘッダーの下部に追加(全ページに共通) WEBSITE_ROBOT=ロボットファイル(robots.txt) WEBSITE_HTACCESS=ウェブサイトの.htaccessファイル @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=注:全ページにパーソナライズされ MediaFiles=メディアライブラリ EditCss=Webサイトのプロパティを編集する EditMenu=編集メニュー -EditMedias=メディアを編集する +EditMedias=メディアの編集 EditPageMeta=ページ/コンテナのプロパティを編集する EditInLine=インライン編集 AddWebsite=ウェブサイトを追加 @@ -60,10 +60,11 @@ NoPageYet=まだページはない YouCanCreatePageOrImportTemplate=新規ページを作成するか、完全なWebサイトテンプレートをインポートできる SyntaxHelp=特定の構文のヒントに関するヘルプ YouCanEditHtmlSourceckeditor=エディタの "ソース" ボタンを使用して、HTMLソースコードを編集できる。 -YouCanEditHtmlSource=
      タグ <?php ?> を使用して、当該ソースにPHPコードを含めることができる。次のグローバル変数が使用できる: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      以下の構文を使用して、別のページ/コンテナーのコンテンツを含めることもできる:
      <?php includeContainer('alias_of_container_to_include'); ?>

      以下の構文で別のページ/コンテナへのリダイレクトを行うことができる(注:リダイレクト前には、いかなるコンテンツも出力しないこと) :
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      別のページへのリンクを追加するには、以下の構文:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      含めるのが ダウンロードリンク で、ファイル保管場所が documents ディレクトリなら、使うのは document.php ラッパー:
      例、ファイルを documents/ecm (ログ記録が必須) に置くなら、構文は:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      ファイルを documents/medias (公開アクセス用のオープンディレクトリ) に置くなら、構文は:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      ファイルを共有リンク (ファイルの共有ハッシュキーを使用したオープンアクセス) で共有するなら、構文は:
      <a href="/document.php?hashp=publicsharekeyoffile">

      含めるのが 画像 で、保管先が documents ディレクトリなら、使うのは viewimage.php ラッパー:
      例、画像を documents/medias (公開アクセス用のオープンディレクトリ) に置くなら、構文は:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      タグを使って、PHPコード をソースに含めることができる <?php ?>。次のグローバル変数が使用可能: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      次の構文を使用して、別のページ/コンテナのコンテンツを含めることもできる。:
      <?php includeContainer('alias_of_container_to_include'); ?>

      次の構文を使用して、別のページ/コンテナへのリダイレクトを作成できる (注: リダイレクト前には何のコンテンツも出力しないこと):
      <?php redirectToContainer(' alias_of_container_to_redirect_to'); ?>

      別のページへのリンクを追加するには、次の構文を使用する:
      <a href="alias_of_page_to_link_to.php" >mylink<a>

      ダウンロード用リンク で、ファイルが documentsディレクトリに保存されている対象を含める場合に使用するのは、document.phpラッパー:
      例、documents/ecm にあるファイルに対して (ログイン必要)、構文は:
      <a href="/documents.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      documents/medias (公開アクセス用オープン ディレクトリ) の ファイル の場合、構文は:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      共有リンクで共有された ファイル の場合 ( ファイル の共有ハッシュ キーに公開アクセス)、構文は:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      1つの画像documents ディレクトリに保存されているものを含めるのに使用するのはviewimage.php ラッパー:
      例: 画像を documents/medias (公開アクセス用のオープン ディレクトリ) に挿入。構文は:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=画像を共有リンク (ファイルの共有ハッシュキーを使用したオープンアクセス) で共有するなら、構文は:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      その他のHTMLまたは動的コードの例はwikiドキュメントにて利用可能
      。 +YouCanEditHtmlSource3=PHP オブジェクトの画像の URL を取得する時に使用するのは
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      HTML または動的コードの例は the wiki documentationで利用可能.
      ClonePage=クローンページ/コンテナ CloneSite=クローンサイト SiteAdded=ウェブサイトを追加 @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=申し訳ありませんが、このウェブサ WEBSITE_USE_WEBSITE_ACCOUNTS=Webサイトのアカウントテーブルを有効化 WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=テーブルを有効にして、各Webサイト/取引先のWebサイトアカウント(ログイン/パス)を保存する YouMustDefineTheHomePage=最初にデフォルトのホームページを定義する必要がある -OnlyEditionOfSourceForGrabbedContentFuture=警告:外部WebページをインポートしてWebページを作成することは、経験豊富なユーザのために予約されている。ソースページの複雑さによっては、インポートの結果が元のページと異なる場合がある。また、ソースページが一般的なCSSスタイルまたは競合するJavaScriptを使用している場合、このページで作業するときにウェブサイトエディターの外観や機能が損なわれる可能性がある。この方法はページを作成するためのより迅速な方法だが、最初から、または提案されたページテンプレートから新規ページを作成することをお勧めする。
      取得した外部ページで使用すると、インラインエディタが正しく機能しない場合があることにも注意すること。 +OnlyEditionOfSourceForGrabbedContentFuture=警告: 外部 Web ページをインポートして Web ページを作成するのは、経験豊富なユーザー向け 。ソースページの複雑さによっては、インポートの結果が元のページと異なる場合がある。また、ソース ページで一般的な CSS スタイルや競合する JavaScript が使用されている場合、このページで作業するときに ウェブサイト エディタの外観や機能が損なわれる可能性がある。この方法はページをより迅速に作成する方法 が、新しいページを最初から作成するか、提案されたページ テンプレートから作成することを勧める。
      インライン エディタは機能しない場合があることにも注意すること。取得した外部ページで使用した場合とか。 OnlyEditionOfSourceForGrabbedContent=コンテンツが外部サイトから取得された場合は、HTMLソースのエディションのみが可能。 GrabImagesInto=cssとページにある画像も取得する。 ImagesShouldBeSavedInto=画像はディレクトリに保存する必要がある @@ -112,13 +113,13 @@ GoTo=に移動 DynamicPHPCodeContainsAForbiddenInstruction=動的コンテンツとしてデフォルトで禁止されているPHP命令 ' %s 'を含む動的PHPコードを追加する(許可されるコマンドのリストを増やすには、非表示のオプションWEBSITE_PHP_ALLOW_xxxを参照すること)。 NotAllowedToAddDynamicContent=WebサイトでPHP動的コンテンツを追加または編集する権限がない。許可を求めるか、コードを変更せずにphpタグに入れること。 ReplaceWebsiteContent=Webサイトのコンテンツを検索または置換する -DeleteAlsoJs=このウェブサイトに固有の全JavaScriptファイルも削除するか? -DeleteAlsoMedias=このウェブサイトに固有の全メディアファイルも削除するか? +DeleteAlsoJs=削除 この ウェブサイト に固有のすべての JavaScript ファイルも対象 か? +DeleteAlsoMedias=削除 この ウェブサイト に固有のすべてのメディア ファイルも対象か? MyWebsitePages=私のウェブサイトのページ SearchReplaceInto=検索|に置き換える ReplaceString=新規文字列 CSSContentTooltipHelp=ここにCSSコンテンツを入力する。アプリケーションのCSSとの競合を避けるために、全定義に .bodywebsite クラスを前置することが必須。例:

      #mycssselector, input.myclass:hover { ... }
      は、以下のようにする。
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      注記: もし大きなファイルでこの前置が無いものがあれば、 'lessc' を使用して .bodywebsite の前置を全場所に追加する変換ができる。 -LinkAndScriptsHereAreNotLoadedInEditor=警告:このコンテンツは、サーバーからサイトにアクセスした場合にのみ出力される。編集モードでは使用されないため、編集モードでもJavaScriptファイルをロードする必要がある場合は、タグ「scriptsrc = ...」をページに追加するだけ。 +LinkAndScriptsHereAreNotLoadedInEditor=警告: このコンテンツは、サイトが サーバ からアクセスされた場合にのみ出力される。これは編集モードでは使用されないため、編集モードでも JavaScript ファイルをロードする必要がある場合は、単にタグ 'script src=...' をページに追加する。 Dynamiccontent=動的コンテンツを含むページのサンプル ImportSite=ウェブサイトテンプレートをインポートする EditInLineOnOff=モード「インライン編集」は%s @@ -160,3 +161,6 @@ PagesViewedTotal=閲覧したページ (合計) Visibility=可視性 Everyone=みんな AssignedContacts=割当済連絡先 +WebsiteTypeLabel=Web サイトの種類 +WebsiteTypeDolibarrWebsite=Webサイト(CMS Dolibar) +WebsiteTypeDolibarrPortal=ネイティブのドリバーポータル diff --git a/htdocs/langs/ja_JP/withdrawals.lang b/htdocs/langs/ja_JP/withdrawals.lang index fcafb39be4f..bc58f269d79 100644 --- a/htdocs/langs/ja_JP/withdrawals.lang +++ b/htdocs/langs/ja_JP/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=債権譲渡を要求する WithdrawRequestsDone=%s口座振替の支払要求が記録された BankTransferRequestsDone=%s債権譲渡要求が記録済 ThirdPartyBankCode=取引先の銀行コード -NoInvoiceCouldBeWithdrawed=正常に引き落とされた請求書はない。請求書が有効なIBANを持つ会社のものであり、IBANにモード %s のUMR(一意の委任参照)があることを確認すること。 +NoInvoiceCouldBeWithdrawed=正常に処理された請求書はない。請求書が有効な IBAN を持つ企業のものであること、および IBAN にモード %s の UMR (Unique Mandate Reference) があることを確認すること。 +NoInvoiceCouldBeWithdrawedSupplier=正常に処理された請求書はない。請求書が有効な IBAN を持つ会社のものであることを確認すること。 +NoSalariesCouldBeWithdrawed=給与が正常に処理されなかった。有効な IBAN を持つユーザーに給与が存在する確認すること。 WithdrawalCantBeCreditedTwice=この出金票は既に貸方でマークされている。これは、重複した支払と銀行エントリを作成する可能性があるため、2回実行することは不可。 ClassCredited=入金分類 ClassDebited=借方を分類 @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=協会に対する引落し拒否を入力してもよ RefusedData=拒絶反応の日付 RefusedReason=拒否理由 RefusedInvoicing=拒絶反応を請求 -NoInvoiceRefused=拒絶反応を充電しないこと -InvoiceRefused=請求書が拒否された(拒否を顧客に請求する) +NoInvoiceRefused=拒否に対して顧客に料金を請求しないこと +InvoiceRefused=拒否した分の料金を顧客に請求する +DirectDebitRefusedInvoicingDesc=この拒否の料金は顧客に請求する必要があることを示すフラグを設定する StatusDebitCredit=状態の借方/貸方 StatusWaiting=待っている StatusTrans=送信 @@ -79,7 +82,7 @@ StatusMotif2=ティラージュconteste StatusMotif3=口座振替の注文はない StatusMotif4=販売注文 StatusMotif5=inexploitable RIB -StatusMotif6=バランスせずにアカウント +StatusMotif6=残高せずにアカウント StatusMotif7=司法判断 StatusMotif8=他の理由 CreateForSepaFRST=口座振替ファイルの作成(SEPA FRST) @@ -115,7 +118,7 @@ RUM=UMR DateRUM=署名日を委任する RUMLong=独自のマンデートリファレンス RUMWillBeGenerated=空の場合、銀行口座情報が保存されると、UMR(Unique Mandate Reference)が生成される。 -WithdrawMode=口座振替モード(FRSTまたはRECUR) +WithdrawMode=口座振替モード (FRST または RCUR) WithdrawRequestAmount=口座振替要求の金額: BankTransferAmount=クレジット送金要求の金額: WithdrawRequestErrorNilAmount=空の金額の口座振替要求を作成できない。 @@ -131,6 +134,7 @@ SEPAFormYourBAN=あなたの銀行口座名(IBAN) SEPAFormYourBIC=銀行識別コード(BIC) SEPAFrstOrRecur=支払方法 ModeRECUR=定期支払 +ModeRCUR=定期支払 ModeFRST=一回限りの支払 PleaseCheckOne=1つだけ確認すること CreditTransferOrderCreated=債権譲渡注文%sが作成された @@ -155,9 +159,16 @@ InfoTransData=金額:%s
      Metode:%s
      日付:%s InfoRejectSubject=口座振替の注文が拒否された InfoRejectMessage=こんにちは、

      法人 %s に関連する請求書%sの口座振替の注文で、金額が%sのものは、銀行によって拒否された。

      -
      %s ModeWarning=リアルモードのオプションが設定されていない、我々は、このシミュレーションの後に停止 -ErrorCompanyHasDuplicateDefaultBAN=ID %s の法人には、複数のデフォルトの銀行口座がある。どちらを使用するかを知る方法はない。 +ErrorCompanyHasDuplicateDefaultBAN=ID %s の 法人 には、複数のデフォルトの 銀行口座 がある。どれを使用すればよいのかわからない。 ErrorICSmissing=銀行口座%sにICSがない TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=口座振替の合計金額が行の合計と異なる WarningSomeDirectDebitOrdersAlreadyExists=警告:既に保留中の口座振替要求 (%s) があり、金額は %s WarningSomeCreditTransferAlreadyExists=警告:既に保留中の振込要求(%s) があり、その金額は %s UsedFor=%sに使用 +Societe_ribSigned=SEPA 指令に署名した +NbOfInvoiceToPayByBankTransferForSalaries=口座振替による支払いを待っている資格のある給与の数 +SalaryWaitingWithdraw=口座振替による支払い待ちの給与 +RefSalary=給料 +NoSalaryInvoiceToWithdraw=「%s」待ちの給与はない。給与カードのタブ「%s」に移動しリクエストすること。 +SalaryInvoiceWaitingWithdraw=口座振替による支払い待ちの給与 + diff --git a/htdocs/langs/ja_JP/workflow.lang b/htdocs/langs/ja_JP/workflow.lang index 8e5c9ec5a3b..de2e5207661 100644 --- a/htdocs/langs/ja_JP/workflow.lang +++ b/htdocs/langs/ja_JP/workflow.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - workflow WorkflowSetup=ワークフローモジュールの設定 -WorkflowDesc=このモジュールは、いくつかの自動アクションを提供する。デフォルトでは、ワークフローは開いている(必要な順序で実行できる)が、ここでいくつかの自動アクションを有効化できる。 -ThereIsNoWorkflowToModify=有効化されたモジュールで使用できるワークフローの変更はない。 +WorkflowDesc=このモジュールは、いくつかの自動アクションを提供する。デフォルトでは、ワークフローは開いている(必要な順序で実行できる)が、ここでいくつかの自動アクションを活性化できる。 +ThereIsNoWorkflowToModify=活性化済モジュールで使用できるワークフローの変更はない。 # Autocreate descWORKFLOW_PROPAL_AUTOCREATE_ORDER=商取引提案が署名された後、自動的に販売注文を作成する(新規注文は提案と同じ金額になる) descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=商取引提案書に署名した後、顧客の請求書を自動的に作成する(新規請求書は提案と同じ金額になる) @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=契約は検証済後、顧客の請求 descWORKFLOW_ORDER_AUTOCREATE_INVOICE=受注がクローズされた後、顧客の請求書を自動的に作成する(新規請求書は注文と同じ金額になる) descWORKFLOW_TICKET_CREATE_INTERVENTION=チケット作成時、出張を自動的に作成。 # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=販売注文が請求済に設定されている場合(および注文の金額が署名されたリンクされた提案の合計金額と同じ場合)、リンクされたソース提案を請求済として分類する。 -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=リンクされたソースプロポーザルを、顧客の請求書は検証済なら請求済として分類する(また、請求書の金額が署名されたリンクされたプロポーザルの合計金額と同じである場合) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=顧客の請求書は検証済なら請求済としてリンクされたソース販売注文を分類する(請求書の金額がリンクされた注文の合計金額と同じである場合) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=顧客の請求書が支払済に設定されている場合(および請求書の金額がリンクされた注文の合計金額と同じである場合)、リンクされたソース販売注文を請求済として分類する。 -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=リンクされたソース販売注文を、出荷は検証済なら出荷されたものとして分類する(また、全出荷によって出荷された数量が更新する注文と同じである場合) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=リンクされたソース提案を請求済として分類する。販売注文が請求設定されている場合(かつ、その注文の合計額が、署名されリンクされた提案の総合計と同じ場合) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=リンクされたソース提案を請求済として分類する。顧客のインボイスが検証済みの場合(かつ、そのインボイスの合計額が、署名されリンクされた提案の総合計と同じ場合) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=リンクされたソース販売注文を請求済として分類する。顧客のインボイスが検証済みの場合(かつ、そのインボイスの合計額が、署名されリンクされた販売注文の総合計と同じ場合)。もしN注文に対して1インボイスの場合、これによりすべての注文も請求済となる。 +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=リンクされたソース販売注文を請求済として分類する。顧客のインボイスが支払済設定の場合(かつ、そのインボイスの合計額が、署名されリンクされた販売注文の総合計と同じ場合)。もしN注文に対して1インボイスの場合、これによりすべての注文も請求済となる。 +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=出荷の検証時に、リンクされたソースの受注を出荷済みとして分類する (また、すべての出荷で出荷された数量が更新する注文と同じである場合)。 descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=リンクされたソース販売注文を、出荷がクローズされた(かつ、全出荷によって出荷された数量が更新する注文と同じである)場合に出荷されたものとして分類する # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=リンクされたソース仕入先の提案を、仕入先の請求書は検証済なら請求済として分類する(また、請求書の金額がリンクされた提案の合計金額と同じである場合)。 +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=リンクされたソース仕入先の提案を請求済に分類する。仕入先インボイスが検証済の場合 ( かつ、インボイスの合計額がリンクされた提案の総合計と同じ場合) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=仕入先の請求書は検証済なら請求済としてリンクされたソース購買発注を分類する(請求書の金額がリンクされた注文の合計金額と同じである場合) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=リンクされたソース購買発注を請求済として分類する。仕入先インボイスが検証済みの場合 ( かつ、インボイスの合計額がリンクされた発注の総合計と同じ場合 ) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=リンクされたソース購買発注を、領収は検証済なら受領したものとして指定する(ただし、全領収での受領済数量が更新する購買発注と同じである場合)。 descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=リンクされたソース購買発注を、領収終了時に受領したものとして指定する(ただし、全領収での受領数量が更新する購買発注と同じである場合)。 -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=リンクされた購入請求書が検証された場合 (および請求書の金額がリンクされた受信の合計金額と同じ場合) に、受信を「請求済み」に分類する。 +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=顧客の請求書が検証されたとき(請求書の金額がリンクされた出荷の合計金額と同じである場合)、リンクされたソース出荷をクローズ済みとして分類する。 +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=顧客の請求書が検証されたとき(および請求書の金額がリンクされた出荷の合計金額と同じ場合)、リンクされたソース出荷を請求済みとして分類する。 +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=購入請求書の検証時に、リンクされたソース受信を請求済みとして分類する (請求書の金額がリンクされた受信の合計金額と同じ場合)。 +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=購入請求書の検証時に、リンクされたソース受信を請求済みとして分類する (請求書の金額がリンクされた受信の合計金額と同じ場合)。 # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=チケットを作成するときは、一致するサードパーティの利用可能な契約をリンクする +descWORKFLOW_TICKET_LINK_CONTRACT=チケットを作成するときは、一致する 取引先 の利用可能なすべての契約をリンクする。 descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=契約をリンクする場合は、親会社の契約を検索すること # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=チケットが閉じられたら、チケットにリンクされている全介入を閉じる AutomaticCreation=自動作成 AutomaticClassification=自動分類 -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=顧客の請求書が検証されたときに、リンクされたソース出荷をクローズとして分類する (請求書の金額がリンクされた出荷の合計金額と同じ場合)。 AutomaticClosing=自動クローズ AutomaticLinking=自動リンク diff --git a/htdocs/langs/kk_KZ/accountancy.lang b/htdocs/langs/kk_KZ/accountancy.lang index a1ee408cd7f..5ab457fc2f4 100644 --- a/htdocs/langs/kk_KZ/accountancy.lang +++ b/htdocs/langs/kk_KZ/accountancy.lang @@ -16,8 +16,8 @@ ThisService=Бұл қызмет ThisProduct=Бұл өнім DefaultForService=Default for services DefaultForProduct=Default for products -ProductForThisThirdparty=Бұл үшінші тарапқа арналған өнім -ServiceForThisThirdparty=Бұл үшінші тарапқа қызмет көрсету +ProductForThisThirdparty=Product for this third party +ServiceForThisThirdparty=Service for this third party CantSuggest=Ұсыну мүмкін емес AccountancySetupDoneFromAccountancyMenu=Бухгалтерлік есепті баптаудың көбі %s мәзірінен жүзеге асады ConfigAccountingExpert=Модульді есепке алуды конфигурациялау (екі рет енгізу) @@ -38,7 +38,7 @@ DeleteCptCategory=Бухгалтерлік есепті топтан алып т ConfirmDeleteCptCategory=Бұл бухгалтерлік есептік жазбаны бухгалтерлік есеп тобынан алып тастағыңыз келетініне сенімдісіз бе? JournalizationInLedgerStatus=Журналистика жағдайы AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger +NotYetInGeneralLedger=Not yet transferred to accounting journals and ledger GroupIsEmptyCheckSetup=Топ бос, жекеленген есепке алу тобының орнатылуын тексеріңіз DetailByAccount=Есептік жазба бойынша мәліметтерді көрсетіңіз DetailBy=Detail by @@ -53,15 +53,13 @@ ExportAccountingSourceDocHelp=With this tool, you can search and export the sour ExportAccountingSourceDocHelp2=Журналдарды экспорттау үшін %s - %s мәзір жазбасын пайдаланыңыз. ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported, click on the button above. VueByAccountAccounting=Бухгалтерлік шот бойынша қарау VueBySubAccountAccounting=Бухгалтерлік қосалқы шот бойынша қарау MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup @@ -70,13 +68,14 @@ UserAccountNotDefined=Accounting account for user not defined in setup AccountancyArea=Бухгалтерлік есеп аймағы AccountancyAreaDescIntro=Бухгалтерлік есеп модулін пайдалану бірнеше кезеңнен тұрады: AccountancyAreaDescActionOnce=Келесі әрекеттер әдетте бір рет немесе жылына бір рет орындалады ... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting +AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automatically the correct default accounting account when transferring data in accounting AccountancyAreaDescActionFreq=Келесі әрекеттер әдетте ай сайын, аптада немесе күн сайын өте ірі компаниялар үшін орындалады ... AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s AccountancyAreaDescChartModel=%s ҚАДАМЫ: Есеп шотының үлгісі бар екенін тексеріңіз немесе %s мәзірінен үлгі жасаңыз AccountancyAreaDescChart=%s ҚАДАМЫ: %s мәзірінен шот схемасын таңдаңыз және | немесе толтырыңыз. +AccountancyAreaDescFiscalPeriod=STEP %s: Define a fiscal year by default on which to integrate your accounting entries. For this, use the menu entry %s. AccountancyAreaDescVat=%s ҚАДАМЫ: ҚҚС мөлшерлемелері бойынша бухгалтерлік есеп шоттарын анықтаңыз. Ол үшін %s мәзір жазбасын қолданыңыз. AccountancyAreaDescDefault=ҚАДАМ %s: Әдепкі бухгалтерлік есеп шоттарын анықтаңыз. Ол үшін %s мәзір жазбасын қолданыңыз. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. @@ -84,7 +83,7 @@ AccountancyAreaDescSal=%s ҚАДАМЫ: Жалақы төлеу бойынша AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. AccountancyAreaDescDonation=ҚАДАМ %s: Қайырымдылық үшін әдепкі есеп шоттарын анықтаңыз. Ол үшін %s мәзір жазбасын қолданыңыз. AccountancyAreaDescSubscription=ҚАДАМ %s: мүше жазылымы үшін әдепкі есеп шоттарын анықтаңыз. Ол үшін %s мәзір жазбасын қолданыңыз. -AccountancyAreaDescMisc=%s ҚАДАМЫ: Әр түрлі транзакциялар үшін міндетті әдепкі есептік жазба мен әдепкі есеп шоттарын анықтаңыз. Ол үшін %s мәзір жазбасын қолданыңыз. +AccountancyAreaDescMisc=STEP %s: Define mandatory default accounts and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. AccountancyAreaDescLoan=%s ҚАДАМЫ: Несие бойынша әдепкі бухгалтерлік есеп шоттарын анықтаңыз. Ол үшін %s мәзір жазбасын қолданыңыз. AccountancyAreaDescBank=%s ҚАДАМЫ: Әр банк пен қаржылық шоттар үшін бухгалтерлік есеп шоттары мен журнал кодын анықтаңыз. Ол үшін %s мәзір жазбасын қолданыңыз. AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. @@ -95,6 +94,7 @@ AccountancyAreaDescAnalyze=ҚАДАМ %s: Бар транзакцияларды AccountancyAreaDescClosePeriod=ҚАДАМ %s: Мерзімді жабу, сондықтан біз болашақта өзгерту жасай алмаймыз. +TheFiscalPeriodIsNotDefined=A mandatory step in setup has not been completed (Fiscal period is not defined) TheJournalCodeIsNotDefinedOnSomeBankAccount=Орнатудың міндетті қадамы аяқталмады (бухгалтерлік есеп журналы барлық банк шоттары үшін анықталмаған) Selectchartofaccounts=Белсенді шоттар жоспарын таңдаңыз ChangeAndLoad=Өзгерту және жүктеу @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Бухгалтерлік есептің соңында ә BANK_DISABLE_DIRECT_INPUT=Банк шотындағы операцияны тікелей жазуды өшіру ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Журналға эскиз экспортын қосу ACCOUNTANCY_COMBO_FOR_AUX=Қосалқы шот үшін құрама тізімді қосыңыз (егер сізде үшінші тараптар көп болса, баяу болуы мүмкін, құндылықтың бір бөлігін іздеу мүмкіндігін бұзыңыз) -ACCOUNTING_DATE_START_BINDING=Бухгалтерлік есепте байланыстыруды және аударуды бастау күнін анықтаңыз. Осы күннен төмен операциялар бухгалтерлік есепке көшірілмейді. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_DATE_START_BINDING=Disable binding & transfer in accountancy when date is below this date (the transactions before this date will be excluded by default) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On the page to transfer data into accountancy, what is the period selected by default ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Әлеуметтік журнал ACCOUNTING_RESULT_PROFIT=Нәтижені есепке алу шоты (пайда) ACCOUNTING_RESULT_LOSS=Нәтижелік бухгалтерлік есеп (залал) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Жабу журналы +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Accounting groups used for the balance sheet account (separate by comma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Accounting groups used for the income statement (separate by comma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers TransitionalAccount=Өтпелі банктік аударым шоты @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Consult here the list of the lines of invoices customers DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transferred in accountancy are visible) DescVentilDoneSupplier=Мұнда жеткізушілердің шот -фактураларының тізімі мен олардың бухгалтерлік шоты бойынша танысыңыз DescVentilTodoExpenseReport=Төлемді есепке алу шотымен байланыстырылмаған шығыстар туралы есеп беру жолдарын байланыстырыңыз DescVentilExpenseReport=Бұл жерде төлемді есепке алу шотына байланысты (немесе жоқ) шығыстар туралы есеп беру жолдарының тізімін қараңыз @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=Егер сіз бухгалтерлік есепт DescVentilDoneExpenseReport=Мұнда шығыстар туралы есептер мен олардың есепке алу шоттарының тізімін қараңыз Closure=Жылдық жабылу -DescClosure=Consult here the number of movements by month not yet validated & locked +AccountancyClosureStep1Desc=Consult here the number of movements by month not yet validated & locked OverviewOfMovementsNotValidated=Overview of movements not validated and locked AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked @@ -341,7 +343,7 @@ AccountingJournalType3=Сатып алулар AccountingJournalType4=Банк AccountingJournalType5=Expense reports AccountingJournalType8=Түгендеу -AccountingJournalType9=Жаңасы бар +AccountingJournalType9=Retained earnings GenerationOfAccountingEntries=Generation of accounting entries ErrorAccountingJournalIsAlreadyUse=Бұл журнал қазірдің өзінде қолданылады AccountingAccountForSalesTaxAreDefinedInto=Ескерту: Сатудан алынатын салықтың бухгалтерлік шоты %s - %s мәзірінде анықталған. @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Сатып алу кезінде бух ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Бухгалтерлік есепте міндеттемелер мен аударымдарды өшіру (шығындар туралы есептер бухгалтерлік есепке алынбайды) ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. +EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigorous accounting management. ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not chosen by the end user +ACCOUNTING_LETTERING_NBLETTERS=Number of letters when generating lettering code (default 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Some accounting software only accepts a two-letter code. This parameter allows you to set this aspect. The default number of letters is three. OptionsAdvanced=Advanced options ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transferred into accountancy differently: A additional debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. ## Export NotExportLettering=Do not export the lettering when generating the file @@ -420,7 +424,7 @@ SaleLocal=Жергілікті сату SaleExport=Экспорттық сату SaleEEC=ЕЭК -те сату SaleEECWithVAT=ЕЭК -те ҚҚС -мен сату нөлге тең емес, сондықтан біздің ойымызша бұл сатылымнан тыс сату емес және ұсынылған шот - бұл өнімнің стандартты шоты. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of third party is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the third party, or change the product account suggested for binding if needed. ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=No unreconcile modified AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock movements +AccountancyClosureStep2=Step 2 : Close fiscal period +AccountancyClosureStep3=Step 3 : Extract entries (Optional) +AccountancyClosureClose=Close fiscal period +AccountancyClosureAccountingReversal=Extract and record "Retained earnings" entries +AccountancyClosureStep3NewFiscalPeriod=Next fiscal period +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "Retained earnings" entries on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "Retained earnings" entries, detail the sub-ledger accounts +AccountancyClosureCloseSuccessfully=Fiscal period has been closed successfully +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping entries for "Retained earnings" has been inserted successfully + ## Confirm box ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? ConfirmMassDeleteBookkeepingWriting=Bulk Delete confirmation ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +AccountancyClosureConfirmClose=Are you sure you want to close the current fiscal period ? You understand that closing the fiscal period is an irreversible action and will permanently block any modification or deletion of entries over this period. +AccountancyClosureConfirmAccountingReversal=Are you sure you want to record entries for the "Retained earnings" ? ## Error SomeMandatoryStepsOfSetupWereNotDone=Орнатудың кейбір міндетті қадамдары орындалмады, оларды аяқтаңыз -ErrorNoAccountingCategoryForThisCountry=%s елінде бухгалтерлік есепке алу тобы жоқ (Басты бет - Орнату - Сөздіктерді қараңыз) +ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Сіз шот -фактураның кейбір жолдарын %s журналға енгізуге тырысасыз, бірақ кейбір басқа жолдар әлі де бухгалтерлік шотпен шектелмеген. Бұл шот -фактураның барлық шот -фактуралық желілерін жариялаудан бас тартылады. ErrorInvoiceContainsLinesNotYetBoundedShort=Шот -фактурадағы кейбір жолдар бухгалтерлік шотқа байланысты емес. ExportNotSupported=Орнатылған экспорттау форматына бұл бетте қолдау көрсетілмейді @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s ErrorAccountNumberAlreadyExists=The accounting number %s already exists ErrorArchiveAddFile=Can't put "%s" file in archive +ErrorNoFiscalPeriodActiveFound=No active fiscal period found +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=The bookkeeping doc date is not inside the active fiscal period +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=The bookkeeping doc date is inside a closed fiscal period ## Import ImportAccountingEntries=Бухгалтерлік жазбалар diff --git a/htdocs/langs/kk_KZ/admin.lang b/htdocs/langs/kk_KZ/admin.lang index 69fd25f8f8e..16b601eb598 100644 --- a/htdocs/langs/kk_KZ/admin.lang +++ b/htdocs/langs/kk_KZ/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Бұл модуль сіздің Dolibarr %s (Min %s - Max %s) ү CompatibleAfterUpdate=Бұл модуль Dolibarr %s (Min %s - Max %s) жаңартуын қажет етеді. SeeInMarkerPlace=Базар орнынан қараңыз SeeSetupOfModule=%s модулінің конфигурациясын қараңыз +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo= %s параметрін %s етіп орнатыңыз Updated=Жаңартылды AchatTelechargement=Сатып алу / жүктеу @@ -292,22 +294,22 @@ EmailSenderProfiles=Хат жіберушілердің профильдері EMailsSenderProfileDesc=Сіз бұл бөлімді бос қалдыра аласыз. Егер сіз мұнда бірнеше электрондық поштаны енгізсеңіз, олар сіз жаңа электрондық пошта жазған кезде combobox ішіне мүмкін жіберушілер тізіміне қосылады. MAIN_MAIL_SMTP_PORT=SMTP/SMTPS порты (әдепкі мән php.ini: %s ) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS хост (php.ini әдепкі мәні: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS порты (Unix тәрізді жүйелерде PHP-де анықталмаған) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS хост (Unix тәрізді жүйелерде PHP-ге анықталмаған) -MAIN_MAIL_EMAIL_FROM=Автоматты электрондық хаттар үшін жіберуші электрондық поштасы (php.ini әдепкі мәні: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=Қате үшін пайдаланылатын электрондық пошта электрондық поштаны қайтарады (жіберілген хаттардағы «Қателер-Кім» өрістері) MAIN_MAIL_AUTOCOPY_TO= Барлық жіберілген электрондық пошталарды (Bcc) көшіріңіз MAIN_DISABLE_ALL_MAILS=Барлық электрондық поштаны жіберуді өшіру (тестілеу немесе демонстрация үшін) MAIN_MAIL_FORCE_SENDTO=Барлық электрондық хаттарды жіберу (тестілеу үшін нақты алушылардың орнына) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Жаңа электрондық поштаны жазу кезінде қызметкерлердің электрондық хаттарын (егер анықталса) алдын ала анықталған алушылардың тізіміне енгізіңіз -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=Электрондық поштаны жіберу әдісі MAIN_MAIL_SMTPS_ID=SMTP идентификаторы (егер серверге аутентификация қажет болса) MAIN_MAIL_SMTPS_PW=SMTP құпия сөзі (егер серверге аутентификация қажет болса) MAIN_MAIL_EMAIL_TLS=TLS (SSL) шифрлауды қолданыңыз MAIN_MAIL_EMAIL_STARTTLS=TLS (STARTTLS) шифрлауды қолданыңыз -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Автоматты түрде қолтаңбалар қоюға рұқсат беру +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=Электрондық пошта қолтаңбасын жасау үшін DKIM пайдаланыңыз MAIN_MAIL_EMAIL_DKIM_DOMAIN=Dkim көмегімен пайдалану үшін электрондық пошта домені MAIN_MAIL_EMAIL_DKIM_SELECTOR=Dkim селекторының атауы @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Dkim қол қоюға арналған жек MAIN_DISABLE_ALL_SMS=Барлық SMS жіберуді өшіру (тестілік немесе демонстрациялық мақсатта) MAIN_SMS_SENDMODE=SMS жіберу әдісі MAIN_MAIL_SMS_FROM=SMS жіберу үшін жіберушінің әдепкі телефон нөмірі -MAIN_MAIL_DEFAULT_FROMTYPE=Қолмен жіберу үшін әдепкі жіберуші электрондық поштасы (Пайдаланушының электрондық поштасы немесе Компанияның электрондық поштасы) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=Пайдаланушының электрондық поштасы CompanyEmail=Компанияның электрондық поштасы FeatureNotAvailableOnLinux=Бұл функция Unix сияқты жүйелерде жоқ. Sendmail бағдарламасын жергілікті түрде тексеріңіз. @@ -417,6 +419,7 @@ PDFLocaltax=%s ережелері HideLocalTaxOnPDF=Сатылым салығы / ҚҚС бағанында %s мөлшерлемесін жасыру HideDescOnPDF=Өнімдер сипаттамасын жасыру HideRefOnPDF=Өнімдерді жасыру сілтемесі +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=Өнім желісінің мәліметтерін жасыру PlaceCustomerAddressToIsoLocation=Клиенттердің мекен -жайы бойынша француз стандартты позициясын (La Poste) пайдаланыңыз Library=Кітапхана @@ -424,7 +427,7 @@ UrlGenerationParameters=URL мекенжайларын қорғау параме SecurityTokenIsUnique=Әр URL үшін қауіпсіздіктің бірегей параметрін қолданыңыз EnterRefToBuildUrl=%s нысанына сілтеме енгізіңіз GetSecuredUrl=Есептелген URL мекенжайын алыңыз -ButtonHideUnauthorized=Ішкі пайдаланушылар үшін рұқсат етілмеген әрекеттер түймелерін жасырыңыз (әйтпесе сұр түсті) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=Ескі ҚҚС ставкасы NewVATRates=ҚҚС жаңа мөлшерлемесі PriceBaseTypeToChange=Белгіленген анықтамалық мәні бар бағаларды өзгертіңіз @@ -458,11 +461,11 @@ ComputedFormula=Есептелген өріс ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Есептелген өрісті сақтау ComputedpersistentDesc=Есептелген қосымша өрістер дерекқорда сақталады, алайда бұл өрістің объектісі өзгерген кезде ғана мән қайта есептеледі. Егер есептелетін өріс басқа объектілерге немесе жаһандық деректерге тәуелді болса, бұл мән қате болуы мүмкін !! -ExtrafieldParamHelpPassword=Бұл өрісті бос қалдырсаңыз, бұл мән шифрлаусыз сақталатынын білдіреді (өріс экрандағы жұлдызшамен ғана жасырылуы керек).
      «Авто» параметрін құпия сөзді дерекқорға сақтау үшін әдепкі шифрлау ережесін қолдану үшін орнатыңыз (онда мән мәні тек хэш болады, бастапқы мәнді шығарып алуға болмайды) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=Мәндер тізімі формат кілті бар жолдар болуы керек, онда мән (мұнда кілт '0' болмауы керек)

      1, мән1
      2, мән2 a0342fcc3f342f030429342943f04f34f34f34f34f34f34f34f34f34f3f34f319f342f34f3f34f34f34f34f34f34f34f34f31943 басқа толықтыратын атрибут тізімнен байланысты тізімі:
      1, 1-мән | options_ parent_list_code : parent_key
      2, 2-мән | options_ parent_list_code : parent_key

      басқа тізімге байланысты тізімі болуы үшін:
      1, значение1 | parent_list_code : parent_key
      2, мән2 | parent_list_code : parent_key ExtrafieldParamHelpcheckbox=Мәндер тізімі формат кілті бар жолдар болуы керек, мән (мұнда кілт '0' болмауы керек)

      1, мән1
      2, мән2 a0342fccff319f03 ExtrafieldParamHelpradio=Мәндер тізімі формат кілті бар жолдар болуы керек, мән (мұнда кілт '0' болмауы керек)

      1, мән1
      2, мән2 a0342fccff319f03 -ExtrafieldParamHelpsellist=Мәндер тізімі
      кестесінен келеді Синтаксис: table_name: label_field: id_field :: filtersql
      Мысал: c_typent: libelle: id :: filtersql
      a0342 acc0 a1fl a03f2 Бұл тек
      белсенді мәнін көрсету үшін қарапайым сынақ болуы мүмкін (мысалы, белсенді = 1). Сонымен қатар
      ағымдағы нысанның идентификаторы болып табылатын сүзгіде $ ID $ қолдануға болады, сүзгіге SELECT пайдалану үшін $ SEL $ кілт сөзін пайдаланыңыз. инъекцияға қарсы қорғанысты айналып өту.
      егер сіз қосымша өрістерде сүзгіңіз келсе, extra.fieldcode = ... синтаксисін қолданыңыз parent_list_code | parent_column:

      сүзгісі басқа тізімге байланысты болуы үшін:
      c_tc_doc8: li_dep8: li_doc8 +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Мәндер тізімі
      кестесінен келеді Синтаксис: table_name: label_field: id_field :: filtersql
      Мысал: c_typent: libelle: id :: filtersql
      a0342 a0342 a03f2 a0342fccff19 $ ID $ сүзгіні қолдана алады, бұл ағымдағы нысанның идентификаторы
      Сүзгіде SELECT жасау үшін $ SEL $
      пайдаланыңыз, егер сіз қосымша өрістерде сүзгіңіз келсе, extra.fieldcode = ... синтаксисін қолданыңыз (өріс коды - бұл extrafield коды)

      басқа толықтыратын атрибут тізімнен байланысты тізімі болуы үшін:
      c_typent: Libelle: ID: options_ parent_list_code | parent_column: сүзгі

      басқа тізімге байланысты тізімі болуы үшін:
      c_typent: жала жабу: идентификатор: parent_list_code | ата -аналық баған: сүзгі ExtrafieldParamHelplink=Параметрлер ObjectName болуы керек: Classpath
      Синтаксис: ObjectName: Classpath ExtrafieldParamHelpSeparator=Қарапайым сепаратор үшін бос ұстаңыз күй әр пайдаланушы сеансы алдында сақталады) @@ -473,7 +476,7 @@ LinkToTestClickToDial= %s пайдаланушысына ар RefreshPhoneLink=Сілтемені жаңарту LinkToTest= %s пайдаланушы үшін басылатын сілтеме жасалады (тексеру үшін телефон нөмірін басыңыз) KeepEmptyToUseDefault=Әдепкі мәнді пайдалану үшін бос ұстаңыз -KeepThisEmptyInMostCases=Көп жағдайда сіз бұл өрісті сақтай аласыз. +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=Әдепкі сілтеме SetAsDefault=Әдепкі ретінде орнату ValueOverwrittenByUserSetup=Ескерту, бұл мән пайдаланушыға арнайы орнатумен қайта жазылуы мүмкін (әр пайдаланушы өзінің жеке басу URL мекенжайын орната алады) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Бұл HTML өрісінің атауы. Өрісті PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate=
      Мысал:
      Жаңа үшінші тарапты құратын пішін үшін %s .
      Теңшелетін каталогқа орнатылған сыртқы модульдердің URL мекен -жайы үшін «custom/» қосылмайды, сондықтан mymodule/mypage.php сияқты жолды пайдаланыңыз, бірақ custom/mymodule/mypage.php емес.
      Егер url параметрі бар болса ғана әдепкі мәнді алғыңыз келсе, %s пайдалануға болады PageUrlForDefaultValuesList=
      Мысал:
      Үшінші жақтарды тізімдейтін бет үшін %s .
      Қолданбалы каталогқа орнатылған сыртқы модульдердің URL мекен -жайы үшін «custom/» қосылмайды, сондықтан mymodule/mypagelist.php сияқты жолды пайдаланыңыз, бірақ custom/mymodule/mypagelist.php емес.
      Егер url параметрі бар болса ғана әдепкі мәнді алғыңыз келсе, %s пайдалануға болады -AlsoDefaultValuesAreEffectiveForActionCreate=Сондай -ақ, пішін жасау үшін әдепкі мәндерді қайта жазу дұрыс жасалған беттер үшін ғана жұмыс істейтінін ескеріңіз (сондықтан әрекет = жасау немесе ұсыну параметрімен ...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=Әдепкі мәндерді теңшеуді қосыңыз EnableOverwriteTranslation=Allow customization of translations GoIntoTranslationMenuToChangeThis=Осы код бар кілт үшін аударма табылды. Бұл мәнді өзгерту үшін оны Home-Setup-аудармасынан өңдеу керек. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Жалпы жеке каталог - бұл кез DAV_ALLOW_PUBLIC_DIR=Жалпыға ортақ каталогты қосыңыз («жалпыға ортақ» деп аталатын WebDAV арнайы каталогы - кірудің қажеті жоқ) DAV_ALLOW_PUBLIC_DIRTooltip=Жалпыға ортақ каталог - бұл кез келген адам кіре алатын WebDAV каталогы (оқу және жазу режимінде), авторизация қажет емес (логин/пароль тіркелгісі). DAV_ALLOW_ECM_DIR=DMS/ECM жеке каталогын қосыңыз (DMS/ECM модулінің түбірлік каталогы - кіру қажет) -DAV_ALLOW_ECM_DIRTooltip=DMS/ECM модулін қолданған кезде барлық файлдар қолмен жүктелетін түбірлік каталог. Веб -интерфейске кіру сияқты, оған кіру үшін арнайы рұқсаты бар жарамды логин/пароль қажет болады. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=Пайдаланушылар мен топтар Module0Desc=Пайдаланушылар / қызметкерлер мен топтарды басқару @@ -566,7 +569,7 @@ Module40Desc=Сатушылар мен сатып алуды басқару (с Module42Name=Жөндеу журналдары Module42Desc=Тіркеу құралдары (файл, syslog, ...). Мұндай журналдар техникалық/жөндеуге арналған. Module43Name=Жөндеу жолағы -Module43Desc=Браузерге отладка жолағын қосуға арналған құрал. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=Редакторлар Module49Desc=Редакторды басқару Module50Name=Өнімдер @@ -582,7 +585,7 @@ Module54Desc=Шарттарды басқару (қызметтер немесе Module55Name=Штрихкодтар Module55Desc=Штрих -код немесе QR -кодты басқару Module56Name=Кредиттік аударым арқылы төлем -Module56Desc=Кредиттік аударымдар бойынша жеткізушілердің төлемдерін басқару. Ол Еуропа елдері үшін SEPA файлын құруды қамтиды. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=Тікелей дебет бойынша төлемдер Module57Desc=Тікелей дебеттік өтінімдерді басқару. Ол Еуропа елдері үшін SEPA файлын құруды қамтиды. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Іскерлік оқиғадан туындаған электр Module600Long=Бұл модуль нақты іскерлік оқиға болған кезде электрондық поштаны нақты уақытта жіберетінін ескеріңіз. Егер сіз күн тәртібіндегі оқиғаларға электрондық пошта еске салғыштарын жіберу мүмкіндігін іздесеңіз, Agenda модулін орнатуға өтіңіз. Module610Name=Өнім нұсқалары Module610Desc=Өнімнің нұсқаларын жасау (түсі, өлшемі және т. +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=Қайырымдылық Module700Desc=Қайырымдылықты басқару Module770Name=Шығындар туралы есептер @@ -650,8 +657,8 @@ Module2300Name=Жоспарланған тапсырмалар Module2300Desc=Жоспарланған жұмысты басқару (cron немесе хроно лақап аты) Module2400Name=Оқиғалар/Күн тәртібі Module2400Desc=Оқиғаларды бақылау. Бақылау мақсатында автоматты оқиғаларды тіркеңіз немесе қолмен оқиғалар мен кездесулерді жазыңыз. Бұл клиенттермен жақсы қарым -қатынасты басқарудың негізгі модулі. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM Module2500Desc=Құжаттарды басқару жүйесі / электронды мазмұнды басқару. Жасалған немесе сақталған құжаттарды автоматты түрде ұйымдастыру. Қажет кезде оларды бөлісіңіз. Module2600Name=API / Web services (SOAP server) @@ -672,7 +679,7 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=Әлеуметтік желілер Module3400Desc=Әлеуметтік желілер өрістерін үшінші тараптар мен мекенжайларға қосыңыз (скайп, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Адам ресурстарын басқару (департаментті басқару, қызметкерлермен келісімшарттар мен сезімдер) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Көпкомпания Module5000Desc=Бірнеше компанияны басқаруға мүмкіндік береді Module6000Name=Модульаралық жұмыс процесі @@ -712,6 +719,8 @@ Module63000Desc=Іс -шараларға бөлу үшін ресурстард Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=Receptions +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Read customer invoices (and payments) Permission12=Тұтынушылардың шот -фактураларын жасаңыз/өзгертіңіз @@ -996,7 +1005,7 @@ Permission4031=Read personal information Permission4032=Write personal information Permission4033=Read all evaluations (even those of user not subordinates) Permission10001=Сайт мазмұнын оқыңыз -Permission10002=Веб -сайт мазмұнын жасау/өзгерту (html және JavaScript мазмұны) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=Веб -сайт мазмұнын жасаңыз/өзгертіңіз (динамикалық PHP коды). Қауіпті, шектеулі әзірлеушілерге сақталуы керек. Permission10005=Веб -сайттың мазмұнын жою Permission20001=Демалыс туралы өтініштерді оқыңыз (сіздің және қарамағыңыздағы қызметкерлердің демалысы) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Шығындар есебі - Тасымалдау с DictionaryTransportMode=Ішкі есеп - Тасымалдау режимі DictionaryBatchStatus=Өнім партиясы/сериялық сапаны бақылау күйі DictionaryAssetDisposalType=Type of disposal of assets +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Бірлік түрі SetupSaved=Орнату сақталды SetupNotSaved=Орнату сақталмады @@ -1109,10 +1119,11 @@ BackToModuleList=Модульдер тізіміне оралу BackToDictionaryList=Сөздіктер тізіміне қайта келу TypeOfRevenueStamp=Салық белгісінің түрі VATManagement=Сатудан алынатын салықты басқару -VATIsUsedDesc=Әдепкі бойынша перспективаларды, шот -фактураларды, тапсырыстарды және т.б. құру кезінде Сатудан алынатын салық мөлшерлемесі белсенді стандартты ережеге сәйкес келеді:
      Егер сатушыға сатылым салығы салынбаса, онда сатудан алынатын салық 0. Ереженің соңы.
      Егер (сатушы елі = сатып алушы елі) болса, онда сатудан алынатын салық әдепкі бойынша сатушы еліндегі өнімнің сату салығына тең болады. Ереженің аяқталуы.
      Егер сатушы мен сатып алушы Еуропалық қоғамдастықта болса және тауарлар көлікпен байланысты өнімдер болса (тасымалдау, тасымалдау, авиакомпания), әдепкі ҚҚС - 0. Бұл ереже сатушының еліне байланысты - бухгалтеріңізбен кеңесіңіз. ҚҚС -ты сатып алушы сатушыға емес, өз еліндегі кедендік кеңсеге төлеуі керек. Ереженің аяқталуы.
      Егер сатушы мен сатып алушы Еуропалық қоғамдастықта болса, ал сатып алушы компания болып табылмаса (ҚҚС бойынша Қауымдастықтың ішкі нөмірі тіркелген), онда ҚҚС сатушы елінің ҚҚС мөлшерлемесіне сәйкес келеді. Ереженің аяқталуы.
      Егер сатушы мен сатып алушы Еуропалық қоғамдастықта болса, ал сатып алушы компания болса (ҚҚС бойынша Қауымдастық ішінде тіркелген нөмірі бар), онда ҚҚС әдепкі бойынша 0 болады. Ереженің аяқталуы.
      Басқа жағдайда ұсынылған дефолт сатылым салығы = 0 болады. Ереженің аяқталуы. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=Әдепкі бойынша, ұсынылған сатудан алынатын салық 0, оны ассоциациялар, жеке тұлғалар немесе шағын компаниялар сияқты жағдайларда қолдануға болады. VATIsUsedExampleFR=Францияда бұл нақты фискалдық жүйесі бар компанияларды немесе ұйымдарды білдіреді (жеңілдетілген нақты немесе қалыпты нақты). ҚҚС декларацияланатын жүйе. VATIsNotUsedExampleFR=Францияда бұл сатылым салығы бойынша декларацияланбаған бірлестіктерді немесе шағын кәсіпкерлік фискальдық жүйені (франшизадағы сату салығы) таңдаған және сатуға салық декларациясынсыз франшиза сату салығын төлеген компанияларды, ұйымдарды немесе либералды кәсіптерді білдіреді. Бұл таңдау шот -фактураларда «Қолданылмайтын сатылым салығы - CGI -293В» сілтемесін көрсетеді. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Сатудан алынатын салық түрі LTRate=Бағалау @@ -1399,8 +1410,8 @@ PHPModuleLoaded=%s PHP компоненті жүктелген PreloadOPCode=Алдын ала жүктелген OPCode қолданылады AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Байланыс электрондық поштасын (немесе телефондар анықталмаса) және қала ақпаратының тізімін (тізім немесе комбоксты таңдаңыз) көрсету
      Байланыстар «Dupond Durand - dupond.durand@email.com - Париж» немесе «Дюпонд Дюран - 06 07» атау форматында пайда болады. 59 65 66 - «Дюпон Дюранның» орнына Париж «. +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=Үшінші тараптар үшін жөнелтудің қолайлы әдісін сұраңыз. FieldEdition=%s өрісінің басылымы FillThisOnlyIfRequired=Мысал: +2 (уақыт белдеуінің ығысу проблемалары туындаған жағдайда ғана толтырыңыз) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Кіру бетінде «Құпия сөз UsersSetup=Пайдаланушылар модулін орнату UserMailRequired=Жаңа пайдаланушы жасау үшін электрондық пошта қажет UserHideInactive=Пайдаланушылардың барлық тізімдерінен белсенді емес пайдаланушыларды жасыру (Ұсынылмайды: бұл кейбір беттерде ескі пайдаланушыларды сүзу немесе іздеу мүмкін болмайтынын білдіреді) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Пайдаланушы жазбасынан жасалған құжаттарға арналған құжат үлгілері GroupsDocModules=Топтық жазбадан жасалған құжаттарға арналған құжат үлгілері ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Топтар LDAPContactsSynchro=Байланыстар LDAPMembersSynchro=Мүшелер LDAPMembersTypesSynchro=Мүшелердің түрлері -LDAPSynchronization=LDAP синхрондау +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=PHP -де LDAP функциялары жоқ LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=Қолданушының ID LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=Үй каталогы -LDAPFieldHomedirectoryExample=Мысалы: үй бағыттары +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=Үй каталогының префиксі LDAPSetupNotComplete=LDAP орнату аяқталмады (басқа қойындыларға өтіңіз) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Әкімші немесе құпия сөз берілмеген. LDAP қатынасы жасырын болады және тек оқу режимінде болады. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Қолданбалы кэш үшін жад MemcachedAvailableAndSetup=Memcached серверін пайдалануға арналған memcached модулі қосылды. OPCodeCache=OPCode кэші NoOPCodeCacheFound=OPCode кэші табылмады. Мүмкін сіз XCache немесе eAccelerator -дан басқа OPCode кэшін қолданасыз (жақсы), немесе сізде OPCode кэші жоқ (өте нашар). -HTTPCacheStaticResources=Тұрақты ресурстарға арналған HTTP кэші (css, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=%s түріндегі файлдарды HTTP сервері кэштейді FilesOfTypeNotCached=%s түріндегі файлдарды HTTP сервері кэштемейді FilesOfTypeCompressed=%s түріндегі файлдар HTTP серверімен қысылады @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Жеткізу түбіртектері тура ##### FCKeditor ##### AdvancedEditor=Жетілдірілген редактор ActivateFCKeditor=Қосымша редакторды іске қосыңыз: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG-тің жаппай электрондық поштаны жіберуге арналған құралы/басылымы (Құралдар-> электрондық пошта) -FCKeditorForUserSignature=WYSIWIG құру/қолданушы қолтаңбасы -FCKeditorForMail=Барлық пошта үшін WYSIWIG құру/шығарылым (Құралдар-> электрондық поштаны қоспағанда) -FCKeditorForTicket=Билеттерге арналған WYSIWIG құру/басылым +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=Қор модулін баптау IfYouUsePointOfSaleCheckModule=Егер сіз әдепкі бойынша сатылатын Point of Sale модулін (POS) немесе сыртқы модульді қолдансаңыз, POS модулі бұл орнатуды елемеуі мүмкін. Көптеген POS модульдері әдепкі бойынша шот -фактураны дереу құруға және осы жердегі опцияларға қарамастан қорды азайтуға арналған. Егер сізге POS сатылымын тіркеу кезінде акцияның төмендеуі қажет болса немесе қажет болмаса, POS модулінің орнатылуын тексеріңіз. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Жеке мәзірлер жоғарғы мәзірг NewMenu=Жаңа мәзір MenuHandler=Мәзір өңдегіші MenuModule=Бастапқы модуль -HideUnauthorizedMenu=Ішкі пайдаланушылар үшін рұқсат етілмеген мәзірлерді жасырыңыз (әйтпесе сұр түсті) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=Id мәзірі DetailMenuHandler=Мәзір өңдегіші жаңа мәзірді көрсететін жерде DetailMenuModule=Егер мәзір енгізу модульден болса, модуль атауы @@ -1802,7 +1815,7 @@ DetailType=Мәзір түрі (жоғарғы немесе сол жақ) DetailTitre=Мәзір жапсырмасы немесе аудармаға арналған жапсырма коды DetailUrl=URL where menu send you (Relative URL link or external link with https://) DetailEnabled=Кіру немесе көрсетпеу шарты -DetailRight=Рұқсат етілмеген сұр мәзірлерді көрсету шарты +DetailRight=Condition to display unauthorized gray menus DetailLangs=Белгі кодының аудармасы үшін файлдың аты DetailUser=Интерн / Сырттай / Барлығы Target=Мақсат @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Ақшалай төлемдерді алу үшін CashDeskBankAccountForCheque=Төлемдерді чек арқылы алу үшін пайдаланылатын әдепкі шот CashDeskBankAccountForCB=Несие карталарымен төлемдерді алу үшін пайдаланылатын әдепкі шот CashDeskBankAccountForSumup=SumUp арқылы төлемдерді алу үшін қолданылатын әдепкі банк шоты -CashDeskDoNotDecreaseStock=Сауда нүктесінен сату кезінде акцияның төмендеуін өшіріңіз (егер «жоқ» болса, қор модулінде орнатылған опцияға қарамастан, POS арқылы жасалған әрбір сатылым үшін акцияның төмендеуі жүзеге асырылады). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Қойманы қорларды азайту үшін пайдалануға мәжбүрлеңіз және шектеңіз StockDecreaseForPointOfSaleDisabled=Сауда нүктесінен акцияның төмендеуі StockDecreaseForPointOfSaleDisabledbyBatch=POS акцияларының төмендеуі сериялық/лотты басқару модулімен үйлесімді емес (қазіргі уақытта белсенді), сондықтан акцияның төмендеуі ажыратылады. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Тышқанды жылжыту кезінде кес HighlightLinesColor=Тінтуір өткен кезде сызықтың түсін бөлектеңіз (ерекшелеу үшін 'ffffff' пайдаланыңыз) HighlightLinesChecked=Жолдың түсін тексерген кезде бөлектеңіз (ерекшелеу үшін 'ffffff' пайдаланыңыз) UseBorderOnTable=Show left-right borders on tables +TableLineHeight=Table line height BtnActionColor=Color of the action button TextBtnActionColor=Text color of the action button TextTitleColor=Бет атауының мәтін түсі @@ -1991,7 +2006,7 @@ EnterAnyCode=Бұл өрісте жолды анықтау үшін сілтем Enter0or1=0 немесе 1 енгізіңіз UnicodeCurrency=Бұл жерге жақша арасына енгізіңіз, валюта белгісін білдіретін байт нөмірінің тізімі. Мысалы: $ үшін [36] енгізіңіз - бразилиялық нақты R үшін [82,36] - € үшін енгізіңіз [8364] ColorFormat=RGB түсі HEX форматында, мысалы: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=Біріктірілген тізімдердегі жолдың орналасуы SellTaxRate=Sales tax rate RecuperableOnly=Иә, Францияның кейбір штатына арналған «Қабылданбайды, бірақ қалпына келтірілетін» ҚҚС үшін. Барлық басқа жағдайларда «Жоқ» мәнін сақтаңыз. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block PROPOSAL_PDF_HIDE_PAYMENTTERM=Төлем шарттарын жасыру @@ -2118,7 +2133,7 @@ EMailHost=IMAP серверінің электрондық пошта хосты EMailHostPort=Port of email IMAP server loginPassword=Login/Password oauthToken=OAuth2 token -accessType=Acces type +accessType=Access type oauthService=Oauth service TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Do not include the content of email header into th EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. EmailCollectorConfirmCollectTitle=Растауды растау туралы электрондық пошта EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Example collecting leads EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail @@ -2188,10 +2203,10 @@ Protanopia=Протанопия Deuteranopes=Дейтераноптар Tritanopes=Тританоптар ThisValueCanOverwrittenOnUserLevel=Бұл мәнді әр қолданушы өзінің қолданушы бетінен қайта жазуы мүмкін - қойынды '%s' -DefaultCustomerType=«Жаңа тұтынушы» құру үлгісі үшін үшінші тараптың әдепкі түрі +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=Ескерту: Бұл функция жұмыс істеуі үшін банктік шот әр төлем режимінің модулінде анықталуы керек (Paypal, Stripe, ...). RootCategoryForProductsToSell=Сатылатын өнімнің негізгі категориясы -RootCategoryForProductsToSellDesc=Егер анықталса, тек осы санаттағы өнімдер немесе осы санаттағы балалар ғана сатылым нүктесінде қол жетімді болады +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=Жөндеу жолағы DebugBarDesc=Жөндеуді жеңілдету үшін көптеген құралдармен бірге келетін құралдар тақтасы DebugBarSetup=DebugBar орнату @@ -2212,10 +2227,10 @@ ImportSetup=Импорт модулін орнату InstanceUniqueID=Дананың бірегей идентификаторы SmallerThan=Қарағанда кіші LargerThan=Одан үлкен -IfTrackingIDFoundEventWillBeLinked=Назар аударыңыз, егер электрондық поштада объектінің бақылау идентификаторы табылса немесе электрондық пошта электрондық поштаның жауабы болса, ол жиналып, объектімен байланыстырылған болса, жасалған оқиға белгілі байланысты объектімен автоматты түрде байланыстырылады. -WithGMailYouCanCreateADedicatedPassword=GMail тіркелгісінде, егер сіз 2 қадамды тексеруді қосқан болсаңыз, https://myaccount.google.com/ сайтынан өзіңіздің есептік жазбаңыздың құпия сөзін пайдаланудың орнына қосымша үшін арнайы екінші құпия сөзді жасау ұсынылады. -EmailCollectorTargetDir=Сәтті өңделген кезде электрондық поштаны басқа тегке/каталогқа жылжыту қажет мінез болуы мүмкін. Бұл мүмкіндікті пайдалану үшін каталогтың атауын осында орнатыңыз (арнайы таңбаларды атауында қолдануға болмайды). Есіңізде болсын, сіз оқуға/жазуға кіру есептік жазбасын пайдалануыңыз керек. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=%s үшін соңғы нүкте: %s DeleteEmailCollector=Электрондық пошта жинаушысын жою @@ -2232,12 +2247,12 @@ EmailTemplate=Электрондық поштаға арналған шабло EMailsWillHaveMessageID=Электрондық хаттарда осы синтаксиске сәйкес келетін 'Әдебиеттер' тегі болады PDF_SHOW_PROJECT=Құжаттағы жобаны көрсету ShowProjectLabel=Жоба белгісі -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=Егер сіз PDF -тегі кейбір мәтіндерді бір PDF форматында 2 түрлі тілде қайталағыңыз келсе, мұнда осы екінші тілді орнатуыңыз керек, осылайша жасалған PDF бір бетте 2 түрлі тілді қамтиды, PDF жасау кезінде таңдалған және осы PDF -тің бірнеше үлгілері ғана қолдайды). PDF үшін 1 тіл үшін бос қалдырыңыз. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Мұнда FontAwesome белгішесінің кодын енгізіңіз. Егер сіз FontAwesome деген не екенін білмесеңіз, fa-address-book жалпы мәнін пайдалана аласыз. RssNote=Ескерту: RSS арнасының әр анықтамасы бақылау тақтасында қол жетімді болуы үшін оны қосу қажет виджетті қамтамасыз етеді JumpToBoxes=Орнату -> виджеттерге өтіңіз @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Қауіпсіздік бойынша кеңест ModuleActivatedMayExposeInformation=Бұл PHP кеңейтімі құпия деректерді көрсетуі мүмкін. Егер сізге қажет болмаса, оны өшіріңіз. ModuleActivatedDoNotUseInProduction=Әзірлеуге арналған модуль қосылды. Өндірістік ортада оны қоспаңыз. CombinationsSeparator=Өнім комбинациялары үшін бөлгіш белгі -SeeLinkToOnlineDocumentation=Мысалдар үшін жоғарғы мәзірдегі онлайн құжаттамаға сілтемені қараңыз +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=Егер %s модулінің «%s» функциясы қолданылса, PDF жиынтығының қосалқы өнімдері туралы мәліметтерді көрсетіңіз. AskThisIDToYourBank=Бұл идентификаторды алу үшін банкке хабарласыңыз -AdvancedModeOnly=Рұқсат тек Кеңейтілген рұқсат режимінде қол жетімді +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=Conf файлын кез келген пайдаланушы оқи алады немесе жаза алады. Веб -сервер пайдаланушысы мен топқа ғана рұқсат беріңіз. MailToSendEventOrganization=Іс -шараны ұйымдастыру MailToPartnership=Серіктестік AGENDA_EVENT_DEFAULT_STATUS=Пішіннен оқиға жасаған кездегі әдепкі оқиға күйі YouShouldDisablePHPFunctions=PHP функцияларын өшіру керек -IfCLINotRequiredYouShouldDisablePHPFunctions=Жүйелік пәрмендерді реттелетін кодта іске қосу қажет болмаса, PHP функцияларын өшіру керек +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions NoWritableFilesFoundIntoRootDir=Түбірлік каталогта жазылатын файлдар немесе жалпы бағдарламалардың каталогтары табылмады (Жақсы) RecommendedValueIs=Ұсынылады: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page ShowQuickAddLink=Show a button to quickly add an element in top right menu - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Hash used for ping ReadOnlyMode=Is instance in "Read Only" mode DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Will not work with all themes NoName=No name ShowAdvancedOptions= Show advanced options HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Use a password UseOauth=Use a OAUTH token Images=Images MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=The script is empty ShowHideTheNRequests=Show/hide the %s SQL request(s) DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2403,6 +2419,24 @@ Defaultfortype=Default DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/kk_KZ/bills.lang b/htdocs/langs/kk_KZ/bills.lang index 9394c9e964f..f3ceac80269 100644 --- a/htdocs/langs/kk_KZ/bills.lang +++ b/htdocs/langs/kk_KZ/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Клиентке байланысты төлем жа DisabledBecauseRemainderToPayIsZero=Өшірілген, себебі төленбеген сома нөлге тең PriceBase=Негізгі баға BillStatus=Шот -фактураның күйі -StatusOfGeneratedInvoices=Жасалған шот -фактуралардың жағдайы +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Жоба (растау қажет) BillStatusPaid=Ақылы BillStatusPaidBackOrConverted=Несиелік нотаны қайтару немесе несие бар деп белгілеу @@ -167,7 +167,7 @@ ActionsOnBill=Шот -фактура бойынша әрекеттер ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Үлгі / қайталанатын шот -фактура NoQualifiedRecurringInvoiceTemplateFound=Қайталанатын үлгі шот -фактура генерациялануға жарамсыз. -FoundXQualifiedRecurringInvoiceTemplate=%s қайталанатын үлгі шот -фактура (лар) табуға жарамды. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Қайталанатын үлгі шот -фактура емес NewBill=Жаңа шот -фактура LastBills=Соңғы %s шот -фактуралары @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Жеткізуші шот -фактуралар Unpaid=Төленбеген ErrorNoPaymentDefined=Қате Төлем анықталмады ConfirmDeleteBill=Бұл шот -фактураны шынымен жойғыңыз келе ме? -ConfirmValidateBill=Бұл шот -фактураны %s сілтемесімен растағыңыз келетініне сенімдісіз бе? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill= %s шот -фактураны жоба күйіне өзгерткіңіз келетініне сенімдісіз бе? ConfirmClassifyPaidBill= %s шот -фактураны төленген күйге өзгерткіңіз келетініне сенімдісіз бе? ConfirmCancelBill= %s шот -фактурасынан бас тартқыңыз келетініне сенімдісіз бе? @@ -217,7 +217,7 @@ ConfirmCustomerPayment= %s %s үшін бұл төлемді раста ConfirmSupplierPayment= %s %s үшін бұл төлемді растайсыз ба? ConfirmValidatePayment=Бұл төлемді растағыңыз келетініне сенімдісіз бе? Төлем расталғаннан кейін оны өзгертуге болмайды. ValidateBill=Шот -фактураны растау -UnvalidateBill=Шот -фактураны жарамсыз ету +UnvalidateBill=Invalidate invoice NumberOfBills=Шот -фактуралар саны NumberOfBillsByMonth=Айына шот -фактуралар саны AmountOfBills=Шот -фактуралардың сомасы @@ -250,12 +250,13 @@ RemainderToTake=Қалған сома RemainderToTakeMulticurrency=Remaining amount to take, original currency RemainderToPayBack=Қалған соманы қайтаруға RemainderToPayBackMulticurrency=Remaining amount to refund, original currency +NegativeIfExcessReceived=negative if excess received NegativeIfExcessRefunded=negative if excess refunded +NegativeIfExcessPaid=negative if excess paid Rest=Күтуде AmountExpected=Талап етілген сома ExcessReceived=Артық алынды ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received ExcessPaid=Артық төленген ExcessPaidMulticurrency=Excess paid, original currency EscompteOffered=Жеңілдіктер (мерзімінен бұрын төлеу) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Жаңа үлгі шот -фактуран PDFCrabeDescription=Crabe шот -фактурасының PDF үлгісі. Шот -фактураның толық үлгісі (губка үлгісін ескі енгізу) PDFSpongeDescription=Шот -фактураның PDF үлгісі губка. Шот -фактураның толық үлгісі PDFCrevetteDescription=Шот -фактура PDF үлгісі Crevette. Жағдайлы шот -фактуралар үшін шот -фактураның толық үлгісі -TerreNumRefModelDesc1=Стандартты шот-фактуралар үшін %syymm-nnnn форматындағы қайтару нөмірі, несие ноталары үшін %syymm-nnnn, онда yy-жыл, мм-ай және nnnn-бұл үзіліссіз және 0-ге қайтып оралмайтын автоматты түрде өсетін сан. -MarsNumRefModelDesc1=стандартты шот-фактуралар үшін форматы %syymm-NNNN жылы қайтару саны, ауыстыру шот-фактуралар үшін %syymm-NNNN, YY Жыл табылады кредиттік нотада төмен төлем шот-фактуралар мен %syymm-NNNN үшін %syymm-NNNN, мм ай болып табылады және NNNN бір реттілігі автоматты арттыра нөмірі болып табылады үзіліссіз және 0 -ге оралусыз +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=$ Syymm -ден басталатын шот бұрыннан бар және бұл реттілік моделіне сәйкес келмейді. Бұл модульді іске қосу үшін оны алып тастаңыз немесе атын өзгертіңіз. -CactusNumRefModelDesc1=Стандартты шот-фактуралар үшін %syymm-nnnn форматындағы қайтару нөмірі, несие ноталары үшін %syymm-nnnn және %syymm-nnnn, онда yy жыл санмен, ал ай мен тоқсанда ай мен тоқтаусыз 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Ерте жабылу себебі EarlyClosingComment=Ерте жабылу жазбасы ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Salaries +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Salary +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/kk_KZ/cashdesk.lang b/htdocs/langs/kk_KZ/cashdesk.lang index d1e53532c30..8ab8f615f63 100644 --- a/htdocs/langs/kk_KZ/cashdesk.lang +++ b/htdocs/langs/kk_KZ/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=Қолхат Header=Тақырып Footer=Төменгі деректеме AmountAtEndOfPeriod=Кезең соңындағы сома (күн, ай немесе жыл) -TheoricalAmount=Теориялық мөлшер +TheoricalAmount=Theoretical amount RealAmount=Нақты сома CashFence=Cash box closing CashFenceDone=Cash box closing done for the period @@ -57,7 +57,7 @@ Paymentnumpad=Төлемді енгізу үшін тақтаның түрі Numberspad=Сандар тақтасы BillsCoinsPad=Монеталар мен банкноттар Pad DolistorePosCategory=TakePOS модульдері және Dolibarr үшін басқа POS шешімдері -TakeposNeedsCategories=TakePOS жұмыс істеу үшін кем дегенде бір өнім санаты қажет +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS жұмыс істеу үшін %s санатындағы кемінде 1 өнім санатын қажет етеді. OrderNotes=Әр тапсырыс берілген элементтерге бірнеше ескертулер қосуға болады CashDeskBankAccountFor=Төлем үшін қолданылатын әдепкі шот @@ -76,7 +76,7 @@ TerminalSelect=Қолданылатын терминалды таңдаңыз: POSTicket=POS билеті POSTerminal=POS терминалы POSModule=POS модулі -BasicPhoneLayout=Телефондардың негізгі орналасуын қолданыңыз +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=%s терминалын орнату аяқталмаған DirectPayment=Тікелей төлем DirectPaymentButton=«Тікелей ақшалай төлем» батырмасын қосыңыз @@ -92,14 +92,14 @@ HeadBar=Бас бар SortProductField=Өнімдерді сұрыптауға арналған алаң Browser=Браузер BrowserMethodDescription=Түбіртекті қарапайым және оңай басып шығару. Түбіртекті конфигурациялау үшін тек бірнеше параметрлер. Браузер арқылы басып шығару. -TakeposConnectorMethodDescription=Қосымша мүмкіндіктері бар сыртқы модуль. Бұлттан басып шығару мүмкіндігі. +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=Басып шығару әдісі ReceiptPrinterMethodDescription=Көптеген параметрлері бар қуатты әдіс. Үлгілермен толықтай теңшеуге болады. Қолданбаны орналастыратын сервер бұлтта болуы мүмкін емес (желідегі принтерлерге қол жеткізуі керек). ByTerminal=Терминал бойынша TakeposNumpadUsePaymentIcon=Сандық тақтаның төлем түймелеріндегі мәтіннің орнына белгішені пайдаланыңыз CashDeskRefNumberingModules=POS сатуға арналған нөмірлеу модулі CashDeskGenericMaskCodes6 =
      {TN} тег терминал нөмірін қосу үшін қолданылады. -TakeposGroupSameProduct=Бірдей өнімдер желісін топтастырыңыз +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Жаңа параллель сатуды бастаңыз SaleStartedAt=Сатылым %s басталды ControlCashOpening=Open the "Control cash box" popup when opening the POS @@ -118,7 +118,7 @@ ScanToOrder=Тапсырыс беру үшін QR кодын сканерлең Appearance=Сыртқы түрі HideCategoryImages=Санат суреттерін жасыру HideProductImages=Өнім суреттерін жасыру -NumberOfLinesToShow=Көрсетілетін суреттердің саны +NumberOfLinesToShow=Maximum number of lines of text to show on thumb images DefineTablePlan=Кесте жоспарын анықтаңыз GiftReceiptButton=«Сыйлық түбіртегі» түймесін қосыңыз GiftReceipt=Сыйлық түбіртегі @@ -135,4 +135,21 @@ PrintWithoutDetailsLabelDefault=Line label by default on printing without detail PrintWithoutDetails=Print without details YearNotDefined=Year is not defined TakeposBarcodeRuleToInsertProduct=Barcode rule to insert product -TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Already printed +HideCategories=Hide the whole section of categories selection +HideStockOnLine=Hide stock on line +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Show reference or label of products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Terminal %s +TerminalNameDesc=Terminal name +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/kk_KZ/main.lang b/htdocs/langs/kk_KZ/main.lang index 8efcfba9c9d..852d20d1671 100644 --- a/htdocs/langs/kk_KZ/main.lang +++ b/htdocs/langs/kk_KZ/main.lang @@ -36,7 +36,7 @@ NoTranslation=Аударма жоқ Translation=Аударма Translations=Translations CurrentTimeZone=PHP TimeZone (сервер) -EmptySearchString=Бос емес іздеу критерийлерін енгізіңіз +EmptySearchString=Enter non empty search criteria EnterADateCriteria=Күн критерийін енгізіңіз NoRecordFound=Жазба табылмады NoRecordDeleted=Ешқандай жазба жойылған жоқ @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Пошта жіберілмеді (жіберуші = %s, ErrorFileNotUploaded=Файл жүктелмеді. Өлшем рұқсат етілгеннен аспайтынын, дискіде бос орын бар екенін және осы каталогта аттас файл жоқ екенін тексеріңіз. ErrorInternalErrorDetected=Қате анықталды ErrorWrongHostParameter=Қате хост параметрі -ErrorYourCountryIsNotDefined=Сіздің еліңіз анықталмаған. Home-Setup-Edit бөліміне өтіп, пішінді қайтадан орналастырыңыз. +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=Бұл жазбаны жою мүмкін болмады. Бұл жазбаны кем дегенде бір бала жазбасы қолданады. ErrorWrongValue=Қате мән ErrorWrongValueForParameterX=%s параметрінің мәні қате @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Қате, '%s' елі үшін ҚҚС мө ErrorNoSocialContributionForSellerCountry=Қате, '%s' елі үшін анықталған әлеуметтік/фискалдық салық түрі жоқ. ErrorFailedToSaveFile=Қате, файл сақталмады. ErrorCannotAddThisParentWarehouse=Сіз бұрыннан бар қойманың баласы болып табылатын ата -аналық қойманы қосуға тырысасыз +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=Field "%s" cannot be negative MaxNbOfRecordPerPage=Максимум бір беттегі жазбалар саны NotAuthorized=Сіз мұны істеуге құқығыңыз жоқ. @@ -103,7 +104,8 @@ RecordGenerated=Жазба жасалды LevelOfFeature=Ерекшеліктер деңгейі NotDefined=Анықталмаған DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr аутентификация режимі конф.php конфигурация файлында %s күйіне орнатылған.
      Бұл пароль дерекқоры Dolibarr -дан тыс екенін білдіреді, сондықтан бұл өрісті өзгерту әсер етпеуі мүмкін. -Administrator=Әкімші +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=Белгісіз PasswordForgotten=Құпия сөз ұмытылды ма? NoAccount=Есептік жазба жоқ па? @@ -211,8 +213,8 @@ Select=Таңдаңыз SelectAll=Барлығын таңдаңыз Choose=Таңдау Resize=Өлшемін өзгерту +Crop=Crop ResizeOrCrop=Өлшемін өзгерту немесе қию -Recenter=Жаңадан шыққан Author=Автор User=Қолданушы Users=Пайдаланушылар @@ -235,6 +237,8 @@ PersonalValue=Жеке құндылық NewObject=Жаңа %s NewValue=Жаңа мән OldValue=Ескі мән %s +FieldXModified=Field %s modified +FieldXModifiedFromYToZ=Field %s modified from %s to %s CurrentValue=Ағымдағы мән Code=Код Type=Түрі @@ -346,6 +350,7 @@ MonthOfDay=Күннің айы DaysOfWeek=Апта күндері HourShort=H MinuteShort=мин +SecondShort=sec Rate=Бағалау CurrencyRate=Валюта айырбастау бағамы UseLocalTax=Салықты қосыңыз @@ -441,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Қосымша цент +LT1GC=Additional cents VATRate=Салық ставкасы RateOfTaxN=Салық ставкасы %s VATCode=Салық мөлшерлемесінің коды @@ -544,6 +549,7 @@ Reportings=Есеп беру Draft=Жоба Drafts=Жобалар StatusInterInvoiced=Шот -фактура +Done=Done Validated=Тексерілді ValidatedToProduce=Тексерілген (өндіру үшін) Opened=Ашық @@ -555,6 +561,7 @@ Unknown=Белгісіз General=Жалпы Size=Өлшемі OriginalSize=Түпнұсқа өлшемі +RotateImage=Rotate 90° Received=Алынған Paid=Ақылы Topic=Тақырып @@ -694,6 +701,7 @@ Response=Жауап Priority=Басымдық SendByMail=Электрондық пошта арқылы жіберу MailSentBy=Электрондық пошта жіберді +MailSentByTo=Email sent by %s to %s NotSent=Жіберілмеген TextUsedInTheMessageBody=Электрондық поштаның негізгі мәтіні SendAcknowledgementByMail=Растау электрондық поштасын жіберіңіз @@ -718,6 +726,7 @@ RecordModifiedSuccessfully=Жазба сәтті өзгертілді RecordsModified=%s жазбалары өзгертілді RecordsDeleted=%s жазбалары жойылды RecordsGenerated=%s жазбалары жасалды +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=Автоматты код FeatureDisabled=Мүмкіндік өшірілген MoveBox=Виджетті жылжыту @@ -760,11 +769,10 @@ DisabledModules=Өшірілген модульдер For=Үшін ForCustomer=Клиент үшін Signature=Қолтаңба -DateOfSignature=Қол қойылған күні HidePassword=Құпия сөз жасырылған пәрменді көрсету UnHidePassword=Нақты пәрменмен нақты команданы көрсетіңіз Root=Түбір -RootOfMedias=Қоғамдық медианың түбірі (/medias) +RootOfMedias=Root of public media (/medias) Informations=ақпарат Page=Бет Notes=Ескертулер @@ -912,6 +920,7 @@ BackOffice=Артқы кеңсе Submit=Жіберу View=Көру Export=Экспорттау +Import=Import Exports=Экспорттау ExportFilteredList=Сүзілген тізімді экспорттау ExportList=Экспорттау тізімі @@ -945,7 +954,7 @@ BulkActions=Жаппай әрекеттер ClickToShowHelp=Анықтамалық көмек көрсету үшін басыңыз WebSite=Веб -сайт WebSites=Веб -сайттар -WebSiteAccounts=Веб -сайттағы есептік жазбалар +WebSiteAccounts=Web access accounts ExpenseReport=Шығындар есебі ExpenseReports=Шығындар туралы есептер HR=HR @@ -1073,6 +1082,7 @@ CommentPage=Пікірлер кеңістігі CommentAdded=Пікір қосылды CommentDeleted=Пікір жойылды Everybody=Барлығы +EverybodySmall=Everybody PayedBy=Төлеген PayedTo=Төленді Monthly=Ай сайын @@ -1085,7 +1095,7 @@ KeyboardShortcut=Пернелер тіркесімі AssignedTo=Тағайындалған Deletedraft=Жобаны жою ConfirmMassDraftDeletion=Жобаны жаппай жоюды растау -FileSharedViaALink=Файл жалпыға қолжетімді сілтемені бөлісті +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Алдымен үшінші тарапты таңдаңыз ... YouAreCurrentlyInSandboxMode=Сіз қазір %s «құм жәшігі» режиміндесіз Inventory=Түгендеу @@ -1119,7 +1129,7 @@ ContactDefault_project_task=Тапсырма ContactDefault_propal=Ұсыныс ContactDefault_supplier_proposal=Жеткізуші ұсынысы ContactDefault_ticket=Билет -ContactAddedAutomatically=Байланыс үшінші тарап рөлдерінен қосылды +ContactAddedAutomatically=Contact added from third-party contact roles More=Көбірек ShowDetails=Мәліметтерді көрсету CustomReports=Арнайы есептер @@ -1159,8 +1169,8 @@ AffectTag=Assign a Tag AffectUser=Assign a User SetSupervisor=Set the supervisor CreateExternalUser=Сыртқы пайдаланушыны құру -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=Role assigned on each project/opportunity TasksRole=Role assigned on each task (if used) ConfirmSetSupervisor=Bulk Supervisor Set @@ -1218,7 +1228,7 @@ UserAgent=User Agent InternalUser=Internal user ExternalUser=External user NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Hide %s AddToContacts=Add address to my contacts LastAccess=Last access @@ -1229,4 +1239,24 @@ PublicVirtualCard=Virtual business card TreeView=Tree view DropFileToAddItToObject=Drop a file to add it to this object UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <= or >= before the value to filter using a mathematical comparison +SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +InProgress=In progress +DateOfPrinting=Date of printing +ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. +UserNotYetValid=Not yet valid +UserExpired=Expired +LinkANewFile=Link a new file/document +LinkedFiles=Linked files and documents +NoLinkFound=No registered links +LinkComplete=The file has been linked successfully +ErrorFileNotLinked=The file could not be linked +LinkRemoved=The link %s has been removed +ErrorFailedToDeleteLink= Failed to remove link '%s' +ErrorFailedToUpdateLink= Failed to update link '%s' +URLToLink=URL to link +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/kk_KZ/oauth.lang b/htdocs/langs/kk_KZ/oauth.lang index 303c260cf55..2bc7bbe7c31 100644 --- a/htdocs/langs/kk_KZ/oauth.lang +++ b/htdocs/langs/kk_KZ/oauth.lang @@ -9,9 +9,11 @@ HasAccessToken=Таңбалауыш жасалды және жергілікті NewTokenStored=Токен алды және сақтады ToCheckDeleteTokenOnProvider=%s OAuth провайдері сақтаған авторизацияны тексеру/жою үшін мына жерді басыңыз TokenDeleted=Белгі жойылды +GetAccess=Click here to get a token RequestAccess=Click here to request/renew access and receive a new token -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=OAuth провайдерімен тіркелгі деректерін жасау кезінде келесі URL мекенжайын қайта бағыттау URI ретінде пайдаланыңыз: +DeleteAccess=Click here to delete the token +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens SeePreviousTab=Алдыңғы қойындыны қараңыз @@ -30,7 +32,11 @@ OAUTH_GITHUB_SECRET=OAuth GitHub құпиясы OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret OAUTH_STRIPE_TEST_NAME=OAuth жолақ сынағы OAUTH_STRIPE_LIVE_NAME=OAuth Stripe тікелей эфирі -OAUTH_ID=OAuth ID +OAUTH_ID=OAuth Client ID OAUTH_SECRET=OAuth secret +OAUTH_TENANT=OAuth tenant OAuthProviderAdded=OAuth provider added AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists +URLOfServiceForAuthorization=URL provided by OAuth service for authentication +Scopes=Permissions (Scopes) +ScopeUndefined=Permissions (Scopes) undefined (see previous tab) diff --git a/htdocs/langs/kk_KZ/products.lang b/htdocs/langs/kk_KZ/products.lang index f40c02d6fc0..5b9df15b282 100644 --- a/htdocs/langs/kk_KZ/products.lang +++ b/htdocs/langs/kk_KZ/products.lang @@ -80,8 +80,11 @@ SoldAmount=Сатылған сома PurchasedAmount=Сатып алынған сома NewPrice=Жаңа баға MinPrice=Мин. сату бағасы +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=Сату бағасын өзгерту -CantBeLessThanMinPrice=Сату бағасы осы өнімге рұқсат етілген минимумнан төмен болмауы керек (%s салықсыз). Егер сіз тым маңызды жеңілдік енгізсеңіз, бұл хабар пайда болуы мүмкін. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Жабық ErrorProductAlreadyExists=%s сілтемесі бар өнім бұрыннан бар. ErrorProductBadRefOrLabel=Анықтама немесе белгі үшін қате мән. @@ -347,16 +350,17 @@ UseProductFournDesc=Тұтынушыларға арналған сипаттам ProductSupplierDescription=Өнімге сатушының сипаттамасы UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=You will automaticaly purchase a multiple of this quantity. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=Желі саны жеткізушінің қаптамасына сәйкес қайта есептелді #Attributes +Attributes=Attributes VariantAttributes=Вариантты атрибуттар ProductAttributes=Өнімдерге арналған әр түрлі атрибуттар ProductAttributeName=%s вариантты атрибуты ProductAttribute=Вариантты атрибут ProductAttributeDeleteDialog=Бұл төлсипатты шынымен жойғыңыз келе ме? Барлық мәндер жойылады -ProductAttributeValueDeleteDialog=Осы атрибуттың «%s» сілтемесі бар «%s» мәнін жойғыңыз келетініне сенімдісіз бе? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=« %s » өнімінің нұсқасын шынымен жойғыңыз келе ме? ProductCombinationAlreadyUsed=Нұсқаны жою кезінде қате болды. Ол кез келген объектіде қолданылмайтынын тексеріңіз ProductCombinations=Нұсқалар @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Өнімнің бар нұсқаларын жою NbOfDifferentValues=Әр түрлі мәндердің саны NbProducts=Өнімдер саны ParentProduct=Ата -аналық өнім +ParentProductOfVariant=Parent product of variant HideChildProducts=Вариантты өнімдерді жасыру ShowChildProducts=Вариантты өнімдерді көрсету NoEditVariants=Ата -аналық өнім картасына өтіңіз және нұсқалар қойындысында нұсқалардың баға әсерін өңдеңіз @@ -417,7 +422,7 @@ ErrorsProductsMerge=Errors in products merge SwitchOnSaleStatus=Switch on sale status SwitchOnPurchaseStatus=Switch on purchase status UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Extra Fields (stock mouvement) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Extra Fields (inventory) ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes PuttingPricesUpToDate=Update prices with current known prices @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Select the extrafield you want modify ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? ModifyValueExtrafields = Modify value of an extrafield OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/kk_KZ/projects.lang b/htdocs/langs/kk_KZ/projects.lang index bdd8463cfb3..55efad8948d 100644 --- a/htdocs/langs/kk_KZ/projects.lang +++ b/htdocs/langs/kk_KZ/projects.lang @@ -33,6 +33,7 @@ DeleteATask=Тапсырманы жою ConfirmDeleteAProject=Бұл жобаны шынымен жойғыңыз келе ме? ConfirmDeleteATask=Бұл тапсырманы шынымен жойғыңыз келе ме? OpenedProjects=Ашық жобалар +OpenedProjectsOpportunities=Open opportunities OpenedTasks=Ашық тапсырмалар OpportunitiesStatusForOpenedProjects=Мәртебесі бойынша ашық жобалардың саны OpportunitiesStatusForProjects=Мәртебесі бойынша жобалардың жетекші саны @@ -44,10 +45,11 @@ OutOfProject=Out of project NoProject=Ешқандай жоба анықталмаған немесе тиесілі емес NbOfProjects=Жобалар саны NbOfTasks=Тапсырмалар саны +TimeEntry=Time tracking TimeSpent=Өткізілген уақыт +TimeSpentSmall=Time spent TimeSpentByYou=Сіз өткізген уақыт TimeSpentByUser=Пайдаланушы жұмсаған уақыт -TimesSpent=Өткізілген уақыт TaskId=Тапсырма идентификаторы RefTask=Тапсырма реф. LabelTask=Тапсырма белгісі @@ -81,7 +83,7 @@ MyProjectsArea=Менің жобаларым DurationEffective=Тиімді ұзақтығы ProgressDeclared=Нақты прогресс жарияланды TaskProgressSummary=Тапсырманың орындалуы -CurentlyOpenedTasks=Бірден ашылатын тапсырмалар +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=Мәлімделген нақты прогресс тұтыну барысына қарағанда %s аз TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Мәлімделген нақты прогресс тұтынудағы прогреске қарағанда %s артық ProgressCalculated=Тұтыну бойынша прогресс @@ -121,7 +123,7 @@ TaskHasChild=Тапсырманың баласы бар NotOwnerOfProject=Бұл жеке жобаның иесі емес AffectedTo=Бөлінген CantRemoveProject=Бұл жобаны жою мүмкін емес, себебі оған басқа объектілер (шот -фактура, тапсырыстар немесе басқа) сілтеме жасайды. '%s' қойындысын қараңыз. -ValidateProject=Жобаны тексеру +ValidateProject=Validate project ConfirmValidateProject=Бұл жобаны растағыңыз келетініне сенімдісіз бе? CloseAProject=Жобаны жабу ConfirmCloseAProject=Бұл жобаны шынымен де жапқыңыз келе ме? @@ -202,7 +204,7 @@ InputPerMonth=Айына кіріс InputDetail=Мәліметтерді енгізу TimeAlreadyRecorded=Бұл уақыт/тапсырма үшін жазылған уақыт және пайдаланушы %s ProjectsWithThisUserAsContact=Байланыс ретінде осы пайдаланушымен жобалар -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=Projects with this third-party contact TasksWithThisUserAsContact=Бұл пайдаланушыға берілген тапсырмалар ResourceNotAssignedToProject=Жобаға тағайындалмаған ResourceNotAssignedToTheTask=Тапсырмаға тағайындалмаған @@ -225,7 +227,7 @@ ProjectsStatistics=Жобалар немесе ұсыныстар бойынша TasksStatistics=Жобалардың немесе жетекшілердің міндеттері туралы статистика TaskAssignedToEnterTime=Тапсырма берілген. Бұл тапсырмаға уақытты енгізу мүмкін болуы керек. IdTaskTime=Id тапсырма уақыты -YouCanCompleteRef=Егер сіз реффиксті кейбір жұрнақпен толтырғыңыз келсе, оны ажырату үшін - таңбасын қосу ұсынылады, сондықтан келесі нөмірлерде автоматты нөмірлеу әлі де дұрыс жұмыс істейді. Мысалы %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Үшінші тараптардың ашық жобалары OnlyOpportunitiesShort=Тек жетелейді OpenedOpportunitiesShort=Сымдарды ашыңыз @@ -237,7 +239,7 @@ OpportunityPonderatedAmountDesc=Ықтималдықпен өлшенген же OppStatusPROSP=Болашақ OppStatusQUAL=Біліктілік OppStatusPROPO=Ұсыныс -OppStatusNEGO=Келіспеушілік +OppStatusNEGO=Negotiation OppStatusPENDING=Күтуде OppStatusWON=Жеңді OppStatusLOST=Жоғалды @@ -259,6 +261,7 @@ RecordsClosed=%s жобасы жабылды SendProjectRef=%s ақпараттық жобасы ModuleSalaryToDefineHourlyRateMustBeEnabled=«Жалақы» модулі жұмыс уақытының бағалануы үшін қызметкерлердің сағаттық мөлшерлемесін анықтау үшін қосылуы керек NewTaskRefSuggested=Task ref бұрыннан қолданылған, жаңа тапсырма ref қажет +NumberOfTasksCloned=%s task(s) cloned TimeSpentInvoiced=Есепке жұмсалатын уақыт TimeSpentForIntervention=Өткізілген уақыт TimeSpentForInvoice=Өткізілген уақыт diff --git a/htdocs/langs/kk_KZ/receptions.lang b/htdocs/langs/kk_KZ/receptions.lang index 6125e4af5ff..920b5ce2c01 100644 --- a/htdocs/langs/kk_KZ/receptions.lang +++ b/htdocs/langs/kk_KZ/receptions.lang @@ -32,10 +32,11 @@ StatusReceptionDraftShort=Жоба StatusReceptionValidatedShort=Тексерілді StatusReceptionProcessedShort=Өңделді ReceptionSheet=Қабылдау парағы +ValidateReception=Validate reception ConfirmDeleteReception=Бұл қабылдауды шынымен жойғыңыз келе ме? -ConfirmValidateReception=Бұл қабылдауды %s сілтемесімен растағыңыз келетініне сенімдісіз бе? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Бұл қабылдаудан бас тартқыңыз келетініне сенімдісіз бе? -StatsOnReceptionsOnlyValidated=Қабылдаулар бойынша жүргізілген статистика тек расталады. Қолданылған күн - қабылдаудың расталған күні (жоспарланған жеткізу күні әрқашан белгілі бола бермейді). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Қабылдауды электрондық пошта арқылы жіберіңіз SendReceptionRef=%s қабылдауды тапсыру ActionsOnReception=Қабылдаудағы оқиғалар @@ -48,7 +49,10 @@ ReceptionsNumberingModules=Қабылдауға арналған нөмірле ReceptionsReceiptModel=Қабылдауға арналған құжаттар шаблондары NoMorePredefinedProductToDispatch=Алдын ала анықталған өнімдер жіберілмейді ReceptionExist=Қабылдау бар -ByingPrice=Bying price ReceptionBackToDraftInDolibarr=Reception %s back to draft ReceptionClassifyClosedInDolibarr=Reception %s classified Closed ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/kk_KZ/sendings.lang b/htdocs/langs/kk_KZ/sendings.lang index 876805a6dcb..9cdd0bbe97a 100644 --- a/htdocs/langs/kk_KZ/sendings.lang +++ b/htdocs/langs/kk_KZ/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Тексерілді StatusSendingProcessedShort=Өңделді SendingSheet=Жеткізу парағы ConfirmDeleteSending=Бұл жүкті шынымен жойғыңыз келе ме? -ConfirmValidateSending=Бұл жөнелтімді %s сілтемесімен растағыңыз келетініне сенімдісіз бе? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Бұл жөнелтуден бас тартқыңыз келетініне сенімдісіз бе? DocumentModelMerou=Merou A5 моделі WarningNoQtyLeftToSend=Ескерту, жөнелтуді күтетін өнімдер жоқ. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Ашық сатып алу тапс NoProductToShipFoundIntoStock= %s қоймасынан жіберілетін өнім табылмады. Дұрыс қойманы таңдаңыз немесе басқа қойманы таңдаңыз. WeightVolShort=Салмағы/том. ValidateOrderFirstBeforeShipment=Жеткізуді жасамас бұрын алдымен тапсырысты растауыңыз керек. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Өнімнің массасы # warehouse details DetailWarehouseNumber= Қойма туралы мәліметтер DetailWarehouseFormat= W: %s (Саны: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/kk_KZ/website.lang b/htdocs/langs/kk_KZ/website.lang index 885c59e5b09..01fec566f42 100644 --- a/htdocs/langs/kk_KZ/website.lang +++ b/htdocs/langs/kk_KZ/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Альтернативті бет атаулары/бүркен WEBSITE_ALIASALTDesc=Басқа атаудың/бүркеншік аттардың тізімін осында пайдаланыңыз, осылайша бетке осы басқа аттар/бүркеншік аттар арқылы кіруге болады (мысалы, ескі сілтемеде/атау жұмысында кері сілтемені сақтау үшін лақап атауды өзгерткеннен кейін ескі атау). Синтаксис:
      альтернативті1, баламаат2, ... WEBSITE_CSS_URL=Сыртқы CSS файлының URL мекенжайы WEBSITE_CSS_INLINE=CSS файлының мазмұны (барлық беттерге ортақ) -WEBSITE_JS_INLINE=Javascript файлының мазмұны (барлық беттерге ортақ) +WEBSITE_JS_INLINE=JavaScript file content (common to all pages) WEBSITE_HTML_HEADER=HTML тақырыбының төменгі жағындағы қосымша (барлық беттерге ортақ) WEBSITE_ROBOT=Роботтық файл (robots.txt) WEBSITE_HTACCESS=Веб -сайт .htaccess файлы @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=Ескерту: Егер сіз барлық бе MediaFiles=Медиа кітапхана EditCss=Веб -сайттың қасиеттерін өңдеу EditMenu=Өңдеу мәзірі -EditMedias=Медианы өңдеу +EditMedias=Edit media EditPageMeta=Бет/контейнер сипаттарын өңдеу EditInLine=Кірістіруді өңдеу AddWebsite=Веб -сайтты қосу @@ -60,10 +60,11 @@ NoPageYet=Әлі беттер жоқ YouCanCreatePageOrImportTemplate=Сіз жаңа бетті жасай аласыз немесе веб -сайттың толық үлгісін импорттай аласыз SyntaxHelp=Нақты синтаксистік кеңестер бойынша көмек YouCanEditHtmlSourceckeditor=Редактордағы «Дереккөз» батырмасы арқылы HTML бастапқы кодын өңдеуге болады. -YouCanEditHtmlSource=
      Сіз PHP кодын <? php? a0012c7d7f00770 Келесі жаһандық айнымалылар қол жетімді: $ conf, $ db, $ mysoc, $ user, $ website, $ websitepage, $ weblangs, $ pagelangs.

      Сондай -ақ, келесі синтаксисі бар басқа бет/контейнер мазмұнын қосуға болады:
      a0e784c0fc04 ? >


      Сіз келесі синтаксис (: істей емес шығыс нөмірге дейін кез келген мазмұн Ескерту): басқа бет / контейнерлерде бағытын өзгерту енгізе аласыз
      < PHP redirectToContainer ( 'alias_of_container_to_redirect_to'); ? құжаттарына сақталған файлға жүктеуге үшін сілтемені қамтуы үшін
      <a HREF = «alias_of_page_to_link_to.php» >mylink<a>

      : >


      синтаксисті пайдаланыңыз, басқа бетке сілтеме қосу үшін
      каталог, пайдалану document.php Қабық:
      Мысал, құжаттар / ECM (кіруіңіз қажет) ішіне файл үшін, синтаксис:?
      <a HREF = «/ document.php modulepart = ECM & файл = [relative_dir / ] filename.ext «>
      Құжаттарға/медиаларға файл үшін (жалпыға қол жетімді каталог), синтаксис:
      a0e7843947c09bz0 «/document.php?modulepart=medias&file=itorialre_dir/] /document.php?hashp=publicsharekeyoffile">

      , каталогына құжаттарына сақталған бір суретті қамтиды viewimage.php тасымалын пайдалану үшін: мысал
      , сурет үшін құжаттар / бұқаралық ақпарат құралдарының (ашық жалпыға қол жетімді каталог), синтаксис:
      <img src = «/viewimage.php? modulepart = medias&file -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Бөлісу сілтемесімен бөлісілген кескін үшін (файлдың ортақ хэш кілтін қолдана отырып, ашық қатынас), синтаксис:
      <img src = «/viewimage.php? Hashp = 12345679012z00f01f01f0f1f0f4f0f0f0f0f0f09f0f0f0f09b029» -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Бетті/контейнерді клондау CloneSite=Сайтты клондау SiteAdded=Веб -сайт қосылды @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Кешіріңіз, бұл веб -сайт қа WEBSITE_USE_WEBSITE_ACCOUNTS=Веб -сайттың тіркелгі кестесін қосыңыз WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Кестені әрбір веб -сайт / үшінші тарап үшін веб -сайттардың есептік жазбаларын (кіру / рұқсат) сақтау үшін қосыңыз YouMustDefineTheHomePage=Сіз алдымен әдепкі Басты анықтауыңыз керек -OnlyEditionOfSourceForGrabbedContentFuture=Ескерту: Сыртқы веб -бетті импорттау арқылы веб -бетті құру тәжірибелі пайдаланушыларға арналған. Бастапқы беттің күрделілігіне байланысты импорттау нәтижесі түпнұсқадан өзгеше болуы мүмкін. Сондай -ақ, егер бастапқы бет CSS -тің жалпы стильдерін немесе қарама -қайшы JavaScript -ті қолданса, онда бұл бетте жұмыс кезінде веб -сайт редакторының көрінісі мен мүмкіндіктері бұзылуы мүмкін. Бұл әдіс бетті құрудың жылдам әдісі, бірақ жаңа бетті нөлден немесе ұсынылған беттің үлгісінен жасау ұсынылады.
      Сондай -ақ, кірістірілген редактор сыртқы бетте қолданылғанда түзетілмеуі мүмкін екенін ескеріңіз. +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting JavaScript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correctty when used on a grabbed external page. OnlyEditionOfSourceForGrabbedContent=Сыртқы сайттан мазмұн алынған кезде тек HTML көзінің нұсқасы мүмкін GrabImagesInto=Сонымен қатар CSS пен бетке табылған суреттерді алыңыз. ImagesShouldBeSavedInto=Суреттер каталогта сақталуы керек @@ -112,13 +113,13 @@ GoTo=Бару DynamicPHPCodeContainsAForbiddenInstruction=Сіз динамикалық мазмұн ретінде әдепкі бойынша тыйым салынған PHP нұсқаулығын қамтитын ' %s ' динамикалық PHP кодын қосасыз (рұқсат етілген пәрмендер тізімін ұлғайту үшін WEBSITE_PHP_ALLOW_xxx жасырын опцияларын қараңыз). NotAllowedToAddDynamicContent=Сізде веб -сайттарға PHP динамикалық мазмұнын қосуға немесе өңдеуге рұқсатыңыз жоқ. Рұқсат сұраңыз немесе кодты өзгертілмеген php тегтерінде сақтаңыз. ReplaceWebsiteContent=Веб -сайт мазмұнын іздеңіз немесе ауыстырыңыз -DeleteAlsoJs=Осы веб -сайтқа тән барлық JavaScript файлдары жойылсын ба? -DeleteAlsoMedias=Осы веб -сайтқа тән барлық медиа файлдар жойылсын ба? +DeleteAlsoJs=Delete also all JavaScript files specific to this website? +DeleteAlsoMedias=Delete also all media files specific to this website? MyWebsitePages=Менің веб -сайт беттерім SearchReplaceInto=Іздеу | Ішіне ауыстырыңыз ReplaceString=Жаңа жол CSSContentTooltipHelp=Мұнда CSS мазмұнын енгізіңіз. Қолданбаның CSS -мен қайшылықты болдырмау үшін .bodywebsite сыныбымен барлық декларацияны міндетті түрде жасаңыз. Мысалы:

      #mycssselector, input.myclass: hover {...}

      болуы керек. бұл префиксті сіз .bodywebsite префиксін барлық жерде қосу үшін түрлендіру үшін 'lessc' пайдалана аласыз. -LinkAndScriptsHereAreNotLoadedInEditor=Ескерту: Бұл мазмұн сайтқа серверден кіргенде ғана шығарылады. Ол Өңдеу режимінде қолданылмайды, сондықтан егер сізге JavaScript файлдарын өңдеу режимінде жүктеу қажет болса, 'src = ...' тегін бетке қосыңыз. +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=Динамикалық мазмұны бар беттің үлгісі ImportSite=Веб -сайт үлгісін импорттау EditInLineOnOff=«Кірістіруді өңдеу» режимі - %s @@ -157,3 +158,9 @@ Booking=Booking Reservation=Reservation PagesViewedPreviousMonth=Pages viewed (previous month) PagesViewedTotal=Pages viewed (total) +Visibility=Visibility +Everyone=Everyone +AssignedContacts=Assigned contacts +WebsiteTypeLabel=Type of Web site +WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/kk_KZ/withdrawals.lang b/htdocs/langs/kk_KZ/withdrawals.lang index 03314ed85cd..2a4f91ed3e3 100644 --- a/htdocs/langs/kk_KZ/withdrawals.lang +++ b/htdocs/langs/kk_KZ/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Несие аудару туралы өтініш жаса WithdrawRequestsDone=%s тікелей дебет бойынша төлем сұраулары жазылды BankTransferRequestsDone=%s несие аудару сұраныстары жазылды ThirdPartyBankCode=Үшінші тараптың банк коды -NoInvoiceCouldBeWithdrawed=Ешқандай шот -фактура сәтті дебеттелмеді. Шот -фактуралар жарамды IBAN бар компанияларда екенін және IBAN %s режимі бар UMR (бірегей мандат сілтемесі) бар екенін тексеріңіз. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=Бұл шығыс түбіртегі есептелген деп белгіленді; бұл екі рет жасалуы мүмкін емес, себебі бұл қайталанатын төлемдер мен банктік жазбаларды тудыруы мүмкін. ClassCredited=Жіктелген ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Сіз қоғамды қабылдаудан бас т RefusedData=Бас тарту күні RefusedReason=Бас тартудың себебі RefusedInvoicing=Бас тартуды есепке алу -NoInvoiceRefused=Бас тартуды айыптамаңыз -InvoiceRefused=Шот -фактурадан бас тартылды (бас тартуды тұтынушыға жүктеңіз) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Дебет/несие күйі StatusWaiting=Күтуде StatusTrans=Жіберілді @@ -103,7 +106,7 @@ ShowWithdraw=Тікелей дебеттік тапсырысты көрсету IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Алайда, егер шот -фактурада әлі де өңделмеген тікелей дебеттік төлем бойынша кемінде бір тапсырыс болса, ол алдын ала алуды басқаруға мүмкіндік беру үшін төленбейді. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Дебеттік тапсырыс файлы @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Мандатқа қол қою күні RUMLong=Бірегей мандат анықтамасы RUMWillBeGenerated=Егер бос болса, банктік шот туралы ақпарат сақталғаннан кейін UMR (Бірегей Мандат Сілтемесі) жасалады. -WithdrawMode=Тікелей төлем режимі (FRST немесе RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Тікелей дебеттік өтінімнің сомасы: BankTransferAmount=Несие аударымының сомасы: WithdrawRequestErrorNilAmount=Бос сомаға тікелей дебеттік сұрау жасау мүмкін емес. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Сіздің банктік шотыңыздың аты (IBAN) SEPAFormYourBIC=Сіздің банк идентификаторыңыздың коды (BIC) SEPAFrstOrRecur=Төлем түрі ModeRECUR=Қайталанатын төлем +ModeRCUR=Recurring payment ModeFRST=Біржолғы төлем PleaseCheckOne=Тек біреуін тексеріңіз CreditTransferOrderCreated=%s несиелік аударым тапсырысы жасалды @@ -155,9 +159,16 @@ InfoTransData=Саны: %s
      әдісі: %s
      күні: %s InfoRejectSubject=Тікелей дебеттік төлем тапсырысы қабылданбады InfoRejectMessage=Сәлеметсіз бе,

      %s компаниясына қатысты %s шот -фактурасының %s сомасы бар тікелей дебеттік төлем тапсырысынан банк бас тартты.

      -
      %s ModeWarning=Нақты режимге опция орнатылмаған, біз осы имитациядан кейін тоқтаймыз -ErrorCompanyHasDuplicateDefaultBAN=%s идентификаторы бар компанияның бірнеше банктік шоттары бар. Қайсысын қолдану керектігін білуге болмайды. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=%s банктік шотында ICS жоқ TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Тікелей дебеттік тапсырыстың жалпы сомасы жолдардың сомасынан өзгеше WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Salary +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/kk_KZ/workflow.lang b/htdocs/langs/kk_KZ/workflow.lang index 20ba196f12d..a1f406b62aa 100644 --- a/htdocs/langs/kk_KZ/workflow.lang +++ b/htdocs/langs/kk_KZ/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Келісім -шарт расталғ descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Сату тапсырысы жабылғаннан кейін клиенттің шот -фактурасын автоматты түрде жасаңыз (жаңа шот -фактурада тапсырыспен бірдей сома болады) descWORKFLOW_TICKET_CREATE_INTERVENTION=On ticket creation, automatically create an intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Байланыстырылған бастапқы ұсынысты сату тапсырысы есепке қойылған кезде шот ретінде жіктеңіз (және егер тапсырыс сомасы қол қойылған байланыстырылған ұсыныстың жалпы сомасына тең болса) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Байланыстырылған бастапқы ұсынысты клиенттің шот -фактурасы расталған кезде шот ретінде жіктеңіз (егер шот -фактураның сомасы қол қойылған байланыстырылған ұсыныстың жалпы сомасына тең болса) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Клиенттердің шот -фактурасы расталған кезде байланысқан бастапқы сату тапсырысын шот ретінде жіктеңіз (егер шот -фактураның сомасы байланыстырылған тапсырыстың жалпы сомасымен бірдей болса) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Байланысты бастапқы сату тапсырысын тұтынушы шот -фактурасы төленген күйге қойылған кезде шот ретінде жіктеңіз (егер шот -фактураның сомасы байланыстырылған тапсырыстың жалпы сомасымен бірдей болса) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Байланысты бастапқы сату тапсырысын жеткізілім расталған кезде жіберілген деп жіктеңіз (және егер барлық жөнелтімдердің саны жаңартылатын тәртіппен бірдей болса) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Байланысты бастапқы сату тапсырысын жеткізілім жабылған кезде жіберілген деп жіктеңіз (және егер барлық жөнелтімдер саны жаңартылатын тәртіппен бірдей болса) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Байланысты көзі бар жеткізуші ұсынысын жеткізуші шот -фактурасы расталған кезде шот ретінде жіктеңіз (егер шот -фактураның сомасы байланыстырылған ұсыныстың жалпы сомасына тең болса) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Сатып алушының шот -фактурасы расталған кезде байланысқан бастапқы сатып алу тапсырысын шот ретінде жіктеңіз (егер шот -фактураның сомасы байланыстырылған тапсырыстың жалпы сомасымен бірдей болса) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classify linked source purchase order as received when a reception is validated (and if the quantity received by all receptions is the same as in the purchase order to update) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classify linked source purchase order as received when a reception is closed (and if the quantity received by all rceptions is the same as in the purchase order to update) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link available contracts of matching thirdparty +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=When linking contracts, search among those of parents companies # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Билет жабылған кезде билетке байланысты барлық араласуларды жабыңыз AutomaticCreation=Автоматты түрде құру AutomaticClassification=Автоматты жіктеу -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Automatic closing AutomaticLinking=Automatic linking diff --git a/htdocs/langs/km_KH/propal.lang b/htdocs/langs/km_KH/propal.lang index db7b559a8a7..f97a755dba9 100644 --- a/htdocs/langs/km_KH/propal.lang +++ b/htdocs/langs/km_KH/propal.lang @@ -12,9 +12,11 @@ NewPropal=New proposal Prospect=Prospect DeleteProp=Delete commercial proposal ValidateProp=Validate commercial proposal +CancelPropal=Cancel AddProp=Create proposal ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Latest %s proposals LastModifiedProposals=Latest %s modified proposals AllPropals=All proposals @@ -27,11 +29,13 @@ NbOfProposals=Number of commercial proposals ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Open +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Draft (needs to be validated) PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed +PropalStatusCanceledShort=Canceled PropalStatusDraftShort=Draft PropalStatusValidatedShort=Validated (open) PropalStatusClosedShort=Closed @@ -54,6 +58,8 @@ NoDraftProposals=No draft proposals CopyPropalFrom=Create commercial proposal by copying existing proposal CreateEmptyPropal=Create empty commercial proposal or from list of products/services DefaultProposalDurationValidity=Default commercial proposal validity duration (in days) +DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? @@ -64,36 +70,55 @@ AvailabilityPeriod=Availability delay SetAvailability=Set availability delay AfterOrder=after order OtherProposals=Other proposals + ##### Availability ##### AvailabilityTypeAV_NOW=Immediate AvailabilityTypeAV_1W=1 week AvailabilityTypeAV_2W=2 weeks AvailabilityTypeAV_3W=3 weeks AvailabilityTypeAV_1M=1 month -##### Types de contacts ##### + +##### Types ofe contacts ##### TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery + # Document models -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model +CantBeNoSign=cannot be set not signed +CaseFollowedBy=Case followed by +ConfirmMassNoSignature=Bulk Not signed confirmation +ConfirmMassNoSignatureQuestion=Are you sure you want to set not signed the selected records ? +ConfirmMassSignature=Bulk Signature confirmation +ConfirmMassSignatureQuestion=Are you sure you want to sign the selected records ? +ConfirmMassValidation=Bulk Validate confirmation +ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? +ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +ContractSigned=Contract signed +DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) -DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) +DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) +DocModelCyanDescription=A complete proposal model +FichinterSigned=Intervention signed +IdProduct=Product ID +IdProposal=Proposal ID +IsNotADraft=is not a draft +LineBuyPriceHT=Buy Price Amount net of tax for line +NoSign=Refuse +NoSigned=set not signed +PassedInOpenStatus=has been validated +PropalAlreadyRefused=Proposal already refused +PropalAlreadySigned=Proposal already accepted +PropalRefused=Proposal refused +PropalSigned=Proposal accepted ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics -CaseFollowedBy=Case followed by -SignedOnly=Signed only -IdProposal=Proposal ID -IdProduct=Product ID -PrParentLine=Proposal Parent Line -LineBuyPriceHT=Buy Price Amount net of tax for line -SignPropal=Accept proposal RefusePropal=Refuse proposal Sign=Sign -PropalAlreadySigned=Proposal already accepted -PropalAlreadyRefused=Proposal already refused -PropalSigned=Proposal accepted -PropalRefused=Proposal refused -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +SignContract=Sign contract +SignFichinter=Sign intervention +SignSociete_rib=Sign mandate +SignPropal=Accept proposal +Signed=signed +SignedOnly=Signed only diff --git a/htdocs/langs/kn_IN/categories.lang b/htdocs/langs/kn_IN/categories.lang index cf0de898bdb..1e04569fbbe 100644 --- a/htdocs/langs/kn_IN/categories.lang +++ b/htdocs/langs/kn_IN/categories.lang @@ -42,6 +42,7 @@ MemberHasNoCategory=This member is not in any tags/categories ContactHasNoCategory=This contact is not in any tags/categories ProjectHasNoCategory=This project is not in any tags/categories ClassifyInCategory=Add to tag/category +RemoveCategory=Remove category NotCategorized=Without tag/category CategoryExistsAtSameLevel=This category already exists with this ref ContentsVisibleByAllShort=Contents visible by all @@ -67,6 +68,7 @@ StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id ParentCategory=Parent tag/category +ParentCategoryID=ID of parent tag/category ParentCategoryLabel=Label of parent tag/category CatSupList=List of vendors tags/categories CatCusList=List of customers/prospects tags/categories @@ -86,15 +88,19 @@ DeleteFromCat=Remove from tags/category ExtraFieldsCategories=Complementary attributes CategoriesSetup=Tags/categories setup CategorieRecursiv=Link with parent tag/category automatically -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. -AddProductServiceIntoCategory=Add the following product/service +CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. +AddProductServiceIntoCategory=Assign category to the product/service AddCustomerIntoCategory=Assign category to customer AddSupplierIntoCategory=Assign category to supplier +AssignCategoryTo=Assign category to ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories +TicketsCategoriesArea=Tickets Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories KnowledgemanagementsCategoriesArea=KM article Categories UseOrOperatorForCategories=Use 'OR' operator for categories +AddObjectIntoCategory=Assign to the category +Position=ಸ್ಥಾನ diff --git a/htdocs/langs/ko_KR/categories.lang b/htdocs/langs/ko_KR/categories.lang index f6603b05c9d..a9501b0aa8f 100644 --- a/htdocs/langs/ko_KR/categories.lang +++ b/htdocs/langs/ko_KR/categories.lang @@ -42,6 +42,7 @@ MemberHasNoCategory=This member is not in any tags/categories ContactHasNoCategory=This contact is not in any tags/categories ProjectHasNoCategory=This project is not in any tags/categories ClassifyInCategory=Add to tag/category +RemoveCategory=Remove category NotCategorized=Without tag/category CategoryExistsAtSameLevel=This category already exists with this ref ContentsVisibleByAllShort=Contents visible by all @@ -67,6 +68,7 @@ StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id ParentCategory=Parent tag/category +ParentCategoryID=ID of parent tag/category ParentCategoryLabel=Label of parent tag/category CatSupList=List of vendors tags/categories CatCusList=List of customers/prospects tags/categories @@ -86,15 +88,19 @@ DeleteFromCat=Remove from tags/category ExtraFieldsCategories=Complementary attributes CategoriesSetup=Tags/categories setup CategorieRecursiv=Link with parent tag/category automatically -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. -AddProductServiceIntoCategory=Add the following product/service +CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. +AddProductServiceIntoCategory=Assign category to the product/service AddCustomerIntoCategory=Assign category to customer AddSupplierIntoCategory=Assign category to supplier +AssignCategoryTo=Assign category to ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories +TicketsCategoriesArea=Tickets Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories KnowledgemanagementsCategoriesArea=KM article Categories UseOrOperatorForCategories=Use 'OR' operator for categories +AddObjectIntoCategory=Assign to the category +Position=직위 diff --git a/htdocs/langs/ko_KR/propal.lang b/htdocs/langs/ko_KR/propal.lang index d10c35bfa41..c09a8f9c78c 100644 --- a/htdocs/langs/ko_KR/propal.lang +++ b/htdocs/langs/ko_KR/propal.lang @@ -12,9 +12,11 @@ NewPropal=New proposal Prospect=전망 DeleteProp=Delete commercial proposal ValidateProp=Validate commercial proposal +CancelPropal=취소 AddProp=Create proposal ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Latest %s proposals LastModifiedProposals=Latest %s modified proposals AllPropals=All proposals @@ -27,11 +29,13 @@ NbOfProposals=Number of commercial proposals ShowPropal=Show proposal PropalsDraft=체커 PropalsOpened=열다 +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Draft (needs to be validated) PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed +PropalStatusCanceledShort=취소 됨 PropalStatusDraftShort=초안 PropalStatusValidatedShort=Validated (open) PropalStatusClosedShort=닫은 @@ -54,6 +58,8 @@ NoDraftProposals=No draft proposals CopyPropalFrom=Create commercial proposal by copying existing proposal CreateEmptyPropal=Create empty commercial proposal or from list of products/services DefaultProposalDurationValidity=Default commercial proposal validity duration (in days) +DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? @@ -64,36 +70,55 @@ AvailabilityPeriod=Availability delay SetAvailability=Set availability delay AfterOrder=after order OtherProposals=Other proposals + ##### Availability ##### AvailabilityTypeAV_NOW=Immediate AvailabilityTypeAV_1W=1 week AvailabilityTypeAV_2W=2 weeks AvailabilityTypeAV_3W=3 weeks AvailabilityTypeAV_1M=1 month -##### Types de contacts ##### + +##### Types ofe contacts ##### TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery + # Document models -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model +CantBeNoSign=cannot be set not signed +CaseFollowedBy=Case followed by +ConfirmMassNoSignature=Bulk Not signed confirmation +ConfirmMassNoSignatureQuestion=Are you sure you want to set not signed the selected records ? +ConfirmMassSignature=Bulk Signature confirmation +ConfirmMassSignatureQuestion=Are you sure you want to sign the selected records ? +ConfirmMassValidation=Bulk Validate confirmation +ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? +ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +ContractSigned=Contract signed +DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) -DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) +DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) +DocModelCyanDescription=A complete proposal model +FichinterSigned=Intervention signed +IdProduct=Product ID +IdProposal=Proposal ID +IsNotADraft=is not a draft +LineBuyPriceHT=Buy Price Amount net of tax for line +NoSign=Refuse +NoSigned=set not signed +PassedInOpenStatus=has been validated +PropalAlreadyRefused=Proposal already refused +PropalAlreadySigned=Proposal already accepted +PropalRefused=Proposal refused +PropalSigned=Proposal accepted ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics -CaseFollowedBy=Case followed by -SignedOnly=Signed only -IdProposal=Proposal ID -IdProduct=Product ID -PrParentLine=Proposal Parent Line -LineBuyPriceHT=Buy Price Amount net of tax for line -SignPropal=Accept proposal RefusePropal=Refuse proposal Sign=Sign -PropalAlreadySigned=Proposal already accepted -PropalAlreadyRefused=Proposal already refused -PropalSigned=Proposal accepted -PropalRefused=Proposal refused -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +SignContract=Sign contract +SignFichinter=Sign intervention +SignSociete_rib=Sign mandate +SignPropal=Accept proposal +Signed=signed +SignedOnly=Signed only diff --git a/htdocs/langs/lo_LA/accountancy.lang b/htdocs/langs/lo_LA/accountancy.lang index 45207bf7389..46840f5248b 100644 --- a/htdocs/langs/lo_LA/accountancy.lang +++ b/htdocs/langs/lo_LA/accountancy.lang @@ -16,8 +16,8 @@ ThisService=ການບໍລິການນີ້ ThisProduct=ຜະລິດຕະພັນນີ້ DefaultForService=Default for services DefaultForProduct=Default for products -ProductForThisThirdparty=ຜະລິດຕະພັນສໍາລັບພາກສ່ວນທີສາມນີ້ -ServiceForThisThirdparty=ບໍລິການ ສຳ ລັບພາກສ່ວນທີສາມນີ້ +ProductForThisThirdparty=Product for this third party +ServiceForThisThirdparty=Service for this third party CantSuggest=ບໍ່ສາມາດແນະ ນຳ ໄດ້ AccountancySetupDoneFromAccountancyMenu=ການຕັ້ງບັນຊີສ່ວນໃຫຍ່ແມ່ນເຮັດຈາກເມນູ %s ConfigAccountingExpert=ການຕັ້ງຄ່າບັນຊີໂມດູນ (ເຂົ້າສອງເທື່ອ) @@ -38,7 +38,7 @@ DeleteCptCategory=ລຶບບັນຊີການບັນຊີອອກຈ ConfirmDeleteCptCategory=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການລຶບບັນຊີການບັນຊີນີ້ອອກຈາກກຸ່ມບັນຊີການບັນຊີ? JournalizationInLedgerStatus=ສະຖານະພາບຂອງການເຮັດ ໜັງ ສືພິມ AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger +NotYetInGeneralLedger=Not yet transferred to accounting journals and ledger GroupIsEmptyCheckSetup=ກຸ່ມແມ່ນຫວ່າງເປົ່າ, ກວດເບິ່ງການຕັ້ງຂອງກຸ່ມບັນຊີທີ່ເປັນສ່ວນຕົວ DetailByAccount=ສະແດງລາຍລະອຽດຕາມບັນຊີ DetailBy=Detail by @@ -53,15 +53,13 @@ ExportAccountingSourceDocHelp=With this tool, you can search and export the sour ExportAccountingSourceDocHelp2=ເພື່ອສົ່ງອອກວາລະສານຂອງເຈົ້າ, ໃຊ້ລາຍການເມນູ %s - %s. ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported, click on the button above. VueByAccountAccounting=ເບິ່ງຕາມບັນຊີບັນຊີ VueBySubAccountAccounting=ເບິ່ງຕາມບັນຊີຍ່ອຍບັນຊີ MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup @@ -70,13 +68,14 @@ UserAccountNotDefined=Accounting account for user not defined in setup AccountancyArea=ພື້ນທີ່ການບັນຊີ AccountancyAreaDescIntro=ການ ນຳ ໃຊ້ໂມດູນການບັນຊີແມ່ນເຮັດໄດ້ຫຼາຍຂັ້ນຕອນ: AccountancyAreaDescActionOnce=ການກະທໍາຕໍ່ໄປນີ້ປົກກະຕິແລ້ວແມ່ນປະຕິບັດພຽງຄັ້ງດຽວເທົ່ານັ້ນ, ຫຼືຄັ້ງດຽວຕໍ່ປີ ... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting +AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automatically the correct default accounting account when transferring data in accounting AccountancyAreaDescActionFreq=ການກະ ທຳ ຕໍ່ໄປນີ້ປົກກະຕິແລ້ວແມ່ນປະຕິບັດທຸກ every ເດືອນ, ອາທິດຫຼືມື້ ສຳ ລັບບໍລິສັດຂະ ໜາດ ໃຫຍ່ຫຼາຍ ... AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s AccountancyAreaDescChartModel=ຂັ້ນຕອນ %s: ກວດເບິ່ງວ່າມີຮູບແບບຂອງແຜນຜັງບັນຊີຢູ່ຫຼືສ້າງຈາກເມນູ %s AccountancyAreaDescChart=ຂັ້ນຕອນ %s: ເລືອກແລະ | ຫຼືປະກອບແຜນວາດບັນຊີຂອງເຈົ້າຈາກເມນູ %s +AccountancyAreaDescFiscalPeriod=STEP %s: Define a fiscal year by default on which to integrate your accounting entries. For this, use the menu entry %s. AccountancyAreaDescVat=ຂັ້ນຕອນ %s: ກໍານົດບັນຊີບັນຊີສໍາລັບແຕ່ລະອັດຕາອາກອນມູນຄ່າເພີ່ມ. ສໍາລັບອັນນີ້, ໃຊ້ລາຍການເມນູ %s. AccountancyAreaDescDefault=ຂັ້ນຕອນ %s: ກໍານົດບັນຊີການບັນຊີເລີ່ມຕົ້ນ. ສໍາລັບອັນນີ້, ໃຊ້ລາຍການເມນູ %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. @@ -84,7 +83,7 @@ AccountancyAreaDescSal=ຂັ້ນຕອນ %s: ກໍານົດບັນຊ AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. AccountancyAreaDescDonation=ຂັ້ນຕອນ %s: ກໍານົດບັນຊີບັນຊີເລີ່ມຕົ້ນສໍາລັບການບໍລິຈາກ. ສໍາລັບອັນນີ້, ໃຊ້ລາຍການເມນູ %s. AccountancyAreaDescSubscription=ຂັ້ນຕອນ %s: ກໍານົດບັນຊີບັນຊີເລີ່ມຕົ້ນສໍາລັບການສະmemberັກໃຊ້ສະມາຊິກ. ສໍາລັບອັນນີ້, ໃຊ້ລາຍການເມນູ %s. -AccountancyAreaDescMisc=ຂັ້ນຕອນ %s: ກໍານົດບັນຊີເລີ່ມຕົ້ນທີ່ບັງຄັບແລະບັນຊີບັນຊີເລີ່ມຕົ້ນສໍາລັບການເຮັດທຸລະກໍາຕ່າງcell. ສໍາລັບອັນນີ້, ໃຊ້ລາຍການເມນູ %s. +AccountancyAreaDescMisc=STEP %s: Define mandatory default accounts and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. AccountancyAreaDescLoan=ຂັ້ນຕອນ %s: ກໍານົດບັນຊີບັນຊີເລີ່ມຕົ້ນສໍາລັບເງິນກູ້. ສໍາລັບອັນນີ້, ໃຊ້ລາຍການເມນູ %s. AccountancyAreaDescBank=ຂັ້ນຕອນ %s: ກໍານົດບັນຊີບັນຊີແລະລະຫັດວາລະສານສໍາລັບແຕ່ລະທະນາຄານແລະບັນຊີການເງິນ. ສໍາລັບອັນນີ້, ໃຊ້ລາຍການເມນູ %s. AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. @@ -95,6 +94,7 @@ AccountancyAreaDescAnalyze=ຂັ້ນຕອນ %s: ເພີ່ມຫຼືແ AccountancyAreaDescClosePeriod=ຂັ້ນຕອນ %s: ປິດໄລຍະເວລາດັ່ງນັ້ນພວກເຮົາບໍ່ສາມາດແກ້ໄຂໃນອະນາຄົດໄດ້. +TheFiscalPeriodIsNotDefined=A mandatory step in setup has not been completed (Fiscal period is not defined) TheJournalCodeIsNotDefinedOnSomeBankAccount=ຂັ້ນຕອນບັງຄັບໃນການຕັ້ງບໍ່ໄດ້ສໍາເລັດ (ວາລະສານລະຫັດບັນຊີບໍ່ໄດ້ກໍານົດໄວ້ສໍາລັບບັນຊີທະນາຄານທັງົດ) Selectchartofaccounts=ເລືອກແຜນຜັງບັນຊີທີ່ເຄື່ອນໄຫວຢູ່ ChangeAndLoad=ປ່ຽນແລະໂຫຼດ @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=ອະນຸຍາດໃຫ້ຈັດການຈໍາ BANK_DISABLE_DIRECT_INPUT=ປິດໃຊ້ງານການບັນທຶກການເຮັດທຸລະກໍາຢູ່ໃນບັນຊີທະນາຄານໂດຍກົງ ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=ເປີດໃຊ້ງານການສົ່ງອອກສະບັບຮ່າງໃນວາລະສານ ACCOUNTANCY_COMBO_FOR_AUX=ເປີດໃຊ້ບັນຊີລາຍຊື່ combo ສໍາລັບບັນຊີບໍລິສັດຍ່ອຍ (ອາດຈະຊ້າຖ້າເຈົ້າມີພາກສ່ວນທີສາມຫຼາຍ, ທໍາລາຍຄວາມສາມາດໃນການຊອກຫາສ່ວນໃດສ່ວນນຶ່ງຂອງຄ່າ) -ACCOUNTING_DATE_START_BINDING=ກຳ ນົດວັນທີເພື່ອເລີ່ມຜູກມັດແລະໂອນເຂົ້າບັນຊີ. ຕ່ ຳ ກວ່າວັນທີນີ້, ທຸລະ ກຳ ຈະບໍ່ຖືກໂອນເຂົ້າບັນຊີ. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_DATE_START_BINDING=Disable binding & transfer in accountancy when date is below this date (the transactions before this date will be excluded by default) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On the page to transfer data into accountancy, what is the period selected by default ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Social journal ACCOUNTING_RESULT_PROFIT=ບັນຊີບັນຊີຜົນໄດ້ຮັບ (ກໍາໄລ) ACCOUNTING_RESULT_LOSS=ຜົນບັນຊີບັນຊີ (ຂາດທຶນ) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=ວາລະສານປິດ +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Accounting groups used for the balance sheet account (separate by comma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Accounting groups used for the income statement (separate by comma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers TransitionalAccount=ບັນຊີໂອນເງິນຜ່ານທະນາຄານຊົ່ວຄາວ @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Consult here the list of the lines of invoices customers DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transferred in accountancy are visible) DescVentilDoneSupplier=ປຶກສາທີ່ນີ້ບັນຊີລາຍຊື່ຂອງໃບຮຽກເກັບເງິນຂອງຜູ້ຂາຍແລະບັນຊີບັນຊີຂອງເຂົາເຈົ້າ DescVentilTodoExpenseReport=ຜູກມັດສາຍລາຍງານລາຍຈ່າຍບໍ່ໄດ້ຜູກມັດກັບບັນຊີບັນຊີຄ່າ ທຳ ນຽມແລ້ວ DescVentilExpenseReport=ປຶກສາທີ່ນີ້ລາຍການສາຍລາຍງານລາຍຈ່າຍທີ່ຜູກມັດ (ຫຼືບໍ່) ກັບບັນຊີບັນຊີຄ່າ ທຳ ນຽມ @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=ຖ້າເຈົ້າຕັ້ງບັນຊີ DescVentilDoneExpenseReport=ປຶກສາຫາລືຢູ່ທີ່ນີ້ບັນຊີລາຍຊື່ຂອງລາຍງານຄ່າໃຊ້ຈ່າຍແລະບັນຊີຄ່າທໍານຽມຂອງເຂົາເຈົ້າ Closure=ການປິດປະຈໍາປີ -DescClosure=Consult here the number of movements by month not yet validated & locked +AccountancyClosureStep1Desc=Consult here the number of movements by month not yet validated & locked OverviewOfMovementsNotValidated=Overview of movements not validated and locked AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked @@ -341,7 +343,7 @@ AccountingJournalType3=ການຊື້ AccountingJournalType4=ທະນາຄານ AccountingJournalType5=Expense reports AccountingJournalType8=ສາງ -AccountingJournalType9=ມີໃຫມ່ +AccountingJournalType9=Retained earnings GenerationOfAccountingEntries=Generation of accounting entries ErrorAccountingJournalIsAlreadyUse=ວາລະສານນີ້ຖືກໃຊ້ແລ້ວ AccountingAccountForSalesTaxAreDefinedInto=Noteາຍເຫດ: ບັນຊີບັນຊີສໍາລັບອາກອນການຂາຍໄດ້ກໍານົດໄວ້ໃນເມນູ %s - %s @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=ປິດໃຊ້ງານການຜ ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=ປິດໃຊ້ງານການຜູກມັດແລະການໂອນບັນຊີຢູ່ໃນລາຍງານລາຍຈ່າຍ (ບົດລາຍງານຄ່າໃຊ້ຈ່າຍຈະບໍ່ຖືກເອົາເຂົ້າໃນບັນຊີ) ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. +EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigorous accounting management. ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not chosen by the end user +ACCOUNTING_LETTERING_NBLETTERS=Number of letters when generating lettering code (default 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Some accounting software only accepts a two-letter code. This parameter allows you to set this aspect. The default number of letters is three. OptionsAdvanced=Advanced options ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transferred into accountancy differently: A additional debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. ## Export NotExportLettering=Do not export the lettering when generating the file @@ -420,7 +424,7 @@ SaleLocal=ການຂາຍໃນທ້ອງຖິ່ນ SaleExport=ຂາຍສົ່ງອອກ SaleEEC=ຂາຍໃນ EEC SaleEECWithVAT=ການຂາຍໃນ EEC ດ້ວຍອາກອນມູນຄ່າເພີ່ມບໍ່ແມ່ນ null, ດັ່ງນັ້ນພວກເຮົາຄິດວ່າອັນນີ້ບໍ່ແມ່ນການຂາຍພາຍໃນລະບົບສື່ສານແລະບັນຊີທີ່ແນະນໍາແມ່ນບັນຊີຜະລິດຕະພັນມາດຕະຖານ. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of third party is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the third party, or change the product account suggested for binding if needed. ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=No unreconcile modified AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock movements +AccountancyClosureStep2=Step 2 : Close fiscal period +AccountancyClosureStep3=Step 3 : Extract entries (Optional) +AccountancyClosureClose=Close fiscal period +AccountancyClosureAccountingReversal=Extract and record "Retained earnings" entries +AccountancyClosureStep3NewFiscalPeriod=Next fiscal period +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "Retained earnings" entries on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "Retained earnings" entries, detail the sub-ledger accounts +AccountancyClosureCloseSuccessfully=Fiscal period has been closed successfully +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping entries for "Retained earnings" has been inserted successfully + ## Confirm box ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? ConfirmMassDeleteBookkeepingWriting=Bulk Delete confirmation ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +AccountancyClosureConfirmClose=Are you sure you want to close the current fiscal period ? You understand that closing the fiscal period is an irreversible action and will permanently block any modification or deletion of entries over this period. +AccountancyClosureConfirmAccountingReversal=Are you sure you want to record entries for the "Retained earnings" ? ## Error SomeMandatoryStepsOfSetupWereNotDone=ບາງຂັ້ນຕອນທີ່ບັງຄັບຂອງການຕິດຕັ້ງບໍ່ສໍາເລັດ, ກະລຸນາເຮັດໃຫ້ສໍາເລັດ -ErrorNoAccountingCategoryForThisCountry=ບໍ່ມີກຸ່ມບັນຊີການບັນຊີສໍາລັບປະເທດ %s (ເບິ່ງ ໜ້າ ທໍາອິດ - ການຕັ້ງຄ່າ - ວັດຈະນານຸກົມ) +ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=ເຈົ້າພະຍາຍາມຂຽນບັນຊີລາຍການບາງໃບຂອງໃບແຈ້ງ ໜີ້ %s , ແຕ່ສາຍອື່ນ other ແມ່ນຍັງບໍ່ທັນຖືກຜູກມັດກັບບັນຊີບັນຊີ. ການຈົດບັນທຶກທຸກແຖວຂອງໃບຮຽກເກັບເງິນ ສຳ ລັບໃບຮຽກເກັບເງິນນີ້ແມ່ນຖືກປະຕິເສດ. ErrorInvoiceContainsLinesNotYetBoundedShort=ບາງແຖວຢູ່ໃນໃບຮຽກເກັບເງິນບໍ່ຖືກຜູກມັດກັບບັນຊີບັນຊີ. ExportNotSupported=ຮູບແບບການສົ່ງອອກທີ່ຕັ້ງໄວ້ບໍ່ຖືກຮອງຮັບຢູ່ໃນ ໜ້າ ນີ້ @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s ErrorAccountNumberAlreadyExists=The accounting number %s already exists ErrorArchiveAddFile=Can't put "%s" file in archive +ErrorNoFiscalPeriodActiveFound=No active fiscal period found +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=The bookkeeping doc date is not inside the active fiscal period +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=The bookkeeping doc date is inside a closed fiscal period ## Import ImportAccountingEntries=ລາຍການບັນຊີ diff --git a/htdocs/langs/lo_LA/admin.lang b/htdocs/langs/lo_LA/admin.lang index 33ec858329b..e0a36086f96 100644 --- a/htdocs/langs/lo_LA/admin.lang +++ b/htdocs/langs/lo_LA/admin.lang @@ -227,6 +227,8 @@ NotCompatible=ເບິ່ງຄືວ່າໂມດູນນີ້ບໍ່ເ CompatibleAfterUpdate=ໂມດູນນີ້ຕ້ອງການໃຫ້ມີການອັບເດດ Dolibarr %s ຂອງເຈົ້າ (Min %s - Max %s). SeeInMarkerPlace=ເບິ່ງຢູ່ໃນຕະຫຼາດ SeeSetupOfModule=ເບິ່ງການຕັ້ງຄ່າໂມດູນ %s +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=ຕັ້ງຕົວເລືອກ %s ເປັນ %s Updated=ອັບເດດແລ້ວ AchatTelechargement=ຊື້ / ດາວໂຫລດ @@ -292,22 +294,22 @@ EmailSenderProfiles=ໂປຣໄຟລ se ຜູ້ສົ່ງອີເມວ EMailsSenderProfileDesc=ເຈົ້າສາມາດຮັກສາພາກນີ້ຫວ່າງໄວ້ໄດ້. ຖ້າເຈົ້າໃສ່ອີເມວບາງອັນຢູ່ທີ່ນີ້, ເຂົາເຈົ້າຈະຖືກເພີ່ມເຂົ້າໃນລາຍຊື່ຂອງຜູ້ສົ່ງທີ່ເປັນໄປໄດ້ເຂົ້າໄປໃນກ່ອງຄອມພິວເຕີເມື່ອເຈົ້າຂຽນອີເມວໃ່. MAIN_MAIL_SMTP_PORT=ພອດ SMTP/SMTPS (ຄ່າເລີ່ມຕົ້ນໃນ php.ini: %s ) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (ຄ່າເລີ່ມຕົ້ນໃນ php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=ພອດ SMTP/SMTPS (ບໍ່ໄດ້ ກຳ ນົດໄວ້ໃນ PHP ໃນລະບົບຄ້າຍ Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (ບໍ່ໄດ້ກໍານົດໄວ້ໃນ PHP ໃນລະບົບຄ້າຍ Unix) -MAIN_MAIL_EMAIL_FROM=ສົ່ງອີເມວຫາອີເມວອັດຕະໂນມັດ (ຄ່າເລີ່ມຕົ້ນໃນ php.ini: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=ອີເມລ used ທີ່ໃຊ້ສໍາລັບການສົ່ງຄືນຄວາມຜິດພາດອີເມລ fields (ພາກສະຫນາມ 'Errors-To' ໃນອີເມລ sent ສົ່ງ) MAIN_MAIL_AUTOCOPY_TO= ສຳ ເນົາ (Bcc) ສົ່ງອີເມວທັງtoົດໄປຫາ MAIN_DISABLE_ALL_MAILS=ປິດການສົ່ງອີເມວທັງ(ົດ (ເພື່ອຈຸດປະສົງການທົດສອບຫຼືການສາທິດ) MAIN_MAIL_FORCE_SENDTO=ສົ່ງອີເມວທັງtoົດຫາ (ແທນຜູ້ຮັບທີ່ແທ້ຈິງ, ເພື່ອຈຸດປະສົງການທົດສອບ) MAIN_MAIL_ENABLED_USER_DEST_SELECT=ແນະນໍາອີເມວຂອງພະນັກງານ (ຖ້າກໍານົດ) ເຂົ້າໃນບັນຊີລາຍຊື່ຂອງຜູ້ຮັບທີ່ໄດ້ກໍານົດໄວ້ລ່ວງ ໜ້າ ໃນເວລາຂຽນອີເມວໃ່ -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=ວິທີການສົ່ງອີເມລ MAIN_MAIL_SMTPS_ID=ID SMTP (ຖ້າສົ່ງເຊີບເວີຕ້ອງການການກວດສອບຄວາມຖືກຕ້ອງ) MAIN_MAIL_SMTPS_PW=ລະຫັດຜ່ານ SMTP (ຖ້າສົ່ງເຊີບເວີຕ້ອງການການກວດສອບ) MAIN_MAIL_EMAIL_TLS=ໃຊ້ການເຂົ້າລະຫັດ TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=ໃຊ້ການເຂົ້າລະຫັດ TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=ອະນຸຍາດໃຫ້ les certificats ອັດຕະໂນມັດເຊັນ +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=ໃຊ້ DKIM ເພື່ອສ້າງລາຍເຊັນອີເມລ MAIN_MAIL_EMAIL_DKIM_DOMAIN=ໂດເມນອີເມວສໍາລັບໃຊ້ກັບ dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=ຊື່ຂອງຕົວເລືອກ dkim @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=ລະຫັດສ່ວນຕົວສໍາ MAIN_DISABLE_ALL_SMS=ປິດການສົ່ງ SMS ທັງ(ົດ (ເພື່ອຈຸດປະສົງການທົດສອບຫຼືການສາທິດ) MAIN_SMS_SENDMODE=ວິທີການນໍາໃຊ້ເພື່ອສົ່ງ SMS MAIN_MAIL_SMS_FROM=ເບີໂທລະສັບຜູ້ສົ່ງເລີ່ມຕົ້ນ ສຳ ລັບການສົ່ງ SMS -MAIN_MAIL_DEFAULT_FROMTYPE=ອີເມວຜູ້ສົ່ງເລີ່ມຕົ້ນສໍາລັບການສົ່ງດ້ວຍຕົນເອງ (ອີເມວຜູ້ໃຊ້ຫຼືອີເມລ Company ຂອງບໍລິສັດ) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=ອີເມວຜູ້ໃຊ້ CompanyEmail=ອີເມວບໍລິສັດ FeatureNotAvailableOnLinux=ຄຸນສົມບັດບໍ່ມີຢູ່ໃນລະບົບຄືກັບ Unix. ທົດສອບໂປຼແກຼມສົ່ງອີເມວຂອງເຈົ້າຢູ່ໃນທ້ອງຖິ່ນ. @@ -417,6 +419,7 @@ PDFLocaltax=ກົດລະບຽບ ສຳ ລັບ %s HideLocalTaxOnPDF=ເຊື່ອງອັດຕາ %s ໃນຖັນອາກອນຂາຍ / ອາກອນມູນຄ່າເພີ່ມ HideDescOnPDF=ເຊື່ອງ ຄຳ ອະທິບາຍຜະລິດຕະພັນ HideRefOnPDF=ເຊື່ອງຜະລິດຕະພັນອ້າງອີງ +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=ເຊື່ອງລາຍລະອຽດສາຍຜະລິດຕະພັນ PlaceCustomerAddressToIsoLocation=ໃຊ້ ຕຳ ແໜ່ງ ມາດຕະຖານrenchຣັ່ງ (La Poste) ສຳ ລັບ ຕຳ ແໜ່ງ ທີ່ຢູ່ຂອງລູກຄ້າ Library=ຫ້ອງສະຸດ @@ -424,7 +427,7 @@ UrlGenerationParameters=ພາລາມິເຕີເພື່ອຮັບປ SecurityTokenIsUnique=ໃຊ້ພາຣາມີເຕີຄວາມປອດໄພທີ່ເປັນເອກະລັກສະເພາະສໍາລັບແຕ່ລະ URL EnterRefToBuildUrl=ໃສ່ການອ້າງອີງ ສຳ ລັບວັດຖຸ %s GetSecuredUrl=ເອົາ URL ທີ່ ຄຳ ນວນແລ້ວ -ButtonHideUnauthorized=ເຊື່ອງປຸ່ມ ຄຳ ສັ່ງທີ່ບໍ່ໄດ້ຮັບອະນຸຍາດ ສຳ ລັບຜູ້ໃຊ້ພາຍໃນ (ຖ້າບໍ່ດັ່ງນັ້ນເປັນສີເທົາ) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=ອັດຕາອາກອນມູນຄ່າເພີ່ມເກົ່າ NewVATRates=ອັດຕາອາກອນມູນຄ່າເພີ່ມໃ່ PriceBaseTypeToChange=ແກ້ໄຂລາຄາດ້ວຍມູນຄ່າການອ້າງອີງພື້ນຖານທີ່ ກຳ ນົດໄວ້ @@ -458,11 +461,11 @@ ComputedFormula=ຊ່ອງຂໍ້ມູນທີ່ ຄຳ ນວນແລ ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=ບ່ອນເກັບຂໍ້ມູນ ຄຳ ນວນຮ້ານ ComputedpersistentDesc=ການຄິດໄລ່ຊ່ອງຂໍ້ມູນພິເສດຈະຖືກເກັບໄວ້ໃນຖານຂໍ້ມູນ, ແນວໃດກໍ່ຕາມ, ຄ່າຈະຖືກຄິດໄລ່ຄືນໃwhen່ເມື່ອວັດຖຸຂອງຊ່ອງຂໍ້ມູນນີ້ຖືກປ່ຽນໄປເທົ່ານັ້ນ. ຖ້າຊ່ອງຂໍ້ມູນທີ່ຖືກຄໍານວນຂື້ນກັບວັດຖຸອື່ນຫຼືຂໍ້ມູນທົ່ວໂລກຄ່ານີ້ອາດຈະຜິດ !! -ExtrafieldParamHelpPassword=ການປ່ອຍຊ່ອງນີ້ໃຫ້ຫວ່າງໄວ້meansາຍຄວາມວ່າຄ່ານີ້ຈະຖືກເກັບໄວ້ໂດຍບໍ່ມີການເຂົ້າລະຫັດ (ຊ່ອງຂໍ້ມູນຈະຕ້ອງເຊື່ອງໄວ້ດ້ວຍດາວຢູ່ເທິງ ໜ້າ ຈໍເທົ່ານັ້ນ).
      ຕັ້ງ 'ອັດຕະໂນມັດ' ເພື່ອໃຊ້ກົດການເຂົ້າລະຫັດເລີ່ມຕົ້ນເພື່ອບັນທຶກລະຫັດຜ່ານໃສ່ຖານຂໍ້ມູນ (ຈາກນັ້ນຄ່າທີ່ອ່ານຈະເປັນ hash ເທົ່ານັ້ນ, ບໍ່ມີທາງທີ່ຈະດຶງເອົາຄ່າເດີມໄດ້) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=ບັນຊີລາຍຊື່ຂອງຄ່າຕ້ອງການສາຍທີ່ມີທີ່ສໍາຄັນຮູບແບບ, ມູນຄ່າ (ທີ່ສໍາຄັນບໍ່ສາມາດຈະ '0')

      ສໍາລັບຕົວຢ່າງເຊັ່ນ:
      1, value1
      2, value2
      ທຸລະການ 3, value3
      ...

      ເພື່ອມີ ບັນຊີລາຍຊື່ໂດຍອີງຕາມບັນຊີລາຍຊື່ຄຸນລັກສະນະຄົນອື່ນແລ້ວ:
      1, value1 | options_ parent_list_code : parent_key
      2, value2 | options_ parent_list_code : parent_key

      ເພື່ອທີ່ຈະມີບັນຊີລາຍການໂດຍອີງຕາມບັນຊີລາຍຊື່ອື່ນ:
      1, value1 | parent_list_code : parent_key
      2, value2 | parent_list_code : parent_key ExtrafieldParamHelpcheckbox=ລາຍການຄ່າຕ້ອງເປັນແຖວທີ່ມີລະຫັດຮູບແບບ, ຄ່າ (ບ່ອນທີ່ກະແຈບໍ່ສາມາດເປັນ '0')

      ຕົວຢ່າງ:
      1, value1
      2, value2
      3, value3 a0cc2 ... ExtrafieldParamHelpradio=ລາຍການຄ່າຕ້ອງເປັນແຖວທີ່ມີລະຫັດຮູບແບບ, ຄ່າ (ບ່ອນທີ່ກະແຈບໍ່ສາມາດເປັນ '0')

      ຕົວຢ່າງ:
      1, value1
      2, value2
      3, value3 a0cc2 ... -ExtrafieldParamHelpsellist=ບັນຊີລາຍຊື່ຂອງຄ່າມາຈາກຕາຕະລາງ
      Syntax: table_name: label_field: id_field :: filtersql
      ຕົວຢ່າງ: c_typent: libelle: id :: filtersql

      - id_field ແມ່ນມີຄວາມຈໍາເປັນຕ້ອງມີການນໍາໃຊ້. ມັນສາມາດເປັນການທົດສອບແບບງ່າຍ simple (ຕົວຢ່າງ: active = 1) ເພື່ອສະແດງສະເພາະຄ່າ
      ເຈົ້າຍັງສາມາດໃຊ້ $ ID $ ຢູ່ໃນຕົວກອງເຊິ່ງເປັນ id ປະຈຸບັນຂອງວັດຖຸປັດຈຸບັນ
      ເພື່ອໃຊ້ SELECT ເຂົ້າໄປໃນຕົວກອງໃຫ້ໃຊ້ຄໍາວ່າ $ SEL $ to ຂ້າມການປ້ອງກັນຕ້ານການສີດ.
      ຖ້າເຈົ້າຕ້ອງການກັ່ນຕອງຢູ່ໃນເຂດນອກປະເພດໃຫ້ໃຊ້ໄວຍາກອນ extra.fieldcode = ... (ບ່ອນທີ່ລະຫັດພາກສະ ໜາມ ແມ່ນລະຫັດຂອງ extrafield)

      ເພື່ອໃຫ້ມີລາຍການຂຶ້ນຢູ່ກັບບັນຊີລາຍການຄຸນສົມບັດອື່ນທີ່ເພີ່ມເຕີມ:
      : ຕົວເລືອກ c_typent: parent_list_code | parent_column: ກັ່ນຕອງ

      ເພື່ອໃຫ້ມີລາຍການຂຶ້ນກັບບັນຊີລາຍຊື່ອື່ນ:
      c_typent: libelle: id0a087087087087087087087087087087081 0 0 7 87 0102 875 0 0 0 0 2 4 7 8 7 8 7 8 7 8 8 7 8 8 7 8 7 8 ເຂັ້ມ 7 8 8 7 8 8 7 8 7 8 7 7 8 7 7 8 7 8 8 7 8 8 7 8 7 8 8ရဲ့ရဲ့ສູນສູນ 004 7 8 7 8 7 8 7 8 7 8 7 8 7 8 8 7 8 7 8 8ောេសສາຍພັນທະພົນ +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=ບັນຊີລາຍຊື່ຂອງຄ່າແມ່ນມາຈາກຕາຕະລາງ
      Syntax: table_name: label_field: id_field :: filtersql
      ຕົວຢ່າງ: c_typent: libelle: id :: filtersql

      ຕົວຢ່າງສາມາດເປັນຕົວທົດສອບຕົວຈິງໄດ້ (ຕົວຢ່າງເທົ່ານັ້ນ) active0 (ຕົວຢ່າງເທົ່ານັ້ນ) ຈະໃຊ້ໄດ້ເທົ່ານັ້ນ ຍັງສາມາດໃຊ້ $ ID $ ໃນຕົວກັ່ນຕອງແມ່ມົດເປັນ id ປະຈຸບັນຂອງວັດຖຸປັດຈຸບັນ
      ເພື່ອເຮັດການຄັດເລືອກໃນຕົວກອງໃຫ້ໃຊ້ $ SEL $
      ຖ້າເຈົ້າຕ້ອງການກັ່ນຕອງຢູ່ໃນເຂດນອກໃຫ້ໃຊ້ໄວຍາກອນ extra.fieldcode = ... (ບ່ອນທີ່ລະຫັດພາກສະ ໜາມ ແມ່ນ ລະຫັດຂອງ extrafield)

      ເພື່ອທີ່ຈະມີບັນຊີລາຍການໂດຍອີງຕາມບັນຊີລາຍຊື່ຄຸນລັກສະນະຄົນອື່ນແລ້ວ:
      c_typent: libel: id: options_ parent_list_code | parent_column: ການກັ່ນຕອງ

      ເພື່ອທີ່ຈະມີບັນຊີລາຍການໂດຍອີງຕາມບັນຊີລາຍຊື່ອື່ນ: c_typent
      : libelle: id: parent_list_code | parent_column: ຕົວກັ່ນຕອງ ExtrafieldParamHelplink=ພາຣາມິເຕີຕ້ອງເປັນ ObjectName: Classpath
      Syntax: ObjectName: Classpath ExtrafieldParamHelpSeparator=ຮັກສາຫວ່າງເປົ່າສໍາລັບຕົວແຍກແບບງ່າຍ simple
      ຕັ້ງອັນນີ້ເປັນ 1 ສໍາລັບຕົວແຍກຕົວຫຍໍ້ (ເປີດຕາມຄ່າເລີ່ມຕົ້ນສໍາລັບຊ່ວງເວລາເຂົ້າໃ,່, ຈາກນັ້ນສະຖານະຈະຖືກເກັບໄວ້ສໍາລັບແຕ່ລະຊ່ວງເວລາຂອງຜູ້ໃຊ້)
      ກໍານົດອັນນີ້ເປັນ 2 ສໍາລັບຕົວແຍກການຫຍໍ້ (ຫຍໍ້ລົງຕາມຄ່າເລີ່ມຕົ້ນສໍາລັບເຊດຊັນໃ,່, ຈາກນັ້ນ ສະຖານະພາບໄດ້ຖືກເກັບຮັກສາໄວ້ໃນແຕ່ລະກອງປະຊຸມຜູ້ໃຊ້) @@ -473,7 +476,7 @@ LinkToTestClickToDial=ໃສ່ເບີໂທລະສັບເພື່ອໂ RefreshPhoneLink=ໂຫຼດລິ້ງຄືນໃ່ LinkToTest=ການເຊື່ອມຕໍ່ທີ່ຄລິກໄດ້ທີ່ສ້າງຂຶ້ນສໍາລັບຜູ້ໃຊ້ %s (ຄລິກເບີໂທລະສັບເພື່ອທົດສອບ) KeepEmptyToUseDefault=ເກັບຫວ່າງໄວ້ເພື່ອໃຊ້ຄ່າເລີ່ມຕົ້ນ -KeepThisEmptyInMostCases=ໃນກໍລະນີຫຼາຍທີ່ສຸດ, ເຈົ້າສາມາດຮັກສາຄວາມສາມາດຂອງສະ ໜາມ ນີ້ໄດ້. +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=ລິ້ງເລີ່ມຕົ້ນ SetAsDefault=ກໍາ​ນົດ​ເປັນ​ຄ່າ​ເລີ່ມ​ຕົ້ນ ValueOverwrittenByUserSetup=ຄໍາເຕືອນ, ຄ່ານີ້ອາດຈະຖືກຂຽນທັບໂດຍການຕັ້ງສະເພາະຂອງຜູ້ໃຊ້ (ຜູ້ໃຊ້ແຕ່ລະຄົນສາມາດກໍານົດ url ທາງເລືອກໃນການຄລິກຂອງຕົນເອງ) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=ນີ້ແມ່ນຊື່ຂອງຊ່ອງ PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate=
      ຕົວຢ່າງ:
      ສຳ ລັບແບບຟອມເພື່ອສ້າງພາກສ່ວນທີສາມໃ,່, ມັນແມ່ນ %s .
      ສໍາລັບ URL ຂອງໂມດູນພາຍນອກທີ່ຕິດຕັ້ງໃສ່ໄດເຣັກທໍຣີທີ່ກໍານົດເອງ, ບໍ່ລວມເອົາ "custom/", ສະນັ້ນໃຊ້ເສັ້ນທາງເຊັ່ນ mymodule/mypage.php ແລະບໍ່ແມ່ນ custom/mymodule/mypage.php.
      ຖ້າເຈົ້າຕ້ອງການຄ່າເລີ່ມຕົ້ນພຽງແຕ່ຖ້າ url ມີຕົວກໍານົດບາງອັນ, ເຈົ້າສາມາດໃຊ້ %s PageUrlForDefaultValuesList=
      ຕົວຢ່າງ:
      ສຳ ລັບ ໜ້າ ທີ່ເຮັດລາຍຊື່ພາກສ່ວນທີສາມ, ມັນແມ່ນ %s .
      ສໍາລັບ URL ຂອງໂມດູນພາຍນອກທີ່ຕິດຕັ້ງໃສ່ໄດເຣັກທໍຣີທີ່ກໍານົດເອງ, ບໍ່ລວມເອົາ "ກໍານົດເອງ" ດັ່ງນັ້ນໃຊ້ເສັ້ນທາງເຊັ່ນ mymodule/mypagelist.php ແລະບໍ່ແມ່ນ custom/mymodule/mypagelist.php.
      ຖ້າເຈົ້າຕ້ອງການຄ່າເລີ່ມຕົ້ນພຽງແຕ່ຖ້າ url ມີຕົວກໍານົດບາງອັນ, ເຈົ້າສາມາດໃຊ້ %s -AlsoDefaultValuesAreEffectiveForActionCreate=ຍັງຈື່ໄວ້ວ່າການຂຽນທັບຄ່າເລີ່ມຕົ້ນ ສຳ ລັບການສ້າງແບບຟອມເຮັດວຽກໄດ້ສະເພາະ ໜ້າ ທີ່ຖືກອອກແບບຢ່າງຖືກຕ້ອງເທົ່ານັ້ນ (ສະນັ້ນດ້ວຍການປະຕິບັດຕົວກໍານົດການ = ສ້າງຫຼືປົກປ້ອງ ... ) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=ເປີດໃຊ້ງານການປັບແຕ່ງຄ່າມາດຕະຖານ EnableOverwriteTranslation=Allow customization of translations GoIntoTranslationMenuToChangeThis=ພົບເຫັນການແປພາສາ ສຳ ລັບລະຫັດທີ່ມີລະຫັດນີ້. ເພື່ອປ່ຽນຄ່ານີ້, ເຈົ້າຈະຕ້ອງແກ້ໄຂມັນຈາກ Home-Setup-translation. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=ບັນຊີລາຍຊື່ສ່ວນຕົ DAV_ALLOW_PUBLIC_DIR=ເປີດໃຊ້ສາລະບົບສາທາລະນະທົ່ວໄປ (ບັນຊີລາຍຊື່ສະເພາະຂອງ WebDAV ຊື່ວ່າ "ສາທາລະນະ" - ບໍ່ຕ້ອງເຂົ້າສູ່ລະບົບ) DAV_ALLOW_PUBLIC_DIRTooltip=ບັນຊີລາຍຊື່ສາທາລະນະທົ່ວໄປແມ່ນລະບົບ WebDAV ທີ່ທຸກຄົນສາມາດເຂົ້າຫາໄດ້ (ຢູ່ໃນຮູບແບບການອ່ານແລະຂຽນ), ໂດຍບໍ່ຕ້ອງມີການອະນຸຍາດ (ບັນຊີເຂົ້າສູ່ລະບົບ/ລະຫັດຜ່ານ). DAV_ALLOW_ECM_DIR=ເປີດໃຊ້ໄດເຣັກທໍຣີສ່ວນຕົວຂອງ DMS/ECM (ລະບົບຮາກຂອງໂມດູນ DMS/ECM - ຕ້ອງເຂົ້າສູ່ລະບົບ) -DAV_ALLOW_ECM_DIRTooltip=ໄດເຣັກທໍຣີຮາກບ່ອນທີ່ໄຟລ all ທັງareົດຖືກອັບໂຫຼດດ້ວຍຕົນເອງເມື່ອ ນຳ ໃຊ້ໂມດູນ DMS/ECM. ເຊັ່ນດຽວກັນກັບການເຂົ້າຫາຈາກອິນເຕີເຟດເວັບ, ເຈົ້າຈະຕ້ອງໄດ້ເຂົ້າສູ່ລະບົບ/ລະຫັດຜ່ານທີ່ຖືກຕ້ອງພ້ອມກັບການອະນຸຍາດທີ່ຖືກຕ້ອງເພື່ອເຂົ້າຫາມັນ. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=ຜູ້ໃຊ້ & ກຸ່ມ Module0Desc=ການຄຸ້ມຄອງຜູ້ໃຊ້ / ພະນັກງານແລະກຸ່ມ @@ -566,7 +569,7 @@ Module40Desc=ຜູ້ຂາຍແລະການຈັດການການສ Module42Name=ບັນທຶກດີບັກ Module42Desc=ສະຖານທີ່ຕັດໄມ້ (ໄຟລ sy, syslog, ... ). ໄມ້ທ່ອນດັ່ງກ່າວແມ່ນເພື່ອຈຸດປະສົງທາງດ້ານເຕັກນິກ/ການແກ້ໄຂບັນຫາ. Module43Name=ແຖບດີບັກ -Module43Desc=ເຄື່ອງມື ສຳ ລັບນັກພັດທະນາເພີ່ມແຖບດີບັກໃນໂປຣແກຣມທ່ອງເວັບຂອງເຈົ້າ. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=ບັນນາທິການ Module49Desc=ການຄຸ້ມຄອງບັນນາທິການ Module50Name=ຜະລິດຕະພັນ @@ -582,7 +585,7 @@ Module54Desc=ການຄຸ້ມຄອງສັນຍາ (ການບໍລ Module55Name=ບາໂຄດ Module55Desc=ການຄຸ້ມຄອງລະຫັດບາໂຄດຫຼື QR Module56Name=ການຊໍາລະໂດຍການໂອນສິນເຊື່ອ -Module56Desc=ການຄຸ້ມຄອງການຊໍາລະຂອງຜູ້ສະ ໜອງ ໂດຍຄໍາສັ່ງໂອນເງິນສິນເຊື່ອ. ມັນລວມເຖິງການສ້າງເອກະສານ SEPA ສໍາລັບປະເທດເອີຣົບ. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=ການຊໍາລະໂດຍການຫັກບັນຊີໂດຍກົງ Module57Desc=ການຄຸ້ມຄອງການສັ່ງຊື້ບັນຊີໂດຍກົງ. ມັນລວມເຖິງການສ້າງເອກະສານ SEPA ສໍາລັບປະເທດເອີຣົບ. Module58Name=ກົດໂທຫາ @@ -630,6 +633,10 @@ Module600Desc=ສົ່ງການແຈ້ງເຕືອນທາງອີເ Module600Long=ຈື່ໄວ້ວ່າໂມດູນນີ້ສົ່ງອີເມວໃນເວລາຈິງເມື່ອມີເຫດການທຸລະກິດສະເພາະເກີດຂຶ້ນ. ຖ້າເຈົ້າກໍາລັງຊອກຫາລັກສະນະເພື່ອສົ່ງການເຕືອນອີເມລ for ສໍາລັບເຫດການວາລະ, ເຂົ້າໄປໃນການຕັ້ງໂມດູນວາລະ. Module610Name=Variants ຜະລິດຕະພັນ Module610Desc=ການສ້າງຕົວປ່ຽນຜະລິດຕະພັນ (ສີ, ຂະ ໜາດ ແລະອື່ນ)) +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=ການບໍລິຈາກ Module700Desc=ການບໍລິຫານການບໍລິຈາກ Module770Name=ລາຍງານລາຍຈ່າຍ @@ -650,8 +657,8 @@ Module2300Name=ວຽກທີ່ວາງແຜນໄວ້ Module2300Desc=ການຈັດການວຽກຕາມ ກຳ ນົດ (ນາມແcrງ cron ຫຼື chrono table) Module2400Name=ເຫດການ/ວາລະ Module2400Desc=ຕິດຕາມເຫດການ. ບັນທຶກເຫດການອັດຕະໂນມັດເພື່ອຈຸດປະສົງການຕິດຕາມຫຼືບັນທຶກເຫດການຫຼືການປະຊຸມດ້ວຍຕົນເອງ. ນີ້ແມ່ນໂມດູນຫຼັກສໍາລັບການຄຸ້ມຄອງຄວາມສໍາພັນຂອງລູກຄ້າຫຼືຜູ້ຂາຍທີ່ດີ. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM Module2500Desc=ລະບົບການຈັດການເອກະສານ / ການຈັດການເນື້ອໃນເອເລັກໂຕຣນິກ. ການຈັດລະບຽບເອກະສານທີ່ສ້າງຂຶ້ນຫຼືເກັບໄວ້ໂດຍອັດຕະໂນມັດຂອງເຈົ້າ. ແບ່ງປັນໃຫ້ເຂົາເຈົ້າໃນເວລາທີ່ທ່ານຕ້ອງການ. Module2600Name=API / Web services (SOAP server) @@ -672,7 +679,7 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=ເຄືອຂ່າຍສັງຄົມ Module3400Desc=ເປີດໃຊ້ງານເຄືອຂ່າຍສັງຄົມເຂົ້າໄປໃນພາກສ່ວນທີສາມແລະທີ່ຢູ່ (skype, twitter, facebook, ... ). Module4000Name=HRM -Module4000Desc=ການຄຸ້ມຄອງຊັບພະຍາກອນມະນຸດ (ການຄຸ້ມຄອງພະແນກ, ສັນຍາແລະຄວາມຮູ້ສຶກຂອງພະນັກງານ) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=ຫຼາຍບໍລິສັດ Module5000Desc=ອະນຸຍາດໃຫ້ທ່ານບໍລິຫານຫຼາຍບໍລິສັດ Module6000Name=ຂັ້ນຕອນການເຮັດວຽກລະຫວ່າງໂມດູນ @@ -712,6 +719,8 @@ Module63000Desc=ຈັດການຊັບພະຍາກອນ (ເຄື່ Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=Receptions +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Read customer invoices (and payments) Permission12=ສ້າງ/ແກ້ໄຂໃບແຈ້ງ ໜີ້ ລູກຄ້າ @@ -996,7 +1005,7 @@ Permission4031=Read personal information Permission4032=Write personal information Permission4033=Read all evaluations (even those of user not subordinates) Permission10001=ອ່ານເນື້ອໃນເວັບໄຊທ -Permission10002=ສ້າງ/ດັດແປງເນື້ອໃນເວັບໄຊທ ((ເນື້ອໃນ html ແລະ javascript) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=ສ້າງ/ດັດແປງເນື້ອໃນເວັບໄຊທ ((ລະຫັດ php ແບບເຄື່ອນໄຫວ). ອັນຕະລາຍ, ຕ້ອງສະຫງວນໃຫ້ກັບຜູ້ພັດທະນາທີ່ຖືກ ຈຳ ກັດ. Permission10005=ລຶບເນື້ອໃນເວັບໄຊທ Permission20001=ອ່ານ ຄຳ ຂໍລາພັກ (ການລາພັກຂອງເຈົ້າແລະຂອງຜູ້ໃຕ້ບັງຄັບບັນຊາຂອງເຈົ້າ) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=ລາຍງານລາຍຈ່າຍ - ຂອບເ DictionaryTransportMode=ບົດລາຍງານ Intracomm - ຮູບແບບການຂົນສົ່ງ DictionaryBatchStatus=ສະຖານະການຄວບຄຸມຄຸນະພາບຜະລິດຕະພັນ/ລໍາດັບ DictionaryAssetDisposalType=Type of disposal of assets +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=ປະເພດຂອງ ໜ່ວຍ SetupSaved=ບັນທຶກການຕັ້ງແລ້ວ SetupNotSaved=ບໍ່ໄດ້ບັນທຶກການຕັ້ງຄ່າ @@ -1109,10 +1119,11 @@ BackToModuleList=ກັບໄປຫາລາຍການໂມດູນ BackToDictionaryList=ກັບໄປຫາລາຍການວັດຈະນານຸກົມ TypeOfRevenueStamp=ປະເພດຂອງສະແຕມພາສີ VATManagement=ການຄຸ້ມຄອງພາສີການຂາຍ -VATIsUsedDesc=ຕາມຄ່າເລີ່ມຕົ້ນເມື່ອສ້າງຄວາມສົດໃສດ້ານ, ໃບແຈ້ງ ໜີ້, ໃບສັ່ງຊື້ແລະອື່ນ etc. . ອັດຕາອາກອນການຂາຍປະຕິບັດຕາມກົດລະບຽບມາດຕະຖານທີ່ມີຜົນບັງຄັບໃຊ້:
      ຖ້າຜູ້ຂາຍບໍ່ຕ້ອງເສຍອາກອນການຂາຍ, ຫຼັງຈາກນັ້ນພາສີການຂາຍຈະບໍ່ເປັນ 0. ຈຸດສຸດທ້າຍຂອງກົດລະບຽບ.
      ຖ້າ (ປະເທດຂອງຜູ້ຂາຍ = ປະເທດຂອງຜູ້ຊື້), ຈາກນັ້ນພາສີການຂາຍຕາມຄ່າເລີ່ມຕົ້ນເທົ່າກັບອາກອນການຂາຍຂອງຜະລິດຕະພັນຢູ່ໃນປະເທດຂອງຜູ້ຂາຍ. ສິ້ນສຸດກົດລະບຽບ.
      ຖ້າຜູ້ຂາຍແລະຜູ້ຊື້ທັງຢູ່ໃນຊຸມຊົນເອີຣົບແລະສິນຄ້າເປັນຜະລິດຕະພັນທີ່ກ່ຽວຂ້ອງກັບການຂົນສົ່ງ (ການຂົນສົ່ງ, ການຂົນສົ່ງ, ສາຍການບິນ), ອາກອນມູນຄ່າເພີ່ມເລີ່ມຕົ້ນແມ່ນ 0. ກົດລະບຽບນີ້ແມ່ນຂຶ້ນກັບປະເທດຂອງຜູ້ຂາຍ - ກະລຸນາປຶກສາກັບບັນຊີຂອງເຈົ້າ. VAT ຄວນຈະຖືກຈ່າຍໂດຍຜູ້ຊື້ໄປທີ່ຫ້ອງການພາສີຢູ່ໃນປະເທດຂອງເຂົາເຈົ້າແລະບໍ່ໃຫ້ກັບຜູ້ຂາຍ. ສິ້ນສຸດກົດລະບຽບ.
      ຖ້າຜູ້ຂາຍແລະຜູ້ຊື້ທັງຢູ່ໃນຊຸມຊົນເອີຣົບແລະຜູ້ຊື້ບໍ່ແມ່ນບໍລິສັດ (ມີnumberາຍເລກ VAT ພາຍໃນຊຸມຊົນທີ່ລົງທະບຽນໄວ້) ຈາກນັ້ນ VAT ຈະເປັນອັດຕາອາກອນມູນຄ່າເພີ່ມຂອງປະເທດຜູ້ຂາຍ. ສິ້ນສຸດກົດລະບຽບ.
      ຖ້າຜູ້ຂາຍແລະຜູ້ຊື້ທັງຢູ່ໃນຊຸມຊົນເອີຣົບແລະຜູ້ຊື້ແມ່ນບໍລິສັດ (ມີnumberາຍເລກ VAT ພາຍໃນຊຸມຊົນທີ່ລົງທະບຽນ), ຈາກນັ້ນ VAT ແມ່ນ 0 ຕາມຄ່າເລີ່ມຕົ້ນ. ສິ້ນສຸດກົດລະບຽບ.
      ໃນກໍລະນີອື່ນ, ຄ່າເລີ່ມຕົ້ນທີ່ສະ ເໜີ ແມ່ນອາກອນການຂາຍ = 0. ສິ້ນສຸດກົດລະບຽບ. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=ຕາມຄ່າເລີ່ມຕົ້ນ, ອາກອນການຂາຍທີ່ສະ ເໜີ ແມ່ນ 0 ເຊິ່ງສາມາດໃຊ້ໄດ້ກັບກໍລະນີເຊັ່ນ: ສະມາຄົມ, ບຸກຄົນຫຼືບໍລິສັດຂະ ໜາດ ນ້ອຍ. VATIsUsedExampleFR=ໃນປະເທດFranceຣັ່ງ, ມັນmeansາຍເຖິງບໍລິສັດຫຼືອົງການຈັດຕັ້ງທີ່ມີລະບົບການເງິນທີ່ແທ້ຈິງ (ຕົວຈິງຕົວຈິງຫຼືປົກກະຕິຕົວຈິງ). ລະບົບທີ່ປະກາດອາກອນມູນຄ່າເພີ່ມ. VATIsNotUsedExampleFR=ໃນປະເທດFranceຣັ່ງ, ມັນmeansາຍເຖິງສະມາຄົມທີ່ບໍ່ໄດ້ປະກາດອາກອນການຂາຍຫຼືບໍລິສັດ, ອົງກອນຫຼືອາຊີບເສລີທີ່ໄດ້ເລືອກລະບົບງົບປະມານຂອງວິສາຫະກິດຂະ ໜາດ ນ້ອຍ (ອາກອນການຂາຍໃນແຟນໄຊ) ແລະໄດ້ຈ່າຍອາກອນຂາຍໄດ້ໂດຍບໍ່ມີການປະກາດເສຍພາສີການຂາຍ. ຕົວເລືອກນີ້ຈະສະແດງການອ້າງອີງ "ອາກອນການຂາຍທີ່ບໍ່ສາມາດນໍາໃຊ້ໄດ້ - ສິນລະປະ -293B ຂອງ CGI" ຢູ່ໃນໃບຮຽກເກັບເງິນ. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=ປະເພດຂອງພາສີການຂາຍ LTRate=ອັດຕາ @@ -1399,8 +1410,8 @@ PHPModuleLoaded=ອົງປະກອບ PHP %s ຖືກໂຫຼດແລ້ PreloadOPCode=ໃຊ້ OPCode ທີ່ໂຫຼດມາກ່ອນແລ້ວ AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=ສະແດງອີເມວຕິດຕໍ່ (ຫຼືໂທລະສັບຖ້າບໍ່ໄດ້ລະບຸ) ແລະລາຍການຂໍ້ມູນຕົວເມືອງ (ເລືອກລາຍການຫຼືຫ້ອງລວມ)
      ລາຍຊື່ຜູ້ຕິດຕໍ່ຈະປະກົດຂຶ້ນດ້ວຍຮູບແບບຊື່ຂອງ "Dupond Durand - dupond.durand@email.com - Paris" ຫຼື "Dupond Durand - 06 07 59 65 66 - ປາຣີ "ແທນ" Dupond Durand ". +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=ຖາມຫາວິທີການຂົນສົ່ງທີ່ມັກສໍາລັບພາກສ່ວນທີສາມ. FieldEdition=ສະບັບຂອງຊ່ອງຂໍ້ມູນ %s FillThisOnlyIfRequired=ຕົວຢ່າງ: +2 (ຕື່ມຂໍ້ມູນໃສ່ໃນກໍລະນີມີບັນຫາການຊົດເຊີຍເຂດເວລາເທົ່ານັ້ນ) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=ຢ່າສະແດງການເຊື UsersSetup=ການຕັ້ງຄ່າໂມດູນຜູ້ໃຊ້ UserMailRequired=ຕ້ອງການອີເມວເພື່ອສ້າງຜູ້ໃຊ້ໃ່ UserHideInactive=ເຊື່ອງຜູ້ໃຊ້ທີ່ບໍ່ເຄື່ອນໄຫວຈາກລາຍຊື່ຜູ້ໃຊ້ combo ທັງ(ົດ (ບໍ່ແນະນໍາ: ອັນນີ້ອາດຈະmeansາຍຄວາມວ່າເຈົ້າຈະບໍ່ສາມາດກັ່ນຕອງຫຼືຊອກຫາຜູ້ໃຊ້ເກົ່າຢູ່ໃນບາງ ໜ້າ) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=ແມ່ແບບເອກະສານ ສຳ ລັບເອກະສານທີ່ສ້າງຈາກບັນທຶກຂອງຜູ້ໃຊ້ GroupsDocModules=ແມ່ແບບເອກະສານ ສຳ ລັບເອກະສານທີ່ສ້າງຈາກບັນທຶກກຸ່ມ ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=ກຸ່ມ LDAPContactsSynchro=ລາຍຊື່ຜູ້ຕິດຕໍ່ LDAPMembersSynchro=ສະມາຊິກ LDAPMembersTypesSynchro=ປະເພດສະມາຊິກ -LDAPSynchronization=ການປະສານງານ LDAP +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=ຟັງຊັນ LDAP ບໍ່ມີຢູ່ໃນ PHP ຂອງເຈົ້າ LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=id ຜູ້ໃຊ້ LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=ບັນຊີລາຍຊື່ບ້ານ -LDAPFieldHomedirectoryExample=ຕົວຢ່າງ: homedirectory +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=ຄຳ ນຳ ໜ້າ ບັນຊີລາຍຊື່ບ້ານ LDAPSetupNotComplete=ການຕັ້ງ LDAP ບໍ່ ສຳ ເລັດ (ໄປທີ່ແຖບອື່ນ) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=ບໍ່ໄດ້ໃຫ້ຜູ້ບໍລິຫານຫຼືລະຫັດຜ່ານ. ການເຂົ້າເຖິງ LDAP ຈະບໍ່ເປີດເຜີຍຕົວຕົນແລະຢູ່ໃນໂmodeດອ່ານເທົ່ານັ້ນ. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=ພົບໂມດູນ memcached ສໍາ MemcachedAvailableAndSetup=ໂມດູນ memcached ອຸທິດຕົນເພື່ອໃຊ້ເຊີບເວີ memcached ຖືກເປີດໃຊ້ງານແລ້ວ. OPCodeCache=ຖານຄວາມຈໍາ OPCode NoOPCodeCacheFound=ບໍ່ພົບ cache OPCode. ບາງທີເຈົ້າອາດຈະໃຊ້ cache OPCode ອື່ນທີ່ບໍ່ແມ່ນ XCache ຫຼື eAccelerator (ດີ), ຫຼືບາງທີເຈົ້າອາດຈະບໍ່ມີ cache OPCode (ບໍ່ດີຫຼາຍ). -HTTPCacheStaticResources=ແຄດ HTTP ສໍາລັບຊັບພະຍາກອນຄົງທີ່ (css, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=ໄຟລ of ປະເພດ %s ຖືກເກັບໄວ້ໂດຍເຊີບເວີ HTTP FilesOfTypeNotCached=ໄຟລ of ປະເພດ %s ບໍ່ໄດ້ຖືກເກັບໄວ້ໂດຍເຊີບເວີ HTTP FilesOfTypeCompressed=ໄຟລ of ປະເພດ %s ຖືກບີບອັດໂດຍເຊີບເວີ HTTP @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=ຂໍ້ຄວາມຟຣີຢູ່ໃນໃ ##### FCKeditor ##### AdvancedEditor=ຕົວແກ້ໄຂຂັ້ນສູງ ActivateFCKeditor=ເປີດໃຊ້ຕົວແກ້ໄຂຂັ້ນສູງ ສຳ ລັບ: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= ການສ້າງ/ການພິມ WYSIWIG ສໍາລັບ eMailings ຈໍານວນຫຼວງຫຼາຍ (ເຄື່ອງມື-> eMailing) -FCKeditorForUserSignature=ການສ້າງ/ສະບັບລາຍເຊັນຂອງຜູ້ໃຊ້ WYSIWIG -FCKeditorForMail=ການສ້າງ/ການພິມ WYSIWIG ສໍາລັບທຸກ mail ຈົດ(າຍ (ຍົກເວັ້ນເຄື່ອງມື-> eMailing) -FCKeditorForTicket=ການສ້າງ/ສະບັບ WYSIWIG ສໍາລັບປີ້ +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=ການຕັ້ງຄ່າໂມດູນຫຼັກຊັບ IfYouUsePointOfSaleCheckModule=ຖ້າເຈົ້າໃຊ້ໂມດູນຈຸດຂາຍ (POS) ທີ່ສະ ໜອງ ໃຫ້ຕາມຄ່າເລີ່ມຕົ້ນຫຼືໂມດູນພາຍນອກ, ການຕັ້ງຄ່ານີ້ອາດຈະຖືກລະເລີຍໂດຍໂມດູນ POS ຂອງເຈົ້າ. ໂມດູນ POS ສ່ວນໃຫຍ່ຖືກອອກແບບໂດຍມາດຕະຖານເພື່ອສ້າງໃບແຈ້ງ ໜີ້ ທັນທີແລະຫຼຸດຫຼັກຊັບໂດຍບໍ່ຄໍານຶງເຖິງຕົວເລືອກຢູ່ທີ່ນີ້. ສະນັ້ນຖ້າເຈົ້າຕ້ອງການຫຼືບໍ່ມີຫຼັກຊັບຫຼຸດລົງເມື່ອລົງທະບຽນຂາຍຈາກ POS ຂອງເຈົ້າ, ກວດເບິ່ງການຕັ້ງໂມດູນ POS ຂອງເຈົ້ານໍາ. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=ເມນູສ່ວນຕົວບໍ່ໄດ້ NewMenu=ເມນູໃ່ MenuHandler=ຕົວຈັດການເມນູ MenuModule=ໂມດູນແຫຼ່ງຂໍ້ມູນ -HideUnauthorizedMenu=ເຊື່ອງເມນູທີ່ບໍ່ໄດ້ຮັບອະນຸຍາດ ສຳ ລັບຜູ້ໃຊ້ພາຍໃນ (ຖ້າບໍ່ດັ່ງນັ້ນເປັນສີເທົາ) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=ເມນູ id DetailMenuHandler=ຕົວຈັດການເມນູບ່ອນທີ່ຈະສະແດງເມນູໃ່ DetailMenuModule=ຊື່ໂມດູນຖ້າລາຍການເມນູມາຈາກໂມດູນ @@ -1802,7 +1815,7 @@ DetailType=ປະເພດຂອງເມນູ (ເທິງຫຼືຊ້າ DetailTitre=ປ້າຍເມນູຫຼືລະຫັດປ້າຍ ກຳ ກັບ ສຳ ລັບການແປ DetailUrl=URL where menu send you (Relative URL link or external link with https://) DetailEnabled=ເງື່ອນໄຂທີ່ຈະສະແດງຫຼືບໍ່ເຂົ້າ -DetailRight=ເງື່ອນໄຂເພື່ອສະແດງເມນູສີເທົາທີ່ບໍ່ໄດ້ຮັບອະນຸຍາດ +DetailRight=Condition to display unauthorized gray menus DetailLangs=ຊື່ໄຟລ Lang Lang ສໍາລັບການແປລະຫັດປ້າຍກໍາກັບ DetailUser=nຶກງານ / ພາຍນອກ / ທັງົດ Target=ເປົ້າ​ຫມາຍ @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=ບັນຊີເລີ່ມຕົ້ນໃຊ້ CashDeskBankAccountForCheque=ບັນຊີເລີ່ມຕົ້ນໃຊ້ເພື່ອຮັບການຊໍາລະດ້ວຍເຊັກ CashDeskBankAccountForCB=ບັນຊີເລີ່ມຕົ້ນໃຊ້ເພື່ອຮັບການຊໍາລະດ້ວຍບັດເຄຣດິດ CashDeskBankAccountForSumup=ບັນຊີທະນາຄານເລີ່ມຕົ້ນເພື່ອໃຊ້ເພື່ອຮັບການຊໍາລະໂດຍ SumUp -CashDeskDoNotDecreaseStock=ປິດການຫຼຸດລົງຫຼັກຊັບເມື່ອການຂາຍຖືກເຮັດຈາກຈຸດຂາຍ (ຖ້າ "ບໍ່", ການຫຼຸດລົງຫຼັກຊັບແມ່ນເຮັດສໍາລັບການຂາຍແຕ່ລະອັນທີ່ເຮັດຈາກ POS, ໂດຍບໍ່ຄໍານຶງເຖິງທາງເລືອກທີ່ຕັ້ງໄວ້ໃນໂມດູນຫຼັກຊັບ). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=ບັງຄັບແລະ ຈຳ ກັດສາງເພື່ອໃຊ້ ສຳ ລັບການຫຼຸດຫຼັກຊັບ StockDecreaseForPointOfSaleDisabled=ປິດການຂາຍຫຼັກຊັບຈາກຈຸດປິດການຂາຍ StockDecreaseForPointOfSaleDisabledbyBatch=ການຫຼຸດລົງຂອງຫຼັກຊັບໃນ POS ແມ່ນບໍ່ເຂົ້າກັນໄດ້ກັບການຈັດການ Serial/Lot ຂອງໂມດູນ (ປະຈຸບັນມີການເຄື່ອນໄຫວ) ດັ່ງນັ້ນການຫຼຸດລົງຂອງຫຼັກຊັບຈຶ່ງຖືກປິດການ ນຳ ໃຊ້. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=ເນັ້ນເສັ້ນຕາຕະລາງ HighlightLinesColor=ເນັ້ນສີຂອງເສັ້ນເມື່ອເມົ້າຜ່ານ (ໃຊ້ 'ffffff' ໂດຍບໍ່ມີຈຸດເດັ່ນ) HighlightLinesChecked=ເນັ້ນສີຂອງເສັ້ນເມື່ອມັນຖືກກວດກາ (ໃຊ້ 'ffffff' ໂດຍບໍ່ມີຈຸດເດັ່ນ) UseBorderOnTable=Show left-right borders on tables +TableLineHeight=Table line height BtnActionColor=Color of the action button TextBtnActionColor=Text color of the action button TextTitleColor=ສີຂໍ້ຄວາມຂອງຫົວຂໍ້ ໜ້າ @@ -1991,7 +2006,7 @@ EnterAnyCode=ພາກສະຫນາມນີ້ປະກອບດ້ວຍເ Enter0or1=ໃສ່ 0 ຫຼື 1 UnicodeCurrency=ໃສ່ບ່ອນນີ້ລະຫວ່າງວົງປີກກາ, ລາຍການຕົວເລກໄບຕ that ທີ່ເປັນຕົວແທນຂອງສັນຍາລັກສະກຸນເງິນ. ຕົວຢ່າງ: for $, enter [36] - for brazil real R $ [82,36] - for €, enter [8364] ColorFormat=ສີ RGB ແມ່ນຢູ່ໃນຮູບແບບ HEX, ຕົວຢ່າງ: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=ຕຳ ແໜ່ງ ແຖວໃນລາຍການຄອມໂບ SellTaxRate=Sales tax rate RecuperableOnly=ແມ່ນແລ້ວສໍາລັບ VAT "ບໍ່ໄດ້ຮັບຮູ້ແຕ່ສາມາດເກັບຄືນໄດ້" ສໍາລັບບາງລັດໃນປະເທດຣັ່ງ. ຮັກສາຄຸນຄ່າໃຫ້ "ບໍ່" ໃນທຸກກໍລະນີອື່ນ. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block PROPOSAL_PDF_HIDE_PAYMENTTERM=ເຊື່ອງເງື່ອນໄຂການຈ່າຍເງິນ @@ -2118,7 +2133,7 @@ EMailHost=ໂຮສຂອງເຊີບເວີ IMAP ຂອງອີເມວ EMailHostPort=Port of email IMAP server loginPassword=Login/Password oauthToken=OAuth2 token -accessType=Acces type +accessType=Access type oauthService=Oauth service TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Do not include the content of email header into th EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. EmailCollectorConfirmCollectTitle=ອີເມລ collect ເກັບກໍາຂໍ້ຢືນຢັນ EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Example collecting leads EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=ຄ່ານີ້ສາມາດຂຽນທັບໄດ້ໂດຍຜູ້ໃຊ້ແຕ່ລະຄົນຈາກ ໜ້າ ຜູ້ໃຊ້ຂອງມັນ - ແຖບ '%s' -DefaultCustomerType=ປະເພດພາກສ່ວນທີສາມເລີ່ມຕົ້ນ ສຳ ລັບແບບຟອມການສ້າງ "ລູກຄ້າໃ"່" +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=Noteາຍເຫດ: ບັນຊີທະນາຄານຈະຕ້ອງຖືກ ກຳ ນົດໄວ້ໃນໂມດູນຂອງແຕ່ລະຮູບແບບການຊໍາລະ (Paypal, Stripe, ... ) ເພື່ອໃຫ້ຄຸນສົມບັດນີ້ໃຊ້ໄດ້. RootCategoryForProductsToSell=ປະເພດຮາກຂອງຜະລິດຕະພັນທີ່ຈະຂາຍ -RootCategoryForProductsToSellDesc=ຖ້າຖືກກໍານົດ, ມີພຽງແຕ່ຜະລິດຕະພັນພາຍໃນປະເພດນີ້ຫຼືເດັກນ້ອຍຂອງປະເພດນີ້ເທົ່ານັ້ນທີ່ຈະມີຢູ່ໃນຈຸດຂາຍ +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=ແຖບດີບັກ DebugBarDesc=ແຖບເຄື່ອງມືທີ່ມາພ້ອມກັບເຄື່ອງມືຫຼາກຫຼາຍເພື່ອເຮັດໃຫ້ການດີບັກງ່າຍຂຶ້ນ DebugBarSetup=ການຕິດຕັ້ງ DebugBar @@ -2212,10 +2227,10 @@ ImportSetup=ຕັ້ງຄ່າການ ນຳ ເຂົ້າໂມດູນ InstanceUniqueID=ID ທີ່ເປັນເອກະລັກຂອງຕົວຢ່າງ SmallerThan=ຂະ​ຫນາດ​ນ້ອຍ​ກ​່​ວາ LargerThan=ໃຫຍ່ກວ່າ -IfTrackingIDFoundEventWillBeLinked=ຈື່ໄວ້ວ່າຖ້າພົບເຫັນ ID ຕິດຕາມວັດຖຸເຂົ້າໄປໃນອີເມລ or, ຫຼືຖ້າອີເມລ is ເປັນຄໍາຕອບຂອງອີເມລ collected ທີ່ເກັບກໍາແລະເຊື່ອມໂຍງກັບວັດຖຸ, ເຫດການທີ່ສ້າງຂຶ້ນຈະຖືກເຊື່ອມຕໍ່ໂດຍອັດຕະໂນມັດກັບວັດຖຸທີ່ກ່ຽວຂ້ອງທີ່ຮູ້ຈັກ. -WithGMailYouCanCreateADedicatedPassword=ດ້ວຍບັນຊີ GMail, ຖ້າເຈົ້າເປີດໃຊ້ການກວດສອບ 2 ຂັ້ນຕອນ, ມັນຖືກແນະນໍາໃຫ້ສ້າງລະຫັດຜ່ານທີສອງສະເພາະສໍາລັບແອັບພລິເຄຊັນແທນການໃຊ້ລະຫັດຜ່ານບັນຊີຂອງເຈົ້າເອງຈາກ https://myaccount.google.com/. -EmailCollectorTargetDir=ມັນອາດຈະເປັນພຶດຕິກໍາທີ່ຕ້ອງການເພື່ອຍ້າຍອີເມລ into ເຂົ້າໄປໃນແທັກ/ບັນຊີລາຍການອື່ນເມື່ອມັນດໍາເນີນການສໍາເລັດ. ພຽງແຕ່ຕັ້ງຊື່ບັນຊີລາຍການທີ່ນີ້ເພື່ອໃຊ້ຄຸນສົມບັດນີ້ (ຢ່າໃຊ້ຕົວອັກສອນພິເສດຢູ່ໃນຊື່). ຈື່ໄວ້ວ່າເຈົ້າຍັງຕ້ອງໃຊ້ບັນຊີເຂົ້າສູ່ລະບົບອ່ານ/ຂຽນ. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=ຈຸດສິ້ນສຸດ ສຳ ລັບ %s: %s DeleteEmailCollector=ລຶບຜູ້ເກັບອີເມລ @@ -2232,12 +2247,12 @@ EmailTemplate=ແມ່ແບບສໍາລັບອີເມລ EMailsWillHaveMessageID=ອີເມວຈະມີແທັກ 'ການອ້າງອີງ' ທີ່ກົງກັບຫຼັກໄວຍາກອນນີ້ PDF_SHOW_PROJECT=ສະແດງໂຄງການຢູ່ໃນເອກະສານ ShowProjectLabel=ປ້າຍຊື່ໂຄງການ -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=ຖ້າເຈົ້າຕ້ອງການໃຫ້ມີຕົວ ໜັງ ສືບາງອັນຢູ່ໃນ PDF ຂອງເຈົ້າຊໍ້າກັນຢູ່ໃນ 2 ພາສາທີ່ແຕກຕ່າງກັນຢູ່ໃນ PDF ທີ່ສ້າງຂຶ້ນອັນດຽວກັນ, ເຈົ້າຕ້ອງຕັ້ງເປັນພາສາທີສອງຢູ່ທີ່ນີ້ເພື່ອໃຫ້ PDF ທີ່ສ້າງຂຶ້ນຈະມີ 2 ພາສາແຕກຕ່າງກັນຢູ່ໃນ ໜ້າ ດຽວ, ອັນທີ່ເລືອກເມື່ອສ້າງ PDF ແລະອັນນີ້ ( ມີພຽງແຕ່ແມ່ແບບ PDF ບາງອັນທີ່ສະ ໜັບ ສະ ໜູນ ອັນນີ້). ຮັກສາຫວ່າງເປົ່າສໍາລັບ 1 ພາສາຕໍ່ PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=ໃສ່ທີ່ນີ້ລະຫັດຂອງໄອຄອນ FontAwesome. ຖ້າເຈົ້າບໍ່ຮູ້ວ່າ FontAwesome ແມ່ນຫຍັງ, ເຈົ້າສາມາດໃຊ້ຄ່າທົ່ວໄປ fa-address-book. RssNote=Noteາຍເຫດ: ແຕ່ລະນິຍາມອາຫານ RSS ໃຫ້ widget ທີ່ເຈົ້າຕ້ອງເປີດໃຊ້ເພື່ອໃຫ້ມັນມີຢູ່ໃນ dashboard JumpToBoxes=ໄປຫາການຕັ້ງຄ່າ -> ວິດເຈັດ @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=ເຈົ້າອາດຈະຊອກຫາຄໍ ModuleActivatedMayExposeInformation=ສ່ວນຂະຫຍາຍ PHP ນີ້ອາດຈະເປີດເຜີຍຂໍ້ມູນທີ່ລະອຽດອ່ອນ. ຖ້າເຈົ້າບໍ່ຕ້ອງການມັນ, ປິດມັນ. ModuleActivatedDoNotUseInProduction=ໂມດູນທີ່ອອກແບບມາເພື່ອການພັດທະນາໄດ້ຖືກເປີດໃຊ້ງານ. ຢ່າເປີດໃຊ້ມັນຢູ່ໃນສະພາບແວດລ້ອມການຜະລິດ. CombinationsSeparator=ຕົວອັກສອນຕົວແຍກ ສຳ ລັບການປະສົມຜະລິດຕະພັນ -SeeLinkToOnlineDocumentation=ເບິ່ງຕົວເຊື່ອມຕໍ່ຫາເອກະສານອອນໄລນ on ຢູ່ໃນເມນູດ້ານເທິງສໍາລັບຕົວຢ່າງ +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=ຖ້າຄຸນສົມບັດ "%s" ຂອງໂມດູນ %s ຖືກນໍາໃຊ້, ສະແດງລາຍລະອຽດຂອງຜະລິດຕະພັນຍ່ອຍຂອງຊຸດຢູ່ໃນ PDF. AskThisIDToYourBank=ຕິດຕໍ່ທະນາຄານຂອງທ່ານເພື່ອເອົາບັດປະ ຈຳ ຕົວນີ້ -AdvancedModeOnly=ການອະນຸຍາດທີ່ມີຢູ່ໃນໂmodeດການອະນຸຍາດຂັ້ນສູງເທົ່ານັ້ນ +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=ໄຟລ conf conf ແມ່ນສາມາດອ່ານຫຼືຂຽນໄດ້ໂດຍຜູ້ໃຊ້ໃດນຶ່ງ. ໃຫ້ການອະນຸຍາດແກ່ຜູ້ໃຊ້ແລະກຸ່ມເຊີບເວີເທົ່ານັ້ນ. MailToSendEventOrganization=ອົງການຈັດຕັ້ງເຫດການ MailToPartnership=ການຮ່ວມມື AGENDA_EVENT_DEFAULT_STATUS=ສະຖານະເຫດການເລີ່ມຕົ້ນເມື່ອສ້າງເຫດການຈາກແບບຟອມ YouShouldDisablePHPFunctions=ເຈົ້າຄວນປິດການທໍາງານຂອງ PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=ຍົກເວັ້ນຖ້າເຈົ້າຕ້ອງການໃຊ້ ຄຳ ສັ່ງລະບົບໃນລະຫັດ ກຳ ນົດເອງ, ເຈົ້າຈະປິດການ ທຳ ງານ PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions NoWritableFilesFoundIntoRootDir=ບໍ່ພົບໄຟລ or ຫຼືບັນຊີລາຍຊື່ຂອງໂປຣແກມທົ່ວໄປທີ່ສາມາດຂຽນເຂົ້າໄປໃນໄດເຣັກທໍຣີຮາກຂອງເຈົ້າໄດ້ (ດີ) RecommendedValueIs=ແນະນໍາ: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page ShowQuickAddLink=Show a button to quickly add an element in top right menu - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Hash used for ping ReadOnlyMode=Is instance in "Read Only" mode DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Will not work with all themes NoName=No name ShowAdvancedOptions= Show advanced options HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Use a password UseOauth=Use a OAUTH token Images=Images MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=The script is empty ShowHideTheNRequests=Show/hide the %s SQL request(s) DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2403,6 +2419,24 @@ Defaultfortype=Default DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/lo_LA/bills.lang b/htdocs/langs/lo_LA/bills.lang index 9564ee5dc8e..74eb2da2761 100644 --- a/htdocs/langs/lo_LA/bills.lang +++ b/htdocs/langs/lo_LA/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=ຊໍາລະເງິນຕາມລູກຄ້າ DisabledBecauseRemainderToPayIsZero=ຖືກປິດການ ນຳ ໃຊ້ເນື່ອງຈາກການທີ່ຍັງບໍ່ໄດ້ຈ່າຍເງິນເປັນສູນ PriceBase=ລາຄາພື້ນຖານ BillStatus=ສະຖານະໃບຮຽກເກັບເງິນ -StatusOfGeneratedInvoices=ສະຖານະຂອງໃບຮຽກເກັບເງິນທີ່ສ້າງຂຶ້ນ +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=ຮ່າງ (ຕ້ອງການກວດສອບ) BillStatusPaid=ຈ່າຍແລ້ວ BillStatusPaidBackOrConverted=ການຄືນເງິນໃຫ້ກັບບັນທຶກສິນເຊື່ອຫຼືmarkedາຍເປັນສິນເຊື່ອທີ່ມີໃຫ້ @@ -167,7 +167,7 @@ ActionsOnBill=ຄຳ ສັ່ງຢູ່ໃນໃບຮຽກເກັບເ ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=ແມ່ແບບ / ໃບຮຽກເກັບເງິນທີ່ເກີດຂຶ້ນຊໍ້າ NoQualifiedRecurringInvoiceTemplateFound=ບໍ່ມີໃບຮຽກເກັບເງິນແມ່ແບບທີ່ເກີດຂຶ້ນຊ້ ຳ ແລ້ວ ສຳ ລັບການສ້າງ. -FoundXQualifiedRecurringInvoiceTemplate=ພົບໃບຮຽກເກັບເງິນແມ່ແບບທີ່ເກີດຂຶ້ນຊໍ້າອີກ %s ທີ່ມີຄຸນສົມບັດສໍາລັບການສ້າງ. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=ບໍ່ແມ່ນໃບຮຽກເກັບເງິນແມ່ແບບທີ່ເກີດຂຶ້ນຊໍ້າ NewBill=ໃບຮຽກເກັບເງິນໃ່ LastBills=ໃບຮຽກເກັບເງິນຫຼ້າສຸດ %s @@ -185,7 +185,7 @@ SuppliersDraftInvoices=ໃບຮຽກເກັບເງິນຮ່າງຜູ Unpaid=ບໍ່ໄດ້ຈ່າຍ ErrorNoPaymentDefined=ຜິດພາດບໍ່ໄດ້ລະບຸການຊໍາລະ ConfirmDeleteBill=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການລຶບໃບແຈ້ງ ໜີ້ ນີ້? -ConfirmValidateBill=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການກວດສອບໃບຮຽກເກັບເງິນນີ້ດ້ວຍການອ້າງອີງ %s ? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການປ່ຽນໃບແຈ້ງ ໜີ້ %s ເປັນສະຖານະຮ່າງ? ConfirmClassifyPaidBill=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການປ່ຽນໃບແຈ້ງ ໜີ້ %s ເປັນສະຖານະທີ່ຈ່າຍແລ້ວ? ConfirmCancelBill=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການຍົກເລີກໃບແຈ້ງ ໜີ້ %s ? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=ເຈົ້າຢືນຢັນການປ້ອນກ ConfirmSupplierPayment=ເຈົ້າຢືນຢັນການປ້ອນການຊໍາລະນີ້ສໍາລັບ %s %s ບໍ? ConfirmValidatePayment=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການກວດສອບການຊໍາລະນີ້? ບໍ່ສາມາດປ່ຽນແປງໄດ້ເມື່ອກວດສອບການຊໍາລະແລ້ວ. ValidateBill=ກວດສອບໃບຮຽກເກັບເງິນ -UnvalidateBill=ໃບຮຽກເກັບເງິນທີ່ບໍ່ມີມູນຄ່າ +UnvalidateBill=Invalidate invoice NumberOfBills=ຈຳ ນວນໃບຮຽກເກັບເງິນ NumberOfBillsByMonth=ຈຳ ນວນໃບຮຽກເກັບເງິນຕໍ່ເດືອນ AmountOfBills=ຈຳ ນວນໃບຮຽກເກັບເງິນ @@ -250,12 +250,13 @@ RemainderToTake=ຈຳ ນວນທີ່ຍັງເຫຼືອໃຫ້ຮັ RemainderToTakeMulticurrency=Remaining amount to take, original currency RemainderToPayBack=ຈຳ ນວນທີ່ຍັງເຫຼືອໃຫ້ຄືນເງິນ RemainderToPayBackMulticurrency=Remaining amount to refund, original currency +NegativeIfExcessReceived=negative if excess received NegativeIfExcessRefunded=negative if excess refunded +NegativeIfExcessPaid=negative if excess paid Rest=ຍັງຄ້າງຢູ່ AmountExpected=ຈຳ ນວນທີ່ຖືກອ້າງສິດ ExcessReceived=ໄດ້ຮັບເກີນ ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received ExcessPaid=ຈ່າຍເກີນ ExcessPaidMulticurrency=Excess paid, original currency EscompteOffered=ມີສ່ວນຫຼຸດໃຫ້ (ຈ່າຍກ່ອນໄລຍະເວລາ) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=ເຈົ້າຕ້ອງສ້າງໃ PDFCrabeDescription=ໃບເກັບເງິນຮູບແບບ PDF ກະປູ. ແມ່ແບບໃບຮຽກເກັບເງິນທີ່ສົມບູນ (ການຈັດຕັ້ງປະຕິບັດເກົ່າຂອງແມ່ແບບ Sponge) PDFSpongeDescription=ໃບເກັບເງິນ PDF ແບບຟອມ Sponge. ແມ່ແບບໃບຮຽກເກັບເງິນທີ່ສົມບູນ PDFCrevetteDescription=ໃບເກັບເງິນ PDF ແບບຟອມ Crevette. ແມ່ແບບໃບເກັບເງິນທີ່ສົມບູນ ສຳ ລັບໃບແຈ້ງ ໜີ້ ສະຖານະການ -TerreNumRefModelDesc1=ສົ່ງຄືນnumberາຍເລກໃນຮູບແບບ %syymm-nnnn ສໍາລັບໃບແຈ້ງ ໜີ້ ມາດຕະຖານແລະ %syymm-nnnn ສໍາລັບບັນທຶກສິນເຊື່ອບ່ອນທີ່ yy ແມ່ນປີ, mm ເປັນເດືອນແລະ nnnn ແມ່ນຕົວເລກການເພີ່ມອັດຕະໂນມັດຕາມລໍາດັບໂດຍບໍ່ມີການຢຸດແລະບໍ່ກັບຄືນເປັນ 0 -MarsNumRefModelDesc1=ສົ່ງຄືນinາຍເລກໃນຮູບແບບ %syymm-nnnn ສໍາລັບໃບແຈ້ງ ໜີ້ ມາດຕະຖານ, %syymm-nnnn ສໍາລັບໃບຮຽກເກັບເງິນທົດແທນ, %syymm-nnnn ສໍາລັບໃບແຈ້ງ ໜີ້ ການຈ່າຍເງິນແລະ %syyn ເປັນຈໍານວນລາຍເດືອນຈໍານວນ n ໂດຍບໍ່ມີການຢຸດພັກແລະບໍ່ກັບຄືນມາເປັນ 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=ໃບບິນທີ່ເລີ່ມດ້ວຍ $ syymm ມີຢູ່ແລ້ວແລະບໍ່ເຂົ້າກັນໄດ້ກັບຮູບແບບ ລຳ ດັບນີ້. ເອົາມັນອອກຫຼືປ່ຽນຊື່ມັນເພື່ອເປີດໃຊ້ໂມດູນນີ້. -CactusNumRefModelDesc1=ສົ່ງຄືນnumberາຍເລກໃນຮູບແບບ %syymm-nnnn ສໍາລັບໃບແຈ້ງ ໜີ້ ມາດຕະຖານ, %syymm-nnnn ສໍາລັບໃບຢັ້ງຢືນສິນເຊື່ອແລະ %syymm-nnnn ສໍາລັບໃບແຈ້ງ ໜີ້ ການຈ່າຍເງິນທີ່ປີແມ່ນປີ, mm ເປັນເດືອນແລະ nnnn ແມ່ນບໍ່ມີການຈັດລໍາດັບຕາມລໍາດັບໂດຍບໍ່ມີເລກລໍາດັບອັດຕະໂນມັດ. 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=ເຫດຜົນປິດທ້າຍ EarlyClosingComment=ບັນທຶກປິດເບື້ອງຕົ້ນ ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Salaries +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Salary +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/lo_LA/cashdesk.lang b/htdocs/langs/lo_LA/cashdesk.lang index 735638d196a..a46c786efba 100644 --- a/htdocs/langs/lo_LA/cashdesk.lang +++ b/htdocs/langs/lo_LA/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=ໃບຮັບເງິນ Header=ສ່ວນຫົວ Footer=ສ່ວນທ້າຍສຸດ AmountAtEndOfPeriod=ຈຳ ນວນໃນຕອນທ້າຍຂອງມື້ (ມື້, ເດືອນຫຼືປີ) -TheoricalAmount=ຈໍານວນທິດສະດີ +TheoricalAmount=Theoretical amount RealAmount=ຈໍານວນທີ່ແທ້ຈິງ CashFence=Cash box closing CashFenceDone=Cash box closing done for the period @@ -57,7 +57,7 @@ Paymentnumpad=ປະເພດແຜ່ນເພື່ອປ້ອນການຊ Numberspad=ແຜ່ນຕົວເລກ BillsCoinsPad=ຫຼຽນແລະກະດາດເງິນເຈ້ຍ DolistorePosCategory=ໂມດູນ TakePOS ແລະວິທີແກ້ໄຂ POS ອື່ນ for ສໍາລັບ Dolibarr -TakeposNeedsCategories=TakePOS ຕ້ອງການຢ່າງ ໜ້ອຍ ໜຶ່ງ categວດproductູ່ຜະລິດຕະພັນເພື່ອເຮັດວຽກ +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS ຕ້ອງການຢ່າງ ໜ້ອຍ 1 ປະເພດຜະລິດຕະພັນພາຍໃຕ້ປະເພດ %s ເພື່ອເຮັດວຽກ. OrderNotes=ສາມາດເພີ່ມບັນທຶກບາງອັນໃສ່ແຕ່ລະລາຍການທີ່ສັ່ງຊື້ CashDeskBankAccountFor=ບັນຊີເລີ່ມຕົ້ນທີ່ຈະໃຊ້ ສຳ ລັບການຊໍາລະ @@ -76,7 +76,7 @@ TerminalSelect=ເລືອກປາຍທາງທີ່ເຈົ້າຕ້ POSTicket=ປີ້ POS POSTerminal=POS Terminal POSModule=ໂມດູນ POS -BasicPhoneLayout=ໃຊ້ຮູບແບບພື້ນຖານສໍາລັບໂທລະສັບ +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=ການຕັ້ງເທີມິນອນ %s ບໍ່ສົມບູນ DirectPayment=ການຊໍາລະໂດຍກົງ DirectPaymentButton=ເພີ່ມປຸ່ມ "ການຈ່າຍເງິນສົດໂດຍກົງ" @@ -92,14 +92,14 @@ HeadBar=ແຖບຫົວຫນ້າ SortProductField=ພາກສະຫນາມສໍາລັບການຈັດຮຽງຜະລິດຕະພັນ Browser=ຕົວທ່ອງເວັບ BrowserMethodDescription=ການພິມໃບຮັບເງິນງ່າຍແລະງ່າຍດາຍ. ມີພຽງແຕ່ຕົວກໍານົດການຈໍານວນຫນຶ່ງເພື່ອກໍານົດການຮັບ. ພິມຜ່ານ browser. -TakeposConnectorMethodDescription=ໂມດູນພາຍນອກທີ່ມີລັກສະນະພິເສດ. ຄວາມສາມາດໃນການພິມຈາກຄລາວ. +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=ວິທີການພິມ ReceiptPrinterMethodDescription=ວິທີການທີ່ມີປະສິດທິພາບທີ່ມີຫຼາຍຕົວກໍານົດການ. ສາມາດປັບແຕ່ງໄດ້ເຕັມຮູບແບບດ້ວຍແມ່ແບບ. ເຊີບເວີເປັນເຈົ້າພາບແອັບພລິເຄຊັນບໍ່ສາມາດຢູ່ໃນ Cloud ໄດ້ (ຕ້ອງສາມາດເຂົ້າຫາເຄື່ອງພິມຢູ່ໃນເຄືອຂ່າຍຂອງເຈົ້າ). ByTerminal=ໂດຍປາຍທາງ TakeposNumpadUsePaymentIcon=ໃຊ້ໄອຄອນແທນຂໍ້ຄວາມຢູ່ໃນປຸ່ມການຈ່າຍເງິນຂອງpadາຍເລກ CashDeskRefNumberingModules=ໂມດູນຕົວເລກສໍາລັບການຂາຍ POS CashDeskGenericMaskCodes6 =
      {TN} ແທັກຖືກໃຊ້ເພື່ອເພີ່ມterminalາຍເລກປາຍທາງ -TakeposGroupSameProduct=ຈັດກຸ່ມສາຍຜະລິດຕະພັນອັນດຽວກັນ +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=ເລີ່ມການຂາຍຂະ ໜານ ໃnew່ SaleStartedAt=ການຂາຍເລີ່ມຕົ້ນທີ່ %s ControlCashOpening=Open the "Control cash box" popup when opening the POS @@ -118,7 +118,7 @@ ScanToOrder=ສະແກນລະຫັດ QR ເພື່ອສັ່ງ Appearance=ຮູບລັກສະນະ HideCategoryImages=ເຊື່ອງຮູບປະເພດ HideProductImages=ເຊື່ອງຮູບຜະລິດຕະພັນ -NumberOfLinesToShow=ຈຳ ນວນແຖວຂອງຮູບທີ່ຈະສະແດງ +NumberOfLinesToShow=Maximum number of lines of text to show on thumb images DefineTablePlan=ກໍານົດແຜນການຕາຕະລາງ GiftReceiptButton=ເພີ່ມປຸ່ມ "ໃບຮັບຂອງຂວັນ" GiftReceipt=ໃບຮັບຂອງຂວັນ @@ -135,4 +135,21 @@ PrintWithoutDetailsLabelDefault=Line label by default on printing without detail PrintWithoutDetails=Print without details YearNotDefined=Year is not defined TakeposBarcodeRuleToInsertProduct=Barcode rule to insert product -TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Already printed +HideCategories=Hide the whole section of categories selection +HideStockOnLine=Hide stock on line +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Show reference or label of products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Terminal %s +TerminalNameDesc=Terminal name +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/lo_LA/main.lang b/htdocs/langs/lo_LA/main.lang index 4dc805bfd69..abd1546a129 100644 --- a/htdocs/langs/lo_LA/main.lang +++ b/htdocs/langs/lo_LA/main.lang @@ -36,7 +36,7 @@ NoTranslation=ບໍ່ມີການແປ Translation=ການແປພາສາ Translations=Translations CurrentTimeZone=ເຂດເວລາ PHP (ເຊີບເວີ) -EmptySearchString=ປ້ອນເງື່ອນໄຂການຄົ້ນຫາທີ່ບໍ່ຫວ່າງເປົ່າ +EmptySearchString=Enter non empty search criteria EnterADateCriteria=ໃສ່ເກນວັນທີ NoRecordFound=ບໍ່ພົບບັນທຶກ NoRecordDeleted=ບໍ່ໄດ້ລຶບບັນທຶກ @@ -60,7 +60,7 @@ ErrorFailedToSendMail=ສົ່ງຈົດmailາຍບໍ່ ສຳ ເລັ ErrorFileNotUploaded=ໄຟລ was ບໍ່ໄດ້ຖືກອັບໂຫຼດ. ກວດເບິ່ງວ່າຂະ ໜາດ ບໍ່ເກີນ ຈຳ ນວນສູງສຸດທີ່ອະນຸຍາດ, ມີພື້ນທີ່ຫວ່າງຢູ່ໃນດິສກ and ແລະບໍ່ມີໄຟລ with ທີ່ມີຊື່ດຽວກັນຢູ່ໃນລາຍການນີ້ຢູ່ແລ້ວ. ErrorInternalErrorDetected=ກວດພົບຄວາມຜິດພາດ ErrorWrongHostParameter=ພາຣາມິເຕີໂຮສຜິດ -ErrorYourCountryIsNotDefined=ປະເທດຂອງເຈົ້າບໍ່ໄດ້ລະບຸ. ໄປທີ່ Home-Setup-Edit ແລະປະກາດແບບຟອມອີກຄັ້ງ. +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=ລຶບບັນທຶກນີ້ບໍ່ ສຳ ເລັດ. ບັນທຶກນີ້ຖືກໃຊ້ຢ່າງ ໜ້ອຍ ໜຶ່ງ ບັນທຶກເດັກ. ErrorWrongValue=ຄ່າຜິດ ErrorWrongValueForParameterX=ຄ່າຜິດພາດ ສຳ ລັບພາຣາມິເຕີ %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=ຜິດພາດ, ບໍ່ໄດ້ກ ErrorNoSocialContributionForSellerCountry=ຜິດພາດ, ບໍ່ໄດ້ກໍານົດປະເພດພາສີທາງດ້ານສັງຄົມ/ງົບປະມານສໍາລັບປະເທດ '%s'. ErrorFailedToSaveFile=ຜິດພາດ, ບັນທຶກໄຟລ failed ບໍ່ ສຳ ເລັດ. ErrorCannotAddThisParentWarehouse=ເຈົ້າ ກຳ ລັງພະຍາຍາມເພີ່ມສາງຂອງພໍ່ແມ່ເຊິ່ງເປັນລູກຂອງສາງທີ່ມີຢູ່ແລ້ວ +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=Field "%s" cannot be negative MaxNbOfRecordPerPage=ສູງສຸດ ຈຳ ນວນບັນທຶກຕໍ່ ໜ້າ NotAuthorized=ເຈົ້າຍັງບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເຮັດແນວນັ້ນ. @@ -103,7 +104,8 @@ RecordGenerated=ສ້າງບັນທຶກແລ້ວ LevelOfFeature=ລະດັບຄຸນສົມບັດ NotDefined=ບໍ່ໄດ້ກໍານົດ DolibarrInHttpAuthenticationSoPasswordUseless=ໂmodeດການກວດສອບ Dolibarr ຖືກຕັ້ງເປັນ %s ໃນໄຟລ configuration ການຕັ້ງຄ່າ conf.php .
      ອັນນີ້meansາຍຄວາມວ່າຖານຂໍ້ມູນລະຫັດຜ່ານແມ່ນຢູ່ນອກ Dolibarr, ສະນັ້ນການປ່ຽນບ່ອນໃສ່ຂໍ້ມູນນີ້ອາດຈະບໍ່ມີຜົນຫຍັງ. -Administrator=ຜູ້​ບໍ​ລິ​ຫານ +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=ບໍ່ໄດ້ລະບຸ PasswordForgotten=ລືມລະຫັດຜ່ານບໍ? NoAccount=ບໍ່ມີບັນຊີບໍ? @@ -211,8 +213,8 @@ Select=ເລືອກ SelectAll=ເລືອກ​ທັງ​ຫມົດ Choose=ເລືອກ Resize=ປັບຂະ ໜາດ +Crop=Crop ResizeOrCrop=ປັບຂະ ໜາດ ຫຼືຕັດ -Recenter=ກັບຄືນໄປບ່ອນ Author=ຜູ້ຂຽນ User=ຜູ້ໃຊ້ Users=ຜູ້ໃຊ້ @@ -235,6 +237,8 @@ PersonalValue=ຄຸນຄ່າສ່ວນຕົວ NewObject=ໃຫມ່ %s NewValue=ມູນຄ່າໃຫມ່ OldValue=ຄ່າເກົ່າ %s +FieldXModified=Field %s modified +FieldXModifiedFromYToZ=Field %s modified from %s to %s CurrentValue=ມູນຄ່າປັດຈຸບັນ Code=ລະຫັດ Type=ປະເພດ @@ -346,6 +350,7 @@ MonthOfDay=ເດືອນຂອງມື້ DaysOfWeek=ມື້ຂອງອາທິດ HourShort=ຮ MinuteShort=mn +SecondShort=sec Rate=ອັດຕາ CurrencyRate=ອັດຕາການປ່ຽນສະກຸນເງິນ UseLocalTax=ລວມອາກອນ @@ -441,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=ເຊັນນອກຈາກນັ້ນ +LT1GC=Additional cents VATRate=ອັດ​ຕາ​ພາ​ສີ RateOfTaxN=ອັດຕາອາກອນ %s VATCode=ລະຫັດອັດຕາອາກອນ @@ -544,6 +549,7 @@ Reportings=ການລາຍງານ Draft=ຮ່າງ Drafts=ສະບັບຮ່າງ StatusInterInvoiced=ໃບຮຽກເກັບເງິນ +Done=Done Validated=ກວດສອບແລ້ວ ValidatedToProduce=ກວດສອບແລ້ວ (ເພື່ອຜະລິດ) Opened=ເປີດ @@ -555,6 +561,7 @@ Unknown=ບໍ່ຮູ້ຈັກ General=ທົ່ວໄປ Size=ຂະ ໜາດ OriginalSize=ຂະ ໜາດ ເດີມ +RotateImage=Rotate 90° Received=ໄດ້ຮັບ Paid=ຈ່າຍແລ້ວ Topic=ຫົວຂໍ້ @@ -694,6 +701,7 @@ Response=ການຕອບສະ ໜອງ Priority=ບູລິມະສິດ SendByMail=ສົ່ງທາງອີເມລ MailSentBy=ສົ່ງອີເມວໂດຍ +MailSentByTo=Email sent by %s to %s NotSent=ບໍ່ໄດ້ສົ່ງ TextUsedInTheMessageBody=ເນື້ອໃນອີເມວ SendAcknowledgementByMail=ສົ່ງອີເມວຢືນຢັນ @@ -718,6 +726,7 @@ RecordModifiedSuccessfully=ແກ້ໄຂບັນທຶກ ສຳ ເລັດ RecordsModified=%s ບັນທຶກຖືກແກ້ໄຂ RecordsDeleted=ບັນທຶກ %s RecordsGenerated=ບັນທຶກ %s +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=ລະຫັດອັດຕະໂນມັດ FeatureDisabled=ປິດການ ນຳ ໃຊ້ຄຸນສົມບັດແລ້ວ MoveBox=ຍ້າຍວິດເຈັດ @@ -760,11 +769,10 @@ DisabledModules=ໂມດູນຄົນພິການ For=ສໍາລັບ ForCustomer=ສໍາລັບລູກຄ້າ Signature=ລາຍເຊັນ -DateOfSignature=ວັນທີລົງລາຍເຊັນ HidePassword=ສະແດງ ຄຳ ສັ່ງດ້ວຍລະຫັດລັບຖືກເຊື່ອງໄວ້ UnHidePassword=ສະແດງ ຄຳ ສັ່ງຕົວຈິງດ້ວຍລະຫັດຜ່ານທີ່ຈະແຈ້ງ Root=ຮາກ -RootOfMedias=ຮາກຂອງສື່ກາງສາທາລະນະ (/ສື່ກາງ) +RootOfMedias=Root of public media (/medias) Informations=ຂໍ້ມູນຂ່າວສານ Page=ຫນ້າ Notes=າຍເຫດ @@ -912,6 +920,7 @@ BackOffice=ຫ້ອງການກັບຄືນໄປບ່ອນ Submit=ສົ່ງ View=ເບິ່ງ Export=ສົ່ງອອກ +Import=Import Exports=Exports ExportFilteredList=ສົ່ງອອກລາຍການທີ່ກັ່ນຕອງແລ້ວ ExportList=ລາຍການສົ່ງອອກ @@ -945,7 +954,7 @@ BulkActions=ຄຳ ສັ່ງຊຸດໃຫຍ່ ClickToShowHelp=ຄລິກເພື່ອສະແດງ ຄຳ ແນະ ນຳ ການຊ່ວຍເຫຼືອ WebSite=ເວັບໄຊທ WebSites=ເວັບໄຊທ -WebSiteAccounts=ບັນຊີເວັບໄຊທ +WebSiteAccounts=Web access accounts ExpenseReport=ລາຍງານລາຍຈ່າຍ ExpenseReports=ລາຍງານລາຍຈ່າຍ HR=ບຸກຄະລາກອນ @@ -1073,6 +1082,7 @@ CommentPage=ຊ່ອງ ຄຳ ເຫັນ CommentAdded=ເພີ່ມ ຄຳ ເຫັນແລ້ວ CommentDeleted=ຄຳ ເຫັນຖືກລຶບແລ້ວ Everybody=ທຸກຄົນ +EverybodySmall=Everybody PayedBy=ຈ່າຍໂດຍ PayedTo=ຈ່າຍໃຫ້ Monthly=ປະຈໍາເດືອນ @@ -1085,7 +1095,7 @@ KeyboardShortcut=ທາງລັດແປ້ນພິມ AssignedTo=ການ​ມອບ​ຫມາຍ​ໃຫ້ Deletedraft=ລຶບສະບັບຮ່າງ ConfirmMassDraftDeletion=ການຢືນຢັນການລຶບ ຈຳ ນວນສະບັບຮ່າງ -FileSharedViaALink=ໄຟລ shared ຖືກແບ່ງປັນກັບລິ້ງສາທາລະນະ +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=ເລືອກພາກສ່ວນທີສາມກ່ອນ ... YouAreCurrentlyInSandboxMode=ປະຈຸບັນນີ້ເຈົ້າຢູ່ໃນໂ0ດ "sandbox" %s Inventory=ສາງ @@ -1119,7 +1129,7 @@ ContactDefault_project_task=ໜ້າ ວຽກ ContactDefault_propal=ຂໍ້ສະ ເໜີ ContactDefault_supplier_proposal=ຂໍ້ສະ ເໜີ ຂອງຜູ້ສະ ໜອງ ContactDefault_ticket=ປີ້ -ContactAddedAutomatically=ເພີ່ມລາຍຊື່ຜູ້ຕິດຕໍ່ຈາກ ຕຳ ແໜ່ງ ພາກສ່ວນທີສາມຂອງຜູ້ຕິດຕໍ່ +ContactAddedAutomatically=Contact added from third-party contact roles More=ເພີ່ມເຕີມ ShowDetails=ສະ​ແດງ​ລາຍ​ລະ​ອຽດ CustomReports=ບົດລາຍງານການລູກຄ້າ @@ -1159,8 +1169,8 @@ AffectTag=Assign a Tag AffectUser=Assign a User SetSupervisor=Set the supervisor CreateExternalUser=ສ້າງຜູ້ໃຊ້ພາຍນອກ -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=Role assigned on each project/opportunity TasksRole=Role assigned on each task (if used) ConfirmSetSupervisor=Bulk Supervisor Set @@ -1218,7 +1228,7 @@ UserAgent=User Agent InternalUser=Internal user ExternalUser=External user NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Hide %s AddToContacts=Add address to my contacts LastAccess=Last access @@ -1229,4 +1239,24 @@ PublicVirtualCard=Virtual business card TreeView=Tree view DropFileToAddItToObject=Drop a file to add it to this object UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <= or >= before the value to filter using a mathematical comparison +SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +InProgress=In progress +DateOfPrinting=Date of printing +ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. +UserNotYetValid=Not yet valid +UserExpired=Expired +LinkANewFile=Link a new file/document +LinkedFiles=Linked files and documents +NoLinkFound=No registered links +LinkComplete=The file has been linked successfully +ErrorFileNotLinked=The file could not be linked +LinkRemoved=The link %s has been removed +ErrorFailedToDeleteLink= Failed to remove link '%s' +ErrorFailedToUpdateLink= Failed to update link '%s' +URLToLink=URL to link +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/lo_LA/oauth.lang b/htdocs/langs/lo_LA/oauth.lang index c8d87ec0911..c5fb153dea9 100644 --- a/htdocs/langs/lo_LA/oauth.lang +++ b/htdocs/langs/lo_LA/oauth.lang @@ -9,9 +9,11 @@ HasAccessToken=ໂທເຄັນໄດ້ຖືກສ້າງຂຶ້ນແ NewTokenStored=Token ໄດ້ຮັບແລະບັນທຶກໄວ້ ToCheckDeleteTokenOnProvider=ຄລິກບ່ອນນີ້ເພື່ອກວດເບິ່ງ/ລຶບການອະນຸຍາດທີ່ບັນທຶກໄວ້ໂດຍຜູ້ໃຫ້ບໍລິການ OAuth %s TokenDeleted=Token ຖືກລຶບແລ້ວ +GetAccess=Click here to get a token RequestAccess=Click here to request/renew access and receive a new token -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=ໃຊ້ URL ຕໍ່ໄປນີ້ເປັນ URI ປ່ຽນເສັ້ນທາງເມື່ອສ້າງຂໍ້ມູນປະຈໍາຕົວຂອງເຈົ້າກັບຜູ້ໃຫ້ບໍລິການ OAuth ຂອງເຈົ້າ: +DeleteAccess=Click here to delete the token +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens SeePreviousTab=ເບິ່ງແຖບກ່ອນ ໜ້າ @@ -30,7 +32,11 @@ OAUTH_GITHUB_SECRET=ຄວາມລັບ OAuth GitHub OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret OAUTH_STRIPE_TEST_NAME=ການທົດສອບ OAuth Stripe OAUTH_STRIPE_LIVE_NAME=ການຖ່າຍທອດສົດ OAuth Stripe -OAUTH_ID=OAuth ID +OAUTH_ID=OAuth Client ID OAUTH_SECRET=OAuth secret +OAUTH_TENANT=OAuth tenant OAuthProviderAdded=OAuth provider added AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists +URLOfServiceForAuthorization=URL provided by OAuth service for authentication +Scopes=Permissions (Scopes) +ScopeUndefined=Permissions (Scopes) undefined (see previous tab) diff --git a/htdocs/langs/lo_LA/products.lang b/htdocs/langs/lo_LA/products.lang index 9897c0f6c8c..71d00fc46c9 100644 --- a/htdocs/langs/lo_LA/products.lang +++ b/htdocs/langs/lo_LA/products.lang @@ -80,8 +80,11 @@ SoldAmount=ຈຳ ນວນທີ່ຂາຍໄດ້ PurchasedAmount=ຈໍານວນທີ່ຊື້ NewPrice=ລາຄາໃ່ MinPrice=ຂັ້ນຕ່ ຳ ລາ​ຄາ​ຂາຍ +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=ແກ້ໄຂປ້າຍລາຄາຂາຍ -CantBeLessThanMinPrice=ລາຄາຂາຍບໍ່ສາມາດຕ່ ຳ ກວ່າຕໍາ່ສຸດທີ່ອະນຸຍາດໃຫ້ສໍາລັບຜະລິດຕະພັນນີ້ (%s ບໍ່ລວມພາສີ). ຂໍ້ຄວາມນີ້ຍັງສາມາດປະກົດຂຶ້ນໄດ້ຖ້າເຈົ້າພິມສ່ວນຫຼຸດທີ່ສໍາຄັນເກີນໄປ. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=ປິດແລ້ວ ErrorProductAlreadyExists=ຜະລິດຕະພັນທີ່ມີການອ້າງອີງ %s ມີຢູ່ແລ້ວ. ErrorProductBadRefOrLabel=ຜິດຄ່າ ສຳ ລັບການອ້າງອີງຫຼືປ້າຍ ກຳ ກັບ. @@ -347,16 +350,17 @@ UseProductFournDesc=ເພີ່ມຄຸນສົມບັດເພື່ອກ ProductSupplierDescription=ລາຍລະອຽດຂອງຜູ້ຂາຍສໍາລັບຜະລິດຕະພັນ UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=You will automaticaly purchase a multiple of this quantity. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=ປະລິມານຂອງສາຍໄດ້ຖືກຄິດໄລ່ຄືນໃpackaging່ຕາມການຫຸ້ມຫໍ່ຂອງຜູ້ສະ ໜອງ #Attributes +Attributes=Attributes VariantAttributes=ຄຸນສົມບັດຕົວປ່ຽນແປງ ProductAttributes=ຄຸນລັກສະນະທີ່ແຕກຕ່າງຂອງຜະລິດຕະພັນ ProductAttributeName=ຄຸນລັກສະນະຕົວປ່ຽນແປງ %s ProductAttribute=ຄຸນສົມບັດຕົວປ່ຽນແປງ ProductAttributeDeleteDialog=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການລຶບຄຸນສົມບັດນີ້? ຄ່າທັງwillົດຈະຖືກລຶບອອກ -ProductAttributeValueDeleteDialog=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການລຶບຄ່າ "%s" ທີ່ມີການອ້າງອີງ "%s" ຂອງຄຸນສົມບັດນີ້? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=ເຈົ້າແນ່ໃຈບໍ່ວ່າຕ້ອງການລຶບຕົວປ່ຽນຂອງຜະລິດຕະພັນ " %s "? ProductCombinationAlreadyUsed=ມີຄວາມຜິດພາດໃນຂະນະທີ່ລຶບຕົວປ່ຽນແປງ. ກະລຸນາກວດເບິ່ງວ່າມັນບໍ່ໄດ້ຖືກໃຊ້ຢູ່ໃນວັດຖຸໃດ ໜຶ່ງ ProductCombinations=ຕົວປ່ຽນແປງ @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=ມີຄວາມຜິດພາດໃນຂະ NbOfDifferentValues=ບໍ່ມີຄ່າຕ່າງກັນ NbProducts=ຈຳ ນວນຜະລິດຕະພັນ ParentProduct=ຜະລິດຕະພັນຂອງພໍ່ແມ່ +ParentProductOfVariant=Parent product of variant HideChildProducts=ເຊື່ອງຜະລິດຕະພັນຕົວປ່ຽນແປງ ShowChildProducts=ສະແດງຜະລິດຕະພັນທີ່ແຕກຕ່າງ NoEditVariants=ໄປທີ່ບັດຜະລິດຕະພັນຂອງພໍ່ແມ່ແລະແກ້ໄຂຜົນກະທົບດ້ານລາຄາຕົວປ່ຽນແປງຢູ່ໃນແຖບຕົວປ່ຽນແປງ @@ -417,7 +422,7 @@ ErrorsProductsMerge=Errors in products merge SwitchOnSaleStatus=Switch on sale status SwitchOnPurchaseStatus=Switch on purchase status UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Extra Fields (stock mouvement) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Extra Fields (inventory) ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes PuttingPricesUpToDate=Update prices with current known prices @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Select the extrafield you want modify ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? ModifyValueExtrafields = Modify value of an extrafield OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/lo_LA/projects.lang b/htdocs/langs/lo_LA/projects.lang index 5133e82e632..b2ffa28da96 100644 --- a/htdocs/langs/lo_LA/projects.lang +++ b/htdocs/langs/lo_LA/projects.lang @@ -33,6 +33,7 @@ DeleteATask=ລຶບ ໜ້າ ວຽກ ConfirmDeleteAProject=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການລຶບໂຄງການນີ້? ConfirmDeleteATask=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການລຶບ ໜ້າ ວຽກນີ້? OpenedProjects=ເປີດໂຄງການ +OpenedProjectsOpportunities=Open opportunities OpenedTasks=ເປີດ ໜ້າ ວຽກ OpportunitiesStatusForOpenedProjects=ນຳ ໄປສູ່ ຈຳ ນວນໂຄງການເປີດຕາມສະຖານະພາບ OpportunitiesStatusForProjects=ນຳ ພາ ຈຳ ນວນໂຄງການຕາມສະຖານະພາບ @@ -44,10 +45,11 @@ OutOfProject=Out of project NoProject=ບໍ່ໄດ້ ກຳ ນົດໂຄງການຫຼືເປັນເຈົ້າຂອງ NbOfProjects=ຈຳ ນວນໂຄງການ NbOfTasks=ຈຳ ນວນ ໜ້າ ວຽກ +TimeEntry=Time tracking TimeSpent=ເວລາທີ່ໃຊ້ +TimeSpentSmall=Time spent TimeSpentByYou=ເວລາທີ່ໃຊ້ໂດຍເຈົ້າ TimeSpentByUser=ເວລາທີ່ໃຊ້ໂດຍຜູ້ໃຊ້ -TimesSpent=ເວລາທີ່ໃຊ້ TaskId=ID ໜ້າ ວຽກ RefTask=ການອ້າງອີງ ໜ້າ ວຽກ LabelTask=ປ້າຍຊື່ ໜ້າ ວຽກ @@ -81,7 +83,7 @@ MyProjectsArea=ພື້ນທີ່ໂຄງການຂອງຂ້ອຍ DurationEffective=ໄລຍະເວລາທີ່ມີປະສິດທິພາບ ProgressDeclared=ປະກາດຄວາມຄືບ ໜ້າ ຕົວຈິງ TaskProgressSummary=ຄວາມຄືບ ໜ້າ ວຽກ -CurentlyOpenedTasks=ເປີດ ໜ້າ ວຽກຢ່າງບໍ່ຢຸດຢັ້ງ +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=ຄວາມຄືບ ໜ້າ ຕົວຈິງທີ່ໄດ້ປະກາດໄວ້ແມ່ນ ໜ້ອຍ ກວ່າ %s ກ່ວາຄວາມຄືບ ໜ້າ ຂອງການບໍລິໂພກ TheReportedProgressIsMoreThanTheCalculatedProgressionByX=ຄວາມຄືບ ໜ້າ ຕົວຈິງທີ່ໄດ້ປະກາດແມ່ນມີຫຼາຍກວ່າ %s ຫຼາຍກວ່າຄວາມຄືບ ໜ້າ ຂອງການບໍລິໂພກ ProgressCalculated=ຄວາມຄືບ ໜ້າ ການບໍລິໂພກ @@ -121,7 +123,7 @@ TaskHasChild=ວຽກມີລູກ NotOwnerOfProject=ບໍ່ແມ່ນເຈົ້າຂອງໂຄງການສ່ວນຕົວນີ້ AffectedTo=ຈັດສັນໃຫ້ CantRemoveProject=ໂຄງການນີ້ບໍ່ສາມາດເອົາອອກໄປໄດ້ເພາະວ່າມັນຖືກອ້າງອີງໂດຍວັດຖຸອື່ນບາງອັນ (ໃບຮຽກເກັບເງິນ, ຄໍາສັ່ງຫຼືອັນອື່ນ). ເບິ່ງແຖບ '%s'. -ValidateProject=ຮັບຮອງໂຄງການ +ValidateProject=Validate project ConfirmValidateProject=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການກວດສອບໂຄງການນີ້? CloseAProject=ປິດໂຄງການ ConfirmCloseAProject=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການປິດໂຄງການນີ້? @@ -202,7 +204,7 @@ InputPerMonth=ການປ້ອນຂໍ້ມູນຕໍ່ເດືອນ InputDetail=ລາຍລະອຽດການປ້ອນຂໍ້ມູນ TimeAlreadyRecorded=ນີ້ແມ່ນເວລາທີ່ໃຊ້ບັນທຶກໄວ້ແລ້ວສໍາລັບ ໜ້າ ວຽກ/ມື້ນີ້ແລະຜູ້ໃຊ້ %s ProjectsWithThisUserAsContact=ໂຄງການທີ່ມີຜູ້ໃຊ້ນີ້ເປັນຜູ້ຕິດຕໍ່ -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=Projects with this third-party contact TasksWithThisUserAsContact=ມອບTasາຍ ໜ້າ ວຽກໃຫ້ຜູ້ໃຊ້ນີ້ແລ້ວ ResourceNotAssignedToProject=ບໍ່ໄດ້ມອບtoາຍໃຫ້ກັບໂຄງການ ResourceNotAssignedToTheTask=ບໍ່ໄດ້ມອບtoາຍ ໜ້າ ທີ່ @@ -225,7 +227,7 @@ ProjectsStatistics=ສະຖິຕິໂຄງການຫຼືຜູ້ ນຳ TasksStatistics=ສະຖິຕິກ່ຽວກັບວຽກງານຂອງໂຄງການຫຼືຜູ້ນໍາ TaskAssignedToEnterTime=ມອບTasາຍ ໜ້າ ວຽກແລ້ວ. ເວລາເຂົ້າໄປໃນວຽກງານນີ້ຄວນຈະເປັນໄປໄດ້. IdTaskTime=ເວລາ ໜ້າ ວຽກ Id -YouCanCompleteRef=ຖ້າເຈົ້າຕ້ອງການຕື່ມຂໍ້ມູນອ້າງອີງຄືນໃsome່ດ້ວຍ ຄຳ ຕໍ່ທ້າຍ, ມັນໄດ້ຖືກແນະ ນຳ ໃຫ້ເພີ່ມຕົວອັກສອນເພື່ອແຍກມັນ, ດັ່ງນັ້ນການໃສ່ຕົວເລກອັດຕະໂນມັດຈະຍັງເຮັດວຽກໄດ້ຖືກຕ້ອງ ສຳ ລັບໂຄງການຕໍ່ໄປ. ຕົວຢ່າງ %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=ເປີດໂຄງການໂດຍພາກສ່ວນທີສາມ OnlyOpportunitiesShort=ພຽງແຕ່ນໍາໄປສູ່ OpenedOpportunitiesShort=ເປີດນໍາ @@ -237,7 +239,7 @@ OpportunityPonderatedAmountDesc=ຈໍານວນນໍາພານໍ້າ OppStatusPROSP=ການກວດກາ OppStatusQUAL=ຄຸນວຸດທິ OppStatusPROPO=ຂໍ້ສະ ເໜີ -OppStatusNEGO=ການເຈລະຈາ +OppStatusNEGO=Negotiation OppStatusPENDING=ຍັງຄ້າງຢູ່ OppStatusWON=ຊະນະ OppStatusLOST=ເສຍ @@ -259,6 +261,7 @@ RecordsClosed=ໂຄງການ %s ປິດແລ້ວ SendProjectRef=ໂຄງການຂໍ້ມູນຂ່າວສານ %s ModuleSalaryToDefineHourlyRateMustBeEnabled=ຕ້ອງເປີດໃຊ້ໂມດູນ 'ເງິນເດືອນ' ເພື່ອກໍານົດອັດຕາຊົ່ວໂມງຂອງພະນັກງານເພື່ອໃຫ້ມີເວລາທີ່ໃຊ້ເວລາຖືກປະເມີນ NewTaskRefSuggested=ການອ້າງອີງ ໜ້າ ວຽກໄດ້ໃຊ້ໄປແລ້ວ, ຕ້ອງມີການອ້າງອີງ ໜ້າ ວຽກໃ່ +NumberOfTasksCloned=%s task(s) cloned TimeSpentInvoiced=ເວລາທີ່ໃຊ້ຈ່າຍໃບບິນ TimeSpentForIntervention=ເວລາທີ່ໃຊ້ TimeSpentForInvoice=ເວລາທີ່ໃຊ້ diff --git a/htdocs/langs/lo_LA/receptions.lang b/htdocs/langs/lo_LA/receptions.lang index c21744ec76d..b7dd1dabb17 100644 --- a/htdocs/langs/lo_LA/receptions.lang +++ b/htdocs/langs/lo_LA/receptions.lang @@ -32,10 +32,11 @@ StatusReceptionDraftShort=ຮ່າງ StatusReceptionValidatedShort=ກວດສອບແລ້ວ StatusReceptionProcessedShort=ປະມວນຜົນແລ້ວ ReceptionSheet=ໃບຮັບເງິນ +ValidateReception=Validate reception ConfirmDeleteReception=ເຈົ້າແນ່ໃຈບໍວ່າເຈົ້າຕ້ອງການລຶບການຕ້ອນຮັບນີ້? -ConfirmValidateReception=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການກວດສອບການຮັບແຂກນີ້ດ້ວຍການອ້າງອີງ %s ? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=ເຈົ້າແນ່ໃຈບໍວ່າເຈົ້າຕ້ອງການຍົກເລີກການຕ້ອນຮັບນີ້? -StatsOnReceptionsOnlyValidated=ສະຖິຕິທີ່ດໍາເນີນຢູ່ໃນການຮັບຮອງເທົ່ານັ້ນທີ່ໄດ້ຮັບການກວດສອບ. ວັນທີທີ່ໃຊ້ແມ່ນວັນທີຂອງການຮັບຮອງຄວາມຖືກຕ້ອງ (ວັນເວລາຈັດສົ່ງທີ່ວາງແຜນບໍ່ໄດ້ເປັນທີ່ຮູ້ຈັກສະເ)ີ). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=ສົ່ງການຕ້ອນຮັບທາງອີເມລ SendReceptionRef=ການສົ່ງການຕ້ອນຮັບ %s ActionsOnReception=ເຫດການໃນການຕ້ອນຮັບ @@ -48,7 +49,10 @@ ReceptionsNumberingModules=ໂມດູນຕົວເລກ ສຳ ລັບກ ReceptionsReceiptModel=ແມ່ແບບເອກະສານສໍາລັບການຮັບ NoMorePredefinedProductToDispatch=ບໍ່ມີຜະລິດຕະພັນທີ່ ກຳ ນົດໄວ້ລ່ວງ ໜ້າ ຫຼາຍກວ່າທີ່ຈະສົ່ງ ReceptionExist=ມີການຕ້ອນຮັບຢູ່ -ByingPrice=Bying price ReceptionBackToDraftInDolibarr=Reception %s back to draft ReceptionClassifyClosedInDolibarr=Reception %s classified Closed ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/lo_LA/sendings.lang b/htdocs/langs/lo_LA/sendings.lang index c1b0f3ab304..17c67daa669 100644 --- a/htdocs/langs/lo_LA/sendings.lang +++ b/htdocs/langs/lo_LA/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=ກວດສອບແລ້ວ StatusSendingProcessedShort=ປະມວນຜົນແລ້ວ SendingSheet=ໃບສົ່ງ ConfirmDeleteSending=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການລຶບການຂົນສົ່ງນີ້? -ConfirmValidateSending=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການກວດສອບການຈັດສົ່ງນີ້ດ້ວຍການອ້າງອີງ %s ? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=ເຈົ້າແນ່ໃຈບໍວ່າເຈົ້າຕ້ອງການຍົກເລີກການຂົນສົ່ງນີ້? DocumentModelMerou=ຮູບແບບ Merou A5 WarningNoQtyLeftToSend=ຄໍາເຕືອນ, ບໍ່ມີຜະລິດຕະພັນລໍຖ້າການຂົນສົ່ງ. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=ປະລິມານຜະລິ NoProductToShipFoundIntoStock=ບໍ່ພົບສິນຄ້າທີ່ຈະສົ່ງໃນສາງ %s . ແກ້ໄຂຫຼັກຊັບຫຼືກັບຄືນເພື່ອເລືອກສາງອື່ນ. WeightVolShort=ນ້ ຳ ໜັກ/Vol. ValidateOrderFirstBeforeShipment=ກ່ອນອື່ນmustົດທ່ານຕ້ອງກວດສອບ ຄຳ ສັ່ງກ່ອນທີ່ຈະສາມາດຈັດສົ່ງໄດ້. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=ຜົນລວມຂອງນໍ້າ ໜັກ ຜະລ # warehouse details DetailWarehouseNumber= ລາຍລະອຽດສາງ DetailWarehouseFormat= W: %s (ຈໍານວນ: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/lo_LA/website.lang b/htdocs/langs/lo_LA/website.lang index ec50396c8a6..6a5872eac99 100644 --- a/htdocs/langs/lo_LA/website.lang +++ b/htdocs/langs/lo_LA/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=ຊື່ ໜ້າ/ນາມແງທາງເລືອກ WEBSITE_ALIASALTDesc=ໃຊ້ຊື່/ນາມແotherງອື່ນ other ຢູ່ທີ່ນີ້ເພື່ອໃຫ້ ໜ້າ ເວັບສາມາດເຂົ້າຫາໄດ້ໂດຍໃຊ້ຊື່/ນາມແotherງອື່ນນີ້ (ຕົວຢ່າງຊື່ເກົ່າຫຼັງຈາກປ່ຽນຊື່ໃal່ເພື່ອຮັກສາລິງຍ້ອນກັບຢູ່ໃນລິ້ງເກົ່າ/ຊື່ເຮັດວຽກ). ໄວຍະກອນແມ່ນ:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=URL ຂອງໄຟລ CSS CSS ພາຍນອກ WEBSITE_CSS_INLINE=ເນື້ອໃນຂອງໄຟລ CSS CSS (ທຳ ມະດາຢູ່ໃນທຸກ ໜ້າ) -WEBSITE_JS_INLINE=ເນື້ອໃນຂອງໄຟລ av Javascript (ທົ່ວໄປກັບທຸກ ໜ້າ) +WEBSITE_JS_INLINE=JavaScript file content (common to all pages) WEBSITE_HTML_HEADER=ການເພີ່ມໃສ່ຢູ່ລຸ່ມສຸດຂອງສ່ວນຫົວຂອງ HTML (ທຳ ມະດາຢູ່ໃນທຸກ ໜ້າ) WEBSITE_ROBOT=ໄຟລ ot ຫຸ່ນຍົນ (robots.txt) WEBSITE_HTACCESS=ເວັບໄຊທ file. ໄຟລ htaccess @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=Noteາຍເຫດ: ຖ້າເຈົ້າຕ MediaFiles=ຫ້ອງສະMediaຸດສື່ EditCss=ແກ້ໄຂຄຸນສົມບັດຂອງເວັບໄຊທ EditMenu=ແກ້ໄຂເມນູ -EditMedias=ແກ້ໄຂສື່ກາງ +EditMedias=Edit media EditPageMeta=ແກ້ໄຂຄຸນສົມບັດ ໜ້າ/ກ່ອງບັນຈຸ EditInLine=ແກ້ໄຂໃນແຖວ AddWebsite=ເພີ່ມເວັບໄຊທ @@ -60,10 +60,11 @@ NoPageYet=ບໍ່ມີ ໜ້າ ເທື່ອ YouCanCreatePageOrImportTemplate=ເຈົ້າສາມາດສ້າງ ໜ້າ ໃor່ຫຼື ນຳ ເຂົ້າແມ່ແບບເວັບໄຊທ full ເຕັມຮູບແບບ SyntaxHelp=ຊ່ວຍເຫຼືອກ່ຽວກັບຄໍາແນະນໍາໄວຍາກອນສະເພາະ YouCanEditHtmlSourceckeditor=ເຈົ້າສາມາດແກ້ໄຂລະຫັດແຫຼ່ງ HTML ໂດຍການໃຊ້ປຸ່ມ "ແຫຼ່ງ" ໃນຕົວແກ້ໄຂ. -YouCanEditHtmlSource=
      ທ່ານສາມາດລວມເອົາລະຫັດ PHP ເຂົ້າໄປໃນແຫຼ່ງນີ້ໂດຍການໃຊ້ແທັກ <? php? > a0a65d071f6f0f. ຕົວແປທົ່ວໂລກຕໍ່ໄປນີ້ມີຢູ່: $ conf, $ db, $ mysoc, $ user, $ website, $ websitepage, $ weblangs, $ pagelangs.

      ນອກນັ້ນທ່ານຍັງສາມາດລວມເອົາເນື້ອຫາຂອງ Page/Container ອື່ນທີ່ມີໄວຍະກອນຕໍ່ໄປນີ້:
      a03900 ? >

      ທ່ານສາມາດເຮັດໃຫ້ຕົວຊີ້ທິດທາງທີ່ຫນ້າອື່ນ / ຕູ້ຄອນເທນເນີທີ່ມີ syntax ດັ່ງຕໍ່ໄປນີ້ (ຫມາຍເຫດ: ບໍ່ອອກເນື້ອໃນກ່ອນທີ່ຈະໂອນຄືໃດຫນຶ່ງ):?
      < php redirectToContainer ( 'alias_of_container_to_redirect_to'); ? >

      ໃນການເພີ່ມການເຊື່ອມຕໍ່ໄປຫາຫນ້າອື່ນ, ໃຊ້ໄວຍາກອນໄດ້:
      <a href = "alias_of_page_to_link_to.php" >mylink<a>

      ເພື່ອປະກອບມີການເຊື່ອມຕໍ່ ເພື່ອດາວໂຫລດ ໄຟລ໌ເກັບຮັກສາໄວ້ເປັນເອກະສານ ໄດ້ ບັນຊີລາຍຊື່, ໃຊ້ document.php wrapper:
      ຕົວຢ່າງ, ສໍາລັບເອກະສານເຂົ້າໄປໃນເອກະສານ/ecm (ຈໍາເປັນຕ້ອງໄດ້ເຂົ້າສູ່ລະບົບ), syntax ແມ່ນ: a0342fccf00007d007d07d07d07b0d0b0b0c0c0c0 "ສໍາລັບການນໍາໃຊ້ເອກະສານ" ] filename.ext ">

      ສໍາລັບໄຟລ into ເຂົ້າໄປໃນເອກະສານ/ສື່ກາງ (ໄດເຣັກທໍຣີເປີດສໍາລັບການເຂົ້າເຖິງສາທາລະນະ), ໄວຍະກອນແມ່ນ:
      a03900df "/document.php?modulepart=medias&file=[relative_dir/ ]filename.ext">
      ສຳ ລັບໄຟລທີ່ແບ່ງປັນກັບການແບ່ງປັນການເຊື່ອມຕໍ່ (ເປີດການເຂົ້າເຖິງໂດຍໃຊ້ປຸ່ມ hash ການແບ່ງປັນຂອງໄຟລ) a0d09 a04 a04 a04 a07 a04 a04 a07 a03 a a a a a a 0 a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a A a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a a t a t a d a a d a d a d a d e a d e a e a e a e a e a e a e a e lo a ee a lo /document.php?hashp=publicsharekeyoffile">


      ໄປປະກອບເປັນ
      ພາບ ເກັບຮັກສາໄວ້ເປັນເອກະສານ ລະບົບ, ນໍາໃຊ້ viewimage.php wrapper:
      ຕົວຢ່າງ, ສໍາລັບຮູບພາບເຂົ້າໄປໃນເອກະສານ / ສື່ມວນຊົນເປັນ (ເປີດ ໄດເຣັກທໍຣີ ສຳ ລັບການເຂົ້າເຖິງສາທາລະນະ), ໄວຍະກອນແມ່ນ:
      <img src = "/viewimage.php? modulepart = medias&file = [relative_dir/] filename.extb07b07b07b07b07f07b07b07b07b07b07b07b0b0b0b07b0b0b0b0b0b0b0b0b0b0b0b0b0b0b0b07C07A007A0c07C07 ຍັງເປັນຜູ້ຈັດການຂອງພວກເຮົາ. -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=ສໍາລັບຮູບພາບທີ່ແບ່ງປັນກັບການເຊື່ອມຕໍ່ແບ່ງປັນ (ເປີດການເຂົ້າເຖິງໂດຍໃຊ້ລະຫັດ hash ການແບ່ງປັນຂອງໄຟລ)), ໄວຍະກອນແມ່ນ:
      <img src = "/viewimage.php? hashp = 12345679012 ... " a0012c7d009007700775 a039c087007c007c007c007c0b087c07c0b0785c087b07b0770c087b087b07b0770c07b07b07b07b0775c0b087b087b07b07b087b087b087a087b087b087b087c087c087c07b07b07b087c06b08770 -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Clone page/container CloneSite=Clone site SiteAdded=ເພີ່ມເວັບໄຊທແລ້ວ @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=ຂໍອະໄພ, ປະຈຸບັນເວ WEBSITE_USE_WEBSITE_ACCOUNTS=ເປີດໃຊ້ຕາຕະລາງບັນຊີເວັບໄຊທ WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=ເປີດໃຊ້ຕາຕະລາງເກັບຮັກສາບັນຊີເວັບໄຊທ ((ເຂົ້າສູ່ລະບົບ / ຜ່ານ) ສໍາລັບແຕ່ລະເວັບໄຊທ / / ບຸກຄົນທີສາມ YouMustDefineTheHomePage=ທຳ ອິດເຈົ້າຕ້ອງ ກຳ ນົດ ໜ້າ ຫຼັກເລີ່ມຕົ້ນ -OnlyEditionOfSourceForGrabbedContentFuture=ຄຳ ເຕືອນ: ການສ້າງ ໜ້າ ເວັບໂດຍການ ນຳ ເຂົ້າ ໜ້າ ເວັບພາຍນອກແມ່ນສະຫງວນໃຫ້ກັບຜູ້ໃຊ້ທີ່ມີປະສົບການ. ອີງຕາມຄວາມຊັບຊ້ອນຂອງ ໜ້າ ແຫຼ່ງທີ່ມາ, ຜົນຂອງການນໍາເຂົ້າອາດຈະແຕກຕ່າງຈາກຕົ້ນສະບັບ. ນອກຈາກນັ້ນຖ້າ ໜ້າ ແຫຼ່ງທີ່ມາໃຊ້ຮູບແບບ CSS ທົ່ວໄປຫຼື javascript ທີ່ຂັດແຍ້ງກັນ, ມັນອາດຈະທໍາລາຍລັກສະນະຫຼືລັກສະນະຂອງຕົວແກ້ໄຂເວັບໄຊທ when ເມື່ອເຮັດວຽກຢູ່ໃນ ໜ້າ ນີ້. ວິທີການນີ້ເປັນວິທີທີ່ໄວກວ່າໃນການສ້າງ ໜ້າ ເວັບແຕ່ແນະນໍາໃຫ້ສ້າງ ໜ້າ ໃyour່ຂອງເຈົ້າຕັ້ງແຕ່ຕົ້ນຫຼືຈາກແມ່ແບບ ໜ້າ ເວັບທີ່ແນະນໍາ.
      ກະລຸນາຮັບຊາບໄວ້ວ່າຕົວແກ້ໄຂໃນແຖວອາດຈະບໍ່ເຮັດວຽກກົງກັນໄດ້ເມື່ອຖືກໃຊ້ຢູ່ໃນ ໜ້າ ພາຍນອກທີ່ຖືກຈັບ. +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting JavaScript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correctty when used on a grabbed external page. OnlyEditionOfSourceForGrabbedContent=ສະບັບຂອງແຫຼ່ງ HTML ເທົ່ານັ້ນທີ່ເປັນໄປໄດ້ເມື່ອມີການດຶງເອົາເນື້ອໃນຈາກເວັບໄຊທ external ພາຍນອກ GrabImagesInto=ຈັບເອົາຮູບພາບຕ່າງ into ເຂົ້າໄປໃນ css ແລະ ໜ້າ. ImagesShouldBeSavedInto=ຮູບພາບຄວນຖືກບັນທຶກໄວ້ໃນລາຍການ @@ -112,13 +113,13 @@ GoTo=ໄປ​ຫາ DynamicPHPCodeContainsAForbiddenInstruction=ເຈົ້າເພີ່ມລະຫັດ PHP ແບບເຄື່ອນໄຫວທີ່ປະກອບດ້ວຍຄໍາແນະນໍາ PHP ' %s ' ທີ່ຖືກຫ້າມໂດຍຄ່າເລີ່ມຕົ້ນເປັນເນື້ອຫາເຄື່ອນໄຫວ (ເບິ່ງຕົວເລືອກທີ່ເຊື່ອງໄວ້ WEBSITE_PHP_ALLOW_xxx ເພື່ອເພີ່ມລາຍຊື່ຄໍາສັ່ງທີ່ອະນຸຍາດ). NotAllowedToAddDynamicContent=ເຈົ້າບໍ່ມີສິດອະນຸຍາດໃຫ້ເພີ່ມຫຼືແກ້ໄຂເນື້ອຫາເຄື່ອນໄຫວ PHP ຢູ່ໃນເວັບໄຊທໄດ້. ຂໍອະນຸຍາດຫຼືພຽງແຕ່ຮັກສາລະຫັດເຂົ້າໄປໃນແທັກ php ທີ່ບໍ່ມີການປ່ຽນແປງ. ReplaceWebsiteContent=ຄົ້ນຫາຫຼືປ່ຽນແທນເນື້ອໃນເວັບໄຊທ -DeleteAlsoJs=ລຶບໄຟລ j javascript ທັງspecificົດສະເພາະເວັບໄຊທນີ້ອອກບໍ? -DeleteAlsoMedias=ລຶບໄຟລ med ສື່ກາງທັງspecificົດສະເພາະກັບເວັບໄຊທນີ້ ນຳ ບໍ? +DeleteAlsoJs=Delete also all JavaScript files specific to this website? +DeleteAlsoMedias=Delete also all media files specific to this website? MyWebsitePages=ໜ້າ ເວັບໄຊທຂອງຂ້ອຍ SearchReplaceInto=ຄົ້ນຫາ | ແທນທີ່ ReplaceString=ສາຍໃ່ CSSContentTooltipHelp=ໃສ່ທີ່ນີ້ເນື້ອໃນ CSS. ເພື່ອຫຼີກເວັ້ນການຂັດແຍ້ງໃດ with ກັບ CSS ຂອງແອັບພລິເຄຊັນ, ໃຫ້ແນ່ໃຈວ່າໄດ້ປະກອບຄໍາປະກາດທັງwithົດລ່ວງ ໜ້າ ດ້ວຍຊັ້ນ .bodywebsite. ຕົວຢ່າງ:

      #mycssselector, input.myclass: hover {... }
      ຈະຕ້ອງເປັນ
      .bodywebsite #mycssselector, .bodywebsite ເປັນ. ຄຳ ນຳ ໜ້າ ນີ້, ເຈົ້າສາມາດໃຊ້ 'lessc' ເພື່ອປ່ຽນມັນເຂົ້າໃສ່. -LinkAndScriptsHereAreNotLoadedInEditor=ຄໍາເຕືອນ: ເນື້ອໃນນີ້ແມ່ນອອກມາສະເພາະເມື່ອເວັບໄຊທຖືກເຂົ້າຫາຈາກເຊີບເວີ. ມັນບໍ່ໄດ້ຖືກ ນຳ ໃຊ້ໃນຮູບແບບການແກ້ໄຂສະນັ້ນຖ້າເຈົ້າຕ້ອງການໂຫຼດໄຟລ j javascript ເຂົ້າໃນຮູບແບບການແກ້ໄຂ, ພຽງແຕ່ເພີ່ມແທັກ 'script src = ... ' ຂອງເຈົ້າໃສ່ໃນ ໜ້າ. +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=ຕົວຢ່າງຂອງຫນ້າທີ່ມີເນື້ອໃນແບບເຄື່ອນໄຫວ ImportSite=ນຳ ເຂົ້າແມ່ແບບເວັບໄຊທ EditInLineOnOff=ໂModeດ 'ແກ້ໄຂໃນແຖວ' ແມ່ນ %s @@ -157,3 +158,9 @@ Booking=Booking Reservation=Reservation PagesViewedPreviousMonth=Pages viewed (previous month) PagesViewedTotal=Pages viewed (total) +Visibility=Visibility +Everyone=Everyone +AssignedContacts=Assigned contacts +WebsiteTypeLabel=Type of Web site +WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/lo_LA/withdrawals.lang b/htdocs/langs/lo_LA/withdrawals.lang index f70c2aac03d..11d8779da3d 100644 --- a/htdocs/langs/lo_LA/withdrawals.lang +++ b/htdocs/langs/lo_LA/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=ເຮັດການຮ້ອງຂໍການໂອນ WithdrawRequestsDone=%s ຄຳ ຮ້ອງການ ຊຳ ລະບັນຊີໂດຍກົງບັນທຶກແລ້ວ BankTransferRequestsDone=ບັນທຶກ ຄຳ ຂໍໂອນເງິນ %s ແລ້ວ ThirdPartyBankCode=ລະຫັດທະນາຄານພາກສ່ວນທີສາມ -NoInvoiceCouldBeWithdrawed=ບໍ່ມີການຮຽກເກັບເງິນໃບຮຽກເກັບເງິນ ສຳ ເລັດ. ກວດເບິ່ງວ່າໃບຮຽກເກັບເງິນຢູ່ໃນບໍລິສັດທີ່ມີ IBAN ທີ່ຖືກຕ້ອງແລະ IBAN ມີ UMR (ເອກະສານການມອບMandາຍທີ່ເປັນເອກະລັກ) ທີ່ມີຮູບແບບ %s . +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=ໃບຮັບເງິນການຖອນເງິນນີ້ໄດ້ຖືກmarkedາຍເປັນເງິນໄວ້ແລ້ວ; ອັນນີ້ບໍ່ສາມາດເຮັດໄດ້ສອງເທື່ອ, ອັນນີ້ອາດຈະສ້າງການຊໍາລະຊໍ້າກັນແລະລາຍການທະນາຄານ. ClassCredited=ຈັດປະເພດສິນເຊື່ອ ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອ RefusedData=ວັນທີປະຕິເສດ RefusedReason=ເຫດຜົນຂອງການປະຕິເສດ RefusedInvoicing=ການຮຽກເກັບເງິນການປະຕິເສດ -NoInvoiceRefused=ຢ່າຄິດໄລ່ການປະຕິເສດ -InvoiceRefused=ໃບຮຽກເກັບເງິນຖືກປະຕິເສດ (ເກັບຄ່າການປະຕິເສດໃຫ້ກັບລູກຄ້າ) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=ສະຖານະການເດບິດ/ສິນເຊື່ອ StatusWaiting=ລໍຖ້າ StatusTrans=ສົ່ງແລ້ວ @@ -103,7 +106,7 @@ ShowWithdraw=ສະແດງຄໍາສັ່ງການຫັກບັນຊ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=ແນວໃດກໍ່ຕາມ, ຖ້າໃບຮຽກເກັບເງິນມີຢ່າງ ໜ້ອຍ ໜຶ່ງ ຄໍາສັ່ງຊໍາລະບັນຊີໂດຍກົງທີ່ຍັງບໍ່ທັນດໍາເນີນການ, ມັນຈະບໍ່ຖືກຕັ້ງເປັນຈ່າຍເພື່ອອະນຸຍາດໃຫ້ມີການຈັດການການຖອນເງິນກ່ອນ. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=ໄຟລ order ການສັ່ງ ໜີ້ @@ -115,7 +118,7 @@ RUM=UMR DateRUM=ວັນລົງລາຍເຊັນມອບາຍ ໜ້າ ທີ່ RUMLong=ການອ້າງອີງ ຄຳ ສັ່ງທີ່ບໍ່ຊ້ ຳ ກັນ RUMWillBeGenerated=ຖ້າຫວ່າງເປົ່າ, UMR (ເອກະສານການມອບMandາຍ ໜ້າ ທີ່ເປັນເອກະລັກ) ຈະຖືກສ້າງຂຶ້ນເມື່ອຂໍ້ມູນບັນຊີທະນາຄານຖືກບັນທຶກໄວ້. -WithdrawMode=ຮູບແບບການຫັກເງິນໂດຍກົງ (FRST ຫຼື RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=ຈຳ ນວນຂອງການຮ້ອງຂໍການຫັກບັນຊີໂດຍກົງ: BankTransferAmount=ຈໍານວນຂອງການຮ້ອງຂໍການໂອນເງິນສິນເຊື່ອ: WithdrawRequestErrorNilAmount=ບໍ່ສາມາດສ້າງຄໍາຮ້ອງຂໍຫັກເງິນໂດຍກົງສໍາລັບຈໍານວນທີ່ຫວ່າງເປົ່າໄດ້. @@ -131,6 +134,7 @@ SEPAFormYourBAN=ຊື່ບັນຊີທະນາຄານຂອງເຈົ SEPAFormYourBIC=ລະຫັດຕົວລະບຸທະນາຄານຂອງເຈົ້າ (BIC) SEPAFrstOrRecur=ປະເພດການຈ່າຍເງິນ ModeRECUR=ການຈ່າຍເງິນທີ່ເກີດຂຶ້ນປະ ຈຳ +ModeRCUR=Recurring payment ModeFRST=ການຊໍາລະຄັ້ງດຽວ PleaseCheckOne=ກະລຸນາກວດເບິ່ງອັນດຽວເທົ່ານັ້ນ CreditTransferOrderCreated=ສ້າງໃບສັ່ງໂອນເງິນສິນເຊື່ອ %s @@ -155,9 +159,16 @@ InfoTransData=ຈໍານວນ: %s
      ວິທີການ: %s
      ວັ InfoRejectSubject=ປະຕິເສດ ຄຳ ສັ່ງການຈ່າຍເງິນດ້ວຍການຫັກບັນຊີດ້ວຍເງິນສົດ InfoRejectMessage=ສະບາຍດີ,

      ຄໍາສັ່ງການຊໍາລະບັນຊີໂດຍກົງຂອງໃບເກັບເງິນ %s ທີ່ກ່ຽວຂ້ອງກັບບໍລິສັດ %s, ດ້ວຍຈໍານວນ %s ໄດ້ຖືກປະຕິເສດໂດຍທະນາຄານ.

      -
      %s ModeWarning=ທາງເລືອກສໍາລັບຮູບແບບທີ່ແທ້ຈິງບໍ່ໄດ້ກໍານົດ, ພວກເຮົາຢຸດເຊົາຫຼັງຈາກການຈໍາລອງນີ້ -ErrorCompanyHasDuplicateDefaultBAN=ບໍລິສັດທີ່ມີ id %s ມີບັນຊີທະນາຄານເລີ່ມຕົ້ນຫຼາຍກວ່າ ໜຶ່ງ ບັນຊີ. ບໍ່ມີທາງທີ່ຈະຮູ້ວ່າອັນໃດຄວນໃຊ້. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=ບໍ່ມີ ICS ຢູ່ໃນບັນຊີທະນາຄານ %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=ຈໍານວນທັງofົດຂອງຄໍາສັ່ງຫັກເງິນໂດຍກົງແຕກຕ່າງຈາກຈໍານວນແຖວ WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Salary +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/lo_LA/workflow.lang b/htdocs/langs/lo_LA/workflow.lang index 2f33616ee98..661e55e0c24 100644 --- a/htdocs/langs/lo_LA/workflow.lang +++ b/htdocs/langs/lo_LA/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=ສ້າງໃບແຈ້ງ ໜີ descWORKFLOW_ORDER_AUTOCREATE_INVOICE=ສ້າງໃບແຈ້ງ ໜີ້ ລູກຄ້າໂດຍອັດຕະໂນມັດຫຼັງຈາກປິດການສັ່ງຊື້ (ໃບຮຽກເກັບເງິນໃwill່ຈະມີຈໍານວນເທົ່າກັບຄໍາສັ່ງ) descWORKFLOW_TICKET_CREATE_INTERVENTION=On ticket creation, automatically create an intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=ຈັດປະເພດຂໍ້ສະ ເໜີ ແຫຼ່ງທີ່ເຊື່ອມໂຍງເປັນໃບບິນເມື່ອຄໍາສັ່ງການຂາຍຖືກຕັ້ງເປັນໃບບິນ (ແລະຖ້າຈໍານວນຄໍາສັ່ງແມ່ນຄືກັນກັບຈໍານວນທັງofົດຂອງການສະ ເໜີ ທີ່ເຊື່ອມໂຍງທີ່ເຊັນແລ້ວ) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=ຈັດປະເພດຂໍ້ສະ ເໜີ ແຫຼ່ງທີ່ເຊື່ອມຕໍ່ເປັນໃບບິນທີ່ໄດ້ຮັບການກວດສອບໃບແຈ້ງ ໜີ້ ຂອງລູກຄ້າ (ແລະຖ້າຈໍານວນໃບຮຽກເກັບເງິນຄືກັນກັບຈໍານວນທັງofົດຂອງຂໍ້ສະ ເໜີ ທີ່ເຊື່ອມໂຍງທີ່ເຊັນແລ້ວ) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=ຈັດປະເພດຄໍາສັ່ງຂາຍແຫຼ່ງທີ່ເຊື່ອມຕໍ່ເປັນໃບບິນທີ່ໄດ້ຮັບການກວດສອບໃບແຈ້ງເງິນຂອງລູກຄ້າ (ແລະຖ້າຈໍານວນໃບຮຽກເກັບເງິນຄືກັນກັບຈໍານວນທັງofົດຂອງຄໍາສັ່ງເຊື່ອມໂຍງ) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=ຈັດປະເພດຄໍາສັ່ງຂາຍແຫຼ່ງທີ່ເຊື່ອມຕໍ່ເປັນການເກັບເງິນເມື່ອໃບເກັບເງິນຂອງລູກຄ້າຖືກກໍານົດໃຫ້ຊໍາລະ (ແລະຖ້າຈໍານວນຂອງໃບຮຽກເກັບເງິນຄືກັນກັບຈໍານວນທັງofົດຂອງຄໍາສັ່ງເຊື່ອມໂຍງ) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=ຈັດປະເພດລໍາດັບການຂາຍແຫຼ່ງທີ່ເຊື່ອມໂຍງເປັນການຈັດສົ່ງເມື່ອການກວດສອບການຂົນສົ່ງຖືກຕ້ອງ (ແລະຖ້າປະລິມານທີ່ການຂົນສົ່ງທັງshippedົດຖືກຈັດສົ່ງແມ່ນຄືກັນກັບໃນຄໍາສັ່ງອັບເດດ). +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=ຈັດປະເພດລໍາດັບການຂາຍແຫຼ່ງທີ່ເຊື່ອມຕໍ່ເປັນການຈັດສົ່ງເມື່ອປິດການຂົນສົ່ງ (ແລະຖ້າປະລິມານການຂົນສົ່ງທັງshippedົດທີ່ສົ່ງອອກແມ່ນຄືກັນກັບໃນຄໍາສັ່ງທີ່ຈະອັບເດດ). # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=ຈັດປະເພດຂໍ້ສະ ເໜີ ຂອງຜູ້ຂາຍແຫຼ່ງເຊື່ອມໂຍງເປັນໃບບິນເມື່ອໃບແຈ້ງ ໜີ້ ຜູ້ຂາຍຖືກກວດສອບ (ແລະຖ້າຈໍານວນໃບຮຽກເກັບເງິນຄືກັນກັບຈໍານວນທັງofົດຂອງການສະ ເໜີ ທີ່ເຊື່ອມໂຍງ) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=ຈັດປະເພດຄໍາສັ່ງຊື້ແຫຼ່ງທີ່ເຊື່ອມຕໍ່ເປັນໃບບິນທີ່ໄດ້ຮັບການກວດສອບໃບແຈ້ງ ໜີ້ ຜູ້ຂາຍ (ແລະຖ້າຈໍານວນໃບຮຽກເກັບເງິນຄືກັນກັບຈໍານວນທັງofົດຂອງຄໍາສັ່ງເຊື່ອມໂຍງ) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classify linked source purchase order as received when a reception is validated (and if the quantity received by all receptions is the same as in the purchase order to update) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classify linked source purchase order as received when a reception is closed (and if the quantity received by all rceptions is the same as in the purchase order to update) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link available contracts of matching thirdparty +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=When linking contracts, search among those of parents companies # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=ປິດການແຊກແຊງທັງlinkedົດທີ່ເຊື່ອມໂຍງກັບປີ້ເມື່ອປີ້ປິດ AutomaticCreation=ການສ້າງອັດຕະໂນມັດ AutomaticClassification=ການຈັດປະເພດອັດຕະໂນມັດ -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Automatic closing AutomaticLinking=Automatic linking diff --git a/htdocs/langs/lt_LT/admin.lang b/htdocs/langs/lt_LT/admin.lang index 2176ab30ac7..9a59a397d68 100644 --- a/htdocs/langs/lt_LT/admin.lang +++ b/htdocs/langs/lt_LT/admin.lang @@ -227,6 +227,8 @@ NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s CompatibleAfterUpdate=This module requires an update to your Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=See in Market place SeeSetupOfModule=See setup of module %s +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=Set option %s to %s Updated=Updated AchatTelechargement=Buy / Download @@ -292,22 +294,22 @@ EmailSenderProfiles=Emails sender profiles EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (default value in php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (default value in php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix-like systems) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix-like systems) -MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (default value in php.ini: %s) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=Email used for error returns emails (fields 'Errors-To' in emails sent) MAIN_MAIL_AUTOCOPY_TO= Copy (Bcc) all sent emails to MAIN_DISABLE_ALL_MAILS=Disable all email sending (for test purposes or demos) MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=Email sending method MAIN_MAIL_SMTPS_ID=SMTP ID (if sending server requires authentication) MAIN_MAIL_SMTPS_PW=SMTP Password (if sending server requires authentication) MAIN_MAIL_EMAIL_TLS=Use TLS (SSL) encryption MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing MAIN_DISABLE_ALL_SMS=Disable all SMS sending (for test purposes or demos) MAIN_SMS_SENDMODE=SMS siuntimui naudoti metodą MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending -MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=User email CompanyEmail=Company Email FeatureNotAvailableOnLinux=Funkcija negalima Unix tipo sistemose. Patikrinti el. pašto siuntimo vietinę programą. @@ -417,6 +419,7 @@ PDFLocaltax=Rules for %s HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT HideDescOnPDF=Hide products description HideRefOnPDF=Hide products ref. +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=Hide product lines details PlaceCustomerAddressToIsoLocation=Use french standard position (La Poste) for customer address position Library=Biblioteka @@ -424,7 +427,7 @@ UrlGenerationParameters=URL apsaugos parametrai SecurityTokenIsUnique=Kiekvienam URL naudokite unikalų apsaugos rakto parametrą EnterRefToBuildUrl=Įveskite nuorodą objektui %s GetSecuredUrl=Gauti apskaičiuotą URL -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=Senas PVM tarifas NewVATRates=Naujas PVM tarifas PriceBaseTypeToChange=Modifikuoti kainas su apibrėžta bazinės vertės nuoroda @@ -458,11 +461,11 @@ ComputedFormula=Computed field ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Store computed field ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!! -ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored without encryption (field must be only hidden with star on screen).
      Set 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retrieve original value) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      In order to have the list depending on another list:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... ExtrafieldParamHelpradio=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Įveskite telefono numerį, kuriuo skambinsite norėdami p RefreshPhoneLink=Atnaujinti nuorodą LinkToTest=Sugeneruota paspaudžiama nuoroda vartotojui%s (surinkite telefono numerį išbandymui) KeepEmptyToUseDefault=Palikti tuščią norint naudoti reikšmę pagal nutylėjimą -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=Nustatytoji nuoroda SetAsDefault=Set as default ValueOverwrittenByUserSetup=Įspėjimas, ši reikšmė gali būti perrašyta pagal vartotojo specifines nuostatas (kiekvienas vartotojas gali nustatyti savo clicktodial URL) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. Technical knowled PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=Enable customization of default values EnableOverwriteTranslation=Allow customization of translations GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=Vartotojai ir grupės Module0Desc=Users / Employees and Groups management @@ -566,7 +569,7 @@ Module40Desc=Vendors and purchase management (purchase orders and billing of sup Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module43Name=Debug Bar -Module43Desc=A tool for developper adding a debug bar in your browser. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=Redaktoriai Module49Desc=Redaktoriaus valdymas Module50Name=Produktai @@ -582,7 +585,7 @@ Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Brūkšniniai kodai Module55Desc=Barcode or QR code management Module56Name=Payment by credit transfer -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=Payments by Direct Debit Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Send email notifications triggered by a business event: per user ( Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. Module610Name=Product Variants Module610Desc=Creation of product variants (color, size etc.) +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=Parama Module700Desc=Paramos valdymas Module770Name=Expense Reports @@ -650,8 +657,8 @@ Module2300Name=Suplanuoti darbai Module2300Desc=Scheduled jobs management (alias cron or chrono table) Module2400Name=Events/Agenda Module2400Desc=Track events. Log automatic events for tracking purposes or record manual events or meetings. This is the principal module for good Customer or Vendor Relationship Management. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. Module2600Name=API / Web services (SOAP server) @@ -672,7 +679,7 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=Social Networks Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=Žmogiškųjų išteklių valdymas (HRM) -Module4000Desc=Human resources management (management of department, employee contracts and feelings) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Multi įmonė Module5000Desc=Jums leidžiama valdyti kelias įmones Module6000Name=Inter-modules Workflow @@ -712,6 +719,8 @@ Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=Receptions +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Read customer invoices (and payments) Permission12=Sukurti/keisti klientų sąskaitas @@ -996,7 +1005,7 @@ Permission4031=Read personal information Permission4032=Write personal information Permission4033=Read all evaluations (even those of user not subordinates) Permission10001=Read website content -Permission10002=Create/modify website content (html and javascript content) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. Permission10005=Delete website content Permission20001=Read leave requests (your leave and those of your subordinates) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Expense report - Range by transportation category DictionaryTransportMode=Intracomm report - Transport mode DictionaryBatchStatus=Product lot/serial Quality Control status DictionaryAssetDisposalType=Type of disposal of assets +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Type of unit SetupSaved=Nustatymai išsaugoti SetupNotSaved=Setup not saved @@ -1109,10 +1119,11 @@ BackToModuleList=Back to Module list BackToDictionaryList=Back to Dictionaries list TypeOfRevenueStamp=Type of tax stamp VATManagement=Sales Tax Management -VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=By default the proposed Sales tax is 0 which can be used for cases like associations, individuals or small companies. VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Type of sales tax LTRate=Norma @@ -1399,8 +1410,8 @@ PHPModuleLoaded=PHP component %s is loaded PreloadOPCode=Preloaded OPCode is used AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=Ask for preferred shipping method for Third Parties. FieldEdition=Lauko %s redagavimas FillThisOnlyIfRequired=Pavyzdys: +2 (pildyti tik tuomet, jei laiko juostos nuokrypio problemos yra žymios) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Do not show the "Password Forgotten" link o UsersSetup=Vartotojų modulio nuostatos UserMailRequired=Email required to create a new user UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Document templates for documents generated from user record GroupsDocModules=Document templates for documents generated from a group record ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Grupės LDAPContactsSynchro=Adresatai LDAPMembersSynchro=Nariai LDAPMembersTypesSynchro=Narių tipai -LDAPSynchronization=LDAP sinchronizavimas +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=LDAP funkcijų nėra Jūsų PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=User id LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=Home directory -LDAPFieldHomedirectoryExample=Exemple : homedirectory +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=Home directory prefix LDAPSetupNotComplete=LDAP nuostatos nėra pilnos (eiti prie kitų laukelių) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Nėra pateiktas administratorius arba slaptažodžis. LDAP prieiga bus anoniminė ir tik skaitymo režimu. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Modulis memcached taikomąjai atmintinei (ca MemcachedAvailableAndSetup=Modulis memcached, skirti naudoti memcached server yra įjungtas. OPCodeCache=OPCode sparčioji tarpinė atmintis (cache) NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad). -HTTPCacheStaticResources=HTTP sparčioji tarpinė atmintis statiniams ištekliams (css, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=%s tipo failai yra laikomi HTTP serverio tarpinėje sparčiojoje atmintyje FilesOfTypeNotCached=%s tipo failais nėra laikomi HTTP serverio tarpinėje sparčiojoje atmintyje FilesOfTypeCompressed=%s tipo failai yra suspausti HTTP serveryje @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Laisvas tekstas pristatymo kvituose ##### FCKeditor ##### AdvancedEditor=Išplėstinis redaktorius ActivateFCKeditor=Įjungti išplėstinį redaktorių: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG kūrimas/redagavimas masiniams e-laiškams (Tools-> eMailing) -FCKeditorForUserSignature=Vartotojo parašo WYSIWIG kūrimas/redagavimas -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=Stock module setup IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry NewMenu=Naujas meniu MenuHandler=Meniu prižiūrėtojas MenuModule=Pirminis modulis -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=ID meniu DetailMenuHandler=Meniu prižiūrėtojas gali rodyti naują meniu DetailMenuModule=Modulio pavadinimas, jei meniu įrašas gaunamas iš modulio @@ -1802,7 +1815,7 @@ DetailType=Meniu tipas (viršuje arba kairėje) DetailTitre=Meniu etiketė arba etiketės kodas vertimui DetailUrl=URL where menu send you (Relative URL link or external link with https://) DetailEnabled=Sąlyga parodyti, ar ne įrašą -DetailRight=Sąlyga parodyti neleidžiamus pilkus meniu punktus +DetailRight=Condition to display unauthorized gray menus DetailLangs=Lang failo pavadinimas etiketės kodo vertimui DetailUser=Vidinis / Išorinis / Visi Target=Duomenų adresatas @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Sąskaita grynųjų pinigų įmokoms pagal nutylėjim CashDeskBankAccountForCheque=Default account to use to receive payments by check CashDeskBankAccountForCB=Sąskaita įmokoms kreditinėmis kortelėmis pagal nutylėjimą CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Sulaikyti ir apriboti sandėlio naudojimą atsargų sumažėjimui StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) UseBorderOnTable=Show left-right borders on tables +TableLineHeight=Table line height BtnActionColor=Color of the action button TextBtnActionColor=Text color of the action button TextTitleColor=Text color of Page title @@ -1991,7 +2006,7 @@ EnterAnyCode=This field contains a reference to identify the line. Enter any val Enter0or1=Enter 0 or 1 UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] ColorFormat=The RGB color is in HEX format, eg: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=Position of line into combo lists SellTaxRate=Sales tax rate RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions @@ -2118,7 +2133,7 @@ EMailHost=Host of email IMAP server EMailHostPort=Port of email IMAP server loginPassword=Login/Password oauthToken=OAuth2 token -accessType=Acces type +accessType=Access type oauthService=Oauth service TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Do not include the content of email header into th EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. EmailCollectorConfirmCollectTitle=Email collect confirmation EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Example collecting leads EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' -DefaultCustomerType=Default thirdparty type for "New customer" creation form +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. RootCategoryForProductsToSell=Root category of products to sell -RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=Debug Bar DebugBarDesc=Toolbar that comes with a plenty of tools to simplify debugging DebugBarSetup=DebugBar Setup @@ -2212,10 +2227,10 @@ ImportSetup=Setup of module Import InstanceUniqueID=Unique ID of the instance SmallerThan=Smaller than LargerThan=Larger than -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector @@ -2232,12 +2247,12 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_SHOW_PROJECT=Show project on document ShowProjectLabel=Project Label -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=You may find security advisory here ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. MailToSendEventOrganization=Event Organization MailToPartnership=Partnership AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page ShowQuickAddLink=Show a button to quickly add an element in top right menu - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Hash used for ping ReadOnlyMode=Is instance in "Read Only" mode DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Will not work with all themes NoName=No name ShowAdvancedOptions= Show advanced options HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Use a password UseOauth=Use a OAUTH token Images=Images MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=The script is empty ShowHideTheNRequests=Show/hide the %s SQL request(s) DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2403,6 +2419,24 @@ Defaultfortype=Pagal nutylėjimą DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/lt_LT/bills.lang b/htdocs/langs/lt_LT/bills.lang index c5a30df0260..17f2dc6d49a 100644 --- a/htdocs/langs/lt_LT/bills.lang +++ b/htdocs/langs/lt_LT/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Atlikti mokėjimą klientui DisabledBecauseRemainderToPayIsZero=Neleidžiama, nes neapmokėtas likutis yra nulinis PriceBase=Base price BillStatus=Sąskaitos-faktūros būklė -StatusOfGeneratedInvoices=Sugeneruotų sąskaitų faktūrų būsena +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Projektas (turi būti pripažintas galiojančiu) BillStatusPaid=Apmokėtas BillStatusPaidBackOrConverted=Kreditinės sąskaitos lėšų grąžinimas arba pažymėtas kaip kreditas @@ -164,9 +164,10 @@ BillFrom=Pardavėjas BillTo=Pirkėjas ShippingTo=Shipping to ActionsOnBill=Veiksmai sąskaitoje-faktūroje +ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Template / Recurring invoice NoQualifiedRecurringInvoiceTemplateFound=No recurring template invoice qualified for generation. -FoundXQualifiedRecurringInvoiceTemplate=Found %s recurring template invoice(s) qualified for generation. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Not a recurring template invoice NewBill=Nauja sąskaita-faktūra LastBills=Latest %s invoices @@ -184,7 +185,7 @@ SuppliersDraftInvoices=Vendor draft invoices Unpaid=Neapmokėta ErrorNoPaymentDefined=Error No payment defined ConfirmDeleteBill=Are you sure you want to delete this invoice? -ConfirmValidateBill=Ar tikrai norite patvirtinti šią sąskaitą su nuoroda %s ? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Are you sure you want to change invoice %s to draft status? ConfirmClassifyPaidBill=Are you sure you want to change invoice %s to status paid? ConfirmCancelBill=Are you sure you want to cancel invoice %s? @@ -196,6 +197,7 @@ ConfirmClassifyPaidPartiallyReasonDiscount=Nesumokėtas likutis (%s %s) (%s %s) yra nuolaida, nes mokėjimas buvo atliktas prieš terminą. Sutinku prarasti PVM su šia nuolaida. ConfirmClassifyPaidPartiallyReasonDiscountVat=Nesumokėtas likutis (%s %s) yra nuolaida, nes mokėjimas buvo atliktas prieš terminą. Aš susigrąžinu PVM su šia nuolaida be kreditinės sąskaitos. ConfirmClassifyPaidPartiallyReasonBadCustomer=Blogas klientas +ConfirmClassifyPaidPartiallyReasonBadSupplier=Bad vendor ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax ConfirmClassifyPaidPartiallyReasonProductReturned=Produktų dalis grąžinta @@ -208,13 +210,14 @@ ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Šis pasirinkimas yra naud ConfirmClassifyPaidPartiallyReasonBankChargeDesc=The unpaid amount is intermediary bank fees, deducted directly from the correct amount paid by the Customer. ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax ConfirmClassifyPaidPartiallyReasonOtherDesc=Use this choice if all others are not suitable, for example in following situation:
      - payment not complete because some products were shipped back
      - amount claimed too important because a discount was forgotten
      In all cases, amount over-claimed must be corrected in accountancy system by creating a credit note. +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=A bad supplier is a supplier we refuse to pay. ConfirmClassifyAbandonReasonOther=Kita ConfirmClassifyAbandonReasonOtherDesc=Šis pasirinkimas bus naudojamas visais kitais atvejais. Pvz, kai jūs ketinate sukurti pakeičiančią sąskaitą-faktūrą. ConfirmCustomerPayment=Do you confirm this payment input for %s %s? ConfirmSupplierPayment=Do you confirm this payment input for %s %s? ConfirmValidatePayment=Are you sure you want to validate this payment? No change can be made once payment is validated. ValidateBill=Sąskaitą-faktūrą pripažinti galiojančia -UnvalidateBill=Sąskaitą-faktūra pripažinti negaliojančia +UnvalidateBill=Invalidate invoice NumberOfBills=No. of invoices NumberOfBillsByMonth=No. of invoices per month AmountOfBills=Sąskaitų-faktūrų suma @@ -247,12 +250,13 @@ RemainderToTake=Remaining amount to take RemainderToTakeMulticurrency=Remaining amount to take, original currency RemainderToPayBack=Remaining amount to refund RemainderToPayBackMulticurrency=Remaining amount to refund, original currency +NegativeIfExcessReceived=negative if excess received NegativeIfExcessRefunded=negative if excess refunded +NegativeIfExcessPaid=negative if excess paid Rest=Laukiantis AmountExpected=Reikalaujama suma ExcessReceived=Grąža ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received ExcessPaid=Excess paid ExcessPaidMulticurrency=Excess paid, original currency EscompteOffered=Siūloma nuolaida (mokėjimas prieš terminą) @@ -330,8 +334,8 @@ DiscountFromExcessPaid=Payments in excess of invoice %s AbsoluteDiscountUse=Ši kredito rūšis gali būti naudojama sąskaitai-faktūrai prieš ją pripažįstant galiojančia CreditNoteDepositUse=Sąskaita faktūra turi būti patvirtinta, kad būtų galima naudoti šio tipo kreditus NewGlobalDiscount=Nauja absoliutinė nuolaida -NewSupplierGlobalDiscount=New supplier absolute discount -NewClientGlobalDiscount=New client absolute discount +NewSupplierGlobalDiscount=New absolute supplier discount +NewClientGlobalDiscount=New absolute client discount NewRelativeDiscount=Naujas susijusi nuolaida DiscountType=Discount type NoteReason=Pastaba / Priežastis @@ -401,7 +405,7 @@ DateLastGenerationShort=Data vėliausio gen. MaxPeriodNumber=Max. number of invoice generation NbOfGenerationDone=Number of invoice generation already done NbOfGenerationOfRecordDone=Number of record generation already done -NbOfGenerationDoneShort=Number of generation done +NbOfGenerationDoneShort=Number of generations done MaxGenerationReached=Maximum number of generations reached InvoiceAutoValidate=Automatiškai patvirtinti sąskaitas faktūras GeneratedFromRecurringInvoice=Generated from template recurring invoice %s @@ -558,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice firs PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Sąskaita, prasidedanti $syymm, jau egzistuoja ir yra nesuderinama su šiuo sekos modeliu. Pašalinkite ją arba pakeiskite jį, kad aktyvuoti šį modulį. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Early closing reason EarlyClosingComment=Early closing note ##### Types de contacts ##### @@ -638,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Atlyginimai +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Atlyginimas +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/lt_LT/categories.lang b/htdocs/langs/lt_LT/categories.lang index 9427563bced..66aeae2fac4 100644 --- a/htdocs/langs/lt_LT/categories.lang +++ b/htdocs/langs/lt_LT/categories.lang @@ -102,4 +102,5 @@ ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories KnowledgemanagementsCategoriesArea=KM article Categories UseOrOperatorForCategories=Use 'OR' operator for categories -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Assign to the category +Position=Pozicija diff --git a/htdocs/langs/lt_LT/projects.lang b/htdocs/langs/lt_LT/projects.lang index bb047dd614a..73b897a614e 100644 --- a/htdocs/langs/lt_LT/projects.lang +++ b/htdocs/langs/lt_LT/projects.lang @@ -23,6 +23,7 @@ TasksPublicDesc=Šis vaizdas rodo visus projektus ir užduotis, kuriuos Jums lei TasksDesc=Šis vaizdas rodo visus projektus ir užduotis (Jūsų vartotojo teisės leidžia matyti viską). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. +ImportDatasetProjects=Projects or opportunities ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=Naujas projektas @@ -32,19 +33,23 @@ DeleteATask=Ištrinti užduotį ConfirmDeleteAProject=Are you sure you want to delete this project? ConfirmDeleteATask=Are you sure you want to delete this task? OpenedProjects=Open projects +OpenedProjectsOpportunities=Open opportunities OpenedTasks=Open tasks OpportunitiesStatusForOpenedProjects=Leads amount of open projects by status OpportunitiesStatusForProjects=Leads amount of projects by status ShowProject=Rodyti projektą ShowTask=Rodyti užduotį +SetThirdParty=Set third party SetProject=Nustatykite projektą +OutOfProject=Out of project NoProject=Nėra apibrėžto ar turimo projekto NbOfProjects=Number of projects NbOfTasks=Number of tasks +TimeEntry=Time tracking TimeSpent=Praleistas laikas +TimeSpentSmall=Praleistas laikas TimeSpentByYou=Jūsų sugaištas laikas TimeSpentByUser=Vartotojo sugaištas laikas -TimesSpent=Praleistas laikas TaskId=Task ID RefTask=Task ref. LabelTask=Task label @@ -78,7 +83,7 @@ MyProjectsArea=My projects Area DurationEffective=Efektyvi trukmė ProgressDeclared=Declared real progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently open tasks +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption ProgressCalculated=Progress on consumption @@ -118,11 +123,12 @@ TaskHasChild=Task has child NotOwnerOfProject=Nėra šio privataus projekto savininkas AffectedTo=Paskirta CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=Patvirtinti projektą +ValidateProject=Validate project ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Uždaryti projektą ConfirmCloseAProject=Are you sure you want to close this project? -AlsoCloseAProject=Also close project (keep it open if you still need to follow production tasks on it) +AlsoCloseAProject=Also close project +AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it ReOpenAProject=Atidaryti projektą ConfirmReOpenAProject=Are you sure you want to re-open this project? ProjectContact=Kontaktai projekte @@ -165,7 +171,7 @@ OpportunityProbability=Lead probability OpportunityProbabilityShort=Lead probab. OpportunityAmount=Lead amount OpportunityAmountShort=Lead amount -OpportunityWeightedAmount=Opportunity weighted amount +OpportunityWeightedAmount=Amount of opportunity, weighted by probability OpportunityWeightedAmountShort=Opp. weighted amount OpportunityAmountAverageShort=Average lead amount OpportunityAmountWeigthedShort=Weighted lead amount @@ -198,7 +204,7 @@ InputPerMonth=Input per month InputDetail=Input detail TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s ProjectsWithThisUserAsContact=Projektai su šiuo vartotoju kaip kontaktu. -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=Projects with this third-party contact TasksWithThisUserAsContact=Užduotys, priskirtos šiam vartotojui ResourceNotAssignedToProject=Nepriskirtas projektui ResourceNotAssignedToTheTask=Not assigned to the task @@ -221,7 +227,7 @@ ProjectsStatistics=Statistics on projects or leads TasksStatistics=Statistics on tasks of projects or leads TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Open projects by third parties OnlyOpportunitiesShort=Only leads OpenedOpportunitiesShort=Open leads @@ -233,12 +239,12 @@ OpportunityPonderatedAmountDesc=Leads amount weighted with probability OppStatusPROSP=Prospection OppStatusQUAL=Qualification OppStatusPROPO=Pasiūlymas -OppStatusNEGO=Negociation +OppStatusNEGO=Negotiation OppStatusPENDING=Laukiantis OppStatusWON=Won OppStatusLOST=Lost Budget=Budget -AllowToLinkFromOtherCompany=Allow to link project from other company

      Supported values:
      - Keep empty: Can link any project of the company (default)
      - "all": Can link any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
      +AllowToLinkFromOtherCompany=Allow to link an element with a project of other company

      Supported values:
      - Keep empty: Can link elements with any projects in the same company (default)
      - "all": Can link elements with any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link elements with any projects of these third partys (Example: 123,4795,53)
      LatestProjects=Latest %s projects LatestModifiedProjects=Latest %s modified projects OtherFilteredTasks=Other filtered tasks @@ -255,11 +261,12 @@ RecordsClosed=%s project(s) closed SendProjectRef=Information project %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized NewTaskRefSuggested=Task ref already used, a new task ref is required +NumberOfTasksCloned=%s task(s) cloned TimeSpentInvoiced=Time spent billed TimeSpentForIntervention=Praleistas laikas TimeSpentForInvoice=Praleistas laikas OneLinePerUser=One line per user -ServiceToUseOnLines=Service to use on lines +ServiceToUseOnLines=Service to use on lines by default InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. @@ -282,7 +289,7 @@ ProfitIsCalculatedWith=Profit is calculated using AddPersonToTask=Add also to tasks UsageOrganizeEvent=Usage: Event Organization PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks at 100 %% progress won't be affected: you will have to close them manually. This option only affects open projects. +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them ProjectTasksWithoutTimeSpent=Project tasks without time spent FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. @@ -294,3 +301,4 @@ EnablePublicLeadForm=Enable the public form for contact NewLeadbyWeb=Your message or request has been recorded. We will answer or contact your soon. NewLeadForm=New contact form LeadFromPublicForm=Online lead from public form +ExportAccountingReportButtonLabel=Get report diff --git a/htdocs/langs/lt_LT/propal.lang b/htdocs/langs/lt_LT/propal.lang index 9ccd402a6d4..6e733542014 100644 --- a/htdocs/langs/lt_LT/propal.lang +++ b/htdocs/langs/lt_LT/propal.lang @@ -12,9 +12,11 @@ NewPropal=Naujas pasiūlymas Prospect=Numatomas klientas DeleteProp=Ištrinti komercinį pasiūlymą ValidateProp=Patvirtinti komercinį pasiūlymą +CancelPropal=Atšaukti AddProp=Sukurti pasiūlymą ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Latest %s proposals LastModifiedProposals=Latest %s modified proposals AllPropals=Visi pasiūlymai @@ -27,11 +29,13 @@ NbOfProposals=Komercinių pasiūlymų skaičius ShowPropal=Rodyti pasiūlymą PropalsDraft=Projektai PropalsOpened=Atidaryta +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Projektas (turi būti patvirtintas) PropalStatusValidated=Patvirtintas (pasiūlymas yra atidarytas) PropalStatusSigned=Pasirašyta (reikia pateikti sąskaitą-faktūrą) PropalStatusNotSigned=Nepasirašyta (uždarytas) PropalStatusBilled=Sąskaita-faktūra pateikta +PropalStatusCanceledShort=Atšauktas PropalStatusDraftShort=Projektas PropalStatusValidatedShort=Validated (open) PropalStatusClosedShort=Uždarytas @@ -55,6 +59,7 @@ CopyPropalFrom=Sukurti komercinį pasiūlymą kopijuojant esamą pasiūlymą CreateEmptyPropal=Create empty commercial proposal or from list of products/services DefaultProposalDurationValidity=Komercinio pasiūlymo galiojimo trukmė (dienomis) pagal nutylėjimą DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? @@ -113,6 +118,7 @@ RefusePropal=Refuse proposal Sign=Sign SignContract=Sign contract SignFichinter=Sign intervention +SignSociete_rib=Sign mandate SignPropal=Accept proposal Signed=signed SignedOnly=Signed only diff --git a/htdocs/langs/lt_LT/withdrawals.lang b/htdocs/langs/lt_LT/withdrawals.lang index 3db25b5c4bc..e3b455e12d4 100644 --- a/htdocs/langs/lt_LT/withdrawals.lang +++ b/htdocs/langs/lt_LT/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Make a credit transfer request WithdrawRequestsDone=%s direct debit payment requests recorded BankTransferRequestsDone=%s credit transfer requests recorded ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. ClassCredited=Priskirti įskaitytas (credited) ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Ar tikrai norite įvesti išėmimo atmetimą visuomenei RefusedData=Atmetimo data RefusedReason=Atmetimo priežastis RefusedInvoicing=Atmetimo apmokestinimas -NoInvoiceRefused=Neapmokestinti atmetimo -InvoiceRefused=Sąskaita-faktūra atmesta (apmokestinti kliento atmetimą) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debit/credit StatusWaiting=Laukiama StatusTrans=Išsiųsta @@ -103,7 +106,7 @@ ShowWithdraw=Show Direct Debit Order IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Debit order file @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Amount of Direct debit request: BankTransferAmount=Amount of Credit Transfer request: WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Your Bank Account Name (IBAN) SEPAFormYourBIC=Your Bank Identifier Code (BIC) SEPAFrstOrRecur=Type of payment ModeRECUR=Recurring payment +ModeRCUR=Recurring payment ModeFRST=One-off payment PleaseCheckOne=Please check one only CreditTransferOrderCreated=Credit transfer order %s created @@ -155,9 +159,16 @@ InfoTransData=Suma:%s
      Metodas:%s
      Data:%s InfoRejectSubject=Direct debit payment order refused InfoRejectMessage=Hello,

      the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

      --
      %s ModeWarning=Opcija realiam režimui nebuvo nustatyta, sustabdyta po šios simuliacijos -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Missing ICS in Bank account %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Atlyginimas +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/lv_LV/accountancy.lang b/htdocs/langs/lv_LV/accountancy.lang index af78f3ca129..3e9bb720507 100644 --- a/htdocs/langs/lv_LV/accountancy.lang +++ b/htdocs/langs/lv_LV/accountancy.lang @@ -38,7 +38,7 @@ DeleteCptCategory=No grāmatvedības konta noņemt grupu ConfirmDeleteCptCategory=Vai tiešām vēlaties noņemt šo grāmatvedības kontu no grāmatvedības konta grupas? JournalizationInLedgerStatus=Žurnālistikas statuss AlreadyInGeneralLedger=Jau pārsūtīts uz grāmatvedības žurnāliem un virsgrāmatu -NotYetInGeneralLedger=Vēl nav pārsūtīts uz grāmatvedības žurnāliem un virsgrāmatu +NotYetInGeneralLedger=Not yet transferred to accounting journals and ledger GroupIsEmptyCheckSetup=Grupa ir tukša, pārbaudiet personalizētās grāmatvedības grupas iestatījumus DetailByAccount=Parādīt detalizētu informāciju par kontu DetailBy=Detaļas autors @@ -53,30 +53,29 @@ ExportAccountingSourceDocHelp=Izmantojot šo rīku, varat meklēt un eksportēt ExportAccountingSourceDocHelp2=Lai eksportētu žurnālus, izmantojiet izvēlnes ierakstu %s - %s. ExportAccountingProjectHelp=Norādiet projektu, ja jums ir nepieciešams grāmatvedības pārskats tikai par konkrētu projektu. Izdevumu atskaites un kredīta maksājumi nav iekļauti projektu pārskatos. ExportAccountancy=Eksporta grāmatvedība -WarningDataDisappearsWhenDataIsExported=Brīdinājums, šajā sarakstā ir tikai tie grāmatvedības ieraksti, kas vēl nav eksportēti (eksportēšanas datums ir tukšs). Ja vēlaties iekļaut jau eksportētos grāmatvedības ierakstus, lai tos atkārtoti eksportētu, noklikšķiniet uz pogas augstāk. +WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported, click on the button above. VueByAccountAccounting=Skatīt pēc grāmatvedības konta VueBySubAccountAccounting=Skatīt pēc grāmatvedības apakškonta -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup +MainAccountForCustomersNotDefined=Galvenais konts (no konta plāna) klientiem, kas nav definēti iestatījumos +MainAccountForSuppliersNotDefined=Galvenais konts (no konta plāna) piegādātājiem, kas nav definēti iestatījumos +MainAccountForUsersNotDefined=Galvenais konts (no konta plāna) lietotājiem, kas nav definēti iestatījumos +MainAccountForVatPaymentNotDefined=Konts (no kontu plāna) PVN maksājumam nav definēts iestatījumos +MainAccountForSubscriptionPaymentNotDefined=Konts (no konta plāna) dalības maksājumam nav definēts iestatījumos +MainAccountForRetainedWarrantyNotDefined=Konts (no kontu plāna) saglabātajai garantijai, kas nav definēts iestatījumos UserAccountNotDefined=Uzskaites konts lietotājam, kas nav definēts iestatījumos AccountancyArea=Grāmatvedības zona AccountancyAreaDescIntro=Grāmatvedības moduļa lietošana tiek veikta vairākos posmos: AccountancyAreaDescActionOnce=Šīs darbības parasti izpilda tikai vienu reizi vai reizi gadā ... -AccountancyAreaDescActionOnceBis=Nākamās darbības jāveic, lai ietaupītu jūsu laiku nākotnē, automātiski iesakot pareizo noklusējuma grāmatvedības kontu, pārsūtot datus grāmatvedībā +AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automatically the correct default accounting account when transferring data in accounting AccountancyAreaDescActionFreq=Šīs darbības parasti tiek veiktas katru mēnesi, nedēļu vai dienu ļoti lieliem uzņēmumiem ... AccountancyAreaDescJournalSetup=SOLIS %s: pārbaudiet žurnālu saraksta saturu izvēlnē %s AccountancyAreaDescChartModel=Solis %s: pārbaudiet, vai pastāv konta diagrammas modelis, vai izveidojiet to no izvēlnes %s AccountancyAreaDescChart=Solis %s: izvēlnē %s atlasiet un vai aizpildiet kontu no izvēlnes. +AccountancyAreaDescFiscalPeriod=STEP %s: Define a fiscal year by default on which to integrate your accounting entries. For this, use the menu entry %s. AccountancyAreaDescVat=Solis %s: definējiet katras PVN likmes grāmatvedības kontus. Izmantojiet izvēlnes ierakstu %s. AccountancyAreaDescDefault=Solis %s: definējiet noklusējuma grāmatvedības kontus. Šajā nolūkā izmantojiet izvēlnes ierakstu %s. AccountancyAreaDescExpenseReport=SOLIS %s: definējiet noklusējuma grāmatvedības kontus katram Izdevumu pārskata veidam. Šim nolūkam izmantojiet izvēlnes ierakstu %s. @@ -84,7 +83,7 @@ AccountancyAreaDescSal=Solis %s: definējiet noklusējuma uzskaites kontus algu AccountancyAreaDescContrib=SOLIS %s: definējiet noklusējuma grāmatvedības kontus nodokļiem (īpašiem izdevumiem). Šim nolūkam izmantojiet izvēlnes ierakstu %s. AccountancyAreaDescDonation=Solis %s: definējiet noklusējuma uzskaites kontus ziedojumiem. Izmantojiet izvēlnes ierakstu %s. AccountancyAreaDescSubscription=STEP %s: definējiet noklusējuma grāmatvedības kontus dalībnieku abonementam. Lai to izdarītu, izmantojiet izvēlnes ierakstu %s. -AccountancyAreaDescMisc=Solis %s: norādiet obligātos noklusējuma kontu un noklusējuma grāmatvedības kontus dažādiem darījumiem. Šajā nolūkā izmantojiet izvēlnes ierakstu %s. +AccountancyAreaDescMisc=STEP %s: Define mandatory default accounts and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. AccountancyAreaDescLoan=STEP %s: definējiet noklusējuma aizņēmumu grāmatvedības uzskaiti. Šajā nolūkā izmantojiet izvēlnes ierakstu %s. AccountancyAreaDescBank=Solis %s: definējiet grāmatvedības kontus un žurnāla kodu katrai bankai un finanšu kontiem. Izmantojiet izvēlnes ierakstu %s. AccountancyAreaDescProd=SOLIS %s: definējiet grāmatvedības kontus saviem produktiem/pakalpojumiem. Šim nolūkam izmantojiet izvēlnes ierakstu %s. @@ -95,6 +94,7 @@ AccountancyAreaDescAnalyze=Solis %s: pievienojiet vai rediģējiet esošos darī AccountancyAreaDescClosePeriod=Solis %s: beidzies periods, tāpēc mēs nevaram veikt izmaiņas nākotnē. +TheFiscalPeriodIsNotDefined=A mandatory step in setup has not been completed (Fiscal period is not defined) TheJournalCodeIsNotDefinedOnSomeBankAccount=Obligāta iestatīšanas darbība nav pabeigta (grāmatvedības kodu žurnāls nav definēts visiem bankas kontiem) Selectchartofaccounts=Atlasiet aktīvo kontu diagrammu ChangeAndLoad=Mainīt un ielādēt @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Atļaujiet pārvaldīt atšķirīgu skaitu nulles grāmat BANK_DISABLE_DIRECT_INPUT=Atspējot tiešu darījumu reģistrāciju bankas kontā ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Iespējot eksporta projektu žurnālā ACCOUNTANCY_COMBO_FOR_AUX=Iespējot kombinēto sarakstu meitas kontam (tas var būt lēns, ja jums ir daudz trešo pušu, pārtraukt iespēju meklēt daļu vērtības) -ACCOUNTING_DATE_START_BINDING=Definējiet datumu, lai sāktu iesiešanu un pārskaitīšanu grāmatvedībā. Zem šī datuma darījumi netiks pārnesti uz grāmatvedību. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Kāds ir grāmatvedības pārskaitījuma periods, kas atlasīts pēc noklusējuma +ACCOUNTING_DATE_START_BINDING=Disable binding & transfer in accountancy when date is below this date (the transactions before this date will be excluded by default) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On the page to transfer data into accountancy, what is the period selected by default ACCOUNTING_SELL_JOURNAL=Pārdošanas žurnāls - pārdošana un atgriešana ACCOUNTING_PURCHASE_JOURNAL=Pirkumu žurnāls - pirkšana un atgriešana @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Sociālais žurnāls ACCOUNTING_RESULT_PROFIT=Rezultātu uzskaites konts (peļņa) ACCOUNTING_RESULT_LOSS=Rezultātu uzskaites konts (zaudējumi) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Noslēguma žurnāls +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Accounting groups used for the balance sheet account (separate by comma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Accounting groups used for the income statement (separate by comma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Konts (no konta plāna), kas jāizmanto kā pārejas bankas pārvedumu konts TransitionalAccount=Pārejas bankas konta pārejas konts @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Šeit skatiet klientu rēķinu rindu sarakstu un viņu pr DescVentilTodoCustomer=Saistīt rēķina rindas, kas vēl nav saistītas ar produkta kontu, no kontu plāna ChangeAccount=Mainiet produkta/pakalpojuma kontu (no konta plāna) atlasītajām rindām ar šādu kontu: Vide=- -DescVentilSupplier=Skatiet šeit to piegādātāja rēķinu rindu sarakstu, kas ir piesaistītas vai vēl nav saistītas ar produkta kontu no konta plāna (ir redzami tikai ieraksti, kas vēl nav pārsūtīti grāmatvedībā) +DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transferred in accountancy are visible) DescVentilDoneSupplier=Šeit skatiet piegādātāju rēķinu un to grāmatvedības kontu sarakstu DescVentilTodoExpenseReport=Bind expense report lines, kas jau nav saistītas ar maksu grāmatvedības kontu DescVentilExpenseReport=Konsultējieties šeit ar izdevumu pārskatu rindiņu sarakstu, kas ir saistoši (vai nē) ar maksu grāmatvedības kontu @@ -298,11 +300,11 @@ DescVentilExpenseReportMore=Ja jūs izveidojat grāmatvedības kontu uz izdevumu DescVentilDoneExpenseReport=Konsultējieties šeit ar izdevumu pārskatu rindu sarakstu un to maksu grāmatvedības kontu Closure=Gada slēgšana -DescClosure=Šeit skatiet kustību skaitu pa mēnešiem, kas vēl nav apstiprinātas un bloķētas -OverviewOfMovementsNotValidated=Pārskats par kustībām, kas nav apstiprinātas un bloķētas +AccountancyClosureStep1Desc=Consult here the number of movements by month not yet validated & locked +OverviewOfMovementsNotValidated=Overview of movements not validated and locked AllMovementsWereRecordedAsValidated=Visas kustības tika reģistrētas kā apstiprinātas un bloķētas NotAllMovementsCouldBeRecordedAsValidated=Ne visas kustības varēja reģistrēt kā apstiprinātas un bloķētas -ValidateMovements=Validate and lock movements +ValidateMovements=Apstipriniet un bloķējiet kustības DescValidateMovements=Jebkādas rakstīšanas, burtu un izdzēsto tekstu izmaiņas vai dzēšana būs aizliegtas. Visi vingrinājumu ieraksti ir jāapstiprina, pretējā gadījumā aizvēršana nebūs iespējama ValidateHistory=Piesaistiet automātiski @@ -341,7 +343,7 @@ AccountingJournalType3=Pirkumi AccountingJournalType4=Banka AccountingJournalType5=Izdevumu atskaites AccountingJournalType8=Inventārs -AccountingJournalType9=Ir jauns +AccountingJournalType9=Retained earnings GenerationOfAccountingEntries=Grāmatvedības ierakstu ģenerēšana ErrorAccountingJournalIsAlreadyUse=Šis žurnāls jau ir izmantots AccountingAccountForSalesTaxAreDefinedInto=Piezīme. Pārdošanas nodokļa grāmatvedības konts ir norādīts izvēlnē %s - %s . @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Atspējot saistīšanu un pārsūtīšan ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Atspējojiet grāmatvedībā iesiešanu un pārskaitīšanu izdevumu pārskatos (grāmatvedībā netiks ņemti vērā izdevumu pārskati) ACCOUNTING_ENABLE_LETTERING=Grāmatvedībā iespējot burtu funkciju ACCOUNTING_ENABLE_LETTERING_DESC=Kad šī opcija ir iespējota, katram grāmatvedības ierakstam varat definēt kodu, lai varētu grupēt dažādas grāmatvedības kustības. Agrāk, kad dažādi žurnāli tika pārvaldīti neatkarīgi, šī funkcija bija nepieciešama, lai grupētu dažādu žurnālu kustības līnijas. Tomēr, izmantojot Dolibarr grāmatvedību, šāds izsekošanas kods ar nosaukumu " %s " jau tiek saglabāts automātiski, tāpēc automātiskais burts jau ir izveidots bez kļūdas riska, tāpēc šī funkcija ir kļuvusi nederīga parastai lietošanai. Manuāla burtu rakstīšanas funkcija ir paredzēta galalietotājiem, kuri patiešām neuzticas datorprogrammai, kas veic datu pārsūtīšanu grāmatvedībā. -EnablingThisFeatureIsNotNecessary=Stingrai grāmatvedības pārvaldībai šīs funkcijas iespējošana vairs nav nepieciešama. +EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigorous accounting management. ACCOUNTING_ENABLE_AUTOLETTERING=Iespējot automātisko burtu rakstīšanu, pārejot uz grāmatvedību -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Burtu kods tiek automātiski ģenerēts un palielināts, un to neizvēlas gala lietotājs +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not chosen by the end user +ACCOUNTING_LETTERING_NBLETTERS=Burtu skaits, ģenerējot burtu kodu (noklusējums 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Dažas grāmatvedības programmatūras pieņem tikai divu burtu kodu. Šis parametrs ļauj iestatīt šo aspektu. Noklusējuma burtu skaits ir trīs. OptionsAdvanced=Pielāgota opcija ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Aktivizēt PVN apgrieztās iekasēšanas pārvaldību piegādātāju pirkumiem -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Ja šī opcija ir iespējota, varat definēt, ka piegādātājs vai konkrēts piegādātāja rēķins ir jāpārskaita uz grāmatvedību atšķirīgi: 2 kontu grāmatvedībā tiks ģenerēts papildu debets un kredītlīnija no kontu plāna, kas definēts kā "%s " iestatīšanas lapa. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transferred into accountancy differently: A additional debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. ## Export NotExportLettering=Veidojot failu, neeksportējiet burtus @@ -420,7 +424,7 @@ SaleLocal=Vietējā pārdošana SaleExport=Eksporta pārdošana SaleEEC=Pārdošana EEK SaleEECWithVAT=Pārdošana EEK ar PVN nav spēkā, tāpēc domājams, ka tā NAV iekšējā tirdzniecība, un ieteiktais konts ir standarta produkta konts. -SaleEECWithoutVATNumber=Pārdošana EEK bez PVN, bet nav noteikts trešās puses PVN ID. Mēs atgriežamies pie standarta pārdošanas konta. Varat labot trešās puses PVN ID vai mainīt produkta kontu, kas ieteikts saistīšanai, ja nepieciešams. +SaleEECWithoutVATNumber=Pārdošana EEK bez PVN, bet trešās puses PVN ID nav noteikts. Mēs atgriežamies pie standarta pārdošanas konta. Varat labot trešās puses PVN ID vai mainīt produkta kontu, kas ieteikts saistīšanai, ja nepieciešams. ForbiddenTransactionAlreadyExported=Aizliegts: darījums ir apstiprināts un/vai eksportēts. ForbiddenTransactionAlreadyValidated=Aizliegts: darījums ir apstiprināts. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Neviena nesaskaņošana nav mainīta AccountancyOneUnletteringModifiedSuccessfully=Viena nesaskaņošana ir veiksmīgi pārveidota AccountancyUnletteringModifiedSuccessfully=%s nesaskaņošana ir veiksmīgi modificēta +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock movements +AccountancyClosureStep2=Step 2 : Close fiscal period +AccountancyClosureStep3=Step 3 : Extract entries (Optional) +AccountancyClosureClose=Close fiscal period +AccountancyClosureAccountingReversal=Extract and record "Retained earnings" entries +AccountancyClosureStep3NewFiscalPeriod=Next fiscal period +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "Retained earnings" entries on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "Retained earnings" entries, detail the sub-ledger accounts +AccountancyClosureCloseSuccessfully=Fiscal period has been closed successfully +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping entries for "Retained earnings" has been inserted successfully + ## Confirm box ConfirmMassUnletteringAuto=Lielapjoma automātiskās nesaskaņošanas apstiprinājums ConfirmMassUnletteringManual=Lielapjoma manuālas nesaskaņošanas apstiprinājums ConfirmMassUnletteringQuestion=Vai tiešām vēlaties nesaskaņot %s atlasītos ierakstus? ConfirmMassDeleteBookkeepingWriting=Lielapjoma dzēšanas apstiprinājums ConfirmMassDeleteBookkeepingWritingQuestion=Tādējādi darījums tiks dzēsts no uzskaites (tiks dzēsti visi ar to pašu darījumu saistītie rindu ieraksti). Vai tiešām vēlaties dzēst %s atlasītos ierakstus? +AccountancyClosureConfirmClose=Are you sure you want to close the current fiscal period ? You understand that closing the fiscal period is an irreversible action and will permanently block any modification or deletion of entries over this period. +AccountancyClosureConfirmAccountingReversal=Are you sure you want to record entries for the "Retained earnings" ? ## Error SomeMandatoryStepsOfSetupWereNotDone=Daži obligāti uzstādīšanas soļi nav pabeigti, lūdzu, aizpildiet tos -ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) +ErrorNoAccountingCategoryForThisCountry=Valstij %s nav pieejama neviena grāmatvedības kontu grupa (skatiet %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Jūs mēģināt žurnalizēt dažas rindiņas %s , bet citas rindas vēl nav saistītas ar grāmatvedības kontu. Visu rēķinu līniju žurnālu publicēšana par šo rēķinu tiek noraidīta. ErrorInvoiceContainsLinesNotYetBoundedShort=Dažas rēķina rindiņas nav saistītas ar grāmatvedības kontu. ExportNotSupported=Izveidotais eksporta formāts šajā lapā netiek atbalstīts @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=Atlikums (%s) nav vienāds ar 0 AccountancyErrorLetteringBookkeeping=Ir radušās kļūdas saistībā ar darījumiem: %s ErrorAccountNumberAlreadyExists=Grāmatvedības numurs %s jau pastāv ErrorArchiveAddFile=Arhīvā nevar ievietot failu "%s". +ErrorNoFiscalPeriodActiveFound=No active fiscal period found +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=The bookkeeping doc date is not inside the active fiscal period +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=The bookkeeping doc date is inside a closed fiscal period ## Import ImportAccountingEntries=Grāmatvedības ieraksti @@ -489,7 +510,7 @@ FECFormatMulticurrencyAmount=Daudzvalūtu summa (Montantdevise) FECFormatMulticurrencyCode=Daudzvalūtu kods (Idevise) DateExport=Eksporta datums -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contain transactions modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. +WarningReportNotReliable=Brīdinājums, šis pārskats nav balstīts uz Virsgrāmatu, tāpēc tajā nav ietverti Virsgrāmatā manuāli modificēti darījumi. Ja jūsu žurnāls ir atjaunināts, grāmatvedības skats ir precīzāks. ExpenseReportJournal=Izdevumu atskaites žurnāls DocsAlreadyExportedAreIncluded=Ir iekļauti jau eksportētie dokumenti ClickToShowAlreadyExportedLines=Noklikšķiniet, lai parādītu jau eksportētās līnijas diff --git a/htdocs/langs/lv_LV/admin.lang b/htdocs/langs/lv_LV/admin.lang index 50ffa968f64..be556636126 100644 --- a/htdocs/langs/lv_LV/admin.lang +++ b/htdocs/langs/lv_LV/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Šis modulis, šķiet, nav savietojams ar jūsu Dolibarr %s (Min % CompatibleAfterUpdate=Šis modulis prasa atjaunināt Dolibarr %s (Min %s - Maks %s). SeeInMarkerPlace=Skatiet Marketplace SeeSetupOfModule=See setup of module %s +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=Iestatiet opciju %s uz %s Updated=Atjaunots AchatTelechargement=Pirkt / lejupielādēt @@ -292,22 +294,22 @@ EmailSenderProfiles=E-pasta sūtītāju profili EMailsSenderProfileDesc=Jūs varat atstāt šo sadaļu tukšu. Ja šeit ievadīsit dažus e-pastus, tie tiks pievienoti iespējamo sūtītāju sarakstam kombinētajā lodziņā, kad rakstīsit jaunu e-pastu. MAIN_MAIL_SMTP_PORT=SMTP / SMTPS ports (noklusējuma vērtība php.ini: %s ) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Resursa (noklusējuma vērtība php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP / SMTPS ports (nav definēts PHP uz Unix līdzīgām sistēmām) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS resurs (nav definēts PHP Unix līdzīgās sistēmās) -MAIN_MAIL_EMAIL_FROM=Sūtītāja e-pasta ziņojums automātiskajiem e-pasta ziņojumiem (noklusējuma vērtība php.ini: %s) -EMailHelpMsgSPFDKIM=Lai Dolibarr e-pasta ziņojumi netiktu klasificēti kā mēstules, pārliecinieties, vai serveris ir pilnvarots sūtīt e-pastus no šīs adreses, izmantojot SPF un DKIM konfigurāciju. +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=E-pasts, ko izmanto, lai kļūtu, atgriež e-pastus (laukos 'Kļūdas-To' e-pasta ziņojumos) MAIN_MAIL_AUTOCOPY_TO= Kopija (Bcc) visi nosūtītie e-pasta ziņojumi uz MAIN_DISABLE_ALL_MAILS=Atspējot visu e-pasta sūtīšanu (izmēģinājuma nolūkos vai demonstrācijās) MAIN_MAIL_FORCE_SENDTO=Nosūtiet visus e-pastus (nevis reāliem saņēmējiem, lai veiktu pārbaudes) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Rakstot jaunu e-pastu, iesakiet darbinieku e-pastus (ja tie ir definēti) iepriekš definētu saņēmēju sarakstā -MAIN_MAIL_NO_WITH_TO_SELECTED=Neizvēlieties noklusējuma adresātu, pat ja tas ir viens +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=E-pasta sūtīšanas veids MAIN_MAIL_SMTPS_ID=SMTP ID (ja servera nosūtīšanai nepieciešama autentifikācija) MAIN_MAIL_SMTPS_PW=SMTP parole (ja servera sūtīšanai nepieciešama autentificēšanās) MAIN_MAIL_EMAIL_TLS=Izmantot TLS (SSL) šifrēšanu MAIN_MAIL_EMAIL_STARTTLS=Izmantojiet TLS (STARTTLS) šifrēšanu -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizēt lestificats automātiskās parakstīšanas +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=Izmantojiet DKIM, lai ģenerētu e-pasta parakstu MAIN_MAIL_EMAIL_DKIM_DOMAIN=E-pasta domēns lietošanai ar DKIM MAIN_MAIL_EMAIL_DKIM_SELECTOR=DKIM selektora nosaukums @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Privāta atslēga DKIM parakstīšanai MAIN_DISABLE_ALL_SMS=Atspējot visas īsziņu sūtīšanas (testa nolūkos vai demo) MAIN_SMS_SENDMODE=Izmantojamā metode SMS sūtīšanai MAIN_MAIL_SMS_FROM=Noklusētais sūtītāja tālruņa numurs SMS nosūtīšanai -MAIN_MAIL_DEFAULT_FROMTYPE=Noklusējuma sūtītāja e-pasta ziņojums manuālai sūtīšanai (lietotāja e-pasts vai uzņēmuma e-pasts) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=Lietotāja e-pasts CompanyEmail=Uzņēmuma e-pasts FeatureNotAvailableOnLinux=Funkcija nav pieejams Unix tipa sistēmās. Pārbaudi savu sendmail programmu lokāli. @@ -365,10 +367,10 @@ GenericMaskCodes=Jūs varat ievadīt jebkuru numerācijas masku. Šajā maskā v GenericMaskCodes2= {cccc} klienta kods uz n rakstzīmēm
      {cccc000} a09a4b739f17fz Šis klientam veltītais skaitītājs tiek atiestatīts vienlaikus ar globālo skaitītāju.
      {tttt} Trešās puses tipa kods uz n rakstzīmēm (skatiet izvēlni Sākums - Iestatīšana - Vārdnīca - Trešo personu veidi). Ja pievienosit šo tagu, katram trešās puses tipam skaitītājs būs atšķirīgs.
      GenericMaskCodes3=Visas citas rakstzīmes masku paliks neskartas.
      Atstarpes nav atļautas.
      GenericMaskCodes3EAN=Visas pārējās maskas rakstzīmes paliks neskartas (izņemot * vai? EAN13 13. pozīcijā).
      Atstarpes nav atļautas.
      EAN13, pēdējam rakstzīmei pēc pēdējā} 13. pozīcijā jābūt * vai? . To aizstās aprēķinātā atslēga.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes4a=Piemērs par trešās puses TheCompany 99. piemēru %s ar datumu 2023. 01.31.:
      +GenericMaskCodes4b=Piemērs par trešo pusi, izveidots 31.01.2023.:b0342fccfda +GenericMaskCodes4c=Piemērs par produktu, kas izveidots 2023.01.31.:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000} sniegs b0aee833650ABC2301-000099

      b0aee83365837{0@0 }-ZZZ/{dd}/XXX
      sniegs 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} sniegs IN2301-0099-A, ja uzņēmuma veids "Atbildīgs Inscripto" ar kodu tipam, kas ir "A_RI" GenericNumRefModelDesc=Atgriež pielāgojamu numuru atbilstoši noteiktajai maskai. ServerAvailableOnIPOrPort=Serveris ir pieejams adresē %s ports %s ServerNotAvailableOnIPOrPort=Serveris nav pieejams adresē %s ports %s @@ -417,6 +419,7 @@ PDFLocaltax=Noteikumi par %s HideLocalTaxOnPDF=Paslēpt %s likmi kolonnā Pārdošanas nodoklis / PVN HideDescOnPDF=Paslēpt produktu aprakstu HideRefOnPDF=Slēpt produktu ref. +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=Slēpt informāciju par produktu līnijām PlaceCustomerAddressToIsoLocation=Izmantojiet franču standarta pozīciju (La Poste) klienta adreses pozīcijai Library=Bibliotēka @@ -424,7 +427,7 @@ UrlGenerationParameters=Parametri, lai nodrošinātu drošas saites SecurityTokenIsUnique=Izmantojiet unikālu securekey parametru katram URL EnterRefToBuildUrl=Ievadiet atsauci objektam %s GetSecuredUrl=Saņemt aprēķināto URL -ButtonHideUnauthorized=Slēpt neatļautu darbību pogas arī iekšējiem lietotājiem (citādi pelēks) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=Vecā PVN likme NewVATRates=Jaunā PVN likme PriceBaseTypeToChange=Pārveidot par cenām ar bāzes atsauces vērtību, kas definēta tālāk @@ -458,11 +461,11 @@ ComputedFormula=Aprēķinātais lauks ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Veikt aprēķinātu lauku ComputedpersistentDesc=Aprēķinātie papildu lauki tiks saglabāti datubāzē, taču vērtība tiks pārrēķināta tikai tad, kad mainīsies šī lauka objekts. Ja aprēķinātais lauks ir atkarīgs no citiem objektiem vai globāliem datiem, šī vērtība var būt nepareiza! -ExtrafieldParamHelpPassword=Atstājot šo lauku tukšu, tas nozīmē, ka šī vērtība tiks saglabāta bez šifrēšanas (laukam jābūt paslēptai tikai ar zvaigznīti uz ekrāna).
      Iestatiet 'auto', lai izmantotu noklusējuma šifrēšanas kārtulu, lai saglabātu paroli datubāzē (pēc tam vērtība lasīt būs ashh tikai, nav iespējams izgūt sākotnējo vērtību) +ExtrafieldParamHelpPassword=Ja atstājat šo lauku tukšu, šī vērtība tiks saglabāta BEZ šifrēšanas (lauks ekrānā ir vienkārši paslēpts ar zvaigznītēm).

      Enter vērtība 'dolcrypt', lai kodētu vērtību ar atgriezenisku šifrēšanas algoritmu. Notīrītus datus joprojām var zināt un rediģēt, taču tie tiek šifrēti datu bāzē.

      Ievadiet “auto” (vai “md5”, 'sha256', 'password_hash', ...), lai izmantotu noklusējuma paroles šifrēšanas algoritmu (vai md5, sha256, password_hash...), lai saglabātu neatgriezenisko jaukto paroli datu bāzē (nav iespējas izgūt sākotnējo vērtību). ExtrafieldParamHelpselect=Vērtību sarakstam jābūt rindām ar formāta atslēgu, vērtība (kur atslēga nevar būt '0')

      , piemēram,: 1, vērtība1
      2, vērtība2
      kods3, vērtība3 < br> ...

      Lai saraksts būtu atkarīgs no cita papildinošā atribūtu saraksta:
      1, vērtība1 | opcijas_ vecāku_līmeņa kods : vecāku_skava
      2, vērtība2 | opcijas_ vecāku saraksts_code : parent_key

      Lai saraksts būtu atkarīgs no cita saraksta:
      1, vērtība1 | vecāku saraksts_code : vecāku_skava
      2, vērtība2 | vecāku saraksts_code : vecāku_poga ExtrafieldParamHelpcheckbox=Vērtību sarakstam jābūt rindām ar formāta atslēgu, vērtība (kur atslēga nevar būt '0')

      , piemēram,: 1, vērtība1
      2, vērtība2
      3, vērtība3 < br> ... ExtrafieldParamHelpradio=Vērtību sarakstam jābūt rindām ar formāta atslēgu, vērtība (kur atslēga nevar būt '0')

      , piemēram,: 1, vērtība1
      2, vērtība2
      3, vērtība3 < br> ... -ExtrafieldParamHelpsellist=Vērtību saraksts tiek iegūts no tabulas
      Sintakse: table_name: label_field: id_field :: filtersql
      Piemērs: c_typent: libelle: id :: filtersql

      - id_f0 af2 ir a2_fails ir obligāts. Tas var būt vienkāršs tests (piemēram, aktīvs = 1), lai parādītu tikai aktīvo vērtību
      . Filtrā var izmantot arī $ ID $, kas ir pašreizējā objekta
      ID. Lai filtrā izmantotu SELECT, izmantojiet atslēgvārdu $ SEL $ apiet pretinjekcijas aizsardzību.
      , ja vēlaties filtrēt ekstrefieldos, izmantojiet sintaksi extra.fieldcode = ... (kur lauka kods ir extrafield kods)

      Lai saraksts būtu atkarīgs no cita papildu atribūtu saraksta:
      :
      parent_list_code | parent_column: filter

      Lai saraksts būtu atkarīgs no cita saraksta:
      c_typent: libelle: ID: a04927 +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Vērtību saraksts nāk no tabulas
      Sintakse: table_name: label_field: id_field :: filtersql
      Piemērs: c_typent: libelle: id :: filtersql

      tikai aktīvs displejs var izmantot arī $ ID $ filtrā. ragana ir pašreizējā objekta
      ID. Lai atlasītu filtru, izmantojiet $ SEL $
      , ja vēlaties filtrēt ekstra laukos, izmantojiet sintaksi extra.fieldcode = ... (kur lauka kods ir kods extrafield)

      lai būtu sarakstu atkarībā citā papildu atribūtu saraksta:
      c_typent: Libelle: id: options_ parent_list_code | parent_column: filtrs

      lai iegūtu sarakstu, atkarībā no citu sarakstā:
      c_typent: libelle: id: parent_list_code | parent_column: filtrs ExtrafieldParamHelplink=Parametriem jābūt ObjectName: Classpath
      Sintakse: ObjectName: Classpath ExtrafieldParamHelpSeparator=Vienkārša atdalītāja atstāšana tukša
      Iestatiet to uz 1 sabrūkošajam atdalītājam (pēc noklusējuma atveriet jaunu sesiju, pēc tam katras lietotāja sesijai tiek saglabāts statuss)
      Iestatiet to uz 2 sabrukušajam atdalītājam (jaunajai sesijai pēc noklusējuma sabrūk, pēc tam katras lietotāja sesijas laikā tiek saglabāts statuss) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Ievadiet tālruņa numuru, uz kuru zvanīt, lai parādītu RefreshPhoneLink=Atsvaidzināt LinkToTest=Klikšķināmos saites, kas izveidotas lietotāju %s (noklikšķiniet, tālruņa numuru, lai pārbaudītu) KeepEmptyToUseDefault=Saglabājiet tukšu, lai izmantotu noklusēto vērtību -KeepThisEmptyInMostCases=Vairumā gadījumu jūs varat atstāt šo lauku tukšu. +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=Noklusējuma saite SetAsDefault=Iestatīt kā noklusējumu ValueOverwrittenByUserSetup=Uzmanību, šī vērtība var pārrakstīt ar lietotāja konkrētu uzstādīšanu (katrs lietotājs var iestatīt savu klikšķini lai zvanītu URL) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Šis ir HTML lauka nosaukums. Lai izlasītu HTML lapa PageUrlForDefaultValues=Jums jāievada lapas URL relatīvais ceļš. Ja URL iekļaujat parametrus, tas būs efektīvs, ja visiem pārlūkotā URL parametriem būs šeit definētā vērtība. PageUrlForDefaultValuesCreate=
      Piemērs:
      Lai veidlapa izveidotu jaunu trešo personu, tā ir %s .
      Par ārējā moduļa URL, kas instalēts pielāgotā direktorijā, neietveriet "custom /" , tāpēc izmantojiet ceļu, piemēram, mymodule / mypage.php , nevis pielāgotu / mymodule / mypage.php.
      Ja vēlaties noklusējuma vērtību tikai tad, ja URL ir kāds parametrs, varat izmantot %s < / spēcīgs> PageUrlForDefaultValuesList=
      Piemērs:
      Lapai, kurā uzskaitītas trešās personas, tas ir %s .
      Par ārējā moduļa URL, kas instalēts pielāgotā direktorijā, neietveriet 'custom /' ceļš, piemēram, mymodule / mypagelist.php un nevis pielāgots / mymodule / mypagelist.php.
      Ja vēlaties noklusējuma vērtību tikai tad, ja URL ir kāds parametrs, varat izmantot %s -AlsoDefaultValuesAreEffectiveForActionCreate=Ņemiet vērā arī to, ka veidlapu izveides noklusējuma vērtību pārrakstīšana darbojas tikai tām lapām, kas ir pareizi izstrādātas (tātad ar parametru darbību = izveidot vai prezentēt ...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=Iespējot noklusējuma vērtību pielāgošanu EnableOverwriteTranslation=Atļaut pielāgot tulkojumus GoIntoTranslationMenuToChangeThis=Taustiņam ir atrasts tulkojums ar šo kodu. Lai mainītu šo vērtību, jums ir jārediģē no Mājas-Iestatījumi-tulkošana. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Vispārējais privātais katalogs ir WebDAV direkto DAV_ALLOW_PUBLIC_DIR=Iespējot vispārējo publisko direktoriju (WebDAV veltītais direktorijs ar nosaukumu "publisks" - nav nepieciešams pieteikties) DAV_ALLOW_PUBLIC_DIRTooltip=Vispārējais publiskais katalogs ir WebDAV katalogs, kuram ikviens var piekļūt (lasīšanas un rakstīšanas režīmā), bez nepieciešamās atļaujas (pieteikšanās / paroles konts). DAV_ALLOW_ECM_DIR=Iespējot DMS / ECM privāto direktoriju (DMS / ECM moduļa saknes direktorijs - nepieciešams pieteikties) -DAV_ALLOW_ECM_DIRTooltip=Saknes direktorijs, kurā visi faili tiek manuāli augšupielādēti, izmantojot DMS / ECM moduli. Līdzīgi kā piekļuvei no tīmekļa saskarnes, jums būs nepieciešama derīga lietotājvārds / parole, lai piekļūtu tam. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=Lietotāji un grupas Module0Desc=Lietotāju / Darbinieku un Grupu vadība @@ -566,7 +569,7 @@ Module40Desc=Pārdevēju un pirkumu vadība (pirkumu pasūtījumi un rēķini pa Module42Name=Atkļūdošanas žurnāli Module42Desc=Žurnalēšana (fails, syslog, ...). Šādi žurnāli ir paredzēti tehniskiem / atkļūdošanas nolūkiem. Module43Name=Atkļūdošanas josla -Module43Desc=Izstrādātāja rīks, kas pārlūkprogrammā pievieno atkļūdošanas joslu. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=Redaktors Module49Desc=Redaktora vadība Module50Name=Produkti @@ -582,7 +585,7 @@ Module54Desc=Līgumu (pakalpojumu vai regulāru abonēšanas) vadība Module55Name=Svītrkodi Module55Desc=Svītrkodu vai QR kodu pārvaldība Module56Name=Maksājums ar pārskaitījumu -Module56Desc=Piegādātāju norēķinu vadīšana ar kredīta pārveduma rīkojumiem. Tas ietver SEPA faila ģenerēšanu Eiropas valstīm. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=Maksājumi ar tiešo debetu Module57Desc=Tiešā debeta rīkojumu vadība. Tas ietver SEPA faila ģenerēšanu Eiropas valstīm. Module58Name=NospiedLaiSavienotos @@ -630,6 +633,10 @@ Module600Desc=Sūtiet e-pasta paziņojumus, ko izraisījis uzņēmuma notikums: Module600Long=Ņemiet vērā, ka šis modulis sūta e-pastus reālā laikā, kad notiek konkrēts biznesa notikums. Ja meklējat iespēju nosūtīt e-pasta atgādinājumus par dienas kārtības notikumiem, dodieties uz moduļa Agenda uzstādīšanu. Module610Name=Produkta varianti Module610Desc=Produkta variantu veidošana (krāsa, izmērs utt.) +Module650Name=Materiālu pavadzīmes (BOM) +Module650Desc=Modulis, lai definētu jūsu materiālu rēķinus (BOM). Var izmantot ražošanas resursu plānošanai, izmantojot moduli Ražošanas pasūtījumi (MO) +Module660Name=Ražošanas resursu plānošana (MRP) +Module660Desc=Modulis ražošanas pasūtījumu pārvaldībai (MO) Module700Name=Ziedojumi Module700Desc=Ziedojumu pārvaldība Module770Name=Izdevumu pārskati @@ -650,8 +657,8 @@ Module2300Name=Plānotie darbi Module2300Desc=Plānotais darbavietu vadība (alias cron vai chrono galds) Module2400Name=Pasākumi / darba kārtība Module2400Desc=Sekojiet notikumiem. Reģistrējiet automātiskos notikumus izsekošanas nolūkos vai ierakstiet manuālos notikumus vai sanāksmes. Tas ir galvenais modulis labam klientu vai pārdevēju attiecību pārvaldībai. -Module2430Name=Online Booking Calendar -Module2430Desc=Nodrošiniet tiešsaistes kalendāru, lai ikviens varētu rezervēt tikšanās vietas atbilstoši iepriekš noteiktam diapazonam vai pieejamībai. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM Module2500Desc=Dokumentu vadības sistēma / elektroniskā satura vadība. Jūsu radīto vai saglabāto dokumentu automātiska organizēšana. Kopīgojiet tos pēc vajadzības. Module2600Name=API/tīmekļa pakalpojumi (SOAP serveris) @@ -672,7 +679,7 @@ Module3300Desc=RAD (Rapid Application Development — zema koda un bez koda) r Module3400Name=Sociālie tīkli Module3400Desc=Iespējojiet sociālo tīklu laukus trešajām pusēm un adresēm (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Cilvēkresursu vadība (departamenta vadība, darbinieku līgumi un jūtas) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Multi-kompānija Module5000Desc=Ļauj jums pārvaldīt vairākus uzņēmumus Module6000Name=Starpmoduļu darbplūsma @@ -709,9 +716,11 @@ Module62000Name=Inkoterms Module62000Desc=Pievienojiet funkcijas, lai pārvaldītu Incoterms Module63000Name=Resursi Module63000Desc=Pārvaldiet resursus (printerus, automašīnas, telpas, ...), lai piešķirtu notikumiem -Module66000Name=OAuth2 token management +Module66000Name=OAuth2 pilnvaru pārvaldība Module66000Desc=Nodrošiniet rīku OAuth2 pilnvaru ģenerēšanai un pārvaldībai. Pēc tam marķieri var izmantot daži citi moduļi. Module94160Name=Pieņemšanas +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Lasīt klientu rēķinus (un maksājumus) Permission12=Izveidot / mainīt klientu rēķinus @@ -979,7 +988,7 @@ Permission2501=Skatīt/Lejupielādēt dokumentus Permission2502=Lejupielādēt dokumentu Permission2503=Pievienot vai dzēst dokumentus Permission2515=Iestatīt dokumentu direktorijas -Permission2610=Generate/modify users API key +Permission2610=Ģenerēt/mainīt lietotāju API atslēgu Permission2801=Lietot FTP klientu lasīšanas režīmā (pārlūko un lejupielādē) Permission2802=Lietot FTP klientu rakstīšanas režīmā (dzēst vai augšupielādēt failus) Permission3200=Lasīt arhivētos notikumus un pirkstu nospiedumus @@ -996,7 +1005,7 @@ Permission4031=Izlasiet personisko informāciju Permission4032=Uzrakstiet personisko informāciju Permission4033=Lasīt visus vērtējumus (arī tos, kas attiecas uz lietotāju, nevis padotajiem) Permission10001=Lasīt tīmekļa vietnes saturu -Permission10002=Izveidot / mainīt vietnes saturu (html un javascript saturu) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=Izveidojiet / modificējiet vietnes saturu (dinamisko php kodu). Bīstami, tie ir jārezervē ierobežotiem izstrādātājiem. Permission10005=Dzēst vietnes saturu Permission20001=Lasiet atvaļinājuma pieprasījumus (jūsu atvaļinājumu un jūsu padoto atvaļinājumu) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Izdevumu pārskats - diapazons pēc transporta kategor DictionaryTransportMode=Intracomm pārskats - transporta veids DictionaryBatchStatus=Produkta partijas / sērijas kvalitātes kontroles statuss DictionaryAssetDisposalType=Aktīvu atsavināšanas veids +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Vienības veids SetupSaved=Iestatījumi saglabāti SetupNotSaved=Iestatīšana nav saglabāta @@ -1109,10 +1119,11 @@ BackToModuleList=Atpakaļ uz moduļu sarakstu BackToDictionaryList=Atpakaļ uz vārdnīcu sarakstu TypeOfRevenueStamp=Nodokļu zīmoga veids VATManagement=Pārdošanas nodokļu pārvaldība -VATIsUsedDesc=Pēc noklusējuma, veidojot perspektīvas, rēķinus, pasūtījumus utt., Pārdošanas nodokļa likme atbilst aktīvajam standarta noteikumam:
      Ja pārdevējam nav jāmaksā pārdošanas nodoklis, tad pārdošanas nodoklis noklusē līdz 0. Noteikumu beigas. (pārdevēja valsts = pircēja valsts), tad pārdošanas nodoklis pēc noklusējuma ir vienāds ar preces pārdošanas nodokli pārdevēja valstī. Noteikumu beigas.
      Ja pārdevējs un pircējs ir Eiropas Kopienā un preces ir ar transportu saistītas preces (pārvadājumi, kuģniecība, aviosabiedrība), noklusējuma PVN ir 0. Šis noteikums ir atkarīgs no pārdevēja valsts - lūdzu, konsultējieties ar savu grāmatvedi. PVN pircējam jāmaksā muitas iestādei savā valstī, nevis pārdevējam. Noteikumu beigas.
      Ja pārdevējs un pircējs ir gan Eiropas Kopienā, gan pircējs nav uzņēmums (ar reģistrētu Kopienas iekšējo PVN numuru), tad PVN nepilda pārdevēja valsts PVN likmi. Noteikumu beigas.
      Ja pārdevējs un pircējs ir gan Eiropas Kopienā, gan pircējs ir uzņēmums (ar reģistrētu Kopienas iekšējo PVN numuru), tad PVN pēc noklusējuma ir 0. Noteikumu beigas.
      Jebkurā citā gadījumā piedāvātā noklusējuma vērtība ir pārdošanas nodoklis = 0. Noteikumu beigas. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=Pēc noklusējuma piedāvātais pārdošanas nodoklis ir 0, ko var izmantot tādām lietām kā asociācijas, privātpersonas vai mazie uzņēmumi. VATIsUsedExampleFR=Francijā tas nozīmē uzņēmumus vai organizācijas, kurām ir reāla fiskālā sistēma (vienkāršota reāla vai reāla). Sistēma, kurā izmanto PVN. VATIsNotUsedExampleFR=Francijā tas nozīmē asociācijas, kas nav deklarētas par tirdzniecības nodokli, vai uzņēmumi, organizācijas vai brīvās profesijas, kas izvēlējušās mikrouzņēmumu fiskālo sistēmu (pārdošanas nodoklis franšīzē) un samaksājuši franšīzes pārdošanas nodokli bez pārdošanas nodokļa deklarācijas. Ar šo izvēli rēķinos būs redzama atsauce "Nav piemērojams pārdošanas nodoklis - CGI 293.B pants". +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Tirdzniecības nodokļa veids LTRate=Likme @@ -1399,8 +1410,8 @@ PHPModuleLoaded=Tiek ielādēts PHP komponents %s PreloadOPCode=Tiek izmantots iepriekš ielādēts OPCode AddRefInList=Parādīt klienta/piegādātāja atsauci kombinētajos sarakstos.
      Trešās puses tiks rādītas ar nosaukuma formātu "CC12345 - SC45678 - The Big Company corp." "The Big Company corp" vietā. AddVatInList=Parādiet klienta/pārdevēja PVN numuru kombinētajos sarakstos. -AddAdressInList=Parādiet klienta/pārdevēja adresi kombinētajos sarakstos.
      Trešās puses parādīsies ar nosaukumu "The Big Company corp. - 21 jump street 123456 Big Town - USA", nevis "The Big Company corp". -AddEmailPhoneTownInContactList=Parādīt kontaktpersonas e-pastu (vai tālruņus, ja tie nav definēti) un pilsētas informācijas sarakstu (atlasīt sarakstu vai kombinēto lodziņu) 59 65 66 - Parīze ", nevis" Dupond Durand ". +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Parādīt kontaktpersonu e-pasta adresi (vai tālruņus, ja tas nav definēts) un pilsētas informācijas sarakstu (atlasiet sarakstu vai kombinēto lodziņu)
      Kontaktpersonas tiks rādītas ar nosaukuma formātu "Dupond Durand - dupond.durand@example .com — Parīze” vai “Dupond Durand — 06 07 59 65 66 — Parīze”, nevis “Dupond Durand”. AskForPreferredShippingMethod=Pieprasiet vēlamo piegādes metodi trešajām pusēm. FieldEdition=Izdevums lauka %s FillThisOnlyIfRequired=Piemērs: +2 (aizpildiet tikai, ja sastopaties ar problēmām) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Nerādīt saiti "Aizmirsta parole" pieteik UsersSetup=Lietotāju moduļa uzstādīšana UserMailRequired=Lai izveidotu jaunu lietotāju, nepieciešams e-pasts UserHideInactive=Paslēpt neaktīvos lietotājus no visiem kombinētajiem lietotāju sarakstiem (Nav ieteicams: tas var nozīmēt, ka dažās lapās nevarēsit filtrēt vai meklēt vecos lietotājus) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Dokumentu veidnes dokumentiem, kas ģenerēti no lietotāja ieraksta GroupsDocModules=Dokumentu veidnes dokumentiem, kas ģenerēti no grupas ieraksta ##### HRM setup ##### @@ -1509,8 +1522,8 @@ WatermarkOnDraftContractCards=Ūdenszīme uz līgumu projektiem (nav, ja tukšs MembersSetup=Dalībnieku moduļa uzstādīšana MemberMainOptions=Galvenās iespējas MemberCodeChecker=Iespējas automātiskai dalībnieku kodu ģenerēšanai -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +AdherentLoginRequired=Pārvaldiet katra dalībnieka pieteikumvārdu/paroli +AdherentLoginRequiredDesc=Pievienojiet dalībnieka failam pieteikumvārda un paroles vērtību. Ja dalībnieks ir saistīts ar lietotāju, atjauninot dalībnieka pieteikumvārdu un paroli, tiks atjaunināts arī lietotāja pieteikumvārds un parole. AdherentMailRequired=Lai izveidotu jaunu dalībnieku, nepieciešams e-pasts MemberSendInformationByMailByDefault=Rūtiņu, lai nosūtītu pasta apstiprinājums locekļiem (validāciju vai jauns abonements) ir ieslēgts pēc noklusējuma MemberCreateAnExternalUserForSubscriptionValidated=Katram apstiprinātam jaunam dalībnieka abonementam izveidojiet ārēju lietotāja pieteikuminformāciju @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Grupas LDAPContactsSynchro=Kontakti LDAPMembersSynchro=Dalībnieki LDAPMembersTypesSynchro=Dalībnieku veidi -LDAPSynchronization=LDAP sinhronizācija +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=LDAP funkcijas nav pieejama jūsu PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1643,11 +1656,11 @@ LDAPFieldEndLastSubscription=Datums, kad pierakstīšanās beidzas LDAPFieldTitle=Ieņemamais amats LDAPFieldTitleExample=Piemērs: virsraksts LDAPFieldGroupid=Grupas id -LDAPFieldGroupidExample=Example : gidnumber +LDAPFieldGroupidExample=Piemērs: gidnumber LDAPFieldUserid=Lietotāja ID -LDAPFieldUseridExample=Example : uidnumber +LDAPFieldUseridExample=Piemērs: uidnumber LDAPFieldHomedirectory=Sākuma sadaļa -LDAPFieldHomedirectoryExample=Piemērs: mājas direktorija +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=Mājas direktorijas prefikss LDAPSetupNotComplete=LDAP uzstādīšana nav pilnīga (doties uz citām cilnēm) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Nav administratora parole. LDAP pieeja būs anonīmi un tikai lasīšanas režīmā. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled. OPCodeCache=Opcode cache NoOPCodeCacheFound=Nav atrasta OPCode kešatmiņa. Varbūt jūs izmantojat OPCode kešatmiņu, kas nav XCache vai eAccelerator (labi), vai varbūt jums nav OPCode kešatmiņas (ļoti slikta). -HTTPCacheStaticResources=HTTP kešatmiņu statisko resursu (CSS, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=Faili tipa %s ir kešatmiņā ar HTTP serveri FilesOfTypeNotCached=Faili tipa %s nav kešatmiņā ar HTTP serveri FilesOfTypeCompressed=Faili Tipa %s tiek saspiesti ar HTTP serveri @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Brīvais teksts piegādes dokumentiem ##### FCKeditor ##### AdvancedEditor=Uzlabotais redaktors ActivateFCKeditor=Aktivizēt uzlabotos redaktoru: -FCKeditorForNotePublic=WYSIWIG elementu lauka "publiskās piezīmes" izveide/izdošana -FCKeditorForNotePrivate=WYSIWIG elementu lauka "privātās piezīmes" izveide/izdošana -FCKeditorForCompany=WYSIWIG elementu (izņemot produktus/pakalpojumus) lauka apraksta izveide/izdevums -FCKeditorForProductDetails=WYSIWIG produktu aprakstu vai rindu izveide/izdošana objektiem (priekšlikumu rindas, pasūtījumi, rēķini utt...). +FCKeditorForNotePublic=WYSIWYG elementu lauka "publiskās piezīmes" izveide/izdošana +FCKeditorForNotePrivate=WYSIWYG elementu lauka "privātās piezīmes" izveide/izdošana +FCKeditorForCompany=Elementu (izņemot produktus/pakalpojumus) lauka apraksta WYSIWYG izveide/izdošana +FCKeditorForProductDetails=WYSIWYG produktu aprakstu vai rindu izveide/izdošana objektiem (priekšlikumu rindas, pasūtījumi, rēķini utt.). FCKeditorForProductDetails2=Brīdinājums. Šīs opcijas izmantošana šajā gadījumā nav nopietni ieteicama, jo, veidojot PDF failus, tas var radīt problēmas ar speciālajām rakstzīmēm un lappušu formatējumu. -FCKeditorForMailing= WYSIWYG izveide/ izdevums masveida emailings (Tools-> e-pastu) -FCKeditorForUserSignature=WYSIWYG izveide/labošana lietotāja paraksta -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) -FCKeditorForTicket=WYSIWIG izveide/pieteikumu labošana +FCKeditorForMailing= WYSIWYG izveide/izdevums masveida e-pasta sūtījumiem (Rīki->e-pasts) +FCKeditorForUserSignature=WYSIWYG lietotāja paraksta izveide/izdevums +FCKeditorForMail=WYSIWYG izveide/izdevums visam pastam (izņemot Rīki->e-pasts) +FCKeditorForTicket=WYSIWYG izveide/izdevums biļetēm ##### Stock ##### StockSetup=Krājumu moduļa iestatīšana IfYouUsePointOfSaleCheckModule=Ja jūs izmantojat Punkta pārdošanas moduli (POS), ko nodrošina pēc noklusējuma vai ārējais modulis, šo POS uzstādīšanu var ignorēt jūsu POS modulis. Lielākā daļa POS moduļu ir izveidoti pēc noklusējuma, lai nekavējoties izveidotu rēķinu un samazinātu krājumu neatkarīgi no iespējām šeit. Tātad, ja jums ir vai nav krājumu samazināšanās, reģistrējoties pārdošanai no jūsu POS, pārbaudiet arī POS moduļa iestatījumus. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Personalizētas izvēlnes, kas nav saistītas ar augs NewMenu=Jauna izvēlne MenuHandler=Izvēlnes apstrādātājs MenuModule=Avota modulis -HideUnauthorizedMenu=Slēpt neatļautas izvēlnes arī iekšējiem lietotājiem (tikai pelēcīgi citādi) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=Id izvēlne DetailMenuHandler=Izvēlne administrators, kur rādīt jaunu izvēlni DetailMenuModule=Moduļa nosaukums, ja izvēlnes ierakstam nāk no moduļa @@ -1802,7 +1815,7 @@ DetailType=Izvēlnes veids (augšā vai pa kreisi) DetailTitre=Izvēlne etiķete vai etiķete kods tulkošanai DetailUrl=URL, uz kuru izvēlne jums sūta (relatīvā URL saite vai ārējā saite ar https://) DetailEnabled=Nosacījums, lai parādītu vai ne ierakstu -DetailRight=Nosacījums, lai parādītu neatļautās izvēlnes pelēkas +DetailRight=Condition to display unauthorized gray menus DetailLangs=Lang faila nosaukumu etiķetes kodu tulkošanai DetailUser=Iekšējie / Ārējie / Visi Target=Mērķis @@ -1855,7 +1868,7 @@ PastDelayVCalExport=Neeksportē notikums, kuri vecāki par SecurityKey = Drošības atslēga ##### ClickToDial ##### ClickToDialSetup=Klikšķiniet lai Dial moduļa uzstādīšanas -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). +ClickToDialUrlDesc=URL tiek izsaukts, kad tiek noklikšķināts uz tālruņa attēla. Vietrādī URL varat izmantot tagus
      __PHONETO__ aizstāts ar zvanāmās personas tālruņa numuru
      __PHONEFROM__ tiks aizstāts ar zvanītās personas tālruņa numuru (jūsu)
      __LOGIN__b09a4b739f1 span>, kas tiks aizstāts ar clicktodial pieteikšanos (noteikts lietotāja kartē)
      __PASS__ , kas tiks aizstāta ar clicktodial paroli (noteikta lietotāja kartē). ClickToDialDesc=Šis modulis maina tālruņu numurus, izmantojot galddatoru, uz noklikšķināmām saitēm. Klikšķis piezvanīs uz numuru. To var izmantot, lai sāktu tālruņa zvanu, kad, izmantojot darbvirsmu, izmantojat mīksto tālruni vai, piemēram, izmantojot CTI sistēmu, kuras pamatā ir SIP protokols. Piezīme. Izmantojot viedtālruni, uz tālruņu numuriem vienmēr var noklikšķināt. ClickToDialUseTelLink=Use just a link "tel:" on phone numbers ClickToDialUseTelLinkDesc=Izmantojiet šo metodi, ja jūsu lietotājiem ir programmatūra vai programmatūras saskarne, kas instalēta tajā pašā datorā, kurā atrodas pārlūkprogramma, un zvanīja, kad pārlūkprogrammā noklikšķinājāt uz saites, kas sākas ar "tel:". Ja jums nepieciešama saite, kas sākas ar "sip:", vai pilns servera risinājums (nav nepieciešama vietējās programmatūras instalēšana), jums jāiestata tā uz "Nē" un jāaizpilda nākamais lauks. @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Noklusējuma konts kuru izmanto, lai saņemtu skaidra CashDeskBankAccountForCheque=Noklusējuma konts, kuru izmanto, lai saņemtu maksājumus ar čeku CashDeskBankAccountForCB=Noklusējuma konts, kuru izmanto, lai saņemtu maksājumus ar kredītkarti CashDeskBankAccountForSumup=Noklusējuma bankas konts, kuru izmantot, lai saņemtu maksājumus no SumUp -CashDeskDoNotDecreaseStock=Atspējot krājumu samazinājumu, kad pārdošana tiek veikta no tirdzniecības vietas (ja "nē", krājumu samazinājums tiek veikts par katru pārdošanu, kas veikta no POS, neatkarīgi no moduļa nolikumā norādītās iespējas). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Piespiest un ierobežot noliktavas izmantošanu krājumu samazināšanai StockDecreaseForPointOfSaleDisabled=Krājumu samazinājums no tirdzniecības vietām invalīdiem StockDecreaseForPointOfSaleDisabledbyBatch=Krājumu samazinājums POS nav saderīgs ar moduļa Serial / Lot pārvaldību (pašlaik darbojas), tāpēc krājumu samazinājums ir atspējots. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over HighlightLinesColor=Iezīmējiet līnijas krāsu, kad pele iet pāri (izmantojiet 'ffffff', lai nerādītu izcilumu) HighlightLinesChecked=Iezīmējiet līnijas krāsu, kad tā ir pārbaudīta (izmantojiet 'ffffff', lai nerādītu izcilumu) UseBorderOnTable=Rādīt tabulas kreisās un labās puses apmales +TableLineHeight=Table line height BtnActionColor=Darbības pogas krāsa TextBtnActionColor=Darbības pogas teksta krāsa TextTitleColor=Lapas nosaukuma teksta krāsa @@ -1991,7 +2006,7 @@ EnterAnyCode=Šajā laukā ir norāde, lai identificētu līniju. Ievadiet jebku Enter0or1=Ievadiet 0 vai 1 UnicodeCurrency=Ievadiet šeit starp aplikācijām, baitu skaitļu sarakstu, kas attēlo valūtas simbolu. Piemēram: attiecībā uz $ ievadiet [36] - Brazīlijas reālajam R $ [82,36] - par € ievadiet [8364] ColorFormat=RGB krāsa ir HEX formātā, piemēram: FF0000 -PictoHelp=Ikonas nosaukums formātā:
      - image.png attēla failam pašreizējā motīva direktorijā
      - image.png@module, ja fails ir moduļa direktorijā /img/
      — fonwtawesome_xxx_fa_color_size FontAwesome fa-xxx attēlam (ar prefiksu, krāsu un izmēru komplektu) +PictoHelp=Ikonas nosaukums šādā formātā:
      - image.png attēla failam pašreizējā motīva direktorijā
      - image.png@module ja fails atrodas moduļa direktorijā /img/
      - fa-xxx FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size FontAwesome fa-xxx attēlam (ar prefiksu, krāsu un izmēru komplektu) PositionIntoComboList=Līnijas novietojums kombinētajos sarakstos SellTaxRate=Pārdošanas nodokļa likme RecuperableOnly=Jā par PVN "Neuztverams, bet atgūstams", kas paredzēts dažai Francijas valstij. Uzturiet vērtību "Nē" visos citos gadījumos. @@ -2077,12 +2092,12 @@ MAIN_DOCUMENTS_LOGO_HEIGHT=Logotipa augstums PDF formātā DOC_SHOW_FIRST_SALES_REP=Parādiet pirmo tirdzniecības pārstāvi MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Pievienojiet attēla kolonnu priekšlikuma rindām MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Kolonnas platums, ja līnijām ir pievienots attēls -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Slēpt vienības cenas kolonnu piedāvājuma pieprasījumos +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Slēpt kopējās cenas kolonnu piedāvājuma pieprasījumos +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Slēpt vienības cenas kolonnu pirkšanas pasūtījumos +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Paslēpt kopējās cenas kolonnu pirkšanas pasūtījumos MAIN_PDF_NO_SENDER_FRAME=Slēpt adresāta rāmja robežas -MAIN_PDF_NO_RECIPENT_FRAME=Paslēpt adresāta rāmja robežas +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Paslēpt klienta kodu MAIN_PDF_HIDE_SENDER_NAME=Paslēpt sūtītāja/uzņēmuma nosaukumu adrešu blokā PROPOSAL_PDF_HIDE_PAYMENTTERM=Slēpt maksājumu nosacījumus @@ -2094,7 +2109,7 @@ EnterCalculationRuleIfPreviousFieldIsYes=Ievadiet aprēķina kārtulu, ja ieprie SeveralLangugeVariatFound=Atrasti vairāki valodu varianti RemoveSpecialChars=Noņemt īpašās rakstzīmes COMPANY_AQUARIUM_CLEAN_REGEX=Regex filtrs tīrajai vērtībai (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code +COMPANY_AQUARIUM_NO_PREFIX=Nelietojiet prefiksu, tikai kopējiet klienta vai piegādātāja kodu COMPANY_DIGITARIA_CLEAN_REGEX=Regex filtrs, lai notīrītu vērtību (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=Dublikāts nav atļauts RemoveSpecialWords=Izveidojot klientu vai piegādātāju apakškontus, notīriet noteiktus vārdus @@ -2117,14 +2132,14 @@ NewEmailCollector=Jauns e-pasta savācējs EMailHost=E-pasta IMAP serveris EMailHostPort=E-pasta IMAP servera ports loginPassword=Pieslēgšanās parole -oauthToken=OAuth2 token -accessType=Piekļuves veids +oauthToken=OAuth2 pilnvara +accessType=Access type oauthService=Oauth pakalpojums TokenMustHaveBeenCreated=Ir jābūt iespējotam modulim OAuth2 un jābūt izveidotam oauth2 pilnvarai ar pareizām atļaujām (piemēram, tvērums "gmail_full" ar OAuth pakalpojumam Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session +ImapEncryption = IMAP šifrēšanas metode +ImapEncryptionHelp = Piemērs: nav, ssl, tls, notls +NoRSH = Izmantojiet NoRSH konfigurāciju +NoRSHHelp = Neizmantojiet RSH vai SSH protokolus, lai izveidotu IMAP iepriekšējas identifikācijas sesiju MailboxSourceDirectory=Pastkastes avota katalogs MailboxTargetDirectory=Pastkastes mērķa direktorija EmailcollectorOperations=Darbi, ko veic savācējs @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Neiekļaujiet e-pasta galvenes saturu apkopoto e-p EmailCollectorHideMailHeadersHelp=Ja tas ir iespējots, e-pasta galvenes netiek pievienotas e-pasta satura beigās, kas tiek saglabāts kā dienas kārtības notikums. EmailCollectorConfirmCollectTitle=E-pasts apkopo apstiprinājumu EmailCollectorConfirmCollect=Vai vēlaties vadīt šo kolekcionāru tagad? -EmailCollectorExampleToCollectTicketRequestsDesc=Apkopojiet e-pasta ziņojumus, kas atbilst dažiem noteikumiem, un automātiski izveidojiet biļeti (jābūt iespējotai moduļa biļetei) ar e-pasta informāciju. Varat izmantot šo savācēju, ja sniedzat atbalstu pa e-pastu, tāpēc jūsu biļešu pieprasījums tiks automātiski ģenerēts. Aktivizējiet arī Collect_Responses, lai savāktu klienta atbildes tieši biļešu skatā (jums ir jāatbild no Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Biļešu pieprasījuma apkopošanas piemērs (tikai pirmā ziņa) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Skenējiet pastkastes direktoriju "Nosūtītie", lai atrastu e-pasta ziņojumus, kas tika nosūtīti kā atbilde uz citu e-pasta ziņojumu tieši no jūsu e-pasta programmatūras, nevis no Dolibarr. Ja šāds e-pasts tiek atrasts, atbildes notikums tiek ierakstīts Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Piemērs e-pasta atbilžu apkopošanai, kas nosūtītas no ārējas e-pasta programmatūras EmailCollectorExampleToCollectDolibarrAnswersDesc=Apkopojiet visus e-pasta ziņojumus, kas ir atbilde uz e-pasta ziņojumu, kas nosūtīts no jūsu pieteikuma. Notikums (jābūt iespējotam moduļa darba kārtībai) ar e-pasta atbildi tiks ierakstīts pareizajā vietā. Piemēram, ja no lietojumprogrammas e-pastā nosūtāt komerciālu piedāvājumu, pasūtījumu, rēķinu vai biļetes ziņojumu un saņēmējs atbild uz jūsu e-pastu, sistēma automātiski uztvers atbildi un pievienos to jūsu ERP. EmailCollectorExampleToCollectDolibarrAnswers=Piemērs, kurā apkopoti visi ienākošie ziņojumi, kas ir atbildes uz ziņojumiem, kas nosūtīti no Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Apkopojiet e-pasta ziņojumus, kas atbilst dažiem noteikumiem, un automātiski izveidojiet potenciālo pirkumu (jābūt iespējotam moduļa projektam) ar e-pasta informāciju. Varat izmantot šo savācēju, ja vēlaties sekot savai vadībai, izmantojot moduli Projekts (1 potenciālais pirkums = 1 projekts), tāpēc jūsu potenciālie pirkumi tiks ģenerēti automātiski. Ja ir iespējots arī savācējs Collect_Responses, sūtot e-pastu no saviem potenciālajiem pirkumiem, priekšlikumiem vai jebkura cita objekta, jūs varat redzēt arī savu klientu vai partneru atbildes tieši lietojumprogrammā.
      Piezīme. Šajā sākotnējā piemērā tiek ģenerēts potenciālā pirkuma nosaukums, ieskaitot e-pastu. Ja trešo pusi nevar atrast datu bāzē (jauns klients), potenciālais pirkums tiks pievienots trešajai pusei ar ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Potenciālo pirkumu apkopošanas piemērs EmailCollectorExampleToCollectJobCandidaturesDesc=Savāciet e-pasta ziņojumus, kas attiecas uz darba piedāvājumiem (jābūt iespējotai Moduļa personāla atlasei). Varat pabeigt šo apkopojumu, ja vēlaties automātiski izveidot kandidatūru darba pieprasījumam. Piezīme. Šajā sākotnējā piemērā tiek ģenerēts kandidatūras nosaukums, ieskaitot e-pastu. EmailCollectorExampleToCollectJobCandidatures=Piemērs e-pastā saņemto darba kandidatūru apkopošanai @@ -2169,7 +2184,7 @@ CreateCandidature=Izveidot darba pieteikumu FormatZip=Pasta indekss MainMenuCode=Izvēlnes ievades kods (mainmenu) ECMAutoTree=Rādīt automātisko ECM koku -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. +OperationParamDesc=Definējiet kārtulas, kas jāizmanto, lai izvilktu dažus darbības datus vai iestatītu vērtības.

      Piemērs uzņēmuma nosaukuma izvilkšanai no e-pasta tēmu pagaidu mainīgajā:
      tmp_var=EXTRACT:SUBJECT:Ziņojums no uzņēmuma ([^\n]*)

      Piemēri izveidojamā objekta rekvizītu iestatīšanai:
      objproperty1=SET: stingri kodēta vērtība
      objproperty2=SET:__tmp_var__
      objvalue:3=aIFEMP ir iestatīts tikai tad, ja rekvizīts vēl nav definēts)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My uzņēmuma nosaukums ir\\ s([^\\s]*)

      Izmantojiet jaunu rindiņu, lai izvilktu vai iestatītu vairākus rekvizītus. OpeningHours=Darba laiks OpeningHoursDesc=Ievadiet šeit sava uzņēmuma pastāvīgo darba laiku. ResourceSetup=Resursu moduļa konfigurēšana @@ -2188,10 +2203,10 @@ Protanopia=Protanopija Deuteranopes=Deuteranopes Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=Šo vērtību katrs lietotājs var pārrakstīt no lietotāja lapas - cilnes '%s' -DefaultCustomerType="Jaunā klienta" izveides veidlapas noklusējuma trešās puses veids +DefaultCustomerType=Noklusējuma trešās puses veids izveides veidlapai “Jauns klients”. ABankAccountMustBeDefinedOnPaymentModeSetup=Piezīme. Lai veiktu šo funkciju, katra maksājuma režīma modulī (Paypal, Stripe, ...) ir jānosaka bankas konts. RootCategoryForProductsToSell=Pārdodamo produktu sakņu kategorija -RootCategoryForProductsToSellDesc=Ja tas ir definēts, tikai šajā kategorijā ietilpstošie produkti vai šīs kategorijas bērni būs pieejami pārdošanas vietā +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=Atkļūdošanas josla DebugBarDesc=Rīkjosla, kurā ir daudz rīku, lai vienkāršotu atkļūdošanu DebugBarSetup=DebugBar iestatīšana @@ -2212,11 +2227,11 @@ ImportSetup=Moduļa importēšanas iestatīšana InstanceUniqueID=Unikāls gadījuma ID SmallerThan=Mazāks nekā LargerThan=Lielāks nekā -IfTrackingIDFoundEventWillBeLinked=Ņemiet vērā: ja objekta izsekošanas ID tiek atrasts e-pastā vai ja e-pasts ir atbilde uz e-pastu, kas ir savākts un saistīts ar objektu, izveidotais notikums tiks automātiski saistīts ar zināmo saistīto objektu. -WithGMailYouCanCreateADedicatedPassword=Izmantojot GMail kontu, ja esat iespējojis 2 soļu validāciju, ieteicams izveidot īpašu lietojumprogrammas otro paroli, nevis izmantot sava konta caurlaides paroli no https://myaccount.google.com/. -EmailCollectorTargetDir=Vēlama rīcība var būt e-pasta pārvietošana citā tagā / direktorijā, kad tas tika veiksmīgi apstrādāts. Vienkārši šeit iestatiet direktorijas nosaukumu, lai izmantotu šo funkciju (nelietojiet nosaukumā īpašās rakstzīmes). Ņemiet vērā, ka jāizmanto arī lasīšanas / rakstīšanas pieteikšanās konts. -EmailCollectorLoadThirdPartyHelp=Varat izmantot šo darbību, lai izmantotu e-pasta saturu, lai atrastu un ielādētu esošu trešo pusi savā datu bāzē (meklēšana tiks veikta definētajā rekvizītā starp 'id', 'name', 'name_alias', 'email'). Atrastā (vai izveidotā) trešā puse tiks izmantota turpmākajām darbībām, kurām tā ir nepieciešama.
      Piemēram, ja vēlaties izveidot trešo pusi ar nosaukumu, kas izvilkts no virknes 'Vārds: jāatrod vārds', kas atrodas pamattekstā, izmantojiet sūtītāja e-pastu kā e-pastu, parametra lauku varat iestatīt šādi:
      'email= HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=Ja esat iespējojis 2 pakāpju validāciju, izmantojot Gmail kontu, ieteicams lietojumprogrammai izveidot īpašu otro paroli, nevis izmantot sava konta paroli vietnē https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=Varat izmantot šo darbību, lai izmantotu e-pasta saturu, lai atrastu un ielādētu esošu trešo pusi savā datu bāzē (meklēšana tiks veikta definētajā rekvizītā starp 'id', 'name', 'name_alias', 'email'). Atrastā (vai izveidotā) trešā puse tiks izmantota šādām darbībām, kurām tā ir nepieciešama.
      Piemēram, ja vēlaties izveidot trešo pusi ar nosaukumu, kas izvilkts no virknes " Nosaukums: vārds, kas jāatrod, izmantojiet sūtītāja e-pastu kā e-pastu, parametra lauku varat iestatīt šādi:
      'email=HEADER:^No:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=Brīdinājums: daudzi e-pasta serveri (piemēram, Gmail), meklējot virknē, veic pilnu vārdu meklēšanu un neatgriezīs rezultātu, ja virkne tiks atrasta tikai daļēji. Arī šī iemesla dēļ speciālo rakstzīmju izmantošana meklēšanas kritērijos tiks ignorēta, ja tie nav daļa no esošajiem vārdiem.
      Lai veiktu vārda izslēgšanu (ja vārds tiks nosūtīts atpakaļ e-pastā nav atrasts), varat izmantot ! rakstzīme pirms vārda (var nedarboties dažos pasta serveros). EndPointFor=Beigu punkts %s: %s DeleteEmailCollector=Dzēst e-pasta kolekcionāru ConfirmDeleteEmailCollector=Vai tiešām vēlaties dzēst šo e-pasta kolekcionāru? @@ -2233,11 +2248,11 @@ EMailsWillHaveMessageID=E-pastam būs tags “Atsauces”, kas atbilst šai sint PDF_SHOW_PROJECT=Parādīt projektu dokumentā ShowProjectLabel=Projekta etiķete PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Iekļaujiet aizstājvārdu trešās puses nosaukumā -THIRDPARTY_ALIAS=Trešās puses nosaukums — trešās puses aizstājvārds +THIRDPARTY_ALIAS=Trešās puses nosaukums — trešās puses aizstājvārds ALIAS_THIRDPARTY=Trešās puses aizstājvārds — trešās puses nosaukums -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) +PDFIn2Languages=Rādīt PDF faila iezīmes 2 dažādās valodās (šī funkcija var nedarboties dažās valodās) PDF_USE_ALSO_LANGUAGE_CODE=Ja vēlaties, lai daži PDF faili tiktu dublēti 2 dažādās valodās tajā pašā ģenerētajā PDF failā, jums šeit ir jāiestata šī otrā valoda, lai ģenerētais PDF saturētu vienā un tajā pašā lappusē 2 dažādas valodas, vienu izvēloties, ģenerējot PDF, un šo ( tikai dažas PDF veidnes to atbalsta). Vienā PDF formātā atstājiet tukšumu 1 valodā. -PDF_USE_A=Ģenerējiet PDF dokumentus PDF/A formātā, nevis noklusējuma formātā PDF +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Šeit ievadiet FontAwesome ikonas kodu. Ja jūs nezināt, kas ir FontAwesome, varat izmantot vispārīgo vērtību fa-adrešu grāmata. RssNote=Piezīme. Katra RSS plūsmas definīcija nodrošina logrīku, kas jums jāiespējo, lai tas būtu pieejams informācijas panelī JumpToBoxes=Pāriet uz Iestatīšana -> logrīki @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Šeit varat atrast drošības konsultācijas ModuleActivatedMayExposeInformation=Šis PHP paplašinājums var atklāt konfidenciālus datus. Ja jums tas nav nepieciešams, atspējojiet to. ModuleActivatedDoNotUseInProduction=Izstrādei paredzētais modulis ir iespējots. Neiespējojiet to ražošanas vidē. CombinationsSeparator=Atdalītāja raksturs produktu kombinācijām -SeeLinkToOnlineDocumentation=Piemēru skatiet saiti uz tiešsaistes dokumentēšanu augšējā izvēlnē +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=Ja tiek izmantots moduļa %s līdzeklis "%s", parādiet sīkāku informāciju par komplekta apakšproduktiem PDF formātā. AskThisIDToYourBank=Lai iegūtu šo ID, sazinieties ar savu banku -AdvancedModeOnly=Atļauja ir pieejama tikai papildu atļauju režīmā +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=Conf fails ir lasāms vai rakstāms visiem lietotājiem. Piešķirt atļauju tikai tīmekļa servera lietotājam un grupai. MailToSendEventOrganization=Pasākuma organizēšana MailToPartnership=Partnerība AGENDA_EVENT_DEFAULT_STATUS=Noklusējuma notikuma statuss, veidojot notikumu no formas YouShouldDisablePHPFunctions=Jums vajadzētu atspējot PHP funkcijas -IfCLINotRequiredYouShouldDisablePHPFunctions=PHP funkcijas ir jāatspējo, izņemot gadījumus, kad sistēmas komandas ir jāpalaiž pielāgotā kodā +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=Apvalka vajadzībām (piemēram, ieplānota darba dublēšana vai pretvīrusu programmas palaišana), jums ir jāsaglabā PHP funkcijas NoWritableFilesFoundIntoRootDir=Jūsu saknes direktorijā netika atrasti ierasto failu vai direktoriju kopējās programmas (labi) RecommendedValueIs=Ieteicams: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Tīmekļa aizķeres iestatīšana Settings = Iestatījumi WebhookSetupPage = Web aizķeres iestatīšanas lapa ShowQuickAddLink=Rādīt pogu, lai ātri pievienotu elementu augšējā labajā izvēlnē - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Hash izmantots ping ReadOnlyMode=Instancē ir tikai lasīšanas režīms DEBUGBAR_USE_LOG_FILE=Izmantojiet failu dolibarr.log , lai notvertu žurnālus @@ -2337,15 +2352,15 @@ DefaultOpportunityStatus=Noklusējuma iespējas statuss (pirmais statuss, kad ti IconAndText=Ikona un teksts TextOnly=Tikai teksts -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon +IconOnlyAllTextsOnHover=Tikai ikona — visi teksti tiek rādīti zem ikonas, kas atrodas virs izvēlnes joslas +IconOnlyTextOnHover=Tikai ikona — ikonas teksts parādās zem ikonas virs ikonas IconOnly=Tikai ikona — teksts tikai rīka padomos INVOICE_ADD_ZATCA_QR_CODE=Rādīt ZATCA QR kodu rēķinos INVOICE_ADD_ZATCA_QR_CODEMore=Dažām arābu valstīm šis QR kods ir nepieciešams savos rēķinos INVOICE_ADD_SWISS_QR_CODE=Rādīt Šveices QR-rēķina kodu uz rēķiniem -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. +INVOICE_ADD_SWISS_QR_CODEMore=Šveices standarts rēķiniem; pārliecinieties, vai ir aizpildīts ZIP un City un vai kontiem ir derīgi Šveices/Lihtenšteinas IBAN. INVOICE_SHOW_SHIPPING_ADDRESS=Rādīt piegādes adresi -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) +INVOICE_SHOW_SHIPPING_ADDRESSMore=Obligāta norāde dažās valstīs (Francijā, ...) UrlSocialNetworksDesc=Sociālā tīkla URL saite. Mainīgajai daļai, kas satur sociālā tīkla ID, izmantojiet {socialid}. IfThisCategoryIsChildOfAnother=Ja šī kategorija ir citas kategorijas bērns DarkThemeMode=Tumšā motīva režīms @@ -2360,7 +2375,7 @@ CIDLookupURL=Modulis nodrošina URL, ko var izmantot ārējs rīks, lai iegūtu OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 autentifikācija nav pieejama visiem resursdatoriem, un iepriekš ar OAUTH moduli ir jābūt izveidotam pilnvarai ar pareizajām atļaujām. MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 autentifikācijas pakalpojums DontForgetCreateTokenOauthMod=Iepriekš ar OAUTH moduli ir jābūt izveidotam pilnvarai ar pareizajām atļaujām -MAIN_MAIL_SMTPS_AUTH_TYPE=Autentifikācijas metode +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Izmantojiet paroli UseOauth=Izmantojiet OAUTH pilnvaru Images=Attēli @@ -2373,16 +2388,17 @@ DefinedAPathForAntivirusCommandIntoSetup=Definējiet pretvīrusu programmas ceļ TriggerCodes=Iedarbināmi notikumi TriggerCodeInfo=Ievadiet šeit aktivizētāja kodu(-us), kam ir jāģenerē tīmekļa pieprasījuma ziņa (ir atļauti tikai ārējie URL). Varat ievadīt vairākus sprūda kodus, atdalot tos ar komatu. EditableWhenDraftOnly=Ja nav atzīmēta, vērtību var mainīt tikai tad, ja objektam ir melnraksta statuss -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" +CssOnEdit=CSS rediģēšanas lapās +CssOnView=CSS skata lapās +CssOnList=CSS sarakstos +HelpCssOnEditDesc=CSS, kas izmantots, rediģējot lauku.
      Piemērs: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=CSS, ko izmanto, skatot lauku. +HelpCssOnListDesc=CSS, ko izmanto, ja lauks atrodas saraksta tabulā.
      Piemērs: "tdoverflowmax200" RECEPTION_PDF_HIDE_ORDERED=Slēpt pasūtīto daudzumu uz ģenerētajiem pieņemšanas dokumentiem MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Parādiet cenu uz ģenerētajiem pieņemšanas dokumentiem WarningDisabled=Brīdinājums ir atspējots LimitsAndMitigation=Piekļuves ierobežojumi un mazināšana +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Tikai galddatoriem DesktopsAndSmartphones=Galddatori un viedtālruņi AllowOnlineSign=Atļaut tiešsaistes parakstīšanu @@ -2403,6 +2419,24 @@ Defaultfortype=Noklusējums DefaultForTypeDesc=Veidne tiek izmantota pēc noklusējuma, veidojot jaunu e-pasta ziņojumu veidnes veidam OptionXShouldBeEnabledInModuleY=Opcija " %s " ir jāiespējo modulī %s a09a4b739f17 OptionXIsCorrectlyEnabledInModuleY=Opcija " %s " ir iespējota modulī %s a09a4b739f17f8 -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowOnLineSign=Atļaut tiešsaistes parakstu +AtBottomOfPage=Lapas apakšā +FailedAuth=neizdevās autentifikācijas +MaxNumberOfFailedAuth=Maksimālais neveiksmīgo autentifikācijas gadījumu skaits 24 stundu laikā, lai liegtu pieteikšanos. +AllowPasswordResetBySendingANewPassByEmail=Ja lietotājam A ir šī atļauja un pat ja lietotājs A nav administrators, A drīkst atiestatīt jebkura cita lietotāja B paroli, jaunā parole tiks nosūtīta uz cita lietotāja B e-pastu, bet tā nebūs redzama A. Ja lietotājam A ir “admin” karogs, viņš arī varēs uzzināt, kāda ir B jaunā ģenerētā parole, lai viņš varētu pārņemt kontroli pār B lietotāja kontu. +AllowAnyPrivileges=Ja lietotājam A ir šī atļauja, viņš var izveidot lietotāju B ar visām privilēģijām un pēc tam izmantot šo lietotāju B vai piešķirt sev jebkuru citu grupu ar jebkādām atļaujām. Tātad tas nozīmē, ka lietotājam A pieder visas biznesa privilēģijas (tiks aizliegta tikai sistēmas piekļuve iestatīšanas lapām) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Šo vērtību var nolasīt, jo jūsu gadījums nav iestatīts ražošanas režīmā +SeeConfFile=Skatiet servera conf.php failu +ReEncryptDesc=Atkārtoti šifrējiet datus, ja tie vēl nav šifrēti +PasswordFieldEncrypted=%s jauns ieraksts, vai šis lauks ir šifrēts +ExtrafieldsDeleted=Papildlauki %s ir dzēsti +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/lv_LV/bills.lang b/htdocs/langs/lv_LV/bills.lang index 537bff1bc14..057c9b95756 100644 --- a/htdocs/langs/lv_LV/bills.lang +++ b/htdocs/langs/lv_LV/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Veikt maksājumu dēļ klientam DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero PriceBase=Bāzes cena BillStatus=Rēķina statuss -StatusOfGeneratedInvoices=Izveidoto rēķinu statuss +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Melnraksts (jāapstiprina) BillStatusPaid=Apmaksāts BillStatusPaidBackOrConverted=Kredītkartes atmaksa vai atzīme par pieejamu kredītu @@ -164,10 +164,10 @@ BillFrom=No BillTo=Kam ShippingTo=Sūtīt uz ActionsOnBill=Pasākumi attiecībā uz rēķinu -ActionsOnBillRec=Actions on recurring invoice +ActionsOnBillRec=Darbības ar atkārtotu rēķinu RecurringInvoiceTemplate=Veidne / periodiskais rēķins NoQualifiedRecurringInvoiceTemplateFound=Nav atkārtota veidņu rēķina, kas derīga paaudzei. -FoundXQualifiedRecurringInvoiceTemplate=Atrodas %s atkārtotas veidnes rēķins (-i), kas ir piemērots paaudzei. +FoundXQualifiedRecurringInvoiceTemplate=%s atkārtots(-i) veidnes rēķins(-i) ir kvalificēti ģenerēšanai. NotARecurringInvoiceTemplate=Nav atkārtota veidnes rēķina NewBill=Jauns rēķins LastBills=Pēdējie %s rēķini @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Pārdevēja rēķinu sagataves Unpaid=Nesamaksāts ErrorNoPaymentDefined=Kļūda Nav noteikts maksājums ConfirmDeleteBill=Vai tiešām vēlaties dzēst šo rēķinu? -ConfirmValidateBill=Vai jūs tiešām vēlaties apstiprināt šo rēķinu ar atsauci %s? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Vai esat pārliecināts, ka vēlaties mainīt rēķinu %s uz sagataves statusu? ConfirmClassifyPaidBill=Vai esat pārliecināts, ka vēlaties mainīt rēķina %s, statusu uz samaksāts? ConfirmCancelBill=Vai esat pārliecināts, ka vēlaties atcelt rēķinu %s ? @@ -197,9 +197,9 @@ ConfirmClassifyPaidPartiallyReasonDiscount=Atlikušais neapmaksātais (%s %s ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I accept to lose the VAT on this discount. ConfirmClassifyPaidPartiallyReasonDiscountVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I recover the VAT on this discount without a credit note. ConfirmClassifyPaidPartiallyReasonBadCustomer=Slikts klients -ConfirmClassifyPaidPartiallyReasonBadSupplier=Bad vendor -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) -ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax +ConfirmClassifyPaidPartiallyReasonBadSupplier=Slikts pārdevējs +ConfirmClassifyPaidPartiallyReasonBankCharge=Bankas ieturējums (starpbankas komisijas maksa) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=Ieturējuma nodoklis ConfirmClassifyPaidPartiallyReasonProductReturned=Produkti daļēji atgriezti ConfirmClassifyPaidPartiallyReasonOther=Summa pamesta cita iemesla dēļ ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=Šī izvēle ir iespējama, ja jūsu rēķinā tiek piedāvāti piemēroti komentāri. (Piemērs "Tikai nodoklis, kas atbilst faktiski samaksātajai cenai, dod tiesības uz atskaitījumu") @@ -208,16 +208,16 @@ ConfirmClassifyPaidPartiallyReasonAvoirDesc=Izmantojiet šo izvēli, ja visi cit ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=sliktais klients ir klients, kurš atsakās maksāt parādu. ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Šo izvēli izmanto, ja samaksa nav bijusi pilnīga, jo daži no produktiem, tika atgriezti ConfirmClassifyPaidPartiallyReasonBankChargeDesc=Nesamaksātā summa ir starpniecības bankas komisijas maksa , kas tiek ieturēta tieši no Klienta samaksātās pareizās summas . -ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=Nesamaksātā summa nekad netiks samaksāta, jo tas ir ieturējuma nodoklis ConfirmClassifyPaidPartiallyReasonOtherDesc=Izmantojiet šo izvēli, ja visi citi nav piemēroti, piemēram, šādā situācijā:
      - maksājums nav pabeigts, jo daži produkti tika nosūtīti atpakaļ
      - pieprasītā summa ir pārāk svarīga, jo atlaide tika aizmirsta
      visos gadījumos summa Pārmērīgi liels pieprasījums ir jālabo grāmatvedības sistēmā, izveidojot kredītzīmi. -ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=A bad supplier is a supplier we refuse to pay. +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=slikts piegādātājs ir piegādātājs, kuru atsakāmies maksāt. ConfirmClassifyAbandonReasonOther=Cits ConfirmClassifyAbandonReasonOtherDesc=Šī izvēle tiek izmantota visos citos gadījumos. Piemēram, tāpēc, ka jūs plānojat, lai izveidotu aizstāt rēķinu. ConfirmCustomerPayment=Vai jūs apstiprināt šo maksājuma ievadi, %s %s? ConfirmSupplierPayment=Vai jūs apstiprināt šo maksājuma ievadi, %s %s? ConfirmValidatePayment=Vai jūs tiešām vēlaties apstiprināt šo maksājumu? Nevienas izmaiņas nevarēs veikt, kad maksājums būs apstiprināts. ValidateBill=Apstiprināt rēķinu -UnvalidateBill=Nepārbaudīts rēķins +UnvalidateBill=Invalidate invoice NumberOfBills=Rēķinu skaits NumberOfBillsByMonth=Rēķinu skaits mēnesī AmountOfBills=Rēķinu summa @@ -250,12 +250,13 @@ RemainderToTake=Atlikusī summa, kas jāsaņem RemainderToTakeMulticurrency=Atlikušā summa, kas jāņem, sākotnējā valūta RemainderToPayBack=Atlikušā summa atmaksai RemainderToPayBackMulticurrency=Atlikusī atmaksājamā summa, sākotnējā valūta +NegativeIfExcessReceived=negatīvs, ja saņemts pārpalikums NegativeIfExcessRefunded=negatīvs, ja tiek atmaksāta pārpalikuma summa +NegativeIfExcessPaid=negative if excess paid Rest=Gaida AmountExpected=Pieprasītā summa ExcessReceived=Saņemts pārpalikums ExcessReceivedMulticurrency=Pārpalikums saņemts, sākotnējā valūta -NegativeIfExcessReceived=negatīvs, ja saņemts pārpalikums ExcessPaid=Pārmaksātā summa ExcessPaidMulticurrency=Pārmaksāta sākotnējā valūta EscompteOffered=Piedāvāta atlaide (maksājums pirms termiņa) @@ -290,7 +291,7 @@ SetRevenuStamp=Set revenue stamp Billed=Samaksāts RecurringInvoices=Atkārtoti rēķini RecurringInvoice=Periodisks rēķins -RecurringInvoiceSource=Source recurring invoice +RecurringInvoiceSource=Avots periodiskais rēķins RepeatableInvoice=Rēķina paraugs RepeatableInvoices=Rēķinu paraugs RecurringInvoicesJob=Atkārtotu rēķinu ģenerēšana (pārdošanas rēķini) @@ -333,8 +334,8 @@ DiscountFromExcessPaid=Maksājumi, kas pārsniedz rēķinu %s AbsoluteDiscountUse=Šis kredīta veids var izmantot rēķinā pirms tās apstiprināšanas CreditNoteDepositUse=Rēķins ir jāapstiprina, lai izmantotu šāda veida kredītus NewGlobalDiscount=Jauna absolūta atlaide -NewSupplierGlobalDiscount=New absolute supplier discount -NewClientGlobalDiscount=New absolute client discount +NewSupplierGlobalDiscount=Jauna absolūtā piegādātāja atlaide +NewClientGlobalDiscount=Jauna absolūta klienta atlaide NewRelativeDiscount=Jauna relatīva atlaide DiscountType=Atlaides veids NoteReason=Piezīme / Iemesls @@ -404,7 +405,7 @@ DateLastGenerationShort=Datuma pēdējais gen. MaxPeriodNumber=Maks. rēķinu veidošanas skaits NbOfGenerationDone=Rēķina paaudzes skaits jau ir pabeigts NbOfGenerationOfRecordDone=Jau veikto ierakstu ģenerēšanas skaits -NbOfGenerationDoneShort=Number of generations done +NbOfGenerationDoneShort=Padarīto paaudžu skaits MaxGenerationReached=Maksimālais sasniegto paaudžu skaits InvoiceAutoValidate=Rēķinus automātiski apstiprināt GeneratedFromRecurringInvoice=Generated from template recurring invoice %s @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Vispirms vispirms jāizveido standarta rē PDFCrabeDescription=Rēķina PDF veidne Krabis. Pilna rēķina veidne (vecā Sponge veidnes ieviešana) PDFSpongeDescription=Rēķina PDF veidne Sponge. Pilnīga rēķina veidne PDFCrevetteDescription=Rēķina PDF veidne Crevette. Pabeigta rēķina veidne situāciju rēķiniem -TerreNumRefModelDesc1=Atgriešanās numurs formātā %syymm-nnnn standarta rēķiniem un %syymm-nnnn kredītzīmēm, kur yy ir gads, mm ir mēnesis, un nnnn ir secīgs automātiski palielināms skaitlis bez pārtraukuma un bez atgriešanās pie 0 -MarsNumRefModelDesc1=Atgriešanas numurs formātā %syymm-nnnn standarta rēķiniem, %syymm-nnnn aizstājējrēķiniem, %syymm-nnnn priekšapmaksas rēķiniem un %syymn-nnnn ir bez pārtraukuma un bez atgriešanās pie 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Rēķinu sākot ar syymm $ jau pastāv un nav saderīgs ar šo modeli secību. Noņemt to vai pārdēvēt to aktivizētu šo moduli. -CactusNumRefModelDesc1=Atgriešanās numurs formātā %syymm-nnnn standarta rēķiniem, %syymm-nnnn kredītzīmēm un %syymm-nnnn priekšapmaksas rēķiniem, kur yy ir gads, mm ir mēnesis, un nnnn nav secīgs automātiskais pārtraukums. 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Priekšlaicīgas slēgšanas iemesls EarlyClosingComment=Priekšlaicīgās slēgšanas piezīme ##### Types de contacts ##### @@ -630,7 +631,7 @@ SituationTotalRayToRest=Atlikušais maksājums bez nodokļa PDFSituationTitle=Situācija Nr. %d SituationTotalProgress=Kopējais progress %d %% SearchUnpaidInvoicesWithDueDate=Meklēt neapmaksātos rēķinos ar termiņu = %s -SearchValidatedInvoicesWithDate=Search unpaid invoices with a validation date = %s +SearchValidatedInvoicesWithDate=Meklēt neapmaksātos rēķinus ar validācijas datumu = %s NoPaymentAvailable=Nav pieejams maksājums par %s PaymentRegisteredAndInvoiceSetToPaid=Maksājums reģistrēts un rēķins %s iestatīts kā apmaksāts SendEmailsRemindersOnInvoiceDueDate=Nosūtiet atgādinājumu pa e-pastu par apstiprinātiem un neapmaksātiem rēķiniem @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Operāciju kategorija MentionCategoryOfOperations0=Preču piegāde MentionCategoryOfOperations1=Pakalpojumu sniegšana MentionCategoryOfOperations2=Jaukts - Preču piegāde un pakalpojumu sniegšana +Salaries=Algas +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Alga +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/lv_LV/cashdesk.lang b/htdocs/langs/lv_LV/cashdesk.lang index 6be906da5e7..0ae3f69efec 100644 --- a/htdocs/langs/lv_LV/cashdesk.lang +++ b/htdocs/langs/lv_LV/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=Saņemšana Header=Galvene Footer=Kājene AmountAtEndOfPeriod=Summa perioda beigās (diena, mēnesis vai gads) -TheoricalAmount=Teorētiskā summa +TheoricalAmount=Theoretical amount RealAmount=Reālā summa CashFence=Kases aizvēršana CashFenceDone=Par periodu veikta kases slēgšana @@ -57,7 +57,7 @@ Paymentnumpad=Padeves veids maksājuma ievadīšanai Numberspad=Numbers Pad BillsCoinsPad=Monētas un banknotes DolistorePosCategory=TakePOS moduļi un citi POS risinājumi Dolibarr -TakeposNeedsCategories=Lai darbotos, TakePOS ir nepieciešama vismaz viena produktu kategorija +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=Lai darbotos, TakePOS nepieciešama vismaz viena produktu kategorija kategorijā %s OrderNotes=Var pievienot dažas piezīmes katram pasūtītajam priekšmetam CashDeskBankAccountFor=Noklusējuma konts, ko izmantot maksājumiem @@ -76,7 +76,7 @@ TerminalSelect=Atlasiet termināli, kuru vēlaties izmantot: POSTicket=POS biļete POSTerminal=POS terminālis POSModule=POS modulis -BasicPhoneLayout=Izmantojiet telefonu pamata izkārtojumu +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Termināļa %s iestatīšana nav pabeigta DirectPayment=Tiešais maksājums DirectPaymentButton=Pievienojiet pogu “Tiešais maksājums skaidrā naudā” @@ -92,14 +92,14 @@ HeadBar=Galvene SortProductField=Lauks produktu šķirošanai Browser=Pārlūkprogramma BrowserMethodDescription=Vienkārša un ērta kvīts drukāšana. Tikai daži parametri, lai konfigurētu kvīti. Drukājiet, izmantojot pārlūku. -TakeposConnectorMethodDescription=Ārējs modulis ar papildu funkcijām. Iespēja drukāt no mākoņa. +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=Drukas metode ReceiptPrinterMethodDescription=Jaudīga metode ar daudziem parametriem. Pilnībā pielāgojams ar veidnēm. Serveris, kurā mitinās lietojumprogramma, nevar atrasties mākonī (tam jāspēj sasniegt jūsu tīkla printerus). ByTerminal=Ar termināli TakeposNumpadUsePaymentIcon=Izmantojiet ikonu, nevis tekstu uz numpad numura maksāšanas pogām CashDeskRefNumberingModules=Numerācijas modulis tirdzniecības vietu tirdzniecībai CashDeskGenericMaskCodes6 =  
      {TN} tagu izmanto, lai pievienotu termināļa numuru -TakeposGroupSameProduct=Grupējiet tās pašas produktu līnijas +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Sāciet jaunu paralēlu izpārdošanu SaleStartedAt=Pārdošana sākās vietnē %s ControlCashOpening=Atverot POS, atveriet uznirstošo logu "Control cash box". @@ -118,7 +118,7 @@ ScanToOrder=Skenējiet QR kodu, lai pasūtītu Appearance=Izskats HideCategoryImages=Slēpt kategorijas attēlus HideProductImages=Slēpt produktu attēlus -NumberOfLinesToShow=Parādāmo attēlu līniju skaits +NumberOfLinesToShow=Maksimālais teksta rindiņu skaits, kas jāparāda īkšķa attēlos DefineTablePlan=Definējiet tabulu plānu GiftReceiptButton=Pievienojiet pogu Dāvanu kvīts GiftReceipt=Dāvanu kvīts @@ -135,13 +135,21 @@ PrintWithoutDetailsLabelDefault=Līnijas etiķete pēc noklusējuma, drukājot b PrintWithoutDetails=Drukāt bez detaļām YearNotDefined=Gads nav noteikts TakeposBarcodeRuleToInsertProduct=Svītrkoda noteikums produkta ievietošanai -TakeposBarcodeRuleToInsertProductDesc=Noteikums produkta atsauces + daudzuma izņemšanai no skenēta svītrkoda.
      Ja tas ir tukšs (noklusējuma vērtība), lietojumprogramma izmantos pilnu skenēto svītrkodu, lai atrastu produktu.

      Ja noteikts, sintakse ir:
      ref: NB + qu: NB + QD: NB uc: NB
      kur NB ir rakstzīmju skaits izmantot, lai iegūtu datus no skenētā svītrkodu ar:
      • ref : produkts atsauce
      • qu : daudzumu kopumu, ievietojot objektu (vienības)
      • QD : daudzumu kopumu, ievietojot objektu (decimāldaļskaitlis)
      • otra : citi simboli
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters AlreadyPrinted=Jau izdrukāts -HideCategories=Slēpt sadaļas +HideCategories=Slēpt visu kategoriju atlases sadaļu HideStockOnLine=Slēpt krājumus tiešsaistē -ShowOnlyProductInStock=Parādīt noliktavā esošās preces -ShowCategoryDescription=Rādīt kategorijas aprakstu -ShowProductReference=Rādīt atsauces uz produktiem -UsePriceHT=Izmantot cena bez nodokļa, nevis cena ar nodokli +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Parādiet produktu atsauci vai etiķeti +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price TerminalName=Terminālis %s TerminalNameDesc=Termināļa nosaukums +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/lv_LV/categories.lang b/htdocs/langs/lv_LV/categories.lang index f2c79860b79..1f31a63b7df 100644 --- a/htdocs/langs/lv_LV/categories.lang +++ b/htdocs/langs/lv_LV/categories.lang @@ -89,7 +89,7 @@ ExtraFieldsCategories=Papildus atribūti CategoriesSetup=Tagu / kategoriju iestatīšana CategorieRecursiv=Link with parent tag/category automatically CategorieRecursivHelp=Ja opcija ir ieslēgta, pievienojot objektu apakškategorijai, objekts tiks pievienots arī vecākkategorijām. -AddProductServiceIntoCategory=Assign category to the product/service +AddProductServiceIntoCategory=Piešķiriet produktam/pakalpojumam kategoriju AddCustomerIntoCategory=Piešķirt kategoriju klientam AddSupplierIntoCategory=Piešķirt kategoriju piegādātājam AssignCategoryTo=Piešķirt kategoriju @@ -102,4 +102,5 @@ ActionCommCategoriesArea=Pasākumu kategorijas WebsitePagesCategoriesArea=Lapu konteineru kategorijas KnowledgemanagementsCategoriesArea=KM raksts Kategorijas UseOrOperatorForCategories=Kategorijām izmantojiet operatoru “OR” -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Piešķirt kategorijai +Position=Pozīcija diff --git a/htdocs/langs/lv_LV/holiday.lang b/htdocs/langs/lv_LV/holiday.lang index 3ddeb314188..f8efcc611f4 100644 --- a/htdocs/langs/lv_LV/holiday.lang +++ b/htdocs/langs/lv_LV/holiday.lang @@ -5,7 +5,7 @@ Holiday=Prombūtne CPTitreMenu=Prombūtne MenuReportMonth=Ikmēneša paziņojums MenuAddCP=Jauns atvaļinājuma pieprasījums -MenuCollectiveAddCP=Jauns kolektīvā atvaļinājuma pieprasījums +MenuCollectiveAddCP=New collective leave NotActiveModCP=Jums ir jāiespējo modulis Atvaļinājumi, lai apskatītu šo lapu. AddCP=Izveidot atvaļinājuma pieprasījumu DateDebCP=Sākuma datums @@ -95,14 +95,14 @@ UseralreadyCPexist=Šajā periodā jau ir iesniegts atvaļinājuma pieprasījums groups=Grupas users=Lietotāji AutoSendMail=Automātiska pasta sūtīšana -NewHolidayForGroup=Jauns kolektīvā atvaļinājuma pieprasījums -SendRequestCollectiveCP=Nosūtiet kolektīvo atvaļinājuma pieprasījumu +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave AutoValidationOnCreate=Automātiska apstiprināšana FirstDayOfHoliday=Atvaļinājuma sākuma diena LastDayOfHoliday=Atvaļinājuma beigu diena HolidaysMonthlyUpdate=Ikmēneša atjauninājums ManualUpdate=Manuāla aktualizēšana -HolidaysCancelation=Atvaļinājuma pieprasījuma atcelšana +HolidaysCancelation=Leave request cancellation EmployeeLastname=Darbinieka uzvārds EmployeeFirstname=Darbinieka vārds TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed @@ -144,7 +144,7 @@ WatermarkOnDraftHolidayCards=Ūdenszīmes uz atvaļinājuma pieprasījumiem HolidaysToApprove=Brīvdienas, kas jāapstiprina NobodyHasPermissionToValidateHolidays=Nevienam nav atļaujas apstiprināt atvaļinājuma pieprasījumus HolidayBalanceMonthlyUpdate=Ikmēneša atvaļinājuma atlikuma atjauninājums -XIsAUsualNonWorkingDay=%s parasti ir NAV darba diena +XIsAUsualNonWorkingDay=%s is usually a NON working day BlockHolidayIfNegative=Bloķēt, ja atlikums ir negatīvs LeaveRequestCreationBlockedBecauseBalanceIsNegative=Šī atvaļinājuma pieprasījuma izveide ir bloķēta, jo jūsu bilance ir negatīva ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Atstāšanas pieprasījumam %s jābūt melnrakstam, tas ir jāatceļ vai jāatsakās dzēst diff --git a/htdocs/langs/lv_LV/hrm.lang b/htdocs/langs/lv_LV/hrm.lang index 61eb7a2ef66..48f06909e38 100644 --- a/htdocs/langs/lv_LV/hrm.lang +++ b/htdocs/langs/lv_LV/hrm.lang @@ -26,6 +26,7 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Pakāpju noklusējuma apraksts, kad tiek izveidota deplacement=Shift DateEval=Novērtēšanas datums JobCard=Darba karte +NewJobProfile=Jauns darba profils JobProfile=Darba profils JobsProfiles=Darba profili NewSkill=Jauna prasme @@ -36,7 +37,7 @@ rank=Rangs ErrNoSkillSelected=Nav atlasīta neviena prasme ErrSkillAlreadyAdded=Šī prasme jau ir sarakstā SkillHasNoLines=Šai prasmei nav līniju -skill=Prasme +Skill=Prasme Skills=Prasmes SkillCard=Prasmju karte EmployeeSkillsUpdated=Darbinieku prasmes ir atjauninātas (skatīt darbinieka kartes cilni "Prasmes") @@ -44,10 +45,13 @@ Eval=Novērtēšana Evals=Novērtējumi NewEval=Jauns novērtējums ValidateEvaluation=Apstipriniet novērtējumu -ConfirmValidateEvaluation=Vai tiešām vēlaties apstiprināt šo novērtējumu ar atsauci %s ? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=Novērtēšanas karte RequiredRank=Nepieciešamais rangs darba profilam +RequiredRankShort=Required rank +PositionsWithThisProfile=Amati ar šo darba profilu EmployeeRank=Darbinieka pakāpe par šo prasmi +EmployeeRankShort=Employee rank EmployeePosition=Darbinieka amats EmployeePositions=Darbinieku amati EmployeesInThisPosition=Darbinieki šajā amatā @@ -56,21 +60,21 @@ group2ToCompare=Otrā lietotāju grupa salīdzināšanai OrJobToCompare=Salīdziniet ar darba profila prasmēm difference=Atšķirība CompetenceAcquiredByOneOrMore=Kompetence, ko ieguvis viens vai vairāki lietotāji, bet nav pieprasīts otrajam salīdzinājumam -MaxlevelGreaterThan=Maksimālais līmenis ir lielāks par pieprasīto -MaxLevelEqualTo=Maksimālais līmenis ir vienāds ar šo pieprasījumu -MaxLevelLowerThan=Maksimālais līmenis ir zemāks par šo pieprasījumu -MaxlevelGreaterThanShort=Darbinieka līmenis ir augstāks par pieprasīto -MaxLevelEqualToShort=Darbinieku līmenis ir vienāds ar šo pieprasījumu -MaxLevelLowerThanShort=Darbinieku līmenis ir zemāks par šo pieprasījumu +MaxlevelGreaterThan=Darbinieku līmenis ir augstāks par paredzēto līmeni +MaxLevelEqualTo=Darbinieku līmenis ir vienāds ar paredzamo līmeni +MaxLevelLowerThan=Darbinieku līmenis ir zemāks par paredzēto līmeni +MaxlevelGreaterThanShort=Līmenis augstāks nekā gaidīts +MaxLevelEqualToShort=Līmenis, kas vienāds ar paredzamo līmeni +MaxLevelLowerThanShort=Līmenis zemāks nekā gaidīts SkillNotAcquired=Prasmi nav apguvuši visi lietotāji un to pieprasa otrais salīdzināšanas līdzeklis legend=Leģenda TypeSkill=Prasmju veids -AddSkill=Pievienojiet darbam prasmes -RequiredSkills=Nepieciešamās prasmes šim darbam +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile UserRank=Lietotāja rangs SkillList=Prasmju saraksts SaveRank=Saglabāt rangu -TypeKnowHow=Zināt, kā +TypeKnowHow=Know-how TypeHowToBe=Kā būt TypeKnowledge=Zināšanas AbandonmentComment=Atteikšanās komentārs @@ -85,8 +89,9 @@ VacantCheckboxHelper=Atzīmējot šo opciju, tiks parādītas neaizpildītas vie SaveAddSkill = Pievienotas prasmes SaveLevelSkill = Prasmju līmenis ir saglabāts DeleteSkill = Prasme noņemta -SkillsExtraFields=Attributs supplémentaires (kompetences) -JobsExtraFields=Attributs supplémentaires (darba profils) -EvaluationsExtraFields=Atribūti supplémentaires (novērtējumi) +SkillsExtraFields=Papildu atribūti (prasmes) +JobsExtraFields=Papildu atribūti (darba profils) +EvaluationsExtraFields=Papildu atribūti (novērtējumi) NeedBusinessTravels=Nepieciešami biznesa ceļojumi NoDescription=Nav apraksta +TheJobProfileHasNoSkillsDefinedFixBefore=Šī darbinieka novērtētajā darba profilā nav noteiktas prasmes. Lūdzu, pievienojiet prasmes(-es), pēc tam dzēsiet un restartējiet novērtēšanu. diff --git a/htdocs/langs/lv_LV/main.lang b/htdocs/langs/lv_LV/main.lang index 42bc0265899..db0c825a14a 100644 --- a/htdocs/langs/lv_LV/main.lang +++ b/htdocs/langs/lv_LV/main.lang @@ -20,7 +20,7 @@ FormatDateShortJava=dd.MM.yyyy FormatDateShortJavaInput=dd.MM.yyyy FormatDateShortJQuery=dd.mm.yy FormatDateShortJQueryInput=dd.mm.yy -FormatHourShortJQuery=HH: MI +FormatHourShortJQuery=HH:MI FormatHourShort=%I:%M %p FormatHourShortDuration=%H:%M FormatDateTextShort=%b %d, %Y @@ -36,7 +36,7 @@ NoTranslation=Nav iztulkots Translation=Tulkošana Translations=Tulkojumi CurrentTimeZone=Laika josla PHP (servera) -EmptySearchString=Ievadiet meklēšanas kritērijus +EmptySearchString=Enter non empty search criteria EnterADateCriteria=Ievadiet datuma kritērijus NoRecordFound=Nav atrasti ieraksti NoRecordDeleted=Neviens ieraksts nav dzēsts @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Neizdevās nosūtīt pastu (sūtītājs = %s, saņēmējs ErrorFileNotUploaded=Fails netika augšupielādēts. Pārbaudiet vai izmērs nepārsniedz maksimāli pieļaujamo un, ka brīvas vietas ir pieejama uz diska, un nav jau failu ar tādu pašu nosaukumu šajā direktorijā. ErrorInternalErrorDetected=Atklāta kļūda ErrorWrongHostParameter=Nepareizs servera parametrs -ErrorYourCountryIsNotDefined=Jūsu valsts nav definēta. Atveriet Sākums-Iestatījumi-Labot un pēc tam ievadiet valsti. +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=Neizdevās izdzēst šo ierakstu. Šo ierakstu izmanto vismaz viens apakš ieraksts. ErrorWrongValue=Nepareizs vērtība ErrorWrongValueForParameterX=Nepareiza vērtība parametram %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Kļūda, PVN likme nav definēta sekojoša ErrorNoSocialContributionForSellerCountry=Kļūda, sociālā/fiskālā rakstura nodokļi nav definēti valstī “%s”. ErrorFailedToSaveFile=Kļūda, neizdevās saglabāt failu. ErrorCannotAddThisParentWarehouse=Jūs mēģināt pievienot vecāku noliktavu, kas jau ir esošās noliktavas bērns +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=Lauks "%s" nevar būt negatīvs MaxNbOfRecordPerPage=Maks. ierakstu skaits lapā NotAuthorized=Jums nav tiesību, lai veiktu šo darbību. @@ -103,7 +104,8 @@ RecordGenerated=Ieraksts izveidots LevelOfFeature=Līmeņa funkcijas NotDefined=Nav definēts DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is set to %s in configuration file conf.php.
      This means that the password database is external to Dolibarr, so changing this field may have no effect. -Administrator=Administrators +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=Nav definēts PasswordForgotten=Aizmirsāt paroli? NoAccount=Nav konts? @@ -211,8 +213,8 @@ Select=Atlasīt SelectAll=Izvēlēties visus Choose=Izvēlēties Resize=Samazināt +Crop=Crop ResizeOrCrop=Mainīt izmērus vai apgriezt -Recenter=Centrēt Author=Autors User=Lietotājs Users=Lietotāji @@ -235,8 +237,8 @@ PersonalValue=Personīgā vērtība NewObject=Jauns %s NewValue=Jaunā vērtība OldValue=Vecā vērtība %s -FieldXModified=Field %s modified -FieldXModifiedFromYToZ=Field %s modified from %s to %s +FieldXModified=Lauks %s ir mainīts +FieldXModifiedFromYToZ=Lauks %s mainīts no %s uz %s CurrentValue=Pašreizējā vērtība Code=Kods Type=Tips @@ -348,7 +350,7 @@ MonthOfDay=Mēneša laikā no dienas DaysOfWeek=Nedēļas dienas HourShort=H MinuteShort=mn -SecondShort=sec +SecondShort=sek Rate=Likme CurrencyRate=Valūtas konvertēšanas likme UseLocalTax=Ar PVN @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Papildu centi +LT1GC=Additional cents VATRate=Nodokļa likme RateOfTaxN=Nodokļa likme %s VATCode=Nodokļu likmes kods @@ -547,6 +549,7 @@ Reportings=Pārskati Draft=Melnraksts Drafts=Melnraksti StatusInterInvoiced=Rēķins +Done=Darīts Validated=Apstiprināts ValidatedToProduce=Apstiprināts (ražot) Opened=Atvērt @@ -558,7 +561,7 @@ Unknown=Nezināms General=Vispārējs Size=Lielums OriginalSize=Oriģinālais izmērs -RotateImage=Rotate 90° +RotateImage=Pagriezt par 90° Received=Saņemts Paid=Apmaksāts Topic=Virsraksts @@ -698,6 +701,7 @@ Response=Atbilde Priority=Prioritāte SendByMail=Sūtīt ar e-pastu MailSentBy=Nosūtīts e-pasts ar +MailSentByTo=Email sent by %s to %s NotSent=Nav nosūtīts TextUsedInTheMessageBody=E-pasta ķermenis SendAcknowledgementByMail=Sūtīt apstiprinājuma e-pastu @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=ieraksts modificēts veiksmīgi RecordsModified=%s ieraksts(-i) modificēts(-i) RecordsDeleted=%s ieraksts(i) izdzēsts RecordsGenerated=izveidots ieraksts (%s) +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=Automātiskās kods FeatureDisabled=Funkcija bloķēta MoveBox=Pārvietot logrīku @@ -764,11 +769,10 @@ DisabledModules=Bloķētie moduļi For=Kam ForCustomer=Klientam Signature=Paraksts -DateOfSignature=Parakstīšanas datums HidePassword=Rādīt komandu ar slēptu paroli UnHidePassword=Parādīt komandu bez paroles Root=Sakne -RootOfMedias=Sabiedrisko mediju (/ mediju) sakne +RootOfMedias=Root of public media (/medias) Informations=Informācija Page=Lappuse Notes=Piezīmes @@ -916,6 +920,7 @@ BackOffice=Birojs Submit=Iesniegt View=Izskats Export=Eksportēt +Import=Imports Exports=Eksports ExportFilteredList=Eksportēt atlasīto sarakstu ExportList=Eksporta saraksts @@ -949,7 +954,7 @@ BulkActions=Lielapjoma darbības ClickToShowHelp=Noklikšķiniet, lai parādītu rīka padomju palīdzību WebSite=Tīmekļa vietne WebSites=Mājas lapas -WebSiteAccounts=Tīmekļa vietnes konti +WebSiteAccounts=Tīmekļa piekļuves konti ExpenseReport=Izdevumu pārskats ExpenseReports=Izdevumu atskaites HR=HR @@ -1077,6 +1082,7 @@ CommentPage=Komentāru telpa CommentAdded=Komentārs pievienots CommentDeleted=Komentārs dzēsts Everybody=Ikviens +EverybodySmall=Ikviens PayedBy=Apmaksājis PayedTo=Apmaksāts Monthly=Katru mēnesi @@ -1089,7 +1095,7 @@ KeyboardShortcut=Tastatūras saīsne AssignedTo=Piešķirts Deletedraft=Dzēst melnrakstu ConfirmMassDraftDeletion=Projekta masveida dzēšanas apstiprinājums -FileSharedViaALink=Fails ir kopīgots ar publisku saiti +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Vispirms izvēlieties trešo pusi ... YouAreCurrentlyInSandboxMode=Pašlaik esat %s "smilšu kastes" režīmā Inventory=Inventārs @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Uzdevums ContactDefault_propal=Priekšlikums ContactDefault_supplier_proposal=Piegādātāja priekšlikums ContactDefault_ticket=Biļete -ContactAddedAutomatically=Kontaktpersona ir pievienota no trešo personu lomām +ContactAddedAutomatically=Contact added from third-party contact roles More=Vairāk ShowDetails=Parādīt detaļas CustomReports=Pielāgotas atskaites @@ -1163,8 +1169,8 @@ AffectTag=Piešķiriet tagu AffectUser=Piešķirt lietotāju SetSupervisor=Iestatiet vadītāju CreateExternalUser=Izveidot ārēju lietotāju -ConfirmAffectTag=Lielapjoma tagu piešķiršana -ConfirmAffectUser=Lielapjoma lietotāju piešķiršana +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=Katram projektam/iespējai piešķirta loma TasksRole=Katram uzdevumam piešķirtā loma (ja tiek izmantota) ConfirmSetSupervisor=Lielapjoma uzrauga komplekts @@ -1222,7 +1228,7 @@ UserAgent=Lietotāja aģents InternalUser=Iekšējais lietotājs ExternalUser=Ārējais lietotājs NoSpecificContactAddress=Nav konkrētas kontaktpersonas vai adreses -NoSpecificContactAddressBis=Šī cilne ir paredzēta konkrētu kontaktpersonu vai adrešu piespiedu noteikšanai pašreizējam objektam. Izmantojiet to tikai tad, ja vēlaties objektam definēt vienu vai vairākas konkrētas kontaktpersonas vai adreses, kad trešās puses informācija nav pietiekama vai nav precīza. +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Slēpt %s AddToContacts=Pievienot adresi maniem kontaktiem LastAccess=Pēdējā piekļuve @@ -1233,9 +1239,24 @@ PublicVirtualCard=Virtuālā vizītkarte TreeView=Koka skats DropFileToAddItToObject=Nometiet failu, lai to pievienotu šim objektam UploadFileDragDropSuccess=Fails(-i) ir veiksmīgi augšupielādēts(-i). -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +SearchSyntaxTooltipForStringOrNum=Lai meklētu teksta laukos, varat izmantot rakstzīmes ^ vai $, lai veiktu meklēšanu "sākas vai beidzas ar" vai izmantojiet ! lai veiktu testu “nesatur”. Varat izmantot | starp divām virknēm, nevis atstarpi nosacījumam VAI, nevis UN. Skaitliskām vērtībām varat izmantot operatoru <, >, <=, >= vai != pirms vērtības, lai filtrētu, izmantojot matemātisko salīdzinājumu. InProgress=Procesā -DateOfPrinting=Date of printing -ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. -UserNotYetValid=Not yet valid +DateOfPrinting=Drukāšanas datums +ClickFullScreenEscapeToLeave=Noklikšķiniet šeit, lai pārslēgtos uz pilnekrāna režīmu. Nospiediet ESCAPE, lai izietu no pilnekrāna režīma. +UserNotYetValid=Vēl nav spēkā UserExpired=Beidzies +LinkANewFile=Salinkot jaunu failu/dokumentu +LinkedFiles=Salinkotie faili un dokumenti +NoLinkFound=Nav reģistrētas saites +LinkComplete=Fails veiksmīgi salinkots +ErrorFileNotLinked=Failu nevar salinkot +LinkRemoved=Saite %s tika dzēsta +ErrorFailedToDeleteLink= Kļūda dzēšot saiti '%s' +ErrorFailedToUpdateLink= Kļūda atjaunojot saiti '%s' +URLToLink=Saites uz URL +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/lv_LV/oauth.lang b/htdocs/langs/lv_LV/oauth.lang index d5764c3825c..e846c42fcbd 100644 --- a/htdocs/langs/lv_LV/oauth.lang +++ b/htdocs/langs/lv_LV/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Tokens dzēsts GetAccess=Noklikšķiniet šeit, lai iegūtu žetonu RequestAccess=Noklikšķiniet šeit, lai pieprasītu/atjaunotu piekļuvi un saņemtu jaunu pilnvaru DeleteAccess=Noklikšķiniet šeit, lai dzēstu marķieri -UseTheFollowingUrlAsRedirectURI=Izmantot savu akreditācijas datus ar OAuth pakalpojumu sniedzēju, izmantojiet šādu URL kā novirzīšanas URI: +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Pievienojiet savus OAuth2 pilnvaras nodrošinātājus. Pēc tam atveriet savu OAuth nodrošinātāja administratora lapu, lai izveidotu/iegūtu OAuth ID un noslēpumu un saglabātu tos šeit. Kad tas ir izdarīts, ieslēdziet otru cilni, lai ģenerētu marķieri. OAuthSetupForLogin=Lapa, kurā pārvaldīt (ģenerēt/dzēst) OAuth pilnvaras SeePreviousTab=Skatīt iepriekšējo cilni @@ -31,9 +32,9 @@ OAUTH_GITHUB_SECRET=OAuth GitHub noslēpums OAUTH_URL_FOR_CREDENTIAL=Dodieties uz šo lapu , lai izveidotu vai iegūtu savu OAuth ID un noslēpumu OAUTH_STRIPE_TEST_NAME=OAuth svītras tests OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live -OAUTH_ID=OAuth Client ID +OAUTH_ID=OAuth klienta ID OAUTH_SECRET=OAuth noslēpums -OAUTH_TENANT=OAuth tenant +OAUTH_TENANT=OAuth nomnieks OAuthProviderAdded=Pievienots OAuth nodrošinātājs AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=OAuth ieraksts šim nodrošinātājam un iezīmei jau pastāv URLOfServiceForAuthorization=URL, ko nodrošina OAuth pakalpojums autentifikācijai diff --git a/htdocs/langs/lv_LV/products.lang b/htdocs/langs/lv_LV/products.lang index 24e4dbdc5a4..15fe3b8d9d4 100644 --- a/htdocs/langs/lv_LV/products.lang +++ b/htdocs/langs/lv_LV/products.lang @@ -80,8 +80,11 @@ SoldAmount=Pārdošanas apjoms PurchasedAmount=Iegādātā summa NewPrice=Jaunā cena MinPrice=Min. pārdošanas cena +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=Labot pārdošanas cenas nosaukumu -CantBeLessThanMinPrice=Pārdošanas cena nevar būt zemāka par minimālo pieļaujamo šī produkta (%s bez PVN). Šis ziņojums var būt arī parādās, ja esat ievadījis pārāk lielu atlaidi. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Slēgts ErrorProductAlreadyExists=Prece ar atsauci %s jau pastāv. ErrorProductBadRefOrLabel=Nepareiza vērtība atsauces vai etiķeti. @@ -157,7 +160,7 @@ ListProductServiceByPopularity=Saraksts ar produktu / pakalpojumu pēc pārdoša ListProductByPopularity=Produktu saraksts pēc popularitātes ListServiceByPopularity=Pakalpojumu saraksts pēc pārdošanas popularitātes Finished=Ražota prece -RowMaterial=Izejviela +RowMaterial=Izejvielas ConfirmCloneProduct=Vai jūs tiešām vēlaties klonēt šo produktu vai pakalpojumu %s? CloneContentProduct=Klonējiet visu galveno informāciju par produktu / pakalpojumu ClonePricesProduct=Klonēt cenas @@ -347,16 +350,17 @@ UseProductFournDesc=Pievienojiet līdzekli, lai definētu produkta aprakstu, ko ProductSupplierDescription=Produkta pārdevēja apraksts UseProductSupplierPackaging=Izmantojiet funkciju “iepakojums”, lai noapaļotu daudzumus līdz dažiem norādītajiem reizinātājiem (pievienojot/atjauninot rindu piegādātāja dokumentos, pārrēķiniet daudzumus un iepirkuma cenas atbilstoši produkta iepirkuma cenu augstākajam reizinājumam) PackagingForThisProduct=Daudzumu iepakošana -PackagingForThisProductDesc=Jūs automātiski iegādāsities vairākus no šī daudzuma. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=Līnijas daudzums tika pārrēķināts atbilstoši piegādātāja iesaiņojumam #Attributes +Attributes=Atribūti VariantAttributes=Variantu atribūti ProductAttributes=Variantu atribūti produktiem ProductAttributeName=Variants atribūts %s ProductAttribute=Variants atribūts ProductAttributeDeleteDialog=Vai tiešām vēlaties dzēst šo atribūtu? Visas vērtības tiks dzēstas -ProductAttributeValueDeleteDialog=Vai tiešām vēlaties izdzēst vērtību "%s" ar atsauci "%s" šim atribūtam? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Vai tiešām vēlaties izdzēst produkta variantu " %s "? ProductCombinationAlreadyUsed=Dzēšot variantu, radās kļūda. Lūdzu, pārbaudiet, vai tas netiek izmantots nevienā objektā ProductCombinations=Varianti @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Mēģinot izdzēst esošos produktu variantus, ra NbOfDifferentValues=Dažādu vērtību skaits NbProducts=Produktu skaits ParentProduct=Mātes produkts +ParentProductOfVariant=Varianta pamatprodukts HideChildProducts=Paslēpt dažādus produktus ShowChildProducts=Rādīt dažādus produktus NoEditVariants=Atveriet cilni varianti Mātes produktu kartes un rediģējiet variantu cenu ietekmi @@ -417,7 +422,7 @@ ErrorsProductsMerge=Kļūdas produktos saplūst SwitchOnSaleStatus=Ieslēgt pārdošanas statusu SwitchOnPurchaseStatus=Ieslēdziet pirkuma statusu UpdatePrice=Palielināt/samazināt klientu cenu -StockMouvementExtraFields= Papildu lauki (akciju kustība) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Papildu lauki (inventārs) ScanOrTypeOrCopyPasteYourBarCodes=Skenējiet ierakstiet vai kopējiet/ielīmējiet savus svītrkodus PuttingPricesUpToDate=Atjauniniet cenas ar pašreizējām zināmajām cenām @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Atlasiet papildu lauku, kuru vēlaties modificēt ConfirmEditExtrafieldQuestion = Vai tiešām vēlaties modificēt šo papildu lauku? ModifyValueExtrafields = Mainīt ekstralauka vērtību OrProductsWithCategories=Vai produkti ar tagiem/kategorijām +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/lv_LV/projects.lang b/htdocs/langs/lv_LV/projects.lang index 430f6b568f6..ee4168f0f0b 100644 --- a/htdocs/langs/lv_LV/projects.lang +++ b/htdocs/langs/lv_LV/projects.lang @@ -33,7 +33,7 @@ DeleteATask=Izdzēst uzdevumu ConfirmDeleteAProject=Vai tiešām vēlaties dzēst šo projektu? ConfirmDeleteATask=Vai tiešām vēlaties dzēst šo uzdevumu? OpenedProjects=Atvērtie projekti -OpenedProjectsOpportunities=Open opportunities +OpenedProjectsOpportunities=Atvērtas iespējas OpenedTasks=Atvērtie uzdevumi OpportunitiesStatusForOpenedProjects=Sasaistīto projektu skaits pēc statusa OpportunitiesStatusForProjects=Sasniedz projektu skaitu pēc statusa @@ -45,10 +45,11 @@ OutOfProject=Ārpus projekta NoProject=Neviens projekts nosaka, vai īpašumā NbOfProjects=Projektu skaits NbOfTasks=Uzdevumu skaits +TimeEntry=Time tracking TimeSpent=Laiks, kas pavadīts +TimeSpentSmall=Laiks, kas patērēts TimeSpentByYou=Jūsu patērētais laiks TimeSpentByUser=Lietotāja patērētais laiks -TimesSpent=Laiks, kas patērēts TaskId=Uzdevuma ID RefTask=Uzdevums Nr. LabelTask=Uzdevuma nosaukums @@ -82,7 +83,7 @@ MyProjectsArea=Manu projektu sadaļa DurationEffective=Efektīvais ilgums ProgressDeclared=Deklarētais reālais progress TaskProgressSummary=Uzdevuma virzība -CurentlyOpenedTasks=Saudzīgi atvērti uzdevumi +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=Deklarētais reālais progress ir mazāks par %s nekā patēriņa progress TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Deklarētais reālais progress ir vairāk %s nekā patēriņa progress ProgressCalculated=Progress patēriņa jomā @@ -122,7 +123,7 @@ TaskHasChild=Uzdevumam ir bērns NotOwnerOfProject=Ne īpašnieks šo privātam projektam AffectedTo=Piešķirts CantRemoveProject=Šo projektu nevar noņemt, jo uz to atsaucas daži citi objekti (rēķins, pasūtījumi vai citi). Skatīt cilni '%s'. -ValidateProject=Apstiprināt projektu +ValidateProject=Validate project ConfirmValidateProject=Vai jūs tiešām vēlaties apstiprināt šo projektu? CloseAProject=Aizvērt projektu ConfirmCloseAProject=Vai tiešām vēlaties aizvērt šo projektu? @@ -226,7 +227,7 @@ ProjectsStatistics=Statistika par projektiem vai potenciālajiem klientiem TasksStatistics=Statistika par projektu vai potenciālo klientu uzdevumiem TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. IdTaskTime=Id uzdevuma laiks -YouCanCompleteRef=Ja vēlaties aizpildīt ref ar kādu sufiksu, ieteicams pievienot a-rakstzīmi, lai to atdalītu, tāpēc automātiskā numerācija joprojām darbosies pareizi nākamajiem projektiem. Piemēram, %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Atvērt trešo pušu projektus OnlyOpportunitiesShort=Tikai ved OpenedOpportunitiesShort=Atveriet vadus @@ -238,7 +239,7 @@ OpportunityPonderatedAmountDesc=Sasaistīto summu svēršana ar varbūtību OppStatusPROSP=Izmeklēšana OppStatusQUAL=Kvalifikācija OppStatusPROPO=Priekšlikums -OppStatusNEGO=Pārrunas +OppStatusNEGO=Negotiation OppStatusPENDING=Gaida OppStatusWON=Uzvarēja OppStatusLOST=Zaudēja diff --git a/htdocs/langs/lv_LV/propal.lang b/htdocs/langs/lv_LV/propal.lang index 2a47e319aae..7f3e2b961de 100644 --- a/htdocs/langs/lv_LV/propal.lang +++ b/htdocs/langs/lv_LV/propal.lang @@ -12,9 +12,11 @@ NewPropal=Jaunais priekšlikums Prospect=Perspektīva DeleteProp=Dzēst komerciālo priekšlikumu ValidateProp=Apstiprināt komerciālo priekšlikumu +CancelPropal=Atcelt AddProp=Izveidot piedāvājumu ConfirmDeleteProp=Vai tiešām vēlaties dzēst šo piedāvājumu? ConfirmValidateProp=Vai jūs tiešām vēlaties apstiprinātu šo komerciālo priekšlikumu saskaņā ar nosaukumu %s ? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Pēdējie %s priekšlikumi LastModifiedProposals=Pēdējie %s labotie priekšlikumi AllPropals=Visi priekšlikumi @@ -27,11 +29,13 @@ NbOfProposals=Skaits tirdzniecības priekšlikumiem ShowPropal=Rādīt priekšlikumu PropalsDraft=Sagatave PropalsOpened=Atvērts +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Sagatave (ir jāapstiprina) PropalStatusValidated=Apstiprināts (priekšlikums ir atvērts) PropalStatusSigned=Parakstīts (vajadzīgs rēķins) PropalStatusNotSigned=Nav parakstīts (slēgts) PropalStatusBilled=Jāmaksā +PropalStatusCanceledShort=Atcelts PropalStatusDraftShort=Melnraksts PropalStatusValidatedShort=Apstiprināts (atvērts) PropalStatusClosedShort=Slēgts @@ -114,6 +118,7 @@ RefusePropal=Atteikt priekšlikumu Sign=Pierakstīties SignContract=Parakstiet līgumu SignFichinter=Parakstīt iejaukšanās +SignSociete_rib=Sign mandate SignPropal=Pieņemt priekšlikumu Signed=parakstīts SignedOnly=Tikai parakstīts diff --git a/htdocs/langs/lv_LV/receptions.lang b/htdocs/langs/lv_LV/receptions.lang index a35de5c08bf..e0fed1f26eb 100644 --- a/htdocs/langs/lv_LV/receptions.lang +++ b/htdocs/langs/lv_LV/receptions.lang @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=Apstrādāts ReceptionSheet=Uzņemšanas lapa ValidateReception=Apstipriniet uzņemšanu ConfirmDeleteReception=Vai tiešām vēlaties dzēst šo uztveršanu? -ConfirmValidateReception=Vai tiešām vēlaties apstiprināt šo saņemšanu ar atsauci %s ? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Vai tiešām vēlaties atcelt šo uzņemšanu? -StatsOnReceptionsOnlyValidated=Statistika par pieņemšanām tika apstiprināta tikai. Izmantotais datums ir pieņemšanas datums (plānotais piegādes datums ne vienmēr ir zināms). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Sūtīt saņemšanu pa e-pastu SendReceptionRef=Reģistrācijas iesniegšana %s ActionsOnReception=Notikumi reģistratūrā @@ -53,5 +53,6 @@ ReceptionBackToDraftInDolibarr=Saņemšana %s atpakaļ uz melnrakstu ReceptionClassifyClosedInDolibarr=Reģistratūra %s klasificēta Slēgta ReceptionUnClassifyCloseddInDolibarr=Reģistratūra %s atkal tiek atvērta RestoreWithCurrentQtySaved=Aizpildiet daudzumus ar jaunākajām saglabātajām vērtībām -ReceptionUpdated=Reģistratūra ir veiksmīgi atjaunināta -ReceptionDistribution=Reception distribution +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Uzņemšanas sadale diff --git a/htdocs/langs/lv_LV/sendings.lang b/htdocs/langs/lv_LV/sendings.lang index 318c423d5db..b7b2b0c0dd5 100644 --- a/htdocs/langs/lv_LV/sendings.lang +++ b/htdocs/langs/lv_LV/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Apstiprināts StatusSendingProcessedShort=Apstrādāti SendingSheet=Sūtījuma lapa ConfirmDeleteSending=Vai tiešām vēlaties dzēst šo sūtījumu? -ConfirmValidateSending=Vai jūs tiešām vēlaties apstiprināt šo sūtījumu ar atsauci %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Vai esat pārliecināts, ka vēlaties atcelt šo sūtījumu? DocumentModelMerou=Merou A5 modelis WarningNoQtyLeftToSend=Uzmanību, nav produktu kuri gaida nosūtīšanu. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Produkta daudzums no jau saņemtiem NoProductToShipFoundIntoStock=Noliktavā nav atrasts neviens produkts, kas paredzēts piegādei %s . Pareizu krājumu vai doties atpakaļ, lai izvēlētos citu noliktavu. WeightVolShort=Svars / tilp. ValidateOrderFirstBeforeShipment=Vispirms jums ir jāapstiprina pasūtījums, lai varētu veikt sūtījumus. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Summēt produkta svaru # warehouse details DetailWarehouseNumber= Noliktavas detaļas DetailWarehouseFormat= W: %s (Daudzums: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation -ShipmentDistribution=Shipment distribution +ShipmentDistribution=Sūtījumu sadale -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Nosūtītais daudzums nedrīkst būt lielāks par pasūtīto daudzumu rindā %s. diff --git a/htdocs/langs/lv_LV/stocks.lang b/htdocs/langs/lv_LV/stocks.lang index 150e27be273..d23c156db04 100644 --- a/htdocs/langs/lv_LV/stocks.lang +++ b/htdocs/langs/lv_LV/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=Personīgie krājumi %s ThisWarehouseIsPersonalStock=Šī noliktava ir personīgie krājumi %s %s SelectWarehouseForStockDecrease=Izvēlieties noliktavu krājumu samazināšanai SelectWarehouseForStockIncrease=Izvēlieties noliktavu krājumu palielināšanai +RevertProductsToStock=Revert products to stock ? NoStockAction=Nav krājumu darbība DesiredStock=Vēlamais krājums DesiredStockDesc=Šī krājuma summa būs vērtība, ko izmanto krājumu papildināšanai, izmantojot papildināšanas funkciju. @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=Jums nav pietiekami daudz krājumu no šī avota noli ShowWarehouse=Rādīt noliktavu MovementCorrectStock=Krājumu korekcija produktam %s MovementTransferStock=Stock transfer of product %s into another warehouse +BatchStockMouvementAddInGlobal=Batch stock move into global stock (product doesn't use batch anymore) InventoryCodeShort=Inv./Mov. code NoPendingReceptionOnSupplierOrder=Nav atvērta saņemšanas, jo atvērts pirkuma pasūtījums ThisSerialAlreadyExistWithDifferentDate=This lot/serial number (%s) already exists but with different eatby or sellby date (found %s but you enter %s). @@ -210,10 +212,10 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Krājumu kustībai būs inventariz inventoryChangePMPPermission=Ļauj mainīt produkta PMP vērtību ColumnNewPMP=Jauna vienība PMP OnlyProdsInStock=Nepievienojiet produktu bez krājuma -TheoricalQty=Teorētiskais daudzums -TheoricalValue=Teorētiskais daudzums +TheoricalQty=Theoretical qty +TheoricalValue=Theoretical qty LastPA=Pēdējais BP -CurrentPA=Curent BP +CurrentPA=Current BP RecordedQty=Ierakstīts Daudz RealQty=Reālais daudzums RealValue=Reālā vērtība @@ -239,12 +241,12 @@ InventoryForASpecificWarehouse=Inventārs konkrētai noliktavai InventoryForASpecificProduct=Inventārs konkrētam produktam StockIsRequiredToChooseWhichLotToUse=Esošs krājums ir nepieciešams, lai varētu izvēlēties, kuru partiju izmantot ForceTo=Piespiest līdz -AlwaysShowFullArbo=Display the full path of a warehouse (parent warehouses) on the popup of warehouse links (Warning: This may decrease dramatically performances) +AlwaysShowFullArbo=Parādīt visu noliktavas (vecāku noliktavu) ceļu noliktavas saišu uznirstošajā logā (brīdinājums: tas var ievērojami samazināt veiktspēju) StockAtDatePastDesc=Šeit varat apskatīt krājumus (reālos krājumus) noteiktā datumā pagātnē StockAtDateFutureDesc=Šeit varat apskatīt akcijas (virtuālās akcijas) noteiktā datumā nākotnē CurrentStock=Pašreizējais krājums InventoryRealQtyHelp=Iestatiet vērtību 0, lai atiestatītu daudzumu
      . Saglabājiet lauku tukšu vai noņemiet līniju, lai paliktu nemainīgs -UpdateByScaning=Pabeidziet reālo daudzumu, skenējot +UpdateByScaning=Complete real qty by scanning UpdateByScaningProductBarcode=Atjaunināšana, skenējot (produkta svītrkods) UpdateByScaningLot=Atjaunināt, skenējot (partija | sērijas svītrkods) DisableStockChangeOfSubProduct=Deaktivizējiet krājumu maiņu visiem šī komplekta apakšproduktiem šīs kustības laikā. @@ -280,7 +282,7 @@ ModuleStockTransferName=Uzlabota akciju pārsūtīšana ModuleStockTransferDesc=Uzlabota krājumu pārsūtīšanas pārvaldība ar pārsūtīšanas lapas ģenerēšanu StockTransferNew=Jaunu akciju nodošana StockTransferList=Krājumu pārvedumu saraksts -ConfirmValidateStockTransfer=Vai tiešām vēlaties apstiprināt šo akciju nodošanu ar atsauci %s ? +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? ConfirmDestock=Krājumu samazinājums ar pārskaitījumu %s ConfirmDestockCancel=Atcelt krājumu samazināšanu ar pārskaitījumu %s DestockAllProduct=Krājumu samazināšanās @@ -307,9 +309,9 @@ StockTransferDecrementationCancel=Atcelt avota noliktavu samazināšanu StockTransferIncrementationCancel=Atcelt galamērķa noliktavu palielināšanu StockStransferDecremented=Avotu noliktavas samazinājās StockStransferDecrementedCancel=Avota noliktavu samazinājums ir atcelts -StockStransferIncremented=Slēgts — Krājumi nodoti -StockStransferIncrementedShort=Krājumi nodoti -StockStransferIncrementedShortCancel=Galamērķa noliktavu palielināšana ir atcelta +StockStransferIncremented=Closed - Stocks transferred +StockStransferIncrementedShort=Stocks transferred +StockStransferIncrementedShortCancel=Increase of destination warehouses canceled StockTransferNoBatchForProduct=Produktam %s netiek izmantota partija, notīriet sēriju tiešsaistē un mēģiniet vēlreiz StockTransferSetup = Krājumu pārsūtīšanas moduļa konfigurācija Settings=Iestatījumi @@ -318,8 +320,18 @@ StockTransferRightRead=Lasīt akciju pārskaitījumus StockTransferRightCreateUpdate=Izveidot/atjaunināt akciju pārvedumus StockTransferRightDelete=Dzēst akciju pārskaitījumus BatchNotFound=Šim produktam partija/sērija nav atrasta +StockEntryDate=Date of
      entry in stock StockMovementWillBeRecorded=Krājumu kustība tiks reģistrēta StockMovementNotYetRecorded=Šis solis neietekmēs krājumu kustību -WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse -DeleteBatch=Delete lot/serial -ConfirmDeleteBatch=Are you sure you want to delete lot/serial ? +ReverseConfirmed=Stock movement has been reversed successfully + +WarningThisWIllAlsoDeleteStock=Brīdinājums, tas arī iznīcinās visus noliktavā esošos daudzumus +ValidateInventory=Inventāra pārbaude +IncludeSubWarehouse=Iekļaut apakšnoliktavu? +IncludeSubWarehouseExplanation=Atzīmējiet šo izvēles rūtiņu, ja vēlaties iekļaut visas saistītās noliktavas apakšnoliktavas krājumos +DeleteBatch=Dzēst partiju/sēriju +ConfirmDeleteBatch=Vai tiešām vēlaties dzēst partiju/sēriju? +WarehouseUsage=Warehouse usage +InternalWarehouse=Internal warehouse +ExternalWarehouse=External warehouse +WarningThisWIllAlsoDeleteStock=Brīdinājums, tas arī iznīcinās visus noliktavā esošos daudzumus diff --git a/htdocs/langs/lv_LV/website.lang b/htdocs/langs/lv_LV/website.lang index 5ec39e8b826..89985851cc2 100644 --- a/htdocs/langs/lv_LV/website.lang +++ b/htdocs/langs/lv_LV/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Alternative page names/aliases WEBSITE_ALIASALTDesc=Izmantojiet šeit citu nosaukumu / aizstājvārdu sarakstu, lai arī šo lapu varētu piekļūt, izmantojot šo citus vārdus / aizstājvārdus (piemēram, vecais vārds pēc tam, kad pārdēvēja aizstājvārdu, lai saglabātu atpakaļsaišu vecās saites / nosaukuma darbībai). Sintakse ir:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) -WEBSITE_JS_INLINE=Javascript failu saturs (kopīgs visām lapām) +WEBSITE_JS_INLINE=JavaScript file content (common to all pages) WEBSITE_HTML_HEADER=Papildinājums HTML galvenes apakšā (kopīgs visām lapām) WEBSITE_ROBOT=Robotfails (robots.txt) WEBSITE_HTACCESS=Tīmekļa vietne .htaccess fails @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=Piezīme: ja vēlaties norādīt personalizētu g MediaFiles=Mediju bibliotēka EditCss=Rediģēt vietnes rekvizītus EditMenu=Labot izvēlni -EditMedias=Rediģēt medijus +EditMedias=Edit media EditPageMeta=Rediģējiet lapas / konteinera īpašības EditInLine=Rediģēt inline AddWebsite=Pievienot vietni @@ -60,10 +60,11 @@ NoPageYet=Vēl nav nevienas lapas YouCanCreatePageOrImportTemplate=Jūs varat izveidot jaunu lapu vai importēt pilnu vietnes veidni SyntaxHelp=Palīdzība par konkrētiem sintakses padomiem YouCanEditHtmlSourceckeditor=Jūs varat rediģēt HTML avota kodu, izmantojot redaktorā pogu "Avots". -YouCanEditHtmlSource=
      Varat šajā avotā iekļaut PHP kodu, izmantojot tagus <? php? > a0a65d06. Ir pieejami šādi globālie mainīgie: $ conf, $ db, $ mysoc, $ user, $ website, $ websitepage, $ weblangs, $ pagelangs.

      Varat arī iekļaut citas lappuses / konteinera saturu ar šādu sintakse:
      a0e7843947c0er0e03_04_03 ? >


      Jūs varat veikt novirzīšanu uz citu lapu / Container ar šādu sintaksi (piezīme: nav izejas kādu saturu pirms novirzīšanas):?
      < php redirectToContainer ( "alias_of_container_to_redirect_to '); ? >

      Lai pievienotu saiti uz citu lapu, izmantojiet sintaksi:
      <a href = "alias_of_page_to_link_to.php" >mylink<a>

      Lai iekļautu saiti uz lejupielādēt saglabātu failu vērā dokumentos katalogs, izmantojiet document.php iesaiņojuma:
      Piemēram, failu stāšanās dokumentu / ECM (nepieciešams pieteicies), sintakse ir:?
      <a href = "/ document.php modulepart = ECM & file = [relative_dir / ] filename.ext ">
      . Failā dokumentos / plašsaziņas līdzekļos (atvērts direktorijs publiskai piekļuvei) sintakse ir:
      a03900df70b030000 "/document.php?modulepart=medias&file=[relative_dir/ ]faila nosaukums.ext">
      failam, kas koplietots ar koplietošanas saiti (atvērta piekļuve, izmantojot faila koplietošanas hash atslēgu04_04_04_04_04_04_04_04_04_04 /document.php?hashp=publicsharekeyoffile">


      Lai iekļautu attēla saglabāto vērā dokumentos direktorijā, izmantot viewimage.php iesaiņojuma:
      Piemērs, par attēlu dokumentos / plašsaziņas (open publiskās piekļuves direktorijs), sintakse ir:
      <img src = "/ viewimage.php? modulepart = medias&file = a [santykis_dir /] faila nosaukuma.ext" -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Attēlam, kas tiek koplietots ar koplietošanas saiti (atvērta piekļuve, izmantojot faila koplietošanas hash atslēgu), sintakse ir:
      <img src = "/ viewimage.php? Hashp = 123456790120f0f0f0f0f0f0c0f0fcfcfcfcfcfcfcfcfcfcfcflcflcfcflcflcfl0f0flffcfcfcflflfcflflflflflflflflflflflflflflflflflflflflflflfcflflflflflflflflflflflflflrlxlrg" " -YouCanEditHtmlSourceMore=
      Citi HTML vai dinamiskā koda piemēri ir pieejami vietnē wiki dokumentācijā
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Klonēt lapu / konteineru CloneSite=Klonēt vietni SiteAdded=Tīmekļa vietne ir pievienota @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Diemžēl šī vietne pašlaik nav pieejama. Lūd WEBSITE_USE_WEBSITE_ACCOUNTS=Iespējot tīmekļa vietnes kontu tabulu WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Ļauj tabulai saglabāt tīmekļa vietņu kontus (pieteikšanās / caurlaide) katrai vietnei / trešajai pusei YouMustDefineTheHomePage=Vispirms ir jādefinē noklusējuma sākumlapa -OnlyEditionOfSourceForGrabbedContentFuture=Brīdinājums: Web lapas izveidošana, importējot ārēju Web lapu, ir paredzēta pieredzējušiem lietotājiem. Atkarībā no avota lapas sarežģītības importēšanas rezultāts var atšķirties no oriģināla. Arī tad, ja avota lapā tiek izmantoti parastie CSS stili vai konfliktējošais javascript, strādājot ar šo lapu, tas var sabojāt vietnes redaktora izskatu vai funkcijas. Šī metode ir ātrāks veids, kā izveidot lapu, taču ieteicams jauno lapu izveidot no nulles vai no ieteiktās lapas veidnes.
      Ņemiet vērā arī to, ka iebūvētais redaktors, iespējams, nedarbosies pareizi, ja to izmanto satvertā ārējā lapā. +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting JavaScript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correctty when used on a grabbed external page. OnlyEditionOfSourceForGrabbedContent=Tikai HTML avota izdevums ir pieejams, ja saturs tiek satverts no ārējas vietnes GrabImagesInto=Grab arī attēlus, kas atrodami CSS un lapā. ImagesShouldBeSavedInto=Attēli jāuzglabā mapē @@ -112,13 +113,13 @@ GoTo=Iet uz DynamicPHPCodeContainsAForbiddenInstruction=Jūs pievienojat dinamisku PHP kodu, kas satur PHP norādījumu ' %s ', kas pēc noklusējuma ir aizliegta kā dinamisks saturs (skatiet slēptās opcijas WEBSITE_PHP_ALLOW_xxx, lai palielinātu atļauto komandu sarakstu). NotAllowedToAddDynamicContent=Jums nav atļaujas pievienot vai rediģēt PHP dinamisko saturu tīmekļa vietnēs. Uzdodiet atļauju vai vienkārši saglabājiet kodu php tagos nemainītā veidā. ReplaceWebsiteContent=Meklēt vai aizstāt vietnes saturu -DeleteAlsoJs=Vai arī dzēst visus šajā tīmekļa vietnē raksturīgos javascript failus? -DeleteAlsoMedias=Vai arī dzēst visus šajā tīmekļa vietnē esošos mediju failus? +DeleteAlsoJs=Delete also all JavaScript files specific to this website? +DeleteAlsoMedias=Delete also all media files specific to this website? MyWebsitePages=Manas vietnes lapas SearchReplaceInto=Meklēt | Nomainiet uz ReplaceString=Jauna virkne CSSContentTooltipHelp=Ievadiet šeit CSS saturu. Lai izvairītos no konfliktiem ar lietojumprogrammas CSS, pārliecinieties, ka visa deklarācija ir jāpapildina ar .bodywebsite klasi. Piemēram:

      #mycssselector, input.myclass: virziet kursoru {...}
      jābūt
      .bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}

      Piezīme: ja jums ir liels fails bez šī prefiksa, varat izmantot “lessc”, lai to pārveidotu, lai visur pievienotu .bodywebsite prefiksu. -LinkAndScriptsHereAreNotLoadedInEditor=Brīdinājums: Šis saturs tiek izvadīts tikai tad, ja vietnei piekļūst no servera. Tas netiek izmantots rediģēšanas režīmā, tāpēc, ja javascript faili ir jāielādē arī rediģēšanas režīmā, vienkārši pievienojiet lapā tagu 'script src = ...'. +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=Lapas ar dinamisku saturu paraugs ImportSite=Importēt vietnes veidni EditInLineOnOff=Režīms “Rediģēt iekļauto” ir %s @@ -158,5 +159,8 @@ Reservation=Rezervācija PagesViewedPreviousMonth=Skatītās lapas (iepriekšējā mēnesī) PagesViewedTotal=Apskatītās lapas (kopā) Visibility=Redzamība -Everyone=Everyone -AssignedContacts=Assigned contacts +Everyone=Visi +AssignedContacts=Piešķirtie kontakti +WebsiteTypeLabel=Type of Web site +WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/lv_LV/withdrawals.lang b/htdocs/langs/lv_LV/withdrawals.lang index 6edf442ec95..c9ce3ac6a9e 100644 --- a/htdocs/langs/lv_LV/withdrawals.lang +++ b/htdocs/langs/lv_LV/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Veiciet kredīta pārveduma pieprasījumu WithdrawRequestsDone=%s reģistrēti tiešā debeta maksājumu pieprasījumi BankTransferRequestsDone=%s reģistrēti kredīta pārveduma pieprasījumi ThirdPartyBankCode=Trešās puses bankas kods -NoInvoiceCouldBeWithdrawed=Netika veiksmīgi norakstīts rēķins. Pārbaudiet, vai rēķini ir norādīti uzĦēmumiem ar derīgu IBAN un IBAN ir UMR (unikālas pilnvaras atsauce) ar režīmu %s . +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=Šī izņemšanas kvīts jau ir atzīmēta kā ieskaitīta; to nevar izdarīt divreiz, jo tas potenciāli radītu maksājumu un bankas ierakstu dublikātus. ClassCredited=Klasificēt kreditēts ClassDebited=Klasificēt debetēts @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Vai jūs tiešām vēlaties, lai ievadītu izdalīšan RefusedData=Noraidījuma datums RefusedReason=Noraidījuma iemesls RefusedInvoicing=Rēķinu noraidījumu -NoInvoiceRefused=Nav maksas noraidīšanu -InvoiceRefused=Invoice refused (Charge the rejection to customer) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Statuss debets/kredīts StatusWaiting=Gaidīšana StatusTrans=Sūtīt @@ -103,7 +106,7 @@ ShowWithdraw=Rādīt tiešā debeta rīkojumu IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Tomēr, ja rēķinam ir vismaz viens tiešā debeta maksājuma rīkojums, kas vēl nav apstrādāts, tas netiks iestatīts kā maksāts, lai varētu veikt iepriekšēju izņemšanas pārvaldību. DoStandingOrdersBeforePayments=Šajā cilnē varat pieprasīt tiešā debeta maksājuma uzdevumu. Kad tas ir izdarīts, varat doties uz izvēlni "Banka-> Maksājums ar tiešo debetu", lai ģenerētu un pārvaldītu tiešā debeta pasūtījuma failu. DoStandingOrdersBeforePayments2=Varat arī nosūtīt pieprasījumu tieši SEPA maksājumu apstrādātājam, piemēram, Stripe, ... -DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=Kad pieprasījums ir aizvērts, rēķinu apmaksa tiks automātiski reģistrēta, un rēķini tiek slēgti, ja atlikusī maksājuma summa ir nulles. DoCreditTransferBeforePayments=Šajā cilnē varat pieprasīt kredīta pārveduma pasūtījumu. Kad tas ir izdarīts, atveriet izvēlni "Banka->Maksājums ar kredīta pārvedumu", lai izveidotu un pārvaldītu Kredīta pārveduma uzdevuma failu. DoCreditTransferBeforePayments3=Kad kredīta pārveduma pasūtījums tiek aizvērts, rēķinu apmaksa tiks automātiski reģistrēta, un rēķini tiks slēgti, ja atlikusī maksājuma summa ir nulles. WithdrawalFile=Debeta pasūtījuma fails @@ -115,7 +118,7 @@ RUM=RUM DateRUM=Pilnvaras parakstīšanas datums RUMLong=Unikāla pilnvaru atsauce RUMWillBeGenerated=Ja tukša, UMR (Unique Mandate Reference) tiks ģenerēta, tiklīdz tiks saglabāta bankas konta informācija. -WithdrawMode=Tiešā debeta režīms (FRST vai RECUR) +WithdrawMode=Tiešā debeta režīms (FRST vai RCUR) WithdrawRequestAmount=Tiešā debeta pieprasījuma summa: BankTransferAmount=Kredīta pārveduma pieprasījuma summa: WithdrawRequestErrorNilAmount=Nevar izveidot tīrās summas tiešā debeta pieprasījumu. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Jūsu bankas konta nosaukums (IBAN) SEPAFormYourBIC=Jūsu bankas identifikācijas kods (BIC) SEPAFrstOrRecur=Maksājuma veids ModeRECUR=Atkārtots maksājums +ModeRCUR=Periodisks maksājums ModeFRST=Vienreizējs maksājums PleaseCheckOne=Lūdzu izvēlaties tikai vienu CreditTransferOrderCreated=Izveidots kredīta pārveduma rīkojums %s @@ -155,9 +159,16 @@ InfoTransData=Daudzums: %s
      Metode: %s
      Datums: %s InfoRejectSubject=Tiešais debeta maksājuma uzdevums ir noraidīts InfoRejectMessage=Labdien,

      banka noraidījusi rēķina %s tiešā debeta maksājuma uzdevumu saistībā ar uzņēmumu %s ar summu %s.

      -
      %s ModeWarning=Iespēja reālā režīmā nav noteikts, mēs pārtraucam pēc šīs simulācijas -ErrorCompanyHasDuplicateDefaultBAN=Uzņēmumam ar ID %s ir vairāk nekā viens noklusējuma bankas konts. Nevar uzzināt, kuru izmantot. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Bankas kontā %s trūkst ICS TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Tiešā debeta rīkojuma kopējā summa atšķiras no rindu summas WarningSomeDirectDebitOrdersAlreadyExists=Brīdinājums: jau ir pieprasīti daži neapstiprināti tiešā debeta pasūtījumi (%s) par summu %s WarningSomeCreditTransferAlreadyExists=Brīdinājums: jau ir pieprasīts neapstiprināts kredīta pārvedums (%s) par summu %s UsedFor=Izmantots %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Alga +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/lv_LV/workflow.lang b/htdocs/langs/lv_LV/workflow.lang index 8b4c42911b5..c83f22cda3b 100644 --- a/htdocs/langs/lv_LV/workflow.lang +++ b/htdocs/langs/lv_LV/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automātiski izveidot klienta rēķinu descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automātiski izveidojiet klienta rēķinu pēc pārdošanas pasūtījuma slēgšanas (jaunajam rēķinam būs tāda pati summa kā pasūtījumam) descWORKFLOW_TICKET_CREATE_INTERVENTION=Izveidojot biļeti, automātiski izveidojiet iejaukšanos. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Klasificējiet saistītā avota priekšlikumu kā rēķinu, kad pārdošanas pasūtījums ir iestatīts uz rēķinu (un ja pasūtījuma summa ir vienāda ar parakstītā saistītā priekšlikuma kopējo summu) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Klasificēt saistīto avota priekšlikumu kā rēķinu, kad klienta rēķins ir apstiprināts (un ja rēķina summa ir tāda pati kā parakstītā saistītā piedāvājuma kopējā summa) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Klasificējiet saistītā avota pārdošanas pasūtījumu kā rēķinu, kad klients rēķins ir apstiprināts (un ja rēķina summa ir vienāda ar kopējo piesaistītā pasūtījuma summu) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Klasificējiet saistītā avota pārdošanas pasūtījumu kā rēķinu, kad klienta rēķins ir apmaksāts (un ja rēķina summa ir vienāda ar saistītā pasūtījuma kopējo summu) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Klasificējiet saistīto avota pārdošanas pasūtījumu, kas nosūtīts, kad sūtījums ir apstiprināts (un ja visu sūtījumu sūtītais daudzums ir tāds pats kā atjaunināšanas rīkojumā) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Saistītā avota pārdošanas pasūtījumu klasificējiet kā nosūtītu, kad sūtījums ir aizvērts (un ja visu sūtījumu nosūtītais daudzums ir tāds pats kā atjaunināšanas pasūtījumā) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Saistīto avotu pārdevēju priekšlikuma klasifikācija tiek apmaksāta, kad tiek apstiprināts piegādātāja rēķins (un ja rēķina summa ir tāda pati kā saistītā piedāvājuma kopējā summa) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Klasificēt saistīto avotu pirkuma pasūtījumu, par kuru jāmaksā, kad tiek apstiprināts piegādātāja rēķins (un ja rēķina summa ir tāda pati kā saistītā pasūtījuma summa) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Klasificēt saistītā avota pirkuma pasūtījumu kā saņemtu, kad saņemšana ir apstiprināta (un ja visu pieņemšanu saņemtais daudzums ir tāds pats kā atjaunināmajā pirkuma pasūtījumā) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Saistītā avota pirkuma pasūtījuma klasificēšana kā saņemta, kad pieņemšana ir slēgta (un ja visu pieņemšanu saņemtais daudzums ir tāds pats kā atjaunināmajā pirkuma pasūtījumā) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Klasificējiet pieņemšanas kā "rēķins", kad ir apstiprināts saistītais pirkuma rēķins (un ja rēķina summa ir tāda pati kā saistīto pieņemšanu kopējā summa) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=Veidojot biļeti, saistiet pieejamos atbilstošās trešās puses līgumus +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Saistot līgumus, meklējiet starp mātesuzņēmumu līgumiem # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Kad biļete ir slēgta, aizveriet visas ar biļeti saistītās darbības AutomaticCreation=Automātiska veidošana AutomaticClassification=Automātiskā klasifikācija -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Klasificēt saistītā avota sūtījumu kā slēgtu, kad klienta rēķins ir apstiprināts (un ja rēķina summa ir tāda pati kā saistīto sūtījumu kopējā summa) AutomaticClosing=Automātiska aizvēršana AutomaticLinking=Automātiska saistīšana diff --git a/htdocs/langs/mk_MK/propal.lang b/htdocs/langs/mk_MK/propal.lang index e58b34d4a62..10c2322b4ed 100644 --- a/htdocs/langs/mk_MK/propal.lang +++ b/htdocs/langs/mk_MK/propal.lang @@ -12,9 +12,11 @@ NewPropal=New proposal Prospect=Prospect DeleteProp=Delete commercial proposal ValidateProp=Validate commercial proposal +CancelPropal=Cancel AddProp=Create proposal ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Latest %s proposals LastModifiedProposals=Најнови %sизменети понуди AllPropals=All proposals @@ -27,11 +29,13 @@ NbOfProposals=Number of commercial proposals ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Open +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Предлози (треба да се потврдат) PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed +PropalStatusCanceledShort=Canceled PropalStatusDraftShort=Draft PropalStatusValidatedShort=Validated (open) PropalStatusClosedShort=Затворено @@ -55,6 +59,7 @@ CopyPropalFrom=Create commercial proposal by copying existing proposal CreateEmptyPropal=Create empty commercial proposal or from list of products/services DefaultProposalDurationValidity=Default commercial proposal validity duration (in days) DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? @@ -113,6 +118,7 @@ RefusePropal=Refuse proposal Sign=Sign SignContract=Sign contract SignFichinter=Sign intervention +SignSociete_rib=Sign mandate SignPropal=Accept proposal Signed=signed SignedOnly=Signed only diff --git a/htdocs/langs/nb_NO/accountancy.lang b/htdocs/langs/nb_NO/accountancy.lang index d95271f5766..8d5dd656ff6 100644 --- a/htdocs/langs/nb_NO/accountancy.lang +++ b/htdocs/langs/nb_NO/accountancy.lang @@ -38,7 +38,7 @@ DeleteCptCategory=Fjern regnskapskonto fra gruppe ConfirmDeleteCptCategory=Er du sikker på at du vil fjerne denne regnskapskontoen fra gruppen? JournalizationInLedgerStatus=Status for journalisering AlreadyInGeneralLedger=Allerede overført til regnskapsjournal og reskontro -NotYetInGeneralLedger=Foreløpig ikke overført til regnskapsjournal og reskontro +NotYetInGeneralLedger=Foreløpig ikke overført til regnskapsjournal og hovedbok GroupIsEmptyCheckSetup=Gruppen er tom, sjekk oppsettet for den personlige regnskapsgruppen DetailByAccount=Vis detaljer etter konto DetailBy=Detalj av @@ -53,30 +53,29 @@ ExportAccountingSourceDocHelp=Med dette verktøyet kan du søke og eksportere ki ExportAccountingSourceDocHelp2=For å eksportere journalene dine, bruk menyoppføringen %s - %s. ExportAccountingProjectHelp=Spesifiser et prosjekt hvis du trenger en regnskapsrapport kun for et spesifikt prosjekt. Utgiftsrapporter og lånebetalinger er ikke inkludert i prosjektrapporter. ExportAccountancy=Eksporter regnskap -WarningDataDisappearsWhenDataIsExported=Advarsel, denne listen inneholder kun regnskapsposter som ikke allerede er eksportert (eksportdato er tom). Hvis du vil inkludere regnskapspostene som allerede er eksportert for å eksportere dem på nytt, klikk på knappen ovenfor. +WarningDataDisappearsWhenDataIsExported=Advarsel, denne listen inneholder bare regnskapsoppføringene som ikke allerede er eksportert (Eksport dato er tom). Hvis du vil inkludere regnskapsoppføringene som allerede er eksportert, klikk på knappen ovenfor. VueByAccountAccounting=Vis etter regnskapskonto VueBySubAccountAccounting=Vis etter regnskaps-subkonto MainAccountForCustomersNotDefined=Hovedkonto (fra Kontoplan) for kunder som ikke er definert i oppsett MainAccountForSuppliersNotDefined=Hovedkonto (fra kontoplanen) for leverandører som ikke er definert i oppsett MainAccountForUsersNotDefined=Hovedkonto (fra kontoplanen) for brukere som ikke er definert i oppsett -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup +MainAccountForVatPaymentNotDefined=Konto (fra kontoplan) for MVA-betaling ikke definert i oppsett +MainAccountForSubscriptionPaymentNotDefined=Konto (fra kontoplan) for medlemsbetaling ikke definert i oppsett +MainAccountForRetainedWarrantyNotDefined=Konto (fra kontoplanen) for den beholdte garantien som ikke er definert i oppsett UserAccountNotDefined=Regnskapskonto for bruker ikke definert i oppsett AccountancyArea=Regnskapsområde AccountancyAreaDescIntro=Bruk av regnskapsmodulen er gjort i flere skritt: AccountancyAreaDescActionOnce=Følgende tiltak blir vanligvis utført en gang, eller en gang i året ... -AccountancyAreaDescActionOnceBis=De neste trinnene bør gjøres for å spare deg for tid i fremtiden ved å foreslå at du automatisk får riktig standard regnskapskonto når du overfører data i regnskapet +AccountancyAreaDescActionOnceBis=De neste trinnene bør gjøres for å spare deg for tid i fremtiden ved å foreslå deg automatisk den riktige standard regnskapskontoen når du overfører data i regnskapet AccountancyAreaDescActionFreq=Følgende tiltak blir vanligvis utført hver måned, uke eller dag for svært store selskaper ... AccountancyAreaDescJournalSetup=TRINN %s: Sjekk innholdet i journallisten din fra menyen %s AccountancyAreaDescChartModel=TRINN %s: Sjekk at det finnes en modell av kontoplan eller lag en fra menyen %s AccountancyAreaDescChart=TRINN %s: Velg og|eller fullfør kontoplanen din fra meny %s +AccountancyAreaDescFiscalPeriod=TRINN %s: Definer et regnskapsår som standard for å integrere regnskapsoppføringene dine. For dette, bruk menyoppføringen %s. AccountancyAreaDescVat=TRINN %s: Definer regnskapskonto for hver MVA-sats. Bruk menyoppføringen %s. AccountancyAreaDescDefault=TRINN %s: Definer standard regnskapskontoer. For dette, bruk menyoppføringen %s. AccountancyAreaDescExpenseReport=TRINN %s: Definer standard regnskapskontoer for hver type utgiftsrapport. For dette, bruk menyoppføringen %s. @@ -84,19 +83,20 @@ AccountancyAreaDescSal=TRINN %s: Definer standard regnskapskonto for betaling av AccountancyAreaDescContrib=TRINN %s: Definer standard regnskapskontoer for skatter (spesielle utgifter). For dette, bruk menyoppføringen %s. AccountancyAreaDescDonation=TRINN %s: Definer standard regnskapskonto for donasjoner. Bruk menyoppføringen %s. AccountancyAreaDescSubscription=TRINN %s: Definer standard regnskapskonto for medlemsabonnement. Bruk menyoppføringen %s. -AccountancyAreaDescMisc=TRINN %s: Definer obligatorisk standardkonto og standard regnskapskontoer for diverse transaksjoner. Bruk menyoppføringen %s. +AccountancyAreaDescMisc=TRINN %s: Definer obligatoriske standardkontoer og standardregnskapskontoer for diverse transaksjoner. For dette, bruk menyoppføringen %s. AccountancyAreaDescLoan=TRINN %s: Definer standard regnskapskonto for lån. Bruk menyoppføringen %s. AccountancyAreaDescBank=TRINN %s: Definer regnskapskontoer og journalkode for hver bank- og finansregnskap. For dette, bruk menyoppføringen %s. AccountancyAreaDescProd=TRINN %s: Definer regnskapskontoer på dine varer/tjenester. For dette, bruk menyoppføringen %s. AccountancyAreaDescBind=TRINN %s: Kontroller at bindingen mellom eksisterende %s linjer og regnskapskonto er ferdig, slik at applikasjonen vil kunne journalføre transaksjoner i hovedboken med ett klikk. Fullfør manglende bindinger. Bruk menyen %s. AccountancyAreaDescWriteRecords=TRINN %s: Skriv transaksjoner inn i hovedboken. For dette, gå til menyen %s, og klikk på knappen %s. -AccountancyAreaDescAnalyze=TRINN %s: Legg til eller endre eksisterende transaksjoner, generer rapporter og utfør eksport - -AccountancyAreaDescClosePeriod=TRINN %s: Lukk perioden slik at ingen endringer kan bli gjort. +AccountancyAreaDescAnalyze=TRINN %s: Les rapporter eller generer eksportfiler for andre bokholdere. +AccountancyAreaDescClosePeriod=TRINN %s: Lukk perioden slik at vi ikke kan overføre flere data i samme periode i fremtiden. +TheFiscalPeriodIsNotDefined=Et obligatorisk trinn i oppsettet er ikke fullført (regnskapsperioden er ikke definert) TheJournalCodeIsNotDefinedOnSomeBankAccount=Et obligatorisk trinn i oppsettet er ikke fullført (regnskapskodejournal er ikke definert for alle bankkontoer) Selectchartofaccounts=Velg kontomodell +CurrentChartOfAccount=Gjeldende aktiv kontoplan ChangeAndLoad=Endre og last inn Addanaccount=Legg til regnskapskonto AccountAccounting=Regnskapskonto @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Tillat å administrere forskjellig antall nuller på slut BANK_DISABLE_DIRECT_INPUT=Deaktiver direkteregistrering av transaksjoner på bankkonto ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Aktiver eksportutkast i journal ACCOUNTANCY_COMBO_FOR_AUX=Aktiver kombinasjonsliste for underordnet konto (kan være treg hvis du har mange tredjeparter, fjerner muligheten til å søke på en del av verdien) -ACCOUNTING_DATE_START_BINDING=Definer en dato for å starte binding og overføring i regnskap. Etter denne datoen vil ikke transaksjonene bli overført til regnskap. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Ved regnskapsoverføring, hvilken periode er valgt som standard +ACCOUNTING_DATE_START_BINDING=Deaktiver binding og overføring i regnskap når datoen er før denne datoen (transaksjonene før denne datoen vil bli ekskludert som standard) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=På siden for å overføre data til regnskap, hvilken periode er valgt som standard ACCOUNTING_SELL_JOURNAL=Salgsjournal - salg og returer ACCOUNTING_PURCHASE_JOURNAL=Kjøpsjournal – kjøp og retur @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Sosialjournal ACCOUNTING_RESULT_PROFIT=Resultatregnskapskonto (fortjeneste) ACCOUNTING_RESULT_LOSS=Resultatregnskapskonto (tap) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Avslutningsjournal +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Regnskapsgrupper brukt for balanseoversikt-kontoen (atskilt med komma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Regnskapsgrupper brukt for resultatregnskapet (atskilt med komma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Konto (fra kontoplanen) som skal brukes som konto for overgangs-bankoverføringer TransitionalAccount=Overgangsbasert bankoverføringskonto @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Liste over linjene med fakturakunder og deres produktkont DescVentilTodoCustomer=Bind fakturalinjer som ikke allerede er bundet til en varekonto fra kontoplan ChangeAccount=Endre vare-/tjenestekontoen (fra kontoplanen) for de valgte linjene med følgende konto: Vide=- -DescVentilSupplier=Liste over leverandørfakturalinjer som er bundet eller ennå ikke bundet til en produktkonto fra kontoplan (bare post som ikke allerede er overført i regnskap er synlig) +DescVentilSupplier=Listen over leverandør-faktura-linjer som er bundet eller ennå ikke bundet til en vare-konto fra kontoplan (bare poster som ikke allerede er overført i regnskap er synlige) DescVentilDoneSupplier=Liste over linjene med leverandørfakturaer og deres regnskapskonto DescVentilTodoExpenseReport=Bind utgiftsrapport-linjer til en gebyr-regnskapskonto DescVentilExpenseReport=Liste over utgiftsrapport-linjer bundet (eller ikke) til en gebyr-regnskapskonto @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=Hvis du setter opp regnskapskonto med type utgiftsra DescVentilDoneExpenseReport=Liste over utgiftsrapport-linjer og tilhørende gebyr-regnskapskonto Closure=Årsavslutning -DescClosure=Her ser du antall bevegelser per måned som ennå ikke er validert og låst +AccountancyClosureStep1Desc=Her ser du antall bevegelser per måned som ennå ikke er validert og låst OverviewOfMovementsNotValidated=Oversikt over bevegelser som ikke er validert og låst AllMovementsWereRecordedAsValidated=Alle bevegelser ble registrert som validerte og låste NotAllMovementsCouldBeRecordedAsValidated=Ikke alle bevegelser kunne registreres som validerte og låste @@ -341,7 +343,7 @@ AccountingJournalType3=Innkjøp AccountingJournalType4=Bank AccountingJournalType5=Utgiftsrapporter AccountingJournalType8=Varetelling -AccountingJournalType9=Har nye +AccountingJournalType9=Tilbakeholdt inntjening GenerationOfAccountingEntries=Generering av regnskapsposter ErrorAccountingJournalIsAlreadyUse=Denne journalen er allerede i bruk AccountingAccountForSalesTaxAreDefinedInto=Merk: Regnskapskonto for MVA er definert i menyen %s - %s @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Deaktiver binding og overføring til reg ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Deaktiver binding og overføring til regnskap på utgiftsrapporter (utgiftsrapporter blir ikke tatt med i regnskapet) ACCOUNTING_ENABLE_LETTERING=Aktiver bokstavfunksjonen i regnskapet ACCOUNTING_ENABLE_LETTERING_DESC=Når dette alternativet er aktivert, kan du definere, på hver regnskapspost, en kode slik at du kan gruppere ulike regnskapsbevegelser sammen. Tidligere, når forskjellige journaler ble administrert uavhengig, var denne funksjonen nødvendig for å gruppere bevegelseslinjer for forskjellige tidsskrifter sammen. Men med Dolibarr-regnskap, er en slik sporingskode, kalt " %s " allerede lagret automatisk, så en automatisk registrering er allerede utført, uten risiko for feil, så denne funksjonen har blitt ubrukelig for vanlig bruk. Manuell registreringsfunksjon er gitt for sluttbrukere som virkelig ikke stoler på datamotoren som overfører data i regnskap. -EnablingThisFeatureIsNotNecessary=Å aktivere denne funksjonen er ikke lenger nødvendig for en streng regnskapsstyring. +EnablingThisFeatureIsNotNecessary=Aktivering av denne funksjonen er ikke lenger nødvendig for en streng regnskapsføring. ACCOUNTING_ENABLE_AUTOLETTERING=Aktiver automatisk skriving ved overføring til regnskap -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Koden for bokstaven genereres automatisk og økes og velges ikke av sluttbrukeren +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Koden for nummereringen genereres automatisk og inkrementert og ikke valgt av sluttbrukeren +ACCOUNTING_LETTERING_NBLETTERS=Antall bokstaver ved generering av bokstavkode (standard 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Noen regnskapsprogramvare aksepterer bare en kode på to bokstaver. Denne parameteren lar deg angi dette aspektet. Standard antall bokstaver er tre. OptionsAdvanced=Avanserte alternativer ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Aktiver styring av omvendt avgiftsplikt på leverandørkjøp -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Når dette alternativet er aktivert, kan du definere at en leverandør eller en gitt leverandørfaktura må overføres til regnskapet annerledes: En ekstra debet og en kredittgrense vil genereres inn i regnskapet på 2 gitte kontoer fra kontoplanen som er definert i "%s " oppsettside. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Når dette alternativet er aktivert, kan du definere at en leverandør eller en gitt leverandør faktura må overføres til regnskap på en annen måte: En ekstra debet og en kredittgrense vil genereres inn i regnskapet på 2 gitte kontoer fra kontoplanen som er definert i "%s"-oppsettsside. ## Export NotExportLettering=Ikke eksporter bokstaver når du genererer filen @@ -420,7 +424,7 @@ SaleLocal=Lokalt salg SaleExport=Eksportsalg SaleEEC=Salg i EU SaleEECWithVAT=Salg i EU med mva som ikke er null, så vi antar at dette IKKE er et intra-EU salg og den foreslåtte kontoen er standard produktkonto. -SaleEECWithoutVATNumber=Salg i EEC uten MVA, men MVA-ID-en til tredjepart er ikke definert. Vi faller tilbake på kontoen for standardsalg. Du kan fikse MVA-ID-en til tredjeparten, eller endre produktkontoen som foreslås for binding om nødvendig. +SaleEECWithoutVATNumber=Salg i EEC uten MVA, men MVA-nummeret til tredjepart er ikke definert. Vi faller tilbake på kontoen for standardsalg. Du kan fikse MVA-nummeret til tredjeparten, eller endre produktkontoen som er foreslått for binding om nødvendig. ForbiddenTransactionAlreadyExported=Ikke tillatt: Transaksjonen er validert og/eller eksportert. ForbiddenTransactionAlreadyValidated=Ikke tillatt: Transaksjonen er validert. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Ingen reversert avstemming modifisert AccountancyOneUnletteringModifiedSuccessfully=Én reversert avstemming ble endret AccountancyUnletteringModifiedSuccessfully=%s reversertavstemming ble endret +## Closure +AccountancyClosureStep1=Trinn 1 : Valider og lås bevegelsene +AccountancyClosureStep2=Trinn 2 : Lukk regnskapsperioden +AccountancyClosureStep3=Trinn 3: Trekk ut oppføringer (valgfritt) +AccountancyClosureClose=Lukk regnskapsperiode +AccountancyClosureAccountingReversal=Trekk ut og-posten «Beholdte inntekter»-oppføringer +AccountancyClosureStep3NewFiscalPeriod=Neste regnskapsperiode +AccountancyClosureGenerateClosureBookkeepingRecords=Generer "Tilbakeholdt inntekt"-oppføringer i neste regnskapsperiode +AccountancyClosureSeparateAuxiliaryAccounts=Når du genererer "Tilbakeholdte inntekter"-oppføringer, spesifiser underkontoer +AccountancyClosureCloseSuccessfully=Regnskapsperioden er avsluttet +AccountancyClosureInsertAccountingReversalSuccessfully=Bokføringsposter for "Tilbakeholdt inntekt" er satt inn + ## Confirm box ConfirmMassUnletteringAuto=Bekreftelse på bulk tilbakestilling av automatisk avstemming ConfirmMassUnletteringManual=Bekreftelse på bulk tilbakestilling av manuell avstemming ConfirmMassUnletteringQuestion=Er du sikker på at du vil tilbakestille avstemming av %s valgte post(er)? ConfirmMassDeleteBookkeepingWriting=Bekreft massesletting ConfirmMassDeleteBookkeepingWritingQuestion=Dette vil slette transaksjonen fra regnskapet (alle linjeposter knyttet til samme transaksjon vil bli slettet). Er du sikker på at du vil slette de %s valgte oppføringene? +AccountancyClosureConfirmClose=Er du sikker på at du vil avslutte gjeldende regnskapsperiode? Lukking av regnskapsperioden er en irreversibel handling og vil permanent blokkere enhver endring eller sletting av oppføringer i denne perioden. +AccountancyClosureConfirmAccountingReversal=Er du sikker på at du vil registrere oppføringer for "Tilbakeholdt inntekt"? ## Error SomeMandatoryStepsOfSetupWereNotDone=Noen obligatoriske trinn for oppsett ble ikke gjort, vennligst fullfør disse -ErrorNoAccountingCategoryForThisCountry=Ingen regnskapskonto-gruppe tilgjengelig for land %s (Se Hjem - Oppsett - Ordbøker) +ErrorNoAccountingCategoryForThisCountry=Ingen regnskapskontogruppe tilgjengelig for landet %s (Se %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Du prøver å journalføre noen linjer i fakturaen %s , men noen andre linjer er ennå ikke bundet til en regnskapskonto. Journalføring av alle fakturalinjer for denne fakturaen blir avvist. ErrorInvoiceContainsLinesNotYetBoundedShort=Noen linjer på fakturaen er ikke bundet til en regnskapskonto. ExportNotSupported=Eksportformatet som er satt opp støttes ikke på denne siden @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=Saldoen (%s) er ikke lik 0 AccountancyErrorLetteringBookkeeping=Det har oppstått feil angående transaksjonene: %s ErrorAccountNumberAlreadyExists=Kontonummeret %s eksisterer allerede ErrorArchiveAddFile=Kan ikke legge "%s"-filen i arkivet +ErrorNoFiscalPeriodActiveFound=Fant ingen aktiv regnskapsperiode +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Datoen for bokføringsdokumentet er ikke innenfor den aktive regnskapsperioden +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Datoen for bokføringsdokumentet er innenfor en lukket regnskapsperiode ## Import ImportAccountingEntries=Regnskapsposter diff --git a/htdocs/langs/nb_NO/admin.lang b/htdocs/langs/nb_NO/admin.lang index f5fce3ede8d..0a884008ca6 100644 --- a/htdocs/langs/nb_NO/admin.lang +++ b/htdocs/langs/nb_NO/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Denne modulenser ikke ut til å være kompatibel med Dolibarr %s ( CompatibleAfterUpdate=Denne modulen krever en oppdatering av Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=Se på Markedsplass SeeSetupOfModule=Se oppsett av modul %s +SeeSetupPage=Se oppsettsiden på %s +SeeReportPage=Se rapportsiden på %s SetOptionTo=Sett alternativet %s til %s Updated=Oppdatert AchatTelechargement=Kjøp/Last ned @@ -292,16 +294,16 @@ EmailSenderProfiles=E-postsender-profiler EMailsSenderProfileDesc=Du kan holde denne delen tom. Hvis du legger inn noen e-postmeldinger her, vil de bli lagt til listen over mulige avsendere i kombinasjonsboksen når du skriver en ny e-post. MAIN_MAIL_SMTP_PORT=SMTP/SMTPS-port (standardverdi i php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS-vert (standardverdi i php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS-port (Ikke definert i PHP på Unix-lignende systemer) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Ikke definert i PHP på Unix-lignende systemer) -MAIN_MAIL_EMAIL_FROM=Avsender-epost for automatiske eposter (standardverdi i php.ini: %s) -EMailHelpMsgSPFDKIM=For å forhindre at Dolibarr-e-poster klassifiseres som spam, sørg for at serveren er autorisert til å sende e-post fra denne adressen ved SPF- og DKIM-konfigurasjon +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS-port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS-vert +MAIN_MAIL_EMAIL_FROM=Avsender epost for automatiske eposter +EMailHelpMsgSPFDKIM=For å forhindre at Dolibarr-e-poster klassifiseres som spam, sørg for at serveren er autorisert til å sende e-post under denne identiteten (ved å sjekke SPF og DKIM-konfigurasjonen av domenenavnet) MAIN_MAIL_ERRORS_TO=E-post brukes til å returnere epostmeldinger (felt 'Feil-til' i epostmeldinger sendt) MAIN_MAIL_AUTOCOPY_TO= Kopier alle sendte e-post til MAIN_DISABLE_ALL_MAILS=Deaktiver all epost sending (for testformål eller demoer) MAIN_MAIL_FORCE_SENDTO=Send alle e-post til (i stedet for ekte mottakere, til testformål) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Foreslå e-post fra ansatte (hvis definert) til listen over forhåndsdefinerte mottakere når du skriver en ny e-post -MAIN_MAIL_NO_WITH_TO_SELECTED=Ikke velg en standardmottaker selv om det er et enkeltvalg +MAIN_MAIL_NO_WITH_TO_SELECTED=Ikke velg en standardmottaker selv om det bare er 1 mulig valg MAIN_MAIL_SENDMODE=Epost sendingsmetode MAIN_MAIL_SMTPS_ID=SMTP-ID (hvis sending av server krever godkjenning) MAIN_MAIL_SMTPS_PW=SMTP-passord (hvis sending av server krever godkjenning) @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Privat nøkkel for DKIM signering MAIN_DISABLE_ALL_SMS=Deaktiver all SMS-sending (for testformål eller demoer) MAIN_SMS_SENDMODE=Metode for å sende SMS MAIN_MAIL_SMS_FROM=Standard avsender telefonnummer for SMS sending -MAIN_MAIL_DEFAULT_FROMTYPE=Standard avsender-epost for manuell sending (Bruker-epost eller firma-epost) +MAIN_MAIL_DEFAULT_FROMTYPE=Standard avsenderepost forhåndsvalgt på skjemaer for å sende eposter UserEmail=Bruker-epost CompanyEmail=Firma epost FeatureNotAvailableOnLinux=Funksjonen er ikke tilgjengelig på Unix/Linux. Test sendmail lokalt. @@ -417,6 +419,7 @@ PDFLocaltax=Regler for %s HideLocalTaxOnPDF=Skjul %s-sats i kolonne Salgsavgift/mva HideDescOnPDF=Skjul varebeskrivelse HideRefOnPDF=Skjul varereferanse +ShowProductBarcodeOnPDF=Vis strekkode-nummeret til varer HideDetailsOnPDF=Skjul linjer med varedetaljer PlaceCustomerAddressToIsoLocation=Bruk fransk standardposisjon (La Poste) for kundeadresser Library=Bibliotek @@ -424,7 +427,7 @@ UrlGenerationParameters=Parametre for å sikre nettadresser SecurityTokenIsUnique=Bruk en unik securekey parameter for hver webadresse EnterRefToBuildUrl=Oppgi referanse for objekt %s GetSecuredUrl=Få beregnet URL -ButtonHideUnauthorized=Skjul uautoriserte handlingsknapper også for interne brukere (bare gråaktig ellers) +ButtonHideUnauthorized=Skjul uautoriserte handlingsknapper også for interne brukere (bare grått ellers) OldVATRates=Gammel MVA-sats NewVATRates=Ny MVA-sats PriceBaseTypeToChange=Endre på prisene med base referanseverdi definert på @@ -458,11 +461,11 @@ ComputedFormula=Beregnet felt ComputedFormulaDesc=Her kan du angi en formel ved å bruke andre egenskaper til objektet eller en hvilken som helst PHP-koding for å få en dynamisk beregnet verdi. Du kan bruke alle PHP-kompatible formler inkludert "?" betingelsesoperator og følgende globale objekt: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: Hvis du trenger egenskapene til et objekt som ikke er lastet, kan du bare hente objektet inn i formelen din som i det andre eksempelet.
      Å bruke et beregnet felt betyr at du ikke kan angi noen verdi fra grensesnittet. Dessuten, hvis det er en syntaksfeil, kan det hende at formelen ikke returnerer noe.

      Eksempel på formel:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Eksempel for å laste inn objektet på nytt
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Annet eksempel på formel for å tvinge inn lasting av objektet og dets overordnede objekt:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Lagre beregnede felt ComputedpersistentDesc=Beregnede ekstrafelt vil bli lagret i databasen, men verdien blir bare omregnet når objektet til dette feltet endres. Hvis det beregnede feltet avhenger av andre objekter eller globale data, kan denne verdien være feil! -ExtrafieldParamHelpPassword=Hvis dette feltet er tomt, vil denne verdien bli lagret uten kryptering (feltet må bare skjules med stjerne på skjermen).
      Angi 'auto' for å bruke standard krypteringsregel for å lagre passordet i databasen (da vil verdiavlesning være bare hash, uten noen måte å hente opprinnelig verdi på) +ExtrafieldParamHelpPassword=Å la dette feltet stå tomt betyr at denne verdien vil bli lagret UTEN kryptering (feltet er bare skjult med stjerner på skjermen).

      Enter verdi 'dolcrypt' for å kode verdi med en reversibel krypteringsalgoritme. Tydelige data kan fortsatt være kjent og redigert, men de er kryptert inn i databasen.

      Skriv inn 'auto' (eller 'md5', 'sha256', 'password_hash', ...) for å bruke standard passordkrypteringsalgoritme (eller md5, sha256, password_hash...) for å lagre det ikke-reversible hashed-passordet i databasen (ingen måte å hente opprinnelig verdi) ExtrafieldParamHelpselect=Liste over verdier må være linjer med formatet nøkkel,verdi (hvor nøkkelen ikke kan være '0')

      for eksempel:
      1,verdi1
      2,verdi2
      kode3,verdi3
      ...

      For å få listen avhengig av en annen komplementær attributtliste:
      1,verdi1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code: parent_key

      For å få listen avhengig av en annen liste:
      1,verdi1|parent_list_code:parent_key
      2,value2|parent_list_code : parent_key ExtrafieldParamHelpcheckbox=Liste over verdier må være linjer med formatet nøkkel,verdi (hvor nøkkelen ikke kan være '0')

      for eksempel:
      1,verdi1
      2,verdi2
      3,verdi3
      ... ExtrafieldParamHelpradio=Liste over verdier må være linjer med formatet nøkkel,verdi (hvor nøkkelen ikke kan være '0')

      for eksempel:
      1,verdi1
      2,verdi2
      3,verdi3
      ... -ExtrafieldParamHelpsellist=Liste over verdier kommer fra en tabell
      Syntax: table_name:label_field:id_field::filtersql
      Eksempel: c_typent:libelle:id::filtersql

      - id_field er nødvendigvis en primær int-nøkkel
      - filtersql er en SQL-tilstand. Det kan være en enkel test (f.eks. active=1) for å bare vise aktiv verdi
      Du kan også bruke $ID$ i filteret som er gjeldende id for gjeldende objekt
      For å bruke et SELECT i filteret, bruk nøkkelordet $SEL$ for å omgå beskyttelse mot injeksjon.
      Hvis du vil filtrere på ekstrafelt, bruk syntaksen extra.fieldcode=... (hvor feltkode er koden til ekstrafeltet)

      For å ha listen avhengig av en annen komplementær attributtliste:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      For å ha listen avhengig av en annen liste:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=Liste over verdier kommer fra en tabell
      Syntaks: table_name:label_field:id_field::filtersql
      Eksempel: c_idtypent:libelle: ::filtersql

      - id_field er nødvendigvis en primær int-nøkke
      - filtersql er en SQL-betingelse. Det kan være en enkel test (f.eks. active=1) å vise bare aktiv verdi
      Du kan også bruke $ID$ i filter som er gjeldende ID for gjeldende objekt
      For å bruke en SELECT i filteret, bruk nøkkelordet $SEL$ for å omgå anti-injeksjonsbeskyttelse.
      hvis du vil filtrere på ekstrafelt bruk syntaks extra.fieldcode=... (der feltkode er koden til extrafield)

      For å ha listen avhengig av en annen komplementær attributtliste:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      For å ha listen avhengig av en annen liste:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Liste over verdier kommer fra en tabell
      Syntax: table_name:label_field:id_field::filtersql
      Eksempel: c_typent:libelle:id::filtersql

      filteret kan være en enkel test (f.eks active=1) for kun å vise aktive verdier
      Du kan også bruke $ID$ i filtre, som er gjeldende ID for gjeldende objekt
      For å utføre SELECT i filter, bruk $SEL$
      Hvis du vil filtrere ekstrafelte, bruk syntaks extra.fieldcode=... (der feltkode er koden til ekstrafeltet)

      For å ha listen avhengig av en annen komplementær attributtliste:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      For å ha listen avhengig av en annen liste:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Parametere må være ObjectName:Classpath
      Syntaks: ObjectName:Classpath ExtrafieldParamHelpSeparator=Hold tomt for en enkel separator
      Sett dette til 1 for en kollaps-separator (åpnes som standard for ny økt, da beholdes status for hver brukerøkt)
      Sett dette til 2 for en kollaps-separator (kollapset som standard for ny økt, da holdes status foran hver brukerøkt) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Angi et telefonnummer å ringe for å vise en link for å RefreshPhoneLink=Oppdater kobling LinkToTest=Klikkbar link generert for bruker%s (klikk telefonnummer for å teste) KeepEmptyToUseDefault=Hold tomt for å bruke standardverdien -KeepThisEmptyInMostCases=I de fleste tilfeller kan du beholde dette feltet tomt. +KeepThisEmptyInMostCases=I de fleste tilfeller kan du holde dette feltet tomt. DefaultLink=Standard kobling SetAsDefault=Sett som standard ValueOverwrittenByUserSetup=Advarsel, denne verdien kan bli overskrevet av brukerspesifikke oppsett (hver bruker kan sette sitt eget clicktodial url) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Dette er navnet på HTML-feltet. Teknisk kunnskap er PageUrlForDefaultValues=Du må angi den relative banen til sidens URL. Hvis du inkluderer parametere i URL, vil det være effektivt hvis alle parametere i nettadressen du har surfet på har verdien som er definert her. PageUrlForDefaultValuesCreate= 
      Eksempel:
      For skjemaet for å opprette en ny tredjepart, er det %s .
      For URL til eksterne moduler installert i tilpasset mappe, ikke inkluder "Custom/", bruk banen som mymodule/mypage.php og ikke custom/mymodule/mypage.php.
      Hvis du bare vil ha standard verdi hvis url har noen parametre, kan du bruke %s PageUrlForDefaultValuesList= 
      Eksempel:
      For siden som viser tredjeparter, er den %s .
      For URL til eksterne moduler installert i tilpasset mappe, ikke inkluder "Custom /" , men bruk en bane som mymodule/mypagelist.php og ikke custom/mymodule/mypagelist.php.
      Hvis du bare vil ha standard verdi hvis url har noen parametre, kan du bruke %s -AlsoDefaultValuesAreEffectiveForActionCreate=Vær også oppmerksom på at overskriving av standardverdier for skjemaoppretting bare fungerer for sider som er riktig utformet (så med parameter handling = opprett eller legg til ...) +AlsoDefaultValuesAreEffectiveForActionCreate=Vær også oppmerksom på at overskriving av standardverdier for skjemaoppretting fungerer bare for sider som er riktig utformet (så med parameter action=create or presend...) EnableDefaultValues=Aktiver tilpasning av standardverdier EnableOverwriteTranslation=Tillat tilpasning av oversettelser GoIntoTranslationMenuToChangeThis=En oversettelse har blitt funnet for nøkkelen med denne koden. For å endre denne verdien må du redigere den fra Hjem-Oppsett-Oversettelse. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Den generiske private katalogen er en WebDAV-katalo DAV_ALLOW_PUBLIC_DIR=Aktiver generisk offentlig katalog (WebDAV dedikert mappe kalt "offentlig" - ingen innlogging kreves) DAV_ALLOW_PUBLIC_DIRTooltip=Den generiske offentlige katalogen er en WebDAV-mappe som noen kan få tilgang til (i lese- og skrivemodus), uten at autorisasjon kreves (innlogging/passord-konto). DAV_ALLOW_ECM_DIR=Aktiver DMS/ECM privat mappe (rotmappen til DMS/ECM-modulen - innlogging kreves) -DAV_ALLOW_ECM_DIRTooltip=Rotkatalogen der alle filene lastes opp manuelt når du bruker DMS/ECM-modulen. På samme måte som tilgang fra webgrensesnittet, trenger du et gyldig brukernavn/passord med adekvate tillatelser for å få tilgang til det. +DAV_ALLOW_ECM_DIRTooltip=Rotkatalogen der alle filene lastes opp manuelt ved bruk av DMS/ECM-modulen. På samme måte som tilgang fra nettgrensesnittet, trenger du en gyldig pålogging/passord med tilstrekkelige tillatelser for å få tilgang til det. ##### Modules ##### Module0Name=Brukere og grupper Module0Desc=Håndtering av Brukere/Ansatte og Grupper @@ -566,7 +569,7 @@ Module40Desc=Leverandører og innkjøpshåndtering (innkjøpsordrer og faktureri Module42Name=Feilsøkingslogger Module42Desc=Loggfunksjoner (fil, syslog, ...). Slike logger er for tekniske/feilsøkingsformål. Module43Name=Debug Bar -Module43Desc=Et utviklerverktøy for å legge til en feilsøkingslinje i nettleseren din. +Module43Desc=Et verktøy for utviklere som legger til en feilsøkingslinje i nettleseren din. Module49Name=Redigeringsprogram Module49Desc=Behandling av redigeringsprogram Module50Name=Varer @@ -582,7 +585,7 @@ Module54Desc=Forvaltning av kontrakter (tjenester eller tilbakevendende abonneme Module55Name=Strekkoder Module55Desc=Strek- eller QR-kodehåndtering Module56Name=Betaling med kredittoverføring -Module56Desc=Håndtering av betaling til leverandører ved Credit Transfer-ordrer. Den inkluderer generering av SEPA-filer for europeiske land. +Module56Desc=Håndtering av betaling av leverandører eller lønn ved kredittoverføring. Det inkluderer generering av SEPA-filer for europeiske land. Module57Name=Betalinger med dirketedebet Module57Desc=Håndtering av ordrer med direktedebet. Den inkluderer generering av SEPA-filer for europeiske land. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Send epostvarsler utløst av en forretningshendelse): pr. bruker ( Module600Long=Vær oppmerksom på at denne modulen sender e-post i sanntid når en bestemt forretningshendelse oppstår. Hvis du leter etter en funksjon for å sende e-postpåminnelser for agendahendelser, går du inn i oppsettet av agendamodulen . Module610Name=Varevarianter Module610Desc=Opprettelse av produktvarianter (farge, størrelse etc.) +Module650Name=Stykklister (BOM) +Module650Desc=Modul for å definere dine stykklister (BOM). Kan brukes til produksjonsressursplanlegging av modulen Produksjonsordre (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Modul for å administrere produksjonsordre (MO) Module700Name=Donasjoner Module700Desc=Behandling av donasjoner Module770Name=Utgiftsrapporter @@ -650,8 +657,8 @@ Module2300Name=Planlagte jobber Module2300Desc=Planlagt jobbadministrasjon (alias cron- eller chronotabell) Module2400Name=Hendelser/Agenda Module2400Desc=Spor hendelser. Logg automatisk hendelser for sporingsformål eller registrer manuelle hendelser eller møter. Dette er hovedmodulen for håndtering av gode kunde- eller leverandørforhold. -Module2430Name=Online bookingkalender -Module2430Desc=Gi en online-kalender slik at alle kan bestille treff, i henhold til forhåndsdefinerte områder eller tilgjengeligheter. +Module2430Name=Online avtaleplanlegging +Module2430Desc=Gir et online avtalebestillingssystem. Dette lar hvem som helst bestille treff, i henhold til forhåndsdefinerte områder eller tilgjengeligheter. Module2500Name=DMS / ECM Module2500Desc=Dokumenthåndteringssystem / Elektronisk innholdshåndtering. Automatisk organisering av dine genererte eller lagrede dokumenter. Del dem når du trenger det. Module2600Name=API / webtjenester (SOAP-server) @@ -672,7 +679,7 @@ Module3300Desc=Et RAD (Rapid Application Development - lav-kode og ingen kode)-v Module3400Name=Sosiale nettverk Module3400Desc=Aktiver felt for sosiale nettverk i tredjeparter og adresser (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=HRM (håndtering av avdeling, arbeidskontrakter og personell) +Module4000Desc=Personalledelse (ledelse av avdeling, ansattkontrakter, dyktighetsledelse og intervju) Module5000Name=Multi-selskap Module5000Desc=Lar deg administrere flere selskaper Module6000Name=Intermoduler Arbeidsflyt @@ -712,6 +719,8 @@ Module63000Desc=Administrer ressurser (skrivere, biler, rom, ...) for tildeling Module66000Name=OAuth2-tokenadministrasjon Module66000Desc=Gi et verktøy for å generere og administrere OAuth2-tokens. Tokenet kan da brukes av noen andre moduler. Module94160Name=Mottak +ModuleBookCalName=Bestilling kalendersystem +ModuleBookCalDesc=Administrer en kalender for å bestille avtaler ##### Permissions ##### Permission11=Les kundefakturaer (og betalinger) Permission12=Opprett/endre kundefakturaer @@ -996,7 +1005,7 @@ Permission4031=Les personlig informasjon Permission4032=Skriv personlig informasjon Permission4033=Les alle evalueringer (selv de av brukere som ikke er underordnede) Permission10001=Les nettstedsinnhold -Permission10002=Opprett/endre innhold på nettstedet (html og javascript innhold) +Permission10002=Opprett/endre nettstedinnhold (html og JavaScript-innhold) Permission10003=Opprett/endre nettstedsinnhold (dynamisk PHP-kode). Farlig, må reserveres for erfarne utviklere. Permission10005=Slett nettstedsinnhold Permission20001=Les permitteringsforespørsler (dine og dine underordnedes) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Utgiftsrapport - Rangert etter transportkategori DictionaryTransportMode=Intracomm rapport - Transportmodus DictionaryBatchStatus=Vare lot/serie kvalitetskontrollstatus DictionaryAssetDisposalType=Type avhending av eiendeler +DictionaryInvoiceSubtype=Faktura undertyper TypeOfUnit=Type enhet SetupSaved=Innstillinger lagret SetupNotSaved=Oppsettet er ikke lagret @@ -1109,10 +1119,11 @@ BackToModuleList=Tilbake til modullisten BackToDictionaryList=Tilbake til Ordboklisten TypeOfRevenueStamp=Type skattestempel VATManagement=MVA-håndtering -VATIsUsedDesc=Som standard når du oppretter prospekter, fakturaer, bestillinger etc., følger MVA-satsen en aktiv standardregel:
      Hvis selgeren ikke er underlagt MVA, settes MVA til 0.
      Hvis (selgerens land = kjøpers land), så er salgsavgiften som standard lik salgsomsetningen for produktet i selgerens land.
      Hvis selger og kjøper er begge i Det europeiske fellesskap og varer er transportrelaterte (frakt, flyfrakt), er standardverdien 0. Denne regelen er avhengig av selgerens land - vennligst kontakt din regnskapsfører. MVA skal betales av kjøperen til tollkontoret i landet og ikke til selgeren.
      Hvis selger og kjøper begge er i Det europeiske fellesskap, og kjøperen ikke er et selskap (med et registrert internt mva-nummer), er MVA bestemt av selgerens land.
      Hvis selger og kjøper er begge i Det europeiske fellesskap og kjøperen er et selskap (med et registrert internt momsnummer), så er MVA 0 som standard.
      I alle andre tilfeller er foreslått standard MVA = 0. +VATIsUsedDesc=Som standard, når du oppretter prospekter, fakturaer, ordre osv., følger MVA den aktive standardregelen:
      Hvis selgeren ikke er underlagt MVA, blir MVA satt til 0. Slutt på regelen.
      Hvis (selgerens land = kjøperens land), blir MVA som standard satt til MVA for produktet i selgerens land. Slutt på regelen.
      Hvis selgeren og kjøperen begge er i Den europeiske union og varene er transportrelaterte produkter (frakt, shipping, flyselskap), er standard merverdiavgift (MVA) 0. Denne regelen avhenger av selgerens land - vennligst konsulter regnskapsføreren din. MVA skal betales av kjøperen til tollkontoret i deres eget land og ikke til selgeren. Slutt på regelen.
      Hvis selgeren og kjøperen begge er i Den europeiske union og kjøperen ikke er et selskap (med et registrert intra-Community VAT-nummer), blir MVA satt til MVA-satsen i selgerens land. Slutt på regelen.
      Hvis selgeren og kjøperen begge er i Den europeiske union og kjøperen er et selskap (med et registrert intra-Community VAT-nummer), blir MVA som standard satt til 0. Slutt på regelen.
      I alle andre tilfeller er det foreslåtte standardverdien for MVA 0. Slutt på regelen. VATIsNotUsedDesc=Foreslått MVA er som standard 0. Den kan brukes mot foreninger, enkeltpersoner eller nystardede bedrifter. VATIsUsedExampleFR=I Frankrike betyr det at bedrifter eller organisasjoner har et reelt finanssystem (forenklet reell eller normal reell). Et system hvor MVA er erklært. VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +VATType=MVA type ##### Local Taxes ##### TypeOfSaleTaxes=Type omsetningsavgift LTRate=Rate @@ -1399,8 +1410,8 @@ PHPModuleLoaded=PHP-komponent %s lastet PreloadOPCode=Forhåndslastet OPCode brukes AddRefInList=Vis Kunde/Leverandør ref. inn i kombinasjonslister.
      Tredjeparter vil vises med navneformatet "CC12345 - SC45678 - Firmanavn." i stedet for "Firmanavn". AddVatInList=Vis kunde-/leverandør-mva-nummer i kombinasjonslister. -AddAdressInList=Vis kunde-/leverandøradresse i kombinasjonslister.
      Tredjeparter vil vises med navneformatet "Firmanavn. - Full adresse - Land" i stedet for "Firma". -AddEmailPhoneTownInContactList=Vis kontakt-epost (eller telefoner hvis ikke definert) og poststed (velg liste eller kombinasjonsfelt)
      Kontakter vises med navneformatet "Ola Nordmann - ola.nordmann@email.com - Bergen" eller "Ola Nordmann - 55 55 55 55 - Bergen "i stedet for"Ola Nordmann". +AddAdressInList=Vis kunde/leverandøradresse i kombinasjonslister.
      Tredjeparter vil vises med navneformatet "The Big Company corp. - 21 jump street 123456 Big town - USA" i stedet for "The Big Company corp". +AddEmailPhoneTownInContactList=Vis kontakt-epost (eller telefoner hvis ikke definert) og byinformasjonsliste (velg liste eller kombinasjonsboks)
      Kontakter vil vises med navneformatet "Dupond Durand - dupond.durand@example .com - Paris" eller "Dupond Durand - 06 07 59 65 66 - Paris" i stedet for "Dupond Durand". AskForPreferredShippingMethod=Spør etter foretrukket sendingsmetode for tredjeparter FieldEdition=Endre felt %s FillThisOnlyIfRequired=Eksempel: +2 (brukes kun hvis du opplever problemer med tidssone offset) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Ikke vis koblingen "Glemt passord" på innl UsersSetup=Oppsett av brukermodulen UserMailRequired=E-postadresse kreves for å opprette en ny bruker UserHideInactive=Skjul inaktive brukere fra alle kombinasjonslister over brukere (anbefales ikke: dette kan bety at du ikke vil kunne filtrere eller søke på gamle brukere på enkelte sider) +UserHideExternal=Skjul eksterne brukere (ikke koblet til en tredjepart) fra alle kombinasjonslister over brukere (ikke anbefalt: dette kan bety at du ikke kan filtrere eller søke på eksterne brukere på enkelte sider) +UserHideNonEmployee=Skjul ikke-ansatte brukere fra alle kombinasjonslister over brukere (ikke anbefalt: dette kan bety at du ikke vil kunne filtrere eller søke på ikke-ansatte brukere på enkelte sider) UsersDocModules=Dokumentmaler for dokumenter generert fra brukerpost GroupsDocModules=Dokumentmaler for dokumenter generert fra en gruppeoppføring ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Grupper LDAPContactsSynchro=Kontaktpersoner LDAPMembersSynchro=Medlemmer LDAPMembersTypesSynchro=Medlemstyper -LDAPSynchronization=LDAP synkronisering +LDAPSynchronization=LDAP-synkronisering LDAPFunctionsNotAvailableOnPHP=LDAP funksjoner er ikke tilgjengelig i din PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Modulen memcache er funnet, men oppsett er i MemcachedAvailableAndSetup=Modulen memcache er aktivert OPCodeCache=OPCode cache NoOPCodeCacheFound=Ingen OPCode cache funnet. Det kan være du bruker en annen OPCode-cache enn XCache eller eAccelerator (bra). Det kan også være at du ikke har OPCode-cache (svært dårlig). -HTTPCacheStaticResources=HTTP cache for statiske ressurser (css, img, javascript) +HTTPCacheStaticResources=HTTP-buffer for statiske ressurser (css, img, JavaScript) FilesOfTypeCached=Filtypene %s er cachet av HTTP-server FilesOfTypeNotCached=Filtypene %s er ikke cachet av HTTP-server FilesOfTypeCompressed=Filtypene %s er undertrykket av HTTP-server @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Fritekst for leveringskvitteringer ##### FCKeditor ##### AdvancedEditor=Avansert editor ActivateFCKeditor=Aktiver avansert editor for: -FCKeditorForNotePublic=WYSIWIG opprettelse/utgave av feltet "offentlige notater" av elementer -FCKeditorForNotePrivate=WYSIWIG opprettelse/utgave av feltet "private notater" av elementer -FCKeditorForCompany=WYSIWIG opprettelse/utgave av feltbeskrivelsen av elementer (unntatt varer/tjenester) -FCKeditorForProductDetails=WYSIWIG opprettelse/utgave av varebeskrivelse eller linjer for objekter (linjer med forslag, bestillinger, fakturaer, etc...). +FCKeditorForNotePublic=WYSIWYG opprettelse/endring av feltet "offentlige notater" av elementer +FCKeditorForNotePrivate=WYSIWYG opprettelse/endring av feltet "private notater" av elementer +FCKeditorForCompany=WYSIWYG opprettelse/endring av feltbeskrivelsen av elementer (unntatt produkter/tjenester) +FCKeditorForProductDetails=WYSIWYG opprettelse/endring av varebeskrivelse eller linjer for objekter (linjer med forslag, bestillinger, fakturaer, etc...). FCKeditorForProductDetails2=Advarsel: Å bruke dette alternativet for dette tilfellet anbefales ikke, da det kan skape problemer med spesialtegn og sideformatering når du bygger PDF-filer. -FCKeditorForMailing= WYSIWIG opprettelse/endring av masse-e-postutsendelser (Verktøy->E-post) -FCKeditorForUserSignature=WYSIWIG-opprettelse av signatur -FCKeditorForMail=WYSIWIG opprettelse/redigering for all post (unntatt Verktøy ->eMailing) -FCKeditorForTicket=WYSIWIG oppretting/endring av billetter +FCKeditorForMailing= WYSIWYG-oppretting/-endring for masse-epostutsendelser (Verktøy->epost) +FCKeditorForUserSignature=WYSIWYG opprettelse/endring av brukersignatur +FCKeditorForMail=WYSIWYG-oppretting/-endring for all post (unntatt Verktøy->e-post) +FCKeditorForTicket=WYSIWYG opprettelse/endring av billetter ##### Stock ##### StockSetup=Oppsett av lagermodul IfYouUsePointOfSaleCheckModule=Hvis du bruker Point-of-Sale (POS) som tilbys som standard eller en ekstern modul, kan dette oppsettet ignoreres av din POS-modul. De fleste POS-moduler er som standard designet for å opprette en faktura umiddelbart og redusere lager uavhengig av alternativene her. Så hvis du trenger eller ikke skal ha et lagerreduksjon når du registrerer et salg fra ditt POS, kan du også sjekke innstillingen av POS-modulen. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Personlige menyer som ikke er lenket til en toppmeny NewMenu=Ny meny MenuHandler=Menybehandler MenuModule=Kildemodul -HideUnauthorizedMenu=Skjul uautoriserte menyer også for interne brukere (bare gråtonet ellers) +HideUnauthorizedMenu=Skjul uautoriserte menyer også for interne brukere (bare grått ellers) DetailId=Meny-ID DetailMenuHandler=Menyhåndterer skulle vise en ny meny DetailMenuModule=Modulnavn hvis menyoppføringen kom fra en modul @@ -1802,7 +1815,7 @@ DetailType=Menytype (topp eller venstre) DetailTitre=Menyetikett eller etikettkode for oversettelse DetailUrl=URL hvor menyen sender deg (Relativ URL-lenke eller ekstern lenke med https://) DetailEnabled=Tilstand for å vise oppføring eller ikke -DetailRight=Tilstand for å vise uautoriserte grå menyer +DetailRight=Forutsetning for å vise uautoriserte grå menyer DetailLangs=Språkfil-navn for etikettkode-oversettelse DetailUser=Intern/Ekstern/Alle Target=Mål @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Kassekonto som skal brukes til kontantsalg CashDeskBankAccountForCheque=Konto som skal brukes til å motta utbetalinger via sjekk CashDeskBankAccountForCB=Konto som skal brukes til å motta kontant betaling med kredittkort CashDeskBankAccountForSumup=Standard bankkonto som skal brukes til å motta betalinger med SumUp -CashDeskDoNotDecreaseStock=Deaktiver lagerreduksjon når et salg er gjort fra Point of Sale (hvis "nei", er lagerreduksjon gjort for hvert salg utført fra POS, uavhengig av alternativet som er satt i modulen Stock). +CashDeskDoNotDecreaseStock=Deaktiver beholdningsreduksjon når et salg gjøres fra salgsstedet +CashDeskDoNotDecreaseStockHelp=Hvis "nei", beholdning reduseres for hvert salg utført fra POS, uavhengig av alternativet satt i modulen Beholdning. CashDeskIdWareHouse=Tving/begrens lager til å bruke varereduksjon ved salg StockDecreaseForPointOfSaleDisabled=Lagerreduksjon fra Point-of-sale er deaktivert StockDecreaseForPointOfSaleDisabledbyBatch=Lagernedgang i POS er ikke kompatibel med modul Serie/Lot-administrasjon (for tiden aktiv), slik at lagerreduksjon er deaktivert. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Fremhev tabellinjer når musen flyttes over HighlightLinesColor=Fremhev fargen på linjen når musen går over (bruk 'ffffff' for ingen fremheving) HighlightLinesChecked=Fremhev farge på linjen når den er merket (bruk 'ffffff' for ikke noen fremheving) UseBorderOnTable=Vis venstre-høyre kantlinjer på tabeller +TableLineHeight=Tabell linjehøyde BtnActionColor=Farge på handlingsknappen TextBtnActionColor=Tekstfarge på handlingsknappen TextTitleColor=Tekstfarge på sidetittel @@ -1991,7 +2006,7 @@ EnterAnyCode=Dette feltet inneholder en referanse for å identifisere linjen. Sk Enter0or1=Skriv inn 0 eller 1 UnicodeCurrency=Her legger du inn en liste med Ascii-verdier, som representerer et valutasymbol. For eksempel: $ = [36], Brasilsk real R$ = [82,36], € = [8364] ColorFormat=RGB-fargen er i HEX-format, for eksempel: FF0000 -PictoHelp=Ikonnavn i format:
      - image.png for en bildefil i gjeldende temakatalog
      - image.png@module hvis filen er i katalogen /img/ til en modul
      - fa-xxx for en FontAwesomepic fa-x
      - fonwtawesome_xxx_fa_color_size for et FontAwesome fa-xxx-bilde (med prefiks, farge og størrelse satt) +PictoHelp=Ikonnavn i formatet:
      - image.png for en bildefil til gjeldende temakatalog
      - image.png@module hvis filen er i katalogen /img/ til en modul
      - fa-xxx for en FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for et FontAwesome fa-xxx-bilde (med prefiks, farge og størrelse satt) PositionIntoComboList=Plassering av linje i kombinasjonslister SellTaxRate=MVA-sats RecuperableOnly=Ja for MVA"Ikke oppfattet, men gjenopprettelig" dedikert til noen steder i Frankrike. Hold verdien til "Nei" i alle andre tilfeller. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Skjul totalprisko MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Skjul enhetspriskolonnen på innkjøpsordrer MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Skjul totalpriskolonnen på kjøpsordrer MAIN_PDF_NO_SENDER_FRAME=Skjul kanter på rammen rundt avsenderadresse -MAIN_PDF_NO_RECIPENT_FRAME=Skjul kanter på rammen til mottakeradresse +MAIN_PDF_NO_RECIPENT_FRAME=Skjul kanter på mottakeradresserammen MAIN_PDF_HIDE_CUSTOMER_CODE=Skjul kundekode MAIN_PDF_HIDE_SENDER_NAME=Skjul avsender/firmanavn i adresseblokk PROPOSAL_PDF_HIDE_PAYMENTTERM=Skjul betalingsbetingelser @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Ikke ta med innholdet i e-posthodet i det lagrede EmailCollectorHideMailHeadersHelp=Når den er aktivert, legges ikke e-posthoder til på slutten av e-postinnholdet som er lagret som en agendahendelse. EmailCollectorConfirmCollectTitle=E-post-samling bekreftelse EmailCollectorConfirmCollect=Vil du kjøre denne samleren nå? -EmailCollectorExampleToCollectTicketRequestsDesc=Samle e-poster som samsvarer med noen regler og lag automatisk en billett (modulbillett må være aktivert) med e-postinformasjonen. Du kan bruke denne samleren hvis du gir støtte via e-post, slik at billettforespørselen din genereres automatisk. Aktiver også Collect_Responses for å samle inn svar fra klienten din direkte på billettvisningen (du må svare fra Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Samle e-poster som samsvarer med noen regler og opprette automatisk en supportseddel (modul supportseddel må være aktivert) med epost-informasjonen. Du kan bruke denne samleren hvis du gir noe støtte gjennom epost, slik at supportseddel-forespørselen din blir generert automatisk. Aktiver også Collect_Responses for å samle inn svar fra klienten din direkte på supportseddel-visningen (du må svare fra Dolibarr). EmailCollectorExampleToCollectTicketRequests=Eksempel på innhenting av billettforespørsel (kun første melding) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Skann postkassens "Sendt"-katalog for å finne e-poster som ble sendt som svar på en annen e-post direkte fra e-postprogramvaren og ikke fra Dolibarr. Hvis en slik e-post blir funnet, registreres svarhendelsen i Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Eksempel på innsamling av e-postsvar sendt fra en ekstern e-postprogramvare EmailCollectorExampleToCollectDolibarrAnswersDesc=Samle alle e-poster som er et svar på en e-post sendt fra søknaden din. En hendelse (modul Agenda må være aktivert) med e-postsvar vil bli registrert på riktig sted. For eksempel, hvis du sender et tilbud, ordre, faktura eller melding for en billett via e-post fra applikasjonen, og mottakeren svarer på e-posten din, vil systemet automatisk fange opp svaret og legge det til i ERP-en din. EmailCollectorExampleToCollectDolibarrAnswers=Eksempel som samler alle inngående meldinger som svar på meldinger sendt fra Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Samle eposter som samsvarer med noen regler og lag automatisk et kundeemne (modulprosjektet må være aktivert) med epostinformasjonen. Du kan bruke denne innsamleren hvis du ønsker å følge leadet ditt ved å bruke modulen Prosjekt (1 lead = 1 prosjekt), slik at dine leads blir automatisk generert. Hvis samleren Collect_Responses også er aktivert, når du sender en epost fra dine kundeemner, forslag eller andre objekter, kan du også se svar fra dine kunder eller partnere direkte i applikasjonen.
      Merk: Med dette første eksempelet genereres tittelen på kundeemnet inkludert eposten. Hvis tredjeparten ikke finnes i databasen (ny kunde), vil kundeemnet bli knyttet til tredjeparten med ID 1. +EmailCollectorExampleToCollectLeadsDesc=Samle eposter som samsvarer med visse regler og opprett automatisk en lead (Modul Prosjekt må være aktivert) med epostinformasjonen. Du kan bruke denne samleren hvis du vil følge opp din lead ved hjelp av modulen Prosjekt (1 lead = 1 prosjekt), slik at dine leads vil bli generert automatisk. Hvis samleren Collect_Responses også er aktivert, når du sender en epost fra dine leads, tilbud eller andre objekter, kan du også se svar fra dine kunder eller partnere direkte i applikasjonen.
      Merk: Med dette initielle eksempelet blir tittelen på leaden generert inkludert eposten. Hvis tredjeparten ikke kan finnes i databasen (ny kunde), vil leaden bli knyttet til tredjeparten med ID 1. EmailCollectorExampleToCollectLeads=Eksempel på innsamling av kundeemner EmailCollectorExampleToCollectJobCandidaturesDesc=Samle e-poster som søker om jobbtilbud (modulrekruttering må være aktivert). Du kan fullføre denne samleren hvis du automatisk vil opprette en kandidatur for en jobbforespørsel. Merk: Med dette første eksempelet genereres tittelen på kandidaturen inkludert e-posten. EmailCollectorExampleToCollectJobCandidatures=Eksempel på innsamling av jobbkandidater mottatt på e-post @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=Denne verdien kan overskrives av hver bruker fra brukersiden - fanen '%s' -DefaultCustomerType=Standard tredjepartstype for "Ny kunde"-opprettingsskjema +DefaultCustomerType=Standard tredjepartstype for opprettelsesskjemaet "Ny kunde". ABankAccountMustBeDefinedOnPaymentModeSetup=Merk: Bankkontoen må defineres i modulen for hver betalingsmodus (Paypal, Stripe, ...) for å få denne funksjonen til å fungere. RootCategoryForProductsToSell=Rot-kategori av vare for salg -RootCategoryForProductsToSellDesc=Hvis det er definert, vil kun produkter i denne kategorien eller underkategorien være tilgjengelige i Point of Sale +RootCategoryForProductsToSellDesc=Hvis definert, vil bare varer innenfor denne kategorien eller underkategorien være tilgjengelig i salgsstedet DebugBar=Debug Bar DebugBarDesc=Verktøylinjen som følger med mange verktøy for å forenkle feilsøking DebugBarSetup=DebugBar Setup @@ -2212,10 +2227,10 @@ ImportSetup=Oppsett av importmodul InstanceUniqueID=Unik ID for forekomsten SmallerThan=Mindre enn LargerThan=Større enn -IfTrackingIDFoundEventWillBeLinked=Merk at hvis en sporings-ID for et objekt blir funnet i epost, eller hvis eposten er et svar på en epostadresse som er samlet og koblet til et objekt, blir den opprettede hendelsen automatisk knyttet til det kjente relaterte objektet. -WithGMailYouCanCreateADedicatedPassword=Med en Gmail-konto, hvis du aktiverte 2-trinns validering, anbefales det å opprette et dedikert annet passord for applikasjonen, i stedet for å bruke ditt eget kontopassord fra https://myaccount.google.com/. -EmailCollectorTargetDir=Det kan være en ønsket oppførsel å flytte eposten til en annet merke/katalog når den er behandlet. Bare sett navnet på katalogen her for å bruke denne funksjonen (IKKE bruk spesialtegn i navnet). Vær oppmerksom på at du også må bruke en konto med lese-/skrivetillatelse . -EmailCollectorLoadThirdPartyHelp=Du kan bruke denne handlingen til å bruke e-postinnholdet til å finne og laste en eksisterende tredjepart i databasen din (søk vil bli gjort på den definerte egenskapen blant 'id','name','name_alias','email'). Den funnede (eller opprettede) tredjeparten vil bli brukt til følgende handlinger som trenger det.
      For eksempel, hvis du vil opprette en tredjepart med et navn hentet fra en streng 'Navn: navn å finne' til stede i brødteksten, bruk avsenderens e-post som e-post, du kan angi parameterfeltet slik:
      'email= HEDER:^Fra:(.*);navn=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Merk at hvis en sporings-ID for et objekt blir funnet i eposten, eller hvis eposten er et svar på en allerede samlet epost som er knyttet til et objekt, vil den opprettede hendelsen automatisk bli knyttet til det kjente relaterte objektet. +WithGMailYouCanCreateADedicatedPassword=Med en Gmail-konto, hvis du har aktivert 2-trinns validering, anbefales det å opprette et dedikert andre passord for applikasjonen i stedet for å bruke ditt eget kontopassord fra https://myaccount.google.com/. +EmailCollectorTargetDir=Det kan være en ønsket oppførsel å flytte epost til en annen merke/katalog når den ble behandlet. Bare angi navn på katalog her for å bruke denne funksjonen (IKKE bruk spesialtegn i navnet). Merk at du også må bruke en lese/skrive påloggingskonto. +EmailCollectorLoadThirdPartyHelp=Du kan bruke denne handlingen til å bruke e-postinnholdet til å finne og laste en eksisterende tredjepart i databasen din (søk vil bli gjort på den definerte egenskapen blant 'id','name','name_alias','email'). Den funne (eller opprettede) tredjeparten vil bli brukt til følgende handlinger som trenger det.
      For eksempel, hvis du vil opprette en tredjepart med et navn hentet fra en streng ' Navn: navn å finne' til stede i brødteksten, bruk avsenderens e-post som e-post, du kan angi parameterfeltet slik:
      'email=HEADER:^Fra:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Advarsel: mange e-postservere (som Gmail) utfører fullordsøk når de søker på en streng og vil ikke returnere et resultat hvis strengen bare finnes delvis i et ord. Også av denne grunn vil bruk av spesialtegn i et søkekriterie bli ignorert hvis de ikke er en del av eksisterende ord.
      For å gjøre et ekskluderingssøk på et ord (retur e-post hvis ordet ikke blir funnet), kan du bruke ! tegn før ordet (fungerer kanskje ikke på enkelte e-postservere). EndPointFor=Sluttpunkt for %s: %s DeleteEmailCollector=Slett e-postsamler @@ -2233,11 +2248,11 @@ EMailsWillHaveMessageID=E-postmeldinger vil være merket 'Referanser' som samsva PDF_SHOW_PROJECT=Vis prosjekt på dokument ShowProjectLabel=Prosjektetikett PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Ta med alias i tredjepartsnavn -THIRDPARTY_ALIAS=Navn tredjepart - Alias tredjepart -ALIAS_THIRDPARTY=Alias tredjepart - Navngi tredjepart +THIRDPARTY_ALIAS=Tredjeparts navn – Tredjeparts alias +ALIAS_THIRDPARTY=Tredjeparts alias – Tredjeparts navn PDFIn2Languages=Vis etiketter i PDF-en på 2 forskjellige språk (denne funksjonen fungerer kanskje ikke for noen få språk) PDF_USE_ALSO_LANGUAGE_CODE=Hvis du vil at tekst i PDF-en din skal dupliseres på 2 forskjellige språk i samme genererte PDF, må du angi dette andre språket, slik at generert PDF vil inneholde 2 forskjellige språk på samme side, det som er valgt når du genererer PDF og dette ( bare få PDF-maler støtter dette). Hold tom for ett språk per PDF. -PDF_USE_A=Lag PDF-dokumenter med PDF/A-format i stedet for standard-PDF +PDF_USE_A=Generer PDF-dokumenter med formatet PDF/A i stedet for standardformatet PDF FafaIconSocialNetworksDesc=Skriv inn koden til et FontAwesome-ikon. Hvis du ikke vet hva som er FontAwesome, kan du bruke den generelle verdien fa-adresseboken. RssNote=Merk: Hver definisjon av RSS-feed gir en widget som du må aktivere for å ha den tilgjengelig i dashbordet JumpToBoxes=Gå til Setup -> Widgets @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Du kan finne sikkerhetsrådgivning her ModuleActivatedMayExposeInformation=Denne PHP-utvidelsen kan avsløre sensitive data. Hvis du ikke trenger det, deaktiver det. ModuleActivatedDoNotUseInProduction=En modul designet for utvikling er aktivert. Ikke aktiver det i et produksjonsmiljø. CombinationsSeparator=Skilletegn for varekombinasjoner -SeeLinkToOnlineDocumentation=Se lenke til online dokumentasjon i toppmenyen for eksempler +SeeLinkToOnlineDocumentation=Se lenke til nettdokumentasjon på toppmenyen for eksempler SHOW_SUBPRODUCT_REF_IN_PDF=Hvis funksjonen "%s" til modul %s brukes, kan du vise detaljer om undervarer av et sett på PDF. AskThisIDToYourBank=Kontakt banken din for å få denne ID-en -AdvancedModeOnly=Tillatelse bare tilgjengelig i avansert tillatelsesmodus +AdvancedModeOnly=Tillatelse kun tilgjengelig i avansert tillatelsesmodus ConfFileIsReadableOrWritableByAnyUsers=Conf-filen er lesbar eller skrivbar av alle brukere. Gi tillatelse kun til nettserverbruker og -gruppe. MailToSendEventOrganization=Hendelse organisasjon MailToPartnership=Partnerskap AGENDA_EVENT_DEFAULT_STATUS=Standard hendelsesstatus når du oppretter en hendelse fra skjemaet YouShouldDisablePHPFunctions=Du bør deaktivere PHP-funksjoner -IfCLINotRequiredYouShouldDisablePHPFunctions=Bortsett fra hvis du trenger å kjøre systemkommandoer i tilpasset kode, bør du deaktivere PHP-funksjoner +IfCLINotRequiredYouShouldDisablePHPFunctions=Med mindre du trenger å kjøre systemkommandoer i tilpasset kode, bør du deaktivere PHP-funksjoner PHPFunctionsRequiredForCLI=For skallformål (som planlagt jobbsikkerhetskopiering eller å kjøre et antivirusprogram), må du beholde PHP-funksjoner NoWritableFilesFoundIntoRootDir=Ingen skrivbare filer eller kataloger for de vanlige programmene ble funnet i rotkatalogen din (Bra) RecommendedValueIs=Anbefalt: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook oppsett Settings = Innstillinger WebhookSetupPage = Webhook oppsettside ShowQuickAddLink=Vis en knapp for raskt å legge til et element i menyen øverst til høyre - +ShowSearchAreaInTopMenu=Vis søketområdet i toppmenyen HashForPing=Hash brukt til ping ReadOnlyMode=Er forekomst i "Read Only"-modus DEBUGBAR_USE_LOG_FILE=Bruk filen dolibarr.log for å fange logger @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Fungerer ikke med alle temaer NoName=Ingen navn ShowAdvancedOptions= Vis avanserte innstillinger HideAdvancedoptions= Skjul avanserte alternativer -CIDLookupURL=Modulen bringer en URL som kan brukes av et eksternt verktøy for å få navnet på en tredjepart eller kontakt fra telefonnummeret. URL som skal brukes er: +CIDLookupURL=Modulen lager en URL som kan brukes av et eksternt verktøy for å få navnet på en tredjepart eller kontakt fra telefonnummeret. URL som skal brukes er: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2-autentisering er ikke tilgjengelig for alle verter, og et token med de riktige tillatelsene må ha blitt opprettet oppstrøms med OAUTH-modulen MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2-autentiseringstjeneste DontForgetCreateTokenOauthMod=Et token med de riktige tillatelsene må ha blitt opprettet oppstrøms med OAUTH-modulen -MAIN_MAIL_SMTPS_AUTH_TYPE=Autentifiseringsmetode +MAIN_MAIL_SMTPS_AUTH_TYPE=Autentiseringsmetode UsePassword=Bruk et passord UseOauth=Bruk et OAUTH-token Images=Bilder MaxNumberOfImagesInGetPost=Maks antall bilder tillatt i et HTML-felt sendt inn i et skjema MaxNumberOfPostOnPublicPagesByIP=Maks antall innlegg på offentlige sider med samme IP-adresse i løpet av en måned -CIDLookupURL=Modulen bringer en URL som kan brukes av et eksternt verktøy for å få navnet på en tredjepart eller kontakt fra telefonnummeret. URL som skal brukes er: +CIDLookupURL=Modulen lager en URL som kan brukes av et eksternt verktøy for å få navnet på en tredjepart eller kontakt fra telefonnummeret. URL som skal brukes er: ScriptIsEmpty=Skriptet er tomt ShowHideTheNRequests=Vis/skjul %s SQL-forespørsel(er) DefinedAPathForAntivirusCommandIntoSetup=Definer en bane for et antivirusprogram til %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Skjul det bestilte antallet på de genererte dokument MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Vis prisen på de genererte dokumentene for mottak WarningDisabled=Advarsel deaktivert LimitsAndMitigation=Tilgangsgrenser og tiltak +RecommendMitigationOnURL=Det anbefales å aktivere reduksjon på kritisk URL. Dette er listen over fail2ban-regler du kan bruke for de viktigste URL-ene. DesktopsOnly=Bare stasjonære datamaskiner DesktopsAndSmartphones=Stasjonære datamaskiner og smarttelefoner AllowOnlineSign=Tillat nettsignering @@ -2403,6 +2419,24 @@ Defaultfortype=Standard DefaultForTypeDesc=Mal som brukes som standard når du oppretter en ny e-post for maltypen OptionXShouldBeEnabledInModuleY=Alternativet " %s " bør være aktivert i modulen %s OptionXIsCorrectlyEnabledInModuleY=Alternativet " %s " er aktivert i modulen %s +AllowOnLineSign=Tillat on-line signatur AtBottomOfPage=Nederst på siden FailedAuth=mislykkede autentiseringer MaxNumberOfFailedAuth=Maks antall mislykkede autentiseringer i løpet av 24 timer for å nekte pålogging. +AllowPasswordResetBySendingANewPassByEmail=Hvis en bruker A har denne tillatelsen, og selv om brukeren A ikke er en "admin"-bruker, har A lov til å tilbakestille passordet til enhver annen bruker B, det nye passordet vil bli sendt til e-posten til den andre brukeren B, men det vil ikke være synlig for A. Hvis brukeren A har "admin"-flagget, vil han også kunne vite hva som er det nye genererte passordet til B, slik at han vil kunne ta kontroll over B-brukerkontoen. +AllowAnyPrivileges=Hvis en bruker A har denne tillatelsen, kan han opprette en bruker B med alle rettigheter og deretter bruke denne brukeren B, eller gi seg selv en hvilken som helst annen gruppe med en hvilken som helst tillatelse. Så det betyr at bruker A eier alle forretningsprivilegier (bare systemtilgang til oppsettsider vil være forbudt) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Denne verdien kan leses fordi forekomsten din ikke er satt i produksjonsmodus +SeeConfFile=Se i conf.php-filen på serveren +ReEncryptDesc=Krypter data på nytt hvis de ikke er kryptert ennå +PasswordFieldEncrypted=%s ny post har dette feltet blitt kryptert +ExtrafieldsDeleted=Ekstrafelt %s har blitt slettet +LargeModern=Stor - Moderne +SpecialCharActivation=Aktiver knappen for å åpne et virtuelt tastatur for å skrive inn spesialtegn +DeleteExtrafield=Slett ekstrafelt +ConfirmDeleteExtrafield=Bekrefter du sletting av feltet %s? Alle data som er lagret i dette feltet vil definitivt bli slettet +ExtraFieldsSupplierInvoicesRec=Komplementære attributter (fakturarmaler ) +ExtraFieldsSupplierInvoicesLinesRec=Komplementære attributter (mal fakturalinjer) +ParametersForTestEnvironment=Parametere for testmiljø +TryToKeepOnly=Prøv å beholde bare %s +RecommendedForProduction=Anbefalt for produksjon +RecommendedForDebug=Anbefalt for feilsøking diff --git a/htdocs/langs/nb_NO/bills.lang b/htdocs/langs/nb_NO/bills.lang index 1e5153f6fd1..d631941ffc7 100644 --- a/htdocs/langs/nb_NO/bills.lang +++ b/htdocs/langs/nb_NO/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Lag purring til kunde DisabledBecauseRemainderToPayIsZero=Slått av fordi restbeløpet er null PriceBase=Grunnpris BillStatus=Fakturastatus -StatusOfGeneratedInvoices=Status for genererte fakturaer +StatusOfAutoGeneratedInvoices=Status for automatisk genererte fakturaer BillStatusDraft=Kladd (må valideres) BillStatusPaid=Betalt BillStatusPaidBackOrConverted=Kreditnota eller merket som kreditt tilgjengelig @@ -167,7 +167,7 @@ ActionsOnBill=Handlinger på faktura ActionsOnBillRec=Handlinger på gjentakende faktura RecurringInvoiceTemplate=Mal/Gjentakende faktura NoQualifiedRecurringInvoiceTemplateFound=Ingen gjentagende-fakturamal kvalifisert for generering -FoundXQualifiedRecurringInvoiceTemplate=Fant %s gjentagende-fakturamal(er) kvalifisert for generering. +FoundXQualifiedRecurringInvoiceTemplate=%s gjentakende malfaktura(er) kvalifisert for generering. NotARecurringInvoiceTemplate=Ikke en mal for gjentagende faktura NewBill=Ny faktura LastBills=Siste %s fakturaer @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Leverandør fakturakladder Unpaid=Ubetalt ErrorNoPaymentDefined=Feil, Ingen betaling er definert ConfirmDeleteBill=Er du sikker på at du vil slette denne fakturaen? -ConfirmValidateBill=Er du sikker på at du vil validere denne fakturaen med referanse %s? +ConfirmValidateBill=Er du sikker på at du vil validere denne fakturaen med referansen %s ? ConfirmUnvalidateBill=Er du sikker på at du vil endre faktura %s til status "utkast"? ConfirmClassifyPaidBill=Er du sikker på at du vil endre fakturaen %s til status "betalt"? ConfirmCancelBill=Er du sikker på at du vil kansellere faktura %s? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Bekrefter du denne betalingen for %s %s? ConfirmSupplierPayment=Bekrefter du denne betalingen for %s %s? ConfirmValidatePayment=Er du sikker på at du vil validere denne betalingen? Ingen endringer kan utføres etterpå. ValidateBill=Valider faktura -UnvalidateBill=Fjern validering på faktura +UnvalidateBill=Ugyldiggjør faktura NumberOfBills=Antall fakturaer NumberOfBillsByMonth=Antall fakturaer pr. måned AmountOfBills=Totalbeløp fakturaer @@ -250,12 +250,13 @@ RemainderToTake=Restbeløp RemainderToTakeMulticurrency=Gjenstående beløp å ta, opprinnelig valuta RemainderToPayBack=Restbeløp å refundere RemainderToPayBackMulticurrency=Gjenstående beløp som skal refunderes, opprinnelig valuta +NegativeIfExcessReceived=negativ hvis for mye mottatt NegativeIfExcessRefunded=negativ hvis for mye refundert +NegativeIfExcessPaid=negativ hvis for mye betalt Rest=Venter AmountExpected=Beløp purret ExcessReceived=Overskytende ExcessReceivedMulticurrency=Mottatt overskudd, opprinnelig valuta -NegativeIfExcessReceived=negativ hvis for mye mottatt ExcessPaid=For mye betalt ExcessPaidMulticurrency=For mye betalt, opprinnelig valuta EscompteOffered=Rabatt innrømmet (betalt før forfall) @@ -267,6 +268,8 @@ NoDraftBills=Ingen fakturakladder NoOtherDraftBills=Ingen andre fakturakladder NoDraftInvoices=Ingen fakturakladder RefBill=Fakturareferanse +RefSupplierBill=Leverandør faktura ref +SupplierOrderCreateBill=Opprett faktura ToBill=Til fakturering RemainderToBill=Resterende til fakturering SendBillByMail=Send faktura med e-post @@ -351,6 +354,7 @@ HelpAbandonOther=Dette beløpet er tapsført på grunn av feil. (For eksempel fe IdSocialContribution=Skatter og avgifter ID PaymentId=Betalings-ID PaymentRef=Betalings-ref. +SourceInvoiceId=Kilde faktura-ID InvoiceId=Faktura-ID InvoiceRef=Fakturareferanse InvoiceDateCreation=Fakturadato @@ -561,10 +565,10 @@ YouMustCreateStandardInvoiceFirstDesc=Du må først lage en standardfaktura og s PDFCrabeDescription=PDF-fakturamal Crabe. En komplett fakturamal (gammel implementering av Sponge-mal) PDFSpongeDescription=PDF Fakturamal Sponge. En komplett fakturamal PDFCrevetteDescription=PDF fakturamal Crevette. En komplett mal for delfaktura -TerreNumRefModelDesc1=Returnerer nummer i formatet %syymm-nnnn for standardfakturaer og %syymm-nnnn for kreditnotaer der yy er år, mm er måned og nnnn er et sekvensielt automatisk økende nummer uten pause og ingen retur til 0 -MarsNumRefModelDesc1=Returnummer i formatet %syymm-nnnn for standardfakturaer, %syymm-nnnn for erstatningsfakturaer, %syymm-nnnn for forskuddsfakturaer og %syymm-nnnn for erstatningsfakturaer, %syymm-nnnn for forskuddsfakturaer og %syymm-nnnn for erstatningsfakturaer, %syymm-nnnn for forskuddsfakturaer og %syymm-nnnn for erstatningsfakturaer, %syymm-nnnn for forskuddsfakturaer og %syymm-nnnn for erstatningsfakturaer. uten pause og ingen retur til 0 +TerreNumRefModelDesc1=Returner nummer i formatet %syymm-nnnn for standard fakturaer og %sååmm-nnnn for kreditnotaer der yy er år, mm er måned og nnnn er et sekvensielt automatisk økende tall uten pause og ingen tilbake til 0 +MarsNumRefModelDesc1=Returner nummer i formatet %sååmm-nnnn for standard fakturaer, %s ååmm-nnnn for erstatningsfakturaer, %sååmm-nnnn for forskuddsbetaling og %sååmm-nnnn for kreditnotaer der åå er år, mm er måned og nnnn er et sekvensielt automatisk økende tall uten pause og ingen retur til 0 TerreNumRefModelError=En faktura som starter med $sååmm finnes allerede og er ikke kompatibel med denne nummereringsmodulen. Du må slette den eller gi den ett nytt navn for å aktivere denne modulen. -CactusNumRefModelDesc1=Returnerer et nummer i formatet %syymm-nnnn for standardfakturaer, %syymm-nnnn for kreditnotaer og %syymm-nnnn for forskuddsfakturaer der yy er år, mm er måned og nnnn er et sekvensielt automatisk økende nummer uten pause og ingen retur til 0 +CactusNumRefModelDesc1=Returner nummer i formatet %sååmm-nnnn for standard fakturaer, %s ååmm-nnnn for kreditnotaer og %sååmm-nnnn for forskuddsbetaling hvor åå er år, mm er måned og nnnn er et sekvensielt automatisk økende tall uten pause og ingen retur til 0 EarlyClosingReason=Årsaken til tidlig avslutning EarlyClosingComment=Tidlig avslutning notat ##### Types de contacts ##### @@ -641,3 +645,8 @@ MentionCategoryOfOperations=Kategori av operasjoner MentionCategoryOfOperations0=Varelevering MentionCategoryOfOperations1=Levering av tjenester MentionCategoryOfOperations2=Blandet - Levering av varer og levering av tjenester +Salaries=Lønn +InvoiceSubtype=Faktura undertype +SalaryInvoice=Lønn +BillsAndSalaries=Regninger og lønn +CreateCreditNoteWhenClientInvoiceExists=Dette alternativet er bare aktivert når validerte faktura(er) eksisterer for en kunde eller når konstant INVOICE_CREDIT_NOTE_STANDALONE brukes (nyttig for noen land) diff --git a/htdocs/langs/nb_NO/cashdesk.lang b/htdocs/langs/nb_NO/cashdesk.lang index a004564d5dc..fbce97b3739 100644 --- a/htdocs/langs/nb_NO/cashdesk.lang +++ b/htdocs/langs/nb_NO/cashdesk.lang @@ -57,7 +57,7 @@ Paymentnumpad=Tastaturtype for å legge inn betaling Numberspad=Nummertastatur BillsCoinsPad=Mynter og pengesedler Pad DolistorePosCategory=TakePOS-moduler og andre POS-løsninger for Dolibarr -TakeposNeedsCategories=TakePOS trenger minst en produktkategori for å fungere +TakeposNeedsCategories=TakePOS trenger minst én varekategori for å fungere TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS trenger minst en produktkategori under kategorien %s for å fungere OrderNotes=Kan legge til noen merknader til hver bestilte vare CashDeskBankAccountFor=Standardkonto for bruk for betalinger i @@ -76,7 +76,7 @@ TerminalSelect=Velg terminalen du vil bruke: POSTicket=POS Billett POSTerminal=POS-terminal POSModule=POS-modul -BasicPhoneLayout=Bruk grunnleggende oppsett for telefoner +BasicPhoneLayout=På telefoner, erstatt POS med et minimalt oppsett (registrer kun bestillinger, ingen faktura generasjon, ingen kvitteringsutskrift) SetupOfTerminalNotComplete=Installasjonen av terminal %s er ikke fullført DirectPayment=Direktebetaling DirectPaymentButton=Legg til en "Direkte kontantbetaling" -knapp @@ -99,7 +99,7 @@ ByTerminal=Med terminal TakeposNumpadUsePaymentIcon=Bruk ikon i stedet for tekst på betalingsknappene på nummertastaturet CashDeskRefNumberingModules=Nummereringsmodul for POS-salg CashDeskGenericMaskCodes6 =
      {TN}-tag brukes til å legge til terminalnummeret -TakeposGroupSameProduct=Grupper samme produktlinjer +TakeposGroupSameProduct=Slå sammen linjer med samme varer StartAParallelSale=Start et nytt parallellsalg SaleStartedAt=Salget startet %s ControlCashOpening=Åpne "Kontroll av kasse" popup når du åpner POS @@ -118,7 +118,7 @@ ScanToOrder=Skann QR-koden for å bestille Appearance=Utseende HideCategoryImages=Skjul kategoribilder HideProductImages=Skjul varebilder -NumberOfLinesToShow=Antall linjer med bilder som skal vises +NumberOfLinesToShow=Maksimalt antall tekstlinjer som skal vises på miniatyrbilder DefineTablePlan=Definer tabellplan GiftReceiptButton=Legg til en "Gavekvittering" -knapp GiftReceipt=Gavekvittering @@ -135,13 +135,21 @@ PrintWithoutDetailsLabelDefault=Linjeetikett som standard ved utskrift uten deta PrintWithoutDetails=Skriv ut uten detaljer YearNotDefined=År er ikke definert TakeposBarcodeRuleToInsertProduct=Strekkoderegel for å sette inn vare -TakeposBarcodeRuleToInsertProductDesc=Regel for å hente varereferansen + en kvantitet fra en skannet strekkode.
      Hvis tom (standardverdi), vil applikasjonen bruke hele den skannede strekkoden for å finne varen.

      Hvis definert, må syntaksen være:
      ref:NB+qu:NB+qd:NB+other:NB
      der NB er antall karakterer brukt for å hente data fra skannet strekkode:
      • ref : varereferanse
      • qu : Kvantitet ved innsetting av vare (enheter)
      • qd : kvantitet ved innsetting av vare (desimaler)
      • andre: andre karakterer
      +TakeposBarcodeRuleToInsertProductDesc=Regel for å trekke ut vare-referansen + en mengde fra en skannet strekkode.
      Hvis tom (standardverdi), vil applikasjonen bruke hele strekkoden skannet for å finne varen.

      Hvis den er definert, må syntaksen være:
      ref:NB+qu:NB+qd:NB+other:NB
      hvor NB er antall tegn som skal brukes til å trekke ut data fra den skannede strekkode med:
      ref : varereferanse
      qu : antall som skal angis ved innsetting av element (enheter)
      qd : antall som skal angis ved innsetting av element (desimaltall)
      andre: andre tegn AlreadyPrinted=Allerede skrevet ut -HideCategories=Skjul kategorier +HideCategories=Skjul hele delen av kategorivalg HideStockOnLine=Skjul lager på nettet -ShowOnlyProductInStock=Vis varer på lager +ShowOnlyProductInStock=Vis bare varer i beholdning ShowCategoryDescription=Vis kategoribeskrivelse -ShowProductReference=Vis referanse til produkter -UsePriceHT=Bruk pris eks. MVA og ikke pris ink. MVA +ShowProductReference=Vis referanse eller etikett på varer +UsePriceHT=Bruk pris ekskl. mva og ikke pris inkl. mva når du endrer en pris TerminalName=Terminal %s TerminalNameDesc=Terminalnavn +DefaultPOSThirdLabel=TakePOS generisk kunde +DefaultPOSCatLabel=Point Of Sale (POS) varer +DefaultPOSProductLabel=Vareeksempel for TakePOS +TakeposNeedsPayment=TakePOS trenger en Payment metode for å fungere, vil du opprette Betalingsmetode 'Cash'? +LineDiscount=linjerabatt +LineDiscountShort=linjerab. +InvoiceDiscount=Fakturarabatt +InvoiceDiscountShort=Fakturarab. diff --git a/htdocs/langs/nb_NO/categories.lang b/htdocs/langs/nb_NO/categories.lang index 6faebe37b4f..dc7b0fb178a 100644 --- a/htdocs/langs/nb_NO/categories.lang +++ b/htdocs/langs/nb_NO/categories.lang @@ -103,3 +103,4 @@ WebsitePagesCategoriesArea=Side-Container Kategorier KnowledgemanagementsCategoriesArea=KM artikkel Kategorier UseOrOperatorForCategories=Bruk 'ELLER'-operator for kategorier AddObjectIntoCategory=Tilordne til kategorien +Position=Posisjon diff --git a/htdocs/langs/nb_NO/compta.lang b/htdocs/langs/nb_NO/compta.lang index e14702c4a8d..9d12b1e1ad1 100644 --- a/htdocs/langs/nb_NO/compta.lang +++ b/htdocs/langs/nb_NO/compta.lang @@ -162,6 +162,7 @@ CalcModeVATDebt=Modus %sMVA ved commitment regnskap%s. CalcModeVATEngagement=Modus %sMVA på inntekt-utgifter%s. CalcModeDebt=Analyse av kjente registrerte dokumenter CalcModeEngagement=Analyse av kjente registrerte betalinger +CalcModePayment=Analyse av kjente registrerte betalinger CalcModeBookkeeping=Analyse av data journalisert i hovedbokens tabell CalcModeNoBookKeeping=Selv om de ennå ikke er regnskapsført i hovedboken CalcModeLT1= Modus %sRE på kundefakturaer - leverandørfakturaer%s @@ -177,7 +178,7 @@ AnnualByCompaniesDueDebtMode=Balanse over inntekt og utgifter, detalj av forhån AnnualByCompaniesInputOutputMode=Inntekts- og utgiftsbalanse, detalj ved forhåndsdefinerte grupper, modus %sInntekter-Utgifter%s viserkontantregnskap. SeeReportInInputOutputMode=Se %sanalyse av betalinger%s for en beregning basert på registrerte betalinger gjort selv om de ennå ikke er bokført i hovedbok SeeReportInDueDebtMode=Se %sanalyse av registrerte dokumenter%s for en beregning basert på kjente registrerte dokumenter selv om de ennå ikke er regnskapsført -SeeReportInBookkeepingMode=Se %sanalyse av hovedboktabell%s for en rapport basert på hovedboktabel +SeeReportInBookkeepingMode=Se %sanalyse av bokføringstabell%s for en rapport basert på Reskontrotabell RulesAmountWithTaxIncluded=- Viste beløp er inkludert alle avgifter RulesAmountWithTaxExcluded=- Fakturabeløpene som vises er ekskludert alle avgifter RulesResultDue=– Det inkluderer alle fakturaer, utgifter, MVA, donasjoner, lønn, enten de er betalt eller ikke.
      - Den er basert på faktureringsdatoen for fakturaer og på forfallsdatoen for utgifter eller skattebetalinger. For lønn brukes sluttdato for perioden. @@ -253,6 +254,8 @@ CalculationMode=Kalkuleringsmodus AccountancyJournal=Regnskapskode journal ACCOUNTING_VAT_SOLD_ACCOUNT=Konto (fra kontoplanen) som skal brukes som standardkonto for MVA på salg (brukes hvis det ikke er definert i MVA-ordbokoppsettet) ACCOUNTING_VAT_BUY_ACCOUNT=Konto (fra kontoplanen) som skal brukes som standardkonto for MVA på kjøp (brukes hvis det ikke er definert i MVA-ordbokoppsettet) +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=Konto (fra kontoplanen) som skal brukes til inntektsstempel på salg +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=Konto (fra kontoplanen) som skal brukes til inntektsstempel på kjøp ACCOUNTING_VAT_PAY_ACCOUNT=Konto (fra kontoplanen) som skal brukes som standardkonto for betaling av MVA ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Konto (fra kontoplanen) som skal brukes som standardkonto for merverdiavgift på kjøp for omvendt belastning (kreditt) ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Konto (fra kontoplanen) som skal brukes som standardkonto for merverdiavgift på kjøp for omvendt belastning (Debet) diff --git a/htdocs/langs/nb_NO/donations.lang b/htdocs/langs/nb_NO/donations.lang index 6fe0b384a45..1bdfe5e8e7e 100644 --- a/htdocs/langs/nb_NO/donations.lang +++ b/htdocs/langs/nb_NO/donations.lang @@ -32,4 +32,5 @@ DONATION_ART238=Vis artikkel 238 fra CGI hvis du er bekymret DONATION_ART978=Vis artikkel 978 fra CGI hvis du er bekymret DonationPayment=Donasjonsbetaling DonationValidated=Donasjon %s validert -DonationUseThirdparties=Bruk en eksisterende tredjepart som koordinator for givere +DonationUseThirdparties=Bruk adressen til en eksisterende tredjepart som adressen til giveren +DonationsStatistics=Donasjonsstatistikk diff --git a/htdocs/langs/nb_NO/errors.lang b/htdocs/langs/nb_NO/errors.lang index 8655061441d..45233ea3194 100644 --- a/htdocs/langs/nb_NO/errors.lang +++ b/htdocs/langs/nb_NO/errors.lang @@ -4,7 +4,7 @@ NoErrorCommitIsDone=Ingen feil # Errors ErrorButCommitIsDone=Valider selv om feil ble funnet -ErrorBadEMail=E-posten %s er feil +ErrorBadEMail=E-postadressen %s er feil ErrorBadMXDomain=E-posten %s virker feil (domenet har ingen gyldig MX-post) ErrorBadUrl=URL %s er feil ErrorBadValueForParamNotAString=Feil parameterverdi. Dette skjer vanligvis når en oversettelse mangler. @@ -32,6 +32,7 @@ ErrorBadThirdPartyName=Feil verdi for tredjepartsnavn ForbiddenBySetupRules=Forbudt av oppsettsregler ErrorProdIdIsMandatory=%s er obligatorisk ErrorAccountancyCodeCustomerIsMandatory=Regnskapskoden til kunden %s er obligatorisk +ErrorAccountancyCodeSupplierIsMandatory=Regnskapskoden til leverandøren %s er obligatorisk ErrorBadCustomerCodeSyntax=Ugyldig syntaks for kundekode ErrorBadBarCodeSyntax=Feil syntaks for strekkode. Du kan ha satt en feil strekkodetype eller du kan ha definert en strekkode-maske som ikke passer verdien du har skannet ErrorCustomerCodeRequired=Kundekode påkrevet @@ -57,17 +58,18 @@ ErrorSubjectIsRequired=E-postemnet er obligatorisk ErrorFailedToCreateDir=Kunne ikke opprette mappen. Kontroller at webserverbrukeren har skriverettigheter i dokumentmappen i Dolibarr. Hvis safe_mode er akivert i PHP, sjekk at webserveren eier eller er med i gruppen(eller bruker) for Dolibarr php-filer. ErrorNoMailDefinedForThisUser=Ingen e-post angitt for denne brukeren. ErrorSetupOfEmailsNotComplete=Installasjonen av e-post er ikke fullført -ErrorFeatureNeedJavascript=Denne funksjonen krever javascript for å virke. Endre dette i Oppsett - Visning. +ErrorFeatureNeedJavascript=Denne funksjonen trenger at JavaScript må aktivert for å fungere. Endre dette i oppsett - visning. ErrorTopMenuMustHaveAParentWithId0=En meny av typen 'Topp' kan ikke ha noen foreldremeny. Skriv 0 i foreldremeny eller velg menytypen 'Venstre'. ErrorLeftMenuMustHaveAParentId=En meny av typen 'Venstre' må ha foreldre-ID. ErrorFileNotFound=Fant ikke filen %s (Feil bane, feil tillatelser eller adgang nektet av PHP openbasedir eller safe_mode parameter) ErrorDirNotFound=Directory %s ble ikke funnet (feil bane, feil rettigheter eller ingen tilgang til PHP openbasedir eller safe_mode parameter) ErrorFunctionNotAvailableInPHP=Funksjonen %s kreves for denne funksjonen, men den er ikke tilgjengelig i denne versjonen/oppsettet av PHP. ErrorDirAlreadyExists=En mappe med dette navnet eksisterer allerede. +ErrorDirNotWritable=Katalog %s er ikke skrivbar. ErrorFileAlreadyExists=En fil med dette navnet finnes allerede. ErrorDestinationAlreadyExists=En annen fil med navnet %s eksisterer allerede. ErrorPartialFile=Filen ble ikke fullstendig mottatt av server. -ErrorNoTmpDir=Midlertidig mappe %s finnes ikke. +ErrorNoTmpDir=Den midlertidige katalogen %s eksisterer ikke. ErrorUploadBlockedByAddon=Opplastning blokkert av en PHP/Apache plugin. ErrorFileSizeTooLarge=Filstørrelsen er for stor eller filen er ikke oppgitt. ErrorFieldTooLong=Felt %s er for langt. @@ -90,9 +92,9 @@ ErrorPleaseTypeBankTransactionReportName=Vennligst skriv inn kontoutskriftsnavne ErrorRecordHasChildren=Kunne ikke slette posten fordi den har noen under-oppføringer. ErrorRecordHasAtLeastOneChildOfType=Objekt %s har minst ett barn av typen %s ErrorRecordIsUsedCantDelete=Kan ikke slette posten. Den er allerede brukt eller inkludert i et annet objekt. -ErrorModuleRequireJavascript=Javascript må være aktivert for å kunne bruke denne funksjonen. For å aktivere/deaktivere Javascript, gå til menyen Hjem-> Oppsett-> Visning. +ErrorModuleRequireJavascript=JavaScript må ikke deaktiveres for at denne funksjonen skal fungere. For å aktivere/deaktivere JavaScript, gå til menyen Hjem->Oppsett->Skjerm. ErrorPasswordsMustMatch=Passordene må samsvare med hverandre -ErrorContactEMail=En teknisk feil oppsto. Vennligst kontakt administrator på e-post %s og oppgi feilkoden %s i meldingen, eller legg til en skjermdump av denne siden. +ErrorContactEMail=Det oppsto en teknisk feil. Vennligst kontakt administrator på følge epost %s og oppgi feilkoden 8 i meldingen din, eller legg til en skjermkopi av denne siden. ErrorWrongValueForField=Felt %s : ' %s ' stemmer ikke overens med regexregel %s ErrorHtmlInjectionForField=Felt %s : Verdien ' %s ' inneholder ikke tillatte data ErrorFieldValueNotIn=Felt %s : ' %s ' er ikke en verdi funnet i felt %s av %s @@ -100,10 +102,12 @@ ErrorFieldRefNotIn=Felt %s : ' %s ' er ikke en %s eksist ErrorMultipleRecordFoundFromRef=Flere poster funnet ved søk fra ref %s . Ingen måte å vite hvilken ID du skal bruke. ErrorsOnXLines=%s feil funnet ErrorFileIsInfectedWithAVirus=Antivirus-programmet var ikke i stand til å validere filen (filen kan være infisert av et virus) +ErrorFileIsAnInfectedPDFWithJSInside=Filen er en PDF-fil infisert av Javascript ErrorNumRefModel=En referanse finnes i databasen (%s), og er ikke kompatibel med denne nummereringsregelen. Fjern posten eller omdøp referansen for å aktivere denne modulen. ErrorQtyTooLowForThisSupplier=Mengde for lav for denne leverandøren eller ingen pris angitt på dette produktet for denne leverandøren ErrorOrdersNotCreatedQtyTooLow=Noen ordrer er ikke opprettet på grunn av for lave mengder -ErrorModuleSetupNotComplete=Oppsett av modulen %s ser ut til å være ufullstendig. Gå til Hjem - Oppsett - Moduler å fullføre. +ErrorOrderStatusCantBeSetToDelivered=Ordrestatus kan ikke settes til levert. +ErrorModuleSetupNotComplete=Oppsettet av modulen %s ser ut til å være ufullstendig. Gå på Hjem - Oppsett - Moduler for å fullføre. ErrorBadMask=Feil på maske ErrorBadMaskFailedToLocatePosOfSequence=Feil! Maske uten sekvensnummer ErrorBadMaskBadRazMonth=Feil, ikke korrekt tilbakestillingsverdi @@ -131,7 +135,7 @@ ErrorLoginDoesNotExists=Bruker med loginn %s kunne ikke bli funnet. ErrorLoginHasNoEmail=Denne brukeren har ingen e-postadresse. Prosess avbrutt. ErrorBadValueForCode=Feil verdi for sikkerhetskode. Prøv igjen med ny verdi ... ErrorBothFieldCantBeNegative=Feltene %s og %s kan ikke begge være negative -ErrorFieldCantBeNegativeOnInvoice=Felt %s kan ikke være negativt på denne typen faktura. Hvis du trenger å legge til en rabattlinje, oppretter du bare rabatten først (fra feltet '%s' i tredjepartskort) og bruker den på fakturaen. +ErrorFieldCantBeNegativeOnInvoice=Feltet %s kan ikke være negativt på denne typen faktura. Hvis du trenger å legge til en rabattlinje, oppretter du bare rabatten først (fra feltet '%s' på tredjepartskortet) og bruker den på fakturaen. ErrorLinesCantBeNegativeForOneVATRate=Totalt antall linjer (netto skatt) kan ikke være negativt for en gitt ikke null mva-sats (Fant en negativ sum for mva-sats %s %%). ErrorLinesCantBeNegativeOnDeposits=Linjer kan ikke være negative i et innskudd. Du vil få problemer når du trenger å bruke innskuddet på sluttfaktura hvis du gjør det. ErrorQtyForCustomerInvoiceCantBeNegative=Kvantum på linjer i kundefakturaer kan ikke være negativ @@ -150,6 +154,7 @@ ErrorToConnectToMysqlCheckInstance=Tilkobling til databasen feiler. Sjekk at dat ErrorFailedToAddContact=Klarte ikke å legge til kontakt ErrorDateMustBeBeforeToday=Datoen må være før i dag ErrorDateMustBeInFuture=Datoen må være etter i dag +ErrorStartDateGreaterEnd=Startdatoen er større enn sluttdatoen ErrorPaymentModeDefinedToWithoutSetup=En betalingsmodus var satt til å skrive %s, men oppsett av modulen Faktura er ikke ferdig definert for å vise for denne betalingsmodusen. ErrorPHPNeedModule=Feil! Din PHP må ha modulen %s installert for å kunne bruke denne funksjonen. ErrorOpenIDSetupNotComplete=Du satte opp Dolibarr config-filen til å tillate OpenID-autentisering, men url til OpenID-tjenesten er ikke definert i konstanten %s @@ -166,7 +171,7 @@ ErrorPriceExpression4=Ulovlig karakter '%s' ErrorPriceExpression5=Uventet '%s' ErrorPriceExpression6=Feil antall argumenter (%s er gitt, %s er forventet) ErrorPriceExpression8=Uventet operator '%s' -ErrorPriceExpression9=En uventet feil oppsto +ErrorPriceExpression9=En uventet feil oppstod ErrorPriceExpression10=Operator '%s' mangler operand ErrorPriceExpression11=Forventet '%s' ErrorPriceExpression14=Delt på null @@ -191,7 +196,7 @@ ErrorGlobalVariableUpdater4=SOAP klienten feilet med meldingen '%s' ErrorGlobalVariableUpdater5=Ingen global variabel valgt ErrorFieldMustBeANumeric=Feltet %s må være en numerisk verdi ErrorMandatoryParametersNotProvided=Obligatorisk(e) parametre ikke angitt -ErrorOppStatusRequiredIfUsage=Du angir at du ønsker å bruke dette prosjektet til å følge en mulighet, så du må også fylle ut den innledende statusen for mulighet. +ErrorOppStatusRequiredIfUsage=Hvis du velger å følge en mulighet i dette prosjektet, så du må også fylle ut Lead-status. ErrorOppStatusRequiredIfAmount=Sett inn et estimert beløp for denne muligheten. Status må også settes ErrorFailedToLoadModuleDescriptorForXXX=Kunne ikke laste moduldeskriptorklassen for %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu) @@ -240,7 +245,7 @@ ErrorURLMustStartWithHttp=URL %s må starte med http:// eller https:// ErrorHostMustNotStartWithHttp=Vertsnavnet %s må IKKE starte med http:// eller https:// ErrorNewRefIsAlreadyUsed=Feil, den nye referansen er allerede brukt ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Feil, å slette betaling knyttet til en lukket faktura er ikke mulig. -ErrorSearchCriteriaTooSmall=For lite søkekriterier. +ErrorSearchCriteriaTooSmall=Søkekriteriene er for korte. ErrorObjectMustHaveStatusActiveToBeDisabled=Objekter må ha status 'Aktiv' for å være deaktivert ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objekter må ha status 'Utkast' eller 'Deaktivert' for å være aktivert ErrorNoFieldWithAttributeShowoncombobox=Ingen felt har egenskapen 'showoncombobox' til definisjon av objektet '%s'. Ingen måte å vise kombinatoren på. @@ -259,7 +264,7 @@ ErrorReplaceStringEmpty=Feil, strengen du vil erstatte til er tom ErrorProductNeedBatchNumber=Feil, vare' %s ' trenger lot/serienummer ErrorProductDoesNotNeedBatchNumber=Feil, vare' %s ' godtar ikke lot/serienummer ErrorFailedToReadObject=Feil, kunne ikke lese objektet av typen %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Feil, parameter %s må være aktivert i conf/conf.php for å tillate bruk av kommandolinjegrensesnitt av den interne jobbplanleggeren +ErrorParameterMustBeEnabledToAllwoThisFeature=Feil, parameter %s må være aktivert i conf/conf.php<> for å tillate bruk av kommandolinjegrensesnitt av den interne jobbplanleggeren ErrorLoginDateValidity=Feil, denne påloggingen er utenfor gyldig datoområde ErrorValueLength=Lengden på feltet ' %s ' må være høyere enn ' %s ' ErrorReservedKeyword=Ordet ' %s ' er et reservert nøkkelord @@ -296,11 +301,12 @@ ErrorAjaxRequestFailed=Forespørsel feilet ErrorThirpdartyOrMemberidIsMandatory=Tredjepart eller medlem av partnerskap er obligatorisk ErrorFailedToWriteInTempDirectory=Kunne ikke skrive i midlertidig katalog ErrorQuantityIsLimitedTo=Antallet er begrenset til %s -ErrorFailedToLoadThirdParty=Kunne ikke finne/laste tredjepart fra id=%s, email=%s, name=%s +ErrorFailedToLoadThirdParty=Kunne ikke finne/laste inn tredjepart fra id=%s, email=%s, name= %s ErrorThisPaymentModeIsNotSepa=Denne betalingsmåten er ikke en bankkonto -ErrorStripeCustomerNotFoundCreateFirst=Stripe-kunden er ikke angitt for denne tredjeparten (eller satt til en verdi slettet på Stripe-siden). Opprett (eller fest den på nytt) først. +ErrorStripeCustomerNotFoundCreateFirst=Stripe-kunden er ikke satt for denne tredjeparten (eller satt til en verdi slettet på Stripe-siden). Opprett (eller fest den på nytt) først. ErrorCharPlusNotSupportedByImapForSearch=IMAP-søk kan ikke søke i avsender eller mottaker etter en streng som inneholder tegnet + ErrorTableNotFound=Tabell %s ble ikke funnet +ErrorRefNotFound=Ref %s ikke funnet ErrorValueForTooLow=Verdien for %s er for lav ErrorValueCantBeNull=Verdien for %s kan ikke være null ErrorDateOfMovementLowerThanDateOfFileTransmission=Datoen for banktransaksjonen kan ikke være lavere enn datoen for filoverføringen @@ -318,9 +324,13 @@ ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Feil: URL-en til gjeld ErrorMenuExistValue=Det finnes allerede en meny med denne tittelen eller nettadressen ErrorSVGFilesNotAllowedAsLinksWithout=SVG-filer er ikke tillatt som eksterne lenker uten alternativet %s ErrorTypeMenu=Umulig å legge til en annen meny for samme modul på navigasjonslinjen, ikke håndtert ennå +ErrorObjectNotFound = Objekt %s ble ikke funnet, vennligst sjekk nettadressen din +ErrorCountryCodeMustBe2Char=Landskode må være en streng på to tegn + ErrorTableExist=Tabell %s finnes allerede ErrorDictionaryNotFound=Ordbok %s ikke funnet -ErrorFailedToCreateSymLinkToMedias=Kunne ikke opprette symbolkoblingene %s for å peke til %s +ErrorFailedToCreateSymLinkToMedias=Kunne ikke opprette den symbolske lenken %s for å peke til %s +ErrorCheckTheCommandInsideTheAdvancedOptions=Sjekk kommandoen som brukes for eksporten til de avanserte alternativene for eksporten # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=PHP-parameteren upload_max_filesize (%s) er høyere enn PHP-parameteren post_max_size (%s). Dette er ikke et konsistent oppsett. @@ -359,10 +369,12 @@ WarningPaypalPaymentNotCompatibleWithStrict=Verdien 'Strict' gjør at betalingsf WarningThemeForcedTo=Advarsel, tema har blitt tvunget til %s av skjult konstant MAIN_FORCETHEME WarningPagesWillBeDeleted=Advarsel, dette vil også slette alle eksisterende sider/beholdere på nettstedet. Du bør eksportere nettstedet ditt før, så du har en sikkerhetskopi for å reimportere den senere. WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Automatisk validering er deaktivert når alternativet for å redusere beholdning er satt på "Fakturavalidering". -WarningModuleNeedRefrech = Modul %s er deaktivert. Ikke glem å aktivere den +WarningModuleNeedRefresh = Modul %s er deaktivert. Ikke glem å aktivere den WarningPermissionAlreadyExist=Eksisterende tillatelser for dette objektet WarningGoOnAccountancySetupToAddAccounts=Hvis denne listen er tom, gå inn i menyen %s - %s - %s for å laste eller opprette kontoer for kontoplanen din. WarningCorrectedInvoiceNotFound=Finner ikke korrigert faktura +WarningCommentNotFound=Vennligst sjekk plasseringen av start- og sluttkommentarer for %s-delen i fil %s før du sender inn handlingen +WarningAlreadyReverse=Varebevegelse er allerede reversert SwissQrOnlyVIR = SwissQR-faktura kan kun legges til på fakturaer som skal betales med kredittoverføring. SwissQrCreditorAddressInvalid = Kreditoradressen er ugyldig (er postnummer og sted angitt? (%s) diff --git a/htdocs/langs/nb_NO/holiday.lang b/htdocs/langs/nb_NO/holiday.lang index d20dce796d5..150e16736cb 100644 --- a/htdocs/langs/nb_NO/holiday.lang +++ b/htdocs/langs/nb_NO/holiday.lang @@ -5,7 +5,7 @@ Holiday=Permisjon CPTitreMenu=Permisjon MenuReportMonth=Månedlig uttalelse MenuAddCP=Ny feriesøknad -MenuCollectiveAddCP=Ny kollektiv permisjonsforespørsel +MenuCollectiveAddCP=Ny kollektiv permisjon NotActiveModCP=Du må aktivere modulen Permisjon for å vise denne siden. AddCP=Opprett feriesøknad DateDebCP=Startdato @@ -95,14 +95,14 @@ UseralreadyCPexist=En permisjonsforespørsel er allerede gjort for denne periode groups=Grupper users=Brukere AutoSendMail=Automatisk utsendelse -NewHolidayForGroup=Ny kollektiv permisjonsforespørsel -SendRequestCollectiveCP=Send kollektiv permisjonsforespørsel +NewHolidayForGroup=Ny kollektiv permisjon +SendRequestCollectiveCP=Opprett kollektiv permisjon AutoValidationOnCreate=Automatisk validering FirstDayOfHoliday=Første dag for permisjon LastDayOfHoliday=Siste dag for permisjon HolidaysMonthlyUpdate=Månedlig oppdatering ManualUpdate=Manuell oppdatering -HolidaysCancelation=Kansellering av feriesøknader +HolidaysCancelation=Kansellering av ferieforespørsel EmployeeLastname=Ansattes etternavn EmployeeFirstname=Ansattes fornavn TypeWasDisabledOrRemoved=Ferietype (id %s) ble deaktivert eller slettet diff --git a/htdocs/langs/nb_NO/hrm.lang b/htdocs/langs/nb_NO/hrm.lang index 5e045842afb..e5ebe3653ca 100644 --- a/htdocs/langs/nb_NO/hrm.lang +++ b/htdocs/langs/nb_NO/hrm.lang @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Standard beskrivelse av rangeringer når ferdighet deplacement=Skift DateEval=Evalueringsdato JobCard=Jobbkort -JobPosition=Jobbprofil -JobsPosition=Jobbprofiler +NewJobProfile=Ny jobbprofil +JobProfile=Jobbprofil +JobsProfiles=Jobbprofiler NewSkill=Ny ferdighet SkillType=Ferdighetstype Skilldets=Liste over rangeringer for denne ferdigheten @@ -36,7 +37,7 @@ rank=Rangering ErrNoSkillSelected=Ingen ferdighet valgt ErrSkillAlreadyAdded=Denne ferdigheten er allerede på listen SkillHasNoLines=Denne ferdigheten har ingen linjer -skill=Ferdighet +Skill=Ferdighet Skills=Ferdigheter SkillCard=Ferdighetskort EmployeeSkillsUpdated=Ansattes ferdigheter har blitt oppdatert (se fanen "Ferdigheter" på ansattkort) @@ -44,33 +45,36 @@ Eval=Evaluering Evals=Evalueringer NewEval=Ny evaluering ValidateEvaluation=Valider evaluering -ConfirmValidateEvaluation=Er du sikker på at du vil validere denne evalueringen med referansen %s ? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=Evalueringskort -RequiredRank=Nødvendig rangering for denne jobben +RequiredRank=Nødvendig rangering for jobbprofilen +RequiredRankShort=Required rank +PositionsWithThisProfile=Stillinger med denne stillingsprofilen EmployeeRank=Ansatt rangering for denne ferdigheten +EmployeeRankShort=Employee rank EmployeePosition=Ansattstilling EmployeePositions=Ansattstillinger EmployeesInThisPosition=Ansatte i denne stillingen group1ToCompare=Brukergruppe å analysere group2ToCompare=Andre brukergruppe for sammenligning -OrJobToCompare=Sammenlign med krav til jobbkompetanse +OrJobToCompare=Sammenlign med ferdighetskravene til en jobbprofil difference=Forskjell CompetenceAcquiredByOneOrMore=Kompetanse ervervet av en eller flere brukere, men ikke etterspurt av den andre komparatoren -MaxlevelGreaterThan=Maksnivå høyere enn det forespurte -MaxLevelEqualTo=Maks nivå er lik kravet -MaxLevelLowerThan=Maksnivå lavere enn dette kravet -MaxlevelGreaterThanShort=Ansattnivå høyere enn det forespurte -MaxLevelEqualToShort=Ansattnivå tilsvarer denne etterspørselen -MaxLevelLowerThanShort=Ansattnivå lavere enn etterspørselen +MaxlevelGreaterThan=Ansattnivå er høyere enn forventet nivå +MaxLevelEqualTo=Ansattnivå er lik forventet nivå +MaxLevelLowerThan=Ansattnivået er lavere enn forventet nivå +MaxlevelGreaterThanShort=Nivå høyere enn forventet +MaxLevelEqualToShort=Nivå lik forventet nivå +MaxLevelLowerThanShort=Nivå lavere enn forventet SkillNotAcquired=Ferdigheter ikke ervervet av alle brukere og etterspurt av den andre komparatoren legend=Historikk TypeSkill=Ferdighetstype -AddSkill=Legg ferdigheter til jobben -RequiredSkills=Nødvendig kompetanse for denne jobben +AddSkill=Legg til ferdigheter i jobbprofilen +RequiredSkills=Nødvendig kompetanse for denne jobbprofilen UserRank=Brukerrangering SkillList=Ferdighetsliste SaveRank=Lagre rangering -TypeKnowHow=Know how +TypeKnowHow=Know-how TypeHowToBe=Hvordan være TypeKnowledge=Kunnskap AbandonmentComment=Forlatelseskommentar @@ -85,8 +89,9 @@ VacantCheckboxHelper=Hvis du merker av for dette alternativet, vises ubesatte st SaveAddSkill = Ferdighet(er) lagt til SaveLevelSkill = Ferdighetsnivået er lagret DeleteSkill = Ferdighet fjernet -SkillsExtraFields=Tilleggsattributter (kompetanser) -JobsExtraFields=Tilleggsattributter (Jobbprofil) -EvaluationsExtraFields=Tilleggsattributter (evalueringer) +SkillsExtraFields=Utfyllende attributter (ferdigheter) +JobsExtraFields=Utfyllende attributter (jobbprofil) +EvaluationsExtraFields=Utfyllende attributter (evalueringer) NeedBusinessTravels=Trenger forretningsreiser NoDescription=ingen beskrivelse +TheJobProfileHasNoSkillsDefinedFixBefore=Den evaluerte jobbprofilen til denne ansatte har ingen ferdigheter definert. Legg til ferdighet(er), slett og start evalueringen på nytt. diff --git a/htdocs/langs/nb_NO/mails.lang b/htdocs/langs/nb_NO/mails.lang index cda03e5d9a0..d8652e25ce6 100644 --- a/htdocs/langs/nb_NO/mails.lang +++ b/htdocs/langs/nb_NO/mails.lang @@ -182,5 +182,7 @@ WarningLimitSendByDay=WARNING: The setup or contract of your instance limits you NoMoreRecipientToSendTo=Ingen flere mottaker å sende e-posten til EmailOptedOut=E-posteieren har bedt om å ikke kontakte ham med denne e-posten lenger EvenUnsubscribe=Inkluder opt-out eposter -EvenUnsubscribeDesc=Inkluder opt-out eposter når du velger epost som mål. Nyttig for for eksempel obligatoriske service-eposter. +EvenUnsubscribeDesc=Inkluder opt-out-meldinger når du velger epost som mål. Nyttig for for eksempel obligatoriske service-eposter. XEmailsDoneYActionsDone=%s-e-poster forhåndskvalifisert, %s-e-poster behandlet (for %s-poster/handlinger utført) +helpWithAi=Legg til instruksjoner +YouCanMakeSomeInstructionForEmail=Du kan lage noen instruksjoner for epost (Eksempel: generer bilde i epost mal...) diff --git a/htdocs/langs/nb_NO/main.lang b/htdocs/langs/nb_NO/main.lang index 46f97fb6894..bf75047139b 100644 --- a/htdocs/langs/nb_NO/main.lang +++ b/htdocs/langs/nb_NO/main.lang @@ -20,7 +20,7 @@ FormatDateShortJava=dd.MM.yyyy FormatDateShortJavaInput=dd.MM.yyyy FormatDateShortJQuery=dd.mm.yy FormatDateShortJQueryInput=dd.mm.yy -FormatHourShortJQuery=HH:MM +FormatHourShortJQuery=HH:MI FormatHourShort=%H.%M FormatHourShortDuration=%H:%M FormatDateTextShort=%d. %b %Y @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Klarte ikke å sende epost (avsender=%s, mottager=%s) ErrorFileNotUploaded=Filen ble ikke lastet oppp. Sjekk at den ikke er større en maksimumsgrensen, at det er plass igjen på disken og at det ikke ligger en fil med samme navn i katalogen. ErrorInternalErrorDetected=Feil oppdaget ErrorWrongHostParameter=Feil vertsparameter -ErrorYourCountryIsNotDefined=Ditt land er ikke definert. Gå til Hjem-Oppsett-Rediger og legg inn skjemaet på nytt. +ErrorYourCountryIsNotDefined=Landet ditt er ikke definert. Gå til Home-Setup-Company/Foundation og legg ut skjemaet på nytt. ErrorRecordIsUsedByChild=Kunne ikke slette denne posten. Denne posten brukes av minst en under-post. ErrorWrongValue=Feil verdi ErrorWrongValueForParameterX=Feil verdi for parameter %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Feil: Det er ikke definert noen MVA-satser ErrorNoSocialContributionForSellerCountry=Feil! Ingen skatter og avgifter definert for landet '%s' ErrorFailedToSaveFile=Feil: Klarte ikke å lagre filen. ErrorCannotAddThisParentWarehouse=Du prøver å legge til et forelder-lagerhus som allerede er under et eksisterende lager +ErrorInvalidSubtype=Valgt undertype er ikke tillatt FieldCannotBeNegative=Feltet "%s" kan ikke være negativt MaxNbOfRecordPerPage=Maks antall poster per side NotAuthorized=Du er ikke autorisert for å gjøre dette. @@ -103,7 +104,8 @@ RecordGenerated=Post generert LevelOfFeature=Funksjonsnivå NotDefined=Ikke angitt DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarrs godkjenningsmodus er satt til %s i konfigurasjonsfilen conf.php.
      Dette betyr at passorddatabasen er ekstern, så å endre dette feltet har kanskje ikke noen effekt. -Administrator=Administrator +Administrator=Systemadministrator +AdministratorDesc=Systemadministrator (kan administrere bruker, tillatelser, men også systemoppsett og modulkonfigurasjon) Undefined=Udefinert PasswordForgotten=Glemt passordet? NoAccount=Ingen konto? @@ -211,8 +213,8 @@ Select=Velg SelectAll=Velg alt Choose=Velg Resize=Endre størrelse +Crop=Crop ResizeOrCrop=Endre størrelse eller beskjær -Recenter=Sentrer Author=Forfatter User=Bruker Users=Brukere @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Ekstra cents +LT1GC=Tilleggsøre VATRate=MVA-sats RateOfTaxN=Avgiftssats %s VATCode=Avgiftsats-kode @@ -547,6 +549,7 @@ Reportings=Rapportering Draft=Kladd Drafts=Kladder StatusInterInvoiced=Fakturert +Done=Utført Validated=Validert ValidatedToProduce=Validerte (å produsere) Opened=Åpent @@ -698,6 +701,7 @@ Response=Svar Priority=Prioritet SendByMail=Send via epost MailSentBy=E-post sendt av +MailSentByTo=Epost sendt av %s til %s NotSent=Ikke sendt TextUsedInTheMessageBody=E-mail meldingstekst SendAcknowledgementByMail=Send bekrftelse på epost @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Posten er endret! RecordsModified=%s post(er) endret RecordsDeleted=%s post(er) slettet RecordsGenerated=%spost(er) generert +ValidatedRecordWhereFound = Noen av de valgte postene er allerede validert. Ingen poster er slettet. AutomaticCode=Automatisk kode FeatureDisabled=Funksjonen er slått av MoveBox=Flytt widget @@ -764,11 +769,10 @@ DisabledModules=Avslåtte moduler For=For ForCustomer=For kunde Signature=Signatur -DateOfSignature=Signaturdato HidePassword=Vis kommando med skjult passord UnHidePassword=Vis virkelig kommando med synlig passord Root=Rot -RootOfMedias=Rotkatalog for offentlige medier (/medier) +RootOfMedias=Roten til offentlige medier (/medias) Informations=Informasjon Page=Side Notes=Merknader @@ -916,6 +920,7 @@ BackOffice=Back office Submit=Send View=Vis Export=Eksport +Import=Import Exports=Eksporter ExportFilteredList=Eksporter filtrert liste ExportList=Eksportliste @@ -949,7 +954,7 @@ BulkActions=Massehandlinger ClickToShowHelp=Klikk for å vise verktøytipshjelp WebSite=Nettsted WebSites=Websider -WebSiteAccounts=Nettstedskontoer +WebSiteAccounts=Netttilgangskontoer ExpenseReport=Reiseregning ExpenseReports=Utgiftsrapporter HR=HR @@ -1077,6 +1082,7 @@ CommentPage=Kommentarfelt CommentAdded=Kommentar lagt til CommentDeleted=Kommentar slettet Everybody=Alle +EverybodySmall=Alle PayedBy=Betalt av PayedTo=Betalt til Monthly=Månedlig @@ -1089,7 +1095,7 @@ KeyboardShortcut=Tastatursnarvei AssignedTo=Tildelt Deletedraft=Slett utkast ConfirmMassDraftDeletion=Bekreftelse av massesletting av kladder -FileSharedViaALink=Fil delt med en offentlig lenke +FileSharedViaALink=Offentlig fil delt via lenke SelectAThirdPartyFirst=Velg en tredjepart først ... YouAreCurrentlyInSandboxMode=Du er for øyeblikket i %s "sandbox" -modus Inventory=Varetelling @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Oppgave ContactDefault_propal=Tilbud ContactDefault_supplier_proposal=Leverandørtilbud ContactDefault_ticket=Billett -ContactAddedAutomatically=Kontakt lagt til fra kontaktperson-roller +ContactAddedAutomatically=Kontakt lagt til fra tredjeparts kontaktroller More=Mer ShowDetails=Vis detaljer CustomReports=Tilpassede rapporter @@ -1163,8 +1169,8 @@ AffectTag=Tilordne et merke AffectUser=Tilordne en bruker SetSupervisor=Velg supervisor CreateExternalUser=Opprett ekstern bruker -ConfirmAffectTag=Masse Merke-tilordning -ConfirmAffectUser=Masse brukertilordning +ConfirmAffectTag=Bulk etikettildeling +ConfirmAffectUser=Bulk brukertildeling ProjectRole=Rolle tildelt på hvert prosjekt/mulighet TasksRole=Rolle tildelt hver oppgave (hvis brukt) ConfirmSetSupervisor=Sett Bulk Supervisor @@ -1222,7 +1228,7 @@ UserAgent=Brukeragent InternalUser=Intern bruker ExternalUser=Ekstern bruker NoSpecificContactAddress=Ingen spesifikk kontakt eller adresse -NoSpecificContactAddressBis=Denne kategorien er dedikert til å tvinge frem spesifikke kontakter eller adresser for gjeldende objekt. Bruk den bare hvis du ønsker å definere en eller flere spesifikke kontakter eller adresser for objektet når informasjonen om tredjeparten ikke er nok eller ikke nøyaktig. +NoSpecificContactAddressBis=Denne fanen er dedikert til å tvinge spesifikke kontakter eller adresser for gjeldende objekt. Bruk den bare hvis du ønsker å definere en eller flere spesifikke kontakter eller adresser for objektet når informasjonen om tredjeparten ikke er tilstrekkelig eller nøyaktig. HideOnVCard=Skjul %s AddToContacts=Legg til adresse i kontaktene mine LastAccess=Siste tilgang @@ -1239,3 +1245,18 @@ DateOfPrinting=Dato for utskrift ClickFullScreenEscapeToLeave=Klikk her for å bytte til fullskjermmodus. Trykk ESCAPE for å gå ut av fullskjermmodus. UserNotYetValid=Ikke gyldig ennå UserExpired=Utløpt +LinkANewFile=Koble en ny fil/dokument +LinkedFiles=Koblede filer og dokumenter +NoLinkFound=Ingen registrerte koblinger +LinkComplete=Filkoblingen ble opprettet +ErrorFileNotLinked=Filen kunne ikke kobles +LinkRemoved=Koblingen til %s ble fjernet +ErrorFailedToDeleteLink= Klarte ikke å fjerne kobling'%s' +ErrorFailedToUpdateLink= Klarte ikke å oppdatere koblingen til '%s' +URLToLink=URL til link +OverwriteIfExists=Overskriv hvis filen eksisterer +AmountSalary=Lønnsbeløp +InvoiceSubtype=Faktura undertype +ConfirmMassReverse=Bulk reversert bekreftelse +ConfirmMassReverseQuestion=Er du sikker på at du vil reversere %s valgte post(er)? + diff --git a/htdocs/langs/nb_NO/modulebuilder.lang b/htdocs/langs/nb_NO/modulebuilder.lang index 352383801b7..b86fe70da9f 100644 --- a/htdocs/langs/nb_NO/modulebuilder.lang +++ b/htdocs/langs/nb_NO/modulebuilder.lang @@ -40,7 +40,7 @@ EditorName=Navn på editor EditorUrl=URL til editor DescriptorFile=Beskrivelsesfil av modulen ClassFile=Fil for PHP DAO CRUD klasse -ApiClassFile=Fil for PHP API-klasse +ApiClassFile=API-fil for modul PageForList=PHP -side for liste over poster PageForCreateEditView=PHP-side for å lage/redigere/vise en post PageForAgendaTab=PHP-side for hendelsesfanen @@ -71,7 +71,7 @@ ArrayOfKeyValues=Matrise over nøkler-verdier ArrayOfKeyValuesDesc=Matrise av nøkler og verdier der feltet er en kombinasjonsliste med faste verdier WidgetFile=Widget-fil CSSFile=CSS-fil -JSFile=Javascript-fil +JSFile=JavaScript-fil ReadmeFile=Readme-fil ChangeLog=ChangeLog-fil TestClassFile=Fil for PHP Unit Testklasse @@ -92,8 +92,8 @@ ListOfMenusEntries=Liste over menyoppføringer ListOfDictionariesEntries=Liste over ordbokinnføringer ListOfPermissionsDefined=Liste over definerte tillatelser SeeExamples=Se eksempler her -EnabledDesc=Betingelse for å ha dette feltet aktivt..

      Eksempler:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=Er feltet synlig? (Eksempler: 0=Aldri synlig, 1=Synlig på liste og opprett/oppdater/vis skjemaer, 2=Kun synlig på liste, 3=Synlig på opprette/oppdater/vis kun skjema (ikke liste), 4=Synlig på liste og oppdater/vis kun skjema (ikke opprett), 5=Synlig kun på listesluttvisningsskjema (ikke opprett, ikke oppdater)

      Bruk av en negativ verdi betyr at feltet ikke vises som standard på listen, men kan velges for visning). +EnabledDesc=Betingelse for å ha dette feltet aktivt.

      Eksempler:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=Er feltet synlig? (Eksempler: 0=Aldri synlig, 1=Synlig på liste og opprette/oppdatere/se skjemaer, 2=Kun synlig på liste, 3=Synlig på opprette/oppdater/vis skjema bare (ikke på lister), 4=Synlig på lister og kun oppdatering/vis skjema (ikke opprette), 5=Synlig på liste og kun se skjemaet (ikke opprette, ikke oppdatere).

      Bruk av en negativ verdi betyr at feltet ikke vises som standard på listen, men kan velges for visning). ItCanBeAnExpression=Det kan være et uttrykk. Eksempel:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday','define_holiday')?1:5 DisplayOnPdfDesc=Vis dette feltet på kompatible PDF-dokumenter, du kan administrere posisjon med "Posisjon"-feltet.
      For dokument :
      0 = ikke vist
      1 = visning
      2 = vis kun hvis ikke tom

      For dokumentlinjer:
      0 = ikke vist
      1 = vist i en kolonne
      3 = visning i linjebeskrivelseskolonne etter beskrivelse
      4 = vises i beskrivelseskolonne etter beskrivelsen bare hvis den ikke er tom DisplayOnPdf=På PDF @@ -107,7 +107,7 @@ PermissionsDefDesc=Her definerer du de nye tillatelsene som tilbys av modulen di MenusDefDescTooltip=Menyene som leveres av din modul/applikasjon er definert i matrisen $this->menyer i modulbeskrivelsesfilen. Du kan redigere denne filen manuelt eller bruke den innebygde editoren.

      Merk: Når de er definert (og modulen reaktivert), er menyene også synlige i menyredigeringsprogrammet som er tilgjengelig for administratorbrukere på %s. DictionariesDefDescTooltip=Ordbøkene levert av din modul/applikasjon er definert i matrisen $ this->; ordbøker i beskrivelsesfilen for modulen. Du kan redigere denne filen manuelt eller bruke den innebygde editoren.

      Merk: Når definert (og modul er blitt aktivert på nytt), er ordbøker også synlige i konfigurasjonsområdet for administratorbrukere på %s. PermissionsDefDescTooltip=Tillatelsene som er gitt av modulen/applikasjonen, er definert i array $this->righs i filen for modulbeskrivelsen. Du kan redigere denne filen manuelt eller bruke den innebygde editoren.

      Merk: Når definert (og modul reaktivert), er tillatelser synlige i standardrettighetsoppsettet %s. -HooksDefDesc=Definer egenskapen module_parts ['hooks'] i modulbeskrivelsen, konteksten av hooks du vil administrere (liste over sammenhenger kan bli funnet ved et søk på ' initHooks('i kjernekode).
      Rediger hooks-filen for å legge til kode for dine tilkoblede funksjoner (hookable funksjoner kan bli funnet ved et søk på ' executeHooks ' i kjernekode). +HooksDefDesc=Definer i egenskapen module_parts['hooks'], i modulbeskrivelsesfilen, listen over kontekster når din hook må utføres (listen over mulige kontekster kan bli funnet ved et søk på 'initHooks(' i kjernekoden) .
      Rediger deretter filen med hooks-kode med koden til dine koblede funksjoner (listen over funksjoner som kan kobles kan bli funnet ved å søke på ' executeHooks' i kjernekoden). TriggerDefDesc=Definer i triggerfilen koden du ønsker å kjøre når en forretningshendelse utenfor modulen din blir utført (hendelser utløst av andre moduler). SeeIDsInUse=Se IDer som brukes i installasjonen din SeeReservedIDsRangeHere=Se område av reserverte IDer @@ -128,7 +128,7 @@ RealPathOfModule=Virkelig bane til modulen ContentCantBeEmpty=Innholdet i filen kan ikke være tomt WidgetDesc=Her kan du generere og redigere widgets som vil bli integrert med modulen din. CSSDesc=Her kan du generere og redigere en fil med personalisert CSS innebygd i modulen din. -JSDesc=Her kan du generere og redigere en fil med tilpasset Javascript innebygd i modulen din. +JSDesc=Her kan du generere og redigere en fil med personlig JavaScript innebygd i modulen din. CLIDesc=Her kan du generere noen kommandolinjeskript du vil bruke med modulen din. CLIFile=CLI-fil NoCLIFile=Ingen CLI-filer @@ -148,8 +148,8 @@ CSSViewClass=CSS for leseskjema CSSListClass=CSS for liste NotEditable=Ikke redigerbar ForeignKey=Fremmed nøkkel -ForeignKeyDesc=Hvis verdien av dette feltet garanteret må finnes i en annen tabell. Skriv inn en verdi som samsvarer med syntaks her: tablename.parentfieldtocheck -TypeOfFieldsHelp=Eksempel:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1' betyr at vi legger til en + knapp etter kombinasjonsboksen for å opprette posten
      'filter' er en sql tilstand, eksempel: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' +ForeignKeyDesc=Hvis verdien av dette feltet må garanteres å eksistere i en annen tabell. Skriv inn en verdi som samsvarer med syntaks her: tabellnavn.foreldrefelt for å sjekke +TypeOfFieldsHelp=Eksempele:
      varchar(99)
      email
      phone
      ip
      url
      password
      double(24,8)
      real
      text
      html
      date
      datetime
      timestamp
      integer
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]

      '1' betyr at man legger til en +knapp etter kombinasjonsboksen for å opprette posten
      'filter' er en Universal Filter syntax betingelse, eksempel: '((status:=:1) AND (fk_user:=:__USER_ID__) AND (entity:IN:(__SHARED_ENTITIES__))' TypeOfFieldsHelpIntro=Dette er typen av feltet/attributtet. AsciiToHtmlConverter=Ascii til HTML konverter AsciiToPdfConverter=Ascii til PDF konverter @@ -163,11 +163,11 @@ ListOfTabsEntries=Liste over faneoppføringer TabsDefDesc=Definer fanene som leveres av modulen din her TabsDefDescTooltip=Fanene som tilbys av din modul/applikasjon er definert i arrayet $this->tabs i modulbeskrivelsesfilen. Du kan redigere denne filen manuelt eller bruke den innebygde editoren. BadValueForType=Feil verdi for type %s -DefinePropertiesFromExistingTable=Define the fields/properties from an existing table +DefinePropertiesFromExistingTable=Definer feltene/egenskapene fra en eksisterende tabell DefinePropertiesFromExistingTableDesc=Hvis en tabell i databasen (for objektet som skal opprettes) allerede eksisterer, kan du bruke den til å definere egenskapene til objektet. DefinePropertiesFromExistingTableDesc2=Hold tom hvis tabellen ikke eksisterer ennå. Kodegeneratoren vil bruke forskjellige typer felt for å bygge et eksempel på en tabell som du kan redigere senere. -GeneratePermissions=I want to manage permissions on this object -GeneratePermissionsHelp=If you check this, some code will be added to manage permissions to read, write and delete record of the objects +GeneratePermissions=Jeg vil administrere tillatelser for dette objektet +GeneratePermissionsHelp=Hvis du krysser av for dette, vil noe kode bli lagt til for å administrere tillatelser til å lese, skrive og slette oppføringer av objektene PermissionDeletedSuccesfuly=Tillatelsen er fjernet PermissionUpdatedSuccesfuly=Tillatelsen er oppdatert PermissionAddedSuccesfuly=Tillatelsen er lagt til @@ -180,4 +180,10 @@ CRUDCreateWrite=Opprett eller oppdater FailedToAddCodeIntoDescriptor=Kunne ikke legge til kode i beskrivelsen. Sjekk at strengkommentaren "%s" fortsatt er til stede i filen. DictionariesCreated=Ordbok %s opprettet DictionaryDeleted=Ordbok %s ble fjernet -PropertyModuleUpdated=Property %s has been update successfully +PropertyModuleUpdated=Egenskapen %s har blitt oppdatert +InfoForApiFile=* Når du genererer filen for første gang, vil alle metoder bli opprettet for hvert objekt.
      * Når du klikker på fjern, fjerner du bare alle metoder for det valgte objektet. +SetupFile=Side for moduloppsett +EmailingSelectors=E-postvelgere +EmailingSelectorDesc=Her kan du generere og redigere klassefilene for å gi nye epost målvelgere for masse-epostmodulen +EmailingSelectorFile=E-postvelgerfil +NoEmailingSelector=Ingen e-postvelgerfil diff --git a/htdocs/langs/nb_NO/oauth.lang b/htdocs/langs/nb_NO/oauth.lang index 9e2b8dbdf00..8e9863e16f6 100644 --- a/htdocs/langs/nb_NO/oauth.lang +++ b/htdocs/langs/nb_NO/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Nøkkel slettet GetAccess=Klikk her for å få et token RequestAccess=Klikk her for å be om/fornye tilgang og motta et nytt token DeleteAccess=Klikk her for å slette tokenet -UseTheFollowingUrlAsRedirectURI=Bruk følgende URL som redirect-URL når du lager din legitimasjon hos din OAuth tilbyder +RedirectURL=Omdirigerings-URL +UseTheFollowingUrlAsRedirectURI=Bruk følgende URL som omdirigerings-URL når du oppretter legitimasjon hos OAuth-leverandøren din ListOfSupportedOauthProviders=Legg til OAuth2-tokenleverandørene dine. Gå deretter til OAuth-leverandørens admin-side for å opprette/få en OAuth-ID og Secret og lagre dem her. Når du er ferdig, slår du på den andre fanen for å generere tokenet ditt. OAuthSetupForLogin=Side for å administrere (generere/slette) OAuth-tokens SeePreviousTab=Se forrige fane diff --git a/htdocs/langs/nb_NO/products.lang b/htdocs/langs/nb_NO/products.lang index dff65c98d2f..9d256ab9f21 100644 --- a/htdocs/langs/nb_NO/products.lang +++ b/htdocs/langs/nb_NO/products.lang @@ -80,8 +80,11 @@ SoldAmount=Mengde solgt PurchasedAmount=Mengde kjøpt NewPrice=Ny pris MinPrice=Min. salgspris +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Minste utsalgspris (inkl. MVA) EditSellingPriceLabel=Rediger salgsprisetikett -CantBeLessThanMinPrice=Salgsprisen kan ikke være lavere enn minste tillatte for denne varen (%s uten avgifter) +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Lukket ErrorProductAlreadyExists=En vare med varenummere %s eksisterer allerede. ErrorProductBadRefOrLabel=Ugyldig verdi for referanse eller etikett. @@ -347,16 +350,17 @@ UseProductFournDesc=Legg til en funksjon for å definere produktbeskrivelsen def ProductSupplierDescription=Leverandørs beskrivelse av produktet UseProductSupplierPackaging=Bruk "pakking"-funksjonen for å avrunde mengdene til noen gitte multipler (når du legger til/oppdaterer linje i leverandørdokumenter, beregner du mengder og innkjøpspriser på nytt i henhold til det høyere multiplumet som er satt på innkjøpsprisene til et produkt) PackagingForThisProduct=Pakking av mengder -PackagingForThisProductDesc=Du vil automatisk kjøpe en multippel av dette antallet. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=Mengden på linjen ble beregnet på nytt i henhold til leverandøremballasje #Attributes +Attributes=Attributter VariantAttributes=Variantattributter ProductAttributes=Variantattributter for varer ProductAttributeName=Variantattributt %s ProductAttribute=Variantattributt ProductAttributeDeleteDialog=Er du sikker på at du vil slette denne attributten? Alle verdier vil bli slettet. -ProductAttributeValueDeleteDialog=Er du sikker på at du vil slette verdien "%s" med referanse "%s" til denne attributten? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Er du sikker på at du vil slette varevarianten "%s"? ProductCombinationAlreadyUsed=Det oppsto en feil ved sletting av varianten. Kontroller at den ikke blir brukt av noen objekter ProductCombinations=Varianter @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Det oppsto en feil under sletting av eksisterende NbOfDifferentValues=Antall forskjellige verdier NbProducts=Antall varer ParentProduct=Komponent-vare +ParentProductOfVariant=Forelder-vare av variant HideChildProducts=Skjul variantprodukter ShowChildProducts=Vis varevarianter NoEditVariants=Gå til foreldre-varekort og rediger varianters prispåvirkning i varianter-fanen @@ -417,7 +422,7 @@ ErrorsProductsMerge=Feil i varesammenslåing SwitchOnSaleStatus=Slå på salgsstatus SwitchOnPurchaseStatus=Slå på kjøpsstatus UpdatePrice=Øk/reduser kundepris -StockMouvementExtraFields= Ekstra felt (lagerbevegelse) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Ekstra felt (beholdning) ScanOrTypeOrCopyPasteYourBarCodes=Skann eller skriv eller kopier/lim inn strekkodene dine PuttingPricesUpToDate=Oppdater priser med gjeldende kjente priser @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Velg ekstrafeltet du vil endre ConfirmEditExtrafieldQuestion = Er du sikker på at du vil endre dette ekstrafeltet? ModifyValueExtrafields = Endre verdien for et ekstrafelt OrProductsWithCategories=Eller varer med tagger/kategorier +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/nb_NO/projects.lang b/htdocs/langs/nb_NO/projects.lang index 7d18dbfb4b9..6d8b613e79b 100644 --- a/htdocs/langs/nb_NO/projects.lang +++ b/htdocs/langs/nb_NO/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Ute av prosjekt NoProject=Ingen prosjekter definert NbOfProjects=Antall prosjekter NbOfTasks=Antall oppgaver +TimeEntry=Tidssporing TimeSpent=Tid brukt +TimeSpentSmall=Tid brukt TimeSpentByYou=Tid bruk av deg TimeSpentByUser=Tid brukt av bruker -TimesSpent=Tid brukt TaskId=Oppgave ID RefTask=Oppgave ref. LabelTask=Oppgaveetikett @@ -82,7 +83,7 @@ MyProjectsArea=Område for mine prosjekt DurationEffective=Effektiv varighet ProgressDeclared=Oppgitt reell fremgang TaskProgressSummary=Oppgavens fremdrift -CurentlyOpenedTasks=Åpne oppgaver +CurentlyOpenedTasks=Nåværende åpne oppgaver TheReportedProgressIsLessThanTheCalculatedProgressionByX=Den oppgitte reelle fremgangen er mindre %s enn fremgangen på forbruk TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Den oppgitte reelle fremgangen er mer %s enn fremdriften på forbruket ProgressCalculated=Progresjon på forbruk @@ -122,7 +123,7 @@ TaskHasChild=Oppgave har underoppgaver NotOwnerOfProject=Ikke eier av dette private prosjektet AffectedTo=Tildelt CantRemoveProject=Dette prosjektet kan ikke fjernes ettersom det refereres til av andre objekter (faktura, bestillinger eller annet). Se fanen '%s'. -ValidateProject=Valider prosjekt +ValidateProject=Valider prosjektet ConfirmValidateProject=Er du sikker på at du vil validere dette prosjektet? CloseAProject=Lukk prosjektet ConfirmCloseAProject=Er du sikker på at du vil lukke dette prosjektet? @@ -226,7 +227,7 @@ ProjectsStatistics=Statistikk over prosjekter eller potensielle kunder TasksStatistics=Statistikk over oppgaver til prosjekter eller potensielle kunder TaskAssignedToEnterTime=Oppgave tildelt. Tidsbruk kan legges til IdTaskTime=Oppgave-tid ID -YouCanCompleteRef=Hvis du vil fullføre referansen med en suffiks, anbefales det å legge til et tegn for å skille det, slik at den automatiske nummereringen fortsatt fungerer riktig for neste prosjekt. For eksempel %s-MYSUFFIX +YouCanCompleteRef=Hvis du ønsker å komplettere referansen med et eller annet suffiks, anbefales det å legge til et - tegn for å skille det, slik at den automatiske nummereringen fortsatt vil fungere riktig for neste prosjekter. For eksempel %s-MYSUFFIX OpenedProjectsByThirdparties=Åpne prosjekter etter tredjeparter OnlyOpportunitiesShort=Bare leads OpenedOpportunitiesShort=Åpne leads diff --git a/htdocs/langs/nb_NO/propal.lang b/htdocs/langs/nb_NO/propal.lang index f83b2ef2c9e..851e69b7972 100644 --- a/htdocs/langs/nb_NO/propal.lang +++ b/htdocs/langs/nb_NO/propal.lang @@ -12,9 +12,11 @@ NewPropal=Nytt tilbud Prospect=Prospekt DeleteProp=Slett tilbud ValidateProp=Valider tilbud +CancelPropal=Avbryt AddProp=Skriv tilbud ConfirmDeleteProp=Er du sikker på at du vil slette dette tilbudet? ConfirmValidateProp=Er du sikker på at du vil validere dette tilbudet under navnet %s? +ConfirmCancelPropal=Er du sikker på at du vil avbryte Tilbud %s? LastPropals=Siste %s tilbud LastModifiedProposals=Siste %s endrede tilbud AllPropals=Alle tilbud @@ -27,11 +29,13 @@ NbOfProposals=Antall tilbud ShowPropal=Vis tilbud PropalsDraft=Kladder PropalsOpened=Åpent +PropalStatusCanceled=Kansellert (forlatt) PropalStatusDraft=Kladd (trenger validering) PropalStatusValidated=Godkjent (tilbudet er åpent) PropalStatusSigned=Akseptert(kan faktureres) PropalStatusNotSigned=Ikke akseptert(lukket) PropalStatusBilled=Fakturert +PropalStatusCanceledShort=Kansellert PropalStatusDraftShort=Kladd PropalStatusValidatedShort=Validert (åpen) PropalStatusClosedShort=Lukket @@ -114,6 +118,7 @@ RefusePropal=Avslå tilbud Sign=Signer SignContract=Signer kontrakt SignFichinter=Signer intervensjon +SignSociete_rib=Signer mandat SignPropal=Godta tilbudet Signed=signert SignedOnly=Kun signert diff --git a/htdocs/langs/nb_NO/receptions.lang b/htdocs/langs/nb_NO/receptions.lang index 90c9b7ee4ae..2fc63b99ad2 100644 --- a/htdocs/langs/nb_NO/receptions.lang +++ b/htdocs/langs/nb_NO/receptions.lang @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=Behandlet ReceptionSheet=Mottaksskjema ValidateReception=Valider mottak ConfirmDeleteReception=Er du sikker på at du vil slette dette mottaket? -ConfirmValidateReception=Er du sikker på at du vil validere dette mottaket med referanse %s? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Er du sikker på at du vil avbryte dette mottaket? -StatsOnReceptionsOnlyValidated=Statistikk utført på validerte mottak. Dato brukt er dato for validering av mottak (planlagt leveringsdato er ikke alltid kjent). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Send mottak via e-post SendReceptionRef=Innlevering av mottak %s ActionsOnReception=Hendelser i mottak @@ -53,5 +53,6 @@ ReceptionBackToDraftInDolibarr=Mottak %s tilbake til utkast ReceptionClassifyClosedInDolibarr=Mottak %s klassifisert Stengt ReceptionUnClassifyCloseddInDolibarr=Mottak %s gjenåpne RestoreWithCurrentQtySaved=Fyll mengder med siste lagrede verdier -ReceptionUpdated=Mottaket er oppdatert +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated ReceptionDistribution=Mottaksfordeling diff --git a/htdocs/langs/nb_NO/sendings.lang b/htdocs/langs/nb_NO/sendings.lang index 98a9fe7e393..fe029845281 100644 --- a/htdocs/langs/nb_NO/sendings.lang +++ b/htdocs/langs/nb_NO/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Validert StatusSendingProcessedShort=Behandlet SendingSheet=Pakkseddel ConfirmDeleteSending=Er du sikker på at du vil slette denne forsendelsen? -ConfirmValidateSending=Er du sikker på at du vil validere denne forsendelsen med referanse %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Er du sikker på at du vil kansellere denne forsendelsen? DocumentModelMerou=Merou A5 modell WarningNoQtyLeftToSend=Advarsel, ingen varer venter på å sendes. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Varemengde fra åpne mottatte besti NoProductToShipFoundIntoStock=Ingen varer som skal sendes i lager %s . Korriger lager eller gå tilbake for å velge et annet lager. WeightVolShort=Vekt/volum ValidateOrderFirstBeforeShipment=Du må validere ordren før du kan utføre forsendelser +NoLineGoOnTabToAddSome=Ingen linjer, gå til fanen "%s" for å legge til # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Sum varevekt # warehouse details DetailWarehouseNumber= Lagerdetaljer DetailWarehouseFormat= W:%s (Qty: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Forsendelsesdistribusjon -ErrorTooManyCombinationBatchcode=Ingen sending for linje %s da det ble funnet for mange kombinasjonslager, varer, batchkode (%s). -ErrorNoCombinationBatchcode=Ingen utsendelse for linje %s da ingen kombinasjonslager, varer, batchkode ble funnet. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Antall sendt skal ikke være større enn antall bestilt for linje %s diff --git a/htdocs/langs/nb_NO/stocks.lang b/htdocs/langs/nb_NO/stocks.lang index 43d0d5a15da..deb5cc1c1be 100644 --- a/htdocs/langs/nb_NO/stocks.lang +++ b/htdocs/langs/nb_NO/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=Personlig lager %s ThisWarehouseIsPersonalStock=Dette lageret representerer det personlige lageret til %s %s SelectWarehouseForStockDecrease=Velg lager til bruk for lagerreduksjon SelectWarehouseForStockIncrease=Velg lager til bruk for lagerøkning +RevertProductsToStock=Revert products to stock ? NoStockAction=Ingen lagerhendelser DesiredStock=Ønsket beholdning DesiredStockDesc=Denne lagerbeholdningen vil være den verdien som brukes til å fylle lager med påfyllingsfunksjonen. @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=Du har ikke nok varelager for dette varenummeret fra ShowWarehouse=Vis lager MovementCorrectStock=Lagerkorreksjon for var %s MovementTransferStock=Lageroverførsel av vare %s til annet lager +BatchStockMouvementAddInGlobal=Batch stock move into global stock (product doesn't use batch anymore) InventoryCodeShort=Lag./bev.-kode NoPendingReceptionOnSupplierOrder=Ingen ventende mottak på grunn av åpen innkjøpsordre ThisSerialAlreadyExistWithDifferentDate=Dette lot/serienummeret (%s) finnes allerede, men med ulik "best før" og "siste forbruksdag" (funnet %s , men tastet inn %s). @@ -210,10 +212,10 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Lagerbevegelser vil ha datoen for l inventoryChangePMPPermission=Tillat å endre PMP-verdi for en vare ColumnNewPMP=Ny enhet PMP OnlyProdsInStock=Ikke legg til vare uten lager -TheoricalQty=Teoretisk antall -TheoricalValue=Teoretisk antall +TheoricalQty=Theoretical qty +TheoricalValue=Theoretical qty LastPA=Siste BP -CurrentPA=Gjeldende BP +CurrentPA=Current BP RecordedQty=Registrert antall RealQty=Virkelig antall RealValue=Virkelig verdi @@ -244,7 +246,7 @@ StockAtDatePastDesc=Her kan du se varen (reell beholdning) på en tidligere dato StockAtDateFutureDesc=Her kan du se varebeholdning(virtuell beholdning) på en gitt dato i fremtiden CurrentStock=Nåværende varebeholdning InventoryRealQtyHelp=Sett verdi til 0 for å tilbakestille antall
      Hold feltet tomt, eller fjern linjen, for å holde uendret -UpdateByScaning=Fullfør ekte antall ved å skanne +UpdateByScaning=Complete real qty by scanning UpdateByScaningProductBarcode=Oppdater ved skanning (varestrekkode) UpdateByScaningLot=Oppdater ved skanning (LOT/seriell strekkode) DisableStockChangeOfSubProduct=Deaktiver lagerendringen for alle delvaren til dette settet under denne bevegelsen. @@ -280,7 +282,7 @@ ModuleStockTransferName=Avansert lageroverføring ModuleStockTransferDesc=Avansert styring av vareoverføring, med generering av overføringsark StockTransferNew=Ny vareoverføring StockTransferList=Lageroverføringsliste -ConfirmValidateStockTransfer=Er du sikker på at du vil validere denne lageraksjeoverføringen med referanse %s ? +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? ConfirmDestock=Reduksjon av varer med overføring %s ConfirmDestockCancel=Avbryt reduksjon av beholdninger med overføring %s DestockAllProduct=Reduksjon av varer @@ -307,8 +309,8 @@ StockTransferDecrementationCancel=Avbryt reduksjon av kildelagre StockTransferIncrementationCancel=Avbryt økning av destinasjonslager StockStransferDecremented=Kildelagrene redusert StockStransferDecrementedCancel=Reduksjon av kildelagre kansellert -StockStransferIncremented=Stengt - varer overført -StockStransferIncrementedShort=Varer overført +StockStransferIncremented=Closed - Stocks transferred +StockStransferIncrementedShort=Stocks transferred StockStransferIncrementedShortCancel=Økning av destinasjonslager kansellert StockTransferNoBatchForProduct=Vare %s bruker ikke batch, fjern batch på linje og prøv på nytt StockTransferSetup = Konfigurasjon av vareoverføringsmodul @@ -318,8 +320,18 @@ StockTransferRightRead=Les lageroverføringer StockTransferRightCreateUpdate=Opprett/oppdater lageroverføringer StockTransferRightDelete=Slett lageroverføringer BatchNotFound=Finner ikke LOT/serie for denne varen +StockEntryDate=Date of
      entry in stock StockMovementWillBeRecorded=Lagerbevegelse vil bli registrert StockMovementNotYetRecorded=Lagerbevegelse vil ikke bli påvirket av dette trinnet +ReverseConfirmed=Stock movement has been reversed successfully + WarningThisWIllAlsoDeleteStock=Advarsel, dette vil også ødelegge alle mengder på lager på lageret +ValidateInventory=Beholdningsvalidering +IncludeSubWarehouse=Inkludere under-varehus? +IncludeSubWarehouseExplanation=Kryss av i denne boksen hvis du ønsker å inkludere alle under-varehusene til det tilknyttede lageret i varebeholdningen DeleteBatch=Slett parti/serie ConfirmDeleteBatch=Er du sikker på at du vil slette parti/serie? +WarehouseUsage=Warehouse usage +InternalWarehouse=Internal warehouse +ExternalWarehouse=Eksternt lager +WarningThisWIllAlsoDeleteStock=Advarsel, dette vil også ødelegge alle mengder på lager på lageret diff --git a/htdocs/langs/nb_NO/stripe.lang b/htdocs/langs/nb_NO/stripe.lang index a4d633d2bee..04327b14c59 100644 --- a/htdocs/langs/nb_NO/stripe.lang +++ b/htdocs/langs/nb_NO/stripe.lang @@ -71,9 +71,10 @@ ToOfferALinkForTestWebhook=Link til oppsett av Stripe WebHook for oppkall av IPN ToOfferALinkForLiveWebhook=Link til oppsett av Stripe WebHook for oppkall av IPN (live-modus) PaymentWillBeRecordedForNextPeriod=Betalingen blir registrert for neste periode. ClickHereToTryAgain=Klikk her for å prøve igjen ... -CreationOfPaymentModeMustBeDoneFromStripeInterface=På grunn av sterke regler for godkjenning av kunder, må opprettelse av et kort gjøres fra Stripe backoffice. Du kan klikke her for å slå på Stripe kundeoppføring: %s +CreationOfPaymentModeMustBeDoneFromStripeInterface=På grunn av sterke kunde Autentiseringregler, må opprettelsen av et kort gjøres fra Stripe backoffice. Du kan klikke her for å slå på Stripe kunde-posten: %s STRIPE_CARD_PRESENT=Kort til stede for Stripe-terminaler TERMINAL_LOCATION=Plassering (adresse) for Stripe Terminaler RequestDirectDebitWithStripe=Be om direktedebet med Stripe +RequesCreditTransferWithStripe=Be om kredittoverføring med Stripe STRIPE_SEPA_DIRECT_DEBIT=Aktiver direktedebet gjennom Stripe - +StripeConnect_Mode=Stripe Connect-modus diff --git a/htdocs/langs/nb_NO/website.lang b/htdocs/langs/nb_NO/website.lang index 9e538d5bfba..aa64ac1dc33 100644 --- a/htdocs/langs/nb_NO/website.lang +++ b/htdocs/langs/nb_NO/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Alternative sidenavn/aliaser WEBSITE_ALIASALTDesc=Liste over andre navn/aliaser, slik at siden også kan nås med disse andre navnene/aliasene (for eksempel det gamle navnet etter å ha gi nytt navn til aliaset for å holde tilbakekobling på gammel lenke navn fungerende). Syntaks er:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=URL til ekstern CSS-fil WEBSITE_CSS_INLINE=CSS-filinnhold (vanlig for alle sider) -WEBSITE_JS_INLINE=Javascript-filinnhold (felles for alle sider) +WEBSITE_JS_INLINE=JavaScript-filinnhold (felles for alle sider) WEBSITE_HTML_HEADER=Tillegg nederst på HTML-header(felles for alle sider) WEBSITE_ROBOT=Robotfil (robots.txt) WEBSITE_HTACCESS=Nettstedets .htaccess-fil @@ -60,10 +60,11 @@ NoPageYet=Ingen sider ennå YouCanCreatePageOrImportTemplate=Du kan opprette en ny side eller importere en full nettsidemal SyntaxHelp=Hjelp med spesifikke syntakstips YouCanEditHtmlSourceckeditor=Du kan redigere HTML kildekode ved hjelp av "Kilde" -knappen i redigeringsprogrammet. -YouCanEditHtmlSource=
      Du kan inkludere PHP kode i denne kilden ved hjelp av tags <?php ?>. Følgende globale variabler er tilgjengelige: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Du kan også inkludere innhold fra en annen side/container med følgende syntaks:
      <?php includeContainer('alias_of_container_to_include'); ?>

      Du kan omdirigere til en annen side/container med følgende syntaks (NB: ikke legg ut noe innhold før en omdirigering):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      For å opprette en kobling til en annen side, bruk syntaksen:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      For å inkludere en nedlastningslink til en fil i dokumenter mappen, bruk document.php pakkeren:
      Eksempel, for en fil i documents/ecm (need to be loggedmå logges, er syntaksen:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For en fil i documents/medias (åpen mappe for offentlig tilgang), er syntaksen:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For en fil delt via en delingskobling (åpen tilgang ved bruk av deling av filens hash-nøkkel), er syntaksen:
      <a href="/document.php?hashp=publicsharekeyoffile">

      For å inkludere et bilde lagret i dokumenter mappen, bruk viewimage.php pakkeren:
      Eksempel, for et bilde i documents/medias (åpen mappe for offentlig tilgang), er syntaksen:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      Du kan inkludere PHP-kode i denne kilden ved bruk av tagger <?php ?>. Følgende globale variabler er tilgjengelige: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Du kan også inkludere innhold fra en annen side/container med følgende syntaks:
      <?php includeContainer('alias_of_container_to_include'); ?>

      Du kan omdirigere til en annen side/container med følgende syntaks (Nb: ikke send noe innhold før en omdirigering):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      For å legge til en lenke til en annen side, bruk syntaks:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      For å inkludere enlenke til nedlasting en fil lagret i dokumentkatalogen, brukdocument.php wrapperen:
      Eksempel, for en fil i documents/ecm (må være logget inn), er syntaksen:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For en fil i documents/medias (åpen katalog for offentlig adgang access), er syntaksen:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For en file delt med en lenke (open access med bruk av hash-nøkkelen til filen), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      For å inkludere et bilde lagret i dokument
      katalogen, bruk wrapperen viewimage.php.
      Eksempel, et bilde i dokumenter/medier (åpen katalog for offentlig tilgang), syntaks er:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=For et bilde som deles med en delekobling (åpen tilgang ved hjelp av delings-hash-nøkkelen til filen), er syntaksen:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      Flere eksempler på HTML eller dynamisk kode tilgjengelig på wikidokumentasjonen
      . +YouCanEditHtmlSource3=For å få nettadressen til bildet av et PHP-objekt, bruk
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      Flere eksempler på HTML eller dynamisk kode tilgjengelig på wikidokumentasjonen
      ClonePage=Klon side/container CloneSite=Klon side SiteAdded=Nettsted lagt til @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Beklager, dette nettstedet er for øyeblikket off WEBSITE_USE_WEBSITE_ACCOUNTS=Aktiver nettstedkontotabellen WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Aktiver tabellen for å lagre nettstedkontoer (innlogging/pass) for hvert nettsted/tredjepart YouMustDefineTheHomePage=Du må først definere standard startside -OnlyEditionOfSourceForGrabbedContentFuture=Advarsel: Å opprette en webside ved å importere en ekstern webside er forbeholdt erfarne brukere. Avhengig av kompleksiteten på kildesiden, kan resultatet av importen avvike fra originalen. Også hvis kildesiden bruker vanlige CSS-stiler eller motstridende javascript, kan det ødelegge utseendet eller funksjonene til nettstedredigereren når du jobber med denne siden. Denne metoden er en raskere måte å opprette en side på, men det anbefales å opprette den nye siden fra bunnen av eller fra en foreslått sidemal.
      Merk også at inline-redigeringsprogrammet ikke fungerer korrekt når det brukes på en ekstern side. +OnlyEditionOfSourceForGrabbedContentFuture=Advarsel: Å lage en nettside ved å importere en ekstern nettside er reservert for erfarne brukere. Avhengig av kompleksiteten til kildesiden, kan resultatet av importen avvike fra originalen. Også hvis kildesiden bruker vanlige CSS-stiler eller motstridende JavaScript, kan det ødelegge utseendet eller funksjonene til nettstedets editor når du arbeider med denne siden. Denne metoden er en raskere måte å lage en side på, men det anbefales å lage den nye siden fra bunnen av eller fra en foreslått sidemal.
      Merk også at det innebygde redigeringsprogrammet kanskje ikke fungerer korrekt når den brukes på en hentet ekstern side. OnlyEditionOfSourceForGrabbedContent=Kun HTML-kilde er mulig når innholdet ble tatt fra et eksternt nettsted GrabImagesInto=Hent bilder som er funnet i css og side også. ImagesShouldBeSavedInto=Bilder bør lagres i katalogen @@ -112,13 +113,13 @@ GoTo=Gå til DynamicPHPCodeContainsAForbiddenInstruction=Du legger til dynamisk PHP-kode som inneholder PHP-instruksjonen '%s' som vanligvis er forbudt som dynamisk innhold (se skjulte alternativer WEBSITE_PHP_ALLOW_xxx for å øke listen over tillatte kommandoer). NotAllowedToAddDynamicContent=Du har ikke tillatelse til å legge til eller redigere PHP dynamisk innhold på nettsteder. Be om tillatelse eller behold koden i php-kodene uendret. ReplaceWebsiteContent=Søk eller erstatt nettstedsinnhold -DeleteAlsoJs=Slett også alle javascript-filer som er spesifikke for denne nettsiden? -DeleteAlsoMedias=Slett også alle mediefiler som er spesifikke for denne nettsiden? +DeleteAlsoJs=Vil du også slette alle JavaScript-filer som er spesifikke for dette nettstedet? +DeleteAlsoMedias=Vil du også slette alle mediefiler som er spesifikke for dette nettstedet? MyWebsitePages=Mine nettsider SearchReplaceInto=Søk | Bytt inn i ReplaceString=Ny streng CSSContentTooltipHelp=Skriv inn her CSS-innhold. For å unngå konflikt med CSS for applikasjonen, må du passe på alle erklæringer med .bodywebsite-klassen. For eksempel:

      #mycssselector, input.myclass: hover {...}
      må være
      .bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}

      Merk: Hvis du har en stor fil uten dette prefikset, kan du bruke 'lessc' til å konvertere den for å legge til .bodywebsite-prefikset overalt. -LinkAndScriptsHereAreNotLoadedInEditor=Advarsel: Dette innholdet sendes bare ut når du får tilgang til nettstedet fra en server. Den brukes ikke i redigeringsmodus, så hvis du trenger å laste javascript-filer også i redigeringsmodus, bare legg til taggen 'script src=...' på siden. +LinkAndScriptsHereAreNotLoadedInEditor=Advarsel: Dette innholdet sendes bare ut når nettstedet åpnes fra en server. Den brukes ikke i redigeringsmodus, så hvis du trenger å laste inn JavaScript-filer også i redigeringsmodus, legg til merke 'script src=...' på siden. Dynamiccontent=Eksempel på en side med dynamisk innhold ImportSite=Importer nettstedsmal EditInLineOnOff=Mode 'Edit inline' er %s @@ -160,3 +161,6 @@ PagesViewedTotal=Viste sider (totalt) Visibility=Synlighet Everyone=Alle AssignedContacts=Tildelte kontakter +WebsiteTypeLabel=Type nettsted +WebsiteTypeDolibarrWebsite=Nettsted (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Opprinnelig Dolibarr-portal diff --git a/htdocs/langs/nb_NO/withdrawals.lang b/htdocs/langs/nb_NO/withdrawals.lang index ea67c2cb1b1..fd6f2850956 100644 --- a/htdocs/langs/nb_NO/withdrawals.lang +++ b/htdocs/langs/nb_NO/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Opprett en forespørsel om kreditoverføring WithdrawRequestsDone=%s direktedebet-betalingforespørsler registrert BankTransferRequestsDone=%s forespørsler om kreditoverføring registrert ThirdPartyBankCode=Tredjeparts bankkode -NoInvoiceCouldBeWithdrawed=Ingen faktura debitert. Kontroller at fakturaer mot selskaper med gyldig standard BAN, og at BAN har en RUM-modus %s . +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=Denne uttakskvitteringen er allerede merket som kreditert; dette kan ikke gjøres to ganger, da dette potensielt kan skape dupliserte betalinger og bankoppføringer. ClassCredited=Klassifiser som kreditert ClassDebited=Klassifiser debitert @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Er du sikker på at du vil avvise en tilbakekallings-fo RefusedData=Dato for avvisning RefusedReason=Årsak til avslag RefusedInvoicing=Belast tilbakekallingen -NoInvoiceRefused=Ikke belast tilbakekallingen -InvoiceRefused=Faktura avvist (Kunden skal belastes for avvisningen) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debet/kreditt StatusWaiting=Venter StatusTrans=Sendt @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Mandats signaturdato RUMLong=Unik Mandat Referanse RUMWillBeGenerated=Hvis tomt, vil UMR (Unique Mandate Reference) bli generert når bankkontoinformasjon er lagret -WithdrawMode=Direktedebetsmodus (FRST eller RECUR) +WithdrawMode=Direkte belastningsmodus (FRST eller RCUR) WithdrawRequestAmount=Antall direktedebet-betalingforespørsler BankTransferAmount=Beløp i forespørsler om kredittoverføring: WithdrawRequestErrorNilAmount=Kan ikke opprette en tom direktedebet-betalingforespørsel @@ -131,6 +134,7 @@ SEPAFormYourBAN=Ditt bankontonavn (IBAN) SEPAFormYourBIC=Din banks identifikasjonskode (BIC) SEPAFrstOrRecur=Betalingstype ModeRECUR=Gjentakende betaling +ModeRCUR=Gjentakende betaling ModeFRST=Engangsbetaling PleaseCheckOne=Vennligs kryss av kun en CreditTransferOrderCreated=Kredittoverføringsordre %s opprettet @@ -155,9 +159,16 @@ InfoTransData=Beløp: %s
      Metode: %s
      Dato: %s InfoRejectSubject=Direktedebet betalingsordre avvist InfoRejectMessage=Hei,

      direktedebet betalingsordre av faktura %s tilhørende firma %s, med beløpet %s er blitt avvist av banken.

      --
      %s ModeWarning=Opsjon for reell-modus ble ikke satt, så vi stopper etter denne simuleringen -ErrorCompanyHasDuplicateDefaultBAN=Firma med ID%s har mer enn én standard bankkonto. Ingen måte å vite hvilken du skal bruke. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Mangler ICS i bankkonto %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Totalt beløp for direktedebet er ulik linjesum WarningSomeDirectDebitOrdersAlreadyExists=Advarsel: Det er allerede noen direkte belastningsordrer som venter (%s) forespurt for et beløp på %s WarningSomeCreditTransferAlreadyExists=Advarsel: Det er allerede noen ventende kredittoverføringer (%s) forespurt for et beløp på %s UsedFor=Brukes for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Lønn +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/nb_NO/workflow.lang b/htdocs/langs/nb_NO/workflow.lang index 40b45b0919d..068ca5eeedd 100644 --- a/htdocs/langs/nb_NO/workflow.lang +++ b/htdocs/langs/nb_NO/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Opprett automatisk en kundefaktura når descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Opprett en kundefaktura automatisk etter at en kundeordre er stengt (ny faktura vil ha samme beløp som ordre) descWORKFLOW_TICKET_CREATE_INTERVENTION=Ved opprettelse av billett oppretter du automatisk en intervensjon. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Klassifiser tilknyttede kildetilbud til fakturert(e) når kundeordren er satt til fakturert (og hvis beløpet av bestillingen er det samme som totalbeløpet av signerte koblede tilbud) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Klassifiser koblede kilde-tilbud som fakturert(e) når faktura er validert (og hvis fakturabeløpet er det samme som totalbeløpet av signerte tilbud) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Klassifiser koblede kilde-kundeordre som fakturert(t) når faktura er validert (og hvis fakturabeløpet er det samme som totalbeløpet av koblede ordrer) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Klassifiser koblede kilde-kundeordre som fakturert(t) når faktura er satt til betalt (og hvis fakturabeløpet er det samme som totalbeløpet av koblede ordrer) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Klassifiser koblet kilde-kundeordre til sendt når en forsendelse er validert (og hvis kvantitet som sendes av alle forsendelser, er det samme som i bestillingen som skal oppdateres) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Klassifiser koblet kildesalgsordre som sendt når en forsendelse er stengt (og hvis kvantumet som sendes av alle forsendelser er det samme som i ordren som skal oppdateres) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Klassifiser tilsluttede kildeleverandørtilbud som fakturert når leverandørfaktura er validert (og hvis fakturabeløp er det samme som totalbeløp på koblede tilbud) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Klassifiser kildekjøpsordre (kjøpsordre) som fakturert når leverandørfakturaen er validert (og hvis fakturabeløp er det samme som totalbeløp på koblede ordre) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Klassifiser koblet kilde-innkjøpsordre som mottatt når et mottak er validert (og hvis antallet mottatt av alle mottak er det samme som i innkjøpsordren som skal oppdateres) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Klassifiser koblet kilde-innkjøpsordre som mottatt når et mottak er stengt (og hvis antallet mottatt av alle mottak er det samme som i innkjøpsordren som skal oppdatere) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Klassifiser mottak til "fakturert" når en koblet kjøpsfaktura er validert (og hvis beløpet på fakturaen er det samme som totalbeløpet for de tilknyttede mottakene) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=Når du oppretter en billett, kobler du tilgjengelige kontrakter til samsvarende tredjepart +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Når du kobler sammen kontrakter, søk blant de fra morselskapene # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Lukk alle intervensjoner knyttet til billetten når en billett er lukket AutomaticCreation=Automatisk opprettelse AutomaticClassification=Automatisk klassifisering -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Klassifiser koblet kildeforsendelse som lukket når kundefakturaen er validert (og hvis fakturabeløpet er det samme som totalbeløpet for de koblede forsendelsene) AutomaticClosing=Automatisk lukking AutomaticLinking=Automatisk kobling diff --git a/htdocs/langs/nl_BE/admin.lang b/htdocs/langs/nl_BE/admin.lang index 8bc8ad3b9cd..c3c7e45c38d 100644 --- a/htdocs/langs/nl_BE/admin.lang +++ b/htdocs/langs/nl_BE/admin.lang @@ -119,9 +119,6 @@ EMailsSetup=Email instellingen EmailSenderProfiles=E-mail afzenderprofielen MAIN_MAIL_SMTP_PORT=SMTP / SMTPS-poort (standaardwaarde in php.ini: %s ) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS-host (standaardwaarde in php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP / SMTPS-poort (niet gedefinieerd in PHP op Unix-achtige systemen) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS-host (niet gedefinieerd in PHP op Unix-achtige systemen) -MAIN_MAIL_EMAIL_FROM=E-mail afzender voor automatische e-mails (standaardwaarde in php.ini: %s ) MAIN_MAIL_ERRORS_TO=E-mail gebruikt voor foutmeldingen retourneert e-mails (velden 'Errors-To' in verzonden e-mails) MAIN_MAIL_AUTOCOPY_TO=Kopieer (Bcc) alle verzonden e-mails naar MAIN_MAIL_SMTPS_ID=SMTP ID (als verzendende server authenticatie vereist) @@ -134,7 +131,6 @@ MAIN_MAIL_EMAIL_DKIM_SELECTOR=Naam van dkim-selector MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Privésleutel voor dkim-ondertekening MAIN_DISABLE_ALL_SMS=Schakel alle sms-berichten uit (voor testdoeleinden of demo's) MAIN_MAIL_SMS_FROM=Standaard telefoonnummer van afzender voor sms-verzending -MAIN_MAIL_DEFAULT_FROMTYPE=Standaard afzender-e-mailadres voor handmatig verzenden (e-mailadres gebruiker of professionele e-mail) UserEmail=Email gebruiker CompanyEmail=Professionele e-mail ModuleSetup=Module-instellingen @@ -166,8 +162,8 @@ DescWeather=De volgende afbeeldingen worden op het dashboard weergegeven wanneer ConnectionTimeout=Time-out verbinding ModuleMustBeEnabledFirst=Module %s moet eerst worden ingeschakeld als u deze functie nodig hebt. NoSmsEngine=Geen SMS-afzenderbeheerder beschikbaar. Een SMS-afzenderbeheer is niet geïnstalleerd met de standaarddistributie omdat deze afhankelijk zijn van een externe leverancier, maar u kunt er enkele vinden op %s -HideAnyVATInformationOnPDF=Verberg alle informatie met betrekking tot omzetbelasting / btw PDFRulesForSalesTax=Regels voor omzetbelasting / btw +HideLocalTaxOnPDF=Verberg het %s-tarief in de kolom Verkoopbelasting / Btw HideDescOnPDF=Productbeschrijving verbergen HideRefOnPDF=Verberg ref. producten HideDetailsOnPDF=Verberg details van productlijnen diff --git a/htdocs/langs/nl_BE/projects.lang b/htdocs/langs/nl_BE/projects.lang index 4a0241c7762..40e7bfa2b29 100644 --- a/htdocs/langs/nl_BE/projects.lang +++ b/htdocs/langs/nl_BE/projects.lang @@ -12,6 +12,5 @@ BillTime=Factureer de tijd besteed AddTimeSpent=Maak de tijd besteed AddHereTimeSpentForDay=Voeg hier de besteedde tijd voor deze dag / taak toe MyProjectsArea=Mijn projectengebied -CurentlyOpenedTasks=Actueel openstaande taken WhichIamLinkedToProject=waaraan ik ben gekoppeld aan het project ProjectModifiedInDolibarr=Project %s gewijzigd diff --git a/htdocs/langs/nl_BE/receptions.lang b/htdocs/langs/nl_BE/receptions.lang index 60c78339513..92cd96f1727 100644 --- a/htdocs/langs/nl_BE/receptions.lang +++ b/htdocs/langs/nl_BE/receptions.lang @@ -9,7 +9,6 @@ CreateReception=Creëer ontvangst QtyInOtherReceptions=Aantal in andere ontvangsten ReceptionsAndReceivingForSameOrder=Ontvangsten en bonnen voor deze bestelling ReceptionSheet=Ontvangst blad -StatsOnReceptionsOnlyValidated=Statistieken uitgevoerd op ontvangsten alleen gevalideerd. De gebruikte datum is de datum van ontvangst van de ontvangstbon (geplande leverdatum is niet altijd bekend). ActionsOnReception=Evenementen bij de receptie ProductQtyInSuppliersReceptionAlreadyRecevied=Ontvangen hoeveelheid producten uit geopende leveranciersbestelling ValidateOrderFirstBeforeReception=Je moet eerst de bestelling valideren voordat je recepties kunt maken. diff --git a/htdocs/langs/nl_BE/sendings.lang b/htdocs/langs/nl_BE/sendings.lang index d6acc920084..66065c76eb2 100644 --- a/htdocs/langs/nl_BE/sendings.lang +++ b/htdocs/langs/nl_BE/sendings.lang @@ -1,4 +1,5 @@ # Dolibarr language file - Source file is en_US - sendings +RefSending=Referentie verzending ShowSending=Toon Verzendingen Receivings=Ontvangstbevestingen LastSendings=Laatste %s verzendingen @@ -7,7 +8,6 @@ QtyToShip=Aantal te verzenden QtyInOtherShipments=Aantal in andere verzendingen SendingsAndReceivingForSameOrder=Verzendingen en ontvangstbevestigingen van deze bestelling ConfirmDeleteSending=Weet u zeker dat u deze verzending wilt verwijderen? -ConfirmValidateSending=Weet u zeker dat u deze verzending met referentie %s wilt valideren? DateDeliveryPlanned=Verwachte leveringsdatum RefDeliveryReceipt=Referentie ontvangstbevestiging ActionsOnShipping=Events i.v.m. verzending diff --git a/htdocs/langs/nl_NL/accountancy.lang b/htdocs/langs/nl_NL/accountancy.lang index 94b834781ec..ef052ecafb3 100644 --- a/htdocs/langs/nl_NL/accountancy.lang +++ b/htdocs/langs/nl_NL/accountancy.lang @@ -16,8 +16,8 @@ ThisService=Deze dienst ThisProduct=Dit product DefaultForService=Standaard voor services DefaultForProduct=Standaard voor producten -ProductForThisThirdparty=Product voor deze relatie -ServiceForThisThirdparty=Service voor deze relatie +ProductForThisThirdparty=Product voor deze derde partij +ServiceForThisThirdparty=Service voor deze derde partij CantSuggest=Geen suggestie AccountancySetupDoneFromAccountancyMenu=De meeste instellingen boekhouding worden gedaan vanuit menu %s ConfigAccountingExpert=Configuratie van boekhoud-module (dubbel boekhouden) @@ -38,7 +38,7 @@ DeleteCptCategory=Verwijder grootboekrekening uit groep ConfirmDeleteCptCategory=Weet u zeker dat u deze grootboekrekening wilt verwijderen uit de grootboekrekening-groep? JournalizationInLedgerStatus=Journaal-status AlreadyInGeneralLedger=Reeds overgezet naar boekhoudkundige dagboeken en grootboek -NotYetInGeneralLedger=Nog niet overgezet naar boekhoudkundige dagboeken en grootboek +NotYetInGeneralLedger=Nog niet overgedragen naar boekhoudkundige dagboeken en grootboek GroupIsEmptyCheckSetup=Groep is leeg. Controleer instellingen bij gepersonaliseerde rekeninggroep DetailByAccount=Details grootboekrekening DetailBy=Gedetailleerd door @@ -53,30 +53,29 @@ ExportAccountingSourceDocHelp=Met deze tool kunt u de brongebeurtenissen zoeken ExportAccountingSourceDocHelp2=Gebruik het menu-item %s - %s om uw dagboeken te exporteren. ExportAccountingProjectHelp=Specificeer een project als u alleen een boekhoudkundig rapport nodig heeft voor een specifiek project. Onkostendeclaraties en afbetalingen van leningen zijn niet opgenomen in projectrapporten. ExportAccountancy=Boekhouding exporteren -WarningDataDisappearsWhenDataIsExported=Let op, deze lijst bevat alleen de boekingen die nog niet zijn geëxporteerd (exportdatum is leeg). Als u de reeds geëxporteerde boekingen wilt opnemen om ze opnieuw te exporteren, klikt u op de bovenstaande knop. +WarningDataDisappearsWhenDataIsExported=Waarschuwing: deze lijst bevat alleen de boekhoudgegevens die nog niet zijn geëxporteerd (exportdatum is leeg). Als u de reeds geëxporteerde boekhoudgegevens wilt meenemen, klikt u op de knop hierboven. VueByAccountAccounting=Overzicht per grootboekrekening VueBySubAccountAccounting=Overzicht op volgorde subrekening -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup +MainAccountForCustomersNotDefined=Hoofdrekening (uit het rekeningschema) voor klanten die niet zijn gedefinieerd in de configuratie +MainAccountForSuppliersNotDefined=Hoofdrekening (uit het rekeningschema) voor leveranciers die niet zijn gedefinieerd in de instellingen +MainAccountForUsersNotDefined=Hoofdrekening (uit het rekeningschema) voor gebruikers die niet zijn gedefinieerd in de instellingen +MainAccountForVatPaymentNotDefined=Rekening (uit het rekeningschema) voor btw-betaling niet gedefinieerd in de instellingen +MainAccountForSubscriptionPaymentNotDefined=Rekening (uit het rekeningschema) voor lidmaatschapsbetaling is niet gedefinieerd in de configuratie +MainAccountForRetainedWarrantyNotDefined=Rekening (uit het rekeningschema) voor de behouden garantie, niet gedefinieerd tijdens de installatie UserAccountNotDefined=Grootboekrekening voor gebruiker niet gedefinieerd in setup AccountancyArea=Boekhouding AccountancyAreaDescIntro=Het gebruiken van de boekhoudmodule gaat met verschillende stappen AccountancyAreaDescActionOnce=De volgende werkzaamheden worden maar één keer uitgevoerd of jaarlijks -AccountancyAreaDescActionOnceBis=De volgende stappen moeten worden gedaan om u in de toekomst tijd te besparen door u automatisch het juiste standaard accounting account voor te stellen bij het overdragen van gegevens in de boekhouding +AccountancyAreaDescActionOnceBis=De volgende stappen moeten worden uitgevoerd om u in de toekomst tijd te besparen door u automatisch het juiste standaardboekhoudingsaccount voor te stellen bij het overbrengen van gegevens in de boekhouding AccountancyAreaDescActionFreq=De volgende werkzaamheden worden meestal elke maand, week of dagelijks uitgevoerd bij grote bedrijven.... AccountancyAreaDescJournalSetup=STAP %s: Controleer de inhoud van uw dagboeklijst vanuit het menu %s AccountancyAreaDescChartModel=STAP %s: Controleer of er een rekeningschema bestaat of maak er een vanuit het menu %s AccountancyAreaDescChart=STAP %s: Selecteer en/of voltooi uw rekeningoverzicht vanuit menu %s +AccountancyAreaDescFiscalPeriod=STAP %s: Definieer standaard een boekjaar waarin u uw boekhoudgegevens wilt integreren. Gebruik hiervoor het menu-item %s. AccountancyAreaDescVat=STAP %s: Vastleggen grootboekrekeningen voor BTW registratie. Gebruik hiervoor menukeuze %s. AccountancyAreaDescDefault=STAP %s: standaard grootboekrekeningen vastleggen. Gebruik hiervoor het menu-item %s. AccountancyAreaDescExpenseReport=STAP %s: Definieer standaard boekhoudkundige rekeningen voor elk type onkostenrapport. Gebruik hiervoor het menu-item %s. @@ -84,19 +83,20 @@ AccountancyAreaDescSal=STAP %s: Vastleggen grootboekrekeningen voor salarisbetal AccountancyAreaDescContrib=STAP %s: Definieer standaard boekhoudkundige rekeningen voor belastingen (speciale uitgaven). Gebruik hiervoor het menu-item %s. AccountancyAreaDescDonation=STAP %s : Vastleggen grootboekrekeningen voor donaties. Gebruik hiervoor menukeuze %s. AccountancyAreaDescSubscription=STAP %s : Vastleggen grootboekrekeningen voor abonnementen. Gebruik hiervoor menukeuze %s. -AccountancyAreaDescMisc=STAP %s: Vastleggen standaard grootboekrekeningen voor overige transacties. Gebruik hiervoor menukeuze %s. +AccountancyAreaDescMisc=STAP %s: Definieer verplichte standaardrekeningen en standaard boekhoudrekeningen voor diverse transacties. Gebruik hiervoor het menu-item %s. AccountancyAreaDescLoan=STAP %s: Vastleggen grootboekrekeningen voor salarisbetalingen. Gebruik hiervoor menukeuze %s. AccountancyAreaDescBank=STAP %s: Vastleggen dagboeken en balansrekeningen. Gebruik hiervoor menukeuze %s. AccountancyAreaDescProd=STAP %s: Definieer boekhoudaccounts op uw Producten/Diensten. Gebruik hiervoor het menu-item %s. AccountancyAreaDescBind=STAP %s: Als de koppeling tussen bestaande %s boekingsregels en grootboekrekening is gecontroleerd, kunnen deze in de boekhouding worden weggeschreven met één muis-klik. Vul de eventuele ontbrekende koppelingen aan. Gebruik hiervoor menukeuze %s. AccountancyAreaDescWriteRecords=STAP %s: Wegschrijven transacties in boekhouding. Gebruik hiervoor menukeuze %s en klik op %s. -AccountancyAreaDescAnalyze=STAP %s: Maak boekingen aan of wijzigingen toe en maak rapporten of exportbestanden aan. - -AccountancyAreaDescClosePeriod=STAP %s: Sluit periode af zodat er geen wijzigingen meer kunnen worden aangebracht. +AccountancyAreaDescAnalyze=STAP %s: Lees rapportages of genereer exportbestanden voor andere boekhouders. +AccountancyAreaDescClosePeriod=STAP %s: Sluit de periode zodat we in de toekomst in dezelfde periode geen gegevens meer kunnen overdragen. +TheFiscalPeriodIsNotDefined=Een verplichte stap in het instellen is niet voltooid (boekperiode is niet gedefinieerd) TheJournalCodeIsNotDefinedOnSomeBankAccount=Een verplichte stap in de installatie is niet voltooid (journaal met boekhoudcode niet gedefinieerd voor alle bankrekeningen) Selectchartofaccounts=Selecteer actief rekeningschema +CurrentChartOfAccount=Huidig actief rekeningschema ChangeAndLoad=Wijzigen en inlezen Addanaccount=Nieuwe grootboekrekening AccountAccounting=Grootboekrekening @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Sta toe om een verschillend aantal nullen aan het einde v BANK_DISABLE_DIRECT_INPUT=Rechtstreeks boeken van transactie in bankboek uitzetten ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Schakel concept export van het journaal in ACCOUNTANCY_COMBO_FOR_AUX=Schakel combolijst in voor dochteronderneming-account (kan traag zijn als je veel derden hebt, verbreek de mogelijkheid om op een deel van de waarde te zoeken) -ACCOUNTING_DATE_START_BINDING=Definieer een startdatum voor het koppelen en doorboeken naar de boekhouding. Transacties voor deze datum worden niet doorgeboekt naar de boekhouding. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Wat is de standaard geselecteerde periode bij overdracht van boekhouding? +ACCOUNTING_DATE_START_BINDING=Schakel binding & overdracht uit in de boekhouding wanneer de datum lager is dan deze datum (de transacties vóór deze datum worden standaard uitgesloten) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Op de pagina om gegevens over te zetten naar de boekhouding, wat is de periode die standaard is geselecteerd ACCOUNTING_SELL_JOURNAL=Verkoopjournaal - verkoop en retouren ACCOUNTING_PURCHASE_JOURNAL=Aankoopjournaal - aankoop en retouren @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Social journal ACCOUNTING_RESULT_PROFIT=Resultaat grootboekrekening (winst) ACCOUNTING_RESULT_LOSS=Resultaat grootboekrekening (Verlies) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Afsluiten journaal +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Boekhoudgroepen gebruikt voor de balansrekening (gescheiden door komma's) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Boekhoudgroepen gebruikt voor de winst-en-verliesrekening (gescheiden door komma's) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Rekening (uit het rekeningschema) die moet worden gebruikt als rekening voor tijdelijke bankoverschrijvingen TransitionalAccount=Overgangsrekening @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Raadpleeg hier de lijst met factuurregels van klanten en DescVentilTodoCustomer=Bind factuurregels die nog niet zijn gebonden met een productrekening vanuit het rekeningschema ChangeAccount=Wijzig de product-/dienstrekening (uit rekeningschema) voor de geselecteerde regels met de volgende rekening: Vide=- -DescVentilSupplier=Raadpleeg hier de lijst met leveranciersfactuurregels die al dan niet gebonden zijn aan een productrekening uit het rekeningschema (alleen records die nog niet in de boekhouding zijn overgezet zijn zichtbaar) +DescVentilSupplier=Raadpleeg hier de lijst met Factuur regels van de leverancier die wel of nog niet gebonden zijn aan een productrekening vanuit het rekeningschema (alleen de records die nog niet zijn overgedragen in de boekhouding zijn zichtbaar) DescVentilDoneSupplier=Raadpleeg hier de regels van de leveranciers facturen en hun tegenrekening DescVentilTodoExpenseReport=Koppel kosten-boekregels aan grootboekrekeningen welke nog niet zijn vastgelegd DescVentilExpenseReport=Hier kunt u de lijst raadplegen van kostenregels om te koppelen aan een grootboekrekening (of niet). @@ -298,8 +300,8 @@ DescVentilExpenseReportMore=Als u een account instelt op het type onkostendeclar DescVentilDoneExpenseReport=Hier kunt u de lijst raadplegen van kostenregels met hun tegenrekening Closure=Jaarafsluiting -DescClosure=Raadpleeg hier het aantal bewegingen per maand nog niet gevalideerd & vergrendeld -OverviewOfMovementsNotValidated=Overzicht van bewegingen niet gevalideerd en vergrendeld +AccountancyClosureStep1Desc=Raadpleeg hier het aantal bewegingen per maand die nog niet gevalideerd en vergrendeld zijn +OverviewOfMovementsNotValidated=Overzicht van bewegingen die niet gevalideerd en vergrendeld zijn AllMovementsWereRecordedAsValidated=Alle bewegingen werden geregistreerd als gevalideerd en vergrendeld NotAllMovementsCouldBeRecordedAsValidated=Niet alle bewegingen konden als gevalideerd en vergrendeld worden geregistreerd ValidateMovements=Valideer en vergrendel wijzigingen @@ -321,7 +323,7 @@ ChangeBinding=Wijzig koppeling Accounted=Geboekt in grootboek NotYetAccounted=Nog niet overgezet naar boekhouding ShowTutorial=Handleiding weergeven -NotReconciled=Niet afgestemd +NotReconciled=Niet afgeletterd WarningRecordWithoutSubledgerAreExcluded=Pas op, alle bewerkingen zonder gedefinieerde sub grootboekrekening worden gefilterd en uitgesloten van deze weergave AccountRemovedFromCurrentChartOfAccount=Boekhoudrekening die niet bestaat in het huidige rekeningschema @@ -341,7 +343,7 @@ AccountingJournalType3=Aankopen AccountingJournalType4=Bank AccountingJournalType5=Declaraties AccountingJournalType8=Voorraad -AccountingJournalType9=HAS-nieuw +AccountingJournalType9=Ingehouden inkomsten GenerationOfAccountingEntries=Genereren van boekhoudkundige boekingen ErrorAccountingJournalIsAlreadyUse=Dit dagboek is al in gebruik AccountingAccountForSalesTaxAreDefinedInto=Opmerking: Grootboekrekeningen voor BTW worden vastgelegd in menukeuze %s-%s @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Schakel het koppelen en doorboeken naar ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Schakel het koppelen en doorboeken naar de boekhouding van onkostendeclaraties uit (met onkostendeclaraties wordt geen rekening gehouden in de boekhouding) ACCOUNTING_ENABLE_LETTERING=Schakel de afletteren functie in de boekhouding in ACCOUNTING_ENABLE_LETTERING_DESC=Als deze optie is ingeschakeld, kunt u op elke boeking een code definiëren, zodat u verschillende boekingen kunt groeperen. In het verleden, toen verschillende dagboeken onafhankelijk van elkaar werden beheerd, was deze functie nodig om bewegingslijnen van verschillende dagboeken samen te groeperen. Met Dolibarr accountancy wordt een dergelijke trackingcode, genaamd " %s " echter al automatisch opgeslagen, dus een automatische belettering is al gedaan, zonder risico op fouten, dus deze functie is nutteloos geworden voor algemeen gebruik. Handmatige letterfunctie is beschikbaar voor eindgebruikers die de computermotor die de gegevensoverdracht in de boekhouding uitvoert echt niet vertrouwen. -EnablingThisFeatureIsNotNecessary=Het inschakelen van deze functie is niet meer nodig voor een rigoureus boekhoudkundig beheer. +EnablingThisFeatureIsNotNecessary=Het inschakelen van deze functie is niet langer nodig voor een rigoureus boekhoudbeheer. ACCOUNTING_ENABLE_AUTOLETTERING=Schakel de automatische belettering in bij het overstappen naar de boekhouding -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=De code voor de belettering wordt automatisch gegenereerd en opgehoogd en niet gekozen door de eindgebruiker +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=De code voor de belettering wordt automatisch gegenereerd en opgehoogd en niet door de eindgebruiker gekozen +ACCOUNTING_LETTERING_NBLETTERS=Aantal letters bij het genereren van lettercode (standaard 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Sommige boekhoudsoftware accepteert alleen een code van twee letters. Met deze parameter kunt u dit aspect instellen. Het standaardaantal letters is drie. OptionsAdvanced=Geavanceerde mogelijkheden ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activeer het beheer van btw-verlegging op leveranciersaankopen -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Wanneer deze optie is ingeschakeld, kunt u definiëren dat een leveranciersfactuur of een bepaalde leveranciersfactuur op een andere manier naar de boekhouding moet worden overgeboekt: Er wordt een extra debet- en een kredietlijn gegenereerd in de boekhouding op 2 bepaalde rekeningen vanuit het rekeningschema dat is gedefinieerd in de "%s " instellingenpagina. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Wanneer deze optie is ingeschakeld, kunt u definiëren dat een Leverancier of een bepaalde leverancier Factuur op een andere manier naar de boekhouding moet worden overgezet: Een extra er wordt een debet- en een kredietlimiet gegenereerd in de boekhouding op 2 bepaalde rekeningen uit het rekeningschema dat is gedefinieerd op de instellingenpagina "%s". ## Export NotExportLettering=Exporteer het afletteren niet bij het genereren van het bestand @@ -420,7 +424,7 @@ SaleLocal=Lokale verkoop SaleExport=Verkoop buitenland SaleEEC=Verkoop binnen de EU SaleEECWithVAT=Verkoop binnen de EU met een btw die niet nul is, dus we veronderstellen dat dit GEEN intracommunautaire verkoop is en de voorgestelde grootboekrekening het standaardproductaccount is. -SaleEECWithoutVATNumber=Verkoop in de EEG zonder btw, maar het btw-nummer van de derde partij is niet gedefinieerd. Voor standaardverkopen vallen we terug op de rekening. U kunt indien nodig het btw-nummer van de derde partij corrigeren of het productaccount wijzigen dat wordt voorgesteld om te binden. +SaleEECWithoutVATNumber=Verkoop in de EEG zonder BTW, maar het BTW-nummer van een derde partij is niet gedefinieerd. Wij vallen terug op de rekening voor standaardverkopen. U kunt indien nodig het btw-nummer van de derde partij corrigeren of het voorgestelde productaccount voor binding wijzigen. ForbiddenTransactionAlreadyExported=Niet toegestaan: De transactie is gevalideerd en/of geëxporteerd. ForbiddenTransactionAlreadyValidated=Niet toegestaan: De transactie is gevalideerd. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Geen verzoening gewijzigd AccountancyOneUnletteringModifiedSuccessfully=Eén onafstemming succesvol gewijzigd AccountancyUnletteringModifiedSuccessfully=%s afstemmen succesvol gewijzigd +## Closure +AccountancyClosureStep1=Stap 1: Valideer en vergrendel de bewegingen +AccountancyClosureStep2=Stap 2: Sluit de fiscale periode af +AccountancyClosureStep3=Stap 3: Gegevens extraheren (optioneel) +AccountancyClosureClose=Sluit de fiscale periode af +AccountancyClosureAccountingReversal=Extraheer de vermeldingen 'Ingehouden winsten' en registreer deze +AccountancyClosureStep3NewFiscalPeriod=Volgende fiscale periode +AccountancyClosureGenerateClosureBookkeepingRecords=Genereer posten voor "Ingehouden winsten" voor de volgende boekperiode +AccountancyClosureSeparateAuxiliaryAccounts=Geef bij het genereren van de posten 'Ingehouden winsten' een gedetailleerd overzicht van de subgrootboekrekeningen +AccountancyClosureCloseSuccessfully=De begrotingsperiode is met succes afgesloten +AccountancyClosureInsertAccountingReversalSuccessfully=Boekhoudgegevens voor 'Ingehouden winsten' zijn met succes ingevoegd + ## Confirm box ConfirmMassUnletteringAuto=Bulk automatische afstemming ongedaan maken bevestiging ConfirmMassUnletteringManual=Bulk handmatige afstemming ongedaan maken bevestiging ConfirmMassUnletteringQuestion=Weet u zeker dat u de %s geselecteerde record(s) wilt ontkoppelen? ConfirmMassDeleteBookkeepingWriting=Bevestiging bulk verwijdering ConfirmMassDeleteBookkeepingWritingQuestion=Hiermee wordt de transactie uit de boekhouding verwijderd (alle regelitems die betrekking hebben op dezelfde transactie worden verwijderd). Weet u zeker dat u de %s geselecteerde vermeldingen wilt verwijderen? +AccountancyClosureConfirmClose=Weet u zeker dat u de huidige fiscale periode wilt afsluiten? U begrijpt dat het sluiten van de fiscale periode een onomkeerbare actie is en dat u elke wijziging of verwijdering van invoer gedurende deze periode permanent zult blokkeren . +AccountancyClosureConfirmAccountingReversal=Weet u zeker dat u boekingen voor de "Ingehouden winsten" wilt vastleggen? ## Error SomeMandatoryStepsOfSetupWereNotDone=Sommige verplichte stappen zijn nog niet volledig uitgevoerd. Maak deze alsnog. -ErrorNoAccountingCategoryForThisCountry=Geen rekeningschema beschikbaar voor land %s (zie Home - Setup - Woordenboeken) +ErrorNoAccountingCategoryForThisCountry=Er is geen boekhoudaccountgroep beschikbaar voor het land %s (zie %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=U probeert regels van factuur %s door te boeken, maar er zijn regels die nog niet verbonden zijn aan een grootboekrekening. Het doorboeken is daarom geannuleerd. ErrorInvoiceContainsLinesNotYetBoundedShort=Sommige regels op de factuur zijn niet gekoppeld aan een grootboekrekening. ExportNotSupported=Het ingestelde exportformaat wordt niet ondersteund op deze pagina @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=Het saldo (%s) is niet gelijk aan 0 AccountancyErrorLetteringBookkeeping=Er zijn fouten opgetreden met betrekking tot de transacties: %s ErrorAccountNumberAlreadyExists=Het boekhoudnummer %s bestaat al ErrorArchiveAddFile=Kan het bestand "%s" niet in het archief plaatsen +ErrorNoFiscalPeriodActiveFound=Geen actieve fiscale periode gevonden +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=De datum van het boekhouddocument valt niet binnen de actieve fiscale periode +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=De datum van het boekhouddocument valt binnen een gesloten fiscale periode ## Import ImportAccountingEntries=Boekingen diff --git a/htdocs/langs/nl_NL/admin.lang b/htdocs/langs/nl_NL/admin.lang index 1c1be87ea40..d4c2ec7dd99 100644 --- a/htdocs/langs/nl_NL/admin.lang +++ b/htdocs/langs/nl_NL/admin.lang @@ -52,7 +52,7 @@ WarningModuleNotActive=Module %s dient te worden ingeschakeld WarningOnlyPermissionOfActivatedModules=Hier worden alleen de rechten van geactiveerde modules weergegeven. U kunt andere modules activeren in het menu Home > Instellingen > Modules DolibarrSetup=Installatie of update van Dolibarr DolibarrUpgrade=Dolibarr-upgrade -DolibarrAddonInstall=Installatie van add-on/externe modules (geüpload of gegenereerd) +DolibarrAddonInstall=Installatie van Add-on/externe modules (geüpload of gegenereerd) InternalUsers=Interne gebruikers ExternalUsers=Externe gebruikers UserInterface=Gebruikersomgeving @@ -227,6 +227,8 @@ NotCompatible=Deze module lijkt niet compatibel met uw Dolibarr %s (Min %s - Max CompatibleAfterUpdate=Deze module vereist een update van uw Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=Bekijk in winkel SeeSetupOfModule=Zie setup van module%s +SeeSetupPage=Zie de installatiepagina op %s +SeeReportPage=Zie de rapportpagina op %s SetOptionTo=Stel optie %s in op %s Updated=Bijgewerkt AchatTelechargement=Kopen / Downloaden @@ -292,22 +294,22 @@ EmailSenderProfiles=Verzender e-mails profielen EMailsSenderProfileDesc=U kunt deze sectie leeg houden. Als u hier enkele e-mails invoert, worden deze toegevoegd aan de lijst met mogelijke afzenders in de combobox wanneer u een nieuwe e-mail schrijft. MAIN_MAIL_SMTP_PORT=SMTP / SMTPS-poort (standaard waarde in php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS-host (standaard waarde in php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS-poort (niet gedefinieerd in PHP op Unix-achtige systemen) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (niet gedefinieerd in PHP op Unix-achtige systemen) -MAIN_MAIL_EMAIL_FROM=E-mail afzender voor automatische e-mails (standaardwaarde in php.ini: %s) -EMailHelpMsgSPFDKIM=Om te voorkomen dat Dolibarr-e-mails als spam worden geclassificeerd, moet u ervoor zorgen dat de server is geautoriseerd om e-mails vanaf dit adres te verzenden via SPF- en DKIM-configuratie +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS-poort +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS-host +MAIN_MAIL_EMAIL_FROM=Afzender-e-mail voor automatische e-mails +EMailHelpMsgSPFDKIM=Om te voorkomen dat Dolibarr-e-mails als spam worden geclassificeerd, moet u ervoor zorgen dat de server geautoriseerd is om e-mails onder deze identiteit te verzenden (door de SPF- en DKIM-configuratie van de domeinnaam te controleren) MAIN_MAIL_ERRORS_TO=E-mailadres voor gebruikt foute e-mails (velden 'Fout-Aan' in verzonden e-mails) MAIN_MAIL_AUTOCOPY_TO= Kopieer (BCC) alle verzonden e-mails naar MAIN_DISABLE_ALL_MAILS=Schakel alle e-mailverzending uit (voor testdoeleinden of demo's) MAIN_MAIL_FORCE_SENDTO=Stuur alle e-mails naar (in plaats van echte ontvangers, voor testdoeleinden) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Stel e-mails van werknemers (indien gedefinieerd) voor in de lijst met vooraf gedefinieerde ontvangers bij het schrijven van een nieuwe e-mail -MAIN_MAIL_NO_WITH_TO_SELECTED=Selecteer geen standaardontvanger, ook al is het maar één keuze +MAIN_MAIL_NO_WITH_TO_SELECTED=Selecteer geen standaardontvanger, ook al is er maar één keuze mogelijk MAIN_MAIL_SENDMODE=E-mail verzendmethode MAIN_MAIL_SMTPS_ID=SMTP ID (als het verzenden vanaf de server authenticatie vereist) MAIN_MAIL_SMTPS_PW=SMTP wachtwoord (als het verzenden vanaf de server authenticatie vereist) MAIN_MAIL_EMAIL_TLS=Gebruik TLS (SSL) encryptie MAIN_MAIL_EMAIL_STARTTLS=Gebruik TLS (STARTTLS) -codering -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autoriseer zelfondertekende certificaten +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Zelfondertekende certificaten autoriseren MAIN_MAIL_EMAIL_DKIM_ENABLED=Gebruik DKIM om een e-mail handtekening te genereren MAIN_MAIL_EMAIL_DKIM_DOMAIN=E-maildomein voor gebruik met DKIM MAIN_MAIL_EMAIL_DKIM_SELECTOR=Naam van DKIM selector @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Persoonlijke sleutel voor DKIM ondertekening MAIN_DISABLE_ALL_SMS=Schakel alle sms-verzending uit (voor testdoeleinden of demo's) MAIN_SMS_SENDMODE=Methode te gebruiken om SMS te verzenden MAIN_MAIL_SMS_FROM=Standaard afzender telefoonnummer voor SMS verzending -MAIN_MAIL_DEFAULT_FROMTYPE=Standaard afzender e-mail voor handmatig verzenden (gebruikers e-mail of bedrijf e-mail) +MAIN_MAIL_DEFAULT_FROMTYPE=Standaard e-mailadres afzender vooraf geselecteerd op formulieren om e-mails te verzenden UserEmail=E-mailadres gebruiker CompanyEmail=E-mailadres bedrijf FeatureNotAvailableOnLinux=Functionaliteit niet beschikbaar op Unix-achtige systemen. Test uw lokale 'sendmail' programma. @@ -411,12 +413,13 @@ PDF=PDF PDFDesc=Algemene opties voor het genereren van PDF's PDFOtherDesc=PDF-optie specifiek voor sommige modules PDFAddressForging=Regels voor adres sectie -HideAnyVATInformationOnPDF=Verberg alle informatie met betrekking tot omzetbelasting / Btw -PDFRulesForSalesTax=Regels voor omzet-belasting/Btw +HideAnyVATInformationOnPDF=Verberg alle informatie met betrekking tot omzetbelasting / btw +PDFRulesForSalesTax=Regels voor omzetbelasting/btw PDFLocaltax=Regels voor %s -HideLocalTaxOnPDF=Verberg het %s-tarief in de kolom Verkoopbelasting / Btw +HideLocalTaxOnPDF=Verberg het %s-tarief in de kolom Verkoopbelasting / btw HideDescOnPDF=Verberg productomschrijving HideRefOnPDF=Verberg productreferentie +ShowProductBarcodeOnPDF=Geef het streepjescode-nummer van de producten weer HideDetailsOnPDF=Verberg productdetails PlaceCustomerAddressToIsoLocation=Gebruik de Franse standaardpositie (La Poste) als positie van het klant-adres Library=Bibliotheek @@ -424,9 +427,9 @@ UrlGenerationParameters=Parameters om URL's te beveiligen SecurityTokenIsUnique=Gebruik een unieke secure key parameter voor elke URL EnterRefToBuildUrl=Geef referentie voor object %s GetSecuredUrl=Verkrijg berekende URL -ButtonHideUnauthorized=Verberg ongeautoriseerde actieknoppen ook voor interne gebruikers (anders alleen grijs) -OldVATRates=Oud Btw tarief -NewVATRates=Nieuw Btw tarief +ButtonHideUnauthorized=Ongeautoriseerde actieknoppen ook verbergen voor interne gebruikers (anders alleen grijs weergegeven) +OldVATRates=Oud btw tarief +NewVATRates=Nieuw btw tarief PriceBaseTypeToChange=Wijzig op prijzen waarop een basis referentie waarde gedefinieerd is MassConvert=Start bulk conversie PriceFormatInCurrentLanguage=Prijsindeling in huidige taal @@ -458,11 +461,11 @@ ComputedFormula=Berekend veld ComputedFormulaDesc=U kunt hier een formule invoeren met behulp van andere eigenschappen van een object of een willekeurige PHP-codering om een dynamische berekende waarde te krijgen. U kunt alle PHP-compatibele formules gebruiken, inclusief de "?" condition-operator en het volgende globale object: $db, $conf, $langs, $mysoc, $user, $objectoffield .
      WAARSCHUWING : Als u eigenschappen nodig hebt van een object dat niet is geladen, haalt u het object gewoon in uw formule op, zoals in het tweede voorbeeld.
      Het gebruik van een berekend veld betekent dat u zelf geen waarde kunt invoeren via de interface. Als er een syntaxisfout is, retourneert de formule mogelijk niets.

      Voorbeeld van formule:
      $objectoffield->id < 10 ? round($objectoffield-> id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2 )

      Voorbeeld om object opnieuw te laden
      (($reloadedobj = nieuwe Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $ opnieuw geladen obj ->hoofdletter / 5: '-1')

      Ander voorbeeld van een formule om het laden van een object en het bovenliggende object te forceren:
      (($reloadedobj = nieuwe taak($db)) && ($reloadedobj->fetchNoCompute($objectoffield ->id) > 0) && ($secondloadedobj = nieuw project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) $secondloadedobj->ref: 'Ouderproject niet gevonden' Computedpersistent=Berekend veld opslaan ComputedpersistentDesc=Berekende extra velden worden opgeslagen in de database, maar de waarde wordt alleen opnieuw berekend als het object van dit veld wordt gewijzigd. Als het berekende veld afhankelijk is van andere objecten of algemene gegevens, kan deze waarde onjuist zijn !! -ExtrafieldParamHelpPassword=Dit veld leeg laten betekent dat deze waarde zonder codering wordt opgeslagen (veld mag alleen worden verborgen met een ster op het scherm).
      Stel 'auto' in om de standaard coderingsregel te gebruiken om het wachtwoord in de database op te slaan (waarde lezen is dan alleen de hash, geen manier om de oorspronkelijke waarde op te halen) +ExtrafieldParamHelpPassword=Als u dit veld leeg laat, betekent dit dat deze waarde ZONDER codering wordt opgeslagen (het veld is alleen verborgen met sterren op het scherm).

      Enter waarde 'dolcrypt' om waarde te coderen met een omkeerbaar coderingsalgoritme. Duidelijke gegevens kunnen nog steeds bekend en bewerkt worden, maar worden gecodeerd in de database.

      Voer 'auto' in (of 'md5', 'sha256', 'password_hash', ...) om het standaard wachtwoordversleutelingsalgoritme (of md5, sha256, wachtwoord_hash...) te gebruiken om het niet-omkeerbare gehashte wachtwoord in de database op te slaan (geen manier om de oorspronkelijke waarde op te halen) ExtrafieldParamHelpselect=Lijst met waarden moeten regels zijn met opmaaksleutel, waarde (waar sleutel niet '0' kan zijn)

      bijvoorbeeld:
      1, waarde1
      2, value2
      code3, waarde3
      ...

      Om de lijst afhankelijk van een andere aanvullende attributenlijst te krijgen:
      1, waarde1 | options_ parent_list_code : parent_key
      2, value2 | options_ parent_list_code : parent_key

      Om de lijst afhankelijk van een andere lijst te krijgen:
      1, waarde1 | parent_list_code : parent_key
      2, waarde2 | parent_list_code : parent_key ExtrafieldParamHelpcheckbox=Lijst met waarden moeten regels zijn met opmaaksleutel, waarde (waar sleutel niet '0' kan zijn)

      bijvoorbeeld:
      1, waarde1
      2, value2
      3, waarde3
      ... ExtrafieldParamHelpradio=Lijst met waarden moeten regels zijn met opmaaksleutel, waarde (waar sleutel niet '0' kan zijn)

      bijvoorbeeld:
      1, waarde1
      2, value2
      3, waarde3
      ... -ExtrafieldParamHelpsellist=Lijst met waarden komt uit een tabel
      Syntaxis: table_name:label_field:id_field::filtersql
      Voorbeeld: c_typent:libelle:id::filtersql

      - id sarly19 a primary is int neces Het kan een eenvoudige test zijn (bijv. active=1) om alleen de actieve waarde
      weer te geven. U kunt ook $ID$ gebruiken in het filter, wat de huidige id is van het huidige object
      Om een SELECT in het filter te gebruiken, gebruikt u het trefwoord $SEL$ om bypass anti-injectie bescherming.
      als u op extravelden wilt filteren, gebruik dan de syntaxis extra.fieldcode=... (waarbij veldcode de code van extrafield is)

      Om de lijst te laten afhangen van een andere complementaire attributenlijst:
      c_typent:libelle_:id:options_ parent_list_code |parent_column:filter

      Om ervoor te zorgen dat de lijst afhankelijk is van een andere lijst:
      c_typent:libelle_id: a049271e8364_parent | +ExtrafieldParamHelpsellist=Lijst met waarden komt uit een tabel
      Syntaxis: table_name:label_field:id_field::filtersql
      Voorbeeld: c_typent:libelle:id ::filtersql

      - id_field is noodzakelijkerwijs een primaire int-sleutel
      - filtersql is een SQL-voorwaarde. Het kan een eenvoudige test zijn (bijvoorbeeld active=1) om alleen de actieve waarde weer te geven
      Je kunt ook $ID$ gebruiken in het filter, wat de huidige ID is van het huidige object
      Om een SELECT in het filter te gebruiken, gebruikt u het trefwoord $SEL$ om de anti-injectiebescherming te omzeilen.
      als u op extra velden wilt filteren gebruik syntaxis extra.fieldcode=... (waarbij veldcode de code van extrafield is)

      In Bestelling om de lijst afhankelijk te maken van een andere complementaire attributenlijst:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In Bestelling om de lijst afhankelijk te maken van een andere lijst:
      c_typent:libelle:id: span>parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Lijst met waarden komt uit een tabel
      Syntaxis: table_name:label_field:id_field::filtersql
      Voorbeeld: c_typent:libelle:id::filtersql


      filter kan een eenvoudige actieve waarde zijn kan ook $ID$ in filter gebruiken, wat de huidige id van huidig object is
      Om een SELECT in filter uit te voeren, gebruik $SEL$
      als u op extravelden wilt filteren, gebruik dan de syntaxis extra.fieldcode=... (waarbij veldcode de code of extrafield)

      Om de lijst te laten afhangen van een andere complementaire attributenlijst:
      c_typent:libelle:id:options_ parent_list_code | libelle:id: parent_list_code |parent_column:filter ExtrafieldParamHelplink=Parameters moeten Objectnaam: Classpath
      Syntax: ObjectName:Classpath ExtrafieldParamHelpSeparator=Blijf leeg voor een eenvoudig scheidingsteken
      Stel dit in op 1 voor een samenvouwend scheidingsteken (standaard geopend voor nieuwe sessie, dan wordt de status behouden voor elke gebruikerssessie)
      Stel dit in op 2 voor een samenvouwend scheidingsteken (standaard samengevouwen voor nieuwe sessie, dan wordt de status behouden voor elke gebruikerssessie) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Geef een telefoonnummer om de ClickToDial link te testen v RefreshPhoneLink=Refresh link LinkToTest=Klikbare link gegenereerd voor gebruiker% s (klik telefoonnummer om te testen) KeepEmptyToUseDefault=Laat leeg om standaardwaarde te gebruiken -KeepThisEmptyInMostCases=In de meeste gevallen kunt u dit veld leeglaten. +KeepThisEmptyInMostCases=In de meeste gevallen kunt u dit veld leeg laten. DefaultLink=Standaard link SetAsDefault=Gebruik standaard ValueOverwrittenByUserSetup=Waarschuwing, deze waarde kan worden overschreven door de gebruiker specifieke setup (elke gebruiker kan zijn eigen ClickToDial url ingestellen) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Dit is de naam van het HTML-veld. Technische kennis i PageUrlForDefaultValues=U moet het relatieve pad van de pagina-URL invoeren. Als u parameters in de URL opneemt, is het effectief als alle parameters in de gebladerde URL de hier gedefinieerde waarde hebben. PageUrlForDefaultValuesCreate=
      Voorbeeld:
      Voor het formulier om een nieuwe relatie, is het %s.
      Voor de URL van externe modules die in de aangepaste map zijn geïnstalleerd, moet u de "custom /" niet opnemen, dus gebruik een pad zoals mymodule / mypage.php en niet custom / mymodule / mypage.php.
      Als u standaardwaarde alleen als url heeft enkele parameter wilt, kunt u gebruik maken van %s PageUrlForDefaultValuesList=
      Voorbeeld:
      Voor de pagina met een lijst van relaties, is dit %s .
      Voor de URL van externe modules die in de aangepaste map zijn geïnstalleerd, moet u de "custom /" niet opnemen, dus gebruik een pad zoals mymodule / mypagelist.php en niet custom / mymodule / mypagelist.php.
      Als u standaardwaarde alleen als url heeft enkele parameter wilt, kunt u gebruik maken van %s -AlsoDefaultValuesAreEffectiveForActionCreate=Merk ook op dat het overschrijven van standaardwaarden voor het maken van formulieren alleen werkt voor pagina's die correct zijn ontworpen (dus met parameteractie = maken of aanpassen ...) +AlsoDefaultValuesAreEffectiveForActionCreate=Houd er ook rekening mee dat het overschrijven van standaardwaarden voor het maken van formulieren alleen werkt voor pagina's die correct zijn ontworpen (dus met parameter action=create of presend...) EnableDefaultValues=Aanpassing van standaardwaarden inschakelen EnableOverwriteTranslation=Sta aanpassing van vertalingen toe GoIntoTranslationMenuToChangeThis=Er is een vertaling gevonden voor de sleutel met deze code. Om deze waarde te wijzigen, moet u deze bewerken vanuit Home-Setup-vertaling. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=De generieke privé-directory is een WebDAV-directo DAV_ALLOW_PUBLIC_DIR=Schakel de generieke openbare map in (speciale WebDAV-map met de naam "public" - geen aanmelding vereist) DAV_ALLOW_PUBLIC_DIRTooltip=De generieke openbare map is een WebDAV-map waartoe iedereen toegang heeft (in lees- en schrijfmodus), zonder autorisatie (login / wachtwoord-account). DAV_ALLOW_ECM_DIR=Schakel de DMS / ECM-privédirectory in (hoofddirectory van de DMS / ECM-module - aanmelding vereist) -DAV_ALLOW_ECM_DIRTooltip=De hoofdmap waarin alle bestanden handmatig worden geüpload bij gebruik van de DMS / ECM-module. Op dezelfde manier als toegang via de webinterface, hebt u een geldige login / wachtwoord met voldoende machtigingen nodig om toegang te krijgen. +DAV_ALLOW_ECM_DIRTooltip=De hoofdmap waar alle bestanden handmatig worden geüpload bij gebruik van de DMS/ECM-module. Net als bij toegang via de webinterface heeft u een geldige gebruikersnaam/wachtwoord met voldoende machtigingen nodig om er toegang toe te krijgen. ##### Modules ##### Module0Name=Gebruikers & groepen Module0Desc=Groepenbeheer gebruikers/werknemers @@ -566,7 +569,7 @@ Module40Desc=Leveranciers en inkoopbeheer (inkooporders en facturering van lever Module42Name=Debug logs Module42Desc=Mogelijkheden voor een log (file,syslog, ...). Deze log-files zijn voor technische/debug ondersteuning. Module43Name=Foutopsporingsbalk -Module43Desc=Een hulpmiddel voor ontwikkelaars die een foutopsporingsbalk in uw browser toevoegen. +Module43Desc=Een hulpmiddel voor ontwikkelaars, waarbij een foutopsporingsbalk in uw browser wordt toegevoegd. Module49Name=Editors Module49Desc=Editorbeheer Module50Name=Producten @@ -582,7 +585,7 @@ Module54Desc=Beheer van contracten (diensten of terugkerende abonnementen) Module55Name=Streepjescodes Module55Desc=Beheer van Bar- of QR-codes Module56Name=Betaling via overschrijving -Module56Desc=Beheer van de betaling van leveranciers door middel van overboekingsopdrachten. Het omvat het genereren van SEPA-bestanden voor Europese landen. +Module56Desc=Beheer van de betaling van Leveranciers of salarissen via overboekingsopdrachten. Het omvat het genereren van een SEPA-bestand voor Europese landen. Module57Name=Betalingen via automatische incasso Module57Desc=Beheer van incasso-opdrachten. Het omvat het genereren van SEPA-bestanden voor Europese landen. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Verzend e-mailmeldingen geactiveerd door een bedrijfsgebeurtenis: Module600Long=Merk op dat deze module e-mails in realtime verzendt wanneer er een specifiek bedrijfsevenement plaatsvindt. Als u op zoek bent naar een functie om e-mailherinneringen voor agenda-evenementen te verzenden, gaat u naar de configuratie van module Agenda. Module610Name=Productvarianten Module610Desc=Aanmaken van productvarianten (kleur, maat etc.) +Module650Name=Stuklijsten (BOM) +Module650Desc=Module om uw stuklijsten (BOM) te definiëren. Kan gebruikt worden voor Manufacturing Resource Planning door de module Manufacturing Orders (MO) +Module660Name=Planning van productiemiddelen (MRP) +Module660Desc=Module voor het beheren van productieorders (MO) Module700Name=Giften Module700Desc=Donatiebeheer Module770Name=Onkostendeclaraties @@ -650,8 +657,8 @@ Module2300Name=Geplande taken Module2300Desc=Taakplanning (ook wel cron of chrono tabel) Module2400Name=Gebeurtenissen/Agenda Module2400Desc=Volgen van gebeurtenissen. Registreer automatische gebeurtenissen voor vastleggingen of neem handmatige gebeurtenissen of vergaderingen op. Dit is de belangrijkste module voor goed klant- of leveranciersrelatiebeheer. -Module2430Name=Online boekingskalender -Module2430Desc=Zorg voor een online agenda zodat iedereen afspraken kan boeken, volgens vooraf gedefinieerde bereiken of beschikbaarheid. +Module2430Name=Online afspraken plannen +Module2430Desc=Biedt een online afspraakboekingssysteem. Hierdoor kan iedereen een afspraak boeken, volgens vooraf gedefinieerde bereiken of beschikbaarheid. Module2500Name=DMS / ECM Module2500Desc=Document Management System / Electronic Content Management. Geautomatiseerde organisatie van gemaakte en opgeslagen documenten. Deel deze indien gewenst. Module2600Name=API / webservices (SOAP-server) @@ -672,7 +679,7 @@ Module3300Desc=Een RAD (Rapid Application Development - low-code en no-code) too Module3400Name=Sociale netwerken Module3400Desc=Schakel Social Network-velden in voor derden en adressen (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Human resources management (afdelingsbeheer, werknemerscontracten en sentiment) +Module4000Desc=Personeelsbeheer (afdelingsbeheer, werknemerscontracten, vaardigheidsbeheer en sollicitatiegesprekken) Module5000Name=Multi-bedrijf Module5000Desc=Hiermee kunt meerdere bedrijven beheren in Dolibarr Module6000Name=Workflow tussen modules @@ -712,6 +719,8 @@ Module63000Desc=Beheer middelen (printers, auto's, kamers, ...) voor toewijz Module66000Name=OAuth2 token management Module66000Desc=Bied een tool om OAuth2-tokens te genereren en te beheren. Het token kan dan door een aantal andere modules worden gebruikt. Module94160Name=Ontvangsten +ModuleBookCalName=Boekingskalendersysteem +ModuleBookCalDesc=Beheer een agenda om afspraken te boeken ##### Permissions ##### Permission11=Facturen (en betalingen) van klanten lezen Permission12=Creëer / wijzigen afnemersfacturen @@ -760,9 +769,9 @@ Permission86=Verzend afnemersopdrachten Permission87=Sluit afnemersopdrachten Permission88=Annuleer afnemersopdrachten Permission89=Verwijder afnemersopdrachten -Permission91=Lees sociale of fiscale belastingen en BTW -Permission92=Aanmaken/wijzigen van sociale of fiscale belastingen en BTW -Permission93=Verwijderen van sociale of fiscale belastingen en BTW +Permission91=Lees sociale of fiscale belastingen en btw +Permission92=Aanmaken/wijzigen van sociale of fiscale belastingen en btw +Permission93=Verwijderen van sociale of fiscale belastingen en btw Permission94=Exporteer sociale of fiscale belastingen Permission95=Bekijk de rapporten Permission101=Bekijk verzendingen @@ -996,7 +1005,7 @@ Permission4031=Persoonlijke informatie lezen Permission4032=Schrijf persoonlijke informatie Permission4033=Lees alle evaluaties (zelfs die van gebruikers die niet ondergeschikt zijn) Permission10001=Lees website-inhoud -Permission10002=Website-inhoud maken / wijzigen (HTML- en JavaScript-inhoud) +Permission10002=Website-inhoud maken/wijzigen (html- en JavaScript-inhoud) Permission10003=Creëer / wijzig website-inhoud (dynamische php-code). Gevaarlijk, moet worden voorbehouden aan beperkte ontwikkelaars. Permission10005=Verwijder website-inhoud Permission20001=Lees verlofaanvragen (uw verlof en die van uw ondergeschikten) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Onkostenoverzicht - bereik per transportcategorie DictionaryTransportMode=Intracomm rapport - Transportmodus DictionaryBatchStatus=Status product partij/serie kwaliteitscontrole DictionaryAssetDisposalType=Type vervreemding van activa +DictionaryInvoiceSubtype=Factuur subtypen TypeOfUnit=Type eenheid SetupSaved=Instellingen opgeslagen SetupNotSaved=Installatie niet opgeslagen @@ -1109,10 +1119,11 @@ BackToModuleList=Terug naar modulelijst BackToDictionaryList=Terug naar woordenboekenlijst TypeOfRevenueStamp=Soort belastingstempel VATManagement=Omzetbelastingbeheer -VATIsUsedDesc=Het standaard BTW-tarief bij het aanmaken van prospecten, facturen, orders etc volgt de actieve standaard regel:
      Als de verkoper onderworpen is aan BTW, dan wordt BTW standaard op 0 gezet. Einde van de regel.
      Als het 'land van de verkoper' = 'het land van de koper' dan wordt de BTW standaard ingesteld op de BTW van het product in het verkopende land. Einde van de regel.
      Als verkoper en koper zich in de Europese Gemeenschap bevinden en het betreft een nieuw vervoersmiddel (auto, boot, vliegtuig), dan wordt de BTW standaard ingesteld op 0 (De BTW moet worden betaald door koper in het grenskantoor van zijn land en niet door de verkoper). Einde van de regel.
      Als verkoper en koper zich in de Europese Unie bevinden en de koper is een persoon of bedrijf zonder BTW-registratienummer = BTW-standaard van het verkochte product. Einde van de regel.
      Als verkoper en koper zich in de Europese Gemeenschap bevinden en de koper geen bedrijf is, dan wordt de BTW standaard ingesteld op de BTW van het verkochte product. Einde van de regel

      In alle andere gevallen wordt de BTW standaard ingesteld op 0. Einde van de regel.
      -VATIsNotUsedDesc=Standaard is de voorgestelde BTW 0. Dit kan gebruikt worden in situaties zoals verenigingen, particulieren of kleine bedrijven. +VATIsUsedDesc=Standaard volgt bij het aanmaken van prospects, Facturen, bestellingen etc. het verkooppercentage belasting de actieve standaardregel:
      Als de verkoper niet onderworpen is aan Sales belasting, dan wordt Sales belasting standaard ingesteld op 0. Einde van de regel.
      Als (land van de verkoper = land van de koper), dan is de Verkoop belasting standaard gelijk aan de Verkoop belasting van het product in het land van de verkoper. Einde van de regel.
      Als de verkoper en de koper zich beide in de Europese Gemeenschap bevinden en de goederen transportgerelateerde producten zijn (vervoer, verzending, luchtvaartmaatschappij), is de standaard BTW 0. Dit regel is afhankelijk van het land van de verkoper - raadpleeg uw accountant. De BTW moet door de koper worden betaald aan het douanekantoor in zijn land en niet aan de verkoper. Einde van de regel.
      Als de verkoper en de koper zich beide in de Europese Gemeenschap bevinden en de koper geen bedrijf is (met een geregistreerd intracommunautair BTW-nummer), dan wordt de BTW standaard ingesteld op het BTW-tarief van het land van de verkoper. Einde van de regel.
      Als de verkoper en de koper zich beide in de Europese Gemeenschap bevinden en de koper een bedrijf is (met een geregistreerd intracommunautair BTW-nummer), dan is de BTW standaard 0. Einde van de regel.
      In elk ander geval is de voorgestelde standaard Verkoop belasting=0. Einde van de heerschappij. +VATIsNotUsedDesc=Standaard is de voorgestelde btw 0. Dit kan gebruikt worden in situaties zoals verenigingen, particulieren of kleine bedrijven. VATIsUsedExampleFR=In Frankrijk betekent dit dat bedrijven of organisaties een echt fiscaal systeem hebben (Vereenvoudigd echt of normaal echt). Een systeem waarin btw wordt aangegeven. VATIsNotUsedExampleFR=In Frankrijk betekent dit verenigingen die niet-omzetbelasting zijn aangegeven of bedrijven, organisaties of vrije beroepen die hebben gekozen voor het micro-onderneming fiscale systeem (omzetbelasting in franchise) en een franchise omzetbelasting hebben betaald zonder aangifte omzetbelasting. Bij deze keuze wordt de verwijzing "Niet van toepassing omzetbelasting - art-293B van CGI" op facturen weergegeven. +VATType=BTW soort ##### Local Taxes ##### TypeOfSaleTaxes=Soort omzetbelasting LTRate=Tarief @@ -1399,8 +1410,8 @@ PHPModuleLoaded=PHP component %s is geladen PreloadOPCode=Voorgeladen OPCode wordt gebruikt AddRefInList=Weergave klant/verkoper ref. in combolijsten.
      Derden verschijnen met de naam "CC12345 - SC45678 - The Big Company corp." in plaats van "The Big Company corp". AddVatInList=Geef het btw-nummer van de klant/leverancier weer in combolijsten. -AddAdressInList=Geef het adres van de klant/leverancier weer in combolijsten.
      Derden zullen verschijnen met de naam "The Big Company corp. - 21 jump street 123456 Big Town - USA" in plaats van "The Big Company corp". -AddEmailPhoneTownInContactList=E-mailadres van contactpersoon (of telefoons indien niet gedefinieerd) en stadsinfo-lijst (selecteer lijst of combobox) weergeven
      Contacten worden weergegeven met de naamindeling "Dupond Durand - dupond.durand@email.com - Parijs" of "Dupond Durand - 06 07 59 65 66 - Paris "in plaats van" Dupond Durand ". +AddAdressInList=Geef Klant/leveranciersadres weer in combolijsten.
      Derde partijen worden weergegeven met de naamnotatie 'The Big bedrijf corp. - 21 jump street 123456 Big town - VS" in plaats van "The Big bedrijf corp". +AddEmailPhoneTownInContactList=E-mailadres van contactpersoon (of telefoonnummer indien niet gedefinieerd) en lijst met stadsinfo weergeven (selecteer lijst of combobox)
      Contacten worden weergegeven met de naamnotatie 'Dupond Durand - dupond.durand@example .com - Parijs" of "Dupond Durand - 06 07 59 65 66 - Parijs" in plaats van "Dupond Durand". AskForPreferredShippingMethod=Vraag de gewenste verzendmethode voor derden. FieldEdition=Wijziging van het veld %s FillThisOnlyIfRequired=Voorbeeld: +2 (alleen invullen als tijdzone offset problemen worden ervaren) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=De link "Wachtwoord vergeten" nie UsersSetup=Gebruikersmoduleinstellingen UserMailRequired=E-mail vereist om een nieuwe gebruiker te maken UserHideInactive=Verberg inactieve gebruikers uit alle combinatielijsten van gebruikers (niet aanbevolen: dit kan betekenen dat u op sommige pagina's niet kunt filteren of zoeken op oude gebruikers) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Documentsjablonen voor documenten die zijn gegenereerd op basis van een gebruikersrecord GroupsDocModules=Documentsjablonen voor documenten die zijn gegenereerd op basis van een groepsrecord ##### HRM setup ##### @@ -1509,8 +1522,8 @@ WatermarkOnDraftContractCards=Watermerk op voorlopige contracten (leeg=geen) MembersSetup=Ledenmoduleinstellingen MemberMainOptions=Hoofdopties MemberCodeChecker=Opties voor het automatisch genereren van lidcodes -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +AdherentLoginRequired=Beheer een login/wachtwoord voor elk lid +AdherentLoginRequiredDesc=Voeg een waarde voor een login en een wachtwoord toe aan het ledenbestand. Als het lid aan een gebruiker is gekoppeld, worden bij het bijwerken van de gebruikersnaam en het wachtwoord van de gebruiker ook de gebruikersnaam en het wachtwoord van de gebruiker bijgewerkt. AdherentMailRequired=E-mail vereist om een nieuw lid te maken MemberSendInformationByMailByDefault=Vinkvakje om een bevestigingse-mail te sturen naar leden (validatie van nieuwe abonnementen). Staat standaard aan. MemberCreateAnExternalUserForSubscriptionValidated=Maak een externe gebruikerslogin aan voor elk gevalideerd nieuw lidmaatschap @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Voorbeeld: gidnummer LDAPFieldUserid=Gebruikersnaam LDAPFieldUseridExample=Voorbeeld: uidnummer LDAPFieldHomedirectory=Hoofddirectory -LDAPFieldHomedirectoryExample=Voorbeeld: homedirectory +LDAPFieldHomedirectoryExample=Voorbeeld: thuismap LDAPFieldHomedirectoryprefix=Voorvoegsel startmap LDAPSetupNotComplete=LDAP instellingen niet compleet (ga naar de andere tabbladen) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Geen beheerder of wachtwoord opgegeven. LDAP toegang zal anoniem zijn en in alleen-lezen modus. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Module in memcache voor applicatieve cache g MemcachedAvailableAndSetup=Module memcached gewijd aan het gebruik van memcached server is ingeschakeld. OPCodeCache=OPCode cache NoOPCodeCacheFound=Geen OPCode-cache gevonden. Misschien gebruikt u een andere OPCode-cache dan XCache of eAccelerator (goed), of misschien heeft u geen OPCode-cache (erg slecht). -HTTPCacheStaticResources=HTTP-cache voor statische bronnen (css, img, javascript) +HTTPCacheStaticResources=HTTP-cache voor statische bronnen (css, img, JavaScript) FilesOfTypeCached=Bestandtype %s wordt gecached door de HTTP server FilesOfTypeNotCached=Bestanden van het type %s, worden niet bewaard door de HTTP server FilesOfTypeCompressed=Bestanden van het type %s , worden gecomprimeerd door de HTTP server @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Vrije tekst op ontvangstbevestigingen ##### FCKeditor ##### AdvancedEditor=Geavanceerde editor ActivateFCKeditor=Activeer FCKeditor voor: -FCKeditorForNotePublic=WYSIWIG creatie/editie van het veld "openbare notities" van elementen -FCKeditorForNotePrivate=WYSIWIG creatie/editie van het veld "private notes" van elementen -FCKeditorForCompany=WYSIWIG creatie/editie van de veldbeschrijving van elementen (behalve producten/diensten) -FCKeditorForProductDetails=WYSIWIG creatie/editie van productbeschrijving of lijnen voor objecten (lijnen met voorstellen, bestellingen, facturen, enz...). +FCKeditorForNotePublic=WYSIWYG creatie/editie van het veld "openbare notities" van elementen +FCKeditorForNotePrivate=WYSIWYG creatie/editie van het veld "privénotities" van elementen +FCKeditorForCompany=WYSIWYG creatie/editie van de veldbeschrijving van elementen (behalve producten/diensten) +FCKeditorForProductDetails=WYSIWYG creatie/editie van productbeschrijvingen of regels voor objecten (regels met voorstellen, bestellingen, Facturen, enz...). FCKeditorForProductDetails2=Waarschuwing: het gebruik van deze optie wordt in dit geval serieus afgeraden, omdat dit problemen kan veroorzaken met speciale tekens en paginaopmaak bij het samenstellen van PDF-bestanden. -FCKeditorForMailing= WYSIWIG creatie / bewerking van mailings -FCKeditorForUserSignature=WYSIWIG creatie /aanpassing van ondertekening -FCKeditorForMail=WYSIWIG creatie / bewerking voor alle e-mail (behalve Gereedschap-> E-mailing) -FCKeditorForTicket=WYSIWIG creatie / editie voor tickets +FCKeditorForMailing= WYSIWYG creatie/editie voor massale e-mailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creatie/editie van gebruikershandtekening +FCKeditorForMail=WYSIWYG creatie/editie voor alle e-mail (behalve Tools->eMailing) +FCKeditorForTicket=WYSIWYG creatie/editie voor tickets ##### Stock ##### StockSetup=Voorraad-module instellen IfYouUsePointOfSaleCheckModule=Als u de POS-module (POS) die standaard wordt aangeboden of een externe module gebruikt, kan deze configuratie door uw POS-module worden genegeerd. De meeste POS-modules zijn standaard ontworpen om direct een factuur te maken en de voorraad te verminderen, ongeacht de opties hier. Dus als u al dan niet een voorraadvermindering moet hebben bij het registreren van een verkoop vanuit uw POS, controleer dan ook de instellingen van uw POS-module. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Gepersonaliseerde menu's niet gekoppeld aan een h NewMenu=Nieuw menu MenuHandler=Menuverwerker MenuModule=Bronmodule -HideUnauthorizedMenu=Verberg ongeautoriseerde menu's ook voor interne gebruikers (anders alleen grijs) +HideUnauthorizedMenu=Verberg ongeautoriseerde menu's ook voor interne gebruikers (anders alleen grijs weergegeven) DetailId=Menu ID DetailMenuHandler=Menuverwerker waar het nieuwe menu getoond moet worden DetailMenuModule=Modulenaam als menu-item van een module afkomstig is @@ -1802,7 +1815,7 @@ DetailType=Menutype (boven of links (Top of Left)TODO) DetailTitre=Menulabel of labelcode voor de vertaling DetailUrl=URL waar het menu u naartoe stuurt (relatieve URL-link of externe link met https://) DetailEnabled=Voorwaarde voor het wel of niet tonen van het menu-item -DetailRight=Voorwaarde om onbevoegde grijze menu's weer te geven +DetailRight=Voorwaarde voor het weergeven van niet-geautoriseerde grijze menu's DetailLangs=.lang bestandsnaam voor labelcodevertaling DetailUser=Intern / Extern / Alle Target=Doel @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Te gebruiken rekening voor ontvangst van contacte bet CashDeskBankAccountForCheque=Standaardrekening die moet worden gebruikt om betalingen per cheque te boeken CashDeskBankAccountForCB=Te gebruiken rekening voor ontvangst van betalingen per CreditCard CashDeskBankAccountForSumup=Standaard bankrekening die moet worden gebruikt om betalingen van SumUp te ontvangen -CashDeskDoNotDecreaseStock=Schakel voorraadafname uit wanneer een verkoop wordt gedaan vanuit Verkooppunt (indien "nee", wordt voorraadafname gedaan voor elke verkoop gedaan vanuit POS, ongeacht de optie ingesteld in module Voorraad). +CashDeskDoNotDecreaseStock=Schakel voorraad verlaging uit wanneer er een verkoop wordt gedaan vanuit een verkooppunt +CashDeskDoNotDecreaseStockHelp=Als 'nee', wordt voorraad een verlaging toegepast voor elke verkoop via POS, ongeacht de optie die is ingesteld in module voorraad. CashDeskIdWareHouse=Kies magazijn te gebruiken voor voorraad daling StockDecreaseForPointOfSaleDisabled=Voorraadafname vanaf verkooppunt uitgeschakeld StockDecreaseForPointOfSaleDisabledbyBatch=Voorraadafname in POS is niet compatibel met module Serieel / Lotbeheer (momenteel actief), dus voorraadafname is uitgeschakeld. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Markeer tabellijnen wanneer u er met de muis overheen HighlightLinesColor=Markeer de kleur van de lijn wanneer de muis overgaat (gebruik 'ffffff' voor geen hoogtepunt) HighlightLinesChecked=Markeer de kleur van de lijn wanneer deze is aangevinkt (gebruik 'ffffff' voor geen hoogtepunt) UseBorderOnTable=Links-rechts randen op tabellen weergeven +TableLineHeight=Hoogte tafellijn BtnActionColor=Kleur van de actieknop TextBtnActionColor=Tekstkleur van de actieknop TextTitleColor=Tekstkleur van paginatitel @@ -1991,9 +2006,9 @@ EnterAnyCode=Dit veld bevat een verwijzing om de lijn te identificeren. Voer een Enter0or1=Voer 0 of 1 in UnicodeCurrency=Voer hier tussen accolades in, lijst met byte-nummers die het valutasymbool vertegenwoordigen. Bijvoorbeeld: voer voor $ [36] in - voor Brazilië real R $ [82,36] - voer voor € [8364] in ColorFormat=De RGB-kleur heeft het HEX-formaat, bijvoorbeeld: FF0000 -PictoHelp=Pictogramnaam in formaat:
      - image.png voor een afbeeldingsbestand in de huidige themamap
      - image.png@module als bestand in de map /img/ van een module staat
      - fa-xxx voor een FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size voor een FontAwesome fa-xxx picto (met prefix, kleur en maatset) +PictoHelp=Pictogramnaam in formaat:
      - image.png voor een afbeeldingsbestand in de huidige themamap
      - image.png@module als het bestand zich in de map /img/ van een module bevindt
      - fa-xxx voor een FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size voor een FontAwesome fa-xxx picto (met voorvoegsel, kleur en grootte ingesteld) PositionIntoComboList=Positie van regel in combolijst -SellTaxRate=BTW tarief +SellTaxRate=Btw tarief RecuperableOnly=Ja voor BTW "Niet waargemaakt maar herstelbaar", bestemd voor een deelstaat in Frankrijk. Houd in alle andere gevallen de waarde "Nee" aan. UrlTrackingDesc=Als de aanbieder of transportservice een pagina of website aanbiedt om de status van uw zendingen te controleren, kunt u deze hier invoeren. U kunt de sleutel {TRACKID} gebruiken in de URL-parameters, zodat het systeem deze vervangt door het trackingnummer dat de gebruiker op de verzendkaart heeft ingevoerd. OpportunityPercent=Wanneer u een lead aanmaakt, definieert u een geschatte hoeveelheid project / lead. Afhankelijk van de status van de lead kan dit bedrag worden vermenigvuldigd met dit tarief om een totaalbedrag te evalueren dat al uw leads kunnen genereren. Waarde is een percentage (tussen 0 en 100). @@ -2077,12 +2092,12 @@ MAIN_DOCUMENTS_LOGO_HEIGHT=Hoogte voor logo op PDF DOC_SHOW_FIRST_SALES_REP=Toon eerste vertegenwoordiger MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Kolom toevoegen voor afbeelding op voorstelregels MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Breedte van de kolom als een afbeelding op lijnen is toegevoegd -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Verberg de eenheidsprijskolom op offerteaanvragen +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Verberg de totaalprijskolom op offerteaanvragen +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Verberg de eenheidsprijskolom op inkooporders +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Verberg de kolom met de totale prijs op inkooporders MAIN_PDF_NO_SENDER_FRAME=Verberg randen op frame van afzenderadres -MAIN_PDF_NO_RECIPENT_FRAME=Verberg randen op receptnt adresframe +MAIN_PDF_NO_RECIPENT_FRAME=Randen in het adresframe van de ontvanger verbergen MAIN_PDF_HIDE_CUSTOMER_CODE=Klantcode verbergen MAIN_PDF_HIDE_SENDER_NAME=Verberg afzender/bedrijfsnaam in adresblok PROPOSAL_PDF_HIDE_PAYMENTTERM=Betalingsvoorwaarden verbergen @@ -2118,7 +2133,7 @@ EMailHost=Host van e-mail IMAP-server EMailHostPort=Poort van e-mail IMAP-server loginPassword=Login wachtwoord oauthToken=OAuth2-token -accessType=Toegangstype: +accessType=Toegangstype oauthService=Oauth-service TokenMustHaveBeenCreated=Module OAuth2 moet zijn ingeschakeld en er moet een OAuth2-token zijn gemaakt met de juiste machtigingen (bijvoorbeeld scope "gmail_full" met OAuth voor Gmail). ImapEncryption = IMAP encryptie methode @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Neem de inhoud van de e-mailheader niet op in de o EmailCollectorHideMailHeadersHelp=Indien ingeschakeld, worden e-mailheaders niet toegevoegd aan het einde van de e-mailinhoud die is opgeslagen als een agendagebeurtenis. EmailCollectorConfirmCollectTitle=E-mail verzamelbevestiging EmailCollectorConfirmCollect=Wilt u deze verzamelaar nu gebruiken? -EmailCollectorExampleToCollectTicketRequestsDesc=Verzamel e-mails die voldoen aan bepaalde regels en maak automatisch een ticket aan (Module Ticket moet zijn ingeschakeld) met de e-mailinformatie. U kunt deze collector gebruiken als u enige ondersteuning per e-mail geeft, zodat uw ticketverzoek automatisch wordt gegenereerd. Activeer ook Collect_Responses om antwoorden van uw klant direct op de ticketweergave te verzamelen (u moet antwoorden vanuit Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Verzamel e-mails die aan bepaalde regels voldoen en maak automatisch een ticket (Module Ticket moet ingeschakeld zijn) met de e-mailinformatie. U kunt deze verzamelaar gebruiken als u per e-mail enige ondersteuning biedt, zodat uw ticketaanvraag automatisch wordt gegenereerd. Activeer ook Collect_Responses om antwoorden van uw klant rechtstreeks in de ticketweergave te verzamelen (u moet antwoorden van Dolibarr). EmailCollectorExampleToCollectTicketRequests=Voorbeeld ophalen van het ticketverzoek (alleen eerste bericht) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan de map "Verzonden" van uw mailbox om e-mails te vinden die als antwoord op een andere e-mail rechtstreeks vanuit uw e-mailsoftware zijn verzonden en niet vanuit Dolibarr. Als een dergelijke e-mail wordt gevonden, wordt het antwoord geregistreerd in Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Voorbeeld van het verzamelen van e-mailantwoorden die zijn verzonden vanaf een externe e-mailsoftware EmailCollectorExampleToCollectDolibarrAnswersDesc=Verzamel alle e-mails die een antwoord zijn op een e-mail die vanuit uw applicatie is verzonden. Een evenement (Module Agenda moet zijn ingeschakeld) met de e-mailreactie wordt op de goede plek vastgelegd. Als u bijvoorbeeld vanuit de applicatie een commercieel voorstel, bestelling, factuur of bericht voor een ticket per e-mail verstuurt en de ontvanger beantwoordt uw e-mail, dan zal het systeem het antwoord automatisch opvangen en toevoegen aan uw ERP. EmailCollectorExampleToCollectDolibarrAnswers=Voorbeeld van het verzamelen van alle inkomende berichten die antwoorden zijn op berichten die zijn verzonden vanuit Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Verzamel e-mails die voldoen aan bepaalde regels en maak automatisch een lead aan (Module Project moet zijn ingeschakeld) met de e-mailinformatie. U kunt deze collector gebruiken als u uw lead wilt volgen met de module Project (1 lead = 1 project), zodat uw leads automatisch worden gegenereerd. Als de collector Collect_Responses ook is ingeschakeld, kunt u, wanneer u een e-mail verzendt vanuit uw leads, voorstellen of een ander object, ook de antwoorden van uw klanten of partners rechtstreeks in de applicatie zien.
      Opmerking: bij dit eerste voorbeeld wordt de titel van de lead gegenereerd, inclusief de e-mail. Als de derde partij niet kan worden gevonden in de database (nieuwe klant), wordt de lead gekoppeld aan de derde partij met ID 1. +EmailCollectorExampleToCollectLeadsDesc=Verzamel e-mails die aan bepaalde regels voldoen en maak automatisch een lead (Module Project moet zijn ingeschakeld) met de e-mailinformatie. Deze verzamelaar kunt u gebruiken als u uw lead wilt volgen via de module Project (1 lead = 1 project), zodat uw leads automatisch worden gegenereerd. Als het verzamelprogramma Collect_Responses ook is ingeschakeld en u een e-mail verzendt vanuit uw leads, voorstellen of een ander object, ziet u mogelijk ook antwoorden van uw klanten of partners rechtstreeks in de applicatie.
      Let op: Bij dit eerste voorbeeld wordt de titel van de lead gegenereerd inclusief de e-mail. Als de derde partij niet kan worden gevonden in de database (nieuw Klant), wordt de lead gekoppeld aan de derde partij met ID 1. EmailCollectorExampleToCollectLeads=Voorbeeld leads verzamelen EmailCollectorExampleToCollectJobCandidaturesDesc=Verzamel e-mails die solliciteren op vacatures (Module Recruitment moet zijn ingeschakeld). U kunt dit verzamelprogramma invullen als u automatisch een kandidatuur voor een vacatureaanvraag wilt aanmaken. Opmerking: met dit eerste voorbeeld wordt de titel van de kandidatuur gegenereerd inclusief de e-mail. EmailCollectorExampleToCollectJobCandidatures=Voorbeeld van het verzamelen van sollicitatiebrieven die per e-mail zijn ontvangen @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=Deze waarde kan door elke gebruiker worden overschreven vanaf de gebruikerspagina - tabblad '%s' -DefaultCustomerType=Standaard type derde partij voor het formulier "Nieuwe klant" +DefaultCustomerType=Standaardtype van derden voor het aanmaakformulier 'Nieuw Klant' ABankAccountMustBeDefinedOnPaymentModeSetup=Opmerking: de bankrekening moet worden gedefinieerd in de module van elke betalingsmodus (Paypal, Stripe, ...) om deze functie te laten werken. RootCategoryForProductsToSell=Hoofdcategorie van te verkopen producten -RootCategoryForProductsToSellDesc=Indien gedefinieerd, zijn alleen producten in deze categorie of onderliggende producten van deze categorie beschikbaar in het verkooppunt +RootCategoryForProductsToSellDesc=Indien gedefinieerd, zullen alleen producten binnen deze Categorie of onderliggende producten van deze Categorie beschikbaar zijn in het verkooppunt DebugBar=Foutopsporingsbalk DebugBarDesc=Werkbalk die wordt geleverd met veel tools om foutopsporing te vereenvoudigen DebugBarSetup=DebugBar Setup @@ -2212,10 +2227,10 @@ ImportSetup=Instellen van module Import InstanceUniqueID=Uniek ID van de instantie SmallerThan=Kleiner dan LargerThan=Groter dan -IfTrackingIDFoundEventWillBeLinked=Houd er rekening mee dat als een tracking-ID van een object in e-mail wordt gevonden, of als de e-mail een antwoord is van een e-mail die al is verzameld en aan een object is gekoppeld, de gemaakte gebeurtenis automatisch wordt gekoppeld aan het bekende gerelateerde object. -WithGMailYouCanCreateADedicatedPassword=Als u bij een GMail-account de validatie in 2 stappen hebt ingeschakeld, wordt aanbevolen om een speciaal tweede wachtwoord voor de toepassing te maken in plaats van uw eigen wachtwoord van https://myaccount.google.com/. -EmailCollectorTargetDir=Het kan een gewenst gedrag zijn om de e-mail naar een andere tag / directory te verplaatsen wanneer deze met succes is verwerkt. Stel hier gewoon de naam van de map in om deze functie te gebruiken (gebruik GEEN speciale tekens in de naam). Houd er rekening mee dat u ook een inlogaccount voor lezen / schrijven moet gebruiken. -EmailCollectorLoadThirdPartyHelp=U kunt deze actie gebruiken om de e-mailinhoud te gebruiken om een bestaande derde partij in uw database te vinden en te laden (zoeken zal worden gedaan op de gedefinieerde eigenschap tussen 'id','name','name_alias','email'). De gevonden (of gemaakte) derde partij zal worden gebruikt voor de volgende acties die deze nodig hebben.
      Als u bijvoorbeeld een derde partij wilt maken met een naam die is geëxtraheerd uit een tekenreeks 'Naam: naam om te vinden' in de hoofdtekst, gebruikt u het e-mailadres van de afzender als e-mailadres. U kunt het parameterveld als volgt instellen:
      'email= HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Houd er rekening mee dat als een tracking-ID van een object in een e-mail wordt gevonden, of als de e-mail een antwoord is op een e-mail die al is verzameld en aan een object is gekoppeld, de gemaakte gebeurtenis automatisch wordt gekoppeld aan het bekende gerelateerde object. +WithGMailYouCanCreateADedicatedPassword=Als u met een Gmail-account de validatie in twee stappen heeft ingeschakeld, wordt het aanbevolen om een speciaal tweede wachtwoord voor de applicatie te maken in plaats van uw eigen accountwachtwoord van https://myaccount.google.com/ te gebruiken. +EmailCollectorTargetDir=Het kan wenselijk zijn om de e-mail naar een andere Label/map te verplaatsen nadat deze met succes is verwerkt. Stel hier gewoon de naam van de map in om deze functie te gebruiken (gebruik GEEN speciale tekens in de naam). Houd er rekening mee dat u ook een lees-/schrijfaanmeldingsaccount moet gebruiken. +EmailCollectorLoadThirdPartyHelp=U kunt deze actie gebruiken om de e-mailinhoud te gebruiken om een bestaande derde partij in uw database te vinden en te laden (er wordt gezocht op de gedefinieerde eigenschap onder 'id', 'name', 'name_alias', 'email'). De gevonden (of aangemaakte) derde partij zal worden gebruikt voor de volgende acties waarvoor deze nodig is.
      Als u bijvoorbeeld een derde partij wilt maken met een naam geëxtraheerd uit een string ' Naam: te vinden naam' aanwezig in de hoofdtekst, gebruik de e-mail van de afzender als e-mail, u kunt het parameterveld als volgt instellen:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Naam:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Waarschuwing: veel e-mailservers (zoals Gmail) zoeken op volledige woorden wanneer ze zoeken op een tekenreeks en zullen geen resultaat retourneren als de tekenreeks slechts gedeeltelijk in een woord wordt gevonden. Ook om deze reden wordt het gebruik van speciale tekens in een zoekcriterium genegeerd als ze geen deel uitmaken van bestaande woorden.
      Om een zoekopdracht uit te sluiten op een woord (retourneer een e-mail als het woord niet wordt gevonden), kunt u de ! teken voor het woord (werkt mogelijk niet op sommige mailservers). EndPointFor=Eindpunt voor %s: %s DeleteEmailCollector=E-mailverzamelaar verwijderen @@ -2232,12 +2247,12 @@ EmailTemplate=Sjabloon voor e-mail EMailsWillHaveMessageID=E-mails hebben een tag 'Verwijzingen' die overeenkomen met deze syntaxis PDF_SHOW_PROJECT=Toon project op document ShowProjectLabel=Projectlabel -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Alias opnemen in naam van derde partij -THIRDPARTY_ALIAS=Naam derde partij - Alias derde partij -ALIAS_THIRDPARTY=Alias derde partij - Naam derde partij +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Neem een alias op in de naam van de derde partij +THIRDPARTY_ALIAS=Naam van derden: alias van derden +ALIAS_THIRDPARTY=Alias van derden: naam van derden PDFIn2Languages=Toon labels in de PDF in 2 verschillende talen (deze functie werkt mogelijk niet voor sommige talen) PDF_USE_ALSO_LANGUAGE_CODE=Als u wilt dat sommige teksten in uw PDF worden gedupliceerd in 2 verschillende talen in dezelfde gegenereerde PDF, moet u hier deze tweede taal instellen, zodat de gegenereerde PDF 2 verschillende talen op dezelfde pagina bevat, degene die is gekozen bij het genereren van PDF en deze ( slechts enkele PDF-sjablonen ondersteunen dit). Voor 1 taal per pdf leeg houden. -PDF_USE_A=Genereer PDF-documenten met formaat PDF/A in plaats van standaard formaat PDF +PDF_USE_A=Genereer PDF-documenten met het formaat PDF/A in plaats van het standaardformaat PDF FafaIconSocialNetworksDesc=Voer hier de code van een FontAwesome-pictogram in. Als je niet weet wat FontAwesome is, kun je het generieke waarde fa-adresboek gebruiken. RssNote=Opmerking: elke RSS-feeddefinitie biedt een widget die u moet inschakelen om deze beschikbaar te hebben in het dashboard JumpToBoxes=Ga naar Setup -> Widgets @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Mogelijk vindt u hier beveiligingsadvies ModuleActivatedMayExposeInformation=Deze PHP-extensie kan gevoelige gegevens blootleggen. Als je het niet nodig hebt, schakel het dan uit. ModuleActivatedDoNotUseInProduction=Een module ontworpen voor de ontwikkeling is ingeschakeld. Schakel het niet in bij een productieomgeving. CombinationsSeparator=Scheidingsteken voor productcombinaties -SeeLinkToOnlineDocumentation=Zie link naar online documentatie in het bovenste menu voor voorbeelden +SeeLinkToOnlineDocumentation=Zie de link naar online documentatie in het hoofdmenu voor voorbeelden SHOW_SUBPRODUCT_REF_IN_PDF=Als de functie "%s" van module %s wordt gebruikt, toon dan de details van subproducten van een kit op PDF. AskThisIDToYourBank=Neem contact op met uw bank om deze ID te krijgen -AdvancedModeOnly=Toestemming alleen beschikbaar in geavanceerde toestemmingsmodus +AdvancedModeOnly=Toestemming alleen beschikbaar in de geavanceerde toestemmingsmodus ConfFileIsReadableOrWritableByAnyUsers=Het conf-bestand is leesbaar of beschrijfbaar door alle gebruikers. Geef alleen toestemming aan webservergebruiker en -groep. MailToSendEventOrganization=Evenementenorganisatie MailToPartnership=Vennootschap AGENDA_EVENT_DEFAULT_STATUS=Standaard gebeurtenisstatus bij het maken van een gebeurtenis vanuit het formulier YouShouldDisablePHPFunctions=U moet PHP-functies uitschakelen -IfCLINotRequiredYouShouldDisablePHPFunctions=Behalve als u systeemopdrachten in aangepaste code moet uitvoeren, moet u PHP-functies uitschakelen +IfCLINotRequiredYouShouldDisablePHPFunctions=Tenzij u systeemopdrachten in aangepaste code moet uitvoeren, moet u PHP-functies uitschakelen PHPFunctionsRequiredForCLI=Voor shell-doeleinden (zoals geplande taakback-up of het uitvoeren van een antivirusprogramma), moet u PHP-functies behouden NoWritableFilesFoundIntoRootDir=Er zijn geen beschrijfbare bestanden of mappen van de gebruikelijke programma's gevonden in uw hoofdmap (Goed) RecommendedValueIs=Aanbevolen: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook instellen Settings = Instellingen WebhookSetupPage = Webhook-instellingenpagina ShowQuickAddLink=Toon een knop om snel een element toe te voegen in het menu rechtsboven - +ShowSearchAreaInTopMenu=Toon het zoekgebied in het hoofdmenu HashForPing=Hash gebruikt voor ping ReadOnlyMode=Is de instantie in de modus "Alleen lezen" DEBUGBAR_USE_LOG_FILE=Gebruik het bestand dolibarr.log om logboeken op te vangen @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Werkt niet met alle thema's NoName=Geen naam ShowAdvancedOptions= Toon geavanceerde opties HideAdvancedoptions= Geavanceerde opties verbergen -CIDLookupURL=De module brengt een URL die door een externe tool kan worden gebruikt om de naam van een derde partij of contactpersoon van zijn telefoonnummer te krijgen. De te gebruiken URL is: +CIDLookupURL=De module brengt een URL die door een externe tool kan worden gebruikt om de naam van een derde partij of contactpersoon uit zijn telefoonnummer te halen. De te gebruiken URL is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2-authenticatie is niet voor alle hosts beschikbaar en er moet stroomopwaarts met de OAUTH-module een token met de juiste machtigingen zijn gemaakt MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2-authenticatieservice DontForgetCreateTokenOauthMod=Een token met de juiste machtigingen moet stroomopwaarts zijn gemaakt met de OAUTH-module -MAIN_MAIL_SMTPS_AUTH_TYPE=authenticatie methode: +MAIN_MAIL_SMTPS_AUTH_TYPE=Authenticatie methode UsePassword=Gebruik een wachtwoord UseOauth=Gebruik een OAUTH-token Images=Afbeeldingen MaxNumberOfImagesInGetPost=Maximaal aantal afbeeldingen toegestaan in een HTML-veld ingediend in een formulier MaxNumberOfPostOnPublicPagesByIP=Max. aantal berichten op openbare pagina's met hetzelfde IP-adres in een maand -CIDLookupURL=De module brengt een URL die door een externe tool kan worden gebruikt om de naam van een derde partij of contactpersoon van zijn telefoonnummer te krijgen. De te gebruiken URL is: +CIDLookupURL=De module brengt een URL die door een externe tool kan worden gebruikt om de naam van een derde partij of contactpersoon uit zijn telefoonnummer te halen. De te gebruiken URL is: ScriptIsEmpty=Het script is leeg ShowHideTheNRequests=Toon/verberg de %s SQL-aanvraag(en) DefinedAPathForAntivirusCommandIntoSetup=Definieer een pad voor een antivirusprogramma in %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Verberg de bestelde hoeveelheid op de gegenereerde do MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Toon de prijs op de gegenereerde documenten voor recepties WarningDisabled=Waarschuwing uitgeschakeld LimitsAndMitigation=Toegangslimieten en beperking +RecommendMitigationOnURL=Het wordt aanbevolen om risicobeperking op kritieke URL's te activeren. Dit is een lijst met fail2ban-regels die u kunt gebruiken voor de belangrijkste belangrijke URL's. DesktopsOnly=Alleen desktops DesktopsAndSmartphones=Desktops en smartphones AllowOnlineSign=Sta online ondertekenen toe @@ -2403,6 +2419,24 @@ Defaultfortype=Standaard DefaultForTypeDesc=Sjabloon dat standaard wordt gebruikt bij het maken van een nieuwe e-mail voor het sjabloontype OptionXShouldBeEnabledInModuleY=Optie " %s " moet worden ingeschakeld in module %s OptionXIsCorrectlyEnabledInModuleY=Optie " %s " is ingeschakeld in module %s +AllowOnLineSign=Online handtekening toestaan AtBottomOfPage=Onderaan de pagina FailedAuth=mislukte authenticaties -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +MaxNumberOfFailedAuth=Maximaal aantal mislukte Authenticatie in 24 uur om inloggen te weigeren. +AllowPasswordResetBySendingANewPassByEmail=Als gebruiker A deze toestemming heeft, en zelfs als gebruiker A geen "admin"-gebruiker is, mag A het wachtwoord van elke andere gebruiker B opnieuw instellen. Het nieuwe wachtwoord wordt naar het e-mailadres van de andere gebruiker B gestuurd, maar het zal niet zichtbaar zijn voor A. Als gebruiker A de vlag "admin" heeft, zal hij ook kunnen weten wat het nieuw gegenereerde wachtwoord van B is, zodat hij de controle over het B-gebruikersaccount kan overnemen. +AllowAnyPrivileges=Als een gebruiker A deze toestemming heeft, kan hij een gebruiker B met alle rechten aanmaken en vervolgens deze gebruiker B gebruiken, of zichzelf een andere groep met welke toestemming dan ook verlenen. Het betekent dus dat gebruiker A alle bedrijfsrechten bezit (alleen systeemtoegang tot instellingenpagina's is verboden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Deze waarde kan worden gelezen omdat uw exemplaar niet in de productiemodus is ingesteld +SeeConfFile=Zie het conf.php-bestand op de server +ReEncryptDesc=Versleutel gegevens opnieuw als ze nog niet zijn gecodeerd +PasswordFieldEncrypted=%s nieuw record is dit veld gecodeerd +ExtrafieldsDeleted=Extravelden %s zijn verwijderd +LargeModern=Groot - Modern +SpecialCharActivation=Schakel de knop in om een virtueel toetsenbord te openen waarmee u speciale tekens kunt invoeren +DeleteExtrafield=Extraveld verwijderen +ConfirmDeleteExtrafield=Bevestigt u de verwijdering van het veld %s? Alle gegevens die in dit veld zijn opgeslagen, worden definitief verwijderd +ExtraFieldsSupplierInvoicesRec=Aanvullende attributen (sjabloonfacturen) +ExtraFieldsSupplierInvoicesLinesRec=Aanvullende kenmerken (sjabloon Factuur regels) +ParametersForTestEnvironment=Parameters voor testomgeving +TryToKeepOnly=Probeer alleen %s te behouden +RecommendedForProduction=Aanbevolen voor productie +RecommendedForDebug=Aanbevolen voor foutopsporing diff --git a/htdocs/langs/nl_NL/bills.lang b/htdocs/langs/nl_NL/bills.lang index 681ac17e885..e2f15d5fb99 100644 --- a/htdocs/langs/nl_NL/bills.lang +++ b/htdocs/langs/nl_NL/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Voer een betaling te doen aan afnemer in DisabledBecauseRemainderToPayIsZero=Uitgeschakeld omdat restant te betalen gelijk is aan nul PriceBase=Basisprijs BillStatus=Factuurstatus -StatusOfGeneratedInvoices=Status van gegenereerde facturen +StatusOfAutoGeneratedInvoices=Status van automatisch gegenereerde Facturen BillStatusDraft=Concept (moet worden gevalideerd) BillStatusPaid=Betaald BillStatusPaidBackOrConverted=Restitutie van creditnota's of gemarkeerd als beschikbaar krediet @@ -167,7 +167,7 @@ ActionsOnBill=Acties op factuur ActionsOnBillRec=Acties op terugkerende factuur RecurringInvoiceTemplate=Template / Herhaal factuur NoQualifiedRecurringInvoiceTemplateFound=Geen geschikte sjablonen gevonden voor terugkerende facturen -FoundXQualifiedRecurringInvoiceTemplate=Gevonden: %s geschikte templates voor herhaal facturen +FoundXQualifiedRecurringInvoiceTemplate=%s terugkerende template Factuur(s) kwamen in aanmerking voor generatie. NotARecurringInvoiceTemplate=Is geen template voor een herhalingsfactuur NewBill=Nieuwe factuur LastBills=Laatste %s facturen @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Concept-facturen leveranciers Unpaid=Onbetaalde ErrorNoPaymentDefined=Fout. Geen betaling gedefinieerd ConfirmDeleteBill=Weet u zeker dat u deze factuur wilt verwijderen? -ConfirmValidateBill=Weet u zeker dat u factuur met referentie %s wilt valideren? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Weet u zeker dat u de status van factuur %s wilt wijzigen naar klad? ConfirmClassifyPaidBill=Weet u zeker dat u de status van factuur %s wilt wijzigen naar betaald? ConfirmCancelBill=Weet u zeker dat u factuur %s wilt annuleren? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Bevestigt u deze betaling voor %s %s ? ConfirmSupplierPayment=Bevestigd u deze betaling voor %s %s ? ConfirmValidatePayment=Weet u zeker dat u deze betaling wilt valideren? Na validatie kunnen er geen wijzigingen meer worden gemaakt. ValidateBill=Valideer factuur -UnvalidateBill=Unvalidate factuur +UnvalidateBill=Maak Factuur ongeldig NumberOfBills=Aantal facturen NumberOfBillsByMonth=Aantal facturen per maand AmountOfBills=Bedrag van de facturen @@ -250,12 +250,13 @@ RemainderToTake=Resterende bedrag over te nemen RemainderToTakeMulticurrency=Resterend bedrag te nemen, originele valuta RemainderToPayBack=Resterende bedrag terug te storten RemainderToPayBackMulticurrency=Resterend te restitueren bedrag, originele valuta +NegativeIfExcessReceived=negatief indien teveel ontvangen NegativeIfExcessRefunded=negatief indien teveel terugbetaald +NegativeIfExcessPaid=negative if excess paid Rest=Hangende AmountExpected=Gevorderde bedrag ExcessReceived=Overbetaling ExcessReceivedMulticurrency=Te veel ontvangen, originele valuta -NegativeIfExcessReceived=negatief indien teveel ontvangen ExcessPaid=Teveel betaald ExcessPaidMulticurrency=Te veel betaald, originele valuta EscompteOffered=Korting aangeboden (betaling vóór termijn) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Maak eerst een standaard factuur en conver PDFCrabeDescription=Factuur PDF-sjabloon Crabe. Een volledig factuursjabloon (oude implementatie van Sponge-sjabloon) PDFSpongeDescription=Factuur PDF-sjabloon Sponge. Een complete sjabloon voor een factuur PDFCrevetteDescription=Factuur PDF-sjabloon 'Crevette'. Een compleet sjabloon voor facturen -TerreNumRefModelDesc1=Retournummer in het formaat %syymm-nnnn voor standaardfacturen en %syymm-nnnn voor creditnota's waarbij yy het jaar is, mm de maand en nnnn een automatisch oplopend nummer is zonder onderbreking en zonder terugkeer naar 0 -MarsNumRefModelDesc1=Retournummer in het formaat %syymm-nnnn voor standaardfacturen, %syymm-nnnn voor vervangende facturen, %syymm-nnnn voor vooruitbetalingsfacturen en %syymm-nnny is voor jaarnota's waarbij mm nnnn is voor jaarnota's zonder pauze en geen terugkeer naar 0 +TerreNumRefModelDesc1=Retourneert nummer in de notatie %sjjmm-nnnn voor standaard Facturen en %s yymm-nnnn voor creditnota's waarbij yy het jaar is, mm de maand en nnnn een opeenvolgend automatisch oplopend getal is zonder onderbreking en zonder terugkeer naar 0 +MarsNumRefModelDesc1=Retourneert nummer in de notatie %sjjmm-nnnn voor standaard Facturen, %s jjmm-nnn voor vervanging Facturen, %sjjmm-nnnn voor aanbetaling Facturen en %syymm-nnnn voor creditnota's waarbij yy het jaar is, mm de maand en nnnn een opeenvolgend automatisch oplopend getal is zonder onderbreking en zonder terugkeer naar 0 TerreNumRefModelError=Een wetsvoorstel te beginnen met $ syymm bestaat al en is niet compatibel met dit model van de reeks. Verwijderen of hernoemen naar deze module te activeren. -CactusNumRefModelDesc1=Retournummer in de notatie %syymm-nnnn voor standaardfacturen, %syymm-nnnn voor creditnota's en %syymm-nnnn voor vooruitbetalingsfacturen waarbij yy het jaar is, mm de maand en nnnn een opeenvolgend nummer is zonder automatisch ophogen 0 +CactusNumRefModelDesc1=Retourneert nummer in de notatie %sjjmm-nnnn voor standaard Facturen, %s yymm-nnnn voor creditnota's en %syymm-nnnn voor aanbetaling Facturen waarbij yy het jaar is, mm de maand en nnnn is een opeenvolgend automatisch oplopend getal zonder onderbreking en zonder terugkeer naar 0 EarlyClosingReason=Vroege afsluiting reden EarlyClosingComment=Vroege afsluiting opmerking ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Categorie operaties MentionCategoryOfOperations0=Levering van goederen MentionCategoryOfOperations1=Dienstverlening MentionCategoryOfOperations2=Gemengd - Levering van goederen & dienstverlening +Salaries=Salarissen +InvoiceSubtype=Factuur Subtype +SalaryInvoice=Salaris +BillsAndSalaries=Rekeningen en salarissen +CreateCreditNoteWhenClientInvoiceExists=Deze optie is alleen ingeschakeld als er gevalideerde Factuur(s) bestaan voor een Klant of als de constante INVOICE_CREDIT_NOTE_STANDALONE wordt gebruikt (handig voor sommige landen ) diff --git a/htdocs/langs/nl_NL/cashdesk.lang b/htdocs/langs/nl_NL/cashdesk.lang index bdfa64373b5..5fb49d34d35 100644 --- a/htdocs/langs/nl_NL/cashdesk.lang +++ b/htdocs/langs/nl_NL/cashdesk.lang @@ -57,7 +57,7 @@ Paymentnumpad=Soort betaling om de betaling in te voeren Numberspad=Cijferblok BillsCoinsPad=Munten en bankbiljetten blok DolistorePosCategory=TakePOS-modules en andere POS-oplossingen voor Dolibarr -TakeposNeedsCategories=TakePOS heeft ten minste één productcategorie nodig om te werken +TakeposNeedsCategories=TakePOS heeft ten minste één product Categorie nodig om te werken TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS heeft minimaal 1 productcategorie onder de categorie %s nodig om te werken OrderNotes=Notitie toevoegen CashDeskBankAccountFor=Standaardrekening voor betalingen @@ -76,7 +76,7 @@ TerminalSelect=Selecteer de terminal die u wilt gebruiken: POSTicket=POS-ticket POSTerminal=POS-terminal POSModule=POS-module -BasicPhoneLayout=Gebruik basislay-out voor telefoons +BasicPhoneLayout=Vervang op telefoons het POS door een minimale lay-out (alleen bestellingen opnemen, geen Factuur generatie, geen bonnen afdrukken) SetupOfTerminalNotComplete=Het instellen van terminal %s is niet voltooid DirectPayment=Directe betaling DirectPaymentButton=Voeg een "betaal direct" knop toe @@ -92,14 +92,14 @@ HeadBar=Hoofdbalk SortProductField=Veld voor het sorteren van producten Browser=Browser BrowserMethodDescription=Eenvoudig en gemakkelijk afdrukken van bonnen. Slechts een paar parameters om de bon te configureren. Afdrukken via browser. -TakeposConnectorMethodDescription=Externe module met extra functies. Mogelijkheid om vanuit de cloud af te drukken. +TakeposConnectorMethodDescription=Externe module met extra functies. Mogelijkheid om vanuit de cloud te printen. PrintMethod=Afdrukmethode ReceiptPrinterMethodDescription=Krachtige methode met veel parameters. Volledig aanpasbaar met sjablonen. De server die de applicatie host, mag niet in de cloud staan (moet de printers in uw netwerk kunnen bereiken). ByTerminal=Per terminal TakeposNumpadUsePaymentIcon=Gebruik pictogram in plaats van tekst op betalingsknoppen van numpad CashDeskRefNumberingModules=Nummeringsmodule voor POS-verkoop CashDeskGenericMaskCodes6 =  
      {TN} tag wordt gebruikt om het terminalnummer toe te voegen -TakeposGroupSameProduct=Groepeer dezelfde productlijnen +TakeposGroupSameProduct=Voeg lijnen van dezelfde producten samen StartAParallelSale=Start een nieuwe parallelle verkoop SaleStartedAt=Verkoop begon op %s ControlCashOpening=Open de pop-up "Kassa beheren" bij het openen van de kassa @@ -118,7 +118,7 @@ ScanToOrder=Scan de QR code om te bestellen Appearance=Weergave HideCategoryImages=Verberg categorie afbeeldingen HideProductImages=Verberg productafbeeldingen -NumberOfLinesToShow=Aantal regels met afbeeldingen dat moet worden weergegeven +NumberOfLinesToShow=Maximaal aantal regels tekst dat op duimafbeeldingen moet worden weergegeven DefineTablePlan=Definieer tafelschikking GiftReceiptButton=Voeg een knop "Cadeaubon" toe GiftReceipt=Cadeaubon @@ -135,13 +135,21 @@ PrintWithoutDetailsLabelDefault=Standaard lijn label bij afdrukken zonder detail PrintWithoutDetails=Afdrukken zonder details YearNotDefined=Jaar is niet gedefinieerd TakeposBarcodeRuleToInsertProduct=Streepjescode regel om product in te voegen -TakeposBarcodeRuleToInsertProductDesc=Regel om de productreferentie + een hoeveelheid uit een gescande barcode te halen.
      Indien leeg (standaardwaarde), gebruikt de applicatie de volledige gescande barcode om het product te vinden.

      Indien gedefinieerd, moet de syntaxis zijn:
      ref:NB+qu:NB+qd:NB+other:NB
      waarbij NB het aantal tekens is dat moet worden gebruikt om gegevens uit de gescande streepjescode te extraheren met:
      • ref : product referentie
      • qu : aantal in te stellen bij het invoeren van artikel (eenheden)
      • qd : hoeveelheid die moet worden ingesteld bij het invoegen van een item (decimalen)
      • other : andere karakters
      +TakeposBarcodeRuleToInsertProductDesc=Regel om de productreferentie + een hoeveelheid uit een gescande streepjescode te extraheren.
      Als deze leeg is (standaardwaarde), gebruikt de applicatie de volledige streepjescode gescand om het product te vinden.

      Indien gedefinieerd, syntaxis moet zijn:
      ref:NB+qu:NB+qd:NB+other:NB
      waarbij NB het aantal tekens is dat moet worden gebruikt om gegevens uit de gescande streepjescode te extraheren met:
      ref: productreferentie
      qu : aantal dat moet worden ingesteld bij het invoegen van item (eenheden)
      qd : aantal dat moet worden ingesteld bij het invoegen van item (decimalen)
      other: overige tekens AlreadyPrinted=Reeds afgedrukt -HideCategories=Categorieën verbergen +HideCategories=Verberg het hele gedeelte van de Categorieën selectie HideStockOnLine=Verberg voorraad online -ShowOnlyProductInStock=Toon de producten die op voorraad zijn -ShowCategoryDescription=Toon categoriebeschrijving -ShowProductReference=Toon referentie van producten -UsePriceHT=Gebruik prijs excl. belastingen en niet prijs incl. belastingen +ShowOnlyProductInStock=Toon alleen de producten in voorraad +ShowCategoryDescription=Categorieën beschrijving weergeven +ShowProductReference=Toon referentie of label van producten +UsePriceHT=Gebruik prijs excl. BTW en niet prijs incl. belastingen bij het wijzigen van een prijs TerminalName=Terminal %s TerminalNameDesc=Terminal naam +DefaultPOSThirdLabel=TakePOS generiek Klant +DefaultPOSCatLabel=Point Of Sale (POS)-producten +DefaultPOSProductLabel=Productvoorbeeld voor TakePOS +TakeposNeedsPayment=TakePOS heeft een betaalmethode nodig om te kunnen werken, wil je de betaalmethode 'Cash' aanmaken? +LineDiscount=Lijnkorting +LineDiscountShort=Lijn schijf. +InvoiceDiscount=Factuur korting +InvoiceDiscountShort=Factuur schijf. diff --git a/htdocs/langs/nl_NL/categories.lang b/htdocs/langs/nl_NL/categories.lang index 022f582b411..47fe78342fd 100644 --- a/htdocs/langs/nl_NL/categories.lang +++ b/htdocs/langs/nl_NL/categories.lang @@ -103,3 +103,4 @@ WebsitePagesCategoriesArea= Categorieën voor Page-Container KnowledgemanagementsCategoriesArea=KM artikel Categorieën UseOrOperatorForCategories=Gebruik de 'OF'-operator voor categorieën AddObjectIntoCategory=Toewijzen aan de categorie +Position=Positie diff --git a/htdocs/langs/nl_NL/donations.lang b/htdocs/langs/nl_NL/donations.lang index bd3e064880a..39651809672 100644 --- a/htdocs/langs/nl_NL/donations.lang +++ b/htdocs/langs/nl_NL/donations.lang @@ -32,4 +32,5 @@ DONATION_ART238=Toon artikel 238 als u bezorgt bent DONATION_ART978=Toon artikel 978 van CGI als u zich zorgen maakt DonationPayment=Donatie betaling DonationValidated=Donatie %s is gevalideerd -DonationUseThirdparties=Gebruik een bestaande relatie als coördinaten van donateurs +DonationUseThirdparties=Gebruik het adres van een bestaande derde partij als adres van de donateur +DonationsStatistics=Donatiestatistieken diff --git a/htdocs/langs/nl_NL/errors.lang b/htdocs/langs/nl_NL/errors.lang index 79b2f77dbaa..a2d55658570 100644 --- a/htdocs/langs/nl_NL/errors.lang +++ b/htdocs/langs/nl_NL/errors.lang @@ -4,7 +4,7 @@ NoErrorCommitIsDone=Geen fout, wij bevestigen # Errors ErrorButCommitIsDone=Fouten gevonden maar we valideren toch -ErrorBadEMail=E-mail %s is onjuist +ErrorBadEMail=E-mailadres %s is onjuist ErrorBadMXDomain=E-mail %s lijkt onjuist (domein heeft geen geldig MX-record) ErrorBadUrl=URL %s is onjuist ErrorBadValueForParamNotAString=Slechte parameterwaarde. Wordt over het algemeen gegenereerd als de vertaling ontbreekt. @@ -32,6 +32,7 @@ ErrorBadThirdPartyName=Onjuiste waarde voor naam van derde partij ForbiddenBySetupRules=Verboden door installatieregels ErrorProdIdIsMandatory=De %s is verplicht ErrorAccountancyCodeCustomerIsMandatory=De boekhoudcode van klant %s is verplicht +ErrorAccountancyCodeSupplierIsMandatory=De boekhoudcode van Leverancier %s is verplicht ErrorBadCustomerCodeSyntax=Verkeerde syntaxis voor afnemerscode ErrorBadBarCodeSyntax=Onjuiste syntaxis voor streepjescode. Misschien stelt u een slecht barcodetype in of heeft u een barcodemasker gedefinieerd voor nummering dat niet overeenkomt met de gescande waarde. ErrorCustomerCodeRequired=Afnemerscode nodig @@ -57,13 +58,14 @@ ErrorSubjectIsRequired=Het e-mailonderwerp is verplicht ErrorFailedToCreateDir=Creëren van een map mislukt. Controleer of de Webservergebruiker toestemming heeft om te schrijven in Dolibarr documentenmap. Wanneer de parameter safe_mode is ingeschakeld in PHP, controleer dan dat de Dolibarr php bestanden eigendom zijn van de de webserve gebruiker (of groep). ErrorNoMailDefinedForThisUser=Geen e-mailadres ingesteld voor deze gebruiker ErrorSetupOfEmailsNotComplete=Het instellen van e-mails is niet voltooid -ErrorFeatureNeedJavascript=Voor deze functie moet Javascript geactiveerd zijn. Verander dit in het Instellingen - scherm. +ErrorFeatureNeedJavascript=Deze functie heeft JavaScript nodig om te kunnen werken. Wijzig dit in setup - weergave. ErrorTopMenuMustHaveAParentWithId0=Een menu van het type 'Top' kan niet beschikken over een bovenliggend menu. Stel 0 in in het 'Top' menu of kies een menu van het type 'Left'. ErrorLeftMenuMustHaveAParentId=Een menu van het type 'Left' moeten een id van een bovenliggend menu hebben. ErrorFileNotFound=Bestand %s niet gevonden (Verkeerd pad, onvoldoende rechten of toegang geweigerd door de PHP openbasedir of safe_mode instellingen) ErrorDirNotFound=Map %s niet gevonden (Verkeerd pad, te weinig rechten of toegang geweigerd door de PHP openbasedir of safe_mode instellingen) ErrorFunctionNotAvailableInPHP=Functie %s is vereist voor deze functionaliteit, maar is niet beschikbaar in deze versie / installatie van PHP. ErrorDirAlreadyExists=Er bestaat al een map met deze naam. +ErrorDirNotWritable=Directory %s is niet beschrijfbaar. ErrorFileAlreadyExists=Er bestaat al een bestand met deze naam. ErrorDestinationAlreadyExists=Er bestaat al een ander bestand met de naam %s . ErrorPartialFile=Het bestand is niet volledig ontvangen door de server. @@ -90,9 +92,9 @@ ErrorPleaseTypeBankTransactionReportName=Voer de naam van het bankafschrift in w ErrorRecordHasChildren=Kan record niet verwijderen omdat het enkele onderliggende records heeft. ErrorRecordHasAtLeastOneChildOfType=Object %s heeft ten minste één kind van het type %s ErrorRecordIsUsedCantDelete=Kan record niet verwijderen. Het is al gebruikt of opgenomen in een ander object. -ErrorModuleRequireJavascript=Javascript dient niet uitgeschakeld te zijn voor deze functionaliteit. Om Javascript aan of uit te zetten gaat u naar het menu Home->instellingen->Scherm +ErrorModuleRequireJavascript=JavaScript mag niet worden uitgeschakeld om deze functie te laten werken. Om JavaScript in/uit te schakelen, gaat u naar het menu Home->Instellingen->Weergave. ErrorPasswordsMustMatch=De twee ingevoerde wachtwoorden komen niet overeen. -ErrorContactEMail=Er is een technische fout opgetreden. Neem contact op met de beheerder om e-mail %s te volgen en geef de foutcode %s op in uw bericht, of voeg een schermkopie van deze pagina toe. +ErrorContactEMail=Er is een technische fout opgetreden. Neem contact op met de beheerder via het volgende e-mailadres %s en geef de fout op code %s in uw bericht, of voeg een schermkopie toe van deze pagina. ErrorWrongValueForField=Veld %s : '%s' komt niet overeen met regexregel %s ErrorHtmlInjectionForField=Veld %s : De waarde ' %s ' bevat schadelijke gegevens die niet zijn toegestaan ErrorFieldValueNotIn=Veld %s : '%s' is geen waarde gevonden in veld %s van %s @@ -100,10 +102,12 @@ ErrorFieldRefNotIn=Veld %s : '%s' is geen bestaande %s ErrorMultipleRecordFoundFromRef=Verschillende records gevonden bij zoeken vanaf ref %s . Geen manier om te weten welke ID te gebruiken. ErrorsOnXLines=%s fouten gevonden ErrorFileIsInfectedWithAVirus=Het antivirusprogramma kon dit bestand niet valideren (het zou met een virus geïnfecteerd kunnen zijn) +ErrorFileIsAnInfectedPDFWithJSInside=Het bestand is een PDF die is geïnfecteerd met een Javascript erin ErrorNumRefModel=Er bestaat een verwijzing in de database (%s) en deze is niet compatibel met deze nummeringsregel. Verwijder de tabelregel of hernoem de verwijzing om deze module te activeren. ErrorQtyTooLowForThisSupplier=Hoeveelheid te laag voor deze leverancier of geen prijs gedefinieerd voor dit product voor deze leverancier ErrorOrdersNotCreatedQtyTooLow=Sommige bestellingen zijn niet gemaakt vanwege te lage hoeveelheden -ErrorModuleSetupNotComplete=De installatie van module %s lijkt onvolledig te zijn. Ga naar Home - Setup - Modules om te voltooien. +ErrorOrderStatusCantBeSetToDelivered=De status Bestelling kan niet worden ingesteld op afgeleverd. +ErrorModuleSetupNotComplete=Het lijkt erop dat de installatie van module %s onvolledig is. Ga naar Home - Installatie - Modules die u moet voltooien. ErrorBadMask=Fout bij het masker ErrorBadMaskFailedToLocatePosOfSequence=Fout, masker zonder het volgnummer ErrorBadMaskBadRazMonth=Fout, slechte resetwaarde @@ -131,7 +135,7 @@ ErrorLoginDoesNotExists=Gebruiker met gebruikersnaam %s kon niet worden g ErrorLoginHasNoEmail=Deze gebruiker heeft geen e-mail adres. Proces afgebroken. ErrorBadValueForCode=Onjuist waardetypen voor code. Probeer het opnieuw met een nieuwe waarde ErrorBothFieldCantBeNegative=Velden %s %s en kan niet beide negatief -ErrorFieldCantBeNegativeOnInvoice=Veld %s mag niet negatief zijn voor dit type factuur. Als u een kortingsregel moet toevoegen, maakt u eerst de korting (uit veld '%s' op de kaart van een derde partij) en past u deze toe op de factuur. +ErrorFieldCantBeNegativeOnInvoice=Veld %s kan niet negatief zijn voor dit type Factuur
      . Als u een kortingsregel moet toevoegen, maakt u eerst de korting aan (uit het veld '%s' in een kaart van derden) en past u deze toe op de Factuur. ErrorLinesCantBeNegativeForOneVATRate=Totaal aantal regels (na aftrek van belastingen) kan niet negatief zijn voor een bepaald btw-tarief dat niet nul is (negatief totaal gevonden voor btw-tarief %s%%). ErrorLinesCantBeNegativeOnDeposits=Lijnen kunnen niet negatief zijn in een storting. U zult problemen ondervinden wanneer u de aanbetaling in de eindfactuur moet verbruiken als u dit doet. ErrorQtyForCustomerInvoiceCantBeNegative=Aantal voor regel in klantfacturen kan niet negatief zijn @@ -150,6 +154,7 @@ ErrorToConnectToMysqlCheckInstance=Verbinding maken met database mislukt. Contro ErrorFailedToAddContact=Mislukt om contact toe te voegen ErrorDateMustBeBeforeToday=De datum moet eerder zijn dan vandaag ErrorDateMustBeInFuture=De datum moet later zijn dan vandaag +ErrorStartDateGreaterEnd=De startdatum is later dan de einddatum ErrorPaymentModeDefinedToWithoutSetup=Er is een betalingsmodus ingesteld om %s te typen, maar het instellen van de module Factuur is niet voltooid om te definiëren welke informatie moet worden weergegeven voor deze betalingsmodus. ErrorPHPNeedModule=Fout, op uw PHP moet module %s zijn geïnstalleerd om deze functie te gebruiken. ErrorOpenIDSetupNotComplete=U stelt het Dolibarr-configuratiebestand in om OpenID-authenticatie toe te staan, maar de URL van de OpenID-service is niet gedefinieerd als een constante %s @@ -191,7 +196,7 @@ ErrorGlobalVariableUpdater4=SOAP-client is mislukt met fout '%s' ErrorGlobalVariableUpdater5=Geen globale variabele geselecteerd ErrorFieldMustBeANumeric=Veld %s moet een numerieke waarde zijn ErrorMandatoryParametersNotProvided=Verplichte parameter (s) niet opgegeven -ErrorOppStatusRequiredIfUsage=U geeft aan dat u dit project wilt gebruiken om een verkoopkans te volgen, dus u moet ook de initiële Status van verkoopkans invullen. +ErrorOppStatusRequiredIfUsage=U kiest ervoor om een opportuniteit in dit project te volgen, dus u moet ook de Lead-status invullen. ErrorOppStatusRequiredIfAmount=U hebt een geschat bedrag voor deze lead ingesteld. Je moet dus ook de status invoeren. ErrorFailedToLoadModuleDescriptorForXXX=Kan modulebeschrijvingsklasse voor %s niet laden ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Onjuiste definitie van menureeks in modulebeschrijving (slechte waarde voor sleutel fk_menu) @@ -240,7 +245,7 @@ ErrorURLMustStartWithHttp=URL %s moet beginnen met http: // of https: // ErrorHostMustNotStartWithHttp=Hostnaam %s mag NIET beginnen met http:// of https:// ErrorNewRefIsAlreadyUsed=Fout, de nieuwe referentie is al gebruikt ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Fout, verwijder betaling gekoppeld aan een gesloten factuur is niet mogelijk. -ErrorSearchCriteriaTooSmall=Zoekcriteria te klein. +ErrorSearchCriteriaTooSmall=Zoekcriteria te kort. ErrorObjectMustHaveStatusActiveToBeDisabled=Objecten moeten de status 'Actief' hebben om te worden uitgeschakeld ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objecten moeten de status 'Concept' of 'Uitgeschakeld' hebben om te worden ingeschakeld ErrorNoFieldWithAttributeShowoncombobox=Geen velden hebben eigenschap 'showoncombobox' in de definitie van object '%s'. Geen manier om de combolist te laten zien. @@ -259,7 +264,7 @@ ErrorReplaceStringEmpty=Fout, de tekenreeks waarin moet worden vervangen, is lee ErrorProductNeedBatchNumber=Fout, product '%s' heeft een lot/serienummer nodig ErrorProductDoesNotNeedBatchNumber=Fout, product '%s' accepteert geen lot- /serienummer ErrorFailedToReadObject=Fout, kan object van het type%s niet lezen -ErrorParameterMustBeEnabledToAllwoThisFeature=Fout, parameter %s moet zijn ingeschakeld inconf / conf.phpom het gebruik van de opdrachtregelinterface door de interne taakplanner mogelijk te maken +ErrorParameterMustBeEnabledToAllwoThisFeature=Fout, parameter %s moet zijn ingeschakeld in conf/conf.php<> om het gebruik van de opdrachtregelinterface door de interne taakplanner mogelijk te maken ErrorLoginDateValidity=Fout, deze login valt buiten de geldigheidsperiode ErrorValueLength=Lengte van veld '%s' moet hoger zijn dan '%s' ErrorReservedKeyword=Het woord '%s' is een gereserveerd trefwoord @@ -296,11 +301,12 @@ ErrorAjaxRequestFailed=Verzoek mislukt ErrorThirpdartyOrMemberidIsMandatory=Derde partij of lid van maatschap is verplicht ErrorFailedToWriteInTempDirectory=Kan niet schrijven in tijdelijke map ErrorQuantityIsLimitedTo=De hoeveelheid is beperkt tot %s -ErrorFailedToLoadThirdParty=Kan derde partij niet vinden/laden van id=%s, e-mail=%s, naam=%s +ErrorFailedToLoadThirdParty=Kan derde partij niet vinden/laden van id=%s, email=%s, name= %s ErrorThisPaymentModeIsNotSepa=Deze betalingswijze is geen bankrekening -ErrorStripeCustomerNotFoundCreateFirst=Stripe-klant is niet ingesteld voor deze derde partij (of ingesteld op een waarde die is verwijderd aan de kant van Stripe). Maak het eerst aan (of voeg het opnieuw toe). +ErrorStripeCustomerNotFoundCreateFirst=Stripe Klant is niet ingesteld voor deze derde partij (of ingesteld op een waarde die is verwijderd aan de Stripe-kant). Maak het eerst (of koppel het opnieuw). ErrorCharPlusNotSupportedByImapForSearch=IMAP-zoeken kan niet zoeken naar afzender of ontvanger voor een tekenreeks die het teken + bevat ErrorTableNotFound=Tabel %s niet gevonden +ErrorRefNotFound=Ref %s niet gevonden ErrorValueForTooLow=Waarde voor %s is te laag ErrorValueCantBeNull=Waarde voor %s kan niet null zijn ErrorDateOfMovementLowerThanDateOfFileTransmission=De datum van de banktransactie kan niet lager zijn dan de datum van de bestandsoverdracht @@ -318,9 +324,13 @@ ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Fout: de URL van uw hu ErrorMenuExistValue=Er bestaat al een menu met deze titel of URL ErrorSVGFilesNotAllowedAsLinksWithout=SVG-bestanden zijn niet toegestaan als externe links zonder de optie %s ErrorTypeMenu=Het is niet mogelijk om nog een menu toe te voegen voor dezelfde module op de navigatiebalk, nog niet verwerkt +ErrorObjectNotFound = Het object %s is niet gevonden. Controleer uw URL +ErrorCountryCodeMustBe2Char=De landcode moet een reeks van 2 tekens zijn + ErrorTableExist=Tabel %s bestaat al ErrorDictionaryNotFound=Woordenboek %s niet gevonden -ErrorFailedToCreateSymLinkToMedias=Failed to create the symlinks %s to point to %s +ErrorFailedToCreateSymLinkToMedias=Kan de symbolische link %s niet maken om naar %s te verwijzen +ErrorCheckTheCommandInsideTheAdvancedOptions=Controleer de opdracht die voor de export wordt gebruikt in de geavanceerde opties van de export # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Uw PHP-parameter upload_max_filesize (%s) is hoger dan PHP-parameter post_max_size (%s). Dit is geen consistente opstelling. @@ -359,10 +369,12 @@ WarningPaypalPaymentNotCompatibleWithStrict=De waarde 'Strikt' zorgt ervoor dat WarningThemeForcedTo=Waarschuwing, thema is gedwongen naar %s door verborgen constante MAIN_FORCETHEME WarningPagesWillBeDeleted=Waarschuwing, hiermee worden ook alle bestaande pagina's/containers van de website verwijderd. U moet uw website eerder exporteren, zodat u een back-up heeft om deze later opnieuw te importeren. WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Automatische validatie is uitgeschakeld wanneer de optie om voorraad te verminderen is ingesteld op "Factuurvalidatie". -WarningModuleNeedRefrech = Module %s is uitgeschakeld. Vergeet het niet in te schakelen +WarningModuleNeedRefresh = Module %s is uitgeschakeld. Vergeet niet deze in te schakelen WarningPermissionAlreadyExist=Bestaande machtigingen voor dit object WarningGoOnAccountancySetupToAddAccounts=Als deze lijst leeg is, ga dan naar menu %s - %s - %s om rekeningen voor uw rekeningschema te laden of te maken. WarningCorrectedInvoiceNotFound=Gecorrigeerde factuur niet gevonden +WarningCommentNotFound=Controleer de plaatsing van begin- en eindopmerkingen voor de sectie %s in de sectie bestand %s voordat u uw actie indient +WarningAlreadyReverse=voorraad beweging al omgekeerd SwissQrOnlyVIR = SwissQR-factuur kan alleen worden toegevoegd aan facturen die zijn ingesteld om te worden betaald met overboekingen. SwissQrCreditorAddressInvalid = Crediteur adres is ongeldig (zijn postcode en plaats ingesteld? (%s) diff --git a/htdocs/langs/nl_NL/holiday.lang b/htdocs/langs/nl_NL/holiday.lang index 083f11a1717..738f42aed16 100644 --- a/htdocs/langs/nl_NL/holiday.lang +++ b/htdocs/langs/nl_NL/holiday.lang @@ -5,7 +5,7 @@ Holiday=Vertrekken CPTitreMenu=Vertrekken MenuReportMonth=Maandoverzicht MenuAddCP=Nieuw verlofverzoek -MenuCollectiveAddCP=Nieuwe collectieve verlofaanvraag +MenuCollectiveAddCP=Nieuw collectief verlof NotActiveModCP=U moet de module Verlaten inschakelen om deze pagina te bekijken. AddCP=Aanmaken verlofverzoek DateDebCP=Begindatum @@ -95,14 +95,14 @@ UseralreadyCPexist=Over deze periode is al een verlofaanvraag gedaan voor %s. groups=Groepen users=Gebruikers AutoSendMail=Automatische mailing -NewHolidayForGroup=Nieuwe collectieve verlofaanvraag -SendRequestCollectiveCP=Collectieve verlofaanvraag versturen +NewHolidayForGroup=Nieuw collectief verlof +SendRequestCollectiveCP=Creëer collectief verlof AutoValidationOnCreate=Automatische validatie FirstDayOfHoliday=Begin dag verlofaanvraag LastDayOfHoliday=Einde verlofdag aanvraag HolidaysMonthlyUpdate=Maandelijkse update ManualUpdate=Handmatige update -HolidaysCancelation=Annuleren verlofverzoek +HolidaysCancelation=Verlofaanvraag annuleren EmployeeLastname=Medewerker achternaam EmployeeFirstname=Medewerker voornaam TypeWasDisabledOrRemoved=Verlofsoort (id %s) is niet actief of verwijderd @@ -144,7 +144,7 @@ WatermarkOnDraftHolidayCards=Watermerken op ontwerp verlofaanvragen HolidaysToApprove=Vakanties goed te keuren NobodyHasPermissionToValidateHolidays=Niemand heeft toestemming om verlofaanvragen te valideren HolidayBalanceMonthlyUpdate=Maandelijkse update van het verlofsaldo -XIsAUsualNonWorkingDay=%s is meestal een NIET-werkdag +XIsAUsualNonWorkingDay=%s is doorgaans een NIET-werkdag BlockHolidayIfNegative=Blokkeren als saldo negatief LeaveRequestCreationBlockedBecauseBalanceIsNegative=Het aanmaken van deze verlofaanvraag is geblokkeerd omdat je saldo negatief is ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Verlofverzoek %s moet worden opgesteld, geannuleerd of worden geweigerd om te worden verwijderd diff --git a/htdocs/langs/nl_NL/hrm.lang b/htdocs/langs/nl_NL/hrm.lang index 0914843b1b4..2bc6df7e564 100644 --- a/htdocs/langs/nl_NL/hrm.lang +++ b/htdocs/langs/nl_NL/hrm.lang @@ -26,6 +26,7 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Standaardbeschrijving van rangen wanneer vaardighe deplacement=dienst\n DateEval=Evaluatie datum JobCard=Werk kaart +NewJobProfile=Nieuw functieprofiel JobProfile=Functieprofiel JobsProfiles=Werk profielen NewSkill=Nieuwe vaardigheid @@ -36,7 +37,7 @@ rank=Rang ErrNoSkillSelected=Geen vaardigheid geselecteerd ErrSkillAlreadyAdded=Deze vaardigheid staat al in de lijst SkillHasNoLines=Deze vaardigheid heeft geen regels -skill=Vaardigheid +Skill=Vaardigheid Skills=Vaardigheden SkillCard=Vaardigheidskaart EmployeeSkillsUpdated=Vaardigheden van werknemers zijn bijgewerkt (zie tabblad "Vaardigheden" van werknemerskaart) @@ -44,10 +45,13 @@ Eval=Evaluatie Evals=Evaluaties NewEval=Nieuwe evaluatie ValidateEvaluation=Evaluatie valideren -ConfirmValidateEvaluation=Weet u zeker dat u deze evaluatie wilt valideren met referentie %s ? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=Evaluatiekaart RequiredRank=Vereiste rang voor het functieprofiel +RequiredRankShort=Vereiste rang +PositionsWithThisProfile=Functies met dit functieprofiel EmployeeRank=Werknemersrang voor deze vaardigheid +EmployeeRankShort=Rang van werknemer EmployeePosition=Functie werknemer EmployeePositions=Werknemersfuncties EmployeesInThisPosition=Medewerkers in deze functie @@ -56,17 +60,17 @@ group2ToCompare=Tweede gebruikersgroep ter vergelijking OrJobToCompare=Vergelijk met vaardigheidseisen van een functieprofiel difference=Verschil CompetenceAcquiredByOneOrMore=Competentie verworven door een of meer gebruikers maar niet gevraagd door de tweede vergelijker -MaxlevelGreaterThan=Maximaal niveau hoger dan het gevraagde -MaxLevelEqualTo=Max niveau gelijk aan die vraag -MaxLevelLowerThan=Max niveau lager dan die vraag -MaxlevelGreaterThanShort=Werknemersniveau hoger dan gevraagd -MaxLevelEqualToShort=Werknemersniveau is gelijk aan die vraag -MaxLevelLowerThanShort=Werknemersniveau lager dan die vraag +MaxlevelGreaterThan=Het medewerkersniveau is hoger dan het verwachte niveau +MaxLevelEqualTo=Het medewerkersniveau is gelijk aan het verwachte niveau +MaxLevelLowerThan=Het medewerkersniveau is lager dan het verwachte niveau +MaxlevelGreaterThanShort=Niveau hoger dan verwacht +MaxLevelEqualToShort=Niveau gelijk aan het verwachte niveau +MaxLevelLowerThanShort=Niveau lager dan verwacht SkillNotAcquired=Vaardigheid niet verworven door alle gebruikers en gevraagd door de tweede vergelijker legend=Legende TypeSkill=Vaardigheidstype: -AddSkill=Vaardigheden toevoegen aan baan -RequiredSkills=Vereiste vaardigheden voor deze baan +AddSkill=Voeg vaardigheden toe aan het functieprofiel +RequiredSkills=Vereiste vaardigheden voor dit functieprofiel UserRank=Gebruikersrang SkillList=Vaardighedenlijst SaveRank=Rang opslaan @@ -85,8 +89,9 @@ VacantCheckboxHelper=Als u deze optie aanvinkt, worden openstaande vacatures wee SaveAddSkill = Vaardigheid(en) toegevoegd SaveLevelSkill = Vaardigheidsniveau opgeslagen DeleteSkill = Vaardigheid verwijderd -SkillsExtraFields=Attributs supplémentaires (Compétences) -JobsExtraFields=Attributs supplémentaires (Functieprofiel) -EvaluationsExtraFields=Attributs supplémentaires (Evaluaties) +SkillsExtraFields=Complementaire kenmerken (vaardigheden) +JobsExtraFields=Aanvullende kenmerken (Functieprofiel) +EvaluationsExtraFields=Complementaire attributen (Evaluaties) NeedBusinessTravels=Zakenreizen nodig NoDescription=Geen beschrijving +TheJobProfileHasNoSkillsDefinedFixBefore=In het geëvalueerde functieprofiel van deze medewerker zijn geen vaardigheden gedefinieerd. Voeg vaardigheid(en) toe, verwijder de evaluatie en start deze opnieuw. diff --git a/htdocs/langs/nl_NL/main.lang b/htdocs/langs/nl_NL/main.lang index 269170130d2..c2162662fb7 100644 --- a/htdocs/langs/nl_NL/main.lang +++ b/htdocs/langs/nl_NL/main.lang @@ -36,7 +36,7 @@ NoTranslation=Geen vertaling beschikbaar Translation=Vertaling Translations=Vertalingen CurrentTimeZone=Tijdzone PHP (server) -EmptySearchString=Vul geen lege zoekcriteria in +EmptySearchString=Voer niet-lege zoekcriteria in EnterADateCriteria=Voer een datum criterium in NoRecordFound=Geen record gevonden NoRecordDeleted=Geen record verwijderd @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Mail versturen mislukt (afzender=%s, ontvanger=%s) ErrorFileNotUploaded=Bestand is niet geüpload. Controleer of de grootte niet meer is dan maximaal is toegestaan, of er vrije ruimte beschikbaar is op de schijf en of er niet al een bestand met dezelfde naam in deze map bestaat. ErrorInternalErrorDetected=Fout ontdekt ErrorWrongHostParameter=Verkeerde host instelling -ErrorYourCountryIsNotDefined=Uw land is niet gedefinieerd. Ga naar Home-Instellingen-Wijzigen en post het formulier opnieuw. +ErrorYourCountryIsNotDefined=Uw land is niet gedefinieerd. Ga naar Home-Setup-bedrijf/Foundation en plaats het formulier opnieuw. ErrorRecordIsUsedByChild=Kan dit record niet verwijderen. Dit record wordt gebruikt door ten minste één kindrecord. ErrorWrongValue=Verkeerde waarde ErrorWrongValueForParameterX=Verkeerde waarde voor de parameter %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Fout, geen BTW-tarieven voor land '%s'. ErrorNoSocialContributionForSellerCountry=Fout, geen sociale/fiscale belastingtypen gedefinieerd voor land '%s'. ErrorFailedToSaveFile=Fout, bestand opslaan mislukt. ErrorCannotAddThisParentWarehouse=U probeert een bovenliggend magazijn toe te voegen dat al een kind van een bestaand magazijn is +ErrorInvalidSubtype=Het geselecteerde subtype is niet toegestaan FieldCannotBeNegative=Veld "%s" mag niet negatief zijn MaxNbOfRecordPerPage=Max. aantal records per pagina NotAuthorized=U bent hiervoor niet bevoegd. @@ -103,7 +104,8 @@ RecordGenerated=Record gegenereerd LevelOfFeature=Niveau van de functionaliteiten NotDefined=Niet gedefinieerd DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr Authenticatie modus is ingesteld op %s in configuratiebestand conf.php.
      Dit betekent dat de wachtwoorddatabase extern is van Dolibarr. Dit veld wijzigen heeft mogelijk geen effect . -Administrator=Beheerder +Administrator=Systeem administrator +AdministratorDesc=Systeembeheerder (kan gebruiker, rechten beheren, maar ook systeeminstellingen en modules configureren) Undefined=Ongedefineerd PasswordForgotten=Wachtwoord vergeten? NoAccount=Geen account? @@ -211,8 +213,8 @@ Select=Selecteer SelectAll=Selecteer alles Choose=Kies Resize=Schalen +Crop=Bijsnijden ResizeOrCrop=Formaat wijzigen of bijsnijden -Recenter=Centeren Author=Auteur User=Gebruiker Users=Gebruikers @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Bijkomende centen +LT1GC=Extra centen VATRate=BTW-tarief RateOfTaxN=Belastingtarief %s VATCode=Belastingtariefcode @@ -547,6 +549,7 @@ Reportings=Rapportage Draft=Concept Drafts=Concepten StatusInterInvoiced=gefactureerd +Done=Uitgevoerd Validated=Gevalideerd ValidatedToProduce=Gevalideerd (om te produceren) Opened=Open @@ -698,6 +701,7 @@ Response=Antwoord Priority=Prioriteit SendByMail=Verzenden per e-mail MailSentBy=E-mail verzonden door +MailSentByTo=E-mail verzonden door %s naar %s NotSent=Niet verzonden TextUsedInTheMessageBody=E-mailinhoud SendAcknowledgementByMail=Stuur e-mail ter bevestiging @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Tabelregel succesvol gewijzigd RecordsModified=%s record (s) gewijzigd RecordsDeleted=%s record (s) verwijderd RecordsGenerated=%s record (s) gegenereerd +ValidatedRecordWhereFound = Sommige van de geselecteerde records zijn al gevalideerd. Er zijn geen records verwijderd. AutomaticCode=Automatische code FeatureDisabled=Functie uitgeschakeld MoveBox=Verplaats widget @@ -764,11 +769,10 @@ DisabledModules=Uitgeschakelde modules For=Voor ForCustomer=Voor de afnemer Signature=Handtekening -DateOfSignature=Datum van ondertekening HidePassword=Toon opdracht met verborgen wachtwoord UnHidePassword=Toon opdracht met zichtbaar wachtwoord Root=Root -RootOfMedias=Root van publieke media (/ media) +RootOfMedias=Wortel van publieke media (/medias) Informations=Informatie Page=Pagina Notes=Notitie @@ -916,6 +920,7 @@ BackOffice=Back office Submit=Bevestigen View=Bekijk Export=Export +Import=Importeren Exports=Export ExportFilteredList=Exporteren gefilterde lijst ExportList=Exporteer lijst @@ -949,7 +954,7 @@ BulkActions=Bulkacties ClickToShowHelp=Klik om tooltip-help weer te geven WebSite=Website WebSites=Websites -WebSiteAccounts=Website accounts +WebSiteAccounts=Webtoegangsaccounts ExpenseReport=Rapportage kosten ExpenseReports=Onkostennota's HR=HR @@ -1077,6 +1082,7 @@ CommentPage=Reacties ruimte CommentAdded=Reactie toegevoegd CommentDeleted=Reactie verwijderd Everybody=Iedereen +EverybodySmall=Iedereen PayedBy=Betaald door PayedTo=Betaald om Monthly=Maandelijks @@ -1089,7 +1095,7 @@ KeyboardShortcut=Sneltoets AssignedTo=Geaffecteerden Deletedraft=Concept verwijderen ConfirmMassDraftDeletion=Bevestiging van de massa-verwijdering -FileSharedViaALink=Bestand gedeeld met een openbare link +FileSharedViaALink=Openbaar bestand gedeeld via link SelectAThirdPartyFirst=Selecteer eerst een derde ... YouAreCurrentlyInSandboxMode=U bent momenteel in de %s "sandbox" -modus Inventory=Inventarisering @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Taak ContactDefault_propal=Offerte ContactDefault_supplier_proposal=Voorstel van leverancier ContactDefault_ticket=Ticket -ContactAddedAutomatically=Contact toegevoegd vanuit contactpersonen +ContactAddedAutomatically=Contact toegevoegd vanuit contactrollen van derden More=Meer ShowDetails=Toon details CustomReports=Aangepaste rapportage @@ -1163,8 +1169,8 @@ AffectTag=Wijs een label toe AffectUser=Wijs een gebruiker toe SetSupervisor=Stel de supervisor in CreateExternalUser=Externe gebruiker aanmaken -ConfirmAffectTag=Toewijzing van bulklabels -ConfirmAffectUser=Toewijzing van bulkgebruikers +ConfirmAffectTag=Bulk Label toewijzing +ConfirmAffectUser=Bulkgebruikerstoewijzing ProjectRole=Rol toegewezen aan elk project/kans TasksRole=Rol toegewezen aan elke taak (indien gebruikt) ConfirmSetSupervisor=Bulk Supervisor-set @@ -1222,7 +1228,7 @@ UserAgent=Gebruikersagent InternalUser=Interne gebruiker ExternalUser=Externe gebruiker NoSpecificContactAddress=Geen specifiek contact of adres -NoSpecificContactAddressBis=Dit tabblad is bedoeld om specifieke contacten of adressen voor het huidige object te forceren. Gebruik het alleen als u een of meer specifieke contactpersonen of adressen voor het object wilt definiëren wanneer de informatie over de derde partij niet voldoende of niet nauwkeurig is. +NoSpecificContactAddressBis=Dit tabblad is bedoeld om specifieke contacten of adressen voor het huidige object te forceren. Gebruik het alleen als u een of meerdere specifieke contactpersonen of adressen voor het object wilt definiëren wanneer de informatie over de derde partij niet voldoende of niet nauwkeurig is. HideOnVCard=Verberg %s AddToContacts=Adres toevoegen aan mijn contacten LastAccess=Laatste toegang @@ -1237,5 +1243,20 @@ SearchSyntaxTooltipForStringOrNum=Voor het zoeken in tekstvelden kunt u de teken InProgress=In behandeling DateOfPrinting=Datum van afdrukken ClickFullScreenEscapeToLeave=Klik hier om over te schakelen naar de modus Volledig scherm. Druk op ESCAPE om de modus Volledig scherm te verlaten. -UserNotYetValid=Not yet valid +UserNotYetValid=Nog niet geldig UserExpired=Verlopen +LinkANewFile=Koppel een nieuw bestand/document +LinkedFiles=Gekoppelde bestanden en documenten +NoLinkFound=Geen geregistreerde koppelingen +LinkComplete=Het bestand is succesvol gekoppeld +ErrorFileNotLinked=Het bestand kon niet gekoppeld worden +LinkRemoved=De koppeling %s is verwijderd +ErrorFailedToDeleteLink= Kon de verbinding '%s' niet verwijderen +ErrorFailedToUpdateLink= Kon verbinding '%s' niet bijwerken +URLToLink=URL naar link +OverwriteIfExists=Overschrijven als het bestand bestaat +AmountSalary=Salaris bedrag +InvoiceSubtype=Factuur subtype +ConfirmMassReverse=Bulk-omgekeerde bevestiging +ConfirmMassReverseQuestion=Weet u zeker dat u de %s geselecteerde record(s) wilt terugdraaien? + diff --git a/htdocs/langs/nl_NL/modulebuilder.lang b/htdocs/langs/nl_NL/modulebuilder.lang index b0aa7f7be0d..a9e644d92ac 100644 --- a/htdocs/langs/nl_NL/modulebuilder.lang +++ b/htdocs/langs/nl_NL/modulebuilder.lang @@ -40,7 +40,7 @@ EditorName=Naam van de redacteur EditorUrl=URL van editor DescriptorFile=Descriptorbestand van module ClassFile=Bestand voor PHP DAO CRUD class -ApiClassFile=Bestand voor PHP API-klasse +ApiClassFile=API-bestand van module PageForList=PHP-pagina voor recordlijst PageForCreateEditView=PHP-pagina om een ​​record te maken / bewerken / bekijken PageForAgendaTab=PHP-pagina voor evenemententabblad @@ -71,7 +71,7 @@ ArrayOfKeyValues=Matrix van key-val ArrayOfKeyValuesDesc=Reeks sleutels en waarden als het veld een keuzelijst met vaste waarden is WidgetFile=Widget-bestand CSSFile=CSS-bestand -JSFile=Javascript-bestand +JSFile=JavaScript-bestand ReadmeFile=Leesmij-bestand ChangeLog=ChangeLog-bestand TestClassFile=Bestand voor PHP Unit Testklasse @@ -92,8 +92,8 @@ ListOfMenusEntries=Lijst met menu-items ListOfDictionariesEntries=Lijst met woordenboekingangen ListOfPermissionsDefined=Lijst met gedefinieerde machtigingen SeeExamples=Zie hier voorbeelden -EnabledDesc=Voorwaarde om dit veld actief te hebben.

      Voorbeelden:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=Is het veld zichtbaar? (Voorbeelden: 0=Nooit zichtbaar, 1=Zichtbaar op lijst en formulieren maken/bijwerken/bekijken, 2=Alleen zichtbaar op lijst, 3=Alleen zichtbaar op formulier maken/bijwerken/bekijken (geen lijst), 4=Zichtbaar op lijst en alleen formulier bijwerken/bekijken (niet maken), 5=Zichtbaar op lijst en alleen formulier weergeven (niet maken, niet bijwerken). +EnabledDesc=Voorwaarde om dit veld actief te hebben.

      Voorbeelden:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=Is het veld zichtbaar? (Voorbeelden: 0=Nooit zichtbaar, 1=Zichtbaar op lijst en formulieren maken/bijwerken/bekijken, 2=Alleen zichtbaar op lijst, 3=Alleen zichtbaar op formulier maken/bijwerken/bekijken (niet op lijsten), 4=Zichtbaar op lijsten en alleen formulier bijwerken/bekijken (niet maken), 5=Alleen zichtbaar in lijst en formulier bekijken (niet maken, niet bijwerken).

      Het gebruik van een negatieve waarde betekent dat het veld niet standaard in de lijst wordt weergegeven, maar kan worden geselecteerd om te bekijken). ItCanBeAnExpression=Het kan een uitdrukking zijn. Voorbeeld:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 DisplayOnPdfDesc=Geef dit veld weer op compatibele PDF-documenten, u kunt de positie beheren met het veld "Positie".
      Voor document:
      0 = niet weergegeven
      1 = weergeven
      2 = alleen weergeven indien niet leeg

      Voor documentregels:
      0 = niet weergegeven
      1 = weergegeven in een kolom
      3 = weergegeven in regelbeschrijving kolom na de omschrijving
      4 = weergave in omschrijving kolom na de omschrijving alleen indien niet leeg DisplayOnPdf=Op pdf @@ -107,7 +107,7 @@ PermissionsDefDesc=Definieer hier de nieuwe machtigingen van uw module MenusDefDescTooltip=De menu's die door uw module/toepassing worden geleverd, zijn gedefinieerd in de array $this->menus in het moduledescriptorbestand. U kunt dit bestand handmatig bewerken of de ingesloten editor gebruiken.

      Opmerking: Eenmaal gedefinieerd (en de module opnieuw geactiveerd), zijn de menu's ook zichtbaar in de menu-editor die beschikbaar is voor beheerders op %s. DictionariesDefDescTooltip=De woordenboeken van uw module / applicatie worden gedefinieerd in de array $ this-> woordenboeken in het modulebeschrijvingsbestand. U kunt dit bestand handmatig bewerken of de ingesloten editor gebruiken.

      Opmerking: eenmaal gedefinieerd (en module opnieuw geactiveerd), zijn woordenboeken ook zichtbaar in het installatiegebied voor beheerders op %s. PermissionsDefDescTooltip=De machtigingen die door uw module / toepassing worden verstrekt, worden gedefinieerd in de array $ this-> -rechten in het modulebeschrijvingsbestand. U kunt dit bestand handmatig bewerken of de ingesloten editor gebruiken.

      Opmerking: Eenmaal gedefinieerd (en module opnieuw geactiveerd), zijn machtigingen zichtbaar in de standaardinstellingen voor machtigingen %s. -HooksDefDesc=Definieer in de eigenschap module_parts ['hooks'] , in de modulebeschrijving, de context van hooks die u wilt beheren (lijst met contexten kan worden gevonden door te zoeken op 'initHooks (' in kerncode).
      Bewerk het haakbestand om code van uw gekoppelde functies toe te voegen (haakbare functies zijn te vinden door te zoeken op 'executeHooks' in de kerncode). +HooksDefDesc=Definieer in de eigenschap module_parts['hooks'], in het moduledescriptorbestand, de lijst met contexten wanneer uw hook moet worden uitgevoerd (de lijst met mogelijke contexten kan worden gevonden door te zoeken op 'initHooks(' in de kerncode) .
      Bewerk vervolgens het bestand met hooks-code met de code van uw gekoppelde functies (de lijst met hookable-functies kunt u vinden door te zoeken op ' executeHooks' in kerncode). TriggerDefDesc=Definieer in het triggerbestand de code die u wilt uitvoeren wanneer een zakelijke gebeurtenis buiten uw module wordt uitgevoerd (gebeurtenissen die door andere modules worden getriggerd). SeeIDsInUse=Zie ID's die in uw installatie worden gebruikt SeeReservedIDsRangeHere=Zie bereik van gereserveerde ID's @@ -128,7 +128,7 @@ RealPathOfModule=Echt pad van module ContentCantBeEmpty=Inhoud van bestand mag niet leeg zijn WidgetDesc=U kunt hier de widgets genereren en bewerken die worden ingesloten in uw module. CSSDesc=U kunt hier een bestand genereren en bewerken met gepersonaliseerde CSS die is ingesloten in uw module. -JSDesc=U kunt hier een bestand genereren en bewerken met gepersonaliseerde Javascript dat is ingesloten in uw module. +JSDesc=U kunt hier een bestand genereren en bewerken met gepersonaliseerd JavaScript dat in uw module is ingesloten. CLIDesc=U kunt hier enkele opdrachtregelscripts genereren die u bij uw module wilt opnemen. CLIFile=CLI-bestand NoCLIFile=Geen CLI-bestanden @@ -148,8 +148,8 @@ CSSViewClass=CSS voor leesformulier CSSListClass=CSS voor lijst NotEditable=Niet bewerkbaar ForeignKey=Vreemde sleutel -ForeignKeyDesc=Als de waarde van dit veld gegarandeerd moet bestaan in een andere tabel. Voer hier een syntaxis in die overeenkomt met de waarde: tablename.parentfieldtocheck -TypeOfFieldsHelp=Voorbeeld:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      ' 1' betekent dat we een + knop toevoegen na de combo om het record te maken
      'filter' is een sql-voorwaarde, voorbeeld: 'status=1 AND fk_user=__USER_ID__ AND entiteit IN (__SHARED_ENTITIES__)' +ForeignKeyDesc=Als de waarde van dit veld gegarandeerd in een andere tabel voorkomt. Voer hier een waarde-matchende syntaxis in: tabelnaam.parentfieldtocheck +TypeOfFieldsHelp=Voorbeeld:
      varchar(99)
      e-mail
      telefoon
      ip
      url
      wachtwoord
      span>double(24,8)
      real
      tekst
      html
      datum
      datumtijd
      tijdstempel
      geheel getal
      geheel getal:ClassName:relatiefpad/naar/classfile.class.php[:1[:filter]]

      '1' betekent dat we een +-knop toevoegen na de combo om de record te maken
      'filter' is een Syntaxisvoorwaarde voor universeel filter, voorbeeld: '((status:=:1) AND (fk_user:=:__USER_ID__) AND (entiteit:IN:(__SHARED_ENTITIES__))' TypeOfFieldsHelpIntro=Dit is het type van het veld/attribuut. AsciiToHtmlConverter=Ascii naar HTML converter AsciiToPdfConverter=Ascii naar PDF converter @@ -163,11 +163,11 @@ ListOfTabsEntries=Lijst met tabbladitems TabsDefDesc=Definieer hier de tabbladen van uw module TabsDefDescTooltip=De tabbladen die door uw module/toepassing worden geleverd, zijn gedefinieerd in de array $this->tabs in het moduledescriptorbestand. U kunt dit bestand handmatig bewerken of de ingesloten editor gebruiken. BadValueForType=Onjuiste waarde voor type %s -DefinePropertiesFromExistingTable=Define the fields/properties from an existing table +DefinePropertiesFromExistingTable=Definieer de velden/eigenschappen uit een bestaande tabel DefinePropertiesFromExistingTableDesc=Als er al een tabel in de database (voor het aan te maken object) bestaat, kunt u deze gebruiken om de eigenschappen van het object te definiëren. DefinePropertiesFromExistingTableDesc2=Laat leeg als de tabel nog niet bestaat. De codegenerator gebruikt verschillende soorten velden om een voorbeeld van een tabel samen te stellen die u later kunt bewerken. -GeneratePermissions=I want to manage permissions on this object -GeneratePermissionsHelp=If you check this, some code will be added to manage permissions to read, write and delete record of the objects +GeneratePermissions=Ik wil de machtigingen voor dit object beheren +GeneratePermissionsHelp=Als u dit aanvinkt, wordt er code toegevoegd om de machtigingen voor het lezen, schrijven en verwijderen van records van de objecten te beheren PermissionDeletedSuccesfuly=Toestemming is succesvol verwijderd PermissionUpdatedSuccesfuly=Toestemming is succesvol geüpdatet PermissionAddedSuccesfuly=Toestemming is succesvol toegevoegd @@ -180,4 +180,10 @@ CRUDCreateWrite=Maken of bijwerken FailedToAddCodeIntoDescriptor=Kan code niet toevoegen aan descriptor. Controleer of de tekenreekscommentaar "%s" nog aanwezig is in het bestand. DictionariesCreated=Woordenboek %s succesvol aangemaakt DictionaryDeleted=Woordenboek %s succesvol verwijderd -PropertyModuleUpdated=Property %s has been update successfully +PropertyModuleUpdated=Property %s is succesvol bijgewerkt +InfoForApiFile=* Wanneer u voor de eerste keer een bestand genereert, worden alle methoden voor elk object gemaakt.
      * Wanneer u in remove klikt, verwijdert u gewoon alle methoden voor de
      geselecteerd object. +SetupFile=Pagina voor module-instellingen +EmailingSelectors=Selectors voor e-mailings +EmailingSelectorDesc=U kunt hier de klasbestanden genereren en bewerken om nieuwe e-maildoelkiezers te bieden voor de module voor massa-e-mailen +EmailingSelectorFile=Selectiebestand voor e-mails +NoEmailingSelector=Geen e-mailselectiebestand diff --git a/htdocs/langs/nl_NL/oauth.lang b/htdocs/langs/nl_NL/oauth.lang index 16183d1fb87..9487a9ff891 100644 --- a/htdocs/langs/nl_NL/oauth.lang +++ b/htdocs/langs/nl_NL/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Token verwijderd GetAccess=Klik hier om een token te krijgen RequestAccess=Klik hier om toegang aan te vragen/verlengen en een nieuw token te ontvangen DeleteAccess=Klik hier om het token te verwijderen -UseTheFollowingUrlAsRedirectURI=Gebruik de volgende URL als de omleidings-URI bij het maken van uw inloggegevens bij uw OAuth-provider: +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Voeg uw OAuth2-tokenproviders toe. Ga vervolgens naar de beheerderspagina van uw OAuth-provider om een OAuth-ID en -geheim te maken/op te halen en deze hier op te slaan. Als u klaar bent, schakelt u het andere tabblad in om uw token te genereren. OAuthSetupForLogin=Pagina om OAuth-tokens te beheren (genereren/verwijderen). SeePreviousTab=Zie vorige tab diff --git a/htdocs/langs/nl_NL/products.lang b/htdocs/langs/nl_NL/products.lang index d998f980e63..ab8f3950127 100644 --- a/htdocs/langs/nl_NL/products.lang +++ b/htdocs/langs/nl_NL/products.lang @@ -80,8 +80,11 @@ SoldAmount=Aantal verkocht PurchasedAmount=Aantal ingekocht NewPrice=Nieuwe prijs MinPrice=Min. verkoopprijs +MinPriceHT=Min. verkoopprijs (excl. belasting) +MinPriceTTC=Min. verkoopprijs (incl. belasting) EditSellingPriceLabel=Bewerk het label met de verkoopprijs -CantBeLessThanMinPrice=De verkoopprijs kan niet lager zijn dan de minimumprijs voor dit product ( %s zonder belasting) +CantBeLessThanMinPrice=De verkoopprijs mag niet lager zijn dan de minimaal toegestane prijs voor dit product (%s zonder belasting). Dit bericht kan ook verschijnen als u een aanzienlijke korting typt. +CantBeLessThanMinPriceInclTax=De verkoopprijs mag niet lager zijn dan de minimaal toegestane prijs voor dit product (%s inclusief belastingen). Deze melding kan ook verschijnen als u een te belangrijke korting typt. ContractStatusClosed=Gesloten ErrorProductAlreadyExists=Een product met verwijzing %s bestaat reeds. ErrorProductBadRefOrLabel=Verkeerde waarde voor de referentie of label. @@ -351,12 +354,13 @@ PackagingForThisProductDesc=U koopt automatisch een veelvoud van deze hoeveelhei QtyRecalculatedWithPackaging=De hoeveelheid van de lijn werd herberekend volgens de verpakking van de leverancier #Attributes +Attributes=Attributen VariantAttributes=Variatie attributen ProductAttributes=Variatie attributen bij producten ProductAttributeName=Variatie attribuut %s ProductAttribute=Variatie attribuut ProductAttributeDeleteDialog=Weet u zeker dat u deze attribuut wilt verwijderen? Alle waarden hierbij zullen ook verwijderd worden -ProductAttributeValueDeleteDialog=Weet u zeker dat u de waarde "%s" met de verwijzing "%s" van dit kenmerk wilt verwijderen? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Weet u zeker dat u de variant van het product "%s" wilt verwijderen? ProductCombinationAlreadyUsed=Er is een fout opgetreden bij het verwijderen van de variant. Controleer of het niet in een object wordt gebruikt ProductCombinations=Variaties @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Er is een fout opgetreden bij het verwijderen van NbOfDifferentValues=Aantal verschillende waarden NbProducts=Aantal producten ParentProduct=Gerelateerd product +ParentProductOfVariant=Moederproduct van variant HideChildProducts=Variantproducten verbergen ShowChildProducts=Variantproducten weergeven NoEditVariants=Ga naar productkaart voor ouders en bewerk de prijsimpact van varianten op het tabblad Varianten @@ -417,7 +422,7 @@ ErrorsProductsMerge=Fouten in producten samenvoegen SwitchOnSaleStatus=Verkoopstatus inschakelen SwitchOnPurchaseStatus=Aankoopstatus inschakelen UpdatePrice=Prijs klant verhogen/verlagen -StockMouvementExtraFields= Extra velden (voorraadbeweging) +StockMouvementExtraFields= Extra velden (voorraad verplaatsing) InventoryExtraFields= Extra velden (inventaris) ScanOrTypeOrCopyPasteYourBarCodes=Scan of typ of kopieer/plak uw barcodes PuttingPricesUpToDate=Update prijzen met de huidige bekende prijzen @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Selecteer het extraveld dat u wilt wijzigen ConfirmEditExtrafieldQuestion = Weet u zeker dat u dit extraveld wilt wijzigen? ModifyValueExtrafields = Wijzig de waarde van een extraveld OrProductsWithCategories=Of producten met tags/categorieën +WarningTransferBatchStockMouvToGlobal = Als u dit product wilt deserialiseren, worden alle geserialiseerde voorraad omgezet in de globale voorraad +WarningConvertFromBatchToSerial=Als u momenteel een hoeveelheid hoger of gelijk aan 2 voor het product heeft, betekent het overstappen naar deze keuze dat u nog steeds een product heeft met verschillende objecten van dezelfde batch (terwijl u een uniek serienummer wilt). Het duplicaat blijft bestaan totdat een inventarisatie of een handmatige voorraad verplaatsing is uitgevoerd om dit probleem op te lossen. diff --git a/htdocs/langs/nl_NL/projects.lang b/htdocs/langs/nl_NL/projects.lang index 79fee62a1c1..7889df517b6 100644 --- a/htdocs/langs/nl_NL/projects.lang +++ b/htdocs/langs/nl_NL/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Uit project NoProject=Geen enkel project gedefinieerd of in eigendom NbOfProjects=Aantal projecten NbOfTasks=Aantal taken +TimeEntry=Tijdregistratie TimeSpent=Bestede tijd +TimeSpentSmall=Bestede tijd TimeSpentByYou=Uw tijdsbesteding TimeSpentByUser=Gebruikers tijdsbesteding -TimesSpent=Bestede tijd TaskId=Taak-ID RefTask=Taak ref. LabelTask=Taaklabel @@ -226,7 +227,7 @@ ProjectsStatistics=Statistieken over projecten of leads TasksStatistics=Statistieken over taken van projecten of leads TaskAssignedToEnterTime=Taak toegewezen. Tijd invoeren voor deze taak moet mogelijk zijn. IdTaskTime=Id taak tijd -YouCanCompleteRef=Als je de ref met een achtervoegsel wilt voltooien, wordt aanbevolen om een - -teken toe te voegen om het te scheiden, zodat de automatische nummering nog steeds correct werkt voor volgende projecten. Bijvoorbeeld %s-MYSUFFIX +YouCanCompleteRef=Als u de ref wilt aanvullen met een achtervoegsel, is het raadzaam een teken - toe te voegen om deze te scheiden, zodat de automatische nummering nog steeds correct werkt voor volgende projecten. Bijvoorbeeld %s-MYSUFFIX OpenedProjectsByThirdparties=Projecten in bewerking bij relaties OnlyOpportunitiesShort=Alleen leidt OpenedOpportunitiesShort=Open leads diff --git a/htdocs/langs/nl_NL/propal.lang b/htdocs/langs/nl_NL/propal.lang index cbea4862e42..c7e0f7cc020 100644 --- a/htdocs/langs/nl_NL/propal.lang +++ b/htdocs/langs/nl_NL/propal.lang @@ -12,9 +12,11 @@ NewPropal=Nieuwe offerte Prospect=Prospect DeleteProp=Offerte verwijderen ValidateProp=Offerte valideren +CancelPropal=Annuleren AddProp=Nieuwe offerte ConfirmDeleteProp=Weet u zeker dat u deze offerte wilt verwijderen? ConfirmValidateProp=Weet u zeker dat u deze offerte wilt goedkeuren met de naam %s? +ConfirmCancelPropal=Weet u zeker dat u het commerciële voorstel %s wilt annuleren? LastPropals=Laatste %s offertes LastModifiedProposals=Laatste %s aangepaste offertes AllPropals=Alle offertes @@ -27,11 +29,13 @@ NbOfProposals=Aantal offertes ShowPropal=Toon offerte PropalsDraft=Concepten PropalsOpened=Open +PropalStatusCanceled=Geannuleerd (Verlaten) PropalStatusDraft=Concept (moet worden gevalideerd) PropalStatusValidated=Gevalideerd (Offerte staat open) PropalStatusSigned=Ondertekend (te factureren) PropalStatusNotSigned=Niet ondertekend (gesloten) PropalStatusBilled=Gefactureerd +PropalStatusCanceledShort=Geannuleerd PropalStatusDraftShort=Concept PropalStatusValidatedShort=Gevalideerd (open) PropalStatusClosedShort=Gesloten @@ -114,6 +118,7 @@ RefusePropal=voorstel weigeren Sign=Teken SignContract=Teken contract SignFichinter=Onderteken interventie +SignSociete_rib=Mandaat ondertekenen SignPropal=Aanvaard voorstel Signed=ondertekend SignedOnly=Alleen gesigneerd diff --git a/htdocs/langs/nl_NL/receptions.lang b/htdocs/langs/nl_NL/receptions.lang index 78714ac7ec7..7d13c428445 100644 --- a/htdocs/langs/nl_NL/receptions.lang +++ b/htdocs/langs/nl_NL/receptions.lang @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=Verwerkt ReceptionSheet=Afleverbon ValidateReception=Valideer ontvangst ConfirmDeleteReception=Weet u zeker dat u deze ontvangst wilt verwijderen? -ConfirmValidateReception=Weet u zeker dat u deze ontvangst wilt valideren met referentie %s ? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Weet u zeker dat u deze ontvangst wilt annuleren? -StatsOnReceptionsOnlyValidated=Statistieken uitgevoerd op alleen gevalideerde ontvangsten. De gebruikte datum is de datum van validatie van de ontvangst (geplande leverdatum is niet altijd bekend). +StatsOnReceptionsOnlyValidated=Statistieken uitgevoerd op basis van uitsluitend gevalideerde ontvangsten. De gebruikte datum is de datum van ontvangstbevestiging (geplande leverdatum is niet altijd bekend). SendReceptionByEMail=Ontvangst per e-mail verzenden SendReceptionRef=Indiening van ontvangst %s ActionsOnReception=Gebeurtenissen bij ontvangst @@ -53,5 +53,6 @@ ReceptionBackToDraftInDolibarr=Receptie %s terug naar concept ReceptionClassifyClosedInDolibarr=Receptie %s geclassificeerd Gesloten ReceptionUnClassifyCloseddInDolibarr=Receptie %s heropend RestoreWithCurrentQtySaved=Vul hoeveelheden met de laatst opgeslagen waarden +ReceptionsRecorded=Recepties opgenomen ReceptionUpdated=Receptie succesvol bijgewerkt ReceptionDistribution=Ontvangst distributie diff --git a/htdocs/langs/nl_NL/sendings.lang b/htdocs/langs/nl_NL/sendings.lang index 18d8b781e10..4c55af70773 100644 --- a/htdocs/langs/nl_NL/sendings.lang +++ b/htdocs/langs/nl_NL/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Gevalideerd StatusSendingProcessedShort=Verwerkt SendingSheet=Verzendings blad ConfirmDeleteSending=Weet u zeker dat u deze zending wilt verwijderen? -ConfirmValidateSending=Weet u zeker dat u deze zending wilt valideren met als referentie %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Weet u zeker dat u deze verzending wilt annuleren? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Waarschuwing, geen producten die op verzending wachten. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Producthoeveelheid van open reeds o NoProductToShipFoundIntoStock=Geen product te verzenden in het magazijn %s . Corrigeer voorraad of teruggaan om een ​​ander magazijn te kiezen. WeightVolShort=Gewicht / Vol. ValidateOrderFirstBeforeShipment=U moet eerst de bestelling valideren voordat u zendingen kunt maken. +NoLineGoOnTabToAddSome=Geen regel. Ga naar tabblad "%s" om toe te voegen # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Som van product-gewichten # warehouse details DetailWarehouseNumber= Magazijn informatie DetailWarehouseFormat= W: %s (Aantal: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Laatst ingevoerde datum weergeven in voorraad tijdens het aanmaken van de zending voor serienummer of batch +CreationOptions=Beschikbare opties tijdens het aanmaken van de zending ShipmentDistribution=Zending distributie -ErrorTooManyCombinationBatchcode=Geen verzending voor regel %s omdat er te veel combinatiemagazijn-, product- en batchcode is gevonden (%s). -ErrorNoCombinationBatchcode=Geen verzending voor regel %s omdat er geen combinatie van magazijn-, product- en batchcode is gevonden. +ErrorTooManyCombinationBatchcode=Geen verzending voor regel %s omdat er te veel combinaties van magazijn-, product- en batchcode zijn gevonden (%s). +ErrorNoCombinationBatchcode=Kan de regel %s niet opslaan als de combinatie van magazijn-product-lot/serieel (%s, %s, %s) is niet gevonden in voorraad. + +ErrorTooMuchShipped=Het verzonden aantal mag niet groter zijn dan het bestelde aantal voor regel %s diff --git a/htdocs/langs/nl_NL/stocks.lang b/htdocs/langs/nl_NL/stocks.lang index 1307cd1213c..d5b53f37d3d 100644 --- a/htdocs/langs/nl_NL/stocks.lang +++ b/htdocs/langs/nl_NL/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=Persoonlijke voorraad %s ThisWarehouseIsPersonalStock=Dit magazijn vertegenwoordigt een persoonlijke voorraad van %s %s SelectWarehouseForStockDecrease=Kies magazijn te gebruiken voor voorraad daling SelectWarehouseForStockIncrease=Kies magazijn te gebruiken voor verhoging van voorraad +RevertProductsToStock=Producten terugzetten naar voorraad? NoStockAction=Geen stockbeweging DesiredStock=Voorkeur voorraad DesiredStockDesc=Dit voorraadbedrag is de waarde die wordt gebruikt om de voorraad te vullen met de aanvulfunctie. @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=U hebt niet genoeg voorraad, voor dit partijnummer ui ShowWarehouse=Toon magazijn MovementCorrectStock=Voorraad correctie product %s MovementTransferStock=Voorraad overdracht van het product %s in een ander magazijn +BatchStockMouvementAddInGlobal=Batch voorraad gaat naar globale voorraad (product gebruikt geen batch meer) InventoryCodeShort=Inv./Verpl. code NoPendingReceptionOnSupplierOrder=Geen openstaande ontvangst vanwege openstaande inkooporder ThisSerialAlreadyExistWithDifferentDate=Deze lot/serienummer (%s) bestaat al, maar met verschillende verval of verkoopen voor datum (gevonden %s maar u gaf in%s). @@ -210,10 +212,10 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Voorraadbewegingen hebben de datum inventoryChangePMPPermission=Sta toe om de PMP-waarde voor een product te wijzigen ColumnNewPMP=Nieuwe eenheid PMP OnlyProdsInStock=Voeg geen product toe zonder voorraad -TheoricalQty=theoretische aantal -TheoricalValue=theoretische aantal +TheoricalQty=Theoretisch aantal +TheoricalValue=Theoretisch aantal LastPA=Laatste BP -CurrentPA=Huidige BP +CurrentPA=Huidige bloeddruk RecordedQty=Aantal opgenomen RealQty=Echte aantal RealValue=Werkelijke waarde @@ -280,7 +282,7 @@ ModuleStockTransferName=Geavanceerde voorraadoverdracht ModuleStockTransferDesc=Geavanceerd beheer van Stock Transfer, met generatie van transferblad StockTransferNew=Nieuwe voorraad overdracht StockTransferList=Lijst met voorraadoverdrachten -ConfirmValidateStockTransfer=Weet u zeker dat u deze aandelenoverdracht wilt valideren met referentie %s ? +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? ConfirmDestock=Afname van voorraden met overdracht %s ConfirmDestockCancel=Afname van voorraden annuleren met overboeking %s DestockAllProduct=Afname van voorraden @@ -307,9 +309,9 @@ StockTransferDecrementationCancel=Afbouw van bronmagazijnen annuleren StockTransferIncrementationCancel=Verhoging van bestemmingsmagazijnen annuleren StockStransferDecremented=Bronmagazijnen afgenomen StockStransferDecrementedCancel=Afname van bronmagazijnen geannuleerd -StockStransferIncremented=Gesloten - Voorraden overgedragen -StockStransferIncrementedShort=Overgedragen aandelen -StockStransferIncrementedShortCancel=Toename bestemmingsmagazijnen geannuleerd +StockStransferIncremented=Gesloten - Aandelen overgedragen +StockStransferIncrementedShort=Voorraden overgedragen +StockStransferIncrementedShortCancel=Verhoging van bestemming Warenhuizen geannuleerd StockTransferNoBatchForProduct=Product %s gebruikt geen batch, wis batch online en probeer het opnieuw StockTransferSetup = Configuratie van de Aandelenoverdrachtmodule Settings=Instellingen @@ -318,8 +320,18 @@ StockTransferRightRead=Aandelenoverdrachten lezen StockTransferRightCreateUpdate=Aanmaken/bijwerken van aandelenoverdrachten StockTransferRightDelete=Aandelenoverdrachten verwijderen BatchNotFound=Lot / serienummer niet gevonden voor dit product +StockEntryDate=Datum van
      inschrijving in voorraad StockMovementWillBeRecorded=Voorraadbewegingen worden geregistreerd StockMovementNotYetRecorded=Voorraadbewegingen worden niet beïnvloed door deze stap +ReverseConfirmed=voorraad beweging is succesvol teruggedraaid + WarningThisWIllAlsoDeleteStock=Let op, dit zal ook alle hoeveelheden in voorraad in het magazijn vernietigen +ValidateInventory=Voorraadvalidatie +IncludeSubWarehouse=Submagazijn opnemen? +IncludeSubWarehouseExplanation=Vink dit vakje aan als u alle subWarenhuizen van het bijbehorende magazijn in de inventaris wilt opnemen DeleteBatch=Verwijder partij/serie ConfirmDeleteBatch=Weet u zeker dat u lot/serie wilt verwijderen? +WarehouseUsage=Magazijngebruik +InternalWarehouse=Intern magazijn +ExternalWarehouse=Extern magazijn +WarningThisWIllAlsoDeleteStock=Let op, dit zal ook alle hoeveelheden in voorraad in het magazijn vernietigen diff --git a/htdocs/langs/nl_NL/stripe.lang b/htdocs/langs/nl_NL/stripe.lang index b5e34dd8571..f9429200d0f 100644 --- a/htdocs/langs/nl_NL/stripe.lang +++ b/htdocs/langs/nl_NL/stripe.lang @@ -71,9 +71,10 @@ ToOfferALinkForTestWebhook=Link om Stripe WebHook in te stellen om de IPN te bel ToOfferALinkForLiveWebhook=Link om Stripe WebHook in te stellen om de IPN te bellen (live-modus) PaymentWillBeRecordedForNextPeriod=De betaling wordt geregistreerd voor de volgende periode. ClickHereToTryAgain=Klik hier om het opnieuw te proberen ... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Vanwege de strenge regels voor klantauthenticatie moet het aanmaken van een kaart worden gedaan vanuit Stripe backoffice. U kunt hier klikken om Stripe-klantrecord in te schakelen: %s +CreationOfPaymentModeMustBeDoneFromStripeInterface=Vanwege de sterke Klant Authenticatie regels, moet het maken van een kaart worden gedaan vanuit de Stripe-backoffice. U kunt hier klikken om het Stripe Klant record in te schakelen: %s STRIPE_CARD_PRESENT=Kaart aanwezig voor Stripe Terminals TERMINAL_LOCATION=Locatie (adres) voor Stripe Terminals RequestDirectDebitWithStripe=Automatische incasso aanvragen met Stripe +RequesCreditTransferWithStripe=Vraag een overboeking aan met Stripe STRIPE_SEPA_DIRECT_DEBIT=Schakel de automatische incasso via Stripe in - +StripeConnect_Mode=Stripe Connect-modus diff --git a/htdocs/langs/nl_NL/website.lang b/htdocs/langs/nl_NL/website.lang index caebb340053..3a651ae17bb 100644 --- a/htdocs/langs/nl_NL/website.lang +++ b/htdocs/langs/nl_NL/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Alternatieve paginanamen/aliassen WEBSITE_ALIASALTDesc=Gebruik hier een lijst met andere naam / aliassen zodat de pagina ook toegankelijk is met deze andere namen / aliassen (bijvoorbeeld de oude naam na het hernoemen van de alias om de backlink op de oude link / naam te laten werken). Syntaxis is:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=URL van extern CSS-bestand WEBSITE_CSS_INLINE=CSS-bestandsinhoud (gemeenschappelijk voor alle pagina's) -WEBSITE_JS_INLINE=Javascript-bestandsinhoud (gemeenschappelijk voor alle pagina's) +WEBSITE_JS_INLINE=JavaScript-bestandsinhoud (gemeenschappelijk voor alle pagina's) WEBSITE_HTML_HEADER=Toevoeging onderaan HTML-koptekst (gemeenschappelijk voor alle pagina's) WEBSITE_ROBOT=Robotbestand (robots.txt) WEBSITE_HTACCESS=Website .htaccess bestand @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=Opmerking: als u een gepersonaliseerde koptekst v MediaFiles=Mediatheek EditCss=Website eigenschappen bewerken EditMenu=Wijzig menu -EditMedias=Bewerk media +EditMedias=Media bewerken EditPageMeta=Pagina- of container-eigenschappen bewerken EditInLine=Inline bewerken AddWebsite=Website toevoegen @@ -60,10 +60,11 @@ NoPageYet=Nog geen pagina's YouCanCreatePageOrImportTemplate=U kunt een nieuwe pagina maken of een volledige websitesjabloon importeren SyntaxHelp=Help bij specifieke syntax-tips YouCanEditHtmlSourceckeditor=U kunt HTML-broncode bewerken met de knop "Bron" in de editor. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      Je kunt PHP-code in deze bron opnemen met labels <?php ?>. De volgende globale variabelen zijn beschikbaar: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      U kunt ook inhoud van een andere pagina/container opnemen met de volgende syntaxis:
      <?php includeContainer('alias_of_container_to_include'); ?>

      U kunt een omleiding naar een andere pagina/container maken met de volgende syntaxis (Opmerking: voer geen inhoud vóór een omleiding):
      <?php redirectToContainer(' alias_van_container_to_redirect_to'); ?>

      Om een link naar een andere pagina toe te voegen, gebruikt u de syntaxis:
      <a href="alias_of_page_to_link_to.php">mijnlink<a>

      Om een
      link om een bestand te downloaden dat is opgeslagen in de documenten map, gebruik de document.php wrapper:
      Voor een bestand in documenten/ecm (moet worden geregistreerd) is de syntaxis:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]bestandsnaam.ext">
      Voor een bestand in documenten/media (open directory voor publieke toegang), is de syntaxis:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]bestandsnaam. ext">
      Voor een bestand dat is gedeeld via een deellink ( open toegang met behulp van de gedeelde hash-sleutel van het bestand), is de syntaxis:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      Om een op te nemen afbeelding opgeslagen in de map documenten map , gebruik de wrapper viewimage.php wrapper.
      Voorbeeld voor een afbeelding in documenten/media (open directory voor publieke toegang), syntaxis is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      Meer voorbeelden van HTML of dynamische code zijn beschikbaar in de wiki-documentatie
      . +YouCanEditHtmlSource3=Om de URL van de afbeelding van een PHP-object te verkrijgen, gebruikt u
      <<< span>img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      Meer voorbeelden van HTML of dynamische code beschikbaar op de wiki-documentatie.
      ClonePage=Kloon pagina/container CloneSite=Klonen site SiteAdded=Website toegevoegd @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Sorry, deze website is momenteel offline. Kom lat WEBSITE_USE_WEBSITE_ACCOUNTS=Schakel de website-accounttabel in WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Schakel de tabel in om websiteaccounts (login/wachtwoord) voor elke website/relatie op te slaan YouMustDefineTheHomePage=U moet eerst de standaard startpagina definiëren -OnlyEditionOfSourceForGrabbedContentFuture=Waarschuwing: het maken van een webpagina door het importeren van een externe webpagina is gereserveerd voor ervaren gebruikers. Afhankelijk van de complexiteit van de bronpagina kan het resultaat van de invoer afwijken van het origineel. Ook als de bronpagina veelvoorkomende CSS-stijlen of tegenstrijdig JavaScript gebruikt, kan dit het uiterlijk of de functies van de Website-editor verbreken wanneer aan deze pagina wordt gewerkt. Deze methode is een snellere manier om een pagina te maken, maar het wordt aanbevolen om uw nieuwe pagina helemaal opnieuw te maken of vanuit een voorgestelde paginasjabloon.
      Merk ook op dat de inline-editor mogelijk niet correct werkt wanneer deze wordt gebruikt op een externe pagina. +OnlyEditionOfSourceForGrabbedContentFuture=Waarschuwing: het maken van een webpagina door het importeren van een externe webpagina is voorbehouden aan ervaren gebruikers. Afhankelijk van de complexiteit van de bronpagina kan het importresultaat afwijken van het origineel. Ook als de bronpagina algemene CSS-stijlen of conflicterend JavaScript gebruikt, kan dit het uiterlijk of de functies van de website-editor verstoren wanneer u op deze pagina werkt. Deze methode is een snellere manier om een pagina te maken, maar het wordt aanbevolen om uw nieuwe pagina helemaal opnieuw te maken of op basis van een voorgesteld paginasjabloon.
      Houd er rekening mee dat de inline-editor mogelijk niet werkt correct bij gebruik op een opgehaalde externe pagina. OnlyEditionOfSourceForGrabbedContent=Alleen de HTML-bronversie is mogelijk wanneer inhoud van een externe site is opgehaald GrabImagesInto=Importeer ook afbeeldingen gevonden in css en pagina. ImagesShouldBeSavedInto=Afbeeldingen moeten worden opgeslagen in de directory @@ -112,13 +113,13 @@ GoTo=Ga naar DynamicPHPCodeContainsAForbiddenInstruction=U voegt dynamische PHP-code toe die de PHP-instructie '%s 'bevat die standaard als dynamische inhoud is verboden (zie verborgen opties WEBSITE_PHP_ALLOW_xxx om de lijst met toegestane opdrachten te vergroten). NotAllowedToAddDynamicContent=U hebt geen toestemming om dynamische PHP-inhoud op websites toe te voegen of te bewerken. Vraag toestemming of houd code gewoon ongewijzigd in php-tags. ReplaceWebsiteContent=Zoek of vervang website-inhoud -DeleteAlsoJs=Wilt u ook alle javascript-bestanden verwijderen die specifiek zijn voor deze website? -DeleteAlsoMedias=Wilt u ook alle mediasbestanden verwijderen die specifiek zijn voor deze website? +DeleteAlsoJs=Ook alle JavaScript-bestanden specifiek voor deze website verwijderen? +DeleteAlsoMedias=Ook alle mediabestanden specifiek voor deze website verwijderen? MyWebsitePages=Mijn website pagina's SearchReplaceInto=Zoeken | Vervangen in ReplaceString=Nieuwe string CSSContentTooltipHelp=Voer hier CSS-inhoud in. Om elk conflict met de CSS van de toepassing te voorkomen, moet u alle aangiften met de .bodywebsite-klasse overslaan. Bijvoorbeeld:

      #mycssselector, input.myclass: hover {...}
      moet zijn
      .bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}

      Opmerking: als u een groot bestand zonder dit voorvoegsel hebt, kunt u 'lessc' gebruiken om het te converteren om het .bodywebsite-voorvoegsel overal toe te voegen. -LinkAndScriptsHereAreNotLoadedInEditor=Waarschuwing: deze inhoud wordt alleen uitgevoerd wanneer de site wordt geopend vanaf een server. Het wordt niet gebruikt in de bewerkingsmodus, dus als u JavaScript-bestanden ook in de bewerkingsmodus wilt laden, voegt u gewoon uw tag 'script src = ...' toe aan de pagina. +LinkAndScriptsHereAreNotLoadedInEditor=Waarschuwing: deze inhoud wordt alleen weergegeven als de site wordt geopend vanaf een server. Het wordt niet gebruikt in de bewerkingsmodus, dus als u JavaScript-bestanden ook in de bewerkingsmodus moet laden, voegt u gewoon uw Label 'script src=...' toe aan de pagina. Dynamiccontent=Voorbeeld van een pagina met dynamische inhoud ImportSite=Website template importeren EditInLineOnOff=Modus 'Inline bewerken' is %s @@ -160,3 +161,6 @@ PagesViewedTotal=Pagina's bekeken (totaal) Visibility=Zichtbaarheid Everyone=Iedereen AssignedContacts=Toegewezen contacten +WebsiteTypeLabel=Type website +WebsiteTypeDolibarrWebsite=Website (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr-portaal diff --git a/htdocs/langs/nl_NL/withdrawals.lang b/htdocs/langs/nl_NL/withdrawals.lang index 684aaf174bc..ce383919068 100644 --- a/htdocs/langs/nl_NL/withdrawals.lang +++ b/htdocs/langs/nl_NL/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Maak een verzoek tot overboeking WithdrawRequestsDone=%s Betalingsverzoeken voor automatische incasso geregistreerd BankTransferRequestsDone=%s overboekingsverzoeken geregistreerd ThirdPartyBankCode=Bankcode van derden -NoInvoiceCouldBeWithdrawed=Geen factuur afgeschreven. Controleer of de facturen betrekking hebben op bedrijven met een geldige IBAN en dat IBAN een UMR (Unique Mandate Reference) met modus %s heeft . +NoInvoiceCouldBeWithdrawed=Geen Factuur succesvol verwerkt. Controleer of Facturen op bedrijven staat met een geldig IBAN en of IBAN een UMR (Unique Mandate Reference) heeft met modus %s. +NoInvoiceCouldBeWithdrawedSupplier=Geen Factuur succesvol verwerkt. Controleer of Facturen op bedrijven staat met een geldig IBAN. +NoSalariesCouldBeWithdrawed=Geen salaris succesvol verwerkt. Controleer of de salarissen van gebruikers met een geldig IBAN staan. WithdrawalCantBeCreditedTwice=Dit opnamebewijs is al gemarkeerd als gecrediteerd; dit kan niet twee keer worden gedaan, omdat dit mogelijk dubbele betalingen en bankboekingen zou veroorzaken. ClassCredited=Classificeer creditering ClassDebited=Gedebiteerd classificeren @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Weet u zeker dat u een intrekkingsafwijzing wilt invoer RefusedData=Datum van de afwijzing RefusedReason=Reden voor afwijzing RefusedInvoicing=Facturering van de afwijzing -NoInvoiceRefused=Factureer de afwijzing niet -InvoiceRefused=Factuur geweigerd (de afwijzing door belasten aan de klant) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debet / credit StatusWaiting=Wachtend StatusTrans=Verzonden @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Mandaat handtekening datum RUMLong=Unieke machtigingsreferentie RUMWillBeGenerated=Indien leeg, wordt een UMR (Unique Mandate Reference) gegenereerd zodra de bankrekeninginformatie is opgeslagen. -WithdrawMode=Incassomodus (FRST of RECUR) +WithdrawMode=Automatische incasso (FRST of RCUR) WithdrawRequestAmount=Bedrag van automatische incasso: BankTransferAmount=Over te maken bedrag: WithdrawRequestErrorNilAmount=Kan geen automatische incasso-aanvraag maken voor een leeg bedrag. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Uw bankrekeningnummer (IBAN) SEPAFormYourBIC=Uw bankidentificatiecode (BIC) SEPAFrstOrRecur=Soort betaling ModeRECUR=Terugkomende betaling +ModeRCUR=Terugkomende betaling ModeFRST=Eenmalige incasso PleaseCheckOne=Alleen één controleren CreditTransferOrderCreated=Overboekingsopdracht %s gemaakt @@ -155,9 +159,16 @@ InfoTransData=Bedrag: %s
      Wijze: %s
      Datum: %s InfoRejectSubject=Betalingsopdracht voor automatische incasso geweigerd InfoRejectMessage=M,

      de incasso van factuur %s voor bedrijf %s, met een bedrag van %s is geweigerd door de bank.

      --
      %s ModeWarning=Optie voor echte modus was niet ingesteld, we stoppen na deze simulatie -ErrorCompanyHasDuplicateDefaultBAN=Bedrijf met id %s heeft meer dan één standaard bankrekening. Er is geen manier aanwezig om te weten welke u moet gebruiken. +ErrorCompanyHasDuplicateDefaultBAN=bedrijf met id %s heeft meer dan één standaardbankrekening. Geen manier om te weten welke je moet gebruiken. ErrorICSmissing=ICS ontbreekt op bankrekening %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Totaal bedrag incasso-opdracht verschilt van som van regels WarningSomeDirectDebitOrdersAlreadyExists=Waarschuwing: er zijn al enkele lopende incasso-opdrachten (%s) aangevraagd voor een bedrag van %s WarningSomeCreditTransferAlreadyExists=Waarschuwing: er is al een openstaande overboeking (%s) aangevraagd voor een bedrag van %s UsedFor=Gebruikt voor %s +Societe_ribSigned=SEPA-mandaat Ondertekend +NbOfInvoiceToPayByBankTransferForSalaries=Aantal gekwalificeerde salarissen dat wacht op betaling via overschrijving +SalaryWaitingWithdraw=Salarissen die wachten op betaling via overschrijving +RefSalary=Salaris +NoSalaryInvoiceToWithdraw=Geen salaris dat wacht op een '%s'. Ga naar het tabblad '%s' op de salariskaart om een verzoek in te dienen. +SalaryInvoiceWaitingWithdraw=Salarissen die wachten op betaling via overschrijving + diff --git a/htdocs/langs/nl_NL/workflow.lang b/htdocs/langs/nl_NL/workflow.lang index 2592cf1f069..b44a2fcf4c0 100644 --- a/htdocs/langs/nl_NL/workflow.lang +++ b/htdocs/langs/nl_NL/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Maak automatisch een klant factuur aan descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Creëer automatisch een klantfactuur nadat een verkooporder is gesloten (de nieuwe factuur heeft hetzelfde bedrag als de bestelling) descWORKFLOW_TICKET_CREATE_INTERVENTION=Maak bij het aanmaken van tickets automatisch een interventie aan. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classificeer gekoppeld bronvoorstel als gefactureerd wanneer verkooporder is ingesteld op gefactureerd (en als het bedrag van de bestelling gelijk is aan het totale bedrag van het ondertekende gekoppelde voorstel) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classificeer het gekoppelde bronvoorstel als gefactureerd wanneer de klantfactuur is gevalideerd (en als het factuurbedrag gelijk is aan het totale bedrag van het ondertekende gekoppelde voorstel) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classificeer gekoppelde bronverkooporder als gefactureerd wanneer klantfactuur is gevalideerd (en als het factuurbedrag gelijk is aan het totale bedrag van de gekoppelde bestelling) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classificeer gekoppelde bronverkooporder als gefactureerd wanneer klantfactuur is ingesteld op betaald (en als het factuurbedrag gelijk is aan het totale bedrag van de gekoppelde bestelling) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classificeer gekoppelde bronverkooporder als verzonden wanneer een zending is gevalideerd (en als de hoeveelheid die door alle zendingen is verzonden dezelfde is als in de te updaten bestelling) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classificeer gekoppelde bronverkooporders als verzonden wanneer een zending wordt gevalideerd (en als de hoeveelheid die door alle zendingen wordt verzonden hetzelfde is als in de Bestelling om bij te werken) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classificeer gekoppelde bronverkooporder als verzonden wanneer een zending is gesloten (en als de hoeveelheid die door alle zendingen wordt verzonden hetzelfde is als in de order die moet worden bijgewerkt) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classificeer het gekoppelde bronvoorstel als gefactureerd wanneer de leveranciersfactuur is gevalideerd (en als het factuurbedrag gelijk is aan het totale bedrag van het gekoppelde voorstel) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classificeer gekoppelde inkooporder als gefactureerd wanneer leveranciersfactuur is gevalideerd (en als het factuurbedrag gelijk is aan het totale bedrag van de gekoppelde order) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classificeer inkooporder met gekoppelde bron als ontvangen wanneer een ontvangst is gevalideerd (en als de hoeveelheid die door alle ontvangsten is ontvangen hetzelfde is als in de inkooporder die moet worden bijgewerkt) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classificeer inkooporder met gekoppelde bron als ontvangen wanneer een ontvangst wordt gesloten (en als de hoeveelheid die door alle ontvangsten wordt ontvangen hetzelfde is als in de inkooporder die moet worden bijgewerkt) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classificeer ontvangsten als "gefactureerd" wanneer een gekoppelde aankoopfactuur gevalideerd is (en als het bedrag van de factuur gelijk is aan het totaalbedrag van de gekoppelde ontvangsten) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classificeer gekoppelde bronverzending als gesloten wanneer een klant factuur is gevalideerd (en als het bedrag van de Factuur hetzelfde is als het totale bedrag van de gekoppelde zendingen) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classificeer gekoppelde bronverzending als gefactureerd wanneer een klant factuur is gevalideerd (en als het bedrag van de Factuur hetzelfde is als het totale bedrag van de gekoppelde zendingen) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classificeer gekoppelde bronontvangsten als gefactureerd wanneer een aankoop Factuur wordt gevalideerd (en als het bedrag van de Factuur hetzelfde is als het totaal bedrag van de gekoppelde ontvangsten) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classificeer gekoppelde bronontvangsten als gefactureerd wanneer een aankoop Factuur wordt gevalideerd (en als het bedrag van de Factuur hetzelfde is als het totaal bedrag van de gekoppelde ontvangsten) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=Koppel bij het aanmaken van een ticket beschikbare contracten van bijpassende derde partijen +descWORKFLOW_TICKET_LINK_CONTRACT=Koppel bij het aanmaken van een ticket alle beschikbare contracten van matchende derde partijen descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Zoek bij het koppelen van contracten onder die van moederbedrijven # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Sluit alle interventies die aan het ticket zijn gekoppeld wanneer een ticket is gesloten AutomaticCreation=Automatisch aanmaken AutomaticClassification=Automatisch classificeren -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Gelinkte bronzending classificeren als gesloten wanneer klantfactuur is gevalideerd (en als het bedrag van de factuur gelijk is aan het totale bedrag van de gekoppelde zendingen) AutomaticClosing=Automatisch sluiten AutomaticLinking=Automatisch koppelen diff --git a/htdocs/langs/pl_PL/accountancy.lang b/htdocs/langs/pl_PL/accountancy.lang index 0219d7b51e2..de1cba946a1 100644 --- a/htdocs/langs/pl_PL/accountancy.lang +++ b/htdocs/langs/pl_PL/accountancy.lang @@ -16,8 +16,8 @@ ThisService=Ta usługa ThisProduct=Ten produkt DefaultForService=Domyślny dla usługi DefaultForProduct=Domyślny dla produktu -ProductForThisThirdparty=Produkt dla tego kontrahenta -ServiceForThisThirdparty=Usługa dla tego kontrahenta +ProductForThisThirdparty=Produkt dla tej strony trzeciej +ServiceForThisThirdparty=Usługa dla tej strony trzeciej CantSuggest=Nie mogę zasugerować AccountancySetupDoneFromAccountancyMenu=Większość ustawień księgowości odbywa się z menu %s ConfigAccountingExpert=Konfiguracja rozliczania modułu (podwójny wpis) @@ -38,10 +38,10 @@ DeleteCptCategory=Usuń konto księgowe z grupy ConfirmDeleteCptCategory=Czy na pewno chcesz usunąć to konto księgowe z grupy kont księgowych? JournalizationInLedgerStatus=Status dokumentowania AlreadyInGeneralLedger=Już przeniesiony do dzienników księgowych i księgi głównej -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger +NotYetInGeneralLedger=Jeszcze nie przeniesione do dzienników i księgi rachunkowej GroupIsEmptyCheckSetup=Grupa jest pusta, sprawdź konfigurację spersonalizowanej grupy księgowej DetailByAccount=Pokaż szczegóły konta -DetailBy=Detail by +DetailBy=Szczegóły wg AccountWithNonZeroValues=Konta z wartościami niezerowymi ListOfAccounts=Lista kont CountriesInEEC=Kraje UE @@ -49,54 +49,54 @@ CountriesNotInEEC=Kraje spoza UE CountriesInEECExceptMe=Kraje UE oprócz %s CountriesExceptMe=Wszystkie kraje oprócz %s AccountantFiles=Eksportuj dokumenty źródłowe -ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). +ExportAccountingSourceDocHelp=Za pomocą tego narzędzia możesz wyszukiwać i eksportować zdarzenia źródłowe, które są wykorzystywane do generowania Twojej księgowości.
      Wyeksportowany plik ZIP będzie zawierał listy żądanych elementów w formacie CSV, a także dołączone do nich pliki w ich oryginalnym formacie (PDF, ODT, DOCX...). ExportAccountingSourceDocHelp2=Aby wyeksportować swoje dzienniki, użyj pozycji menu %s - %s. -ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +ExportAccountingProjectHelp=Określ projekt, jeśli potrzebujesz raportu księgowego tylko dla konkretnego projektu. Raporty z wydatków i spłaty pożyczek nie są uwzględniane w raportach projektów. +ExportAccountancy=Księgowość eksportu +WarningDataDisappearsWhenDataIsExported=Uwaga, ta lista zawiera tylko zapisy księgowe, które nie zostały jeszcze wyeksportowane (data eksportu jest pusta). Jeśli chcesz uwzględnić już wyeksportowane zapisy księgowe, kliknij powyższy przycisk. VueByAccountAccounting=Wyświetl według konta księgowego VueBySubAccountAccounting=Wyświetl według subkonta księgowego -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup +MainAccountForCustomersNotDefined=Konto główne (z Planu Kont) dla klientów niezdefiniowanych w konfiguracji +MainAccountForSuppliersNotDefined=Konto główne (z Planu kont) dla dostawców niezdefiniowanych w konfiguracji +MainAccountForUsersNotDefined=Konto główne (z Planu kont) dla użytkowników niezdefiniowanych w konfiguracji +MainAccountForVatPaymentNotDefined=Konto (z Planu Kont) do płatności podatku VAT niezdefiniowane w ustawieniach +MainAccountForSubscriptionPaymentNotDefined=Konto (z Planu Kont) do opłacania składki niezdefiniowane w ustawieniach +MainAccountForRetainedWarrantyNotDefined=Konto (z Planu Kont) dla zachowanej gwarancji niezdefiniowanej w konfiguracji UserAccountNotDefined=Kontro księgowe dla użytkownika nie zdefiniowane w ustawieniach AccountancyArea=Strefa księgowości AccountancyAreaDescIntro=Korzystanie z modułu księgowości odbywa się w kilku etapach: AccountancyAreaDescActionOnce=Następujące akcje są wykonywane zwykle tylko raz lub raz w roku... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting +AccountancyAreaDescActionOnceBis=Należy wykonać kolejne kroki, aby zaoszczędzić czas w przyszłości, sugerując automatycznie prawidłowe domyślne konto księgowe podczas przesyłania danych w księgowości AccountancyAreaDescActionFreq=Następujące akcje są wykonywane zwykle każdego miesiąca, tygodnia lub dnia dla naprawdę wielkich firm... -AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s +AccountancyAreaDescJournalSetup=KROK %s: Sprawdź zawartość listy czasopism z menu %s AccountancyAreaDescChartModel=KROK %s: Sprawdź, czy istnieje model planu kont lub utwórz go z menu %s AccountancyAreaDescChart=KROK %s: Wybierz i | lub uzupełnij swój plan kont z menu %s +AccountancyAreaDescFiscalPeriod=KROK %s: Zdefiniuj domyślnie rok obrotowy, w którym chcesz zintegrować zapisy księgowe. W tym celu użyj pozycji menu %s. AccountancyAreaDescVat=Krok %s: Zdefiniuj konta księgowe dla każdej stawki VAT. W tym celu użyj pozycji menu %s. AccountancyAreaDescDefault=KROK %s: Zdefiniuj domyślne konta księgowe. W tym celu użyj pozycji menu %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. +AccountancyAreaDescExpenseReport=KROK %s: Zdefiniuj domyślne konta księgowe dla każdego typu raportu wydatków. W tym celu użyj pozycji menu %s. AccountancyAreaDescSal=Krok %s: Zdefiniuj domyślne konta księgowe dla płatności i wynagrodzeń. W tym celu użyj pozycji menu %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. +AccountancyAreaDescContrib=KROK %s: Zdefiniuj domyślne konta księgowe dla podatków (wydatki specjalne). W tym celu użyj pozycji menu %s. AccountancyAreaDescDonation=Krok %s: Zdefiniuj domyśle konta księgowe dla dotacji. W tym celu użyj pozycji menu %s. AccountancyAreaDescSubscription=KROK %s: Zdefiniuj domyślne konta księgowe dla subskrypcji członków. W tym celu użyj pozycji menu %s. -AccountancyAreaDescMisc=KROK %s: Zdefiniuj obowiązkowe konto domyślne i domyślne konta księgowe dla różnych transakcji. W tym celu użyj pozycji menu %s. +AccountancyAreaDescMisc=KROK %s: Zdefiniuj obowiązkowe konta domyślne i domyślne konta księgowe dla różnych transakcji. W tym celu użyj pozycji menu %s. AccountancyAreaDescLoan=KROK %s: Zdefiniuj domyślne konta księgowe dla pożyczek. W tym celu użyj pozycji menu %s. AccountancyAreaDescBank=KROK %s: Zdefiniuj konta księgowe i kod arkusza dla każdego konta bankowego i finansowego. W tym celu użyj pozycji menu %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. +AccountancyAreaDescProd=KROK %s: Zdefiniuj konta księgowe dla swoich produktów/usług. W tym celu użyj pozycji menu %s. AccountancyAreaDescBind=KROK %s: Sprawdź powiązanie między istniejącymi liniami %s a kontem księgowym, aby aplikacja mogła zapisywać transakcje w księdze jednym kliknięciem. Uzupełnij brakujące powiązania. W tym celu użyj pozycji menu %s. AccountancyAreaDescWriteRecords=Krok %s: Zapisz transakcje do głównej księgi. W tym celu idź do %s i kliknij na przycisk %s. -AccountancyAreaDescAnalyze=KROK %s: Dodaj lub edytuj istniejące transakcje oraz generuj raporty i eksporty. - -AccountancyAreaDescClosePeriod=KROK %s: Zamknij okres, abyśmy nie mogli wprowadzić modyfikacji w przyszłości. +AccountancyAreaDescAnalyze=STEP %s: Read reportings or generate export files for other bookkeepers. +AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't transfer anymore data in the same period in a future. +TheFiscalPeriodIsNotDefined=Nie wykonano obowiązkowego kroku konfiguracji (nie zdefiniowano okresu obrachunkowego) TheJournalCodeIsNotDefinedOnSomeBankAccount=Nie ukończono obowiązkowego kroku konfiguracji (arkusz kodów księgowych nie został zdefiniowany dla wszystkich kont bankowych) Selectchartofaccounts=Wybierz aktywny wykres kont +CurrentChartOfAccount=Current active chart of account ChangeAndLoad=Zmień i załaduj Addanaccount=Dodaj konto księgowe AccountAccounting=Konto księgowe @@ -107,8 +107,8 @@ ShowAccountingAccount=Wyświetl konta księgowe ShowAccountingJournal=Wyświetl dziennik konta księgowego ShowAccountingAccountInLedger=Pokaż konto księgowe w księdze ShowAccountingAccountInJournals=Pokaż konto księgowe w dziennikach -DataUsedToSuggestAccount=Data used to suggest account -AccountAccountingSuggest=Account suggested +DataUsedToSuggestAccount=Dane używane do sugerowania konta +AccountAccountingSuggest=Sugerowane konto MenuDefaultAccounts=Domyślne konta MenuBankAccounts=Konta bankowe MenuVatAccounts=Konta VAT @@ -118,11 +118,11 @@ MenuLoanAccounts=Konta kredytowe MenuProductsAccounts=Konta produktów MenuClosureAccounts=Zamknięte konta MenuAccountancyClosure=Zamknięte -MenuExportAccountancy=Export accountancy +MenuExportAccountancy=Księgowość eksportu MenuAccountancyValidationMovements=Zatwierdź ruchy ProductsBinding=Konta produktów TransferInAccounting=Przelew w księgowości -RegistrationInAccounting=Recording in accounting +RegistrationInAccounting=Zapis w księgowości Binding=Powiązanie z kontami CustomersVentilation=Powiązania do faktury klienta SuppliersVentilation=Wiązanie faktury dostawcy @@ -130,11 +130,11 @@ ExpenseReportsVentilation=Wiążący raport z wydatków CreateMvts=Utwórz nową transakcję UpdateMvts=Modyfikacja transakcji ValidTransaction=Potwierdź transakcję -WriteBookKeeping=Record transactions in accounting +WriteBookKeeping=Rejestruj transakcje w księgowości Bookkeeping=Księga główna BookkeepingSubAccount=Księga podrzędna AccountBalance=Bilans konta -AccountBalanceSubAccount=Sub-accounts balance +AccountBalanceSubAccount=Saldo subkont ObjectsRef=Referencja obiektu źródłowego CAHTF=Łącznie sprzedawca przed opodatkowaniem TotalExpenseReport=Raport z całkowitych wydatków @@ -171,12 +171,12 @@ ACCOUNTING_MANAGE_ZERO=Pozwól zarządzać różną liczbą zer na końcu konta BANK_DISABLE_DIRECT_INPUT=Wyłącz bezpośrednią rejestrację transakcji na koncie bankowym ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Włącz eksport wersji roboczej w dzienniku ACCOUNTANCY_COMBO_FOR_AUX=Włącz listę kombi dla konta pomocniczego (może działać wolno, jeśli masz dużo stron trzecich, przerywa możliwość wyszukiwania części wartości) -ACCOUNTING_DATE_START_BINDING=Określ datę rozpoczęcia wiązania i przeniesienia w księgowości. Poniżej tej daty transakcje nie zostaną przeniesione do księgowości. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_DATE_START_BINDING=Wyłącz powiązanie i przelew w księgowości, gdy data jest niższa od tej daty (transakcje poprzedzające tę datę zostaną domyślnie wykluczone) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Na stronie przelewu danych do księgowości jaki jest domyślnie wybrany okres -ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns -ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements +ACCOUNTING_SELL_JOURNAL=Dziennik sprzedaży - sprzedaż i zwroty +ACCOUNTING_PURCHASE_JOURNAL=Dziennik zakupów - zakupy i zwroty +ACCOUNTING_BANK_JOURNAL=Dziennik kasowy - wpływy i wypłaty ACCOUNTING_EXPENSEREPORT_JOURNAL=Dziennik raportów kosztowych ACCOUNTING_MISCELLANEOUS_JOURNAL=Dziennik ogólny ACCOUNTING_HAS_NEW_JOURNAL=Ma nowy dziennik @@ -186,33 +186,35 @@ ACCOUNTING_SOCIAL_JOURNAL=Dziennik społecznościowy ACCOUNTING_RESULT_PROFIT=Rachunek wynikowy (zysk) ACCOUNTING_RESULT_LOSS=Rachunek wynikowy (strata) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Dziennik zamknięcia +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Grupy księgowe stosowane na koncie bilansowym (oddzielone przecinkiem) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Grupy księgowe stosowane w rachunku zysków i strat (oddzielone przecinkami) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers +ACCOUNTING_ACCOUNT_TRANSFER_CASH=Konto (z Planu Kont) służące jako konto do przejściowych przelewów bankowych TransitionalAccount=Konto przejściowe do przelewów bankowych -ACCOUNTING_ACCOUNT_SUSPENSE=Account (from the Chart Of Account) to be used as the account for unallocated funds either received or paid i.e. funds in "wait[ing]" -DONATION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register donations (Donation module) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ACCOUNTING_ACCOUNT_SUSPENSE=Konto (z Planu Kont), które ma być używane jako konto dla nieprzydzielonych środków otrzymanych lub wypłaconych, tj. środków w „oczekującym” +DONATION_ACCOUNTINGACCOUNT=Konto (z Planu Kont) na które będą rejestrowane darowizny (moduł Darowizny) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Konto (z Planu Kont) służące do rejestracji zapisów na członkostwo (moduł Członkostwo - w przypadku członkostwa rejestrowanego bez faktury) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit -UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default -UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Accounting account by default to register customer retained warranty +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Konto (z Planu Kont), które będzie używane jako konto domyślne do rejestracji wpłaty klienta +UseAuxiliaryAccountOnCustomerDeposit=Zapisz konto klienta jako konto indywidualne w księdze pomocniczej dla linii zaliczek (jeśli opcja jest wyłączona, konto indywidualne dla linii zaliczek pozostanie puste) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Konto (z Planu Kont), które ma być używane jako domyślne +UseAuxiliaryAccountOnSupplierDeposit=Zapisz konto dostawcy jako konto indywidualne w księdze pomocniczej dla linii zaliczek (w przypadku wyłączenia indywidualne konto dla linii zaliczek pozostanie puste) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Domyślne konto księgowe do rejestracji zachowanej gwarancji klienta -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Konto (z Planu Kont), które będzie używane jako konto domyślne dla produktów zakupionych w tym samym kraju (używane, jeśli nie zostało to określone w karcie produktu) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Konto (z Planu Kont), które ma być używane jako konto domyślne dla produktów zakupionych z EEC do innego kraju EEC (używane, jeśli nie zostało to określone w karcie produktu) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Konto (z Planu Kont), które będzie używane jako konto domyślne dla produktów zakupionych i importowanych z dowolnego innego kraju obcego (używane, jeśli nie zostało to określone w karcie produktu) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Konto (z Planu Kont), które będzie domyślnym kontem dla sprzedawanych produktów (używane, jeśli nie zostało to określone w karcie produktu) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Konto (z Planu Kont), które ma być używane jako konto domyślne dla produktów sprzedawanych z EWG do innego kraju EWG (używane, jeśli nie zostało to określone w karcie produktu) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Konto (z Planu Kont), które będzie używane jako konto domyślne dla produktów sprzedawanych i eksportowanych do dowolnego innego kraju obcego (używane, jeśli nie zostało to określone w karcie produktu) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased within same country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=Konto (z Planu Kont), które będzie używane jako konto domyślne dla usług zakupionych w tym samym kraju (używane, jeśli nie zostało to określone w karcie usług) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Konto (z Planu Kont), które ma być używane jako konto domyślne dla usług zakupionych od EEC do innego kraju EEC (używane, jeśli nie zostało to określone w karcie usług) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Konto (z Planu Kont), które będzie używane jako konto domyślne dla usług zakupionych i importowanych z innego kraju (używane, jeśli nie zostało to określone w karcie usług) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=Konto (z Planu Kont), które będzie domyślnym kontem dla sprzedawanych usług (używane, jeśli nie zostało to określone w karcie usługi) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Konto (z Planu Kont), które ma być używane jako konto domyślne dla usług sprzedawanych z EWG do innego kraju EWG (używane, jeśli nie zostało to określone w karcie usług) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Konto (z Planu Kont), które będzie używane jako konto domyślne dla usług sprzedawanych i eksportowanych do dowolnego innego kraju obcego (używane, jeśli nie zostało to określone w karcie usług) Doctype=Rodzaj dokumentu Docdate=Data @@ -227,8 +229,8 @@ Codejournal=Dziennik JournalLabel=Etykieta czasopisma NumPiece=ilość sztuk TransactionNumShort=Numer transakcji -AccountingCategory=Custom group of accounts -AccountingCategories=Custom groups of accounts +AccountingCategory=Niestandardowa grupa kont +AccountingCategories=Niestandardowe grupy kont GroupByAccountAccounting=Grupuj według konta księgi głównej GroupBySubAccountAccounting=Grupuj według konta księgi podrzędnej AccountingAccountGroupsDesc=Możesz tutaj zdefiniować kilka grup rachunków księgowych. Będą wykorzystywane do tworzenia spersonalizowanych raportów księgowych. @@ -237,12 +239,12 @@ ByPredefinedAccountGroups=Według predefiniowanych grup ByPersonalizedAccountGroups=Według spersonalizowanych grup ByYear=Według roku NotMatch=Nie ustawione -DeleteMvt=Delete some lines from accounting +DeleteMvt=Usuń niektóre linie z księgowości DelMonth=Miesiąc do usunięcia DelYear=Rok do usunęcia DelJournal=Dziennik do usunięcia -ConfirmDeleteMvt=This will delete all lines in accountancy for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) +ConfirmDeleteMvt=Spowoduje to usunięcie wszystkich wierszy księgowych dla roku/miesiąca i/lub dla określonego dziennika (wymagane jest co najmniej jedno kryterium). Będziesz musiał ponownie użyć funkcji „%s”, aby usunąć usunięty rekord z powrotem w księdze. +ConfirmDeleteMvtPartial=Spowoduje to usunięcie transakcji z rozliczeń (wszystkie linie związane z tą samą transakcją zostaną usunięte) FinanceJournal=Dziennik finansów ExpenseReportsJournal=Dziennik raportów kosztów InventoryJournal=Dziennik inwentaryzacji @@ -265,9 +267,9 @@ DescThirdPartyReport=Zapoznaj się z listą klientów i dostawców zewnętrznych ListAccounts=Lista kont księgowych UnknownAccountForThirdparty=Nieznane konto innej firmy. Użyjemy %s UnknownAccountForThirdpartyBlocking=Nieznane konto innej firmy. Błąd blokowania -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Nie zdefiniowano konta księgi pomocniczej lub nieznana jest osoba trzecia lub użytkownik. Użyjemy %s ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Nieznany podmiot zewnętrzny i księga podrzędna nie została zdefiniowana w płatności. Wartość konta księgi podrzędnej pozostanie pusta. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger account not defined or third party or user unknown. Blocking error. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Nie zdefiniowano konta księgi pomocniczej lub nieznana jest osoba trzecia lub użytkownik. Błąd blokowania. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Nieznane konto innej firmy i konto oczekujące nie zostały zdefiniowane. Błąd blokowania PaymentsNotLinkedToProduct=Płatność nie jest powiązana z żadnym produktem / usługą OpeningBalance=Bilans otwarcia @@ -277,20 +279,20 @@ ShowSubtotalByGroup=Pokaż sumę częściową według poziomu Pcgtype=Grupa konta PcgtypeDesc=Grupa kont jest używana jako predefiniowane kryteria „filtru” i „grupowania” w niektórych raportach księgowych. Na przykład „DOCHÓD” lub „WYDATEK” są używane jako grupy dla kont księgowych produktów w celu utworzenia raportu kosztów / dochodów. -AccountingCategoriesDesc=Custom group of accounts can be used to group accounting accounts into one name to ease filter use or building of custom reports. +AccountingCategoriesDesc=Niestandardowa grupa kont może służyć do grupowania kont księgowych w jedną nazwę, aby ułatwić korzystanie z filtrów lub tworzenie niestandardowych raportów. Reconcilable=Do pogodzenia TotalVente=Łączny obrót przed opodatkowaniem TotalMarge=Całkowita marża sprzedaży -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account -DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product account from chart of account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account -ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: +DescVentilCustomer=Tutaj możesz zapoznać się z listą wierszy faktury klienta powiązanych (lub nie) z kontem produktu z planu kont +DescVentilMore=W większości przypadków, jeśli korzystasz z predefiniowanych produktów lub usług i ustawisz konto (z planu kont) na karcie produktu/usługi, aplikacja będzie w stanie dokonać wszelkich powiązań pomiędzy pozycjami faktury a kontem księgowym Twojego wykresu kont jednym kliknięciem za pomocą przycisku "%s". Jeśli konto nie zostało ustawione na kartach produktów/usług lub jeśli nadal masz jakieś linie niezwiązane z kontem, będziesz musiał dokonać ręcznego powiązania z menu "%s". +DescVentilDoneCustomer=Sprawdź tutaj listę wierszy faktur klientów i ich konto produktowe z planu kont +DescVentilTodoCustomer=Powiąż wiersze faktury, które nie są jeszcze powiązane z kontem produktu z planu kont +ChangeAccount=Zmień konto produktu/usługi (z planu kont) dla wybranych linii za pomocą następującego konta: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Sprawdź tutaj listę wierszy faktury dostawcy powiązanych lub jeszcze niepowiązanych z kontem produktu z planu kont (widoczne są tylko rekordy, które nie zostały jeszcze przeniesione w księgowości) DescVentilDoneSupplier=Zapoznaj się z listą wierszy faktur od dostawców i ich kontami księgowymi DescVentilTodoExpenseReport=Powiązanie wierszy raportu wydatków, które nie są jeszcze powiązane z kontem rozliczeniowym opłat DescVentilExpenseReport=Zapoznaj się z listą pozycji raportu wydatków powiązanych (lub nie) z kontem rozliczania opłat @@ -298,32 +300,32 @@ DescVentilExpenseReportMore=Jeśli ustawisz konto księgowe na typ wierszy rapor DescVentilDoneExpenseReport=Zapoznaj się z listą pozycji raportów wydatków i ich kontem księgowym opłat Closure=Coroczne zamknięcie -DescClosure=Consult here the number of movements by month not yet validated & locked -OverviewOfMovementsNotValidated=Overview of movements not validated and locked -AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked -ValidateMovements=Validate and lock movements +AccountancyClosureStep1Desc=Sprawdź tutaj liczbę ruchów według miesiąca, która nie została jeszcze zatwierdzona i zablokowana +OverviewOfMovementsNotValidated=Przegląd ruchów niezatwierdzonych i zablokowanych +AllMovementsWereRecordedAsValidated=Wszystkie ruchy zostały zarejestrowane jako zatwierdzone i zablokowane +NotAllMovementsCouldBeRecordedAsValidated=Nie wszystkie ruchy mogły zostać zarejestrowane jako zatwierdzone i zablokowane +ValidateMovements=Sprawdź i zablokuj ruchy DescValidateMovements=Jakakolwiek modyfikacja lub usunięcie pisma, napisów i usunięcia będzie zabronione. Wszystkie wpisy do ćwiczenia muszą zostać zatwierdzone, w przeciwnym razie zamknięcie nie będzie możliwe ValidateHistory=Dowiąż automatycznie -AutomaticBindingDone=Automatic bindings done (%s) - Automatic binding not possible for some record (%s) -DoManualBindingForFailedRecord=You have to do a manual link for the %s row(s) not linked automatically. +AutomaticBindingDone=Wykonano automatyczne powiązania (%s) - Automatyczne powiązanie nie jest możliwe w przypadku niektórych rekordów (%s) +DoManualBindingForFailedRecord=Musisz ręcznie połączyć wiersze %s, które nie są połączone automatycznie. -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s & Credit = %s +ErrorAccountancyCodeIsAlreadyUse=Błąd, nie możesz usunąć ani wyłączyć tego konta w planie kont, ponieważ jest ono używane +MvtNotCorrectlyBalanced=Ruch nie jest prawidłowo zrównoważony. Debet = %s i kredyt = %s Balancing=Balansowy FicheVentilation=Karta dowiązania GeneralLedgerIsWritten=Transakcje zapisane w księdze głównej GeneralLedgerSomeRecordWasNotRecorded=Niektóre transakcje nie mogły zostać zapisane w dzienniku. Jeśli nie ma innego komunikatu o błędzie, jest to prawdopodobnie spowodowane tym, że zostały już zapisane w dzienniku. -NoNewRecordSaved=No more record to transfer -ListOfProductsWithoutAccountingAccount=List of products not bound to any account of chart of account +NoNewRecordSaved=Nie ma już żadnych rekordów do przeniesienia +ListOfProductsWithoutAccountingAccount=Lista produktów nie powiązanych z żadnym kontem lub planem kont ChangeBinding=Zmień dowiązanie Accounted=Rozliczone w księdze -NotYetAccounted=Not yet transferred to accounting +NotYetAccounted=Jeszcze nie przeniesione do księgowości ShowTutorial=Pokaż Poradnik NotReconciled=Nie pogodzono się -WarningRecordWithoutSubledgerAreExcluded=Warning, all lines without subledger account defined are filtered and excluded from this view -AccountRemovedFromCurrentChartOfAccount=Accounting account that does not exist in the current chart of accounts +WarningRecordWithoutSubledgerAreExcluded=Uwaga, wszystkie wiersze bez zdefiniowanego konta księgi pomocniczej są filtrowane i wykluczane z tego widoku +AccountRemovedFromCurrentChartOfAccount=Konto księgowe, które nie istnieje w bieżącym planie kont ## Admin BindingOptions=Opcje wiązania @@ -341,8 +343,8 @@ AccountingJournalType3=Zakupy AccountingJournalType4=Bank AccountingJournalType5=Raporty kosztów AccountingJournalType8=Inwentaryzacja -AccountingJournalType9=Ma nowe -GenerationOfAccountingEntries=Generation of accounting entries +AccountingJournalType9=Zatrzymane zyski +GenerationOfAccountingEntries=Generowanie zapisów księgowych ErrorAccountingJournalIsAlreadyUse=Ten dziennik jest już w użytku AccountingAccountForSalesTaxAreDefinedInto=Uwaga: Konta księgowe dla podatku od sprzedaży są zdefiniowane w menu %s - %s NumberOfAccountancyEntries=Liczba wejść @@ -350,21 +352,23 @@ NumberOfAccountancyMovements=Liczba ruchów ACCOUNTING_DISABLE_BINDING_ON_SALES=Wyłącz powiązanie i przeniesienie w księgowości sprzedaży (faktury klientów nie będą brane pod uwagę w księgowości) ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Wyłącz powiązanie i przeniesienie w księgowości zakupów (faktury dostawcy nie będą brane pod uwagę w księgowości) ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Wyłącz powiązanie i przeniesienie w księgowości na zestawieniach wydatków (zestawienia wydatków nie będą brane pod uwagę w księgowości) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting -ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. -ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user -OptionsAdvanced=Advanced options -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_ENABLE_LETTERING=Włącz funkcję literowania w księgowości +ACCOUNTING_ENABLE_LETTERING_DESC=Gdy ta opcja jest włączona, dla każdego zapisu księgowego można zdefiniować kod, dzięki czemu można grupować różne ruchy księgowe. W przeszłości, gdy różne czasopisma były zarządzane niezależnie, funkcja ta była konieczna do grupowania linii ruchu różnych czasopism. Jednak w przypadku księgowości Dolibarr taki kod śledzenia nosi nazwę „%s” jest już zapisywany automatycznie, więc automatyczne pisanie liter jest już wykonane, bez ryzyka błędu, więc ta funkcja stała się bezużyteczna w powszechnym użyciu. Funkcja ręcznego pisania jest dostępna dla użytkowników końcowych, którzy tak naprawdę nie ufają silnikowi komputera dokonującemu przesyłania danych w księgowości. +EnablingThisFeatureIsNotNecessary=Włączenie tej funkcji nie jest już konieczne do rygorystycznego zarządzania księgowością. +ACCOUNTING_ENABLE_AUTOLETTERING=Włącz automatyczne pisanie przy przechodzeniu do księgowości +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Kod napisu jest generowany i zwiększany automatycznie i nie jest wybierany przez użytkownika końcowego +ACCOUNTING_LETTERING_NBLETTERS=Liczba liter podczas generowania kodu literowego (domyślnie 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Niektóre programy księgowe akceptują tylko kod dwuliterowy. Ten parametr pozwala ustawić ten aspekt. Domyślna liczba liter to trzy. +OptionsAdvanced=Zaawansowane opcje +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Aktywuj zarządzanie odwrotnym obciążeniem VAT w przypadku zakupów u dostawców +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Gdy opcja jest włączona, można zdefiniować, że dostawca lub dana faktura dostawcy musi zostać przeniesiona do księgowości w inny sposób: Do rozliczenia zostanie wygenerowana dodatkowa linia debetowa i kredytowa na 2 danych rachunkach z planu kont zdefiniowanego w „%s” strona konfiguracji. ## Export -NotExportLettering=Do not export the lettering when generating the file -NotifiedExportDate=Flag not yet exported lines as Exported (to modify a line flagged as exported, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries not yet already locked (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) -NotifiedExportFull=Export documents ? -DateValidationAndLock=Date validation and lock +NotExportLettering=Nie eksportuj napisów podczas generowania pliku +NotifiedExportDate=Oznacz jeszcze nie wyeksportowane linie jako Wyeksportowane (aby zmodyfikować linię oznaczoną jako wyeksportowaną, musisz usunąć całą transakcję i ponownie przenieść ją do księgowości) +NotifiedValidationDate=Sprawdź i zablokuj wyeksportowane wpisy, które nie są jeszcze zablokowane (ten sam efekt, co funkcja „%s”, modyfikacja i usunięcie linie ZDECYDOWANIE nie będą możliwe) +NotifiedExportFull=Eksportować dokumenty? +DateValidationAndLock=Weryfikacja daty i blokada ConfirmExportFile=Potwierdzenie wygenerowania pliku eksportu księgowości ? ExportDraftJournal=Export szkicu dziennika Modelcsv=Model eksportu @@ -373,11 +377,11 @@ Modelcsv_normal=Standardowy eksport Modelcsv_CEGID=Eksport dla CEGID Expert Comptabilité Modelcsv_COALA=Eksport dla Sage Coala Modelcsv_bob50=Eksport dla Sage BOB 50 -Modelcsv_ciel=Export for Sage50, Ciel Compta or Compta Evo. (Format XIMPORT) +Modelcsv_ciel=Eksport dla Sage50, Ciel Compta lub Compta Evo. (Format XIMPORT) Modelcsv_quadratus=Eksport do Quadratus QuadraCompta Modelcsv_ebp=Eksport do EBP Modelcsv_cogilog=Eksport do Cogilog -Modelcsv_agiris=Export for Agiris Isacompta +Modelcsv_agiris=Eksport dla Agiris Isacompta Modelcsv_LDCompta=Eksport do LD Compta (v9) (test) Modelcsv_LDCompta10=Eksport do LD Compta (wersja 10 i wyższa) Modelcsv_openconcerto=Eksport do OpenConcerto (test) @@ -385,16 +389,16 @@ Modelcsv_configurable=Eksportuj plik CSV konfigurowalny Modelcsv_FEC=Eksportuj FEC Modelcsv_FEC2=Eksportuj FEC (z odwróceniem generowania dat / dokumentów) Modelcsv_Sage50_Swiss=Eksport dla Sage 50 Szwajcaria -Modelcsv_winfic=Export for Winfic - eWinfic - WinSis Compta +Modelcsv_winfic=Eksport dla Winfic - eWinfic - WinSis Compta Modelcsv_Gestinumv3=Eksport do Gestinum (v3) -Modelcsv_Gestinumv5=Export for Gestinum (v5) -Modelcsv_charlemagne=Export for Aplim Charlemagne +Modelcsv_Gestinumv5=Eksport dla Gestinum (v5) +Modelcsv_charlemagne=Eksport dla Aplim Charlemagne ChartofaccountsId=Id planu kont ## Tools - Init accounting account on product / service InitAccountancy=Rozpocznij księgowość InitAccountancyDesc=Ta strona może służyć do inicjowania konta księgowego dla produktów i usług, które nie mają konta księgowego zdefiniowanego dla sprzedaży i zakupów. -DefaultBindingDesc=This page can be used to set the default accounts (from the chart of account) to use to link business objects with an account, like payment salaries, donation, taxes and VAT, when no specific account were already set. +DefaultBindingDesc=Na tej stronie można ustawić konta domyślne (z planu kont), które będą używane do łączenia obiektów biznesowych z kontem, takich jak wypłaty wynagrodzeń, darowizny, podatki i VAT, gdy nie ustawiono jeszcze żadnego konkretnego konta. DefaultClosureDesc=Ta strona może służyć do ustawiania parametrów używanych do rozliczania zamknięć. Options=Opcje OptionModeProductSell=Tryb sprzedaży @@ -420,37 +424,51 @@ SaleLocal=Sprzedaż lokalna SaleExport=Sprzedaż eksportowa SaleEEC=Sprzedaż w EWG SaleEECWithVAT=Sprzedaż w EWG z podatkiem VAT niezerowym, więc przypuszczamy, że NIE jest to sprzedaż wewnątrzwspólnotowa, a sugerowane konto to standardowe konto produktu. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. -ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. -ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. +SaleEECWithoutVATNumber=Sprzedaż na terenie EWG bez podatku VAT, ale identyfikator VAT osoby trzeciej nie jest zdefiniowany. Wracamy do konta w przypadku sprzedaży standardowej. W razie potrzeby możesz poprawić identyfikator VAT strony trzeciej lub zmienić sugerowane konto produktu do powiązania. +ForbiddenTransactionAlreadyExported=Zabronione: transakcja została zatwierdzona i/lub wyeksportowana. +ForbiddenTransactionAlreadyValidated=Zabronione: transakcja została zatwierdzona. ## Dictionary Range=Zakres konta księgowego Calculated=Przeliczone Formula=Formuła ## Reconcile -LetteringAuto=Reconcile auto -LetteringManual=Reconcile manual -Unlettering=Unreconcile -UnletteringAuto=Unreconcile auto -UnletteringManual=Unreconcile manual -AccountancyNoLetteringModified=No reconcile modified -AccountancyOneLetteringModifiedSuccessfully=One reconcile successfully modified -AccountancyLetteringModifiedSuccessfully=%s reconcile successfully modified -AccountancyNoUnletteringModified=No unreconcile modified -AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified -AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +LetteringAuto=Uzgodnij auto +LetteringManual=Uzgodnij instrukcję +Unlettering=Nieporozumienie +UnletteringAuto=Niepogodzony automat +UnletteringManual=Niezgodna instrukcja +AccountancyNoLetteringModified=Żadne uzgodnienie nie zostało zmodyfikowane +AccountancyOneLetteringModifiedSuccessfully=Jedno uzgodnienie zostało pomyślnie zmodyfikowane +AccountancyLetteringModifiedSuccessfully=%s uzgadnianie zostało pomyślnie zmodyfikowane +AccountancyNoUnletteringModified=Nie zmodyfikowano żadnego nieuzgodnienia +AccountancyOneUnletteringModifiedSuccessfully=Pomyślnie zmodyfikowano jedno nieuzgodnienie +AccountancyUnletteringModifiedSuccessfully=%s nieuzgodnione pomyślnie zmodyfikowano + +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period +AccountancyClosureStep3=Krok 3: Wyodrębnij wpisy (opcjonalnie) +AccountancyClosureClose=Zamknięcie okresu fiskalnego +AccountancyClosureAccountingReversal=Wyodrębnij i zapisz wpisy „Zyski zatrzymane”. +AccountancyClosureStep3NewFiscalPeriod=Następny okres fiskalny +AccountancyClosureGenerateClosureBookkeepingRecords=Wygeneruj wpisy „Zyski zatrzymane” w następnym okresie obrachunkowym +AccountancyClosureSeparateAuxiliaryAccounts=Generując wpisy „Zyski zatrzymane”, należy szczegółowo opisać konta księgi pomocniczej +AccountancyClosureCloseSuccessfully=Okres obrachunkowy został pomyślnie zamknięty +AccountancyClosureInsertAccountingReversalSuccessfully=Wpisy księgowe dla „Zysków zatrzymanych” zostały pomyślnie wstawione ## Confirm box -ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation -ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? +ConfirmMassUnletteringAuto=Zbiorcze potwierdzenie automatycznego nieuzgodnienia +ConfirmMassUnletteringManual=Zbiorcze ręczne potwierdzenie nieuzgodnienia +ConfirmMassUnletteringQuestion=Czy na pewno chcesz rozsynchronizować wybrane rekordy %s? ConfirmMassDeleteBookkeepingWriting=Potwierdzenie usuwania zbiorczego -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +ConfirmMassDeleteBookkeepingWritingQuestion=Spowoduje to usunięcie transakcji z księgowości (wszystkie wpisy dotyczące tej samej transakcji zostaną usunięte). Czy na pewno chcesz usunąć %s wybrane wpisy? +AccountancyClosureConfirmClose=Czy na pewno chcesz zamknąć bieżący okres fiskalny? Rozumiesz, że zamknięcie okresu obrachunkowego jest działaniem nieodwracalnym i trwale zablokuje wszelkie modyfikacje lub usuwanie wpisów w tym okresie . +AccountancyClosureConfirmAccountingReversal=Czy na pewno chcesz rejestrować wpisy dla „Zysków zatrzymanych”? ## Error SomeMandatoryStepsOfSetupWereNotDone=Niektóre obowiązkowe kroki konfiguracji nie zostały wykonane. Proszę je uzupełnić. -ErrorNoAccountingCategoryForThisCountry=Brak dostępnej grupy kont księgowych dla kraju %s (patrz Strona główna - Konfiguracja - Słowniki) +ErrorNoAccountingCategoryForThisCountry=Brak grupy kont księgowych dla kraju %s (zobacz %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Próbujesz zapisywać w dzienniku niektóre wiersze faktury %s , ale niektóre inne wiersze nie są jeszcze powiązane z kontem księgowym. Odmawia się dziennikowania wszystkich wierszy faktur dla tej faktury. ErrorInvoiceContainsLinesNotYetBoundedShort=Niektóre wiersze na fakturze nie są powiązane z kontem księgowym. ExportNotSupported=Ustawiony format exportu nie jest wspierany na tej stronie @@ -459,12 +477,15 @@ NoJournalDefined=Nie zdefiniowano dziennika Binded=Linie związane ToBind=Linie do dowiązania UseMenuToSetBindindManualy=Wiersze jeszcze niezwiązane, użyj menu %s , aby wykonać powiązanie ręcznie -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Note: this module or page is not completely compatible with the experimental feature of situation invoices. Some data may be wrong. -AccountancyErrorMismatchLetterCode=Mismatch in reconcile code -AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 -AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s -ErrorAccountNumberAlreadyExists=The accounting number %s already exists -ErrorArchiveAddFile=Can't put "%s" file in archive +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Uwaga: ten moduł lub strona nie jest w pełni kompatybilna z eksperymentalną funkcją faktur sytuacyjnych. Niektóre dane mogą być błędne. +AccountancyErrorMismatchLetterCode=Niezgodność w kodzie uzgadniającym +AccountancyErrorMismatchBalanceAmount=Saldo (%s) nie jest równe 0 +AccountancyErrorLetteringBookkeeping=Wystąpiły błędy dotyczące transakcji: %s +ErrorAccountNumberAlreadyExists=Numer księgowy %s już istnieje +ErrorArchiveAddFile=Nie można umieścić pliku „%s” w archiwum +ErrorNoFiscalPeriodActiveFound=Nie znaleziono aktywnego okresu obrachunkowego +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Data dokumentu księgowego nie mieści się w aktywnym okresie obrachunkowym +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Data dokumentu księgowego przypada w zamkniętym okresie obrachunkowym ## Import ImportAccountingEntries=Zapisy księgowe @@ -489,9 +510,9 @@ FECFormatMulticurrencyAmount=Kwota w wielu walutach (Montantdevise) FECFormatMulticurrencyCode=Kod wielowalutowy (Idevise) DateExport=Eksport daty -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contain transactions modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. +WarningReportNotReliable=Uwaga, raport ten nie jest oparty na księdze, więc nie zawiera transakcji modyfikowanych ręcznie w księdze. Jeśli Twoje dzienniki są aktualne, widok księgowy jest dokładniejszy. ExpenseReportJournal=Dziennik wydatków -DocsAlreadyExportedAreIncluded=Docs already exported are included -ClickToShowAlreadyExportedLines=Click to show already exported lines +DocsAlreadyExportedAreIncluded=Uwzględnione są już wyeksportowane dokumenty +ClickToShowAlreadyExportedLines=Kliknij, aby wyświetlić już wyeksportowane linie NAccounts=%s kont diff --git a/htdocs/langs/pl_PL/admin.lang b/htdocs/langs/pl_PL/admin.lang index 824cc6dcd60..f5014ff370d 100644 --- a/htdocs/langs/pl_PL/admin.lang +++ b/htdocs/langs/pl_PL/admin.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - admin -BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF -BoldLabelOnPDF=Print label of product item in Bold in PDF +BoldRefAndPeriodOnPDF=Wydrukuj numer referencyjny i okres produktu w formacie PDF +BoldLabelOnPDF=Wydrukuj etykietę produktu pogrubioną czcionką w formacie PDF Foundation=Fundacja Version=Wersja Publisher=Wydawca @@ -12,7 +12,7 @@ VersionDevelopment=Rozwój VersionUnknown=Nieznany VersionRecommanded=Zalecana FileCheck=Sprawdzanie integralności zestawu plików -FileCheckDesc=To narzędzie pozwala sprawdzić integralność plików i konfigurację Twej aplikacji, porównując każdy plik z oficjalnym, w tym wartości niektórych stałych z konfiguracji. Pozwala to ustalić czy jakieś pliki zostały zmodyfikowane (np. przez hakera). +FileCheckDesc=To narzędzie pozwala sprawdzić integralność plików i konfigurację Twojej aplikacji, porównując każdy plik z oficjalnym, w tym wartości niektórych stałych z konfiguracji. Możesz użyć tego narzędzia, aby wspomóc się w ustaleniu czy jakieś pliki zostały zmodyfikowane (np. przez hakera). FileIntegrityIsStrictlyConformedWithReference=Integralność plików jest ściśle zgodna z referencją. FileIntegrityIsOkButFilesWereAdded=Sprawdzenie integralności plików przebiegło pomyślnie, aczkolwiek jakieś nowe pliki zostały dodane. FileIntegritySomeFilesWereRemovedOrModified=Sprawdzenie integralności plików zakończylo się niepowodzeniem. Niektóre pliki zostaly zmodyfikowane, usunięte lub dodane. @@ -52,7 +52,7 @@ WarningModuleNotActive=Moduł %s musi być aktywny WarningOnlyPermissionOfActivatedModules=Tylko uprawnienia związane z funkcją aktywowania modułów pokazane są tutaj. Możesz uaktywnić inne moduły w instalacji - moduł strony. DolibarrSetup=Instalacja lub ulepszenie Dollibar'a DolibarrUpgrade=Aktualizacja Dolibarr -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrAddonInstall=Instalacja modułów dodatkowych/zewnętrznych (przesłanych lub wygenerowanych) InternalUsers=Wewnętrzni użytkownicy ExternalUsers=Zewnetrzni użytkownicy UserInterface=Interfejs użytkownika @@ -77,10 +77,10 @@ Dictionary=Słowniki ErrorReservedTypeSystemSystemAuto=Wartość "System" i "systemauto" dla typu jest zarezerwowana. Możesz użyć "użytkownik" jako wartości, aby dodać swój własny rekord ErrorCodeCantContainZero=Kod nie może zawierać wartości "0" DisableJavascript=Wyłączanie funkcji JavaScript i Ajax -DisableJavascriptNote=Note: For test or debug purpose only. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user +DisableJavascriptNote=Uwaga: wyłącznie do celów testowych lub debugowania. W celu optymalizacji dla osób niewidomych lub przeglądarek tekstowych możesz preferować konfigurację w profilu użytkownika UseSearchToSelectCompanyTooltip=Jeśli masz dużą liczbę kontrahentów (> 100 000), można zwiększyć prędkość przez ustawienie stałej COMPANY_DONOTSEARCH_ANYWHERE na 1 w Ustawienia -> Inne. Wyszukiwanie będzie wtedy ograniczone do rozpoczęcia ciągu znaków. UseSearchToSelectContactTooltip=Jeśli masz dużą liczbę kontrahentów (> 100 000), można zwiększyć prędkość przez ustawienie stałej COMPANY_DONOTSEARCH_ANYWHERE na 1 w Ustawienia -> Inne. Wyszukiwanie będzie wtedy ograniczone do rozpoczęcia ciągu znaków. -DelaiedFullListToSelectCompany=Poczekaj na naciśnięcie klawisza przed załadowaniem zawartości kombinowanej listy Strony Trzecie.
      Może to zwiększyć wydajność, jeśli masz dużą liczbę stron trzecich, ale jest to mniej wygodne. +DelaiedFullListToSelectCompany=Poczekaj na naciśnięcie klawisza przed załadowaniem zawartości listy konteahentów.
      Może to zwiększyć wydajność, jeśli masz dużą liczbę kontrahentów, ale jest to mniej wygodne. DelaiedFullListToSelectContact=Poczekaj, aż klawisz zostanie naciśnięty przed załadowaniem zawartości combo listy Kontakt.
      Może to zwiększyć wydajność, jeśli masz dużą liczbę kontaktów, ale jest to mniej wygodne. NumberOfKeyToSearch=Liczba znaków do uruchomienia wyszukiwania: %s NumberOfBytes=Liczba Bajtów @@ -109,7 +109,7 @@ NextValueForReplacements=Następna wartość (zamienniki) MustBeLowerThanPHPLimit=Uwaga: twoje ustawienia PHP obecnie ograniczają maksymalny rozmiar pliku do przesłania do %s %s, niezależnie od wartości tego parametru NoMaxSizeByPHPLimit=Uwaga: Brak ustawionego limitu w twojej konfiguracji PHP MaxSizeForUploadedFiles=Maksymalny rozmiar dla twoich przesyłanych plików (0 by zabronić jego przesyłanie/upload) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page and some public pages +UseCaptchaCode=Użyj kodu graficznego (CAPTCHA) na stronie logowania i niektórych stronach publicznych AntiVirusCommand=Pełna ścieżka do poleceń antivirusa AntiVirusCommandExample=Przykład dla ClamAv Daemon (wymaga clamav-demon): /usr/bin/clamdscan
      Przykład dla ClamWin (bardzo, bardzo wolny): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe AntiVirusParam= Więcej parametrów w linii poleceń @@ -227,6 +227,8 @@ NotCompatible=ten moduł nie jest kompatybilny z twoją wersją Dolibarr %s (Min CompatibleAfterUpdate=Ten moduł wymaga aktualizacji Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=Zobacz w Marketplace SeeSetupOfModule=Zobacz konfigurację modułu %s +SeeSetupPage=Zobacz stronę konfiguracji pod adresem %s +SeeReportPage=Zobacz stronę raportu pod adresem %s SetOptionTo=Ustaw opcję %s na %s Updated=Zaktualizowane AchatTelechargement=Kup / Pobierz @@ -268,7 +270,7 @@ OtherResources=Inne zasoby ExternalResources=Zasoby zewnętrzne SocialNetworks=Sieci społecznościowe SocialNetworkId=Identyfikator sieci społecznościowej -ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),
      take a look at the Dolibarr Wiki:
      %s +ForDocumentationSeeWiki=Aby zapoznać się z dokumentacją użytkownika lub programisty (Doc, FAQ...),
      zajrzyj do Dolibarr Wiki:
      %s ForAnswersSeeForum=W razie innych pytań, możesz użyć forum Dolibarr:
      %s HelpCenterDesc1=Oto niektóre zasoby pozwalające uzyskać pomoc i wsparcie z Dolibarr. HelpCenterDesc2=Niektóre z tych zasobów są dostępne tylko w języku angielskim. @@ -282,7 +284,7 @@ SpaceX=Spacja X SpaceY=Spacja Y FontSize=Wielkość czcionki Content=Zawartość -ContentForLines=Content to display for each product or service (from variable __LINES__ of Content) +ContentForLines=Treść do wyświetlenia dla każdego produktu lub usługi (ze zmiennej __LINES__ treści) NoticePeriod=Okres wypowiedzenia NewByMonth=Nowe według miesiąca Emails=Wiadomości email @@ -291,31 +293,31 @@ EMailsDesc=Ta strona umożliwia ustawienie parametrów lub opcji wysyłania wiad EmailSenderProfiles=Profile nadawców wiadomości e-mail EMailsSenderProfileDesc=Możesz pozostawić tę sekcję pustą. Jeśli wpiszesz tutaj adresy e-mail, zostaną one dodane do listy możliwych nadawców dostępnej podczas pisania nowej wiadomości e-mail. MAIN_MAIL_SMTP_PORT=Port SMTP/SMTPS (wartość domyślna w php.ini: %s) -MAIN_MAIL_SMTP_SERVER=Maszyna SMTP/SMTPS (wartość domyślna w php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Port SMTP/SMTPS (nie zdefiniowany w PHP systemów uniksopodobnych) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Maszyna SMTP/SMTPS (nie zdefiniowana w PHP systemów uniksopodobnych) -MAIN_MAIL_EMAIL_FROM=Nadawca automatycznych wiadomości e-mail (wartość domyślna w php.ini: %s) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration -MAIN_MAIL_ERRORS_TO=Konto e-mail otrzymujące informacje o błędach przy wysyłaniu wiadomości e-mail (pola „Errors-To” w wysłanych wiadomościach e-mail) +MAIN_MAIL_SMTP_SERVER=Host SMTP/SMTPS (wartość domyślna w php.ini: %s) +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Port SMTP/SMTPS +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Host SMTP/SMTPS +MAIN_MAIL_EMAIL_FROM=Adres e-mail nadawcy dla automatycznych wiadomości e-mail +EMailHelpMsgSPFDKIM=Aby zapobiec klasyfikowaniu wiadomości e-mail Dolibarr jako spam, upewnij się, że serwer jest autoryzowany do wysyłania wiadomości e-mail pod tą tożsamością (sprawdzając konfigurację SPF i DKIM domeny) +MAIN_MAIL_ERRORS_TO=Konto e-mail używane do otrzymywania zwrotnych wiadomości e-mail o błędach (pole „Errors-To” w wysłanych wiadomościach e-mail) MAIN_MAIL_AUTOCOPY_TO= Kopiuj (Cc) wszystkie wysłane emaile do MAIN_DISABLE_ALL_MAILS=Wyłącz wysyłanie wszystkich wiadomości e-mail (do celów testowych lub pokazów) MAIN_MAIL_FORCE_SENDTO=Zamiast do prawdziwych odbiorców wysyłaj wszystkie wiadomości e-mail do (wprowadzone w celach testowych) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Podawaj konta e-mail pracowników (jeśli są zdefiniowane) na liście proponowanych odbiorców, dostępnej podczas pisania nowej wiadomości e-mail -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Sugeruj adresy e-mail pracowników (jeśli są zdefiniowane) na liście proponowanych odbiorców, dostępnej podczas pisania nowej wiadomości e-mail +MAIN_MAIL_NO_WITH_TO_SELECTED=Nie wybieraj domyślnego odbiorcy, nawet jeśli możliwy jest tylko 1 wybór MAIN_MAIL_SENDMODE=Metoda wysyłania wiadomości e-mail -MAIN_MAIL_SMTPS_ID=Identyfikator/login SMTP (jeśli serwer wysyłający wymaga uwierzytelnienia) +MAIN_MAIL_SMTPS_ID=Login SMTP (jeśli serwer wysyłający wymaga uwierzytelnienia) MAIN_MAIL_SMTPS_PW=Hasło SMTP (jeśli serwer wysyłający wymaga uwierzytelnienia) MAIN_MAIL_EMAIL_TLS=Użyj szyfrowania TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Użyj szyfrowania TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autoryzuj automatyczne podpisy dla certyfikatów +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autoryzuj certyfikaty z podpisem własnym MAIN_MAIL_EMAIL_DKIM_ENABLED=Użyj metody uwierzytelniania DKIM do generowania podpisu e-mail -MAIN_MAIL_EMAIL_DKIM_DOMAIN=Domena DNS utrzymująca informacje DKIM +MAIN_MAIL_EMAIL_DKIM_DOMAIN=Domena email do użycia z kluczem dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Nazwa selektora DKIM MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Klucz prywatny do podpisania DKIM MAIN_DISABLE_ALL_SMS=Wyłącz wysyłanie wszelkich wiadomości SMS (do celów testowych lub pokazów) MAIN_SMS_SENDMODE=Metoda służy do wysyłania wiadomości SMS MAIN_MAIL_SMS_FROM=Domyślny numer telefonu wysyłającego wiadomości SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Domyślny adres konta e-mail (użytkownika lub firmowy) do ręcznego wysyłania +MAIN_MAIL_DEFAULT_FROMTYPE=Domyślny adres e-mail nadawcy wstępnie wybrany w formularzach do wysyłania wiadomości e-mail UserEmail=Adres email użytkownika CompanyEmail=Firmowy emial FeatureNotAvailableOnLinux=Cechy te nie są dostępne w systemach Unix, takich jak. Przetestuj swój program sendmail lokalnie. @@ -346,7 +348,7 @@ StepNb=Krok %s FindPackageFromWebSite=Znajdź pakiet zapewniający potrzebne funkcje (na przykład na oficjalnej stronie internetowej %s). DownloadPackageFromWebSite=Pobierz pakiet (na przykład z oficjalnej strony internetowej %s). UnpackPackageInDolibarrRoot=Rozpakuj / rozpakuj spakowane pliki do katalogu serwera Dolibarr: %s -UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s +UnpackPackageInModulesRoot=Aby wdrożyć/zainstalować moduł zewnętrzny, należy rozpakować plik archiwum do katalogu serwera dedykowanego modułom zewnętrznym:
      %s SetupIsReadyForUse=Wdrożenie modułu zostało zakończone. Teraz musisz go włączyć i skonfigurować. W tym celu przejdź do strony ustawień modułów: %s. NotExistsDirect=Alternatywny katalog główny nie jest zdefiniowany w istniejącym katalogu.
      InfDirAlt=Od wersji 3 możliwe jest zdefiniowanie alternatywnego katalogu głównego. Pozwala to na przechowywanie w dedykowanym katalogu wtyczek oraz niestandardowych szablonów.
      Wystarczy utworzyć katalog w lokalizacji plików Dolibarr (na przykład: niestandardowe).
      @@ -358,17 +360,17 @@ LastStableVersion=Ostatnia stabilna wersja LastActivationDate=Data ostatniej aktywacji LastActivationAuthor=Najnowszy autor aktywacji LastActivationIP=Numer IP ostatniej aktywacji -LastActivationVersion=Latest activation version -UpdateServerOffline=Aktualizacja serwera nieaktywny +LastActivationVersion=Ostatnia aktywowana wersja +UpdateServerOffline=Serwer aktualizacji offline WithCounter=Zarządzaj licznikiem -GenericMaskCodes=Możesz wprowadzić dowolną maskę numeracji. W tej masce można użyć następujących tagów:
      {000000} odpowiada liczbie, która będzie zwiększana na każdym %s. Wpisz tyle zer, ile chcesz długości licznika. Licznik zostanie uzupełniony zerami od lewej, aby mieć tyle zer, ile jest w masce.
      {000000 + 000} taki sam jak poprzedni, ale przesunięcie odpowiadające liczbie po prawej stronie znaku + jest stosowane począwszy od pierwszego %s.
      {000000 @ x} tak samo jak poprzedni, ale licznik jest resetowany do zera po osiągnięciu miesiąca x (x między 1 a 12 lub 0, aby użyć pierwszych miesięcy roku podatkowego zdefiniowanego w konfiguracji lub 99 by zerować co miesiąc). Jeśli ta opcja jest używana, a x wynosi 2 lub więcej, to sekwencja {yy} {mm} lub {yyyy} {mm} jest również wymagana.
      {dd} dzień (od 01 do 31).
      {mm} miesiąc (od 01 do 12).
      {yy} , {yyyy} lub {y}rok powyżej 2, 4 lub 1 numerów.
      +GenericMaskCodes=Możesz wprowadzić dowolną maskę numeracji. W tej masce można użyć następujących tagów:
      {000000} odpowiada liczbie, która będzie zwiększana przy każdym %s. Ilość zer definiuje długość licznika. Licznik zostanie uzupełniony zerami od lewej, aby mieć tyle zer, ile jest w masce.
      {000000 + 000} taki sam jak poprzedni, ale przesunięcie odpowiadające liczbie po prawej stronie znaku + jest stosowane począwszy od pierwszego %s.
      {000000 @ x} tak samo jak poprzedni, ale licznik jest resetowany do zera po osiągnięciu miesiąca x (x między 1 a 12 lub 0, aby użyć pierwszych miesięcy roku podatkowego zdefiniowanego w konfiguracji lub 99 by zerować co miesiąc). Jeśli ta opcja jest używana, a x wynosi 2 lub więcej, to sekwencja {yy} {mm} lub {yyyy} {mm} jest również wymagana.
      {dd} dzień (od 01 do 31).
      {mm} miesiąc (od 01 do 12).
      {yy} , {yyyy} lub {y}rok powyżej 2, 4 lub 1 numerów.
      GenericMaskCodes2= {cccc} kod klienta złożony z n znaków
      {cccc000} to kod klienta, po którym następuje kod klienta. Ten dedykowany klientowi licznik jest resetowany w tym samym czasie co licznik globalny.
      {tttt} Kod typu strony trzeciej na n znakach (patrz menu Strona Główna - Ustawienia - Słowniki - Rodzaje kontrahentów). Jeśli dodasz ten tag, licznik będzie inny dla każdego typu kontrahenta.
      GenericMaskCodes3=Wszystkie inne znaki w masce pozostaną nienaruszone.
      Spacje są niedozwolone.
      GenericMaskCodes3EAN=Wszystkie inne znaki w masce pozostaną nienaruszone (z wyjątkiem * lub? Na 13. pozycji w EAN13).
      Spacje są niedozwolone.
      W EAN13 ostatnim znakiem po ostatniej} na 13. pozycji powinno być * lub? . Zostanie on zastąpiony przez wyliczony klucz.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes4a=Przykład 99. %s strony trzeciej TheCompany, z datą 2023-01-31:
      +GenericMaskCodes4b=Przykład kontrahenta utworzonego 2023-01-31:
      +GenericMaskCodes4c=Przykład produktu utworzonego 2023-01-31:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000 da ABC2301-000099
      {0000+100@1 }-ZZZ/{dd}/XXX da 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t> wyświetli IN2301-0099-A jeśli typ firmy to „Responsable Inscripto” z kodem typu „A_RI” GenericNumRefModelDesc=Zwraca numer wysyłki zgodnie z zdefiniowaną maską ServerAvailableOnIPOrPort=Serwer dostępny jest pod adresem %s na porcie %s ServerNotAvailableOnIPOrPort=Serwer nie jest dostępna pod adresem %s na porcie %s @@ -378,11 +380,11 @@ DoTestSendHTML=Test przesyłania HTML ErrorCantUseRazIfNoYearInMask=Błąd, nie można korzystać z opcji @ na reset licznika każdego roku, jeśli ciąg {rr} lub {rrrr} nie jest w masce. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Błąd, nie można użyć opcji @ jeżeli sekwencja {rr}{mm} lub {yyyy}{mm} nie jest elementem maski. UMask=Parametr Umask dla nowych plików systemów Unix / Linux / BSD / Mac. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. +UMaskExplanation=Ten parametr umożliwia zdefiniowanie uprawnień ustawionych domyślnie dla plików tworzonych przez Dolibarra na serwerze (np. podczas przesyłania).
      Musi to być wartość ósemkowa (np. 0666 oznacza odczyt i zapis dla wszystkich.). Zalecana wartość to 0600 lub 0660
      Ten parametr jest bezużyteczny na serwerze Windows. SeeWikiForAllTeam=Spójrz na stronę Wiki, aby zapoznać się z listą współpracowników i ich organizacji UseACacheDelay= Opóźnienie dla buforowania odpowiedzi eksportu w sekundach (0 lub puste pole oznacza brak buforowania) -DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page -DisableLinkToHelp=Hide the link to the online help "%s" +DisableLinkToHelpCenter=Ukryj link „Potrzebujesz pomocy lub wsparcia” na stronie logowania +DisableLinkToHelp=Ukryj link do pomocy online „%s” AddCRIfTooLong=Nie ma automatycznego zawijania tekstu, zbyt długi tekst nie będzie wyświetlany na dokumentach. W razie potrzeby dodaj znaki powrotu karetki w polu tekstowym. ConfirmPurge=Czy na pewno chcesz wykonać to czyszczenie?
      Spowoduje to trwałe usunięcie wszystkich plików danych bez możliwości ich przywrócenia (pliki ECM, załączone pliki ...). MinLength=Minimalna długość @@ -396,7 +398,7 @@ ExampleOfDirectoriesForModelGen=Przykłady składni:
      c:\\myapp\\mydocumentd FollowingSubstitutionKeysCanBeUsed=
      Aby dowiedzieć się jak stworzyć szablony dokumentów odt, przed zapisaniem ich w katalogach, zapoznaj się z dokumentacją wiki: FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template FirstnameNamePosition=Pozycja Imienia / Nazwiska -DescWeather=Poniższe obrazy zostaną wyświetlone na pulpicie nawigacyjnym, gdy liczba późnych działań osiągnie następujące wartości: +DescWeather=Poniższe obrazy zostaną wyświetlone na pulpicie nawigacyjnym, gdy liczba spóźnionych działań osiągnie następujące wartości: KeyForWebServicesAccess=Kluczem do korzystania z usług internetowych (parametr "dolibarrkey" w webservices) TestSubmitForm=Formularz testowy wprowadzania ThisForceAlsoTheme=Korzystanie z tego menedżera menu będzie również używać własnego motywu, niezależnie od wyboru użytkownika. Również ten menedżer menu wyspecjalizowany dla smartfonów nie działa na wszystkich smartfonach. Użyj innego menedżera menu, jeśli napotkasz problemy ze swoim. @@ -417,6 +419,7 @@ PDFLocaltax=Zasady dla %s HideLocalTaxOnPDF=Ukryj stawkę %s w kolumnie Podatek od sprzedaży/VAT HideDescOnPDF=Ukryj opis produktów HideRefOnPDF=Ukryj numer referencyjny produktu +ShowProductBarcodeOnPDF=Wyświetl numer kodu kreskowego produktów HideDetailsOnPDF=Ukryj szczegóły linii produktów PlaceCustomerAddressToIsoLocation=Użyj francuskiej pozycji standardowej (La Poste) dla pozycji adresu klienta Library=Biblioteka @@ -424,7 +427,7 @@ UrlGenerationParameters=Parametry do zabezpiecznie adresu URL SecurityTokenIsUnique=Użyj unikalnego klucza zabezpieczeń dla każdego adresu EnterRefToBuildUrl=Wprowadź odwołanie do obiektu %s GetSecuredUrl=Pobierz obliczony adres URL -ButtonHideUnauthorized=Ukryj nieautoryzowane przyciski akcji również dla użytkowników wewnętrznych (w przeciwnym razie tylko wyszarzone) +ButtonHideUnauthorized=Ukryj nieautoryzowane przyciski akcji także dla użytkowników wewnętrznych (w przeciwnym razie są po prostu wyszarzone) OldVATRates=Poprzednia stawka VAT NewVATRates=Nowa stawka VAT PriceBaseTypeToChange=Zmiana dla cen opartych na wartości referencyjnej ustalonej na @@ -455,14 +458,14 @@ ExtrafieldCheckBox=Pola wyboru ExtrafieldCheckBoxFromList=Pola wyboru z tabeli ExtrafieldLink=Link do obiektu ComputedFormula=Obliczone pole -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' +ComputedFormulaDesc=Można tu wprowadzić formułę korzystającą z innych właściwości obiektu lub dowolnego kodu PHP, aby otrzymać dynamicznie obliczoną wartość. Możesz użyć dowolnych formuł zgodnych z PHP, w tym „?” operator warunku i następujący obiekt globalny: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      OSTRZEŻENIE: Jeśli potrzebujesz właściwości obiektu nie został załadowany, po prostu pobierz obiekt do formuły, jak w drugim przykładzie.
      Korzystanie z pola obliczeniowego oznacza, że nie możesz wprowadzić żadnej wartości z interfejsu. Ponadto jeśli wystąpi błąd składniowy, formuła może nic nie zwrócić.

      Przykład formuły:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      Przykład ponownego załadowania obiektu
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj- >capital / 5: '-1')

      Inny przykład formuły wymuszającej ładowanie obiektu i jego obiektu nadrzędnego:
      (($reloadedobj = nowe zadanie($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($ secondloadedobj = nowy projekt( $db)) && ($ secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0))? $ secondloadedobj->ref: „Nie znaleziono projektu nadrzędnego” Computedpersistent=Zapisz obliczone pole ComputedpersistentDesc=Obliczone dodatkowe pola zostaną zapisane w bazie danych, jednak wartość zostanie przeliczona tylko wtedy, gdy obiekt tego pola zostanie zmieniony. Jeśli obliczone pole zależy od innych obiektów lub danych globalnych, ta wartość może być nieprawidłowa !! -ExtrafieldParamHelpPassword=Pozostawienie tego pola pustego oznacza, że ta wartość będzie przechowywana bez szyfrowania (pole musi być ukryte tylko z gwiazdką na ekranie).
      Ustaw `` auto '', aby użyć domyślnej reguły szyfrowania do zapisania hasła w bazie danych (wtedy odczytana wartość będzie tylko hashem, nie ma możliwości odzyskania oryginalnej wartości) +ExtrafieldParamHelpPassword=Pozostawienie tego pola pustego oznacza, że wartość będzie przechowywana BEZ szyfrowania (pole jest po prostu ukryte i oznaczone gwiazdkami na ekranie).

      Wprowadź wartość „dolcrypt”, aby zakodować wartość za pomocą odwracalnego algorytmu szyfrowania. Wyczyszczone dane można nadal przeglądać i edytować, ale są one szyfrowane w bazie danych.

      Wpisz „auto” (lub „md5”, „sha256”, „password_hash”, ...), aby użyć domyślnego algorytmu szyfrowania hasła (lub md5, sha256, hasło_hash ...), aby zapisać nieodwracalne zaszyfrowane hasło w bazie danych (nie ma możliwości odzyskania oryginalnej wartości) ExtrafieldParamHelpselect=Lista wartości musi być liniami z kluczem formatu, wartością (gdzie klucz nie może wynosić '0')

      na przykład:
      1, wartość1
      2, wartość2

      na przykład:
      1, wartość1
      2, wartość2
      lista zależności od innej uzupełniającej listy atrybutów:
      1, wartosc1 | options_ parent_list_code : parent_key
      2, value2 | options_ parent_list_code : parent_key

      aby mieć listę w zależności od innej listy:
      1, wartosc1 | kod_listy_nadrzędnej : klucz_nadrzędny
      2, wartość2 | kod_listy_nadrzędnej : klucz_nadrzędny ExtrafieldParamHelpcheckbox=Lista wartości musi być liniami z kluczem formatu, wartością (gdzie klucz nie może mieć wartości '0')

      na przykład:
      1, wartość1
      2, wartość2
      3, wartość3 ... ExtrafieldParamHelpradio=Lista wartości musi być liniami z kluczem formatu, wartością (gdzie klucz nie może mieć wartości '0')

      na przykład:
      1, wartość1
      2, wartość2
      3, wartość3 ... -ExtrafieldParamHelpsellist=Lista wartości pochodzi z tabeli
      Składnia: nazwa_tabeli: etykieta_field: id_field :: filtersql
      Przykład: c_typent: libelle: id :: filtersql

      - id_field jest warunkiem afda0 - id_pole jest aql Może to być prosty test (np. Active = 1), aby wyświetlić tylko aktywną wartość
      Możesz również użyć $ ID $ w filtrze, który jest bieżącym identyfikatorem bieżącego obiektu
      Aby użyć SELECT w filtrze użyj słowa kluczowego $ SEL $, aby bypass ochrona przed wtryskiem.
      , jeśli chcesz filtrować na polach zewnętrznych, użyj składni extra.fieldcode = ... (gdzie kod pola jest kodem extrafield)

      Aby lista zależała od innej uzupełniającej listy atrybutów: a0342fccellefda19bz0: kod_listy_nadrzędnej | kolumna_nadrzędna: filtr

      Aby lista była zależna od innej listy:
      c_typent: libelle: id: a049271_kod_podrzędny: a049271_filtr +ExtrafieldParamHelpsellist=Lista wartości pochodzi z tabeli
      Składnia: nazwa_tabeli:label_field:id_field::filtersql
      Przykład: c_typent:libelle:id ::filtersql

      - id_field jest koniecznie głównym kluczem int
      - filtryql jest warunkiem SQL. Może to być prosty test (np. active=1), aby wyświetlić tylko aktywną wartość
      Możesz także użyć $ID$ w filtrze, który jest bieżącym identyfikatorem bieżącego obiektu
      Aby użyć SELECT w filtrze, użyj słowa kluczowego $SEL$ w celu ominięcia ochrony przeciwwstrzykowej.
      jeśli chcesz filtrować według dodatkowych pól użyj składni extra.fieldcode=... (gdzie kod pola jest kodem extrafield)

      Aby mieć lista w zależności od innej uzupełniającej listy atrybutów:
      c_typent:libelle:id:options_parent_list_code |parent_column:filter

      Aby lista była zależna od innej listy:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Lista wartości pochodzi z tabeli
      Składnia: nazwa_tabeli: label_field: id_field :: filtersql
      Przykład: c_typent: libelle: id :: filtersql

      Filtr wyświetlania może być prostym testem np. Activebz0f = 1 może również użyć $ ID $ w filtrze, który jest bieżącym identyfikatorem bieżącego obiektu
      Aby wykonać WYBÓR w filtrze, użyj $ SEL $
      , jeśli chcesz filtrować na polach zewnętrznych, użyj składni extra.fieldcode = ... (gdzie kod pola to Kod extrafield)

      W celu uzyskania listy w zależności od innej uzupełniającej listy atrybutów:
      c_typent: libelle: id: options_ parent_list_code | parent_column: filtr

      W celu uzyskania listy w zależności od innej listy:
      c_typent: libelle: id: kod_listy_nadrzędnej | kolumna_nadrzędna: filtr ExtrafieldParamHelplink=Parametry muszą być parametrami ObjectName: Classpath
      Składnia: ObjectName: Classpath ExtrafieldParamHelpSeparator=Pozostaw puste dla prostego separatora
      Ustaw na 1 dla zwijanego separatora (domyślnie otwarty dla nowej sesji, a następnie status jest zachowany dla każdej sesji użytkownika)
      Ustaw na 2 dla zwijanego separatora (domyślnie zwinięty dla nowej sesji, a następnie status jest zachowywany przed każdą sesją użytkownika) @@ -482,7 +485,7 @@ InstalledInto=Zainstalowany w katalogu %s BarcodeInitForThirdparties=Masowe inicjowanie kodu kreskowego dla kontrahentów BarcodeInitForProductsOrServices=Masowe generowanie kodów lub reset kodów kreskowych dla usług i produktów CurrentlyNWithoutBarCode=Obecnie masz rekord %s na %s %s bez kodu kreskowego. -InitEmptyBarCode=Init value for the %s empty barcodes +InitEmptyBarCode=Wartość początkowa dla %s pustych kodów kreskowych EraseAllCurrentBarCode=Usuń wszystkie aktualne kody kreskowe ConfirmEraseAllCurrentBarCode=Jesteś pewien, że chcesz usunąć wszystkie aktualne wartości kodów kreskowych? AllBarcodeReset=Wszystkie wartości kodów kreskowych zostały usunięte @@ -504,34 +507,34 @@ Use3StepsApproval=Domyślnie zamówienia zakupu muszą być tworzone i zatwierdz UseDoubleApproval=Użyj 3-stopniowego zatwierdzenia, gdy kwota (bez podatku) jest wyższa niż ... WarningPHPMail=OSTRZEŻENIE: Konfiguracja wysyłania wiadomości e-mail z aplikacji korzysta z domyślnej konfiguracji ogólnej. Często lepiej jest skonfigurować wychodzące wiadomości e-mail tak, aby korzystały z serwera poczty e-mail dostawcy usług e-mail zamiast konfiguracji domyślnej z kilku powodów: WarningPHPMailA=- Korzystanie z serwera dostawcy usług e-mail zwiększa wiarygodność wiadomości e-mail, a więc zwiększa dostarczalność bez oznaczania jako SPAM -WarningPHPMailB=- Niektórzy dostawcy usług e-mail (np. Yahoo) nie pozwalają na wysyłanie wiadomości e-mail z innego serwera niż ich własny serwer. Twoja obecna konfiguracja wykorzystuje serwer aplikacji do wysyłania wiadomości e-mail, a nie serwer dostawcy poczty e-mail, więc niektórzy odbiorcy (ten zgodny z restrykcyjnym protokołem DMARC) zapytają dostawcę poczty e-mail, czy mogą zaakceptować Twoją wiadomość e-mail i niektórzy dostawcy poczty e-mail (jak Yahoo) może odpowiedzieć „nie”, ponieważ serwer nie należy do nich, więc niewiele z wysłanych przez Ciebie e-maili może nie zostać zaakceptowanych do dostarczenia (uważaj również na limit wysyłania dostawcy poczty e-mail). -WarningPHPMailC=- Używanie serwera SMTP własnego dostawcy usług pocztowych do wysyłania e-maili jest również interesujące, więc wszystkie e-maile wysyłane z aplikacji będą również zapisywane w katalogu „Wysłane” Twojej skrzynki pocztowej. -WarningPHPMailD=It is therefore recommended to change the sending method of e-mails to the value "SMTP". -WarningPHPMailDbis=If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by %sclicking here%s. +WarningPHPMailB=- Niektórzy dostawcy usług e-mail (np. Yahoo) nie pozwalają na wysyłanie wiadomości e-mail z innego serwera niż ich własny serwer. Twoja obecna konfiguracja wykorzystuje serwer aplikacji do wysyłania wiadomości e-mail, a nie serwer dostawcy poczty e-mail, więc niektórzy odbiorcy (ten zgodny z restrykcyjnym protokołem DMARC) zapytają dostawcę poczty e-mail, czy mogą zaakceptować Twoją wiadomość e-mail i niektórzy dostawcy poczty e-mail (jak Yahoo) może odpowiedzieć „nie”, ponieważ serwer nie należy do nich, więc wiele z wysłanych przez Ciebie e-maili może nie zostać zaakceptowanych do dostarczenia (uważaj również na limit wysyłania dostawcy poczty e-mail). +WarningPHPMailC=- Używanie serwera SMTP własnego dostawcy usług pocztowych do wysyłania e-maili jest również interesujące, ponieważ wszystkie e-maile wysyłane z aplikacji będą również zapisywane w katalogu „Wysłane” Twojej skrzynki pocztowej. +WarningPHPMailD=Zaleca się zmianę sposobu wysyłania wiadomości e-mail na wartość „SMTP”. +WarningPHPMailDbis=Jeśli naprawdę chcesz zachować domyślną metodę wysyłania e-maili „PHP”, po prostu zignoruj to ostrzeżenie lub usuń je %sklikając tutaj%s. WarningPHPMail2=Jeśli Twój dostawca poczty e-mail SMTP musi ograniczyć klienta poczty e-mail do niektórych adresów IP (bardzo rzadko), jest to adres IP agenta użytkownika poczty (MUA) dla aplikacji ERP CRM: %s . -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask your domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. -ActualMailSPFRecordFound=Actual SPF record found (for email %s) : %s +WarningPHPMailSPF=Jeśli nazwa domeny w adresie e-mail nadawcy jest chroniona rekordem SPF (zapytaj rejestratora nazwy domeny), musisz dodać następujące adresy IP w rekordzie SPF DNS swojej domeny: %s. +ActualMailSPFRecordFound=Znaleziono rekord SPF (dla adresu e-mail %s): %s ClickToShowDescription=Kliknij aby zobaczyć opis DependsOn=Ten moduł wymaga modułu RequiredBy=Ten moduł wymagany jest przez moduł(y) TheKeyIsTheNameOfHtmlField=To jest nazwa pola HTML. Aby odczytać zawartość strony HTML w celu uzyskania nazwy klucza pola, wymagana jest wiedza techniczna. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. +PageUrlForDefaultValues=Musisz wprowadzić ścieżkę względną adresu URL strony. Jeśli w adresie URL zawrzesz parametry, efekt będzie taki, że wszystkie parametry w przeglądanym adresie URL będą miały zdefiniowaną tutaj wartość. PageUrlForDefaultValuesCreate=
      Przykład:
      Formularz do tworzenia nowej strony trzeciej to %s .
      W przypadku adresów URL modułów zewnętrznych zainstalowanych w katalogu niestandardowym nie należy dołączać „custom/”, więc użyj ścieżki takiej jak mymodule/mypage.php , a nie custom/mymodule/mypage.php.
      Jeśli chcesz mieć wartość domyślną tylko wtedy, gdy adres URL ma jakiś parametr, możesz użyć %s PageUrlForDefaultValuesList=
      Przykład:
      W przypadku strony z listą stron trzecich jest to %s .
      W przypadku adresów URL modułów zewnętrznych zainstalowanych w katalogu niestandardowym nie należy dołączać „custom/”, więc użyj ścieżki takiej jak mymodule/mypagelist.php , a nie custom/mymodule/mypagelist.php.
      Jeśli chcesz mieć wartość domyślną tylko wtedy, gdy adres URL ma jakiś parametr, możesz użyć %s -AlsoDefaultValuesAreEffectiveForActionCreate=Należy również pamiętać, że nadpisywanie wartości domyślnych przy tworzeniu formularzy działa tylko w przypadku stron, które zostały poprawnie zaprojektowane (więc z parametrem akcja = utwórz lub wyświetl ...) +AlsoDefaultValuesAreEffectiveForActionCreate=Należy również pamiętać, że nadpisywanie domyślnych wartości przy tworzeniu formularzy działa tylko w przypadku stron, które zostały poprawnie zaprojektowane (więc z parametrem akcja=utwórz lub wyślij...) EnableDefaultValues=Włącz dostosowywanie wartości domyślnych EnableOverwriteTranslation=Pozwól na dostosowanie tłumaczeń GoIntoTranslationMenuToChangeThis=Znaleziono tłumaczenie klucza z tym kodem. Aby zmienić tę wartość, należy ją edytować z poziomu Strona Główna - Ustawienia - Tłumaczenia. WarningSettingSortOrder=Ostrzeżenie, ustawienie domyślnej kolejności sortowania może spowodować błąd techniczny podczas przechodzenia na stronę listy, jeśli pole jest nieznanym polem. Jeśli napotkasz taki błąd, wróć na tę stronę, aby usunąć domyślną kolejność sortowania i przywrócić domyślne zachowanie. Field=Pole ProductDocumentTemplates=Szablony dokumentów do generowania dokumentów produktowych -ProductBatchDocumentTemplates=Document templates to generate product lots document -FreeLegalTextOnExpenseReports=Dowolny tekst prawny dotyczący zestawień wydatków +ProductBatchDocumentTemplates=Szablony dokumentu do generowania dokumentu partii produktów +FreeLegalTextOnExpenseReports=Dowolny tekst prawny na raportach kosztowych WatermarkOnDraftExpenseReports=Znak wodny na projektach raportów z wydatków -ProjectIsRequiredOnExpenseReports=The project is mandatory for entering an expense report -PrefillExpenseReportDatesWithCurrentMonth=Pre-fill start and end dates of new expense report with start and end dates of the current month -ForceExpenseReportsLineAmountsIncludingTaxesOnly=Force the entry of expense report amounts always in amount with taxes -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) +ProjectIsRequiredOnExpenseReports=Projekt jest obowiązkowy do wprowadzenia raportu z wydatków +PrefillExpenseReportDatesWithCurrentMonth=Wstępnie wypełnij daty rozpoczęcia i zakończenia nowego raportu wydatków datami rozpoczęcia i zakończenia bieżącego miesiąca +ForceExpenseReportsLineAmountsIncludingTaxesOnly=Wymuś wprowadzenie kwot raportu wydatków zawsze w kwocie zawierającej podatki +AttachMainDocByDefault=Ustaw tę opcję na Tak, jeśli chcesz domyślnie załączyć dokument główny do wiadomości e-mail (jeśli ma to zastosowanie) FilesAttachedToEmail=Załącz plik SendEmailsReminders=Wysyłaj przypomnienia o agendzie pocztą elektroniczną davDescription=Skonfiguruj serwer WebDAV @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Ogólny katalog prywatny to katalog WebDAV, do któ DAV_ALLOW_PUBLIC_DIR=Włącz ogólny katalog publiczny (dedykowany katalog WebDAV o nazwie „public” - logowanie nie jest wymagane) DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). DAV_ALLOW_ECM_DIR=Włącz prywatny katalog DMS/ECM (katalog główny modułu DMS/ECM - wymagane logowanie) -DAV_ALLOW_ECM_DIRTooltip=Katalog główny, do którego wszystkie pliki są ładowane ręcznie podczas korzystania z modułu DMS/ECM. Podobnie jak w przypadku dostępu z interfejsu internetowego, będziesz potrzebować ważnego loginu/hasła z odpowiednimi uprawnieniami, aby uzyskać do niego dostęp. +DAV_ALLOW_ECM_DIRTooltip=Katalog główny, do którego ręcznie przesyłane są wszystkie pliki podczas korzystania z modułu DMS/ECM. Podobnie jak w przypadku dostępu z poziomu interfejsu WWW, do uzyskania dostępu potrzebne będą ważne login/hasło z odpowiednimi uprawnieniami. ##### Modules ##### Module0Name=Użytkownicy i grupy Module0Desc=Zarządzanie Użytkownikami/Pracownikami i Grupami @@ -566,15 +569,15 @@ Module40Desc=Zarządzanie dostawcami i zakupami (zamówienia i fakturowanie fakt Module42Name=Dzienniki debugowania Module42Desc=Możliwości logowania (plik, syslog, ...). Takie dzienniki służą do celów technicznych / debugowania. Module43Name=Pasek debugowania -Module43Desc=Narzędzie dla programistów dodające pasek debugowania w przeglądarce. +Module43Desc=Narzędzie dla programistów, dodające pasek debugowania w przeglądarce. Module49Name=Edytory Module49Desc=Zarządzanie edytorem Module50Name=Produkty Module50Desc=Zarządzanie produktami Module51Name=Masowe wysyłanie poczty Module51Desc=Zarządzanie masowym wysyłaniem poczty papierowej -Module52Name=Zapasy -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Name=Stany magazynowe +Module52Desc=Zarządzanie zapasami (śledzenie ruchu zapasów i inwentury) Module53Name=Usługi Module53Desc=Zarządzanie usługami Module54Name=Kontrakty/Subskrypcje @@ -582,7 +585,7 @@ Module54Desc=Zarządzanie umowami (usługi lub cykliczne subskrypcje) Module55Name=Kody kreskowe Module55Desc=Zarządzanie kodami kreskowymi lub kodami QR Module56Name=Płatność przelewem -Module56Desc=Zarządzanie płatnościami dostawców za pomocą poleceń przelewu. Obejmuje generowanie pliku SEPA dla krajów europejskich. +Module56Desc=Zarządzanie płatnościami dostawców lub wynagrodzeń za pomocą poleceń przelewu. Obejmuje generowanie pliku SEPA dla krajów europejskich. Module57Name=Płatności poleceniem zapłaty Module57Desc=Zarządzanie poleceniami zapłaty. Obejmuje generowanie pliku SEPA dla krajów europejskich. Module58Name=ClickToDial @@ -620,16 +623,20 @@ Module400Desc=Zarządzanie projektami, potencjalnymi klientami/możliwościami i Module410Name=Webcalendar Module410Desc=Integracja Webcalendar Module500Name=Podatki i wydatki specjalne -Module500Desc=Management of other expenses (sales taxes, social or fiscal taxes, dividends, ...) +Module500Desc=Zarządzanie innymi wydatkami (podatki od sprzedaży, ZUS, podatek VAT, dywidendy, ...) Module510Name=Wynagrodzenia -Module510Desc=Nagrywaj i śledź płatności pracowników +Module510Desc=Rejestruj i śledź płatności pracowników Module520Name=Kredyty Module520Desc=Zarządzanie kredytów Module600Name=Powiadomienia o wydarzeniach biznesowych -Module600Desc=Wysyłaj powiadomienia e-mail wyzwalane przez zdarzenie biznesowe: na użytkownika (konfiguracja zdefiniowana dla każdego użytkownika), na osobę kontaktową (konfiguracja zdefiniowana dla każdej strony trzeciej) lub przez określone wiadomości e-mail +Module600Desc=Wysyłaj powiadomienia e-mail wyzwalane przez zdarzenie biznesowe: na użytkownika (konfiguracja zdefiniowana dla każdego użytkownika), na kontrahenta (konfiguracja zdefiniowana dla każdego kontrahenta) lub przez określone wiadomości e-mail Module600Long=Należy pamiętać, że ten moduł wysyła wiadomości e-mail w czasie rzeczywistym, gdy ma miejsce określone wydarzenie biznesowe. Jeśli szukasz funkcji wysyłania przypomnień e-mail o wydarzeniach w programie, przejdź do konfiguracji modułu Agenda. Module610Name=Warianty produktu Module610Desc=Tworzenie wariantów produktów (kolor, rozmiar itp.) +Module650Name=Zestawienia materiałowe (BOM) +Module650Desc=Moduł do definiowania zestawień materiałów (BOM). Można go wykorzystać do planowania zasobów produkcyjnych poprzez moduł Zlecenia produkcyjne (MO) +Module660Name=Planowanie zasobów produkcyjnych (MRP) +Module660Desc=Moduł do zarządzania zleceniami produkcyjnymi (MO) Module700Name=Darowizny Module700Desc=Zarządzanie darowiznami Module770Name=Raporty Wydatków @@ -650,13 +657,13 @@ Module2300Name=Zaplanowane zadania Module2300Desc=Zarządzanie zaplanowanymi zadaniami (jak cron lub chrono table) Module2400Name=Wydarzenia/Agenda Module2400Desc=Śledź wydarzenia. Rejestruj automatyczne zdarzenia do celów śledzenia lub rejestruj zdarzenia ręczne lub spotkania. Jest to główny moduł dobrego zarządzania relacjami z klientami lub dostawcami. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Umawianie spotkań online +Module2430Desc=Udostępnia system rezerwacji wizyt on-line. Dzięki temu każdy może zarezerwować spotkanie, zgodnie z wcześniej określonymi zakresami lub dostępnością. Module2500Name=SZD / ZZE Module2500Desc=System Zarządzania Dokumentami / Zarządzanie Zawartością Elektroniczną. Automatyczna organizacja twoich wygenerowanych lub składowanych dokumentów. Udostępniaj je kiedy chcesz. -Module2600Name=API / Web services (SOAP server) +Module2600Name=API/usługi internetowe (serwer SOAP) Module2600Desc=Enable the Dolibarr SOAP server providing API services -Module2610Name=API / Web services (REST server) +Module2610Name=API/usługi internetowe (serwer REST) Module2610Desc=Enable the Dolibarr REST server providing API services Module2660Name=Połączeń WebServices (klient SOAP) Module2660Desc=Włącz klienta usług sieciowych Dolibarr (może być używany do przesyłania danych/żądań do serwerów zewnętrznych. Obecnie obsługiwane są tylko zamówienia zakupu). @@ -668,11 +675,11 @@ Module2900Desc=Możliwości konwersji GeoIP Maxmind Module3200Name=Niezmienione archiwa Module3200Desc=Włącz niezmienny dziennik zdarzeń biznesowych. Wydarzenia są archiwizowane w czasie rzeczywistym. Dziennik jest tabelą tylko do odczytu połączonych zdarzeń, które można wyeksportować. Ten moduł może być obowiązkowy w niektórych krajach. Module3300Name=Konstruktor modułu -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. +Module3300Desc=Narzędzie RAD (Rapid Application Development - low-code i no-code), pomagające programistom lub zaawansowanym użytkownikom w budowaniu własnych modułów/aplikacji. Module3400Name=Sieci społecznościowe Module3400Desc=Włącz pola sieci społecznościowych w kontrahentach i adresach (skype, twitter, facebook, ...). Module4000Name=HR -Module4000Desc=Zarządzanie zasobami ludzkimi (zarządzanie departamentami, umowami pracowników,...) +Module4000Desc=Zarządzanie zasobami ludzkimi (zarządzanie działem, umowami o pracę, zarządzanie umiejętnościami i rozmową kwalifikacyjną) Module5000Name=Multi-company Module5000Desc=Pozwala na zarządzanie wieloma firmami Module6000Name=Przepływ pracy między modułami @@ -680,7 +687,7 @@ Module6000Desc=Zarządzanie przepływem pracy pomiędzy różnymi modułami (aut Module10000Name=Strony internetowe Module10000Desc=Twórz strony internetowe (publiczne) za pomocą edytora WYSIWYG. To jest CMS zorientowany na webmastera lub programistę (lepiej znać język HTML i CSS). Po prostu skonfiguruj swój serwer WWW (Apache, Nginx, ...), aby wskazywał dedykowany katalog Dolibarr, aby mieć go online w Internecie z własną nazwą domeny. Module20000Name=Zarządzanie Wnioskami Urlopowymi -Module20000Desc=Definiuj i śledź wnioski pracowników o urlop +Module20000Desc=Definiuj i śledź wnioski urlopowe pracowników Module39000Name=Partie produktów Module39000Desc=Partie, numery seryjne, zarządzanie datami przydatności do spożycia/sprzedaży dla produktów Module40000Name=Wielowalutowy @@ -709,11 +716,13 @@ Module62000Name=Formuły handlowe Module62000Desc=Dodaj funkcje do zarządzania Incoterms Module63000Name=Zasoby Module63000Desc=Zarządzaj zasobami (drukarki, samochody, pokoje, ...) w celu przydzielania ich do wydarzeń -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. -Module94160Name=Receptions +Module66000Name=Zarządzanie tokenami OAuth2 +Module66000Desc=Zapewnij narzędzie do generowania tokenów OAuth2 i zarządzania nimi. Token może być następnie wykorzystany przez inne moduły. +Module94160Name=Przyjęcia przesyłek +ModuleBookCalName=System kalendarza rezerwacji +ModuleBookCalDesc=Zarządzaj kalendarzem, aby rezerwować spotkania ##### Permissions ##### -Permission11=Read customer invoices (and payments) +Permission11=Czytaj faktury klientów (i płatności) Permission12=Tworzenie/modyfikacja faktur klientów Permission13=Unieważnij faktury klienta Permission14=Walidacja faktur klienta @@ -729,14 +738,14 @@ Permission27=Usuń oferty reklam Permission28=Eksportuj oferty reklam Permission31=Czytaj produkty Permission32=Tworzenie / modyfikacja produktów -Permission33=Read prices products +Permission33=Przeczytaj ceny produktów Permission34=Usuwanie produktów Permission36=Podejrzyj / zarządzaj ukrytymi produktami Permission38=Eksport produktów Permission39=Zignoruj cenę minimalną -Permission41=Read projects and tasks (shared projects and projects of which I am a contact). -Permission42=Create/modify projects (shared projects and projects of which I am a contact). Can also assign users to projects and tasks -Permission44=Delete projects (shared projects and projects of which I am a contact) +Permission41=Przeczytaj projekty i zadania (współdzielone projekty i projekty, z którymi jestem kontaktem). +Permission42=Twórz/modyfikuj projekty (projekty współdzielone i projekty, z którymi jestem kontaktem). Może także przypisywać użytkowników do projektów i zadań +Permission44=Usuń projekty (projekty udostępnione i projekty, z którymi jestem kontaktem) Permission45=Eksportuj projekty Permission61=Czytaj interwencje Permission62=Tworzenie / modyfikacja interwencji @@ -755,7 +764,7 @@ Permission79=Tworzenie / modyfikacja subskrypcji Permission81=Czytaj zamówienia klientów Permission82=Tworzenie / modyfikacja zamówień klientów Permission84=Walidacja zamówień klientów -Permission85=Generate the documents sales orders +Permission85=Generowanie dokumentów zamówień sprzedaży Permission86=Wyślij zamówienia klientów Permission87=Zamknij zamówienia klientów Permission88=Anuluj zamówienia klientów @@ -773,7 +782,7 @@ Permission106=Eksportuj wysyłki Permission109=Usuń wysyłki Permission111=Czytaj raporty finansowe Permission112=Tworzenie / modyfikacja / usuwanie oraz porównywanie transakcji -Permission113=Setup financial accounts (create, manage categories of bank transactions) +Permission113=Konfiguruj konta finansowe (twórz i zarządzaj kategoriami transakcji bankowych) Permission114=Uzgodnij transakcje Permission115=Eksport transakcji oraz oświadczeń obrachunkowych Permission116=Przelewy pomiędzy rachunkami @@ -782,11 +791,11 @@ Permission121=Przeglądaj kontrahentów związanych z użytkownikiem Permission122=Tworzenie / modyfikacja stron trzecich związanych z użytkownikiem Permission125=Usuń kontrahentów związanych z użytkownikiem z użytkownikiem Permission126=Eksport stron trzecich -Permission130=Create/modify third parties payment information -Permission141=Read all projects and tasks (as well as the private projects for which I am not a contact) -Permission142=Create/modify all projects and tasks (as well as the private projects for which I am not a contact) -Permission144=Delete all projects and tasks (as well as the private projects I am not a contact) -Permission145=Can enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) +Permission130=Twórz/modyfikuj informacje o płatnościach kontrahentów +Permission141=Przeczytaj wszystkie projekty i zadania (a także projekty prywatne, w sprawie których nie jestem kontaktem) +Permission142=Twórz/modyfikuj wszystkie projekty i zadania (a także projekty prywatne, w sprawie których nie jestem kontaktem) +Permission144=Usuń wszystkie projekty i zadania (a także projekty prywatne, z którymi nie jestem kontaktem) +Permission145=Może wprowadzać czas spędzony przeze mnie lub moją hierarchię na przydzielonych zadaniach (karta czasu pracy) Permission146=Czytaj dostawców Permission147=Czytaj statystyki Permission151=Przeczytaj polecenia zapłaty za polecenie zapłaty @@ -857,7 +866,7 @@ Permission286=Eksport kontaktów Permission291=Czytaj taryfy Permission292=Ustaw uprawnienia dotyczące taryf Permission293=Zmodyfikuj taryfy klienta -Permission301=Generate PDF sheets of barcodes +Permission301=Generuj arkusze PDF z kodami kreskowymi Permission304=Twórz/modyfikuj kody kreskowe Permission305=Usuń kody kreskowe Permission311=Czytaj usługi @@ -891,7 +900,7 @@ Permission525=Kalkulator kredytowy Dostęp Permission527=Kredyty eksportowe Permission531=Cztaj usługi Permission532=Tworzenie / modyfikacja usług -Permission533=Read prices services +Permission533=Przeczytaj ceny usług Permission534=Usuwanie usług Permission536=Zobacz / zarządzaj ukrytymi usługami Permission538=Eksport usług @@ -902,7 +911,7 @@ Permission564=Rekordowe obciążenia/odrzucenia polecenia przelewu Permission601=Przeczytaj naklejki Permission602=Twórz/modyfikuj naklejki Permission609=Usuń naklejki -Permission611=Read attributes of variants +Permission611=Przeczytaj atrybuty wariantów Permission612=Utwórz/Zaktualizuj atrybuty wariantów Permission613=Usuń atrybuty wariantów Permission650=Przeczytaj listy materiałów @@ -915,11 +924,11 @@ Permission701=Zobacz darowizny Permission702=Tworzenie / modyfikacja darowizn Permission703=Usuń darowizny Permission771=Read expense reports (yours and your subordinates) -Permission772=Create/modify expense reports (for you and your subordinates) +Permission772=Twórz/modyfikuj raporty wydatków (dla Ciebie i Twoich podwładnych) Permission773=Usuń raporty wydatków Permission775=Zatwierdzanie raportów wydatków Permission776=Zapłać raporty wydatków -Permission777=Read all expense reports (even those of user not subordinates) +Permission777=Przeczytaj wszystkie raporty wydatków (nawet te użytkowników, którzy nie są podwładnymi) Permission778=Twórz/modyfikuj raporty wydatków dla wszystkich Permission779=Eksport raportów kosztów Permission1001=Zobacz zasoby @@ -929,8 +938,8 @@ Permission1004=Zobacz przemieszczanie zasobów Permission1005=Tworzenie / modyfikacja przemieszczania zasobów Permission1011=Pokaż inwentaryzacje Permission1012=Utwórz nową inwentaryzację -Permission1014=Validate inventory -Permission1015=Allow to change PMP value for a product +Permission1014=Zweryfikuj zapasy +Permission1015=Zezwalaj na zmianę wartości PMP dla produktu Permission1016=Usuń inwentaryzację Permission1101=Przeczytaj potwierdzenia dostaw Permission1102=Twórz/modyfikuj potwierdzenia dostaw @@ -949,13 +958,13 @@ Permission1184=Weryfikuj zamówienia Permission1185=Zatwierdź zamówienia zakupu Permission1186=Zrealizuj zamówienia Permission1187=Potwierdź otrzymanie zamówień zakupu -Permission1188=Usuń zamówienia zakupu +Permission1188=Usuń zamówienia zakupowe Permission1189=Zaznacz/odznacz przyjęcie zamówienia zakupu -Permission1190=Zatwierdź (drugie zatwierdzenie) zamówienia zakupu +Permission1190=Zatwierdź (drugie zatwierdzenie) zamówienia zakupowe Permission1191=Eksport zamówień dostawców i ich atrybutów Permission1201=Wygeneruj wyniki eksportu Permission1202=Utwórz / modyfikuj eksport -Permission1231=Read vendor invoices (and payments) +Permission1231=Czytaj faktury dostawcy (i płatności) Permission1232=Twórz/modyfikuj faktury od dostawców Permission1233=Weryfikuj faktury od dostawców Permission1234=Usuń faktury dostawcy @@ -979,40 +988,40 @@ Permission2501=Czytaj / Pobierz dokumenty Permission2502=Pobierz dokumenty Permission2503=Potwierdź lub usuń dokumenty Permission2515=Konfiguracja katalogów dokumentów -Permission2610=Generate/modify users API key +Permission2610=Wygeneruj/zmodyfikuj klucz API użytkownika Permission2801=Użyj klienta FTP w trybie odczytu (tylko przeglądanie i pobieranie) Permission2802=Użyj klienta FTP w trybie zapisu (usuwanie lub przesyłanie plików) Permission3200=Czytaj zarchiwizowane wydarzenia i odciski palców Permission3301=Wygeneruj nowe moduły -Permission4001=Read skill/job/position -Permission4002=Create/modify skill/job/position -Permission4003=Delete skill/job/position -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations -Permission4023=Validate evaluation -Permission4025=Delete evaluation -Permission4028=See comparison menu -Permission4031=Read personal information -Permission4032=Write personal information -Permission4033=Read all evaluations (even those of user not subordinates) +Permission4001=Przeczytaj umiejętność/pracę/stanowisko +Permission4002=Utwórz/zmodyfikuj umiejętność/pracę/stanowisko +Permission4003=Usuń umiejętność/pracę/stanowisko +Permission4021=Przeczytaj oceny (twoje i twoich podwładnych) +Permission4022=Twórz/modyfikuj oceny +Permission4023=Zweryfikuj ocenę +Permission4025=Usuń ocenę +Permission4028=Zobacz menu porównawcze +Permission4031=Przeczytaj dane osobowe +Permission4032=Napisz dane osobowe +Permission4033=Przeczytaj wszystkie oceny (nawet te użytkowników, którzy nie są podwładnymi) Permission10001=Przeczytaj zawartość strony internetowej -Permission10002=Twórz/modyfikuj zawartość strony internetowej (zawartość html i javascript) +Permission10002=Twórz/modyfikuj zawartość strony internetowej (treść HTML i JavaScript) Permission10003=Twórz/modyfikuj zawartość strony internetowej (dynamiczny kod php). Niebezpieczne, musi być zarezerwowane dla programistów z ograniczeniami. Permission10005=Usuń zawartość witryny Permission20001=Przeczytaj wnioski urlopowe (Twoje i Twoich podwładnych) Permission20002=Twórz/modyfikuj swoje wnioski urlopowe (urlop swój i podwładnych) Permission20003=Delete leave requests -Permission20004=Read all leave requests (even those of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) -Permission20006=Administer leave requests (setup and update balance) +Permission20004=Przeczytaj wszystkie wnioski o urlop (nawet te pochodzące od użytkownika, który nie jest podwładnym) +Permission20005=Twórz/modyfikuj wnioski urlopowe dla wszystkich (nawet tych użytkowników, którzy nie są podwładnymi) +Permission20006=Administrowanie wnioskami urlopowymi (konfiguracja i aktualizacja salda) Permission20007=Zatwierdź wnioski urlopowe Permission23001=Czytaj Zaplanowane zadania Permission23002=Tworzenie / aktualizacja Zaplanowanych zadań Permission23003=Usuwanie Zaplanowanego zadania Permission23004=Wykonanie Zaplanowanego zadania -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates +Permission40001=Przeczytaj waluty i ich kursy +Permission40002=Twórz/aktualizuj waluty i ich kursy +Permission40003=Usuń waluty i ich kursy Permission50101=Użyj punktu sprzedaży (SimplePOS) Permission50151=Użyj punktu sprzedaży (TakePOS) Permission50152=Edytuj wiersze sprzedaży @@ -1080,8 +1089,8 @@ DictionaryFees=Raport z wydatków - Rodzaje wierszy raportu z wydatków DictionarySendingMethods=Metody wysyłki DictionaryStaff=Liczba zatrudnionych DictionaryAvailability=Opóźnienie dostawy -DictionaryOrderMethods=Inne metody -DictionarySource=Pochodzenie wniosków / zleceń +DictionaryOrderMethods=Metody składania zamówień +DictionarySource=Źródła dla ofert i zamówień DictionaryAccountancyCategory=Spersonalizowane grupy raportów DictionaryAccountancysystem=Modele dla planu kont DictionaryAccountancyJournal=Dzienniki księgowe @@ -1097,22 +1106,24 @@ DictionaryExpenseTaxCat=Raport wydatków - Kategorie transportu DictionaryExpenseTaxRange=Raport z wydatków - zakres według kategorii transportu DictionaryTransportMode=Raport Intracomm - tryb transportowy DictionaryBatchStatus=Status kontroli jakości partii/serii produktu -DictionaryAssetDisposalType=Type of disposal of assets +DictionaryAssetDisposalType=Rodzaj zbycia aktywów +DictionaryInvoiceSubtype=Podtypy faktur TypeOfUnit=Rodzaj jednostki SetupSaved=Konfiguracja zapisana SetupNotSaved=Ustawienia nie zapisane -OAuthServiceConfirmDeleteTitle=Delete OAuth entry -OAuthServiceConfirmDeleteMessage=Are you sure you want to delete this OAuth entry ? All existing tokens for it will also be deleted. -ErrorInEntryDeletion=Error in entry deletion -EntryDeleted=Entry deleted +OAuthServiceConfirmDeleteTitle=Usuń wpis OAuth +OAuthServiceConfirmDeleteMessage=Czy na pewno chcesz usunąć ten wpis OAuth? Wszystkie istniejące tokeny dla niego również zostaną usunięte. +ErrorInEntryDeletion=Błąd podczas usuwania wpisu +EntryDeleted=Wpis usunięty BackToModuleList=Powrót do listy modułów BackToDictionaryList=Powrót do listy słowników TypeOfRevenueStamp=Rodzaj znaku skarbowego VATManagement=Zarządzanie podatkami od sprzedaży -VATIsUsedDesc=Domyślnie podczas tworzenia prospektów, faktur, zamówień itp. Stawka podatku od sprzedaży jest zgodna z aktywną regułą standardową:
      Jeśli sprzedawca nie podlega podatkowi od sprzedaży, wówczas podatek od sprzedaży jest domyślnie ustawiony na 0. Koniec reguły.
      Jeśli (kraj sprzedającego = kraj kupującego), wówczas podatek od sprzedaży jest domyślnie równy podatkowi od sprzedaży produktu w kraju sprzedawcy. Koniec reguły.
      Jeśli sprzedawca i kupujący znajdują się na terenie Wspólnoty Europejskiej, a towary są produktami związanymi z transportem (transport, spedycja, linia lotnicza), domyślny podatek VAT wynosi 0. Ta zasada zależy od kraju sprzedawcy - skonsultuj się z księgowym. Kupujący powinien zapłacić podatek VAT w urzędzie celnym w swoim kraju, a nie sprzedającemu. Koniec reguły.
      Jeśli sprzedawca i kupujący znajdują się zarówno we Wspólnocie Europejskiej, a kupujący nie jest firmą (z zarejestrowanym wewnątrzwspólnotowym numerem VAT), wówczas podatek VAT jest domyślnie równy stawce VAT kraju sprzedawcy. Koniec reguły.
      Jeśli sprzedawca i kupujący znajdują się zarówno we Wspólnocie Europejskiej, a kupującym jest firma (z zarejestrowanym wewnątrzwspólnotowym numerem VAT), wówczas VAT wynosi domyślnie 0. Koniec reguły.
      W każdym innym przypadku proponowaną wartością domyślną jest podatek obrotowy = 0. Koniec reguły. +VATIsUsedDesc=Domyślnie podczas tworzenia potencjalnych klientów, faktur, zamówień itp. stawka podatku od sprzedaży jest zgodna z aktywną standardową regułą:
      Jeśli sprzedawca nie podlega podatkowi, wówczas domyślna wartość podatku wynosi 0 Koniec reguły.
      Jeśli (kraj sprzedawcy = kraj kupującego), wówczas podatek od sprzedaży domyślnie jest równy podatkowi od sprzedaży produktu w kraju sprzedawcy. Koniec reguły.
      Jeśli zarówno sprzedawca, jak i kupujący znajdują się we Wspólnocie Europejskiej, a towary są produktami związanymi z transportem (transport, spedycja, linia lotnicza), domyślny podatek VAT wynosi 0. To zasada zależy od kraju sprzedawcy - proszę skonsultować się ze swoim księgowym. Podatek VAT powinien zapłacić kupujący w urzędzie celnym w swoim kraju, a nie sprzedającemu. Koniec reguły.
      Jeśli zarówno sprzedawca, jak i kupujący znajdują się na terenie Wspólnoty Europejskiej, a kupujący nie jest firmą (posiadającą zarejestrowany wewnątrzwspólnotowy numer VAT), wówczas podatek VAT domyślnie wynosi stawka VAT obowiązująca w kraju sprzedawcy. Koniec reguły.
      Jeśli zarówno sprzedawca, jak i kupujący znajdują się na terenie Wspólnoty Europejskiej, a kupującym jest firma (posiadająca zarejestrowany wewnątrzwspólnotowy numer VAT), wówczas podatek VAT wynosi 0 domyślnie. Koniec reguły.
      W każdym innym przypadku proponowaną wartością domyślną jest podatek od sprzedaży=0. Koniec reguły. VATIsNotUsedDesc=Domyślnie proponowany podatek od sprzedaży wynosi 0 i może być stosowany w przypadkach takich jak stowarzyszenia, osoby fizyczne lub małe firmy. VATIsUsedExampleFR=We Francji oznacza to firmy lub organizacje posiadające rzeczywisty system podatkowy (rzeczywisty uproszczony lub normalny). System, w którym deklarowany jest podatek VAT. VATIsNotUsedExampleFR=We Francji oznacza to stowarzyszenia, które nie są zadeklarowane jako podatek od sprzedaży lub firmy, organizacje lub wolne zawody, które wybrały system podatkowy dla mikroprzedsiębiorstw (podatek od sprzedaży na zasadzie franczyzy) i zapłaciły franczyzę Podatek obrotowy bez żadnej deklaracji podatkowej. Ten wybór spowoduje wyświetlenie na fakturach odniesienia „Nie dotyczy podatku od sprzedaży - art-293B CGI”. +VATType=Rodzaj podatku VAT ##### Local Taxes ##### TypeOfSaleTaxes=Rodzaj podatku od sprzedaży LTRate=Stawka @@ -1156,7 +1167,7 @@ ValueOfConstantKey=Wartość stałej konfiguracji ConstantIsOn=Opcja %s jest włączona NbOfDays=Liczba dni AtEndOfMonth=Na koniec miesiąca -CurrentNext=A given day in month +CurrentNext=Dany dzień w miesiącu Offset=Offset AlwaysActive=Zawsze aktywne Upgrade=Uaktualnij @@ -1201,14 +1212,14 @@ DefaultLanguage=Domyślny język EnableMultilangInterface=Włącz obsługę wielu języków dla relacji z klientami lub dostawcami EnableShowLogo=Pokaż logo firmy w menu CompanyInfo=Firma/Organizacja -CompanyIds=Tożsamość firmy/organizacji +CompanyIds=Dane identyfikacyjne firmy/organizacji CompanyName=Nazwa firmy CompanyAddress=Adres CompanyZip=Kod pocztowy CompanyTown=Miasto CompanyCountry=Kraj CompanyCurrency=Główna waluta -CompanyObject=Przedmiot firmy +CompanyObject=Misja firmy IDCountry=Identifikator kraju Logo=Logo LogoDesc=Główne logo firmy. Zostanie wykorzystane w generowanych dokumentach (PDF, ...) @@ -1218,10 +1229,10 @@ DoNotSuggestPaymentMode=Nie proponuj NoActiveBankAccountDefined=Brak zdefiniowanego aktywnego konta bankowego OwnerOfBankAccount=Właściciel konta bankowego %s BankModuleNotActive=Moduł Rachunków bankowych jest nie aktywny -ShowBugTrackLink=Show the link "%s" -ShowBugTrackLinkDesc=Keep empty to not display this link, use value 'github' for the link to the Dolibarr project or define directly an url 'https://...' +ShowBugTrackLink=Pokaż link „%s” +ShowBugTrackLinkDesc=Pozostaw puste, aby nie wyświetlać tego łącza, użyj wartości „github” jako łącza do projektu Dolibarr lub zdefiniuj bezpośrednio adres URL „https://...” Alerts=Alarmy -DelaysOfToleranceBeforeWarning=Displaying a warning alert for... +DelaysOfToleranceBeforeWarning=Wyświetlanie alertu ostrzegawczego dla... DelaysOfToleranceDesc=Ustaw opóźnienie, zanim ikona alertu %s zostanie wyświetlona na ekranie dla późnego elementu. Delays_MAIN_DELAY_ACTIONS_TODO=Planowane wydarzenia (wydarzenia w programie) nie zostały zakończone Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Projekt nie został zamknięty na czas @@ -1238,15 +1249,15 @@ Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Oczekujące uzgodnienie bankowe Delays_MAIN_DELAY_MEMBERS=Opóźniona opłata członkowska Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Nie dokonano wpłaty czekiem Delays_MAIN_DELAY_EXPENSEREPORTS=Raport wydatków do zatwierdzenia -Delays_MAIN_DELAY_HOLIDAYS=Zostaw prośby do zatwierdzenia -SetupDescription1=Przed rozpoczęciem korzystania z systemu Dolibarr należy zdefiniować pewne parametry początkowe i włączyć/skonfigurować moduły. -SetupDescription2=Poniższe dwie sekcje są obowiązkowe (dwie pierwsze pozycje w menu Ustawienia): -SetupDescription3= %s -> %s

      Podstawowe parametry używane do dostosowania domyślnego zachowania aplikacji (np. funkcji związanych z krajem). -SetupDescription4= %s -> %s

      To oprogramowanie jest zestawem wielu modułów/aplikacji. Moduły związane z Twoimi potrzebami muszą być włączone i skonfigurowane. Pozycje menu pojawią się po aktywacji tych modułów. -SetupDescription5=Pozycje w menu Inne Ustawienia zarządzają parametrami opcjonalnymi. +Delays_MAIN_DELAY_HOLIDAYS=Wnioski urlopowe zatwierdzenia +SetupDescription1=Przed rozpoczęciem korzystania z systemu Dolibarr należy zdefiniować parametry początkowe i włączyć/skonfigurować wybrane moduły. +SetupDescription2=Obowiązkowe są widoczne poniżej dwie sekcje (jednocześnie są to dwie pierwsze pozycje w menu Konfiguracja): +SetupDescription3= %s -> %s

      Podstawowe parametry używane do przystosowania domyślnego sposobu działania aplikacji (np. funkcji związanych z krajem). +SetupDescription4= %s -> %s

      To oprogramowanie jest zestawem wielu modułów/aplikacji. Moduły związane z Twoimi potrzebami muszą zostać włączone i skonfigurowane. Odpowiednie elementy menu programu pojawią się po aktywacji tych modułów. +SetupDescription5=Parametry dostępne w menu Inne Ustawienia zarządzają parametrami opcjonalnymi. SetupDescriptionLink= %s - %s -SetupDescription3b=Podstawowe parametry używane do dostosowania domyślnego zachowania Twojej aplikacji (np. w przypadku funkcji związanych z krajem). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. +SetupDescription3b=Podstawowe parametry używane do przystosowania domyślnego sposobu działania aplikacji (np. funkcji związanych z krajem). +SetupDescription4b=To oprogramowanie jest zestawem wielu modułów/aplikacji. Moduły związane z Twoimi potrzebami muszą zostać włączone i skonfigurowane. Odpowiednie elementy menu programu pojawią się po aktywacji tych modułów. AuditedSecurityEvents=Zdarzenia dotyczące bezpieczeństwa poddawane inspekcji NoSecurityEventsAreAduited=Żadne zdarzenia dotyczące bezpieczeństwa nie są poddawane inspekcji. Możesz je włączyć z menu %s Audit=Wydarzenia związane z bezpieczeństwem @@ -1262,16 +1273,16 @@ BrowserName=Nazwa przeglądarki BrowserOS=Przeglądarka OS ListOfSecurityEvents=Lista zdarzeń bezpieczeństwa Dolibarr SecurityEventsPurged=Zdarzenia dotyczące bezpieczeństwa oczyszczone -TrackableSecurityEvents=Trackable security events +TrackableSecurityEvents=Możliwe do śledzenie zdarzenia związane z bezpieczeństwem LogEventDesc=Włącz rejestrowanie określonych zdarzeń związanych z bezpieczeństwem. Administratorzy dziennika za pośrednictwem menu %s - %s . Ostrzeżenie, ta funkcja może generować dużą ilość danych w bazie danych. AreaForAdminOnly=Parametry mogą być ustawiane tylko przez użytkowników z prawami administratora. SystemInfoDesc=System informacji jest różne informacje techniczne można uzyskać w trybie tylko do odczytu i widoczne tylko dla administratorów. SystemAreaForAdminOnly=Ten obszar jest dostępny tylko dla administratorów. Uprawnienia użytkownika Dolibarr nie mogą zmienić tego ograniczenia. CompanyFundationDesc=Edytuj informacje o swojej firmie/organizacji. Po zakończeniu kliknij przycisk „%s” u dołu strony. -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". +MoreNetworksAvailableWithModule=Więcej sieci społecznościowych może być dostępnych po włączeniu modułu „Sieci społecznościowe”. AccountantDesc=Jeśli masz zewnętrznego księgowego, możesz tutaj edytować jego informacje. AccountantFileNumber=Kod księgowego -DisplayDesc=Parameters affecting the look and presentation of the application can be modified here. +DisplayDesc=W tym miejscu można modyfikować parametry wpływające na wygląd i prezentację aplikacji. AvailableModules=Dostępne aplikacje / moduły ToActivateModule=Aby uaktywnić modules, przejdź na konfigurację Powierzchnia. SessionTimeOut=Limit czasu dla sesji @@ -1286,7 +1297,7 @@ TriggerActiveAsModuleActive=Wyzwalacze w tym pliku są aktywne jako modułu % GeneratedPasswordDesc=Wybierz metodę, która ma być używana w przypadku haseł generowanych automatycznie. DictionaryDesc=Wprowadź wszystkie potrzebne dane. Wartości można dodać do ustawień domyślnych. ConstDesc=Ta strona umożliwia edycję (nadpisanie) parametrów niedostępnych na innych stronach. Są to w większości parametry zarezerwowane tylko dla programistów / zaawansowanego rozwiązywania problemów. -MiscellaneousOptions=Miscellaneous options +MiscellaneousOptions=Różne opcje MiscellaneousDesc=Inne powiązane parametry bezpieczeństwa są zdefiniowane tutaj LimitsSetup=Ograniczenia / Precision konfiguracji LimitsDesc=Tutaj możesz zdefiniować limity, dokładności i optymalizacje używane przez Dolibarr @@ -1300,10 +1311,10 @@ ParameterActiveForNextInputOnly=Parametr skuteczne wejście tylko dla najbliższ NoEventOrNoAuditSetup=Żadne zdarzenie dotyczące bezpieczeństwa nie zostało zarejestrowane. Jest to normalne, jeśli Audyt nie został włączony na stronie „Ustawienia - Bezpieczeństwo - Zdarzenia”. NoEventFoundWithCriteria=Nie znaleziono zdarzenia bezpieczeństwa dla tych kryteriów wyszukiwania. SeeLocalSendMailSetup=Zobacz lokalnej konfiguracji sendmaila -BackupDesc=Kompletna kopia zapasowa instalacji Dolibarr wymaga dwóch kroków. -BackupDesc2=Utwórz kopię zapasową zawartości katalogu „dokumenty” ( %s ) zawierającego wszystkie przesłane i wygenerowane pliki. Obejmuje to również wszystkie pliki zrzutu wygenerowane w kroku 1. Ta operacja może potrwać kilka minut. -BackupDesc3=Utwórz kopię zapasową struktury i zawartości bazy danych ( %s ) w pliku zrzutu. W tym celu możesz użyć następującego asystenta. -BackupDescX=Zarchiwizowany katalog należy przechowywać w bezpiecznym miejscu. +BackupDesc=Pełna kopia zapasowa systemu Dolibarr wykonywana jest w dwóch krokach. +BackupDesc2=Utwórz kopię zapasową zawartości katalogu „dokumenty” ( %s ) zawierającego wszystkie przesłane i wygenerowane pliki. Obejmuje to również wszystkie pliki zrzutu bazy danych wygenerowane w kroku 1. Ta operacja może potrwać kilka minut. +BackupDesc3=Utwórz kopię zapasową struktury i zawartości bazy danych ( %s ) w pliku kopii zapasowej. W tym celu możesz użyć asystenta poniżej. +BackupDescX=Katalog z archiwum należy przechowywać w bezpiecznym miejscu. BackupDescY=Wygenerowany plik zrzutu powinny być przechowywane w bezpiecznym miejscu. BackupPHPWarning=W przypadku tej metody nie można zagwarantować tworzenia kopii zapasowych. Zalecany poprzedni. RestoreDesc=Aby przywrócić kopię zapasową Dolibarr, wymagane są dwa kroki. @@ -1320,7 +1331,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Należy uruchomić to polecenie YourPHPDoesNotHaveSSLSupport=funkcji SSL nie są dostępne w PHP DownloadMoreSkins=Więcej skórek do pobrania SimpleNumRefModelDesc=Zwraca numer referencyjny w formacie %syymm-nnnn, gdzie rr to rok, mm to miesiąc, a nnnn to sekwencyjna liczba automatycznie zwiększająca się bez resetowania -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset +SimpleRefNumRefModelDesc=Zwraca numer referencyjny w formacie n, gdzie n jest sekwencyjną, automatycznie zwiększającą się liczbą bez resetowania AdvancedNumRefModelDesc=Zwraca numer referencyjny w formacie %syymm-nnnn, gdzie rr to rok, mm to miesiąc, a nnnn to sekwencyjna liczba automatycznie zwiększająca się bez resetowania SimpleNumRefNoDateModelDesc=Zwraca numer referencyjny w formacie %s-nnnn, gdzie nnnn jest sekwencyjną liczbą, automatycznie zwiększającą się bez resetowania ShowProfIdInAddress=Pokaż profesjonalny identyfikator z adresami @@ -1344,7 +1355,7 @@ DefineHereComplementaryAttributes=Zdefiniuj wszelkie dodatkowe/niestandardowe at ExtraFields=Uzupełniające atrybuty ExtraFieldsLines=Atrybuty uzupełniające (linie) ExtraFieldsLinesRec=Atrybuty uzupełniające (szablony wierszy faktur) -ExtraFieldsSupplierOrdersLines=(Linie uzupełniające atrybuty order) +ExtraFieldsSupplierOrdersLines=Atrybuty uzupełniające (pozycje zamówień) ExtraFieldsSupplierInvoicesLines=Atrybuty uzupełniające (linie na fakturze) ExtraFieldsThirdParties=Atrybuty uzupełniające (firma zewnętrzna) ExtraFieldsContacts=Atrybuty uzupełniające (kontakty / adres) @@ -1366,19 +1377,19 @@ SendmailOptionMayHurtBuggedMTA=Funkcja wysyłania wiadomości e-mail przy użyci TranslationSetup=Ustawienia tłumaczenia TranslationKeySearch=Szukaj klucza lub ciągu tłumaczenia TranslationOverwriteKey=Nadpisz tłumaczony ciąg -TranslationDesc=Jak ustawić język wyświetlania:
      * Domyślnie / Systemwide: menu Strona Główna -> Ustawienia -> Wyświetlacz
      * Na użytkownika: Kliknij nazwę użytkownika u góry ekranu i zmodyfikuj Ustawienia Wyświetlacza Użytkownika na karcie użytkownika. +TranslationDesc=Jak ustawić język wyświetlania:
      * Domyślnie / Systemowo: menu Strona Główna -> Ustawienia -> Wyświetlanie
      * Dla użytkownika: Kliknij nazwę użytkownika u góry ekranu i zmodyfikuj Ustawienia wyświetlania użytkownika na karcie użytkownika. TranslationOverwriteDesc=Możesz także przesłonić ciągi wypełniające poniższą tabelę. Wybierz swój język z listy rozwijanej „%s”, wstaw ciąg klucza tłumaczenia do „%s”, a nowe tłumaczenie do „%s” TranslationOverwriteDesc2=Możesz skorzystać z drugiej karty, aby dowiedzieć się, którego klucza tłumaczenia użyć TranslationString=Tłumaczony ciąg CurrentTranslationString=Aktualny ciąg tłumaczenia WarningAtLeastKeyOrTranslationRequired=Kryteria wyszukiwania są wymagane przynajmniej dla klucza lub ciągu tłumaczenia NewTranslationStringToShow=Nowy ciąg tłumaczenia do pokazania -OriginalValueWas=Oryginalne tłumaczenie zostanie nadpisane. Pierwotna wartość to:

      %s -TransKeyWithoutOriginalValue=Wymuszono nowe tłumaczenie klucza tłumaczenia „ %s ”, który nie istnieje w żadnym pliku językowym +OriginalValueWas=Oryginalne tłumaczenie zostało nadpisane. Pierwotna wartość to:

      %s +TransKeyWithoutOriginalValue=Wymuszono nowe tłumaczenie klucza „ %s ”, choć nie istnieje w żadnym pliku językowym TitleNumberOfActivatedModules=Aktywowane moduły TotalNumberOfActivatedModules=Aktywowane moduły: %s / %s YouMustEnableOneModule=Musisz przynajmniej umożliwić 1 moduł -YouMustEnableTranslationOverwriteBefore=You must first enable translation overwriting to be allowed to replace a translation +YouMustEnableTranslationOverwriteBefore=Aby móc zastąpić tłumaczenie, musisz najpierw włączyć nadpisywanie tłumaczeń ClassNotFoundIntoPathWarning=Nie znaleziono klasy %s w ścieżce PHP YesInSummer=Tak w lecie OnlyFollowingModulesAreOpenedToExternalUsers=Uwaga, tylko następujące moduły są dostępne dla użytkowników zewnętrznych (niezależnie od uprawnień takich użytkowników) i tylko w przypadku nadania uprawnień:
      @@ -1397,18 +1408,18 @@ BrowserIsOK=Używasz przeglądarki internetowej %s. Ta przeglądarka jest dobra BrowserIsKO=Używasz przeglądarki internetowej %s. Wiadomo, że ta przeglądarka jest złym wyborem pod względem bezpieczeństwa, wydajności i niezawodności. Zalecamy używanie przeglądarki Firefox, Chrome, Opera lub Safari. PHPModuleLoaded=Ładowany jest komponent PHP %s PreloadOPCode=Używany jest wstępnie załadowany kod OPCode -AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". -AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Wyświetl kontaktowy adres e-mail (lub telefony, jeśli nie zostały zdefiniowane) i listę informacji o mieście (lista wyboru lub pole wyboru)
      Kontakty będą wyświetlane z nazwami w formacie „Dupond Durand - dupond.durand@email.com - Paryż” lub „Dupond Durand - 06 07 59 65 66 - Paryż "zamiast" Dupond Durand ". +AddRefInList=Wyświetl numer referencyjny klienta/sprzedawcy na listy kombi.
      Nazwy firm zewnętrznych będą wyświetlane w formacie „CC12345 - SC45678 - The Big Company corp”. zamiast „korporacji wielkiej firmy”. +AddVatInList=Wyświetlaj numer VAT odbiorcy/dostawcy na listach kombi. +AddAdressInList=Wyświetlaj adresy klientów/dostawców na listach kombi.
      Nazwa firm zewnętrznych będzie wyświetlana w formacie „The Big Company corp. - 21 jump street 123456 Big Town – USA” zamiast „ Korporacja Wielkiej Kompanii”. +AddEmailPhoneTownInContactList=Wyświetl adres e-mail kontaktu (lub telefony, jeśli nie zdefiniowano) i listę informacji o mieście (wybierz listę lub pole kombi)
      Kontakty będą wyświetlane z nazwą w formacie „Dupond Durand – dupond.durand@example .com – Paryż” lub „Dupond Durand – 06 07 59 65 66 – Paryż” zamiast „Dupond Durand”. AskForPreferredShippingMethod=Zapytaj o preferowaną metodę wysyłki dla stron trzecich. -FieldEdition=Edycja pola% s +FieldEdition=Edycja pola %s FillThisOnlyIfRequired=Przykład: +2 (wypełnić tylko w przypadku strefy czasowej w stosunku problemy są doświadczeni) GetBarCode=Pobierz kod kreskowy -NumberingModules=Numeracja modeli +NumberingModules=Model numeracji DocumentModules=Modele dokumentów ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters. +PasswordGenerationStandard=Zwróć hasło wygenerowane zgodnie z wewnętrznym algorytmem Dolibarr: %s znaki zawierające wspólne liczby i znaki. PasswordGenerationNone=Nie sugeruj wygenerowanego hasła. Hasło należy wpisać ręcznie. PasswordGenerationPerso=Powrót hasło zależności osobiście określonej konfiguracji. SetupPerso=Zgodnie z twoją konfiguracją @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Nie pokazuj linka „Zapomniałem hasła” UsersSetup=Użytkownicy modułu konfiguracji UserMailRequired=Adres e-mail wymagany do utworzenia nowego użytkownika UserHideInactive=Ukryj nieaktywnych użytkowników na wszystkich listach użytkowników (niezalecane: może to oznaczać, że nie będziesz w stanie filtrować ani wyszukiwać starych użytkowników na niektórych stronach) +UserHideExternal=Ukryj zewnętrznych użytkowników (niepowiązanych z kontrahentami) ze wszystkich rozwijanych list użytkowników (Niezalecane: to może oznaczać, że nie będziesz mógł filtrować, ani wyszukiwać zewnętrznych użytkowników na niektórych stronach) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Szablony dokumentów dla dokumentów generowanych na podstawie rekordu użytkownika GroupsDocModules=Szablony dokumentów dla dokumentów generowanych z rekordu grupowego ##### HRM setup ##### @@ -1430,7 +1443,7 @@ AccountCodeManager=Opcje automatycznego generowania kodów księgowych klientów NotificationsDesc=Powiadomienia e-mail mogą być wysyłane automatycznie w przypadku niektórych wydarzeń Dolibarr.
      Odbiorców powiadomień można zdefiniować: NotificationsDescUser=* na użytkownika, jeden użytkownik na raz. NotificationsDescContact=* za osobę kontaktową (klienci lub dostawcy), jeden kontakt naraz. -NotificationsDescGlobal=* or by setting global email addresses in the setup page of the module. +NotificationsDescGlobal=* lub ustawiając globalne adresy e-mail na stronie konfiguracji modułu. ModelModules=Szablony dokumentów DocumentModelOdt=Generuj dokumenty z szablonów OpenDocument (pliki .ODT / .ODS z LibreOffice, OpenOffice, KOffice, TextEdit, ...) WatermarkOnDraft=Znak wodny w sprawie projektu dokumentu @@ -1460,16 +1473,16 @@ WatermarkOnDraftInvoices=Znak wodny na projekt faktury (brak jeśli pusty) PaymentsNumberingModule=Model numeracji płatności SuppliersPayment=Płatności dostawcy SupplierPaymentSetup=Konfiguracja płatności dostawcy -InvoiceCheckPosteriorDate=Check facture date before validation -InvoiceCheckPosteriorDateHelp=Validating an invoice will be forbidden if its date is anterior to the date of last invoice of same type. -InvoiceOptionCategoryOfOperations=Display the mention "category of operations" on the invoice. -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
      - Category of operations: Delivery of goods
      - Category of operations: Provision of services
      - Category of operations: Mixed - Delivery of goods & provision of services -InvoiceOptionCategoryOfOperationsYes1=Yes, below the address block -InvoiceOptionCategoryOfOperationsYes2=Yes, in the lower left-hand corner +InvoiceCheckPosteriorDate=Sprawdź datę faktury przed zatwierdzeniem +InvoiceCheckPosteriorDateHelp=Walidacja faktury będzie zabroniona, jeżeli jej data jest wcześniejsza niż data ostatniej faktury tego samego rodzaju. +InvoiceOptionCategoryOfOperations=Wyświetl na fakturze wzmiankę „kategoria operacji”. +InvoiceOptionCategoryOfOperationsHelp=W zależności od sytuacji wzmianka pojawi się w postaci:
      - Kategoria operacji: Dostawa towaru
      - Kategoria operacji operacje: Świadczenie usług
      - Kategoria działalności: Mieszane - Dostawa towarów i świadczenie usług +InvoiceOptionCategoryOfOperationsYes1=Tak, poniżej bloku adresowego +InvoiceOptionCategoryOfOperationsYes2=Tak, w lewym dolnym rogu ##### Proposals ##### PropalSetup=Konfiguracja modułu ofert handlowych -ProposalsNumberingModules=Commercial wniosku numeracji modules -ProposalsPDFModules=Commercial wniosku dokumenty modeli +ProposalsNumberingModules=Model numeracji ofert sprzedażowych +ProposalsPDFModules=Model dokumentów ofert sprzedażowych SuggestedPaymentModesIfNotDefinedInProposal=Sugerowany tryb płatności w propozycji domyślnie, jeśli nie został zdefiniowany w propozycji FreeLegalTextOnProposal=Darmowy tekstu propozycji WatermarkOnDraftProposal=Znak wodny projektów wniosków komercyjnych (brak jeśli pusty) @@ -1485,7 +1498,7 @@ WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Zapytaj o magazyn źródłowy dla zamówien ##### Suppliers Orders ##### BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Zapytaj o konto bankowe dla zamówienia ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sales order by default if not defined on the order +SuggestedPaymentModesIfNotDefinedInOrder=Domyślnie sugerowany tryb płatności w zamówieniu sprzedaży, jeśli nie jest zdefiniowany w zamówieniu OrdersSetup=Konfiguracja zarządzania zleceniami sprzedaży OrdersNumberingModules=Zamówienia numeracji modules OrdersModelModule=Zamów dokumenty modeli @@ -1501,20 +1514,20 @@ TemplatePDFInterventions=Interwencja karty wzorów dokumentów WatermarkOnDraftInterventionCards=Znak wodny na dokumentach kart interwencji (brak jeśli pusty) ##### Contracts ##### ContractsSetup=Kontrakty / konfiguracji modułu Subskrybcje -ContractsNumberingModules=Kontrakty numerowania modułów +ContractsNumberingModules=Moduły numeracji umów TemplatePDFContracts=Kontrakty modele dokumenty FreeLegalTextOnContracts=Dowolny tekst na kontraktach WatermarkOnDraftContractCards=Znak wodny w szkicach projektów (brak jeśli pusty) ##### Members ##### MembersSetup=Członkowie konfiguracji modułu MemberMainOptions=Główne opcje -MemberCodeChecker=Options for automatic generation of member codes -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +MemberCodeChecker=Opcje automatycznego generowania kodów członkowskich +AdherentLoginRequired=Zarządzaj loginem/hasłem dla każdego członka +AdherentLoginRequiredDesc=Dodaj wartość loginu i hasła do pliku członkowskiego. Jeśli członek jest powiązany z użytkownikiem, aktualizacja loginu i hasła członka spowoduje także aktualizację loginu i hasła użytkownika. AdherentMailRequired=Adres e-mail wymagany do utworzenia nowego członka MemberSendInformationByMailByDefault=Checkbox wysłać mail z potwierdzeniem do członków jest domyślnie MemberCreateAnExternalUserForSubscriptionValidated=Utwórz zewnętrzny login użytkownika dla każdej zweryfikowanej subskrypcji nowego członka -VisitorCanChooseItsPaymentMode=Visitor can choose from any available payment modes +VisitorCanChooseItsPaymentMode=Odwiedzający może wybrać jeden z dostępnych trybów płatności MEMBER_REMINDER_EMAIL=Włącz automatyczne przypominanie przez e-mail o wygasłych subskrypcjach. Uwaga: Moduł %s musi być włączony i poprawnie skonfigurowany, aby wysyłać przypomnienia. MembersDocModules=Szablony dokumentów dla dokumentów wygenerowanych na podstawie rekordu członka ##### LDAP setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Grupy LDAPContactsSynchro=Kontakty LDAPMembersSynchro=Członkowie LDAPMembersTypesSynchro=Typy członków -LDAPSynchronization=LDAP synchronizacji +LDAPSynchronization=Synchronizacja LDAP LDAPFunctionsNotAvailableOnPHP=LDAP funkcje nie są availbale w PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1538,10 +1551,10 @@ LDAPSynchronizeMembersTypes=Organizacja typów członków fundacji w LDAP LDAPPrimaryServer=Podstawowy serwer LDAPSecondaryServer=Dodatkowy serwer LDAPServerPort=Portu serwera -LDAPServerPortExample=Standard or StartTLS: 389, LDAPs: 636 +LDAPServerPortExample=Standard lub StartTLS: 389, LDAP: 636 LDAPServerProtocolVersion=Protokół wersji LDAPServerUseTLS=Użyj TLS -LDAPServerUseTLSExample=Your LDAP server use StartTLS +LDAPServerUseTLSExample=Twój serwer LDAP używa StartTLS LDAPServerDn=Serwer DN LDAPAdminDn=Administrator DN LDAPAdminDnExample=Kompletna nazwa wyróżniająca (np .: cn = admin, dc = example, dc = com lub cn = Administrator, cn = Users, dc = example, dc = com dla active directory) @@ -1612,7 +1625,7 @@ LDAPFieldNameExample=Przykład: sn LDAPFieldFirstName=Imię LDAPFieldFirstNameExample=Przykład: givenName LDAPFieldMail=Adres e-mail -LDAPFieldMailExample=Przykład: poczta +LDAPFieldMailExample=Przykład: poczta e-mail LDAPFieldPhone=Profesjonalne numer telefonu LDAPFieldPhoneExample=Przykład: numer telefonu LDAPFieldHomePhone=Osobiste numer telefonu @@ -1643,11 +1656,11 @@ LDAPFieldEndLastSubscription=Data zakończenia subskrypcji LDAPFieldTitle=Posada LDAPFieldTitleExample=Przykład: tytuł LDAPFieldGroupid=Identyfikator grupy -LDAPFieldGroupidExample=Example : gidnumber +LDAPFieldGroupidExample=Przykład: numer gid LDAPFieldUserid=Identyfikator użytkownika -LDAPFieldUseridExample=Example : uidnumber +LDAPFieldUseridExample=Przykład: numer uid LDAPFieldHomedirectory=Katalog główny -LDAPFieldHomedirectoryExample=Przykład: katalog główny +LDAPFieldHomedirectoryExample=Przykład: katalog domowy LDAPFieldHomedirectoryprefix=Prefiks katalogu głównego LDAPSetupNotComplete=LDAP konfiguracji nie są kompletne (przejdź na innych kartach) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Brak administratora lub hasła. Dostęp do LDAP będzie jedynie anonimowy i tylko w trybie do odczytu. @@ -1666,10 +1679,10 @@ NotRiskOfLeakWithThis=Nie ma z tym ryzyka wycieku. ApplicativeCache=Aplikacyjnych cache MemcachedNotAvailable=Nie znaleziono cache aplikacyjnych. Możesz zwiększyć wydajność poprzez zainstalowanie serwera cache i Memcached moduł w stanie korzystać z tego serwera cache.
      Więcej informacji tutaj http://wiki.dolibarr.org/index.php/Module_MemCached_EN .
      Należy pamiętać, że wiele hosting provider nie zapewnia takiego serwera cache. MemcachedModuleAvailableButNotSetup=Moduł memcached dla aplikacyjnej cache znaleźć, ale konfiguracja modułu nie jest kompletna. -MemcachedAvailableAndSetup=Moduł memcached dedykowane obsłudze serwer memcached jest włączony. +MemcachedAvailableAndSetup=Moduł memcached dedykowany obsłudze serwera memcached jest włączony. OPCodeCache=OPCODE cache NoOPCodeCacheFound=Nie znaleziono pamięci podręcznej OPCode. Może używasz pamięci podręcznej OPCode innej niż XCache lub eAccelerator (dobrze), a może nie masz pamięci podręcznej OPCode (bardzo źle). -HTTPCacheStaticResources=Cache HTTP do zasobów statycznych (css, img, JavaScript) +HTTPCacheStaticResources=Pamięć podręczna HTTP dla zasobów statycznych (css, img, JavaScript) FilesOfTypeCached=Pliki typu %s są buforowane przez serwer HTTP FilesOfTypeNotCached=Pliki typu %s nie są buforowane przez serwer HTTP FilesOfTypeCompressed=Pliki typu %s są kompresowane przez serwer HTTP @@ -1691,7 +1704,7 @@ ProductSetup=Produkty konfiguracji modułu ServiceSetup=Konfiguracja modułu Usługi ProductServiceSetup=Produkty i usługi moduły konfiguracyjne NumberOfProductShowInSelect=Maksymalna liczba produktów do pokazania na listach wyboru kombi (0 = brak limitu) -ViewProductDescInFormAbility=Display product descriptions in lines of items (otherwise show description in a tooltip popup) +ViewProductDescInFormAbility=Wyświetlaj opisy produktów w wierszach pozycji (w przeciwnym razie pokaż opis w wyskakującym okienku podpowiedzi) OnProductSelectAddProductDesc=Jak korzystać z opisu produktów podczas dodawania produktu jako linii dokumentu AutoFillFormFieldBeforeSubmit=Automatycznie wypełnij pole wejściowe opisu opisem produktu DoNotAutofillButAutoConcat=Nie wypełniaj automatycznie pola wejściowego opisem produktu. Opis produktu zostanie automatycznie dołączony do wprowadzonego opisu. @@ -1755,9 +1768,9 @@ MailingDelay=Sekund po wysłaniu czekać następnej wiadomości NotificationSetup=Konfiguracja modułu powiadomień e-mail NotificationEMailFrom=E-mail nadawcy (Od) dla wiadomości e-mail wysłanych przez moduł Powiadomienia FixedEmailTarget=Odbiorca -NotificationDisableConfirmMessageContact=Hide the list of recipients (subscribed as contact) of notifications into the confirmation message -NotificationDisableConfirmMessageUser=Hide the list of recipients (subscribed as user) of notifications into the confirmation message -NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as global email) of notifications into the confirmation message +NotificationDisableConfirmMessageContact=Ukryj listę odbiorców (zapisanych jako kontakt) powiadomień w wiadomości potwierdzającej +NotificationDisableConfirmMessageUser=Ukryj listę odbiorców (zarejestrowanych jako użytkownik) powiadomień w wiadomości potwierdzającej +NotificationDisableConfirmMessageFix=Ukryj listę odbiorców (subskrybowanych jako globalny e-mail) powiadomień w wiadomości potwierdzającej ##### Sendings ##### SendingsSetup=Konfiguracja modułu wysyłkowego SendingsReceiptModel=Wysyłanie otrzymania modelu @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Dowolny tekst na dokumentach dostawy ##### FCKeditor ##### AdvancedEditor=Zaawansowany edytor ActivateFCKeditor=Uaktywnij FCKeditor za: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= Tworzenie/edycja WYSIWYG do masowego e-mailingu (Narzędzia-> eMailing) -FCKeditorForUserSignature=WYSIWIG tworzenie / edycja podpisu użytkownika +FCKeditorForNotePublic=Tworzenie/edycja WYSIWYG pola „notatki publiczne” elementów +FCKeditorForNotePrivate=Tworzenie/edycja WYSIWYG pola „prywatne notatki” elementów +FCKeditorForCompany=Tworzenie/edycja WYSIWYG pola opisu elementów (z wyjątkiem produktów/usług) +FCKeditorForProductDetails=Tworzenie/edycja WYSIWYG opisów produktów lub linii obiektów (linie ofert, zamówień, faktur itp.). +FCKeditorForProductDetails2=Ostrzeżenie: użycie tej opcji w tym przypadku nie jest zdecydowanie zalecane, ponieważ może powodować problemy ze znakami specjalnymi i formatowaniem strony podczas tworzenia plików PDF. +FCKeditorForMailing= Tworzenie/edycja WYSIWYG dla masowych eMailingów (Narzędzia->eMailing) +FCKeditorForUserSignature=Tworzenie/edycja podpisu użytkownika WYSIWYG FCKeditorForMail=Tworzenie/edycja WYSIWYG dla całej poczty (z wyjątkiem Narzędzia->eMailing) -FCKeditorForTicket=Tworzenie / edycja WYSIWIG biletów +FCKeditorForTicket=Tworzenie/edycja WYSIWYG dla biletów ##### Stock ##### StockSetup=Konfiguracja modułu magazynowego IfYouUsePointOfSaleCheckModule=Jeśli korzystasz z modułu punktu sprzedaży (POS) dostarczanego domyślnie lub modułu zewnętrznego, ta konfiguracja może zostać zignorowana przez moduł POS. Większość modułów POS jest domyślnie zaprojektowana do natychmiastowego tworzenia faktury i zmniejszania zapasów niezależnie od dostępnych tutaj opcji. Jeśli więc chcesz lub nie chcesz mieć spadku zapasów podczas rejestrowania sprzedaży w punkcie sprzedaży, sprawdź również konfigurację modułu POS. @@ -1794,15 +1807,15 @@ NotTopTreeMenuPersonalized=Spersonalizowane menu niepowiązane z pozycją w gór NewMenu=Nowe menu MenuHandler=Menu obsługi MenuModule=Źródło modułu -HideUnauthorizedMenu=Ukryj nieautoryzowane menu również dla użytkowników wewnętrznych (w przeciwnym razie tylko wyszarzone) +HideUnauthorizedMenu=Ukryj nieautoryzowane menu także dla użytkowników wewnętrznych (w przeciwnym razie po prostu wyszarzone) DetailId=Id menu DetailMenuHandler=Menu obsługi gdzie pokazać nowe menu DetailMenuModule=Moduł nazwę w menu, jeśli pochodzą z modułem DetailType=Rodzaj menu (na górze lub po lewej) DetailTitre=Menu etykiety lub etykiety kod tłumaczenia -DetailUrl=URL where menu send you (Relative URL link or external link with https://) +DetailUrl=Adres URL, pod który wysyła Cię menu (link względny URL lub link zewnętrzny z https://) DetailEnabled=Warunek, aby pokazać lub nie wejścia -DetailRight=Warunek, aby wyświetlić menu nieautoryzowanych szary +DetailRight=Warunek wyświetlania nieautoryzowanych szarych menu DetailLangs=Lang nazwy etykiety kodów DetailUser=Intern / Pomocy Wszystkie Target=Cel @@ -1840,9 +1853,9 @@ AgendaSetup = Działania i porządku konfiguracji modułu AGENDA_DEFAULT_FILTER_TYPE = Automatycznie ustaw ten typ wydarzenia w filtrze wyszukiwania widoku planu AGENDA_DEFAULT_FILTER_STATUS = Automatycznie ustawiaj ten stan dla wydarzeń w filtrze wyszukiwania w widoku planu zajęć AGENDA_DEFAULT_VIEW = Który widok chcesz otworzyć domyślnie po wybraniu menu Plan -AGENDA_EVENT_PAST_COLOR = Past event color -AGENDA_EVENT_CURRENT_COLOR = Current event color -AGENDA_EVENT_FUTURE_COLOR = Future event color +AGENDA_EVENT_PAST_COLOR = Kolor poprzedniego wydarzenia +AGENDA_EVENT_CURRENT_COLOR = Kolor bieżącego wydarzenia +AGENDA_EVENT_FUTURE_COLOR = Kolor przyszłego wydarzenia AGENDA_REMINDER_BROWSER = Włącz przypomnienie o zdarzeniu w przeglądarce użytkownika (Kiedy nadejdzie data przypomnienia, przeglądarka wyświetli wyskakujące okienko. Każdy użytkownik może wyłączyć takie powiadomienia w ustawieniach powiadomień przeglądarki). AGENDA_REMINDER_BROWSER_SOUND = Włącz powiadomienia dźwiękowe AGENDA_REMINDER_EMAIL = Włącz przypomnienie o wydarzeniu przez e-mail (opcję przypomnienia / opóźnienie można zdefiniować dla każdego zdarzenia). @@ -1855,7 +1868,7 @@ PastDelayVCalExport=Nie starsze niż eksport przypadku SecurityKey = Klucz bezpieczeństwa ##### ClickToDial ##### ClickToDialSetup=Kliknij, aby Dial konfiguracji modułu -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). +ClickToDialUrlDesc=Adres URL wywoływany po kliknięciu zdjęcia telefonu. W adresie URL możesz użyć tagów
      __PHONETO__, które będą zastąpiony numerem telefonu osoby, do której można zadzwonić
      __PHONEFROM__, która zostanie zastąpiony numerem telefonu osoby dzwoniącej (twojej)
      __LOGIN__, który zostanie zastąpiony loginem clicktodial (zdefiniowanym na karcie użytkownika)
      __PASS__ , które zostanie zastąpione hasłem clicktodial (zdefiniowanym na karcie użytkownika). ClickToDialDesc=Ten moduł zamienia numery telefonów, gdy używasz komputera stacjonarnego, w klikalne linki. Kliknięcie wywoła numer. Można to wykorzystać do nawiązania połączenia telefonicznego podczas korzystania z telefonu programowego na pulpicie lub podczas korzystania na przykład z systemu CTI opartego na protokole SIP. Uwaga: podczas korzystania ze smartfona numery telefonów są zawsze klikalne. ClickToDialUseTelLink=Używaj tylko łącza "tel:" na numery telefonów ClickToDialUseTelLinkDesc=Użyj tej metody, jeśli Twoi użytkownicy mają telefon programowy lub interfejs oprogramowania zainstalowany na tym samym komputerze co przeglądarka i wywoływany po kliknięciu łącza zaczynającego się od „tel:” w przeglądarce. Jeśli potrzebujesz łącza zaczynającego się od „sip:” lub pełnego rozwiązania serwerowego (nie ma potrzeby instalowania lokalnego oprogramowania), musisz ustawić to na „Nie” i wypełnić następne pole. @@ -1867,14 +1880,15 @@ CashDeskBankAccountForSell=Środki pieniężne na rachunku do korzystania sprzed CashDeskBankAccountForCheque=Domyślne konto używane do otrzymywania płatności czekiem CashDeskBankAccountForCB=Chcesz używać do przyjmowania płatności gotówkowych za pomocą kart kredytowych CashDeskBankAccountForSumup=Domyślne konto bankowe używane do otrzymywania płatności przez SumUp -CashDeskDoNotDecreaseStock=Wyłącz zmniejszanie zapasów, gdy sprzedaż odbywa się z punktu sprzedaży (jeśli "nie", zmniejszanie zapasów jest dokonywane dla każdej sprzedaży dokonanej z POS, niezależnie od opcji ustawionej w module Zapasy). +CashDeskDoNotDecreaseStock=Wyłącz zmniejszanie stanu magazynowego, kiedy sprzedaż odbywa się z kasy fiskalnej PoS +CashDeskDoNotDecreaseStockHelp=Jeżeli ustawisz "nie", zmniejszanie stan magazynowego jest dokonywane dla każdej sprzedaży dokonanej z kasy fiskalnej, niezależnie od opcji ustawionych w module stanów magazynowych. CashDeskIdWareHouse=Życie i ograniczyć magazyn użyć do spadku magazynie StockDecreaseForPointOfSaleDisabled=Zmniejszenie zapasów z punktu sprzedaży wyłączone StockDecreaseForPointOfSaleDisabledbyBatch=Zmniejszenie zapasów w POS nie jest kompatybilne z modułem Zarządzanie seriami / partiami (obecnie aktywne), więc zmniejszanie zapasów jest wyłączone. CashDeskYouDidNotDisableStockDecease=Nie wyłączono zmniejszania zapasów podczas dokonywania sprzedaży w punkcie sprzedaży. Dlatego wymagany jest magazyn. CashDeskForceDecreaseStockLabel=Wymuszono zmniejszenie zapasów dla produktów seryjnych. CashDeskForceDecreaseStockDesc=Zmniejsz najpierw według najstarszych dat przydatności do spożycia i sprzedaży. -CashDeskReaderKeyCodeForEnter=Key ASCII code for "Enter" defined in barcode reader (Example: 13) +CashDeskReaderKeyCodeForEnter=Kluczowy kod ASCII dla „Enter” zdefiniowany w czytniku kodów kreskowych (Przykład: 13) ##### Bookmark ##### BookmarkSetup=Zakładka konfiguracji modułu BookmarkDesc=Ten moduł pozwala zarządzać zakładkami. Możesz także dodawać skróty do dowolnych stron Dolibarr lub zewnętrznych stron internetowych w lewym menu. @@ -1912,7 +1926,7 @@ SuppliersInvoiceNumberingModel=Modele numerowania faktur od dostawców IfSetToYesDontForgetPermission=Dla wartości innej niż null, nie zapomnij udzielić uprawnień grupom lub użytkownikom, którzy mają realizować drugie zatwierdzanie ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=GeoIP Maxmind konfiguracji modułu -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation +PathToGeoIPMaxmindCountryDataFile=Ścieżka do pliku zawierającego tłumaczenie IP Maxmind na kraj NoteOnPathLocation=Pamiętać, że dane państwo ip do pliku musi być wewnątrz katalogu PHP może odczytać (sprawdzenie konfiguracji PHP open_basedir i uprawnienia systemu plików). YouCanDownloadFreeDatFileTo=Możesz pobrać darmową wersję demo kraju GeoIP plik Maxmind w %s. YouCanDownloadAdvancedDatFileTo=Możesz także pobrać bardziej kompletna wersja, z aktualizacjami, kraju GeoIP plik Maxmind w %s. @@ -1952,7 +1966,7 @@ ExpenseReportsRulesSetup=Ustawienia modułu "Raporty wydatków" - Reguły ExpenseReportNumberingModules=Moduł "Numerowanie raportów wydatków" NoModueToManageStockIncrease=Nie Moduł stanie zarządzać automatyczny wzrost akcji zostało aktywowane. Wzrost Zdjęcie zostanie zrobione tylko na ręczne wprowadzanie. YouMayFindNotificationsFeaturesIntoModuleNotification=Opcje powiadomień e-mail można znaleźć, włączając i konfigurując moduł „Powiadomienia”. -TemplatesForNotifications=Templates for notifications +TemplatesForNotifications=Szablony powiadomień ListOfNotificationsPerUser=Lista automatycznych powiadomień na użytkownika* ListOfNotificationsPerUserOrContact=Lista możliwych automatycznych powiadomień (o wydarzeniach biznesowych) dostępnych dla użytkownika* lub kontaktu** ListOfFixedNotifications=Lista automatycznych stałych powiadomień @@ -1963,22 +1977,23 @@ BackupDumpWizard=Kreator do utworzenia pliku zrzutu bazy danych BackupZipWizard=Kreator do utworzenia archiwum katalogu dokumentów SomethingMakeInstallFromWebNotPossible=Instalacja zewnętrznych modułów za pomocą interfejsu sieciowego nie jest możliwa z powodu następujących przyczyn: SomethingMakeInstallFromWebNotPossible2=Z tego powodu, proces ulepszenia (upgrade) jest procesem ręcznym, przeprowadzanym jedynie przez użytkownika uprzywilejowanego. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. +InstallModuleFromWebHasBeenDisabledContactUs=Instalacja lub rozwój modułów zewnętrznych lub dynamicznych stron internetowych z poziomu aplikacji jest obecnie zablokowana ze względów bezpieczeństwa. Jeśli chcesz włączyć tę funkcję, skontaktuj się z nami. InstallModuleFromWebHasBeenDisabledByFile=Instalacja zewnętrznych modułów z poziomu aplikacji została wyłączona przez administratora. Musisz poprosić go o usunięcie pliku %s aby włączyć odpowiednią funkcję. ConfFileMustContainCustom=Instalowanie lub budowanie modułu zewnętrznego z poziomu Dolibarr wymaga zapisania plików modułu w katalogu %s. Dolibarr będzie przetwarzał ten katalog jeśli w pliku conf/conf.php będzie miał odpowiednie wpisy:
      $dolibarr_main_url_root_alt='/ custom';
      $dolibarr_main_document_root_alt='%s/custom'; HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over HighlightLinesColor=Podświetl kolor linii, gdy mysz przesuwa się nad linią (użyj „ffffff”, aby nie podświetlać) HighlightLinesChecked=Podświetl kolor linii, gdy ta jest zaznaczona (użyj „ffffff”, aby nie wyróżniać) -UseBorderOnTable=Show left-right borders on tables -BtnActionColor=Color of the action button -TextBtnActionColor=Text color of the action button +UseBorderOnTable=Pokaż lewe i prawe obramowanie tabel +TableLineHeight=Wysokość wiersza tabeli +BtnActionColor=Kolor przycisku akcji +TextBtnActionColor=Kolor tekstu przycisku akcji TextTitleColor=Kolor tekstu tytułu strony LinkColor=Kolor odnośników PressF5AfterChangingThis=Naciśnij CTRL+F5 na klawiaturze aby wyczyścić cache w przeglądarce po zmianie tej wartości, aby zobaczyć efekt tej zmiany NotSupportedByAllThemes=Działa z podstawowymi motywami, ale może nie być obsługiwane przez motywy zewnętrzne BackgroundColor=Kolor tła TopMenuBackgroundColor=Kolor tła górnego menu -TopMenuDisableImages=Icon or Text in Top menu +TopMenuDisableImages=Ikona lub tekst w górnym menu LeftMenuBackgroundColor=Kolor tła bocznego menu BackgroundTableTitleColor=Kolor tła nagłówka tabeli BackgroundTableTitleTextColor=Kolor czcionki dla napisów w pasku tytułowym sekcji na stronie @@ -1987,18 +2002,18 @@ BackgroundTableLineOddColor=Kolor tła pozostałych lini tabeli BackgroundTableLineEvenColor=Kolor tła dla równomiernych lini tabeli MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay) NbAddedAutomatically=Number of days added to counters of users (automatically) each month -EnterAnyCode=To pole zawiera odniesienie do identyfikacji linii. Wprowadź dowolną wybraną wartość, ale bez znaków specjalnych. +EnterAnyCode=To pole zawiera kod odniesienia potrzebny do zidentyfikowania linii. Wprowadź dowolną wartość bez znaków specjalnych. Enter0or1=Wpisz 0 lub 1 UnicodeCurrency=Wpisz między nawiasami kwadratowymi wielkość dziesiętną Unicode reprezentującą symbol waluty. Na przykład: dla $ [36] - dla zł [122,322] - dla € wpisz [8364] ColorFormat=Kolor RGB jest w formacie HEX, np .: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Nazwa ikony w formacie:
      - image.png dla pliku obrazu do bieżącego katalogu motywu
      - image.png@module jeśli plik znajduje się w katalogu /img/ modułu
      - fa-xxx dla FontAwesome fa-xxx picto
      - Fontawesome_xxx_fa_color_size dla obrazu FontAwesome fa-xxx (z ustawionym przedrostkiem, kolorem i rozmiarem) PositionIntoComboList=Position of line into combo lists -SellTaxRate=Sales tax rate +SellTaxRate=Stawka podatku od sprzedaży RecuperableOnly="Tak" dla podatku VAT „Not Perceived but Recoverable” stosowanego w niektórych stanach Francji. Ustaw „Nie” dla wszelkich innych lokalizacji. UrlTrackingDesc=Jeśli dostawca lub usługodawca transportowy oferuje stronę/witrynę internetową, aby sprawdzać status swoich przesyłek, możesz ją tu wpisać. Możesz też użyć klucza {TRACKID} w parametrach adresu URL, aby system zastąpił go numerem śledzenia wprowadzonym przez użytkownika na karcie przesyłki. OpportunityPercent=Podczas tworzenia potencjalnej szansy zdefiniujesz szacunkową kwotę projektu / potencjalnej szansy. Zgodnie ze statusem potencjalnej szansy kwotę tę można pomnożyć przez tę stawkę, aby oszacować całkowitą kwotę, jaką wszystkie potencjalne potencjalne szanse wygenerują. Wartość jest procentem (od 0 do 100). -TemplateForElement=This mail template is related to what type of object? An email template is available only when using the "Send Email" button from the related object. -TypeOfTemplate=Type of template +TemplateForElement=Ten szablon poczty jest powiązany z jakim typem obiektu? Szablon wiadomości e-mail jest dostępny tylko po kliknięciu przycisku „Wyślij e-mail” w powiązanym obiekcie. +TypeOfTemplate=Rodzaj szablonu TemplateIsVisibleByOwnerOnly=Szablon widoczny tylko dla właściciela VisibleEverywhere=Widoczne wszędzie VisibleNowhere=Wszędzie niewidoczny @@ -2074,17 +2089,17 @@ MAIN_PDF_MARGIN_RIGHT=Prawy margines w pliku PDF MAIN_PDF_MARGIN_TOP=Górny margines w pliku PDF MAIN_PDF_MARGIN_BOTTOM=Dolny margines w pliku PDF MAIN_DOCUMENTS_LOGO_HEIGHT=Wysokość logo na dokumencie PDF -DOC_SHOW_FIRST_SALES_REP=Show first sales representative -MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Add column for picture on proposal lines -MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Width of the column if a picture is added on lines -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders -MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame -MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code -MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block +DOC_SHOW_FIRST_SALES_REP=Pokaż pierwszego przedstawiciela handlowego +MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Dodaj kolumnę dla obrazu w wierszach propozycji +MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Szerokość kolumny w przypadku dodania obrazu w wierszach +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Ukryj kolumnę ceny jednostkowej w zapytaniach ofertowych +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Ukryj kolumnę ceny całkowitej w zapytaniach ofertowych +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Ukryj kolumnę ceny jednostkowej w zamówieniach zakupowych +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Ukryj kolumnę ceny całkowitej w zamówieniach zakupowych +MAIN_PDF_NO_SENDER_FRAME=Ukryj obramowania ramki adresu nadawcy +MAIN_PDF_NO_RECIPENT_FRAME=Ukryj obramowania ramki adresu odbiorcy +MAIN_PDF_HIDE_CUSTOMER_CODE=Ukryj kod klienta +MAIN_PDF_HIDE_SENDER_NAME=Ukryj nazwę nadawcy/firmy w bloku adresowym PROPOSAL_PDF_HIDE_PAYMENTTERM=Ukryj warunki płatności PROPOSAL_PDF_HIDE_PAYMENTMODE=Ukryj tryb płatności MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Dodaj podpis elektroniczny w PDF @@ -2094,13 +2109,13 @@ EnterCalculationRuleIfPreviousFieldIsYes=Wprowadź regułę obliczeniową, jeśl SeveralLangugeVariatFound=Znaleziono kilka wariantów językowych RemoveSpecialChars=Usuń znaki specjalne COMPANY_AQUARIUM_CLEAN_REGEX=Filtr Regex do czyszczenia wartości (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code +COMPANY_AQUARIUM_NO_PREFIX=Nie używaj prefiksu, skopiuj jedynie kod klienta lub dostawcy COMPANY_DIGITARIA_CLEAN_REGEX=Filtr Regex do czyszczenia wartości (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=Duplikat jest niedozwolony -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word +RemoveSpecialWords=Wyczyść określone słowa podczas generowania subkont dla klientów lub dostawców +RemoveSpecialWordsHelp=Określ słowa, które mają zostać oczyszczone przed obliczeniem konta klienta lub dostawcy. Użyć ";" pomiędzy każdym słowem GDPRContact=Inspektor ochrony danych osobowych (kontakt w sprawie ochrony danych lub RODO) -GDPRContactDesc=If you store personal data in your Information System, you can name the contact who is responsible for the General Data Protection Regulation here +GDPRContactDesc=Jeśli przechowujesz dane osobowe w swoim Systemie Informatycznym, możesz tutaj wskazać osobę kontaktową odpowiedzialną za Ogólne rozporządzenie o ochronie danych HelpOnTooltip=Tekst pomocy do wyświetlenia w podpowiedzi HelpOnTooltipDesc=Umieść tutaj tekst lub klucz do tłumaczenia, aby tekst był wyświetlany w etykiecie narzędzia, gdy to pole pojawi się w formularzu YouCanDeleteFileOnServerWith=Możesz usunąć ten plik na serwerze za pomocą wiersza poleceń:
      %s @@ -2111,56 +2126,56 @@ VATIsUsedIsOff=Uwaga: Opcja korzystania z podatku od sprzedaży lub VAT została SwapSenderAndRecipientOnPDF=Zamień adres nadawcy i adresata w dokumentach PDF FeatureSupportedOnTextFieldsOnly=Ostrzeżenie, funkcja obsługiwana tylko w polach tekstowych i listach kombi. Również parametr adresu URL action = create lub action = edit musi być ustawiony LUB nazwa strony musi kończyć się na „nowy.php”, aby uruchomić tę funkcję. EmailCollector=Kolektor e-maili -EmailCollectors=Email collectors +EmailCollectors=Kolekcjonerzy e-maili EmailCollectorDescription=Dodaj zaplanowane zadanie i stronę konfiguracji, aby regularnie skanować skrzynki e-mail (przy użyciu protokołu IMAP) i zapisywać wiadomości e-mail otrzymane w aplikacji we właściwym miejscu i / lub automatycznie tworzyć niektóre rekordy (np. Potencjalnych klientów). NewEmailCollector=Nowy moduł do zbierania wiadomości e-mail EMailHost=Host serwera poczty e-mail IMAP -EMailHostPort=Port of email IMAP server -loginPassword=Login/Password -oauthToken=OAuth2 token -accessType=Acces type -oauthService=Oauth service -TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session +EMailHostPort=Port serwera poczty e-mail IMAP +loginPassword=Login/Hasło +oauthToken=Token OAuth2 +accessType=Typ dostępu +oauthService=Usługa Oauth +TokenMustHaveBeenCreated=Moduł OAuth2 musi być włączony i musi zostać utworzony token oauth2 z odpowiednimi uprawnieniami (na przykład zakres „gmail_full” z OAuth dla Gmaila). +ImapEncryption = Metoda szyfrowania IMAP +ImapEncryptionHelp = Przykład: brak, ssl, tls, notls +NoRSH = Użyj konfiguracji NoRSH +NoRSHHelp = Nie używaj protokołów RSH ani SSH do ustanawiania sesji wstępnej identyfikacji IMAP MailboxSourceDirectory=Katalog źródłowy skrzynki pocztowej MailboxTargetDirectory=Katalog docelowy skrzynki pocztowej EmailcollectorOperations=Operacje do wykonania przez kolekcjonera EmailcollectorOperationsDesc=Operacje są wykonywane od góry do dołu MaxEmailCollectPerCollect=Maksymalna liczba e-maili zebranych na odbiór -TestCollectNow=Test collect +TestCollectNow=Zbiórka testowa CollectNow=Zbierz teraz -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s? +ConfirmCloneEmailCollector=Czy na pewno chcesz sklonować moduł zbierający pocztę e-mail %s? DateLastCollectResult=Data ostatniej próby odbioru DateLastcollectResultOk=Data ostatniej pomyślnej zbiórki LastResult=Ostatni wynik -EmailCollectorHideMailHeaders=Do not include the content of email header into the saved content of collected e-mails -EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. +EmailCollectorHideMailHeaders=Nie dołączaj treści nagłówka wiadomości e-mail do zapisanej treści gromadzonych wiadomości e-mail +EmailCollectorHideMailHeadersHelp=Po włączeniu nagłówki wiadomości e-mail nie są dodawane na końcu treści wiadomości e-mail zapisanej jako wydarzenie planu. EmailCollectorConfirmCollectTitle=Potwierdzenie odbioru poczty e-mail -EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). -EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software -EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. -EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. -EmailCollectorExampleToCollectLeads=Example collecting leads -EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. -EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail +EmailCollectorConfirmCollect=Czy chcesz teraz uruchomić ten kolektor? +EmailCollectorExampleToCollectTicketRequestsDesc=Zbieraj e-maile pasujące do niektórych reguł i twórz automatycznie zgłoszenie (musi być włączony moduł biletu) z informacjami e-mailowymi. Możesz skorzystać z tego kolektora, jeśli zapewnisz wsparcie e-mailem, więc Twoja prośba o bilet zostanie wygenerowana automatycznie. Aktywuj także Collect_Responses, aby zbierać odpowiedzi swojego klienta bezpośrednio w widoku zgłoszenia (musisz odpowiedzieć od Dolibarra). +EmailCollectorExampleToCollectTicketRequests=Przykład zbierania prośby o bilet (tylko pierwsza wiadomość) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Przeskanuj katalog „Wysłane” swojej skrzynki pocztowej, aby znaleźć wiadomości e-mail wysłane jako odpowiedź na inną wiadomość e-mail bezpośrednio z oprogramowania pocztowego, a nie z Dolibarr. Jeżeli taki e-mail zostanie odnaleziony, odpowiedź zostanie zarejestrowana w Dolibarr +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Przykład zbierania odpowiedzi e-mail wysłanych z zewnętrznego programu pocztowego +EmailCollectorExampleToCollectDolibarrAnswersDesc=Zbierz wszystkie e-maile będące odpowiedzią na e-mail wysłany z Twojej aplikacji. Zdarzenie (musi być włączony moduł Agenda) wraz z odpowiedzią e-mailową zostanie zapisane w odpowiednim miejscu. Przykładowo, jeśli wyślesz ofertę handlową, zamówienie, fakturę lub wiadomość dotyczącą biletu e-mailem z aplikacji, a odbiorca odpowie na Twój e-mail, system automatycznie przechwyci odpowiedź i doda ją do Twojego ERP. +EmailCollectorExampleToCollectDolibarrAnswers=Przykład zbierania wszystkich wiadomości przychodzących będących odpowiedziami na wiadomości wysłane z Dolibarra' +EmailCollectorExampleToCollectLeadsDesc=Zbieraj e-maile pasujące do niektórych reguł i automatycznie twórz lead (musi być włączony moduł Projekt) z informacjami e-mailowymi. Możesz skorzystać z tego kolektora, jeśli chcesz śledzić swój lead za pomocą modułu Projekt (1 lead = 1 projekt), dzięki czemu Twoje leady będą generowane automatycznie. Jeśli włączono także moduł zbierający Collect_Responses, gdy wysyłasz e-mail od potencjalnych klientów, propozycji lub innego przedmiotu, możesz także zobaczyć odpowiedzi swoich klientów lub partnerów bezpośrednio w aplikacji.
      Uwaga: w tym początkowym przykładzie generowany jest tytuł potencjalnego klienta zawierający adres e-mail. Jeżeli w bazie nie uda się znaleźć osoby trzeciej (nowy klient), lead zostanie dołączony do osoby trzeciej o ID 1. +EmailCollectorExampleToCollectLeads=Przykład zbierania leadów +EmailCollectorExampleToCollectJobCandidaturesDesc=Zbieraj maile aplikujące o oferty pracy (musi być włączony moduł Rekrutacja). Możesz uzupełnić ten kolektor jeśli chcesz automatycznie utworzyć kandydaturę na zapytanie ofertowe. Uwaga: w tym początkowym przykładzie generowany jest tytuł kandydatury wraz z adresem e-mail. +EmailCollectorExampleToCollectJobCandidatures=Przykład zbierania kandydatur na stanowisko otrzymanych drogą e-mailową NoNewEmailToProcess=Brak nowych e-maili (pasujących filtrów) do przetworzenia NothingProcessed=Nic nie zostało zrobione -RecordEvent=Record an event in agenda (with type Email sent or received) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation or was guessed from a tracker in email header, without third party otherwise) +RecordEvent=Zarejestruj wydarzenie w agendzie (z typem E-mail wysłany lub otrzymany) +CreateLeadAndThirdParty=Utwórz potencjalnego klienta (i osobę trzecią, jeśli to konieczne) +CreateTicketAndThirdParty=Utwórz zgłoszenie (połączone z osobą trzecią, jeśli strona trzecia została załadowana w wyniku poprzedniej operacji lub została odgadnięta na podstawie modułu śledzącego w nagłówku wiadomości e-mail, bez strony trzeciej) CodeLastResult=Kod najnowszego wyniku NbOfEmailsInInbox=Liczba e-maili w katalogu źródłowym LoadThirdPartyFromName=Załaduj wyszukiwanie osób trzecich na %s (tylko ładowanie) LoadThirdPartyFromNameOrCreate=Załaduj wyszukiwanie osób trzecich na %s (utwórz, jeśli nie znaleziono) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) -AttachJoinedDocumentsToObject=Save attached files into object documents if a ref of an object is found into email topic. +LoadContactFromEmailOrCreate=Załaduj wyszukiwanie kontaktów na %s (utwórz, jeśli nie znaleziono) +AttachJoinedDocumentsToObject=Zapisz załączone pliki w dokumentach obiektowych, jeśli w temacie wiadomości e-mail zostanie znaleziony odnośnik do obiektu. WithDolTrackingID=Wiadomość z rozmowy zainicjowanej pierwszym e-mailem wysłanym przez Dolibarr WithoutDolTrackingID=Wiadomość z rozmowy zainicjowanej pierwszym e-mailem NIE wysłanym od Dolibarr WithDolTrackingIDInMsgId=Wiadomość wysłana przez Dolibarr @@ -2169,14 +2184,14 @@ CreateCandidature=Utwórz podanie o pracę FormatZip=Paczka Zip MainMenuCode=Kod wejścia menu (menu główne) ECMAutoTree=Pokaż automatyczne drzewo ECM -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. +OperationParamDesc=Zdefiniuj reguły, które będą używane do wyodrębniania niektórych danych lub ustawiania wartości do wykorzystania podczas operacji.

      Przykład wyodrębniania nazwy firmy z temat wiadomości e-mail do zmiennej tymczasowej:
      tmp_var=EXTRACT:SUBJECT:Wiadomość od firmy ([^\n]*)

      Przykłady ustawiania właściwości obiektu do utworzenia:
      objproperty1=SET:wartość zakodowana na stałe
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:wartość (wartość jest ustawiana tylko wtedy, gdy właściwość nie jest jeszcze zdefiniowana)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^&n]*)
      object.objproperty5=EXTRACT:BODY:Nazwa mojej firmy to\\ s([^\\s]*)

      Użyj nowej linii, aby wyodrębnić lub ustawić kilka właściwości. OpeningHours=Godziny otwarcia OpeningHoursDesc=Wpisz tutaj regularne godziny otwarcia swojej firmy. ResourceSetup=Konfiguracja modułu zasobów UseSearchToSelectResource=Użyj formularza wyszukiwania, aby wybrać zasób (zamiast listy rozwijanej). DisabledResourceLinkUser=Wyłącz funkcję łączenia zasobów z użytkownikami DisabledResourceLinkContact=Wyłącz funkcję łączenia zasobów z kontaktami -EnableResourceUsedInEventCheck=Prohibit the use of the same resource at the same time in the agenda +EnableResourceUsedInEventCheck=Zabroń korzystania z tego samego zasobu w tym samym czasie w porządku obrad ConfirmUnactivation=Potwierdź reset modułu OnMobileOnly=Tylko na małym ekranie (smartfonie) DisableProspectCustomerType=Wyłącz typ strony trzeciej „Prospect + Customer” (więc strona trzecia musi być „Prospect” lub „Customer”, ale nie może być jednocześnie) @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopy Tritanopes=Tritanopy ThisValueCanOverwrittenOnUserLevel=Ta wartość może być nadpisana przez każdego użytkownika na jego stronie użytkownika - zakładka „%s” -DefaultCustomerType=Domyślny typ strony trzeciej dla formularza tworzenia „Nowego klienta” +DefaultCustomerType=Domyślny typ strony trzeciej w formularzu tworzenia „Nowego klienta”. ABankAccountMustBeDefinedOnPaymentModeSetup=Uwaga: aby ta funkcja działała, konto bankowe musi być zdefiniowane w module każdego trybu płatności (Paypal, Stripe, ...). RootCategoryForProductsToSell=Kategoria główna sprzedawanych produktów -RootCategoryForProductsToSellDesc=W przypadku zdefiniowania w punkcie sprzedaży będą dostępne tylko produkty należące do tej kategorii lub produkty podrzędne z tej kategorii +RootCategoryForProductsToSellDesc=Jeśli zdefiniowano, w Punkcie Sprzedaży będą dostępne wyłącznie produkty należące do tej kategorii lub produkty podrzędne tej kategorii DebugBar=Pasek debugowania DebugBarDesc=Pasek narzędzi z wieloma narzędziami upraszczającymi debugowanie DebugBarSetup=DebugBar Setup @@ -2212,17 +2227,17 @@ ImportSetup=Konfiguracja importu modułu InstanceUniqueID=Unikalny identyfikator instancji SmallerThan=Mniejszy niż LargerThan=Większy niż -IfTrackingIDFoundEventWillBeLinked=Zwróć uwagę, że jeśli identyfikator śledzenia obiektu zostanie znaleziony w wiadomości e-mail lub jeśli wiadomość e-mail jest odpowiedzią na wiadomość e-mail, która jest już zebrana i powiązana z obiektem, utworzone zdarzenie zostanie automatycznie połączone ze znanym powiązanym obiektem. -WithGMailYouCanCreateADedicatedPassword=W przypadku konta Gmail, jeśli włączyłeś weryfikację dwuetapową, zaleca się utworzenie dedykowanego drugiego hasła dla aplikacji zamiast używania własnego hasła do konta ze strony https://myaccount.google.com/. -EmailCollectorTargetDir=Przeniesienie wiadomości e-mail do innego tagu / katalogu po pomyślnym przetworzeniu może być pożądanym zachowaniem. Po prostu ustaw tutaj nazwę katalogu, aby skorzystać z tej funkcji (NIE używaj znaków specjalnych w nazwie). Pamiętaj, że musisz również użyć konta logowania do odczytu / zapisu. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). +IfTrackingIDFoundEventWillBeLinked=Pamiętaj, że jeśli w wiadomości e-mail zostanie znaleziony identyfikator śledzenia obiektu lub jeśli wiadomość e-mail jest odpowiedzią na wiadomość e-mail już zebraną i powiązaną z obiektem, utworzone wydarzenie zostanie automatycznie połączone ze znanym powiązanym obiektem. +WithGMailYouCanCreateADedicatedPassword=W przypadku konta Gmail, jeśli włączyłeś weryfikację dwuetapową, zaleca się utworzenie dedykowanego drugiego hasła dla aplikacji zamiast korzystania z własnego hasła do konta z https://myaccount.google.com/. +EmailCollectorTargetDir=Pożądanym zachowaniem może być przeniesienie wiadomości e-mail do innego tagu/katalogu po pomyślnym przetworzeniu. Aby skorzystać z tej funkcji, po prostu ustaw tutaj nazwę katalogu (NIE używaj znaków specjalnych w nazwie). Pamiętaj, że musisz także użyć konta logowania do odczytu/zapisu. +EmailCollectorLoadThirdPartyHelp=Możesz użyć tej akcji, aby użyć treści e-maila do znalezienia i załadowania istniejącej strony trzeciej w swojej bazie danych (wyszukiwanie zostanie wykonane według zdefiniowanej właściwości wśród „id”, „nazwa”, „alias_nazwy”, „e-mail”). Znaleziona (lub utworzona) osoba trzecia zostanie wykorzystana do następujących czynności, które tego wymagają.
      Na przykład, jeśli chcesz utworzyć osobę trzecią z nazwą wyodrębnioną z ciągu znaków ' Nazwa: nazwa do znalezienia w treści, użyj adresu e-mail nadawcy jako adresu e-mail, możesz ustawić pole parametru w następujący sposób:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=Ostrzeżenie: wiele serwerów poczty e-mail (takich jak Gmail) podczas wyszukiwania ciągu znaków wyszukuje pełne słowa i nie zwraca wyników, jeśli ciąg znaków zostanie znaleziony tylko częściowo w słowie. Z tego powodu znaki specjalne w kryteriach wyszukiwania zostaną zignorowane, jeśli nie są częścią istniejących słów.
      Aby przeprowadzić wyszukiwanie wykluczające dla słowa (zwróć wiadomość e-mail, jeśli słowo nie został znaleziony), możesz użyć ! znak przed słowem (może nie działać na niektórych serwerach pocztowych). EndPointFor=Punkt końcowy dla %s: %s DeleteEmailCollector=Usuń moduł zbierający e-maile ConfirmDeleteEmailCollector=Czy na pewno chcesz usunąć tego kolektora e-maili? RecipientEmailsWillBeReplacedWithThisValue=E-maile adresatów będą zawsze zastępowane tą wartością AtLeastOneDefaultBankAccountMandatory=Należy zdefiniować co najmniej 1 domyślne konto bankowe -RESTRICT_ON_IP=Allow API access to only certain client IPs (wildcard not allowed, use space between values). Empty means every clients can access. +RESTRICT_ON_IP=Zezwalaj na dostęp API tylko do określonych adresów IP klientów (niedozwolony symbol wieloznaczny, użyj spacji między wartościami). Pusty oznacza, że dostęp mają wszyscy klienci. IPListExample=127.0.0.1 192.168.0.2 [::1] BaseOnSabeDavVersion=Oparty na wersji biblioteki SabreDAV NotAPublicIp=To nie jest publiczny adres IP @@ -2232,12 +2247,12 @@ EmailTemplate=Szablon do wiadomości e-mail EMailsWillHaveMessageID=E-maile będą miały tag „References” pasujący do tej składni PDF_SHOW_PROJECT=Pokaż projekt w dokumencie ShowProjectLabel=Etykieta projektu -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Dołącz alias do nazwy firmy zewnętrznej +THIRDPARTY_ALIAS=Nazwa strony trzeciej — alias strony trzeciej +ALIAS_THIRDPARTY=Alias strony trzeciej — nazwa strony trzeciej +PDFIn2Languages=Pokaż etykiety w pliku PDF w 2 różnych językach (ta funkcja może nie działać w przypadku niektórych języków) PDF_USE_ALSO_LANGUAGE_CODE=Jeśli chcesz, aby niektóre teksty w pliku PDF zostały skopiowane w 2 różnych językach w tym samym wygenerowanym pliku PDF, musisz ustawić tutaj ten drugi język, aby wygenerowany plik PDF zawierał 2 różne języki na tej samej stronie, ten wybrany podczas generowania pliku PDF i ten ( tylko kilka szablonów PDF to obsługuje). Pozostaw puste dla 1 języka na plik PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF +PDF_USE_A=Generuj dokumenty PDF w formacie PDF/A zamiast w domyślnym formacie PDF FafaIconSocialNetworksDesc=Wpisz tutaj kod ikony FontAwesome. Jeśli nie wiesz, co to jest FontAwesome, możesz użyć ogólnej wartości fa-address-book. RssNote=Uwaga: każda definicja źródła danych RSS zawiera widżet, który należy włączyć, aby był dostępny na pulpicie nawigacyjnym JumpToBoxes=Przejdź do Ustawienia -> Widżety @@ -2254,22 +2269,22 @@ YouMayFindSecurityAdviceHere=Możesz znaleźć porady dotyczące bezpieczeństwa ModuleActivatedMayExposeInformation=To rozszerzenie PHP może ujawniać poufne dane. Jeśli jej nie potrzebujesz, wyłącz ją. ModuleActivatedDoNotUseInProduction=Włączono moduł przeznaczony do rozwoju. Nie włączaj go w środowisku produkcyjnym. CombinationsSeparator=Znak separatora dla kombinacji produktów -SeeLinkToOnlineDocumentation=Przykłady można znaleźć w odnośniku do dokumentacji online w górnym menu +SeeLinkToOnlineDocumentation=Przykłady można znaleźć w linku do dokumentacji online w górnym menu SHOW_SUBPRODUCT_REF_IN_PDF=Jeśli używana jest funkcja „%s” modułu %s , wyświetl szczegóły podproduktów zestawu w pliku PDF. AskThisIDToYourBank=Skontaktuj się ze swoim bankiem, aby uzyskać ten identyfikator -AdvancedModeOnly=Zezwolenie dostępne tylko w trybie uprawnień Zaawansowanych +AdvancedModeOnly=Uprawnienia dostępne tylko w trybie uprawnień zaawansowanych ConfFileIsReadableOrWritableByAnyUsers=Plik conf jest czytelny lub zapisywalny dla każdego użytkownika. Udziel pozwolenia tylko użytkownikowi i grupie serwera WWW. MailToSendEventOrganization=Organizacja imprez MailToPartnership=Współpraca AGENDA_EVENT_DEFAULT_STATUS=Domyślny status zdarzenia podczas tworzenia zdarzenia z formularza YouShouldDisablePHPFunctions=Powinieneś wyłączyć funkcje PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=Z wyjątkiem sytuacji, gdy musisz uruchamiać polecenia systemowe w niestandardowym kodzie, powinieneś wyłączyć funkcje PHP -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions +IfCLINotRequiredYouShouldDisablePHPFunctions=Jeśli nie chcesz uruchamiać poleceń systemowych w niestandardowym kodzie, powinieneś wyłączyć funkcje PHP +PHPFunctionsRequiredForCLI=Do celów powłoki (takich jak tworzenie kopii zapasowych zaplanowanych zadań lub uruchamianie programu antywirusowego) musisz zachować funkcje PHP NoWritableFilesFoundIntoRootDir=W katalogu głównym nie znaleziono zapisywalnych plików ani katalogów dla powszechnych programów (Dobrze) RecommendedValueIs=Zalecane: %s Recommended=Zalecana NotRecommended=Niepolecane -ARestrictedPath=Some restricted path for data files +ARestrictedPath=Niektóre ograniczone ścieżki do plików danych CheckForModuleUpdate=Sprawdź aktualizacje modułów zewnętrznych CheckForModuleUpdateHelp=Ta akcja połączy się z edytorami zewnętrznych modułów, by sprawdzić dostępność ich nowych wersji. ModuleUpdateAvailable=Aktualizacja jest dostępna @@ -2277,132 +2292,151 @@ NoExternalModuleWithUpdate=Nie znaleziono aktualizacji dla modułów zewnętrzny SwaggerDescriptionFile=Plik opisu Swagger API (na przykład, do użytku z redoc) YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=Włączono przestarzały interfejs API WS. Zamiast tego powinieneś użyć REST API. RandomlySelectedIfSeveral=Wybierane losowo, jeśli dostępnych jest kilka zdjęć -SalesRepresentativeInfo=For Proposals, Orders, Invoices. +SalesRepresentativeInfo=Do ofert, zamówień i faktur. DatabasePasswordObfuscated=Hasło do bazy danych jest zaciemnione w pliku konfiguracyjnym DatabasePasswordNotObfuscated=Hasło do bazy danych NIE jest zaciemnione w pliku konfiguracyjnym APIsAreNotEnabled=Moduły API nie są włączone YouShouldSetThisToOff=Powinieneś ustawić to na 0 lub wyłączone InstallAndUpgradeLockedBy=Instalacja i aktualizacje są zablokowane przez plik %s -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. +InstallLockedBy=Instalacja/ponowna instalacja jest zablokowana przez plik %s +InstallOfAddonIsNotBlocked=Instalacje dodatków nie są blokowane. Utwórz plik installmodules.lock do katalogu %s, aby zablokować instalację zewnętrznych dodatków/modułów. OldImplementation=Stara realizacja -PDF_SHOW_LINK_TO_ONLINE_PAYMENT=If some online payment modules are enabled (Paypal, Stripe, ...), add a link on the PDF to make the online payment -DashboardDisableGlobal=Disable globally all the thumbs of open objects -BoxstatsDisableGlobal=Disable totally box statistics -DashboardDisableBlocks=Thumbs of open objects (to process or late) on main dashboard -DashboardDisableBlockAgenda=Disable the thumb for agenda -DashboardDisableBlockProject=Disable the thumb for projects -DashboardDisableBlockCustomer=Disable the thumb for customers -DashboardDisableBlockSupplier=Disable the thumb for suppliers -DashboardDisableBlockContract=Disable the thumb for contracts -DashboardDisableBlockTicket=Disable the thumb for tickets -DashboardDisableBlockBank=Disable the thumb for banks -DashboardDisableBlockAdherent=Disable the thumb for memberships -DashboardDisableBlockExpenseReport=Disable the thumb for expense reports -DashboardDisableBlockHoliday=Disable the thumb for leaves -EnabledCondition=Condition to have field enabled (if not enabled, visibility will always be off) -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -LanguageAndPresentation=Language and presentation -SkinAndColors=Skin and colors -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -PDF_USE_1A=Generate PDF with PDF/A-1b format -MissingTranslationForConfKey = Missing translation for %s -NativeModules=Native modules -NoDeployedModulesFoundWithThisSearchCriteria=No modules found for these search criteria -API_DISABLE_COMPRESSION=Disable compression of API responses -EachTerminalHasItsOwnCounter=Each terminal use its own counter. -FillAndSaveAccountIdAndSecret=Fill and save account ID and secret first -PreviousHash=Previous hash -LateWarningAfter="Late" warning after -TemplateforBusinessCards=Template for a business card in different size +PDF_SHOW_LINK_TO_ONLINE_PAYMENT=Jeśli włączone są niektóre moduły płatności online (Paypal, Stripe, ...), dodaj link w pliku PDF, aby dokonać płatności online +DashboardDisableGlobal=Wyłącz globalnie wszystkie kciuki otwartych obiektów +BoxstatsDisableGlobal=Wyłącz całkowicie statystyki pudełkowe +DashboardDisableBlocks=Kciuki otwartych obiektów (do przetworzenia lub do późna) na głównym pulpicie nawigacyjnym +DashboardDisableBlockAgenda=Wyłącz kciuk dla porządku obrad +DashboardDisableBlockProject=Wyłącz kciuk dla projektów +DashboardDisableBlockCustomer=Wyłącz kciuk dla klientów +DashboardDisableBlockSupplier=Wyłącz kciuk dla dostawców +DashboardDisableBlockContract=Wyłącz kciuk dla umów +DashboardDisableBlockTicket=Wyłącz kciuk dla biletów +DashboardDisableBlockBank=Wyłącz kciuk dla banków +DashboardDisableBlockAdherent=Wyłącz kciuk dla członkostwa +DashboardDisableBlockExpenseReport=Wyłącz kciuk dla raportów wydatków +DashboardDisableBlockHoliday=Wyłącz kciuk do liści +EnabledCondition=Warunek włączenia pola (jeśli nie jest włączone, widoczność będzie zawsze wyłączona) +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=Jeśli chcesz zastosować drugi podatek, musisz włączyć także pierwszy podatek +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Jeśli chcesz zastosować trzeci podatek, musisz włączyć także pierwszy podatek +LanguageAndPresentation=Język i prezentacja +SkinAndColors=Skórka i kolorystyka +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=Jeśli chcesz zastosować drugi podatek, musisz włączyć także pierwszy podatek +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Jeśli chcesz zastosować trzeci podatek, musisz włączyć także pierwszy podatek +PDF_USE_1A=Wygeneruj plik PDF w formacie PDF/A-1b +MissingTranslationForConfKey = Brakujące tłumaczenie dla %s +NativeModules=Moduły natywne +NoDeployedModulesFoundWithThisSearchCriteria=Nie znaleziono modułów dla podanych kryteriów wyszukiwania +API_DISABLE_COMPRESSION=Wyłącz kompresję odpowiedzi API +EachTerminalHasItsOwnCounter=Każdy terminal korzysta z własnego licznika. +FillAndSaveAccountIdAndSecret=Najpierw wypełnij i zapisz identyfikator konta oraz sekret +PreviousHash=Poprzedni skrót +LateWarningAfter=„Późne” ostrzeżenie po +TemplateforBusinessCards=Szablon wizytówki w innym rozmiarze InventorySetup= Ustawienia inwentaryzacji -ExportUseLowMemoryMode=Use a low memory mode -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. +ExportUseLowMemoryMode=Użyj trybu małej ilości pamięci +ExportUseLowMemoryModeHelp=Użyj trybu małej ilości pamięci, aby wygenerować plik zrzutu (kompresja odbywa się przez potok, a nie do pamięci PHP). Metoda ta nie pozwala na sprawdzenie, czy plik jest kompletny i w przypadku niepowodzenia nie można zgłosić komunikatu o błędzie. Użyj go, jeśli wystąpią niewystarczające błędy pamięci. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL -WebhookSetup = Webhook setup +ModuleWebhookDesc = Interfejs do przechwytywania wyzwalaczy Dolibarr i wysyłania danych o zdarzeniu na adres URL +WebhookSetup = Konfiguracja webhooka Settings = Ustawienia -WebhookSetupPage = Webhook setup page -ShowQuickAddLink=Show a button to quickly add an element in top right menu +WebhookSetupPage = Strona konfiguracji webhooka +ShowQuickAddLink=Pokaż przycisk, aby szybko dodać element w prawym górnym menu +ShowSearchAreaInTopMenu=Pokaż obszar wyszukiwania w górnym menu +HashForPing=Hash używany do pingowania +ReadOnlyMode=Jest instancją w trybie „Tylko do odczytu”. +DEBUGBAR_USE_LOG_FILE=Użyj pliku dolibarr.log do zalewkowania dzienników +UsingLogFileShowAllRecordOfSubrequestButIsSlower=Użyj pliku dolibarr.log do przechwytywania dzienników zamiast przechwytywania pamięci na żywo. Pozwala przechwycić wszystkie logi, a nie tylko logi bieżącego procesu (w tym jedną ze stron podżądań ajaxowych), ale sprawi, że twoja instancja będzie bardzo, bardzo powolna. Niepolecane. +FixedOrPercent=Naprawiono (użyj słowa kluczowego „stały”) lub procent (użyj słowa kluczowego „procent”) +DefaultOpportunityStatus=Domyślny status możliwości (pierwszy status po utworzeniu potencjalnego klienta) -HashForPing=Hash used for ping -ReadOnlyMode=Is instance in "Read Only" mode -DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs -UsingLogFileShowAllRecordOfSubrequestButIsSlower=Use the dolibarr.log file to trap Logs instead of live memory catching. It allows to catch all logs instead of only log of current process (so including the one of ajax subrequests pages) but will make your instance very very slow. Not recommended. -FixedOrPercent=Fixed (use keyword 'fixed') or percent (use keyword 'percent') -DefaultOpportunityStatus=Default opportunity status (first status when lead is created) - -IconAndText=Icon and text -TextOnly=Text only -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon -IconOnly=Icon only - Text on tooltip only -INVOICE_ADD_ZATCA_QR_CODE=Show the ZATCA QR code on invoices -INVOICE_ADD_ZATCA_QR_CODEMore=Some Arabic countries need this QR Code on their invoices -INVOICE_ADD_SWISS_QR_CODE=Show the swiss QR-Bill code on invoices -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. -INVOICE_SHOW_SHIPPING_ADDRESS=Show shipping address -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) -UrlSocialNetworksDesc=Url link of social network. Use {socialid} for the variable part that contains the social network ID. -IfThisCategoryIsChildOfAnother=If this category is a child of another one -DarkThemeMode=Dark theme mode -AlwaysDisabled=Always disabled -AccordingToBrowser=According to browser -AlwaysEnabled=Always Enabled -DoesNotWorkWithAllThemes=Will not work with all themes -NoName=No name -ShowAdvancedOptions= Show advanced options -HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service -DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method -UsePassword=Use a password -UseOauth=Use a OAUTH token -Images=Images -MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -ScriptIsEmpty=The script is empty -ShowHideTheNRequests=Show/hide the %s SQL request(s) -DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s -TriggerCodes=Triggerable events -TriggerCodeInfo=Enter here the trigger code(s) that must generate a post of a web request (only external URL are allowed). You can enter several trigger codes separated by a comma. -EditableWhenDraftOnly=If unchecked, the value can only be modified when object has a draft status -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" -RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents for receptions -MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions -WarningDisabled=Warning disabled -LimitsAndMitigation=Access limits and mitigation -DesktopsOnly=Desktops only -DesktopsAndSmartphones=Desktops et smartphones -AllowOnlineSign=Allow online signing -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. -CSSPage=CSS Style +IconAndText=Ikona i tekst +TextOnly=Tylko tekst +IconOnlyAllTextsOnHover=Tylko ikona — wszystkie teksty pojawiają się pod ikoną myszy nad paskiem menu +IconOnlyTextOnHover=Tylko ikona — tekst ikony pojawia się pod ikoną po najechaniu myszką na ikonę +IconOnly=Tylko ikona — tylko tekst w podpowiedzi +INVOICE_ADD_ZATCA_QR_CODE=Pokaż kod QR ZATCA na fakturach +INVOICE_ADD_ZATCA_QR_CODEMore=Niektóre kraje arabskie potrzebują tego kodu QR na swoich fakturach +INVOICE_ADD_SWISS_QR_CODE=Pokaż szwajcarski kod QR-Bill na fakturach +INVOICE_ADD_SWISS_QR_CODEMore=Szwajcarski standard dotyczący faktur; upewnij się, że kod pocztowy i miasto są wypełnione oraz że konta mają ważne numery IBAN w Szwajcarii/Liechtensteinie. +INVOICE_SHOW_SHIPPING_ADDRESS=Pokaż adres wysyłki +INVOICE_SHOW_SHIPPING_ADDRESSMore=Wskazanie obowiązkowe w niektórych krajach (Francja, ...) +UrlSocialNetworksDesc=Adres URL sieci społecznościowej. Użyj {socialid} jako części zmiennej zawierającej identyfikator sieci społecznościowej. +IfThisCategoryIsChildOfAnother=Jeśli ta kategoria jest dzieckiem innej +DarkThemeMode=Tryb ciemny +AlwaysDisabled=Zawsze wyłączone +AccordingToBrowser=Według przeglądarki +AlwaysEnabled=Zawsze włączone +DoesNotWorkWithAllThemes=Nie będzie działać ze wszystkimi motywami +NoName=Bez nazwy +ShowAdvancedOptions= Pokaż ustawienia zaawansowane +HideAdvancedoptions= Ukryj opcje zaawansowane +CIDLookupURL=Moduł udostępnia adres URL, za pomocą którego zewnętrzne narzędzie może uzyskać nazwę osoby trzeciej lub kontakt z jej numeru telefonu. Adres URL, którego należy użyć, to: +OauthNotAvailableForAllAndHadToBeCreatedBefore=Uwierzytelnianie OAUTH2 nie jest dostępne dla wszystkich hostów, a token z odpowiednimi uprawnieniami musiał zostać utworzony przed modułem OAUTH +MAIN_MAIL_SMTPS_OAUTH_SERVICE=Usługa uwierzytelniania OAUTH2 +DontForgetCreateTokenOauthMod=Token z odpowiednimi uprawnieniami musiał zostać utworzony wcześniej za pomocą modułu OAUTH +MAIN_MAIL_SMTPS_AUTH_TYPE=Metoda Uwierzytelnienia +UsePassword=Użyj hasła +UseOauth=Użyj tokena OAUTH +Images=Obrazy +MaxNumberOfImagesInGetPost=Maksymalna liczba obrazów dozwolona w polu HTML przesłanym w formularzu +MaxNumberOfPostOnPublicPagesByIP=Maksymalna liczba postów na stronach publicznych z tym samym adresem IP w miesiącu +CIDLookupURL=Moduł udostępnia adres URL, za pomocą którego zewnętrzne narzędzie może uzyskać nazwę osoby trzeciej lub kontakt z jej numeru telefonu. Adres URL, którego należy użyć, to: +ScriptIsEmpty=Skrypt jest pusty +ShowHideTheNRequests=Pokaż/ukryj %s żądania SQL +DefinedAPathForAntivirusCommandIntoSetup=Zdefiniuj ścieżkę programu antywirusowego do %s +TriggerCodes=Zdarzenia wyzwalane +TriggerCodeInfo=Wprowadź tutaj kod(y) wyzwalający, który musi wygenerować post żądania internetowego (dozwolony jest tylko zewnętrzny adres URL). Można wprowadzić kilka kodów wyzwalających oddzielonych przecinkiem. +EditableWhenDraftOnly=Jeśli opcja jest odznaczona, wartość można modyfikować tylko wtedy, gdy obiekt ma status wersji roboczej +CssOnEdit=CSS na stronach edycji +CssOnView=CSS na stronach przeglądania +CssOnList=CSS na listach +HelpCssOnEditDesc=CSS używany podczas edycji pola.
      Przykład: „minwiwdth100 maxwidth500 szerokośćcentpercentminusx” +HelpCssOnViewDesc=CSS używany podczas przeglądania pola. +HelpCssOnListDesc=CSS używany, gdy pole znajduje się wewnątrz tabeli z listą.
      Przykład: „tdoverflowmax200” +RECEPTION_PDF_HIDE_ORDERED=Ukryj zamówioną ilość na wygenerowanych dokumentach dla przyjęć +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Pokaż cenę na wygenerowanych dokumentach na przyjęcia +WarningDisabled=Ostrzeżenie wyłączone +LimitsAndMitigation=Limity dostępu i łagodzenie +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. +DesktopsOnly=Tylko komputery stacjonarne +DesktopsAndSmartphones=Komputery stacjonarne i smartfony +AllowOnlineSign=Zezwalaj na podpisywanie online +AllowExternalDownload=Zezwalaj na pobieranie zewnętrzne (bez logowania, przy użyciu udostępnionego linku) +DeadlineDayVATSubmission=Ostateczny termin złożenia deklaracji VAT w następnym miesiącu +MaxNumberOfAttachementOnForms=Maksymalna liczba połączonych plików w formularzu +IfDefinedUseAValueBeetween=Jeśli zdefiniowano, użyj wartości od %s do %s +Reload=Przeładować +ConfirmReload=Potwierdź ponowne załadowanie modułu +WarningModuleHasChangedLastVersionCheckParameter=Uwaga: moduł %s ustawił parametr sprawdzający jego wersję przy każdym wejściu na stronę. Jest to zła i niedozwolona praktyka, która może sprawić, że strona do administrowania modułami będzie niestabilna. Aby to naprawić, skontaktuj się z autorem modułu. +WarningModuleHasChangedSecurityCsrfParameter=Ostrzeżenie: moduł %s wyłączył zabezpieczenia CSRF Twojej instancji. To działanie jest podejrzane i Twoja instalacja może nie być już zabezpieczona. Aby uzyskać wyjaśnienia, skontaktuj się z autorem modułu. +EMailsInGoingDesc=Przychodzące e-maile zarządzane są przez moduł %s. Musisz ją włączyć i skonfigurować, jeśli chcesz obsługiwać przychodzące wiadomości e-mail. +MAIN_IMAP_USE_PHPIMAP=Użyj biblioteki PHP-IMAP dla IMAP zamiast natywnego PHP IMAP. Pozwala to również na wykorzystanie połączenia OAuth2 dla IMAP (musi być także aktywowany moduł OAuth). +MAIN_CHECKBOX_LEFT_COLUMN=Pokaż kolumnę wyboru pola i linii po lewej stronie (domyślnie po prawej) +NotAvailableByDefaultEnabledOnModuleActivation=Nie jest tworzony domyślnie. Utworzono wyłącznie po aktywacji modułu. +CSSPage=Styl CSS Defaultfortype=Domyślny -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +DefaultForTypeDesc=Szablon używany domyślnie podczas tworzenia nowej wiadomości e-mail dla tego typu szablonu +OptionXShouldBeEnabledInModuleY=Opcja „%s” powinna być włączona w module %s +OptionXIsCorrectlyEnabledInModuleY=Opcja „%s” jest włączona w module %s +AllowOnLineSign=Zezwalaj na podpis online +AtBottomOfPage=Na dole strony +FailedAuth=nieudane uwierzytelnienia +MaxNumberOfFailedAuth=Maksymalna liczba nieudanych uwierzytelnień w ciągu 24 godzin powodujących odmowę logowania. +AllowPasswordResetBySendingANewPassByEmail=Jeśli użytkownik A ma to uprawnienie i nawet jeśli użytkownik A nie jest użytkownikiem „admin”, A może zresetować hasło dowolnego innego użytkownika B, nowe hasło zostanie wysłane na adres e-mail innego użytkownika B, ale nie będzie ono widoczne dla A. Jeśli użytkownik A ma flagę „admin”, będzie mógł także poznać nowo wygenerowane hasło B, dzięki czemu będzie mógł przejąć kontrolę nad kontem użytkownika B. +AllowAnyPrivileges=Jeśli użytkownik A ma to uprawnienie, może utworzyć użytkownika B ze wszystkimi uprawnieniami, a następnie użyć tego użytkownika B lub przyznać sobie dowolną inną grupę z dowolnymi uprawnieniami. Oznacza to, że użytkownik A posiada wszystkie uprawnienia biznesowe (zabroniony będzie jedynie dostęp systemu do stron konfiguracji) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Wartość tę można odczytać, ponieważ instancja nie jest ustawiona w trybie produkcyjnym +SeeConfFile=Zobacz wewnątrz pliku conf.php na serwerze +ReEncryptDesc=Zaszyfruj ponownie dane, jeśli nie zostały jeszcze zaszyfrowane +PasswordFieldEncrypted=%s nowy rekord czy to pole zostało zaszyfrowane +ExtrafieldsDeleted=Dodatkowe pola %s zostały usunięte +LargeModern=Duży - nowoczesny +SpecialCharActivation=Włącz przycisk, aby otworzyć wirtualną klawiaturę i wprowadzić znaki specjalne +DeleteExtrafield=Usuń dodatkowe pole +ConfirmDeleteExtrafield=Czy potwierdzasz usunięcie pola %s? Wszystkie dane zapisane w tym polu zostaną definitywnie usunięte +ExtraFieldsSupplierInvoicesRec=Atrybuty uzupełniające (wzory faktur) +ExtraFieldsSupplierInvoicesLinesRec=Atrybuty uzupełniające (pozycje na szablonie faktury) +ParametersForTestEnvironment=Parametry środowiska testowego +TryToKeepOnly=Staraj się zachować tylko %s +RecommendedForProduction=Polecany do produkcji +RecommendedForDebug=Zalecane do debugowania diff --git a/htdocs/langs/pl_PL/agenda.lang b/htdocs/langs/pl_PL/agenda.lang index 34fbfc25ebe..88d0738f97a 100644 --- a/htdocs/langs/pl_PL/agenda.lang +++ b/htdocs/langs/pl_PL/agenda.lang @@ -128,6 +128,7 @@ MRP_MO_PRODUCEDInDolibarr=MO produkowane MRP_MO_DELETEInDolibarr=MO zostało usunięte MRP_MO_CANCELInDolibarr=MO anulowane PAIDInDolibarr=%s zapłacono +ENABLEDISABLEInDolibarr=User enabled or disabled ##### End agenda events ##### AgendaModelModule=Szablon dokumentu dla zdarzenia DateActionStart=Data rozpoczęcia @@ -181,3 +182,23 @@ Reminders=Przypomnienia ActiveByDefault=Włączone domyślnie Until=dopóki DataFromWasMerged=Dane z %s zostały scalone +AgendaShowBookcalCalendar=Booking calendar: %s +MenuBookcalIndex=Online appointment +BookcalLabelAvailabilityHelp=Label of the availability range. For example:
      General availability
      Availability during christmas holidays +DurationOfRange=Duration of ranges +BookCalSetup = Online appointment setup +Settings = Ustawienia +BookCalSetupPage = Online appointment setup page +BOOKCAL_PUBLIC_INTERFACE_TOPIC = Interface title +About = O +BookCalAbout = About BookCal +BookCalAboutPage = BookCal about page +Calendars=Kalendarze +Availabilities=Dostępność +NewAvailabilities=New availabilities +NewCalendar=Nowy kalendarz +ThirdPartyBookCalHelp=Event booked in this calendar will be automatically linked to this third-party. +AppointmentDuration = Appointment Duration : %s +BookingSuccessfullyBooked=Your booking has been saved +BookingReservationHourAfter=Potwierdzamy rezerwację naszego spotkania w terminie %s +BookcalBookingTitle=Online appointment diff --git a/htdocs/langs/pl_PL/assets.lang b/htdocs/langs/pl_PL/assets.lang index 6f6b90c2023..0b0c36b8fe5 100644 --- a/htdocs/langs/pl_PL/assets.lang +++ b/htdocs/langs/pl_PL/assets.lang @@ -22,8 +22,8 @@ AccountancyCodeDepreciationAsset=Kod księgowości (rachunek aktywów amortyzacy AccountancyCodeDepreciationExpense=Kod księgowości (rachunek kosztów amortyzacji) AssetsLines=Majątek DeleteType=Usuń -DeleteAnAssetType=Delete an asset model -ConfirmDeleteAssetType=Are you sure you want to delete this asset model? +DeleteAnAssetType=Usuń model aktywów +ConfirmDeleteAssetType=Czy na pewno chcesz usunąć ten model aktywów? ShowTypeCard=Pokaż model '%s' # Module label 'ModuleAssetsName' @@ -41,7 +41,7 @@ ExtraFieldsAssetModel=Complementary attributes (Asset's model) AssetsType=Model kapitału AssetsTypeId=Asset model id AssetsTypeLabel=Asset model label -AssetsTypes=Assets models +AssetsTypes=Modele aktywów ASSET_ACCOUNTANCY_CATEGORY=Fixed asset accounting group # @@ -49,7 +49,7 @@ ASSET_ACCOUNTANCY_CATEGORY=Fixed asset accounting group # MenuAssets=Majątek MenuNewAsset=Nowy majątek -MenuAssetModels=Model assets +MenuAssetModels=Aktywa modelowe MenuListAssets=Lista MenuNewAssetModel=New asset's model MenuListAssetModels=Lista @@ -57,14 +57,14 @@ MenuListAssetModels=Lista # # Module # -ConfirmDeleteAsset=Do you really want to remove this asset? +ConfirmDeleteAsset=Czy na pewno chcesz usunąć ten aktyw? # # Tab # -AssetDepreciationOptions=Depreciation options +AssetDepreciationOptions=Opcje amortyzacji AssetAccountancyCodes=Konta księgowe -AssetDepreciation=Depreciation +AssetDepreciation=Amortyzacja # # Asset @@ -138,7 +138,7 @@ AssetDepreciationOptionTotalAmountLastDepreciationHT=Total amount last depreciat # AssetAccountancyCodeDepreciationEconomic=Economic depreciation AssetAccountancyCodeAsset=Kapitał -AssetAccountancyCodeDepreciationAsset=Depreciation +AssetAccountancyCodeDepreciationAsset=Amortyzacja AssetAccountancyCodeDepreciationExpense=Depreciation expense AssetAccountancyCodeValueAssetSold=Value of asset disposed AssetAccountancyCodeReceivableOnAssignment=Receivable on disposal @@ -168,7 +168,7 @@ AssetDepreciationReversal=Reversal # # Errors # -AssetErrorAssetOrAssetModelIDNotProvide=Id of the asset or the model sound has not been provided +AssetErrorAssetOrAssetModelIDNotProvide=Id of the asset or the model found has not been provided AssetErrorFetchAccountancyCodesForMode=Error when retrieving the accounting accounts for the '%s' depreciation mode AssetErrorDeleteAccountancyCodesForMode=Error when deleting accounting accounts from the '%s' depreciation mode AssetErrorInsertAccountancyCodesForMode=Error when inserting the accounting accounts of the depreciation mode '%s' diff --git a/htdocs/langs/pl_PL/banks.lang b/htdocs/langs/pl_PL/banks.lang index 629a4bd6250..f08012d5268 100644 --- a/htdocs/langs/pl_PL/banks.lang +++ b/htdocs/langs/pl_PL/banks.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Banki | Gotówka +MenuBankCash=Banki | Pieniądze MenuVariousPayment=Różne płatności MenuNewVariousPayment=Nowa płatność różne BankName=Nazwa banku @@ -16,11 +16,12 @@ CashAccounts=Rachunki bieżące CurrentAccounts=Rachunki bieżące SavingAccounts=Rachunki oszczędnościowe ErrorBankLabelAlreadyExists=Etykieta rachunku finansowego już istnieje +ErrorBankReceiptAlreadyExists=Numer referencyjny rachunku bankowego już istnieje BankBalance=Saldo BankBalanceBefore=Salda przed BankBalanceAfter=Bilans po -BalanceMinimalAllowed=Minimalne dozwolone saldo -BalanceMinimalDesired=Minimalne saldo pożądane +BalanceMinimalAllowed=Dopuszczalne minimum salda +BalanceMinimalDesired=Zalecane minimum salda InitialBankBalance=Saldo początkowe EndBankBalance=Saldo końcowe CurrentBalance=Saldo bieżące @@ -32,7 +33,7 @@ RIB=Numer konta bankowego IBAN=Numer IBAN BIC=Kod BIC / SWIFT SwiftValid=Poprawny BIC/SWIFT -SwiftNotValid=Nie poprawny BIC/SWIFT +SwiftNotValid=Niepoprawny BIC/SWIFT IbanValid=Ważny BAN IbanNotValid=Nie ważny BAN StandingOrders=Polecenia zapłaty @@ -60,7 +61,7 @@ EditFinancialAccount=Edytuj konto LabelBankCashAccount=Etykieta banku lub gotówki AccountType=Typ konta BankType0=Konta oszczędnościowe -BankType1=Current, cheque or credit card account +BankType1=Konto rozliczeniowe, czekowe lub karta kredytowa BankType2=Konto gotówkowe AccountsArea=Obszar kont AccountCard=Karta konta @@ -78,7 +79,7 @@ BankTransaction=Wpis bankowy ListTransactions=Lista wpisów ListTransactionsByCategory=Lista wpisów/kategorii TransactionsToConciliate=Wpisy do zaksięgowania -TransactionsToConciliateShort=Aby się pogodzić +TransactionsToConciliateShort=Do uzgodnienia Conciliable=Może być rekoncyliowane Conciliate=Uzgodnienie sald Conciliation=Rekoncyliacja @@ -86,8 +87,8 @@ SaveStatementOnly=Zapisz tylko wyciąg ReconciliationLate=Pojednanie późno IncludeClosedAccount=Dołącz zamknięte rachunki OnlyOpenedAccount=Tylko otwarte konta -AccountToCredit=Konto do kredytów -AccountToDebit=Konto do obciążania +AccountToCredit=Konto do zasilenia +AccountToDebit=Konto do obciążenia DisableConciliation=Wyłącz funkcję rekoncyliacji dla tego konta ConciliationDisabled=Funkcja rekoncyliacji wyłączona LinkedToAConciliatedTransaction=Powiązane z pojednawczym wpisem @@ -97,22 +98,22 @@ AccountIdShort=Liczba LineRecord=Transakcja AddBankRecord=Dodaj wpis AddBankRecordLong=Dodaj wpis ręcznie -Conciliated=Pojednany +Conciliated=Uzgodniony ReConciliedBy=Rekoncyliowany przez DateConciliating=Data rekoncyliacji -BankLineConciliated=Wpis uzgodniony z paragonem bankowym -BankLineReconciled=Reconciled -BankLineNotReconciled=Not reconciled +BankLineConciliated=Wpis uzgodniony z wyciągiem bankowym +BankLineReconciled=Uzgodnione +BankLineNotReconciled=Nieuzgodnione CustomerInvoicePayment=Płatności klienta SupplierInvoicePayment=Płatność dostawcy SubscriptionPayment=Zaplanowana płatność -WithdrawalPayment=Direct Debit payment -BankTransferPayment=Credit Transfer payment +WithdrawalPayment=Płatność poleceniem zapłaty +BankTransferPayment=Płatność przelewem kredytowym SocialContributionPayment=Płatność za ZUS/podatek BankTransfer=Transfer kredytowy BankTransfers=Polecenia przelewu MenuBankInternalTransfer=Przelew wewnętrzny -TransferDesc=Użyj przelewu wewnętrznego by przelać z jednego konta na inne, aplikacja zapisze dwa rekordy: obciążenie na rachunku źródłowym i uznanie na rachunku docelowym. Ta sama kwota, tytuł i data zostaną użyte do tej transakcji. +TransferDesc=Użyj przelewu wewnętrznego by przelać z jednego konta na inne, aplikacja zapisze dwa rekordy: obciążenie na rachunku źródłowym i uznanie na rachunku docelowym. W tej transakcji zostaną zapisane ta sama kwota, tytuł i data. TransferFrom=Od TransferTo=Do TransferFromToDone=Transfer z %s do %s %s %s został zapisany. @@ -147,9 +148,9 @@ BackToAccount=Powrót do konta ShowAllAccounts=Pokaż wszystkie konta FutureTransaction=Przyszła transakcja. Nie można się pogodzić. SelectChequeTransactionAndGenerate=Wybierz/przefiltruj czeki, które mają znaleźć się na potwierdzeniu wpłaty czeku. Następnie kliknij „Utwórz”. -SelectPaymentTransactionAndGenerate=Select/filter the documents which are to be included in the %s deposit receipt. Then, click on "Create". -InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value -InputReceiptNumberBis=YYYYMM or YYYYMMDD +SelectPaymentTransactionAndGenerate=Wybierz/filtruj dokumenty, które mają znaleźć się na %s potwierdzeniu wpłaty. Następnie kliknij „Utwórz”. +InputReceiptNumber=Wybierz wyciąg bankowy związany z postępowaniem pojednawczym. Użyj sortowalnej wartości liczbowej +InputReceiptNumberBis=RRRRMM lub RRRRMMDD EventualyAddCategory=Ostatecznie, określić kategorię, w której sklasyfikować rekordy ToConciliate=Do zaksięgowania? ThenCheckLinesAndConciliate=Następnie sprawdź linie obecne w wyciągu bankowym i kliknij @@ -179,8 +180,8 @@ SEPAMandate=Mandat SEPA YourSEPAMandate=Twój mandat SEPA FindYourSEPAMandate=To jest Twoje upoważnienie SEPA do upoważnienia naszej firmy do złożenia polecenia zapłaty w Twoim banku. Zwróć podpisany (skan podpisanego dokumentu) lub wyślij pocztą na adres AutoReportLastAccountStatement=Automatycznie wypełnij pole „numer wyciągu bankowego” numerem ostatniego wyciągu podczas rozliczenia -CashControl=POS cash control -NewCashFence=New cash control (opening or closing) +CashControl=Kontrola gotówki w punktach sprzedaży +NewCashFence=Nowa kontrola gotówki (otwarcie lub zamknięcie) BankColorizeMovement=Koloruj ruchy BankColorizeMovementDesc=Jeśli ta funkcja jest włączona, możesz wybrać określony kolor tła dla ruchów debetowych lub kredytowych BankColorizeMovementName1=Kolor tła dla przelewu debetowego @@ -189,6 +190,7 @@ IfYouDontReconcileDisableProperty=Jeśli nie dokonasz uzgodnień bankowych na ni NoBankAccountDefined=Nie zdefiniowano konta bankowego NoRecordFoundIBankcAccount=Nie znaleziono rekordu na koncie bankowym. Często dzieje się tak, gdy rekord został ręcznie usunięty z listy transakcji na rachunku bankowym (na przykład podczas uzgadniania rachunku bankowego). Innym powodem jest to, że płatność została zarejestrowana, gdy moduł „%s” był wyłączony. AlreadyOneBankAccount=Zdefiniowano już jedno konto bankowe -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=SEPA transfer: 'Payment Type' at 'Credit Transfer' level -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=When generatin a SEPA XML file for Credit transfers, the section "PaymentTypeInformation" can now be placed inside the "CreditTransferTransactionInformation" section (instead of "Payment" section). We strongly recommend to keep this unchecked to place PaymentTypeInformation at Payment level, as all banks will not necessarily accept it at CreditTransferTransactionInformation level. Contact your bank before placing PaymentTypeInformation at CreditTransferTransactionInformation level. -ToCreateRelatedRecordIntoBank=To create missing related bank record +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=Wariant pliku SEPA +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=Tak = zapisz „Typ płatności” w sekcji „Przelew kredytowy” pliku SEPA

      Podczas generowania pliku XML SEPA dla kredytu przelewów, sekcję „PaymentTypeInformation” można teraz umieścić w sekcji „CreditTransferTransactionInformation” (zamiast sekcji „Płatność”). Zdecydowanie zalecamy pozostawienie tej opcji niezaznaczonej, aby umieścić PaymentTypeInformation na poziomie Payment, ponieważ nie wszystkie banki koniecznie zaakceptują to na poziomie CreditTransferTransactionInformation. Skontaktuj się ze swoim bankiem przed umieszczeniem PaymentTypeInformation na poziomie CreditTransferTransactionInformation. +ToCreateRelatedRecordIntoBank=Aby utworzyć brakujący powiązany rekord bankowy +XNewLinesConciliated=%s uzgodniono nowe wiersze diff --git a/htdocs/langs/pl_PL/bills.lang b/htdocs/langs/pl_PL/bills.lang index 8e20698ee62..c5d222418a8 100644 --- a/htdocs/langs/pl_PL/bills.lang +++ b/htdocs/langs/pl_PL/bills.lang @@ -13,7 +13,7 @@ BillsStatistics=Statystyki faktur klientów BillsStatisticsSuppliers=Statystyki faktur dostawców DisabledBecauseDispatchedInBookkeeping=Wyłączone, ponieważ faktura została wysłana do księgowości DisabledBecauseNotLastInvoice=Wyłączone, ponieważ faktury nie można usunąć. Niektóre faktury zostały zarejestrowane po tej jednej i spowoduje to powstanie dziur w ladzie. -DisabledBecauseNotLastSituationInvoice=Disabled because invoice is not erasable. This invoice is not the last one in situation invoice cycle. +DisabledBecauseNotLastSituationInvoice=Wyłączone, ponieważ faktury nie można usunąć. Faktura ta nie jest ostatnią w cyklu fakturowania. DisabledBecauseNotErasable=Wyłączone, ponieważ nie można go usunąć InvoiceStandard=Standardowa faktura InvoiceStandardAsk=Standardowa faktura @@ -21,25 +21,25 @@ InvoiceStandardDesc=Tego rodzaju faktura jest powszechną fakturą. InvoiceStandardShort=Standard InvoiceDeposit=Faktura zaliczkowa InvoiceDepositAsk=Faktura zaliczkowa -InvoiceDepositDesc=Faktura tego typu jest zakończona kiedy zaliczka zostanie odebrana. -InvoiceProForma=Proforma faktury -InvoiceProFormaAsk=Proforma faktury +InvoiceDepositDesc=Faktura tego typu jest wystawiana po otrzymaniu zaliczki lub zadatku. +InvoiceProForma=Faktura proforma +InvoiceProFormaAsk=Faktura proforma InvoiceProFormaDesc=Faktura proforma jest obrazem prawdziwej faktury, ale nie ma jeszcze wartości księgowych. InvoiceReplacement=Duplikat faktury -InvoiceReplacementShort=Replacement +InvoiceReplacementShort=Wymiana InvoiceReplacementAsk=Duplikat faktury do faktury InvoiceReplacementDesc= Faktura zastępcza służy do całkowitego zastąpienia faktury bez otrzymanej płatności.

      Uwaga: Tylko faktury bez płatności można wymienić. Jeśli zastępowana faktura nie jest jeszcze zamknięta, zostanie automatycznie zamknięta jako „porzucona”. InvoiceAvoir=Nota kredytowa InvoiceAvoirAsk=Edytuj notatkę do skorygowania faktury -InvoiceAvoirDesc=Nota kredytowa to faktura ujemna służąca do skorygowania faktu, że faktura zawiera kwotę różniącą się od kwoty faktycznie zapłaconej (np. Klient zapłacił za dużo przez pomyłkę lub nie zapłaci pełnej kwoty, ponieważ niektóre produkty zostały zwrócone) . -invoiceAvoirWithLines=Tworzenie kredytowa Uwaga liniami z faktury pochodzenia -invoiceAvoirWithPaymentRestAmount=Tworzenie kredytowa z nieopłacone Uwaga faktury pochodzenia -invoiceAvoirLineWithPaymentRestAmount=Nota kredytowa na kwotę pozostałą nieodpłatną +InvoiceAvoirDesc= Faktura korekta to faktura ujemna służąca do skorygowania faktu, że faktura zawiera kwotę różniącą się od kwoty faktycznie zapłaconej (np. klient zapłacił za dużo przez pomyłkę lub nie zapłaci pełnej kwoty, ponieważ niektóre produkty zostały zwrócone) . +invoiceAvoirWithLines=Utwórz fakturę korektę w pozycjami z oryginalnej faktury +invoiceAvoirWithPaymentRestAmount=Utwórz fakturę korektę z niezapłaconą kwotą oryginalnej faktury +invoiceAvoirLineWithPaymentRestAmount=Faktura korekta na nieopłaconą część kwoty ReplaceInvoice=Zastąp fakturę %s ReplacementInvoice=Faktura zastępcza -ReplacedByInvoice=Zastąpine przez fakturę %s +ReplacedByInvoice=Zastąpione przez fakturę %s ReplacementByInvoice=Zastąpione przez fakturę -CorrectInvoice=Skoryguj fakturę %s +CorrectInvoice=Korekta faktury %s CorrectionInvoice=Korekta faktury UsedByInvoice=Służy do zapłaty faktury %s ConsumedBy=Zużyto przez @@ -52,7 +52,7 @@ PredefinedInvoices=Predefiniowane Faktury Invoice=Faktura PdfInvoiceTitle=Faktura Invoices=Faktury -InvoiceLine=Pole faktury +InvoiceLine=Pozycja faktury InvoiceCustomer=Faktura klienta CustomerInvoice=Faktura klienta CustomersInvoices=Faktury klienta @@ -106,7 +106,7 @@ ClassifyCanceled=Klasyfikacja "Porzucono" ClassifyClosed=Klasyfikacja "zamknięte" ClassifyUnBilled=Sklasyfikować "Unbilled" CreateBill=Utwórz fakturę -CreateCreditNote=Stwórz notę kredytową +CreateCreditNote=Utwórz korektę AddBill=Tworzenie faktury lub noty kredytowej AddToDraftInvoices=Dodaj do szkicu faktury DeleteBill=Usuń fakturę @@ -117,27 +117,27 @@ SendRemindByMail=Wyślij przypomnienie pocztą e-mail DoPayment=Wprowadź płatność DoPaymentBack=Wprowadź zwrot ConvertToReduc=Oznacz jako dostępny kredyt -ConvertExcessReceivedToReduc=Zamień otrzymane nadwyżki na dostępny kredyt +ConvertExcessReceivedToReduc=Zamień otrzymaną nadpłatę na dostępny kredyt ConvertExcessPaidToReduc=Zamień zapłaconą nadwyżkę na dostępny rabat EnterPaymentReceivedFromCustomer=Wprowadź płatność otrzymaną od klienta EnterPaymentDueToCustomer=Dokonaj płatności dla klienta DisabledBecauseRemainderToPayIsZero=Nieaktywne, ponieważ upływająca nieopłacona kwota wynosi zero PriceBase=Cena podstawowa BillStatus=Status faktury -StatusOfGeneratedInvoices=Status generowanych faktur -BillStatusDraft=Projekt (musi zostać zatwierdzone) -BillStatusPaid=Płatność -BillStatusPaidBackOrConverted=Zwrot noty kredytowej lub oznaczony jako dostępny kredyt -BillStatusConverted=Zapłacone (gotowe do spożycia na fakturze końcowej) -BillStatusCanceled=Opuszczony -BillStatusValidated=Zatwierdzona (trzeba zapłacić) +StatusOfAutoGeneratedInvoices=Status automatycznie generowanych faktur +BillStatusDraft=Szkic (do zatwierdzenia) +BillStatusPaid=Opłacona +BillStatusPaidBackOrConverted=Zwrócona lub przekształcona w zniżkę +BillStatusConverted=Opłacona (gotowa do uwzględnienia na fakturze końcowej) +BillStatusCanceled=Porzucona +BillStatusValidated=Zatwierdzona (do opłacenia) BillStatusStarted=Rozpoczęcie BillStatusNotPaid=Brak zapłaty BillStatusNotRefunded=Nie podlega zwrotowi BillStatusClosedUnpaid=Zamknięte (nie zapłacone) BillStatusClosedPaidPartially=Opłacone (częściowo) BillShortStatusDraft=Szkic -BillShortStatusPaid=Płatność +BillShortStatusPaid=Opłacona BillShortStatusPaidBackOrConverted=Zwrócone lub zamienione Refunded=Zwrócono koszty BillShortStatusConverted=Płatność @@ -148,26 +148,26 @@ BillShortStatusNotPaid=Brak wpłaty BillShortStatusNotRefunded=Nie podlega zwrotowi BillShortStatusClosedUnpaid=Zamknięte BillShortStatusClosedPaidPartially=Opłacono (częściowo) -PaymentStatusToValidShort=Do potwierdzenia +PaymentStatusToValidShort=Do zatwierdzenia ErrorVATIntraNotConfigured=Wewnątrzwspólnotowy numer VAT nie został jeszcze zdefiniowany ErrorNoPaiementModeConfigured=Nie zdefiniowano domyślnego typu płatności. Przejdź do konfiguracji modułu faktur, aby to naprawić. ErrorCreateBankAccount=Utwórz konto bankowe, a następnie przejdź do panelu Konfiguracja modułu Faktury, aby zdefiniować typy płatności ErrorBillNotFound=Faktura %s nie istnieje ErrorInvoiceAlreadyReplaced=Błąd, próbowałeś zweryfikować fakturę w celu zastąpienia faktury %s. Ale ten został już zastąpiony fakturą %s. -ErrorDiscountAlreadyUsed=Błąd, zniżka już używana +ErrorDiscountAlreadyUsed=Błąd, zniżka już została wykorzystana ErrorInvoiceAvoirMustBeNegative=Błąd, korekty faktury muszą mieć negatywny kwotę ErrorInvoiceOfThisTypeMustBePositive=Błąd, ten typ faktury musi mieć kwotę bez podatku dodatnią (lub zerową) ErrorCantCancelIfReplacementInvoiceNotValidated=Błąd, nie można anulować faktury, która została zastąpiona przez inną fakturę, będącą ciągle w stanie projektu. ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Ta lub inna część jest już używana, więc serii rabatów nie można usunąć. -ErrorInvoiceIsNotLastOfSameType=Error: The date of invoice %s is %s. It must be posterior or equal to last date for same type invoices (%s). Please change the invoice date. +ErrorInvoiceIsNotLastOfSameType=Błąd: data faktury %s to %s. W przypadku faktur tego samego typu musi być późniejsza lub równa ostatniej dacie (%s). Proszę zmienić datę wystawienia faktury. BillFrom=Od BillTo=Do -ShippingTo=Shipping to +ShippingTo=Wysyłka do ActionsOnBill=Działania na fakturze -ActionsOnBillRec=Actions on recurring invoice +ActionsOnBillRec=Działania na fakturze cyklicznej RecurringInvoiceTemplate=Szablon / Faktura cykliczna NoQualifiedRecurringInvoiceTemplateFound=Brak cyklicznej faktury szablonowej kwalifikującej się do wygenerowania. -FoundXQualifiedRecurringInvoiceTemplate=Znaleziono %s cyklicznych faktur szablonowych kwalifikujących się do wygenerowania. +FoundXQualifiedRecurringInvoiceTemplate=%s faktury cykliczne z szablonami zakwalifikowanymi do wygenerowania. NotARecurringInvoiceTemplate=To nie jest cykliczna faktura szablonowa NewBill=Nowa faktura LastBills=Ostatnie %s faktur @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Sprzedający projekty faktur Unpaid=Należne wpłaty ErrorNoPaymentDefined=Błąd Nie zdefiniowano płatności ConfirmDeleteBill=Czy jesteś pewien, że chcesz usunąć tą fakturę? -ConfirmValidateBill=Czy jesteś pewien, że chcesz zatwierdzić tą fakturę z numerem %s? +ConfirmValidateBill=Czy na pewno chcesz zweryfikować tę fakturę za pomocą referencji %s? ConfirmUnvalidateBill=Czy jesteś pewien, że chcesz przenieść fakturę %s do statusu szkicu? ConfirmClassifyPaidBill=Czy jesteś pewien, że chcesz zmienić status faktury %s na zapłaconą? ConfirmCancelBill=Czy jesteś pewien, że chcesz anulować fakturę %s? @@ -197,9 +197,9 @@ ConfirmClassifyPaidPartiallyReasonDiscount=Pozostałe niezapłacone (%s %s) ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Upływające nieopłacone (%s %s) jest przyznana zniżka, ponieważ płatność została dokonana przed terminem. Akceptuję stracić VAT na tej zniżce. ConfirmClassifyPaidPartiallyReasonDiscountVat=Upływające nieopłacone (% s% s) mają przyznaną zniżkę, ponieważ płatność została dokonana przed terminem. Odzyskano VAT od tej zniżki bez noty kredytowej. ConfirmClassifyPaidPartiallyReasonBadCustomer=Zły klient -ConfirmClassifyPaidPartiallyReasonBadSupplier=Bad vendor -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) -ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax +ConfirmClassifyPaidPartiallyReasonBadSupplier=Zły sprzedawca +ConfirmClassifyPaidPartiallyReasonBankCharge=Odliczenie przez bank (opłata banku pośredniczącego) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=Podatek u źródła ConfirmClassifyPaidPartiallyReasonProductReturned=Produkty częściowo zwrócone ConfirmClassifyPaidPartiallyReasonOther=Kwota porzucona z innej przyczyny ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=Taki wybór jest możliwy, jeśli do faktury zostały dołączone odpowiednie uwagi. (Przykład «Tylko podatek odpowiadający faktycznie zapłaconej cenie daje prawo do odliczenia») @@ -207,17 +207,17 @@ ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=W niektórych krajach ten wyb ConfirmClassifyPaidPartiallyReasonAvoirDesc=Użyj tego wyboru, jeśli wszystkie inne nie odpowiadają ConfirmClassifyPaidPartiallyReasonBadCustomerDesc= zły klient to klient, który odmawia spłaty swojego długu. ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Ten wybór jest używany, gdy płatność nie jest kompletna, ponieważ niektóre produkty zostały zwrócone -ConfirmClassifyPaidPartiallyReasonBankChargeDesc=The unpaid amount is intermediary bank fees, deducted directly from the correct amount paid by the Customer. -ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax +ConfirmClassifyPaidPartiallyReasonBankChargeDesc=Niezapłacona kwota to opłaty banku pośredniczącego, odliczana bezpośrednio od poprawna kwota zapłacona przez Klienta. +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=Niezapłacona kwota nigdy nie zostanie zapłacona, ponieważ jest to podatek u źródła ConfirmClassifyPaidPartiallyReasonOtherDesc=Skorzystaj z tego wyboru, jeśli wszystkie inne nie są odpowiednie, na przykład w następującej sytuacji:
      - płatność nie została zakończona, ponieważ niektóre produkty zostały odesłane
      - zgłoszona kwota jest zbyt ważna, ponieważ zapomniano o rabacie
      We wszystkich przypadkach kwota nadpłacona musi zostać poprawiona w systemie księgowym poprzez utworzenie noty kredytowej. -ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=A bad supplier is a supplier we refuse to pay. +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=zły dostawca to dostawca, któremu odmawiamy zapłaty. ConfirmClassifyAbandonReasonOther=Inny ConfirmClassifyAbandonReasonOtherDesc=Wybór ten będzie używany we wszystkich innych przypadkach. Na przykład wówczas. gdy planujesz utworzyć fakturę zastępującą. -ConfirmCustomerPayment=Potwierdzasz wprowadzenie płatności dla %s %s? -ConfirmSupplierPayment=Potwierdzasz wprowadzenie płatności dla %s %s? +ConfirmCustomerPayment=Czy potwierdzasz wprowadzenie płatności na kwotę %s %s? +ConfirmSupplierPayment=Czy potwierdzasz wprowadzenie płatności na kwotę %s %s? ConfirmValidatePayment=Czy jesteś pewny, że chcesz zatwierdzić tą płatność? Nie będzie można wprowadzić zmian po zatwierdzeniu płatności. ValidateBill=Zatwierdź fakturę -UnvalidateBill=Niepotwierdzona faktura +UnvalidateBill=Unieważnij fakturę NumberOfBills=Liczba faktur NumberOfBillsByMonth=Liczba faktur miesięcznie AmountOfBills=Kwota faktury @@ -242,39 +242,42 @@ RetainedWarrantyDateLimit=Zachowany termin gwarancji RetainedWarrantyNeed100Percent=Faktura sytuacyjna musi mieć stan postępu 100%%, aby była wyświetlana w formacie PDF AlreadyPaid=Zapłacono AlreadyPaidBack=Zwrócono -AlreadyPaidNoCreditNotesNoDeposits=Już zapłacone (bez not kredytowych i zaliczek) +AlreadyPaidNoCreditNotesNoDeposits=Zapłacono (bez korekt i zaliczek) Abandoned=Porzucone RemainderToPay=Nieopłacone -RemainderToPayMulticurrency=Remaining unpaid, original currency -RemainderToTake=Pozostała kwota do podjęcia -RemainderToTakeMulticurrency=Remaining amount to take, original currency +RemainderToPayMulticurrency=Pozostała kwota, waluta oryginalna +RemainderToTake=Pozostała kwota do przyjęcia +RemainderToTakeMulticurrency=Pozostała kwota do przyjęcia, waluta pierwotna RemainderToPayBack=Pozostała kwota do zwrotu -RemainderToPayBackMulticurrency=Remaining amount to refund, original currency -NegativeIfExcessRefunded=negative if excess refunded +RemainderToPayBackMulticurrency=Pozostała kwota do zwrotu, pierwotna waluta +NegativeIfExcessReceived=ujemny, jeżeli otrzymano nadwyżkę +NegativeIfExcessRefunded=ujemna, jeśli nadwyżka zostanie zwrócona +NegativeIfExcessPaid=ujemna, jeśli zapłacono nadwyżkę Rest=W oczekiwaniu -AmountExpected=Kwota twierdził -ExcessReceived=Nadmiar otrzymany -ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received +AmountExpected=Kwota zobowiązania +ExcessReceived=Otrzymana nadpłata +ExcessReceivedMulticurrency=Otrzymana nadwyżka, oryginalna waluta ExcessPaid=Nadwyżka zapłacona -ExcessPaidMulticurrency=Excess paid, original currency -EscompteOffered=Rabat oferowane (płatność przed kadencji) +ExcessPaidMulticurrency=Nadwyżka płatna, oryginalna waluta +EscompteOffered=Oferowana zniżka (płatność przed terminem) EscompteOfferedShort=Rabat SendBillRef=Złożenie faktury% s SendReminderBillRef=Złożenie faktury% s (przypomnienie) -SendPaymentReceipt=Submission of payment receipt %s +SendPaymentReceipt=Przesłanie potwierdzenia wpłaty %s NoDraftBills=Brak szkiców faktur NoOtherDraftBills=Brak innych szkiców faktur NoDraftInvoices=Brak szkicu dla faktur RefBill=Nr referencyjny faktury -ToBill=Do rachunku +RefSupplierBill=Nr faktury u dostawcy +SupplierOrderCreateBill=Utwórz fakturę +ToBill=Do zafakturowania RemainderToBill=Pozostająca do rachunku SendBillByMail=Wyślij fakturę pocztą e-mail SendReminderBillByMail=Wyślij przypomnienie pocztą e-mail RelatedCommercialProposals=Podobne oferty handlowe RelatedRecurringCustomerInvoices=Powiązane powtarzające się faktury klientów MenuToValid=Do ważnych -DateMaxPayment=Termin płatności: +DateMaxPayment=Termin płatności DateInvoice=Daty wystawienia faktury DatePointOfTax=Punkt podatkowy NoInvoice=Nr faktury @@ -287,14 +290,14 @@ NonPercuRecuperable=Niepodlegające zwrotowi SetConditions=Ustaw warunki płatności SetMode=Ustaw typ płatności SetRevenuStamp=Ustaw znaczek skarbowy -Billed=Billed +Billed=Zafakturowano RecurringInvoices=Faktury cykliczne RecurringInvoice=Faktura cykliczna -RecurringInvoiceSource=Source recurring invoice +RecurringInvoiceSource=Źródło faktury cyklicznej RepeatableInvoice=Szablon faktury -RepeatableInvoices=Szablon faktur -RecurringInvoicesJob=Generation of recurring invoices (sales invoices) -RecurringSupplierInvoicesJob=Generation of recurring invoices (purchase invoices) +RepeatableInvoices=Szablony faktur +RecurringInvoicesJob=Generowanie faktur cyklicznych (faktur sprzedaży) +RecurringSupplierInvoicesJob=Generowanie faktur cyklicznych (faktur zakupowych) Repeatable=Szablon Repeatables=Szablony ChangeIntoRepeatableInvoice=Konwersja do szablonu faktury @@ -309,32 +312,32 @@ Reduction=Rabat ReductionShort=Zniżka Reductions=Rabaty ReductionsShort=Zniżka -Discounts=Zniżki +Discounts=Rabaty AddDiscount=Stwórz zniżkę AddRelativeDiscount=Utwórz powiązaną zniżkę -EditRelativeDiscount=Edytuj powiązaną zniżkę -AddGlobalDiscount=Dodaj zniżki -EditGlobalDiscounts=Edytuj bezwzględne zniżki +EditRelativeDiscount=Edytuj rabat +AddGlobalDiscount=Dodaj zniżkę +EditGlobalDiscounts=Edytuj zniżki AddCreditNote=Tworzenie noty kredytowej ShowDiscount=Pokaż zniżki ShowReduc=Pokaż zniżkę ShowSourceInvoice=Pokaż fakturę źródłową RelativeDiscount=Powiązana zniżka GlobalDiscount=Globalne zniżki -CreditNote=Nota kredytowa +CreditNote=Faktura korekta CreditNotes=Noty kredytowe -CreditNotesOrExcessReceived=Otrzymane noty kredytowe lub nadwyżka +CreditNotesOrExcessReceived=Faktury korekty lub nadpłaty Deposit=Zaliczka Deposits=Zaliczki -DiscountFromCreditNote=Rabat od kredytu pamiętać %s +DiscountFromCreditNote=Zniżka pochodząca z faktury korekty %s DiscountFromDeposit=Zaliczki z faktury %s DiscountFromExcessReceived=Płatności przekraczające fakturę %s DiscountFromExcessPaid=Płatności przekraczające fakturę %s AbsoluteDiscountUse=Tego rodzaju kredyt może być użyta na fakturze przed jej zatwierdzeniem CreditNoteDepositUse=Faktura musi zostać zweryfikowana, aby móc korzystać z tego rodzaju kredytów NewGlobalDiscount=Nowe zniżki -NewSupplierGlobalDiscount=New absolute supplier discount -NewClientGlobalDiscount=New absolute client discount +NewSupplierGlobalDiscount=Nowy absolutny rabat dostawcy +NewClientGlobalDiscount=Nowy absolutny rabat dla klienta NewRelativeDiscount=Nowa powiązana zniżka DiscountType=Rodzaj rabatu NoteReason=Uwaga/Powód @@ -351,6 +354,7 @@ HelpAbandonOther=Ta kwota została porzucona, ponieważ był to błąd (na przyk IdSocialContribution=ID płatności składki ZUS/podatku PaymentId=ID Płatności PaymentRef=Ref. Płatności +SourceInvoiceId=Source invoice id InvoiceId=ID Faktury InvoiceRef=Nr referencyjny faktury InvoiceDateCreation=Data utworzenia faktury @@ -399,16 +403,16 @@ FrequencyUnit=Jednostka częstotliwości toolTipFrequency=Przykłady:
      Zestaw 7, dzień : wystawiaj nową fakturę co 7 dni
      Zestaw 3, miesiąc : wystaw nową fakturę co 3 dni NextDateToExecution=Data następnego wygenerowania faktury NextDateToExecutionShort=Data następnego gen. -DateLastGeneration=Data najnowszej generacji -DateLastGenerationShort=Data najnowszej gen. -MaxPeriodNumber=Maks. liczba generowanych faktur +DateLastGeneration=Data ostatniego wygenerowania faktury +DateLastGenerationShort=Ostatnio wygenerowano +MaxPeriodNumber=Maks. liczba faktur do wygenerowania NbOfGenerationDone=Liczba już wygenerowanych faktur NbOfGenerationOfRecordDone=Liczba wygenerowanych już rekordów -NbOfGenerationDoneShort=Number of generations done +NbOfGenerationDoneShort=Wygenerowano MaxGenerationReached=Osiągnięto maksymalną liczbę pokoleń InvoiceAutoValidate=Automatycznie weryfikuj faktury GeneratedFromRecurringInvoice=Wygenerowano z szablonu fakturę cykliczną %s -DateIsNotEnough=Termin jeszcze nie minął +DateIsNotEnough=Data jeszcze nie nadeszła InvoiceGeneratedFromTemplate=Faktura %s wygenerowana z cyklicznej faktury szablonowej %s GeneratedFromTemplate=Wygenerowano z szablonu faktury %s WarningInvoiceDateInFuture=Uwaga, data faktury jest późniejsza niż data bieżąca @@ -417,12 +421,12 @@ ViewAvailableGlobalDiscounts=Pokaż dostępne zniżki GroupPaymentsByModOnReports=Grupuj płatności według trybu na raportach # PaymentConditions Statut=Status -PaymentConditionShortRECEP=Wymagane przy odbiorze +PaymentConditionShortRECEP=Przy odbiorze PaymentConditionRECEP=Wymagane przy odbiorze PaymentConditionShort30D=30 dni PaymentCondition30D=30 dni -PaymentConditionShort30DENDMONTH=30 dni końca miesiąca -PaymentCondition30DENDMONTH=W ciągu 30 dni od końca miesiąca +PaymentConditionShort30DENDMONTH=30 dni od końca miesiąca +PaymentCondition30DENDMONTH=W ciągu 30 dni licząc od końca miesiąca PaymentConditionShort60D=60 dni PaymentCondition60D=60 dni PaymentConditionShort60DENDMONTH=60 dni końca miesiąca @@ -441,24 +445,24 @@ PaymentConditionShort14D=14 dni PaymentCondition14D=14 dni PaymentConditionShort14DENDMONTH=14 dni końca miesiąca PaymentCondition14DENDMONTH=W ciągu 14 dni od końca miesiąca -PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit -PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit, remainder on delivery +PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% depozyt +PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% depozyt, pozostała część przy dostawie FixAmount=Stała kwota - 1 wiersz z etykietą „%s” VarAmount=Zmienna ilość (%% tot.) VarAmountOneLine=Zmienna kwota (%% tot.) - 1 wiersz z etykietą '%s' VarAmountAllLines=Kwota zmienna (%% tot.) - wszystkie wiersze od początku -DepositPercent=Deposit %% -DepositGenerationPermittedByThePaymentTermsSelected=This is permitted by the payment terms selected -GenerateDeposit=Generate a %s%% deposit invoice -ValidateGeneratedDeposit=Validate the generated deposit -DepositGenerated=Deposit generated -ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=You can only automatically generate a deposit from a proposal or an order -ErrorPaymentConditionsNotEligibleToDepositCreation=The chose payment conditions are not eligible for automatic deposit generation +DepositPercent=Depozyt %% +DepositGenerationPermittedByThePaymentTermsSelected=Umożliwiają to wybrane warunki płatności +GenerateDeposit=Wygeneruj %s%% fakturę zaliczki +ValidateGeneratedDeposit=Zatwierdź wygenerowany depozyt +DepositGenerated=Wygenerowano depozyt +ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=Zaliczkę możesz wygenerować automatycznie jedynie na podstawie propozycji lub zamówienia +ErrorPaymentConditionsNotEligibleToDepositCreation=Wybrane warunki płatności nie podlegają automatycznemu generowaniu depozytu # PaymentType PaymentTypeVIR=Przelew bankowy PaymentTypeShortVIR=Przelew bankowy PaymentTypePRE=Polecenie zapłaty -PaymentTypePREdetails=(on account %s...) +PaymentTypePREdetails=(na koncie %s...) PaymentTypeShortPRE=Polecenie zapłaty PaymentTypeLIQ=Gotówka PaymentTypeShortLIQ=Gotówka @@ -491,11 +495,11 @@ BICNumber=Kod BIC / SWIFT ExtraInfos=Dodatkowe informacje RegulatedOn=Regulowane ChequeNumber=Czek N -ChequeOrTransferNumber=Cheque / Transferu N +ChequeOrTransferNumber=Nr czeku lub przelewu ChequeBordereau=Sprawdź harmonogram ChequeMaker=Nadawca czeku/przelewu -ChequeBank=Bank czek -CheckBank=Sprawdź +ChequeBank=Bank czeku +CheckBank=Czek NetToBePaid=Netto do wypłaty PhoneNumber=Tel FullPhoneNumber=Telefon @@ -507,7 +511,7 @@ PaymentByChequeOrderedToShort=Płatności czekiem (z podatkiem) są płatne na k SendTo=wysłane do PaymentByTransferOnThisBankAccount=Płatność przelewem na poniższe konto bankowe VATIsNotUsedForInvoice=* Nie dotyczy sztuki VAT-293B z CGI -VATIsNotUsedForInvoiceAsso=* Non applicable VAT art-261-7 of CGI +VATIsNotUsedForInvoiceAsso=* Nie dotyczy podatku VAT art. 261-7 CGI LawApplicationPart1=Poprzez stosowanie prawa 80,335 do 12/05/80 LawApplicationPart2=towary pozostają własnością LawApplicationPart3=sprzedający do pełnej zapłaty kwoty @@ -517,14 +521,14 @@ UseLine=Zastosować UseDiscount=Użyj zniżki UseCredit=Wykorzystaj kredyt UseCreditNoteInInvoicePayment=Zmniejszenie płatności z tego nota kredytowa -MenuChequeDeposits=Deposits slips +MenuChequeDeposits=Dokumenty depozytowe MenuCheques=Czeki -MenuChequesReceipts=Deposit slips -NewChequeDeposit=New deposit slip -ChequesReceipts=Cheque deposit slips -DocumentsDepositArea=Deposit slip area -ChequesArea=Deposit slips area -ChequeDeposits=Deposit slips +MenuChequesReceipts=Kwity depozytowe +NewChequeDeposit=Nowy dowód wpłaty +ChequesReceipts=Sprawdź dowody wpłaty +DocumentsDepositArea=Obszar dowodu wpłaty +ChequesArea=Obszar dowodów depozytowych +ChequeDeposits=Kwity depozytowe Cheques=Czeki DepositId=ID depozytu NbCheque=Ilość czeków @@ -537,8 +541,8 @@ ValidateInvoice=Zatwierdź fakturę ValidateInvoices=Zatwierdź faktury Cash=Gotówka Reported=Opóźniony -DisabledBecausePayments=Nie możliwe, ponieważ istnieją pewne płatności -CantRemovePaymentWithOneInvoicePaid=Nie można usunąć płatności, ponieważ istnieje przynajmniej na fakturze sklasyfikowane płatne +DisabledBecausePayments=Niemożliwe z powodu zarejestrowanych już płatności +CantRemovePaymentWithOneInvoicePaid=Nie można usunąć płatności, ponieważ istnieje co najmniej jedna faktura sklasyfikowana jako opłacona CantRemovePaymentVATPaid=Nie można usunąć płatności, ponieważ deklaracja VAT jest klasyfikowana jako zapłacona CantRemovePaymentSalaryPaid=Nie można usunąć płatności, ponieważ wynagrodzenie jest klasyfikowane jako zapłacone ExpectedToPay=Oczekuje płatności @@ -549,8 +553,8 @@ ClosePaidCreditNotesAutomatically=Gdy zwrot środków zostanie wykonany w cało ClosePaidContributionsAutomatically=Automatycznie klasyfikuj wszystkie składki na ubezpieczenie społeczne lub fiskalne jako „opłacone”, gdy płatność została dokonana w całości. ClosePaidVATAutomatically=Sklasyfikuj automatycznie deklarację VAT jako „Zapłacono”, gdy płatność została wykonana w całości. ClosePaidSalaryAutomatically=Automatycznie klasyfikuj wynagrodzenie jako „Zapłacone”, gdy płatność jest wykonana w całości. -AllCompletelyPayedInvoiceWillBeClosed=Wszystkie faktury, które nie pozostały do zapłaty, zostaną automatycznie zamknięte ze statusem „Zapłacone”. -ToMakePayment=Płacić +AllCompletelyPayedInvoiceWillBeClosed=Wszystkie faktury, w których nie pozostało nic do zapłacenia, zostaną automatycznie zamknięte ze statusem „Opłacona”. +ToMakePayment=Opłać ToMakePaymentBack=Spłacać ListOfYourUnpaidInvoices=Lista niezapłaconych faktur NoteListOfYourUnpaidInvoices=Uwaga: Ta lista zawiera tylko faktury dla osób trzecich jesteś powiązanych jako przedstawiciel sprzedaży. @@ -561,18 +565,18 @@ YouMustCreateStandardInvoiceFirstDesc=Najpierw musisz utworzyć standardową fak PDFCrabeDescription=Szablon faktury PDF Crabe. Kompletny szablon faktury (stara implementacja szablonu Sponge) PDFSpongeDescription=Szablon faktury PDF Gąbka. Kompletny szablon faktury PDFCrevetteDescription=Szablon faktury PDF Crevette. Kompletny szablon faktury dla faktur sytuacyjnych -TerreNumRefModelDesc1=Zwróć numer w formacie %srrmm-nnnn dla faktur standardowych i %srrmm-nnnn dla not kredytowych, gdzie rr to rok, mm to miesiąc, a nnnn to sekwencyjna liczba zwiększana automatycznie, bez przerw i bez powrotu do 0 -MarsNumRefModelDesc1=Zwróć numer w formacie %srrmm-nnnn dla faktur standardowych, %srrmm-nnnn dla faktur korygujących, %srrmm-nnnn dla faktur zaliczkowych i %srrmm-nnnn dla not kredytowych, gdzie rr to rok, mm to miesiąc a nnnn to sekwencyjna liczba zwiększana automatycznie, bez przerw i bez powrotu do 0 +TerreNumRefModelDesc1=Numer zwrotu w formacie %syymm-nnnn dla faktur standardowych i %syymm-nnnn dla not kredytowych, gdzie yy oznacza rok, mm to miesiąc, a nnnn to sekwencyjna, automatycznie zwiększająca się liczba, bez przerw i powrotu do 0 +MarsNumRefModelDesc1=Numer zwrotu w formacie %syymm-nnnn dla faktur standardowych, %syymm-nnnn dla faktur zastępczych, %syymm-nnnn dla faktur z zaliczką i %syymm-nnnn dla not kredytowych, gdzie yy to rok, mm to miesiąc, a nnnn to sekwencyjny auto- zwiększanie liczby bez przerw i powrotu do 0 TerreNumRefModelError=Rachunek zaczynające się od $ syymm już istnieje i nie jest kompatybilne z tym modelem sekwencji. Usuń go lub zmienić jego nazwę, aby włączyć ten moduł. -CactusNumRefModelDesc1=Zwróć numer w formacie %srrmm-nnnn dla faktur standardowych, %srrmm-nnnn dla not kredytowych i %srrmm-nnnn dla faktur zaliczkowych, gdzie rr to rok, mm to miesiąc, a nnnn to sekwencyjna liczba zwiększana automatycznie, bez przerw i bez powrotu do 0 +CactusNumRefModelDesc1=Numer zwrotu w formacie %syymm-nnnn dla faktur standardowych, %syymm-nnnn dla not kredytowych i %syymm-nnnn dla faktur z zaliczką, gdzie yy to rok, mm to miesiąc, a nnnn to sekwencyjna, automatycznie zwiększająca się liczba bez przerwy i bez powrotu do 0 EarlyClosingReason=Powód wcześniejszego zamknięcia EarlyClosingComment=Uwaga dotycząca wczesnego zamknięcia ##### Types de contacts ##### -TypeContact_facture_internal_SALESREPFOLL=Przedstawiciela w ślad za klienta faktura -TypeContact_facture_external_BILLING=kontakt faktury klienta +TypeContact_facture_internal_SALESREPFOLL=Przedstawiciel firmy odpowiedzialny za fakturę klienta +TypeContact_facture_external_BILLING=Kontakt do faktury klienta TypeContact_facture_external_SHIPPING=kontakt koszty klientów TypeContact_facture_external_SERVICE=kontakt z działem obsługi klienta -TypeContact_invoice_supplier_internal_SALESREPFOLL=Reprezentatywna kolejna faktura dostawcy +TypeContact_invoice_supplier_internal_SALESREPFOLL=Przedstawiciel firmy odpowiedzialny za fakturę dostawcy TypeContact_invoice_supplier_external_BILLING=Kontakt do faktury sprzedawcy TypeContact_invoice_supplier_external_SHIPPING=Kontakt z dostawcą TypeContact_invoice_supplier_external_SERVICE=Kontakt serwisowy dostawcy @@ -609,9 +613,9 @@ ToCreateARecurringInvoice=Aby utworzyć fakturę cykliczną dla tej umowy, najpi ToCreateARecurringInvoiceGene=Aby regularnie i ręcznie generować przyszłe faktury, po prostu przejdź do menu %s - %s - %s . ToCreateARecurringInvoiceGeneAuto=Jeśli chcesz, aby takie faktury były generowane automatycznie, poproś administratora o włączenie i skonfigurowanie modułu %s . Należy pamiętać, że obie metody (ręczna i automatyczna) mogą być używane razem bez ryzyka powielania. DeleteRepeatableInvoice=Usuń szablon faktury -ConfirmDeleteRepeatableInvoice=Czy na pewno chcesz usunąć fakturę z szablonu? -CreateOneBillByThird=Create one invoice per third party (otherwise, one invoice per selected object) -BillCreated=Wygenerowano faktury %s +ConfirmDeleteRepeatableInvoice=Czy jesteś pewien, że chcesz usunąć ten szablon faktury? +CreateOneBillByThird=Utwórz jedną fakturę na kontrahenta (w przeciwnym razie jedną fakturę na każdą zaznaczoną pozycję) +BillCreated=Wygenerowano %s faktur(ę/y) BillXCreated=Wygenerowano fakturę %s StatusOfGeneratedDocuments=Status generowania dokumentu DoNotGenerateDoc=Nie generuj pliku dokumentu @@ -624,20 +628,25 @@ MaxNumberOfGenerationReached=Maksymalna liczba gen. osiągnął BILL_DELETEInDolibarr=Faktura usunięta BILL_SUPPLIER_DELETEInDolibarr=Faktura dostawcy została usunięta UnitPriceXQtyLessDiscount=Cena jednostkowa x ilość - rabat -CustomersInvoicesArea=Obszar rozliczeniowy klienta -SupplierInvoicesArea=Obszar rozliczeniowy dostawcy +CustomersInvoicesArea=Strefa rozliczeń z klientami +SupplierInvoicesArea=Strefa rozliczeń z dostawcami SituationTotalRayToRest=Pozostała kwota do zapłaty bez podatku PDFSituationTitle=Sytuacja nr %d SituationTotalProgress=Całkowity postęp %d %% SearchUnpaidInvoicesWithDueDate=Wyszukaj niezapłacone faktury z terminem płatności = %s -SearchValidatedInvoicesWithDate=Search unpaid invoices with a validation date = %s -NoPaymentAvailable=No payment available for %s +SearchValidatedInvoicesWithDate=Wyszukaj niezapłacone faktury z datą zatwierdzenia = %s +NoPaymentAvailable=Brak dostępnej płatności za %s PaymentRegisteredAndInvoiceSetToPaid=Płatność zarejestrowana i faktura %s ustawiona jako zapłacona -SendEmailsRemindersOnInvoiceDueDate=Send reminder by email for validated and unpaid invoices -MakePaymentAndClassifyPayed=Record payment -BulkPaymentNotPossibleForInvoice=Bulk payment is not possible for invoice %s (bad type or status) -MentionVATDebitOptionIsOn=Option to pay tax based on debits -MentionCategoryOfOperations=Category of operations -MentionCategoryOfOperations0=Delivery of goods -MentionCategoryOfOperations1=Provision of services -MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +SendEmailsRemindersOnInvoiceDueDate=Wysyłaj przypomnienia e-mailem o zweryfikowanych i niezapłaconych fakturach +MakePaymentAndClassifyPayed=Rekordowa płatność +BulkPaymentNotPossibleForInvoice=Nie jest możliwa płatność zbiorcza dla faktury %s (zły typ lub status) +MentionVATDebitOptionIsOn=Możliwość płacenia podatku na podstawie debetów +MentionCategoryOfOperations=Kategoria operacji +MentionCategoryOfOperations0=Dostawa dóbr +MentionCategoryOfOperations1=Prowizja za usługi +MentionCategoryOfOperations2=Mieszane - Dostawa towarów i świadczenie usług +Salaries=Wynagrodzenia +InvoiceSubtype=Podtyp faktury +SalaryInvoice=Wypłata +BillsAndSalaries=Rachunki i wynagrodzenia +CreateCreditNoteWhenClientInvoiceExists=Ta opcja jest włączona tylko wtedy, gdy dla klienta istnieją zatwierdzone faktury lub gdy używana jest stała INVOICE_CREDIT_NOTE_STANDALONE (przydatne w niektórych krajach) diff --git a/htdocs/langs/pl_PL/blockedlog.lang b/htdocs/langs/pl_PL/blockedlog.lang index 81da8fe21a0..45016063fae 100644 --- a/htdocs/langs/pl_PL/blockedlog.lang +++ b/htdocs/langs/pl_PL/blockedlog.lang @@ -5,8 +5,8 @@ Fingerprints=Zarchiwizowane wydarzenia i odciski palców FingerprintsDesc=To jest narzędzie do przeglądania lub wyodrębniania niezmienionych dzienników. Niezmienione dzienniki są generowane i archiwizowane lokalnie w dedykowanej tabeli, w czasie rzeczywistym, podczas rejestrowania zdarzenia biznesowego. Możesz użyć tego narzędzia, aby wyeksportować to archiwum i zapisać je na zewnętrznym nośniku (niektóre kraje, takie jak Francja, proszą o robienie tego co roku). Zwróć uwagę, że nie ma funkcji czyszczenia tego dziennika, a każda zmiana, którą próbowano wprowadzić bezpośrednio w tym dzienniku (na przykład przez hakera), zostanie zgłoszona z nieprawidłowym odciskiem palca. Jeśli naprawdę potrzebujesz wyczyścić tę tabelę, ponieważ używałeś aplikacji do celów demonstracyjnych / testowych i chcesz wyczyścić dane, aby rozpocząć produkcję, możesz poprosić sprzedawcę lub integratora o zresetowanie bazy danych (wszystkie dane zostaną usunięte). CompanyInitialKey=Klucz początkowy firmy (skrót bloku genezy) BrowseBlockedLog=Niezmienione dzienniki -ShowAllFingerPrintsMightBeTooLong=Pokaż wszystkie zarchiwizowane dzienniki (może być długie) -ShowAllFingerPrintsErrorsMightBeTooLong=Pokaż wszystkie nieprawidłowe dzienniki archiwów (mogą być długie) +ShowAllFingerPrintsMightBeTooLong=Pokaż wszystkie zarchiwizowane dzienniki (może długo trwać) +ShowAllFingerPrintsErrorsMightBeTooLong=Pokaż wszystkie nieprawidłowe dzienniki logów (może długo trwać) DownloadBlockChain=Pobierz odciski palców KoCheckFingerprintValidity=Zarchiwizowany wpis dziennika jest nieprawidłowy. Oznacza to, że ktoś (haker?) Zmodyfikował niektóre dane tego rekordu po jego nagraniu lub usunął poprzedni zarchiwizowany rekord (sprawdź, czy istnieje wiersz z poprzednim #) lub zmodyfikował sumę kontrolną poprzedniego rekordu. OkCheckFingerprintValidity=Zarchiwizowany rekord dziennika jest prawidłowy. Dane w tym wierszu nie zostały zmodyfikowane, a wpis następuje po poprzednim. @@ -14,37 +14,15 @@ OkCheckFingerprintValidityButChainIsKo=Zarchiwizowany dziennik wydaje się prawi AddedByAuthority=Przechowywane w zdalnym urzędzie NotAddedByAuthorityYet=Nie jest jeszcze przechowywany w zdalnym urzędzie ShowDetails=Pokaż zapisane szczegóły -logPAYMENT_VARIOUS_CREATE=Utworzono płatność (nieprzypisaną do faktury) -logPAYMENT_VARIOUS_MODIFY=Zmieniono płatność (nie przypisaną do faktury) -logPAYMENT_VARIOUS_DELETE=Logiczne usunięcie płatności (nie przypisanej do faktury) -logPAYMENT_ADD_TO_BANK=Płatność została dodana do banku -logPAYMENT_CUSTOMER_CREATE=Utworzono płatność klienta -logPAYMENT_CUSTOMER_DELETE=Logiczne usunięcie płatności klienta -logDONATION_PAYMENT_CREATE=Utworzono płatność darowizny -logDONATION_PAYMENT_DELETE=Logiczne usunięcie wpłaty darowizny -logBILL_PAYED=Zapłacono fakturę klienta -logBILL_UNPAYED=Faktura klienta ustawiona jako niezapłacona -logBILL_VALIDATE=Faktura klienta zatwierdzona -logBILL_SENTBYMAIL=Fakturę dla klienta wysyłamy pocztą -logBILL_DELETE=Faktura klienta została logicznie usunięta -logMODULE_RESET=Moduł BlockedLog został wyłączony -logMODULE_SET=Moduł BlockedLog został włączony -logDON_VALIDATE=Darowizna została zatwierdzona -logDON_MODIFY=Darowizna zmodyfikowana -logDON_DELETE=Logiczne usunięcie darowizny -logMEMBER_SUBSCRIPTION_CREATE=Utworzono subskrypcję członka -logMEMBER_SUBSCRIPTION_MODIFY=Subskrypcja członka zmodyfikowana -logMEMBER_SUBSCRIPTION_DELETE=Logiczne usunięcie subskrypcji członka -logCASHCONTROL_VALIDATE=Rejestracja zamknięcia kasy BlockedLogBillDownload=Pobieranie faktury dla klienta -BlockedLogBillPreview=Podgląd faktury klienta -BlockedlogInfoDialog=Szczegóły dziennika +BlockedLogBillPreview=Przegląd faktur klienta +BlockedlogInfoDialog=Szczegóły logu ListOfTrackedEvents=Lista śledzonych zdarzeń Fingerprint=Odcisk palca -DownloadLogCSV=Eksportuj zarchiwizowane dzienniki (CSV) -logDOC_PREVIEW=Podgląd zweryfikowanego dokumentu w celu wydrukowania lub pobrania -logDOC_DOWNLOAD=Pobieranie zweryfikowanego dokumentu w celu wydrukowania lub wysłania -DataOfArchivedEvent=Pełne dane zarchiwizowanego wydarzenia +DownloadLogCSV=Eksportuj zarchiwizowane logi (CSV) +logDOC_PREVIEW=Podgląd zweryfikowanego dokumentu w w kolejności do wydrukowania lub pobrania +logDOC_DOWNLOAD=Pobieranie zweryfikowanego dokumentu w kolejności do wydrukowania lub wysłania +DataOfArchivedEvent=Full data of archived event ImpossibleToReloadObject=Oryginalny obiekt (typ %s, id %s) nie jest połączony (zobacz kolumnę „Pełne dane”, aby uzyskać niezmienione zapisane dane) BlockedLogAreRequiredByYourCountryLegislation=Moduł niezmiennych logów może być wymagany przez ustawodawstwo twojego kraju. Wyłączenie tego modułu może spowodować, że wszelkie przyszłe transakcje będą nieważne z punktu widzenia prawa i korzystania z legalnego oprogramowania, ponieważ nie mogą one zostać zweryfikowane przez kontrolę podatkową. BlockedLogActivatedBecauseRequiredByYourCountryLegislation=Moduł Unalterable Logs został aktywowany ze względu na ustawodawstwo Twojego kraju. Wyłączenie tego modułu może spowodować, że wszelkie przyszłe transakcje będą nieważne z punktu widzenia prawa i korzystania z legalnego oprogramowania, ponieważ nie mogą one zostać zweryfikowane przez kontrolę podatkową. @@ -52,6 +30,33 @@ BlockedLogDisableNotAllowedForCountry=Lista krajów, w których użycie tego mod OnlyNonValid=Nieważne TooManyRecordToScanRestrictFilters=Za dużo rekordów do zeskanowania / przeanalizowania. Ogranicz listę za pomocą bardziej restrykcyjnych filtrów. RestrictYearToExport=Ogranicz miesiąc / rok do eksportu -BlockedLogEnabled=System to track events into unalterable logs has been enabled +BlockedLogEnabled=Włączono system śledzenia zdarzeń w niezmiennych dziennikach BlockedLogDisabled=System to track events into unalterable logs has been disabled after some recording were done. We saved a special Fingerprint to track the chain as broken -BlockedLogDisabledBis=System to track events into unalterable logs has been disabled. This is possible because no record were done yet. +BlockedLogDisabledBis=System śledzenia zdarzeń w niezmiennych dziennikach został wyłączony. Jest to możliwe, ponieważ nie dokonano jeszcze żadnego zapisu. +LinkHasBeenDisabledForPerformancePurpose=For performance purpose, direct link to the document is not shown after the 100th line. + +## logTypes +logBILL_DELETE=Faktura klienta została logicznie usunięta +logBILL_PAYED=Zapłacono fakturę klienta +logBILL_SENTBYMAIL=Fakturę dla klienta wysyłamy pocztą +logBILL_UNPAYED=Faktura klienta ustawiona jako niezapłacona +logBILL_VALIDATE=Faktura klienta zatwierdzona +logCASHCONTROL_VALIDATE=Rejestracja zamknięcia kasy +logDOC_DOWNLOAD=Pobieranie zweryfikowanego dokumentu w kolejności do wydrukowania lub wysłania +logDOC_PREVIEW=Podgląd zweryfikowanego dokumentu w w kolejności do wydrukowania lub pobrania +logDONATION_PAYMENT_CREATE=Utworzono płatność darowizny +logDONATION_PAYMENT_DELETE=Logiczne usunięcie wpłaty darowizny +logDON_DELETE=Logiczne usunięcie darowizny +logDON_MODIFY=Darowizna zmodyfikowana +logDON_VALIDATE=Darowizna została zatwierdzona +logMEMBER_SUBSCRIPTION_CREATE=Utworzono subskrypcję członka +logMEMBER_SUBSCRIPTION_DELETE=Logiczne usunięcie subskrypcji członka +logMEMBER_SUBSCRIPTION_MODIFY=Subskrypcja członka zmodyfikowana +logMODULE_RESET=Moduł BlockedLog został wyłączony +logMODULE_SET=Moduł BlockedLog został włączony +logPAYMENT_ADD_TO_BANK=Płatność została dodana do banku +logPAYMENT_CUSTOMER_CREATE=Utworzono płatność klienta +logPAYMENT_CUSTOMER_DELETE=Logiczne usunięcie płatności klienta +logPAYMENT_VARIOUS_CREATE=Utworzono płatność (nieprzypisaną do faktury) +logPAYMENT_VARIOUS_DELETE=Logiczne usunięcie płatności (nie przypisanej do faktury) +logPAYMENT_VARIOUS_MODIFY=Zmieniono płatność (nie przypisaną do faktury) diff --git a/htdocs/langs/pl_PL/boxes.lang b/htdocs/langs/pl_PL/boxes.lang index a59062bc354..374a6fed4be 100644 --- a/htdocs/langs/pl_PL/boxes.lang +++ b/htdocs/langs/pl_PL/boxes.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - boxes BoxDolibarrStateBoard=Statystyki dotyczące głównych obiektów biznesowych w bazie danych -BoxLoginInformation=dane logowania +BoxLoginInformation=Dane użytkownika BoxLastRssInfos=Informacje RSS BoxLastProducts=Najnowsze %s Produkty / usługi BoxProductsAlertStock=Alarm zapasu dla artykułów @@ -23,8 +23,8 @@ BoxLastMembersSubscriptions=Najnowsze subskrypcje członków BoxFicheInter=Ostatnie interwencje BoxCurrentAccounts=Otwórz bilans konta BoxTitleMemberNextBirthdays=Urodziny w tym miesiącu (członkowie) -BoxTitleMembersByType=Members by type and status -BoxTitleMembersByTags=Members by tags and status +BoxTitleMembersByType=Członkowie według typu i statusu +BoxTitleMembersByTags=Członkowie według tagów i statusu BoxTitleMembersSubscriptionsByYear=Subskrypcje członków według roku BoxTitleLastRssInfos=Ostatnie %s wiadomości z %s BoxTitleLastProducts=Produkty / usługi: ostatnio zmodyfikowano %s @@ -43,16 +43,16 @@ BoxTitleOldestUnpaidSupplierBills=Faktury od dostawców: najstarsze %s niezapła BoxTitleCurrentAccounts=Otwarte konta: salda BoxTitleSupplierOrdersAwaitingReception=Zamówienia dostawców oczekujące na przyjęcie BoxTitleLastModifiedContacts=Kontakty / adresy: ostatnio zmodyfikowano %s -BoxMyLastBookmarks=Zakładki: najnowsze %s +BoxMyLastBookmarks=Zakładki: ostatnie %s BoxOldestExpiredServices=Najstarsze aktywne przeterminowane usługi -BoxOldestActions=Oldest events to do +BoxOldestActions=Najstarsze wydarzenia do zrobienia BoxLastExpiredServices=Ostanich %s najstarszych kontaktów z aktywnymi upływającymi usługami BoxTitleLastActionsToDo=Ostatnich %s zadań do zrobienia -BoxTitleOldestActionsToDo=Oldest %s events to do, not completed -BoxTitleFutureActions=The next %s upcoming events -BoxTitleLastContracts=Najnowsze %s kontrakty, które zostały zmodyfikowane -BoxTitleLastModifiedDonations=Najnowsze %s darowizny, które zostały zmodyfikowane -BoxTitleLastModifiedExpenses=Najnowsze %s rozliczenia wydatków, które zostały zmodyfikowane +BoxTitleOldestActionsToDo=Najstarsze %s zdarzenia do wykonania, nieukończone +BoxTitleFutureActions=Następne %s nadchodzące wydarzenia +BoxTitleLastContracts=%s ostatnio zmodyfikowanych umów +BoxTitleLastModifiedDonations=%s ostatnio zmodyfikowanych darowizn +BoxTitleLastModifiedExpenses=%s ostatnio zmodyfikowanych wydatków BoxTitleLatestModifiedBoms=Najnowsze %s zestawienia materiałów, które zostały zmodyfikowane BoxTitleLatestModifiedMos=Najnowsze %s Zamówienia produkcyjne, które zostały zmodyfikowane BoxTitleLastOutstandingBillReached=Klienci z maksymalną zaległością przekroczeni @@ -63,7 +63,7 @@ BoxScheduledJobs=Zaplanowane zadania BoxTitleFunnelOfProspection=Lejek ołowiu FailedToRefreshDataInfoNotUpToDate=Nie udało się odświeżyć strumienia RSS. Data ostatniego pomyślnego odświeżenia: %s LastRefreshDate=Data ostatniego odświeżenia -NoRecordedBookmarks=Brak zdefiniowanych zakładek +NoRecordedBookmarks=Nie zdefiniowano zakładek. ClickToAdd=Kliknij tutaj, aby dodać. NoRecordedCustomers=Brak zarejestrowanych klientów NoRecordedContacts=Brak zapisanych kontaktów @@ -75,7 +75,7 @@ NoUnpaidCustomerBills=Brak niezapłaconych faktur klientów NoUnpaidSupplierBills=Brak niezapłaconych faktur od dostawców NoModifiedSupplierBills=Brak zarejestrowanych faktur od dostawców NoRecordedProducts=Brak zarejestrowanych produktów / usług -NoRecordedProspects=Brak potencjalnyc klientów +NoRecordedProspects=Brak potencjalnych klientów NoContractedProducts=Brak produktów/usług zakontraktowanych NoRecordedContracts=Brak zarejestrowanych kontraktów NoRecordedInterventions=Brak zapisanych interwencji @@ -112,35 +112,35 @@ BoxTitleSuspenseAccount=Liczba nieprzydzielonych linii NumberOfLinesInSuspenseAccount=Liczba linii na koncie przejściowym SuspenseAccountNotDefined=Konto przejściowe nie jest zdefiniowane BoxLastCustomerShipments=Ostatnie przesyłki klientów -BoxTitleLastCustomerShipments=Najnowsze przesyłki klientów %s +BoxTitleLastCustomerShipments=Najnowsze %s przesyłek klientów BoxTitleLastLeaveRequests=Ostatnie %s modyfikowanych wniosków urlopowych NoRecordedShipments=Brak zarejestrowanych przesyłek klientów -BoxCustomersOutstandingBillReached=Osiągnięto imponujący limit klientów +BoxCustomersOutstandingBillReached=Klienci z osiągniętym zaległym limitem # Pages UsersHome=Użytkownicy domowi i grupy MembersHome=Członkostwo domowe ThirdpartiesHome=Strona główna Osoby trzecie -productindex=Home products and services -mrpindex=Home MRP -commercialindex=Home commercial -projectsindex=Home projects -invoiceindex=Home invoices -hrmindex=Home invoices +productindex=Domowe produkty i usługi +mrpindex=Strona główna +commercialindex=Reklama domowa +projectsindex=Projekty domów +invoiceindex=Faktury domowe +hrmindex=Faktury domowe TicketsHome=Home Bilety -stockindex=Home stocks -sendingindex=Home shippings -receptionindex=Home receivings -activityindex=Home activity -proposalindex=Home proposal -ordersindex=Home sale orders -orderssuppliersindex=Home purchase orders -contractindex=Home contracts -interventionindex=Home interventions -suppliersproposalsindex=Home suppliers proposals -donationindex=Home donations -specialexpensesindex=Home specials expenses -expensereportindex=Home expensereport -mailingindex=Home mailing -opensurveyindex=Home opensurvey +stockindex=Zapasy domowe +sendingindex=Przesyłki do domu +receptionindex=Przyjęcia domowe +activityindex=Aktywność domowa +proposalindex=Propozycja domu +ordersindex=Zamówienia sprzedaży domu +orderssuppliersindex=Zamówienia na zakup domu +contractindex=Umowy domowe +interventionindex=Interwencje domowe +suppliersproposalsindex=Propozycje dostawców domowych +donationindex=Darowizny domowe +specialexpensesindex=Specjalne wydatki na dom +expensereportindex=Raport wydatków domowych +mailingindex=Poczta domowa +opensurveyindex=Strona główna otwarta ankieta AccountancyHome=Księgowość domowa ValidatedProjects=Zatwierdzone projekty diff --git a/htdocs/langs/pl_PL/cashdesk.lang b/htdocs/langs/pl_PL/cashdesk.lang index d4c142707e4..8902798b565 100644 --- a/htdocs/langs/pl_PL/cashdesk.lang +++ b/htdocs/langs/pl_PL/cashdesk.lang @@ -35,23 +35,23 @@ UserNeedPermissionToEditStockToUsePos=Prosisz o zmniejszenie zapasów przy tworz DolibarrReceiptPrinter=Drukarka fiskalna Dolibarr PointOfSale=Punkt sprzedaży PointOfSaleShort=POS -CloseBill=Zamknij Bill +CloseBill=Zamknij rachunek Floors=Podłogi Floor=Podłoga AddTable=Dodaj tabelę Place=Miejsce TakeposConnectorNecesary=Wymagane jest „złącze TakePOS” OrderPrinters=Dodaj przycisk, aby wysłać zamówienie do wybranych drukarek, z pominięciem drukarki opłat (np. aby wysłać zamówienie do kuchni) -NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser +NotAvailableWithBrowserPrinter=Niedostępne, gdy drukarka paragonów jest ustawiona na przeglądarkę SearchProduct=Wyszukaj produkt Receipt=Odbiór -Header=nagłówek +Header=Nagłówek Footer=Stopka AmountAtEndOfPeriod=Kwota na koniec okresu (dzień, miesiąc lub rok) -TheoricalAmount=Kwota teoretyczna +TheoricalAmount=Teoretyczna ilość RealAmount=Prawdziwa kwota -CashFence=Cash box closing -CashFenceDone=Cash box closing done for the period +CashFence=Zamknięcie kasy +CashFenceDone=Zamknięcie kasy dokonane za dany okres NbOfInvoices=Ilość faktur Paymentnumpad=Typ podkładki do wprowadzenia płatności Numberspad=Numbers Pad @@ -76,12 +76,12 @@ TerminalSelect=Wybierz terminal, którego chcesz użyć: POSTicket=Bilet POS POSTerminal=Terminal POS POSModule=Moduł POS -BasicPhoneLayout=Użyj podstawowego układu dla telefonów +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Konfiguracja terminala %s nie została zakończona DirectPayment=Płatność bezpośrednia DirectPaymentButton=Dodaj przycisk „Bezpośrednia płatność gotówkowa” -InvoiceIsAlreadyValidated=Faktura jest już zweryfikowana -NoLinesToBill=Brak linii do rozliczenia +InvoiceIsAlreadyValidated=Faktura jest już zatwierdzona +NoLinesToBill=Nie ma pozycji do rozliczenia CustomReceipt=Odbiór niestandardowy ReceiptName=Nazwa paragonu ProductSupplements=Zarządzaj zamiennikami produktów @@ -92,25 +92,25 @@ HeadBar=Head Bar SortProductField=Pole do sortowania produktów Browser=Przeglądarka BrowserMethodDescription=Proste i łatwe drukowanie paragonów. Tylko kilka parametrów do skonfigurowania paragonu. Drukuj przez przeglądarkę. -TakeposConnectorMethodDescription=Moduł zewnętrzny z dodatkowymi funkcjami. Możliwość drukowania z chmury. +TakeposConnectorMethodDescription=Moduł zewnętrzny z dodatkowymi funkcjami. Możliwość druku z chmury. PrintMethod=Metoda drukowania ReceiptPrinterMethodDescription=Wydajna metoda z wieloma parametrami. W pełni konfigurowalna za pomocą szablonów. Serwer obsługujący aplikację nie może znajdować się w chmurze (musi mieć dostęp do drukarek w Twojej lokalnej sieci). ByTerminal=Terminalem TakeposNumpadUsePaymentIcon=Użyj ikony zamiast tekstu na przyciskach płatności na klawiaturze numerycznej CashDeskRefNumberingModules=Moduł numeracji dla sprzedaży POS CashDeskGenericMaskCodes6 =
      {TN} służy do dodania numeru terminala -TakeposGroupSameProduct=Grupuj te same linie produktów +TakeposGroupSameProduct=Łącz pozycje takich samych produktów StartAParallelSale=Rozpocznij nową sprzedaż równoległą SaleStartedAt=Sprzedaż rozpoczęła się od %s -ControlCashOpening=Open the "Control cash box" popup when opening the POS -CloseCashFence=Close cash box control +ControlCashOpening=Otwórz wyskakujące okienko „Kontrola kasy” podczas otwierania punktu sprzedaży +CloseCashFence=Zamknij kontrolę kasy CashReport=Raport kasowy MainPrinterToUse=Główna drukarka do użycia OrderPrinterToUse=Zamów drukarkę do użytku MainTemplateToUse=Główny szablon do użycia OrderTemplateToUse=Zamów szablon do użycia BarRestaurant=Bar Restauracja -AutoOrder=Zamów przez samego klienta +AutoOrder=Zamówione samodzielnie przez klienta RestaurantMenu=Menu CustomerMenu=Menu klienta ScanToMenu=Zeskanuj kod QR, aby zobaczyć menu @@ -118,7 +118,7 @@ ScanToOrder=Zeskanuj kod QR, aby zamówić Appearance=Wygląd HideCategoryImages=Ukryj obrazy kategorii HideProductImages=Ukryj zdjęcia produktów -NumberOfLinesToShow=Liczba wierszy obrazów do pokazania +NumberOfLinesToShow=Maksymalna liczba wierszy tekstu wyświetlanych na obrazach kciukowych DefineTablePlan=Zdefiniuj plan tabel GiftReceiptButton=Dodaj przycisk „Potwierdzenie prezentu” GiftReceipt=Odbiór prezentu @@ -128,20 +128,28 @@ PrintPaymentMethodOnReceipts=Wydrukuj metodę płatności na biletach | paragona WeighingScale=Skalę ważenia ShowPriceHT = Wyświetl kolumnę z ceną bez podatku (na ekranie) ShowPriceHTOnReceipt = Wyświetl kolumnę z ceną bez podatku (na paragonie) -CustomerDisplay=Customer display -SplitSale=Split sale -PrintWithoutDetailsButton=Add "Print without details" button -PrintWithoutDetailsLabelDefault=Line label by default on printing without details -PrintWithoutDetails=Print without details -YearNotDefined=Year is not defined -TakeposBarcodeRuleToInsertProduct=Barcode rule to insert product -TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      -AlreadyPrinted=Already printed -HideCategories=Hide categories -HideStockOnLine=Hide stock on line -ShowOnlyProductInStock=Show the products in stock -ShowCategoryDescription=Show category description -ShowProductReference=Show reference of products -UsePriceHT=Use price excl. taxes and not price incl. taxes +CustomerDisplay=Wyświetlacz klienta +SplitSale=Sprzedaż dzielona +PrintWithoutDetailsButton=Dodaj przycisk „Drukuj bez szczegółów”. +PrintWithoutDetailsLabelDefault=Etykieta liniowa domyślnie przy drukowaniu bez szczegółów +PrintWithoutDetails=Drukuj bez szczegółów +YearNotDefined=Rok nie jest określony +TakeposBarcodeRuleToInsertProduct=Reguła kodu kreskowego do wstawienia produktu +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Już wydrukowane +HideCategories=Ukryj całą sekcję wyboru kategorii +HideStockOnLine=Ukryj zapasy w Internecie +ShowOnlyProductInStock=Pokaż tylko dostępne w magazynie produkty +ShowCategoryDescription=Show categories description +ShowProductReference=Pokaż odniesienie lub etykietę produktów +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price TerminalName=Terminal %s -TerminalNameDesc=Terminal name +TerminalNameDesc=Nazwa terminala +DefaultPOSThirdLabel=Ogólny klient TakePOS +DefaultPOSCatLabel=Produkty w punktach sprzedaży (POS). +DefaultPOSProductLabel=Przykład produktu dla TakePOS +TakeposNeedsPayment=TakePOS potrzebuje metody płatności do działania. Czy chcesz utworzyć metodę płatności „Gotówka”? +LineDiscount=Rabat na linię +LineDiscountShort=Płyta liniowa. +InvoiceDiscount=Rabat na fakturze +InvoiceDiscountShort=Płyta z fakturą. diff --git a/htdocs/langs/pl_PL/categories.lang b/htdocs/langs/pl_PL/categories.lang index a54f1b7ad86..e5fa8de262f 100644 --- a/htdocs/langs/pl_PL/categories.lang +++ b/htdocs/langs/pl_PL/categories.lang @@ -12,7 +12,7 @@ CategoriesArea=Tagi / obszar Kategorie ProductsCategoriesArea=Obszar tagów/kategorii dla produktów/usług SuppliersCategoriesArea=Obszar tagów/kategorii dostawców CustomersCategoriesArea=Obszar tagów/kategorii klientów -MembersCategoriesArea=Obszar znaczników/kategorii członków +MembersCategoriesArea=Obszar tagów/kategorii członków ContactsCategoriesArea=Obszar tagów/kategorii kontaktów AccountsCategoriesArea=Obszar tagów/kategorii kont bankowych ProjectsCategoriesArea=Obszar tagów/kategorii projektów @@ -42,8 +42,8 @@ MemberHasNoCategory=Ten członek nie jest w żadnym tagu/kategorii ContactHasNoCategory=Ten kontakt nie jest w żadnym z tagów / kategorii ProjectHasNoCategory=Ten projekt nie należy do żadnego tagu / kategorii ClassifyInCategory=Dodaj do tagu/kategorii -RemoveCategory=Remove category -NotCategorized=Bez znaczników / kategorii +RemoveCategory=Usuń kategorię +NotCategorized=Bez tagów / kategorii CategoryExistsAtSameLevel=Ta kategoria już istnieje w tym samym miejscu ContentsVisibleByAllShort=Zawartość widoczna przez wszystkich ContentsNotVisibleByAllShort=Treść nie jest widoczna dla wszystkich @@ -51,7 +51,7 @@ DeleteCategory=Usuń tag/kategorię ConfirmDeleteCategory=Czy jesteś pewien, że chcesz usunąć ten tag/kategorię? NoCategoriesDefined=Nie zdefiniowano tagu/kategorii SuppliersCategoryShort=Tag / kategoria dostawcy -CustomersCategoryShort=Tag/kategoria klientów +CustomersCategoryShort=Tag/kategoria klienta ProductsCategoryShort=Tag/kategoria produktu MembersCategoryShort=Tag/kategoria członków SuppliersCategoriesShort=Tagi / kategorie dostawców @@ -63,12 +63,12 @@ MembersCategoriesShort=Użytkownicy tagów / kategorii ContactCategoriesShort=Kontakt tagów / kategorii AccountsCategoriesShort=Tagi / kategorie kont ProjectsCategoriesShort=Tagi / kategorie projektów -UsersCategoriesShort=Znaczniki/kategorie użytkowników +UsersCategoriesShort=Tagi / kategorie użytkowników StockCategoriesShort=Tagi / kategorie magazynowe ThisCategoryHasNoItems=Ta kategoria nie zawiera żadnych przedmiotów. CategId=Tag / ID kategorii ParentCategory=Tag / kategoria nadrzędna -ParentCategoryID=ID of parent tag/category +ParentCategoryID=Identyfikator tagu/kategorii nadrzędnej ParentCategoryLabel=Etykieta tagu / kategorii nadrzędnej CatSupList=Lista tagów / kategorii dostawców CatCusList=Lista tagów / kategorii klientów / potencjalnych klientów @@ -88,18 +88,19 @@ DeleteFromCat=Usuń z tagów/kategorii ExtraFieldsCategories=Atrybuty uzupełniające CategoriesSetup=Tagi / kategorie Konfiguracja CategorieRecursiv=Związek z dominującą tag / kategorii automatycznie -CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. -AddProductServiceIntoCategory=Assign category to the product/service +CategorieRecursivHelp=Jeśli opcja jest włączona, po dodaniu obiektu do podkategorii obiekt zostanie również dodany do kategorii nadrzędnych. +AddProductServiceIntoCategory=Przypisz kategorię do produktu/usługi AddCustomerIntoCategory=Przypisz kategorię do klienta AddSupplierIntoCategory=Przypisz kategorię do dostawcy -AssignCategoryTo=Assign category to +AssignCategoryTo=Przypisz kategorię do ShowCategory=Pokaż tag / kategoria ByDefaultInList=Domyśłnie na liście ChooseCategory=Wybrane kategorie -StocksCategoriesArea=Kategorie magazynów -TicketsCategoriesArea=Tickets Categories +StocksCategoriesArea=Kategorie magazynu +TicketsCategoriesArea=Kategorie biletów ActionCommCategoriesArea=Kategorie zdarzeń WebsitePagesCategoriesArea=Kategorie kontenerów stron -KnowledgemanagementsCategoriesArea=KM article Categories +KnowledgemanagementsCategoriesArea=Kategorie artykułów KM UseOrOperatorForCategories=Użyj operatora „OR” dla kategorii -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Przypisz do kategorii +Position=Pozycja diff --git a/htdocs/langs/pl_PL/commercial.lang b/htdocs/langs/pl_PL/commercial.lang index d3be598e3bd..0aec7ae53c4 100644 --- a/htdocs/langs/pl_PL/commercial.lang +++ b/htdocs/langs/pl_PL/commercial.lang @@ -3,7 +3,7 @@ Commercial=Handel CommercialArea=Strefa handlu Customer=Klient Customers=Klienci -Prospect=Widok +Prospect=Potencjalny klient Prospects=Potencjalni klienci DeleteAction=Usuń wydarzenie NewAction=Nowe zdarzenie @@ -11,8 +11,8 @@ AddAction=Utwórz wydarzenie AddAnAction=Utwórz wydarzenie AddActionRendezVous=Stwórz umówione spotkanie ConfirmDeleteAction=Czy jesteś pewien, że chcesz usunąć to wydarzenie? -CardAction=Karta wydarzenia -ActionOnCompany=Powiązane firmy +CardAction=Karta zdarzenia +ActionOnCompany=Powiązana firma ActionOnContact=Powiązany kontakt TaskRDVWith=Spotkanie z %s ShowTask=Pokaż zadanie @@ -27,7 +27,7 @@ SalesRepresentativeSignature=Przedstawiciel handlowy (podpis) NoSalesRepresentativeAffected=Brak informacji o przypisanych przedstawicielach handlowych ShowCustomer=Pokaż klienta ShowProspect=Pokaż potencjalnych -ListOfProspects=Lista potencjalnych +ListOfProspects=Lista potencjalnych klientów ListOfCustomers=Lista klientów LastDoneTasks=Ostatnie %s zakończone akcje LastActionsToDo=Najstarsze %s niezakończone akcje @@ -65,8 +65,8 @@ ActionAC_SUP_ORD=Wyślij zamówienie zakupowe mailem ActionAC_SUP_INV=Wyślij fakturę dostawcy mailem ActionAC_OTH=Inny ActionAC_OTH_AUTO=Inne auto -ActionAC_MANUAL=Events inserted manually (by a user) -ActionAC_AUTO=Events inserted automatically +ActionAC_MANUAL=Zdarzenia wstawiane ręcznie (przez użytkownika) +ActionAC_AUTO=Zdarzenia wstawione automatycznie ActionAC_OTH_AUTOShort=Inne ActionAC_EVENTORGANIZATION=Wydarzenia związane z organizacją imprez Stats=Statystyka sprzedaży @@ -74,16 +74,20 @@ StatusProsp=Stan oferty DraftPropals=Szkic oferty handlowej NoLimit=Bez limitu ToOfferALinkForOnlineSignature=Link dla podpisu online -WelcomeOnOnlineSignaturePageProposal=Welcome to the page to accept commercial proposals from %s -WelcomeOnOnlineSignaturePageContract=Welcome to %s Contract PDF Signing Page -WelcomeOnOnlineSignaturePageFichinter=Welcome to %s Intervention PDF Signing Page -ThisScreenAllowsYouToSignDocFromProposal=This screen allow you to accept and sign, or refuse, a quote/commercial proposal -ThisScreenAllowsYouToSignDocFromContract=This screen allow you to sign contract on PDF format online. -ThisScreenAllowsYouToSignDocFromFichinter=This screen allow you to sign intervention on PDF format online. +WelcomeOnOnlineSignaturePageProposal=Witamy na stronie, na której można akceptować oferty handlowe od %s +WelcomeOnOnlineSignaturePageContract=Witamy na %s stronie podpisywania umowy w formacie PDF +WelcomeOnOnlineSignaturePageFichinter=Witamy na %s stronie interwencyjnego podpisywania plików PDF +WelcomeOnOnlineSignaturePageSociete_rib=Witamy na stronie %s mandatu SEPA na stronie podpisywania plików PDF +ThisScreenAllowsYouToSignDocFromProposal=Na tym ekranie możesz zaakceptować i podpisać lub odrzucić wycenę/propozycję handlową +ThisScreenAllowsYouToSignDocFromContract=Na tym ekranie możesz podpisać umowę w formacie PDF online. +ThisScreenAllowsYouToSignDocFromFichinter=Na tym ekranie możesz podpisać interwencję w formacie PDF online. +ThisScreenAllowsYouToSignDocFromSociete_rib=Na tym ekranie możesz podpisać mandat SEPA w formacie PDF online. ThisIsInformationOnDocumentToSignProposal=To jest informacja na dokumencie do zaakceptowania lub odrzucenia -ThisIsInformationOnDocumentToSignContract=This is information on contract to sign -ThisIsInformationOnDocumentToSignFichinter=This is information on intervention to sign +ThisIsInformationOnDocumentToSignContract=To informacja na umowie do podpisania +ThisIsInformationOnDocumentToSignFichinter=Jest to informacja dotycząca interwencji do podpisania +ThisIsInformationOnDocumentToSignSociete_rib=To jest informacja dotycząca Mandatu SEPA do podpisania SignatureProposalRef=Podpis oferty / oferty handlowej %s -SignatureContractRef=Signature of contract %s -SignatureFichinterRef=Signature of intervention %s +SignatureContractRef=Podpis umowy %s +SignatureFichinterRef=Podpis interwencji %s +SignatureSociete_ribRef=Podpis upoważnienia SEPA %s FeatureOnlineSignDisabled=Funkcjonalność podpisu online wyłączona lub dokument wygenerowano przed włączeniem tej funkcji diff --git a/htdocs/langs/pl_PL/companies.lang b/htdocs/langs/pl_PL/companies.lang index c55e1f33e4a..59b2b6a4b91 100644 --- a/htdocs/langs/pl_PL/companies.lang +++ b/htdocs/langs/pl_PL/companies.lang @@ -1,5 +1,7 @@ # Dolibarr language file - Source file is en_US - companies -ErrorCompanyNameAlreadyExists=Nazwa firmy %s już istnieje. Wybierz inną. +newSocieteAdded=Twoje dane kontaktowe zostały zapisane. Wkrótce do Ciebie wrócimy... +ContactUsDesc=Formularz ten pozwala na przesłanie nam wiadomości w celu pierwszego kontaktu. +ErrorCompanyNameAlreadyExists=Taka nazwa firmy %s już istnieje. Wybierz inną. ErrorSetACountryFirst=Najpierw wybierz kraj SelectThirdParty=Wybierz kontrahenta ConfirmDeleteCompany=Czy na pewno chcesz usunąć tę firmę i wszystkie powiązane z nią informacje? @@ -7,8 +9,8 @@ DeleteContact=Usuń kontakt/adres ConfirmDeleteContact=Czy na pewno chcesz usunąć ten kontakt i wszystkie powiązane z nim informacje? MenuNewThirdParty=Nowy kontrahent MenuNewCustomer=Nowy klient -MenuNewProspect=Nowy prospekt -MenuNewSupplier=Nowy sprzedawca +MenuNewProspect=Nowy potencjalny klient +MenuNewSupplier=Nowy dostawca MenuNewPrivateIndividual=Nowa osoba prywatna NewCompany=Nowa firma (potencjalny klient, klient, sprzedawca) NewThirdParty=Nowy kontrahent (potencjalny klient, klient, sprzedawca) @@ -39,20 +41,20 @@ ThirdPartyCustomers=Klienci ThirdPartyCustomersStats=Klienci ThirdPartyCustomersWithIdProf12=Klienci z %s lub %s ThirdPartySuppliers=Dostawcy -ThirdPartyType=Typ kontahenta +ThirdPartyType=Typ kontrahenta Individual=Osoba prywatna -ToCreateContactWithSameName=Automatycznie utworzy kontakt / adres z tymi samymi informacjami, co strona trzecia w ramach strony trzeciej. W większości przypadków, nawet jeśli Twoja strona trzecia jest osobą fizyczną, wystarczy utworzyć osobę trzecią. +ToCreateContactWithSameName=Automatycznie utworzy kontakt / adres z tymi samymi informacjami, co dane kontrahenta, pod tym kontrahentem. W większości przypadków, nawet jeśli Twoja kontrahent jest osobą fizyczną, wystarczy utworzyć kontrahenta. ParentCompany=Firma macierzysta Subsidiaries=Oddziały ReportByMonth=Raport po miesiącu ReportByCustomers=Raport po kliencie -ReportByThirdparties=Raport po kontrahencie +ReportByThirdparties=Raport dla strony trzeciej ReportByQuarter=Raport po stawce CivilityCode=Zwrot grzecznościowy RegisteredOffice=Siedziba Lastname=Nazwisko Firstname=Imię -RefEmployee=Employee reference +RefEmployee=Referencje pracownika NationalRegistrationNumber=Krajowy numer rejestracyjny PostOrFunction=Stanowisko UserTitle=Tytuł @@ -73,7 +75,7 @@ PhoneShort=Telefon Skype=Skype Call=Zadzwoń Chat=Czat -PhonePro=Autobus. telefon +PhonePro=Telefon stacjonarny PhonePerso=Telefon prywatny PhoneMobile=Telefon komórkowy No_Email=Odrzuć masowe wysyłanie e-maili @@ -83,12 +85,12 @@ Town=Miasto Web=Strona www Poste= Stanowisko DefaultLang=Domyślny język -VATIsUsed=Zastosowany podatek od sprzedaży -VATIsUsedWhenSelling=This defines if this third party includes a sales tax or not when it makes an invoice to its own customers +VATIsUsed=Stosowanie podatku od sprzedaży +VATIsUsedWhenSelling=Ta opcja określa czy ten kontrahent stosuje podatek VAT od sprzedaży kiedy wystawia faktury swoim klientom VATIsNotUsed=Nie jest płatnikiem VAT -VATReverseCharge=VAT reverse-charge -VATReverseChargeByDefault=VAT reverse-charge by default -VATReverseChargeByDefaultDesc=On supplier invoice, VAT reverse-charge is used by default +VATReverseCharge=Odwrotne obciążenie VAT +VATReverseChargeByDefault=Domyślne odwrotne obciążenie podatkiem VAT +VATReverseChargeByDefaultDesc=Na fakturze dostawcy domyślnie stosowane jest odwrotne obciążenie VAT CopyAddressFromSoc=Skopiuj adres ze szczegółów kontrahenta ThirdpartyNotCustomerNotSupplierSoNoRef=Osoba trzecia ani klient, ani sprzedawca, brak dostępnych obiektów odsyłających ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Strona trzecia ani klient, ani sprzedawca, rabaty nie są dostępne @@ -109,7 +111,7 @@ WrongSupplierCode=Nieprawidłowy kod dostawcy CustomerCodeModel=Model kodu Klienta SupplierCodeModel=Model kodu dostawcy Gencod=Kod kreskowy -GencodBuyPrice=Barcode of price ref +GencodBuyPrice=Kod kreskowy ceny ref ##### Professional ID ##### ProfId1Short=Prof ID 1 ProfId2Short=Prof ID 2 @@ -117,12 +119,20 @@ ProfId3Short=Prof ID 3 ProfId4Short=Prof ID 4 ProfId5Short=Prof ID 5 ProfId6Short=Prof. id 6 +ProfId7Short=Prof. id 7 +ProfId8Short=Prof. id 8 +ProfId9Short=Prof. id 9 +ProfId10Short=Prof. id 10 ProfId1=Profesjonalne ID 1 ProfId2=Profesjonalne ID 2 ProfId3=Profesjonalne ID 3 ProfId4=Profesjonalne ID 4 -ProfId5=Profesjonalny ID 5 -ProfId6=Professional ID 6 +ProfId5=Profesjonalne ID 5 +ProfId6=Profesjonalne ID 6 +ProfId7=Profesjonalne ID 7 +ProfId8=Profesjonalne ID 8 +ProfId9=Profesjonalne ID 9 +ProfId10=Profesjonalne ID 10 ProfId1AR=Prof ID 1 (CUIL) ProfId2AR=Prof ID 2 (dochód brutto) ProfId3AR=- @@ -165,16 +175,16 @@ ProfId3CL=- ProfId4CL=- ProfId5CL=- ProfId6CL=- -ProfId1CM=Id. prof. 1 (Trade Register) -ProfId2CM=Id. prof. 2 (Taxpayer No.) -ProfId3CM=Id. prof. 3 (No. of Creation decree) -ProfId4CM=Id. prof. 4 (No. of Deposit certificate) -ProfId5CM=Id. prof. 5 (Others) +ProfId1CM=ID. prof. 1 (Rejestr Handlowy) +ProfId2CM=ID. prof. 2 (nr podatnika) +ProfId3CM=ID. prof. 3 (nr dekretu o stworzeniu) +ProfId4CM=ID. prof. 4 (nr świadectwa depozytowego) +ProfId5CM=ID. prof. 5 (Inne) ProfId6CM=- ProfId1ShortCM=Rejestr handlowy -ProfId2ShortCM=Taxpayer No. -ProfId3ShortCM=No. of Creation decree -ProfId4ShortCM=No. of Deposit certificate +ProfId2ShortCM=Numer podatnika +ProfId3ShortCM=Nr dekretu o stworzeniu +ProfId4ShortCM=Nr świadectwa depozytowego ProfId5ShortCM=Inne ProfId6ShortCM=- ProfId1CO=Prof Id 1 (RUT) @@ -201,12 +211,20 @@ ProfId3FR=Prof Id 3 (NAF, stare APE) ProfId4FR=Prof Id 4 (RCS / RM) ProfId5FR=Prof Id 5 (numéro EORI) ProfId6FR=- +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- ProfId1ShortFR=SIREN ProfId2ShortFR=SIRET ProfId3ShortFR=NAF ProfId4ShortFR=RCS ProfId5ShortFR=EORI ProfId6ShortFR=- +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- ProfId1GB=Numer rejestracyjny ProfId2GB=- ProfId3GB=SIC @@ -245,7 +263,7 @@ ProfId5MA=Id prof. 5 (I.C.E.) ProfId6MA=- ProfId1MX=Prof Id 1 (RFC). ProfId2MX=Prof Id 2 (R.. P. IMSS) -ProfId3MX=Prof Id 3 (Profesional Charter) +ProfId3MX=Prof Id 3 (Karta zawodowa) ProfId4MX=- ProfId5MX=- ProfId6MX=- @@ -291,12 +309,12 @@ ProfId3RU=Prof Id 3 (KPP) ProfId4RU=Prof Id 4 (Okpo) ProfId5RU=- ProfId6RU=- -ProfId1UA=Prof Id 1 (EDRPOU) -ProfId2UA=Prof Id 2 (DRFO) -ProfId3UA=Prof Id 3 (INN) -ProfId4UA=Prof Id 4 (Certificate) -ProfId5UA=Prof Id 5 (RNOKPP) -ProfId6UA=Prof Id 6 (TRDPAU) +ProfId1UA=Prof. Identyfikator 1 (EDRPOU) +ProfId2UA=Prof. Id 2 (DRFO) +ProfId3UA=Prof. Identyfikator 3 (INN) +ProfId4UA=Prof Id 4 (Certyfikat) +ProfId5UA=Profesor Id 5 (RNOKPP) +ProfId6UA=Prof. Id 6 (TRDPAU) ProfId1DZ=RC ProfId2DZ=Art. ProfId3DZ=NIF @@ -305,33 +323,33 @@ VATIntra=Nr NIP VATIntraShort=Nr NIP VATIntraSyntaxIsValid=Składnia jest poprawna VATReturn=Zwrot VAT -ProspectCustomer=Perspektywa/Klient -Prospect=Perspektywa +ProspectCustomer=Potencjalny klient / Klient +Prospect=Potencjalny klient CustomerCard=Karta Klienta Customer=Klient CustomerRelativeDiscount=Względny rabat klienta -SupplierRelativeDiscount=Względna zniżka sprzedawcy +SupplierRelativeDiscount=Rabat sprzedawcy CustomerRelativeDiscountShort=Względny rabat CustomerAbsoluteDiscountShort=Bezwzględny rabat CompanyHasRelativeDiscount=Ten klient ma standardowy rabat %s%% CompanyHasNoRelativeDiscount=Ten klient domyślnie nie posiada względnego rabatu -HasRelativeDiscountFromSupplier=You have a default discount of %s%% with this vendor -HasNoRelativeDiscountFromSupplier=No default relative discount with this vendor -CompanyHasAbsoluteDiscount=Ten klient ma dostępne rabaty (noty kredytowe lub zaliczki) dla %s %s +HasRelativeDiscountFromSupplier=Twój standardowy rabat u tego dostawcy to %s%% +HasNoRelativeDiscountFromSupplier=Nie masz przypisanego rabatu standardowego u tego dostawcy +CompanyHasAbsoluteDiscount=Ten klient ma dostępne zniżki (z korekt faktur lub zaliczek) dla %s %s CompanyHasDownPaymentOrCommercialDiscount=Ten klient ma dostępne rabaty (komercyjne, zaliczki) na %s %s CompanyHasCreditNote=Ten klient nadal posiada noty kredytowe dla %s %s -HasNoAbsoluteDiscountFromSupplier=No discount/credit available from this vendor +HasNoAbsoluteDiscountFromSupplier=Nie masz dostępnej zniżki, ani nadpłaty u tego dostawcy HasAbsoluteDiscountFromSupplier=Masz dostępne rabaty (noty kredytowe lub zaliczki) dla %s %s od tego dostawcy HasDownPaymentOrCommercialDiscountFromSupplier=Masz dostępne rabaty (komercyjne, zaliczki) dla %s %s od tego dostawcy HasCreditNoteFromSupplier=Masz noty kredytowe dla %s %s od tego dostawcy CompanyHasNoAbsoluteDiscount=Ten klient nie posiada punktów rabatowych -CustomerAbsoluteDiscountAllUsers=Bezwzględne rabaty dla klientów (udzielane przez wszystkich użytkowników) -CustomerAbsoluteDiscountMy=Absolutne rabaty dla klientów (przyznawane przez Ciebie) -SupplierAbsoluteDiscountAllUsers=Bezwzględne rabaty dostawców (wprowadzone przez wszystkich użytkowników) -SupplierAbsoluteDiscountMy=Absolutne rabaty dostawcy (wprowadzone przez Ciebie) +CustomerAbsoluteDiscountAllUsers=Zniżki dla klienta (udzielone przez wszystkich użytkowników) +CustomerAbsoluteDiscountMy=Zniżki dla klienta (udzielone przez Ciebie) +SupplierAbsoluteDiscountAllUsers=Zniżki od dostawcy (wprowadzone przez wszystkich użytkowników) +SupplierAbsoluteDiscountMy=Zniżki od dostawcy (wprowadzone przez Ciebie) DiscountNone=Żaden -Vendor=Sprzedawca -Supplier=Sprzedawca +Vendor=Dostawca +Supplier=Dostawca AddContact=Stwórz konktakt AddContactAddress=Stwórz kontakt/adres EditContact=Edytuj kontakt @@ -341,18 +359,18 @@ Contacts=Kontakty/adresy ContactId=Identyfikator kontaktu ContactsAddresses=Kontakty / Adresy FromContactName=Nazwa: -NoContactDefinedForThirdParty=Brak zdefiniowanych kontaktów dla tego kontrahenta +NoContactDefinedForThirdParty=Nie zdefiniowano kontaktów dla tego kontrahenta NoContactDefined=Brak zdefinowanych kontaktów DefaultContact=Domyślny kontakt/adres -ContactByDefaultFor=Domyślny kontakt / adres dla +ContactByDefaultFor=Domyślny kontakt / adres do AddThirdParty=Dodaj kontrahenta DeleteACompany=Usuń firmę PersonalInformations=Prywatne dane osobowe AccountancyCode=Konto księgowe CustomerCode=Kod klienta SupplierCode=Kod sprzedawcy -CustomerCodeShort=Numer klienta -SupplierCodeShort=Kod sprzedawcy +CustomerCodeShort=Nr klienta +SupplierCodeShort=Nr sprzedawcy CustomerCodeDesc=Kod klienta, unikalny dla wszystkich klientów SupplierCodeDesc=Kod dostawcy, unikalny dla wszystkich dostawców RequiredIfCustomer=Wymagane, jeżeli Kontrahent jest klientem lub potencjalnym klientem @@ -367,8 +385,8 @@ ListOfThirdParties=Lista kontrahentów ShowCompany=Kontahent ShowContact=Kontakt-Adres ContactsAllShort=Wszystkie (bez filtra) -ContactType=Contact role -ContactForOrders=Kontakt dla zamówienia +ContactType=Funkcja kontaktu +ContactForOrders=Kontakt do zamówień ContactForOrdersOrShipments=Kontakt do zamówień lub dostaw ContactForProposals=Kontakt dla oferty ContactForContracts=Kontakt dla kontraktu @@ -387,11 +405,11 @@ EditCompany=Edycja firmy ThisUserIsNot=Ten użytkownik nie jest potencjalnym klientem, klientem ani sprzedawcą VATIntraCheck=Sprawdź VATIntraCheckDesc=Identyfikator VAT musi zawierać prefiks kraju. Łącze %s korzysta z usługi europejskiego sprawdzania podatku VAT (VIES), która wymaga dostępu do Internetu z serwera Dolibarr. -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do?locale=pl +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation VATIntraCheckableOnEUSite=Sprawdź wewnątrzwspólnotowy identyfikator VAT na stronie internetowej Komisji Europejskiej -VATIntraManualCheck=You can also check manually on the European Commission website %s +VATIntraManualCheck=Można to również sprawdzić ręcznie na stronie internetowej Komisji Europejskiej %s ErrorVATCheckMS_UNAVAILABLE=Brak możliwości sprawdzenia. Usługa nie jest dostarczana dla wybranego regionu (%s). -NorProspectNorCustomer=Ani potencjalny klient, ani potencjalny klient +NorProspectNorCustomer=Ani potencjalny klient, ani klient JuridicalStatus=Typ podmiotu gospodarczego Workforce=Siła robocza Staff=Pracownicy @@ -402,7 +420,7 @@ ContactPublic=Udostępniane ContactVisibility=Widoczność ContactOthers=Inne OthersNotLinkedToThirdParty=Inni, nie połączeni z kontahentem -ProspectStatus=Satus potencjalnego klienta +ProspectStatus=Status potencjalnego klienta PL_NONE=Żaden PL_UNKNOWN=Nieznany PL_LOW=Niski @@ -419,12 +437,12 @@ TE_WHOLE=Hurtownik TE_PRIVATE=Osoba prywatna TE_OTHER=Inny StatusProspect-1=Nie kontaktować się -StatusProspect0=Kontak nie podjęty +StatusProspect0=Nie skontaktowano się StatusProspect1=Do kontaktu StatusProspect2=W trakcie kontaktu StatusProspect3=Skontaktowano ChangeDoNotContact=Zmień status na "Nie kontaktować się" -ChangeNeverContacted=Zmień status na "Kontak nie podjęty" +ChangeNeverContacted=Zmień status na "Nie skontaktowano się" ChangeToContact=Zmień status na "Do kontaktu" ChangeContactInProcess=Zmień status na "W trakcie kontaktu" ChangeContactDone=Zmień status na "Skontaktowano" @@ -440,7 +458,7 @@ ImportDataset_company_1=Kontrahenci i ich właściwości ImportDataset_company_2=Dodatkowe kontakty/adresy i atrybuty kontrahentów ImportDataset_company_3=Rachunki bankowe kontrahentów ImportDataset_company_4=Zewnętrzni przedstawiciele handlowi (przypisywanie przedstawicieli handlowych/użytkowników do firm) -PriceLevel=Poziom cen +PriceLevel=Poziom ceny PriceLevelLabels=Etykiety cenowe DeliveryAddress=Adres dostawy AddAddress=Dodaj adres @@ -448,7 +466,7 @@ SupplierCategory=Kategoria dostawcy JuridicalStatus200=Niezależny DeleteFile=Usuń plik ConfirmDeleteFile=Czy na pewno chcesz usunąć ten plik %s ? -AllocateCommercial=Przypisać do przedstawiciela +AllocateCommercial=Przypisany do przedstawiciela handlowego Organization=Organizacja FiscalYearInformation=Rok podatkowy FiscalMonthStart=Pierwszy miesiąc roku podatkowego @@ -462,7 +480,7 @@ SocialNetworksGithubURL=Github YouMustAssignUserMailFirst=Aby dodać powiadomienie e-mail, musisz utworzyć wiadomość e-mail dla tego użytkownika. YouMustCreateContactFirst=Żeby dodać powiadomienia email, najpierw musisz określić kontakty z poprawnymi adresami email dla kontrahentów ListSuppliersShort=Lista sprzedawców -ListProspectsShort=Lista perspektyw +ListProspectsShort=Lista potencjalnych klientów ListCustomersShort=Lista klientów ThirdPartiesArea=Kontrahenci/Kontakty LastModifiedThirdParties=Ostatnich %s kontrahentów, którzy zostali zmodyfikowani @@ -475,7 +493,7 @@ CurrentOutstandingBill=Biężący, niezapłacony rachunek OutstandingBill=Maksymalna kwota niezapłaconego rachunku OutstandingBillReached=Maksymalna kwota dla niespłaconych rachunków osiągnięta OrderMinAmount=Minimalna kwota dla zamówienia -MonkeyNumRefModelDesc=Zwróć liczbę w formacie %srrmm-nnnn dla kodu klienta i %srrmm-nnnn dla kodu dostawcy, gdzie rr to rok, mm to miesiąc, a nnnn to sekwencyjna liczba, zwiększana automatycznie, bez przerwy i bez powrotu do 0. +MonkeyNumRefModelDesc=Zwróć liczbę w formacie %syymm-nnnn dla kodu klienta i %syymm-nnnn dla kodu dostawcy, gdzie y oznacza rok, mm to miesiąc, a nnnn to sekwencyjna, automatycznie zwiększająca się liczba, bez przerwy i bez powrotu do 0. LeopardNumRefModelDesc=Dowolny kod Klienta / Dostawcy. Ten kod może być modyfikowany w dowolnym momencie. ManagingDirectors=Funkcja(e) managera (prezes, dyrektor generalny...) MergeOriginThirdparty=Duplikuj kontrahenta (kontrahenta, którego chcesz usunąć) @@ -500,11 +518,13 @@ InEEC=Europa (EEC) RestOfEurope=Reszta Europy (EWG) OutOfEurope=Poza Europą (EWG) CurrentOutstandingBillLate=Obecny zaległy rachunek spóźniony -BecarefullChangeThirdpartyBeforeAddProductToInvoice=Zachowaj ostrożność, w zależności od ustawień ceny produktu, przed dodaniem produktu do POS należy zmienić osobę trzecią. -EmailAlreadyExistsPleaseRewriteYourCompanyName=email already exists please rewrite your company name -TwoRecordsOfCompanyName=more than one record exists for this company, please contact us to complete your partnership request -CompanySection=Company section +BecarefullChangeThirdpartyBeforeAddProductToInvoice=Zachowaj ostrożność, w zależności od ustawień ceny produktu, przed dodaniem produktu do punktu sprzedaży powinieneś zmienić dostawcę. +EmailAlreadyExistsPleaseRewriteYourCompanyName=adres e-mail już istnieje. Proszę przepisać nazwę firmy +TwoRecordsOfCompanyName=dla tej firmy istnieje więcej niż jeden rekord, prosimy o kontakt w celu uzupełnienia wniosku o partnerstwo +CompanySection=Sekcja firmowa ShowSocialNetworks=Pokaż sieci społecznościowe HideSocialNetworks=Ukryj sieci społecznościowe -ExternalSystemID=External system ID -IDOfPaymentInAnExternalSystem=ID of the payment mode into an external system (like Stripe, Paypal, ...) +ExternalSystemID=Identyfikator systemu zewnętrznego +IDOfPaymentInAnExternalSystem=Identyfikator trybu płatności w systemie zewnętrznym (np. Stripe, Paypal, ...) +AADEWebserviceCredentials=Poświadczenia usługi internetowej AADE +ThirdPartyMustBeACustomerToCreateBANOnStripe=Osoba trzecia musi być klientem, aby umożliwić utworzenie informacji bankowych po stronie Stripe diff --git a/htdocs/langs/pl_PL/compta.lang b/htdocs/langs/pl_PL/compta.lang index 6680376b4cd..1c572b4d054 100644 --- a/htdocs/langs/pl_PL/compta.lang +++ b/htdocs/langs/pl_PL/compta.lang @@ -11,7 +11,7 @@ FeatureIsSupportedInInOutModeOnly=Funkcja dostępna tylko w KREDYTÓW-DŁUGI rac VATReportBuildWithOptionDefinedInModule=Kwoty wyświetlane tutaj są obliczane na zasadach określonych w konfiguracji moduly podatkowego LTReportBuildWithOptionDefinedInModule=Kwoty podane tutaj są obliczane na podstawie zasad określonych przez konfigurację firmy. Param=Konfiguracja -RemainingAmountPayment=Pozostała kwota płatności: +RemainingAmountPayment=Pozostała kwota do zapłacenia: Account=Konto Accountparent=Nadrzędne konto Accountsparent=Nadrzędne konta @@ -83,9 +83,9 @@ NewSocialContribution=Nowa opłata ZUS/podatek AddSocialContribution=Dodaj podatek fiskalny/ZUS ContributionsToPay=Opłata ZUS/podatek do zapłacenia AccountancyTreasuryArea=Strefa księgowości -InvoicesArea=Billing and payment area +InvoicesArea=Strefa faktur i płatności NewPayment=Nowa płatność -PaymentCustomerInvoice=Klient płatności faktury +PaymentCustomerInvoice=Płatność za fakturę klienta PaymentSupplierInvoice=płatność za fakturę dostawcy PaymentSocialContribution=Płatność za ZUS/podatek PaymentVat=Zapłata podatku VAT @@ -93,8 +93,8 @@ AutomaticCreationPayment=Automatycznie rejestruj płatność ListPayment=Wykaz płatności ListOfCustomerPayments=Lista płatności klientów ListOfSupplierPayments=Lista płatności dostawcy -DateStartPeriod=Data początku okresu -DateEndPeriod=Data końca okresu +DateStartPeriod=Data początku okresu rozliczeniowego +DateEndPeriod=Data końca okresu rozliczeniowego newLT1Payment=Nowa płatność podatku 2 newLT2Payment=Nowa płatność podatku 3 LT1Payment=Płatność podatku 2 @@ -103,8 +103,8 @@ LT2Payment=Płatność podatku 3 LT2Payments=Płatności podatku 3 newLT1PaymentES=Nowa płatność RE newLT2PaymentES=Nowa płatnośc IRPF - podatek dochodowy od osób fizycznych w Hiszpani -LT1PaymentES=RE: Płatność -LT1PaymentsES=RE Płatności +LT1PaymentES=Płatność RE +LT1PaymentsES=Płatności RE LT2PaymentES=Płatność IRPF LT2PaymentsES=Płatności IRPF VATPayment=Zapłata podatku od sprzedaży @@ -133,15 +133,15 @@ ByThirdParties=Przez kontrahentów ByUserAuthorOfInvoice=Na autora faktury CheckReceipt=Odcinek wpłaty CheckReceiptShort=Odcinek wpłaty -LastCheckReceiptShort=Latest %s deposit slips -LastPaymentForDepositShort=Latest %s %s deposit slips +LastCheckReceiptShort=Najnowsze %s dowody wpłaty +LastPaymentForDepositShort=Najnowsze %s %s dowody wpłaty NewCheckReceipt=Nowe zniżki -NewCheckDeposit=New deposit slip +NewCheckDeposit=Nowy dowód wpłaty NewCheckDepositOn=Nowe sprawdzić depozytu na konto: %s NoWaitingChecks=Brak czeków oczekujących na wpłatę. -NoWaitingPaymentForDeposit=No %s payment awaiting deposit. +NoWaitingPaymentForDeposit=Brak płatności %s oczekującej na wpłatę. DateChequeReceived=Sprawdź datę odbioru -DatePaymentReceived=Date of document reception +DatePaymentReceived=Data otrzymania dokumentu NbOfCheques=Liczba czeków PaySocialContribution=Zapłać ZUS/podatek PayVAT=Zapłać deklarację VAT @@ -152,18 +152,19 @@ ConfirmPaySalary=Czy na pewno chcesz sklasyfikować tę kartę wynagrodzenia jak DeleteSocialContribution=Usuń płatność za ZUS lub podatek DeleteVAT=Usuń deklarację VAT DeleteSalary=Usuń kartę wynagrodzenia -DeleteVariousPayment=Delete a various payment +DeleteVariousPayment=Usuń inną płatność ConfirmDeleteSocialContribution=Czy na pewno chcesz usunąć tę płatność podatku socjalnego / podatkowego? ConfirmDeleteVAT=Czy na pewno chcesz usunąć tę deklarację VAT? -ConfirmDeleteSalary=Are you sure you want to delete this salary ? -ConfirmDeleteVariousPayment=Are you sure you want to delete this various payment ? +ConfirmDeleteSalary=Czy na pewno chcesz usunąć to wynagrodzenie? +ConfirmDeleteVariousPayment=Czy na pewno chcesz usunąć tę inną płatność? ExportDataset_tax_1=Składki ZUS, podatki i płatności CalcModeVATDebt=Tryb% Svat na rachunkowości zaangażowanie% s. CalcModeVATEngagement=Tryb% Svat na dochody-wydatki% s. -CalcModeDebt=Analysis of known recorded documents -CalcModeEngagement=Analysis of known recorded payments +CalcModeDebt=Analiza znanych dokumentów rejestracyjnych +CalcModeEngagement=Analiza znanych zarejestrowanych płatności +CalcModePayment=Analysis of known recorded payments CalcModeBookkeeping=Analiza danych zapisanych w tabeli Księgi rachunkowej. -CalcModeNoBookKeeping=Even if they are not yet accounted in Ledger +CalcModeNoBookKeeping=Nawet jeśli nie są jeszcze ujęte w księdze głównej CalcModeLT1= Tryb% SRE faktur klienta - dostawcy wystawia faktury% s CalcModeLT1Debt=Tryb% SRE faktur klienta% s CalcModeLT1Rec= Tryb% SRE dostawców fakturuje% s @@ -177,11 +178,11 @@ AnnualByCompaniesDueDebtMode=Bilans dochodów i kosztów, szczegóły według pr AnnualByCompaniesInputOutputMode=Bilans dochodów i kosztów, szczegóły według predefiniowanych grup, tryb %s Przychody-wydatki%s powiedział księgowość kasowa . SeeReportInInputOutputMode=Zobacz %sanaliza płatnościs%s w celu obliczenia opartego na zarejestrowanych płatnościach dokonanych, nawet jeśli nie zostały jeszcze zaksięgowane w księdze SeeReportInDueDebtMode=Zobacz %sanalizę zapisanych dokumentów%s w celu obliczenia opartego na znanych zapisanych dokumentach , nawet jeśli nie zostały jeszcze zaksięgowane w księdze -SeeReportInBookkeepingMode=Zobacz %sanaliza tabeli księgi rachunkowej %s dla raportu opartego na Tabela księgi rachunkowej +SeeReportInBookkeepingMode=Zobacz %sanalizę tabeli księgi rachunkowej%s dla raportu opartego na Tabela księgi księgowej RulesAmountWithTaxIncluded=- Kwoty podane są łącznie z podatkami -RulesAmountWithTaxExcluded=- Amounts of invoices shown are with all taxes excluded -RulesResultDue=- It includes all invoices, expenses, VAT, donations, salaries, whether they are paid or not.
      - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries, the date of end of period is used. -RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries.
      - It is based on the payment dates of the invoices, expenses, VAT, donations and salaries. +RulesAmountWithTaxExcluded=- Przedstawione kwoty faktur nie obejmują wszystkich podatków +RulesResultDue=- Obejmuje wszystkie faktury, wydatki, podatek VAT, darowizny, wynagrodzenia, niezależnie od tego, czy zostały zapłacone, czy nie.
      - Opiera się na dacie rozliczenia faktur i terminie płatności wydatków lub płatności podatkowych. W przypadku wynagrodzeń przyjmuje się datę zakończenia okresu. +RulesResultInOut=- Obejmuje rzeczywiste płatności dokonane na fakturach, wydatkach, podatku VAT i wynagrodzeniach.
      - Opiera się na datach płatności faktur, wydatków, podatku VAT, darowizn i wynagrodzeń. RulesCADue=- Obejmuje należne faktury klienta, niezależnie od tego, czy są opłacone, czy nie.
      - Opiera się na dacie rozliczenia tych faktur.
      RulesCAIn=- Obejmuje wszystkie efektywne płatności faktur otrzymanych od klientów.
      - Opiera się na dacie płatności tych faktur
      RulesCATotalSaleJournal=Obejmuje wszystkie linie kredytowe z dziennika Sprzedaż. @@ -198,25 +199,25 @@ LT1ReportByCustomers=Zgłoś podatek 2 przez stronę trzecią LT2ReportByCustomers=Zgłoś podatek 3 przez stronę trzecią LT1ReportByCustomersES=Sprawozdanie trzecim RE partii LT2ReportByCustomersES=Raport osób trzecich IRPF -VATReport=Sales tax report -VATReportByPeriods=Sales tax report by period -VATReportByMonth=Sales tax report by month -VATReportByRates=Sales tax report by rate -VATReportByThirdParties=Sales tax report by third party -VATReportByCustomers=Sales tax report by customer +VATReport=Raport dotyczący podatku od sprzedaży +VATReportByPeriods=Raport dotyczący podatku od sprzedaży według okresu +VATReportByMonth=Raport dotyczący podatku od sprzedaży według miesiąca +VATReportByRates=Raport podatku od sprzedaży według stawki +VATReportByThirdParties=Raport dotyczący podatku od sprzedaży sporządzony przez stronę trzecią +VATReportByCustomers=Raport dotyczący podatku od sprzedaży sporządzony przez klienta VATReportByCustomersInInputOutputMode=Sprawozdanie VAT klienta gromadzone i wypłacane -VATReportByQuartersInInputOutputMode=Report by Sales tax rate of the tax collected and paid +VATReportByQuartersInInputOutputMode=Raport według stawki podatku od sprzedaży dotyczącej podatku pobranego i zapłaconego VATReportShowByRateDetails=Pokaż szczegóły tej stawki LT1ReportByQuarters=Zgłoś podatek 2 według stawki LT2ReportByQuarters=Zgłoś podatek 3 według stawki LT1ReportByQuartersES=Sprawozdanie stopy RE LT2ReportByQuartersES=Sprawozdanie IRPF stopy -SeeVATReportInInputOutputMode=See report %sVAT collection%s for a standard calculation -SeeVATReportInDueDebtMode=See report %sVAT on debit%s for a calculation with an option on the invoicing -RulesVATInServices=- For services, the report includes the VAT of payments actually received or paid on the basis of the date of payment. -RulesVATInProducts=- For material assets, the report includes the VAT on the basis of the date of payment. -RulesVATDueServices=- For services, the report includes VAT of due invoices, paid or not, based on the invoice date. -RulesVATDueProducts=- For material assets, the report includes the VAT of due invoices, based on the invoice date. +SeeVATReportInInputOutputMode=Zobacz raport %sPobór podatku VAT%s dla standardowych obliczeń +SeeVATReportInDueDebtMode=Zobacz raport %sVAT od debetu%s do kalkulacji z opcją na fakturze +RulesVATInServices=- W przypadku usług raport uwzględnia podatek VAT od faktycznie otrzymanych lub zapłaconych płatności na podstawie daty płatności. +RulesVATInProducts=- Dla aktywów materialnych raport uwzględnia podatek VAT według daty zapłaty. +RulesVATDueServices=- W przypadku usług raport uwzględnia podatek VAT od należnych faktur, zapłaconych lub nie, na podstawie daty faktury. +RulesVATDueProducts=- Dla aktywów materialnych raport uwzględnia podatek VAT z należnych faktur, na podstawie daty wystawienia faktury. OptionVatInfoModuleComptabilite=Uwaga: W przypadku dóbr materialnych, należy użyć daty dostawy do bardziej sprawiedliwego. ThisIsAnEstimatedValue=To jest podgląd oparty na wydarzeniach biznesowych, a nie na końcowej tabeli księgi, więc ostateczne wyniki mogą się różnić od tych wartości podglądu PercentOfInvoice=%%/faktury @@ -224,10 +225,10 @@ NotUsedForGoods=Nie używany od towarów ProposalStats=Statystyki na temat propozycji OrderStats=Statystyki dotyczące zamówień InvoiceStats=Statystyki na rachunkach -Dispatch=Dysponowanie -Dispatched=Wysłane -ToDispatch=Do wysyłki -ThirdPartyMustBeEditAsCustomer=Osoby trzecie muszą być określone jako klient +Dispatch=Wysyłka +Dispatched=Wysłany +ToDispatch=Do wysłania +ThirdPartyMustBeEditAsCustomer=Kontrahent musi być zdefiniowany jako klient SellsJournal=Dziennik sprzedaży PurchasesJournal=Dziennik zakupów DescSellsJournal=Dziennik sprzedaży @@ -245,20 +246,22 @@ ToCreateAPredefinedInvoice=Aby utworzyć szablon faktury, utwórz fakturę stand LinkedOrder=Link do zamówienia Mode1=Metoda 1 Mode2=Metoda 2 -CalculationRuleDesc=Aby obliczyć całkowity podatek VAT, można wykorzystać jedną z dwóch metod:
      Metoda 1 polega na zaokrągleniu VAT dla każdej pozycji, a następnie ich zsumowaniu.
      Metoda 2 polega na zsumowaniu wszystkich VAT z każdej pozycji, a następnie zaokrągleniu wyniku.
      Efekt końcowy może różnić się o kilka groszy. Domyślnym trybem jest tryb %s. -CalculationRuleDescSupplier=W zależności od dostawcy wybierz odpowiednią metodę, aby zastosować tę samą regułę obliczania i uzyskać taki sam wynik, jakiego oczekuje dostawca. +CalculationRuleDesc=Aby obliczyć całkowity podatek VAT, można wykorzystać jedną z dwóch metod:
      Metoda 1 polega na zaokrągleniu podatku VAT dla każdej pozycji z osobna, a następnie ich zsumowaniu.
      Metoda 2 polega na zsumowaniu wszystkich podatków VAT ze wszystkich pozycji, a następnie zaokrągleniu wyniku.
      Efekt końcowy może różnić się o kilka groszy. Domyślnym trybem jest tryb %s. +CalculationRuleDescSupplier=Wybierz odpowiednią metodę zaokrąglenia dla danego dostawcy, aby zastosować jego metodę obliczeń i uzyskać wynik taki sam jak uzyskał dostawca. TurnoverPerProductInCommitmentAccountingNotRelevant=Raport dotyczący obrotu zebranego na produkt nie jest dostępny. Ten raport jest dostępny tylko dla zafakturowanych obrotów. TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=Raport dotyczący obrotu uzyskanego według stawki podatku od sprzedaży jest niedostępny. Ten raport jest dostępny tylko dla zafakturowanych obrotów. -CalculationMode=Tryb Obliczanie +CalculationMode=Tryb obliczeń AccountancyJournal=Arkusz kodów księgowych -ACCOUNTING_VAT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on sales (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_PAY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for paying VAT -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Credit) -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Debit) -ACCOUNTING_ACCOUNT_CUSTOMER=Account (from the Chart Of Account) used for "customer" third parties +ACCOUNTING_VAT_SOLD_ACCOUNT=Konto (z Planu Kont), które ma być używane jako domyślne konto dla podatku VAT od sprzedaży (używane, jeśli nie zostało zdefiniowane w konfiguracji Słownika VAT) +ACCOUNTING_VAT_BUY_ACCOUNT=Konto (z Planu Kont), które ma być używane jako domyślne konto dla podatku VAT od zakupów (używane, jeśli nie zostało zdefiniowane w konfiguracji słownika VAT) +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=Konto (z Planu Kont), na które będzie wystawiany znak skarbowy ze sprzedaży +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=Konto (z Planu Kont), które będzie wykorzystywane do stempla skarbowego przy zakupach +ACCOUNTING_VAT_PAY_ACCOUNT=Rachunek (z Planu Kont), który będzie używany jako domyślny rachunek do płatności podatku VAT +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Konto (z Planu Kont), które ma być używane jako domyślny rachunek VAT przy zakupach z tytułu obciążenia zwrotnego (Kredyt) +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Rachunek (z Planu Kont), który będzie używany jako domyślny rachunek VAT przy zakupach z odwrotnym obciążeniem (Debet) +ACCOUNTING_ACCOUNT_CUSTOMER=Konto (z Planu Kont) wykorzystywane na rzecz osób trzecich „klienta”. ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Dedykowane konto księgowe zdefiniowane na karcie osoby trzeciej będzie używane tylko do księgowania w Podedgera. Ta będzie używana dla Księgi Głównej i jako domyślna wartość księgowania Podrzędnego, jeśli dedykowane konto księgowe klienta na stronie trzeciej nie jest zdefiniowane. -ACCOUNTING_ACCOUNT_SUPPLIER=Account (from the Chart of Account) used for the "vendor" third parties +ACCOUNTING_ACCOUNT_SUPPLIER=Konto (z Planu Kont) wykorzystywane na rzecz osób trzecich „sprzedawcy”. ACCOUNTING_ACCOUNT_SUPPLIER_Desc=Dedykowane konto księgowe zdefiniowane na karcie osoby trzeciej będzie używane tylko do księgowania w Podedgera. Ta wartość będzie używana dla Księgi Głównej i jako domyślna wartość księgowania Księgi Podrzędnej, jeśli nie zdefiniowano dedykowanego konta księgowego dostawcy na stronie trzeciej. ConfirmCloneTax=Potwierdź klon podatku socjalnego / podatkowego ConfirmCloneVAT=Potwierdź klon deklaracji VAT @@ -273,7 +276,7 @@ BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Oparty na dwó LinkedFichinter=Link do interwencji ImportDataset_tax_contrib=ZUS/podatek ImportDataset_tax_vat=Płatności VAT -ErrorBankAccountNotFound=Błąd: Konto bankowe nie znalezione +ErrorBankAccountNotFound=Błąd: konto bankowe nie zostało znalezione FiscalPeriod=Okres rozliczeniowy ListSocialContributionAssociatedProject=Lista składek na ubezpieczenia społeczne związanych z projektem DeleteFromCat=Usuń z grupy księgowej @@ -298,15 +301,15 @@ ReportPurchaseTurnover=Zafakturowany obrót zakupowy ReportPurchaseTurnoverCollected=Zebrany obrót zakupowy IncludeVarpaysInResults = Uwzględnij różne płatności w raportach IncludeLoansInResults = Uwzględnij pożyczki w raportach -InvoiceLate30Days = Late (> 30 days) -InvoiceLate15Days = Late (15 to 30 days) -InvoiceLateMinus15Days = Late (< 15 days) -InvoiceNotLate = To be collected (< 15 days) -InvoiceNotLate15Days = To be collected (15 to 30 days) -InvoiceNotLate30Days = To be collected (> 30 days) -InvoiceToPay=To pay (< 15 days) -InvoiceToPay15Days=To pay (15 to 30 days) -InvoiceToPay30Days=To pay (> 30 days) -ConfirmPreselectAccount=Preselect accountancy code -ConfirmPreselectAccountQuestion=Are you sure you want to preselect the %s selected lines with this accountancy code ? -AmountPaidMustMatchAmountOfDownPayment=Amount paid must match amount of down payment +InvoiceLate30Days = Spóźnione (> 30 dni) +InvoiceLate15Days = Spóźnione (15 do 30 dni) +InvoiceLateMinus15Days = Spóźnione (< 15 dni) +InvoiceNotLate = Do odbioru (< 15 dni) +InvoiceNotLate15Days = Do odbioru (15 do 30 dni) +InvoiceNotLate30Days = Do odbioru (> 30 dni) +InvoiceToPay=Do zapłaty (< 15 dni) +InvoiceToPay15Days=Do zapłaty (15 do 30 dni) +InvoiceToPay30Days=Do zapłaty (> 30 dni) +ConfirmPreselectAccount=Wstępnie wybierz kod księgowy +ConfirmPreselectAccountQuestion=Czy na pewno chcesz wstępnie wybrać %s wybrane linie z tym kodem księgowym? +AmountPaidMustMatchAmountOfDownPayment=Wpłacona kwota musi odpowiadać kwocie zaliczki diff --git a/htdocs/langs/pl_PL/contracts.lang b/htdocs/langs/pl_PL/contracts.lang index 96f919da179..f38e60b43f9 100644 --- a/htdocs/langs/pl_PL/contracts.lang +++ b/htdocs/langs/pl_PL/contracts.lang @@ -15,14 +15,14 @@ ServiceStatusLate=Działa, wygasł ServiceStatusLateShort=Minął ServiceStatusClosed=Zamknięte ShowContractOfService=Pokaż umowę o świadczenie usług -Contracts=Kontrakty +Contracts=Umowy ContractsSubscriptions=Umowy/Subskrypcje ContractsAndLine=Kontrakty i pozycje kontraktów -Contract=Kontrakt +Contract=Umowa ContractLine=Pozycja kontraktu -ContractLines=Contract lines +ContractLines=Linie kontraktowe Closing=Zamknięte -NoContracts=Brak kontraktów +NoContracts=Brak umów MenuServices=Usługi MenuInactiveServices=Nieaktywne usługi MenuRunningServices=Uruchomione usługi @@ -37,7 +37,7 @@ CloseAContract=Zamknij kontrakt ConfirmDeleteAContract=Czy na pewno chcesz usunąć tę umowę i wszystkie jej usługi? ConfirmValidateContract=Czy na pewno chcesz zweryfikować tę umowę pod nazwą %s ? ConfirmActivateAllOnContract=Spowoduje to otwarcie wszystkich usług (jeszcze nie aktywnych). Czy na pewno chcesz otworzyć wszystkie usługi? -ConfirmCloseContract=This will close all services (expired or not). Are you sure you want to close this contract? +ConfirmCloseContract=Spowoduje to zamknięcie wszystkich usług (wygasłych lub nie). Czy na pewno chcesz zamknąć tę umowę? ConfirmCloseService=Czy na pewno chcesz zamknąć tę usługę z datą %s ? ValidateAContract=Potwierdź kontrakt ActivateService=Aktywacja usługi @@ -50,7 +50,7 @@ ListOfInactiveServices=Lista nie aktywnych usług ListOfExpiredServices=Lista wygasłych aktywnych usług ListOfClosedServices=Lista zamkniętych usług ListOfRunningServices=Lista uruchomionych usług -NotActivatedServices=Nie aktywacji usług (wśród zatwierdzonych umów) +NotActivatedServices=Nieaktywne usługi (wśród zatwierdzonych umów) BoardNotActivatedServices=Usługi uaktywnić wśród zatwierdzonych umów BoardNotActivatedServicesShort=Usługi do aktywacji LastContracts=Ostatnie %s kontaktów @@ -67,20 +67,20 @@ DateEndReal=Rzeczywista data zakończenia DateEndRealShort=Rzeczywista data zakończenia CloseService=Zamknij usługi BoardRunningServices=Usługi działają -BoardRunningServicesShort=Usługi działają +BoardRunningServicesShort=Usługi uruchomione BoardExpiredServices=Usługi wygasły BoardExpiredServicesShort=Usługi wygasły ServiceStatus=Status usługi -DraftContracts=Szkice kontaktów +DraftContracts=Szkice kontraktów CloseRefusedBecauseOneServiceActive=Kontraktu nie można zamknąć, ponieważ jest na nim co najmniej jedna otwarta usługa -ActivateAllContracts=Aktywuj wszystkie linie kontraktu +ActivateAllContracts=Aktywuj wszystkie pozycje kontraktu CloseAllContracts=Zamknij wszystkie pozycje kontraktu DeleteContractLine=Usuń pozycję z kontraktu -ConfirmDeleteContractLine=Czy na pewno chcesz usunąć tę linię umowy? +ConfirmDeleteContractLine=Czy na pewno chcesz usunąć tę pozycję umowy? MoveToAnotherContract=Przenieś usługi do innego kontraktu. -ConfirmMoveToAnotherContract=Wybrałem nowy kontrakt docelowy i potwierdzam chęć przesunięcia tego serwicu do tego kontaktu. -ConfirmMoveToAnotherContractQuestion=Wybierz, w której istniejącej umowie (tej samej strony trzeciej) chcesz przenieść tę usługę? -PaymentRenewContractId=Renew contract %s (service %s) +ConfirmMoveToAnotherContract=Wybrałem nową umowę docelową i potwierdzam, że chcę przenieść tę usługę do tej umowy. +ConfirmMoveToAnotherContractQuestion=Wybierz, w której istniejącej umowie (tego samego kontrahneta) chcesz przenieść tę usługę? +PaymentRenewContractId=Odnów umowę %s (usługa %s) ExpiredSince=Data ważności NoExpiredServices=Bark wygasłych aktywnych usług ListOfServicesToExpireWithDuration=Lista usług wygasających w ciągu %s dni @@ -103,5 +103,5 @@ TypeContact_contrat_external_SALESREPSIGN=Podpisanie umowy, kontakt z klientem HideClosedServiceByDefault=Domyślnie ukryj zamknięte usługi ShowClosedServices=Pokaż usługi zamknięte HideClosedServices=Ukryj zamknięte usługi -UserStartingService=User starting service -UserClosingService=User closing service +UserStartingService=Usługa uruchamiania użytkownika +UserClosingService=Usługa zamykania użytkownika diff --git a/htdocs/langs/pl_PL/dict.lang b/htdocs/langs/pl_PL/dict.lang index 3ae1fbda0f6..781fb5cc0a9 100644 --- a/htdocs/langs/pl_PL/dict.lang +++ b/htdocs/langs/pl_PL/dict.lang @@ -137,7 +137,7 @@ CountryLV=Łotwa CountryLB=Liban CountryLS=Lesoto CountryLR=Liberia -CountryLY=Libya +CountryLY=Libia CountryLI=Lichtenstein CountryLT=Litwa CountryLU=Luksemburg @@ -247,7 +247,7 @@ CountryJE=Jersey CountryME=Czarnogóra CountryBL=Saint Barthelemy CountryMF=Saint Martin -CountryXK=Kosovo +CountryXK=Kosowo ##### Civilities ##### CivilityMME=Pani @@ -293,7 +293,7 @@ CurrencyXOF=Franków CFA BCEAO CurrencySingXOF=Frank CFA BCEAO CurrencyXPF=Franków CFP CurrencySingXPF=Frank CFP -CurrencyCentEUR=centów +CurrencyCentEUR=centy CurrencyCentSingEUR=cent CurrencyCentINR=Paisa CurrencyCentSingINR=Paise @@ -356,7 +356,7 @@ ExpAuto10PCV=10 CV i więcej ExpAuto11PCV=11 CV i więcej ExpAuto12PCV=12 CV i więcej ExpAuto13PCV=13 CV i więcej -ExpCyclo=Pojemność mniejsza do 50 cm3 +ExpCyclo=Pojemność mniejsza niż 50 cm3 ExpMoto12CV=Motocykl 1 lub 2 CV ExpMoto345CV=Motocykl 3, 4 lub 5 CV ExpMoto5PCV=Motocykl 5 CV i więcej diff --git a/htdocs/langs/pl_PL/errors.lang b/htdocs/langs/pl_PL/errors.lang index f83c299917a..4ddab3e1de9 100644 --- a/htdocs/langs/pl_PL/errors.lang +++ b/htdocs/langs/pl_PL/errors.lang @@ -4,12 +4,12 @@ NoErrorCommitIsDone=Nie ma błędu, zobowiązujemy # Errors ErrorButCommitIsDone=Znalezione błędy, ale mimo to możemy potwierdzić -ErrorBadEMail=E-mail %s jest nieprawidłowy +ErrorBadEMail=Adres email %s jest niepoprawny ErrorBadMXDomain=E-mail %s wydaje się nieprawidłowy (nie odnaleziono prawidłowego rekordu MX dla domeny) ErrorBadUrl=Adres URL %s jest nieprawidłowy ErrorBadValueForParamNotAString=Zła wartość parametru. Zazwyczaj dołącza się, gdy brakuje tłumaczenia. ErrorRefAlreadyExists=Odniesienie %s już istnieje. -ErrorTitleAlreadyExists=Title %s already exists. +ErrorTitleAlreadyExists=Tytuł %s już istnieje. ErrorLoginAlreadyExists=Login %s już istnieje. ErrorGroupAlreadyExists=Grupa %s już istnieje. ErrorEmailAlreadyExists=E-mail %s już istnieje. @@ -25,13 +25,14 @@ ErrorFailToCreateDir=Nie można utworzyć katalogu '%s'. ErrorFailToDeleteDir=Nie można usunąć katalogu ''. ErrorFailToMakeReplacementInto=Nie udało się zastąpić pliku „ %s ”. ErrorFailToGenerateFile=Nie udało się wygenerować pliku „ %s ”. -ErrorThisContactIsAlreadyDefinedAsThisType=Ten kontakt jest już zdefiniowana jako kontaktowy dla tego typu. +ErrorThisContactIsAlreadyDefinedAsThisType=Ten kontakt jest już zdefiniowany jako kontakt dla tego typu. ErrorCashAccountAcceptsOnlyCashMoney=To konto bankowe jest kontem gotówkowym, więc akceptuje jedynie płatności gotówkowe ErrorFromToAccountsMustDiffers=Konta źródłowe i docelowe muszą być inne ErrorBadThirdPartyName=Zła wartość dla nazwy kontrahenta -ForbiddenBySetupRules=Forbidden by setup rules +ForbiddenBySetupRules=Zabronione przez zasady konfiguracji ErrorProdIdIsMandatory=%s jest obowiązkowy ErrorAccountancyCodeCustomerIsMandatory=Kod księgowy klienta %s jest obowiązkowy +ErrorAccountancyCodeSupplierIsMandatory=Kod księgowy dostawcy %s jest obowiązkowy ErrorBadCustomerCodeSyntax=Zła skadnia dla kodu klienta ErrorBadBarCodeSyntax=Zła składnia kodu kreskowego. Być może ustawiłeś zły typ kodu kreskowego lub zdefiniowałeś maskę kodu kreskowego dla numeracji, która nie pasuje do zeskanowanej wartości. ErrorCustomerCodeRequired=Wymagany kod klienta @@ -49,7 +50,7 @@ ErrorBadImageFormat=Plik ze zdjęciem ma nie wspierany format (twoje PHP nie wsp ErrorBadDateFormat=Wartość '%s' ma zły format daty ErrorWrongDate=Data nie jest poprawna! ErrorFailedToWriteInDir=Nie można zapisać w katalogu %s -ErrorFailedToBuildArchive=Failed to build archive file %s +ErrorFailedToBuildArchive=Nie udało się zbudować pliku archiwum %s ErrorFoundBadEmailInFile=Znaleziono nieprawidłową składnię adresu email dla %s linii w pliku (przykładowo linia %s z adresem email %s) ErrorUserCannotBeDelete=Nie można usunąć użytkownika. Może jest to związane z podmiotami Dolibarr. ErrorFieldsRequired=Niektóre wymagane pola zostały puste. @@ -57,17 +58,18 @@ ErrorSubjectIsRequired=Temat wiadomości e-mail jest wymagany ErrorFailedToCreateDir=Nie można utworzyć katalogu. Sprawdź, czy serwer WWW użytkownik ma uprawnienia do zapisu do katalogu dokumentów Dolibarr. Jeśli parametr safe_mode jest włączona w tym PHP, czy posiada Dolibarr php pliki do serwera internetowego użytkownika (lub grupy). ErrorNoMailDefinedForThisUser=Nie określono adresu email dla tego użytkownika ErrorSetupOfEmailsNotComplete=Konfiguracja e-maili nie została zakończona -ErrorFeatureNeedJavascript=Ta funkcja wymaga do pracy aktywowanego JavaScript. Zmień to w konfiguracji - wyświetlanie. +ErrorFeatureNeedJavascript=Aby ta funkcja działała, wymagana jest aktywacja JavaScript. Zmień to w ustawieniach – wyświetlacz. ErrorTopMenuMustHaveAParentWithId0=Menu typu "góry" nie może mieć dominującej menu. Umieść 0 dominującej w menu lub wybrać z menu typu "Lewy". ErrorLeftMenuMustHaveAParentId=Menu typu "Lewy" musi mieć identyfikator rodzica. ErrorFileNotFound=Nie znaleziono pliku %s (Zła ścieżka, złe uprawnienia lub odmowa dostępu przez openbasedir parametr) ErrorDirNotFound=Nie znaleziono katalogu %s (Bad ścieżki złe uprawnienia lub odmowa dostępu przez openbasedir PHP safe_mode lub parametr) ErrorFunctionNotAvailableInPHP=Funkcja %s jest wymagana dla tej funkcjonalności, ale nie jest dostępna w tej wersji/konfiguracji PHP. ErrorDirAlreadyExists=Katalog o takiej nazwie już istnieje. +ErrorDirNotWritable=Do katalogu %s nie można zapisywać. ErrorFileAlreadyExists=Plik o takiej nazwie już istnieje. ErrorDestinationAlreadyExists=Istnieje już inny plik o nazwie %s . ErrorPartialFile=Plik nieodebrany w całości przez serwer. -ErrorNoTmpDir=Tymczasowy directy %s nie istnieje. +ErrorNoTmpDir=Katalog tymczasowy %s nie istnieje. ErrorUploadBlockedByAddon=Przesyłanie zablokowane przez PHP/Apache. ErrorFileSizeTooLarge=Rozmiar pliku jest za duży lub plik nie został dostarczony. ErrorFieldTooLong=Pole %s jest za długie. @@ -75,10 +77,10 @@ ErrorSizeTooLongForIntType=Rozmiar zbyt długi dal typu int (max %s cyfr) ErrorSizeTooLongForVarcharType=Za dużo znaków dla tego typu (maksymalnie %s znaków) ErrorNoValueForSelectType=Proszę wypełnić wartości dla listy wyboru ErrorNoValueForCheckBoxType=Proszę wypełnić wartości dla listy checkbox -ErrorNoValueForRadioType=Proszę wypełnić wartość liście radiowej +ErrorNoValueForRadioType=Proszę wypełnić wartość dla listy wyboru ErrorBadFormatValueList=Wartość na tej liście nie może mieć więcej niż jeden przecinek: %s, ale wymagany jest przynajmniej jeden: klucz, wartość ErrorFieldCanNotContainSpecialCharacters=Pole %s nie może zawierać znaków specjalnych. -ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters, and must start with an alphabetical character (a-z) +ErrorFieldCanNotContainSpecialNorUpperCharacters=Pole %s nie może zawierać znaków specjalnych ani wielkich liter znaków i musi zaczynać się od znaku alfabetu (a-z) ErrorFieldMustHaveXChar=Pole %s musi zawierać co najmniej %s znaków. ErrorNoAccountancyModuleLoaded=Nie aktywowano modułu księgowości ErrorExportDuplicateProfil=Ta nazwa profil już istnieje dla tego zestawu eksportu. @@ -88,22 +90,24 @@ ErrorCantSaveADoneUserWithZeroPercentage=Nie można zapisać akcji ze stanem „ ErrorRefAlreadyExists=Odniesienie %s już istnieje. ErrorPleaseTypeBankTransactionReportName=Proszę podać nazwę wyciągu bankowego, na który należy zgłosić wpis (format YYYYMM or YYYYMMDD) ErrorRecordHasChildren=Nie udało się usunąć rekordu, ponieważ zawiera on niektóre rekordy podrzędne. -ErrorRecordHasAtLeastOneChildOfType=Object %s has at least one child of type %s +ErrorRecordHasAtLeastOneChildOfType=Obiekt %s ma co najmniej jedno dziecko typu %s ErrorRecordIsUsedCantDelete=Nie można usunąć rekordu. Jest już używany lub dołączony do innego obiektu. -ErrorModuleRequireJavascript=JavaScript nie może być wyłączony aby korzystać z tej funkcji. Aby włączyć/wyłączyć Javascript, przejdź do menu Start->Ustawienia->Ekran. +ErrorModuleRequireJavascript=Aby ta funkcja działała, nie można wyłączyć JavaScript. Aby włączyć/wyłączyć JavaScript, przejdź do menu Strona główna->Ustawienia->Wyświetlacz. ErrorPasswordsMustMatch=Oba hasła muszą się zgadzać -ErrorContactEMail=Wystąpił błąd techniczny. Skontaktuj się z administratorem pod następującym adresem e-mail %s i podaj w wiadomości kod błędu %s lub dodaj kopię ekranową tej strony. +ErrorContactEMail=Wystąpił błąd techniczny. Skontaktuj się z administratorem na następujący adres e-mail %s i podaj błąd code %s w swojej wiadomości lub dodaj kopię ekranu ta strona. ErrorWrongValueForField=Pole %s : ' %s ' nie jest zgodne z regułą wyrażenia regularnego %s -ErrorHtmlInjectionForField=Field %s: The value '%s' contains a malicious data not allowed +ErrorHtmlInjectionForField=Pole %s: Wartość „%s' zawiera złośliwe dane, które są niedozwolone ErrorFieldValueNotIn=Pole %s : ' %s ' nie jest wartością znajdującą się w polu %s z %s ErrorFieldRefNotIn=Pole %s : ' %s ' nie jest %s
      istniejącym ref -ErrorMultipleRecordFoundFromRef=Several record found when searching from ref %s. No way to know which ID to use. +ErrorMultipleRecordFoundFromRef=Znaleziono kilka rekordów podczas wyszukiwania z ref %s. Nie ma możliwości sprawdzenia, jakiego identyfikatora użyć. ErrorsOnXLines=Znaleziono %s błędów ErrorFileIsInfectedWithAVirus=Program antywirusowy nie był w stanie potwierdzić (plik może być zainfekowany przez wirusa) +ErrorFileIsAnInfectedPDFWithJSInside=Ten plik to pdf zainfekowany wewnątrz kodem Javascript ErrorNumRefModel=Odniesienia nie istnieje w bazie danych (%s) i nie jest zgodna z tą zasadą numeracji. Zmiana nazwy lub usuwanie zapisu w odniesieniu do aktywacji tego modułu. ErrorQtyTooLowForThisSupplier=Ilość za mała dla tego dostawcy lub brak zdefiniowanej ceny dla tego produktu dla tego dostawcy ErrorOrdersNotCreatedQtyTooLow=Niektóre zamówienia nie zostały utworzone z powodu zbyt małej ilości -ErrorModuleSetupNotComplete=Konfiguracja modułu %s wygląda na niekompletną. Idź do Strona Główna - Ustawienia - Moduły/Aplikacje aby ukończyć konfigurację. +ErrorOrderStatusCantBeSetToDelivered=Nie można ustawić statusu zamówienia na dostarczone. +ErrorModuleSetupNotComplete=Konfiguracja modułu %s wygląda na niekompletną. W celu dokończenia przejdź do Home – Konfiguracja – Moduły. ErrorBadMask=Błąd w masce wprowadzania ErrorBadMaskFailedToLocatePosOfSequence=Błąd, maska ​​bez kolejnego numeru ErrorBadMaskBadRazMonth=Błąd, zła wartość zresetowane @@ -117,8 +121,8 @@ ErrorFailedToLoadRSSFile=Nie dostać kanału RSS. Spróbuj dodać stałą MAIN_S ErrorForbidden=Brak dostępu.
      Próby uzyskania dostępu do strony, strefy lub funkcji modułu niepełnosprawnej lub bez w uwierzytelnionej sesji lub że nie jest dozwolone do użytkownika. ErrorForbidden2=Wykorzystanie tej nazwie może być zdefiniowana przez administratora z menu Dolibarr %s-> %s. ErrorForbidden3=Wydaje się, że Dolibarr nie jest używany przez uwierzytelniane sesji. Rzuć okiem na Dolibarr konfiguracji dokumentacji wiedzieć, jak zarządzać authentications (htaccess, mod_auth lub innych ...). -ErrorForbidden4=Note: clear your browser cookies to destroy existing sessions for this login. -ErrorNoImagickReadimage=Funkcja imagick_readimage nie jest w tej PHP. Podgląd może być dostępny. Administratorzy mogą wyłączyć tę zakładkę z menu Ustawienia - Ekran. +ErrorForbidden4=Uwaga: wyczyść ciasteczka w swojej przeglądarce, aby usunąć istniejące sesje dla tego loginu. +ErrorNoImagickReadimage=Klasa Imagick nie została znaleziona w tej instalacji PHP. Podgląd nie może zostać wygenerowany. Administratorzy mogą wyłączyć tę zakładkę w menu Ustawienia - Ekran. ErrorRecordAlreadyExists=Wpis już istnieje ErrorLabelAlreadyExists=Ta etykieta już istnieje ErrorCantReadFile=Nie można odczytać pliku '%s' @@ -131,7 +135,7 @@ ErrorLoginDoesNotExists=Użytkownik %s nie został znaleziony. ErrorLoginHasNoEmail=Ten użytkownik nie ma adresu e-mail. Proces przerwany. ErrorBadValueForCode=Zła wartość kody zabezpieczeń. Wprowadź nową wartość... ErrorBothFieldCantBeNegative=Pola %s i %s nie mogą być jednocześnie ujemne -ErrorFieldCantBeNegativeOnInvoice=Pole %s nie może być ujemne w przypadku tego typu faktury. Jeśli chcesz dodać linię rabatu, po prostu najpierw utwórz rabat (z pola „%s” na karcie podmiotu trzeciego) i zastosuj go do faktury. +ErrorFieldCantBeNegativeOnInvoice=Pole %s nie może być ujemne na tego typu fakturze. Jeśli chcesz dodać linię rabatową, po prostu najpierw utwórz rabat (z pola „%s” na karcie innej firmy) i zastosuj go do faktury. ErrorLinesCantBeNegativeForOneVATRate=Suma wierszy (bez podatku) nie może być ujemna dla danej niezerowej stawki VAT (Znaleziono sumę ujemną dla stawki VAT %s %%). ErrorLinesCantBeNegativeOnDeposits=Wiersze nie mogą być ujemne w depozycie. Jeśli to zrobisz, napotkasz problemy, kiedy będziesz musiał wykorzystać depozyt w końcowej fakturze. ErrorQtyForCustomerInvoiceCantBeNegative=Ilość dla pozycji na fakturach klientów nie może być ujemna @@ -144,12 +148,13 @@ ErrorModuleFileRequired=Musisz wybrać plik pakietu modułu Dolibarr ErrorPhpCurlNotInstalled=PHP CURL nie jest zainstalowany, to jest niezbędne, aby porozmawiać z Paypal ErrorFailedToAddToMailmanList=Nie udało się dodać% s do% s listy Mailman lub podstawy SPIP ErrorFailedToRemoveToMailmanList=Nie udało się usunąć rekord% s do% s listy Mailman lub podstawy SPIP -ErrorNewValueCantMatchOldValue=Nowa wartość nie może być równa starego +ErrorNewValueCantMatchOldValue=Nowa wartość nie może być równa starej ErrorFailedToValidatePasswordReset=Nie udało się REINIT hasło. Mogą być wykonywane już reinit (ten link może być używany tylko jeden raz). Jeśli nie, spróbuj ponownie uruchomić proces reinit. ErrorToConnectToMysqlCheckInstance=Połączenie z bazą danych nie powiodło się. Sprawdź, czy serwer bazy danych jest uruchomiony (na przykład za pomocą mysql/mariadb możesz go uruchomić z wiersza poleceń za pomocą polecenia „sudo service mysql start”). ErrorFailedToAddContact=Nie udało się dodać kontaktu -ErrorDateMustBeBeforeToday=Data musi być wcześniejsza niż dzisiaj -ErrorDateMustBeInFuture=Data musi być późniejsza niż dzisiaj +ErrorDateMustBeBeforeToday=Data musi być wcześniejsza niż dzisiejsza +ErrorDateMustBeInFuture=Data musi być późniejsza niż dzisiejsza +ErrorStartDateGreaterEnd=Data początkowa jest nowsza niż data końcowa ErrorPaymentModeDefinedToWithoutSetup=Tryb płatność została ustawiona na typ% s, ale konfiguracja modułu faktury nie została zakończona do określenia informacji, aby pokazać tym trybie płatności. ErrorPHPNeedModule=Błąd, PHP musi mieć zainstalowany moduł %s, aby korzystać z tej funkcji. ErrorOpenIDSetupNotComplete=Ty konfiguracji Dolibarr plik konfiguracyjny, aby umożliwić uwierzytelnianie OpenID, ale adres URL usługi OpenID nie jest zdefiniowany w stałej% s @@ -159,9 +164,9 @@ ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Błąd, ten członek nie jest ErrorThereIsSomeDeliveries=Błąd, występuje kilka dostaw związanych z tą przesyłką. Usunięcie odrzucone. ErrorCantDeletePaymentReconciliated=Nie można usunąć płatności, która wygenerowała uzgodniony wpis bankowy ErrorCantDeletePaymentSharedWithPayedInvoice=Nie można usunąć płatności współdzielonej z co najmniej jedną fakturą o statusie Zapłacona -ErrorPriceExpression1=Nie można przypisać do stałej '% s' +ErrorPriceExpression1=Nie można przypisać do stałej '%s' ErrorPriceExpression2=Nie można przedefiniować wbudowanej funkcji "%s" -ErrorPriceExpression3=Niezdefiniowana zmienna '% s' w definicji funkcji +ErrorPriceExpression3=Niezdefiniowana zmienna '%s' w definicji funkcji ErrorPriceExpression4=Niedozwolony znak '%s' ErrorPriceExpression5=Nieoczekiwany '%s' ErrorPriceExpression6=Błędna liczba argumentów (%s podano, %s oczekiwany) @@ -185,13 +190,13 @@ ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=Wszystkie zarejestrowane ErrorCantSetReceptionToTotalDoneWithReceptionDenied=Wszystkie zarejestrowane przyjęcia muszą najpierw zostać zweryfikowane (zatwierdzone) przed dopuszczeniem ich do wykonania tej akcji ErrorGlobalVariableUpdater0=Żądanie HTTP nie powiodło się z powodu błędu '%s' ErrorGlobalVariableUpdater1=Nieprawidłowy format JSON '%s' -ErrorGlobalVariableUpdater2=Brakuje parametru '% s' -ErrorGlobalVariableUpdater3=Wymagane dane nie stwierdzono w wyniku +ErrorGlobalVariableUpdater2=Brakuje parametru '%s' +ErrorGlobalVariableUpdater3=Wymagane dane nie znalezione w wyniku ErrorGlobalVariableUpdater4=Klient SOAP nie powiodło się z powodu błędu '% s' ErrorGlobalVariableUpdater5=Nie wybrano zmiennej globalnej ErrorFieldMustBeANumeric=Pole %s musi mieć wartość numeryczną ErrorMandatoryParametersNotProvided=Obowiązkowe parametr (y) nie przewidziane -ErrorOppStatusRequiredIfUsage=You set you want to use this project to follow an opportunity, so you must also fill the initial Status of opportunity. +ErrorOppStatusRequiredIfUsage=Decydujesz się skorzystać z możliwości w tym projekcie, więc musisz także wypełnić status Potencjalny klient. ErrorOppStatusRequiredIfAmount=Określasz szacunkową kwotę dla tego potencjalnego klienta. Musisz więc również wpisać jego status. ErrorFailedToLoadModuleDescriptorForXXX=Nie udało się załadować klasy deskryptora modułu dla %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad definicja tablicy w menu modułu deskryptora (zły stosunek jakości do kluczowego fk_menu) @@ -240,12 +245,12 @@ ErrorURLMustStartWithHttp=URL %s musi zaczynać się od http: // lub https: // ErrorHostMustNotStartWithHttp=Nazwa hosta %s NIE może zaczynać się od http: // lub https: // ErrorNewRefIsAlreadyUsed=Błąd, nowe odniesienie jest już używane ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Błąd, nie można usunąć płatności połączonej z zamkniętą fakturą. -ErrorSearchCriteriaTooSmall=Kryteria wyszukiwania są za małe. +ErrorSearchCriteriaTooSmall=Kryteria wyszukiwania są za krótkie. ErrorObjectMustHaveStatusActiveToBeDisabled=Obiekty muszą mieć status „Aktywne”, aby mogły być wyłączone ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Aby obiekty mogły być włączone, muszą mieć stan „Wersja robocza” lub „Wyłączone” ErrorNoFieldWithAttributeShowoncombobox=Żadne pola nie mają właściwości „showoncombobox” w definicji obiektu „%s”. Nie ma mowy, żeby pokazać kombolistę. ErrorFieldRequiredForProduct=Pole „%s” jest wymagane dla produktu %s -AlreadyTooMuchPostOnThisIPAdress=You have already posted too much on this IP address. +AlreadyTooMuchPostOnThisIPAdress=Opublikowałeś już za dużo na tym adresie IP. ProblemIsInSetupOfTerminal=Problem dotyczy konfiguracji terminala %s. ErrorAddAtLeastOneLineFirst=Najpierw dodaj co najmniej jedną linię ErrorRecordAlreadyInAccountingDeletionNotPossible=Błąd, rekord został już przeniesiony do księgowości, usunięcie nie jest możliwe. @@ -259,11 +264,11 @@ ErrorReplaceStringEmpty=Błąd, ciąg znaków do zamiany jest pusty ErrorProductNeedBatchNumber=Błąd, produkt „ %s ” wymaga numeru partii / numeru seryjnego ErrorProductDoesNotNeedBatchNumber=Błąd, produkt „ %s ” nie akceptuje numeru partii / numeru seryjnego ErrorFailedToReadObject=Błąd, nie można odczytać obiektu typu %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Błąd, parametr %s musi być włączony w conf / conf.php , aby umożliwić korzystanie z interfejsu wiersza poleceń przez wewnętrzny harmonogram zadań +ErrorParameterMustBeEnabledToAllwoThisFeature=Błąd, parametr %s musi być włączony w conf/conf.php<>, aby umożliwić korzystanie z interfejsu wiersza poleceń przez wewnętrzny program planujący zadania ErrorLoginDateValidity=Błąd, ten login jest poza zakresem dat ważności ErrorValueLength=Długość pola „ %s ” musi być większa niż „ %s ” ErrorReservedKeyword=Słowo „ %s ” jest zastrzeżonym słowem kluczowym -ErrorFilenameReserved=The filename %s can't be used as it is a reserved and protected command. +ErrorFilenameReserved=Nie można użyć nazwy pliku %s, ponieważ jest to zastrzeżone i chronione polecenie. ErrorNotAvailableWithThisDistribution=Niedostępne w tej dystrybucji ErrorPublicInterfaceNotEnabled=Interfejs publiczny nie został włączony ErrorLanguageRequiredIfPageIsTranslationOfAnother=Język nowej strony musi być zdefiniowany, jeśli jest ustawiony jako tłumaczenie innej strony @@ -274,56 +279,63 @@ ErrorAnAmountWithoutTaxIsRequired=Błąd, kwota jest obowiązkowa ErrorAPercentIsRequired=Błąd, proszę poprawnie wpisać wartość procentową ErrorYouMustFirstSetupYourChartOfAccount=Najpierw musisz ustawić swój plan kont ErrorFailedToFindEmailTemplate=Nie udało się znaleźć szablonu o nazwie kodowej %s -ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Duration not defined on service. No way to calculate the hourly price. +ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Czas trwania nieokreślony w serwisie. Nie ma możliwości obliczenia stawki godzinowej. ErrorActionCommPropertyUserowneridNotDefined=Właściciel użytkownika jest wymagany -ErrorActionCommBadType=Selected event type (id: %s, code: %s) do not exist in Event Type dictionary +ErrorActionCommBadType=Wybrany typ zdarzenia (id: %s, kod: %s) nie istnieje w słowniku typów zdarzeń CheckVersionFail=Sprawdzanie wersji nie powiodło się ErrorWrongFileName=Nazwa pliku nie może zawierać __COŚ__ ErrorNotInDictionaryPaymentConditions=Nie w Słowniku terminów płatności, zmień. -ErrorIsNotADraft=%s is not a draft -ErrorExecIdFailed=Can't execute command "id" -ErrorBadCharIntoLoginName=Unauthorized character in the field %s -ErrorRequestTooLarge=Error, request too large or session expired -ErrorNotApproverForHoliday=You are not the approver for leave %s -ErrorAttributeIsUsedIntoProduct=This attribute is used in one or more product variants -ErrorAttributeValueIsUsedIntoProduct=This attribute value is used in one or more product variants -ErrorPaymentInBothCurrency=Error, all amounts must be entered in the same column -ErrorYouTryToPayInvoicesInACurrencyFromBankWithAnotherCurrency=You try to pay invoices in the currency %s from an account with the currency %s -ErrorInvoiceLoadThirdParty=Can't load third-party object for invoice "%s" -ErrorInvoiceLoadThirdPartyKey=Third-party key "%s" no set for invoice "%s" -ErrorDeleteLineNotAllowedByObjectStatus=Delete line is not allowed by current object status -ErrorAjaxRequestFailed=Request failed -ErrorThirpdartyOrMemberidIsMandatory=Third party or Member of partnership is mandatory -ErrorFailedToWriteInTempDirectory=Failed to write in temp directory -ErrorQuantityIsLimitedTo=Quantity is limited to %s -ErrorFailedToLoadThirdParty=Failed to find/load thirdparty from id=%s, email=%s, name=%s -ErrorThisPaymentModeIsNotSepa=This payment mode is not a bank account -ErrorStripeCustomerNotFoundCreateFirst=Stripe customer is not set for this thirdparty (or set to a value deleted on Stripe side). Create (or re-attach) it first. -ErrorCharPlusNotSupportedByImapForSearch=IMAP search is not able to search into sender or recipient for a string containing the character + -ErrorTableNotFound=Table %s not found -ErrorValueForTooLow=Value for %s is too low -ErrorValueCantBeNull=Value for %s can't be null -ErrorDateOfMovementLowerThanDateOfFileTransmission=The date of the bank transaction can't be lower than the date of the file transmission -ErrorTooMuchFileInForm=Too much files in form, the maximum number is %s file(s) -ErrorSessionInvalidatedAfterPasswordChange=The session was been invalidated following a change of password, email, status or dates of validity. Please relogin. -ErrorExistingPermission = Permission %s for object %s already exists -ErrorFieldExist=The value for %s already exist -ErrorEqualModule=Module invalid in %s -ErrorFieldValue=Value for %s is incorrect -ErrorCoherenceMenu=%s is required when %s is 'left' -ErrorUploadFileDragDrop=There was an error while the file(s) upload -ErrorUploadFileDragDropPermissionDenied=There was an error while the file(s) upload : Permission denied -ErrorFixThisHere=Fix this here -ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Error: The URL of you current instance (%s) does not match the URL defined into your OAuth2 login setup (%s). Doing OAuth2 login in such a configuration is not allowed. -ErrorMenuExistValue=A Menu already exist with this Title or URL -ErrorSVGFilesNotAllowedAsLinksWithout=SVG files are not allowed as external links without the option %s -ErrorTypeMenu=Impossible to add another menu for the same module on the navbar, not handle yet -ErrorTableExist=Table %s already exist -ErrorDictionaryNotFound=Dictionary %s not found +ErrorIsNotADraft=%s nie jest wersją roboczą +ErrorExecIdFailed=Nie można wykonać polecenia „id” +ErrorBadCharIntoLoginName=Niedozwolony znak w polu %s +ErrorRequestTooLarge=Błąd, żądanie jest zbyt duże lub sesja wygasła +ErrorNotApproverForHoliday=Nie jesteś osobą zatwierdzającą urlop %s +ErrorAttributeIsUsedIntoProduct=Ten atrybut jest używany w jednym lub większej liczbie wariantów produktu +ErrorAttributeValueIsUsedIntoProduct=Ta wartość atrybutu jest używana w jednym lub większej liczbie wariantów produktu +ErrorPaymentInBothCurrency=Błąd, wszystkie kwoty należy wpisać w tej samej kolumnie +ErrorYouTryToPayInvoicesInACurrencyFromBankWithAnotherCurrency=Próbujesz opłacić faktury w walucie %s z konta w walucie %s +ErrorInvoiceLoadThirdParty=Nie można załadować obiektu innej firmy do faktury „%s” +ErrorInvoiceLoadThirdPartyKey=Klucz innej firmy „%s” nie jest ustawiony dla faktury „%s” +ErrorDeleteLineNotAllowedByObjectStatus=Usunięcie linii nie jest dozwolone ze względu na aktualny stan obiektu +ErrorAjaxRequestFailed=Żądanie nie powiodło się +ErrorThirpdartyOrMemberidIsMandatory=Osoba trzecia lub członek spółki jest obowiązkowa +ErrorFailedToWriteInTempDirectory=Nie udało się zapisać w katalogu tymczasowym +ErrorQuantityIsLimitedTo=Ilość jest ograniczona do %s +ErrorFailedToLoadThirdParty=Nie udało się znaleźć/załadować strony trzeciej z id=%s, email=%s, name= %s +ErrorThisPaymentModeIsNotSepa=Ten sposób płatności nie jest kontem bankowym +ErrorStripeCustomerNotFoundCreateFirst=Klient Stripe nie jest ustawiony dla tej strony trzeciej (lub ma ustawioną wartość usuniętą po stronie Stripe). Najpierw utwórz go (lub dołącz ponownie). +ErrorCharPlusNotSupportedByImapForSearch=Wyszukiwanie IMAP nie jest w stanie przeszukać nadawcy ani odbiorcy ciągu zawierającego znak + +ErrorTableNotFound=Nie znaleziono tabeli %s +ErrorRefNotFound=Ref %s nie znaleziono +ErrorValueForTooLow=Wartość dla %s jest za niska +ErrorValueCantBeNull=Wartość dla %s nie może być pusta +ErrorDateOfMovementLowerThanDateOfFileTransmission=Data transakcji bankowej nie może być wcześniejsza niż data przesłania pliku +ErrorTooMuchFileInForm=Za dużo plików w formularzu, maksymalna liczba to %s plików +ErrorSessionInvalidatedAfterPasswordChange=Sesja została unieważniona na skutek zmiany hasła, adresu e-mail, statusu lub dat ważności. Proszę zalogować się ponownie. +ErrorExistingPermission = Zezwolenie %s dla obiektu %s już istnieje +ErrorFieldExist=Wartość dla %s już istnieje +ErrorEqualModule=Nieprawidłowy moduł w %s +ErrorFieldValue=Wartość dla %s jest niepoprawna +ErrorCoherenceMenu=%s jest wymagany, gdy %s oznacza „lewy” +ErrorUploadFileDragDrop=Podczas przesyłania pliku(ów) wystąpił błąd +ErrorUploadFileDragDropPermissionDenied=Podczas przesyłania pliku(ów) wystąpił błąd: Odmowa dostępu +ErrorFixThisHere=Napraw to tutaj +ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Błąd: adres URL Twojej bieżącej instancji (%s) nie odpowiada adresowi URL zdefiniowanemu w konfiguracji logowania OAuth2 (%s). Przeprowadzenie logowania OAuth2 w takiej konfiguracji jest niedozwolone. +ErrorMenuExistValue=Menu z tym tytułem lub adresem URL już istnieje +ErrorSVGFilesNotAllowedAsLinksWithout=Pliki SVG nie są dozwolone jako linki zewnętrzne bez opcji %s +ErrorTypeMenu=Nie można dodać kolejnego menu dla tego samego modułu na pasku nawigacyjnym, jeszcze nie obsługiwane +ErrorObjectNotFound = Obiekt %s nie został znaleziony, sprawdź swój adres URL +ErrorCountryCodeMustBe2Char=Kod kraju musi być ciągiem 2-znakowym + +ErrorTableExist=Tabela %s już istnieje +ErrorDictionaryNotFound=Słownik %s nie odnaleziony +ErrorFailedToCreateSymLinkToMedias=Nie udało się utworzyć dowiązania symbolicznego %s wskazującego na %s +ErrorCheckTheCommandInsideTheAdvancedOptions=Sprawdź polecenie użyte do eksportu w opcjach zaawansowanych eksportu + # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Twój parametr PHP upload_max_filesize (%s) jest wyższy niż parametr PHP post_max_size (%s). To nie jest spójna konfiguracja. WarningPasswordSetWithNoAccount=Hasło zostało ustawione dla tego użytkownika. Jednakże nie Konto użytkownika zostało utworzone. Więc to hasło jest przechowywane, ale nie mogą być używane do logowania do Dolibarr. Może być stosowany przez zewnętrzny moduł / interfejsu, ale jeśli nie trzeba definiować dowolną logowania ani hasła do członka, można wyłączyć opcję "Zarządzaj login dla każdego członka" od konfiguracji modułu użytkownika. Jeśli potrzebujesz zarządzać logowanie, ale nie wymagają hasła, możesz zachować to pole puste, aby uniknąć tego ostrzeżenia. Uwaga: E może być również stosowany jako login, jeśli element jest połączony do użytkownika. -WarningMandatorySetupNotComplete=Click here to setup main parameters +WarningMandatorySetupNotComplete=Kliknij tutaj, aby ustawić główne parametry WarningEnableYourModulesApplications=Kliknij tutaj, aby włączyć swoje moduły i aplikacje WarningSafeModeOnCheckExecDir=Uwaga, opcja safe_mode w PHP jest więc polecenia muszą być przechowywane wewnątrz katalogu safe_mode_exec_dir parametrów deklarowanych przez php. WarningBookmarkAlreadyExists=Zakładka z tego tytułu lub ten cel (URL) już istnieje. @@ -332,7 +344,7 @@ WarningConfFileMustBeReadOnly=Uwaga, plik konfiguracyjny (htdocs / conf / con WarningsOnXLines=Ostrzeżeń na linii źródło %s WarningNoDocumentModelActivated=Żaden model do generowania dokumentów nie został aktywowany. Model zostanie wybrany domyślnie, dopóki nie sprawdzisz konfiguracji modułu. WarningLockFileDoesNotExists=Ostrzeżenie, po zakończeniu instalacji należy wyłączyć narzędzia do instalacji / migracji, dodając plik install.lock do katalogu %s . Pominięcie utworzenia tego pliku stanowi poważne zagrożenie bezpieczeństwa. -WarningUntilDirRemoved=This security warning will remain active as long as the vulnerability is present. +WarningUntilDirRemoved=To ostrzeżenie dotyczące bezpieczeństwa pozostanie aktywne tak długo, jak długo będzie występować luka. WarningCloseAlways=Ostrzeżenie, zamykanie odbywa się nawet wtedy, gdy kwota zależy od elementów źródłowych i docelowych. Włącz tę funkcję, z zachowaniem ostrożności. WarningUsingThisBoxSlowDown=Ostrzeżenie, za pomocą tego pola spowolnić poważnie do wszystkich stron zawierających pola. WarningClickToDialUserSetupNotComplete=Konfiguracja ClickToDial informacji dla użytkownika nie są kompletne (patrz zakładka ClickToDial na kartę użytkownika). @@ -341,7 +353,7 @@ WarningPaymentDateLowerThanInvoiceDate=Termin płatności (%s) jest wcześniejsz WarningTooManyDataPleaseUseMoreFilters=Zbyt wiele danych (więcej niż% s linii). Proszę używać więcej filtrów lub ustawić stałą% s na wyższy limit. WarningSomeLinesWithNullHourlyRate=Czasami były rejestrowane przez niektórych użytkowników, a ich stawka godzinowa nie była zdefiniowana. Zastosowano wartość 0 %s na godzinę, ale może to skutkować nieprawidłową oceną poświęconego czasu. WarningYourLoginWasModifiedPleaseLogin=Twój login został zmodyfikowany. Z powodów bezpieczeństwa musisz zalogować się z użyciem nowego loginy przed kolejną czynnością. -WarningYourPasswordWasModifiedPleaseLogin=Your password was modified. For security purpose you will have to login now with your new password. +WarningYourPasswordWasModifiedPleaseLogin=Twoje hasło zostało zmodyfikowane. Ze względów bezpieczeństwa będziesz musiał zalogować się teraz przy użyciu nowego hasła. WarningAnEntryAlreadyExistForTransKey=Istnieje już wpis dotyczący klucza tłumaczenia dla tego języka WarningNumberOfRecipientIsRestrictedInMassAction=Uwaga, liczba różnych odbiorców jest ograniczona do %s podczas korzystania z akcji masowych na listach WarningDateOfLineMustBeInExpenseReportRange=Uwaga, data wiersza nie mieści się w zakresie raportu z wydatków @@ -353,40 +365,42 @@ WarningTheHiddenOptionIsOn=Ostrzeżenie, ukryta opcja %s jest włączon WarningCreateSubAccounts=Ostrzeżenie, nie możesz bezpośrednio utworzyć konta podrzędnego, musisz utworzyć stronę trzecią lub użytkownika i przypisać im kod księgowy, aby znaleźć je na tej liście WarningAvailableOnlyForHTTPSServers=Dostępne tylko w przypadku korzystania z bezpiecznego połączenia HTTPS. WarningModuleXDisabledSoYouMayMissEventHere=Moduł %s nie został włączony. Możesz więc przegapić wiele wydarzeń tutaj. -WarningPaypalPaymentNotCompatibleWithStrict=The value 'Strict' makes the online payment features not working correctly. Use 'Lax' instead. -WarningThemeForcedTo=Warning, theme has been forced to %s by hidden constant MAIN_FORCETHEME -WarningPagesWillBeDeleted=Warning, this will also delete all existing pages/containers of the website. You should export your website before, so you have a backup to re-import it later. -WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Automatic validation is disabled when option to decrease stock is set on "Invoice validation". -WarningModuleNeedRefrech = Module %s has been disabled. Don't forget to enable it -WarningPermissionAlreadyExist=Existing permissions for this object -WarningGoOnAccountancySetupToAddAccounts=If this list is empty, go into menu %s - %s - %s to load or create accounts for your chart of account. -WarningCorrectedInvoiceNotFound=Corrected invoice not found +WarningPaypalPaymentNotCompatibleWithStrict=Wartość „Strict” powoduje, że funkcje płatności online nie działają poprawnie. Zamiast tego użyj słowa „Lax”. +WarningThemeForcedTo=Uwaga, motyw został zmuszony do %s przez ukrytą stałą MAIN_FORCETHEME +WarningPagesWillBeDeleted=Uwaga, spowoduje to również usunięcie wszystkich istniejących stron/kontenerów witryny. Powinieneś wcześniej wyeksportować swoją witrynę, aby mieć kopię zapasową, aby móc ją później ponownie zaimportować. +WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Automatyczna weryfikacja jest wyłączona, gdy opcja zmniejszenia zapasów jest ustawiona na „Weryfikacja faktury”. +WarningModuleNeedRefresh = Moduł %s został wyłączony. Nie zapomnij go włączyć +WarningPermissionAlreadyExist=Istniejące uprawnienia dla tego obiektu +WarningGoOnAccountancySetupToAddAccounts=Jeśli ta lista jest pusta, przejdź do menu %s - %s - %s aby załadować lub utworzyć konta dla planu kont. +WarningCorrectedInvoiceNotFound=Nie znaleziono korekty faktury +WarningCommentNotFound=Sprawdź położenie komentarzy początkowych i końcowych w sekcji %s w plik %s przed przesłaniem działania +WarningAlreadyReverse=Ruch zapasów został już odwrócony -SwissQrOnlyVIR = SwissQR invoice can only be added on invoices set to be paid with credit transfer payments. -SwissQrCreditorAddressInvalid = Creditor address is invalid (are ZIP and city set? (%s) -SwissQrCreditorInformationInvalid = Creditor information is invalid for IBAN (%s): %s -SwissQrIbanNotImplementedYet = QR-IBAN not implemented yet -SwissQrPaymentInformationInvalid = Payment information was invalid for total %s : %s -SwissQrDebitorAddressInvalid = Debitor information was invalid (%s) +SwissQrOnlyVIR = Fakturę SwissQR można dodać wyłącznie do faktur ustawionych na płatność przelewem. +SwissQrCreditorAddressInvalid = Adres wierzyciela jest nieprawidłowy (czy ustawiony jest kod pocztowy i miasto? (%s) +SwissQrCreditorInformationInvalid = Informacje o wierzycielu są nieprawidłowe dla numeru IBAN (%s): %s +SwissQrIbanNotImplementedYet = QR-IBAN nie został jeszcze wdrożony +SwissQrPaymentInformationInvalid = Informacje o płatności były nieprawidłowe dla całości %s: %s +SwissQrDebitorAddressInvalid = Informacje o dłużniku były nieprawidłowe (%s) # Validate -RequireValidValue = Value not valid -RequireAtLeastXString = Requires at least %s character(s) -RequireXStringMax = Requires %s character(s) max -RequireAtLeastXDigits = Requires at least %s digit(s) -RequireXDigitsMax = Requires %s digit(s) max -RequireValidNumeric = Requires a numeric value -RequireValidEmail = Email address is not valid -RequireMaxLength = Length must be less than %s chars -RequireMinLength = Length must be more than %s char(s) -RequireValidUrl = Require valid URL -RequireValidDate = Require a valid date -RequireANotEmptyValue = Is required -RequireValidDuration = Require a valid duration -RequireValidExistingElement = Require an existing value -RequireValidBool = Require a valid boolean -BadSetupOfField = Error bad setup of field -BadSetupOfFieldClassNotFoundForValidation = Error bad setup of field : Class not found for validation -BadSetupOfFieldFileNotFound = Error bad setup of field : File not found for inclusion -BadSetupOfFieldFetchNotCallable = Error bad setup of field : Fetch not callable on class -ErrorTooManyAttempts= Too many attempts, please try again later +RequireValidValue = Wartość nieprawidłowa +RequireAtLeastXString = Wymaga co najmniej %s znaków +RequireXStringMax = Wymaga maksymalnie %s znaków +RequireAtLeastXDigits = Wymaga co najmniej %s cyfr +RequireXDigitsMax = Wymaga maksymalnie %s cyfr +RequireValidNumeric = Wymaga wartości liczbowej +RequireValidEmail = Adres e-mail jest nieprawidłowy +RequireMaxLength = Długość musi być mniejsza niż %s znaków +RequireMinLength = Długość musi być większa niż %s znaków +RequireValidUrl = Wymaga prawidłowego adresu URL +RequireValidDate = Wymaga poprawnej daty +RequireANotEmptyValue = Jest wymagane +RequireValidDuration = Wymaga prawidłowego czasu trwania +RequireValidExistingElement = Wymaga istniejącej wartości +RequireValidBool = Wymaga prawidłowego wartości logicznej +BadSetupOfField = Błąd nieprawidłowej konfiguracji pola +BadSetupOfFieldClassNotFoundForValidation = Błąd nieprawidłowej konfiguracji pola: Nie znaleziono klasy do sprawdzenia +BadSetupOfFieldFileNotFound = Błąd nieprawidłowej konfiguracji pola: Nie znaleziono pliku do włączenia +BadSetupOfFieldFetchNotCallable = Błąd nieprawidłowej konfiguracji pola: Fetch nie jest wywoływany w klasie +ErrorTooManyAttempts= Zbyt wiele prób. Spróbuj ponownie później diff --git a/htdocs/langs/pl_PL/eventorganization.lang b/htdocs/langs/pl_PL/eventorganization.lang index c9820d7f586..e1674c3eb6c 100644 --- a/htdocs/langs/pl_PL/eventorganization.lang +++ b/htdocs/langs/pl_PL/eventorganization.lang @@ -53,12 +53,13 @@ EVENTORGANIZATION_FILTERATTENDEES_TYPE = In the form to create/add an attendee, # # Object # +OrganizedEvent=Organized event EventOrganizationConfOrBooth= Konferencja lub stoisko EventOrganizationConfOrBoothes=Conferences or Boothes -ManageOrganizeEvent = Manage the organization of an event +ManageOrganizeEvent = Zarządzaj organizacją wydarzenia ConferenceOrBooth = Konferencja lub stoisko ConferenceOrBoothTab = Konferencja lub stoisko -AmountPaid = Amount paid +AmountPaid = Wartość zapłacona DateOfRegistration = Date of registration ConferenceOrBoothAttendee = Uczestnik konferencji lub stoiska ApplicantOrVisitor=Applicant or visitor @@ -89,7 +90,7 @@ PriceOfRegistrationHelp=Price to pay to register or participate in the event PriceOfBooth=Cena abonamentu za stoisko PriceOfBoothHelp=Cena abonamentu za stoisko EventOrganizationICSLink=Link ICS for conferences -ConferenceOrBoothInformation=Informacje o konferencji lub stoisku +ConferenceOrBoothInformation=Conference Or Booth information Attendees=Uczestnicy ListOfAttendeesOfEvent=List of attendees of the event project DownloadICSLink = Pobierz link do ICS @@ -97,6 +98,7 @@ EVENTORGANIZATION_SECUREKEY = Seed to secure the key for the public registration SERVICE_BOOTH_LOCATION = Usługa używana do wiersza faktury o lokalizacji stoiska SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Service used for the invoice row about an attendee subscription to an event NbVotes=Liczba głosów + # # Status # @@ -105,9 +107,10 @@ EvntOrgSuggested = Zasugerowane EvntOrgConfirmed = Potwierdzone EvntOrgNotQualified = Brak kwalifikacji EvntOrgDone = Zrobione -EvntOrgCancelled = Anulowane +EvntOrgCancelled = Anulowany + # -# Public page +# Other # SuggestForm = Strona sugestii SuggestOrVoteForConfOrBooth = Page for suggestion or vote @@ -143,13 +146,8 @@ OrganizationEventBulkMailToAttendees=This is a remind about your participation i OrganizationEventBulkMailToSpeakers=This is a reminder on your participation in the event as a speaker OrganizationEventLinkToThirdParty=Link to third party (customer, supplier or partner) OrganizationEvenLabelName=Public name of the conference or booth - NewSuggestionOfBooth=Application for a booth -NewSuggestionOfConference=Application for a conference - -# -# Vote page -# +NewSuggestionOfConference=Application to hold a conference EvntOrgRegistrationWelcomeMessage = Witamy na stronie z propozycjami konferencji lub stoisk. EvntOrgRegistrationConfWelcomeMessage = Witamy na stronie propozycji konferencji. EvntOrgRegistrationBoothWelcomeMessage = Witamy na stronie propozycji stoisk. @@ -157,8 +155,8 @@ EvntOrgVoteHelpMessage = Tutaj możesz przeglądać i głosować na sugerowane w VoteOk = Twój głos został zaakceptowany. AlreadyVoted = Już zagłosowałeś na to wydarzenie. VoteError = Podczas głosowania wystąpił błąd, spróbuj ponownie. - SubscriptionOk=Your registration has been recorded +AmountOfRegistrationPaid=Amount of registration paid ConfAttendeeSubscriptionConfirmation = Confirmation of your subscription to an event Attendee = Uczestnik PaymentConferenceAttendee = Opłata za uczestnika konferencji @@ -168,7 +166,15 @@ RegistrationAndPaymentWereAlreadyRecorder=A registration and a payment were alre EmailAttendee=Attendee email EmailCompany=Company email EmailCompanyForInvoice=Company email (for invoice, if different of attendee email) -ErrorSeveralCompaniesWithEmailContactUs=Several companies with this email has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation -ErrorSeveralCompaniesWithNameContactUs=Several companies with this name has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation +ErrorSeveralCompaniesWithEmailContactUs=Several companies with this email has been found so we can't validate automatically your registration. Please contact us at %s for a manual validation +ErrorSeveralCompaniesWithNameContactUs=Several companies with this name has been found so we can't validate automatically your registration. Please contact us at %s for a manual validation NoPublicActionsAllowedForThisEvent=No public actions are open to public for this event MaxNbOfAttendees=Max number of attendees +DateStartEvent=Event start date +DateEndEvent=Event end date +ModifyStatus=Modify status +ConfirmModifyStatus=Confirm status modification +ConfirmModifyStatusQuestion=Are you sure you want to modify the %s selected record(s)? +RecordsUpdated = %s Records updated +RecordUpdated = Record updated +NoRecordUpdated = No Record updated diff --git a/htdocs/langs/pl_PL/exports.lang b/htdocs/langs/pl_PL/exports.lang index 9098991992e..1ce1b11ad19 100644 --- a/htdocs/langs/pl_PL/exports.lang +++ b/htdocs/langs/pl_PL/exports.lang @@ -18,6 +18,7 @@ ExportableFields=Wywóz pola ExportedFields=Eksportowane pola ImportModelName=Importuj nazwę profilu ImportModelSaved=Importuj profil zapisany jako %s . +ImportProfile=Import profile DatasetToExport=Zbiór danych do eksportu DatasetToImport=Dataset importować ChooseFieldsOrdersAndTitle=Wybierz kolejność pól... @@ -26,8 +27,8 @@ FieldTitle=pole tytuł NowClickToGenerateToBuildExportFile=Teraz wybierz format pliku w polu kombi i kliknij „Generuj”, aby zbudować plik eksportu ... AvailableFormats=Dostępne formaty LibraryShort=Biblioteka -ExportCsvSeparator=Separator znaków CSV -ImportCsvSeparator=Separator znaków CSV +ExportCsvSeparator=Csv character separator +ImportCsvSeparator=Csv character separator Step=Krok FormatedImport=Asystent importu FormatedImportDesc1=Moduł ten umożliwia aktualizację istniejących danych lub dodawanie nowych obiektów do bazy danych z pliku bez wiedzy technicznej, przy pomocy asystenta. @@ -53,6 +54,7 @@ TypeOfLineServiceOrProduct=Rodzaj pozycji (0=produkt, 1=usługa) FileWithDataToImport=Plik z danymi do importu FileToImport=Plik źródłowy do zaimportowania FileMustHaveOneOfFollowingFormat=Plik do zaimportowania musi mieć jeden z następujących formatów +DownloadEmptyExampleShort=Pobierz wzorcowy plik DownloadEmptyExample=Download a template file with examples and information on fields you can import StarAreMandatory=Into the template file, all fields with a * are mandatory fields ChooseFormatOfFileToImport=Wybierz format pliku, który ma być używany jako format pliku importu, klikając ikonę %s, aby go wybrać ... @@ -82,7 +84,7 @@ SelectFormat=Wybierz ten format pliku importu RunImportFile=Zaimportować dane NowClickToRunTheImport=Sprawdź wyniki symulacji importu. Popraw wszystkie błędy i przeprowadź ponownie test.
      Gdy symulacja nie wykaże żadnych błędów, możesz przystąpić do importu danych do bazy danych. DataLoadedWithId=Zaimportowane dane będą miały dodatkowe pole w każdej tabeli bazy danych o tym identyfikatorze importu: %s , aby umożliwić ich przeszukiwanie w przypadku badania problemu związanego z tym importem. -ErrorMissingMandatoryValue=Obowiązkowe dane są puste w pliku źródłowym dla pola %s . +ErrorMissingMandatoryValue=Mandatory data is empty in the source file in column %s. TooMuchErrors=Nadal istnieją %s innych wierszy źródłowych z błędami, ale dane wyjściowe są ograniczone. TooMuchWarnings=Nadal istnieją %s inne wiersze źródłowe z ostrzeżeniami, ale dane wyjściowe są ograniczone. EmptyLine=Pusty wiersz (zostanie odrzucona) @@ -92,9 +94,9 @@ YouCanUseImportIdToFindRecord=Możesz znaleźć wszystkie zaimportowane rekordy NbOfLinesOK=Liczba linii bez błędów i żadnych ostrzeżeń: %s. NbOfLinesImported=Liczba linii zaimportowany: %s. DataComeFromNoWhere=Wartości, aby dodać pochodzi z nigdzie w pliku źródłowym. -DataComeFromFileFieldNb=Wartość do dodania pochodzi z pola numer %s w pliku źródłowym. -DataComeFromIdFoundFromRef=Wartość pochodząca z pola o numerze %s pliku źródłowego zostanie użyta do znalezienia identyfikatora obiektu nadrzędnego do użycia (więc obiekt %s a09a4b739f17f8 musi istnieć w pliku źródłowym. -DataComeFromIdFoundFromCodeId=Kod pochodzący z pola o numerze %s pliku źródłowego zostanie użyty do znalezienia identyfikatora obiektu nadrzędnego do użycia (więc kod z pliku źródłowego musi istnieć w słowniku %s39f17f). Zauważ, że jeśli znasz identyfikator, możesz go również użyć w pliku źródłowym zamiast w kodzie. Import powinien działać w obu przypadkach. +DataComeFromFileFieldNb=Value to insert comes from column %s in source file. +DataComeFromIdFoundFromRef=The value that comes from the source file will be used to find the id of the parent object to use (so the object %s that has the ref. from source file must exist in the database). +DataComeFromIdFoundFromCodeId=The value of code that comes from source file will be used to find the id of the parent object to use (so the code from source file must exist in the dictionary %s). Note that if you know the id, you can also use it in the source file instead of the code. Import should work in both cases. DataIsInsertedInto=Dane pochodzące z pliku źródłowego zostaną wstawione w następujące pola: DataIDSourceIsInsertedInto=The id of the parent object, that was found using the data in the source file, will be inserted into the following field: DataCodeIDSourceIsInsertedInto=The id of the parent line, that was found from code, will be inserted into the following field: @@ -132,9 +134,14 @@ FormatControlRule=Zasada kontroli formatu ## imports updates KeysToUseForUpdates=Klucz (kolumna) do użycia dla aktualizacji istniejących danych NbInsert=ilość wprowadzonych linii: %s +NbInsertSim=Number of lines that will be inserted: %s NbUpdate=Ilość zaktualizowanych linii: %s +NbUpdateSim=Number of lines that will be updated : %s MultipleRecordFoundWithTheseFilters=Znaleziono wiele rekordów z tymi filtrami: %s StocksWithBatch=Stany i lokalizacja (magazyn) produktów z numerem partii / serii WarningFirstImportedLine=The first line(s) will not be imported with the current selection NotUsedFields=Fields of database not used SelectImportFieldsSource = Choose the source file fields you want to import and their target field in database by choosing the fields in each select boxes, or select a predefined import profile: +MandatoryTargetFieldsNotMapped=Some mandatory target fields are not mapped +AllTargetMandatoryFieldsAreMapped=All target fields that need a mandatory value are mapped +ResultOfSimulationNoError=Result of simulation: No error diff --git a/htdocs/langs/pl_PL/holiday.lang b/htdocs/langs/pl_PL/holiday.lang index 7ba1cbd9ab8..649012c399b 100644 --- a/htdocs/langs/pl_PL/holiday.lang +++ b/htdocs/langs/pl_PL/holiday.lang @@ -1,12 +1,12 @@ # Dolibarr language file - Source file is en_US - holiday -HRM=HRM +HRM=Kadry Holidays=Urlopy Holiday=Urlop CPTitreMenu=Urlop MenuReportMonth=Miesięczne zestawienie MenuAddCP=Nowy wniosek urlopowy -MenuCollectiveAddCP=New collective leave request -NotActiveModCP=Aby wyświetlić tę stronę, musisz włączyć moduł Wyjdź. +MenuCollectiveAddCP=New collective leave +NotActiveModCP=Aby wyświetlić tę stronę, musisz aktywować moduł urlopowy. AddCP=Stwórz wniosek urlopowy DateDebCP=Data rozpoczęcia DateFinCP=Data zakończenia @@ -82,8 +82,8 @@ MotifCP=Powód UserCP=Użytkownik ErrorAddEventToUserCP=Wystąpił błąd podczas dodawania wyjątkowy urlop. AddEventToUserOkCP=Dodanie wyjątkowe prawo zostało zakończone. -ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be filled in -fusionGroupsUsers=The groups field and the user field will be merged +ErrorFieldRequiredUserOrGroup=Należy wypełnić pole „grupa” lub „użytkownik”. +fusionGroupsUsers=Pole grup i pole użytkownika zostaną połączone MenuLogCP=Pokaż log zmian LogCP=Dziennik wszystkich aktualizacji dotyczących „Bilansu urlopów” ActionByCP=Aktualizowany przez @@ -91,14 +91,14 @@ UserUpdateCP=Zaktualizowano dla PrevSoldeCP=Poprzednie saldo NewSoldeCP=Nowy bilans alreadyCPexist=Wniosek urlopowy na ten okres czasu został już zrobiony. -UseralreadyCPexist=A leave request has already been done on this period for %s. +UseralreadyCPexist=Złożono już wniosek o urlop w tym okresie dla %s. groups=Grupy users=Użytkownicy -AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request -AutoValidationOnCreate=Automatic validation -FirstDayOfHoliday=Początek wniosku o urlop +AutoSendMail=Automatyczna wysyłka +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave +AutoValidationOnCreate=Automatyczna walidacja +FirstDayOfHoliday=Dzień rozpoczęcia wniosku o urlop LastDayOfHoliday=Końcowy dzień wniosku o urlop HolidaysMonthlyUpdate=Miesięczna aktualizacja ManualUpdate=Ręczna aktualizacja @@ -113,7 +113,7 @@ NotTheAssignedApprover=Nie jesteś przypisaną osobą zatwierdzającą LEAVE_PAID=Opłacone wakacje LEAVE_SICK=Zwolnienie lekarskie LEAVE_OTHER=Inny urlop -LEAVE_PAID_FR=Opłacone wakacje +LEAVE_PAID_FR=Płatne wakacje ## Configuration du Module ## LastUpdateCP=Ostatnia automatyczna aktualizacja przydziału urlopów MonthOfLastMonthlyUpdate=Miesiąc ostatniej automatycznej aktualizacji przydziału urlopów @@ -141,17 +141,17 @@ HolidaysNumberingModules=Modele numeracji wniosków urlopowych TemplatePDFHolidays=Szablon wniosków urlopowych PDF FreeLegalTextOnHolidays=Dowolny tekst w formacie PDF WatermarkOnDraftHolidayCards=Znaki wodne na projektach wniosków urlopowych -HolidaysToApprove=Wakacje do zatwierdzenia -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate leave requests +HolidaysToApprove=Urlopy do zatwierdzenia +NobodyHasPermissionToValidateHolidays=Nikt nie ma uprawnień do zatwierdzania wniosków urlopowych HolidayBalanceMonthlyUpdate=Miesięczna aktualizacja salda urlopów -XIsAUsualNonWorkingDay=%s is usualy a NON working day +XIsAUsualNonWorkingDay=%s to zazwyczaj dzień NIEroboczy BlockHolidayIfNegative=Zablokuj, jeśli saldo jest ujemne -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative -ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted +LeaveRequestCreationBlockedBecauseBalanceIsNegative=Utworzenie tego wniosku o urlop jest zablokowane, ponieważ saldo jest ujemne +ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Prośba o opuszczenie %s musi być wersja robocza, anulowana lub nie można jej usunąć IncreaseHolidays=Zwiększ saldo urlopu HolidayRecordsIncreased= %s zwiększonych sald urlopów HolidayRecordIncreased=Zwiększono saldo urlopu -ConfirmMassIncreaseHoliday=Bulk leave balance increase -NumberDayAddMass=Number of day to add to the selection -ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? -HolidayQtyNotModified=Balance of remaining days for %s has not been changed +ConfirmMassIncreaseHoliday=Zwiększenie salda urlopów zbiorczych +NumberDayAddMass=Numer dnia, który ma zostać dodany do wyboru +ConfirmMassIncreaseHolidayQuestion=Czy na pewno chcesz wydłużyć czas wolny dla wybranych rekordów %s? +HolidayQtyNotModified=Bilans pozostałych dni dla %s nie został zmieniony diff --git a/htdocs/langs/pl_PL/knowledgemanagement.lang b/htdocs/langs/pl_PL/knowledgemanagement.lang index e2cd356bce5..b12ce61e73a 100644 --- a/htdocs/langs/pl_PL/knowledgemanagement.lang +++ b/htdocs/langs/pl_PL/knowledgemanagement.lang @@ -18,7 +18,7 @@ # # Module label 'ModuleKnowledgeManagementName' -ModuleKnowledgeManagementName = System Zarządzania wiedzą +ModuleKnowledgeManagementName = System Zarządzania Wiedzą # Module description 'ModuleKnowledgeManagementDesc' ModuleKnowledgeManagementDesc=Zarządzaj Zarządzaniem wiedzą lub Obsługą klienta @@ -39,6 +39,7 @@ KnowledgeManagementAboutPage = Strona informacyjna Zarządzania wiedzą KnowledgeManagementArea = Zarządzanie wiedzą MenuKnowledgeRecord = Baza wiedzy +MenuKnowledgeRecordShort = Baza wiedzy ListKnowledgeRecord = Lista artykułów NewKnowledgeRecord = Nowy artykuł ValidateReply = Sprawdź poprawność rozwiązania @@ -47,8 +48,14 @@ KnowledgeRecord = Artykuł KnowledgeRecordExtraFields = Extrapola dla artykułu GroupOfTicket=Grupa biletów YouCanLinkArticleToATicketCategory=You can link the article to a ticket group (so the article will be highlighted on any tickets in this group) -SuggestedForTicketsInGroup=Suggested for tickets when group is +SuggestedForTicketsInGroup=Suggested on ticket creation SetObsolete=Set as obsolete ConfirmCloseKM=Do you confirm the closing of this article as obsolete ? ConfirmReopenKM=Do you want to restore this article to status "Validated" ? +BoxLastKnowledgerecordDescription=Last %s articles +BoxLastKnowledgerecord=Last articles +BoxLastKnowledgerecordContent=Last articles +BoxLastKnowledgerecordModifiedContent=Last modified articles +BoxLastModifiedKnowledgerecordDescription=Last %s modified articles +BoxLastModifiedKnowledgerecord=Last modified articles diff --git a/htdocs/langs/pl_PL/mails.lang b/htdocs/langs/pl_PL/mails.lang index bcc4d2f1ff5..512a2f6a56e 100644 --- a/htdocs/langs/pl_PL/mails.lang +++ b/htdocs/langs/pl_PL/mails.lang @@ -13,7 +13,7 @@ MailReply=Odpowiedz do MailTo=Do MailToUsers=Do użytkownika (ów) MailCC=Kopiuj do -MailToCCUsers=Kopiuj dla użytkowników +MailToCCUsers=Kopiuj do użytkownika(ów) MailCCC=Kopi w pamięci do MailTopic=Temat wiadomości e-mail MailText=Wiadomość @@ -60,7 +60,7 @@ EMailTestSubstitutionReplacedByGenericValues=Podczas korzystania z trybu testowe MailingAddFile=Dołącz ten plik NoAttachedFiles=Nie załączono plików BadEMail=Zła wartość dla e-maila -EMailNotDefined=Email not defined +EMailNotDefined=Nie zdefiniowano adresu e-mail ConfirmCloneEMailing=Czy na pewno chcesz sklonować tę wiadomość e-mail? CloneContent=Kopia wiadomości CloneReceivers=Skopiuj odbiorców @@ -93,7 +93,7 @@ MailingModuleDescEmailsFromUser=E-maile wprowadzone przez użytkownika MailingModuleDescDolibarrUsers=Użytkownicy z e-mailami MailingModuleDescThirdPartiesByCategories=Kontrahenci SendingFromWebInterfaceIsNotAllowed=Wysyłanie z interfejsu internetowego jest niedozwolone. -EmailCollectorFilterDesc=All filters must match to have an email being collected.
      You can use the character "!" before the search string value if you need a negative test +EmailCollectorFilterDesc=Aby e-mail został odebrany, wszystkie filtry muszą być zgodne.
      Możesz użyć znaku „!” przed wartością ciągu wyszukiwania, jeśli potrzebujesz negatywnego testu # Libelle des modules de liste de destinataires mailing LineInFile=Linia w pliku %s @@ -128,9 +128,9 @@ NoEmailSentBadSenderOrRecipientEmail=Nie wysłano wiadomości email. Zły email # Module Notifications Notifications=Powiadomienia NotificationsAuto=Powiadomienia Auto. -NoNotificationsWillBeSent=Dla tego typu wydarzeń i firmy nie są planowane żadne automatyczne powiadomienia e-mail -ANotificationsWillBeSent=1 automatyczne powiadomienie zostanie wysłane e-mailem -SomeNotificationsWillBeSent=%s automatyczne powiadomienia będą wysyłane pocztą elektroniczną +NoNotificationsWillBeSent=Dla tego rodzaju zdarzenia i tej firmy nie zostały zaplanowane żadne automatyczne powiadomienia e-mail +ANotificationsWillBeSent=Na e-mail zostanie wysłane 1 automatyczne powiadomienie +SomeNotificationsWillBeSent=Na e-mail zostanie wysłane %s automatyczne powiadomienie AddNewNotification=Zasubskrybuj nowe automatyczne powiadomienie e-mail (cel / wydarzenie) ListOfActiveNotifications=Lista wszystkich aktywnych subskrypcji (celów/wydarzeń) do automatycznego powiadamiania za pomocą e-mail ListOfNotificationsDone=Lista wszystkich wysłanych automatycznych powiadomień e-mail @@ -163,8 +163,8 @@ AdvTgtDeleteFilter=Usuń filtr AdvTgtSaveFilter=Zapisz filtr AdvTgtCreateFilter=Utwórz filtr AdvTgtOrCreateNewFilter=Nazwa nowego filtra -NoContactWithCategoryFound=No category found linked to some contacts/addresses -NoContactLinkedToThirdpartieWithCategoryFound=No category found linked to some thirdparties +NoContactWithCategoryFound=Nie znaleziono kategorii powiązanej z niektórymi kontaktami/adresami +NoContactLinkedToThirdpartieWithCategoryFound=Nie znaleziono kategorii powiązanej z niektórymi stronami trzecimi OutGoingEmailSetup=Wychodzące e-maile InGoingEmailSetup=Przychodzące e-maile OutGoingEmailSetupForEmailing=Wychodzące wiadomości e-mail (dla modułu %s) @@ -176,11 +176,13 @@ Answered=Odpowiedział IsNotAnAnswer=Brak odpowiedzi (pierwszy e-mail) IsAnAnswer=To odpowiedź na pierwszą wiadomość e-mail RecordCreatedByEmailCollector=Rekord utworzony przez moduł zbierający wiadomości e-mail %s z wiadomości e-mail %s -DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact +DefaultBlacklistMailingStatus=Domyślna wartość pola „%s” podczas tworzenia nowego kontaktu DefaultStatusEmptyMandatory=Puste, ale obowiązkowe -WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. -NoMoreRecipientToSendTo=No more recipient to send the email to -EmailOptedOut=Email owner has requested to not contact him with this email anymore -EvenUnsubscribe=Include opt-out emails -EvenUnsubscribeDesc=Include opt-out emails when you select emails as targets. Usefull for mandatory service emails for example. -XEmailsDoneYActionsDone=%s emails pre-qualified, %s emails successfully processed (for %s record/actions done) +WarningLimitSendByDay=OSTRZEŻENIE: konfiguracja lub umowa Twojej instancji ogranicza liczbę e-maili dziennie do %s. Próba wysłania większej liczby może spowodować spowolnienie lub zawieszenie instancji. Jeśli potrzebujesz większego limitu, skontaktuj się ze swoim wsparciem. +NoMoreRecipientToSendTo=Nie ma już odbiorcy, do którego można wysłać wiadomość e-mail +EmailOptedOut=Właściciel adresu e-mail poprosił o zaprzestanie kontaktowania się z nim za pomocą tego e-maila +EvenUnsubscribe=Dołącz e-maile dotyczące rezygnacji +EvenUnsubscribeDesc=Uwzględnij e-maile z możliwością rezygnacji, gdy wybierasz e-maile jako cele. Przydatne na przykład w przypadku obowiązkowych e-maili serwisowych. +XEmailsDoneYActionsDone=%s e-maile wstępnie zakwalifikowane, %s e-maile pomyślnie przetworzone (dla rekordu %s /wykonane czynności) +helpWithAi=Add instructions +YouCanMakeSomeInstructionForEmail=You Can Make Some Instruction For your Email (Exemple: generate image in email template...) diff --git a/htdocs/langs/pl_PL/main.lang b/htdocs/langs/pl_PL/main.lang index cb542114773..d5ecc43c711 100644 --- a/htdocs/langs/pl_PL/main.lang +++ b/htdocs/langs/pl_PL/main.lang @@ -20,7 +20,7 @@ FormatDateShortJava=dd-MM-yyyy FormatDateShortJavaInput=dd-MM-yyyy FormatDateShortJQuery=dd-mm-yy FormatDateShortJQueryInput=dd-mm-yy -FormatHourShortJQuery=HH:MM +FormatHourShortJQuery=HH:MI FormatHourShort=%I:%M %p FormatHourShortDuration=%H:%M FormatDateTextShort=%d %b %Y @@ -34,7 +34,7 @@ NoTemplateDefined=Szablon niedostępny dla tego typu wiadomości email AvailableVariables=Dostępne zmienne substytucji NoTranslation=Brak tłumaczenia Translation=Tłumaczenie -Translations=Translations +Translations=Tłumaczenia CurrentTimeZone=Strefa czasowa PHP (server) EmptySearchString=Wprowadź niepuste kryteria wyszukiwania EnterADateCriteria=Wprowadź kryteria daty @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Próba wysłania maila nie udana (nadawca=%s, odbiorca=%s) ErrorFileNotUploaded=Plik nie został załadowany. Sprawdź, czy rozmiar nie przekracza maksymalnej dopuszczalnej wagi, lub czy wolne miejsce jest dostępne na dysku. Sprawdz czy nie ma już pliku o takiej samej nazwie w tym katalogu. ErrorInternalErrorDetected=Wykryto błąd ErrorWrongHostParameter=Niewłaściwy parametr hosta -ErrorYourCountryIsNotDefined=Twój kraj nie jest zdefiniowany. Przejdź do Strona Główna-Konfiguracja-Edycja i ponownie opublikuj formularz. +ErrorYourCountryIsNotDefined=Twój kraj nie jest zdefiniowany. Przejdź do Home-Setup-Company/Foundation i ponownie wyślij formularz. ErrorRecordIsUsedByChild=Nie można usunąć rekordu. Rekord jest używany przez inny rekord potomny. ErrorWrongValue=Błędna wartość ErrorWrongValueForParameterX=Nieprawidłowa wartość dla parametru %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Błąd, nie określono stawki VAT dla kraj ErrorNoSocialContributionForSellerCountry=Błąd, brak określonej stopy podatkowej dla kraju '%s'. ErrorFailedToSaveFile=Błąd, nie udało się zapisać pliku. ErrorCannotAddThisParentWarehouse=Próbujesz dodać magazyn nadrzędny, który jest już podrzędny w stosunku do istniejącego magazynu +ErrorInvalidSubtype=Wybrany podtyp jest niedozwolony FieldCannotBeNegative=Pole „%s” nie może być ujemne MaxNbOfRecordPerPage=Max. ilość wierszy na stronę NotAuthorized=Nie masz autoryzacji aby to zrobić @@ -95,7 +96,7 @@ FileWasNotUploaded=Wybrano pliku do zamontowaia, ale jeszcze nie wysłano. W tym NbOfEntries=Liczba wpisów GoToWikiHelpPage=Przeczytaj pomoc online (wymaga połączenia z internetem) GoToHelpPage=Przeczytaj pomoc -DedicatedPageAvailable=Dedicated help page related to your current screen +DedicatedPageAvailable=Dedykowana strona pomocy związana z bieżącym ekranem HomePage=Strona główna RecordSaved=Rekord zapisany RecordDeleted=Rekord usunięty @@ -103,7 +104,8 @@ RecordGenerated=Rekord wygenerowany LevelOfFeature=możliwości funkcji NotDefined=Nie zdefiniowany DolibarrInHttpAuthenticationSoPasswordUseless=Tryb uwierzytelniania Dolibarr jest ustawiony na %s w pliku konfiguracyjnym conf.php.
      Oznacza to, że baza danych haseł jest na zewnątrz Dolibarr, więc zmiana tego pola może nie mieć wpływu. -Administrator=Administrator +Administrator=Administrator systemu +AdministratorDesc=Administrator systemu (może administrować użytkownikami, uprawnieniami, ale także konfiguracją systemu i konfiguracją modułów) Undefined=Niezdefiniowano PasswordForgotten=Zapomniałeś hasła? NoAccount=Brak konta? @@ -122,7 +124,7 @@ ReturnCodeLastAccessInError=Kod zwrotny ostatniego błędu żądania dostępu do InformationLastAccessInError=Informacje o najnowszym błędzie żądania dostępu do bazy danych DolibarrHasDetectedError=Dolibarr wykrył błąd techniczny YouCanSetOptionDolibarrMainProdToZero=Możesz przeczytać plik dziennika lub ustawić opcję $ dolibarr_main_prod na „0” w pliku konfiguracyjnym, aby uzyskać więcej informacji. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) +InformationToHelpDiagnose=Informacje te mogą być przydatne do celów diagnostycznych (możesz ustawić opcję $dolibarr_main_prod na „1”, aby ukryć wrażliwe informacje) MoreInformation=Więcej informacji TechnicalInformation=Informację techniczne TechnicalID=Techniczne ID @@ -163,12 +165,12 @@ Disable=Niedostępne Disabled=Niedostępne/Wyłączone Add=Dodać AddLink=Dodaj link -RemoveLink=Usuń link +RemoveLink=Usuń powiązanie AddToDraft=Dodaj do szkicu -Update=Uaktualnić +Update=Zaktualizuj Close=Zamknij -CloseAs=Ustaw status do -CloseBox=Usuń widget ze swojej tablicy +CloseAs=Zmień stan jako +CloseBox=Usuń widżet ze swojej tablicy Confirm=Potwierdź ConfirmSendCardByMail=Czy na pewno chcesz wysłać zawartość tej karty pocztą na adres %s ? Delete=Skasować @@ -179,17 +181,17 @@ Modify=Modyfikuj Edit=Edytuj Validate=Potwierdź ValidateAndApprove=Weryfikacja i zatwierdzanie -ToValidate=Aby potwierdzić +ToValidate=Do zatwierdzenia NotValidated=Nie potwierdzone -Save=Zapisać +Save=Zapisz SaveAs=Zapisz jako SaveAndStay=Zapisz i zostań SaveAndNew=Zapisz i nowe TestConnection=Test połączenia ToClone=Duplikuj -ConfirmCloneAsk=Czy jesteś pewny, chcesz sklonować objekt%s? +ConfirmCloneAsk=Czy jesteś pewny, że chcesz zduplikować obiekt %s? ConfirmClone=Wybierz dane, które chcesz powielić: -NoCloneOptionsSpecified=Brak zdefiniowanych danych do zduplikowania. +NoCloneOptionsSpecified=Nie zdefiniowano danych do zduplikowania. Of=z Go=Idź Run=Uruchom @@ -202,29 +204,29 @@ SearchOf=Szukaj QuickAdd=Szybkie dodanie Valid=Aktualny Approve=Zatwierdź -Disapprove=Potępiać +Disapprove=Cofnij zatwierdzenie ReOpen=Otwórz ponownie OpenVerb=Otwarte Upload=Wczytaj -ToLink=Łącze +ToLink=Powiąż Select=Wybierz SelectAll=Zaznacz wszystko -Choose=Wybrać +Choose=Wybierz Resize=Zmiana rozmiaru +Crop=Przyciąć ResizeOrCrop=Zmień rozmiar lub przytnij -Recenter=Wyśrodkuj Author=Autor User=Użytkownik Users=Użytkownicy Group=Grupa Groups=Grupy -UserGroup=User group -UserGroups=User groups -NoUserGroupDefined=Niezdefiniowano grup użytkowników +UserGroup=Grupa użytkownika +UserGroups=Grupy użytkownika +NoUserGroupDefined=Nie zdefiniowano grup użytkowników Password=Hasło -PasswordRetype=Repeat your password +PasswordRetype=Powtórz swoje hasło NoteSomeFeaturesAreDisabled=Należy pamiętać, że wiele funkcji/modułów jest wyłączonych w tej demonstracji. -YourUserFile=Your user file +YourUserFile=Twój plik użytkownika Name=Nazwa NameSlashCompany=Nazwa / Firma Person=Osoba @@ -235,8 +237,8 @@ PersonalValue=Osobiste wartości NewObject=Nowy %s NewValue=Nowa wartość OldValue=Stara wartość %s -FieldXModified=Field %s modified -FieldXModifiedFromYToZ=Field %s modified from %s to %s +FieldXModified=Pole %s zmodyfikowane +FieldXModifiedFromYToZ=Pole %s zmodyfikowano z %s na %s CurrentValue=Aktualna wartość Code=Kod Type=Typ @@ -253,7 +255,7 @@ Designation=Opis DescriptionOfLine=Opis pozycji DateOfLine=Data linii DurationOfLine=Czas trwania linii -ParentLine=Parent line ID +ParentLine=Identyfikator linii nadrzędnej Model=Szablon dokumentu DefaultModel=Domyślny szablon dokumentu Action=Działanie @@ -290,7 +292,7 @@ DateModification=Zmiana daty DateModificationShort=Data modyfikacji IPModification=Modyfikacja adresu IP DateLastModification=Data ostatniej zmiany -DateValidation=Zatwierdzenie daty +DateValidation=Data zatwierdzenia DateSigning=Data podpisania DateClosing=Ostateczny termin DateDue=W trakcie terminu @@ -303,8 +305,8 @@ DateRequest=Żądanie daty DateProcess=Proces daty DateBuild=Raport stworzenia daty DatePayment=Data płatności -DateApprove=Data zatwierdzania -DateApprove2=Termin zatwierdzania (drugie zatwierdzenie) +DateApprove=Data akceptacji +DateApprove2=Data akceptacji (druga akceptacja) RegistrationDate=Data rejestracji UserCreation=Tworzenie użytkownika UserModification=Modyfikacja użytkownika @@ -312,8 +314,8 @@ UserValidation=Użytkownik walidacji UserCreationShort=Utwórz użytkownika UserModificationShort=Zmień użytkownika UserValidationShort=Zły. Użytkownik -UserClosing=Closing user -UserClosingShort=Closing user +UserClosing=Zamykanie użytkownika +UserClosingShort=Zamykanie użytkownika DurationYear=rok DurationMonth=miesiąc DurationWeek=tydzień @@ -348,7 +350,7 @@ MonthOfDay=Dzień miesiąca DaysOfWeek=Dni tygodnia HourShort=H MinuteShort=mn -SecondShort=sec +SecondShort=sek Rate=Stawka CurrencyRate=Wartość kursu waluty UseLocalTax=Zawiera podatek @@ -357,13 +359,13 @@ KiloBytes=Kilobajtów MegaBytes=MB GigaBytes=GB TeraBytes=Terabajtów -UserAuthor=Created by +UserAuthor=Utworzone przez UserModif=Poprawiony przez -b=b. -Kb=Kb -Mb=Mb -Gb=Gb -Tb=Tb +b=B +Kb=kB +Mb=MB +Gb=GB +Tb=TB Cut=Wytnij Copy=Kopiowanie Paste=Wklej @@ -376,27 +378,27 @@ UnitPrice=Cena jednostkowa UnitPriceHT=Cena jednostkowa (wył.) UnitPriceHTCurrency=Cena jednostkowa (wył.) (Waluta) UnitPriceTTC=Cena jednostkowa -PriceU=cen/szt. -PriceUHT=cen/szt (netto) +PriceU=Cena jednostkowa +PriceUHT=Cena jednostkowa (netto) PriceUHTCurrency=Cena jednostkowa (netto) (waluta) -PriceUTTC=Podatek należny/naliczony -Amount=Ilość +PriceUTTC=Cena jednostkowa (brutto) +Amount=Kwota AmountInvoice=Kwota faktury AmountInvoiced=Kwota zafakturowana -AmountInvoicedHT=Kwota zafakturowana (bez podatku) -AmountInvoicedTTC=Kwota zafakturowana (z podatkiem) +AmountInvoicedHT=Kwota zafakturowana (netto) +AmountInvoicedTTC=Kwota zafakturowana (brutto) AmountPayment=Kwota płatności -AmountHTShort=Kwota (wył.) -AmountTTCShort=Kwota (zawierająca VAT) -AmountHT=Kwota (Bez VAT) -AmountTTC=Kwota (zawierająca VAT) +AmountHTShort=Kwota (netto) +AmountTTCShort=Kwota (brutto) +AmountHT=Kwota (netto) +AmountTTC=Kwota (brutto) AmountVAT=Kwota podatku VAT -MulticurrencyAlreadyPaid=Już zapłacono, oryginalna waluta -MulticurrencyRemainderToPay=Pozostało do zapłaty, oryginalna waluta -MulticurrencyPaymentAmount=Kwota płatności, oryginalna waluta -MulticurrencyAmountHT=Kwota (bez podatku), oryginalna waluta -MulticurrencyAmountTTC=Kwota (zVAT), oryginalna waluta -MulticurrencyAmountVAT=Kwota VAT, oryginalna waluta +MulticurrencyAlreadyPaid=Zapłacono, waluta oryginalna +MulticurrencyRemainderToPay=Pozostało do zapłaty, waluta oryginalna +MulticurrencyPaymentAmount=Kwota płatności, waluta oryginalna +MulticurrencyAmountHT=Kwota netto, waluta oryginalna +MulticurrencyAmountTTC=Kwota brutto, waluta oryginalna +MulticurrencyAmountVAT=Kwota VAT, waluta oryginalna MulticurrencySubPrice=Kwota ceny podrzędnej w wielu walutach AmountLT1=Wartość podatku 2 AmountLT2=Wartość podatku 3 @@ -411,9 +413,9 @@ AmountOrPercent=Kwota lub procent Percentage=Procentowo Total=Razem SubTotal=Po podliczeniu -TotalHTShort=Razem (wył.) -TotalHT100Short=Razem 100%% (wył.) -TotalHTShortCurrency=Razem (bez waluty) +TotalHTShort=Wartość netto +TotalHT100Short=Wartość 100%% (bez VAT) +TotalHTShortCurrency=Wartość netto (w walucie) TotalTTCShort=Ogółem (z VAT) TotalHT=Kwota (Bez VAT) TotalHTforthispage=Razem (bez podatku) dla tej strony @@ -429,7 +431,7 @@ TotalLT2ES=Razem IRPF TotalLT1IN=Wszystkie CGST TotalLT2IN=Wszystkie SGST HT=Bez VAT -TTC= z VAT +TTC=Z VAT INCVATONLY=Zawiera VAT INCT=Zawiera wszystkie podatki VAT=Stawka VAT @@ -493,7 +495,7 @@ ActionsOnContact=Wydarzenia dla tego kontaktu/adresu ActionsOnContract=Wydarzenia związane z tym kontraktem ActionsOnMember=Informacje o wydarzeniach dla tego uzytkownika ActionsOnProduct=Wydarzenia dotyczące tego produktu -ActionsOnAsset=Events for this fixed asset +ActionsOnAsset=Zdarzenia dla tego środka trwałego NActionsLate=%s późno ToDo=Do zrobienia Completed=Zakończony @@ -510,14 +512,14 @@ Duration=Czas trwania TotalDuration=Łączny czas trwania Summary=Podsumowanie DolibarrStateBoard=Statystyki bazy danych -DolibarrWorkBoard=Otwarte przedmioty +DolibarrWorkBoard=Otwarte pozycje NoOpenedElementToProcess=Brak otwartego elementu do przetworzenia Available=Dostępny NotYetAvailable=Nie są jeszcze dostępne NotAvailable=Niedostępne Categories=Tagi / kategorie Category=Tag / kategoria -SelectTheTagsToAssign=Select the tags/categories to assign +SelectTheTagsToAssign=Wybierz tagi/kategorie do przypisania By=Przez From=Od FromDate=Z @@ -547,6 +549,7 @@ Reportings=Raportowanie Draft=Szkic Drafts=Robocze StatusInterInvoiced=Zafakturowano +Done=Zrobione Validated=Zatwierdzona ValidatedToProduce=Zatwierdzony (do produkcji) Opened=Otwarte @@ -558,7 +561,7 @@ Unknown=Nieznany General=Ogólne Size=Rozmiar OriginalSize=Oryginalny rozmiar -RotateImage=Rotate 90° +RotateImage=Obróć o 90° Received=Przyjęto Paid=Zapłacone Topic=Temat @@ -573,8 +576,8 @@ Datas=Dane None=Żaden NoneF=Żaden NoneOrSeveral=Brak lub kilka -Late=Późno -LateDesc=Pozycja jest definiowana jako Opóźniona zgodnie z konfiguracją systemu w menu Strona główna - Konfiguracja - Alerty. +Late=Opóźnienie +LateDesc=Pozycja jest definiowana jako Opóźniona zgodnie z konfiguracją systemu w menu Strona główna - Konfiguracja - Alarmy. NoItemLate=Brak spóźnionej pozycji Photo=Obraz Photos=Obrazy @@ -636,7 +639,7 @@ MonthVeryShort11=N MonthVeryShort12=D AttachedFiles=Dołączone pliki i dokumenty JoinMainDoc=Dołącz główny dokument -JoinMainDocOrLastGenerated=Send the main document or the last generated one if not found +JoinMainDocOrLastGenerated=Wyślij dokument główny lub ostatnio wygenerowany, jeśli nie został znaleziony DateFormatYYYYMM=RRRR-MM DateFormatYYYYMMDD=RRRR-MM-DD DateFormatYYYYMMDDHHMM=RRRR-MM-DD GG: SS @@ -667,7 +670,7 @@ TotalQuantity=Całkowita ilość DateFromTo=Z %s do %s DateFrom=Z %s DateUntil=Dopuki %s -Check=Sprawdzić +Check=Sprawdź Uncheck=Odznacz Internal=Wewnętrzne External=Zewnętrzne @@ -682,8 +685,8 @@ CustomerPreview=Podgląd klienta SupplierPreview=Podgląd dostawcy ShowCustomerPreview=Pokaż podgląd klienta ShowSupplierPreview=Pokaż podgląd dostawcy -RefCustomer=Nr ref. klient -InternalRef=Ref. Wewnętrzne +RefCustomer=Nr ref. po stronie klienta +InternalRef=Wewnętrzny nr ref. Currency=Waluta InfoAdmin=Informacje dla administratorów Undo=Cofnij @@ -698,6 +701,7 @@ Response=Odpowiedź Priority=Priorytet SendByMail=Wyślij przez e-mail MailSentBy=E-mail został wysłany przez +MailSentByTo=E-mail wysłany przez %s do %s NotSent=Nie wysłał TextUsedInTheMessageBody=Zawartość emaila SendAcknowledgementByMail=Wyślij email potwierdzający @@ -708,7 +712,7 @@ AlreadyRead=Obecnie przeczytane NotRead=nieprzeczytane NoMobilePhone=Brak telefonu komórkowego Owner=Właściciel -FollowingConstantsWillBeSubstituted=Kolejna zawartość będzie zastąpiona wartością z korespondencji. +FollowingConstantsWillBeSubstituted=Następujące stałe będą zastępowane odpowiednimi wartościami Refresh=Odśwież BackToList=Powrót do listy BackToTree=Powrót do drzewa @@ -720,14 +724,15 @@ ValueIsNotValid=Wartość jest niepoprawna RecordCreatedSuccessfully=Wpis utworzony pomyślnie RecordModifiedSuccessfully=Zapis zmodyfikowany pomyślnie RecordsModified=%s zmodyfikowanych rekordów -RecordsDeleted= %s usuniętych rekordó +RecordsDeleted= %s usuniętych rekordów RecordsGenerated=%swygenerowanych rekordów +ValidatedRecordWhereFound = Część wybranych rekordów została już zwalidowana. Żadne rekordy nie zostały usunięte. AutomaticCode=Automatyczny kod FeatureDisabled=Funkcja wyłączona MoveBox=Przenieś widget Offered=Oferowany NotEnoughPermissions=Nie masz uprawnień do tego działania -UserNotInHierachy=This action is reserved to the supervisors of this user +UserNotInHierachy=Ta czynność jest zastrzeżona dla opiekunów tego użytkownika SessionName=Nazwa sesji Method=Metoda Receive=Odbiór @@ -751,11 +756,11 @@ MenuAWStats=AWStats MenuMembers=Członkowie MenuAgendaGoogle=Google agenda MenuTaxesAndSpecialExpenses=Podatki | Wydatki specjalne -ThisLimitIsDefinedInSetup=Limit Dollibara (Menu główne-setup-bezpieczeństwo): %s KB, PHP, limit: %s KB -ThisLimitIsDefinedInSetupAt=Limit Dolibarra (Menu %s): %s Kb, limit PHP (Param %s): %s Kb -NoFileFound=Brak wgranych dokumentów -CurrentUserLanguage=Język bieżący -CurrentTheme=Aktualny temat +ThisLimitIsDefinedInSetup=Limit Dollibara (Menu główne-setup-bezpieczeństwo): %s kB, PHP, limit: %s kB +ThisLimitIsDefinedInSetupAt=Ograniczenie w Dolibarr (Ustaw w %s): %s kB, ograniczenie PHP (parametr %s): %s kB +NoFileFound=Nie wgrano jeszcze żadnych dokumentów +CurrentUserLanguage=Aktualny język +CurrentTheme=Aktualny motyw graficzny CurrentMenuManager=Aktualny Menu menager Browser=Przeglądarka Layout=Ułożenie @@ -764,18 +769,17 @@ DisabledModules=Nieaktywnych modułów For=Dla ForCustomer=Dla klienta Signature=Podpis -DateOfSignature=Data podpisu HidePassword=Pokaż polecenie z ukrytym hasłem UnHidePassword=Pokaż prawdziwe polecenie z otwartym hasłem Root=Root -RootOfMedias=Katalog główny mediów publicznych (/medias) +RootOfMedias=Korzeń mediów publicznych (/medias) Informations=Informacja Page=Strona Notes=Uwagi -AddNewLine=Dodaj nowy wiersz +AddNewLine=Dodaj nową pozycję AddFile=Dodaj plik -FreeZone=Produkt dowolnego tekstu -FreeLineOfType=Element dowolny, wpisz: +FreeZone=Produkt opisany dowolnym tekstem +FreeLineOfType=Pozycja opisana dowolnym tekstem, rodzaj: CloneMainAttributes=Skopiuj obiekt z jego głównymi atrybutami ReGeneratePDF=Wygeneruj ponownie PDF PDFMerge=Scalanie/ dzielenie PDF @@ -817,20 +821,20 @@ URLPhoto=Url ze zdjęciem / logo SetLinkToAnotherThirdParty=Link do innego kontrahenta LinkTo=Link do LinkToProposal=Link do oferty -LinkToExpedition= Link to expedition -LinkToOrder=Link do zamówienia -LinkToInvoice=Link do faktury -LinkToTemplateInvoice=Link do szablonu faktury -LinkToSupplierOrder=Link do zamówienia -LinkToSupplierProposal=Link do propozycji dostawcy +LinkToExpedition= Powiąż z wysyłką +LinkToOrder=Powiąż z zamówieniem +LinkToInvoice=Powiąż z fakturą +LinkToTemplateInvoice=Powiąż z szablonem faktury +LinkToSupplierOrder=Powiąż z wnioskiem zakupowym +LinkToSupplierProposal=Powiąż z ofertą dostawcy LinkToSupplierInvoice=Link do faktury dostawcy -LinkToContract=Link do umowy -LinkToIntervention=Link do interwencji -LinkToTicket=Link do biletu -LinkToMo=Link to Mo -CreateDraft=Utwórz Szic +LinkToContract=Powiąż z umową +LinkToIntervention=Powiąż z interwencją +LinkToTicket=Powiąż ze zgłoszeniem +LinkToMo=Link do Mo +CreateDraft=Utwórz szkic SetToDraft=Wróć do szkicu -ClickToEdit=Kliknij by edytować +ClickToEdit=Kliknij, aby edytować ClickToRefresh=Kliknij, aby odświeżyć EditWithEditor=Edytuj za pomocą CKEditor EditWithTextEditor=Edytuj w edytorze tekstowym @@ -844,7 +848,7 @@ ByYear=Według roku ByMonth=Według miesiąca ByDay=Według dnia BySalesRepresentative=Według przedstawiciela handlowego -LinkedToSpecificUsers=Podpięty do kontaktu współużytkownika +LinkedToSpecificUsers=Powiązane z użytkownikiem NoResults=Brak wyników AdminTools=Narzędzia administracyjne SystemTools=Narzędzia systemowe @@ -870,7 +874,7 @@ ViewPrivateNote=Wyświetl notatki XMoreLines=%s lini(e) ukryte ShowMoreLines=Pokaż więcej / mniej linii PublicUrl=Publiczny URL -AddBox=Dodaj skrzynke +AddBox=Dodaj skrzynkę SelectElementAndClick=Wybierz element i kliknij %s PrintFile=Wydrukuj plik %s ShowTransaction=Pokaż wpisy na koncie bankowym @@ -899,48 +903,49 @@ ErrorPDFTkOutputFileNotFound=Błąd: plik nie został wygenerowany. Sprawdź, cz NoPDFAvailableForDocGenAmongChecked=Na potrzeby generowania dokumentów nie było dostępnych plików PDF TooManyRecordForMassAction=Wybrano zbyt wiele rekordów do akcji masowej. Akcja jest ograniczona do listy rekordów %s. NoRecordSelected=Nie wybrano wpisu -MassFilesArea=Obszar plików zbudowanych masowo -ShowTempMassFilesArea=Wyświetl obszar plików zbudowanych masowo +MassFilesArea=Strefa plików tworzonych masowo +ShowTempMassFilesArea=Wyświetl strefę plików tworzonych masowo ConfirmMassDeletion=Potwierdzenie usuwania zbiorczego ConfirmMassDeletionQuestion=Czy na pewno chcesz usunąć wybrane rekordy %s? -ConfirmMassClone=Bulk clone confirmation -ConfirmMassCloneQuestion=Select project to clone to -ConfirmMassCloneToOneProject=Clone to project %s +ConfirmMassClone=Potwierdzenie klonowania zbiorczego +ConfirmMassCloneQuestion=Wybierz projekt, do którego chcesz sklonować +ConfirmMassCloneToOneProject=Sklonuj do projektu %s RelatedObjects=Powiązane obiekty -ClassifyBilled=Classify Billed -ClassifyUnbilled=Classify Unbilled +ClassifyBilled=Klasyfikuj płatne +ClassifyUnbilled=Klasyfikuj jako niezafakturowane Progress=Postęp -ProgressShort=Progr. +ProgressShort=Postęp FrontOffice=Front office BackOffice=Powrót do biura Submit=Zatwierdź View=Widok Export=Eksport +Import=Import Exports=Eksporty ExportFilteredList=Eksportuj przefiltrowaną listę ExportList=Eksportuj listę ExportOptions=Opcje eksportu IncludeDocsAlreadyExported=Uwzględnij dokumenty już wyeksportowane -ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and will be exported -ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported +ExportOfPiecesAlreadyExportedIsEnable=Dokumenty już wyeksportowane są widoczne i zostaną wyeksportowane +ExportOfPiecesAlreadyExportedIsDisable=Dokumenty już wyeksportowane są ukryte i nie zostaną wyeksportowane AllExportedMovementsWereRecordedAsExported=Wszystkie eksportowane przemieszczenia były rejestrowane jako eksportowane NotAllExportedMovementsCouldBeRecordedAsExported=Nie wszystkie wyeksportowane przepływy można było zarejestrować jako wyeksportowane Miscellaneous=Różne Calendar=Kalendarz GroupBy=Grupuj według -GroupByX=Group by %s +GroupByX=Grupuj według %s ViewFlatList=Zobacz płaską listę ViewAccountList=Wyświetl księgę ViewSubAccountList=Wyświetl księgę subkontową RemoveString=Usuń ciąg '%s' -SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. +SomeTranslationAreUncomplete=Niektóre z oferowanych języków mogą być przetłumaczone tylko częściowo lub mogą zawierać błędy. Pomóż poprawić swój język, rejestrując się na https://transifex.com/projects/p/dolibarr/, aby dodaj swoje ulepszenia. DirectDownloadLink=Publiczny link do pobrania PublicDownloadLinkDesc=Do pobrania pliku wymagane jest tylko łącze DirectDownloadInternalLink=Prywatny link do pobrania PrivateDownloadLinkDesc=Musisz być zalogowany i potrzebujesz uprawnień, aby wyświetlić lub pobrać plik Download=Pobierz DownloadDocument=Pobierz dokument -DownloadSignedDocument=Download signed document +DownloadSignedDocument=Pobierz podpisany dokument ActualizeCurrency=Aktualizuj kurs walut Fiscalyear=Rok podatkowy ModuleBuilder=Kreator modułów i aplikacji @@ -949,7 +954,7 @@ BulkActions=Masowe działania ClickToShowHelp=Kliknij, aby wyświetlić etykietę pomocy WebSite=Strona internetowa WebSites=Strony internetowe -WebSiteAccounts=Konta witryny +WebSiteAccounts=Konta dostępu do sieci ExpenseReport=Raport kosztów ExpenseReports=Raporty kosztów HR=Dział personalny @@ -1040,7 +1045,7 @@ SelectMailModel=Wybierz szablon wiadomości email SetRef=Ustaw referencję Select2ResultFoundUseArrows=Znaleziono pewne wyniki. Użyj strzałek, aby wybrać. Select2NotFound=Nie znaleziono wyników -Select2Enter=Enter +Select2Enter=Wprowadź Select2MoreCharacter=lub więcej znaków Select2MoreCharacters=lub więcej znaków Select2MoreCharactersMore= Składnia wyszukiwania:
      | LUB (a|b)
      * Każda postać (a*b)
      ^ Zacznij (^ab)
      $ kończyć ( ab$)
      @@ -1062,12 +1067,12 @@ SearchIntoSupplierOrders=Zamówienia zakupowe SearchIntoCustomerProposals=Oferty komercyjne SearchIntoSupplierProposals=Propozycje dostawcy SearchIntoInterventions=Interwencje -SearchIntoContracts=Kontrakty +SearchIntoContracts=Umowy SearchIntoCustomerShipments=Wysyłki klienta SearchIntoExpenseReports=Zestawienia wydatków SearchIntoLeaves=Pozostawiać SearchIntoKM=Baza wiedzy -SearchIntoTickets=Bilety +SearchIntoTickets=Zgłoszenia SearchIntoCustomerPayments=Płatności klientów SearchIntoVendorPayments=Płatności dostawcy SearchIntoMiscPayments=Różne płatności @@ -1077,6 +1082,7 @@ CommentPage=Miejsce na komentarze CommentAdded=Komentarz dodany CommentDeleted=Komentarz usunięty Everybody=Wszyscy +EverybodySmall=Wszyscy PayedBy=Płacone przez PayedTo=Zapłacono do Monthly=Miesięcznie @@ -1089,7 +1095,7 @@ KeyboardShortcut=Skróty klawiaturowe AssignedTo=Przypisany do Deletedraft=Usuń szkic ConfirmMassDraftDeletion=Wersja robocza potwierdzenia masowego usunięcia -FileSharedViaALink=Plik udostępniony za pomocą linku publicznego +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Najpierw wybierz kontrahenta ... YouAreCurrentlyInSandboxMode=Aktualnie korzystasz z trybu "sandbox" %s Inventory=Inwentaryzacja @@ -1122,8 +1128,8 @@ ContactDefault_project=Projekt ContactDefault_project_task=Zadanie ContactDefault_propal=Oferta ContactDefault_supplier_proposal=Propozycja dostawcy -ContactDefault_ticket=Bilet -ContactAddedAutomatically=Kontakt został dodany z ról kontaktu kontrahenta +ContactDefault_ticket=Zgłoszenie +ContactAddedAutomatically=Kontakt dodano z ról kontaktów innych firm More=Więcej ShowDetails=Pokaż szczegóły CustomReports=Raporty niestandardowe @@ -1138,7 +1144,7 @@ DeleteFileText=Czy na pewno chcesz usunąć ten plik? ShowOtherLanguages=Pokaż inne języki SwitchInEditModeToAddTranslation=Przełącz się w tryb edycji, aby dodać tłumaczenia dla tego języka NotUsedForThisCustomer=Nieużywany dla tego klienta -NotUsedForThisVendor=Not used for this vendor +NotUsedForThisVendor=Nieużywane w przypadku tego dostawcy AmountMustBePositive=Kwota musi być dodatnia ByStatus=Według statusu InformationMessage=Informacja @@ -1159,83 +1165,98 @@ EventReminder=Przypomnienie o wydarzeniu UpdateForAllLines=Aktualizacja dla wszystkich linii OnHold=Wstrzymany Civility=Grzeczność -AffectTag=Assign a Tag -AffectUser=Assign a User -SetSupervisor=Set the supervisor +AffectTag=Przypisz znacznik +AffectUser=Przypisz użytkownika +SetSupervisor=Ustaw przełożonego CreateExternalUser=Utwórz użytkownika zewnętrznego -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) -ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? +ConfirmAffectTag=Zbiorcze przypisanie tagów +ConfirmAffectUser=Zbiorcze przypisanie użytkownika +ProjectRole=Rola przypisana do każdego projektu/szansy +TasksRole=Rola przypisana do każdego zadania (jeśli jest używana) +ConfirmSetSupervisor=Zbiorczy zestaw nadzorców +ConfirmUpdatePrice=Wybierz stawkę wzrostu/obniżenia ceny +ConfirmAffectTagQuestion=Czy na pewno chcesz przypisać tagi do wybranych rekordów %s? +ConfirmAffectUserQuestion=Czy na pewno chcesz przypisać użytkowników do %s wybranych rekordów? +ConfirmSetSupervisorQuestion=Czy na pewno chcesz ustawić nadzorcę dla wybranych rekordów %s? +ConfirmUpdatePriceQuestion=Czy na pewno chcesz zaktualizować cenę wybranych rekordów %s? CategTypeNotFound=Nie znaleziono typu tagu dla typu rekordów Rate=Stawka -SupervisorNotFound=Supervisor not found +SupervisorNotFound=Nie znaleziono nadzorcy CopiedToClipboard=Skopiowane do schowka InformationOnLinkToContract=Kwota ta to tylko suma wszystkich pozycji zamówienia. Nie bierze się pod uwagę żadnego pojęcia czasu. ConfirmCancel=Czy na pewno chcesz zrezygnować EmailMsgID=E-mail MsgID -EmailDate=Email date -SetToStatus=Set to status %s -SetToEnabled=Set to enabled -SetToDisabled=Set to disabled -ConfirmMassEnabling=mass enabling confirmation -ConfirmMassEnablingQuestion=Are you sure you want to enable the %s selected record(s)? -ConfirmMassDisabling=mass disabling confirmation -ConfirmMassDisablingQuestion=Are you sure you want to disable the %s selected record(s)? -RecordsEnabled=%s record(s) enabled -RecordsDisabled=%s record(s) disabled -RecordEnabled=Record enabled -RecordDisabled=Record disabled -Forthcoming=Forthcoming -Currently=Currently -ConfirmMassLeaveApprovalQuestion=Are you sure you want to approve the %s selected record(s)? -ConfirmMassLeaveApproval=Mass leave approval confirmation -RecordAproved=Record approved -RecordsApproved=%s Record(s) approved -Properties=Properties -hasBeenValidated=%s has been validated +EmailDate=Data e-maila +SetToStatus=Ustaw na stan %s +SetToEnabled=Ustaw na włączone +SetToDisabled=Ustaw jako wyłączone +ConfirmMassEnabling=potwierdzenie włączenia masy +ConfirmMassEnablingQuestion=Czy na pewno chcesz włączyć %s wybrane rekordy? +ConfirmMassDisabling=potwierdzenie masowego wyłączenia +ConfirmMassDisablingQuestion=Czy na pewno chcesz wyłączyć wybrane rekordy %s? +RecordsEnabled=%s rekord(y) włączony +RecordsDisabled=%s rekordy wyłączone +RecordEnabled=Nagrywanie włączone +RecordDisabled=Nagrywanie wyłączone +Forthcoming=Nadchodzący +Currently=Obecnie +ConfirmMassLeaveApprovalQuestion=Czy na pewno chcesz zatwierdzić %s wybrane rekordy? +ConfirmMassLeaveApproval=Potwierdzenie zgody na urlop zbiorowy +RecordAproved=Zapis zatwierdzony +RecordsApproved=%s Rekordy zatwierdzone +Properties=Nieruchomości +hasBeenValidated=%s został zatwierdzony ClientTZ=Strefa Czasowa Klienta (użytkownik) -NotClosedYet=Not yet closed -ClearSignature=Reset signature -CanceledHidden=Canceled hidden -CanceledShown=Canceled shown +NotClosedYet=Jeszcze nie zamknięte +ClearSignature=Zresetuj podpis +CanceledHidden=Anulowano, ukryto +CanceledShown=Pokazano anulowanie Terminate=Zakończ -Terminated=Terminated -AddLineOnPosition=Add line on position (at the end if empty) -ConfirmAllocateCommercial=Assign sales representative confirmation -ConfirmAllocateCommercialQuestion=Are you sure you want to assign the %s selected record(s)? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned -YourMessage=Your message -YourMessageHasBeenReceived=Your message has been received. We will answer or contact you as soon as possible. -UrlToCheck=Url to check -Automation=Automation -CreatedByEmailCollector=Created by Email collector -CreatedByPublicPortal=Created from Public portal -UserAgent=User Agent +Terminated=Zakończony +AddLineOnPosition=Dodaj linię na pozycji (na końcu, jeśli jest pusta) +ConfirmAllocateCommercial=Przypisz potwierdzenie przedstawiciela handlowego +ConfirmAllocateCommercialQuestion=Czy na pewno chcesz przypisać %s wybrane rekordy? +CommercialsAffected=Przydzieleni przedstawiciele handlowi +CommercialAffected=Przydzielony przedstawiciel handlowy +YourMessage=Twoja wiadomość +YourMessageHasBeenReceived=Twoja wiadomość została odebrana. Odpowiemy lub skontaktujemy się z Tobą tak szybko, jak to możliwe. +UrlToCheck=Adres URL do sprawdzenia +Automation=Automatyzacja +CreatedByEmailCollector=Stworzony przez kolekcjonera e-maili +CreatedByPublicPortal=Utworzono z portalu publicznego +UserAgent=Agent użytkownika InternalUser=Wewnętrzny użytkownik ExternalUser=Zewnętrzny użytkownik -NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. -HideOnVCard=Hide %s -AddToContacts=Add address to my contacts -LastAccess=Last access -UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here -LastPasswordChangeDate=Last password change date -PublicVirtualCardUrl=Virtual business card page URL -PublicVirtualCard=Virtual business card -TreeView=Tree view -DropFileToAddItToObject=Drop a file to add it to this object -UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +NoSpecificContactAddress=Nie ustawiono szczególnych kontaktów i adresów +NoSpecificContactAddressBis=Zakładka ta służy do wymuszenia szczególnych kontaktów lub adresów dla bieżącego obiektu. Używaj jej tylko wtedy, gdy chcesz zdefiniować jeden lub kilka kontaktów lub adresów do odpowiednich zastosowań, gdy informacje o kontrahencie są niewystarczające lub niewłaściwe. +HideOnVCard=Ukryj %s +AddToContacts=Dodaj adres do swoich kontaktów +LastAccess=Ostatni dostęp +UploadAnImageToSeeAPhotoHere=Prześlij obraz z zakładki %s, aby zobaczyć zdjęcie tutaj +LastPasswordChangeDate=Data ostatniej zmiany hasła +PublicVirtualCardUrl=Adres URL wirtualnej wizytówki +PublicVirtualCard=Wirtualna wizytówka +TreeView=Widok drzewa +DropFileToAddItToObject=Upuść plik, aby dodać go do tego obiektu +UploadFileDragDropSuccess=Pomyślnie przesłano plik(i) +SearchSyntaxTooltipForStringOrNum=Przeszukując pola tekstowe, możesz użyć znaków ^ lub $, aby wyszukiwać ciągi znaków 'zaczynając się od lub kończących się z poszukiwanym ciągiem', lub użyć znaku ! aby wyszukiwać teksty „nie zawierające” wpisywanego ciągu. Zamiast spacji oznaczającej warunek "AND" możesz użyć | pomiędzy dwoma ciągami znaków, aby użyć warunku „OR”. W przypadku wartości liczbowych możesz używać operatorów <, >, <=, >= i != przed wartością, aby filtrować używając porównania matematycznego InProgress=W trakcie -DateOfPrinting=Date of printing -ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. -UserNotYetValid=Not yet valid +DateOfPrinting=Data wydruku +ClickFullScreenEscapeToLeave=Kliknij tutaj, aby przełączyć się w tryb pełnoekranowy. Naciśnij ESCAPE, aby opuścić tryb pełnoekranowy. +UserNotYetValid=Jeszcze nieaktualne UserExpired=Wygasł +LinkANewFile=Podepnij nowy plik/dokument +LinkedFiles=Podpięte pliki i dokumenty +NoLinkFound=Brak zarejestrowanych linków +LinkComplete=Plik został podlinkowany poprawnie +ErrorFileNotLinked=Plik nie mógł zostać podlinkowany +LinkRemoved=Link %s został usunięty +ErrorFailedToDeleteLink= Niemożna usunąc linku '%s' +ErrorFailedToUpdateLink= Niemożna uaktualnić linku '%s' +URLToLink=Adres URL linka +OverwriteIfExists=Zastąp, jeśli plik istnieje +AmountSalary=Wysokość wynagrodzenia +InvoiceSubtype=Podtyp faktury +ConfirmMassReverse=Masowe potwierdzenie zwrotu +ConfirmMassReverseQuestion=Czy na pewno chcesz cofnąć wybrane rekordy %s? + diff --git a/htdocs/langs/pl_PL/margins.lang b/htdocs/langs/pl_PL/margins.lang index ae3eb0d84c5..6be1f4d128a 100644 --- a/htdocs/langs/pl_PL/margins.lang +++ b/htdocs/langs/pl_PL/margins.lang @@ -2,13 +2,13 @@ Margin=Marża Margins=Marże -TotalMargin=Marża Total +TotalMargin=Łączna marża MarginOnProducts=Marża / Produkty MarginOnServices=Marża / Usługi MarginRate=Stopa marży -ModifyMarginRates=Modify margin rates -MarkRate=Stawka Mark -DisplayMarginRates=Stawki marży wyświetlacz +ModifyMarginRates=Zmień stawki marży +MarkRate=Stopa narzutu +DisplayMarginRates=Wyświetl stopy marż DisplayMarkRates=Stawki znaków wyświetlanych InputPrice=Cena wejściowa margin=Zarządzanie zyskiem z marż @@ -16,14 +16,14 @@ margesSetup=Ustawienie zarządzania zyskiem z marż MarginDetails=Szczegóły marży ProductMargins=Marża produktu CustomerMargins=Marża klienta -SalesRepresentativeMargins=Sprzedaż marże reprezentatywne +SalesRepresentativeMargins=Marża przedstawiciela handlowego ContactOfInvoice=Kontakt do faktury -UserMargins=Marginesy użytkownika +UserMargins=Marża użytkownika ProductService=Produkt lub usługa AllProducts=Wszystkie produkty i usługi ChooseProduct/Service=Wybierz produkt lub usługę ForceBuyingPriceIfNull=Wymuszaj cenę zakupu/cenę fabryczną jako cenę sprzedaży jeżeli ta nie jest zdefiniowana -ForceBuyingPriceIfNullDetails=If buying/cost price not provided when we add a new line, and this option is "ON", the margin will be 0%% on the new line (buying/cost price = selling price). If this option is "OFF" (recommended), margin will be equal to the value suggested by default (and may be 100%% if no default value can be found). +ForceBuyingPriceIfNullDetails=Jeśli cena zakupu/kosztu nie zostanie podana przy dodawaniu nowej linii, a ta opcja jest włączona, marża w nowej linii będzie wynosić 0%% (cena zakupu/kosztu = Cena sprzedaży). Jeśli ta opcja jest wyłączona (zalecane), margines będzie równy wartości sugerowanej domyślnie (i może wynosić 100%%, jeśli nie można znaleźć wartości domyślnej). MARGIN_METHODE_FOR_DISCOUNT=Sposób na marżę dla globalnych rabatów UseDiscountAsProduct=Jako produkt UseDiscountAsService=Jako usługa @@ -34,11 +34,11 @@ MargeType1=Marża na najlepszej cenie dostawcy MargeType2=Marża na Średniej Cenie Produktu (ŚCP) MargeType3=Marża na cenie fabrycznej MarginTypeDesc=* Marża od najlepszej ceny zakupu = cena sprzedaży - najlepsza cena dostawcy określona na karcie produktu
      * Marża od średniej ważonej ceny (WAP) = cena sprzedaży - średnia cena ważona produktu (WAP) lub najlepsza cena dostawcy, jeśli WAP nie został jeszcze zdefiniowany
      * Marża Cena kosztowa = Cena sprzedaży - Cena własna zdefiniowana na karcie produktu lub WAP, jeśli cena kosztowa nie została zdefiniowana, lub najlepsza cena dostawcy, jeśli WAP nie został jeszcze zdefiniowany -CostPrice=Cena fabryczna -UnitCharges=Koszty jednostkowe +CostPrice=Koszt +UnitCharges=Opłaty jednostkowe Charges=Opłaty AgentContactType=Przedstawiciel handlowy typ kontaktu -AgentContactTypeDetails=Zdefiniuj, jaki typ kontaktu (powiązany na fakturach) będzie używany do raportowania marży na kontakt/adres. Należy pamiętać, że czytanie statystyk dotyczących kontaktu nie jest wiarygodne, ponieważ w większości przypadków kontakt może nie być wyraźnie zdefiniowany na fakturach. +AgentContactTypeDetails=Zdefiniuj, jaki typ kontaktu (powiązany na fakturach) będzie używany w raporcie marży na kontakt/adres. Należy pamiętać, że czytanie statystyk kontaktu nie jest wiarygodne, ponieważ w większości przypadków kontakt może nie być wyraźnie zdefiniowany na fakturach. rateMustBeNumeric=Stawka musi być wartością liczbową markRateShouldBeLesserThan100=Stopa znak powinien być niższy niż 100 ShowMarginInfos=Pokaż informacje o marżę diff --git a/htdocs/langs/pl_PL/mrp.lang b/htdocs/langs/pl_PL/mrp.lang index d87fe95e890..2ad09b3556c 100644 --- a/htdocs/langs/pl_PL/mrp.lang +++ b/htdocs/langs/pl_PL/mrp.lang @@ -9,11 +9,11 @@ LatestBOMModified=Najnowsze %s Zmodyfikowane listy materiałów LatestMOModified=Ostatnie %s Zmodyfikowano zamówienia produkcyjne Bom=Zestawienia materiałów BillOfMaterials=Zestawienie materiałów -BillOfMaterialsLines=Bill of Materials lines +BillOfMaterialsLines=Linie zestawienia materiałów BOMsSetup=Konfiguracja BOM modułu -ListOfBOMs=Bills of material - BOM +ListOfBOMs=Zestawienia materiałowe - BOM ListOfManufacturingOrders=Zamówienia produkcyjne -NewBOM=Nowa lista materiałów +NewBOM=Nowa zestawienie materiałów ProductBOMHelp=Produkt do utworzenia (lub demontażu) za pomocą tego BOM.
      Uwaga: Produkty z właściwością „Rodzaj produktu” = „Surowiec” nie są widoczne na tej liście. BOMsNumberingModules=Szablony numeracji BOM BOMsModelModule=Szablony dokumentów BOM @@ -23,17 +23,22 @@ FreeLegalTextOnBOMs=Dowolny tekst na dokumencie BOM WatermarkOnDraftBOMs=Znak wodny na wersji roboczej zestawienia komponentów FreeLegalTextOnMOs=Dowolny tekst na dokumencie MO WatermarkOnDraftMOs=Znak wodny na wersji roboczej MO -ConfirmCloneBillOfMaterials=Czy na pewno chcesz sklonować zestawienie komponentów %s? +ConfirmCloneBillOfMaterials=Czy na pewno chcesz powielić zestawienie materiałów %s? ConfirmCloneMo=Czy na pewno chcesz sklonować zamówienie produkcyjne %s? ManufacturingEfficiency=Wydajność produkcji ConsumptionEfficiency=Efektywność zużycia -Consumption=Consumption -ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the manufacturing or the disassembly +Consumption=Konsumpcja +ValueOfMeansLoss=Wartość 0,95 oznacza średnio 5%% strat podczas produkcji lub demontażu ValueOfMeansLossForProductProduced=Wartość 0,95 oznacza średnio 5%% straty wytworzonego produktu -DeleteBillOfMaterials=Usuń listę materiałów -DeleteMo=Usuń zlecenie produkcyjne -ConfirmDeleteBillOfMaterials=Czy na pewno chcesz usunąć ten wykaz materiałów? -ConfirmDeleteMo=Are you sure you want to delete this Manufacturing Order? +DeleteBillOfMaterials=Usuń zestawienie materiałów +CancelMo=Anuluj zlecenie produkcyjne +MoCancelConsumedAndProducedLines=Anuluj także wszystkie zużyte i wyprodukowane linie (usuń linie i wycofaj zapasy) +ConfirmCancelMo=Czy na pewno chcesz anulować to zlecenie produkcyjne? +DeleteMo=Usuń zamówienie produkcyjne +ConfirmDeleteBillOfMaterials=Czy na pewno chcesz usunąć to zestawienie materiałów? +ConfirmDeleteMo=Czy na pewno chcesz usunąć to zlecenie produkcyjne? +DeleteMoChild = Usuń podrzędne MO powiązane z tym MO %s +MoChildsDeleted = Wszystkie podrzędne MO zostały usunięte MenuMRP=Zamówienia produkcyjne NewMO=Nowe zamówienie produkcyjne QtyToProduce=Ilość do wyprodukowania @@ -57,10 +62,12 @@ WarehouseForProduction=Magazyn do produkcji CreateMO=Utwórz MO ToConsume=Konsumować ToProduce=Produkować -ToObtain=To obtain +ToObtain=Pozyskać QtyAlreadyConsumed=Ilość już zużyta QtyAlreadyProduced=Ilość już wyprodukowana -QtyRequiredIfNoLoss=Qty required to produce the quantity defined into the BOM if there is no loss (if the manufacturing efficiency is 100%%) +QtyAlreadyConsumedShort=Liczba wykorzystana +QtyAlreadyProducedShort=Liczba wyprodukowana +QtyRequiredIfNoLoss=Ilość wymagana do wyprodukowania ilości określonej w BOM, jeśli nie ma strat (jeśli wydajność produkcji wynosi 100%%) ConsumeOrProduce=Zużyj lub wyprodukuj ConsumeAndProduceAll=Konsumuj i produkuj wszystko Manufactured=Zrobiony fabrycznie @@ -70,20 +77,20 @@ ForAQuantityToConsumeOf=Dla ilości do demontażu %s ConfirmValidateMo=Czy na pewno chcesz zweryfikować to zamówienie produkcyjne? ConfirmProductionDesc=Klikając „%s”, potwierdzisz zużycie i / lub produkcję dla ustalonych ilości. Spowoduje to również zaktualizowanie zapasów i rejestrowanie ruchów zapasów. ProductionForRef=Produkcja %s -CancelProductionForRef=Cancellation of product stock decrementation for product %s -TooltipDeleteAndRevertStockMovement=Delete line and revert stock movement +CancelProductionForRef=Anulowanie zmniejszenia zapasów produktu %s +TooltipDeleteAndRevertStockMovement=Usuń linię i przywróć ruch zapasów AutoCloseMO=Zamykaj automatycznie zlecenie produkcyjne, jeśli osiągnięte zostaną ilości do spożycia i produkcji NoStockChangeOnServices=Brak zmian w magazynie usług ProductQtyToConsumeByMO=Ilość produktu do spożycia w ramach otwartego zamówienia ProductQtyToProduceByMO=Ilość produktu jeszcze do wyprodukowania przez otwarte MO AddNewConsumeLines=Dodaj nową linię do konsumpcji -AddNewProduceLines=Add new line to produce +AddNewProduceLines=Dodaj nową linię do produkcji ProductsToConsume=Produkty do spożycia ProductsToProduce=Produkty do produkcji UnitCost=Cena jednostkowa TotalCost=Całkowity koszt BOMTotalCost=Koszt wytworzenia tego BOM na podstawie kosztu każdej ilości i produktu do konsumpcji (użyj ceny kosztu, jeśli została zdefiniowana, w innym przypadku średniej ceny ważonej, jeśli została zdefiniowana, w przeciwnym razie najlepszej ceny zakupu) -BOMTotalCostService=If the "Workstation" module is activated and a workstation is defined by default on the line, then the calculation is "quantity (converted into hours) x workstation ahr", otherwise "quantity x cost price of the service" +BOMTotalCostService=Jeżeli moduł „Stacja robocza” jest aktywny i na linii domyślnie zdefiniowano stanowisko robocze, wówczas kalkulacja wynosi „ilość (w przeliczeniu na godziny) x ahr stanowiska pracy”, w przeciwnym przypadku „ilość x koszt usługi” GoOnTabProductionToProduceFirst=Aby zamknąć zlecenie produkcyjne, musisz najpierw rozpocząć produkcję (patrz zakładka „%s”). Ale możesz to anulować. ErrorAVirtualProductCantBeUsedIntoABomOrMo=Zestaw nie może być użyty w BOM lub MO Workstation=Stacja robocza @@ -102,23 +109,31 @@ NbOperatorsRequired=Wymagana liczba operatorów THMOperatorEstimated=Szacowany operator THM THMMachineEstimated=Szacunkowa maszyna THM WorkstationType=Typ stacji roboczej -DefaultWorkstation=Default workstation +DefaultWorkstation=Domyślna stacja robocza Human=Człowiek Machine=Maszyna HumanMachine=Człowiek / Maszyna WorkstationArea=Obszar stacji roboczej Machines=Maszyny THMEstimatedHelp=Stawka ta umożliwia zdefiniowanie prognozowanego kosztu towaru -BOM=Bill Of Materials -CollapseBOMHelp=You can define the default display of the details of the nomenclature in the configuration of the BOM module -MOAndLines=Manufacturing Orders and lines -MoChildGenerate=Generate Child Mo -ParentMo=MO Parent -MOChild=MO Child -BomCantAddChildBom=The nomenclature %s is already present in the tree leading to the nomenclature %s -BOMNetNeeds = BOM Net Needs -BOMProductsList=BOM's products -BOMServicesList=BOM's services -Manufacturing=Manufacturing -Disassemble=Disassemble -ProducedBy=Produced by +BOM=Zestawienie materiałów +CollapseBOMHelp=Domyślne wyświetlanie szczegółów nomenklatury możesz zdefiniować w konfiguracji modułu BOM +MOAndLines=Zlecenia i linie produkcyjne +MoChildGenerate=Wygeneruj plik podrzędny Mo +ParentMo=MO Rodzic +MOChild=MO Dziecko +BomCantAddChildBom=Nomenklatura %s jest już obecna w drzewie prowadzącym do nomenklatury %s +BOMNetNeeds = Potrzeby netto BOM +BOMProductsList=Produkty firmy BOM +BOMServicesList=Usługi firmy BOM +Manufacturing=Produkcja +Disassemble=Demontować +ProducedBy=Wyprodukowane przez +QtyTot=Ilość Razem + +QtyCantBeSplit= Nie można dzielić ilości +NoRemainQtyToDispatch=Brak pozostałej ilości do podziału + +THMOperatorEstimatedHelp=Szacunkowy koszt operatora na godzinę. Zostanie wykorzystany do oszacowania kosztu BOM przy użyciu tej stacji roboczej. +THMMachineEstimatedHelp=Szacunkowy koszt maszyny na godzinę. Zostanie wykorzystany do oszacowania kosztu BOM przy użyciu tej stacji roboczej. + diff --git a/htdocs/langs/pl_PL/multicurrency.lang b/htdocs/langs/pl_PL/multicurrency.lang index e524f951d7c..c05850e9036 100644 --- a/htdocs/langs/pl_PL/multicurrency.lang +++ b/htdocs/langs/pl_PL/multicurrency.lang @@ -15,10 +15,10 @@ CurrenciesUsed=Użyte waluty CurrenciesUsed_help_to_add=Dodaj różne waluty i kursy walut, które potrzebujesz użyć do swoich ofert,zamówień, itd. rate=kurs MulticurrencyReceived=Otrzymano, oryginalna waluta -MulticurrencyRemainderToTake=Kwota pozostała, oryginalna waluta +MulticurrencyRemainderToTake=Pozostała kwota, waluta pierwotna MulticurrencyPaymentAmount=Kwota płatności, oryginalna waluta AmountToOthercurrency=Kwota do (w walucie rachunku odbiorczego) -CurrencyRateSyncSucceed=Synchronizacja kursów walut zakończona powodzeniem +CurrencyRateSyncSucceed=Synchronizacja kursów walut przebiegła pomyślnie MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Używaj waluty dokumentu do płatności online TabTitleMulticurrencyRate=Lista stawek ListCurrencyRate=Lista kursów walut @@ -36,7 +36,8 @@ Codemulticurrency=kod waluty UpdateRate=zmienić stawkę CancelUpdate=Anuluj NoEmptyRate=Pole stawki nie może być puste -CurrencyCodeId=Currency ID -CurrencyCode=Currency code -CurrencyUnitPrice=Unit price in foreign currency -CurrencyPrice=Price in foreign currency +CurrencyCodeId=Identyfikator waluty +CurrencyCode=Kod waluty +CurrencyUnitPrice=Cena jednostkowa w walucie obcej +CurrencyPrice=Cena w walucie obcej +MutltiCurrencyAutoUpdateCurrencies=Zaktualizuj wszystkie kursy walut diff --git a/htdocs/langs/pl_PL/oauth.lang b/htdocs/langs/pl_PL/oauth.lang index 3a22a99fe45..1fcdf7bd6b1 100644 --- a/htdocs/langs/pl_PL/oauth.lang +++ b/htdocs/langs/pl_PL/oauth.lang @@ -9,13 +9,15 @@ HasAccessToken=Token wygenerowano i zapisano w lokalnej bazie danych NewTokenStored=Token odebrany i zapisany ToCheckDeleteTokenOnProvider=Kliknij tutaj, aby sprawdzić / usunąć autoryzację zapisaną przez dostawcę OAuth %s TokenDeleted=Token usunięto -RequestAccess=Click here to request/renew access and receive a new token -DeleteAccess=Kliknuj tutaj, aby usunąć token -UseTheFollowingUrlAsRedirectURI=Podczas tworzenia poświadczeń u dostawcy OAuth użyj następującego adresu URL jako identyfikatora URI przekierowania: -ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. -OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens +GetAccess=Kliknij tutaj, aby otrzymać token +RequestAccess=Kliknij tutaj, aby poprosić o/odnowić dostęp i otrzymać nowy token +DeleteAccess=Kliknij tutaj, aby usunąć token +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider +ListOfSupportedOauthProviders=Dodaj dostawców tokenów OAuth2. Następnie przejdź na stronę administratora dostawcy OAuth, aby utworzyć/uzyskać identyfikator OAuth i klucz tajny, a następnie zapisać je tutaj. Po zakończeniu przejdź na drugą kartę, aby wygenerować token. +OAuthSetupForLogin=Strona do zarządzania (generowania/usuwania) tokenami OAuth SeePreviousTab=Zobacz poprzednią kartę -OAuthProvider=OAuth provider +OAuthProvider=Dostawca OAuth OAuthIDSecret=Identyfikator i tajny identyfikator OAuth TOKEN_REFRESH=Reklamowe Odśwież Present TOKEN_EXPIRED=Token wygasł @@ -27,10 +29,14 @@ OAUTH_GOOGLE_SECRET=OAuth Google Secret OAUTH_GITHUB_NAME=Usługa OAuth GitHub OAUTH_GITHUB_ID=Identyfikator OAuth GitHub OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret +OAUTH_URL_FOR_CREDENTIAL=Przejdź do tej strony, aby utworzyć lub uzyskać identyfikator i klucz tajny OAuth OAUTH_STRIPE_TEST_NAME=Test paska OAuth OAUTH_STRIPE_LIVE_NAME=OAuth Stripe na żywo -OAUTH_ID=OAuth ID -OAUTH_SECRET=OAuth secret -OAuthProviderAdded=OAuth provider added -AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists +OAUTH_ID=Identyfikator klienta OAuth +OAUTH_SECRET=Sekret OAuth +OAUTH_TENANT=Najemca OAuth +OAuthProviderAdded=Dodano dostawcę protokołu OAuth +AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=Wpis OAuth dla tego dostawcy i etykiety już istnieje +URLOfServiceForAuthorization=Adres URL udostępniany przez usługę OAuth w celu uwierzytelnienia +Scopes=Uprawnienia (zakresy) +ScopeUndefined=Uprawnienia (Zakresy) niezdefiniowane (patrz poprzednia karta) diff --git a/htdocs/langs/pl_PL/orders.lang b/htdocs/langs/pl_PL/orders.lang index 7667da2c545..f916a5455d7 100644 --- a/htdocs/langs/pl_PL/orders.lang +++ b/htdocs/langs/pl_PL/orders.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - orders -OrderExists=An order was already open linked to this proposal, so no other order was created automatically +OrderExists=Zamówienie powiązane z tą propozycją było już otwarte, więc żadne inne zamówienie nie zostało utworzone automatycznie OrdersArea=Obszar zamówień klientów -SuppliersOrdersArea=Obszar zamówień +SuppliersOrdersArea=Obszar zamówień zakupowych OrderCard=Karta zamówienia OrderId=ID zamówienia Order=Zamówienie @@ -14,17 +14,17 @@ OrderToProcess=Zamówienia do przetworzenia NewOrder=Nowe zamówienie NewSupplierOrderShort=Nowe zamówienie NewOrderSupplier=Nowe zamówienie -ToOrder=Stwórz zamówienie -MakeOrder=Stwórz zamówienie +ToOrder=Zamów +MakeOrder=Zamów SupplierOrder=Zamówienie SuppliersOrders=Zamówienia -SaleOrderLines=Sales order lines -PurchaseOrderLines=Pozycje zamówienia +SaleOrderLines=Pozycje zamówienia +PurchaseOrderLines=Wiersze zamówienia zakupu SuppliersOrdersRunning=Aktualne zamówienia CustomerOrder=Zamówienie CustomersOrders=Zamówienia sprzedaży -CustomersOrdersRunning=Bieżące zamówienia sprzedaży -CustomersOrdersAndOrdersLines=Zamówienia sprzedaży i szczegóły zamówienia +CustomersOrdersRunning=Bieżące zamówienia sprzedażowe +CustomersOrdersAndOrdersLines=Zamówienia sprzedażowe i szczegóły zamówienia OrdersDeliveredToBill=Zamówienia sprzedaży dostarczane do faktury OrdersToBill=Dostarczone zamówienia sprzedaży OrdersInProcess=Zamówienia sprzedaży w trakcie realizacji @@ -50,7 +50,7 @@ StatusOrderReceivedAllShort=Produkty otrzymane StatusOrderCanceled=Odwołane StatusOrderDraft=Projekt (musi zostać zatwierdzony) StatusOrderValidated=Zatwierdzone -StatusOrderOnProcess=Zamówione - odbiór czuwania +StatusOrderOnProcess=Zamówione - oczekiwanie na przyjęcie StatusOrderOnProcessWithValidation=Zamówione - odbiór lub walidacji czuwania StatusOrderProcessed=Przetworzone StatusOrderToBill=Dostarczone @@ -69,14 +69,14 @@ CreateOrder=Utwórz zamówienie RefuseOrder=Odrzucone zamówienia ApproveOrder=Zatwierdź zamówienie Approve2Order=Zatwierdza porządek (drugi poziom) -UserApproval=User for approval -UserApproval2=User for approval (second level) +UserApproval=Użytkownik do zatwierdzenia +UserApproval2=Użytkownik do zatwierdzenia (drugi poziom) ValidateOrder=Zatwierdź zamówienie -UnvalidateOrder=Niezatwierdzone zamówienie +UnvalidateOrder=Unieważnij zamówienie DeleteOrder=Usuń zamówienie CancelOrder=Anuluj zamówienie OrderReopened= Zamów ponownie %s -AddOrder=Stwórz zamówienie +AddOrder=Utwórz zamówienie AddSupplierOrderShort=Stwórz zamówienie AddPurchaseOrder=Utwórz zamówienie zakupu AddToDraftOrders=Dodaj do szkicu zamówienia @@ -90,37 +90,37 @@ LastCustomerOrders=Najnowsze zamówienia sprzedaży %s LastSupplierOrders=Ostatnie %s zamówienia LastModifiedOrders=Ostatnie %s zmodyfikowane zamówienia AllOrders=Wszystkie zamówienia -NbOfOrders=Liczba zleceń +NbOfOrders=Liczba zamówień OrdersStatistics=Statystyki zamówień OrdersStatisticsSuppliers=Statystyki zamówień NumberOfOrdersByMonth=Liczba zamówień na miesiąc AmountOfOrdersByMonthHT=Ilość zamówień według miesiąca (bez podatku) ListOfOrders=Lista zamówień -ListOrderLigne=Lines of orders -productobuy=Products to buy only -productonly=Products only -disablelinefree=No free lines +ListOrderLigne=Linie zamówień +productobuy=Produkty wyłącznie do kupienia +productonly=Tylko produkty +disablelinefree=Brak wolnych linii CloseOrder=Zamknij zamówienie -ConfirmCloseOrder=Czy na pewno chcesz ustawić to zamówienie jako dostarczone? Po dostarczeniu zamówienia można ustawić fakturowanie. +ConfirmCloseOrder=Czy na pewno chcesz oznaczyć to zamówienie jako dostarczone? Po dostarczeniu zamówienia można sklasyfikować je jako zafakturowane. ConfirmDeleteOrder=Czy jesteś pewien, że chcesz usunąć to zamówienie? -ConfirmValidateOrder=Czy jesteś pewien, że chcesz potwierdzić to zamówienie pod nazwą %s? +ConfirmValidateOrder=Czy jesteś pewien, że chcesz zatwierdzić to zamówienie pod nazwą %s? ConfirmUnvalidateOrder=Jesteś pewien, że chcesz przywrócić to zamówienie %s do statusu wersji roboczej? ConfirmCancelOrder=Jesteś pewien, że chcesz anulować to zamówienie? ConfirmMakeOrder=Jesteś pewien, że chcesz potwierdzić to zamówienie z datą %s? GenerateBill=Generuj fakturę ClassifyShipped=Oznacz jako dostarczone -PassedInShippedStatus=classified delivered -YouCantShipThis=I can't classify this. Please check user permissions +PassedInShippedStatus=sklasyfikowane, dostarczone +YouCantShipThis=Nie potrafię tego sklasyfikować. Sprawdź uprawnienia użytkownika DraftOrders=Szkic zamówień DraftSuppliersOrders=Szkice zamówień OnProcessOrders=Zamówienia w przygotowaniu RefOrder=Nr referencyjny zamówienia -RefCustomerOrder=Powiązane zamówienia dla klienta -RefOrderSupplier=Nr ref. zamówienie dla dostawcy -RefOrderSupplierShort=Nr ref. dostawca zamówienia +RefCustomerOrder=Nr zamówienia po stronie klienta +RefOrderSupplier=Nr zamówienia po stronie dostawcy +RefOrderSupplierShort=Nr ref. u dostawcy SendOrderByMail=Wyślij zamówienie pocztą ActionsOnOrder=Zdarzenia dla zamówienia -NoArticleOfTypeProduct=Nr artykułu typu "produktu", więc nie shippable artykule tej kolejności +NoArticleOfTypeProduct=Brak artykułów typu "produkt", więc nie ma artykułów możliwych do wysłania w tym zamówieniu OrderMode=Sposób złożenia zamówienia AuthorRequest=Autor wniosku UserWithApproveOrderGrant=Useres przyznane z "zatwierdza zamówienia zgody. @@ -133,9 +133,9 @@ SupplierOrderReceivedInDolibarr=Zamówienie %s otrzymało %s SupplierOrderSubmitedInDolibarr=Przesłano zamówienie %s SupplierOrderClassifiedBilled=Zamówienie %s zostało rozliczone OtherOrders=Inne zamówienia -SupplierOrderValidatedAndApproved=Supplier order is validated and approved : %s -SupplierOrderValidated=Supplier order is validated : %s -OrderShowDetail=Show order detail +SupplierOrderValidatedAndApproved=Zamówienie dostawcy zostało sprawdzone i zatwierdzone: %s +SupplierOrderValidated=Zamówienie dostawcy zostało zatwierdzone: %s +OrderShowDetail=Pokaż szczegóły zamówienia ##### Types de contacts ##### TypeContact_commande_internal_SALESREPFOLL=Reprezentatywne kolejne zamówienie sprzedaży TypeContact_commande_internal_SHIPPING=Przedstawiciela w ślad za koszty @@ -145,7 +145,7 @@ TypeContact_commande_external_CUSTOMER=kontakt klienta w ślad za zamówienie TypeContact_order_supplier_internal_SALESREPFOLL=Reprezentatywne kolejne zamówienie zakupu TypeContact_order_supplier_internal_SHIPPING=Przedstawiciela w ślad za koszty TypeContact_order_supplier_external_BILLING=Kontakt do faktury sprzedawcy -TypeContact_order_supplier_external_SHIPPING=Kontakt z dostawcą +TypeContact_order_supplier_external_SHIPPING=Kontakt z logistyką sprzedawcy TypeContact_order_supplier_external_CUSTOMER=Kontakt z dostawcą po kolejnym zamówieniu Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Stała COMMANDE_SUPPLIER_ADDON nie zdefiniowane Error_COMMANDE_ADDON_NotDefined=Stała COMMANDE_ADDON nie zdefiniowane @@ -160,10 +160,10 @@ OrderByPhone=Telefon PDFEinsteinDescription=Kompletny model zamówienia (stara implementacja szablonu Eratosthene) PDFEratostheneDescription=Kompletny model zamówienia PDFEdisonDescription=Prosty model celu -PDFProformaDescription=Kompletny szablon faktury Proforma -CreateInvoiceForThisCustomer=Zamówienia na banknoty -CreateInvoiceForThisSupplier=Zamówienia na banknoty -CreateInvoiceForThisReceptions=Bill receptions +PDFProformaDescription=Kompletny szablon faktury proforma +CreateInvoiceForThisCustomer=Fakturuj zamówienia +CreateInvoiceForThisSupplier=Fakturuj zamówienia +CreateInvoiceForThisReceptions=Fakturuj przyjęcia NoOrdersToInvoice=Brak zleceń rozliczanych CloseProcessedOrdersAutomatically=Sklasyfikować "przetwarzane" wszystkie wybrane zamówienia. OrderCreation=Tworzenie zamówienia @@ -171,7 +171,7 @@ Ordered=Zamówione OrderCreated=Twoje zamówienia zostały utworzone OrderFail=Podczas tworzenia zamówienia wystąpił błąd CreateOrders=Tworzenie zamówień -ToBillSeveralOrderSelectCustomer=Aby utworzyć fakturę za kilka rzędów, kliknij pierwszy na klienta, a następnie wybrać "% s". +ToBillSeveralOrderSelectCustomer=Aby utworzyć fakturę za kilka zamówień, najpierw kliknij na klienta, a następnie wybierz "%s". OptionToSetOrderBilledNotEnabled=Opcja z modułu Workflow, aby automatycznie ustawić zamówienie na „Zafakturowane” po walidacji faktury, nie jest włączona, więc po wygenerowaniu faktury będziesz musiał ręcznie ustawić status zamówień na „Zafakturowane”. IfValidateInvoiceIsNoOrderStayUnbilled=Jeśli weryfikacja faktury to „Nie”, zamówienie pozostanie w stanie „Niezafakturowane” do momentu potwierdzenia faktury. CloseReceivedSupplierOrdersAutomatically=Zamknij zamówienie do statusu „%s” automatycznie, jeśli otrzymane zostaną wszystkie produkty. @@ -191,18 +191,18 @@ StatusSupplierOrderToBillShort=Dostarczone StatusSupplierOrderApprovedShort=Przyjęto StatusSupplierOrderRefusedShort=Odrzucony StatusSupplierOrderToProcessShort=Do przetworzenia -StatusSupplierOrderReceivedPartiallyShort=Częściowo otrzymano +StatusSupplierOrderReceivedPartiallyShort=Otrzymane częściowo StatusSupplierOrderReceivedAllShort=Produkty otrzymane StatusSupplierOrderCanceled=Anulowany -StatusSupplierOrderDraft=Projekt (do zatwierdzonia) +StatusSupplierOrderDraft=Szkic (musi zostać zatwierdzony) StatusSupplierOrderValidated=Zatwierdzony -StatusSupplierOrderOnProcess=Zamówione - odbiór czuwania +StatusSupplierOrderOnProcess=Zamówione - oczekiwanie na przyjęcie StatusSupplierOrderOnProcessWithValidation=Zamówione - odbiór lub walidacji czuwania StatusSupplierOrderProcessed=Przetwarzany StatusSupplierOrderToBill=Dostarczone StatusSupplierOrderApproved=Przyjęto StatusSupplierOrderRefused=Odrzucony -StatusSupplierOrderReceivedPartially=Częściowo otrzymano +StatusSupplierOrderReceivedPartially=Otrzymane częściowo StatusSupplierOrderReceivedAll=Wszystkie produkty otrzymane -NeedAtLeastOneInvoice = There has to be at least one Invoice -LineAlreadyDispatched = The order line is already received. +NeedAtLeastOneInvoice = Musi istnieć co najmniej jedna faktura +LineAlreadyDispatched = Ta pozycja zamówienia została już odebrana. diff --git a/htdocs/langs/pl_PL/other.lang b/htdocs/langs/pl_PL/other.lang index 49c59ebac27..ba727a337b6 100644 --- a/htdocs/langs/pl_PL/other.lang +++ b/htdocs/langs/pl_PL/other.lang @@ -1,11 +1,11 @@ # Dolibarr language file - Source file is en_US - other SecurityCode=Kod zabezpieczający -NumberingShort=N° +NumberingShort=Nr Tools=Narzędzia TMenuTools=Narzędzia ToolsDesc=Wszystkie narzędzia, które nie są zawarte w innych pozycjach menu, są tutaj zgrupowane.
      Wszystkie narzędzia są dostępne w lewym menu. Birthday=Urodziny -BirthdayAlert=Birthday alert +BirthdayAlert=Alarm urodzinowy BirthdayAlertOn=urodziny wpisu aktywnych BirthdayAlertOff=urodziny wpisu nieaktywne TransKey=Tłumaczenie klucza TransKey @@ -31,20 +31,21 @@ PreviousYearOfInvoice=Poprzedni rok od daty wystawienia faktury NextYearOfInvoice=Kolejny rok od daty wystawienia faktury DateNextInvoiceBeforeGen=Data kolejnej faktury (przed wygenerowaniem) DateNextInvoiceAfterGen=Data następnej faktury (po wygenerowaniu) -GraphInBarsAreLimitedToNMeasures=Grafika jest ograniczona do taktów %s w trybie „Bars”. Zamiast tego automatycznie wybrano tryb „Linie”. +GraphInBarsAreLimitedToNMeasures=Grafika jest ograniczona do %s miar w trybie „Pasek”. Zamiast tego automatycznie został wybrany tryb „Linie”. OnlyOneFieldForXAxisIsPossible=Obecnie możliwe jest tylko 1 pole jako oś X. Wybrano tylko pierwsze wybrane pole. AtLeastOneMeasureIsRequired=Wymagane jest co najmniej 1 pole do pomiaru AtLeastOneXAxisIsRequired=Wymagane jest co najmniej 1 pole dla osi X. LatestBlogPosts=Najnowsze posty na blogu -notiftouser=To users -notiftofixedemail=To fixed mail -notiftouserandtofixedemail=To user and fixed mail +notiftouser=Do użytkowników +notiftofixedemail=Na pocztę stałą +notiftouserandtofixedemail=Do poczty użytkownika i poczty stacjonarnej Notify_ORDER_VALIDATE=Zamówienie sprzedaży zostało zatwierdzone Notify_ORDER_SENTBYMAIL=Zamówienie sprzedaży wysłane pocztą -Notify_ORDER_CLOSE=Sales order delivered +Notify_ORDER_CLOSE=Dostarczono zamówienie sprzedaży Notify_ORDER_SUPPLIER_SENTBYMAIL=Zamówienie wysłane e-mailem Notify_ORDER_SUPPLIER_VALIDATE=Zarejestrowano zamówienie zakupu Notify_ORDER_SUPPLIER_APPROVE=Zatwierdzono zamówienie zakupu +Notify_ORDER_SUPPLIER_SUBMIT=Zamówienie złożone Notify_ORDER_SUPPLIER_REFUSE=Zamówienie zostało odrzucone Notify_PROPAL_VALIDATE=Oferta klienta potwierdzona Notify_PROPAL_CLOSE_SIGNED=Oferta klienta zamknięta i podpisana @@ -54,7 +55,7 @@ Notify_WITHDRAW_TRANSMIT=Wycofanie transmisji Notify_WITHDRAW_CREDIT=Wycofanie kredyt Notify_WITHDRAW_EMIT=Wycofanie Isue Notify_COMPANY_CREATE=Kontrahent utworzony -Notify_COMPANY_SENTBYMAIL=Mails sent from the page of third party +Notify_COMPANY_SENTBYMAIL=Wiadomości wysyłane ze strony strony trzeciej Notify_BILL_VALIDATE=Faktura klienta zatwierdzona Notify_BILL_UNVALIDATE=Faktura klienta nie- zwalidowane Notify_BILL_PAYED=Zapłacono fakturę klienta @@ -66,6 +67,7 @@ Notify_BILL_SUPPLIER_SENTBYMAIL=Faktura dostawcy wysłana pocztą Notify_BILL_SUPPLIER_CANCELED=Faktura dostawcy anulowana Notify_CONTRACT_VALIDATE=Umowa zatwierdzona Notify_FICHINTER_VALIDATE=Interwencja zatwierdzona +Notify_FICHINTER_CLOSE=Interwencja zamknięta Notify_FICHINTER_ADD_CONTACT=Dodano kontakt do interwencji Notify_FICHINTER_SENTBYMAIL=Interwencja wysłana za pośrednictwem wiadomości email Notify_SHIPPING_VALIDATE=Wysyłka zatwierdzona @@ -112,7 +114,7 @@ ChooseYourDemoProfilMore=... lub stwórz własny profil
      (ręczny wybór mod DemoFundation=Zarządzanie członkami fundacji DemoFundation2=Zarządzanie członkami i kontami bankowymi fundacji DemoCompanyServiceOnly=Firma lub freelancer sprzedający tylko swoje usługi -DemoCompanyShopWithCashDesk=Manage a shop with a cash box +DemoCompanyShopWithCashDesk=Zarządzaj sklepem za pomocą kasy DemoCompanyProductAndStocks=Kupuj produkty w punkcie sprzedaży DemoCompanyManufacturing=Firma produkująca produkty DemoCompanyAll=Firma z kilkoma aktywnościami (wszystkie główne moduły) @@ -182,36 +184,40 @@ SizeUnitinch=cal SizeUnitfoot=stopa SizeUnitpoint=punkt BugTracker=Bug tracker -SendNewPasswordDesc=Ten formularz umożliwia zażądanie nowego hasła. Zostanie on wysłany na Twój adres e-mail.
      Zmiana zacznie obowiązywać po kliknięciu linku potwierdzającego w wiadomości e-mail.
      Sprawdź swoją skrzynkę odbiorczą. -EnterNewPasswordHere=Enter your new password here +SendNewPasswordDesc=Ten formularz umożliwia wysłanie żądania o nowe hasło. Zostanie ono wysłane na Twój adres e-mail.
      Zmiana zacznie obowiązywać po kliknięciu linku potwierdzającego w wiadomości e-mail.
      Sprawdź swoją skrzynkę odbiorczą. +EnterNewPasswordHere=Wpisz tutaj swoje nowe hasło BackToLoginPage=Powrót do strony logowania AuthenticationDoesNotAllowSendNewPassword=Uwierzytelnianie w trybie %s.
      W tym trybie Dolibarr nie może znać ani zmienić hasła.
      Skontaktuj się z administratorem systemu, jeśli chcesz zmienić swoje hasło. EnableGDLibraryDesc=Zainstaluj lub włącz bibliotekę GD w instalacji PHP, aby użyć tej opcji. ProfIdShortDesc=Prof ID %s jest informacji w zależności od trzeciej kraju.
      Na przykład, dla kraju, %s, jest to kod %s. DolibarrDemo=Demo Dolibarr ERP/CRM -StatsByAmount=Statistics on amount of products/services +StatsByAmount=Statystyki dotyczące ilości produktów/usług +StatsByAmountProducts=Statystyki dotyczące ilości produktów +StatsByAmountServices=Statystyki dotyczące ilości usług StatsByNumberOfUnits=Statystyki dla sum ilości produktów / usług +StatsByNumberOfUnitsProducts=Statystyki sumy ilości produktów +StatsByNumberOfUnitsServices=Statystyka sumy usług StatsByNumberOfEntities=Statystyki wybranego obiektu (np. liczba faktur, liczba zamówień, ...) -NumberOf=Number of %s -NumberOfUnits=Number of units on %s -AmountIn=Amount in %s +NumberOf=Liczba %s +NumberOfUnits=Liczba jednostek na %s +AmountIn=Kwota w %s NumberOfUnitsMos=Liczba jednostek do wyprodukowania w zleceniach produkcyjnych EMailTextInterventionAddedContact=Przypisano Ci nową interwencję %s. EMailTextInterventionValidated=Interwencja %s zatwierdzona +EMailTextInterventionClosed=Interwencja %s została zamknięta. EMailTextInvoiceValidated=Faktura %s została zweryfikowana. EMailTextInvoicePayed=Faktura %s została zapłacona. EMailTextProposalValidated=Oferta %s została zweryfikowana. EMailTextProposalClosedSigned=Wniosek %s został zamknięty i podpisany. -EMailTextProposalClosedSignedWeb=Proposal %s has been closed signed on portal page. -EMailTextProposalClosedRefused=Proposal %s has been closed refused. -EMailTextProposalClosedRefusedWeb=Proposal %s has been closed refuse on portal page. +EMailTextProposalClosedSignedWeb=Propozycja %s została zamknięta i podpisana na stronie portalu. +EMailTextProposalClosedRefused=Propozycja %s została zamknięta i odrzucona. +EMailTextProposalClosedRefusedWeb=Propozycja %s została zamknięta i odrzucona na stronie portalu. EMailTextOrderValidated=Zamówienie %s zostało zweryfikowane. -EMailTextOrderClose=Order %s has been delivered. -EMailTextOrderApproved=Zamówienie %s zostało zatwierdzone. -EMailTextOrderValidatedBy=Zamówienie %s zostało zarejestrowane przez %s. -EMailTextOrderApprovedBy=Zamówienie %s zostało zatwierdzone przez %s. -EMailTextOrderRefused=Zamówienie %s zostało odrzucone. -EMailTextOrderRefusedBy=Zamówienie %s zostało odrzucone przez %s. +EMailTextOrderClose=Zamówienie %s zostało dostarczone. +EMailTextSupplierOrderApprovedBy=Zamówienie zakupu %s zostało zatwierdzone przez %s. +EMailTextSupplierOrderValidatedBy=Zamówienie zakupu %s zostało zarejestrowane przez %s. +EMailTextSupplierOrderSubmittedBy=Zamówienie zakupu %s zostało złożone przez %s. +EMailTextSupplierOrderRefusedBy=Zamówienie zakupu %s zostało odrzucone przez %s. EMailTextExpeditionValidated=Wysyłka %s została zweryfikowana. EMailTextExpenseReportValidated=Raport z wydatków %s został zweryfikowany. EMailTextExpenseReportApproved=Raport z wydatków %s został zatwierdzony. @@ -220,11 +226,11 @@ EMailTextHolidayApproved=Wniosek o urlop %s został zatwierdzony. EMailTextActionAdded=Akcja %s została dodana do porządku obrad. ImportedWithSet=Przywóz zestaw danych DolibarrNotification=Automatyczne powiadomienie -ResizeDesc=Skriv inn ny bredde eller ny høyde. Forhold vil bli holdt under resizing ... +ResizeDesc=Wprowadź nową szerokość LUB nową wysokość. Proporcje zostaną zachowane... NewLength=Nowa szerokość NewHeight=Nowa waga NewSizeAfterCropping=Nowy rozmiar po przycięciu -DefineNewAreaToPick=Definer nytt område på bildet for å plukke (venstre klikk på bildet og dra til du kommer til motsatt hjørne) +DefineNewAreaToPick=Zdefiniuj nowy obszar na obrazie (kliknij i przytrzymaj lepy klawisz myszy, a następnie przeciągnij do przeciwległego rogu) CurrentInformationOnImage=To narzędzie zostało zaprojektowane, aby pomóc Ci zmienić rozmiar lub przyciąć obraz. To są informacje o aktualnie edytowanym obrazie ImageEditor=Edytor obrazów YouReceiveMailBecauseOfNotification=Du mottar denne meldingen fordi din e-post har blitt lagt til listen over mål for å bli informert om spesielle hendelser i %s programvare av %s. @@ -254,10 +260,10 @@ PassEncoding=Kodowanie hasła PermissionsAdd=Uprawnienia dodane PermissionsDelete=Uprawnienia usunięte YourPasswordMustHaveAtLeastXChars=Twoje hasło musi składać się z %s znaków -PasswordNeedAtLeastXUpperCaseChars=The password need at least %s upper case chars -PasswordNeedAtLeastXDigitChars=The password need at least %s numeric chars -PasswordNeedAtLeastXSpecialChars=The password need at least %s special chars -PasswordNeedNoXConsecutiveChars=The password must not have %s consecutive similar chars +PasswordNeedAtLeastXUpperCaseChars=Hasło wymaga co najmniej %s wielkich liter +PasswordNeedAtLeastXDigitChars=Hasło musi zawierać co najmniej %s znaków numerycznych +PasswordNeedAtLeastXSpecialChars=Hasło wymaga co najmniej %s znaków specjalnych +PasswordNeedNoXConsecutiveChars=Hasło nie może zawierać %s kolejnych podobnych znaków YourPasswordHasBeenReset=Twoje hasło zostało zresetowane pomyślnie ApplicantIpAddress=Adres IP wnioskodawcy SMSSentTo=SMS wysłany na numer %s @@ -268,7 +274,7 @@ ProjectCreatedByEmailCollector=Projekt utworzony przez kolektor poczty e-mail z TicketCreatedByEmailCollector=Bilet utworzony przez zbierającego wiadomości e-mail z wiadomości e-mail MSGID %s OpeningHoursFormatDesc=Użyj - aby oddzielić godziny otwarcia i zamknięcia.
      Użyj spacji, aby wprowadzić różne zakresy.
      Przykład: 8-12 14-18 SuffixSessionName=Sufiks nazwy sesji -LoginWith=Login with %s +LoginWith=Zaloguj się za pomocą %s ##### Export ##### ExportsArea=Wywóz obszarze @@ -289,29 +295,31 @@ LinesToImport=Linie do zaimportowania MemoryUsage=Zużycie pamięci RequestDuration=Czas trwania zapytania -ProductsPerPopularity=Produkty / usługi według popularności -PopuProp=Produkty / usługi według popularności w propozycjach -PopuCom=Produkty / usługi według popularności w Zamówieniach -ProductStatistics=Statystyki produktów / usług +ProductsServicesPerPopularity=Produkty|Usługi według popularności +ProductsPerPopularity=Produkty według popularności +ServicesPerPopularity=Usługi według popularności +PopuProp=Produkty|Usługi według popularności w propozycjach +PopuCom=Produkty|Usługi według popularności w Zamówieniach +ProductStatistics=Produkty|Usługi Statystyki NbOfQtyInOrders=Ilość w zamówieniach SelectTheTypeOfObjectToAnalyze=Wybierz obiekt, aby wyświetlić jego statystyki... -ConfirmBtnCommonContent = Are you sure you want to "%s" ? -ConfirmBtnCommonTitle = Confirm your action +ConfirmBtnCommonContent = Czy na pewno chcesz „%s”? +ConfirmBtnCommonTitle = Potwierdź swoje działanie CloseDialog = Zamknij -Autofill = Autofill -OrPasteAnURL=or Paste an URL +Autofill = Automatyczne uzupełnianie +OrPasteAnURL=lub Wklej adres URL # externalsite ExternalSiteSetup=Skonfiguruj link do zewnętrznej strony internetowej -ExternalSiteURL=External Site URL of HTML iframe content +ExternalSiteURL=Adres URL witryny zewnętrznej zawierający treść iframe HTML ExternalSiteModuleNotComplete=Moduł zewnętrznej strony internetowej nie został skonfigurowany poprawny ExampleMyMenuEntry=Moje wejścia do menu # ftp FTPClientSetup=Konfiguracja modułu klienta FTP lub SFTP -NewFTPClient=New FTP/SFTP connection setup -FTPArea=FTP/SFTP Area +NewFTPClient=Nowa konfiguracja połączenia FTP/SFTP +FTPArea=Obszar FTP/SFTP FTPAreaDesc=Ten ekran pokazuje widok serwera FTP i SFTP. SetupOfFTPClientModuleNotComplete=Wydaje się, że konfiguracja modułu klienta FTP lub SFTP jest niekompletna FTPFeatureNotSupportedByYourPHP=Twój PHP nie obsługuje funkcji FTP ani SFTP @@ -322,9 +330,9 @@ FTPFailedToRemoveDir=Nie udało się usunąć katalogu %s : sprawdź upr FTPPassiveMode=Tryb pasywny ChooseAFTPEntryIntoMenu=Wybierz witrynę FTP / SFTP z menu ... FailedToGetFile=Nie można pobrać plików %s -ErrorFTPNodisconnect=Error to disconnect FTP/SFTP server -FileWasUpload=File %s was uploaded -FTPFailedToUploadFile=Failed to upload the file %s. -AddFolder=Create folder -FileWasCreateFolder=Folder %s has been created -FTPFailedToCreateFolder=Failed to create folder %s. +ErrorFTPNodisconnect=Błąd rozłączenia serwera FTP/SFTP +FileWasUpload=Plik %s został przesłany +FTPFailedToUploadFile=Nie udało się przesłać pliku %s. +AddFolder=Utwórz folder +FileWasCreateFolder=Folder %s został utworzony +FTPFailedToCreateFolder=Nie udało się utworzyć folderu %s. diff --git a/htdocs/langs/pl_PL/productbatch.lang b/htdocs/langs/pl_PL/productbatch.lang index 60aa8b883f8..e9f3d9c2710 100644 --- a/htdocs/langs/pl_PL/productbatch.lang +++ b/htdocs/langs/pl_PL/productbatch.lang @@ -31,7 +31,7 @@ ManageLotMask=Maska niestandardowa CustomMasks=Możliwość zdefiniowania innej maski numeracji dla każdego produktu BatchLotNumberingModules=Reguła numeracji do automatycznego generowania numeru partii BatchSerialNumberingModules=Reguła numeracji do automatycznego generowania numeru seryjnego (dla produktów o właściwości 1 unikalna partia/seria dla każdego produktu) -QtyToAddAfterBarcodeScan=Qty to %s for each barcode/lot/serial scanned +QtyToAddAfterBarcodeScan=Ilość do %s na każdy zeskanowany kod kreskowy/partię/numer seryjny LifeTime=Żywotność (w dniach) EndOfLife=Koniec życia ManufacturingDate=Data produkcji @@ -43,5 +43,7 @@ HideLots=Ukryj wszystkie numery partii #Traceability - qc status OutOfOrder=Niedostępny InWorkingOrder=Sprawny -ToReplace=Replace +ToReplace=Zastąp CantMoveNonExistantSerial=Błąd. Prosisz o ruch na rekordzie dla numeru seyjnego, który już nie istnieje. Być może ten sam numer seryjny trafia do tego samego magazynu kilka razy w tej samej przesyłce lub był używany w innej przesyłce. Usuń tę przesyłkę i przygotuj kolejną. +TableLotIncompleteRunRepairWithParamStandardEqualConfirmed=Tabela lotów nie kompletna, uruchom naprawę z parametrem '...repair.php?standard=confirmed' +IlligalQtyForSerialNumbers= Wymagana korekta stanu magazynowego ze względu na unikalny numer seryjny. diff --git a/htdocs/langs/pl_PL/products.lang b/htdocs/langs/pl_PL/products.lang index 9a8bc2a9454..1c34ce9f87e 100644 --- a/htdocs/langs/pl_PL/products.lang +++ b/htdocs/langs/pl_PL/products.lang @@ -48,9 +48,9 @@ LastRecordedProducts=Ostatnie %s zarejestrowanych produktów LastRecordedServices=Ostatnie %s zarejestrowanych usług CardProduct0=Produkt CardProduct1=Usługa -Stock=Zapas -MenuStocks=Stany -Stocks=Zasoby i lokalizacja produktów (na magazynie) +Stock=Stan magazynowy +MenuStocks=Stany magazynowe +Stocks=Stan i lokalizacja (magazyn) produktów Movements=Przesunięcia Sell=Sprzedaż Buy=Zakup @@ -73,15 +73,18 @@ SellingPrice=Cena sprzedaży SellingPriceHT=Cena sprzedaży (Bez VAT) SellingPriceTTC=Cena sprzedaży (z podatkiem) SellingMinPriceTTC=Minimalna cena sprzedaży (z podatkiem) -CostPriceDescription=To pole ceny (bez podatku) może służyć do przechwytywania średniej kwoty, jaką ten produkt kosztuje dla Twojej firmy. Może to być każda cena, którą sam obliczysz, na przykład ze średniej ceny zakupu plus średni koszt produkcji i dystrybucji. -CostPriceUsage=Wartość tę można wykorzystać do obliczenia depozytu zabezpieczającego. -ManufacturingPrice=Manufacturing price +CostPriceDescription=Pole kosztu (netto) może służyć do przechwytywania średniej kwoty, jaką ten produkt kosztuje Twoją firmę. Może być to dowolna wartość, którą sam obliczysz, na przykład z sumy średniej ceny zakupu i średnich kosztów produkcji i dystrybucji. +CostPriceUsage=Wartość tą można wykorzystać do obliczania marży. +ManufacturingPrice=Cena produkcyjna SoldAmount=Sprzedana ilość PurchasedAmount=Zakupiona ilość NewPrice=Nowa cena MinPrice=Min. cena sprzedaży +MinPriceHT=Min. cena sprzedaży (bez podatku) +MinPriceTTC=Minimalna cena sprzedaży (z podatkiem) EditSellingPriceLabel=Edytuj etykietę ceny sprzedaży -CantBeLessThanMinPrice=Cena sprzedaży nie może być niższa niż minimalna dopuszczalna dla tego produktu (%s bez podatku). Ten komunikat może się również pojawić po wpisaniu zbyt wysokiego rabatu. +CantBeLessThanMinPrice=Cena sprzedaży nie może być niższa niż minimalna dozwolona dla tego produktu (%s bez podatku). Komunikat ten może pojawić się również w przypadku wpisania znacznego rabatu. +CantBeLessThanMinPriceInclTax=Cena sprzedaży nie może być niższa niż minimalna dozwolona dla tego produktu (%s łącznie z podatkami). Komunikat ten może pojawić się także w przypadku wpisania zbyt ważnego rabatu. ContractStatusClosed=Zamknięte ErrorProductAlreadyExists=Produkt o numerze referencyjnym %s już istnieje. ErrorProductBadRefOrLabel=Błędna wartość referencji lub etykiety @@ -114,9 +117,9 @@ VariantsAbility=Włącz warianty (odmiany produktów, na przykład kolor, rozmia AssociatedProducts=Zestawy AssociatedProductsNumber=Liczba produktów tworzących ten zestaw ParentProductsNumber=Liczba dominującej opakowaniu produktu -ParentProducts=Produkt macieżysty +ParentProducts=Produkty macierzyste IfZeroItIsNotAVirtualProduct=Jeśli 0, ten produkt nie jest zestawem -IfZeroItIsNotUsedByVirtualProduct=Jeśli 0, ten produkt nie jest używany przez żaden zestaw +IfZeroItIsNotUsedByVirtualProduct=Jeśli 0, ten produkt nie jest wykorzystywany w żadnym zestawie KeywordFilter=Filtr słów kluczowych CategoryFilter=Filtr kategorii ProductToAddSearch=Szukaj produktu do dodania @@ -132,13 +135,13 @@ ExportDataset_produit_1=Produkty ExportDataset_service_1=Usługi ImportDataset_produit_1=Produkty ImportDataset_service_1=Usługi -DeleteProductLine=Usuń linię produktu -ConfirmDeleteProductLine=Czy na pewno chcesz usunąć tę linię produktu? +DeleteProductLine=Usuń pozycję +ConfirmDeleteProductLine=Czy jesteś pewien, że chcesz usunąć ten produkt z listy pozycji? ProductSpecial=Specjalne QtyMin=Min. ilość zakupu PriceQtyMin=Cena ilość min. -PriceQtyMinCurrency=Price (currency) for this qty. -WithoutDiscount=Without discount +PriceQtyMinCurrency=Cena (waluta) za tę ilość. +WithoutDiscount=Bez zniżki VATRateForSupplierProduct=Stawka VAT (dla tego dostawcy / produktu) DiscountQtyMin=Rabat na tę ilość. NoPriceDefinedForThisSupplier=Brak zdefiniowanej ceny / ilości dla tego dostawcy / produktu @@ -249,7 +252,7 @@ MultipriceRules=Ceny automatyczne za segment UseMultipriceRules=Użyj reguł segmentów cenowych (zdefiniowanych w konfiguracji modułu produktu), aby automatycznie obliczyć ceny wszystkich innych segmentów zgodnie z pierwszym segmentem PercentVariationOver=%% Zmiany na% s PercentDiscountOver=%% Rabatu na% s -KeepEmptyForAutoCalculation=Pozostaw puste, aby to było obliczane automatycznie na podstawie wagi lub objętości produktów +KeepEmptyForAutoCalculation=Pozostaw pole puste, aby zostało obliczone automatycznie na podstawie wagi lub objętości produktów VariantRefExample=Przykłady: COL, SIZE VariantLabelExample=Przykłady: kolor, rozmiar ### composition fabrication @@ -262,7 +265,7 @@ Quarter1=1-szy Kwartał Quarter2=2-i Kwartał Quarter3=3-i Kwartał Quarter4=4-y Kwartał -BarCodePrintsheet=Print barcodes +BarCodePrintsheet=Drukuj kody kreskowe PageToGenerateBarCodeSheets=Za pomocą tego narzędzia możesz drukować arkusze naklejek z kodami kreskowymi. Wybierz format strony z naklejkami, typ kodu kreskowego i wartość kodu kreskowego, a następnie kliknij przycisk %s . NumberOfStickers=Ilość naklejek do wydrukowania na stronie PrintsheetForOneBarCode=Wydrukuj kilka naklejek dla kodu kreskowego @@ -316,9 +319,9 @@ UpdateInterval=Aktualizacja co (min) LastUpdated=Ostatnia aktualizacja CorrectlyUpdated=Poprawnie zaktualizowane PropalMergePdfProductActualFile=Pliki użyć, aby dodać do PDF Azur są / jest -PropalMergePdfProductChooseFile=Wybież plik PDF -IncludingProductWithTag=Including products/services with the tag -DefaultPriceRealPriceMayDependOnCustomer=Domyślna cena, realna cena może zależeć od klienta +PropalMergePdfProductChooseFile=Wybierz plik PDF +IncludingProductWithTag=Zawierające produkty/usługi z określonym tagiem +DefaultPriceRealPriceMayDependOnCustomer=Domyślna cena, faktyczna cena może zależeć od klienta WarningSelectOneDocument=Proszę zaznaczyć co najmniej jeden dokument DefaultUnitToShow=Jednostka NbOfQtyInProposals=Ilość w propozycjach @@ -343,20 +346,21 @@ ProductSheet=Arkusz produktu ServiceSheet=Arkusz usługi PossibleValues=Możliwa wartość GoOnMenuToCreateVairants=Przejdź do menu %s - %s, aby przygotować warianty atrybutów (takie jak kolory, rozmiar, ...) -UseProductFournDesc=Add a feature to define the product description defined by the vendors (for each vendor reference) in addition to the description for customers +UseProductFournDesc=Dodaj funkcję definiującą opis produktu zdefiniowany przez dostawców (dla każdego odniesienia do dostawcy) jako dodatek do opisu dla klientów ProductSupplierDescription=Opis dostawcy produktu -UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) -PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=You will automaticaly purchase a multiple of this quantity. +UseProductSupplierPackaging=Użyj funkcji „pakowania”, aby zaokrąglić ilości do podanych wielokrotności (podczas dodawania/aktualizowania wiersza w dokumentach dostawcy przelicz ilości i ceny zakupu zgodnie z wyższą wielokrotnością ustawioną na cenach zakupu produktu) +PackagingForThisProduct=Pakowanie ilości +PackagingForThisProductDesc=Automatycznie kupisz wielokrotność tej ilości. QtyRecalculatedWithPackaging=Ilość linii została przeliczona zgodnie z opakowaniem dostawcy #Attributes +Attributes=Atrybuty VariantAttributes=Atrybuty wariantu ProductAttributes=Atrybuty wariantu dla produktów ProductAttributeName=Atrybut wariantu %s ProductAttribute=Atrybut wariantu ProductAttributeDeleteDialog=Czy jesteś pewien, że chcesz usunąć ten atrybut? Wszystkie wartości zostaną usunięte -ProductAttributeValueDeleteDialog=Czy na pewno chcesz usunąć wartość „%s” z odniesieniem „%s” tego atrybutu? +ProductAttributeValueDeleteDialog=Czy na pewno chcesz usunąć wartość „%s” z odwołaniem „%s” tego atrybutu? ProductCombinationDeleteDialog=Czy jesteś pewien, że chcesz usunąć wariant produktu "%s"? ProductCombinationAlreadyUsed=Wystąpił błąd podczas usuwania wariantu. Sprawdź, czy nie jest używany w żadnym obiekcie ProductCombinations=Warianty @@ -386,7 +390,8 @@ PercentageVariation=Odchylenie procentowe ErrorDeletingGeneratedProducts=Wystąpił błąd podczas próby usunięcia istniejących wariantów produktu NbOfDifferentValues=Liczba różnych wartości NbProducts=Liczba produktów -ParentProduct=Produkt macieżysty +ParentProduct=Produkt macierzysty +ParentProductOfVariant=Produkt macierzysty wariantu HideChildProducts=Ukryj warianty produktów ShowChildProducts=Pokaż warianty produktów NoEditVariants=Przejdź do karty produktu nadrzędnego i edytuj wpływ cen wariantów na karcie wariantów @@ -399,34 +404,37 @@ ActionAvailableOnVariantProductOnly=Akcja dostępna tylko w wariancie produktu ProductsPricePerCustomer=Ceny produktów na klientów ProductSupplierExtraFields=Dodatkowe atrybuty (ceny dostawców) DeleteLinkedProduct=Usuń produkt podrzędny powiązany z kombinacją -AmountUsedToUpdateWAP=Unit amount to use to update the Weighted Average Price +AmountUsedToUpdateWAP=Kwota jednostkowa używana do aktualizacji średniej ważonej ceny PMPValue=Średnia ważona ceny PMPValueShort=WAP -mandatoryperiod=Mandatory periods -mandatoryPeriodNeedTobeSet=Note: Period (start and end date) must be defined -mandatoryPeriodNeedTobeSetMsgValidate=A service requires a start and end period -mandatoryHelper=Check this if you want a message to the user when creating / validating an invoice, commercial proposal, sales order without entering a start and end date on lines with this service.
      Note that the message is a warning and not a blocking error. -DefaultBOM=Default BOM -DefaultBOMDesc=The default BOM recommended to use to manufacture this product. This field can be set only if nature of product is '%s'. -Rank=Rank -MergeOriginProduct=Duplicate product (product you want to delete) -MergeProducts=Merge products -ConfirmMergeProducts=Are you sure you want to merge the chosen product with the current one? All linked objects (invoices, orders, ...) will be moved to the current product, after which the chosen product will be deleted. -ProductsMergeSuccess=Products have been merged -ErrorsProductsMerge=Errors in products merge -SwitchOnSaleStatus=Switch on sale status -SwitchOnPurchaseStatus=Switch on purchase status -UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Extra Fields (stock mouvement) -InventoryExtraFields= Extra Fields (inventory) -ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes -PuttingPricesUpToDate=Update prices with current known prices -PuttingDescUpToDate=Update descriptions with current known descriptions -PMPExpected=Expected PMP -ExpectedValuation=Expected Valuation -PMPReal=Real PMP -RealValuation=Real Valuation -ConfirmEditExtrafield = Select the extrafield you want modify -ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? -ModifyValueExtrafields = Modify value of an extrafield -OrProductsWithCategories=Or products with tags/categories +mandatoryperiod=Okresy obowiązkowe +mandatoryPeriodNeedTobeSet=Uwaga: Należy określić okres (data rozpoczęcia i zakończenia). +mandatoryPeriodNeedTobeSetMsgValidate=Usługa wymaga okresu początkowego i końcowego +mandatoryHelper=Zaznacz tę opcję, jeśli chcesz, aby użytkownik podczas tworzenia/weryfikacji faktury, oferty handlowej lub zamówienia sprzedaży otrzymywał wiadomość bez podawania daty początkowej i końcowej w wierszach tej usługi.
      Pamiętaj, że komunikat jest ostrzeżeniem, a nie błędem blokującym. +DefaultBOM=Domyślna lista materiałowa +DefaultBOMDesc=Domyślna lista materiałów zalecanych do użycia przy wytwarzaniu tego produktu. To pole może być ustawione tylko jeżeli produkt jest typu '%s'. +Rank=Ranga +MergeOriginProduct=Zduplikowany produkt (produkt, który chcesz usunąć) +MergeProducts=Połącz produkty +ConfirmMergeProducts=Czy na pewno chcesz połączyć wybrany produkt z obecnym? Wszystkie powiązane obiekty (faktury, zamówienia,...) zostaną przeniesione do bieżącego produktu, po czym wybrany produkt zostanie usunięty. +ProductsMergeSuccess=Produkty zostały połączone +ErrorsProductsMerge=Błędy w łączeniu produktów +SwitchOnSaleStatus=Włącz status sprzedaży +SwitchOnPurchaseStatus=Włącz status zakupu +UpdatePrice=Zwiększ/obniż cenę dla klienta +StockMouvementExtraFields= Dodatkowe pola (ruch magazynowy) +InventoryExtraFields= Dodatkowe pola (inwentarz) +ScanOrTypeOrCopyPasteYourBarCodes=Zeskanuj, wpisz lub skopiuj/wklej swoje kody kreskowe +PuttingPricesUpToDate=Aktualizuj ceny, uwzględniając aktualnie znane ceny +PuttingDescUpToDate=Zaktualizuj opisy za pomocą bieżących znanych opisów +PMPExpected=Oczekiwany PMP +ExpectedValuation=Oczekiwana wycena +PMPReal=Prawdziwy PMP +RealValuation=Prawdziwa wycena +ConfirmEditExtrafield = Wybierz dodatkowe pole, które chcesz zmodyfikować +ConfirmEditExtrafieldQuestion = Czy na pewno chcesz zmodyfikować to dodatkowe pole? +ModifyValueExtrafields = Zmień wartość dodatkowego pola +OrProductsWithCategories=Lub produkty z tagami/kategoriami +WarningTransferBatchStockMouvToGlobal = Jeśli chcesz deserializować ten produkt, wszystkie jego seryjne zapasy zostaną przekształcone w zapasy globalne +WarningConvertFromBatchToSerial=Jeśli obecnie posiadasz ilość produktu większą lub równą 2, przejście na ten wybór oznacza, że nadal będziesz mieć produkt z różnymi przedmiotami z tej samej partii (chociaż chcesz mieć unikalny numer seryjny). Duplikat pozostanie do czasu przeprowadzenia inwentaryzacji lub ręcznego przesunięcia zapasów w celu naprawienia tego problemu. +ConfirmSetToDraftInventory=Czy jesteś pewien, że chcesz wrócić do statusu Szkicu?
      Ilości ustawione obecnie zostaną zresetowane do stanu sprzed zatwierdzenia. diff --git a/htdocs/langs/pl_PL/projects.lang b/htdocs/langs/pl_PL/projects.lang index 8aac393a3cd..550ad0438a6 100644 --- a/htdocs/langs/pl_PL/projects.lang +++ b/htdocs/langs/pl_PL/projects.lang @@ -1,12 +1,12 @@ # Dolibarr language file - Source file is en_US - projects -RefProject=Ref. projekt +RefProject=Nr ref. projektu ProjectRef=Numer referencyjny projektu ProjectId=Projekt Id ProjectLabel=Etykieta projektu ProjectsArea=Obszar projektów ProjectStatus=Status projektu SharedProject=Wszyscy -PrivateProject=Assigned contacts +PrivateProject=Przypisane kontakty ProjectsImContactFor=Projekty, dla których jestem jawnym kontaktem AllAllowedProjects=Cały projekt, który mogę przeczytać (mój + publiczny) AllProjects=Wszystkie projekty @@ -23,7 +23,7 @@ TasksPublicDesc=Ten widok przedstawia wszystkie projekty i zadania, które może TasksDesc=Ten widok przedstawia wszystkie projekty i zadania (twoje uprawnienia mają dostępu do wglądu we wszystko). AllTaskVisibleButEditIfYouAreAssigned=Wszystkie zadania dla zakwalifikowanych projektów są widoczne, ale możesz wprowadzić czas tylko dla zadania przypisanego do wybranego użytkownika. Przypisz zadanie, jeśli chcesz wprowadzić na nim czas. OnlyYourTaskAreVisible=Widoczne są tylko zadania przypisane do Ciebie. Jeśli potrzebujesz wprowadzić czas w zadaniu a ono nie jest tutaj widoczne, to musisz przypisać to zadanie sobie. -ImportDatasetProjects=Projects or opportunities +ImportDatasetProjects=Projekty lub możliwości ImportDatasetTasks=Zadania projektów ProjectCategories=Tagi / kategorie projektów NewProject=Nowy projekt @@ -33,21 +33,23 @@ DeleteATask=Usuń zadanie ConfirmDeleteAProject=Czy usunąć ten projekt? ConfirmDeleteATask=Czy usunąć to zadanie? OpenedProjects=Otwarte projekty +OpenedProjectsOpportunities=Otwórz możliwości OpenedTasks=Otwarte zadania OpportunitiesStatusForOpenedProjects=Prowadzi liczbę otwartych projektów według statusu OpportunitiesStatusForProjects=Prowadzi liczbę projektów według statusu ShowProject=Pokaż projekt ShowTask=Pokaż zadanie -SetThirdParty=Set third party -SetProject=Ustaw projekt -OutOfProject=Out of project +SetThirdParty=Wybierz kontrahenta +SetProject=Wybierz projekt +OutOfProject=Poza projektem NoProject=Żadny projekt niezdefiniowany lub nie jest twoją własnością NbOfProjects=Liczba projektów NbOfTasks=Liczba zadań +TimeEntry=Śledzenie czasu TimeSpent=Czas spędzony +TimeSpentSmall=Czas spędzony TimeSpentByYou=Czas spędzony przez Ciebie TimeSpentByUser=Czas spędzony przez użytkownika -TimesSpent=Czas spędzony TaskId=ID zadania RefTask=Nr zadania LabelTask=Etykieta zadania @@ -59,7 +61,7 @@ TasksOnOpenedProject=Zadania w otwartych projektach WorkloadNotDefined=Czas pracy nie zdefiniowany NewTimeSpent=Czas spędzony MyTimeSpent=Mój czas spędzony -BillTime=Bill spędzony czas +BillTime=Fakturowanie spędzonego czasu BillTimeShort=Czas rachunku TimeToBill=Czas nie jest rozliczany TimeBilled=Rozliczony czas @@ -81,7 +83,7 @@ MyProjectsArea=Obszar moich projektów DurationEffective=Efektywny czas trwania ProgressDeclared=Deklarowany rzeczywisty postęp TaskProgressSummary=Postęp zadania -CurentlyOpenedTasks=Obecnie otwarte zadania +CurentlyOpenedTasks=Aktualnie otwarte zadania TheReportedProgressIsLessThanTheCalculatedProgressionByX=Deklarowany rzeczywisty postęp jest mniejszy %s niż postęp konsumpcji TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Deklarowany rzeczywisty postęp jest bardziej %s niż postęp konsumpcji ProgressCalculated=Postęp w konsumpcji @@ -121,12 +123,12 @@ TaskHasChild=Zadanie ma dziecko NotOwnerOfProject=Brak właściciela tego prywatnego projektu AffectedTo=Przypisane do CantRemoveProject=Tego projektu nie można usunąć, ponieważ odwołują się do niego inne obiekty (faktura, zamówienia lub inne). Zobacz zakładkę „%s”. -ValidateProject=Sprawdź projet +ValidateProject=Zatwierdzanie projektu ConfirmValidateProject=Czy zatwierdzić ten projekt? CloseAProject=Zamknij Projekt ConfirmCloseAProject=Czy zamknąć ten projekt? -AlsoCloseAProject=Also close project -AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it +AlsoCloseAProject=Także zamknij projekt +AlsoCloseAProjectTooltip=Pozostaw go otwartym, jeśli nadal musisz wykonywać na nim zadania produkcyjne ReOpenAProject=Otwórz projekt ConfirmReOpenAProject=Czy otworzyć na nowo ten projekt? ProjectContact=Kontakty z projektu @@ -144,7 +146,7 @@ NoTasks=Brak zadań dla tego projektu LinkedToAnotherCompany=Powiązane z innymą częścią trzecią TaskIsNotAssignedToUser=Zadanie nie zostało przypisane do użytkownika. Użyj przycisku „ %s ”, aby przypisać zadanie teraz. ErrorTimeSpentIsEmpty=Czas spędzony jest pusty -TimeRecordingRestrictedToNMonthsBack=Time recording is restricted to %s months back +TimeRecordingRestrictedToNMonthsBack=Rejestrowanie czasu jest ograniczone do %s miesięcy wstecz ThisWillAlsoRemoveTasks=To działanie także usunie wszystkie zadania projektu (%s zadania w tej chwili) i wszystkie dane wejścia czasu spędzonego. IfNeedToUseOtherObjectKeepEmpty=Jeżeli pewne obiekty (faktura, zamówienie, ...), należące do innej części trzeciej, muszą być związane z projektem tworzenia, zachowaj to puste by projekt był wielowątkowy -(wiele części trzecich). CloneTasks=Sklonuj zadania @@ -166,10 +168,10 @@ TaskDeletedInDolibarr=Zadań %s usunięto OpportunityStatus=Status potencjalnego klienta OpportunityStatusShort=Status potencjalnego klienta OpportunityProbability=Prawdopodobieństwo ołowiu -OpportunityProbabilityShort=Ołów probab. +OpportunityProbabilityShort=Prawdopodobieństwo OpportunityAmount=Kwota ołowiu OpportunityAmountShort=Kwota ołowiu -OpportunityWeightedAmount=Amount of opportunity, weighted by probability +OpportunityWeightedAmount=Ilość możliwości ważona prawdopodobieństwem OpportunityWeightedAmountShort=Opp. kwota ważona OpportunityAmountAverageShort=Średnia kwota ołowiu OpportunityAmountWeigthedShort=Ważona kwota ołowiu @@ -194,16 +196,16 @@ PlannedWorkload=Planowany nakład pracy PlannedWorkloadShort=Nakład pracy ProjectReferers=Powiązane elementy ProjectMustBeValidatedFirst=Projekt musi być najpierw zatwierdzony -MustBeValidatedToBeSigned=%s must be validated first to be set to Signed. +MustBeValidatedToBeSigned=Wartość %s musi zostać najpierw zatwierdzona, aby można było ustawić opcję Podpisano. FirstAddRessourceToAllocateTime=Przypisz zasób użytkownika jako osobę kontaktową w projekcie, aby przydzielić czas InputPerDay=Wejścia na dzień InputPerWeek=Wejścia w tygodniu InputPerMonth=Wkład miesięcznie InputDetail=Dane wejściowe TimeAlreadyRecorded=Jest to czas już zarejestrowany dla tego zadania / dnia i użytkownika %s -ProjectsWithThisUserAsContact=Projekty z tym użytkownika jako kontakt -ProjectsWithThisContact=Projects with this contact -TasksWithThisUserAsContact=Zadania dopisane do tego użytkownika +ProjectsWithThisUserAsContact=Projekty z tym użytkownikiem zapisanym jako kontakt +ProjectsWithThisContact=Projekty z tym kontaktem zewnętrznym +TasksWithThisUserAsContact=Zadania przypisane do użytkownika ResourceNotAssignedToProject=Nie przypisane do projektu ResourceNotAssignedToTheTask=Nie dopisane do zadania NoUserAssignedToTheProject=Brak użytkowników przypisanych do tego projektu @@ -225,7 +227,7 @@ ProjectsStatistics=Statystyki dotyczące projektów lub potencjalnych klientów TasksStatistics=Statystyki dotyczące zadań projektów lub leadów TaskAssignedToEnterTime=Zadanie przypisanie. Wprowadzenie czasu na zadanie powinno być możliwe. IdTaskTime=Id razem zadaniem -YouCanCompleteRef=Jeśli chcesz uzupełnić odniesienie jakimś przyrostkiem, zaleca się dodanie znaku -, aby go oddzielić, aby automatyczne numerowanie nadal działało poprawnie dla następnych projektów. Na przykład %s-MYSUFFIX +YouCanCompleteRef=Jeśli chcesz uzupełnić ref jakimś przyrostkiem, zaleca się dodanie znaku - w celu jego oddzielenia, dzięki czemu automatyczna numeracja będzie nadal działać poprawnie w kolejnych projektach. Na przykład %s-MYSUFFIX OpenedProjectsByThirdparties=Otwarte projekty stron trzecich OnlyOpportunitiesShort=Tylko prowadzi OpenedOpportunitiesShort=Otwarte leady @@ -237,12 +239,12 @@ OpportunityPonderatedAmountDesc=Kwota potencjalnych klientów ważona prawdopodo OppStatusPROSP=Poszukiwania OppStatusQUAL=Kwalifikacja OppStatusPROPO=Wniosek -OppStatusNEGO=Negocjacje +OppStatusNEGO=W trakcie negocjacji OppStatusPENDING=W oczekiwaniu -OppStatusWON=Won +OppStatusWON=Wygrany OppStatusLOST=Zagubiony Budget=Budżet -AllowToLinkFromOtherCompany=Allow to link an element with a project of other company

      Supported values:
      - Keep empty: Can link elements with any projects in the same company (default)
      - "all": Can link elements with any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link elements with any projects of these third partys (Example: 123,4795,53)
      +AllowToLinkFromOtherCompany=Zezwalaj na powiązanie elementu z projektem innej firmy

      b0b5ba1a823ckaz0 Obsługiwane wartości:

      – Zachowaj puste: można łączyć elementy z dowolnymi projektami w tej samej firmie (domyślnie)
      - "all": umożliwia łączenie elementów z dowolnymi projektami, nawet projektami innych firm
      - lista identyfikatorów stron trzecich oddzielona przecinkami : może łączyć elementy z dowolnymi projektami tych stron trzecich (Przykład: 123,4795,53)
      LatestProjects=Najnowsze projekty %s LatestModifiedProjects=Najnowsze zmodyfikowane projekty %s OtherFilteredTasks=Inne filtrowane zadania @@ -259,43 +261,44 @@ RecordsClosed=%s projekty zamknięte SendProjectRef=Projekt informacyjny %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Moduł „Wynagrodzenia” musi być włączony, aby zdefiniować stawkę godzinową pracownika w celu waloryzacji spędzonego czasu NewTaskRefSuggested=Numer referencyjny jest już używany, wymagany jest nowy numer referencyjny +NumberOfTasksCloned=%s sklonowano zadania TimeSpentInvoiced=Rozliczony czas spędzony TimeSpentForIntervention=Czas spędzony TimeSpentForInvoice=Czas spędzony OneLinePerUser=Jedna linia na użytkownika -ServiceToUseOnLines=Service to use on lines by default +ServiceToUseOnLines=Usługa domyślnie używana na liniach InvoiceGeneratedFromTimeSpent=Faktura %s została wygenerowana na podstawie czasu spędzonego nad projektem -InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project -ProjectBillTimeDescription=Sprawdź, czy wprowadzasz grafik dla zadań projektu ORAZ planujesz wygenerować fakturę (y) z grafiku, aby wystawić fakturę klientowi projektu (nie sprawdzaj, czy planujesz utworzyć fakturę, która nie jest oparta na wprowadzonych grafikach). Uwaga: Aby wygenerować fakturę, przejdź do zakładki „Czas spędzony” projektu i wybierz wiersze do uwzględnienia. -ProjectFollowOpportunity=Skorzystaj z okazji -ProjectFollowTasks=Śledź zadania lub spędzony czas -Usage=Stosowanie +InterventionGeneratedFromTimeSpent=Interwencja %s została wygenerowana na podstawie czasu spędzonego nad projektem +ProjectBillTimeDescription=Zaznacz jeżeli wprowadzasz grafik dla zadań projektu ORAZ planujesz generować fakturę(y) z grafiku klientowi projektu (nie zaznaczaj jeżeli planujesz wystawiać faktury, które nie są oparte na wprowadzonych grafikach). Uwaga: aby wygenerować fakturę, przejdź do zakładki „Czas spędzony” w projekcie i wybierz odpowiednie pozycje do uwzględnienia. +ProjectFollowOpportunity=Śledzenie okazji +ProjectFollowTasks=Śledzenie zadań lub spędzonego czasu +Usage=Zastosowanie UsageOpportunity=Sposób użycia: okazja UsageTasks=Sposób użycia: zadania UsageBillTimeShort=Użycie: Bill czas -InvoiceToUse=Projekt faktury do wykorzystania -InterToUse=Draft intervention to use +InvoiceToUse=Szkic faktury do wykorzystania +InterToUse=Szkic interwencji do wykorzystania NewInvoice=Nowa faktura NewInter=Nowa interwencja OneLinePerTask=Jedna linia na zadanie OneLinePerPeriod=Jedna linia na okres -OneLinePerTimeSpentLine=Jedna linijka za każdą spędzoną deklarację -AddDetailDateAndDuration=With date and duration into line description -RefTaskParent=Nr ref. Zadanie rodzica +OneLinePerTimeSpentLine=Jedna linijka za każdą deklarację spędzonego czasu +AddDetailDateAndDuration=Z datą i czasem trwania w opisie linii +RefTaskParent=Nr ref. zadania nadrzędnego ProfitIsCalculatedWith=Zysk jest obliczany za pomocą AddPersonToTask=Dodaj także do zadań UsageOrganizeEvent=Użycie: Organizacja wydarzeń PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Zaklasyfikuj projekt jako zamknięty po wykonaniu wszystkich jego zadań (postęp 100%%) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Uwaga: nie będzie to miało wpływu na istniejące projekty, których postęp wszystkich zadań jest już ustawiony na 100%%: będziesz musiał je zamknąć ręcznie. Ta opcja dotyczy tylko otwartych projektów. SelectLinesOfTimeSpentToInvoice=Wybierz wiersze spędzonego czasu, które nie zostały rozliczone, a następnie wykonaj zbiorcze działanie „Wygeneruj fakturę”, aby je rozliczyć -ProjectTasksWithoutTimeSpent=Project tasks without time spent -FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. -ProjectsHavingThisContact=Projects having this contact +ProjectTasksWithoutTimeSpent=Zadania projektowe bez poświęcanego czasu +FormForNewLeadDesc=Dzięki wypełnieniu poniższego formularza w celu skontaktowania się z nami. Możesz także wysłać nam e-mail bezpośrednio na adres %s. +ProjectsHavingThisContact=Projekty posiadające ten kontakt StartDateCannotBeAfterEndDate=Data zakończenia nie może być wcześniejsza niż data rozpoczęcia -ErrorPROJECTLEADERRoleMissingRestoreIt=The "PROJECTLEADER" role is missing or has been de-activited, please restore in the dictionary of contact types -LeadPublicFormDesc=You can enable here a public page to allow your prospects to make a first contact to you from a public online form -EnablePublicLeadForm=Enable the public form for contact -NewLeadbyWeb=Your message or request has been recorded. We will answer or contact your soon. -NewLeadForm=New contact form -LeadFromPublicForm=Online lead from public form -ExportAccountingReportButtonLabel=Get report +ErrorPROJECTLEADERRoleMissingRestoreIt=Brakuje roli "PROJECTLEADER" lub została dezaktywowana, prosimy o przywrócenie w słowniku typów kontaktów +LeadPublicFormDesc=Możesz tutaj włączyć stronę publiczną, aby umożliwić potencjalnym klientom nawiązanie pierwszego kontaktu z Tobą za pomocą publicznego formularza online +EnablePublicLeadForm=Włącz publiczny formularz kontaktu +NewLeadbyWeb=Twoja wiadomość lub prośba została nagrana. Wkrótce odpowiemy lub skontaktujemy się z Tobą. +NewLeadForm=Nowy formularz kontaktowy +LeadFromPublicForm=Lead online z formularza publicznego +ExportAccountingReportButtonLabel=Pobierz raport diff --git a/htdocs/langs/pl_PL/propal.lang b/htdocs/langs/pl_PL/propal.lang index d124a0a0be6..960561bdbbf 100644 --- a/htdocs/langs/pl_PL/propal.lang +++ b/htdocs/langs/pl_PL/propal.lang @@ -9,12 +9,14 @@ PdfCommercialProposalTitle=Oferta ProposalCard=Karta oferty NewProp=Nowa oferta handlowa NewPropal=Nowa oferta -Prospect=Prospect +Prospect=Potencjalny klient DeleteProp=Usuń propozycję handlową ValidateProp=Zatwierdź propozycję handlową +CancelPropal=Anuluj AddProp=Utwórz wniosek ConfirmDeleteProp=Czy na pewno chcesz usunąć tę ofertę handlową? -ConfirmValidateProp=Czy na pewno chcesz zweryfikować tę ofertę handlową pod nazwą %s ? +ConfirmValidateProp=Czy na pewno chcesz zatwierdzić tę ofertę handlową pod numerem %s ? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Najnowsze propozycje %s LastModifiedProposals=Ostatnich %s zmodyfikowanych ofert AllPropals=Wszystkie oferty @@ -27,35 +29,37 @@ NbOfProposals=Liczba ofert handlowych ShowPropal=Pokaż oferty PropalsDraft=Szkice PropalsOpened=Otwarte +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Szkic (musi zostać zatwierdzony) PropalStatusValidated=Zatwierdzona (oferta jest otwarta) -PropalStatusSigned=Podpisano (do rachunku) +PropalStatusSigned=Zaakceptowana (do zafakturowania) PropalStatusNotSigned=Nie podpisały (zamknięte) -PropalStatusBilled=zapowiadane +PropalStatusBilled=Zafakturowane +PropalStatusCanceledShort=Anulowany PropalStatusDraftShort=Szkic PropalStatusValidatedShort=Zweryfikowany (otwarty) PropalStatusClosedShort=Zamknięte PropalStatusSignedShort=Podpisany PropalStatusNotSignedShort=Niepodpisany -PropalStatusBilledShort=Billed +PropalStatusBilledShort=Zafakturowane PropalsToClose=Oferty handlowe do zamknięcia PropalsToBill=Przypisano ofertę handlową do rachunku -ListOfProposals=Lissta ofert handlowych +ListOfProposals=Lista ofert handlowych ActionsOnPropal=Działania na wniosek RefProposal=Nr referencyjny oferty handlowej SendPropalByMail=Wyślij propozycję handlowa emailem -DatePropal=Data wniosku -DateEndPropal=Data końca obowiązywania oferty -ValidityDuration=Ważność czas -SetAcceptedRefused=Zestaw zaakceptowany / odrzucony -ErrorPropalNotFound=Propal %s nie znaleziono +DatePropal=Data wystawienia oferty +DateEndPropal=Data ważności oferty +ValidityDuration=Okres obowiązywania +SetAcceptedRefused=Ustaw jako zaakceptowaną / odrzuconą +ErrorPropalNotFound=Oferta %s nie została znaleziona AddToDraftProposals=Dodaj do projektu oferty NoDraftProposals=Brak projektu oferty CopyPropalFrom=Stwórz ofertę handlową poprzez skopiowanie istniejącej oferty CreateEmptyPropal=Utwórz pustą ofertę handlową lub z listy produktów / usług DefaultProposalDurationValidity=Domyślny czas ważności wniosku handlowych (w dniach) -DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal -DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal +DefaultPuttingPricesUpToDate=Domyślnie aktualizuj ceny o aktualnie znane ceny po klonowaniu propozycji +DefaultPuttingDescUpToDate=Domyślnie aktualizuj opisy o aktualnie znane opisy podczas klonowania propozycji UseCustomerContactAsPropalRecipientIfExist=Użyj kontaktu / adresu z typem „Propozycja dalszych działań związanych z kontaktem”, jeśli zdefiniowano ją zamiast adresu strony trzeciej jako adresu odbiorcy propozycji ConfirmClonePropal=Czy na pewno chcesz sklonować ofertę komercyjną %s ? ConfirmReOpenProp=Czy na pewno chcesz ponownie otworzyć ofertę komercyjną %s ? @@ -81,39 +85,40 @@ TypeContact_propal_external_CUSTOMER=kontakt klienta w ślad za wniosek TypeContact_propal_external_SHIPPING=Kontakt z klientem w sprawie dostawy # Document models -CantBeNoSign=cannot be set not signed +CantBeNoSign=nie można ustawić, nie jest podpisany CaseFollowedBy=Przypadek, po którym następuje -ConfirmMassNoSignature=Bulk Not signed confirmation -ConfirmMassNoSignatureQuestion=Are you sure you want to set not signed the selected records ? -ConfirmMassSignature=Bulk Signature confirmation -ConfirmMassSignatureQuestion=Are you sure you want to sign the selected records ? -ConfirmMassValidation=Bulk Validate confirmation -ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? +ConfirmMassNoSignature=Potwierdzenie braku podpisu zbiorczego +ConfirmMassNoSignatureQuestion=Czy na pewno chcesz ustawić niepodpisane wybrane rekordy? +ConfirmMassSignature=Potwierdzenie podpisu zbiorczego +ConfirmMassSignatureQuestion=Czy na pewno chcesz podpisać wybrane rekordy? +ConfirmMassValidation=Potwierdzenie weryfikacji zbiorczej +ConfirmMassValidationQuestion=Czy na pewno chcesz zatwierdzić wybrane rekordy? +ConfirmRefusePropal=Czy na pewno chcesz odrzucić tę ofertę handlową? ContractSigned=Umowa podpisana DefaultModelPropalClosed=Domyślny szablon po zamknięciu projektu biznesowego ( weryfikowane ) DefaultModelPropalCreate=Domyślny model kreacji. DefaultModelPropalToBill=Domyślny szablon po zamknięciu wniosku biznesowego ( do zafakturowania) DocModelAzurDescription=Kompletny model oferty (stara implementacja szablonu Cyan) DocModelCyanDescription=Kompletny model oferty -FichinterSigned=Intervention signed +FichinterSigned=Interwencja podpisana IdProduct=ID produktu IdProposal=Identyfikator oferty -IsNotADraft=is not a draft +IsNotADraft=nie jest szkicem LineBuyPriceHT=Cena zakupu Kwota bez podatku dla wiersza NoSign=Odrzuć -NoSigned=set not signed -PassedInOpenStatus=has been validated -PropalAlreadyRefused=Proposal already refused -PropalAlreadySigned=Proposal already accepted -PropalRefused=Proposal refused -PropalSigned=Proposal accepted +NoSigned=zestaw nie podpisany +PassedInOpenStatus=zostało potwierdzone +PropalAlreadyRefused=Oferta została już odrzucona +PropalAlreadySigned=Propozycja już zaakceptowana +PropalRefused=Propozycja odrzucona +PropalSigned=Propozycja przyjęta ProposalCustomerSignature=Akceptacja umowy : podpis i data ProposalsStatisticsSuppliers=Statystyki propozycji dostawców -RefusePropal=Refuse proposal -Sign=Sign -SignContract=Sign contract -SignFichinter=Sign intervention -SignPropal=Accept proposal -Signed=signed +RefusePropal=Odrzuć propozycję +Sign=Podpisać +SignContract=Podpisać kontrakt +SignFichinter=Podpisz interwencję +SignSociete_rib=Sign mandate +SignPropal=Zaakceptuj propozycję +Signed=podpisany SignedOnly=Tylko podpisane diff --git a/htdocs/langs/pl_PL/receptions.lang b/htdocs/langs/pl_PL/receptions.lang index 5f3e785b64c..bda30dc5d99 100644 --- a/htdocs/langs/pl_PL/receptions.lang +++ b/htdocs/langs/pl_PL/receptions.lang @@ -1,11 +1,11 @@ # Dolibarr language file - Source file is en_US - receptions -ReceptionDescription=Vendor reception management (Create reception documents) -ReceptionsSetup=Vendor Reception setup -RefReception=Nr ref. Przyjęcie -Reception=Na proces +ReceptionDescription=Zarządzanie przyjęciem dostawcy (Tworzenie dokumentów przyjęcia) +ReceptionsSetup=Konfiguracja modułu przyjęć +RefReception=Nr przyjęcia +Reception=Przyjęcie Receptions=Przyjęcia AllReceptions=Wszystkie przyjęcia -Reception=Na proces +Reception=Przyjęcie Receptions=Przyjęcia ShowReception=Pokaż przyjęcia ReceptionsArea=Strefa przyjęć @@ -15,31 +15,32 @@ LastReceptions=Najnowsze przyjęcia %s StatisticsOfReceptions=Statystyki przyjęć NbOfReceptions=Liczba przyjęć NumberOfReceptionsByMonth=Liczba przyjęć według miesiąca -ReceptionCard=Karta odbioru -NewReception=Nowa recepcja -CreateReception=Utwórz recepcję +ReceptionCard=Karta przyjęcia +NewReception=Nowe przyjęcie +CreateReception=Utwórz przyjęcie QtyInOtherReceptions=Ilość w innych przyjęciach -OtherReceptionsForSameOrder=Inne przyjęcia na to zamówienie +OtherReceptionsForSameOrder=Inne przyjęcia w tym zamówieniu ReceptionsAndReceivingForSameOrder=Przyjęcia i pokwitowania za to zamówienie ReceptionsToValidate=Przyjęcia do weryfikacji StatusReceptionCanceled=Anulowany StatusReceptionDraft=Szkic -StatusReceptionValidated=Validated (products to receive or already received) -StatusReceptionValidatedToReceive=Validated (products to receive) -StatusReceptionValidatedReceived=Validated (products received) +StatusReceptionValidated=Zatwierdzone (produkty do przyjęcia lub przyjęte) +StatusReceptionValidatedToReceive=Zatwierdzone (produkty do przyjęcia) +StatusReceptionValidatedReceived=Zatwierdzone (produkty przyjęte) StatusReceptionProcessed=Przetwarzany StatusReceptionDraftShort=Szkic -StatusReceptionValidatedShort=Zatwierdzony +StatusReceptionValidatedShort=Zatwierdzone StatusReceptionProcessedShort=Przetwarzany -ReceptionSheet=Arkusz odbioru -ConfirmDeleteReception=Czy na pewno chcesz usunąć ten odbiór? -ConfirmValidateReception=Czy na pewno chcesz zweryfikować ten odbiór za pomocą numeru referencyjnego %s ? -ConfirmCancelReception=Czy na pewno chcesz anulować to przyjęcie? -StatsOnReceptionsOnlyValidated=Statystyki przeprowadzone tylko na przyjęciach zostały potwierdzone. Użyta data to data potwierdzenia odbioru (nie zawsze znana jest planowana data dostawy). +ReceptionSheet=Karta przyjęcia +ValidateReception=Potwierdź odbiór +ConfirmDeleteReception=Czy na pewno chcesz usunąć to przyjęcie? +ConfirmValidateReception=Czy jesteś pewien, że chcesz zatwierdzić to przyjęcie z numerem %s? +ConfirmCancelReception=Czy jesteś pewien, że chcesz anulować to przyjęcie? +StatsOnReceptionsOnlyValidated=Statystyki prowadzone wyłącznie na zatwierdzonych przyjęciach. Zastosowanie ma data zatwierdzenia odbioru (planowany termin dostawy nie zawsze jest znany). SendReceptionByEMail=Wyślij odbiór e-mailem SendReceptionRef=Przesłanie odbioru %s ActionsOnReception=Wydarzenia w recepcji -ReceptionCreationIsDoneFromOrder=For the moment, creation of a new reception is done from the Purchase Order. +ReceptionCreationIsDoneFromOrder=Na chwilę obecną tworzenie przyjęć towaru jest dokonywane z poziomu Zamówienia ReceptionLine=Linia odbioru ProductQtyInReceptionAlreadySent=Ilość produktu z otwartego zamówienia sprzedaży już wysłanego ProductQtyInSuppliersReceptionAlreadyRecevied=Ilość produktu z otwartego zamówienia dostawcy już otrzymana @@ -47,8 +48,11 @@ ValidateOrderFirstBeforeReception=Musisz najpierw potwierdzić zamówienie, zani ReceptionsNumberingModules=Moduł numeracji przyjęć ReceptionsReceiptModel=Wzory dokumentów do przyjęć NoMorePredefinedProductToDispatch=Nigdy więcej gotowych produktów do wysyłki -ReceptionExist=Recepcja istnieje -ByingPrice=Bying price -ReceptionBackToDraftInDolibarr=Reception %s back to draft -ReceptionClassifyClosedInDolibarr=Reception %s classified Closed -ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +ReceptionExist=Takie przyjęcie już istnieje. +ReceptionBackToDraftInDolibarr=Odbiór %s powrót do wersji roboczej +ReceptionClassifyClosedInDolibarr=Recepcja %s sklasyfikowana Zamknięta +ReceptionUnClassifyCloseddInDolibarr=Recepcja %s ponownie otwarta +RestoreWithCurrentQtySaved=Wypełnij ilości najnowszymi zapisanymi wartościami +ReceptionsRecorded=Przyjęcia nagrane +ReceptionUpdated=Recepcja została pomyślnie zaktualizowana +ReceptionDistribution=Dystrybucja odbioru diff --git a/htdocs/langs/pl_PL/resource.lang b/htdocs/langs/pl_PL/resource.lang index 0e064fb5b99..2562163d06c 100644 --- a/htdocs/langs/pl_PL/resource.lang +++ b/htdocs/langs/pl_PL/resource.lang @@ -5,18 +5,18 @@ DeleteResource=Usuń zasoby ConfirmDeleteResourceElement=Potwierdź usunięcie zasobów dla tego elementu NoResourceInDatabase=Brak zasobów w bazie danych NoResourceLinked=Brak podliknowanych zasobów - +ActionsOnResource=Wydarzenia dotyczące tego zasobu ResourcePageIndex=Lista zasobów ResourceSingular=Zasoby ResourceCard=Karta zasobów -AddResource=Utwórz zasoby -ResourceFormLabel_ref=Nazwa zasobów -ResourceType=Typ zasobów +AddResource=Utwórz nowy zasób +ResourceFormLabel_ref=Nazwa zasobu +ResourceType=Typ zasobu ResourceFormLabel_description=Opis zasobów ResourcesLinkedToElement=Zasaby połączone z elementem -ShowResource=Pokaż źródło +ShowResource=Pokaż zasoby ResourceElementPage=Element zasobów ResourceCreatedWithSuccess=Zasoby poprawnie utworzone @@ -30,7 +30,10 @@ DictionaryResourceType=Typ zasobów SelectResource=Wybierz zasoby -IdResource=Identyfikator zasobów +IdResource=Identyfikator zasobu AssetNumber=Numer seryjny -ResourceTypeCode=Kod rodzaju zasobów +ResourceTypeCode=Kod rodzaju zasobu ImportDataset_resource_1=Zasoby + +ErrorResourcesAlreadyInUse=Niektóre zasoby są w użyciu +ErrorResourceUseInEvent=%s używany w zdarzeniu %s diff --git a/htdocs/langs/pl_PL/sendings.lang b/htdocs/langs/pl_PL/sendings.lang index 4e2d90be90f..9e7c6938bad 100644 --- a/htdocs/langs/pl_PL/sendings.lang +++ b/htdocs/langs/pl_PL/sendings.lang @@ -21,7 +21,7 @@ QtyShipped=Wysłana ilość QtyShippedShort=Ilość statków. QtyPreparedOrShipped=Ilość przygotowana lub wysłana QtyToShip=Ilość do wysłania -QtyToReceive=Ilość do odbioru +QtyToReceive=Ilość do przyjęcia QtyReceived=Ilość otrzymanych QtyInOtherShipments=Ilość w innych przesyłkach KeepToShip=Pozostają do wysyłki @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Zatwierdzony StatusSendingProcessedShort=Przetwarzany SendingSheet=Arkusz wysyłki ConfirmDeleteSending=Czy na pewno usunąć tą wysyłkę? -ConfirmValidateSending=Czy potwierdzić tą wysyłkę z numerem referencyjnym %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Czy anulować tą wysyłkę? DocumentModelMerou=Model Merou A5 WarningNoQtyLeftToSend=Ostrzeżenie nie produktów oczekujących na wysłanie. @@ -48,12 +48,12 @@ DateDeliveryPlanned=Planowana data dostawy RefDeliveryReceipt=Zwróć potwierdzenie dostawy StatusReceipt=Potwierdzenie statusu dostawy DateReceived=Data otrzymania dostawy -ClassifyReception=Classify Received +ClassifyReception=Sklasyfikuj jako odebrane SendShippingByEMail=Wyślij przesyłkę e-mailem SendShippingRef=Złożenie przesyłki% s ActionsOnShipping=Zdarzenia na wysyłce LinkToTrackYourPackage=Link do strony śledzenia twojej paczki -ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the Sales Order record. +ShipmentCreationIsDoneFromOrder=Na chwilę obecną rejestracja nowych wysyłek dokonywana jest z poziomu Zamówienia sprzedażowego. ShipmentLine=Linia Przesyłka ProductQtyInCustomersOrdersRunning=Ilość produktów z otwartych zamówień sprzedaży ProductQtyInSuppliersOrdersRunning=Ilość produktów z otwartych zamówień zakupu @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Ilość produktów z otwartych zam NoProductToShipFoundIntoStock=W magazynie nie znaleziono produktu do wysłania %s . Popraw zapasy lub wróć, aby wybrać inny magazyn. WeightVolShort=Waga/Volumen ValidateOrderFirstBeforeShipment=W pierwszej kolejności musisz zatwierdzić zamówienie, aby mieć możliwość utworzenia wysyłki. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Suma wag produktów # warehouse details DetailWarehouseNumber= Szczegóły magazynu DetailWarehouseFormat= W: %s (ilość: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/pl_PL/stocks.lang b/htdocs/langs/pl_PL/stocks.lang index bc4615d1ef3..afe3481f2ea 100644 --- a/htdocs/langs/pl_PL/stocks.lang +++ b/htdocs/langs/pl_PL/stocks.lang @@ -12,19 +12,19 @@ AddWarehouse=Utwórz magazyn AddOne=Dodaj jedną DefaultWarehouse=Domyślny magazyn WarehouseTarget=Docelowy magazynie -ValidateSending=Confirm shipment -CancelSending=Cancel shipment -DeleteSending=Delete shipment +ValidateSending=Potwierdź wysyłkę +CancelSending=Anuluj wysyłkę +DeleteSending=Usuń wysyłkę Stock=Stan Stocks=Stany -MissingStocks=Brakujące zapasy +MissingStocks=Niskie stany magazynowe StockAtDate=Stan na dzień StockAtDateInPast=Data w przeszłości StockAtDateInFuture=Data w przyszłości -StocksByLotSerial=Zapasy według lotu/nr seryjnego +StocksByLotSerial=Stan magazynowy według serii/nr seryjnego LotSerial=Partie/Serie LotSerialList=Lista partii/serii -SubjectToLotSerialOnly=Products subject to lot/serial only +SubjectToLotSerialOnly=Produkty podlegają wyłącznie partii/serii Movements=Ruchy ErrorWarehouseRefRequired=Nazwa referencyjna magazynu wymagana ListOfWarehouses=Lista magazynów @@ -46,16 +46,16 @@ LastMovements=Ostatnie ruchy Units=Jednostki Unit=Jednostka StockCorrection=Korekta zapasu -CorrectStock=Korekta zapasu +CorrectStock=Skoryguj stan magazynowy StockTransfer=Transfer zapasu -TransferStock=Przesuń zapas -MassStockTransferShort=Bulk stock change +TransferStock=Przenieś stan magazynowy +MassStockTransferShort=Masowa zmiana zapasów StockMovement=Przeniesienie zapasu StockMovements=Przesunięcia zapasu NumberOfUnit=Liczba jednostek UnitPurchaseValue=Jednostkowa cena nabycia -StockTooLow=Zbyt niski zapas -StockLowerThanLimit=Zapas niższy niż limit dla alarmu (%s) +StockTooLow=Niski stan magazynowy +StockLowerThanLimit=Stan magazynowy poniżej progu ostrzegawczego (%s) EnhancedValue=Wartość EnhancedValueOfWarehouses=Magazyny wartości UserWarehouseAutoCreate=Utwórz użytkownika dla magazynu kiedy tworzysz użytkownika @@ -63,8 +63,8 @@ AllowAddLimitStockByWarehouse=Zarządzaj również wartością minimalnego i po RuleForWarehouse=Reguła dla magazynów WarehouseAskWarehouseOnThirparty=Ustaw magazyn na osoby trzecie WarehouseAskWarehouseDuringPropal=Ustaw magazyn na ofertach handlowych -WarehouseAskWarehouseDuringOrder=Set a warehouse on Sales Orders -WarehouseAskWarehouseDuringProject=Set a warehouse on Projects +WarehouseAskWarehouseDuringOrder=Ustaw magazyn w zamówieniach sprzedaży +WarehouseAskWarehouseDuringProject=Ustaw magazyn w Projektach UserDefaultWarehouse=Ustaw magazyn dla użytkowników MainDefaultWarehouse=Domyślny magazyn MainDefaultWarehouseUser=Użyj domyślnej hurtowni dla każdego użytkownika @@ -76,7 +76,7 @@ QtyToDispatchShort=Ilość do wysłania OrderDispatch=Pokwitowania przedmiotów RuleForStockManagementDecrease=Wybierz regułę automatycznego zmniejszania zapasów (ręczne zmniejszanie jest zawsze możliwe, nawet jeśli aktywowana jest reguła automatycznego zmniejszania) RuleForStockManagementIncrease=Wybierz regułę automatycznego zwiększania zapasów (ręczne zwiększanie jest zawsze możliwe, nawet jeśli aktywowana jest reguła automatycznego zwiększania zapasów) -DeStockOnBill=Zmniejsz rzeczywiste zapasy po sprawdzeniu faktury klienta / noty kredytowej +DeStockOnBill=Zmniejsz rzeczywiste zapasy przy zatwierdzaniu faktury dla klienta / korekty faktury DeStockOnValidateOrder=Zmniejsz rzeczywiste zapasy po zatwierdzeniu zamówienia sprzedaży DeStockOnShipment=Zmniejsz realne zapasy magazynu po potwierdzeniu wysyłki DeStockOnShipmentOnClosing=Zmniejsz rzeczywiste zapasy, gdy wysyłka jest zamknięta @@ -85,21 +85,21 @@ ReStockOnValidateOrder=Zwiększ realne zapasy po zatwierdzeniu zamówienia ReStockOnDispatchOrder=Zwiększ realne zapasy przy ręcznej wysyłce do magazynu po otrzymaniu zamówienia StockOnReception=Zwiększ rzeczywiste zapasy po zatwierdzeniu odbioru StockOnReceptionOnClosing=Zwiększ rzeczywiste zapasy, gdy odbiór jest ustawiony na zamknięty -OrderStatusNotReadyToDispatch=Zamówienie nie jest jeszcze lub nie więcej status, który umożliwia wysyłanie produktów w magazynach czas. -StockDiffPhysicTeoric=Wyjaśnienia dla różnicy pomiędzy fizycznym i wirtualnych zapasem -NoPredefinedProductToDispatch=Nie gotowych produktów dla tego obiektu. Więc nie w czas wysyłki jest wymagane. +OrderStatusNotReadyToDispatch=Status wniosku zakupowego nie jest jeszcze lub już nie jest wystarczający, aby umożliwić przyjęcie produktów w magazynach. +StockDiffPhysicTeoric=Wyjaśnienie różnicy pomiędzy fizycznym i wirtualnym stanem magazynowym +NoPredefinedProductToDispatch=Nie ma predefiniowanych produktów dla tego obiektu, więc nie jest wymagane wydawanie towaru ze stanu magazynowego. DispatchVerb=Wysyłka -StockLimitShort=Limit zapasu przy którym wystąpi alarm -StockLimit=Limit zapasu przy którym wystąpi alarm +StockLimitShort=Ostrzegawczy poziom stanu magazynowego +StockLimit=Poziom stanu magazynowego, przy którym wystąpi ostrzeżenie StockLimitDesc=(pusty) oznacza brak ostrzeżenia.
      0 można użyć do wywołania ostrzeżenia tylko, gdy zapasy są puste. PhysicalStock=Zapas fizyczny RealStock=Realny magazyn RealStockDesc=Fizyczne / rzeczywiste zapasy to stany znajdujące się obecnie w magazynach. RealStockWillAutomaticallyWhen=Rzeczywisty stan magazynowy zostanie zmodyfikowany zgodnie z tą zasadą (zdefiniowaną w module Magazyn): VirtualStock=Wirtualny zapas -VirtualStockAtDate=Virtual stock at a future date +VirtualStockAtDate=Wirtualny magazyn w przyszłości VirtualStockAtDateDesc=Wirtualne zapasy dla sytuacji, gdy wszystkie oczekujące zamówienia, które mają zostać zrealizowane przed wybraną datą, zostaną zakończone -VirtualStockDesc=Virtual stock is the stock that will remain after all open/pending actions (that affect stocks) have been performed (purchase orders received, sales orders shipped, manufacturing orders produced, etc) +VirtualStockDesc=Zapasy wirtualne to zapasy, które pozostaną po wykonaniu wszystkich otwartych/oczekujących działań (które mają wpływ na zapasy) (otrzymane zamówienia zakupu, wysłane zamówienia sprzedaży, wyprodukowane zamówienia produkcyjne itp.) AtDate=W dniu IdWarehouse=Identyfikator magazynu DescWareHouse=Opis magazynu @@ -119,12 +119,13 @@ PersonalStock=Osobowych %s czas ThisWarehouseIsPersonalStock=Tym składzie przedstawia osobiste zasobów %s %s SelectWarehouseForStockDecrease=Wybierz magazyn do zmniejszenia zapasu SelectWarehouseForStockIncrease=Wybierz magazyn do zwiększenia zapasu +RevertProductsToStock=Przywrócić produkty do magazynu? NoStockAction=Brak akcji stock DesiredStock=Pożądany zapas DesiredStockDesc=Ta ilość zapasów będzie wartością używaną do wypełnienia zapasów przez funkcję uzupełniania. StockToBuy=Na zamówienie -Replenishment=Uzupełnienie -ReplenishmentOrders=Zamówień towarów +Replenishment=Dotowarowanie +ReplenishmentOrders=Zamówienia uzupełniające stany VirtualDiffersFromPhysical=W zależności od opcji zwiększania / zmniejszania akcji, akcje fizyczne i akcje wirtualne (akcje fizyczne + zlecenia otwarte) mogą się różnić UseRealStockByDefault=Użyj prawdziwych zapasów zamiast wirtualnych zapasów do uzupełnienia zapasów ReplenishmentCalculation=Kwota do zamówienia będzie (żądana ilość - stan rzeczy) zamiast (żądana ilość - stan wirtualny) @@ -147,9 +148,9 @@ Replenishments=Uzupełnienie NbOfProductBeforePeriod=Ilość produktów w magazynie% s przed wybrany okres (<% s) NbOfProductAfterPeriod=Ilość produktów w magazynie% s po wybraniu okres (>% s) MassMovement=Masowe przesunięcie -SelectProductInAndOutWareHouse=Select a source warehouse (optional), a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click on "%s". +SelectProductInAndOutWareHouse=Wybierz magazyn źródłowy (opcjonalnie), magazyn docelowy, produkt i ilość, a następnie kliknij „%s”. Po wykonaniu tej czynności dla wszystkich wymaganych ruchów kliknij „%s”. RecordMovement=Transfer rekordu -RecordMovements=Record stock movements +RecordMovements=Rejestruj ruchy zapasów ReceivingForSameOrder=Wpływy do tego celu StockMovementRecorded=Przesunięcia zapasu zarejestrowane RuleForStockAvailability=Zasady dotyczące dostępności zapasu @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=Nie masz wystarczających zapasów dla tego numeru pa ShowWarehouse=Pokaż magazyn MovementCorrectStock=Korekta zapasu dla artykułu %s MovementTransferStock=Transferuj zapas artykułu %s do innego magazynu +BatchStockMouvementAddInGlobal=Zapasy seryjne przechodzą do zapasów globalnych (produkt nie korzysta już z partii) InventoryCodeShort=Kod Fv/ Przesunięcia NoPendingReceptionOnSupplierOrder=Brak oczekującego odbioru z powodu otwartego zamówienia ThisSerialAlreadyExistWithDifferentDate=Ten lot/numer seryjny (%s) już istnieje ale z inna data do wykorzystania lub sprzedania (znaleziono %s a wszedłeś w %s) @@ -177,9 +179,9 @@ OptionMULTIPRICESIsOn=Włączona jest opcja „kilka cen za segment”. Oznacza ProductStockWarehouseCreated=Limit zapasu dla ostrzeżenia i pożądany optymalny zapas prawidłowo utworzony ProductStockWarehouseUpdated=Limit zapasu dla ostrzeżenia i pożądany optymalny zapas prawidłowo zaktualizowany ProductStockWarehouseDeleted=Limit zapasu dla ostrzeżenia i pożądany optymalny zapas prawidłowo usunięty -ProductStockWarehouse=Stock limit for alert and desired optimal stock by product and warehouse +ProductStockWarehouse=Limit zapasów dla alertów i pożądanych optymalnych zapasów według produktu i magazynu AddNewProductStockWarehouse=Ustaw nowy limit dla ostrzeżenia i pożądany optymalny zapas -AddStockLocationLine=Decrease quantity then click to split the line +AddStockLocationLine=Zmniejsz ilość, a następnie kliknij, aby podzielić linię InventoryDate=Data inwentaryzacji Inventories=Inwentaryzacje NewInventory=Nowa inwentaryzacja @@ -210,10 +212,10 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Ruchy zapasów będą miały datę inventoryChangePMPPermission=Pozwól zmienić wartość PMP dla produktu ColumnNewPMP=Nowa jednostka PMP OnlyProdsInStock=Nie dodawaj produktu bez zapasu -TheoricalQty=Theorical qty -TheoricalValue=Theorical qty +TheoricalQty=Teoretyczna ilość +TheoricalValue=Teoretyczna ilość LastPA=Ostatni BP -CurrentPA=Obecny BP +CurrentPA=Aktualne ciśnienie krwi RecordedQty=Nagrana ilość RealQty=Rzeczywista ilość RealValue=Prawdziwa wartość @@ -237,14 +239,14 @@ StockIncrease=Zwiększenie zapasów StockDecrease=Zmniejszenie zapasów InventoryForASpecificWarehouse=Inwentaryzacja dla konkretnego magazynu InventoryForASpecificProduct=Zapasy dla konkretnego produktu -StockIsRequiredToChooseWhichLotToUse=An existing stock is required to be able to choose which lot to use -ForceTo=Zmusić do -AlwaysShowFullArbo=Display the full path of a warehouse (parent warehouses) on the popup of warehouse links (Warning: This may decrease dramatically performances) +StockIsRequiredToChooseWhichLotToUse=Aby móc wybrać partię, którą chcesz wykorzystać, wymagane jest posiadanie istniejących zapasów +ForceTo=Wymuś +AlwaysShowFullArbo=Wyświetl pełną ścieżkę magazynu (magazynów nadrzędnych) w wyskakującym okienku linków do magazynów (Ostrzeżenie: może to znacznie zmniejszyć wydajność) StockAtDatePastDesc=Możesz tutaj zobaczyć stan zapasów (stan rzeczywisty) w danym dniu w przeszłości -StockAtDateFutureDesc=Tutaj możesz zobaczyć stan (wirtualnych) zapasów na dany dzień w przyszłości +StockAtDateFutureDesc=Możesz tutaj zobaczyć stan zapasów (stan wirtualny) w danym dniu w przeszłości CurrentStock=Aktualny stan InventoryRealQtyHelp=Ustaw wartość na 0, aby zresetować ilość
      Pozostaw pole puste lub usuń wiersz, aby zachować niezmienione -UpdateByScaning=Complete real qty by scaning +UpdateByScaning=Uzupełnij rzeczywistą ilość poprzez skanowanie UpdateByScaningProductBarcode=Zaktualizuj przez skanowanie (kod kreskowy produktu) UpdateByScaningLot=Aktualizacja przez skanowanie (lot | seryjny kod kreskowy) DisableStockChangeOfSubProduct=Dezaktywuj zmianę zapasów dla wszystkich podproduktów tego zestawu podczas tego ruchu. @@ -260,66 +262,76 @@ MakeMovementsAndClose=Zainicjuj przemieszczenia zapasów i zamknij AutofillWithExpected=Wypełnij rzeczywistą ilość ilością oczekiwaną ShowAllBatchByDefault=Domyślnie wyświetlaj szczegóły partii na karcie „magazyn” produktu CollapseBatchDetailHelp=Możesz ustawić domyślne wyświetlanie szczegółów partii w konfiguracji modułu zapasów -ErrorWrongBarcodemode=Unknown Barcode mode -ProductDoesNotExist=Product does not exist -ErrorSameBatchNumber=Several record for the batch number were found in the inventory sheet. No way to know which one to increase. -ProductBatchDoesNotExist=Product with batch/serial does not exist -ProductBarcodeDoesNotExist=Product with barcode does not exist -WarehouseId=Warehouse ID -WarehouseRef=Warehouse Ref -SaveQtyFirst=Save the real inventoried quantities first, before asking creation of the stock movement. +ErrorWrongBarcodemode=Nieznany tryb kodu kreskowego +ProductDoesNotExist=Produkt nie istnieje +ErrorSameBatchNumber=W karcie inwentarzowej odnaleziono kilka zapisów dotyczących numeru partii. Nie wiadomo, który zwiększyć. +ProductBatchDoesNotExist=Produkt z partią/serią nie istnieje +ProductBarcodeDoesNotExist=Produkt z kodem kreskowym nie istnieje +WarehouseId=Identyfikator magazynu +WarehouseRef=Nr magazynu +SaveQtyFirst=Najpierw zapisz rzeczywiste ilości zapasów, zanim poprosisz o utworzenie ruchu zapasów. ToStart=Start InventoryStartedShort=Rozpoczęto -ErrorOnElementsInventory=Operation canceled for the following reason: -ErrorCantFindCodeInInventory=Can't find the following code in inventory -QtyWasAddedToTheScannedBarcode=Success !! The quantity was added to all the requested barcode. You can close the Scanner tool. -StockChangeDisabled=Stock change disabled -NoWarehouseDefinedForTerminal=No warehouse defined for terminal -ClearQtys=Clear all quantities -ModuleStockTransferName=Advanced Stock Transfer -ModuleStockTransferDesc=Advanced management of Stock Transfer, with generation of transfer sheet -StockTransferNew=New stock transfer -StockTransferList=Stock transfers list -ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with reference %s ? -ConfirmDestock=Decrease of stocks with transfer %s -ConfirmDestockCancel=Cancel decrease of stocks with transfer %s -DestockAllProduct=Decrease of stocks -DestockAllProductCancel=Cancel decrease of stocks -ConfirmAddStock=Increase stocks with transfer %s -ConfirmAddStockCancel=Cancel increase of stocks with transfer %s -AddStockAllProduct=Increase of stocks -AddStockAllProductCancel=Cancel increase of stocks -DatePrevueDepart=Intended date of departure -DateReelleDepart=Real date of departure -DatePrevueArrivee=Intended date of arrival -DateReelleArrivee=Real date of arrival -HelpWarehouseStockTransferSource=If this warehouse is set, only itself and its children will be available as source warehouse -HelpWarehouseStockTransferDestination=If this warehouse is set, only itself and its children will be available as destination warehouse -LeadTimeForWarning=Lead time before alert (in days) -TypeContact_stocktransfer_internal_STFROM=Sender of stocks transfer -TypeContact_stocktransfer_internal_STDEST=Recipient of stocks transfer -TypeContact_stocktransfer_internal_STRESP=Responsible of stocks transfer -StockTransferSheet=Stocks transfer sheet -StockTransferSheetProforma=Proforma stocks transfer sheet -StockTransferDecrementation=Decrease source warehouses -StockTransferIncrementation=Increase destination warehouses -StockTransferDecrementationCancel=Cancel decrease of source warehouses -StockTransferIncrementationCancel=Cancel increase of destination warehouses -StockStransferDecremented=Source warehouses decreased -StockStransferDecrementedCancel=Decrease of source warehouses canceled -StockStransferIncremented=Closed - Stocks transfered -StockStransferIncrementedShort=Stocks transfered -StockStransferIncrementedShortCancel=Increase of destination warehouses canceled -StockTransferNoBatchForProduct=Product %s doesn't use batch, clear batch on line and retry -StockTransferSetup = Stocks Transfer module configuration +ErrorOnElementsInventory=Operacja anulowana z następującego powodu: +ErrorCantFindCodeInInventory=Nie można znaleźć następującego kodu w ekwipunku +QtyWasAddedToTheScannedBarcode=Powodzenie !! Ilość została dodana do całego żądanego kodu kreskowego. Możesz zamknąć narzędzie Skaner. +StockChangeDisabled=Zmiana zapasów wyłączona +NoWarehouseDefinedForTerminal=Dla terminala nie zdefiniowano magazynu +ClearQtys=Wyczyść wszystkie ilości +ModuleStockTransferName=Zaawansowany transfer zapasów +ModuleStockTransferDesc=Zaawansowane zarządzanie przesunięciami magazynowymi z generowaniem arkusza przeniesień +StockTransferNew=Nowy transfer akcji +StockTransferList=Lista transferów akcji +ConfirmValidateStockTransfer=Czy na pewno chcesz zatwierdzić ten transfer zapasów za pomocą referencji %s? +ConfirmDestock=Zmniejszenie zapasów wraz z przeniesieniem %s +ConfirmDestockCancel=Anuluj zmniejszenie zapasów poprzez przeniesienie %s +DestockAllProduct=Zmniejszenie zapasów +DestockAllProductCancel=Anuluj zmniejszenie zapasów +ConfirmAddStock=Zwiększ zapasy dzięki transferowi %s +ConfirmAddStockCancel=Anuluj zwiększenie zapasów poprzez przeniesienie %s +AddStockAllProduct=Zwiększenie zapasów +AddStockAllProductCancel=Anuluj zwiększenie zapasów +DatePrevueDepart=Planowany termin wyjazdu +DateReelleDepart=Prawdziwa data wyjazdu +DatePrevueArrivee=Planowana Data Przyjazdu +DateReelleArrivee=Prawdziwa data przyjazdu +HelpWarehouseStockTransferSource=Jeżeli ten magazyn jest ustawiony, jako magazyn źródłowy będzie dostępny tylko on sam i jego elementy podrzędne +HelpWarehouseStockTransferDestination=Jeśli ten magazyn jest ustawiony, jako magazyn docelowy będzie dostępny tylko on sam i jego potomkowie +LeadTimeForWarning=Czas realizacji przed alertem (w dniach) +TypeContact_stocktransfer_internal_STFROM=Nadawca transferu zapasów +TypeContact_stocktransfer_internal_STDEST=Odbiorca przeniesienia zapasów +TypeContact_stocktransfer_internal_STRESP=Odpowiedzialny za transfer zapasów +StockTransferSheet=Arkusz transferu zapasów +StockTransferSheetProforma=Arkusz transferu akcji Proformy +StockTransferDecrementation=Zmniejsz magazyny źródłowe +StockTransferIncrementation=Zwiększ magazyny docelowe +StockTransferDecrementationCancel=Anuluj zmniejszenie magazynów źródłowych +StockTransferIncrementationCancel=Anuluj zwiększanie magazynów docelowych +StockStransferDecremented=Zmniejszyły się magazyny źródłowe +StockStransferDecrementedCancel=Anulowano redukcję magazynów źródłowych +StockStransferIncremented=Zamknięte — zapasy przeniesione +StockStransferIncrementedShort=Zapasy przeniesione +StockStransferIncrementedShortCancel=Anulowano zwiększanie magazynów docelowych +StockTransferNoBatchForProduct=Produkt %s nie używa partii, wyczyść partię w trybie online i spróbuj ponownie +StockTransferSetup = Konfiguracja modułu transferu zapasów Settings=Ustawienia -StockTransferSetupPage = Configuration page for stocks transfer module -StockTransferRightRead=Read stocks transfers -StockTransferRightCreateUpdate=Create/Update stocks transfers -StockTransferRightDelete=Delete stocks transfers -BatchNotFound=Lot / serial not found for this product -StockMovementWillBeRecorded=Stock movement will be recorded -StockMovementNotYetRecorded=Stock movement will not be affected by this step -WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse -DeleteBatch=Delete lot/serial -ConfirmDeleteBatch=Are you sure you want to delete lot/serial ? +StockTransferSetupPage = Strona konfiguracyjna modułu transferu zapasów +StockTransferRightRead=Przeczytaj transfery akcji +StockTransferRightCreateUpdate=Twórz/aktualizuj transfery zapasów +StockTransferRightDelete=Usuń transfery zapasów +BatchNotFound=Nie znaleziono partii/numeru seryjnego tego produktu +StockEntryDate=Data
      wprowadzenia do magazynu +StockMovementWillBeRecorded=Zostaną zarejestrowane zmiany stanów magazynowych +StockMovementNotYetRecorded=Stany magazynowe nie zostaną w tym kroku zmienione +ReverseConfirmed=Ruch zapasów został pomyślnie odwrócony + +WarningThisWIllAlsoDeleteStock=Uwaga, spowoduje to również zniszczenie wszystkich ilości znajdujących się w magazynie +ValidateInventory=Walidacja zapasów +IncludeSubWarehouse=Uwzględnić podmagazyn? +IncludeSubWarehouseExplanation=Zaznacz to pole, jeśli chcesz uwzględnić w inwentarzu wszystkie podmagazyny powiązanego magazynu +DeleteBatch=Usuń partię/serię +ConfirmDeleteBatch=Czy jesteś pewien, że chcesz usunąć numer seryjny / nr partii? +WarehouseUsage=Wykorzystanie magazynu +InternalWarehouse=Magazyn wewnętrzny +ExternalWarehouse=Magazyn zewnętrzny +WarningThisWIllAlsoDeleteStock=Uwaga, spowoduje to również zniszczenie wszystkich ilości znajdujących się w magazynie diff --git a/htdocs/langs/pl_PL/stripe.lang b/htdocs/langs/pl_PL/stripe.lang index c57eb260635..11c728c8bfb 100644 --- a/htdocs/langs/pl_PL/stripe.lang +++ b/htdocs/langs/pl_PL/stripe.lang @@ -41,7 +41,7 @@ STRIPE_LIVE_WEBHOOK_KEY=Aktywny klucz webhooka ONLINE_PAYMENT_WAREHOUSE=Zapasy do wykorzystania w celu zmniejszenia zapasów po dokonaniu płatności online
      (DO ZROBIENIA Kiedy opcja zmniejszenia zapasów jest realizowana na podstawie faktury i płatność online generuje fakturę?) StripeLiveEnabled=Stripe na żywo włączony (w przeciwnym razie tryb testowy / piaskownicy) StripeImportPayment=Importuj płatności Stripe -ExampleOfTestCreditCard=Example of credit card for SEPA test: %s => valid, %s => error CVC, %s => expired, %s => charge fails +ExampleOfTestCreditCard=Example of credit card for a test payment: %s => valid, %s => error CVC, %s => expired, %s => charge fails ExampleOfTestBankAcountForSEPA=Example of bank account BAN for direct debit test: %s StripeGateways=Bramy Stripe OAUTH_STRIPE_TEST_ID=Identyfikator klienta Stripe Connect (ca _...) @@ -51,6 +51,7 @@ StripeAccount=Konto Stripe StripeChargeList=Lista opłat Stripe StripeTransactionList=Lista transakcji Stripe StripeCustomerId=Identyfikator klienta Stripe +StripePaymentId=Stripe payment id StripePaymentModes=Tryby płatności Stripe LocalID=Lokalny identyfikator StripeID=Stripe ID @@ -70,9 +71,9 @@ ToOfferALinkForTestWebhook=Łącze do konfiguracji Stripe WebHook w celu wywoła ToOfferALinkForLiveWebhook=Łącze do konfiguracji Stripe WebHook w celu wywołania IPN (tryb na żywo) PaymentWillBeRecordedForNextPeriod=Płatność zostanie zarejestrowana za następny okres. ClickHereToTryAgain= Kliknij tutaj, aby spróbować ponownie ... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Ze względu na zasady silnego uwierzytelniania klienta, karta musi zostać utworzona z backoffice Stripe. Możesz kliknąć tutaj, aby włączyć rekord klienta Stripe: %s +CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe back office. You can click here to switch on Stripe customer record: %s STRIPE_CARD_PRESENT=Card Present for Stripe Terminals TERMINAL_LOCATION=Location (address) for Stripe Terminals RequestDirectDebitWithStripe=Request Direct Debit with Stripe STRIPE_SEPA_DIRECT_DEBIT=Enable the Direct Debit payments through Stripe - +StripeConnect_Mode=Stripe Connect mode diff --git a/htdocs/langs/pl_PL/ticket.lang b/htdocs/langs/pl_PL/ticket.lang index 1ef503441b9..3109ae3faac 100644 --- a/htdocs/langs/pl_PL/ticket.lang +++ b/htdocs/langs/pl_PL/ticket.lang @@ -18,19 +18,19 @@ # Generic # -Module56000Name=Bilety -Module56000Desc=System biletów do zarządzania kwestiami lub żądaniami +Module56000Name=Sprawy +Module56000Desc=System spraw do zarządzania sprawami: problemami, zapytaniami, wnioskami, etc. Permission56001=Zobacz bilety Permission56002=Modyfikuj bilety Permission56003=Usuwaj bilety Permission56004=Zarządzaj biletami Permission56005=Zobacz bilety wszystkich stron trzecich (nie dotyczy użytkowników zewnętrznych, zawsze ograniczaj się do strony trzeciej, od której są zależni) -Permission56006=Export tickets +Permission56006=Bilety eksportowe -Tickets=Bilety +Tickets=Zgłoszenia TicketDictType=Bilet - Typ -TicketDictCategory=Bilet - grupy +TicketDictCategory=Bilet - Grupy TicketDictSeverity=Bilet - dotkliwości TicketDictResolution=Bilet - rozwiązanie @@ -50,19 +50,19 @@ TicketSeverityShortBLOCKING=Krytyczny, blokujący TicketCategoryShortOTHER=Inne ErrorBadEmailAddress=Pole „%s” jest nieprawidłowe -MenuTicketMyAssign=Moje bilety -MenuTicketMyAssignNonClosed=Moje otwarte bilety -MenuListNonClosed=Otwórz bilety +MenuTicketMyAssign=Moje zgłoszenia +MenuTicketMyAssignNonClosed=Moje otwarte zgłoszenia +MenuListNonClosed=Otwarte sprawy TypeContact_ticket_internal_CONTRIBUTOR=Współpracownik TypeContact_ticket_internal_SUPPORTTEC=Przypisany użytkownik TypeContact_ticket_external_SUPPORTCLI=Kontakt z klientem / śledzenie incydentów TypeContact_ticket_external_CONTRIBUTOR=Współpracownik zewnętrzny -OriginEmail=E-mail reportera +OriginEmail=E-mail zgłaszającego Notify_TICKET_SENTBYMAIL=Wyślij wiadomość e-mail z biletem -ExportDataset_ticket_1=Bilety +ExportDataset_ticket_1=Zgłoszenia # Status Read=Czytać @@ -71,7 +71,7 @@ NeedMoreInformation=Czekam na opinię reportera NeedMoreInformationShort=Czekam na informację zwrotną Answered=Odpowiedział Waiting=Czekanie -SolvedClosed=Solved +SolvedClosed=Rozwiązana Deleted=Usunięto # Dict @@ -86,26 +86,26 @@ MailToSendTicketMessage=Aby wysłać wiadomość e-mail z wiadomości biletu # # Admin page # -TicketSetup=Konfiguracja modułu biletów +TicketSetup=Konfiguracja modułu zgłoszeń TicketSettings=Ustawienia TicketSetupPage= TicketPublicAccess=Publiczny interfejs, który nie wymaga identyfikacji, jest dostępny pod następującym adresem URL TicketSetupDictionaries=Typ zgłoszenia, ważność i kody analityczne można konfigurować ze słowników TicketParamModule=Konfiguracja zmiennej modułu TicketParamMail=Konfiguracja poczty e-mail -TicketEmailNotificationFrom=Sender e-mail for notification on answers -TicketEmailNotificationFromHelp=Sender e-mail to use to send the notification email when an answer is provided inside the backoffice. For example noreply@example.com -TicketEmailNotificationTo=Notify ticket creation to this e-mail address -TicketEmailNotificationToHelp=If present, this e-mail address will be notified of a ticket creation +TicketEmailNotificationFrom=Adres e-mail nadawcy w celu powiadomienia o odpowiedziach +TicketEmailNotificationFromHelp=Adres e-mail nadawcy używany do wysyłania wiadomości e-mail z powiadomieniem, gdy odpowiedź zostanie udzielona w panelu administracyjnym. Na przykład noreply@example.com +TicketEmailNotificationTo=Powiadom o utworzeniu zgłoszenia na ten adres e-mail +TicketEmailNotificationToHelp=Jeśli jest obecny, ten adres e-mail zostanie powiadomiony o utworzeniu biletu TicketNewEmailBodyLabel=Wiadomość tekstowa wysyłana po utworzeniu biletu TicketNewEmailBodyHelp=Podany tutaj tekst zostanie wstawiony do wiadomości e-mail potwierdzającej utworzenie nowego zgłoszenia z interfejsu publicznego. Informacje o sprawdzeniu biletu są dodawane automatycznie. TicketParamPublicInterface=Konfiguracja interfejsu publicznego TicketsEmailMustExist=Wymagaj istniejącego adresu e-mail, aby utworzyć bilet TicketsEmailMustExistHelp=W interfejsie publicznym adres e-mail powinien być już wypełniony w bazie danych, aby utworzyć nowy bilet. -TicketsShowProgression=Display the ticket progress in the public interface -TicketsShowProgressionHelp=Enable this option to hide the progress of the ticket in the public interface pages -TicketCreateThirdPartyWithContactIfNotExist=Ask name and company name for unknown emails. -TicketCreateThirdPartyWithContactIfNotExistHelp=Check if a thirdparty or a contact exists for the email entered. If not, ask a name and a company name to create a third party with contact. +TicketsShowProgression=Wyświetlaj postęp zgłoszenia w interfejsie publicznym +TicketsShowProgressionHelp=Włącz tę opcję, aby ukryć postęp zgłoszenia na stronach interfejsu publicznego +TicketCreateThirdPartyWithContactIfNotExist=Zapytaj o imię i nazwisko oraz nazwę firmy w przypadku nieznanych e-maili. +TicketCreateThirdPartyWithContactIfNotExistHelp=Sprawdź, czy istnieje osoba trzecia lub kontakt dla wprowadzonego adresu e-mail. Jeśli nie, poproś o imię i nazwisko oraz nazwę firmy, aby utworzyć osobę trzecią do kontaktu. PublicInterface=Interfejs publiczny TicketUrlPublicInterfaceLabelAdmin=Alternatywny adres URL interfejsu publicznego TicketUrlPublicInterfaceHelpAdmin=Możliwe jest zdefiniowanie aliasu do serwera WWW, a tym samym udostępnienie interfejsu publicznego z innym adresem URL (serwer musi działać jako proxy na tym nowym adresie URL) @@ -126,9 +126,9 @@ TicketParams=Params TicketsShowModuleLogo=Wyświetl logo modułu w interfejsie publicznym TicketsShowModuleLogoHelp=Włącz tę opcję, aby ukryć moduł logo na stronach interfejsu publicznego TicketsShowCompanyLogo=Wyświetl logo firmy w interfejsie publicznym -TicketsShowCompanyLogoHelp=Enable this option to show the logo of the main company in the pages of the public interface -TicketsShowCompanyFooter=Display the footer of the company in the public interface -TicketsShowCompanyFooterHelp=Enable this option to show the footer of the main company in the pages of the public interface +TicketsShowCompanyLogoHelp=Włącz tę opcję, aby wyświetlać logo głównej firmy na stronach interfejsu publicznego +TicketsShowCompanyFooter=Wyświetl stopkę firmy w interfejsie publicznym +TicketsShowCompanyFooterHelp=Włącz tę opcję, aby wyświetlić stopkę głównej firmy na stronach interfejsu publicznego TicketsEmailAlsoSendToMainAddress=Wyślij również powiadomienie na główny adres e-mail TicketsEmailAlsoSendToMainAddressHelp=Włącz tę opcję, aby również wysłać wiadomość e-mail na adres zdefiniowany w ustawieniach „%s” (patrz zakładka „%s”) TicketsLimitViewAssignedOnly=Ogranicz wyświetlanie do biletów przypisanych do bieżącego użytkownika (nie dotyczy użytkowników zewnętrznych, zawsze ograniczaj się do strony trzeciej, od której zależą) @@ -145,25 +145,27 @@ TicketsPublicNotificationNewMessage=Wysyłaj e-maile, gdy do zgłoszenia zostani TicketsPublicNotificationNewMessageHelp=Wysyłaj e-maile, gdy nowa wiadomość zostanie dodana z interfejsu publicznego (do przypisanego użytkownika lub powiadomienie e-mail do (aktualizacja) i / lub powiadomienie e-mailem do) TicketPublicNotificationNewMessageDefaultEmail=Powiadomienia e-mail do (aktualizacja) TicketPublicNotificationNewMessageDefaultEmailHelp=Wyślij wiadomość e-mail na ten adres w przypadku każdej nowej wiadomości, jeśli do biletu nie jest przypisany użytkownik lub użytkownik nie ma żadnego znanego adresu e-mail. -TicketsAutoReadTicket=Automatically mark the ticket as read (when created from backoffice) -TicketsAutoReadTicketHelp=Automatically mark the ticket as read when created from backoffice. When ticket is create from the public interface, ticket remains with the status "Not Read". -TicketsDelayBeforeFirstAnswer=A new ticket should receive a first answer before (hours): -TicketsDelayBeforeFirstAnswerHelp=If a new ticket has not received an answer after this time period (in hours), an important warning icon will be displayed in the list view. -TicketsDelayBetweenAnswers=An unresolved ticket should not be unactive during (hours): -TicketsDelayBetweenAnswersHelp=If an unresolved ticket that has already received an answer has not had further interaction after this time period (in hours), a warning icon will be displayed in the list view. -TicketsAutoNotifyClose=Automatically notify thirdparty when closing a ticket -TicketsAutoNotifyCloseHelp=When closing a ticket, you will be proposed to send a message to one of thirdparty's contacts. On mass closing, a message will be sent to one contact of the thirdparty linked to the ticket. -TicketWrongContact=Provided contact is not part of current ticket contacts. Email not sent. -TicketChooseProductCategory=Product category for ticket support -TicketChooseProductCategoryHelp=Select the product category of ticket support. This will be used to automatically link a contract to a ticket. -TicketUseCaptchaCode=Use graphical code (CAPTCHA) when creating a ticket -TicketUseCaptchaCodeHelp=Adds CAPTCHA verification when creating a new ticket. +TicketsAutoReadTicket=Automatycznie oznacz zgłoszenie jako przeczytane (w przypadku utworzenia z zaplecza) +TicketsAutoReadTicketHelp=Automatycznie oznacz zgłoszenie jako przeczytane po utworzeniu z poziomu zaplecza. Kiedy bilet jest tworzony z interfejsu publicznego, bilet pozostaje ze statusem „Nieprzeczytany”. +TicketsDelayBeforeFirstAnswer=Nowy bilet powinien otrzymać pierwszą odpowiedź przed (godzinami): +TicketsDelayBeforeFirstAnswerHelp=Jeżeli po upływie tego czasu (w godzinach) na nowe zgłoszenie nie zostanie udzielona odpowiedź, w widoku listy wyświetli się ważna ikona ostrzegawcza. +TicketsDelayBetweenAnswers=Nierozwiązany bilet nie powinien być nieaktywny w ciągu (godzin): +TicketsDelayBetweenAnswersHelp=Jeżeli w przypadku nierozwiązanego zgłoszenia, na które otrzymano już odpowiedź, po upływie tego czasu (w godzinach) nie nawiązano dalszej interakcji, w widoku listy wyświetli się ikona ostrzeżenia. +TicketsAutoNotifyClose=Automatycznie powiadamiaj osobę trzecią o zamknięciu zgłoszenia +TicketsAutoNotifyCloseHelp=Podczas zamykania zgłoszenia zostaniesz poproszony o wysłanie wiadomości do jednego z zewnętrznych kontaktów. W przypadku masowego zamknięcia wiadomość zostanie wysłana do jednego z kontaktów strony trzeciej powiązanej z biletem. +TicketWrongContact=Pod warunkiem, że kontakt nie jest częścią aktualnych kontaktów dotyczących zgłoszeń. E-mail nie został wysłany. +TicketChooseProductCategory=Kategoria produktu do obsługi zgłoszeń +TicketChooseProductCategoryHelp=Wybierz kategorię produktu dotyczącą obsługi zgłoszeń. Posłuży to do automatycznego powiązania umowy z biletem. +TicketUseCaptchaCode=Podczas tworzenia zgłoszenia użyj kodu graficznego (CAPTCHA). +TicketUseCaptchaCodeHelp=Dodaje weryfikację CAPTCHA podczas tworzenia nowego zgłoszenia. +TicketsAllowClassificationModificationIfClosed=Zezwalaj na modyfikację klasyfikacji biletów zamkniętych +TicketsAllowClassificationModificationIfClosedHelp=Zezwalaj na modyfikację klasyfikacji (typ, grupa zgłoszeń, ważność) nawet jeśli zgłoszenia są zamknięte. # # Index & list page # -TicketsIndex=Strefa biletów -TicketList=Lista biletów +TicketsIndex=Strefa zgłoszeń +TicketList=Lista zgłoszeń TicketAssignedToMeInfos=Ta strona wyświetla listę zgłoszeń utworzoną przez lub przypisaną do bieżącego użytkownika NoTicketsFound=Nie znaleziono biletu NoUnreadTicketsFound=Nie znaleziono nieprzeczytanego biletu @@ -174,50 +176,50 @@ OrderByDateAsc=Sortuj według rosnącej daty OrderByDateDesc=Sortuj według malejącej daty ShowAsConversation=Pokaż jako listę rozmów MessageListViewType=Pokaż jako listę tabel -ConfirmMassTicketClosingSendEmail=Automatically send emails when closing tickets -ConfirmMassTicketClosingSendEmailQuestion=Do you want to notify thirdparties when closing these tickets ? +ConfirmMassTicketClosingSendEmail=Automatycznie wysyłaj e-maile przy zamykaniu biletów +ConfirmMassTicketClosingSendEmailQuestion=Czy chcesz powiadomić osoby trzecie o zamknięciu tych zgłoszeń? # # Ticket card # -Ticket=Bilet +Ticket=Sprawa TicketCard=Karta biletowa CreateTicket=Utwórz bilet EditTicket=Edytuj bilet TicketsManagement=Zarządzanie zgłoszeniami -CreatedBy=Stworzone przez -NewTicket=Nowy bilet +CreatedBy=Utworzone przez +NewTicket=Nowe zgłoszenie SubjectAnswerToTicket=Odpowiedź na bilet TicketTypeRequest=Rodzaj żądania -TicketCategory=Ticket group +TicketCategory=Grupa zgłoszeń SeeTicket=Zobacz bilet TicketMarkedAsRead=Bilet został oznaczony jako przeczytany TicketReadOn=Czytaj TicketCloseOn=Ostateczny termin MarkAsRead=Oznacz bilet jako przeczytany -TicketHistory=Historia biletów +TicketHistory=Historia zgłoszeń AssignUser=Przypisz do użytkownika TicketAssigned=Bilet jest teraz przypisany TicketChangeType=Zmień typ TicketChangeCategory=Zmień kod analityczny TicketChangeSeverity=Zmień istotność -TicketAddMessage=Add or send a message -TicketAddPrivateMessage=Add a private message +TicketAddMessage=Dodaj lub wyślij wiadomość +TicketAddPrivateMessage=Dodaj prywatną wiadomość MessageSuccessfullyAdded=Dodano bilet TicketMessageSuccessfullyAdded=Wiadomość została pomyślnie dodana TicketMessagesList=Lista wiadomości NoMsgForThisTicket=Brak wiadomości dla tego biletu -TicketProperties=Classification +TicketProperties=Klasyfikacja LatestNewTickets=Najnowsze %s Najnowsze bilety (nieprzeczytane) TicketSeverity=Priorytet ShowTicket=Zobacz bilet RelatedTickets=Powiązane bilety TicketAddIntervention=Tworzenie interwencji -CloseTicket=Close|Solve -AbandonTicket=Abandon -CloseATicket=Close|Solve a ticket -ConfirmCloseAticket=Potwierdź zamknięcie biletu -ConfirmAbandonTicket=Do you confirm the closing of the ticket to status 'Abandonned' +CloseTicket=Zamknij | Rozwiąż +AbandonTicket=Porzuć +CloseATicket=Zamknij | Rozwiąż zgłoszenie +ConfirmCloseAticket=Potwierdź zamknięcie zgłoszenia +ConfirmAbandonTicket=Czy potwierdzasz zamknięcie zgłoszenia do statusu „Opuszczony” ConfirmDeleteTicket=Potwierdź usunięcie biletu TicketDeletedSuccess=Bilet został usunięty z powodzeniem TicketMarkedAsClosed=Bilet oznaczony jako zamknięty @@ -228,18 +230,18 @@ SendMessageByEmail=Wyślij wiadomość e-mailem TicketNewMessage=Nowa wiadomość ErrorMailRecipientIsEmptyForSendTicketMessage=Adresat jest pusty. Nie wysłano e-maila TicketGoIntoContactTab=Przejdź do zakładki „Kontakty”, aby je wybrać -TicketMessageMailIntro=Message header +TicketMessageMailIntro=Nagłówek wiadomości TicketMessageMailIntroHelp=Ten tekst jest dodawany tylko na początku e-maila i nie zostanie zapisany. -TicketMessageMailIntroText=Hello,
      A new answer has been added to a ticket that you follow. Here is the message:
      -TicketMessageMailIntroHelpAdmin=This text will be inserted before the answer when replying to a ticket from Dolibarr -TicketMessageMailFooter=Message footer -TicketMessageMailFooterHelp=This text is added only at the end of the message sent by email and will not be saved. -TicketMessageMailFooterText=Message sent by %s via Dolibarr -TicketMessageMailFooterHelpAdmin=This text will be inserted after the response message. +TicketMessageMailIntroText=Witaj,
      Dodano nową odpowiedź do obserwowanego zgłoszenia. Oto wiadomość:
      +TicketMessageMailIntroHelpAdmin=Ten tekst zostanie wstawiony przed odpowiedzią podczas odpowiadania na zgłoszenie od Dolibarr +TicketMessageMailFooter=Stopka wiadomości +TicketMessageMailFooterHelp=Tekst ten dodawany jest dopiero na końcu wiadomości wysyłanej e-mailem i nie zostanie zapisany. +TicketMessageMailFooterText=Wiadomość wysłana przez %s przez Dolibarr +TicketMessageMailFooterHelpAdmin=Tekst ten zostanie wstawiony po komunikacie odpowiedzi. TicketMessageHelp=Tylko ten tekst zostanie zapisany na liście wiadomości na karcie biletu. TicketMessageSubstitutionReplacedByGenericValues=Zmienne podstawienia są zastępowane wartościami ogólnymi. -ForEmailMessageWillBeCompletedWith=For email messages sent to external users, the message will be completed with -TimeElapsedSince=Czas, który upłynął od +ForEmailMessageWillBeCompletedWith=W przypadku wiadomości e-mail wysyłanych do użytkowników zewnętrznych, wiadomość zostanie uzupełniona +TimeElapsedSince=Czas od założenia zgłoszenia TicketTimeToRead=Upłynął czas przed przeczytaniem TicketTimeElapsedBeforeSince=Czas, jaki upłynął przed / od TicketContacts=Bilet kontaktów @@ -247,15 +249,15 @@ TicketDocumentsLinked=Dokumenty powiązane z biletem ConfirmReOpenTicket=Potwierdzić ponowne otwarcie tego biletu? TicketMessageMailIntroAutoNewPublicMessage=Na bilecie została umieszczona nowa wiadomość o temacie %s: TicketAssignedToYou=Przydzielony bilet -TicketAssignedEmailBody=Przydzielono Ci bilet # %s przez %s -TicketAssignedCustomerEmail=Your ticket has been assigned for processing. -TicketAssignedCustomerBody=This is an automatic email to confirm your ticket has been assigned for processing. +TicketAssignedEmailBody=Zgłoszenie #%s zostało Ci przydzielone przez %s +TicketAssignedCustomerEmail=Twój bilet został przydzielony do przetwarzania. +TicketAssignedCustomerBody=Jest to automatyczna wiadomość e-mail potwierdzająca, że Twoje zgłoszenie zostało przydzielone do przetwarzania. MarkMessageAsPrivate=Oznacz wiadomość jako prywatną -TicketMessageSendEmailHelp=An email will be sent to all assigned contact -TicketMessageSendEmailHelp2a=(internal contacts, but also external contacts except if the option "%s" is checked) -TicketMessageSendEmailHelp2b=(internal contacts, but also external contacts) -TicketMessagePrivateHelp=This message will not be visible to external users -TicketMessageRecipientsHelp=Recipient field completed with active contacts linked to the ticket +TicketMessageSendEmailHelp=Do wszystkich przypisanych kontaktów zostanie wysłana wiadomość e-mail +TicketMessageSendEmailHelp2a=(kontakty wewnętrzne, ale także kontakty zewnętrzne, chyba że zaznaczona jest opcja „%s”) +TicketMessageSendEmailHelp2b=(kontakty wewnętrzne, ale także kontakty zewnętrzne) +TicketMessagePrivateHelp=Ta wiadomość nie będzie widoczna dla użytkowników zewnętrznych +TicketMessageRecipientsHelp=Pole odbiorcy uzupełnione aktywnymi kontaktami powiązanymi ze zgłoszeniem TicketEmailOriginIssuer=Wystawca w miejscu pochodzenia biletów InitialMessage=Wiadomość wstępna LinkToAContract=Link do umowy @@ -268,17 +270,17 @@ TicketChangeStatus=Zmień status TicketConfirmChangeStatus=Potwierdź zmianę statusu: %s? TicketLogStatusChanged=Status zmieniony: %s na %s TicketNotNotifyTiersAtCreate=Nie powiadamiaj firmy o utworzeniu -NotifyThirdpartyOnTicketClosing=Contacts to notify while closing the ticket -TicketNotifyAllTiersAtClose=All related contacts -TicketNotNotifyTiersAtClose=No related contact +NotifyThirdpartyOnTicketClosing=Kontakty do powiadamiania podczas zamykania zgłoszenia +TicketNotifyAllTiersAtClose=Wszystkie powiązane kontakty +TicketNotNotifyTiersAtClose=Brak powiązanego kontaktu Unread=nieprzeczytane TicketNotCreatedFromPublicInterface=Niedostępne. Bilet nie został utworzony z interfejsu publicznego. ErrorTicketRefRequired=Nazwa biletu jest wymagana -TicketsDelayForFirstResponseTooLong=Too much time elapsed since ticket opening without any answer. -TicketsDelayFromLastResponseTooLong=Too much time elapsed since last answer on this ticket. -TicketNoContractFoundToLink=No contract was found to be automatically linked to this ticket. Please link a contract manually. -TicketManyContractsLinked=Many contracts have been automatically linked to this ticket. Make sure to verify which should be chosen. -TicketRefAlreadyUsed=The reference [%s] is already used, your new reference is [%s] +TicketsDelayForFirstResponseTooLong=Upłynęło zbyt dużo czasu od otwarcia zgłoszenia bez żadnej odpowiedzi. +TicketsDelayFromLastResponseTooLong=Od ostatniej odpowiedzi na tym zgłoszeniu upłynęło zbyt dużo czasu. +TicketNoContractFoundToLink=Nie znaleziono żadnej umowy, która byłaby automatycznie powiązana z tym biletem. Proszę ręcznie połączyć umowę. +TicketManyContractsLinked=Wiele umów zostało automatycznie powiązanych z tym biletem. Koniecznie sprawdź, które warto wybrać. +TicketRefAlreadyUsed=Odniesienie [%s] jest już używane, Twoje nowe odniesienie to [%s] # # Logs @@ -306,12 +308,12 @@ TicketNewEmailBody=To jest automatyczna wiadomość e-mail potwierdzająca zarej TicketNewEmailBodyCustomer=To jest automatyczny e-mail potwierdzający, że nowy bilet został właśnie utworzony na Twoim koncie. TicketNewEmailBodyInfosTicket=Informacje do monitorowania zgłoszenia TicketNewEmailBodyInfosTrackId=Numer śledzenia biletu: %s -TicketNewEmailBodyInfosTrackUrl=You can view the progress of the ticket by clicking the following link +TicketNewEmailBodyInfosTrackUrl=Możesz zobaczyć postęp zgłoszenia, klikając poniższy link TicketNewEmailBodyInfosTrackUrlCustomer=Możesz zobaczyć postęp zgłoszenia w określonym interfejsie, klikając poniższy link -TicketCloseEmailBodyInfosTrackUrlCustomer=You can consult the history of this ticket by clicking the following link +TicketCloseEmailBodyInfosTrackUrlCustomer=Historię tego biletu możesz sprawdzić, klikając poniższy link TicketEmailPleaseDoNotReplyToThisEmail=Prosimy nie odpowiadać na tę wiadomość! Użyj linku, aby odpowiedzieć w interfejsie. TicketPublicInfoCreateTicket=Ten formularz umożliwia zarejestrowanie zgłoszenia do pomocy technicznej w naszym systemie zarządzania. -TicketPublicPleaseBeAccuratelyDescribe=Please accurately describe your question. Provide the most information possible to allow us to correctly identify your request. +TicketPublicPleaseBeAccuratelyDescribe=Proszę dokładnie opisać swoją prośbę. Podaj jak najwięcej informacji, abyśmy mogli poprawnie zidentyfikować Twoje żądanie. TicketPublicMsgViewLogIn=Wprowadź identyfikator śledzenia biletu TicketTrackId=Publiczny identyfikator śledzenia OneOfTicketTrackId=Jeden z Twoich identyfikatorów śledzenia @@ -329,14 +331,14 @@ OldUser=Stary użytkownik NewUser=Nowy użytkownik NumberOfTicketsByMonth=Liczba biletów miesięcznie NbOfTickets=Liczba biletów -ExternalContributors=External contributors -AddContributor=Add external contributor +ExternalContributors=Współautorzy zewnętrzni +AddContributor=Dodaj współpracownika zewnętrznego # notifications -TicketCloseEmailSubjectCustomer=Ticket closed -TicketCloseEmailBodyCustomer=This is an automatic message to notify you that ticket %s has just been closed. -TicketCloseEmailSubjectAdmin=Ticket closed - Réf %s (public ticket ID %s) -TicketCloseEmailBodyAdmin=A ticket with ID #%s has just been closed, see information: +TicketCloseEmailSubjectCustomer=Bilet zamknięty +TicketCloseEmailBodyCustomer=To jest automatyczna wiadomość powiadamiająca Cię, że zgłoszenie %s właśnie zostało zamknięte. +TicketCloseEmailSubjectAdmin=Zgłoszenie zamknięte - Réf %s (publiczny identyfikator zgłoszenia %s) +TicketCloseEmailBodyAdmin=Zgłoszenie o identyfikatorze #%s zostało właśnie zamknięte, zobacz informacje: TicketNotificationEmailSubject=Bilet %s został zaktualizowany TicketNotificationEmailBody=To jest automatyczna wiadomość informująca, że bilet %s został właśnie zaktualizowany TicketNotificationRecipient=Odbiorca powiadomienia @@ -350,10 +352,10 @@ ActionsOnTicket=Wydarzenia na bilecie # Boxes # BoxLastTicket=Ostatnio utworzone bilety -BoxLastTicketDescription=Ostatnie utworzone bilety %s +BoxLastTicketDescription=%s ostatnio utworzonych spraw BoxLastTicketContent= BoxLastTicketNoRecordedTickets=Brak ostatnich nieprzeczytanych biletów -BoxLastModifiedTicket=Najnowsze zmodyfikowane bilety +BoxLastModifiedTicket=Ostatnio aktualizowane sprawy BoxLastModifiedTicketDescription=Najnowsze zmodyfikowane bilety %s BoxLastModifiedTicketContent= BoxLastModifiedTicketNoRecordedTickets=Brak ostatnio zmodyfikowanych biletów @@ -364,7 +366,7 @@ BoxTicketLastXDays=Liczba nowych biletów według dni w ostatnich dniach %s BoxTicketLastXDayswidget = Liczba nowych biletów według dni ostatnich X dni BoxNoTicketLastXDays=Brak nowych biletów w ciągu ostatnich %s dni BoxNumberOfTicketByDay=Liczba nowych biletów w ciągu dnia -BoxNewTicketVSClose=Number of tickets versus closed tickets (today) +BoxNewTicketVSClose=Liczba biletów w porównaniu z biletami zamkniętymi (dziś) TicketCreatedToday=Bilet utworzony dzisiaj TicketClosedToday=Bilet dzisiaj zamknięty -KMFoundForTicketGroup=We found topics and FAQs that may answers your question, thanks to check them before submitting the ticket +KMFoundForTicketGroup=Znaleźliśmy tematy i często zadawane pytania, które mogą odpowiedzieć na Twoje pytanie, dzięki sprawdzeniu ich przed przesłaniem zgłoszenia diff --git a/htdocs/langs/pl_PL/trips.lang b/htdocs/langs/pl_PL/trips.lang index 6ba50d162f5..d26b5b5ec6d 100644 --- a/htdocs/langs/pl_PL/trips.lang +++ b/htdocs/langs/pl_PL/trips.lang @@ -1,150 +1,152 @@ # Dolibarr language file - Source file is en_US - trips -ShowExpenseReport=Pokaż raport kosztowy -Trips=Raporty kosztów -TripsAndExpenses=Raporty kosztów -TripsAndExpensesStatistics=Statystyki raportów kosztów -TripCard=Koszty karta raport +AUTHOR=Zarejestrowany przez +AUTHORPAIEMENT=Płacone przez AddTrip=Stwórz raport kosztów -ListOfTrips=Lista raportów kosztowych -ListOfFees=Wykaz opłat -TypeFees=Rodzaje opłat -ShowTrip=Pokaż raport kosztowy -NewTrip=Nowy raport kosztów -LastExpenseReports=Najnowsze raporty wydatków %s +AllExpenseReport=Wszystkie rodzaje raportów z wydatków AllExpenseReports=Wszystkie raporty wydatków -CompanyVisited=Odwiedzona firma / organizacja -FeesKilometersOrAmout=Kwota lub kilometry -DeleteTrip=Usuń raport kosztów -ConfirmDeleteTrip=Czy usunąć ten raport kosztów? -ListTripsAndExpenses=Lista raportów kosztowych -ListToApprove=Czeka na zaakceptowanie -ExpensesArea=Obszar raportów kosztowych +AnyOtherInThisListCanValidate=Osoba, która ma zostać poinformowana o zatwierdzeniu wniosku. +AttachTheNewLineToTheDocument=Dołącz wiersz do przesłanego dokumentu +AucuneLigne=Nie ma jeszcze raportu wydatki deklarowane +BrouillonnerTrip=Cofnij raport kosztów do statusu "Szkic" +byEX_DAY=według dnia (ograniczenie do %s) +byEX_EXP=według linii (ograniczenie do %s) +byEX_MON=według miesiąca (ograniczenie do %s) +byEX_YEA=według roku (ograniczenie do %s) +CANCEL_USER=Usunięte przez +CarCategory=Kategoria pojazdu ClassifyRefunded=Zakfalifikowano do refundacji. +CompanyVisited=Odwiedzona firma / organizacja +ConfirmBrouillonnerTrip=Czy zmienić status tego raportu kosztów na "Szkic"? +ConfirmCancelTrip=Czy anulować ten raport kosztów? +ConfirmCloneExpenseReport=Czy na pewno chcesz sklonować ten raport z wydatków? +ConfirmDeleteTrip=Czy usunąć ten raport kosztów? +ConfirmPaidTrip=Czy zmienić status tego raportu kosztów na "Zapłacone"? +ConfirmRefuseTrip=Czy odrzucić ten raport kosztów? +ConfirmSaveTrip=Czy zatwierdzić ten raport kosztów? +ConfirmValideTrip=Czy zaakceptować ten raport kosztów? +DATE_CANCEL=Data anulowania +DATE_PAIEMENT=Data płatności +DATE_REFUS=Data odmowy +DATE_SAVE=Data zatwierdzenia +DefaultCategoryCar=Domyślny środek transportu +DefaultRangeNumber=Domyślny numer zakresu +DeleteTrip=Usuń raport kosztów +ErrorDoubleDeclaration=Masz oświadczył kolejny raport wydatków do podobnego zakresu dat. +Error_EXPENSEREPORT_ADDON_NotDefined=Błąd, reguła numeracji raportu z wydatków nie została zdefiniowana w konfiguracji modułu „Raport z wydatków” +ExpenseRangeOffset=Kwota kompensacji: %s +expenseReportCatDisabled=Kategoria wyłączona - zobacz słownik c_exp_tax_cat +expenseReportCoef=Współczynnik +expenseReportCoefUndefined=(wartość nie została zdefiniowana) +expenseReportOffset=Offset +expenseReportPrintExample=offset + (d x coef) = %s +expenseReportRangeDisabled=Range disabled - see the c_exp_tax_range dictionary +expenseReportRangeFromTo=od %d do %d +expenseReportRangeMoreThan=więcej niż %d +expenseReportTotalForFive=Przykład z d = 5 +ExpenseReportApplyTo=Zastosuj do +ExpenseReportApproved=Zatwierdzono raport wydatków +ExpenseReportApprovedMessage=Raport z wydatków %s został zatwierdzony.
      - Użytkownik: %s
      - Zatwierdzony przez: %s
      Kliknij tutaj, aby wyświetlić raport z wydatków: %s +ExpenseReportCanceled=Raport wydatków został anulowany +ExpenseReportCanceledMessage=The expense report %s was canceled.
      - User: %s
      - Canceled by: %s
      - Motive for cancellation: %s
      Click here to show the expense report: %s +ExpenseReportConstraintViolationError=Max amount exceeded (rule %s): %s is higher than %s (Exceeding forbidden) +ExpenseReportConstraintViolationWarning=Max amount exceeded (rule %s): %s is higher than %s (Exceeding authorized) +ExpenseReportDateEnd=Data zakończenia +ExpenseReportDateStart=Data rozpoczęcia +ExpenseReportDomain=Domena do zastosowania +ExpenseReportIkDesc=Możesz modyfikować obliczanie wydatków na kilometry według kategorii i zasięgu, które zostały wcześniej zdefiniowane. d to odległość w kilometrach +ExpenseReportLimitAmount=Max amount +ExpenseReportLimitOn=Limit na +ExpenseReportLine=Linia raport z wydatków +ExpenseReportPaid=Zapłacono raport wydatków +ExpenseReportPaidMessage=Raport z wydatków %s został opłacony.
      - Użytkownik: %s
      - Płatne przez: %s
      Kliknij tutaj, aby wyświetlić raport z wydatków: %s +ExpenseReportPayment=Płatność Raport wydatek +ExpenseReportRef=Nr ref. raport z wydatków +ExpenseReportRefused=Odmówiono sporządzenia raportu z wydatków +ExpenseReportRefusedMessage=Raport z wydatków %s został odrzucony.
      - Użytkownik: %s
      - Odrzucony przez: %s
      - Motyw odmowy: %s
      Kliknij tutaj, aby wyświetlić raport z wydatków: %s +ExpenseReportRestrictive=Exceeding forbidden +ExpenseReportRuleErrorOnSave=Błąd: %s +ExpenseReportRuleSave=Zapisano regułę raportu z wydatków +ExpenseReportRulesDesc=You can define max amount rules for expense reports. These rules will be applied when a new expense is added to an expense report ExpenseReportWaitingForApproval=Nowy raport kosztów został wysłany do zakaceptowania ExpenseReportWaitingForApprovalMessage=Nowy raport z wydatków został przesłany i oczekuje na zatwierdzenie.
      - Użytkownik: %s
      - Okres: %s
      Kliknij tutaj, aby zweryfikować: %s ExpenseReportWaitingForReApproval=Raport z wydatków został przesłany do ponownego zatwierdzenia ExpenseReportWaitingForReApprovalMessage=Raport z wydatków został przesłany i oczekuje na ponowne zatwierdzenie.
      %s, odmówiłeś zatwierdzenia raportu z wydatków z tego powodu: %s.
      Zaproponowano nową wersję, która czeka na Twoją zgodę.
      - Użytkownik: %s
      - Okres: %s
      Kliknij tutaj, aby zweryfikować: %s -ExpenseReportApproved=Zatwierdzono raport wydatków -ExpenseReportApprovedMessage=Raport z wydatków %s został zatwierdzony.
      - Użytkownik: %s
      - Zatwierdzony przez: %s
      Kliknij tutaj, aby wyświetlić raport z wydatków: %s -ExpenseReportRefused=Odmówiono sporządzenia raportu z wydatków -ExpenseReportRefusedMessage=Raport z wydatków %s został odrzucony.
      - Użytkownik: %s
      - Odrzucony przez: %s
      - Motyw odmowy: %s
      Kliknij tutaj, aby wyświetlić raport z wydatków: %s -ExpenseReportCanceled=Raport wydatków został anulowany -ExpenseReportCanceledMessage=The expense report %s was canceled.
      - User: %s
      - Canceled by: %s
      - Motive for cancellation: %s
      Click here to show the expense report: %s -ExpenseReportPaid=Zapłacono raport wydatków -ExpenseReportPaidMessage=Raport z wydatków %s został opłacony.
      - Użytkownik: %s
      - Płatne przez: %s
      Kliknij tutaj, aby wyświetlić raport z wydatków: %s -TripId=ID raportu kosztowego -AnyOtherInThisListCanValidate=Osoba, która ma zostać poinformowana o zatwierdzeniu wniosku. -TripSociete=Informacje o firmie -TripNDF=Informacje raport z wydatków -PDFStandardExpenseReports=Standardowy szablon do generowania dokumentu PDF dla raportu kosztowego -ExpenseReportLine=Linia raport z wydatków -TF_OTHER=Inny -TF_TRIP=Transport -TF_LUNCH=Obiad -TF_METRO=Metro -TF_TRAIN=Pociąg -TF_BUS=Autobus -TF_CAR=Samochód -TF_PEAGE=Myto -TF_ESSENCE=Paliwo -TF_HOTEL=Hotel -TF_TAXI=Taxi -EX_KME=Koszty przebiegu -EX_FUE=Paliwo CV -EX_HOT=Hotel -EX_PAR=Parking CV -EX_TOL=Płatne CV -EX_TAX=Różne podatki -EX_IND=Subskrypcja odszkodowania za transport -EX_SUM=Zaopatrzenie w konserwację -EX_SUO=Artykuły biurowe -EX_CAR=Wypożyczalnia samochodów -EX_DOC=Dokumentacja -EX_CUR=Klienci otrzymujący -EX_OTR=Inne odbieranie -EX_POS=Opłata pocztowa -EX_CAM=Konserwacja i naprawa CV -EX_EMM=Posiłek dla pracowników -EX_GUM=Posiłek gości -EX_BRE=Śniadanie -EX_FUE_VP=Paliwo PV -EX_TOL_VP=Toll PV -EX_PAR_VP=Parking PV -EX_CAM_VP=Konserwacja i naprawa PV -DefaultCategoryCar=Domyślny środek transportu -DefaultRangeNumber=Domyślny numer zakresu -UploadANewFileNow=Prześlij teraz nowy dokument -Error_EXPENSEREPORT_ADDON_NotDefined=Błąd, reguła numeracji raportu z wydatków nie została zdefiniowana w konfiguracji modułu „Raport z wydatków” -ErrorDoubleDeclaration=Masz oświadczył kolejny raport wydatków do podobnego zakresu dat. -AucuneLigne=Nie ma jeszcze raportu wydatki deklarowane -ModePaiement=Sposób płatności -VALIDATOR=Użytkownik odpowiedzialny za zatwierdzenie -VALIDOR=Zatwierdzony przez -AUTHOR=Zarejestrowany przez -AUTHORPAIEMENT=Płacone przez -REFUSEUR=Odmowa przez -CANCEL_USER=Usunięte przez -MOTIF_REFUS=Powód -MOTIF_CANCEL=Powód -DATE_REFUS=Data odmowy -DATE_SAVE=Data zatwierdzenia -DATE_CANCEL=Data anulowania -DATE_PAIEMENT=Data płatności -ExpenseReportRef=Nr ref. raport z wydatków -ValidateAndSubmit=Zatwierdź i wyślij do zaakceptowania -ValidatedWaitingApproval=Zatwierdzony (czeka na zaakceptowanie) -NOT_AUTHOR=Nie jesteś autorem tego raportu kosztowego. Operacja anulowana. -ConfirmRefuseTrip=Czy odrzucić ten raport kosztów? -ValideTrip=Zatwierdzić raport wydatków -ConfirmValideTrip=Czy zaakceptować ten raport kosztów? -PaidTrip=Zapłać raport wydatków -ConfirmPaidTrip=Czy zmienić status tego raportu kosztów na "Zapłacone"? -ConfirmCancelTrip=Czy anulować ten raport kosztów? -BrouillonnerTrip=Cofnij raport kosztów do statusu "Szkic" -ConfirmBrouillonnerTrip=Czy zmienić status tego raportu kosztów na "Szkic"? -SaveTrip=Weryfikacja raportu wydatków -ConfirmSaveTrip=Czy zatwierdzić ten raport kosztów? -NoTripsToExportCSV=Brak raportu kosztowego to eksportowania za ten okres czasu. -ExpenseReportPayment=Płatność Raport wydatek -ExpenseReportsToApprove=Raporty kosztów do zaakceptowania -ExpenseReportsToPay=Raporty kosztowe do zapłaty -ConfirmCloneExpenseReport=Czy na pewno chcesz sklonować ten raport z wydatków? ExpenseReportsIk=Konfiguracja opłat za przebieg ExpenseReportsRules=Zasady raportowania wydatków -ExpenseReportIkDesc=Możesz modyfikować obliczanie wydatków na kilometry według kategorii i zasięgu, które zostały wcześniej zdefiniowane. d to odległość w kilometrach -ExpenseReportRulesDesc=You can define max amount rules for expense reports. These rules will be applied when a new expense is added to an expense report -expenseReportOffset=Offset -expenseReportCoef=Współczynnik -expenseReportTotalForFive=Przykład z d = 5 -expenseReportRangeFromTo=od %d do %d -expenseReportRangeMoreThan=więcej niż %d -expenseReportCoefUndefined=(wartość nie została zdefiniowana) -expenseReportCatDisabled=Kategoria wyłączona - zobacz słownik c_exp_tax_cat -expenseReportRangeDisabled=Zakres wyłączony - zobacz słownictwo c_exp_tax_range -expenseReportPrintExample=offset + (d x coef) = %s -ExpenseReportApplyTo=Zastosuj do -ExpenseReportDomain=Domena do zastosowania -ExpenseReportLimitOn=Limit na -ExpenseReportDateStart=Data rozpoczęcia -ExpenseReportDateEnd=Data zakończenia -ExpenseReportLimitAmount=Max amount -ExpenseReportRestrictive=Exceeding forbidden -AllExpenseReport=Wszystkie rodzaje raportów z wydatków -OnExpense=Linia wydatków -ExpenseReportRuleSave=Zapisano regułę raportu z wydatków -ExpenseReportRuleErrorOnSave=Błąd: %s -RangeNum=Zakres %d -ExpenseReportConstraintViolationError=Max amount exceeded (rule %s): %s is higher than %s (Exceeding forbidden) -byEX_DAY=według dnia (ograniczenie do %s) -byEX_MON=według miesiąca (ograniczenie do %s) -byEX_YEA=według roku (ograniczenie do %s) -byEX_EXP=według linii (ograniczenie do %s) -ExpenseReportConstraintViolationWarning=Max amount exceeded (rule %s): %s is higher than %s (Exceeding authorized) +ExpenseReportsToApprove=Raporty kosztów do zaakceptowania +ExpenseReportsToPay=Raporty kosztowe do zapłaty +ExpensesArea=Obszar raportów kosztowych +FeesKilometersOrAmout=Kwota lub kilometry +LastExpenseReports=Najnowsze raporty wydatków %s +ListOfFees=Wykaz opłat +ListOfTrips=Lista raportów kosztowych +ListToApprove=Czeka na zaakceptowanie +ListTripsAndExpenses=Lista raportów kosztowych +MOTIF_CANCEL=Powód +MOTIF_REFUS=Powód +ModePaiement=Sposób płatności +NewTrip=Nowy raport kosztów nolimitbyEX_DAY=w dzień (bez ograniczeń) +nolimitbyEX_EXP=według linii (bez ograniczeń) nolimitbyEX_MON=według miesiąca (bez ograniczeń) nolimitbyEX_YEA=według roku (bez ograniczeń) -nolimitbyEX_EXP=według linii (bez ograniczeń) -CarCategory=Kategoria pojazdu -ExpenseRangeOffset=Kwota kompensacji: %s +NoTripsToExportCSV=Brak raportu kosztowego to eksportowania za ten okres czasu. +NOT_AUTHOR=You are not the author of this expense report. Operation canceled. +OnExpense=Linia wydatków +PDFStandardExpenseReports=Standardowy szablon do generowania dokumentu PDF dla raportu kosztowego +PaidTrip=Zapłać raport wydatków +REFUSEUR=Odmowa przez RangeIk=Zakres przebiegu -AttachTheNewLineToTheDocument=Dołącz wiersz do przesłanego dokumentu +RangeNum=Zakres %d +SaveTrip=Weryfikacja raportu wydatków +ShowExpenseReport=Pokaż raport kosztowy +ShowTrip=Pokaż raport kosztowy +TripCard=Koszty karta raport +TripId=ID raportu kosztowego +TripNDF=Information expense report +TripSociete=Informacje o firmie +Trips=Raporty kosztów +TripsAndExpenses=Raporty kosztów +TripsAndExpensesStatistics=Statystyki raportów kosztów +TypeFees=Rodzaje opłat +UploadANewFileNow=Prześlij teraz nowy dokument +VALIDATOR=Użytkownik odpowiedzialny za zatwierdzenie +VALIDOR=Zatwierdzony przez +ValidateAndSubmit=Zatwierdź i wyślij do zaakceptowania +ValidatedWaitingApproval=Zatwierdzony (czeka na zaakceptowanie) +ValideTrip=Zatwierdzić raport wydatków + +## Dictionary +EX_BRE=Śniadanie +EX_CAM=Konserwacja i naprawa CV +EX_CAM_VP=Konserwacja i naprawa PV +EX_CAR=Wypożyczalnia samochodów +EX_CUR=Klienci otrzymujący +EX_DOC=Dokumentacja +EX_EMM=Posiłek dla pracowników +EX_FUE=Paliwo CV +EX_FUE_VP=Paliwo PV +EX_GUM=Posiłek gości +EX_HOT=Hotel +EX_IND=Subskrypcja odszkodowania za transport +EX_KME=Koszty przebiegu +EX_OTR=Inne odbieranie +EX_PAR=Parking CV +EX_PAR_VP=Parking PV +EX_POS=Opłata pocztowa +EX_SUM=Zaopatrzenie w konserwację +EX_SUO=Artykuły biurowe +EX_TAX=Różne podatki +EX_TOL=Płatne CV +EX_TOL_VP=Toll PV +TF_BUS=Autobus +TF_CAR=Samochód +TF_ESSENCE=Paliwo +TF_HOTEL=Hotel +TF_LUNCH=Obiad +TF_METRO=Metro +TF_OTHER=Inny +TF_PEAGE=Myto +TF_TAXI=Taxi +TF_TRAIN=Pociąg +TF_TRIP=Transport diff --git a/htdocs/langs/pl_PL/users.lang b/htdocs/langs/pl_PL/users.lang index 18020f4e511..adcbbd168b8 100644 --- a/htdocs/langs/pl_PL/users.lang +++ b/htdocs/langs/pl_PL/users.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - users -HRMArea=Obszaru HRM +HRMArea=Strefa zarządzania kadrami UserCard=Karta użytkownika GroupCard=Karta grupy Permission=Uprawnienie @@ -32,9 +32,8 @@ CreateUser=Utwórz użytkownika LoginNotDefined=Login niezdefiniowany. NameNotDefined=Nazwa nie jest zdefiniowana. ListOfUsers=Lista użytkowników -SuperAdministrator=Super Administrator -SuperAdministratorDesc=Administrator ze wszystkich praw -AdministratorDesc=Administrator +SuperAdministrator=Administrator wielofirmowy +SuperAdministratorDesc=Administrator systemu wielofirmowego (może zmieniać konfigurację i użytkowników) DefaultRights=Uprawnienia domyślne DefaultRightsDesc=Zdefiniuj tutaj domyślne uprawnienia , które są automatycznie przyznawane nowemu użytkownikowi (aby zmodyfikować uprawnienia dla istniejących użytkowników, przejdź do karty użytkownika). DolibarrUsers=Użytkownicy Dolibarr @@ -47,8 +46,8 @@ RemoveFromGroup=Usuń z grupy PasswordChangedAndSentTo=Hasło zmienione i wysyłane do %s. PasswordChangeRequest=Zgłoszenie zmiany hasła dla %s PasswordChangeRequestSent=Wniosek o zmianę hasła dla %s wysłany do %s. -IfLoginExistPasswordRequestSent=If this login is a valid account (with a valid email), an email to reset password has been sent. -IfEmailExistPasswordRequestSent=If this email is a valid account, an email to reset password has been sent (remember to check your SPAM folder if you do not receive anything) +IfLoginExistPasswordRequestSent=Jeśli login jest prawidłowym kontem (z prawidłowym adresem e-mail), wysłano wiadomość e-mail umożliwiającą zresetowanie hasła. +IfEmailExistPasswordRequestSent=Jeśli ten adres e-mail jest prawidłowym kontem, został wysłany e-mail umożliwiający zresetowanie hasła (pamiętaj, aby sprawdzić folder SPAM, jeśli nic nie otrzymasz) ConfirmPasswordReset=Potwierdź zresetowanie hasła MenuUsersAndGroups=Użytkownicy i grupy LastGroupsCreated=Ostatnie %s utworzone grupy @@ -62,12 +61,12 @@ ListOfUsersInGroup=Lista użytkowników w tej grupie ListOfGroupsForUser=Lista grup dla tego użytkownika LinkToCompanyContact=Link do kontahenta/kontaktu LinkedToDolibarrMember=Link do członka -LinkedToDolibarrUser=Link to user -LinkedToDolibarrThirdParty=Link to third party +LinkedToDolibarrUser=Link do użytkownika +LinkedToDolibarrThirdParty=Link do strony trzeciej CreateDolibarrLogin=Utwórz użytkownika CreateDolibarrThirdParty=Utwórz kontrahenta -LoginAccountDisableInDolibarr=Account disabled in Dolibarr -PASSWORDInDolibarr=Password modified in Dolibarr +LoginAccountDisableInDolibarr=Konto wyłączone w Dolibarr +PASSWORDInDolibarr=Hasło zmodyfikowane w Dolibarr UsePersonalValue=Użyj wartości osobowych ExportDataset_user_1=Użytkownicy i ich właściwości DomainUser=Domena użytkownika %s @@ -99,7 +98,7 @@ YourRole=Twoje role YourQuotaOfUsersIsReached=Limitu aktywnych użytkowników został osiągnięty! NbOfUsers=Liczba użytkowników NbOfPermissions=Liczba uprawnień -DontDowngradeSuperAdmin=Only another admin can downgrade an admin +DontDowngradeSuperAdmin=Tylko inny administrator może obniżyć poziom administratora HierarchicalResponsible=Kierownik HierarchicView=Widok hierarchiczny UseTypeFieldToChange=Użyj pola do zmiany Rodzaj @@ -110,8 +109,9 @@ ExpectedWorkedHours=Oczekiwana liczba godzin pracy w tygodniu ColorUser=Kolor użytkownika DisabledInMonoUserMode=Wyłączone w trybie konserwacji UserAccountancyCode=Kod księgowy użytkownika -UserLogoff=Użytkownik wylogowany -UserLogged=Użytkownik zalogowany +UserLogoff=Wylogowanie użytkownika: %s +UserLogged=Użytkownik zalogowany: %s +UserLoginFailed=Logowanie użytkownika nie powiodło się: %s DateOfEmployment=Data zatrudnienia DateEmployment=Zatrudnienie DateEmploymentStart=Data rozpoczęcia zatrudnienia @@ -120,15 +120,17 @@ RangeOfLoginValidity=Dostęp do zakresu dat ważności CantDisableYourself=Nie możesz wyłączyć własnego rekordu użytkownika ForceUserExpenseValidator=Wymuś walidator raportu z wydatków ForceUserHolidayValidator=Wymuś walidator prośby o opuszczenie -ValidatorIsSupervisorByDefault=Domyślnie walidator jest opiekunem użytkownika. Pozostaw puste, aby zachować to zachowanie. +ValidatorIsSupervisorByDefault=Domyślnie walidatorem jest osoba nadzorująca użytkownika. Aby zachować to zachowanie, pozostaw puste. UserPersonalEmail=Osobisty adres e-mail UserPersonalMobile=Osobisty telefon komórkowy -WarningNotLangOfInterface=Ostrzeżenie, to jest główny język, którym mówi użytkownik, a nie język interfejsu, który wybrał. Aby zmienić język interfejsu widoczny dla tego użytkownika, przejdź do zakładki %s -DateLastLogin=Date last login -DatePreviousLogin=Date previous login -IPLastLogin=IP last login -IPPreviousLogin=IP previous login -ShowAllPerms=Show all permission rows -HideAllPerms=Hide all permission rows -UserPublicPageDesc=You can enable a virtual card for this user. An url with the user profile and a barcode will be available to allow anybody with a smartphone to scan it and add your contact to its address book. -EnablePublicVirtualCard=Enable the user's virtual business card +WarningNotLangOfInterface=Uwaga, jest to główny język, którym posługuje się użytkownik, a nie język interfejsu, który wybrał. Aby zmienić język interfejsu widoczny dla tego użytkownika przejdź na zakładkę %s +DateLastLogin=Data ostatniego logowania +DatePreviousLogin=Data poprzedniego logowania +IPLastLogin=Ostatnie logowanie IP +IPPreviousLogin=Poprzednie logowanie IP +ShowAllPerms=Pokaż wszystkie wiersze uprawnień +HideAllPerms=Ukryj wszystkie wiersze uprawnień +UserPublicPageDesc=Możesz włączyć kartę wirtualną dla tego użytkownika. Dostępny będzie adres URL z profilem użytkownika i kodem kreskowym, dzięki czemu każdy posiadacz smartfona będzie mógł go zeskanować i dodać kontakt do swojej książki adresowej. +EnablePublicVirtualCard=Aktywuj wirtualną wizytówkę użytkownika +UserEnabledDisabled=Stan użytkownika zmieniony: %s +AlternativeEmailForOAuth2=Alternatywny adres e-mail do logowania OAuth2 diff --git a/htdocs/langs/pl_PL/website.lang b/htdocs/langs/pl_PL/website.lang index 840d36d4f1f..dc3161d46fa 100644 --- a/htdocs/langs/pl_PL/website.lang +++ b/htdocs/langs/pl_PL/website.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - website Shortname=Kod -WebsiteName=Name of the website +WebsiteName=Nazwa strony internetowej WebsiteSetupDesc=Tu utwórz witryny, które chcesz użyć. Następnie, przejdź do menu Witryny, aby je edytować. DeleteWebsite=Skasuj stronę ConfirmDeleteWebsite=Czy na pewno zamierzasz usunąć tę witrynę? Wszystkie jej strony i zawartość również zostaną usunięte. Pozostawione zostaną wszelkie pliki dosłane (np. do katalogu mediów, moduł ECM, ...). @@ -17,15 +17,15 @@ WEBSITE_ROBOT=Plik robota (robots.txt) WEBSITE_HTACCESS=Plik .htaccess witryny WEBSITE_MANIFEST_JSON=Plik manifest.json witryny WEBSITE_KEYWORDSDesc=Wartości rozdziel przecinkami -EnterHereReadmeInformation=Enter here a description of the website. If you distribute your website as a template, the file will be included into the temptate package. -EnterHereLicenseInformation=Enter here the LICENSE of the code of the website. If you distribute your website as a template, the file will be included into the temptate package. +EnterHereReadmeInformation=Wpisz tutaj opis strony internetowej. Jeśli rozpowszechniasz swoją witrynę jako szablon, plik zostanie dołączony do pakietu temptete. +EnterHereLicenseInformation=Wpisz tutaj LICENCJĘ kodu strony internetowej. Jeśli rozpowszechniasz swoją witrynę jako szablon, plik zostanie dołączony do pakietu temptete. HtmlHeaderPage=Nagłówek HTML (tylko dla tej strony) PageNameAliasHelp=Nazwa lub alias strony.
      Ten alias służy również do tworzenia adresu URL wspierającego SEO, gdy witrynę obsługuje web serwer (taki jak Apacke, Nginx, ...). Użyj przycisku „%s”, aby edytować ten alias. EditTheWebSiteForACommonHeader=Uwaga: Jeśli chcesz zdefiniować nagłówek dla wszystkich stron, edytuj nagłówek na poziomie witryny zamiast na poziomie strony/pojemnika. MediaFiles=Biblioteka mediów EditCss=Edytuj właściwości witryny EditMenu=Edytuj Menu -EditMedias=Edytuj media +EditMedias=Edytuj multimedia EditPageMeta=Edytuj właściwości strony/pojemnika EditInLine=Edytuj w linii AddWebsite=Dodaj witrynę @@ -43,12 +43,12 @@ ViewPageInNewTab=Zobacz stronę w nowej zakładce SetAsHomePage=Ustaw jako stronę domową RealURL=Prawdziwy adres URL ViewWebsiteInProduction=Zobacz stronę używając linków ze strony głównej -Virtualhost=Virtual host or domain name -VirtualhostDesc=The name of the Virtual host or domain (For example: www.mywebsite.com, mybigcompany.net, ...) +Virtualhost=Wirtualny host lub nazwa domeny +VirtualhostDesc=Nazwa wirtualnego hosta lub domeny (na przykład: www.mywebsite.com, mybigcompany.net, ...) SetHereVirtualHost= Użyj z Apache / NGinx / ...
      Utwórz na swoim serwerze internetowym (Apache, Nginx, ...) dedykowany wirtualny host z włączoną obsługą PHP i katalog główny na
      %s ExampleToUseInApacheVirtualHostConfig=Przykład do użycia w konfiguracji hosta wirtualnego Apache: YouCanAlsoTestWithPHPS= Używaj z wbudowanym serwerem PHP
      Gdy w środowisku rozwojowym preferujesz testowanie web strony z web serwerem wbudowanym w PHP (wymagane PHP 5.5 lub nowsze), to uruchamiaj
      php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
      If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org +YouCanAlsoDeployToAnotherWHP=Uruchom swoją witrynę internetową za pomocą innego dostawcy hostingu Dolibarr
      Jeśli nie masz dostępnego w Internecie serwera WWW takiego jak Apache lub NGinx, możesz wyeksportować i zaimportować swoją witrynę internetową do innej instancji Dolibarr dostarczonej przez innego dostawcę hostingu Dolibarr, który zapewnia pełną integrację z modułem Witryny. Listę niektórych dostawców usług hostingowych Dolibarr znajdziesz na https://saas.dolibarr.org CheckVirtualHostPerms=Sprawdź również, czy użytkownik wirtualnego hosta (na przykład dane www) ma %s uprawnienia do plików w
      %s ReadPerm=Czytanie WritePerm=Zapis @@ -60,10 +60,11 @@ NoPageYet=Brak stron YouCanCreatePageOrImportTemplate=Możesz utworzyć nową stronę albo załadować pełny szablon witryny SyntaxHelp=Pomoc na temat określonych wskazówek dotyczących składni YouCanEditHtmlSourceckeditor=Możesz edytować kod źródłowy HTML używając przycisku „Źródło” w edytorze. -YouCanEditHtmlSource=
      Możesz dołączyć kod PHP do tego źródła za pomocą tagów <? php? > . Dostępne są następujące zmienne globalne: $ conf, $ db, $ mysoc, $ user, $ website, $ websitepage, $ weblangs, $ pagelangs.

      Możesz także dołączyć zawartość innej strony / kontenera o następującej składni:
      a03900aindf7d31Contiaser? ? >

      Można zrobić przekierowanie do innej strony / pojemnik z następującą składnią (Uwaga: Nie Wyjście jakiejkolwiek zawartości przed przekierowaniem):
      < php redirectToContainer ( 'alias_of_container_to_redirect_to'); ? >

      Aby dodać link do innej strony, użyj składni:
      <a href = "alias_of_page_to_link_to.php" >mylink<a>

      Aby umieścić link do pobrania
      pliku zapisanego w dokumentach , użyj document.php wrapper:
      Przykład, dla pliku w dokumentach / ecm (należy zarejestrować), składnia jest następująca: a0342fcccfdae19bz039 =
      ] nazwa_pliku.ext ">

      Dla pliku w dokumentach / mediach (otwarty katalog dla publicznego dostępu) składnia jest następująca:
      a03900dfred31ecz "/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      W przypadku pliku udostępnionego za pomocą linku do udostępniania (otwarty dostęp za pomocą klucza współdzielenia hashf pliku:

      ), dla pliku udostępnionego za pomocą linku do udostępniania (otwarty dostęp przy użyciu klucza współdzielenia hashf pliku:
      ). /document.php?hashp=publicsharekeyoffile">

      Aby to obrazu zapisane do tych dokumentów , za pomocą przycisków viewimage.php owijający:
      przykład w przypadku obrazu do dokumentów / media (otwarte katalog dla dostępu publicznego), składnia jest następująca:
      <img src = "/ viewimage.php? modulepart = medias&file = [katalog_względny /] nazwa_pliku.ext" a0065c2c071 "a0065c2c071" a0087c2c071 -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=W przypadku obrazu udostępnionego za pomocą linku do udostępniania (otwarty dostęp przy użyciu klucza współdzielenia skrótu pliku) składnia jest następująca:
      <img src = "/ viewimage.php? Hashp = 12345679012 ..." a0012c7dcbe087c65z071 -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      Więcej przykładów HTML i kodu dynamicznego znajdziesz na stronach dokumentacji wiki.
      ClonePage=Powiel stronę/pojemnik CloneSite=Duplikuj stronę SiteAdded=Dodano witrynę @@ -83,7 +84,7 @@ BlogPost=Post na blogu WebsiteAccount=Konto witryny WebsiteAccounts=Konta witryny AddWebsiteAccount=Utwórz konto witryny -BackToListForThirdParty=Back to list for the third parties +BackToListForThirdParty=Powrót do listy dla osób trzecich DisableSiteFirst=Najpierw wyłącz witrynę MyContainerTitle=Tytuł mojej witryny AnotherContainer=W ten sposób można dołączyć zawartość innej web strony/pojemnika (może pojawić się błąd, gdy włączysz obsługę kodu dynamicznego a wbudowany podrzędny pojemnik nie istnieje) @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Przepraszamy, ta witryna jest obecnie niedostępn WEBSITE_USE_WEBSITE_ACCOUNTS=Włącz tabelę kont witryny WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Włącz tabelę kont witryny (login/hasło) dla każdej witryny/strony trzeciej YouMustDefineTheHomePage=Najpierw musisz zdefiniować domyślną stronę główną -OnlyEditionOfSourceForGrabbedContentFuture=Ostrzeżenie: Tworzenie strony internetowej poprzez importowanie zewnętrznej strony internetowej jest zarezerwowane dla doświadczonych użytkowników. W zależności od złożoności strony źródłowej, wynik importu może różnić się od oryginału. Również jeśli strona źródłowa używa typowych stylów CSS lub konfliktu JavaScript, może to zakłócić wygląd lub funkcje edytora Witryny podczas pracy na tej stronie. Ta metoda jest szybszym sposobem tworzenia strony, ale zaleca się utworzenie nowej strony od podstaw lub na podstawie sugerowanego szablonu strony.
      Należy również zauważyć, że wbudowany edytor może nie działać poprawnie, gdy jest używany na przechwyconej stronie zewnętrznej. +OnlyEditionOfSourceForGrabbedContentFuture=Uwaga: Tworzenie strony internetowej poprzez import zewnętrznej strony internetowej jest zarezerwowane dla doświadczonych użytkowników. W zależności od złożoności strony źródłowej wynik importu może różnić się od oryginału. Ponadto, jeśli strona źródłowa używa popularnych stylów CSS lub sprzecznego JavaScriptu, może to spowodować uszkodzenie wyglądu lub funkcji edytora witryny podczas pracy na tej stronie. Ta metoda umożliwia szybsze utworzenie strony, ale zaleca się utworzenie nowej strony od podstaw lub na podstawie sugerowanego szablonu strony.
      Pamiętaj również, że edytor wbudowany może nie działać poprawność w przypadku użycia na przechwyconej stronie zewnętrznej. OnlyEditionOfSourceForGrabbedContent=Po zaciągnięciu zawartości z zewnętrznej web witryny możliwa jest jedynie edycja kodu źródłowego HTML GrabImagesInto=Przechwyć także obrazy znalezione w CSS i na stronie. ImagesShouldBeSavedInto=Obrazy powinny być zapisane w katalogu @@ -112,13 +113,13 @@ GoTo=Idź do DynamicPHPCodeContainsAForbiddenInstruction=Dodajesz dynamiczny kod PHP zawierający instrukcję PHP '%s' co jest domyślnie zabronione (podejrzyj ukryte opcje WEBSITE_PHP_ALLOW_xxx w celu powiększenia listy dozwolonych poleceń). NotAllowedToAddDynamicContent=Nie masz uprawnień do dodawania/edytowania kodu PHP w witrynie. Uzyskaj uprawnienia lub po prostu nie zmieniaj kodu PHP. ReplaceWebsiteContent=Wyszukaj lub Zamień zawartość witryny -DeleteAlsoJs=Czy usunąć też wszelkie pliki JavaScript tej witryny? -DeleteAlsoMedias=Czy usunąć też wszelkie pliki mediów tej witryny? +DeleteAlsoJs=Usunąć także wszystkie pliki JavaScript specyficzne dla tej witryny? +DeleteAlsoMedias=Usunąć także wszystkie pliki multimedialne specyficzne dla tej witryny? MyWebsitePages=Strony mej witryny SearchReplaceInto=Szukaj | Zamień na ReplaceString=Nowy łańcuch CSSContentTooltipHelp=Tu wprowadź kod CSS. W celu uniknięcia konfliktu tego kodu z kodem CSS aplikacji, każdą wprowadzoną tu deklarację poprzedź prefiksem .bodywebsite. Na przykład:

      #mycssselector, input.myclass:hover { ... }
      zamień na
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Uwaga: Jeżeli masz duży plik z deklaracjami bez tego prefiksu, to możesz użyć 'lessc' do ich konwersji na nowe, poprzedzone prefiksem. -LinkAndScriptsHereAreNotLoadedInEditor=Ostrzeżenie: ta zawartość jest wyprowadzana tylko wtedy, gdy witryna jest uzyskiwana z serwera. Nie jest używany w trybie edycji, więc jeśli chcesz załadować pliki javascript również w trybie edycji, po prostu dodaj swój tag „script src = ...” do strony. +LinkAndScriptsHereAreNotLoadedInEditor=Ostrzeżenie: ta treść jest wyświetlana tylko wtedy, gdy dostęp do witryny odbywa się z serwera. Nie jest używany w trybie edycji, więc jeśli chcesz załadować pliki JavaScript także w trybie edycji, po prostu dodaj swój tag „script src=...” do strony. Dynamiccontent=Próbka web strony z dynamiczną zawartością ImportSite=Załaduj szablon witryny EditInLineOnOff=Tryb „Edytuj w linii” jest %s @@ -140,7 +141,7 @@ PagesRegenerated=%s strony / kontenery zostały ponownie wygenerowane RegenerateWebsiteContent=Zregeneruj pliki pamięci podręcznej witryny internetowej AllowedInFrames=Dozwolone w ramkach DefineListOfAltLanguagesInWebsiteProperties=Zdefiniuj listę wszystkich dostępnych języków we właściwościach witryny internetowej. -GenerateSitemaps=Generate website sitemap.xml file +GenerateSitemaps=Wygeneruj plik sitemap.xml witryny internetowej ConfirmGenerateSitemaps=Jeśli potwierdzisz, usuniesz istniejący plik mapy witryny ... ConfirmSitemapsCreation=Potwierdź wygenerowanie mapy witryny SitemapGenerated=Wygenerowano plik mapy witryny %s @@ -148,15 +149,18 @@ ImportFavicon=Favicon ErrorFaviconType=Favicon musi być w formacie PNG ErrorFaviconSize=Favicon musi mieć rozmiar 16x16, 32x32 lub 64x64 FaviconTooltip=Prześlij obraz, który musi być w formacie PNG (16x16, 32x32 lub 64x64) -NextContainer=Next page/container -PreviousContainer=Previous page/container -WebsiteMustBeDisabled=The website must have the status "%s" -WebpageMustBeDisabled=The web page must have the status "%s" -SetWebsiteOnlineBefore=When website is offline, all pages are offline. Change status of website first. -Booking=Booking -Reservation=Reservation -PagesViewedPreviousMonth=Pages viewed (previous month) -PagesViewedTotal=Pages viewed (total) +NextContainer=Następna strona/pojemnik +PreviousContainer=Poprzednia strona/kontener +WebsiteMustBeDisabled=Witryna musi mieć status „%s” +WebpageMustBeDisabled=Strona internetowa musi mieć status „%s” +SetWebsiteOnlineBefore=Gdy witryna jest w trybie offline, wszystkie strony są w trybie offline. Najpierw zmień status strony internetowej. +Booking=Rezerwować +Reservation=Rezerwacja +PagesViewedPreviousMonth=Wyświetlone strony (poprzedni miesiąc) +PagesViewedTotal=Wyświetlone strony (łącznie) Visibility=Widoczność -Everyone=Everyone -AssignedContacts=Assigned contacts +Everyone=Wszyscy +AssignedContacts=Przypisane kontakty +WebsiteTypeLabel=Typ witryny internetowej +WebsiteTypeDolibarrWebsite=Strona internetowa (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Natywny portal Dolibarr diff --git a/htdocs/langs/pl_PL/withdrawals.lang b/htdocs/langs/pl_PL/withdrawals.lang index 2b54244980c..8c582be02e2 100644 --- a/htdocs/langs/pl_PL/withdrawals.lang +++ b/htdocs/langs/pl_PL/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Złóż wniosek o przelew WithdrawRequestsDone=Zarejestrowano %s polecenia zapłaty za polecenie zapłaty BankTransferRequestsDone=%s odnotowano żądania przelewu ThirdPartyBankCode=Kod banku zewnętrznego -NoInvoiceCouldBeWithdrawed=Żadna faktura nie została pobrana pomyślnie. Sprawdź, czy faktury dotyczą firm z prawidłowym IBAN i czy IBAN ma UMR (Unique Mandate Reference) w trybie %s . +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=To potwierdzenie wypłaty jest już oznaczone jako zaksięgowane; nie można tego zrobić dwa razy, ponieważ mogłoby to potencjalnie spowodować zduplikowane płatności i wpisy bankowe. ClassCredited=Klasyfikacja zapisane ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Czy na pewno chcesz wprowadzić odrzucenie wycofania dl RefusedData=Od odrzucenia RefusedReason=Powodem odrzucenia RefusedInvoicing=Rozliczeniowych odrzucenia -NoInvoiceRefused=Nie za odrzucenie -InvoiceRefused=Faktura odmówił (Naładuj odrzucenie do klienta) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debetowy / kredytowy StatusWaiting=Czekanie StatusTrans=Przekazywane @@ -103,7 +106,7 @@ ShowWithdraw=Pokaż polecenie zapłaty IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Jeśli jednak faktura zawiera co najmniej jedno polecenie zapłaty, które nie zostało jeszcze przetworzone, nie zostanie ono ustawione jako zapłacone, aby umożliwić wcześniejsze zarządzanie wypłatą. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Plik polecenia zapłaty @@ -115,7 +118,7 @@ RUM=RUM DateRUM=Data podpisania mandatu RUMLong=Unikalne odniesienie do upoważnienia RUMWillBeGenerated=Jeśli puste, UMR (unikalny numer mandatu) zostanie wygenerowany po zapisaniu informacji o koncie bankowym. -WithdrawMode=Tryb polecenia zapłaty (FRST lub RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Kwota polecenia zapłaty: BankTransferAmount=Kwota polecenia przelewu: WithdrawRequestErrorNilAmount=Nie można utworzyć polecenia zapłaty dla pustej kwoty. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Nazwa Twojego konta bankowego (IBAN) SEPAFormYourBIC=Twój kod identyfikacyjny banku (BIC) SEPAFrstOrRecur=Rodzaj płatności ModeRECUR=Powtarzające się płatności +ModeRCUR=Recurring payment ModeFRST=Płatność jednorazowa PleaseCheckOne=Proszę wybierz tylko jedną CreditTransferOrderCreated=Utworzono polecenie przelewu %s @@ -155,9 +159,16 @@ InfoTransData=Kwota: %s
      Metode: %s
      Data: %s InfoRejectSubject=Polecenie zapłaty odrzucone InfoRejectMessage=Witam,

      polecenie zapłaty za polecenie zapłaty faktury %s związanej z firmą %s, na kwotę %s zostało odrzucone przez bank.

      -
      %s ModeWarning=Opcja dla trybu rzeczywistego nie był ustawiony, zatrzymujemy po tej symulacji -ErrorCompanyHasDuplicateDefaultBAN=Firma o identyfikatorze %s ma więcej niż jedno domyślne konto bankowe. Nie ma sposobu, aby wiedzieć, którego użyć. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Brak ICS na koncie bankowym %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Całkowita kwota polecenia zapłaty różni się od sumy wierszy WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Wypłata +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/pl_PL/workflow.lang b/htdocs/langs/pl_PL/workflow.lang index ee9fd64b109..ec695bc16d5 100644 --- a/htdocs/langs/pl_PL/workflow.lang +++ b/htdocs/langs/pl_PL/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automatycznie stwórz fakturę dla klie descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automatycznie twórz fakturę dla klienta po zamknięciu zamówienia sprzedaży (nowa faktura będzie miała taką samą kwotę jak zamówienie) descWORKFLOW_TICKET_CREATE_INTERVENTION=On ticket creation, automatically create an intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Sklasyfikuj połączoną ofertę źródłową jako rozliczoną, gdy zamówienie sprzedaży jest ustawione na fakturowane (i jeśli kwota zamówienia jest taka sama, jak łączna kwota podpisanej połączonej oferty pakietowej) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Sklasyfikuj połączoną ofertę źródłową jako rozliczoną, gdy faktura odbiorcy zostanie zweryfikowana (i jeśli kwota faktury jest taka sama, jak łączna kwota podpisanej połączonej oferty) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Sklasyfikuj połączone zamówienie sprzedaży jako fakturowane, gdy faktura odbiorcy zostanie zweryfikowana (i jeśli kwota faktury jest taka sama, jak łączna kwota połączonego zamówienia) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Sklasyfikuj połączone źródłowe zamówienie sprzedaży jako fakturowane, gdy faktura odbiorcy jest ustawiona na zapłaconą (i jeśli kwota faktury jest taka sama, jak całkowita kwota połączonego zamówienia) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Sklasyfikuj zamówienie sprzedaży z połączonego źródła jako wysłane, gdy przesyłka zostanie zweryfikowana (i jeśli ilość wysłana we wszystkich wysyłkach jest taka sama, jak w zamówieniu do aktualizacji) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Klasyfikuj powiązane zamówienie jako wysłane, gdy wysyłka zostaje zamknięta (i jeśli ilość wysłanych produktów w paczkach jest zgodna z ilością na zamówieniu) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Klasyfikuj ofertę dostawcy połączonego źródła jako fakturowaną, gdy faktura od dostawcy jest weryfikowana (i jeśli kwota faktury jest taka sama, jak łączna kwota połączonej oferty) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Sklasyfikuj zamówienie zakupu z połączonego źródła jako fakturowane, gdy faktura dostawcy zostanie zweryfikowana (i jeśli kwota faktury jest taka sama, jak całkowita kwota połączonego zamówienia) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classify linked source purchase order as received when a reception is validated (and if the quantity received by all receptions is the same as in the purchase order to update) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classify linked source purchase order as received when a reception is closed (and if the quantity received by all rceptions is the same as in the purchase order to update) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link available contracts of matching thirdparty +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=When linking contracts, search among those of parents companies # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Zamknij wszystkie interwencje związane z biletem, gdy bilet jest zamknięty AutomaticCreation=Automatyczne utworzenie AutomaticClassification=Automatyczne zaklasyfikowanie -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Automatic closing AutomaticLinking=Automatic linking diff --git a/htdocs/langs/pt_BR/accountancy.lang b/htdocs/langs/pt_BR/accountancy.lang index 86a07bc2a81..8569c47e007 100644 --- a/htdocs/langs/pt_BR/accountancy.lang +++ b/htdocs/langs/pt_BR/accountancy.lang @@ -10,8 +10,6 @@ Selectformat=Selecione o formato do arquivo ACCOUNTING_EXPORT_FORMAT=Selecione o formato do arquivo ACCOUNTING_EXPORT_ENDLINE=Selecione o tipo de retorno do frete ACCOUNTING_EXPORT_PREFIX_SPEC=Especifique o prefixo do nome do arquivo -ProductForThisThirdparty=Produto para este terceiro -ServiceForThisThirdparty=Serviço para este terceiro CantSuggest=Não posso sugerir AccountancySetupDoneFromAccountancyMenu=A maioria das configurações da Contabilidade é feita a partir do menu %s ConfigAccountingExpert=Configuração do módulo de contabilidade (dupla entrada) @@ -36,7 +34,6 @@ AccountancyAreaDescVat=PASSO %s: defina contas contábeis para cada taxa de IVA. AccountancyAreaDescSal=PASSO %s: Defina contas contábeis padrão para pagamento de salários. Para isso, use a entrada de menu %s. AccountancyAreaDescDonation=PASSO %s: Defina contas contábeis padrão para doação. Para isso, use a entrada de menu %s. AccountancyAreaDescSubscription=Etapa %s: defina contas contábeis padrão para assinatura de membros. Para isso, use a entrada de menu %s. -AccountancyAreaDescMisc=PASSO %s: Defina a conta padrão obrigatória e contas contábeis padrão para transações diversas. Para isso, use a entrada de menu %s. AccountancyAreaDescLoan=PASSO %s: Defina contas contábeis padrão para empréstimos. Para isso, use a entrada de menu %s. AccountancyAreaDescBank=PASSO %s:Defina contabilidade e código de diário para cada banco e contas contábil. Para isso, use o menu de entradas %s. AccountancyAreaDescBind=PASSO %s: verifique a ligação entre as linhas %s existentes e a conta contábil feita, de modo que o aplicativo poderá periodizar transações no Livro de Registro em um clique. Complete as ligações faltantes. Para isso, use a entrada de menu %s. @@ -146,7 +143,6 @@ AccountingJournals=Relatórios da contabilidade AccountingJournal=Livro de Registro de contabilidade NewAccountingJournal=Novo Livro de Registro contábil NatureOfJournal=Natureza do Relatório -AccountingJournalType9=Novo ErrorAccountingJournalIsAlreadyUse=Esta Livro de Registro já está sendo usado NumberOfAccountancyEntries=Número de entradas NumberOfAccountancyMovements=Número de movimentos @@ -192,6 +188,5 @@ SaleEECWithVAT=A venda na CEE com um IVA não nulo; portanto, supomos que essa N Range=Faixa da conta da Contabilidade ConfirmMassDeleteBookkeepingWriting=Confirmação exclusão em massa SomeMandatoryStepsOfSetupWereNotDone=Algumas etapas obrigatórias de configuração não foram feitas, preencha-as -ErrorNoAccountingCategoryForThisCountry=Nenhum Plano de Contas Contábil disponível para este país %s (Veja Home - Configurações- Dicionário) ExportNotSupported=O formato de exportação definido não é suportado nesta página DateExport=Data de exportação diff --git a/htdocs/langs/pt_BR/admin.lang b/htdocs/langs/pt_BR/admin.lang index 88ef3bcf829..d49d8166e96 100644 --- a/htdocs/langs/pt_BR/admin.lang +++ b/htdocs/langs/pt_BR/admin.lang @@ -28,6 +28,7 @@ SessionSaveHandler=Manipulador para salvar sessão SessionSavePath=Local para salvar sessão PurgeSessions=Purgar Sessão ConfirmPurgeSessions=Você tem certeza que quer remover toas as sessões? Isto ira desconectar todos os usuários (exceto você) +NoSessionListWithThisHandler=Salvar manipulador de sessão configurado no seu PHP não permite listar todas as sessões em execução. LockNewSessions=Bloquear Novas Sessões ConfirmLockNewSessions=Tem certeza de que deseja restringir qualquer nova conexão Dolibarr a si mesmo? Apenas o usuário %s poderá se conectar depois disso. UnlockNewSessions=Remover Bloqueio de Conexão @@ -47,7 +48,6 @@ WarningModuleNotActive=Módulo %s deve ser Ativado! WarningOnlyPermissionOfActivatedModules=Somente as permissões relacionadas com os módulos ativados que aparecem aqui. DolibarrSetup=Instalação/Atualização do Dolibarr DolibarrUpgrade=Atualização do Dolibarr -DolibarrAddonInstall=Instalação de Addon/Módulo externo (enviado ou gerado) InternalUsers=Usuários Internos ExternalUsers=Usuários Externos UploadNewTemplate=Carregar novo(s) tema(s) @@ -90,7 +90,6 @@ NextValueForReplacements=Próximo Valor (Substituição) MustBeLowerThanPHPLimit=Nota: sua configuração PHP atualmente limita o tamanho máximo de arquivo para upload para %s %s, independentemente do valor desse parâmetro NoMaxSizeByPHPLimit=Nenhum limite foi configurado no seu PHP MaxSizeForUploadedFiles=Tamanho Máximo para uploads de arquivos ('0' para proibir o carregamento) -UseCaptchaCode=Usar código gráfico (CAPTCHA) para páginas de login e algumas páginas públicas AntiVirusCommand=Caminho completo para antivirus AntiVirusCommandExample=Exemplo para Daemon ClamAv (requer clamav-daemon): / usr / bin / clamdscan
      Exemplo para ClamWin (muito, muito lento): c: \\ Progra ~ 1 \\ ClamWin \\ bin \\ clamscan.exe AntiVirusParam=Mais parâmetros em linha de comando (CLI) @@ -217,7 +216,6 @@ ExternalResources=Fontes externas SocialNetworks=Redes Sociais SocialNetworkId=ID da rede social ForDocumentationSeeWiki=Para documentação de usuário ou desenvolvedor (Doc, FAQs...),
      dê uma olhada no Dolibarr Wiki:
      %s -ForAnswersSeeForum=Para qualquer outra dúvida/ajuda, você pode usar o fórum Dolibarr:
      %s CurrentMenuHandler=Gestor atual de menu MeasuringUnit=Unidade de medida FontSize=Tamanho da fonte @@ -228,15 +226,10 @@ EmailSenderProfiles=Perfis dos e-mails de envio EMailsSenderProfileDesc=Você pode manter esta seção vazia. Se você inserir alguns e-mails aqui, eles serão adicionados à lista de possíveis remetentes na caixa de combinação quando você escrever um novo e-mail. MAIN_MAIL_SMTP_PORT=Porta SMTP / SMTPS (valor padrão em php.ini: %s ) MAIN_MAIL_SMTP_SERVER=Host SMTP / SMTPS (valor padrão em php.ini: %s ) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Host SMTP / SMTPS (não definido em PHP em sistemas semelhantes a Unix) -MAIN_MAIL_EMAIL_FROM=E-mail do remetente para e-mails automáticos (valor padrão em php.ini: %s ) -EMailHelpMsgSPFDKIM=Para prevenir que emails enviados pelo Dolibarr sejam classificados como spam, tenha certeza que o servidor está autorizado a enviar e-mails deste endereço a partir de configuração SPF e DKIM MAIN_MAIL_AUTOCOPY_TO=Copiar (Cco) todos os e-mails enviados para MAIN_DISABLE_ALL_MAILS=Desativar todo o envio de e-mail (para fins de teste ou demonstrações) MAIN_MAIL_FORCE_SENDTO=Envie todos os e-mails para (em vez de destinatários reais, para fins de teste) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Sugira e-mails de funcionários (se definidos) na lista de destinatários predefinidos ao escrever um novo e-mail -MAIN_MAIL_NO_WITH_TO_SELECTED=Não selecionar um recipiente padrão mesmo que seja uma única escolha -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizar certificados auto-assinados MAIN_MAIL_EMAIL_DKIM_ENABLED=Use o DKIM para gerar assinatura de e-mail MAIN_MAIL_EMAIL_DKIM_DOMAIN=Domínio de e-mail para uso com o dkim MAIN_SMS_SENDMODE=Método usado para enviar SMS @@ -273,8 +266,6 @@ LastActivationIP=Último IP de ativação LastActivationVersion=Versão de ativação mais recente UpdateServerOffline=Atualização de servidor off-line WithCounter=Gerenciar um contador -GenericMaskCodes=Você pode inserir qualquer máscara de numeração. Nesta máscara, as seguintes tags podem ser usadas:
      {000000} corresponde a um número que será incrementado em cada %s. Insira tantos zeros quanto o comprimento desejado do contador. O contador será completado por zeros da esquerda para ter tantos zeros quanto a máscara.
      {000000+000} o mesmo que o anterior, mas um deslocamento correspondente ao número à direita do sinal + é aplicado a partir do primeiro %s.
      {000000 @ x} mesmo que o anterior, mas o contador é zerado quando o mês x é atingido (x entre 1 e 12, ou 0 para usar os primeiros meses do ano fiscal definido em sua configuração, ou 99 a redefinir para zero todos os meses). Se esta opção for usada e x for 2 ou superior, a sequência {yy} {mm} ou {yyyy} {mm} também é necessária.
      {dd} dia (01 a 31).
      {mm} mês (01 a 12).
      {yy} , {yyyy} ou {y} ano a09a4b7fz0, números de 439 ou 417837fz0, ano 217a4b7
      -GenericMaskCodes2= {cccc} o código do cliente em n caracteres
      {cccc000} a09a4b739f o código do cliente é seguido por um cliente n8z739f dedicado ao código n8z17f. Este contador dedicado ao cliente é zerado ao mesmo tempo que o contador global.
      {tttt} O código do tipo de terceiro em n caracteres (consulte o menu Página inicial - Configuração - Dicionário - Tipos de terceiros). Se você adicionar esta tag, o contador será diferente para cada tipo de terceiro.
      GenericMaskCodes3=Não é permitido espaços.
      Mascara fixa, basta colocar uma letra ou número sem {} ex:CLI,FOR

      GenericMaskCodes3EAN=Todos os outros caracteres na máscara permanecerão intactos (exceto * ou ? na 13ª posição em EAN13).
      Espaços não são permitidos.
      Em EAN13, o último caractere após o último } na 13ª posição deve ser * ou ? . Ela será substituída pela chave calculada.
      GenericNumRefModelDesc=Retorna um número costomizado de acordo com a mascara definida. @@ -318,7 +309,6 @@ UrlGenerationParameters=Parâmetros para URLs de segurança SecurityTokenIsUnique=Usar um único parâmetro na chave de segurança para cada URL EnterRefToBuildUrl=Entre com a referência do objeto %s GetSecuredUrl=Conseguir URL calculada -ButtonHideUnauthorized=Ocultar botões de ação não autorizados também para usuários internos (caso contrário, acinzentados) OldVATRates=Taxa de ICMS antiga NewVATRates=Taxa de ICMS nova PriceBaseTypeToChange=Modificar os preços com base no valor de referência defino em @@ -345,7 +335,6 @@ ComputedpersistentDesc=Campos extra computados serão armazenados no banco de da ExtrafieldParamHelpselect=Lista de valores deve ser linhas com chave de formato, valor (onde a chave não pode ser '0')

      por exemplo:
      1, value1
      2, value2
      código3, valor3
      ...

      Para que a lista dependa de outra lista de atributos complementares:
      1, valor1 | opções_ pai_list_code : parent_key
      2, valor2 | opções_ pai_list_code : parent_key

      Para ter a lista dependendo de outra lista:
      1, valor1 | parent_list_code : parent_key
      2, value2 | parent_list_code : parent_key ExtrafieldParamHelpcheckbox=Lista de valores deve ser linhas com chave de formato, valor (onde a chave não pode ser '0')

      por exemplo:
      1, value1
      2, value2
      3, value3
      ... ExtrafieldParamHelpradio=Lista de valores deve ser linhas com chave de formato, valor (onde a chave não pode ser '0')

      por exemplo:
      1, value1
      2, value2
      3, value3
      ... -ExtrafieldParamHelpsellist=A lista de valores vem de uma tabela
      Sintaxe: table_name:label_field:id_field::filtersql
      Exemplo: c_typent:libelle:id::filtersql

      - id_field é necessariamente uma condição de chave int primária a0342fcda19bz0. Pode ser um teste simples (por exemplo active=1) para exibir apenas o valor ativo
      Você também pode usar $ID$ no filtro que é o id atual do objeto atual
      Para usar um SELECT no filtro use a palavra-chave $SEL$ para proteção anti-injeção de bypass.
      se você quiser filtrar extracampos use a sintaxe extra.fieldcode=... (onde o código do campo é o código do extracampo)

      Para ter a lista dependendo de outra lista de atributos complementares:
      c_typent:libelle:id:options_ parent_list_code | parent_column: filtro

      para ter a lista de acordo com uma outra lista:
      c_typent: libelle: id: parent_list_code | parent_column: Filtro ExtrafieldParamHelpchkbxlst=A lista de valores vem de uma tabela
      Sintaxe: table_name:label_field:id_field::filtersql
      Exemplo: c_typent:libelle:id::filtersql

      filtro pode ser um teste simples (por exemplo active=1) para exibir apenas o valor ativo a0342fcda19bz0 também pode usar $ID$ no filtro que é o id atual do objeto atual
      Para fazer um SELECT no filtro use $SEL$
      se você quiser filtrar em campos extras use a sintaxe extra.fieldcode=... (onde o código do campo é o código de extrafield)

      para ter a lista de acordo com uma outra lista de atributos complementares:
      c_typent: libelle: id: options_ parent_list_code | parent_column: filtro

      para ter a lista de acordo com uma outra lista: c_typent
      : libelle:id: parent_list_code |parent_column:filter ExtrafieldParamHelplink=Os parâmetros devem ser ObjectName: Classpath
      Syntax: ObjectName: Classpath ExtrafieldParamHelpSeparator=Mantenha em branco para um separador simples
      Defina como 1 para um separador de recolhimento (aberto por padrão para nova sessão e, em seguida, o status é mantido para cada sessão do usuário)
      Defina como 2 para um separador de recolhimento (recolhido por padrão para nova sessão e, em seguida, o status é mantido antes de cada sessão do usuário) @@ -355,7 +344,6 @@ LinkToTestClickToDial=Entre com um número telefônico para chamar e mostrar um RefreshPhoneLink=Atualizar link LinkToTest=Clique no link gerado pelo usuário %s (clique no número telefônico para testar) KeepEmptyToUseDefault=Deixe em branco para usar o valor padrão -KeepThisEmptyInMostCases=Na maioria dos casos, você pode manter esse campo vazio. DefaultLink=Link padrão SetAsDefault=Definir como padrão ValueOverwrittenByUserSetup=Aviso, esse valor pode ser substituido pela configuração especifícada pelo usuário (cada usuário pode ter seu propria URL CliqueParaDiscar) @@ -395,7 +383,6 @@ RequiredBy=Este módulo é exigido por módulo(s) PageUrlForDefaultValues=Você precisa entrar o caminho relativo da URL da página. Se você incluir parâmetros na URL, será mais otimizado se todos os parâmetros da URL estiverem definidos aqui. PageUrlForDefaultValuesCreate=
      Exemplo:
      Para o formulário para criar um novo terceiro, é %s .
      Para a URL dos módulos externos instalados no diretório personalizado, não inclua o "custom /", portanto, use o caminho como mymodule / mypage.php e não o custom / mymodule / mypage.php.
      Se você quer o valor padrão somente se o url tiver algum parâmetro, você pode usar %s PageUrlForDefaultValuesList=
      Exemplo:
      Para a página que lista terceiros, é %s .
      Para URL de módulos externos instalados no diretório customizado, não inclua o "custom", então use um caminho como mymodule / mypagelist.php e não custom / mymodule / mypagelist.php.
      Se você quer o valor padrão somente se o url tiver algum parâmetro, você pode usar %s -AlsoDefaultValuesAreEffectiveForActionCreate=Observe que a sobrescrita de valores padrão para a criação de formulários funciona apenas para páginas que foram projetadas corretamente (portanto, com a ação do parâmetro = create or presend ...) EnableDefaultValues=Ativar personalização de valores padrão EnableOverwriteTranslation=Permitir customização de traduções WarningSettingSortOrder=Atenção, a configuração de um ordenamento padrão par os pedidos pode resultar em um erro técnico quando indo para a página da lista, se o campo é um campo desconhecido. Se você se depara com tal erro, volte para esta página para remover o ordenamento padrão dos pedidos e restaure o comportamento padrão. @@ -413,7 +400,6 @@ DAV_ALLOW_PRIVATE_DIRTooltip=O diretório privado genérico é um diretório do DAV_ALLOW_PUBLIC_DIR=Ativar o diretório público genérico (diretório dedicado do WebDAV denominado "public" - não é necessário efetuar login) DAV_ALLOW_PUBLIC_DIRTooltip=O diretório público genérico é um diretório do WebDAV que qualquer pessoa pode acessar (no modo de leitura e gravação), sem necessidade de autorização (conta de login/senha). DAV_ALLOW_ECM_DIR=Ative o diretório privado DMS/ECM (diretório raiz do módulo DMS/ECM - login é necessário) -DAV_ALLOW_ECM_DIRTooltip=O diretório raiz no qual todos os arquivos são carregados manualmente ao usar o módulo DMS/ECM. Da mesma forma, como acesso a partir da interface da Web, você precisará de um login/senha válido com permissão para acessá-lo. Module0Name=Usuários e Grupos Module0Desc=Gerenciamento de Usuários / Funcionários e Grupos Module1Desc=Gestão de empresas e contatos (clientes, prospectos ...) @@ -430,7 +416,6 @@ Module40Desc=Fornecedores e gerenciamento de compras (pedidos e cobrança de fat Module42Name=Notas de depuração Module42Desc=Recursos de registro (arquivo, syslog, ...). Tais registros são para propósitos técnicos/debug. Module43Name=Barra de depuração -Module43Desc=Ferramenta para o desenvolvedor adicionar uma barra de depuração em seu navegador. Module49Desc=Gestor de Editores Module51Name=Cartas Massivos Module51Desc=Gestão de correspondência do massa @@ -439,7 +424,6 @@ Module52Desc=Gerenciamento de estoque (rastreamento de movimentação de estoque Module54Name=Contratos/Assinaturas Module55Name=Códigos de Barra Module55Desc=Gerenciamento de código de barras ou QR code -Module56Desc=Gestão do pagamento de fornecedores por ordens de Transferência a Crédito. Inclui a geração de arquivo SEPA para países europeus. Module58Name=CliqueParaDiscarl Module58Desc=Integração do Sistema CliqueParaDiscar (Asterisk, etc.) Module60Name=Adesivos @@ -484,7 +468,6 @@ Module2200Desc=Use expressões matemáticas para geração automática de preço Module2300Desc=Gerenciamento dos trabalhos agendados (alias cron ou tabela chrono) Module2400Name=Eventos / Agenda Module2400Desc=Track events. Registre eventos automáticos para fins de rastreamento ou registre eventos manuais ou reuniões. Este é o módulo principal para um bom gerenciamento de relacionamento com clientes ou fornecedores. -Module2430Desc=Habilita um calendário online que permite que qualquer um agende um rendez-vous, de acordo com intervalos definidos ou disponíveis. Module2500Name=SGBD / GCE Module2500Desc=Sistema de Gerenciamento de Documentos / Gerenciamento de Conteúdo Eletrônico. Organização automática de seus documentos gerados ou armazenados. Compartilhe-os quando precisar. Module2600Name=API / Serviços WEB (servidor SOAP) @@ -500,7 +483,6 @@ Module3300Desc=Uma ferramenta RAD (Rapid Application Development - pouco código Module3400Name=Redes Sociais Module3400Desc=Habilite campos de Redes Sociais em terceiros e endereços (skype, twitter, facebook, ...). Module4000Name=RH -Module4000Desc=Gerenciamento de recursos humanos (gerenciamento do departamento, contratos dos funcionários e benefícios) Module5000Name=Multi-Empresas Module5000Desc=Permite gerenciar várias empresas Module6000Name=Fluxo de trabalho entre módulos @@ -527,6 +509,7 @@ Module62000Desc=Adicione recursos para gerenciar Termos Internacionais de Comér Module63000Desc=Gerenciar recursos (impressoras, carros, salas, ...) para alocar eventos Module66000Desc=Habilita uma ferramenta para gerar e geranciar tokens OAuth2. Este token pode então ser usado por outros módulos. Module94160Name=Recebimentos +ModuleBookCalName=Sistema de Agendamento Permission12=Criar/Modificar Faturas de Clientes Permission14=Faturas de Clientes Validadas Permission15=Enviar Faturas de Clientes por E-Mail @@ -784,7 +767,6 @@ Permission4003=Excluir habilidade/trabalho/posição Permission4031=Ler informações pessoais Permission4032=Escreva informações pessoais Permission10001=Leia o conteúdo do site -Permission10002=Criar / modificar o conteúdo do site (conteúdo em html e javascript) Permission10003=Criar / modificar o conteúdo do site (código php dinâmico). Perigoso, deve ser reservado para desenvolvedores restritos. Permission10005=Excluir conteúdo do site Permission20001=Leia pedidos de licença (sua licença e os de seus subordinados) @@ -878,7 +860,6 @@ SetupSaved=Configurações Salvas SetupNotSaved=Configuração não salva BackToModuleList=Voltar à lista do módulo BackToDictionaryList=Voltar à lista de dicionários -VATIsUsedDesc=Por padrão, ao criar prospectos, faturas, pedidos etc., a taxa do imposto sobre vendas segue a regra padrão ativa:
      Se o vendedor não estiver sujeito ao imposto sobre vendas, o imposto sobre vendas será padronizado como 0. Fim da regra.
      Se o (país do vendedor = país do comprador), o imposto sobre vendas, por padrão, é igual ao imposto sobre vendas do produto no país do vendedor. Fim de regra.
      Se o vendedor e o comprador estiverem na Comunidade Europeia e os bens forem produtos relacionados a transporte (transporte, transporte aéreo, companhia aérea), o IVA padrão é 0. Essa regra depende do país do vendedor - consulte seu contador. O IVA deve ser pago pelo comprador à estância aduaneira do seu país e não ao vendedor. Fim de regra.
      Se o vendedor e o comprador estiverem ambos na Comunidade Europeia e o comprador não for uma empresa (com um número de IVA intracomunitário registrado), o IVA será padronizado para a taxa de IVA do país do vendedor. Fim de regra.
      Se o vendedor e o comprador estiverem ambos na Comunidade Europeia e o comprador for uma empresa (com um número de IVA intracomunitário registrado), o IVA será 0 por padrão. Fim de regra.
      Em qualquer outro caso, o padrão proposto é imposto sobre vendas = 0. Fim de regra. VATIsUsedExampleFR=Na França, significa empresas ou organizações que possuem um sistema fiscal real (real simplificado, real ou normal). Um sistema no qual o IVA é declarado. VATIsNotUsedExampleFR=Na França, isso significa associações que não são declaradas em impostos sobre vendas ou empresas, organizações ou profissões liberais que escolheram o sistema fiscal de microempresas (imposto sobre vendas em franquia) e pagaram uma taxa de vendas de franquia sem qualquer declaração de imposto sobre vendas. Essa opção exibirá a referência "Imposto sobre vendas não aplicável - art-293B do CGI" nas faturas. TypeOfSaleTaxes=Tipo de imposto sobre vendas @@ -1076,8 +1057,6 @@ PHPModuleLoaded=O componente PHP 1 %s está carregado PreloadOPCode=O OPCode pré-carregado está em uso AddRefInList=Exibir ref. cliente/fornecedor. em listas de combinação.
      Terceiros aparecerão com um formato de nome de "CC12345 - SC45678 - The Big Company corp." em vez de "The Big Company corp". AddVatInList=Exiba o número de IVA do cliente/fornecedor em listas de combinação. -AddAdressInList=Exiba o endereço do cliente/fornecedor em listas de combinação.
      Terceiros aparecerão com um formato de nome de "The Big Company corp. - 21 jump street 123456 Big town - USA" em vez de "The Big Company corp". -AddEmailPhoneTownInContactList=Exibir e-mail de contato (ou telefones, se não definido) e lista de informações da cidade (lista de seleção ou combobox).
      Os contatos aparecerão com o formato de nome "Dupond Durand - dupond.durand@email.com - Paris" ou "Dupond Durand - 06 07 59 65 66 - Paris "em vez de" Dupond Durand ". FillThisOnlyIfRequired=Exemplo: +2 (Preencha somente se compensar o problema do timezone é experiente) NumberingModules=Modelos de numeração DocumentModules=Modelos de documentos @@ -1158,7 +1137,6 @@ MembersDocModules=Modelos de documentos para documentos gerados a partir de regi LDAPSetup=Configurações do LDAP LDAPUsersSynchro=Usuários LDAPContactsSynchro=Contatos -LDAPSynchronization=sincronização LDAP LDAPFunctionsNotAvailableOnPHP=Funções LDAP não estão disponíveis no seu PHP LDAPSynchronizeUsers=Organização dos usuários em LDAP LDAPSynchronizeGroups=Organização dos grupos em LDAP @@ -1233,7 +1211,6 @@ LDAPFieldTitleExample=Exemplo: Título LDAPFieldGroupid=ID do grupo LDAPFieldUserid=ID do usuário LDAPFieldHomedirectory=Diretório inicial -LDAPFieldHomedirectoryExample=Exemplo : diretórioinicial LDAPFieldHomedirectoryprefix=Prefixo do diretório inicial LDAPSetupNotComplete=Configurações LDAP não está completa (vá nas outras abas) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Nenhum administrador ou senha fornecido. O acesso LDAP será anônimo no modo sómente leitura. @@ -1328,25 +1305,16 @@ DeliveryOrderModel=Modelo de recibo de produtos entregues DeliveriesOrderAbility=Suporta recibos de entrega de produtos FreeLegalTextOnDeliveryReceipts=Texto livre em recibos de entregas ActivateFCKeditor=Editor avançado ativo por: -FCKeditorForNotePublic=Usar editor WYSIWIG nos campos de "notas públicas" dos elementos -FCKeditorForNotePrivate=Usar editor WYSIWIG nos campos de "notas privadas" dos elementos -FCKeditorForCompany=Usar editor WYSIWIG nos campos de descrição dos elementos (exceto produtos/serviços) -FCKeditorForMailing=Criação/edição do WYSIWIG nos E-Mails massivos (ferramentas->emailing) -FCKeditorForUserSignature=criação/edição do WYSIWIG nas assinaturas de usuários -FCKeditorForMail=Criação/Edição WYSIWIG para todos os e-mails (exceto Ferramentas->eMailing) -FCKeditorForTicket=Criação / edição WYSIWIG para tickets StockSetup=Configuração do módulo de estoque MenuDeleted=Menu Deletado NotTopTreeMenuPersonalized=Menus personalizados não conectados à uma entrada do menu superior NewMenu=Novo Menu MenuModule=Fonte do módulo -HideUnauthorizedMenu=Ocultar menus não autorizados também para usuários internos (apenas acinzentados caso contrário) DetailId=Menu ID DetailMenuHandler=Gestor de menu onde mostra novo menu DetailMenuModule=Nome do módulo se a entrada do menu vier de um módulo DetailType=Tipo do menu (superior o esquerdo) DetailEnabled=Condição para mostra ou não entrar -DetailRight=Condição para mostrar menus não autorizados em cinza DetailLangs=Nomes de arquivos lang para código de etiqueta da tradução DetailLevel=Nível (-1:menu superior, 0:menu do cabeçario, >0 menu e sub-menu) ModifMenu=Modificar menu @@ -1478,7 +1446,6 @@ NbAddedAutomatically=Número de dias adicionados para contadores de usuários (a EnterAnyCode=Este campo contém uma referência para identificar a linha. Insira qualquer valor de sua escolha, mas sem caracteres especiais. Enter0or1=Digite 0 ou 1 ColorFormat=A cor RGB está no formato HEX, ex.: FF0000 -PictoHelp=Nome do ícone no formato:
      - image.png para um arquivo de imagem no diretório do tema atual
      - image.png@module se o arquivo estiver no diretório /img/ de um módulo
      - fa-xxx para um FontAwesome fa-xxx foto para
      - fonwtawesome_xxx_fa_color_size para a FontAwesome fa-xxx picto (com prefixo, cor e tamanho definido) PositionIntoComboList=Posição de linha em listas de combinação SellTaxRate=Taxa de imposto de venda RecuperableOnly=Sim para VAT "Não Percebido, mas Recuperável" dedicado a alguns estados na França. Mantenha o valor como "Não" em todos os outros casos. @@ -1536,7 +1503,6 @@ MAIN_DOCUMENTS_LOGO_HEIGHT=Altura para o logotipo em PDF MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Adicionar coluna para imagem nas linhas da proposta MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Largura da coluna se uma imagem for adicionada nas linhas MAIN_PDF_NO_SENDER_FRAME=Ocultar bordas no quadro de endereço do remetente -MAIN_PDF_NO_RECIPENT_FRAME=Ocultar bordas no quadro de endereço do destinatário MAIN_PDF_HIDE_CUSTOMER_CODE=Ocultar código do cliente MAIN_PDF_HIDE_SENDER_NAME=Ocultar o nome do remetente/empresa no bloco de endereços PROPOSAL_PDF_HIDE_PAYMENTTERM=Ocultar condições de pagamento @@ -1569,13 +1535,11 @@ EmailCollectorHideMailHeaders=Não inclua o conteúdo do cabeçalho do e-mail no EmailCollectorHideMailHeadersHelp=Quando ativado, os cabeçalhos de e-mail não são adicionados ao final do conteúdo do e-mail que é salvo como um evento da agenda. EmailCollectorConfirmCollectTitle=Confirmação de recebimento de e-mail EmailCollectorConfirmCollect=Deseja executar este coletor agora? -EmailCollectorExampleToCollectTicketRequestsDesc=Colete emails que correspondam a algumas regras e crie automaticamente um ticket (o Ticket do Módulo deve estar habilitado) com as informações do email. Você pode usar este coletor se fornecer algum suporte por e-mail, para que sua solicitação de ticket seja gerada automaticamente. Ative também Collect_Responses para coletar as respostas do seu cliente diretamente na visualização do ticket (você deve responder do Dolibarr). EmailCollectorExampleToCollectTicketRequests=Exemplo de coleta da solicitação de ticket (somente primeira mensagem) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Examine o diretório "Enviados" da sua caixa de correio para encontrar e-mails que foram enviados como resposta de outro e-mail diretamente do seu software de e-mail e não do Dolibarr. Se tal e-mail for encontrado, a resposta do evento será registrada no Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Exemplo de coleta de respostas de e-mail enviadas de um software de e-mail externo EmailCollectorExampleToCollectDolibarrAnswersDesc=Colete todos os e-mails que são uma resposta de um e-mail enviado do seu aplicativo. Um evento (A Agenda do Módulo deve estar habilitada) com a resposta do e-mail será registrada no local correto. Por exemplo, se você enviar uma proposta comercial, pedido, fatura ou mensagem de ticket por e-mail do aplicativo, e o destinatário responder seu e-mail, o sistema automaticamente vai pegar a resposta e adicioná-la ao seu ERP. EmailCollectorExampleToCollectDolibarrAnswers=Exemplo coletando todas as mensagens recebidas sendo respostas a mensagens enviadas de Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Colete emails que correspondam a algumas regras e crie automaticamente um lead (Modulo Projeto deve estar habilitado) com as informações do email. Você pode usar este coletor se quiser seguir seu lead usando o módulo Projeto (1 lead = 1 projeto), para que seus leads sejam gerados automaticamente. Caso o coletor Collect_Responses também esteja habilitado, ao enviar um e-mail de seus leads, propostas ou qualquer outro objeto, você também poderá ver as respostas de seus clientes ou parceiros diretamente no aplicativo.
      Observação: Com este exemplo inicial, o título do lead é gerado incluindo o e-mail. Se o terceiro não puder ser encontrado no banco de dados (novo cliente), o lead será anexado ao terceiro com ID 1. EmailCollectorExampleToCollectLeads=Exemplo de coleta de leads EmailCollectorExampleToCollectJobCandidaturesDesc=Colete os e-mails que se aplicam as ofertas de emprego (o Módulo de Recrutamento deve estar ativado). Você pode preencher este coletor se quiser criar automaticamente uma candidatura para uma solicitação de trabalho. Nota: Com este exemplo inicial, é gerado o título da candidatura incluindo o email. EmailCollectorExampleToCollectJobCandidatures=Exemplo de coleta de candidaturas de emprego recebidas por e-mail @@ -1609,10 +1573,8 @@ MAIN_OPTIMIZEFORTEXTBROWSERDesc=Ative esta opção se você for uma pessoa cega MAIN_OPTIMIZEFORCOLORBLIND=Alterar a cor da interface para daltônicos MAIN_OPTIMIZEFORCOLORBLINDDesc=Habilite esta opção se você for daltônico, em alguns casos, a interface alterará a configuração de cores para aumentar o contraste. ThisValueCanOverwrittenOnUserLevel=Este valor pode ser substituído por cada usuário a partir de sua página de usuário - na guia '%s' -DefaultCustomerType=Tipo de Terceiro padrão para o formulário de criação de"Novo cliente" ABankAccountMustBeDefinedOnPaymentModeSetup=Nota: A conta bancária deve ser definida no módulo de cada modo de pagamento (Paypal, Stripe, ...) para que este recurso funcione. RootCategoryForProductsToSell=Categoria raiz de produtos para vender -RootCategoryForProductsToSellDesc=Se definido, somente produtos dentro desta categoria ou filhos desta categoria estarão disponíveis no Ponto de Venda. DebugBar=Barra de depuração DebugBarDesc=Barra de ferramentas que vem com várias ferramentas para simplificar a depuração DebugBarSetup=Configuração da barra de depuração @@ -1633,9 +1595,6 @@ ImportSetup=Configuração do módulo Importar InstanceUniqueID=ID exclusivo da instância SmallerThan=Menor que LargerThan=Maior que -IfTrackingIDFoundEventWillBeLinked=Observe que se um ID de rastreamento de um objeto for encontrado no email, ou se o email for uma resposta de um email já coletado e vinculado a um objeto, o evento criado será automaticamente vinculado ao objeto relacionado conhecido. -WithGMailYouCanCreateADedicatedPassword=Com uma conta do GMail, se você ativou a validação de 2 etapas, é recomendável criar uma segunda senha dedicada para o aplicativo, em vez de usar sua própria senha da conta em https://myaccount.google.com/. -EmailCollectorTargetDir=Pode ser um comportamento desejado mover o email para outra tag / diretório quando ele foi processado com êxito. Basta definir o nome do diretório aqui para usar este recurso (NÃO use caracteres especiais no nome). Observe que você também deve usar uma conta de logon de leitura / gravação. EndPointFor=Ponto final para %s : %s DeleteEmailCollector=Excluir coletor de e-mail ConfirmDeleteEmailCollector=Tem certeza de que deseja excluir este coletor de e-mail? @@ -1651,11 +1610,7 @@ EmailTemplate=Modelo para e-mail EMailsWillHaveMessageID=Os e-mails terão a tag 'Referências' correspondente a esta sintaxe PDF_SHOW_PROJECT=Exibir projeto no documento ShowProjectLabel=Rótulo do Projeto -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Incluir aliases no nome de terceiros -THIRDPARTY_ALIAS=Nome de terceiros - alias de terceiros -ALIAS_THIRDPARTY=Alias de terceiro - Nome de terceiro PDF_USE_ALSO_LANGUAGE_CODE=Se você deseja duplicar alguns textos em seu PDF em 2 idiomas diferentes no mesmo PDF gerado, defina aqui esse segundo idioma para que o PDF gerado contenha 2 idiomas diferentes na mesma página, o escolhido ao gerar PDF e este ( apenas alguns modelos de PDF suportam isso). Mantenha em branco para 1 idioma por PDF. -PDF_USE_A=Gerar documentos no formato PDF/A ao invés do formato PDF padrão FafaIconSocialNetworksDesc=Digite aqui o código de um ícone FontAwesome. Se você não souber o que é FontAwesome, poderá usar o valor genérico fa-address-book. RssNote=Nota: Cada definição de feed RSS fornece um widget que você deve ativar para disponibilizá-lo no painel JumpToBoxes=Vá para Configuração -> Widgets @@ -1672,16 +1627,13 @@ YouMayFindSecurityAdviceHere=Você pode encontrar avisos de segurança aqui ModuleActivatedMayExposeInformation=Esta extensão PHP pode expor dados confidenciais. Se você não precisa disso, desative-o. ModuleActivatedDoNotUseInProduction=Um módulo projetado para o desenvolvimento foi habilitado. Não o habilite em um ambiente de produção. CombinationsSeparator=Caractere separador para combinações de produtos -SeeLinkToOnlineDocumentation=Veja o link para a documentação online no menu superior para exemplos SHOW_SUBPRODUCT_REF_IN_PDF=Se o recurso "%s" do módulo %s for usado, mostre detalhes dos subprodutos de um kit em PDF. AskThisIDToYourBank=Entre em contato com seu banco para obter este ID -AdvancedModeOnly=Permissão disponível apenas no modo de permissão Avançada ConfFileIsReadableOrWritableByAnyUsers=O arquivo conf pode ser lido ou gravado por qualquer usuário. Dê permissão apenas ao usuário e grupo do servidor da web. MailToSendEventOrganization=Organização do Evento MailToPartnership=Parceria AGENDA_EVENT_DEFAULT_STATUS=Status de evento padrão ao criar um evento a partir do formulário YouShouldDisablePHPFunctions=Você deve desabilitar funções PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=A não ser que você precise executar comandos do sistema via personalizações, você deve desativar as funções do PHP NoWritableFilesFoundIntoRootDir=Nenhum arquivo gravável ou diretório de programas comuns foi encontrado em seu diretório raiz (bom) RecommendedValueIs=Recomendado: %s Recommended=Versão Recomendada @@ -1750,3 +1702,4 @@ UrlSocialNetworksDesc=Link da URL da rede social. Use {socialid} para a parte va IfThisCategoryIsChildOfAnother=Se esta categoria for filha de outra NoName=Sem nome Defaultfortype=Padrao +ExtraFieldsSupplierInvoicesRec=Atributos complementares (temas das faturas) diff --git a/htdocs/langs/pt_BR/bills.lang b/htdocs/langs/pt_BR/bills.lang index bb6c5b12b25..dea91475741 100644 --- a/htdocs/langs/pt_BR/bills.lang +++ b/htdocs/langs/pt_BR/bills.lang @@ -118,7 +118,6 @@ BillTo=Para ActionsOnBill=Ações na fatura RecurringInvoiceTemplate=Modelo / nota fiscal recorrente NoQualifiedRecurringInvoiceTemplateFound=Nenhum tema de fatura recorrente qualificado para a geração -FoundXQualifiedRecurringInvoiceTemplate=Encontrado(s) %s tema(s) de fatura(s) recorrente(s) qualificado(s) para a geração. NotARecurringInvoiceTemplate=Não é um tema de fatura recorrente LastBills=Últimas notas %s LatestTemplateInvoices=Últimas faturas do modelo %s @@ -134,7 +133,6 @@ SuppliersDraftInvoices=Faturas de fornecedores - Rascunho Unpaid=Não pago ErrorNoPaymentDefined=Erro. Nenhum pagamento definido ConfirmDeleteBill=Você tem certeza que deseja excluir esta fatura? -ConfirmValidateBill=Você tem certeza que deseja validar esta fatura com referência %s? ConfirmUnvalidateBill=Você tem certeza que deseja mudar a situação da fatura %s para rascunho? ConfirmClassifyPaidBill=Você tem certeza que deseja mudar a situação da fatura %s para paga? ConfirmCancelBill=Você tem certeza que deseja cancelar a fatura %s? @@ -155,7 +153,6 @@ ConfirmCustomerPayment=Você confirma o recebimento de pagamento para %s ConfirmSupplierPayment=Você confirma o recebimento de pagamento para %s %s? ConfirmValidatePayment=Você tem certeza que deseja validar este pagamento? Nenhuma alteração poderá ser feita após a validação do pagamento. ValidateBill=Validar faturao -UnvalidateBill=Desvalidar fatura NumberOfBills=Nº. de faturas NumberOfBillsByMonth=Nº. de faturas por mês AmountOfBills=Quantidade de faturas diff --git a/htdocs/langs/pt_BR/cashdesk.lang b/htdocs/langs/pt_BR/cashdesk.lang index 14385b4f019..f1d7c5d5e75 100644 --- a/htdocs/langs/pt_BR/cashdesk.lang +++ b/htdocs/langs/pt_BR/cashdesk.lang @@ -23,14 +23,12 @@ Receipt=Recibo Header=Cabeçalho Footer=Rodapé AmountAtEndOfPeriod=Montante no final do período (dia, mês ou ano) -TheoricalAmount=Quantidade teórica RealAmount=Quantidade real NbOfInvoices=Núm. de faturas Paymentnumpad=Tipo de Pad para inserir pagamento Numberspad=Números de Pad BillsCoinsPad=Almofada de moedas e notas DolistorePosCategory=Módulos TakePOS e outras soluções de PDV para Dolibarr -TakeposNeedsCategories=TakePOS precisa de pelo menos uma categoria de produto para funcionar TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS precisa de pelo menos 1 categoria de produto na categoria %s para funcionar CashDeskBankAccountFor=Conta padrão a ser usada para pagamentos em NoPaimementModesDefined=Nenhum modo de embalagem definido na configuração do TakePOS @@ -46,7 +44,6 @@ TerminalSelect=Selecione o terminal que você deseja usar: POSTicket=PDV Ticket POSTerminal=Terminal PDV POSModule=Módulo PDV -BasicPhoneLayout=Usar layout básico para telefones SetupOfTerminalNotComplete=A configuração do terminal 1%s não está concluída DirectPayment=Pagamento direto DirectPaymentButton=Adicionar um botão "Pagamento direto em dinheiro" @@ -60,13 +57,11 @@ Colorful=Colorido HeadBar=Barra principal SortProductField=Campo para classificação de produtos BrowserMethodDescription=Impressão de recibo simples e fácil. Apenas alguns parâmetros para configurar o recebimento. \nImprimir via navegador. -TakeposConnectorMethodDescription=Módulo externo com recursos extras. Possibilidade de imprimir a partir da nuvem. PrintMethod=Método de impressão ByTerminal=Pelo terminal TakeposNumpadUsePaymentIcon=Use o ícone em vez do texto nos botões de pagamento do teclado numérico CashDeskRefNumberingModules=Módulo de numeração para vendas PDV CashDeskGenericMaskCodes6 =
      A tag {TN} é usada para adicionar o número do terminal -TakeposGroupSameProduct=Agrupe as mesmas linhas de produtos StartAParallelSale=Iniciar uma nova venda paralela SaleStartedAt=Venda iniciada às %s CashReport=Relatório de caixa @@ -82,7 +77,6 @@ ScanToOrder=Digitalize o código QR para fazer o pedido Appearance=Aparência HideCategoryImages=Ocultar imagens da categoria HideProductImages=Ocultar imagens do produto -NumberOfLinesToShow=Número de linhas de imagens a mostrar DefineTablePlan=Definir plano de tabelas GiftReceiptButton=Adicionar um botão "Recibo para presente" GiftReceipt=Recibo de presente diff --git a/htdocs/langs/pt_BR/categories.lang b/htdocs/langs/pt_BR/categories.lang index ec1bac85efa..fa012ccdca1 100644 --- a/htdocs/langs/pt_BR/categories.lang +++ b/htdocs/langs/pt_BR/categories.lang @@ -3,10 +3,8 @@ Rubrique=Tag/Categoria Rubriques=Tags/Categorias RubriquesTransactions=Tags/Categorias de transações categories=tags/categorias -NoCategoryYet=Nenhuma categoria deste tipo foi criada In=Em CategoriesArea=Área Tags / Categorias -ProductsCategoriesArea=Área de categorias de produtos e serviços SuppliersCategoriesArea=Área de categorias de fornecedores CustomersCategoriesArea=Área de categorias do cliente MembersCategoriesArea=Área de categorias de membros @@ -56,7 +54,6 @@ AccountsCategoriesShort=Tags/categorias Contas ProjectsCategoriesShort=Projetos tags/categorias UsersCategoriesShort=Tags / categorias de usuários StockCategoriesShort=Tags / categorias de armazém -ThisCategoryHasNoItems=Esta categoria não contém nenhum item. CategId=ID Tag / categoria ParentCategory=Tag / categoria principal ParentCategoryLabel=Rótulo tag / categoria principal @@ -77,14 +74,8 @@ CatUsersLinks=Links entre usuários e tags / categorias ExtraFieldsCategories=atributos complementares CategoriesSetup=Configuração Tags / categorias CategorieRecursiv=Fazer a ligação com os pais tag/categoria automaticamente -AddCustomerIntoCategory=Atribuir categoria ao cliente -AddSupplierIntoCategory=Atribuir categoria ao fornecedor -AssignCategoryTo=Atribuir categoria a ShowCategory=Mostrar tag / categoria ChooseCategory=Escolher categoria -StocksCategoriesArea=Categorias de Armazém TicketsCategoriesArea=Categorias de ingressos ActionCommCategoriesArea=Categorias de Eventos WebsitePagesCategoriesArea=Categorias de contêiner de página -KnowledgemanagementsCategoriesArea=Categorias de artigos KM -UseOrOperatorForCategories=Use o operador 'OR' para categorias diff --git a/htdocs/langs/pt_BR/main.lang b/htdocs/langs/pt_BR/main.lang index a13541a837e..f92c7b0f077 100644 --- a/htdocs/langs/pt_BR/main.lang +++ b/htdocs/langs/pt_BR/main.lang @@ -22,7 +22,6 @@ FormatDateHourText=%d %B, %Y, %I:%M %p DatabaseConnection=Login à Base de Dados NoTemplateDefined=Nenhum modelo disponível para este tipo de email CurrentTimeZone=Timezone PHP (do servidor apache) -EmptySearchString=Digite critérios na pesquisa NoRecordFound=Nenhum registro encontrado NoRecordDeleted=Nenhum registro foi deletado NotEnoughDataYet=Sem dados suficientes @@ -37,7 +36,6 @@ ErrorGoToGlobalSetup=Vai ao 'Empresa/Oragnisacao' configuracao para resolver ist ErrorFailedToSendMail=Erro ao envio do e-mail (emissor ErrorFileNotUploaded=O arquivo não foi possível transferir ErrorWrongHostParameter=Parâmetro Servidor inválido -ErrorYourCountryIsNotDefined=Seu país não está definido. Vá para Home-Setup-Edit e poste o formulário novamente. ErrorRecordIsUsedByChild=Falha ao excluir este registro. Esse registro é usado por pelo menos um registro filho. ErrorWrongValue=Valor incorreto ErrorWrongValueForParameterX=Valor incorreto para o parâmetro %s @@ -362,7 +360,6 @@ Screen=Tela DisabledModules=Módulos desativados HidePassword=Mostrar comando com senha oculta UnHidePassword=Mostrar comando real com a senha visivel -RootOfMedias=Raiz das mídias públicas (/ media) AddFile=Adicionar arquivo FreeZone=Produto de texto livre FreeLineOfType=Item de texto livre, digite: @@ -461,6 +458,7 @@ RelatedObjects=Objetos Relacionados FrontOffice=Frente do escritório BackOffice=Fundo do escritório View=Visão +Import=Importar Exports=Exportações IncludeDocsAlreadyExported=Incluir documentos já exportados AllExportedMovementsWereRecordedAsExported=Todos as movimentações exportadas foram salvos como exportadas @@ -482,7 +480,6 @@ ActualizeCurrency=Atualizar taxa de câmbio Fiscalyear=Ano fiscal ModuleBuilder=Módulo e Application Builder ClickToShowHelp=Clique para mostrar ajuda de ajuda -WebSiteAccounts=Conta do website TitleSetToDraft=Volte para o rascunho ConfirmSetToDraft=Tem certeza de que deseja voltar ao status de rascunho? FileNotShared=Arquivo não compartilhado para público externo @@ -522,6 +519,7 @@ CommentLink=Comentarios CommentPage=Espaço para comentarios CommentDeleted=Comentário deletado Everybody=A todos +EverybodySmall=A todos PayedBy=Pago por PayedTo=Paga para Monthly=Por mês @@ -549,7 +547,6 @@ ContactDefault_invoice_supplier=Fatura do Fornecedor ContactDefault_order_supplier=Ordem de Compra ContactDefault_propal=Proposta ContactDefault_supplier_proposal=Proposta do Fornecedor -ContactAddedAutomatically=Contato adicionado a partir de informações de terceiros StatisticsOn=Estatísticas sobre SelectYourGraphOptionsFirst=Selecione suas opções para criar um gráfico StatusOfRefMustBe=O status de %s deve ser %s @@ -576,3 +573,12 @@ Terminated=Encerrado InternalUser=Usuário Interno ExternalUser=Usuário Externo UserExpired=Vencido +LinkANewFile=Vincular um novo arquivo/documento +LinkedFiles=Arquivos vinculados e documentos +NoLinkFound=Não há links registrados +LinkComplete=O arquivo foi associada com sucesso +ErrorFileNotLinked=O arquivo não pôde ser vinculado +LinkRemoved=A ligação %s foi removida +ErrorFailedToDeleteLink=Falha ao remover link '%s' +ErrorFailedToUpdateLink=Falha ao atualizar link '%s' +URLToLink=URL para link diff --git a/htdocs/langs/pt_BR/oauth.lang b/htdocs/langs/pt_BR/oauth.lang index 3dc1bf645fd..d36c1160331 100644 --- a/htdocs/langs/pt_BR/oauth.lang +++ b/htdocs/langs/pt_BR/oauth.lang @@ -9,8 +9,6 @@ HasAccessToken=Um token foi gerado e salvo no banco de dados local NewTokenStored=Token recebido e salvo ToCheckDeleteTokenOnProvider=Clique aqui para verificar/apagar autorização salva pelo provedor OAuth %s TokenDeleted=Token excluído -DeleteAccess=Clique aqui para apagar o token -UseTheFollowingUrlAsRedirectURI=Use o URL a seguir como o URI de redirecionamento ao criar suas credenciais com seu provedor OAuth: SeePreviousTab=Ver aba anterior OAuthIDSecret=Identificação OAuth e Senha TOKEN_REFRESH=Token Atualizar Presente diff --git a/htdocs/langs/pt_BR/other.lang b/htdocs/langs/pt_BR/other.lang index b4c314226a8..9b89cee69a6 100644 --- a/htdocs/langs/pt_BR/other.lang +++ b/htdocs/langs/pt_BR/other.lang @@ -109,11 +109,6 @@ EMailTextInvoicePayed=A fatura %s foi paga. EMailTextProposalValidated=A proposta %s foi validada. EMailTextProposalClosedSigned=Proposta %s foi fechado assinado. EMailTextOrderValidated=O pedido %s foi validado. -EMailTextOrderApproved=Encomenda %s foi aprovada. -EMailTextOrderValidatedBy=Ordem %s foi registrado por %s. -EMailTextOrderApprovedBy=Ordem %s foi aprovado por %s. -EMailTextOrderRefused=O pedido %s foi recusado. -EMailTextOrderRefusedBy=Ordem %s foi recusado por %s. EMailTextExpeditionValidated=O envio de %s foi validado. EMailTextExpenseReportValidated=O relatório de despesas %s foi validado. EMailTextExpenseReportApproved=O relatório de despesas %s foi aprovado. diff --git a/htdocs/langs/pt_BR/products.lang b/htdocs/langs/pt_BR/products.lang index 39fe958dd47..70cc96d0d47 100644 --- a/htdocs/langs/pt_BR/products.lang +++ b/htdocs/langs/pt_BR/products.lang @@ -51,7 +51,7 @@ SellingMinPriceTTC=Preço mínimo de venda (incl. taxas) SoldAmount=Total vendido PurchasedAmount=Total comprado MinPrice=Preço mínimo de venda -CantBeLessThanMinPrice=O preço de venda não deve ser inferior ao mínimo para este produto (%s ICMS) +MinPriceTTC=Min. preço de venda (inc. impostos) ErrorProductBadRefOrLabel=O valor da referencia ou etiqueta é incorreto ErrorProductClone=Aconteceu um problema durante a clonação do produto ou serviço. SupplierRef=Código do produto do fornecedor diff --git a/htdocs/langs/pt_BR/projects.lang b/htdocs/langs/pt_BR/projects.lang index e51fe18af1f..df5ad70e145 100644 --- a/htdocs/langs/pt_BR/projects.lang +++ b/htdocs/langs/pt_BR/projects.lang @@ -26,13 +26,15 @@ ConfirmDeleteAProject=Você tem certeza que deseja excluir este projeto? ConfirmDeleteATask=Você tem certeza que deseja excluir esta tarefa? OpenedProjects=Projetos em andamento OpenedTasks=Tarefas em andamento -ShowProject=Mostrar projeto +OpportunitiesStatusForOpenedProjects=Leva quantidade de projetos abertos por status +OpportunitiesStatusForProjects=Leva quantidade de projetos por status +SetProject=Definir Projeto NoProject=Nenhum Projeto Definido NbOfProjects=Número de projetos NbOfTasks=Número de tarefas TimeSpent=Dispêndio de tempo +TimeSpentSmall=Dispêndio de tempo TimeSpentByUser=Tempo gasto por usuário -TimesSpent=Dispêndio de tempo TaskId=ID da tarefa RefTask=Tarefa ref. LabelTask=Rótulo tarefa @@ -40,33 +42,48 @@ TaskTimeSpent=Dispêndio de tempo com tarefas TaskTimeUser=Usuário NewTimeSpent=Dispêndio de tempo MyTimeSpent=Meu dispêndio de tempo +BillTime=Bill o tempo gasto BillTimeShort=Hora da fatura TimeToBill=Hora não cobrada TimeBilled=Hora cobrada TaskDateEnd=Data final da tarefa AddTask=Criar tarefa +AddTimeSpent=Crie tempo gasto AddHereTimeSpentForWeek=Adicione aqui o tempo gasto para esta semana / tarefa -Activities=Tarefas/atividades MyActivities=Minhas Tarefas/Atividades +MyProjects=Os Meus Projetos MyProjectsArea=Minha Área de projetos +DurationEffective=Duração Efetiva ProgressDeclared=Progresso real declarado TaskProgressSummary=Progresso tarefa -CurentlyOpenedTasks=Tarefas atualmente abertas TheReportedProgressIsMoreThanTheCalculatedProgressionByX=O progresso real declarado é %s maior que o progresso apontado WhichIamLinkedTo=ao qual estou ligado WhichIamLinkedToProject=ao qual estou vinculado ao projeto GoToListOfTimeConsumed=Ir para a lista de dispêndios de tempo +ListProposalsAssociatedProject=Lista das propostas comerciais relacionadas ao projeto ListOrdersAssociatedProject=Lista de pedidos de vendas relacionadas ao projeto +ListInvoicesAssociatedProject=Lista de faturas de clientes relacionadas ao projeto +ListPredefinedInvoicesAssociatedProject=Lista de faturas de modelos de clientes relacionadas ao projeto ListSupplierOrdersAssociatedProject=Lista de pedidos de compra relacionadas ao projeto ListSupplierInvoicesAssociatedProject=Lista de faturas do fornec. relacionadas ao projeto +ListContractAssociatedProject=Lista de contratos relacionados ao projeto +ListShippingAssociatedProject=Lista de embarques relacionados ao projeto +ListFichinterAssociatedProject=Lista de intervenções relacionadas ao projeto +ListExpenseReportsAssociatedProject=Lista de relatórios de despesas relacionados ao projeto +ListDonationsAssociatedProject=Lista de doações relacionadas ao projeto +ListVariousPaymentsAssociatedProject=Lista de pagamentos diversos relacionados ao projeto +ListSalariesAssociatedProject=Lista de pagamentos de salários relacionados ao projeto +ListActionsAssociatedProject=Lista de eventos relacionados ao projeto ListMOAssociatedProject=Lista de ordens de fabricação relacionadas ao projeto ListTaskTimeUserProject=Lista de tempo consumido nas tarefas de projecto -ActivityOnProjectYesterday=Atividade de ontem no projeto +ListTaskTimeForTask=Lista de tempo consumido na tarefa +ActivityOnProjectToday=Atividade no projeto hoje ActivityOnProjectThisWeek=Atividade ao Projeto esta Semana ActivityOnProjectThisMonth=Atividade ao Projeto este Mês ActivityOnProjectThisYear=Atividade ao Projeto este Ano ChildOfProjectTask=Link do projeto/tarefa ChildOfTask=Criança de tarefa +TaskHasChild=Tarefa tem filho NotOwnerOfProject=Não é responsável deste projeto privado CantRemoveProject=Este projeto não pode ser removido, pois é referenciado por outros objetos (fatura, pedidos ou outros). Veja a guia '%s'. ConfirmValidateProject=Você tem certeza que deseja validar este projeto? @@ -74,9 +91,8 @@ CloseAProject=Finalizar projeto ConfirmCloseAProject=Você tem certeza que deseja fechar este projeto? ReOpenAProject=Abrir projeto ConfirmReOpenAProject=Você tem certeza que deseja reabrir este projeto? -ProjectContact=Contatos do projeto ActionsOnProject=Eventos relacionados ao projeto -YouAreNotContactOfProject=Você não é um contato deste projeto privado +UserIsNotContactOfProject=O usuário não é um contato deste projeto privado DeleteATimeSpent=Excluir dispêndio de tempo ConfirmDeleteATimeSpent=Você tem certeza que deseja excluir este tempo gasto? DoNotShowMyTasksOnly=Ver tambem tarefas não associadas comigo @@ -84,9 +100,11 @@ ShowMyTasksOnly=Visualizar apenas tarefas incumbidas a mim TaskRessourceLinks=Contatos da Tarefa NoTasks=Não há tarefas para este projeto LinkedToAnotherCompany=Ligado a outros terceiros +TaskIsNotAssignedToUser=Tarefa não atribuída ao usuário. Use o botão ' %s ' para atribuir tarefa agora. ErrorTimeSpentIsEmpty=O dispêndio de tempo está em branco ThisWillAlsoRemoveTasks=Esta ação também vai apagar todas as tarefas do projeto (tarefas% s no momento) e todas as entradas de tempo gasto. IfNeedToUseOtherObjectKeepEmpty=Se alguns objetos (nota fiscal, ordem, ...), pertencentes a um terceiro, deve estar vinculado ao projeto de criar, manter este vazio para que o projeto de vários fornecedores. +CloneTasks=Clonar tarefas CloneContacts=Copiar contatos CloneNotes=Copiar notas CloneProjectFiles=Copiar arquivos do projetos @@ -99,6 +117,7 @@ ProjectModifiedInDolibarr=Projeto %s modificado TaskCreatedInDolibarr=Tarefa %s criada TaskModifiedInDolibarr=Tarefa %s alterada TaskDeletedInDolibarr=Tarefa %s excluída +OpportunityStatus=Status de lead OpportunityStatusShort=Situação de um potencial contrato OpportunityProbability=Lead: Probabilidade OpportunityProbabilityShort=Probab. de um potencial negócio @@ -108,36 +127,48 @@ OpportunityWeightedAmountShort=Opp. quantidade ponderada OpportunityAmountAverageShort=Valor do potencial negócio OpportunityAmountWeigthedShort=Quantidade de lead ponderada WonLostExcluded=Ganho/Perda excluída -TypeContact_project_internal_PROJECTLEADER=Chefe de projeto -TypeContact_project_external_PROJECTLEADER=Chefe de projeto TypeContact_project_task_internal_TASKEXECUTIVE=Tarefa executada TypeContact_project_task_external_TASKEXECUTIVE=Tarefa executada SelectElement=Selecionar componente AddElement=Link para componente LinkToElementShort=Link para +DocumentModelBeluga=Modelo de documento de projeto para visão geral de objetos vinculados PlannedWorkload=carga horária planejada +ProjectReferers=Itens relacionados ProjectMustBeValidatedFirst=O projeto tem que primeiramente ser validado FirstAddRessourceToAllocateTime=Atribuir um recurso do usuário como contato do projeto para alocar tempo InputPerMonth=Entrada por mês +TimeAlreadyRecorded=Este é o tempo gasto já gravado para esta tarefa / dia e usuário %s ProjectsWithThisUserAsContact=Projetos com este usuário como contato TasksWithThisUserAsContact=As tarefas atribuídas a esse usuário +NoUserAssignedToTheProject=Nenhum usuário atribuído a este projeto ProjectOverview=Visão geral +ManageTasks=Use projetos para acompanhar tarefas e / ou relatar o tempo gasto (quadros de horários) ManageOpportunitiesStatus=Use projetos para acompanhar leads / opportinuties ProjectNbProjectByMonth=Nº. de projetos criados por mês ProjectNbTaskByMonth=Nº. de tarefas criadas por mês +ProjectOppAmountOfProjectsByMonth=Quantidade de leads por mês +ProjectWeightedOppAmountOfProjectsByMonth=Quantidade ponderada de leads por mês TaskAssignedToEnterTime=Tarefa atribuída. Entrando tempo nesta tarefa deve ser possível. IdTaskTime=Horário do ID da tarefa -YouCanCompleteRef=Se vc quiser completar o num.ref com algum sufixo, é recomendado adicionar um caractere separador, dessa forma a numeração automática irá funcionar corretamente para os prox. projetos. Ex. 1%s-meusufix OpenedProjectsByThirdparties=Abrir projetos de terceiros +OnlyOpportunitiesShort=Apenas leva +OpenedOpportunitiesShort=Ligações abertas NotOpenedOpportunitiesShort=Não é um lead aberto +NotAnOpportunityShort=Não é um lead +OpportunityTotalAmount=Quantidade total de leads +OpportunityPonderatedAmount=Quantidade ponderada de leads +OpportunityPonderatedAmountDesc=Leva quantidade ponderada com probabilidade OppStatusPROSP=Prospecção -OppStatusPROPO=Proposta OppStatusWON=Ganhou LatestModifiedProjects=Últimos projetos modificados %s NoAssignedTasks=Nenhuma tarefa atribuída foi encontrada (atribua projeto/tarefas ao usuário atual na caixa de seleção superior para inserir a hora nele) ThirdPartyRequiredToGenerateInvoice=Um terceiro deve estar definido no projeto para que vc possa faturar contra ele ChooseANotYetAssignedTask=Escolha uma tarefa ainda não atribuída a você +AllowCommentOnTask=Permitir comentários de usuários sobre tarefas +AllowCommentOnProject=Permitir comentários de usuários em projetos DontHaveTheValidateStatus=O projeto %s deve estar aberto para ser fechado +SendProjectRef=Projeto de informação %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Módulo 'Salário' deve estar habilitado para def. taxas hh, para ter o tempo gasto valorizado NewTaskRefSuggested=Tarefa ref. já usada, uma nova tarefa ref. é necessária TimeSpentInvoiced=Tempo gasto faturado diff --git a/htdocs/langs/pt_BR/propal.lang b/htdocs/langs/pt_BR/propal.lang index 192d77ff1a3..ab1911f4b82 100644 --- a/htdocs/langs/pt_BR/propal.lang +++ b/htdocs/langs/pt_BR/propal.lang @@ -20,11 +20,10 @@ ProposalsStatistics=Estatísticas de Orçamentos AmountOfProposalsByMonthHT=Valor por mês (sem imposto) NbOfProposals=Número Orçamentos ShowPropal=Ver Orçamento -PropalsOpened=Aberto +PropalsDraft=Rascunho PropalStatusDraft=Rascunho (a Confirmar) PropalStatusSigned=Assinado (A Faturar) PropalStatusNotSigned=Sem Assinar (Encerrado) -PropalStatusValidatedShort=Validado (aberto) PropalStatusClosedShort=Encerrado PropalStatusNotSignedShort=Sem Assinar PropalsToClose=Orçamentos a Fechar @@ -36,6 +35,7 @@ SendPropalByMail=Enviar Orçamento por E-mail DatePropal=Data da Proposta ValidityDuration=Validade da proposta SetAcceptedRefused=Configurar aceito/recusado +ErrorPropalNotFound=Orçamento %s Inexistente AddToDraftProposals=Adicionar a projeto de proposta NoDraftProposals=Não há projetos de propostas CopyPropalFrom=Criar orçamento por Cópia de um existente diff --git a/htdocs/langs/pt_BR/receptions.lang b/htdocs/langs/pt_BR/receptions.lang index 61e69866e87..a0b89c6bc2b 100644 --- a/htdocs/langs/pt_BR/receptions.lang +++ b/htdocs/langs/pt_BR/receptions.lang @@ -23,7 +23,6 @@ StatusReceptionCanceled=Cancelada StatusReceptionDraft=Minuta StatusReceptionDraftShort=Minuta ReceptionSheet=Carta recebimento -ConfirmValidateReception=Tem certeza de que deseja validar esta recepção com a referência %s? SendReceptionByEMail=Enviar recepção por e-mail ReceptionCreationIsDoneFromOrder=Nesse momento a criação de uma nova recepção é feita a partir do Pedido de Compra. ProductQtyInReceptionAlreadySent=Quantidade do produto do pedido do cliente em aberto já enviado diff --git a/htdocs/langs/pt_BR/sendings.lang b/htdocs/langs/pt_BR/sendings.lang index 8a63f4866ee..5f9a6c48aa7 100644 --- a/htdocs/langs/pt_BR/sendings.lang +++ b/htdocs/langs/pt_BR/sendings.lang @@ -21,7 +21,6 @@ StatusSendingCanceledShort=Cancelada StatusSendingValidated=Validado (produtos a enviar o enviados) SendingSheet=Folha de embarque ConfirmDeleteSending=Tem certeza que quer remover este envio? -ConfirmValidateSending=Tem certeza que quer validar o envio com referencia %s? ConfirmCancelSending=Tem certeza que quer cancelar este envio? DocumentModelMerou=Modelo A5 Merou WarningNoQtyLeftToSend=Atenção, nenhum produto à espera de ser enviado. diff --git a/htdocs/langs/pt_BR/withdrawals.lang b/htdocs/langs/pt_BR/withdrawals.lang index aae376f9a7d..e97532db7ad 100644 --- a/htdocs/langs/pt_BR/withdrawals.lang +++ b/htdocs/langs/pt_BR/withdrawals.lang @@ -25,8 +25,6 @@ TransMetod=Método de transferência WithdrawalRefused=Retirada recusada WithdrawalRefusedConfirm=Você tem certeza que quer entrar com uma rejeição de retirada para a sociedade RefusedInvoicing=Cobrança da rejeição -NoInvoiceRefused=Não carregue a rejeição -InvoiceRefused=Fatura recusada (Verificar a rejeição junto ao cliente) StatusDebitCredit=Status débito / crédito StatusWaiting=Aguardando StatusPaid=Pago @@ -49,7 +47,6 @@ StatisticsByLineStatus=Estatísticas por situação de linhas DateRUM=Data da assinatura RUMLong=Unique Mandate Reference (Referência Única de Mandato) RUMWillBeGenerated=Se estiver vazio, uma UMR (Unique Mandate Reference) será gerada assim que as informações da conta bancária forem salvas. -WithdrawMode=Modo de Débito direto (FRST ou RECUR) WithdrawRequestAmount=Quantidade de pedido de débito direto: WithdrawRequestErrorNilAmount=Não foi possível criar solicitação de débito direto para quantidade vazia. PleaseReturnMandate=Favor devolver este formulário de mandato por e-mail para %s ou por correio para @@ -59,6 +56,7 @@ SEPAFormYourName=Seu nome SEPAFormYourBAN=Nome da Conta do Seu Banco (IBAN) SEPAFormYourBIC=Código Identificador do Seu Banco (BIC) ModeRECUR=Pagamento recorrente +ModeRCUR=Pagamento recorrente PleaseCheckOne=Favor marcar apenas um DirectDebitOrderCreated=Pedido de débito direto %s criado CreateForSepa=Crie um arquivo de débito direto diff --git a/htdocs/langs/pt_BR/workflow.lang b/htdocs/langs/pt_BR/workflow.lang index abd2e8e9b4c..c56375cdc76 100644 --- a/htdocs/langs/pt_BR/workflow.lang +++ b/htdocs/langs/pt_BR/workflow.lang @@ -4,9 +4,3 @@ ThereIsNoWorkflowToModify=Não há alterações do fluxo de trabalho disponívei descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Criar automaticamente uma pedido de venda após a assinatura de uma proposta comercial (a nova ordem terá o mesmo valor que constar na proposta) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Criar automaticamente uma fatura de cliente depois que um contrato é validado descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Criar automaticamente uma fatura após a conclusão do pedido (a nova fatura terá o mesmo valor que constar no pedido) -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classifique a proposta de origem vinculada como faturado quando a ordem do cliente é definida como faturado (e se a quantidade da ordem for igual à quantidade total de propostas vinculadas assinadas) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classificar a proposta de origem vinculada como faturado quando a fatura do cliente é validada (e se o valor da fatura é o mesmo que o valor total da proposta vinculada assinada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classifique pedidos do cliente de origem vinculada como faturado quando a fatura do cliente for validada (e se o valor da fatura for igual ao montante total de pedidos vinculados) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classifique pedidos do cliente de origem vinculada como faturado quando a fatura do cliente constar o pagamento (e se o valor da fatura for igual ao montante total de pedidos vinculados) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classifique pedidos do cliente de origem vinculada como enviados quando uma remessa for validada (e se a quantidade enviada por todas as remessas for o mesmo que na ordem de atualização) -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classificar a proposta do fornecedor de origem vinculada como faturado quando a fatura do fornecedor for validada (e se o valor da fatura for o mesmo que o valor total da proposta vinculada) diff --git a/htdocs/langs/pt_MZ/accountancy.lang b/htdocs/langs/pt_MZ/accountancy.lang index be21040e6fb..ed4d14306a0 100644 --- a/htdocs/langs/pt_MZ/accountancy.lang +++ b/htdocs/langs/pt_MZ/accountancy.lang @@ -10,8 +10,6 @@ Selectformat=Selecione o formato do arquivo ACCOUNTING_EXPORT_FORMAT=Selecione o formato do arquivo ACCOUNTING_EXPORT_ENDLINE=Selecione o tipo de retorno do frete ACCOUNTING_EXPORT_PREFIX_SPEC=Especifique o prefixo do nome do arquivo -ProductForThisThirdparty=Produto para este terceiro -ServiceForThisThirdparty=Serviço para este terceiro CantSuggest=Não posso sugerir AccountancySetupDoneFromAccountancyMenu=A maioria das configurações da Contabilidade é feita a partir do menu %s ConfigAccountingExpert=Configuração do módulo de contabilidade (dupla entrada) @@ -36,7 +34,6 @@ AccountancyAreaDescVat=PASSO %s: defina contas contábeis para cada taxa de IVA. AccountancyAreaDescSal=PASSO %s: Defina contas contábeis padrão para pagamento de salários. Para isso, use a entrada de menu %s. AccountancyAreaDescDonation=PASSO %s: Defina contas contábeis padrão para doação. Para isso, use a entrada de menu %s. AccountancyAreaDescSubscription=Etapa %s: defina contas contábeis padrão para assinatura de membros. Para isso, use a entrada de menu %s. -AccountancyAreaDescMisc=PASSO %s: Defina a conta padrão obrigatória e contas contábeis padrão para transações diversas. Para isso, use a entrada de menu %s. AccountancyAreaDescLoan=PASSO %s: Defina contas contábeis padrão para empréstimos. Para isso, use a entrada de menu %s. AccountancyAreaDescBank=PASSO %s:Defina contabilidade e código de diário para cada banco e contas contábil. Para isso, use o menu de entradas %s. AccountancyAreaDescBind=PASSO %s: verifique a ligação entre as linhas %s existentes e a conta contábil feita, de modo que o aplicativo poderá periodizar transações no Livro de Registro em um clique. Complete as ligações faltantes. Para isso, use a entrada de menu %s. @@ -147,7 +144,6 @@ AccountingJournal=Livro de Registro de contabilidade NewAccountingJournal=Novo Livro de Registro contábil NatureOfJournal=Natureza do Relatório AccountingJournalType2=De vendas -AccountingJournalType9=Novo ErrorAccountingJournalIsAlreadyUse=Esta Livro de Registro já está sendo usado NumberOfAccountancyEntries=Número de entradas NumberOfAccountancyMovements=Número de movimentos @@ -193,6 +189,5 @@ SaleEECWithVAT=A venda na CEE com um IVA não nulo; portanto, supomos que essa N Range=Faixa da conta da Contabilidade ConfirmMassDeleteBookkeepingWriting=Confirmação exclusão em massa SomeMandatoryStepsOfSetupWereNotDone=Algumas etapas obrigatórias de configuração não foram feitas, preencha-as -ErrorNoAccountingCategoryForThisCountry=Nenhum Plano de Contas Contábil disponível para este país %s (Veja Home - Configurações- Dicionário) ExportNotSupported=O formato de exportação definido não é suportado nesta página DateExport=Data de exportação diff --git a/htdocs/langs/pt_MZ/admin.lang b/htdocs/langs/pt_MZ/admin.lang index fc6c7d3b692..d7982808b3c 100644 --- a/htdocs/langs/pt_MZ/admin.lang +++ b/htdocs/langs/pt_MZ/admin.lang @@ -215,7 +215,6 @@ ExternalResources=Fontes externas SocialNetworks=Redes Sociais SocialNetworkId=ID da rede social ForDocumentationSeeWiki=Para documentação de usuário ou desenvolvedor (Doc, FAQs...),
      dê uma olhada no Dolibarr Wiki:
      %s -ForAnswersSeeForum=Para qualquer outra dúvida/ajuda, você pode usar o fórum Dolibarr:
      %s CurrentMenuHandler=Gestor atual de menu MeasuringUnit=Unidade de medida FontSize=Tamanho da fonte @@ -270,8 +269,6 @@ LastActivationIP=Último IP de ativação LastActivationVersion=Versão de ativação mais recente UpdateServerOffline=Atualização de servidor off-line WithCounter=Gerenciar um contador -GenericMaskCodes=Você pode inserir qualquer máscara de numeração. Nesta máscara, as seguintes tags podem ser usadas:
      {000000} corresponde a um número que será incrementado em cada %s. Insira tantos zeros quanto o comprimento desejado do contador. O contador será completado por zeros da esquerda para ter tantos zeros quanto a máscara.
      {000000+000} o mesmo que o anterior, mas um deslocamento correspondente ao número à direita do sinal + é aplicado a partir do primeiro %s.
      {000000 @ x} mesmo que o anterior, mas o contador é zerado quando o mês x é atingido (x entre 1 e 12, ou 0 para usar os primeiros meses do ano fiscal definido em sua configuração, ou 99 a redefinir para zero todos os meses). Se esta opção for usada e x for 2 ou superior, a sequência {yy} {mm} ou {yyyy} {mm} também é necessária.
      {dd} dia (01 a 31).
      {mm} mês (01 a 12).
      {yy} , {yyyy} ou {y} ano a09a4b7fz0, números de 439 ou 417837fz0, ano 217a4b7
      -GenericMaskCodes2= {cccc} o código do cliente em n caracteres
      {cccc000} a09a4b739f o código do cliente é seguido por um cliente n8z739f dedicado ao código n8z17f. Este contador dedicado ao cliente é zerado ao mesmo tempo que o contador global.
      {tttt} O código do tipo de terceiro em n caracteres (consulte o menu Página inicial - Configuração - Dicionário - Tipos de terceiros). Se você adicionar esta tag, o contador será diferente para cada tipo de terceiro.
      GenericMaskCodes3=Não é permitido espaços.
      Mascara fixa, basta colocar uma letra ou número sem {} ex:CLI,FOR

      GenericMaskCodes3EAN=Todos os outros caracteres na máscara permanecerão intactos (exceto * ou ? na 13ª posição em EAN13).
      Espaços não são permitidos.
      Em EAN13, o último caractere após o último } na 13ª posição deve ser * ou ? . Ela será substituída pela chave calculada.
      GenericNumRefModelDesc=Retorna um número costomizado de acordo com a mascara definida. diff --git a/htdocs/langs/pt_MZ/bills.lang b/htdocs/langs/pt_MZ/bills.lang index b8bf1d4102f..79596bee80a 100644 --- a/htdocs/langs/pt_MZ/bills.lang +++ b/htdocs/langs/pt_MZ/bills.lang @@ -120,7 +120,6 @@ BillTo=Para ActionsOnBill=Ações na fatura RecurringInvoiceTemplate=Modelo / nota fiscal recorrente NoQualifiedRecurringInvoiceTemplateFound=Nenhum tema de fatura recorrente qualificado para a geração -FoundXQualifiedRecurringInvoiceTemplate=Encontrado(s) %s tema(s) de fatura(s) recorrente(s) qualificado(s) para a geração. NotARecurringInvoiceTemplate=Não é um tema de fatura recorrente LastBills=Últimas notas %s LatestTemplateInvoices=Últimas faturas do modelo %s @@ -136,7 +135,6 @@ SuppliersDraftInvoices=Faturas de fornecedores - Rascunho Unpaid=Não pago ErrorNoPaymentDefined=Erro. Nenhum pagamento definido ConfirmDeleteBill=Você tem certeza que deseja excluir esta fatura? -ConfirmValidateBill=Você tem certeza que deseja validar esta fatura com referência %s? ConfirmUnvalidateBill=Você tem certeza que deseja mudar a situação da fatura %s para rascunho? ConfirmClassifyPaidBill=Você tem certeza que deseja mudar a situação da fatura %s para paga? ConfirmCancelBill=Você tem certeza que deseja cancelar a fatura %s? @@ -158,7 +156,6 @@ ConfirmCustomerPayment=Você confirma o recebimento de pagamento para %s ConfirmSupplierPayment=Você confirma o recebimento de pagamento para %s %s? ConfirmValidatePayment=Você tem certeza que deseja validar este pagamento? Nenhuma alteração poderá ser feita após a validação do pagamento. ValidateBill=Validar faturao -UnvalidateBill=Desvalidar fatura NumberOfBills=Nº. de faturas NumberOfBillsByMonth=Nº. de faturas por mês AmountOfBills=Quantidade de faturas diff --git a/htdocs/langs/pt_MZ/cashdesk.lang b/htdocs/langs/pt_MZ/cashdesk.lang index ba8dd6ccdde..768750da93a 100644 --- a/htdocs/langs/pt_MZ/cashdesk.lang +++ b/htdocs/langs/pt_MZ/cashdesk.lang @@ -23,14 +23,12 @@ Receipt=Recibo Header=Cabeçalho Footer=Rodapé AmountAtEndOfPeriod=Montante no final do período (dia, mês ou ano) -TheoricalAmount=Quantidade teórica RealAmount=Quantidade real NbOfInvoices=Núm. de faturas Paymentnumpad=Tipo de Pad para inserir pagamento Numberspad=Números de Pad BillsCoinsPad=Almofada de moedas e notas DolistorePosCategory=Módulos TakePOS e outras soluções de PDV para Dolibarr -TakeposNeedsCategories=TakePOS precisa de pelo menos uma categoria de produto para funcionar TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS precisa de pelo menos 1 categoria de produto na categoria %s para funcionar CashDeskBankAccountFor=Conta padrão a ser usada para pagamentos em NoPaimementModesDefined=Nenhum modo de embalagem definido na configuração do TakePOS @@ -46,7 +44,6 @@ TerminalSelect=Selecione o terminal que você deseja usar: POSTicket=PDV Ticket POSTerminal=Terminal PDV POSModule=Módulo PDV -BasicPhoneLayout=Usar layout básico para telefones SetupOfTerminalNotComplete=A configuração do terminal 1%s não está concluída DirectPayment=Pagamento direto DirectPaymentButton=Adicionar um botão "Pagamento direto em dinheiro" @@ -60,13 +57,11 @@ Colorful=Colorido HeadBar=Barra principal SortProductField=Campo para classificação de produtos BrowserMethodDescription=Impressão de recibo simples e fácil. Apenas alguns parâmetros para configurar o recebimento. \nImprimir via navegador. -TakeposConnectorMethodDescription=Módulo externo com recursos extras. Possibilidade de imprimir a partir da nuvem. PrintMethod=Método de impressão ByTerminal=Pelo terminal TakeposNumpadUsePaymentIcon=Use o ícone em vez do texto nos botões de pagamento do teclado numérico CashDeskRefNumberingModules=Módulo de numeração para vendas PDV CashDeskGenericMaskCodes6 =
      A tag {TN} é usada para adicionar o número do terminal -TakeposGroupSameProduct=Agrupe as mesmas linhas de produtos StartAParallelSale=Iniciar uma nova venda paralela SaleStartedAt=Venda iniciada às %s CashReport=Relatório de caixa @@ -82,7 +77,6 @@ ScanToOrder=Digitalize o código QR para fazer o pedido Appearance=Aparência HideCategoryImages=Ocultar imagens da categoria HideProductImages=Ocultar imagens do produto -NumberOfLinesToShow=Número de linhas de imagens a mostrar DefineTablePlan=Definir plano de tabelas GiftReceiptButton=Adicionar um botão "Recibo para presente" GiftReceipt=Recibo de presente diff --git a/htdocs/langs/pt_MZ/categories.lang b/htdocs/langs/pt_MZ/categories.lang index c5c193268fa..934819d48a5 100644 --- a/htdocs/langs/pt_MZ/categories.lang +++ b/htdocs/langs/pt_MZ/categories.lang @@ -3,10 +3,8 @@ Rubrique=Tag/Categoria Rubriques=Tags/Categorias RubriquesTransactions=Tags/Categorias de transações categories=tags/categorias -NoCategoryYet=Nenhuma categoria deste tipo foi criada In=Em CategoriesArea=Área Tags / Categorias -ProductsCategoriesArea=Área de categorias de produtos e serviços SuppliersCategoriesArea=Área de categorias de fornecedores CustomersCategoriesArea=Área de categorias do cliente MembersCategoriesArea=Área de categorias de membros @@ -56,7 +54,6 @@ AccountsCategoriesShort=Tags/categorias Contas ProjectsCategoriesShort=Projetos tags/categorias UsersCategoriesShort=Tags / categorias de usuários StockCategoriesShort=Tags / categorias de armazém -ThisCategoryHasNoItems=Esta categoria não contém nenhum item. CategId=ID Tag / categoria ParentCategory=Tag / categoria principal ParentCategoryLabel=Rótulo tag / categoria principal @@ -77,12 +74,7 @@ CatUsersLinks=Links entre usuários e tags / categorias ExtraFieldsCategories=atributos complementares CategoriesSetup=Configuração Tags / categorias CategorieRecursiv=Fazer a ligação com os pais tag/categoria automaticamente -AddCustomerIntoCategory=Atribuir categoria ao cliente -AddSupplierIntoCategory=Atribuir categoria ao fornecedor ShowCategory=Mostrar tag / categoria ChooseCategory=Escolher categoria -StocksCategoriesArea=Categorias de Armazém ActionCommCategoriesArea=Categorias de Eventos WebsitePagesCategoriesArea=Categorias de contêiner de página -KnowledgemanagementsCategoriesArea=Categorias de artigos KM -UseOrOperatorForCategories=Use o operador 'OR' para categorias diff --git a/htdocs/langs/pt_MZ/oauth.lang b/htdocs/langs/pt_MZ/oauth.lang index 27fbaa19d68..c102da60320 100644 --- a/htdocs/langs/pt_MZ/oauth.lang +++ b/htdocs/langs/pt_MZ/oauth.lang @@ -9,8 +9,6 @@ HasAccessToken=Um token foi gerado e salvo no banco de dados local NewTokenStored=Token recebido e salvo ToCheckDeleteTokenOnProvider=Clique aqui para verificar/apagar autorização salva pelo provedor OAuth %s TokenDeleted=Token excluído -DeleteAccess=Clique aqui para apagar o token -UseTheFollowingUrlAsRedirectURI=Use o URL a seguir como o URI de redirecionamento ao criar suas credenciais com seu provedor OAuth: SeePreviousTab=Ver aba anterior OAuthIDSecret=Identificação OAuth e Senha TOKEN_REFRESH=Token Atualizar Presente diff --git a/htdocs/langs/pt_MZ/projects.lang b/htdocs/langs/pt_MZ/projects.lang index 065ddf804d6..8ed788a9259 100644 --- a/htdocs/langs/pt_MZ/projects.lang +++ b/htdocs/langs/pt_MZ/projects.lang @@ -4,7 +4,6 @@ TaskTimeUser=Usuário ProjectModifiedInDolibarr=Projeto %s modificado LinkToElementShort=Link para ProjectReferers=Itens correlatos -OppStatusPROPO=Proposta OppStatusPENDING=Pedente NewInter=Nova Intervenção StartDateCannotBeAfterEndDate=A data final não pode ser anterior a data de início diff --git a/htdocs/langs/pt_MZ/workflow.lang b/htdocs/langs/pt_MZ/workflow.lang index abd2e8e9b4c..c56375cdc76 100644 --- a/htdocs/langs/pt_MZ/workflow.lang +++ b/htdocs/langs/pt_MZ/workflow.lang @@ -4,9 +4,3 @@ ThereIsNoWorkflowToModify=Não há alterações do fluxo de trabalho disponívei descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Criar automaticamente uma pedido de venda após a assinatura de uma proposta comercial (a nova ordem terá o mesmo valor que constar na proposta) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Criar automaticamente uma fatura de cliente depois que um contrato é validado descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Criar automaticamente uma fatura após a conclusão do pedido (a nova fatura terá o mesmo valor que constar no pedido) -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classifique a proposta de origem vinculada como faturado quando a ordem do cliente é definida como faturado (e se a quantidade da ordem for igual à quantidade total de propostas vinculadas assinadas) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classificar a proposta de origem vinculada como faturado quando a fatura do cliente é validada (e se o valor da fatura é o mesmo que o valor total da proposta vinculada assinada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classifique pedidos do cliente de origem vinculada como faturado quando a fatura do cliente for validada (e se o valor da fatura for igual ao montante total de pedidos vinculados) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classifique pedidos do cliente de origem vinculada como faturado quando a fatura do cliente constar o pagamento (e se o valor da fatura for igual ao montante total de pedidos vinculados) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classifique pedidos do cliente de origem vinculada como enviados quando uma remessa for validada (e se a quantidade enviada por todas as remessas for o mesmo que na ordem de atualização) -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classificar a proposta do fornecedor de origem vinculada como faturado quando a fatura do fornecedor for validada (e se o valor da fatura for o mesmo que o valor total da proposta vinculada) diff --git a/htdocs/langs/pt_PT/accountancy.lang b/htdocs/langs/pt_PT/accountancy.lang index 53a07569b67..d3b101c761e 100644 --- a/htdocs/langs/pt_PT/accountancy.lang +++ b/htdocs/langs/pt_PT/accountancy.lang @@ -16,8 +16,8 @@ ThisService=Este serviço ThisProduct=Este produto DefaultForService=Default for services DefaultForProduct=Default for products -ProductForThisThirdparty=Product for this thirdparty -ServiceForThisThirdparty=Service for this thirdparty +ProductForThisThirdparty=Product for this third party +ServiceForThisThirdparty=Service for this third party CantSuggest=Não pode sugerir AccountancySetupDoneFromAccountancyMenu=A maioria da configuração da contabilidade é efetuada a partir do menu %s ConfigAccountingExpert=Configuration of the module accounting (double entry) @@ -38,7 +38,7 @@ DeleteCptCategory=Remover conta contabilistica do grupo ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group? JournalizationInLedgerStatus=Status da jornalização AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger +NotYetInGeneralLedger=Not yet transferred to accounting journals and ledger GroupIsEmptyCheckSetup=Grupo está vazio, verifique a configuração do grupo de contabilidade personalizado DetailByAccount=Mostrar detalhes por conta DetailBy=Detail by @@ -53,15 +53,13 @@ ExportAccountingSourceDocHelp=With this tool, you can search and export the sour ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported, click on the button above. VueByAccountAccounting=View by accounting account VueBySubAccountAccounting=View by accounting subaccount MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup @@ -70,13 +68,14 @@ UserAccountNotDefined=Accounting account for user not defined in setup AccountancyArea=Área de contabilidade AccountancyAreaDescIntro=O uso do módulo de contabilidade é feito em várias etapas: AccountancyAreaDescActionOnce=As seguintes ações são geralmente executadas apenas uma vez, ou uma vez por ano ... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting +AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automatically the correct default accounting account when transferring data in accounting AccountancyAreaDescActionFreq=As seguintes ações são normalmente executadas a cada mês, semana ou dia para grandes empresas... AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescFiscalPeriod=STEP %s: Define a fiscal year by default on which to integrate your accounting entries. For this, use the menu entry %s. AccountancyAreaDescVat=PASSO %s: Defina a conta contabilística para cada taxa de IVA. Para tal pode usar a entrada %s do menu. AccountancyAreaDescDefault=STEP %s: definir contas contábeis padrão. Para isso, use a entrada do menu %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. @@ -84,7 +83,7 @@ AccountancyAreaDescSal=PASSO %s: Defina a conta contabilística para o pagamento AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. AccountancyAreaDescDonation=PASSO %s: Defina a conta contabilística para donativos. Para tal pode usar a entrada do menu %s. AccountancyAreaDescSubscription=STEP %s: Define default accounting accounts for member subscription. For this, use the menu entry %s. -AccountancyAreaDescMisc=ETAPA %s: Defina contas padrão obrigatórias e contas contábeis padrão para transações diversas. Para isso, use a entrada do menu %s. +AccountancyAreaDescMisc=STEP %s: Define mandatory default accounts and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. AccountancyAreaDescLoan=PASSO %s: Defina a conta contabilística para empréstimos. Para tal pode usar a entrada do menu %s. AccountancyAreaDescBank=STEP %s: defina as contas contábeis e o código do diário para cada banco e contas financeiras. Para isso, use a entrada do menu %s. AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. @@ -95,6 +94,7 @@ AccountancyAreaDescAnalyze=PASSO %s: Adicionar ou editar transações e gerar re AccountancyAreaDescClosePeriod=PASSO %s: Fechar período para que não seja possível modificar no futuro. +TheFiscalPeriodIsNotDefined=A mandatory step in setup has not been completed (Fiscal period is not defined) TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) Selectchartofaccounts=Selecione gráfico de contas ativo ChangeAndLoad=Mudar e carregar @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of a BANK_DISABLE_DIRECT_INPUT=Desactivar a gravação direta de transação na conta bancária ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Ativar exportação de rascunho em diário ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_DATE_START_BINDING=Disable binding & transfer in accountancy when date is below this date (the transactions before this date will be excluded by default) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On the page to transfer data into accountancy, what is the period selected by default ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Diário social ACCOUNTING_RESULT_PROFIT=Result accounting account (Profit) ACCOUNTING_RESULT_LOSS=Result accounting account (Loss) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal of closure +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Accounting groups used for the balance sheet account (separate by comma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Accounting groups used for the income statement (separate by comma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers TransitionalAccount=Transitional bank transfer account @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Consult here the list of the lines of invoices customers DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transferred in accountancy are visible) DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account DescVentilTodoExpenseReport=Vincule as linhas do relatórios de despesas de não vinculados a um honorário de uma conta de contabilística DescVentilExpenseReport=Consulte aqui a lista de linhas do relatório de despesas vinculadas (ou não) a um honorário da conta contabilística @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=Se você configurar uma conta contábil no tipo de l DescVentilDoneExpenseReport=Consulte aqui a lista das linhas de relatórios de despesas e os seus honorários da conta contabilística Closure=Annual closure -DescClosure=Consult here the number of movements by month not yet validated & locked +AccountancyClosureStep1Desc=Consult here the number of movements by month not yet validated & locked OverviewOfMovementsNotValidated=Overview of movements not validated and locked AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked @@ -341,7 +343,7 @@ AccountingJournalType3=Compras AccountingJournalType4=Banco AccountingJournalType5=Relatórios de despesas AccountingJournalType8=Inventário -AccountingJournalType9=Contém novo +AccountingJournalType9=Retained earnings GenerationOfAccountingEntries=Generation of accounting entries ErrorAccountingJournalIsAlreadyUse=Este diário já está a ser utilizado AccountingAccountForSalesTaxAreDefinedInto=Nota: A conta de contabilidade para imposto sobre vendas é definida no menu %s - %s @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountanc ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. +EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigorous accounting management. ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not chosen by the end user +ACCOUNTING_LETTERING_NBLETTERS=Number of letters when generating lettering code (default 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Some accounting software only accepts a two-letter code. This parameter allows you to set this aspect. The default number of letters is three. OptionsAdvanced=Advanced options ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transferred into accountancy differently: A additional debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. ## Export NotExportLettering=Do not export the lettering when generating the file @@ -420,7 +424,7 @@ SaleLocal=Local sale SaleExport=Export sale SaleEEC=Sale in EEC SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of third party is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the third party, or change the product account suggested for binding if needed. ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=No unreconcile modified AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock movements +AccountancyClosureStep2=Step 2 : Close fiscal period +AccountancyClosureStep3=Step 3 : Extract entries (Optional) +AccountancyClosureClose=Close fiscal period +AccountancyClosureAccountingReversal=Extract and record "Retained earnings" entries +AccountancyClosureStep3NewFiscalPeriod=Next fiscal period +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "Retained earnings" entries on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "Retained earnings" entries, detail the sub-ledger accounts +AccountancyClosureCloseSuccessfully=Fiscal period has been closed successfully +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping entries for "Retained earnings" has been inserted successfully + ## Confirm box ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? ConfirmMassDeleteBookkeepingWriting=Confirmação de Múltiplas Eliminações ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +AccountancyClosureConfirmClose=Are you sure you want to close the current fiscal period ? You understand that closing the fiscal period is an irreversible action and will permanently block any modification or deletion of entries over this period. +AccountancyClosureConfirmAccountingReversal=Are you sure you want to record entries for the "Retained earnings" ? ## Error SomeMandatoryStepsOfSetupWereNotDone=Não foram efetuados alguns passos obrigatórios da configuração, por favor complete-os -ErrorNoAccountingCategoryForThisCountry=Não existe grupo de conta contabilística disponível para o país %s (Consulte Inicio->Configuração->Dicionários) +ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Você tenta analisar algumas linhas da fatura %s , mas algumas outras linhas ainda não estão limitadas à conta contábil. A revogação de todas as linhas de fatura desta fatura é recusada. ErrorInvoiceContainsLinesNotYetBoundedShort=Algumas linhas na fatura não estão vinculadas à conta contábil. ExportNotSupported=O formato de exportação configurado não é suportado nesta página @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s ErrorAccountNumberAlreadyExists=The accounting number %s already exists ErrorArchiveAddFile=Can't put "%s" file in archive +ErrorNoFiscalPeriodActiveFound=No active fiscal period found +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=The bookkeeping doc date is not inside the active fiscal period +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=The bookkeeping doc date is inside a closed fiscal period ## Import ImportAccountingEntries=Entradas contábeis diff --git a/htdocs/langs/pt_PT/admin.lang b/htdocs/langs/pt_PT/admin.lang index b12937e9a0a..5893d80a186 100644 --- a/htdocs/langs/pt_PT/admin.lang +++ b/htdocs/langs/pt_PT/admin.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - admin -BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF +BoldRefAndPeriodOnPDF=Imprimir em PDF a referência e período do item BoldLabelOnPDF=Imprimir etiqueta do item em negrito, em PDF Foundation=Fundação Version=Versão @@ -29,21 +29,21 @@ AvailableOnlyOnPackagedVersions=O ficheiro local para verificação de integrida XmlNotFound=Ficheiro XML de integridade da aplicação não encontrado SessionId=Id. da Sessão SessionSaveHandler=Utilizador para guardar as sessões -SessionSavePath=Local de salvamento da sessão +SessionSavePath=Local para guardar a sessão PurgeSessions=Limpeza das sessões -ConfirmPurgeSessions=Deseja mesmo limpar todas as sessões? Isto irá desassociar todos os utilizadores (exceto você). -NoSessionListWithThisHandler=Salvar manipulador de sessão configurado no seu PHP não permite listar todas as sessões em execução. +ConfirmPurgeSessions=Tem certeza de que deseja limpar todas as sessões? Isto irá desassociar todos os utilizadores (exceto você). +NoSessionListWithThisHandler=Guardar o manipulador de sessão configurado no seu PHP não permite listar todas as sessões em execução. LockNewSessions=Bloquear novas ligações -ConfirmLockNewSessions=Tem certeza de que deseja restringir qualquer nova ligação a Dolibarr a si mesmo? Apenas o utilizador %s poderá se conectar depois disso. +ConfirmLockNewSessions=Tem certeza de que deseja restringir qualquer nova ligação a Dolibarr para si mesmo? Apenas o utilizador %s poderá ligar depois disso. UnlockNewSessions=Remover bloqueio de ligação YourSession=A sua sessão -Sessions=Sessões de usuários +Sessions=Sessões de Utilizadores WebUserGroup=Utilizador/grupo do servidor da Web PermissionsOnFiles=Permissões em ficheiros PermissionsOnFilesInWebRoot=Permissões em ficheiros na pasta web principal PermissionsOnFile=Permissões em ficheiros %s -NoSessionFound=A sua configuração de PHP parece não permitir a listagem de sessões ativas. O diretório usado para salvar as sessões ( %s ) pode ser protegido (por exemplo, pelas permissões do sistema operacional ou pela diretiva open_basedir do PHP). -DBStoringCharset=Conjunto de carateres da base de dados para guardar os dados +NoSessionFound=A sua configuração de PHP parece não permitir a listagem de sessões ativas. O diretório usado para salvar as sessões ( %s ) pode estar protegido (por exemplo, pelas permissões do sistema operativo ou pela diretiva open_basedir do PHP). +DBStoringCharset=Conjunto de carateres da base de dados para guardar os dados DBSortingCharset=Conjunto de carateres da base de dados para ordenar os dados HostCharset=Conjunto de caracteres do anfitrião ClientCharset=Jogo de caráter Cliente @@ -51,8 +51,8 @@ ClientSortingCharset=Colação de clientes WarningModuleNotActive=O módulo %s deve estar ativado WarningOnlyPermissionOfActivatedModules=Só são mostradas aqui as permissões relacionadas com os módulos ativos. Pode ativar outros módulos na página de Início-> Configuração-> Módulos. DolibarrSetup=Instalar ou atualizar o Dolibarr -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=Actualização do Dolibarr +DolibarrAddonInstall=Instalação de Addon/Módulo externo (enviado ou gerado) InternalUsers=Utilizadores internos ExternalUsers=Utilizadores externos UserInterface=Interface do utilizador @@ -63,8 +63,8 @@ FormToTestFileUploadForm=Formulário para testar o envio de ficheiro (de acordo ModuleMustBeEnabled=O módulo/aplicação %s deve estar ativo ModuleIsEnabled=O módulo/aplicação %s foi ativado IfModuleEnabled=Nota: sim, só é eficaz se o módulo %s estiver ativo -RemoveLock=Remova / renomeie o arquivo %s se existir, para permitir o uso da ferramenta Atualizar / Instalar. -RestoreLock=Restaure o arquivo %s , apenas com permissão de leitura, para desativar qualquer uso posterior da ferramenta Atualizar / Instalar. +RemoveLock=Remova/renomeie o ficheiro %s se este existir, para permitir a utilização da ferramenta de 'Atualizar/Instalar'. +RestoreLock=Restaure o ficheiro %s , apenas com permissão de leitura, para desativar qualquer uso posterior da ferramenta Atualizar / Instalar. SecuritySetup=Configuração de segurança PHPSetup=Configurar PHP OSSetup=Configurar SO @@ -106,14 +106,14 @@ NextValueForInvoices=Valor seguinte (faturas) NextValueForCreditNotes=Valor seguinte (notas de crédito) NextValueForDeposit=Valor seguinte (entrada inicial) NextValueForReplacements=Valor seguinte (restituições) -MustBeLowerThanPHPLimit=Nota: a sua configuração de PHP atualmente limita o tamanho máximo do arquivo para upload para %s %s, independentemente do valor deste parâmetro +MustBeLowerThanPHPLimit=Nota: a sua configuração de PHP atualmente limita o tamanho máximo do ficheiro para enviar para %s %s, independentemente do valor deste parâmetro NoMaxSizeByPHPLimit=Nota: não está definido nenhum limite na sua configuração do PHP MaxSizeForUploadedFiles=Tamanho máximo para os ficheiros enviados (0 para rejeitar qualquer envio) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page and some public pages +UseCaptchaCode=Usar código gráfico (CAPTCHA) para páginas de login e algumas páginas públicas AntiVirusCommand=Caminho completo para o comando de antivírus AntiVirusCommandExample=Exemplo para ClamAv Daemon (requer clamav-daemon): / usr / bin / clamdscan
      Exemplo para ClamWin (muito, muito lento): c: \\ Progra ~ 1 \\ ClamWin \\ bin \\ clamscan.exe -AntiVirusParam= Mais parâmetros na linha de comando -AntiVirusParamExample=Exemplo para ClamAv Daemon: --fdpass
      Exemplo para ClamWin: --database = "C: \\ Arquivos de Programas (x86) \\ ClamWin \\ lib" +AntiVirusParam= Mais parâmetros na linha de comandos +AntiVirusParamExample=Exemplo para ClamAv Daemon: --fdpass
      Exemplo para ClamWin: --database="C: \\Programas (x86)\\ClamWin\\lib" ComptaSetup=Configuração do módulo de "Contabilidade" UserSetup=Configuração e gestão dos utilizadores MultiCurrencySetup=Configuração da utilização de várias moedas @@ -227,6 +227,8 @@ NotCompatible=Este módulo não parece compatível com o seu Dolibarr %s (Min%s CompatibleAfterUpdate=Este módulo requer uma atualização para o seu Dolibarr %s(Min%s-Max%s). SeeInMarkerPlace=Veja no mercado de modulos SeeSetupOfModule=Veja a configuração do módulo %s +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=Set option %s to %s Updated=Atualizado AchatTelechargement=Comprar / Download @@ -268,8 +270,8 @@ OtherResources=Outros recursos ExternalResources=Recursos Externos SocialNetworks=Redes sociais SocialNetworkId=Id. da Rede Social -ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),
      take a look at the Dolibarr Wiki:
      %s -ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:
      %s +ForDocumentationSeeWiki=Para a documentação de utilizador, programador ou Perguntas Frequentes (FAQ), consulte o wiki do Dolibarr
      %s +ForAnswersSeeForum=Para qualquer outra dúvida/ajuda, você pode usar o fórum Dolibarr:
      %s HelpCenterDesc1=Aqui estão alguns recursos para obter ajuda e suporte com o Dolibarr. HelpCenterDesc2=Alguns desses recursos estão disponíveis apenas em english . CurrentMenuHandler=Gestor de menu atual @@ -292,22 +294,22 @@ EmailSenderProfiles=Perfis do remetente de e-mails EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. MAIN_MAIL_SMTP_PORT=Porta de SMTP/SMTPS (Por predefinição no php.ini: %s) MAIN_MAIL_SMTP_SERVER=Hospedeiro de SMTP/SMTPS (Por predefinição no php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Porta SMTP / SMTPS (Não definida em PHP em sistemas Unix-like) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Hospedeiro de SMTP/SMTPS (Não definido no PHP nos sistemas de tipo Unix) -MAIN_MAIL_EMAIL_FROM=E-mail do remetente para e-mails automáticos (valor padrão em php.ini: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=E-mail usado para erro retorna e-mails (campos 'Erros-Para' nos e-mails enviados) MAIN_MAIL_AUTOCOPY_TO= Copiar (Cco) todos os emails enviados para MAIN_DISABLE_ALL_MAILS=Desativar todo o envio de email (para fins de teste ou demonstrações) MAIN_MAIL_FORCE_SENDTO=Enviar todos os e-mails para (em vez de enviar para destinatários reais, para fins de teste) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=Método de envio de e-mail MAIN_MAIL_SMTPS_ID=ID de SMTP (se o servidor de envio exigir autenticação) MAIN_MAIL_SMTPS_PW=Senha SMTP (se o servidor de envio exigir autenticação) MAIN_MAIL_EMAIL_TLS=Use criptografia TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Use a criptografia TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=Use o DKIM para gerar assinatura de email MAIN_MAIL_EMAIL_DKIM_DOMAIN=Domínio de email para uso com o dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Nome do seletor do dkim @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Chave privada para assinatura do dkim MAIN_DISABLE_ALL_SMS=Desativar todo o envio de SMS (para fins de teste ou demonstrações) MAIN_SMS_SENDMODE=Método a usar para enviar SMS MAIN_MAIL_SMS_FROM=Número de telefone do remetente padrão para envio de SMS -MAIN_MAIL_DEFAULT_FROMTYPE=E-mail do remetente padrão para envio manual (e-mail do usuário ou e-mail da empresa) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=Email do utilizador CompanyEmail=E-mail da Empresa FeatureNotAvailableOnLinux=Funcionalidade não disponivel em sistemas Unix. Teste parâmetros sendmail localmente. @@ -361,12 +363,12 @@ LastActivationIP=Último IP ativo LastActivationVersion=Latest activation version UpdateServerOffline=Atualizar servidor offline WithCounter=Gerir um contador -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      -GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      +GenericMaskCodes=Você pode inserir qualquer máscara de numeração. Nesta máscara, as seguintes tags podem ser usadas:
      {000000} corresponde a um número que será incrementado em cada %s. Insira tantos zeros quanto o comprimento desejado do contador. O contador será completado por zeros da esquerda para ter tantos zeros quanto a máscara.
      {000000+000} o mesmo que o anterior, mas um deslocamento correspondente ao número à direita do sinal + é aplicado a partir do primeiro %s.
      {000000 @ x} mesmo que o anterior, mas o contador é zerado quando o mês x é atingido (x entre 1 e 12, ou 0 para usar os primeiros meses do ano fiscal definido em sua configuração, ou 99 a redefinir para zero todos os meses). Se esta opção for usada e x for 2 ou superior, a sequência {yy} {mm} ou {yyyy} {mm} também é necessária.
      {dd} dia (01 a 31).
      {mm} mês (01 a 12).
      {yy} , {yyyy} ou {y} ano a09a4b7fz0, números de 439 ou 417837fz0, ano 217a4b7
      +GenericMaskCodes2= {cccc} o código do cliente em n caracteres
      {cccc000} a09a4b739f o código do cliente é seguido por um cliente n8z739f dedicado ao código n8z17f. Este contador dedicado ao cliente é zerado ao mesmo tempo que o contador global.
      {tttt} O código do tipo de terceiro em n caracteres (consulte o menu Página inicial - Configuração - Dicionário - Tipos de terceiros). Se você adicionar esta tag, o contador será diferente para cada tipo de terceiro.
      GenericMaskCodes3=Quaisquer outros caracteres na máscara não sofrerão alterações.
      Não são permitidos espaços.
      GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
      Spaces are not allowed.
      In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      +GenericMaskCodes4a=Exemplo no 99º %s de terceiro 'A Empresa', com a data 2023/01/01 :
      +GenericMaskCodes4b=Exemplo sobre um terceiro criado a 2023/01/01 :
      GenericMaskCodes4c=Example on product created on 2023-01-31:
      GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' GenericNumRefModelDesc=Devolve um número personalizado, de acordo com a máscara definida. @@ -417,6 +419,7 @@ PDFLocaltax=Regras para %s HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT HideDescOnPDF=Ocultar descrição de produtos HideRefOnPDF=Ocultar produtos ref. +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=Ocultar detalhes das linhas de produtos PlaceCustomerAddressToIsoLocation=Usar a posição padrão francesa (La Poste) para a posição de endereço do cliente Library=Biblioteca @@ -424,7 +427,7 @@ UrlGenerationParameters=Parâmetros para tornar URLs seguros SecurityTokenIsUnique=Use um parâmetro securekey único para cada URL EnterRefToBuildUrl=Digite a referência para o objeto %s GetSecuredUrl=Obter URL seguro -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=Taxa de IVA antiga NewVATRates=Nova taxa de IVA PriceBaseTypeToChange=Modificar nos preços com valor de referência base definido em @@ -458,11 +461,11 @@ ComputedFormula=Campo calculado ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Store computed field ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!! -ExtrafieldParamHelpPassword=Deixar esse campo em branco significa que esse valor será armazenado sem criptografia (o campo deve ser oculto apenas com estrela na tela).
      Defina 'auto' para usar a regra de criptografia padrão para salvar a senha no banco de dados (o valor lido será o hash apenas, nenhuma maneira de recuperar o valor original) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=Lista de valores devem ser linhas com chave de formato, o valor (onde chave pode não ser '0')

      por exemplo:
      1, value1
      2, value2
      code3, value3
      ...

      A fim de ter o lista dependendo de outra lista de atributos complementares:
      1, value1 | options_ parent_list_code : Parent_Key
      2, value2 | options_ parent_list_code : Parent_Key

      para ter a lista de acordo com uma outra lista:
      1, value1 | parent_list_code : parent_key
      2, valor2 | parent_list_code : parent_key ExtrafieldParamHelpcheckbox=A lista de valores deve ser composta por linhas com chave de formato, valor (onde a chave não pode ser '0')

      por exemplo:
      1, valor1
      2, valor2
      19bz3, valor3 ExtrafieldParamHelpradio=A lista de valores deve ser composta por linhas com chave de formato, valor (onde a chave não pode ser '0')

      por exemplo:
      1, valor1
      2, valor2
      19bz3, valor3 -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Introduzida o número de telefone a ligar, de forma mostra RefreshPhoneLink=Atualizar hiperligação LinkToTest=Link gerado para o utilizador %s (clique no número de telefone para ligar) KeepEmptyToUseDefault=Deixar em branco para usar o valor por omissão -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=Hiperligação predefinida SetAsDefault=Definir como predefinição ValueOverwrittenByUserSetup=Aviso: Este valor pode ter sido modificado pela configuração específica de um utilizador (cada utilizador pode definir o seu próprio link ClickToDial) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Este é o nome do campo HTML. O conhecimento técnico PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=Enable customization of default values EnableOverwriteTranslation=Allow customization of translations GoIntoTranslationMenuToChangeThis=Uma tradução foi encontrada para a chave com este código. Para alterar este valor, você deve editá-lo em Home-Setup-translation. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=Utilizadores e Grupos Module0Desc=Gestão de Utilizadores / Funcionários e Grupos @@ -566,7 +569,7 @@ Module40Desc=Fornecedores e gestão de compras (ordens de compra e faturamento d Module42Name=Registos Debug Module42Desc=Funções de registo de eventos (ficheiro, registo do sistema, ...). Tais registos, são para fins técnicos/depuração. Module43Name=Debug Bar -Module43Desc=A tool for developper adding a debug bar in your browser. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=Editores Module49Desc=Gestão de editores Module50Name=Produtos @@ -582,7 +585,7 @@ Module54Desc=Gestão de contratos (serviços ou assinaturas recorrentes) Module55Name=Códigos de barras Module55Desc=Barcode or QR code management Module56Name=Pagamento por transferência de crédito -Module56Desc=Gestão de pagamentos de fornecedores por ordens de Transferência a Crédito. Inclui a geração de arquivo SEPA para países europeus. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=Pagamentos por Débito Direto Module57Desc=Gerenciamento de pedidos de Débito Direto. Inclui a geração de arquivo SEPA para países europeus. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Enviar notificações por e-mail acionadas por um evento de negóc Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. Module610Name=Variantes de produtos Module610Desc=Criação de variantes de produtos (cor, tamanho etc.) +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=Donativos Module700Desc=Gestão de donativos Module770Name=Expense Reports @@ -650,8 +657,8 @@ Module2300Name=Tarefas agendadas Module2300Desc=Gestão de trabalhos agendados (alias cron ou tabela chrono) Module2400Name=Eventos/Agenda Module2400Desc=Provas de pista. Registre eventos automáticos para fins de rastreamento ou registre eventos ou reuniões manuais. Este é o módulo principal para um bom gerenciamento de relacionamento com o cliente ou fornecedor. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=SGD / GEC Module2500Desc=Sistema de Gestão de Documentos / Gestão de Conteúdo Eletrónico. Organização automática dos seus documentos gerados ou armazenados. Compartilhe-os quando precisar. Module2600Name=API / Web services (SOAP server) @@ -672,7 +679,7 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=Redes sociais Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=GRH -Module4000Desc=Gestão de recursos humanos (gestão de departamento e contratos de funcionários) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Multiempresa Module5000Desc=Permite-lhe gerir várias empresas Module6000Name=Inter-modules Workflow @@ -712,6 +719,8 @@ Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=Receptions +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Read customer invoices (and payments) Permission12=Criar/modificar faturas a clientes @@ -996,7 +1005,7 @@ Permission4031=Read personal information Permission4032=Write personal information Permission4033=Read all evaluations (even those of user not subordinates) Permission10001=Read website content -Permission10002=Create/modify website content (html and javascript content) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. Permission10005=Delete website content Permission20001=Read leave requests (your leave and those of your subordinates) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Relatório de despesas - Escala por categoria de trans DictionaryTransportMode=Intracomm report - Transport mode DictionaryBatchStatus=Product lot/serial Quality Control status DictionaryAssetDisposalType=Type of disposal of assets +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Type of unit SetupSaved=Configuração guardada SetupNotSaved=A configuração não foi guardada @@ -1109,10 +1119,11 @@ BackToModuleList=Voltar à lista de módulos BackToDictionaryList=Back to Dictionaries list TypeOfRevenueStamp=Tipo de selo fiscal VATManagement=Gestão de impostos sobre vendas -VATIsUsedDesc=Por padrão, ao criar clientes em potencial, faturas, pedidos, etc., a taxa de imposto sobre vendas segue a regra padrão ativa:
      Se o vendedor não estiver sujeito a imposto sobre vendas, o padrão para imposto sobre vendas é 0. Fim da regra.
      Se o (país do vendedor = país do comprador), então o imposto sobre vendas por padrão é igual ao imposto sobre vendas do produto no país do vendedor. Fim da regra.
      Se o vendedor e o comprador estiverem na Comunidade Europeia e as mercadorias forem produtos relacionados ao transporte (transporte, envio, companhia aérea), o IVA padrão é 0. Esta regra depende do país do vendedor - consulte seu contador. O IVA deve ser pago pelo comprador à estância aduaneira do seu país e não ao vendedor. Fim da regra.
      Se o vendedor e o comprador estiverem ambos na Comunidade Européia e o comprador não for uma empresa (com um número de IVA intracomunitário registrado), o IVA é padronizado para a taxa de IVA do país do vendedor. Fim da regra.
      Se o vendedor e o comprador estiverem ambos na Comunidade Europeia e o comprador for uma empresa (com um número de IVA intracomunitário registrado), então o IVA é 0 por padrão. Fim da regra.
      Em qualquer outro caso, o padrão proposto é Imposto sobre vendas = 0. Fim da regra. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=Por padrão, o imposto sobre vendas proposto é 0, que pode ser usado para casos como associações, indivíduos ou pequenas empresas. VATIsUsedExampleFR=Na França, significa empresas ou organizações com um sistema fiscal real (real simplificado ou real normal). Um sistema em que o IVA é declarado. VATIsNotUsedExampleFR=Na França, significa associações que não são declaradas como imposto sobre vendas ou empresas, organizações ou profissões liberais que escolheram o sistema fiscal de microempresa (imposto sobre vendas em franquia) e pagaram um imposto sobre vendas de franquia sem qualquer declaração de imposto sobre vendas. Essa escolha exibirá a referência "Imposto sobre vendas não aplicável - art-293B do CGI" nas faturas. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Type of sales tax LTRate=Taxa @@ -1399,8 +1410,8 @@ PHPModuleLoaded=PHP component %s is loaded PreloadOPCode=Preloaded OPCode is used AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=Peça o método de envio preferido para terceiros. FieldEdition=Edição do campo %s FillThisOnlyIfRequired=Exemplo: +2 (para preencher apenas se existir problemas de desvios de fuso horário) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Não mostrar o link "Senha esquecida" na p UsersSetup=Configuração do módulo "Utilizadores" UserMailRequired=Email necessário para criar um novo usuário UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Document templates for documents generated from user record GroupsDocModules=Document templates for documents generated from a group record ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Grupos LDAPContactsSynchro=Contactos LDAPMembersSynchro=Membros LDAPMembersTypesSynchro=Tipos de Membros -LDAPSynchronization=Sincronização LDAP +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=As funções LDAP não estão disponiveis no seu PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=User id LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=Home directory -LDAPFieldHomedirectoryExample=Exemple : homedirectory +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=Home directory prefix LDAPSetupNotComplete=Configuração LDAP incompleta (va a outro separador) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Não foi indicado o administrador ou palavra-passe. Os acessos LDAP serão anónimos e no modo só de leitura. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Encontrado módulo memcached para cache de a MemcachedAvailableAndSetup=O módulo memcached dedicado está ativo. OPCodeCache=Cache OPCode NoOPCodeCacheFound=Nenhum cache OPCode encontrado. Talvez você esteja usando um cache OPCode diferente de XCache ou eAccelerator (bom), ou talvez você não tenha cache OPCode (muito ruim). -HTTPCacheStaticResources=Cache HTTP para recursos estáticos (css, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=Ficheiros do tipo %s são guardados na cache do servidor HTTP FilesOfTypeNotCached=Ficheiros do tipo %s não são guardados na cache do servidor HTTP FilesOfTypeCompressed=Ficheiros do tipo %s são comprimidos pelo servidor HTTP @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Texto livre em notas de entregas ##### FCKeditor ##### AdvancedEditor=Editor avançado ActivateFCKeditor=Ativar editor avançado para: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=Criação/edição WYSIWYG do campo descrição dos elementos (exceto produtos/serviços) -FCKeditorForProductDetails=Criação/edição WYSIWYG de descrições de produtos ou linhas para objetos (linhas de propostas, pedidos, faturas, etc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= Criação/Edição WYSIWYG para emails em massa (Ferramentas->eMailing) -FCKeditorForUserSignature=Criação/Edição WYSIWYG da assinatura do utilizador -FCKeditorForMail=Criação/Edição WYSIWYG para todo o correio (exceto Ferramentas->eMailling) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=Configuração do módulo Stock IfYouUsePointOfSaleCheckModule=Se você usar o módulo Point of Sale (POS) fornecido por padrão ou um módulo externo, essa configuração pode ser ignorada pelo seu módulo POS. A maioria dos módulos PDV é projetada por padrão para criar uma fatura imediatamente e diminuir o estoque, independentemente das opções aqui. Portanto, se você precisar ou não de uma redução de estoque ao registrar uma venda no seu PDV, verifique também a configuração do seu módulo PDV. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Menus personalizados não ligados a uma entrada do me NewMenu=Novo menu MenuHandler=Gestor de menus MenuModule=Módulo origem -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=Id do menu DetailMenuHandler=Gestor de menus onde será exibido o novo menu DetailMenuModule=Nome do módulo, no caso da entrada do menu ser resultante de um módulo @@ -1802,7 +1815,7 @@ DetailType=Tipo de menu (superior ou esquerdo) DetailTitre=Etiqueta do menu ou código da etiqueta para tradução DetailUrl=URL where menu send you (Relative URL link or external link with https://) DetailEnabled=Condição para mostrar, ou não, a entrada -DetailRight=Condição para mostrar menus cinza não autorizados +DetailRight=Condition to display unauthorized gray menus DetailLangs=Nome do ficheiro. lang para a tradução de códigos de etiquetas DetailUser=Interno / Externo / Todos Target=Alvo @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Conta a ser usada para receber pagamentos em dinheiro CashDeskBankAccountForCheque=Conta padrão a ser usada para receber pagamentos em cheque CashDeskBankAccountForCB=Conta a ser usada para receber pagamentos por cartões de crédito CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=Desativar a redução de estoque quando uma venda é feita a partir do ponto de venda (se "não", a redução de estoque é feita para cada venda feita a partir do PDV, independentemente da opção definida no módulo Estoque). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Forçar e restringir o armazém a usar para o decréscimo de stock StockDecreaseForPointOfSaleDisabled=Diminuição de estoque do ponto de venda desativado StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Realçar as linhas da tabela quando o rato passar sob HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) UseBorderOnTable=Show left-right borders on tables +TableLineHeight=Table line height BtnActionColor=Color of the action button TextBtnActionColor=Text color of the action button TextTitleColor=Cor do texto do título da página @@ -1991,7 +2006,7 @@ EnterAnyCode=This field contains a reference to identify the line. Enter any val Enter0or1=Enter 0 or 1 UnicodeCurrency=Entre aqui entre chaves, lista de números de bytes que representam o símbolo da moeda. Por exemplo: para $, insira [36] - para o brasil real R $ [82,36] - para €, insira [8364] ColorFormat=As cores RGB está no formato HEX, por exemplo: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=Posição da linha nas listas de seleção SellTaxRate=Sales tax rate RecuperableOnly=Sim para IVA "Não Percebido, mas Recuperável" dedicado a algum regiões ultramarinas da França. Mantenha o valor de "Não" em todos os outros casos.\n\n @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions @@ -2118,7 +2133,7 @@ EMailHost=Host do servidor IMAP de e-mail EMailHostPort=Port of email IMAP server loginPassword=Login/Password oauthToken=OAuth2 token -accessType=Acces type +accessType=Access type oauthService=Oauth service TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Do not include the content of email header into th EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. EmailCollectorConfirmCollectTitle=Confirmação de recebimento de email EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Example collecting leads EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' -DefaultCustomerType=Default thirdparty type for "New customer" creation form +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. RootCategoryForProductsToSell=Root category of products to sell -RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=Debug Bar DebugBarDesc=Toolbar that comes with a plenty of tools to simplify debugging DebugBarSetup=DebugBar Setup @@ -2212,10 +2227,10 @@ ImportSetup=Setup of module Import InstanceUniqueID=Unique ID of the instance SmallerThan=Smaller than LargerThan=Larger than -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector @@ -2232,12 +2247,12 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_SHOW_PROJECT=Show project on document ShowProjectLabel=Project Label -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=You may find security advisory here ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. MailToSendEventOrganization=Event Organization MailToPartnership=Partnership AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook setup Settings = Definições WebhookSetupPage = Webhook setup page ShowQuickAddLink=Show a button to quickly add an element in top right menu - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Hash used for ping ReadOnlyMode=Is instance in "Read Only" mode DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Will not work with all themes NoName=No name ShowAdvancedOptions= Show advanced options HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Use a password UseOauth=Use a OAUTH token Images=Images MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=The script is empty ShowHideTheNRequests=Show/hide the %s SQL request(s) DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2403,6 +2419,24 @@ Defaultfortype=Predefinição DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Atributos complementares (modelos de faturas) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/pt_PT/bills.lang b/htdocs/langs/pt_PT/bills.lang index 521b2b5a872..4c276b721e7 100644 --- a/htdocs/langs/pt_PT/bills.lang +++ b/htdocs/langs/pt_PT/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Realizar pagamento de recibos à cliente DisabledBecauseRemainderToPayIsZero=Desativado porque o restante não pago é zero PriceBase=Preço base BillStatus=Estado da fatura -StatusOfGeneratedInvoices=Estado das faturas geradas +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Rascunho (precisa de ser validado) BillStatusPaid=Paga BillStatusPaidBackOrConverted=Reembolso de nota de crédito ou marcado como crédito disponível @@ -167,7 +167,7 @@ ActionsOnBill=Ações sobre a fatura ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Fatura de modelo / recorrente NoQualifiedRecurringInvoiceTemplateFound=Nenhuma fatura de modelo recorrente qualificada para geração. -FoundXQualifiedRecurringInvoiceTemplate=Encontrado %s fatura (s) modelo (s) recorrente (s) qualificada (s) para geração. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Não é uma fatura modelo recorrente NewBill=Nova fatura LastBills=Últimas %s faturas @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Rascunho de faturas de fornecedor Unpaid=Pendentes ErrorNoPaymentDefined=Error No payment defined ConfirmDeleteBill=Tem a certeza que deseja eliminar esta fatura? -ConfirmValidateBill=Tem a certeza que deseja validar esta fatura com a referência %s? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Tem a certeza que pretende alterar a fatura %s para o estado de provisória? ConfirmClassifyPaidBill=Tem a certeza que pretende alterar a fatura %s para o estado de paga? ConfirmCancelBill=Tem a certeza que pretende cancelar a fatura %s? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Você confirma essa entrada de pagamento para %s %s %s? ConfirmValidatePayment=Tem certeza de que deseja validar este pagamento? Nenhuma alteração pode ser efetuada assim que o pagamento for validado. ValidateBill=Validar fatura -UnvalidateBill=Invalidar fatura +UnvalidateBill=Invalidate invoice NumberOfBills=N.ª de faturas NumberOfBillsByMonth=N.ª de faturas por mês AmountOfBills=Montante das faturas @@ -250,12 +250,13 @@ RemainderToTake=Quantidade remanescente a levar RemainderToTakeMulticurrency=Remaining amount to take, original currency RemainderToPayBack=Montante restante para reembolso RemainderToPayBackMulticurrency=Remaining amount to refund, original currency +NegativeIfExcessReceived=negative if excess received NegativeIfExcessRefunded=negative if excess refunded +NegativeIfExcessPaid=negative if excess paid Rest=Pendente AmountExpected=Montante reclamado ExcessReceived=Recebido em excesso ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received ExcessPaid=Excesso pago ExcessPaidMulticurrency=Excess paid, original currency EscompteOffered=Desconto oferecido @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Você precisa criar uma fatura padrão pri PDFCrabeDescription=Fatura PDF template Crabe. Um modelo de fatura completo (implementação antiga do modelo Sponge) PDFSpongeDescription=Modelo PDF da fatura Esponja. Um modelo de fatura completo PDFCrevetteDescription=Modelo PDF da fatura Crevette. Um modelo de fatura completo para faturas de situação -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Uma conta a começar com $syymm já existe e não é compatível com este modelo de sequencia. Remove-o ou renomeia para activar este modulo -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Early closing reason EarlyClosingComment=Early closing note ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Salários +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Salário +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/pt_PT/categories.lang b/htdocs/langs/pt_PT/categories.lang index 99a6465ebb3..06f5df24781 100644 --- a/htdocs/langs/pt_PT/categories.lang +++ b/htdocs/langs/pt_PT/categories.lang @@ -3,23 +3,23 @@ Rubrique=Etiqueta/Categoria Rubriques=Etiquetas/Categorias RubriquesTransactions=Etiquetas/Categorias de transações categories=etiquetas/categorias -NoCategoryYet=No tag/category of this type has been created +NoCategoryYet=Nenhuma categoria deste tipo foi criada In=em AddIn=Adicionar em modify=Modificar Classify=Classificar CategoriesArea=Área de etiquetas/categorias -ProductsCategoriesArea=Product/Service tags/categories area -SuppliersCategoriesArea=Vendor tags/categories area -CustomersCategoriesArea=Customer tags/categories area -MembersCategoriesArea=Member tags/categories area -ContactsCategoriesArea=Contact tags/categories area -AccountsCategoriesArea=Bank account tags/categories area -ProjectsCategoriesArea=Project tags/categories area -UsersCategoriesArea=User tags/categories area +ProductsCategoriesArea=Área de categorias de produtos e serviços +SuppliersCategoriesArea=Área de etiquetas/categorias de fornecedores +CustomersCategoriesArea=Área de etiquetas/categorias do cliente +MembersCategoriesArea=Área de etiquetas/categorias de membros +ContactsCategoriesArea=Área de etiquetas/categorias de contatos/endereços +AccountsCategoriesArea=Área de etiquetas/categorias de bancos +ProjectsCategoriesArea=Área de tags/categorias de projetos +UsersCategoriesArea=Área de etiquetas/categorias de utilizadores SubCats=Subcategorias CatList=Lista de etiquetas/categorias -CatListAll=List of tags/categories (all types) +CatListAll=Lista etiquetas/categorias (todos os tipos) NewCategory=Nova etiqueta/categoria ModifCat=Modificar etiqueta/categoria CatCreated=Etiqueta/categoria criada @@ -42,7 +42,7 @@ MemberHasNoCategory=Este membro não se encontra associado a quaisquer etiquetas ContactHasNoCategory=Este contacto não está em nenhuma etiqueta/categoria ProjectHasNoCategory=Este projeto não se encontra em nenhuma etiqueta/categoria ClassifyInCategory=Adicionar à etiqueta/categoria -RemoveCategory=Remove category +RemoveCategory=Apagar categoria NotCategorized=Sem etiqueta/categoria CategoryExistsAtSameLevel=Esta categoria já existe com referência idêntica ContentsVisibleByAllShort=Conteúdo visível por todos @@ -63,43 +63,44 @@ MembersCategoriesShort=Etiquetas/categorias de membros ContactCategoriesShort=Etiquetas/Catego. de Contactos AccountsCategoriesShort=Etiquetas/Categorias de contas ProjectsCategoriesShort=Etiquetas/Categorias de projetos -UsersCategoriesShort=Users tags/categories -StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoItems=This category does not contain any items. +UsersCategoriesShort=Etiquetas/categorias de utilizadores +StockCategoriesShort=Etiquetas/categorias de armazém +ThisCategoryHasNoItems=Esta categoria não contém nenhum item. CategId=ID de etiqueta/categoria -ParentCategory=Parent tag/category -ParentCategoryID=ID of parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories +ParentCategory=Etiqueta/categoria principal +ParentCategoryID=ID da etiqueta/categoria principal +ParentCategoryLabel=Rótulo etiqueta/categoria principal +CatSupList=Lista de etiquetas/categorias de fornecedores +CatCusList=Lista de clientes/clientes potenciais etiquetas/ategorias CatProdList=Lista de etiquetas/categorias de produtos CatMemberList=Lista de etiquetas/categorias de membros -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories +CatContactList=Lista etiquetas/categorias de contatos +CatProjectsList=Lista de etiquetas/categorias de projetos +CatUsersList=Lista etiquetas/categorias de utilizadores +CatSupLinks=Ligação entre fornecedores e etiquetas/categorias CatCusLinks=Ligações entre clientes/prospecções e etiquetas/categorias -CatContactsLinks=Links between contacts/addresses and tags/categories +CatContactsLinks=Ligação entre contatos/endereços e etiquetas/categorias CatProdLinks=Ligações entre produtos/serviços e etiquetas/categorias -CatMembersLinks=Links between members and tags/categories +CatMembersLinks=Ligações entre os membros e etiquetas/categorias CatProjectsLinks=Ligações entre os projetos e etiquetas/categorias -CatUsersLinks=Links between users and tags/categories +CatUsersLinks=Ligação entre utilizadores e etiquetas/categorias DeleteFromCat=Remover das etiquetas/categoria ExtraFieldsCategories=Atributos Complementares CategoriesSetup=Configuração de etiquetas/categorias CategorieRecursiv=Ligar com a etiqueta/categoria pai automaticamente -CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. -AddProductServiceIntoCategory=Assign category to the product/service -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier -AssignCategoryTo=Assign category to +CategorieRecursivHelp=Se a opção estiver ativada, quando você adicionar um produto a uma subcategoria, o produto também será adicionado à categoria principal. +AddProductServiceIntoCategory=Atribuir categoria ao produto/serviço +AddCustomerIntoCategory=Atribuir categoria ao cliente +AddSupplierIntoCategory=Atribuir categoria ao fornecedor +AssignCategoryTo=Atribuir categoria a ShowCategory=Mostrar etiqueta/categoria ByDefaultInList=Por predefinição na lista ChooseCategory=Escolha a categoria -StocksCategoriesArea=Warehouse Categories -TicketsCategoriesArea=Tickets Categories -ActionCommCategoriesArea=Event Categories -WebsitePagesCategoriesArea=Page-Container Categories -KnowledgemanagementsCategoriesArea=KM article Categories -UseOrOperatorForCategories=Use 'OR' operator for categories -AddObjectIntoCategory=Assign the category +StocksCategoriesArea=Categorias de Armazém +TicketsCategoriesArea=Categorias de bilhetes +ActionCommCategoriesArea=Categorias de eventos +WebsitePagesCategoriesArea=Página de categorias +KnowledgemanagementsCategoriesArea=Categorias de artigos KM +UseOrOperatorForCategories=Use o operador 'OR' para categorias +AddObjectIntoCategory=Atribuído a uma categoria +Position=Posição diff --git a/htdocs/langs/pt_PT/main.lang b/htdocs/langs/pt_PT/main.lang index beb6cfafd4a..692c53ff5bb 100644 --- a/htdocs/langs/pt_PT/main.lang +++ b/htdocs/langs/pt_PT/main.lang @@ -36,7 +36,7 @@ NoTranslation=Sem tradução Translation=Tradução Translations=Traduções CurrentTimeZone=Zona Horária PHP (servidor) -EmptySearchString=Introduza alguns critérios de pesquisa +EmptySearchString=Enter non empty search criteria EnterADateCriteria=Insira um critério de data NoRecordFound=Nenhum foi encontrado nenhum registo NoRecordDeleted=Nenhum registo eliminado @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Erro ao envio do e-mail (emissor=%s, destinatário=%s) ErrorFileNotUploaded=Não foi possivel transferir o ficheiro ErrorInternalErrorDetected=Erro detectado ErrorWrongHostParameter=Parâmetro do hospedeiro inválido -ErrorYourCountryIsNotDefined=Seu país não está definido. Vá para Início-Configuração-Editar e guarde o formulário novamente. +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=A eliminação deste registo falhou. Este registo está a ser utilizado pelo menos num registo filho. ErrorWrongValue=Valor incorrecto ErrorWrongValueForParameterX=Valor incorrecto do parâmetro %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Erro, nenhum tipo de IVA definido para o p ErrorNoSocialContributionForSellerCountry=Erro, nenhum tipo de contribuição social definida para o país %s. ErrorFailedToSaveFile=Erro, o registo do ficheiro falhou. ErrorCannotAddThisParentWarehouse=Você está a tentar adicionar um armazém "pai" que já é um armazém "filho" de um armazém já existente. +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=O campo "%s" não pode ser negativo MaxNbOfRecordPerPage=Número máximo de registos por página NotAuthorized=Não tem permissão para efetuar essa operação @@ -103,7 +104,8 @@ RecordGenerated=Registo gerado LevelOfFeature=Nivel de funções NotDefined=Não Definida DolibarrInHttpAuthenticationSoPasswordUseless=O modo de autenticação do Dolibarr está definido a %s no ficheiro de configuração conf.php.
      Isto significa que a base-de-dados de palavras-passe é externa ao Dolibarr, por isso alterar o valor deste campo poderá não surtir qualquer efeito. -Administrator=Administrador +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=Não Definido PasswordForgotten=Esqueceu-se da sua palavra-passe? NoAccount=Não possui conta? @@ -211,8 +213,8 @@ Select=Selecionar SelectAll=Seleccionar tudo Choose=Escolher Resize=Redimensionar +Crop=Crop ResizeOrCrop=Redimensionar ou Cortar -Recenter=Centrar Author=Autor User=Utilizador Users=Utilizadores @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=ICBS LT2IN=IBSE -LT1GC=Centavos adicionais +LT1GC=Additional cents VATRate=Taxa IVA RateOfTaxN=Taxa de imposto %s VATCode=Código da taxa de imposto @@ -547,6 +549,7 @@ Reportings=Relatórios Draft=Rascunho Drafts=Rascunhos StatusInterInvoiced=Facturado +Done=Realizadas Validated=Validado ValidatedToProduce=Validado (para produção) Opened=Aberto @@ -698,6 +701,7 @@ Response=Resposta Priority=Prioridade SendByMail=Enviar via e-mail MailSentBy=Email enviado por +MailSentByTo=Email sent by %s to %s NotSent=Não enviado TextUsedInTheMessageBody=Texto utilizado no corpo da mensagem SendAcknowledgementByMail=Enviar email de confirmação @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Registo modificado com êxito RecordsModified=%s registo(s) modificado(s) RecordsDeleted=%s registo(s) apagado(s) RecordsGenerated=%s registo(s) gerado(s) +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=Criação automática de código FeatureDisabled=Função Desactivada MoveBox=Mover widget @@ -764,11 +769,10 @@ DisabledModules=Módulos Desactivados For=Para ForCustomer=Para cliente Signature=Assinatura -DateOfSignature=Data da assinatura HidePassword=Esconder password UnHidePassword=Mostrar caracteres da password Root=Raíz -RootOfMedias=Raiz de Múltimedia Públicos (/medias) +RootOfMedias=Root of public media (/medias) Informations=Informação Page=Página Notes=Notas @@ -916,6 +920,7 @@ BackOffice=Back office Submit=Enviar View=Vista Export=Exportar +Import=Import Exports=Exportados ExportFilteredList=Exportar lista filtrada ExportList=Exportar lista @@ -949,7 +954,7 @@ BulkActions=Ações em massa ClickToShowHelp=Clique para mostrar o balão de ajuda WebSite=Site da Web WebSites=Sites da Web -WebSiteAccounts=Contas do site +WebSiteAccounts=Web access accounts ExpenseReport=Relatório de despesas ExpenseReports=Relatórios de despesas HR=RH @@ -1077,6 +1082,7 @@ CommentPage=Espaço de comentários CommentAdded=Comentário adicionado CommentDeleted=Comentário eliminado Everybody=Todos +EverybodySmall=Todos PayedBy=Paga por PayedTo=Pago a Monthly=Mensal @@ -1089,7 +1095,7 @@ KeyboardShortcut=Atalho de teclado AssignedTo=Atribuído a Deletedraft=Eliminar rascunho ConfirmMassDraftDeletion=Confirmação de eliminação múltipla de rascunhos -FileSharedViaALink=Arquivo compartilhado com um link público +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Seleccione um terceiro em primeiro... YouAreCurrentlyInSandboxMode=Você está atualmente no modo %s "sandbox" Inventory=Inventário @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Tarefa ContactDefault_propal=Orçamento ContactDefault_supplier_proposal=Proposta de Fornecedor ContactDefault_ticket=Ticket -ContactAddedAutomatically=Contacto adicionado a partir dos roles de contacto terceiro +ContactAddedAutomatically=Contact added from third-party contact roles More=Mais ShowDetails=Mostrar detalhes CustomReports=Relatórios personalizados @@ -1163,8 +1169,8 @@ AffectTag=Atribuir uma Etiqueta AffectUser=Atribuir um Utilizador SetSupervisor=Definir o supervisor CreateExternalUser=Criar utilizador externo -ConfirmAffectTag=Atribuição de Etiqueta em massa -ConfirmAffectUser=Atribuição de Utilizador em massa +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=Função atribuída em cada projeto/oportunidade TasksRole=Função atribuída em cada tarefa (se usado) ConfirmSetSupervisor=Designação de Supervisor em massa @@ -1222,7 +1228,7 @@ UserAgent=Agente utilizador InternalUser=Utilizador interno ExternalUser=Utilizador externo NoSpecificContactAddress=Sem contacto ou endereço específico -NoSpecificContactAddressBis=Esta aba é dedicada a forçar contactos ou endereços específicos para o objeto atual. Use-a somente se desejar definir um ou vários contactos ou endereços específicos para o objeto quando as informações do terceiro não forem suficientes ou precisas. +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Ocultar %s AddToContacts=Adicionar endereço aos meus contactos LastAccess=Último acesso @@ -1239,3 +1245,18 @@ DateOfPrinting=Date of printing ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. UserNotYetValid=Not yet valid UserExpired=Expirada +LinkANewFile=Associar um novo ficheiro/documento +LinkedFiles=Ficheiros e documentos associados +NoLinkFound=Nenhumas ligações registadas +LinkComplete=Os ficheiros foram ligados com sucesso +ErrorFileNotLinked=Os ficheiros não puderam ser ligados +LinkRemoved=A hiperligação %s foi removida +ErrorFailedToDeleteLink= falhou a remoção da ligação '%s' +ErrorFailedToUpdateLink= Falha na atualização de ligação '%s' +URLToLink=URL para hiperligação +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/pt_PT/products.lang b/htdocs/langs/pt_PT/products.lang index 1462cc0fe80..c8f5da24e7a 100644 --- a/htdocs/langs/pt_PT/products.lang +++ b/htdocs/langs/pt_PT/products.lang @@ -80,8 +80,11 @@ SoldAmount=Quantidade vendida PurchasedAmount=Quantidade comprada NewPrice=Novo preço MinPrice=Min. selling price +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=Editar etiqueta de preço de venda -CantBeLessThanMinPrice=O preço de venda não pode ser inferior ao mínimo permitido para este produto ( %s sem impostos) +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Fechado ErrorProductAlreadyExists=Um produto com a referencia %s já existe. ErrorProductBadRefOrLabel=O valor da referencia ou etiqueta é incorrecto @@ -137,7 +140,8 @@ ConfirmDeleteProductLine=Tem a certeza que quer eliminar esta linha de produto? ProductSpecial=Especial QtyMin=Min. purchase quantity PriceQtyMin=Price quantity min. -PriceQtyMinCurrency=Price (currency) for this qty. (no discount) +PriceQtyMinCurrency=Price (currency) for this qty. +WithoutDiscount=Without discount VATRateForSupplierProduct=VAT Rate (for this vendor/product) DiscountQtyMin=Discount for this qty. NoPriceDefinedForThisSupplier=No price/qty defined for this vendor/product @@ -261,7 +265,7 @@ Quarter1=1º Trimestre Quarter2=2º Trimestre Quarter3=3º Trimestre Quarter4=4º Trimestre -BarCodePrintsheet=Imprimir código de barras +BarCodePrintsheet=Print barcodes PageToGenerateBarCodeSheets=With this tool, you can print sheets of barcode stickers. Choose format of your sticker page, type of barcode and value of barcode, then click on button %s. NumberOfStickers=Número de adesivos para imprimir na página PrintsheetForOneBarCode=Imprima vários adesivos para um código de barras @@ -344,18 +348,19 @@ PossibleValues=Valores possíveis GoOnMenuToCreateVairants=Vá no menu %s - %s para preparar variantes de atributos (como cores, tamanho, ...) UseProductFournDesc=Add a feature to define the product description defined by the vendors (for each vendor reference) in addition to the description for customers ProductSupplierDescription=Vendor description for the product -UseProductSupplierPackaging=Use packaging on supplier prices (recalculate quantities according to packaging set on supplier price when adding/updating line in supplier documents) -PackagingForThisProduct=Packaging -PackagingForThisProductDesc=On supplier order, you will automaticly order this quantity (or a multiple of this quantity). Cannot be less than minimum buying quantity +UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) +PackagingForThisProduct=Packaging of quantities +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging #Attributes +Attributes=Atributos VariantAttributes=Atributos variantes ProductAttributes=Atributos variantes para produtos ProductAttributeName=Atributo variante %s ProductAttribute=Atributo variante ProductAttributeDeleteDialog=Tem certeza de que deseja excluir este atributo? Todos os valores serão excluídos -ProductAttributeValueDeleteDialog=Tem certeza de que deseja excluir o valor "%s" com a referência "%s" deste atributo? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Tem certeza de que deseja excluir a variante do produto " %s "? ProductCombinationAlreadyUsed=Ocorreu um erro ao excluir a variante. Por favor, verifique se não está sendo usado em nenhum objeto ProductCombinations=Variantes @@ -386,6 +391,7 @@ ErrorDeletingGeneratedProducts=Ocorreu um erro ao tentar excluir variantes de pr NbOfDifferentValues=No. de valores diferentes NbProducts=Number of products ParentProduct=Produto pai +ParentProductOfVariant=Parent product of variant HideChildProducts=Ocultar produtos variantes ShowChildProducts=Mostrar produtos variantes NoEditVariants=Vá para o cartão do produto pai e edite o impacto do preço das variantes na guia "Variantes" @@ -398,7 +404,7 @@ ActionAvailableOnVariantProductOnly=Action only available on the variant of prod ProductsPricePerCustomer=Product prices per customers ProductSupplierExtraFields=Additional Attributes (Supplier Prices) DeleteLinkedProduct=Delete the child product linked to the combination -AmountUsedToUpdateWAP=Amount to use to update the Weighted Average Price +AmountUsedToUpdateWAP=Unit amount to use to update the Weighted Average Price PMPValue=Valor (PMP) PMPValueShort=PMP mandatoryperiod=Mandatory periods @@ -408,6 +414,26 @@ mandatoryHelper=Check this if you want a message to the user when creating / val DefaultBOM=Default BOM DefaultBOMDesc=The default BOM recommended to use to manufacture this product. This field can be set only if nature of product is '%s'. Rank=Rank +MergeOriginProduct=Duplicate product (product you want to delete) +MergeProducts=Merge products +ConfirmMergeProducts=Are you sure you want to merge the chosen product with the current one? All linked objects (invoices, orders, ...) will be moved to the current product, after which the chosen product will be deleted. +ProductsMergeSuccess=Products have been merged +ErrorsProductsMerge=Errors in products merge SwitchOnSaleStatus=Switch on sale status SwitchOnPurchaseStatus=Switch on purchase status -StockMouvementExtraFields= Extra Fields (stock mouvement) +UpdatePrice=Increase/decrease customer price +StockMouvementExtraFields= Extra Fields (stock movement) +InventoryExtraFields= Extra Fields (inventory) +ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes +PuttingPricesUpToDate=Update prices with current known prices +PuttingDescUpToDate=Update descriptions with current known descriptions +PMPExpected=Expected PMP +ExpectedValuation=Expected Valuation +PMPReal=Real PMP +RealValuation=Real Valuation +ConfirmEditExtrafield = Select the extrafield you want modify +ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? +ModifyValueExtrafields = Modify value of an extrafield +OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/pt_PT/projects.lang b/htdocs/langs/pt_PT/projects.lang index 7074a9b4f3c..026f39246f9 100644 --- a/htdocs/langs/pt_PT/projects.lang +++ b/htdocs/langs/pt_PT/projects.lang @@ -5,7 +5,7 @@ ProjectId=Id. do Projeto ProjectLabel=Nome do Projeto ProjectsArea=Área de Projetos ProjectStatus=Estado do projeto -SharedProject=Toda a Gente +SharedProject=Todos PrivateProject=Assigned contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=Todos os projetos que eu posso ler (meus + público) @@ -33,33 +33,35 @@ DeleteATask=Apagar uma Tarefa ConfirmDeleteAProject=Tem certeza de que deseja eliminar este projeto? ConfirmDeleteATask=Tem certeza de que deseja eliminar esta tarefa? OpenedProjects=Projetos abertos -OpenedTasks=Abrir tarefas -OpportunitiesStatusForOpenedProjects=Leva quantidade de projetos abertos por status -OpportunitiesStatusForProjects=Leva quantidade de projetos por status -ShowProject=Mostrar Projeto +OpenedProjectsOpportunities=Open opportunities +OpenedTasks=Tarefas abertas +OpportunitiesStatusForOpenedProjects=Valor de projetos abertos por status +OpportunitiesStatusForProjects=Valor de projetos por status\n  +ShowProject=Mostrar projeto ShowTask=Ver tarefa SetThirdParty=Set third party -SetProject=Definir Projeto +SetProject=Definir projeto OutOfProject=Out of project -NoProject=Nenhum projeto definido ou possuído +NoProject=Nenhum projeto definido ou detido NbOfProjects=Number of projects NbOfTasks=Number of tasks -TimeSpent=Tempo Dispendido +TimeEntry=Time tracking +TimeSpent=Tempo gasto +TimeSpentSmall=Tempo gasto TimeSpentByYou=Tempo gasto por você TimeSpentByUser=Tempo gasto pelo utilizador -TimesSpent=Tempos Dispendidos TaskId=Task ID RefTask=Task ref. LabelTask=Task label -TaskTimeSpent=Tempo despendido nas tarefas +TaskTimeSpent=Tempo gasto nas tarefas TaskTimeUser=Utilizador TaskTimeNote=Nota TaskTimeDate=Data TasksOnOpenedProject=Tarefas em projetos abertos WorkloadNotDefined=Carga de trabalho não definida -NewTimeSpent=Tempos Dispendidos -MyTimeSpent=Meu Tempo Dispendido -BillTime=Bill o tempo gasto +NewTimeSpent=Tempo gasto +MyTimeSpent=O meu tempo gasto +BillTime=Faturar o tempo gasto BillTimeShort=Bill time TimeToBill=Time not billed TimeBilled=Time billed @@ -70,18 +72,18 @@ TaskDateEnd=Data do fim da tarefa TaskDescription=Descrição da tarefa NewTask=Nova tarefa AddTask=Criar Tarefa -AddTimeSpent=Crie tempo gasto +AddTimeSpent=Registe o tempo gasto AddHereTimeSpentForDay=Adicione aqui o tempo gasto para este dia / tarefa AddHereTimeSpentForWeek=Add here time spent for this week/task Activity=Atividade -Activities=Tarefas/Atividades -MyActivities=As Minhas Tarefas/Atividades -MyProjects=Os Meus Projetos -MyProjectsArea=A Minha Área de Projetos -DurationEffective=Duração Efetiva +Activities=Tarefas/atividades +MyActivities=As Minhas tarefas/atividades +MyProjects=Os meus projetos +MyProjectsArea=A minha area de projetos +DurationEffective=Duração efetiva ProgressDeclared=Declared real progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently open tasks +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption ProgressCalculated=Progress on consumption @@ -90,70 +92,70 @@ WhichIamLinkedToProject=which I'm linked to project Time=Tempo TimeConsumed=Consumed ListOfTasks=Lista de tarefas -GoToListOfTimeConsumed=Ir para a lista de tempo consumido +GoToListOfTimeConsumed=Ir para a lista de tempo gasto GanttView=Vista de Gantt ListWarehouseAssociatedProject=List of warehouses associated to the project -ListProposalsAssociatedProject=Lista das propostas comerciais relacionadas ao projeto +ListProposalsAssociatedProject=Lista das propostas comerciais relacionadas com o projeto ListOrdersAssociatedProject=List of sales orders related to the project -ListInvoicesAssociatedProject=Lista de faturas de clientes relacionadas ao projeto -ListPredefinedInvoicesAssociatedProject=Lista de faturas de modelos de clientes relacionadas ao projeto +ListInvoicesAssociatedProject=Lista de faturas de clientes relacionadas com o projeto +ListPredefinedInvoicesAssociatedProject=Lista de modelos faturas de clientes relacionadas com o projeto ListSupplierOrdersAssociatedProject=List of purchase orders related to the project ListSupplierInvoicesAssociatedProject=List of vendor invoices related to the project -ListContractAssociatedProject=Lista de contratos relacionados ao projeto -ListShippingAssociatedProject=Lista de embarques relacionados ao projeto -ListFichinterAssociatedProject=Lista de intervenções relacionadas ao projeto -ListExpenseReportsAssociatedProject=Lista de relatórios de despesas relacionados ao projeto -ListDonationsAssociatedProject=Lista de doações relacionadas ao projeto -ListVariousPaymentsAssociatedProject=Lista de pagamentos diversos relacionados ao projeto -ListSalariesAssociatedProject=Lista de pagamentos de salários relacionados ao projeto -ListActionsAssociatedProject=Lista de eventos relacionados ao projeto +ListContractAssociatedProject=Lista de contratos relacionados com o projeto +ListShippingAssociatedProject=Lista de entregas relacionados ao projeto +ListFichinterAssociatedProject=Lista de intervenções relacionadas com o projeto +ListExpenseReportsAssociatedProject=Lista de relatórios de despesas relacionados com o projeto +ListDonationsAssociatedProject=Lista de doações relacionadas com o projeto +ListVariousPaymentsAssociatedProject=Lista de pagamentos diversos relacionados com o projeto +ListSalariesAssociatedProject=Lista de pagamentos de salários relacionados com o projeto +ListActionsAssociatedProject=Lista de intervenções relacionadas com o projeto ListMOAssociatedProject=List of manufacturing orders related to the project -ListTaskTimeUserProject=Lista de tempo consumido em tarefas do projeto -ListTaskTimeForTask=Lista de tempo consumido na tarefa -ActivityOnProjectToday=Atividade no projeto hoje -ActivityOnProjectYesterday=Atividade no projeto ontem -ActivityOnProjectThisWeek=Atividade do Projeto nesta Semana -ActivityOnProjectThisMonth=Actividade do Projecto neste Mês -ActivityOnProjectThisYear=Actividade do Projecto neste Ano -ChildOfProjectTask=Link do Projeto/Tarefa -ChildOfTask=Filho da tarefa -TaskHasChild=Tarefa tem filho +ListTaskTimeUserProject=Lista de tempo gasto em tarefas do projeto +ListTaskTimeForTask=Lista de tempo gasto na tarefa +ActivityOnProjectToday=Atividade de hoje no projeto +ActivityOnProjectYesterday=Atividade de ontem no projeto +ActivityOnProjectThisWeek=Atividade da semana no projeto +ActivityOnProjectThisMonth=Atividades do mês no projeto +ActivityOnProjectThisYear=Atividade do ano no projeto +ChildOfProjectTask=Sub projeto/tarefa +ChildOfTask=Sub tarefa +TaskHasChild=Tarefa tem sub tarefa NotOwnerOfProject=Não é responsável por este projeto privado AffectedTo=Atribuido a CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=Validar projeto -ConfirmValidateProject=Tem certeza de que deseja validar este projeto? +ValidateProject=Validate project +ConfirmValidateProject=Tem a certeza de que deseja validar este projeto? CloseAProject=Fechar projeto ConfirmCloseAProject=Tem a certeza de que deseja fechar este projeto? AlsoCloseAProject=Also close project AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it ReOpenAProject=Reabrir projeto ConfirmReOpenAProject=Tem a certeza de que deseja reabrir este projeto? -ProjectContact=Contactos do projeto +ProjectContact=Contatos do projeto TaskContact=Contatos da tarefa -ActionsOnProject=Ações sobre o projeto -YouAreNotContactOfProject=Não é um contato deste projeto privado -UserIsNotContactOfProject=O usuário não é um contato deste projeto privado -DeleteATimeSpent=Excluir o tempo gasto -ConfirmDeleteATimeSpent=Tem certeza de que deseja eliminar este tempo gasto? -DoNotShowMyTasksOnly=Ver também as tarefas não me atribuidas +ActionsOnProject=Intervenções no projeto +YouAreNotContactOfProject=Você não é um contato deste projeto privado +UserIsNotContactOfProject=O utilizador não é um contato deste projeto privado +DeleteATimeSpent=Apagar o tempo gasto +ConfirmDeleteATimeSpent=Tem certeza de que deseja apagar este tempo gasto? +DoNotShowMyTasksOnly=Ver também as tarefas não atribuídas a mim ShowMyTasksOnly=Ver só as tarefas que me foram atribuídas TaskRessourceLinks=Contacts of task ProjectsDedicatedToThisThirdParty=Projetos dedicados a este terceiro NoTasks=Não existem tarefas para este projeto -LinkedToAnotherCompany=Vinculado a Terceiros -TaskIsNotAssignedToUser=Tarefa não atribuída ao usuário. Use o botão ' %s ' para atribuir tarefa agora. -ErrorTimeSpentIsEmpty=Tempo dispensado está vazio +LinkedToAnotherCompany=Atribuído a um outro terceiro +TaskIsNotAssignedToUser=Tarefa não atribuída ao utilizador. Use o botão ' %s ' para atribuir tarefa agora. +ErrorTimeSpentIsEmpty=Tempo gasto está vazio TimeRecordingRestrictedToNMonthsBack=Time recording is restricted to %s months back -ThisWillAlsoRemoveTasks=Esta ação também vai excluir todas as tarefas do projeto (%s tarefas no momento) e todas as entradas de tempo dispensadas. -IfNeedToUseOtherObjectKeepEmpty=Caso alguns objetos (fatura, encomenda, ...), pertencentes a um terceiro, deve estar vinculado ao projeto para criar, manter este vazio para ter o projeto sendo multi-terceiros. -CloneTasks=Clonar tarefas -CloneContacts=Clonar contactos -CloneNotes=Clonar notas -CloneProjectFiles=Projeto clone juntou arquivos -CloneTaskFiles=Tarefa (s) clone (s) juntou-se a arquivos (se a tarefa foi clonada) +ThisWillAlsoRemoveTasks=Esta ação também vai excluir todas as tarefas do projeto (%s tarefas atuais) e todas as entradas de tempo gasto. +IfNeedToUseOtherObjectKeepEmpty=Caso alguns objetos (fatura, encomenda, ...), pertencentes a um terceiro, deve estar vinculado ao projeto para criar, manter este campo vazio para ter o projeto afetado a múltiplos terceiros. +CloneTasks=Duplicar tarefas +CloneContacts=Duplicar contactos +CloneNotes=Duplicar notas +CloneProjectFiles=Duplicar ficheiros anexos ao projeto +CloneTaskFiles=Duplicar ficheiros da tarefa (se a tarefa for duplicada) CloneMoveDate=Atualizar as datas dos projetos/tarefas a partir de agora? -ConfirmCloneProject=Tem a certeza de que deseja clonar este projeto? +ConfirmCloneProject=Tem a certeza de que deseja duplicar este projeto? ProjectReportDate=Alterar as datas das tarefas de acordo com a nova data de início do projeto ErrorShiftTaskDate=Impossível deslocar a data da tarefa de acordo com a data de início do novo projeto ProjectsAndTasksLines=Projetos e tarefas @@ -163,20 +165,20 @@ ProjectModifiedInDolibarr=Projeto %s, modificado TaskCreatedInDolibarr=%s tarefas criadas TaskModifiedInDolibarr=%s tarefas modificadas TaskDeletedInDolibarr=%s tarefas apagadas -OpportunityStatus=Status de lead -OpportunityStatusShort=Lead status -OpportunityProbability=Probabilidade de chumbo +OpportunityStatus=Situação de negocio +OpportunityStatusShort=Situação de potencial +OpportunityProbability=Probabilidade de negocio OpportunityProbabilityShort=Lead probab. -OpportunityAmount=Quantidade de chumbo -OpportunityAmountShort=Lead amount +OpportunityAmount=Valor de negocio +OpportunityAmountShort=Valor de negocio OpportunityWeightedAmount=Amount of opportunity, weighted by probability OpportunityWeightedAmountShort=Opp. weighted amount OpportunityAmountAverageShort=Average lead amount OpportunityAmountWeigthedShort=Weighted lead amount -WonLostExcluded=Ganho/Perdido excluído +WonLostExcluded=Ganho/perda excluído ##### Types de contacts ##### -TypeContact_project_internal_PROJECTLEADER=Líder do projeto -TypeContact_project_external_PROJECTLEADER=Líder do projeto +TypeContact_project_internal_PROJECTLEADER=Chefe de projeto +TypeContact_project_external_PROJECTLEADER=Chefe de projeto TypeContact_project_internal_PROJECTCONTRIBUTOR=Colaborador TypeContact_project_external_PROJECTCONTRIBUTOR=Colaborador TypeContact_project_task_internal_TASKEXECUTIVE=Tarefa executiva @@ -187,12 +189,12 @@ SelectElement=Selecionar elemento AddElement=Ligar ao elemento LinkToElementShort=Associar a # Documents models -DocumentModelBeluga=Modelo de documento de projeto para visão geral de objetos vinculados +DocumentModelBeluga=Modelo de documento de projeto para objetos anexados DocumentModelBaleine=Modelo de documento de projeto para tarefas DocumentModelTimeSpent=Modelo de relatório do projeto para o tempo gasto PlannedWorkload=Carga de trabalho prevista PlannedWorkloadShort=Carga de trabalho -ProjectReferers=Itens relacionados +ProjectReferers=Objetos relacionados ProjectMustBeValidatedFirst=Primeiro deve validar o projeto MustBeValidatedToBeSigned=%s must be validated first to be set to Signed. FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time @@ -200,13 +202,13 @@ InputPerDay=Entrada por dia InputPerWeek=Entrada por semana InputPerMonth=Input per month InputDetail=Detalhe da entrada -TimeAlreadyRecorded=Este é o tempo gasto já gravado para esta tarefa / dia e usuário %s +TimeAlreadyRecorded=Este é o tempo gasto já gravado para esta tarefa / dia e utilizador %s ProjectsWithThisUserAsContact=Projetos com este utilizador como contacto -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=Projects with this third-party contact TasksWithThisUserAsContact=Tarefas atribuídas a este utilizador ResourceNotAssignedToProject=Não atribuído ao projeto ResourceNotAssignedToTheTask=Não atribuído à tarefa -NoUserAssignedToTheProject=Nenhum usuário atribuído a este projeto +NoUserAssignedToTheProject=Nenhum utilizador atribuído a este projeto TimeSpentBy=Tempo gasto por TasksAssignedTo=Tarefas atribuídas a AssignTaskToMe=Assign task to myself @@ -214,30 +216,30 @@ AssignTaskToUser=Atribuir tarefa a %s SelectTaskToAssign=Selecione a tarefa para atribuir ... AssignTask=Atribuir ProjectOverview=Resumo -ManageTasks=Use projetos para acompanhar tarefas e / ou relatar o tempo gasto (quadros de horários) -ManageOpportunitiesStatus=Usar projetos para seguir leads/oportunidades +ManageTasks=Use projetos para monitorar tarefas e / ou relatar o tempo gasto (tabelas de tempos) +ManageOpportunitiesStatus=Usar projetos para seguir potenciais/oportunidades ProjectNbProjectByMonth=Nº de projetos criados por mês ProjectNbTaskByMonth=Nº de tarefas criadas por mês -ProjectOppAmountOfProjectsByMonth=Quantidade de leads por mês -ProjectWeightedOppAmountOfProjectsByMonth=Quantidade ponderada de leads por mês +ProjectOppAmountOfProjectsByMonth=Quantidade de potenciais por mês +ProjectWeightedOppAmountOfProjectsByMonth=Quantidade ponderada de potenciais por mês ProjectOpenedProjectByOppStatus=Open project|lead by lead status ProjectsStatistics=Statistics on projects or leads TasksStatistics=Statistics on tasks of projects or leads TaskAssignedToEnterTime=Tarefa atribuída. A inserção de tempo nesta tarefa deve ser possível. -IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX -OpenedProjectsByThirdparties=Projetos abertos, por terceiros -OnlyOpportunitiesShort=Apenas leva -OpenedOpportunitiesShort=Ligações abertas +IdTaskTime=Codigo de tempo de tarefa +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX +OpenedProjectsByThirdparties=Projetos abertos por terceiros +OnlyOpportunitiesShort=Apenas potenciais +OpenedOpportunitiesShort=Potenciais abertos NotOpenedOpportunitiesShort=Not an open lead -NotAnOpportunityShort=Não é um lead -OpportunityTotalAmount=Quantidade total de leads -OpportunityPonderatedAmount=Quantidade ponderada de leads -OpportunityPonderatedAmountDesc=Leva quantidade ponderada com probabilidade +NotAnOpportunityShort=Não é um potencial +OpportunityTotalAmount=Quantidade total de potenciais +OpportunityPonderatedAmount=Quantidade ponderada de potenciais +OpportunityPonderatedAmountDesc=Valor total de potenciais e sua probabilidade OppStatusPROSP=Prospeção OppStatusQUAL=Qualificação -OppStatusPROPO=Orçamento -OppStatusNEGO=Negociação +OppStatusPROPO=Proposta +OppStatusNEGO=Negotiation OppStatusPENDING=Pendente OppStatusWON=Ganho OppStatusLOST=Perdido @@ -251,17 +253,18 @@ ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. ChooseANotYetAssignedTask=Choose a task not yet assigned to you # Comments trans -AllowCommentOnTask=Permitir comentários de usuários sobre tarefas -AllowCommentOnProject=Permitir comentários de usuários em projetos +AllowCommentOnTask=Permitir comentários de utilizadores nas tarefas +AllowCommentOnProject=Permitir comentários de utilizadores em projetos DontHavePermissionForCloseProject=Você não tem permissão para fechar o projeto %s -DontHaveTheValidateStatus=O projeto %s deve estar ativo para ser desativado +DontHaveTheValidateStatus=O projeto %s deve estar ativo para ser fechado RecordsClosed=%s projeto (s) fechado (s) -SendProjectRef=Projeto de informação %s +SendProjectRef=Informação do projeto %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized NewTaskRefSuggested=Task ref already used, a new task ref is required +NumberOfTasksCloned=%s task(s) cloned TimeSpentInvoiced=Time spent billed -TimeSpentForIntervention=Tempos Dispendidos -TimeSpentForInvoice=Tempos Dispendidos +TimeSpentForIntervention=Tempo gasto +TimeSpentForInvoice=Tempo gasto OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines by default InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project diff --git a/htdocs/langs/pt_PT/propal.lang b/htdocs/langs/pt_PT/propal.lang index 281d1802dc4..869f48a53f2 100644 --- a/htdocs/langs/pt_PT/propal.lang +++ b/htdocs/langs/pt_PT/propal.lang @@ -2,7 +2,7 @@ Proposals=Orçamentos Proposal=Orçamento ProposalShort=Orçamento -ProposalsDraft=Orçamentos rascunhos +ProposalsDraft=Orçamentos rascunho ProposalsOpened=Orçamentos abertos CommercialProposal=Orçamento PdfCommercialProposalTitle=Orçamento @@ -12,9 +12,11 @@ NewPropal=Novo orçamento Prospect=Cliente Potencial DeleteProp=Eliminar orçamento ValidateProp=Validar orçamento +CancelPropal=Cancelar AddProp=Criar orçamento ConfirmDeleteProp=Tem a certeza que pretende eliminar este orçamento? ConfirmValidateProp=Tem certeza que deseja validar este orçamento com o nome %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Os últimos %s orçamentos LastModifiedProposals=Últimos %s orçamentos modificados AllPropals=Todos os orçamentos @@ -22,39 +24,42 @@ SearchAProposal=Procurar um orçamento NoProposal=Nenhum orçamento ProposalsStatistics=Estatísticas de orçamentos NumberOfProposalsByMonth=Número por Mês -AmountOfProposalsByMonthHT=Amount by month (excl. tax) +AmountOfProposalsByMonthHT=Montante por Mês (sem IVA) NbOfProposals=Número de orçamentos ShowPropal=Mostrar orçamento -PropalsDraft=Rascunho -PropalsOpened=Aberta +PropalsDraft=Rascunhos +PropalsOpened=Aberto +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Rascunho (precisa de ser validado) PropalStatusValidated=Validado (Orçamento Aberto) PropalStatusSigned=Assinado (por faturar) PropalStatusNotSigned=Sem Assinar (Fechado) PropalStatusBilled=Faturado +PropalStatusCanceledShort=Cancelada PropalStatusDraftShort=Rascunho -PropalStatusValidatedShort=Validated (open) +PropalStatusValidatedShort=Validado (aberto) PropalStatusClosedShort=Fechado PropalStatusSignedShort=Assinado PropalStatusNotSignedShort=Não assinado PropalStatusBilledShort=Faturado PropalsToClose=Orçamentos a fechar -PropalsToBill=Orçamentos assinados para faturar +PropalsToBill=Orçamentos assinados a faturar ListOfProposals=Lista de orçamentos -ActionsOnPropal=Ações do orçamento +ActionsOnPropal=Ações no orçamento RefProposal=Ref. do orçamento -SendPropalByMail=Enviar orçamento por correio +SendPropalByMail=Enviar orçamento por e-mail DatePropal=Data do orçamento DateEndPropal=Válido até ValidityDuration=Duração da Validade SetAcceptedRefused=Definir aceite/recusado -ErrorPropalNotFound=Orçamento %s Inexistente +ErrorPropalNotFound=Orçamento %s inexistente AddToDraftProposals=Adicionar ao orçamento rascunho -NoDraftProposals=Sem orçamentos rascunhos -CopyPropalFrom=Criar orçamento, copiando um orçamento existente -CreateEmptyPropal=Create empty commercial proposal or from list of products/services +NoDraftProposals=Sem orçamentos rascunho +CopyPropalFrom=Criar orçamento copiando um orçamento existente +CreateEmptyPropal=Criar novo orçamento ou a partir da lista de produtos/serviços DefaultProposalDurationValidity=Prazo de validade predefinido do orçamento (em dias) -DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal +DefaultPuttingPricesUpToDate=Na duplicação de uma proposta, por defeito, atualize os preços com os preços atuais conhecidos. +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address ConfirmClonePropal=Tem a certeza que pretende clonar o orçamento %s? ConfirmReOpenProp=Tem a certeza que pretende reabrir o orçamento %s? @@ -113,6 +118,7 @@ RefusePropal=Refuse proposal Sign=Sign SignContract=Sign contract SignFichinter=Sign intervention +SignSociete_rib=Sign mandate SignPropal=Accept proposal Signed=signed SignedOnly=Signed only diff --git a/htdocs/langs/pt_PT/receptions.lang b/htdocs/langs/pt_PT/receptions.lang index 6aea0bcd138..f746625b2b2 100644 --- a/htdocs/langs/pt_PT/receptions.lang +++ b/htdocs/langs/pt_PT/receptions.lang @@ -32,10 +32,11 @@ StatusReceptionDraftShort=Esboço, projeto StatusReceptionValidatedShort=Validado StatusReceptionProcessedShort=Processado ReceptionSheet=Folha de recepção +ValidateReception=Validate reception ConfirmDeleteReception=Tem certeza de que deseja excluir esta recepção? -ConfirmValidateReception=Tem certeza de que deseja validar esta recepção com referência %s ? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Tem certeza de que deseja cancelar esta recepção? -StatsOnReceptionsOnlyValidated=Estatísticas realizadas em recepções validadas apenas. A data usada é a data de validação da recepção (a data de entrega planejada nem sempre é conhecida). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Enviar recepção por email SendReceptionRef=Submissão da recepção %s ActionsOnReception=Eventos na recepção @@ -48,7 +49,10 @@ ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions NoMorePredefinedProductToDispatch=No more predefined products to dispatch ReceptionExist=A reception exists -ByingPrice=Bying price ReceptionBackToDraftInDolibarr=Reception %s back to draft ReceptionClassifyClosedInDolibarr=Reception %s classified Closed ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/pt_PT/sendings.lang b/htdocs/langs/pt_PT/sendings.lang index c83fb835633..6ac5731def2 100644 --- a/htdocs/langs/pt_PT/sendings.lang +++ b/htdocs/langs/pt_PT/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Validado StatusSendingProcessedShort=Processado SendingSheet=Folha de expedição ConfirmDeleteSending=Tem certeza de que deseja eliminar esta expedição? -ConfirmValidateSending=Tem a certeza de que deseja validar esta expedição com a referência %s ? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Tem a certeza que deseja cancelar esta expedição? DocumentModelMerou=Mérou modelo A5 WarningNoQtyLeftToSend=Atenção, não existe qualquer produto à espera de ser enviado. @@ -48,7 +48,7 @@ DateDeliveryPlanned=Data prevista de entrega RefDeliveryReceipt=Ref. do recibo de entrega StatusReceipt=Estado do recibo de entrega DateReceived=Data da entrega recebida -ClassifyReception=Classify reception +ClassifyReception=Classify Received SendShippingByEMail=Send shipment by email SendShippingRef=Submissão da expedição %s ActionsOnShipping=Eventos em embarque @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase NoProductToShipFoundIntoStock=No product to ship found in warehouse %s. Correct stock or go back to choose another warehouse. WeightVolShort=Peso/Volume ValidateOrderFirstBeforeShipment=Deve validar a encomenda antes de poder efetuar expedições. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,3 +75,12 @@ SumOfProductWeights=Soma dos pesos dos produtos # warehouse details DetailWarehouseNumber= Detalhes do armazém DetailWarehouseFormat= W:%s (Qty: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation + +ShipmentDistribution=Shipment distribution + +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/pt_PT/withdrawals.lang b/htdocs/langs/pt_PT/withdrawals.lang index c65fb95fedf..9eaf8203a4b 100644 --- a/htdocs/langs/pt_PT/withdrawals.lang +++ b/htdocs/langs/pt_PT/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Make a credit transfer request WithdrawRequestsDone=Pedidos de pagamento por débito direto %s registrados BankTransferRequestsDone=%s credit transfer requests recorded ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=Nenhuma fatura debitada com sucesso. Verifique se as faturas estão em empresas com um IBAN válido e se o IBAN tem uma UMR (Unique Mandate Reference) com o modo %s . +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. ClassCredited=Classificar como creditado ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Tem certeza que quer entrar com uma rejeição de levan RefusedData=Data de rejeição RefusedReason=Motivo da rejeição RefusedInvoicing=Faturação da rejeição -NoInvoiceRefused=Não cobrar a rejeição -InvoiceRefused=Fatura recusada (cobrar a rejeição ao cliente) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Estado do débito/crédito StatusWaiting=Em espera StatusTrans=Enviado @@ -103,7 +106,7 @@ ShowWithdraw=Show Direct Debit Order IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Debit order file @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Mandate signature date RUMLong=Referência de mandato exclusivo RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Modo de débito direto (FRST ou RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Quantidade de solicitação de débito direto: BankTransferAmount=Amount of Credit Transfer request: WithdrawRequestErrorNilAmount=Não é possível criar um pedido de débito direto para o valor vazio. @@ -131,6 +134,7 @@ SEPAFormYourBAN=O nome da sua conta bancária (IBAN) SEPAFormYourBIC=Seu código de identificação bancária (BIC) SEPAFrstOrRecur=Tipo de pagamento ModeRECUR=Recurring payment +ModeRCUR=Recurring payment ModeFRST=Pagamento único PleaseCheckOne=Por favor, marque apenas um CreditTransferOrderCreated=Credit transfer order %s created @@ -155,9 +159,16 @@ InfoTransData=Valor: %s
      Metode: %s
      Data: %s InfoRejectSubject=Pedido de pagamento por débito direto recusado InfoRejectMessage=Olá,

      a ordem de pagamento de débito directo da factura %s relacionada com a empresa %s, com uma quantidade de %s foi recusada pelo banco.



      %s ModeWarning=Opção para o modo real não foi definido, nós paramos depois desta simulação -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Missing ICS in Bank account %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Salário +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/pt_PT/workflow.lang b/htdocs/langs/pt_PT/workflow.lang index ee96292d3a9..6f9919e76cf 100644 --- a/htdocs/langs/pt_PT/workflow.lang +++ b/htdocs/langs/pt_PT/workflow.lang @@ -7,20 +7,32 @@ descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a sales order after a descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Criar automaticamente uma fatura do cliente depois que uma proposta comercial for assinada (a nova fatura terá o mesmo valor da proposta) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Criar automaticamente uma fatura a cliente após a validação de um contrato descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automatically create a customer invoice after a sales order is closed (the new invoice will have same amount as the order) +descWORKFLOW_TICKET_CREATE_INTERVENTION=On ticket creation, automatically create an intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classificar a proposta de origem vinculada como faturada quando a fatura do cliente é validada (e se o valor da fatura é o mesmo que o valor total da proposta vinculada assinada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales order as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classify linked source sales order as shipped when a shipment is closed (and if the quantity shipped by all shipments is the same as in the order to update) +# Autoclassify purchase proposal +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classificar a proposta do fornecedor de origem vinculada como faturada quando a fatura do fornecedor é validada (e se o valor da fatura é o mesmo que o valor total da proposta vinculada) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classificar o pedido de compra de origem vinculado como faturado quando a fatura do fornecedor é validada (e se o valor da fatura é o mesmo que o valor total do pedido vinculado) -descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classify linked source purchase order as received when a reception is validated (and if the quantity received by all receptions is the same as in the purchase order to update) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classify linked source purchase order as received when a reception is closed (and if the quantity received by all rceptions is the same as in the purchase order to update) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Automatically link ticket to contract +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties +descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=When linking contracts, search among those of parents companies # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed AutomaticCreation=Criação automática AutomaticClassification=Classificação automática -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated +AutomaticClosing=Automatic closing +AutomaticLinking=Automatic linking diff --git a/htdocs/langs/ro_RO/accountancy.lang b/htdocs/langs/ro_RO/accountancy.lang index 5f3ee471d3d..d51f3054c21 100644 --- a/htdocs/langs/ro_RO/accountancy.lang +++ b/htdocs/langs/ro_RO/accountancy.lang @@ -16,8 +16,8 @@ ThisService=Acest serviciu ThisProduct=Acest produs DefaultForService=Implicit pentru servicii DefaultForProduct=Implicit pentru produse -ProductForThisThirdparty=Produs pentru acest terţ -ServiceForThisThirdparty=Serviciu pentru acest terţ +ProductForThisThirdparty=Produs pentru acest terț +ServiceForThisThirdparty=Serviciu pentru acest terț CantSuggest=Nu pot sugera AccountancySetupDoneFromAccountancyMenu=Cele mai multe configurări ale contabilității se fac din meniul %s ConfigAccountingExpert=Configurare modul Contabilitate (partidă dublă) @@ -38,7 +38,7 @@ DeleteCptCategory=Eliminați contul contabil din grup ConfirmDeleteCptCategory=Sigur doriți să eliminați acest cont contabil din grupul de conturi? JournalizationInLedgerStatus=Stare jurnalizare AlreadyInGeneralLedger=Transferat deja în jurnalele contabile secundare şi Registrul jurnal -NotYetInGeneralLedger=Netransferat încă în jurnalele secundare contabile şi Registrul Jurnal +NotYetInGeneralLedger=Încă nu a fost transferat în jurnale contabile și registru GroupIsEmptyCheckSetup=Grupul este gol, verificați configurarea grupului personalizat de conturi DetailByAccount=Afișați detalii după cont DetailBy=Detaliat de @@ -53,15 +53,13 @@ ExportAccountingSourceDocHelp=Cu acest instrument, poți căuta și exporta even ExportAccountingSourceDocHelp2=Pentru export jurnale, foloseşte meniul %s - %s. ExportAccountingProjectHelp=Specifică un proiect dacă ai nevoie de un raport contabil numai pentru un anumit proiect. Rapoartele de cheltuieli și plățile împrumuturilor nu sunt incluse în rapoartele de proiect. ExportAccountancy=Export în contabilitate -WarningDataDisappearsWhenDataIsExported=Atenție, această listă conține doar înregistrările contabile care nu au fost deja exportate (data exportului este goală). Dacă vrei să incluzi înregistrările contabile deja exportate pentru a le reexporta, fă clic pe butonul de mai sus. +WarningDataDisappearsWhenDataIsExported=Atenție, această listă conține doar înregistrările contabile care nu au fost deja exportate (data exportului este goală). Dacă vrei să incluzi înregistrările contabile deja exportate, fă clic pe butonul de mai sus. VueByAccountAccounting=Vizualizare după contul contabil VueBySubAccountAccounting=Vizualizați după subcont contabil MainAccountForCustomersNotDefined=Contul contabil principal (din Planul de Conturi) pentru clienți nu a fost definit în configurare MainAccountForSuppliersNotDefined=Contul contabil principal (din Planul de Conturi) pentru furnizori nu a fost definit în configurare MainAccountForUsersNotDefined=Contul contabil principal (din Planul de Conturi) pentru utilizatori nu a fost definit în configurare -MainAccountForRevenueStampSaleNotDefined=Contul contabil (din Planul de Conturi) pentru taxa de venit (vânzări) nu a fost definit în configurare -MainAccountForRevenueStampPurchaseNotDefined=Contul contabil (din Planul de Conturi) pentru taxa de venit (achiziții) nu a fost definit în configurare MainAccountForVatPaymentNotDefined=Contul contabil (din Planul de Conturi) pentru plata TVA nu a fost definit în configurare MainAccountForSubscriptionPaymentNotDefined=Contul contabil (din Planul de Conturi) pentru plată adeziune membri nu a fost definit în configurare MainAccountForRetainedWarrantyNotDefined=Contul contabil (din Planul de conturi) pentru garanția reținută nu a fost definit la configurare @@ -70,13 +68,14 @@ UserAccountNotDefined=Contul contabil pentru utilizator nu a fost definit în co AccountancyArea=Zona contabilă AccountancyAreaDescIntro=Utilizarea modulului de contabilitate se face în mai multe etape: AccountancyAreaDescActionOnce=Următoarele acțiuni sunt executate de obicei doar o singură dată sau o dată pe an... -AccountancyAreaDescActionOnceBis=Următorii pași ar trebui făcuți pentru a economisi timp pe viitor, ţi se va propune automat contul contabil implicit corect atunci când transferi datele în contabilitate +AccountancyAreaDescActionOnceBis=Următorii pași ar trebui făcuți pentru a-ți economisi timp în viitor, sugerându-ți automat contul contabil implicit corect atunci când transferi date în contabilitate AccountancyAreaDescActionFreq=Următoarele acțiuni sunt executate de obicei în fiecare lună, săptămână sau zi pentru companii foarte mari... AccountancyAreaDescJournalSetup=PASUL %s: Verifică conținutul listei de jurnal din meniul %s AccountancyAreaDescChartModel=PASUL %s: Verificați dacă există un plan de conturi sau creați unul din meniul %s AccountancyAreaDescChart=PASUL %s: Selectaţi şi|sau completaţi planul de conturi din meniul %s +AccountancyAreaDescFiscalPeriod=PAS %s: Definește implicit un an fiscal în care să integrezi înregistrările contabile. Pentru aceasta, utilizați opțiunea %s din meniu. AccountancyAreaDescVat=PASUL %s: Definire conturi contabile pentru fiecare cotă de TVA. Pentru aceasta, utilizați intrarea în meniu %s. AccountancyAreaDescDefault=PAS %s: Definiți conturile implicite de contabilitate. Pentru aceasta, utilizați intrarea în meniu %s. AccountancyAreaDescExpenseReport=PASUL %s: Defineşte conturile contabile implicite pentru fiecare tip de Raport de cheltuieli. Pentru aceasta, utilizează opţiunea din meniul %s. @@ -84,19 +83,20 @@ AccountancyAreaDescSal=PASUL %s: Definire conturi contabile implicite pentru pla AccountancyAreaDescContrib=PASUL %s: Defineşte conturile contabile implicite pentru Taxe (cheltuieli speciale). Pentru aceasta, utilizează opţiunea din meniul %s. AccountancyAreaDescDonation=PASUL %s: Definire conturi contabile implicite pentru donații. Pentru aceasta, utilizați intrarea în meniu %s. AccountancyAreaDescSubscription=PAS %s: Definiți conturile contabile implicite pentru abonamente pentru membri. Pentru aceasta, utilizați intrarea în meniu %s. -AccountancyAreaDescMisc=PASUL %s: Definire conturi contabile implicite obligatorii și conturi contabile implicite pentru tranzacții diverse. Pentru aceasta, utilizați intrarea în meniu %s. +AccountancyAreaDescMisc=PASUL %s : Definește conturile contabile implicite obligatorii și conturile contabile implicite pentru tranzacții diverse. Pentru aceasta, utilizează opțiunea %s din meniu. AccountancyAreaDescLoan=PASUL %s: Definire conturi contabile implicite pentru împrumuturi. Pentru aceasta, utilizați intrarea în meniu %s. AccountancyAreaDescBank=PASUL %s: Definire conturi contabile și codul de jurnal pentru fiecare bancă și conturi financiare. Pentru aceasta, utilizați intrarea în meniu %s. AccountancyAreaDescProd=PASUL %s: Defineşte conturile contabile pentru produsele/serviciile tale. Pentru aceasta, utilizează opţiunea din meniul %s.  AccountancyAreaDescBind=PASUL %s: Verifică dacă asocierea între liniile %s existente și contul contabil este făcută, astfel încât aplicația să poate scrie tranzacțiile în Cartea Mare cu un singur clic. Completați asocierile lipsă. Pentru aceasta, utilizați intrarea în meniu %s. AccountancyAreaDescWriteRecords=PASUL %s: Scriere tranzacţii în Registrul jurnal. Pentru aceasta, accesează meniul %s, apoi fă clic pe butonul %s. -AccountancyAreaDescAnalyze=PASUL %s: Adaugă sau modifică tranzacțiile existente și generează rapoarte și exporturi. - -AccountancyAreaDescClosePeriod=PASUL %s: Închide perioada, astfel încât să nu se poată modifica în viitor. +AccountancyAreaDescAnalyze=PAS %s: Citește raportări sau generează fișiere de export pentru alți contabili. +AccountancyAreaDescClosePeriod=PAS %s: Închide perioada, astfel încât să nu mai putem transfera date în aceeași perioadă în viitor. +TheFiscalPeriodIsNotDefined=Un pas obligatoriu în configurare nu a fost finalizat (perioada fiscală nu este definită) TheJournalCodeIsNotDefinedOnSomeBankAccount=Un pas obligatoriu în configurare nu a fost finalizat (contul contabil jurnal nu este definit pentru toate conturile bancare) Selectchartofaccounts=Selectați planul activ de conturi +CurrentChartOfAccount=Planul de conturi activ curent ChangeAndLoad=Schimbați și încărcați Addanaccount=Adaugă un cont contabil AccountAccounting=Cont contabil @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Permite gestionarea unui număr diferit de zerouri la sf BANK_DISABLE_DIRECT_INPUT=Dezactivează înregistrarea directă a tranzacției în contul bancar ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Activați schița de export în jurnal ACCOUNTANCY_COMBO_FOR_AUX=Activare listă combinată pentru contul subsidiar (poate fi lent dacă aveți o mulțime de terți, întrerupe capacitatea de a căuta după o valoare parţială) -ACCOUNTING_DATE_START_BINDING=Definiți o dată pentru a începe legarea și transferul în contabilitate. Înainte de această dată, tranzacțiile nu vor fi transferate în contabilitate. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Pentru transferul contabil, care este perioada selectată implicit  +ACCOUNTING_DATE_START_BINDING=Dezactivare asociere și transfer în contabilitate atunci când data este mai mică decât această dată (tranzacțiile înainte de această dată vor fi excluse implicit) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Pe pagina de transfer de date în contabilitate, perioada selectată implicit ACCOUNTING_SELL_JOURNAL=Jurnal de vânzări - vânzări și retururi ACCOUNTING_PURCHASE_JOURNAL=Jurnal de achiziții - achiziții și retururi @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Jurnal Asigurări Sociale ACCOUNTING_RESULT_PROFIT=Contul contabil rezultat (Profit) ACCOUNTING_RESULT_LOSS=Contul contabil rezultat (Pierdere) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Jurnal de închidere +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Grupe de conturi contabile utilizate pentru bilanţ (separate prin virgulă) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Grupe conturi contabile utilizate pentru contul de profit și pierdere (separate prin virgulă) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Cont contabil (din Planul de Conturi) care va fi utilizat ca și cont pentru transferurile bancare tranzitorii TransitionalAccount=Cont tranzitoriu de transfer bancar @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Consultă aici lista liniilor de facturi clienți și con DescVentilTodoCustomer=Asociere linii de factură care nu sunt deja asociate cu un cont de produs din planul de conturi ChangeAccount=Modificare cont de produs/serviciu (din planul de conturi) pentru liniile selectate cu următorul cont: Vide=- -DescVentilSupplier=Modificare cont de produs/serviciu (din planul de conturi) pentru liniile selectate cu următorul cont: +DescVentilSupplier=Consultă aici lista liniilor de factură furnizor asociate sau neasociate încă la un cont contabil de produs din planul de conturi (sunt vizibile doar înregistrările care nu au fost deja transferate în contabilitate) DescVentilDoneSupplier=Consultați aici lista liniilor facturilor furnizorilor și contul lor contabil DescVentilTodoExpenseReport=Asociere linii de rapoarte de cheltuieli care nu sunt deja asociate unui cont contabil de cheltuieli DescVentilExpenseReport=Consultă aici lista liniilor de rapoarte cheltuieli asociate (sau nu) unui cont contabil de cheltuieli @@ -298,7 +300,7 @@ DescVentilExpenseReportMore=Dacă configurezi contul contabil pe linii de raport DescVentilDoneExpenseReport=Consultați aici lista liniilor rapoartelor de cheltuieli și contul contabil a taxelor lor Closure=Închidere anuală -DescClosure=Consultă aici numărul de mișcări pe lună nevalidate și blocate +AccountancyClosureStep1Desc=Consultă aici numărul de mișcări pe lună nevalidate și blocate OverviewOfMovementsNotValidated=Prezentare generală a mișcărilor nevalidate și blocate AllMovementsWereRecordedAsValidated=Toate mișcările au fost înregistrate ca validate și blocate NotAllMovementsCouldBeRecordedAsValidated=Nu toate mișcările au putut fi înregistrate ca validate și blocate @@ -341,7 +343,7 @@ AccountingJournalType3=Achiziţii AccountingJournalType4=Banca AccountingJournalType5=Rapoarte de cheltuieli AccountingJournalType8=Inventar -AccountingJournalType9=Are nou +AccountingJournalType9=Venituri reținute GenerationOfAccountingEntries=Generare înregistrări contabile ErrorAccountingJournalIsAlreadyUse=Acest jurnal este deja folosit AccountingAccountForSalesTaxAreDefinedInto=Notă: contul contabil pentru taxe de vânzări este definit în meniul %s - %s @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Dezactivați legarea și transferul în ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Dezactivați legarea și transferul în contabilitate pentru rapoartele de cheltuieli (rapoartele de cheltuieli nu vor fi luate în considerare în contabilitate) ACCOUNTING_ENABLE_LETTERING=Activare funcție de numerotare în contabilitate ACCOUNTING_ENABLE_LETTERING_DESC=Când această opțiune este activată, poți defini, pe fiecare intrare contabilă, un cod, astfel încât să poți grupa diferite mișcări contabile împreună. În trecut, când jurnalele diferite erau gestionate independent, această caracteristică era necesară pentru a grupa liniile de mișcare ale diferitelor jurnale împreună. Cu toate acestea, cu contabilitatea din sistem, un astfel de cod de urmărire, numit "%s" este deja salvat automat, deci o scriere automată este deja făcută, fără risc de eroare, astfel încât această caracteristică a devenit inutilă pentru o utilizare comună. Caracteristica de numerotare manuală este oferită utilizatorilor finali care nu au încredere în algoritmmul sistemului care face transferul de date în contabilitate. -EnablingThisFeatureIsNotNecessary=Activarea acestei funcții nu mai este necesară pentru o gestiune contabilă riguroasă. +EnablingThisFeatureIsNotNecessary=Activarea acestei funcții nu mai este necesară pentru un management contabil riguros. ACCOUNTING_ENABLE_AUTOLETTERING=Activare numerotare automată la transferul în contabilitate -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Codul pentru numerotare este generat și incrementat automat și nu este ales de utilizatorul final +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Codul pentru numerotare este generat și incrementat automat și nu poate fi ales de utilizatorul final +ACCOUNTING_LETTERING_NBLETTERS=Număr de litere pentru generarea codului de numerotare (implicit 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Unele programe de contabilitate acceptă doar un cod din două litere. Acest parametru îți permite să setezi acest aspect. Numărul implicit de litere este de trei.  OptionsAdvanced=Opțiuni avansate ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activare gestionare TVA cu taxare inversă la achizițiile de la furnizori -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Când această opțiune este activată, poți defini că un furnizor sau o anumită factură de furnizor trebuie să fie transferată în contabilitate în mod diferit: Un debit suplimentar și o linie de credit vor fi generate în contabilitate pentru 2 conturi date din planul de conturi definit în pagina de configurare "%s". +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Când această opțiune este activată, poți defini că un furnizor sau o anumită factură de furnizor trebuie să fie transferată în contabilitate în mod diferit: Un debit suplimentar și o linie de credit se vor genera în contabilitate pe 2 conturi date din planul de conturi definit în pagina de configurare "%s". ## Export NotExportLettering=Nu exporta numerotările atunci când se generează fișierul @@ -420,7 +424,7 @@ SaleLocal=Vânzare locală SaleExport=Vânzare la export SaleEEC=Vânzări în CEE SaleEECWithVAT=Vânzarea în CEE cu cota TVA diferită de zero, deci presupunem că aceasta NU este o vânzare intracomunitară, iar contul contabil este cel standard al produsului. -SaleEECWithoutVATNumber=Vânzare în CEE fără TVA, dar codul de TVA al terților nu este definit. Revenim la contul vânzărilor standard. Poți remedia codul de TVA al terțului sau poți modifica contul de produs sugerat pentru asociere, dacă este necesar. +SaleEECWithoutVATNumber=Vânzare în CEE fără TVA, dar codul de TVA al terțului nu este definit. Revenire la contul contabil pentru vânzări standard. Poți remedia codul de TVA al unui terți sau poți modifica contul contabil de produs sugerat pentru asociere, dacă este necesar. ForbiddenTransactionAlreadyExported=Interzis: Tranzacţia a fost validată şi/sau exportată. ForbiddenTransactionAlreadyValidated=Interzis: Tranzacţia a fost validată. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Nicio dereconciliere modificată AccountancyOneUnletteringModifiedSuccessfully=O dereconciliere a fost modificată cu succes AccountancyUnletteringModifiedSuccessfully=Dereconcilierea %s a fost modificată cu succes +## Closure +AccountancyClosureStep1=Pas 1: Validare și blocare mișcări +AccountancyClosureStep2=Pas 2 : Închide perioada fiscală +AccountancyClosureStep3=Pas 3 : Extragere înregistrări (Opțional) +AccountancyClosureClose=Închidere perioadă fiscală +AccountancyClosureAccountingReversal=Extragere și înregistrare "Venituri reținute" +AccountancyClosureStep3NewFiscalPeriod=Următoarea perioadă fiscală +AccountancyClosureGenerateClosureBookkeepingRecords=Generare înregistrări "Venituri reținute" pentru periada fiscală viitoare +AccountancyClosureSeparateAuxiliaryAccounts=La generarea înregistrărilor "Venituri reținute", detaliază conturile contabile secundare +AccountancyClosureCloseSuccessfully=Perioada fiscală a fost închisă cu succes +AccountancyClosureInsertAccountingReversalSuccessfully=Înregistrările contabile pentru "Venituri reținute" au fost introduse cu succes + ## Confirm box ConfirmMassUnletteringAuto=Confirmare de de-reconciliere automată în masă ConfirmMassUnletteringManual=Confirmare de de-reconciliere manuală în masă ConfirmMassUnletteringQuestion=Sigur vrei să anulezi reconcilierea înregistrăr(ilor) selectate %s ? ConfirmMassDeleteBookkeepingWriting=Confirmare ştergere în bloc ConfirmMassDeleteBookkeepingWritingQuestion=Aceasta va șterge tranzacția din contabilitate (toate intrările legate de aceeași tranzacție vor fi șterse). Sigur vrei să ștergi intrările selectate%s? +AccountancyClosureConfirmClose=Sigur vrei să închizi perioada fiscală curentă? Înțelegi că închiderea perioadei fiscale este o acțiune ireversibilă și va bloca definitiv orice modificare sau ștergere a înregistrărilor în această perioadă. +AccountancyClosureConfirmAccountingReversal=Sigur vrei să înregistrezi intrări pentru "Venituri reținute"? ## Error SomeMandatoryStepsOfSetupWereNotDone=Câțiva pași obligatorii de configurare nu au fost făcuți, efectuează-i -ErrorNoAccountingCategoryForThisCountry=Nu există grupe de conturi contabile disponibile pentru țara %s (Consultă Acasă - Setări - Dicționare) +ErrorNoAccountingCategoryForThisCountry=Nicio grupă de conturi contabile disponibilă pentru țara %s (Vezi %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Încercați să treceţi în jurnal câteva linii ale facturii %s, dar alte linii nu au un cont contabil asociat. Jurnalizarea tuturor liniilor pentru această factură este respinsă. ErrorInvoiceContainsLinesNotYetBoundedShort=Unele linii de pe factură nu sunt legate de contul contabil. ExportNotSupported=Formatul exportat setat nu este suportat în această pagină @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=Soldul (%s) nu este egal cu 0 AccountancyErrorLetteringBookkeeping=Au apărut erori cu privire la tranzacții: %s ErrorAccountNumberAlreadyExists=Numărul de cont contabil %s există deja ErrorArchiveAddFile=Nu se poate adăuga fișierul "%s" în arhivă +ErrorNoFiscalPeriodActiveFound=Nu a fost găsită nicio perioadă fiscală activă +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Data documentului contabil nu se află în perioada fiscală activă +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Data documentului contabil se află într-o perioada fiscală închisă ## Import ImportAccountingEntries=Intrări contabile diff --git a/htdocs/langs/ro_RO/admin.lang b/htdocs/langs/ro_RO/admin.lang index 35b02c75350..9e91e05ef33 100644 --- a/htdocs/langs/ro_RO/admin.lang +++ b/htdocs/langs/ro_RO/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Acest modul nu pare compatibil cu Dolibarr %s (Min %s - Max %s). CompatibleAfterUpdate=Acest modul necesită o actualizare la Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=Consultați pe Market place SeeSetupOfModule=Vezi setările modului %s +SeeSetupPage=Vezi pagina de configurare la %s +SeeReportPage=Vezi pagina de raportare la %s SetOptionTo=Setează opţiunea %s la %s Updated=Updatat AchatTelechargement=Cumpărați / Descărcați @@ -292,22 +294,22 @@ EmailSenderProfiles=Profilurile expeditorului de emailuri EMailsSenderProfileDesc=Puteți lăsa această secțiune goală. Dacă introduceți câteva emailuri aici, acestea vor fi adăugate la lista posibililor expeditori în combobox atunci când scrieți un nou e-mail. MAIN_MAIL_SMTP_PORT=Portul SMTP/SMTPS (valoarea implicită în php.ini: %s) MAIN_MAIL_SMTP_SERVER=Gazdă SMTP/SMTPS (valoarea implicită în php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Portul SMTP/SMTPS (nu este definit în PHP pe sistemele de tip Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Gazdă SMTP/SMTPS (nu este definită în PHP pe sistemele de tip Unix) -MAIN_MAIL_EMAIL_FROM=Emailul expeditorului pentru emailurile automate (valoarea implicită în php.ini: %s) -EMailHelpMsgSPFDKIM=Pentru a preveni ca email-urile din sistem Dolibarr să fie clasificate ca spam, asigură-te că serverul este autorizat să trimită email-uri de la această adresă prin configurația SPF și DKIM +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Port SMTP/SMTPS +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Gazdă SMTP/SMTPS +MAIN_MAIL_EMAIL_FROM=Email expeditor pentru email-uri automate +EMailHelpMsgSPFDKIM=Pentru a evita ca email-urile din sistem să fie clasificate ca spam, asigură-te că serverul este autorizat să trimită e-mailuri sub această identitate (prin verificarea configurației SPF și DKIM a numelui de domeniu) MAIN_MAIL_ERRORS_TO=Emailul utilizat pentru emailurile care se întorc cu erori (câmpurile 'Error-To' din emailurile trimise) MAIN_MAIL_AUTOCOPY_TO= Copie (Bcc) pentru toate emailurile trimise către MAIN_DISABLE_ALL_MAILS=Dezactivați trimiterea tuturor e-mailurilor (în scopuri de testare sau demonstrații) MAIN_MAIL_FORCE_SENDTO=Trimiteți toate e-mailurile către (în loc de destinatari reali, în scopuri de testare) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Sugerați e-mailuri ale angajaților (dacă sunt definiți) în lista destinatarului predefinit atunci când scrieți un nou e-mail -MAIN_MAIL_NO_WITH_TO_SELECTED=Nu selecta un destinatar implicit, chiar dacă este o singură alegere +MAIN_MAIL_NO_WITH_TO_SELECTED=Nu selecta un destinatar prestabilit chiar dacă există 1 singură alegere posibilă MAIN_MAIL_SENDMODE=Metoda de trimitere prin e-mail MAIN_MAIL_SMTPS_ID=ID SMTP (dacă serverul de expediere necesită autentificare) MAIN_MAIL_SMTPS_PW=Parola SMTP (dacă serverul de trimitere necesită autentificare) MAIN_MAIL_EMAIL_TLS=Utilizați criptarea TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Utilizați criptarea TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizați certificatele auto-semnate +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizează certificate auto-semnate MAIN_MAIL_EMAIL_DKIM_ENABLED=Utilizați DKIM pentru a genera semnătura de e-mail MAIN_MAIL_EMAIL_DKIM_DOMAIN=Domeniul de e-mail pentru utilizare cu dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Numele selectorului dkim @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Cheie privată pentru semnarea dkim MAIN_DISABLE_ALL_SMS=Dezactivați toate trimiterile prin SMS (în scopuri de testare sau demonstrații) MAIN_SMS_SENDMODE=Metoda de utilizare pentru trimiterea SMS-urilor MAIN_MAIL_SMS_FROM=Numărul de telefon implicit pentru expeditor prin SMS -MAIN_MAIL_DEFAULT_FROMTYPE=E-mailul implicit al expeditorului pentru trimiterea manuală (e-mailul utilizatorului sau e-mailul companiei) +MAIN_MAIL_DEFAULT_FROMTYPE=Email expeditor prestabilit preselectat în formulare pentru a trimite email-uri UserEmail=Email utilizator CompanyEmail=Email companie FeatureNotAvailableOnLinux=Caracteristică indisponibilă pe sistemele tip Unix. Testaţi-vă programul sendmail la nivel local. @@ -417,6 +419,7 @@ PDFLocaltax=Reguli pentru %s HideLocalTaxOnPDF=Ascunde cota %s în coloana Taxă vânzări / TVA HideDescOnPDF=Ascunde descrierea produselor HideRefOnPDF=Ascundeți referinţele produselor +ShowProductBarcodeOnPDF=Afișare număr cod de bare produse HideDetailsOnPDF=Ascundeți detaliile liniei de produs PlaceCustomerAddressToIsoLocation=Utilizați poziția standard franceză (La Poste) pentru poziționarea adresei clienților Library=Bibliotecă @@ -424,7 +427,7 @@ UrlGenerationParameters=Parametrii pentru URL-uri securizate SecurityTokenIsUnique=Utilizaţi un parametru unic securekey pentru fiecare URL EnterRefToBuildUrl=Introdu referinţa pentru obiectul %s GetSecuredUrl=Obţineţi URL-ul calculat -ButtonHideUnauthorized= Ascunde butoanele de acțiune neautorizate și pentru utilizatorii interni (doar gri în caz contrar) +ButtonHideUnauthorized=Ascunde butoanele de acțiuni neautorizate și pentru utilizatorii interni (gri în caz contrar) OldVATRates=Vechea cotă de TVA NewVATRates=Noua cotă de TVA PriceBaseTypeToChange=Modifică prețurile cu valoarea de referință de bază definită pe @@ -458,11 +461,11 @@ ComputedFormula=Câmp calculat ComputedFormulaDesc=Poți introduce aici o formulă folosind alte proprietăți ale obiectului sau orice codare PHP pentru a obține o valoare calculată dinamică. Poți utiliza orice formulă compatibilă cu PHP, inclusiv "?" operator de condiție și următorul obiect global: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      ATENȚIE: Dacă ai nevoie de proprietățile unui obiect neîncărcat, adu obiectul în formula ta ca în a doilea exemplu.
      Folosind un câmp calculat înseamnă că nu poți introduce nicio valoare din interfață. De asemenea, dacă există o eroare de sintaxă, formula poate returna nimic.

      Exemplu de formulă:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Exemplu de reîncărcare a obiectului
      (( $reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1' )

      Alt exemplu de formulă pentru a forța încărcarea obiectului și a obiectului părinte:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Proiect($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: „Proiectul părinte nu a fost găsit” Computedpersistent=Câmp calculat stocat ComputedpersistentDesc=Extracâmpurile calculate vor fi stocate în baza de date, cu toate acestea, valorile lor vor fi recalculate numai atunci când obiectul acestui câmp este modificat. Dacă câmpul calculat depinde de alte obiecte sau date globale, aceste valori ar putea fi greșite!! -ExtrafieldParamHelpPassword=Lăsând acest câmp necompletat înseamnă că această valoare va fi stocată fără criptare (câmpul trebuie ascuns cu steluţe pe ecran).
      Setaţi 'auto' pentru utilizarea regulii de criptare implicită la salvarea parolei în baza de date (atunci valoarea citită va fi numai hash, nefiind nici o şansă de a recupera valoarea inițială) +ExtrafieldParamHelpPassword=Lăsând acest câmp necompletat înseamnă că această valoare va fi stocată FĂRĂ criptare (câmpul este doar ascuns cu steluțe pe ecran).

      Introdu valoarea „dolcrypt” pentru a codifica valoarea cu un algoritm de criptare reversibil. Datele clare pot fi în continuare cunoscute și editate, dar sunt criptate în baza de date.

      Introdu „auto” (sau „md5”, „sha256”, „password_hash”, ...) pentru a utiliza algoritmul implicit de criptare a parolei (sau md5, sha256, password_hash ...) pentru a salva parola hashing nereversibilă în baza de date (nici o modalitate de a prelua valoarea originală) ExtrafieldParamHelpselect=Lista de valori trebuie să fie linii cu formatul cheie,valoare (unde cheia nu poate fi '0')

      de exemplu:
      1,valoare1
      2,valoare2
      code3,valoare3
      ...

      Pentru a avea lista în funcție de o altă listă de atribute complementare:
      1, valoare1| options_ parent_list_code:parent_key
      2,valoare2|options_ parent_list_code:parent_key

      Pentru a avea lista în funcție de altă listă:
      1, valoare1|parent_list_code:parent_key
      2,valoare2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=Lista de valori trebuie să fie linii cu formatul cheie,valoare (unde cheia nu poate fi "0")

      de exemplu:
      1,valoare1
      2,valoare2
      3,valoare3
      ... ExtrafieldParamHelpradio=Lista de valori trebuie să fie linii cu formatul cheie,valoare (unde cheia nu poate fi '0')

      de exemplu:
      1,valoare1
      2,valoare2
      3,valoare3
      ... -ExtrafieldParamHelpsellist=Lista valorilor provine dintr-un tabel
      Sintaxă: table_name:label_field:id_field::filtersql
      Exemplu: c_typent:libelle:id::filtersql

      - id_field este în mod necesar o cheie int primară
      - filtersql este o condiție SQL. Poate fi un test simplu (de exemplu, activ = 1) pentru a afișa numai valoarea activă
      Puteți utiliza, de asemenea, $ID$ în filtru, care este ID-ul curent al obiectului curent
      Pentru a utiliza un SELECT în filtru, utilizați cuvântul cheie $SEL$ pentru a ocoli protecţia anti-injecție.
      dacă doriți să filtrați pe câmpuri suplimentare utilizați sintaxa extra.fieldcode=... (unde codul câmpului este codul câmpului extrafield)

      Pentru a avea lista în funcție de o altă listă de atribute complementare:
      c_typent:libelle:id:options_parent_list_code| parent_column:filter

      Pentru a avea lista în funcție de altă listă:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=Lista de valori provine dintr-o tabelă
      Sintaxă: table_name:label_field:id_field::filtersql
      Exemplu: c_typent:libelle:id::filtersql

      - id_field este în mod necesar o cheie int primară
      - filtersql este o condiție SQL. Poate fi un test simplu (de exemplu, activ=1) pentru a afișa numai valoarea activă.
      De asemenea, poți utiliza $ID$ în filtru, care este id-ul curent al obiectului curent.
      Pentru a utiliza un SELECT în filtru, utilizează cuvântul cheie $SEL$ pentru a ocoli protecția anti-injecție.
      dacă vrei să filtrezi pe extracâmpuri folosește sintaxa extra.fieldcode=... (unde codul campului este codul extracâmpului)

      Pentru ca lista să depindă de o altă listă de atribut complementar:
      list:c_typent:libelle:id:options_parent_list_code|parent_column :filter

      Pentru ca lista să depindă de altă listă:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Lista valorilor provine dintr-un tabel
      Sintaxă: table_name:label_field:id_field::filtersql
      Exemplu: c_typent:libelle:id::filtersql

      filtru care poate fi un test simplu (de exemplu, activ = 1) pentru a afișa doar valoarea activă
      Puteți utiliza, de asemenea, $ID$ în filtru care este ID-ul curent al obiectului curent
      Pentru a efectua o selecție în filtru folosiți $SEL$
      dacă doriți să filtrați pe câmpuri suplimentare utilizați sintaxa extra.fieldcode=... (unde codul de câmp este codul câmpului extra)

      Pentru a avea o listă dependentă de un de atribut complementar:
      c_typent:libelle:id:options_parent_list_code| parent_column:filter

      Pentru a avea o listă în funcție de altă listă:
      c_typent:libelle:id: parent_list_code|parent_column: filter ExtrafieldParamHelplink=Parametrii trebuie să fie ObjectName:Classpath
      Sintaxă: ObjectName: Classpath ExtrafieldParamHelpSeparator=Păstrați liber pentru un separator simplu
      Setați acest lucru la 1 pentru un separator care se prăbușește (deschis în mod implicit pentru o nouă sesiune, apoi starea este păstrată pentru fiecare sesiune de utilizator)
      Setați acest lucru la 2 pentru un separator care se prăbușește (se prăbușește implicit pentru o nouă sesiune, apoi starea este păstrată pentru fiecare sesiune a utilizatorului) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Introdu un număr de telefon pentru a afișa un link de te RefreshPhoneLink=Link refresh LinkToTest=Link accesibil generat pentru utilizatorul %s (faceți clic pe numărul de telefon pentru a testa) KeepEmptyToUseDefault=Lasă necompletat pentru utilizarea valorii implicite -KeepThisEmptyInMostCases=În majoritatea cazurilor, poţi lăsa acest câmp necompletat. +KeepThisEmptyInMostCases=În majoritatea cazurilor, poți lăsa acest câmp necompletat. DefaultLink=Link implicit SetAsDefault=Setați ca implicit ValueOverwrittenByUserSetup=Atenție, această valoare poate fi suprascrisă de setările specifice utilizatorului (fiecare utilizator poate seta propriul url clicktodial) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Acesta este numele câmpului HTML. Cunoștințele teh PageUrlForDefaultValues=Trebuie să introduci calea relativă a adresei URL a paginii. Dacă incluzi parametri în URL, va fi eficient dacă toți parametrii din URL-ul răsfoit au valoarea definită aici. PageUrlForDefaultValuesCreate=
      Exemplu:
      Pentru formularul de creare a unui terți nou este %s.
      Pentru URL-ul modulelor externe instalate în directorul custom, nu include "custom/" , foloseşte o cale ca mymodule/mypage.php și nu custom/mymodule/mypage.php.
      Foloseşte valoarea implicită numai dacă url-ul are un anumit parametru, %s PageUrlForDefaultValuesList=
      Exemplu:
      Pentru pagina care afișează terți, este %s.
      Pentru URL-ul modulelor externe instalate în directorul personalizat, nu include "custom/" utilizează o cale ca mymodule/mypagelist.php și nu custom/mymodule/mypagelist.php.
      Utilizează valoarea implicită numai dacă URL-ul are un anumit parametru, %s -AlsoDefaultValuesAreEffectiveForActionCreate=De asemenea, rețineți că suprascrierea valorilor implicite pentru crearea de formulare funcționează numai pentru paginile care au fost proiectate corect (deci cu parametrul de action=create sau view...) +AlsoDefaultValuesAreEffectiveForActionCreate=De asemenea, reține că suprascrierea valorilor implicite pentru crearea formularelor funcționează numai pentru paginile care au fost proiectate corect (deci cu parametrul action=create sau presend...) EnableDefaultValues=Activați personalizarea valorilor implicite EnableOverwriteTranslation=Permite personalizarea traducerilor GoIntoTranslationMenuToChangeThis=A fost găsită o traducere pentru cheia cu acest cod. Pentru a modifica această valoare, trebuie să o editați din Acasă-Setări-Traduceri. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Directorul privat generic este un director WebDAV p DAV_ALLOW_PUBLIC_DIR=Activare director public generic (director dedicat WebDAV denumit "public" - nu este necesară autentificarea) DAV_ALLOW_PUBLIC_DIRTooltip=Directorul public generic este un director WebDAV pe care îl poate accesa oricine (în modul citire și scriere), fără a fi necesară autorizarea (identificare/parolă). DAV_ALLOW_ECM_DIR=Activați directorul privat DMS/ECM (directorul rădăcină al modulului DMS/ECM - este necesară autentificarea) -DAV_ALLOW_ECM_DIRTooltip=Directorul rădăcină în care sunt toate fișierele sunt încărcate manual când se utilizează modulul DMS/ECM. Similar accesului din interfața web, veți avea nevoie de autentificare/parolă valabilă, cu permisiuni adecvate de accesare a acestuia. +DAV_ALLOW_ECM_DIRTooltip=Directorul rădăcină în care toate fișierele sunt încărcate manual atunci când utilizezi modulul DMS/ECM. La fel ca și accesul din interfața web, vei avea nevoie de o autentificare/parolă validă cu permisiuni adecvate pentru a-l accesa. ##### Modules ##### Module0Name=Utilizatori & Grupuri Module0Desc=Managementul Utilizatorilor/Angajaților și al Grupurilor @@ -566,7 +569,7 @@ Module40Desc=Managementul furnizorilor și achizițiilor (comenzi de achiziţie Module42Name=Jurnale de depanare Module42Desc=Facilități de jurnalizare (fișier, syslog, ...). Aceste jurnale sunt pentru scopuri tehnice/de depanare. Module43Name=Debug bar -Module43Desc=Un instrument pentru dezvoltatori care adaugă o bară de depanare în browserul dvs. +Module43Desc=Un instrument pentru dezvoltatori, adaugă o bară de depanare în browser. Module49Name=Editori Module49Desc=Managementul editorilor Module50Name=Produse @@ -582,7 +585,7 @@ Module54Desc=Gestionarea contractelor (servicii sau abonamente periodice) Module55Name=Coduri de bare Module55Desc=Management coduri de bare şi coduri QR Module56Name=Plăţi transfer credit -Module56Desc=Gestionarea plății furnizorilor efectuate prin ordine de transfer de credit. Acesta include generarea de fișiere SEPA pentru țările europene. +Module56Desc=Gestionarea plăților furnizorilor sau a salariilor prin ordine de transfer credit. Include generarea de fișiere SEPA pentru țările europene. Module57Name=Plăţi prin direct debit Module57Desc=Gestionarea ordinelor de direct debit. Acesta include generarea de fișiere SEPA pentru țările europene. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Trimiteți notificări prin email declanșate de un eveniment de a Module600Long=Rețineți că acest modul trimite emailuri în timp real când apare un anumit eveniment de afaceri. Dacă sunteți în căutarea unei funcții pentru a trimite remindere pe email pentru evenimentele din agendă, mergeți la configurarea modulului Agendă. Module610Name=Variante de produs Module610Desc=Crearea de variante de produse (culoare, dimensiune etc.) +Module650Name=Bonuri de materiale (BOM) +Module650Desc=Modul pentru definirea listelor de materiale (BOM). Poate fi folosit pentru planificarea resurselor de fabricație prin modulul Comenzi de producție (MO) +Module660Name=Planificarea resurselor de producție (MRP) +Module660Desc=Modul pentru gestionarea comenzilor de producție (MO) Module700Name=Donaţii Module700Desc=Managementul Donaţiilor Module770Name=Rapoarte de cheltuieli @@ -650,8 +657,8 @@ Module2300Name=Joburi de sistem programate Module2300Desc=Gestionarea planificată a joburilor de sistem (alias cron sau chrono) Module2400Name=Evenimente/Agendă Module2400Desc=Urmăriți evenimentele. Înregistrați evenimente automate sau manual pentru a nota activităţi sau întâlniri. Acesta este modulul principal pentru o bună gestionare a relațiilor cu clienții sau furnizorii. -Module2430Name=Calendar Rezervări online -Module2430Desc=Furnizează un calendar online pentru a permite oricui să rezerve întâlniri, conform intervalelor sau disponibilităților predefinite. +Module2430Name=Programare și planificare online +Module2430Desc=Oferă un sistem de rezervare online pentru programări. Acest lucru permite oricui să rezerve întâlniri, conform intervalelor sau disponibilităților predefinite.  Module2500Name=DMS / ECM Module2500Desc=Sistemul de management al documentelor / Gestiunea conținutului electronic. Organizarea automată a documentelor tale generate sau stocate. Le poţi partaja dacă este necesar. Module2600Name=API / Servicii web (Server SOAP) @@ -672,7 +679,7 @@ Module3300Desc=Un instrument RAD (Rapid Application Development - low-code and n Module3400Name=Reţele sociale Module3400Desc=Activați câmpurile Rețele sociale la terți și adrese (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Managementul resurselor umane (management departamente, contracte de muncă și experienţa angajaților) +Module4000Desc=Managementul resurselor umane (management departamente, contracte angajați, management competențe și interviuri) Module5000Name=Multi-societate Module5000Desc=Vă permite să administraţi mai multe companii Module6000Name=Flux de lucru inter-module @@ -712,6 +719,8 @@ Module63000Desc=Gestionarea resurselor (imprimante, mașini, camere, ...) pentru Module66000Name=Management token OAuth2 Module66000Desc=Furnizează un instrument pentru a genera și gestiona token-uri OAuth2. Token-ul poate fi apoi folosit de alte module. Module94160Name=Recepţii +ModuleBookCalName=Sistem calendar de rezervări +ModuleBookCalDesc=Administrare calendar pentru programări și rezervări ##### Permissions ##### Permission11=Citește facturile clienți (și plăți) Permission12=Creare/modificare facturi clienţi @@ -996,7 +1005,7 @@ Permission4031=Citeşte informaţii personale Permission4032=Scrie informaţii personale Permission4033=Citește toate evaluările (chiar și cele ale utilizatorilor care nu-i sunt subordonați) Permission10001=Citeşte conținut site web -Permission10002=Creare/modificare conținut site web (html și conținut javascript) +Permission10002=Creare/modificare conținut site web (conținut html și JavaScript) Permission10003=Creare/modificare conținut site web (cod php dinamic). Periculos, trebuie rezervat dezvoltatorilor restricționați. Permission10005=Șterge conținut site web Permission20001=Citeşte cererile de concediu (concediul său și cele ale subordonaților săi) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Raport de cheltuieli - Gama de categorii de transport DictionaryTransportMode=Raportare intracomunitară - Mod transport DictionaryBatchStatus=Status control calitate lot/serie produs DictionaryAssetDisposalType=Tip de amortizare active +DictionaryInvoiceSubtype=Subtipuri factură TypeOfUnit=Tip de unitate SetupSaved=Setări salvate SetupNotSaved=Setarea nu a fost salvată @@ -1109,10 +1119,11 @@ BackToModuleList=Înapoi la lista Module BackToDictionaryList=Înapoi la lista de dicționare TypeOfRevenueStamp=Tip taxă de timbru VATManagement=Gestionarea taxelor de vânzare -VATIsUsedDesc=Implicit atunci când creați proiecte, facturi, comenzi etc. rata taxei pe vânzări respectă regula standard activă
      Dacă furnizorul nu este supus taxei pe vânzări , atunci taxa pe vânzări este implicit 0. Sfârșitul regulii.
      Dacă țara (furnizorului= țara cumpărătorului), atunci taxa pe vânzări este implicit este egală cu taxa de vânzare a cumpărătorului. Sfârșitul regulii.
      În cazul în care furnizorul şi cumpărătorul sunt ambii în Comunitatea Europeană şi bunurile sunt legate de transportul produselor (transport, livrare, linii aeriene), valoarea implicita a TVA este 0. Această regulă depinde de țara furnizorului - consultați contabilul dvs. TVA-ul ar trebui plătit de către cumpărători la biroul vamal din țara lor şi nu de către furnizor. Sfârșitul regulii.
      În cazul în care furnizorul şi cumpărătorul sunt ambii în Comunitatea Europeană şi cumpărătorul nu sunt persoane juridice (cu o înregistrare intracomunitara de TVA), TVA-ul devine implicit egal cu TVA-ul din țara furnizorului. Sfârșitul regulii.
      În cazul în care furnizorul şi cumpărătorul sunt ambii în Comunitatea Europeană şi cumpărătorul este o persoană juridică (cu o înregistrare intracomunitara de TVA), atunci TVA este implicit 0. Sfârșitul regulii.
      În orice alt caz, valoarea implicită propusă a taxei de vânzare este = 0. Sfârșitul regulii. +VATIsUsedDesc=În mod implicit, atunci când se creează prospecți, facturi, comenzi etc. Cota taxei pe vânzări urmează regula standard activă:
      dacă vânzătorul nu este supus taxei pe vânzări, atunci taxa pe vânzări este implicit 0. Sfârșitul regulii.
      Dacă (țara vânzătorului = țara cumpărătorului ), atunci taxa pe vânzări implicit este egală cu taxa pe vânzări a produsului în țara vânzătorului. Sfârșitul regulii.
      Dacă vânzătorul și cumpărătorul sunt amândoi în Comunitatea Europeană, iar mărfurile sunt produse legate de transport (cheltuieli de transport, transport, transport aerian), TVA-ul implicit este 0. Această regulă depinde de țara vânzătorului - te rugăm să consulți contabilul. TVA-ul trebuie plătit de cumpărător la biroul vamal din țara sa și nu vânzător. Sfârșitul regulii.
      Dacă vânzătorul și cumpărătorul sunt amândoi în Comunitatea Europeană, iar cumpărătorul nu este o companie (cu un număr înregistrat de TVA intracomunitar), atunci TVA-ul este implicit la cota de TVA din țara vânzătorului. Sfârșitul regulii.
      Dacă vânzătorul și cumpărătorul sunt ambii în Comunitatea Europeană, iar cumpărătorul este o companie (cu un număr înregistrat de TVA intracomunitar), atunci TVA-ul este 0 în mod implicit. Sfârșitul regulii.
      În orice alt caz, valoarea implicită propusă este TVA=0. Sfârșitul regulii. VATIsNotUsedDesc=Implicit, taxa de vânzare propusă este 0, ea poate fi utilizată pentru cazuri precum asociații, persoane fizice sau companii mici. VATIsUsedExampleFR=În Franța, se referă la companii sau organizații care au un sistem fiscal real (Simplificat real sau normă de venit). Un sistem în care TVA este declarat. VATIsNotUsedExampleFR=În Franța, înseamnă că sunt declarate asociații sau societăţi care nu sunt plătitoare de taxe, organizații sau profesii liberale care au ales sistemul fiscal micro intreprindere (taxe de vânzări în franciză) şi plătesc taxe de vânzare de franciză fără nicio declarație de taxe de vânzare. Această opțiune va afișa referinţa "Vânzări cu taxe neaplicabile - art-293B de CGI" pe facturi. +VATType=Tip TVA ##### Local Taxes ##### TypeOfSaleTaxes=Tipuri taxe vânzări LTRate=Cotă @@ -1399,8 +1410,8 @@ PHPModuleLoaded=Componenta PHP %seste încărcată PreloadOPCode=Componenta OPCode preîncărcată este utilizată AddRefInList=Afișează ref. Client/Vânzător în listele combo.
      Terții vor apărea în formatul "CC12345 - SC45678 - COMPANIE SRL" în loc de "COMPANIE SRL". AddVatInList=Afișează codul de TVA al clientului/furnizorului în listele combo. -AddAdressInList=Afișează adresa clientului/furnizorului în listele combo.
      Terții vor apărea în formatul "COMPANIE SRL - Strada 21 Cod poştal 123456 Judeţ - România" în loc de "COMPANIE SRL". -AddEmailPhoneTownInContactList=Afișați adresa de email de contact (sau telefoanele dacă nu este definită) și lista cu orașe (lista combo sau caseta combinată)
      Contactele vor apărea cu formatul de nume "Dupond Durand - dupond.durand@email.com - Paris" sau "Dupond Durand - 06 07 59 65 66 - Paris" în loc de "Dupond Durand". +AddAdressInList=Afișare adresa client/furnizor în listele combinate.
      Terții vor apărea cu un format de nume „The Big Company corp. - 21 jump street 123456 Big town - USA” în loc de „The Big Company corp”. +AddEmailPhoneTownInContactList=Afișează email-ul de contact (sau telefoanele dacă nu este definit) și lista de informații despre localitate (listă de selecție sau casetă combo)
      Contactele vor apărea cu un format de nume „Dupond Durand - dupond.durand@example.com - Paris” sau „Dupond Durand - 0607596566 - Paris” în loc de „Dupond Durand”. AskForPreferredShippingMethod=Solicitare metodă de transport agreată cu terţii. FieldEdition=Editarea câmpului %s FillThisOnlyIfRequired=Exemplu: +2 (completați numai dacă există probleme cu decalajul de fus orar) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Nu afișați link-ul "Parola uitată" pe pa UsersSetup=Configurare modul Utilizatori UserMailRequired=Emailul este necesar pentru crearea unui utilizator nou UserHideInactive=Ascundeți utilizatorii inactivi în toate listele combinate de utilizatori (Nu este recomandat: acest lucru înseamnă că nu veți putea filtra sau căuta pe utilizatori vechi pe unele pagini) +UserHideExternal=Ascunde utilizatori externi (ne-asociați cu un terț) din toate listele combo de utilizatori (Nerecomandat: acest lucru poate însemna că nu vei putea filtra sau căuta utilizatori externi pe unele pagini) +UserHideNonEmployee=Ascunde utilizatorii care nu sunt angajați din toate listele combo de utilizatori (Nerecomandat: acest lucru poate însemna că nu vei putea să filtrezi sau să cauți utilizatorii care nu sunt angajați pe unele pagini) UsersDocModules= Șabloane de documente pentru documentele generate din înregistrarea utilizatorului GroupsDocModules=Șabloane de documente generate dintr-o înregistrare de grup ##### HRM setup ##### @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Exemplu : gidnumber LDAPFieldUserid=Id utilizator LDAPFieldUseridExample=Exemplu : uidnumber LDAPFieldHomedirectory=Director home -LDAPFieldHomedirectoryExample=Exemplu : homedirectory +LDAPFieldHomedirectoryExample=Exemplu : directorhome LDAPFieldHomedirectoryprefix=Prefix director home LDAPSetupNotComplete=Configurarea LDAP nu este completă (mergi şi pe celelalte file) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Contul de administrator sau parola nu au fost furnizate. Accesul LDAP va fi anonim şi doar în modul citire. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Modulul memcahed pentru aplicare cache a fos MemcachedAvailableAndSetup=Modulul Memcached dedicat utilizării cu serverul memcached este activat. OPCodeCache=Cache OPCode NoOPCodeCacheFound=Nu a fost găsită o memorie cache OPCode. Poate că utilizezi o memorie cache OPCode, alta decât XCache sau eAccelerator (bună), sau poate că nu ai memorie cache OPCode (foarte rău). -HTTPCacheStaticResources=Cache HTTP pentru resursele statice (css, img, javascript) +HTTPCacheStaticResources=Cache HTTP pentru resurse statice (css, img, JavaScript) FilesOfTypeCached=Fișierele de tip %s sunt puse în cache de serverul HTTP FilesOfTypeNotCached=Fișierele de tip %s nu sunt puse în cache de serverul HTTP FilesOfTypeCompressed=Fișierele de tip %s sunt comprimate de serverul HTTP @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Text liber pe notele de recepţie produse ##### FCKeditor ##### AdvancedEditor=Editor avansat ActivateFCKeditor=Activaţi editorul avansat pentru: -FCKeditorForNotePublic=Creare/editare WYSIWIG câmp "note publice" pe elemente -FCKeditorForNotePrivate=Creare/editare WYSIWIG câmp "note private" pe elemente -FCKeditorForCompany=Creare/editare WYSIWIG câmp descriere elemente (cu excepția produselor/serviciilor) -FCKeditorForProductDetails=Creare/editare WYSIWYG a descrierii produselor sau a liniilor pentru obiecte (linii de oferte, comenzi, facturi, etc...). +FCKeditorForNotePublic=Creare/editare WYSIWYG pentru câmpul "notă publică" a elementelor +FCKeditorForNotePrivate=Creare/editare WYSIWYG pentru câmpul "notă privată" a elementelor +FCKeditorForCompany=Creare/editare WYSIWYG pentru câmpul descriere al elementelor (exceptând produse/servicii) +FCKeditorForProductDetails=Creare/editare WYSIWYG a descrierii produselor sau a liniilor pentru obiecte (linii de oferte, comenzi, facturi etc...). FCKeditorForProductDetails2=Atenție: Utilizarea acestei opțiuni pentru acest caz nu este recomandată, deoarece poate crea probleme cu caracterele speciale și formatarea paginii la generarea fișierelor PDF. -FCKeditorForMailing= Creare/editare WYSIWIG pentru newslettere (Instrumente->Newslettere) -FCKeditorForUserSignature=Creare/editare WYSIWIG a semnăturii utilizatorilor -FCKeditorForMail=Creare/editare WYSIWIG pentru toate email-urile (cu excepția Instrumente->Newletter) -FCKeditorForTicket=Creare/editare de tip WYSIWIG pentru tichete +FCKeditorForMailing= Creare/editare WYSIWYG pentru emailuri în masă (Instrumente->eMailing) +FCKeditorForUserSignature=Creare/editare WYSIWYG semnătură utilizator +FCKeditorForMail=Creare/editare WYSIWYG pentru toate email-urile (cu excepția Instrumente->EMailing) +FCKeditorForTicket=Creare/editare WYSIWYG pentru tichete ##### Stock ##### StockSetup=Configurare modul Stocuri IfYouUsePointOfSaleCheckModule=Dacă utilizezi modulul Punct de vânzare (POS) furnizat în mod implicit sau de un modul extern, această configurare poate fi ignorată de modulul POS. Cele mai multe module POS sunt proiectate în mod implicit să creeze o factură imediat și să scadă din stoc, indiferent de opțiunile de aici. Deci, dacă ai nevoie sau nu să faci o scădere din stoc la înregistrarea unei vânzări de pe POS, verifică și configurarea modulului POS. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Meniuri personalizate care nu sunt legate de o intrar NewMenu=Meniu nou MenuHandler=Handler meniu MenuModule=Modul sursă -HideUnauthorizedMenu=Ascunde meniurile neautorizate și pentru utilizatorii interni (doar gri altfel) +HideUnauthorizedMenu=Ascunde meniurile neautorizate și pentru utilizatorii interni (în caz contrar, doar gri) DetailId=Id meniu DetailMenuHandler=Handler meniu utilizat pentru afişarea noului meniu DetailMenuModule=Numele modulului dacă intrarea în meniu provine dintr-un modul @@ -1802,7 +1815,7 @@ DetailType=Tip meniu (sus sau stânga) DetailTitre=Etichetă meniu sau cod etichetă pentru traducere DetailUrl=Adresa URL la care trimite meniul (link URL relativ sau link extern cu https://) DetailEnabled=Condiţia pentru a afişa sau nu elementul -DetailRight=Condiţia pentru a afişa meniurile gri neautorizate +DetailRight=Condiție pentru afișarea meniurilor gri neautorizate DetailLangs=Nume fişier lang pentru cod etichetă de traducere DetailUser=Intern / Extern / Toate Target=Ţintă @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Cont implicit pentru încasări numerar CashDeskBankAccountForCheque=Cont implicit utilizat pentru plăţi cu cecuri CashDeskBankAccountForCB=Cont implicit utilizat pentru a primi plăţi efectuate cu carduri de credit CashDeskBankAccountForSumup=Contul bancar implicit utilizat pentru a primi plăţi de la SumUp -CashDeskDoNotDecreaseStock=Dezactivează scăderea stocului atunci când o vânzare se face prin POS (dacă "nu", scăderea stocului se face pentru fiecare vânzare făcută prin POS, indiferent de opțiunea stabilită în modulul Stoc). +CashDeskDoNotDecreaseStock=Dezactivare scădere stoc atunci când o vânzare se face de la punctul de vânzare POS +CashDeskDoNotDecreaseStockHelp=Dacă "nu", scăderea stocului se face pentru fiecare vânzare efectuată din POS, indiferent de opțiunea setată în modulul Stoc. CashDeskIdWareHouse=Forţează și limitează depozitul să utilizeze scăderea de stoc StockDecreaseForPointOfSaleDisabled=Scăderea stocului la vânzarea făcută prin POS este dezactivată StockDecreaseForPointOfSaleDisabledbyBatch=Scăderea stocului la plata prin POS nu este compatibilă cu modulul Management loturi/serii (activat în prezent), astfel că scăderea stocului este dezactivată. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Evidențiați liniile tabelului când treceţi cu mou HighlightLinesColor=Evidențiere culoare linie la trecerea cu mouse-ul (foloseşte „ffffff” pentru dezactivare) HighlightLinesChecked=Evidențiere culoare linie atunci când este bifată (foloseşte „ffffff” pentru dezactivare) UseBorderOnTable=Afișare chenare stânga-dreapta în tabele +TableLineHeight=Înălțime linie tabel BtnActionColor=Culoarea butonului de acţiune TextBtnActionColor=Culoarea textului butonului de acţiune TextTitleColor=Culoarea textului pentru titlul de pagină @@ -1991,7 +2006,7 @@ EnterAnyCode=Acest câmp conține o referință pentru identificarea liniei. Int Enter0or1=Introdu 0 sau 1 UnicodeCurrency=Introdu aici între paranteze, lista de octeți care reprezintă simbolul monedei. De exemplu: pentru $, introdu [36] - pentru Real brazilian R$ [82,36] - pentru €, introdu [8364] ColorFormat=Culoarea RGB este în format HEX , de exemplu: FF0000 -PictoHelp=Numele pictogramei în format:
      - image.png pentru un fișier imagine din directorul temei curente
      - image.png@module dacă fișierul se află în directorul /img/ al unui modul
      - fa-xxx pentru un FontAwesome fa-xxx picto
      -fonwtawesome_xxx_fa_color_size pentru picto FontAwesome fa-xxx (cu prefix, culoare, dimensiune și set) +PictoHelp=Numele pictogramei în format:
      - image.png pentru un fișier imagine în directorul curent al temei
      - image.png@module dacă fișierul se află în directorul /img/ al unui modul
      - fa-xxx pentru o pictogramă FontAwesome fa-xxx
      - fontawesome_xxx_fa_color_size pentru o pictogramă FontAwesome fa-xxx (cu set de prefix, culoare și dimensiune) PositionIntoComboList=Poziția linei în listele combo SellTaxRate=Cote taxe/impozite pe vânzări RecuperableOnly=Da pentru TVA "neperceput, dar recuperabil" dedicat pentru unele regiuni din Franța. Mențineți valoarea "Nu" în toate celelalte cazuri. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Ascunde coloana d MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Ascunde coloana de preț unitar pe comenzile de achiziție MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Ascunde coloana de preț total pe comenzile de achiziție MAIN_PDF_NO_SENDER_FRAME=Ascunde marginile chenarului de adresă expeditor/furnizor -MAIN_PDF_NO_RECIPENT_FRAME=Ascunde marginile chenarului de adresă destinatar/beneficiar +MAIN_PDF_NO_RECIPENT_FRAME=Ascundere chenare cadru adresă destinatar MAIN_PDF_HIDE_CUSTOMER_CODE=Ascunde cod client MAIN_PDF_HIDE_SENDER_NAME=Ascunde expeditor/nume companie din blocul de adresă PROPOSAL_PDF_HIDE_PAYMENTTERM=Ascundere termeni de plată @@ -2118,7 +2133,7 @@ EMailHost=Server gazdă de email IMAP EMailHostPort=Port email server IMAP loginPassword=Login/Parolă oauthToken=Token OAuth2 -accessType=Tip acces +accessType=Tip de acces oauthService=Serviciu Oauth TokenMustHaveBeenCreated=Modulul OAuth2 trebuie să fie activat și un token oauth2 trebuie să fi fost creat cu permisiunile corecte (de exemplu, domeniul "gmail_full" cu OAuth pentru Gmail). ImapEncryption = Metodă de criptare IMAP @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Nu include conținutul antetului de email în con EmailCollectorHideMailHeadersHelp=Când este activat, anteturile de email nu sunt adăugate la sfârșitul conținutului care este salvat ca eveniment în agendă. EmailCollectorConfirmCollectTitle=Confirmarea colectării de emailuri EmailCollectorConfirmCollect=Vrei să rulezi acest colector acum? -EmailCollectorExampleToCollectTicketRequestsDesc=Colectare email-uri care se potrivesc cu anumite reguli și creare automată tichet (Modulul Tichete trebuie să fie activat) cu informațiile de pe email. Poți folosi acest colector dacă oferi asistență prin email, astfel încât solicitarea de tichete va fi generată automat. Activează și Collect_Responses pentru a colecta răspunsurile clientului direct la vizualizarea tichetelor (trebuie să răspundeți din sistem). +EmailCollectorExampleToCollectTicketRequestsDesc=Colectare email-uri care se potrivesc cu anumite reguli și creare automată a unui tichet (Modulul Tichete trebuie să fie activat) cu informațiile din email. Poți utiliza acest colector dacă oferi asistență prin email, astfel încât solicitarea ta din tichet va fi generată automat. Activează și Collect_Responses pentru a colecta răspunsurile clientului direct din vizualizarea tichetelor (trebuie să răspunzi din sistem). EmailCollectorExampleToCollectTicketRequests=Exemplu de colectare solicitare de tichet (numai primul mesaj) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scanează-ți directorul „Trimise” din cutia poștală pentru a găsi email-uri care au fost trimise ca răspuns la un alt email direct din clientul tău de email și nu din sistem. Dacă se găsește un astfel de email, evenimentul de răspuns este înregistrat în sistem EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Exemplu de colectare a răspunsurilor la email trimise de la un client extern de email EmailCollectorExampleToCollectDolibarrAnswersDesc=Colectare toate email-urile care sunt un răspuns la un email trimis din aplicație. Un eveniment (Modulul Agenda trebuie să fie activat) cu răspunsul prin email va fi înregistrat la locul potrivit. De exemplu, dacă trimiți o ofertă comercială, o comandă, o factură sau un mesaj pentru un tichet pe email din aplicație, iar destinatarul îți răspunde la email, sistemul va captura automat răspunsul și îl va adăuga în ERP. EmailCollectorExampleToCollectDolibarrAnswers=Exemplu de colectare a tuturor mesajelor primite ca răspunsuri la mesajele trimise din sistem -EmailCollectorExampleToCollectLeadsDesc=Colectare email-uri care corespund unor reguli și creare automată lead prospect (Modulul Proiecte trebuie să fie activat) cu informațiile email. Poți folosi acest colector dacă vrei să urmăreşti lead-ul folosind modulul Proiect (1 lead = 1 proiect), astfel încât lead-urile vor fi generate automat. Dacă colectorul Collect_Responses este de asemenea activat, atunci când trimiteți un email către clienții potențiali, oferte sau orice alt obiect, este posibil să vedeți și răspunsurile clienților sau partenerilor direct în aplicație.
      Notă: cu acest exemplu inițial, titlul lead-ului este generat incluzând emailul. Dacă terțul nu poate fi găsit în baza de date (client nou), clientul potențial va fi atașat terțului cu ID 1. +EmailCollectorExampleToCollectLeadsDesc=Colectare email-uri care corespund unor reguli și creare automată a unui lead de la un client potențial (Modulul Proiecte trebuie să fie activat) cu informațiile din email. Poți folosi acest colector dacă vrei să urmărești lead-ul/oportunitatea folosind modulul Proiecte (1 lead = 1 proiect), astfel încât clienții potențiali vor fi generați automat. Dacă colectorul Collect_Responses este de asemenea activat, atunci când trimiți un email de la clienții potențiali, ofertele sau orice alt obiect, este posibil să vezi și răspunsurile clienților sau partenerilor tăi direct în aplicație.
      Notă: cu acest exemplu inițial, titlul clientului potențial este generat inclusiv cu adresa de email. Dacă terțul nu poate fi găsit în baza de date (client nou), lead-ul va fi atașat terțului cu ID 1. EmailCollectorExampleToCollectLeads=Exemplu colectare lead-uri EmailCollectorExampleToCollectJobCandidaturesDesc=Colectează emailuri prin care aplică la ofertele de joburi (Modulul Recrutare trebuie să fie activat). Poți completa acest colector dacă dorești să creezi automat o candidatură pentru o cerere de angajare. Notă: Cu acest exemplu inițial, titlul candidaturii este generat inclusiv email-ul. EmailCollectorExampleToCollectJobCandidatures=Exemplu colectare candidaturi job primite pe email @@ -2188,10 +2203,10 @@ Protanopia=Protanopie Deuteranopes=Deuteranopie Tritanopes=Tritanopie ThisValueCanOverwrittenOnUserLevel=Această valoare poate fi suprascrisă de fiecare utilizator de pe pagina sa de utilizator - fişa '%s' -DefaultCustomerType=Tipul implicit al terțului pentru formularul de creare "Client nou" +DefaultCustomerType=Tip implicit de terț pentru formularul de creare "Client nou" ABankAccountMustBeDefinedOnPaymentModeSetup=Notă: Contul bancar trebuie definit în modul pentru fiecare metodă de plată (Paypal, Stripe, ...) pentru a funcţiona. RootCategoryForProductsToSell=Categoria rădăcină pentru toate produsele de vânzare -RootCategoryForProductsToSellDesc=Dacă este definit, numai produsele din această categorie sau din subcategoriile acesteia vor fi disponibile în Punctul de vânzare +RootCategoryForProductsToSellDesc=Dacă este definită, numai produsele din această categorie sau subcategoriile din această categorie vor fi disponibile în Punctul de vânzare - POS DebugBar=Debug bar DebugBarDesc=Bara de instrumente pentru simplificarea depanării DebugBarSetup=Configurare DebugBar @@ -2212,10 +2227,10 @@ ImportSetup=Configurare modul Import InstanceUniqueID=ID unic al instanţei SmallerThan=Mai mic decât LargerThan=Mai mare decât -IfTrackingIDFoundEventWillBeLinked=Rețineți că, dacă un identificator de urmărire al unui obiect este găsit în e-mail sau dacă e-mailul este un răspuns al unui e-mail colectat și legat de un obiect, evenimentul creat va fi legat automat de obiectul cunoscut. -WithGMailYouCanCreateADedicatedPassword=Cu un cont GMail, dacă ați activat validarea cu 2 factori, este recomandat să creați o a doua parolă dedicată pentru aplicație, în loc să utilizați propria parolă de la https://myaccount.google.com/. -EmailCollectorTargetDir=Poate fi de dorit să mutați email-ul într-o altă etichetă/director atunci când a fost procesat cu succes. Trebuie doar să setați numele directorului aici pentru a utiliza această caracteristică (NU folosiți caractere speciale în nume). Rețineți că, de asemenea, trebuie să utilizați un cont de autentificare pentru citire/scriere. -EmailCollectorLoadThirdPartyHelp=Poți folosi această acțiune pentru a utiliza conținutul email-ului pentru a găsi și încărca un terț existent în baza de date (căutarea se va face pe proprietatea definită printre „id”, „name”, „name_alias”, „email”). Terțul găsit (sau creat) va fi folosit pentru următoarele acțiuni care au nevoie de el.
      De exemplu, dacă vrei să creezi un terț cu un nume extras dintr-un șir „Nume: nume de găsit” prezent în corp, utilizează email-ul expeditorului ca email, poți seta câmpul de parametru astfel:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Reține că, dacă un ID de urmărire al unui obiect este găsit în email sau dacă email-ul este un răspuns la un email deja colectat și legat la un obiect, evenimentul creat va fi legat automat la obiectul asociat cunoscut. +WithGMailYouCanCreateADedicatedPassword=Cu un cont GMail, dacă ai activat validarea în 2 pași, este recomandat să creezi o a doua parolă dedicată pentru aplicație în loc să folosești propria parolă a contului de pe https://myaccount.google.com/. +EmailCollectorTargetDir=Poate fi un comportament dorit să muți email-ul într-o altă etichetă/director atunci când a fost procesat cu succes. Doar setează aici numele directorului pentru a utiliza această caracteristică (NU utiliza caractere speciale în nume). Reține că trebuie să utilizezi și un cont de autentificare pentru citire/scriere. +EmailCollectorLoadThirdPartyHelp=Poți folosi această acțiune pentru a utiliza conținutul emailul-ui pentru a găsi și încărca un terț existent în baza de date (căutarea se va face pe proprietățile definite 'id', 'name', 'name_alias', 'email'). Terțul găsit (sau creat) va fi folosit pentru următoarele acțiuni care au nevoie de el.
      De exemplu, dacă vrei să creezi un terț cu un nume extras dintr-un text 'Nume: nume de găsit' prezent în corpul email-ului, utilizând email-ul expeditorului ca email, poți seta câmpul parametru astfel:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET: 2;'
      FilterSearchImapHelp=Atenție: multe servere de email (cum ar fi Gmail) efectuează căutări complete de cuvinte atunci când caută pe un șir și nu vor returna un rezultat dacă șirul este găsit doar parțial într-un cuvânt. Din acest motiv, utilizează caractere speciale într-o căutare, criteriile vor fi ignorate dacă nu fac parte din cuvintele existente.
      Pentru a efectua o căutare de excludere a unui cuvânt (returnează email-ul dacă cuvântul nu este găsit), poți utiliza caracterul ! înainte de cuvânt (poate să nu funcționeze pentru unele servere de email). EndPointFor=End point pentru %s:%s DeleteEmailCollector=Şterge colectorul de email-uri @@ -2232,12 +2247,12 @@ EmailTemplate=Şablon pentru email EMailsWillHaveMessageID=E-mailuri care conţin eticheta „Referințe” care se potrivesc cu această expresie PDF_SHOW_PROJECT=Afişează proiectul în document ShowProjectLabel=Etichetă proiect -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias-ul în numele terților -THIRDPARTY_ALIAS=Nume terț - Alias ​​terț -ALIAS_THIRDPARTY=Alias ​​terț - Nume terț +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias în denumirea terțului +THIRDPARTY_ALIAS=Denumire terț - Alias terț +ALIAS_THIRDPARTY=Alias terț - Denumire terț PDFIn2Languages=Afișare etichete în PDF în 2 limbi diferite (este posibil ca această funcție să nu funcționeze pentru anumite limbi)  PDF_USE_ALSO_LANGUAGE_CODE=Dacă doriți să aveți unele texte duplicate în PDF-ul în 2 limbi diferite în același PDF generat, trebuie să setați aici această a doua limbă, astfel încât PDF-ul generat va conține 2 limbi diferite în aceeași pagină, cea aleasă la generarea PDF-ului și aceasta ( doar câteva șabloane PDF acceptă acest lucru). Păstrați gol pentru 1 limbă pentru fiecare PDF. -PDF_USE_A=Gererare documente PDF cu format PDF/A în loc de formatul PDF implicit +PDF_USE_A=Generare documente PDF cu formatul PDF/A în loc de formatul implicit PDF FafaIconSocialNetworksDesc=Introduceți aici codul unei pictograme FontAwesome. Dacă nu știți ce este FontAwesome, puteți utiliza valoarea generică fa-address-book. RssNote=Notă: Fiecare definiție de flux RSS oferă un widget pe care trebuie să îl activați pentru a-l avea disponibil în tabloul de bord JumpToBoxes=Mergi la Setări -> Widget-uri @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Aici puteți găsi recomandări de securitate ModuleActivatedMayExposeInformation=Această extensie PHP poate expune date sensibile. Dacă nu o foloseşti, dezactiveaz-o. ModuleActivatedDoNotUseInProduction=Un modul conceput pentru dezvoltare a fost activat. Nu-l activați într-un mediu de producție. CombinationsSeparator=Caracter separator pentru combinații de produse -SeeLinkToOnlineDocumentation=Pentru exemple, consultați linkul către documentația online din meniul de sus +SeeLinkToOnlineDocumentation=Consultă link-ul către documentația online din meniul de sus pentru exemple SHOW_SUBPRODUCT_REF_IN_PDF=Dacă se folosește caracteristica "%s" a modulului %s, afișați detalii despre subprodusele unui kit în PDF. AskThisIDToYourBank=Contactați banca pentru a obține acest ID -AdvancedModeOnly=Permisiunea este disponibilă numai în modul Permisiuni avansate +AdvancedModeOnly=Permisiune disponibilă numai în modul Permisiuni avansate ConfFileIsReadableOrWritableByAnyUsers=Fișierul conf poate fi citit sau scris de orice utilizator. Acordă permisiunea doar utilizatorului și grupului serverului web. MailToSendEventOrganization=Organizarea evenimentelor MailToPartnership=Parteneriat AGENDA_EVENT_DEFAULT_STATUS=Starea implicită a evenimentului când creaţi un eveniment din formular YouShouldDisablePHPFunctions=Ar trebui să dezactivezi funcțiile PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=Cu excepția cazului în care trebuie să rulați comenzi de sistem în cod personalizat, trebuie să dezactivați funcțiile PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=Cu excepția cazului în care trebuie să rulezi comenzi de sistem în cod personalizat, ar trebui să dezactivezi funcțiile PHP PHPFunctionsRequiredForCLI=Pentru shell (cum ar fi backup programat sau rularea unui program antivirus), trebuie să păstrezi funcțiile PHP NoWritableFilesFoundIntoRootDir=Nu au fost găsite în directorul rădăcină fișiere sau directoare scriptibile ale programelor comune (OK)  RecommendedValueIs=Recomandat: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Configurare Webhook Settings = Configurări WebhookSetupPage = Pagină de configurare Webhook ShowQuickAddLink=Afișează un buton pentru a adăuga rapid un element în meniul din dreapta sus - +ShowSearchAreaInTopMenu=Afișare zonă de căutare în meniul de sus HashForPing=Hash utilizat pentru ping ReadOnlyMode=Este instanță în mod "Read Only" DEBUGBAR_USE_LOG_FILE=Foloseşte fişierul dolibarr.log pentru capturare Log-uri @@ -2356,7 +2371,7 @@ DoesNotWorkWithAllThemes=Nu va funcționa cu toate temele NoName=Niciun nume ShowAdvancedOptions= Afișare opțiuni avansate HideAdvancedoptions= Ascundere opțiuni avansate -CIDLookupURL=Modulul aduce o adresă URL care poate fi utilizată de un instrument extern pentru a obține numele unui terț sau contact din numărul său de telefon. Adresa URL de utilizat este: +CIDLookupURL=Modulul aduce o adresă URL care poate fi folosită de un instrument extern pentru a obține denumirea unui terț sau unui contact de la numărul său de telefon. Adresa URL de utilizat este: OauthNotAvailableForAllAndHadToBeCreatedBefore=Autentificarea OAUTH2 nu este disponibilă pentru toate host-urile, iar un token cu permisiunile potrivite trebuie să fi fost creat înainte cu modulul OAUTH  MAIN_MAIL_SMTPS_OAUTH_SERVICE=Serviciu de autentificare OAUTH2 DontForgetCreateTokenOauthMod=Un token cu permisiunile potrivite trebuie să fi fost creat înainte cu modulul OAUTH @@ -2366,7 +2381,7 @@ UseOauth=Folosește un token OAUTH Images=Imagini MaxNumberOfImagesInGetPost=Numărul maxim de imagini permis într-un câmp HTML trimis într-un formular MaxNumberOfPostOnPublicPagesByIP=Număr maxim de postări pe pagini publice cu aceeași adresă IP într-o lună -CIDLookupURL=Modulul aduce o adresă URL care poate fi utilizată de un instrument extern pentru a obține numele unui terț sau contact din numărul său de telefon. Adresa URL de utilizat este: +CIDLookupURL=Modulul aduce o adresă URL care poate fi folosită de un instrument extern pentru a obține denumirea unui terț sau unui contact de la numărul său de telefon. Adresa URL de utilizat este: ScriptIsEmpty=Script-ul este gol ShowHideTheNRequests=Afișare/ascundere %s interogare(i) SQL DefinedAPathForAntivirusCommandIntoSetup=Definește o cale pentru un program antivirus în %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Ascundere cantitate comandată pe documentele generat MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Afișare preț pe documentele generate pentru recepții WarningDisabled=Avertizare dezactivată LimitsAndMitigation=Limite de acces și atenuare +RecommendMitigationOnURL=Se recomandă activarea filtrării pe adresa URL critică. Aceasta este o listă de reguli fail2ban pe care le poți utiliza pentru principalele URL-uri importante. DesktopsOnly=Doar desktop-uri DesktopsAndSmartphones=Desktop-uri și smartphone-uri AllowOnlineSign=Permite semnare online @@ -2403,6 +2419,24 @@ Defaultfortype=Implicit DefaultForTypeDesc=Șablon utilizat în mod implicit la crearea unui nou email pentru tipul de șablon OptionXShouldBeEnabledInModuleY=Opțiunea "%s" trebuie activată în modulul %s OptionXIsCorrectlyEnabledInModuleY=Opțiunea "%s" este activată în modulul %s +AllowOnLineSign=Permite semnătură online AtBottomOfPage=În subsolul paginii FailedAuth=autentificări eșuate MaxNumberOfFailedAuth=Număr maxim de autentificări eșuate în 24 de ore pentru a refuza autentificarea. +AllowPasswordResetBySendingANewPassByEmail=Dacă un utilizator A are această permisiune și chiar dacă utilizatorul A nu este un utilizator "admin", A are permisiunea de a reseta parola oricărui alt utilizator B, noua parolă va fi trimisă la email-ul celuilalt utilizator B, dar nu va fi vizibil pentru A. Dacă utilizatorul A are flag de "admin", el va putea, de asemenea, să știe care este noua parolă generată a lui B, astfel încât va putea prelua controlul asupra contului de utilizator B. +AllowAnyPrivileges=Dacă un utilizator A are această permisiune, el poate crea un utilizator B cu toate privilegiile, apoi îl poate folosi pe acest utilizator B sau își poate acorda orice alt grup cu orice permisiune. Deci înseamnă că utilizatorul A deține toate privilegiile de afaceri (doar accesul la sistem la paginile de configurare va fi interzis) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Această valoare poate fi citită deoarece instanța ta nu este setată în modul producție  +SeeConfFile=Vezi în fișierul conf.php de pe server +ReEncryptDesc=Re-criptează datele care nu a fost criptate +PasswordFieldEncrypted=Noua înregistrare %s are acest câmp criptat +ExtrafieldsDeleted=Extra-câmpurile %s au fost șterse +LargeModern=Mare - Modern +SpecialCharActivation=Activează butonul de deschidere tastatură virtuală pentru a introduce caractere speciale +DeleteExtrafield=Șterge extracâmp +ConfirmDeleteExtrafield=Confirmi ștergerea câmpului %s ? Toate datele salvate în acest câmp vor fi șterse definitiv +ExtraFieldsSupplierInvoicesRec=Atribute complementare (șabloane facturi) +ExtraFieldsSupplierInvoicesLinesRec=Atribute complementare (linii de factură șablon) +ParametersForTestEnvironment=Parametri pentru mediu de testare +TryToKeepOnly=Încearcă să păstrezi numai %s +RecommendedForProduction=Recomandat pentru Producție +RecommendedForDebug=Recomandat pentru Depanare diff --git a/htdocs/langs/ro_RO/bills.lang b/htdocs/langs/ro_RO/bills.lang index 112ea1c4441..6fe91f948a5 100644 --- a/htdocs/langs/ro_RO/bills.lang +++ b/htdocs/langs/ro_RO/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Introduceţi o plată restituire pentru client DisabledBecauseRemainderToPayIsZero=Dezactivată pentru că restul de plată este zero PriceBase=Preţ de bază BillStatus=Status factură -StatusOfGeneratedInvoices=Status factură generată +StatusOfAutoGeneratedInvoices=Statusul facturilor generat automat BillStatusDraft=Schiţă (de validat) BillStatusPaid=Plătite BillStatusPaidBackOrConverted=Notă de credit rambursată sau marcată ca credit disponibil @@ -167,7 +167,7 @@ ActionsOnBill=Evenimente pe factură ActionsOnBillRec=Acțiuni pe factură recurentă RecurringInvoiceTemplate=Șablon / factură recurentă NoQualifiedRecurringInvoiceTemplateFound=Nu există un model de factură potrivit pentru generare. -FoundXQualifiedRecurringInvoiceTemplate=Au fost găsite %s modele de facturi recurente potrivite pentru generare. +FoundXQualifiedRecurringInvoiceTemplate=%s factur(i) recurente șablon calificate pentru generare. NotARecurringInvoiceTemplate=Nu este un model de factură recurentă. NewBill=Factură nouă LastBills=Ultimele %s facturi @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Facturi furnizor schiţă Unpaid=Neachitate ErrorNoPaymentDefined=Eroare Nu este definită nicio plată ConfirmDeleteBill=Sunteţi sigur că doriţi să ştergeţi această factură? -ConfirmValidateBill=Sigur doriţi să validaţi factura cu referinţa %s? +ConfirmValidateBill=Sigur vrei să validezi această factură cu referința %s? ConfirmUnvalidateBill=Sigur doriţi să schimbaţi factura %s la statusul de schiţă? ConfirmClassifyPaidBill=Sigur doriţi să schimbaţi factura %s la statusul Plătită ? ConfirmCancelBill=Sigur doriţi să anulaţi factura %s ? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Confirmaţi introducerea plăţii pentru %s %s ? ConfirmSupplierPayment=Confirmaţi introducerea plăţii pentru %s %s ? ConfirmValidatePayment=Sunteți sigur că doriți validarea acestei plăti? Nicio modificare nu mai este posibilă după validarea plății. ValidateBill=Validează factura -UnvalidateBill=Devalidează factura +UnvalidateBill=Invalidare factură NumberOfBills=Nr. de facturi NumberOfBillsByMonth=Nr. de facturi pe lună AmountOfBills=Valoare facturi @@ -250,12 +250,13 @@ RemainderToTake=Rest de încasat RemainderToTakeMulticurrency=Rest de încasat, în moneda originală RemainderToPayBack=Suma rămasă pentru rambursare RemainderToPayBackMulticurrency=Suma rămasă de restituit, în moneda originală +NegativeIfExcessReceived=negativ dacă excesul este primit NegativeIfExcessRefunded=negativ dacă excesul este rambursat +NegativeIfExcessPaid=negativ dacă se plătește în exces Rest=Creanţă AmountExpected=Suma reclamată ExcessReceived=Primit în plus ExcessReceivedMulticurrency=Excedent de plată primit, în moneda originală -NegativeIfExcessReceived=negativ dacă excesul este primit ExcessPaid=Excedent plătit ExcessPaidMulticurrency=Plată în exces, în moneda originală EscompteOffered=Discount oferit ( plată înainte de termen) @@ -267,6 +268,8 @@ NoDraftBills=Nicio factură schiţă NoOtherDraftBills=Nicio altă factură schiţă NoDraftInvoices=Nicio factură schiţă RefBill=Ref Factură +RefSupplierBill=Ref factură furnizor +SupplierOrderCreateBill=Creare factură ToBill=De facturat RemainderToBill=Rest de facturat SendBillByMail=Trimiteţi factura prin email @@ -351,6 +354,7 @@ HelpAbandonOther=Această sumă a fost abandonată deoarece a fost o eroare (cli IdSocialContribution=Id Plata taxa sociala / fiscala PaymentId=ID Plată PaymentRef=Ref. plată +SourceInvoiceId=ID factură sursă InvoiceId=ID Factură InvoiceRef=Ref. Factură InvoiceDateCreation=Data crearea factură @@ -561,10 +565,10 @@ YouMustCreateStandardInvoiceFirstDesc=Intai se poate crea o factură standard si PDFCrabeDescription= Şablon PDF de factură Crabe. Un șablon de factură complet (vechea implementare a șablonului Sponge) PDFSpongeDescription=Factura PDF șablon Burete. Un șablon complet de factură PDFCrevetteDescription=Model factură PDF Crevette. Un model complet pentru factura de situaţie -TerreNumRefModelDesc1=Returnează numărul în format %syymm-nnnn pentru facturile standard și %syymm-nnnn pentru notele de credit în care yy este anul, mm este luna și nnnn este un număr secvențial de auto-incrementare fără întrerupere și fără revenire la 0 -MarsNumRefModelDesc1=Returnează numărul în format %syymm-nnnn pentru facturile standard, %syymm-nnnn pentru facturile de înlocuire, %syymm-nnnn pentru facturile de avans și %syymm-nnnn pentru notele de credit în care yy este anul, mm este luna și nnnn este un număr secvențial de creștere automată fără întrerupere și fără revenire la 0 +TerreNumRefModelDesc1=Returnează numărul în formatul %syymm-nnnn pentru facturile standard și %syymm-nnnn pentru note de credit, unde yy este anul, mm este luna și nnnn este un număr cu incrementare automată secvențială fără întrerupere și fără întoarcere la 0 +MarsNumRefModelDesc1=Returnează numărul în formatul %syymm-nnnn pentru facturile standard, %syymm-nnnn pentru facturile de corecție/înlocuire, %syymm-nnnn pentru facturile de avans și %syymm-nnnn pentru note de credit, unde yy este anul, mm este luna și nnnn este un număr cu autoincrementare secvențială fără pauză și fără revenire la 0 TerreNumRefModelError=O factură începând cu $syymm există deja și nu este compatibilă cu acest model de numerotaţie. Ştergeţi sau redenumiți pentru a activa acest modul. -CactusNumRefModelDesc1=Returnează un număr în format %syymm-nnnn pentru facturile standard, %syymm-nnnn pentru note de credit și %syymm-nnnn pentru facturile de avans în care yy este anul, mm este luna, iar nnnn este un număr secvențial de incrementare automată fără întrerupere și fără revenire la 0 +CactusNumRefModelDesc1=Returnează numărul în format %syymm-nnnn pentru facturile standard, %syymm-nnnn pentru note de credit și %syymm-nnnn pentru facturile de avans, unde aa este anul, mm este luna și nnnn este un număr cu incrementare automată secvențială fără întrerupere și fără întoarcere la 0 EarlyClosingReason= Motiv de închidere timpurie EarlyClosingComment=Notă de închidere timpurie ##### Types de contacts ##### @@ -641,3 +645,8 @@ MentionCategoryOfOperations=Categorie operațiuni  MentionCategoryOfOperations0=Livrare de bunuri MentionCategoryOfOperations1=Prestare de servicii MentionCategoryOfOperations2=Mixt - Livrare de bunuri și prestare de servicii +Salaries=Salarii +InvoiceSubtype=Subtip factură +SalaryInvoice=Salariu +BillsAndSalaries=Facturi & Salarii +CreateCreditNoteWhenClientInvoiceExists=Această opțiune este activată numai atunci când există factur(i) validate pentru un client sau când este utilizată constanta INVOICE_CREDIT_NOTE_STANDALONE (utilă pentru unele țări) diff --git a/htdocs/langs/ro_RO/blockedlog.lang b/htdocs/langs/ro_RO/blockedlog.lang index 7544c1ac944..8fef25a1fc9 100644 --- a/htdocs/langs/ro_RO/blockedlog.lang +++ b/htdocs/langs/ro_RO/blockedlog.lang @@ -14,28 +14,6 @@ OkCheckFingerprintValidityButChainIsKo=Jurnalul arhivă pare valid în comparaț AddedByAuthority=Stocat într-o autoritate la distanţă NotAddedByAuthorityYet=Nu este stocat într-o autoritate la distanţă ShowDetails=Afișați detaliile stocate -logPAYMENT_VARIOUS_CREATE=Plată (ne-asignată unei facturi) creată -logPAYMENT_VARIOUS_MODIFY=Plată ( ne-asignată unei facturi) modificată -logPAYMENT_VARIOUS_DELETE=Ştergere logică plată (ne-asignată unei facturi) -logPAYMENT_ADD_TO_BANK=Plată adăugată în bancă -logPAYMENT_CUSTOMER_CREATE=Plata clientului a fost creată -logPAYMENT_CUSTOMER_DELETE=Ștergerea logică a plăţii clientului -logDONATION_PAYMENT_CREATE=Plata donaţiei a fost creată -logDONATION_PAYMENT_DELETE=Ștergerea logică a plăţii donaţiei -logBILL_PAYED=Factura de client plătită -logBILL_UNPAYED=Factura pentru client setată ca neplătită -logBILL_VALIDATE=Factura client validată -logBILL_SENTBYMAIL=Factura clientului trimisă prin poștă -logBILL_DELETE=Factura clientului a fost ștearsă logic -logMODULE_RESET=Modulul Jurnale Nealterabile a fost dezactivat -logMODULE_SET=Modulul Jurnale Nealterabile a fost activat -logDON_VALIDATE=Donaţie validată -logDON_MODIFY=Donaţie modificată -logDON_DELETE=Ştergerea logică a donaţiei -logMEMBER_SUBSCRIPTION_CREATE=Cotizaţia de membru a fost creată -logMEMBER_SUBSCRIPTION_MODIFY=Cotizaţia de membru a fost modificată -logMEMBER_SUBSCRIPTION_DELETE=Ștergerea logică a cotizaţiei de membru -logCASHCONTROL_VALIDATE= Înregistrare închidere casierie BlockedLogBillDownload=Descărcarea facturii clientului BlockedLogBillPreview=Previzualizarea facturii clientului BlockedlogInfoDialog=Detalii înregistrare @@ -44,7 +22,7 @@ Fingerprint=Amprentă digitală DownloadLogCSV=Exportați jurnale arhivate (CSV) logDOC_PREVIEW=Previzualizarea unui document validat pentru imprimare sau descărcare logDOC_DOWNLOAD=Descărcarea unui document validat pentru imprimare sau trimitere -DataOfArchivedEvent=Datele complete ale evenimentului arhivat +DataOfArchivedEvent=Date complete ale evenimentului arhivat ImpossibleToReloadObject=Obiect original (tip %s, id %s) nu este legat (vedeți coloana "Date complete" pentru a obține date salvate nemodificate) BlockedLogAreRequiredByYourCountryLegislation=Modulul Jurnale Nealterabile poate fi impus de legislația țării tale. Dezactivarea acestui modul poate face ca orice tranzacție viitoare să nu fie validată și utilizarea software-ului să nu fie corespunzătoare din punct de vedere legal, deoarece operaţiunile economice efectuate nu pot fi validate de un audit fiscal din perspectiva taxării. BlockedLogActivatedBecauseRequiredByYourCountryLegislation=Modulul Jurnale Nealterabile a fost activat de legislația țării tale. Dezactivarea acestui modul poate face ca orice tranzacție viitoare să nu fie validă din punct de vedere legal și utilizarea software-ului să fie considerată necorespunzătoare, deoarece acestea nu pot fi validate de un audit fiscal. @@ -55,3 +33,30 @@ RestrictYearToExport=Restricționați luna/anul de exportat BlockedLogEnabled=Sistemul de urmărire a evenimentelor în jurnale inalterabile a fost activat BlockedLogDisabled=Sistemul de urmărire a evenimentelor în jurnale inalterabile a fost dezactivat după ce au fost efectuate înregistrări. Am salvat o amprentă specială pentru a marca lanțul ca fiind rupt BlockedLogDisabledBis=Sistemul de urmărire a evenimentelor în jurnale inalterabile a fost dezactivat. Acest lucru este posibil deoarece încă nu au fost create înregistrări. +LinkHasBeenDisabledForPerformancePurpose=Din motive de performanță, legătura directă către document nu este afișată după a 100-lea rând. + +## logTypes +logBILL_DELETE=Factura clientului a fost ștearsă logic +logBILL_PAYED=Factura de client plătită +logBILL_SENTBYMAIL=Factura clientului trimisă prin poștă +logBILL_UNPAYED=Factura pentru client setată ca neplătită +logBILL_VALIDATE=Factura client validată +logCASHCONTROL_VALIDATE= Înregistrare închidere casierie +logDOC_DOWNLOAD=Descărcarea unui document validat pentru imprimare sau trimitere +logDOC_PREVIEW=Previzualizarea unui document validat pentru imprimare sau descărcare +logDONATION_PAYMENT_CREATE=Plata donaţiei a fost creată +logDONATION_PAYMENT_DELETE=Ștergerea logică a plăţii donaţiei +logDON_DELETE=Ştergerea logică a donaţiei +logDON_MODIFY=Donaţie modificată +logDON_VALIDATE=Donaţie validată +logMEMBER_SUBSCRIPTION_CREATE=Cotizaţia de membru a fost creată +logMEMBER_SUBSCRIPTION_DELETE=Ștergerea logică a cotizaţiei de membru +logMEMBER_SUBSCRIPTION_MODIFY=Cotizaţia de membru a fost modificată +logMODULE_RESET=Modulul Jurnale Nealterabile a fost dezactivat +logMODULE_SET=Modulul Jurnale Nealterabile a fost activat +logPAYMENT_ADD_TO_BANK=Plată adăugată în bancă +logPAYMENT_CUSTOMER_CREATE=Plata clientului a fost creată +logPAYMENT_CUSTOMER_DELETE=Ștergerea logică a plăţii clientului +logPAYMENT_VARIOUS_CREATE=Plată (ne-asignată unei facturi) creată +logPAYMENT_VARIOUS_DELETE=Ştergere logică plată (ne-asignată unei facturi) +logPAYMENT_VARIOUS_MODIFY=Plată ( ne-asignată unei facturi) modificată diff --git a/htdocs/langs/ro_RO/cashdesk.lang b/htdocs/langs/ro_RO/cashdesk.lang index 6b76fe1585a..0dfd8b86c76 100644 --- a/htdocs/langs/ro_RO/cashdesk.lang +++ b/htdocs/langs/ro_RO/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=Chitanţă Header=Antet Footer=Subsol AmountAtEndOfPeriod=Valoare la sfârșitul perioadei (zi, lună sau an) -TheoricalAmount=Valoare teoretică +TheoricalAmount=Sumă teoretică RealAmount=Sumă reală CashFence=Închidere sertar de numerar CashFenceDone=Închiderea sertarului de numerar a fost făcută pentru perioada respectivă @@ -76,7 +76,7 @@ TerminalSelect=Selectați terminalul pe care doriți să-l utilizați: POSTicket=Tichet POS POSTerminal=Terminal POS POSModule=Modul POS -BasicPhoneLayout=Utilizați aspectul de bază pentru telefoane +BasicPhoneLayout=Pe telefoane, înlocuiește POS-ul cu un aspect minim (înregistrează numai comenzi, fără generare de facturi, fără tipărire de bonuri sau chitanțe) SetupOfTerminalNotComplete=Configurarea terminalului %s nu este completă DirectPayment=Plată directă DirectPaymentButton=Adaugă un buton "Plată directă în numerar" @@ -92,14 +92,14 @@ HeadBar=Head bar SortProductField=Câmp utilizat pentru sortarea produselor Browser=Browser BrowserMethodDescription=Tipărirea simplă și ușoară a chitanței. Doar câțiva parametri pentru a configura chitanța. Tipăriți prin browser. -TakeposConnectorMethodDescription=Modul extern cu funcții suplimentare. Posibilitatea de a imprima din cloud. +TakeposConnectorMethodDescription=Modul extern cu caracteristici suplimentare. Posibilitatea de a imprima din cloud. PrintMethod=Metoda de tipărire ReceiptPrinterMethodDescription=Metodă strong, cu o mulțime de parametri. Complet personalizabil cu șabloane. Serverul care găzduiește aplicația nu poate fi în cloud (trebuie să poată ajunge la imprimantele din rețeaua ta). ByTerminal=După terminal TakeposNumpadUsePaymentIcon=Utilizați pictograme în loc de text pe butoanele de plată de pe numpad CashDeskRefNumberingModules=Modul de numerotare pentru vânzările POS CashDeskGenericMaskCodes6 = Tag-ul
      {TN} este utilizat pentru adăugarea numărului de terminal -TakeposGroupSameProduct=Grupează liniile cu produse identice +TakeposGroupSameProduct=Îmbinare linii cu același produs StartAParallelSale=Iniţiază o vânzare paralelă SaleStartedAt=Vânzarea a început la %s ControlCashOpening=Deschide fereastra pop-up "Control sertar numerar" când se deschide POS-ul @@ -118,7 +118,7 @@ ScanToOrder=Scanează codul QR pentru a comanda Appearance=Aspect HideCategoryImages=Ascunde imaginile de categorie HideProductImages=Ascunde imaginile de produs -NumberOfLinesToShow= Numărul de linii de imagini de afișat +NumberOfLinesToShow=Numărul maxim de linii de text de afișat pe pictograme DefineTablePlan=Definire plan de mese GiftReceiptButton=Adaugă un buton "Bon cadou" GiftReceipt=Bon cadou @@ -135,5 +135,21 @@ PrintWithoutDetailsLabelDefault=Etichetă linie în mod implicit la imprimarea f PrintWithoutDetails=Tipărire fără detalii YearNotDefined=Anul nu este definit TakeposBarcodeRuleToInsertProduct=Regulă cod de bare pentru introducere produs -TakeposBarcodeRuleToInsertProductDesc=Regula pentru extragerea referinței produsului + o cantitate dintr-un cod de bare scanat.
      Dacă este necompletat (valoare implicită), aplicația va folosi codul de bare complet scanat pentru a găsi produsul.

      Dacă este definit, sintaxa trebuie să fie:
      ref:NB+qu:NB+qd:NB+other:NB
      unde NB este numărul de caractere utilizat pentru extragerea datelor din codul de bare scanat cu:
      • ref : referință produs
      • qu : cantitate de setat la introducerea articolului (unități)
      • qd : cantitatea de setat la introducerea articolului ( zecimale)
      • altele : alte caractere
      +TakeposBarcodeRuleToInsertProductDesc=Regula pentru extragerea referinței produsului + o cantitate dintr-un cod de bare scanat.
      Dacă este gol (valoare implicită), aplicația va folosi codul de bare complet scanat pentru a găsi produsul.

      Dacă este definită, sintaxa trebuie să fie:
      ref:NB+qu:NB+qd: NB+altele:NB
      unde NB este numărul de caractere de utilizat pentru extragerea datelor din codul de bare scanat cu:
      ref : referință produs
      qu : cantitate de setat la introducerea articolului (unități)
      qd : cantitatea de setat la introducerea articolului (zecimale)
      altele : alte caractere AlreadyPrinted=Deja tipărit +HideCategories=Ascunde complet secțiunea de selectare a categoriilor +HideStockOnLine=Ascunde stoc pe linie +ShowOnlyProductInStock=Afișare doar produse cu stoc +ShowCategoryDescription=Afișare descriere categorii +ShowProductReference=Afișează referința sau eticheta produselor +UsePriceHT=Utilizează prețul fără taxe și nu prețul cu taxe la modificarea unui preț +TerminalName=Terminalul %s +TerminalNameDesc=Nume terminal +DefaultPOSThirdLabel=Client generic TakePOS +DefaultPOSCatLabel=Produse Punct de vânzare (POS) +DefaultPOSProductLabel=Exemplu de produs pentru TakePOS +TakeposNeedsPayment=TakePOS are nevoie de o metodă de plată pentru a funcționa, vrei să creezi metoda de plată 'Numerar'? +LineDiscount=Discount pe linie +LineDiscountShort=Discount pe linie +InvoiceDiscount=Discount pe factură +InvoiceDiscountShort=Discount pe factură diff --git a/htdocs/langs/ro_RO/categories.lang b/htdocs/langs/ro_RO/categories.lang index 8af678c87e5..b1cb98f7d80 100644 --- a/htdocs/langs/ro_RO/categories.lang +++ b/htdocs/langs/ro_RO/categories.lang @@ -103,3 +103,4 @@ WebsitePagesCategoriesArea=Categorii Pagină-Container KnowledgemanagementsCategoriesArea=Categorii articole Bază de cunoştinţe UseOrOperatorForCategories=Foloseşte operatorul 'SAU' pentru categorii AddObjectIntoCategory=Asignare la categorie +Position=Funcţie diff --git a/htdocs/langs/ro_RO/compta.lang b/htdocs/langs/ro_RO/compta.lang index e360b5014bf..44f169012a5 100644 --- a/htdocs/langs/ro_RO/compta.lang +++ b/htdocs/langs/ro_RO/compta.lang @@ -162,6 +162,7 @@ CalcModeVATDebt=Mod %s TVA pe baza contabilității de angajament %s. CalcModeVATEngagement=Mod %s TVA pe bază venituri-cheltuieli%s. CalcModeDebt=Analiza documentelor înregistrate cunoscute CalcModeEngagement=Analiză plăți înregistrate cunoscute +CalcModePayment=Analiză plăți înregistrate cunoscute CalcModeBookkeeping=Analiza datelor publicate în Registrul Jurnal. CalcModeNoBookKeeping=Chiar dacă nu sunt încă contabilizate în Jurnal CalcModeLT1= Mod %sRE pe facturi clienţi - facturi furnizori %s @@ -177,7 +178,7 @@ AnnualByCompaniesDueDebtMode=Soldul veniturilor și cheltuielilor, detaliate dup AnnualByCompaniesInputOutputMode=Soldul veniturilor și cheltuielilor, detaliate după grupuri predefinite, modul %sVenituri-Cheltuieli%s aşa zisa Contabilitate numerică. SeeReportInInputOutputMode=Consultați %s analiza plăților %s pentru un calcul bazat pe plățile înregistrate efectuate chiar dacă acestea nu sunt încă contabilizate în Registru jurnal SeeReportInDueDebtMode=Consultați %s analiza documentelor înregistrate %s pentru un calcul pe baza documentelor înregistrate cunoscute, chiar dacă acestea nu sunt încă contabilizate în Registrul jurnal -SeeReportInBookkeepingMode=Consultați %sanaliza registrului contabil%s pentru un raport bazat pe Registrul de contabilitate +SeeReportInBookkeepingMode=Consultă %sanaliza Registrului contabil%s pentru un raport bazat pe tabela registrului contabil RulesAmountWithTaxIncluded=- Valorile afişate sunt cu toate taxele incluse RulesAmountWithTaxExcluded=- Valorile facturiloe afişate sunt fără taxe RulesResultDue=- Include toate facturile, cheltuielile, TVA-ul, donațiile, salariile, fie că sunt sau nu plătite.
      - Se bazează pe data de facturare la facturi și pe data scadenței pentru cheltuieli sau plăți fiscale. Pentru salarii se folosește data de încheiere a perioadei. diff --git a/htdocs/langs/ro_RO/cron.lang b/htdocs/langs/ro_RO/cron.lang index b12f52fc408..abe5abc115a 100644 --- a/htdocs/langs/ro_RO/cron.lang +++ b/htdocs/langs/ro_RO/cron.lang @@ -14,7 +14,7 @@ FileToLaunchCronJobs=Linie de comanda pentru a verifica și a lansa joburi cron CronExplainHowToRunUnix=Pe mediul Unix veţi utiliza instrumentul crontab pentru a rula urmatoarea linia de comanda la fiecare 5 minute CronExplainHowToRunWin=În mediul Microsoft (tm) Windows, puteți utiliza instrumentele Scheduled Task pentru a executa linia de comandă la fiecare 5 minute CronMethodDoesNotExists=Clasa %s nu conține nicio metodă %s -CronMethodNotAllowed=Metoda %s clasei %seste în lista neagră a metodelor interzise +CronMethodNotAllowed=Metoda %s clasei %s este în lista de metode interzise CronJobDefDesc=Profilele joburilor cron sunt definite în fișierul descriptor al modulului. Când modulul este activat, acestea sunt încărcate și sunt disponibile, astfel încât să puteți administra joburile din meniul Instrumente de administrare%s. CronJobProfiles=Lista profilurilor de job cron predefinite # Menu @@ -67,7 +67,7 @@ CronModuleHelp=Numele directorului modulului Dolibarr (lucrați și cu modul Dol CronClassFileHelp=Calea relativă și numele fișierului de încărcat (calea este relativă la directorul rădăcină web).
      De exemplu, pentru a apela metoda fetch a obiectului produs Dolibarr htdocs/product/class/product.class.php, valoarea pentru numele fişierului clasei este
      product/class/product.class.php CronObjectHelp=Numele obiectului de încărcat .
      De exemplu, pentru a apela metoda fetch a produsului Dolibarr obiect/htdocs/product/class/product.class.php, valoarea pentru numele fişierului clasei este
      Product CronMethodHelp=Metoda obiectului pentru lansare.
      De exemplu, pentru a apela metoda fetch a produsului Dolibarr obiect/htdocs/product/class/product.class.php, valoarea metodei este
      fetch -CronArgsHelp=Argumentele metodei.
      De exemplu, pentru a apela metoda de preluare a produsului Dolibarr object /htdocs/product/class/product.class.php, valoarea parametrilor poate fi
      0, ProductRef +CronArgsHelp=Argumente metodă.
      De exemplu, pentru a apela metoda fetch a obiectului Dolibarr Product /htdocs/product/class/product.class.php, valoarea parametrilor poate fi
      0, ProductRef CronCommandHelp=Linia de comandă de sistem pentru execuţie. CronCreateJob=Creare job programat CronFrom=De la @@ -91,6 +91,7 @@ WarningCronDelayed=Atenție, din motive de performanță, indiferent de data urm DATAPOLICYJob=Curățător de date și anonimizator JobXMustBeEnabled=Jobul %s trebuie să fie activat EmailIfError=E-mail de avertizare la eroare +JobNotFound=Jobul %s nu a fost găsit în lista de locuri de muncă (încearcă să dezactivezi/activezi modulul) ErrorInBatch=Eroare la rularea jobului %s # Cron Boxes diff --git a/htdocs/langs/ro_RO/donations.lang b/htdocs/langs/ro_RO/donations.lang index e8a06546d3e..633d9dd86a3 100644 --- a/htdocs/langs/ro_RO/donations.lang +++ b/htdocs/langs/ro_RO/donations.lang @@ -32,4 +32,5 @@ DONATION_ART238=Afişează articolului 238 din CGI dacă eşti îngrijorat DONATION_ART978=Afișare articol 978 din CGI dacă există îngrijorare DonationPayment=Plată donaţie DonationValidated=Donaţia %s a fost validată -DonationUseThirdparties=Folosiți un terț existent ca coordonator al donatorilor +DonationUseThirdparties=Utilizează adresa unui terț existent ca adresă a donatorului +DonationsStatistics=Statistici donații diff --git a/htdocs/langs/ro_RO/ecm.lang b/htdocs/langs/ro_RO/ecm.lang index a998556d8e2..58fc280473d 100644 --- a/htdocs/langs/ro_RO/ecm.lang +++ b/htdocs/langs/ro_RO/ecm.lang @@ -3,9 +3,9 @@ ECMNbOfDocs=Nr. de documente în director ECMSection=Director ECMSectionManual=Director manual ECMSectionAuto=Director automat -ECMSectionsManual=Arbore manual -ECMSectionsAuto=Arbore automat -ECMSectionsMedias=Arbore media +ECMSectionsManual=Abore manual privat +ECMSectionsAuto=Arbore automat privat +ECMSectionsMedias=Arbore public ECMSections=Directoare ECMRoot=ECM rădăcină ECMNewSection=Director nou @@ -17,9 +17,9 @@ ECMNbOfFilesInSubDir=Număr fișiere în sub-directoare ECMCreationUser=Creator ECMArea=DMS/ECM ECMAreaDesc=DMS/ECM (Document Management System / Electronic Content Management) vă permite să salvați, să partajați și să căutați rapid toate tipurile de documente în Dolibarr. -ECMAreaDesc2a=* Directoarele manuale pot fi folosite pentru a salva documente care nu au legătură cu un anumit element. +ECMAreaDesc2a=* Directoarele manuale pot fi folosite pentru a salva documente cu o organizare liberă în structura arborescentă. ECMAreaDesc2b=* Directoarele automate sunt completate automat la adăugarea documentelor din pagina unui element. -ECMAreaDesc3=* Directoarele Media sunt fișiere din subdirectorul /medias din directorul documents, care pot fi citite de toată lumea, fără a fi nevoie să fie autentificat și fără a fi necesar să fie partajat explicit fișierul. Este folosit pentru a stoca fișiere imagine pentru modulul de e-mail sau site-ul web, de exemplu. +ECMAreaDesc3=* Directoarele publice sunt fișiere din subdirectorul /medias al directorului de documente, care pot fi citite de toată lumea, fără a fi nevoie să fie înregistrate și fără a fi partajat explicit fișierul. Este folosit pentru a stoca fișiere de tip imagine pentru modulul de email sau site-ul web, de exemplu. ECMSectionWasRemoved=Directorul %s a fost şters. ECMSectionWasCreated=Directorul %s a fost creat. ECMSearchByKeywords=Caută după cuvinte cheie @@ -45,7 +45,7 @@ ExtraFieldsEcmFiles=Extracâmpuri Fişiere ECM ExtraFieldsEcmDirectories=Extracâmpuri Directoare ECM ECMSetup=Configurare ECM GenerateImgWebp=Duplică toate imaginile cu o altă versiune în format .webp -ConfirmGenerateImgWebp=Dacă confirmi, vei genera o imagine în format .webp pentru toate imaginile aflate în prezent în acest folder (subfolderele nu sunt incluse)...  +ConfirmGenerateImgWebp=Dacă confirmi, vei genera o imagine în format .webp pentru toate imaginile aflate în prezent în acest folder (subfolderele nu sunt incluse, imaginile webp nu vor fi generate dacă dimensiunea este mai mare decât cea originală)... ConfirmImgWebpCreation=Confirmă duplicarea tuturor imaginilor GenerateChosenImgWebp=Duplică imaginea aleasă cu o altă versiune în format .webp ConfirmGenerateChosenImgWebp=Dacă confirmi, vei genera o imagine în format .webp pentru imaginea %s diff --git a/htdocs/langs/ro_RO/errors.lang b/htdocs/langs/ro_RO/errors.lang index a99d81678a2..9028c4942e8 100644 --- a/htdocs/langs/ro_RO/errors.lang +++ b/htdocs/langs/ro_RO/errors.lang @@ -32,6 +32,7 @@ ErrorBadThirdPartyName=Valoare greşită pentru numele terțului ForbiddenBySetupRules=Interzis de regulile de instalare configurare ErrorProdIdIsMandatory=%s este obligatoriu ErrorAccountancyCodeCustomerIsMandatory=Codul contabil aferent clientului %s este obligatoriu +ErrorAccountancyCodeSupplierIsMandatory=Contul contabil al furnizorului %s este obligatoriu ErrorBadCustomerCodeSyntax=Sintaxă eronată pentru codul de client ErrorBadBarCodeSyntax=Sintaxă greșită pentru codul de bare. Poate s-a setat un tip de cod de bare greșit sau ați definit o mască de numerotare care nu se potrivește cu valoarea scanată. ErrorCustomerCodeRequired=Codul client este obligatoriu @@ -57,13 +58,14 @@ ErrorSubjectIsRequired=Subiectul emailului este obligatoriu ErrorFailedToCreateDir=Eşec la crearea unui director. Verificaţi dacă user-ul server-ului web are permisiuni pentru a scrie în directorul de documente. Dacă parametrul safe_mode este activat în PHP, verifică dacă user-ul sistem deţine fişierele de pe server(sau grup). ErrorNoMailDefinedForThisUser=Nicio adresă de email definită pentru acest utilizator ErrorSetupOfEmailsNotComplete=Configurarea emailurilor nu este finalizată -ErrorFeatureNeedJavascript=Această caracteristică necesită ca JavaScript să fie activat pentru a funcţiona. Modificaţi în Setări - Afişare. +ErrorFeatureNeedJavascript=Această funcție necesită JavaScript activat pentru a funcționa. Schimbă setările în Setări - Afișare. ErrorTopMenuMustHaveAParentWithId0=Un meniu de tip 'Top' nu poate avea un meniu părinte. Pune 0 la meniul părinte sau alege un meniu de tip 'Stânga'. ErrorLeftMenuMustHaveAParentId=Un meniu de tip 'Stânga' trebuie să aibă un id părinte. ErrorFileNotFound=Fişierul %s nu a fost găsit (cale eronată, greşit permisiunile de acces greşite sau refuzate de PHP openbasedir sau parametrul safe_mode) ErrorDirNotFound=Directorul %s nu a fost găsit (cale eronată, permisiuni greşite sau acces refuzat de către openbasedir PHP, sau parametrul safe_mode) ErrorFunctionNotAvailableInPHP=Funcţia %s este necesară pentru această caracteristică, dar nu este disponibilă în această versiune/configuraţie de PHP. ErrorDirAlreadyExists=Un director cu acest nume există deja. +ErrorDirNotWritable=Directorul %s nu este scriptibil. ErrorFileAlreadyExists=Un fişier cu acest nume există deja. ErrorDestinationAlreadyExists=Un fişier cu numele %s există deja. ErrorPartialFile=Fişierul nu a fost recepţionat complet de server. @@ -90,9 +92,9 @@ ErrorPleaseTypeBankTransactionReportName=Introduceți numele contului bancar und ErrorRecordHasChildren=Nu s-a reușit ștergerea înregistrării deoarece are unele înregistrări copil. ErrorRecordHasAtLeastOneChildOfType=Obiectul %s are cel puţin un descendent de tipul %s ErrorRecordIsUsedCantDelete=Nu se poate șterge înregistrarea. Este deja folosită sau inclusă în alt obiect. -ErrorModuleRequireJavascript=Javascript nu trebuie să fie dezactivat pentru a avea această caresteristică funcţională. Pentru a activa/dezactiva Javascript, du-te la meniul Acasă->Setări->Afişare. +ErrorModuleRequireJavascript=JavaScript nu trebuie să fie dezactivat pentru ca această caracteristică să funcționeze. Pentru a activa/dezactiva JavaScript, accesează meniul Acasă->Setări->Afișare. ErrorPasswordsMustMatch=Ambele parolele tastate trebuie să se potrivească reciproc -ErrorContactEMail=A apărut o eroare tehnică. Contactați administratorul tehnic la următoarea adresă de email %s și furnizați-i codul de eroare %s în mesaj sau adăugați-i o copie de ecran a acestei pagini. +ErrorContactEMail=A apărut o eroare tehnică. Contacteză administratorul la următoarea adresă de email %s și furnizează codul de eroare %s în mesaj sau adaugă o copie de ecran a acestei pagini. ErrorWrongValueForField=Câmpul %s: '%s' nu se potrivește cu regula regex %s ErrorHtmlInjectionForField=Câmpul %s: Valoarea '%s' conține date rău intenționate nepermise ErrorFieldValueNotIn=Câmpul %s: '%s' nu este o valoare găsită în câmpul %s din %s @@ -100,10 +102,12 @@ ErrorFieldRefNotIn=Câmpul %s: '%s' nu este o %s referin ErrorMultipleRecordFoundFromRef=Mai multe înregistrări găsite la căutarea din ref %s. Nu există nicio modalitate de a ști ce ID să folosești. ErrorsOnXLines=%s erori găsite ErrorFileIsInfectedWithAVirus=Programul antivirus nu a validat fişierul (fişierul ar putea fi infectat cu un virus) +ErrorFileIsAnInfectedPDFWithJSInside=Fișierul este un PDF infectat cu Javascript din interior ErrorNumRefModel=O referinţă există în baza de date (%s) şi nu este compatibilă cu această regulă de numerotare. Şterge sau redenumeşte referinţa pentru a activa acest model. ErrorQtyTooLowForThisSupplier=Cantitate prea mică pentru acest furnizor sau niciun preț definit pentru acest produs de la acest furnizor ErrorOrdersNotCreatedQtyTooLow=Unele comenzi nu au fost create datorită cantităților prea mici -ErrorModuleSetupNotComplete=Configurarea modulului %s pare incompletă. Mergi în Acasă - Setup - Module şi finalizează configurarea. +ErrorOrderStatusCantBeSetToDelivered=Statusul comenzii nu poate fi setat la livrat. +ErrorModuleSetupNotComplete=Configurarea modulului %s pare a fi incompletă. Accesează Acasă - Setări - Module pentru finalizarea setărilor. ErrorBadMask=Eroare pe mască ErrorBadMaskFailedToLocatePosOfSequence=Eroare, mască fără secvenţă de numerotare ErrorBadMaskBadRazMonth=Eroare, valoare de resetare eronată @@ -131,7 +135,7 @@ ErrorLoginDoesNotExists=Contul de utilizator %s nu a putut fi găsit. ErrorLoginHasNoEmail=Acest utilizator nu are nici o adresa de email. Procesul a fost anulat. ErrorBadValueForCode=Cod de securitate eronat. Încercaţi cu un cod nou... ErrorBothFieldCantBeNegative=Câmpurile %s şi %s nu pot fi ambele negative -ErrorFieldCantBeNegativeOnInvoice=Câmpul %s nu poate fi negativ pe acest tip de factură. Dacă vrei să adaugi o linie de discount, creează mai discountul (în câmpul '%s' din fişa terţului) şi aplică-l pe factură. +ErrorFieldCantBeNegativeOnInvoice=Câmpul %s nu poate fi negativ pentru acest tip de factură. Dacă trebuie să adaugi o linie de reducere, trebuie doar să creezi mai întâi reducerea (din câmpul '%s' de pe fișa terțului) și să o aplici pe factură. ErrorLinesCantBeNegativeForOneVATRate=Totalul liniilor (fără taxe) nu poate fi negativ pentru o cotă TVA diferită de zero (S-a găsit un total negativ cota TVA %s%%). ErrorLinesCantBeNegativeOnDeposits=Liniile nu pot fi negative într-un depozit. Dacă faceți acest lucru, vă veţi confrunta cu probleme atunci când veți consuma din stoc. ErrorQtyForCustomerInvoiceCantBeNegative=Cantitatea pentru linia unei facturi client nu poate fi negativă. @@ -150,6 +154,7 @@ ErrorToConnectToMysqlCheckInstance=Conectarea la baza de date eșuată. Verifica ErrorFailedToAddContact=Eşec la adaugarea contactului ErrorDateMustBeBeforeToday=Data trebuie să fie mai mică decât azi ErrorDateMustBeInFuture=Data trebuie să fie mai mare decât azi +ErrorStartDateGreaterEnd=Data de start este mai mare ca data de finalizare ErrorPaymentModeDefinedToWithoutSetup=Un modul de plată a fost setat la tipul %s, dar setarea modulului Facturi nu a fost finalizată a arăta pentru acest mod de plată. ErrorPHPNeedModule=Eroare, PHP trebuie să aibă modulul %s instalat pentru a utiliza această funcţionalitate. ErrorOpenIDSetupNotComplete=Ai setat fișierul de configurare al sistemului permisiunea de autentificare cu OpenID, dar URL-ul serviciului OpenID nu este definit în constanta %s @@ -191,7 +196,7 @@ ErrorGlobalVariableUpdater4=Client SOAP eşuat cu eroarea '%s' ErrorGlobalVariableUpdater5=Nicio variabilă globală selectată ErrorFieldMustBeANumeric=Câmpul %s trebuie să fie de tip numeric ErrorMandatoryParametersNotProvided= Parametrii obligatorii nu au fost furnizați -ErrorOppStatusRequiredIfUsage=Ai stabilit că vrei să utilizezi acest proiect pentru a urmări o oportunitate, așa că trebuie să completezi și statusul inițial al oportunității. +ErrorOppStatusRequiredIfUsage=Ai ales să urmărești o oportunitate în acest proiect, așa că trebuie să completezi și Status lead. ErrorOppStatusRequiredIfAmount=Ați stabilit o sumă estimată pentru acest lead. De asemenea, trebuie să-i introduci și statusul. ErrorFailedToLoadModuleDescriptorForXXX=Nu s-a încărcat clasa descriptor de modul pentru %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Definire greșită pentru Menu Array in descriptorul modulului (valoare greșită pentru cheia fk_menu) @@ -240,7 +245,7 @@ ErrorURLMustStartWithHttp=URL-ul %s trebuie să înceapă cu http:// sau https:/ ErrorHostMustNotStartWithHttp=Numele gazdei %s NU trebuie să înceapă cu http:// sau https:// ErrorNewRefIsAlreadyUsed=Eroare, noua referintă este deja utilizată ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Eroare, ştergerea unei plăţi asociate la o factură închisă nu este posibilă. -ErrorSearchCriteriaTooSmall=Criteriul de căutare este prea scurt. +ErrorSearchCriteriaTooSmall=Criteriu de căutare prea scurt ErrorObjectMustHaveStatusActiveToBeDisabled=Obiectele trebuie să aibă statusul 'Activ' pentru a putea fi dezactivate ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Obiectele trebuie să aibă statusul 'Schiţă' sau 'Dezactivat' pentru a fi activate ErrorNoFieldWithAttributeShowoncombobox=Nici un câmp nu are proprietatea 'showoncombobox' în definiţia obiectului '%s'. Nu se poate afişa lista combo. @@ -259,7 +264,7 @@ ErrorReplaceStringEmpty=Eroare, şirul înlocuitor este gol ErrorProductNeedBatchNumber=Eroare, produsul '%s' necesită un număr de lot/serie ErrorProductDoesNotNeedBatchNumber=Eroare, produsul '%s' nu acceptă un număr de lot/serie ErrorFailedToReadObject=Eroare, nu am putut citi tipul obiectului %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Eroare, parametrul %s trebuie să fie activat în conf / conf.php pentru a permite utilizarea interfeței de linie de comandă de către programatorul de job-uri intern +ErrorParameterMustBeEnabledToAllwoThisFeature=Eroare, parametrul %s trebuie să fie activat în conf/conf.php<> pentru a permite utilizarea interfeței liniei de comandă de către programatorul intern de lucrări ErrorLoginDateValidity=Eroare, această conectare se află în afara intervalului temporal valabil ErrorValueLength=Lungimea câmpului '%s' trebuie să fie mai mare de '%s' ErrorReservedKeyword=Cuvântul '%s' este un cuvânt cheie rezervat @@ -296,11 +301,12 @@ ErrorAjaxRequestFailed=Solicitare eşuată ErrorThirpdartyOrMemberidIsMandatory=Terțul sau Membrul unui parteneriat este obligatoriu ErrorFailedToWriteInTempDirectory=Eșec la scrierea în directorul temp ErrorQuantityIsLimitedTo=Cantitatea este limitată la %s -ErrorFailedToLoadThirdParty=Nu s-a găsit/încărcat un terț din id=%s, email=%s, nume=%s +ErrorFailedToLoadThirdParty=Eșec la căutarea/găsirea terțului din id=%s, email=%s, nume=%s ErrorThisPaymentModeIsNotSepa=Acest mod de plată nu este un cont bancar -ErrorStripeCustomerNotFoundCreateFirst=Clientul Stripe nu este setat pentru acest terț (sau setat la o valoare ștearsă din Stripe). Creați-l (sau reatașați-l) mai întâi. +ErrorStripeCustomerNotFoundCreateFirst=Clientul Stripe nu este setat pentru acest terț (sau setat la o valoare ștearsă pe partea de cont Stripe). Crează-l (sau reatașează-l) mai întâi. ErrorCharPlusNotSupportedByImapForSearch=Căutarea IMAP nu poate găsi în expeditor sau destinatar un șir care conține caracterul + ErrorTableNotFound=Tabelul %s nu a fost găsit +ErrorRefNotFound=Referința %s nu a fost găsită ErrorValueForTooLow=Valoarea pentru %s este prea mică ErrorValueCantBeNull=Valoarea pentru %s nu poate fi nulă ErrorDateOfMovementLowerThanDateOfFileTransmission=Data tranzacției bancare nu poate fi anterioară datei de transmitere a fișierului @@ -318,9 +324,13 @@ ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Eroare: Adresa URL a i ErrorMenuExistValue=Există deja un Meniu cu acest titlu sau această adresă URL ErrorSVGFilesNotAllowedAsLinksWithout=Fișierele SVG nu sunt permise ca legături externe fără opțiunea %s ErrorTypeMenu=Imposibil de adăugat un alt meniu pentru același modul în bara de navigare, nu poate fi gestionat încă  +ErrorObjectNotFound = Obiectul %s nu a fost găsit, verifică adresa URL +ErrorCountryCodeMustBe2Char=Codul de țară trbuie să fie un șir de 2 caractere + ErrorTableExist=Tabelul %s există deja ErrorDictionaryNotFound=Dicționarul %s nu a fost găsit -ErrorFailedToCreateSymLinkToMedias=Eșec la crearea symlink-urilor %s care să direcționeze către %s +ErrorFailedToCreateSymLinkToMedias=Eșec la crearea legăturii simbolice %s care direcționează către %s +ErrorCheckTheCommandInsideTheAdvancedOptions=Verifică comanda utilizată pentru export în Opțiuni avansate ale exportului # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Parametrul tău PHP upload_max_filesize (%s) este mai mare decât paramentrul PHP post_max_size (%s). Aceasta nu este o configuraţie consistentă. @@ -359,10 +369,12 @@ WarningPaypalPaymentNotCompatibleWithStrict=Valoarea 'Strictă' face ca funcții WarningThemeForcedTo=Atenție, tema %s a fost forțată de constanta ascunsă MAIN_FORCETHEME  WarningPagesWillBeDeleted=Atenție, acest lucru va șterge și toate paginile/containerele existente ale site-ului. Ar trebui să exporți site-ul înainte, astfel încât să ai o copie de rezervă pentru a-l reimporta mai târziu.  WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Validarea automată este dezactivată când opțiunea de scădere a stocului este setată pe "Validare factură". -WarningModuleNeedRefrech = Modulul %s a fost dezavtivat. Nu uita să-l activezi +WarningModuleNeedRefresh = Modulul %s a fost dezactivat. Nu uita să-l activezi WarningPermissionAlreadyExist=Permisiuni existente pentru acest obiect WarningGoOnAccountancySetupToAddAccounts=Dacă această listă este goală, accesează meniul %s - %s - %s pentru a încărca sau crea conturi pentru planul de conturi. WarningCorrectedInvoiceNotFound=Factura de corecție nu a fost găsită +WarningCommentNotFound=Verifică plasarea de început și de sfârșit a comentariilor pentru %s secțiunea din fișierul %s înainte de a trimite acțiunea +WarningAlreadyReverse=Mișcarea de stoc a fost inversată deja SwissQrOnlyVIR = Factura SwissQR poate fi adăugată numai pe facturile setate să fie plătite cu plăți prin transfer de credit.  SwissQrCreditorAddressInvalid = Adresa creditorului este invalidă (este setat codul poștal și județul? (%s) diff --git a/htdocs/langs/ro_RO/eventorganization.lang b/htdocs/langs/ro_RO/eventorganization.lang index df7a5927fc3..e8595c49a6f 100644 --- a/htdocs/langs/ro_RO/eventorganization.lang +++ b/htdocs/langs/ro_RO/eventorganization.lang @@ -90,7 +90,7 @@ PriceOfRegistrationHelp=Preț de plătit pentru înregistrare sau participare la PriceOfBooth=Preț înscriere pentru stand PriceOfBoothHelp=Preț înscriere pentru stand EventOrganizationICSLink=Link ICS pentru conferinţe -ConferenceOrBoothInformation=Informaţii Conferinţă sau Stand +ConferenceOrBoothInformation=Informații despre conferință sau stand Attendees=Participanți ListOfAttendeesOfEvent=Lista participanților la proiectul eveniment DownloadICSLink = Link descărcare ICS @@ -98,6 +98,7 @@ EVENTORGANIZATION_SECUREKEY = Seed de securizare a cheii paginii de înregistrar SERVICE_BOOTH_LOCATION = Serviciu utilizat pentru linia de facturare privind locaţia standului SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Serviciu utilizat pentru linia de factură aferentă unui abonament de participare la un eveniment NbVotes=Număr de voturi + # # Status # @@ -107,8 +108,9 @@ EvntOrgConfirmed = Confirmat EvntOrgNotQualified = Ne-calificat EvntOrgDone = Efectuat EvntOrgCancelled = Anulat + # -# Public page +# Other # SuggestForm = Pagină de propuneri SuggestOrVoteForConfOrBooth = Pagină pentru sugestii sau vot @@ -144,13 +146,8 @@ OrganizationEventBulkMailToAttendees=Aceasta este un reminder cu privire la part OrganizationEventBulkMailToSpeakers=Acesta este un reminder cu privire la participarea ta ca speaker la eveniment OrganizationEventLinkToThirdParty=Link către un terț (client, furnizor sau partener) OrganizationEvenLabelName=Nume public conferință sau stand - NewSuggestionOfBooth=Aplicare pentru stand NewSuggestionOfConference=Propunere pentru organizarea unei conferințe  - -# -# Vote page -# EvntOrgRegistrationWelcomeMessage = Bine ați venit pe pagina de propuneri conferință sau stand. EvntOrgRegistrationConfWelcomeMessage = Bine ai venit pe pagina de propuneri a conferinței. EvntOrgRegistrationBoothWelcomeMessage = Bine ai venit pe pagina de propuneri stand. @@ -158,8 +155,8 @@ EvntOrgVoteHelpMessage = Aici poți vizualiza și vota evenimentele propuse pent VoteOk = Votul tău a fost acceptat. AlreadyVoted = Ai votat deja pentru acest eveniment. VoteError = A apărut o eroare în timpul votului, vă rugăm să încercați din nou. - SubscriptionOk=Înregistrarea ta a fost salvată +AmountOfRegistrationPaid=Valoare înregistrare plătită ConfAttendeeSubscriptionConfirmation = Confirmarea înscrierii la un eveniment Attendee = Participant PaymentConferenceAttendee = Plată participant conferinţă @@ -169,8 +166,8 @@ RegistrationAndPaymentWereAlreadyRecorder=O înscriere şi o plată este înregi EmailAttendee=Email participant EmailCompany=Emai companie EmailCompanyForInvoice=Email companie (pentru facturare, dacă diferă de cel al participantului) -ErrorSeveralCompaniesWithEmailContactUs=Au fost găsite mai multe companii cu acest email, nu putem valida automat înregistrarea dumneavoastră. Vă rugăm să ne contactați la %s pentru o validare manuală -ErrorSeveralCompaniesWithNameContactUs=Au fost găsite mai multe companii cu acest nume, nu putem valida automat înregistrarea dumneavoastră. Vă rugăm să ne contactați la %s pentru o validare manuală +ErrorSeveralCompaniesWithEmailContactUs=Au fost găsite mai multe companii cu această adresă de email, așa că nu putem valida automat înregistrarea ta. Te rugăm să ne contactezi la %s pentru o validare manuală +ErrorSeveralCompaniesWithNameContactUs=Au fost găsite mai multe companii cu această denumire, așa că nu-ți putem valida automat înregistrarea. Te rugăm să ne contactezi la %s pentru o validare manuală NoPublicActionsAllowedForThisEvent=Nu sunt acțiuni publice deschise pentru acest eveniment MaxNbOfAttendees=Număr maxim de participanți DateStartEvent=Dată start eveniment diff --git a/htdocs/langs/ro_RO/holiday.lang b/htdocs/langs/ro_RO/holiday.lang index 165c37d4d88..83bc6ff4dd1 100644 --- a/htdocs/langs/ro_RO/holiday.lang +++ b/htdocs/langs/ro_RO/holiday.lang @@ -5,7 +5,7 @@ Holiday=Concedii CPTitreMenu=Concedii MenuReportMonth=Situaţia lunară MenuAddCP=Cerere de concediu nouă -MenuCollectiveAddCP=Cerere de concediu colectiv nouă +MenuCollectiveAddCP=Concediu colectiv nou NotActiveModCP=Trebuie să activați modulul Concedii pentru a vedea această pagină. AddCP=Crează o cerere de concediu DateDebCP=Dată început @@ -95,14 +95,14 @@ UseralreadyCPexist=O cerere de concediu a fost deja făcută în această perioa groups=Grupuri users=Utilizatori AutoSendMail=Trimitere automată email -NewHolidayForGroup=Cerere de concediu colectiv nouă -SendRequestCollectiveCP=Trimitere cerere de concediu colectiv +NewHolidayForGroup=Concediu colectiv nou +SendRequestCollectiveCP=Creare concediu colectiv AutoValidationOnCreate=Validare automată FirstDayOfHoliday=Prima zi de pe cererea de concediu LastDayOfHoliday=Ultima zi de pe cererea de concediu HolidaysMonthlyUpdate=Actualizare lunară ManualUpdate=Actualizare manuală -HolidaysCancelation=Anulare cerere concediu +HolidaysCancelation=Alunare cerere de concediu EmployeeLastname=Numele de familie al angajatului EmployeeFirstname=Prenumele angajatului TypeWasDisabledOrRemoved=Tipul de concediu (id %s) a fost dezactivat sau eliminat diff --git a/htdocs/langs/ro_RO/hrm.lang b/htdocs/langs/ro_RO/hrm.lang index cf4ecfddf4f..17cf217e07d 100644 --- a/htdocs/langs/ro_RO/hrm.lang +++ b/htdocs/langs/ro_RO/hrm.lang @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Descriere implicită a rangurilor la crearea de ab deplacement=Schimb DateEval=Dată evaluare JobCard=Fişă job -JobPosition=Job -JobsPosition=Joburi +NewJobProfile=Profil job nou +JobProfile=Profil job +JobsProfiles=Profile job NewSkill=Aptitudine nouă SkillType=Tip aptitudine Skilldets=Listă ranguri pentru această abilitate @@ -36,7 +37,7 @@ rank=Rang ErrNoSkillSelected=Nicio abilitate selectată ErrSkillAlreadyAdded=Această abilitate este deja în listă SkillHasNoLines=Această abilitate nu are nicio linie -skill=Aptitudine +Skill=Aptitudine Skills=Aptitudini SkillCard=Fişă aptitudini EmployeeSkillsUpdated=Competențele angajaților au fost actualizate (vezi fila "Abilități" din fişa de angajat) @@ -44,33 +45,36 @@ Eval=Evaluare Evals=Evaluări NewEval=Evaluare nouă ValidateEvaluation=Validare evaluare -ConfirmValidateEvaluation=Eşti sigur că vrei să validezi această evaluare cu referinţa %s? +ConfirmValidateEvaluation=Ești sigur că vrei să validezi această evaluare cu referința %s? EvaluationCard=Fişă evaluare -RequiredRank=Rang necesar pentru acest post +RequiredRank=Clasament necesar pentru profil job +RequiredRankShort=Rang necesar +PositionsWithThisProfile=Posturi pentru aceste profile de job EmployeeRank=Rang angajat pentru această abilitate +EmployeeRankShort=Rang angajat EmployeePosition=Funcţie angajat EmployeePositions=Funcţii angajaţi EmployeesInThisPosition=Angajaţii în această poziţie - funcţie group1ToCompare=Grup de utilizatori de analizat group2ToCompare=Grup de utilizatori secundar pentru comparare -OrJobToCompare=Compară cu abilităţile necesare jobului +OrJobToCompare=Comparare cu abilitățile solicitate ale unui profil de job difference=Diferenţă CompetenceAcquiredByOneOrMore=Competență dobândită de unul sau mai mulți utilizatori, dar nesolicitată de comparatorul secundar -MaxlevelGreaterThan=Nivel maxim mai mare decât cel solicitat -MaxLevelEqualTo=Nivelul maxim egal cu cel solicitat -MaxLevelLowerThan=Nivel maxim este mai mic decât cel solicitat -MaxlevelGreaterThanShort=Nivelul angajatului este mai mare decât cel solicitat -MaxLevelEqualToShort=Nivelul angajatului este egal cu cel solicitat -MaxLevelLowerThanShort=Nivelul angajatului este mai mic decât cel solicitat +MaxlevelGreaterThan=Nivelul angajatului este mai mare decât nivelul așteptat +MaxLevelEqualTo=Nivelul angajatului este egal cu nivelul așteptat +MaxLevelLowerThan=Nivelul angajatului este mai scăzut decât nivelul așteptat +MaxlevelGreaterThanShort=Nivel mai mare decât cel așteptat +MaxLevelEqualToShort=Nivel egal cu cel așteptat +MaxLevelLowerThanShort=Nivel mai mic decât cel așteptat SkillNotAcquired=Abilitate care nu este dobândită de toți utilizatorii și este solicitată de comparatorul secundar legend=Legendă TypeSkill=Tip aptitudine -AddSkill=Adăugare aptitudini la job -RequiredSkills=Abilităţi necesare pentru acest job +AddSkill=Adăugare abilități la profilul postului +RequiredSkills=Aptitudini necesare pentru acest profil de job UserRank=Rang utilizator SkillList=Listă aptitudini SaveRank=Salvare rang -TypeKnowHow=Know how +TypeKnowHow=Know-how TypeHowToBe=Cum să fie TypeKnowledge=Cunoştinţe AbandonmentComment=Comentariu abandon @@ -85,8 +89,9 @@ VacantCheckboxHelper=Bifarea acestei opțiuni va afișa posturile neocupate (pos SaveAddSkill = Aptitudine(i) adăugat SaveLevelSkill = Nivel aptitudine(i) salvat DeleteSkill = Aptitudine ştearsă -SkillsExtraFields=Atribute suplimentare (Competenţe) -JobsExtraFields=Atribute suplimentare (Angajaţi) -EvaluationsExtraFields=Atribute suplimentare (Evaluări) +SkillsExtraFields=Atribute complementare (Aptitudini - skill-uri) +JobsExtraFields=Atribute complementare (Probil job) +EvaluationsExtraFields=Atribute complementare (Evaluări) NeedBusinessTravels=Necesar călătorii de afaceri NoDescription=Nicio descriere +TheJobProfileHasNoSkillsDefinedFixBefore=Profilul de post evaluat al acestui angajat nu are nicio aptitudine definită pe el. Adaugă aptitudin(i), apoi șterge și repornește evaluarea. diff --git a/htdocs/langs/ro_RO/install.lang b/htdocs/langs/ro_RO/install.lang index d4de0c5fb16..b798c9d3aa9 100644 --- a/htdocs/langs/ro_RO/install.lang +++ b/htdocs/langs/ro_RO/install.lang @@ -129,7 +129,7 @@ MigrationCustomerOrderShipping=Migrare livrări din comenzile de vânzare stocat MigrationShippingDelivery=Actualizare depozit de livrare MigrationShippingDelivery2=Actualizare depozit de livrare 2 MigrationFinished=Migrarea a fost finalizată -LastStepDesc=Ultimul pas: Definiți aici datele de autentificare și parola pe care doriți să le utilizați pentru a vă conecta la sistem. Nu pierdeți aceste credenţiale deoarece este contul principal pentru a administra toate celelalte conturi de utilizator suplimentare. +LastStepDesc=Ultimul pas: Definește aici numele de utilizator și parola pe care vrei să le utilizezi pentru a te conecta la sistem. Nu le pierde, deoarece este contul principal pentru administrarea tuturor celorlalte conturi de utilizator/suplimentare. ActivateModule=Activare modul %s ShowEditTechnicalParameters=Click aici pentru a vedea/edita parametrii avansaţi (mod expert) WarningUpgrade=Atenţie:\nAți executat mai întâi o copie de siguranță a bazei de date?\nAcest lucru este foarte recomandat. Pierderea de date (datorată, de exemplu, erorilor din versiunea mysql 5.5.40 / 41/42/43) poate fi posibilă în timpul acestui proces, deci este esențial să faceți un backup complet al bazei de date înainte de a începe orice migrare.\n\nClic pe OK pentru a începe procesul de migrare... @@ -211,7 +211,7 @@ YouTryInstallDisabledByFileLock=Aplicația a încercat să se autoactualizeze, YouTryUpgradeDisabledByMissingFileUnLock=Aplicația a încercat să se auto-actualizeze, dar procesul de actualizare nu este permis în prezent.
      ClickHereToGoToApp=Faceți clic aici pentru a merge la aplicația ta. ClickOnLinkOrRemoveManualy=Dacă o actualizare este în curs, așteptați. Dacă nu, faceți clic pe următorul link. Dacă vedeți întotdeauna aceeași pagină, trebuie să eliminați/să redenumiți fișierul install.lock din directorul documentelor. -ClickOnLinkOrCreateUnlockFileManualy=Dacă o actualizare este în curs, așteaptă... Dacă nu, trebuie să creezi un fișier upgrade.unlock în directorul de documente al sistemului.  +ClickOnLinkOrCreateUnlockFileManualy=Dacă o actualizare este în curs, așteaptă... Dacă nu, trebuie să elimini fișierul install.lock sau să creezi un fișier upgrade.unlock în directorul de documente al sistemului. Loaded=Încărcat FunctionTest=Test de funcţionare NodoUpgradeAfterDB=Nicio acțiune solicitată de module externe după actualizarea bazei de date diff --git a/htdocs/langs/ro_RO/mails.lang b/htdocs/langs/ro_RO/mails.lang index a5ca837aaaa..6f31ab8e28f 100644 --- a/htdocs/langs/ro_RO/mails.lang +++ b/htdocs/langs/ro_RO/mails.lang @@ -182,5 +182,7 @@ WarningLimitSendByDay=ATENȚIE: Configurarea sau contractul instanței tale limi NoMoreRecipientToSendTo=Nu mai există destinatari cărora să le trimiți email EmailOptedOut=Deținătorul email-ului a solicitat să nu mai fie contactat pe acest email EvenUnsubscribe=Include email-uri de renunțare -EvenUnsubscribeDesc=Include email-uri de renunțare atunci când selectezi email-uri ca ținte. Util pentru email-urile de serviciu obligatoriu, de exemplu. +EvenUnsubscribeDesc=Include email-uri de dezabonare/renunțare atunci când selectezi email-uri pentru expeditori. Util pentru email-urile de serviciu obligatorii, de exemplu. XEmailsDoneYActionsDone=%s email-uri precalificate, %s email-uri procesate cu succes (pentru %s înregistrări/acțiuni efectuate) +helpWithAi=Adăugare instrucțiuni +YouCanMakeSomeInstructionForEmail=Poți face instrucțiuni pentru email (Exemplu: generează imaginea în șablonul de email...) diff --git a/htdocs/langs/ro_RO/main.lang b/htdocs/langs/ro_RO/main.lang index 349e81bca10..faf0762effb 100644 --- a/htdocs/langs/ro_RO/main.lang +++ b/htdocs/langs/ro_RO/main.lang @@ -36,7 +36,7 @@ NoTranslation=Fără traducere Translation=Traduceri Translations=Traduceri CurrentTimeZone=TimeZone PHP (server) -EmptySearchString=Introdu criterii de căutare valide +EmptySearchString=Introdu criterii de căutare care sunt completate EnterADateCriteria= Introduceți un criteriu de tip dată NoRecordFound=Nicio înregistrare gasită NoRecordDeleted=Nu s-au șters înregistrări @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Nu se poate trimite e-mail (expeditor=%s, destinatar =%s) ErrorFileNotUploaded=Fișierul nu a fost încărcat. Verificați ca dimensiunea să nu depășească maximul permis, că spațiu pe disc este disponibil și că nu există deja un fișier cu același nume, în acest director. ErrorInternalErrorDetected=Eroare detectată ErrorWrongHostParameter=Parametru Server greșit -ErrorYourCountryIsNotDefined=Țara ta. nu este definită. Mergi în Acasă-Setări-Editare și completaţi din nou formularul. +ErrorYourCountryIsNotDefined=Țara ta nu este definită. Accesează Acasă-Configurare-Companie/Fundație și completează din nou formularul. ErrorRecordIsUsedByChild=Nu s-a reușit ștergerea acestei înregistrări. Această înregistrare este utilizată de cel puțin înregistrare dependentă ErrorWrongValue=Valoare incorectă ErrorWrongValueForParameterX=Valoare incorectă pentru parametrul %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Eroare, nici o cotă de TVA nu este defini ErrorNoSocialContributionForSellerCountry=Eroare, niciun tip de taxă socială/fiscală nu este definită pentru ţara '%s'. ErrorFailedToSaveFile=Eroare, salvarea fişierului a eşuat. ErrorCannotAddThisParentWarehouse=Încercați să adăugați un depozit părinte care este deja subaltern a unui depozit existent +ErrorInvalidSubtype=Subtipul selectat nu este permis FieldCannotBeNegative=Câmpul "%s" nu poate fi negativ MaxNbOfRecordPerPage=Numărul maxim de înregistrări pe pagină NotAuthorized=Nu aveţi dreptul să faceţi asta. @@ -103,7 +104,8 @@ RecordGenerated=Înregistrare generată LevelOfFeature=Nivel funcţionalităţi NotDefined=Nedefinit DolibarrInHttpAuthenticationSoPasswordUseless=Modul de autentificare în sistem este setat la %s în fișierul de configurare conf.php.
      Aceasta înseamnă că baza de date pentru parole este externă pentru Dolibarr, deci schimbarea acestui câmp poate să nu aibă efect. -Administrator=Administrator +Administrator=Administrator de sistem +AdministratorDesc=Administrator de sistem (poate administra utilizatori, permisiuni, dar și configurarea sistemului și configurarea modulelor) Undefined=Nedefinit PasswordForgotten=Ai uitat parola? NoAccount=Nu ai cont? @@ -211,8 +213,8 @@ Select=Selectare SelectAll=Selectează toate Choose=Alege Resize=Redimensionare +Crop=Decupaj ResizeOrCrop=Redimensionare sau decupare -Recenter=Recentrare Author=Autor User=Utilizator Users=Utilizatori @@ -547,6 +549,7 @@ Reportings=Rapoarte Draft=Schiţă Drafts=Schiţe StatusInterInvoiced=Facturată +Done=Efectuat Validated=Validat ValidatedToProduce=Validate (De fabricat) Opened=Deschis @@ -698,6 +701,7 @@ Response=Răspuns Priority=Prioritate SendByMail=Trimis pe email MailSentBy=Email trimis de +MailSentByTo=Email trimis de %s către %s NotSent=Nu a fost trimis TextUsedInTheMessageBody=Conţinut email SendAcknowledgementByMail=Trimite email cu confirmare @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Înregistrare modificată cu succes RecordsModified=Înregistrările (Înregistrarea) %s au fost modificate RecordsDeleted=Înregistrările(rarea) %s au fost șterse RecordsGenerated=%s înregistrare(ări) au fost generate +ValidatedRecordWhereFound = Unele dintre înregistrările selectate au fost deja validate. Nu au fost șterse înregistrări. AutomaticCode=Cod automat FeatureDisabled=Funcţionalitate dezactivată MoveBox=Mutați widgetul @@ -764,11 +769,10 @@ DisabledModules=Module dezactivate For=Pentru ForCustomer=Pentru clienţi Signature=Semnătură -DateOfSignature=Data semnării HidePassword=Afișare comandă cu parola ascunsă UnHidePassword=Afișare comandă reală cu parola în clar Root=Rădăcină -RootOfMedias=Director rădăcină pentru media public (/medias) +RootOfMedias=Rădăcină media public (/medias) Informations=Informaţii Page=Pagină Notes=Note @@ -916,6 +920,7 @@ BackOffice=Back office Submit=Trimite View=Vizualizare Export=Export +Import=Import Exports=Exporturi ExportFilteredList=Export listă filtrată ExportList=Export listă @@ -949,7 +954,7 @@ BulkActions=Acțiuni în masă ClickToShowHelp=Faceți clic pentru a afișa instrumentele de ajutor WebSite=Site WebSites=Site-uri -WebSiteAccounts=Conturi de site +WebSiteAccounts=Conturi de acces web ExpenseReport=Decont de cheltuieli ExpenseReports=Deconturi de cheltuieli HR=Resurse Umane @@ -1077,6 +1082,7 @@ CommentPage=Spațiu de comentarii CommentAdded=Comentariul a fost adăugat CommentDeleted=Comentariul a fost șters Everybody=Toată lumea +EverybodySmall=Toată lumea PayedBy=Plătite de PayedTo=Plătit lui Monthly=Lunar @@ -1089,7 +1095,7 @@ KeyboardShortcut=Comandă rapidă de la tastatură AssignedTo=Atribuit lui Deletedraft=Șterge schița ConfirmMassDraftDeletion=Confirmare ștergere schiţe în masă -FileSharedViaALink=Fișier partajat cu un link public +FileSharedViaALink=Fișier public partajat cu link SelectAThirdPartyFirst=Selectați mai întâi un terț ... YouAreCurrentlyInSandboxMode=În prezent, eşti în modul %s "sandbox" Inventory=Inventar @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Task ContactDefault_propal=Ofertă ContactDefault_supplier_proposal=Ofertă furnizor ContactDefault_ticket=Tichet -ContactAddedAutomatically=Contact adăugat din rolurile de contact al terţului +ContactAddedAutomatically=Persoană de contact adăugată din roluri terț More=Mai mult ShowDetails=Arată detalii CustomReports=Rapoarte personalizate @@ -1163,8 +1169,8 @@ AffectTag=Asignare tag AffectUser=Atribuie un utilizator SetSupervisor=Setare supervizor CreateExternalUser=Creare utilizator extern -ConfirmAffectTag=Atribuire Tag în masă -ConfirmAffectUser=Asignare utilizator în masă +ConfirmAffectTag=Asignare tag-uri în masă +ConfirmAffectUser=Asignare utilizatori în masă ProjectRole=Rol atribuit pentru fiecare proiect/oportunitate TasksRole= Rol atribuit fiecărui task (dacă este utilizat) ConfirmSetSupervisor=Setare supervizor în masă @@ -1222,7 +1228,7 @@ UserAgent=User Agent InternalUser=Utilizator intern ExternalUser=Utilizator extern NoSpecificContactAddress=Fără contact sau adresă specificată -NoSpecificContactAddressBis=Această filă este dedicată pentru a forța anumite contacte sau adrese pentru obiectul curent. Utilizează numai dacă dorești să definești unul sau mai multe contacte sau adrese specifice pentru obiect atunci când informațiile despre terț nu sunt suficiente sau nu sunt exacte. +NoSpecificContactAddressBis=Această filă este pentru a forța anumite contacte sau adrese pentru obiectul curent. Utilizeaz-o numai dacă vrei să definești unul sau mai multe contacte sau adrese specifice pentru obiect atunci când informațiile despre terț nu sunt suficiente sau nu sunt exacte. HideOnVCard=Ascunde %s AddToContacts=Adaugă adresă la contactele mele LastAccess=Ultima accesare @@ -1239,3 +1245,18 @@ DateOfPrinting=Dată tipărire ClickFullScreenEscapeToLeave=Fă clic aici pentru a comuta în modul Ecran complet. Apasă ESCAPE pentru a părăsi modul Ecran complet.  UserNotYetValid=Încă nu este validat UserExpired=Expirat +LinkANewFile=Link nou la fişier/document +LinkedFiles=Fişiere şi documente ataşate +NoLinkFound=Niciun link înregistrat +LinkComplete=Fişierul a fost ataşat cu succes +ErrorFileNotLinked=Fişierul nu a putut fi ataşat +LinkRemoved=Linkul %s a fost înlăturat +ErrorFailedToDeleteLink= Eşec la înlăturarea linkului '%s' +ErrorFailedToUpdateLink= Eşec la modificarea linkului '%s' +URLToLink=URL la link +OverwriteIfExists=Suprascriere dacă fișierul există +AmountSalary=Valoare salariu +InvoiceSubtype=Subtip factură +ConfirmMassReverse=Confirmare inversare în masă +ConfirmMassReverseQuestion=Sigur vrei să reversezi înregistrăr(ile) selectate %s? + diff --git a/htdocs/langs/ro_RO/members.lang b/htdocs/langs/ro_RO/members.lang index 1db877d20f9..5eddb54b1aa 100644 --- a/htdocs/langs/ro_RO/members.lang +++ b/htdocs/langs/ro_RO/members.lang @@ -128,7 +128,7 @@ String=Şir de caractere Text=Text Int=Întreg DateAndTime=Dată şi oră -PublicMemberCard=Fişă Membru public +PublicMemberCard=Card de membru public SubscriptionNotRecorded=Contribuţia nu a fost înregistrată AddSubscription=Creare contribuţie ShowSubscription=Arată contribuţia @@ -138,7 +138,7 @@ SendingEmailOnAutoSubscription=Trimitere email la înregistrarea automată SendingEmailOnMemberValidation=Trimitere email la validarea noului membru SendingEmailOnNewSubscription=Se trimite email pentru o contribuţie nouă SendingReminderForExpiredSubscription=Se trimite reminder pentru contribuţiile/adeziunile expirate -SendingEmailOnCancelation=Trimitere email la anulare +SendingEmailOnCancelation=Trimitere email la anulare SendingReminderActionComm=Se trimite reminder pentru evenimentul din agendă # Topic of email templates YourMembershipRequestWasReceived=Adeziunea ta de membru a fost primită @@ -159,7 +159,7 @@ DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Șablon email de utilizat pentru a trim DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Șablonul de email pe care să-l utilizați pentru a trimite un email către un membru pe baza validării adeziunii DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Șablon email de utilizat pentru a trimite un email unui membru cu privire la înregistrarea unei noi contribuții/adeziuni DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Șablon email de utilizat pentru a trimite reminder atunci când contribuția/adeziunea este pe cale să expire  -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Șablonul de email pe care îl utilizezi pentru a trimite un email către un membru în cazul anulării +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Șablon de email de utilizat pentru a trimite email unui membru cu privire la anularea calității de membru/adeziunii DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Șablon email de utilizat pentru a trimite email unui membru cu privire la excludere DescADHERENT_MAIL_FROM=Expeditor email pentru emailuri automate DescADHERENT_CC_MAIL_FROM=Trimite o copie automată a email-ului la @@ -175,7 +175,7 @@ HTPasswordExport=Generare fişier htpassword NoThirdPartyAssociatedToMember=Niciun terţ asociat cu acest membru MembersAndSubscriptions=Membri şi Contribuţii MoreActions=Acţiuni suplimentare la înregistrare -MoreActionsOnSubscription=Acțiune complementară sugerată în mod implicit la înregistrarea unei contribuții, efectuată automat la plata online a unei contribuții +MoreActionsOnSubscription=Acțiune complementară sugerată în mod implicit la înregistrarea unei contribuții, efectuată și automată la plata online a unei contribuții MoreActionBankDirect=Creați o intrare directă în contul bancar MoreActionBankViaInvoice=Creați o factură și o plată în contul bancar MoreActionInvoiceOnly=Crează o factură fără plată @@ -207,6 +207,7 @@ LatestSubscriptionDate=Data ultimei contribuţii MemberNature=Natura membrului MembersNature=Natura membrilor Public=%s poate publica calitatea mea de membru în registrul public +MembershipPublic=Adeziune publică NewMemberbyWeb=Membru nou adăugat. În aşteptarea validării NewMemberForm=Formular Membru nou SubscriptionsStatistics=Statistici contribuţii @@ -217,11 +218,11 @@ DefaultAmount=Valoarea implicită a contribuției (utilizată numai dacă nu est MinimumAmount=Suma minimă (utilizată numai atunci când suma contribuției este gratuită) CanEditAmount=Valoarea abonamentului/adeziunii poate fi definită de membru CanEditAmountDetail=Vizitatorul poate alege/modifica suma cu care contribuie, indiferent de tipul de membru -AmountIsLowerToMinimumNotice=dintr-un total de %s -MEMBER_NEWFORM_PAYONLINE=După înregistrarea online, vei fi direcționat automat pe pagina de plată online +AmountIsLowerToMinimumNotice=Suma este mai mică decât minimul de %s +MEMBER_NEWFORM_PAYONLINE=După înregistrarea online, treci automat la pagina de plată online ByProperties=După natură MembersStatisticsByProperties=Statistici membri după natură -VATToUseForSubscriptions=Cota TVA de utilizat pentru contribuţii +VATToUseForSubscriptions=Cota TVA utilizată pentru contribuții NoVatOnSubscription=Nu se utilizează TVA la contribuţii ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produsul utilizat pentru linia de contribuţie de pe factură: %s NameOrCompany=Nume sau companie @@ -229,15 +230,17 @@ SubscriptionRecorded=Contribuţie înregistrată NoEmailSentToMember=Nu a fost trimis niciun email membrilor EmailSentToMember=Email trimis la membru de la %s SendReminderForExpiredSubscriptionTitle=Trimite reminder pe email pentru contribuţiile/adeziunile expirate -SendReminderForExpiredSubscription=Trimite reminder pe email membrilor atunci când contribuția este pe cale să expire (parametrul este numărul de zile înainte de terminarea adeziunii. Poate fi o listă de zile separate prin punct și virgulă, de exemplu '10;5;0;-5') +SendReminderForExpiredSubscription=Trimite memento prin email membrilor atunci când contribuția este pe cale să expire (parametrul este numărul de zile înainte de încheierea calității de membru pentru a trimite memento. Poate fi o listă de zile separate prin punct și virgulă, de exemplu '10;5;0;-5') MembershipPaid=Adeziune plătită pentru perioada curentă (până la %s) YouMayFindYourInvoiceInThisEmail=Găseşti factura ta atașată acestui email XMembersClosed=%s membru(i) închis XExternalUserCreated=%s utilizator(i) externi creaţi ForceMemberNature=Impune natura membrului (Persoană fizică sau Presoană juridică) CreateDolibarrLoginDesc=Crearea unui cont de utilizator pentru membri le permite să se conecteze la aplicație. În funcție de drepturile acordate, aceștia vor putea, de exemplu, să își consulte sau să modifice fișa ei înșiși. -CreateDolibarrThirdPartyDesc=Un terț este persoana juridică care va fi utilizată pe factură dacă decideți să generați factura pentru fiecare contribuție. O veți putea crea mai târziu în timpul procesului de înregistrare a contribuției.  +CreateDolibarrThirdPartyDesc=Un terț este entitatea juridică care va fi utilizată pe factură dacă decizi să generezi factură pentru fiecare contribuție. Îl vei putea crea ulterior în timpul procesului de înregistrare a contribuției. MemberFirstname=Prenume membru MemberLastname=Nume membru MemberCodeDesc=Cod de membru, unic pentru toți membrii  NoRecordedMembers=Niciun membru +MemberSubscriptionStartFirstDayOf=Data de începere a unei adeziuni/unui membru corespunde primei zile a +MemberSubscriptionStartAfter=Perioada minimă înainte de intrarea în vigoare a datei de începere a unui abonament, cu excepția reînnoirilor (exemplu +3m = +3 luni, -5d = -5 zile, +1Y = +1 an) diff --git a/htdocs/langs/ro_RO/modulebuilder.lang b/htdocs/langs/ro_RO/modulebuilder.lang index 2c24d739972..b6f30c782aa 100644 --- a/htdocs/langs/ro_RO/modulebuilder.lang +++ b/htdocs/langs/ro_RO/modulebuilder.lang @@ -40,7 +40,7 @@ EditorName=Numele editorului EditorUrl=Adresa URL a editorului DescriptorFile=Fișier descriptor al modulului ClassFile=Fișier pentru clasa PHP DAO CRUD -ApiClassFile=Fișier pentru clasa PHP API +ApiClassFile=Fișier API al modulului PageForList=Pagina PHP pentru lista de înregistrări PageForCreateEditView=Pagina PHP pentru creare/editare/vizualizare înregistrare PageForAgendaTab=Pagina PHP pentru fila eveniment @@ -71,7 +71,7 @@ ArrayOfKeyValues=Mulțime de cheie-valoare ArrayOfKeyValuesDesc=Mulțimea de chei și valori dacă câmpul este o listă combo cu valori fixe WidgetFile=Fișier widget CSSFile=Fişier CSS -JSFile=Fişier Javascript +JSFile=Fișier JavaScript ReadmeFile=Fișierul Readme ChangeLog=Fișierul ChangeLog TestClassFile=Fișier clasă pentru PHP Unit Test @@ -92,8 +92,8 @@ ListOfMenusEntries=Lista intrărilor din meniu ListOfDictionariesEntries=Listă înregistrări dicţionare ListOfPermissionsDefined=Lista permisiunilor definite SeeExamples=Vedeți aici exemple -EnabledDesc=Condiție pentru a avea acest câmp activ.

      Exemple:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=Este câmpul vizibil? (Exemple: 0=Niciodată vizibil, 1=Vizibil în listă și în formularele de creare/actualizare/vizualizare, 2=Vizibil doar în listă, 3=Vizibil doar pe formularul de creare/actualizare/vizualizare (nu în listă), 4=Vizibil în listă și numai în formularul de actualizare/vizualizare (nu de creare), 5=Vizibil numai în formularul de vizualizare finală a listei (nu de creare, nu de actualizare).

      Folosirea unei valori negative înseamnă că câmpul nu este afișat implicit în listă, dar poate fi selectat pentru vizualizare). +EnabledDesc=Condiție pentru a avea acest câmp activ.

      Exemple:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=Este câmpul vizibil? (Exemple: 0=Niciodată vizibil, 1=Vizibil pe listă și formulare de creare/actualizare/vizualizare, 2=Vizibil doar în listă, 3=Vizibil doar pe formularul de creare/actualizare/vizualizare (nu în liste), 4=Vizibil în liste și numai pe formularul de actualizare/vizualizare (nu de creare), 5=Vizibil în listă și numai pe formularul de vizualizare (nu de creare , nu de actualizare).

      Folosirea unei valori negative înseamnă că câmpul nu este afișat implicit în listă, dar poate fi selectat pentru vizualizare). ItCanBeAnExpression=Poate fi o expresie. Exemplu:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 DisplayOnPdfDesc=Afișați acest câmp pe documente PDF compatibile, poți gestiona poziția cu câmpul "Poziție".
      Pentru document :
      0 = nu este afișat
      1 = afișat
      2 = afișat numai dacă nu este gol

      Pentru liniile documentului :
      0 = neafișat
      1 = afișat într-o coloană
      3 = afișat în coloana descriere a rândului după descriere
      4 = afișare în coloana descriere după descriere numai dacă nu este goală DisplayOnPdf=În PDF @@ -107,7 +107,7 @@ PermissionsDefDesc=Defineşte aici noile permisiuni furnizate de modulul tău MenusDefDescTooltip=Meniurile furnizate de modul/aplicație sunt definite în matricea $this->menus în fișierul descriptor al modulului. Poți edita manual acest fișier sau utiliza editorul încorporat.

      Notă: Odată definite (și modulul reactivat), meniurile sunt vizibile și în editorul de meniu disponibil utilizatorilor administratori în %s. DictionariesDefDescTooltip=Dicționarele furnizate de modulul/aplicația dvs. sunt definite în tabloul $ this->dictionaries în fișierul de descriere al modulului. Puteți edita manual acest fișier sau puteți utiliza editorul încorporat.

      Notă: Modulul o dată definit (și reactivat), dicționarele lui sunt vizibile și în zona de configurare pentru administratori la %s. PermissionsDefDescTooltip= Permisiunile furnizate de modulul/aplicația dvs. sunt definite în matricea $ this->rights în fișierul de descriere al modulului. Puteți edita manual acest fișier sau puteți utiliza editorul încorporat.

      Notă: Modulul o dată definit (și reactivat), permisiunile sunt vizibile în configurarea de bază a permisiunilor %s. -HooksDefDesc=Definiți în proprietatea module_parts['hooks'] , în descriptorul modulului, contextul de cârlige pe care doreşti să îl gestionezi (lista de contexte poate fi găsită printr-o căutare după 'initHooks(' în codul nucleu)
      Editează fișierul cârlig hook pentru a adăuga cod cu funcțiile tale (funcțiile care pot fi legate pot fi găsite printr-o căutare după 'executeHooks' în codul nucleu). +HooksDefDesc=Definește în proprietatea module_parts['hooks'], în fișierul descriptor al modulului, lista de contexte în care hook-ul tău trebuie să fie executat (lista de contexte posibile poate fi găsită printr-o căutare după 'initHooks(' în codul de bază).
      Apoi editează fișierul cu codul hooks cu codul funcțiilor hooked (lista de funcții hookable poate fi găsită printr-o căutare după 'executeHooks' în codul de bază). TriggerDefDesc=Defineşte în fișierul trigger codul pe care vrei să-l execuți atunci când este executat un eveniment de afaceri extern modulului tău(evenimente declanșate de alte module). SeeIDsInUse=Vezi ID-urile utilizate în instalarea ta. SeeReservedIDsRangeHere=Vezi gama de ID-uri rezervate @@ -128,7 +128,7 @@ RealPathOfModule=Calea reală a modulului ContentCantBeEmpty=Conținutul fișierului nu poate fi gol WidgetDesc=Puteți genera și edita aici widgeturile care vor fi încorporate în modulul dvs. CSSDesc=Poţi genera şi edita aici un fişier personalizat CSS care va fi încorporat în modulul tău. -JSDesc=Puteți genera și edita aici un fișier Javascript personalizat care va fi încorporat în modulul dvs. +JSDesc=Poți genera și edita aici un fișier cu JavaScript personalizat încorporat în modulul tău. CLIDesc=Poţi genera aici spript-uri în linie comandă pe care să le furnizezi cu modulul tău. CLIFile=Fişier CLI NoCLIFile=Nici un fişier CLI @@ -149,7 +149,7 @@ CSSListClass=CSS pentru listă NotEditable=Needitabil ForeignKey=Cheie străină ForeignKeyDesc=Dacă valoarea acestui câmp trebuie garantată să existe într-un alt tabel. Introdu aici o sintaxă care să corespundă valorii: tablename.parentfieldtocheck -TypeOfFieldsHelp=Exemplu:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1' înseamnă că adăugăm un buton + după combo pentru a crea înregistrarea
      'filter' este o condiție sql, exemplu: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' +TypeOfFieldsHelp=Exemplu:
      varchar(99)
      email
      phone
      ip
      url
      password
      double(24,8)
      real
      text
      html
      date
      datetime
      timestamp
      integer
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]

      '1' înseamnă că adăugăm un buton + după combo pentru a crea înregistrarea
      'filter' este o condiție de sintaxă a Filtrului Universal, exemplu: '((status:=:1) AND (fk_user:=:__USER_ID__) AND (entity:IN:(__SHARED_ENTITIES__))' TypeOfFieldsHelpIntro=Acesta este tipul câmpului/atributului. AsciiToHtmlConverter=Convertor ASCII la HTML AsciiToPdfConverter=Convertor ASCII la PDF @@ -181,3 +181,9 @@ FailedToAddCodeIntoDescriptor=Nu s-a putut adăuga codul în descriptor. Verific DictionariesCreated=Dicționarul %s a fost creat cu succes DictionaryDeleted=Dicționarul %s a șters cu succes PropertyModuleUpdated=Proprietatea %s a fost actualizată cu succes +InfoForApiFile=* Când generezi fișierul pentru prima dată, atunci toate metodele vor fi create pentru fiecare obiect.
      * Când faci clic pe eliminare, elimini toate metodele pentru doar obiectul selectat. +SetupFile=Pagina pentru configurarea modulului +EmailingSelectors=Selectori email-uri +EmailingSelectorDesc=Poți genera și edita aici fișierele de clasă pentru a oferi noi selectori de destinatari de email pentru modulul de Email-uri în masă +EmailingSelectorFile=Fișier selector email-uri +NoEmailingSelector=Niciun fișier selector email-uri diff --git a/htdocs/langs/ro_RO/mrp.lang b/htdocs/langs/ro_RO/mrp.lang index 22b577eea94..6f1fb85e7df 100644 --- a/htdocs/langs/ro_RO/mrp.lang +++ b/htdocs/langs/ro_RO/mrp.lang @@ -31,9 +31,14 @@ Consumption=Consum ValueOfMeansLoss=Valoarea de 0.95 înseamnă o pierdere medie de 5%% în timpul producției sau demontării  ValueOfMeansLossForProductProduced= Valoarea de 0,95 înseamnă o medie de 5 %% pierdere din produsul fabricat DeleteBillOfMaterials=Şterge bonuri de consum +CancelMo=Anulare comandă de producție +MoCancelConsumedAndProducedLines=Anulează, de asemenea, toate liniile consumate și produse (șterge liniile și stocurile retrocedate) +ConfirmCancelMo=Sigur vrei să anulezi această comandă de producție? DeleteMo=Şterge comandă de producţie ConfirmDeleteBillOfMaterials=Eşti sigur că vrei să ştergi acest bon de consum? ConfirmDeleteMo=Eşti sigur că vrei să ştergi această comandă de producţie? +DeleteMoChild = Șterge MO-urile secundare legate de acest MO %s +MoChildsDeleted = Toate MO-urile secundare au fost șterse MenuMRP=Comenzi de producţie NewMO=Comandă de producţie nouă QtyToProduce=Cantitate de fabricat @@ -123,3 +128,10 @@ Manufacturing=Producție Disassemble=Dezasamblare ProducedBy=Produs de QtyTot=Total Cantitate + +QtyCantBeSplit= Cantitatea nu poate fi împărțită +NoRemainQtyToDispatch=Nu a mai rămas nicio cantitate de împărțit + +THMOperatorEstimatedHelp=Costul estimat al operatorului pe oră. Va fi folosit pentru a estima costul unei deviz BOM folosind această stație de lucru. +THMMachineEstimatedHelp=Costul estimat al mașinii pe oră. Va fi folosit pentru a estima costul unui deviz BOM folosind această stație de lucru. + diff --git a/htdocs/langs/ro_RO/multicurrency.lang b/htdocs/langs/ro_RO/multicurrency.lang index a617e141ed1..072deb99bd1 100644 --- a/htdocs/langs/ro_RO/multicurrency.lang +++ b/htdocs/langs/ro_RO/multicurrency.lang @@ -18,7 +18,7 @@ MulticurrencyReceived=Primit, moneda inițială MulticurrencyRemainderToTake=Valoarea rămasă, moneda inițială MulticurrencyPaymentAmount=Valoarea de plată, moneda inițială AmountToOthercurrency=Suma pentru (în moneda contului de primire) -CurrencyRateSyncSucceed=Sincronizarea cursului valutar a fost efectuată cu succes +CurrencyRateSyncSucceed=Sincronizarea cursului valutar realizată cu succes MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Utilizează moneda documentului pentru plățile online TabTitleMulticurrencyRate=Listă cursuri de schimb ListCurrencyRate=Listă cursuri de schimb pentru monedă @@ -40,3 +40,4 @@ CurrencyCodeId=ID Monedă CurrencyCode=Cod monedă CurrencyUnitPrice=Preț unitar în valută CurrencyPrice=Preț în valută +MutltiCurrencyAutoUpdateCurrencies=Actualizează toate cursurile de schimb diff --git a/htdocs/langs/ro_RO/oauth.lang b/htdocs/langs/ro_RO/oauth.lang index 4e77f4ce90c..f7317678384 100644 --- a/htdocs/langs/ro_RO/oauth.lang +++ b/htdocs/langs/ro_RO/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Token şters GetAccess=Clic aici pentr a obține un token RequestAccess=Clic aici pentru a solicita/reînnoi accesul și pentru a primi un nou token  DeleteAccess=Clic aici pentru a șterge token-ul -UseTheFollowingUrlAsRedirectURI=Utilizați adresa URL următoare ca URI de redirecționare atunci când vă creați acreditările cu furnizorul de servicii OAuth: +RedirectURL=URL de redirecționare +UseTheFollowingUrlAsRedirectURI=Utilizează următoarea adresă URL ca adresă URL de redirecționare atunci când creezi credențiale cu furnizorul OAuth ListOfSupportedOauthProviders=Adăugă furnizorii tăi de token-uri OAuth2. Apoi, accesează pagina de administrare a furnizorului OAuth pentru a crea/obține un ID OAuth și un secret și salveză-le aici. După ce ai terminat, comută pe cealaltă filă pentru a-ți genera token-ul. OAuthSetupForLogin=Pagină gestionare (generare/ștergere) token-uri OAuth SeePreviousTab=Consultați fila anterioară diff --git a/htdocs/langs/ro_RO/opensurvey.lang b/htdocs/langs/ro_RO/opensurvey.lang index 2041a741f0e..54fea15081b 100644 --- a/htdocs/langs/ro_RO/opensurvey.lang +++ b/htdocs/langs/ro_RO/opensurvey.lang @@ -11,7 +11,7 @@ PollTitle=Titlu sondaj ToReceiveEMailForEachVote=Primeşte unui email pentru fiecare vot TypeDate=Tip dată TypeClassic=Tip standard -OpenSurveyStep2=Selectați datele printre zilele libere (gri). Zilele selectate sunt verzi. Puteți să deselectați o zi selectată anterior făcând un nou clic pe ea +OpenSurveyStep2=Selectează date dintre zilele libere (gri). Zilele selectate sunt verzi. Poți deselecta o zi selectată anterior făcând clic din nou pe ea RemoveAllDays=Elimină toate zilele CopyHoursOfFirstDay=Copiază orelele primei zile RemoveAllHours=Elimină toate orele @@ -61,3 +61,4 @@ SurveyExpiredInfo=Sondaj de opinie închis sau termen pentru votare expirat. EmailSomeoneVoted=%s a votat.\nPoţi accesa sondajul tău la linkul: \n%s ShowSurvey=Afișați sondajul UserMustBeSameThanUserUsedToVote=Trebuie să fi votat și să foloseşti același nume de utilizator ca cel folosit pentru votare, pentru a posta un comentariu +ListOfOpenSurveys=Listă sondaje deschise diff --git a/htdocs/langs/ro_RO/other.lang b/htdocs/langs/ro_RO/other.lang index 0fad2f83b4f..5d7171ccebe 100644 --- a/htdocs/langs/ro_RO/other.lang +++ b/htdocs/langs/ro_RO/other.lang @@ -31,7 +31,7 @@ PreviousYearOfInvoice=Anul anterior datei facturii NextYearOfInvoice=Anul următor datei facturii DateNextInvoiceBeforeGen=Data următoarei facturi (înainte de generare) DateNextInvoiceAfterGen=Data următoarei facturi (după generare) -GraphInBarsAreLimitedToNMeasures=Graficele sunt limitate la %s metrici în modul 'Bare'. Modul 'Linii' a fost selectat automat din acest motiv. +GraphInBarsAreLimitedToNMeasures=Graficele sunt limitate la %s măsuri în modul 'Bare'. În schimb, a fost selectat automat modul 'Linii'. OnlyOneFieldForXAxisIsPossible=Doar 1 câmp este posibil pentru axa X. Doar primul câmp a fost selectat. AtLeastOneMeasureIsRequired=Cel puţin 1 câmp pentru metrică este necesar AtLeastOneXAxisIsRequired=Cel puţin 1 câmp pentru axa X este necesar @@ -45,6 +45,7 @@ Notify_ORDER_CLOSE=Comandă de vânzare livrată Notify_ORDER_SUPPLIER_SENTBYMAIL=Comanda de achiziţie a fost trimisă pe email Notify_ORDER_SUPPLIER_VALIDATE=Comanda de achiziţie a fost înregistrată Notify_ORDER_SUPPLIER_APPROVE=Comanda de achiziţie a fost aprobată +Notify_ORDER_SUPPLIER_SUBMIT=Comanda de achiziție a fost transmisă Notify_ORDER_SUPPLIER_REFUSE=Comanda de achiziţie a fost refuzată Notify_PROPAL_VALIDATE=Oferta client a fost validată Notify_PROPAL_CLOSE_SIGNED=Oferta comercială a fost acceptată şi semnată de client @@ -63,9 +64,10 @@ Notify_BILL_SENTBYMAIL=Factura client a fost trimisă pe email Notify_BILL_SUPPLIER_VALIDATE=Factura furnizor a fost validată Notify_BILL_SUPPLIER_PAYED=Factura furnizor a fost achitată Notify_BILL_SUPPLIER_SENTBYMAIL=Factura furnizor a fost trimisă prin poștă -Notify_BILL_SUPPLIER_CANCELED=Factura furnizor a fost anulată +Notify_BILL_SUPPLIER_CANCELED=Factură furnizor anulată Notify_CONTRACT_VALIDATE=Contractul a fost validat Notify_FICHINTER_VALIDATE=Intervenţia a fost validată +Notify_FICHINTER_CLOSE=Intervenția a fost închisă Notify_FICHINTER_ADD_CONTACT=Adăugare contact la intervenţie Notify_FICHINTER_SENTBYMAIL=Intervenţie trimisă prin poştă Notify_SHIPPING_VALIDATE=Livrarea a fost validată @@ -190,7 +192,11 @@ EnableGDLibraryDesc=Instalați sau activați biblioteca GD în configuraţia PHP ProfIdShortDesc=Prof Id %s este identificator profesional alocat în funcţie de ţara terţului.
      De exemplu, pentru %s este codul %s. DolibarrDemo=Demo Dolibarr ERP/CRM StatsByAmount=Statistici privind cantitatea de produse/servicii +StatsByAmountProducts=Statistici privind cantitatea de produse +StatsByAmountServices=Statistici privind cantitatea de servicii StatsByNumberOfUnits=Statistici pentru suma cantităţilor produselor/serviciilor +StatsByNumberOfUnitsProducts=Statistici pentru cantitățile de produse +StatsByNumberOfUnitsServices=Statistici pentru cantitățile de servicii StatsByNumberOfEntities=Statistici pentru numărul entităților referite (nr. facturi sau comenzi...) NumberOf=Număr de %s NumberOfUnits=Număr de unități în %s @@ -198,6 +204,7 @@ AmountIn=Cantitate în %s NumberOfUnitsMos=Număr unităţi de fabricat din comenzile de producţie EMailTextInterventionAddedContact=Ţi-a fost atribuită o nouă intervenție %s. EMailTextInterventionValidated=Intervenţia %s a fost validată +EMailTextInterventionClosed=Intervenția %s a fost închisă. EMailTextInvoiceValidated=Factura %s a fost validată. EMailTextInvoicePayed=Factura %s a fost achitată. EMailTextProposalValidated=Oferta comercială %s a fost validată. @@ -207,11 +214,10 @@ EMailTextProposalClosedRefused=Oferta comercială %s a fost închisă ca refuzat EMailTextProposalClosedRefusedWeb=Oferta comercială %s a fost închisă ca refuzată pe pagina portalului. EMailTextOrderValidated=Comanda %s a fost validată. EMailTextOrderClose=Comanda %s a fost livrată. -EMailTextOrderApproved=Comanda %s a fost aprobată. -EMailTextOrderValidatedBy=Comanda %s a fost înregistrată de %s. -EMailTextOrderApprovedBy=Comanda %s a fost aprobată de %s. -EMailTextOrderRefused=Comanda %s a fost refuzată. -EMailTextOrderRefusedBy=Comanda %s a fost refuzată de %s. +EMailTextSupplierOrderApprovedBy=Comanda de achiziție %s a fost aprobată de %s. +EMailTextSupplierOrderValidatedBy=Comanda de achiziție %s a fost înregistrată de %s. +EMailTextSupplierOrderSubmittedBy=Comanda de achiziție %s a fost trimisă de %s. +EMailTextSupplierOrderRefusedBy=Comanda de achiziție %s a fost refuzată de %s. EMailTextExpeditionValidated=Livrarea %s a fost validată. EMailTextExpenseReportValidated=Decontul de cheltuieli %s a fost validat. EMailTextExpenseReportApproved=Raportul de cheltuieli %s a fost aprobat. @@ -289,10 +295,12 @@ LinesToImport=Linii de import MemoryUsage=Memorie utilizată RequestDuration=Durată request -ProductsPerPopularity=Produse/Servicii după popularitate -PopuProp=Produse/servicii după popularitate pe ofertele comerciale -PopuCom=Produse/servicii după popularitate pe comenzile de vânzare -ProductStatistics=Statistici produse/servicii +ProductsServicesPerPopularity=Produse|Servicii după popularitate +ProductsPerPopularity=Produse după popularitate +ServicesPerPopularity=Servicii după popularitate +PopuProp=Produse|Servicii după popularitate din oferte +PopuCom=Produse|Servicii după popularitate din comenzi +ProductStatistics=Statistici Produse|Servicii NbOfQtyInOrders=Cantitate în comenzi SelectTheTypeOfObjectToAnalyze=Selectează un obiect pentru a-i vedea statisticile... diff --git a/htdocs/langs/ro_RO/partnership.lang b/htdocs/langs/ro_RO/partnership.lang index 8ac937abbb8..bb772c94aa3 100644 --- a/htdocs/langs/ro_RO/partnership.lang +++ b/htdocs/langs/ro_RO/partnership.lang @@ -38,10 +38,10 @@ ListOfPartnerships=Listă parteneriate PartnershipSetup=Setare parteneriat PartnershipAbout=Despre modulul Parteneriate PartnershipAboutPage=Pagină despre modulul Parteneriate -partnershipforthirdpartyormember=Status-ul de partener trebuie setat pe un 'terţ' sau un 'membru' +partnershipforthirdpartyormember=Statusul partenerului trebuie să fie setat ca 'terț' sau ca 'membru' PARTNERSHIP_IS_MANAGED_FOR=Parteneriat gestionat pentru PARTNERSHIP_BACKLINKS_TO_CHECK=Backlink-uri de verificat -PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nr de zile înainte de anularea unui parteneriat când un abonament a expirat  +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Număr de zile înainte de anularea statutului unui parteneriat, când un abonament a expirat ReferingWebsiteCheck=Verificare referinţă website ReferingWebsiteCheckDesc=Poți activa o funcție pentru a verifica dacă partenerii tăi au adăugat un backlink către site-ul tău pe website-urile lor.\n  PublicFormRegistrationPartnerDesc=Sistemul vă poate oferi o adresă URL/un site web public pentru a permite vizitatorilor externi să solicite un parteneriat. @@ -82,10 +82,10 @@ YourPartnershipRefusedTopic=Parteneriat refuzat YourPartnershipAcceptedTopic=Parteneriat acceptat YourPartnershipCanceledTopic=Parteneriat anulat -YourPartnershipWillSoonBeCanceledContent=Vă informăm că parteneriatul dvs. va fi anulat în curând (Backlink-ul nu a fost găsit) -YourPartnershipRefusedContent=Vă informăm că solicitarea dvs. de parteneriat a fost respinsă. -YourPartnershipAcceptedContent=Vă informăm că parteneriatul a fost acceptat. -YourPartnershipCanceledContent=Vă informăm că parteneriatul dvs. a fost anulat. +YourPartnershipWillSoonBeCanceledContent=Dorim să te informăm că parteneriatul nostru va fi anulat în curând (nu am primit reînnoirea sau nu a fost îndeplinită o condiție prealabilă pentru parteneriat). Te rugăm să ne contactezi dacă ai primit acest lucru din cauza unei erori. +YourPartnershipRefusedContent=Dorim să te informăm că solicitarea ta de parteneriat a fost refuzată. Cerințele preliminare nu au fost îndeplinite. Te rugăm să ne contactezi dacă ai nevoie de mai multe informații. +YourPartnershipAcceptedContent=Dorim să te informăm că cererea ta de parteneriat a fost acceptată. +YourPartnershipCanceledContent=Dorim să te informăm că parteneriatul nostru a fost anulat. Te rugăm să ne contactezi dacă ai nevoie de mai multe informații. CountLastUrlCheckError=Număr de erori pentru ultima verficare URL LastCheckBacklink=Data ultimei verificări URL @@ -95,3 +95,5 @@ NewPartnershipRequest=Solicitare nouă de parteneriat NewPartnershipRequestDesc=Acest formular îţi permite să soliciţi un parteneriat. Dacă ai nevoie de ajutor pentru a completa acest formular, contactează-ne pe email %s. ThisUrlMustContainsAtLeastOneLinkToWebsite=Această pagină trebuie să conțină cel puțin un link către unul dintre următoarele domenii: %s +IPOfApplicant=IP aplicant + diff --git a/htdocs/langs/ro_RO/products.lang b/htdocs/langs/ro_RO/products.lang index 809d59ab1e8..2d1522fa8cb 100644 --- a/htdocs/langs/ro_RO/products.lang +++ b/htdocs/langs/ro_RO/products.lang @@ -80,8 +80,11 @@ SoldAmount=Cantitate vândută PurchasedAmount=Cantitate achiziționată NewPrice=Preţ nou MinPrice=Preţ min. de vânzare +MinPriceHT=Preț min. de vânzare (fără taxe) +MinPriceTTC=Preţ minim vânzare (incl. taxe) EditSellingPriceLabel=Editare etichetă preț vânzare -CantBeLessThanMinPrice=Prețul de vânzare nu poate fi mai mic decât minimul permis pentru acest produs (%s fără taxe). Acest mesaj poate apărea, de asemenea, dacă aplicați o reducere prea mare. +CantBeLessThanMinPrice=Prețul de vânzare nu poate fi mai mic decât minimul permis pentru acest produs (%s fără taxe). Acest mesaj poate apărea și dacă introduci un discount semnificativ. +CantBeLessThanMinPriceInclTax=Prețul de vânzare nu poate fi mai mic decât minimul permis pentru acest produs (%s cu taxe incluse). Acest mesaj poate apărea și dacă introduci un discount prea mare. ContractStatusClosed=Închis ErrorProductAlreadyExists=Un produs cu referinţa %s există deja. ErrorProductBadRefOrLabel=Valoare eronată pentru referință sau etichetă. @@ -347,16 +350,17 @@ UseProductFournDesc=Adăugați o caracteristică pentru a defini descrierea prod ProductSupplierDescription=Descrierea furnizorului pentru produs UseProductSupplierPackaging=Utilizează caracteristica "împachetare" pentru a rotunji cantitățile la multipli dați (atunci când adaugi/actualizezi linia în documentele unui furnizor, recalculezi cantitățile și prețurile de achiziție în funcție de setul multiplu mai mare al prețurilor de achiziție ale unui produs) PackagingForThisProduct=Împachetare -PackagingForThisProductDesc=Vei achiziţiona automat un multiplu din această cantitate. +PackagingForThisProductDesc=Vei achiziționa automat un multiplu din această cantitate. QtyRecalculatedWithPackaging=Cantitatea liniei a fost recalculată conform împachetării furnizorului #Attributes +Attributes=Atribute VariantAttributes=Atribute variantă ProductAttributes=Atribute pentru variante de produs ProductAttributeName=Atribut variantă %s ProductAttribute=Atribut variantă ProductAttributeDeleteDialog=Sigur doriți să ștergeți acest atribut? Toate valorile vor fi șterse -ProductAttributeValueDeleteDialog=Sigur doriți să ștergeți valoarea "%s" cu referința "%s" din acest atribut? +ProductAttributeValueDeleteDialog=Sigur vrei să ștergi valoarea "%s" cu referința "%s" a acestui atribut?  ProductCombinationDeleteDialog=Sigur doriți să ștergeți varianta de produs "%s"? ProductCombinationAlreadyUsed=A apărut o eroare la ștergerea variantei. Verificați că nu este folosită de niciun obiect ProductCombinations=Variante @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=A apărut o eroare în timp ce încercați să ș NbOfDifferentValues=Nr. de valori diferite NbProducts=Număr de produse ParentProduct=Produs părinte +ParentProductOfVariant=Produs părinte al variantei HideChildProducts=Ascundeți variantele de produs ShowChildProducts=Afișare variante de produs NoEditVariants=Accesați fişa produsul părinte și modificați impactul asupra prețurilor variantelor în fişa Variante @@ -417,7 +422,7 @@ ErrorsProductsMerge=Erori la îmbinarea produselor SwitchOnSaleStatus=Comutare status vânzare SwitchOnPurchaseStatus=Comutare status achiziţie UpdatePrice=Creștere/scădere preț client -StockMouvementExtraFields= Câmpuri suplimentare (mişcare de stoc) +StockMouvementExtraFields= Extracâmpuri (mișcări de stoc) InventoryExtraFields= Extracâmpuri (inventar) ScanOrTypeOrCopyPasteYourBarCodes=Scanează sau introdu sau copiază/lipeşte codurile de bare PuttingPricesUpToDate=Actualizare prețuri cu prețurile actuale cunoscute @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Selectare extracâmp care se va modifica ConfirmEditExtrafieldQuestion = Eşti sigur că vrei să modifici acest extracâmp? ModifyValueExtrafields = Modificare valoare extracâmp OrProductsWithCategories=Sau produse cu etichete/categorii +WarningTransferBatchStockMouvToGlobal = Dacă vrei să deserializezi acest produs, tot stocul serializat/lotizat al acestuia va fi transformat în stoc global +WarningConvertFromBatchToSerial=Dacă în prezent ai o cantitate mai mare sau egală cu 2 pentru produs, trecerea la această opțiune înseamnă că vei avea în continuare un produs cu diferite obiecte din același lot (în timp ce vrei un număr de serie unic). Dublura va rămâne până când se face un inventar sau o mișcare manuală a stocului pentru a remedia acest lucru. diff --git a/htdocs/langs/ro_RO/projects.lang b/htdocs/langs/ro_RO/projects.lang index 7e6b5f52b09..ba3e2712d6d 100644 --- a/htdocs/langs/ro_RO/projects.lang +++ b/htdocs/langs/ro_RO/projects.lang @@ -45,10 +45,11 @@ OutOfProject=În afara proiectului NoProject=Niciun proiect definit sau la care sunt responsabil NbOfProjects=Număr proiecte NbOfTasks=Număr task-uri +TimeEntry=Time tracking TimeSpent=Timp consumat +TimeSpentSmall=Timp consumat TimeSpentByYou=Timpul consumat de tine TimeSpentByUser=Timp consumat de utilizator -TimesSpent=Timpi consumaţi TaskId=ID task RefTask=Ref. task LabelTask=Denumire task @@ -82,7 +83,7 @@ MyProjectsArea=Proiectele mele DurationEffective=Durata efectivă ProgressDeclared=Progres real declarat TaskProgressSummary=Progres task -CurentlyOpenedTasks=Task-uri deschise recent +CurentlyOpenedTasks=Task-uri deschise curente TheReportedProgressIsLessThanTheCalculatedProgressionByX=Progresul real declarat este mai mic cu %s decât progresul consumului TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Progresul real declarat este mai mare cu %s decât progresul consumului ProgressCalculated=Progres pe consum @@ -122,7 +123,7 @@ TaskHasChild=Task-ul are subtask-uri NotOwnerOfProject=Nu este deţinătorul acestui proiect privat AffectedTo=Alocat la CantRemoveProject=Acest proiect nu poate fi şters pentru că este referenţiat de alte obiecte(facturi, comenzi sau altele) Vezi tab-ul '%s'. -ValidateProject=Validează proiect +ValidateProject=Validare proiect ConfirmValidateProject=Sigur doriți să validați acest proiect? CloseAProject=Închide proiect ConfirmCloseAProject=Sigur doriți să închideți acest proiect? @@ -226,7 +227,7 @@ ProjectsStatistics=Statistici pe proiecte sau lead-uri TasksStatistics=Statisticile pe task-urile proiectelor sau lead-urilor TaskAssignedToEnterTime=Task atribuit. Introducerea de timp pe acest task ar trebui să fie posibilă. IdTaskTime=Id timp task -YouCanCompleteRef=Dacă doriți să completați referinţa cu un sufix, este recomandat să adăugați un caracter - pentru al separa, astfel încât numerotarea automată să funcționeze corect pentru proiectele următoare. De exemplu %s-MYSUFFIX +YouCanCompleteRef=Dacă vrei să completezi referința ref cu un sufix, este recomandat să adaugi un caracter - pentru a-l separa, astfel încât numerotarea automată va funcționa corect pentru proiectele următoare. De exemplu%s-MYSUFFIX OpenedProjectsByThirdparties=Proiecte deschise de terți OnlyOpportunitiesShort=Doar lead-uri OpenedOpportunitiesShort=Lead-uri deschise diff --git a/htdocs/langs/ro_RO/propal.lang b/htdocs/langs/ro_RO/propal.lang index a29ec23e377..fb8f29b1f9f 100644 --- a/htdocs/langs/ro_RO/propal.lang +++ b/htdocs/langs/ro_RO/propal.lang @@ -12,9 +12,11 @@ NewPropal=Ofertă nouă Prospect=Prospect DeleteProp=Ştergere ofertă comercială ValidateProp=Validare ofertă comercială +CancelPropal=Anulare AddProp=Creare ofertă ConfirmDeleteProp=Sigur doriți să ștergeți această ofertă comercială? ConfirmValidateProp=Sigur doriți să validați această ofertă comercială sub numele %s? +ConfirmCancelPropal=Ești sigur că vrei să anulezi oferta comercială %s? LastPropals=Ultimele %s oferte comerciale LastModifiedProposals=Ultimele %s oferte modificate AllPropals=Toate ofertele @@ -27,11 +29,13 @@ NbOfProposals=Număr oferte comerciale ShowPropal=Afişează oferta PropalsDraft=Schiţe PropalsOpened=Deschis +PropalStatusCanceled=Anulată (Abandonată) PropalStatusDraft=Schiţă (de validat) PropalStatusValidated=Validată (ofertă deschisă) PropalStatusSigned=Semnată (de facturat) PropalStatusNotSigned=Nesemnată (închisă) PropalStatusBilled=Facturată +PropalStatusCanceledShort=Anulat PropalStatusDraftShort=Schiţă PropalStatusValidatedShort=Validată (deschisă) PropalStatusClosedShort=Închisă @@ -114,6 +118,7 @@ RefusePropal=Refuză oferta Sign=Semnare SignContract=Semnare contract SignFichinter=Semnare intervenție +SignSociete_rib=Semnare mandat SignPropal=Acceptare ofertă Signed=semnat SignedOnly=Doar semnată diff --git a/htdocs/langs/ro_RO/receptions.lang b/htdocs/langs/ro_RO/receptions.lang index 32f0744225e..11fe7b72114 100644 --- a/htdocs/langs/ro_RO/receptions.lang +++ b/htdocs/langs/ro_RO/receptions.lang @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=Procesate ReceptionSheet=Notă de recepție ValidateReception=Validare recepție ConfirmDeleteReception=Sigur doriți să ștergeți această recepție? -ConfirmValidateReception=Sigur doriți să validați această recepție cu referința %s? +ConfirmValidateReception=Ești sigur că vrei să validezi această recepție cu referința %s? ConfirmCancelReception=Sigur doriți să anulați această recepție? -StatsOnReceptionsOnlyValidated=Statisticile sunt efectuate doar pe recepțiile validate. Data folosită este data validării recepției (data planificată de livrare nu este întotdeauna cunoscută). +StatsOnReceptionsOnlyValidated=Statistici efectuate doar pe recepțiivalidate. Data utilizată este data validării recepției (data planificată de livrare nu este întotdeauna cunoscută). SendReceptionByEMail=Trimiteți recepția prin email SendReceptionRef=Predarea recepției %s ActionsOnReception=Evenimente la recepție @@ -53,5 +53,6 @@ ReceptionBackToDraftInDolibarr=Recepţia %s readusă la schiţă ReceptionClassifyClosedInDolibarr=Recepţia %s a fost clasificată ca Închisă ReceptionUnClassifyCloseddInDolibarr=Recepţia %s re-deschisă RestoreWithCurrentQtySaved=Completează cantitățile cu cele mai recente valori salvate -ReceptionUpdated=Recepție actualizată cu succes +ReceptionsRecorded=Recepții înregistrate +ReceptionUpdated=Recepția a fost actualizată cu succes ReceptionDistribution=Recepție distribuție diff --git a/htdocs/langs/ro_RO/sendings.lang b/htdocs/langs/ro_RO/sendings.lang index 18a863dabf6..008bb4bfcb8 100644 --- a/htdocs/langs/ro_RO/sendings.lang +++ b/htdocs/langs/ro_RO/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Validată StatusSendingProcessedShort=Procesată SendingSheet=Aviz de expediţie ConfirmDeleteSending=Sigur doriți să ștergeți această livrare? -ConfirmValidateSending=Sigur doriți să validați această livrare cu referința %s? +ConfirmValidateSending=Ești sigur că vrei să validezi această expediere-livrare cu referința %s? ConfirmCancelSending=Sigur doriți să anulați livrarea? DocumentModelMerou=Model Merou A5 WarningNoQtyLeftToSend=Atenţie, nu sunt produse care aşteaptă să fie livrate. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Cantitatea de produs care a fost re NoProductToShipFoundIntoStock=Nu există niciun produs de livrat în depozitul %s. Corectați stocul sau reveniți pentru a alege un alt depozit. WeightVolShort=Greutate/Volum. ValidateOrderFirstBeforeShipment=Mai întâi trebuie să validezi comanda de vânzare înainte de a putea face livrări. +NoLineGoOnTabToAddSome=Nicio linie/articol, mergi în fila "%s" pentru adăugare # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Greutatea totală a produselor # warehouse details DetailWarehouseNumber= Detalii depozit DetailWarehouseFormat= Greutate: %s (Cantitate: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Afișează ultima dată de intrare în stoc în timpul creării expedierii pentru numărul de serie sau lot +CreationOptions=Opțiuni disponibile în timpul creării expedierii ShipmentDistribution=Expediere distribuție -ErrorTooManyCombinationBatchcode=Nicio expediere pentru linia %s , deoarece au fost găsite prea multe combinații de depozit, produs, lot (%s). -ErrorNoCombinationBatchcode=Nicio expediere pentru linia %s, deoarece nu a fost găsită nicio combinație de depozit, produs, lot.  +ErrorTooManyCombinationBatchcode=Nicio expediere pentru linia %s, deoarece au fost găsite prea multe combinații de cod de depozit, produs, lot (%s). +ErrorNoCombinationBatchcode=Nu s-a putut salva linia %s deoarece combinația depozit-produs-lot/serial (%s, %s, %s) nu a fost găsită în stoc. + +ErrorTooMuchShipped=Cantitatea livrată nu ar trebui să fie mai mare decât cea comandată pentru linia/articolul %s diff --git a/htdocs/langs/ro_RO/stocks.lang b/htdocs/langs/ro_RO/stocks.lang index 2ea5ae03d8b..4d66a967d59 100644 --- a/htdocs/langs/ro_RO/stocks.lang +++ b/htdocs/langs/ro_RO/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=Stoc personal %s ThisWarehouseIsPersonalStock=Acest depozit reprezinta stocul personal al lui %s %s SelectWarehouseForStockDecrease=Alege depozitul pentru scăderea stocului SelectWarehouseForStockIncrease=Alege depozitul pentru creşterea de stoc +RevertProductsToStock=Reîncarci produsele în stoc? NoStockAction=Nicio actiune pe stoc DesiredStock=Stoc dorit DesiredStockDesc=Această cantitate stoc va fi valoarea utilizată pentru a umple stocul prin reaprovizionare. @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=Nu aveți suficient stoc, pentru acest număr de lot, ShowWarehouse=Arată depozit MovementCorrectStock=Corecție stoc pentru produsul %s MovementTransferStock=Transfer de stoc pentru produsul %s în alt depozit +BatchStockMouvementAddInGlobal=Stocul lotului trece în stoc global (produsul nu mai folosește lot) InventoryCodeShort=Cod de facturare/mișcare NoPendingReceptionOnSupplierOrder=Nu există recepție în așteptare din cauza comenzii de achiziție deschise ThisSerialAlreadyExistWithDifferentDate=Acest număr de lot/serie ( %s ) există deja, dar cu o dată diferită de consum sau de vânzare (găsit ca %s dar poţi introduce %s). @@ -211,9 +213,9 @@ inventoryChangePMPPermission=Permite modificare valoare PMP pentru un produs ColumnNewPMP=PMP nou OnlyProdsInStock=Nu adăugați produsul fără stoc TheoricalQty=Cantitate teoretică -TheoricalValue=Valoare teoretică +TheoricalValue=Cantitate teoretică LastPA=Ultimul PA -CurrentPA=PA curent +CurrentPA=Preț de achiziție curent RecordedQty=Cantitate înregistrată RealQty=Cantitate reală RealValue=Valoare reală @@ -280,7 +282,7 @@ ModuleStockTransferName=Transfer stoc avansat ModuleStockTransferDesc=Management avansat al transferului de stoc, cu generarea foii de transfer StockTransferNew=Transfer stoc nou StockTransferList=Listă transferuri stoc -ConfirmValidateStockTransfer=Sigur vrei să validezi acest transfer de stocuri cu referința %s ?  +ConfirmValidateStockTransfer=Sigur vrei să validezi acest transfer de stocuri cu referința %s ? ConfirmDestock=Scădere stocuri cu transferul %s ConfirmDestockCancel=Anulare scădere stocuri cu transferul %s DestockAllProduct=Scădere stocuri @@ -318,8 +320,18 @@ StockTransferRightRead=Citește transferuri de stocuri StockTransferRightCreateUpdate=Creare/Actualizare transferuri de stocuri StockTransferRightDelete=Ștergere transferuri de stocuri BatchNotFound=Lotul / seria nu a fost găsită pentru acest produs +StockEntryDate=Dată de
      intrare în stoc StockMovementWillBeRecorded=O mișcare de stoc va fi înregistrată StockMovementNotYetRecorded=Mișcarea de stoc nu va fi afectată de acest pas +ReverseConfirmed=Mișcarea de stoc a fost inversată cu succes + WarningThisWIllAlsoDeleteStock=Atenție, acest lucru va distruge și toate cantitățile din stoc din depozit +ValidateInventory=Validare inventariere +IncludeSubWarehouse=Include și sub-depozit ? +IncludeSubWarehouseExplanation=Bifează această casetă dacă dorești să incluzi toate depozitele secundare ale depozitului asociat în inventar DeleteBatch=Șterge lot/serie ConfirmDeleteBatch=Ești sigur că vrei să ștergi lotul/seria ? +WarehouseUsage=Utilizare depozit +InternalWarehouse=Depozit intern +ExternalWarehouse=Depozit extern +WarningThisWIllAlsoDeleteStock=Atenție, acest lucru va distruge și toate cantitățile din stoc din depozit diff --git a/htdocs/langs/ro_RO/stripe.lang b/htdocs/langs/ro_RO/stripe.lang index e458fd25837..47b03a1964c 100644 --- a/htdocs/langs/ro_RO/stripe.lang +++ b/htdocs/langs/ro_RO/stripe.lang @@ -71,9 +71,10 @@ ToOfferALinkForTestWebhook=Link de configurare Stripe WebHook pentru a apel IPN ToOfferALinkForLiveWebhook=Link de configurare Stripe WebHook pentru a apel IPN (mod live) PaymentWillBeRecordedForNextPeriod=Plata va fi înregistrată pentru perioada următoare. ClickHereToTryAgain=Clic aici pentru a încerca din nou... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Datorită regulilor de autentificare securizată a clienților, crearea unui card trebuie făcută din backoffice-ul Stripe. Puteți face clic aici pentru a activa înregistrarea clienților Stripe: %s +CreationOfPaymentModeMustBeDoneFromStripeInterface=Datorită regulilor de autentificare puternică a clienților, crearea unui card trebuie să se facă din back office Stripe. Poți face clic aici pentru a activa înregistrarea clienților Stripe: %s STRIPE_CARD_PRESENT=Card prezent pentru terminalele Stripe TERMINAL_LOCATION=Locația (adresa) pentru Stripe Terminals RequestDirectDebitWithStripe=Ordin de debitare directă cu Stripe +RequesCreditTransferWithStripe=Solicitare Transfer de credit cu Stripe STRIPE_SEPA_DIRECT_DEBIT=Activare plăți prin debit direct prin Stripe - +StripeConnect_Mode=Mod conectare Stripe diff --git a/htdocs/langs/ro_RO/users.lang b/htdocs/langs/ro_RO/users.lang index 8a3ae64fa59..914bdc20307 100644 --- a/htdocs/langs/ro_RO/users.lang +++ b/htdocs/langs/ro_RO/users.lang @@ -32,9 +32,8 @@ CreateUser=Creare utilizator LoginNotDefined=Numele de utilizator nu este definit. NameNotDefined=Numele nu este definit. ListOfUsers=Listă utilizatori -SuperAdministrator=Super Administrator -SuperAdministratorDesc=Administrator global, cu toate drepturile -AdministratorDesc=Administrator +SuperAdministrator=Administrator multicompanie +SuperAdministratorDesc=Administrator de sistem multicompanie (poate modifica configurări și utilizatori) DefaultRights=Permisiuni implicite DefaultRightsDesc=Definiți aici permisiunile implicite care sunt acordate automat unui utilizator nou (pentru a modifica permisiunile pentru utilizatorii existenți, accesați fişa utilizatorului). DolibarrUsers=Utilizatori sistem @@ -110,8 +109,9 @@ ExpectedWorkedHours=Nr. ore de lucru estimate pe săptămână ColorUser=Culoare utilizator DisabledInMonoUserMode=Dezactivat în modulul mentenanţă UserAccountancyCode=Cod contabil utilizator -UserLogoff=Deconectare utilizator -UserLogged=Utilizator autentificat +UserLogoff=Utilizator deconectat: %s +UserLogged=Utilizator conectat: %s +UserLoginFailed=Autentificare utilizator eșuată: %s DateOfEmployment=Data angajării DateEmployment=Loc de muncă, ocupaţie DateEmploymentStart=Data începerii angajării @@ -120,10 +120,10 @@ RangeOfLoginValidity=Interval de valabilitate al accesului CantDisableYourself=Nu vă puteți dezactiva propria înregistrare de utilizator ForceUserExpenseValidator=Persoana care are dreptul de a valida raportul de cheltuieli ForceUserHolidayValidator=Persoana care are dreptul de a valida cererea de concediu -ValidatorIsSupervisorByDefault=În mod implicit, validatorul este supervizorul utilizatorului. Nu completaţi pentru a păstra acest comportament. +ValidatorIsSupervisorByDefault=În mod implicit, validatorul este supervizorul utilizatorului. lasă necompletat pentru a păstra acest comportament. UserPersonalEmail=Email personal UserPersonalMobile=Telefon mobil personal -WarningNotLangOfInterface=Atenţie, aceasta este limba principală pe care o vorbește utilizatorul, nu limba interfeței pe care a ales să o vadă. Pentru a schimba limba interfeței pentru acest utilizator, accesați fila %s +WarningNotLangOfInterface=Atenție, aceasta este limba principală pe care o vorbește utilizatorul, nu limba interfeței pe care a ales să o vadă. Pentru a schimba limba interfeței vizibilă acestui utilizator, accesează fila %s  DateLastLogin=Data ultimei autentificări DatePreviousLogin=Data autentificării anterioare IPLastLogin=IP ultima autentificare @@ -132,3 +132,5 @@ ShowAllPerms=Afișează toate rândurile de permisiuni HideAllPerms=Ascunde toate rândurile de permisiuni UserPublicPageDesc=Poți activa un card virtual pentru acest utilizator. O adresă URL cu profilul utilizatorului și un cod de bare vor fi disponibile pentru a permite oricui are un smartphone să îl scaneze și să adauge persoana de contact în agenda sa. EnablePublicVirtualCard=Activare carte de vizită virtuală utilizator +UserEnabledDisabled=Status utilizator modificat: %s +AlternativeEmailForOAuth2=Email alternativ pentru autentificare OAuth2 diff --git a/htdocs/langs/ro_RO/website.lang b/htdocs/langs/ro_RO/website.lang index 95a82e32b6a..1f4cec8c36e 100644 --- a/htdocs/langs/ro_RO/website.lang +++ b/htdocs/langs/ro_RO/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Nume alternative/pseudonime pagină WEBSITE_ALIASALTDesc=Utilizați aici o listă cu alte nume / aliasuri, astfel încât pagina poate fi accesată și folosind alte nume / aliasuri (de exemplu vechiul nume după redenumirea aliasului pentru a functionalbacklinkul pe vechiul link/nume). Sintaxa este:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=Adresa URL a fișierului CSS extern WEBSITE_CSS_INLINE=Conținutul fișierului CSS (comun pentru toate paginile) -WEBSITE_JS_INLINE=Conținutul fișierului Javascript (comun tuturor paginilor) +WEBSITE_JS_INLINE=Conținut fișier JavaScript (comun tuturor paginilor) WEBSITE_HTML_HEADER=Adăugare în partea de jos a antetului HTML (comun pentru toate paginile) WEBSITE_ROBOT=Fișier robot (robots.txt) WEBSITE_HTACCESS=Fișier .htaccess site @@ -60,10 +60,11 @@ NoPageYet=Nicio pagină încă YouCanCreatePageOrImportTemplate=Puteți să creați o pagină nouă sau să importați un șablon de site complet SyntaxHelp=Ajutor şi sfaturi pentru sintaxa specifică YouCanEditHtmlSourceckeditor=Puteți edita codul sursă HTML folosind butonul "Sursă" din editor. -YouCanEditHtmlSource=
      Puteți include codul PHP în această sursă folosind etichete<?php?>. Sunt disponibile următoarele variabile globale: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Puteți include, de asemenea, conținutul unei alte Pagini/Container cu următoarea sintaxă:
      <?php includeContainer ('alias_of_container_to_include'); ?>

      Puteți face o redirecționare către o altă Pagină/Container cu următoarea sintaxă (Notă: nu emiteți conținut înainte de o redirecționare):
      <?php redirectToContainer ('alias_of_container_to_redirect_to'); ?>

      Pentru a adăuga o legătură la o altă pagină, utilizați sintaxa:
      <a href ="alias_of_page_to_link_to.php">mylink<a>

      Pentru a include un link de descărcare fișier stocat în directorul documentelor, utilizați wrapper-ul document.php:
      Exemplu, pentru un fișier din documente/ECM (trebuie să fie înregistrat), sintaxa este:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Pentru un fișier din documente/media (director deschis pentru acces public), sintaxa este:
      <a href ="/document.php?modulepart= medias&file=[relative_dir/]indicafilename.ext">
      Pentru un fișier partajat cu o legătură de partajare (acces deschis folosind cheia hash de partajare a fișierului), sintaxa este:
      <a href="/ document.php?hashp=publicsharekeyoffile">

      Pentru a include o imagine stocată în directorul de documente, utilizați wrapper-ul viewimage.php:
      Exemplu, pentru o imagine din documente/media (director deschis pentru acces public), sintaxa este:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      Poți include cod PHP în această sursă folosind etichetele <?php ?>. Sunt disponibile următoarele variabile globale: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      De asemenea, poți include conținutul unei alte pagini/container cu următoarea sintaxă:
      <?php includeContainer('alias_of_container_to_include'); ?>

      Poți face o redirecționare către o altă pagină/container cu următoarea sintaxă (Notă: nu afișa niciun conținut înainte de redirecționare):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      Pentru a adăuga un link către o altă pagină, utilizează sintaxa:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      Pentru a include un link de descărcare fișier stocat în directorul de documente, utilizează wrapper-ul document.php :
      Exemplu, pentru un fișier în documente/ecm (trebuie să fie înregistrat), sintaxa este:
      <a href="/document.php ?modulepart=ecm&file=[relative_dir/]filename.ext">
      Pentru un fișier în documente/media (director deschis pentru acces public), sintaxa este:
      <a href="/document.php?modulepart=medias&file=[relative_dir /]filename.ext">
      Pentru un fișier partajat cu un link de partajare (acces deschis folosind cheia hash de partajare a fișierului), sintaxa este:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      Pentru a include o imagine stocată în directorul de documente, utilizează wrapper-ul viewimage.php.
      De exemplu, pentru o imagine în documente/media (director deschis pentru acces public), sintaxa este:
      <img src="/viewimage.php?modulepart= medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Pentru o imagine partajată cu un link de partajare (acces deschis folosind cheia de distribuire a fișierului), sintaxa este:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      Mai multe exemple de cod HTML sau dinamic sunt disponibile în documentaţia wiki
      . +YouCanEditHtmlSource3=Pentru a obține adresa URL a imaginii unui obiect PHP, utilizează
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      Mai multe exemple HTML sau cod dinamic sunt disponibile în documentația wiki.
      ClonePage=Clonare pagină/container CloneSite=Clonare site SiteAdded=Site adăugat @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Ne pare rău, acest site este în prezent offline WEBSITE_USE_WEBSITE_ACCOUNTS=Activare tabel cont site web WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Activează tabelul de stocare conturile site-uri web (nume de autentificare/parolă) pentru fiecare site/terț YouMustDefineTheHomePage=Mai întâi trebuie să definiți pagina de Home implicită -OnlyEditionOfSourceForGrabbedContentFuture=Atenţie: Crearea unei pagini web prin importarea unei pagini web externe este rezervată utilizatorilor cu experiență. În funcție de complexitatea paginii sursă, rezultatul importului poate diferi de original. De asemenea, dacă pagina sursă folosește stiluri CSS obișnuite sau cod Javascript conflictual, acesta poate altera aspectul sau caracteristicile editorului site-ului Web atunci când lucrați pe această pagină. Această metodă este o modalitate mai rapidă de a crea o pagină, dar este recomandat să creezi pagina ta de la zero sau de la un șablon de pagină sugerat.
      De asemenea, reţineţi că editorul inline nu funcționează corect atunci când este utilizat pe o pagină externă capturată. +OnlyEditionOfSourceForGrabbedContentFuture=Atenție: Crearea unei pagini web prin importul unei pagini web externe este rezervată utilizatorilor experimentați. În funcție de complexitatea paginii sursă, rezultatul importului poate diferi de cel original. De asemenea, dacă pagina sursă folosește stiluri CSS obișnuite sau JavaScript în conflict, este posibil să rupă aspectul sau caracteristicile editorului de site-uri atunci când lucrează pe această pagină. Această metodă este o modalitate mai rapidă de a crea o pagină, dar este recomandat să creezi noua pagină de la zero sau dintr-un șablon de pagină sugerat.
      Reține, că editorul inline poate să nu funcționeze corect atunci când este utilizat pe o pagină externă preluată. OnlyEditionOfSourceForGrabbedContent=Numai editarea sursei HTML este posibilă atunci când conținutul a fost preluat de pe un site extern GrabImagesInto=Luați și imaginile găsite în CSS și pagină. ImagesShouldBeSavedInto=Imaginile trebuie salvate în director @@ -112,13 +113,13 @@ GoTo=Mergi la DynamicPHPCodeContainsAForbiddenInstruction=Adăugați cod PHP dinamic care conține instrucțiunea PHP '%s' care este interzisă în mod implicit ca şi conținut dinamic (consultați opțiunile ascunse WEBSITE_PHP_ALLOW_xxx pentru a extinde lista comenzilor permise). NotAllowedToAddDynamicContent=Nu aveți permisiunea să adăugați sau să editați conținut dinamic PHP în site-uri web. Cereți permisiunea sau păstrați codul nemodificat în etichetele php. ReplaceWebsiteContent=Căutare sau înlocuire conținut website -DeleteAlsoJs= Ștergeți, de asemenea, toate fișierele javascript specifice acestui site web? -DeleteAlsoMedias=Ștergeți, de asemenea, toate fișierele media specifice acestui site web? +DeleteAlsoJs=Șterg și toate fișierele JavaScript specifice acestui site? +DeleteAlsoMedias=Șterg și toate fișierele media specifice acestui site? MyWebsitePages=Paginile site-ului meu SearchReplaceInto=Căutare | Înlocuire ReplaceString=String nou CSSContentTooltipHelp=Introduceți aici conținut CSS. Pentru a evita orice conflict cu CSS-ul aplicației, asigurați-vă că adaugaţi cu prepend toate declarațiile la clasa .bodywebsite. De exemplu:

      #mycssselector, input.myclass: hover {...}
      trebuie să fie
      .bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}

      Notă: Dacă aveți un fișier mare fără acest prefix, puteți utiliza 'lessc' pentru a-l converti şi adăuga prefixul .bodywebsite peste tot. -LinkAndScriptsHereAreNotLoadedInEditor=Atenţie: Acest conținut este emis numai când site-ul este accesat de pe un server. Nu este utilizat în modul Edit, deci dacă trebuie să încărcați fișiere javascript și în modul de editare, trebuie doar să adăugați eticheta 'script src=...' în pagină. +LinkAndScriptsHereAreNotLoadedInEditor=Atenție: Acest conținut este afișat numai atunci când site-ul este accesat de pe un server. Nu este utilizat în modul Editare, așa că dacă trebuie să încarci fișiere JavaScript și în modul de editare, trebuie să adaugi eticheta 'script src=...' în pagină. Dynamiccontent=Exemplu de pagină cu conținut dinamic ImportSite=Importați șablonul de site web EditInLineOnOff=Modul 'Editare inline' este %s @@ -160,3 +161,6 @@ PagesViewedTotal=Pagini vizualizate (total) Visibility=Vizibilitate Everyone=Oricine AssignedContacts=Contacte asignate +WebsiteTypeLabel=Tip de website +WebsiteTypeDolibarrWebsite=Web site (Dolibarr CMS) +WebsiteTypeDolibarrPortal=Portal Dolibarr nativ diff --git a/htdocs/langs/ro_RO/withdrawals.lang b/htdocs/langs/ro_RO/withdrawals.lang index b79706cd7bc..578130d56ab 100644 --- a/htdocs/langs/ro_RO/withdrawals.lang +++ b/htdocs/langs/ro_RO/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Solicitare transfer de credit WithdrawRequestsDone=%s solicitări de plată prin debitare directă au fost înregistrate BankTransferRequestsDone=%s solicitări de transfer de credit înregistrate ThirdPartyBankCode=Cod bancar terț -NoInvoiceCouldBeWithdrawed=Nici o factură nu a fost debitată cu succes. Verificați dacă facturile sunt pe companiile cu un IBAN valabil și că IBAN are un UMR (referință unică de mandat) cu modul %s . +NoInvoiceCouldBeWithdrawed=Nicio factură nu a fost procesată cu succes. Verifică dacă facturile sunt la companii cu un IBAN valid și că IBAN-ul are un UMR (Referință unică de mandat) cu modul %s. +NoInvoiceCouldBeWithdrawedSupplier=Nicio factură nu a fost procesată cu succes. Verifică dacă facturile sunt de la companii cu un IBAN valid. +NoSalariesCouldBeWithdrawed=Niciun salariu procesat cu succes. Verifică dacă salariul este pentru utilizatorii cu un IBAN valid. WithdrawalCantBeCreditedTwice=Această chitanță de retragere este deja marcată ca fiind creditată; acest lucru nu se poate face de două ori, deoarece acest lucru ar putea crea plăți și înregistrări bancare duplicate. ClassCredited=Clasifică creditat ClassDebited=Clasifică debitat @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Sunteţi sigur că doriţi să respingeţi o retragere RefusedData=Data respingerii RefusedReason=Motivul respingerii RefusedInvoicing=Facturare respingere -NoInvoiceRefused=Nu încărca respingerea -InvoiceRefused=Factură refuzată (Încărcă refuzul la client) +NoInvoiceRefused=Nu taxa clientul pentru refuz +InvoiceRefused=Taxează clientul pentru refuz +DirectDebitRefusedInvoicingDesc=Setează un indicator pentru a spune că acest refuz trebuie să fie taxat pe client StatusDebitCredit=Status debit/credit StatusWaiting=În aşteptare StatusTrans=Trimis @@ -115,7 +118,7 @@ RUM=RMU DateRUM=Data semnării mandatului RUMLong=Referință de mandat unic RUMWillBeGenerated=Dacă este gol, se va genera un RMU (referință unică de mandat) o dată ce informațiile despre contul bancar vor fi salvate. -WithdrawMode=Mod debit direct (FRST sau RECUR) +WithdrawMode=Mod Direct debit (FRST sau RCUR) WithdrawRequestAmount=Suma solicitată prin debit direct: BankTransferAmount=Valoarea cererii de transfer de credit: WithdrawRequestErrorNilAmount=Nu se poate crea o solicitare de debit direct pentru suma goală. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Codul contului bancar (IBAN) SEPAFormYourBIC=Codul dvs. de identificare a băncii (BIC) SEPAFrstOrRecur=Tip de plată ModeRECUR=Plată recurentă +ModeRCUR=Plată recurentă ModeFRST=Plată unică PleaseCheckOne=Verificați doar una CreditTransferOrderCreated=Ordinul de transfer credit %s a fost creat @@ -155,9 +159,16 @@ InfoTransData=Suma: %s
      Metoda: %s
      Data: %s InfoRejectSubject=Comanda de debitare directă a fost refuzată InfoRejectMessage=Bună ziua,

      ordinul de plată prin debit direct al facturii %s aferente companiei %s, cu o sumă de %s a fost refuzată de bancă.

      -
      %s ModeWarning=Opţiunea pentru modul real, nu a fost setată, ne oprim după această simulare -ErrorCompanyHasDuplicateDefaultBAN=Compania cu id %s are mai multe conturi bancare implicite. Nu se poate determina cel care se doreşte a fi utilizat. +ErrorCompanyHasDuplicateDefaultBAN=Compania cu id-ul %s are mai multe conturi bancare prestabilite. Nu se poate ști care va fi utilizat. ErrorICSmissing=ICS lipsă în contul bancar %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Suma totală a ordinului de debitare directă diferă de suma liniilor WarningSomeDirectDebitOrdersAlreadyExists=Atenţie: Sunt deja ordine de debit direct în așteptare (%s) solicitate pentru suma de %s WarningSomeCreditTransferAlreadyExists=Atenţie: Sunt deja transferuri de credit în așteptare (%s) solicitate pentru suma de %s UsedFor=Utilizat pentru %s +Societe_ribSigned=Mandat SEPA semnat +NbOfInvoiceToPayByBankTransferForSalaries=Nr. salarii calificate care așteaptă o plată prin transfer de credit +SalaryWaitingWithdraw=Salariile care așteaptă plata prin transfer de credit +RefSalary=Salariu +NoSalaryInvoiceToWithdraw=Niciun salariu în așteptare pentru un '%s'. Accesează fila '%s' de pe cardul de salariu pentru a face o cerere. +SalaryInvoiceWaitingWithdraw=Salariile care așteaptă plata prin transfer de credit + diff --git a/htdocs/langs/ro_RO/workflow.lang b/htdocs/langs/ro_RO/workflow.lang index e166a0fb768..d38ea5498e9 100644 --- a/htdocs/langs/ro_RO/workflow.lang +++ b/htdocs/langs/ro_RO/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Crează automat o factură client după descWORKFLOW_ORDER_AUTOCREATE_INVOICE=În mod automat se crează o factură client după ce se închide o comandă de vânzări (noua factură va avea aceeași valoare ca comanda) descWORKFLOW_TICKET_CREATE_INTERVENTION=La crearea unui tichet, crează automat o intervenţie. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasificați oferta comercială sursă asociată ca facturată atunci când comanda de vânzări este setată ca facturată (și dacă valoarea comenzii este aceeași cu valoarea totală a ofertei asociate semnate) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasificați oferta comercială sursă asociată ca facturată atunci când factura clientului este validată (și dacă valoarea facturii este aceeași cu valoarea totală a ofertei asociate semnate) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasificați comanda de vânzări sursă asociată ca facturată atunci când factura clientului este validată (și dacă valoarea facturii este aceeași cu valoarea totală a comenzii de vânzare asociate) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasificați comanda de vânzări sursă asociată ca fiind facturată atunci când factura clientului este setată la plată (și dacă valoarea facturii este aceeași cu suma totală a comenzii asociate) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasificați comanda de vânzări sursă asociată ca livrată atunci când o livrare este validată (și dacă cantitatea livrată de toate expedițiile este aceeași ca în ordinea de actualizare) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasifică ofertele comerciale sursă asociate ca fiind facturate atunci când o comandă de vânzare este setată ca facturată (și dacă valoarea comenzii este aceeași cu suma totală a ofertelor comeciale asociate semnate) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasifică ofertele comeciale sursă asociate ca fiind facturate atunci când o factură de client este validată (și dacă suma facturii este aceeași cu suma totală a ofertelor comeciale asociate semnate) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasifică comanda de vânzări sursă asociată ca fiind facturată atunci când o factură de client este validată (și dacă suma facturii este aceeași cu suma totală a comenzilor de vânzări asociate). Dacă ai 1 factură validată pentru n comenzi, aceasta poate seta și toate comenzile să fie facturate. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasifică comenzile de vânzări sursă asociate ca fiind facturate atunci când o factură de client este setată ca achitată (și dacă suma facturii este aceeași cu suma totală a comenzilor de vânzări asociate). Dacă ai 1 set de facturi facturate pentru n comenzi, aceasta poate seta și toate comenzile să fie facturate. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasifică comenzile de vânzare sursă asociate ca fiind expediate atunci când o expediere este validată (și dacă cantitatea expediată de pe toate expedierile este aceeași ca și în comanda de vânzare) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Clasificați comanda de vânzare sursă legată ca fiind expediată atunci când o expediere este închisă (și dacă cantitatea expediată din toate livrările este aceeași ca în comanda actualizată) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasificați propunerea furnizorului sursă asociată ca fiind facturată atunci când factura furnizorului este validată (și dacă valoarea facturii este aceeași cu valoarea totală a propunerii asociate) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasifică oferta furnizorului sursă asociată ca fiind facturată atunci când factura furnizorului este validată (și dacă suma facturii este aceeași cu suma totală a ofertelor asociate) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasificați comanda de vânzări sursă asociată ca fiind facturată atunci când factura furnizorului este validată (și dacă valoarea facturii este aceeași cu valoarea totală a comenzii asociate) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasifică comanda de achiziție sursă asociată ca fiind facturată atunci când factura furnizorului este validată (și dacă suma facturii este aceeași cu suma totală a comenzilor asociate) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Clasifică comanda de achiziție sursă asociată ca primită atunci când o recepție este validată (și dacă cantitatea primită de toate recepțiile este aceeași cu cea din comanda de achiziţie pentru actualizare) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Clasifică comanda de achiziție sursă asociată ca primită atunci când o recepție este închisă (și dacă cantitatea primită de toate recepțiile este aceeași cu cea din comanda de achiziţie pentru actualizare) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Clasifică recepțiile ca "facturate" atunci când o factură de achiziție asociată este validată (și dacă suma facturii este aceeași cu suma totală a recepțiilor asociate) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Clasifică expedierea sursă asociată ca fiind închisă atunci când o factură client este validată (și dacă suma facturii este aceeași cu suma totală a expedierilor asociate) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Clasifică expedierea sursă asociată ca fiind facturată atunci când o factură client este validată (și dacă suma facturii este aceeași cu suma totală a expedierilor asociate) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Clasifică recepțiile sursă asociate ca fiind facturate atunci când o factură de achiziție este validată (și dacă suma facturii este aceeași cu suma totală a recepțiilor asociate) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Clasifică recepțiile sursă asociate ca fiind facturate atunci când o factură de achiziție este validată (și dacă suma facturii este aceeași cu suma totală a recepțiilor asociate) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=La crearea unui tichet , asociază contractele disponibile ale terților care se potrivesc +descWORKFLOW_TICKET_LINK_CONTRACT=Când creați un tichet, asociază toate contractele disponibile ale terților care se potrivesc descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Când se asociază contracte, caută printre cele ale companiilor-mamă # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Închideți toate intervențiile legate de tichet atunci când tichetul este închis AutomaticCreation=Creare automată AutomaticClassification=Clasificare automată -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Clasifică expedierea/livrarea sursă asociată ca fiind închisă atunci când factura clientului este validată (și dacă suma facturii este aceeași cu suma totală a livrărilor legate) AutomaticClosing=Închidere automată AutomaticLinking=Asociere automată diff --git a/htdocs/langs/ru_RU/accountancy.lang b/htdocs/langs/ru_RU/accountancy.lang index 343b48ec411..fe30b68b439 100644 --- a/htdocs/langs/ru_RU/accountancy.lang +++ b/htdocs/langs/ru_RU/accountancy.lang @@ -16,8 +16,8 @@ ThisService=Эта услуга ThisProduct=Этот продукт DefaultForService=По умолчанию для служб DefaultForProduct=По умолчанию для продуктов -ProductForThisThirdparty=Продукт для этой третьей стороны -ServiceForThisThirdparty=Сервис для этой третьей стороны +ProductForThisThirdparty=продукт для этой третьей стороны +ServiceForThisThirdparty=услуга для этой третьей стороны CantSuggest=Не могу предложить AccountancySetupDoneFromAccountancyMenu=Больше настроек бухгалтерии выполняется из меню %s ConfigAccountingExpert=Настройка модуля учета (двойная запись) @@ -38,10 +38,10 @@ DeleteCptCategory=Удалить учётный счёт из группы ConfirmDeleteCptCategory=Вы действительно хотите удалить этот учетный счет из группы бухгалтерских счетов? JournalizationInLedgerStatus=Статус журнализации AlreadyInGeneralLedger=Уже перенесено в бухгалтерские журналы и бухгалтерскую книгу -NotYetInGeneralLedger=Еще не переведено в бухгалтерские журналы и бухгалтерскую книгу +NotYetInGeneralLedger=Еще не перенесено в журналы учета и главная книга GroupIsEmptyCheckSetup=Группа пуста, проверьте настройку персонализированной учетной группы DetailByAccount=Показать детали счета -DetailBy=Detail by +DetailBy=деталь автор: AccountWithNonZeroValues=Счета с ненулевыми значениями ListOfAccounts=Список счетов CountriesInEEC=Страны ЕЭС @@ -51,32 +51,31 @@ CountriesExceptMe=Все страны кроме %s AccountantFiles=Экспорт исходных документов ExportAccountingSourceDocHelp=С помощью этого инструмента вы можете искать и экспортировать исходные события, которые используются для создания вашей бухгалтерии.
      Экспортированный ZIP-файл будет содержать списки запрошенных элементов в формате CSV, а также прикрепленные к ним файлы в исходном формате (PDF, ODT, DOCX...). ExportAccountingSourceDocHelp2=Чтобы экспортировать журналы, используйте пункт меню %s - %s. -ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +ExportAccountingProjectHelp=Укажите проект, если вам нужен бухгалтерский отчет только для определенного проект. отчёты о затратах и займ платежи не включены в проект сообщает. +ExportAccountancy=Экспортный учет +WarningDataDisappearsWhenDataIsExported=Внимание! Этот Список содержит только записи учета, которые еще не были экспортированы (Экспорт дата пуст). Если вы хотите включить уже экспортированные учетные записи, нажмите кнопку выше. VueByAccountAccounting=Просмотр по учетной записи VueBySubAccountAccounting=Просмотр по субсчету бухгалтерского учета -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup -UserAccountNotDefined=Accounting account for user not defined in setup +MainAccountForCustomersNotDefined=Основной счет (из Плана счетов) для клиенты не определен в настройка +MainAccountForSuppliersNotDefined=Счет ГК (из Плана счетов) для поставщиков, не определенных в настройка +MainAccountForUsersNotDefined=Основной счет (из Плана счетов) для пользователей, не определенных в настройка +MainAccountForVatPaymentNotDefined=Счет (из Плана счетов) по НДС платеж не определен в настройка +MainAccountForSubscriptionPaymentNotDefined=Счет (из Плана счетов) для членства платеж не определен в настройка +MainAccountForRetainedWarrantyNotDefined=Счет (из Плана счетов) для сохраненной гарантии, не определенный в настройка +UserAccountNotDefined=Учетная запись для пользователь не определена в настройка AccountancyArea=Область бухгалтерского учета AccountancyAreaDescIntro=Использование модуля бухгалтерского учета осуществляется в несколько этапов: AccountancyAreaDescActionOnce=Следующие действия обычно выполняются один раз или один раз в год ... -AccountancyAreaDescActionOnceBis=Следующие шаги должны быть выполнены, чтобы сэкономить ваше время в будущем, предлагая вам автоматически правильную учетную запись по умолчанию при передаче данных в бухгалтерии. +AccountancyAreaDescActionOnceBis=Следующие шаги необходимо предпринять, чтобы сэкономить ваше время в будущем, предложив вам автоматически правильную по умолчанию учетную запись учета при переносе данных в учетную запись. AccountancyAreaDescActionFreq=Следующие действия обычно выполняются каждый месяц, неделю или день для очень крупных компаний ... AccountancyAreaDescJournalSetup=ШАГ %s: Проверьте содержимое списка журналов в меню %s. AccountancyAreaDescChartModel=ШАГ %s: Убедитесь, что модель плана счетов существует, или создайте ее из меню %s AccountancyAreaDescChart=ШАГ %s: Выберите и|или заполните свой план счетов в меню %s +AccountancyAreaDescFiscalPeriod=ШАГ %s. Определите финансовый год по по умолчанию, в который будут интегрироваться учетные записи. Для этого используйте пункт меню %s. AccountancyAreaDescVat=ШАГ %s: Определите бухгалтерские счета для каждой ставки НДС. Для этого используйте пункт меню %s. AccountancyAreaDescDefault=ШАГ %s: Определите учетные записи по умолчанию. Для этого используйте пункт меню %s. AccountancyAreaDescExpenseReport=ШАГ %s: Определите учетные записи по умолчанию для каждого типа отчета о расходах. Для этого используйте пункт меню %s. @@ -84,19 +83,20 @@ AccountancyAreaDescSal=ШАГ %s: Определите учетные запис AccountancyAreaDescContrib=ШАГ %s: Определите бухгалтерские счета по умолчанию для налогов (специальные расходы). Для этого используйте пункт меню %s. AccountancyAreaDescDonation=ШАГ %s: Определите учетные записи по умолчанию для пожертвований. Для этого используйте пункт меню %s. AccountancyAreaDescSubscription=ШАГ %s: Определите учетные записи по умолчанию для подписки участников. Для этого используйте пункт меню %s. -AccountancyAreaDescMisc=ШАГ %s: Определите обязательную учетную запись по умолчанию и учетные записи по умолчанию для разных транзакций. Для этого используйте пункт меню %s. +AccountancyAreaDescMisc=ШАГ %s: Определите обязательные учетные записи по умолчанию и по умолчанию учетные счета для разных транзакций. Для этого используйте пункт меню %s. AccountancyAreaDescLoan=ШАГ %s: Определите счета учета по умолчанию для займов. Для этого используйте пункт меню %s. AccountancyAreaDescBank=ШАГ %s: Определите учетные счета и код журнала для каждого банковского и финансового счетов. Для этого используйте пункт меню %s. AccountancyAreaDescProd=ШАГ %s: Определите учетные записи для ваших продуктов/услуг. Для этого используйте пункт меню %s. AccountancyAreaDescBind=ШАГ %s: проверьте, что привязка между существующими строками %s и учетной записью выполнена, поэтому приложение сможет регистрировать транзакции в Ledger одним щелчком мыши. Полностью отсутствующие привязки. Для этого используйте пункт меню %s. AccountancyAreaDescWriteRecords=ШАГ %s: Записывайте транзакции в регистр. Для этого войдите в меню %s и нажмите кнопку %s. -AccountancyAreaDescAnalyze=ШАГ %s: Добавьте или отредактируйте существующие транзакции и создайте отчеты и экспорт. - -AccountancyAreaDescClosePeriod=ШАГ %s: Закройте период, чтобы мы не могли вносить изменения в будущем. +AccountancyAreaDescAnalyze=STEP %s: Read reportings or generate export files for other bookkeepers. +AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't transfer anymore data in the same period in a future. +TheFiscalPeriodIsNotDefined=Обязательный шаг в настройка не выполнен (финансовый период не определен). TheJournalCodeIsNotDefinedOnSomeBankAccount=Не завершен обязательный шаг в настройке (журнал кодов учета не определен для всех банковских счетов) Selectchartofaccounts=Выберите активный график счетов +CurrentChartOfAccount=Current active chart of account ChangeAndLoad=Изменить и загрузить Addanaccount=Добавить бухгалтерский счёт AccountAccounting=Бухгалтерский счёт @@ -107,7 +107,7 @@ ShowAccountingAccount=Показать учетную запись ShowAccountingJournal=Показать бухгалтерский журнал ShowAccountingAccountInLedger=Показать счет в бухгалтерской книге ShowAccountingAccountInJournals=Показать учетную запись в журналах -DataUsedToSuggestAccount=Data used to suggest account +DataUsedToSuggestAccount=Данные, используемые для предложения аккаунта AccountAccountingSuggest=Аккаунт предложен MenuDefaultAccounts=Учетные записи по умолчанию MenuBankAccounts=Банковские счета @@ -118,7 +118,7 @@ MenuLoanAccounts=Счета займов MenuProductsAccounts=Аккаунты продуктов MenuClosureAccounts=Закрытие счетов MenuAccountancyClosure=Закрытие -MenuExportAccountancy=Export accountancy +MenuExportAccountancy=Экспортный учет MenuAccountancyValidationMovements=Подтвердить движения ProductsBinding=Аккаунты продуктов TransferInAccounting=Перенос в бухгалтерию @@ -134,7 +134,7 @@ WriteBookKeeping=Зафиксировать операции в бухгалте Bookkeeping=Бухгалтерская книга BookkeepingSubAccount=Вспомогательная книга AccountBalance=Баланс -AccountBalanceSubAccount=Sub-accounts balance +AccountBalanceSubAccount=Дочерние аккаунты баланс ObjectsRef=Ссылка на исходный объект CAHTF=Итого закупка продавца до налогообложения TotalExpenseReport=Отчет об общих расходах @@ -171,21 +171,23 @@ ACCOUNTING_MANAGE_ZERO=Позволяет управлять разным кол BANK_DISABLE_DIRECT_INPUT=Отключить прямую запись транзакции на банковский счет ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Включить экспорт черновиков в журнале ACCOUNTANCY_COMBO_FOR_AUX=Включить комбинированный список для вспомогательной учетной записи (может быть медленным, если у вас много третьих лиц, нарушить возможность поиска по части значения) -ACCOUNTING_DATE_START_BINDING=Определите дату начала привязки и передачи в бухгалтерском учете. Ниже этой даты операции не переносятся в бухгалтерский учет. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=При переносе бухгалтерского учета какой период выбран по умолчанию +ACCOUNTING_DATE_START_BINDING=Отключить привязку & перевод в бухгалтерском учете, когда дата ниже этого дата ( транзакции до этого дата будут исключены по умолчанию) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=На странице для перевод данных в бухгалтерский учет, какой период выбран по умолчанию ACCOUNTING_SELL_JOURNAL=Журнал продаж - продажи и возвраты ACCOUNTING_PURCHASE_JOURNAL=Журнал покупок - покупка и возврат -ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements +ACCOUNTING_BANK_JOURNAL=Денежные средства журнал - поступления и выплаты ACCOUNTING_EXPENSEREPORT_JOURNAL=Журнал отчетов о расходах ACCOUNTING_MISCELLANEOUS_JOURNAL=Общий журнал ACCOUNTING_HAS_NEW_JOURNAL=Есть новый журнал -ACCOUNTING_INVENTORY_JOURNAL=Inventory journal +ACCOUNTING_INVENTORY_JOURNAL=Инвентарь журнал ACCOUNTING_SOCIAL_JOURNAL=Социальный журнал ACCOUNTING_RESULT_PROFIT=Результат бухгалтерского учета (Прибыль) ACCOUNTING_RESULT_LOSS=Результат бухгалтерского учета (убыток) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Журнал закрытия +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Группы учета, используемые для учетной записи таблицы баланс (через запятую). +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Группы учета, используемые в отчете о прибылях и убытках (через запятую) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Счет (из Плана счетов), который будет использоваться в качестве счета для переходных банковских переводов TransitionalAccount=Счет переходного банковского перевода @@ -195,10 +197,10 @@ DONATION_ACCOUNTINGACCOUNT=Счет (из плана счетов), которы ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Учетная запись (из плана счетов), которая будет использоваться для регистрации членских подписок (модуль членства - если членство записано без счета-фактуры) ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Учетная запись (из Плана счетов), которая будет использоваться в качестве учетной записи по умолчанию для регистрации клиентского депозита. -UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default -UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Accounting account by default to register customer retained warranty +UseAuxiliaryAccountOnCustomerDeposit=Сохраните учетную запись клиент как отдельную учетную запись в дочерней компании главная книга для линии авансовых платежей (если Отключено, индивидуальный аккаунт для нижнего платеж линии останется пустым) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Счет (из Плана счетов), который будет использоваться в качестве по умолчанию +UseAuxiliaryAccountOnSupplierDeposit=Сохраните учетную запись поставщик как отдельную учетную запись в дочерней компании главная книга для линии авансовых платежей (если Отключено, индивидуальный аккаунт для нижнего платеж линии останется пустым) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Учетная запись по умолчанию для регистрации клиент сохраненной гарантии ACCOUNTING_PRODUCT_BUY_ACCOUNT=Учетная запись (из Плана счетов), которая будет использоваться в качестве учетной записи по умолчанию для продуктов, приобретенных в той же стране (используется, если она не указана в описании продукта) ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Учетная запись (из Плана счетов), которая будет использоваться в качестве учетной записи по умолчанию для продуктов, приобретенных в ЕЭС в другую страну ЕЭС (используется, если она не определена в описании продукта) @@ -228,7 +230,7 @@ JournalLabel=Этикетка журнала NumPiece=Количество штук TransactionNumShort=№ проводки AccountingCategory=Пользовательская группа учетных записей -AccountingCategories=Custom groups of accounts +AccountingCategories=Пользовательские группы аккаунтов GroupByAccountAccounting=Группировать по счету главной книги GroupBySubAccountAccounting=Группировка по счету вспомогательной книги AccountingAccountGroupsDesc=Здесь вы можете определить несколько групп бухгалтерского учета. Они будут использоваться для персонализированной бухгалтерской отчетности. @@ -245,7 +247,7 @@ ConfirmDeleteMvt=Это приведет к удалению всех строк ConfirmDeleteMvtPartial=Это удалит транзакцию из учета (будут удалены все строки, относящиеся к одной и той же транзакции) FinanceJournal=Финансовый журнал ExpenseReportsJournal=Журнал отчетов о расходах -InventoryJournal=Inventory journal +InventoryJournal=Инвентарь журнал DescFinanceJournal=Финансовый журнал, включающий все виды платежей по банковскому счету DescJournalOnlyBindedVisible=Это представление записи, которая привязана к учетной записи и может быть записана в журналы и бухгалтерскую книгу. VATAccountNotDefined=Счет по НДС не определен @@ -277,7 +279,7 @@ ShowSubtotalByGroup=Показать промежуточный итог по у Pcgtype=Группа счетов PcgtypeDesc=Группа счетов используется в качестве предопределенных критериев «фильтра» и «группировки» для некоторых бухгалтерских отчетов. Например, «ДОХОД» или «РАСХОДЫ» используются в качестве групп для бухгалтерских счетов продуктов для построения отчета о расходах/доходах. -AccountingCategoriesDesc=Custom group of accounts can be used to group accounting accounts into one name to ease filter use or building of custom reports. +AccountingCategoriesDesc=Пользовательскую группу учетных записей можно использовать для группировки учетных записей бухгалтерского учета под одним именем, чтобы упростить использование фильтров или создание пользовательских отчетов. Reconcilable=Примиримый @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Проконсультируйтесь здесь со с DescVentilTodoCustomer=Привязать строки счета-фактуры, еще не связанные со счетом продукта, из плана счетов ChangeAccount=Измените счет продукта/услуги (из плана счетов) для выбранных строк на следующий счет: Vide=- -DescVentilSupplier=Проконсультируйтесь здесь со списком строк счета-фактуры поставщика, привязанных или еще не привязанных к учетной записи продукта из плана счетов (видны только записи, которые еще не переданы в бухгалтерию) +DescVentilSupplier=Ознакомьтесь здесь с Список поставщика счет-фактура линии, привязанным или еще не привязанным к счет продукт из плана счетов (видны только записи, еще не перенесенные в бухгалтерский учет) DescVentilDoneSupplier=См. Здесь список строк счетов-фактур поставщиков и их учетную запись. DescVentilTodoExpenseReport=Привязка строк отчета о расходах, еще не связанных со счетом учета сборов DescVentilExpenseReport=См. Здесь список строк отчета о расходах, привязанных (или нет) к счету учета комиссий. @@ -298,16 +300,16 @@ DescVentilExpenseReportMore=Если вы настроили учетную за DescVentilDoneExpenseReport=Ознакомьтесь здесь со списком строк отчетов о расходах и счетом учета их комиссий. Closure=Ежегодное закрытие -DescClosure=Проконсультируйтесь здесь о количестве перемещений по месяцам, которые еще не подтверждены и не заблокированы. -OverviewOfMovementsNotValidated=Обзор перемещений, не подтвержденных и заблокированных +AccountancyClosureStep1Desc=Здесь можно просмотреть номер движений по месяцам, которые еще не проверены и не заблокированы. +OverviewOfMovementsNotValidated=Обзор непроверенных движений и заблокирован AllMovementsWereRecordedAsValidated=Все движения были записаны как проверенные и заблокированные. NotAllMovementsCouldBeRecordedAsValidated=Не все движения могли быть записаны как проверенные и заблокированные -ValidateMovements=Validate and lock movements +ValidateMovements=подтвердить и блокируйте движения DescValidateMovements=Любое изменение или удаление надписей, надписей и удалений будет запрещено. Все записи для упражнения должны быть подтверждены, иначе закрытие будет невозможно. ValidateHistory=Связывать автоматически AutomaticBindingDone=Выполнено автоматическое связывание (%s) — автоматическое связывание невозможно для некоторых записей (%s) -DoManualBindingForFailedRecord=You have to do a manual link for the %s row(s) not linked automatically. +DoManualBindingForFailedRecord=Вам необходимо выполнить вручную ссылка для строк %s, которые не связаны автоматически< /пролет>. ErrorAccountancyCodeIsAlreadyUse=Ошибка, вы не можете удалить или отключить этот счет плана счетов, потому что он используется MvtNotCorrectlyBalanced=Движение неправильно сбалансировано. Дебет = %s и кредит = %s @@ -341,8 +343,8 @@ AccountingJournalType3=Покупки AccountingJournalType4=Банк AccountingJournalType5=Отчёты о затратах AccountingJournalType8=Инвентарная ведомость -AccountingJournalType9=Имеет новый -GenerationOfAccountingEntries=Generation of accounting entries +AccountingJournalType9=Нераспределенная прибыль +GenerationOfAccountingEntries=Формирование бухгалтерских проводок ErrorAccountingJournalIsAlreadyUse=Этот журнал уже используется AccountingAccountForSalesTaxAreDefinedInto=Примечание. Бухгалтерский счет для налога с продаж определяется в меню %s - %s NumberOfAccountancyEntries=Количество входов @@ -350,20 +352,22 @@ NumberOfAccountancyMovements=Количество движений ACCOUNTING_DISABLE_BINDING_ON_SALES=Отключить привязку и перенос в бухгалтерии по продажам (счета клиентов не будут учитываться в бухгалтерии) ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Отключить привязку и перенос в бухгалтерии по закупкам (счета поставщика не будут учитываться в бухгалтерии) ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Отключить привязку и перенос в бухгалтерском учете в отчетах о расходах (отчеты о расходах не будут учитываться в бухгалтерском учете) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting -ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. -ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user -OptionsAdvanced=Advanced options -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_ENABLE_LETTERING=Включить функцию надписей в бухгалтерии +ACCOUNTING_ENABLE_LETTERING_DESC=Если эта опция включена, вы можете определить для каждой бухгалтерской записи код, чтобы группировать различные учетные движения вместе. Раньше, когда разные журналы управлялись независимо, этот особенность был необходим для группировки перемещения линии разных журналов вместе. Однако в бухгалтерском учете Dolibarr такое отслеживание код называется "%s" уже сохранен автоматически, поэтому автоматическое написание букв уже выполнено без риска ошибки, поэтому этот особенность стал бесполезным для обычного использования. Ручное написание букв особенность предназначено для конечных пользователей, которые действительно не доверяют компьютерному механизму, создающему перевод данных в бухгалтерском учете. +EnablingThisFeatureIsNotNecessary=Включение этого особенность больше не требуется для строгого управления бухгалтерским учетом. +ACCOUNTING_ENABLE_AUTOLETTERING=Включить автоматическое написание букв при передаче в бухгалтерию +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=код для надписи: автоматически сгенерировано и и увеличено и не выбран окончательно пользователь +ACCOUNTING_LETTERING_NBLETTERS=номер букв при создании надписей код (по умолчанию 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Некоторые бухгалтерские программы принимают только двухбуквенные код. Этот параметр позволяет вам установить этот аспект. Число букв по умолчанию номер равно трем. +OptionsAdvanced=Расширенные настройки +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Активируйте управление возвратом НДС для покупок поставщик. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Если эта опция включена, вы можете определить, что поставщик или данный поставщик счет-фактура должен быть передан в бухгалтерский учет по-другому: дополнительный дебет и и кредит линия будет сгенерирован в учет на 2 заданных счетах из плана счетов, определенного в "%s" настройка. ## Export -NotExportLettering=Do not export the lettering when generating the file +NotExportLettering=Не экспортируйте надпись при создании файл NotifiedExportDate=Пометить еще не экспортированные строки как Экспортированные (чтобы изменить строку, помеченную как экспортированную, необходимо удалить всю транзакцию и повторно перенести ее в учет) NotifiedValidationDate=Подтвердить и заблокировать экспортированные записи, которые еще не заблокированы (тот же эффект, что и функция "%s", изменение и удаление строк ТОЧНО невозможно) -NotifiedExportFull=Export documents ? +NotifiedExportFull=Экспортные документы? DateValidationAndLock=Проверка даты и блокировка ConfirmExportFile=Подтверждение генерации файла экспорта бухгалтерского учета? ExportDraftJournal=Экспорт черновика журнала @@ -420,7 +424,7 @@ SaleLocal=Местная продажа SaleExport=Продажа на экспорт SaleEEC=Продажа в ЕЭС SaleEECWithVAT=Продажа в ЕЭС с ненулевым НДС, поэтому мы предполагаем, что это НЕ внутриобщинная продажа, а предлагаемая учетная запись является стандартной учетной записью продукта. -SaleEECWithoutVATNumber=Продажа в ЕЭС без НДС, но ИНН третьего лица не определен. Прибегаем к счету стандартных продаж. Вы можете исправить идентификатор плательщика НДС третьей стороны или изменить учетную запись продукта, предложенную для привязки, если это необходимо. +SaleEECWithoutVATNumber=продажа в ЕЭС без НДС, но НДС ID третьей стороны не определен. Мы возвращаемся к учетной записи стандартный продажи. При необходимости вы можете исправить НДС ID третьей стороны или изменить учетную запись продукт, предложенную для привязки. ForbiddenTransactionAlreadyExported=Запрещено: транзакция проверена и/или экспортирована. ForbiddenTransactionAlreadyValidated=Запрещено: Транзакция подтверждена. ## Dictionary @@ -429,11 +433,11 @@ Calculated=Рассчитано Formula=Формула ## Reconcile -LetteringAuto=Reconcile auto -LetteringManual=Reconcile manual +LetteringAuto=Согласовать авто +LetteringManual=Согласовать руководство Unlettering=Несогласие -UnletteringAuto=Unreconcile auto -UnletteringManual=Unreconcile manual +UnletteringAuto=Несогласовать авто +UnletteringManual=Несогласованное руководство AccountancyNoLetteringModified=Согласование не изменено AccountancyOneLetteringModifiedSuccessfully=Одно согласование успешно изменено AccountancyLetteringModifiedSuccessfully=%s согласование успешно изменено @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Нет несогласованных изме AccountancyOneUnletteringModifiedSuccessfully=Один несогласованный успешно изменен AccountancyUnletteringModifiedSuccessfully=%s успешно изменено несоответствие +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period +AccountancyClosureStep3=Шаг 3. Извлечение записей (необязательно). +AccountancyClosureClose=Закрыть финансовый период +AccountancyClosureAccountingReversal=Извлеките записи и записи «Нераспределенная прибыль». +AccountancyClosureStep3NewFiscalPeriod=Следующий финансовый период +AccountancyClosureGenerateClosureBookkeepingRecords=Создайте записи «Нераспределенная прибыль» в следующем финансовом периоде. +AccountancyClosureSeparateAuxiliaryAccounts=При создании записей «Нераспределенная прибыль» деталь под-главная книга счета +AccountancyClosureCloseSuccessfully=Финансовый период закрыт успешно +AccountancyClosureInsertAccountingReversalSuccessfully=Бухгалтерские записи «Нераспределенная прибыль» вставлены успешно + ## Confirm box -ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation -ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? +ConfirmMassUnletteringAuto=Массовое автоматическое подтверждение несогласования +ConfirmMassUnletteringManual=Массовое подтверждение несогласования вручную +ConfirmMassUnletteringQuestion=Вы действительно хотите, чтобы отменить согласование выбранных записей %s? ConfirmMassDeleteBookkeepingWriting=Подтверждение пакетного удаления -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +ConfirmMassDeleteBookkeepingWritingQuestion=Это приведет к удалить проводка из учета (все линия записи class='notranslate'>Связанный на тот же проводка будет удален). Вы действительно хотите на удалить выбранные записи %s? +AccountancyClosureConfirmClose=Вы действительно хотите закрыть текущий финансовый период? Вы понимаете, что закрытие финансового периода является необратимым действием, и навсегда заблокирует любое изменение или удаление записей за этот период. +AccountancyClosureConfirmAccountingReversal=Вы действительно хотите для записи записей «Нераспределенная прибыль»? ## Error SomeMandatoryStepsOfSetupWereNotDone=Некоторые обязательные шаги настройки не были выполнены, выполните их. -ErrorNoAccountingCategoryForThisCountry=Группа учетных записей недоступна для страны %s (см. Домашняя страница - Настройка - Словари) +ErrorNoAccountingCategoryForThisCountry=Для страны недоступна группа аккаунтов бухгалтерского учета %s (см. %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Вы пытаетесь вести журнал некоторых строк счета-фактуры %s, но некоторые другие строки еще не привязаны к учетному счету. Журналирование всех строк счета-фактуры для этого счета-фактуры отклоняется. ErrorInvoiceContainsLinesNotYetBoundedShort=Некоторые строки в счете-фактуре не привязаны к бухгалтерскому счету. ExportNotSupported=Установленный формат экспорта не поддерживается на этой странице @@ -459,12 +477,15 @@ NoJournalDefined=Журнал не определен Binded=Линии связаны ToBind=Линии для привязки UseMenuToSetBindindManualy=Строки еще не связаны, используйте меню %s, чтобы выполнить привязку вручную -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Note: this module or page is not completely compatible with the experimental feature of situation invoices. Some data may be wrong. +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Примечание. Эта модуль или страница не полностью совместима с экспериментальной особенность из ситуация счета-фактуры. Некоторые данные могут быть неверными. AccountancyErrorMismatchLetterCode=Несоответствие в коде согласования AccountancyErrorMismatchBalanceAmount=Баланс (%s) не равен 0 AccountancyErrorLetteringBookkeeping=Произошли ошибки, связанные с транзакциями: %s -ErrorAccountNumberAlreadyExists=The accounting number %s already exists -ErrorArchiveAddFile=Can't put "%s" file in archive +ErrorAccountNumberAlreadyExists=Бухгалтерский учет номер %s уже существует +ErrorArchiveAddFile=Невозможно поместить "%s" файл в архив +ErrorNoFiscalPeriodActiveFound=Активный финансовый период не найден +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Бухгалтерский документ дата не относится к активному финансовому периоду. +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Бухгалтерский документ дата относится к закрытому финансовому периоду. ## Import ImportAccountingEntries=Бухгалтерские записи @@ -489,9 +510,9 @@ FECFormatMulticurrencyAmount=Мультивалютная сумма (Montantdev FECFormatMulticurrencyCode=Мультивалютный код (Idevise) DateExport=Дата экспорта -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contain transactions modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. +WarningReportNotReliable=Внимание! Этот отчет не основан на главная книга, поэтому не содержит транзакций, измененных вручную в главная книга. Если уровень вашего журнала составляет дата, представление бухгалтерского учета будет более точным. ExpenseReportJournal=Журнал отчетов о затратах -DocsAlreadyExportedAreIncluded=Docs already exported are included -ClickToShowAlreadyExportedLines=Click to show already exported lines +DocsAlreadyExportedAreIncluded=Включены уже экспортированные документы. +ClickToShowAlreadyExportedLines=Нажмите, чтобы Показать уже экспортировался линии NAccounts=%s счета diff --git a/htdocs/langs/ru_RU/admin.lang b/htdocs/langs/ru_RU/admin.lang index 711aa1e2471..f3c34f51e9d 100644 --- a/htdocs/langs/ru_RU/admin.lang +++ b/htdocs/langs/ru_RU/admin.lang @@ -51,8 +51,8 @@ ClientSortingCharset=Сопоставление клиентов WarningModuleNotActive=Модуль %s должен быть включен WarningOnlyPermissionOfActivatedModules=Здесь приведены только права доступа, связанные с активированными модулями. Вы можете активировать другие модули на странице Главная->Установка->Модули. DolibarrSetup=Установка или обновление Dolibarr -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=Обновление Долибарра +DolibarrAddonInstall=Установка дополнения/внешнего модули (загруженного или созданного) InternalUsers=Внутренние пользователи ExternalUsers=Внешние пользователи UserInterface=Пользовательский интерфейс @@ -147,7 +147,7 @@ Box=Виджет Boxes=Виджеты MaxNbOfLinesForBoxes=Макс. количество строк для виджета AllWidgetsWereEnabled=Доступны все доступные виджеты -WidgetAvailable=Widget available +WidgetAvailable=Виджет доступен PositionByDefault=Порядок по умолчанию Position=Позиция MenusDesc=Менеджеры меню устанавливают содержание двух полос меню (горизонтальной и вертикальной). @@ -227,6 +227,8 @@ NotCompatible=Этот модуль не совместим с вашим Doliba CompatibleAfterUpdate=Этот модуль требует обновления вашего Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=См. в магазине SeeSetupOfModule=Посмотреть настройку модуля %s +SeeSetupPage=См. страницу настройка по адресу %s. +SeeReportPage=См. страницу отчета по адресу %s. SetOptionTo=Установите параметр %s на %s Updated=Обновлено AchatTelechargement=Купить/Скачать @@ -292,22 +294,22 @@ EmailSenderProfiles=Профили отправителей электронно EMailsSenderProfileDesc=Вы можете оставить этот раздел пустым. Если вы введете здесь несколько писем, они будут добавлены в список возможных отправителей в поле со списком, когда вы напишите новое письмо. MAIN_MAIL_SMTP_PORT=Порт SMTP/SMTPS (значение по умолчанию в php.ini: %s ) MAIN_MAIL_SMTP_SERVER=Хост SMTP/SMTPS (значение по умолчанию в php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Порт SMTP/SMTPS (не определен в PHP в Unix-подобных системах) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Хост SMTP/SMTPS (не определен в PHP в Unix-подобных системах) -MAIN_MAIL_EMAIL_FROM=Адрес электронной почты отправителя для автоматической отправки электронных писем (значение по умолчанию в php.ini: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS-порт +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS-хост +MAIN_MAIL_EMAIL_FROM=Электронная почта отправителя для автоматических писем +EMailHelpMsgSPFDKIM=Чтобы электронные письма Dolibarr не классифицировались как спам, убедитесь, что сервер авторизован для отправки электронных писем под этим идентификатором (проверив конфигурацию SPF и DKIM доменного имени). MAIN_MAIL_ERRORS_TO=Электронная почта, использованная для сообщения об ошибке, возвращает сообщения электронной почты (поля «Сообщения об ошибках» в отправленных сообщениях электронной почты). MAIN_MAIL_AUTOCOPY_TO= Копировать (СК) все отправленные письма в MAIN_DISABLE_ALL_MAILS=Отключить всю отправку электронной почты (для тестирования или демонстрации) MAIN_MAIL_FORCE_SENDTO=Отправляйте все электронные письма (вместо реальных получателей, для целей тестирования) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Предлагать электронные письма сотрудников (если они определены) в список предопределенных получателей при написании нового электронного письма -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Не выбирайте получателя по умолчанию, даже если возможен только один вариант выбора. MAIN_MAIL_SENDMODE=Способ отправки электронной почты MAIN_MAIL_SMTPS_ID=SMTP ID (если отправляющий сервер требует аутентификации) MAIN_MAIL_SMTPS_PW=Пароль SMTP (если отправляющий сервер требует аутентификации) MAIN_MAIL_EMAIL_TLS=Использовать шифрование TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Использовать шифрование TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Авторизовать самозаверяющие сертификаты +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Авторизация самозаверяющих сертификатов MAIN_MAIL_EMAIL_DKIM_ENABLED=Используйте DKIM для создания подписи электронной почты MAIN_MAIL_EMAIL_DKIM_DOMAIN=Домен электронной почты для использования с DKIM MAIN_MAIL_EMAIL_DKIM_SELECTOR=Имя селектора DKIM @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Закрытый ключ для подписи MAIN_DISABLE_ALL_SMS=Отключить всю отправку SMS (для тестирования или демонстрации) MAIN_SMS_SENDMODE=Метод, используемый для передачи SMS MAIN_MAIL_SMS_FROM=Номер телефона отправителя по умолчанию для отправки SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Электронная почта отправителя по умолчанию для отправки вручную (электронная почта пользователя или компании) +MAIN_MAIL_DEFAULT_FROMTYPE=по умолчанию адрес электронной почты отправителя, предварительно выбранный в формах для отправки электронных писем UserEmail=Электронная почта пользователя CompanyEmail=Электронная почта компании FeatureNotAvailableOnLinux=Функция недоступна на Unix подобных систем. Проверьте вашу программу для отправки почты локально. @@ -365,10 +367,10 @@ GenericMaskCodes=Вы можете ввести любую маску нумер GenericMaskCodes2={cccc} код клиента, состоящий из n символов
      {cccc000}, после кода клиента следует код клиента. Этот счетчик, предназначенный для клиента, сбрасывается одновременно с глобальным счетчиком.
      {tttt} Код стороннего типа, состоящий из n символов (см. меню Главная - Настройка - Словарь - Типы третьих лиц). Если вы добавите этот тег, счетчик будет отличаться для каждого типа третьей стороны.
      GenericMaskCodes3=Все остальные символы в маске останутся нетронутыми.
      Пробелы не допускается.
      GenericMaskCodes3EAN=Все остальные символы в маске останутся неизменными (кроме * или? В 13-й позиции в EAN13).
      Пробелы не допускаются.
      В EAN13 последний символ после последнего} в 13-й позиции должен быть * или? . Он будет заменен рассчитанным ключом.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes4a=Пример на 99-м %s сторонней компании TheCompany с дата 31 января 2023:
      +GenericMaskCodes4b=Пример для стороннего производителя, созданный 31 января 2023 г. :
      +GenericMaskCodes4c=Пример для продукт, созданного 31 января 2023 г.:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000} даст ABC2301-000099
      {0000+100@1 }-ZZZ/{dd}/XXX даст 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} выдаст IN2301-0099-A, если тип компания — это «Ответственный Inscripto» с код для типа «A_RI» GenericNumRefModelDesc=Возвращает настраиваемое число в соответствии с заданной маской. ServerAvailableOnIPOrPort=Сервер доступен по адресу %s порт %s ServerNotAvailableOnIPOrPort=Сервер не доступен по адресу %s порт %s @@ -417,6 +419,7 @@ PDFLocaltax=Правила для %s HideLocalTaxOnPDF=Скрыть ставку %s в столбце Налог с продаж/НДС HideDescOnPDF=Скрыть описание товара HideRefOnPDF=Скрыть ссылки на продукты. +ShowProductBarcodeOnPDF=Отобразите штрих-код номер из продукты HideDetailsOnPDF=Скрыть детали о линейки продуктов PlaceCustomerAddressToIsoLocation=Используйте французскую стандартную позицию (Пост) для позиции адреса клиента Library=Библиотека @@ -424,7 +427,7 @@ UrlGenerationParameters=Параметры для защиты URL-адресо SecurityTokenIsUnique=Использовать уникальный параметр securekey для каждого URL EnterRefToBuildUrl=Введите ссылку на объект %s GetSecuredUrl=Получить вычисленный URL -ButtonHideUnauthorized=Скрыть кнопки неавторизованных действий также для внутренних пользователей (в противном случае они будут выделены серым цветом) +ButtonHideUnauthorized=Скрыть кнопки несанкционированных действий также для внутренних пользователей (в противном случае они просто выделены серым цветом) OldVATRates=Предыдущее значение НДС NewVATRates=Новое значение НДС PriceBaseTypeToChange=Изменять базовые цены на определенную величину @@ -458,11 +461,11 @@ ComputedFormula=Вычисленное поле ComputedFormulaDesc=Вы можете ввести здесь формулу, используя другие свойства объекта или любой код PHP, чтобы получить динамическое вычисляемое значение. Вы можете использовать любые формулы, совместимые с PHP, включая "?" оператор условия и следующий глобальный объект: $db, $conf, $langs, $mysoc, $user, $objectoffield .
      ПРЕДУПРЕЖДЕНИЕ : Если вам нужны незагруженные свойства объекта, просто выберите объект в своей формуле, как во втором примере.
      Использование вычисляемого поля означает, что вы не можете ввести себе какое-либо значение из интерфейса. Кроме того, при наличии синтаксической ошибки формула может ничего не возвращать.

      Пример формулы:
      $objectoffield->id < 10 ? round($objectoffield-> id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2 )

      Пример перезагрузки объекта
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extra ключ поля'] * $reloadedobj ->capital / 5: '-1')

      Другой пример формулы для принудительной загрузки объекта и его родительского объекта:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield) ->id) > 0) && ($secondloadedobj = новый проект($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Родительский проект не найден' Computedpersistent=Сохранить вычисленное поле ComputedpersistentDesc=Вычисленные дополнительные поля будут сохранены в базе данных, однако значение будет пересчитано только при изменении объекта этого поля. Если вычисляемое поле зависит от других объектов или глобальных данных, это значение может быть неправильным!! -ExtrafieldParamHelpPassword=Оставьте это поле пустым, чтобы значение хранилось без шифрования (поле должно быть скрыто только звездочкой на экране).
      Установите 'auto', чтобы использовать правило шифрования по умолчанию для сохранения пароля в базе данных (тогда считываемое значение будет только хешем, никакой возможности восстановить исходное значение) +ExtrafieldParamHelpPassword=Если оставить это поле пустым, это значение будет храниться БЕЗ шифрования (поле просто скрыто звездочками на экране).

      Введите значение «dolcrypt» для кодирования значения с помощью алгоритма обратимого шифрования. Очистить данные все еще можно узнать, и отредактировать, но они зашифрованы в база данных.

      Введите «auto» (или «md5», «sha256», «password_hash», ...), чтобы использовать по умолчанию (или md5, sha256, pass_hash...) для сохранения необратимого хешированного пароля в база данных (нет возможности получить исходное значение) ExtrafieldParamHelpselect=Список значений должен быть строками формата: ключ, значение (где ключ не может быть равен 0)

      например:
      1, значение1
      2, значение2
      code3, значение3
      ...

      Чтобы иметь список в зависимости от другого списка дополнительных атрибутов:
      1, значение1|options_ parent_list_code:parent_key
      2, значение2|options_ parent_list_code:parent_key

      Чтобы иметь список в зависимости от другого списка:
      1, значение1|parent_list_code:parent_key
      2, значение2 | parent_list_code:parent_key ExtrafieldParamHelpcheckbox=Список значений должен быть строками с форматом: ключ, значение (где ключ не может быть равен 0)

      например:
      1, значение1
      2, значение2
      3, значение3
      ... ExtrafieldParamHelpradio=Список значений должен быть строками с форматом: ключ, значение (где ключ не может быть равен 0)

      например:
      1, значение1
      2, значение2
      3, значение3
      ... -ExtrafieldParamHelpsellist=Список значений берется из таблицы
      Синтаксис: table_name:label_field:id_field::filtersql
      Пример: c_typent:libelle:id::filtersql

      - условие ключевого слова
      - id_field является основным параметром SQL. Это может быть простой тест (например, active = 1) для отображения только активного значения.
      Вы также можете использовать $ID$ в фильтре, который является текущим идентификатором текущего объекта.
      Чтобы использовать SELECT в фильтре, используйте ключевое слово $SEL$ для обход защиты от инъекций.
      Если вы хотите выполнить фильтрацию по дополнительным полям, используйте синтаксис extra.fieldcode = ... (где код поля - это код дополнительного поля)

      Чтобы список зависел от другого дополнительного списка атрибутов:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      Чтобы список зависел от другого списка, выполните следующие действия:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=Список значений берется из таблицы
      Синтаксис: table_name:label_field:id_field::filtersql
      Пример: c_typent:libelle:ID::filtersql

      - id_field обязательно является первичным ключом int
      - filtersql – это условие SQL. Это может быть простой тест (например, active=1) для отображения только активного значения
      Вы также можете использовать $ID$ в фильтр, который является текущим ID текущего объекта
      Чтобы использовать SELECT в фильтре, используйте ключевое слово $SEL$ для обхода анти -защита от внедрения.
      если вы хотите фильтровать дополнительные поля, используйте синтаксис extra.fieldcode=... (где поле код) код дополнительного поля)

      В заказ чтобы иметь Список в зависимости от другого дополнительного атрибута Список:
      c_typent:libelle:ID:options_parent_list_code| parent_column:filter

      В заказ, чтобы Список зависел от другого Список:
      c_typent:libelle:ID :parent_list_code|parent_column:фильтр ExtrafieldParamHelpchkbxlst=Список значений взят из таблицы
      Синтаксис: table_name:label_field:id_field::filtersql
      Пример: c_typent:libelle:id::filtersql

      фильтр может быть простым тестом (например, active = 1) для отображения только активного значения
      Вы также можете использовать $ID$ в фильтре, ведь это текущий идентификатор текущего объекта.
      Чтобы сделать SELECT в фильтре, используйте $SEL$
      если вы хотите отфильтровать дополнительные поля, используйте синтаксис extra.fieldcode = ... (где код поля - это код дополнительного поля)

      Чтобы список зависел от другого дополнительного списка атрибутов:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      Чтобы список зависел от другого списка:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Параметры должны быть ObjectName:Classpath
      Синтаксис: ObjectName:Classpath ExtrafieldParamHelpSeparator=Оставить пустым для простого разделителя
      Установите для этого разделителя значение 1 (по умолчанию открыто для нового сеанса, затем статус сохраняется для каждого сеанса пользователя)
      Установите значение 2 для сжимающегося разделителя (по умолчанию свернуто для нового сеанса, затем статус сохраняется для каждой пользовательской сессии) @@ -507,7 +510,7 @@ WarningPHPMailA=- Использование сервера поставщика WarningPHPMailB=- Некоторые поставщики услуг электронной почты (например, Yahoo) не позволяют отправлять электронную почту с другого сервера, кроме их собственного. Ваша текущая настройка использует сервер приложения для отправки электронной почты, а не сервер вашего провайдера электронной почты, поэтому некоторые получатели (тот, который совместим с ограничительным протоколом DMARC) будут спрашивать вашего провайдера электронной почты, могут ли они принять вашу электронную почту, и некоторые поставщики электронной почты. (например, Yahoo) могут ответить «нет», потому что сервер им не принадлежит, поэтому некоторые из отправленных вами электронных писем могут быть не приняты для доставки (будьте осторожны также с квотой отправки вашего почтового провайдера). WarningPHPMailC=- Использование SMTP-сервера вашего собственного поставщика услуг электронной почты для отправки электронных писем также интересно, поэтому все электронные письма, отправленные из приложения, также будут сохранены в вашем каталоге «Отправленные» вашего почтового ящика. WarningPHPMailD=Поэтому рекомендуется изменить метод отправки электронной почты на значение «SMTP». -WarningPHPMailDbis=If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by %sclicking here%s. +WarningPHPMailDbis=Если вы действительно хотите сохранить метод по умолчанию "PHP" для отправки электронных писем, просто проигнорируйте это предупреждение или удалите его с помощью %s нажмите здесь%s. WarningPHPMail2=Если вашему SMTP-провайдеру электронной почты необходимо ограничить почтовый клиент некоторыми IP-адресами (это очень редко), это IP-адрес почтового пользователя (MUA) для вашего приложения ERP CRM: %s. WarningPHPMailSPF=Если доменное имя в вашем адресе электронной почты отправителя защищено записью SPF (спросите у регистратора доменного имени), вы должны добавить следующие IP-адреса в запись SPF DNS вашего домена: %s . ActualMailSPFRecordFound=Найдена актуальная запись SPF (для электронной почты %s): %s @@ -518,14 +521,14 @@ TheKeyIsTheNameOfHtmlField=Это имя поля HTML. Необходимы т PageUrlForDefaultValues=Вы должны ввести относительный путь URL-адреса страницы. Если вы включаете параметры в URL-адрес, будет эффективно, если все параметры в просматриваемом URL-адресе имеют значение, определенное здесь. PageUrlForDefaultValuesCreate=
      Пример:
      Для формы создания нового контрагента, это %s.
      Для URL внешних модулей, установленных в пользовательский каталог, не добавляйте «custom/», поэтому используйте путь mymodule/mypage.php, а не custom/mymodule/mypage.php.
      Если вы хотите использовать значение по умолчанию, только если в url есть какой-либо параметр, вы можете использовать %s PageUrlForDefaultValuesList=
      Пример:
      Для страницы, на которой перечислены контрагенты, это %s.
      Для URL-адресов внешних модулей, установленных в пользовательский каталог, не включайте «custom/», и используйте путь как mymodule/mypagelist.php, а не custom/mymodule/mypagelist.php.
      Если вы хотите использовать значение по умолчанию, только если в url есть какой-либо параметр, вы можете использовать %s -AlsoDefaultValuesAreEffectiveForActionCreate=Также обратите внимание, что перезапись значений по умолчанию для создания формы работает только для страниц, которые были правильно созданы (так с параметром action = create или presend ...) +AlsoDefaultValuesAreEffectiveForActionCreate=Также обратите внимание, что перезапись значений по умолчанию для создания форма работает только для страниц, которые были правильно спроектированы (поэтому с параметром action=создать или presend...) EnableDefaultValues=Включить настройку значений по умолчанию EnableOverwriteTranslation=Разрешить настройку переводов GoIntoTranslationMenuToChangeThis=Для ключа с этим кодом найден перевод. Чтобы изменить это значение, вы должны отредактировать его из Главная-Настройки-Перевод. WarningSettingSortOrder=Предупреждение, установка порядка сортировки по умолчанию может привести к технической ошибке при переходе на страницу списка, если поле является неизвестным. Если у вас возникла такая ошибка, вернитесь на эту страницу, чтобы удалить порядок сортировки по умолчанию и восстановить поведение по умолчанию. Field=Поле ProductDocumentTemplates=Шаблоны документов для создания документа о продукте -ProductBatchDocumentTemplates=Document templates to generate product lots document +ProductBatchDocumentTemplates=документ шаблонов для создания продукт лотов документ FreeLegalTextOnExpenseReports=Бесплатный юридический текст в отчетах о расходах WatermarkOnDraftExpenseReports=Водяной знак на черновиках отчетов о расходах ProjectIsRequiredOnExpenseReports=В проекте обязательно вводить отчет о расходах. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Общий частный каталог - это DAV_ALLOW_PUBLIC_DIR=Включить общий публичный каталог (выделенный каталог WebDAV с именем «public» - вход в систему не требуется) DAV_ALLOW_PUBLIC_DIRTooltip=Общий публичный каталог - это каталог WebDAV, к которому может получить доступ каждый (в режиме чтения и записи) без авторизации (логин/пароль). DAV_ALLOW_ECM_DIR=Включить приватный каталог DMS/ECM (корневой каталог модуля DMS/ECM - требуется вход в систему) -DAV_ALLOW_ECM_DIRTooltip=Корневой каталог, куда все файлы загружаются вручную при использовании модуля DMS/ECM. Аналогично доступу через веб-интерфейс, вам потребуется действующий логин/пароль с соответствующими разрешениями для доступа к нему. +DAV_ALLOW_ECM_DIRTooltip=Корневой каталог каталог, где все файлы вручную загружены при использовании DMS/ECM модуль. Как и при доступе через веб-интерфейс, вам потребуется действительный логин/пароль с соответствующими разрешениями для доступа к нему. ##### Modules ##### Module0Name=Пользователи и Группы Module0Desc=Управление Пользователями/Сотрудниками и Группами @@ -566,7 +569,7 @@ Module40Desc=Продавцы и управление закупками (зак Module42Name=Отчет об ошибках Module42Desc=Средства регистрации (file, syslog, ...). Такие журналы предназначены для технических/отладочных целей. Module43Name=Панель отладки -Module43Desc=Инструмент для разработчика, добавляющий панель отладки в ваш браузер. +Module43Desc=Инструмент для разработчиков, добавляющий панель отладки в ваш браузер. Module49Name=Редакторы Module49Desc=Управления редактором Module50Name=Продукты @@ -582,7 +585,7 @@ Module54Desc=Управление контрактами (услуги или п Module55Name=Штрих-коды Module55Desc=Управление штрих-кодом или QR-кодом Module56Name=Оплата кредитным переводом -Module56Desc=Управление оплатой поставщиков по кредитным переводам. Он включает создание файла SEPA для европейских стран. +Module56Desc=Управление платеж из Поставщики или зарплаты с помощью кредита перевод заказов. Он включает в себя создание SEPA файл для европейских стран. Module57Name=Платежи прямым дебетом Module57Desc=Управление распоряжениями прямого дебетования. Он включает создание файла SEPA для европейских стран. Module58Name=Модуль ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Отправка уведомлений по электронно Module600Long=Обратите внимание, что этот модуль отправляет электронные письма в режиме реального времени, когда происходит определенное деловое событие. Если вы ищете функцию для отправки напоминаний по электронной почте для событий в повестке дня, перейдите к настройке модуля Agenda. Module610Name=Варианты продукта Module610Desc=Создание вариантов продукта (цвет, размер и т.д.) +Module650Name=Спецификации (Спецификация) +Module650Desc=модуль для определения спецификаций материалов (Спецификация). Может использоваться для планирования производства Ресурс с помощью модуль производственных заказов (MO) +Module660Name=Производство Ресурс Планирование (MRP) +Module660Desc=модуль для управления производственными заказами (MO) Module700Name=Пожертвования Module700Desc=Управление пожертвованиями Module770Name=Отчеты о расходах @@ -650,8 +657,8 @@ Module2300Name=Запланированные задания Module2300Desc=Управление запланированными заданиями (alias cron или chrono table) Module2400Name=События/Повестка дня Module2400Desc=Отслеживать события. Журнал автоматических событий для отслеживания или записи вручную событий или встреч. Это основной модуль для хорошего управления взаимоотношениями с клиентами или поставщиками. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Онлайн-запись на прием +Module2430Desc=Предоставляет систему онлайн-бронирования встреч. Это позволяет любому заказывать встречу в соответствии с заранее заданными диапазонами или доступностью. Module2500Name=Модуль DMS/ECM Module2500Desc=Система управления документами / Управление электронным контентом. Автоматическая организация ваших сгенерированных или сохраненных документов. Поделитесь ими, когда вам нужно. Module2600Name=API/веб-сервисы (сервер SOAP) @@ -667,12 +674,12 @@ Module2900Name=Модуль GeoIPMaxmind Module2900Desc=Подключение к службе GeoIP MaxMind для преобразования IP-адреса в название страны Module3200Name=Неограниченные архивы Module3200Desc=Включите неизменяемый журнал деловых событий. События архивируются в режиме реального времени. Журнал представляет собой доступную только для чтения таблицу связанных событий, которые можно экспортировать. Этот модуль может быть обязательным для некоторых стран. -Module3300Name=Module Builder -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. +Module3300Name=модуль Строитель +Module3300Desc=RAD (Быстрая разработка приложений – low-код и no-код ) инструмент, помогающий разработчикам и опытным пользователям создавать собственные модуль/application. Module3400Name=Социальные сети Module3400Desc=Включите поля социальных сетей в третьи стороны и адреса (скайп, твиттер, фейсбук, ...). Module4000Name=Управление персоналом -Module4000Desc=Управление персоналом (управление отделом, контракты и чувства сотрудников) +Module4000Desc=Управление персоналом (управление отделом, Наемный работник контракты, управление навыками и собеседование) Module5000Name=Группы компаний Module5000Desc=Управление группами компаний Module6000Name=Межмодульный рабочий процесс @@ -709,9 +716,11 @@ Module62000Name=Обязанности по доставке товаров Module62000Desc=Добавить функции для управления Инкотермс Module63000Name=Ресурсы Module63000Desc=Управление ресурсами (принтеры, машины, комнаты, ...) для распределения на события -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. +Module66000Name=Управление OAuth2 жетон +Module66000Desc=Предоставьте инструмент для создания и управления токенами OAuth2. жетон может затем использоваться каким-либо другим модули. Module94160Name=Поступлдения +ModuleBookCalName=Система календаря бронирования +ModuleBookCalDesc=Управляйте календарем, чтобы назначать встречи ##### Permissions ##### Permission11=Чтение счетов клиентов (и платежей) Permission12=Создание/Изменение счета-фактуры @@ -979,7 +988,7 @@ Permission2501=Чтение/Загрузка документов Permission2502=Загрузка документов Permission2503=Отправить или удалить документы Permission2515=Настройка директорий документов -Permission2610=Generate/modify users API key +Permission2610=Создать/изменить API пользователей ключ Permission2801=Использовать FTP клиент в режиме только чтения (только просмотр и загрузка файлов) Permission2802=Использовать FTP клиент в режиме записи (удаление или выгрузка файлов) Permission3200=Просмотреть архивированные события @@ -987,16 +996,16 @@ Permission3301=Создавать новые модули Permission4001=Читать навык/работа/должность Permission4002=Создать/изменить навык/работу/должность Permission4003=Удалить навык/работу/должность -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations +Permission4021=читать оценки (ваши и ваши подчиненные) +Permission4022=создать/изменить оценки Permission4023=Подтвердить оценку -Permission4025=Delete evaluation +Permission4025=удалить оценка Permission4028=См. Меню сравнения Permission4031=Читать личную информацию Permission4032=Напишите личную информацию -Permission4033=Read all evaluations (even those of user not subordinates) +Permission4033=читать все оценки (даже оценки пользователь, не подчиненные) Permission10001=Смотреть содержание сайта -Permission10002=Создание/изменение содержимого веб-сайта (HTML и JavaScript) +Permission10002=создать/изменить веб-сайт контент (html и содержимое JavaScript) Permission10003=Создание/изменение содержимого сайта (динамический PHP-код). Опасно, должно быть зарезервировано для разработчиков с ограниченным доступом. Permission10005=Удалить контент сайта Permission20001=Просмотр запросов на отпуск (ваш отпуск и ваших подчиненных) @@ -1010,9 +1019,9 @@ Permission23001=Просмотр Запланированных задач Permission23002=Создать/обновить Запланированную задачу Permission23003=Удалить Запланированную задачу Permission23004=Выполнить запланированную задачу -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates +Permission40001=читать валюты и их курсы +Permission40002=создать/Обновить валюты, и их курсы +Permission40003=удалить валюты и их курсы Permission50101=Используйте точку продажи (SimplePOS) Permission50151=Использовать точку продажи (TakePOS) Permission50152=Редактировать строки продаж @@ -1098,21 +1107,23 @@ DictionaryExpenseTaxRange=Отчет о расходах - Диапазон по DictionaryTransportMode=Отчет Intracomm - Транспортный режим DictionaryBatchStatus=Статус контроля качества партии/серии продукта DictionaryAssetDisposalType=Тип выбытия активов +DictionaryInvoiceSubtype=счет-фактура подтипы TypeOfUnit=Тип единицы SetupSaved=Настройки сохранены SetupNotSaved=Установки не сохранены -OAuthServiceConfirmDeleteTitle=Delete OAuth entry -OAuthServiceConfirmDeleteMessage=Are you sure you want to delete this OAuth entry ? All existing tokens for it will also be deleted. -ErrorInEntryDeletion=Error in entry deletion -EntryDeleted=Entry deleted +OAuthServiceConfirmDeleteTitle=удалить Запись OAuth +OAuthServiceConfirmDeleteMessage=От Вы действительно хотите до удалить этой записи OAuth? Все существующие токены для него также будут удалены. +ErrorInEntryDeletion=Ошибка при удалении записи +EntryDeleted=Запись удалена BackToModuleList=Вернуться к списку модулей BackToDictionaryList=Вернуться к списку словарей TypeOfRevenueStamp=Тип налоговой печати VATManagement=Управление налогом с продаж -VATIsUsedDesc=По умолчанию при создании лидов, счетов, заказов и т. д. ставка налога с продаж соответствует действующему стандартному правилу:
      Если продавец не облагается налогом с продаж, по умолчанию налог с продаж равен 0. Конец правила.
      Если (страна продавца = страна покупателя), то налог с продаж по умолчанию равен налогу с продаж продукта в стране продавца. Конец правила.
      Если продавец и покупатель находятся в Европейском сообществе, а товары относятся к транспортным товарам (перевозка, доставка, авиакомпания), НДС по умолчанию равен 0. Это правило зависит от страны продавца - пожалуйста, проконсультируйтесь с вашим бухгалтером. НДС должен быть оплачен покупателем на таможне в их стране, а не продавцу. Конец правила.
      Если продавец и покупатель находятся в Европейском сообществе, а покупатель не является компанией (с зарегистрированным номером НДС внутри Сообщества), то НДС по умолчанию устанавливается по ставке НДС страны продавца. Конец правила.
      Если продавец и покупатель находятся в Европейском сообществе, а покупатель является компанией (с зарегистрированным номером НДС внутри Сообщества), то по умолчанию НДС равен 0. Конец правила.
      В любом другом случае предлагаемым значением по умолчанию является налог с продаж = 0. Конец правила. +VATIsUsedDesc=по умолчанию при создании перспективы, счета-фактуры, заказов и т. д. продажи налог ставка следует за активным стандартный rule:
      Если продавец не подчиняется продажи налог, затем продажи налог по умолчанию равен 0. Конец правила.
      Если (страна продавца = страна покупателя), то продажи налог by по умолчанию соответствует продажи налог из продукт в стране продавца. Конец правила.
      Если продавец и и покупатель оба находятся в Европейском сообществе, и товары транспортные-Связанный продукты (перевозки, перевозка, авиакомпании), НДС по умолчанию равен 0. Это правило зависит от страны продавца — проконсультируйтесь со своим бухгалтером. НДС должен быть перечислен Оплачен покупателем на таможню его страны и, а не продавцу. Конец правила.
      Если продавец и и покупатель оба находятся в Европейском сообществе, и покупатель не является компания (с зарегистрированным плательщиком НДС внутри Сообщества номер), тогда НДС по умолчанию равен НДС ставка страны продавца. Конец правила.
      Если продавец и и покупатель оба находятся в Европейском сообществе, и покупатель – компания (с зарегистрированным плательщиком НДС внутри Сообщества номер), тогда НДС равен 0 на по умолчанию. Конец правила.
      В любом другом случае предлагаемый по умолчанию — это продажи налог=0. Конец правила. VATIsNotUsedDesc=По умолчанию предлагаемый налог с продаж равен 0, и его можно использовать в таких случаях, как ассоциации, частные лица или небольшие компании. VATIsUsedExampleFR=Во Франции это означает компании или организации, имеющие реальную фискальную систему (упрощенная реальная или обычная реальная). Система, в которой декларируется НДС. VATIsNotUsedExampleFR=Во Франции это означает ассоциации, которые не декларируют НДС, или компании, организации или либеральные профессии, которые выбрали фискальную систему микропредприятий (НДС во франшизе) и уплатили налог на франшизу без какой-либо декларации НДС. При выборе этого варианта в счетах будет отображаться ссылка "Не применяется налог с продаж - art-293B CGI" («НДС не применяется - art-293B CGI»). +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Тип налога с продаж LTRate=Ставка @@ -1246,7 +1257,7 @@ SetupDescription4=%s -> %s

      Это программное SetupDescription5=Другие пункты меню настройки управляют дополнительными параметрами. SetupDescriptionLink=%s - %s SetupDescription3b=Основные параметры, используемые для настройки поведения вашего приложения по умолчанию (например, для функций, связанных со страной). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. +SetupDescription4b=Это программное обеспечение представляет собой набор множества модули/приложений. модули Связанный для ваших нужд должен быть активирован. Записи меню появятся при активации этих модули. AuditedSecurityEvents=События безопасности, которые подвергаются аудиту NoSecurityEventsAreAduited=События безопасности не проверяются. Вы можете включить их из меню %s Audit=События безопасности @@ -1268,7 +1279,7 @@ AreaForAdminOnly=Параметры настройки могут быть ус SystemInfoDesc=Система информации разного техническую информацию Вы получите в режиме только для чтения и видимые только для администраторов. SystemAreaForAdminOnly=Эта область доступна только для администраторов. Пользовательские разрешения Dolibarr не могут изменить это ограничение. CompanyFundationDesc=Отредактируйте информацию о вашей компании/организации. Когда закончите, нажмите кнопку «%s» внизу страницы. -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". +MoreNetworksAvailableWithModule=Дополнительные социальные сети могут быть доступны, если включить модуль «Социальные сети». AccountantDesc=Если у вас есть внешний бухгалтер/бухгалтер, вы можете отредактировать здесь эту информацию. AccountantFileNumber=Код бухгалтера DisplayDesc=Здесь можно изменить параметры, влияющие на внешний вид и представление приложения. @@ -1286,7 +1297,7 @@ TriggerActiveAsModuleActive=Триггеры в этом файле активн GeneratedPasswordDesc=Выберите метод, который будет использоваться для автоматически сгенерированных паролей. DictionaryDesc=Вставьте все справочные данные. Вы можете добавить свои значения по умолчанию. ConstDesc=Эта страница позволяет вам редактировать (переопределять) параметры, недоступные на других страницах. В основном это зарезервированные параметры только для разработчиков / расширенного поиска и устранения неисправностей. -MiscellaneousOptions=Miscellaneous options +MiscellaneousOptions=Разные варианты MiscellaneousDesc=Все остальные параметры, связанные с безопасностью, определены здесь. LimitsSetup=Пределы / Точная настройка LimitsDesc=Вы можете определить пределы, точности и оптимизации, используемые Dolibarr здесь @@ -1320,8 +1331,8 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Вы должны запуст YourPHPDoesNotHaveSSLSupport=SSL функций, не доступных в PHP DownloadMoreSkins=Дополнительные шкуры для загрузки SimpleNumRefModelDesc=Возвращает ссылочный номер в формате %syymm-nnnn, где yy - год, mm - месяц, а nnnn - последовательное автоматически увеличивающееся число без сброса. -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset -AdvancedNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleRefNumRefModelDesc=Возвращает ссылку номер в формате n, где n — последовательное автоинкрементное значение номер без сброса. +AdvancedNumRefModelDesc=Возвращает ссылку номер в формате %sггмм-нннн, где гг — год, мм — месяц и nnnn — это последовательный автоинкрементный номер без сброса SimpleNumRefNoDateModelDesc=Возвращает ссылочный номер в формате %s-nnnn, где nnnn - это последовательный номер с автоинкрементом без сброса. ShowProfIdInAddress=Показать профессиональный идентификатор с адресами ShowVATIntaInAddress=Скрыть номер плательщика НДС внутри Сообщества @@ -1399,8 +1410,8 @@ PHPModuleLoaded=Компонент PHP %s загружен PreloadOPCode=Используется предварительно загруженный OPCode AddRefInList=Отображение ссылки на клиента/поставщика в комбо-списки.
      Третьи стороны будут отображаться с форматом имени "CC12345 - SC45678 - The Big Company corp." вместо "Корпорация Большой Компании". AddVatInList=Отображение номера НДС клиента/поставщика в комбинированных списках. -AddAdressInList=Отображение адреса клиента/поставщика в комбинированных списках.
      Третьи стороны будут отображаться с форматом имени «The Big Company corp. — 21 Jump Street 123456 Big Town — USA» вместо «The Big Company corp». -AddEmailPhoneTownInContactList=Отображение Контактный адрес электронной почты (или телефоны, если они не определены) и список информации о городе (выберите список или поле со списком)
      Контакты появятся с форматом имени «Дюпон Дюран - dupond.durand@email.com - Париж» или «Дюпон Дюран - 06 07». 59 65 66 - Париж» вместо «Дюпон Дюран». +AddAdressInList=Отображать клиент/адрес поставщика в комбинированных списках.
      Появится третий стороны с форматом названия «The Big компания Corp. – 21 Jump Street 123456 Big Town – USA» вместо «The Big компания корпорация». +AddEmailPhoneTownInContactList=Отобразить контактный адрес электронной почты (или телефоны, если не определены) и город информация Список (выберите Список или поле со списком)
      Контакты будут отображаться с именем в формате «Dupond Durand - dupond.durand@Пример.com – Париж» или «Дюпон Дюран – 06 07 59 65 66 – Париж» вместо «Дюпон Дюран». AskForPreferredShippingMethod=Запросить предпочтительный способ доставки для контрагентов. FieldEdition=Редакция поля %s FillThisOnlyIfRequired=Например, +2 (заполняйте это поле только тогда, когда ваш часовой пояс отличается от того, который используется на сервере) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Не показывать ссылку «З UsersSetup=Настройка модуля пользователя UserMailRequired=Требуется электронная почта для создания нового пользователя UserHideInactive=Скрыть неактивных пользователей из всех комбинированных списков пользователей (не рекомендуется: это может означать, что вы не сможете фильтровать или искать старых пользователей на некоторых страницах) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Шаблоны документов для документов, созданных на основе пользовательской записи GroupsDocModules=Шаблоны документов для документов, созданных из групповой записи ##### HRM setup ##### @@ -1462,10 +1475,10 @@ SuppliersPayment=Платежи поставщику SupplierPaymentSetup=Настройка платежей поставщику InvoiceCheckPosteriorDate=Проверьте дату счета-фактуры перед проверкой InvoiceCheckPosteriorDateHelp=Проверка счета будет запрещена, если его дата предшествует дате последнего счета того же типа. -InvoiceOptionCategoryOfOperations=Display the mention "category of operations" on the invoice. -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
      - Category of operations: Delivery of goods
      - Category of operations: Provision of services
      - Category of operations: Mixed - Delivery of goods & provision of services -InvoiceOptionCategoryOfOperationsYes1=Yes, below the address block -InvoiceOptionCategoryOfOperationsYes2=Yes, in the lower left-hand corner +InvoiceOptionCategoryOfOperations=Отобразите упоминание «категория операций» в счет-фактура. +InvoiceOptionCategoryOfOperationsHelp=В зависимости от ситуация упоминание будет отображаться в формате форма:
      - категория операций: доставка товаров
      - категория операций: Предоставление услуг
      - категория операций: смешанные — доставка товаров и предоставление услуги +InvoiceOptionCategoryOfOperationsYes1=Да, под адресным блоком +InvoiceOptionCategoryOfOperationsYes2=Да, в левом нижнем углу ##### Proposals ##### PropalSetup=Настройка модуля Коммерческих предложений ProposalsNumberingModules=Шаблоны нумерации Коммерческих предложений @@ -1508,9 +1521,9 @@ WatermarkOnDraftContractCards=Водяной знак на черновиках ##### Members ##### MembersSetup=Настройка модуля участников MemberMainOptions=Основные настройки -MemberCodeChecker=Options for automatic generation of member codes -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +MemberCodeChecker=Параметры автоматического создания кодов член +AdherentLoginRequired=Управляйте логином и паролем для каждого член +AdherentLoginRequiredDesc=Добавьте значение для входа и и пароля на член файл. Если член связан с пользователь, обновление имени входа член < Пароль span class='notranslate'>и
      также обновит пароль для входа пользователь и. AdherentMailRequired=Требуется электронная почта для создания нового участника MemberSendInformationByMailByDefault=Чекбокс отправить по почте подтверждение участников по умолчанию MemberCreateAnExternalUserForSubscriptionValidated=Создайте внешний пользовательский логин для каждой подтвержденной подписки нового участника @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Группы LDAPContactsSynchro=Контакты LDAPMembersSynchro=Участники LDAPMembersTypesSynchro=Типы участников -LDAPSynchronization=LDAP синхронизация +LDAPSynchronization=Синхронизация LDAP LDAPFunctionsNotAvailableOnPHP=LDAP функции не availbale на PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1643,11 +1656,11 @@ LDAPFieldEndLastSubscription=Дата окончания подписки LDAPFieldTitle=Должность LDAPFieldTitleExample=Пример: title LDAPFieldGroupid=ID группы -LDAPFieldGroupidExample=Example : gidnumber +LDAPFieldGroupidExample=Пример : gidnumber LDAPFieldUserid=ID пользователя -LDAPFieldUseridExample=Example : uidnumber +LDAPFieldUseridExample=Пример: uidnumber LDAPFieldHomedirectory=Домашний каталог -LDAPFieldHomedirectoryExample=Например: homedirectory +LDAPFieldHomedirectoryExample=Пример : домашний каталог LDAPFieldHomedirectoryprefix=Префикс домашнего каталога LDAPSetupNotComplete=Установка не завершена (переход на другие вкладки) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Нет администратора или пароль предусмотрено. LDAP доступ будет анонимным и в режиме только для чтения. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Модуль memcached для приклад MemcachedAvailableAndSetup=Включен модуль memcached, предназначенный для использования сервера memcached. OPCodeCache=Кэш OPCode NoOPCodeCacheFound=Кэш OPCode не найден. Возможно, вы используете кэш OPCode, отличный от XCache или eAccelerator (хорошо), или, возможно, у вас нет кэша OPCode (очень плохо). -HTTPCacheStaticResources=Кеш HTTP для статичных ресурсов (файлы стилей, изображений, скриптов) +HTTPCacheStaticResources=HTTP-кеш для статических ресурсов (css, img, JavaScript) FilesOfTypeCached=Файлы типа %s кешируются HTTP сервером FilesOfTypeNotCached=Файлы типа %s не кешируются HTTP сервером FilesOfTypeCompressed=Файлы типа %s сжимаются HTTP сервером @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Бесплатная доставка по те ##### FCKeditor ##### AdvancedEditor=Расширенный редактор ActivateFCKeditor=Включить FCKeditor для: -FCKeditorForNotePublic=WYSIWIG создание/изменение поля "публичные заметки" элементов -FCKeditorForNotePrivate=WYSIWIG создание/изменение поля "личные заметки" элементов -FCKeditorForCompany=WYSIWIG создание/редактирование поля описания элементов (кроме продуктов/услуг) -FCKeditorForProductDetails=WYSIWIG создание/редактирование описания продуктов или строк для объектов (строк предложений, заказов, счетов и т.д...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG создание/редактирование для массовой рассылки по электронной почте (Инструменты-> Массовая рассылка) -FCKeditorForUserSignature=WYSIWIG создание/редактирование подписи пользователя -FCKeditorForMail=WYSIWIG создание/редактирование для всей почты (кроме Инструменты -> Массовая рассылка) -FCKeditorForTicket=WYSIWIG создание/редактирование тикетов +FCKeditorForNotePublic=WYSIWYG создание/редактирование поля «публичные заметки» элементов +FCKeditorForNotePrivate=WYSIWYG создание/редактирование поля «личные заметки» элементов +FCKeditorForCompany=WYSIWYG создание/редактирование поля Описание элементов (кроме продукты/услуги) +FCKeditorForProductDetails=WYSIWYG-создание/редактирование продукты Описание или линии для объектов (линии из предложения, заказы, счета-фактуры и т. д.). +FCKeditorForProductDetails2=Предупреждение. Использование этой опции в этом случае категорически не рекомендуется, так как это может привести к создать проблемам со специальными символами, и форматированием страницы при создании PDF-файла. файлы. +FCKeditorForMailing= Создание/редактирование WYSIWYG для массовых рассылок по электронной почте (инструменты->eMailing) +FCKeditorForUserSignature=Создание/редактирование WYSIWYG подписи пользователь +FCKeditorForMail=Создание/редактирование WYSIWYG для всей почты (кроме инструменты->eMailing) +FCKeditorForTicket=Создание/редактирование WYSIWYG для талоны ##### Stock ##### StockSetup=Настройка модуля запаса IfYouUsePointOfSaleCheckModule=Если вы используете модуль торговой точки (модуль POS, поставляемый по умолчанию, или другой внешний модуль), эта конфигурация может игнорироваться вашим модулем торговой точки. Большинство модулей Торговая точка предназначены для немедленного создания счета-фактуры и сокращения запасов по умолчанию, независимо от представленных здесь опций. Поэтому независимо от того, нужно ли вам уменьшать запасы при регистрации продажи в вашей торговой точке, также проверьте настройку модуля POS. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Персонализированные меню, не NewMenu=Новое меню MenuHandler=Меню обработчик MenuModule=Исходный модуль -HideUnauthorizedMenu=Скрыть неавторизованные меню также для внутренних пользователей (в противном случае они будут выделены серым цветом) +HideUnauthorizedMenu=Скрыть неавторизованные меню также для внутренних пользователей (в противном случае они просто выделены серым цветом) DetailId=Идентификатор меню DetailMenuHandler=Обработчик меню, где показывать новое меню DetailMenuModule=Имя модуля, если пункт меню взят из модуля @@ -1802,7 +1815,7 @@ DetailType=Тип меню (вверху или слева) DetailTitre=Меню ярлык или этикетку код для перевода DetailUrl=URL-адрес, по которому вас отправляет меню (относительная URL-ссылка или внешняя ссылка с https://) DetailEnabled=Условие показать или нет запись -DetailRight=Условие для отображения несанкционированным серого меню +DetailRight=Условие отображения неавторизованных серых меню DetailLangs=Имя файла .lang для перевода кода метки DetailUser=Стажер / Внештатный / Все Target=Цель @@ -1840,9 +1853,9 @@ AgendaSetup = Настройка модуля событий и повестки AGENDA_DEFAULT_FILTER_TYPE = Автоматически устанавливать этот тип события в поисковом фильтре просмотра повестки дня AGENDA_DEFAULT_FILTER_STATUS = Автоматически устанавливать этот статус для событий в поисковом фильтре представления повестки дня AGENDA_DEFAULT_VIEW = Какой вид вы хотите открыть по умолчанию при выборе меню «Повестка дня» -AGENDA_EVENT_PAST_COLOR = Past event color -AGENDA_EVENT_CURRENT_COLOR = Current event color -AGENDA_EVENT_FUTURE_COLOR = Future event color +AGENDA_EVENT_PAST_COLOR = Прошедшее событие Цвет +AGENDA_EVENT_CURRENT_COLOR = Текущее событие Цвет +AGENDA_EVENT_FUTURE_COLOR = Будущее событие Цвет AGENDA_REMINDER_BROWSER = Включить напоминание о событии в браузере пользователя (при достижении даты напоминания в браузере отображается всплывающее окно. Каждый пользователь может отключить такие уведомления в настройках уведомлений браузера). AGENDA_REMINDER_BROWSER_SOUND = Включить звуковое оповещение AGENDA_REMINDER_EMAIL = Включить напоминание о событии по электронной почте (опция напоминания / задержка может быть определена для каждого события). @@ -1855,7 +1868,7 @@ PastDelayVCalExport=Не экспортировать события старш SecurityKey = Электронный ключ ##### ClickToDial ##### ClickToDialSetup=Настройка модуля "Нажмите, чтобы позвонить" -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). +ClickToDialUrlDesc=URL-адрес, вызываемый при нажатии на картинку телефона. В URL-адресе вы можете использовать теги
      __PHONETO__, которые будут заменен на телефон номер человека, которому нужно позвонить
      __PHONEFROM__, который будет заменен на телефон номер звонящего человека (ваш)
      __LOGIN__, который будет заменен на вход с помощью кликового набора (определен на карте пользователь) )
      __PASS__ который будет заменен паролем для набора по клику (определено на карте пользователь). ClickToDialDesc=Этот модуль преобразует телефонные номера при использовании настольного компьютера в интерактивные ссылки. Щелчок вызовет номер. Его можно использовать для начала телефонного звонка при использовании программного телефона на рабочем столе или, например, при использовании системы CTI, основанной на протоколе SIP. Примечание. При использовании смартфона телефонные номера всегда доступны для нажатия. ClickToDialUseTelLink=Используйте только ссылку «tel:» на номера телефонов ClickToDialUseTelLinkDesc=Используйте этот метод, если у ваших пользователей есть программный телефон или программный интерфейс, установленный на том же компьютере, что и браузер, и вызывается при нажатии на ссылку, начинающуюся с «tel:», в вашем браузере. Если вам нужна ссылка, которая начинается с «sip:» или полное серверное решение (нет необходимости в локальной установке программного обеспечения), вы должны установить для нее значение «Нет» и заполнить следующее поле. @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Денежные счета, используемог CashDeskBankAccountForCheque=Аккаунт по умолчанию для приема платежей по чеку CashDeskBankAccountForCB=Учетной записи для использования на получение денежных выплат по кредитным картам CashDeskBankAccountForSumup=Банковский счет по умолчанию для приема платежей SumUp -CashDeskDoNotDecreaseStock=Отключить уменьшение запаса, когда продажа осуществляется из торговой точки (если «нет», уменьшение запаса производится для каждой продажи, совершаемой из POS, независимо от опции, установленной в модуле Запас). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Ускорить и ограничить склад для уменьшения запасов StockDecreaseForPointOfSaleDisabled=Уменьшение запасов в торговой точке отключено StockDecreaseForPointOfSaleDisabledbyBatch=Уменьшение запаса в POS не совместимо с модулем Управление сериями/партиями (в настоящее время активно), поэтому уменьшение запаса отключено @@ -1963,13 +1977,14 @@ BackupDumpWizard=Мастер создания файла дампа базы д BackupZipWizard=Мастер создания архива каталога документов SomethingMakeInstallFromWebNotPossible=Установка внешних модулей через веб-интерфейс не возможна по следующей причине: SomethingMakeInstallFromWebNotPossible2=По этой причине описанный здесь процесс обновления является ручным процессом, который может выполнить только привилегированный пользователь. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. +InstallModuleFromWebHasBeenDisabledContactUs=Установка или разработка внешних модули или динамических веб-сайтов из приложения в настоящее время заблокирована в целях безопасности. Если вам нужно включить этот особенность, свяжитесь с нами. InstallModuleFromWebHasBeenDisabledByFile=Установка внешних модулей из приложения отключена вашим администратором. Вы должны попросить его удалить файл %s, чтобы использовать эту функцию. ConfFileMustContainCustom=Для установки или создания внешнего модуля из приложения необходимо сохранить файлы модулей в каталог %s. Чтобы этот каталог обрабатывался Dolibarr, вы должны настроить conf/conf.php, чтобы добавить 2 директивные строки:
      $dolibarr_main_url_root_alt = '/custom';
      $dolibarr_main_document_root_alt = '%s/custom'; HighlightLinesOnMouseHover=Выделите строки таблицы при перемещении мыши HighlightLinesColor=Цвет выделения строки при наведении курсора мыши (используйте 'ffffff', чтобы не выделять) HighlightLinesChecked=Выделите цвет строки, когда она отмечена (используйте 'ffffff', чтобы не выделять) UseBorderOnTable=Показывать левые и правые границы на таблицах +TableLineHeight=Высота таблицы линия BtnActionColor=Цвет кнопки действия TextBtnActionColor=Цвет текста кнопки действия TextTitleColor=Цвет текста заголовка страницы @@ -1991,7 +2006,7 @@ EnterAnyCode=Это поле содержит ссылку для идентиф Enter0or1=Введите 0 или 1 UnicodeCurrency=Введите здесь в фигурных скобках список номеров байтов, представляющих символ валюты. Например: для $ введите [36] - для бразильских реалов [82,36] - для € введите [8364]. ColorFormat=Цвет RGB находится в формате HEX, например: FF0000 -PictoHelp=Имя значка в формате:
      - image.png для файла изображения в каталоге текущей темы
      - image.png@module, если файл находится в каталоге /img/ модуля
      - fonwtawesome_xxx_fa_color_size для изображения FontAwesome fa-xxx (с набором префикса, цвета и размера) +PictoHelp=Имя значка в формате :
      - image.png для изображения файл в текущий каталог темы
      - image.png@модуль if файл находится в каталог /img/ модуля
      - fa-xxx для изображения FontAwesome fa-xxx
      - fontawesome_xxx_fa_color_size для пиктограммы FontAwesome fa-xxx (с префиксом Цвет и Размер установлен) PositionIntoComboList=Позиция строки в комбинированных списках SellTaxRate=Ставка налога с продаж RecuperableOnly=Да для НДС «Не воспринимается, а восстанавливается», предназначенный для некоторых государств во Франции. Сохраняйте значение «Нет» во всех других случаях. @@ -2077,12 +2092,12 @@ MAIN_DOCUMENTS_LOGO_HEIGHT=Высота для логотипа в PDF DOC_SHOW_FIRST_SALES_REP=Показать первого торгового представителя MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Добавить изображение в строку предложения MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Ширина столбца, если рисунок добавляется по линиям -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Скрыть столбец ед.измерения цена в запросах котировок +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Скрыть общий столбец цена в запросах котировок +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Скрыть столбец ед.измерения цена в заказах покупка +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Скрыть столбец общей суммы цена в заказах на покупку MAIN_PDF_NO_SENDER_FRAME=Скрыть границы в рамке адреса отправителя -MAIN_PDF_NO_RECIPENT_FRAME=Скрыть границы в адресной рамке получателя +MAIN_PDF_NO_RECIPENT_FRAME=Скрыть границы рамки адреса получателя MAIN_PDF_HIDE_CUSTOMER_CODE=Скрыть код клиента MAIN_PDF_HIDE_SENDER_NAME=Скрыть название отправителя/компании в адресном блоке PROPOSAL_PDF_HIDE_PAYMENTTERM=Скрыть условия оплаты @@ -2094,11 +2109,11 @@ EnterCalculationRuleIfPreviousFieldIsYes=Введите правило расч SeveralLangugeVariatFound=Было найдено несколько вариантов языка RemoveSpecialChars=Удаление специальных символов COMPANY_AQUARIUM_CLEAN_REGEX=Фильтр регулярных выражений для очистки значения (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code +COMPANY_AQUARIUM_NO_PREFIX=Не используйте префикс, скопируйте только клиент или поставщик код COMPANY_DIGITARIA_CLEAN_REGEX=Фильтр регулярных выражений для очистки значения (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=Дубликат не допускается -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word +RemoveSpecialWords=Удалите определенные слова при создании субаккаунтов для клиенты или Поставщики +RemoveSpecialWordsHelp=Укажите слова, которые необходимо очистить перед расчетом учетной записи клиент или поставщик. Использовать ";" между каждым словом GDPRContact=Сотрудник по защите данных (контактное лицо DPO, Data Privacy или GDPR) GDPRContactDesc=Если вы храните личные данные в своей информационной системе, здесь вы можете указать контактное лицо, ответственное за Общее положение о защите данных. HelpOnTooltip=Текст справки для отображения во всплывающей подсказке @@ -2117,14 +2132,14 @@ NewEmailCollector=Новый сборщик электронной почты EMailHost=Хост почтового сервера IMAP EMailHostPort=Порт почтового сервера IMAP loginPassword=Логин Пароль -oauthToken=OAuth2 token +oauthToken=OAuth2 жетон accessType=Тип доступа oauthService=Oauth-сервис TokenMustHaveBeenCreated=Модуль OAuth2 должен быть включен, а токен oauth2 должен быть создан с правильными разрешениями (например, область «gmail_full» с OAuth для Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session +ImapEncryption = метод шифрования IMAP +ImapEncryptionHelp = Пример: нет, SSL, TLS, NotLS +NoRSH = Используйте конфигурацию NoRSH +NoRSHHelp = Не используйте протоколы RSH или SSH для установления сеанса предварительной идентификации IMAP. MailboxSourceDirectory=Исходный каталог почтового ящика MailboxTargetDirectory=Целевой каталог почтового ящика EmailcollectorOperations=Операции, выполняемые сборщиком @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Не включать содержимое заг EmailCollectorHideMailHeadersHelp=Если этот параметр включен, заголовки сообщений электронной почты не добавляются в конец содержимого сообщения электронной почты, которое сохраняется как событие повестки дня. EmailCollectorConfirmCollectTitle=Подтверждение сбора по электронной почте EmailCollectorConfirmCollect=Вы хотите запустить этот сборщик сейчас? -EmailCollectorExampleToCollectTicketRequestsDesc=Собирайте электронные письма, соответствующие некоторым правилам, и автоматически создавайте тикет (модуль тикета должен быть включен) с информацией об электронной почте. Вы можете использовать этот сборщик, если вы окажете поддержку по электронной почте, поэтому ваш запрос на билет будет сгенерирован автоматически. Активируйте также Collect_Responses, чтобы собирать ответы вашего клиента прямо в окне просмотра заявки (вы должны отвечать из Долибарра). +EmailCollectorExampleToCollectTicketRequestsDesc=Собирать электронные письма, соответствующие некоторым правилам и создать автоматически a талон (модуль талон должен быть включен) с информацией об электронной почте. Вы можете использовать этот сборщик, если окажете поддержку по электронной почте, поэтому ваш запрос талон будет автоматически сгенерирован. Активируйте также Collect_Responses, чтобы собирать ответы вашего клиента непосредственно в представлении талон (вы должны ответить от Dolibarr). EmailCollectorExampleToCollectTicketRequests=Пример сбора запроса на тикет (только первое сообщение) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Сканируйте каталог «Отправленные» вашего почтового ящика, чтобы найти электронные письма, которые были отправлены в качестве ответа на другое электронное письмо непосредственно из вашего почтового программного обеспечения, а не из Dolibarr. Если такое письмо найдено, событие ответа записывается в Долибарр. EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Пример сбора ответов по электронной почте, отправленных из внешнего программного обеспечения электронной почты EmailCollectorExampleToCollectDolibarrAnswersDesc=Соберите все электронные письма, которые являются ответом на электронное письмо, отправленное из вашего приложения. Событие (Module Agenda должно быть включено) с ответом по электронной почте будет записано в нужном месте. Например, если вы отправляете коммерческое предложение, заказ, счет или сообщение на билет по электронной почте из приложения, и получатель отвечает на ваше письмо, система автоматически поймает ответ и добавит его в вашу ERP. EmailCollectorExampleToCollectDolibarrAnswers=Пример сбора всех входящих сообщений, являющихся ответами на сообщения, отправленные Долибарром. -EmailCollectorExampleToCollectLeadsDesc=Собирайте электронные письма, соответствующие некоторым правилам, и автоматически создавайте потенциальных клиентов (модуль проекта должен быть включен) с информацией об электронной почте. Вы можете использовать этот сборщик, если хотите следить за своим лидом с помощью модуля «Проект» (1 лид = 1 проект), поэтому ваши лиды будут генерироваться автоматически. Если сборщик Collect_Responses также включен, при отправке письма от ваших лидов, предложений или любого другого объекта вы также можете увидеть ответы своих клиентов или партнеров прямо в приложении.
      Примечание. В этом начальном примере заголовок лида создается вместе с адресом электронной почты. Если третье лицо не может быть найдено в базе данных (новый клиент), лид будет привязан к третьему лицу с идентификатором 1. +EmailCollectorExampleToCollectLeadsDesc=Собирать электронные письма, соответствующие некоторым правилам 'notranslate'>лид
      (модуль проект должен быть включен) с информацией об электронной почте. Вы можете использовать этот сборщик, если хотите следить за своим лид с помощью модуль проект (1 лид = 1 проект), поэтому ваш Лиды будет быть сгенерирован автоматически. Если сборщик Collect_Responses также включен, когда вы отправляете электронное письмо с вашего Лиды, предложения или любого другого объекта, вы также можете смотрите ответы вашего клиенты или партнеров непосредственно в приложении.
      Примечание: с этим начальным Пример, заголовок лид генерируется вместе с электронным письмом. Если третью сторону невозможно найти в база данных (новый клиент), лид будет прикреплен к третьей стороне с помощью ID 1. EmailCollectorExampleToCollectLeads=Пример сбора лидов EmailCollectorExampleToCollectJobCandidaturesDesc=Собирайте электронные письма с предложениями о работе (Module Recruitment должен быть включен). Вы можете заполнить этот коллектор, если хотите автоматически создать кандидатуру для запроса на работу. Примечание. В этом начальном примере заголовок кандидата генерируется вместе с адресом электронной почты. EmailCollectorExampleToCollectJobCandidatures=Пример сбора кандидатур на работу, полученных по электронной почте @@ -2159,7 +2174,7 @@ CodeLastResult=Последний код результата NbOfEmailsInInbox=Количество писем в исходном каталоге LoadThirdPartyFromName=Загрузить сторонний поиск на %s (только загрузка) LoadThirdPartyFromNameOrCreate=Загрузите сторонний поиск на %s (создайте, если не найден) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) +LoadContactFromEmailOrCreate=Загрузить поиск контактов на %s (создать, если не найден) AttachJoinedDocumentsToObject=Сохраняйте вложенные файлы в документы объекта, если ссылка на объект найдена в теме письма. WithDolTrackingID=Сообщение из беседы, инициированной первым письмом, отправленным от Dolibarr WithoutDolTrackingID=Сообщение из беседы, инициированной первым электронным письмом, НЕ отправленным от Dolibarr @@ -2169,7 +2184,7 @@ CreateCandidature=Создать заявление о приеме на раб FormatZip=Индекс MainMenuCode=Код входа в меню (главное меню) ECMAutoTree=Показать автоматическое дерево ECM -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. +OperationParamDesc=Определите правила, которые будут использоваться для извлечения некоторых данных или установки значений для использования в операции.

      Пример для извлечения компания имя из темы электронного письма во временную переменную:
      tmp_var=EXTRACT:SUBJECT:Сообщение от компания ([^\n]*)

      Примеры установки свойств объекта в создать:
      objproperty1=SET:жестко запрограммированное значение
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:значение (значение устанавливается, только если свойство еще не определено)
      objproperty4=EXTRACT:HEADER :X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:Мое компания имя\\s([^\\s]*)

      Используйте новый линия для извлечения или установки нескольких свойств. OpeningHours=Часы работы OpeningHoursDesc=Введите здесь обычные часы работы вашей компании. ResourceSetup=Конфигурация модуля Ресурсов @@ -2188,10 +2203,10 @@ Protanopia=Протанопия Deuteranopes=Дейтеранопы Tritanopes=Тританопы ThisValueCanOverwrittenOnUserLevel=Это значение может быть перезаписано каждым пользователем со своей пользовательской страницы - вкладка '%s' -DefaultCustomerType=Тип стороннего лица по умолчанию для формы создания «Нового клиента» +DefaultCustomerType=по умолчанию сторонний тип для создания «Нового клиент» форма ABankAccountMustBeDefinedOnPaymentModeSetup=Примечание. Банковский счет должен быть указан в модуле каждого способа оплаты (Paypal, Stripe, ...), чтобы эта функция работала. RootCategoryForProductsToSell=Корневая категория продуктов для продажи -RootCategoryForProductsToSellDesc=Если он определен, в торговой точке будут доступны только продукты из этой категории или дочерние продукты этой категории. +RootCategoryForProductsToSellDesc=Если определено, только продукты внутри этого категория или дочерних элементов этого категория будет быть доступен в точке продажа DebugBar=Панель отладки DebugBarDesc=Панель инструментов с множеством инструментов для упрощения отладки DebugBarSetup=Настройка DebugBar @@ -2212,11 +2227,11 @@ ImportSetup=Настройка модуля Импорт InstanceUniqueID=Уникальный идентификатор экземпляра SmallerThan=Меньше чем LargerThan=Больше, чем -IfTrackingIDFoundEventWillBeLinked=Обратите внимание, что если идентификатор отслеживания объекта найден в электронном письме или если электронное письмо является ответом на электронную почту, которую собирают и связывают с объектом, созданное событие будет автоматически связано с известным связанным объектом. -WithGMailYouCanCreateADedicatedPassword=В учетной записи GMail, если вы включили двухэтапную проверку, рекомендуется создать специальный второй пароль для приложения вместо использования пароля своей учетной записи с https://myaccount.google.com/. -EmailCollectorTargetDir=Может оказаться желательным переместить электронное письмо в другой тег / каталог, когда оно было успешно обработано. Просто укажите здесь имя каталога, чтобы использовать эту функцию (НЕ используйте в имени специальные символы). Обратите внимание, что вы также должны использовать учетную запись для входа в систему для чтения / записи. -EmailCollectorLoadThirdPartyHelp=Вы можете использовать это действие, чтобы использовать содержимое электронной почты для поиска и загрузки существующей третьей стороны в вашей базе данных (поиск будет выполняться по определенному свойству среди «id», «name», «name_alias», «email»). Найденная (или созданная) третья сторона будет использоваться для следующих действий, которые в ней нуждаются.
      Например, если вы хотите создать третью сторону с именем, извлеченным из строки «Имя: имя для поиска», представленной в теле, используйте адрес электронной почты отправителя в качестве электронной почты, вы можете установить поле параметра следующим образом:
      'email= HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). +IfTrackingIDFoundEventWillBeLinked=Обратите внимание: если в электронной почте обнаружено отслеживание ID объекта или если электронное письмо является ответом на уже полученное электронное письмо, и связано с объектом, созданное событие будет автоматически связанным с известным объектом Связанный. +WithGMailYouCanCreateADedicatedPassword=При использовании учетной записи GMail, если вы включили 2 шага подтверждение, вместо этого рекомендуется создать использовать выделенный второй пароль для приложения. использования пароля вашей учетной записи с https://myaccount.google.com/. +EmailCollectorTargetDir=Возможно, желательно переместить электронное письмо в другой ярлык/каталог, когда оно было обработано успешно. Просто укажите здесь имя каталог, чтобы использовать этот особенность (НЕ используйте специальные символы в имени). Обратите внимание, что вам также необходимо использовать учетную запись для входа в читать/write. +EmailCollectorLoadThirdPartyHelp=Вы можете использовать это действие, чтобы использовать содержимое электронной почты для поиска и загрузки существующей третьей стороны в свой база данных (поиск будет выполнен в определенном свойстве среди 'ID','name','name_alias','email'). Найденная (или созданная) третья сторона будет использоваться для действий следующий, которым она необходима.
      Для Пример, если вы хотите создать третьему лицу с именем, извлеченным из строки 'Имя: имя для поиска', присутствующей в теле, используйте отправителя электронная почта как электронная почта, вы можете установить поле параметра следующим образом:
      'email=HEADER:^From:(.*) ;name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=Предупреждение: партия серверов электронной почты (например, Gmail) выполняют поиск по полному слову при поиске по строке и не возвращает результат, если строка найдена в слове только частично. По этой же причине использование специальных символов в критериях поиска будет игнорироваться, если они не являются частью существующих слов.
      Чтобы исключить поиск по слову (вернуть электронное письмо, если слово не найден), вы можете использовать ! символ перед словом (может не работать на некоторых почтовых серверах). EndPointFor=Конечная точка для %s: %s DeleteEmailCollector=Удалить сборщик электронной почты ConfirmDeleteEmailCollector=Вы уверены, что хотите удалить этот сборщик электронной почты? @@ -2233,11 +2248,11 @@ EMailsWillHaveMessageID=Письма будут иметь тег "Ссылки" PDF_SHOW_PROJECT=Показать проект в документе ShowProjectLabel=Этикетка проекта PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Включить псевдоним в стороннее имя -THIRDPARTY_ALIAS=Название третья сторона - Псевдоним третья сторона -ALIAS_THIRDPARTY=Псевдоним третья сторона - Имя третьей стороны -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) +THIRDPARTY_ALIAS=Стороннее имя – сторонний псевдоним. +ALIAS_THIRDPARTY=Сторонний псевдоним – стороннее имя. +PDFIn2Languages=Метки Показать в PDF-файле на двух разных языках (этот особенность может не работать для некоторых языков) PDF_USE_ALSO_LANGUAGE_CODE=Если вы хотите, чтобы некоторые тексты в вашем PDF-файле были продублированы на 2 разных языках в одном сгенерированном PDF-файле, вы должны установить здесь этот второй язык, чтобы сгенерированный PDF-файл содержал 2 разных языка на одной странице: один, выбранный при создании PDF, и этот ( только несколько шаблонов PDF поддерживают это). Оставьте пустым для 1 языка в PDF-файле. -PDF_USE_A=Создавайте документы PDF в формате PDF/A вместо формата PDF по умолчанию +PDF_USE_A=Создавайте PDF-документы в формате PDF/A вместо по умолчанию формата PDF. FafaIconSocialNetworksDesc=Введите здесь код значка FontAwesome. Если вы не знаете, что такое FontAwesome, вы можете использовать общее значение fa-address-book. RssNote=Примечание. Каждое определение RSS-канала предоставляет виджет, который необходимо включить, чтобы он был доступен на панели управления. JumpToBoxes=Перейти к настройке -> Виджеты @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Здесь вы можете найти совет ModuleActivatedMayExposeInformation=Это расширение PHP может раскрывать конфиденциальные данные. Если он вам не нужен, отключите его. ModuleActivatedDoNotUseInProduction=Включен модуль, предназначенный для разработки. Не включайте его в производственной среде. CombinationsSeparator=Символ-разделитель для комбинаций продуктов -SeeLinkToOnlineDocumentation=См. Ссылку на онлайн-документацию в верхнем меню для примеров. +SeeLinkToOnlineDocumentation=Примеры см. в ссылка в онлайн-документации в верхнем меню. SHOW_SUBPRODUCT_REF_IN_PDF=Если используется функция "%s" модуля %s, покажите детали субпродуктов комплекта в PDF. AskThisIDToYourBank=Свяжитесь с вашим банком, чтобы получить этот идентификатор -AdvancedModeOnly=Разрешение доступно только в расширенном режиме разрешений +AdvancedModeOnly=Разрешение доступно только в расширенном режиме разрешений. ConfFileIsReadableOrWritableByAnyUsers=Файл conf доступен для чтения или для записи любым пользователям. Дайте разрешение только пользователю и группе веб-сервера. MailToSendEventOrganization=Организация мероприятий MailToPartnership=Партнерство AGENDA_EVENT_DEFAULT_STATUS=Статус события по умолчанию при создании события из формы YouShouldDisablePHPFunctions=Вы должны отключить функции PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=За исключением случаев, когда вам нужно запускать системные команды в пользовательском коде, вы должны отключить функции PHP. +IfCLINotRequiredYouShouldDisablePHPFunctions=Если вам не нужно запускать системные команды в пользовательском код, вам следует отключить функции PHP. PHPFunctionsRequiredForCLI=Для целей оболочки (например, запланированное резервное копирование заданий или запуск антивирусной программы) вы должны сохранить функции PHP NoWritableFilesFoundIntoRootDir=В корневом каталоге не обнаружены доступные для записи файлы или каталоги распространенных программ (Хорошо) RecommendedValueIs=Рекомендуется: %s @@ -2283,8 +2298,8 @@ DatabasePasswordNotObfuscated=Пароль базы данных НЕ запут APIsAreNotEnabled=Модули API не включены YouShouldSetThisToOff=Вы должны установить это на 0 или выключить InstallAndUpgradeLockedBy=Установка и обновления заблокированы файлом %s -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. +InstallLockedBy=Установка/переустановка заблокирована с помощью файл %s +InstallOfAddonIsNotBlocked=Установки аддонов не заблокированы. создать a файл installmodules.lock в каталог %s, чтобы заблокировать установку внешних дополнений/модули. OldImplementation=Старая реализация PDF_SHOW_LINK_TO_ONLINE_PAYMENT=Если включены некоторые модули онлайн-платежей (Paypal, Stripe, ...), добавьте ссылку в PDF-файл, чтобы произвести онлайн-платеж. DashboardDisableGlobal=Отключить глобально все большие пальцы открытых объектов @@ -2319,15 +2334,15 @@ LateWarningAfter=«Позднее» предупреждение после TemplateforBusinessCards=Шаблон визитки разного размера InventorySetup= Настройка инвентаря ExportUseLowMemoryMode=Используйте режим с низким объемом памяти -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. +ExportUseLowMemoryModeHelp=Используйте режим малой памяти для создания дампа файл (сжатие выполняется через канал, а не в память PHP). Этот метод не позволяет проверить считать, что файл является полной и ошибкой сообщение не может быть отправлено в случае сбоя. Используйте его, если у вас недостаточно памяти. ModuleWebhookName = Вебхук -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL +ModuleWebhookDesc = Интерфейс для перехвата триггеров долибарра и отправляет данные события на URL-адрес WebhookSetup = Настройка вебхука Settings = Настройки WebhookSetupPage = Страница настройки вебхука ShowQuickAddLink=Показать кнопку для быстрого добавления элемента в меню вверху справа - +ShowSearchAreaInTopMenu=Показать поиск область в верхнем меню HashForPing=Хэш, используемый для пинга ReadOnlyMode=Экземпляр находится в режиме «Только для чтения» DEBUGBAR_USE_LOG_FILE=Используйте файл dolibarr.log для захвата журналов. @@ -2337,15 +2352,15 @@ DefaultOpportunityStatus=Статус возможности по умолчан IconAndText=Значок и текст TextOnly=Только текст -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon +IconOnlyAllTextsOnHover=Только значок — весь текст отображается под значком при наведении указателя мыши на строку меню. +IconOnlyTextOnHover=Только значок — текст значка отображается под значком при наведении курсора мыши на значок. IconOnly=Только значок — только текст во всплывающей подсказке. INVOICE_ADD_ZATCA_QR_CODE=Показывать QR-код ZATCA в счетах-фактурах INVOICE_ADD_ZATCA_QR_CODEMore=В некоторых арабских странах этот QR-код необходимо указывать в счетах-фактурах. INVOICE_ADD_SWISS_QR_CODE=Показывать швейцарский код QR-Bill на счетах -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. -INVOICE_SHOW_SHIPPING_ADDRESS=Show shipping address -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) +INVOICE_ADD_SWISS_QR_CODEMore=стандартный из Швейцарии для счета-фактуры; убедитесь, что почтовый индекс и город заполнены и, что счета имеют действительные номера IBAN Швейцарии/Лихтенштейна. +INVOICE_SHOW_SHIPPING_ADDRESS=Показать перевозка адрес +INVOICE_SHOW_SHIPPING_ADDRESSMore=Обязательное указание в некоторых странах (Франция, ...) UrlSocialNetworksDesc=URL-ссылка социальной сети. Используйте {socialid} для переменной части, которая содержит идентификатор социальной сети. IfThisCategoryIsChildOfAnother=Если эта категория является потомком другой DarkThemeMode=Режим темной темы @@ -2356,53 +2371,72 @@ DoesNotWorkWithAllThemes=Не будет работать со всеми тем NoName=Без имени ShowAdvancedOptions= Показать дополнительные параметры HideAdvancedoptions= Скрыть дополнительные параметры -CIDLookupURL=Модуль предоставляет URL-адрес, который может использоваться внешним инструментом для получения имени третьей стороны или контакта по ее номеру телефона. URL для использования: +CIDLookupURL=модуль содержит URL-адрес, который может использоваться внешним инструментом для получения имени третьего лица или контакта с его телефона номер. URL-адрес для использования: OauthNotAvailableForAllAndHadToBeCreatedBefore=Аутентификация OAUTH2 доступна не для всех хостов, и токен с нужными разрешениями должен быть создан восходящим потоком с помощью модуля OAUTH. MAIN_MAIL_SMTPS_OAUTH_SERVICE=Служба аутентификации OAUTH2 DontForgetCreateTokenOauthMod=Токен с правильными разрешениями должен быть создан восходящим потоком с помощью модуля OAUTH. -MAIN_MAIL_SMTPS_AUTH_TYPE=Метод аутентификации +MAIN_MAIL_SMTPS_AUTH_TYPE=Аутентификация метод UsePassword=Используйте пароль UseOauth=Используйте токен OAUTH Images=Картинки MaxNumberOfImagesInGetPost=Максимальное количество изображений, разрешенных в поле HTML, представленном в форме -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=Модуль предоставляет URL-адрес, который может использоваться внешним инструментом для получения имени третьей стороны или контакта по ее номеру телефона. URL для использования: +MaxNumberOfPostOnPublicPagesByIP=Максимальное количество номер публикаций на общедоступных страницах с одним и тем же IP-адресом в месяц. +CIDLookupURL=модуль содержит URL-адрес, который может использоваться внешним инструментом для получения имени третьего лица или контакта с его телефона номер. URL-адрес для использования: ScriptIsEmpty=Скрипт пуст ShowHideTheNRequests=Показать/скрыть SQL-запросы %s DefinedAPathForAntivirusCommandIntoSetup=Определите путь для антивирусной программы в %s TriggerCodes=Триггерные события TriggerCodeInfo=Введите здесь триггерные коды, которые должны генерировать публикацию веб-запроса (разрешены только внешние URL-адреса). Вы можете ввести несколько кодов срабатывания через запятую. EditableWhenDraftOnly=Если флажок не установлен, значение можно изменить, только если объект имеет статус черновика. -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" +CssOnEdit=CSS на страницах редактирования +CssOnView=CSS на страницах просмотра +CssOnList=CSS в списках +HelpCssOnEditDesc=CSS, используемый при редактировании поля.
      Пример: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=CSS, используемый при просмотре поля. +HelpCssOnListDesc=CSS, используемый, когда поле находится внутри таблицы Список.
      Пример: "tdoverflowmax200" RECEPTION_PDF_HIDE_ORDERED=Скрыть заказанное количество в сформированных документах для приемов MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Показать цену на сформированные документы для приемов -WarningDisabled=Warning disabled -LimitsAndMitigation=Access limits and mitigation -DesktopsOnly=Desktops only -DesktopsAndSmartphones=Desktops et smartphones -AllowOnlineSign=Allow online signing -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. -CSSPage=CSS Style +WarningDisabled=Предупреждение Отключено +LimitsAndMitigation=Уменьшение ограничений доступа и +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. +DesktopsOnly=Только настольные компьютеры +DesktopsAndSmartphones=Настольные компьютеры и смартфоны +AllowOnlineSign=Разрешить онлайн-подпись +AllowExternalDownload=Разрешить внешнюю загрузку (без входа в систему, с использованием общего ссылка) +DeadlineDayVATSubmission=Крайний срок подачи декларации по НДС в следующем месяце +MaxNumberOfAttachementOnForms=Максимальное количество номер объединенных файлов в форма +IfDefinedUseAValueBeetween=Если определено, используйте значение между %s и %s +Reload=Перезагрузить +ConfirmReload=Подтвердите модуль перезагрузку. +WarningModuleHasChangedLastVersionCheckParameter=Предупреждение: модуль %s установил для параметра проверить его версию доступ к каждой странице. Это плохая и недопустимая практика, которая может сделать страницу администрирования модули нестабильной. Свяжитесь с автором модуль, чтобы исправить это. +WarningModuleHasChangedSecurityCsrfParameter=Предупреждение: модуль %s имеет Отключено CSRF-безопасность вашего экземпляра. Это действие вызывает подозрение, что и ваша установка больше не защищена. Пожалуйста, свяжитесь с автором модуль для получения объяснений. +EMailsInGoingDesc=Входящие электронные письма управляются модуль %s. Вы должны включить и настроить его, если вам нужно поддерживать входящие электронные письма. +MAIN_IMAP_USE_PHPIMAP=Используйте библиотеку PHP-IMAP для IMAP вместо встроенного PHP IMAP. Это также позволяет использовать OAuth2 соединение для IMAP (модуль OAuth также должен быть активирован). +MAIN_CHECKBOX_LEFT_COLUMN=Показать столбец для поля и линия слева (на прямо у по умолчанию) +NotAvailableByDefaultEnabledOnModuleActivation=Не создан по умолчанию. Создано только при активации модуль. +CSSPage=CSS-стиль Defaultfortype=По умолчанию -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +DefaultForTypeDesc=Шаблон, используемый по умолчанию при создании нового электронного письма для типа шаблона. +OptionXShouldBeEnabledInModuleY=Опция "%s" должна быть включена в модуль %s +OptionXIsCorrectlyEnabledInModuleY=Опция "%s" включена в модуль %s +AllowOnLineSign=Разрешить для подписи линия +AtBottomOfPage=Внизу страницы +FailedAuth=неудачная аутентификация +MaxNumberOfFailedAuth=Максимальное количество номер из неудавшихся Аутентификация за 24 часа для отказа в входе. +AllowPasswordResetBySendingANewPassByEmail=Если пользователь A имеет это разрешение, и, даже если пользователь A не является «администратором» пользователь, A разрешено сбрасывать пароль любого другого пользователь B, новый пароль будет отправить на электронную почту другого пользователь B, но он не будет виден A. Если пользователь A имеет " admin", он также сможет узнать новый сгенерированный пароль B, чтобы он мог получить контроль над учетной записью B пользователь. +AllowAnyPrivileges=Если пользователь A имеет это разрешение, он может создать a пользователь B со всеми привилегиями, затем используйте эту пользователь B или предоставьте себе любую другую группу с любым разрешением. Таким образом, это означает, что пользователь А владеет всеми бизнес-привилегиями (будет запрещен только системный доступ к страницам настройка) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Это значение может быть читать, поскольку ваш экземпляр не установлен в производственный режим. +SeeConfFile=Смотрите внутри conf.php файл на сервере. +ReEncryptDesc=Повторно зашифровать данные, если они еще не зашифрованы. +PasswordFieldEncrypted=%s новая запись, зашифровано ли это поле +ExtrafieldsDeleted=Дополнительные поля %s удалены. +LargeModern=Большой - Современный +SpecialCharActivation=Включите кнопку открыть на виртуальной клавиатуре для входить специальных символов +DeleteExtrafield=удалить дополнительное поле +ConfirmDeleteExtrafield=Подтверждаете ли вы удаление поля %s? Все данные, сохраненные в этом поле, будут обязательно удалены. +ExtraFieldsSupplierInvoicesRec=Дополнительные атрибуты (счета-фактуры) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Параметры тестовой среды +TryToKeepOnly=Постарайтесь оставить только %s +RecommendedForProduction=Рекомендовано к производству +RecommendedForDebug=Рекомендуется для отладки diff --git a/htdocs/langs/ru_RU/bills.lang b/htdocs/langs/ru_RU/bills.lang index f4b870e14bb..1893de9fdd9 100644 --- a/htdocs/langs/ru_RU/bills.lang +++ b/htdocs/langs/ru_RU/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Произвести платеж за счет Пок DisabledBecauseRemainderToPayIsZero=Отключено, потому что оставшаяся оплата нулевая PriceBase=Базисная цена BillStatus=Статус счета-фактуры -StatusOfGeneratedInvoices=Статус выставленных счетов +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Проект (должен быть подтвержден) BillStatusPaid=Оплачен BillStatusPaidBackOrConverted=Возврат кредитной ноты или пометка доступна как кредит @@ -167,7 +167,7 @@ ActionsOnBill=Действия со счетом-фактурой ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Шаблон / повторяющийся счет NoQualifiedRecurringInvoiceTemplateFound=Нет подходящих повторяющихся счетов-фактур для создания шаблонов. -FoundXQualifiedRecurringInvoiceTemplate=Обнаружен повторяющийся шаблон счетов-фактур %s, подходящий для создания. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Не повторяющийся шаблон счета-фактуры NewBill=Новый счёт LastBills=Последние счета %s @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Черновики счетов-фактур постав Unpaid=Неоплачен ErrorNoPaymentDefined=Ошибка Платеж не определен ConfirmDeleteBill=Вы уверены, что хотите удалить этот счет? -ConfirmValidateBill=Вы действительно хотите подтвердить этот счет со ссылкой %s? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Вы действительно хотите изменить статус счета %s на черновик? ConfirmClassifyPaidBill=Вы действительно хотите изменить статус счета %s на оплаченный? ConfirmCancelBill=Вы действительно хотите отменить счет %s? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Подтверждаете ли вы этот плате ConfirmSupplierPayment=Подтверждаете ли вы этот платежный ввод для %s %s? ConfirmValidatePayment=Вы уверены, что хотите подтвердить этот платеж? После подтверждения платежа никакие изменения не могут быть внесены. ValidateBill=Подтвердить счет-фактуру -UnvalidateBill=Не подтвержденный счет-фактура +UnvalidateBill=Invalidate invoice NumberOfBills=Кол-во счетов-фактур NumberOfBillsByMonth=Кол-во счетов в месяц AmountOfBills=Сумма счетов-фактур @@ -250,12 +250,13 @@ RemainderToTake=Оставшаяся сумма RemainderToTakeMulticurrency=Оставшаяся сумма в исходной валюте RemainderToPayBack=Оставшаяся сумма к возврату RemainderToPayBackMulticurrency=Оставшаяся сумма к возврату в исходной валюте +NegativeIfExcessReceived=отрицательный, если получено превышение NegativeIfExcessRefunded=отрицательный, если излишек возвращается +NegativeIfExcessPaid=negative if excess paid Rest=В ожидании AmountExpected=Заявленная сумма ExcessReceived=Полученный излишек ExcessReceivedMulticurrency=Полученный излишек в исходной валюте -NegativeIfExcessReceived=отрицательный, если получено превышение ExcessPaid=Оплачено превышение ExcessPaidMulticurrency=Избыточная сумма в исходной валюте EscompteOffered=Предоставлена скидка (за досрочный платеж) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Вы должны сначала созд PDFCrabeDescription=Счет-фактура PDF-шаблон Crabe. Полный шаблон счета-фактуры (старая реализация шаблона Sponge) PDFSpongeDescription=Счет-фактура PDF-шаблон Sponge. Полный шаблон счета-фактуры PDFCrevetteDescription=Счет-фактура в формате PDF Crevette. Полный шаблон накладной для ситуационных накладных -TerreNumRefModelDesc1=Номер возврата в формате %syymm-nnnn для стандартных счетов-фактур и %syymm-nnnn для кредитовых авизо, где yy - год, mm - месяц и nnnn - последовательный номер с автоматическим увеличением без перерыва и без возврата к 0 -MarsNumRefModelDesc1=Номер возврата в формате yymm-nnnn для стандартных счетов-фактур, yymm-nnnn для счетов-фактур за замену, %syymm-nnnn для счетов-фактур авансового платежа и %s для счетов-фактур с авансовым платежом, а %s - порядковый номер месяца nnny-mm, где nnncial - порядковый номер месяца-ммгн, где nnny-yc- порядковый номер месяца, а %s без перерыва и без возврата к 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Документ, начинающийся с $syymm, уже существует и не совместим с этой моделью последовательности. Удалите или переименуйте его, чтобы активировать этот модуль. -CactusNumRefModelDesc1=Номер возврата в формате %syymm-nnnn для стандартных счетов-фактур, %syymm-nnnn для кредитовых авизо и %syymm-nnnn для счетов-фактур на предоплату, где yy - это год, а mm - номер без разбивки по месяцам, а nnn - это автоматически номер месяца и nnn. 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Причина досрочного закрытия EarlyClosingComment=Заметка о досрочном закрытии ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Зарплаты +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Зарплата +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/ru_RU/cashdesk.lang b/htdocs/langs/ru_RU/cashdesk.lang index b2c6b72c08f..e8cb3ce3ca3 100644 --- a/htdocs/langs/ru_RU/cashdesk.lang +++ b/htdocs/langs/ru_RU/cashdesk.lang @@ -57,7 +57,7 @@ Paymentnumpad=Тип панели для ввода платежа Numberspad=Цифровая клавиатура BillsCoinsPad=Блокнот для монет и банкнот DolistorePosCategory=Модули TakePOS и другие POS-решения для Dolibarr -TakeposNeedsCategories=TakePOS нужна как минимум одна категория продуктов для работы +TakeposNeedsCategories=Для работы TakePOS требуется хотя бы один продукт категория TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=Для работы TakePOS требуется как минимум 1 категория продуктов в категории %s . OrderNotes=Можно добавить заметки к каждому заказанному элементу CashDeskBankAccountFor=Аккаунт по умолчанию для платежей в @@ -76,7 +76,7 @@ TerminalSelect=Выберите терминал, который хотите и POSTicket=POS-тикет POSTerminal=POS Терминал POSModule=Модуль POS -BasicPhoneLayout=Использовать базовую раскладку для телефонов +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Настройка терминала %s не завершена DirectPayment=Прямая оплата DirectPaymentButton=Добавить кнопку "Прямой платеж наличными" @@ -99,7 +99,7 @@ ByTerminal=По терминалу TakeposNumpadUsePaymentIcon=Используйте значок вместо текста на кнопках оплаты цифровой клавиатуры CashDeskRefNumberingModules=Модуль нумерации для продаж POS CashDeskGenericMaskCodes6 =
      {TN} тег используется для добавления номера терминала -TakeposGroupSameProduct=Группируйте одинаковые продуктовые линейки +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Начать новую параллельную продажу SaleStartedAt=Продажа началась на %s ControlCashOpening=Открыть всплывающее окно «Управление кассой» при открытии POS @@ -118,7 +118,7 @@ ScanToOrder=Отсканируйте QR-код для заказа Appearance=Появление HideCategoryImages=Скрыть изображения категорий HideProductImages=Скрыть изображения продуктов -NumberOfLinesToShow=Количество строк изображения для показа +NumberOfLinesToShow=Максимум номер из линии текста в Показать на миниатюрных изображениях DefineTablePlan=Определить план таблиц GiftReceiptButton=Добавьте кнопку "Подарочная квитанция" GiftReceipt=Квитанция о подарке @@ -135,13 +135,21 @@ PrintWithoutDetailsLabelDefault=Метка линии по умолчанию п PrintWithoutDetails=Печать без деталей YearNotDefined=Год не определен TakeposBarcodeRuleToInsertProduct=Правило штрих-кода для вставки продукта -TakeposBarcodeRuleToInsertProductDesc=Правило извлечения артикула продукта + количества из отсканированного штрих-кода.
      Если пусто (значение по умолчанию), приложение будет использовать полный отсканированный штрих-код для поиска продукта.

      Если определено, синтаксис должен быть:
      ссылок: NB + Qu: NB + QD: NB + другое: NB
      , где NB это количество символов, используемый для извлечения данных из отсканированного штрих-кода с:
      • исх : название продукта
      • Qu : количество для набора при вставке товара (единицы)
      • QD : количество для набора при вставке элемента (десятичный)
      • друг : другие символы
      -AlreadyPrinted=Already printed -HideCategories=Hide categories -HideStockOnLine=Hide stock on line -ShowOnlyProductInStock=Show the products in stock -ShowCategoryDescription=Show category description -ShowProductReference=Show reference of products -UsePriceHT=Use price excl. taxes and not price incl. taxes -TerminalName=Terminal %s -TerminalNameDesc=Terminal name +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Уже напечатано +HideCategories=Скрыть весь раздел выделения категории +HideStockOnLine=Скрыть остаток на линия +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Ссылка на Показать или метка из продукты +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Терминал %s +TerminalNameDesc=Имя терминала +DefaultPOSThirdLabel=Универсальный вариант TakePOS клиент +DefaultPOSCatLabel=Точка продажа (POS) продукты +DefaultPOSProductLabel=продукт Пример для TakePOS +TakeposNeedsPayment=Для работы TakePOS требуется метод платеж. Хотите ли вы создать платеж > метод 'Денежные средства'? +LineDiscount=линия скидка +LineDiscountShort=линия диск. +InvoiceDiscount=счет-фактура скидка +InvoiceDiscountShort=счет-фактура диск. diff --git a/htdocs/langs/ru_RU/categories.lang b/htdocs/langs/ru_RU/categories.lang index b15b5fc5b5a..b5c1a4ffac0 100644 --- a/htdocs/langs/ru_RU/categories.lang +++ b/htdocs/langs/ru_RU/categories.lang @@ -42,7 +42,7 @@ MemberHasNoCategory=У этого участника нет тегов/кате ContactHasNoCategory=У этого контакта нет тегов/категорий ProjectHasNoCategory=У этого проекта нет тегов/категорий ClassifyInCategory=Добавить в тег/категорию -RemoveCategory=Remove category +RemoveCategory=Удалить категория NotCategorized=Без тега/категории CategoryExistsAtSameLevel=Категория к таким кодом уже существует ContentsVisibleByAllShort=Содержимое доступно всем @@ -68,7 +68,7 @@ StockCategoriesShort=Теги/категории склада ThisCategoryHasNoItems=Эта категория не содержит никаких элементов. CategId=ID тега/категории ParentCategory=Родительский тег/категория -ParentCategoryID=ID of parent tag/category +ParentCategoryID=ID из родитель ярлык/категория ParentCategoryLabel=Метка родительского тега/категории CatSupList=Список тегов/категорий поставщиков CatCusList=Список тегов/категорий клиентов/лидов @@ -89,7 +89,7 @@ ExtraFieldsCategories=Дополнительные атрибуты CategoriesSetup=Настройка тегов/категорий CategorieRecursiv=Автоматическая ссылка на родительский тег/категорию CategorieRecursivHelp=Если опция включена, при добавлении объекта в подкатегорию объект также будет добавлен в родительские категории. -AddProductServiceIntoCategory=Assign category to the product/service +AddProductServiceIntoCategory=Назначьте категория для продукт/услуга AddCustomerIntoCategory=Присвоить категорию клиенту AddSupplierIntoCategory=Присвоить категорию поставщику AssignCategoryTo=Присвоить категорию @@ -97,9 +97,10 @@ ShowCategory=Показать тег/категорию ByDefaultInList=По умолчанию в списке ChooseCategory=Выберите категорию StocksCategoriesArea=Категории складов -TicketsCategoriesArea=Tickets Categories +TicketsCategoriesArea=талоны категории ActionCommCategoriesArea=Категории событий WebsitePagesCategoriesArea=Категории страниц-контейнеров KnowledgemanagementsCategoriesArea=Категории записей управления знаниями UseOrOperatorForCategories=Используйте оператор "ИЛИ" для категорий -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Назначьте категория +Position=Позиция diff --git a/htdocs/langs/ru_RU/holiday.lang b/htdocs/langs/ru_RU/holiday.lang index abd7c9d9dd0..7c2b927ce1f 100644 --- a/htdocs/langs/ru_RU/holiday.lang +++ b/htdocs/langs/ru_RU/holiday.lang @@ -5,7 +5,7 @@ Holiday=Отпуск CPTitreMenu=Отпуск MenuReportMonth=Ежемесячная выписка MenuAddCP=Новый запрос на отпуск -MenuCollectiveAddCP=New collective leave request +MenuCollectiveAddCP=New collective leave NotActiveModCP=Для просмотра этой страницы необходимо включить модуль «Оставить». AddCP=Подать заявление на отпуск DateDebCP=Начальная дата @@ -58,7 +58,7 @@ ConfirmDeleteCP=Подтверждаете удаление этого заяв ErrorCantDeleteCP=У вас нет прав доступа для удаления этого заявления на отпуск. CantCreateCP=У вас нет прав доступа для создания заявлений на отпуск. InvalidValidatorCP=Вы должны выбрать утверждающего для вашего запроса на отпуск. -InvalidValidator=The user chosen isn't an approver. +InvalidValidator=Выбранный пользователь не является утверждающим. NoDateDebut=Вы должны выбрать начальную дату. NoDateFin=Вы должны выбрать конечную дату. ErrorDureeCP=Ваше заявление на отпуск не включает в себя рабочие дни. @@ -82,8 +82,8 @@ MotifCP=Причина UserCP=Пользователь ErrorAddEventToUserCP=Возникла ошибка при добавлении исключительного отпуска. AddEventToUserOkCP=Добавление исключительного отпуска успешно завершено. -ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be filled in -fusionGroupsUsers=The groups field and the user field will be merged +ErrorFieldRequiredUserOrGroup=Поле «группа» или поле «пользователь» должно быть заполнено. +fusionGroupsUsers=Поле групп и и поле пользователь будут объединены MenuLogCP=Просмотр журналов изменений LogCP=Журнал всех обновлений, внесенных в «Отпускной баланс» ActionByCP=Обновлено @@ -91,18 +91,18 @@ UserUpdateCP=Обновлено для PrevSoldeCP=Предыдущий баланс NewSoldeCP=Новый баланс alreadyCPexist=Заявление на отпуск в этот период уже существует. -UseralreadyCPexist=A leave request has already been done on this period for %s. +UseralreadyCPexist=Запрос на отпуск в этот период уже был отправлен для %s. groups=Группы users=Пользователи -AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request -AutoValidationOnCreate=Automatic validation +AutoSendMail=Автоматическая рассылка +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave +AutoValidationOnCreate=Автоматически подтверждение FirstDayOfHoliday=Начальный день подачи заявки на отпуск LastDayOfHoliday=Конечный день запроса на отпуск HolidaysMonthlyUpdate=Ежемесячное обновление ManualUpdate=Ручное обновление -HolidaysCancelation=Отмена заявления на отпуск +HolidaysCancelation=Оставить заявку на отмену EmployeeLastname=Фамилия сотрудника EmployeeFirstname=Имя сотрудника TypeWasDisabledOrRemoved=Тип отпуска (идентификатор %s) был отключен или удален @@ -143,15 +143,15 @@ FreeLegalTextOnHolidays=Свободный текст в PDF WatermarkOnDraftHolidayCards=Водяные знаки на запросах на отпуск HolidaysToApprove=Праздники утвердить NobodyHasPermissionToValidateHolidays=Никто не имеет права проверять запросы на отпуск -HolidayBalanceMonthlyUpdate=Monthly update of leave balance -XIsAUsualNonWorkingDay=%s обычно НЕ рабочий день +HolidayBalanceMonthlyUpdate=Ежемесячное обновление информации об отпуске баланс +XIsAUsualNonWorkingDay=%s обычно НЕрабочий день. BlockHolidayIfNegative=Блокировать, если баланс отрицательный LeaveRequestCreationBlockedBecauseBalanceIsNegative=Создание этого запроса на отпуск заблокировано, так как ваш баланс отрицательный ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Запрос на отпуск %s должен быть черновиком, отменен или отказано в удалении -IncreaseHolidays=Increase leave balance -HolidayRecordsIncreased= %s leave balances increased -HolidayRecordIncreased=Leave balance increased -ConfirmMassIncreaseHoliday=Bulk leave balance increase -NumberDayAddMass=Number of day to add to the selection -ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? -HolidayQtyNotModified=Balance of remaining days for %s has not been changed +IncreaseHolidays=Увеличение отпуска баланс +HolidayRecordsIncreased= %s оставьте балансы увеличенным +HolidayRecordIncreased=Оставьте баланс увеличенным +ConfirmMassIncreaseHoliday=Массовое удаление баланс увеличения +NumberDayAddMass=номер дня, который нужно добавить в выборку +ConfirmMassIncreaseHolidayQuestion=Вы действительно хотите, чтобы увеличить выходной для выбранных записей %s? +HolidayQtyNotModified=баланс оставшихся дней для %s не изменилось diff --git a/htdocs/langs/ru_RU/hrm.lang b/htdocs/langs/ru_RU/hrm.lang index 2bd9af3a0ac..026ddf4fbd0 100644 --- a/htdocs/langs/ru_RU/hrm.lang +++ b/htdocs/langs/ru_RU/hrm.lang @@ -26,6 +26,7 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Описание рангов по умолчан deplacement=Сдвиг DateEval=Дата оценки JobCard=Карточка вакансии +NewJobProfile=New Job Profile JobProfile=Job profile JobsProfiles=Job profiles NewSkill=Новый навык @@ -36,7 +37,7 @@ rank=Ранг ErrNoSkillSelected=Навык не выбран ErrSkillAlreadyAdded=Этот навык уже есть в списке SkillHasNoLines=У этого навыка нет линий -skill=Навык +Skill=Навык Skills=Навыки и умения SkillCard=Карта навыков EmployeeSkillsUpdated=Обновлены навыки сотрудников (см. Вкладку «Навыки» карточки сотрудника). @@ -44,10 +45,13 @@ Eval=Оценка Evals=Оценки NewEval=Новая оценка ValidateEvaluation=Подтвердить оценку -ConfirmValidateEvaluation=Вы уверены, что хотите подтвердить эту оценку со ссылкой %s? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=Оценочная карта RequiredRank=Required rank for the job profile +RequiredRankShort=Required rank +PositionsWithThisProfile=Positions with this job profiles EmployeeRank=Звание сотрудника по этому навыку +EmployeeRankShort=Employee rank EmployeePosition=Должность сотрудника EmployeePositions=Должности сотрудников EmployeesInThisPosition=Сотрудники на этой должности @@ -56,21 +60,21 @@ group2ToCompare=Вторая группа пользователей для ср OrJobToCompare=Compare to skill requirements of a job profile difference=Разница CompetenceAcquiredByOneOrMore=Компетенция, приобретенная одним или несколькими пользователями, но не запрошенная вторым компаратором -MaxlevelGreaterThan=Максимальный уровень больше запрошенного -MaxLevelEqualTo=Максимальный уровень, равный этому требованию -MaxLevelLowerThan=Максимальный уровень ниже, чем требуется -MaxlevelGreaterThanShort=Уровень сотрудника выше запрошенного -MaxLevelEqualToShort=Уровень сотрудников соответствует этому спросу -MaxLevelLowerThanShort=Уровень сотрудников ниже, чем этот спрос +MaxlevelGreaterThan=Employee level is greater than the expected level +MaxLevelEqualTo=Employee level is equals to the expected level +MaxLevelLowerThan=Employee level is lower than that the expected level +MaxlevelGreaterThanShort=Level greater than expected +MaxLevelEqualToShort=Level equal to the expected level +MaxLevelLowerThanShort=Level lower than expected SkillNotAcquired=Навык приобретен не всеми пользователями и запрошен вторым компаратором legend=Легенда TypeSkill=Тип навыка -AddSkill=Добавьте навыки к работе -RequiredSkills=Необходимые навыки для этой работы +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile UserRank=Рейтинг пользователя SkillList=Список навыков SaveRank=Сохранить рейтинг -TypeKnowHow=Знать как +TypeKnowHow=Know-how TypeHowToBe=Как быть TypeKnowledge=Знания AbandonmentComment=Комментарий об отказе @@ -85,8 +89,9 @@ VacantCheckboxHelper=Отметив эту опцию, вы увидите не SaveAddSkill = Добавлены навыки SaveLevelSkill = Уровень навыков сохранен DeleteSkill = Навык удален -SkillsExtraFields=Дополнительные атрибуты (компетенции) -JobsExtraFields=Attributs supplémentaires (Job profile) -EvaluationsExtraFields=Дополнительные атрибуты (оценки) +SkillsExtraFields=Complementary attributes (Skills) +JobsExtraFields=Complementary attributes (Job profile) +EvaluationsExtraFields=Complementary attributes (Evaluations) NeedBusinessTravels=Need business travels NoDescription=No description +TheJobProfileHasNoSkillsDefinedFixBefore=The evaluated job profile of this employee has no skill defined on it. Please add skill(s), then delete and restart the evaluation. diff --git a/htdocs/langs/ru_RU/main.lang b/htdocs/langs/ru_RU/main.lang index d7c732ea616..dd6f94ed126 100644 --- a/htdocs/langs/ru_RU/main.lang +++ b/htdocs/langs/ru_RU/main.lang @@ -34,9 +34,9 @@ NoTemplateDefined=Для этого типа электронной почты AvailableVariables=Доступны переменные для замены NoTranslation=Нет перевода Translation=Перевод -Translations=Translations +Translations=Переводы CurrentTimeZone=Текущий часовой пояс в настройках PHP -EmptySearchString=Введите непустые критерии поиска +EmptySearchString=входить непустые критерии поиска EnterADateCriteria=Введите критерии даты NoRecordFound=Запись не найдена NoRecordDeleted=Нет удаленных записей @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Не удалось отправить почту (отп ErrorFileNotUploaded=Файл не был загружен. Убедитесь, что его размер не превышает максимально допустимое значение, свободное место имеется на диске, и файл с таким же именем не существует в этом каталоге. ErrorInternalErrorDetected=Обнаружена ошибка ErrorWrongHostParameter=Неверный параметр хоста -ErrorYourCountryIsNotDefined=Ваша страна не определена. Перейдите Главная-Настройки-Редактировать и снова отправьте форму. +ErrorYourCountryIsNotDefined=Ваша страна не определена. Перейдите к Главная-настройка-компания/Фонд и опубликуйте форма еще раз. ErrorRecordIsUsedByChild=Не удалось удалить эту запись. Эта запись используется, по крайней мере, одной дочерней записью. ErrorWrongValue=Неправильное значение ErrorWrongValueForParameterX=Неправильное значение параметра %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Ошибка, ставки НДС не у ErrorNoSocialContributionForSellerCountry=Ошибка, не определен тип социальных/налоговых взносов для страны %s. ErrorFailedToSaveFile=Ошибка, не удалось сохранить файл. ErrorCannotAddThisParentWarehouse=Вы пытаетесь добавить родительский склад, который уже является дочерним по отношению к существующему складу +ErrorInvalidSubtype=Выбранный подтип не разрешен FieldCannotBeNegative=Поле "%s" не может быть отрицательным MaxNbOfRecordPerPage=Макс. количество записей на странице NotAuthorized=Вы не авторизованы чтобы сделать это. @@ -103,7 +104,8 @@ RecordGenerated=Запись сгенерирована LevelOfFeature=Уровень возможностей NotDefined=Неопределено DolibarrInHttpAuthenticationSoPasswordUseless=Режим аутентификации Dolibarr установлен в %s в файле конфигурации conf.php.
      Это означает, что Dolibarr хранит пароли во внешней базе, поэтому изменение этого поля может не помочь. -Administrator=Администратор +Administrator=Системный администратор +AdministratorDesc=Системный администратор (может администрировать пользователь, разрешения, а также системные настройка и < конфигурация span class='notranslate'>модули
      ) Undefined=Неопределено PasswordForgotten=Забыли пароль? NoAccount=Нет аккаунта? @@ -211,8 +213,8 @@ Select=Выбор SelectAll=Выбрать все Choose=Выберите Resize=Изменение размера +Crop=Обрезать ResizeOrCrop=Изменение размера или обрезка -Recenter=Восстановить Author=Автор User=Пользователь Users=Пользователи @@ -224,7 +226,7 @@ NoUserGroupDefined=Не задана группа для пользовател Password=Пароль PasswordRetype=Повторите свой пароль NoteSomeFeaturesAreDisabled=Обратите внимание, что многие функции/модули отключены в этой демонстрации. -YourUserFile=Your user file +YourUserFile=Ваш пользователь файл Name=Имя NameSlashCompany=Имя / Компания Person=Персона @@ -235,8 +237,8 @@ PersonalValue=Личное значение NewObject=Новый %s NewValue=Новое значение OldValue=Старое значение %s -FieldXModified=Field %s modified -FieldXModifiedFromYToZ=Field %s modified from %s to %s +FieldXModified=Поле %s изменено +FieldXModifiedFromYToZ=Поле %s изменено с %s на %s CurrentValue=Текущее значение Code=Код Type=Тип @@ -312,8 +314,8 @@ UserValidation=Проверка пользователя UserCreationShort=Создан. пользователь UserModificationShort=Измен. пользователь UserValidationShort=Действительно. пользователь -UserClosing=Closing user -UserClosingShort=Closing user +UserClosing=Закрытие пользователь +UserClosingShort=Закрытие пользователь DurationYear=год DurationMonth=месяц DurationWeek=неделя @@ -348,7 +350,7 @@ MonthOfDay=Месяц дня DaysOfWeek=Дни недели HourShort=ч MinuteShort=мин. -SecondShort=sec +SecondShort=сек Rate=Курс CurrencyRate=Курс обмена валют UseLocalTax=Включить налог @@ -493,7 +495,7 @@ ActionsOnContact=Событие для этого контакта/адреса ActionsOnContract=События для этого контракта ActionsOnMember=События этого участника ActionsOnProduct=События об этом продукте -ActionsOnAsset=Events for this fixed asset +ActionsOnAsset=События для этого фиксированного актив NActionsLate=%s с опозданием ToDo=Что сделать Completed=Завершено @@ -517,7 +519,7 @@ NotYetAvailable=Пока не доступно NotAvailable=Не доступно Categories=Теги/категории Category=Тег/категория -SelectTheTagsToAssign=Select the tags/categories to assign +SelectTheTagsToAssign=Выберите ярлыки/категории, чтобы назначить By=Автор From=От FromDate=С @@ -547,6 +549,7 @@ Reportings=Отчеты Draft=Черновик Drafts=Черновики StatusInterInvoiced=Выставлен счет +Done=Завершено Validated=Подтверждено ValidatedToProduce=Подтверждено (для производства) Opened=Открытые @@ -558,7 +561,7 @@ Unknown=Неизвестно General=Общее Size=Размер OriginalSize=Оригинальный размер -RotateImage=Rotate 90° +RotateImage=Поворот на 90° Received=Получено Paid=Оплачено Topic=Тема @@ -698,6 +701,7 @@ Response=Ответ Priority=Приоритет SendByMail=Послать по электронной почте MailSentBy=Электронное письмо отправлено +MailSentByTo=Письмо отправлено с пользователя %s на адрес %s NotSent=Не отправлено TextUsedInTheMessageBody=Текст сообщения электронной почты SendAcknowledgementByMail=Отправить подтверждение на электронную почту @@ -722,12 +726,13 @@ RecordModifiedSuccessfully=Запись успешно изменена RecordsModified=%s запись(ей) изменено RecordsDeleted=%s запись(ей) удалено RecordsGenerated=%s запись(ей) создано +ValidatedRecordWhereFound = Некоторые из выбранных записей уже проверены. Ни одна запись не была удалена. AutomaticCode=Автоматический код FeatureDisabled=Функция отключена MoveBox=Переместить виджет Offered=Предложено NotEnoughPermissions=У вас нет разрешений на это действие -UserNotInHierachy=This action is reserved to the supervisors of this user +UserNotInHierachy=Это действие зарезервировано для руководителей этого пользователь SessionName=Имя Сессии Method=Метод Receive=Получить @@ -764,11 +769,10 @@ DisabledModules=Отключенные модули For=Для ForCustomer=Для клиента Signature=Подпись -DateOfSignature=Дата подписи HidePassword=Показать команду со скрытым паролем UnHidePassword=Показать реальную команду с открытым паролем Root=Корень -RootOfMedias=Корень публичных медиа (/medias) +RootOfMedias=Корень общественных СМИ (/medias) Informations=Информация Page=Страница Notes=Примечания @@ -817,7 +821,7 @@ URLPhoto=Адрес фотографии/логотипа SetLinkToAnotherThirdParty=Ссылка на другого контрагента LinkTo=Ссылка LinkToProposal=Ссылка для предложения -LinkToExpedition= Link to expedition +LinkToExpedition= ссылка в экспедицию LinkToOrder=Ссылка для заказа LinkToInvoice=Ссылка для счета LinkToTemplateInvoice=Ссылка на шаблон счета @@ -903,9 +907,9 @@ MassFilesArea=Пространство для пакетных действий ShowTempMassFilesArea=Показать область для пакетных действий с файлами ConfirmMassDeletion=Подтверждение пакетного удаления ConfirmMassDeletionQuestion=Вы уверены, что хотите удалить %s выбранных записей? -ConfirmMassClone=Bulk clone confirmation -ConfirmMassCloneQuestion=Select project to clone to -ConfirmMassCloneToOneProject=Clone to project %s +ConfirmMassClone=Подтверждение массового клонирования +ConfirmMassCloneQuestion=Выберите проект для клонирования. +ConfirmMassCloneToOneProject=Клонировать в проект %s RelatedObjects=Связанные объекты ClassifyBilled=Классифицировать выставленный счет ClassifyUnbilled=Классифицировать без выставления счетов @@ -916,6 +920,7 @@ BackOffice=Бэк-офис Submit=Представлять на рассмотрение View=Вид Export=Экспорт +Import=Импортировать Exports=Экспорт ExportFilteredList=Экспорт отфильтрованного списка ExportList=Экспорт списка @@ -928,7 +933,7 @@ NotAllExportedMovementsCouldBeRecordedAsExported=Не все экспортир Miscellaneous=Разное Calendar=Календарь GroupBy=Группировка по... -GroupByX=Group by %s +GroupByX=Группировать по %s ViewFlatList=Вид плоским списком ViewAccountList=Посмотреть бухгалтерскую книгу ViewSubAccountList=Просмотр книги вспомогательного счета @@ -940,7 +945,7 @@ DirectDownloadInternalLink=Частная ссылка для скачивани PrivateDownloadLinkDesc=Вам необходимо войти в систему и получить разрешения на просмотр или загрузку файла. Download=Загрузка DownloadDocument=Скачать документ -DownloadSignedDocument=Download signed document +DownloadSignedDocument=Скачать подписанный документ ActualizeCurrency=Обновить текущий курс Fiscalyear=Финансовый год ModuleBuilder=Конструктор Модулей и Приложений @@ -949,7 +954,7 @@ BulkActions=Массовые действия ClickToShowHelp=Нажмите для отображения подсказок WebSite=Веб-сайт WebSites=Веб-сайты -WebSiteAccounts=Аккаунты сайта +WebSiteAccounts=Учетные записи веб-доступа ExpenseReport=Отчёт о затратах ExpenseReports=Отчёты о затратах HR=Кадры @@ -1066,7 +1071,7 @@ SearchIntoContracts=Договоры SearchIntoCustomerShipments=Отгрузки клиентам SearchIntoExpenseReports=Отчёты о затратах SearchIntoLeaves=Отпуск -SearchIntoKM=Knowledge base +SearchIntoKM=База знаний SearchIntoTickets=Тикеты SearchIntoCustomerPayments=Платежи клиентов SearchIntoVendorPayments=Платежи поставщику @@ -1077,6 +1082,7 @@ CommentPage=Комментарии CommentAdded=Комментарий добавлен CommentDeleted=Комментарий удален Everybody=Общий проект +EverybodySmall=Общий проект PayedBy=Оплачивается PayedTo=Оплатить до Monthly=ежемесячно @@ -1089,7 +1095,7 @@ KeyboardShortcut=Сочетание клавиш AssignedTo=Ответств. Deletedraft=Удалить черновик ConfirmMassDraftDeletion=Подтверждение пакетного удаления Черновиков -FileSharedViaALink=К файлу предоставлен доступ по публичной ссылке +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Сначала выберите контрагента ... YouAreCurrentlyInSandboxMode=В настоящее время вы в %s режиме "песочницы" Inventory=Инвентаризация @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Задача ContactDefault_propal=Предложение ContactDefault_supplier_proposal=Предложение поставщика ContactDefault_ticket=Тикет -ContactAddedAutomatically=Контакт добавлен из сторонних контактов контакта +ContactAddedAutomatically=Контакт добавлен из сторонних ролей контактов More=Более ShowDetails=Показать детали CustomReports=Пользовательские отчеты @@ -1138,7 +1144,7 @@ DeleteFileText=Вы действительно хотите удалить эт ShowOtherLanguages=Показать другие языки SwitchInEditModeToAddTranslation=Переключитесь в режим редактирования, чтобы добавить переводы для этого языка NotUsedForThisCustomer=Не используется для этого клиента -NotUsedForThisVendor=Not used for this vendor +NotUsedForThisVendor=Не используется для этого поставщика AmountMustBePositive=Сумма должна быть положительной ByStatus=По статусу InformationMessage=Информация @@ -1160,28 +1166,28 @@ UpdateForAllLines=Обновление для всех линий OnHold=На удерживании Civility=Вежливость AffectTag=Назначить тег -AffectUser=Assign a User -SetSupervisor=Set the supervisor +AffectUser=Назначьте пользователь +SetSupervisor=Установить супервизора CreateExternalUser=Создать внешнего пользователя -ConfirmAffectTag=Массовое назначение тегов -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) -ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate +ConfirmAffectTag=Массовое назначение ярлык +ConfirmAffectUser=Массовое назначение пользователь +ProjectRole=Роль, назначенная каждому проект/возможность +TasksRole=Роль, назначенная каждому задание (если используется) +ConfirmSetSupervisor=Массовый набор супервизоров +ConfirmUpdatePrice=Выберите увеличение/уменьшить цена ставка ConfirmAffectTagQuestion=Вы уверены, что хотите присвоить теги выбранным записям %s? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? +ConfirmAffectUserQuestion=Вы действительно хотите назначить пользователей выбранным записям %s? +ConfirmSetSupervisorQuestion=Вы действительно хотите, чтобы назначить супервизору выбранные записи %s? +ConfirmUpdatePriceQuestion=Вы действительно хотите обновить цена выбранных записей %s? CategTypeNotFound=Тип тега для типа записей не найден Rate=Курс -SupervisorNotFound=Supervisor not found +SupervisorNotFound=Руководитель не найден CopiedToClipboard=Скопировано в буфер обмена InformationOnLinkToContract=Эта сумма представляет собой только сумму всех строк контракта. Время не принимается во внимание. ConfirmCancel=Вы уверены, что хотите отменить EmailMsgID=Электронная почта MsgID -EmailDate=Email date -SetToStatus=Set to status %s +EmailDate=Электронная почта дата +SetToStatus=Установите значение статус %s SetToEnabled=Включено SetToDisabled=Отключено ConfirmMassEnabling=подтверждение массового включения @@ -1210,32 +1216,47 @@ Terminated=Прекращено AddLineOnPosition=Добавить строку в позицию (в конце, если пусто) ConfirmAllocateCommercial=Назначение подтверждения торгового представителя ConfirmAllocateCommercialQuestion=Вы уверены, что хотите назначить выбранные записи %s? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned -YourMessage=Your message +CommercialsAffected=продажи назначены представители +CommercialAffected=торговый представитель назначено +YourMessage=Ваше сообщение YourMessageHasBeenReceived=Ваше сообщение было получено. Мы ответим или свяжемся с вами в ближайшее время. -UrlToCheck=Url to check -Automation=Automation -CreatedByEmailCollector=Created by Email collector -CreatedByPublicPortal=Created from Public portal -UserAgent=User Agent +UrlToCheck=URL-адрес проверить +Automation=Автоматизация +CreatedByEmailCollector=Создано сборщиком электронной почты +CreatedByPublicPortal=Создано на публичном портале +UserAgent=пользователь Агент InternalUser=Внутренний пользователь ExternalUser=Внешний пользователь -NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. -HideOnVCard=Hide %s -AddToContacts=Add address to my contacts -LastAccess=Last access -UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here -LastPasswordChangeDate=Last password change date -PublicVirtualCardUrl=Virtual business card page URL -PublicVirtualCard=Virtual business card -TreeView=Tree view -DropFileToAddItToObject=Drop a file to add it to this object -UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +NoSpecificContactAddress=Нет конкретного контакта или адреса +NoSpecificContactAddressBis=Эта вкладка предназначена для принудительного использования определенных контактов или адресов для текущего объекта. Используйте его только в том случае, если вы хотите определить для объекта один или несколько конкретных контактов или адресов, когда информации о третьем лице недостаточно или неточно. +HideOnVCard=Скрыть %s +AddToContacts=Добавить адрес в мои контакты +LastAccess=Последний доступ +UploadAnImageToSeeAPhotoHere=загрузить изображение с вкладки %s, чтобы посмотреть фотографию здесь +LastPasswordChangeDate=Последняя смена пароля дата +PublicVirtualCardUrl=URL-адрес страницы виртуальной визитной карточки +PublicVirtualCard=Виртуальная визитка +TreeView=В виде дерева +DropFileToAddItToObject=Перетащите файл, чтобы добавить его к этому объекту. +UploadFileDragDropSuccess=файлбыли загружены успешно +SearchSyntaxTooltipForStringOrNum=Для поиска внутри текстовых полей вы можете использовать символы ^ или $, чтобы выполнить поиск «начинаться или заканчиваться на», или использовать ! сделать тест «не содержит». Вы можете использовать | между двумя строками вместо пробела для условия «ИЛИ» вместо «и». Для числовых значений вы можете использовать оператор <, >, <=, >= или != перед значением для фильтрации с использованием математического сравнения. InProgress=В процессе -DateOfPrinting=Date of printing -ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. -UserNotYetValid=Not yet valid +DateOfPrinting=дата печати +ClickFullScreenEscapeToLeave=Нажмите здесь, чтобы переключиться в полноэкранный режим. Нажмите ESCAPE, чтобы выйти из полноэкранного режима. +UserNotYetValid=Еще не действительно UserExpired=Истек +LinkANewFile=Создать ссылку на файл или документ +LinkedFiles=Ссылки на файлы и документы +NoLinkFound=Нет зарегистрированных ссылок +LinkComplete=Создана ссылка на файл +ErrorFileNotLinked=Не возможно создать ссылку на файл +LinkRemoved=Ссылка на файл %s удалена +ErrorFailedToDeleteLink= При удалении ссылки на файл '%s' возникла ошибка +ErrorFailedToUpdateLink= При обновлении ссылки на файл '%s' возникла ошибка +URLToLink=URL-адрес ссылка +OverwriteIfExists=Перезаписать, если файл существует +AmountSalary=зарплата сумма +InvoiceSubtype=Подтип счет-фактура +ConfirmMassReverse=Массовое обратное подтверждение +ConfirmMassReverseQuestion=Вы действительно хотите, чтобы отменить выбранные записи %s? + diff --git a/htdocs/langs/ru_RU/oauth.lang b/htdocs/langs/ru_RU/oauth.lang index b47eab8bf7e..ab7a749dc2b 100644 --- a/htdocs/langs/ru_RU/oauth.lang +++ b/htdocs/langs/ru_RU/oauth.lang @@ -9,14 +9,15 @@ HasAccessToken=Токен был сгенерирован и сохранен в NewTokenStored=Токен получен и сохранен ToCheckDeleteTokenOnProvider=Щелкните здесь, чтобы проверить/удалить авторизацию, сохраненную поставщиком OAuth %s TokenDeleted=Токен удален -GetAccess=Click here to get a token +GetAccess=Нажмите здесь, чтобы получить жетон RequestAccess=Нажмите здесь, чтобы запросить/обновить доступ и получить новый токен DeleteAccess=Нажмите здесь, чтобы удалить токен -UseTheFollowingUrlAsRedirectURI=Используйте следующий URL-адрес в качестве URI перенаправления при создании учетных данных с помощью поставщика OAuth: +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Добавьте поставщиков токенов OAuth2. Затем перейдите на страницу администратора поставщика OAuth, чтобы создать/получить идентификатор OAuth и секрет и сохранить их здесь. После этого перейдите на другую вкладку, чтобы сгенерировать токен. OAuthSetupForLogin=Страница для управления (создания/удаления) токенов OAuth SeePreviousTab=См. Предыдущую вкладку -OAuthProvider=OAuth provider +OAuthProvider=Поставщик OAuth OAuthIDSecret=Идентификатор и секрет OAuth TOKEN_REFRESH=Присутствует обновление токена TOKEN_EXPIRED=Срок действия токена истек @@ -28,14 +29,14 @@ OAUTH_GOOGLE_SECRET=OAuth Google Secret OAUTH_GITHUB_NAME=Сервис OAuth GitHub OAUTH_GITHUB_ID=Идентификатор OAuth GitHub OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret +OAUTH_URL_FOR_CREDENTIAL=Перейдите на эту страницу на создать или получите свой OAuth ID и Секрет OAUTH_STRIPE_TEST_NAME=Тест OAuth Stripe OAUTH_STRIPE_LIVE_NAME=OAuth Stripe в работе -OAUTH_ID=OAuth Client ID -OAUTH_SECRET=OAuth secret -OAUTH_TENANT=OAuth tenant -OAuthProviderAdded=OAuth provider added -AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists -URLOfServiceForAuthorization=URL provided by OAuth service for authentication -Scopes=Permissions (Scopes) -ScopeUndefined=Permissions (Scopes) undefined (see previous tab) +OAUTH_ID=Клиент OAuth ID +OAUTH_SECRET=Секрет OAuth +OAUTH_TENANT=Клиент OAuth +OAuthProviderAdded=Добавлен поставщик OAuth +AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=Запись OAuth для этого поставщика и метка уже существует +URLOfServiceForAuthorization=URL-адрес, предоставленный OAuth услуга для Аутентификация +Scopes=Разрешения (области действия) +ScopeUndefined=Разрешения (области) не определены (см. предыдущую вкладку) diff --git a/htdocs/langs/ru_RU/products.lang b/htdocs/langs/ru_RU/products.lang index 8cd513ae198..e1b3bc46ae6 100644 --- a/htdocs/langs/ru_RU/products.lang +++ b/htdocs/langs/ru_RU/products.lang @@ -80,8 +80,11 @@ SoldAmount=Сумма продажи PurchasedAmount=Сумма покупки NewPrice=Новая цена MinPrice=Мин. цена продажи +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=Изменить ярлык цены продажи -CantBeLessThanMinPrice=Продажная цена не может быть ниже минимальной для этого товара (%s без налогов). Это сообщение также возникает, если вы задаёте слишком большую скидку. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Закрытые ErrorProductAlreadyExists=Продукции с учетом% уже существует. ErrorProductBadRefOrLabel=Неправильное значение для справки или этикетку. @@ -347,16 +350,17 @@ UseProductFournDesc=Добавьте функцию для определени ProductSupplierDescription=Описание продавца продукта UseProductSupplierPackaging=Используйте функцию «упаковки» для округления количества до заданного кратного значения (при добавлении/обновлении строки в документах поставщика пересчитывайте количество и закупочные цены в соответствии с более высоким множителем, установленным в закупочных ценах продукта) PackagingForThisProduct=Упаковка количества -PackagingForThisProductDesc=Вы автоматически приобретете кратное этому количеству. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=Количество линии пересчитано в соответствии с упаковкой поставщика. #Attributes +Attributes=Атрибуты VariantAttributes=Вариант атрибутов ProductAttributes=Вариант атрибутов для продуктов ProductAttributeName=Атрибут варианта %s ProductAttribute=Вариант атрибута ProductAttributeDeleteDialog=Вы действительно хотите удалить этот атрибут? Все значения будут удалены. -ProductAttributeValueDeleteDialog=Вы уверены, что хотите удалить значение «%s» со ссылкой «%s» этого атрибута? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Вы действительно хотите удалить вариант продукта «%s»? ProductCombinationAlreadyUsed=При удалении варианта произошла ошибка. Пожалуйста, проверьте, что он не используется ни в одном объекте ProductCombinations=Варианты @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=При попытке удалить сущест NbOfDifferentValues=Кол-во разных значений NbProducts=Количество продуктов ParentProduct=Родительский продукт +ParentProductOfVariant=Parent product of variant HideChildProducts=Скрыть варианты продуктов ShowChildProducts=Показать варианты продуктов NoEditVariants=Перейдите в карточку родительского продукта и отредактируйте влияние вариантов на цену на вкладке вариантов. @@ -417,7 +422,7 @@ ErrorsProductsMerge=Ошибки в объединении продуктов SwitchOnSaleStatus=Включить статус продажи SwitchOnPurchaseStatus=Включить статус покупки UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Дополнительные поля (стоковое движение) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Дополнительные поля (инвентарь) ScanOrTypeOrCopyPasteYourBarCodes=Отсканируйте или введите или скопируйте/вставьте свои штрих-коды PuttingPricesUpToDate=Обновить цены с текущими известными ценами @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Выберите дополнительное поле, ConfirmEditExtrafieldQuestion = Вы уверены, что хотите изменить это дополнительное поле? ModifyValueExtrafields = Изменить значение дополнительного поля OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/ru_RU/projects.lang b/htdocs/langs/ru_RU/projects.lang index 23e787b5b21..fa527595c18 100644 --- a/htdocs/langs/ru_RU/projects.lang +++ b/htdocs/langs/ru_RU/projects.lang @@ -23,7 +23,7 @@ TasksPublicDesc=Эта точка зрения представляет всех TasksDesc=Эта точка зрения представляет всех проектов и задач (разрешений пользователей предоставить вам разрешение для просмотра всего). AllTaskVisibleButEditIfYouAreAssigned=Все задачи для квалифицированных проектов видны, но вы можете ввести время только для задачи, назначенной выбранному пользователю. Назначьте задачу, если вам нужно ввести на нее время. OnlyYourTaskAreVisible=Видны только назначенные вам задачи. Если вам нужно ввести время для задачи, и если задача не отображается здесь, то вам необходимо назначить задачу себе. -ImportDatasetProjects=Projects or opportunities +ImportDatasetProjects=Проекты или Возможности ImportDatasetTasks=Задачи проектов ProjectCategories=Теги/категории проекта NewProject=Новый проект @@ -33,22 +33,23 @@ DeleteATask=Удалить задание ConfirmDeleteAProject=Вы уверены, что хотите удалить этот проект? ConfirmDeleteATask=Вы уверены, что хотите удалить эту задачу? OpenedProjects=Открытые проекты -OpenedProjectsOpportunities=Open opportunities +OpenedProjectsOpportunities=открыть Возможности OpenedTasks=Открытые задачи OpportunitiesStatusForOpenedProjects=Ведет количество открытых проектов по статусу OpportunitiesStatusForProjects=Ведет количество проектов по статусу ShowProject=Показать проекта ShowTask=Показать задачу -SetThirdParty=Set third party +SetThirdParty=Установить третье лицо SetProject=Комплекс проектов -OutOfProject=Out of project +OutOfProject=За пределами проект NoProject=Нет проекта определена NbOfProjects=Количество проектов NbOfTasks=Кол-во задач +TimeEntry=Учет времени TimeSpent=Время, затраченное +TimeSpentSmall=Время, затраченное на посредничество TimeSpentByYou=Затраченное мной время TimeSpentByUser=Затраченное пользователем время -TimesSpent=Время, проведенное TaskId=ID задачи RefTask=Задание исх. LabelTask=Ярлык задачи @@ -82,7 +83,7 @@ MyProjectsArea=Мои проекты Площадь DurationEffective=Эффективная длительность ProgressDeclared=Заявленный реальный прогресс TaskProgressSummary=Прогресс задачи -CurentlyOpenedTasks=Текущие открытые задачи +CurentlyOpenedTasks=Текущие задачи открыть TheReportedProgressIsLessThanTheCalculatedProgressionByX=Заявленный реальный прогресс меньше %s, чем прогресс по потреблению TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Заявленный реальный прогресс больше %s, чем прогресс по потреблению ProgressCalculated=Прогресс по потреблению @@ -122,12 +123,12 @@ TaskHasChild=У задачи есть дочерний элемент NotOwnerOfProject=Не владелец этого частного проекта AffectedTo=Затронутые в CantRemoveProject=Этот проект нельзя удалить, так как на него ссылаются некоторые другие объекты (счет-фактура, заказы или другие). См. Вкладку «%s». -ValidateProject=Проверка Projet +ValidateProject=подтвердить проект ConfirmValidateProject=Вы уверены, что хотите проверить этот проект? CloseAProject=Закрыть проект ConfirmCloseAProject=Вы уверены, что хотите закрыть этот проект? AlsoCloseAProject=Также закрыть проект -AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it +AlsoCloseAProjectTooltip=Сохраните его, открыть, если вам все еще нужно выполнять на нем производственные задачи. ReOpenAProject=Открытый проект ConfirmReOpenAProject=Вы уверены, что хотите снова открыть этот проект? ProjectContact=Контакты проекта @@ -203,7 +204,7 @@ InputPerMonth=Ввод в месяц InputDetail=Детализация ввода TimeAlreadyRecorded=Это время, уже зарегистрированное для этой задачи/день, и пользователь %s ProjectsWithThisUserAsContact=Проекты с этим пользователем в качестве контакта -ProjectsWithThisContact=Projects with this third-party contact +ProjectsWithThisContact=Проекты с этим сторонним контактом TasksWithThisUserAsContact=Задачи, возложенные на этого пользователя ResourceNotAssignedToProject=Не привязан к проекту ResourceNotAssignedToTheTask=Не назначен на задачу @@ -226,7 +227,7 @@ ProjectsStatistics=Статистика по проектам или сделк TasksStatistics=Статистика по задачам проектов или сделок TaskAssignedToEnterTime=Задача поставлена. Учет времени на эту задачу должен быть возможен. IdTaskTime=Id время задачи -YouCanCompleteRef=Если вы хотите дополнить ссылку каким-либо суффиксом, рекомендуется добавить символ -, чтобы отделить его, чтобы автоматическая нумерация по-прежнему работала правильно для следующих проектов. Например %s-MYSUFFIX +YouCanCompleteRef=Если вы хотите дополнить ссылка каким-либо суффиксом, рекомендуется добавить символ - для его разделения, чтобы автоматическая нумерация по-прежнему работала правильно для следующего Проекты. Для Пример %s-MYSUFFIX OpenedProjectsByThirdparties=Открытые проекты контрагентов OnlyOpportunitiesShort=Только сделки OpenedOpportunitiesShort=Открытые сделки @@ -260,7 +261,7 @@ RecordsClosed=%s проект(ы) закрыт(ы) SendProjectRef=Информационный проект %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Модуль «Заработная плата» должен быть включен, чтобы определять почасовую ставку сотрудника, чтобы время, потраченное на него, было оценено. NewTaskRefSuggested=Ссылка на задачу уже используется, требуется новая ссылка на задачу -NumberOfTasksCloned=%s task(s) cloned +NumberOfTasksCloned=%s задание(s) клонированы TimeSpentInvoiced=Время, затраченное на оплату TimeSpentForIntervention=Время, затраченное на посредничество TimeSpentForInvoice=Время, проведенное @@ -300,4 +301,4 @@ EnablePublicLeadForm=Включить общедоступную форму дл NewLeadbyWeb=Ваше сообщение или запрос записаны. Мы ответим или свяжемся с вами в ближайшее время. NewLeadForm=Новая контактная форма LeadFromPublicForm=Лид онлайн из публичной формы -ExportAccountingReportButtonLabel=Get report +ExportAccountingReportButtonLabel=Получить отчет diff --git a/htdocs/langs/ru_RU/propal.lang b/htdocs/langs/ru_RU/propal.lang index 6608ec50b32..282258991ba 100644 --- a/htdocs/langs/ru_RU/propal.lang +++ b/htdocs/langs/ru_RU/propal.lang @@ -12,9 +12,11 @@ NewPropal=Новое предложение Prospect=Проспект DeleteProp=Удалить коммерческого предложения ValidateProp=Проверка коммерческого предложения +CancelPropal=Отмена AddProp=Создать предложение ConfirmDeleteProp=Вы уверены, что хотите удалить это коммерческое предложение? ConfirmValidateProp=Вы уверены, что хотите подтвердить это коммерческое предложение под именем %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Последние предложения %s LastModifiedProposals=Последние измененные предложения %s AllPropals=Все предложения @@ -27,11 +29,13 @@ NbOfProposals=Количество коммерческих предложени ShowPropal=Показать предложение PropalsDraft=Черновики PropalsOpened=Открытые +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Проект (должно быть подтверждено) PropalStatusValidated=Удостоверенная (предложение открыто) PropalStatusSigned=Подпись (в законопроекте) PropalStatusNotSigned=Не подписал (закрытые) PropalStatusBilled=Выставлен счет +PropalStatusCanceledShort=Отменена PropalStatusDraftShort=Черновик PropalStatusValidatedShort=Подтверждено (открыто) PropalStatusClosedShort=Закрытые @@ -55,6 +59,7 @@ CopyPropalFrom=Создание коммерческого предложени CreateEmptyPropal=Создать пустое коммерческое предложение или из списка продуктов/услуг DefaultProposalDurationValidity=По умолчанию коммерческого предложения действительности продолжительность (в днях) DefaultPuttingPricesUpToDate=По умолчанию обновить цены с текущими известными ценами на клонирование предложения +DefaultPuttingDescUpToDate=по умолчанию обновить описания текущими известными описаниями при клонировании предложение UseCustomerContactAsPropalRecipientIfExist=В качестве адреса получателя предложения используйте контакт/адрес с типом "Контактное последующее предложение", если он определен, вместо стороннего адреса. ConfirmClonePropal=Вы уверены, что хотите клонировать коммерческое предложение %s? ConfirmReOpenProp=Вы уверены, что хотите снова открыть коммерческое предложение %s? @@ -89,13 +94,13 @@ ConfirmMassSignatureQuestion=Вы уверены, что хотите подпи ConfirmMassValidation=Массовое подтверждение подтверждения ConfirmMassValidationQuestion=Вы уверены, что хотите проверить выбранные записи? ConfirmRefusePropal=Вы уверены, что хотите отказаться от этого коммерческого предложения? -ContractSigned=Contract signed +ContractSigned=Заключен договор DefaultModelPropalClosed=Шаблон по умолчанию, когда закрывается коммерческое предложение (не оплаченное) DefaultModelPropalCreate=Создание модели по умолчанию DefaultModelPropalToBill=Шаблон по умолчанию, когда закрывается коммерческое предложение (для создания счёта) DocModelAzurDescription=Полная модель предложения (старая реализация шаблона Cyan) DocModelCyanDescription=Полная модель предложения -FichinterSigned=Intervention signed +FichinterSigned=вмешательство подписано IdProduct=идантификационный номер продукта IdProposal=ID предложения IsNotADraft=это не черновик @@ -112,7 +117,8 @@ ProposalsStatisticsSuppliers=Статистика предложений пос RefusePropal=Отказаться от предложения Sign=Подписать SignContract=Стандарт -SignFichinter=Sign intervention +SignFichinter=Подпишите вмешательство +SignSociete_rib=Sign mandate SignPropal=Принять предложение Signed=подписал SignedOnly=Только подписано diff --git a/htdocs/langs/ru_RU/receptions.lang b/htdocs/langs/ru_RU/receptions.lang index 5fc7dd40e87..58cad748e84 100644 --- a/htdocs/langs/ru_RU/receptions.lang +++ b/htdocs/langs/ru_RU/receptions.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - receptions -ReceptionDescription=Vendor reception management (Create reception documents) -ReceptionsSetup=Vendor Reception setup +ReceptionDescription=Управление приемом поставщика (создание приемных документов) +ReceptionsSetup=Настройка приема поставщиков RefReception=Ссылка поступление Reception=Поступление Receptions=Поступлдения @@ -24,22 +24,23 @@ ReceptionsAndReceivingForSameOrder=Квитанции и чеки по этом ReceptionsToValidate=Поступления для проверки StatusReceptionCanceled=Отменена StatusReceptionDraft=Черновик -StatusReceptionValidated=Validated (products to receive or already received) -StatusReceptionValidatedToReceive=Validated (products to receive) -StatusReceptionValidatedReceived=Validated (products received) +StatusReceptionValidated=Подтверждено (продукты для получения или уже получены) +StatusReceptionValidatedToReceive=Утверждено (продукты для получения) +StatusReceptionValidatedReceived=Утверждено (продукты получены) StatusReceptionProcessed=Обработано StatusReceptionDraftShort=Черновик StatusReceptionValidatedShort=Утверждена StatusReceptionProcessedShort=Обработано ReceptionSheet=Лист поступления +ValidateReception=Validate reception ConfirmDeleteReception=Вы уверены, что хотите удалить это поступление? -ConfirmValidateReception=Вы уверены, что хотите подтвердить это поступление со ссылкой %s? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Вы уверены, что хотите отменить это поступление? -StatsOnReceptionsOnlyValidated=Статистика по поступлениям только проверенная. Используемая дата - это дата подтверждения поступления (планируемая дата доставки не всегда известна). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Отправить получение по электронной почте SendReceptionRef=Подача поступления %s ActionsOnReception=События на поступление -ReceptionCreationIsDoneFromOrder=For the moment, creation of a new reception is done from the Purchase Order. +ReceptionCreationIsDoneFromOrder=На данный момент создание нового приема осуществляется из Заказа на поставку. ReceptionLine=Линия поступления ProductQtyInReceptionAlreadySent=Количество товара из уже отправленного открытого заказа на продажу ProductQtyInSuppliersReceptionAlreadyRecevied=Количество продукта из открытого заказа поставщика уже получено @@ -48,7 +49,10 @@ ReceptionsNumberingModules=Модуль нумерации поступлени ReceptionsReceiptModel=Шаблоны документов для поступления NoMorePredefinedProductToDispatch=Больше нет готовых продуктов для отправки ReceptionExist=Поступление существует -ByingPrice=Цена покупки -ReceptionBackToDraftInDolibarr=Reception %s back to draft -ReceptionClassifyClosedInDolibarr=Reception %s classified Closed -ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +ReceptionBackToDraftInDolibarr=Прием %s обратно в черновик +ReceptionClassifyClosedInDolibarr=Прием %s классифицировано Закрыто +ReceptionUnClassifyCloseddInDolibarr=Прием %s повторно открыт +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/ru_RU/sendings.lang b/htdocs/langs/ru_RU/sendings.lang index 86de731fadd..ffa5d03743c 100644 --- a/htdocs/langs/ru_RU/sendings.lang +++ b/htdocs/langs/ru_RU/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Утверждена StatusSendingProcessedShort=Обработано SendingSheet=Лист поставки ConfirmDeleteSending=Вы уверены, что хотите удалить этот груз? -ConfirmValidateSending=Вы уверены, что хотите подтвердить эту отправку со ссылкой %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Вы уверены, что хотите отменить эту доставку? DocumentModelMerou=Модель Merou A5 WarningNoQtyLeftToSend=Внимание, нет товаров ожидающих отправки. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Количество товаров NoProductToShipFoundIntoStock=Товаров для отправки не обнаружено на складе %s. Исправьте запас или вернитесь, чтобы выбрать другой склад. WeightVolShort=Вес / об. ValidateOrderFirstBeforeShipment=Вы должны сначала подтвердить заказ перед отправкой. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Вес товара в сумме # warehouse details DetailWarehouseNumber= Детали склада DetailWarehouseFormat= W: %s (Кол-во: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/ru_RU/website.lang b/htdocs/langs/ru_RU/website.lang index 9f365d709e3..bd1f9a8ad46 100644 --- a/htdocs/langs/ru_RU/website.lang +++ b/htdocs/langs/ru_RU/website.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - website Shortname=Код -WebsiteName=Name of the website +WebsiteName=Имя веб-сайт WebsiteSetupDesc=Создайте здесь веб-сайты, которые вы хотите использовать. Затем перейдите в меню «Сайты», чтобы отредактировать их. DeleteWebsite=Удалить сайт ConfirmDeleteWebsite=Вы уверены, что хотите удалить этот веб-сайт? Все его страницы и контент также будут удалены. Загруженные файлы (например, в каталог medias, модуль ECM, ...) останутся. @@ -11,13 +11,13 @@ WEBSITE_ALIASALT=Альтернативные имена/псевдонимы с WEBSITE_ALIASALTDesc=Используйте здесь список других имен/псевдонимов, чтобы к странице можно было получить доступ, используя эти другие имена/псевдонимы (например, старое имя после переименования псевдонима, чтобы обратная ссылка на старую ссылку/имя работала). Синтаксис:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=URL внешнего файла CSS WEBSITE_CSS_INLINE=Содержимое файла CSS (общее для всех страниц) -WEBSITE_JS_INLINE=Содержимое файла Javascript (общее для всех страниц) +WEBSITE_JS_INLINE=Содержимое JavaScript файл (общее для всех страниц) WEBSITE_HTML_HEADER=Добавление внизу заголовка HTML (общее для всех страниц) WEBSITE_ROBOT=Файл робота (robots.txt) WEBSITE_HTACCESS=Файл .htaccess веб-сайта WEBSITE_MANIFEST_JSON=Файл manifest.json веб-сайта WEBSITE_KEYWORDSDesc=Используйте запятую для разделения значений -EnterHereReadmeInformation=Enter here a description of the website. If you distribute your website as a template, the file will be included into the temptate package. +EnterHereReadmeInformation=входить здесь Описание из веб-сайт. Если вы распространяете свой веб-сайт в качестве шаблона, файл будет включен в пакет temptate. EnterHereLicenseInformation=Введите здесь ЛИЦЕНЗИЮ кода сайта. Если вы распространяете свой веб-сайт в виде шаблона, файл будет включен в пакет temptate. HtmlHeaderPage=Заголовок HTML (только для этой страницы) PageNameAliasHelp=Имя или псевдоним страницы.
      Этот псевдоним также используется для подделки URL-адреса SEO, когда веб-сайт запускается с виртуального хоста веб-сервера (например, Apacke, Nginx, ...). Используйте кнопку «%s», чтобы изменить этот псевдоним. @@ -43,8 +43,8 @@ ViewPageInNewTab=Просмотреть страницу в новой вкла SetAsHomePage=Установить в качестве домашней страницы RealURL=Реальный URL ViewWebsiteInProduction=Просмотр веб-сайта с использованием домашних URL-адресов -Virtualhost=Virtual host or domain name -VirtualhostDesc=The name of the Virtual host or domain (For example: www.mywebsite.com, mybigcompany.net, ...) +Virtualhost=Виртуальный хост или доменное имя +VirtualhostDesc=Имя виртуального хоста или домена (для Пример: www.mywebsite.com, mybigcompany.net, ...) SetHereVirtualHost=Использовать с Apache/NGinx/...
      Создайте на своем веб-сервере (Apache, Nginx, ...) выделенный виртуальный хост с включенным PHP и корневым каталогом в
      %s ExampleToUseInApacheVirtualHostConfig=Пример использования в настройке виртуального хоста Apache: YouCanAlsoTestWithPHPS=Использование со встроенным сервером PHP
      В среде разработки вы можете предпочесть протестировать сайт с помощью встроенного веб-сервера PHP (требуется PHP 5.5), запустив
      php -S 0.0.0.0:8080 -t %s @@ -60,10 +60,11 @@ NoPageYet=Страниц пока нет YouCanCreatePageOrImportTemplate=Вы можете создать новую страницу или импортировать полный шаблон сайта. SyntaxHelp=Справка по конкретным советам по синтаксису YouCanEditHtmlSourceckeditor=Вы можете редактировать исходный код HTML с помощью кнопки «Источник» в редакторе. -YouCanEditHtmlSource=
      Вы можете включить PHP-код в этот источник, используя теги <?php ?>. Доступны следующие глобальные переменные: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Вы также можете включить содержимое другой страницы/контейнера со следующим синтаксисом:
      <?php includeContainer('alias_of_container_to_include'); ?>

      Вы можете выполнить перенаправление на другую страницу/контейнер со следующим синтаксисом (Примечание: не выводите какой-либо контент перед перенаправлением):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      Чтобы добавить ссылку на другую страницу, используйте следующий синтаксис:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      Чтобы включить ссылку для загрузки файла, хранящегося в каталоге documents, используйте оболочку document.php:
      Пример для файла в documents/ecm (необходимо зарегистрировать), синтаксис:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Для файла в documents/medias (открытый каталог для общего доступа) синтаксис:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      Для файла, к которому предоставлен общий доступ по ссылке общего доступа (открытый доступ с использованием хеш-ключа общего доступа к файлу), синтаксис следующий:
      <a href="/document.php?hashp=publicsharekeyoffile">

      Чтобы включить изображение, хранящееся в каталоге documents, используйте оболочку viewimage.php:
      Например, для изображения в documents/medias (открытый каталог для общего доступа) синтаксис:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Для изображения, к которому предоставлен общий доступ по ссылке общего доступа (открытый доступ с использованием хеш-ключа общего доступа к файлу), синтаксис следующий:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      Дополнительные примеры HTML или динамического кода доступны в в вики-документации
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Клонировать страницу/контейнер CloneSite=Клонировать сайт SiteAdded=Сайт добавлен @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Извините, этот веб-сайт в н WEBSITE_USE_WEBSITE_ACCOUNTS=Включить таблицу учетной записи веб-сайта WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Включите таблицу для хранения учетных записей веб-сайтов (логин/пароль) для каждого веб-сайта / третьей стороны YouMustDefineTheHomePage=Вы должны сначала определить домашнюю страницу по умолчанию -OnlyEditionOfSourceForGrabbedContentFuture=Предупреждение: создание веб-страницы путем импорта внешней веб-страницы зарезервировано для опытных пользователей. В зависимости от сложности исходной страницы результат импорта может отличаться от оригинала. Кроме того, если исходная страница использует общие стили CSS или конфликтующий JavaScript, это может нарушить внешний вид или функции редактора веб-сайта при работе с этой страницей. Этот метод является более быстрым способом создания страницы, но рекомендуется создавать новую страницу с нуля или из предложенного шаблона страницы.
      Обратите внимание, что встроенный редактор может работать некорректно при использовании на захваченной внешней странице. +OnlyEditionOfSourceForGrabbedContentFuture=Предупреждение. Создание веб-страницы путем импорта внешней веб-страницы предназначено для опытных пользователей. В зависимости от сложности исходной страницы результат импорта может отличаться от оригинала. Кроме того, если исходная страница использует общие стили CSS или конфликтующий JavaScript, это может нарушить внешний вид или функции редактора веб-сайт при работе с этой страницей. Этот метод — более быстрый способ создать создать страницу, но рекомендуется создать создать новую страницу с нуля или с предложенной страницы. template.
      Обратите также внимание, что встроенный редактор может работать неправильно при использовании на захваченной внешней странице. OnlyEditionOfSourceForGrabbedContent=Только редактирование исходного кода HTML возможно, если контент был получен с внешнего сайта. GrabImagesInto=Также возьмите изображения, найденные в css и page. ImagesShouldBeSavedInto=Изображения должны быть сохранены в каталог @@ -112,13 +113,13 @@ GoTo=Перейти к DynamicPHPCodeContainsAForbiddenInstruction=Вы добавляете динамический код PHP, который содержит инструкцию PHP '%s', которая по умолчанию запрещена как динамическое содержимое (см. Скрытые параметры WEBSITE_PHP_ALLOW_xxx для увеличения списка разрешенных команд). NotAllowedToAddDynamicContent=У вас нет разрешения на добавление или редактирование динамического содержимого PHP на веб-сайтах. Спросите разрешения или просто сохраните код в тегах php без изменений. ReplaceWebsiteContent=Поиск или замена содержимого веб-сайта -DeleteAlsoJs=Удалить также все файлы javascript, относящиеся к этому веб-сайту? -DeleteAlsoMedias=Удалить также все файлы мультимедиа, относящиеся к этому веб-сайту? +DeleteAlsoJs=удалить также все файлы JavaScript, относящиеся к этому веб-сайт? +DeleteAlsoMedias=удалить также все медиафайлы, относящиеся к этому веб-сайт? MyWebsitePages=Страницы моего сайта SearchReplaceInto=Поиск | Заменить на ReplaceString=Новая строка CSSContentTooltipHelp=Введите сюда содержимое CSS. Чтобы избежать конфликта с CSS приложения, обязательно добавляйте все объявления к классу .bodywebsite. Например:

      #mycssselector, input.myclass: hover {...}
      должен иметь значение
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Примечание. Если у вас есть большой файл без этого префикса, вы можете использовать 'lessc', чтобы преобразовать его, чтобы везде добавлять префикс .bodywebsite. -LinkAndScriptsHereAreNotLoadedInEditor=Предупреждение: этот контент выводится только при доступе к сайту с сервера. Он не используется в режиме редактирования, поэтому, если вам нужно загрузить файлы javascript также в режиме редактирования, просто добавьте свой тег script src = ... на страницу. +LinkAndScriptsHereAreNotLoadedInEditor=Внимание: этот контент выводится только при доступе к сайту с сервера. Он не используется в режиме редактирования, поэтому, если вам нужно загружать файлы JavaScript также и в режиме редактирования, просто добавьте на страницу свой ярлык 'script src=...'. Dynamiccontent=Образец страницы с динамическим контентом ImportSite=Импортировать шаблон сайта EditInLineOnOff=Режим 'Редактировать в строке': %s @@ -148,15 +149,18 @@ ImportFavicon=Фавикон ErrorFaviconType=Фавикон должен быть в формате png. ErrorFaviconSize=Размер Favicon должен быть 16x16, 32x32 или 64x64. FaviconTooltip=Загрузите изображение в формате png (16x16, 32x32 или 64x64). -NextContainer=Next page/container -PreviousContainer=Previous page/container -WebsiteMustBeDisabled=The website must have the status "%s" -WebpageMustBeDisabled=The web page must have the status "%s" -SetWebsiteOnlineBefore=When website is offline, all pages are offline. Change status of website first. -Booking=Booking -Reservation=Reservation -PagesViewedPreviousMonth=Pages viewed (previous month) -PagesViewedTotal=Pages viewed (total) +NextContainer=Следующая страница/контейнер +PreviousContainer=Предыдущая страница/контейнер +WebsiteMustBeDisabled=веб-сайт должен иметь статус "%s" +WebpageMustBeDisabled=Веб-страница должна иметь статус "%s" +SetWebsiteOnlineBefore=Когда веб-сайт находится в автономном режиме, все страницы находятся в автономном режиме. Сначала измените статус на веб-сайт. +Booking=Бронирование +Reservation=Бронирование +PagesViewedPreviousMonth=Просмотрено страниц (за предыдущий месяц) +PagesViewedTotal=Просмотрено страниц (всего) Visibility=Видимость -Everyone=Everyone -AssignedContacts=Assigned contacts +Everyone=Каждый +AssignedContacts=Назначенные контакты +WebsiteTypeLabel=Тип веб-сайта +WebsiteTypeDolibarrWebsite=Веб-сайт (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Родной портал Долибарра diff --git a/htdocs/langs/ru_RU/withdrawals.lang b/htdocs/langs/ru_RU/withdrawals.lang index 84eeafd9ffa..f11fdf4b0c4 100644 --- a/htdocs/langs/ru_RU/withdrawals.lang +++ b/htdocs/langs/ru_RU/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Сделайте запрос на перевод кред WithdrawRequestsDone=%s записанные запросы на платеж прямым дебетом BankTransferRequestsDone=Запросы на перевод кредита %s записаны ThirdPartyBankCode=Код стороннего банка -NoInvoiceCouldBeWithdrawed=Счет-фактура не списана успешно. Убедитесь, что счета выставлены на компании с действующим IBAN и что IBAN имеет UMR (уникальный мандат) с режимом %s . +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=Эта квитанция о снятии средств уже помечена как зачисленная; это нельзя сделать дважды, так как это потенциально может привести к дублированию платежей и банковских операций. ClassCredited=Классифицировать зачисленных ClassDebited=Классифицировать списанные @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Вы уверены, что вы хотите ввес RefusedData=Дата отказа RefusedReason=Причина для отказа RefusedInvoicing=Счета отказ -NoInvoiceRefused=Не заряжайте отказ -InvoiceRefused=Счёт отклонён (отказ платежа клиентом) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Статус дебет/кредит StatusWaiting=Ожидание StatusTrans=Передающиеся @@ -103,7 +106,7 @@ ShowWithdraw=Показать распоряжение о прямом дебе IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Однако, если в счете есть хотя бы одно платежное поручение по прямому дебету, которое еще не обработано, оно не будет установлено как оплаченное, чтобы обеспечить возможность предварительного управления снятием средств. DoStandingOrdersBeforePayments=Эта вкладка позволяет запросить платежное поручение на прямой дебет. После этого вы можете перейти в меню «Банк->Оплата прямым дебетом», чтобы создать и управлять файлом поручения на прямой дебет. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=Эта вкладка позволяет запросить заказ кредитного перевода. После этого перейдите в меню «Банк-> Оплата кредитным переводом», чтобы создать и управлять файлом заказа на кредитный перевод. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Файл дебетового поручения @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Дата подписания мандата RUMLong=Уникальная ссылка на мандат RUMWillBeGenerated=Если пусто, после сохранения информации о банковском счете будет сгенерирован UMR (уникальный мандат). -WithdrawMode=Режим прямого дебета (FRST или RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Сумма прямого дебетового запроса: BankTransferAmount=Сумма запроса на перевод кредита: WithdrawRequestErrorNilAmount=Невозможно создать запрос на прямой дебет для пустой суммы. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Имя вашего банковского счета (IBAN) SEPAFormYourBIC=Ваш банковский идентификационный код (BIC) SEPAFrstOrRecur=Тип платежа ModeRECUR=Периодический платеж +ModeRCUR=Recurring payment ModeFRST=Единовременный платеж PleaseCheckOne=Пожалуйста, отметьте только один CreditTransferOrderCreated=Создано поручение на перевод кредита %s @@ -155,9 +159,16 @@ InfoTransData=Сумма: %s
      Метод: %s
      Дата: %s InfoRejectSubject=Платежное поручение на прямой дебет отклонено InfoRejectMessage=Здравствуйте,

      платежное поручение прямого дебета по счету %s, относящемуся к компании %s, на сумму %s было отклонено банком.

      --
      %s ModeWarning=Вариант для реального режима не был установлен, мы останавливаемся после этого моделирования -ErrorCompanyHasDuplicateDefaultBAN=Компания с идентификатором %s имеет более одного банковского счета по умолчанию. Невозможно узнать, какой из них использовать. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Отсутствует ICS на банковском счете %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Общая сумма прямого дебетового поручения отличается от суммы строк WarningSomeDirectDebitOrdersAlreadyExists=Предупреждение: уже есть несколько незавершенных заказов на прямой дебет (%s), запрошенных на сумму %s. WarningSomeCreditTransferAlreadyExists=Предупреждение: уже есть незавершенный кредитный перевод (%s), запрошенный на сумму %s. UsedFor=Используется для %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Зарплата +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/ru_RU/workflow.lang b/htdocs/langs/ru_RU/workflow.lang index a5e753ca226..59f76192b17 100644 --- a/htdocs/langs/ru_RU/workflow.lang +++ b/htdocs/langs/ru_RU/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Автоматически создав descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Автоматически создавать счет клиента после закрытия заказа на продажу (новый счет будет иметь ту же сумму, что и заказ) descWORKFLOW_TICKET_CREATE_INTERVENTION=При создании заявки автоматически создайте вмешательство. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Классифицируйте связанное исходное предложение как выставленное, если для заказа на продажу выставлен счет (и если сумма заказа совпадает с общей суммой подписанного связанного предложения) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Классифицировать предложение из связанного источника как выставленное по счету при проверке счета клиента (и если сумма счета совпадает с общей суммой подписанного связанного предложения) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Классифицируйте связанный исходный заказ на продажу как выставленный по счету при проверке счета клиента (и если сумма счета совпадает с общей суммой связанного заказа) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Классифицируйте связанный исходный заказ на продажу как выставленный, если для счета-фактуры клиента задано значение оплаченного (и если сумма счета-фактуры совпадает с общей суммой связанного заказа) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Классифицируйте связанный исходный заказ на продажу как отгруженный, когда отгрузка проверена (и если количество отгружено по всем отгрузкам такое же, как в заказе на обновление) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Классифицируйте связанный исходный заказ на продажу как отгруженный, когда отгрузка закрывается (и если количество, отгруженное всеми отгрузками, такое же, как в заказе на обновление) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Классифицируйте предложение поставщика связанного источника как выставленное как выставленное при проверке счета поставщика (и если сумма счета совпадает с общей суммой связанного предложения) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Классифицируйте связанный исходный заказ на покупку как выставленный как выставленный, когда счет-фактура поставщика проверяется (и если сумма счета-фактуры совпадает с общей суммой связанного заказа) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Классифицировать связанный исходный заказ на покупку как полученный, когда прием подтвержден (и если количество, полученное всеми приемами, такое же, как в заказе на покупку для обновления) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Классифицировать связанный исходный заказ на покупку как полученный, когда прием закрыт (и если количество, полученное всеми приемами, такое же, как в заказе на покупку для обновления) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=При создании тикета свяжите доступные контракты соответствующей третьей стороны +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=При привязке договоров искать среди договоров материнских компаний # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Закройте все вмешательства, связанные с заявкой, когда заявка закрыта AutomaticCreation=Автоматическое создание AutomaticClassification=Автоматическая классификация -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Классифицировать отгрузку из связанного источника как закрытую, когда счет клиента подтвержден (и если сумма счета-фактуры совпадает с общей суммой связанных отгрузок) AutomaticClosing=Автоматическое закрытие AutomaticLinking=Автоматическое связывание diff --git a/htdocs/langs/sk_SK/accountancy.lang b/htdocs/langs/sk_SK/accountancy.lang index 0e50c697adc..ac4edd65d27 100644 --- a/htdocs/langs/sk_SK/accountancy.lang +++ b/htdocs/langs/sk_SK/accountancy.lang @@ -10,137 +10,140 @@ ACCOUNTING_EXPORT_AMOUNT=Exportovať sumu ACCOUNTING_EXPORT_DEVISE=Exportovať menu Selectformat=Vyberte formát súboru ACCOUNTING_EXPORT_FORMAT=Vyberte formát súboru -ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type +ACCOUNTING_EXPORT_ENDLINE=Vyberte typ návratu vozíka ACCOUNTING_EXPORT_PREFIX_SPEC=Zadajte predponu pre názov súboru -ThisService=This service -ThisProduct=This product -DefaultForService=Default for services -DefaultForProduct=Default for products -ProductForThisThirdparty=Product for this thirdparty -ServiceForThisThirdparty=Service for this thirdparty -CantSuggest=Can't suggest +ThisService=Táto služba +ThisProduct=Tento produkt +DefaultForService=Predvolené pre služby +DefaultForProduct=Predvolené pre produkty +ProductForThisThirdparty=Produkt pre túto tretiu stranu +ServiceForThisThirdparty=Služba pre túto tretiu stranu +CantSuggest=Nedá sa navrhnúť AccountancySetupDoneFromAccountancyMenu=Väčšina nastavení účtovníctva sa vykonáva z menu %s -ConfigAccountingExpert=Configuration of the module accounting (double entry) +ConfigAccountingExpert=Konfigurácia účtovania modulu (dvojité zadávanie) Journalization=Journalization Journals=časopisy JournalFinancial=Finančné časopisy BackToChartofaccounts=Vráťte účtovnú schému Chartofaccounts=Účtovná schéma -ChartOfSubaccounts=Chart of individual accounts -ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger +ChartOfSubaccounts=Tabuľka jednotlivých účtov +ChartOfIndividualAccountsOfSubsidiaryLedger=Schéma jednotlivých účtov dcérskej účtovnej knihy CurrentDedicatedAccountingAccount=Aktuálny vyhradený účet -AssignDedicatedAccountingAccount=New account to assign -InvoiceLabel=Invoice label -OverviewOfAmountOfLinesNotBound=Overview of amount of lines not bound to an accounting account -OverviewOfAmountOfLinesBound=Overview of amount of lines already bound to an accounting account -OtherInfo=Other information -DeleteCptCategory=Remove accounting account from group -ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group? -JournalizationInLedgerStatus=Status of journalization -AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger -GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group -DetailByAccount=Show detail by account -DetailBy=Detail by -AccountWithNonZeroValues=Accounts with non-zero values -ListOfAccounts=List of accounts -CountriesInEEC=Countries in EEC -CountriesNotInEEC=Countries not in EEC -CountriesInEECExceptMe=Countries in EEC except %s -CountriesExceptMe=All countries except %s -AccountantFiles=Export source documents -ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). -ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. -ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. -VueByAccountAccounting=View by accounting account -VueBySubAccountAccounting=View by accounting subaccount +AssignDedicatedAccountingAccount=Nový účet na priradenie +InvoiceLabel=Fakturačný štítok +OverviewOfAmountOfLinesNotBound=Prehľad o množstve riadkov neviazaných na účtovný účet +OverviewOfAmountOfLinesBound=Prehľad množstva riadkov už viazaných na účtovný účet +OtherInfo=Ďalšie informácie +DeleteCptCategory=Odstráňte účtovný účet zo skupiny +ConfirmDeleteCptCategory=Naozaj chcete odstrániť tento účtovný účet zo skupiny účtovných účtov? +JournalizationInLedgerStatus=Stav žurnalizácie +AlreadyInGeneralLedger=Už prenesené do účtovných denníkov a účtovnej knihy +NotYetInGeneralLedger=Zatiaľ neprevedené do účtovných denníkov a účtovnej knihy +GroupIsEmptyCheckSetup=Skupina je prázdna, skontrolujte nastavenie personalizovanej účtovnej skupiny +DetailByAccount=Zobraziť podrobnosti podľa účtu +DetailBy=Detail podľa +AccountWithNonZeroValues=Účty s nenulovými hodnotami +ListOfAccounts=Zoznam účtov +CountriesInEEC=Krajiny v EHS +CountriesNotInEEC=Krajiny, ktoré nie sú v EHS +CountriesInEECExceptMe=Krajiny v EHS okrem %s +CountriesExceptMe=Všetky krajiny okrem %s +AccountantFiles=Export zdrojových dokumentov +ExportAccountingSourceDocHelp=Pomocou tohto nástroja môžete vyhľadávať a exportovať zdrojové udalosti, ktoré sa používajú na generovanie vášho účtovníctva.
      Exportovaný súbor ZIP bude obsahovať zoznamy požadovaných položiek vo formáte CSV, ako aj ich priložené súbory v ich pôvodnom formáte (PDF, ODT, DOCX...). +ExportAccountingSourceDocHelp2=Ak chcete exportovať svoje denníky, použite položku ponuky %s - %s. +ExportAccountingProjectHelp=Ak potrebujete účtovnú zostavu len pre konkrétny projekt, zadajte projekt. Správy o výdavkoch a splátky pôžičiek nie sú zahrnuté v projektových správach. +ExportAccountancy=Exportné účtovníctvo +WarningDataDisappearsWhenDataIsExported=Pozor, tento zoznam obsahuje iba účtovné položky, ktoré ešte neboli exportované (dátum exportu je prázdny). Ak chcete zahrnúť už exportované účtovné zápisy, kliknite na tlačidlo vyššie. +VueByAccountAccounting=Zobrazenie podľa účtovného účtu +VueBySubAccountAccounting=Zobraziť podľa účtovného podúčtu -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup -MainAccountForUsersNotDefined=Main accounting account for users not defined in setup -MainAccountForVatPaymentNotDefined=Main accounting account for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Main accounting account for subscription payment not defined in setup -UserAccountNotDefined=Accounting account for user not defined in setup +MainAccountForCustomersNotDefined=Hlavný účet (z účtovnej osnovy) pre zákazníkov, ktorí nie sú definovaní v nastavení +MainAccountForSuppliersNotDefined=Hlavný účet (z účtovnej osnovy) pre dodávateľov, ktorí nie sú definovaní v nastavení +MainAccountForUsersNotDefined=Hlavný účet (z účtovnej osnovy) pre používateľov, ktorí nie sú definovaní v nastavení +MainAccountForVatPaymentNotDefined=Účet (z Účtovnej osnovy) pre platbu DPH nie je definovaný v nastavení +MainAccountForSubscriptionPaymentNotDefined=Účet (z Účtovnej osnovy) pre platbu členstva nie je definovaný v nastavení +MainAccountForRetainedWarrantyNotDefined=Účet (z účtovnej osnovy) pre ponechanú záruku, ktorá nie je definovaná v nastavení +UserAccountNotDefined=Účtovný účet pre používateľa nie je definovaný v nastavení -AccountancyArea=Accounting area +AccountancyArea=Účtovná oblasť AccountancyAreaDescIntro=Použitie účtovného modulu sa vykonáva v niekoľkých krokoch: AccountancyAreaDescActionOnce=Nasledujúce akcie sa zvyčajne vykonávajú iba raz alebo raz za rok ... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting +AccountancyAreaDescActionOnceBis=Ďalšie kroky by ste mali urobiť, aby ste v budúcnosti ušetrili čas tým, že vám pri prenose údajov v účtovníctve automaticky navrhneme správny predvolený účtovný účet AccountancyAreaDescActionFreq=Nasledujúce akcie sa zvyčajne vykonávajú každý mesiac, týždeň alebo deň pre veľmi veľké spoločnosti ... -AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s -AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescJournalSetup=KROK %s: Skontrolujte obsah svojho zoznamu časopisov z ponuky %s +AccountancyAreaDescChartModel=KROK %s: Skontrolujte, či existuje model účtovnej osnovy, alebo si ho vytvorte z ponuky %s +AccountancyAreaDescChart=KROK %s: Vyberte a|alebo doplňte svoj účtovný rozvrh z ponuky %s +AccountancyAreaDescFiscalPeriod=KROK %s: Predvolene definujte fiškálny rok, do ktorého chcete integrovať svoje účtovné položky. Na tento účel použite položku ponuky %s. AccountancyAreaDescVat=KROK %s: Definujte účty účtov pre každú sadzbu DPH. Na to použite položku ponuky %s. -AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. +AccountancyAreaDescDefault=KROK %s: Definujte predvolené účtovné účty. Na tento účel použite položku ponuky %s. +AccountancyAreaDescExpenseReport=KROK %s: Definujte predvolené účtovné účty pre každý typ prehľadu výdavkov. Na tento účel použite položku ponuky %s. AccountancyAreaDescSal=KROK %s: Definovanie predvolených účtovných účtov na platbu miezd. Na to použite položku ponuky %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. +AccountancyAreaDescContrib=KROK %s: Definujte predvolené účtovné účty pre dane (špeciálne výdavky). Na tento účel použite položku ponuky %s. AccountancyAreaDescDonation=KROK %s: Definujte predvolené účtovné účty pre darovanie. Na to použite položku ponuky %s. -AccountancyAreaDescSubscription=STEP %s: Define default accounting accounts for member subscription. For this, use the menu entry %s. -AccountancyAreaDescMisc=KROK %s: Definujte povinné predvolené účty a predvolené účtovné účty pre rôzne transakcie. Na to použite položku ponuky %s. -AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. +AccountancyAreaDescSubscription=KROK %s: Definujte predvolené účtovné účty pre členské predplatné. Na tento účel použite položku ponuky %s. +AccountancyAreaDescMisc=KROK %s: Definujte povinné predvolené účty a predvolené účtovné účty pre rôzne transakcie. Na tento účel použite položku ponuky %s. +AccountancyAreaDescLoan=KROK %s: Definujte predvolené účtovné účty pre pôžičky. Na tento účel použite položku ponuky %s. +AccountancyAreaDescBank=KROK %s: Definujte účtovné účty a kód denníka pre každý bankový a finančný účet. Na tento účel použite položku ponuky %s. +AccountancyAreaDescProd=KROK %s: Definujte účtovné účty pre svoje produkty/služby. Na tento účel použite položku ponuky %s. -AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. -AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=KROK %s: Pridanie alebo úprava existujúcich transakcií a generovanie prehľadov a exportov. +AccountancyAreaDescBind=KROK %s: Skontrolujte prepojenie medzi existujúcimi %s riadkami a účtovným účtom, takže aplikácia bude môcť žurnalizovať transakcie v Ledger jedným kliknutím. Doplňte chýbajúce väzby. Na tento účel použite položku ponuky %s. +AccountancyAreaDescWriteRecords=KROK %s: Zapíšte transakcie do účtovnej knihy. Na tento účel prejdite do ponuky %s a kliknite na tlačidlo %s. +AccountancyAreaDescAnalyze=KROK %s: Prečítajte si prehľady alebo vytvorte exportné súbory pre iných účtovníkov. +AccountancyAreaDescClosePeriod=KROK %s: Uzavrieť obdobie, aby sme už v budúcnosti nemohli prenášať údaje v rovnakom období. -AccountancyAreaDescClosePeriod=KROK %s: Zavrieť obdobie, takže nemôžeme robiť zmeny v budúcnosti. - -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) +TheFiscalPeriodIsNotDefined=Povinný krok nastavenia nebol dokončený (Fiškálne obdobie nie je definované) +TheJournalCodeIsNotDefinedOnSomeBankAccount=Nevykonal sa povinný krok nastavenia (denník účtovných kódov nie je definovaný pre všetky bankové účty) Selectchartofaccounts=Vyberte aktívnu účtovnú schému +CurrentChartOfAccount=Aktuálny aktívny účtový rozvrh ChangeAndLoad=Zmeniť a načítať Addanaccount=Pridajte účtovníctvo AccountAccounting=Účtovný účet AccountAccountingShort=Účet -SubledgerAccount=Subledger account -SubledgerAccountLabel=Subledger account label -ShowAccountingAccount=Show accounting account -ShowAccountingJournal=Show accounting journal -ShowAccountingAccountInLedger=Show accounting account in ledger -ShowAccountingAccountInJournals=Show accounting account in journals -DataUsedToSuggestAccount=Data used to suggest account -AccountAccountingSuggest=Account suggested +SubledgerAccount=Podknihovný účet +SubledgerAccountLabel=Menovka účtu vedľajšej knihy +ShowAccountingAccount=Zobraziť účtovný účet +ShowAccountingJournal=Zobraziť účtovný denník +ShowAccountingAccountInLedger=Zobraziť účtovný účet v účtovnej knihe +ShowAccountingAccountInJournals=Zobraziť účtovný účet v denníkoch +DataUsedToSuggestAccount=Údaje použité na návrh účtu +AccountAccountingSuggest=Navrhnutý účet MenuDefaultAccounts=Predvolené účty MenuBankAccounts=Bankové účty -MenuVatAccounts=Vat accounts -MenuTaxAccounts=Tax accounts -MenuExpenseReportAccounts=Expense report accounts -MenuLoanAccounts=Loan accounts +MenuVatAccounts=Účty DPH +MenuTaxAccounts=Daňové účty +MenuExpenseReportAccounts=Účty prehľadu výdavkov +MenuLoanAccounts=Úverové účty MenuProductsAccounts=Produktové účty -MenuClosureAccounts=Closure accounts -MenuAccountancyClosure=Closure -MenuExportAccountancy=Export accountancy -MenuAccountancyValidationMovements=Validate movements +MenuClosureAccounts=Uzavrieť účty +MenuAccountancyClosure=Uzavretie +MenuExportAccountancy=Exportné účtovníctvo +MenuAccountancyValidationMovements=Overiť pohyby ProductsBinding=Produkty účty -TransferInAccounting=Transfer in accounting -RegistrationInAccounting=Recording in accounting +TransferInAccounting=Prevod v účtovníctve +RegistrationInAccounting=Evidencia v účtovníctve Binding=Priradené k účtom CustomersVentilation=Priradenie zákazníckej faktúry -SuppliersVentilation=Vendor invoice binding -ExpenseReportsVentilation=Expense report binding +SuppliersVentilation=Záväznosť faktúry dodávateľa +ExpenseReportsVentilation=Záväznosť výkazu výdavkov CreateMvts=Vytvorte novú transakciu UpdateMvts=Úprava transakcie -ValidTransaction=Validate transaction -WriteBookKeeping=Record transactions in accounting +ValidTransaction=Potvrďte transakciu +WriteBookKeeping=Zaznamenajte transakcie v účtovníctve Bookkeeping=Hlavná kniha BookkeepingSubAccount=Subledger AccountBalance=Stav účtu -AccountBalanceSubAccount=Sub-accounts balance -ObjectsRef=Source object ref -CAHTF=Total purchase vendor before tax -TotalExpenseReport=Total expense report +AccountBalanceSubAccount=Zostatok na podúčtoch +ObjectsRef=Zdrojový objekt ref +CAHTF=Celkový nákup predajcu pred zdanením +TotalExpenseReport=Správa o celkových výdavkoch InvoiceLines=Riadky faktúry na priradenie InvoiceLinesDone=Viazané riadky faktúr -ExpenseReportLines=Lines of expense reports to bind -ExpenseReportLinesDone=Bound lines of expense reports +ExpenseReportLines=Riadky výkazov výdavkov na viazanie +ExpenseReportLinesDone=Zviazané riadky výkazov o výdavkoch IntoAccount=Priradiť riadok k účnovnému účtu -TotalForAccount=Total accounting account +TotalForAccount=Celkový účtovný účet Ventilate=Priradiť @@ -149,346 +152,367 @@ Processing=spracovanie EndProcessing=Proces bol ukončený. SelectedLines=Vybrané riadky Lineofinvoice=Číslo faktúry -LineOfExpenseReport=Line of expense report +LineOfExpenseReport=Riadok výkazu výdavkov NoAccountSelected=Nie je vybratý účtovný účet VentilatedinAccount=Úspešne priradené k účtovnému účtu NotVentilatedinAccount=Nie je viazaný na účet -XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account +XLineSuccessfullyBinded=%s produkty/služby úspešne naviazané na účtovný účet XLineFailedToBeBinded=%s produkty / služby neboli viazané na žiadny účtovný účet -ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50) +ACCOUNTING_LIMIT_LIST_VENTILATION=Maximálny počet riadkov na stránke zoznamu a väzby (odporúčané: 50) ACCOUNTING_LIST_SORT_VENTILATION_TODO=Začnite triediť stránku "Väzba urobiť" najnovšími prvkami ACCOUNTING_LIST_SORT_VENTILATION_DONE=Začnite triediť stránku "Väzba vykonaná" najnovšími prvkami ACCOUNTING_LENGTH_DESCRIPTION=Zrušte popis produktu a služieb v zoznamoch po znakoch x (Najlepší = 50) ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Zrušte opis formulára účtu produktov a služieb v zoznamoch po znakoch x (Najlepší = 50) ACCOUNTING_LENGTH_GACCOUNT=Dĺžka všeobecných účtovných účtov (ak nastavíte hodnotu 6 tu, na obrazovke sa zobrazí účet '706' ako '706000') -ACCOUNTING_LENGTH_AACCOUNT=Length of the third-party accounting accounts (If you set value to 6 here, the account '401' will appear like '401000' on screen) -ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of an accounting account. Needed by some countries (like Switzerland). If set to off (default), you can set the following two parameters to ask the application to add virtual zeros. +ACCOUNTING_LENGTH_AACCOUNT=Dĺžka účtovných účtov tretích strán (Ak tu nastavíte hodnotu na 6, účet „401“ sa na obrazovke zobrazí ako „401000“). +ACCOUNTING_MANAGE_ZERO=Umožňuje spravovať rôzny počet núl na konci účtovného účtu. Potrebujú ho niektoré krajiny (napríklad Švajčiarsko). Ak je nastavené na vypnuté (predvolené), môžete nastaviť nasledujúce dva parametre a požiadať aplikáciu o pridanie virtuálnych núl. BANK_DISABLE_DIRECT_INPUT=Zakázať priame zaznamenávanie transakcie na bankový účet -ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal -ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Povoliť export konceptu v denníku +ACCOUNTANCY_COMBO_FOR_AUX=Povoliť kombinovaný zoznam pre dcérsky účet (môže to byť pomalé, ak máte veľa tretích strán, prerušte možnosť vyhľadávania časti hodnoty) +ACCOUNTING_DATE_START_BINDING=Zakázať viazanie a prevod v účtovníctve, keď je dátum pod týmto dátumom (transakcie pred týmto dátumom budú štandardne vylúčené) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Na stránke na prenos údajov do účtovníctva aké obdobie je predvolene zvolené -ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns -ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements +ACCOUNTING_SELL_JOURNAL=Predajný denník - tržby a výnosy +ACCOUNTING_PURCHASE_JOURNAL=Nákupný denník - nákup a vrátenie +ACCOUNTING_BANK_JOURNAL=Peňažný denník - príjem a výdaj ACCOUNTING_EXPENSEREPORT_JOURNAL=Denník výdavkov -ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal -ACCOUNTING_INVENTORY_JOURNAL=Inventory journal +ACCOUNTING_MISCELLANEOUS_JOURNAL=Všeobecný denník +ACCOUNTING_HAS_NEW_JOURNAL=Má nový denník +ACCOUNTING_INVENTORY_JOURNAL=Inventarizačný denník ACCOUNTING_SOCIAL_JOURNAL=Sociálny časopis -ACCOUNTING_RESULT_PROFIT=Result accounting account (Profit) -ACCOUNTING_RESULT_LOSS=Result accounting account (Loss) -ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal of closure +ACCOUNTING_RESULT_PROFIT=Výsledok účtovného účtu (zisk) +ACCOUNTING_RESULT_LOSS=Výsledok účtovného účtu (Strata) +ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Denník uzavretia +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Účtovné skupiny používané na súvahovom účte (oddelené čiarkou) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Účtovné skupiny použité pre výkaz ziskov a strát (oddelené čiarkou) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers -TransitionalAccount=Transitional bank transfer account +ACCOUNTING_ACCOUNT_TRANSFER_CASH=Účet (z účtovnej osnovy), ktorý sa má používať ako účet pre prechodné bankové prevody +TransitionalAccount=Prechodný účet na bankový prevod -ACCOUNTING_ACCOUNT_SUSPENSE=Account (from the Chart Of Account) to be used as the account for unallocated funds either received or paid i.e. funds in "wait[ing]" -DONATION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register donations (Donation module) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ACCOUNTING_ACCOUNT_SUSPENSE=Účet (z účtovnej osnovy), ktorý sa má použiť ako účet pre nepridelené finančné prostriedky buď prijaté alebo zaplatené, t. j. finančné prostriedky „na čakanie“ +DONATION_ACCOUNTINGACCOUNT=Účet (z účtovnej osnovy), ktorý sa má použiť na registráciu darov (modul darcovstva) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Účet (z účtovnej osnovy), ktorý sa má použiť na registráciu predplatného členstva (modul Členstvo - ak je členstvo zaznamenané bez faktúry) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit -UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default -UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Accounting account by default to register customer retained warranty +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Účet (z účtovnej osnovy), ktorý sa má použiť ako predvolený účet na registráciu vkladu zákazníka +UseAuxiliaryAccountOnCustomerDeposit=Uložiť zákaznícky účet ako individuálny účet v vedľajšej knihe pre riadky záloh (ak je deaktivovaný, individuálny účet pre riadky zálohových platieb zostane prázdny) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Účet (z účtovnej osnovy), ktorý sa má použiť ako predvolený +UseAuxiliaryAccountOnSupplierDeposit=Uložiť účet dodávateľa ako individuálny účet v vedľajšej účtovnej knihe pre riadky záloh (ak je deaktivovaný, individuálny účet pre riadky zálohových platieb zostane prázdny) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Účtovný účet v predvolenom nastavení na registráciu záruky zákazníka -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Účet (z účtovnej osnovy), ktorý sa má použiť ako predvolený účet pre produkty zakúpené v tej istej krajine (používa sa, ak nie je definovaný v produktovom liste) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Účet (z účtovnej osnovy), ktorý sa má použiť ako predvolený účet pre produkty zakúpené z EHS do inej krajiny EHS (používa sa, ak nie je definovaný v produktovom liste) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Účet (z účtovnej osnovy), ktorý sa má použiť ako predvolený účet pre produkty zakúpené a dovezené z akejkoľvek inej cudzej krajiny (používa sa, ak nie je definované v produktovom liste) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Účet (z účtovnej osnovy), ktorý sa má použiť ako predvolený účet pre predávané produkty (používa sa, ak nie je definovaný v produktovom liste) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Účet (z účtovnej osnovy), ktorý sa má použiť ako predvolený účet pre produkty predávané z EHS do inej krajiny EHS (používa sa, ak nie je definovaný v produktovom liste) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Účet (z účtovnej osnovy), ktorý sa má použiť ako predvolený účet pre produkty predávané a vyvážané do akejkoľvek inej cudziny (používa sa, ak nie je definované v produktovom liste) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased within same country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=Účet (z účtovnej osnovy), ktorý sa má použiť ako predvolený účet pre služby zakúpené v tej istej krajine (používa sa, ak nie je definovaný v servisnom liste) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Účet (z účtovnej osnovy), ktorý sa má použiť ako predvolený účet pre služby zakúpené z EHS do inej krajiny EHS (používa sa, ak nie je definovaný v servisnom liste) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Účet (z účtovnej osnovy), ktorý sa má použiť ako predvolený účet pre služby zakúpené a importované z inej krajiny (používa sa, ak nie je definované v servisnom liste) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=Účet (z účtovnej osnovy), ktorý sa má použiť ako predvolený účet pre predávané služby (používa sa, ak nie je definovaný v servisnom liste) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Účet (z účtovnej osnovy), ktorý sa má použiť ako predvolený účet pre služby predávané z EHS do inej krajiny EHS (používa sa, ak nie je definovaný v servisnom liste) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Účet (z účtovnej osnovy), ktorý sa má použiť ako predvolený účet pre služby predávané a exportované do akejkoľvek inej krajiny (používa sa, ak nie je definované v servisnom liste) Doctype=Druh dokumentu Docdate=dátum Docref=referencie LabelAccount=Značkový účet -LabelOperation=Label operation -Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
      For an accounting account of a supplier, use Debit to record a payment you made -LetteringCode=Lettering code -Lettering=Lettering +LabelOperation=Operácia štítku +Sens=Smer +AccountingDirectionHelp=Pre účtovný účet zákazníka použite Kredit na zaznamenanie platby, ktorú ste prijali
      Pre účtovný účet dodávateľa použite Debet na zaznamenanie platby, ktorú ste vykonali +LetteringCode=Písmenový kód +Lettering=Nápisy Codejournal=časopis -JournalLabel=Journal label +JournalLabel=Označenie denníka NumPiece=Číslo kusu TransactionNumShort=Num. transakcie -AccountingCategory=Custom group of accounts -AccountingCategories=Custom groups of accounts -GroupByAccountAccounting=Group by general ledger account -GroupBySubAccountAccounting=Group by subledger account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. -ByAccounts=By accounts -ByPredefinedAccountGroups=By predefined groups -ByPersonalizedAccountGroups=By personalized groups +AccountingCategory=Vlastná skupina účtov +AccountingCategories=Vlastné skupiny účtov +GroupByAccountAccounting=Zoskupiť podľa účtu hlavnej knihy +GroupBySubAccountAccounting=Zoskupenie podľa účtu vedľajšej knihy +AccountingAccountGroupsDesc=Tu môžete definovať niektoré skupiny účtovných účtov. Budú použité na personalizované účtovné výkazy. +ByAccounts=Podľa účtov +ByPredefinedAccountGroups=Podľa vopred definovaných skupín +ByPersonalizedAccountGroups=Podľa personalizovaných skupín ByYear=Do roku NotMatch=Nenastavené -DeleteMvt=Delete some lines from accounting -DelMonth=Month to delete +DeleteMvt=Vymažte niektoré riadky z účtovníctva +DelMonth=Mesiac na odstránenie DelYear=Rok na zmazanie DelJournal=Žurnále na zmazanie -ConfirmDeleteMvt=This will delete all lines in accountancy for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) +ConfirmDeleteMvt=Týmto sa vymažú všetky riadky v účtovníctve za rok/mesiac a/alebo za konkrétny denník (vyžaduje sa aspoň jedno kritérium). Budete musieť znova použiť funkciu '%s', aby sa odstránený záznam vrátil späť do účtovnej knihy. +ConfirmDeleteMvtPartial=Týmto sa transakcia vymaže z účtovníctva (vymažú sa všetky riadky týkajúce sa tej istej transakcie) FinanceJournal=Finančný časopis -ExpenseReportsJournal=Expense reports journal -InventoryJournal=Inventory journal +ExpenseReportsJournal=Denník výkazov výdavkov +InventoryJournal=Inventarizačný denník DescFinanceJournal=Finančný denník vrátane všetkých druhov platieb prostredníctvom bankového účtu -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. +DescJournalOnlyBindedVisible=Toto je pohľad na záznamy, ktoré sú viazané na účtovný účet a môžu byť zaznamenané do denníkov a účtovnej knihy. VATAccountNotDefined=Účet DPH nie je definovaný ThirdpartyAccountNotDefined=Účet tretej strany nie je definovaný ProductAccountNotDefined=Účet pre produkt nie je definovaný -FeeAccountNotDefined=Account for fee not defined +FeeAccountNotDefined=Účet pre poplatok nie je definovaný BankAccountNotDefined=Účet pre banku nie je definovaný CustomerInvoicePayment=Platba zákazníka faktúry -ThirdPartyAccount=Third-party account +ThirdPartyAccount=Účet tretej strany NewAccountingMvt=Nová transakcia NumMvts=Počet transakcií ListeMvts=Zoznam pohybov ErrorDebitCredit=Debit a kredit nemôžu mať hodnotu súčasne -AddCompteFromBK=Add accounting accounts to the group -ReportThirdParty=List third-party account -DescThirdPartyReport=Consult here the list of third-party customers and vendors and their accounting accounts +AddCompteFromBK=Pridajte účtovné účty do skupiny +ReportThirdParty=Uveďte účet tretej strany +DescThirdPartyReport=Tu nájdete zoznam zákazníkov a predajcov tretích strán a ich účtovné účty ListAccounts=Zoznam účtovných účtov -UnknownAccountForThirdparty=Unknown third-party account. We will use %s -UnknownAccountForThirdpartyBlocking=Unknown third-party account. Blocking error -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Third-party unknown and subledger not defined on the payment. We will keep the subledger account value empty. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger account not defined or third party or user unknown. Blocking error. -UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third-party account and waiting account not defined. Blocking error -PaymentsNotLinkedToProduct=Payment not linked to any product / service -OpeningBalance=Opening balance -ShowOpeningBalance=Show opening balance -HideOpeningBalance=Hide opening balance -ShowSubtotalByGroup=Show subtotal by level +UnknownAccountForThirdparty=Neznámy účet tretej strany. Použijeme %s +UnknownAccountForThirdpartyBlocking=Neznámy účet tretej strany. Chyba blokovania +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Účet vedľajšej knihy nie je definovaný alebo je neznáma tretia strana alebo používateľ. Použijeme %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Neznáma tretia strana a vedľajšia kniha nie je pri platbe definovaná. Hodnotu účtu vedľajšej knihy ponecháme prázdnu. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Účet vedľajšej knihy nie je definovaný alebo je neznáma tretia strana alebo používateľ. Chyba blokovania. +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Neznámy účet tretej strany a čakajúci účet nie sú definované. Chyba blokovania +PaymentsNotLinkedToProduct=Platba nie je spojená so žiadnym produktom/službou +OpeningBalance=Počiatočný zostatok +ShowOpeningBalance=Zobraziť počiatočný zostatok +HideOpeningBalance=Skryť počiatočný zostatok +ShowSubtotalByGroup=Zobraziť medzisúčet podľa úrovne -Pcgtype=Group of account -PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. -AccountingCategoriesDesc=Custom group of accounts can be used to group accounting accounts into one name to ease filter use or building of custom reports. +Pcgtype=Skupina účtov +PcgtypeDesc=Skupina účtov sa používa ako preddefinované kritériá „filtra“ a „zoskupenia“ pre niektoré účtovné zostavy. Napríklad „PRÍJMY“ alebo „NÁKLADY“ sa používajú ako skupiny pre účtovné účty produktov na zostavenie správy o výdavkoch/príjmoch. +AccountingCategoriesDesc=Vlastnú skupinu účtov možno použiť na zoskupenie účtovných účtov do jedného názvu, aby sa uľahčilo používanie filtra alebo vytváranie vlastných zostáv. -Reconcilable=Reconcilable +Reconcilable=Zlučiteľné TotalVente=Celkový obrat pred zdanením TotalMarge=Celkové predajné rozpätie -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account -DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product account from chart of account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account -ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: +DescVentilCustomer=Tu nájdete zoznam riadkov odberateľských faktúr viazaných (alebo nie) na produktový účet z účtovej osnovy +DescVentilMore=Vo väčšine prípadov, ak používate preddefinované produkty alebo služby a nastavíte účet (z účtového rozvrhu) na karte výrobku/služby, aplikácia dokáže urobiť všetky väzby medzi vašimi riadkami faktúry a účtovným účtom vášho grafu. účtov, jediným kliknutím pomocou tlačidla "%s" >. Ak účet nebol nastavený na produktových/servisných kartách alebo ak máte stále nejaké riadky, ktoré nie sú viazané na účet, budete musieť vykonať ručnú väzbu z ponuky "%s“. +DescVentilDoneCustomer=Prezrite si tu zoznam riadkov odberateľov faktúr a ich produktový účet z účtovej osnovy +DescVentilTodoCustomer=Naviažte riadky faktúry, ktoré ešte nie sú zviazané s produktovým účtom z účtovej osnovy +ChangeAccount=Zmeňte účet produktu/služby (z účtovej osnovy) pre vybrané riadky pomocou nasledujúceho účtu: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) -DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account -DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account -DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account -DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s". -DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account +DescVentilSupplier=Tu si pozrite zoznam riadkov faktúr dodávateľa viazaných alebo ešte nezviazaných s produktovým účtom z účtovnej osnovy (viditeľné sú len záznamy, ktoré ešte neboli prenesené do účtovníctva) +DescVentilDoneSupplier=Tu nájdete zoznam riadkov dodávateľských faktúr a ich účtovný účet +DescVentilTodoExpenseReport=Spojte riadky výkazu výdavkov, ktoré ešte nie sú zviazané s účtom účtovania poplatkov +DescVentilExpenseReport=Pozrite si tu zoznam riadkov výkazu výdavkov viazaných (alebo nie) na účet účtovania poplatkov +DescVentilExpenseReportMore=Ak nastavíte účtovný účet na typ riadkov výkazu výdavkov, aplikácia bude môcť vytvoriť všetky väzby medzi riadkami výkazu výdavkov a účtovným účtom vašej účtovej osnovy jediným kliknutím pomocou tlačidla "%s". Ak účet nebol nastavený na slovník poplatkov alebo ak máte stále nejaké riadky, ktoré nie sú viazané na žiadny účet, budete musieť vykonať ručnú väzbu z ponuky "%s“. +DescVentilDoneExpenseReport=Tu nájdete zoznam riadkov výkazov výdavkov a ich účtovný účet poplatkov -Closure=Annual closure -DescClosure=Consult here the number of movements by month not yet validated & locked -OverviewOfMovementsNotValidated=Overview of movements not validated and locked -AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked -ValidateMovements=Validate and lock movements -DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible +Closure=Ročná uzávierka +AccountancyClosureStep1Desc=Tu si pozrite počet pohybov podľa mesiacov, ktoré ešte neboli overené a uzamknuté +OverviewOfMovementsNotValidated=Prehľad pohybov neoverených a uzamknutých +AllMovementsWereRecordedAsValidated=Všetky pohyby boli zaznamenané ako overené a uzamknuté +NotAllMovementsCouldBeRecordedAsValidated=Nie všetky pohyby bolo možné zaznamenať ako overené a uzamknuté +ValidateMovements=Potvrďte a uzamknite pohyby +DescValidateMovements=Akékoľvek úpravy alebo odstraňovanie písania, písmen a mazanie budú zakázané. Všetky prihlášky do cvičenia musia byť potvrdené, inak nebude možné uzávierku ValidateHistory=Priradzovať automaticky -AutomaticBindingDone=Automatic bindings done (%s) - Automatic binding not possible for some record (%s) -DoManualBindingForFailedRecord=You have to do a manual link for the %s row(s) not linked automatically. +AutomaticBindingDone=Automatická väzba bola vykonaná (%s) – Automatická väzba nie je možná pre niektorý záznam (%s) +DoManualBindingForFailedRecord=Pre riadky %s, ktoré nie sú prepojené automaticky, musíte vytvoriť manuálne prepojenie. -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s & Credit = %s -Balancing=Balancing +ErrorAccountancyCodeIsAlreadyUse=Chyba, tento účet účtovnej osnovy nemôžete odstrániť ani zakázať, pretože sa používa +MvtNotCorrectlyBalanced=Pohyb nie je správne vyvážený. Debet = %s a kredit = %s +Balancing=Vyvažovanie FicheVentilation=Viazacia karta GeneralLedgerIsWritten=Transakcie sú zapísané v knihe -GeneralLedgerSomeRecordWasNotRecorded=Some of the transactions could not be journalized. If there is no other error message, this is probably because they were already journalized. -NoNewRecordSaved=No more record to transfer -ListOfProductsWithoutAccountingAccount=List of products not bound to any account of chart of account +GeneralLedgerSomeRecordWasNotRecorded=Niektoré transakcie nebolo možné žurnalizovať. Ak neexistuje žiadne iné chybové hlásenie, je to pravdepodobne preto, že už boli žurnalizované. +NoNewRecordSaved=Žiadny ďalší záznam na prenos +ListOfProductsWithoutAccountingAccount=Zoznam produktov neviazaných na žiadny účet účtovej osnovy ChangeBinding=Zmeňte väzbu -Accounted=Accounted in ledger -NotYetAccounted=Not yet transferred to accounting -ShowTutorial=Show Tutorial +Accounted=Zaúčtované v účtovnej knihe +NotYetAccounted=Zatiaľ neprevedené do účtovníctva +ShowTutorial=Zobraziť návod NotReconciled=Nezlúčené -WarningRecordWithoutSubledgerAreExcluded=Warning, all lines without subledger account defined are filtered and excluded from this view -AccountRemovedFromCurrentChartOfAccount=Accounting account that does not exist in the current chart of accounts +WarningRecordWithoutSubledgerAreExcluded=Upozornenie, všetky riadky bez definovaného účtu vedľajšej knihy sú filtrované a vylúčené z tohto zobrazenia +AccountRemovedFromCurrentChartOfAccount=Účtovný účet, ktorý v aktuálnej účtovej osnove neexistuje ## Admin -BindingOptions=Binding options +BindingOptions=Možnosti viazania ApplyMassCategories=Použiť hromadne kategórie -AddAccountFromBookKeepingWithNoCategories=Available account not yet in the personalized group -CategoryDeleted=Category for the accounting account has been removed -AccountingJournals=Accounting journals -AccountingJournal=Accounting journal -NewAccountingJournal=New accounting journal -ShowAccountingJournal=Show accounting journal -NatureOfJournal=Nature of Journal -AccountingJournalType1=Miscellaneous operations +AddAccountFromBookKeepingWithNoCategories=Dostupný účet ešte nie je v prispôsobenej skupine +CategoryDeleted=Kategória pre účtovný účet bola odstránená +AccountingJournals=Účtovné denníky +AccountingJournal=Účtovný denník +NewAccountingJournal=Nový účtovný denník +ShowAccountingJournal=Zobraziť účtovný denník +NatureOfJournal=Povaha časopisu +AccountingJournalType1=Rôzne operácie AccountingJournalType2=Predaje AccountingJournalType3=Platby AccountingJournalType4=Banka -AccountingJournalType5=Expense reports -AccountingJournalType8=Inventory -AccountingJournalType9=Has-new -GenerationOfAccountingEntries=Generation of accounting entries -ErrorAccountingJournalIsAlreadyUse=This journal is already use -AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s -NumberOfAccountancyEntries=Number of entries -NumberOfAccountancyMovements=Number of movements -ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting -ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. -ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user -OptionsAdvanced=Advanced options -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +AccountingJournalType5=Prehľady výdavkov +AccountingJournalType8=Inventár +AccountingJournalType9=Nerozdelený zisk +GenerationOfAccountingEntries=Tvorba účtovných zápisov +ErrorAccountingJournalIsAlreadyUse=Tento denník sa už používa +AccountingAccountForSalesTaxAreDefinedInto=Poznámka: Účtovné účty pre daň z obratu sú definované v ponuke %s - %s +NumberOfAccountancyEntries=Počet vstupov +NumberOfAccountancyMovements=Počet pohybov +ACCOUNTING_DISABLE_BINDING_ON_SALES=Zakázať viazanie a prevod v účtovníctve o predaji (zákaznícke faktúry nebudú brané do úvahy v účtovníctve) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Zakázať viazanie a prevod v účtovníctve pri nákupoch (faktúry dodávateľa sa nebudú brať do úvahy v účtovníctve) +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Zakázať viazanie a prevod v účtovníctve na výkazoch výdavkov (výdavkové výkazy sa nebudú brať do úvahy v účtovníctve) +ACCOUNTING_ENABLE_LETTERING=Povoliť funkciu písma v účtovníctve +ACCOUNTING_ENABLE_LETTERING_DESC=Keď je táto možnosť zapnutá, môžete definovať pre každý účtovný zápis kód, aby ste mohli zoskupovať rôzne účtovné pohyby. V minulosti, keď sa rôzne časopisy spravovali nezávisle, bola táto funkcia potrebná na zoskupenie línií pohybu rôznych časopisov. S účtovníctvom Dolibarr sa však takýto kód sledovania nazýva "%sb09a4f739f17 span>" je už uložený automaticky, takže automatické písanie je už vykonané, bez rizika chyby, takže táto funkcia je pre bežné použitie zbytočná. Funkcia ručného písania je určená pre koncových používateľov, ktorí skutočne neveria počítačovému stroju, ktorý prenáša údaje v účtovníctve. +EnablingThisFeatureIsNotNecessary=Povolenie tejto funkcie už nie je potrebné pre dôslednú správu účtovníctva. +ACCOUNTING_ENABLE_AUTOLETTERING=Povoliť automatické písanie pri prenose do účtovníctva +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Kód pre písmo sa generuje automaticky a zvyšuje a nevyberá si ho koncový používateľ +ACCOUNTING_LETTERING_NBLETTERS=Počet písmen pri generovaní písmenového kódu (predvolené 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Niektoré účtovné programy akceptujú iba dvojpísmenový kód. Tento parameter vám umožňuje nastaviť tento aspekt. Predvolený počet písmen sú tri. +OptionsAdvanced=Pokročilé nastavenia +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Aktivujte si správu prenesenia daňovej povinnosti pri nákupoch dodávateľov +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Keď je táto možnosť zapnutá, môžete definovať, že faktúra dodávateľa alebo daného dodávateľa sa musí preniesť do účtovníctva inak: Do účtovníctva na 2 daných účtoch sa vygeneruje dodatočný debetný a kreditný rámec z účtovej osnovy definovanej v "%s“. ## Export -NotExportLettering=Do not export the lettering when generating the file -NotifiedExportDate=Flag not yet exported lines as Exported (to modify a line flagged as exported, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries not yet already locked (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) -NotifiedExportFull=Export documents ? -DateValidationAndLock=Date validation and lock -ConfirmExportFile=Confirmation of the generation of the accounting export file ? -ExportDraftJournal=Export draft journal +NotExportLettering=Pri generovaní súboru neexportujte písmo +NotifiedExportDate=Označiť ešte neexportované riadky ako exportované (ak chcete upraviť riadok označený ako exportovaný, budete musieť vymazať celú transakciu a znova ju preniesť do účtovníctva) +NotifiedValidationDate=Overte a uzamknite exportované položky, ktoré ešte nie sú zamknuté (rovnaký efekt ako funkcia "%s", úprava a vymazanie linky URČITE nebudú možné) +NotifiedExportFull=Exportovať dokumenty? +DateValidationAndLock=Overenie dátumu a uzamknutie +ConfirmExportFile=Potvrdenie o vygenerovaní exportného súboru účtovníctva? +ExportDraftJournal=Exportovať návrh denníka Modelcsv=Vzor exportu Selectmodelcsv=Vyberte model exportu Modelcsv_normal=Klasický export -Modelcsv_CEGID=Export for CEGID Expert Comptabilité -Modelcsv_COALA=Export for Sage Coala -Modelcsv_bob50=Export for Sage BOB 50 -Modelcsv_ciel=Export for Sage50, Ciel Compta or Compta Evo. (Format XIMPORT) -Modelcsv_quadratus=Export for Quadratus QuadraCompta -Modelcsv_ebp=Export for EBP -Modelcsv_cogilog=Export for Cogilog -Modelcsv_agiris=Export for Agiris Isacompta -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) -Modelcsv_openconcerto=Export for OpenConcerto (Test) -Modelcsv_configurable=Export CSV Configurable +Modelcsv_CEGID=Export pre CEGID Expert Comptabilité +Modelcsv_COALA=Export pre Sage Coala +Modelcsv_bob50=Export za Sage BOB 50 +Modelcsv_ciel=Export pre Sage50, Ciel Compta alebo Compta Evo. (Formát XIMPORT) +Modelcsv_quadratus=Export pre Quadratus QuadraCompta +Modelcsv_ebp=Export pre EBP +Modelcsv_cogilog=Export pre Cogilog +Modelcsv_agiris=Export pre Agiris Isacompta +Modelcsv_LDCompta=Export pre LD Compta (v9) (test) +Modelcsv_LDCompta10=Export pre LD Compta (v10 a vyššie) +Modelcsv_openconcerto=Export pre OpenConcerto (test) +Modelcsv_configurable=Export CSV Konfigurovateľný Modelcsv_FEC=Export FEC -Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed) -Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland -Modelcsv_winfic=Export for Winfic - eWinfic - WinSis Compta -Modelcsv_Gestinumv3=Export for Gestinum (v3) -Modelcsv_Gestinumv5=Export for Gestinum (v5) -Modelcsv_charlemagne=Export for Aplim Charlemagne -ChartofaccountsId=Chart of accounts Id +Modelcsv_FEC2=Export FEC (so zápisom generovania dátumov / obrátením dokumentu) +Modelcsv_Sage50_Swiss=Export pre Sage 50 Švajčiarsko +Modelcsv_winfic=Export pre Winfic - eWinfic - WinSis Compta +Modelcsv_Gestinumv3=Export pre Gestinum (v3) +Modelcsv_Gestinumv5=Export pre Gestinum (v5) +Modelcsv_charlemagne=Export pre Aplima Charlemagne +ChartofaccountsId=Účtovná osnova Id ## Tools - Init accounting account on product / service InitAccountancy=Načítať účtovníctvo -InitAccountancyDesc=This page can be used to initialize an accounting account on products and services that does not have accounting account defined for sales and purchases. -DefaultBindingDesc=This page can be used to set the default accounts (from the chart of account) to use to link business objects with an account, like payment salaries, donation, taxes and VAT, when no specific account were already set. -DefaultClosureDesc=This page can be used to set parameters used for accounting closures. +InitAccountancyDesc=Túto stránku možno použiť na inicializáciu účtovného účtu pre produkty a služby, ktoré nemajú definovaný účtovný účet pre predaj a nákup. +DefaultBindingDesc=Túto stránku možno použiť na nastavenie predvolených účtov (z účtovnej osnovy), ktoré sa majú použiť na prepojenie obchodných predmetov s účtom, ako sú výplaty miezd, darov, daní a DPH, keď ešte nebol nastavený žiadny konkrétny účet. +DefaultClosureDesc=Na tejto stránke je možné nastaviť parametre používané pri účtovných uzávierkach. Options=Možnosti OptionModeProductSell=Mód predaja -OptionModeProductSellIntra=Mode sales exported in EEC -OptionModeProductSellExport=Mode sales exported in other countries +OptionModeProductSellIntra=Režim predaja vyvážaný do EHS +OptionModeProductSellExport=Režim predaja vyvážaný do iných krajín OptionModeProductBuy=Mód nákupu -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries +OptionModeProductBuyIntra=Nákupy režimu dovážané do EHS +OptionModeProductBuyExport=Režim zakúpený dovezený z iných krajín OptionModeProductSellDesc=Zobraziť všetky produkty s účtovným účtom pre predaj. -OptionModeProductSellIntraDesc=Show all products with accounting account for sales in EEC. -OptionModeProductSellExportDesc=Show all products with accounting account for other foreign sales. +OptionModeProductSellIntraDesc=Zobraziť všetky produkty s účtovným účtom pre predaj v EHS. +OptionModeProductSellExportDesc=Zobraziť všetky produkty s účtovným účtom pre ostatné zahraničné tržby. OptionModeProductBuyDesc=Zobraziť všetky produkty s účtovným účtom pre nákupy. -OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC. -OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases. -CleanFixHistory=Remove accounting code from lines that not exists into charts of account +OptionModeProductBuyIntraDesc=Zobraziť všetky produkty s účtovným účtom pre nákupy v EHS. +OptionModeProductBuyExportDesc=Zobraziť všetky produkty s účtovným účtom pre ostatné zahraničné nákupy. +CleanFixHistory=Odstráňte účtovný kód z riadkov, ktoré v účtových osnovách neexistujú CleanHistory=Resetovať všetky priradenia pre zvolený rok -PredefinedGroups=Predefined groups -WithoutValidAccount=Without valid dedicated account -WithValidAccount=With valid dedicated account -ValueNotIntoChartOfAccount=This value of accounting account does not exist into chart of account -AccountRemovedFromGroup=Account removed from group -SaleLocal=Local sale -SaleExport=Export sale -SaleEEC=Sale in EEC -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. -ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. -ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. +PredefinedGroups=Preddefinované skupiny +WithoutValidAccount=Bez platného dedikovaného účtu +WithValidAccount=S platným vyhradeným účtom +ValueNotIntoChartOfAccount=Táto hodnota účtovného účtu neexistuje v účtovom rozvrhu +AccountRemovedFromGroup=Účet bol odstránený zo skupiny +SaleLocal=Miestny predaj +SaleExport=Vývozný predaj +SaleEEC=Predaj v EHS +SaleEECWithVAT=Predaj v EHS s DPH nie je nulová, takže predpokladáme, že toto NIE JE intrakomunitárny predaj a navrhovaný účet je štandardný produktový účet. +SaleEECWithoutVATNumber=Predaj v EHS bez DPH, ale IČ DPH tretej strany nie je definované. Vraciame sa k účtu pre štandardný predaj. Môžete opraviť IČ DPH tretej strany alebo v prípade potreby zmeniť produktový účet navrhnutý na viazanie. +ForbiddenTransactionAlreadyExported=Zakázané: Transakcia bola overená a/alebo exportovaná. +ForbiddenTransactionAlreadyValidated=Zakázané: Transakcia bola overená. ## Dictionary Range=Rozsah účtovného účtu Calculated=Vypočítané Formula=Vzorec ## Reconcile -LetteringAuto=Reconcile auto -LetteringManual=Reconcile manual -Unlettering=Unreconcile -UnletteringAuto=Unreconcile auto -UnletteringManual=Unreconcile manual -AccountancyNoLetteringModified=No reconcile modified -AccountancyOneLetteringModifiedSuccessfully=One reconcile successfully modified -AccountancyLetteringModifiedSuccessfully=%s reconcile successfully modified -AccountancyNoUnletteringModified=No unreconcile modified -AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified -AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +LetteringAuto=Zladiť auto +LetteringManual=Príručka zosúladenia +Unlettering=Nezmieriť sa +UnletteringAuto=Nezladiť auto +UnletteringManual=Odsúhlasiť manuál +AccountancyNoLetteringModified=Nebolo upravené žiadne vyrovnanie +AccountancyOneLetteringModifiedSuccessfully=Jedno zosúladenie bolo úspešne upravené +AccountancyLetteringModifiedSuccessfully=%s zosúladenie úspešne upravené +AccountancyNoUnletteringModified=Nebolo upravené žiadne odsúhlasenie +AccountancyOneUnletteringModifiedSuccessfully=Jedno neodsúhlasenie úspešne upravené +AccountancyUnletteringModifiedSuccessfully=%s odsúhlasenie úspešne upravené + +## Closure +AccountancyClosureStep1=Krok 1: Overte a uzamknite pohyby +AccountancyClosureStep2=Krok 2: Zatvorte fiškálne obdobie +AccountancyClosureStep3=Krok 3: Extrahujte záznamy (voliteľné) +AccountancyClosureClose=Zavrieť fiškálne obdobie +AccountancyClosureAccountingReversal=Extrahujte a zaznamenajte položky „Nerozdelený zisk“. +AccountancyClosureStep3NewFiscalPeriod=Ďalšie fiškálne obdobie +AccountancyClosureGenerateClosureBookkeepingRecords=Vygenerujte položky „Nerozdelený zisk“ v nasledujúcom fiškálnom období +AccountancyClosureSeparateAuxiliaryAccounts=Pri generovaní záznamov "Nerozdelený zisk" podrobne opíšte účty vedľajšej knihy +AccountancyClosureCloseSuccessfully=Fiškálne obdobie bolo úspešne uzavreté +AccountancyClosureInsertAccountingReversalSuccessfully=Účtovné záznamy pre "Nerozdelený zisk" boli úspešne vložené ## Confirm box -ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation -ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? -ConfirmMassDeleteBookkeepingWriting=Bulk Delete confirmation -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +ConfirmMassUnletteringAuto=Potvrdenie hromadného automatického nesúladu +ConfirmMassUnletteringManual=Hromadné potvrdenie manuálneho odsúhlasenia +ConfirmMassUnletteringQuestion=Naozaj chcete zrušiť zosúladenie vybratých záznamov %s? +ConfirmMassDeleteBookkeepingWriting=Potvrdenie hromadného vymazania +ConfirmMassDeleteBookkeepingWritingQuestion=Tým sa transakcia vymaže z účtovníctva (vymažú sa všetky riadkové položky týkajúce sa tej istej transakcie). Naozaj chcete odstrániť vybraté položky %s? +AccountancyClosureConfirmClose=Naozaj chcete uzavrieť aktuálne fiškálne obdobie? Uvedomujete si, že uzavretie fiškálneho obdobia je nevratná akcia a natrvalo zablokuje akúkoľvek úpravu alebo vymazanie záznamov počas tohto obdobia . +AccountancyClosureConfirmAccountingReversal=Naozaj chcete zaznamenávať položky „Nerozdelený zisk“? ## Error -SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them -ErrorNoAccountingCategoryForThisCountry=Pre krajinu %s nie je k dispozícii žiadna skupina účtovných účtov (pozri Domovská stránka - Nastavenie - slovníky) -ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused. -ErrorInvoiceContainsLinesNotYetBoundedShort=Some lines on invoice are not bound to accounting account. +SomeMandatoryStepsOfSetupWereNotDone=Niektoré povinné kroky nastavenia neboli vykonané, dokončite ich +ErrorNoAccountingCategoryForThisCountry=Pre krajinu %s nie je k dispozícii žiadna účtovná skupina účtov (pozri %s - %s - %s) +ErrorInvoiceContainsLinesNotYetBounded=Pokúšate sa žurnalizovať niektoré riadky faktúry %sb0a65d071f6fc9butz0, niektoré ďalšie riadky ešte nie sú viazané na účtovný účet. Žurnalizácia všetkých riadkov faktúry pre túto faktúru je odmietnutá. +ErrorInvoiceContainsLinesNotYetBoundedShort=Niektoré riadky na faktúre nie sú viazané na účtovný účet. ExportNotSupported=Exportovaný formát nie je podporovaný pre túto stránku -BookeppingLineAlreayExists=Lines already existing into bookkeeping -NoJournalDefined=No journal defined +BookeppingLineAlreayExists=Už existujúce riadky do účtovníctva +NoJournalDefined=Nie je definovaný žiadny denník Binded=Viazané čiary ToBind=Linky na viazanie -UseMenuToSetBindindManualy=Lines not yet bound, use menu %s to make the binding manually -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Note: this module or page is not completely compatible with the experimental feature of situation invoices. Some data may be wrong. -AccountancyErrorMismatchLetterCode=Mismatch in reconcile code -AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 -AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s -ErrorAccountNumberAlreadyExists=The accounting number %s already exists -ErrorArchiveAddFile=Can't put "%s" file in archive +UseMenuToSetBindindManualy=Riadky ešte nie sú zviazané, na vytvorenie väzby použite ponuku %s manuálne +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Poznámka: Tento modul alebo stránka nie je úplne kompatibilná s experimentálnou funkciou situačných faktúr. Niektoré údaje môžu byť nesprávne. +AccountancyErrorMismatchLetterCode=Nezhoda v zosúlaďovacom kóde +AccountancyErrorMismatchBalanceAmount=Zostatok (%s) sa nerovná 0 +AccountancyErrorLetteringBookkeeping=V súvislosti s transakciami sa vyskytli chyby: %s +ErrorAccountNumberAlreadyExists=Účtovné číslo %s už existuje +ErrorArchiveAddFile=Nie je možné vložiť súbor „%s“ do archívu +ErrorNoFiscalPeriodActiveFound=Nenašlo sa žiadne aktívne fiškálne obdobie +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Dátum účtovného dokumentu nie je v aktívnom účtovnom období +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Dátum účtovného dokumentu je v uzavretom účtovnom období ## Import -ImportAccountingEntries=Accounting entries -ImportAccountingEntriesFECFormat=Accounting entries - FEC format -FECFormatJournalCode=Code journal (JournalCode) -FECFormatJournalLabel=Label journal (JournalLib) -FECFormatEntryNum=Piece number (EcritureNum) -FECFormatEntryDate=Piece date (EcritureDate) -FECFormatGeneralAccountNumber=General account number (CompteNum) -FECFormatGeneralAccountLabel=General account label (CompteLib) -FECFormatSubledgerAccountNumber=Subledger account number (CompAuxNum) -FECFormatSubledgerAccountLabel=Subledger account number (CompAuxLib) -FECFormatPieceRef=Piece ref (PieceRef) -FECFormatPieceDate=Piece date creation (PieceDate) -FECFormatLabelOperation=Label operation (EcritureLib) -FECFormatDebit=Debit (Debit) -FECFormatCredit=Credit (Credit) -FECFormatReconcilableCode=Reconcilable code (EcritureLet) -FECFormatReconcilableDate=Reconcilable date (DateLet) -FECFormatValidateDate=Piece date validated (ValidDate) -FECFormatMulticurrencyAmount=Multicurrency amount (Montantdevise) -FECFormatMulticurrencyCode=Multicurrency code (Idevise) +ImportAccountingEntries=Účtovné zápisy +ImportAccountingEntriesFECFormat=Účtovné zápisy - formát FEC +FECFormatJournalCode=Denník kódov (JournalCode) +FECFormatJournalLabel=Žurnál štítkov (JournalLib) +FECFormatEntryNum=Číslo kusu (EcritureNum) +FECFormatEntryDate=Dátum kusu (EcritureDate) +FECFormatGeneralAccountNumber=Všeobecné číslo účtu (CompteNum) +FECFormatGeneralAccountLabel=Všeobecný štítok účtu (CompteLib) +FECFormatSubledgerAccountNumber=Číslo účtu vedľajšej knihy (CompAuxNum) +FECFormatSubledgerAccountLabel=Číslo účtu vedľajšej knihy (CompAuxLib) +FECFormatPieceRef=Kusová referencia (PieceRef) +FECFormatPieceDate=Vytvorenie dátumu kusu (PieceDate) +FECFormatLabelOperation=Operácia štítkov (EcritureLib) +FECFormatDebit=Debet (debet) +FECFormatCredit=Kredit (kredit) +FECFormatReconcilableCode=Zosúladiteľný kód (EcritureLet) +FECFormatReconcilableDate=Zosúladiteľný dátum (DateLet) +FECFormatValidateDate=Overený dátum kusu (ValidDate) +FECFormatMulticurrencyAmount=Suma vo viacerých menách (Montantdevise) +FECFormatMulticurrencyCode=Kód viacerých mien (Idevise) -DateExport=Date export -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contain transactions modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. -ExpenseReportJournal=Expense Report Journal -DocsAlreadyExportedAreIncluded=Docs already exported are included -ClickToShowAlreadyExportedLines=Click to show already exported lines +DateExport=Export dátumu +WarningReportNotReliable=Upozornenie, táto zostava nie je založená na účtovnej knihe, takže neobsahuje transakcie upravené manuálne v účtovnej knihe. Ak je vaša žurnalizácia aktuálna, zobrazenie účtovníctva je presnejšie. +ExpenseReportJournal=Výdavkový denník +DocsAlreadyExportedAreIncluded=Zahrnuté sú už exportované dokumenty +ClickToShowAlreadyExportedLines=Kliknutím zobrazíte už exportované riadky -NAccounts=%s accounts +NAccounts=%s účty diff --git a/htdocs/langs/sk_SK/admin.lang b/htdocs/langs/sk_SK/admin.lang index d4688287910..c80ab9254df 100644 --- a/htdocs/langs/sk_SK/admin.lang +++ b/htdocs/langs/sk_SK/admin.lang @@ -1,9 +1,9 @@ # Dolibarr language file - Source file is en_US - admin -BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF -BoldLabelOnPDF=Print label of product item in Bold in PDF +BoldRefAndPeriodOnPDF=Vytlačte referenciu a obdobie položky produktu v PDF +BoldLabelOnPDF=Vytlačte štítok položky produktu tučným písmom v PDF Foundation=Nadácia Version=Verzia -Publisher=Publisher +Publisher=Vydavateľ VersionProgram=Verzia programu VersionLastInstall=Základná inštalovaná verzia VersionLastUpgrade=Upgradovať na najnovšiu verziu @@ -11,64 +11,64 @@ VersionExperimental=Experimentálna VersionDevelopment=Vývojárska VersionUnknown=Neznáma VersionRecommanded=Odporúčaná -FileCheck=Fileset Integrity Checks -FileCheckDesc=This tool allows you to check the integrity of files and the setup of your application, comparing each file with the official one. The value of some setup constants may also be checked. You can use this tool to determine if any files have been modified (e.g by a hacker). -FileIntegrityIsStrictlyConformedWithReference=Files integrity is strictly conformed with the reference. -FileIntegrityIsOkButFilesWereAdded=Files integrity check has passed, however some new files have been added. -FileIntegritySomeFilesWereRemovedOrModified=Files integrity check has failed. Some files were modified, removed or added. -GlobalChecksum=Global checksum -MakeIntegrityAnalysisFrom=Make integrity analysis of application files from -LocalSignature=Embedded local signature (less reliable) -RemoteSignature=Remote distant signature (more reliable) +FileCheck=Kontroly integrity sady súborov +FileCheckDesc=Tento nástroj vám umožňuje skontrolovať integritu súborov a nastavenie vašej aplikácie porovnaním každého súboru s oficiálnym súborom. Môže sa tiež skontrolovať hodnota niektorých konštánt nastavenia. Tento nástroj môžete použiť na zistenie, či boli nejaké súbory upravené (napr. hackerom). +FileIntegrityIsStrictlyConformedWithReference=Integrita súborov je prísne v súlade s referenciou. +FileIntegrityIsOkButFilesWereAdded=Kontrola integrity súborov prešla, boli však pridané nejaké nové súbory. +FileIntegritySomeFilesWereRemovedOrModified=Kontrola integrity súborov zlyhala. Niektoré súbory boli upravené, odstránené alebo pridané. +GlobalChecksum=Globálny kontrolný súčet +MakeIntegrityAnalysisFrom=Vykonajte analýzu integrity súborov aplikácie z +LocalSignature=Vložený lokálny podpis (menej spoľahlivý) +RemoteSignature=Vzdialený vzdialený podpis (spoľahlivejší) FilesMissing=Chýbajúce súbory FilesUpdated=Aktualizované súbory -FilesModified=Modified Files -FilesAdded=Added Files +FilesModified=Upravené súbory +FilesAdded=Pridané súbory FileCheckDolibarr=Skontrolovať integritu aplikačných súborov -AvailableOnlyOnPackagedVersions=The local file for integrity checking is only available when the application is installed from an official package +AvailableOnlyOnPackagedVersions=Lokálny súbor na kontrolu integrity je dostupný len vtedy, keď je aplikácia nainštalovaná z oficiálneho balíka XmlNotFound=Integrita XML súboru aplikácie nenájdená SessionId=ID relácie SessionSaveHandler=Handler pre uloženie sedenia -SessionSavePath=Session save location +SessionSavePath=Miesto uloženia relácie PurgeSessions=Purge relácií ConfirmPurgeSessions=Určite chcete vyčistit pripojenia ? Táto akcia odhlási každého uživateľa ( okrem vás ) -NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow listing all running sessions. +NoSessionListWithThisHandler=Obslužný program uloženia relácie nakonfigurovaný vo vašom PHP neumožňuje vypísať všetky spustené relácie. LockNewSessions=Zakázať nové pripojenia -ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself? Only user %s will be able to connect after that. +ConfirmLockNewSessions=Naozaj chcete obmedziť akékoľvek nové pripojenie Dolibarr na seba? Potom sa bude môcť pripojiť iba používateľ %s. UnlockNewSessions=Povoliť nové pripojenia YourSession=Vaša relácia -Sessions=Users Sessions +Sessions=Relácie používateľov WebUserGroup=Webový server užívateľ / skupina -PermissionsOnFiles=Permissions on files -PermissionsOnFilesInWebRoot=Permissions on files in web root directory -PermissionsOnFile=Permissions on file %s -NoSessionFound=Your PHP configuration seems to not allow listing of active sessions. The directory used to save sessions (%s) may be protected (for example by OS permissions or by PHP directive open_basedir). +PermissionsOnFiles=Povolenia na súbory +PermissionsOnFilesInWebRoot=Povolenia na súbory v koreňovom adresári webu +PermissionsOnFile=Povolenia v súbore %s +NoSessionFound=Zdá sa, že vaša konfigurácia PHP neumožňuje výpis aktívnych relácií. Adresár používaný na ukladanie relácií (%s) môže byť chránený (napríklad oprávneniami OS alebo PHP direktívou open_basedir). DBStoringCharset=Znaková sada dát uložených v databáze DBSortingCharset=Znaková sada databázy pre radenie dát -HostCharset=Host charset -ClientCharset=Client charset -ClientSortingCharset=Client collation +HostCharset=Znaková sada hostiteľa +ClientCharset=Znaková sada klienta +ClientSortingCharset=Zoraďovanie klientov WarningModuleNotActive=Modul %s musí byť povolený WarningOnlyPermissionOfActivatedModules=Iba povolenia týkajúcej sa aktivovaných modulov sú uvedené tu. Môžete aktivovať ďalšie moduly na domovskej-> Nastavenie-> Moduly stránku. DolibarrSetup=Inštalovať alebo aktualizovať Dolibarr -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=Aktualizácia Dolibarr +DolibarrAddonInstall=Inštalácia doplnkových/externých modulov (nahraných alebo vygenerovaných) InternalUsers=Interní používatelia ExternalUsers=Externí používatelia -UserInterface=User interface +UserInterface=Používateľské rozhranie GUISetup=Zobraziť SetupArea=Setup -UploadNewTemplate=Upload new template(s) +UploadNewTemplate=Nahrať nové šablóny FormToTestFileUploadForm=Formulár pre testovanie nahrávania súborov (podľa nastavenia) -ModuleMustBeEnabled=The module/application %s must be enabled -ModuleIsEnabled=The module/application %s has been enabled +ModuleMustBeEnabled=Modul/aplikácia %s musí byť povolená +ModuleIsEnabled=Modul/aplikácia %s bola povolená IfModuleEnabled=Poznámka: áno je účinné len vtedy, ak je modul %s zapnutý -RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool. -RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. +RemoveLock=Odstráňte/premenujte súbor %s, ak existuje, nástroja Aktualizovať/Inštalovať. +RestoreLock=Obnoviť súbor %s, len s povolením na čítanie ďalšie použitie nástroja Aktualizácia/Inštalácia. SecuritySetup=Bezpečnostné nastavenia -PHPSetup=PHP setup -OSSetup=OS setup -SecurityFilesDesc=Define here options related to security about uploading files. +PHPSetup=Nastavenie PHP +OSSetup=nastavenie OS +SecurityFilesDesc=Tu definujte možnosti súvisiace s bezpečnosťou pri nahrávaní súborov. ErrorModuleRequirePHPVersion=Chyba, tento modul vyžaduje PHP verzia %s alebo vyššia ErrorModuleRequireDolibarrVersion=Chyba, tento modul vyžaduje Dolibarr verzie %s alebo vyššia ErrorDecimalLargerThanAreForbidden=Chyba, presnosť vyššia než %s nie je podporované. @@ -77,25 +77,25 @@ Dictionary=Slovníky ErrorReservedTypeSystemSystemAuto=Hodnota "systém" a "systemauto" typu je vyhradená. Môžete použiť "používateľom" ako hodnota pridať svoj vlastný rekord ErrorCodeCantContainZero=Kód môže obsahovať hodnotu 0 DisableJavascript=Zakázať JavaScript a Ajax funkcie -DisableJavascriptNote=Note: For test or debug purpose only. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user -UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -DelaiedFullListToSelectCompany=Wait until a key is pressed before loading content of Third Parties combo list.
      This may increase performance if you have a large number of third parties, but it is less convenient. -DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list.
      This may increase performance if you have a large number of contacts, but it is less convenient. -NumberOfKeyToSearch=Number of characters to trigger search: %s -NumberOfBytes=Number of Bytes -SearchString=Search string +DisableJavascriptNote=Poznámka: Len na testovacie alebo ladiace účely. Pre optimalizáciu pre nevidomé alebo textové prehliadače možno uprednostníte použitie nastavenia v profile užívateľa +UseSearchToSelectCompanyTooltip=Taktiež ak máte veľký počet tretích strán (> 100 000), môžete zvýšiť rýchlosť nastavením konštanty COMPANY_DONOTSEARCH_ANYWHERE na 1 v Setup->Iné. Vyhľadávanie sa potom obmedzí na začiatok reťazca. +UseSearchToSelectContactTooltip=Taktiež ak máte veľký počet tretích strán (> 100 000), môžete zvýšiť rýchlosť nastavením konštanty CONTACT_DONOTSEARCH_ANYWHERE na 1 v Setup->Iné. Vyhľadávanie sa potom obmedzí na začiatok reťazca. +DelaiedFullListToSelectCompany=Pred načítaním obsahu zoznamu tretích strán počkajte, kým sa nestlačí klávesa.
      Toto môže zvýšiť výkon, ak máte veľký počet tretích strán, ale je to menej pohodlné. +DelaiedFullListToSelectContact=Pred načítaním obsahu zoznamu kontaktov počkajte, kým sa nestlačí kláves.
      Toto môže zvýšiť výkon, ak máte veľký počet kontaktov, ale je to menej pohodlné. +NumberOfKeyToSearch=Počet znakov na spustenie vyhľadávania: %s +NumberOfBytes=Počet bajtov +SearchString=Vyhľadávací reťazec NotAvailableWhenAjaxDisabled=Nie je k dispozícii pri Ajax vypnutej -AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party -TimesheetPreventAfterFollowingMonths=Prevent recording time spent after the following number of months +AllowToSelectProjectFromOtherCompany=Na dokumente tretej strany si môže vybrať projekt prepojený s inou treťou stranou +TimesheetPreventAfterFollowingMonths=Zabráňte času strávenému nahrávaním po uplynutí nasledujúceho počtu mesiacov JavascriptDisabled=JavaScript so zdravotným postihnutím UsePreviewTabs=Použitie ukážky karty ShowPreview=Zobraziť náhľad -ShowHideDetails=Show-Hide details +ShowHideDetails=Zobraziť – skryť podrobnosti PreviewNotAvailable=Náhľad nie je k dispozícii ThemeCurrentlyActive=Téma aktívnej MySQLTimeZone=TimeZone MySql (databáza) -TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered). +TZHasNoEffect=Dátumy sú uložené a vrátené databázovým serverom, ako keby boli uchovávané ako odoslaný reťazec. Časové pásmo má vplyv len pri použití funkcie UNIX_TIMESTAMP (tú by Dolibarr nemal používať, takže databázové TZ by nemalo mať žiadny vplyv, aj keď sa zmení po zadaní údajov). Space=Miesto Table=Tabuľka Fields=Pole @@ -104,71 +104,71 @@ Mask=Maska NextValue=Ďalšia hodnota NextValueForInvoices=Ďalšie hodnota (faktúry) NextValueForCreditNotes=Ďalšie hodnota (dobropisov) -NextValueForDeposit=Next value (down payment) +NextValueForDeposit=Ďalšia hodnota (záloha) NextValueForReplacements=Ďalšie hodnota (náhrady) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Poznámka: Vaša konfigurácia PHP momentálne obmedzuje maximálnu veľkosť súboru na nahrávanie do %s span> %s, bez ohľadu na hodnotu tohto parametra NoMaxSizeByPHPLimit=Poznámka: No limit je nastavený v konfigurácii PHP MaxSizeForUploadedFiles=Maximálna veľkosť nahraných súborov (0, aby tak zabránil akejkoľvek odosielanie) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page and some public pages +UseCaptchaCode=Použite grafický kód (CAPTCHA) na prihlasovacej stránke a niektorých verejných stránkach AntiVirusCommand=Úplná cesta k antivírusovej príkazu -AntiVirusCommandExample=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
      Example for ClamWin (very very slow): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe +AntiVirusCommandExample=Príklad pre ClamAv Daemon (vyžaduje clamav-daemon): /usr/bin/clamdscan
      Príklad pre ClamWin (veľmi veľmi pomalý): c:\\Progra~1\\ClamWin\\bin\\ clamscan.exe AntiVirusParam= Ďalšie parametre príkazového riadka -AntiVirusParamExample=Example for ClamAv Daemon: --fdpass
      Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" +AntiVirusParamExample=Príklad pre démona ClamAv: --fdpass
      Príklad pre ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" ComptaSetup=Účtovné modul nastavenia UserSetup=Správa užívateľov Nastavenie -MultiCurrencySetup=Multi-currency setup +MultiCurrencySetup=Nastavenie viacerých mien MenuLimits=Limity a presnosť MenuIdParent=Materská Ponuka ID DetailMenuIdParent=ID nadradenej ponuky (prázdny na horné menu) -ParentID=Parent ID +ParentID=ID rodiča DetailPosition=Zoradiť číslo definovať pozíciu v menu AllMenus=Všetko -NotConfigured=Module/Application not configured +NotConfigured=Modul/aplikácia nie je nakonfigurovaná Active=Aktívne SetupShort=Setup OtherOptions=Ďalšie možnosti -OtherSetup=Other Setup +OtherSetup=Iné nastavenie CurrentValueSeparatorDecimal=Desatinný oddeľovač CurrentValueSeparatorThousand=Oddeľovač tisícov Destination=Destinácia IdModule=ID Modulu IdPermissions=ID Povolení LanguageBrowserParameter=Parameter %s -LocalisationDolibarrParameters=Localization parameters +LocalisationDolibarrParameters=Parametre lokalizácie ClientHour=Čas klienta (používateľa) OSTZ=Čas servera PHPTZ=PHP servera Časová zóna DaylingSavingTime=Letný čas CurrentHour=PHP Čas (server) CurrentSessionTimeOut=Časový limit súčasnej relácie -YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a .htaccess file with a line like this "SetEnv TZ Europe/Paris" -HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but of the timezone of the server. +YouCanEditPHPTZ=Ak chcete nastaviť iné časové pásmo PHP (nevyžaduje sa), môžete skúsiť pridať súbor .htaccess s riadkom ako je tento „SetEnv TZ Europe/Paris“ +HoursOnThisPageAreOnServerTZ=Upozornenie, na rozdiel od iných obrazoviek, hodiny na tejto stránke nie sú vo vašom miestnom časovom pásme, ale v časovom pásme servera. Box=Panel Boxes=Panely -MaxNbOfLinesForBoxes=Max. number of lines for widgets -AllWidgetsWereEnabled=All available widgets are enabled -WidgetAvailable=Widget available +MaxNbOfLinesForBoxes=Max. počet riadkov pre widgety +AllWidgetsWereEnabled=Všetky dostupné widgety sú povolené +WidgetAvailable=Widget k dispozícii PositionByDefault=Predvolené poradie Position=Pozícia MenusDesc=Menu manažér nastaví obsah dvoch menu panelov ( horizontálne a vertikálne) -MenusEditorDesc=The menu editor allows you to define custom menu entries. Use it carefully to avoid instability and permanently unreachable menu entries.
      Some modules add menu entries (in menu All mostly). If you remove some of these entries by mistake, you can restore them disabling and reenabling the module. +MenusEditorDesc=Editor ponuky vám umožňuje definovať vlastné položky ponuky. Používajte ho opatrne, aby ste sa vyhli nestabilite a trvalo nedostupným položkám ponuky.
      Niektoré moduly pridávajú položky ponuky (v ponuke Všetky väčšinou). Ak niektoré z týchto položiek omylom odstránite, môžete ich obnoviť vypnutím a opätovným zapnutím modulu. MenuForUsers=Menu pre užívateľov LangFile=súbor .lang -Language_en_US_es_MX_etc=Language (en_US, es_MX, ...) +Language_en_US_es_MX_etc=Jazyk (en_US, es_MX, ...) System=Systém SystemInfo=Informácie o systéme SystemToolsArea=Priestor pre systémové nástroje -SystemToolsAreaDesc=This area provides administration functions. Use the menu to choose the required feature. +SystemToolsAreaDesc=Táto oblasť poskytuje funkcie správy. Pomocou ponuky vyberte požadovanú funkciu. Purge=Očistiť -PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server. -PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data) -PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Parameter can be 'tempfilesold', 'logfiles' or both 'tempfilesold+logfiles'. Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files (no risk of losing data) -PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s.
      This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files. +PurgeAreaDesc=Táto stránka vám umožňuje vymazať všetky súbory vygenerované alebo uložené službou Dolibarr (dočasné súbory alebo všetky súbory v %s). Používanie tejto funkcie zvyčajne nie je potrebné. Poskytuje sa ako riešenie pre používateľov, ktorých Dolibarr je hosťovaný poskytovateľom, ktorý neponúka povolenia na odstránenie súborov generovaných webovým serverom. +PurgeDeleteLogFile=Odstráňte súbory denníka vrátane %s (definovaný pre modul Sys riziko straty údajov) +PurgeDeleteTemporaryFiles=Odstráňte všetky protokoly a dočasné súbory (bez rizika straty údajov). Parameter môže byť 'tempfilesold', 'logfiles' alebo oba 'tempfilesold+logfiles'. Poznámka: Vymazanie dočasných súborov sa vykoná iba vtedy, ak bol dočasný adresár vytvorený pred viac ako 24 hodinami. +PurgeDeleteTemporaryFilesShort=Odstráňte denník a dočasné súbory (bez rizika straty údajov) +PurgeDeleteAllFilesInDocumentsDir=Odstráňte všetky súbory v adresári: %s.%s
      .%s. 'notranslate'>
      Týmto sa vymažú všetky vygenerované dokumenty súvisiace s prvkami (tretie strany, faktúry atď...), súbory nahrané do modulu ECM, výpisy zálohy databázy a dočasné súbory. PurgeRunNow=Vyčistiť teraz PurgeNothingToDelete=Žiadne súbory alebo priečinky na zmazanie PurgeNDirectoriesDeleted=%s súbory alebo adresáre odstránené. -PurgeNDirectoriesFailed=Failed to delete %s files or directories. +PurgeNDirectoriesFailed=Nepodarilo sa odstrániť %s súbory alebo adresáre. PurgeAuditEvents=Vyčistiť všetky bezpečnostné udalosti ConfirmPurgeAuditEvents=Určite chcete vyčistiť bezpečnostné udalosti ? Iba bezpečnostné logy budú zmazané GenerateBackup=Vytvoriť zálohu @@ -177,22 +177,22 @@ Restore=Obnoviť RunCommandSummary=Záloha bola spustená pomocou nasledujúceho príkazu BackupResult=Zálohovanie výsledok BackupFileSuccessfullyCreated=Záložný súbor úspešne generovaný -YouCanDownloadBackupFile=The generated file can now be downloaded +YouCanDownloadBackupFile=Vygenerovaný súbor je teraz možné stiahnuť NoBackupFileAvailable=Žiadne záložné súbory k dispozícii. ExportMethod=Export metódy ImportMethod=Dovoz metóda ToBuildBackupFileClickHere=Ak chcete vytvoriť záložný súbor, kliknite sem . -ImportMySqlDesc=To import a MySQL backup file, you may use phpMyAdmin via your hosting or use the mysql command from the Command line.
      For example: +ImportMySqlDesc=Na importovanie záložného súboru MySQL môžete použiť phpMyAdmin cez váš hosting alebo použiť príkaz mysql z príkazového riadka.
      Napríklad: ImportPostgreSqlDesc=Ak chcete importovať záložný súbor, musíte použiť pg_restore príkaz z príkazového riadka: ImportMySqlCommand=%s %s <mybackupfile.sql ImportPostgreSqlCommand=%s %s mybackupfile.sql -FileNameToGenerate=Filename for backup: +FileNameToGenerate=Názov súboru na zálohovanie: Compression=Kompresia CommandsToDisableForeignKeysForImport=Príkaz zakázať cudzie kľúče z dovozu CommandsToDisableForeignKeysForImportWarning=Povinné, ak chcete byť schopní obnoviť SQL dump neskôr ExportCompatibility=Kompatibilita vytvoreného súboru exportu -ExportUseMySQLQuickParameter=Use the --quick parameter -ExportUseMySQLQuickParameterHelp=The '--quick' parameter helps limit RAM consumption for large tables. +ExportUseMySQLQuickParameter=Použite parameter --quick +ExportUseMySQLQuickParameterHelp=Parameter '--quick' pomáha obmedziť spotrebu RAM pre veľké tabuľky. MySqlExportParameters=MySQL export parametrov PostgreSqlExportParameters= Parametre PostgreSQL export UseTransactionnalMode=Použitie transakčné režim @@ -210,124 +210,126 @@ IgnoreDuplicateRecords=Ignorovať chyby duplicitného záznamu AutoDetectLang=Autodetekcia (jazyk prehliadača) FeatureDisabledInDemo=Funkcia zakázaný v demo FeatureAvailableOnlyOnStable=Táto možnosť je dostupná iba v oficiálnej stabilnej verzií -BoxesDesc=Widgets are components showing some information that you can add to personalize some pages. You can choose between showing the widget or not by selecting target page and clicking 'Activate', or by clicking the trashcan to disable it. +BoxesDesc=Widgety sú komponenty zobrazujúce niektoré informácie, ktoré môžete pridať na prispôsobenie niektorých stránok. Môžete si vybrať, či chcete miniaplikáciu zobraziť alebo nie, výberom cieľovej stránky a kliknutím na „Aktivovať“ alebo kliknutím na smetný kôš, čím ju zakážete. OnlyActiveElementsAreShown=Iba prvky z povolených modulov sú uvedené. -ModulesDesc=The modules/applications determine which features are available in the software. Some modules require permissions to be granted to users after activating the module. Click the on/off button %s of each module to enable or disable a module/application. -ModulesDesc2=Click the wheel button %s to configure the module/application. +ModulesDesc=Moduly/aplikácie určujú, ktoré funkcie sú dostupné v softvéri. Niektoré moduly vyžadujú udelenie oprávnení používateľom po aktivácii modulu. Kliknutím na tlačidlo zapnutia/vypnutia %s každého modulu aktivujete alebo zakázať modul/aplikáciu. +ModulesDesc2=Kliknutím na tlačidlo kolieska %s nakonfigurujte modul/aplikáciu. ModulesMarketPlaceDesc=Viac modulov na stiahnutie môžete nájst na internete -ModulesDeployDesc=If permissions on your file system allow it, you can use this tool to deploy an external module. The module will then be visible on the tab %s. -ModulesMarketPlaces=Find external app/modules -ModulesDevelopYourModule=Develop your own app/modules -ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. -DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New module -FreeModule=Free -CompatibleUpTo=Compatible with version %s -NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). -CompatibleAfterUpdate=This module requires an update to your Dolibarr %s (Min %s - Max %s). -SeeInMarkerPlace=See in Market place -SeeSetupOfModule=See setup of module %s -SetOptionTo=Set option %s to %s -Updated=Updated -AchatTelechargement=Buy / Download -GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. +ModulesDeployDesc=Ak to umožňujú povolenia vo vašom súborovom systéme, môžete tento nástroj použiť na nasadenie externého modulu. Modul sa potom zobrazí na karte %s. +ModulesMarketPlaces=Nájdite externú aplikáciu/moduly +ModulesDevelopYourModule=Vytvorte si vlastnú aplikáciu/moduly +ModulesDevelopDesc=Môžete si tiež vytvoriť svoj vlastný modul alebo nájsť partnera, ktorý vám ho vyvinie. +DOLISTOREdescriptionLong=Namiesto zapínania www.dolistore.com webovej stránky na nájdenie externého modulu môžete použiť tento vložený nástroj, ktorý vykoná vyhľadávanie na externom trhu za vás (môže byť pomalé, vyžaduje prístup na internet)... +NewModule=Nový modul +FreeModule=zadarmo +CompatibleUpTo=Kompatibilné s verziou %s +NotCompatible=Zdá sa, že tento modul nie je kompatibilný s vaším Dolibarr %s (Min. %s – Max b0ecb2zec87f49 rozpätie>). +CompatibleAfterUpdate=Tento modul vyžaduje aktualizáciu vášho Dolibarr %s (min. %s – max. %s >). +SeeInMarkerPlace=Pozrite si na Trhovisku +SeeSetupOfModule=Pozrite si nastavenie modulu %s +SeeSetupPage=Pozrite si stránku nastavenia na %s +SeeReportPage=Pozrite si stránku správy na adrese %s +SetOptionTo=Nastavte možnosť %s na $dolibarr_main_db_pass="...";b0342bzccfda19 >by
      $dolibarr_main_db_pass="crypted:b0ecb2ec87f49";f span class='notranslate'> +InstrucToClearPass=Ak chcete, aby bolo heslo dekódované (vymazané) do súboru conf.php, nahraďte riadok
      $dolibarr_main_db_pass="crypted:...";b09a4b739f17f8z'no
      by
      $dolibarr_main_db_pass="65d40 +ForAnswersSeeForum=V prípade akýchkoľvek ďalších otázok alebo pomoci môžete použiť fórum Dolibarr:
      /span>%s +HelpCenterDesc1=Tu je niekoľko zdrojov na získanie pomoci a podpory s Dolibarrom. +HelpCenterDesc2=Niektoré z týchto zdrojov sú dostupné iba v angličtine. CurrentMenuHandler=Aktuálna ponuka handler MeasuringUnit=Meracie prístroje -LeftMargin=Left margin -TopMargin=Top margin -PaperSize=Paper type -Orientation=Orientation -SpaceX=Space X -SpaceY=Space Y -FontSize=Font size -Content=Content -ContentForLines=Content to display for each product or service (from variable __LINES__ of Content) -NoticePeriod=Notice period -NewByMonth=New by month -Emails=Emails -EMailsSetup=Emails setup -EMailsDesc=This page allows you to set parameters or options for email sending. -EmailSenderProfiles=Emails sender profiles -EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. -MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (default value in php.ini: %s) -MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (default value in php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix-like systems) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix-like systems) -MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (default value in php.ini: %s) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration -MAIN_MAIL_ERRORS_TO=Email used for error returns emails (fields 'Errors-To' in emails sent) -MAIN_MAIL_AUTOCOPY_TO= Copy (Bcc) all sent emails to -MAIN_DISABLE_ALL_MAILS=Disable all email sending (for test purposes or demos) -MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice -MAIN_MAIL_SENDMODE=Email sending method -MAIN_MAIL_SMTPS_ID=SMTP ID (if sending server requires authentication) -MAIN_MAIL_SMTPS_PW=SMTP Password (if sending server requires authentication) -MAIN_MAIL_EMAIL_TLS=Use TLS (SSL) encryption -MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés -MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature -MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim -MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector -MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing -MAIN_DISABLE_ALL_SMS=Disable all SMS sending (for test purposes or demos) +LeftMargin=Ľavý okraj +TopMargin=Horný okraj +PaperSize=Typ papiera +Orientation=Orientácia +SpaceX=Priestor X +SpaceY=Priestor Y +FontSize=Veľkosť písma +Content=Obsah +ContentForLines=Obsah, ktorý sa má zobraziť pre každý produkt alebo službu (z premennej __LINES__ obsahu) +NoticePeriod=Výpovedná lehota +NewByMonth=Nové podľa mesiaca +Emails=E-maily +EMailsSetup=Nastavenie e-mailov +EMailsDesc=Táto stránka vám umožňuje nastaviť parametre alebo možnosti odosielania e-mailov. +EmailSenderProfiles=Profily odosielateľov e-mailov +EMailsSenderProfileDesc=Túto sekciu môžete ponechať prázdnu. Ak sem zadáte nejaké e-maily, pridajú sa do zoznamu možných odosielateľov v rozbaľovacom poli, keď napíšete nový e-mail. +MAIN_MAIL_SMTP_PORT=Port SMTP/SMTPS (predvolená hodnota v php.ini: %sb09a4f739f17 >) +MAIN_MAIL_SMTP_SERVER=Hostiteľ SMTP/SMTPS (predvolená hodnota v php.ini: %sb09a4f739f17 >) +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Port SMTP/SMTPS +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Hostiteľ SMTP/SMTPS +MAIN_MAIL_EMAIL_FROM=E-mail odosielateľa pre automatické e-maily +EMailHelpMsgSPFDKIM=Ak chcete zabrániť tomu, aby boli e-maily Dolibarr klasifikované ako spam, uistite sa, že server je oprávnený odosielať e-maily pod touto identitou (skontrolovaním konfigurácie SPF a DKIM názvu domény) +MAIN_MAIL_ERRORS_TO=E-mail používaný pre chyby vracia e-maily (polia „Chyby-Komu“ v odoslaných e-mailoch) +MAIN_MAIL_AUTOCOPY_TO= Skopírujte (Bcc) všetky odoslané e-maily na +MAIN_DISABLE_ALL_MAILS=Zakázať odosielanie všetkých e-mailov (na testovacie účely alebo ukážky) +MAIN_MAIL_FORCE_SENDTO=Pošlite všetky e-maily na (namiesto skutočných príjemcov, na testovacie účely) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Navrhnite emaily zamestnancov (ak sú definované) do zoznamu preddefinovaných príjemcov pri písaní nového emailu +MAIN_MAIL_NO_WITH_TO_SELECTED=Nevyberajte predvoleného príjemcu, aj keď existuje iba 1 možná voľba +MAIN_MAIL_SENDMODE=Spôsob odoslania e-mailu +MAIN_MAIL_SMTPS_ID=SMTP ID (ak odosielajúci server vyžaduje autentifikáciu) +MAIN_MAIL_SMTPS_PW=Heslo SMTP (ak odosielajúci server vyžaduje overenie) +MAIN_MAIL_EMAIL_TLS=Použite šifrovanie TLS (SSL). +MAIN_MAIL_EMAIL_STARTTLS=Použite šifrovanie TLS (STARTTLS). +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizujte certifikáty s vlastným podpisom +MAIN_MAIL_EMAIL_DKIM_ENABLED=Použite DKIM na generovanie e-mailového podpisu +MAIN_MAIL_EMAIL_DKIM_DOMAIN=E-mailová doména na použitie s dkim +MAIN_MAIL_EMAIL_DKIM_SELECTOR=Názov selektora dkim +MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Súkromný kľúč na podpisovanie dkim +MAIN_DISABLE_ALL_SMS=Zakázať odosielanie všetkých SMS (na testovacie účely alebo ukážky) MAIN_SMS_SENDMODE=Použitá metóda pri odosielaní SMS -MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending -MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email) -UserEmail=User email -CompanyEmail=Company Email +MAIN_MAIL_SMS_FROM=Predvolené telefónne číslo odosielateľa na odosielanie SMS +MAIN_MAIL_DEFAULT_FROMTYPE=Predvolený e-mail odosielateľa predvolený vo formulároch na odosielanie e-mailov +UserEmail=E-mail používateľa +CompanyEmail=E-mail spoločnosti FeatureNotAvailableOnLinux=Funkcia nie je k dispozícii pre Unix, ako napr systémy. Otestujte si svoje sendmail programu na mieste. -FixOnTransifex=Fix the translation on the online translation platform of project -SubmitTranslation=If the translation for this language is not complete or you find errors, you can correct this by editing files in directory langs/%s and submit your change to www.transifex.com/dolibarr-association/dolibarr/ -SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or, if you are a developer, with a PR on github.com/Dolibarr/dolibarr +FixOnTransifex=Opravte preklad na online prekladateľskej platforme projektu +SubmitTranslation=Ak preklad pre tento jazyk nie je úplný alebo nájdete chyby, môžete to opraviť úpravou súborov v adresári langs/%s a odošlite svoju zmenu na www.transifex.com/dolibarr-association/dolibarr/ +SubmitTranslationENUS=Ak preklad pre tento jazyk nie je úplný alebo nájdete chyby, môžete to opraviť úpravou súborov do adresára langs/%s a odošlite upravené súbory na dolibarr.org/forum alebo, ak ste vývojár, s PR na github.com/Dolibarr/dolibarr ModuleSetup=Nastavenie modulu -ModulesSetup=Modules/Application setup +ModulesSetup=Nastavenie modulov/aplikácií ModuleFamilyBase=Systém -ModuleFamilyCrm=Customer Relationship Management (CRM) +ModuleFamilyCrm=Riadenie vzťahov so zákazníkmi (CRM) ModuleFamilySrm=Vendor Relationship Management (VRM) -ModuleFamilyProducts=Product Management (PM) +ModuleFamilyProducts=Produktový manažment (PM) ModuleFamilyHr=Správa ľudských zdrojov ( HR ) ModuleFamilyProjects=Projekty / tímovú prácu ModuleFamilyOther=Ostatné @@ -335,387 +337,394 @@ ModuleFamilyTechnic=Multi-moduly náradie ModuleFamilyExperimental=Experimentálne moduly ModuleFamilyFinancial=Finančné moduly (Účtovníctvo / Treasury) ModuleFamilyECM=Elektronický Redakčný motora (ECM) -ModuleFamilyPortal=Websites and other frontal application -ModuleFamilyInterface=Interfaces with external systems +ModuleFamilyPortal=Webové stránky a iné frontálne aplikácie +ModuleFamilyInterface=Rozhrania s externými systémami MenuHandlers=Menu manipulátory MenuAdmin=Menu Editor DoNotUseInProduction=Nepoužívajte vo výrobe -ThisIsProcessToFollow=Upgrade procedure: -ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: +ThisIsProcessToFollow=Postup inovácie: +ThisIsAlternativeProcessToFollow=Toto je alternatívne nastavenie na manuálne spracovanie: StepNb=Krok %s -FindPackageFromWebSite=Find a package that provides the features you need (for example on the official web site %s). -DownloadPackageFromWebSite=Download package (for example from the official web site %s). -UnpackPackageInDolibarrRoot=Unpack/unzip the packaged files into your Dolibarr server directory: %s -UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s -SetupIsReadyForUse=Module deployment is finished. You must however enable and setup the module in your application by going to the page setup modules: %s. -NotExistsDirect=The alternative root directory is not defined to an existing directory.
      -InfDirAlt=Since version 3, it is possible to define an alternative root directory. This allows you to store, into a dedicated directory, plug-ins and custom templates.
      Just create a directory at the root of Dolibarr (eg: custom).
      -InfDirExample=
      Then declare it in the file conf.php
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
      If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. -YouCanSubmitFile=You can upload the .zip file of module package from here: +FindPackageFromWebSite=Nájdite balík, ktorý poskytuje funkcie, ktoré potrebujete (napríklad na oficiálnej webovej stránke %s). +DownloadPackageFromWebSite=Stiahnite si balík (napríklad z oficiálnej webovej stránky %s). +UnpackPackageInDolibarrRoot=Rozbaľte/rozbaľte zabalené súbory do adresára vášho servera Dolibarr: %sb09a4b839fb09a4b839f > +UnpackPackageInModulesRoot=Ak chcete nasadiť/inštalovať externý modul, musíte rozbaliť/rozbaliť archívny súbor do adresára servera vyhradeného pre externé moduly:
      %s +SetupIsReadyForUse=Nasadenie modulu je dokončené. Musíte však povoliť a nastaviť modul vo svojej aplikácii tak, že prejdete na moduly nastavenia stránky: %s
      . +NotExistsDirect=Alternatívny koreňový adresár nie je definovaný pre existujúci adresár.
      +InfDirAlt=Od verzie 3 je možné definovať alternatívny koreňový adresár. To vám umožňuje ukladať do vyhradeného adresára zásuvné moduly a vlastné šablóny.
      Stačí vytvoriť adresár v koreňovom adresári Dolibarr (napr.: custom).
      +InfDirExample=
      Potom to deklarujte v súbore conf.phpb0a65d071f6>
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt/docht='/span> 'notranslate'>
      Ak sú tieto riadky zakomentované znakom „#“, ak ich chcete povoliť, odkomentujte ich odstránením znaku „#“. +YouCanSubmitFile=Súbor .zip balíka modulu môžete nahrať odtiaľto: CurrentVersion=Dolibarr aktuálna verzia -CallUpdatePage=Browse to the page that updates the database structure and data: %s. +CallUpdatePage=Prejdite na stránku, ktorá aktualizuje štruktúru databázy a údaje: %s. LastStableVersion= Najnovšia stabilná verzia -LastActivationDate=Latest activation date -LastActivationAuthor=Latest activation author -LastActivationIP=Latest activation IP -LastActivationVersion=Latest activation version +LastActivationDate=Najneskorší dátum aktivácie +LastActivationAuthor=Autor poslednej aktivácie +LastActivationIP=Posledná aktivačná IP +LastActivationVersion=Najnovšia verzia aktivácie UpdateServerOffline=Aktualizovať server offline -WithCounter=Manage a counter -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      -GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      +WithCounter=Spravovať počítadlo +GenericMaskCodes=Môžete zadať akúkoľvek masku číslovania. V tejto maske možno použiť nasledujúce značky:
      {000000}b09a4b839f /span> zodpovedá číslu, ktoré sa zvýši pri každom %s. Zadajte toľko núl, koľko je požadovaná dĺžka počítadla. Počítadlo bude doplnené nulami zľava, aby bolo toľko núl ako maska.
      {000000+000}, ale rovnaký ako predchádzajúci posun zodpovedajúci číslu napravo od znamienka + sa použije od prvého %s.
      {000000@x} ako predchádzajúci, ale rovnaké počítadlo sa vynuluje po dosiahnutí mesiaca x (x medzi 1 a 12, alebo 0, ak chcete použiť prvé mesiace fiškálneho roka definovaného vo vašej konfigurácii, alebo 99 na vynulovanie každý mesiac). Ak sa použije táto možnosť a x je 2 alebo vyššie, potom sa vyžaduje aj postupnosť {yy}{mm} alebo {yyyy}{mm}.
      {dd} deň (01 až 3). span class='notranslate'>
      {mm} mesiac (01 až 12). class='notranslate'>
      {yy}, {yyyy} alebo {y}b09a4b739f17f8 rok nad 2, 4 alebo 1 číslo.
      +GenericMaskCodes2={cccc} klientsky kód na'n znakov
      {cccc000}b09fa4b8>39 klient
      b06a5f451419e8z Kód typu tretej strany na n znakoch (pozri menu Domov - Nastavenie - Slovník - Typy tretích strán). Ak pridáte túto značku, počítadlo sa bude líšiť pre každý typ tretej strany.
      GenericMaskCodes3=Všetky ostatné znaky v maske zostanú nedotknuté.
      Medzery nie sú povolené.
      -GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
      Spaces are not allowed.
      In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes3EAN=Všetky ostatné znaky v maske zostanú nedotknuté (okrem * alebo ? na 13. pozícii v EAN13).
      Medzery nie sú povolené.
      span>V EAN13 by mal byť posledný znak za posledným } na 13. pozícii * alebo ? . Bude nahradený vypočítaným kľúčom.
      +GenericMaskCodes4a=Príklad na 99. %s tretej strany TheCompany s dátumom 2023-01-31:
      +GenericMaskCodes4b=Príklad na tretej strane vytvorený 31.01.2023:b0342fccfda19b > +GenericMaskCodes4c=Príklad produktu vytvoreného 31.01.2023:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000} poskytne b0aeeABC2301-000099

      b0aee833065101+01 }-ZZZ/{dd}/XXX
      poskytne 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} poskytne IN2301-0099-Ab09a4b730 typ spoločnostiak je typ spoločnosti 8 'Responsable Inscripto' s kódom pre typ, ktorý je 'A_RI' GenericNumRefModelDesc=Vracia číslo prispôsobiteľný podľa tvarovanou maskou. ServerAvailableOnIPOrPort=Server je k dispozícii na adrese %s na porte %s ServerNotAvailableOnIPOrPort=Server nie je k dispozícii na adrese %s na porte %s DoTestServerAvailability=Skúška s pripojením k serveru DoTestSend=Otestujte odoslanie DoTestSendHTML=Otestujte odosielanie HTML -ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. +ErrorCantUseRazIfNoYearInMask=Chyba, nemožno použiť možnosť @ na každoročné vynulovanie počítadla, ak sekvencia {yy} alebo {yyyy} nie je v maske. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Chyba, nemožno použiť voľbu @ li postupnosť {yy} {mm} alebo {yyyy} {mm} nie je v maske. UMask=Umask parameter pre nové súbory na Unix / Linux / BSD / Mac systému súborov. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. -SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization +UMaskExplanation=Tento parameter vám umožňuje definovať predvolene nastavené povolenia pre súbory vytvorené službou Dolibarr na serveri (napríklad počas nahrávania).
      Musí to byť osmičková hodnota (napríklad 0666 znamená čítanie a písať pre všetkých.). Odporúčaná hodnota je 0600 alebo 0660
      Tento parameter je na serveri Windows nepoužiteľný. +SeeWikiForAllTeam=Pozrite sa na stránku Wiki, kde nájdete zoznam prispievateľov a ich organizácie UseACacheDelay= Oneskorenie pre ukladanie do medzipamäte export reakcie v sekundách (0 alebo prázdne bez vyrovnávacej pamäte) -DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page -DisableLinkToHelp=Hide the link to the online help "%s" -AddCRIfTooLong=There is no automatic text wrapping, text that is too long will not display on documents. Please add carriage returns in the text area if needed. -ConfirmPurge=Are you sure you want to execute this purge?
      This will permanently delete all your data files with no way to restore them (ECM files, attached files...). +DisableLinkToHelpCenter=Skryte odkaz "Potrebujete pomoc alebo podporu" na prihlasovacej stránke +DisableLinkToHelp=Skryť odkaz na online pomocníka "%s" +AddCRIfTooLong=Neexistuje automatické zalamovanie textu, príliš dlhý text sa na dokumentoch nezobrazí. V prípade potreby pridajte do textovej oblasti návraty vozíka. +ConfirmPurge=Naozaj chcete vykonať toto vyčistenie?
      Týmto sa natrvalo odstránia všetky vaše dátové súbory bez možnosti ich obnovenia (súbory ECM, priložené súbory...). MinLength=Minimálna dĺžka LanguageFilesCachedIntoShmopSharedMemory=Súbory. Lang vložený do zdieľanej pamäte -LanguageFile=Language file -ExamplesWithCurrentSetup=Examples with current configuration +LanguageFile=Jazykový súbor +ExamplesWithCurrentSetup=Príklady s aktuálnou konfiguráciou ListOfDirectories=Zoznam OpenDocument šablóny zoznamov -ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.

      Put here full path of directories.
      Add a carriage return between eah directory.
      To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.

      Files in those directories must end with .odt or .ods. -NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories -ExampleOfDirectoriesForModelGen=Examples of syntax:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir +ListOfDirectoriesForModelGenODT=Zoznam adresárov obsahujúcich súbory šablón vo formáte OpenDocument.

      Sem vložte úplnú cestu k adresárom.
      Pridajte návrat vozíka medzi každý adresár.
      Ak chcete pridať adresár modulu GED, pridajte sem >DOL_DATA_ROOT/ecm/yourdirectoryname.
      b0342fz0Files in 9 directories in musí končiť reťazcom .odt alebo b0aee83365837.ods0 ='notranslate'>
      . +NumberOfModelFilesFound=Počet súborov šablón ODT/ODS nájdených v týchto adresároch +ExampleOfDirectoriesForModelGen=Príklady syntaxe:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir
      DOL_DATA_ROOT/ecm/ecmdir FollowingSubstitutionKeysCanBeUsed=
      Ak chcete vedieť, ako vytvoriť svoje ODT šablóny dokumentov pred ich uložením do týchto adresárov, prečítajte si wiki dokumentácie: FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template FirstnameNamePosition=Pozícia Meno / Priezvisko -DescWeather=The following images will be shown on the dashboard when the number of late actions reach the following values: +DescWeather=Nasledujúce obrázky sa zobrazia na paneli, keď počet oneskorených akcií dosiahne nasledujúce hodnoty: KeyForWebServicesAccess=Kľúč na použitie Web Services (parameter "dolibarrkey" v webservices) TestSubmitForm=Vstup Testovacie formulár -ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever the user choice. Also this menu manager specialized for smartphones does not work on all smartphone. Use another menu manager if you experience problems with yours. +ThisForceAlsoTheme=Používanie tohto správcu ponúk bude tiež používať svoju vlastnú tému bez ohľadu na voľbu používateľa. Tento správca menu špecializovaný pre smartfóny tiež nefunguje na všetkých smartfónoch. Ak sa vyskytnú problémy s vaším, použite iného správcu menu. ThemeDir=Skins adresár -ConnectionTimeout=Connection timeout +ConnectionTimeout=Spojenie vypršalo ResponseTimeout=Reakcia timeout SmsTestMessage=Skúšobná správa od __ PHONEFROM__ do __ PHONETO__ ModuleMustBeEnabledFirst=Modul %s musí byť aktívny ak potrebujete túto možnosť SecurityToken=Kľúč k zabezpečenej URL -NoSmsEngine=No SMS sender manager available. A SMS sender manager is not installed with the default distribution because they depend on an external vendor, but you can find some on %s +NoSmsEngine=Nie je k dispozícii žiadny správca odosielateľov SMS. Správca odosielateľov SMS nie je nainštalovaný s predvolenou distribúciou, pretože závisí od externého dodávateľa, ale môžete ho nájsť na %s PDF=PDF -PDFDesc=Global options for PDF generation -PDFOtherDesc=PDF Option specific to some modules -PDFAddressForging=Rules for address section -HideAnyVATInformationOnPDF=Hide all information related to Sales Tax / VAT -PDFRulesForSalesTax=Rules for Sales Tax / VAT -PDFLocaltax=Rules for %s -HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT -HideDescOnPDF=Hide products description -HideRefOnPDF=Hide products ref. -HideDetailsOnPDF=Hide product lines details -PlaceCustomerAddressToIsoLocation=Use french standard position (La Poste) for customer address position +PDFDesc=Globálne možnosti pre generovanie PDF +PDFOtherDesc=Možnosť PDF špecifická pre niektoré moduly +PDFAddressForging=Pravidlá pre sekciu adresy +HideAnyVATInformationOnPDF=Skryť všetky informácie súvisiace s daňou z predaja / DPH +PDFRulesForSalesTax=Pravidlá pre daň z obratu / DPH +PDFLocaltax=Pravidlá pre %s +HideLocalTaxOnPDF=Skryť sadzbu %s v stĺpci Daň z predaja / DPH +HideDescOnPDF=Skryť popis produktov +HideRefOnPDF=Skryť produkty ref. +ShowProductBarcodeOnPDF=Zobrazte číslo čiarového kódu produktov +HideDetailsOnPDF=Skryť podrobnosti o produktových radoch +PlaceCustomerAddressToIsoLocation=Pre pozíciu adresy zákazníka použite francúzsku štandardnú pozíciu (La Poste). Library=Knižnica UrlGenerationParameters=Parametre na zabezpečenie URL SecurityTokenIsUnique=Používame unikátny securekey parameter pre každú adresu URL EnterRefToBuildUrl=Zadajte odkaz na objekt %s GetSecuredUrl=Získajte vypočítanú URL -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) +ButtonHideUnauthorized=Skryť neautorizované akčné tlačidlá aj pre interných používateľov (inak sú len sivé) OldVATRates=Staré Sadzba DPH NewVATRates=Nová sadzba DPH PriceBaseTypeToChange=Zmeniť na cenách s hodnotou základného odkazu uvedeného na -MassConvert=Launch bulk conversion -PriceFormatInCurrentLanguage=Price Format In Current Language +MassConvert=Spustite hromadnú konverziu +PriceFormatInCurrentLanguage=Formát ceny v aktuálnom jazyku String=Reťaz -String1Line=String (1 line) +String1Line=Reťazec (1 riadok) TextLong=Dlhý text -TextLongNLines=Long text (n lines) +TextLongNLines=Dlhý text (n riadkov) HtmlText=Html text Int=Celé číslo Float=Vznášať sa DateAndTime=Dátum a hodina Unique=Unikátna -Boolean=Boolean (one checkbox) +Boolean=Boolean (jedno začiarkavacie políčko) ExtrafieldPhone = Telefón ExtrafieldPrice = Cena -ExtrafieldPriceWithCurrency=Price with currency +ExtrafieldPriceWithCurrency=Cena s menou ExtrafieldMail = E-mail ExtrafieldUrl = Url ExtrafieldIP = IP ExtrafieldSelect = Vyberte zoznam ExtrafieldSelectList = Vyberte z tabuľky -ExtrafieldSeparator=Separator (not a field) +ExtrafieldSeparator=Oddeľovač (nie pole) ExtrafieldPassword=Heslo -ExtrafieldRadio=Radio buttons (one choice only) -ExtrafieldCheckBox=Checkboxes -ExtrafieldCheckBoxFromList=Checkboxes from table +ExtrafieldRadio=Prepínače (iba jedna možnosť) +ExtrafieldCheckBox=Začiarkavacie políčka +ExtrafieldCheckBoxFromList=Začiarkavacie políčka z tabuľky ExtrafieldLink=Odkaz na objekt -ComputedFormula=Computed field -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' -Computedpersistent=Store computed field -ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!! -ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored without encryption (field must be only hidden with star on screen).
      Set 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retrieve original value) -ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      In order to have the list depending on another list:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key -ExtrafieldParamHelpcheckbox=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpradio=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath -ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) +ComputedFormula=Vypočítané pole +ComputedFormulaDesc=Tu môžete zadať vzorec pomocou iných vlastností objektu alebo akéhokoľvek PHP kódovania, aby ste získali dynamickú vypočítanú hodnotu. Môžete použiť akékoľvek vzorce kompatibilné s PHP vrátane "?" operátor podmienky a nasledujúci globálny objekt: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      UPOZORNENIE: Ak potrebujete vlastnosti objektu nenačítané, jednoducho si načítajte objekt do svojho vzorca ako v druhom príklade.
      Používanie vypočítaného poľa znamená, že nemôžete zadať žiadnu hodnotu z rozhrania. Ak sa vyskytne chyba syntaxe, vzorec nemusí vrátiť nič.

      Príklad vzorca:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      Príklad opätovného načítania objektu
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldedobkey'] * $re >capital / 5: '-1')

      Ďalší príklad vzorca na vynútenie zaťaženia objektu a jeho nadradeného objektu:
      (($reloadedobj = nová úloha($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = nový projekt( $db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Nadradený projekt sa nenašiel' +Computedpersistent=Uložiť vypočítané pole +ComputedpersistentDesc=Vypočítané nadbytočné polia sa uložia do databázy, avšak hodnota sa prepočíta len pri zmene objektu tohto poľa. Ak vypočítané pole závisí od iných objektov alebo globálnych údajov, táto hodnota môže byť nesprávna!! +ExtrafieldParamHelpPassword=Ak toto pole ponecháte prázdne, znamená to, že táto hodnota bude uložená BEZ šifrovania (pole je na obrazovke iba skryté hviezdičkami).

      Zadajte hodnota 'dolcrypt' na zakódovanie hodnoty pomocou reverzibilného šifrovacieho algoritmu. Jasné údaje možno stále poznať a upravovať, ale sú zašifrované do databázy.

      Zadajte 'auto' (alebo 'md5', 'sha256', 'password_hash', ...) na použitie predvoleného algoritmu šifrovania hesla (alebo md5, sha256, password_hash...) na uloženie nevratného hashovaného hesla do databázy (žiadny spôsob, ako získať pôvodnú hodnotu) +ExtrafieldParamHelpselect=Zoznam hodnôt musí byť riadky s formátom key,value (kde kľúč nemôže byť '0')

      :
      1,value1
      2,value2b0342fccfda19bzz0,3 span class='notranslate'>
      ...

      Aby bol zoznam závislý od iného zoznam doplnkových atribútov:
      1,value1|options_parent_list_codeb0bac>3408 parent_key
      2,value2|options_parent_list_codeb0ae_key :parentba8 class='notranslate'>

      Ak chcete, aby bol zoznam závislý od iného zoznamu:
      1, value1|parent_list_code:parent_keyb0342fccfda>29bz0 class='notranslate'>parent_list_code:parent_key +ExtrafieldParamHelpcheckbox=Zoznam hodnôt musí byť riadky s formátom key,value (kde kľúč nemôže byť '0')

      :
      1,value1
      2,value2
      span class='notranslate'>
      ... +ExtrafieldParamHelpradio=Zoznam hodnôt musí byť riadky s formátom key,value (kde kľúč nemôže byť '0')

      :
      1,value1
      2,value2
      span class='notranslate'>
      ... +ExtrafieldParamHelpsellist=Zoznam hodnôt pochádza z tabuľky
      Syntax: table_name:label_field:id_field::filtersql
      Príklad: c_typid:libelle: ::filtersql

      - id_field je nevyhnutne primárny kľúč typu intb0342fccfda19b - filtersql je podmienka SQL. Môže to byť jednoduchý test (napr. active=1) na zobrazenie iba aktívnej hodnoty
      Vo filtri môžete použiť aj $ID$, čo je aktuálne ID aktuálneho objektu
      Ak chcete vo filtri použiť SELECT, použite kľúčové slovo $SEL$ na obídenie ochrany proti vstreknutiu.
      ak chcete filtrovať extrapole použite syntax extra.fieldcode=... (kde kód poľa je kód extrapola)

      Ak chcete mať zoznam závisí od iného zoznamu doplnkových atribútov:
      c_typent:libelle:id:options_parent_list_code |parent_column:filter

      Ak chcete, aby bol zoznam závislý od iného zoznamu:
      c_typent:libelle:id:parent_list_codeb0ae64758bac>33z0_filter +ExtrafieldParamHelpchkbxlst=Zoznam hodnôt pochádza z tabuľky
      Syntax: table_name:label_field:id_field::filtersql
      Príklad: c_typid:libelle: ::filtersql

      filter môže byť jednoduchým testom (napr. active=1) na zobrazenie iba aktívnej hodnoty
      Vo filtri môžete použiť aj $ID$, čo je aktuálne ID aktuálneho objektu
      Na vykonanie SELECT vo filtri použite $SEL$
      ak chcete filtrovať extrapolia, použite syntax extra.fieldcode=... (kde kód poľa je kód extrafield)

      Ak chcete, aby bol zoznam závislý od iného zoznamu doplnkových atribútov:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter b0342fccfda19translate'>0319bzf'cc Ak chcete, aby bol zoznam závislý od iného zoznamu:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelplink=Parametre musia byť ObjectName:Classpath
      Syntax: ObjectName:Classpath +ExtrafieldParamHelpSeparator=Ponechajte prázdne pre jednoduchý oddeľovač
      Nastavte toto na 1 pre zbalený oddeľovač (predvolene otvorený pre novú reláciu, potom sa stav zachová pre každú reláciu používateľa)
      Nastavte toto na 2 pre zbalený oddeľovač (predvolene zbalený pre novú reláciu, potom sa stav zachová pre každú reláciu používateľa) LibraryToBuildPDF=Knižnica používaná pre generovanie PDF -LocalTaxDesc=Some countries may apply two or three taxes on each invoice line. If this is the case, choose the type for the second and third tax and its rate. Possible type are:
      1: local tax apply on products and services without vat (localtax is calculated on amount without tax)
      2: local tax apply on products and services including vat (localtax is calculated on amount + main tax)
      3: local tax apply on products without vat (localtax is calculated on amount without tax)
      4: local tax apply on products including vat (localtax is calculated on amount + main vat)
      5: local tax apply on services without vat (localtax is calculated on amount without tax)
      6: local tax apply on services including vat (localtax is calculated on amount + tax) +LocalTaxDesc=Niektoré krajiny môžu uplatňovať dve alebo tri dane na každý riadok faktúry. Ak je to tak, vyberte typ pre druhú a tretiu daň a jej sadzbu. Možné typy sú:
      1: miestna daň sa vzťahuje na produkty a služby bez DPH (miestna daň sa počíta zo sumy bez dane)
      2: miestna daň sa vzťahuje na produkty a služby vrátane DPH (miestna daň sa počíta zo sumy + hlavná daň)
      3: miestna daň sa vzťahuje na produkty bez DPH (miestna daň sa počíta zo sumy bez daň)
      4: miestna daň sa vzťahuje na produkty vrátane DPH (miestna daň sa počíta zo sumy + hlavnej DPH)
      5: miestne daň sa vzťahuje na služby bez DPH (miestna daň sa počíta zo sumy bez dane)
      6: miestna daň sa vzťahuje na služby vrátane DPH (miestna daň sa počíta zo sumy + dane) SMS=SMS LinkToTestClickToDial=Zadajte telefónne číslo pre volania ukázať odkaz na test ClickToDial URL pre %s RefreshPhoneLink=Obnoviť odkaz LinkToTest=Klikacie odkaz generované pre užívateľa %s (kliknite na telefónne číslo pre testovanie) KeepEmptyToUseDefault=Majte prázdny použiť predvolené hodnoty -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. +KeepThisEmptyInMostCases=Vo väčšine prípadov môžete toto pole ponechať prázdne. DefaultLink=Východiskový odkaz SetAsDefault=Nastaviť ako predvolené ValueOverwrittenByUserSetup=Pozor, táto hodnota môže byť prepísaná užívateľom špecifické nastavenia (každý užívateľ môže nastaviť vlastné clicktodial url) -ExternalModule=External module -InstalledInto=Installed into directory %s -BarcodeInitForThirdparties=Mass barcode init for third-parties +ExternalModule=Externý modul +InstalledInto=Nainštalované do adresára %s +BarcodeInitForThirdparties=Hromadná inicializácia čiarového kódu pre tretie strany BarcodeInitForProductsOrServices=Masové načítanie čiarových kódov alebo reset pre produkty alebo služby -CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. -InitEmptyBarCode=Init value for the %s empty barcodes +CurrentlyNWithoutBarCode=V súčasnosti máte záznam %s na %s bez definovaného čiarového kódu 7fecb2 . +InitEmptyBarCode=Počiatočná hodnota pre %s prázdne čiarové kódy EraseAllCurrentBarCode=Zmazať aktuálne hodnoty čiarových kódov -ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values? +ConfirmEraseAllCurrentBarCode=Naozaj chcete vymazať všetky aktuálne hodnoty čiarových kódov? AllBarcodeReset=Hodnoty čiarových kódov boli zmazané -NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled in the Barcode module setup. -EnableFileCache=Enable file cache -ShowDetailsInPDFPageFoot=Add more details into footer, such as company address or manager names (in addition to professional ids, company capital and VAT number). -NoDetails=No additional details in footer +NoBarcodeNumberingTemplateDefined=V nastavení modulu čiarového kódu nie je povolená žiadna šablóna čiarového kódu číslovania. +EnableFileCache=Povoliť vyrovnávaciu pamäť súborov +ShowDetailsInPDFPageFoot=Do päty pridajte ďalšie podrobnosti, ako je adresa spoločnosti alebo mená manažérov (okrem profesijných identifikátorov, kapitálu spoločnosti a IČ DPH). +NoDetails=Žiadne ďalšie podrobnosti v päte DisplayCompanyInfo=Zobraziť adresu spoločnosti DisplayCompanyManagers=Zobraziť mená manažérov DisplayCompanyInfoAndManagers=Zobraziť adresu spoločnosti a mená manažérov -EnableAndSetupModuleCron=If you want to have this recurring invoice generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template using the *Create* button. Note that even if you enabled automatic generation, you can still safely launch manual generation. Generation of duplicates for the same period is not possible. -ModuleCompanyCodeCustomerAquarium=%s followed by customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by vendor code for a vendor accounting code -ModuleCompanyCodePanicum=Return an empty accounting code. -ModuleCompanyCodeDigitaria=Returns a compound accounting code according to the name of the third party. The code consists of a prefix that can be defined in the first position followed by the number of characters defined in the third party code. -ModuleCompanyCodeCustomerDigitaria=%s followed by the truncated customer name by the number of characters: %s for the customer accounting code. -ModuleCompanyCodeSupplierDigitaria=%s followed by the truncated supplier name by the number of characters: %s for the supplier accounting code. -Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
      Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. +EnableAndSetupModuleCron=Ak chcete, aby sa táto opakovaná faktúra generovala automaticky, modul *%s* musí byť povolený a správne nastavený. V opačnom prípade je potrebné vygenerovať faktúry manuálne z tejto šablóny pomocou tlačidla *Vytvoriť*. Upozorňujeme, že aj keď ste povolili automatické generovanie, stále môžete bezpečne spustiť manuálne generovanie. Generovanie duplikátov za rovnaké obdobie nie je možné. +ModuleCompanyCodeCustomerAquarium=%s, za ktorým nasleduje kód zákazníka pre účtovný kód zákazníka +ModuleCompanyCodeSupplierAquarium=%s, za ktorým nasleduje kód dodávateľa pre účtovný kód dodávateľa +ModuleCompanyCodePanicum=Vráťte prázdny účtovný kód. +ModuleCompanyCodeDigitaria=Vráti zložený účtovný kód podľa názvu tretej strany. Kód pozostáva z prefixu, ktorý môže byť definovaný na prvej pozícii, za ktorým nasleduje počet znakov definovaných v kóde tretej strany. +ModuleCompanyCodeCustomerDigitaria=%s, za ktorým nasleduje skrátené meno zákazníka o počet znakov: %s pre účtovný kód zákazníka. +ModuleCompanyCodeSupplierDigitaria=%s, za ktorým nasleduje skrátený názov dodávateľa s počtom znakov: %s pre účtovný kód dodávateľa. +Use3StepsApproval=V predvolenom nastavení musia byť objednávky vytvorené a schválené 2 rôznymi používateľmi (jeden krok/používateľ na vytvorenie a jeden krok/používateľ na schválenie. Upozorňujeme, že ak má používateľ oprávnenie na vytváranie aj schvaľovanie, bude stačiť jeden krok/používateľ) . Pomocou tejto možnosti môžete požiadať o zavedenie tretieho kroku/schválenia používateľa, ak je suma vyššia ako vyhradená hodnota (takže budú potrebné 3 kroky: 1=overenie, 2=prvé schválenie a 3=druhé schválenie, ak je množstvo dostatočné).
      Ak stačí jedno schválenie (2 kroky), nastavte ho na prázdne. Ak sa vždy vyžaduje druhé schválenie (3 kroky), nastavte ho na veľmi nízku hodnotu (0,1). UseDoubleApproval=Použiť 3 krokové povolenie ked cena ( bez DPH ) je väčšia ako... -WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons: -WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM -WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota). -WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox. -WarningPHPMailD=It is therefore recommended to change the sending method of e-mails to the value "SMTP". -WarningPHPMailDbis=If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by %sclicking here%s. -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask your domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. -ActualMailSPFRecordFound=Actual SPF record found (for email %s) : %s -ClickToShowDescription=Click to show description -DependsOn=This module needs the module(s) -RequiredBy=This module is required by module(s) -TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. Technical knowledge is required to read the content of the HTML page to get the key name of a field. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. -PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) -EnableDefaultValues=Enable customization of default values -EnableOverwriteTranslation=Allow customization of translations -GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation. -WarningSettingSortOrder=Warning, setting a default sort order may result in a technical error when going on the list page if field is an unknown field. If you experience such an error, come back to this page to remove the default sort order and restore default behavior. +WarningPHPMail=UPOZORNENIE: Nastavenie odosielania e-mailov z aplikácie používa predvolené všeobecné nastavenie. Často je lepšie nastaviť odchádzajúce e-maily na používanie e-mailového servera vášho poskytovateľa e-mailových služieb namiesto predvoleného nastavenia z niekoľkých dôvodov: +WarningPHPMailA=- Používanie servera poskytovateľa e-mailových služieb zvyšuje dôveryhodnosť vášho e-mailu, takže zvyšuje doručiteľnosť bez toho, aby bol označený ako SPAM +WarningPHPMailB=- Niektorí poskytovatelia e-mailových služieb (napríklad Yahoo) vám neumožňujú odosielať e-maily z iného servera, než je ich vlastný server. Vaše aktuálne nastavenie používa na odosielanie e-mailov server aplikácie a nie server vášho poskytovateľa e-mailu, takže niektorí príjemcovia (ten, ktorý je kompatibilný s reštriktívnym protokolom DMARC), požiadajú vášho poskytovateľa e-mailu, či môžu prijať váš e-mail a niektorí poskytovatelia e-mailu (ako Yahoo) môže odpovedať „nie“, pretože server nie je ich, takže málo z vašich odoslaných e-mailov nemusí byť prijatých na doručenie (pozor aj na kvótu odosielania vášho poskytovateľa e-mailov). +WarningPHPMailC=- Použitie SMTP servera vášho vlastného poskytovateľa e-mailových služieb na odosielanie e-mailov je tiež zaujímavé, takže všetky e-maily odoslané z aplikácie sa tiež uložia do vášho adresára "Odoslané" vašej poštovej schránky. +WarningPHPMailD=Preto sa odporúča zmeniť spôsob odosielania e-mailov na hodnotu „SMTP“. +WarningPHPMailDbis=Ak naozaj chcete ponechať predvolenú metódu „PHP“ na odosielanie e-mailov, jednoducho toto upozornenie ignorujte alebo ho odstráňte %skliknutím sem%s. +WarningPHPMail2=Ak váš poskytovateľ e-mailového SMTP potrebuje obmedziť e-mailového klienta na niektoré IP adresy (veľmi zriedkavé), toto je IP adresa poštového používateľského agenta (MUA) pre vašu aplikáciu ERP CRM: %s. +WarningPHPMailSPF=Ak je názov domény vo vašej e-mailovej adrese odosielateľa chránený záznamom SPF (opýtajte sa svojho registrátora názvu domény), musíte do záznamu SPF DNS vašej domény pridať nasledujúce adresy IP: %s. +ActualMailSPFRecordFound=Našiel sa skutočný záznam SPF (pre e-mail %s): %s +ClickToShowDescription=Kliknutím zobrazíte popis +DependsOn=Tento modul potrebuje modul(y) +RequiredBy=Tento modul vyžadujú moduly +TheKeyIsTheNameOfHtmlField=Toto je názov poľa HTML. Na čítanie obsahu stránky HTML, aby ste získali názov kľúča poľa, sú potrebné technické znalosti. +PageUrlForDefaultValues=Musíte zadať relatívnu cestu adresy URL stránky. Ak do URL zahrniete parametre, bude to účinné, ak všetky parametre v prehliadanej URL budú mať tu definovanú hodnotu. +PageUrlForDefaultValuesCreate=
      Príklad:
      Pre formulár na vytvorenie novej tretej strany je to b0e7843947c06b /span>%s
      .
      Pre adresu URL externých modulov nainštalovaných do vlastný adresár, nezahŕňajte "custom/", takže použite cestu ako mymodule/mypage.php a nie vlastnú /mymodule/mypage.php.
      Ak chcete predvolenú hodnotu, iba ak adresa URL obsahuje nejaký parameter, môžete použiť %s +PageUrlForDefaultValuesList=
      Príklad:
      Pre stránku, ktorá obsahuje zoznam tretích strán, je to >%s.
      Pre adresy URL externých modulov nainštalovaných do vlastného adresára , nezahŕňajte „custom/“, takže použite cestu ako mymodule/mypagelist.php a nie custom/mymodule /mypagelist.php.
      Ak chcete predvolenú hodnotu iba vtedy, ak adresa URL obsahuje nejaký parameter, môžete použiť %s +AlsoDefaultValuesAreEffectiveForActionCreate=Všimnite si tiež, že prepísanie predvolených hodnôt pre vytváranie formulárov funguje len pre stránky, ktoré boli správne navrhnuté (takže s parametrom action=create alebo presend...) +EnableDefaultValues=Povoliť prispôsobenie predvolených hodnôt +EnableOverwriteTranslation=Povoliť prispôsobenie prekladov +GoIntoTranslationMenuToChangeThis=Pre kľúč s týmto kódom sa našiel preklad. Ak chcete zmeniť túto hodnotu, musíte ju upraviť z Home-Setup-translation. +WarningSettingSortOrder=Upozornenie, ak je pole neznáme, nastavenie predvoleného poradia zoradenia môže viesť k technickej chybe pri prechode na stránku zoznamu. Ak sa vyskytne takáto chyba, vráťte sa na túto stránku a odstráňte predvolené poradie zoradenia a obnovte predvolené správanie. Field=Pole -ProductDocumentTemplates=Document templates to generate product document -ProductBatchDocumentTemplates=Document templates to generate product lots document -FreeLegalTextOnExpenseReports=Free legal text on expense reports -WatermarkOnDraftExpenseReports=Watermark on draft expense reports -ProjectIsRequiredOnExpenseReports=The project is mandatory for entering an expense report -PrefillExpenseReportDatesWithCurrentMonth=Pre-fill start and end dates of new expense report with start and end dates of the current month -ForceExpenseReportsLineAmountsIncludingTaxesOnly=Force the entry of expense report amounts always in amount with taxes -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) -FilesAttachedToEmail=Attach file -SendEmailsReminders=Send agenda reminders by emails -davDescription=Setup a WebDAV server -DAVSetup=Setup of module DAV -DAV_ALLOW_PRIVATE_DIR=Enable the generic private directory (WebDAV dedicated directory named "private" - login required) -DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory anybody can access with its application login/pass. -DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). -DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. +ProductDocumentTemplates=Šablóny dokumentov na generovanie dokumentu produktu +ProductBatchDocumentTemplates=Šablóny dokumentov na generovanie dokumentu sérií produktov +FreeLegalTextOnExpenseReports=Voľný právny text o správach o výdavkoch +WatermarkOnDraftExpenseReports=Vodoznak na návrhoch správ o výdavkoch +ProjectIsRequiredOnExpenseReports=Projekt je povinný pre zadanie výkazu výdavkov +PrefillExpenseReportDatesWithCurrentMonth=Predvyplňte dátumy začiatku a konca nového výkazu výdavkov dátumami začiatku a konca aktuálneho mesiaca +ForceExpenseReportsLineAmountsIncludingTaxesOnly=Vynútiť zadanie súm výkazu výdavkov vždy v sume s daňou +AttachMainDocByDefault=Nastavte toto na Áno, ak chcete k e-mailu predvolene priložiť hlavný dokument (ak je to potrebné) +FilesAttachedToEmail=Priložiť súbor +SendEmailsReminders=Posielajte pripomienky agendy e-mailom +davDescription=Nastavte server WebDAV +DAVSetup=Nastavenie modulu DAV +DAV_ALLOW_PRIVATE_DIR=Povoliť všeobecný súkromný adresár (vyhradený adresár WebDAV s názvom „súkromný“ – vyžaduje sa prihlásenie) +DAV_ALLOW_PRIVATE_DIRTooltip=Všeobecný súkromný adresár je adresár WebDAV, ku ktorému môže pristupovať ktokoľvek s prihlásením/prihlásením do aplikácie. +DAV_ALLOW_PUBLIC_DIR=Povoliť všeobecný verejný adresár (adresár vyhradený pre WebDAV s názvom „public“ – nevyžaduje sa žiadne prihlásenie) +DAV_ALLOW_PUBLIC_DIRTooltip=Všeobecný verejný adresár je adresár WebDAV, ku ktorému môže pristupovať ktokoľvek (v režime čítania a zápisu), bez potreby autorizácie (prihlásenie/heslo). +DAV_ALLOW_ECM_DIR=Povoliť súkromný adresár DMS/ECM (koreňový adresár modulu DMS/ECM – vyžaduje sa prihlásenie) +DAV_ALLOW_ECM_DIRTooltip=Koreňový adresár, do ktorého sa manuálne nahrávajú všetky súbory pri použití modulu DMS/ECM. Podobne ako pri prístupe z webového rozhrania budete na prístup potrebovať platné prihlasovacie meno/heslo s adekvátnymi oprávneniami. ##### Modules ##### Module0Name=Používatelia a skupiny -Module0Desc=Users / Employees and Groups management -Module1Name=Third Parties -Module1Desc=Companies and contacts management (customers, prospects...) +Module0Desc=Správa používateľov / zamestnancov a skupín +Module1Name=Tretie strany +Module1Desc=Správa spoločností a kontaktov (zákazníci, potenciálni...) Module2Name=Obchodné Module2Desc=Obchodné riadenie -Module10Name=Accounting (simplified) -Module10Desc=Simple accounting reports (journals, turnover) based on database content. Does not use any ledger table. +Module10Name=účtovníctvo (zjednodušene) +Module10Desc=Jednoduché účtovné výkazy (časopisy, obraty) na základe obsahu databázy. Nepoužíva žiadnu účtovnú tabuľku. Module20Name=Návrhy Module20Desc=Komerčné návrh riadenia -Module22Name=Mass Emailings -Module22Desc=Manage bulk emailing +Module22Name=Hromadné zasielanie e-mailov +Module22Desc=Spravujte hromadné e-maily Module23Name=Energia Module23Desc=Sledovanie spotreby energií -Module25Name=Sales Orders -Module25Desc=Sales order management +Module25Name=Predajné objednávky +Module25Desc=Správa predajných objednávok Module30Name=Faktúry -Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers -Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) -Module42Name=Debug Logs -Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. -Module43Name=Debug Bar -Module43Desc=A tool for developper adding a debug bar in your browser. +Module30Desc=Správa faktúr a dobropisov pre zákazníkov. Správa faktúr a dobropisov pre dodávateľov +Module40Name=Predajcovia +Module40Desc=Správa predajcov a nákupu (objednávky a fakturácia dodávateľských faktúr) +Module42Name=Denníky ladenia +Module42Desc=Logovacie zariadenia (súbor, syslog, ...). Takéto denníky slúžia na technické/ladiace účely. +Module43Name=Panel ladenia +Module43Desc=Nástroj pre vývojárov, ktorý pridáva lištu ladenia do vášho prehliadača. Module49Name=Redakcia Module49Desc=Editor pre správu Module50Name=Produkty -Module50Desc=Management of Products +Module50Desc=Správa produktov Module51Name=Hromadné e-maily Module51Desc=Hmotnosť papiera poštová správa Module52Name=Zásoby -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Desc=skladové hospodárstvo (sledovanie pohybu zásob a skladových zásob) Module53Name=Služby -Module53Desc=Management of Services +Module53Desc=Manažment služieb Module54Name=Zmluvy / Predplatné -Module54Desc=Management of contracts (services or recurring subscriptions) +Module54Desc=Správa zmlúv (služby alebo opakované predplatné) Module55Name=Čiarové kódy -Module55Desc=Barcode or QR code management -Module56Name=Payment by credit transfer -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. -Module57Name=Payments by Direct Debit -Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. +Module55Desc=Správa čiarových alebo QR kódov +Module56Name=Platba prevodom na účet +Module56Desc=Riadenie platieb dodávateľov alebo miezd prostredníctvom príkazov na prevod. Zahŕňa generovanie SEPA súboru pre európske krajiny. +Module57Name=Platby inkasom +Module57Desc=Správa príkazov na inkaso. Zahŕňa generovanie SEPA súboru pre európske krajiny. Module58Name=ClickToDial Module58Desc=Integrácia ClickToDial systému (Asterisk, ...) -Module60Name=Stickers -Module60Desc=Management of stickers +Module60Name=Nálepky +Module60Desc=Správa nálepiek Module70Name=Intervencie Module70Desc=Intervencie riadenie Module75Name=Nákladové a výlet poznámky Module75Desc=Náklady a výlet poznámky riadenie Module80Name=Zásielky -Module80Desc=Shipments and delivery note management -Module85Name=Banks & Cash +Module80Desc=Správa zásielok a dodacích listov +Module85Name=Banky a hotovosť Module85Desc=Riadenie bankových účtoch alebo v hotovosti -Module100Name=External Site -Module100Desc=Add a link to an external website as a main menu icon. Website is shown in a frame under the top menu. +Module100Name=Externá stránka +Module100Desc=Pridajte odkaz na externú webovú stránku ako ikonu hlavnej ponuky. Webová stránka sa zobrazuje v rámčeku pod horným menu. Module105Name=Poštár a SPIP Module105Desc=Poštár alebo SPIP rozhranie pre členské modul Module200Name=LDAP -Module200Desc=LDAP directory synchronization +Module200Desc=synchronizácia adresárov LDAP Module210Name=PostNuke Module210Desc=PostNuke integrácia Module240Name=Exporty dát -Module240Desc=Tool to export Dolibarr data (with assistance) +Module240Desc=Nástroj na export údajov Dolibarr (s asistenciou) Module250Name=Import dát -Module250Desc=Tool to import data into Dolibarr (with assistance) +Module250Desc=Nástroj na import údajov do Dolibarr (s asistenciou) Module310Name=Členovia Module310Desc=Nadácia členovia vedenia Module320Name=RSS Feed -Module320Desc=Add a RSS feed to Dolibarr pages -Module330Name=Bookmarks & Shortcuts -Module330Desc=Create shortcuts, always accessible, to the internal or external pages to which you frequently access -Module400Name=Projects or Leads -Module400Desc=Management of projects, leads/opportunities and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +Module320Desc=Pridajte informačný kanál RSS na stránky Dolibarr +Module330Name=Záložky a skratky +Module330Desc=Vytvorte si vždy prístupné skratky na interné alebo externé stránky, ku ktorým často pristupujete +Module400Name=Projekty alebo Vedúci pracovníci +Module400Desc=Riadenie projektov, potenciálnych zákazníkov/príležitostí a/alebo úloh. K projektu môžete tiež priradiť ľubovoľný prvok (faktúra, zákazka, návrh, zásah, ...) a získať tak priečny pohľad z pohľadu projektu. Module410Name=WebCalendar Module410Desc=WebCalendar integrácia -Module500Name=Taxes & Special Expenses -Module500Desc=Management of other expenses (sales taxes, social or fiscal taxes, dividends, ...) +Module500Name=Dane a špeciálne výdavky +Module500Desc=Správa ostatných nákladov (dane z obratu, sociálne alebo fiškálne dane, dividendy, ...) Module510Name=Mzdy -Module510Desc=Record and track employee payments -Module520Name=Loans +Module510Desc=Zaznamenávajte a sledujte platby zamestnancov +Module520Name=Pôžičky Module520Desc=Správca pôžičiek -Module600Name=Notifications on business event -Module600Desc=Send email notifications triggered by a business event: per user (setup defined on each user), per third-party contacts (setup defined on each third party) or by specific emails -Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. -Module610Name=Product Variants -Module610Desc=Creation of product variants (color, size etc.) +Module600Name=Upozornenia na obchodné udalosti +Module600Desc=Odosielanie e-mailových upozornení spustených obchodnou udalosťou: na používateľa (nastavenie definované pre každého používateľa), na kontakty tretej strany (nastavenie definované na každej tretej strane) alebo na konkrétne e-maily +Module600Long=Upozorňujeme, že tento modul odosiela e-maily v reálnom čase, keď nastane konkrétna obchodná udalosť. Ak hľadáte funkciu na odosielanie e-mailových pripomienok na udalosti agendy, prejdite do nastavenia modulu Agenda. +Module610Name=Varianty produktu +Module610Desc=Vytváranie variantov produktov (farba, veľkosť atď.) +Module650Name=Kusovníky (BOM) +Module650Desc=Modul na definovanie vašich kusovníkov (BOM). Dá sa použiť na plánovanie výrobných zdrojov pomocou modulu Výrobné zákazky (MO) +Module660Name=Plánovanie výrobných zdrojov (MRP) +Module660Desc=Modul na správu výrobných objednávok (MO) Module700Name=Dary Module700Desc=Darovanie riadenie -Module770Name=Expense Reports -Module770Desc=Manage expense reports claims (transportation, meal, ...) -Module1120Name=Vendor Commercial Proposals -Module1120Desc=Request vendor commercial proposal and prices +Module770Name=Prehľady výdavkov +Module770Desc=Správa reklamácií výkazov výdavkov (doprava, strava, ...) +Module1120Name=Obchodné ponuky dodávateľov +Module1120Desc=Požiadajte predajcu o obchodnú ponuku a ceny Module1200Name=Mantis Module1200Desc=Mantis integrácia Module1520Name=Generovanie dokumentov -Module1520Desc=Mass email document generation +Module1520Desc=Hromadné generovanie e-mailových dokumentov Module1780Name=Štítky / Kategórie Module1780Desc=Vytvorte štítky / kategórie (produkty, zákazníkov, dodávateľov, kontakty alebo členov) Module2000Name=WYSIWYG editor -Module2000Desc=Allow text fields to be edited/formatted using CKEditor (html) +Module2000Desc=Povoliť úpravu/formátovanie textových polí pomocou CKEditor (html) Module2200Name=Dynamická cena -Module2200Desc=Use maths expressions for auto-generation of prices +Module2200Desc=Použite matematické výrazy na automatické generovanie cien Module2300Name=Naplánované úlohy -Module2300Desc=Scheduled jobs management (alias cron or chrono table) -Module2400Name=Events/Agenda -Module2400Desc=Track events. Log automatic events for tracking purposes or record manual events or meetings. This is the principal module for good Customer or Vendor Relationship Management. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2300Desc=Správa naplánovaných úloh (alias cron alebo chrono tabuľka) +Module2400Name=Udalosti/Agenda +Module2400Desc=Sledujte udalosti. Zapisujte automatické udalosti na účely sledovania alebo zaznamenávajte manuálne udalosti alebo stretnutia. Toto je hlavný modul pre dobré riadenie vzťahov so zákazníkmi alebo dodávateľmi. +Module2430Name=Online plánovanie stretnutí +Module2430Desc=Poskytuje online rezervačný systém. To umožňuje komukoľvek rezervovať si stretnutie podľa vopred definovaných rozsahov alebo dostupnosti. Module2500Name=DMS / ECM -Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. -Module2600Name=API / Web services (SOAP server) +Module2500Desc=Systém správy dokumentov / Správa elektronického obsahu. Automatická organizácia vašich vygenerovaných alebo uložených dokumentov. Zdieľajte ich, keď potrebujete. +Module2600Name=API / webové služby (SOAP server) Module2600Desc=Spustiť Dolibarr SOAP server ponukajúci služby API -Module2610Name=API / Web services (REST server) +Module2610Name=API / webové služby (server REST) Module2610Desc=Zapnúť Dolibarr REST server ponúkajúci API službu -Module2660Name=Call WebServices (SOAP client) -Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Only Purchase orders are currently supported.) +Module2660Name=Volať WebServices (SOAP klient) +Module2660Desc=Povoliť klienta webových služieb Dolibarr (Môže sa použiť na odosielanie údajov/požiadaviek na externé servery. V súčasnosti sú podporované iba objednávky.) Module2700Name=Gravatar -Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Needs Internet access +Module2700Desc=Použite online službu Gravatar (www.gravatar.com) na zobrazenie fotografií používateľov/členov (nájdených v ich e-mailoch). Vyžaduje prístup na internet Module2800Desc=FTP klient Module2900Name=GeoIPMaxmind Module2900Desc=GeoIP MaxMind konverzie možnosti -Module3200Name=Unalterable Archives -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. -Module3300Name=Module Builder -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. -Module3400Name=Social Networks -Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). +Module3200Name=Nezmeniteľné archívy +Module3200Desc=Povoliť nemenný protokol obchodných udalostí. Udalosti sú archivované v reálnom čase. Protokol je tabuľka reťazených udalostí len na čítanie, ktorú možno exportovať. Tento modul môže byť v niektorých krajinách povinný. +Module3300Name=Tvorca modulov +Module3300Desc=Nástroj RAD (Rapid Application Development – low-code and no-code) tool, ktorý pomáha vývojárom alebo pokročilým používateľom zostaviť ich vlastný modul/aplikáciu. +Module3400Name=Sociálne siete +Module3400Desc=Povoľte polia sociálnych sietí do tretích strán a adries (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Human resources management (management of department, employee contracts and feelings) +Module4000Desc=Riadenie ľudských zdrojov (manažment oddelenia, zamestnanecké zmluvy, riadenie zručností a pohovor) Module5000Name=Multi-spoločnosť Module5000Desc=Umožňuje spravovať viac spoločností -Module6000Name=Inter-modules Workflow -Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) +Module6000Name=Pracovný postup medzi modulmi +Module6000Desc=Správa workflow medzi rôznymi modulmi (automatické vytváranie objektu a/alebo automatická zmena stavu) Module10000Name=Web stránky -Module10000Desc=Create websites (public) with a WYSIWYG editor. This is a webmaster or developer oriented CMS (it is better to know HTML and CSS language). Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the internet with your own domain name. -Module20000Name=Leave Request Management -Module20000Desc=Define and track employee leave requests -Module39000Name=Product Lots -Module39000Desc=Lots, serial numbers, eat-by/sell-by date management for products -Module40000Name=Multicurrency -Module40000Desc=Use alternative currencies in prices and documents +Module10000Desc=Vytvárajte webové stránky (verejné) pomocou WYSIWYG editora. Jedná sa o webmaster alebo vývojársky orientovaný CMS (lepšie je poznať HTML a CSS jazyk). Stačí nastaviť váš webový server (Apache, Nginx, ...), aby ukazoval na vyhradený adresár Dolibarr, aby ste ho mali online na internete s vlastným názvom domény. +Module20000Name=Nechajte správu žiadostí +Module20000Desc=Definujte a sledujte žiadosti zamestnancov o dovolenku +Module39000Name=Produktové šarže +Module39000Desc=Šarže, sériové čísla, správa dátumu spotreby/predaja produktov +Module40000Name=Viac mien +Module40000Desc=V cenách a dokladoch používajte alternatívne meny Module50000Name=Paybox -Module50000Desc=Offer customers a PayBox online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50000Desc=Ponúknite zákazníkom platobnú stránku PayBox online (kreditné/debetné karty). Môžete to použiť, aby ste svojim zákazníkom umožnili uskutočňovať ad-hoc platby alebo platby súvisiace s konkrétnym objektom Dolibarr (faktúra, objednávka atď.) Module50100Name=POS SimplePOS -Module50100Desc=Point of Sale module SimplePOS (simple POS). +Module50100Desc=Modul miesta predaja SimplePOS (jednoduché POS). Module50150Name=POS TakePOS -Module50150Desc=Point of Sale module TakePOS (touchscreen POS, for shops, bars or restaurants). +Module50150Desc=Modul Point of Sale TakePOS (dotykový POS, pre obchody, bary alebo reštaurácie). Module50200Name=Paypal -Module50200Desc=Offer customers a PayPal online payment page (PayPal account or credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50200Desc=Ponúknite zákazníkom online platobnú stránku PayPal (účet PayPal alebo kreditné/debetné karty). Môžete to použiť, aby ste svojim zákazníkom umožnili uskutočňovať ad-hoc platby alebo platby súvisiace s konkrétnym objektom Dolibarr (faktúra, objednávka atď.) Module50300Name=Stripe -Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50400Name=Accounting (double entry) -Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats. +Module50300Desc=Ponúknite zákazníkom stránku online platieb Stripe (kreditné/debetné karty). Môžete to použiť, aby ste svojim zákazníkom umožnili uskutočňovať ad-hoc platby alebo platby súvisiace s konkrétnym objektom Dolibarr (faktúra, objednávka atď.) +Module50400Name=účtovníctvo (podvojné účtovníctvo) +Module50400Desc=Vedenie účtovníctva (podvojné zápisy, podpora hlavnej a vedľajšej knihy). Exportujte účtovnú knihu do niekoľkých ďalších formátov účtovného softvéru. Module54000Name=PrintIPP -Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installed on server). +Module54000Desc=Priama tlač (bez otvárania dokumentov) pomocou rozhrania Cups IPP (Tlačiareň musí byť viditeľná zo servera a CUPS musí byť nainštalovaný na serveri). Module55000Name=Anketa, Dotazník, Hlasovanie -Module55000Desc=Create online polls, surveys or votes (like Doodle, Studs, RDVz etc...) +Module55000Desc=Vytvárajte online ankety, prieskumy alebo hlasovania (ako Doodle, Studs, RDVz atď.) Module59000Name=Okraje -Module59000Desc=Module to follow margins +Module59000Desc=Modul na sledovanie okrajov Module60000Name=Provízie Module60000Desc=Modul pre správu provízie Module62000Name=Incoterms -Module62000Desc=Add features to manage Incoterms +Module62000Desc=Pridajte funkcie na správu Incoterms Module63000Name=Zdroje -Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to events -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. -Module94160Name=Receptions +Module63000Desc=Spravujte zdroje (tlačiarne, autá, izby, ...) na prideľovanie udalostiam +Module66000Name=Správa tokenov OAuth2 +Module66000Desc=Poskytnite nástroj na generovanie a správu tokenov OAuth2. Token potom môžu použiť niektoré ďalšie moduly. +Module94160Name=Recepcie +ModuleBookCalName=Rezervačný kalendárový systém +ModuleBookCalDesc=Spravujte kalendár na rezervovanie stretnutí ##### Permissions ##### -Permission11=Read customer invoices (and payments) +Permission11=Čítanie zákazníckych faktúr (a platieb) Permission12=Vytvoriť / upraviť zákazníkov faktúr -Permission13=Invalidate customer invoices +Permission13=Neplatnosť zákazníckych faktúr Permission14=Overiť zákazníkov faktúry Permission15=Poslať zákazníkov faktúr e-mailom Permission16=Vytvorte platby za faktúry zákazníka @@ -729,22 +738,22 @@ Permission27=Odstránenie obchodných návrhov Permission28=Export obchodných návrhov Permission31=Prečítajte si produkty Permission32=Vytvoriť / upraviť produktov -Permission33=Read prices products +Permission33=Prečítajte si ceny produktov Permission34=Odstrániť produkty Permission36=Pozri / správa skryté produkty Permission38=Export produktov -Permission39=Ignore minimum price -Permission41=Read projects and tasks (shared projects and projects of which I am a contact). -Permission42=Create/modify projects (shared projects and projects of which I am a contact). Can also assign users to projects and tasks -Permission44=Delete projects (shared projects and projects of which I am a contact) -Permission45=Export projects +Permission39=Ignorujte minimálnu cenu +Permission41=Prečítajte si projekty a úlohy (zdieľané projekty a projekty, na ktoré som kontaktom). +Permission42=Vytvárať/upravovať projekty (zdieľané projekty a projekty, na ktoré som kontaktom). Môže tiež priradiť používateľov k projektom a úlohám +Permission44=Odstrániť projekty (zdieľané projekty a projekty, na ktoré som kontaktom) +Permission45=Exportné projekty Permission61=Prečítajte intervencie Permission62=Vytvoriť / upraviť zásahy Permission64=Odstrániť intervencie Permission67=Vývozné intervencie -Permission68=Send interventions by email -Permission69=Validate interventions -Permission70=Invalidate interventions +Permission68=Zásahy posielajte emailom +Permission69=Overiť zásahy +Permission70=Zneplatniť zásahy Permission71=Prečítajte členov Permission72=Vytvoriť / upraviť členov Permission74=Zmazať členov @@ -755,7 +764,7 @@ Permission79=Vytvoriť / upraviť predplatné Permission81=Prečítajte objednávky odberateľov Permission82=Vytvoriť / upraviť zákazníci objednávky Permission84=Potvrdenie objednávky odberateľov -Permission85=Generate the documents sales orders +Permission85=Vygenerujte dokumenty predajné objednávky Permission86=Poslať objednávky odberateľov Permission87=Zavrieť zákazníkov objednávky Permission88=Storno objednávky odberateľov @@ -768,54 +777,54 @@ Permission95=Prečítajte si správy Permission101=Prečítajte si sendings Permission102=Vytvoriť / upraviť sendings Permission104=Overiť sendings -Permission105=Send sendings by email +Permission105=Posielanie posielajte e-mailom Permission106=Export sendings Permission109=Odstrániť sendings Permission111=Prečítajte finančných účtov Permission112=Vytvoriť / upraviť / zmazať a porovnať transakcie -Permission113=Setup financial accounts (create, manage categories of bank transactions) -Permission114=Reconcile transactions +Permission113=Nastavenie finančných účtov (vytváranie, správa kategórií bankových transakcií) +Permission114=Zosúladiť transakcie Permission115=Vývozných transakcií, a výpisy z účtov Permission116=Prevody medzi účtami -Permission117=Manage checks dispatching +Permission117=Spravujte odosielanie šekov Permission121=Prečítajte tretej strany v súvislosti s užívateľmi Permission122=Vytvoriť / modifikovať tretie strany spojené s používateľmi Permission125=Odstránenie tretej strany v súvislosti s užívateľmi Permission126=Export tretej strany -Permission130=Create/modify third parties payment information -Permission141=Read all projects and tasks (as well as the private projects for which I am not a contact) -Permission142=Create/modify all projects and tasks (as well as the private projects for which I am not a contact) -Permission144=Delete all projects and tasks (as well as the private projects I am not a contact) -Permission145=Can enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) +Permission130=Vytvárajte/upravujte platobné informácie tretích strán +Permission141=Prečítajte si všetky projekty a úlohy (ako aj súkromné projekty, pre ktoré nie som kontaktný) +Permission142=Vytvárať/upravovať všetky projekty a úlohy (ako aj súkromné projekty, pre ktoré nie som kontaktom) +Permission144=Vymazať všetky projekty a úlohy (ako aj súkromné projekty, nie som v kontakte) +Permission145=Môže zadať čas spotrebovaný pre mňa alebo moju hierarchiu na pridelených úlohách (časový výkaz) Permission146=Prečítajte si poskytovatelia Permission147=Prečítajte si štatistiky -Permission151=Read direct debit payment orders +Permission151=Prečítajte si príkazy na inkaso Permission152=Vytvoriť/Upraviť inkaso objednávku -Permission153=Send/Transmit direct debit payment orders -Permission154=Record Credits/Rejections of direct debit payment orders +Permission153=Odosielanie/odosielanie príkazov na inkaso +Permission154=Evidovať kredity/odmietnutia príkazov na inkaso Permission161=Prečítajte si zákazky / predplatné Permission162=Vytvoriť / upraviť zákazky / predplatné Permission163=Aktivovať službu / predplatné zmluvy Permission164=Zakázať službu / predplatné zmluvy Permission165=Odstrániť zmluvy / predplatné -Permission167=Export contracts -Permission171=Read trips and expenses (yours and your subordinates) +Permission167=Exportné zmluvy +Permission171=Prečítajte si výlety a výdavky (vašich a vašich podriadených) Permission172=Vytvoriť / upraviť obchodné cesty a náklady Permission173=Odstrániť obchodné cesty a náklady -Permission174=Read all trips and expenses +Permission174=Prečítajte si všetky cesty a výdavky Permission178=Export obchodných ciest a nákladov Permission180=Prečítajte si dodávateľa -Permission181=Read purchase orders -Permission182=Create/modify purchase orders -Permission183=Validate purchase orders -Permission184=Approve purchase orders -Permission185=Order or cancel purchase orders -Permission186=Receive purchase orders -Permission187=Close purchase orders -Permission188=Cancel purchase orders +Permission181=Prečítajte si nákupné objednávky +Permission182=Vytvárajte/upravujte nákupné objednávky +Permission183=Overiť nákupné objednávky +Permission184=Schvaľujte nákupné objednávky +Permission185=Objednajte alebo zrušte nákupné objednávky +Permission186=Prijímať nákupné objednávky +Permission187=Zatvorte nákupné objednávky +Permission188=Zrušte nákupné objednávky Permission192=Vytvorte linky Permission193=Zrušiť linky -Permission194=Read the bandwidth lines +Permission194=Prečítajte si čiary šírky pásma Permission202=Vytvorte prípojok ADSL Permission203=Objednať pripojenia objednávky Permission204=Objednať spoje @@ -840,13 +849,13 @@ Permission244=Pozri obsah skrytých kategórií Permission251=Prečítajte si ďalšie užívateľa a skupiny PermissionAdvanced251=Prečítajte si ďalšie užívateľa Permission252=Prečítajte preukazy ostatných užívateľov -Permission253=Create/modify other users, groups and permissions +Permission253=Vytvárať/upravovať iných používateľov, skupiny a oprávnenia PermissionAdvanced253=Vytvoriť / upraviť interné / externé užívateľa a oprávnenia Permission254=Vytvoriť / upraviť externí používatelia iba Permission255=Upraviť ostatným používateľom heslo Permission256=Odstrániť alebo zakázať ostatným užívateľom -Permission262=Extend access to all third parties AND their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission263=Extend access to all third parties WITHOUT their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). +Permission262=Rozšírte prístup všetkým tretím stranám A ich objektom (nielen tretím stranám, pre ktoré je používateľ obchodným zástupcom).
      Neúčinné pre externých používateľov (v prípade návrhov vždy obmedzené na seba, objednávky, faktúry, zmluvy atď.).
      Neúčinné pre projekty (len pravidlá týkajúce sa povolení projektu, viditeľnosti a priradenia). +Permission263=Rozšírte prístup všetkým tretím stranám BEZ ich objektov (nielen tretím stranám, pre ktoré je používateľ obchodným zástupcom).
      Neúčinné pre externých používateľov (v prípade návrhov vždy obmedzené na seba, objednávky, faktúry, zmluvy atď.).
      Neúčinné pre projekty (len pravidlá týkajúce sa povolení projektu, viditeľnosti a priradenia). Permission271=Prečítajte CA Permission272=Prečítajte si faktúry Permission273=Vydanie faktúry @@ -856,10 +865,10 @@ Permission283=Odstránenie kontaktov Permission286=Export kontaktov Permission291=Prečítajte tarify Permission292=Nastavenie povolení na sadzby -Permission293=Modify customer's tariffs -Permission301=Generate PDF sheets of barcodes -Permission304=Create/modify barcodes -Permission305=Delete barcodes +Permission293=Upravte zákaznícke tarify +Permission301=Generujte PDF listy čiarových kódov +Permission304=Vytvárajte/upravujte čiarové kódy +Permission305=Odstráňte čiarové kódy Permission311=Prečítajte služby Permission312=Priradiť službu / predplatné k zmluve Permission331=Prečítajte si záložky @@ -878,11 +887,11 @@ Permission401=Prečítajte zľavy Permission402=Vytvoriť / upraviť zľavy Permission403=Overiť zľavy Permission404=Odstrániť zľavy -Permission430=Use Debug Bar -Permission511=Read salaries and payments (yours and subordinates) -Permission512=Create/modify salaries and payments -Permission514=Delete salaries and payments -Permission517=Read salaries and payments everybody +Permission430=Použite panel ladenia +Permission511=Prečítajte si platy a platby (vašich a podriadených) +Permission512=Vytvárajte/upravujte platy a platby +Permission514=Vymažte platy a platby +Permission517=Prečítajte si platy a platby všetci Permission519=Exportovať platy Permission520=Čítať pôžičky Permission522=Vytvoriť/Upraviť pôžičky @@ -891,277 +900,279 @@ Permission525=Pôžičková kalkulačka Permission527=Exportovať pôžičku Permission531=Prečítajte služby Permission532=Vytvoriť / upraviť služby -Permission533=Read prices services +Permission533=Prečítajte si ceny služieb Permission534=Odstrániť služby Permission536=Pozri / správa skryté služby Permission538=Export služieb -Permission561=Read payment orders by credit transfer -Permission562=Create/modify payment order by credit transfer -Permission563=Send/Transmit payment order by credit transfer -Permission564=Record Debits/Rejections of credit transfer -Permission601=Read stickers -Permission602=Create/modify stickers -Permission609=Delete stickers -Permission611=Read attributes of variants -Permission612=Create/Update attributes of variants -Permission613=Delete attributes of variants -Permission650=Read Bills of Materials -Permission651=Create/Update Bills of Materials -Permission652=Delete Bills of Materials -Permission660=Read Manufacturing Order (MO) -Permission661=Create/Update Manufacturing Order (MO) -Permission662=Delete Manufacturing Order (MO) +Permission561=Prečítajte si platobné príkazy prevodom +Permission562=Vytvoriť/upraviť platobný príkaz prevodom +Permission563=Odoslať/Odoslať platobný príkaz prevodom +Permission564=Zaznamenajte debety/odmietnutia prevodu +Permission601=Prečítajte si nálepky +Permission602=Vytvárajte/upravujte nálepky +Permission609=Odstráňte nálepky +Permission611=Prečítajte si atribúty variantov +Permission612=Vytvoriť/aktualizovať atribúty variantov +Permission613=Odstráňte atribúty variantov +Permission650=Prečítajte si kusovníky +Permission651=Vytvárajte/aktualizujte kusovníky +Permission652=Odstrániť kusovníky +Permission660=Prečítajte si výrobnú objednávku (MO) +Permission661=Vytvoriť/aktualizovať výrobnú objednávku (MO) +Permission662=Odstrániť výrobnú objednávku (MO) Permission701=Prečítajte si dary Permission702=Vytvoriť / upraviť dary Permission703=Odstrániť dary -Permission771=Read expense reports (yours and your subordinates) -Permission772=Create/modify expense reports (for you and your subordinates) -Permission773=Delete expense reports -Permission775=Approve expense reports -Permission776=Pay expense reports -Permission777=Read all expense reports (even those of user not subordinates) -Permission778=Create/modify expense reports of everybody -Permission779=Export expense reports +Permission771=Prečítajte si správy o výdavkoch (vašich a vašich podriadených) +Permission772=Vytvárajte/upravujte prehľady výdavkov (pre vás a vašich podriadených) +Permission773=Odstráňte prehľady výdavkov +Permission775=Schvaľujte správy o výdavkoch +Permission776=Platiť prehľady výdavkov +Permission777=Prečítajte si všetky správy o výdavkoch (aj od používateľov, ktorí nie sú podriadení) +Permission778=Vytvárajte/upravujte správy o výdavkoch každého +Permission779=Exportujte správy o výdavkoch Permission1001=Prečítajte si zásoby Permission1002=Vytvoriť / upraviť sklady Permission1003=Odstrániť sklady Permission1004=Prečítajte skladové pohyby Permission1005=Vytvoriť / upraviť skladové pohyby -Permission1011=View inventories -Permission1012=Create new inventory -Permission1014=Validate inventory -Permission1015=Allow to change PMP value for a product -Permission1016=Delete inventory -Permission1101=Read delivery receipts -Permission1102=Create/modify delivery receipts -Permission1104=Validate delivery receipts -Permission1109=Delete delivery receipts -Permission1121=Read supplier proposals -Permission1122=Create/modify supplier proposals -Permission1123=Validate supplier proposals -Permission1124=Send supplier proposals -Permission1125=Delete supplier proposals -Permission1126=Close supplier price requests +Permission1011=Prezerať zásoby +Permission1012=Vytvorte nový inventár +Permission1014=Overiť inventár +Permission1015=Umožňuje zmeniť hodnotu PMP pre produkt +Permission1016=Odstrániť inventár +Permission1101=Prečítajte si potvrdenia o doručení +Permission1102=Vytvárať/upravovať potvrdenia o doručení +Permission1104=Overte potvrdenia o doručení +Permission1109=Vymažte potvrdenia o doručení +Permission1121=Prečítajte si ponuky dodávateľov +Permission1122=Vytvárajte/upravujte ponuky dodávateľov +Permission1123=Overiť návrhy dodávateľov +Permission1124=Pošlite návrhy dodávateľov +Permission1125=Odstrániť ponuky dodávateľov +Permission1126=Zatvorte žiadosti o ceny dodávateľa Permission1181=Prečítajte si dodávateľa -Permission1182=Read purchase orders -Permission1183=Create/modify purchase orders -Permission1184=Validate purchase orders -Permission1185=Approve purchase orders -Permission1186=Order purchase orders -Permission1187=Acknowledge receipt of purchase orders -Permission1188=Delete purchase orders -Permission1189=Check/Uncheck a purchase order reception -Permission1190=Approve (second approval) purchase orders -Permission1191=Export supplier orders and their attributes +Permission1182=Prečítajte si nákupné objednávky +Permission1183=Vytvárať/upravovať objednávky +Permission1184=Overiť nákupné objednávky +Permission1185=Schvaľujte nákupné objednávky +Permission1186=Objednajte si nákupné objednávky +Permission1187=Potvrdenie prijatia nákupných objednávok +Permission1188=Odstrániť nákupné objednávky +Permission1189=Začiarknite/zrušte začiarknutie príjmu objednávky +Permission1190=Schvaľujte (druhé schválenie) nákupné objednávky +Permission1191=Export dodávateľských objednávok a ich atribútov Permission1201=Získajte výsledok exportu Permission1202=Vytvoriť / Upraviť vývoz -Permission1231=Read vendor invoices (and payments) -Permission1232=Create/modify vendor invoices -Permission1233=Validate vendor invoices -Permission1234=Delete vendor invoices -Permission1235=Send vendor invoices by email -Permission1236=Export vendor invoices, attributes and payments -Permission1237=Export purchase orders and their details +Permission1231=Prečítajte si faktúry dodávateľa (a platby) +Permission1232=Vytvárajte/upravujte faktúry dodávateľa +Permission1233=Overte faktúry dodávateľa +Permission1234=Odstrániť faktúry dodávateľa +Permission1235=Posielajte faktúry dodávateľovi e-mailom +Permission1236=Exportujte faktúry dodávateľa, atribúty a platby +Permission1237=Exportujte objednávky a ich podrobnosti Permission1251=Spustiť Hmotné dovozy externých dát do databázy (načítanie dát) Permission1321=Export zákazníkov faktúry, atribúty a platby Permission1322=Znova otvoriť zaplatený účet -Permission1421=Export sales orders and attributes -Permission1521=Read documents -Permission1522=Delete documents -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) -Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) -Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) +Permission1421=Exportujte predajné objednávky a atribúty +Permission1521=Prečítajte si dokumenty +Permission1522=Odstráňte dokumenty +Permission2401=Čítanie akcií (udalostí alebo úloh) prepojených s jeho používateľským účtom (ak je vlastníkom udalosti alebo je len priradený) +Permission2402=Vytvárať/upravovať akcie (udalosti alebo úlohy) prepojené s jeho používateľským účtom (ak je vlastníkom udalosti) +Permission2403=Odstrániť akcie (udalosti alebo úlohy) prepojené s jeho používateľským účtom (ak je vlastníkom udalosti) Permission2411=Prečítajte akcie (udalosti alebo úlohy) a ďalšie Permission2412=Vytvoriť / upraviť akcie (udalosti alebo úlohy) ďalších Permission2413=Odstrániť akcie (udalosti alebo úlohy) ďalších -Permission2414=Export actions/tasks of others +Permission2414=Exportujte akcie/úlohy iných Permission2501=Čítanie / Dokumenty k stiahnutiu Permission2502=Dokumenty k stiahnutiu Permission2503=Vložte alebo odstraňovať dokumenty Permission2515=Nastavenie adresára dokumenty -Permission2610=Generate/modify users API key +Permission2610=Generovať/upraviť užívateľský kľúč API Permission2801=Pomocou FTP klienta v režime čítania (prezerať a sťahovať iba) Permission2802=Pomocou FTP klienta v režime zápisu (odstrániť alebo vkladať) -Permission3200=Read archived events and fingerprints -Permission3301=Generate new modules -Permission4001=Read skill/job/position -Permission4002=Create/modify skill/job/position -Permission4003=Delete skill/job/position -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations -Permission4023=Validate evaluation -Permission4025=Delete evaluation -Permission4028=See comparison menu -Permission4031=Read personal information -Permission4032=Write personal information -Permission4033=Read all evaluations (even those of user not subordinates) -Permission10001=Read website content -Permission10002=Create/modify website content (html and javascript content) -Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. -Permission10005=Delete website content -Permission20001=Read leave requests (your leave and those of your subordinates) -Permission20002=Create/modify your leave requests (your leave and those of your subordinates) -Permission20003=Delete leave requests -Permission20004=Read all leave requests (even those of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) -Permission20006=Administer leave requests (setup and update balance) -Permission20007=Approve leave requests +Permission3200=Čítajte archivované udalosti a odtlačky prstov +Permission3301=Generovať nové moduly +Permission4001=Prečítajte si zručnosť/prácu/pozíciu +Permission4002=Vytvorte/upravte zručnosť/prácu/pozíciu +Permission4003=Odstrániť zručnosť/prácu/pozíciu +Permission4021=Prečítajte si hodnotenia (vaše a vaši podriadení) +Permission4022=Vytvárajte/upravujte hodnotenia +Permission4023=Overiť hodnotenie +Permission4025=Odstrániť hodnotenie +Permission4028=Pozrite si porovnávaciu ponuku +Permission4031=Prečítajte si osobné informácie +Permission4032=Napíšte osobné údaje +Permission4033=Prečítajte si všetky hodnotenia (aj od používateľov, ktorí nie sú podriadení) +Permission10001=Prečítajte si obsah webovej stránky +Permission10002=Vytvoriť/upraviť obsah webových stránok (obsah HTML a JavaScript) +Permission10003=Vytvorte/upravte obsah webovej stránky (dynamický php kód). Nebezpečné, musí byť vyhradené pre obmedzených vývojárov. +Permission10005=Odstráňte obsah webovej stránky +Permission20001=Prečítajte si žiadosti o dovolenku (vaša dovolenka a dovolenka vašich podriadených) +Permission20002=Vytvorte/upravte svoje žiadosti o dovolenku (vaše dovolenky a žiadosti vašich podriadených) +Permission20003=Odstrániť žiadosti o dovolenku +Permission20004=Čítať všetky žiadosti o dovolenku (aj od používateľov, ktorí nie sú podriadení) +Permission20005=Vytvárať/upravovať žiadosti o dovolenku pre všetkých (aj používateľov, ktorí nie sú podriadení) +Permission20006=Správa žiadostí o dovolenku (nastavenie a aktualizácia zostatku) +Permission20007=Schvaľujte žiadosti o dovolenku Permission23001=Ukázať naplánovanú úlohu Permission23002=Vytvoriť / upraviť naplánovanú úlohu Permission23003=Odstrániť naplánovanú úlohu Permission23004=Spustiť naplánovanú úlohu -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates -Permission50101=Use Point of Sale (SimplePOS) -Permission50151=Use Point of Sale (TakePOS) -Permission50152=Edit sales lines -Permission50153=Edit ordered sales lines +Permission40001=Prečítajte si meny a ich kurzy +Permission40002=Vytvárajte/aktualizujte meny a ich kurzy +Permission40003=Odstrániť meny a ich kurzy +Permission50101=Použiť miesto predaja (SimplePOS) +Permission50151=Použiť miesto predaja (TakePOS) +Permission50152=Upravte riadky predaja +Permission50153=Upravte riadky objednaného predaja Permission50201=Prečítajte transakcie Permission50202=Importné operácie -Permission50330=Read objects of Zapier -Permission50331=Create/Update objects of Zapier -Permission50332=Delete objects of Zapier -Permission50401=Bind products and invoices with accounting accounts -Permission50411=Read operations in ledger -Permission50412=Write/Edit operations in ledger -Permission50414=Delete operations in ledger -Permission50415=Delete all operations by year and journal in ledger -Permission50418=Export operations of the ledger -Permission50420=Report and export reports (turnover, balance, journals, ledger) -Permission50430=Define fiscal periods. Validate transactions and close fiscal periods. -Permission50440=Manage chart of accounts, setup of accountancy -Permission51001=Read assets -Permission51002=Create/Update assets -Permission51003=Delete assets -Permission51005=Setup types of asset +Permission50330=Prečítajte si objekty Zapier +Permission50331=Vytvárajte/aktualizujte objekty Zapieru +Permission50332=Odstrániť objekty Zapier +Permission50401=Spojte produkty a faktúry s účtovnými účtami +Permission50411=Čítanie operácií v účtovnej knihe +Permission50412=Operácie zápisu/úpravy v účtovnej knihe +Permission50414=Odstráňte operácie v účtovnej knihe +Permission50415=Vymažte všetky operácie podľa roku a denníka v účtovnej knihe +Permission50418=Vývozné operácie účtovnej knihy +Permission50420=Reportujte a exportujte reporty (obrat, zostatok, denníky, účtovná kniha) +Permission50430=Definujte fiškálne obdobia. Overiť transakcie a uzavrieť fiškálne obdobia. +Permission50440=Správa účtovnej osnovy, nastavenie účtovníctva +Permission51001=Čítať aktíva +Permission51002=Vytvoriť/aktualizovať aktíva +Permission51003=Odstrániť aktíva +Permission51005=Nastavte typy aktív Permission54001=Vytlačiť Permission55001=Čítať anekety Permission55002=Vytvoriť/Upraviť anketu Permission59001=Čítať komerčné marže Permission59002=Definovať komerčné marže -Permission59003=Read every user margin +Permission59003=Prečítajte si každú používateľskú maržu Permission63001=Čítať zdroje Permission63002=Vytvoriť/Upraviť zdroje Permission63003=Zmazať zdroje Permission63004=Pripnúť zdroje k udalosti agendy -Permission64001=Allow direct printing -Permission67000=Allow printing of receipts -Permission68001=Read intracomm report -Permission68002=Create/modify intracomm report -Permission68004=Delete intracomm report -Permission941601=Read receipts -Permission941602=Create and modify receipts -Permission941603=Validate receipts -Permission941604=Send receipts by email -Permission941605=Export receipts -Permission941606=Delete receipts -DictionaryCompanyType=Third-party types -DictionaryCompanyJuridicalType=Third-party legal entities -DictionaryProspectLevel=Prospect potential level for companies -DictionaryProspectContactLevel=Prospect potential level for contacts -DictionaryCanton=States/Provinces +Permission64001=Povoliť priamu tlač +Permission67000=Povoliť tlač účteniek +Permission68001=Prečítajte si správu v rámci komunikácie +Permission68002=Vytvorenie/úprava intracomm reportu +Permission68004=Odstrániť intracomm report +Permission941601=Prečítajte si účtenky +Permission941602=Vytvárajte a upravujte účtenky +Permission941603=Overte účtenky +Permission941604=Pošlite účtenky e-mailom +Permission941605=Exportovať účtenky +Permission941606=Odstrániť účtenky +DictionaryCompanyType=Typy tretích strán +DictionaryCompanyJuridicalType=Tretie právnické osoby +DictionaryProspectLevel=Vyhliadková potenciálna úroveň pre spoločnosti +DictionaryProspectContactLevel=Vyhľadajte potenciálnu úroveň pre kontakty +DictionaryCanton=štátov/provincií DictionaryRegion=Okres DictionaryCountry=Štáty DictionaryCurrency=Platobné meny -DictionaryCivility=Honorific titles +DictionaryCivility=Čestné tituly DictionaryActions=Typy udalostí agendy -DictionarySocialContributions=Types of social or fiscal taxes +DictionarySocialContributions=Druhy sociálnych alebo daňových daní DictionaryVAT=Sadzby DPH alebo Sociálnej dane -DictionaryRevenueStamp=Amount of tax stamps -DictionaryPaymentConditions=Payment Terms -DictionaryPaymentModes=Payment Modes +DictionaryRevenueStamp=Množstvo daňových kolkov +DictionaryPaymentConditions=Platobné podmienky +DictionaryPaymentModes=Platobné režimy DictionaryTypeContact=Kontakt/Adresa -DictionaryTypeOfContainer=Website - Type of website pages/containers +DictionaryTypeOfContainer=Webová lokalita – Typ webových stránok/kontajnerov DictionaryEcotaxe=Ekologická daň DictionaryPaperFormat=Papierový formát -DictionaryFormatCards=Card formats -DictionaryFees=Expense report - Types of expense report lines +DictionaryFormatCards=Formáty kariet +DictionaryFees=Výdavkový výkaz – Typy riadkov výkazu výdajov DictionarySendingMethods=Možnosti doručenia -DictionaryStaff=Number of Employees +DictionaryStaff=Počet zamestnancov DictionaryAvailability=Oneskorenie doručenia -DictionaryOrderMethods=Order methods +DictionaryOrderMethods=Spôsoby objednávky DictionarySource=Pôvod ponuky / objednávky -DictionaryAccountancyCategory=Personalized groups for reports +DictionaryAccountancyCategory=Personalizované skupiny pre prehľady DictionaryAccountancysystem=Modely účtovných osnov -DictionaryAccountancyJournal=Accounting journals -DictionaryEMailTemplates=Email Templates +DictionaryAccountancyJournal=Účtovné denníky +DictionaryEMailTemplates=E-mailové šablóny DictionaryUnits=Jednotky -DictionaryMeasuringUnits=Measuring Units -DictionarySocialNetworks=Social Networks -DictionaryProspectStatus=Prospect status for companies -DictionaryProspectContactStatus=Prospect status for contacts -DictionaryHolidayTypes=Leave - Types of leave -DictionaryOpportunityStatus=Lead status for project/lead -DictionaryExpenseTaxCat=Expense report - Transportation categories -DictionaryExpenseTaxRange=Expense report - Range by transportation category -DictionaryTransportMode=Intracomm report - Transport mode -DictionaryBatchStatus=Product lot/serial Quality Control status -DictionaryAssetDisposalType=Type of disposal of assets -TypeOfUnit=Type of unit +DictionaryMeasuringUnits=Meracie jednotky +DictionarySocialNetworks=Sociálne siete +DictionaryProspectStatus=Stav vyhliadky pre spoločnosti +DictionaryProspectContactStatus=Stav vyhliadky na kontakty +DictionaryHolidayTypes=Dovolenka - Typy dovolenky +DictionaryOpportunityStatus=Stav vedúceho pre projekt/vedúceho +DictionaryExpenseTaxCat=Výkaz výdavkov - Kategórie dopravy +DictionaryExpenseTaxRange=Prehľad o výdavkoch – rozsah podľa kategórie dopravy +DictionaryTransportMode=Intracomm report - Režim dopravy +DictionaryBatchStatus=Stav šarže produktu/sériovej kontroly kvality +DictionaryAssetDisposalType=Druh vyradenia majetku +DictionaryInvoiceSubtype=Podtypy faktúr +TypeOfUnit=Typ jednotky SetupSaved=Nastavenie uložené -SetupNotSaved=Setup not saved -OAuthServiceConfirmDeleteTitle=Delete OAuth entry -OAuthServiceConfirmDeleteMessage=Are you sure you want to delete this OAuth entry ? All existing tokens for it will also be deleted. -ErrorInEntryDeletion=Error in entry deletion -EntryDeleted=Entry deleted -BackToModuleList=Back to Module list -BackToDictionaryList=Back to Dictionaries list -TypeOfRevenueStamp=Type of tax stamp -VATManagement=Sales Tax Management -VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. -VATIsNotUsedDesc=By default the proposed Sales tax is 0 which can be used for cases like associations, individuals or small companies. -VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. -VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +SetupNotSaved=Nastavenie nebolo uložené +OAuthServiceConfirmDeleteTitle=Odstrániť záznam OAuth +OAuthServiceConfirmDeleteMessage=Naozaj chcete odstrániť tento záznam OAuth? Všetky existujúce tokeny budú tiež odstránené. +ErrorInEntryDeletion=Chyba pri odstraňovaní záznamu +EntryDeleted=Záznam bol odstránený +BackToModuleList=Späť na zoznam modulov +BackToDictionaryList=Späť na zoznam slovníkov +TypeOfRevenueStamp=Typ daňovej známky +VATManagement=Správa dane z obratu +VATIsUsedDesc=V predvolenom nastavení pri vytváraní potenciálnych zákazníkov, faktúr, objednávok atď. sa sadzba dane z obratu riadi aktívnym štandardným pravidlom:
      Ak predajca nepodlieha dani z obratu, predvolená hodnota dane z obratu je 0 Koniec pravidla.
      Ak (krajina predajcu = krajina kupujúceho), potom sa daň z predaja štandardne rovná dani z predaja produktu v krajine predajcu. Koniec pravidla.
      Ak sa predávajúci aj kupujúci nachádzajú v Európskom spoločenstve a tovar je produktom súvisiacim s dopravou (nákladná doprava, doprava, letecká spoločnosť), predvolená DPH je 0. pravidlo závisí od krajiny predajcu – poraďte sa so svojím účtovníkom. DPH by mal kupujúci zaplatiť colnému úradu vo svojej krajine a nie predávajúcemu. Koniec pravidla.
      Ak sa predávajúci aj kupujúci nachádzajú v Európskom spoločenstve a kupujúci nie je spoločnosť (s registrovaným IČ DPH v rámci Spoločenstva), DPH je predvolená sadzbu DPH krajiny predávajúceho. Koniec pravidla.
      Ak sa predávajúci aj kupujúci nachádzajú v Európskom spoločenstve a kupujúci je spoločnosť (s registrovaným IČ DPH v rámci Spoločenstva), DPH je 0 predvolene. Koniec pravidla.
      V každom inom prípade je navrhovaná predvolená hodnota Sales tax=0. Koniec pravidla. +VATIsNotUsedDesc=V predvolenom nastavení je navrhovaná daň z obratu 0, ktorú možno použiť v prípadoch, ako sú združenia, jednotlivci alebo malé spoločnosti. +VATIsUsedExampleFR=Vo Francúzsku to znamená spoločnosti alebo organizácie, ktoré majú skutočný fiškálny systém (zjednodušený skutočný alebo normálny skutočný). Systém, v ktorom sa priznáva DPH. +VATIsNotUsedExampleFR=Vo Francúzsku to znamená združenia, ktoré nemajú priznanú daň z obratu, alebo spoločnosti, organizácie alebo slobodné povolania, ktoré si zvolili fiškálny systém mikropodnikov (daň z predaja vo franšíze) a zaplatili franšízu Daň z obratu bez akéhokoľvek priznania k dani z obratu. Touto voľbou sa na faktúrach zobrazí odkaz „Neuplatňuje sa daň z obratu – článok 293B CGI“. +VATType=typ DPH ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax +TypeOfSaleTaxes=Druh dane z obratu LTRate=Rate LocalTax1IsNotUsed=Nepoužívajte druhá daň -LocalTax1IsUsedDesc=Use a second type of tax (other than first one) -LocalTax1IsNotUsedDesc=Do not use other type of tax (other than first one) +LocalTax1IsUsedDesc=Použite druhý typ dane (iný ako prvý) +LocalTax1IsNotUsedDesc=Nepoužívajte iný typ dane (iný ako prvý) LocalTax1Management=Druhý typ dane LocalTax1IsUsedExample= LocalTax1IsNotUsedExample= LocalTax2IsNotUsed=Nepoužívajte tretí daň -LocalTax2IsUsedDesc=Use a third type of tax (other than first one) -LocalTax2IsNotUsedDesc=Do not use other type of tax (other than first one) +LocalTax2IsUsedDesc=Použite tretí typ dane (iný ako prvý) +LocalTax2IsNotUsedDesc=Nepoužívajte iný typ dane (iný ako prvý) LocalTax2Management=Tretí druh dane LocalTax2IsUsedExample= LocalTax2IsNotUsedExample= LocalTax1ManagementES=RE riadenie -LocalTax1IsUsedDescES=The RE rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the buyer is not subjected to RE, RE by default=0. End of rule.
      If the buyer is subjected to RE then the RE by default. End of rule.
      +LocalTax1IsUsedDescES=Sadzba RE pri vytváraní prospektov, faktúr, objednávok atď. sa štandardne riadi aktívnym štandardným pravidlom:
      Ak kupujúci nepodlieha RE, RE predvolene = 0. Koniec pravidla.
      Ak kupujúci podlieha RE, potom RE predvolene. Koniec pravidla.
      LocalTax1IsNotUsedDescES=V predvolenom nastavení je navrhovaná RE je 0. Koniec vlády. LocalTax1IsUsedExampleES=V Španielsku sú profesionáli s výhradou niektorých špecifických častí španielskeho IAE. LocalTax1IsNotUsedExampleES=V Španielsku sú profesionálne a spoločnosti a za určitých častí španielskeho IAE. LocalTax2ManagementES=IRPF riadenie -LocalTax2IsUsedDescES=The IRPF rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.
      If the seller is subjected to IRPF then the IRPF by default. End of rule.
      +LocalTax2IsUsedDescES=Sadzba IRPF štandardne pri vytváraní prospektov, faktúr, objednávok atď. sa riadi aktívnym štandardným pravidlom:
      Ak predajca nepodlieha IRPF, potom IRPF štandardne = 0. Koniec pravidla.
      Ak predajca podlieha IRPF, potom IRPF predvolene. Koniec pravidla.
      LocalTax2IsNotUsedDescES=V predvolenom nastavení je navrhovaná IRPF je 0. Koniec vlády. LocalTax2IsUsedExampleES=V Španielsku, na voľnej nohe a nezávislí odborníci, ktorí poskytujú služby a firmy, ktorí sa rozhodli daňového systému modulov. -LocalTax2IsNotUsedExampleES=In Spain they are businesses not subject to tax system of modules. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) +LocalTax2IsNotUsedExampleES=V Španielsku sú to podniky, ktoré nepodliehajú daňovému systému modulov. +RevenueStampDesc="Daňový kolok" alebo "kolok" je pevná daň, ktorú dostanete na faktúru (nezávisí od sumy faktúry). Môže to byť aj percentuálna daň, ale použitie druhého alebo tretieho typu dane je lepšie pre percentuálne dane, pretože kolky neposkytujú žiadne vykazovanie. Len málo krajín používa tento typ dane. +UseRevenueStamp=Použite daňový kolok +UseRevenueStampExample=Hodnota kolkovej známky je štandardne definovaná v nastaveniach slovníkov (%s - %s - %s) CalcLocaltax=Vypisy lokálnej dane CalcLocaltax1=Predaj - Platba -CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases +CalcLocaltax1Desc=Prehľady miestnych daní sa vypočítavajú na základe rozdielu medzi predajmi miestnych daní a nákupmi miestnych daní CalcLocaltax2=Platby -CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases +CalcLocaltax2Desc=Prehľady miestnych daní predstavujú súčet nákupov miestnych daní CalcLocaltax3=Predaje -CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax +CalcLocaltax3Desc=Prehľady miestnych daní predstavujú súčet predajov miestnych daní +NoLocalTaxXForThisCountry=Podľa nastavenia daní (pozri %s - %s - %s) , vaša krajina nemusí používať takýto typ dane LabelUsedByDefault=Label používa v predvolenom nastavení, pokiaľ nie je preklad možno nájsť kód LabelOnDocuments=Štítok na dokumenty -LabelOrTranslationKey=Label or translation key -ValueOfConstantKey=Value of a configuration constant -ConstantIsOn=Option %s is on -NbOfDays=No. of days +LabelOrTranslationKey=Štítok alebo prekladový kľúč +ValueOfConstantKey=Hodnota konfiguračnej konštanty +ConstantIsOn=Možnosť %s je zapnutá +NbOfDays=Počet dní AtEndOfMonth=Na konci mesiaca -CurrentNext=A given day in month +CurrentNext=Daný deň v mesiaci Offset=Ofset AlwaysActive=Vždy aktívny Upgrade=Vylepšiť MenuUpgrade=Aktualizujte / predĺžiť -AddExtensionThemeModuleOrOther=Deploy/install external app/module +AddExtensionThemeModuleOrOther=Nasaďte/nainštalujte externú aplikáciu/modul WebServer=Webový server DocumentRootServer=Webového servera koreňový adresár DataRootServer=Dat adresára súborov @@ -1179,29 +1190,29 @@ DatabaseUser=Databáza užívateľ DatabasePassword=Databáza heslo Tables=Tabuľky TableName=Názov tabuľky -NbOfRecord=No. of records +NbOfRecord=Počet záznamov Host=Server DriverType=Typ ovládača SummarySystem=Systém súhrn informácií SummaryConst=Zoznam všetkých nastavených parametrov Dolibarr -MenuCompanySetup=Company/Organization +MenuCompanySetup=Spoločnosť/organizácia DefaultMenuManager= Štandardná ponuka manažér DefaultMenuSmartphoneManager=Smartphone Ponuka manažér Skin=Skin téma DefaultSkin=Default skin téma MaxSizeList=Maximálna dĺžka zoznamu DefaultMaxSizeList=Základná max. dĺžka zoznamu -DefaultMaxSizeShortList=Default max length for short lists (i.e. in customer card) +DefaultMaxSizeShortList=Predvolená maximálna dĺžka pre krátke zoznamy (t. j. na zákazníckej karte) MessageOfDay=Správa dňa MessageLogin=Prihlasovacia stránka správu -LoginPage=Login page -BackgroundImageLogin=Background image +LoginPage=Prihlasovacia stránka +BackgroundImageLogin=Obrázok na pozadí PermanentLeftSearchForm=Permanentný vyhľadávací formulár na ľavom menu -DefaultLanguage=Default language -EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships -EnableShowLogo=Show the company logo in the menu -CompanyInfo=Company/Organization -CompanyIds=Company/Organization identities +DefaultLanguage=Predvolený jazyk +EnableMultilangInterface=Povoliť viacjazyčnú podporu pre vzťahy so zákazníkmi alebo dodávateľmi +EnableShowLogo=Zobrazte logo spoločnosti v ponuke +CompanyInfo=Spoločnosť/organizácia +CompanyIds=Identity spoločnosti/organizácie CompanyName=Názov CompanyAddress=Adresa CompanyZip=Zips @@ -1209,47 +1220,47 @@ CompanyTown=Mesto CompanyCountry=Krajina CompanyCurrency=Hlavná mena CompanyObject=Objekt spoločnosti -IDCountry=ID country +IDCountry=ID krajiny Logo=Logo -LogoDesc=Main logo of company. Will be used into generated documents (PDF, ...) -LogoSquarred=Logo (squarred) -LogoSquarredDesc=Must be a squarred icon (width = height). This logo will be used as the favorite icon or other need like for the top menu bar (if not disabled into display setup). +LogoDesc=Hlavné logo spoločnosti. Použije sa vo vygenerovaných dokumentoch (PDF, ...) +LogoSquarred=Logo (štvorcový) +LogoSquarredDesc=Musí to byť štvorcová ikona (šírka = výška). Toto logo sa použije ako obľúbená ikona alebo iná potreba, napríklad pre hornú lištu ponuky (ak nie je zakázaná v nastavení zobrazenia). DoNotSuggestPaymentMode=Nenaznačujú NoActiveBankAccountDefined=Žiadny aktívny bankový účet definovaný OwnerOfBankAccount=Majiteľ %s bankových účtov BankModuleNotActive=Účty v bankách modul nie je povolený, -ShowBugTrackLink=Show the link "%s" -ShowBugTrackLinkDesc=Keep empty to not display this link, use value 'github' for the link to the Dolibarr project or define directly an url 'https://...' +ShowBugTrackLink=Zobraziť odkaz "%s" +ShowBugTrackLinkDesc=Ak chcete, aby sa tento odkaz nezobrazoval, ponechajte prázdne, pre prepojenie na projekt Dolibarr použite hodnotu 'github' alebo definujte priamo adresu URL 'https://...' Alerts=Upozornenie -DelaysOfToleranceBeforeWarning=Displaying a warning alert for... -DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. -Delays_MAIN_DELAY_ACTIONS_TODO=Planned events (agenda events) not completed -Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Project not closed in time -Delays_MAIN_DELAY_TASKS_TODO=Planned task (project tasks) not completed -Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Order not processed -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Purchase order not processed -Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Proposal not closed -Delays_MAIN_DELAY_PROPALS_TO_BILL=Proposal not billed -Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Service to activate -Delays_MAIN_DELAY_RUNNING_SERVICES=Expired service -Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Unpaid vendor invoice -Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Unpaid customer invoice -Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Pending bank reconciliation -Delays_MAIN_DELAY_MEMBERS=Delayed membership fee -Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Check deposit not done -Delays_MAIN_DELAY_EXPENSEREPORTS=Expense report to approve -Delays_MAIN_DELAY_HOLIDAYS=Leave requests to approve -SetupDescription1=Before starting to use Dolibarr some initial parameters must be defined and modules enabled/configured. -SetupDescription2=The following two sections are mandatory (the two first entries in the Setup menu): -SetupDescription3=%s -> %s

      Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4=%s -> %s

      This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. -SetupDescription5=Other Setup menu entries manage optional parameters. -SetupDescriptionLink=%s - %s -SetupDescription3b=Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s -Audit=Security events +DelaysOfToleranceBeforeWarning=Zobrazuje sa varovanie pre... +DelaysOfToleranceDesc=Nastavte oneskorenie pred zobrazením ikony upozornenia %s na obrazovke pre neskorší prvok. +Delays_MAIN_DELAY_ACTIONS_TODO=Plánované udalosti (agendy) neboli dokončené +Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Projekt nie je uzavretý včas +Delays_MAIN_DELAY_TASKS_TODO=Nedokončená plánovaná úloha (projektové úlohy). +Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Objednávka nebola spracovaná +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Objednávka nebola spracovaná +Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Návrh nie je uzavretý +Delays_MAIN_DELAY_PROPALS_TO_BILL=Ponuka nie je fakturovaná +Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Služba na aktiváciu +Delays_MAIN_DELAY_RUNNING_SERVICES=Služba vypršala +Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Nezaplatená faktúra dodávateľa +Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Nezaplatená zákaznícka faktúra +Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Čaká sa na bankové vyrovnanie +Delays_MAIN_DELAY_MEMBERS=Oneskorený členský poplatok +Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Kontrolný vklad nebol vykonaný +Delays_MAIN_DELAY_EXPENSEREPORTS=Výkaz výdavkov na schválenie +Delays_MAIN_DELAY_HOLIDAYS=Nechajte žiadosti na schválenie +SetupDescription1=Pred začatím používania Dolibarr je potrebné definovať niektoré počiatočné parametre a aktivovať/konfigurovať moduly. +SetupDescription2=Nasledujúce dve časti sú povinné (prvé dve položky v ponuke Nastavenie): +SetupDescription3=%s -> %s

      Tento softvér je balíkom mnohých modulov/aplikácií. Moduly súvisiace s vašimi potrebami musia byť povolené a nakonfigurované. Po aktivácii týchto modulov sa zobrazia položky ponuky. +SetupDescription5=Ďalšie položky ponuky Setup spravujú voliteľné parametre. +SetupDescriptionLink=
      %s - %s8cz08 /span> +SetupDescription3b=Základné parametre používané na prispôsobenie predvoleného správania vašej aplikácie (napr. pre funkcie súvisiace s krajinou). +SetupDescription4b=Tento softvér je balíkom mnohých modulov/aplikácií. Moduly súvisiace s vašimi potrebami musia byť aktivované. Po aktivácii týchto modulov sa zobrazia položky ponuky. +AuditedSecurityEvents=Udalosti zabezpečenia, ktoré sú auditované +NoSecurityEventsAreAduited=Nekontrolujú sa žiadne udalosti zabezpečenia. Môžete ich povoliť v ponuke %s +Audit=Bezpečnostné udalosti InfoDolibarr=O Dolibarre InfoBrowser=O prehliadači InfoOS=O OS @@ -1257,242 +1268,244 @@ InfoWebServer=O Web Servri InfoDatabase=O Databaze InfoPHP=O PHP InfoPerf=Info o výkone -InfoSecurity=About Security +InfoSecurity=O bezpečnosti BrowserName=Meno prehliadača BrowserOS=OS prehliadača ListOfSecurityEvents=Zoznam Dolibarr udalostí zabezpečenia SecurityEventsPurged=Bezpečnostnej akcie očistil -TrackableSecurityEvents=Trackable security events -LogEventDesc=Enable logging for specific security events. Administrators the log via menu %s - %s. Warning, this feature can generate a large amount of data in the database. -AreaForAdminOnly=Setup parameters can be set by administrator users only. +TrackableSecurityEvents=Sledovateľné bezpečnostné udalosti +LogEventDesc=Povoliť protokolovanie pre konkrétne udalosti zabezpečenia. Správcovia sa prihlásia cez ponuku %s - %s. Pozor, táto funkcia môže generovať veľké množstvo údajov v databáze. +AreaForAdminOnly=Parametre nastavenia môžu nastaviť iba používatelia správcu. SystemInfoDesc=Systémové informácie je rôzne technické informácie získate v režime iba pre čítanie a viditeľné len pre správcov. -SystemAreaForAdminOnly=This area is available to administrator users only. Dolibarr user permissions cannot change this restriction. -CompanyFundationDesc=Edit the information of your company/organization. Click on "%s" button at the bottom of the page when done. -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". -AccountantDesc=If you have an external accountant/bookkeeper, you can edit here its information. -AccountantFileNumber=Accountant code -DisplayDesc=Parameters affecting the look and presentation of the application can be modified here. -AvailableModules=Available app/modules +SystemAreaForAdminOnly=Táto oblasť je dostupná len pre správcov. Povolenia používateľa Dolibarr nemôžu toto obmedzenie zmeniť. +CompanyFundationDesc=Upravte informácie o vašej spoločnosti/organizácii. Po dokončení kliknite na tlačidlo „%s“ v dolnej časti stránky. +MoreNetworksAvailableWithModule=Po povolení modulu „Sociálne siete“ môže byť dostupných viac sociálnych sietí. +AccountantDesc=Ak máte externého účtovníka/účtovníka, môžete tu upraviť jeho informácie. +AccountantFileNumber=Kód účtovníka +DisplayDesc=Tu je možné upraviť parametre ovplyvňujúce vzhľad a prezentáciu aplikácie. +AvailableModules=Dostupné aplikácie/moduly ToActivateModule=Pre aktiváciu modulov, prejdite na nastavenie priestoru (Domov-> Nastavenie-> Modules). SessionTimeOut=Time out na zasadnutí -SessionExplanation=This number guarantees that the session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guarantee that the session will expire after this delay. It will expire, after this delay, and when the session cleaner is run, so every %s/%s access, but only during access made by other sessions (if value is 0, it means clearing of session is done only by an external process).
      Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by an external setup, no matter what the value entered here is. -SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. +SessionExplanation=Toto číslo zaručuje, že relácia nikdy nevyprší pred týmto oneskorením, ak čistenie relácie vykoná Internal PHP session cleaner (a nič iné). Interný čistič relácie PHP nezaručuje, že relácia po tomto oneskorení vyprší. Jeho platnosť vyprší po tomto oneskorení a keď sa spustí čistič relácie, takže každý %s/%s prístup, ale iba počas prístupu vykonaného inými reláciami (ak je hodnota 0, znamená to, že vymazanie relácie vykonáva iba externý proces) .
      Poznámka: na niektorých serveroch s externým mechanizmom čistenia relácií (cron v debiane, ubuntu ...) môžu byť relácie zničené po uplynutí doby definovanej externým nastavením, bez ohľadu na to, aká je tu zadaná hodnota. +SessionsPurgedByExternalSystem=Zdá sa, že relácie na tomto serveri sú vyčistené externým mechanizmom (cron pod debianom, ubuntu ...), pravdepodobne každý %s sekúnd (= hodnota parametra session.gc_maxlifetimeb09a4b8z39f) , takže zmena hodnoty tu nemá žiadny vplyv. O zmenu oneskorenia relácie musíte požiadať správcu servera. TriggersAvailable=Dostupné spúšťače -TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). +TriggersDesc=Spúšťače sú súbory, ktoré po skopírovaní do adresára htdocs/core/triggers zmenia správanie pracovného postupu Dolibarr. Realizujú nové akcie, aktivované na udalostiach Dolibarr (založenie novej firmy, validácia faktúr, ...). TriggerDisabledByName=Trigger v tomto súbore sú zakázané-NoRun prípona vo svojom názve. TriggerDisabledAsModuleDisabled=Trigger v tomto súbore sú zakázané ako modul %s je zakázané. TriggerAlwaysActive=Trigger v tomto súbore sú vždy aktívne, či už sú aktivované Dolibarr moduly. TriggerActiveAsModuleActive=Trigger v tomto súbore sú aktívne ako modul %s je povolené. -GeneratedPasswordDesc=Choose the method to be used for auto-generated passwords. +GeneratedPasswordDesc=Vyberte metódu, ktorá sa má použiť pre automaticky generované heslá. DictionaryDesc=Vložte referenčné data. Môžete pridať vaše hodnoty ako základ -ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting only. -MiscellaneousOptions=Miscellaneous options +ConstDesc=Táto stránka vám umožňuje upraviť (prepísať) parametre, ktoré nie sú dostupné na iných stránkach. Toto sú väčšinou parametre vyhradené len pre vývojárov/pokročilé riešenie problémov. +MiscellaneousOptions=Rôzne možnosti MiscellaneousDesc=Ostatné bezpečnostné parametre sú definované tu. LimitsSetup=Limity / Presné nastavenie -LimitsDesc=You can define limits, precisions and optimizations used by Dolibarr here -MAIN_MAX_DECIMALS_UNIT=Max. decimals for unit prices -MAIN_MAX_DECIMALS_TOT=Max. decimals for total prices -MAIN_MAX_DECIMALS_SHOWN=Max. decimals for prices shown on screen. Add an ellipsis ... after this parameter (e.g. "2...") if you want to see "..." suffixed to the truncated price. -MAIN_ROUNDING_RULE_TOT=Step of rounding range (for countries where rounding is done on something other than base 10. For example, put 0.05 if rounding is done by 0.05 steps) +LimitsDesc=Tu môžete definovať limity, presnosti a optimalizácie používané Dolibarrom +MAIN_MAX_DECIMALS_UNIT=Max. desatinné miesta pre jednotkové ceny +MAIN_MAX_DECIMALS_TOT=Max. desatinné čísla pre celkové ceny +MAIN_MAX_DECIMALS_SHOWN=Max. desatinné miesta pre ceny zobrazené na obrazovke. Pridajte tri bodky ... za tento parameter (napr. "2..."), ak chcete vidieť " ..." s príponou k skrátenej cene. +MAIN_ROUNDING_RULE_TOT=Krok rozsahu zaokrúhľovania (pre krajiny, kde sa zaokrúhľuje na niečo iné ako základ 10. Ak sa zaokrúhľuje po 0,05 kroku, zadajte napríklad 0,05) UnitPriceOfProduct=Čistá jednotková cena produktu -TotalPriceAfterRounding=Total price (excl/vat/incl tax) after rounding +TotalPriceAfterRounding=Celková cena (bez DPH/s DPH) po zaokrúhlení ParameterActiveForNextInputOnly=Parameter efektívne pre ďalší vstup iba -NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit has not been enabled in the "Setup - Security - Events" page. -NoEventFoundWithCriteria=No security event has been found for this search criteria. +NoEventOrNoAuditSetup=Nebola zaznamenaná žiadna udalosť zabezpečenia. To je normálne, ak audit nebol povolený na stránke "Nastavenie - Zabezpečenie - Udalosti". +NoEventFoundWithCriteria=Pre tieto kritériá vyhľadávania sa nenašla žiadna udalosť zabezpečenia. SeeLocalSendMailSetup=Pozrite sa na miestne sendmail nastavenie -BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. -BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. -BackupDescX=The archived directory should be stored in a secure place. +BackupDesc=úplná záloha inštalácie Dolibarr vyžaduje dva kroky. +BackupDesc2=Zálohujte obsah adresára „documents“ (%sb09a4b739f17>f8z0 obsahujúce všetky nahrané a vygenerované súbory. To bude zahŕňať aj všetky súbory výpisu vygenerované v kroku 1. Táto operácia môže trvať niekoľko minút. +BackupDesc3=Zálohujte štruktúru a obsah svojej databázy (%s) súbor výpisu. Na tento účel môžete použiť nasledujúceho asistenta. +BackupDescX=Archivovaný adresár by mal byť uložený na bezpečnom mieste. BackupDescY=Vygenerovaný súbor výpisu by sa mal skladovať na bezpečnom mieste. -BackupPHPWarning=Backup cannot be guaranteed with this method. Previous one recommended. -RestoreDesc=To restore a Dolibarr backup, two steps are required. -RestoreDesc2=Restore the backup file (zip file for example) of the "documents" directory to a new Dolibarr installation or into this current documents directory (%s). -RestoreDesc3=Restore the database structure and data from a backup dump file into the database of the new Dolibarr installation or into the database of this current installation (%s). Warning, once the restore is complete, you must use a login/password, that existed from the backup time/installation to connect again.
      To restore a backup database into this current installation, you can follow this assistant. +BackupPHPWarning=Pri tejto metóde nie je možné zaručiť zálohovanie. Odporúčaná predchádzajúca. +RestoreDesc=Ak chcete obnoviť zálohu Dolibarr, sú potrebné dva kroky. +RestoreDesc2=Obnovte záložný súbor (napríklad súbor zip) adresára „documents“ do novej inštalácie Dolibarr alebo do tohto aktuálneho adresára dokumentov (%s ). +RestoreDesc3=Obnovte štruktúru databázy a údaje zo záložného súboru výpisu do databázy novej inštalácie Dolibarr alebo do databázy tejto aktuálnej inštalácie (%s ). Upozornenie, po dokončení obnovy musíte na opätovné pripojenie použiť prihlasovacie meno/heslo, ktoré existovalo počas zálohovania/inštalácie.
      Na obnovenie záložnej databázy do tejto aktuálnej inštalácie , môžete sledovať tohto asistenta. RestoreMySQL=MySQL import ForcedToByAModule=Toto pravidlo je nútený %s aktivovaným modulom -ValueIsForcedBySystem=This value is forced by the system. You can't change it. -PreviousDumpFiles=Existing backup files -PreviousArchiveFiles=Existing archive files -WeekStartOnDay=First day of the week -RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) +ValueIsForcedBySystem=Táto hodnota je vynútená systémom. Nemôžeš to zmeniť. +PreviousDumpFiles=Existujúce záložné súbory +PreviousArchiveFiles=Existujúce archívne súbory +WeekStartOnDay=Prvý deň v týždni +RunningUpdateProcessMayBeRequired=Zdá sa, že je potrebné spustiť proces inovácie (verzia programu %s sa líši od verzie databázy %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Je nutné spustiť tento príkaz z príkazového riadka po prihlásení do shellu s užívateľskými %s alebo musíte pridať parameter-w na konci príkazového riadku, aby %s heslo. YourPHPDoesNotHaveSSLSupport=SSL funkcia nie je k dispozícii vo vašom PHP DownloadMoreSkins=Ďalšie skiny k stiahnutiu -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset -AdvancedNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset -ShowProfIdInAddress=Show professional ID with addresses -ShowVATIntaInAddress=Hide intra-Community VAT number +SimpleNumRefModelDesc=Vráti referenčné číslo vo formáte %syymm-nnnn, kde yy je rok, mm je mesiac a nnnn je sekvenčné automaticky sa zvyšujúce číslo bez resetovania +SimpleRefNumRefModelDesc=Vráti referenčné číslo vo formáte n, kde n je sekvenčné automaticky sa zvyšujúce číslo bez resetovania +AdvancedNumRefModelDesc=Vráti referenčné číslo vo formáte %syymm-nnnn, kde yy je rok, mm je mesiac a nnnn je sekvenčné automaticky sa zvyšujúce číslo bez resetovania +SimpleNumRefNoDateModelDesc=Vráti referenčné číslo vo formáte %s-nnnn, kde nnnn je sekvenčné automaticky sa zvyšujúce číslo bez resetovania +ShowProfIdInAddress=Ukážte profesijný preukaz s adresami +ShowVATIntaInAddress=Skryť IČ DPH v rámci Spoločenstva TranslationUncomplete=Čiastočný preklad -MAIN_DISABLE_METEO=Disable weather thumb -MeteoStdMod=Standard mode -MeteoStdModEnabled=Standard mode enabled -MeteoPercentageMod=Percentage mode -MeteoPercentageModEnabled=Percentage mode enabled -MeteoUseMod=Click to use %s +MAIN_DISABLE_METEO=Zakázať palec počasia +MeteoStdMod=Štandardný režim +MeteoStdModEnabled=Štandardný režim povolený +MeteoPercentageMod=Percentuálny režim +MeteoPercentageModEnabled=Percentuálny režim je povolený +MeteoUseMod=Kliknutím použijete %s TestLoginToAPI=Otestujte prihlásiť do API -ProxyDesc=Some features of Dolibarr require internet access. Define here the internet connection parameters such as access through a proxy server if necessary. -ExternalAccess=External/Internet Access -MAIN_PROXY_USE=Use a proxy server (otherwise access is direct to the internet) -MAIN_PROXY_HOST=Proxy server: Name/Address +ProxyDesc=Niektoré funkcie Dolibarr vyžadujú prístup na internet. Tu definujte parametre internetového pripojenia, ako je v prípade potreby prístup cez proxy server. +ExternalAccess=Externý/internetový prístup +MAIN_PROXY_USE=Použiť proxy server (inak je prístup priamy na internet) +MAIN_PROXY_HOST=Proxy server: Meno/Adresa MAIN_PROXY_PORT=Proxy server: Port -MAIN_PROXY_USER=Proxy server: Login/User -MAIN_PROXY_PASS=Proxy server: Password -DefineHereComplementaryAttributes=Define any additional / custom attributes that must be added to: %s +MAIN_PROXY_USER=Proxy server: Prihlásenie/Používateľ +MAIN_PROXY_PASS=Proxy server: Heslo +DefineHereComplementaryAttributes=Definujte všetky ďalšie / vlastné atribúty, ktoré sa musia pridať do: %s ExtraFields=Doplnkové atribúty ExtraFieldsLines=Doplnkové atribúty (linky) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) +ExtraFieldsLinesRec=Doplnkové atribúty (šablóny riadkov faktúr) ExtraFieldsSupplierOrdersLines=Doplnkové hodnoty ( riadky objednávky ) ExtraFieldsSupplierInvoicesLines=Doplnkové hodnoty ( riadky faktúry ) -ExtraFieldsThirdParties=Complementary attributes (third party) -ExtraFieldsContacts=Complementary attributes (contacts/address) +ExtraFieldsThirdParties=Doplnkové atribúty (tretia strana) +ExtraFieldsContacts=Doplnkové atribúty (kontakty/adresa) ExtraFieldsMember=Doplnkové atribúty (člen) ExtraFieldsMemberType=Doplnkové atribúty (člen typ) ExtraFieldsCustomerInvoices=Doplnkové atribúty (faktúry) -ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsCustomerInvoicesRec=Doplnkové atribúty (šablóny faktúr) ExtraFieldsSupplierOrders=Doplnkové atribúty (objednávky) ExtraFieldsSupplierInvoices=Doplnkové atribúty (faktúry) ExtraFieldsProject=Doplnkové atribúty (projekty) ExtraFieldsProjectTask=Doplnkové atribúty (úlohy) -ExtraFieldsSalaries=Complementary attributes (salaries) +ExtraFieldsSalaries=Doplnkové atribúty (platy) ExtraFieldHasWrongValue=Atribút %s má nesprávnu hodnotu. AlphaNumOnlyLowerCharsAndNoSpace=iba alfanumerické a malé znaky bez medzier SendmailOptionNotComplete=Upozornenie na niektorých operačných systémoch Linux, posielať e-maily z vášho e-mailu, musíte sendmail prevedenie inštalácie obsahuje voľbu-BA (parameter mail.force_extra_parameters do súboru php.ini). Ak niektorí príjemcovia nikdy prijímať e-maily, skúste upraviť tento parameter spoločne s PHP mail.force_extra_parameters =-BA). PathToDocuments=Cesta k dokumentom PathDirectory=Adresár -SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might not be parsed correctly by some receiving mail servers. The result is that some mails can't be read by people hosted by those bugged platforms. This is the case for some Internet providers (Ex: Orange in France). This is not a problem with Dolibarr or PHP but with the receiving mail server. You can however add an option MAIN_FIX_FOR_BUGGED_MTA to 1 in Setup - Other to modify Dolibarr to avoid this. However, you may experience problems with other servers that strictly use the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" which has no disadvantages. +SendmailOptionMayHurtBuggedMTA=Funkcia odosielania e-mailov pomocou metódy „PHP mail direct“ vygeneruje e-mailovú správu, ktorú niektoré prijímajúce poštové servery nemusia správne analyzovať. Výsledkom je, že niektoré e-maily nemôžu čítať ľudia, ktorých hostiteľom sú tieto odpočúvané platformy. To je prípad niektorých poskytovateľov internetu (napr. Orange vo Francúzsku). Toto nie je problém s Dolibarrom alebo PHP, ale s prijímajúcim poštovým serverom. Môžete však pridať možnosť MAIN_FIX_FOR_BUGGED_MTA na 1 v Setup - Other a upraviť Dolibarr, aby ste tomu zabránili. Môžu sa však vyskytnúť problémy s inými servermi, ktoré striktne používajú štandard SMTP. Ďalším riešením (odporúča sa) je použiť metódu "SMTP socket library", ktorá nemá žiadne nevýhody. TranslationSetup=Nastavenie prekladu -TranslationKeySearch=Search a translation key or string +TranslationKeySearch=Vyhľadajte prekladový kľúč alebo reťazec TranslationOverwriteKey=Preprísať prekladový reľazec -TranslationDesc=How to set the display language:
      * Default/Systemwide: menu Home -> Setup -> Display
      * Per user: Click on the username at the top of the screen and modify the User Display Setup tab on the user card. -TranslationOverwriteDesc=You can also override strings filling the following table. Choose your language from "%s" dropdown, insert the translation key string into "%s" and your new translation into "%s" -TranslationOverwriteDesc2=You can use the other tab to help you know which translation key to use +TranslationDesc=Ako nastaviť jazyk zobrazenia:
      * Predvolené/Celý systém: ponuka Domov -> Nastavenie -> Displej
      * Pre používateľa: Kliknite na používateľské meno v hornej časti obrazovky a upravte b0e7843947c06b span>Nastavenie zobrazenia používateľa
      na karte používateľa. +TranslationOverwriteDesc=Môžete tiež prepísať reťazce vypĺňajúce nasledujúcu tabuľku. Vyberte si jazyk z rozbaľovacej ponuky „%s“, vložte reťazec kľúča prekladu do „%s“ a váš nový preklad do „%s" +TranslationOverwriteDesc2=Môžete použiť druhú kartu, ktorá vám pomôže zistiť, ktorý prekladový kľúč máte použiť TranslationString=Prekladový reťazec CurrentTranslationString=Aktuálny prekladovy reťazec -WarningAtLeastKeyOrTranslationRequired=A search criteria is required at least for key or translation string +WarningAtLeastKeyOrTranslationRequired=Kritériá vyhľadávania sa vyžadujú aspoň pre kľúč alebo reťazec prekladu NewTranslationStringToShow=Novy prekladový reťazec na zobrzenie -OriginalValueWas=The original translation is overwritten. Original value was:

      %s -TransKeyWithoutOriginalValue=You forced a new translation for the translation key '%s' that does not exist in any language files -TitleNumberOfActivatedModules=Activated modules -TotalNumberOfActivatedModules=Activated modules: %s / %s +OriginalValueWas=Pôvodný preklad je prepísaný. Pôvodná hodnota bola:

      %s +TransKeyWithoutOriginalValue=Vynútili ste nový preklad pre prekladový kľúč '%s ktorý neexistuje v žiadnych jazykových súboroch +TitleNumberOfActivatedModules=Aktivované moduly +TotalNumberOfActivatedModules=Aktivované moduly: %s /
      %s YouMustEnableOneModule=Musíte povoliť aspoň jeden modul -YouMustEnableTranslationOverwriteBefore=You must first enable translation overwriting to be allowed to replace a translation -ClassNotFoundIntoPathWarning=Class %s not found in PHP path +YouMustEnableTranslationOverwriteBefore=Najprv musíte povoliť prepisovanie prekladu, aby ste mohli nahradiť preklad +ClassNotFoundIntoPathWarning=Trieda %s sa nenašla v ceste PHP YesInSummer=Áno v lete -OnlyFollowingModulesAreOpenedToExternalUsers=Note, only the following modules are available to external users (irrespective of the permissions of such users) and only if permissions are granted:
      +OnlyFollowingModulesAreOpenedToExternalUsers=Upozorňujeme, že iba nasledujúce moduly sú dostupné pre externých používateľov (bez ohľadu na povolenia týchto používateľov) a iba v prípade, že sú udelené povolenia:
      SuhosinSessionEncrypt=Úložisko relácie šifrovaná Suhosin ConditionIsCurrently=Podmienkou je v súčasnej dobe %s -YouUseBestDriver=You use driver %s which is the best driver currently available. -YouDoNotUseBestDriver=You use driver %s but driver %s is recommended. -NbOfObjectIsLowerThanNoPb=You have only %s %s in the database. This does not require any particular optimization. -ComboListOptim=Combo list loading optimization +YouUseBestDriver=Používate ovládač %s, ktorý je momentálne najlepším dostupným ovládačom. +YouDoNotUseBestDriver=Používate ovládač %s, ale odporúča sa ovládač %s. +NbOfObjectIsLowerThanNoPb=V databáze máte iba %s %s. To si nevyžaduje žiadnu zvláštnu optimalizáciu. +ComboListOptim=Optimalizácia načítania kombinovaného zoznamu SearchOptim=Optimalizácia pre vyhľadávače -YouHaveXObjectUseComboOptim=You have %s %s in the database. You can go into setup of module to enable loading of combo list on key pressed event. -YouHaveXObjectUseSearchOptim=You have %s %s in the database. You can add the constant %s to 1 in Home-Setup-Other. -YouHaveXObjectUseSearchOptimDesc=This limits the search to the beginning of strings which makes it possible for the database to use indexes and you should get an immediate response. -YouHaveXObjectAndSearchOptimOn=You have %s %s in the database and constant %s is set to %s in Home-Setup-Other. -BrowserIsOK=You are using the %s web browser. This browser is ok for security and performance. -BrowserIsKO=You are using the %s web browser. This browser is known to be a bad choice for security, performance and reliability. We recommend using Firefox, Chrome, Opera or Safari. -PHPModuleLoaded=PHP component %s is loaded -PreloadOPCode=Preloaded OPCode is used -AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". -AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". -AskForPreferredShippingMethod=Ask for preferred shipping method for Third Parties. +YouHaveXObjectUseComboOptim=V databáze máte %s %s. Môžete prejsť do nastavenia modulu, aby ste umožnili načítanie zoznamu kombo pri udalosti stlačenej klávesom. +YouHaveXObjectUseSearchOptim=V databáze máte %s %s. Konštantu %s môžete pridať k 1 v Home-Setup-Other. +YouHaveXObjectUseSearchOptimDesc=Toto obmedzuje vyhľadávanie na začiatok reťazcov, čo umožňuje databáze používať indexy a mali by ste dostať okamžitú odpoveď. +YouHaveXObjectAndSearchOptimOn=V databáze máte %s %s a konštanta %s je nastavená na %s v Home-Setup-Iné. +BrowserIsOK=Používate webový prehliadač %s. Tento prehliadač je v poriadku z hľadiska bezpečnosti a výkonu. +BrowserIsKO=Používate webový prehliadač %s. Tento prehliadač je známy ako zlá voľba z hľadiska bezpečnosti, výkonu a spoľahlivosti. Odporúčame používať Firefox, Chrome, Opera alebo Safari. +PHPModuleLoaded=Je načítaný komponent PHP %s +PreloadOPCode=Používa sa predinštalovaný OPCode +AddRefInList=Zobraziť ref. zákazníka/dodávateľa do kombinovaných zoznamov.
      Tretie strany sa zobrazia s formátom názvu "CC12345 - SC45678 - The Big Company corp." namiesto „The Big Company corp“. +AddVatInList=Zobrazte IČ DPH zákazníka/dodávateľa do kombinovaných zoznamov. +AddAdressInList=Zobrazte adresu zákazníka/dodávateľa v kombinovaných zoznamoch.
      Tretie strany sa zobrazia s formátom názvu "The Big Company corp. - 21 jump street 123456 Big town - USA" namiesto " The Big Company corp“. +AddEmailPhoneTownInContactList=Zobraziť kontaktný e-mail (alebo telefóny, ak nie sú definované) a zoznam s informáciami o meste (vyberte zoznam alebo kombinované pole)
      Kontakty sa zobrazia s formátom mena „Dupond Durand - dupond.durand@example .com – Paríž“ alebo „Dupond Durand – 06 07 59 65 66 – Paríž“ namiesto „Dupond Durand“. +AskForPreferredShippingMethod=Požiadajte o preferovaný spôsob dopravy pre tretie strany. FieldEdition=Vydanie poľných %s FillThisOnlyIfRequired=Príklad: +2 ( vyplňte iba ak sú predpokladané problémy s časovým posunom ) GetBarCode=Získať čiarový kód -NumberingModules=Numbering models -DocumentModules=Document models +NumberingModules=Číslovanie modelov +DocumentModules=Modely dokumentov ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters. -PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. -PasswordGenerationPerso=Return a password according to your personally defined configuration. -SetupPerso=According to your configuration -PasswordPatternDesc=Password pattern description +PasswordGenerationStandard=Vráti heslo vygenerované podľa interného algoritmu Dolibarr: %s znakov obsahujúcich zdieľané čísla a znaky. +PasswordGenerationNone=Nenavrhujte vygenerované heslo. Heslo je potrebné zadať ručne. +PasswordGenerationPerso=Vráťte heslo podľa vašej osobne definovanej konfigurácie. +SetupPerso=Podľa vašej konfigurácie +PasswordPatternDesc=Popis vzoru hesla ##### Users setup ##### -RuleForGeneratedPasswords=Rules to generate and validate passwords -DisableForgetPasswordLinkOnLogonPage=Do not show the "Password Forgotten" link on the Login page +RuleForGeneratedPasswords=Pravidlá na generovanie a overovanie hesiel +DisableForgetPasswordLinkOnLogonPage=Nezobrazujte odkaz „Zabudnuté heslo“ na prihlasovacej stránke UsersSetup=Užívatelia modul nastavenia -UserMailRequired=Email required to create a new user -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) -UsersDocModules=Document templates for documents generated from user record -GroupsDocModules=Document templates for documents generated from a group record +UserMailRequired=Na vytvorenie nového používateľa je potrebný e-mail +UserHideInactive=Skryť neaktívnych používateľov zo všetkých zoznamov používateľov (neodporúča sa: môže to znamenať, že na niektorých stránkach nebudete môcť filtrovať alebo vyhľadávať starých používateľov) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) +UsersDocModules=Šablóny dokumentov pre dokumenty generované zo záznamu používateľa +GroupsDocModules=Šablóny dokumentov pre dokumenty vygenerované zo záznamu skupiny ##### HRM setup ##### -HRMSetup=HRM module setup +HRMSetup=Nastavenie modulu HRM ##### Company setup ##### CompanySetup=Firmy modul nastavenia -CompanyCodeChecker=Options for automatic generation of customer/vendor codes -AccountCodeManager=Options for automatic generation of customer/vendor accounting codes -NotificationsDesc=Email notifications can be sent automatically for some Dolibarr events.
      Recipients of notifications can be defined: -NotificationsDescUser=* per user, one user at a time. -NotificationsDescContact=* per third-party contacts (customers or vendors), one contact at a time. -NotificationsDescGlobal=* or by setting global email addresses in the setup page of the module. -ModelModules=Document Templates -DocumentModelOdt=Generate documents from OpenDocument templates (.ODT / .ODS files from LibreOffice, OpenOffice, KOffice, TextEdit,...) +CompanyCodeChecker=Možnosti automatického generovania kódov zákazníkov/dodávateľov +AccountCodeManager=Možnosti automatického generovania účtovných kódov zákazníkov/dodávateľov +NotificationsDesc=Pri niektorých udalostiach Dolibarr možno automaticky odosielať e-mailové upozornenia.
      Príjemcov upozornení možno definovať: +NotificationsDescUser=* na používateľa, po jednom používateľovi. +NotificationsDescContact=* na kontakty tretích strán (zákazníkov alebo predajcov), jeden kontakt naraz. +NotificationsDescGlobal=* alebo nastavením globálnych e-mailových adries na stránke nastavenia modulu. +ModelModules=Šablóny dokumentov +DocumentModelOdt=Generujte dokumenty zo šablón OpenDocument (súbory .ODT / .ODS z LibreOffice, OpenOffice, KOffice, TextEdit,...) WatermarkOnDraft=Vodoznak na návrhu dokumentu -JSOnPaimentBill=Activate feature to autofill payment lines on payment form -CompanyIdProfChecker=Rules for Professional IDs -MustBeUnique=Must be unique? -MustBeMandatory=Mandatory to create third parties (if VAT number or type of company defined) ? -MustBeInvoiceMandatory=Mandatory to validate invoices? -TechnicalServicesProvided=Technical services provided +JSOnPaimentBill=Aktivujte funkciu na automatické dopĺňanie platobných riadkov na platobnom formulári +CompanyIdProfChecker=Pravidlá pre profesijné preukazy +MustBeUnique=Musí byť jedinečný? +MustBeMandatory=Povinné vytvárať tretie strany (ak je definované IČ DPH alebo typ spoločnosti) ? +MustBeInvoiceMandatory=Povinné overovanie faktúr? +TechnicalServicesProvided=Poskytované technické služby ##### WebDAV ##### -WebDAVSetupDesc=This is the link to access the WebDAV directory. It contains a "public" dir open to any user knowing the URL (if public directory access allowed) and a "private" directory that needs an existing login account/password for access. -WebDavServer=Root URL of %s server: %s +WebDAVSetupDesc=Toto je odkaz na prístup k adresáru WebDAV. Obsahuje „verejný“ adresár otvorený pre každého používateľa, ktorý pozná URL (ak je povolený prístup k verejnému adresáru) a „súkromný“ adresár, ktorý potrebuje na prístup existujúci prihlasovací účet/heslo. +WebDavServer=Koreňová adresa URL servera %s: %s ##### WebCAL setup ##### WebCalUrlForVCalExport=Export odkaz na %s formáte je k dispozícii na nasledujúcom odkaze: %s ##### Invoices ##### BillsSetup=Faktúry modul nastavenia BillsNumberingModule=Faktúry a dobropisy číslovanie modelu BillsPDFModules=Fakturačné doklady modely -BillsPDFModulesAccordindToInvoiceType=Invoice documents models according to invoice type -PaymentsPDFModules=Payment documents models +BillsPDFModulesAccordindToInvoiceType=Vzory fakturačných dokladov podľa typu faktúry +PaymentsPDFModules=Vzory platobných dokladov ForceInvoiceDate=Force faktúry dátum Dátum overenia -SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined on the invoice -SuggestPaymentByRIBOnAccount=Suggest payment by withdrawal on account -SuggestPaymentByChequeToAddress=Suggest payment by check to +SuggestedPaymentModesIfNotDefinedInInvoice=Predvolený režim navrhovaných platieb na faktúre, ak nie je definovaný na faktúre +SuggestPaymentByRIBOnAccount=Navrhnite platbu výberom na účet +SuggestPaymentByChequeToAddress=Navrhnite platbu šekom na FreeLegalTextOnInvoices=Voľný text na faktúrach WatermarkOnDraftInvoices=Vodoznak k návrhom faktúr (ak žiadny prázdny) -PaymentsNumberingModule=Payments numbering model -SuppliersPayment=Vendor payments -SupplierPaymentSetup=Vendor payments setup -InvoiceCheckPosteriorDate=Check facture date before validation -InvoiceCheckPosteriorDateHelp=Validating an invoice will be forbidden if its date is anterior to the date of last invoice of same type. -InvoiceOptionCategoryOfOperations=Display the mention "category of operations" on the invoice. -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
      - Category of operations: Delivery of goods
      - Category of operations: Provision of services
      - Category of operations: Mixed - Delivery of goods & provision of services -InvoiceOptionCategoryOfOperationsYes1=Yes, below the address block -InvoiceOptionCategoryOfOperationsYes2=Yes, in the lower left-hand corner +PaymentsNumberingModule=Model číslovania platieb +SuppliersPayment=Platby dodávateľa +SupplierPaymentSetup=Nastavenie platieb dodávateľa +InvoiceCheckPosteriorDate=Pred validáciou skontrolujte dátum vyhotovenia +InvoiceCheckPosteriorDateHelp=Overenie faktúry bude zakázané, ak je jej dátum skorší ako dátum poslednej faktúry rovnakého typu. +InvoiceOptionCategoryOfOperations=Zobrazte na faktúre zmienku "kategória operácií". +InvoiceOptionCategoryOfOperationsHelp=V závislosti od situácie sa zmienka zobrazí v tvare:
      - Kategória operácií: Dodanie tovaru
      - Kategória operácie: Poskytovanie služieb
      - Kategória operácií: Zmiešané - Doručovanie tovaru a poskytovanie služieb +InvoiceOptionCategoryOfOperationsYes1=Áno, pod blokom adresy +InvoiceOptionCategoryOfOperationsYes2=Áno, v ľavom dolnom rohu ##### Proposals ##### PropalSetup=Obchodné návrhy modul nastavenia ProposalsNumberingModules=Komerčné návrh číslovanie modely ProposalsPDFModules=Komerčné návrh doklady modely -SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined on the proposal +SuggestedPaymentModesIfNotDefinedInProposal=Predvolený režim navrhovaných platieb v ponuke, ak nie je definovaný v ponuke FreeLegalTextOnProposal=Voľný text o obchodných návrhov WatermarkOnDraftProposal=Vodoznak na predlôh návrhov komerčných (none ak prázdny) -BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal +BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Požiadajte o bankový účet určenia ponuky ##### SupplierProposal ##### -SupplierProposalSetup=Price requests suppliers module setup -SupplierProposalNumberingModules=Price requests suppliers numbering models -SupplierProposalPDFModules=Price requests suppliers documents models -FreeLegalTextOnSupplierProposal=Free text on price requests suppliers -WatermarkOnDraftSupplierProposal=Watermark on draft price requests suppliers (none if empty) -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Ask for bank account destination of price request -WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Ask for Warehouse Source for order +SupplierProposalSetup=Nastavenie modulu dodávateľov žiadostí o ceny +SupplierProposalNumberingModules=Cenové požiadavky dodávateľov na číslovanie modelov +SupplierProposalPDFModules=Vzory dokumentov dodávateľov žiadostí o ceny +FreeLegalTextOnSupplierProposal=Voľný text pre dodávateľov žiadostí o ceny +WatermarkOnDraftSupplierProposal=Vodoznak dodávateľov žiadostí o návrh ceny (žiadny, ak je prázdny) +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Požiadajte o bankový účet určenia ceny +WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Pre objednávku si vyžiadajte Warehouse Source ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Požiadajte o bankový účet určenia objednávky ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sales order by default if not defined on the order -OrdersSetup=Sales Orders management setup +SuggestedPaymentModesIfNotDefinedInOrder=Predvolený režim navrhovaných platieb na zákazke odberateľa, ak nie je definovaný v objednávke +OrdersSetup=Nastavenie správy predajných objednávok OrdersNumberingModules=Objednávky číslovanie modelov OrdersModelModule=Objednať dokumenty modely FreeLegalTextOnOrders=Voľný text o objednávkach WatermarkOnDraftOrders=Vodoznak na konceptoch objednávok (ak žiadny prázdny) -ShippableOrderIconInList=Add an icon in Orders list which indicate if order is shippable -BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ask for bank account destination of order +ShippableOrderIconInList=Pridajte ikonu do zoznamu objednávok, ktorá označuje, či je možné objednávku odoslať +BANK_ASK_PAYMENT_BANK_DURING_ORDER=Požiadajte o bankový účet určenia objednávky ##### Interventions ##### InterventionsSetup=Intervencie modul nastavenia FreeLegalTextOnInterventions=Voľný text na intervenčnú dokumentov @@ -1508,15 +1521,15 @@ WatermarkOnDraftContractCards=Vodoznak na návrhy zmluvy ( nie ak prázdne ) ##### Members ##### MembersSetup=Členovia modul nastavenia MemberMainOptions=Hlavné voľby -MemberCodeChecker=Options for automatic generation of member codes -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. -AdherentMailRequired=Email required to create a new member +MemberCodeChecker=Možnosti automatického generovania členských kódov +AdherentLoginRequired=Spravujte prihlasovacie meno/heslo pre každého člena +AdherentLoginRequiredDesc=Pridajte hodnotu pre prihlasovacie meno a heslo do súboru člena. Ak je člen prepojený s používateľom, aktualizácia prihlasovacieho mena a hesla člena aktualizuje aj prihlasovacie meno a heslo používateľa. +AdherentMailRequired=Na vytvorenie nového člena je potrebný e-mail MemberSendInformationByMailByDefault=Zaškrtávacie políčko poslať mailom potvrdenie členom (validácia alebo nové predplatné) je v predvolenom nastavení -MemberCreateAnExternalUserForSubscriptionValidated=Create an external user login for each new member subscription validated -VisitorCanChooseItsPaymentMode=Visitor can choose from any available payment modes -MEMBER_REMINDER_EMAIL=Enable automatic reminder by email of expired subscriptions. Note: Module %s must be enabled and correctly setup to send reminders. -MembersDocModules=Document templates for documents generated from member record +MemberCreateAnExternalUserForSubscriptionValidated=Vytvorte prihlásenie externého používateľa pre každé overené predplatné nového člena +VisitorCanChooseItsPaymentMode=Návštevník si môže vybrať z akýchkoľvek dostupných platobných režimov +MEMBER_REMINDER_EMAIL=Povoliť automatické pripomenutie e-mailom vypršaných odberov. Poznámka: Modul %s musí byť povolený a správne nastavený upomienky. +MembersDocModules=Šablóny dokumentov pre dokumenty generované zo záznamu člena ##### LDAP setup ##### LDAPSetup=Nastavenie LDAP LDAPGlobalParameters=Globálne parametre @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Skupiny LDAPContactsSynchro=Kontakty LDAPMembersSynchro=Členovia LDAPMembersTypesSynchro=Členovia typy -LDAPSynchronization=LDAP synchronizácia +LDAPSynchronization=synchronizácia LDAP LDAPFunctionsNotAvailableOnPHP=LDAP funkcie nie sú k dispozícii vo vašom PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1534,14 +1547,14 @@ LDAPSynchronizeUsers=Organizácia užívateľov v LDAP LDAPSynchronizeGroups=Organizácia skupín LDAP LDAPSynchronizeContacts=Organizácia kontaktov v LDAP LDAPSynchronizeMembers=Organizácia členov nadácie v LDAP -LDAPSynchronizeMembersTypes=Organization of foundation's members types in LDAP +LDAPSynchronizeMembersTypes=Organizácia typov členov nadácie v LDAP LDAPPrimaryServer=Primárny server LDAPSecondaryServer=Sekundárny server LDAPServerPort=Port servera -LDAPServerPortExample=Standard or StartTLS: 389, LDAPs: 636 +LDAPServerPortExample=Štandardné alebo StartTLS: 389, LDAP: 636 LDAPServerProtocolVersion=Protocol version LDAPServerUseTLS=Použiť TLS -LDAPServerUseTLSExample=Your LDAP server use StartTLS +LDAPServerUseTLSExample=Váš server LDAP používa StartTLS LDAPServerDn=Server DN LDAPAdminDn=Administrator DN LDAPAdminDnExample=Úplna doména (pr: cn=admin,dc=example,dc=com or cn=Administrator,cn=Users,dc=example,dc=com pre aktívny priečinok ) @@ -1558,7 +1571,7 @@ LDAPDnContactActive=Synchronizácia kontaktov " LDAPDnContactActiveExample=Aktívne / deaktivujte synchronizácia LDAPDnMemberActive=Synchronizácia členov LDAPDnMemberActiveExample=Aktívne / deaktivujte synchronizácia -LDAPDnMemberTypeActive=Members types' synchronization +LDAPDnMemberTypeActive=Synchronizácia typov členov LDAPDnMemberTypeActiveExample=Aktívne / deaktivujte synchronizácia LDAPContactDn=DN Dolibarr kontaktov " LDAPContactDnExample=Kompletné DN (ex: ou = kontakty, dc = priklad, dc = com) @@ -1566,8 +1579,8 @@ LDAPMemberDn=Dolibarr členovia DN LDAPMemberDnExample=Kompletné DN (ex: ou = členmi, dc = priklad, dc = com) LDAPMemberObjectClassList=Zoznam objectClass LDAPMemberObjectClassListExample=Zoznam objectclass definujúcich rekordný atribúty (napr.: horný, InetOrgPerson alebo horné, používateľ služby Active Directory) -LDAPMemberTypeDn=Dolibarr members types DN -LDAPMemberTypepDnExample=Complete DN (ex: ou=memberstypes,dc=example,dc=com) +LDAPMemberTypeDn=Typy členov Dolibarr DN +LDAPMemberTypepDnExample=Kompletné DN (napr.: ou=memberstypes,dc=example,dc=com) LDAPMemberTypeObjectClassList=Zoznam objectClass LDAPMemberTypeObjectClassListExample=Zoznam objectclass definujúcich rekordný atribúty (napr.: top, groupOfUniqueNames) LDAPUserObjectClassList=Zoznam objectClass @@ -1581,131 +1594,131 @@ LDAPTestSynchroContact=Testovacie kontakty synchronizácia LDAPTestSynchroUser=Testovacie užívateľ synchronizácia LDAPTestSynchroGroup=Testovacia skupina synchronizácia LDAPTestSynchroMember=Skúšobné člen synchronizácia -LDAPTestSynchroMemberType=Test member type synchronization +LDAPTestSynchroMemberType=Synchronizácia typu testovacieho člena LDAPTestSearch= Testovanie vyhľadávanie LDAP LDAPSynchroOK=Synchronizácia skúška úspešná LDAPSynchroKO=Nepodarilo synchronizácia testu -LDAPSynchroKOMayBePermissions=Failed synchronization test. Check that the connection to the server is correctly configured and allows LDAP updates +LDAPSynchroKOMayBePermissions=Test synchronizácie zlyhal. Skontrolujte, či je pripojenie k serveru správne nakonfigurované a či umožňuje aktualizácie LDAP LDAPTCPConnectOK=TCP pripojenie k LDAP servera (Server úspešných = %s, %s port =) LDAPTCPConnectKO=TCP pripojenie k LDAP serveru zlyhalo (Server = %s, Port = %s) -LDAPBindOK=Connect/Authenticate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s) -LDAPBindKO=Connect/Authenticate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=%s) +LDAPBindOK=Pripojenie/overenie k serveru LDAP bolo úspešné (Server=%s, Port=%s, Admin= %s, Password=%s) +LDAPBindKO=Pripojenie/overenie k serveru LDAP zlyhalo (Server=%s, Port=%s, Admin= %s, Password=%s) LDAPSetupForVersion3=LDAP server je nakonfigurovaný pre verziu 3 LDAPSetupForVersion2=LDAP server je nakonfigurovaný pre verziu 2 LDAPDolibarrMapping=Dolibarr mapovanie LDAPLdapMapping=LDAP mapovanie LDAPFieldLoginUnix=Prihlásenie (unix) -LDAPFieldLoginExample=Example: uid +LDAPFieldLoginExample=Príklad: uid LDAPFilterConnection=Vyhľadávací filter -LDAPFilterConnectionExample=Example: &(objectClass=inetOrgPerson) -LDAPGroupFilterExample=Example: &(objectClass=groupOfUsers) +LDAPFilterConnectionExample=Príklad: &(objectClass=inetOrgPerson) +LDAPGroupFilterExample=Príklad: &(objectClass=groupOfUsers) LDAPFieldLoginSamba=Prihlásenie (samba, ActiveDirectory) -LDAPFieldLoginSambaExample=Example: samaccountname +LDAPFieldLoginSambaExample=Príklad: samaccountname LDAPFieldFullname=Celé meno -LDAPFieldFullnameExample=Example: cn -LDAPFieldPasswordNotCrypted=Password not encrypted -LDAPFieldPasswordCrypted=Password encrypted -LDAPFieldPasswordExample=Example: userPassword -LDAPFieldCommonNameExample=Example: cn +LDAPFieldFullnameExample=Príklad: cn +LDAPFieldPasswordNotCrypted=Heslo nie je zašifrované +LDAPFieldPasswordCrypted=Heslo je zašifrované +LDAPFieldPasswordExample=Príklad: userPassword +LDAPFieldCommonNameExample=Príklad: cn LDAPFieldName=Názov -LDAPFieldNameExample=Example: sn +LDAPFieldNameExample=Príklad: sn LDAPFieldFirstName=Krstné meno -LDAPFieldFirstNameExample=Example: givenName +LDAPFieldFirstNameExample=Príklad: givenName LDAPFieldMail=E-mailová adresa -LDAPFieldMailExample=Example: mail +LDAPFieldMailExample=Príklad: mail LDAPFieldPhone=Profesionálne telefónne číslo -LDAPFieldPhoneExample=Example: telephonenumber +LDAPFieldPhoneExample=Príklad: telefónne číslo LDAPFieldHomePhone=Osobné telefónne číslo -LDAPFieldHomePhoneExample=Example: homephone +LDAPFieldHomePhoneExample=Príklad: domáci telefón LDAPFieldMobile=Mobilný telefón -LDAPFieldMobileExample=Example: mobile +LDAPFieldMobileExample=Príklad: mobil LDAPFieldFax=Faxové číslo -LDAPFieldFaxExample=Example: facsimiletelephonenumber +LDAPFieldFaxExample=Príklad: faxové telefónne číslo LDAPFieldAddress=Ulice -LDAPFieldAddressExample=Example: street +LDAPFieldAddressExample=Príklad: ulica LDAPFieldZip=Zips -LDAPFieldZipExample=Example: postalcode +LDAPFieldZipExample=Príklad: PSČ LDAPFieldTown=Mesto -LDAPFieldTownExample=Example: l +LDAPFieldTownExample=Príklad: l LDAPFieldCountry=Krajina LDAPFieldDescription=Popis -LDAPFieldDescriptionExample=Example: description +LDAPFieldDescriptionExample=Príklad: popis LDAPFieldNotePublic=Verejná poznámka -LDAPFieldNotePublicExample=Example: publicnote +LDAPFieldNotePublicExample=Príklad: verejná poznámka LDAPFieldGroupMembers= Členovia skupiny -LDAPFieldGroupMembersExample= Example: uniqueMember +LDAPFieldGroupMembersExample= Príklad: uniqueMember LDAPFieldBirthdate=Dátum narodenia LDAPFieldCompany=Spoločnosť -LDAPFieldCompanyExample=Example: o +LDAPFieldCompanyExample=Príklad: o LDAPFieldSid=SID -LDAPFieldSidExample=Example: objectsid +LDAPFieldSidExample=Príklad: objectid LDAPFieldEndLastSubscription=Dátum ukončenia predplatného LDAPFieldTitle=Poradie úlohy LDAPFieldTitleExample=Príklad: title -LDAPFieldGroupid=Group id -LDAPFieldGroupidExample=Example : gidnumber -LDAPFieldUserid=User id -LDAPFieldUseridExample=Example : uidnumber -LDAPFieldHomedirectory=Home directory -LDAPFieldHomedirectoryExample=Exemple : homedirectory -LDAPFieldHomedirectoryprefix=Home directory prefix +LDAPFieldGroupid=ID skupiny +LDAPFieldGroupidExample=Príklad: gidnumber +LDAPFieldUserid=ID používateľa +LDAPFieldUseridExample=Príklad: uidnumber +LDAPFieldHomedirectory=Domovský adresár +LDAPFieldHomedirectoryExample=Príklad: domovský adresár +LDAPFieldHomedirectoryprefix=Predpona domovského adresára LDAPSetupNotComplete=Nastavenie LDAP nie je úplná (prejdite na záložku Iné) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Žiadny správcu alebo heslo k dispozícii. LDAP prístup budú anonymné a iba pre čítanie. LDAPDescContact=Táto stránka umožňuje definovať atribúty LDAP názov stromu LDAP pre každý údajom o kontaktoch Dolibarr. LDAPDescUsers=Táto stránka umožňuje definovať atribúty LDAP názov stromu LDAP pre jednotlivé skupiny dát nájdených na užívateľoch, ktorí Dolibarr. LDAPDescGroups=Táto stránka umožňuje definovať atribúty LDAP názov stromu LDAP pre jednotlivé skupiny dát nájdených na skupiny Dolibarr. LDAPDescMembers=Táto stránka umožňuje definovať atribúty LDAP názov stromu LDAP pre každý údajom o členoch Dolibarr modulu. -LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. +LDAPDescMembersTypes=Táto stránka vám umožňuje definovať názov atribútov LDAP v strome LDAP pre každý údaj nájdený na typoch členov Dolibarr. LDAPDescValues=Ukážkové hodnoty sú určené pre OpenLDAP s nasledujúcimi načítaných schém: core.schema, cosine.schema, inetorgperson.schema). Ak používate thoose hodnoty a OpenLDAP, upravovať vaše LDAP konfiguračný súbor slapd.conf mať všetky thoose schémy načítať. ForANonAnonymousAccess=Pre overený prístup (pre prístup pre zápis napríklad) PerfDolibarr=Výkon Nastavenie / optimalizácia správa -YouMayFindPerfAdviceHere=This page provides some checks or advice related to performance. -NotInstalled=Not installed. -NotSlowedDownByThis=Not slowed down by this. -NotRiskOfLeakWithThis=Not risk of leak with this. +YouMayFindPerfAdviceHere=Táto stránka poskytuje niektoré kontroly alebo rady týkajúce sa výkonu. +NotInstalled=Nie je nainštalované. +NotSlowedDownByThis=Toto nie je spomalené. +NotRiskOfLeakWithThis=Nehrozí riziko úniku. ApplicativeCache=Aplikačných medzipamäte -MemcachedNotAvailable=No applicative cache found. You can enhance performance by installing a cache server Memcached and a module able to use this cache server.
      More information here
      http://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      Note that a lot of web hosting provider does not provide such cache server. -MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete. -MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled. +MemcachedNotAvailable=Nenašla sa žiadna aplikačná vyrovnávacia pamäť. Výkon môžete zvýšiť inštaláciou vyrovnávacieho servera Memcached a modulu schopného používať tento vyrovnávací server.
      Viac informácií nájdete tu http ://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      Všimnite si, že veľa poskytovateľov webhostingu to robí neposkytujú takýto cache server. +MemcachedModuleAvailableButNotSetup=Našiel sa modul uložený v pamäti cache pre aplikáciu, ale nastavenie modulu nie je dokončené. +MemcachedAvailableAndSetup=Modul memcached určený na použitie servera memcached je povolený. OPCodeCache=OPCODE medzipamäte -NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad). -HTTPCacheStaticResources=HTTP cache pre statické zdroje (css, img, javascript) +NoOPCodeCacheFound=Nenašla sa žiadna vyrovnávacia pamäť OPCode. Možno používate inú vyrovnávaciu pamäť OPCode ako XCache alebo eAccelerator (dobré), alebo možno nemáte vyrovnávaciu pamäť OPCode (veľmi zlé). +HTTPCacheStaticResources=HTTP cache pre statické zdroje (css, img, JavaScript) FilesOfTypeCached=Súbory typu %s sú ukladané do vyrovnávacej pamäte servera HTTP FilesOfTypeNotCached=Súbory typu %s nie sú ukladané do medzipamäte servera HTTP FilesOfTypeCompressed=Súbory typu %s sú skomprimované servera HTTP FilesOfTypeNotCompressed=Súbory typu %s nekomprimuje servera HTTP CacheByServer=Cache serverom -CacheByServerDesc=For example using the Apache directive "ExpiresByType image/gif A2592000" +CacheByServerDesc=Napríklad pomocou direktívy Apache "ExpiresByType image/gif A2592000" CacheByClient=Cache v prehliadači CompressionOfResources=Kompresia odpovedí HTTP -CompressionOfResourcesDesc=For example using the Apache directive "AddOutputFilterByType DEFLATE" +CompressionOfResourcesDesc=Napríklad pomocou direktívy Apache "AddOutputFilterByType DEFLATE" TestNotPossibleWithCurrentBrowsers=So súčasnými prehliadačmi taká automatická detekcia nie je možná -DefaultValuesDesc=Here you may define the default value you wish to use when creating a new record, and/or default filters or the sort order when you list records. -DefaultCreateForm=Default values (to use on forms) -DefaultSearchFilters=Default search filters -DefaultSortOrder=Default sort orders -DefaultFocus=Default focus fields -DefaultMandatory=Mandatory form fields +DefaultValuesDesc=Tu môžete definovať predvolenú hodnotu, ktorú chcete použiť pri vytváraní nového záznamu, a/alebo predvolené filtre alebo poradie triedenia pri uvádzaní záznamov. +DefaultCreateForm=Predvolené hodnoty (na použitie vo formulároch) +DefaultSearchFilters=Predvolené filtre vyhľadávania +DefaultSortOrder=Predvolené poradie triedenia +DefaultFocus=Predvolené pole zamerania +DefaultMandatory=Povinné polia formulára ##### Products ##### ProductSetup=Produkty modul nastavenia ServiceSetup=Služby modul nastavenia ProductServiceSetup=Produkty a služby moduly nastavenie -NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) -ViewProductDescInFormAbility=Display product descriptions in lines of items (otherwise show description in a tooltip popup) -OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document -AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product -DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. -DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents -MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) -UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) +NumberOfProductShowInSelect=Maximálny počet produktov na zobrazenie v kombinovaných výberových zoznamoch (0=bez obmedzenia) +ViewProductDescInFormAbility=Zobraziť popisy produktov v riadkoch položiek (inak zobraziť popis v kontextovom okne s popisom) +OnProductSelectAddProductDesc=Ako používať popis produktov pri pridávaní produktu ako riadku dokumentu +AutoFillFormFieldBeforeSubmit=Automaticky vyplniť vstupné pole popisu popisom produktu +DoNotAutofillButAutoConcat=Nevypĺňajte vstupné pole automaticky popisom produktu. Popis produktu sa automaticky spojí so zadaným popisom. +DoNotUseDescriptionOfProdut=Popis produktu nebude nikdy zahrnutý do popisu riadkov dokumentov +MergePropalProductCard=Aktivujte na karte Priložené súbory produktu/služby možnosť zlúčiť dokument PDF produktu s návrhom PDF azur, ak je produkt/služba v ponuke +ViewProductDescInThirdpartyLanguageAbility=Zobrazovať popisy produktov vo formulároch v jazyku tretej strany (inak v jazyku používateľa) +UseSearchToSelectProductTooltip=Taktiež ak máte veľký počet produktov (> 100 000), môžete zvýšiť rýchlosť nastavením konštanty PRODUCT_DONOTSEARCH_ANYWHERE na 1 v Setup->Iné. Vyhľadávanie sa potom obmedzí na začiatok reťazca. +UseSearchToSelectProduct=Pred načítaním obsahu zoznamu produktov počkajte, kým nestlačíte kláves (Toto môže zvýšiť výkon, ak máte veľký počet produktov, ale je to menej pohodlné) SetDefaultBarcodeTypeProducts=Predvolený typ čiarového kódu použiť pre produkty SetDefaultBarcodeTypeThirdParties=Predvolený typ čiarového kódu použiť k tretím osobám -UseUnits=Define a unit of measure for Quantity during order, proposal or invoice lines edition +UseUnits=Definujte mernú jednotku pre Množstvo počas vydania riadkov objednávky, ponuky alebo faktúry ProductCodeChecker= Modul pre generovanie kódu produktu a preskúšavanie (výrobku alebo služby) ProductOtherConf= Katalóg / Konfigurácia služby -IsNotADir=is not a directory! +IsNotADir=nie je adresár! ##### Syslog ##### SyslogSetup=Záznamy modul nastavenia SyslogOutput=Záznamy výstupy @@ -1714,10 +1727,10 @@ SyslogLevel=Úroveň SyslogFilename=Názov súboru a cesta YouCanUseDOL_DATA_ROOT=Môžete použiť DOL_DATA_ROOT / dolibarr.log pre súbor denníka Dolibarr "Dokumenty" adresára. Môžete nastaviť inú cestu na uloženie tohto súboru. ErrorUnknownSyslogConstant=Konštantná %s nie je známe, Syslog konštantný -OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported -CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) -SyslogFileNumberOfSaves=Number of backup logs to keep -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +OnlyWindowsLOG_USER=V systéme Windows bude podporovaná iba funkcia LOG_USER +CompressSyslogs=Kompresia a záloha súborov denníka ladenia (generuje modul Log pre ladenie) +SyslogFileNumberOfSaves=Počet protokolov záloh, ktoré sa majú uchovávať +ConfigureCleaningCronjobToSetFrequencyOfSaves=Nakonfigurujte plánovanú úlohu čistenia a nastavte frekvenciu zálohovania denníka ##### Donations ##### DonationsSetup=Darovanie modul nastavenia DonationsReceiptModel=Vzor darovacej prijatie @@ -1736,11 +1749,11 @@ BarcodeDescC39=Čiarový kód typu C39 BarcodeDescC128=Čiarový kód typu C128 BarcodeDescDATAMATRIX=Čiarový kód typu Datamatrix BarcodeDescQRCODE=Čiarový kód typu QR code -GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".
      For example: /usr/local/bin/genbarcode +GenbarcodeLocation=Nástroj príkazového riadka na generovanie čiarových kódov (používaný interným motorom pre niektoré typy čiarových kódov). Musí byť kompatibilný s „genbarcode“.
      Napríklad: /usr/local/bin/genbarcode BarcodeInternalEngine=Vnútorná motor BarCodeNumberManager=Správca pre automatické definovanie čísla čiarového kódu ##### Prelevements ##### -WithdrawalsSetup=Setup of module Direct Debit payments +WithdrawalsSetup=Nastavenie modulu Inkasné platby ##### ExternalRSS ##### ExternalRSSSetup=Externé RSS dovoz Nastavenie NewRSS=New RSS Feed @@ -1748,22 +1761,22 @@ RSSUrl=RSS URL RSSUrlExample=Zaujímavý RSS zdroj ##### Mailing ##### MailingSetup=E-mailom Nastavenie modulu -MailingEMailFrom=Sender email (From) for emails sent by emailing module -MailingEMailError=Return Email (Errors-to) for emails with errors +MailingEMailFrom=E-mail odosielateľa (Od) pre e-maily odoslané modulom odosielania e-mailov +MailingEMailError=Pre e-maily s chybami vrátiť e-mail (Errors-to). MailingDelay=Po poslaní ďalšej správy čakať (sec) ##### Notification ##### -NotificationSetup=Email Notification module setup -NotificationEMailFrom=Sender email (From) for emails sent by the Notifications module +NotificationSetup=Nastavenie modulu e-mailových upozornení +NotificationEMailFrom=E-mail odosielateľa (Od) pre e-maily odoslané modulom Upozornenia FixedEmailTarget=Príjemca -NotificationDisableConfirmMessageContact=Hide the list of recipients (subscribed as contact) of notifications into the confirmation message -NotificationDisableConfirmMessageUser=Hide the list of recipients (subscribed as user) of notifications into the confirmation message -NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as global email) of notifications into the confirmation message +NotificationDisableConfirmMessageContact=Skryť zoznam príjemcov (prihlásených ako kontakt) upozornení do potvrdzujúcej správy +NotificationDisableConfirmMessageUser=Skryť zoznam príjemcov (prihlásených ako používateľ) upozornení do potvrdzujúcej správy +NotificationDisableConfirmMessageFix=Skryť zoznam príjemcov (prihlásených ako globálny e-mail) upozornení do potvrdzujúcej správy ##### Sendings ##### -SendingsSetup=Shipping module setup +SendingsSetup=Nastavenie expedičného modulu SendingsReceiptModel=Odoslanie potvrdenky modelu SendingsNumberingModules=Sendings číslovanie moduly -SendingsAbility=Support shipping sheets for customer deliveries -NoNeedForDeliveryReceipts=In most cases, shipping sheets are used both as sheets for customer deliveries (list of products to send) and sheets that are received and signed by customer. Hence the product deliveries receipt is a duplicated feature and is rarely activated. +SendingsAbility=Podpora prepravných listov pre dodávky zákazníkom +NoNeedForDeliveryReceipts=Vo väčšine prípadov sa prepravné listy používajú ako listy pre dodávky zákazníkom (zoznam produktov na odoslanie), ako aj listy, ktoré prijíma a podpisuje zákazník. Potvrdenie o doručení produktu je preto duplicitná funkcia a je zriedka aktivovaná. FreeLegalTextOnShippings=Pozámka pre doručovateľa ##### Deliveries ##### DeliveryOrderNumberingModules=Produkty dodávky príjem číslovanie modul @@ -1773,55 +1786,55 @@ FreeLegalTextOnDeliveryReceipts=Voľný text na potvrdenie o doručení ##### FCKeditor ##### AdvancedEditor=Rozšírené editor ActivateFCKeditor=Aktivácia pokročilé editor pre: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG vytvorenie / edícia pre hromadné eMailings (Nástroje-> e-mailom) -FCKeditorForUserSignature=WYSIWIG vytvorenie / edícia užívateľského podpisu -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +FCKeditorForNotePublic=WYSIWYG vytvorenie/edícia poľa „verejné poznámky“ prvkov +FCKeditorForNotePrivate=WYSIWYG vytvorenie/edícia poľa "privátne poznámky" prvkov +FCKeditorForCompany=WYSIWYG vytvorenie/edícia poľa popisu prvkov (okrem produktov/služieb) +FCKeditorForProductDetails=WYSIWYG vytváranie/edícia popisu produktov alebo riadkov pre objekty (riadky ponúk, objednávok, faktúr, atď...). +FCKeditorForProductDetails2=Upozornenie: Použitie tejto možnosti v tomto prípade sa vážne neodporúča, pretože môže spôsobiť problémy so špeciálnymi znakmi a formátovaním stránky pri vytváraní súborov PDF. +FCKeditorForMailing= WYSIWYG vytváranie/edícia pre hromadné e-maily (Nástroje->e-maily) +FCKeditorForUserSignature=WYSIWYG vytvorenie/edícia užívateľského podpisu +FCKeditorForMail=Vytvorenie/edícia WYSIWYG pre všetku poštu (okrem Nástroje->e-maily) +FCKeditorForTicket=Vytvorenie/edícia WYSIWYG pre vstupenky ##### Stock ##### -StockSetup=Stock module setup -IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. +StockSetup=Nastavenie skladového modulu +IfYouUsePointOfSaleCheckModule=Ak používate štandardne dodávaný modul miesta predaja (POS) alebo externý modul, váš modul POS môže toto nastavenie ignorovať. Väčšina modulov POS je štandardne navrhnutá tak, aby okamžite vytvorila faktúru a znížila zásoby bez ohľadu na tu uvedené možnosti. Ak teda potrebujete alebo nechcete mať úbytok zásob pri registrácii predaja z vášho POS, skontrolujte si aj nastavenie vášho POS modulu. ##### Menu ##### MenuDeleted=Menu zmazaný -Menu=Menu +Menu=Ponuka Menus=Ponuky TreeMenuPersonalized=Personalizované menu -NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry +NotTopTreeMenuPersonalized=Prispôsobené ponuky nie sú prepojené s položkou v hornom menu NewMenu=Nová ponuka MenuHandler=Menu handler MenuModule=Modul zdroja -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) +HideUnauthorizedMenu=Skryť neautorizované ponuky aj pre interných používateľov (inak sú len sivé) DetailId=Id ponuka DetailMenuHandler=Menu handler, kde má novú ponuku DetailMenuModule=Názov modulu, pokiaľ položky ponuky pochádzajú z modulu DetailType=Druh ponuky (horný alebo ľavý) DetailTitre=Menu štítok alebo etiketa kód pre preklad -DetailUrl=URL where menu send you (Relative URL link or external link with https://) +DetailUrl=Adresa URL, na ktorú vás ponuka pošle (relatívny odkaz URL alebo externý odkaz s https://) DetailEnabled=Stav chcete alebo nechcete záznam -DetailRight=Podmienka pre zobrazenie neoprávneným sivé menu +DetailRight=Podmienka zobrazenia neoprávnených šedých ponúk DetailLangs=Lang názov súboru pre preklad kódu štítok DetailUser=Interná / Externá / All Target=Cieľ -DetailTarget=Target for links (_blank top opens a new window) +DetailTarget=Cieľ pre odkazy (_blank top otvorí nové okno) DetailLevel=Úroveň (-1: hlavné menu, 0: header menu> 0 Menu a submenu) ModifMenu=Menu zmena DeleteMenu=Zmazať položku ponuky -ConfirmDeleteMenu=Are you sure you want to delete menu entry %s? -FailedToInitializeMenu=Failed to initialize menu +ConfirmDeleteMenu=Naozaj chcete odstrániť položku ponuky %s? +FailedToInitializeMenu=Nepodarilo sa inicializovať ponuku ##### Tax ##### TaxSetup=Nastavenie modulu Dane, sociálne a fiškálne dane a dividendy OptionVatMode=DPH z dôvodu -OptionVATDefault=Standard basis +OptionVATDefault=Štandardný základ OptionVATDebitOption=Základ nárastu -OptionVatDefaultDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on payments for services -OptionVatDebitOptionDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on invoice (debit) for services -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
      - on payment for goods
      - on payments for services -SummaryOfVatExigibilityUsedByDefault=Time of VAT eligibility by default according to chosen option: +OptionVatDefaultDesc=DPH je splatná:
      - pri dodaní tovaru (na základe dátumu faktúry)
      - pri platbách za služby +OptionVatDebitOptionDesc=DPH je splatná:
      - pri dodaní tovaru (na základe dátumu faktúry)
      - na faktúre (debet) za služby +OptionPaymentForProductAndServices=Peňažný základ pre produkty a služby +OptionPaymentForProductAndServicesDesc=DPH je splatná:
      – pri platbe za tovar
      – pri platbách za služby +SummaryOfVatExigibilityUsedByDefault=Čas oprávnenosti DPH štandardne podľa zvolenej možnosti: OnDelivery=Na dobierku OnPayment=Na zaplatenie OnInvoice=Na faktúre @@ -1830,89 +1843,90 @@ SupposedToBeInvoiceDate=Faktúra použitá dáta Buy=Kúpiť Sell=Predávať InvoiceDateUsed=Faktúra použitá dáta -YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organization), so there is no VAT options to setup. -AccountancyCode=Accounting Code +YourCompanyDoesNotUseVAT=Vaša spoločnosť bola definovaná tak, aby nepoužívala DPH (Domov - Nastavenie - Spoločnosť/Organizácia), takže neexistujú žiadne možnosti nastavenia DPH. +AccountancyCode=Účtovný kód AccountancyCodeSell=Predaj účtu. kód AccountancyCodeBuy=Nákup účet. kód -CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Keep the checkbox “Automatically create the payment” empty by default when creating a new tax +CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Pri vytváraní novej dane ponechajte začiarkavacie políčko „Automaticky vytvoriť platbu“ predvolene prázdne ##### Agenda ##### AgendaSetup = Akcie a agenda Nastavenie modulu -AGENDA_DEFAULT_FILTER_TYPE = Automatically set this type of event in search filter of agenda view -AGENDA_DEFAULT_FILTER_STATUS = Automatically set this status for events in search filter of agenda view -AGENDA_DEFAULT_VIEW = Which view do you want to open by default when selecting menu Agenda -AGENDA_EVENT_PAST_COLOR = Past event color -AGENDA_EVENT_CURRENT_COLOR = Current event color -AGENDA_EVENT_FUTURE_COLOR = Future event color -AGENDA_REMINDER_BROWSER = Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). -AGENDA_REMINDER_BROWSER_SOUND = Enable sound notification -AGENDA_REMINDER_EMAIL = Enable event reminder by emails (remind option/delay can be defined on each event). -AGENDA_REMINDER_EMAIL_NOTE = Note: The frequency of the scheduled job %s must be enough to be sure that the remind are sent at the correct moment. -AGENDA_SHOW_LINKED_OBJECT = Show linked object into agenda view -AGENDA_USE_EVENT_TYPE = Use events types (managed in menu Setup -> Dictionaries -> Type of agenda events) -AGENDA_USE_EVENT_TYPE_DEFAULT = Automatically set this default value for type of event in event create form +AGENDA_DEFAULT_FILTER_TYPE = Automaticky nastaviť tento typ udalosti vo filtri vyhľadávania v zobrazení agendy +AGENDA_DEFAULT_FILTER_STATUS = Automaticky nastaviť tento stav pre udalosti vo filtri vyhľadávania v zobrazení agendy +AGENDA_DEFAULT_VIEW = Ktoré zobrazenie chcete predvolene otvoriť pri výbere ponuky Agenda +AGENDA_EVENT_PAST_COLOR = Farba minulej udalosti +AGENDA_EVENT_CURRENT_COLOR = Farba aktuálnej udalosti +AGENDA_EVENT_FUTURE_COLOR = Farba budúcej udalosti +AGENDA_REMINDER_BROWSER = Povoliť pripomenutie udalosti v prehliadači používateľa (Po dosiahnutí dátumu pripomenutia sa v prehliadači zobrazí kontextové okno. Každý používateľ môže zakázať takéto upozornenia v nastavení upozornení prehliadača). +AGENDA_REMINDER_BROWSER_SOUND = Povoliť zvukové upozornenie +AGENDA_REMINDER_EMAIL = Povoliť pripomenutie udalosti e-mailom (možnosť pripomenutia/oneskorenie možno definovať pri každej udalosti). +AGENDA_REMINDER_EMAIL_NOTE = Poznámka: Frekvencia naplánovanej úlohy %s musí byť dostatočná na to, aby sa pripomenutie odoslalo v správnom čase. +AGENDA_SHOW_LINKED_OBJECT = Zobraziť prepojený objekt v zobrazení agendy +AGENDA_USE_EVENT_TYPE = Používať typy udalostí (spravované v menu Nastavenie -> Slovníky -> Typ udalostí programu) +AGENDA_USE_EVENT_TYPE_DEFAULT = Automaticky nastaviť túto predvolenú hodnotu pre typ udalosti vo formulári na vytvorenie udalosti PasswordTogetVCalExport = Kľúč povoliť export odkaz PastDelayVCalExport=Neexportovať udalosti staršie ako -SecurityKey = Security Key +SecurityKey = Bezpečnostný kľúč ##### ClickToDial ##### ClickToDialSetup=Kliknite pre Dial Nastavenie modulu -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). -ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. -ClickToDialUseTelLink=Use just a link "tel:" on phone numbers -ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface, installed on the same computer as the browser, and called when you click on a link starting with "tel:" in your browser. If you need a link that start with "sip:" or a full server solution (no need of local software installation), you must set this to "No" and fill the next field. +ClickToDialUrlDesc=Adresa URL volaná po kliknutí na ikonu telefónu. V adrese URL môžete použiť značky
      __PHONETO__b09a4b739f17f to bude nahradené telefónnym číslom osoby, ktorej chcete zavolať
      __PHONEFROM__b09a4f739f17> bude nahradené telefónnym číslom volajúcej osoby (vaším)
      __LOGIN__b09a4b839 span>, ktoré bude nahradené prihlásením pomocou kliknutia (definované na karte používateľa)
      __PASS__ , ktoré bude nahradené heslom clicktodial (definovaným na karte používateľa). +ClickToDialDesc=Tento modul mení telefónne čísla, keď používate stolný počítač, na klikateľné odkazy. Kliknutím zavoláte na číslo. Toto je možné použiť na začatie telefonického hovoru, keď používate softvérový telefón na pracovnej ploche alebo keď používate systém CTI založený napríklad na protokole SIP. Poznámka: Pri používaní smartfónu sa na telefónne čísla vždy dá kliknúť. +ClickToDialUseTelLink=Na telefónne čísla použite iba odkaz „tel:“. +ClickToDialUseTelLinkDesc=Túto metódu použite, ak vaši používatelia majú softvérový telefón alebo softvérové rozhranie nainštalované na rovnakom počítači ako prehliadač a volajú po kliknutí na odkaz začínajúci „tel:“ vo vašom prehliadači. Ak potrebujete odkaz začínajúci „sip:“ alebo úplné serverové riešenie (nie je potrebná inštalácia lokálneho softvéru), musíte to nastaviť na „Nie“ a vyplniť ďalšie pole. ##### Point Of Sale (CashDesk) ##### -CashDesk=Point of Sale -CashDeskSetup=Point of Sales module setup -CashDeskThirdPartyForSell=Default generic third party to use for sales +CashDesk=Miesto predaja +CashDeskSetup=Nastavenie modulu predajného miesta +CashDeskThirdPartyForSell=Predvolená generická tretia strana na predaj CashDeskBankAccountForSell=Predvolený účet použiť na príjem platieb v hotovosti -CashDeskBankAccountForCheque=Default account to use to receive payments by check +CashDeskBankAccountForCheque=Predvolený účet na prijímanie platieb šekom CashDeskBankAccountForCB=Predvolený účet použiť pre príjem platieb prostredníctvom kreditnej karty -CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). -CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease -StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled -StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. -CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sale from Point of Sale. Hence a warehouse is required. -CashDeskForceDecreaseStockLabel=Stock decrease for batch products was forced. -CashDeskForceDecreaseStockDesc=Decrease first by the oldest eatby and sellby dates. -CashDeskReaderKeyCodeForEnter=Key ASCII code for "Enter" defined in barcode reader (Example: 13) +CashDeskBankAccountForSumup=Predvolený bankový účet na prijímanie platieb cez SumUp +CashDeskDoNotDecreaseStock=Zakázať znižovanie zásob pri predaji z miesta predaja +CashDeskDoNotDecreaseStockHelp=Ak "nie", zníženie zásob sa vykoná pri každom predaji uskutočnenom z POS, bez ohľadu na možnosť nastavenú v module Sklad. +CashDeskIdWareHouse=Vynútiť a obmedziť použitie skladu na zníženie zásob +StockDecreaseForPointOfSaleDisabled=Zníženie zásob z miesta predaja je vypnuté +StockDecreaseForPointOfSaleDisabledbyBatch=Zníženie zásob v POS nie je kompatibilné s modulom Serial/Lot management (momentálne aktívny), takže zníženie zásob je vypnuté. +CashDeskYouDidNotDisableStockDecease=Pri predaji z miesta predaja ste nezakázali zníženie zásob. Preto je potrebný sklad. +CashDeskForceDecreaseStockLabel=Zníženie zásob pre dávkové produkty bolo vynútené. +CashDeskForceDecreaseStockDesc=Najprv znížte o najstaršie dátumy stravovania a predaja. +CashDeskReaderKeyCodeForEnter=Kľúčový ASCII kód pre "Enter" definovaný v čítačke čiarových kódov (Príklad: 13) ##### Bookmark ##### BookmarkSetup=Záložka Nastavenie modulu -BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or external web sites on your left menu. +BookmarkDesc=Tento modul vám umožňuje spravovať záložky. Môžete tiež pridať skratky na ľubovoľné stránky Dolibarr alebo externé webové lokality v ľavej ponuke. NbOfBoomarkToShow=Maximálny počet záložiek zobrazí v ľavom menu ##### WebServices ##### WebServicesSetup=Webservices modul nastavenia WebServicesDesc=Tým, že tento modul, Dolibarr stal webový server služby poskytovať rôzne webové služby. WSDLCanBeDownloadedHere=WSDL deskriptor súbory poskytovaných služieb možno stiahnuť tu -EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at URL +EndPointIs=Klienti SOAP musia posielať svoje požiadavky na koncový bod Dolibarr dostupný na adrese URL ##### API #### ApiSetup=Nastavenie API modulu ApiDesc=Zapnutím tohto modulu získate rôzne služby REST servra -ApiProductionMode=Enable production mode (this will activate use of a cache for services management) -ApiExporerIs=You can explore and test the APIs at URL +ApiProductionMode=Povoliť produkčný režim (tým sa aktivuje používanie vyrovnávacej pamäte na správu služieb) +ApiExporerIs=Rozhrania API môžete preskúmať a otestovať na adrese URL OnlyActiveElementsAreExposed=Iba prvky zapnutého modulu sú odhalené ApiKey=Kľúč pre API -WarningAPIExplorerDisabled=The API explorer has been disabled. API explorer is not required to provide API services. It is a tool for developer to find/test REST APIs. If you need this tool, go into setup of module API REST to activate it. +WarningAPIExplorerDisabled=Prieskumník API bol zakázaný. API prieskumník nie je potrebný na poskytovanie služieb API. Je to nástroj pre vývojárov na nájdenie/testovanie REST API. Ak potrebujete tento nástroj, prejdite do nastavenia modulu API REST a aktivujte ho. ##### Bank ##### BankSetupModule=Bankové modul nastavenia -FreeLegalTextOnChequeReceipts=Free text on check receipts +FreeLegalTextOnChequeReceipts=Voľný text na šekových potvrdeniach BankOrderShow=Zobrazenie poradia bankových účtov v krajinách používajúcich "podrobnej číslo banky" BankOrderGlobal=Všeobecný BankOrderGlobalDesc=Všeobecné poradí zobrazenie BankOrderES=Španielčina BankOrderESDesc=Španielska poradí zobrazenie -ChequeReceiptsNumberingModule=Check Receipts Numbering Module +ChequeReceiptsNumberingModule=Skontrolujte modul číslovania účteniek ##### Multicompany ##### MultiCompanySetup=Spoločnosť Multi-modul nastavenia ##### Suppliers ##### -SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of Purchase Order -SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template) -SuppliersInvoiceModel=Complete template of Vendor Invoice -SuppliersInvoiceNumberingModel=Vendor invoices numbering models -IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval +SuppliersSetup=Nastavenie modulu dodávateľa +SuppliersCommandModel=Kompletná šablóna objednávky +SuppliersCommandModelMuscadet=Kompletná šablóna nákupnej objednávky (stará implementácia šablóny cornas) +SuppliersInvoiceModel=Kompletná šablóna dodávateľskej faktúry +SuppliersInvoiceNumberingModel=Modely číslovania faktúr dodávateľa +IfSetToYesDontForgetPermission=Ak je nastavená na nenulovú hodnotu, nezabudnite poskytnúť oprávnenia skupinám alebo používateľom povoleným na druhé schválenie ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=GeoIP MaxMind modul nastavenia -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation +PathToGeoIPMaxmindCountryDataFile=Cesta k súboru obsahujúcemu preklad ip Maxmind do krajiny NoteOnPathLocation=Všimnite si, že Vaša IP do súboru záznamu krajiny musia byť vo vnútri adresára si môžete prečítať PHP (PHP open_basedir Skontrolujte nastavenia a oprávnenia súborového systému). YouCanDownloadFreeDatFileTo=Tu si môžete stiahnuť zadarmo demo verziu krajiny GeoIP MaxMind súbor na %s. YouCanDownloadAdvancedDatFileTo=Môžete si tiež stiahnuť úplnejší verziu s aktualizáciou, zo zeme GeoIP MaxMind súbor na %s. @@ -1923,19 +1937,19 @@ ProjectsSetup=Projekt modul nastavenia ProjectsModelModule=Projekt správy Vzor dokladu TasksNumberingModules=Úlohy číslovanie modul TaskModelModule=Úlohy správy Vzor dokladu -UseSearchToSelectProject=Wait until a key is pressed before loading content of Project combo list.
      This may improve performance if you have a large number of projects, but it is less convenient. +UseSearchToSelectProject=Pred načítaním obsahu zoznamov projektov počkajte, kým sa nestlačí klávesa.
      Toto môže zvýšiť výkon, ak máte veľký počet projektov, ale je to menej pohodlné. ##### ECM (GED) ##### ##### Fiscal Year ##### -AccountingPeriods=Accounting periods -AccountingPeriodCard=Accounting period -NewFiscalYear=New accounting period -OpenFiscalYear=Open accounting period -CloseFiscalYear=Close accounting period -DeleteFiscalYear=Delete accounting period -ConfirmDeleteFiscalYear=Are you sure to delete this accounting period? -ShowFiscalYear=Show accounting period +AccountingPeriods=Účtovné obdobia +AccountingPeriodCard=Účtovného obdobia +NewFiscalYear=Nové účtovné obdobie +OpenFiscalYear=Otvorené účtovné obdobie +CloseFiscalYear=Uzavrieť účtovné obdobie +DeleteFiscalYear=Vymazať účtovné obdobie +ConfirmDeleteFiscalYear=Naozaj chcete vymazať toto účtovné obdobie? +ShowFiscalYear=Zobraziť účtovné obdobie AlwaysEditable=Môže byť vždy upravené -MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application) +MAIN_APPLICATION_TITLE=Vynútiť viditeľný názov aplikácie (upozornenie: nastavenie vlastného mena tu môže prerušiť funkciu automatického dopĺňania prihlasovania pri používaní mobilnej aplikácie DoliDroid) NbMajMin=Minimálny počet veľkých znakov NbNumMin=Minimálny počet čísel NbSpeMin=Minimálny počet špeciálnych znakov @@ -1944,108 +1958,109 @@ NoAmbiCaracAutoGeneration=Nepoúžívajte znaky ("1","l","i","|","0","O") pre a SalariesSetup=Nastavenei mzdového modulu SortOrder=Zoradiť objednávky Format=Formát -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and suppliers payment type +TypePaymentDesc=0: typ platby zákazníkom, 1: typ platby dodávateľa, 2: typ platby zákazníkom aj dodávateľom IncludePath=Zahrnúť cestu ( definovať do premennej %s ) -ExpenseReportsSetup=Setup of module Expense Reports -TemplatePDFExpenseReports=Document templates to generate expense report document -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules -ExpenseReportNumberingModules=Expense reports numbering module -NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only. -YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification". -TemplatesForNotifications=Templates for notifications -ListOfNotificationsPerUser=List of automatic notifications per user* -ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** -ListOfFixedNotifications=List of automatic fixed notifications -GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +ExpenseReportsSetup=Nastavenie modulu Výkazy výdavkov +TemplatePDFExpenseReports=Šablóny dokumentov na generovanie dokladu výkazu výdavkov +ExpenseReportsRulesSetup=Nastavenie modulu Výkazy výdavkov - Pravidlá +ExpenseReportNumberingModules=Modul číslovania výkazov výdavkov +NoModueToManageStockIncrease=Nebol aktivovaný žiadny modul schopný riadiť automatické zvyšovanie zásob. Navýšenie zásob sa uskutoční iba manuálnym zadávaním. +YouMayFindNotificationsFeaturesIntoModuleNotification=Možnosti e-mailových upozornení nájdete povolením a konfiguráciou modulu „Upozornenie“. +TemplatesForNotifications=Šablóny pre upozornenia +ListOfNotificationsPerUser=Zoznam automatických upozornení na používateľa* +ListOfNotificationsPerUserOrContact=Zoznam možných automatických upozornení (o obchodnej udalosti) dostupných pre používateľa* alebo kontakt** +ListOfFixedNotifications=Zoznam automatických fixných upozornení +GoOntoUserCardToAddMore=Ak chcete pridať alebo odstrániť upozornenia pre používateľov, prejdite na kartu „Upozornenia“ používateľa +GoOntoContactCardToAddMore=Ak chcete pridať alebo odstrániť upozornenia pre kontakty/adresy, prejdite na kartu „Upozornenia“ tretej strany Threshold=Maximálna hodnota -BackupDumpWizard=Wizard to build the database dump file -BackupZipWizard=Wizard to build the archive of documents directory +BackupDumpWizard=Sprievodca zostavením súboru výpisu databázy +BackupZipWizard=Sprievodca vytvorením adresára archívu dokumentov SomethingMakeInstallFromWebNotPossible=Inštalácia externého modulu z webu nie je možná kôli : -SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. -InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. -ConfFileMustContainCustom=Installing or building an external module from application need to save the module files into directory %s. To have this directory processed by Dolibarr, you must setup your conf/conf.php to add the 2 directive lines:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; +SomethingMakeInstallFromWebNotPossible2=Z tohto dôvodu je proces aktualizácie popísaný tu manuálnym procesom, ktorý môže vykonať iba privilegovaný používateľ. +InstallModuleFromWebHasBeenDisabledContactUs=Inštalácia alebo vývoj externých modulov alebo dynamických webových stránok z aplikácie je momentálne z bezpečnostných dôvodov uzamknutý. Ak potrebujete povoliť túto funkciu, kontaktujte nás. +InstallModuleFromWebHasBeenDisabledByFile=Inštaláciu externého modulu z aplikácie zakázal váš administrátor. Ak to chcete povoliť, musíte ho požiadať o odstránenie súboru %s vlastnosť. +ConfFileMustContainCustom=Pri inštalácii alebo zostavovaní externého modulu z aplikácie je potrebné uložiť súbory modulu do adresára %s . Ak chcete, aby tento adresár spracoval Dolibarr, musíte nastaviť conf/conf.php na pridanie 2 riadkov direktív:
      $dolibarr_main_url_root_alt='/custom';071f065d ='notranslate'>
      $dolibarr_main_document_root_alt='b0ecb2ec'spanec87f49/translate= '> HighlightLinesOnMouseHover=Zvýrazniť riadok pre prechode kurzora -HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) -HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) -UseBorderOnTable=Show left-right borders on tables -BtnActionColor=Color of the action button -TextBtnActionColor=Text color of the action button -TextTitleColor=Text color of Page title -LinkColor=Color of links -PressF5AfterChangingThis=Press CTRL+F5 on keyboard or clear your browser cache after changing this value to have it effective +HighlightLinesColor=Zvýrazniť farbu čiary pri prechode myšou (použite „ffffff“ pre žiadne zvýraznenie) +HighlightLinesChecked=Zvýrazniť farbu čiary, keď je začiarknutá (použite 'ffffff' pre žiadne zvýraznenie) +UseBorderOnTable=Zobraziť ľavo-pravé okraje na tabuľkách +TableLineHeight=Výška čiary stola +BtnActionColor=Farba akčného tlačidla +TextBtnActionColor=Farba textu akčného tlačidla +TextTitleColor=Farba textu nadpisu stránky +LinkColor=Farba odkazov +PressF5AfterChangingThis=Stlačte CTRL+F5 na klávesnici alebo po zmene tejto hodnoty vymažte vyrovnávaciu pamäť prehliadača, aby bola účinná NotSupportedByAllThemes=Spolupracuje so základnou témou, nemusí byť podporované externou témou BackgroundColor=Farba pozadia TopMenuBackgroundColor=Farba pozadia pre vrchné menu -TopMenuDisableImages=Icon or Text in Top menu +TopMenuDisableImages=Ikona alebo text v hornom menu LeftMenuBackgroundColor=Farba pozadia pre ľavé menu BackgroundTableTitleColor=Farba pozadia pre riadok s názvom -BackgroundTableTitleTextColor=Text color for Table title line -BackgroundTableTitleTextlinkColor=Text color for Table title link line +BackgroundTableTitleTextColor=Farba textu pre riadok nadpisu tabuľky +BackgroundTableTitleTextlinkColor=Farba textu pre linkový riadok nadpisu tabuľky BackgroundTableLineOddColor=Farba pozadia pre nepárne riadky tabuľky BackgroundTableLineEvenColor=Farba pozadia pre párne riadky tabuľky MinimumNoticePeriod=Minimálny oznamovací čas ( Vaša požiadávka musi byť zaznamenaná pred týmto časom ) NbAddedAutomatically=Počet dní pridaných do počítadla užívateľov ( automaticky ) každý mesiac -EnterAnyCode=This field contains a reference to identify the line. Enter any value of your choice, but without special characters. -Enter0or1=Enter 0 or 1 -UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] -ColorFormat=The RGB color is in HEX format, eg: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) -PositionIntoComboList=Position of line into combo lists -SellTaxRate=Sales tax rate -RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. -UrlTrackingDesc=If the provider or transport service offers a page or web site to check the status of your shipments, you may enter it here. You can use the key {TRACKID} in the URL parameters so the system will replace it with the tracking number the user entered into the shipment card. -OpportunityPercent=When you create a lead, you will define an estimated amount of project/lead. According to status of the lead, this amount may be multiplied by this rate to evaluate a total amount all your leads may generate. Value is a percentage (between 0 and 100). -TemplateForElement=This mail template is related to what type of object? An email template is available only when using the "Send Email" button from the related object. +EnterAnyCode=Toto pole obsahuje odkaz na identifikáciu linky. Zadajte ľubovoľnú hodnotu podľa vlastného výberu, ale bez špeciálnych znakov. +Enter0or1=Zadajte 0 alebo 1 +UnicodeCurrency=Tu zadajte medzi zložené zátvorky, zoznam čísel bajtov, ktoré predstavujú symbol meny. Napríklad: pre $ zadajte [36] - pre Brazíliu skutočný R$ [82,36] - pre EUR zadajte [8364] +ColorFormat=Farba RGB je v HEX formáte, napr.: FF0000 +PictoHelp=Názov ikony vo formáte:
      - image.png pre súbor obrázka do aktuálneho adresára témy
      - image.png@module ak je súbor v adresári /img/ modulu
      - fa-xxx pre FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size pre obrázok FontAwesome fa-xxx (s nastavenou predponou, farbou a veľkosťou) +PositionIntoComboList=Pozícia riadku v kombinovaných zoznamoch +SellTaxRate=Sadzba dane z obratu +RecuperableOnly=Áno v prípade DPH „Nevníma sa, ale je možné získať späť“ určené pre niektorý štát vo Francúzsku. Vo všetkých ostatných prípadoch ponechajte hodnotu na „Nie“. +UrlTrackingDesc=Ak poskytovateľ alebo prepravná služba ponúka stránku alebo webovú stránku na kontrolu stavu vašich zásielok, môžete ju zadať tu. V parametroch adresy URL môžete použiť kľúč {TRACKID}, takže ho systém nahradí číslom zásielky, ktoré používateľ zadal na karte zásielky. +OpportunityPercent=Keď vytvoríte potenciálneho zákazníka, zadefinujete odhadované množstvo projektu/potenciálneho zákazníka. Podľa stavu potenciálneho zákazníka sa táto suma môže vynásobiť touto sadzbou, aby sa vyhodnotila celková suma, ktorú môžu vygenerovať všetci vaši potenciálni zákazníci. Hodnota je percento (od 0 do 100). +TemplateForElement=Táto šablóna pošty súvisí s akým typom objektu? Šablóna e-mailu je k dispozícii iba pri použití tlačidla „Odoslať e-mail“ zo súvisiaceho objektu. TypeOfTemplate=Typ šablôny -TemplateIsVisibleByOwnerOnly=Template is visible to owner only -VisibleEverywhere=Visible everywhere -VisibleNowhere=Visible nowhere +TemplateIsVisibleByOwnerOnly=Šablóna je viditeľná iba pre vlastníka +VisibleEverywhere=Vidno všade +VisibleNowhere=Nikde nevidno FixTZ=Oprava časovej zóny FillFixTZOnlyIfRequired=Príklad: +2 ( vyplňte iba ak máte problém ) -ExpectedChecksum=Expected Checksum -CurrentChecksum=Current Checksum -ExpectedSize=Expected size -CurrentSize=Current size -ForcedConstants=Required constant values -MailToSendProposal=Customer proposals -MailToSendOrder=Sales orders -MailToSendInvoice=Customer invoices +ExpectedChecksum=Očakávaný kontrolný súčet +CurrentChecksum=Aktuálny kontrolný súčet +ExpectedSize=Očakávaná veľkosť +CurrentSize=Aktuálna veľkosť +ForcedConstants=Požadované konštantné hodnoty +MailToSendProposal=Návrhy zákazníkov +MailToSendOrder=Predajné objednávky +MailToSendInvoice=Odberateľské faktúry MailToSendShipment=Zásielky MailToSendIntervention=Zásahy -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices +MailToSendSupplierRequestForQuotation=Žiadosť o cenovú ponuku +MailToSendSupplierOrder=Objednávky +MailToSendSupplierInvoice=Dodávateľské faktúry MailToSendContract=Zmluvy -MailToSendReception=Receptions -MailToExpenseReport=Expense reports +MailToSendReception=Recepcie +MailToExpenseReport=Prehľady výdavkov MailToThirdparty=Tretie strany MailToMember=Členovia MailToUser=Užívatelia MailToProject=Projekty -MailToTicket=Tickets -ByDefaultInList=Show by default on list view -YouUseLastStableVersion=You use the latest stable version -TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) -TitleExampleForMaintenanceRelease=Example of message you can use to announce this maintenance release (feel free to use it on your web sites) -ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s is available. Version %s is a major release with a lot of new features for both users and developers. You can download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read ChangeLog for complete list of changes. -ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is available. Version %s is a maintenance version, so contains only bug fixes. We recommend all users to upgrade to this version. A maintenance release does not introduce new features or changes to the database. You may download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read the ChangeLog for complete list of changes. -MultiPriceRuleDesc=When option "Several levels of prices per product/service" is enabled, you can define different prices (one per price level) for each product. To save you time, here you may enter a rule to autocalculate a price for each level based on the price of the first level, so you will have to only enter a price for the first level for each product. This page is designed to save you time but is useful only if your prices for each level are relative to first level. You can ignore this page in most cases. -ModelModulesProduct=Templates for product documents -WarehouseModelModules=Templates for documents of warehouses -ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate codes automatically, you must first define a manager to auto-define the barcode number. -SeeSubstitutionVars=See * note for list of possible substitution variables -SeeChangeLog=See ChangeLog file (english only) +MailToTicket=Vstupenky +ByDefaultInList=Zobraziť predvolene v zobrazení zoznamu +YouUseLastStableVersion=Používate najnovšiu stabilnú verziu +TitleExampleForMajorRelease=Príklad správy, ktorú môžete použiť na oznámenie tohto hlavného vydania (neváhajte ho použiť na svojich webových stránkach) +TitleExampleForMaintenanceRelease=Príklad správy, ktorú môžete použiť na oznámenie tohto vydania údržby (neváhajte ho použiť na svojich webových stránkach) +ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s je k dispozícii. Verzia %s je hlavné vydanie s množstvom nových funkcií pre používateľov aj vývojárov. Môžete si ho stiahnuť z oblasti sťahovania portálu https://www.dolibarr.org (podadresár Stabilné verzie). Úplný zoznam zmien nájdete v ChangeLog. +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s je k dispozícii. Verzia %s je udržiavacia verzia, takže obsahuje iba opravy chýb. Všetkým používateľom odporúčame prejsť na túto verziu. Vydanie údržby nezavádza do databázy nové funkcie ani zmeny. Môžete si ho stiahnuť z oblasti sťahovania portálu https://www.dolibarr.org (podadresár Stabilné verzie). Úplný zoznam zmien nájdete v ChangeLog. +MultiPriceRuleDesc=Keď je povolená možnosť „Niekoľko úrovní cien na produkt/službu“, môžete pre každý produkt definovať rôzne ceny (jednu na cenovú hladinu). Aby ste ušetrili čas, tu môžete zadať pravidlo na automatický výpočet ceny pre každú úroveň na základe ceny prvej úrovne, takže pre každý produkt budete musieť zadať iba cenu pre prvú úroveň. Táto stránka je navrhnutá tak, aby vám ušetrila čas, ale je užitočná iba vtedy, ak sú vaše ceny pre každú úroveň relatívne k prvej úrovni. Túto stránku môžete vo väčšine prípadov ignorovať. +ModelModulesProduct=Šablóny pre produktové dokumenty +WarehouseModelModules=Šablóny pre doklady skladov +ToGenerateCodeDefineAutomaticRuleFirst=Aby ste mohli automaticky generovať kódy, musíte najprv definovať manažéra, ktorý automaticky definuje číslo čiarového kódu. +SeeSubstitutionVars=Zoznam možných substitučných premenných nájdete v poznámke * +SeeChangeLog=Pozrite si súbor ChangeLog (iba v angličtine) AllPublishers=Všeci prispievatelia UnknownPublishers=Neznámi prispievatelia AddRemoveTabs=Pridať alebo odstrániť záložky -AddDataTables=Add object tables -AddDictionaries=Add dictionaries tables -AddData=Add objects or dictionaries data +AddDataTables=Pridajte tabuľky objektov +AddDictionaries=Pridajte tabuľky slovníkov +AddData=Pridajte údaje o objektoch alebo slovníkoch AddBoxes=Pridať panely AddSheduledJobs=Pridať plánované úlohy -AddHooks=Add hooks +AddHooks=Pridajte háčiky AddTriggers=Pridať spúšťače AddMenus=Pridať menu AddPermissions=Pridať oprávnenia @@ -2053,356 +2068,375 @@ AddExportProfiles=Pridať export profily AddImportProfiles=Pridať import profily AddOtherPagesOrServices=Pridať iné stránky alebo služby AddModels=Pritaď dokument alebo číselnú šablónu -AddSubstitutions=Add keys substitutions +AddSubstitutions=Pridajte náhrady kľúčov DetectionNotPossible=Zmazanie nie je možné -UrlToGetKeyToUseAPIs=Url to get token to use API (once token has been received it is saved in database user table and must be provided on each API call) +UrlToGetKeyToUseAPIs=Adresa URL na získanie tokenu na používanie rozhrania API (po prijatí tokenu sa uloží do tabuľky používateľov databázy a musí byť poskytnutá pri každom volaní rozhrania API) ListOfAvailableAPIs=Zoznam dostupných API -activateModuleDependNotSatisfied=Module "%s" depends on module "%s", that is missing, so module "%1$s" may not work correctly. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise -CommandIsNotInsideAllowedCommands=The command you are trying to run is not in the list of allowed commands defined in parameter $dolibarr_main_restrict_os_commands in the conf.php file. -LandingPage=Landing page -SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", the price will also be the same for all companies if products are shared between environments -ModuleEnabledAdminMustCheckRights=Module has been activated. Permissions for activated module(s) were given to admin users only. You may need to grant permissions to other users or groups manually if necessary. -UserHasNoPermissions=This user has no permissions defined -TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "%s")
      Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "%s" in days)
      Use "Current/Next" to have payment term date being the first Nth of the month after delta (delta is field "%s", N is stored into field "%s") -BaseCurrency=Reference currency of the company (go into setup of company to change this) -WarningNoteModuleInvoiceForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016). -WarningNoteModulePOSForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016) because module Non Reversible Logs is automatically activated. -WarningInstallationMayBecomeNotCompliantWithLaw=You are trying to install module %s that is an external module. Activating an external module means you trust the publisher of that module and that you are sure that this module does not adversely impact the behavior of your application, and is compliant with laws of your country (%s). If the module introduces an illegal feature, you become responsible for the use of illegal software. +activateModuleDependNotSatisfied=Modul "%s" závisí od modulu "%s", ktorý chýba, takže modul " %1$s" nemusí fungovať správne. Nainštalujte modul "%2$s" alebo deaktivujte modul "%1$s", ak chcete byť v bezpečí pred akýmkoľvek prekvapením +CommandIsNotInsideAllowedCommands=Príkaz, ktorý sa pokúšate spustiť, nie je v zozname povolených príkazov definovaných v parametri $dolibarr_main_restrict_os_commands v class='notranslate'>
      conf.php. +LandingPage=Vstupná stránka +SamePriceAlsoForSharedCompanies=Ak používate modul pre viacero spoločností, s voľbou „Jedna cena“ bude cena rovnaká pre všetky spoločnosti, ak sú produkty zdieľané medzi prostrediami +ModuleEnabledAdminMustCheckRights=Modul bol aktivovaný. Povolenia pre aktivované moduly boli udelené iba administrátorom. V prípade potreby možno budete musieť udeliť povolenia iným používateľom alebo skupinám manuálne. +UserHasNoPermissions=Tento používateľ nemá definované žiadne povolenia +TypeCdr=Ak je dátumom splatnosti dátum faktúry plus delta v dňoch, použite možnosť „Žiadne“ (delta je pole „%s“)
      Použite možnosť „Na konci mesiaca“, ak sa po delte musí dátum zvýšiť, aby sa dosiahol koniec mesiaca (+ voliteľné „%s“ v dňoch)
      Ak chcete, aby bol dátum splatnosti prvej N-tiny mesiaca po delte, použite možnosť „Aktuálny/Nasledujúci“ (delta je pole „%s“ , N sa uloží do poľa "%s") +BaseCurrency=Referenčná mena spoločnosti (pre zmenu prejdite do nastavenia spoločnosti) +WarningNoteModuleInvoiceForFrenchLaw=Tento modul %s je v súlade s francúzskymi zákonmi (Loi Finance 2016). +WarningNoteModulePOSForFrenchLaw=Tento modul %s je v súlade s francúzskymi zákonmi (Loi Finance 2016), pretože modul Non Reversible Logs je automaticky aktivovaný. +WarningInstallationMayBecomeNotCompliantWithLaw=Pokúšate sa nainštalovať modul %s, ktorý je externým modulom. Aktivácia externého modulu znamená, že dôverujete vydavateľovi tohto modulu a ste si istí, že tento modul nemá nepriaznivý vplyv na správanie vašej aplikácie a je v súlade so zákonmi vašej krajiny (%s). Ak modul zavádza nelegálnu funkciu, preberáte zodpovednosť za používanie nelegálneho softvéru. -MAIN_PDF_MARGIN_LEFT=Left margin on PDF -MAIN_PDF_MARGIN_RIGHT=Right margin on PDF -MAIN_PDF_MARGIN_TOP=Top margin on PDF -MAIN_PDF_MARGIN_BOTTOM=Bottom margin on PDF -MAIN_DOCUMENTS_LOGO_HEIGHT=Height for logo on PDF -DOC_SHOW_FIRST_SALES_REP=Show first sales representative -MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Add column for picture on proposal lines -MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Width of the column if a picture is added on lines -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders -MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame -MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code -MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block -PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions -PROPOSAL_PDF_HIDE_PAYMENTMODE=Hide payment mode -MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Add electronic sign in PDF -NothingToSetup=There is no specific setup required for this module. -SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes.
      For example:
      CODEGRP1+CODEGRP2 -SeveralLangugeVariatFound=Several language variants found -RemoveSpecialChars=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code -COMPANY_DIGITARIA_CLEAN_REGEX=Regex filter to clean value (COMPANY_DIGITARIA_CLEAN_REGEX) -COMPANY_DIGITARIA_UNIQUE_CODE=Duplicate not allowed -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word -GDPRContact=Data Protection Officer (DPO, Data Privacy or GDPR contact) -GDPRContactDesc=If you store personal data in your Information System, you can name the contact who is responsible for the General Data Protection Regulation here -HelpOnTooltip=Help text to show on tooltip -HelpOnTooltipDesc=Put text or a translation key here for the text to show in a tooltip when this field appears in a form -YouCanDeleteFileOnServerWith=You can delete this file on the server with Command Line:
      %s -ChartLoaded=Chart of account loaded -SocialNetworkSetup=Setup of module Social Networks -EnableFeatureFor=Enable features for %s -VATIsUsedIsOff=Note: The option to use Sales Tax or VAT has been set to Off in the menu %s - %s, so Sales tax or Vat used will always be 0 for sales. -SwapSenderAndRecipientOnPDF=Swap sender and recipient address position on PDF documents -FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields and combo lists only. Also an URL parameter action=create or action=edit must be set OR page name must end with 'new.php' to trigger this feature. -EmailCollector=Email collector -EmailCollectors=Email collectors -EmailCollectorDescription=Add a scheduled job and a setup page to scan regularly email boxes (using IMAP protocol) and record emails received into your application, at the right place and/or create some records automatically (like leads). -NewEmailCollector=New Email Collector -EMailHost=Host of email IMAP server -EMailHostPort=Port of email IMAP server -loginPassword=Login/Password -oauthToken=OAuth2 token -accessType=Acces type -oauthService=Oauth service -TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session -MailboxSourceDirectory=Mailbox source directory -MailboxTargetDirectory=Mailbox target directory -EmailcollectorOperations=Operations to do by collector -EmailcollectorOperationsDesc=Operations are executed from top to bottom order -MaxEmailCollectPerCollect=Max number of emails collected per collect -TestCollectNow=Test collect -CollectNow=Collect now -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s? -DateLastCollectResult=Date of latest collect try -DateLastcollectResultOk=Date of latest collect success -LastResult=Latest result -EmailCollectorHideMailHeaders=Do not include the content of email header into the saved content of collected e-mails -EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. -EmailCollectorConfirmCollectTitle=Email collect confirmation -EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). -EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software -EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. -EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. -EmailCollectorExampleToCollectLeads=Example collecting leads -EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. -EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail -NoNewEmailToProcess=No new email (matching filters) to process -NothingProcessed=Nothing done -RecordEvent=Record an event in agenda (with type Email sent or received) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation or was guessed from a tracker in email header, without third party otherwise) -CodeLastResult=Latest result code -NbOfEmailsInInbox=Number of emails in source directory -LoadThirdPartyFromName=Load third party searching on %s (load only) -LoadThirdPartyFromNameOrCreate=Load third party searching on %s (create if not found) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) -AttachJoinedDocumentsToObject=Save attached files into object documents if a ref of an object is found into email topic. -WithDolTrackingID=Message from a conversation initiated by a first email sent from Dolibarr -WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr -WithDolTrackingIDInMsgId=Message sent from Dolibarr -WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr -CreateCandidature=Create job application +MAIN_PDF_MARGIN_LEFT=Ľavý okraj na PDF +MAIN_PDF_MARGIN_RIGHT=Pravý okraj v PDF +MAIN_PDF_MARGIN_TOP=Horný okraj v PDF +MAIN_PDF_MARGIN_BOTTOM=Dolný okraj v PDF +MAIN_DOCUMENTS_LOGO_HEIGHT=Výška loga vo formáte PDF +DOC_SHOW_FIRST_SALES_REP=Zobraziť prvého obchodného zástupcu +MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Pridajte stĺpec pre obrázok na riadky ponuky +MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Šírka stĺpca, ak je obrázok pridaný na riadky +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Skryť stĺpec jednotkovej ceny v žiadostiach o cenovú ponuku +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Skryť stĺpec s celkovou cenou v žiadostiach o cenovú ponuku +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Skryť stĺpec jednotkovej ceny na nákupných objednávkach +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Skryť stĺpec s celkovou cenou pri nákupných objednávkach +MAIN_PDF_NO_SENDER_FRAME=Skryť okraje v rámci adresy odosielateľa +MAIN_PDF_NO_RECIPENT_FRAME=Skryť okraje v rámci adresy príjemcu +MAIN_PDF_HIDE_CUSTOMER_CODE=Skryť zákaznícky kód +MAIN_PDF_HIDE_SENDER_NAME=Skryť názov odosielateľa/spoločnosti v bloku adresy +PROPOSAL_PDF_HIDE_PAYMENTTERM=Skryť platobné podmienky +PROPOSAL_PDF_HIDE_PAYMENTMODE=Skryť režim platby +MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Pridajte elektronické prihlásenie do PDF +NothingToSetup=Pre tento modul nie je potrebné žiadne špecifické nastavenie. +SetToYesIfGroupIsComputationOfOtherGroups=Nastavte toto na áno, ak je táto skupina výpočtom iných skupín +EnterCalculationRuleIfPreviousFieldIsYes=Ak bolo predchádzajúce pole nastavené na Áno, zadajte pravidlo výpočtu.
      Napríklad:
      CODEGRP1+CODEGRP2 +SeveralLangugeVariatFound=Našlo sa niekoľko jazykových variantov +RemoveSpecialChars=Odstráňte špeciálne znaky +COMPANY_AQUARIUM_CLEAN_REGEX=Filter regulárneho výrazu na vyčistenie hodnoty (COMPANY_AQUARIUM_CLEAN_REGEX) +COMPANY_AQUARIUM_NO_PREFIX=Nepoužívajte prefix, iba skopírujte kód zákazníka alebo dodávateľa +COMPANY_DIGITARIA_CLEAN_REGEX=Filter regulárneho výrazu na vyčistenie hodnoty (COMPANY_DIGITARIA_CLEAN_REGEX) +COMPANY_DIGITARIA_UNIQUE_CODE=Duplikát nie je povolený +RemoveSpecialWords=Pri vytváraní podúčtov pre zákazníkov alebo dodávateľov očistite určité slová +RemoveSpecialWordsHelp=Pred výpočtom účtu zákazníka alebo dodávateľa zadajte slová, ktoré sa majú vyčistiť. Použite znak ";" medzi každým slovom +GDPRContact=Poverenec pre ochranu údajov (DPO, kontakt na ochranu osobných údajov alebo GDPR) +GDPRContactDesc=Ak vo svojom Informačnom systéme uchovávate osobné údaje, môžete tu uviesť kontakt, ktorý je zodpovedný za všeobecné nariadenie o ochrane údajov +HelpOnTooltip=Text pomocníka, ktorý sa zobrazí v popise +HelpOnTooltipDesc=Sem vložte text alebo kľúč prekladu, aby sa text zobrazil v popise, keď sa toto pole objaví vo formulári +YouCanDeleteFileOnServerWith=Tento súbor môžete na serveri odstrániť pomocou príkazového riadka:
      %s +ChartLoaded=Účtová osnova načítaná +SocialNetworkSetup=Nastavenie modulu Sociálne siete +EnableFeatureFor=Povoliť funkcie pre %s +VATIsUsedIsOff=Poznámka: Možnosť použiť daň z obratu alebo DPH bola nastavená na Vypnuté v ponuke %s – %s, takže daň z obratu alebo použitá DPH bude pre predaj vždy 0. +SwapSenderAndRecipientOnPDF=Vymeňte polohu adresy odosielateľa a príjemcu v dokumentoch PDF +FeatureSupportedOnTextFieldsOnly=Upozornenie, funkcia je podporovaná iba v textových poliach a kombinovaných zoznamoch. Na spustenie tejto funkcie musí byť nastavený aj parameter URL action=create alebo action=edit ALEBO názov stránky musí končiť 'new.php'. +EmailCollector=Zberateľ e-mailov +EmailCollectors=Zberatelia e-mailov +EmailCollectorDescription=Pridajte plánovanú úlohu a stránku nastavenia na pravidelné skenovanie e-mailových schránok (pomocou protokolu IMAP) a zaznamenávanie prijatých e-mailov do vašej aplikácie na správne miesto a/alebo automatické vytváranie niektorých záznamov (napríklad potenciálnych zákazníkov). +NewEmailCollector=Nový zberateľ e-mailov +EMailHost=Hostiteľ e-mailového servera IMAP +EMailHostPort=Port e-mailového servera IMAP +loginPassword=Prihlasovacie heslo +oauthToken=Token OAuth2 +accessType=Typ prístupu +oauthService=Oauth služba +TokenMustHaveBeenCreated=Modul OAuth2 musí byť povolený a token oauth2 musí byť vytvorený so správnymi povoleniami (napríklad rozsah "gmail_full" s OAuth pre Gmail). +ImapEncryption = Metóda šifrovania IMAP +ImapEncryptionHelp = Príklad: none, ssl, tls, notls +NoRSH = Použite konfiguráciu NoRSH +NoRSHHelp = Na vytvorenie relácie predbežnej identifikácie IMAP nepoužívajte protokoly RSH alebo SSH +MailboxSourceDirectory=Zdrojový adresár poštovej schránky +MailboxTargetDirectory=Cieľový adresár poštovej schránky +EmailcollectorOperations=Operácie, ktoré má vykonať zberateľ +EmailcollectorOperationsDesc=Operácie sa vykonávajú zhora nadol +MaxEmailCollectPerCollect=Maximálny počet e-mailov zozbieraných na jedno zhromaždenie +TestCollectNow=Skúšobný zber +CollectNow=Zbierajte teraz +ConfirmCloneEmailCollector=Naozaj chcete klonovať zberač e-mailov %s? +DateLastCollectResult=Dátum posledného pokusu o zber +DateLastcollectResultOk=Dátum posledného úspešného zberu +LastResult=Najnovší výsledok +EmailCollectorHideMailHeaders=Nezahŕňajte obsah hlavičky e-mailu do uloženého obsahu zhromaždených e-mailov +EmailCollectorHideMailHeadersHelp=Keď je povolená, hlavičky e-mailov sa nepridávajú na koniec obsahu e-mailu, ktorý je uložený ako udalosť programu. +EmailCollectorConfirmCollectTitle=Potvrdenie prevzatia e-mailu +EmailCollectorConfirmCollect=Chcete teraz spustiť tento zberateľ? +EmailCollectorExampleToCollectTicketRequestsDesc=Zbierajte e-maily, ktoré zodpovedajú niektorým pravidlám, a automaticky vytvorte lístok (musí byť povolený modulový lístok) s informáciami o e-maile. Tento zberač môžete použiť, ak poskytnete nejakú podporu e-mailom, takže vaša žiadosť o vstupenku bude automaticky vygenerovaná. Aktivujte tiež Collect_Responses a zbierajte odpovede svojho klienta priamo v zobrazení tiketu (musíte odpovedať z Dolibarr). +EmailCollectorExampleToCollectTicketRequests=Príklad zhromažďovania žiadosti o vstupenku (iba prvá správa) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Naskenujte si adresár „Odoslané“ poštovej schránky a nájdite e-maily, ktoré boli odoslané ako odpoveď na iný e-mail priamo z vášho e-mailového softvéru a nie z Dolibarru. Ak sa takýto e-mail nájde, udalosť odpovede sa zaznamená do Dolibarr +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Príklad zberu e-mailových odpovedí odoslaných z externého e-mailového softvéru +EmailCollectorExampleToCollectDolibarrAnswersDesc=Zhromažďujte všetky e-maily, ktoré sú odpoveďou na e-mail odoslaný z vašej aplikácie. Udalosť (musí byť povolená Modulová agenda) s e-mailovou odpoveďou bude zaznamenaná na dobrom mieste. Ak napríklad z aplikácie odošlete e-mailom obchodnú ponuku, objednávku, faktúru alebo správu na tiket a príjemca vám odpovie na váš e-mail, systém automaticky zachytí odpoveď a pridá ju do vášho ERP. +EmailCollectorExampleToCollectDolibarrAnswers=Príklad zhromažďovania všetkých prichádzajúcich správ, ktoré sú odpoveďami na správy odoslané z Dolibarr' +EmailCollectorExampleToCollectLeadsDesc=Zhromažďujte e-maily, ktoré zodpovedajú niektorým pravidlám, a automaticky vytvorte potenciálneho zákazníka (musí byť povolený modulový projekt) s informáciami o e-maile. Tento zberač môžete použiť, ak chcete sledovať svojho vedúceho pomocou modulu Projekt (1 vedúci = 1 projekt), takže vaše potenciály budú automaticky generované. Ak je povolený aj zberateľ Collect_Responses, pri odosielaní e-mailu od svojich potenciálnych zákazníkov, návrhov alebo akéhokoľvek iného objektu môžete priamo v aplikácii vidieť aj odpovede svojich zákazníkov alebo partnerov.
      Poznámka: V tomto úvodnom príklade sa názov potenciálneho zákazníka vygeneruje vrátane e-mailu. Ak tretiu stranu nemožno nájsť v databáze (nový zákazník), potenciálny zákazník bude pripojený k tretej strane s ID 1. +EmailCollectorExampleToCollectLeads=Príklad zbierania potenciálnych zákazníkov +EmailCollectorExampleToCollectJobCandidaturesDesc=Zbierajte e-maily týkajúce sa pracovných ponúk (musí byť povolený modul Recruitment). Tento zberateľ môžete dokončiť, ak chcete automaticky vytvoriť kandidatúru na žiadosť o prácu. Poznámka: V tomto úvodnom príklade sa názov kandidatúry vygeneruje vrátane e-mailu. +EmailCollectorExampleToCollectJobCandidatures=Príklad zberu žiadostí o zamestnanie prijatých e-mailom +NoNewEmailToProcess=Žiadny nový e-mail (zodpovedajúce filtre) na spracovanie +NothingProcessed=Nič sa nerobí +RecordEvent=Zaznamenajte udalosť do agendy (s typom Email odoslaný alebo prijatý) +CreateLeadAndThirdParty=Vytvorte potenciálneho zákazníka (a v prípade potreby tretiu stranu) +CreateTicketAndThirdParty=Vytvorte lístok (prepojený s treťou stranou, ak bola tretia strana načítaná predchádzajúcou operáciou alebo bola uhádnutá zo sledovača v hlavičke e-mailu, inak tretia strana) +CodeLastResult=Kód posledného výsledku +NbOfEmailsInInbox=Počet e-mailov v zdrojovom adresári +LoadThirdPartyFromName=Načítať vyhľadávanie tretej strany na %s (iba načítať) +LoadThirdPartyFromNameOrCreate=Načítať vyhľadávanie tretej strany na %s (vytvoriť, ak sa nenájde) +LoadContactFromEmailOrCreate=Načítať vyhľadávanie kontaktov na %s (vytvoriť, ak sa nenájde) +AttachJoinedDocumentsToObject=Uložte priložené súbory do objektových dokumentov, ak sa v téme e-mailu nájde referencia objektu. +WithDolTrackingID=Správa z konverzácie iniciovanej prvým e-mailom odoslaným od spoločnosti Dolibarr +WithoutDolTrackingID=Správa z konverzácie iniciovanej prvým e-mailom, ktorý NIE JE odoslaný z Dolibarru +WithDolTrackingIDInMsgId=Správa odoslaná z Dolibarr +WithoutDolTrackingIDInMsgId=Správa NIE JE odoslaná z Dolibarr +CreateCandidature=Vytvorte žiadosť o prácu FormatZip=Zips -MainMenuCode=Menu entry code (mainmenu) -ECMAutoTree=Show automatic ECM tree -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. -OpeningHours=Opening hours -OpeningHoursDesc=Enter here the regular opening hours of your company. -ResourceSetup=Configuration of Resource module -UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). -DisabledResourceLinkUser=Disable feature to link a resource to users -DisabledResourceLinkContact=Disable feature to link a resource to contacts -EnableResourceUsedInEventCheck=Prohibit the use of the same resource at the same time in the agenda -ConfirmUnactivation=Confirm module reset -OnMobileOnly=On small screen (smartphone) only -DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be "Prospect" or "Customer", but can't be both) -MAIN_OPTIMIZEFORTEXTBROWSER=Simplify interface for blind person -MAIN_OPTIMIZEFORTEXTBROWSERDesc=Enable this option if you are a blind person, or if you use the application from a text browser like Lynx or Links. -MAIN_OPTIMIZEFORCOLORBLIND=Change interface's color for color blind person -MAIN_OPTIMIZEFORCOLORBLINDDesc=Enable this option if you are a color blind person, in some case interface will change color setup to increase contrast. +MainMenuCode=Vstupný kód menu (hlavné menu) +ECMAutoTree=Zobraziť automatický strom ECM +OperationParamDesc=Definujte pravidlá, ktoré sa majú použiť na extrahovanie niektorých údajov, alebo nastavte hodnoty, ktoré sa majú použiť na prevádzku.

      Príklad na extrahovanie názvu spoločnosti z predmet e-mailu do dočasnej premennej:
      tmp_var=EXTRACT:SUBJECT:Správa od spoločnosti ([^\n]*)

      Príklady nastavenia vlastností objektu na vytvorenie:
      objproperty1=SET:pevne zakódovaná hodnota
      objproperty2=SET:__tmp_var__
      objpropertya value3: je nastavené iba vtedy, ak vlastnosť ešte nie je definovaná)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:Názov mojej spoločnosti je\\BODY: s([^\\s]*)

      Na extrahovanie alebo nastavenie niekoľkých vlastností použite nový riadok. +OpeningHours=OTVÁRACIE HODINY +OpeningHoursDesc=Tu zadajte bežné otváracie hodiny vašej spoločnosti. +ResourceSetup=Konfigurácia modulu zdrojov +UseSearchToSelectResource=Na výber zdroja použite vyhľadávací formulár (a nie rozbaľovací zoznam). +DisabledResourceLinkUser=Zakázať funkciu na prepojenie zdroja s používateľmi +DisabledResourceLinkContact=Zakázať funkciu na prepojenie zdroja s kontaktmi +EnableResourceUsedInEventCheck=Zakázať používanie rovnakého zdroja v rovnakom čase v agende +ConfirmUnactivation=Potvrďte reset modulu +OnMobileOnly=Len na malej obrazovke (smartfón). +DisableProspectCustomerType=Zakázať typ tretej strany „potenciálny zákazník + zákazník“ (takže tretia strana musí byť „potenciálny“ alebo „zákazník“, ale nemôže byť oboje) +MAIN_OPTIMIZEFORTEXTBROWSER=Zjednodušte rozhranie pre nevidiacich +MAIN_OPTIMIZEFORTEXTBROWSERDesc=Povoľte túto možnosť, ak ste nevidiaci alebo ak používate aplikáciu z textového prehliadača, ako je Lynx alebo Links. +MAIN_OPTIMIZEFORCOLORBLIND=Zmena farby rozhrania pre farboslepú osobu +MAIN_OPTIMIZEFORCOLORBLINDDesc=Povoľte túto možnosť, ak ste farboslepá osoba, v niektorých prípadoch rozhranie zmení nastavenie farieb, aby sa zvýšil kontrast. Protanopia=Protanopia Deuteranopes=Deuteranopes -Tritanopes=Tritanopes -ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' -DefaultCustomerType=Default thirdparty type for "New customer" creation form -ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. -RootCategoryForProductsToSell=Root category of products to sell -RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale -DebugBar=Debug Bar -DebugBarDesc=Toolbar that comes with a plenty of tools to simplify debugging -DebugBarSetup=DebugBar Setup -GeneralOptions=General Options -LogsLinesNumber=Number of lines to show on logs tab -UseDebugBar=Use the debug bar -DEBUGBAR_LOGS_LINES_NUMBER=Number of last log lines to keep in console -WarningValueHigherSlowsDramaticalyOutput=Warning, higher values slows dramaticaly output -ModuleActivated=Module %s is activated and slows the interface -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) -IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. -AntivirusEnabledOnUpload=Antivirus enabled on uploaded files -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode -EXPORTS_SHARE_MODELS=Export models are share with everybody -ExportSetup=Setup of module Export -ImportSetup=Setup of module Import -InstanceUniqueID=Unique ID of the instance -SmallerThan=Smaller than -LargerThan=Larger than -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). -EndPointFor=End point for %s : %s -DeleteEmailCollector=Delete email collector -ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? -RecipientEmailsWillBeReplacedWithThisValue=Recipient emails will be always replaced with this value -AtLeastOneDefaultBankAccountMandatory=At least 1 default bank account must be defined -RESTRICT_ON_IP=Allow API access to only certain client IPs (wildcard not allowed, use space between values). Empty means every clients can access. +Tritanopes=tritanopy +ThisValueCanOverwrittenOnUserLevel=Túto hodnotu môže prepísať každý používateľ zo svojej používateľskej stránky – karta '%s' +DefaultCustomerType=Predvolený typ tretej strany pre formulár na vytvorenie nového zákazníka +ABankAccountMustBeDefinedOnPaymentModeSetup=Poznámka: Aby táto funkcia fungovala, musí byť bankový účet definovaný v module každého spôsobu platby (Paypal, Stripe, ...). +RootCategoryForProductsToSell=Hlavná kategória produktov na predaj +RootCategoryForProductsToSellDesc=Ak je to definované, v predajnom mieste budú dostupné iba produkty v tejto kategórii alebo deti z tejto kategórie +DebugBar=Panel ladenia +DebugBarDesc=Panel s nástrojmi, ktorý je dodávaný s množstvom nástrojov na zjednodušenie ladenia +DebugBarSetup=Nastavenie panela ladenia +GeneralOptions=Všeobecné možnosti +LogsLinesNumber=Počet riadkov, ktoré sa majú zobraziť na karte denníky +UseDebugBar=Použite panel ladenia +DEBUGBAR_LOGS_LINES_NUMBER=Počet posledných riadkov denníka, ktoré sa majú zachovať v konzole +WarningValueHigherSlowsDramaticalyOutput=Pozor, vyššie hodnoty výrazne spomaľujú výstup +ModuleActivated=Modul %s je aktivovaný a spomaľuje rozhranie +ModuleActivatedWithTooHighLogLevel=Modul %s je aktivovaný s príliš vysokou úrovňou protokolovania (skúste použiť nižšiu úroveň pre lepší výkon a bezpečnosť) +ModuleSyslogActivatedButLevelNotTooVerbose=Modul %s je aktivovaný a úroveň denníka (%s) je správna (nie príliš podrobná) +IfYouAreOnAProductionSetThis=Ak používate produkčné prostredie, mali by ste túto vlastnosť nastaviť na %s. +AntivirusEnabledOnUpload=Na nahraných súboroch je povolený antivírus +SomeFilesOrDirInRootAreWritable=Niektoré súbory alebo adresáre nie sú v režime len na čítanie +EXPORTS_SHARE_MODELS=Exportné modely sú zdieľané so všetkými +ExportSetup=Nastavenie modulu Export +ImportSetup=Nastavenie modulu Import +InstanceUniqueID=Jedinečné ID inštancie +SmallerThan=Menšia než +LargerThan=Väčšie ako +IfTrackingIDFoundEventWillBeLinked=Upozorňujeme, že ak sa v e-maile nájde ID sledovania objektu alebo ak je e-mail odpoveďou na e-mail, ktorý už bol zhromaždený a prepojený s objektom, vytvorená udalosť sa automaticky prepojí so známym súvisiacim objektom. +WithGMailYouCanCreateADedicatedPassword=Ak ste v prípade účtu GMail povolili overenie v dvoch krokoch, odporúča sa namiesto použitia vlastného hesla účtu z adresy https://myaccount.google.com/ vytvoriť vyhradené druhé heslo pre aplikáciu. +EmailCollectorTargetDir=Môže byť želaným správaním presunúť e-mail do inej značky/adresára, keď bol úspešne spracovaný. Pre použitie tejto funkcie stačí nastaviť názov adresára (NEPOUŽÍVAJTE špeciálne znaky v názve). Upozorňujeme, že musíte použiť aj prihlasovací účet na čítanie/zápis. +EmailCollectorLoadThirdPartyHelp=Túto akciu môžete použiť na použitie obsahu e-mailu na nájdenie a načítanie existujúcej tretej strany vo vašej databáze (hľadanie sa vykoná na definovanej vlastnosti medzi 'id', 'name', 'name_alias', 'email'). Nájdená (alebo vytvorená) tretia strana sa použije na nasledujúce akcie, ktoré ju potrebujú.
      Ak napríklad chcete vytvoriť tretiu stranu s názvom extrahovaným z reťazca ' Name: name to find' prítomné do tela, použite e-mail odosielateľa ako e-mail, pole parametra môžete nastaviť takto:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=Upozornenie: Mnoho e-mailových serverov (napríklad Gmail) vyhľadáva pri vyhľadávaní v reťazci celé slovo a nevráti výsledok, ak sa reťazec nachádza len čiastočne v slove. Aj z tohto dôvodu bude použitie špeciálnych znakov vo vyhľadávacích kritériách ignorované, ak nie sú súčasťou existujúcich slov.
      Ak chcete vykonať vylúčenie vyhľadávania pre slovo (vráťte e-mail, ak slovo sa nenájde), môžete použiť ! znak pred slovom (nemusí fungovať na niektorých poštových serveroch). +EndPointFor=Koncový bod pre %s : %s +DeleteEmailCollector=Odstrániť zberač e-mailov +ConfirmDeleteEmailCollector=Naozaj chcete odstrániť tento zberateľ e-mailov? +RecipientEmailsWillBeReplacedWithThisValue=E-maily príjemcov budú vždy nahradené touto hodnotou +AtLeastOneDefaultBankAccountMandatory=Musí byť definovaný aspoň 1 predvolený bankový účet +RESTRICT_ON_IP=Povoliť prístup cez API iba k určitým IP adresám klientov (zástupný znak nie je povolený, použite medzeru medzi hodnotami). Prázdne znamená, že majú prístup všetci klienti. IPListExample=127.0.0.1 192.168.0.2 [::1] -BaseOnSabeDavVersion=Based on the library SabreDAV version -NotAPublicIp=Not a public IP -MakeAnonymousPing=Make an anonymous Ping '+1' to the Dolibarr foundation server (done 1 time only after installation) to allow the foundation to count the number of Dolibarr installation. -FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled -EmailTemplate=Template for email -EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF -FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. -RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard -JumpToBoxes=Jump to Setup -> Widgets -MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" -MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values. -TemplateAdded=Template added -TemplateUpdated=Template updated -TemplateDeleted=Template deleted -MailToSendEventPush=Event reminder email -SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security -DictionaryProductNature= Nature of product -CountryIfSpecificToOneCountry=Country (if specific to a given country) -YouMayFindSecurityAdviceHere=You may find security advisory here -ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. -ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. -CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples -SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. -AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only -ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. -MailToSendEventOrganization=Event Organization -MailToPartnership=Partnership -AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s +BaseOnSabeDavVersion=Na základe verzie knižnice SabreDAV +NotAPublicIp=Nie je to verejná IP +MakeAnonymousPing=Urobte anonymný ping „+1“ na server nadácie Dolibarr (vykonáte to iba raz po inštalácii), aby nadácia mohla spočítať počet inštalácií Dolibarr. +FeatureNotAvailableWithReceptionModule=Funkcia nie je dostupná, keď je aktivovaný modul Príjem +EmailTemplate=Šablóna pre e-mail +EMailsWillHaveMessageID=E-maily budú mať značku „Referencie“ zodpovedajúcu tejto syntaxi +PDF_SHOW_PROJECT=Zobraziť projekt na dokumente +ShowProjectLabel=Označenie projektu +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Zahrnúť alias do názvu tretej strany +THIRDPARTY_ALIAS=Názov tretej strany – Alias tretej strany +ALIAS_THIRDPARTY=Alias tretej strany – názov tretej strany +PDFIn2Languages=Zobraziť štítky v PDF v 2 rôznych jazykoch (táto funkcia nemusí fungovať v niektorých jazykoch) +PDF_USE_ALSO_LANGUAGE_CODE=Ak chcete, aby boli niektoré texty vo vašom PDF duplikované v 2 rôznych jazykoch v rovnakom vygenerovanom PDF, musíte tu nastaviť tento druhý jazyk, aby vygenerovaný PDF obsahoval 2 rôzne jazyky na tej istej stránke, jeden zvolený pri generovaní PDF a tento ( podporuje to iba niekoľko šablón PDF). Ponechajte prázdne pre 1 jazyk na PDF. +PDF_USE_A=Generujte dokumenty PDF vo formáte PDF/A namiesto predvoleného formátu PDF +FafaIconSocialNetworksDesc=Tu zadajte kód ikony FontAwesome. Ak neviete, čo je FontAwesome, môžete použiť generickú hodnotu fa-address-book. +RssNote=Poznámka: Každá definícia informačného kanála RSS obsahuje miniaplikáciu, ktorú musíte povoliť, aby bola dostupná na informačnom paneli +JumpToBoxes=Prejdite na Nastavenie -> Widgety +MeasuringUnitTypeDesc=Tu použite hodnotu ako „veľkosť“, „povrch“, „objem“, „hmotnosť“, „čas“ +MeasuringScaleDesc=Mierka je počet miest, o ktoré musíte posunúť desatinnú časť, aby zodpovedala predvolenej referenčnej jednotke. Pre typ jednotky „čas“ je to počet sekúnd. Hodnoty medzi 80 a 99 sú rezervované hodnoty. +TemplateAdded=Šablóna bola pridaná +TemplateUpdated=Šablóna bola aktualizovaná +TemplateDeleted=Šablóna bola odstránená +MailToSendEventPush=E-mail s pripomenutím udalosti +SwitchThisForABetterSecurity=Pre väčšiu bezpečnosť sa odporúča prepnutie tejto hodnoty na %s +DictionaryProductNature= Povaha produktu +CountryIfSpecificToOneCountry=Krajina (ak je špecifická pre danú krajinu) +YouMayFindSecurityAdviceHere=Tu môžete nájsť bezpečnostné rady +ModuleActivatedMayExposeInformation=Toto rozšírenie PHP môže odhaliť citlivé údaje. Ak ho nepotrebujete, zakážte ho. +ModuleActivatedDoNotUseInProduction=Bol aktivovaný modul určený pre vývoj. Nepovoľujte ho v produkčnom prostredí. +CombinationsSeparator=Oddeľovací znak pre kombinácie produktov +SeeLinkToOnlineDocumentation=Príklady nájdete v odkaze na online dokumentáciu v hornej ponuke +SHOW_SUBPRODUCT_REF_IN_PDF=Ak je funkcia "%s" modulu %s
      , zobraziť podrobnosti o vedľajších produktoch súpravy vo formáte PDF. +AskThisIDToYourBank=Ak chcete získať toto ID, kontaktujte svoju banku +AdvancedModeOnly=Povolenie je k dispozícii iba v rozšírenom režime povolení +ConfFileIsReadableOrWritableByAnyUsers=Súbor conf je čitateľný alebo zapisovateľný pre všetkých používateľov. Udeľte povolenie iba používateľovi a skupine webového servera. +MailToSendEventOrganization=Organizácia podujatia +MailToPartnership=partnerstvo +AGENDA_EVENT_DEFAULT_STATUS=Predvolený stav udalosti pri vytváraní udalosti z formulára +YouShouldDisablePHPFunctions=Mali by ste vypnúť funkcie PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=Ak nepotrebujete spúšťať systémové príkazy vo vlastnom kóde, mali by ste vypnúť funkcie PHP +PHPFunctionsRequiredForCLI=Pre účely shellu (ako je plánované zálohovanie úloh alebo spustenie antivírusového programu) musíte ponechať funkcie PHP +NoWritableFilesFoundIntoRootDir=Vo vašom koreňovom adresári neboli nájdené žiadne zapisovateľné súbory alebo adresáre bežných programov (dobré) +RecommendedValueIs=Odporúčané: %s Recommended=Odporúčaná -NotRecommended=Not recommended -ARestrictedPath=Some restricted path for data files -CheckForModuleUpdate=Check for external modules updates -CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. -ModuleUpdateAvailable=An update is available -NoExternalModuleWithUpdate=No updates found for external modules -SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) -YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=You enabled deprecated WS API. You should use REST API instead. -RandomlySelectedIfSeveral=Randomly selected if several pictures are available -SalesRepresentativeInfo=For Proposals, Orders, Invoices. -DatabasePasswordObfuscated=Database password is obfuscated in conf file -DatabasePasswordNotObfuscated=Database password is NOT obfuscated in conf file -APIsAreNotEnabled=APIs modules are not enabled -YouShouldSetThisToOff=You should set this to 0 or off -InstallAndUpgradeLockedBy=Install and upgrades are locked by the file %s -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. -OldImplementation=Old implementation -PDF_SHOW_LINK_TO_ONLINE_PAYMENT=If some online payment modules are enabled (Paypal, Stripe, ...), add a link on the PDF to make the online payment -DashboardDisableGlobal=Disable globally all the thumbs of open objects -BoxstatsDisableGlobal=Disable totally box statistics -DashboardDisableBlocks=Thumbs of open objects (to process or late) on main dashboard -DashboardDisableBlockAgenda=Disable the thumb for agenda -DashboardDisableBlockProject=Disable the thumb for projects -DashboardDisableBlockCustomer=Disable the thumb for customers -DashboardDisableBlockSupplier=Disable the thumb for suppliers -DashboardDisableBlockContract=Disable the thumb for contracts -DashboardDisableBlockTicket=Disable the thumb for tickets -DashboardDisableBlockBank=Disable the thumb for banks -DashboardDisableBlockAdherent=Disable the thumb for memberships -DashboardDisableBlockExpenseReport=Disable the thumb for expense reports -DashboardDisableBlockHoliday=Disable the thumb for leaves -EnabledCondition=Condition to have field enabled (if not enabled, visibility will always be off) -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -LanguageAndPresentation=Language and presentation -SkinAndColors=Skin and colors -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -PDF_USE_1A=Generate PDF with PDF/A-1b format -MissingTranslationForConfKey = Missing translation for %s -NativeModules=Native modules -NoDeployedModulesFoundWithThisSearchCriteria=No modules found for these search criteria -API_DISABLE_COMPRESSION=Disable compression of API responses -EachTerminalHasItsOwnCounter=Each terminal use its own counter. -FillAndSaveAccountIdAndSecret=Fill and save account ID and secret first -PreviousHash=Previous hash -LateWarningAfter="Late" warning after -TemplateforBusinessCards=Template for a business card in different size -InventorySetup= Inventory Setup -ExportUseLowMemoryMode=Use a low memory mode -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. +NotRecommended=Neodporúčané +ARestrictedPath=Nejaká obmedzená cesta pre dátové súbory +CheckForModuleUpdate=Skontrolujte aktualizácie externých modulov +CheckForModuleUpdateHelp=Táto akcia sa pripojí k editorom externých modulov, aby skontrolovali, či je k dispozícii nová verzia. +ModuleUpdateAvailable=K dispozícii je aktualizácia +NoExternalModuleWithUpdate=Nenašli sa žiadne aktualizácie pre externé moduly +SwaggerDescriptionFile=Swagger API popisný súbor (napríklad na použitie s redoc) +YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=Povolili ste zastarané WS API. Namiesto toho by ste mali použiť REST API. +RandomlySelectedIfSeveral=Náhodne vybrané, ak je k dispozícii niekoľko obrázkov +SalesRepresentativeInfo=Pre ponuky, objednávky, faktúry. +DatabasePasswordObfuscated=Heslo databázy je v súbore conf zahmlené +DatabasePasswordNotObfuscated=Heslo databázy NIE JE zakryté v súbore conf +APIsAreNotEnabled=Moduly API nie sú povolené +YouShouldSetThisToOff=Mali by ste to nastaviť na 0 alebo vypnúť +InstallAndUpgradeLockedBy=Inštalácia a inovácie sú uzamknuté súborom %s +InstallLockedBy=Inštalácia/opätovná inštalácia je uzamknutá súborom %s +InstallOfAddonIsNotBlocked=Inštalácie doplnkov nie sú uzamknuté. Vytvorte súbor installmodules.lock do adresára ='notranslate'>%s na blokovanie inštalácií externých doplnkov/modulov. +OldImplementation=Stará implementácia +PDF_SHOW_LINK_TO_ONLINE_PAYMENT=Ak sú povolené niektoré online platobné moduly (Paypal, Stripe, ...), pridajte do PDF odkaz na uskutočnenie online platby +DashboardDisableGlobal=Globálne zakázať všetky palce otvorených objektov +BoxstatsDisableGlobal=Zakázať úplné štatistiky boxov +DashboardDisableBlocks=Palec otvorených objektov (na spracovanie alebo oneskorenie) na hlavnom paneli +DashboardDisableBlockAgenda=Zakázať palec pre agendu +DashboardDisableBlockProject=Zakázať palec pre projekty +DashboardDisableBlockCustomer=Zakázať palec pre zákazníkov +DashboardDisableBlockSupplier=Zakázať palec pre dodávateľov +DashboardDisableBlockContract=Zakázať palec pre zmluvy +DashboardDisableBlockTicket=Zakázať palec pre lístky +DashboardDisableBlockBank=Zakázať palec pre banky +DashboardDisableBlockAdherent=Zakázať palec pre členstvá +DashboardDisableBlockExpenseReport=Zakázať palec pre výkazy výdavkov +DashboardDisableBlockHoliday=Zakázať palec pre listy +EnabledCondition=Podmienka povolenia poľa (ak nie je povolené, viditeľnosť bude vždy vypnutá) +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=Ak chcete použiť druhú daň, musíte povoliť aj prvú daň z obratu +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Ak chcete použiť tretiu daň, musíte povoliť aj prvú daň z obratu +LanguageAndPresentation=Jazyk a prezentácia +SkinAndColors=Koža a farby +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=Ak chcete použiť druhú daň, musíte povoliť aj prvú daň z obratu +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Ak chcete použiť tretiu daň, musíte povoliť aj prvú daň z obratu +PDF_USE_1A=Generujte PDF vo formáte PDF/A-1b +MissingTranslationForConfKey = Chýba preklad pre %s +NativeModules=Natívne moduly +NoDeployedModulesFoundWithThisSearchCriteria=Pre tieto kritériá vyhľadávania sa nenašli žiadne moduly +API_DISABLE_COMPRESSION=Zakázať kompresiu odpovedí API +EachTerminalHasItsOwnCounter=Každý terminál používa svoje vlastné počítadlo. +FillAndSaveAccountIdAndSecret=Najprv vyplňte a uložte ID účtu a tajomstvo +PreviousHash=Predchádzajúci hash +LateWarningAfter=Upozornenie „Neskoro“ po +TemplateforBusinessCards=Šablóna na vizitku v rôznych veľkostiach +InventorySetup= Nastavenie zásob +ExportUseLowMemoryMode=Použite režim nízkej pamäte +ExportUseLowMemoryModeHelp=Na vygenerovanie súboru výpisu použite režim nízkej pamäte (komprimácia sa vykonáva cez potrubie namiesto do pamäte PHP). Táto metóda neumožňuje skontrolovať, či je súbor kompletný a v prípade zlyhania nie je možné hlásiť chybové hlásenie. Použite ho, ak sa vyskytnú chyby s nedostatkom pamäte. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL -WebhookSetup = Webhook setup -Settings = Settings -WebhookSetupPage = Webhook setup page -ShowQuickAddLink=Show a button to quickly add an element in top right menu +ModuleWebhookDesc = Rozhranie na zachytenie spúšťačov dolibarr a odosielanie údajov o udalosti na adresu URL +WebhookSetup = Nastavenie webhooku +Settings = nastavenie +WebhookSetupPage = Stránka nastavenia webhooku +ShowQuickAddLink=Zobrazte tlačidlo na rýchle pridanie prvku v ponuke vpravo hore +ShowSearchAreaInTopMenu=Zobrazte oblasť vyhľadávania v hornom menu +HashForPing=Hash použitý na ping +ReadOnlyMode=Je inštancia v režime „Iba na čítanie“. +DEBUGBAR_USE_LOG_FILE=Na zachytenie denníkov použite súbor dolibarr.log +UsingLogFileShowAllRecordOfSubrequestButIsSlower=Použite súbor dolibarr.log na zachytávanie protokolov namiesto zachytávania živej pamäte. Umožňuje zachytiť všetky protokoly namiesto iba protokolu aktuálneho procesu (takže vrátane jedného zo stránok podžiadostí ajax), ale vaša inštancia bude veľmi veľmi pomalá. Neodporúčané. +FixedOrPercent=Pevné (použite kľúčové slovo „pevné“) alebo percento (použite kľúčové slovo „percentá“) +DefaultOpportunityStatus=Predvolený stav príležitosti (prvý stav pri vytvorení potenciálneho zákazníka) -HashForPing=Hash used for ping -ReadOnlyMode=Is instance in "Read Only" mode -DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs -UsingLogFileShowAllRecordOfSubrequestButIsSlower=Use the dolibarr.log file to trap Logs instead of live memory catching. It allows to catch all logs instead of only log of current process (so including the one of ajax subrequests pages) but will make your instance very very slow. Not recommended. -FixedOrPercent=Fixed (use keyword 'fixed') or percent (use keyword 'percent') -DefaultOpportunityStatus=Default opportunity status (first status when lead is created) - -IconAndText=Icon and text -TextOnly=Text only -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon -IconOnly=Icon only - Text on tooltip only -INVOICE_ADD_ZATCA_QR_CODE=Show the ZATCA QR code on invoices -INVOICE_ADD_ZATCA_QR_CODEMore=Some Arabic countries need this QR Code on their invoices -INVOICE_ADD_SWISS_QR_CODE=Show the swiss QR-Bill code on invoices -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. -INVOICE_SHOW_SHIPPING_ADDRESS=Show shipping address -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) -UrlSocialNetworksDesc=Url link of social network. Use {socialid} for the variable part that contains the social network ID. -IfThisCategoryIsChildOfAnother=If this category is a child of another one -DarkThemeMode=Dark theme mode -AlwaysDisabled=Always disabled -AccordingToBrowser=According to browser -AlwaysEnabled=Always Enabled -DoesNotWorkWithAllThemes=Will not work with all themes -NoName=No name -ShowAdvancedOptions= Show advanced options -HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service -DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method -UsePassword=Use a password -UseOauth=Use a OAUTH token -Images=Images -MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -ScriptIsEmpty=The script is empty -ShowHideTheNRequests=Show/hide the %s SQL request(s) -DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s -TriggerCodes=Triggerable events -TriggerCodeInfo=Enter here the trigger code(s) that must generate a post of a web request (only external URL are allowed). You can enter several trigger codes separated by a comma. -EditableWhenDraftOnly=If unchecked, the value can only be modified when object has a draft status -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" -RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents for receptions -MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions -WarningDisabled=Warning disabled -LimitsAndMitigation=Access limits and mitigation -DesktopsOnly=Desktops only -DesktopsAndSmartphones=Desktops et smartphones -AllowOnlineSign=Allow online signing -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. -CSSPage=CSS Style +IconAndText=Ikona a text +TextOnly=Iba text +IconOnlyAllTextsOnHover=Iba ikona - Všetky texty sa zobrazia pod ikonou na myške nad panelom ponuky +IconOnlyTextOnHover=Iba ikona - Text ikony sa zobrazí pod ikonou myšou nad ikonou +IconOnly=Iba ikona – text iba v popise +INVOICE_ADD_ZATCA_QR_CODE=Na faktúrach uvádzajte QR kód ZATCA +INVOICE_ADD_ZATCA_QR_CODEMore=Niektoré arabské krajiny potrebujú tento QR kód na svojich faktúrach +INVOICE_ADD_SWISS_QR_CODE=Ukážte na faktúrach švajčiarsky kód QR-Bill +INVOICE_ADD_SWISS_QR_CODEMore=Švajčiarsky štandard pre faktúry; uistite sa, že sú vyplnené PSČ a mesto a že účty majú platné švajčiarske/lichtenštajnské IBAN. +INVOICE_SHOW_SHIPPING_ADDRESS=Zobraziť dodaciu adresu +INVOICE_SHOW_SHIPPING_ADDRESSMore=Povinná indikácia v niektorých krajinách (Francúzsko, ...) +UrlSocialNetworksDesc=URL odkaz sociálnej siete. Pre premennú časť, ktorá obsahuje ID sociálnej siete, použite {socialid}. +IfThisCategoryIsChildOfAnother=Ak je táto kategória potomkom inej kategórie +DarkThemeMode=Režim tmavého motívu +AlwaysDisabled=Vždy zakázané +AccordingToBrowser=Podľa prehliadača +AlwaysEnabled=Vždy povolené +DoesNotWorkWithAllThemes=Nebude fungovať so všetkými témami +NoName=Bez mena +ShowAdvancedOptions= Zobraziť rozšírené možnosti +HideAdvancedoptions= Skryť rozšírené možnosti +CIDLookupURL=Modul prináša URL adresu, ktorú môže externý nástroj použiť na získanie mena tretej strany alebo kontaktu z jej telefónneho čísla. Adresa URL na použitie je: +OauthNotAvailableForAllAndHadToBeCreatedBefore=Autentifikácia OAUTH2 nie je dostupná pre všetkých hostiteľov a musí byť vytvorený token so správnymi povoleniami proti prúdu s modulom OAUTH +MAIN_MAIL_SMTPS_OAUTH_SERVICE=Overovacia služba OAUTH2 +DontForgetCreateTokenOauthMod=Token so správnymi oprávneniami musí byť vytvorený proti prúdu s modulom OAUTH +MAIN_MAIL_SMTPS_AUTH_TYPE=Spôsob overovania +UsePassword=Použite heslo +UseOauth=Použite token OAUTH +Images=snímky +MaxNumberOfImagesInGetPost=Maximálny povolený počet obrázkov v poli HTML odoslanom vo formulári +MaxNumberOfPostOnPublicPagesByIP=Maximálny počet príspevkov na verejných stránkach s rovnakou IP adresou za mesiac +CIDLookupURL=Modul prináša URL adresu, ktorú môže externý nástroj použiť na získanie mena tretej strany alebo kontaktu z jej telefónneho čísla. Adresa URL na použitie je: +ScriptIsEmpty=Skript je prázdny +ShowHideTheNRequests=Zobraziť/skryť %s požiadavky SQL +DefinedAPathForAntivirusCommandIntoSetup=Definujte cestu pre antivírusový program do %s +TriggerCodes=Spustiteľné udalosti +TriggerCodeInfo=Tu zadajte spúšťací kód (kódy), ktorý musí vygenerovať príspevok webovej požiadavky (povolené sú iba externé adresy URL). Môžete zadať niekoľko spúšťacích kódov oddelených čiarkou. +EditableWhenDraftOnly=Ak nie je začiarknuté, hodnotu možno upraviť len vtedy, keď má objekt stav konceptu +CssOnEdit=CSS na editačných stránkach +CssOnView=CSS na zobrazených stránkach +CssOnList=CSS na zoznamoch +HelpCssOnEditDesc=CSS použité pri úprave poľa.
      Príklad: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=CSS použitý pri prezeraní poľa. +HelpCssOnListDesc=CSS použitý, keď je pole v tabuľke zoznamu.
      Príklad: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=Skryť objednané množstvo na vygenerovaných dokladoch pre recepcie +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Na vygenerovaných dokladoch pre recepcie uveďte cenu +WarningDisabled=Upozornenie vypnuté +LimitsAndMitigation=Prístupové limity a zmiernenie +RecommendMitigationOnURL=Odporúča sa aktivovať zmiernenie na kritickej adrese URL. Toto je zoznam pravidiel fail2ban, ktoré môžete použiť pre hlavné dôležité adresy URL. +DesktopsOnly=Iba stolné počítače +DesktopsAndSmartphones=Stolné počítače a smartfóny +AllowOnlineSign=Povoliť online podpisovanie +AllowExternalDownload=Povoliť externé sťahovanie (bez prihlásenia, pomocou zdieľaného odkazu) +DeadlineDayVATSubmission=Konečný deň na predloženie DPH v nasledujúcom mesiaci +MaxNumberOfAttachementOnForms=Maximálny počet spojených súborov vo formulári +IfDefinedUseAValueBeetween=Ak je definovaná, použite hodnotu medzi %s a %s +Reload=Znovu načítať +ConfirmReload=Potvrďte opätovné načítanie modulu +WarningModuleHasChangedLastVersionCheckParameter=Upozornenie: Modul %s nastavil parameter na kontrolu verzie pri každom prístupe na stránku. Toto je zlý a nepovolený postup, ktorý môže spôsobiť nestabilitu stránky na správu modulov. Ak chcete tento problém vyriešiť, kontaktujte autora modulu. +WarningModuleHasChangedSecurityCsrfParameter=Upozornenie: Modul %s deaktivoval zabezpečenie CSRF vašej inštancie. Táto akcia je podozrivá a vaša inštalácia už nemusí byť zabezpečená. Pre vysvetlenie kontaktujte autora modulu. +EMailsInGoingDesc=Prichádzajúce e-maily spravuje modul %s. Ak potrebujete podporovať prichádzajúce e-maily, musíte ho povoliť a nakonfigurovať. +MAIN_IMAP_USE_PHPIMAP=Použite knižnicu PHP-IMAP pre IMAP namiesto natívneho PHP IMAP. To tiež umožňuje použitie pripojenia OAuth2 pre IMAP (musí byť aktivovaný aj modul OAuth). +MAIN_CHECKBOX_LEFT_COLUMN=Zobraziť stĺpec pre výber polí a riadkov vľavo (predvolene vpravo) +NotAvailableByDefaultEnabledOnModuleActivation=Predvolene nie je vytvorený. Vytvorené iba pri aktivácii modulu. +CSSPage=CSS štýl Defaultfortype=Štandardné -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +DefaultForTypeDesc=Šablóna sa predvolene používa pri vytváraní nového e-mailu pre daný typ šablóny +OptionXShouldBeEnabledInModuleY=Možnosť "%s" by mala byť povolená v module ='notranslate'>%s +OptionXIsCorrectlyEnabledInModuleY=Možnosť „%s“ je povolená v module
      %s +AllowOnLineSign=Povoliť podpis online +AtBottomOfPage=V spodnej časti stránky +FailedAuth=neúspešné overenia +MaxNumberOfFailedAuth=Maximálny počet neúspešných overení za 24 hodín na odmietnutie prihlásenia. +AllowPasswordResetBySendingANewPassByEmail=Ak má používateľ A toto oprávnenie, a aj keď používateľ A nie je „admin“ používateľom, A môže obnoviť heslo akéhokoľvek iného používateľa B, nové heslo bude zaslané na e-mail iného používateľa B, ale nebude viditeľné pre A. Ak má používateľ A príznak „admin“, bude tiež vedieť, aké je nové vygenerované heslo používateľa B, takže bude môcť prevziať kontrolu nad používateľským účtom B. +AllowAnyPrivileges=Ak má používateľ A toto oprávnenie, môže vytvoriť používateľa B so všetkými oprávneniami a potom použiť tohto používateľa B alebo si udeliť akúkoľvek inú skupinu s ľubovoľným oprávnením. To znamená, že používateľ A vlastní všetky obchodné privilégiá (zakázaný bude iba systémový prístup k stránkam nastavenia) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Túto hodnotu je možné prečítať, pretože vaša inštancia nie je nastavená v produkčnom režime +SeeConfFile=Pozrite si súbor conf.php na serveri +ReEncryptDesc=Znova zašifrujte údaje, ak ešte nie sú zašifrované +PasswordFieldEncrypted=%s nový záznam, toto pole bolo zašifrované +ExtrafieldsDeleted=Extrapolia %s boli odstránené +LargeModern=Veľký - moderný +SpecialCharActivation=Povolením tlačidla otvoríte virtuálnu klávesnicu na zadávanie špeciálnych znakov +DeleteExtrafield=Odstrániť extrapole +ConfirmDeleteExtrafield=Potvrdzujete vymazanie poľa %s? Všetky údaje uložené v tomto poli budú definitívne vymazané +ExtraFieldsSupplierInvoicesRec=Doplnkové atribúty (šablóny faktúr) +ExtraFieldsSupplierInvoicesLinesRec=Doplnkové atribúty (riadky faktúry podľa šablóny) +ParametersForTestEnvironment=Parametre pre testovacie prostredie +TryToKeepOnly=Skúste ponechať iba %s +RecommendedForProduction=Odporúčané pre výrobu +RecommendedForDebug=Odporúčané pre ladenie diff --git a/htdocs/langs/sk_SK/agenda.lang b/htdocs/langs/sk_SK/agenda.lang index eab39b2a708..5407f4e21ae 100644 --- a/htdocs/langs/sk_SK/agenda.lang +++ b/htdocs/langs/sk_SK/agenda.lang @@ -4,7 +4,7 @@ Actions=Udalosti Agenda=Program rokovania TMenuAgenda=Program rokovania Agendas=Program -LocalAgenda=Default calendar +LocalAgenda=Predvolený kalendár ActionsOwnedBy=Udalosť vytvorená: ActionsOwnedByShort=Majiteľ AffectedTo=Priradené @@ -12,15 +12,15 @@ Event=Udalosť Events=Udalosti EventsNb=Počet udalostí ListOfActions=Zoznam udalostí -EventReports=Event reports +EventReports=Správy o udalostiach Location=Umiestnenie -ToUserOfGroup=Event assigned to any user in the group +ToUserOfGroup=Udalosť priradená ktorémukoľvek používateľovi v skupine EventOnFullDay=Akcie po celý deň (y) MenuToDoActions=Všetky neúplné udalosti MenuDoneActions=Všetky ukončené akcie MenuToDoMyActions=Moje neúplné udalosti MenuDoneMyActions=Moje ukončených akcií -ListOfEvents=List of events (default calendar) +ListOfEvents=Zoznam udalostí (predvolený kalendár) ActionsAskedBy=Akcia hlásené ActionsToDoBy=Akcia priradené ActionsDoneBy=Akcie vykonané @@ -31,20 +31,21 @@ ViewWeek=Zobraziť týždeň ViewPerUser=Podľa zobrazenia uživateľa ViewPerType=Podľa typu zobrazenia AutoActions= Automatické plnenie -AgendaAutoActionDesc= Here you may define events which you want Dolibarr to create automatically in Agenda. If nothing is checked, only manual actions will be included in logs and displayed in Agenda. Automatic tracking of business actions done on objects (validation, status change) will not be saved. -AgendaSetupOtherDesc= This page provides options to allow the export of your Dolibarr events into an external calendar (Thunderbird, Google Calendar etc...) +AgendaAutoActionDesc= Tu môžete definovať udalosti, ktoré má Dolibarr automaticky vytvárať v Agende. Ak nie je nič začiarknuté, v protokoloch a zobrazené v agende budú zahrnuté iba manuálne akcie. Automatické sledovanie obchodných akcií vykonaných na objektoch (validácia, zmena stavu) sa neuloží. +AgendaSetupOtherDesc= Táto stránka poskytuje možnosti, ktoré umožňujú export vašich udalostí Dolibarr do externého kalendára (Thunderbird, Kalendár Google atď.) AgendaExtSitesDesc=Táto stránka umožňuje deklarovať externé zdroje kalendárov vidieť svoje akcie do programu Dolibarr. ActionsEvents=Udalosti, pre ktoré Dolibarr vytvorí akciu v programe automaticky -EventRemindersByEmailNotEnabled=Event reminders by email was not enabled into %s module setup. +EventRemindersByEmailNotEnabled=Pripomenutia udalostí e-mailom neboli povolené v nastavení modulu %s. ##### Agenda event labels ##### NewCompanyToDolibarr=Tretia strana %s vytvorená -COMPANY_MODIFYInDolibarr=Third party %s modified -COMPANY_DELETEInDolibarr=Third party %s deleted +COMPANY_MODIFYInDolibarr=Upravené %s tretej strany +COMPANY_DELETEInDolibarr=%s tretej strany odstránené ContractValidatedInDolibarr=Zmluva %s overená -CONTRACT_DELETEInDolibarr=Contract %s deleted +CONTRACT_DELETEInDolibarr=Zmluva %s bola odstránená PropalClosedSignedInDolibarr=Ponuka %s podpísaná PropalClosedRefusedInDolibarr=Ponuka %s odmietnutá PropalValidatedInDolibarr=Návrh %s overená +PropalBackToDraftInDolibarr=Návrh %s prejsť späť do stavu konceptu PropalClassifiedBilledInDolibarr=Ponuka %s označená ako faktúrovaná InvoiceValidatedInDolibarr=Faktúra %s overená InvoiceValidatedInDolibarrFromPos=Faktúra %s overená z miesta predaja @@ -53,20 +54,23 @@ InvoiceDeleteDolibarr=Faktúra %s zmazaná InvoicePaidInDolibarr=Faktúra %s označená ako zaplatená InvoiceCanceledInDolibarr=Faktúra %s zrušená MemberValidatedInDolibarr=Užívateľ %s overený -MemberModifiedInDolibarr=Member %s modified +MemberModifiedInDolibarr=Člen %s upravený MemberResiliatedInDolibarr=Užívateľ %s zrušený MemberDeletedInDolibarr=Užívateľ %s zmazaný -MemberSubscriptionAddedInDolibarr=Subscription %s for member %s added -MemberSubscriptionModifiedInDolibarr=Subscription %s for member %s modified -MemberSubscriptionDeletedInDolibarr=Subscription %s for member %s deleted +MemberExcludedInDolibarr=Člen %s je vylúčený +MemberSubscriptionAddedInDolibarr=Pridané predplatné %s pre člena %s +MemberSubscriptionModifiedInDolibarr=Predplatné %s pre člena %s upravené +MemberSubscriptionDeletedInDolibarr=Odber %s pre člena %s bol odstránený ShipmentValidatedInDolibarr=Zásielka %s overená -ShipmentClassifyClosedInDolibarr=Shipment %s classified billed -ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified re-open -ShipmentBackToDraftInDolibarr=Shipment %s go back to draft status +ShipmentClassifyClosedInDolibarr=Zásielka %s klasifikovaná ako uzavretá +ShipmentUnClassifyCloseddInDolibarr=Zásielka %s klasifikovaná ako znova otvorená +ShipmentBackToDraftInDolibarr=Zásielka %s prejsť späť do stavu konceptu ShipmentDeletedInDolibarr=Zásielka %s zmazaná -ShipmentCanceledInDolibarr=Shipment %s canceled -ReceptionValidatedInDolibarr=Reception %s validated -OrderCreatedInDolibarr=Order %s created +ShipmentCanceledInDolibarr=Zásielka %s zrušená +ReceptionValidatedInDolibarr=Príjem %s overený +ReceptionDeletedInDolibarr=Recepcia %s bola odstránená +ReceptionClassifyClosedInDolibarr=Recepcia %s klasifikovaná ako zatvorená +OrderCreatedInDolibarr=Objednávka %s bola vytvorená OrderValidatedInDolibarr=Objednať %s overená OrderDeliveredInDolibarr=Objednávka %s doručená OrderCanceledInDolibarr=Objednať %s zrušený @@ -74,67 +78,72 @@ OrderBilledInDolibarr=Objednávka %s faktúrovaná OrderApprovedInDolibarr=Objednať %s schválený OrderRefusedInDolibarr=Objednávka %s odmietnutá OrderBackToDraftInDolibarr=Objednať %s vrátiť do stavu návrhu -ProposalSentByEMail=Commercial proposal %s sent by email -ContractSentByEMail=Contract %s sent by email -OrderSentByEMail=Sales order %s sent by email -InvoiceSentByEMail=Customer invoice %s sent by email -SupplierOrderSentByEMail=Purchase order %s sent by email -ORDER_SUPPLIER_DELETEInDolibarr=Purchase order %s deleted -SupplierInvoiceSentByEMail=Vendor invoice %s sent by email -ShippingSentByEMail=Shipment %s sent by email +ProposalSentByEMail=Komerčný návrh %s odoslaný e-mailom +ContractSentByEMail=Zmluva %s odoslaná e-mailom +OrderSentByEMail=Predajná objednávka %s odoslaná e-mailom +InvoiceSentByEMail=Zákaznícka faktúra %s odoslaná e-mailom +SupplierOrderSentByEMail=Objednávka %s odoslaná e-mailom +ORDER_SUPPLIER_DELETEInDolibarr=Objednávka %s bola odstránená +SupplierInvoiceSentByEMail=Faktúra dodávateľa %s odoslaná e-mailom +ShippingSentByEMail=Zásielka %s odoslaná e-mailom ShippingValidated= Zásielka %s overená -InterventionSentByEMail=Intervention %s sent by email +InterventionSentByEMail=Zásah %s odoslaný e-mailom +ProjectSentByEMail=Projekt %s odoslaný e-mailom +ProjectDeletedInDolibarr=Projekt %s bol odstránený +ProjectClosedInDolibarr=Projekt %s uzavretý ProposalDeleted=Ponuka zmazaná OrderDeleted=Objednávka zmazaná InvoiceDeleted=Faktúra zmazaná -DraftInvoiceDeleted=Draft invoice deleted -CONTACT_CREATEInDolibarr=Contact %s created -CONTACT_MODIFYInDolibarr=Contact %s modified -CONTACT_DELETEInDolibarr=Contact %s deleted -PRODUCT_CREATEInDolibarr=Product %s created -PRODUCT_MODIFYInDolibarr=Product %s modified -PRODUCT_DELETEInDolibarr=Product %s deleted -HOLIDAY_CREATEInDolibarr=Request for leave %s created -HOLIDAY_MODIFYInDolibarr=Request for leave %s modified -HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated -HOLIDAY_DELETEInDolibarr=Request for leave %s deleted -EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created -EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated -EXPENSE_REPORT_APPROVEInDolibarr=Expense report %s approved -EXPENSE_REPORT_DELETEInDolibarr=Expense report %s deleted -EXPENSE_REPORT_REFUSEDInDolibarr=Expense report %s refused +DraftInvoiceDeleted=Koncept faktúry bol odstránený +CONTACT_CREATEInDolibarr=Kontakt %s bol vytvorený +CONTACT_MODIFYInDolibarr=Kontakt %s upravený +CONTACT_DELETEInDolibarr=Kontakt %s bol odstránený +PRODUCT_CREATEInDolibarr=Produkt %s bol vytvorený +PRODUCT_MODIFYInDolibarr=Produkt %s upravený +PRODUCT_DELETEInDolibarr=Produkt %s bol odstránený +HOLIDAY_CREATEInDolibarr=Žiadosť o dovolenku %s bola vytvorená +HOLIDAY_MODIFYInDolibarr=Žiadosť o dovolenku %s upravená +HOLIDAY_APPROVEInDolibarr=Žiadosť o dovolenku %s schválená +HOLIDAY_VALIDATEInDolibarr=Žiadosť o dovolenku %s bola potvrdená +HOLIDAY_DELETEInDolibarr=Žiadosť o dovolenku %s bola odstránená +EXPENSE_REPORT_CREATEInDolibarr=Bol vytvorený prehľad výdavkov %s +EXPENSE_REPORT_VALIDATEInDolibarr=Prehľad výdavkov %s overený +EXPENSE_REPORT_APPROVEInDolibarr=Prehľad výdavkov %s schválený +EXPENSE_REPORT_DELETEInDolibarr=Prehľad výdavkov %s bol odstránený +EXPENSE_REPORT_REFUSEDInDolibarr=Prehľad výdavkov %s odmietol PROJECT_CREATEInDolibarr=Projekt vytvoril %s -PROJECT_MODIFYInDolibarr=Project %s modified -PROJECT_DELETEInDolibarr=Project %s deleted -TICKET_CREATEInDolibarr=Ticket %s created -TICKET_MODIFYInDolibarr=Ticket %s modified -TICKET_ASSIGNEDInDolibarr=Ticket %s assigned -TICKET_CLOSEInDolibarr=Ticket %s closed -TICKET_DELETEInDolibarr=Ticket %s deleted -BOM_VALIDATEInDolibarr=BOM validated -BOM_UNVALIDATEInDolibarr=BOM unvalidated -BOM_CLOSEInDolibarr=BOM disabled -BOM_REOPENInDolibarr=BOM reopen -BOM_DELETEInDolibarr=BOM deleted -MRP_MO_VALIDATEInDolibarr=MO validated -MRP_MO_UNVALIDATEInDolibarr=MO set to draft status -MRP_MO_PRODUCEDInDolibarr=MO produced -MRP_MO_DELETEInDolibarr=MO deleted -MRP_MO_CANCELInDolibarr=MO canceled -PAIDInDolibarr=%s paid +PROJECT_MODIFYInDolibarr=Projekt %s upravený +PROJECT_DELETEInDolibarr=Projekt %s bol odstránený +TICKET_CREATEInDolibarr=Lístok %s bol vytvorený +TICKET_MODIFYInDolibarr=Lístok %s upravený +TICKET_ASSIGNEDInDolibarr=Vstupenka %s pridelená +TICKET_CLOSEInDolibarr=Vstupenka %s uzavretá +TICKET_DELETEInDolibarr=Lístok %s bol odstránený +BOM_VALIDATEInDolibarr=Kusovník overený +BOM_UNVALIDATEInDolibarr=Kusovník neoverený +BOM_CLOSEInDolibarr=Kusovník je zakázaný +BOM_REOPENInDolibarr=Opätovné otvorenie kusovníka +BOM_DELETEInDolibarr=Kusovník vymazaný +MRP_MO_VALIDATEInDolibarr=MO overené +MRP_MO_UNVALIDATEInDolibarr=MO nastavené do stavu konceptu +MRP_MO_PRODUCEDInDolibarr=MO vyrobené +MRP_MO_DELETEInDolibarr=MO vymazané +MRP_MO_CANCELInDolibarr=MO zrušené +PAIDInDolibarr=%s zaplatené +ENABLEDISABLEInDolibarr=Používateľ je povolený alebo zakázaný +CANCELInDolibarr=Zrušený ##### End agenda events ##### -AgendaModelModule=Document templates for event +AgendaModelModule=Šablóny dokumentov pre udalosť DateActionStart=Dátum začatia DateActionEnd=Dátum ukončenia AgendaUrlOptions1=Môžete tiež pridať nasledujúce parametre filtrovania výstupu: AgendaUrlOptions3=logina=%s pre obmedzenie výstupu akciam ktoré vlastní užívateľ %s. -AgendaUrlOptionsNotAdmin=logina=!%s to restrict output to actions not owned by user %s. -AgendaUrlOptions4=logint=%s to restrict output to actions assigned to user %s (owner and others). -AgendaUrlOptionsProject=project=__PROJECT_ID__ to restrict output to actions linked to project __PROJECT_ID__. -AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto to exclude automatic events. -AgendaUrlOptionsIncludeHolidays=includeholidays=1 to include events of holidays. -AgendaShowBirthdayEvents=Birthdays of contacts +AgendaUrlOptionsNotAdmin=logina=!%s na obmedzenie výstupu na akcie, ktoré nie sú vlastnené používateľ %s. +AgendaUrlOptions4=logint=%s na obmedzenie < výstupu na akcie priradené používateľovi span class='notranslate'>
      %s (vlastník a ďalší). +AgendaUrlOptionsProject=project=__PROJECT_ID__, aby ste obmedzili výstup na akcie spojené s projektom b0aeee>3650838 __PROJECT_ID__. +AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto na vylúčenie automatických udalostí. +AgendaUrlOptionsIncludeHolidays=includeholidays=1 na zahrnutie udalostí sviatkov. +AgendaShowBirthdayEvents=Narodeniny kontaktov AgendaHideBirthdayEvents=Skryť naroodeniny kontaktov Busy=Zaneprázdnený ExportDataset_event1=Zoznam agendy udalostí @@ -143,9 +152,9 @@ DefaultWorkingHours=Pracovná doba ( Pr.: 9-18 ) # External Sites ical ExportCal=Export kalendár ExtSites=Importovať externé kalendára -ExtSitesEnableThisTool=Show external calendars (defined in global setup) in Agenda. Does not affect external calendars defined by users. +ExtSitesEnableThisTool=Zobraziť externé kalendáre (definované v globálnom nastavení) v programe Agenda. Nemá vplyv na externé kalendáre definované používateľmi. ExtSitesNbOfAgenda=Počet kalendárov -AgendaExtNb=Calendar no. %s +AgendaExtNb=Kalendár č. %s ExtSiteUrlAgenda=URL pre prístup. Súbor iCal ExtSiteNoLabel=Nie Popis VisibleTimeRange=Vyditelný časový rozsah @@ -156,19 +165,43 @@ ActionType=Typ udalosti DateActionBegin=Začiatok udalosti ConfirmCloneEvent=Určite chcete duplikovať udalosť %s? RepeatEvent=Opakovať udalosť -OnceOnly=Once only +OnceOnly=Len raz +EveryDay=Každý deň EveryWeek=Každý týždeň EveryMonth=Každý mesiac DayOfMonth=Deň v mesiaci DayOfWeek=Deň v týždni DateStartPlusOne=Čas začatia + 1 hodina -SetAllEventsToTodo=Set all events to todo -SetAllEventsToInProgress=Set all events to in progress -SetAllEventsToFinished=Set all events to finished -ReminderTime=Reminder period before the event -TimeType=Duration type -ReminderType=Callback type -AddReminder=Create an automatic reminder notification for this event -ErrorReminderActionCommCreation=Error creating the reminder notification for this event -BrowserPush=Browser Popup Notification -ActiveByDefault=Enabled by default +SetAllEventsToTodo=Nastavte všetky udalosti na todo +SetAllEventsToInProgress=Všetky udalosti nastavte na prebiehajúce +SetAllEventsToFinished=Nastavte všetky udalosti na ukončené +ReminderTime=Obdobie pripomenutia pred podujatím +TimeType=Typ trvania +ReminderType=Typ spätného volania +AddReminder=Vytvorte automatické upozornenie na túto udalosť +ErrorReminderActionCommCreation=Chyba pri vytváraní upozornenia na túto udalosť +BrowserPush=Vyskakovacie upozornenie prehliadača +Reminders=Pripomienky +ActiveByDefault=Predvolene povolené +Until=kým +DataFromWasMerged=Údaje z %s boli zlúčené +AgendaShowBookcalCalendar=Rezervačný kalendár: %s +MenuBookcalIndex=Online stretnutie +BookcalLabelAvailabilityHelp=Označenie rozsahu dostupnosti. Napríklad:
      Všeobecná dostupnosť
      Dostupnosť počas vianočných sviatkov +DurationOfRange=Trvanie rozsahov +BookCalSetup = Online nastavenie stretnutia +Settings = nastavenie +BookCalSetupPage = Stránka nastavenia schôdzok online +BOOKCAL_PUBLIC_INTERFACE_TOPIC = Názov rozhrania +About = O +BookCalAbout = O BookCal +BookCalAboutPage = O stránke BookCal +Calendars=Kalendára +Availabilities=Dostupnosť +NewAvailabilities=Nové možnosti +NewCalendar=Nový kalendár +ThirdPartyBookCalHelp=Udalosť rezervovaná v tomto kalendári bude automaticky prepojená s touto treťou stranou. +AppointmentDuration = Trvanie stretnutia : %s +BookingSuccessfullyBooked=Vaša rezervácia bola uložená +BookingReservationHourAfter=Potvrdzujeme rezerváciu nášho stretnutia na dátum %s +BookcalBookingTitle=Online stretnutie diff --git a/htdocs/langs/sk_SK/bills.lang b/htdocs/langs/sk_SK/bills.lang index 1ce7bfbeb6f..00b5edeb9a5 100644 --- a/htdocs/langs/sk_SK/bills.lang +++ b/htdocs/langs/sk_SK/bills.lang @@ -1,40 +1,40 @@ # Dolibarr language file - Source file is en_US - bills Bill=Faktúra Bills=Faktúry -BillsCustomers=Customer invoices +BillsCustomers=Odberateľské faktúry BillsCustomer=Zákazník faktúra -BillsSuppliers=Vendor invoices +BillsSuppliers=Dodávateľské faktúry BillsCustomersUnpaid=Nezaplatené zákaznické faktúry -BillsCustomersUnpaidForCompany=Unpaid customer invoices for %s -BillsSuppliersUnpaid=Unpaid vendor invoices -BillsSuppliersUnpaidForCompany=Unpaid vendors invoices for %s +BillsCustomersUnpaidForCompany=Nezaplatené zákaznícke faktúry za %s +BillsSuppliersUnpaid=Nezaplatené faktúry dodávateľa +BillsSuppliersUnpaidForCompany=Nezaplatené faktúry dodávateľov za %s BillsLate=Oneskorené platby BillsStatistics=Štatistiky zákazníckych faktúr -BillsStatisticsSuppliers=Vendors invoices statistics -DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping -DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. -DisabledBecauseNotLastSituationInvoice=Disabled because invoice is not erasable. This invoice is not the last one in situation invoice cycle. +BillsStatisticsSuppliers=Štatistiky faktúr dodávateľov +DisabledBecauseDispatchedInBookkeeping=Deaktivované, pretože faktúra bola odoslaná do účtovníctva +DisabledBecauseNotLastInvoice=Deaktivované, pretože faktúru nie je možné vymazať. Niektoré faktúry boli zaevidované až po tejto a vytvorí diery na pulte. +DisabledBecauseNotLastSituationInvoice=Deaktivované, pretože faktúru nie je možné vymazať. Táto faktúra nie je poslednou v situačnom fakturačnom cykle. DisabledBecauseNotErasable=Vypnuté lebo nemôze byť zmazané InvoiceStandard=Štandardné faktúra InvoiceStandardAsk=Štandardné faktúra InvoiceStandardDesc=Tento druh faktúry je spoločná faktúra. -InvoiceStandardShort=Standard -InvoiceDeposit=Down payment invoice -InvoiceDepositAsk=Down payment invoice -InvoiceDepositDesc=This kind of invoice is done when a down payment has been received. +InvoiceStandardShort=Štandardné +InvoiceDeposit=Zálohová faktúra +InvoiceDepositAsk=Zálohová faktúra +InvoiceDepositDesc=Tento druh faktúry sa vystavuje po prijatí zálohy. InvoiceProForma=Proforma faktúra InvoiceProFormaAsk=Proforma faktúra InvoiceProFormaDesc=Proforma faktúra je obraz skutočnej faktúry, ale nemá evidencia hodnotu. InvoiceReplacement=Náhradné faktúra -InvoiceReplacementShort=Replacement +InvoiceReplacementShort=Výmena InvoiceReplacementAsk=Náhradné faktúra faktúry -InvoiceReplacementDesc=Replacement invoice is used to completely replace an invoice with no payment already received.

      Note: Only invoices with no payment on it can be replaced. If the invoice you replace is not yet closed, it will be automatically closed to 'abandoned'. +InvoiceReplacementDesc=Náhradná faktúra sa používa na úplné nahradenie faktúry bez už prijatej platby.b0392bzccf
      Poznámka: Nahradiť možno iba faktúry, na ktorých nie je žiadna platba. Ak faktúra, ktorú nahrádzate, ešte nie je uzavretá, automaticky sa uzavrie ako „opustená“. InvoiceAvoir=Dobropis InvoiceAvoirAsk=Dobropis opraviť faktúru -InvoiceAvoirDesc=The credit note is a negative invoice used to correct the fact that an invoice shows an amount that differs from the amount actually paid (eg the customer paid too much by mistake, or will not pay the complete amount since some products were returned). -invoiceAvoirWithLines=Create Credit Note with lines from the origin invoice -invoiceAvoirWithPaymentRestAmount=Create Credit Note with remaining unpaid of origin invoice -invoiceAvoirLineWithPaymentRestAmount=Credit Note for remaining unpaid amount +InvoiceAvoirDesc=dobropis je záporná faktúra používaná na opravu skutočnosti, že faktúra zobrazuje sumu, ktorá sa líši od skutočnej sumy zaplatené (napr. zákazník omylom zaplatil príliš veľa alebo nezaplatí celú sumu, pretože niektoré produkty boli vrátené). +invoiceAvoirWithLines=Vytvorte dobropis s riadkami z pôvodnej faktúry +invoiceAvoirWithPaymentRestAmount=Vytvorte dobropis so zostávajúcou nezaplatenou pôvodnou faktúrou +invoiceAvoirLineWithPaymentRestAmount=Dobropis na zostávajúcu nezaplatenú sumu ReplaceInvoice=Vymeňte faktúry %s ReplacementInvoice=Náhradné faktúra ReplacedByInvoice=Nahradil faktúre %s @@ -44,9 +44,9 @@ CorrectionInvoice=Oprava faktúry UsedByInvoice=Použitá na úhradu faktúr %s ConsumedBy=Spotrebované NotConsumed=Ktorá nebola spotrebovaná, -NoReplacableInvoice=No replaceable invoices +NoReplacableInvoice=Žiadne vymeniteľné faktúry NoInvoiceToCorrect=Nie faktúru opraviť -InvoiceHasAvoir=Was source of one or several credit notes +InvoiceHasAvoir=Bol zdrojom jednej alebo viacerých dobropisov CardBill=Faktúra karty PredefinedInvoices=Preddefinované Faktúry Invoice=Faktúra @@ -55,257 +55,263 @@ Invoices=Faktúry InvoiceLine=Faktúra linka InvoiceCustomer=Zákazník faktúra CustomerInvoice=Zákazník faktúra -CustomersInvoices=Customer invoices -SupplierInvoice=Vendor invoice -SuppliersInvoices=Vendor invoices -SupplierInvoiceLines=Vendor invoice lines -SupplierBill=Vendor invoice -SupplierBills=Vendor invoices +CustomersInvoices=Odberateľské faktúry +SupplierInvoice=Faktúra dodávateľa +SuppliersInvoices=Dodávateľské faktúry +SupplierInvoiceLines=Riadky faktúry dodávateľa +SupplierBill=Faktúra dodávateľa +SupplierBills=Dodávateľské faktúry Payment=Platba -PaymentBack=Refund -CustomerInvoicePaymentBack=Refund +PaymentBack=Vrátenie peňazí +CustomerInvoicePaymentBack=Vrátenie peňazí Payments=Platby -PaymentsBack=Refunds -paymentInInvoiceCurrency=in invoices currency +PaymentsBack=Vrátenie peňazí +paymentInInvoiceCurrency=v mene faktúr PaidBack=Platené späť DeletePayment=Odstrániť platby -ConfirmDeletePayment=Are you sure you want to delete this payment? -ConfirmConvertToReduc=Do you want to convert this %s into an available credit? -ConfirmConvertToReduc2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this customer. -ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit? -ConfirmConvertToReducSupplier2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this vendor. -SupplierPayments=Vendor payments +ConfirmDeletePayment=Naozaj chcete odstrániť túto platbu? +ConfirmConvertToReduc=Chcete previesť tento %s na dostupný kredit? +ConfirmConvertToReduc2=Suma sa uloží medzi všetky zľavy a možno ju použiť ako zľavu na aktuálnu alebo budúcu faktúru pre tohto zákazníka. +ConfirmConvertToReducSupplier=Chcete previesť tento %s na dostupný kredit? +ConfirmConvertToReducSupplier2=Suma sa uloží medzi všetky zľavy a môže sa použiť ako zľava na aktuálnu alebo budúcu faktúru pre tohto predajcu. +SupplierPayments=Platby dodávateľa ReceivedPayments=Prijaté platby ReceivedCustomersPayments=Platby prijaté od zákazníkov -PayedSuppliersPayments=Payments paid to vendors +PayedSuppliersPayments=Platby platené predajcom ReceivedCustomersPaymentsToValid=Prijaté platby zákazníci overujú PaymentsReportsForYear=Platby správy pre %s PaymentsReports=Platby správy PaymentsAlreadyDone=Platby neurobili -PaymentsBackAlreadyDone=Refunds already done +PaymentsBackAlreadyDone=Vrátenie peňazí sa už uskutočnilo PaymentRule=Platba pravidlo -PaymentMode=Payment method -PaymentModes=Payment methods -DefaultPaymentMode=Default Payment method -DefaultBankAccount=Default Bank Account -IdPaymentMode=Payment method (id) -CodePaymentMode=Payment method (code) -LabelPaymentMode=Payment method (label) -PaymentModeShort=Payment method -PaymentTerm=Payment Term -PaymentConditions=Payment Terms -PaymentConditionsShort=Payment Terms +PaymentMode=Spôsob platby +PaymentModes=Spôsob platby +DefaultPaymentMode=Predvolený spôsob platby +DefaultBankAccount=Predvolený bankový účet +IdPaymentMode=Spôsob platby (id) +CodePaymentMode=Spôsob platby (kód) +LabelPaymentMode=Spôsob platby (štítok) +PaymentModeShort=Spôsob platby +PaymentTerm=Lehota splatnosti +PaymentConditions=Platobné podmienky +PaymentConditionsShort=Platobné podmienky PaymentAmount=Suma platby PaymentHigherThanReminderToPay=Platobné vyššia než upomienke na zaplatenie -HelpPaymentHigherThanReminderToPay=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess received for each overpaid invoice. -HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess paid for each overpaid invoice. +HelpPaymentHigherThanReminderToPay=Pozor, čiastka platby jednej alebo viacerých účtov je vyššia ako dlžná čiastka na zaplatenie.
      Upravte svoj záznam, v opačnom prípade potvrďte a zvážte vytvorenie dobropisu na preplatok prijatý za každú preplatenú faktúru. +HelpPaymentHigherThanReminderToPaySupplier=Pozor, čiastka platby jednej alebo viacerých účtov je vyššia ako dlžná čiastka na zaplatenie.
      Upravte svoj záznam, v opačnom prípade potvrďte a zvážte vytvorenie dobropisu na preplatok zaplatenú za každú preplatenú faktúru. ClassifyPaid=Klasifikáciu "Zaplatené" -ClassifyUnPaid=Classify 'Unpaid' +ClassifyUnPaid=Klasifikovať ako „nezaplatené“ ClassifyPaidPartially=Klasifikovať "Platené čiastočne" ClassifyCanceled=Klasifikovať "Opustené" ClassifyClosed=Klasifikáciu "uzavretým" -ClassifyUnBilled=Classify 'Unbilled' +ClassifyUnBilled=Klasifikovať ako „neúčtované“ CreateBill=Vytvoriť faktúru CreateCreditNote=Vytvorte dobropis AddBill=Vytvoriť faktúru alebo kreditnú poznámku AddToDraftInvoices=Pridať k návrhu faktúru DeleteBill=Odstrániť faktúru SearchACustomerInvoice=Hľadať zákazníckej faktúre -SearchASupplierInvoice=Search for a vendor invoice +SearchASupplierInvoice=Vyhľadajte faktúru dodávateľa CancelBill=Storno faktúry SendRemindByMail=Poslať upozornenie e-mailom -DoPayment=Enter payment -DoPaymentBack=Enter refund -ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into available credit -ConvertExcessPaidToReduc=Convert excess paid into available discount +DoPayment=Zadajte platbu +DoPaymentBack=Zadajte vrátenie peňazí +ConvertToReduc=Označiť ako dostupný kredit +ConvertExcessReceivedToReduc=Premeňte prijatý prebytok na dostupný kredit +ConvertExcessPaidToReduc=Premeňte zaplatenú sumu na dostupnú zľavu EnterPaymentReceivedFromCustomer=Zadajte platby, ktoré obdržal od zákazníka EnterPaymentDueToCustomer=Vykonať platbu zo strany zákazníka -DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Base price +DisabledBecauseRemainderToPayIsZero=Deaktivované, pretože zostávajúce nezaplatené je nula +PriceBase=Základná cena BillStatus=Stav faktúry -StatusOfGeneratedInvoices=Status of generated invoices +StatusOfAutoGeneratedInvoices=Stav automaticky generovaných faktúr BillStatusDraft=Návrh (musí byť overená) BillStatusPaid=Platený -BillStatusPaidBackOrConverted=Credit note refund or marked as credit available -BillStatusConverted=Paid (ready for consumption in final invoice) +BillStatusPaidBackOrConverted=Vrátenie dobropisu alebo označené ako dostupný kredit +BillStatusConverted=Zaplatené (pripravené na spotrebu v konečnej faktúre) BillStatusCanceled=Opustený BillStatusValidated=Overené (potrebné venovať) BillStatusStarted=Začíname BillStatusNotPaid=Nezaplatil -BillStatusNotRefunded=Not refunded +BillStatusNotRefunded=Nevrátené BillStatusClosedUnpaid=Uzavretá (neplatené) BillStatusClosedPaidPartially=Platené (čiastočne) BillShortStatusDraft=Návrh BillShortStatusPaid=Platený -BillShortStatusPaidBackOrConverted=Refunded or converted -Refunded=Refunded +BillShortStatusPaidBackOrConverted=Vrátené alebo konvertované +Refunded=Vrátené BillShortStatusConverted=Platený BillShortStatusCanceled=Opustený BillShortStatusValidated=Overené BillShortStatusStarted=Začíname BillShortStatusNotPaid=Nezaplatil -BillShortStatusNotRefunded=Not refunded +BillShortStatusNotRefunded=Nevrátené BillShortStatusClosedUnpaid=Zatvorené BillShortStatusClosedPaidPartially=Platené (čiastočne) PaymentStatusToValidShort=Ak chcete overiť -ErrorVATIntraNotConfigured=Intra-Community VAT number not yet defined -ErrorNoPaiementModeConfigured=No default payment type defined. Go to Invoice module setup to fix this. -ErrorCreateBankAccount=Create a bank account, then go to Setup panel of Invoice module to define payment types +ErrorVATIntraNotConfigured=Číslo DPH v rámci Spoločenstva ešte nie je definované +ErrorNoPaiementModeConfigured=Nie je definovaný žiadny predvolený typ platby. Ak to chcete vyriešiť, prejdite do nastavenia modulu faktúr. +ErrorCreateBankAccount=Vytvorte si bankový účet a potom prejdite na panel Nastavenie modulu Faktúra a definujte typy platieb ErrorBillNotFound=Faktúra %s neexistuje -ErrorInvoiceAlreadyReplaced=Error, you tried to validate an invoice to replace invoice %s. But this one has already been replaced by invoice %s. +ErrorInvoiceAlreadyReplaced=Chyba, pokúsili ste sa overiť faktúru, ktorá má nahradiť faktúru %s. Ale táto už bola nahradená faktúrou %s. ErrorDiscountAlreadyUsed=Chyba zľava už používa ErrorInvoiceAvoirMustBeNegative=Chyba musí byť správna faktúra mať zápornú čiastku -ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have an amount excluding tax positive (or null) +ErrorInvoiceOfThisTypeMustBePositive=Chyba, tento typ faktúry musí mať kladnú (alebo nulovú) sumu bez dane ErrorCantCancelIfReplacementInvoiceNotValidated=Chyba, nemožno zrušiť, ak faktúra, ktorá bola nahradená inou faktúru, ktorá je stále v stave návrhu -ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=This part or another is already used so discount series cannot be removed. -ErrorInvoiceIsNotLastOfSameType=Error: The date of invoice %s is %s. It must be posterior or equal to last date for same type invoices (%s). Please change the invoice date. +ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Tento alebo iný diel je už použitý, takže zľavové série nie je možné odstrániť. +ErrorInvoiceIsNotLastOfSameType=Chyba: Dátum faktúry %s je %s. V prípade faktúr rovnakého typu musí byť neskorší alebo rovnaký ako posledný dátum (%s). Zmeňte dátum faktúry. BillFrom=Z BillTo=Na -ShippingTo=Shipping to +ShippingTo=Doprava do ActionsOnBill=Akcie na faktúre -RecurringInvoiceTemplate=Template / Recurring invoice -NoQualifiedRecurringInvoiceTemplateFound=No recurring template invoice qualified for generation. -FoundXQualifiedRecurringInvoiceTemplate=Found %s recurring template invoice(s) qualified for generation. -NotARecurringInvoiceTemplate=Not a recurring template invoice +ActionsOnBillRec=Akcie na opakujúcej sa faktúre +RecurringInvoiceTemplate=Šablóna / Opakujúca sa faktúra +NoQualifiedRecurringInvoiceTemplateFound=Žiadna opakujúca sa šablóna faktúry nekvalifikovaná na generovanie. +FoundXQualifiedRecurringInvoiceTemplate=%s opakujúce sa šablónové faktúry spĺňajúce podmienky na generovanie. +NotARecurringInvoiceTemplate=Nie je to opakujúca sa šablóna faktúry NewBill=Nová faktúra -LastBills=Latest %s invoices -LatestTemplateInvoices=Latest %s template invoices -LatestCustomerTemplateInvoices=Latest %s customer template invoices -LatestSupplierTemplateInvoices=Latest %s vendor template invoices -LastCustomersBills=Latest %s customer invoices -LastSuppliersBills=Latest %s vendor invoices +LastBills=Najnovšie faktúry %s +LatestTemplateInvoices=Najnovšie šablóny faktúr %s +LatestCustomerTemplateInvoices=Najnovšie faktúry so šablónou zákazníka %s +LatestSupplierTemplateInvoices=Najnovšie faktúry dodávateľa so šablónou %s +LastCustomersBills=Najnovšie zákaznícke faktúry %s +LastSuppliersBills=Najnovšie faktúry dodávateľa %s AllBills=Všetky faktúry -AllCustomerTemplateInvoices=All template invoices +AllCustomerTemplateInvoices=Všetky šablóny faktúr OtherBills=Ostatné faktúry DraftBills=Návrhy faktúry -CustomersDraftInvoices=Customer draft invoices -SuppliersDraftInvoices=Vendor draft invoices +CustomersDraftInvoices=Odberateľské návrhy faktúr +SuppliersDraftInvoices=Dodávateľské návrhy faktúr Unpaid=Nezaplatený -ErrorNoPaymentDefined=Error No payment defined -ConfirmDeleteBill=Are you sure you want to delete this invoice? -ConfirmValidateBill=Are you sure you want to validate this invoice with reference %s? -ConfirmUnvalidateBill=Are you sure you want to change invoice %s to draft status? -ConfirmClassifyPaidBill=Are you sure you want to change invoice %s to status paid? -ConfirmCancelBill=Are you sure you want to cancel invoice %s? -ConfirmCancelBillQuestion=Why do you want to classify this invoice 'abandoned'? -ConfirmClassifyPaidPartially=Are you sure you want to change invoice %s to status paid? -ConfirmClassifyPaidPartiallyQuestion=This invoice has not been paid completely. What is the reason for closing this invoice? -ConfirmClassifyPaidPartiallyReasonAvoir=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I regularize the VAT with a credit note. -ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. -ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I accept to lose the VAT on this discount. -ConfirmClassifyPaidPartiallyReasonDiscountVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I recover the VAT on this discount without a credit note. +ErrorNoPaymentDefined=Chyba Nie je definovaná žiadna platba +ConfirmDeleteBill=Naozaj chcete odstrániť túto faktúru? +ConfirmValidateBill=Naozaj chcete overiť túto faktúru pomocou odkazu %s >? +ConfirmUnvalidateBill=Naozaj chcete zmeniť faktúru %s na stav konceptu ? +ConfirmClassifyPaidBill=Naozaj chcete zmeniť faktúru %s na stav zaplatená ? +ConfirmCancelBill=Naozaj chcete zrušiť faktúru %s? +ConfirmCancelBillQuestion=Prečo chcete túto faktúru klasifikovať ako „opustenú“? +ConfirmClassifyPaidPartially=Naozaj chcete zmeniť faktúru %s na stav zaplatená ? +ConfirmClassifyPaidPartiallyQuestion=Táto faktúra nebola úplne uhradená. Aký je dôvod na uzavretie tejto faktúry? +ConfirmClassifyPaidPartiallyReasonAvoir=Zostávajúce nezaplatené (%s %s)%s >
      je poskytnutá zľava, pretože platba bola vykonaná pred termínom. DPH upravujem dobropisom. +ConfirmClassifyPaidPartiallyReasonDiscount=Zostávajúce nezaplatené (%s %s)%s > je poskytnutá zľava, pretože platba bola vykonaná pred termínom. +ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Zostávajúce nezaplatené (%s %s)%s > je poskytnutá zľava, pretože platba bola vykonaná pred termínom. Súhlasím so stratou DPH z tejto zľavy. +ConfirmClassifyPaidPartiallyReasonDiscountVat=Zostávajúce nezaplatené (%s %s)%s > je poskytnutá zľava, pretože platba bola vykonaná pred termínom. DPH z tejto zľavy vymáham bez dobropisu. ConfirmClassifyPaidPartiallyReasonBadCustomer=Bad zákazník -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) -ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax +ConfirmClassifyPaidPartiallyReasonBadSupplier=Zlý predajca +ConfirmClassifyPaidPartiallyReasonBankCharge=Zrážka bankou (poplatok sprostredkovateľskej banky) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=Zrážková daň ConfirmClassifyPaidPartiallyReasonProductReturned=Produkty čiastočne vrátil ConfirmClassifyPaidPartiallyReasonOther=Suma opustená iného dôvodu -ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=This choice is possible if your invoice has been provided with suitable comments. (Example «Only the tax corresponding to the price that has been actually paid gives rights to deduction») -ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=In some countries, this choice might be possible only if your invoice contains correct notes. +ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=Táto voľba je možná, ak bola vaša faktúra vybavená vhodnými komentármi. (Príklad „Právo na odpočet poskytuje iba daň zodpovedajúca cene, ktorá bola skutočne zaplatená“). +ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=V niektorých krajinách môže byť táto voľba možná iba vtedy, ak vaša faktúra obsahuje správne poznámky. ConfirmClassifyPaidPartiallyReasonAvoirDesc=Použite túto voľbu, ak všetky ostatné nesluší -ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=A bad customer is a customer that refuses to pay his debt. +ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=Zlý zákazník je zákazník, ktorý odmieta zaplatiť svoj dlh. ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Táto voľba sa používa, keď platba nie je kompletná, pretože niektoré z výrobkov boli vrátené -ConfirmClassifyPaidPartiallyReasonBankChargeDesc=The unpaid amount is intermediary bank fees, deducted directly from the correct amount paid by the Customer. -ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax -ConfirmClassifyPaidPartiallyReasonOtherDesc=Use this choice if all others are not suitable, for example in following situation:
      - payment not complete because some products were shipped back
      - amount claimed too important because a discount was forgotten
      In all cases, amount over-claimed must be corrected in accountancy system by creating a credit note. +ConfirmClassifyPaidPartiallyReasonBankChargeDesc=Nezaplatená suma je poplatky sprostredkovateľskej banky, ktoré sa odpočítavajú priamo z b0aee37336 >správna suma
      zaplatená zákazníkom. +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=Nezaplatená suma nebude nikdy vyplatená, keďže ide o zrážkovú daň +ConfirmClassifyPaidPartiallyReasonOtherDesc=Túto voľbu použite, ak všetky ostatné nevyhovujú, napríklad v nasledujúcej situácii:
      - platba nie je dokončená, pretože niektoré produkty boli odoslané späť
      - požadovaná suma je príliš dôležitá, pretože sa zabudlo na zľavu
      Vo všetkých prípadoch musí byť nadmerne nárokovaná suma opravená v účtovnom systéme vytvorením dobropisu. +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=zlý dodávateľ je dodávateľ, ktorému odmietame zaplatiť. ConfirmClassifyAbandonReasonOther=Ostatné ConfirmClassifyAbandonReasonOtherDesc=Táto voľba sa používa vo všetkých ostatných prípadoch. Napríklad preto, že máte v pláne vytvoriť nahrádzajúci faktúru. -ConfirmCustomerPayment=Do you confirm this payment input for %s %s? -ConfirmSupplierPayment=Do you confirm this payment input for %s %s? -ConfirmValidatePayment=Are you sure you want to validate this payment? No change can be made once payment is validated. +ConfirmCustomerPayment=Potvrdzujete tento platobný vstup pre %s %s? +ConfirmSupplierPayment=Potvrdzujete tento platobný vstup pre %s %s? +ConfirmValidatePayment=Naozaj chcete overiť túto platbu? Po potvrdení platby nie je možné vykonať žiadnu zmenu. ValidateBill=Overiť faktúru -UnvalidateBill=Unvalidate faktúru -NumberOfBills=No. of invoices -NumberOfBillsByMonth=No. of invoices per month +UnvalidateBill=Neplatnosť faktúry +NumberOfBills=Počet faktúr +NumberOfBillsByMonth=Počet faktúr za mesiac AmountOfBills=Výška faktúr -AmountOfBillsHT=Amount of invoices (net of tax) +AmountOfBillsHT=Suma faktúr (bez dane) AmountOfBillsByMonthHT=Výška faktúr mesačne (bez dane) -UseSituationInvoices=Allow situation invoice -UseSituationInvoicesCreditNote=Allow situation invoice credit note -Retainedwarranty=Retained warranty -AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices -RetainedwarrantyDefaultPercent=Retained warranty default percent -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation -ToPayOn=To pay on %s -toPayOn=to pay on %s -RetainedWarranty=Retained Warranty -PaymentConditionsShortRetainedWarranty=Retained warranty payment terms -DefaultPaymentConditionsRetainedWarranty=Default retained warranty payment terms -setPaymentConditionsShortRetainedWarranty=Set retained warranty payment terms -setretainedwarranty=Set retained warranty -setretainedwarrantyDateLimit=Set retained warranty date limit -RetainedWarrantyDateLimit=Retained warranty date limit -RetainedWarrantyNeed100Percent=The situation invoice need to be at 100%% progress to be displayed on PDF +UseSituationInvoices=Povoliť situačnú faktúru +UseSituationInvoicesCreditNote=Povoliť dobropis na faktúre +Retainedwarranty=Zachovaná záruka +AllowedInvoiceForRetainedWarranty=Ponechaná záruka použiteľná na nasledujúce typy faktúr +RetainedwarrantyDefaultPercent=Predvolené percento zachovanej záruky +RetainedwarrantyOnlyForSituation=Sprístupniť „ponechanú záruku“ len pre situačné faktúry +RetainedwarrantyOnlyForSituationFinal=Na situačných faktúrach sa odpočet globálnej „zadržanej záruky“ uplatňuje len na konečný stav +ToPayOn=Ak chcete zaplatiť na %s +toPayOn=platiť na %s +RetainedWarranty=Ponechaná záruka +PaymentConditionsShortRetainedWarranty=Zachované záručné platobné podmienky +DefaultPaymentConditionsRetainedWarranty=Predvolené záručné platobné podmienky +setPaymentConditionsShortRetainedWarranty=Nastavte si zachované záručné platobné podmienky +setretainedwarranty=Nastaviť zachovanú záruku +setretainedwarrantyDateLimit=Nastavte limit zachovaného dátumu záruky +RetainedWarrantyDateLimit=Dodržaný záručný dátum +RetainedWarrantyNeed100Percent=Situačná faktúra musí byť 100%%, aby sa zobrazila vo formáte PDF AlreadyPaid=Už zaplatené AlreadyPaidBack=Už vráti -AlreadyPaidNoCreditNotesNoDeposits=Already paid (without credit notes and down payments) +AlreadyPaidNoCreditNotesNoDeposits=Už zaplatené (bez dobropisov a záloh) Abandoned=Opustený RemainderToPay=Zostávajúce nezaplatené -RemainderToPayMulticurrency=Remaining unpaid, original currency +RemainderToPayMulticurrency=Zostávajúce nezaplatené, pôvodná mena RemainderToTake=Zostávajúce suma na prebratie -RemainderToTakeMulticurrency=Remaining amount to take, original currency -RemainderToPayBack=Remaining amount to refund -RemainderToPayBackMulticurrency=Remaining amount to refund, original currency -NegativeIfExcessRefunded=negative if excess refunded +RemainderToTakeMulticurrency=Zostávajúca suma na odber, pôvodná mena +RemainderToPayBack=Zostávajúca suma na vrátenie +RemainderToPayBackMulticurrency=Zostávajúca suma na vrátenie, pôvodná mena +NegativeIfExcessReceived=záporné, ak je prijatý prebytok +NegativeIfExcessRefunded=záporné, ak sa prebytok vráti +NegativeIfExcessPaid=záporné, ak je preplatok zaplatený Rest=Až do AmountExpected=Nárokovanej čiastky ExcessReceived=Nadbytok obdržal -ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received -ExcessPaid=Excess paid -ExcessPaidMulticurrency=Excess paid, original currency +ExcessReceivedMulticurrency=Prebytok prijatý, pôvodná mena +ExcessPaid=Preplatok zaplatený +ExcessPaidMulticurrency=Preplatok zaplatený, pôvodná mena EscompteOffered=Zľava ponúkol (platba pred semestra) EscompteOfferedShort=Zľava SendBillRef=Odovzdanie faktúry %s SendReminderBillRef=Odovzdanie faktúry %s (pripomienka) -SendPaymentReceipt=Submission of payment receipt %s +SendPaymentReceipt=Odoslanie potvrdenia o platbe %s NoDraftBills=Žiadne návrhy faktúry NoOtherDraftBills=Žiadne iné návrhy faktúry NoDraftInvoices=Žiadne návrhy faktúry RefBill=Faktúra ref +RefSupplierBill=Dodávateľská faktúra č +SupplierOrderCreateBill=Vytvoriť faktúru ToBill=K účtu RemainderToBill=Zostávajúca časť zákona SendBillByMail=Poslať e-mailom faktúru SendReminderBillByMail=Poslať upozornenie e-mailom RelatedCommercialProposals=Súvisiace obchodné návrhy -RelatedRecurringCustomerInvoices=Related recurring customer invoices +RelatedRecurringCustomerInvoices=Súvisiace opakované zákaznícke faktúry MenuToValid=Ak chcete platné -DateMaxPayment=Payment due on +DateMaxPayment=Platba splatná dňa DateInvoice=Faktúra Dátum -DatePointOfTax=Point of tax +DatePointOfTax=Daňový bod NoInvoice=No faktúra -NoOpenInvoice=No open invoice -NbOfOpenInvoices=Number of open invoices +NoOpenInvoice=Žiadna otvorená faktúra +NbOfOpenInvoices=Počet otvorených faktúr ClassifyBill=Klasifikovať faktúru -SupplierBillsToPay=Unpaid vendor invoices +SupplierBillsToPay=Nezaplatené faktúry dodávateľa CustomerBillsUnpaid=Nezaplatené zákaznické faktúry NonPercuRecuperable=Nevratná -SetConditions=Set Payment Terms -SetMode=Set Payment Type -SetRevenuStamp=Set revenue stamp +SetConditions=Nastavte platobné podmienky +SetMode=Nastavte typ platby +SetRevenuStamp=Nastaviť príjmovú známku Billed=Účtované -RecurringInvoices=Recurring invoices -RecurringInvoice=Recurring invoice -RecurringInvoiceSource=Source recurring invoice +RecurringInvoices=Opakujúce sa faktúry +RecurringInvoice=Opakujúca sa faktúra +RecurringInvoiceSource=Zdrojová opakujúca sa faktúra RepeatableInvoice=Šablóna faktúry RepeatableInvoices=Šablóna faktúr -RecurringInvoicesJob=Generation of recurring invoices (sales invoices) -RecurringSupplierInvoicesJob=Generation of recurring invoices (purchase invoices) +RecurringInvoicesJob=Generovanie opakujúcich sa faktúr (predajných faktúr) +RecurringSupplierInvoicesJob=Generovanie opakujúcich sa faktúr (nákupných faktúr) Repeatable=Šablóna Repeatables=Šablóny ChangeIntoRepeatableInvoice=Previesť na šablónu faktúry CreateRepeatableInvoice=Vytvoriť šablónu faktúry CreateFromRepeatableInvoice=Vytvoriť zo šablóny faktúry -CustomersInvoicesAndInvoiceLines=Customer invoices and invoice details +CustomersInvoicesAndInvoiceLines=Odberateľské faktúry a fakturačné údaje CustomersInvoicesAndPayments=Zákazníkov faktúry a platby -ExportDataset_invoice_1=Customer invoices and invoice details +ExportDataset_invoice_1=Odberateľské faktúry a fakturačné údaje ExportDataset_invoice_2=Zákazníkov faktúry a platby ProformaBill=Proforma Bill: Reduction=Zníženie -ReductionShort=Disc. +ReductionShort=disk. Reductions=Zľavy -ReductionsShort=Disc. +ReductionsShort=disk. Discounts=Zľavy AddDiscount=Vytvorte zľavu AddRelativeDiscount=Vytvorte relatívna zľavu @@ -314,183 +320,184 @@ AddGlobalDiscount=Vytvorte absolútnu zľavu EditGlobalDiscounts=Upraviť absolútna zľavy AddCreditNote=Vytvorte dobropis ShowDiscount=Zobraziť zľavu -ShowReduc=Show the discount -ShowSourceInvoice=Show the source invoice +ShowReduc=Ukážte zľavu +ShowSourceInvoice=Ukáž zdrojovú faktúru RelativeDiscount=Relatívna zľava GlobalDiscount=Globálne zľava CreditNote=Dobropis CreditNotes=Dobropisy -CreditNotesOrExcessReceived=Credit notes or excess received -Deposit=Down payment -Deposits=Down payments +CreditNotesOrExcessReceived=Prijaté dobropisy alebo prebytok +Deposit=Akontácia +Deposits=Zálohy DiscountFromCreditNote=Zľava z %s dobropisu -DiscountFromDeposit=Down payments from invoice %s -DiscountFromExcessReceived=Payments in excess of invoice %s -DiscountFromExcessPaid=Payments in excess of invoice %s +DiscountFromDeposit=Zálohové platby z faktúry %s +DiscountFromExcessReceived=Platby nad rámec faktúry %s +DiscountFromExcessPaid=Platby nad rámec faktúry %s AbsoluteDiscountUse=Tento druh úveru je možné použiť na faktúre pred jeho overenie -CreditNoteDepositUse=Invoice must be validated to use this kind of credits +CreditNoteDepositUse=Na použitie tohto druhu kreditov musí byť faktúra overená NewGlobalDiscount=Nový absolútny zľava -NewSupplierGlobalDiscount=New supplier absolute discount -NewClientGlobalDiscount=New client absolute discount +NewSupplierGlobalDiscount=Nová absolútna dodávateľská zľava +NewClientGlobalDiscount=Nová absolútna klientska zľava NewRelativeDiscount=Nový relatívna zľava -DiscountType=Discount type +DiscountType=Typ zľavy NoteReason=Poznámka / príčina ReasonDiscount=Dôvod DiscountOfferedBy=Poskytnuté -DiscountStillRemaining=Discounts or credits available -DiscountAlreadyCounted=Discounts or credits already consumed -CustomerDiscounts=Customer discounts -SupplierDiscounts=Vendors discounts +DiscountStillRemaining=Dostupné zľavy alebo kredity +DiscountAlreadyCounted=Už spotrebované zľavy alebo kredity +CustomerDiscounts=Zákaznícke zľavy +SupplierDiscounts=Zľavy predajcov BillAddress=Bill adresa -HelpEscompte=This discount is a discount granted to customer because payment was made before term. -HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loss. -HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by another for example) +HelpEscompte=Táto zľava je zľava poskytnutá zákazníkovi, pretože platba bola vykonaná pred termínom. +HelpAbandonBadCustomer=Táto suma bola zrušená (zákazník bol označený ako zlý zákazník) a považuje sa za výnimočnú stratu. +HelpAbandonOther=Táto suma bola opustená, pretože išlo o chybu (napríklad nesprávny zákazník alebo faktúra nahradená iným) IdSocialContribution=Sociálna/fiškálna daň ID PaymentId=Platba id PaymentRef=Platobná referencia +SourceInvoiceId=Source invoice id InvoiceId=Faktúra id InvoiceRef=Faktúra čj. InvoiceDateCreation=Faktúra Dátum vytvorenia InvoiceStatus=Stav faktúry InvoiceNote=Faktúra poznámka InvoicePaid=Faktúra zaplatená -InvoicePaidCompletely=Paid completely -InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. -OrderBilled=Order billed -DonationPaid=Donation paid +InvoicePaidCompletely=Úplne zaplatené +InvoicePaidCompletelyHelp=Faktúra, ktorá je úplne zaplatená. To nezahŕňa faktúry, ktoré sú uhradené čiastočne. Ak chcete získať zoznam všetkých „Uzavretých“ alebo neuzavretých faktúr, uprednostňujte použitie filtra na stav faktúry. +OrderBilled=Objednávka vyúčtovaná +DonationPaid=Dar vyplatený PaymentNumber=Platba číslo RemoveDiscount=Odobrať zľavu WatermarkOnDraftBill=Vodoznak k návrhom faktúr (ak nič prázdny) InvoiceNotChecked=Nie je vybraná žiadna faktúra -ConfirmCloneInvoice=Are you sure you want to clone this invoice %s? +ConfirmCloneInvoice=Naozaj chcete naklonovať túto faktúru %s? DisabledBecauseReplacedInvoice=Akcia zakázané, pretože faktúra bola nahradená -DescTaxAndDividendsArea=This area presents a summary of all payments made for special expenses. Only records with payments during the fixed year are included here. -NbOfPayments=No. of payments +DescTaxAndDividendsArea=Táto oblasť predstavuje súhrn všetkých platieb uskutočnených na mimoriadne výdavky. Tu sú zahrnuté iba záznamy s platbami počas fixného roka. +NbOfPayments=Počet platieb SplitDiscount=Rozdeliť zľavu v dvoch -ConfirmSplitDiscount=Are you sure you want to split this discount of %s %s into two smaller discounts? -TypeAmountOfEachNewDiscount=Input amount for each of two parts: -TotalOfTwoDiscountMustEqualsOriginal=The total of the two new discounts must be equal to the original discount amount. -ConfirmRemoveDiscount=Are you sure you want to remove this discount? +ConfirmSplitDiscount=Naozaj si chcete rozdeliť túto zľavu vo výške %s span class='notranslate'>%s do dvoch menších zliav? +TypeAmountOfEachNewDiscount=Vstupné množstvo pre každú z dvoch častí: +TotalOfTwoDiscountMustEqualsOriginal=Súčet dvoch nových zliav sa musí rovnať pôvodnej výške zľavy. +ConfirmRemoveDiscount=Naozaj chcete odstrániť túto zľavu? RelatedBill=Súvisiace faktúra RelatedBills=Súvisiace faktúry -RelatedCustomerInvoices=Related customer invoices -RelatedSupplierInvoices=Related vendor invoices -LatestRelatedBill=Latest related invoice -WarningBillExist=Warning, one or more invoices already exist -MergingPDFTool=Merging PDF tool -AmountPaymentDistributedOnInvoice=Payment amount distributed on invoice -PaymentOnDifferentThirdBills=Allow payments on different third parties bills but same parent company +RelatedCustomerInvoices=Súvisiace zákaznícke faktúry +RelatedSupplierInvoices=Súvisiace faktúry dodávateľov +LatestRelatedBill=Najnovšia súvisiaca faktúra +WarningBillExist=Pozor, jedna alebo viac faktúr už existuje +MergingPDFTool=Nástroj na zlúčenie PDF +AmountPaymentDistributedOnInvoice=Suma platby distribuovaná na faktúru +PaymentOnDifferentThirdBills=Povoliť platby na faktúrach rôznych tretích strán, ale rovnakej materskej spoločnosti PaymentNote=Poznámka platby -ListOfPreviousSituationInvoices=List of previous situation invoices -ListOfNextSituationInvoices=List of next situation invoices -ListOfSituationInvoices=List of situation invoices -CurrentSituationTotal=Total current situation -DisabledBecauseNotEnouthCreditNote=To remove a situation invoice from cycle, this invoice's credit note total must cover this invoice total -RemoveSituationFromCycle=Remove this invoice from cycle -ConfirmRemoveSituationFromCycle=Remove this invoice %s from cycle ? -ConfirmOuting=Confirm outing +ListOfPreviousSituationInvoices=Zoznam predchádzajúcich situačných faktúr +ListOfNextSituationInvoices=Zoznam faktúr ďalšej situácie +ListOfSituationInvoices=Zoznam situačných faktúr +CurrentSituationTotal=Celková aktuálna situácia +DisabledBecauseNotEnouthCreditNote=Ak chcete odstrániť situačnú faktúru z cyklu, celková suma dobropisu tejto faktúry musí pokrývať túto celkovú sumu faktúry +RemoveSituationFromCycle=Odstráňte túto faktúru z cyklu +ConfirmRemoveSituationFromCycle=Odstrániť túto faktúru %s z cyklu? +ConfirmOuting=Potvrďte výstup FrequencyPer_d=Každých %s dní FrequencyPer_m=Každých %s mesiacov FrequencyPer_y=Každých %s rokov -FrequencyUnit=Frequency unit -toolTipFrequency=Examples:
      Set 7, Day: give a new invoice every 7 days
      Set 3, Month: give a new invoice every 3 month +FrequencyUnit=Jednotka frekvencie +toolTipFrequency=Príklady:
      Sada 7, deň: každých 7 dní
      Sada 3, mesiac: give a new faktúra každé 3 mesiace NextDateToExecution=Dátum dalšieho generovania faktúr -NextDateToExecutionShort=Date next gen. +NextDateToExecutionShort=Dátum nasledujúcej gen. DateLastGeneration=Dátum posledného generovania faktúr -DateLastGenerationShort=Date latest gen. -MaxPeriodNumber=Max. number of invoice generation -NbOfGenerationDone=Number of invoice generation already done -NbOfGenerationOfRecordDone=Number of record generation already done -NbOfGenerationDoneShort=Number of generation done -MaxGenerationReached=Maximum number of generations reached +DateLastGenerationShort=Dátum najnovšie gen. +MaxPeriodNumber=Max. číslo generovania faktúry +NbOfGenerationDone=Počet už vykonaných generovaní faktúry +NbOfGenerationOfRecordDone=Počet už vykonaných generovaní záznamov +NbOfGenerationDoneShort=Počet vykonaných generácií +MaxGenerationReached=Dosiahnutý maximálny počet generácií InvoiceAutoValidate=Overiť faktúrý automaticky -GeneratedFromRecurringInvoice=Generated from template recurring invoice %s -DateIsNotEnough=Date not reached yet -InvoiceGeneratedFromTemplate=Invoice %s generated from recurring template invoice %s -GeneratedFromTemplate=Generated from template invoice %s -WarningInvoiceDateInFuture=Warning, the invoice date is higher than current date -WarningInvoiceDateTooFarInFuture=Warning, the invoice date is too far from current date -ViewAvailableGlobalDiscounts=View available discounts -GroupPaymentsByModOnReports=Group payments by mode on reports +GeneratedFromRecurringInvoice=Vygenerované zo šablóny opakujúcej sa faktúry %s +DateIsNotEnough=Dátum ešte nebol dosiahnutý +InvoiceGeneratedFromTemplate=Faktúra %s vygenerovaná z opakujúcej sa šablóny faktúry %s +GeneratedFromTemplate=Vygenerované zo šablóny faktúry %s +WarningInvoiceDateInFuture=Pozor, dátum faktúry je vyšší ako aktuálny dátum +WarningInvoiceDateTooFarInFuture=Pozor, dátum faktúry je príliš vzdialený od aktuálneho dátumu +ViewAvailableGlobalDiscounts=Pozrite si dostupné zľavy +GroupPaymentsByModOnReports=Zoskupiť platby podľa režimu v prehľadoch # PaymentConditions Statut=Postavenie -PaymentConditionShortRECEP=Due Upon Receipt -PaymentConditionRECEP=Due Upon Receipt +PaymentConditionShortRECEP=Splatnosť pri prijatí +PaymentConditionRECEP=Splatnosť pri prijatí PaymentConditionShort30D=30 dní PaymentCondition30D=30 dní -PaymentConditionShort30DENDMONTH=30 days of month-end -PaymentCondition30DENDMONTH=Within 30 days following the end of the month +PaymentConditionShort30DENDMONTH=30 dní na konci mesiaca +PaymentCondition30DENDMONTH=Do 30 dní po skončení mesiaca PaymentConditionShort60D=60 dní PaymentCondition60D=60 dní -PaymentConditionShort60DENDMONTH=60 days of month-end -PaymentCondition60DENDMONTH=Within 60 days following the end of the month +PaymentConditionShort60DENDMONTH=60 dní na konci mesiaca +PaymentCondition60DENDMONTH=Do 60 dní po skončení mesiaca PaymentConditionShortPT_DELIVERY=Dodanie PaymentConditionPT_DELIVERY=Na dobierku PaymentConditionShortPT_ORDER=Objednávka PaymentConditionPT_ORDER=Na objednávku PaymentConditionShortPT_5050=50-50 PaymentConditionPT_5050=50%% vopred, 50%% pri dodaní -PaymentConditionShort10D=10 days -PaymentCondition10D=10 days -PaymentConditionShort10DENDMONTH=10 days of month-end -PaymentCondition10DENDMONTH=Within 10 days following the end of the month -PaymentConditionShort14D=14 days -PaymentCondition14D=14 days -PaymentConditionShort14DENDMONTH=14 days of month-end -PaymentCondition14DENDMONTH=Within 14 days following the end of the month -PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit -PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit, remainder on delivery -FixAmount=Fixed amount - 1 line with label '%s' +PaymentConditionShort10D=10 dní +PaymentCondition10D=10 dní +PaymentConditionShort10DENDMONTH=10 dní na konci mesiaca +PaymentCondition10DENDMONTH=Do 10 dní po skončení mesiaca +PaymentConditionShort14D=14 dní +PaymentCondition14D=14 dní +PaymentConditionShort14DENDMONTH=14 dní na konci mesiaca +PaymentCondition14DENDMONTH=Do 14 dní po skončení mesiaca +PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% vklad +PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% záloha, zvyšok na dobierku +FixAmount=Pevná suma – 1 riadok s označením '%s' VarAmount=Variabilná čiastka (%% celk.) -VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' -VarAmountAllLines=Variable amount (%% tot.) - all lines from origin -DepositPercent=Deposit %% -DepositGenerationPermittedByThePaymentTermsSelected=This is permitted by the payment terms selected -GenerateDeposit=Generate a %s%% deposit invoice -ValidateGeneratedDeposit=Validate the generated deposit -DepositGenerated=Deposit generated -ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=You can only automatically generate a deposit from a proposal or an order -ErrorPaymentConditionsNotEligibleToDepositCreation=The chose payment conditions are not eligible for automatic deposit generation +VarAmountOneLine=Variabilné množstvo (%% spolu) – 1 riadok s menovkou '%s' +VarAmountAllLines=Variabilná suma (%% spolu) – všetky riadky od pôvodu +DepositPercent=Vklad %% +DepositGenerationPermittedByThePaymentTermsSelected=To umožňujú zvolené platobné podmienky +GenerateDeposit=Vygenerujte zálohovú faktúru %s%% +ValidateGeneratedDeposit=Overte vygenerovaný vklad +DepositGenerated=Vygenerovaný vklad +ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=Zálohu môžete automaticky vygenerovať len z návrhu alebo objednávky +ErrorPaymentConditionsNotEligibleToDepositCreation=Zvolené platobné podmienky nie sú oprávnené na automatické generovanie vkladu # PaymentType PaymentTypeVIR=Bankový prevod PaymentTypeShortVIR=Bankový prevod PaymentTypePRE=Platba inkasom -PaymentTypePREdetails=(on account %s...) -PaymentTypeShortPRE=Debit payment order +PaymentTypePREdetails=(na účte %s...) +PaymentTypeShortPRE=Debetný platobný príkaz PaymentTypeLIQ=Hotovosť PaymentTypeShortLIQ=Hotovosť PaymentTypeCB=Kreditná karta PaymentTypeShortCB=Kreditná karta PaymentTypeCHQ=Kontrola PaymentTypeShortCHQ=Kontrola -PaymentTypeTIP=TIP (Documents against Payment) -PaymentTypeShortTIP=TIP Payment -PaymentTypeVAD=Online payment -PaymentTypeShortVAD=Online payment -PaymentTypeTRA=Bank draft +PaymentTypeTIP=TIP (Dokumenty proti platbe) +PaymentTypeShortTIP=Platba TIP +PaymentTypeVAD=Online platba +PaymentTypeShortVAD=Online platba +PaymentTypeTRA=šek PaymentTypeShortTRA=Návrh -PaymentTypeFAC=Factor -PaymentTypeShortFAC=Factor -PaymentTypeDC=Debit/Credit Card +PaymentTypeFAC=Faktor +PaymentTypeShortFAC=Faktor +PaymentTypeDC=Debetná/kreditná karta PaymentTypePP=PayPal BankDetails=Bankové spojenie BankCode=Kód banky -DeskCode=Branch code +DeskCode=Kód pobočky BankAccountNumber=Číslo účtu -BankAccountNumberKey=Checksum +BankAccountNumberKey=Kontrolný súčet Residence=Adresa -IBANNumber=IBAN account number +IBANNumber=IBAN číslo účtu IBAN=IBAN -CustomerIBAN=IBAN of customer -SupplierIBAN=IBAN of vendor +CustomerIBAN=IBAN zákazníka +SupplierIBAN=IBAN predajcu BIC=BIC / SWIFT -BICNumber=BIC/SWIFT code +BICNumber=BIC/SWIFT kód ExtraInfos=Extra infos RegulatedOn=Regulované ChequeNumber=Skontrolujte N ° ChequeOrTransferNumber=Skontrolujte / Prenos č -ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer sender +ChequeBordereau=Skontrolujte rozvrh +ChequeMaker=Skontrolovať/preniesť odosielateľa ChequeBank=Bank of Check CheckBank=Kontrola NetToBePaid=Net má byť zaplatená @@ -498,143 +505,148 @@ PhoneNumber=Tel FullPhoneNumber=Telefón TeleFax=Fax PrettyLittleSentence=Prijmite výšku splátok splatných šekov vystavených v mojom mene, ako člen účtovného združenia schváleného správy štátneho rozpočtu. -IntracommunityVATNumber=Intra-Community VAT ID -PaymentByChequeOrderedTo=Check payments (including tax) are payable to %s, send to -PaymentByChequeOrderedToShort=Check payments (incl. tax) are payable to +IntracommunityVATNumber=IČ DPH v rámci Spoločenstva +PaymentByChequeOrderedTo=Platby šekom (vrátane dane) sú splatné na adresu %s, pošlite na adresu +PaymentByChequeOrderedToShort=Platby šekom (vrátane dane) sú splatné na SendTo=odoslaná -PaymentByTransferOnThisBankAccount=Payment by transfer to the following bank account +PaymentByTransferOnThisBankAccount=Platba prevodom na uvedený bankový účet VATIsNotUsedForInvoice=* Neuplatňuje DPH art-293B CGI -VATIsNotUsedForInvoiceAsso=* Non applicable VAT art-261-7 of CGI +VATIsNotUsedForInvoiceAsso=* Neuplatňuje sa článok 261-7 CGI DPH LawApplicationPart1=Návrhom zákona 80,335 z 12.05.80 LawApplicationPart2=Tovar zostáva majetkom -LawApplicationPart3=the seller until full payment of +LawApplicationPart3=predávajúceho až do úplného zaplatenia LawApplicationPart4=ich cena. LimitedLiabilityCompanyCapital=SARL s kapitálom UseLine=Platiť UseDiscount=Použitie zľavu UseCredit=Použitie úveru UseCreditNoteInInvoicePayment=Zníženie sumy platiť tento úver -MenuChequeDeposits=Deposits slips +MenuChequeDeposits=Vkladové lístky MenuCheques=Kontroly -MenuChequesReceipts=Deposit slips -NewChequeDeposit=New deposit slip -ChequesReceipts=Cheque deposit slips -DocumentsDepositArea=Deposit slip area -ChequesArea=Deposit slips area -ChequeDeposits=Deposit slips +MenuChequesReceipts=Vkladové lístky +NewChequeDeposit=Nový vkladový list +ChequesReceipts=Skontrolujte zálohové listy +DocumentsDepositArea=Oblasť zálohy +ChequesArea=Oblasť zálohových lístkov +ChequeDeposits=Vkladové lístky Cheques=Kontroly -DepositId=Id deposit -NbCheque=Number of checks -CreditNoteConvertedIntoDiscount=This %s has been converted into %s -UsBillingContactAsIncoiveRecipientIfExist=Use contact/address with type 'billing contact' instead of third-party address as recipient for invoices +DepositId=ID vklad +NbCheque=Počet kontrol +CreditNoteConvertedIntoDiscount=Toto %s bolo prevedené na %s +UsBillingContactAsIncoiveRecipientIfExist=Ako príjemcu faktúr použite kontakt/adresu s typom „fakturačný kontakt“ namiesto adresy tretej strany ShowUnpaidAll=Zobraziť všetky neuhradené faktúry ShowUnpaidLateOnly=Zobraziť neskoré neuhradené faktúry len PaymentInvoiceRef=%s faktúru ValidateInvoice=Overiť faktúru -ValidateInvoices=Validate invoices +ValidateInvoices=Overiť faktúry Cash=Hotovosť Reported=Oneskorený -DisabledBecausePayments=Not possible since there are some payments -CantRemovePaymentWithOneInvoicePaid=Can't remove payment since there is at least one invoice classified paid -CantRemovePaymentVATPaid=Can't remove payment since VAT declaration is classified paid -CantRemovePaymentSalaryPaid=Can't remove payment since salary is classified paid +DisabledBecausePayments=Nie je to možné, pretože existujú nejaké platby +CantRemovePaymentWithOneInvoicePaid=Platbu nie je možné odstrániť, pretože existuje aspoň jedna faktúra klasifikovaná ako uhradená +CantRemovePaymentVATPaid=Platbu nemožno odstrániť, pretože vyhlásenie o DPH je klasifikované ako zaplatené +CantRemovePaymentSalaryPaid=Platbu nemožno odstrániť, pretože mzda je klasifikovaná ako vyplatená ExpectedToPay=Predpokladaný platba -CantRemoveConciliatedPayment=Can't remove reconciled payment +CantRemoveConciliatedPayment=Odsúhlasenú platbu nie je možné odstrániť PayedByThisPayment=Zaplatené touto platbou -ClosePaidInvoicesAutomatically=Classify automatically all standard, down payment or replacement invoices as "Paid" when payment is done entirely. -ClosePaidCreditNotesAutomatically=Classify automatically all credit notes as "Paid" when refund is done entirely. -ClosePaidContributionsAutomatically=Classify automatically all social or fiscal contributions as "Paid" when payment is done entirely. -ClosePaidVATAutomatically=Classify automatically VAT declaration as "Paid" when payment is done entirely. -ClosePaidSalaryAutomatically=Classify automatically salary as "Paid" when payment is done entirely. -AllCompletelyPayedInvoiceWillBeClosed=All invoices with no remainder to pay will be automatically closed with status "Paid". +ClosePaidInvoicesAutomatically=Po úplnom dokončení platby automaticky klasifikujte všetky štandardné, zálohové alebo náhradné faktúry ako „Zaplatené“. +ClosePaidCreditNotesAutomatically=Po úplnom vrátení peňazí automaticky klasifikujte všetky dobropisy ako „Zaplatené“. +ClosePaidContributionsAutomatically=Po úplnom zaplatení automaticky klasifikujte všetky sociálne alebo fiškálne príspevky ako „Zaplatené“. +ClosePaidVATAutomatically=Po úplnom dokončení platby automaticky klasifikujte priznanie DPH ako „Zaplatené“. +ClosePaidSalaryAutomatically=Po úplnom vyplatení platu automaticky klasifikujte plat ako „Vyplatený“. +AllCompletelyPayedInvoiceWillBeClosed=Všetky faktúry bez zvyšku na zaplatenie budú automaticky uzavreté so stavom „Zaplatené“. ToMakePayment=Zaplatiť ToMakePaymentBack=Oplatiť ListOfYourUnpaidInvoices=Zoznam nezaplatených faktúr NoteListOfYourUnpaidInvoices=Poznámka: Tento zoznam obsahuje iba faktúry pre tretie strany si sú prepojené ako obchodného zástupcu. -RevenueStamp=Tax stamp -YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party -YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party -YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) -PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template -PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +RevenueStamp=Daňová známka +YouMustCreateInvoiceFromThird=Táto možnosť je dostupná len pri vytváraní faktúry zo záložky "Zákazník" tretej strany +YouMustCreateInvoiceFromSupplierThird=Táto možnosť je dostupná len pri vytváraní faktúry zo záložky "Dodávateľ" tretej strany +YouMustCreateStandardInvoiceFirstDesc=Najprv musíte vytvoriť štandardnú faktúru a previesť ju na „šablónu“, aby ste vytvorili novú šablónu faktúry +PDFCrabeDescription=Šablóna faktúry vo formáte PDF Crabe. Kompletná šablóna faktúry (stará implementácia šablóny Sponge) +PDFSpongeDescription=Šablóna faktúry vo formáte PDF Sponge. Kompletný vzor faktúry +PDFCrevetteDescription=Šablóna faktúry vo formáte PDF Crevette. Kompletný vzor faktúry pre situačné faktúry +TerreNumRefModelDesc1=Návratové číslo vo formáte %syymm-nnnn pre štandardné faktúry a %syymm-nnnn pre dobropisy, kde yy je rok, mm je mesiac a nnnn je sekvenčné automaticky sa zvyšujúce číslo bez prerušenia a bez návratu na 0 +MarsNumRefModelDesc1=Návratové číslo vo formáte %syymm-nnnn pre štandardné faktúry, %syymm-nnnn pre náhradné faktúry, %syymm-nnnn pre zálohové faktúry a %syymm-nnnn pre dobropisy, kde yy je rok, mm je mesiac a nnnn je sekvenčné automatické- zvyšujúce sa číslo bez prerušenia a bez návratu na 0 TerreNumRefModelError=Bill počnúc $ syymm už existuje a nie je kompatibilný s týmto modelom sekvencie. Vyberte ju a premenujte ho na aktiváciu tohto modulu. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -EarlyClosingReason=Early closing reason -EarlyClosingComment=Early closing note +CactusNumRefModelDesc1=Návratové číslo vo formáte %syymm-nnnn pre štandardné faktúry, %syymm-nnnn pre dobropisy a %syymm-nnnn pre zálohové faktúry, kde yy je rok, mm je mesiac a nnnn je sekvenčné automaticky sa zvyšujúce číslo bez prerušenia a bez návratu na 0 +EarlyClosingReason=Dôvod predčasného uzavretia +EarlyClosingComment=Skorá záverečná poznámka ##### Types de contacts ##### TypeContact_facture_internal_SALESREPFOLL=Zástupca nasledujúce-up zákazník faktúru TypeContact_facture_external_BILLING=Zákazník faktúra kontakt TypeContact_facture_external_SHIPPING=Zákazník doprava kontakt TypeContact_facture_external_SERVICE=Zákaznícky servis kontakt -TypeContact_invoice_supplier_internal_SALESREPFOLL=Representative following-up vendor invoice -TypeContact_invoice_supplier_external_BILLING=Vendor invoice contact -TypeContact_invoice_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_invoice_supplier_external_SERVICE=Vendor service contact +TypeContact_invoice_supplier_internal_SALESREPFOLL=Reprezentatívna následná faktúra dodávateľa +TypeContact_invoice_supplier_external_BILLING=Kontakt na faktúru dodávateľa +TypeContact_invoice_supplier_external_SHIPPING=Kontakt na prepravu dodávateľa +TypeContact_invoice_supplier_external_SERVICE=Servisný kontakt predajcu # Situation invoices -InvoiceFirstSituationAsk=First situation invoice -InvoiceFirstSituationDesc=The situation invoices are tied to situations related to a progression, for example the progression of a construction. Each situation is tied to an invoice. -InvoiceSituation=Situation invoice -PDFInvoiceSituation=Situation invoice -InvoiceSituationAsk=Invoice following the situation -InvoiceSituationDesc=Create a new situation following an already existing one -SituationAmount=Situation invoice amount(net) -SituationDeduction=Situation subtraction -ModifyAllLines=Modify all lines -CreateNextSituationInvoice=Create next situation -ErrorFindNextSituationInvoice=Error unable to find next situation cycle ref -ErrorOutingSituationInvoiceOnUpdate=Unable to outing this situation invoice. -ErrorOutingSituationInvoiceCreditNote=Unable to outing linked credit note. -NotLastInCycle=This invoice is not the latest in cycle and must not be modified. -DisabledBecauseNotLastInCycle=The next situation already exists. -DisabledBecauseFinal=This situation is final. +InvoiceFirstSituationAsk=Faktúra prvej situácie +InvoiceFirstSituationDesc=situačné faktúry sú spojené so situáciami súvisiacimi s progresiou, napríklad s postupom stavby. Každá situácia je viazaná na faktúru. +InvoiceSituation=Situačná faktúra +PDFInvoiceSituation=Situačná faktúra +InvoiceSituationAsk=Faktúra podľa situácie +InvoiceSituationDesc=Vytvorte novú situáciu po už existujúcej +SituationAmount=Suma situačnej faktúry (netto) +SituationDeduction=Odčítanie situácie +ModifyAllLines=Upravte všetky riadky +CreateNextSituationInvoice=Vytvorte ďalšiu situáciu +ErrorFindNextSituationInvoice=Chyba pri hľadaní ďalšej situácie ref. cyklu +ErrorOutingSituationInvoiceOnUpdate=Túto situáciu nemožno vyúčtovať. +ErrorOutingSituationInvoiceCreditNote=Nedá sa vydať dobropis spojený s výletom. +NotLastInCycle=Táto faktúra nie je poslednou v cykle a nesmie sa upravovať. +DisabledBecauseNotLastInCycle=Ďalšia situácia už existuje. +DisabledBecauseFinal=Táto situácia je konečná. situationInvoiceShortcode_AS=AS situationInvoiceShortcode_S=S -CantBeLessThanMinPercent=The progress can't be smaller than its value in the previous situation. -NoSituations=No open situations -InvoiceSituationLast=Final and general invoice -PDFCrevetteSituationNumber=Situation N°%s -PDFCrevetteSituationInvoiceLineDecompte=Situation invoice - COUNT -PDFCrevetteSituationInvoiceTitle=Situation invoice -PDFCrevetteSituationInvoiceLine=Situation N°%s: Inv. N°%s on %s -TotalSituationInvoice=Total situation -invoiceLineProgressError=Invoice line progress can't be greater than or equal to the next invoice line -updatePriceNextInvoiceErrorUpdateline=Error: update price on invoice line: %s -ToCreateARecurringInvoice=To create a recurring invoice for this contract, first create this draft invoice, then convert it into an invoice template and define the frequency for generation of future invoices. -ToCreateARecurringInvoiceGene=To generate future invoices regularly and manually, just go on menu %s - %s - %s. -ToCreateARecurringInvoiceGeneAuto=If you need to have such invoices generated automatically, ask your administrator to enable and setup module %s. Note that both methods (manual and automatic) can be used together with no risk of duplication. +CantBeLessThanMinPercent=Pokrok nemôže byť menší ako jeho hodnota v predchádzajúcej situácii. +NoSituations=Žiadne otvorené situácie +InvoiceSituationLast=Konečná a všeobecná faktúra +PDFCrevetteSituationNumber=Situácia č%s +PDFCrevetteSituationInvoiceLineDecompte=Situačná faktúra – COUNT +PDFCrevetteSituationInvoiceTitle=Situačná faktúra +PDFCrevetteSituationInvoiceLine=Situácia č.%s: Inv. N°%s na %s +TotalSituationInvoice=Celková situácia +invoiceLineProgressError=Priebeh riadku faktúry nemôže byť väčší alebo rovnaký ako nasledujúci riadok faktúry +updatePriceNextInvoiceErrorUpdateline=Chyba: aktualizujte cenu v riadku faktúry: %s +ToCreateARecurringInvoice=Ak chcete vytvoriť opakujúcu sa faktúru pre túto zmluvu, najprv vytvorte tento návrh faktúry, potom ju skonvertujte na šablónu faktúry a definujte frekvenciu generovania budúcich faktúr. +ToCreateARecurringInvoiceGene=Ak chcete budúce faktúry generovať pravidelne a manuálne, prejdite do ponuky %s - %s span> - %s. +ToCreateARecurringInvoiceGeneAuto=Ak potrebujete, aby sa takéto faktúry generovali automaticky, požiadajte správcu o aktiváciu a nastavenie modulu %s. Všimnite si, že obe metódy (manuálna aj automatická) je možné použiť spolu bez rizika duplikácie. DeleteRepeatableInvoice=Zmazať šablónu faktúrý -ConfirmDeleteRepeatableInvoice=Are your sure you want to delete the template invoice? -CreateOneBillByThird=Create one invoice per third party (otherwise, one invoice per selected object) -BillCreated=%s invoice(s) generated -BillXCreated=Invoice %s generated -StatusOfGeneratedDocuments=Status of document generation -DoNotGenerateDoc=Do not generate document file -AutogenerateDoc=Auto generate document file -AutoFillDateFrom=Set start date for service line with invoice date -AutoFillDateFromShort=Set start date -AutoFillDateTo=Set end date for service line with next invoice date -AutoFillDateToShort=Set end date -MaxNumberOfGenerationReached=Max number of gen. reached +ConfirmDeleteRepeatableInvoice=Naozaj chcete odstrániť šablónu faktúry? +CreateOneBillByThird=Vytvorte jednu faktúru pre tretiu stranu (v opačnom prípade jednu faktúru za vybraný objekt) +BillCreated=%s vygenerovaných faktúr +BillXCreated=Vygenerovaná faktúra %s +StatusOfGeneratedDocuments=Stav generovania dokumentu +DoNotGenerateDoc=Negenerujte súbor dokumentu +AutogenerateDoc=Automatické generovanie súboru dokumentu +AutoFillDateFrom=Nastavte dátum začiatku pre servisný riadok s dátumom faktúry +AutoFillDateFromShort=Nastavte dátum začiatku +AutoFillDateTo=Nastavte dátum ukončenia pre servisný riadok s dátumom nasledujúcej faktúry +AutoFillDateToShort=Nastavte dátum ukončenia +MaxNumberOfGenerationReached=Max počet gen. dosiahnuté BILL_DELETEInDolibarr=Faktúra zmazaná -BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted -UnitPriceXQtyLessDiscount=Unit price x Qty - Discount -CustomersInvoicesArea=Customer billing area -SupplierInvoicesArea=Supplier billing area -SituationTotalRayToRest=Remainder to pay without taxe -PDFSituationTitle=Situation n° %d -SituationTotalProgress=Total progress %d %% -SearchUnpaidInvoicesWithDueDate=Search unpaid invoices with a due date = %s -SearchValidatedInvoicesWithDate=Search unpaid invoices with a validation date = %s -NoPaymentAvailable=No payment available for %s -PaymentRegisteredAndInvoiceSetToPaid=Payment registered and invoice %s set to paid -SendEmailsRemindersOnInvoiceDueDate=Send reminder by email for validated and unpaid invoices -MakePaymentAndClassifyPayed=Record payment -BulkPaymentNotPossibleForInvoice=Bulk payment is not possible for invoice %s (bad type or status) -MentionVATDebitOptionIsOn=Option to pay tax based on debits -MentionCategoryOfOperations=Category of operations -MentionCategoryOfOperations0=Delivery of goods -MentionCategoryOfOperations1=Provision of services -MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +BILL_SUPPLIER_DELETEInDolibarr=Dodávateľská faktúra bola vymazaná +UnitPriceXQtyLessDiscount=Jednotková cena x Množ. - zľava +CustomersInvoicesArea=Oblasť fakturácie zákazníkov +SupplierInvoicesArea=Oblasť fakturácie dodávateľa +SituationTotalRayToRest=Zostáva zaplatiť bez dane +PDFSituationTitle=Situácia č. %d +SituationTotalProgress=Celkový pokrok %d %% +SearchUnpaidInvoicesWithDueDate=Vyhľadajte nezaplatené faktúry s dátumom splatnosti = %s +SearchValidatedInvoicesWithDate=Vyhľadajte nezaplatené faktúry s dátumom overenia = %s +NoPaymentAvailable=Nie je k dispozícii žiadna platba za %s +PaymentRegisteredAndInvoiceSetToPaid=Platba bola zaregistrovaná a faktúra %s nastavená na zaplatenie +SendEmailsRemindersOnInvoiceDueDate=Pošlite upomienku e-mailom na overené a nezaplatené faktúry +MakePaymentAndClassifyPayed=Zaznamenať platbu +BulkPaymentNotPossibleForInvoice=Hromadná platba nie je možná za faktúru %s (chybný typ alebo stav) +MentionVATDebitOptionIsOn=Možnosť platiť daň na základe debetu +MentionCategoryOfOperations=Kategória operácií +MentionCategoryOfOperations0=Dodanie tovaru +MentionCategoryOfOperations1=Poskytovanie služieb +MentionCategoryOfOperations2=Zmiešané - dodanie tovaru a poskytovanie služieb +Salaries=Mzdy +InvoiceSubtype=Podtyp faktúry +SalaryInvoice=Mzda +BillsAndSalaries=Účty a platy +CreateCreditNoteWhenClientInvoiceExists=Táto možnosť je povolená len vtedy, keď pre zákazníka existujú overené faktúry alebo keď sa používa konštanta INVOICE_CREDIT_NOTE_STANDALONE (užitočné pre niektoré krajiny) diff --git a/htdocs/langs/sk_SK/cashdesk.lang b/htdocs/langs/sk_SK/cashdesk.lang index 4ccc4822788..ed446d06413 100644 --- a/htdocs/langs/sk_SK/cashdesk.lang +++ b/htdocs/langs/sk_SK/cashdesk.lang @@ -16,7 +16,7 @@ AddThisArticle=Pridať tento článok RestartSelling=Vráťte sa na predaj SellFinished=Predaj ukončený PrintTicket=Tlač vstupeniek -SendTicket=Send ticket +SendTicket=Pošli lístok NoProductFound=Žiadny článok nájdených ProductFound=výrobky, ktoré sa NoArticle=Žiadny článok @@ -26,111 +26,130 @@ Difference=Rozdiel TotalTicket=Celkom vstupeniek NoVAT=Bez DPH pre tento predaj Change=Nadbytok obdržal -BankToPay=Account for payment +BankToPay=Účet na platbu ShowCompany=Zobraziť spoločnosť ShowStock=Zobraziť skladu DeleteArticle=Kliknutím odstránite tento článok FilterRefOrLabelOrBC=Vyhľadávanie (Ref / Label) -UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. +UserNeedPermissionToEditStockToUsePos=Pri vytváraní faktúry požadujete zníženie zásob, takže používateľ, ktorý používa POS, musí mať povolenie na úpravu zásob. DolibarrReceiptPrinter=Dolibarr tlačiareň bločkov -PointOfSale=Point of Sale +PointOfSale=Miesto predaja PointOfSaleShort=POS -CloseBill=Close Bill -Floors=Floors -Floor=Floor -AddTable=Add table -Place=Place -TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) -NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser -SearchProduct=Search product +CloseBill=Zavrieť Billa +Floors=Podlahy +Floor=Poschodie +AddTable=Pridať tabuľku +Place=Miesto +TakeposConnectorNecesary=Vyžaduje sa 'TakePOS Connector' +OrderPrinters=Pridajte tlačidlo na odoslanie objednávky do niektorých daných tlačiarní bez platby (napríklad na odoslanie objednávky do kuchyne) +NotAvailableWithBrowserPrinter=Nie je k dispozícii, keď je tlačiareň na potvrdenie nastavená na prehliadač +SearchProduct=Vyhľadať produkt Receipt=Príjem -Header=Header -Footer=Footer -AmountAtEndOfPeriod=Amount at end of period (day, month or year) -TheoricalAmount=Theorical amount -RealAmount=Real amount -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period +Header=Hlavička +Footer=Päta +AmountAtEndOfPeriod=Suma na konci obdobia (deň, mesiac alebo rok) +TheoricalAmount=Teoretické množstvo +RealAmount=Skutočná suma +CashFence=Uzavretie pokladničnej schránky +CashFenceDone=Uzavretie pokladničného boxu vykonané za dané obdobie NbOfInvoices=Nb faktúr -Paymentnumpad=Type of Pad to enter payment -Numberspad=Numbers Pad -BillsCoinsPad=Coins and banknotes Pad -DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work -TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work -OrderNotes=Can add some notes to each ordered items -CashDeskBankAccountFor=Default account to use for payments in -NoPaimementModesDefined=No paiment mode defined in TakePOS configuration -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts -EnableBarOrRestaurantFeatures=Enable features for Bar or Restaurant -ConfirmDeletionOfThisPOSSale=Do your confirm the deletion of this current sale ? -ConfirmDiscardOfThisPOSSale=Do you want to discard this current sale ? +Paymentnumpad=Typ podložky na zadanie platby +Numberspad=Podložka čísel +BillsCoinsPad=Podložka na mince a bankovky +DolistorePosCategory=TakePOS moduly a ďalšie POS riešenia pre Dolibarr +TakeposNeedsCategories=TakePOS potrebuje na fungovanie aspoň jednu kategóriu produktov +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS potrebuje aspoň 1 kategóriu produktu v kategórii %s práca +OrderNotes=Ku každej objednanej položke môžete pridať nejaké poznámky +CashDeskBankAccountFor=Predvolený účet na platby v +NoPaimementModesDefined=V konfigurácii TakePOS nie je definovaný žiadny režim platby +TicketVatGrouped=Skupinová DPH podľa sadzby v lístkoch|potvrdeniach +AutoPrintTickets=Automaticky tlačiť vstupenky|potvrdenia +PrintCustomerOnReceipts=Vytlačte zákazníka na vstupenky | účtenky +EnableBarOrRestaurantFeatures=Povoliť funkcie pre bar alebo reštauráciu +ConfirmDeletionOfThisPOSSale=Potvrdzujete vymazanie tohto aktuálneho predaja? +ConfirmDiscardOfThisPOSSale=Chcete tento aktuálny predaj zrušiť? History=História -ValidateAndClose=Validate and close -Terminal=Terminal -NumberOfTerminals=Number of Terminals -TerminalSelect=Select terminal you want to use: -POSTicket=POS Ticket -POSTerminal=POS Terminal -POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones -SetupOfTerminalNotComplete=Setup of terminal %s is not complete -DirectPayment=Direct payment -DirectPaymentButton=Add a "Direct cash payment" button -InvoiceIsAlreadyValidated=Invoice is already validated -NoLinesToBill=No lines to bill -CustomReceipt=Custom Receipt -ReceiptName=Receipt Name -ProductSupplements=Manage supplements of products -SupplementCategory=Supplement category -ColorTheme=Color theme -Colorful=Colorful -HeadBar=Head Bar -SortProductField=Field for sorting products +ValidateAndClose=Overte a zatvorte +Terminal=Terminál +NumberOfTerminals=Počet terminálov +TerminalSelect=Vyberte terminál, ktorý chcete použiť: +POSTicket=POS lístok +POSTerminal=POS terminál +POSModule=POS modul +BasicPhoneLayout=Na telefónoch nahraďte POS minimálnym rozložením (iba zaznamenávanie objednávok, žiadne generovanie faktúr, žiadna tlač účteniek) +SetupOfTerminalNotComplete=Nastavenie terminálu %s nie je dokončené +DirectPayment=Priama platba +DirectPaymentButton=Pridajte tlačidlo „Priama platba v hotovosti“. +InvoiceIsAlreadyValidated=Faktúra je už overená +NoLinesToBill=Žiadne riadky na fakturáciu +CustomReceipt=Vlastný príjem +ReceiptName=Meno potvrdenky +ProductSupplements=Spravujte doplnky produktov +SupplementCategory=Doplnková kategória +ColorTheme=Farebný motív +Colorful=Farebné +HeadBar=Hlavný bar +SortProductField=Pole na triedenie produktov Browser=Prehliadač -BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. -PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad -CashDeskRefNumberingModules=Numbering module for POS sales -CashDeskGenericMaskCodes6 =
      {TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -SaleStartedAt=Sale started at %s -ControlCashOpening=Open the "Control cash" popup when opening the POS -CloseCashFence=Close cash desk control -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use -BarRestaurant=Bar Restaurant -AutoOrder=Order by the customer himself -RestaurantMenu=Menu -CustomerMenu=Customer menu -ScanToMenu=Scan QR code to see the menu -ScanToOrder=Scan QR code to order -Appearance=Appearance -HideCategoryImages=Hide Category Images -HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show -DefineTablePlan=Define tables plan -GiftReceiptButton=Add a "Gift receipt" button -GiftReceipt=Gift receipt -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first -AllowDelayedPayment=Allow delayed payment -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts -WeighingScale=Weighing scale -ShowPriceHT = Display the column with the price excluding tax (on screen) -ShowPriceHTOnReceipt = Display the column with the price excluding tax (on the receipt) -CustomerDisplay=Customer display -SplitSale=Split sale -PrintWithoutDetailsButton=Add "Print without details" button -PrintWithoutDetailsLabelDefault=Line label by default on printing without details -PrintWithoutDetails=Print without details -YearNotDefined=Year is not defined +BrowserMethodDescription=Jednoduchá a ľahká tlač účteniek. Len niekoľko parametrov na konfiguráciu účtenky. Tlač cez prehliadač. +TakeposConnectorMethodDescription=Externý modul s extra funkciami. Možnosť tlače z cloudu. +PrintMethod=Metóda tlače +ReceiptPrinterMethodDescription=Výkonná metóda s množstvom parametrov. Plne prispôsobiteľné pomocou šablón. Server, ktorý je hostiteľom aplikácie, nemôže byť v cloude (musí mať prístup k tlačiarňam vo vašej sieti). +ByTerminal=Cez terminál +TakeposNumpadUsePaymentIcon=Na platobných tlačidlách numerickej klávesnice použite namiesto textu ikonu +CashDeskRefNumberingModules=Modul číslovania pre POS predaj +CashDeskGenericMaskCodes6 =
      {TN} other characters +AlreadyPrinted=Už vytlačené +HideCategories=Skryť celú sekciu výberu kategórií +HideStockOnLine=Skryť zásoby online +ShowOnlyProductInStock=Zobraziť iba produkty na sklade +ShowCategoryDescription=Zobraziť popis kategórií +ShowProductReference=Ukážte referenciu alebo štítok produktov +UsePriceHT=Použiť cenu bez dane a nie cena vrát. dane pri úprave ceny +TerminalName=Terminál %s +TerminalNameDesc=Názov terminálu +DefaultPOSThirdLabel=Všeobecný zákazník TakePOS +DefaultPOSCatLabel=Produkty na mieste predaja (POS). +DefaultPOSProductLabel=Príklad produktu pre TakePOS +TakeposNeedsPayment=TakePOS potrebuje na fungovanie spôsob platby, chcete vytvoriť spôsob platby „Hotovosť“? +LineDiscount=Linková zľava +LineDiscountShort=Riadkový disk. +InvoiceDiscount=Zľava na faktúru +InvoiceDiscountShort=Fakturačný disk. diff --git a/htdocs/langs/sk_SK/categories.lang b/htdocs/langs/sk_SK/categories.lang index 63f1c93364a..cc920c0cc5e 100644 --- a/htdocs/langs/sk_SK/categories.lang +++ b/htdocs/langs/sk_SK/categories.lang @@ -1,100 +1,106 @@ # Dolibarr language file - Source file is en_US - categories -Rubrique=Tag/Category +Rubrique=Značka/Kategória Rubriques=Štítky / Kategórie -RubriquesTransactions=Tags/Categories of transactions -categories=tags/categories -NoCategoryYet=No tag/category of this type has been created +RubriquesTransactions=Značky/Kategórie transakcií +categories=tagy/kategórie +NoCategoryYet=Nebola vytvorená žiadna značka/kategória tohto typu In=V AddIn=Pridajte modify=upraviť Classify=Klasifikovať -CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Product/Service tags/categories area -SuppliersCategoriesArea=Vendor tags/categories area -CustomersCategoriesArea=Customer tags/categories area -MembersCategoriesArea=Member tags/categories area -ContactsCategoriesArea=Contact tags/categories area -AccountsCategoriesArea=Bank account tags/categories area -ProjectsCategoriesArea=Project tags/categories area -UsersCategoriesArea=User tags/categories area -SubCats=Sub-categories -CatList=List of tags/categories -CatListAll=List of tags/categories (all types) -NewCategory=New tag/category -ModifCat=Modify tag/category -CatCreated=Tag/category created -CreateCat=Create tag/category -CreateThisCat=Create this tag/category +CategoriesArea=Oblasť značiek/kategórií +ProductsCategoriesArea=Oblasť štítkov produktu/služby/kategórií +SuppliersCategoriesArea=Oblasť značiek/kategórií dodávateľa +CustomersCategoriesArea=Oblasť zákazníckych značiek/kategórií +MembersCategoriesArea=Oblasť značiek/kategórií členov +ContactsCategoriesArea=Oblasť značiek/kategórií kontaktu +AccountsCategoriesArea=Oblasť značiek/kategórií bankových účtov +ProjectsCategoriesArea=Oblasť značiek/kategórií projektu +UsersCategoriesArea=Oblasť používateľských značiek/kategórií +SubCats=Podkategórie +CatList=Zoznam značiek/kategórií +CatListAll=Zoznam značiek/kategórií (všetky typy) +NewCategory=Nová značka/kategória +ModifCat=Upravte značku/kategóriu +CatCreated=Značka/kategória bola vytvorená +CreateCat=Vytvorte značku/kategóriu +CreateThisCat=Vytvorte túto značku/kategóriu NoSubCat=Podkategórie. SubCatOf=Podkategórie -FoundCats=Found tags/categories -ImpossibleAddCat=Impossible to add the tag/category %s +FoundCats=Nájdené značky/kategórie +ImpossibleAddCat=Nie je možné pridať značku/kategóriu %s WasAddedSuccessfully=%s bolo úspešne pridané. -ObjectAlreadyLinkedToCategory=Element is already linked to this tag/category. -ProductIsInCategories=Product/service is linked to following tags/categories -CompanyIsInCustomersCategories=This third party is linked to following customers/prospects tags/categories -CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories -MemberIsInCategories=This member is linked to following members tags/categories -ContactIsInCategories=This contact is linked to following contacts tags/categories -ProductHasNoCategory=This product/service is not in any tags/categories -CompanyHasNoCategory=This third party is not in any tags/categories -MemberHasNoCategory=This member is not in any tags/categories -ContactHasNoCategory=This contact is not in any tags/categories -ProjectHasNoCategory=This project is not in any tags/categories -ClassifyInCategory=Add to tag/category -NotCategorized=Without tag/category +ObjectAlreadyLinkedToCategory=Prvok je už prepojený s touto značkou/kategóriou. +ProductIsInCategories=Produkt/služba je prepojená s nasledujúcimi značkami/kategóriami +CompanyIsInCustomersCategories=Táto tretia strana je prepojená s nasledujúcimi značkami/kategóriami zákazníkov/potenciálnych zákazníkov +CompanyIsInSuppliersCategories=Táto tretia strana je prepojená s nasledujúcimi značkami/kategóriami predajcov +MemberIsInCategories=Tento člen je prepojený s nasledujúcimi značkami/kategóriami členov +ContactIsInCategories=Tento kontakt je prepojený s nasledujúcimi značkami/kategóriami kontaktov +ProductHasNoCategory=Tento produkt/služba sa nenachádza v žiadnej značke/kategórii +CompanyHasNoCategory=Táto tretia strana sa nenachádza v žiadnych značkách/kategóriách +MemberHasNoCategory=Tento člen sa nenachádza v žiadnej značke/kategórii +ContactHasNoCategory=Tento kontakt sa nenachádza v žiadnych značkách/kategóriách +ProjectHasNoCategory=Tento projekt sa nenachádza v žiadnych značkách/kategóriách +ClassifyInCategory=Pridať do značky/kategórie +RemoveCategory=Odstrániť kategóriu +NotCategorized=Bez značky/kategórie CategoryExistsAtSameLevel=Táto kategória už existuje s týmto čj ContentsVisibleByAllShort=Obsah viditeľné všetkými ContentsNotVisibleByAllShort=Obsah nie je vidieť všetci -DeleteCategory=Delete tag/category -ConfirmDeleteCategory=Are you sure you want to delete this tag/category? -NoCategoriesDefined=No tag/category defined -SuppliersCategoryShort=Vendors tag/category -CustomersCategoryShort=Customers tag/category -ProductsCategoryShort=Products tag/category -MembersCategoryShort=Members tag/category -SuppliersCategoriesShort=Vendors tags/categories -CustomersCategoriesShort=Customers tags/categories -ProspectsCategoriesShort=Prospects tags/categories -CustomersProspectsCategoriesShort=Cust./Prosp. tags/categories -ProductsCategoriesShort=Products tags/categories -MembersCategoriesShort=Members tags/categories -ContactCategoriesShort=Contacts tags/categories -AccountsCategoriesShort=Accounts tags/categories -ProjectsCategoriesShort=Projects tags/categories -UsersCategoriesShort=Users tags/categories -StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoItems=This category does not contain any items. -CategId=Tag/category id -ParentCategory=Parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories -CatProdList=List of products tags/categories -CatMemberList=List of members tags/categories -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories -CatCusLinks=Links between customers/prospects and tags/categories -CatContactsLinks=Links between contacts/addresses and tags/categories -CatProdLinks=Links between products/services and tags/categories -CatMembersLinks=Links between members and tags/categories -CatProjectsLinks=Links between projects and tags/categories -CatUsersLinks=Links between users and tags/categories -DeleteFromCat=Remove from tags/category +DeleteCategory=Odstrániť značku/kategóriu +ConfirmDeleteCategory=Naozaj chcete odstrániť túto značku/kategóriu? +NoCategoriesDefined=Nie je definovaná žiadna značka/kategória +SuppliersCategoryShort=Značka/kategória predajcov +CustomersCategoryShort=Značka/kategória zákazníkov +ProductsCategoryShort=Značka/kategória produktov +MembersCategoryShort=Tag/kategória členov +SuppliersCategoriesShort=Značky/kategórie predajcov +CustomersCategoriesShort=Značky/kategórie zákazníkov +ProspectsCategoriesShort=Značky/kategórie potenciálnych zákazníkov +CustomersProspectsCategoriesShort=Cust./Prosp. tagy/kategórie +ProductsCategoriesShort=Značky/kategórie produktov +MembersCategoriesShort=Tagy/kategórie členov +ContactCategoriesShort=Značky/kategórie kontaktov +AccountsCategoriesShort=Značky/kategórie účtov +ProjectsCategoriesShort=Značky/kategórie projektov +UsersCategoriesShort=Používateľské značky/kategórie +StockCategoriesShort=Skladové štítky/kategórie +ThisCategoryHasNoItems=Táto kategória neobsahuje žiadne položky. +CategId=ID značky/kategórie +ParentCategory=Nadradená značka/kategória +ParentCategoryID=ID nadradenej značky/kategórie +ParentCategoryLabel=Označenie nadradenej značky/kategórie +CatSupList=Zoznam značiek/kategórií predajcov +CatCusList=Zoznam značiek/kategórií zákazníkov/potenciálnych zákazníkov +CatProdList=Zoznam značiek/kategórií produktov +CatMemberList=Zoznam značiek/kategórií členov +CatContactList=Zoznam značiek/kategórií kontaktov +CatProjectsList=Zoznam značiek/kategórií projektov +CatUsersList=Zoznam značiek/kategórií používateľov +CatSupLinks=Prepojenia medzi predajcami a značkami/kategóriami +CatCusLinks=Prepojenia medzi zákazníkmi/záujemcami a značkami/kategóriami +CatContactsLinks=Prepojenia medzi kontaktmi/adresami a značkami/kategóriami +CatProdLinks=Prepojenia medzi produktmi/službami a značkami/kategóriami +CatMembersLinks=Prepojenia medzi členmi a značkami/kategóriami +CatProjectsLinks=Prepojenia medzi projektmi a značkami/kategóriami +CatUsersLinks=Prepojenia medzi používateľmi a značkami/kategóriami +DeleteFromCat=Odstrániť zo štítkov/kategórie ExtraFieldsCategories=Doplnkové atribúty -CategoriesSetup=Tags/categories setup -CategorieRecursiv=Link with parent tag/category automatically -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. -AddProductServiceIntoCategory=Add the following product/service -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier -ShowCategory=Show tag/category -ByDefaultInList=By default in list -ChooseCategory=Choose category -StocksCategoriesArea=Warehouse Categories -ActionCommCategoriesArea=Event Categories -WebsitePagesCategoriesArea=Page-Container Categories -KnowledgemanagementsCategoriesArea=KM article Categories -UseOrOperatorForCategories=Use 'OR' operator for categories +CategoriesSetup=Nastavenie značiek/kategórií +CategorieRecursiv=Automaticky prepojiť s nadradenou značkou/kategóriou +CategorieRecursivHelp=Ak je voľba zapnutá, pri pridávaní objektu do podkategórie sa objekt pridá aj do nadradených kategórií. +AddProductServiceIntoCategory=Priraďte k produktu/službe kategóriu +AddCustomerIntoCategory=Priraďte kategóriu zákazníkovi +AddSupplierIntoCategory=Priraďte kategóriu dodávateľovi +AssignCategoryTo=Priradiť kategóriu k +ShowCategory=Zobraziť značku/kategóriu +ByDefaultInList=Štandardne v zozname +ChooseCategory=Vyberte kategóriu +StocksCategoriesArea=Kategórie skladu +TicketsCategoriesArea=Kategórie vstupeniek +ActionCommCategoriesArea=Kategórie udalostí +WebsitePagesCategoriesArea=Kategórie kontajnerov stránok +KnowledgemanagementsCategoriesArea=Kategórie článku KM +UseOrOperatorForCategories=Pre kategórie použite operátor OR +AddObjectIntoCategory=Priradiť do kategórie +Position=Pozícia diff --git a/htdocs/langs/sk_SK/donations.lang b/htdocs/langs/sk_SK/donations.lang index a399ace9462..ff9896b32aa 100644 --- a/htdocs/langs/sk_SK/donations.lang +++ b/htdocs/langs/sk_SK/donations.lang @@ -3,10 +3,10 @@ Donation=Dar Donations=Dary DonationRef=Darovanie čj. Donor=Darca -AddDonation=Create a donation +AddDonation=Vytvorte dar NewDonation=Nový darcovstvo -DeleteADonation=Delete a donation -ConfirmDeleteADonation=Are you sure you want to delete this donation? +DeleteADonation=Odstrániť dar +ConfirmDeleteADonation=Naozaj chcete odstrániť tento dar? PublicDonation=Verejné dar DonationsArea=Dary oblasť DonationStatusPromiseNotValidated=Návrh sľub @@ -16,7 +16,7 @@ DonationStatusPromiseNotValidatedShort=Návrh DonationStatusPromiseValidatedShort=Overené DonationStatusPaidShort=Prijaté DonationTitle=Darovanie príjem -DonationDate=Donation date +DonationDate=Dátum darovania DonationDatePayment=Dátum platby ValidPromess=Overiť sľub DonationReceipt=Darovanie príjem @@ -24,11 +24,13 @@ DonationsModels=Dokumenty modely pre darovanie príjmov LastModifiedDonations=Najnovšie %s upravené príspevky DonationRecipient=Darovanie príjemcu IConfirmDonationReception=Príjemca deklarovať príjem, ako dar, tieto sumy -MinimumAmount=Minimum amount is %s -FreeTextOnDonations=Free text to show in footer -FrenchOptions=Options for France -DONATION_ART200=Show article 200 from CGI if you are concerned -DONATION_ART238=Show article 238 from CGI if you are concerned -DONATION_ART885=Show article 885 from CGI if you are concerned -DonationPayment=Donation payment -DonationValidated=Donation %s validated +MinimumAmount=Minimálna suma je %s +FreeTextOnDonations=Voľný text na zobrazenie v päte +FrenchOptions=Možnosti pre Francúzsko +DONATION_ART200=Ak máte obavy, ukážte článok 200 od CGI +DONATION_ART238=Ak máte obavy, ukážte článok 238 od CGI +DONATION_ART978=Ak máte obavy, ukážte článok 978 od CGI +DonationPayment=Platba daru +DonationValidated=Dar %s overený +DonationUseThirdparties=Ako adresu darcu použite adresu existujúcej tretej strany +DonationsStatistics=Štatistika darcovstva diff --git a/htdocs/langs/sk_SK/errors.lang b/htdocs/langs/sk_SK/errors.lang index a3f364bae15..41228806d31 100644 --- a/htdocs/langs/sk_SK/errors.lang +++ b/htdocs/langs/sk_SK/errors.lang @@ -4,331 +4,403 @@ NoErrorCommitIsDone=Žiadna chyba sa zaväzujeme # Errors ErrorButCommitIsDone=Boli nájdené chyby, ale my overiť aj cez to -ErrorBadEMail=Email %s is incorrect -ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) -ErrorBadUrl=Url %s is incorrect -ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. -ErrorRefAlreadyExists=Reference %s already exists. +ErrorBadEMail=E-mailová adresa %s je nesprávna +ErrorBadMXDomain=E-mail %s sa zdá byť nesprávny (doména nemá platný záznam MX) +ErrorBadUrl=Adresa URL %s je nesprávna +ErrorBadValueForParamNotAString=Zlá hodnota vášho parametra. Zvyčajne sa pripája, keď chýba preklad. +ErrorRefAlreadyExists=Referencia %s už existuje. +ErrorTitleAlreadyExists=Názov %s už existuje. ErrorLoginAlreadyExists=Prihlásenie %s už existuje. ErrorGroupAlreadyExists=Skupina %s už existuje. -ErrorEmailAlreadyExists=Email %s already exists. +ErrorEmailAlreadyExists=E-mail %s už existuje. ErrorRecordNotFound=Záznam nie je nájdený. +ErrorRecordNotFoundShort=Nenájdené ErrorFailToCopyFile=Nepodarilo sa skopírovať súbor "%s" na "%s". -ErrorFailToCopyDir=Failed to copy directory '%s' into '%s'. +ErrorFailToCopyDir=Nepodarilo sa skopírovať adresár '%s do '<' ='notranslate'>%s'. ErrorFailToRenameFile=Nepodarilo sa premenovať súbor "%s" na "%s". ErrorFailToDeleteFile=Nepodarilo sa odstrániť súbor "%s". ErrorFailToCreateFile=Nepodarilo sa vytvoriť súbor "%s". ErrorFailToRenameDir=Nepodarilo sa premenovať adresár "%s" na "%s". ErrorFailToCreateDir=Nepodarilo sa vytvoriť adresár "%s". ErrorFailToDeleteDir=Nepodarilo sa zmazať adresár "%s". -ErrorFailToMakeReplacementInto=Failed to make replacement into file '%s'. -ErrorFailToGenerateFile=Failed to generate file '%s'. +ErrorFailToMakeReplacementInto=Nepodarilo sa vytvoriť nahradenie do súboru '%s'. +ErrorFailToGenerateFile=Nepodarilo sa vygenerovať súbor '%s'. ErrorThisContactIsAlreadyDefinedAsThisType=Tento kontakt je už definovaný ako kontakt pre tento typ. ErrorCashAccountAcceptsOnlyCashMoney=Tento bankový účet peňažný účet, takže prijíma platby typu iba v hotovosti. ErrorFromToAccountsMustDiffers=Zdrojovej a cieľovej bankové účty musí byť iný. -ErrorBadThirdPartyName=Bad value for third-party name -ForbiddenBySetupRules=Forbidden by setup rules +ErrorBadThirdPartyName=Zlá hodnota názvu tretej strany +ForbiddenBySetupRules=Zakázané pravidlami nastavenia ErrorProdIdIsMandatory=%s je povinné -ErrorAccountancyCodeCustomerIsMandatory=The accountancy code of customer %s is mandatory +ErrorAccountancyCodeCustomerIsMandatory=Účtovný kód zákazníka %s je povinný +ErrorAccountancyCodeSupplierIsMandatory=Účtovný kód dodávateľa %s je povinný ErrorBadCustomerCodeSyntax=Bad syntaxe pre zákazníka kódu -ErrorBadBarCodeSyntax=Bad syntax for barcode. May be you set a bad barcode type or you defined a barcode mask for numbering that does not match value scanned. +ErrorBadBarCodeSyntax=Nesprávna syntax čiarového kódu. Možno ste nastavili zlý typ čiarového kódu alebo ste definovali masku čiarového kódu pre číslovanie, ktorá nezodpovedá naskenovanej hodnote. ErrorCustomerCodeRequired=Zákazník požadoval kód -ErrorBarCodeRequired=Barcode required +ErrorBarCodeRequired=Vyžaduje sa čiarový kód ErrorCustomerCodeAlreadyUsed=Zákaznícky kód už používaný -ErrorBarCodeAlreadyUsed=Barcode already used +ErrorBarCodeAlreadyUsed=Čiarový kód sa už používa ErrorPrefixRequired=Prefix nutné -ErrorBadSupplierCodeSyntax=Bad syntax for vendor code -ErrorSupplierCodeRequired=Vendor code required -ErrorSupplierCodeAlreadyUsed=Vendor code already used +ErrorBadSupplierCodeSyntax=Nesprávna syntax pre kód dodávateľa +ErrorSupplierCodeRequired=Vyžaduje sa kód dodávateľa +ErrorSupplierCodeAlreadyUsed=Kód dodávateľa sa už používa ErrorBadParameters=Bad parametre -ErrorWrongParameters=Wrong or missing parameters -ErrorBadValueForParameter=Wrong value '%s' for parameter '%s' -ErrorBadImageFormat=Image file has not a supported format (Your PHP does not support functions to convert images of this format) +ErrorWrongParameters=Nesprávne alebo chýbajúce parametre +ErrorBadValueForParameter=Nesprávna hodnota '%s' pre parameter '%s' +ErrorBadImageFormat=Súbor obrázka nemá podporovaný formát (Vaše PHP nepodporuje funkcie na konverziu obrázkov tohto formátu) ErrorBadDateFormat=Hodnota "%s" má nesprávny formát dátumu -ErrorWrongDate=Date is not correct! +ErrorWrongDate=Dátum nie je správny! ErrorFailedToWriteInDir=Nepodarilo sa zapísať do adresára %s +ErrorFailedToBuildArchive=Nepodarilo sa vytvoriť archívny súbor %s ErrorFoundBadEmailInFile=Našiel nesprávne email syntaxe %s riadkov v súbore (%s príklad súlade s emailom = %s) -ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields have been left blank. -ErrorSubjectIsRequired=The email subject is required +ErrorUserCannotBeDelete=Používateľa nie je možné vymazať. Možno je to spojené s entitami Dolibarr. +ErrorFieldsRequired=Niektoré povinné polia zostali prázdne. +ErrorSubjectIsRequired=Predmet e-mailu je povinný ErrorFailedToCreateDir=Nepodarilo sa vytvoriť adresár. Uistite sa, že webový server má užívateľ oprávnenie na zápis do adresára dokumentov Dolibarr. Ak je parameter safe_mode je povolené na tomto PHP, skontrolujte, či Dolibarr php súbory, vlastné pre užívateľa webového servera (alebo skupina). ErrorNoMailDefinedForThisUser=Žiadna pošta definované pre tohto používateľa -ErrorSetupOfEmailsNotComplete=Setup of emails is not complete -ErrorFeatureNeedJavascript=Táto funkcia potrebujete mať Java scripty byť aktivovaný do práce. Zmeniť v nastavení - displej. +ErrorSetupOfEmailsNotComplete=Nastavenie e-mailov nie je dokončené +ErrorFeatureNeedJavascript=Aby táto funkcia fungovala, musí byť aktivovaný JavaScript. Zmeňte to v nastavení - zobrazenie. ErrorTopMenuMustHaveAParentWithId0=Ponuka typu "top" nemôže mať rodič menu. Dajte 0 do nadradenej ponuky alebo zvoliť ponuku typu "vľavo". ErrorLeftMenuMustHaveAParentId=Ponuka typu "ľavica", musí mať rodič id. ErrorFileNotFound=Súbor nebol nájdený %s (Bad cesta, zlé oprávnenia alebo odmietnutie prístupu na PHP safe_mode OpenBasedir alebo parameter) ErrorDirNotFound=Adresár %s nebol nájdený (Bad cesta, zlé oprávnenia alebo odmietnutie prístupu na PHP safe_mode OpenBasedir alebo parameter) ErrorFunctionNotAvailableInPHP=Funkcia %s je nutné pre túto funkciu, ale nie je k dispozícii v tejto verzii / nastavenie PHP. ErrorDirAlreadyExists=Adresár s týmto názvom už existuje. +ErrorDirNotWritable=Do adresára %s sa nedá zapisovať. ErrorFileAlreadyExists=Súbor s týmto názvom už existuje. -ErrorDestinationAlreadyExists=Another file with the name %s already exists. +ErrorDestinationAlreadyExists=Ďalší súbor s názvom %s už existuje. ErrorPartialFile=Súbor nedostali úplne servera. -ErrorNoTmpDir=Dočasné direct %s neexistuje. +ErrorNoTmpDir=Dočasný adresár %s neexistuje. ErrorUploadBlockedByAddon=Pridať zablokovaný PHP / Apache pluginu. -ErrorFileSizeTooLarge=Súbor je príliš veľký. -ErrorFieldTooLong=Field %s is too long. +ErrorFileSizeTooLarge=Veľkosť súboru je príliš veľká alebo súbor nebol poskytnutý. +ErrorFieldTooLong=Pole %s je príliš dlhé. ErrorSizeTooLongForIntType=Veľkosť príliš dlhá pre typ int (%s číslice maximum) ErrorSizeTooLongForVarcharType=Veľkosť príliš dlho typu string (%s znakov maximum) ErrorNoValueForSelectType=Vyplňte, prosím, hodnotu zoznamu vyberte ErrorNoValueForCheckBoxType=Vyplňte, prosím, hodnotu checkbox zoznamu ErrorNoValueForRadioType=Prosím vyplňte hodnotu pre rozhlasové zoznamu -ErrorBadFormatValueList=The list value cannot have more than one comma: %s, but need at least one: key,value -ErrorFieldCanNotContainSpecialCharacters=The field %s must not contains special characters. -ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters and cannot contain only numbers. -ErrorFieldMustHaveXChar=The field %s must have at least %s characters. +ErrorBadFormatValueList=Hodnota zoznamu nemôže obsahovať viac ako jednu čiarku: %s, ale potrebujete aspoň jeden: kľúč, hodnota +ErrorFieldCanNotContainSpecialCharacters=Pole %s nesmie obsahovať špeciálne znaky. +ErrorFieldCanNotContainSpecialNorUpperCharacters=Pole %s nesmie obsahovať špeciálne znaky ani veľké písmená znakov a musí začínať abecedným znakom (a-z) +ErrorFieldMustHaveXChar=Pole %s musí mať aspoň %s znakov. ErrorNoAccountancyModuleLoaded=Nie účtovníctva modul aktivovaný -ErrorExportDuplicateProfil=This profile name already exists for this export set. +ErrorExportDuplicateProfil=Tento názov profilu už pre túto sadu exportov existuje. ErrorLDAPSetupNotComplete=Dolibarr-LDAP zhoda nie je úplná. ErrorLDAPMakeManualTest=. LDIF súbor bol vytvorený v adresári %s. Skúste načítať ručne z príkazového riadku získať viac informácií o chybách. -ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled. -ErrorRefAlreadyExists=Reference %s already exists. -ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD) -ErrorRecordHasChildren=Failed to delete record since it has some child records. -ErrorRecordHasAtLeastOneChildOfType=Object %s has at least one child of type %s -ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into another object. -ErrorModuleRequireJavascript=Javascript musí byť vypnutá, že táto funkcia pracovať. Ak chcete povoliť / zakázať Javascript, prejdite do ponuky Home-> Nastavenie-> Zobrazenie. +ErrorCantSaveADoneUserWithZeroPercentage=Akciu nie je možné uložiť so stavom „nezačaté“, ak je vyplnené aj pole „vykonal“. +ErrorRefAlreadyExists=Referencia %s už existuje. +ErrorPleaseTypeBankTransactionReportName=Zadajte názov bankového výpisu, v ktorom sa má záznam nahlásiť (Formát RRRRMM alebo RRRRMMDD) +ErrorRecordHasChildren=Nepodarilo sa odstrániť záznam, pretože má nejaké podradené záznamy. +ErrorRecordHasAtLeastOneChildOfType=Objekt %s má aspoň jedného potomka typu %s +ErrorRecordIsUsedCantDelete=Záznam sa nedá vymazať. Je už použitý alebo zahrnutý do iného objektu. +ErrorModuleRequireJavascript=Aby táto funkcia fungovala, nesmie byť zakázaný JavaScript. Ak chcete povoliť/zakázať JavaScript, prejdite do ponuky Domov->Nastavenie->Zobrazenie. ErrorPasswordsMustMatch=Obaja napísaný hesla sa musia zhodovať sa navzájom -ErrorContactEMail=A technical error occured. Please, contact administrator to following email %s and provide the error code %s in your message, or add a screen copy of this page. -ErrorWrongValueForField=Field %s: '%s' does not match regex rule %s -ErrorFieldValueNotIn=Field %s: '%s' is not a value found in field %s of %s -ErrorFieldRefNotIn=Field %s: '%s' is not a %s existing ref -ErrorsOnXLines=%s errors found +ErrorContactEMail=Vyskytla sa technická chyba. Obráťte sa na správcu na nasledujúci e-mail %s a uveďte chybu kód %s do správy alebo pridajte kópiu táto strana. +ErrorWrongValueForField=Pole %s: ''notrans %s' nezodpovedá pravidlu regulárneho výrazu %s' obsahuje škodlivé údaje, ktoré nie sú povolené +ErrorFieldValueNotIn=Pole %s: ''notrans %s' nie je hodnota nájdená v poli 38365 span>%s z 'notrans %s' nie je 350aee83 class='notranslate'>%s existujúci ref. +ErrorMultipleRecordFoundFromRef=Pri vyhľadávaní z ref %s sa našlo niekoľko záznamov. Žiadny spôsob, ako zistiť, ktoré ID použiť. +ErrorsOnXLines=Našli sa %s chyby ErrorFileIsInfectedWithAVirus=Antivírusový program nebol schopný overiť súbor (súbor môže byť napadnutý vírusom) -ErrorSpecialCharNotAllowedForField=Špeciálne znaky nie sú povolené pre pole "%s" +ErrorFileIsAnInfectedPDFWithJSInside=Súbor je PDF infikovaný nejakým Javascriptom vo vnútri ErrorNumRefModel=Existuje odkaz do databázy (%s) a nie je kompatibilný s týmto pravidlom číslovania. Odobrať záznam alebo premenovať odkaz na aktiváciu tohto modulu. -ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this vendor -ErrorOrdersNotCreatedQtyTooLow=Some orders haven't been created because of too-low quantities -ErrorModuleSetupNotComplete=Setup of module %s looks to be uncomplete. Go on Home - Setup - Modules to complete. +ErrorQtyTooLowForThisSupplier=Množstvo je pre tohto predajcu príliš nízke alebo pre tohto predajcu nie je na tomto produkte definovaná žiadna cena +ErrorOrdersNotCreatedQtyTooLow=Niektoré objednávky neboli vytvorené z dôvodu príliš malého množstva +ErrorOrderStatusCantBeSetToDelivered=Stav objednávky nie je možné nastaviť na doručenie. +ErrorModuleSetupNotComplete=Nastavenie modulu %s sa zdá byť neúplné. Dokončite prejdite na Domov - Nastavenie - Moduly. ErrorBadMask=Chyba na masku ErrorBadMaskFailedToLocatePosOfSequence=Chyba maska ​​bez poradovým číslom ErrorBadMaskBadRazMonth=Chyba, zlá hodnota po resete -ErrorMaxNumberReachForThisMask=Maximum number reached for this mask -ErrorCounterMustHaveMoreThan3Digits=Counter must have more than 3 digits -ErrorSelectAtLeastOne=Error, select at least one entry. -ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transaction that is conciliated +ErrorMaxNumberReachForThisMask=Pre túto masku bol dosiahnutý maximálny počet +ErrorCounterMustHaveMoreThan3Digits=Počítadlo musí mať viac ako 3 číslice +ErrorSelectAtLeastOne=Chyba, vyberte aspoň jeden záznam. +ErrorDeleteNotPossibleLineIsConsolidated=Odstránenie nie je možné, pretože záznam je prepojený s bankovou transakciou, ktorá je dohodnutá ErrorProdIdAlreadyExist=%s je priradený do inej tretej ErrorFailedToSendPassword=Nepodarilo sa odoslať heslo ErrorFailedToLoadRSSFile=Nedokáže dostať RSS feed. Skúste pridať konštantný MAIN_SIMPLEXMLLOAD_DEBUG prípade chybových hlásení neposkytuje dostatok informácií. -ErrorForbidden=Access denied.
      You try to access to a page, area or feature of a disabled module or without being in an authenticated session or that is not allowed to your user. +ErrorForbidden=Prístup bol odmietnutý.
      Pokúšate sa o prístup na stránku, oblasť alebo funkciu deaktivovaného modulu alebo bez toho, aby ste boli v overenej relácii, alebo to váš používateľ nemá povolené. ErrorForbidden2=Povolenie pre toto prihlásenie môže byť definovaná správcom Dolibarr z ponuky %s-> %s. ErrorForbidden3=Zdá sa, že Dolibarr nie je využitá prostredníctvom overené relácie. Pozrite sa na dokumentáciu k nastaveniu Dolibarr vedieť, ako riadiť autentizácia (htaccess, mod_auth alebo iné ...). -ErrorForbidden4=Note: clear your browser cookies to destroy existing sessions for this login. +ErrorForbidden4=Poznámka: Ak chcete zničiť existujúce relácie pre toto prihlásenie, vymažte súbory cookie prehliadača. ErrorNoImagickReadimage=Trieda Imagick nie je nájdený v tejto PHP. Náhľad nie je môžu byť k dispozícii. Správcovia môžu zakázať túto kartu z menu Nastavenie - Zobrazenie. ErrorRecordAlreadyExists=Záznam už existuje -ErrorLabelAlreadyExists=This label already exists +ErrorLabelAlreadyExists=Tento štítok už existuje ErrorCantReadFile=Chyba pri čítaní súboru "%s" ErrorCantReadDir=Chyba pri čítaní adresára "%s" ErrorBadLoginPassword=Nesprávna hodnota pre prihlásenie alebo heslo ErrorLoginDisabled=Váš účet bol zakázaný -ErrorFailedToRunExternalCommand=Failed to run external command. Check it is available and runnable by your PHP server user. Check also the command is not protected on shell level by a security layer like apparmor. +ErrorFailedToRunExternalCommand=Nepodarilo sa spustiť externý príkaz. Skontrolujte, či je dostupný a spustiteľný používateľom vášho servera PHP. Skontrolujte tiež, že príkaz nie je chránený na úrovni shellu bezpečnostnou vrstvou, akou je napríklad apparmor. ErrorFailedToChangePassword=Nepodarilo sa zmeniť heslo ErrorLoginDoesNotExists=Užívateľ s prihlásením %s nebol nájdený. ErrorLoginHasNoEmail=Tento užívateľ nemá žiadnu e-mailovú adresu. Proces prerušená. ErrorBadValueForCode=Bad hodnota bezpečnostného kódu. Skúste to znova s ​​novou hodnotou ... ErrorBothFieldCantBeNegative=Polia %s a %s nemôžu byť negatívna -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines (net of tax) can't be negative for a given not null VAT rate (Found a negative total for VAT rate %s%%). -ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. -ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative +ErrorFieldCantBeNegativeOnInvoice=Pole %s nemôže byť na tomto type faktúry záporné. Ak potrebujete pridať zľavový riadok, najskôr vytvorte zľavu (z poľa '%s' na karte tretej strany) a aplikujte ju na faktúru. +ErrorLinesCantBeNegativeForOneVATRate=Súčet riadkov (bez dane) nemôže byť záporný pre danú, nie nulovú sadzbu DPH (našiel sa záporný súčet pre sadzbu DPH %s %%). +ErrorLinesCantBeNegativeOnDeposits=Čiary vo vklade nemôžu byť záporné. Budete čeliť problémom, keď budete musieť spotrebovať zálohu v konečnej faktúre, ak tak urobíte. +ErrorQtyForCustomerInvoiceCantBeNegative=Množstvo pre riadok do zákazníckych faktúr nemôže byť záporné ErrorWebServerUserHasNotPermission=Užívateľský účet %s použiť na spustenie webový server nemá oprávnenie pre ktoré ErrorNoActivatedBarcode=Žiaden čiarový kód aktivovaný typ ErrUnzipFails=Nepodarilo sa rozbaliť %s s ZipArchive -ErrNoZipEngine=No engine to zip/unzip %s file in this PHP +ErrNoZipEngine=Žiadny nástroj na zips/rozbalenie súboru %s v tomto PHP ErrorFileMustBeADolibarrPackage=Súborov %s musí byť zips Dolibarr balíček -ErrorModuleFileRequired=You must select a Dolibarr module package file +ErrorModuleFileRequired=Musíte vybrať súbor balíka modulov Dolibarr ErrorPhpCurlNotInstalled=PHP CURL nie je nainštalovaný, je to nevyhnutné hovoriť s Paypal ErrorFailedToAddToMailmanList=Nepodarilo sa pridať záznam do %s %s poštár zoznamu alebo SPIP základne ErrorFailedToRemoveToMailmanList=Nepodarilo sa odstrániť záznam %s %s na zoznam poštár alebo SPIP základne ErrorNewValueCantMatchOldValue=Nová hodnota nemôže byť presne staré ErrorFailedToValidatePasswordReset=Nepodarilo sa Reinita heslo. Môže byť REINIT už bola vykonaná (tento odkaz možno použiť iba raz). Ak nie, skúste reštartovať REINIT procesu. -ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check database server is running (for example, with mysql/mariadb, you can launch it from command line with 'sudo service mysql start'). +ErrorToConnectToMysqlCheckInstance=Pripojenie k databáze zlyhá. Skontrolujte, či je spustený databázový server (napríklad s mysql/mariadb ho môžete spustiť z príkazového riadku pomocou 'sudo service mysql start'). ErrorFailedToAddContact=Nepodarilo sa pridať kontakt -ErrorDateMustBeBeforeToday=The date must be lower than today -ErrorDateMustBeInFuture=The date must be greater than today +ErrorDateMustBeBeforeToday=Dátum musí byť nižší ako dnes +ErrorDateMustBeInFuture=Dátum musí byť väčší ako dnešný +ErrorStartDateGreaterEnd=Dátum začiatku je väčší ako dátum ukončenia ErrorPaymentModeDefinedToWithoutSetup=Platobný režim bol nastavený na typ %s ale nastavenie modulu Faktúry nebola dokončená definovať informácie, ktoré sa pre tento platobný režim. ErrorPHPNeedModule=Chyba, musí mať PHP modul %s nainštalovať túto funkciu používať. ErrorOpenIDSetupNotComplete=Môžete nastavenie Dolibarr konfiguračný súbor, aby OpenID overovania, ale URL OpenID služby nie je definovaný do stálych %s ErrorWarehouseMustDiffers=Zdrojovej a cieľovej sklady musia sa líši -ErrorBadFormat=Bad format! -ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any third party. Link member to an existing third party or create a new third party before creating subscription with invoice. -ErrorThereIsSomeDeliveries=Error, there is some deliveries linked to this shipment. Deletion refused. -ErrorCantDeletePaymentReconciliated=Can't delete a payment that had generated a bank entry that was reconciled -ErrorCantDeletePaymentSharedWithPayedInvoice=Can't delete a payment shared by at least one invoice with status Paid -ErrorPriceExpression1=Cannot assign to constant '%s' -ErrorPriceExpression2=Cannot redefine built-in function '%s' -ErrorPriceExpression3=Undefined variable '%s' in function definition -ErrorPriceExpression4=Illegal character '%s' -ErrorPriceExpression5=Unexpected '%s' -ErrorPriceExpression6=Wrong number of arguments (%s given, %s expected) -ErrorPriceExpression8=Unexpected operator '%s' -ErrorPriceExpression9=An unexpected error occured -ErrorPriceExpression10=Operator '%s' lacks operand -ErrorPriceExpression11=Expecting '%s' -ErrorPriceExpression14=Division by zero -ErrorPriceExpression17=Undefined variable '%s' -ErrorPriceExpression19=Expression not found -ErrorPriceExpression20=Empty expression -ErrorPriceExpression21=Empty result '%s' -ErrorPriceExpression22=Negative result '%s' -ErrorPriceExpression23=Unknown or non set variable '%s' in %s -ErrorPriceExpression24=Variable '%s' exists but has no value -ErrorPriceExpressionInternal=Internal error '%s' -ErrorPriceExpressionUnknown=Unknown error '%s' +ErrorBadFormat=Zlý formát! +ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Chyba, tento člen ešte nie je prepojený so žiadnou treťou stranou. Pred vytvorením predplatného s faktúrou prepojte člena s existujúcou treťou stranou alebo vytvorte novú tretiu stranu. +ErrorThereIsSomeDeliveries=Chyba, s touto zásielkou súvisia nejaké dodávky. Odstránenie bolo odmietnuté. +ErrorCantDeletePaymentReconciliated=Nie je možné odstrániť platbu, ktorá vygenerovala bankový záznam, ktorý bol odsúhlasený +ErrorCantDeletePaymentSharedWithPayedInvoice=Nie je možné odstrániť platbu zdieľanú aspoň jednou faktúrou so stavom Zaplatená +ErrorPriceExpression1=Nedá sa priradiť konštante '%s' +ErrorPriceExpression2=Nie je možné predefinovať vstavanú funkciu '%s' +ErrorPriceExpression3=Nedefinovaná premenná '%s' v definícii funkcie +ErrorPriceExpression4=Nepovolený znak '%s' +ErrorPriceExpression5=Neočakávané '%s' +ErrorPriceExpression6=Nesprávny počet argumentov (zadaný %s, očakáva sa %s) +ErrorPriceExpression8=Neočakávaný operátor '%s' +ErrorPriceExpression9=vyskytla sa neočakávaná chyba +ErrorPriceExpression10=Operátor '%s' nemá operand +ErrorPriceExpression11=Očakáva sa '%s' +ErrorPriceExpression14=Delenie nulou +ErrorPriceExpression17=Nedefinovaná premenná '%s' +ErrorPriceExpression19=Výraz sa nenašiel +ErrorPriceExpression20=Prázdny výraz +ErrorPriceExpression21=Prázdny výsledok '%s' +ErrorPriceExpression22=Negatívny výsledok '%s' +ErrorPriceExpression23=Neznáma alebo nenastavená premenná '%s' v %s +ErrorPriceExpression24=Premenná '%s' existuje, ale nemá žiadnu hodnotu +ErrorPriceExpressionInternal=Interná chyba '%s' +ErrorPriceExpressionUnknown=Neznáma chyba '%s' ErrorSrcAndTargetWarehouseMustDiffers=Zdrojovej a cieľovej sklady musia sa líši -ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on product '%s' requiring lot/serial information -ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=All recorded receptions must first be verified (approved or denied) before being allowed to do this action -ErrorCantSetReceptionToTotalDoneWithReceptionDenied=All recorded receptions must first be verified (approved) before being allowed to do this action -ErrorGlobalVariableUpdater0=HTTP request failed with error '%s' -ErrorGlobalVariableUpdater1=Invalid JSON format '%s' -ErrorGlobalVariableUpdater2=Missing parameter '%s' -ErrorGlobalVariableUpdater3=The requested data was not found in result -ErrorGlobalVariableUpdater4=SOAP client failed with error '%s' -ErrorGlobalVariableUpdater5=No global variable selected -ErrorFieldMustBeANumeric=Field %s must be a numeric value -ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided -ErrorOppStatusRequiredIfAmount=You set an estimated amount for this lead. So you must also enter it's status. -ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s -ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu) -ErrorSavingChanges=An error has occurred when saving the changes -ErrorWarehouseRequiredIntoShipmentLine=Warehouse is required on the line to ship -ErrorFileMustHaveFormat=File must have format %s -ErrorFilenameCantStartWithDot=Filename can't start with a '.' -ErrorSupplierCountryIsNotDefined=Country for this vendor is not defined. Correct this first. -ErrorsThirdpartyMerge=Failed to merge the two records. Request canceled. -ErrorStockIsNotEnoughToAddProductOnOrder=Stock is not enough for product %s to add it into a new order. -ErrorStockIsNotEnoughToAddProductOnInvoice=Stock is not enough for product %s to add it into a new invoice. -ErrorStockIsNotEnoughToAddProductOnShipment=Stock is not enough for product %s to add it into a new shipment. -ErrorStockIsNotEnoughToAddProductOnProposal=Stock is not enough for product %s to add it into a new proposal. -ErrorFailedToLoadLoginFileForMode=Failed to get the login key for mode '%s'. -ErrorModuleNotFound=File of module was not found. -ErrorFieldAccountNotDefinedForBankLine=Value for Accounting account not defined for source line id %s (%s) -ErrorFieldAccountNotDefinedForInvoiceLine=Value for Accounting account not defined for invoice id %s (%s) -ErrorFieldAccountNotDefinedForLine=Value for Accounting account not defined for the line (%s) -ErrorBankStatementNameMustFollowRegex=Error, bank statement name must follow the following syntax rule %s -ErrorPhpMailDelivery=Check that you don't use a too high number of recipients and that your email content is not similar to a Spam. Ask also your administrator to check firewall and server logs files for a more complete information. -ErrorUserNotAssignedToTask=User must be assigned to task to be able to enter time consumed. -ErrorTaskAlreadyAssigned=Task already assigned to user -ErrorModuleFileSeemsToHaveAWrongFormat=The module package seems to have a wrong format. -ErrorModuleFileSeemsToHaveAWrongFormat2=At least one mandatory directory must exists into zip of module: %s or %s -ErrorFilenameDosNotMatchDolibarrPackageRules=The name of the module package (%s) does not match expected name syntax: %s -ErrorDuplicateTrigger=Error, duplicate trigger name %s. Already loaded from %s. -ErrorNoWarehouseDefined=Error, no warehouses defined. -ErrorBadLinkSourceSetButBadValueForRef=The link you use is not valid. A 'source' for payment is defined, but value for 'ref' is not valid. -ErrorTooManyErrorsProcessStopped=Too many errors. Process was stopped. -ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Mass validation is not possible when option to increase/decrease stock is set on this action (you must validate one by one so you can define the warehouse to increase/decrease) -ErrorObjectMustHaveStatusDraftToBeValidated=Object %s must have status 'Draft' to be validated. -ErrorObjectMustHaveLinesToBeValidated=Object %s must have lines to be validated. -ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Only validated invoices can be sent using the "Send by email" mass action. -ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a predefined product or not -ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before. -ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently. -ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference. -ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number. -ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product -ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use -ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually. -ErrorBadSyntaxForParamKeyForContent=Bad syntax for param keyforcontent. Must have a value starting with %s or %s -ErrorVariableKeyForContentMustBeSet=Error, the constant with name %s (with text content to show) or %s (with external url to show) must be set. -ErrorURLMustEndWith=URL %s must end %s -ErrorURLMustStartWithHttp=URL %s must start with http:// or https:// -ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// -ErrorNewRefIsAlreadyUsed=Error, the new reference is already used -ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible. -ErrorSearchCriteriaTooSmall=Search criteria too small. -ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to be disabled -ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled -ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. -ErrorFieldRequiredForProduct=Field '%s' is required for product %s -ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. -ErrorAddAtLeastOneLineFirst=Add at least one line first -ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, record is already transferred in accounting, deletion is not possible. -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one. -ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s". -ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty -ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number -ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number -ErrorFailedToReadObject=Error, failed to read object of type %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler -ErrorLoginDateValidity=Error, this login is outside the validity date range -ErrorValueLength=Length of field '%s' must be higher than '%s' -ErrorReservedKeyword=The word '%s' is a reserved keyword -ErrorNotAvailableWithThisDistribution=Not available with this distribution -ErrorPublicInterfaceNotEnabled=Public interface was not enabled -ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page -ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page -ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation -ErrorDateIsInFuture=Error, the date can't be in the future -ErrorAnAmountWithoutTaxIsRequired=Error, amount is mandatory -ErrorAPercentIsRequired=Error, please fill in the percentage correctly -ErrorYouMustFirstSetupYourChartOfAccount=You must first setup your chart of account -ErrorFailedToFindEmailTemplate=Failed to find template with code name %s -ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Duration not defined on service. No way to calculate the hourly price. -ErrorActionCommPropertyUserowneridNotDefined=User's owner is required -ErrorActionCommBadType=Selected event type (id: %s, code: %s) do not exist in Event Type dictionary -CheckVersionFail=Version check fail -ErrorWrongFileName=Name of the file cannot have __SOMETHING__ in it -ErrorNotInDictionaryPaymentConditions=Not in Payment Terms Dictionary, please modify. -ErrorIsNotADraft=%s is not a draft -ErrorExecIdFailed=Can't execute command "id" -ErrorBadCharIntoLoginName=Unauthorized character in the login name -ErrorRequestTooLarge=Error, request too large +ErrorTryToMakeMoveOnProductRequiringBatchData=Chyba pri pokuse o uskutočnenie pohybu zásob bez informácií o šarži/sériovom produkte '%s' vyžadujúce informácie o šarži/sérii +ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=Všetky zaznamenané recepcie musia byť najprv overené (schválené alebo zamietnuté), predtým, než bude povolená táto akcia +ErrorCantSetReceptionToTotalDoneWithReceptionDenied=Všetky zaznamenané recepcie musia byť najskôr overené (schválené) predtým, ako bude povolená táto akcia +ErrorGlobalVariableUpdater0=Požiadavka HTTP zlyhala s chybou '%s' +ErrorGlobalVariableUpdater1=Neplatný formát JSON '%s' +ErrorGlobalVariableUpdater2=Chýba parameter '%s' +ErrorGlobalVariableUpdater3=Požadované údaje sa vo výsledku nenašli +ErrorGlobalVariableUpdater4=Klient SOAP zlyhal s chybou '%s' +ErrorGlobalVariableUpdater5=Nie je vybratá žiadna globálna premenná +ErrorFieldMustBeANumeric=Pole %s musí byť číselná hodnota +ErrorMandatoryParametersNotProvided=Povinné parametre neboli poskytnuté +ErrorOppStatusRequiredIfUsage=Rozhodnete sa sledovať príležitosť v tomto projekte, takže musíte vyplniť aj stav potenciálneho zákazníka. +ErrorOppStatusRequiredIfAmount=Nastavíte odhadovanú sumu pre tohto potenciálneho zákazníka. Musíte teda zadať aj jeho stav. +ErrorFailedToLoadModuleDescriptorForXXX=Nepodarilo sa načítať triedu deskriptora modulu pre %s +ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Nesprávna definícia poľa ponuky v deskriptore modulu (zlá hodnota pre kľúč fk_menu) +ErrorSavingChanges=Pri ukladaní zmien sa vyskytla chyba +ErrorWarehouseRequiredIntoShipmentLine=Na odoslanie je potrebný sklad na linke +ErrorFileMustHaveFormat=Súbor musí mať formát %s +ErrorFilenameCantStartWithDot=Názov súboru nemôže začínať '.' +ErrorSupplierCountryIsNotDefined=Krajina pre tohto predajcu nie je definovaná. Najprv to opravte. +ErrorsThirdpartyMerge=Nepodarilo sa zlúčiť dva záznamy. Žiadosť bola zrušená. +ErrorStockIsNotEnoughToAddProductOnOrder=Sklad nie je dostatočný na to, aby produkt %s mohol pridať do novej objednávky. +ErrorStockIsNotEnoughToAddProductOnInvoice=Sklad nie je dostatočný na to, aby produkt %s mohol pridať do novej faktúry. +ErrorStockIsNotEnoughToAddProductOnShipment=Sklad nie je dostatočný na to, aby produkt %s mohol pridať do novej zásielky. +ErrorStockIsNotEnoughToAddProductOnProposal=Sklad nie je dostatočný na to, aby produkt %s mohol pridať do novej ponuky. +ErrorFailedToLoadLoginFileForMode=Nepodarilo sa získať prihlasovací kľúč pre režim '%s'. +ErrorModuleNotFound=Súbor modulu sa nenašiel. +ErrorFieldAccountNotDefinedForBankLine=Hodnota pre účtovný účet nie je definovaná pre ID zdrojového riadku %s (%s) +ErrorFieldAccountNotDefinedForInvoiceLine=Hodnota pre účtovný účet nie je definovaná pre ID faktúry %s (%s) +ErrorFieldAccountNotDefinedForLine=Hodnota pre účtovný účet nie je definovaná pre riadok (%s) +ErrorBankStatementNameMustFollowRegex=Chyba, názov bankového výpisu musí spĺňať nasledujúce pravidlo syntaxe %s +ErrorPhpMailDelivery=Skontrolujte, či nepoužívate príliš vysoký počet príjemcov a či obsah vášho e-mailu nie je podobný spamu. Požiadajte aj svojho správcu, aby skontroloval súbory protokolov brány firewall a servera, aby ste získali kompletnejšie informácie. +ErrorUserNotAssignedToTask=Používateľ musí byť priradený k úlohe, aby mohol zadať spotrebovaný čas. +ErrorTaskAlreadyAssigned=Úloha je už priradená používateľovi +ErrorModuleFileSeemsToHaveAWrongFormat=Zdá sa, že balík modulov má nesprávny formát. +ErrorModuleFileSeemsToHaveAWrongFormat2=V súbore zip modulu musí existovať aspoň jeden povinný adresár: %s > alebo %s +ErrorFilenameDosNotMatchDolibarrPackageRules=Názov balíka modulu (%s) sa nezhoduje očakávaná syntax názvu: %s +ErrorDuplicateTrigger=Chyba, duplicitný názov spúšťača %s. Už načítané z %s. +ErrorNoWarehouseDefined=Chyba, nie sú definované žiadne sklady. +ErrorBadLinkSourceSetButBadValueForRef=Odkaz, ktorý používate, nie je platný. Je definovaný 'zdroj' pre platbu, ale hodnota 'ref' nie je platná. +ErrorTooManyErrorsProcessStopped=Príliš veľa chýb. Proces bol zastavený. +ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Hromadné overenie nie je možné, keď je pri tejto akcii nastavená možnosť zvýšenia/zníženia zásob (musíte overiť jeden po druhom, aby ste mohli definovať sklad na zvýšenie/zníženie) +ErrorObjectMustHaveStatusDraftToBeValidated=Objekt %s musí mať stav 'Koncept', aby mohol byť overený. +ErrorObjectMustHaveLinesToBeValidated=Objekt %s musí mať na overenie riadky. +ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Pomocou hromadnej akcie „Odoslať e-mailom“ je možné posielať iba overené faktúry. +ErrorChooseBetweenFreeEntryOrPredefinedProduct=Musíte si vybrať, či je článok preddefinovaným produktom alebo nie +ErrorDiscountLargerThanRemainToPaySplitItBefore=Zľava, ktorú sa pokúšate uplatniť, je väčšia, ako zostáva zaplatiť. Predtým si rozdeľte zľavu na 2 menšie zľavy. +ErrorFileNotFoundWithSharedLink=Súbor sa nenašiel. Je možné, že zdieľací kľúč bol upravený alebo bol súbor nedávno odstránený. +ErrorProductBarCodeAlreadyExists=Čiarový kód produktu %s už existuje na inom referenčnom produkte. +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Všimnite si tiež, že použitie súprav na automatické zvýšenie/zníženie vedľajších produktov nie je možné, ak aspoň jeden podprodukt (alebo podprodukt podproduktov) potrebuje sériové číslo/číslo šarže. +ErrorDescRequiredForFreeProductLines=Popis je povinný pre linky s bezplatným produktom +ErrorAPageWithThisNameOrAliasAlreadyExists=Stránka/kontajner %s má rovnaký názov alebo alternatíva ten, ktorý sa snažíte použiť +ErrorDuringChartLoad=Chyba pri načítavaní účtovnej osnovy. Ak sa nenačítalo niekoľko účtov, stále ich môžete zadať ručne. +ErrorBadSyntaxForParamKeyForContent=Nesprávna syntax pre param keyforcontent. Musí mať hodnotu začínajúcu reťazcom %s alebo %s +ErrorVariableKeyForContentMustBeSet=Chyba, musí byť nastavená konštanta s názvom %s (s textovým obsahom na zobrazenie) alebo %s (s externou adresou URL na zobrazenie) . +ErrorURLMustEndWith=Adresa URL %s musí končiť %s +ErrorURLMustStartWithHttp=Adresa URL %s musí začínať reťazcom http:// alebo https:// +ErrorHostMustNotStartWithHttp=Názov hostiteľa %s NESMIE začínať http:// alebo https:// +ErrorNewRefIsAlreadyUsed=Chyba, nová referencia sa už používa +ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Chyba, vymazanie platby spojenej s uzavretou faktúrou nie je možné. +ErrorSearchCriteriaTooSmall=Kritériá vyhľadávania sú príliš krátke. +ErrorObjectMustHaveStatusActiveToBeDisabled=Aby boli objekty zakázané, musia mať stav „Aktívne“. +ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Aby boli objekty povolené, musia mať stav „Koncept“ alebo „Zakázané“. +ErrorNoFieldWithAttributeShowoncombobox=Žiadne pole nemá vlastnosť 'showoncombobox' do definície objektu '%s'. Žiadny spôsob, ako zobraziť combolist. +ErrorFieldRequiredForProduct=Pole '%s je povinné pre produkt %s +AlreadyTooMuchPostOnThisIPAdress=Na túto IP adresu ste toho už poslali príliš veľa. +ProblemIsInSetupOfTerminal=Problém je v nastavení terminálu %s. +ErrorAddAtLeastOneLineFirst=Najprv pridajte aspoň jeden riadok +ErrorRecordAlreadyInAccountingDeletionNotPossible=Chyba, záznam je už v účtovníctve prenesený, výmaz nie je možný. +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Chyba, jazyk je povinný, ak stránku nastavíte ako preklad inej stránky. +ErrorLanguageOfTranslatedPageIsSameThanThisPage=Chyba, jazyk preloženej stránky je rovnaký ako tento. +ErrorBatchNoFoundForProductInWarehouse=Pre produkt "%s" v sklade "%s" sa nenašla žiadna šarža/sériový produkt. +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Pre túto šaržu/sériu nie je dostatočné množstvo produktu "%s" v sklade "%s". +ErrorOnlyOneFieldForGroupByIsPossible=Je možné len 1 pole pre „Zoskupiť podľa“ (ostatné sú vyradené) +ErrorTooManyDifferentValueForSelectedGroupBy=Našlo sa príliš veľa rôznych hodnôt (viac ako %s) pole '%s', takže ho nemôžeme použiť ako „Skupina podľa“ pre grafiku. Pole „Skupina podľa“ bolo odstránené. Možno by ste ho chceli použiť ako os X? +ErrorReplaceStringEmpty=Chyba, reťazec, do ktorého sa má nahradiť, je prázdny +ErrorProductNeedBatchNumber=Chyba, produkt '%s/serial>' vyžaduje číslo šarže +ErrorProductDoesNotNeedBatchNumber=Chyba, produkt '%s' neprijíma sériové číslo +ErrorFailedToReadObject=Chyba, nepodarilo sa prečítať objekt typu %s +ErrorParameterMustBeEnabledToAllwoThisFeature=Chyba, parameter %s musí byť povolený v triede 'notranslate'>conf/conf.php<> na umožnenie použitia rozhrania príkazového riadka interným plánovačom úloh +ErrorLoginDateValidity=Chyba, toto prihlásenie je mimo rozsahu dátumov platnosti +ErrorValueLength=Dĺžka poľa '%s' musí byť väčšia ako span class='notranslate'>%s' +ErrorReservedKeyword=Slovo '%s' je vyhradené kľúčové slovo +ErrorFilenameReserved=Názov súboru %s nie je možné použiť tak, ako je vyhradený a chránený príkaz. +ErrorNotAvailableWithThisDistribution=Nie je k dispozícii s touto distribúciou +ErrorPublicInterfaceNotEnabled=Verejné rozhranie nebolo povolené +ErrorLanguageRequiredIfPageIsTranslationOfAnother=Jazyk novej stránky musí byť definovaný, ak je nastavená ako preklad inej stránky +ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=Jazyk novej stránky nesmie byť zdrojovým jazykom, ak je nastavený ako preklad inej stránky +ErrorAParameterIsRequiredForThisOperation=Pre túto operáciu je povinný parameter +ErrorDateIsInFuture=Chyba, dátum nemôže byť v budúcnosti +ErrorAnAmountWithoutTaxIsRequired=Chyba, suma je povinná +ErrorAPercentIsRequired=Chyba, vyplňte percentá správne +ErrorYouMustFirstSetupYourChartOfAccount=Najprv si musíte nastaviť účtovnú osnovu +ErrorFailedToFindEmailTemplate=Nepodarilo sa nájsť šablónu s kódovým názvom %s +ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Trvanie nie je definované v službe. Nie je možné vypočítať hodinovú cenu. +ErrorActionCommPropertyUserowneridNotDefined=Vyžaduje sa vlastník používateľa +ErrorActionCommBadType=Vybraný typ udalosti (id: %s, kód: %s) neexistuje v slovníku Event Type +CheckVersionFail=Kontrola verzie zlyhala +ErrorWrongFileName=Názov súboru nemôže obsahovať __SOMETHING__ +ErrorNotInDictionaryPaymentConditions=Nie je v slovníku platobných podmienok, prosím upravte. +ErrorIsNotADraft=%s nie je koncept +ErrorExecIdFailed=Nie je možné vykonať príkaz "id" +ErrorBadCharIntoLoginName=Neoprávnený znak v poli %s +ErrorRequestTooLarge=Chyba, požiadavka je príliš veľká alebo platnosť relácie vypršala +ErrorNotApproverForHoliday=Nie ste schvaľovateľom dovolenky %s +ErrorAttributeIsUsedIntoProduct=Tento atribút sa používa v jednom alebo viacerých variantoch produktu +ErrorAttributeValueIsUsedIntoProduct=Táto hodnota atribútu sa používa v jednom alebo viacerých variantoch produktu +ErrorPaymentInBothCurrency=Chyba, všetky sumy musia byť uvedené v rovnakom stĺpci +ErrorYouTryToPayInvoicesInACurrencyFromBankWithAnotherCurrency=Pokúšate sa zaplatiť faktúry v mene %s z účtu s menou %s +ErrorInvoiceLoadThirdParty=Nie je možné načítať objekt tretej strany pre faktúru "%s" +ErrorInvoiceLoadThirdPartyKey=Kľúč tretej strany „%s“ nie je nastavený pre faktúru „%s“ +ErrorDeleteLineNotAllowedByObjectStatus=Aktuálny stav objektu neumožňuje odstrániť riadok +ErrorAjaxRequestFailed=Žiadosť zlyhala +ErrorThirpdartyOrMemberidIsMandatory=Tretia strana alebo člen partnerstva je povinný +ErrorFailedToWriteInTempDirectory=Zápis do dočasného adresára zlyhal +ErrorQuantityIsLimitedTo=Množstvo je obmedzené na %s +ErrorFailedToLoadThirdParty=Nepodarilo sa nájsť/načítať tretiu stranu z id=%s, email=%s, name= %s +ErrorThisPaymentModeIsNotSepa=Tento spôsob platby nie je bankový účet +ErrorStripeCustomerNotFoundCreateFirst=Stripe zákazník nie je nastavený pre túto tretiu stranu (alebo nastavený na hodnotu vymazanú na Stripe strane). Najprv ho vytvorte (alebo znova pripojte). +ErrorCharPlusNotSupportedByImapForSearch=Vyhľadávanie IMAP nedokáže vyhľadať v odosielateľovi alebo príjemcovi reťazec obsahujúci znak + +ErrorTableNotFound=Tabuľka %s sa nenašla +ErrorRefNotFound=Ref %s sa nenašlo +ErrorValueForTooLow=Hodnota pre %s je príliš nízka +ErrorValueCantBeNull=Hodnota pre %s nemôže byť nulová +ErrorDateOfMovementLowerThanDateOfFileTransmission=Dátum bankovej transakcie nemôže byť nižší ako dátum prenosu súboru +ErrorTooMuchFileInForm=Príliš veľa súborov vo forme, maximálny počet je %s súborov +ErrorSessionInvalidatedAfterPasswordChange=Relácia bola zrušená po zmene hesla, e-mailu, stavu alebo dátumov platnosti. Prihláste sa znova. +ErrorExistingPermission = Povolenie %s pre objekt notrans %s už existuje +ErrorFieldExist=Hodnota pre %s už existuje +ErrorEqualModule=Modul je neplatný v %s +ErrorFieldValue=Hodnota pre %s je nesprávna +ErrorCoherenceMenu=%s, keď sa vyžaduje voľba je na to príkaz musí byť uložené vo vnútri adresára deklarovanej safe_mode_exec_dir parametrov php. WarningBookmarkAlreadyExists=Záložka s týmto názvom, alebo tento cieľ (URL) už existuje. WarningPassIsEmpty=Pozor, databáza je heslo prázdne. Toto je bezpečnostná diera. Mali by ste pridať heslo do databázy a zmeniť svoj conf.php súboru v tomto zmysle. WarningConfFileMustBeReadOnly=Pozor, môže váš konfiguračný súbor (htdocs / conf / conf.php) musia byť prepísané webovom serveri. To je vážna bezpečnostná diera. Zmeniť oprávnenia k súboru, ktorý chcete v režime len pre čítanie pre užívateľov operačného systému používaného webového servera. Ak používate systém Windows a FAT formát disku, musíte vedieť, že je súborový systém neumožňuje pridať práva na súbore, takže nemôže byť úplne bezpečný. WarningsOnXLines=Upozornenie na %s zdrojovom zázname (s) -WarningNoDocumentModelActivated=No model, for document generation, has been activated. A model will be chosen by default until you check your module setup. -WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable the installation/migration tools by adding a file install.lock into directory %s. Omitting the creation of this file is a grave security risk. -WarningUntilDirRemoved=All security warnings (visible by admin users only) will remain active as long as the vulnerability is present (or that constant MAIN_REMOVE_INSTALL_WARNING is added in Setup->Other Setup). +WarningNoDocumentModelActivated=Nebol aktivovaný žiadny model na generovanie dokumentov. Predvolene sa vyberie model, kým neskontrolujete nastavenie modulu. +WarningLockFileDoesNotExists=Upozornenie, po dokončení inštalácie musíte vypnúť inštalačné/migračné nástroje pridaním súboru install.lock do adresára %s. Vynechanie vytvorenia tohto súboru predstavuje vážne bezpečnostné riziko. +WarningUntilDirRemoved=Toto bezpečnostné varovanie zostane aktívne, kým bude prítomná zraniteľnosť. WarningCloseAlways=Pozor, zatváranie sa vykonáva, aj keď suma líši zdrojových a cieľových prvkov. Povoľte túto funkciu so zvýšenou opatrnosťou. WarningUsingThisBoxSlowDown=Upozornenie Pri použití tohto políčka spomaliť vážne všetky stránky zobrazujúce krabici. WarningClickToDialUserSetupNotComplete=Nastavenie ClickToDial informácií pre užívateľa si nie sú kompletné (pozri tab ClickToDial na vaše užívateľské karty). -WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers. -WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s. -WarningTooManyDataPleaseUseMoreFilters=Too many data (more than %s lines). Please use more filters or set the constant %s to a higher limit. -WarningSomeLinesWithNullHourlyRate=Some times were recorded by some users while their hourly rate was not defined. A value of 0 %s per hour was used but this may result in wrong valuation of time spent. -WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security purpose you will have to login with your new login before next action. -WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language -WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists -WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report -WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks. -WarningProjectClosed=Project is closed. You must re-open it first. -WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. -WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table -WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on. -WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list -WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection. -WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. -WarningPaypalPaymentNotCompatibleWithStrict=The value 'Strict' makes the online payment features not working correctly. Use 'Lax' instead. +WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Funkcia je zakázaná, keď je nastavenie zobrazenia optimalizované pre nevidomé osoby alebo textové prehliadače. +WarningPaymentDateLowerThanInvoiceDate=Dátum platby (%s) je skorší ako dátum faktúry (%s) za faktúru %s rozpätie>. +WarningTooManyDataPleaseUseMoreFilters=Príliš veľa údajov (viac ako %s riadkov). Použite viac filtrov alebo nastavte konštantu %s na vyšší limit. +WarningSomeLinesWithNullHourlyRate=Niektorí používatelia zaznamenali niektoré časy, pričom ich hodinová sadzba nebola definovaná. Bola použitá hodnota 0 %s za hodinu, čo však môže viesť k nesprávnemu oceneniu stráveného času. +WarningYourLoginWasModifiedPleaseLogin=Vaše prihlasovacie údaje boli upravené. Z bezpečnostných dôvodov sa budete musieť pred ďalšou akciou prihlásiť pomocou nového prihlasovacieho mena. +WarningYourPasswordWasModifiedPleaseLogin=Vaše heslo bolo zmenené. Z bezpečnostných dôvodov sa teraz budete musieť prihlásiť pomocou nového hesla. +WarningAnEntryAlreadyExistForTransKey=Pre prekladový kľúč pre tento jazyk už existuje záznam +WarningNumberOfRecipientIsRestrictedInMassAction=Upozornenie, počet rôznych príjemcov je obmedzený na %s pri použití masové akcie na zoznamoch +WarningDateOfLineMustBeInExpenseReportRange=Pozor, dátum riadku nie je v rozsahu výkazu výdavkov +WarningProjectDraft=Projekt je stále v režime konceptu. Nezabudnite ho overiť, ak plánujete používať úlohy. +WarningProjectClosed=Projekt je uzavretý. Najprv ho musíte znova otvoriť. +WarningSomeBankTransactionByChequeWereRemovedAfter=Niektoré bankové transakcie boli odstránené po vygenerovaní potvrdenia, ktoré ich obsahovalo. Takže počet šekov a súčet príjmov sa môžu líšiť od počtu a súčtu v zozname. +WarningFailedToAddFileIntoDatabaseIndex=Upozornenie, nepodarilo sa pridať položku súboru do indexovej tabuľky databázy ECM +WarningTheHiddenOptionIsOn=Upozornenie, skrytá možnosť %s je zapnutá. +WarningCreateSubAccounts=Upozornenie, podúčet nemôžete vytvoriť priamo, musíte vytvoriť tretiu stranu alebo používateľa a priradiť im účtovný kód, aby ste ich našli v tomto zozname +WarningAvailableOnlyForHTTPSServers=Dostupné iba pri použití zabezpečeného pripojenia HTTPS. +WarningModuleXDisabledSoYouMayMissEventHere=Modul %s nebol povolený. Takže tu môžete zmeškať veľa udalostí. +WarningPaypalPaymentNotCompatibleWithStrict=Hodnota 'Strict' spôsobuje, že funkcie online platieb nefungujú správne. Namiesto toho použite „Lax“. +WarningThemeForcedTo=Upozornenie, motív bol vynútený %s MAIN_FORHEC skrytými konštantami MAIN_FORHEC +WarningPagesWillBeDeleted=Upozornenie, týmto sa odstránia aj všetky existujúce stránky/kontajnery webovej lokality. Svoju webovú stránku by ste mali exportovať predtým, aby ste mali zálohu, ktorú môžete neskôr znova importovať. +WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Automatická validácia je vypnutá, keď je možnosť zníženia zásob nastavená na "Overenie faktúry". +WarningModuleNeedRefresh = Modul %s bol zakázaný. Nezabudnite ho povoliť +WarningPermissionAlreadyExist=Existujúce povolenia pre tento objekt +WarningGoOnAccountancySetupToAddAccounts=Ak je tento zoznam prázdny, prejdite do ponuky %s - %s - %s na načítanie alebo vytvorenie účtov pre vašu účtovú osnovu. +WarningCorrectedInvoiceNotFound=Opravená faktúra sa nenašla +WarningCommentNotFound=Skontrolujte umiestnenie úvodných a koncových komentárov pre sekciu %s v súbor %s pred odoslaním akcie +WarningAlreadyReverse=Pohyb zásob je už obrátený + +SwissQrOnlyVIR = Faktúru SwissQR je možné pridať iba na faktúry nastavené na úhradu prevodom. +SwissQrCreditorAddressInvalid = Adresa veriteľa je neplatná (je nastavené PSČ a mesto? (%s) +SwissQrCreditorInformationInvalid = Informácie o veriteľovi sú neplatné pre IBAN (%s): %s +SwissQrIbanNotImplementedYet = QR-IBAN zatiaľ nie je implementovaný +SwissQrPaymentInformationInvalid = Platobné informácie boli neplatné pre celkovú sumu %s : %s +SwissQrDebitorAddressInvalid = Informácie o dlžníkovi boli neplatné (%s) # Validate -RequireValidValue = Value not valid -RequireAtLeastXString = Requires at least %s character(s) -RequireXStringMax = Requires %s character(s) max -RequireAtLeastXDigits = Requires at least %s digit(s) -RequireXDigitsMax = Requires %s digit(s) max -RequireValidNumeric = Requires a numeric value -RequireValidEmail = Email address is not valid -RequireMaxLength = Length must be less than %s chars -RequireMinLength = Length must be more than %s char(s) -RequireValidUrl = Require valid URL -RequireValidDate = Require a valid date -RequireANotEmptyValue = Is required -RequireValidDuration = Require a valid duration -RequireValidExistingElement = Require an existing value -RequireValidBool = Require a valid boolean -BadSetupOfField = Error bad setup of field -BadSetupOfFieldClassNotFoundForValidation = Error bad setup of field : Class not found for validation -BadSetupOfFieldFileNotFound = Error bad setup of field : File not found for inclusion -BadSetupOfFieldFetchNotCallable = Error bad setup of field : Fetch not callable on class +RequireValidValue = Hodnota nie je platná +RequireAtLeastXString = Vyžaduje sa aspoň %s znakov +RequireXStringMax = Vyžaduje sa maximálne %s znakov +RequireAtLeastXDigits = Vyžaduje sa aspoň %s číslic +RequireXDigitsMax = Vyžaduje sa maximálne %s číslic +RequireValidNumeric = Vyžaduje sa číselná hodnota +RequireValidEmail = E-mailová adresa nie je platná +RequireMaxLength = Dĺžka musí byť menšia ako %s znakov +RequireMinLength = Dĺžka musí byť väčšia ako %s znakov +RequireValidUrl = Vyžadovať platnú webovú adresu +RequireValidDate = Vyžadovať platný dátum +RequireANotEmptyValue = Vyžaduje sa +RequireValidDuration = Vyžadovať platné trvanie +RequireValidExistingElement = Vyžadovať existujúcu hodnotu +RequireValidBool = Vyžadovať platnú boolovskú hodnotu +BadSetupOfField = Chyba zlého nastavenia poľa +BadSetupOfFieldClassNotFoundForValidation = Chyba zlého nastavenia poľa: Trieda sa nenašla na overenie +BadSetupOfFieldFileNotFound = Chyba zlého nastavenia poľa: nenašiel sa súbor na zahrnutie +BadSetupOfFieldFetchNotCallable = Chyba zlého nastavenia poľa: Načítanie v triede nie je možné zavolať +ErrorTooManyAttempts= Príliš veľa pokusov, skúste to znova neskôr diff --git a/htdocs/langs/sk_SK/holiday.lang b/htdocs/langs/sk_SK/holiday.lang index 0a3e5487bbd..eee119f46ca 100644 --- a/htdocs/langs/sk_SK/holiday.lang +++ b/htdocs/langs/sk_SK/holiday.lang @@ -1,13 +1,13 @@ # Dolibarr language file - Source file is en_US - holiday HRM=HRM -Holidays=Leaves -Holiday=Leave -CPTitreMenu=Leave +Holidays=Listy +Holiday=Odísť +CPTitreMenu=Odísť MenuReportMonth=Mesačný výkaz -MenuAddCP=New leave request -MenuCollectiveAddCP=New collective leave request -NotActiveModCP=You must enable the module Leave to view this page. -AddCP=Make a leave request +MenuAddCP=Nová žiadosť o dovolenku +MenuCollectiveAddCP=Nové hromadné voľno +NotActiveModCP=Ak chcete zobraziť túto stránku, musíte povoliť modul Opustiť. +AddCP=Požiadajte o dovolenku DateDebCP=Dátum začatia DateFinCP=Dátum ukončenia DraftCP=Návrh @@ -15,144 +15,143 @@ ToReviewCP=Čaká na schválenie ApprovedCP=Schválený CancelCP=Zrušený RefuseCP=Odmietol -ValidatorCP=Approver -ListeCP=List of leave -Leave=Leave request -LeaveId=Leave ID -ReviewedByCP=Will be approved by -UserID=User ID -UserForApprovalID=User for approval ID -UserForApprovalFirstname=First name of approval user -UserForApprovalLastname=Last name of approval user -UserForApprovalLogin=Login of approval user +ValidatorCP=Schvaľovateľ +ListeCP=Zoznam dovoleniek +Leave=Opustiť žiadosť +LeaveId=Nechajte ID +ReviewedByCP=Bude schválené do +UserID=ID používateľa +UserForApprovalID=ID používateľa na schválenie +UserForApprovalFirstname=Krstné meno schvaľovacieho používateľa +UserForApprovalLastname=Priezvisko schvaľovacieho používateľa +UserForApprovalLogin=Prihlásenie schvaľovacieho používateľa DescCP=Popis -SendRequestCP=Create leave request -DelayToRequestCP=Leave requests must be made at least %s day(s) before them. -MenuConfCP=Balance of leave -SoldeCPUser=Leave balance (in days) %s +SendRequestCP=Vytvorte žiadosť o dovolenku +DelayToRequestCP=Žiadosti o dovolenku musia byť odoslané aspoň %s dní pred nimi. +MenuConfCP=Zostatok dovolenky +SoldeCPUser=Zostatok (v dňoch) : %s ErrorEndDateCP=Musíte vybrať koncový dátum je väčší ako dátum začatia. ErrorSQLCreateCP=SQL chyba pri tvorbe: -ErrorIDFicheCP=An error has occurred, the leave request does not exist. +ErrorIDFicheCP=Vyskytla sa chyba, žiadosť o odchod neexistuje. ReturnCP=Späť na predchádzajúcu stránku -ErrorUserViewCP=You are not authorized to read this leave request. +ErrorUserViewCP=Nemáte oprávnenie čítať túto žiadosť o dovolenku. InfosWorkflowCP=Informácie Workflow RequestByCP=Žiadosť -TitreRequestCP=Leave request -TypeOfLeaveId=Type of leave ID -TypeOfLeaveCode=Type of leave code -TypeOfLeaveLabel=Type of leave label -NbUseDaysCP=Number of days of leave used -NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. -NbUseDaysCPShort=Days of leave -NbUseDaysCPShortInMonth=Days of leave in month -DayIsANonWorkingDay=%s is a non-working day -DateStartInMonth=Start date in month -DateEndInMonth=End date in month +TitreRequestCP=Opustiť žiadosť +TypeOfLeaveId=Typ ID dovolenky +TypeOfLeaveCode=Typ kódu dovolenky +TypeOfLeaveLabel=Typ štítku dovolenky +NbUseDaysCP=Počet dní čerpanej dovolenky +NbUseDaysCPHelp=Výpočet zohľadňuje dni pracovného pokoja a sviatky definované v slovníku. +NbUseDaysCPShort=Dni dovolenky +NbUseDaysCPShortInMonth=Dni dovolenky v mesiaci +DayIsANonWorkingDay=%s je deň pracovného pokoja +DateStartInMonth=Dátum začiatku v mesiaci +DateEndInMonth=Dátum ukončenia v mesiaci EditCP=Upraviť DeleteCP=Vymazať ActionRefuseCP=Odmietnuť ActionCancelCP=Zrušiť StatutCP=Postavenie -TitleDeleteCP=Delete the leave request -ConfirmDeleteCP=Confirm the deletion of this leave request? -ErrorCantDeleteCP=Error you don't have the right to delete this leave request. -CantCreateCP=You don't have the right to make leave requests. -InvalidValidatorCP=You must choose the approver for your leave request. -InvalidValidator=The user chosen isn't an approver. +TitleDeleteCP=Vymažte žiadosť o dovolenku +ConfirmDeleteCP=Potvrdiť vymazanie tejto žiadosti o dovolenku? +ErrorCantDeleteCP=Chyba, nemáte právo odstrániť túto žiadosť o dovolenku. +CantCreateCP=Nemáte právo žiadať o dovolenku. +InvalidValidatorCP=Musíte vybrať schvaľovateľa žiadosti o dovolenku. +InvalidValidator=Vybraný používateľ nie je schvaľovateľom. NoDateDebut=Musíte vybrať počiatočný dátum. NoDateFin=Musíte vybrať dátum ukončenia. -ErrorDureeCP=Your leave request does not contain working day. -TitleValidCP=Approve the leave request -ConfirmValidCP=Are you sure you want to approve the leave request? +ErrorDureeCP=Vaša žiadosť o dovolenku neobsahuje pracovný deň. +TitleValidCP=Schváľte žiadosť o dovolenku +ConfirmValidCP=Naozaj chcete schváliť žiadosť o dovolenku? DateValidCP=Dátum schválenia -TitleToValidCP=Send leave request -ConfirmToValidCP=Are you sure you want to send the leave request? -TitleRefuseCP=Refuse the leave request -ConfirmRefuseCP=Are you sure you want to refuse the leave request? +TitleToValidCP=Odoslať žiadosť o dovolenku +ConfirmToValidCP=Naozaj chcete odoslať žiadosť o dovolenku? +TitleRefuseCP=Odmietnuť žiadosť o dovolenku +ConfirmRefuseCP=Naozaj chcete odmietnuť žiadosť o dovolenku? NoMotifRefuseCP=Musíte si vybrať dôvod pre odmietnutie žiadosti. -TitleCancelCP=Cancel the leave request -ConfirmCancelCP=Are you sure you want to cancel the leave request? +TitleCancelCP=Zrušte žiadosť o dovolenku +ConfirmCancelCP=Naozaj chcete zrušiť žiadosť o dovolenku? DetailRefusCP=Dôvod odmietnutia DateRefusCP=Dátum odmietnutia DateCancelCP=Dátum zrušenia DefineEventUserCP=Priradenie výnimočnú dovolenku pre užívateľa addEventToUserCP=Priradenie opustiť -NotTheAssignedApprover=You are not the assigned approver +NotTheAssignedApprover=Nie ste priradeným schvaľovateľom MotifCP=Dôvod UserCP=Užívateľ ErrorAddEventToUserCP=Došlo k chybe pri pridávaní výnimočnú dovolenku. AddEventToUserOkCP=Pridanie mimoriadnej dovolenky bola dokončená. -ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be filled in -fusionGroupsUsers=The groups field and the user field will be merged -MenuLogCP=View change logs -LogCP=Log of all updates made to "Balance of Leave" -ActionByCP=Updated by -UserUpdateCP=Updated for +ErrorFieldRequiredUserOrGroup=Pole "skupina" alebo "používateľ" musí byť vyplnené +fusionGroupsUsers=Pole skupín a používateľské pole sa zlúčia +MenuLogCP=Zobraziť denníky zmien +LogCP=Záznam všetkých aktualizácií vykonaných v "Zostatku dovolenky" +ActionByCP=Aktualizované používateľom +UserUpdateCP=Aktualizované pre PrevSoldeCP=Predchádzajúci Balance NewSoldeCP=New Balance -alreadyCPexist=A leave request has already been done on this period. -UseralreadyCPexist=A leave request has already been done on this period for %s. +alreadyCPexist=V tomto období už bola podaná žiadosť o dovolenku. +UseralreadyCPexist=V tomto období už bola podaná žiadosť o dovolenku pre %s. groups=Skupiny users=Užívatelia -AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request -AutoValidationOnCreate=Automatic validation -FirstDayOfHoliday=Beginning day of leave request -LastDayOfHoliday=Ending day of leave request -BoxTitleLastLeaveRequests=Latest %s modified leave requests +AutoSendMail=Automatická zásielka +NewHolidayForGroup=Nové hromadné voľno +SendRequestCollectiveCP=Vytvorte hromadnú dovolenku +AutoValidationOnCreate=Automatická validácia +FirstDayOfHoliday=Začiatok žiadosti o dovolenku +LastDayOfHoliday=Deň ukončenia žiadosti o dovolenku HolidaysMonthlyUpdate=Mesačná aktualizácia ManualUpdate=Manuálna aktualizácia -HolidaysCancelation=Leave request cancelation -EmployeeLastname=Employee last name -EmployeeFirstname=Employee first name -TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests -HalfDay=Half day -NotTheAssignedApprover=You are not the assigned approver -LEAVE_PAID=Paid vacation -LEAVE_SICK=Sick leave -LEAVE_OTHER=Other leave -LEAVE_PAID_FR=Paid vacation +HolidaysCancelation=Nechajte zrušenie žiadosti +EmployeeLastname=Priezvisko zamestnanca +EmployeeFirstname=Krstné meno zamestnanca +TypeWasDisabledOrRemoved=Typ dovolenky (id %s) bol zakázaný alebo odstránený +LastHolidays=Najnovšie žiadosti o dovolenku %s +AllHolidays=Všetky žiadosti o dovolenku +HalfDay=Pol dňa +NotTheAssignedApprover=Nie ste priradeným schvaľovateľom +LEAVE_PAID=Platená dovolenka +LEAVE_SICK=Nemocenská dovolenka +LEAVE_OTHER=Iná dovolenka +LEAVE_PAID_FR=Platená dovolenka ## Configuration du Module ## -LastUpdateCP=Last automatic update of leave allocation -MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation +LastUpdateCP=Posledná automatická aktualizácia prideľovania dovolenky +MonthOfLastMonthlyUpdate=Mesiac poslednej automatickej aktualizácie pridelenia dovolenky UpdateConfCPOK=Aktualizované úspešne. -Module27130Name= Management of leave requests -Module27130Desc= Management of leave requests +Module27130Name= Správa žiadostí o dovolenku +Module27130Desc= Správa žiadostí o dovolenku ErrorMailNotSend=Došlo k chybe pri odosielaní e-mail: -NoticePeriod=Notice period +NoticePeriod=Výpovedná lehota #Messages -HolidaysToValidate=Validate leave requests -HolidaysToValidateBody=Below is a leave request to validate -HolidaysToValidateDelay=This leave request will take place within a period of less than %s days. -HolidaysToValidateAlertSolde=The user who made this leave request does not have enough available days. -HolidaysValidated=Validated leave requests -HolidaysValidatedBody=Your leave request for %s to %s has been validated. -HolidaysRefused=Request denied -HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason: -HolidaysCanceled=Canceled leaved request -HolidaysCanceledBody=Your leave request for %s to %s has been canceled. -FollowedByACounter=1: This type of leave need to be followed by a counter. Counter is incremented manually or automatically and when a leave request is validated, counter is decremented.
      0: Not followed by a counter. -NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter -GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leave to setup the different types of leaves. -HolidaySetup=Setup of module Leave -HolidaysNumberingModules=Numbering models for leave requests -TemplatePDFHolidays=Template for leave requests PDF -FreeLegalTextOnHolidays=Free text on PDF -WatermarkOnDraftHolidayCards=Watermarks on draft leave requests -HolidaysToApprove=Holidays to approve -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays -HolidayBalanceMonthlyUpdate=Monthly update of holiday balance -XIsAUsualNonWorkingDay=%s is usualy a NON working day -BlockHolidayIfNegative=Block if balance negative -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative -ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted -IncreaseHolidays=Increase holiday -HolidayRecordsIncreased= %s holiday records increased -HolidayRecordIncreased=Holiday record increased -ConfirmMassIncreaseHoliday=Bulk holiday increase -NumberDayAddMass=Number of day to add to the selection -ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? -HolidayQtyNotModified=Balance of remaining days for %s has not been changed +HolidaysToValidate=Potvrďte žiadosti o dovolenku +HolidaysToValidateBody=Nižšie je uvedená žiadosť o dovolenie na overenie +HolidaysToValidateDelay=Táto žiadosť o dovolenku sa uskutoční v období kratšom ako %s dní. +HolidaysToValidateAlertSolde=Používateľ, ktorý podal túto žiadosť o dovolenku, nemá dostatok voľných dní. +HolidaysValidated=Schválené žiadosti o dovolenku +HolidaysValidatedBody=Vaša žiadosť o dovolenku pre %s až %s bola potvrdená. +HolidaysRefused=Žiadosť bola zamietnutá +HolidaysRefusedBody=Vaša žiadosť o dovolenku pre %s pre %s bola zamietnutá z nasledujúceho dôvodu: +HolidaysCanceled=Zrušená opustená žiadosť +HolidaysCanceledBody=Vaša žiadosť o dovolenku pre %s pre %s bola zrušená. +FollowedByACounter=1: Po tomto type dovolenky musí nasledovať počítadlo. Počítadlo sa zvyšuje manuálne alebo automaticky a po potvrdení požiadavky na opustenie sa počítadlo zníži.
      0: Nenasleduje počítadlo. +NoLeaveWithCounterDefined=Nie sú definované žiadne typy dovoleniek, po ktorých musí nasledovať počítadlo +GoIntoDictionaryHolidayTypes=Ak chcete nastaviť rôzne typy listov, prejdite na Domov – Nastavenie – Slovníky – Typ dovolenky. +HolidaySetup=Nastavenie modulu Nechajte +HolidaysNumberingModules=Modely číslovania žiadostí o dovolenku +TemplatePDFHolidays=Šablóna žiadostí o dovolenku vo formáte PDF +FreeLegalTextOnHolidays=Voľný text vo formáte PDF +WatermarkOnDraftHolidayCards=Vodoznaky na návrhoch žiadostí o dovolenku +HolidaysToApprove=Sviatky na schválenie +NobodyHasPermissionToValidateHolidays=Nikto nemá povolenie na overenie žiadostí o dovolenku +HolidayBalanceMonthlyUpdate=Mesačná aktualizácia zostatku dovolenky +XIsAUsualNonWorkingDay=%s zvyčajne nie je pracovný deň +BlockHolidayIfNegative=Blokovať, ak je zostatok záporný +LeaveRequestCreationBlockedBecauseBalanceIsNegative=Vytvorenie tejto žiadosti o dovolenku je zablokované, pretože váš zostatok je záporný +ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Žiadosť o opustenie %s musí byť koncept, zrušený alebo odmietnutý na odstránenie +IncreaseHolidays=Zvýšte zostatok dovolenky +HolidayRecordsIncreased= %s zostávajúce zostatky zvýšené +HolidayRecordIncreased=Nechajte zostatok zvýšený +ConfirmMassIncreaseHoliday=Zvýšenie zostatku hromadnej dovolenky +NumberDayAddMass=Počet dní, ktoré sa majú pridať do výberu +ConfirmMassIncreaseHolidayQuestion=Naozaj chcete zvýšiť dovolenku %s vybratých záznamov? +HolidayQtyNotModified=Zostatok zostávajúcich dní pre %s sa nezmenil diff --git a/htdocs/langs/sk_SK/main.lang b/htdocs/langs/sk_SK/main.lang index 00202103ef3..1558630d283 100644 --- a/htdocs/langs/sk_SK/main.lang +++ b/htdocs/langs/sk_SK/main.lang @@ -30,17 +30,17 @@ FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p DatabaseConnection=Pripojenie k databáze -NoTemplateDefined=No template available for this email type -AvailableVariables=Available substitution variables +NoTemplateDefined=Pre tento typ e-mailu nie je k dispozícii žiadna šablóna +AvailableVariables=Dostupné substitučné premenné NoTranslation=Preklad neexistuje Translation=Preklad -Translations=Translations +Translations=Preklady CurrentTimeZone=Časové pásmo PHP (server) -EmptySearchString=Enter non empty search criterias -EnterADateCriteria=Enter a date criteria +EmptySearchString=Zadajte neprázdne kritériá vyhľadávania +EnterADateCriteria=Zadajte kritériá dátumu NoRecordFound=Nebol nájdený žiadny záznam -NoRecordDeleted=No record deleted -NotEnoughDataYet=Not enough data +NoRecordDeleted=Žiadny záznam nebol odstránený +NotEnoughDataYet=Nedostatok údajov NoError=Žiadna chyba Error=Chyba Errors=Chyby @@ -48,92 +48,94 @@ ErrorFieldRequired=Pole '%s 'je povinné ErrorFieldFormat=Pole "%s" má nesprávnu hodnotu ErrorFileDoesNotExists=Súbor %s neexistuje ErrorFailedToOpenFile=Nepodarilo sa otvoriť súbor %s -ErrorCanNotCreateDir=Cannot create dir %s -ErrorCanNotReadDir=Cannot read dir %s +ErrorCanNotCreateDir=Nie je možné vytvoriť adresár %s +ErrorCanNotReadDir=Nedá sa prečítať adresár %s ErrorConstantNotDefined=Parameter %s nie je definovaný ErrorUnknown=Neznáma chyba ErrorSQL=Chyba SQL ErrorLogoFileNotFound=Súbor loga '%s' nebol nájdený -ErrorGoToGlobalSetup=Go to 'Company/Organization' setup to fix this +ErrorGoToGlobalSetup=Ak to chcete vyriešiť, prejdite do nastavenia „Spoločnosť/organizácia“. ErrorGoToModuleSetup=Choď na Nastavenie modulu to opraviť ErrorFailedToSendMail=Nepodarilo sa odoslať poštu (vysielač, prijímač = %s = %s) ErrorFileNotUploaded=Súbor nebol nahraný. Skontrolujte, či veľkosť nepresahuje maximálnu povolenú, že voľné miesto na disku a že už nie je súbor s rovnakým názvom v tomto adresári. ErrorInternalErrorDetected=Bola zistená chyba ErrorWrongHostParameter=Zle hostiteľ parametrov -ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post the form again. -ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child record. +ErrorYourCountryIsNotDefined=Vaša krajina nie je definovaná. Prejdite na stránku Home-Setup-Company/Foundation a znova odošlite formulár. +ErrorRecordIsUsedByChild=Tento záznam sa nepodarilo odstrániť. Tento záznam používa aspoň jeden podradený záznam. ErrorWrongValue=Chybná hodnota ErrorWrongValueForParameterX=Chybná hodnota parametra %s ErrorNoRequestInError=Žiadna požiadavka omylom -ErrorServiceUnavailableTryLater=Service not available at the moment. Try again later. +ErrorServiceUnavailableTryLater=Služba momentálne nie je k dispozícii. Skúste to znova neskôr. ErrorDuplicateField=Duplicitné hodnota v jedinečnej poľa -ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. Changes have been rolled back. -ErrorConfigParameterNotDefined=Parameter %s is not defined in the Dolibarr config file conf.php. +ErrorSomeErrorWereFoundRollbackIsDone=Našli sa nejaké chyby. Zmeny boli vrátené späť. +ErrorConfigParameterNotDefined=Parameter %s nie je definovaný v konfiguračnom súbore
      conf.php. ErrorCantLoadUserFromDolibarrDatabase=Nepodarilo sa nájsť užívateľa %s v databáze Dolibarr. ErrorNoVATRateDefinedForSellerCountry=Chyba, žiadne sadzby DPH stanovenej pre krajinu "%s". -ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'. +ErrorNoSocialContributionForSellerCountry=Chyba, pre krajinu „%s“ nie je definovaný žiadny typ sociálnych/fiškálnych daní. ErrorFailedToSaveFile=Chyba sa nepodarilo uložiť súbor. -ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of a existing warehouse -FieldCannotBeNegative=Field "%s" cannot be negative -MaxNbOfRecordPerPage=Max. number of records per page -NotAuthorized=You are not authorized to do that. +ErrorCannotAddThisParentWarehouse=Pokúšate sa pridať nadradený sklad, ktorý je už potomkom existujúceho skladu +ErrorInvalidSubtype=Vybraný podtyp nie je povolený +FieldCannotBeNegative=Pole „%s“ nemôže byť záporné +MaxNbOfRecordPerPage=Max. počet záznamov na stranu +NotAuthorized=Nemáte na to oprávnenie. SetDate=Nastaviť dátum SelectDate=Vybrať dátum SeeAlso=Pozri tiež %s SeeHere=Viď tu ClickHere=Kliknite tu -Here=Here +Here=Tu Apply=Platiť BackgroundColorByDefault=Predvolené farba pozadia -FileRenamed=The file was successfully renamed -FileGenerated=The file was successfully generated -FileSaved=The file was successfully saved +FileRenamed=Súbor bol úspešne premenovaný +FileGenerated=Súbor bol úspešne vygenerovaný +FileSaved=Súbor bol úspešne uložený FileUploaded=Súbor sa úspešne nahral -FileTransferComplete=File(s) uploaded successfully -FilesDeleted=File(s) successfully deleted +FileTransferComplete=Súbory boli úspešne nahrané +FilesDeleted=Súbory boli úspešne odstránené FileWasNotUploaded=Súbor vybraný pre pripojenie, ale ešte nebol nahraný. Kliknite na "Priložiť súbor" za to. -NbOfEntries=No. of entries -GoToWikiHelpPage=Read online help (Internet access needed) +NbOfEntries=Počet záznamov +GoToWikiHelpPage=Prečítajte si online pomoc (vyžaduje sa prístup na internet) GoToHelpPage=Prečítajte si pomáhať -DedicatedPageAvailable=Dedicated help page related to your current screen -HomePage=Home Page +DedicatedPageAvailable=Vyhradená stránka pomocníka týkajúca sa vašej aktuálnej obrazovky +HomePage=Domovská stránka RecordSaved=Záznam uložený RecordDeleted=Zaznamenajte zmazaný -RecordGenerated=Record generated +RecordGenerated=Vygenerovaný záznam LevelOfFeature=Úroveň vlastností NotDefined=Nie je definované -DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is set to %s in configuration file conf.php.
      This means that the password database is external to Dolibarr, so changing this field may have no effect. -Administrator=Správca +DolibarrInHttpAuthenticationSoPasswordUseless=Režim overenia Dolibarr je nastavený na %s v konfiguračnom súbore < class='notranslate'>conf.php.
      To znamená, že databáza je externá Dolibarr, takže zmena tohto poľa nemusí mať žiadny účinok. +Administrator=Systémový administrátor +AdministratorDesc=Správca systému (môže spravovať užívateľa, oprávnenia, ale aj nastavenie systému a konfiguráciu modulov) Undefined=Undefined -PasswordForgotten=Password forgotten? -NoAccount=No account? +PasswordForgotten=Zabudli ste heslo? +NoAccount=Žiadny účet? SeeAbove=Pozri vyššie HomeArea=Domáce -LastConnexion=Last login -PreviousConnexion=Previous login -PreviousValue=Previous value +LastConnexion=Posledné prihlásenie +PreviousConnexion=Predchádzajúce prihlásenie +PreviousValue=Predchádzajúca hodnota ConnectedOnMultiCompany=Pripojené na životné prostredie ConnectedSince=Pripojený od -AuthenticationMode=Authentication mode -RequestedUrl=Requested URL +AuthenticationMode=Režim autentifikácie +RequestedUrl=Požadovaná adresa URL DatabaseTypeManager=Typ databázy správcu -RequestLastAccessInError=Latest database access request error -ReturnCodeLastAccessInError=Return code for latest database access request error -InformationLastAccessInError=Information for latest database access request error +RequestLastAccessInError=Posledná chyba žiadosti o prístup k databáze +ReturnCodeLastAccessInError=Návratový kód pre najnovšiu chybu žiadosti o prístup k databáze +InformationLastAccessInError=Informácie o najnovšej chybe žiadosti o prístup k databáze DolibarrHasDetectedError=Dolibarr zistil technickú chybu -YouCanSetOptionDolibarrMainProdToZero=You can read log file or set option $dolibarr_main_prod to '0' in your config file to get more information. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) +YouCanSetOptionDolibarrMainProdToZero=Môžete si prečítať log súbor alebo nastaviť voľbu $dolibarr_main_prod na '0' vo vašom konfiguračnom súbore, aby ste získali viac informácií. +InformationToHelpDiagnose=Tieto informácie môžu byť užitočné na diagnostické účely (možnosť $dolibarr_main_prod môžete nastaviť na „1“, aby ste skryli citlivé informácie) MoreInformation=Viac informácií TechnicalInformation=Technická informácia -TechnicalID=Technical ID -LineID=Line ID +TechnicalID=Technické ID +LineID=ID linky NotePublic=Poznámka (verejné) NotePrivate=Poznámka (súkromné) PrecisionUnitIsLimitedToXDecimals=Dolibarr bolo nastavenie obmedziť presnosť jednotkových cien %s desatinných miest. DoTest=Test ToFilter=Filter -NoFilter=No filter -WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance time. +NoFilter=Žiadny filter +WarningYouHaveAtLeastOneTaskLate=Upozornenie, máte aspoň jeden prvok, ktorý prekročil čas tolerancie. yes=áno Yes=Áno no=nie @@ -143,19 +145,19 @@ Home=Domáce Help=Pomoc OnlineHelp=Online nápoveda PageWiki=Wiki stránka -MediaBrowser=Media browser +MediaBrowser=Prehliadač médií Always=Vždy Never=Nikdy Under=pod Period=Obdobie PeriodEndDate=Dátum ukončenia obdobia pre -SelectedPeriod=Selected period -PreviousPeriod=Previous period +SelectedPeriod=Vybrané obdobie +PreviousPeriod=Predchádzajúce obdobie Activate=Aktivovať Activated=Aktivované Closed=Zatvorené Closed2=Zatvorené -NotClosed=Not closed +NotClosed=Nie je zatvorené Enabled=Povolené Enable=Umožniť Deprecated=Zastaralá @@ -163,80 +165,80 @@ Disable=Zakázať Disabled=Invalidný Add=Pridať AddLink=Pridať odkaz -RemoveLink=Remove link -AddToDraft=Add to draft +RemoveLink=Odstrániť odkaz +AddToDraft=Pridať do konceptu Update=Aktualizovať Close=Zavrieť CloseAs=Nastaviť status na -CloseBox=Remove widget from your dashboard +CloseBox=Odstráňte miniaplikáciu z hlavného panela Confirm=Potvrdiť -ConfirmSendCardByMail=Do you really want to send the content of this card by mail to %s? +ConfirmSendCardByMail=Naozaj chcete poslať obsah tejto pohľadnice poštou na adresu %s? Delete=Vymazať Remove=Odstrániť -Resiliate=Terminate +Resiliate=Ukončiť Cancel=Zrušiť Modify=Upraviť Edit=Upraviť Validate=Potvrdiť ValidateAndApprove=Overiť a schváliť ToValidate=Ak chcete overiť -NotValidated=Not validated +NotValidated=Neoverené Save=Uložiť SaveAs=Uložiť ako -SaveAndStay=Save and stay -SaveAndNew=Save and new +SaveAndStay=Uložiť a zostať +SaveAndNew=Uložiť a nové TestConnection=Skúšobné pripojenie ToClone=Klon -ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose the data you want to clone: +ConfirmCloneAsk=Naozaj chcete klonovať objekt %s? +ConfirmClone=Vyberte údaje, ktoré chcete klonovať: NoCloneOptionsSpecified=Žiadne údaje nie sú k klonovať definovaný. Of=z Go=Ísť Run=Beh CopyOf=Kópia Show=Ukázať -Hide=Hide +Hide=Skryť ShowCardHere=Zobraziť kartu Search=Vyhľadávanie SearchOf=Vyhľadávanie -QuickAdd=Quick add +QuickAdd=Rýchle pridanie Valid=Platný Approve=Schvaľovať Disapprove=Neschváliť ReOpen=Znovu otvoriť OpenVerb=Otvorení -Upload=Upload +Upload=Nahrať ToLink=Odkaz Select=Vybrať -SelectAll=Select all +SelectAll=Vybrať všetko Choose=Vybrať Resize=Zmena veľkosti -ResizeOrCrop=Resize or Crop -Recenter=Recenter +Crop=Plodina +ResizeOrCrop=Zmeniť veľkosť alebo orezať Author=Autor User=Užívateľ Users=Užívatelia Group=Skupina Groups=Skupiny -UserGroup=User group -UserGroups=User groups +UserGroup=Používateľská skupina +UserGroups=Skupiny používateľov NoUserGroupDefined=Nie je definovaná skupina užívateľov Password=Heslo -PasswordRetype=Repeat your password +PasswordRetype=Zopakujte svoje heslo NoteSomeFeaturesAreDisabled=Všimnite si, že mnoho funkcií / modules sú zakázané v tejto ukážke. -YourUserFile=Your user file +YourUserFile=Váš používateľský súbor Name=Názov -NameSlashCompany=Name / Company +NameSlashCompany=Meno / Spoločnosť Person=Osoba Parameter=Parameter Parameters=Parametre Value=Hodnota PersonalValue=Osobné hodnota -NewObject=New %s +NewObject=Nové %s NewValue=Nová hodnota -OldValue=Old value %s -FieldXModified=Field %s modified -FieldXModifiedFromYToZ=Field %s modified from %s to %s +OldValue=Stará hodnota %s +FieldXModified=Pole %s bolo upravené +FieldXModifiedFromYToZ=Pole %s bolo upravené z %s na %s CurrentValue=Súčasná hodnota Code=Kód Type=Typ @@ -251,21 +253,21 @@ Family=Rodina Description=Popis Designation=Popis DescriptionOfLine=Popis linky -DateOfLine=Date of line -DurationOfLine=Duration of line -ParentLine=Parent line ID -Model=Doc template -DefaultModel=Default doc template +DateOfLine=Dátum riadku +DurationOfLine=Trvanie linky +ParentLine=ID rodičovskej linky +Model=Šablóna dokumentu +DefaultModel=Predvolená šablóna dokumentu Action=Udalosť About=O Number=Číslo -NumberByMonth=Total reports by month +NumberByMonth=Celkový počet prehľadov podľa mesiaca AmountByMonth=Suma podľa mesiaca Numero=Číslo Limit=Obmedzenie Limits=Limity Logout=Odhlásenie -NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode %s +NoLogoutProcessWithAuthMode=Žiadna aplikačná funkcia odpojenia s režimom overenia totožnosti %s Connection=Prihlasovacie meno Setup=Setup Alert=Upozornenie @@ -275,23 +277,23 @@ Next=Ďalšie Cards=Karty Card=Karta Now=Teraz -HourStart=Start hour -Deadline=Deadline +HourStart=Začiatok hodiny +Deadline=Konečný termín Date=Dátum DateAndHour=Dátum a hodina -DateToday=Today's date -DateReference=Reference date +DateToday=Dnešný dátum +DateReference=Referenčný dátum DateStart=Dátum začatia DateEnd=Dátum ukončenia DateCreation=Dátum vytvorenia -DateCreationShort=Creat. date -IPCreation=Creation IP +DateCreationShort=Vytvoriť. dátum +IPCreation=Vytvorenie IP DateModification=Dátum zmeny DateModificationShort=Modify. dátum -IPModification=Modification IP -DateLastModification=Latest modification date +IPModification=Modifikácia IP +DateLastModification=Najnovší dátum úpravy DateValidation=Dátum overenia -DateSigning=Signing date +DateSigning=Dátum podpisu DateClosing=Uzávierka DateDue=Dátum splatnosti DateValue=Hodnota dáta @@ -303,17 +305,17 @@ DateRequest=Žiadosť o dáta DateProcess=Procesné dáta DateBuild=Správa dátum zostavenia DatePayment=Dátum platby -DateApprove=Approving date -DateApprove2=Approving date (second approval) -RegistrationDate=Registration date -UserCreation=Creation user -UserModification=Modification user -UserValidation=Validation user -UserCreationShort=Creat. user -UserModificationShort=Modif. user -UserValidationShort=Valid. user -UserClosing=Closing user -UserClosingShort=Closing user +DateApprove=Dátum schválenia +DateApprove2=Dátum schválenia (druhé schválenie) +RegistrationDate=Dátum registrácie +UserCreation=Používateľ stvorenia +UserModification=Používateľ modifikácie +UserValidation=Overovací užívateľ +UserCreationShort=Vytvoriť. užívateľ +UserModificationShort=Modif. užívateľ +UserValidationShort=Platné. užívateľ +UserClosing=Zatvára sa používateľ +UserClosingShort=Zatvára sa používateľ DurationYear=rok DurationMonth=mesiac DurationWeek=týždeň @@ -345,20 +347,20 @@ Morning=Ráno Afternoon=Popoludní Quadri=Quadri MonthOfDay=Mesiaca odo dňa -DaysOfWeek=Days of week +DaysOfWeek=Dni v týždni HourShort=H MinuteShort=mn -SecondShort=sec +SecondShort=sek Rate=Sadzba -CurrencyRate=Currency conversion rate +CurrencyRate=Konverzný kurz meny UseLocalTax=Vrátane DPH Bytes=Bytov KiloBytes=Kilobajty MegaBytes=Megabyte GigaBytes=Gigabyte TeraBytes=Terabajtov -UserAuthor=Created by -UserModif=Updated by +UserAuthor=Vytvoril +UserModif=Aktualizované používateľom b=b Kb=Kb Mb=Mb @@ -369,107 +371,107 @@ Copy=Kopírovať Paste=Pasta Default=Štandardné DefaultValue=Východisková hodnota -DefaultValues=Default values/filters/sorting +DefaultValues=Predvolené hodnoty/filtre/triedenie Price=Cena -PriceCurrency=Price (currency) +PriceCurrency=Cena (mena) UnitPrice=Jednotková cena -UnitPriceHT=Unit price (excl.) -UnitPriceHTCurrency=Unit price (excl.) (currency) +UnitPriceHT=Jednotková cena (bez) +UnitPriceHTCurrency=Jednotková cena (bez) (mena) UnitPriceTTC=Jednotková cena PriceU=UP PriceUHT=UP (bez DPH) -PriceUHTCurrency=U.P (net) (currency) -PriceUTTC=U.P. (inc. tax) +PriceUHTCurrency=U.P (netto) (mena) +PriceUTTC=U.P. (vrátane dane) Amount=Množstvo AmountInvoice=Fakturovaná čiastka -AmountInvoiced=Amount invoiced -AmountInvoicedHT=Amount invoiced (excl. tax) -AmountInvoicedTTC=Amount invoiced (inc. tax) +AmountInvoiced=Fakturovaná suma +AmountInvoicedHT=Fakturovaná suma (bez dane) +AmountInvoicedTTC=Fakturovaná suma (vrátane dane) AmountPayment=Suma platby -AmountHTShort=Amount (excl.) +AmountHTShort=Suma (okrem) AmountTTCShort=Čiastka (s DPH) -AmountHT=Amount (excl. tax) +AmountHT=Suma (bez dane) AmountTTC=Čiastka (s DPH) AmountVAT=Čiastka dane -MulticurrencyAlreadyPaid=Already paid, original currency -MulticurrencyRemainderToPay=Remain to pay, original currency -MulticurrencyPaymentAmount=Payment amount, original currency -MulticurrencyAmountHT=Amount (excl. tax), original currency -MulticurrencyAmountTTC=Amount (inc. of tax), original currency -MulticurrencyAmountVAT=Amount tax, original currency -MulticurrencySubPrice=Amount sub price multi currency +MulticurrencyAlreadyPaid=Už zaplatené, pôvodná mena +MulticurrencyRemainderToPay=Zostaňte platiť, pôvodná mena +MulticurrencyPaymentAmount=Výška platby, pôvodná mena +MulticurrencyAmountHT=Suma (bez dane), pôvodná mena +MulticurrencyAmountTTC=Suma (vrátane dane), pôvodná mena +MulticurrencyAmountVAT=Daň z čiastky, pôvodná mena +MulticurrencySubPrice=Čiastka vedľajšia cena vo viacerých menách AmountLT1=Čiastka dane z 2 AmountLT2=Čiastka dane 3 AmountLT1ES=Množstvo RE AmountLT2ES=Suma IRPF AmountTotal=Celková čiastka AmountAverage=Priemerná suma -PriceQtyMinHT=Price quantity min. (excl. tax) -PriceQtyMinHTCurrency=Price quantity min. (excl. tax) (currency) -PercentOfOriginalObject=Percent of original object -AmountOrPercent=Amount or percent +PriceQtyMinHT=Cena množstvo min. (bez dane) +PriceQtyMinHTCurrency=Cena množstvo min. (bez dane) (mena) +PercentOfOriginalObject=Percento pôvodného objektu +AmountOrPercent=Suma alebo percento Percentage=Percento Total=Celkový SubTotal=Medzisúčet -TotalHTShort=Total (excl.) -TotalHT100Short=Total 100%% (excl.) -TotalHTShortCurrency=Total (excl. in currency) +TotalHTShort=Celkom (okrem) +TotalHT100Short=Celkom 100%% (okrem) +TotalHTShortCurrency=Celkom (okrem meny) TotalTTCShort=Celkom (s DPH) -TotalHT=Total (excl. tax) -TotalHTforthispage=Total (excl. tax) for this page -Totalforthispage=Total for this page +TotalHT=Celkom (bez dane) +TotalHTforthispage=Celkom (bez dane) za túto stránku +Totalforthispage=Celkom za túto stránku TotalTTC=Celkom (s DPH) TotalTTCToYourCredit=Celkom (s DPH) na Váš účet TotalVAT=Daň celkom -TotalVATIN=Total IGST +TotalVATIN=Celková IGST TotalLT1=Daň celkom 2 TotalLT2=Daň celkom 3 TotalLT1ES=Celkom RE TotalLT2ES=Celkom IRPF -TotalLT1IN=Total CGST -TotalLT2IN=Total SGST -HT=Excl. tax +TotalLT1IN=Celková CGST +TotalLT2IN=Celková SGST +HT=Okrem daň TTC=Inc daň -INCVATONLY=Inc. VAT -INCT=Inc. all taxes +INCVATONLY=vrátane DPH +INCT=Inc. všetky dane VAT=Daň z obratu VATIN=IGST -VATs=Sales taxes -VATINs=IGST taxes -LT1=Sales tax 2 -LT1Type=Sales tax 2 type -LT2=Sales tax 3 -LT2Type=Sales tax 3 type +VATs=Dane z predaja +VATINs=dane IGST +LT1=Daň z predaja 2 +LT1Type=Daň z obratu 2 typ +LT2=Daň z predaja 3 +LT2Type=Daň z obratu 3 typ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Additionnal cents +LT1GC=Ďalšie centy VATRate=Daňová sadzba -RateOfTaxN=Rate of tax %s -VATCode=Tax Rate code -VATNPR=Tax Rate NPR -DefaultTaxRate=Default tax rate +RateOfTaxN=Sadzba dane %s +VATCode=Kód sadzby dane +VATNPR=Sadzba dane NPR +DefaultTaxRate=Predvolená sadzba dane Average=Priemer Sum=Súčet Delta=Delta StatusToPay=Zaplatiť -RemainToPay=Remain to pay -Module=Module/Application -Modules=Modules/Applications +RemainToPay=Zostaňte platiť +Module=Modul/Aplikácia +Modules=Moduly/Aplikácie Option=Voľba -Filters=Filters +Filters=Filtre List=Zoznam FullList=Plný zoznam -FullConversation=Full conversation +FullConversation=Úplný rozhovor Statistics=Štatistika OtherStatistics=Ďalšie štatistiky Status=Postavenie Favorite=Obľúbené ShortInfo=Info. Ref=Ref -ExternalRef=Ref. extern -RefSupplier=Ref. vendor +ExternalRef=Ref. externé +RefSupplier=Ref. predajcu RefPayment=Ref platba CommercialProposalsShort=Komerčné návrhy Comment=Komentár @@ -479,28 +481,28 @@ ActionsToDoShort=Ak chcete ActionsDoneShort=Hotový ActionNotApplicable=Nevzťahuje sa ActionRunningNotStarted=Ak chcete začať -ActionRunningShort=In progress +ActionRunningShort=Prebieha ActionDoneShort=Hotový -ActionUncomplete=Incomplete -LatestLinkedEvents=Latest %s linked events -CompanyFoundation=Company/Organization -Accountant=Accountant +ActionUncomplete=Neúplné +LatestLinkedEvents=Najnovšie prepojené udalosti %s +CompanyFoundation=Spoločnosť/organizácia +Accountant=účtovník ContactsForCompany=Kontakty pre túto tretiu stranu ContactsAddressesForCompany=Kontakty / adries tretím stranám tejto AddressesForCompany=Adresy pre túto tretiu stranu -ActionsOnCompany=Events for this third party -ActionsOnContact=Events for this contact/address -ActionsOnContract=Events for this contract +ActionsOnCompany=Udalosti pre túto tretiu stranu +ActionsOnContact=Udalosti pre tento kontakt/adresu +ActionsOnContract=Udalosti pre túto zmluvu ActionsOnMember=Akcia o tomto členovi -ActionsOnProduct=Events about this product -ActionsOnAsset=Events for this fixed asset +ActionsOnProduct=Udalosti o tomto produkte +ActionsOnAsset=Udalosti pre tento dlhodobý majetok NActionsLate=%s neskoro ToDo=Ak chcete -Completed=Completed -Running=In progress +Completed=Dokončené +Running=Prebieha RequestAlreadyDone=Požiadavka už bola zaznamenaná Filter=Filter -FilterOnInto=Search criteria '%s' into fields %s +FilterOnInto=Kritériá vyhľadávania '%s' do polí %s RemoveFilter=Vyberte filter ChartGenerated=Graf generovaný ChartNotGenerated=Graf nie je generovaný @@ -509,15 +511,15 @@ Generate=Generovať Duration=Trvanie TotalDuration=Celkové trvanie Summary=Zhrnutie -DolibarrStateBoard=Database Statistics -DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No open element to process +DolibarrStateBoard=Štatistika databázy +DolibarrWorkBoard=Otvoriť položky +NoOpenedElementToProcess=Žiadny otvorený prvok na spracovanie Available=Dostupný NotYetAvailable=Zatiaľ nie je k dispozícii NotAvailable=Nie je k dispozícii Categories=Štítky/kategórie Category=Štítok/kategória -SelectTheTagsToAssign=Select the tags/categories to assign +SelectTheTagsToAssign=Vyberte značky/kategórie, ktoré chcete priradiť By=Podľa From=Z FromDate=Z @@ -526,18 +528,18 @@ to=na To=na ToDate=na ToLocation=na -at=at +at=pri and=a or=alebo Other=Ostatné Others=Ostatné -OtherInformations=Other information +OtherInformations=Ďalšie informácie Workflow=Workflow Quantity=Množstvo Qty=Množstvo ChangedBy=Zmenil -ApprovedBy=Approved by -ApprovedBy2=Approved by (second approval) +ApprovedBy=Schválil +ApprovedBy2=Schválené (druhé schválenie) Approved=Schválený Refused=Odmietol ReCalculate=Prepočítať @@ -546,24 +548,25 @@ Reporting=Hlásenie Reportings=Hlásenie Draft=Návrh Drafts=Dáma -StatusInterInvoiced=Invoiced +StatusInterInvoiced=Fakturované +Done=Hotový Validated=Overené -ValidatedToProduce=Validated (To produce) +ValidatedToProduce=Overené (na výrobu) Opened=Otvorení -OpenAll=Open (All) -ClosedAll=Closed (All) +OpenAll=Otvoriť (všetky) +ClosedAll=Zatvorené (všetky) New=Nový Discount=Zľava Unknown=Neznámy General=Všeobecný Size=Veľkosť -OriginalSize=Original size -RotateImage=Rotate 90° +OriginalSize=Pôvodná veľkosť +RotateImage=Otočiť o 90° Received=Prijaté Paid=Platený -Topic=Subject +Topic=Predmet ByCompanies=Tretími stranami -ByUsers=By user +ByUsers=Podľa používateľa Links=Odkazy Link=Odkaz Rejects=Odmieta @@ -572,20 +575,20 @@ NextStep=Ďalší krok Datas=Údaje None=Nikto NoneF=Nikto -NoneOrSeveral=None or several +NoneOrSeveral=Žiadna alebo niekoľko Late=Neskoro -LateDesc=An item is defined as Delayed as per the system configuration in menu Home - Setup - Alerts. -NoItemLate=No late item +LateDesc=Položka je definovaná ako Oneskorená podľa konfigurácie systému v menu Home - Setup - Alerts. +NoItemLate=Žiadna neskorá položka Photo=Obrázok Photos=Obrázky AddPhoto=Pridať obrázok -DeletePicture=Picture delete -ConfirmDeletePicture=Confirm picture deletion? +DeletePicture=Odstránenie obrázka +ConfirmDeletePicture=Potvrdiť odstránenie obrázka? Login=Prihlásenie -LoginEmail=Login (email) -LoginOrEmail=Login or Email +LoginEmail=Prihlásenie (e-mail) +LoginOrEmail=Prihlásenie alebo e-mail CurrentLogin=Aktuálne login -EnterLoginDetail=Enter login details +EnterLoginDetail=Zadajte prihlasovacie údaje January=Január February=Február March=Marec @@ -635,8 +638,8 @@ MonthVeryShort10=O MonthVeryShort11=N MonthVeryShort12=D AttachedFiles=Priložené súbory a dokumenty -JoinMainDoc=Join main document -JoinMainDocOrLastGenerated=Send the main document or the last generated one if not found +JoinMainDoc=Pripojte sa k hlavnému dokumentu +JoinMainDocOrLastGenerated=Pošlite hlavný dokument alebo posledný vygenerovaný, ak sa nenájde DateFormatYYYYMM=YYYY-MM DateFormatYYYYMMDD=YYYY-MM-DD DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH: SS @@ -644,8 +647,8 @@ ReportName=Názov správy ReportPeriod=Správa za obdobie ReportDescription=Popis Report=Správa -Keyword=Keyword -Origin=Origin +Keyword=Kľúčové slovo +Origin=Pôvod Legend=Legenda Fill=Vyplniť Reset=Obnoviť @@ -661,8 +664,8 @@ FindBug=Nahlásiť chybu NbOfThirdParties=Počet tretích strán NbOfLines=Počet riadkov NbOfObjects=Počet objektov -NbOfObjectReferers=Number of related items -Referers=Related items +NbOfObjectReferers=Počet súvisiacich položiek +Referers=Súvisiace položky TotalQuantity=Celkové množstvo DateFromTo=Od %s na %s DateFrom=Od %s @@ -679,68 +682,70 @@ BuildDoc=Build Doc Entity=Prostredie Entities=Subjekty CustomerPreview=Zákazník náhľad -SupplierPreview=Vendor preview +SupplierPreview=Ukážka dodávateľa ShowCustomerPreview=Zobraziť zákaznícku náhľad -ShowSupplierPreview=Show vendor preview +ShowSupplierPreview=Zobraziť ukážku dodávateľa RefCustomer=Ref zákazník -InternalRef=Internal ref. +InternalRef=Interné ref. Currency=Mena InfoAdmin=Informácie pre správcov Undo=Zrušiť Redo=Prerobiť ExpandAll=Rozbaliť všetky záložky UndoExpandAll=Späť rozšíriť -SeeAll=See all +SeeAll=Vidieť všetko Reason=Dôvod FeatureNotYetSupported=Funkcia zatiaľ nie je podporované CloseWindow=Zavrieť okno Response=Odpoveď Priority=Priorita -SendByMail=Send by email +SendByMail=Poslať e-mailom MailSentBy=E-mail zaslaná +MailSentByTo=E-mail odoslaný používateľom %s na adresu %s NotSent=Neposlal TextUsedInTheMessageBody=E-mail telo -SendAcknowledgementByMail=Send confirmation email +SendAcknowledgementByMail=Odoslať potvrdzujúci e-mail SendMail=Odoslať e-mail Email=E-mail NoEMail=Žiadny e-mail -AlreadyRead=Already read -NotRead=Unread +AlreadyRead=Už prečítané +NotRead=Neprečítané NoMobilePhone=Žiadny mobil Owner=Majiteľ FollowingConstantsWillBeSubstituted=Nasledujúci konštanty bude nahradený zodpovedajúcou hodnotou. Refresh=Osviežiť BackToList=Späť na zoznam -BackToTree=Back to tree +BackToTree=Späť na strom GoBack=Vrátiť sa CanBeModifiedIfOk=Môže byť zmenený, ak platí CanBeModifiedIfKo=Môže byť zmenená, pokiaľ nie je platný ValueIsValid=Hodnota je platná -ValueIsNotValid=Value is not valid -RecordCreatedSuccessfully=Record created successfully +ValueIsNotValid=Hodnota nie je platná +RecordCreatedSuccessfully=Záznam bol úspešne vytvorený RecordModifiedSuccessfully=Nahrávanie bolo úspešne upravené -RecordsModified=%s record(s) modified -RecordsDeleted=%s record(s) deleted -RecordsGenerated=%s record(s) generated +RecordsModified=%s záznam(ov) upravených +RecordsDeleted=%s záznam(ov) odstránených +RecordsGenerated=Počet vygenerovaných záznamov: %s +ValidatedRecordWhereFound = Niektoré z vybraných záznamov už boli overené. Neboli odstránené žiadne záznamy. AutomaticCode=Automatické kód FeatureDisabled=Funkcia vypnutá -MoveBox=Move widget +MoveBox=Presunúť miniaplikáciu Offered=Ponúkané NotEnoughPermissions=Nemáte oprávnenie pre túto akciu -UserNotInHierachy=This action is reserved to the supervisors of this user +UserNotInHierachy=Táto akcia je vyhradená pre nadriadených tohto používateľa SessionName=Názov relácie Method=Metóda Receive=Prijať -CompleteOrNoMoreReceptionExpected=Complete or nothing more expected -ExpectedValue=Expected Value -ExpectedQty=Expected Qty +CompleteOrNoMoreReceptionExpected=Kompletné alebo nič viac neočakávané +ExpectedValue=Očakávaná hodnota +ExpectedQty=Očakávané množstvo PartialWoman=Čiastočný TotalWoman=Celkový NeverReceived=Nikdy nedostal Canceled=Zrušený -YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu Setup - Dictionaries -YouCanChangeValuesForThisListFrom=You can change values for this list from menu %s -YouCanSetDefaultValueInModuleSetup=You can set the default value used when creating a new record in module setup +YouCanChangeValuesForThisListFromDictionarySetup=Hodnoty pre tento zoznam môžete zmeniť v menu Nastavenie - Slovníky +YouCanChangeValuesForThisListFrom=Hodnoty pre tento zoznam môžete zmeniť v ponuke %s +YouCanSetDefaultValueInModuleSetup=Predvolenú hodnotu použitú pri vytváraní nového záznamu môžete nastaviť v nastaveniach modulu Color=Farba Documents=Pripojené súbory Documents2=Dokumenty @@ -750,57 +755,56 @@ MenuECM=Dokumenty MenuAWStats=AWStats MenuMembers=Členovia MenuAgendaGoogle=Google agenda -MenuTaxesAndSpecialExpenses=Taxes | Special expenses +MenuTaxesAndSpecialExpenses=Dane | Špeciálne výdavky ThisLimitIsDefinedInSetup=Dolibarr limit (Menu domáce bezpečnostné nastavenia): %s Kb, PHP limit: %s Kb -ThisLimitIsDefinedInSetupAt=Dolibarr limit (Menu %s): %s Kb, PHP limit (Param %s): %s Kb -NoFileFound=No documents uploaded +ThisLimitIsDefinedInSetupAt=Dolibarrov limit (Menu %s): %s kb, limit PHP (Param %s >): %s kb +NoFileFound=Neboli nahrané žiadne dokumenty CurrentUserLanguage=Aktuálny jazyk CurrentTheme=Aktuálna téma CurrentMenuManager=Aktuálna ponuka manažér Browser=Prehliadač -Layout=Layout -Screen=Screen +Layout=Rozloženie +Screen=Obrazovka DisabledModules=Zakázané moduly For=Pre ForCustomer=Pre zákazníkov Signature=Podpis -DateOfSignature=Date of signature HidePassword=Zobraziť príkaz s heslom skryté UnHidePassword=Zobraziť skutočné velenie s jasným heslom Root=Koreň -RootOfMedias=Root of public medias (/medias) +RootOfMedias=Koreň verejných médií (/medias) Informations=Informácie Page=Strana Notes=Poznámky AddNewLine=Pridať nový riadok AddFile=Pridať súbor -FreeZone=Free-text product -FreeLineOfType=Free-text item, type: +FreeZone=Produkt s voľným textom +FreeLineOfType=Položka s voľným textom, zadajte: CloneMainAttributes=Clone objekt s jeho hlavnými atribútmi -ReGeneratePDF=Re-generate PDF +ReGeneratePDF=Znovu vygenerujte PDF PDFMerge=PDF Merge Merge=Spojiť -DocumentModelStandardPDF=Standard PDF template +DocumentModelStandardPDF=Štandardná šablóna PDF PrintContentArea=Zobraziť stránku pre tlač hlavnú obsahovú časť MenuManager=Menu manažér -WarningYouAreInMaintenanceMode=Warning, you are in maintenance mode: only login %s is allowed to use the application in this mode. +WarningYouAreInMaintenanceMode=Upozornenie, ste v režime údržby: prihláste sa iba %s je povolené používať aplikáciu v tomto režime. CoreErrorTitle=Systémová chyba -CoreErrorMessage=Sorry, an error occurred. Contact your system administrator to check the logs or disable $dolibarr_main_prod=1 to get more information. +CoreErrorMessage=Ľutujeme, vyskytla sa chyba. Ak chcete získať viac informácií, kontaktujte správcu systému, aby skontroloval denníky, alebo vypnite $dolibarr_main_prod=1. CreditCard=Kreditná karta ValidatePayment=Overenie platby -CreditOrDebitCard=Credit or debit card +CreditOrDebitCard=Kreditná alebo debetná karta FieldsWithAreMandatory=Polia označené * sú povinné %s -FieldsWithIsForPublic=Fields with %s are shown in public list of members. If you don't want this, uncheck the "public" box. -AccordingToGeoIPDatabase=(according to GeoIP conversion) +FieldsWithIsForPublic=Polia s %s sa zobrazujú vo verejnom zozname členov. Ak si to neželáte, zrušte začiarknutie políčka „verejné“. +AccordingToGeoIPDatabase=(podľa konverzie GeoIP) Line=Linka NotSupported=Nie je podporované RequiredField=Povinné polia Result=Výsledok ToTest=Test -ValidateBefore=Item must be validated before using this feature +ValidateBefore=Pred použitím tejto funkcie musí byť položka overená Visibility=Viditeľnosť -Totalizable=Totalizable -TotalizableDesc=This field is totalizable in list +Totalizable=Totalizovateľné +TotalizableDesc=Toto pole je možné sčítať v zozname Private=Súkromný Hidden=Skrytý Resources=Zdroje @@ -815,26 +819,26 @@ NewAttribute=Nový atribút AttributeCode=Atribút kód URLPhoto=URL fotky/loga SetLinkToAnotherThirdParty=Odkaz na inej tretej osobe -LinkTo=Link to -LinkToProposal=Link to proposal -LinkToExpedition= Link to expedition -LinkToOrder=Link to order -LinkToInvoice=Link to invoice -LinkToTemplateInvoice=Link to template invoice -LinkToSupplierOrder=Link to purchase order -LinkToSupplierProposal=Link to vendor proposal -LinkToSupplierInvoice=Link to vendor invoice -LinkToContract=Link to contract -LinkToIntervention=Link to intervention -LinkToTicket=Link to ticket -LinkToMo=Link to Mo +LinkTo=Odkaz na +LinkToProposal=Odkaz na návrh +LinkToExpedition= Odkaz na expedíciu +LinkToOrder=Odkaz na objednávku +LinkToInvoice=Odkaz na faktúru +LinkToTemplateInvoice=Odkaz na vzor faktúry +LinkToSupplierOrder=Odkaz na nákupnú objednávku +LinkToSupplierProposal=Odkaz na ponuku predajcu +LinkToSupplierInvoice=Odkaz na faktúru dodávateľa +LinkToContract=Odkaz na zmluvu +LinkToIntervention=Odkaz na intervenciu +LinkToTicket=Odkaz na lístok +LinkToMo=Odkaz na Mo CreateDraft=Vytvorte návrh SetToDraft=Späť na návrh ClickToEdit=Kliknutím možno upraviť -ClickToRefresh=Click to refresh -EditWithEditor=Edit with CKEditor -EditWithTextEditor=Edit with Text editor -EditHTMLSource=Edit HTML Source +ClickToRefresh=Kliknutím obnovíte +EditWithEditor=Upravte pomocou CKEditor +EditWithTextEditor=Upravte pomocou textového editora +EditHTMLSource=Upraviť zdroj HTML ObjectDeleted=Objekt %s zmazaný ByCountry=Podľa krajiny ByTown=Do mesta @@ -846,135 +850,136 @@ ByDay=Vo dne BySalesRepresentative=Do obchodného zástupcu LinkedToSpecificUsers=V súvislosti s konkrétnym kontakte s užívateľom NoResults=Žiadne výsledky -AdminTools=Admin Tools +AdminTools=Nástroje správcu SystemTools=Systémové nástroje ModulesSystemTools=Moduly náradie Test=Test Element=Prvok NoPhotoYet=Žiadne fotografie zatiaľ k dispozícii Dashboard=Dashboard -MyDashboard=My Dashboard +MyDashboard=Môj informačný panel Deductible=Spoluúčasť from=z toward=k Access=Prístup -SelectAction=Select action -SelectTargetUser=Select target user/employee +SelectAction=Vyberte akciu +SelectTargetUser=Vyberte cieľového používateľa/zamestnanca HelpCopyToClipboard=Použite Ctrl + C skopírujte do schránky SaveUploadedFileWithMask=Uloženie súboru na serveri s názvom "%s" (inak "%s") OriginFileName=Pôvodný názov súboru SetDemandReason=Určiť zdroj SetBankAccount=Definovať bankový účet -AccountCurrency=Account currency +AccountCurrency=Mena účtu ViewPrivateNote=Zobraziť poznámky XMoreLines=%s riadk(y/ov) skrytých -ShowMoreLines=Show more/less lines +ShowMoreLines=Zobraziť viac/menej riadkov PublicUrl=Verejné URL AddBox=Pridať box -SelectElementAndClick=Select an element and click on %s +SelectElementAndClick=Vyberte prvok a kliknite na %s PrintFile=Vytlačiť súbor %s -ShowTransaction=Show entry on bank account +ShowTransaction=Zobraziť záznam na bankovom účte ShowIntervention=Zobraziť zásah ShowContract=Zobraziť zmluvy -GoIntoSetupToChangeLogo=Go to Home - Setup - Company to change logo or go to Home - Setup - Display to hide. -Deny=Deny -Denied=Denied -ListOf=List of %s -ListOfTemplates=List of templates -Gender=Gender -Genderman=Male -Genderwoman=Female +GoIntoSetupToChangeLogo=Ak chcete zmeniť logo, prejdite na Domov - Nastavenia - Spoločnosť alebo prejdite na Domov - Nastavenia - Displej a skryte. +Deny=Odmietnuť +Denied=Odmietnuté +ListOf=Zoznam %s +ListOfTemplates=Zoznam šablón +Gender=rod +Genderman=Muž +Genderwoman=Žena Genderother=Ostatné ViewList=Zobrazenie zoznamu -ViewGantt=Gantt view -ViewKanban=Kanban view -Mandatory=Mandatory +ViewGantt=Ganttov pohľad +ViewKanban=Kanban pohľad +Mandatory=Povinné Hello=Ahoj -GoodBye=GoodBye -Sincerely=Sincerely -ConfirmDeleteObject=Are you sure you want to delete this object? +GoodBye=Zbohom +Sincerely=S pozdravom +ConfirmDeleteObject=Naozaj chcete odstrániť tento objekt? DeleteLine=Odstránenie riadka -ConfirmDeleteLine=Are you sure you want to delete this line? -ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. -NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record -TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. -NoRecordSelected=No record selected -MassFilesArea=Area for files built by mass actions -ShowTempMassFilesArea=Show area of files built by mass actions -ConfirmMassDeletion=Bulk Delete confirmation -ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record(s)? -ConfirmMassClone=Bulk clone confirmation -ConfirmMassCloneQuestion=Select project to clone to -ConfirmMassCloneToOneProject=Clone to project %s -RelatedObjects=Related Objects -ClassifyBilled=Classify Billed -ClassifyUnbilled=Classify Unbilled +ConfirmDeleteLine=Naozaj chcete odstrániť tento riadok? +ErrorPDFTkOutputFileNotFound=Chyba: súbor nebol vygenerovaný. Skontrolujte, či je príkaz 'pdftk' nainštalovaný v adresári, ktorý je súčasťou premennej prostredia $PATH (len pre Linux/unix), alebo kontaktujte správcu systému. +NoPDFAvailableForDocGenAmongChecked=Medzi kontrolovanými záznamami neboli na generovanie dokumentu k dispozícii žiadne PDF +TooManyRecordForMassAction=Na hromadnú akciu bolo vybratých príliš veľa záznamov. Akcia je obmedzená na zoznam %s záznamov. +NoRecordSelected=Nie je vybratý žiadny záznam +MassFilesArea=Oblasť pre súbory vytvorené hromadnými akciami +ShowTempMassFilesArea=Zobraziť oblasť súborov vytvorených hromadnými akciami +ConfirmMassDeletion=Potvrdenie hromadného vymazania +ConfirmMassDeletionQuestion=Naozaj chcete odstrániť %s vybraté záznamy? +ConfirmMassClone=Hromadné potvrdenie klonovania +ConfirmMassCloneQuestion=Vyberte projekt na klonovanie +ConfirmMassCloneToOneProject=Klonovať do projektu %s +RelatedObjects=Súvisiace objekty +ClassifyBilled=Klasifikovať fakturované +ClassifyUnbilled=Klasifikovať nevyúčtované Progress=Pokrok ProgressShort=Progr. FrontOffice=Front office BackOffice=Back office -Submit=Submit -View=View +Submit=Predložiť +View=vyhliadka Export=Export +Import=Importovať Exports=Exports -ExportFilteredList=Export filtered list -ExportList=Export list +ExportFilteredList=Exportujte filtrovaný zoznam +ExportList=Exportovať zoznam ExportOptions=Možnosti exportu -IncludeDocsAlreadyExported=Include docs already exported -ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and will be exported -ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported -AllExportedMovementsWereRecordedAsExported=All exported movements were recorded as exported -NotAllExportedMovementsCouldBeRecordedAsExported=Not all exported movements could be recorded as exported +IncludeDocsAlreadyExported=Zahrnúť už exportované dokumenty +ExportOfPiecesAlreadyExportedIsEnable=Už exportované dokumenty sú viditeľné a budú exportované +ExportOfPiecesAlreadyExportedIsDisable=Už exportované dokumenty sú skryté a nebudú exportované +AllExportedMovementsWereRecordedAsExported=Všetky vyvezené pohyby boli zaznamenané ako vyvezené +NotAllExportedMovementsCouldBeRecordedAsExported=Nie všetky exportované pohyby bolo možné zaznamenať ako exportované Miscellaneous=Zmiešaný Calendar=Kalendár -GroupBy=Group by... -GroupByX=Group by %s -ViewFlatList=View flat list -ViewAccountList=View ledger -ViewSubAccountList=View subaccount ledger -RemoveString=Remove string '%s' -SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. -DirectDownloadLink=Public download link -PublicDownloadLinkDesc=Only the link is required to download the file -DirectDownloadInternalLink=Private download link -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file -Download=Download -DownloadDocument=Download document -DownloadSignedDocument=Download signed document -ActualizeCurrency=Update currency rate +GroupBy=Zoskupiť podľa... +GroupByX=Zoskupiť podľa %s +ViewFlatList=Zobraziť zoznam bytov +ViewAccountList=Zobraziť účtovnú knihu +ViewSubAccountList=Zobraziť knihu podúčtu +RemoveString=Odstráňte reťazec '%s' +SomeTranslationAreUncomplete=Niektoré z ponúkaných jazykov môžu byť preložené len čiastočne alebo môžu obsahovať chyby. Pomôžte opraviť svoj jazyk registráciou na adrese https://transifex.com/projects/p/dolibarr/ na pridajte svoje vylepšenia. +DirectDownloadLink=Verejný odkaz na stiahnutie +PublicDownloadLinkDesc=Na stiahnutie súboru je potrebný iba odkaz +DirectDownloadInternalLink=Súkromný odkaz na stiahnutie +PrivateDownloadLinkDesc=Musíte byť prihlásený a potrebujete povolenia na zobrazenie alebo stiahnutie súboru +Download=Stiahnuť ▼ +DownloadDocument=Stiahnite si dokument +DownloadSignedDocument=Stiahnite si podpísaný dokument +ActualizeCurrency=Aktualizujte kurz meny Fiscalyear=Fiškálny rok -ModuleBuilder=Module and Application Builder -SetMultiCurrencyCode=Set currency -BulkActions=Bulk actions -ClickToShowHelp=Click to show tooltip help -WebSite=Website +ModuleBuilder=Tvorca modulov a aplikácií +SetMultiCurrencyCode=Nastavte menu +BulkActions=Hromadné akcie +ClickToShowHelp=Kliknutím zobrazíte pomocníka s popisom +WebSite=webové stránky WebSites=Web stránky -WebSiteAccounts=Website accounts -ExpenseReport=Expense report -ExpenseReports=Expense reports +WebSiteAccounts=Účty prístupu na web +ExpenseReport=Správa o výdajoch +ExpenseReports=Prehľady výdavkov HR=HR -HRAndBank=HR and Bank -AutomaticallyCalculated=Automatically calculated -TitleSetToDraft=Go back to draft -ConfirmSetToDraft=Are you sure you want to go back to Draft status? -ImportId=Import id +HRAndBank=HR a banka +AutomaticallyCalculated=Automaticky vypočítané +TitleSetToDraft=Vráťte sa do konceptu +ConfirmSetToDraft=Naozaj sa chcete vrátiť do stavu Koncept? +ImportId=ID importu Events=Udalosti -EMailTemplates=Email templates -FileNotShared=File not shared to external public +EMailTemplates=E-mailové šablóny +FileNotShared=Súbor nie je zdieľaný s externou verejnosťou Project=Projekt Projects=Projekty -LeadOrProject=Lead | Project -LeadsOrProjects=Leads | Projects -Lead=Lead -Leads=Leads -ListOpenLeads=List open leads -ListOpenProjects=List open projects -NewLeadOrProject=New lead or project +LeadOrProject=Olovo | Projekt +LeadsOrProjects=Vedie | projekty +Lead=Viesť +Leads=Vedie +ListOpenLeads=Zoznam otvorených potenciálnych zákazníkov +ListOpenProjects=Zoznam otvorených projektov +NewLeadOrProject=Nový potenciálny zákazník alebo projekt Rights=Oprávnenia -LineNb=Line no. +LineNb=Linka č. IncotermLabel=Incoterms -TabLetteringCustomer=Customer lettering -TabLetteringSupplier=Vendor lettering +TabLetteringCustomer=Zákaznícky nápis +TabLetteringSupplier=Nápis predajcu Monday=Pondelok Tuesday=Utorok Wednesday=Streda @@ -1003,239 +1008,255 @@ ShortThursday=T ShortFriday=F ShortSaturday=S ShortSunday=S -one=one -two=two -three=three -four=four -five=five -six=six -seven=seven -eight=eight -nine=nine -ten=ten -eleven=eleven -twelve=twelve -thirteen=thirdteen -fourteen=fourteen -fifteen=fifteen -sixteen=sixteen -seventeen=seventeen -eighteen=eighteen -nineteen=nineteen -twenty=twenty -thirty=thirty -forty=forty -fifty=fifty -sixty=sixty -seventy=seventy -eighty=eighty -ninety=ninety -hundred=hundred -thousand=thousand -million=million -billion=billion -trillion=trillion -quadrillion=quadrillion -SelectMailModel=Select an email template -SetRef=Set ref -Select2ResultFoundUseArrows=Some results found. Use arrows to select. -Select2NotFound=No result found -Select2Enter=Enter -Select2MoreCharacter=or more character -Select2MoreCharacters=or more characters -Select2MoreCharactersMore=Search syntax:
      | OR (a|b)
      * Any character (a*b)
      ^ Start with (^ab)
      $ End with (ab$)
      -Select2LoadingMoreResults=Loading more results... -Select2SearchInProgress=Search in progress... +one=jeden +two=dva +three=tri +four=štyri +five=päť +six=šesť +seven=sedem +eight=osem +nine=deväť +ten=desať +eleven=jedenásť +twelve=dvanásť +thirteen=tretina +fourteen=štrnásť +fifteen=pätnásť +sixteen=šestnásť +seventeen=sedemnásť +eighteen=osemnásť +nineteen=devätnásť +twenty=dvadsať +thirty=tridsať +forty=štyridsať +fifty=päťdesiat +sixty=šesťdesiat +seventy=sedemdesiat +eighty=osemdesiat +ninety=deväťdesiat +hundred=sto +thousand=tisíc +million=miliónov +billion=miliardy +trillion=bilióna +quadrillion=kvadrilión +SelectMailModel=Vyberte šablónu e-mailu +SetRef=Nastaviť ref +Select2ResultFoundUseArrows=Našli sa nejaké výsledky. Na výber použite šípky. +Select2NotFound=Nenašli sa žiadne výsledky +Select2Enter=Zadajte +Select2MoreCharacter=alebo viac charakteru +Select2MoreCharacters=alebo viac znakov +Select2MoreCharactersMore=Syntax vyhľadávania:
      notranslate |b0860fz=034 notranslate'> ALEBO (a|b)
      * Ľubovoľný znak (a*b)
      b030aec0 span>^$ Koniec na (ab$)
      +Select2LoadingMoreResults=Načítavajú sa ďalšie výsledky... +Select2SearchInProgress=Prebieha vyhľadávanie... SearchIntoThirdparties=Tretie strany SearchIntoContacts=Kontakty SearchIntoMembers=Členovia SearchIntoUsers=Užívatelia -SearchIntoProductsOrServices=Products or services -SearchIntoBatch=Lots / Serials +SearchIntoProductsOrServices=Produkty alebo služby +SearchIntoBatch=Veľa / seriály SearchIntoProjects=Projekty -SearchIntoMO=Manufacturing Orders +SearchIntoMO=Výrobné zákazky SearchIntoTasks=Úlohy -SearchIntoCustomerInvoices=Customer invoices -SearchIntoSupplierInvoices=Vendor invoices -SearchIntoCustomerOrders=Sales orders -SearchIntoSupplierOrders=Purchase orders +SearchIntoCustomerInvoices=Odberateľské faktúry +SearchIntoSupplierInvoices=Dodávateľské faktúry +SearchIntoCustomerOrders=Predajné objednávky +SearchIntoSupplierOrders=Objednávky SearchIntoCustomerProposals=Komerčné návrhy -SearchIntoSupplierProposals=Vendor proposals +SearchIntoSupplierProposals=Návrhy predajcov SearchIntoInterventions=Zásahy SearchIntoContracts=Zmluvy -SearchIntoCustomerShipments=Customer shipments -SearchIntoExpenseReports=Expense reports -SearchIntoLeaves=Leave -SearchIntoKM=Knowledge base -SearchIntoTickets=Tickets -SearchIntoCustomerPayments=Customer payments -SearchIntoVendorPayments=Vendor payments -SearchIntoMiscPayments=Miscellaneous payments +SearchIntoCustomerShipments=Zákaznícke zásielky +SearchIntoExpenseReports=Prehľady výdavkov +SearchIntoLeaves=Odísť +SearchIntoKM=Vedomostná základňa +SearchIntoTickets=Vstupenky +SearchIntoCustomerPayments=Platby zákazníkov +SearchIntoVendorPayments=Platby dodávateľa +SearchIntoMiscPayments=Rôzne platby CommentLink=Komentáre -NbComments=Number of comments -CommentPage=Comments space -CommentAdded=Comment added -CommentDeleted=Comment deleted +NbComments=Počet komentárov +CommentPage=Priestor na komentáre +CommentAdded=Komentár bol pridaný +CommentDeleted=Komentár bol odstránený Everybody=Všetci -PayedBy=Paid by -PayedTo=Paid to -Monthly=Monthly -Quarterly=Quarterly -Annual=Annual -Local=Local -Remote=Remote -LocalAndRemote=Local and Remote -KeyboardShortcut=Keyboard shortcut +EverybodySmall=Všetci +PayedBy=Zaplatené +PayedTo=Zaplatené komu +Monthly=Mesačne +Quarterly=Štvrťročne +Annual=Výročný +Local=Miestne +Remote=Diaľkové ovládanie +LocalAndRemote=Lokálne a vzdialené +KeyboardShortcut=Klávesová skratka AssignedTo=Priradené -Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft mass delete confirmation -FileSharedViaALink=File shared with a public link -SelectAThirdPartyFirst=Select a third party first... -YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode -Inventory=Inventory -AnalyticCode=Analytic code +Deletedraft=Odstrániť návrh +ConfirmMassDraftDeletion=Potvrdenie odstránenia hromadného návrhu +FileSharedViaALink=Verejný súbor zdieľaný prostredníctvom odkazu +SelectAThirdPartyFirst=Najprv vyberte tretiu stranu... +YouAreCurrentlyInSandboxMode=Momentálne sa nachádzate v %s režime „sandbox“ +Inventory=Inventár +AnalyticCode=Analytický kód TMenuMRP=MRP -ShowCompanyInfos=Show company infos -ShowMoreInfos=Show More Infos -NoFilesUploadedYet=Please upload a document first -SeePrivateNote=See private note -PaymentInformation=Payment information -ValidFrom=Valid from -ValidUntil=Valid until -NoRecordedUsers=No users -ToClose=To close -ToRefuse=To refuse +ShowCompanyInfos=Zobraziť informácie o spoločnosti +ShowMoreInfos=Zobraziť viac informácií +NoFilesUploadedYet=Najprv nahrajte dokument +SeePrivateNote=Pozri súkromnú poznámku +PaymentInformation=Informácie o platbe +ValidFrom=Platnosť od +ValidUntil=Platné do +NoRecordedUsers=Žiadni používatelia +ToClose=Zavrieť +ToRefuse=Odmietnuť ToProcess=Ak chcete spracovať -ToApprove=To approve -GlobalOpenedElemView=Global view -NoArticlesFoundForTheKeyword=No article found for the keyword '%s' -NoArticlesFoundForTheCategory=No article found for the category -ToAcceptRefuse=To accept | refuse +ToApprove=Schváliť +GlobalOpenedElemView=Globálny pohľad +NoArticlesFoundForTheKeyword=Pre kľúčové slovo '%s sa nenašiel žiadny článok +NoArticlesFoundForTheCategory=Pre kategóriu sa nenašiel žiadny článok +ToAcceptRefuse=Akceptovať | odmietnuť ContactDefault_agenda=Udalosť ContactDefault_commande=Objednávka ContactDefault_contrat=Zmluva ContactDefault_facture=Faktúra ContactDefault_fichinter=Zásah -ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Purchase Order +ContactDefault_invoice_supplier=Dodávateľská faktúra +ContactDefault_order_supplier=Objednávka ContactDefault_project=Projekt ContactDefault_project_task=Úloha ContactDefault_propal=Návrh -ContactDefault_supplier_proposal=Supplier Proposal -ContactDefault_ticket=Ticket -ContactAddedAutomatically=Contact added from contact thirdparty roles -More=More -ShowDetails=Show details -CustomReports=Custom reports -StatisticsOn=Statistics on -SelectYourGraphOptionsFirst=Select your graph options to build a graph -Measures=Measures -XAxis=X-Axis -YAxis=Y-Axis -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? -ShowOtherLanguages=Show other languages -SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language -NotUsedForThisCustomer=Not used for this customer -NotUsedForThisVendor=Not used for this vendor -AmountMustBePositive=Amount must be positive -ByStatus=By status +ContactDefault_supplier_proposal=Návrh dodávateľa +ContactDefault_ticket=Lístok +ContactAddedAutomatically=Kontakt bol pridaný z rol kontaktu tretích strán +More=Viac +ShowDetails=Zobraziť podrobnosti +CustomReports=Vlastné prehľady +StatisticsOn=Štatistika zapnutá +SelectYourGraphOptionsFirst=Ak chcete vytvoriť graf, vyberte možnosti grafu +Measures=Opatrenia +XAxis=Os X +YAxis=Os Y +StatusOfRefMustBe=Stav %s musí byť %s +DeleteFileHeader=Potvrďte odstránenie súboru +DeleteFileText=Naozaj chcete odstrániť tento súbor? +ShowOtherLanguages=Zobraziť ďalšie jazyky +SwitchInEditModeToAddTranslation=Ak chcete pridať preklady pre tento jazyk, prepnite sa do režimu úprav +NotUsedForThisCustomer=Nepoužíva sa pre tohto zákazníka +NotUsedForThisVendor=Nepoužíva sa pre tohto predajcu +AmountMustBePositive=Suma musí byť kladná +ByStatus=Podľa stavu InformationMessage=Informácie -Used=Used -ASAP=As Soon As Possible -CREATEInDolibarr=Record %s created -MODIFYInDolibarr=Record %s modified -DELETEInDolibarr=Record %s deleted -VALIDATEInDolibarr=Record %s validated -APPROVEDInDolibarr=Record %s approved -DefaultMailModel=Default Mail Model -PublicVendorName=Public name of vendor +Used=Použité +ASAP=Čo najskôr +CREATEInDolibarr=Záznam %s bol vytvorený +MODIFYInDolibarr=Záznam %s upravený +DELETEInDolibarr=Záznam %s bol odstránený +VALIDATEInDolibarr=Záznam %s overený +APPROVEDInDolibarr=Záznam %s schválený +DefaultMailModel=Predvolený poštový model +PublicVendorName=Verejné meno predajcu DateOfBirth=Dátum narodenia -SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again. -UpToDate=Up-to-date -OutOfDate=Out-of-date -EventReminder=Event Reminder -UpdateForAllLines=Update for all lines -OnHold=On hold -Civility=Civility -AffectTag=Assign a Tag -AffectUser=Assign a User -SetSupervisor=Set the supervisor -CreateExternalUser=Create external user -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) -ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records +SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Platnosť bezpečnostného tokenu vypršala, takže akcia bola zrušená. Prosím skúste znova. +UpToDate=Aktuálny +OutOfDate=Zastaralé +EventReminder=Pripomenutie udalosti +UpdateForAllLines=Aktualizácia pre všetky linky +OnHold=Podržané +Civility=Zdvorilosť +AffectTag=Priradiť značku +AffectUser=Priradiť používateľa +SetSupervisor=Nastavte supervízora +CreateExternalUser=Vytvorte externého používateľa +ConfirmAffectTag=Hromadné priradenie značiek +ConfirmAffectUser=Hromadné priradenie používateľa +ProjectRole=Úloha pridelená každému projektu/príležitosti +TasksRole=Rola priradená každej úlohe (ak sa používa) +ConfirmSetSupervisor=Hromadná súprava dozoru +ConfirmUpdatePrice=Vyberte si mieru zvýšenia/zníženia ceny +ConfirmAffectTagQuestion=Naozaj chcete priradiť značky k %s vybratým záznamom? +ConfirmAffectUserQuestion=Naozaj chcete používateľov priradiť k %s vybratým záznamom? +ConfirmSetSupervisorQuestion=Naozaj chcete nastaviť supervízora na vybraté záznamy %s? +ConfirmUpdatePriceQuestion=Naozaj chcete aktualizovať cenu vybratých záznamov %s? +CategTypeNotFound=Pre typ záznamov sa nenašiel žiadny typ značky Rate=Sadzba -SupervisorNotFound=Supervisor not found -CopiedToClipboard=Copied to clipboard -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. -ConfirmCancel=Are you sure you want to cancel +SupervisorNotFound=Dozorca sa nenašiel +CopiedToClipboard=Skopírované do schránky +InformationOnLinkToContract=Táto suma je len súčtom všetkých riadkov zmluvy. Neberie sa do úvahy pojem času. +ConfirmCancel=Si si istý, že to chceš zrušiť EmailMsgID=Email MsgID -EmailDate=Email date -SetToStatus=Set to status %s -SetToEnabled=Set to enabled -SetToDisabled=Set to disabled -ConfirmMassEnabling=mass enabling confirmation -ConfirmMassEnablingQuestion=Are you sure you want to enable the %s selected record(s)? -ConfirmMassDisabling=mass disabling confirmation -ConfirmMassDisablingQuestion=Are you sure you want to disable the %s selected record(s)? -RecordsEnabled=%s record(s) enabled -RecordsDisabled=%s record(s) disabled -RecordEnabled=Record enabled -RecordDisabled=Record disabled -Forthcoming=Forthcoming -Currently=Currently -ConfirmMassLeaveApprovalQuestion=Are you sure you want to approve the %s selected record(s)? -ConfirmMassLeaveApproval=Mass leave approval confirmation -RecordAproved=Record approved -RecordsApproved=%s Record(s) approved -Properties=Properties -hasBeenValidated=%s has been validated +EmailDate=Dátum e-mailu +SetToStatus=Nastaviť na stav %s +SetToEnabled=Nastaviť na povolené +SetToDisabled=Nastaviť ako vypnuté +ConfirmMassEnabling=hromadné umožnenie potvrdenia +ConfirmMassEnablingQuestion=Naozaj chcete povoliť vybraté záznamy %s? +ConfirmMassDisabling=hromadné potvrdenie o deaktivácii +ConfirmMassDisablingQuestion=Naozaj chcete zakázať vybraté záznamy %s? +RecordsEnabled=%s záznam(ov) povolených +RecordsDisabled=%s záznamy sú zakázané +RecordEnabled=Nahrávanie povolené +RecordDisabled=Záznam je zakázaný +Forthcoming=Nadchádzajúce +Currently=V súčasnosti +ConfirmMassLeaveApprovalQuestion=Naozaj chcete schváliť %s vybraté záznamy? +ConfirmMassLeaveApproval=Potvrdenie o schválení hromadnej dovolenky +RecordAproved=Záznam schválený +RecordsApproved=%s Schválené záznamy +Properties=Vlastnosti +hasBeenValidated=%s bol overený ClientTZ=Časová zóna klienta (používateľ) -NotClosedYet=Not yet closed -ClearSignature=Reset signature -CanceledHidden=Canceled hidden -CanceledShown=Canceled shown -Terminate=Terminate -Terminated=Terminated -AddLineOnPosition=Add line on position (at the end if empty) -ConfirmAllocateCommercial=Assign sales representative confirmation -ConfirmAllocateCommercialQuestion=Are you sure you want to assign the %s selected record(s)? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned -YourMessage=Your message -YourMessageHasBeenReceived=Your message has been received. We will answer or contact you as soon as possible. -UrlToCheck=Url to check -Automation=Automation -CreatedByEmailCollector=Created by Email collector -CreatedByPublicPortal=Created from Public portal +NotClosedYet=Ešte nie je uzavretá +ClearSignature=Obnoviť podpis +CanceledHidden=Zrušené skryté +CanceledShown=Zrušené zobrazené +Terminate=Ukončiť +Terminated=Ukončené +AddLineOnPosition=Pridať riadok na pozíciu (na koniec, ak je prázdny) +ConfirmAllocateCommercial=Priradiť potvrdenie obchodného zástupcu +ConfirmAllocateCommercialQuestion=Naozaj chcete priradiť %s vybraté záznamy? +CommercialsAffected=Pridelení obchodní zástupcovia +CommercialAffected=Pridelený obchodný zástupca +YourMessage=Tvoja správa +YourMessageHasBeenReceived=Vaša správa bola prijatá. Čo najskôr vám odpovieme alebo vás budeme kontaktovať. +UrlToCheck=Adresa URL na kontrolu +Automation=automatizácia +CreatedByEmailCollector=Vytvorené zberateľom e-mailov +CreatedByPublicPortal=Vytvorené z Verejného portálu UserAgent=User Agent InternalUser=Interný užívateľ ExternalUser=Externý užívateľ -NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. -HideOnVCard=Hide %s -AddToContacts=Add address to my contacts -LastAccess=Last access -UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here -LastPasswordChangeDate=Last password change date -PublicVirtualCardUrl=Virtual business card page URL -PublicVirtualCard=Virtual business card -TreeView=Tree view -DropFileToAddItToObject=Drop a file to add it to this object -UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison -InProgress=In progress -DateOfPrinting=Date of printing -ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. -UserNotYetValid=Not yet valid +NoSpecificContactAddress=Žiadny konkrétny kontakt ani adresa +NoSpecificContactAddressBis=Táto karta je určená na vynútenie konkrétnych kontaktov alebo adries pre aktuálny objekt. Použite ho iba vtedy, ak chcete pre objekt definovať jeden alebo niekoľko konkrétnych kontaktov alebo adries, keď informácie o tretej strane nie sú dostatočné alebo presné. +HideOnVCard=Skryť %s +AddToContacts=Pridať adresu do mojich kontaktov +LastAccess=Posledný prístup +UploadAnImageToSeeAPhotoHere=Nahrajte obrázok z karty %s, aby ste tu mohli vidieť fotografiu +LastPasswordChangeDate=Dátum poslednej zmeny hesla +PublicVirtualCardUrl=Adresa URL stránky virtuálnej vizitky +PublicVirtualCard=Virtuálna vizitka +TreeView=Pohľad na strom +DropFileToAddItToObject=Presunutím súboru ho pridáte do tohto objektu +UploadFileDragDropSuccess=Súbory boli úspešne odovzdané +SearchSyntaxTooltipForStringOrNum=Na vyhľadávanie v textových poliach môžete použiť znaky ^ alebo $ na vyhľadávanie „začiatok alebo koniec s“ alebo použiť znak ! urobiť test „neobsahuje“. Môžete použiť | medzi dva reťazce namiesto medzery pre podmienku „ALEBO“ namiesto „AND“. Pre číselné hodnoty môžete použiť operátor <, >, <=, >= alebo != pred hodnotou a filtrovať pomocou matematického porovnania +InProgress=Prebieha +DateOfPrinting=Dátum tlače +ClickFullScreenEscapeToLeave=Kliknutím sem prepnete do režimu celej obrazovky. Stlačením klávesu ESCAPE opustíte režim celej obrazovky. +UserNotYetValid=Zatiaľ neplatné UserExpired=Vypršala +LinkANewFile=Prepojiť nový súbor/dokument +LinkedFiles=Prepojené súbory a dokumenty +NoLinkFound=Žiadne registrované odkazy +LinkComplete=Súbor bol úspešne prepojený +ErrorFileNotLinked=Súbor sa nepodarilo prepojiť +LinkRemoved=Odkaz %s bol odstránený +ErrorFailedToDeleteLink= Nepodarilo sa odstrániť odkaz '%s' +ErrorFailedToUpdateLink= Nepodarilo sa aktualizovať odkaz '%s' +URLToLink=URL na prepojenie +OverwriteIfExists=Prepísať, ak súbor existuje +AmountSalary=Výška platu +InvoiceSubtype=Podtyp faktúry +ConfirmMassReverse=Hromadné spätné potvrdenie +ConfirmMassReverseQuestion=Naozaj chcete zvrátiť vybraté záznamy %s? + diff --git a/htdocs/langs/sk_SK/modulebuilder.lang b/htdocs/langs/sk_SK/modulebuilder.lang index b1f390ecfc6..f01395260bd 100644 --- a/htdocs/langs/sk_SK/modulebuilder.lang +++ b/htdocs/langs/sk_SK/modulebuilder.lang @@ -1,179 +1,189 @@ # Dolibarr language file - Source file is en_US - loan -IdModule= Module id -ModuleBuilderDesc=This tool must be used only by experienced users or developers. It provides utilities to build or edit your own module. Documentation for alternative manual development is here. -EnterNameOfModuleDesc=Enter the name of the module/application to create with no spaces. Use uppercase to separate words (For example: MyModule, EcommerceForShop, SyncWithMySystem...) -EnterNameOfObjectDesc=Enter the name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, the pages to list/add/edit/delete the object and the SQL files will be generated. -EnterNameOfDictionaryDesc=Enter the name of the dictionary to create with no spaces. Use uppercase to separate words (For example: MyDico...). The class file, but also the SQL file will be generated. -ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s -ModuleBuilderDesc3=Generated/editable modules found: %s -ModuleBuilderDesc4=A module is detected as a 'module for Module Builer' when the file %s exists in the root of the module directory -NewModule=New module -NewObjectInModulebuilder=New object -NewDictionary=New dictionary -ModuleName=Module name -ModuleKey=Module key -ObjectKey=Object key -DicKey=Dictionary key -ModuleInitialized=Module initialized -FilesForObjectInitialized=Files for new object '%s' initialized -FilesForObjectUpdated=Files for object '%s' updated (.sql files and .class.php file) -ModuleBuilderDescdescription=Enter here all general information that describe your module. -ModuleBuilderDescspecifications=You can enter here a detailed description of the specifications of your module that is not already structured into other tabs. So you have within easy reach all the rules to develop. Also this text content will be included into the generated documentation (see last tab). You can use Markdown format, but it is recommended to use Asciidoc format (comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). -ModuleBuilderDescobjects=Define here the objects you want to manage with your module. A CRUD DAO class, SQL files, page to list record of objects, to create/edit/view a record and an API will be generated. -ModuleBuilderDescmenus=This tab is dedicated to define menu entries provided by your module. -ModuleBuilderDescpermissions=This tab is dedicated to define the new permissions you want to provide with your module. -ModuleBuilderDesctriggers=This is the view of triggers provided by your module. To include code executed when a triggered business event is launched, just edit this file. -ModuleBuilderDeschooks=This tab is dedicated to hooks. -ModuleBuilderDescwidgets=This tab is dedicated to manage/build widgets. -ModuleBuilderDescbuildpackage=You can generate here a "ready to distribute" package file (a normalized .zip file) of your module and a "ready to distribute" documentation file. Just click on button to build the package or documentation file. -EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: All coding files of module (generated or created manually) AND structured data and documentation will be deleted! -EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All coding files (generated or created manually) related to object will be deleted! -DangerZone=Danger zone -BuildPackage=Build package -BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. -BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here -ModuleIsLive=This module has been activated. Any change may break a current live feature. -DescriptionLong=Long description -EditorName=Name of editor -EditorUrl=URL of editor -DescriptorFile=Descriptor file of module -ClassFile=File for PHP DAO CRUD class -ApiClassFile=File for PHP API class -PageForList=PHP page for list of record -PageForCreateEditView=PHP page to create/edit/view a record -PageForAgendaTab=PHP page for event tab -PageForDocumentTab=PHP page for document tab -PageForNoteTab=PHP page for note tab -PageForContactTab=PHP page for contact tab -PathToModulePackage=Path to zip of module/application package -PathToModuleDocumentation=Path to file of module/application documentation (%s) -SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed. -FileNotYetGenerated=File not yet generated -GenerateCode=Generate code -RegenerateClassAndSql=Force update of .class and .sql files -RegenerateMissingFiles=Generate missing files -SpecificationFile=File of documentation -LanguageFile=File for language -ObjectProperties=Object Properties -Property=Propery -PropertyDesc=A property is an attribute that characterizes an object. This attribute has a code, a label and a type with several options. -ConfirmDeleteProperty=Are you sure you want to delete the property %s? This will change code in PHP class but also remove column from table definition of object. -NotNull=Not NULL -NotNullDesc=1=Set database to NOT NULL, 0=Allow null values, -1=Allow null values by forcing value to NULL if empty ('' or 0) -SearchAll=Used for 'search all' -DatabaseIndex=Database index -FileAlreadyExists=File %s already exists -TriggersFile=File for triggers code -HooksFile=File for hooks code -ArrayOfKeyValues=Array of key-val -ArrayOfKeyValuesDesc=Array of keys and values if field is a combo list with fixed values -WidgetFile=Widget file -CSSFile=CSS file -JSFile=Javascript file -ReadmeFile=Readme file -ChangeLog=ChangeLog file -TestClassFile=File for PHP Unit Test class -SqlFile=Sql file -PageForLib=File for the common PHP library -PageForObjLib=File for the PHP library dedicated to object -SqlFileExtraFields=Sql file for complementary attributes -SqlFileKey=Sql file for keys -SqlFileKeyExtraFields=Sql file for keys of complementary attributes -AnObjectAlreadyExistWithThisNameAndDiffCase=An object already exists with this name and a different case -UseAsciiDocFormat=You can use Markdown format, but it is recommended to use Asciidoc format (omparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) -IsAMeasure=Is a measure -DirScanned=Directory scanned -NoTrigger=No trigger -NoWidget=No widget -ApiExplorer=API explorer -ListOfMenusEntries=List of menu entries -ListOfDictionariesEntries=List of dictionaries entries -ListOfPermissionsDefined=List of defined permissions -SeeExamples=See examples here -EnabledDesc=Condition to have this field active.

      Examples:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update).

      Using a negative value means field is not shown by default on list but can be selected for viewing). -ItCanBeAnExpression=It can be an expression. Example:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
      For document :
      0 = not displayed
      1 = display
      2 = display only if not empty

      For document lines :
      0 = not displayed
      1 = displayed in a column
      3 = display in line description column after the description
      4 = display in description column after the description only if not empty -DisplayOnPdf=On PDF -IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) -SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) -SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. -LanguageDefDesc=Enter in this files, all the key and the translation for each language file. -MenusDefDesc=Define here the menus provided by your module -DictionariesDefDesc=Define here the dictionaries provided by your module -PermissionsDefDesc=Define here the new permissions provided by your module -MenusDefDescTooltip=The menus provided by your module/application are defined into the array $this->menus into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and the module re-activated), the menus are also visible into the menu editor available to administrator users on %s. -DictionariesDefDescTooltip=The dictionaries provided by your module/application are defined into the array $this->dictionaries into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), dictionaries are also visible into the setup area to administrator users on %s. -PermissionsDefDescTooltip=The permissions provided by your module/application are defined into the array $this->rights into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), permissions are visible into the default permissions setup %s. -HooksDefDesc=Define in the module_parts['hooks'] property, in the module descriptor, the context of hooks you want to manage (list of contexts can be found by a search on 'initHooks(' in core code).
      Edit the hook file to add code of your hooked functions (hookable functions can be found by a search on 'executeHooks' in core code). -TriggerDefDesc=Define in the trigger file the code that you want to execute when a business event external to your module is executed (events triggered by other modules). -SeeIDsInUse=See IDs in use in your installation -SeeReservedIDsRangeHere=See range of reserved IDs -ToolkitForDevelopers=Toolkit for Dolibarr developers -TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the native module builder wizard.
      Enable the module %s and use the wizard by clicking the on the top right menu.
      Warning: This is an advanced developer feature, do not experiment on your production site! -SeeTopRightMenu=See on the top right menu -AddLanguageFile=Add language file -YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages") -DropTableIfEmpty=(Destroy table if empty) -TableDoesNotExists=The table %s does not exists -TableDropped=Table %s deleted -InitStructureFromExistingTable=Build the structure array string of an existing table -UseAboutPage=Do not generate the About page -UseDocFolder=Disable the documentation folder -UseSpecificReadme=Use a specific ReadMe -ContentOfREADMECustomized=Note: The content of the README.md file has been replaced with the specific value defined into setup of ModuleBuilder. -RealPathOfModule=Real path of module -ContentCantBeEmpty=Content of file can't be empty -WidgetDesc=You can generate and edit here the widgets that will be embedded with your module. -CSSDesc=You can generate and edit here a file with personalized CSS embedded with your module. -JSDesc=You can generate and edit here a file with personalized Javascript embedded with your module. -CLIDesc=You can generate here some command line scripts you want to provide with your module. -CLIFile=CLI File -NoCLIFile=No CLI files -UseSpecificEditorName = Use a specific editor name -UseSpecificEditorURL = Use a specific editor URL -UseSpecificFamily = Use a specific family -UseSpecificAuthor = Use a specific author -UseSpecificVersion = Use a specific initial version -IncludeRefGeneration=The reference of this object must be generated automatically by custom numbering rules -IncludeRefGenerationHelp=Check this if you want to include code to manage the generation of the reference automatically using custom numbering rules -IncludeDocGeneration=I want the feature to generate some documents (PDF, ODT) from templates for this object -IncludeDocGenerationHelp=If you check this, some code will be generated to add a "Generate document" box on the record. -ShowOnCombobox=Show value into combo boxes -KeyForTooltip=Key for tooltip -CSSClass=CSS for edit/create form -CSSViewClass=CSS for read form -CSSListClass=CSS for list -NotEditable=Not editable -ForeignKey=Foreign key -ForeignKeyDesc=If the value of this field must be guaranted to exists into another table. Enter here a value matching syntax: tablename.parentfieldtocheck -TypeOfFieldsHelp=Example:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1' means we add a + button after the combo to create the record
      'filter' is a sql condition, example: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' -TypeOfFieldsHelpIntro=This is the type of the field/attribute. -AsciiToHtmlConverter=Ascii to HTML converter -AsciiToPdfConverter=Ascii to PDF converter -TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. -ModuleBuilderNotAllowed=The module builder is available but not allowed to your user. -ImportExportProfiles=Import and export profiles -ValidateModBuilderDesc=Set this to 1 if you want to have the method $this->validateField() of object being called to validate the content of the field during insert or update. Set 0 if there is no validation required. -WarningDatabaseIsNotUpdated=Warning: The database is not updated automatically, you must destroy tables and disable-enable the module to have tables recreated -LinkToParentMenu=Parent menu (fk_xxxxmenu) -ListOfTabsEntries=List of tab entries -TabsDefDesc=Define here the tabs provided by your module -TabsDefDescTooltip=The tabs provided by your module/application are defined into the array $this->tabs into the module descriptor file. You can edit manually this file or use the embedded editor. -BadValueForType=Bad value for type %s -DefinePropertiesFromExistingTable=Define properties from an existing table -DefinePropertiesFromExistingTableDesc=If a table in the database (for the object to create) already exists, you can use it to define the properties of the object. -DefinePropertiesFromExistingTableDesc2=Keep empty if the table does not exist yet. The code generator will use different kinds of fields to build an example of table that you can edit later. -GeneratePermissions=I want to add the rights for this object -GeneratePermissionsHelp=generate default rights for this object -PermissionDeletedSuccesfuly=Permission has been successfully removed -PermissionUpdatedSuccesfuly=Permission has been successfully updated -PermissionAddedSuccesfuly=Permission has been successfully added -MenuDeletedSuccessfuly=Menu has been successfully deleted -MenuAddedSuccessfuly=Menu has been successfully added -MenuUpdatedSuccessfuly=Menu has been successfully updated -ApiObjectDeleted=API for object %s has been successfully deleted +IdModule= ID modulu +ModuleBuilderDesc=Tento nástroj môžu používať iba skúsení používatelia alebo vývojári. Poskytuje nástroje na zostavenie alebo úpravu vlastného modulu. Dokumentácia pre alternatívny manuálny vývoj je tu. +EnterNameOfModuleDesc=Zadajte názov modulu/aplikácie, ktorú chcete vytvoriť, bez medzier. Na oddelenie slov použite veľké písmená (napríklad: MyModule, EcommerceForShop, SyncWithMySystem...) +EnterNameOfObjectDesc=Zadajte názov objektu, ktorý chcete vytvoriť, bez medzier. Na oddelenie slov použite veľké písmená (Napríklad: MôjObjekt, Študent, Učiteľ...). Vygeneruje sa súbor triedy CRUD, stránky na vypísanie/pridanie/úpravu/odstránenie objektu a súbory SQL. +EnterNameOfDictionaryDesc=Zadajte názov slovníka, ktorý chcete vytvoriť, bez medzier. Na oddelenie slov použite veľké písmená (Napríklad: MyDico...). Vygeneruje sa súbor triedy, ale aj súbor SQL. +ModuleBuilderDesc2=Cesta, kde sa moduly generujú/upravujú (prvý adresár pre externé moduly definované v %s): %s +ModuleBuilderDesc3=Nájdené vygenerované/upraviteľné moduly: %s +ModuleBuilderDesc4=Modul je rozpoznaný ako „modul pre Module Builer“, keď je súbor %sb0a65fd09z1f existuje v koreňovom adresári modulu +NewModule=Nový modul +NewObjectInModulebuilder=Nový objekt +NewDictionary=Nový slovník +ModuleName=Názov modulu +ModuleKey=Kľúč modulu +ObjectKey=Kľúč objektu +DicKey=Kľúč slovníka +ModuleInitialized=Modul inicializovaný +FilesForObjectInitialized=Inicializované súbory pre nový objekt '%s' +FilesForObjectUpdated=Súbory pre objekt '%s' boli aktualizované (súbory .sql a súbor .class.php) +ModuleBuilderDescdescription=Tu zadajte všetky všeobecné informácie, ktoré popisujú váš modul. +ModuleBuilderDescspecifications=Tu môžete zadať podrobný popis špecifikácií vášho modulu, ktorý ešte nie je štruktúrovaný do iných kariet. Takže máte na dosah všetky pravidlá, ktoré je potrebné rozvíjať. Aj tento textový obsah bude zahrnutý do vygenerovanej dokumentácie (pozri poslednú záložku). Môžete použiť formát Markdown, ale odporúča sa použiť formát Asciidoc (porovnanie medzi .md a .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). +ModuleBuilderDescobjects=Tu definujte objekty, ktoré chcete spravovať pomocou vášho modulu. Vygeneruje sa trieda CRUD DAO, súbory SQL, stránka na zoznam záznamov objektov, na vytvorenie/úpravu/zobrazenie záznamu a API. +ModuleBuilderDescmenus=Táto karta je určená na definovanie položiek ponuky poskytovaných vaším modulom. +ModuleBuilderDescpermissions=Táto karta je určená na definovanie nových povolení, ktoré chcete poskytnúť svojmu modulu. +ModuleBuilderDesctriggers=Toto je zobrazenie spúšťačov, ktoré poskytuje váš modul. Ak chcete zahrnúť kód spustený pri spustení spustenej obchodnej udalosti, stačí upraviť tento súbor. +ModuleBuilderDeschooks=Táto karta je venovaná háčikom. +ModuleBuilderDescwidgets=Táto karta je určená na správu/vytváranie miniaplikácií. +ModuleBuilderDescbuildpackage=Tu môžete vygenerovať súbor balíka „pripravený na distribúciu“ (normalizovaný súbor .zip) vášho modulu a dokumentačný súbor „pripravený na distribúciu“. Kliknutím na tlačidlo vytvoríte balík alebo dokumentačný súbor. +EnterNameOfModuleToDeleteDesc=Modul môžete vymazať. UPOZORNENIE: Všetky kódovacie súbory modulu (vygenerované alebo vytvorené ručne) A štruktúrované dáta a dokumentácia budú vymazané! +EnterNameOfObjectToDeleteDesc=Môžete odstrániť objekt. UPOZORNENIE: Všetky kódovacie súbory (vygenerované alebo vytvorené ručne) súvisiace s objektom budú vymazané! +EnterNameOfObjectToDeleteDesc=Môžete odstrániť objekt. UPOZORNENIE: Všetky kódovacie súbory (vygenerované alebo vytvorené ručne) súvisiace s objektom budú vymazané! +DangerZone=Nebezpečná zóna +BuildPackage=Zostavte balík +BuildPackageDesc=Môžete si vygenerovať zip balík vašej aplikácie, takže ste pripravení ju distribuovať na ľubovoľnom serveri Dolibarr. Môžete ho tiež distribuovať alebo predávať na trhu ako DoliStore.com. +BuildDocumentation=Zostavte dokumentáciu +ModuleIsNotActive=Tento modul ešte nie je aktivovaný. Prejdite na stránku %s, aby ste to mohli spustiť, alebo kliknite sem +ModuleIsLive=Tento modul bol aktivovaný. Akákoľvek zmena môže prerušiť aktuálnu živú funkciu. +DescriptionLong=Dlhý popis +EditorName=Meno redaktora +EditorUrl=URL editora +DescriptorFile=Súbor deskriptorov modulu +ClassFile=Súbor pre triedu PHP DAO CRUD +ApiClassFile=API súbor modulu +PageForList=PHP stránka pre zoznam záznamov +PageForCreateEditView=PHP stránka na vytvorenie/úpravu/zobrazenie záznamu +PageForAgendaTab=Stránka PHP pre kartu udalosti +PageForDocumentTab=Stránka PHP pre kartu dokumentu +PageForNoteTab=Stránka PHP pre kartu poznámky +PageForContactTab=Stránka PHP pre kartu kontaktov +PathToModulePackage=Cesta k zipsu balíka modulu/aplikácie +PathToModuleDocumentation=Cesta k súboru dokumentácie modulu/aplikácie (%s) +SpaceOrSpecialCharAreNotAllowed=Medzery alebo špeciálne znaky nie sú povolené. +FileNotYetGenerated=Súbor ešte nebol vygenerovaný +GenerateCode=Vygenerujte kód +RegenerateClassAndSql=Vynútiť aktualizáciu súborov .class a .sql +RegenerateMissingFiles=Vygenerujte chýbajúce súbory +SpecificationFile=Súbor dokumentácie +LanguageFile=Súbor pre jazyk +ObjectProperties=Vlastnosti objektu +Property=Nehnuteľnosť +PropertyDesc=Vlastnosť je atribút, ktorý charakterizuje objekt. Tento atribút má kód, štítok a typ s niekoľkými možnosťami. +ConfirmDeleteProperty=Naozaj chcete odstrániť vlastnosť %s? Tým sa zmení kód v triede PHP, ale tiež sa odstráni stĺpec z definície objektu v tabuľke. +NotNull=Nie NULL +NotNullDesc=1=Nastaviť databázu na NOT NULL, 0=Povoliť hodnoty null, -1=Povoliť hodnoty null vynútením hodnoty NULL, ak je prázdna ('' alebo 0) +SearchAll=Používa sa na „vyhľadať všetko“ +DatabaseIndex=Index databázy +FileAlreadyExists=Súbor %s už existuje +TriggersFile=Súbor pre spúšťací kód +HooksFile=Súbor pre kód háčikov +ArrayOfKeyValues=Pole kľúč-val +ArrayOfKeyValuesDesc=Pole kľúčov a hodnôt, ak je pole kombinovaný zoznam s pevnými hodnotami +WidgetFile=Súbor miniaplikácie +CSSFile=CSS súbor +JSFile=súbor JavaScript +ReadmeFile=súbor Readme +ChangeLog=súbor ChangeLog +TestClassFile=Súbor pre triedu PHP Unit Test +SqlFile=Sql súbor +PageForLib=Súbor pre bežnú knižnicu PHP +PageForObjLib=Súbor pre knižnicu PHP venovanú objektu +SqlFileExtraFields=Sql súbor pre doplnkové atribúty +SqlFileKey=Sql súbor pre kľúče +SqlFileKeyExtraFields=Sql súbor pre kľúče doplnkových atribútov +AnObjectAlreadyExistWithThisNameAndDiffCase=Objekt už existuje s týmto názvom a odlišným prípadom +UseAsciiDocFormat=Môžete použiť formát Markdown, ale odporúča sa použiť formát Asciidoc (porovnanie medzi .md a .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) +IsAMeasure=Je meradlom +DirScanned=Adresár bol naskenovaný +NoTrigger=Žiadna spúšť +NoWidget=Žiadny widget +ApiExplorer=Prieskumník API +ListOfMenusEntries=Zoznam položiek ponuky +ListOfDictionariesEntries=Zoznam záznamov v slovníkoch +ListOfPermissionsDefined=Zoznam definovaných povolení +SeeExamples=Pozrite si príklady tu +EnabledDesc=Podmienka, aby bolo toto pole aktívne.

      Príklady:
      1 span class='notranslate'>
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=Je pole viditeľné? (Príklady: 0=nikdy viditeľné, 1=viditeľné vo formulároch na vytvorenie/aktualizáciu/zobrazenie, 2=viditeľné iba na zozname, 3=viditeľné iba vo formulári na vytvorenie/aktualizáciu/zobrazenie (nie na zoznamoch), 4=viditeľné na zoznamoch a aktualizovať/zobraziť iba formulár (nie vytvoriť), 5=Viditeľné iba vo formulári zoznamu a zobraziť (nie vytvoriť, neaktualizovať).

      Použitie zápornej hodnoty znamená, že pole sa v zozname predvolene nezobrazuje, ale možno ho vybrať na zobrazenie). +ItCanBeAnExpression=Môže to byť výraz. Príklad:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user ->hasRight('holiday', 'define_holiday')?1:5 +DisplayOnPdfDesc=Zobrazte toto pole v kompatibilných dokumentoch PDF, pozíciu môžete spravovať pomocou poľa „Pozícia“.
      Pre dokument:
      0 = nezobrazené
      1 = zobrazenie
      2 = zobraziť, iba ak nie je prázdne

      b0e7064b span>Pre riadky dokumentu:

      0 = nezobrazené
      = zobrazené v stĺpci
      3 = zobrazenie v stĺpci popisu riadka za popisom
      4 = zobrazenie v stĺpci popisu za popisom iba ak nie je prázdny +DisplayOnPdf=Na PDF +IsAMeasureDesc=Môže sa hodnota poľa kumulovať, aby sa do zoznamu dostal súčet? (Príklady: 1 alebo 0) +SearchAllDesc=Používa sa pole na vyhľadávanie pomocou nástroja rýchleho vyhľadávania? (Príklady: 1 alebo 0) +SpecDefDesc=Tu zadajte všetku dokumentáciu, ktorú chcete poskytnúť so svojím modulom a ktorá ešte nie je definovaná na iných kartách. Môžete použiť .md alebo lepšie, bohatú syntax .asciidoc. +LanguageDefDesc=Zadajte do týchto súborov všetky kľúče a preklad pre každý jazykový súbor. +MenusDefDesc=Tu definujte ponuky poskytované vaším modulom +DictionariesDefDesc=Tu definujte slovníky poskytované vaším modulom +PermissionsDefDesc=Tu definujte nové povolenia poskytované vaším modulom +MenusDefDescTooltip=Ponuky poskytované vaším modulom/aplikáciou sú definované v poli $this->menus v súbore deskriptora modulu. Tento súbor môžete upraviť ručne alebo použiť vstavaný editor.

      Poznámka: Po definovaní (a opätovnom aktivovaní modulu) , ponuky sú viditeľné aj v editore ponúk, ktorý je dostupný pre administrátorov na %s. +DictionariesDefDescTooltip=Slovníky poskytované vaším modulom/aplikáciou sú definované v poli $this->dictionaries v súbore deskriptora modulu. Tento súbor môžete upraviť manuálne alebo použiť vstavaný editor.

      Poznámka: Po definovaní (a opätovnom aktivovaní modulu), slovníky sú tiež viditeľné v oblasti nastavenia pre používateľov správcu na %s. +PermissionsDefDescTooltip=Povolenia poskytované vaším modulom/aplikáciou sú definované v poli $this->rights v súbore deskriptora modulu. Tento súbor môžete upraviť manuálne alebo použiť vstavaný editor.

      Poznámka: Po definovaní (a opätovnom aktivovaní modulu), povolenia sú viditeľné v predvolenom nastavení povolení %s. +HooksDefDesc=Definujte vo vlastnosti module_parts['hooks'], v súbore deskriptora modulu, zoznam kontextov, keď je váš háčik musí byť vykonaný (zoznam možných kontextov možno nájsť vyhľadávaním na 'initHooks(' v základnom kóde) .
      Potom upravte súbor s hákovým kódom s kódom vašich háčkovaných funkcií (zoznam háčkovaných funkcií nájdete pri vyhľadávaní na ' executeHooks' v základnom kóde). +TriggerDefDesc=V spúšťacom súbore definujte kód, ktorý chcete spustiť, keď sa vykoná obchodná udalosť mimo vášho modulu (udalosti spustené inými modulmi). +SeeIDsInUse=Pozrite si ID používané vo vašej inštalácii +SeeReservedIDsRangeHere=Pozrite si rozsah rezervovaných ID +ToolkitForDevelopers=Sada nástrojov pre vývojárov Dolibarr +TryToUseTheModuleBuilder=Ak ovládate SQL a PHP, môžete použiť sprievodcu vytváraním natívnych modulov.
      Povoliť modul %s a použite sprievodcu kliknutím na
      v ponuke vpravo hore.
      Upozornenie: Toto je pokročilá funkcia pre vývojárov, vykonajte span class='notranslate'>
      experimentujte na svojej produkčnej stránke! +SeeTopRightMenu=Pozrite si v ponuke vpravo hore +AddLanguageFile=Pridať jazykový súbor +YouCanUseTranslationKey=Tu môžete použiť kľúč, ktorý je prekladovým kľúčom nájdeným do jazykového súboru (pozri záložku „Jazyky“) +DropTableIfEmpty=(Zničiť tabuľku, ak je prázdna) +TableDoesNotExists=Tabuľka %s neexistuje +TableDropped=Tabuľka %s bola odstránená +InitStructureFromExistingTable=Vytvorte reťazec poľa štruktúry existujúcej tabuľky +UseAboutPage=Negenerujte stránku Informácie +UseDocFolder=Vypnite priečinok s dokumentáciou +UseSpecificReadme=Použite špecifický súbor ReadMe +ContentOfREADMECustomized=Poznámka: Obsah súboru README.md bol nahradený špecifickou hodnotou definovanou v nastavení ModuleBuilder. +RealPathOfModule=Skutočná cesta modulu +ContentCantBeEmpty=Obsah súboru nemôže byť prázdny +WidgetDesc=Tu môžete generovať a upravovať widgety, ktoré budú vložené do vášho modulu. +CSSDesc=Tu môžete generovať a upravovať súbor s prispôsobeným CSS vloženým do vášho modulu. +JSDesc=Tu môžete vygenerovať a upraviť súbor s prispôsobeným JavaScriptom vloženým do vášho modulu. +CLIDesc=Tu môžete vygenerovať niektoré skripty príkazového riadku, ktoré chcete poskytnúť so svojím modulom. +CLIFile=Súbor CLI +NoCLIFile=Žiadne súbory CLI +UseSpecificEditorName = Použite špecifický názov editora +UseSpecificEditorURL = Použite konkrétnu adresu URL editora +UseSpecificFamily = Použite konkrétnu rodinu +UseSpecificAuthor = Použite konkrétneho autora +UseSpecificVersion = Použite konkrétnu počiatočnú verziu +IncludeRefGeneration=Odkaz na tento objekt musí byť generovaný automaticky podľa vlastných pravidiel číslovania +IncludeRefGenerationHelp=Toto začiarknite, ak chcete zahrnúť kód na automatické riadenie generovania referencie pomocou vlastných pravidiel číslovania +IncludeDocGeneration=Chcem, aby funkcia generovala nejaké dokumenty (PDF, ODT) zo šablón pre tento objekt +IncludeDocGenerationHelp=Ak toto začiarknete, vygeneruje sa nejaký kód na pridanie poľa „Generovať dokument“ do záznamu. +ShowOnCombobox=Zobraziť hodnotu v rozbaľovacích poliach +KeyForTooltip=Kľúč pre popis +CSSClass=CSS na úpravu/vytvorenie formulára +CSSViewClass=CSS na čítanie formulára +CSSListClass=CSS pre zoznam +NotEditable=Nedá sa upravovať +ForeignKey=Cudzí kľúč +ForeignKeyDesc=Ak hodnota tohto poľa musí byť zaručená, že existuje do inej tabuľky. Tu zadajte syntax zodpovedajúcej hodnote: tablename.parentfieldtocheck +TypeOfFieldsHelp=Príklad:
      varchar(99)
      e-mail
      classtelefón< ='notranslate'>
      ip
      url
      heslo'notranslate
      integer
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]b0392f /span>
      '1' znamená, že za kombináciu pridáme tlačidlo + na vytvorenie záznamu
      'filter' je Podmienka syntaxe univerzálneho filtra, príklad: '((stav:=:1) AND (fk_user:=:__USER_ID__) AND (entita:IN:(__SHARED_ENTITIES__))“ +TypeOfFieldsHelpIntro=Toto je typ poľa/atribútu. +AsciiToHtmlConverter=Konvertor z ascii do HTML +AsciiToPdfConverter=Konvertor z ascii do formátu PDF +TableNotEmptyDropCanceled=Tabuľka nie je prázdna. Drop bol zrušený. +ModuleBuilderNotAllowed=Tvorca modulov je dostupný, ale nie je povolený pre vášho používateľa. +ImportExportProfiles=Import a export profilov +ValidateModBuilderDesc=Nastavte toto na 1, ak chcete, aby sa metóda $this->validateField() objektu volala na overenie obsahu poľa počas vkladania alebo aktualizácie. Ak sa nevyžaduje overenie, nastavte 0. +WarningDatabaseIsNotUpdated=Upozornenie: Databáza sa neaktualizuje automaticky, musíte zničiť tabuľky a vypnúť-povoliť modul, aby bolo možné tabuľky znovu vytvoriť +LinkToParentMenu=Rodičovská ponuka (fk_xxxxmenu) +ListOfTabsEntries=Zoznam položiek karty +TabsDefDesc=Tu definujte karty poskytované vaším modulom +TabsDefDescTooltip=Karty poskytované vaším modulom/aplikáciou sú definované v poli $this->tabs v súbore deskriptora modulu. Tento súbor môžete upraviť manuálne alebo použiť vstavaný editor. +BadValueForType=Zlá hodnota pre typ %s +DefinePropertiesFromExistingTable=Definujte polia/vlastnosti z existujúcej tabuľky +DefinePropertiesFromExistingTableDesc=Ak tabuľka v databáze (na vytvorenie objektu) už existuje, môžete ju použiť na definovanie vlastností objektu. +DefinePropertiesFromExistingTableDesc2=Ponechajte prázdne, ak tabuľka ešte neexistuje. Generátor kódu použije rôzne druhy polí na vytvorenie príkladu tabuľky, ktorú môžete neskôr upraviť. +GeneratePermissions=Chcem spravovať povolenia pre tento objekt +GeneratePermissionsHelp=Ak toto začiarknete, pridá sa nejaký kód na spravovanie povolení na čítanie, zápis a mazanie záznamov objektov +PermissionDeletedSuccesfuly=Povolenie bolo úspešne odstránené +PermissionUpdatedSuccesfuly=Povolenie bolo úspešne aktualizované +PermissionAddedSuccesfuly=Povolenie bolo úspešne pridané +MenuDeletedSuccessfuly=Menu bolo úspešne vymazané +MenuAddedSuccessfuly=Menu bolo úspešne pridané +MenuUpdatedSuccessfuly=Menu bolo úspešne aktualizované +ApiObjectDeleted=Rozhranie API pre objekt %s bolo úspešne odstránené CRUDRead=Čítať -CRUDCreateWrite=Create or Update -FailedToAddCodeIntoDescriptor=Failed to add code into descriptor. Check that the string comment "%s" is still present into the file. +CRUDCreateWrite=Vytvoriť alebo aktualizovať +FailedToAddCodeIntoDescriptor=Nepodarilo sa pridať kód do deskriptora. Skontrolujte, či je v súbore stále prítomný reťazcový komentár "%s". +DictionariesCreated=Slovník %s bol úspešne vytvorený +DictionaryDeleted=Slovník %s bol úspešne odstránený +PropertyModuleUpdated=Vlastníctvo %s bolo úspešne aktualizované +InfoForApiFile=* Keď vygenerujete súbor prvýkrát, všetky metódy sa vytvoria pre každý objekt.
      * Keď kliknete na remove, odstránite iba všetky metódy pre túto triedu ='notranslate'>
      vybratý objekt. +SetupFile=Stránka pre nastavenie modulu +EmailingSelectors=Selektory e-mailov +EmailingSelectorDesc=Tu môžete generovať a upravovať súbory triedy, aby ste poskytli nové selektory cieľov e-mailu pre modul hromadného odosielania e-mailov +EmailingSelectorFile=Súbor na výber e-mailov +NoEmailingSelector=Žiadny súbor na výber e-mailov diff --git a/htdocs/langs/sk_SK/mrp.lang b/htdocs/langs/sk_SK/mrp.lang index 5fba4aaa7ba..1c65e793b68 100644 --- a/htdocs/langs/sk_SK/mrp.lang +++ b/htdocs/langs/sk_SK/mrp.lang @@ -1,109 +1,139 @@ -Mrp=Manufacturing Orders -MOs=Manufacturing orders -ManufacturingOrder=Manufacturing Order -MRPDescription=Module to manage production and Manufacturing Orders (MO). -MRPArea=MRP Area -MrpSetupPage=Setup of module MRP -MenuBOM=Bills of material -LatestBOMModified=Latest %s Bills of materials modified -LatestMOModified=Latest %s Manufacturing Orders modified -Bom=Bills of Material -BillOfMaterials=Bill of Materials -BillOfMaterialsLines=Bill of Materials lines -BOMsSetup=Setup of module BOM -ListOfBOMs=List of bills of material - BOM -ListOfManufacturingOrders=List of Manufacturing Orders -NewBOM=New bill of materials -ProductBOMHelp=Product to create (or disassemble) with this BOM.
      Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list. -BOMsNumberingModules=BOM numbering templates -BOMsModelModule=BOM document templates -MOsNumberingModules=MO numbering templates -MOsModelModule=MO document templates -FreeLegalTextOnBOMs=Free text on document of BOM -WatermarkOnDraftBOMs=Watermark on draft BOM -FreeLegalTextOnMOs=Free text on document of MO -WatermarkOnDraftMOs=Watermark on draft MO -ConfirmCloneBillOfMaterials=Are you sure you want to clone the bill of materials %s ? -ConfirmCloneMo=Are you sure you want to clone the Manufacturing Order %s ? -ManufacturingEfficiency=Manufacturing efficiency -ConsumptionEfficiency=Consumption efficiency -ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the manufacturing or the disassembly -ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product -DeleteBillOfMaterials=Delete Bill Of Materials -DeleteMo=Delete Manufacturing Order -ConfirmDeleteBillOfMaterials=Are you sure you want to delete this Bill Of Materials? -ConfirmDeleteMo=Are you sure you want to delete this Manufacturing Order? -MenuMRP=Manufacturing Orders -NewMO=New Manufacturing Order -QtyToProduce=Qty to produce -DateStartPlannedMo=Date start planned -DateEndPlannedMo=Date end planned -KeepEmptyForAsap=Empty means 'As Soon As Possible' -EstimatedDuration=Estimated duration -EstimatedDurationDesc=Estimated duration to manufacture (or disassemble) this product using this BOM -ConfirmValidateBom=Are you sure you want to validate the BOM with the reference %s (you will be able to use it to build new Manufacturing Orders) -ConfirmCloseBom=Are you sure you want to cancel this BOM (you won't be able to use it to build new Manufacturing Orders anymore) ? -ConfirmReopenBom=Are you sure you want to re-open this BOM (you will be able to use it to build new Manufacturing Orders) -StatusMOProduced=Produced -QtyFrozen=Frozen Qty -QuantityFrozen=Frozen Quantity -QuantityConsumedInvariable=When this flag is set, the quantity consumed is always the value defined and is not relative to the quantity produced. -DisableStockChange=Stock change disabled -DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed -BomAndBomLines=Bills Of Material and lines -BOMLine=Line of BOM -WarehouseForProduction=Warehouse for production -CreateMO=Create MO -ToConsume=To consume -ToProduce=To produce -ToObtain=To obtain -QtyAlreadyConsumed=Qty already consumed -QtyAlreadyProduced=Qty already produced -QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) -ConsumeOrProduce=Consume or Produce -ConsumeAndProduceAll=Consume and Produce All -Manufactured=Manufactured -TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf=For a quantity to produce of %s -ForAQuantityToConsumeOf=For a quantity to disassemble of %s -ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? -ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRef=Production of %s -AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached -NoStockChangeOnServices=No stock change on services -ProductQtyToConsumeByMO=Product quantity still to consume by open MO -ProductQtyToProduceByMO=Product quantity still to produce by open MO -AddNewConsumeLines=Add new line to consume -AddNewProduceLines=Add new line to produce -ProductsToConsume=Products to consume -ProductsToProduce=Products to produce -UnitCost=Unit cost -TotalCost=Total cost -BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) -GoOnTabProductionToProduceFirst=You must first have started the production to close a Manufacturing Order (See tab '%s'). But you can Cancel it. -ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO -Workstation=Workstation -Workstations=Workstations -WorkstationsDescription=Workstations management -WorkstationSetup = Workstations setup -WorkstationSetupPage = Workstations setup page -WorkstationList=Workstation list -WorkstationCreate=Add new workstation -ConfirmEnableWorkstation=Are you sure you want to enable workstation %s ? -EnableAWorkstation=Enable a workstation -ConfirmDisableWorkstation=Are you sure you want to disable workstation %s ? -DisableAWorkstation=Disable a workstation +Mrp=Výrobné zákazky +MOs=Výrobné zákazky +ManufacturingOrder=Výrobná objednávka +MRPDescription=Modul na riadenie výrobných a výrobných zákaziek (MO). +MRPArea=Oblasť MRP +MrpSetupPage=Nastavenie modulu MRP +MenuBOM=Kusovníky materiálu +LatestBOMModified=Najnovšie %s upravené kusovníky +LatestMOModified=Upravené najnovšie výrobné objednávky %s +Bom=Kusovníky +BillOfMaterials=Kusovník +BillOfMaterialsLines=Riadky kusovníka +BOMsSetup=Nastavenie kusovníka modulu +ListOfBOMs=Kusovníky - kusovník +ListOfManufacturingOrders=Výrobné zákazky +NewBOM=Nový kusovník +ProductBOMHelp=Produkt na vytvorenie (alebo rozobratie) s týmto kusovníkom.
      Poznámka: Produkty s vlastnosťou 'Povaha produktu' = 'Surovina' nie sú v tomto zozname viditeľné. +BOMsNumberingModules=Šablóny číslovania kusovníkov +BOMsModelModule=Šablóny dokumentov kusovníka +MOsNumberingModules=Šablóny číslovania MO +MOsModelModule=Šablóny dokumentov MO +FreeLegalTextOnBOMs=Voľný text na dokumente kusovníka +WatermarkOnDraftBOMs=Vodoznak na návrhu kusovníka +FreeLegalTextOnMOs=Voľný text na dokumente MO +WatermarkOnDraftMOs=Vodoznak na návrhu MO +ConfirmCloneBillOfMaterials=Naozaj chcete naklonovať kusovník %s? +ConfirmCloneMo=Naozaj chcete klonovať výrobnú objednávku %s? +ManufacturingEfficiency=Efektívnosť výroby +ConsumptionEfficiency=Efektívnosť spotreby +Consumption=Spotreba +ValueOfMeansLoss=Hodnota 0,95 znamená priemernú stratu 5%% počas výroby alebo demontáže +ValueOfMeansLossForProductProduced=Hodnota 0,95 znamená v priemere 5%% straty vyrobeného produktu +DeleteBillOfMaterials=Odstrániť kusovník +CancelMo=Zrušiť výrobnú objednávku +MoCancelConsumedAndProducedLines=Zrušiť aj všetky spotrebované a vyrobené riadky (vymazať riadky a vrátiť zásoby) +ConfirmCancelMo=Naozaj chcete zrušiť túto výrobnú objednávku? +DeleteMo=Odstrániť výrobnú objednávku +ConfirmDeleteBillOfMaterials=Naozaj chcete odstrániť tento zoznam materiálov? +ConfirmDeleteMo=Naozaj chcete vymazať túto výrobnú objednávku? +DeleteMoChild = Odstrániť podriadené MO prepojené s týmto MO %s +MoChildsDeleted = Všetky detské MO boli odstránené +MenuMRP=Výrobné zákazky +NewMO=Nová výrobná zákazka +QtyToProduce=Množstvo na výrobu +DateStartPlannedMo=Dátum plánovaného začiatku +DateEndPlannedMo=Plánovaný dátum ukončenia +KeepEmptyForAsap=Prázdne znamená „Akonáhle to bude možné“ +EstimatedDuration=Odhadované trvanie +EstimatedDurationDesc=Odhadované trvanie výroby (alebo demontáže) tohto produktu pomocou tohto kusovníka +ConfirmValidateBom=Naozaj chcete overiť kusovník pomocou odkazu %s > (budete ho môcť použiť na vytváranie nových výrobných objednávok) +ConfirmCloseBom=Ste si istý, že chcete zrušiť tento kusovník (už ho nebudete môcť použiť na vytváranie nových výrobných objednávok)? +ConfirmReopenBom=Ste si istý, že chcete znovu otvoriť tento kusovník (budete ho môcť použiť na vytvorenie nových výrobných objednávok) +StatusMOProduced=Vyrobené +QtyFrozen=Mrazené množstvo +QuantityFrozen=Mrazené množstvo +QuantityConsumedInvariable=Keď je nastavený tento príznak, spotrebované množstvo je vždy definovaná hodnota a nie je relatívna k vyrobenému množstvu. +DisableStockChange=Zmena akcií je zakázaná +DisableStockChangeHelp=Keď je nastavený tento príznak, nedochádza k žiadnej zmene zásob tohto produktu, bez ohľadu na spotrebované množstvo +BomAndBomLines=Kusovníky a linky +BOMLine=Riadok kusovníka +WarehouseForProduction=Sklad pre výrobu +CreateMO=Vytvoriť MO +ToConsume=Konzumovať +ToProduce=Na výrobu +ToObtain=Získať +QtyAlreadyConsumed=Množstvo už spotrebované +QtyAlreadyProduced=Už vyrobené množstvo +QtyAlreadyConsumedShort=Spotrebované množstvo +QtyAlreadyProducedShort=Vyrobené množstvo +QtyRequiredIfNoLoss=Množstvo potrebné na výrobu množstva definovaného v kusovníku, ak nedôjde k strate (ak je efektívnosť výroby 100%%) +ConsumeOrProduce=Spotrebujte alebo vyrobte +ConsumeAndProduceAll=Spotrebujte a vyrobte všetko +Manufactured=Vyrobené +TheProductXIsAlreadyTheProductToProduce=Produkt, ktorý sa má pridať, je už produktom, ktorý sa má vyrobiť. +ForAQuantityOf=Pre množstvo na výrobu %s +ForAQuantityToConsumeOf=Pre množstvo na rozobratie %s +ConfirmValidateMo=Ste si istý, že chcete potvrdiť túto výrobnú objednávku? +ConfirmProductionDesc=Kliknutím na '%s' potvrdíte spotrebu a/alebo výrobu pre nastavené množstvá. Tým sa zároveň aktualizujú zásoby a evidujú pohyby zásob. +ProductionForRef=Výroba %s +CancelProductionForRef=Zrušenie zníženia zásob produktu pre produkt %s +TooltipDeleteAndRevertStockMovement=Odstrániť riadok a vrátiť pohyb zásob +AutoCloseMO=Automaticky zatvorte výrobnú zákazku, ak sa dosiahnu množstvá na spotrebu a výrobu +NoStockChangeOnServices=Žiadna zmena zásob v službách +ProductQtyToConsumeByMO=Množstvo produktu, ktoré treba ešte spotrebovať do otvorenej MO +ProductQtyToProduceByMO=Množstvo produktu, ktoré sa ešte vyrába do otvorenej MO +AddNewConsumeLines=Pridajte nový riadok na konzumáciu +AddNewProduceLines=Pridajte nový riadok na výrobu +ProductsToConsume=Produkty na konzumáciu +ProductsToProduce=Produkty na výrobu +UnitCost=Jednotkové náklady +TotalCost=Celkové náklady +BOMTotalCost=Náklady na výrobu tohto kusovníka založené na nákladoch na každé množstvo a výrobok na spotrebu (použite nákladovú cenu, ak je definovaná, inak priemernú váženú cenu, ak je definovaná, inak najlepšiu nákupnú cenu) +BOMTotalCostService=Ak je aktivovaný modul "Pracovná stanica" a na linke je štandardne definovaná pracovná stanica, potom je výpočet "množstvo (prepočítané na hodiny) x pracovisko ahr", inak "množstvo x nákladová cena služby" +GoOnTabProductionToProduceFirst=Aby ste mohli uzavrieť výrobnú objednávku, musíte najskôr spustiť výrobu (pozrite si kartu '%s'). Ale môžete to zrušiť. +ErrorAVirtualProductCantBeUsedIntoABomOrMo=Súpravu nemožno použiť na kusovník alebo MO +Workstation=Pracovná stanica +Workstations=Pracovné stanice +WorkstationsDescription=Správa pracovných staníc +WorkstationSetup = Nastavenie pracovných staníc +WorkstationSetupPage = Stránka nastavenia pracovných staníc +WorkstationList=Zoznam pracovných staníc +WorkstationCreate=Pridať novú pracovnú stanicu +ConfirmEnableWorkstation=Naozaj chcete povoliť pracovnú stanicu %s ? +EnableAWorkstation=Povoliť pracovnú stanicu +ConfirmDisableWorkstation=Naozaj chcete zakázať pracovnú stanicu %s ? +DisableAWorkstation=Zakázať pracovnú stanicu DeleteWorkstation=Odstrániť -NbOperatorsRequired=Number of operators required -THMOperatorEstimated=Estimated operator THM -THMMachineEstimated=Estimated machine THM -WorkstationType=Workstation type -Human=Human -Machine=Machine -HumanMachine=Human / Machine -WorkstationArea=Workstation area -Machines=Machines -THMEstimatedHelp=This rate makes it possible to define a forecast cost of the item -BOM=Bill Of Materials -CollapseBOMHelp=You can define the default display of the details of the nomenclature in the configuration of the BOM module -MOAndLines=Manufacturing Orders and lines +NbOperatorsRequired=Požadovaný počet operátorov +THMOperatorEstimated=Odhadovaný operátor THM +THMMachineEstimated=Odhadovaný stroj THM +WorkstationType=Typ pracovnej stanice +DefaultWorkstation=Predvolená pracovná stanica +Human=Ľudské +Machine=Stroj +HumanMachine=Človek / stroj +WorkstationArea=Oblasť pracovnej stanice +Machines=Stroje +THMEstimatedHelp=Táto sadzba umožňuje definovať predpokladané náklady na položku +BOM=kusovník +CollapseBOMHelp=Predvolené zobrazenie detailov nomenklatúry môžete definovať v konfigurácii modulu kusovníka +MOAndLines=Výrobné objednávky a linky +MoChildGenerate=Generovať dieťa Mo +ParentMo=MO rodič +MOChild=MO Dieťa +BomCantAddChildBom=Nomenklatúra %s sa už nachádza v strome vedúcom k nomenklatúre %s +BOMNetNeeds = Čisté potreby kusovníka +BOMProductsList=produkty BOM +BOMServicesList=služby BOM +Manufacturing=Výroba +Disassemble=Demontovať +ProducedBy=Produkovaný +QtyTot=Množstvo Celkom + +QtyCantBeSplit= Množstvo nie je možné rozdeliť +NoRemainQtyToDispatch=Nezostáva žiadne množstvo na rozdelenie + +THMOperatorEstimatedHelp=Odhadované náklady operátora na hodinu. Použije sa na odhad nákladov na kusovník pomocou tejto pracovnej stanice. +THMMachineEstimatedHelp=Odhadovaná cena stroja za hodinu. Použije sa na odhad nákladov na kusovník pomocou tejto pracovnej stanice. + diff --git a/htdocs/langs/sk_SK/oauth.lang b/htdocs/langs/sk_SK/oauth.lang index 075ff49a895..b2c525a6646 100644 --- a/htdocs/langs/sk_SK/oauth.lang +++ b/htdocs/langs/sk_SK/oauth.lang @@ -1,32 +1,42 @@ # Dolibarr language file - Source file is en_US - oauth -ConfigOAuth=OAuth Configuration -OAuthServices=OAuth Services -ManualTokenGeneration=Manual token generation -TokenManager=Token Manager -IsTokenGenerated=Is token generated ? -NoAccessToken=No access token saved into local database -HasAccessToken=A token was generated and saved into local database -NewTokenStored=Token received and saved -ToCheckDeleteTokenOnProvider=Click here to check/delete authorization saved by %s OAuth provider -TokenDeleted=Token deleted -RequestAccess=Click here to request/renew access and receive a new token to save -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider: -ListOfSupportedOauthProviders=Enter the credentials provided by your OAuth2 provider. Only supported OAuth2 providers are listedd here. These services may be used by other modules that need OAuth2 authentication. -OAuthSetupForLogin=Page to generate an OAuth token -SeePreviousTab=See previous tab -OAuthIDSecret=OAuth ID and Secret -TOKEN_REFRESH=Token Refresh Present -TOKEN_EXPIRED=Token expired -TOKEN_EXPIRE_AT=Token expire at -TOKEN_DELETE=Delete saved token -OAUTH_GOOGLE_NAME=OAuth Google service -OAUTH_GOOGLE_ID=OAuth Google Id +ConfigOAuth=Konfigurácia OAuth +OAuthServices=Služby OAuth +ManualTokenGeneration=Manuálne generovanie tokenov +TokenManager=Správca tokenov +IsTokenGenerated=Vygeneruje sa token? +NoAccessToken=V lokálnej databáze nie je uložený žiadny prístupový token +HasAccessToken=Bol vygenerovaný token a uložený do lokálnej databázy +NewTokenStored=Token bol prijatý a uložený +ToCheckDeleteTokenOnProvider=Kliknutím sem skontrolujete/odstránite autorizáciu uloženú %s poskytovateľom OAuth +TokenDeleted=Token bol odstránený +GetAccess=Kliknutím sem získate token +RequestAccess=Kliknite sem, ak chcete požiadať/obnoviť prístup a získať nový token +DeleteAccess=Kliknutím sem odstránite token +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider +ListOfSupportedOauthProviders=Pridajte svojich poskytovateľov tokenov OAuth2. Potom prejdite na stránku správcu poskytovateľa OAuth a vytvorte/získajte ID a tajný kľúč OAuth a uložte ich tu. Po dokončení prepnite na druhú kartu a vygenerujte svoj token. +OAuthSetupForLogin=Stránka na správu (generovanie/odstránenie) tokenov OAuth +SeePreviousTab=Pozrite si predchádzajúcu kartu +OAuthProvider=Poskytovateľ OAuth +OAuthIDSecret=ID a tajný kód OAuth +TOKEN_REFRESH=Prítomnosť obnovenia tokenu +TOKEN_EXPIRED=Platnosť tokenu vypršala +TOKEN_EXPIRE_AT=Platnosť tokenu vyprší o +TOKEN_DELETE=Odstrániť uložený token +OAUTH_GOOGLE_NAME=Služba Google OAuth +OAUTH_GOOGLE_ID=ID Google OAuth OAUTH_GOOGLE_SECRET=OAuth Google Secret -OAUTH_GOOGLE_DESC=Go to this page then "Credentials" to create OAuth credentials -OAUTH_GITHUB_NAME=OAuth GitHub service -OAUTH_GITHUB_ID=OAuth GitHub Id -OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_GITHUB_DESC=Go to this page then "Register a new application" to create OAuth credentials +OAUTH_GITHUB_NAME=Služba OAuth GitHub +OAUTH_GITHUB_ID=Id OAuth GitHub +OAUTH_GITHUB_SECRET=Tajomstvo OAuth GitHub +OAUTH_URL_FOR_CREDENTIAL=Prejdite na túto stránku
      . NumberOfStickers=Počet nálepiek na jednu stranu PrintsheetForOneBarCode=Tlačiť viac nálepiek pre jeden čiarový kód BuildPageToPrint=Generovať stranu pre tlač FillBarCodeTypeAndValueManually=Vyplniť typ kódu a hodnotu manuálne FillBarCodeTypeAndValueFromProduct=Vyplniť typ kódu a hodnotu z čiarového kódu produktu -FillBarCodeTypeAndValueFromThirdParty=Fill barcode type and value from barcode of a third party. -DefinitionOfBarCodeForProductNotComplete=Definition of type or value of barcode not complete for product %s. -DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of barcode non complete for third party %s. -BarCodeDataForProduct=Barcode information of product %s: -BarCodeDataForThirdparty=Barcode information of third party %s: -ResetBarcodeForAllRecords=Define barcode value for all record (this will also reset barcode value already defined with new values) +FillBarCodeTypeAndValueFromThirdParty=Vyplňte typ a hodnotu čiarového kódu z čiarového kódu tretej strany. +DefinitionOfBarCodeForProductNotComplete=Definícia typu alebo hodnoty čiarového kódu nie je úplná pre produkt %s. +DefinitionOfBarCodeForThirdpartyNotComplete=Definícia typu alebo hodnoty čiarového kódu nie je úplná pre tretiu stranu %s. +BarCodeDataForProduct=Informácie o čiarovom kóde produktu %s: +BarCodeDataForThirdparty=Informácie o čiarovom kóde tretej strany %s: +ResetBarcodeForAllRecords=Definujte hodnotu čiarového kódu pre všetky záznamy (týmto tiež vynulujete už definovanú hodnotu čiarového kódu s novými hodnotami) PriceByCustomer=Rozdielné ceny pre každého zákazníka PriceCatalogue=Rovnaká predajná cena pre produkt/službu -PricingRule=Rules for selling prices +PricingRule=Pravidlá pre predajné ceny AddCustomerPrice=Pridať cenu podľa zákazníka -ForceUpdateChildPriceSoc=Set same price on customer's subsidiaries +ForceUpdateChildPriceSoc=Nastavte rovnakú cenu na dcérske spoločnosti zákazníka PriceByCustomerLog=Vypis historických cien zákazníka MinimumPriceLimit=Minimálna cena nemôže byť nižšia ako %s -MinimumRecommendedPrice=Minimum recommended price is: %s +MinimumRecommendedPrice=Minimálna odporúčaná cena je: %s PriceExpressionEditor=Editor cenových výrazov PriceExpressionSelected=Výraz zvolenej ceny PriceExpressionEditorHelp1="cena = 2 + 2" alebo "2 + 2" pre nastavenie ceny. Použite ; pre oddelenie výrazov PriceExpressionEditorHelp2=Môžete použiť extra polia použitím premennej ako:\n#extrafield_myextrafieldkey# a globálnej premennej #global_mycode# -PriceExpressionEditorHelp3=In both product/service and vendor prices there are these variables available:
      #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# -PriceExpressionEditorHelp4=In product/service price only: #supplier_min_price#
      In vendor prices only: #supplier_quantity# and #supplier_tva_tx# +PriceExpressionEditorHelp3=V cenách produktov/služieb aj cien dodávateľov sú k dispozícii tieto premenné:
      #tva_tx# #localtax1_tx# #localtax2_tx# hmotnosť# #length# #surface# #price_min# +PriceExpressionEditorHelp4=Len v cene produktu/služby: #supplier_min_price#b0342bzccfda19> len predajné ceny: #supplier_quantity# a #supplier_tva_tx# PriceExpressionEditorHelp5=Dostupné globálne hodnoty PriceMode=Cenový mód PriceNumeric=Počet DefaultPrice=Základná cena -DefaultPriceLog=Log of previous default prices +DefaultPriceLog=Protokol predchádzajúcich predvolených cien ComposedProductIncDecStock=Pridať/Odobrať pri zmene rodičovského -ComposedProduct=Child products +ComposedProduct=Výrobky pre deti MinSupplierPrice=Minimálna nákupná cena -MinCustomerPrice=Minimum selling price -NoDynamicPrice=No dynamic price +MinCustomerPrice=Minimálna predajná cena +NoDynamicPrice=Žiadna dynamická cena DynamicPriceConfiguration=Nastavenie dynamickej ceny -DynamicPriceDesc=You may define mathematical formulae to calculate Customer or Vendor prices. Such formulas can use all mathematical operators, some constants and variables. You can define here the variables you wish to use. If the variable needs an automatic update, you may define the external URL to allow Dolibarr to update the value automatically. +DynamicPriceDesc=Môžete definovať matematické vzorce na výpočet zákazníckych alebo dodávateľských cien. Takéto vzorce môžu používať všetky matematické operátory, niektoré konštanty a premenné. Tu môžete definovať premenné, ktoré chcete použiť. Ak premenná potrebuje automatickú aktualizáciu, môžete definovať externú adresu URL, aby Dolibarr mohol automaticky aktualizovať hodnotu. AddVariable=Pridať premennú AddUpdater=Pridať aktualizátor GlobalVariables=Globálna premenná VariableToUpdate=Premenná pre úpravu -GlobalVariableUpdaters=External updaters for variables -GlobalVariableUpdaterType0=JSON data -GlobalVariableUpdaterHelp0=Parses JSON data from specified URL, VALUE specifies the location of relevant value, -GlobalVariableUpdaterHelpFormat0=Format for request {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"} -GlobalVariableUpdaterType1=WebService data -GlobalVariableUpdaterHelp1=Parses WebService data from specified URL, NS specifies the namespace, VALUE specifies the location of relevant value, DATA should contain the data to send and METHOD is the calling WS method -GlobalVariableUpdaterHelpFormat1=Format for request is {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD": "myWSMethod", "DATA": {"your": "data", "to": "send"}} +GlobalVariableUpdaters=Externé nástroje na aktualizáciu premenných +GlobalVariableUpdaterType0=Údaje JSON +GlobalVariableUpdaterHelp0=Analyzuje údaje JSON zo zadanej adresy URL, VALUE určuje umiestnenie relevantnej hodnoty, +GlobalVariableUpdaterHelpFormat0=Formát žiadosti {"URL": "http://example.com/urlofjson", "VALUE": "pole1,pole2,cieľová hodnota"} +GlobalVariableUpdaterType1=Údaje WebService +GlobalVariableUpdaterHelp1=Analyzuje údaje WebService zo zadanej adresy URL, NS určuje priestor názvov, VALUE určuje umiestnenie relevantnej hodnoty, DATA by mali obsahovať údaje na odoslanie a METHOD je volajúca metóda WS +GlobalVariableUpdaterHelpFormat1=Formát žiadosti je {"URL": "http://example.com/urlofws", "VALUE": "array,cieľová hodnota", "NS": "http://example.com/urlofns", "METHOD" : "myWSMethod", "DATA": {"your": "data", "to": "send"}} UpdateInterval=Upraviť interval (minúty) -LastUpdated=Latest update +LastUpdated=Najnovšia aktualizácia CorrectlyUpdated=Správne upravené PropalMergePdfProductActualFile=Súbor na pridanie do PDF Azur sú/je PropalMergePdfProductChooseFile=Vybrať PDF súbory -IncludingProductWithTag=Including products/services with the tag +IncludingProductWithTag=Vrátane produktov/služieb so značkou DefaultPriceRealPriceMayDependOnCustomer=Základná cena, skutočná cena môže záležať podľa zákazníka WarningSelectOneDocument=Prosím zvoľte minimálne jeden dokument DefaultUnitToShow=Jednotka NbOfQtyInProposals=Počet v ponuke ClinkOnALinkOfColumn=Kliknite na odkaz stĺpca %s pre detailné zobrazenie... -ProductsOrServicesTranslations=Products/Services translations +ProductsOrServicesTranslations=Preklady produktov/služieb TranslatedLabel=Preložený názov TranslatedDescription=Preložený popis TranslatedNote=Preložená poznámka @@ -330,84 +334,107 @@ ProductWeight=Hmotnosť pre 1 produkt ProductVolume=Objem pre 1 produkt WeightUnits=Jednotka hmotnosti VolumeUnits=Jednotka objemu -WidthUnits=Width unit -LengthUnits=Length unit -HeightUnits=Height unit -SurfaceUnits=Surface unit +WidthUnits=Jednotka šírky +LengthUnits=Jednotka dĺžky +HeightUnits=Jednotka výšky +SurfaceUnits=Povrchová jednotka SizeUnits=Jednotka veľkosti DeleteProductBuyPrice=Zmazat nákupnú cenu ConfirmDeleteProductBuyPrice=Určite chcete zmazať túto nákupnú cenu ? -SubProduct=Sub product -ProductSheet=Product sheet -ServiceSheet=Service sheet -PossibleValues=Possible values -GoOnMenuToCreateVairants=Go on menu %s - %s to prepare attribute variants (like colors, size, ...) -UseProductFournDesc=Add a feature to define the product description defined by the vendors (for each vendor reference) in addition to the description for customers -ProductSupplierDescription=Vendor description for the product -UseProductSupplierPackaging=Use packaging on supplier prices (recalculate quantities according to packaging set on supplier price when adding/updating line in supplier documents) -PackagingForThisProduct=Packaging -PackagingForThisProductDesc=On supplier order, you will automaticly order this quantity (or a multiple of this quantity). Cannot be less than minimum buying quantity -QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging +SubProduct=Podprodukt +ProductSheet=Produktový list +ServiceSheet=Servisný list +PossibleValues=Možné hodnoty +GoOnMenuToCreateVairants=Prejdite do ponuky %s - %s a pripravte varianty atribútov (ako farby, veľkosť, ...) +UseProductFournDesc=Pridajte funkciu na definovanie popisu produktu definovaného dodávateľmi (pre každú referenciu dodávateľa) okrem popisu pre zákazníkov +ProductSupplierDescription=Popis predajcu k produktu +UseProductSupplierPackaging=Použite funkciu "balenie" na zaokrúhlenie množstiev na určité dané násobky (pri pridávaní/aktualizácii riadku v dokladoch dodávateľa prepočítajte množstvá a nákupné ceny podľa vyššieho násobku nastaveného na nákupných cenách produktu) +PackagingForThisProduct=Balenie množstiev +PackagingForThisProductDesc=Automaticky zakúpite násobok tohto množstva. +QtyRecalculatedWithPackaging=Množstvo linky bolo prepočítané podľa dodávateľského balenia #Attributes -VariantAttributes=Variant attributes -ProductAttributes=Variant attributes for products -ProductAttributeName=Variant attribute %s -ProductAttribute=Variant attribute -ProductAttributeDeleteDialog=Are you sure you want to delete this attribute? All values will be deleted -ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with reference "%s" of this attribute? -ProductCombinationDeleteDialog=Are you sure want to delete the variant of the product "%s"? -ProductCombinationAlreadyUsed=There was an error while deleting the variant. Please check it is not being used in any object -ProductCombinations=Variants -PropagateVariant=Propagate variants -HideProductCombinations=Hide products variant in the products selector -ProductCombination=Variant -NewProductCombination=New variant -EditProductCombination=Editing variant -NewProductCombinations=New variants -EditProductCombinations=Editing variants -SelectCombination=Select combination -ProductCombinationGenerator=Variants generator -Features=Features -PriceImpact=Price impact -ImpactOnPriceLevel=Impact on price level %s -ApplyToAllPriceImpactLevel= Apply to all levels -ApplyToAllPriceImpactLevelHelp=By clicking here you set the same price impact on all levels -WeightImpact=Weight impact +Attributes=Atribúty +VariantAttributes=Variantné atribúty +ProductAttributes=Variantné atribúty produktov +ProductAttributeName=Atribút variantu %s +ProductAttribute=Atribút variantu +ProductAttributeDeleteDialog=Naozaj chcete odstrániť tento atribút? Všetky hodnoty budú vymazané +ProductAttributeValueDeleteDialog=Naozaj chcete odstrániť hodnotu "%s" s odkazom "%s" tohto atribútu? +ProductCombinationDeleteDialog=Naozaj chcete odstrániť variant produktu "%s >"? +ProductCombinationAlreadyUsed=Pri odstraňovaní variantu sa vyskytla chyba. Skontrolujte, či sa nepoužíva v žiadnom objekte +ProductCombinations=Varianty +PropagateVariant=Propagovať varianty +HideProductCombinations=Skryť variant produktov vo výbere produktov +ProductCombination=Varianta +NewProductCombination=Nový variant +EditProductCombination=Variant úpravy +NewProductCombinations=Nové varianty +EditProductCombinations=Varianty úprav +SelectCombination=Vyberte kombináciu +ProductCombinationGenerator=Generátor variantov +Features=Vlastnosti +PriceImpact=Vplyv na cenu +ImpactOnPriceLevel=Vplyv na cenovú hladinu %s +ApplyToAllPriceImpactLevel= Aplikujte na všetky úrovne +ApplyToAllPriceImpactLevelHelp=Kliknutím sem nastavíte rovnaký cenový vplyv na všetkých úrovniach +WeightImpact=Vplyv hmotnosti NewProductAttribute=Nový atribút -NewProductAttributeValue=New attribute value -ErrorCreatingProductAttributeValue=There was an error while creating the attribute value. It could be because there is already an existing value with that reference -ProductCombinationGeneratorWarning=If you continue, before generating new variants, all previous ones will be DELETED. Already existing ones will be updated with the new values -TooMuchCombinationsWarning=Generating lots of variants may result in high CPU, memory usage and Dolibarr not able to create them. Enabling the option "%s" may help reduce memory usage. -DoNotRemovePreviousCombinations=Do not remove previous variants -UsePercentageVariations=Use percentage variations -PercentageVariation=Percentage variation -ErrorDeletingGeneratedProducts=There was an error while trying to delete existing product variants -NbOfDifferentValues=No. of different values -NbProducts=Number of products -ParentProduct=Parent product -HideChildProducts=Hide variant products -ShowChildProducts=Show variant products -NoEditVariants=Go to Parent product card and edit variants price impact in the variants tab -ConfirmCloneProductCombinations=Would you like to copy all the product variants to the other parent product with the given reference? -CloneDestinationReference=Destination product reference -ErrorCopyProductCombinations=There was an error while copying the product variants -ErrorDestinationProductNotFound=Destination product not found -ErrorProductCombinationNotFound=Product variant not found -ActionAvailableOnVariantProductOnly=Action only available on the variant of product -ProductsPricePerCustomer=Product prices per customers -ProductSupplierExtraFields=Additional Attributes (Supplier Prices) -DeleteLinkedProduct=Delete the child product linked to the combination -AmountUsedToUpdateWAP=Amount to use to update the Weighted Average Price +NewProductAttributeValue=Nová hodnota atribútu +ErrorCreatingProductAttributeValue=Pri vytváraní hodnoty atribútu sa vyskytla chyba. Môže to byť preto, že už existuje existujúca hodnota s týmto odkazom +ProductCombinationGeneratorWarning=Ak budete pokračovať, pred vygenerovaním nových variantov budú všetky predchádzajúce VYMAZANÉ. Už existujúce hodnoty budú aktualizované o nové hodnoty +TooMuchCombinationsWarning=Generovanie veľkého množstva variantov môže mať za následok vysoké využitie CPU, pamäte a Dolibarr ich nebude môcť vytvoriť. Povolenie možnosti "%s" môže pomôcť znížiť využitie pamäte. +DoNotRemovePreviousCombinations=Neodstraňujte predchádzajúce varianty +UsePercentageVariations=Použite percentuálne variácie +PercentageVariation=Percentuálna odchýlka +ErrorDeletingGeneratedProducts=Pri pokuse o odstránenie existujúcich variantov produktu sa vyskytla chyba +NbOfDifferentValues=č rôznych hodnôt +NbProducts=Počet produktov +ParentProduct=Materský produkt +ParentProductOfVariant=Nadradený produkt variantu +HideChildProducts=Skryť variant produktov +ShowChildProducts=Zobraziť varianty produktov +NoEditVariants=Prejdite na kartu nadradeného produktu a upravte vplyv na cenu variantov na karte variantov +ConfirmCloneProductCombinations=Chcete skopírovať všetky varianty produktu do druhého nadradeného produktu s danou referenciou? +CloneDestinationReference=Referencia cieľového produktu +ErrorCopyProductCombinations=Pri kopírovaní variantov produktu sa vyskytla chyba +ErrorDestinationProductNotFound=Cieľový produkt sa nenašiel +ErrorProductCombinationNotFound=Variant produktu sa nenašiel +ActionAvailableOnVariantProductOnly=Akcia dostupná len na variant produktu +ProductsPricePerCustomer=Ceny produktov podľa zákazníkov +ProductSupplierExtraFields=Ďalšie atribúty (ceny dodávateľa) +DeleteLinkedProduct=Odstráňte podriadený produkt prepojený s kombináciou +AmountUsedToUpdateWAP=Množstvo jednotky, ktoré sa má použiť na aktualizáciu váženej priemernej ceny PMPValue=Vážená priemerná cena PMPValueShort=WAP -mandatoryperiod=Mandatory periods -mandatoryPeriodNeedTobeSet=Note: Period (start and end date) must be defined -mandatoryPeriodNeedTobeSetMsgValidate=A service requires a start and end period -mandatoryHelper=Check this if you want a message to the user when creating / validating an invoice, commercial proposal, sales order without entering a start and end date on lines with this service.
      Note that the message is a warning and not a blocking error. -DefaultBOM=Default BOM -DefaultBOMDesc=The default BOM recommended to use to manufacture this product. This field can be set only if nature of product is '%s'. -Rank=Rank -SwitchOnSaleStatus=Switch on sale status -SwitchOnPurchaseStatus=Switch on purchase status -StockMouvementExtraFields= Extra Fields (stock mouvement) +mandatoryperiod=Povinné lehoty +mandatoryPeriodNeedTobeSet=Poznámka: Obdobie (dátum začiatku a konca) musí byť definované +mandatoryPeriodNeedTobeSetMsgValidate=Služba vyžaduje začiatok a koniec obdobia +mandatoryHelper=Toto začiarknite, ak chcete, aby sa pri vytváraní / overovaní faktúry, obchodnej ponuky, predajnej objednávky zobrazovala správa používateľovi bez zadania počiatočného a koncového dátumu v riadkoch s touto službou.
      Upozorňujeme, že správa je varovaním a nie chybou blokovania. +DefaultBOM=Predvolený kusovník +DefaultBOMDesc=Na výrobu tohto produktu sa odporúča použiť predvolený kusovník. Toto pole je možné nastaviť iba vtedy, ak je povaha produktu '%s'. +Rank=Poradie +MergeOriginProduct=Duplicitný produkt (produkt, ktorý chcete odstrániť) +MergeProducts=Zlúčiť produkty +ConfirmMergeProducts=Naozaj chcete zlúčiť vybraný produkt s aktuálnym? Všetky prepojené objekty (faktúry, objednávky, ...) sa presunú do aktuálneho produktu, po čom bude vybraný produkt vymazaný. +ProductsMergeSuccess=Produkty boli zlúčené +ErrorsProductsMerge=Chyby v produktoch sa spájajú +SwitchOnSaleStatus=Zapnite stav predaja +SwitchOnPurchaseStatus=Zapnite stav nákupu +UpdatePrice=Zvýšiť/znížiť cenu pre zákazníka +StockMouvementExtraFields= Extra polia (pohyb zásob) +InventoryExtraFields= Extra polia (inventár) +ScanOrTypeOrCopyPasteYourBarCodes=Naskenujte alebo napíšte alebo skopírujte/prilepte svoje čiarové kódy +PuttingPricesUpToDate=Aktualizujte ceny s aktuálnymi známymi cenami +PuttingDescUpToDate=Aktualizujte popisy aktuálnymi známymi popismi +PMPExpected=Očakávaný PMP +ExpectedValuation=Očakávané ocenenie +PMPReal=Skutočný PMP +RealValuation=Skutočné ocenenie +ConfirmEditExtrafield = Vyberte extrapole, ktoré chcete upraviť +ConfirmEditExtrafieldQuestion = Naozaj chcete upraviť toto extrapole? +ModifyValueExtrafields = Upravte hodnotu extrapola +OrProductsWithCategories=Alebo produkty so štítkami/kategóriami +WarningTransferBatchStockMouvToGlobal = Ak chcete tento produkt deserializovať, všetky jeho sériové zásoby budú transformované na globálne zásoby +WarningConvertFromBatchToSerial=Ak momentálne máte pre produkt množstvo vyššie alebo rovné 2, prepnutie na túto voľbu znamená, že stále budete mať produkt s rôznymi predmetmi tej istej šarže (zatiaľ čo chcete jedinečné sériové číslo). Duplikát zostane, kým sa nevykoná inventúra alebo ručný pohyb zásob na opravu. +ConfirmSetToDraftInventory=Naozaj sa chcete vrátiť do stavu konceptu?
      Množstvá aktuálne nastavené v inventári budú resetované. diff --git a/htdocs/langs/sk_SK/projects.lang b/htdocs/langs/sk_SK/projects.lang index f83513f674c..6a289139110 100644 --- a/htdocs/langs/sk_SK/projects.lang +++ b/htdocs/langs/sk_SK/projects.lang @@ -1,146 +1,152 @@ # Dolibarr language file - Source file is en_US - projects -RefProject=Ref. project -ProjectRef=Project ref. -ProjectId=Project Id -ProjectLabel=Project label -ProjectsArea=Projects Area -ProjectStatus=Project status +RefProject=Ref. projektu +ProjectRef=Ref. +ProjectId=ID projektu +ProjectLabel=Označenie projektu +ProjectsArea=Oblasť projektov +ProjectStatus=Stav projektu SharedProject=Všetci -PrivateProject=Assigned contacts -ProjectsImContactFor=Projects for which I am explicitly a contact -AllAllowedProjects=All project I can read (mine + public) +PrivateProject=Priradené kontakty +ProjectsImContactFor=Projekty, pre ktoré som vyslovene kontaktom +AllAllowedProjects=Všetky projekty, ktoré môžem čítať (moje + verejné) AllProjects=Všetky projekty -MyProjectsDesc=This view is limited to the projects that you are a contact for +MyProjectsDesc=Toto zobrazenie je obmedzené na projekty, pre ktoré ste kontaktovaný ProjectsPublicDesc=Tento názor predstavuje všetky projekty, ktoré sú prístupné pre čítanie. -TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. +TasksOnProjectsPublicDesc=Toto zobrazenie predstavuje všetky úlohy na projektoch, ktoré máte povolené čítať. ProjectsPublicTaskDesc=Tento názor predstavuje všetky projekty a úlohy, ktoré sú prístupné pre čítanie. ProjectsDesc=Tento názor predstavuje všetky projekty (užívateľského oprávnenia udeliť oprávnenie k nahliadnutiu všetko). -TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to the projects or tasks that you are a contact for -OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). -ClosedProjectsAreHidden=Closed projects are not visible. +TasksOnProjectsDesc=Toto zobrazenie predstavuje všetky úlohy na všetkých projektoch (vaše používateľské povolenia vám umožňujú zobraziť všetko). +MyTasksDesc=Toto zobrazenie je obmedzené na projekty alebo úlohy, pre ktoré ste kontaktovaný +OnlyOpenedProject=Viditeľné sú len otvorené projekty (projekty v stave konceptu alebo zatvorené nie sú viditeľné). +ClosedProjectsAreHidden=Uzavreté projekty nie sú viditeľné. TasksPublicDesc=Tento názor predstavuje všetky projekty a úlohy, ktoré sú prístupné pre čítanie. TasksDesc=Tento názor predstavuje všetky projekty a úlohy (vaše užívateľské oprávnenia udeliť oprávnenie k nahliadnutiu všetko). -AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. -ImportDatasetTasks=Tasks of projects -ProjectCategories=Project tags/categories +AllTaskVisibleButEditIfYouAreAssigned=Všetky úlohy pre kvalifikované projekty sú viditeľné, ale môžete zadať čas iba pre úlohu priradenú vybranému užívateľovi. Priraďte úlohu, ak do nej potrebujete zadať čas. +OnlyYourTaskAreVisible=Viditeľné sú iba úlohy, ktoré vám boli priradené. Ak k úlohe potrebujete zadať čas a úloha tu nie je viditeľná, musíte si úlohu priradiť. +ImportDatasetProjects=Projekty alebo príležitosti +ImportDatasetTasks=Úlohy projektov +ProjectCategories=Značky/kategórie projektu NewProject=Nový projekt -AddProject=Create project +AddProject=Vytvoriť projekt DeleteAProject=Odstránenie projektu DeleteATask=Ak chcete úlohu -ConfirmDeleteAProject=Are you sure you want to delete this project? -ConfirmDeleteATask=Are you sure you want to delete this task? -OpenedProjects=Open projects -OpenedTasks=Open tasks -OpportunitiesStatusForOpenedProjects=Leads amount of open projects by status -OpportunitiesStatusForProjects=Leads amount of projects by status +ConfirmDeleteAProject=Naozaj chcete odstrániť tento projekt? +ConfirmDeleteATask=Naozaj chcete odstrániť túto úlohu? +OpenedProjects=Otvorené projekty +OpenedProjectsOpportunities=Otvorené príležitosti +OpenedTasks=Otvorené úlohy +OpportunitiesStatusForOpenedProjects=Vedie množstvo otvorených projektov podľa stavu +OpportunitiesStatusForProjects=Vedie množstvo projektov podľa stavu ShowProject=Zobraziť projektu ShowTask=Zobraziť úloha +SetThirdParty=Nastavte tretiu stranu SetProject=Nastavenie projektu +OutOfProject=Mimo projektu NoProject=Žiadny projekt definovaný alebo vlastné -NbOfProjects=Number of projects -NbOfTasks=Number of tasks +NbOfProjects=Počet projektov +NbOfTasks=Počet úloh +TimeEntry=Sledovanie času TimeSpent=Čas strávený -TimeSpentByYou=Time spent by you -TimeSpentByUser=Time spent by user -TimesSpent=Čas strávený -TaskId=Task ID -RefTask=Task ref. -LabelTask=Task label -TaskTimeSpent=Time spent on tasks +TimeSpentSmall=Čas strávený +TimeSpentByYou=Čas strávený vami +TimeSpentByUser=Čas strávený používateľom +TaskId=ID úlohy +RefTask=Úloha ref. +LabelTask=Označenie úlohy +TaskTimeSpent=Čas strávený nad úlohami TaskTimeUser=Užívateľ TaskTimeNote=Poznámka TaskTimeDate=Date -TasksOnOpenedProject=Tasks on open projects -WorkloadNotDefined=Workload not defined +TasksOnOpenedProject=Úlohy na otvorených projektoch +WorkloadNotDefined=Pracovná záťaž nie je definovaná NewTimeSpent=Čas strávený MyTimeSpent=Môj čas strávený -BillTime=Bill the time spent -BillTimeShort=Bill time -TimeToBill=Time not billed -TimeBilled=Time billed +BillTime=Bill strávený čas +BillTimeShort=Fakturačný čas +TimeToBill=Čas sa neúčtuje +TimeBilled=Účtovaný čas Tasks=Úlohy Task=Úloha -TaskDateStart=Task start date -TaskDateEnd=Task end date -TaskDescription=Task description +TaskDateStart=Dátum začiatku úlohy +TaskDateEnd=Dátum ukončenia úlohy +TaskDescription=Popis úlohy NewTask=Nová úloha -AddTask=Create task -AddTimeSpent=Create time spent -AddHereTimeSpentForDay=Add here time spent for this day/task -AddHereTimeSpentForWeek=Add here time spent for this week/task +AddTask=Vytvorte úlohu +AddTimeSpent=Vytvorte strávený čas +AddHereTimeSpentForDay=Sem pridajte čas strávený pre tento deň/úlohu +AddHereTimeSpentForWeek=Sem pridajte čas strávený na tento týždeň/úlohu Activity=Činnosť Activities=Úlohy / aktivity MyActivities=Moje úlohy / činnosti MyProjects=Moje projekty -MyProjectsArea=My projects Area +MyProjectsArea=Oblasť mojich projektov DurationEffective=Efektívny čas -ProgressDeclared=Declared real progress -TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently open tasks -TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption -ProgressCalculated=Progress on consumption -WhichIamLinkedTo=which I'm linked to -WhichIamLinkedToProject=which I'm linked to project +ProgressDeclared=Deklarovaný skutočný pokrok +TaskProgressSummary=Priebeh úlohy +CurentlyOpenedTasks=Aktuálne otvorené úlohy +TheReportedProgressIsLessThanTheCalculatedProgressionByX=Deklarovaný skutočný pokrok je menší %s ako pokrok v spotrebe +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Deklarovaný skutočný pokrok je viac %s ako pokrok v spotrebe +ProgressCalculated=Pokrok v spotrebe +WhichIamLinkedTo=s ktorým som spojený +WhichIamLinkedToProject=s ktorým som spojený s projektom Time=Čas -TimeConsumed=Consumed -ListOfTasks=List of tasks -GoToListOfTimeConsumed=Go to list of time consumed -GanttView=Gantt View -ListWarehouseAssociatedProject=List of warehouses associated to the project -ListProposalsAssociatedProject=List of the commercial proposals related to the project -ListOrdersAssociatedProject=List of sales orders related to the project -ListInvoicesAssociatedProject=List of customer invoices related to the project -ListPredefinedInvoicesAssociatedProject=List of customer template invoices related to the project -ListSupplierOrdersAssociatedProject=List of purchase orders related to the project -ListSupplierInvoicesAssociatedProject=List of vendor invoices related to the project -ListContractAssociatedProject=List of contracts related to the project -ListShippingAssociatedProject=List of shippings related to the project -ListFichinterAssociatedProject=List of interventions related to the project -ListExpenseReportsAssociatedProject=List of expense reports related to the project -ListDonationsAssociatedProject=List of donations related to the project -ListVariousPaymentsAssociatedProject=List of miscellaneous payments related to the project -ListSalariesAssociatedProject=List of payments of salaries related to the project -ListActionsAssociatedProject=List of events related to the project -ListMOAssociatedProject=List of manufacturing orders related to the project -ListTaskTimeUserProject=List of time consumed on tasks of project -ListTaskTimeForTask=List of time consumed on task -ActivityOnProjectToday=Activity on project today -ActivityOnProjectYesterday=Activity on project yesterday +TimeConsumed=Spotrebované +ListOfTasks=Zoznam úloh +GoToListOfTimeConsumed=Prejdite na zoznam spotrebovaného času +GanttView=Ganttov pohľad +ListWarehouseAssociatedProject=Zoznam skladov spojených s projektom +ListProposalsAssociatedProject=Zoznam komerčných návrhov súvisiacich s projektom +ListOrdersAssociatedProject=Zoznam predajných objednávok súvisiacich s projektom +ListInvoicesAssociatedProject=Zoznam odberateľských faktúr súvisiacich s projektom +ListPredefinedInvoicesAssociatedProject=Zoznam vzorových faktúr zákazníka súvisiacich s projektom +ListSupplierOrdersAssociatedProject=Zoznam nákupných objednávok súvisiacich s projektom +ListSupplierInvoicesAssociatedProject=Zoznam dodávateľských faktúr súvisiacich s projektom +ListContractAssociatedProject=Zoznam zmlúv súvisiacich s projektom +ListShippingAssociatedProject=Zoznam zásielok súvisiacich s projektom +ListFichinterAssociatedProject=Zoznam intervencií súvisiacich s projektom +ListExpenseReportsAssociatedProject=Zoznam výkazov výdavkov súvisiacich s projektom +ListDonationsAssociatedProject=Zoznam darov súvisiacich s projektom +ListVariousPaymentsAssociatedProject=Zoznam rôznych platieb súvisiacich s projektom +ListSalariesAssociatedProject=Zoznam platieb miezd súvisiacich s projektom +ListActionsAssociatedProject=Zoznam udalostí súvisiacich s projektom +ListMOAssociatedProject=Zoznam výrobných zákaziek súvisiacich s projektom +ListTaskTimeUserProject=Zoznam času stráveného na úlohách projektu +ListTaskTimeForTask=Zoznam času stráveného úlohou +ActivityOnProjectToday=Dnešná aktivita na projekte +ActivityOnProjectYesterday=Včerajšia aktivita na projekte ActivityOnProjectThisWeek=Aktivita na projekte tento týždeň ActivityOnProjectThisMonth=Aktivita na projekte tento mesiac ActivityOnProjectThisYear=Aktivita na projekte v tomto roku ChildOfProjectTask=Dieťa projektu / úlohy -ChildOfTask=Child of task -TaskHasChild=Task has child +ChildOfTask=Dieťa úlohy +TaskHasChild=Úloha má dieťa NotOwnerOfProject=Nie je vlastníkom tohto súkromného projektu AffectedTo=Priradené -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=Overiť Projet -ConfirmValidateProject=Are you sure you want to validate this project? +CantRemoveProject=Tento projekt nie je možné odstrániť, pretože naň odkazujú iné objekty (faktúra, objednávky alebo iné). Pozrite si kartu '%s'. +ValidateProject=Overiť projekt +ConfirmValidateProject=Naozaj chcete overiť tento projekt? CloseAProject=Zatvoriť projekt -ConfirmCloseAProject=Are you sure you want to close this project? -AlsoCloseAProject=Also close project (keep it open if you still need to follow production tasks on it) +ConfirmCloseAProject=Naozaj chcete ukončiť tento projekt? +AlsoCloseAProject=Tiež zavrieť projekt +AlsoCloseAProjectTooltip=Nechajte ho otvorený, ak na ňom stále potrebujete sledovať výrobné úlohy ReOpenAProject=Otvoriť projekt -ConfirmReOpenAProject=Are you sure you want to re-open this project? +ConfirmReOpenAProject=Naozaj chcete tento projekt znova otvoriť? ProjectContact=Kontakty na projekte -TaskContact=Task contacts +TaskContact=Kontakty úloh ActionsOnProject=Udalosti na projekte YouAreNotContactOfProject=Nie ste kontakt tomto súkromnom projekte -UserIsNotContactOfProject=User is not a contact of this private project +UserIsNotContactOfProject=Používateľ nie je kontaktom tohto súkromného projektu DeleteATimeSpent=Odstrániť čas strávený -ConfirmDeleteATimeSpent=Are you sure you want to delete this time spent? -DoNotShowMyTasksOnly=See also tasks not assigned to me -ShowMyTasksOnly=View only tasks assigned to me -TaskRessourceLinks=Contacts of task +ConfirmDeleteATimeSpent=Naozaj chcete odstrániť tento strávený čas? +DoNotShowMyTasksOnly=Pozrite si aj úlohy, ktoré mi neboli pridelené +ShowMyTasksOnly=Zobraziť iba úlohy, ktoré mi boli priradené +TaskRessourceLinks=Kontakty úlohy ProjectsDedicatedToThisThirdParty=Projekty venovaný tejto tretej osobe NoTasks=Žiadne úlohy tohto projektu LinkedToAnotherCompany=Súvisí s tretej strane -TaskIsNotAssignedToUser=Task not assigned to user. Use button '%s' to assign task now. +TaskIsNotAssignedToUser=Úloha nie je priradená používateľovi. Pomocou tlačidla '%s' teraz priraďte úlohu. ErrorTimeSpentIsEmpty=Čas strávený je prázdny -TimeRecordingRestrictedToNMonthsBack=Time recording is restricted to %s months back +TimeRecordingRestrictedToNMonthsBack=Časový záznam je obmedzený na %s mesiacov dozadu ThisWillAlsoRemoveTasks=Táto akcia bude tiež odstrániť všetky úlohy projektu (%s úlohy v túto chvíľu) a všetky vstupy času stráveného. IfNeedToUseOtherObjectKeepEmpty=Ak sú niektoré predmety (faktúra, objednávka, ...), ktoré patria do inej tretej osobe, musí byť spojené s projektom, vytvoriť, aby bol tento prázdny mať projekt bytia multi tretej strany. CloneTasks=Clone úlohy @@ -148,28 +154,28 @@ CloneContacts=Clone kontakty CloneNotes=Clone poznámky CloneProjectFiles=Clone projektu pripojil súbory CloneTaskFiles=Clone úloha (y) sa pripojil súbory (ak je úloha (y) klonovať) -CloneMoveDate=Update project/tasks dates from now? -ConfirmCloneProject=Are you sure to clone this project? -ProjectReportDate=Change task dates according to new project start date +CloneMoveDate=Aktualizovať dátumy projektu/úloh odteraz? +ConfirmCloneProject=Ste si istý, že klonujete tento projekt? +ProjectReportDate=Zmeňte dátumy úloh podľa nového dátumu začiatku projektu ErrorShiftTaskDate=Nemožno presunúť úloha termín podľa nový dátum začatia projektu ProjectsAndTasksLines=Projekty a úlohy ProjectCreatedInDolibarr=Projekt vytvoril %s -ProjectValidatedInDolibarr=Project %s validated -ProjectModifiedInDolibarr=Project %s modified -TaskCreatedInDolibarr=Task %s created -TaskModifiedInDolibarr=Task %s modified -TaskDeletedInDolibarr=Task %s deleted -OpportunityStatus=Lead status -OpportunityStatusShort=Lead status -OpportunityProbability=Lead probability -OpportunityProbabilityShort=Lead probab. -OpportunityAmount=Lead amount -OpportunityAmountShort=Lead amount -OpportunityWeightedAmount=Opportunity weighted amount -OpportunityWeightedAmountShort=Opp. weighted amount -OpportunityAmountAverageShort=Average lead amount -OpportunityAmountWeigthedShort=Weighted lead amount -WonLostExcluded=Won/Lost excluded +ProjectValidatedInDolibarr=Projekt %s overený +ProjectModifiedInDolibarr=Projekt %s upravený +TaskCreatedInDolibarr=Úloha %s vytvorená +TaskModifiedInDolibarr=Úloha %s upravená +TaskDeletedInDolibarr=Úloha %s bola odstránená +OpportunityStatus=Stav potenciálneho zákazníka +OpportunityStatusShort=Stav potenciálneho zákazníka +OpportunityProbability=Pravdepodobnosť olova +OpportunityProbabilityShort=Viesť pravdepodobne. +OpportunityAmount=Množstvo olova +OpportunityAmountShort=Množstvo olova +OpportunityWeightedAmount=Množstvo príležitostí vážené pravdepodobnosťou +OpportunityWeightedAmountShort=Opp. vážené množstvo +OpportunityAmountAverageShort=Priemerné množstvo olova +OpportunityAmountWeigthedShort=Vážené množstvo olova +WonLostExcluded=Výhry/prehra vylúčené ##### Types de contacts ##### TypeContact_project_internal_PROJECTLEADER=Vedúci projektu TypeContact_project_external_PROJECTLEADER=Vedúci projektu @@ -181,116 +187,118 @@ TypeContact_project_task_internal_TASKCONTRIBUTOR=Prispievateľ TypeContact_project_task_external_TASKCONTRIBUTOR=Prispievateľ SelectElement=Vyberte prvok AddElement=Odkaz na elementu -LinkToElementShort=Link to +LinkToElementShort=Odkaz na # Documents models -DocumentModelBeluga=Project document template for linked objects overview -DocumentModelBaleine=Project document template for tasks -DocumentModelTimeSpent=Project report template for time spent +DocumentModelBeluga=Šablóna projektového dokumentu pre prehľad prepojených objektov +DocumentModelBaleine=Šablóna projektového dokumentu pre úlohy +DocumentModelTimeSpent=Šablóna správy o projekte pre strávený čas PlannedWorkload=Plánované zaťaženie -PlannedWorkloadShort=Workload -ProjectReferers=Related items -ProjectMustBeValidatedFirst=Project must be validated first -MustBeValidatedToBeSigned=%s must be validated first to be set to Signed. -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time -InputPerDay=Input per day -InputPerWeek=Input per week -InputPerMonth=Input per month -InputDetail=Input detail -TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s -ProjectsWithThisUserAsContact=Projects with this user as contact -ProjectsWithThisContact=Projects with this contact -TasksWithThisUserAsContact=Tasks assigned to this user -ResourceNotAssignedToProject=Not assigned to project -ResourceNotAssignedToTheTask=Not assigned to the task -NoUserAssignedToTheProject=No users assigned to this project -TimeSpentBy=Time spent by -TasksAssignedTo=Tasks assigned to -AssignTaskToMe=Assign task to myself -AssignTaskToUser=Assign task to %s -SelectTaskToAssign=Select task to assign... -AssignTask=Assign -ProjectOverview=Overview -ManageTasks=Use projects to follow tasks and/or report time spent (timesheets) -ManageOpportunitiesStatus=Use projects to follow leads/opportinuties -ProjectNbProjectByMonth=No. of created projects by month -ProjectNbTaskByMonth=No. of created tasks by month -ProjectOppAmountOfProjectsByMonth=Amount of leads by month -ProjectWeightedOppAmountOfProjectsByMonth=Weighted amount of leads by month -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads -TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. -IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX -OpenedProjectsByThirdparties=Open projects by third parties -OnlyOpportunitiesShort=Only leads -OpenedOpportunitiesShort=Open leads -NotOpenedOpportunitiesShort=Not an open lead -NotAnOpportunityShort=Not a lead -OpportunityTotalAmount=Total amount of leads -OpportunityPonderatedAmount=Weighted amount of leads -OpportunityPonderatedAmountDesc=Leads amount weighted with probability -OppStatusPROSP=Prospection -OppStatusQUAL=Qualification +PlannedWorkloadShort=Pracovná záťaž +ProjectReferers=Súvisiace položky +ProjectMustBeValidatedFirst=Projekt musí byť najskôr overený +MustBeValidatedToBeSigned=%s musí byť najprv overený, aby bol nastavený na Podpísané. +FirstAddRessourceToAllocateTime=Priraďte užívateľský zdroj ako kontakt projektu na pridelenie času +InputPerDay=Vstup za deň +InputPerWeek=Vstup za týždeň +InputPerMonth=Vstup za mesiac +InputDetail=Detail vstupu +TimeAlreadyRecorded=Toto je už zaznamenaný čas strávený pre túto úlohu/deň a používateľa %s +ProjectsWithThisUserAsContact=Projekty s týmto používateľom ako kontaktom +ProjectsWithThisContact=Projekty s týmto kontaktom tretej strany +TasksWithThisUserAsContact=Úlohy priradené tomuto používateľovi +ResourceNotAssignedToProject=Nie je priradené k projektu +ResourceNotAssignedToTheTask=Nie je priradený k úlohe +NoUserAssignedToTheProject=K tomuto projektu nie sú priradení žiadni používatelia +TimeSpentBy=Čas strávený tým +TasksAssignedTo=Úlohy priradené k +AssignTaskToMe=Prideliť si úlohu +AssignTaskToUser=Priradiť úlohu %s +SelectTaskToAssign=Vyberte úlohu, ktorú chcete priradiť... +AssignTask=Priradiť +ProjectOverview=Prehľad +ManageTasks=Použite projekty na sledovanie úloh a/alebo vykazovanie stráveného času (časové výkazy) +ManageOpportunitiesStatus=Využite projekty na sledovanie potenciálov/príležitostí +ProjectNbProjectByMonth=Počet vytvorených projektov podľa mesiaca +ProjectNbTaskByMonth=Počet vytvorených úloh podľa mesiaca +ProjectOppAmountOfProjectsByMonth=Počet potenciálnych zákazníkov podľa mesiaca +ProjectWeightedOppAmountOfProjectsByMonth=Vážené množstvo potenciálnych zákazníkov podľa mesiaca +ProjectOpenedProjectByOppStatus=Otvoriť projekt|pod vedením stavu vedúceho +ProjectsStatistics=Štatistiky projektov alebo potenciálnych zákazníkov +TasksStatistics=Štatistiky o úlohách projektov alebo potenciálnych zákazníkov +TaskAssignedToEnterTime=Úloha pridelená. Zadávanie času pri tejto úlohe by malo byť možné. +IdTaskTime=Id čas úlohy +YouCanCompleteRef=Ak chcete doplniť ref o nejakú príponu, odporúča sa pridať znak - na oddelenie, aby automatické číslovanie fungovalo správne aj pri ďalších projektoch. Napríklad %s-MYSUFFIX +OpenedProjectsByThirdparties=Otvorené projekty tretích strán +OnlyOpportunitiesShort=Iba vedie +OpenedOpportunitiesShort=Otvorené vedenie +NotOpenedOpportunitiesShort=Nie otvorené vedenie +NotAnOpportunityShort=Nie vodítko +OpportunityTotalAmount=Celkový počet potenciálnych zákazníkov +OpportunityPonderatedAmount=Vážené množstvo potenciálnych zákazníkov +OpportunityPonderatedAmountDesc=Množstvo potenciálnych zákazníkov vážené pravdepodobnosťou +OppStatusPROSP=Prospekcia +OppStatusQUAL=Kvalifikácia OppStatusPROPO=Návrh -OppStatusNEGO=Negociation +OppStatusNEGO=Vyjednávanie OppStatusPENDING=Až do -OppStatusWON=Won -OppStatusLOST=Lost -Budget=Budget -AllowToLinkFromOtherCompany=Allow to link project from other company

      Supported values:
      - Keep empty: Can link any project of the company (default)
      - "all": Can link any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
      -LatestProjects=Latest %s projects -LatestModifiedProjects=Latest %s modified projects -OtherFilteredTasks=Other filtered tasks -NoAssignedTasks=No assigned tasks found (assign project/tasks to the current user from the top select box to enter time on it) -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ChooseANotYetAssignedTask=Choose a task not yet assigned to you +OppStatusWON=Vyhrané +OppStatusLOST=Stratené +Budget=Rozpočet +AllowToLinkFromOtherCompany=Povoliť prepojenie prvku s projektom inej spoločnosti

      b0b5ba1a823ckaz0 Podporované hodnoty:
      - Ponechajte prázdne: Môže prepojiť prvky s ľubovoľnými projektmi v rovnakej spoločnosti (predvolené)
      - "all": Môže prepojiť prvky s ľubovoľnými projektmi, dokonca aj s projektmi iných spoločností
      - Zoznam ID tretích strán oddelených čiarkami : môže prepojiť prvky s ľubovoľnými projektmi týchto tretích strán (Príklad: 123,4795,53)
      +LatestProjects=Najnovšie %s projekty +LatestModifiedProjects=Najnovšie upravené projekty %s +OtherFilteredTasks=Ďalšie filtrované úlohy +NoAssignedTasks=Nenašli sa žiadne priradené úlohy (priraďte projekt/úlohy aktuálnemu používateľovi z horného výberového poľa a zadajte čas) +ThirdPartyRequiredToGenerateInvoice=V projekte musí byť definovaná tretia strana, aby ho mohla fakturovať. +ThirdPartyRequiredToGenerateInvoice=V projekte musí byť definovaná tretia strana, aby ho mohla fakturovať. +ChooseANotYetAssignedTask=Vyberte si úlohu, ktorá vám ešte nebola pridelená # Comments trans -AllowCommentOnTask=Allow user comments on tasks -AllowCommentOnProject=Allow user comments on projects -DontHavePermissionForCloseProject=You do not have permissions to close the project %s -DontHaveTheValidateStatus=The project %s must be open to be closed -RecordsClosed=%s project(s) closed -SendProjectRef=Information project %s -ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized -NewTaskRefSuggested=Task ref already used, a new task ref is required -TimeSpentInvoiced=Time spent billed +AllowCommentOnTask=Povoliť používateľom komentáre k úlohám +AllowCommentOnProject=Povoliť komentáre používateľov k projektom +DontHavePermissionForCloseProject=Nemáte povolenia na zatvorenie projektu %s +DontHaveTheValidateStatus=Projekt %s musí byť otvorený, aby sa zatvoril +RecordsClosed=%s projekty uzavreté +SendProjectRef=Informačný projekt %s +ModuleSalaryToDefineHourlyRateMustBeEnabled=Modul 'Platy' musí byť povolený pre definovanie hodinovej sadzby zamestnanca, aby bol zhodnotený čas strávený +NewTaskRefSuggested=Odkaz na úlohu sa už používa, vyžaduje sa nový odkaz na úlohu +NumberOfTasksCloned=%s úlohy klonované +TimeSpentInvoiced=Vyúčtovaný čas TimeSpentForIntervention=Čas strávený TimeSpentForInvoice=Čas strávený -OneLinePerUser=One line per user -ServiceToUseOnLines=Service to use on lines -InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. -ProjectFollowOpportunity=Follow opportunity -ProjectFollowTasks=Follow tasks or time spent -Usage=Usage -UsageOpportunity=Usage: Opportunity -UsageTasks=Usage: Tasks -UsageBillTimeShort=Usage: Bill time -InvoiceToUse=Draft invoice to use -InterToUse=Draft intervention to use +OneLinePerUser=Jeden riadok na používateľa +ServiceToUseOnLines=Služba sa štandardne používa na linkách +InvoiceGeneratedFromTimeSpent=Faktúra %s bola vygenerovaná za čas strávený na projekte +InterventionGeneratedFromTimeSpent=Intervencia %s bola vygenerovaná z času stráveného na projekte +ProjectBillTimeDescription=Skontrolujte, či zadávate časový výkaz na úlohách projektu A plánujete generovať faktúru(y) z časového výkazu na fakturáciu zákazníkovi projektu (nezačiarknite, ak plánujete vytvoriť faktúru, ktorá nie je založená na zadaných časových výkazoch). Poznámka: Ak chcete vygenerovať faktúru, prejdite na kartu 'Čas strávený' projektu a vyberte riadky, ktoré chcete zahrnúť. +ProjectFollowOpportunity=Nasledujte príležitosť +ProjectFollowTasks=Sledujte úlohy alebo strávený čas +Usage=Použitie +UsageOpportunity=Použitie: Príležitosť +UsageTasks=Použitie: Úlohy +UsageBillTimeShort=Použitie: Bill time +InvoiceToUse=Návrh faktúry na použitie +InterToUse=Použiť návrh intervencie NewInvoice=Nová faktúra NewInter=Nový zásah -OneLinePerTask=One line per task -OneLinePerPeriod=One line per period -OneLinePerTimeSpentLine=One line for each time spent declaration -AddDetailDateAndDuration=With date and duration into line description -RefTaskParent=Ref. Parent Task -ProfitIsCalculatedWith=Profit is calculated using -AddPersonToTask=Add also to tasks -UsageOrganizeEvent=Usage: Event Organization -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks at 100 %% progress won't be affected: you will have to close them manually. This option only affects open projects. -SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them -ProjectTasksWithoutTimeSpent=Project tasks without time spent -FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. -ProjectsHavingThisContact=Projects having this contact +OneLinePerTask=Jeden riadok na úlohu +OneLinePerPeriod=Jeden riadok na obdobie +OneLinePerTimeSpentLine=Jeden riadok pre každý čas strávený deklaráciou +AddDetailDateAndDuration=S dátumom a trvaním do popisu riadku +RefTaskParent=Ref. Rodičovská úloha +ProfitIsCalculatedWith=Zisk sa vypočíta pomocou +AddPersonToTask=Pridajte aj do úloh +UsageOrganizeEvent=Použitie: Organizácia podujatí +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Klasifikujte projekt ako uzavretý, keď sú dokončené všetky jeho úlohy (100%% pokrok) +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Poznámka: Existujúce projekty so všetkými úlohami už nastavenými na postup 100%% nebudú ovplyvnené: budete ich musieť zatvoriť ručne. Táto možnosť ovplyvňuje iba otvorené projekty. +SelectLinesOfTimeSpentToInvoice=Vyberte riadky stráveného času, ktoré nie sú fakturované, a potom ich vyúčtovajte hromadnou akciou „Generovať faktúru“. +ProjectTasksWithoutTimeSpent=Projektové úlohy bez stráveného času +FormForNewLeadDesc=Ak nás chcete kontaktovať, vyplňte nasledujúci formulár. Môžete nám tiež poslať e-mail priamo na adresu %s. +ProjectsHavingThisContact=Projekty s týmto kontaktom StartDateCannotBeAfterEndDate=Dátum ukončenia nemôže byť pred dátumom začatia -ErrorPROJECTLEADERRoleMissingRestoreIt=The "PROJECTLEADER" role is missing or has been de-activited, please restore in the dictionary of contact types -LeadPublicFormDesc=You can enable here a public page to allow your prospects to make a first contact to you from a public online form -EnablePublicLeadForm=Enable the public form for contact -NewLeadbyWeb=Your message or request has been recorded. We will answer or contact your soon. -NewLeadForm=New contact form -LeadFromPublicForm=Online lead from public form +ErrorPROJECTLEADERRoleMissingRestoreIt=Rola „PROJECTLEADER“ chýba alebo bola deaktivovaná, obnovte ju v slovníku typov kontaktov +LeadPublicFormDesc=Tu môžete povoliť verejnú stránku, ktorá umožní vašim potenciálnym zákazníkom nadviazať s vami prvý kontakt z verejného online formulára +EnablePublicLeadForm=Povoľte verejný kontaktný formulár +NewLeadbyWeb=Vaša správa alebo žiadosť bola zaznamenaná. Čoskoro vám odpovieme alebo vás budeme kontaktovať. +NewLeadForm=Nový kontaktný formulár +LeadFromPublicForm=Online lead z verejnej formy +ExportAccountingReportButtonLabel=Získajte prehľad diff --git a/htdocs/langs/sk_SK/propal.lang b/htdocs/langs/sk_SK/propal.lang index eaf577101c7..0ca335aeeb9 100644 --- a/htdocs/langs/sk_SK/propal.lang +++ b/htdocs/langs/sk_SK/propal.lang @@ -12,9 +12,11 @@ NewPropal=Nový návrh Prospect=Vyhliadka DeleteProp=Zmazať obchodné návrh ValidateProp=Overiť obchodné návrh +CancelPropal=Zrušiť AddProp=Vytvoriť komerčnú ponuku ConfirmDeleteProp=Určite chcete zmazať túto komerčnú ponuku ? ConfirmValidateProp=Určite chcete overiť túto komerčnú ponuku s týmto menom %s? +ConfirmCancelPropal=Naozaj chcete zrušiť komerčný návrh %s? LastPropals=Najnovšie %s ponuky LastModifiedProposals=Nedávno %s upravené ponuky AllPropals=Všetky návrhy @@ -22,18 +24,20 @@ SearchAProposal=Hľadať návrh NoProposal=Žiadna ponuka ProposalsStatistics=Obchodné Návrh si štatistiky NumberOfProposalsByMonth=Číslo podľa mesiaca -AmountOfProposalsByMonthHT=Amount by month (excl. tax) +AmountOfProposalsByMonthHT=Suma podľa mesiaca (bez dane) NbOfProposals=Počet obchodných návrhov ShowPropal=Zobraziť návrhu PropalsDraft=Dáma PropalsOpened=Otvorení +PropalStatusCanceled=Zrušené (opustené) PropalStatusDraft=Návrh (musí byť overená) PropalStatusValidated=Overené (Návrh je v prevádzke) PropalStatusSigned=Podpis (potreby fakturácia) PropalStatusNotSigned=Nie ste prihlásený (uzavretý) PropalStatusBilled=Účtované +PropalStatusCanceledShort=Zrušený PropalStatusDraftShort=Návrh -PropalStatusValidatedShort=Validated (open) +PropalStatusValidatedShort=Overené (otvorené) PropalStatusClosedShort=Zatvorené PropalStatusSignedShort=Podpísaný PropalStatusNotSignedShort=Nie ste prihlásený @@ -52,15 +56,16 @@ ErrorPropalNotFound=Prepáli %s nebol nájdený AddToDraftProposals=Pridať do predlohy návrhu NoDraftProposals=Žiadne návrhy riešení CopyPropalFrom=Vytvorenie obchodné návrh skopírovaním existujúceho návrhu -CreateEmptyPropal=Create empty commercial proposal or from list of products/services +CreateEmptyPropal=Vytvorte prázdny obchodný návrh alebo zo zoznamu produktov/služieb DefaultProposalDurationValidity=Predvolené komerčné Návrh platnosť doba (v dňoch) -DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal -UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address +DefaultPuttingPricesUpToDate=V predvolenom nastavení aktualizujte ceny s aktuálnymi známymi cenami pri klonovaní návrhu +DefaultPuttingDescUpToDate=Štandardne aktualizujte popisy aktuálnymi známymi popismi pri klonovaní návrhu +UseCustomerContactAsPropalRecipientIfExist=Ako adresu príjemcu návrhu použite namiesto adresy tretej strany kontakt/adresu s typom „Kontaktovať následný návrh“, ak je definovaný ConfirmClonePropal=Určite chcete duplikovať komerčnú ponuku %s? ConfirmReOpenProp=Určite chcete znova otvoriť komerčnú ponuku %s? ProposalsAndProposalsLines=Komerčné návrh a vedenie ProposalLine=Návrh linky -ProposalLines=Proposal lines +ProposalLines=Návrhové línie AvailabilityPeriod=Dostupnosť meškanie SetAvailability=Nastavte si obsadenosť meškanie AfterOrder=po objednaní @@ -77,42 +82,43 @@ AvailabilityTypeAV_1M=1 mesiac TypeContact_propal_internal_SALESREPFOLL=Zástupca nasledujúce vypracovaného návrhu TypeContact_propal_external_BILLING=Zákazník faktúra kontakt TypeContact_propal_external_CUSTOMER=Kontakt so zákazníkom nasledujúce vypracovaného návrhu -TypeContact_propal_external_SHIPPING=Customer contact for delivery +TypeContact_propal_external_SHIPPING=Kontakt na zákazníka pre doručenie # Document models -CantBeNoSign=cannot be set not signed -CaseFollowedBy=Case followed by -ConfirmMassNoSignature=Bulk Not signed confirmation -ConfirmMassNoSignatureQuestion=Are you sure you want to set not signed the selected records ? -ConfirmMassSignature=Bulk Signature confirmation -ConfirmMassSignatureQuestion=Are you sure you want to sign the selected records ? -ConfirmMassValidation=Bulk Validate confirmation -ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? -ContractSigned=Contract signed +CantBeNoSign=nedá sa nastaviť nepodpísané +CaseFollowedBy=Prípad nasleduje +ConfirmMassNoSignature=Hromadné nepodpísané potvrdenie +ConfirmMassNoSignatureQuestion=Naozaj chcete nastaviť, aby vybrané záznamy neboli podpísané? +ConfirmMassSignature=Hromadné potvrdenie podpisu +ConfirmMassSignatureQuestion=Naozaj chcete podpísať vybraté záznamy? +ConfirmMassValidation=Hromadné potvrdenie overenia +ConfirmMassValidationQuestion=Naozaj chcete overiť vybraté záznamy? +ConfirmRefusePropal=Naozaj chcete odmietnuť tento komerčný návrh? +ContractSigned=Zmluva podpísaná DefaultModelPropalClosed=Predvolená šablóna pri zatváraní obchodnej návrh (nevyfakturované) DefaultModelPropalCreate=Predvolené model, tvorba DefaultModelPropalToBill=Predvolená šablóna pri zatváraní obchodnej návrh (bude faktúrovať) -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model -FichinterSigned=Intervention signed -IdProduct=Product ID -IdProposal=Proposal ID -IsNotADraft=is not a draft -LineBuyPriceHT=Buy Price Amount net of tax for line +DocModelAzurDescription=Kompletný návrhový model (stará implementácia azúrovej šablóny) +DocModelCyanDescription=Kompletný návrhový model +FichinterSigned=Intervencia podpísaná +IdProduct=identifikačné číslo produktu +IdProposal=ID ponuky +IsNotADraft=nie je návrh +LineBuyPriceHT=Kúpna cena Čiastka bez dane za riadok NoSign=Odmietnuť -NoSigned=set not signed -PassedInOpenStatus=has been validated -PropalAlreadyRefused=Proposal already refused -PropalAlreadySigned=Proposal already accepted -PropalRefused=Proposal refused -PropalSigned=Proposal accepted +NoSigned=set nepodpísaný +PassedInOpenStatus=bola potvrdená +PropalAlreadyRefused=Návrh už zamietnutý +PropalAlreadySigned=Návrh už bol prijatý +PropalRefused=Návrh zamietnutý +PropalSigned=Návrh bol prijatý ProposalCustomerSignature=Písomná akceptácia, firemná pečiatka, dátum a podpis -ProposalsStatisticsSuppliers=Vendor proposals statistics -RefusePropal=Refuse proposal -Sign=Sign -SignContract=Sign contract -SignFichinter=Sign intervention -SignPropal=Accept proposal -Signed=signed -SignedOnly=Signed only +ProposalsStatisticsSuppliers=Štatistika ponúk dodávateľov +RefusePropal=Odmietnuť návrh +Sign=Podpísať +SignContract=Podpísať zmluvu +SignFichinter=Zásah znamenia +SignSociete_rib=Podpísať mandát +SignPropal=Prijať návrh +Signed=podpísané +SignedOnly=Iba podpísané diff --git a/htdocs/langs/sk_SK/recruitment.lang b/htdocs/langs/sk_SK/recruitment.lang index cc8ccd8eae8..dddebed8f65 100644 --- a/htdocs/langs/sk_SK/recruitment.lang +++ b/htdocs/langs/sk_SK/recruitment.lang @@ -18,62 +18,65 @@ # # Module label 'ModuleRecruitmentName' -ModuleRecruitmentName = Recruitment +ModuleRecruitmentName = Nábor # Module description 'ModuleRecruitmentDesc' -ModuleRecruitmentDesc = Manage and follow recruitment campaigns for new job positions +ModuleRecruitmentDesc = Spravujte a sledujte náborové kampane na nové pracovné pozície # # Admin page # -RecruitmentSetup = Recruitment setup -Settings = Settings -RecruitmentSetupPage = Enter here the setup of main options for the recruitment module -RecruitmentArea=Recruitement area -PublicInterfaceRecruitmentDesc=Public pages of jobs are public URLs to show and answer to open jobs. There is one different link for each open job, found on each job record. -EnablePublicRecruitmentPages=Enable public pages of open jobs +RecruitmentSetup = Nastavenie náboru +Settings = nastavenie +RecruitmentSetupPage = Tu zadajte nastavenie hlavných možností pre modul náboru +RecruitmentArea=Oblasť náboru +PublicInterfaceRecruitmentDesc=Verejné stránky úloh sú verejné adresy URL na zobrazenie a odpovedanie na otvorené úlohy. Pre každú otvorenú úlohu existuje jeden odlišný odkaz, ktorý sa nachádza v každom zázname o úlohe. +EnablePublicRecruitmentPages=Povoliť verejné stránky otvorených úloh # # About page # About = O -RecruitmentAbout = About Recruitment -RecruitmentAboutPage = Recruitment about page -NbOfEmployeesExpected=Expected nb of employees -JobLabel=Label of job position -WorkPlace=Work place -DateExpected=Expected date -FutureManager=Future manager -ResponsibleOfRecruitement=Responsible of recruitment -IfJobIsLocatedAtAPartner=If job is located at a partner place +RecruitmentAbout = O nábore +RecruitmentAboutPage = Nábor o stránke +NbOfEmployeesExpected=Očakávaný počet zamestnancov +JobLabel=Označenie pracovnej pozície +WorkPlace=Pracovné miesto +DateExpected=Očakávaný dátum +FutureManager=Budúci manažér +ResponsibleOfRecruitement=Zodpovedný za nábor +IfJobIsLocatedAtAPartner=Ak sa práca nachádza na mieste partnera PositionToBeFilled=Poradie úlohy -PositionsToBeFilled=Job positions -ListOfPositionsToBeFilled=List of job positions -NewPositionToBeFilled=New job positions +PositionsToBeFilled=Pracovné pozície +ListOfPositionsToBeFilled=Zoznam pracovných pozícií +NewPositionToBeFilled=Nové pracovné pozície -JobOfferToBeFilled=Job position to be filled -ThisIsInformationOnJobPosition=Information of the job position to be filled -ContactForRecruitment=Contact for recruitment +JobOfferToBeFilled=Pracovná pozícia na obsadenie +ThisIsInformationOnJobPosition=Informácie o pracovnej pozícii, ktorá sa má obsadiť +ContactForRecruitment=Kontakt pre nábor EmailRecruiter=Email recruiter -ToUseAGenericEmail=To use a generic email. If not defined, the email of the responsible of recruitment will be used -NewCandidature=New application -ListOfCandidatures=List of applications +ToUseAGenericEmail=Ak chcete použiť všeobecný e-mail. Ak nie je definovaný, použije sa e-mailová adresa zodpovedného za nábor +NewCandidature=Nová aplikácia +ListOfCandidatures=Zoznam aplikácií Remuneration=Mzda -RequestedRemuneration=Requested salary -ProposedRemuneration=Proposed salary -ContractProposed=Contract proposed -ContractSigned=Contract signed -ContractRefused=Contract refused -RecruitmentCandidature=Application -JobPositions=Job positions -RecruitmentCandidatures=Applications -InterviewToDo=Contacts to follow -AnswerCandidature=Application answer -YourCandidature=Your application -YourCandidatureAnswerMessage=Thanks you for your application.
      ... -JobClosedTextCandidateFound=The job position is closed. The position has been filled. -JobClosedTextCanceled=The job position is closed. -ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsApplication=Complementary attributes (job applications) -MakeOffer=Make an offer -WeAreRecruiting=We are recruiting. This is a list of open positions to be filled... -NoPositionOpen=No positions open at the moment +RequestedRemuneration=Požadovaný plat +ProposedRemuneration=Navrhovaný plat +ContractProposed=Navrhnutá zmluva +ContractSigned=Zmluva podpísaná +ContractRefused=Zmluva odmietnutá +RecruitmentCandidature=Aplikácia +JobPositions=Pracovné pozície +RecruitmentCandidatures=Aplikácie +InterviewToDo=Kontakty na sledovanie +AnswerCandidature=Odpoveď aplikácie +YourCandidature=Vaša aplikácia +YourCandidatureAnswerMessage=Ďakujeme za vašu žiadosť.
      ... +JobClosedTextCandidateFound=Pracovná pozícia je uzavretá. Pozícia je obsadená. +JobClosedTextCanceled=Pracovná pozícia je uzavretá. +ExtrafieldsJobPosition=Doplnkové atribúty (pracovné pozície) +ExtrafieldsApplication=Doplnkové atribúty (žiadosti o zamestnanie) +MakeOffer=Ponúknuť +WeAreRecruiting=Robíme nábor. Toto je zoznam voľných pozícií, ktoré sa majú obsadiť... +NoPositionOpen=Momentálne nie sú otvorené žiadne pozície +ConfirmClose=Potvrďte zrušenie +ConfirmCloseAsk=Naozaj chcete zrušiť túto náborovú kandidatúru? +recruitment=Nábor diff --git a/htdocs/langs/sk_SK/sendings.lang b/htdocs/langs/sk_SK/sendings.lang index 118df114698..48280e8deb8 100644 --- a/htdocs/langs/sk_SK/sendings.lang +++ b/htdocs/langs/sk_SK/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Overené StatusSendingProcessedShort=Spracované SendingSheet=Zásielkový hárok ConfirmDeleteSending=Určite chcete zmazať túto zásielku ? -ConfirmValidateSending=Určite chcete overiť túto zásielku s odkazom %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Určite chcete zrušiť túto zásielku ? DocumentModelMerou=Mero A5 modelu WarningNoQtyLeftToSend=Varovanie: žiadny tovar majú byť dodané. @@ -48,7 +48,7 @@ DateDeliveryPlanned=Plánovaný dátum doručenia RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt DateReceived=Dátum doručenia obdržal -ClassifyReception=Classify reception +ClassifyReception=Classify Received SendShippingByEMail=Send shipment by email SendShippingRef=Podanie zásielky %s ActionsOnShipping=Udalosti na zásielky @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase NoProductToShipFoundIntoStock=No product to ship found in warehouse %s. Correct stock or go back to choose another warehouse. WeightVolShort=Váha/Objem ValidateOrderFirstBeforeShipment=Najprv musíte overiť objednávku pred vytvorením zásielky. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,3 +75,12 @@ SumOfProductWeights=Súčet hmotností produktov # warehouse details DetailWarehouseNumber= Detaily skladu DetailWarehouseFormat= W:%s (Qty: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation + +ShipmentDistribution=Shipment distribution + +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/sk_SK/stripe.lang b/htdocs/langs/sk_SK/stripe.lang index b4859dbdaa0..1547580e739 100644 --- a/htdocs/langs/sk_SK/stripe.lang +++ b/htdocs/langs/sk_SK/stripe.lang @@ -1,71 +1,80 @@ # Dolibarr language file - Source file is en_US - stripe -StripeSetup=Stripe module setup -StripeDesc=Offer your customers an online payment page for payments with credit/debit cards via
      Stripe. This can be used to allow your customers to make ad-hoc payments or for payments related to a particular Dolibarr object (invoice, order, ...) -StripeOrCBDoPayment=Pay with credit card or Stripe +StripeSetup=Nastavenie prúžkového modulu +StripeDesc=Ponúknite svojim zákazníkom online platobnú stránku pre platby kreditnými/debetnými kartami cez Stripe. Môžete to použiť, aby ste svojim zákazníkom umožnili uskutočňovať ad-hoc platby alebo platby súvisiace s konkrétnym objektom Dolibarr (faktúra, objednávka, ...) +StripeOrCBDoPayment=Plaťte kreditnou kartou alebo Stripe FollowingUrlAreAvailableToMakePayments=Nasledovné adresy URL sú k dispozícii ponúknuť stránky na zákazníka, aby platbu na Dolibarr objektov PaymentForm=Platba formulár -WelcomeOnPaymentPage=Welcome to our online payment service +WelcomeOnPaymentPage=Vitajte v našej online platobnej službe ThisScreenAllowsYouToPay=Táto obrazovka vám umožní vykonať on-line platbu %s. ThisIsInformationOnPayment=Sú to informácie o platbe robiť ToComplete=Ak chcete dokončiť YourEMail=E-mail obdržať potvrdenie platby -STRIPE_PAYONLINE_SENDEMAIL=Email notification after a payment attempt (success or fail) +STRIPE_PAYONLINE_SENDEMAIL=E-mailové upozornenie po pokuse o platbu (úspešný alebo neúspešný) Creditor=Veriteľ PaymentCode=Platobné kód -StripeDoPayment=Pay with Stripe -YouWillBeRedirectedOnStripe=You will be redirected on secured Stripe page to input you credit card information +StripeDoPayment=Plaťte cez Stripe +YouWillBeRedirectedOnStripe=Budete presmerovaní na zabezpečenú stránku Stripe, kde zadáte informácie o svojej kreditnej karte Continue=Ďalšie ToOfferALinkForOnlinePayment=URL pre %s platby -ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order -ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice -ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line -ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment page of any amount with no existing object -ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment page for a member subscription -ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation -YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag.
      For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter) -SetupStripeToHavePaymentCreatedAutomatically=Setup your Stripe with url %s to have payment created automatically when validated by Stripe. +ToOfferALinkForOnlinePaymentOnOrder=Webová adresa na ponuku %s online platobnej stránky pre predajnú objednávku +ToOfferALinkForOnlinePaymentOnInvoice=Adresa URL, ktorá ponúka %s stránku online platieb pre zákaznícku faktúru +ToOfferALinkForOnlinePaymentOnContractLine=Adresa URL, ktorá ponúka %s stránku online platieb pre zmluvný riadok +ToOfferALinkForOnlinePaymentOnFreeAmount=Adresa URL, ktorá ponúka %s stránku online platieb v ľubovoľnej výške bez existujúceho objektu +ToOfferALinkForOnlinePaymentOnMemberSubscription=Adresa URL, ktorá ponúka %s online platobnú stránku pre členské predplatné +ToOfferALinkForOnlinePaymentOnDonation=Adresa URL, ktorá ponúka %s stránku online platieb na platbu daru +YouCanAddTagOnUrl=Môžete tiež pridať parameter adresy URL &tag=valueb0ae64758 class='notranslate'> na ktorúkoľvek z týchto adries URL (povinné iba pri platbe, ktorá nie je prepojená s objektom), aby ste pridali svoju vlastnú značku komentára k platbe.
      Pre URL platieb bez existujúceho objektu, môžete pridať aj parameter &noidempotency=1, takže rovnaký odkaz s rovnakou značkou možno použiť niekoľkokrát (niektoré spôsoby platby môžu obmedziť platbu na 1 za každý iný odkaz bez tohto parametra) +SetupStripeToHavePaymentCreatedAutomatically=Nastavte svoj Stripe pomocou adresy URL %s, kedy sa platba vytvorí automaticky potvrdené spoločnosťou Stripe. AccountParameter=Parametre účtu UsageParameter=Používanie parametrov InformationToFindParameters=Pomôžte nájsť %s informácie o účte -STRIPE_CGI_URL_V2=Url of Stripe CGI module for payment +STRIPE_CGI_URL_V2=Adresa URL modulu Stripe CGI na platbu CSSUrlForPaymentForm=CSS štýlov url platobného formulára -NewStripePaymentReceived=New Stripe payment received -NewStripePaymentFailed=New Stripe payment tried but failed -FailedToChargeCard=Failed to charge card -STRIPE_TEST_SECRET_KEY=Secret test key -STRIPE_TEST_PUBLISHABLE_KEY=Publishable test key -STRIPE_TEST_WEBHOOK_KEY=Webhook test key -STRIPE_LIVE_SECRET_KEY=Secret live key -STRIPE_LIVE_PUBLISHABLE_KEY=Publishable live key -STRIPE_LIVE_WEBHOOK_KEY=Webhook live key -ONLINE_PAYMENT_WAREHOUSE=Stock to use for stock decrease when online payment is done
      (TODO When option to decrease stock is done on an action on invoice and the online payment generate itself the invoice ?) -StripeLiveEnabled=Stripe live enabled (otherwise test/sandbox mode) -StripeImportPayment=Import Stripe payments -ExampleOfTestCreditCard=Example of credit card for test: %s => valid, %s => error CVC, %s => expired, %s => charge fails -StripeGateways=Stripe gateways -OAUTH_STRIPE_TEST_ID=Stripe Connect Client ID (ca_...) -OAUTH_STRIPE_LIVE_ID=Stripe Connect Client ID (ca_...) -BankAccountForBankTransfer=Bank account for fund payouts -StripeAccount=Stripe account -StripeChargeList=List of Stripe charges -StripeTransactionList=List of Stripe transactions -StripeCustomerId=Stripe customer id -StripePaymentModes=Stripe payment modes -LocalID=Local ID -StripeID=Stripe ID -NameOnCard=Name on card -CardNumber=Card Number -ExpiryDate=Expiry Date +NewStripePaymentReceived=Prijatá platba New Stripe +NewStripePaymentFailed=Platba New Stripe sa pokúsila, ale zlyhala +FailedToChargeCard=Nabitie karty zlyhalo +STRIPE_TEST_SECRET_KEY=Tajný testovací kľúč +STRIPE_TEST_PUBLISHABLE_KEY=Publikovateľný testovací kľúč +STRIPE_TEST_WEBHOOK_KEY=Testovací kľúč webhooku +STRIPE_LIVE_SECRET_KEY=Tajný živý kľúč +STRIPE_LIVE_PUBLISHABLE_KEY=Publikovateľný živý kľúč +STRIPE_LIVE_WEBHOOK_KEY=Živý kľúč webhooku +ONLINE_PAYMENT_WAREHOUSE=Zásoby, ktoré sa použijú na zníženie zásob po vykonaní online platby
      (TODO Keď sa možnosť zníženia zásob vykoná na akcii na faktúre a online platba si sama vygeneruje faktúru?) +StripeLiveEnabled=Stripe live povolené (inak test/režim karantény) +StripeImportPayment=Importovať platby Stripe +ExampleOfTestCreditCard=Príklad kreditnej karty pre skúšobnú platbu: %s => platná, %s => chybový kód CVC, %s => vypršala, %s => nabíjanie zlyhalo +ExampleOfTestBankAcountForSEPA=Príklad BAN bankového účtu pre test inkasa: %s +StripeGateways=Prúžkové brány +OAUTH_STRIPE_TEST_ID=ID klienta Stripe Connect (ca_...) +OAUTH_STRIPE_LIVE_ID=ID klienta Stripe Connect (ca_...) +BankAccountForBankTransfer=Bankový účet pre výplaty fondov +StripeAccount=Stripe účet +StripeChargeList=Zoznam poplatkov Stripe +StripeTransactionList=Zoznam transakcií Stripe +StripeCustomerId=Stripe ID zákazníka +StripePaymentId=Identifikátor platby Stripe +StripePaymentModes=Stripe platobné režimy +LocalID=Miestne ID +StripeID=ID pruhu +NameOnCard=Meno na karte +CardNumber=Číslo karty +ExpiryDate=Dátum spotreby CVN=CVN -DeleteACard=Delete Card -ConfirmDeleteCard=Are you sure you want to delete this Credit or Debit card? -CreateCustomerOnStripe=Create customer on Stripe -CreateCardOnStripe=Create card on Stripe -ShowInStripe=Show in Stripe -StripeUserAccountForActions=User account to use for email notification of some Stripe events (Stripe payouts) -StripePayoutList=List of Stripe payouts -ToOfferALinkForTestWebhook=Link to setup Stripe WebHook to call the IPN (test mode) -ToOfferALinkForLiveWebhook=Link to setup Stripe WebHook to call the IPN (live mode) -PaymentWillBeRecordedForNextPeriod=Payment will be recorded for the next period. -ClickHereToTryAgain=Click here to try again... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s +DeleteACard=Odstrániť kartu +ConfirmDeleteCard=Naozaj chcete odstrániť túto kreditnú alebo debetnú kartu? +CreateCustomerOnStripe=Vytvorte si zákazníka na Stripe +CreateCardOnStripe=Vytvorte kartu na Stripe +CreateBANOnStripe=Vytvorte banku na Stripe +ShowInStripe=Zobraziť v Stripe +StripeUserAccountForActions=Používateľský účet, ktorý sa má použiť na e-mailové upozornenia na niektoré udalosti Stripe (výplaty Stripe) +StripePayoutList=Zoznam výplat Stripe +ToOfferALinkForTestWebhook=Odkaz na nastavenie Stripe WebHook na volanie IPN (testovací režim) +ToOfferALinkForLiveWebhook=Odkaz na nastavenie Stripe WebHook na volanie IPN (živý režim) +PaymentWillBeRecordedForNextPeriod=Platba bude zaúčtovaná na ďalšie obdobie. +ClickHereToTryAgain=Kliknutím sem to skúste znova... +CreationOfPaymentModeMustBeDoneFromStripeInterface=Kvôli pravidlám Strong Customer Authentication musí byť vytvorenie karty vykonané z back office Stripe. Kliknutím sem zapnite záznam zákazníka Stripe: %s +STRIPE_CARD_PRESENT=Darčeková karta pre Stripe Terminály +TERMINAL_LOCATION=Miesto (adresa) pre Stripe Terminals +RequestDirectDebitWithStripe=Požiadajte o inkaso s Stripe +RequesCreditTransferWithStripe=Požiadajte o prevod kreditu pomocou služby Stripe +STRIPE_SEPA_DIRECT_DEBIT=Povoľte platby inkasom cez Stripe +StripeConnect_Mode=Režim Stripe Connect diff --git a/htdocs/langs/sk_SK/website.lang b/htdocs/langs/sk_SK/website.lang index 8adcd0ff642..7979e6d2a7c 100644 --- a/htdocs/langs/sk_SK/website.lang +++ b/htdocs/langs/sk_SK/website.lang @@ -1,162 +1,166 @@ # Dolibarr language file - Source file is en_US - website Shortname=Kód -WebsiteName=Name of the website -WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them. +WebsiteName=Názov webovej stránky +WebsiteSetupDesc=Tu vytvorte webové stránky, ktoré chcete používať. Potom prejdite do ponuky Webové stránky a upravte ich. DeleteWebsite=Zmazať webstránku -ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. -WEBSITE_TYPE_CONTAINER=Type of page/container -WEBSITE_PAGE_EXAMPLE=Web page to use as example +ConfirmDeleteWebsite=Naozaj chcete odstrániť túto webovú stránku? Všetky jej stránky a obsah budú tiež odstránené. Nahrané súbory (napríklad do adresára médií, modulu ECM, ...) zostanú. +WEBSITE_TYPE_CONTAINER=Typ stránky/kontajnera +WEBSITE_PAGE_EXAMPLE=Webová stránka, ktorá sa má použiť ako príklad WEBSITE_PAGENAME=Meno stránky -WEBSITE_ALIASALT=Alternative page names/aliases -WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
      alternativename1, alternativename2, ... +WEBSITE_ALIASALT=Alternatívne názvy/aliasy stránok +WEBSITE_ALIASALTDesc=Tu použite zoznam iných mien/aliasov, aby sa na stránku dalo pristupovať aj pomocou týchto iných mien/aliasov (napríklad starý názov po premenovaní aliasu, aby spätný odkaz na starý odkaz/názov fungoval). Syntax je:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=URL alebo externý CSS dokument -WEBSITE_CSS_INLINE=CSS file content (common to all pages) -WEBSITE_JS_INLINE=Javascript file content (common to all pages) -WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) -WEBSITE_ROBOT=Robot file (robots.txt) -WEBSITE_HTACCESS=Website .htaccess file -WEBSITE_MANIFEST_JSON=Website manifest.json file -WEBSITE_KEYWORDSDesc=Use a comma to separate values -EnterHereReadmeInformation=Enter here a description of the website. If you distribute your website as a template, the file will be included into the temptate package. -EnterHereLicenseInformation=Enter here the LICENSE of the code of the website. If you distribute your website as a template, the file will be included into the temptate package. -HtmlHeaderPage=HTML header (specific to this page only) -PageNameAliasHelp=Name or alias of the page.
      This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. -EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. +WEBSITE_CSS_INLINE=Obsah súboru CSS (spoločný pre všetky stránky) +WEBSITE_JS_INLINE=Obsah súboru JavaScript (spoločný pre všetky stránky) +WEBSITE_HTML_HEADER=Pridanie v spodnej časti hlavičky HTML (spoločné pre všetky stránky) +WEBSITE_ROBOT=Súbor robota (robots.txt) +WEBSITE_HTACCESS=Súbor .htaccess webovej stránky +WEBSITE_MANIFEST_JSON=Súbor manifest.json webových stránok +WEBSITE_KEYWORDSDesc=Na oddelenie hodnôt použite čiarku +EnterHereReadmeInformation=Tu zadajte popis webovej stránky. Ak distribuujete svoju webovú stránku ako šablónu, súbor bude zahrnutý do balíka temptate. +EnterHereLicenseInformation=Tu zadajte LICENCIU kódu webovej stránky. Ak distribuujete svoju webovú stránku ako šablónu, súbor bude zahrnutý do balíka temptate. +HtmlHeaderPage=HTML hlavička (špecifická len pre túto stránku) +PageNameAliasHelp=Názov alebo alias stránky.
      Tento alias sa tiež používa na falšovanie SEO URL, keď je webová stránka spustená z virtuálneho hostiteľa webového servera (ako Apacke, Nginx, .. .). Na úpravu tohto aliasu použite tlačidlo "%s". +EditTheWebSiteForACommonHeader=Poznámka: Ak chcete definovať prispôsobenú hlavičku pre všetky stránky, upravte hlavičku na úrovni lokality, nie na stránke/kontajneri. MediaFiles=Knižnica médií -EditCss=Edit website properties +EditCss=Upraviť vlastnosti webu EditMenu=Upraviť menu -EditMedias=Edit medias -EditPageMeta=Edit page/container properties -EditInLine=Edit inline -AddWebsite=Add website -Webpage=Web page/container -AddPage=Add page/container +EditMedias=Upravte médiá +EditPageMeta=Upravte vlastnosti stránky/kontajnera +EditInLine=Upraviť priamo +AddWebsite=Pridať webovú stránku +Webpage=Webová stránka/kontajner +AddPage=Pridať stránku/kontajner PageContainer=Strana -PreviewOfSiteNotYetAvailable=The preview of your website %s is not yet available. You must first 'Import a full website template' or just 'Add a page/container'. -RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this. -SiteDeleted=Web site '%s' deleted -PageContent=Page/Contenair -PageDeleted=Page/Contenair '%s' of website %s deleted -PageAdded=Page/Contenair '%s' added +PreviewOfSiteNotYetAvailable=Ukážka vašej webovej stránky %s ešte nie je k dispozícii. Najprv musíte 'Importovať úplnú šablónu webovej stránky' alebo len 'b0e78643947 span>Pridať stránku/kontajner
      '. +RequestedPageHasNoContentYet=Požadovaná stránka s ID %s zatiaľ nemá žiadny obsah alebo bol odstránený súbor vyrovnávacej pamäte .tpl.php. Ak chcete tento problém vyriešiť, upravte obsah stránky. +SiteDeleted=Web '%s' bol odstránený +PageContent=Stránka/Contenair +PageDeleted=Stránka/Contenair '%s' webovej lokality %s bola odstránená +PageAdded=Stránka/Contenair '%s' pridaný ViewSiteInNewTab=Zobraziť web stránku na novej karte ViewPageInNewTab=Zobraziť stránku na novej karte SetAsHomePage=Nastaviť ako domovskú stránku RealURL=Skutočná URL ViewWebsiteInProduction=Zobraziť web stránku použitím domovskej URL -Virtualhost=Virtual host or domain name -VirtualhostDesc=The name of the Virtual host or domain (For example: www.mywebsite.com, mybigcompany.net, ...) -SetHereVirtualHost=Use with Apache/NGinx/...
      Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
      %s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: -YouCanAlsoTestWithPHPS=Use with PHP embedded server
      On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
      php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
      If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org -CheckVirtualHostPerms=Check also that the virtual host user (for example www-data) has %s permissions on files into
      %s +Virtualhost=Názov virtuálneho hostiteľa alebo domény +VirtualhostDesc=Názov virtuálneho hostiteľa alebo domény (napríklad: www.mywebsite.com, mybigcompany.net, ...) +SetHereVirtualHost=Použite s Apache/NGinx/...
      naCreate váš webový server (Apache, Nginx, ...) vyhradený virtuálny hostiteľ s povoleným PHP a koreňový adresár na
      %s +ExampleToUseInApacheVirtualHostConfig=Príklad na použitie v nastavení virtuálneho hostiteľa Apache: +YouCanAlsoTestWithPHPS=Používajte s vstavaným serverom PHP
      Vo vývojovom prostredí môžete radšej otestujte stránku pomocou vstavaného webového servera PHP (vyžaduje sa PHP 5.5) spustením
      php -S 0.0.0.0 :8080 -t %s +YouCanAlsoDeployToAnotherWHP=Spustite svoju webovú stránku s iným poskytovateľom hostingu Dolibarr
      If you ak nemáte na internete k dispozícii webový server ako Apache alebo NGinx, môžete svoju webovú stránku exportovať a importovať do inej inštancie Dolibarr, ktorú poskytuje iný poskytovateľ hostingu Dolibarr, ktorý poskytuje plnú integráciu s modulom webovej stránky. Zoznam niektorých poskytovateľov hostingu Dolibarr nájdete na https://saas.dolibarr.org +CheckVirtualHostPerms=Skontrolujte tiež, či má používateľ virtuálneho hostiteľa (napríklad www-data) %sb0a65d071f6fc9z povolenia na súbory do triedy
      %s ReadPerm=Čítať -WritePerm=Write -TestDeployOnWeb=Test/deploy on web -PreviewSiteServedByWebServer=Preview %s in a new tab.

      The %s will be served by an external web server (like Apache, Nginx, IIS). You must install and setup this server before to point to directory:
      %s
      URL served by external server:
      %s -PreviewSiteServedByDolibarr=Preview %s in a new tab.

      The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed.
      The inconvenient is that the URLs of pages are not user friendly and start with the path of your Dolibarr.
      URL served by Dolibarr:
      %s

      To use your own external web server to serve this web site, create a virtual host on your web server that points on directory
      %s
      then enter the name of this virtual server in the properties of this website and click on the link "Test/Deploy on the web". -VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined -NoPageYet=No pages yet -YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template -SyntaxHelp=Help on specific syntax tips -YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . -ClonePage=Clone page/container -CloneSite=Clone site -SiteAdded=Website added -ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page. -PageIsANewTranslation=The new page is a translation of the current page ? -LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page. -ParentPageId=Parent page ID -WebsiteId=Website ID -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... -OrEnterPageInfoManually=Or create page from scratch or from a page template... -FetchAndCreate=Fetch and Create -ExportSite=Export website -ImportSite=Import website template -IDOfPage=Id of page +WritePerm=Napíšte +TestDeployOnWeb=Testovať/nasadiť na webe +PreviewSiteServedByWebServer=Ukážka %s na novej karte.

      %s bude obsluhovaný externým webovým serverom (ako Apache, Nginx, ). Tento server musíte nainštalovať a nastaviť predtým, aby ste mohli smerovať na adresár:
      %s%s span>
      Adresa URL poskytovaná externým serverom:
      %s +PreviewSiteServedByDolibarr=Ukážka %s na novej karte.

      %s bude obsluhovať server Dolibarr, takže nepotrebuje žiadny ďalší webový server (ako Apache, Nginx, IIS) na inštaláciu.
      Nevhodné je, že adresy URL stránok nie sú užívateľsky prívetivé a začínajú cestou vášho Dolibarru.
      Adresa URL poskytovaná spoločnosťou Dolibarr:


      Ak chcete použiť svoj vlastný externý webový server obsluhujte túto webovú stránku, vytvorte si na svojom webovom serveri virtuálneho hostiteľa, ktorý ukazuje na adresár
      %s
      potom zadajte názov tohto virtuálneho servera vo vlastnostiach tohto webu a kliknite na odkaz „Testovať/nasadiť na webe“. +VirtualHostUrlNotDefined=Adresa URL virtuálneho hostiteľa obsluhovaného externým webovým serverom nie je definovaná +NoPageYet=Zatiaľ žiadne stránky +YouCanCreatePageOrImportTemplate=Môžete vytvoriť novú stránku alebo importovať úplnú šablónu webovej lokality +SyntaxHelp=Pomoc s konkrétnymi tipmi pre syntax +YouCanEditHtmlSourceckeditor=Zdrojový kód HTML môžete upraviť pomocou tlačidla „Zdroj“ v editore. +YouCanEditHtmlSource=
      Do tohto zdroja môžete zahrnúť kód PHP pomocou značiek <?php ?><1span'f60b'notranslate . K dispozícii sú nasledujúce globálne premenné: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Môžete tiež zahrnúť obsah inej stránky/kontajnera s nasledujúcou syntaxou:
      <?includphp includeContainer('alias_to_container) ?>

      <a>
      odkaz na stiahnutie súboru uloženého v , použite document.php:< class=' wrapper >
      Príklad pre súbor do dokumentov/ecm (treba zaprotokolovať) je syntax:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Pre súbor do dokumentov/médií (otvorený adresár pre verejný prístup) je syntax:
      <a href="/document.php?namemodulepart=medias&file=[relative_file=[relative] ext">
      Pre súbor zdieľaný s odkazom na zdieľanie ( otvorený prístup pomocou zdieľania hash kľúča súboru), syntax je:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      Ak chcete zahrnúť directory='b07a061f6'> directory , použite obal viewimage.php.b0342fccfda>Example,Example, obrázok do dokumentov/médií (otvorený adresár pre verejný prístup), syntax je:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext"
      +YouCanEditHtmlSource3=Ak chcete získať adresu URL obrázka objektu PHP, použite
      << span>img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>" class='notranslate'>>
      +YouCanEditHtmlSourceMore=
      Ďalšie príklady HTML alebo dynamického kódu sú k dispozícii na wiki dokumentácii >.
      +ClonePage=Klonovanie stránky/kontajnera +CloneSite=Klonovacia stránka +SiteAdded=Webová stránka bola pridaná +ConfirmClonePage=Zadajte kód/alias novej stránky a ak ide o preklad klonovanej stránky. +PageIsANewTranslation=Nová stránka je prekladom aktuálnej stránky? +LanguageMustNotBeSameThanClonedPage=Naklonujete stránku ako preklad. Jazyk novej stránky musí byť iný ako jazyk zdrojovej stránky. +ParentPageId=ID nadradenej stránky +WebsiteId=ID webovej stránky +CreateByFetchingExternalPage=Vytvorte stránku/kontajner načítaním stránky z externej adresy URL... +OrEnterPageInfoManually=Alebo vytvorte stránku od začiatku alebo zo šablóny stránky... +FetchAndCreate=Načítať a vytvoriť +ExportSite=Exportovať webovú stránku +ImportSite=Importovať šablónu webu +IDOfPage=ID stránky Banner=Banner -BlogPost=Blog post -WebsiteAccount=Website account -WebsiteAccounts=Website accounts -AddWebsiteAccount=Create web site account -BackToListForThirdParty=Back to list for the third parties -DisableSiteFirst=Disable website first -MyContainerTitle=My web site title -AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists) -SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please comme back later... -WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table -WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party -YouMustDefineTheHomePage=You must first define the default Home page -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correclty when used on a grabbed external page. -OnlyEditionOfSourceForGrabbedContent=Only edition of HTML source is possible when content was grabbed from an external site -GrabImagesInto=Grab also images found into css and page. -ImagesShouldBeSavedInto=Images should be saved into directory -WebsiteRootOfImages=Root directory for website images -SubdirOfPage=Sub-directory dedicated to page -AliasPageAlreadyExists=Alias page %s already exists -CorporateHomePage=Corporate Home page -EmptyPage=Empty page -ExternalURLMustStartWithHttp=External URL must start with http:// or https:// -ZipOfWebsitePackageToImport=Upload the Zip file of the website template package -ZipOfWebsitePackageToLoad=or Choose an available embedded website template package -ShowSubcontainers=Show dynamic content -InternalURLOfPage=Internal URL of page -ThisPageIsTranslationOf=This page/container is a translation of -ThisPageHasTranslationPages=This page/container has translation -NoWebSiteCreateOneFirst=No website has been created yet. Create one first. -GoTo=Go to -DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). -NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. -ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? -MyWebsitePages=My website pages -SearchReplaceInto=Search | Replace into -ReplaceString=New string -CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. -Dynamiccontent=Sample of a page with dynamic content -ImportSite=Import website template -EditInLineOnOff=Mode 'Edit inline' is %s -ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s -GlobalCSSorJS=Global CSS/JS/Header file of web site -BackToHomePage=Back to home page... -TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
      (ref=%s, type=%s, status=%s) -UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters -MainLanguage=Main language -OtherLanguages=Other languages -UseManifest=Provide a manifest.json file -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers +BlogPost=Príspevok v blogu +WebsiteAccount=Webový účet +WebsiteAccounts=Účty webových stránok +AddWebsiteAccount=Vytvorte si účet na webovej stránke +BackToListForThirdParty=Späť na zoznam pre tretie strany +DisableSiteFirst=Najprv deaktivujte webovú stránku +MyContainerTitle=Názov mojej webovej stránky +AnotherContainer=Takto zahrniete obsah inej stránky/kontajnera (ak povolíte dynamický kód, môže sa tu vyskytnúť chyba, pretože vložený subkontajner nemusí existovať) +SorryWebsiteIsCurrentlyOffLine=Ľutujeme, táto stránka je momentálne offline. Prosím, vráťte sa neskôr... +WEBSITE_USE_WEBSITE_ACCOUNTS=Povoľte tabuľku účtov webovej lokality +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Povoľte tabuľku na ukladanie účtov webových stránok (prihlásenie/prihlásenie) pre každú webovú stránku / tretiu stranu +YouMustDefineTheHomePage=Najprv musíte definovať predvolenú domovskú stránku +OnlyEditionOfSourceForGrabbedContentFuture=Upozornenie: Vytvorenie webovej stránky importovaním externej webovej stránky je vyhradené pre skúsených používateľov. V závislosti od zložitosti zdrojovej stránky sa môže výsledok importu líšiť od originálu. Ak zdrojová stránka používa bežné štýly CSS alebo konfliktný JavaScript, môže to pri práci na tejto stránke poškodiť vzhľad alebo funkcie editora webových stránok. Táto metóda predstavuje rýchlejší spôsob vytvorenia stránky, ale odporúča sa vytvoriť novú stránku od začiatku alebo z navrhovanej šablóny stránky.
      Upozorňujeme tiež, že vložený editor nemusí fungovať správnosť pri použití na prevzatej externej stránke. +OnlyEditionOfSourceForGrabbedContent=Iba vydanie zdrojového kódu HTML je možné, ak bol obsah stiahnutý z externej lokality +GrabImagesInto=Uchopte aj nájdené obrázky do css a stránky. +ImagesShouldBeSavedInto=Obrázky by sa mali uložiť do adresára +WebsiteRootOfImages=Koreňový adresár pre obrázky webových stránok +SubdirOfPage=Podadresár venovaný stránke +AliasPageAlreadyExists=Stránka aliasu %s už existuje +CorporateHomePage=Domovská stránka spoločnosti +EmptyPage=Prázdna stránka +ExternalURLMustStartWithHttp=Externá adresa URL musí začínať http:// alebo https:// +ZipOfWebsitePackageToImport=Nahrajte súbor ZIP balíka šablón webovej lokality +ZipOfWebsitePackageToLoad=alebo Vyberte dostupný balík šablón vloženej webovej lokality +ShowSubcontainers=Zobraziť dynamický obsah +InternalURLOfPage=Interná adresa URL stránky +ThisPageIsTranslationOf=Táto stránka/kontajner je prekladom +ThisPageHasTranslationPages=Táto stránka/kontajner má preklad +NoWebSiteCreateOneFirst=Zatiaľ nebola vytvorená žiadna webová stránka. Najprv vytvorte jednu. +GoTo=Ísť do +DynamicPHPCodeContainsAForbiddenInstruction=Pridáte dynamický kód PHP, ktorý obsahuje inštrukciu PHP '%s ', ktorý je štandardne zakázaný ako dynamický obsah (pozrite si skryté možnosti WEBSITE_PHP_ALLOW_xxx, aby ste zvýšili zoznam povolených príkazov). +NotAllowedToAddDynamicContent=Nemáte povolenie pridávať alebo upravovať dynamický obsah PHP na webových stránkach. Požiadajte o povolenie alebo ponechajte kód v php tagoch nezmenený. +ReplaceWebsiteContent=Vyhľadajte alebo nahraďte obsah webových stránok +DeleteAlsoJs=Odstrániť aj všetky súbory JavaScript špecifické pre túto webovú stránku? +DeleteAlsoMedias=Odstrániť aj všetky mediálne súbory špecifické pre túto webovú lokalitu? +MyWebsitePages=Moje webové stránky +SearchReplaceInto=Hľadať | Nahradiť do +ReplaceString=Nový reťazec +CSSContentTooltipHelp=Tu zadajte obsah CSS. Aby ste sa vyhli akémukoľvek konfliktu s CSS aplikácie, nezabudnite pred všetky deklarácie pridať triedu .bodywebsite. Napríklad:

      #mycssselector, input.myclass:hover { ... }
      musí byť
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... b0342fccfda19b>
      Poznámka: Ak máte veľký súbor bez tejto predpony, môžete použiť „lessc“ na jeho konverziu a všade pridať predponu .bodywebsite. +LinkAndScriptsHereAreNotLoadedInEditor=Upozornenie: Tento obsah sa zobrazí iba vtedy, keď sa na stránku pristupuje zo servera. Nepoužíva sa v režime úprav, takže ak potrebujete načítať súbory JavaScript aj v režime úprav, stačí na stránku pridať značku 'script src=...'. +Dynamiccontent=Ukážka stránky s dynamickým obsahom +ImportSite=Importovať šablónu webu +EditInLineOnOff=Režim „Inline edit“ je %s +ShowSubContainersOnOff=Režim na spustenie „dynamického obsahu“ je %s +GlobalCSSorJS=Globálny súbor CSS/JS/Header webovej stránky +BackToHomePage=Späť na domovskú stránku... +TranslationLinks=Odkazy na preklad +YouTryToAccessToAFileThatIsNotAWebsitePage=Pokúšate sa o prístup na stránku, ktorá nie je dostupná.
      (ref=%s, type=%s, status=%s) +UseTextBetween5And70Chars=Pre správne postupy SEO použite text s dĺžkou 5 až 70 znakov +MainLanguage=Hlavný jazyk +OtherLanguages=Iné jazyky +UseManifest=Poskytnite súbor manifest.json +PublicAuthorAlias=Verejný alias autora +AvailableLanguagesAreDefinedIntoWebsiteProperties=Dostupné jazyky sú definované vo vlastnostiach webových stránok +ReplacementDoneInXPages=Výmena sa vykonala na %s stránkach alebo kontajneroch RSSFeed=RSS Feed -RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL -PagesRegenerated=%s page(s)/container(s) regenerated -RegenerateWebsiteContent=Regenerate web site cache files -AllowedInFrames=Allowed in Frames -DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties. -GenerateSitemaps=Generate website sitemap.xml file -ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... -ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap file %s generated +RSSFeedDesc=Pomocou tejto adresy URL môžete získať informačný kanál RSS s najnovšími článkami typu „blogpost“. +PagesRegenerated=%s vygenerované stránky/kontajnery +RegenerateWebsiteContent=Obnovte súbory vyrovnávacej pamäte webových stránok +AllowedInFrames=Povolené v rámcoch +DefineListOfAltLanguagesInWebsiteProperties=Definujte zoznam všetkých dostupných jazykov vo vlastnostiach webovej stránky. +GenerateSitemaps=Vygenerujte súbor sitemap.xml webových stránok +ConfirmGenerateSitemaps=Ak potvrdíte, vymažete existujúci súbor sitemap... +ConfirmSitemapsCreation=Potvrďte vygenerovanie mapy webu +SitemapGenerated=Vygenerovaný súbor Sitemap %s ImportFavicon=Favicon -ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 -FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) -NextContainer=Next page/container -PreviousContainer=Previous page/container -WebsiteMustBeDisabled=The website must have the status "%s" -WebpageMustBeDisabled=The web page must have the status "%s" -SetWebsiteOnlineBefore=When website is offline, all pages are offline. Change status of website first. -Booking=Booking -Reservation=Reservation -PagesViewedPreviousMonth=Pages viewed (previous month) -PagesViewedTotal=Pages viewed (total) +ErrorFaviconType=Favicon musí byť png +ErrorFaviconSize=Favicon musí mať veľkosť 16x16, 32x32 alebo 64x64 +FaviconTooltip=Nahrajte obrázok, ktorý musí byť vo formáte PNG (16x16, 32x32 alebo 64x64) +NextContainer=Ďalšia strana/kontajner +PreviousContainer=Predchádzajúca stránka/kontajner +WebsiteMustBeDisabled=Webové stránky musia mať stav "%s" +WebpageMustBeDisabled=Webová stránka musí mať stav "%s" +SetWebsiteOnlineBefore=Keď je web offline, všetky stránky sú offline. Najprv zmeňte stav webovej stránky. +Booking=Rezervácia +Reservation=Rezervácia +PagesViewedPreviousMonth=Zobrazené stránky (predchádzajúci mesiac) +PagesViewedTotal=Zobrazené stránky (celkom) Visibility=Viditeľnosť -Everyone=Everyone -AssignedContacts=Assigned contacts +Everyone=Každý +AssignedContacts=Priradené kontakty +WebsiteTypeLabel=Typ webovej stránky +WebsiteTypeDolibarrWebsite=Webová stránka (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Natívny portál Dolibarr diff --git a/htdocs/langs/sk_SK/withdrawals.lang b/htdocs/langs/sk_SK/withdrawals.lang index 61d034894b5..a0028a40c55 100644 --- a/htdocs/langs/sk_SK/withdrawals.lang +++ b/htdocs/langs/sk_SK/withdrawals.lang @@ -31,8 +31,9 @@ SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit tran InvoiceWaitingWithdraw=Invoice waiting for direct debit InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Suma, ktorá má zrušiť +AmountToTransfer=Amount to transfer NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. -NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open '%s' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup CreditTransferSetup=Credit transfer setup @@ -41,11 +42,14 @@ CreditTransferStatistics=Credit transfer statistics Rejects=Odmieta LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request +MakeWithdrawRequestStripe=Make a direct debit payment request via Stripe MakeBankTransferOrder=Make a credit transfer request WithdrawRequestsDone=%s direct debit payment requests recorded BankTransferRequestsDone=%s credit transfer requests recorded ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. ClassCredited=Klasifikovať pripísaná ClassDebited=Classify debited @@ -54,7 +58,7 @@ TransData=Transmission date TransMetod=Transmission method Send=Odoslať Lines=Riadky -StandingOrderReject=Issue a rejection +StandingOrderReject=Record a rejection WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused CreditTransfersRefused=Credit transfers refused @@ -62,8 +66,9 @@ WithdrawalRefusedConfirm=Ste si istí, že chcete zadať stiahnutiu odmietnutie RefusedData=Dátum odmietnutia RefusedReason=Dôvod odmietnutia RefusedInvoicing=Fakturácia odmietnutie -NoInvoiceRefused=Nenabíjajte odmietnutie -InvoiceRefused=Invoice refused (Charge the rejection to customer) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debit/credit StatusWaiting=Čakanie StatusTrans=Odoslané @@ -99,8 +104,11 @@ CreditDate=Kredit na WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Payment by direct debit to generate and manage the direct debit order. When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu Bank->Payment by credit transfer to generate and manage the credit transfer order. When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. +DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. +DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Debit order file CreditTransferFile=Credit transfer file SetToStatusSent=Nastavte na stav "odoslaný súbor" @@ -110,14 +118,14 @@ RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Amount of Direct debit request: BankTransferAmount=Amount of Credit Transfer request: WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. SepaMandate=SEPA Direct Debit Mandate SepaMandateShort=SEPA Mandate PleaseReturnMandate=Please return this mandate form by email to %s or by mail to -SEPALegalText=By signing this mandate form, you authorize (A) %s to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. +SEPALegalText=By signing this mandate form, you authorize (A) %s and its payment service provider to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. You agree to receive notifications about future charges up to 2 days before they occur. CreditorIdentifier=Creditor Identifier CreditorName=Creditor Name SEPAFillForm=(B) Please complete all the fields marked * @@ -126,6 +134,7 @@ SEPAFormYourBAN=Your Bank Account Name (IBAN) SEPAFormYourBIC=Your Bank Identifier Code (BIC) SEPAFrstOrRecur=Type of payment ModeRECUR=Recurring payment +ModeRCUR=Recurring payment ModeFRST=One-off payment PleaseCheckOne=Please check one only CreditTransferOrderCreated=Credit transfer order %s created @@ -136,6 +145,7 @@ SEPAFRST=SEPA FRST ExecutionDate=Execution date CreateForSepa=Create direct debit file ICS=Creditor Identifier - ICS +IDS=Debitor Identifier END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction USTRD="Unstructured" SEPA XML tag ADDDAYS=Add days to Execution Date @@ -149,8 +159,16 @@ InfoTransData=Amount: %s
      Method: %s
      Date: %s InfoRejectSubject=Direct debit payment order refused InfoRejectMessage=Hello,

      the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

      --
      %s ModeWarning=Voľba pre reálny režim nebol nastavený, môžeme zastaviť po tomto simuláciu -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Missing ICS in Bank account %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s +UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Mzda +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/sl_SI/accountancy.lang b/htdocs/langs/sl_SI/accountancy.lang index ecfb7166193..0200a97bf51 100644 --- a/htdocs/langs/sl_SI/accountancy.lang +++ b/htdocs/langs/sl_SI/accountancy.lang @@ -14,10 +14,10 @@ ACCOUNTING_EXPORT_ENDLINE=Izberite vrsto vrnitve v začetek ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name ThisService=Ta storitev ThisProduct=Ta izdelek -DefaultForService=Default for services -DefaultForProduct=Default for products -ProductForThisThirdparty=Izdelek za tega partnerja -ServiceForThisThirdparty=Storitev za tega partnerja +DefaultForService=Privzeto za storitve +DefaultForProduct=Privzeto za izdelke +ProductForThisThirdparty=Izdelek za to tretjo osebo +ServiceForThisThirdparty=Storitev za to tretjo osebo CantSuggest=Ne morem predlagati AccountancySetupDoneFromAccountancyMenu=Večino nastavitev računovodstva izvedemo iz menija %s ConfigAccountingExpert=Konfiguracija modula računovodstvo (dvojni vnos) @@ -41,7 +41,7 @@ AlreadyInGeneralLedger=Že preneseno v knjigovodske dnevnike in glavno knjigo NotYetInGeneralLedger=Še ni preneseno v knjigovodske dnevnike in glavno knjigo GroupIsEmptyCheckSetup=Skupina je prazna, preverite nastavitev personalizirane računovodske skupine DetailByAccount=Prikaži podrobnosti po računu -DetailBy=Detail by +DetailBy=Podrobnosti avtorja AccountWithNonZeroValues=Računi z vrednostmi, ki niso nič ListOfAccounts=Seznam računov CountriesInEEC=Države v EGS @@ -52,19 +52,17 @@ AccountantFiles=Izvoz izvornih dokumentov ExportAccountingSourceDocHelp=S tem orodjem lahko iščete in izvozite izvorne dogodke, ki se uporabljajo za ustvarjanje vašega računovodstva.
      Izvožena datoteka ZIP bo vsebovala sezname zahtevanih elementov v CSV in njihove priložene datoteke v izvirni obliki (PDF, ODT, DOCX ...). ExportAccountingSourceDocHelp2=Če želite izvoziti svoje dnevnike, uporabite menijski vnos %s - %s. ExportAccountingProjectHelp=Določite projekt, če potrebujete računovodsko poročilo samo za določen projekt. Poročila o stroških in plačila posojil niso vključena v projektna poročila. -ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +ExportAccountancy=Izvozno računovodstvo +WarningDataDisappearsWhenDataIsExported=Opozorilo, ta seznam vsebuje samo knjigovodske vnose, ki še niso bili izvoženi (datum izvoza je prazen). Če želite vključiti že izvožene računovodske vnose, kliknite na zgornji gumb. VueByAccountAccounting=Ogled po računovodskem računu VueBySubAccountAccounting=Pogled po računovodskih podkontih -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup +MainAccountForCustomersNotDefined=Glavni račun (iz kontnega načrta) za stranke, ki niso definirane v nastavitvah +MainAccountForSuppliersNotDefined=Glavni račun (iz kontnega načrta) za prodajalce, ki niso definirani v nastavitvah +MainAccountForUsersNotDefined=Glavni račun (iz kontnega načrta) za uporabnike, ki niso definirani v nastavitvah +MainAccountForVatPaymentNotDefined=Račun (iz kontnega načrta) za plačilo DDV v nastavitvah ni definiran +MainAccountForSubscriptionPaymentNotDefined=Račun (iz kontnega načrta) za plačilo članarine ni definiran v nastavitvah +MainAccountForRetainedWarrantyNotDefined=Račun (iz kontnega načrta) za zadržano garancijo, ki ni opredeljen v nastavitvah UserAccountNotDefined=Računovodski račun za uporabnika ni definiran v nastavitvah AccountancyArea=Računovodsko področje @@ -77,6 +75,7 @@ AccountancyAreaDescJournalSetup=KORAK %s: Preverite vsebino svojega seznama dnev AccountancyAreaDescChartModel=KORAK %s: Preverite, ali model kontnega načrta obstaja ali ga ustvarite v meniju %s AccountancyAreaDescChart=KORAK %s: Izberite in|ali dokončajte svoj kontni načrt v meniju %s +AccountancyAreaDescFiscalPeriod=KORAK %s: Privzeto določite proračunsko leto, v katerega želite integrirati svoje računovodske vnose. Za to uporabite menijski vnos %s. AccountancyAreaDescVat=KORAK %s: Definirajte računovodske konte za posamezne stopnje DDV. Za to uporabite menijski vnos %s. AccountancyAreaDescDefault=KORAK %s: Definirajte privzete računovodske račune. Za to uporabite menijski vnos %s. AccountancyAreaDescExpenseReport=KORAK %s: Definirajte privzete računovodske račune za vsako vrsto poročila o stroških. Za to uporabite menijski vnos %s. @@ -84,19 +83,20 @@ AccountancyAreaDescSal=KORAK %s: Definirajte privzete računovodske račune za i AccountancyAreaDescContrib=KORAK %s: Definirajte privzete računovodske konte za Davke (posebni stroški). Za to uporabite menijski vnos %s. AccountancyAreaDescDonation=KORAK %s: Določite privzete računovodske račune za donacijo. Za to uporabite menijski vnos %s. AccountancyAreaDescSubscription=KORAK %s: Definirajte privzete računovodske račune za člansko naročnino. Za to uporabite menijski vnos %s. -AccountancyAreaDescMisc=KORAK %s: Definirajte obvezni privzeti račun in privzete računovodske račune za razne transakcije. Za to uporabite menijski vnos %s. +AccountancyAreaDescMisc=KORAK %s: Določite obvezne privzete račune in privzete računovodske račune za razne transakcije. Za to uporabite menijski vnos %s. AccountancyAreaDescLoan=KORAK %s: Določite privzete računovodske račune za posojila. Za to uporabite menijski vnos %s. AccountancyAreaDescBank=KORAK %s: Določite računovodske račune in kodo temeljnice za vsak bančni in finančni račun. Za to uporabite menijski vnos %s. AccountancyAreaDescProd=KORAK %s: Določite računovodske konte za vaše izdelke/storitve. Za to uporabite menijski vnos %s. AccountancyAreaDescBind=KORAK %s: Preverite, ali je povezava med obstoječimi vrsticami %s in računovodskim računom narejena, tako da bo aplikacija lahko beležila transakcije v Ledgerju z enim klikom. Dopolni manjkajoče vezave. Za to uporabite menijski vnos %s. AccountancyAreaDescWriteRecords=KORAK %s: Zapišite transakcije v knjigo Ledger. Za to pojdite v meni %s in kliknite gumb %s . -AccountancyAreaDescAnalyze=KORAK %s: dodajte ali uredite obstoječe transakcije ter ustvarite poročila in izvoze. - -AccountancyAreaDescClosePeriod=KORAK %s: Zaprite obdobje, da v prihodnje ne moremo narediti sprememb. +AccountancyAreaDescAnalyze=STEP %s: Read reportings or generate export files for other bookkeepers. +AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't transfer anymore data in the same period in a future. +TheFiscalPeriodIsNotDefined=Obvezen korak pri nastavitvi ni bil dokončan (fiskalno obdobje ni opredeljeno) TheJournalCodeIsNotDefinedOnSomeBankAccount=Obvezen korak pri nastavitvi ni bil dokončan (dnevnik računovodskih kod ni definiran za vse bančne račune) Selectchartofaccounts=Izberite aktivni kontni načrt +CurrentChartOfAccount=Current active chart of account ChangeAndLoad=Spremenite in naložite Addanaccount=Dodaj računovodskega račun AccountAccounting=Računovodstvo račun @@ -107,8 +107,8 @@ ShowAccountingAccount=Pokaži računovodski račun ShowAccountingJournal=Prikaži knjigovodski dnevnik ShowAccountingAccountInLedger=Pokaži računovodski račun v knjigi ShowAccountingAccountInJournals=Pokaži računovodski račun v dnevnikih -DataUsedToSuggestAccount=Data used to suggest account -AccountAccountingSuggest=Account suggested +DataUsedToSuggestAccount=Podatki, uporabljeni za predlaganje računa +AccountAccountingSuggest=Račun predlagan MenuDefaultAccounts=Privzeti računi MenuBankAccounts=Bančni računi MenuVatAccounts=DDV računi @@ -118,7 +118,7 @@ MenuLoanAccounts=Posojilni računi MenuProductsAccounts=Računi izdelkov MenuClosureAccounts=Zapiranje računov MenuAccountancyClosure=Zaključek -MenuExportAccountancy=Export accountancy +MenuExportAccountancy=Izvozno računovodstvo MenuAccountancyValidationMovements=Potrdite gibe ProductsBinding=Računi izdelkov TransferInAccounting=Prenos v računovodstvo @@ -134,7 +134,7 @@ WriteBookKeeping=Evidentirajte transakcije v računovodstvu Bookkeeping=Ledger BookkeepingSubAccount=Podknjiga AccountBalance=Stanje na računu -AccountBalanceSubAccount=Sub-accounts balance +AccountBalanceSubAccount=Stanje podračunov ObjectsRef=Izvorni objekt ref CAHTF=Skupni nakup pred obdavčitvijo TotalExpenseReport=Poročilo o skupnih stroških @@ -171,12 +171,12 @@ ACCOUNTING_MANAGE_ZERO=Omogoča upravljanje z različnim številom ničel na kon BANK_DISABLE_DIRECT_INPUT=Onemogoči neposredno beleženje transakcije na bančnem računu ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Omogoči izvoz osnutka v dnevniku ACCOUNTANCY_COMBO_FOR_AUX=Omogoči kombinirani seznam za podrejeni račun (morda je počasen, če imate veliko tretjih oseb, onemogočite možnost iskanja po delu vrednosti) -ACCOUNTING_DATE_START_BINDING=Določite datum začetka vezave in prenosa v računovodstvu. Pod tem datumom se transakcije ne prenesejo v računovodstvo. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Pri prenosu knjigovodstva, katero obdobje je privzeto izbrano +ACCOUNTING_DATE_START_BINDING=Onemogoči vezavo in prenos v računovodstvu, ko je datum pod tem datumom (transakcije pred tem datumom bodo privzeto izključene) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Na strani za prenos podatkov v knjigovodstvo, katero obdobje je privzeto izbrano -ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns -ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements +ACCOUNTING_SELL_JOURNAL=Dnevnik prodaje - prodaja in vračila +ACCOUNTING_PURCHASE_JOURNAL=Dnevnik nakupov - nakup in vračila +ACCOUNTING_BANK_JOURNAL=Blagajniški dnevnik - prejemki in izdatki ACCOUNTING_EXPENSEREPORT_JOURNAL=Pregled stroškovnih poročil ACCOUNTING_MISCELLANEOUS_JOURNAL=Splošni dnevnik ACCOUNTING_HAS_NEW_JOURNAL=Ima nov dnevnik @@ -186,33 +186,35 @@ ACCOUNTING_SOCIAL_JOURNAL=Socialna revija ACCOUNTING_RESULT_PROFIT=Računovodstvo rezultata (dobiček) ACCOUNTING_RESULT_LOSS=Račun računovodstva rezultata (izguba) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Dnevnik zaključka +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Računovodske skupine, ki se uporabljajo za konto bilance stanja (ločeno z vejico) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Računovodske skupine, uporabljene za izkaz poslovnega izida (ločene z vejico) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers +ACCOUNTING_ACCOUNT_TRANSFER_CASH=Račun (iz kontnega načrta), ki se uporablja kot račun za prehodna bančna nakazila TransitionalAccount=Prehodni bančni račun -ACCOUNTING_ACCOUNT_SUSPENSE=Account (from the Chart Of Account) to be used as the account for unallocated funds either received or paid i.e. funds in "wait[ing]" -DONATION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register donations (Donation module) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ACCOUNTING_ACCOUNT_SUSPENSE=Račun (iz kontnega načrta), ki se uporablja kot račun za nedodeljena sredstva, prejeta ali plačana, tj. sredstva na "čakanju" +DONATION_ACCOUNTINGACCOUNT=Račun (iz kontnega načrta), ki se uporablja za registracijo donacij (modul za donacije) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Račun (iz kontnega načrta), ki se uporablja za registracijo članarin (modul Članstvo - če je članstvo evidentirano brez računa) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Račun (iz kontnega načrta), ki bo uporabljen kot privzeti račun za registracijo depozita strank UseAuxiliaryAccountOnCustomerDeposit=Shranjevanje računa stranke kot posameznega računa v pomožni knjigi za vrstice predplačil (če je onemogočeno, bo posamezni račun za vrstice predplačil ostal prazen) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Račun (iz kontnega načrta), ki bo uporabljen kot privzeti UseAuxiliaryAccountOnSupplierDeposit=Shranite račun dobavitelja kot posamezni račun v pomožni knjigi za vrstice predplačil (če je onemogočeno, bo posamezni račun za vrstice predplačil ostal prazen) -ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Accounting account by default to register customer retained warranty +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Privzeto računovodski račun za registracijo obdržane garancije stranke -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Račun (iz kontnega načrta), ki se uporablja kot privzeti račun za izdelke, kupljene v isti državi (uporablja se, če ni opredeljen v listu izdelkov) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Račun (iz kontnega načrta), ki se uporablja kot privzeti račun za izdelke, kupljene iz EGS v drugo državo EGS (uporablja se, če ni opredeljen v listu izdelkov) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Račun (iz kontnega načrta), ki se uporablja kot privzeti račun za izdelke, kupljene in uvožene iz katere koli druge tuje države (uporablja se, če ni opredeljen v listu izdelkov) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Račun (iz kontnega načrta), ki se uporablja kot privzeti račun za prodane izdelke (uporablja se, če ni opredeljen v listu izdelkov) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Račun (iz kontnega načrta), ki se uporablja kot privzeti račun za izdelke, prodane iz EGS v drugo državo EGS (uporablja se, če ni opredeljen v listu izdelkov) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Račun (iz kontnega načrta), ki se uporablja kot privzeti račun za izdelke, prodane in izvožene v katero koli drugo tujo državo (uporablja se, če ni opredeljen v listu izdelkov) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased within same country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=Račun (iz kontnega načrta), ki se uporablja kot privzeti račun za storitve, kupljene v isti državi (uporablja se, če ni določen na listu storitev) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Račun (iz kontnega načrta), ki se uporablja kot privzeti račun za storitve, kupljene iz EGS v drugo državo EGS (uporablja se, če ni določen na listu storitev) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Račun (iz kontnega načrta), ki se uporablja kot privzeti račun za storitve, kupljene in uvožene iz druge tuje države (uporablja se, če ni opredeljen v listu storitev) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=Račun (iz kontnega načrta), ki se uporablja kot privzeti račun za prodane storitve (uporablja se, če ni opredeljen v servisnem listu) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Račun (iz kontnega načrta), ki se uporablja kot privzeti račun za storitve, prodane iz EGS v drugo državo EGS (uporablja se, če ni določen na listu storitev) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Račun (iz kontnega načrta), ki se uporablja kot privzeti račun za storitve, prodane in izvožene v katero koli drugo tujo državo (uporablja se, če ni opredeljen v listu storitev) Doctype=Vrsta dokumenta Docdate=Datum @@ -227,8 +229,8 @@ Codejournal=Revija JournalLabel=Oznaka dnevnika NumPiece=Številka kosa TransactionNumShort=št. transakcija -AccountingCategory=Custom group of accounts -AccountingCategories=Custom groups of accounts +AccountingCategory=Skupina računov po meri +AccountingCategories=Skupine računov po meri GroupByAccountAccounting=Združi po kontu glavne knjige GroupBySubAccountAccounting=Združi po kontu podknjižbe AccountingAccountGroupsDesc=Tu lahko določite nekaj skupin računovodskih kontov. Uporabljali se bodo za personalizirana računovodska poročila. @@ -277,20 +279,20 @@ ShowSubtotalByGroup=Prikaži vmesni seštevek po stopnjah Pcgtype=Skupina računov PcgtypeDesc=Skupine kontov se uporabljajo kot vnaprej določena merila 'filtra' in 'združevanja' za nekatera računovodska poročila. Na primer, 'PRIHODEK' ali 'STROŠEK' se uporabljata kot skupini za računovodske račune izdelkov za izdelavo poročila o stroških/prihodkih. -AccountingCategoriesDesc=Custom group of accounts can be used to group accounting accounts into one name to ease filter use or building of custom reports. +AccountingCategoriesDesc=Skupino računov po meri lahko uporabite za združevanje računovodskih računov v eno ime, da olajšate uporabo filtra ali izdelavo poročil po meri. Reconcilable=Spravljivo TotalVente=Skupaj prihodek brez davka TotalMarge=Skupaj prodajna marža -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account -DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product account from chart of account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account -ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: +DescVentilCustomer=Tukaj si oglejte seznam vrstic računov strank, ki so vezane (ali ne) na račun izdelka iz kontnega načrta +DescVentilMore=V večini primerov, če uporabljate vnaprej določene izdelke ali storitve in nastavite račun (iz kontnega načrta) na kartici izdelkov/storitev, bo aplikacija lahko naredila vse povezave med vrsticami vašega računa in računovodskim računom vašega grafikona. računov, samo z enim klikom z gumbom "%s". Če račun ni bil nastavljen na karticah izdelkov/storitev ali če imate še vedno nekaj vrstic, ki niso vezane na račun, boste morali narediti ročno vezavo iz menija "%s". +DescVentilDoneCustomer=Tukaj si oglejte seznam vrstic računov strank in njihovega računa izdelkov iz kontnega načrta +DescVentilTodoCustomer=Povežite vrstice računa, ki še niso povezane z računom izdelka iz kontnega načrta +ChangeAccount=Spremenite konto izdelkov/storitev (iz kontnega načrta) za izbrane vrstice z naslednjim kontom: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Tukaj si oglejte seznam vrstic računa dobavitelja, ki so ali še niso vezane na račun izdelka iz kontnega načrta (viden je le zapis, ki še ni prenesen v računovodstvo) DescVentilDoneSupplier=Tukaj si oglejte seznam vrstic računov dobaviteljev in njihov računovodski račun DescVentilTodoExpenseReport=Povežite vrstice poročila o stroških, ki še niso povezane z računom za obračunavanje provizij DescVentilExpenseReport=Tukaj si oglejte seznam vrstic poročila o stroških, ki so vezane (ali ne) na račun za obračunavanje provizij @@ -298,25 +300,25 @@ DescVentilExpenseReportMore=Če nastavite računovodski račun na vrstice poroč DescVentilDoneExpenseReport=Tukaj si oglejte seznam vrstic poročil o stroških in njihovih obračunskih računov za provizije Closure=Letno zaprtje -DescClosure=Tukaj si oglejte število premikov po mesecih, ki še niso potrjeni in zaklenjeni +AccountancyClosureStep1Desc=Tukaj si oglejte število premikov po mesecih, ki še niso potrjeni in zaklenjeni OverviewOfMovementsNotValidated=Pregled premikov ni preverjen in zaklenjen AllMovementsWereRecordedAsValidated=Vsi premiki so bili zabeleženi kot potrjeni in zaklenjeni NotAllMovementsCouldBeRecordedAsValidated=Vseh premikov ni bilo mogoče zabeležiti kot potrjenih in zaklenjenih -ValidateMovements=Validate and lock movements +ValidateMovements=Potrdite in zaklenite premike DescValidateMovements=Prepovedano je kakršno koli spreminjanje ali brisanje zapisov, črk in izbrisov. Vsi vnosi za vajo morajo biti potrjeni, sicer zapiranje ne bo mogoče ValidateHistory=Samodejno vezanje AutomaticBindingDone=Samodejne vezave opravljene (%s) - Samodejna vezava ni mogoča za nekatere zapise (%s) -DoManualBindingForFailedRecord=You have to do a manual link for the %s row(s) not linked automatically. +DoManualBindingForFailedRecord=Za %s vrstico(-e), ki ni samodejno povezana, morate narediti ročno povezavo. -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used +ErrorAccountancyCodeIsAlreadyUse=Napaka, tega računa kontnega načrta ne morete odstraniti ali onemogočiti, ker se uporablja MvtNotCorrectlyBalanced=Gibanje ni pravilno uravnoteženo. Debet = %s & kredit = %s Balancing=Uravnoteženje FicheVentilation=Kartica za vezavo GeneralLedgerIsWritten=Transakcije se zapisujejo v Knjigo GeneralLedgerSomeRecordWasNotRecorded=Nekaterih transakcij ni bilo mogoče zabeležiti. Če ni drugega sporočila o napaki, je to verjetno zato, ker so bili že zabeleženi. NoNewRecordSaved=Nič več zapisa za prenos -ListOfProductsWithoutAccountingAccount=List of products not bound to any account of chart of account +ListOfProductsWithoutAccountingAccount=Seznam izdelkov, ki niso vezani na noben račun ali kontni načrt ChangeBinding=Spremenite vezavo Accounted=Obračunano v knjigi NotYetAccounted=Še ni preneseno v računovodstvo @@ -341,8 +343,8 @@ AccountingJournalType3=Nabava AccountingJournalType4=Banka AccountingJournalType5=Stroškovna poročila AccountingJournalType8=Inventar -AccountingJournalType9=Ima-novo -GenerationOfAccountingEntries=Generation of accounting entries +AccountingJournalType9=Zadržani dobiček +GenerationOfAccountingEntries=Izdelava knjigovodskih knjižb ErrorAccountingJournalIsAlreadyUse=Ta dnevnik je že v uporabi AccountingAccountForSalesTaxAreDefinedInto=Opomba: Računovodski račun za prometni davek je definiran v meniju %s - %s NumberOfAccountancyEntries=Število vnosov @@ -350,20 +352,22 @@ NumberOfAccountancyMovements=Število gibov ACCOUNTING_DISABLE_BINDING_ON_SALES=Onemogočanje vezave in prenosa v računovodstvu pri prodaji (računi kupcev se ne bodo upoštevali v računovodstvu) ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Onemogočanje vezave in prenosa v računovodstvu pri nakupih (računi dobaviteljev se ne bodo upoštevali v računovodstvu) ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Onemogoči vezavo in prenos v računovodstvu na poročilih o stroških (poročila o stroških ne bodo upoštevana v računovodstvu) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting -ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. -ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user -OptionsAdvanced=Advanced options -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_ENABLE_LETTERING=Omogočite črkovno funkcijo v računovodstvu +ACCOUNTING_ENABLE_LETTERING_DESC=Ko je ta možnost omogočena, lahko za vsako knjigovodsko postavko določite kodo, tako da lahko različna računovodska gibanja združujete skupaj. V preteklosti, ko so različne dnevnike upravljali neodvisno, je bila ta funkcija potrebna za združevanje vrstic gibanja različnih dnevnikov. Vendar pa je pri računovodstvu Dolibarr takšna koda za sledenje, imenovana »%s« je že samodejno shranjen, tako da je samodejno črkovanje že narejeno, brez tveganja napake, zato je ta funkcija postala neuporabna za običajno uporabo. Funkcija ročnega črkovanja je na voljo za končne uporabnike, ki res ne zaupajo računalniškemu mehanizmu, ki izvaja prenos podatkov v računovodstvu. +EnablingThisFeatureIsNotNecessary=Omogočanje te funkcije ni več potrebno za dosledno vodenje računovodstva. +ACCOUNTING_ENABLE_AUTOLETTERING=Omogočite avtomatsko črkovanje pri prenosu v računovodstvo +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Koda za napis se samodejno ustvari in poveča in je ne izbere končni uporabnik +ACCOUNTING_LETTERING_NBLETTERS=Število črk pri generiranju črkovne kode (privzeto 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Nekateri računovodski programi sprejemajo samo dvočrkovno kodo. Ta parameter vam omogoča nastavitev tega vidika. Privzeto število črk je tri. +OptionsAdvanced=Napredne možnosti +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Aktivirajte upravljanje obrnjene davčne obveznosti pri dobaviteljih +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Ko je ta možnost omogočena, lahko določite, da mora biti dobaviteljev ali dani račun dobavitelja drugače prenesen v računovodstvo: Dodatna obremenitev in kreditna linija bosta generirani v računovodstvu na 2 podanih kontih iz kontnega načrta, definiranega v "< stran za nastavitev span class='notranslate'>%s
      ". ## Export -NotExportLettering=Do not export the lettering when generating the file -NotifiedExportDate=Flag not yet exported lines as Exported (to modify a line flagged as exported, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries not yet already locked (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) -NotifiedExportFull=Export documents ? +NotExportLettering=Pri ustvarjanju datoteke ne izvažajte črk +NotifiedExportDate=Označi še neizvožene vrstice kot izvožene (če želite spremeniti vrstico, označeno kot izvoženo, boste morali izbrisati celotno transakcijo in jo znova prenesti v računovodstvo) +NotifiedValidationDate=Preveri in zakleni izvožene vnose, ki še niso zaklenjeni (enak učinek kot funkcija »%s«, spreminjanje in brisanje vrstice ZAGOTOVO ne bodo možne) +NotifiedExportFull=Izvoz dokumentov? DateValidationAndLock=Preverjanje datuma in zaklepanje ConfirmExportFile=Potrditev generiranja računovodske izvozne datoteke? ExportDraftJournal=Izvozi osnutek dnevnika @@ -394,7 +398,7 @@ ChartofaccountsId=Kontni načrt Id ## Tools - Init accounting account on product / service InitAccountancy=Začetno računovodstvo InitAccountancyDesc=To stran lahko uporabite za inicializacijo računovodskega računa za izdelke in storitve, ki nimajo definiranega računovodskega računa za prodajo in nakupe. -DefaultBindingDesc=This page can be used to set the default accounts (from the chart of account) to use to link business objects with an account, like payment salaries, donation, taxes and VAT, when no specific account were already set. +DefaultBindingDesc=Na tej strani lahko nastavite privzete račune (iz kontnega načrta), ki se uporabljajo za povezovanje poslovnih objektov z računom, kot so izplačila plač, donacije, davki in DDV, kadar še ni določen poseben račun. DefaultClosureDesc=To stran lahko uporabite za nastavitev parametrov, ki se uporabljajo za računovodske zaključke. Options=Opcije OptionModeProductSell=Način prodaje @@ -420,7 +424,7 @@ SaleLocal=Lokalna prodaja SaleExport=Izvozna prodaja SaleEEC=Prodaja v EGS SaleEECWithVAT=Prodaja v EGS z DDV ni ničelna, zato predpostavljamo, da to NI prodaja znotraj skupnosti in da je predlagani račun standardni račun izdelka. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithoutVATNumber=Prodaja v EGS brez DDV, vendar ID za DDV tretje osebe ni opredeljen. Za standardno prodajo se vrnemo na račun. Po potrebi lahko popravite ID za DDV tretje osebe ali spremenite račun izdelka, ki je predlagan za vezavo. ForbiddenTransactionAlreadyExported=Prepovedano: transakcija je bila potrjena in/ali izvožena. ForbiddenTransactionAlreadyValidated=Prepovedano: transakcija je bila potrjena. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Ni spremenjenih neskladij AccountancyOneUnletteringModifiedSuccessfully=Ena nezdružljivost je bila uspešno spremenjena AccountancyUnletteringModifiedSuccessfully=%s nezdružljivost uspešno spremenjena +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period +AccountancyClosureStep3=3. korak: ekstrahirajte vnose (neobvezno) +AccountancyClosureClose=Zapri fiskalno obdobje +AccountancyClosureAccountingReversal=Izvlecite in zabeležite vnose "Zadržani dobiček". +AccountancyClosureStep3NewFiscalPeriod=Naslednje fiskalno obdobje +AccountancyClosureGenerateClosureBookkeepingRecords=Ustvarite vnose "Zadržani dobiček" v naslednjem proračunskem obdobju +AccountancyClosureSeparateAuxiliaryAccounts=Pri ustvarjanju vnosov "Zadržani dobiček" podrobno navedite podkonte +AccountancyClosureCloseSuccessfully=Fiskalno obdobje je bilo uspešno zaključeno +AccountancyClosureInsertAccountingReversalSuccessfully=Knjigovodske postavke za "Zadržani dobiček" so bile uspešno vstavljene + ## Confirm box ConfirmMassUnletteringAuto=Potrditev množične samodejne neusklajenosti ConfirmMassUnletteringManual=Množična ročna potrditev neusklajenosti ConfirmMassUnletteringQuestion=Ali ste prepričani, da želite preklicati uskladitev %s izbranih zapisov? ConfirmMassDeleteBookkeepingWriting=Potrditev množičnega brisanja -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +ConfirmMassDeleteBookkeepingWritingQuestion=S tem boste transakcijo izbrisali iz računovodstva (izbrisali se bodo vsi vrstični vnosi, povezani z isto transakcijo). Ali ste prepričani, da želite izbrisati %s izbrane vnose? +AccountancyClosureConfirmClose=Ali ste prepričani, da želite zapreti trenutno proračunsko obdobje? Razumete, da je zaprtje fiskalnega obdobja nepreklicno dejanje in bo trajno blokiralo vsako spreminjanje ali brisanje vnosov v tem obdobju . +AccountancyClosureConfirmAccountingReversal=Ali ste prepričani, da želite zabeležiti vnose za "Zadržani dobiček"? ## Error SomeMandatoryStepsOfSetupWereNotDone=Nekateri obvezni koraki nastavitve niso bili izvedeni, prosimo, da jih dokončate -ErrorNoAccountingCategoryForThisCountry=Za državo %s ni na voljo nobena skupina računovodskih računov (Glejte Domov – Nastavitve – Slovarji) +ErrorNoAccountingCategoryForThisCountry=Za državo %s ni na voljo nobena skupina računovodskih računov (Glejte %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Nekaj vrstic računa poskušate evidentirati %s , nekatere druge vrstice pa še niso vezane na računovodski konto. Dnevnik vseh vrstic računa za ta račun je zavrnjen. ErrorInvoiceContainsLinesNotYetBoundedShort=Nekatere vrstice na računu niso vezane na računovodski račun. ExportNotSupported=Nastavljena oblika izvoza ni podprta na tej strani @@ -459,12 +477,15 @@ NoJournalDefined=Noben dnevnik ni opredeljen Binded=Vezane vrstice ToBind=Vrstice za vezavo UseMenuToSetBindindManualy=Vrstice še niso vezane, uporabite meni %s za ročno vezavo -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Note: this module or page is not completely compatible with the experimental feature of situation invoices. Some data may be wrong. +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Opomba: ta modul ali stran ni popolnoma združljiva s poskusno funkcijo situacijskih računov. Nekateri podatki so lahko napačni. AccountancyErrorMismatchLetterCode=Neujemanje v kodi za usklajevanje AccountancyErrorMismatchBalanceAmount=Stanje (%s) ni enako 0 AccountancyErrorLetteringBookkeeping=Prišlo je do napak v zvezi s transakcijami: %s ErrorAccountNumberAlreadyExists=Knjigovodska številka %s že obstaja -ErrorArchiveAddFile=Can't put "%s" file in archive +ErrorArchiveAddFile=Datoteke »%s« ni mogoče shraniti v arhiv +ErrorNoFiscalPeriodActiveFound=Najdeno ni bilo nobenega aktivnega fiskalnega obdobja +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Datum knjigovodskega dokumenta ni znotraj aktivnega fiskalnega obdobja +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Datum knjigovodskega dokumenta je znotraj zaprtega fiskalnega obdobja ## Import ImportAccountingEntries=Računovodske knjižbe @@ -489,9 +510,9 @@ FECFormatMulticurrencyAmount=Znesek v več valutah (Montantdevise) FECFormatMulticurrencyCode=Koda za več valut (Idevise) DateExport=Izvoz datuma -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contain transactions modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. +WarningReportNotReliable=Opozorilo, to poročilo ne temelji na knjigi, zato ne vsebuje transakcij, ki so bile ročno spremenjene v knjigi. Če je vaša dnevnika ažurna, je knjigovodski pogled natančnejši. ExpenseReportJournal=Dnevnik poročil o stroških -DocsAlreadyExportedAreIncluded=Docs already exported are included -ClickToShowAlreadyExportedLines=Click to show already exported lines +DocsAlreadyExportedAreIncluded=Vključeni so že izvoženi dokumenti +ClickToShowAlreadyExportedLines=Kliknite za prikaz že izvoženih vrstic NAccounts=računi %s diff --git a/htdocs/langs/sl_SI/admin.lang b/htdocs/langs/sl_SI/admin.lang index a940f988d7b..d5ea748258a 100644 --- a/htdocs/langs/sl_SI/admin.lang +++ b/htdocs/langs/sl_SI/admin.lang @@ -51,8 +51,8 @@ ClientSortingCharset=Primerjava partnerjev WarningModuleNotActive=Modul %s mora biti omogočen WarningOnlyPermissionOfActivatedModules=Tukaj so prikazana samo dovoljenja, ki se nanašajo na aktivirane module. Ostale module lahko aktivirate na strani Domov->Nastavitve->Moduli. DolibarrSetup=Namestitev ali nadgradnja -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=Dolibarr nadgradnja +DolibarrAddonInstall=Namestitev dodatkov/zunanjih modulov (naloženih ali ustvarjenih) InternalUsers=Interni uporabniki ExternalUsers=Zunanji uporabniki UserInterface=Uporabniški vmesnik @@ -147,7 +147,7 @@ Box=Widget Boxes=Pripomočki MaxNbOfLinesForBoxes=maks. število vrstic za pripomočke AllWidgetsWereEnabled=Omogočeni so vsi razpoložljivi pripomočki -WidgetAvailable=Widget available +WidgetAvailable=Widget je na voljo PositionByDefault=Privzet vrstni red Position=Položaj MenusDesc=Upravljavci menijev nastavijo vsebino dveh menijskih vrstic (vodoravno in navpično). @@ -227,6 +227,8 @@ NotCompatible=Zdi se, da ta modul ni združljiv z vašim Dolibarr %s (najmanj %s CompatibleAfterUpdate=Ta modul zahteva posodobitev vašega Dolibarr %s (najmanj %s – največ %s). SeeInMarkerPlace=Glej na tržnici SeeSetupOfModule=Glejte nastavitev modula %s +SeeSetupPage=Oglejte si stran z nastavitvami na %s +SeeReportPage=Oglejte si stran s poročilom na %s SetOptionTo=Nastavite možnost %s na %s Updated=Posodobljeno AchatTelechargement=Nakup / prenos @@ -292,22 +294,22 @@ EmailSenderProfiles=Profili pošiljatelja e-poštnih sporočil EMailsSenderProfileDesc=Ta razdelek lahko pustite prazen. Če tukaj vnesete nekaj e-poštnih sporočil, bodo dodana na seznam možnih pošiljateljev v kombinirano polje, ko napišete novo e-poštno sporočilo. MAIN_MAIL_SMTP_PORT=Vrata SMTP/SMTPS (privzeta vrednost v php.ini: %s ) MAIN_MAIL_SMTP_SERVER=Gostitelj SMTP/SMTPS (privzeta vrednost v php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Vrata SMTP/SMTPS (ni definirano v PHP v sistemih, podobnih Unixu) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Gostitelj SMTP/SMTPS (ni definiran v PHP v sistemih, podobnih Unixu) -MAIN_MAIL_EMAIL_FROM=E-pošta pošiljatelja za samodejna e-poštna sporočila (privzeta vrednost v php.ini: %s ) -EMailHelpMsgSPFDKIM=Če želite preprečiti, da bi bila e-pošta Dolibarr razvrščena kot vsiljena pošta, se prepričajte, da je strežnik pooblaščen za pošiljanje e-pošte s tega naslova s konfiguracijo SPF in DKIM +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Vrata SMTP/SMTPS +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Gostitelj SMTP/SMTPS +MAIN_MAIL_EMAIL_FROM=E-pošta pošiljatelja za samodejno e-pošto +EMailHelpMsgSPFDKIM=Če želite preprečiti, da bi bila e-pošta Dolibarr razvrščena kot neželena pošta, se prepričajte, da je strežnik pooblaščen za pošiljanje e-pošte pod to identiteto (s preverjanjem konfiguracije SPF in DKIM imena domene) MAIN_MAIL_ERRORS_TO=E-pošta, uporabljena za vrnitev e-poštnih sporočil o napakah (polja »Errors-To« v poslanih e-poštnih sporočilih) MAIN_MAIL_AUTOCOPY_TO= Kopiraj (Bcc) vsa poslana e-poštna sporočila na MAIN_DISABLE_ALL_MAILS=Onemogoči vse pošiljanje e-pošte (za testne namene ali predstavitve) MAIN_MAIL_FORCE_SENDTO=Pošlji vsa e-poštna sporočila (namesto pravim prejemnikom, za testne namene) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Pri pisanju novega e-poštnega sporočila predlagajte e-pošto zaposlenih (če je definirana) na seznam vnaprej določenih prejemnikov -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Ne izberite privzetega prejemnika, tudi če je možna samo ena izbira MAIN_MAIL_SENDMODE=Način pošiljanja e-pošte MAIN_MAIL_SMTPS_ID=ID SMTP (če strežnik pošiljanja zahteva preverjanje pristnosti) MAIN_MAIL_SMTPS_PW=Geslo SMTP (če strežnik za pošiljanje zahteva preverjanje pristnosti) MAIN_MAIL_EMAIL_TLS=Uporabite šifriranje TLS (SSL). MAIN_MAIL_EMAIL_STARTTLS=Uporabite šifriranje TLS (STARTTLS). -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Pooblasti les certificats auto-signés +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Pooblastite samopodpisana potrdila MAIN_MAIL_EMAIL_DKIM_ENABLED=Uporabite DKIM za ustvarjanje e-poštnega podpisa MAIN_MAIL_EMAIL_DKIM_DOMAIN=E-poštna domena za uporabo z dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Ime izbirnika dkim @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Zasebni ključ za podpis dkim MAIN_DISABLE_ALL_SMS=Onemogoči vsa pošiljanja SMS (za testne namene ali predstavitve) MAIN_SMS_SENDMODE=Uporabljen način pošiljanja SMS MAIN_MAIL_SMS_FROM=Privzeta telefonska številka pošiljatelja za pošiljanje SMS -MAIN_MAIL_DEFAULT_FROMTYPE=E-pošta privzetega pošiljatelja za ročno pošiljanje (e-pošta uporabnika ali e-pošta podjetja) +MAIN_MAIL_DEFAULT_FROMTYPE=Privzeti e-poštni naslov pošiljatelja je vnaprej izbran v obrazcih za pošiljanje e-poštnih sporočil UserEmail=E-pošta uporabnika CompanyEmail=E-pošta podjetja FeatureNotAvailableOnLinux=Funkcija ni na voljo pri Unix sistemih. Preverite program za pošiljanje pošte lokalno. @@ -365,10 +367,10 @@ GenericMaskCodes=Vnesete lahko poljubno masko oštevilčenja. V tej maski je mog GenericMaskCodes2= {cccc} koda odjemalca na n znakih
      {cccc000} znaku sledi koda odjemalca, namenjena števcu. Ta števec, namenjen partnerju, se ponastavi istočasno kot globalni števec.
      {tttt} Koda vrste partnerja na n znakov (glejte meni Domov - Nastavitve - Slovar - Vrste tretjih oseb). Če dodate to oznako, bo števec drugačen za vsakega partnerja.
      GenericMaskCodes3=Vsi ostali znaki v maski bodo ostali nedotaknjeni.
      Presledki niso dovoljeni.
      GenericMaskCodes3EAN=Vsi drugi znaki v maski bodo ostali nedotaknjeni (razen * ali ? na 13. mestu v EAN13).
      Presledki niso dovoljeni.
      V EAN13 mora biti zadnji znak za zadnjim } na 13. mestu * ali ? . Nadomestil ga bo izračunani ključ.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes4a=Primer na 99. %s tretje osebe TheCompany z datumom 2023-01-31:
      +GenericMaskCodes4b=Primer tretje osebe, ustvarjen dne 2023-01-31:
      +GenericMaskCodes4c=Primer izdelka, ustvarjenega 2023-01-31:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000} bo dal span>ABC2301-000099
      {0000+100@1 }-ZZZ/{dd}/XXX bo dal 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} bo dal IN2301-0099-A, če je vrsta podjetja 'Responsable Inscripto' s kodo za tip, ki je 'A_RI' GenericNumRefModelDesc=Predlaga prilagodljivo številko glede na definirano masko. ServerAvailableOnIPOrPort=Strežnik je na voljo na naslovu %s na vratih %s ServerNotAvailableOnIPOrPort=Strežnik ni na voljo na naslovu %s na vratih %s @@ -378,7 +380,7 @@ DoTestSendHTML=Testno pošiljanje HTML ErrorCantUseRazIfNoYearInMask=Napaka, ni možno uporabiti opcije @, za vsakoletno resetiranje števca, če sekvence {yy} ali {yyyy} ni v maski. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Napaka, ni možno uporabiti opcije @, če sekvence {yy}{mm} ali {yyyy}{mm} ni v maski. UMask=UMask parameter za nove datoteke na Unix/Linux/BSD datotečnem sistemu. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. +UMaskExplanation=Ta parameter vam omogoča, da določite privzeto nastavljena dovoljenja za datoteke, ki jih ustvari Dolibarr na strežniku (na primer med nalaganjem).
      Biti mora osmiška vrednost (na primer 0666 pomeni branje in pišite za vse.). Priporočena vrednost je 0600 ali 0660
      Ta parameter je v strežniku Windows neuporaben. SeeWikiForAllTeam=Oglejte si stran Wiki za seznam sodelavcev in njihove organizacije UseACacheDelay= Zakasnitev predpomnilnika za izvozni odziv v sekundah (0 ali prazno pomeni, da ni predpomnilnika) DisableLinkToHelpCenter=Skrij povezavo " Potrebujem pomoč ali podporo " na strani za prijavo @@ -417,6 +419,7 @@ PDFLocaltax=Pravila za %s HideLocalTaxOnPDF=Skrij stopnjo %s v stolpcu Prometni davek / DDV HideDescOnPDF=Skrij opis izdelkov HideRefOnPDF=Skrij izdelke ref. +ShowProductBarcodeOnPDF=Prikažite številko črtne kode izdelkov HideDetailsOnPDF=Skrij podrobnosti o linijah izdelkov PlaceCustomerAddressToIsoLocation=Uporabite francoski standardni položaj (La Poste) za položaj naslova stranke Library=Knjižnica @@ -424,7 +427,7 @@ UrlGenerationParameters=Parametri za zagotovitev URL SecurityTokenIsUnique=Uporabite edinstven parameter securekey za vsako URL EnterRefToBuildUrl=Vnesite sklic za predmet %s GetSecuredUrl=Get izračuna URL -ButtonHideUnauthorized=Skrij nepooblaščene gumbe za dejanja tudi za interne uporabnike (samo drugače obarvani) +ButtonHideUnauthorized=Skrij nepooblaščene gumbe za dejanja tudi za interne uporabnike (samo drugače sivi) OldVATRates=Stara stopnja DDV NewVATRates=Nova stopnja DDV PriceBaseTypeToChange=Sprememba cen z definirano osnovno referenčno vrednostjo @@ -455,14 +458,14 @@ ExtrafieldCheckBox=Potrditvena polja ExtrafieldCheckBoxFromList=Potrditvena polja iz tabele ExtrafieldLink=Poveži z objektom ComputedFormula=Računalniško polje -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' +ComputedFormulaDesc=Tukaj lahko vnesete formulo z uporabo drugih lastnosti predmeta ali katerega koli kodiranja PHP, da dobite dinamično izračunano vrednost. Uporabite lahko katero koli formulo, združljivo s PHP, vključno z "?" operator pogoja in naslednji globalni objekt: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      OPOZORILO: Če potrebujete lastnosti predmeta ni naloženo, sami prinesite predmet v svojo formulo, kot v drugem primeru.
      Uporaba izračunanega polja pomeni, da si ne morete vnesti nobene vrednosti iz vmesnika. Če pride do sintaksne napake, formula morda ne vrne ničesar.

      Primer formule:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      Primer za ponovno nalaganje predmeta
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj- >velika črka / 5: '-1')

      Drug primer formule za prisilno nalaganje predmeta in njegovega nadrejenega predmeta:
      (($reloadedobj = novo opravilo($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = nov projekt( $db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0))? $secondloadedobj->ref: 'Nadrejeni projekt ni bil najden' Computedpersistent=Shranite izračunano polje ComputedpersistentDesc=Izračunana dodatna polja bodo shranjena v zbirki podatkov, vendar bo vrednost ponovno izračunana šele, ko bo predmet tega polja spremenjen. Če je izračunano polje odvisno od drugih objektov ali globalnih podatkov, je ta vrednost morda napačna!! -ExtrafieldParamHelpPassword=Če pustite to polje prazno, bo ta vrednost shranjena brez šifriranja (polje mora biti skrito samo z zvezdico na zaslonu).
      Nastavite »samodejno« za uporabo privzetega šifrirnega pravila za shranjevanje gesla v zbirko podatkov (takrat bo prebrana vrednost samo zgoščena vrednost, ni možnosti za pridobitev izvirne vrednosti) +ExtrafieldParamHelpPassword=Če pustite to polje prazno, pomeni, da bo ta vrednost shranjena BREZ šifriranja (polje je samo skrito z zvezdicami na zaslonu).

      Vnesite vrednost 'dolcrypt' za kodiranje vrednosti z reverzibilnim algoritmom šifriranja. Čiste podatke je še vedno mogoče poznati in urejati, vendar so šifrirani v zbirki podatkov.

      Vnesite 'auto' (ali 'md5', 'sha256', 'password_hash', ...) za uporabo privzetega algoritma za šifriranje gesla (ali md5, sha256, password_hash ...) za shranjevanje nepovratnega zgoščenega gesla v bazo podatkov (ni možnosti za pridobitev izvirne vrednosti) ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_ parent_list_code :parent_key
      2,value2|options_ parent_list_code :parent_key

      In order to have the list depending on another list:
      1,value1| parent_list_code :parent_key
      2,value2| parent_list_code :parent_key ExtrafieldParamHelpcheckbox=Seznam vrednosti mora biti vrstic z obliko ključ,vrednost (kjer ključ ne sme biti '0')

      na primer:
      1,vrednost1
      2,vrednost2
      3,vrednost3 a0342fccfda19b ExtrafieldParamHelpradio=Seznam vrednosti mora biti vrstic z obliko ključ,vrednost (kjer ključ ne sme biti '0')

      na primer:
      1,vrednost1
      2,vrednost2
      3,vrednost3 a0342fccfda19b -ExtrafieldParamHelpsellist=Seznam vrednosti prihaja iz tabele
      Sintaksa: table_name:label_field:id_field::filtersql
      Primer: c_typent:libelle:id::filtersql

      - id_field je nujno primarni int ključ a0342bz0fda SQL filter is a0342fccfda Za prikaz samo aktivne vrednosti je lahko preprost preizkus (npr. active=1)
      V filtru lahko uporabite tudi $ID$, ki je trenutni ID trenutnega predmeta
      Za uporabo SELECT v filtru uporabite ključno besedo $SEL$ za bypass zaščita proti vbrizgu.
      če želite filtrirati dodatna polja, uporabite sintakso extra.fieldcode=... (kjer je koda polja koda dodatnega polja)

      Da bi bil seznam odvisen od drugega komplementarnega seznama atributov:
      c_typent:libelle:id:options_ parent_list_code |parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id: parent_list_code |parent_column:filter +ExtrafieldParamHelpsellist=Seznam vrednosti prihaja iz tabele
      Sintaksa: table_name:label_field:id_field::filtersql
      Primer: c_typent:libelle:id ::filtersql

      - id_field je nujno primarni int ključ
      - filtersql je pogoj SQL. Lahko je preprost preizkus (npr. active=1), da se prikaže samo aktivna vrednost
      V filtru lahko uporabite tudi $ID$, ki je trenutni ID trenutnega predmeta
      Če želite uporabiti SELECT v filtru, uporabite ključno besedo $SEL$, da obidete zaščito pred vbrizgavanjem.
      če želite filtrirati dodatna polja uporabite sintakso extra.fieldcode=... (kjer je koda polja koda dodatnega polja)

      Da bi imeli seznam, odvisen od drugega komplementarnega seznama atributov:
      c_typent:libelle:id:options_parent_list_code |parent_column:filter

      Če želite, da je seznam odvisen od drugega seznama:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Seznam vrednosti prihaja iz tabele
      Sintaksa: table_name:label_field:id_field::filtersql
      Primer: c_typent:libelle:id::filtersql

      filter je lahko preprost test (npr. active=1), da prikaže samo aktivno vrednost a0342bzcc lahko uporabi tudi $ID$ v filtru, ki je trenutni id trenutnega predmeta
      Če želite izvesti SELECT v filtru, uporabite $SEL$
      , če želite filtrirati dodatna polja, uporabite sintakso extra.fieldcode=... (kjer je koda polja code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_ parent_list_code |parent_column:filter

      In order to have the list depending on another list:
      c_typent: libelle:id: parent_list_code |parent_column:filter ExtrafieldParamHelplink=Parametri morajo biti ObjectName:Classpath
      Sintaksa: ObjectName:Classpath ExtrafieldParamHelpSeparator=Naj ostane prazno za preprosto ločilo
      Nastavite to na 1 za strnjeno ločilo (privzeto odprto za novo sejo, nato se status ohrani za vsako uporabniško sejo)
      Nastavite to na 2 za strnjeno ločilo (privzeto strnjeno za novo sejo, nato status se hrani za vsako uporabniško sejo) @@ -515,7 +518,7 @@ ClickToShowDescription=Kliknite za prikaz opisa DependsOn=Ta modul potrebuje modul(e) RequiredBy=Ta modul zahtevajo moduli TheKeyIsTheNameOfHtmlField=To je ime polja HTML. Za branje vsebine strani HTML in pridobitev ključnega imena polja je potrebno tehnično znanje. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. +PageUrlForDefaultValues=Vnesti morate relativno pot URL-ja strani. Če v URL vključite parametre, bo učinkovito, če imajo vsi parametri v brskanem URL-ju vrednost, ki je definirana tukaj. PageUrlForDefaultValuesCreate=
      Primer:
      Za obrazec za ustvarjanje novega partnerja je %s .
      Za URL zunanjih modulov, nameščenih v imenik po meri, ne vključite "custom/", zato uporabite pot, kot je mymodule/mypage.php in ne custom/mymodule/mypage.php.
      Če želite privzeto vrednost le, če ima url nek parameter, lahko uporabite %s PageUrlForDefaultValuesList=
      Primer:
      Za stran, ki navaja tretje osebe, je %s .
      Za URL zunanjih modulov, nameščenih v imenik po meri, ne vključite "custom/", zato uporabite pot, kot je mymodule/mypagelist.php in ne custom/mymodule/mypagelist.php.
      Če želite privzeto vrednost le, če ima url nek parameter, lahko uporabite %s AlsoDefaultValuesAreEffectiveForActionCreate=Upoštevajte tudi, da prepisovanje privzetih vrednosti za ustvarjanje obrazca deluje samo za strani, ki so bile pravilno oblikovane (torej s parametrom action=create ali present ...) @@ -525,13 +528,13 @@ GoIntoTranslationMenuToChangeThis=Za ključ s to kodo je bil najden prevod. Če WarningSettingSortOrder=Opozorilo, nastavitev privzetega vrstnega reda lahko povzroči tehnično napako pri obisku strani s seznamom, če je polje neznano polje. Če naletite na takšno napako, se vrnite na to stran, da odstranite privzeti vrstni red razvrščanja in obnovite privzeto vedenje. Field=Polje ProductDocumentTemplates=Predloge dokumentov za ustvarjanje dokumenta izdelka -ProductBatchDocumentTemplates=Document templates to generate product lots document +ProductBatchDocumentTemplates=Predloge dokumentov za ustvarjanje dokumenta serij izdelkov FreeLegalTextOnExpenseReports=Brezplačno pravno besedilo o poročilih o stroških WatermarkOnDraftExpenseReports=Vodni žig na osnutkih poročil o stroških ProjectIsRequiredOnExpenseReports=Projekt je obvezen za vpis stroškovnika PrefillExpenseReportDatesWithCurrentMonth=Vnaprej izpolnite začetni in končni datum novega poročila o stroških z začetnim in končnim datumom tekočega meseca ForceExpenseReportsLineAmountsIncludingTaxesOnly=Vsili vnos zneskov poročila o stroških vedno v znesku z davki -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) +AttachMainDocByDefault=To nastavite na Da, če želite e-poštnemu sporočilu privzeto priložiti glavni dokument (če je na voljo) FilesAttachedToEmail=Priložite datoteko SendEmailsReminders=Pošljite opomnike dnevnega reda po e-pošti davDescription=Nastavite strežnik WebDAV @@ -574,7 +577,7 @@ Module50Desc=Upravljanje izdelkov Module51Name=Masovno pošiljanje Module51Desc=Upravljanje masovnega pošiljanja po klasični pošti Module52Name=Zaloge -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Desc=Upravljanje zalog (sledenje gibanja zalog in popis) Module53Name=Storitve Module53Desc=Upravljanje storitev Module54Name=Pogodbe/naročnine @@ -582,7 +585,7 @@ Module54Desc=Upravljanje pogodb (storitve ali ponavljajoče se naročnine) Module55Name=Črtne kode Module55Desc=Upravljanje s črtno ali QR kodo Module56Name=Plačilo s kreditnim nakazilom -Module56Desc=Vodenje plačila dobaviteljev s kreditnimi nalogi. Vključuje generiranje datoteke SEPA za evropske države. +Module56Desc=Vodenje plačila dobaviteljem oziroma plače s kreditnimi nalogi. Vključuje generiranje datoteke SEPA za evropske države. Module57Name=Plačila z direktno bremenitvijo Module57Desc=Upravljanje nalogov za direktne bremenitve. Vključuje generiranje datoteke SEPA za evropske države. Module58Name=Klic s klikom @@ -630,6 +633,10 @@ Module600Desc=Pošiljanje e-poštnih obvestil, ki jih sproži poslovni dogodek: Module600Long=Upoštevajte, da ta modul pošilja e-pošto v realnem času, ko se zgodi določen poslovni dogodek. Če iščete funkcijo za pošiljanje e-poštnih opomnikov za dogodke dnevnega reda, pojdite v nastavitev modula Dnevni red. Module610Name=Različice izdelkov Module610Desc=Izdelava variant izdelkov (barva, velikost itd.) +Module650Name=Listnice materiala (BOM) +Module650Desc=Modul za določanje kosovnice materiala (BOM). Lahko se uporablja za načrtovanje proizvodnih virov z modulom Manufacturing Orders (MO) +Module660Name=Načrtovanje proizvodnih virov (MRP) +Module660Desc=Modul za upravljanje proizvodnih naročil (MO) Module700Name=Donacije Module700Desc=Upravljanje donacij Module770Name=Poročila o stroških @@ -650,8 +657,8 @@ Module2300Name=Načrtovana delovna mesta Module2300Desc=Upravljanje načrtovanih opravil (alias cron ali chrono table) Module2400Name=Dogodki/Koledar Module2400Desc=Sledite dogodkom. Beležite samodejne dogodke za namene sledenja ali beležite ročne dogodke ali sestanke. To je glavni modul za upravljanje odnosov s kupci ali dobavitelji. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Spletno naročanje terminov +Module2430Desc=Omogoča spletni sistem za rezervacijo terminov. To omogoča vsakomur, da rezervira srečanje v skladu z vnaprej določenimi razponi ali razpoložljivostjo. Module2500Name=DMS / ECM Module2500Desc=Sistem za upravljanje dokumentov / upravljanje elektronskih vsebin. Samodejna organizacija vaših ustvarjenih ali shranjenih dokumentov. Delite jih, ko jih potrebujete. Module2600Name=API / spletne storitve (strežnik SOAP) @@ -667,12 +674,12 @@ Module2900Name=GeoIPMaxmind Module2900Desc=Možnost konverzije GeoIP Maxmind Module3200Name=Nespremenljivi arhivi Module3200Desc=Omogočite nespremenljiv dnevnik poslovnih dogodkov. Dogodki se arhivirajo v realnem času. Dnevnik je tabela verižnih dogodkov samo za branje, ki jo je mogoče izvoziti. Ta modul je lahko obvezen za nekatere države. -Module3300Name=Module Builder -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. +Module3300Name=Graditelj modulov +Module3300Desc=RAD (Rapid Application Development – low-code and no-code) orodje za pomoč razvijalcem ali naprednim uporabnikom pri izdelavi lastnega modula/aplikacije. Module3400Name=Socialna omrežja Module3400Desc=Omogočite polja Social Networks v tretjih osebah in naslovih (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Upravljanje človeških virov (vodenje oddelka, pogodbe zaposlenih in občutki) +Module4000Desc=Upravljanje s človeškimi viri (vodenje oddelka, pogodbe zaposlenih, upravljanje spretnosti in razgovor) Module5000Name=Skupine podjetij Module5000Desc=Omogoča upravljaje skupine podjetij Module6000Name=Potek dela med moduli @@ -709,11 +716,13 @@ Module62000Name=Mednarodni Poslovni Izrazi Module62000Desc=Dodajte funkcije za upravljanje Incoterms Module63000Name=Viri Module63000Desc=Upravljanje virov (tiskalniki, avtomobili, sobe, ...) za dodeljevanje dogodkov -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. +Module66000Name=Upravljanje žetonov OAuth2 +Module66000Desc=Zagotovite orodje za ustvarjanje in upravljanje žetonov OAuth2. Žeton lahko nato uporabljajo nekateri drugi moduli. Module94160Name=Sprejemi +ModuleBookCalName=Sistem koledarja rezervacij +ModuleBookCalDesc=Upravljajte koledar za rezerviranje sestankov ##### Permissions ##### -Permission11=Read customer invoices (and payments) +Permission11=Branje računov strank (in plačil) Permission12=Kreiranje/Spreminjanje računov Permission13=Razveljavite račune strank Permission14=Potrjevanje računov @@ -955,7 +964,7 @@ Permission1190=Odobritev (druga odobritev) naročilnic Permission1191=Izvoz naročil dobaviteljev in njihovih atributov Permission1201=pregled rezultatov izvoza Permission1202=Kreiranje/spreminjanje izvoza -Permission1231=Read vendor invoices (and payments) +Permission1231=Branje računov dobaviteljev (in plačil) Permission1232=Ustvarite/spremenite prejete račune Permission1233=Potrdite prejete račune Permission1234=Izbrišite prejete račune @@ -979,7 +988,7 @@ Permission2501=Branje dokumentov Permission2502=Pošiljanje ali brisanje dokumentov Permission2503=Pošiljanje ali brisanje dokumentov Permission2515=Nastavitve map dokumentov -Permission2610=Generate/modify users API key +Permission2610=Ustvarite/spremenite uporabniški ključ API Permission2801=Uporaba FTP klienta samo za branje (samo brskanje in prenašanje) Permission2802=Uporaba FTP klienta za pisanje (brisanje ali nalaganje datotek) Permission3200=Branje arhiviranih dogodkov in prstnih odtisov @@ -987,16 +996,16 @@ Permission3301=Ustvarite nove module Permission4001=Preberite spretnost/delo/položaj Permission4002=Ustvari/spremeni veščino/delo/položaj Permission4003=Izbriši spretnost/delo/položaj -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations +Permission4021=Preberite ocene (vaše in vaših podrejenih) +Permission4022=Ustvarite/spremenite ocene Permission4023=Potrdite oceno Permission4025=Izbriši oceno Permission4028=Oglejte si primerjalni meni Permission4031=Preberite osebne podatke Permission4032=Napišite osebne podatke -Permission4033=Read all evaluations (even those of user not subordinates) +Permission4033=Preberite vse ocene (tudi ocene uporabnikov in ne podrejenih) Permission10001=Preberite vsebino spletne strani -Permission10002=Ustvari/spremeni vsebino spletnega mesta (vsebina html in javascript) +Permission10002=Ustvarite/spremenite vsebino spletnega mesta (vsebina html in JavaScript) Permission10003=Ustvari/spremeni vsebino spletne strani (dinamična php koda). Nevarno, mora biti rezervirano za omejene razvijalce. Permission10005=Izbrišite vsebino spletne strani Permission20001=Preberite prošnje za dopust (vaš dopust in dopust vaših podrejenih) @@ -1010,9 +1019,9 @@ Permission23001=Preberi načrtovano delo Permission23002=Ustvari/posodobi načrtovano delo Permission23003=Izbriši načrtovano delo Permission23004=Izvedi načrtovano delo -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates +Permission40001=Preberite valute in njihove tečaje +Permission40002=Ustvari/posodobi valute in njihove tečaje +Permission40003=Izbrišite valute in njihove tečaje Permission50101=Uporabite prodajno mesto (SimplePOS) Permission50151=Uporabite prodajno mesto (TakePOS) Permission50152=Uredite prodajne vrstice @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Poročilo o stroških - obseg po kategoriji prevoza DictionaryTransportMode=Intracomm poročilo - Način transporta DictionaryBatchStatus=Stanje kontrole kakovosti serije izdelka/serije DictionaryAssetDisposalType=Vrsta odtujitve sredstev +DictionaryInvoiceSubtype=Podvrste računov TypeOfUnit=Vrsta enote SetupSaved=Nastavitve shranjene SetupNotSaved=Nastavitev ni shranjena @@ -1109,10 +1119,11 @@ BackToModuleList=Nazaj na seznam modulov BackToDictionaryList=Nazaj na seznam slovarjev TypeOfRevenueStamp=Vrsta davčne znamke VATManagement=Upravljanje prometnega davka -VATIsUsedDesc=Stopnja prometnega davka pri ustvarjanju možnosti, računov, naročil itd. privzeto sledi aktivnemu standardnemu pravilu:
      Če prodajalec ni zavezan prometnemu davku, je privzeta vrednost prometnega davka 0. Konec pravila.
      Če je (država prodajalca = država kupca), potem je prometni davek privzeto enak prometnemu davku izdelka v državi prodajalca. Konec pravila.
      Če sta prodajalec in kupec oba v Evropski skupnosti in je blago proizvod, povezan s prevozom (prevoz, ladijski promet, letalski prevoznik), je privzeti DDV 0. To pravilo je odvisno od države prodajalca – posvetujte se s svojim računovodjo. DDV mora kupec plačati carinskemu uradu v svoji državi in ne prodajalcu. Konec pravila.
      Če sta prodajalec in kupec oba v Evropski skupnosti in kupec ni podjetje (z registrirano številko za DDV znotraj Skupnosti), je DDV privzeta stopnja DDV v državi prodajalca. Konec pravila.
      Če sta prodajalec in kupec oba v Evropski skupnosti in je kupec podjetje (z registrirano številko DDV znotraj Skupnosti), potem je DDV privzeto 0. Konec pravila.
      V vseh drugih primerih je predlagana privzeta vrednost prometni davek=0. Konec pravila. +VATIsUsedDesc=Pri ustvarjanju možnosti, računov, naročil itd. stopnja prometnega davka privzeto sledi aktivnemu standardnemu pravilu:
      Če prodajalec ni zavezan prometnemu davku, je prometni davek privzeto 0 . Konec pravila.
      Če je (država prodajalca = država kupca), potem je prometni davek privzeto enak prometnemu davku izdelka v državi prodajalca. Konec pravila.
      Če sta prodajalec in kupec oba v Evropski skupnosti in je blago povezano s prevozom (prevoz, pošiljanje, letalski prevoznik), je privzeti DDV 0. To pravilo je odvisno od države prodajalca - posvetujte se s svojim računovodjo. DDV mora kupec plačati carinskemu uradu v svoji državi in ne prodajalcu. Konec pravila.
      Če sta prodajalec in kupec oba v Evropski skupnosti in kupec ni podjetje (z registrirano številko za DDV znotraj Skupnosti), je DDV privzeto enak stopnja DDV v državi prodajalca. Konec pravila.
      Če sta prodajalec in kupec oba v Evropski skupnosti in je kupec podjetje (z registrirano številko DDV znotraj Skupnosti), je DDV 0 privzeto. Konec pravila.
      V vseh drugih primerih je predlagana privzeta vrednost prometni davek=0. Konec pravila. VATIsNotUsedDesc=Privzeto je predlagani prometni davek 0, kar se lahko uporablja za primere, kot so združenja, posamezniki ali mala podjetja. VATIsUsedExampleFR=V Franciji pomeni podjetja ali organizacije, ki imajo pravi davčni sistem (poenostavljeno real ali normal real). Sistem, v katerem se DDV prijavi. VATIsNotUsedExampleFR=V Franciji pomeni združenja, ki niso prijavila prometnega davka, ali podjetja, organizacije ali svobodne poklice, ki so izbrali davčni sistem mikro podjetij (prometni davek v franšizi) in plačali franšizni prometni davek brez kakršne koli napovedi prometnega davka. Ta izbira bo na računih prikazala sklic »Prometni davek se ne uporablja – art-293B CGI«. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Vrsta prometnega davka LTRate=Stopnja @@ -1246,7 +1257,7 @@ SetupDescription4= %s -> %s

      Ta programska oprema je SetupDescription5=Drugi vnosi v nastavitvenem meniju upravljajo izbirne parametre. SetupDescriptionLink= %s - %s SetupDescription3b=Osnovni parametri, ki se uporabljajo za prilagajanje privzetega vedenja vaše aplikacije (npr. za funkcije, povezane z državo). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. +SetupDescription4b=Ta programska oprema je zbirka številnih modulov/aplikacij. Aktivirani morajo biti moduli, ki ustrezajo vašim potrebam. Z aktivacijo teh modulov se prikažejo vnosi v meniju. AuditedSecurityEvents=Varnostni dogodki, ki so revidirani NoSecurityEventsAreAduited=Noben varnostni dogodek ni revidiran. Omogočite jih lahko v meniju %s Audit=Varnostni dogodki @@ -1268,7 +1279,7 @@ AreaForAdminOnly=Nastavitvene parametre lahko nastavijo samo skrbniški upor SystemInfoDesc=Sistemske informacije so raznovrstne tehnične informacije, ki so na voljo samo v bralnem načinu in jih vidi samo administrator. SystemAreaForAdminOnly=To področje je na voljo samo skrbniškim uporabnikom. Uporabniška dovoljenja Dolibarr ne morejo spremeniti te omejitve. CompanyFundationDesc=Uredite podatke o svojem podjetju/organizaciji. Ko končate, kliknite gumb "%s" na dnu strani. -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". +MoreNetworksAvailableWithModule=Več socialnih omrežij je lahko na voljo, če omogočite modul "Družabna omrežja". AccountantDesc=Če imate zunanjega računovodjo/knjigovodjo, lahko tukaj uredite njegove podatke. AccountantFileNumber=Koda računovodje DisplayDesc=Tukaj lahko spremenite parametre, ki vplivajo na videz in predstavitev aplikacije. @@ -1286,7 +1297,7 @@ TriggerActiveAsModuleActive=Prožilci v tej datoteki so aktivni, ker je omogoče GeneratedPasswordDesc=Izberite metodo, ki bo uporabljena za samodejno ustvarjena gesla. DictionaryDesc=Vnesite vse referenčne podatke. Svoje vrednosti lahko dodate privzetim. ConstDesc=Ta stran vam omogoča urejanje (preglasitev) parametrov, ki niso na voljo na drugih straneh. To so večinoma rezervirani parametri samo za razvijalce/napredno odpravljanje težav. -MiscellaneousOptions=Miscellaneous options +MiscellaneousOptions=Razne možnosti MiscellaneousDesc=Tukaj so definirani vsi ostali varnostni parametri. LimitsSetup=Nastavitve omejitev/natančnosti LimitsDesc=Tukaj lahko določite omejitve, natančnosti in optimizacije, ki jih uporablja Dolibarr @@ -1320,7 +1331,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Ta ukaz morate pognati iz ukazn YourPHPDoesNotHaveSSLSupport=SSL funkcije niso na voljo v vašem PHP DownloadMoreSkins=Prenos dodatnih preoblek SimpleNumRefModelDesc=Vrne referenčno številko v obliki zapisa %syymm-nnnn, kjer je yy leto, mm je mesec in nnnn je zaporedno samodejno naraščajoče število brez ponastavitve -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset +SimpleRefNumRefModelDesc=Vrne referenčno številko v obliki zapisa n, kjer je n zaporedno samodejno naraščajoče število brez ponastavitve AdvancedNumRefModelDesc=Vrne referenčno številko v obliki zapisa %syymm-nnnn, kjer je yy leto, mm je mesec in nnnn je zaporedno samodejno naraščajoče število brez ponastavitve SimpleNumRefNoDateModelDesc=Vrne referenčno številko v obliki zapisa %s-nnnn, kjer je nnnn zaporedno samodejno naraščajoče število brez ponastavitve ShowProfIdInAddress=Pokaži poklicno izkaznico z naslovi @@ -1399,8 +1410,8 @@ PHPModuleLoaded=Naložena je komponenta PHP %s PreloadOPCode=Uporablja se prednaložena OPCode AddRefInList=Prikaz kode Kupca/Dobavitelja v spustnih seznamih.
      Partnerji bodo prikazani v obliki "CC12345 - SC45678 - Demo podjetje d.o.o." namesto "Demo podjetje d.o.o.". AddVatInList=Prikaži številko DDV stranke/prodajalca v kombiniranih seznamih. -AddAdressInList=Prikaži naslov kupca/dobavitelja v spustnih seznamih.
      Partnerji bodo prikazani z nazivom "Demo podjetje d.o.o. - Podbevška cesta 1 2000 Maribor - SLO" namesto "Demo podjetje d.o.o.". -AddEmailPhoneTownInContactList=Prikaz e-pošte stika (ali telefonov, če niso določeni) in seznama informacij o mestu (izberite seznam ali kombinirano polje)
      Stiki bodo prikazani z obliko imena »Dupond Durand - dupond.durand@email.com - Pariz« ali »Dupond Durand - 06 07 59 65 66 - Pariz" namesto "Dupond Durand". +AddAdressInList=Prikažite naslov stranke/prodajalca v kombiniranih seznamih.
      Tretje osebe bodo prikazane z obliko imena »The Big Company corp. - 21 jump street 123456 Big town - USA« namesto » The Big Company corp". +AddEmailPhoneTownInContactList=Prikaži kontaktni e-poštni naslov (ali telefonske številke, če niso določeni) in seznam mestnih informacij (izberite seznam ali kombinirano polje)
      Stiki bodo prikazani z obliko imena »Dupond Durand – dupond.durand@example .com - Pariz" ali "Dupond Durand - 06 07 59 65 66 - Pariz" namesto "Dupond Durand". AskForPreferredShippingMethod=Vprašajte partnerja za željeni način pošiljanja. FieldEdition=%s premenjenih polj FillThisOnlyIfRequired=Primer: +2 (uporabite samo, če se pojavijo težave s časovno cono) @@ -1408,7 +1419,7 @@ GetBarCode=Pridobi črtno kodo NumberingModules=Modeli oštevilčenja DocumentModules=Modeli dokumentov ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters. +PasswordGenerationStandard=Vrni geslo, ustvarjeno v skladu z notranjim algoritmom Dolibarr: znaki %s, ki vsebujejo skupne številke in znake. PasswordGenerationNone=Ne predlagajte ustvarjenega gesla. Geslo morate vnesti ročno. PasswordGenerationPerso=Vrnite geslo glede na vašo osebno definirano konfiguracijo. SetupPerso=Glede na vašo konfiguracijo @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Ne prikažite povezave »Pozabljeno geslo« UsersSetup=Nastavitve modula uporabnikov UserMailRequired=Za ustvarjanje novega uporabnika je potreben e-poštni naslov UserHideInactive=Skrij neaktivne uporabnike z vseh kombiniranih seznamov uporabnikov (ni priporočljivo: to lahko pomeni, da na nekaterih straneh ne boste mogli filtrirati ali iskati starih uporabnikov) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Predloge dokumentov za dokumente, ustvarjene iz uporabniškega zapisa GroupsDocModules=Predloge dokumentov za dokumente, ustvarjene iz skupinskega zapisa ##### HRM setup ##### @@ -1462,10 +1475,10 @@ SuppliersPayment=Plačila dobaviteljem SupplierPaymentSetup=Nastavitev plačil dobaviteljem InvoiceCheckPosteriorDate=Pred potrditvijo preverite datum izdelave InvoiceCheckPosteriorDateHelp=Potrjevanje računa bo prepovedano, če je njegov datum pred datumom zadnjega računa iste vrste. -InvoiceOptionCategoryOfOperations=Display the mention "category of operations" on the invoice. -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
      - Category of operations: Delivery of goods
      - Category of operations: Provision of services
      - Category of operations: Mixed - Delivery of goods & provision of services -InvoiceOptionCategoryOfOperationsYes1=Yes, below the address block -InvoiceOptionCategoryOfOperationsYes2=Yes, in the lower left-hand corner +InvoiceOptionCategoryOfOperations=Na računu izpišite navedbo "kategorija poslov". +InvoiceOptionCategoryOfOperationsHelp=Odvisno od situacije se bo omemba pojavila v obliki:
      - Kategorija dejavnosti: Dostava blaga
      - Kategorija dejavnosti: Zagotavljanje storitev
      - Kategorija dejavnosti: Mešano - Dostava blaga in opravljanje storitev +InvoiceOptionCategoryOfOperationsYes1=Da, pod naslovnim blokom +InvoiceOptionCategoryOfOperationsYes2=Da, v spodnjem levem kotu ##### Proposals ##### PropalSetup=Nastavitve modula za komercialne ponudbe ProposalsNumberingModules=Moduli za številčenje komercialnih ponudb @@ -1508,13 +1521,13 @@ WatermarkOnDraftContractCards=Vodni tisk na osnutkih pogodb (brez, če je prazno ##### Members ##### MembersSetup=Nastavitve modula članov MemberMainOptions=Glavne opcije -MemberCodeChecker=Options for automatic generation of member codes -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +MemberCodeChecker=Možnosti avtomatskega generiranja članskih kod +AdherentLoginRequired=Upravljajte prijavo/geslo za vsakega člana +AdherentLoginRequiredDesc=V člansko datoteko dodajte vrednost za prijavo in geslo. Če je član povezan z uporabnikom, bo posodobitev uporabniške prijave in gesla posodobila tudi uporabniško prijavo in geslo. AdherentMailRequired=Za ustvarjanje novega člana je potreben e-poštni naslov MemberSendInformationByMailByDefault=Kontrolno polje za pošiljanje potrdil članom po pošti (potrditev ali nova naročnina) je privzeto označeno MemberCreateAnExternalUserForSubscriptionValidated=Ustvarite prijavo zunanjega uporabnika za vsako potrjeno naročnino novega člana -VisitorCanChooseItsPaymentMode=Visitor can choose from any available payment modes +VisitorCanChooseItsPaymentMode=Obiskovalec lahko izbira med vsemi razpoložljivimi načini plačila MEMBER_REMINDER_EMAIL=Omogoči samodejni opomnik po e-pošti o potečenih naročninah. Opomba: Modul %s mora biti omogočen in pravilno nastavljen za pošiljanje opomnikov. MembersDocModules=Predloge dokumentov za dokumente, ustvarjene iz evidence članov ##### LDAP setup ##### @@ -1643,9 +1656,9 @@ LDAPFieldEndLastSubscription=Date of subscription end LDAPFieldTitle=Delovno mesto LDAPFieldTitleExample=Primer: naziv LDAPFieldGroupid=ID skupine -LDAPFieldGroupidExample=Example : gidnumber +LDAPFieldGroupidExample=Primer: gidnumber LDAPFieldUserid=Uporabniško ime -LDAPFieldUseridExample=Example : uidnumber +LDAPFieldUseridExample=Primer: uidnumber LDAPFieldHomedirectory=Domači imenik LDAPFieldHomedirectoryExample=Primer: domači imenik LDAPFieldHomedirectoryprefix=Predpona domačega imenika @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Najden je predpomnilniški modul za aplikati MemcachedAvailableAndSetup=Vklopljen je predpomnilniški modul za predpomnilniški strežnik. OPCodeCache=OPCode predpomnilnik NoOPCodeCacheFound=Predpomnilnik OPCode ni bil najden. Morda uporabljate predpomnilnik OPCode, ki ni XCache ali eAccelerator (dobro) ali pa morda nimate predpomnilnika OPCode (zelo slabo). -HTTPCacheStaticResources=HTTP predpomnilnik za statične vire (css, img, javascript) +HTTPCacheStaticResources=Predpomnilnik HTTP za statične vire (css, img, JavaScript) FilesOfTypeCached=Datoteke tipa %s so shranjene v predpomnilniku HTTP strežnika FilesOfTypeNotCached=Datoteke tipa %s niso shranjene v predpomnilniku HTTP strežnika FilesOfTypeCompressed=Datoteke tipa %s so komprimirane v HTTP strežniku @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Poljubno besedilo na odpremnici ##### FCKeditor ##### AdvancedEditor=Napredni urejevalnik ActivateFCKeditor=Aktiviranje FCKeditor za: -FCKeditorForNotePublic=WYSIWIG izdelava/izdaja polja "javne opombe" elementov -FCKeditorForNotePrivate=WYSIWIG izdelava/izdaja polja "zasebne opombe" elementov -FCKeditorForCompany=WYSIWIG urejanje opisov elementov (razen izdelkov/storitev) -FCKeditorForProductDetails=WYSIWIG izdelava/izdaja opisa izdelkov ali vrstic za objekte (vrstice predlogov, naročil, računov, itd...). +FCKeditorForNotePublic=WYSIWYG izdelava/izdaja polja "javne opombe" elementov +FCKeditorForNotePrivate=WYSIWYG izdelava/izdaja polja "zasebne opombe" elementov +FCKeditorForCompany=WYSIWYG izdelava/izdaja polja opis elementov (razen izdelkov/storitev) +FCKeditorForProductDetails=WYSIWYG izdelava/izdaja opisa izdelkov ali vrstic za objekte (vrstice predlogov, naročil, računov, itd...). FCKeditorForProductDetails2=Opozorilo: uporaba te možnosti v tem primeru resno ni priporočljiva, saj lahko povzroči težave s posebnimi znaki in oblikovanjem strani pri ustvarjanju datotek PDF. -FCKeditorForMailing= WYSIWIG kreiranje/urejanje pošte -FCKeditorForUserSignature=WYSIWIG kreiranje/urejanje podpisa uporabnika -FCKeditorForMail=Ustvarjanje/izdaja WYSIWIG za vso pošto (razen Tools->eMailing) -FCKeditorForTicket=Izdelava/izdaja WYSIWIG za vstopnice +FCKeditorForMailing= Ustvarjanje/izdaja WYSIWYG za množično pošiljanje e-pošte (Orodja->e-poštno pošiljanje) +FCKeditorForUserSignature=WYSIWYG ustvarjanje/izdaja uporabniškega podpisa +FCKeditorForMail=Ustvarjanje/izdaja WYSIWYG za vso pošto (razen Orodja->e-pošta) +FCKeditorForTicket=Ustvarjanje/izdaja WYSIWYG za vstopnice ##### Stock ##### StockSetup=Nastavitev zalog modula IfYouUsePointOfSaleCheckModule=Če uporabljate privzeti modul prodajnega mesta (POS) ali zunanji modul, bo vaš modul POS to nastavitev morda prezrl. Večina POS modulov je privzeto zasnovanih tako, da takoj ustvarijo račun in zmanjšajo zalogo ne glede na možnosti tukaj. Torej, če želite ali ne želite imeti zmanjšanja zalog pri registraciji prodaje iz vašega POS-a, preverite tudi nastavitev svojega POS modula. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Prilagojeni meniji, ki niso povezani z vnosom v zgorn NewMenu=Nov meni MenuHandler=Menijski vmesnik MenuModule=Modul izvorov -HideUnauthorizedMenu=Skrij nepooblaščene menije tudi za interne uporabnike (samo drugače sivi) +HideUnauthorizedMenu=Skrij nepooblaščene menije tudi za interne uporabnike (samo sivi) DetailId=ID meni DetailMenuHandler=Upravljavec menijev za prikaz novega menija DetailMenuModule=Ime modula, če vnos prihaja iz modula @@ -1802,7 +1815,7 @@ DetailType=Tip menija (zgoraj ali levo) DetailTitre=Naziv menija ali koda naziva za prevod DetailUrl=URL, kamor vas pošlje meni (relativna povezava URL ali zunanja povezava s https://) DetailEnabled=Pogoj za prikaz vnosa ali ne -DetailRight=Pogoj za prikaz neavtoriziranih zatemnitev menija +DetailRight=Pogoj za prikaz nepooblaščenih sivih menijev DetailLangs=Ime jezikovne datoteke za prevod nazivnih kot DetailUser=Interni / zunanji / vsi Target=Za @@ -1840,9 +1853,9 @@ AgendaSetup = Nastavitev modula za aktivnosti in dnevni red AGENDA_DEFAULT_FILTER_TYPE = Samodejno nastavi to vrsto dogodka v iskalnem filtru pogleda dnevnega reda AGENDA_DEFAULT_FILTER_STATUS = Samodejno nastavi to stanje za dogodke v iskalnem filtru pogleda dnevnega reda AGENDA_DEFAULT_VIEW = Kateri pogled želite privzeto odpreti, ko izberete meni Dnevni red -AGENDA_EVENT_PAST_COLOR = Past event color -AGENDA_EVENT_CURRENT_COLOR = Current event color -AGENDA_EVENT_FUTURE_COLOR = Future event color +AGENDA_EVENT_PAST_COLOR = Barva preteklih dogodkov +AGENDA_EVENT_CURRENT_COLOR = Barva trenutnega dogodka +AGENDA_EVENT_FUTURE_COLOR = Barva prihodnjega dogodka AGENDA_REMINDER_BROWSER = Omogoči opomnik dogodka v brskalniku uporabnika (Ko je dosežen datum opomnika, brskalnik prikaže pojavno okno. Vsak uporabnik lahko onemogoči takšna obvestila v nastavitvi obvestil brskalnika). AGENDA_REMINDER_BROWSER_SOUND = Omogoči zvočno obvestilo AGENDA_REMINDER_EMAIL = Omogoči opomnik za dogodek po e-pošti (možnost opomnika/zakasnitve je mogoče določiti za vsak dogodek). @@ -1855,7 +1868,7 @@ PastDelayVCalExport=Ne izvažaj dogodekov, starejših od SecurityKey = Varnostni ključ ##### ClickToDial ##### ClickToDialSetup=Nastavitve modula za klicanje s klikom -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). +ClickToDialUrlDesc=URL, ki se prikliče, ko kliknete sliko telefona. V URL-ju lahko uporabite oznake
      __PHONETO__, ki bodo zamenjana s telefonsko številko osebe, ki jo je treba poklicati
      __PHONEFROM__ bo nadomeščena s telefonsko številko osebe, ki kliče (vaša)
      __LOGIN__
      , ki bo nadomeščen s prijavo za klicanje (določeno na uporabniški kartici)
      __PASS__ , ki bo nadomeščeno z geslom za klicanje (določeno na uporabniški kartici). ClickToDialDesc=Ta modul spremeni telefonske številke pri uporabi namiznega računalnika v povezave, ki jih je mogoče klikniti. Klik bo poklical številko. To lahko uporabite za začetek telefonskega klica, ko na namizju uporabljate programski telefon ali na primer pri uporabi sistema CTI, ki temelji na protokolu SIP. Opomba: Ko uporabljate pametni telefon, lahko telefonske številke vedno kliknete. ClickToDialUseTelLink=Na telefonskih številkah uporabite samo povezavo "tel:". ClickToDialUseTelLinkDesc=Uporabite to metodo, če imajo vaši uporabniki programski telefon ali programski vmesnik, nameščen v istem računalniku kot brskalnik, ki se pokliče, ko v brskalniku kliknete povezavo, ki se začne z "tel:". Če potrebujete povezavo, ki se začne s "sip:", ali celotno strežniško rešitev (ni potrebe po namestitvi lokalne programske opreme), morate to nastaviti na "Ne" in izpolniti naslednje polje. @@ -1867,14 +1880,15 @@ CashDeskBankAccountForSell=Račun, ki se uporabi za prejem gotovinskih plačil CashDeskBankAccountForCheque=Privzeti račun za prejemanje plačil s čeki CashDeskBankAccountForCB=Račun, ki se uporabi za prejem plačil s kreditnimi karticami CashDeskBankAccountForSumup=Privzeti bančni račun za prejemanje plačil prek SumUp -CashDeskDoNotDecreaseStock=Onemogoči zmanjševanje zaloge, ko je prodaja opravljena na prodajnem mestu (če je "ne", se zmanjševanje zaloge izvede za vsako prodajo opravljeno s POS-a, ne glede na možnost, nastavljeno v modulu Zaloga). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Prisilite ali blokirajte skladišče, uporabljeno za zmanjšanje zalog StockDecreaseForPointOfSaleDisabled=Zmanjšanje zaloge s prodajnega mesta onemogočeno StockDecreaseForPointOfSaleDisabledbyBatch=Zmanjšanje zalog v POS ni združljivo z modulom Serial/Lot management (trenutno aktiven), zato je zmanjševanje zalog onemogočeno. CashDeskYouDidNotDisableStockDecease=Pri prodaji na prodajnem mestu niste onemogočili zmanjšanja zaloge. Zato je potrebno skladišče. CashDeskForceDecreaseStockLabel=Zmanjšanje zalog serijskih izdelkov je bilo izsiljeno. CashDeskForceDecreaseStockDesc=Najprej zmanjšajte za najstarejše datume prehranjevanja in prodaje. -CashDeskReaderKeyCodeForEnter=Key ASCII code for "Enter" defined in barcode reader (Example: 13) +CashDeskReaderKeyCodeForEnter=Ključna koda ASCII za "Enter", definirana v bralniku črtne kode (Primer: 13) ##### Bookmark ##### BookmarkSetup=Nastavitev modula za zaznamke BookmarkDesc=Ta modul vam omogoča upravljanje zaznamkov. Dodate lahko tudi bližnjice do katere koli strani Dolibarr ali zunanjih spletnih mest v levem meniju. @@ -1912,7 +1926,7 @@ SuppliersInvoiceNumberingModel=Modeli številčenja prejetih računov IfSetToYesDontForgetPermission=Če je nastavljena na vrednost, ki ni ničelna, ne pozabite zagotoviti dovoljenj za skupine ali uporabnike, ki jim je dovoljena druga odobritev ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=Nastavitev modula GeoIP Maxmind -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation +PathToGeoIPMaxmindCountryDataFile=Pot do datoteke, ki vsebuje prevod Maxmind ip v državo NoteOnPathLocation=Pazite, da je mora biti vaš ip do datoteke s podatki o državi znotraj mape, ki jo PHP lahko bere (Na vašem PHP preverite nastavitve 'open_basedir' in dovoljenja za datotečni sistem). YouCanDownloadFreeDatFileTo=Brezplačno demo različico Maxmind GeoIP deželne datoteke lahko prenesete z %s. YouCanDownloadAdvancedDatFileTo=Lahko tudi prenesete bolj popolno različico, s posodobitvami, deželne datoteke Maxmind GeoIP z %s. @@ -1963,13 +1977,14 @@ BackupDumpWizard=Čarovnik za izdelavo datoteke izpisa baze podatkov BackupZipWizard=Čarovnik za izdelavo imenika arhiva dokumentov SomethingMakeInstallFromWebNotPossible=Instalacija eksternega modula s spletnega vmesnika ni možna zaradi naslednjega razloga: SomethingMakeInstallFromWebNotPossible2=Iz tega razloga je postopek nadgradnje, opisan tukaj, ročni postopek, ki ga lahko izvede samo privilegirani uporabnik. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. +InstallModuleFromWebHasBeenDisabledContactUs=Namestitev ali razvoj zunanjih modulov ali dinamičnih spletnih mest iz aplikacije je trenutno zaklenjena zaradi varnosti. Prosimo, kontaktirajte nas, če želite omogočiti to funkcijo. InstallModuleFromWebHasBeenDisabledByFile=Instalacijo zunanjega modula iz aplikacije je onemogočil vaš administrator. Prositi ga morate, naj odstrani datoteko %s, da bi omogočil to funkcijo. ConfFileMustContainCustom=Če želite namestiti ali zgraditi zunanji modul iz aplikacije, morate datoteke modula shraniti v imenik %s . Če želite, da ta imenik obdela Dolibarr, morate nastaviti svoj conf/conf.php , da dodate 2 vrstici direktive:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; HighlightLinesOnMouseHover=Osvetli vrstice tabele, preko katerih je šla miška HighlightLinesColor=Označite barvo črte, ko gre miška čez (uporabite 'ffffff', če ne označite) HighlightLinesChecked=Označite barvo črte, ko je označena (uporabite 'ffffff', če ne označite) UseBorderOnTable=Pokaži levo-desno obrobo na tabelah +TableLineHeight=Višina vrstice tabele BtnActionColor=Barva akcijskega gumba TextBtnActionColor=Barva besedila akcijskega gumba TextTitleColor=Barva besedila naslova strani @@ -1991,7 +2006,7 @@ EnterAnyCode=To polje vsebuje sklic za identifikacijo vrstice. Vnesite poljubno Enter0or1=Vnesite 0 ali 1 UnicodeCurrency=Tukaj med oklepaji vnesite seznam številk bajtov, ki predstavljajo simbol valute. Na primer: za $ vnesite [36] - za brazilske realne R$ [82,36] - za € vnesite [8364] ColorFormat=Barva RGB je v formatu HEX, npr.: FF0000 -PictoHelp=Ime ikone v formatu:
      - image.png za slikovno datoteko v trenutnem imeniku teme
      - image.png@module, če je datoteka v imeniku /img/ modula
      - fa-xxx za sliko FontAwesome fa-xxx
      - fonwtawesome_xxx_fa_color_size za sliko FontAwesome fa-xxx (z nastavljeno predpono, barvo in velikostjo) +PictoHelp=Ime ikone v obliki zapisa:
      - image.png za slikovno datoteko v trenutni imenik tem
      - image.png@module če je datoteka v imeniku /img/ modula
      - fa-xxx za sliko FontAwesome fa-xxx
      - fontawesome_xxx_fa_color_size za sliko FontAwesome fa-xxx (z nastavljeno predpono, barvo in velikostjo) PositionIntoComboList=Položaj vrstice v kombiniranih seznamih SellTaxRate=Stopnja prometnega davka RecuperableOnly=Da za DDV "Ni zaznati, vendar ga je mogoče povrniti", namenjeno nekaterim državam v Franciji. V vseh drugih primerih imejte vrednost "Ne". @@ -2077,10 +2092,10 @@ MAIN_DOCUMENTS_LOGO_HEIGHT=Višina za logotip v PDF DOC_SHOW_FIRST_SALES_REP=Prikaži prvega prodajnega predstavnika MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Dodajte stolpec za sliko v vrstice predlogov MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Širina stolpca, če je slika dodana v vrstice -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Skrij stolpec s ceno na enoto pri zahtevah za ponudbo +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Skrij stolpec skupne cene pri zahtevah za ponudbo +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Skrijte stolpec s ceno na enoto na naročilnicah +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Skrij stolpec s skupno ceno pri naročilih za nakup MAIN_PDF_NO_SENDER_FRAME=Skrij obrobe okvirja naslova pošiljatelja MAIN_PDF_NO_RECIPENT_FRAME=Skrij obrobe okvirja naslova prejemnika MAIN_PDF_HIDE_CUSTOMER_CODE=Skrij kodo stranke @@ -2094,11 +2109,11 @@ EnterCalculationRuleIfPreviousFieldIsYes=Vnesite pravilo izračuna, če je bilo SeveralLangugeVariatFound=Najdenih več jezikovnih različic RemoveSpecialChars=Odstranite posebne znake COMPANY_AQUARIUM_CLEAN_REGEX=Filter regularnih izrazov za čiščenje vrednosti (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code +COMPANY_AQUARIUM_NO_PREFIX=Ne uporabljajte predpone, samo kopirajte kodo stranke ali dobavitelja COMPANY_DIGITARIA_CLEAN_REGEX=Filter regularnih izrazov za čiščenje vrednosti (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=Podvajanje ni dovoljeno -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word +RemoveSpecialWords=Očistite določene besede pri ustvarjanju podračunov za stranke ali dobavitelje +RemoveSpecialWordsHelp=Določite besede, ki jih je treba očistiti, preden izračunate račun stranke ali dobavitelja. Uporabi ";" med vsako besedo GDPRContact=Pooblaščenec za varstvo podatkov (DPO, kontakt za zasebnost podatkov ali GDPR) GDPRContactDesc=Če v svojem Informacijskem sistemu shranjujete osebne podatke, lahko tukaj navedete kontakt, ki je odgovoren za Splošno uredbo o varstvu podatkov HelpOnTooltip=Besedilo pomoči za prikaz v opisu orodja @@ -2117,14 +2132,14 @@ NewEmailCollector=Nov zbiralnik e-pošte EMailHost=Gostitelj e-poštnega strežnika IMAP EMailHostPort=Vrata e-poštnega strežnika IMAP loginPassword=Prijava/Geslo -oauthToken=OAuth2 token +oauthToken=žeton OAuth2 accessType=Vrsta dostopa oauthService=Oauth storitev TokenMustHaveBeenCreated=Modul OAuth2 mora biti omogočen in žeton oauth2 mora biti ustvarjen s pravilnimi dovoljenji (na primer obseg »gmail_full« z OAuth za Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session +ImapEncryption = Metoda šifriranja IMAP +ImapEncryptionHelp = Primer: nič, ssl, tls, notls +NoRSH = Uporabite konfiguracijo NoRSH +NoRSHHelp = Za vzpostavitev seje predhodne identifikacije IMAP ne uporabljajte protokolov RSH ali SSH MailboxSourceDirectory=Izvorni imenik nabiralnika MailboxTargetDirectory=Ciljni imenik nabiralnika EmailcollectorOperations=Operacije, ki jih izvaja zbiralec @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Ne vključite vsebine glave elektronske pošte v s EmailCollectorHideMailHeadersHelp=Ko je omogočeno, glave e-pošte niso dodane na koncu vsebine e-pošte, ki je shranjena kot dogodek dnevnega reda. EmailCollectorConfirmCollectTitle=Potrditev zbiranja po e-pošti EmailCollectorConfirmCollect=Ali želite zdaj zagnati ta zbiralnik? -EmailCollectorExampleToCollectTicketRequestsDesc=Zberite e-poštna sporočila, ki se ujemajo z nekaterimi pravili, in samodejno ustvarite vstopnico (modulna vstopnica mora biti omogočena) z e-poštnimi informacijami. Ta zbiralnik lahko uporabite, če zagotovite podporo po e-pošti, tako da bo vaša zahteva za vstopnico samodejno ustvarjena. Aktivirajte tudi Collect_Responses za zbiranje odgovorov vaše stranke neposredno v pogledu vozovnice (odgovoriti morate iz Dolibarrja). +EmailCollectorExampleToCollectTicketRequestsDesc=Zberite e-poštna sporočila, ki ustrezajo nekaterim pravilom, in samodejno ustvarite vstopnico (modulna vstopnica mora biti omogočena) s podatki o e-pošti. Ta zbiralnik lahko uporabite, če zagotovite podporo po e-pošti, tako da bo vaša zahteva za vstopnico samodejno ustvarjena. Aktivirajte tudi Collect_Responses za zbiranje odgovorov vaše stranke neposredno v pogledu vozovnice (odgovoriti morate iz Dolibarrja). EmailCollectorExampleToCollectTicketRequests=Primer zbiranja zahteve za vstopnico (samo prvo sporočilo) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Preglejte imenik »Poslano« svojega nabiralnika in poiščite e-poštna sporočila, ki so bila poslana kot odgovor na drugo e-poštno sporočilo neposredno iz vaše e-poštne programske opreme in ne iz Dolibarrja. Če takšno e-poštno sporočilo najdemo, se dogodek odgovora zabeleži v Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Primer zbiranja e-poštnih odgovorov, poslanih iz zunanje e-poštne programske opreme EmailCollectorExampleToCollectDolibarrAnswersDesc=Zberite vsa e-poštna sporočila, ki so odgovor na e-poštno sporočilo, poslano iz vaše aplikacije. Dogodek (modul Agenda mora biti omogočen) z e-poštnim odgovorom bo zabeležen na dobrem mestu. Na primer, če pošljete komercialni predlog, naročilo, račun ali sporočilo za vstopnico po e-pošti iz aplikacije in prejemnik odgovori na vaše e-poštno sporočilo, bo sistem samodejno ujel odgovor in ga dodal v vaš ERP. EmailCollectorExampleToCollectDolibarrAnswers=Primer zbiranja vseh dohodnih sporočil, ki so odgovori na sporočila, poslana od Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Zberite e-poštna sporočila, ki se ujemajo z nekaterimi pravili, in samodejno ustvarite potencialno stranko (Module Project mora biti omogočen) z e-poštnimi informacijami. Ta zbiralnik lahko uporabite, če želite slediti svojemu vodniku z uporabo modula Projekt (1 lead = 1 projekt), tako da bodo vaši potencialni kupci samodejno ustvarjeni. Če je omogočen tudi zbiralnik Collect_Responses, ko pošljete e-poštno sporočilo svojih potencialnih strank, predlogov ali katerega koli drugega predmeta, boste morda neposredno v aplikaciji videli tudi odgovore svojih strank ali partnerjev.
      Opomba: v tem začetnem primeru se ustvari naslov potencialne stranke, vključno z e-pošto. Če tretje osebe ni mogoče najti v bazi podatkov (nova stranka), bo potencialna stranka pripeta tretji osebi z ID 1. +EmailCollectorExampleToCollectLeadsDesc=Zberite e-poštna sporočila, ki se ujemajo z nekaterimi pravili, in samodejno ustvarite potencialno stranko (Module Project mora biti omogočen) z e-poštnimi informacijami. Ta zbiralnik lahko uporabite, če želite slediti svojemu vodniku z uporabo modula Projekt (1 lead = 1 projekt), tako da bodo vaši potencialni kupci samodejno ustvarjeni. Če je omogočen tudi zbiralnik Collect_Responses, ko pošljete e-pošto svojih potencialnih strank, predlogov ali katerega koli drugega predmeta, boste morda videli tudi odgovore svojih strank ali partnerjev neposredno v aplikaciji.
      Opomba: V tem začetnem primeru se ustvari naslov potencialne stranke, vključno z e-pošto. Če tretje osebe ni mogoče najti v bazi podatkov (nova stranka), bo potencialna stranka pripeta tretji osebi z ID 1. EmailCollectorExampleToCollectLeads=Primer zbiranja potencialnih strank EmailCollectorExampleToCollectJobCandidaturesDesc=Zbirajte e-poštna sporočila, ki se prijavljajo na ponudbe za delo (Modul Recruitment mora biti omogočen). Ta zbiralnik lahko dokončate, če želite samodejno ustvariti kandidaturo za prošnjo za delo. Opomba: S tem začetnim primerom se ustvari naslov kandidature, vključno z e-pošto. EmailCollectorExampleToCollectJobCandidatures=Primer zbiranja kandidatur za zaposlitev, prejetih po elektronski pošti @@ -2159,7 +2174,7 @@ CodeLastResult=Koda zadnjega rezultata NbOfEmailsInInbox=Število e-poštnih sporočil v izvornem imeniku LoadThirdPartyFromName=Naloži iskanje partnerjev na %s (samo nalaganje) LoadThirdPartyFromNameOrCreate=Naloži iskanje partnerjev na %s (ustvari, če ni najden) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) +LoadContactFromEmailOrCreate=Naloži iskanje stikov na %s (ustvari, če ni najden) AttachJoinedDocumentsToObject=Shranite priložene datoteke v dokumente predmeta, če je v e-poštni temi najden sklic predmeta. WithDolTrackingID=Sporočilo iz pogovora, ki ga je sprožilo prvo e-poštno sporočilo, poslano iz Dolibarra WithoutDolTrackingID=Sporočilo iz pogovora, ki ga je sprožilo prvo e-poštno sporočilo, ki NI poslano iz Dolibarra @@ -2169,7 +2184,7 @@ CreateCandidature=Ustvari prošnjo za delo FormatZip=Zip MainMenuCode=Koda za vnos menija (glavni meni) ECMAutoTree=Pokaži samodejno drevo ECM -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. +OperationParamDesc=Določite pravila za ekstrahiranje nekaterih podatkov ali nastavite vrednosti za uporabo pri delovanju.

      Primer za ekstrahiranje imena podjetja iz zadevo e-pošte v začasno spremenljivko:
      tmp_var=EXTRACT:SUBJECT:Sporočilo podjetja ([^\n]*)

      Primeri za nastavitev lastnosti predmeta za ustvarjanje:
      objproperty1=SET:trdo kodirana vrednost
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:vrednost (vrednost je nastavljen samo, če lastnost še ni definirana)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:Ime mojega podjetja je\\ s([^\\s]*)

      Uporabite novo vrstico za ekstrahiranje ali nastavitev več lastnosti. OpeningHours=Odpiralni čas OpeningHoursDesc=Tukaj vnesite redni delovni čas vašega podjetja. ResourceSetup=Konfiguracija modula Resource @@ -2188,10 +2203,10 @@ Protanopia=Protanopija Deuteranopes=Devteranopi Tritanopes=Tritanopi ThisValueCanOverwrittenOnUserLevel=To vrednost lahko vsak uporabnik prepiše s svoje uporabniške strani - zavihek '%s' -DefaultCustomerType=Privzeti tip partnerja za obrazec za ustvarjanje »Nov kupec«. +DefaultCustomerType=Privzeti tip tretje osebe za obrazec za ustvarjanje »Nova stranka«. ABankAccountMustBeDefinedOnPaymentModeSetup=Opomba: Bančni račun mora biti definiran na modulu vsakega načina plačila (Paypal, Stripe, ...), da ta funkcija deluje. RootCategoryForProductsToSell=Osnovna kategorija izdelkov za prodajo -RootCategoryForProductsToSellDesc=Če je definirano, bodo na prodajnem mestu na voljo samo izdelki znotraj te kategorije ali podrejeni izdelki te kategorije +RootCategoryForProductsToSellDesc=Če je določeno, bodo na prodajnem mestu na voljo samo izdelki znotraj te kategorije ali podrejeni izdelki te kategorije DebugBar=Vrstica za odpravljanje napak DebugBarDesc=Orodna vrstica, ki vsebuje veliko orodij za poenostavitev odpravljanja napak DebugBarSetup=Nastavitev DebugBar @@ -2212,11 +2227,11 @@ ImportSetup=Nastavitev modula Import InstanceUniqueID=Enolični ID primerka SmallerThan=Manjši od LargerThan=Večje kot -IfTrackingIDFoundEventWillBeLinked=Upoštevajte, da če je v e-pošti najden ID sledenja predmeta ali če je e-poštno sporočilo odgovor na e-poštno sporočilo, ki je zbrano in povezano z objektom, bo ustvarjeni dogodek samodejno povezan z znanim sorodnim objektom. -WithGMailYouCanCreateADedicatedPassword=Če ste z računom GMail omogočili preverjanje v dveh korakih, je priporočljivo ustvariti namensko drugo geslo za aplikacijo namesto uporabe lastnega gesla za račun s https://myaccount.google.com/. +IfTrackingIDFoundEventWillBeLinked=Upoštevajte, da če je ID sledenja predmeta najden v e-pošti ali če je e-pošta odgovor na e-pošto, ki je že zbrana in povezana z objektom, bo ustvarjeni dogodek samodejno povezan z znanim sorodnim objektom. +WithGMailYouCanCreateADedicatedPassword=Če ste pri računu GMail omogočili preverjanje veljavnosti v dveh korakih, je priporočljivo ustvariti namensko drugo geslo za aplikacijo namesto uporabe lastnega gesla za račun na https://myaccount.google.com/. EmailCollectorTargetDir=Morda je želeno vedenje premakniti e-pošto v drugo oznako/imenik, ko je bila uspešno obdelana. Samo nastavite ime imenika tukaj, da uporabite to funkcijo (NE uporabljajte posebnih znakov v imenu). Upoštevajte, da morate uporabiti tudi prijavni račun za branje/pisanje. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). +EmailCollectorLoadThirdPartyHelp=To dejanje lahko uporabite za uporabo vsebine e-pošte za iskanje in nalaganje obstoječe tretje osebe v vaši bazi podatkov (iskanje bo izvedeno po definirani lastnosti med 'id','name','name_alias','email'). Najdena (ali ustvarjena) tretja oseba bo uporabljena za naslednja dejanja, ki jo potrebujejo.
      Če želite na primer ustvariti tretjo osebo z imenom, ekstrahiranim iz niza ' Ime: ime za iskanje' prisotno v telesu, e-poštni naslov pošiljatelja uporabite kot e-poštni naslov, polje parametrov lahko nastavite takole:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=Opozorilo: veliko e-poštnih strežnikov (kot je Gmail) pri iskanju po nizu izvaja iskanje po celi besedi in ne bo vrnilo rezultata, če je niz najden le delno v besedi. Tudi zaradi tega razloga bo uporaba posebnih znakov v iskalnih kriterijih prezrta, če niso del obstoječih besed.
      Če želite izključiti iskanje po besedi (vrnite e-pošto, če je beseda ni najden), lahko uporabite ! pred besedo (morda ne deluje na nekaterih poštnih strežnikih). EndPointFor=Končna točka za %s : %s DeleteEmailCollector=Izbriši zbiralnik e-pošte ConfirmDeleteEmailCollector=Ali ste prepričani, da želite izbrisati ta zbiralnik e-pošte? @@ -2232,12 +2247,12 @@ EmailTemplate=Predloga za e-pošto EMailsWillHaveMessageID=E-poštna sporočila bodo imela oznako 'Reference', ki se ujema s to sintakso PDF_SHOW_PROJECT=Pokaži projekt na dokumentu ShowProjectLabel=Oznaka projekta -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=V ime partnerja vključite vzdevek -THIRDPARTY_ALIAS=Ime partnerja - vzdevek -ALIAS_THIRDPARTY=Vzdevek partnerja – ime partnerja -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=V ime tretje osebe vključite vzdevek +THIRDPARTY_ALIAS=Ime tretje osebe - vzdevek tretje osebe +ALIAS_THIRDPARTY=Vzdevek tretje osebe – ime tretje osebe +PDFIn2Languages=Pokaži oznake v PDF-ju v dveh različnih jezikih (ta funkcija morda ne bo delovala v nekaterih jezikih) PDF_USE_ALSO_LANGUAGE_CODE=Če želite imeti nekatera besedila v vašem PDF-ju podvojena v 2 različnih jezikih v istem ustvarjenem PDF-ju, morate tukaj nastaviti ta drugi jezik, tako da bo ustvarjeni PDF vseboval 2 različna jezika na isti strani, tistega, izbranega pri ustvarjanju PDF-ja, in tega ( to podpira le nekaj predlog PDF). Pustite prazno za 1 jezik na PDF. -PDF_USE_A=Ustvari dokumente PDF s formatom PDF/A namesto s privzetim formatom PDF +PDF_USE_A=Ustvarite dokumente PDF s formatom PDF/A namesto s privzetim formatom PDF FafaIconSocialNetworksDesc=Tukaj vnesite kodo ikone FontAwesome. Če ne veste, kaj je FontAwesome, lahko uporabite generično vrednost fa-adress-book. RssNote=Opomba: vsaka definicija vira RSS ponuja gradnik, ki ga morate omogočiti, da bo na voljo na nadzorni plošči JumpToBoxes=Pojdite na Nastavitve -> Pripomočki @@ -2263,13 +2278,13 @@ MailToSendEventOrganization=Organizacija dogodkov MailToPartnership=Partnerstvo AGENDA_EVENT_DEFAULT_STATUS=Privzeti status dogodka pri ustvarjanju dogodka iz obrazca YouShouldDisablePHPFunctions=Funkcije PHP bi morali onemogočiti -IfCLINotRequiredYouShouldDisablePHPFunctions=Funkcije PHP bi morali onemogočiti, razen če morate zagnati sistemske ukaze v kodi po meri -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions +IfCLINotRequiredYouShouldDisablePHPFunctions=Funkcije PHP onemogočite, razen če morate izvajati sistemske ukaze v kodi po meri +PHPFunctionsRequiredForCLI=Za namen lupine (kot je načrtovano varnostno kopiranje opravil ali zagon protivirusnega programa) morate ohraniti funkcije PHP NoWritableFilesFoundIntoRootDir=V vašem korenskem imeniku ni bilo najdenih zapisljivih datotek ali imenikov običajnih programov (dobro) RecommendedValueIs=Priporočeno: %s Recommended=Priporočena NotRecommended=Ni priporočljivo -ARestrictedPath=Some restricted path for data files +ARestrictedPath=Neka omejena pot za podatkovne datoteke CheckForModuleUpdate=Preverite posodobitve zunanjih modulov CheckForModuleUpdateHelp=To dejanje bo vzpostavilo povezavo z urejevalniki zunanjih modulov in preverilo, ali je na voljo nova različica. ModuleUpdateAvailable=Na voljo je posodobitev @@ -2283,8 +2298,8 @@ DatabasePasswordNotObfuscated=Geslo baze podatkov NI zakrito v datoteki conf APIsAreNotEnabled=Moduli API-jev niso omogočeni YouShouldSetThisToOff=To bi morali nastaviti na 0 ali izklopiti InstallAndUpgradeLockedBy=Namestitev in nadgradnje so zaklenjene z datoteko %s -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. +InstallLockedBy=Namestitev/ponovno namestitev zaklene datoteka %s +InstallOfAddonIsNotBlocked=Namestitve dodatkov niso zaklenjene. Ustvarite datoteko installmodules.lock v imenik %s za blokiranje namestitve zunanjih dodatkov/modulov. OldImplementation=Stara izvedba PDF_SHOW_LINK_TO_ONLINE_PAYMENT=Če so omogočeni nekateri moduli za spletno plačevanje (Paypal, Stripe, ...), dodajte povezavo na PDF za izvedbo spletnega plačila DashboardDisableGlobal=Globalno onemogoči vse palce odprtih predmetov @@ -2322,12 +2337,12 @@ ExportUseLowMemoryMode=Uporabite način nizke količine pomnilnika ExportUseLowMemoryModeHelp=Uporabite način nizkega pomnilnika za ustvarjanje datoteke izpisa (stiskanje poteka skozi cev namesto v pomnilnik PHP). Ta metoda ne omogoča preverjanja, ali je datoteka popolna, in sporočila o napaki ni mogoče sporočiti, če ne uspe. Uporabite ga, če naletite na napake premalo pomnilnika. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL +ModuleWebhookDesc = Vmesnik za lovljenje sprožilcev dolibarr in pošiljanje podatkov o dogodku na URL WebhookSetup = Nastavitev Webhooka Settings = nastavitve WebhookSetupPage = Stran za nastavitev Webhooka ShowQuickAddLink=Prikaži gumb za hitro dodajanje elementa v zgornjem desnem meniju - +ShowSearchAreaInTopMenu=Prikaži območje iskanja v zgornjem meniju HashForPing=Hash, uporabljen za ping ReadOnlyMode=Je primerek v načinu »Samo za branje«. DEBUGBAR_USE_LOG_FILE=Za prestrezanje dnevnikov uporabite datoteko dolibarr.log @@ -2337,15 +2352,15 @@ DefaultOpportunityStatus=Privzeto stanje priložnosti (prvo stanje, ko je potenc IconAndText=Ikona in besedilo TextOnly=Samo besedilo -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon +IconOnlyAllTextsOnHover=Samo ikona – Vsa besedila se prikažejo pod ikono na miški nad menijsko vrstico +IconOnlyTextOnHover=Samo ikona – Besedilo ikone se prikaže pod ikono, če miško premaknete nad ikono IconOnly=Samo ikona – Samo besedilo na opisu orodja INVOICE_ADD_ZATCA_QR_CODE=Pokažite kodo ZATCA QR na računih INVOICE_ADD_ZATCA_QR_CODEMore=Nekatere arabske države potrebujejo to kodo QR na svojih računih INVOICE_ADD_SWISS_QR_CODE=Pokažite švicarsko kodo QR-Bill na računih -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. -INVOICE_SHOW_SHIPPING_ADDRESS=Show shipping address -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) +INVOICE_ADD_SWISS_QR_CODEMore=švicarski standard za račune; preverite, ali sta izpolnjena ZIP & City in ali imajo računi veljavne številke IBAN za Švico/Lihtenštajn. +INVOICE_SHOW_SHIPPING_ADDRESS=Pokaži naslov za dostavo +INVOICE_SHOW_SHIPPING_ADDRESSMore=Obvezna navedba v nekaterih državah (Francija, ...) UrlSocialNetworksDesc=URL povezava družbenega omrežja. Uporabite {socialid} za spremenljivko, ki vsebuje ID družbenega omrežja. IfThisCategoryIsChildOfAnother=Če je ta kategorija podrejena drugi DarkThemeMode=Način temne teme @@ -2360,12 +2375,12 @@ CIDLookupURL=Modul prinaša URL, ki ga lahko zunanje orodje uporabi za pridobite OauthNotAvailableForAllAndHadToBeCreatedBefore=Preverjanje pristnosti OAUTH2 ni na voljo za vse gostitelje in žeton s pravimi dovoljenji je moral biti ustvarjen navzgor z modulom OAUTH MAIN_MAIL_SMTPS_OAUTH_SERVICE=Storitev za preverjanje pristnosti OAUTH2 DontForgetCreateTokenOauthMod=Žeton s pravimi dovoljenji je moral biti ustvarjen navzgor z modulom OAUTH -MAIN_MAIL_SMTPS_AUTH_TYPE=Metoda preverjanja pristnosti +MAIN_MAIL_SMTPS_AUTH_TYPE=Metoda avtentikacije UsePassword=Uporabite geslo UseOauth=Uporabite žeton OAUTH Images=Slike MaxNumberOfImagesInGetPost=Največje dovoljeno število slik v polju HTML, predloženem v obrazcu -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month +MaxNumberOfPostOnPublicPagesByIP=Največje število objav na javnih straneh z istim naslovom IP v enem mesecu CIDLookupURL=Modul prinaša URL, ki ga lahko zunanje orodje uporabi za pridobitev imena tretje osebe ali kontakta iz njene telefonske številke. URL za uporabo je: ScriptIsEmpty=Skript je prazen ShowHideTheNRequests=Pokaži/skrij zahteve SQL %s @@ -2373,36 +2388,55 @@ DefinedAPathForAntivirusCommandIntoSetup=Določite pot za protivirusni program v TriggerCodes=Sprožilni dogodki TriggerCodeInfo=Tukaj vnesite sprožilno kodo(-e), ki mora ustvariti objavo spletne zahteve (dovoljen je samo zunanji URL). Vnesete lahko več kod sprožilcev, ločenih z vejico. EditableWhenDraftOnly=Če ni potrjeno, je vrednost mogoče spremeniti le, če ima predmet status osnutka -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" +CssOnEdit=CSS na straneh za urejanje +CssOnView=CSS na straneh za ogled +CssOnList=CSS na seznamih +HelpCssOnEditDesc=CSS, uporabljen pri urejanju polja.
      Primer: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=CSS, uporabljen pri ogledu polja. +HelpCssOnListDesc=CSS, uporabljen, ko je polje znotraj tabele seznama.
      Primer: "tdoverflowmax200" RECEPTION_PDF_HIDE_ORDERED=Skrij naročeno količino na generiranih dokumentih za sprejeme MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Pokažite ceno na ustvarjenih dokumentih za sprejeme WarningDisabled=Opozorila so onemogočena LimitsAndMitigation=Omejitve dostopa in ublažitev +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Samo računalniki DesktopsAndSmartphones=Računalniki in mobilne naprave AllowOnlineSign=Dovoli spletno podpisovanje -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. -CSSPage=CSS Style +AllowExternalDownload=Dovoli zunanji prenos (brez prijave, z uporabo skupne povezave) +DeadlineDayVATSubmission=Rok za oddajo DDV naslednji mesec +MaxNumberOfAttachementOnForms=Največje število združenih datotek v obrazcu +IfDefinedUseAValueBeetween=Če je določeno, uporabite vrednost med %s in %s +Reload=Ponovno naloži +ConfirmReload=Potrdite ponovno nalaganje modula +WarningModuleHasChangedLastVersionCheckParameter=Opozorilo: modul %s je nastavil parameter za preverjanje svoje različice ob vsakem dostopu do strani. To je slaba in nedovoljena praksa, ki lahko povzroči nestabilnost strani za upravljanje modulov. Za popravek se obrnite na avtorja modula. +WarningModuleHasChangedSecurityCsrfParameter=Opozorilo: modul %s je onemogočil varnost CSRF vašega primerka. To dejanje je sumljivo in vaša namestitev morda ne bo več zavarovana. Za pojasnilo se obrnite na avtorja modula. +EMailsInGoingDesc=Dohodno elektronsko pošto upravlja modul %s. Če morate podpirati dohodna e-poštna sporočila, ga morate omogočiti in konfigurirati. +MAIN_IMAP_USE_PHPIMAP=Uporabite knjižnico PHP-IMAP za IMAP namesto izvornega PHP IMAP. To omogoča tudi uporabo povezave OAuth2 za IMAP (aktiviran mora biti tudi modul OAuth). +MAIN_CHECKBOX_LEFT_COLUMN=Pokaži stolpec za izbiro polja in vrstice na levi (privzeto na desni) +NotAvailableByDefaultEnabledOnModuleActivation=Ni ustvarjeno privzeto. Ustvarjeno samo ob aktivaciji modula. +CSSPage=Slog CSS Defaultfortype=Privzeto -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +DefaultForTypeDesc=Predloga, ki se privzeto uporablja pri ustvarjanju novega e-poštnega sporočila za vrsto predloge +OptionXShouldBeEnabledInModuleY=Možnost »%s« mora biti omogočena v modulu %s +OptionXIsCorrectlyEnabledInModuleY=Možnost »%s« je omogočena v modulu %s +AllowOnLineSign=Dovoli spletni podpis +AtBottomOfPage=Na dnu strani +FailedAuth=neuspele avtentikacije +MaxNumberOfFailedAuth=Največje število neuspelih preverjanj pristnosti v 24 urah za zavrnitev prijave. +AllowPasswordResetBySendingANewPassByEmail=Če ima uporabnik A to dovoljenje in tudi če uporabnik A ni uporabnik "admin", lahko A ponastavi geslo katerega koli drugega uporabnika B, novo geslo bo poslano na e-pošto drugega uporabnika B, vendar ne bo vidno A. Če ima uporabnik A oznako "admin", bo prav tako lahko vedel, kakšno je novo ustvarjeno geslo B, tako da bo lahko prevzel nadzor nad uporabniškim računom B. +AllowAnyPrivileges=Če ima uporabnik A to dovoljenje, lahko ustvari uporabnika B z vsemi privilegiji in nato uporabi tega uporabnika B ali pa si dodeli katero koli drugo skupino s poljubnimi dovoljenji. To pomeni, da ima uporabnik A vse poslovne privilegije (prepovedan bo le sistemski dostop do strani z nastavitvami) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=To vrednost je mogoče prebrati, ker vaš primerek ni nastavljen v produkcijskem načinu +SeeConfFile=Oglejte si notranjost datoteke conf.php na strežniku +ReEncryptDesc=Ponovno šifrirajte podatke, če še niso šifrirani +PasswordFieldEncrypted=%s nov zapis, ali je bilo to polje šifrirano +ExtrafieldsDeleted=Dodatna polja %s so bila izbrisana +LargeModern=Velika - moderna +SpecialCharActivation=Omogočite gumb, da odprete navidezno tipkovnico za vnos posebnih znakov +DeleteExtrafield=Izbriši dodatno polje +ConfirmDeleteExtrafield=Ali potrjujete izbris polja %s? Vsi podatki, shranjeni v tem polju, bodo zagotovo izbrisani +ExtraFieldsSupplierInvoicesRec=Dopolnilni atributi (predloge računov) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parametri za testno okolje +TryToKeepOnly=Poskusite obdržati le %s +RecommendedForProduction=Priporočljivo za proizvodnjo +RecommendedForDebug=Priporočeno za odpravljanje napak diff --git a/htdocs/langs/sl_SI/bills.lang b/htdocs/langs/sl_SI/bills.lang index d3a4d958256..091d2a56e6f 100644 --- a/htdocs/langs/sl_SI/bills.lang +++ b/htdocs/langs/sl_SI/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Vnesi rok plačila za kupca DisabledBecauseRemainderToPayIsZero=Onemogočeno, ker je neplačan znesek enak nič PriceBase=Osnovna cena BillStatus=Stanje fakture -StatusOfGeneratedInvoices=Stanja ustvarjenih faktur +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Osnutek (potrebna potrditev) BillStatusPaid=Plačano BillStatusPaidBackOrConverted=Vračilo dobropisa ali označeno kot nerazpoložljivo dobroimetje @@ -167,7 +167,7 @@ ActionsOnBill=Aktivnosti na računu ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Predloga / Ponavljajoča se faktura NoQualifiedRecurringInvoiceTemplateFound=Ni primernega osnutka ponavljajoče se fakture -FoundXQualifiedRecurringInvoiceTemplate=Najdenih %s primernih osnutkov ponavljajočih se faktur. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Ni predloga ponavljajoče se fakture NewBill=Nova faktura LastBills=Zadnjih %s faktur @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Osnutki prejetih računov Unpaid=Neplačano ErrorNoPaymentDefined=Napaka Plačilo ni določeno ConfirmDeleteBill=Ste prepričani da želite izbrisati ta račun? -ConfirmValidateBill=Ali ste prepričani, da želite potrditi ta račun s sklicem %s ? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Ali ste prepričani, da želite račun spremeniti v stanje osnutka? ConfirmClassifyPaidBill=Ali ste prepričani, da želite račun spremeniti v stanje plačan? ConfirmCancelBill=Ali ste prepričani, da želite preklicati račun %s ? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Ali potrjujete ta vnos plačila za %s %s? ConfirmSupplierPayment=Ali potrjujete ta vnos plačila za %s %s? ConfirmValidatePayment=Ali ste prepričani, da želite potrditi to plačilo? Ko je plačilo potrjeno, ni več mogoče spremeniti. ValidateBill=Potrdi račun -UnvalidateBill=Unvalidate račun +UnvalidateBill=Invalidate invoice NumberOfBills=št. računov NumberOfBillsByMonth=Število računov na mesec AmountOfBills=Znesek račuov @@ -250,12 +250,13 @@ RemainderToTake=Preostanek vrednosti za odtegljaj RemainderToTakeMulticurrency=Preostali znesek za prevzem, izvirna valuta RemainderToPayBack=Preostali znesek za vračilo RemainderToPayBackMulticurrency=Preostali znesek za vračilo, izvirna valuta +NegativeIfExcessReceived=negativen, če je prejet presežek NegativeIfExcessRefunded=negativno, če se povrne presežek +NegativeIfExcessPaid=negative if excess paid Rest=Na čakanju AmountExpected=Reklamiran znesek ExcessReceived=Prejet presežek ExcessReceivedMulticurrency=Prejeti presežek, izvirna valuta -NegativeIfExcessReceived=negativen, če je prejet presežek ExcessPaid=Presežek plačan ExcessPaidMulticurrency=Presežek plačan, originalna valuta EscompteOffered=Ponujen popust (plačilo pred rokom) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Najprej morate ustvariti standardni račun PDFCrabeDescription=Predloga računa PDF Crabe. Popolna predloga računa (stara izvedba predloge Sponge) PDFSpongeDescription=Račun PDF predloga Sponge. Popolna predloga računa PDFCrevetteDescription=PDF predloga računa Crevette. Popolna predloga računa za situacijske račune -TerreNumRefModelDesc1=Povratna številka v obliki %syymm-nnnn za standardne račune in %syymm-nnnn za dobropise, kjer je yy leto, mm je mesec in nnnn je zaporedno samodejno naraščajoče število brez prekinitve in vrnitve na 0 -MarsNumRefModelDesc1=Povratna številka v formatu %syymm-nnnn za standardne račune, %syymm-nnnn za nadomestne račune, %syymm-nnnn za račune s pologom in %syymm-nnnn za dobropise, kjer je yy leto, mm je samodejna nnn zaporedno število meseca in brez odmora in vrnitve na 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Račun z začetkom $syymm že obstaja in ni kompatibilen s tem modelom zaporedja. Odstranite ga ali ga preimenujte za aktiviranje tega modula. -CactusNumRefModelDesc1=Povratna številka v obliki %syymm-nnnn za standardne račune, %syymm-nnnn za dobropise in %syymm-nnnn za račune s pologom, kjer je yy leto, mm je mesec in nnnn je zaporedno samodejno naraščajoče število brez prekinitve in vrnitve na 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Razlog za predčasno zaprtje EarlyClosingComment=Zgodnja zaključna opomba ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Plače +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Plača +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/sl_SI/cashdesk.lang b/htdocs/langs/sl_SI/cashdesk.lang index 101d38d9d00..700bb28fcb7 100644 --- a/htdocs/langs/sl_SI/cashdesk.lang +++ b/htdocs/langs/sl_SI/cashdesk.lang @@ -76,7 +76,7 @@ TerminalSelect=Izberite terminal, ki ga želite uporabiti: POSTicket=POS vstopnica POSTerminal=POS terminal POSModule=POS modul -BasicPhoneLayout=Uporabite osnovno postavitev za telefone +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Nastavitev terminala %s ni dokončana DirectPayment=Neposredno plačilo DirectPaymentButton=Dodajte gumb »Neposredno gotovinsko plačilo«. @@ -99,7 +99,7 @@ ByTerminal=S terminalom TakeposNumpadUsePaymentIcon=Uporabite ikono namesto besedila na gumbih za plačilo na številčnici CashDeskRefNumberingModules=Modul oštevilčenja za POS prodajo CashDeskGenericMaskCodes6 =
      {TN} oznaka se uporablja za dodajanje številke terminala -TakeposGroupSameProduct=Združi iste linije izdelkov +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Začnite novo vzporedno prodajo SaleStartedAt=Prodaja se je začela pri %s ControlCashOpening=Ko odprete POS, odprite pojavno okno "Kontrolna blagajna". @@ -118,7 +118,7 @@ ScanToOrder=Za naročilo skenirajte kodo QR Appearance=Videz HideCategoryImages=Skrij slike kategorij HideProductImages=Skrij slike izdelkov -NumberOfLinesToShow=Število vrstic slik za prikaz +NumberOfLinesToShow=Največje število vrstic besedila za prikaz na sličicah DefineTablePlan=Določite načrt tabel GiftReceiptButton=Dodajte gumb »Potvrda o prejemu darila«. GiftReceipt=Darilni račun @@ -135,13 +135,21 @@ PrintWithoutDetailsLabelDefault=Oznaka vrstice je privzeta pri tiskanju brez pod PrintWithoutDetails=Tisk brez podrobnosti YearNotDefined=Leto ni definirano TakeposBarcodeRuleToInsertProduct=Pravilo črtne kode za vstavljanje izdelka -TakeposBarcodeRuleToInsertProductDesc=Pravilo za ekstrahiranje reference izdelka + količine iz skenirane črtne kode.
      Če je polje prazno (privzeta vrednost), bo aplikacija uporabila skenirano celotno črtno kodo za iskanje izdelka.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters AlreadyPrinted=Že natisnjeno -HideCategories=Skrij kategorije +HideCategories=Skrij celoten razdelek izbire kategorij HideStockOnLine=Skrij zalogo na spletu -ShowOnlyProductInStock=Pokažite izdelke na zalogi -ShowCategoryDescription=Pokaži opis kategorije -ShowProductReference=Prikaži referenco izdelkov -UsePriceHT=Cena uporabe brez davki in ne cena vklj. davki +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Prikažite referenco ali oznako izdelkov +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price TerminalName=Terminal %s TerminalNameDesc=Ime terminala +DefaultPOSThirdLabel=TakePOS generična stranka +DefaultPOSCatLabel=Izdelki na prodajnem mestu (POS). +DefaultPOSProductLabel=Primer izdelka za TakePOS +TakeposNeedsPayment=TakePOS potrebuje plačilno sredstvo za delovanje, ali želite ustvariti plačilno sredstvo 'Gotovina'? +LineDiscount=Linijski popust +LineDiscountShort=Linijski disk. +InvoiceDiscount=Popust na račun +InvoiceDiscountShort=Računski disk. diff --git a/htdocs/langs/sl_SI/categories.lang b/htdocs/langs/sl_SI/categories.lang index ac8c9867195..7b030b5285f 100644 --- a/htdocs/langs/sl_SI/categories.lang +++ b/htdocs/langs/sl_SI/categories.lang @@ -88,8 +88,8 @@ DeleteFromCat=Odstrani iz značk/kategorije ExtraFieldsCategories=Koplementarni atributi CategoriesSetup=Nastavitev značk/kategorij CategorieRecursiv=Avtomatsko poveži z nadrejeno značko/kategorijo -CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. -AddProductServiceIntoCategory=Assign category to the product/service +CategorieRecursivHelp=Če je možnost vklopljena, ko dodate predmet v podkategorijo, bo predmet dodan tudi v nadrejene kategorije. +AddProductServiceIntoCategory=Izdelku/storitvi dodelite kategorijo AddCustomerIntoCategory=Dodelite kategorijo stranki AddSupplierIntoCategory=Dodelite kategorijo dobavitelju AssignCategoryTo=Dodelite kategorijo @@ -102,4 +102,5 @@ ActionCommCategoriesArea=Kategorije dogodkov WebsitePagesCategoriesArea=Kategorije vsebnika strani KnowledgemanagementsCategoriesArea=KM članek Kategorije UseOrOperatorForCategories=Za kategorije uporabite operator 'ALI' -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Dodeli kategoriji +Position=Položaj diff --git a/htdocs/langs/sl_SI/holiday.lang b/htdocs/langs/sl_SI/holiday.lang index 0e35eeee75a..1a82b2c5c80 100644 --- a/htdocs/langs/sl_SI/holiday.lang +++ b/htdocs/langs/sl_SI/holiday.lang @@ -5,7 +5,7 @@ Holiday=Pusti CPTitreMenu=Pusti MenuReportMonth=Mesečno stanje MenuAddCP=Nov zahtevek za dopust -MenuCollectiveAddCP=Nova zahteva za kolektivni dopust +MenuCollectiveAddCP=New collective leave NotActiveModCP=Za ogled te strani morate omogočiti modul Zapusti. AddCP=Izdelaj zahtevek za dopust DateDebCP=Začetni datum @@ -29,7 +29,7 @@ DescCP=Opis SendRequestCP=Ustvari zahtevek za dopust DelayToRequestCP=Zahtevek za dopust mora biti vložen vsaj %s dan(dni) prej. MenuConfCP=Bilanca dopusta -SoldeCPUser=Leave balance (in days) : %s +SoldeCPUser=Pusti stanje (v dnevih): %s ErrorEndDateCP=Končni datum mora biti večji od začetnega. ErrorSQLCreateCP=Pri ustvarjanju SQL je prišlo do napake ErrorIDFicheCP=Prišlo je do napake, zahtevek za dopust ne obstaja @@ -95,14 +95,14 @@ UseralreadyCPexist=Zahtevek za dopust je bil v tem obdobju že vložen za %s. groups=Skupine users=Uporabniki AutoSendMail=Samodejno pošiljanje po pošti -NewHolidayForGroup=Nova zahteva za kolektivni dopust -SendRequestCollectiveCP=Pošlji prošnjo za kolektivni dopust +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave AutoValidationOnCreate=Samodejna validacija FirstDayOfHoliday=Začetni dan prošnje za dopust LastDayOfHoliday=Končni dan prošnje za dopust HolidaysMonthlyUpdate=Mesečna posodobitev ManualUpdate=Ročna posodobitev -HolidaysCancelation=Preklic zahtevka za dopust +HolidaysCancelation=Pusti preklic zahteve EmployeeLastname=Priimek zaposlenega EmployeeFirstname=Ime zaposlenega TypeWasDisabledOrRemoved=Vrsta dopusta (id %s) je bila onemogočena ali odstranjena @@ -142,16 +142,16 @@ TemplatePDFHolidays=Predloga za prošnje za dopust PDF FreeLegalTextOnHolidays=Brezplačno besedilo v PDF-ju WatermarkOnDraftHolidayCards=Vodni žigi na osnutkih prošenj za dopust HolidaysToApprove=Počitnice za odobritev -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate leave requests -HolidayBalanceMonthlyUpdate=Monthly update of leave balance +NobodyHasPermissionToValidateHolidays=Nihče nima dovoljenja za potrjevanje prošenj za dopust +HolidayBalanceMonthlyUpdate=Mesečna posodobitev stanja dopusta XIsAUsualNonWorkingDay=%s je običajno NEdelovni dan BlockHolidayIfNegative=Blokiraj, če je stanje negativno LeaveRequestCreationBlockedBecauseBalanceIsNegative=Ustvarjanje te zahteve za dopust je blokirano, ker je vaše stanje negativno ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Zahteva za dopust %s mora biti osnutek, preklicana ali zavrnjena, da se izbriše -IncreaseHolidays=Increase leave balance -HolidayRecordsIncreased= %s leave balances increased -HolidayRecordIncreased=Leave balance increased -ConfirmMassIncreaseHoliday=Bulk leave balance increase +IncreaseHolidays=Povečajte stanje dopusta +HolidayRecordsIncreased= %s stanja dopusta so se povečala +HolidayRecordIncreased=Stanje dopusta se je povečalo +ConfirmMassIncreaseHoliday=Povečanje stanja dopusta v velikem obsegu NumberDayAddMass=Število dneva, ki ga želite dodati izboru ConfirmMassIncreaseHolidayQuestion=Ali ste prepričani, da želite povečati dopust izbranih zapisov %s? HolidayQtyNotModified=Stanje preostalih dni za %s ni bilo spremenjeno diff --git a/htdocs/langs/sl_SI/hrm.lang b/htdocs/langs/sl_SI/hrm.lang index 993b1297124..de68e5cfb64 100644 --- a/htdocs/langs/sl_SI/hrm.lang +++ b/htdocs/langs/sl_SI/hrm.lang @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Privzeti opis uvrstitev, ko je spretnost ustvarjen deplacement=Shift DateEval=Datum ocenjevanja JobCard=Zaposlitvena kartica -JobPosition=Delovni profil -JobsPosition=Delovni profili +NewJobProfile=New Job Profile +JobProfile=Delovni profil +JobsProfiles=Delovni profili NewSkill=Nova spretnost SkillType=Vrsta spretnosti Skilldets=Seznam uvrstitev za to veščino @@ -36,7 +37,7 @@ rank=Rank ErrNoSkillSelected=Izbrana ni nobena spretnost ErrSkillAlreadyAdded=Ta veščina je že na seznamu SkillHasNoLines=Ta veščina nima črt -skill=Spretnost +Skill=Spretnost Skills=Spretnosti SkillCard=Kartica spretnosti EmployeeSkillsUpdated=Spretnosti zaposlenih so posodobljene (glejte zavihek »Spretnosti« na kartici zaposlenega) @@ -44,33 +45,36 @@ Eval=Evalvacija Evals=Ocene NewEval=Nova ocena ValidateEvaluation=Potrdite oceno -ConfirmValidateEvaluation=Ali ste prepričani, da želite potrditi to oceno z referenco %s ? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=Ocenjevalna kartica -RequiredRank=Zahtevan čin za to delovno mesto +RequiredRank=Required rank for the job profile +RequiredRankShort=Required rank +PositionsWithThisProfile=Positions with this job profiles EmployeeRank=Uvrstitev zaposlenega za to veščino +EmployeeRankShort=Employee rank EmployeePosition=Položaj zaposlenega EmployeePositions=Položaji zaposlenih EmployeesInThisPosition=Zaposleni na tem položaju group1ToCompare=Uporabniška skupina za analizo group2ToCompare=Druga uporabniška skupina za primerjavo -OrJobToCompare=Primerjajte z zahtevami po poklicnih spretnostih +OrJobToCompare=Compare to skill requirements of a job profile difference=Razlika CompetenceAcquiredByOneOrMore=Usposobljenost, ki jo je pridobil en ali več uporabnikov, vendar je ni zahteval drugi primerjalnik -MaxlevelGreaterThan=Največja raven je višja od zahtevane -MaxLevelEqualTo=Največja raven je enaka temu povpraševanju -MaxLevelLowerThan=Najvišja raven nižja od tega povpraševanja -MaxlevelGreaterThanShort=Raven zaposlenega je višja od zahtevane -MaxLevelEqualToShort=Raven zaposlenih je enaka temu povpraševanju -MaxLevelLowerThanShort=Raven zaposlenih nižja od tega povpraševanja +MaxlevelGreaterThan=Employee level is greater than the expected level +MaxLevelEqualTo=Employee level is equals to the expected level +MaxLevelLowerThan=Employee level is lower than that the expected level +MaxlevelGreaterThanShort=Level greater than expected +MaxLevelEqualToShort=Level equal to the expected level +MaxLevelLowerThanShort=Level lower than expected SkillNotAcquired=Spretnosti, ki je niso pridobili vsi uporabniki, zahteva pa jo drugi primerjalnik legend=Legenda TypeSkill=Vrsta spretnosti -AddSkill=Delu dodajte veščine -RequiredSkills=Zahtevane veščine za to delo +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile UserRank=Uporabniški rang SkillList=Seznam spretnosti SaveRank=Shrani uvrstitev -TypeKnowHow=Veš kako +TypeKnowHow=Know-how TypeHowToBe=Kako biti TypeKnowledge=znanje AbandonmentComment=Komentar o opustitvi @@ -85,8 +89,9 @@ VacantCheckboxHelper=Če označite to možnost, bodo prikazana nezasedena delovn SaveAddSkill = Spretnosti so dodane SaveLevelSkill = Raven spretnosti je shranjena DeleteSkill = Spretnost odstranjena -SkillsExtraFields=Attributs supplémentaires (Compétences) -JobsExtraFields=Attributs supplémentaires (Emplois) -EvaluationsExtraFields=Attributs supplémentaires (Ocene) +SkillsExtraFields=Complementary attributes (Skills) +JobsExtraFields=Complementary attributes (Job profile) +EvaluationsExtraFields=Complementary attributes (Evaluations) NeedBusinessTravels=Potrebujete poslovna potovanja NoDescription=brez opisa +TheJobProfileHasNoSkillsDefinedFixBefore=The evaluated job profile of this employee has no skill defined on it. Please add skill(s), then delete and restart the evaluation. diff --git a/htdocs/langs/sl_SI/main.lang b/htdocs/langs/sl_SI/main.lang index eab4f6f9b40..d913a68c6dd 100644 --- a/htdocs/langs/sl_SI/main.lang +++ b/htdocs/langs/sl_SI/main.lang @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Napaka pri pošiljanju E-maila (pošiljatelj=%s, prejemnik ErrorFileNotUploaded=Datoteka ni bila naložena. Preverite, če velikost ne presega omejitve, če je na disku dovolj prostora ali če datoteka z istim imenom že obstaja v tej mapi. ErrorInternalErrorDetected=Zaznana napaka ErrorWrongHostParameter=Napačen parameter gostitelja -ErrorYourCountryIsNotDefined=Vaša država ni določena. Pojdite na Home-Setup-Edit in ponovno objavite obrazec. +ErrorYourCountryIsNotDefined=Vaša država ni določena. Pojdite na Home-Setup-Company/Foundation in ponovno objavite obrazec. ErrorRecordIsUsedByChild=Tega zapisa ni bilo mogoče izbrisati. Ta zapis uporablja vsaj en podrejeni zapis. ErrorWrongValue=Napačna vrednost ErrorWrongValueForParameterX=Napačna vrednost parametra %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Napaka, za državo '%s' niso definirane da ErrorNoSocialContributionForSellerCountry=Napaka, za državo '%s' niso definirane stopnje socialnega/fiskalnega davka. ErrorFailedToSaveFile=Napaka, datoteka ni bila shranjena. ErrorCannotAddThisParentWarehouse=Poskušate dodati nadrejeno skladišče, ki je že podrejeno obstoječemu skladišču +ErrorInvalidSubtype=Izbrana podvrsta ni dovoljena FieldCannotBeNegative=Polje "%s" ne more biti negativno MaxNbOfRecordPerPage=maks. število zapisov na stran NotAuthorized=Nimate dovoljenja za to. @@ -103,7 +104,8 @@ RecordGenerated=Zapis ustvarjen LevelOfFeature=Nivo značilnosti NotDefined=Ni definiran DolibarrInHttpAuthenticationSoPasswordUseless=Način preverjanja pristnosti Dolibarr je nastavljen na %s v konfiguracijski datoteki conf.php .
      To pomeni, da je zbirka gesel zunanja za Dolibarr, zato sprememba tega polja morda ne bo imela učinka. -Administrator=Administrator +Administrator=Sistemski administrator +AdministratorDesc=Sistemski skrbnik (lahko upravlja uporabnike, dovoljenja, pa tudi sistemske nastavitve in konfiguracijo modulov) Undefined=Nedefinirano PasswordForgotten=Pozabljeno geslo? NoAccount=Brez računa? @@ -211,8 +213,8 @@ Select=Dodaj kot lastnika SelectAll=Izberi vse Choose=Izbira Resize=Spremeni velikost +Crop=Obrezovanje ResizeOrCrop=Spremeni velikost ali Obreži -Recenter=Ponovno centriraj Author=Avtor User=Uporabnik Users=Uporabniki @@ -224,7 +226,7 @@ NoUserGroupDefined=Nobena skupina uporabnikov ni definirana Password=Geslo PasswordRetype=Ponovite svoje geslo NoteSomeFeaturesAreDisabled=Upoštevajte, da je veliko funkcij/modulov v tej demonstraciji onemogočenih. -YourUserFile=Your user file +YourUserFile=Vaša uporabniška datoteka Name=Priimek NameSlashCompany=Ime / Podjetje Person=Oseba @@ -235,8 +237,8 @@ PersonalValue=Osebna vrednost NewObject=Novo %s NewValue=Nova vrednost OldValue=Stara vrednost %s -FieldXModified=Field %s modified -FieldXModifiedFromYToZ=Field %s modified from %s to %s +FieldXModified=Polje %s spremenjeno +FieldXModifiedFromYToZ=Polje %s spremenjeno iz %s v %s CurrentValue=Trenutna vrednost Code=Koda Type=Tip @@ -312,8 +314,8 @@ UserValidation=Uporabnik za preverjanje veljavnosti UserCreationShort=Ustvari. uporabnik UserModificationShort=Modif. uporabnik UserValidationShort=Veljavno. uporabnik -UserClosing=Closing user -UserClosingShort=Closing user +UserClosing=Zapiranje uporabnika +UserClosingShort=Zapiranje uporabnika DurationYear=leto DurationMonth=mesec DurationWeek=teden @@ -348,7 +350,7 @@ MonthOfDay=Dan v mesecu DaysOfWeek=Dnevi v tednu HourShort=H MinuteShort=Mn -SecondShort=sec +SecondShort=sek Rate=Stopnja CurrencyRate=Tečaj menjave valut UseLocalTax=Vključi davek @@ -493,7 +495,7 @@ ActionsOnContact=Dogodki za stik/naslov ActionsOnContract=Dogodki za pogodbo ActionsOnMember=Dogodki člana ActionsOnProduct=Dogodki na izdelku -ActionsOnAsset=Events for this fixed asset +ActionsOnAsset=Dogodki za to osnovno sredstvo NActionsLate=%s zamujenih ToDo=Planirane Completed=Dokončano @@ -517,7 +519,7 @@ NotYetAvailable=Še ni na voljo NotAvailable=Ni na voljo Categories=Značke/kategorije Category=Značka/kategorija -SelectTheTagsToAssign=Select the tags/categories to assign +SelectTheTagsToAssign=Izberite oznake/kategorije, ki jih želite dodeliti By=Z From=Od FromDate=Izdajatelj @@ -547,6 +549,7 @@ Reportings=Poročila Draft=Osnutek Drafts=Osnutki StatusInterInvoiced=Fakturirano +Done=Izvršene Validated=Potrjen ValidatedToProduce=Potrjeno (za proizvodnjo) Opened=Odprt @@ -558,7 +561,7 @@ Unknown=Neznan General=Splošno Size=Velikost OriginalSize=Originalna velikost -RotateImage=Rotate 90° +RotateImage=Zasukaj za 90° Received=Prejet Paid=Plačan Topic=Predmet @@ -698,6 +701,7 @@ Response=Odgovor Priority=Prioriteta SendByMail=Poslano prek emaila MailSentBy=Email poslal +MailSentByTo=E-poštno sporočilo poslal %s na %s NotSent=Ni poslan TextUsedInTheMessageBody=Vsebina Email-a SendAcknowledgementByMail=Pošlji potrditveno e-pošto @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Zapis uspešno spremenjen RecordsModified=%s zapis(i) spremenjen(i). RecordsDeleted=%s zapis(i) izbrisani RecordsGenerated=%s ustvarjenih zapisov +ValidatedRecordWhereFound = Nekateri od izbranih zapisov so že potrjeni. Noben zapis ni bil izbrisan. AutomaticCode=Avtomatska koda FeatureDisabled=Funkcija onemogočena MoveBox=Premakni pripomoček @@ -764,11 +769,10 @@ DisabledModules=Onemogočeni moduli For=Za ForCustomer=Za kupca Signature=Podpis -DateOfSignature=Datum podpisa HidePassword=Prikaži komande s skritim geslom UnHidePassword=Prikaži resnične komande z vidnim geslom Root=Koren -RootOfMedias=Koren javnih medijev (/medias) +RootOfMedias=Koren javnega medija (/medias) Informations=Informacija Page=Stran Notes=Opombe @@ -903,12 +907,12 @@ MassFilesArea=Območje za datoteke, zgrajene z množičnimi akcijami ShowTempMassFilesArea=Pokaži območje datotek, ustvarjenih z množičnimi dejanji ConfirmMassDeletion=Potrditev množičnega brisanja ConfirmMassDeletionQuestion=Ali ste prepričani, da želite izbrisati izbrane zapise %s? -ConfirmMassClone=Bulk clone confirmation -ConfirmMassCloneQuestion=Select project to clone to -ConfirmMassCloneToOneProject=Clone to project %s +ConfirmMassClone=Potrditev množičnega kloniranja +ConfirmMassCloneQuestion=Izberite projekt za kloniranje +ConfirmMassCloneToOneProject=Kloniraj v projekt %s RelatedObjects=Sorodni predmeti -ClassifyBilled=Classify Billed -ClassifyUnbilled=Classify Unbilled +ClassifyBilled=Razvrsti zaračunano +ClassifyUnbilled=Razvrsti Nezaračunano Progress=Napredek ProgressShort=Progr. FrontOffice=Prednja pisarna @@ -916,19 +920,20 @@ BackOffice=Administracija Submit=Predloži View=Pogled Export=Izvoz +Import=Uvozi Exports=Izvoz ExportFilteredList=Izvoz filtriranega seznama ExportList=Izvozni seznam ExportOptions=Izvozne opcije IncludeDocsAlreadyExported=Vključi že izvožene dokumente -ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and will be exported -ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported +ExportOfPiecesAlreadyExportedIsEnable=Že izvoženi dokumenti so vidni in bodo izvoženi +ExportOfPiecesAlreadyExportedIsDisable=Že izvoženi dokumenti so skriti in ne bodo izvoženi AllExportedMovementsWereRecordedAsExported=Vsi izvoženi premiki so bili zabeleženi kot izvoženi NotAllExportedMovementsCouldBeRecordedAsExported=Vseh izvoženih gibanj ni bilo mogoče zabeležiti kot izvožene Miscellaneous=Razno Calendar=Koledar GroupBy=Združi po ... -GroupByX=Group by %s +GroupByX=Združi po %s ViewFlatList=Ogled ploščatega seznama ViewAccountList=Ogled glavne knjige ViewSubAccountList=Oglejte si knjigo podračunov @@ -949,7 +954,7 @@ BulkActions=Množična dejanja ClickToShowHelp=Kliknite za prikaz pomoči za orodne namige WebSite=Spletna stran WebSites=Spletne strani -WebSiteAccounts=Računi spletnih mest +WebSiteAccounts=Računi za spletni dostop ExpenseReport=Poročilo o izdatkih ExpenseReports=Stroškovna poročila HR=HR @@ -1077,6 +1082,7 @@ CommentPage=Prostor za komentarje CommentAdded=Komentar dodan CommentDeleted=Komentar izbrisan Everybody=Projekti v skupni rabi +EverybodySmall=Projekti v skupni rabi PayedBy=Plačano s strani PayedTo=Plačano Monthly=Mesečno @@ -1089,7 +1095,7 @@ KeyboardShortcut=Bližnjica na tipkovnici AssignedTo=Se nanaša na Deletedraft=Izbriši osnutek ConfirmMassDraftDeletion=Potrditev množičnega izbrisa osnutka -FileSharedViaALink=Datoteka v skupni rabi z javno povezavo +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Najprej izberite partnerja ... YouAreCurrentlyInSandboxMode=Trenutno ste v %s načinu "peskovnika". Inventory=Inventar @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Naloga ContactDefault_propal=Ponudba ContactDefault_supplier_proposal=Ponudba dobavitelja ContactDefault_ticket=Vstopnica -ContactAddedAutomatically=Stik je dodan iz kontaktnih vlog partnerjev +ContactAddedAutomatically=Stik je dodan iz vlog stikov tretjih oseb More=več ShowDetails=Pokaži podrobnosti CustomReports=Poročila po meri @@ -1138,7 +1144,7 @@ DeleteFileText=Ali res želite izbrisati to datoteko? ShowOtherLanguages=Pokaži druge jezike SwitchInEditModeToAddTranslation=Preklopite v način urejanja, da dodate prevode za ta jezik NotUsedForThisCustomer=Ni uporabljeno za to stranko -NotUsedForThisVendor=Not used for this vendor +NotUsedForThisVendor=Ni uporabljeno za tega prodajalca AmountMustBePositive=Znesek mora biti pozitiven ByStatus=Po statusu InformationMessage=Informacija @@ -1159,20 +1165,20 @@ EventReminder=Opomnik dogodka UpdateForAllLines=Posodobitev za vse linije OnHold=Ustavljeno Civility=Vljudnost -AffectTag=Assign a Tag -AffectUser=Assign a User -SetSupervisor=Set the supervisor +AffectTag=Dodelite oznako +AffectUser=Dodelite uporabnika +SetSupervisor=Nastavite nadzornika CreateExternalUser=Ustvari zunanjega uporabnika -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) +ConfirmAffectTag=Množična dodelitev oznak +ConfirmAffectUser=Množična dodelitev uporabnikov +ProjectRole=Vloga, dodeljena za vsak projekt/priložnost +TasksRole=Vloga, dodeljena vsaki nalogi (če se uporablja) ConfirmSetSupervisor=Paketna nastavitev nadzornika -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? +ConfirmUpdatePrice=Izberite stopnjo povečanja/znižanja cene +ConfirmAffectTagQuestion=Ali ste prepričani, da želite dodeliti oznake %s izbranim zapisom(-om)? +ConfirmAffectUserQuestion=Ali ste prepričani, da želite dodeliti uporabnike %s izbranim zapisom(-om)? ConfirmSetSupervisorQuestion=Ali ste prepričani, da želite nastaviti nadzornika za izbrane zapise %s? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? +ConfirmUpdatePriceQuestion=Ali ste prepričani, da želite posodobiti ceno %s izbranih zapisov? CategTypeNotFound=Za vrsto zapisov ni bilo mogoče najti nobene vrste oznake Rate=Stopnja SupervisorNotFound=Nadzornik ne obstaja @@ -1181,7 +1187,7 @@ InformationOnLinkToContract=Ta znesek je samo skupek vseh vrstic pogodbe. Noben ConfirmCancel=Ali ste prepričani, da želite preklicati? EmailMsgID=Email MsgID EmailDate=Datum elektronske pošte -SetToStatus=Set to status %s +SetToStatus=Nastavi na stanje %s SetToEnabled=Nastavite na omogočeno SetToDisabled=Nastavite na onemogočeno ConfirmMassEnabling=množično omogočanje potrditve @@ -1210,8 +1216,8 @@ Terminated=Prekinjeno AddLineOnPosition=Dodaj vrstico na položaj (na koncu, če je prazen) ConfirmAllocateCommercial=Dodelitev potrditve prodajnega predstavnika ConfirmAllocateCommercialQuestion=Ali ste prepričani, da želite dodeliti izbrane zapise %s? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned +CommercialsAffected=Dodeljeni prodajni zastopniki +CommercialAffected=Dodeljen prodajni zastopnik YourMessage=Tvoje sporočilo YourMessageHasBeenReceived=Vaše sporočilo je bilo prejeto. Odgovorili vam bomo ali vas kontaktirali v najkrajšem možnem času. UrlToCheck=Url za preverjanje @@ -1221,21 +1227,36 @@ CreatedByPublicPortal=Ustvarjeno iz javnega portala UserAgent=Uporabniški agent InternalUser=Interni uporabnik ExternalUser=Zunanji uporabnik -NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. -HideOnVCard=Hide %s -AddToContacts=Add address to my contacts -LastAccess=Last access -UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here -LastPasswordChangeDate=Last password change date -PublicVirtualCardUrl=Virtual business card page URL -PublicVirtualCard=Virtual business card -TreeView=Tree view -DropFileToAddItToObject=Drop a file to add it to this object -UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +NoSpecificContactAddress=Brez posebnega kontakta ali naslova +NoSpecificContactAddressBis=Ta zavihek je namenjen vsiljevanju določenih stikov ali naslovov za trenutni predmet. Uporabite ga le, če želite določiti enega ali več določenih kontaktov ali naslovov za objekt, ko podatki o tretji osebi niso dovolj ali niso točni. +HideOnVCard=Skrij %s +AddToContacts=Dodaj naslov v moje stike +LastAccess=Zadnji dostop +UploadAnImageToSeeAPhotoHere=Naložite sliko z zavihka %s, če si želite ogledati fotografijo tukaj +LastPasswordChangeDate=Datum zadnje spremembe gesla +PublicVirtualCardUrl=URL strani virtualne vizitke +PublicVirtualCard=Virtualna vizitka +TreeView=Drevesni pogled +DropFileToAddItToObject=Spustite datoteko, da jo dodate temu predmetu +UploadFileDragDropSuccess=Datoteke so bile uspešno naložene +SearchSyntaxTooltipForStringOrNum=Za iskanje znotraj besedilnih polj lahko uporabite znaka ^ ali $, da ustvarite iskanje 'začetek ali konec z' ali uporabite ! narediti test "ne vsebuje". Uporabite lahko | med dvema nizoma namesto presledka za pogoj 'ALI' namesto 'IN'. Za številske vrednosti lahko pred vrednostjo uporabite operator <, >, <=, >= ali != za filtriranje z uporabo matematične primerjave InProgress=V postopku -DateOfPrinting=Date of printing -ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. -UserNotYetValid=Not yet valid +DateOfPrinting=Datum tiskanja +ClickFullScreenEscapeToLeave=Kliknite tukaj za preklop v celozaslonski način. Pritisnite ESCAPE, da zapustite celozaslonski način. +UserNotYetValid=Še ni veljavno UserExpired=Pretečen +LinkANewFile=Poveži novo datoteko/dokument +LinkedFiles=Povezane datoteke in dokumenti +NoLinkFound=Ni registriranih povezav +LinkComplete=Datoteka je bila uspešno povezana +ErrorFileNotLinked=Datoteke ni možno povezati +LinkRemoved=Povezava %s je bila odstranjena +ErrorFailedToDeleteLink= Napaka pri odstranitvi povezave '%s'. +ErrorFailedToUpdateLink= Napaka pri posodobitvi povezave '%s'. +URLToLink=URL za povezavo +OverwriteIfExists=Prepiši, če datoteka obstaja +AmountSalary=Znesek plače +InvoiceSubtype=Podvrsta računa +ConfirmMassReverse=Množična povratna potrditev +ConfirmMassReverseQuestion=Ali ste prepričani, da želite razveljaviti %s izbrane zapise? + diff --git a/htdocs/langs/sl_SI/oauth.lang b/htdocs/langs/sl_SI/oauth.lang index 0f6a4aeec0d..af320257634 100644 --- a/htdocs/langs/sl_SI/oauth.lang +++ b/htdocs/langs/sl_SI/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Žeton izbrisan GetAccess=Kliknite tukaj za pridobitev žetona RequestAccess=Kliknite tukaj, če želite zahtevati/obnoviti dostop in prejeti nov žeton DeleteAccess=Kliknite tukaj, če želite izbrisati žeton -UseTheFollowingUrlAsRedirectURI=Pri ustvarjanju poverilnic pri ponudniku OAuth kot URI preusmeritve uporabite naslednji URL: +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Dodajte svoje ponudnike žetonov OAuth2. Nato pojdite na skrbniško stran ponudnika OAuth, da ustvarite/pridobite ID OAuth in Secret ter ju shranite tukaj. Ko končate, preklopite na drugi zavihek, da ustvarite svoj žeton. OAuthSetupForLogin=Stran za upravljanje (generiranje/brisanje) žetonov OAuth SeePreviousTab=Glej prejšnji zavihek @@ -31,9 +32,9 @@ OAUTH_GITHUB_SECRET=OAuth GitHub Secret OAUTH_URL_FOR_CREDENTIAL=Pojdite na to stran , da ustvarite ali pridobite svoj ID in skrivnost OAuth OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live -OAUTH_ID=OAuth Client ID +OAUTH_ID=ID odjemalca OAuth OAUTH_SECRET=Skrivnost OAuth -OAUTH_TENANT=OAuth tenant +OAUTH_TENANT=Najemnik OAuth OAuthProviderAdded=Dodan ponudnik OAuth AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=Vnos OAuth za tega ponudnika in oznako že obstaja URLOfServiceForAuthorization=URL, ki ga zagotavlja storitev OAuth za preverjanje pristnosti diff --git a/htdocs/langs/sl_SI/products.lang b/htdocs/langs/sl_SI/products.lang index 1f01218b401..c51e2cdbb28 100644 --- a/htdocs/langs/sl_SI/products.lang +++ b/htdocs/langs/sl_SI/products.lang @@ -80,8 +80,11 @@ SoldAmount=Prodana količina PurchasedAmount=Kupljena količina NewPrice=Nova cena MinPrice=Min. prodajna cena +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. prodajna cena (z DDV) EditSellingPriceLabel=Uredi oznako prodajne cene -CantBeLessThanMinPrice=Prodajna cena ne more biti nižja od minimalne za ta proizvod (%s brez DDV). To sporočilo se pojavi lahko tudi, če vnesete prevelik popust +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Zaprta ErrorProductAlreadyExists=Proizvod z referenco %s že obstaja. ErrorProductBadRefOrLabel=Napačna vrednost reference ali naziva. @@ -347,16 +350,17 @@ UseProductFournDesc=Dodajte funkcijo za določitev opisa izdelka, ki ga določij ProductSupplierDescription=Opis prodajalca za izdelek UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=Samodejno boste kupili večkratnik te količine. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=Količina linije je bila preračunana glede na embalažo dobavitelja #Attributes +Attributes=Atributi VariantAttributes=Variantni atributi ProductAttributes=Različni atributi za izdelke ProductAttributeName=Atribut različice %s ProductAttribute=Variantni atribut ProductAttributeDeleteDialog=Ali ste prepričani, da želite izbrisati ta atribut? Vse vrednosti bodo izbrisane -ProductAttributeValueDeleteDialog=Ali ste prepričani, da želite izbrisati vrednost "%s" s sklicevanjem na "%s" tega atributa? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Ali ste prepričani, da želite izbrisati različico izdelka " %s "? ProductCombinationAlreadyUsed=Med brisanjem različice je prišlo do napake. Preverite, ali se ne uporablja v nobenem objektu ProductCombinations=Različice @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Pri poskusu brisanja obstoječih različic izdelk NbOfDifferentValues=Št. različnih vrednosti NbProducts=Število izdelkov ParentProduct=Matični izdelek +ParentProductOfVariant=Parent product of variant HideChildProducts=Skrij variantne izdelke ShowChildProducts=Pokaži različne izdelke NoEditVariants=Pojdite na kartico Nadrejeni izdelek in uredite vpliv različic na ceno na zavihku različic @@ -417,7 +422,7 @@ ErrorsProductsMerge=Napake v izdelkih se združijo SwitchOnSaleStatus=Vklopite status prodaje SwitchOnPurchaseStatus=Vklopite status nakupa UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Dodatna polja (gibanje delnic) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Dodatna polja (popis) ScanOrTypeOrCopyPasteYourBarCodes=Skenirajte ali vnesite ali kopirajte/prilepite svoje črtne kode PuttingPricesUpToDate=Posodobite cene s trenutno znanimi cenami @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Izberite dodatno polje, ki ga želite spremeniti ConfirmEditExtrafieldQuestion = Ali ste prepričani, da želite spremeniti to dodatno polje? ModifyValueExtrafields = Spremenite vrednost dodatnega polja OrProductsWithCategories=Ali izdelki z oznakami/kategorijami +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/sl_SI/projects.lang b/htdocs/langs/sl_SI/projects.lang index f791b853cc7..559431d2beb 100644 --- a/htdocs/langs/sl_SI/projects.lang +++ b/htdocs/langs/sl_SI/projects.lang @@ -23,7 +23,7 @@ TasksPublicDesc=Ta pogled predstavlja vse projekte in naloge, za katere imate do TasksDesc=Ta pogled predstavlja vse projekte in naloge (vaše uporabniško dovoljenje vam omogoča ogled vseh). AllTaskVisibleButEditIfYouAreAssigned=Vidna so vsa opravila za kvalificirane projekte, vendar lahko vnesete čas samo za opravilo, ki je dodeljeno izbranemu uporabniku. Dodelite nalogo, če ji morate vnesti čas. OnlyYourTaskAreVisible=Vidna so le opravila, ki so vam dodeljena. Če morate pri opravilu vnesti čas in opravilo tukaj ni vidno, potem morate opravilo dodeliti sebi. -ImportDatasetProjects=Projects or opportunities +ImportDatasetProjects=Projekti ali priložnosti ImportDatasetTasks=Naloge projektov ProjectCategories=Projektne oznake/kategorije NewProject=Nov projekt @@ -33,7 +33,7 @@ DeleteATask=Izbriši nalogo ConfirmDeleteAProject=Ali ste prepričani, da želite izbrisati ta projekt? ConfirmDeleteATask=Ali ste prepričani, da želite izbrisati to opravilo? OpenedProjects=Odprti projekti -OpenedProjectsOpportunities=Open opportunities +OpenedProjectsOpportunities=Odprte priložnosti OpenedTasks=Odprte naloge OpportunitiesStatusForOpenedProjects=Vodi število odprtih projektov po statusu OpportunitiesStatusForProjects=Vodi količino projektov po statusu @@ -45,10 +45,11 @@ OutOfProject=Izven projekta NoProject=Nimate definiranega ali lastnega projekta NbOfProjects=Število projektov NbOfTasks=Število nalog +TimeEntry=Sledenje času TimeSpent=Porabljen čas +TimeSpentSmall=Porabljen čas TimeSpentByYou=Čas, ki ga porabite vi TimeSpentByUser=Čas, ki ga porabi uporabnik -TimesSpent=Porabljen čas TaskId=ID opravila RefTask=Naloga ref. LabelTask=Oznaka opravila @@ -126,8 +127,8 @@ ValidateProject=Potrdite projekt ConfirmValidateProject=Ali ste prepričani, da želite potrditi ta projekt? CloseAProject=Zaprite projekt ConfirmCloseAProject=Ali ste prepričani, da želite zapreti ta projekt? -AlsoCloseAProject=Also close project -AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it +AlsoCloseAProject=Zapri tudi projekt +AlsoCloseAProjectTooltip=Pustite ga odprtega, če morate še vedno slediti proizvodnim nalogam na njem ReOpenAProject=Odprite projekt ConfirmReOpenAProject=Ali ste prepričani, da želite znova odpreti ta projekt? ProjectContact=Privatni projekti @@ -170,7 +171,7 @@ OpportunityProbability=Verjetnost svinca OpportunityProbabilityShort=Svinec verjetno. OpportunityAmount=Znesek potencialne stranke OpportunityAmountShort=Znesek potencialne stranke -OpportunityWeightedAmount=Amount of opportunity, weighted by probability +OpportunityWeightedAmount=Količina priložnosti, ponderirana z verjetnostjo OpportunityWeightedAmountShort=Opp. uteženi znesek OpportunityAmountAverageShort=Povprečna možna količina OpportunityAmountWeigthedShort=Ponderirana količina svinca @@ -203,7 +204,7 @@ InputPerMonth=Vnos na mesec InputDetail=Vnos podrobnosti TimeAlreadyRecorded=To je že zabeležen čas, porabljen za to nalogo/dan in uporabnika %s ProjectsWithThisUserAsContact=Projekti s tem uporabnikom kot stikom -ProjectsWithThisContact=Projects with this third-party contact +ProjectsWithThisContact=Projekti s tem kontaktom tretje osebe TasksWithThisUserAsContact=Naloge, dodeljene temu uporabniku ResourceNotAssignedToProject=Ni dodeljeno projektu ResourceNotAssignedToTheTask=Ni dodeljeno nalogi @@ -226,7 +227,7 @@ ProjectsStatistics=Statistika projektov ali potencialnih strank TasksStatistics=Statistika nalog projektov ali potencialnih strank TaskAssignedToEnterTime=Naloga dodeljena. Vnos časa za to nalogo bi moral biti mogoč. IdTaskTime=Čas opravila ID -YouCanCompleteRef=Če želite ref dopolniti s pripono, je priporočljivo dodati znak - za ločevanje, tako da bo samodejno številčenje še vedno delovalo pravilno za naslednje projekte. Na primer %s-MYSUFFIX +YouCanCompleteRef=Če želite ref dopolniti s pripono, je priporočljivo dodati znak - za ločevanje, tako da bo samodejno številčenje še vedno pravilno delovalo pri naslednjih projektih. Na primer %s-MYSUFFIX OpenedProjectsByThirdparties=Odprti projekti tretjih oseb OnlyOpportunitiesShort=Samo vodi OpenedOpportunitiesShort=Odprti vodi @@ -243,7 +244,7 @@ OppStatusPENDING=Na čakanju OppStatusWON=zmagal OppStatusLOST=Izgubljeno Budget=Proračun -AllowToLinkFromOtherCompany=Allow to link an element with a project of other company

      Supported values:
      - Keep empty: Can link elements with any projects in the same company (default)
      - "all": Can link elements with any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link elements with any projects of these third partys (Example: 123,4795,53)
      +AllowToLinkFromOtherCompany=Dovolite povezavo elementa s projektom drugega podjetja

      Podprte vrednosti:
      - Ohrani prazno: lahko poveže elemente s poljubnimi projekti v istem podjetju (privzeto)
      - "vse": lahko poveže elemente s poljubnimi projekti, tudi projekti drugih podjetij
      - Seznam ID-jev tretjih oseb, ločenih z vejicami : lahko poveže elemente s poljubnimi projekti teh tretjih oseb (Primer: 123,4795,53)
      LatestProjects=Najnovejši projekti %s LatestModifiedProjects=Najnovejši %s spremenjeni projekti OtherFilteredTasks=Druga filtrirana opravila @@ -260,7 +261,7 @@ RecordsClosed=%s projekt(i) zaprt(i). SendProjectRef=Informacijski projekt %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Modul 'Plače' mora biti omogočen za določanje urne postavke zaposlenega za valorizacijo porabljenega časa NewTaskRefSuggested=Referenca opravila je že uporabljena, potreben je nov ref naloge -NumberOfTasksCloned=%s task(s) cloned +NumberOfTasksCloned=%s opravilo(a) je klonirano TimeSpentInvoiced=Obračunan porabljeni čas TimeSpentForIntervention=Porabljen čas TimeSpentForInvoice=Porabljen čas @@ -288,7 +289,7 @@ ProfitIsCalculatedWith=Dobiček se izračuna z uporabo AddPersonToTask=Dodajte tudi opravilom UsageOrganizeEvent=Uporaba: Organizacija dogodkov PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Razvrsti projekt kot zaprt, ko so dokončane vse njegove naloge (100%% napredek) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Opomba: to ne bo vplivalo na obstoječe projekte z vsemi opravili, ki so že nastavljeni na napredek 100%%: morali jih boste zapreti ročno. Ta možnost vpliva samo na odprte projekte. SelectLinesOfTimeSpentToInvoice=Izberite vrstice porabljenega časa, ki niso zaračunane, nato pa množično dejanje »Ustvari račun«, da jih zaračunate ProjectTasksWithoutTimeSpent=Projektne naloge brez porabljenega časa FormForNewLeadDesc=Hvala, ker izpolnite spodnji obrazec, da nas kontaktirate. Prav tako nam lahko pošljete e-pošto neposredno na %s . diff --git a/htdocs/langs/sl_SI/propal.lang b/htdocs/langs/sl_SI/propal.lang index 5fb034d2cd3..af0e1d36dac 100644 --- a/htdocs/langs/sl_SI/propal.lang +++ b/htdocs/langs/sl_SI/propal.lang @@ -12,9 +12,11 @@ NewPropal=Nova ponudba Prospect=Potencialni kupec DeleteProp=Izbriši komercialno ponudbo ValidateProp=Potrdi komercialno ponudbo +CancelPropal=Razveljavi AddProp=Ustvari predlog ConfirmDeleteProp=Ali ste prepričani, da želite izbrisati ta komercialni predlog? ConfirmValidateProp=Ali ste prepričani, da želite potrditi ta komercialni predlog pod imenom %s ? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Najnovejši %s predlogi LastModifiedProposals=Najnovejši %s spremenjeni predlogi AllPropals=Vse ponudbe @@ -27,11 +29,13 @@ NbOfProposals=Število komercialnih ponudb ShowPropal=Prikaži ponudbo PropalsDraft=Osnutki PropalsOpened=Odprt +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Osnutek (potrebno potrditi) PropalStatusValidated=Odprta (ponudba je odprta) PropalStatusSigned=Podpisana (potrebno fakturirati) PropalStatusNotSigned=Nepodpisana (zaprta) PropalStatusBilled=Fakturirana +PropalStatusCanceledShort=Preklicano PropalStatusDraftShort=Osnutek PropalStatusValidatedShort=Potrjeno (odprto) PropalStatusClosedShort=Zaprta @@ -55,6 +59,7 @@ CopyPropalFrom=Kreiraj komercialno ponudbo s kopiranjem obstoječe ponudbe CreateEmptyPropal=Ustvarite prazen komercialni predlog ali s seznama izdelkov/storitev DefaultProposalDurationValidity=Privzeto trajanje veljavnosti komercialne ponudbe (v dneh) DefaultPuttingPricesUpToDate=Privzeto posodobi cene s trenutno znanimi cenami za kloniranje predloga +DefaultPuttingDescUpToDate=Privzeto posodobi opise s trenutno znanimi opisi ob kloniranju predloga UseCustomerContactAsPropalRecipientIfExist=Kot naslov prejemnika predloga uporabite kontakt/naslov z vrsto »Predlog za nadaljnje ukrepanje«, če je določen namesto naslova partnerja ConfirmClonePropal=Ali ste prepričani, da želite klonirati komercialni predlog %s ? ConfirmReOpenProp=Ali ste prepričani, da želite odpreti komercialni predlog %s ? @@ -113,6 +118,7 @@ RefusePropal=Zavrni predlog Sign=Podpis SignContract=Podpišite pogodbo SignFichinter=Podpišite intervencijo +SignSociete_rib=Sign mandate SignPropal=Sprejmi predlog Signed=podpisan SignedOnly=Samo podpisano diff --git a/htdocs/langs/sl_SI/receptions.lang b/htdocs/langs/sl_SI/receptions.lang index d84dc18c81d..50a8253fc84 100644 --- a/htdocs/langs/sl_SI/receptions.lang +++ b/htdocs/langs/sl_SI/receptions.lang @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=Obdelani ReceptionSheet=Sprejemni list ValidateReception=Validate reception ConfirmDeleteReception=Ali ste prepričani, da želite izbrisati ta sprejem? -ConfirmValidateReception=Ali ste prepričani, da želite potrditi ta sprejem s sklicem %s ? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Ali ste prepričani, da želite preklicati ta sprejem? -StatsOnReceptionsOnlyValidated=Potrjeni so le statistični podatki o sprejemih. Uporabljeni datum je datum potrditve prejema (načrtovani datum dostave ni vedno znan). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Pošljite sprejem po e-pošti SendReceptionRef=Oddaja sprejema %s ActionsOnReception=Dogodki na recepciji @@ -52,3 +52,7 @@ ReceptionExist=Recepcija obstaja ReceptionBackToDraftInDolibarr=Sprejem %s nazaj na osnutek ReceptionClassifyClosedInDolibarr=Sprejem %s tajno Zaprto ReceptionUnClassifyCloseddInDolibarr=Recepcija %s ponovno odprta +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/sl_SI/sendings.lang b/htdocs/langs/sl_SI/sendings.lang index 784771ec433..6cf15bec712 100644 --- a/htdocs/langs/sl_SI/sendings.lang +++ b/htdocs/langs/sl_SI/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Potrjena StatusSendingProcessedShort=Obdelani SendingSheet=Odpremni list ConfirmDeleteSending=Ali ste prepričani, da želite izbrisati to pošiljko? -ConfirmValidateSending=Ali ste prepričani, da želite potrditi to pošiljko s sklicem %s ? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Ali ste prepričani, da želite preklicati to pošiljko? DocumentModelMerou=Vzorec dokumenta Merou A5 WarningNoQtyLeftToSend=Pozor, noben proizvod ne čaka na pošiljanje. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Količina izdelkov iz že prejetih NoProductToShipFoundIntoStock=V skladišču ni bilo mogoče najti nobenega izdelka za pošiljanje %s . Popravite zalogo ali se vrnite in izberite drugo skladišče. WeightVolShort=Teža/prostornina ValidateOrderFirstBeforeShipment=Preden lahko pošiljate pošiljke, morate najprej potrditi naročilo. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Vsota tež proizvodov # warehouse details DetailWarehouseNumber= Podrobnosti o skladišču DetailWarehouseFormat= W:%s (Št.: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/sl_SI/stocks.lang b/htdocs/langs/sl_SI/stocks.lang index 577d617fe62..c7a247418db 100644 --- a/htdocs/langs/sl_SI/stocks.lang +++ b/htdocs/langs/sl_SI/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=Osebna zaloga %s ThisWarehouseIsPersonalStock=To skladišče predstavlja osebno zalogo %s %s SelectWarehouseForStockDecrease=Izberite skladišče uporabiti za zmanjšanje zalog SelectWarehouseForStockIncrease=Izberite skladišče uporabiti za povečanje zalog +RevertProductsToStock=Revert products to stock ? NoStockAction=Ni aktivnosti zaloge DesiredStock=Zaželena zaloga DesiredStockDesc=Ta znesek zaloge bo vrednost, uporabljena za polnjenje zalog s funkcijo obnavljanja. @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=Nimate dovolj zalog za to številko serije iz svojega ShowWarehouse=Prikaži skladišče MovementCorrectStock=Korekcija zaloge za proizvod %s MovementTransferStock=Skladiščni prenos proizvoda %s v drugo skladišče +BatchStockMouvementAddInGlobal=Batch stock move into global stock (product doesn't use batch anymore) InventoryCodeShort=Koda zaloge/premika NoPendingReceptionOnSupplierOrder=Ni čakajočega prejema zaradi odprtega naročila ThisSerialAlreadyExistWithDifferentDate=Ta lot/serijska številka (%s) že obstaja, vendar z drugim datumom vstopa ali izstopa (najden je %s, vi pa ste vnesli %s). @@ -210,10 +212,10 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Gibanje zalog bo imelo datum invent inventoryChangePMPPermission=Omogoča spreminjanje vrednosti PMP za izdelek ColumnNewPMP=Nova enota PMP OnlyProdsInStock=Ne dodajajte izdelka brez zaloge -TheoricalQty=Teoretična količina -TheoricalValue=Teoretična količina +TheoricalQty=Theoretical qty +TheoricalValue=Theoretical qty LastPA=Zadnji BP -CurrentPA=Trenutni BP +CurrentPA=Current BP RecordedQty=Zabeležena količina RealQty=Realna količina RealValue=Resnična vrednost @@ -244,7 +246,7 @@ StockAtDatePastDesc=Tukaj si lahko ogledate zalogo (dejansko zalogo) na določen StockAtDateFutureDesc=Tukaj si lahko ogledate zaloge (virtualne zaloge) na določen datum v prihodnosti CurrentStock=Trenutna zaloga InventoryRealQtyHelp=Nastavite vrednost na 0, da ponastavite količino.
      Pustite polje prazno ali odstranite vrstico, da ostane nespremenjeno -UpdateByScaning=Dokončajte dejansko količino s skeniranjem +UpdateByScaning=Complete real qty by scanning UpdateByScaningProductBarcode=Posodobitev s skeniranjem (črtna koda izdelka) UpdateByScaningLot=Posodobitev s skeniranjem (lot|serijska črtna koda) DisableStockChangeOfSubProduct=Deaktivirajte spremembo zaloge za vse podizdelke tega kompleta med tem premikom. @@ -280,7 +282,7 @@ ModuleStockTransferName=Napredni prenos zalog ModuleStockTransferDesc=Napredno upravljanje prenosa zalog z generiranjem prenosnega lista StockTransferNew=Nov prenos zalog StockTransferList=Seznam prenosov delnic -ConfirmValidateStockTransfer=Ali ste prepričani, da želite potrditi ta prenos zalog z referenco %s ? +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? ConfirmDestock=Zmanjšanje zalog s prenosom %s ConfirmDestockCancel=Preklic zmanjšanja zalog z nakazilom %s DestockAllProduct=Zmanjšanje zalog @@ -307,8 +309,8 @@ StockTransferDecrementationCancel=Prekliči zmanjšanje izvornih skladišč StockTransferIncrementationCancel=Prekliči povečanje namembnih skladišč StockStransferDecremented=Izvorna skladišča so se zmanjšala StockStransferDecrementedCancel=Zmanjšanje izvornih skladišč preklicano -StockStransferIncremented=Zaprto – zaloge prenesene -StockStransferIncrementedShort=Zaloge prenesene +StockStransferIncremented=Closed - Stocks transferred +StockStransferIncrementedShort=Stocks transferred StockStransferIncrementedShortCancel=Povečanje namembnih skladišč preklicano StockTransferNoBatchForProduct=Izdelek %s ne uporablja paketa, počisti paket na spletu in poskusi znova StockTransferSetup = Konfiguracija modula za prenos delnic @@ -318,8 +320,18 @@ StockTransferRightRead=Preberite prenose delnic StockTransferRightCreateUpdate=Ustvari/posodobi prenose zalog StockTransferRightDelete=Izbrišite prenose delnic BatchNotFound=Lota/serije ni bilo mogoče najti za ta izdelek +StockEntryDate=Date of
      entry in stock StockMovementWillBeRecorded=Stock movement will be recorded StockMovementNotYetRecorded=Stock movement will not be affected by this step +ReverseConfirmed=Stock movement has been reversed successfully + WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse +ValidateInventory=Inventory validation +IncludeSubWarehouse=Include sub-warehouse ? +IncludeSubWarehouseExplanation=Check this box if you want to include all sub-warehouses of the associated warehouse in the inventory DeleteBatch=Delete lot/serial ConfirmDeleteBatch=Are you sure you want to delete lot/serial ? +WarehouseUsage=Warehouse usage +InternalWarehouse=Internal warehouse +ExternalWarehouse=External warehouse +WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse diff --git a/htdocs/langs/sl_SI/website.lang b/htdocs/langs/sl_SI/website.lang index 79e8d21caa3..c1211448393 100644 --- a/htdocs/langs/sl_SI/website.lang +++ b/htdocs/langs/sl_SI/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Nadomestna imena/vzdevki strani WEBSITE_ALIASALTDesc=Tukaj uporabite seznam drugih imen/vzdevkov, tako da je mogoče do strani dostopati tudi s temi drugimi imeni/vzdevki (na primer staro ime po preimenovanju vzdevka, da povratna povezava na staro povezavo/ime še naprej deluje). Sintaksa je:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=URL zunanje datoteke CSS WEBSITE_CSS_INLINE=Vsebina datoteke CSS (skupna vsem stranem) -WEBSITE_JS_INLINE=Vsebina datoteke Javascript (skupna vsem stranem) +WEBSITE_JS_INLINE=Vsebina datoteke JavaScript (skupna vsem stranem) WEBSITE_HTML_HEADER=Dodatek na dnu glave HTML (skupno vsem stranem) WEBSITE_ROBOT=Robot datoteka (robots.txt) WEBSITE_HTACCESS=Datoteka .htaccess spletne strani @@ -60,10 +60,11 @@ NoPageYet=Ni še nobene strani YouCanCreatePageOrImportTemplate=Ustvarite lahko novo stran ali uvozite celotno predlogo spletnega mesta SyntaxHelp=Pomoč pri posebnih nasvetih glede sintakse YouCanEditHtmlSourceckeditor=Izvorno kodo HTML lahko urejate z gumbom "Vir" v urejevalniku. -YouCanEditHtmlSource=
      V ta vir lahko vključite kodo PHP z oznakami <?php ?> . Na voljo so naslednje globalne spremenljivke: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Vsebino druge strani/vsebnika lahko vključite tudi z naslednjo sintakso:
      a03900df7d31ecz_0?php includeascontainer_of_0?php ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/ ]ime.ext">
      Za datoteko v dokumentih/medijih (odprt imenik za javni dostop) je sintaksa:
      <a href= "/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href=" /document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Za sliko, ki je v skupni rabi s povezavo za skupno rabo (odprt dostop z uporabo zgoščenega ključa za skupno rabo datoteke), je sintaksa:
      <img src="/viewimage.php?hashp=12345679012..."a0012c7dcbe087fcc0 a0a6f0fda39z071f -YouCanEditHtmlSourceMore=
      Več primerov HTML ali dinamične kode je na voljo na dokumentaciji wiki
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Kloniraj stran/vsebnik CloneSite=Kloniraj spletno mesto SiteAdded=Dodano spletno mesto @@ -83,7 +84,7 @@ BlogPost=Objava na blogu WebsiteAccount=Račun spletnega mesta WebsiteAccounts=Računi spletnih mest AddWebsiteAccount=Ustvari račun spletnega mesta -BackToListForThirdParty=Back to list for the third parties +BackToListForThirdParty=Nazaj na seznam za tretje osebe DisableSiteFirst=Najprej onemogočite spletno mesto MyContainerTitle=Naslov moje spletne strani AnotherContainer=Tako vključite vsebino druge strani/vsebnika (tu lahko pride do napake, če omogočite dinamično kodo, ker vdelani podvsebnik morda ne obstaja) @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Oprostite, to spletno mesto trenutno ni na spletu WEBSITE_USE_WEBSITE_ACCOUNTS=Omogoči tabelo računov spletnega mesta WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Omogočite tabelo za shranjevanje računov spletnega mesta (prijava/geslo) za vsako spletno mesto/tretjo osebo YouMustDefineTheHomePage=Najprej morate določiti privzeto domačo stran -OnlyEditionOfSourceForGrabbedContentFuture=Opozorilo: Ustvarjanje spletne strani z uvozom zunanje spletne strani je rezervirano za izkušene uporabnike. Odvisno od kompleksnosti izvorne strani se lahko rezultat uvoza razlikuje od izvirnika. Tudi če izvorna stran uporablja običajne sloge CSS ali nasprotujoč si javascript, lahko pri delu na tej strani pokvari videz ali funkcije urejevalnika spletnega mesta. Ta metoda je hitrejši način za ustvarjanje strani, vendar je priporočljivo, da svojo novo stran ustvarite od začetka ali iz predlagane predloge strani.
      Upoštevajte tudi, da vgrajeni urejevalnik morda ne bo deloval pravilno, če ga uporabljate na prejeti zunanji strani. +OnlyEditionOfSourceForGrabbedContentFuture=Opozorilo: Ustvarjanje spletne strani z uvozom zunanje spletne strani je rezervirano za izkušene uporabnike. Odvisno od kompleksnosti izvorne strani se lahko rezultat uvoza razlikuje od izvirnika. Tudi če izvorna stran uporablja običajne sloge CSS ali JavaScript v nasprotju, lahko pokvari videz ali funkcije urejevalnika spletnega mesta pri delu na tej strani. Ta metoda je hitrejši način za ustvarjanje strani, vendar je priporočljivo, da svojo novo stran ustvarite od začetka ali iz predlagane predloge strani.
      Upoštevajte tudi, da vgrajeni urejevalnik morda ne bo deloval pravilnost pri uporabi na prejeti zunanji strani. OnlyEditionOfSourceForGrabbedContent=Možna je le izdaja vira HTML, če je bila vsebina povzeta z zunanjega mesta GrabImagesInto=Zgrabite tudi slike, ki jih najdete v css in strani. ImagesShouldBeSavedInto=Slike je treba shraniti v imenik @@ -112,13 +113,13 @@ GoTo=Pojdi do DynamicPHPCodeContainsAForbiddenInstruction=Dodate dinamično kodo PHP, ki vsebuje navodilo PHP ' %s ', ki je privzeto prepovedano kot dinamična vsebina (glejte skrite možnosti WEBSITE_PHP_ALLOW_xxx za povečanje seznama dovoljenih ukazov). NotAllowedToAddDynamicContent=Nimate dovoljenja za dodajanje ali urejanje dinamične vsebine PHP na spletnih mestih. Prosite za dovoljenje ali samo pustite kodo v oznakah php nespremenjeno. ReplaceWebsiteContent=Iskanje ali zamenjava vsebine spletnega mesta -DeleteAlsoJs=Ali želite izbrisati tudi vse datoteke javascript, specifične za to spletno mesto? -DeleteAlsoMedias=Ali želite izbrisati tudi vse predstavnostne datoteke, specifične za to spletno mesto? +DeleteAlsoJs=Ali želite izbrisati tudi vse datoteke JavaScript, specifične za to spletno mesto? +DeleteAlsoMedias=Ali želite izbrisati tudi vse predstavnostne datoteke, značilne za to spletno mesto? MyWebsitePages=Moje spletne strani SearchReplaceInto=Iskanje | Zamenjaj v ReplaceString=Nova vrvica CSSContentTooltipHelp=Tukaj vnesite vsebino CSS. Da bi se izognili kakršnim koli navzkrižjem s CSS aplikacije, pred vse deklaracije dodajte razred .bodywebsite. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without to predpono, lahko uporabite 'lessc', da jo pretvorite tako, da povsod dodate predpono .bodywebsite. -LinkAndScriptsHereAreNotLoadedInEditor=Opozorilo: Ta vsebina je prikazana samo, ko se do spletnega mesta dostopa s strežnika. Ne uporablja se v načinu urejanja, tako da, če morate naložiti datoteke javascript tudi v načinu urejanja, preprosto dodajte svojo oznako 'script src=...' na stran. +LinkAndScriptsHereAreNotLoadedInEditor=Opozorilo: Ta vsebina je prikazana samo, ko se do spletnega mesta dostopa s strežnika. Ne uporablja se v načinu urejanja, tako da, če morate naložiti datoteke JavaScript tudi v načinu urejanja, preprosto dodajte svojo oznako 'script src=...' na stran. Dynamiccontent=Primer strani z dinamično vsebino ImportSite=Uvoz predloge spletnega mesta EditInLineOnOff=Način 'Urejanje v vrstici' je %s @@ -153,10 +154,13 @@ PreviousContainer=Prejšnja stran/vsebnik WebsiteMustBeDisabled=Spletna stran mora imeti status "%s" WebpageMustBeDisabled=Spletna stran mora imeti status "%s" SetWebsiteOnlineBefore=Ko je spletno mesto brez povezave, so vse strani brez povezave. Najprej spremenite status spletne strani. -Booking=Booking -Reservation=Reservation -PagesViewedPreviousMonth=Pages viewed (previous month) -PagesViewedTotal=Pages viewed (total) +Booking=Rezervacija +Reservation=Rezervacija +PagesViewedPreviousMonth=Ogledane strani (prejšnji mesec) +PagesViewedTotal=Ogledane strani (skupaj) Visibility=Viden -Everyone=Everyone +Everyone=Vsi AssignedContacts=Dodeljeni kontakti +WebsiteTypeLabel=Vrsta spletnega mesta +WebsiteTypeDolibarrWebsite=Spletna stran (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Domači portal Dolibarr diff --git a/htdocs/langs/sl_SI/withdrawals.lang b/htdocs/langs/sl_SI/withdrawals.lang index c8d8875b12a..63d97447c5c 100644 --- a/htdocs/langs/sl_SI/withdrawals.lang +++ b/htdocs/langs/sl_SI/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Vložite zahtevo za nakazilo kredita WithdrawRequestsDone=%s zabeležene zahteve za plačilo z direktno bremenitvijo BankTransferRequestsDone=%s zabeležene zahteve za kreditna nakazila ThirdPartyBankCode=Koda banke partnerja -NoInvoiceCouldBeWithdrawed=Noben račun ni bil uspešno bremenjen. Preverite, ali so računi za podjetja z veljavnim IBAN in ali ima IBAN UMR (Unique Mandate Reference) z načinom %s . +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=To potrdilo o dvigu je že označeno kot knjiženo; tega ni mogoče storiti dvakrat, saj bi to lahko ustvarilo podvojena plačila in bančne vnose. ClassCredited=Označi kot prejeto ClassDebited=Razvrsti bremenitve @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Ali zares želite vnesti zavrnitev nakazila za družbo RefusedData=Datum zavrnitve RefusedReason=Razlog za zavrnitev RefusedInvoicing=Zaračunavanje zavrnitev -NoInvoiceRefused=Ne zaračunaj zavrnitve -InvoiceRefused=Zavrnjen račun (zaračunati zavrnitev stranki) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debet/kredit StatusWaiting=Na čakanju StatusTrans=Prenešeno @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Datum podpisa mandata RUMLong=Edinstvena referenca mandata RUMWillBeGenerated=Če je polje prazno, bo UMR (enotna referenca mandata) ustvarjen, ko bodo podatki o bančnem računu shranjeni. -WithdrawMode=Način neposredne bremenitve (FRST ali RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Znesek zahteve za direktno bremenitev: BankTransferAmount=Znesek zahteve za nakazilo kredita: WithdrawRequestErrorNilAmount=Ni mogoče ustvariti zahteve za direktno bremenitev za prazen znesek. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Ime vašega bančnega računa (IBAN) SEPAFormYourBIC=Identifikacijska koda vaše banke (BIC) SEPAFrstOrRecur=Vrsta plačila ModeRECUR=Ponavljajoče se plačilo +ModeRCUR=Ponavljajoče se plačilo ModeFRST=Enkratno plačilo PleaseCheckOne=Prosimo označite samo enega CreditTransferOrderCreated=Nalog za nakazilo %s ustvarjen @@ -155,9 +159,16 @@ InfoTransData=Znesek: %s
      Način: %s
      Datum: %s InfoRejectSubject=Plačilni nalog za direktno obremenitev zavrnjen InfoRejectMessage=Pozdravljeni,

      banka je zavrnila plačilni nalog za direktno obremenitev računa %s v zvezi s podjetjem %s z zneskom %s.

      --
      %s ModeWarning=Opcija za delo v živo ni bila nastavljena, zato se bo sistem ustavil po simulaciji -ErrorCompanyHasDuplicateDefaultBAN=Podjetje z ID-jem %s ima več kot en privzeti bančni račun. Ni načina, da bi vedel, katerega uporabiti. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Manjka ICS na bančnem računu %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Skupni znesek naloga za direktno bremenitev se razlikuje od vsote vrstic WarningSomeDirectDebitOrdersAlreadyExists=Opozorilo: Nekaj čakajočih nalogov za direktno bremenitev (%s) je že zahtevanih za znesek %s WarningSomeCreditTransferAlreadyExists=Opozorilo: Za znesek %s je že na voljo nekaj čakajočega kreditnega nakazila (%s). UsedFor=Uporablja se za %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Plača +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/sl_SI/workflow.lang b/htdocs/langs/sl_SI/workflow.lang index 1f361b60af7..8d6c9d1feba 100644 --- a/htdocs/langs/sl_SI/workflow.lang +++ b/htdocs/langs/sl_SI/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Samodejno ustvari račun za kupca, po v descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Samodejno ustvarite račun stranke, ko je prodajno naročilo zaprto (nov račun bo imel enak znesek kot naročilo) descWORKFLOW_TICKET_CREATE_INTERVENTION=Pri ustvarjanju vozovnice samodejno ustvarite intervencijo. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Razvrsti predlog povezanega vira kot zaračunan, ko je prodajno naročilo nastavljeno na zaračunano (in če je znesek naročila enak skupnemu znesku podpisanega povezanega predloga) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Razvrsti predlog povezanega vira kot zaračunan, ko je račun stranke potrjen (in če je znesek računa enak skupnemu znesku podpisanega povezanega predloga) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Razvrsti prodajno naročilo povezanega vira kot zaračunano, ko je račun stranke potrjen (in če je znesek računa enak skupnemu znesku povezanega naročila) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Razvrsti prodajno naročilo povezanega vira kot zaračunano, ko je račun stranke nastavljen na plačan (in če je znesek računa enak skupnemu znesku povezanega naročila) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Razvrsti prodajno naročilo povezanega vira kot poslano, ko je pošiljka potrjena (in če je količina, poslana z vsemi pošiljkami, enaka kot v naročilu za posodobitev) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Razvrsti prodajno naročilo povezanega vira kot poslano, ko je pošiljka zaprta (in če je količina, poslana z vsemi pošiljkami, enaka kot v naročilu za posodobitev) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Razvrsti ponudbo ponudnika povezanega vira kot zaračunano, ko je račun prodajalca potrjen (in če je znesek računa enak skupnemu znesku povezane ponudbe) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Razvrsti naročilo povezanega vira kot zaračunano, ko je račun prodajalca potrjen (in če je znesek računa enak skupnemu znesku povezanega naročila) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Razvrsti naročilo povezanega vira kot prejeto, ko je sprejem potrjen (in če je količina, ki so jo prejeli vsi sprejemi, enaka kot v naročilu za posodobitev) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Razvrstite naročilo povezanega vira kot prejeto, ko je sprejem zaprt (in če je količina, ki so jo prejeli vsi sprejemi, enaka kot v naročilu za posodobitev) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Prejeme razvrstite v »zaračunane«, ko je povezan račun za nakup potrjen (in če je znesek računa enak skupnemu znesku povezanih prejemov) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=Ko ustvarjate vstopnico, povežite razpoložljive pogodbe z partnerjem +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Pri povezovanju pogodb iščite med pogodbami matičnih podjetij # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Zaprite vse posege, povezane z vstopnico, ko je vstopnica zaprta AutomaticCreation=Samodejno generiranje AutomaticClassification=Samodejno spreminjanje statusa -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Razvrsti pošiljko povezanega vira kot zaprto, ko je račun stranke potrjen (in če je znesek računa enak skupnemu znesku povezanih pošiljk) AutomaticClosing=Samodejno zapiranje AutomaticLinking=Samodejno povezovanje diff --git a/htdocs/langs/sq_AL/accountancy.lang b/htdocs/langs/sq_AL/accountancy.lang index 190f34a0b95..48441a6f259 100644 --- a/htdocs/langs/sq_AL/accountancy.lang +++ b/htdocs/langs/sq_AL/accountancy.lang @@ -1,472 +1,518 @@ # Dolibarr language file - en_US - Accountancy (Double entries) -Accountancy=Accountancy +Accountancy=Kontabiliteti Accounting=Accounting ACCOUNTING_EXPORT_SEPARATORCSV=Column separator for export file ACCOUNTING_EXPORT_DATE=Date format for export file ACCOUNTING_EXPORT_PIECE=Export the number of piece ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Export with global account -ACCOUNTING_EXPORT_LABEL=Export label -ACCOUNTING_EXPORT_AMOUNT=Export amount -ACCOUNTING_EXPORT_DEVISE=Export currency +ACCOUNTING_EXPORT_LABEL=Etiketa e eksportit +ACCOUNTING_EXPORT_AMOUNT=Sasia e eksportit +ACCOUNTING_EXPORT_DEVISE=Monedha e eksportit Selectformat=Select the format for the file ACCOUNTING_EXPORT_FORMAT=Select the format for the file -ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type +ACCOUNTING_EXPORT_ENDLINE=Zgjidhni llojin e kthimit të karrocës ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name -ThisService=This service -ThisProduct=This product -DefaultForService=Default for service -DefaultForProduct=Default for product -ProductForThisThirdparty=Product for this thirdparty -ServiceForThisThirdparty=Service for this thirdparty -CantSuggest=Can't suggest -AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s -ConfigAccountingExpert=Configuration of the module accounting (double entry) -Journalization=Journalization +ThisService=Ky shërbim +ThisProduct=Ky produkt +DefaultForService=Parazgjedhja për shërbimet +DefaultForProduct=Parazgjedhja për produktet +ProductForThisThirdparty=Produkt për këtë palë të tretë +ServiceForThisThirdparty=Shërbim për këtë palë të tretë +CantSuggest=Nuk mund të sugjeroj +AccountancySetupDoneFromAccountancyMenu=Shumica e konfigurimit të kontabilitetit bëhet nga menyja %s +ConfigAccountingExpert=Konfigurimi i kontabilitetit të modulit (hyrje e dyfishtë) +Journalization=Gazetari Journals=Journals JournalFinancial=Financial journals BackToChartofaccounts=Return chart of accounts -Chartofaccounts=Chart of accounts -ChartOfSubaccounts=Chart of individual accounts -ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger -CurrentDedicatedAccountingAccount=Current dedicated account -AssignDedicatedAccountingAccount=New account to assign -InvoiceLabel=Invoice label -OverviewOfAmountOfLinesNotBound=Overview of amount of lines not bound to an accounting account -OverviewOfAmountOfLinesBound=Overview of amount of lines already bound to an accounting account -OtherInfo=Other information -DeleteCptCategory=Remove accounting account from group -ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group? -JournalizationInLedgerStatus=Status of journalization -AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger -GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group -DetailByAccount=Show detail by account -AccountWithNonZeroValues=Accounts with non-zero values -ListOfAccounts=List of accounts -CountriesInEEC=Countries in EEC -CountriesNotInEEC=Countries not in EEC -CountriesInEECExceptMe=Countries in EEC except %s -CountriesExceptMe=All countries except %s -AccountantFiles=Export source documents -ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). -ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. -ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -VueByAccountAccounting=View by accounting account -VueBySubAccountAccounting=View by accounting subaccount +Chartofaccounts=Tabela e llogarive +ChartOfSubaccounts=Grafik i llogarive individuale +ChartOfIndividualAccountsOfSubsidiaryLedger=Grafik i llogarive individuale të librit të filialit +CurrentDedicatedAccountingAccount=Llogari aktuale e dedikuar +AssignDedicatedAccountingAccount=Llogari e re për t'u caktuar +InvoiceLabel=Etiketa e faturës +OverviewOfAmountOfLinesNotBound=Pasqyrë e shumës së linjave që nuk lidhen me një llogari kontabël +OverviewOfAmountOfLinesBound=Pasqyrë e shumës së linjave të lidhura tashmë në një llogari kontabël +OtherInfo=Informacioni tjetër +DeleteCptCategory=Hiq llogarinë e kontabilitetit nga grupi +ConfirmDeleteCptCategory=Jeni i sigurt që dëshironi ta hiqni këtë llogari kontabël nga grupi i llogarive të kontabilitetit? +JournalizationInLedgerStatus=Statusi i gazetarisë +AlreadyInGeneralLedger=Tashmë është transferuar në revistat e kontabilitetit dhe librin kryesor +NotYetInGeneralLedger=Nuk është transferuar ende në revistat e kontabilitetit dhe librin kryesor +GroupIsEmptyCheckSetup=Grupi është bosh, kontrolloni konfigurimin e grupit të personalizuar të kontabilitetit +DetailByAccount=Trego detajet sipas llogarisë +DetailBy=Detaje nga +AccountWithNonZeroValues=Llogaritë me vlera jo zero +ListOfAccounts=Lista e llogarive +CountriesInEEC=Vendet në EEC +CountriesNotInEEC=Vendet që nuk janë në BEE +CountriesInEECExceptMe=Vendet në EEC përveç %s +CountriesExceptMe=Të gjitha vendet përveç %s +AccountantFiles=Eksporto dokumente burimore +ExportAccountingSourceDocHelp=Me këtë mjet, ju mund të kërkoni dhe eksportoni ngjarjet burimore që përdoren për të gjeneruar kontabilitetin tuaj.
      Skedari ZIP i eksportuar do të përmbajë listat e artikujve të kërkuar në CSV, si dhe skedarët e tyre të bashkangjitur në formatin e tyre origjinal (PDF, ODT, DOCX...). +ExportAccountingSourceDocHelp2=Për të eksportuar ditarët tuaj, përdorni hyrjen e menysë %s - %s. +ExportAccountingProjectHelp=Specifikoni një projekt nëse keni nevojë për një raport kontabël vetëm për një projekt specifik. Raportet e shpenzimeve dhe pagesat e kredive nuk përfshihen në raportet e projektit. +ExportAccountancy=Kontabiliteti i eksportit +WarningDataDisappearsWhenDataIsExported=Kujdes, kjo listë përmban vetëm shënimet kontabël që nuk janë eksportuar tashmë (Data e eksportit është bosh). Nëse dëshironi të përfshini hyrjet kontabël të eksportuara tashmë, klikoni në butonin e mësipërm. +VueByAccountAccounting=Shikoni sipas llogarisë së kontabilitetit +VueBySubAccountAccounting=Shikoni sipas nënllogarisë së kontabilitetit -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup -MainAccountForUsersNotDefined=Main accounting account for users not defined in setup -MainAccountForVatPaymentNotDefined=Main accounting account for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Main accounting account for subscription payment not defined in setup -UserAccountNotDefined=Accounting account for user not defined in setup +MainAccountForCustomersNotDefined=Llogaria kryesore (nga Grafiku i Llogarive) për klientët që nuk është përcaktuar në konfigurim +MainAccountForSuppliersNotDefined=Llogaria kryesore (nga Grafiku i Llogarive) për shitësit që nuk janë përcaktuar në konfigurim +MainAccountForUsersNotDefined=Llogaria kryesore (nga Grafiku i Llogarive) për përdoruesit që nuk janë përcaktuar në konfigurim +MainAccountForVatPaymentNotDefined=Llogaria (nga Grafiku i Llogarive) për pagesën e TVSH-së nuk është përcaktuar në konfigurim +MainAccountForSubscriptionPaymentNotDefined=Llogaria (nga Tabela e Llogarive) për pagesën e anëtarësimit nuk është përcaktuar në konfigurim +MainAccountForRetainedWarrantyNotDefined=Llogaria (nga Grafiku i Llogarive) për garancinë e ruajtur e pa përcaktuar në konfigurim +UserAccountNotDefined=Llogaria e kontabilitetit për përdoruesin nuk është përcaktuar në konfigurim -AccountancyArea=Accounting area -AccountancyAreaDescIntro=Usage of the accountancy module is done in several step: -AccountancyAreaDescActionOnce=The following actions are usually executed one time only, or once per year... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting -AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... +AccountancyArea=Fusha e kontabilitetit +AccountancyAreaDescIntro=Përdorimi i modulit të kontabilitetit bëhet në disa hapa: +AccountancyAreaDescActionOnce=Veprimet e mëposhtme zakonisht kryhen vetëm një herë, ose një herë në vit... +AccountancyAreaDescActionOnceBis=Hapat e mëtejshëm duhet të bëhen për t'ju kursyer kohë në të ardhmen duke ju sugjeruar automatikisht llogarinë e saktë të parazgjedhur të kontabilitetit kur transferoni të dhëna në kontabilitet +AccountancyAreaDescActionFreq=Veprimet e mëposhtme zakonisht kryhen çdo muaj, javë ose ditë për kompani shumë të mëdha... -AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s -AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescJournalSetup=HAPI %s: Kontrolloni përmbajtjen e listës së ditarit tuaj nga menyja %s +AccountancyAreaDescChartModel=HAPI %s: Kontrolloni nëse ekziston një model i skemës së llogarisë ose krijoni një nga menyja %s +AccountancyAreaDescChart=HAPI %s: Zgjidhni dhe|ose plotësoni grafikun tuaj të llogarisë nga menyja %s -AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. -AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. -AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. -AccountancyAreaDescDonation=STEP %s: Define default accounting accounts for donation. For this, use the menu entry %s. -AccountancyAreaDescSubscription=STEP %s: Define default accounting accounts for member subscription. For this, use the menu entry %s. -AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. -AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. +AccountancyAreaDescFiscalPeriod=HAPI %s: Përcaktoni si parazgjedhje një vit fiskal në të cilin do të integroni regjistrimet tuaja kontabël. Për këtë, përdorni hyrjen e menysë %s. +AccountancyAreaDescVat=HAPI %s: Përcaktoni llogaritë e kontabilitetit për çdo normë të TVSH-së. Për këtë, përdorni hyrjen e menysë %s. +AccountancyAreaDescDefault=HAPI %s: Përcaktoni llogaritë e paracaktuara të kontabilitetit. Për këtë, përdorni hyrjen e menysë %s. +AccountancyAreaDescExpenseReport=HAPI %s: Përcaktoni llogaritë e paracaktuara të kontabilitetit për çdo lloj raporti të shpenzimeve. Për këtë, përdorni hyrjen e menysë %s. +AccountancyAreaDescSal=HAPI %s: Përcaktoni llogaritë e paracaktuara të kontabilitetit për pagesën e pagave. Për këtë, përdorni hyrjen e menysë %s. +AccountancyAreaDescContrib=HAPI %s: Përcaktoni llogaritë e paracaktuara të kontabilitetit për Tatimet (shpenzime të veçanta). Për këtë, përdorni hyrjen e menysë %s. +AccountancyAreaDescDonation=HAPI %s: Përcaktoni llogaritë e paracaktuara të kontabilitetit për donacione. Për këtë, përdorni hyrjen e menysë %s. +AccountancyAreaDescSubscription=HAPI %s: Përcaktoni llogaritë e paracaktuara të kontabilitetit për abonimin e anëtarëve. Për këtë, përdorni hyrjen e menysë %s. +AccountancyAreaDescMisc=HAPI %s: Përcaktoni llogaritë e detyrueshme të paracaktuara dhe llogaritë e paracaktuara të kontabilitetit për transaksione të ndryshme. Për këtë, përdorni hyrjen e menysë %s. +AccountancyAreaDescLoan=HAPI %s: Përcaktoni llogaritë e paracaktuara të kontabilitetit për kreditë. Për këtë, përdorni hyrjen e menysë %s. +AccountancyAreaDescBank=HAPI %s: Përcaktoni llogaritë e kontabilitetit dhe kodin e ditarit për çdo bankë dhe llogari financiare. Për këtë, përdorni hyrjen e menysë %s. +AccountancyAreaDescProd=HAPI %s: Përcaktoni llogaritë e kontabilitetit në Produktet/Shërbimet tuaja. Për këtë, përdorni hyrjen e menysë %s. -AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. -AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and generate reports and exports. +AccountancyAreaDescBind=HAPI %s: Kontrolloni lidhjen midis linjave ekzistuese %s dhe llogarisë së kontabilitetit është kryer, kështu që aplikacioni do të jetë në gjendje të regjistrojë transaksionet në Ledger në një klikim. Plotësoni lidhjet që mungojnë. Për këtë, përdorni hyrjen e menysë %s. +AccountancyAreaDescWriteRecords=HAPI %s: Shkruani transaksionet në Libër. Për këtë, shkoni në menunë %s dhe klikoni në butonin, %s. +AccountancyAreaDescAnalyze=HAPI %s: Lexoni raportet ose krijoni skedarë eksporti për kontabilistë të tjerë. +AccountancyAreaDescClosePeriod=HAPI %s: Mbyllni periudhën që të mos mund të transferojmë më të dhëna në të njëjtën periudhë në të ardhmen. -AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. - -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) -Selectchartofaccounts=Select active chart of accounts -ChangeAndLoad=Change and load +TheFiscalPeriodIsNotDefined=Një hap i detyrueshëm në konfigurim nuk është përfunduar (periudha fiskale nuk është përcaktuar) +TheJournalCodeIsNotDefinedOnSomeBankAccount=Një hap i detyrueshëm në konfigurim nuk është përfunduar (ditari i kodit të kontabilitetit nuk është përcaktuar për të gjitha llogaritë bankare) +Selectchartofaccounts=Zgjidhni grafikun aktiv të llogarive +CurrentChartOfAccount=Grafiku aktual aktiv i llogarisë +ChangeAndLoad=Ndryshoni dhe ngarkoni Addanaccount=Add an accounting account AccountAccounting=Accounting account AccountAccountingShort=Account -SubledgerAccount=Subledger account -SubledgerAccountLabel=Subledger account label -ShowAccountingAccount=Show accounting account -ShowAccountingJournal=Show accounting journal -ShowAccountingAccountInLedger=Show accounting account in ledger -ShowAccountingAccountInJournals=Show accounting account in journals -AccountAccountingSuggest=Accounting account suggested -MenuDefaultAccounts=Default accounts -MenuBankAccounts=Bank accounts -MenuVatAccounts=Vat accounts -MenuTaxAccounts=Tax accounts -MenuExpenseReportAccounts=Expense report accounts -MenuLoanAccounts=Loan accounts -MenuProductsAccounts=Product accounts -MenuClosureAccounts=Closure accounts -MenuAccountancyClosure=Closure -MenuAccountancyValidationMovements=Validate movements -ProductsBinding=Products accounts -TransferInAccounting=Transfer in accounting -RegistrationInAccounting=Recording in accounting -Binding=Binding to accounts -CustomersVentilation=Customer invoice binding -SuppliersVentilation=Vendor invoice binding -ExpenseReportsVentilation=Expense report binding -CreateMvts=Create new transaction -UpdateMvts=Modification of a transaction -ValidTransaction=Validate transaction -WriteBookKeeping=Record transactions in accounting -Bookkeeping=Ledger +SubledgerAccount=Llogaria subledger +SubledgerAccountLabel=Etiketa e llogarisë subledger +ShowAccountingAccount=Shfaq llogarinë e kontabilitetit +ShowAccountingJournal=Trego ditarin e kontabilitetit +ShowAccountingAccountInLedger=Shfaq llogarinë e kontabilitetit në libër +ShowAccountingAccountInJournals=Shfaq llogarinë e kontabilitetit në ditar +DataUsedToSuggestAccount=Të dhënat e përdorura për të sugjeruar llogarinë +AccountAccountingSuggest=Llogaria e sugjeruar +MenuDefaultAccounts=Llogaritë e paracaktuara +MenuBankAccounts=llogari bankare +MenuVatAccounts=Llogaritë e TVSH-së +MenuTaxAccounts=Llogaritë tatimore +MenuExpenseReportAccounts=Llogaritë e raportit të shpenzimeve +MenuLoanAccounts=Llogaritë e huasë +MenuProductsAccounts=Llogaritë e produktit +MenuClosureAccounts=Mbyllja e llogarive +MenuAccountancyClosure=Mbyllja +MenuExportAccountancy=Kontabiliteti i eksportit +MenuAccountancyValidationMovements=Vërtetoni lëvizjet +ProductsBinding=Llogaritë e produkteve +TransferInAccounting=Transferimi në kontabilitet +RegistrationInAccounting=Regjistrimi në kontabilitet +Binding=Detyruese për llogaritë +CustomersVentilation=Lidhja e faturës së klientit +SuppliersVentilation=Lidhja e faturës së shitësit +ExpenseReportsVentilation=Raporti i shpenzimeve i detyrueshëm +CreateMvts=Krijo transaksion të ri +UpdateMvts=Modifikimi i një transaksioni +ValidTransaction=Vërtetoni transaksionin +WriteBookKeeping=Regjistroni transaksionet në kontabilitet +Bookkeeping=Libri i librit BookkeepingSubAccount=Subledger AccountBalance=Balanca e llogarisё -ObjectsRef=Source object ref -CAHTF=Total purchase vendor before tax -TotalExpenseReport=Total expense report -InvoiceLines=Lines of invoices to bind -InvoiceLinesDone=Bound lines of invoices -ExpenseReportLines=Lines of expense reports to bind -ExpenseReportLinesDone=Bound lines of expense reports -IntoAccount=Bind line with the accounting account -TotalForAccount=Total accounting account +AccountBalanceSubAccount=Gjendja e nënllogarisë +ObjectsRef=Objekti burimor ref +CAHTF=Shitësi total i blerjes para tatimit +TotalExpenseReport=Raporti i shpenzimeve totale +InvoiceLines=Linjat e faturave për t'u lidhur +InvoiceLinesDone=Linjat e lidhura të faturave +ExpenseReportLines=Linjat e raporteve të shpenzimeve për t'u lidhur +ExpenseReportLinesDone=Linjat e kufizuara të raporteve të shpenzimeve +IntoAccount=Lidhni linjën me llogarinë e kontabilitetit +TotalForAccount=Llogaria totale e kontabilitetit Ventilate=Lidh -LineId=Id line +LineId=Linja e identitetit Processing=Processing EndProcessing=Procesi u mbyll SelectedLines=Selected lines Lineofinvoice=Line of invoice -LineOfExpenseReport=Line of expense report -NoAccountSelected=No accounting account selected -VentilatedinAccount=Binded successfully to the accounting account -NotVentilatedinAccount=Not bound to the accounting account -XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account -XLineFailedToBeBinded=%s products/services were not bound to any accounting account +LineOfExpenseReport=Raporti i linjës së shpenzimeve +NoAccountSelected=Nuk u zgjodh asnjë llogari kontabël +VentilatedinAccount=U lidh me sukses me llogarinë e kontabilitetit +NotVentilatedinAccount=Nuk lidhet me llogarinë e kontabilitetit +XLineSuccessfullyBinded=%s produkte/shërbime të lidhura me sukses në një llogari kontabël +XLineFailedToBeBinded=%s produktet/shërbimet nuk ishin të lidhura me asnjë llogari kontabël -ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50) -ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements -ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements +ACCOUNTING_LIMIT_LIST_VENTILATION=Numri maksimal i rreshtave në listë dhe faqe lidhëse (rekomandohet: 50) +ACCOUNTING_LIST_SORT_VENTILATION_TODO=Filloni renditjen e faqes "Lidhja për të bërë" sipas elementeve më të fundit +ACCOUNTING_LIST_SORT_VENTILATION_DONE=Filloni renditjen e faqes "Lidhja u krye" sipas elementeve më të fundit -ACCOUNTING_LENGTH_DESCRIPTION=Truncate product & services description in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncate product & services account description form in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set value to 6 here, the account '706' will appear like '706000' on screen) -ACCOUNTING_LENGTH_AACCOUNT=Length of the third-party accounting accounts (If you set value to 6 here, the account '401' will appear like '401000' on screen) -ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of an accounting account. Needed by some countries (like Switzerland). If set to off (default), you can set the following two parameters to ask the application to add virtual zeros. -BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account -ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal -ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_LENGTH_DESCRIPTION=Shkurto përshkrimin e produktit dhe shërbimeve në listat pas x karaktereve (Më i miri = 50) +ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Shkurto formularin e përshkrimit të llogarisë së produktit dhe shërbimeve në listat pas x karaktereve (Më e mira = 50) +ACCOUNTING_LENGTH_GACCOUNT=Gjatësia e llogarive të përgjithshme të kontabilitetit (Nëse e vendosni vlerën në 6 këtu, llogaria '706' do të shfaqet si '706000' në ekran) +ACCOUNTING_LENGTH_AACCOUNT=Gjatësia e llogarive të kontabilitetit të palëve të treta (Nëse e vendosni vlerën në 6 këtu, llogaria '401' do të shfaqet si '401000' në ekran) +ACCOUNTING_MANAGE_ZERO=Lejoni të menaxhoni një numër të ndryshëm zerosh në fund të një llogarie kontabël. E nevojshme nga disa vende (si Zvicra). Nëse është vendosur në joaktive (e parazgjedhur), mund të vendosni dy parametrat e mëposhtëm për t'i kërkuar aplikacionit të shtojë zero virtuale. +BANK_DISABLE_DIRECT_INPUT=Çaktivizo regjistrimin e drejtpërdrejtë të transaksionit në llogarinë bankare +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Aktivizo eksportimin e draftit në ditar +ACCOUNTANCY_COMBO_FOR_AUX=Aktivizo listën e kombinuar për llogarinë e filialit (mund të jetë e ngadaltë nëse keni shumë palë të treta, prishni aftësinë për të kërkuar në një pjesë të vlerës) +ACCOUNTING_DATE_START_BINDING=Çaktivizo lidhjen dhe transferimin në kontabilitet kur data është nën këtë datë (transaksionet përpara kësaj date do të përjashtohen si parazgjedhje) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Në faqen për transferimin e të dhënave në kontabilitet, cila është periudha e zgjedhur si parazgjedhje -ACCOUNTING_SELL_JOURNAL=Sales journal (sales and returns) -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal (purchase and returns) -ACCOUNTING_BANK_JOURNAL=Cash journal (receipts and disbursements) +ACCOUNTING_SELL_JOURNAL=Ditari i shitjeve - shitjet dhe kthimet +ACCOUNTING_PURCHASE_JOURNAL=Ditari i blerjes - blerja dhe kthimi +ACCOUNTING_BANK_JOURNAL=Ditari i parave - pranimet dhe disbursimet ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal -ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal -ACCOUNTING_INVENTORY_JOURNAL=Inventory journal +ACCOUNTING_MISCELLANEOUS_JOURNAL=Ditari i përgjithshëm +ACCOUNTING_HAS_NEW_JOURNAL=Ka ditar të ri +ACCOUNTING_INVENTORY_JOURNAL=Ditari i inventarit ACCOUNTING_SOCIAL_JOURNAL=Social journal -ACCOUNTING_RESULT_PROFIT=Result accounting account (Profit) -ACCOUNTING_RESULT_LOSS=Result accounting account (Loss) -ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal of closure +ACCOUNTING_RESULT_PROFIT=Rezultati i llogarisë së kontabilitetit (Fitimi) +ACCOUNTING_RESULT_LOSS=Rezultati i llogarisë së kontabilitetit (Humbje) +ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Ditari i mbylljes +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Grupet e kontabilitetit të përdorura për llogarinë e bilancit (të ndara me presje) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Grupet e kontabilitetit të përdorura për pasqyrën e të ardhurave (të ndara me presje) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers -TransitionalAccount=Transitional bank transfer account +ACCOUNTING_ACCOUNT_TRANSFER_CASH=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogari për transfertat bankare kalimtare +TransitionalAccount=Llogari tranzitore e transfertës bankare -ACCOUNTING_ACCOUNT_SUSPENSE=Account (from the Chart Of Account) to be used as the account for unallocated funds either received or paid i.e. funds in "wait[ing]" -DONATION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register donations (Donation module) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ACCOUNTING_ACCOUNT_SUSPENSE=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogari për fondet e pashpërndara ose të marra ose të paguara, p.sh. fondet në "pritje" +DONATION_ACCOUNTINGACCOUNT=Llogaria (nga Tabela e Llogarive) që do të përdoret për regjistrimin e donacioneve (moduli i dhurimit) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Llogaria (nga Tabela e Llogarive) që do të përdoret për të regjistruar abonimet e anëtarësimit (Moduli i anëtarësimit - nëse anëtarësimi regjistrohet pa faturë) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit -UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default -UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për të regjistruar depozitën e klientit +UseAuxiliaryAccountOnCustomerDeposit=Ruani llogarinë e klientit si llogari individuale në librin e varur për linjat e parapagimeve (nëse është e çaktivizuar, llogaria individuale për linjat e paradhënies do të mbetet bosh) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si parazgjedhje +UseAuxiliaryAccountOnSupplierDeposit=Llogaria e furnitorit të dyqanit si llogari individuale në librin filial për linjat e parapagimeve (nëse është e çaktivizuar, llogaria individuale për linjat e paradhënies do të mbetet bosh) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Llogaria e kontabilitetit si parazgjedhje për të regjistruar garancinë e ruajtur të klientit -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për produktet e blera brenda të njëjtit vend (përdoret nëse nuk përcaktohet në fletën e produktit) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për produktet e blera nga EEC në një vend tjetër të EEC (përdoret nëse nuk përcaktohet në fletën e produktit) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për produktet e blera dhe të importuara nga çdo vend tjetër i huaj (përdoret nëse nuk përcaktohet në fletën e produktit) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për produktet e shitura (përdoret nëse nuk përcaktohet në fletën e produktit) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për produktet e shitura nga EEC në një vend tjetër të EEC (përdoret nëse nuk përcaktohet në fletën e produktit) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për produktet e shitura dhe të eksportuara në çdo vend tjetër të huaj (përdoret nëse nuk përcaktohet në fletën e produktit) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased within same country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për shërbimet e blera brenda të njëjtit vend (përdoret nëse nuk përcaktohet në fletën e shërbimit) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Llogaria (nga Tabela e Llogarive) që do të përdoret si llogaria e paracaktuar për shërbimet e blera nga EEC në një vend tjetër të EEC (përdoret nëse nuk përcaktohet në fletën e shërbimit) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për shërbimet e blera dhe të importuara nga një vend tjetër i huaj (përdoret nëse nuk përcaktohet në fletën e shërbimit) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për shërbimet e shitura (përdoret nëse nuk përcaktohet në fletën e shërbimit) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Llogaria (nga Tabela e Llogarive) që do të përdoret si llogaria e paracaktuar për shërbimet e shitura nga EEC në një vend tjetër të EEC (përdoret nëse nuk përcaktohet në fletën e shërbimit) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për shërbimet e shitura dhe të eksportuara në çdo vend tjetër të huaj (përdoret nëse nuk përcaktohet në fletën e shërbimit) Doctype=Type of document Docdate=Date Docref=Reference LabelAccount=Label account -LabelOperation=Label operation -Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
      For an accounting account of a supplier, use Debit to record a payment you made -LetteringCode=Lettering code -Lettering=Lettering +LabelOperation=Funksionimi i etiketës +Sens=Drejtimi +AccountingDirectionHelp=Për një llogari kontabël të një klienti, përdorni kredinë për të regjistruar një pagesë që keni marrë
      Për një llogari kontabël të një furnizuesi, përdorni Debitin për të regjistruar një pagesë që keni bërë +LetteringCode=Kodi i shkronjave +Lettering=Shkronja Codejournal=Journal -JournalLabel=Journal label -NumPiece=Piece number -TransactionNumShort=Num. transaction -AccountingCategory=Custom group of accounts -GroupByAccountAccounting=Group by general ledger account -GroupBySubAccountAccounting=Group by subledger account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. -ByAccounts=By accounts -ByPredefinedAccountGroups=By predefined groups -ByPersonalizedAccountGroups=By personalized groups -ByYear=By year +JournalLabel=Etiketa e ditarit +NumPiece=Numri i pjesës +TransactionNumShort=Num. transaksion +AccountingCategory=Grupi i personalizuar i llogarive +AccountingCategories=Grupe të personalizuara të llogarive +GroupByAccountAccounting=Grupi sipas llogarisë së librit kryesor +GroupBySubAccountAccounting=Gruponi sipas llogarisë së nënlibrit +AccountingAccountGroupsDesc=Këtu mund të përcaktoni disa grupe të llogarive kontabël. Ato do të përdoren për raporte të personalizuara të kontabilitetit. +ByAccounts=Sipas llogarive +ByPredefinedAccountGroups=Sipas grupeve të paracaktuara +ByPersonalizedAccountGroups=Nga grupe të personalizuara +ByYear=Sipas vitit NotMatch=Jo i vendosur -DeleteMvt=Delete some lines from accounting -DelMonth=Month to delete +DeleteMvt=Fshini disa rreshta nga kontabiliteti +DelMonth=Muaj për fshirje DelYear=Viti qё do tё fshihet -DelJournal=Journal to delete -ConfirmDeleteMvt=This will delete all lines in accountancy for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) +DelJournal=Ditar për të fshirë +ConfirmDeleteMvt=Kjo do të fshijë të gjitha rreshtat në kontabilitet për vitin/muajin dhe/ose për një ditar të caktuar (Kërkohet të paktën një kriter). Ju do të duhet të ripërdorni veçorinë '%s' për të rikthyer rekordin e fshirë në libër. +ConfirmDeleteMvtPartial=Kjo do të fshijë transaksionin nga kontabiliteti (të gjitha linjat që lidhen me të njëjtin transaksion do të fshihen) FinanceJournal=Finance journal -ExpenseReportsJournal=Expense reports journal +ExpenseReportsJournal=Ditari i raporteve të shpenzimeve +InventoryJournal=Ditari i inventarit DescFinanceJournal=Finance journal including all the types of payments by bank account -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. -VATAccountNotDefined=Account for VAT not defined -ThirdpartyAccountNotDefined=Account for third party not defined -ProductAccountNotDefined=Account for product not defined -FeeAccountNotDefined=Account for fee not defined -BankAccountNotDefined=Account for bank not defined +DescJournalOnlyBindedVisible=Kjo është një pamje e të dhënave që janë të lidhura me një llogari kontabël dhe mund të regjistrohen në Ditar dhe Libër. +VATAccountNotDefined=Llogaria për TVSH nuk është e përcaktuar +ThirdpartyAccountNotDefined=Llogaria për palën e tretë nuk është përcaktuar +ProductAccountNotDefined=Llogaria për produktin nuk është përcaktuar +FeeAccountNotDefined=Llogaria për tarifë nuk është e përcaktuar +BankAccountNotDefined=Llogaria bankare nuk është e përcaktuar CustomerInvoicePayment=Payment of invoice customer -ThirdPartyAccount=Third-party account +ThirdPartyAccount=Llogaria e palës së tretë NewAccountingMvt=Transaksion i ri NumMvts=Numri i transaksionit -ListeMvts=List of movements +ListeMvts=Lista e lëvizjeve ErrorDebitCredit=Debit and Credit cannot have a value at the same time -AddCompteFromBK=Add accounting accounts to the group -ReportThirdParty=List third-party account -DescThirdPartyReport=Consult here the list of third-party customers and vendors and their accounting accounts +AddCompteFromBK=Shtoni llogaritë e kontabilitetit në grup +ReportThirdParty=Listoni llogarinë e palëve të treta +DescThirdPartyReport=Konsultohuni këtu me listën e klientëve dhe shitësve të palëve të treta dhe llogaritë e tyre të kontabilitetit ListAccounts=List of the accounting accounts -UnknownAccountForThirdparty=Unknown third-party account. We will use %s -UnknownAccountForThirdpartyBlocking=Unknown third-party account. Blocking error -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Third-party unknown and subledger not defined on the payment. We will keep the subledger account value empty. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger account not defined or third party or user unknown. Blocking error. -UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third-party account and waiting account not defined. Blocking error -PaymentsNotLinkedToProduct=Payment not linked to any product / service -OpeningBalance=Opening balance -ShowOpeningBalance=Show opening balance -HideOpeningBalance=Hide opening balance -ShowSubtotalByGroup=Show subtotal by level +UnknownAccountForThirdparty=Llogari e panjohur e palës së tretë. Ne do të përdorim %s +UnknownAccountForThirdpartyBlocking=Llogari e panjohur e palës së tretë. Gabim bllokimi +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Llogaria e nënllogarit nuk është e përcaktuar ose palë e tretë ose përdorues i panjohur. Ne do të përdorim %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Palë e tretë e panjohur dhe nënligji nuk është përcaktuar në pagesë. Ne do ta mbajmë të zbrazët vlerën e llogarisë së nënlibrit. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Llogaria e nënllogarit nuk është e përcaktuar ose palë e tretë ose përdorues i panjohur. Gabim bllokimi. +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Llogaria e panjohur e palës së tretë dhe llogaria e pritjes nuk janë përcaktuar. Gabim bllokimi +PaymentsNotLinkedToProduct=Pagesa nuk lidhet me asnjë produkt/shërbim +OpeningBalance=Bilanci i hapjes +ShowOpeningBalance=Trego bilancin e hapjes +HideOpeningBalance=Fshih bilancin e hapjes +ShowSubtotalByGroup=Trego nëntotalin sipas nivelit -Pcgtype=Group of account -PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. +Pcgtype=Grupi i llogarive +PcgtypeDesc=Grupi i llogarive përdoren si kritere të paracaktuara 'filtri' dhe 'grupimi' për disa raporte kontabël. Për shembull, 'TË ARDHURA' ose 'SHPENZIME' përdoren si grupe për llogaritë e kontabilitetit të produkteve për të ndërtuar raportin e shpenzimeve/të ardhurave. +AccountingCategoriesDesc=Grupi i personalizuar i llogarive mund të përdoret për të grupuar llogaritë e kontabilitetit në një emër për të lehtësuar përdorimin e filtrit ose ndërtimin e raporteve me porosi. -Reconcilable=Reconcilable +Reconcilable=E pajtueshme TotalVente=Total turnover before tax TotalMarge=Total sales margin -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account -DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product account from chart of account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account -ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: +DescVentilCustomer=Konsultohuni këtu me listën e linjave të faturave të klientit të lidhura (ose jo) në një llogari produkti nga grafiku i llogarisë +DescVentilMore=Në shumicën e rasteve, nëse përdorni produkte ose shërbime të paracaktuara dhe vendosni llogarinë (nga grafiku i llogarisë) në kartën e produktit/shërbimit, aplikacioni do të jetë në gjendje të bëjë të gjitha lidhjet midis linjave të faturave tuaja dhe llogarisë kontabël të grafikut tuaj të llogarive, vetëm me një klikim me butonin "%s"b0a65d07z0 >. Nëse llogaria nuk është vendosur në kartat e produktit/shërbimit ose nëse ende keni disa rreshta të palidhura me një llogari, do t'ju duhet të bëni një lidhje manuale nga menyja "%s". +DescVentilDoneCustomer=Konsultohuni këtu me listën e linjave të faturave të klientëve dhe llogarinë e produktit të tyre nga grafiku i llogarisë +DescVentilTodoCustomer=Lidhni linjat e faturave që nuk lidhen tashmë me një llogari produkti nga grafiku i llogarisë +ChangeAccount=Ndryshoni llogarinë e produktit/shërbimit (nga grafiku i llogarisë) për linjat e zgjedhura me llogarinë e mëposhtme: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) -DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account -DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account -DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account -DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s". -DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account +DescVentilSupplier=Konsultohuni këtu me listën e linjave të faturave të shitësit të lidhura ose të palidhura ende me një llogari produkti nga grafiku i llogarisë (janë të dukshme vetëm të dhënat që nuk janë transferuar tashmë në kontabilitet) +DescVentilDoneSupplier=Konsultohuni këtu me listën e linjave të faturave të shitësve dhe llogarinë e tyre kontabël +DescVentilTodoExpenseReport=Lidhni linjat e raportit të shpenzimeve që nuk janë tashmë të lidhura me një llogari të kontabilitetit të tarifave +DescVentilExpenseReport=Konsultohuni këtu me listën e linjave të raportit të shpenzimeve të lidhura (ose jo) në një llogari të kontabilitetit të tarifave +DescVentilExpenseReportMore=Nëse konfiguroni llogarinë e kontabilitetit në llojin e linjave të raportit të shpenzimeve, aplikacioni do të jetë në gjendje të bëjë të gjitha lidhjet midis linjave të raportit tuaj të shpenzimeve dhe llogarisë së kontabilitetit të planit tuaj të llogarive, vetëm me një klikim me butonin "%s". Nëse llogaria nuk është caktuar në fjalorin e tarifave ose nëse keni ende disa rreshta që nuk lidhen me asnjë llogari, do t'ju duhet të bëni një lidhje manuale nga menyja "%s". +DescVentilDoneExpenseReport=Konsultohuni këtu me listën e linjave të raporteve të shpenzimeve dhe llogarinë kontabël të tarifave të tyre -Closure=Annual closure -DescClosure=Consult here the number of movements by month not yet validated & locked -OverviewOfMovementsNotValidated=Overview of movements not validated and locked -AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked -ValidateMovements=Validate and lock movements... -DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible +Closure=Mbyllja vjetore +AccountancyClosureStep1Desc=Konsultohuni këtu me numrin e lëvizjeve sipas muajve të pavlefshëm dhe të kyçur ende +OverviewOfMovementsNotValidated=Pasqyra e lëvizjeve të pavlefshme dhe të kyçura +AllMovementsWereRecordedAsValidated=Të gjitha lëvizjet u regjistruan si të vërtetuara dhe të kyçura +NotAllMovementsCouldBeRecordedAsValidated=Jo të gjitha lëvizjet mund të regjistroheshin si të vërtetuara dhe të kyçura +ValidateMovements=Vërtetoni dhe bllokoni lëvizjet +DescValidateMovements=Çdo modifikim ose fshirje e shkrimit, shkronjave dhe fshirjeve do të ndalohet. Të gjitha hyrjet për një ushtrim duhet të vërtetohen përndryshe mbyllja nuk do të jetë e mundur -ValidateHistory=Bind Automatically -AutomaticBindingDone=Automatic bindings done (%s) - Automatic binding not possible for some record (%s) +ValidateHistory=Lidh automatikisht +AutomaticBindingDone=Lidhjet automatike të kryera (%s) - Lidhja automatike nuk është e mundur për disa regjistrime (%s) +DoManualBindingForFailedRecord=Duhet të bëni një lidhje manuale për rreshtat %s që nuk lidhen automatikisht. -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s & Credit = %s -Balancing=Balancing -FicheVentilation=Binding card -GeneralLedgerIsWritten=Transactions are written in the Ledger -GeneralLedgerSomeRecordWasNotRecorded=Some of the transactions could not be journalized. If there is no other error message, this is probably because they were already journalized. -NoNewRecordSaved=No more record to transfer -ListOfProductsWithoutAccountingAccount=List of products not bound to any account of chart of account -ChangeBinding=Change the binding -Accounted=Accounted in ledger -NotYetAccounted=Not yet transferred to accounting -ShowTutorial=Show Tutorial -NotReconciled=Not reconciled -WarningRecordWithoutSubledgerAreExcluded=Warning, all lines without subledger account defined are filtered and excluded from this view -AccountRemovedFromCurrentChartOfAccount=Accounting account that does not exist in the current chart of accounts +ErrorAccountancyCodeIsAlreadyUse=Gabim, nuk mund ta hiqni ose çaktivizoni këtë llogari të grafikut të llogarisë sepse është përdorur +MvtNotCorrectlyBalanced=Lëvizja nuk është e balancuar siç duhet. Debi = %s & Kredi = %s +Balancing=Balancimi +FicheVentilation=Kartelë lidhëse +GeneralLedgerIsWritten=Transaksionet shkruhen në Libër +GeneralLedgerSomeRecordWasNotRecorded=Disa nga transaksionet nuk mund të regjistroheshin. Nëse nuk ka asnjë mesazh tjetër gabimi, kjo është ndoshta për shkak se ata ishin të regjistruar tashmë. +NoNewRecordSaved=Nuk ka më rekord për të transferuar +ListOfProductsWithoutAccountingAccount=Lista e produkteve që nuk lidhen me asnjë llogari të planit të llogarisë +ChangeBinding=Ndryshoni lidhjen +Accounted=Llogaritur në libër +NotYetAccounted=Nuk është transferuar ende në kontabilitet +ShowTutorial=Shfaq tutorialin +NotReconciled=I papajtuar +WarningRecordWithoutSubledgerAreExcluded=Paralajmërim, të gjitha linjat pa llogarinë e përcaktuar të nënlibrit janë filtruar dhe përjashtuar nga kjo pamje +AccountRemovedFromCurrentChartOfAccount=Llogari kontabël që nuk ekziston në planin aktual të llogarive ## Admin -BindingOptions=Binding options -ApplyMassCategories=Apply mass categories -AddAccountFromBookKeepingWithNoCategories=Available account not yet in the personalized group -CategoryDeleted=Category for the accounting account has been removed -AccountingJournals=Accounting journals -AccountingJournal=Accounting journal -NewAccountingJournal=New accounting journal -ShowAccountingJournal=Show accounting journal -NatureOfJournal=Nature of Journal -AccountingJournalType1=Miscellaneous operations -AccountingJournalType2=Sales -AccountingJournalType3=Purchases -AccountingJournalType4=Bank -AccountingJournalType5=Expense reports -AccountingJournalType8=Inventory -AccountingJournalType9=Has-new -GenerationOfAccountingEntries=Generation of accounting entries -ErrorAccountingJournalIsAlreadyUse=This journal is already use -AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s -NumberOfAccountancyEntries=Number of entries -NumberOfAccountancyMovements=Number of movements -ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting +BindingOptions=Opsionet e lidhjes +ApplyMassCategories=Aplikoni kategoritë masive +AddAccountFromBookKeepingWithNoCategories=Llogaria e disponueshme jo ende në grupin e personalizuar +CategoryDeleted=Kategoria për llogarinë e kontabilitetit është hequr +AccountingJournals=revista të kontabilitetit +AccountingJournal=ditar i kontabilitetit +NewAccountingJournal=Ditar i ri i kontabilitetit +ShowAccountingJournal=Trego ditarin e kontabilitetit +NatureOfJournal=Natyra e ditarit +AccountingJournalType1=Operacione të ndryshme +AccountingJournalType2=Shitjet +AccountingJournalType3=Blerjet +AccountingJournalType4=Banka +AccountingJournalType5=Raportet e shpenzimeve +AccountingJournalType8=Inventari +AccountingJournalType9=Fitimet e mbajtura +GenerationOfAccountingEntries=Gjenerimi i regjistrimeve të kontabilitetit +ErrorAccountingJournalIsAlreadyUse=Ky ditar tashmë po përdoret +AccountingAccountForSalesTaxAreDefinedInto=Shënim: Llogaria e kontabilitetit për tatimin mbi shitjet përcaktohet në menynë %sb09a4b739f17>b09a4b739f17> - %s +NumberOfAccountancyEntries=Numri i hyrjeve +NumberOfAccountancyMovements=Numri i lëvizjeve +ACCOUNTING_DISABLE_BINDING_ON_SALES=Çaktivizo lidhjen dhe transferimin në kontabilitet në shitje (faturat e klientit nuk do të merren parasysh në kontabilitet) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Çaktivizo lidhjen dhe transferimin në kontabilitet për blerjet (faturat e shitësit nuk do të merren parasysh në kontabilitet) +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Çaktivizo lidhjen dhe transferimin në kontabilitet në raportet e shpenzimeve (raportet e shpenzimeve nuk do të merren parasysh në kontabilitet) +ACCOUNTING_ENABLE_LETTERING=Aktivizo funksionin e shkronjave në kontabilitet +ACCOUNTING_ENABLE_LETTERING_DESC=Kur ky opsion është i aktivizuar, ju mund të përcaktoni, në çdo hyrje kontabël, një kod që të mund të gruponi lëvizje të ndryshme kontabël së bashku. Në të kaluarën, kur revista të ndryshme menaxhoheshin në mënyrë të pavarur, kjo veçori ishte e nevojshme për të grupuar linjat e lëvizjes së revistave të ndryshme së bashku. Megjithatë, me kontabilitetin Dolibarr, një kod i tillë gjurmimi, i quajtur "%sb09a17f78zf span>" është ruajtur tashmë automatikisht, kështu që një shkronja automatike është bërë tashmë, pa rrezik gabimi, kështu që kjo veçori është bërë e padobishme për një përdorim të zakonshëm. Funksioni manual i shkronjave ofrohet për përdoruesit fundorë që vërtet nuk i besojnë motorit të kompjuterit që bën transferimin e të dhënave në kontabilitet. +EnablingThisFeatureIsNotNecessary=Aktivizimi i kësaj veçorie nuk është më i nevojshëm për një menaxhim rigoroz të kontabilitetit. +ACCOUNTING_ENABLE_AUTOLETTERING=Aktivizoni shkronjat automatike kur transferoni në kontabilitet +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Kodi për germat gjenerohet dhe rritet automatikisht dhe nuk zgjidhet nga përdoruesi përfundimtar +ACCOUNTING_LETTERING_NBLETTERS=Numri i shkronjave gjatë krijimit të kodit të shkronjave (parazgjedhja 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Disa programe të kontabilitetit pranojnë vetëm një kod me dy shkronja. Ky parametër ju lejon të vendosni këtë aspekt. Numri i paracaktuar i shkronjave është tre. +OptionsAdvanced=Opsione te avancuara +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Aktivizoni menaxhimin e tarifës së kundërt të TVSH-së për blerjet e furnitorëve +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Kur aktivizohet ky opsion, ju mund të përcaktoni që një faturë furnizuesi ose një faturë e caktuar shitësi duhet të transferohet në kontabilitet ndryshe: Një debit shtesë dhe një linjë krediti do të gjenerohen në kontabilitet në 2 llogari të dhëna nga skema e llogarisë e përcaktuar në "%s" faqe konfigurimi. ## Export -NotExportLettering=Do not export the lettering when generating the file -NotifiedExportDate=Flag exported lines as Exported (to modify a line, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) -DateValidationAndLock=Date validation and lock -ConfirmExportFile=Confirmation of the generation of the accounting export file ? -ExportDraftJournal=Export draft journal +NotExportLettering=Mos e eksportoni shkronjat kur krijoni skedarin +NotifiedExportDate=Flamuroni linjat e paeksportuara ende si të eksportuara (për të modifikuar një linjë të shënuar si të eksportuar, do t'ju duhet të fshini të gjithë transaksionin dhe ta transferoni atë në kontabilitet) +NotifiedValidationDate=Vërteto dhe Blloko hyrjet e eksportuara të pa kyçura ende (i njëjti efekt si funksioni "%s", modifikimi dhe fshirja e linjat DEFINITETI nuk do të jenë të mundshme) +NotifiedExportFull=Dokumentet e eksportit ? +DateValidationAndLock=Vlefshmëria dhe kyçja e datës +ConfirmExportFile=Konfirmimi i gjenerimit të dosjes së eksportit të kontabilitetit ? +ExportDraftJournal=Eksporto draft ditar Modelcsv=Model of export Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export -Modelcsv_CEGID=Export for CEGID Expert Comptabilité -Modelcsv_COALA=Export for Sage Coala -Modelcsv_bob50=Export for Sage BOB 50 -Modelcsv_ciel=Export for Sage50, Ciel Compta or Compta Evo. (Format XIMPORT) -Modelcsv_quadratus=Export for Quadratus QuadraCompta -Modelcsv_ebp=Export for EBP -Modelcsv_cogilog=Export for Cogilog -Modelcsv_agiris=Export for Agiris Isacompta -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) -Modelcsv_openconcerto=Export for OpenConcerto (Test) -Modelcsv_configurable=Export CSV Configurable -Modelcsv_FEC=Export FEC -Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed) -Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland -Modelcsv_winfic=Export for Winfic - eWinfic - WinSis Compta -Modelcsv_Gestinumv3=Export for Gestinum (v3) -Modelcsv_Gestinumv5=Export for Gestinum (v5) -Modelcsv_charlemagne=Export for Aplim Charlemagne -ChartofaccountsId=Chart of accounts Id +Modelcsv_CEGID=Eksporto për CEGID Expert Comptabilité +Modelcsv_COALA=Eksporti për Sage Coala +Modelcsv_bob50=Eksporto për Sage BOB 50 +Modelcsv_ciel=Eksporto për Sage50, Ciel Compta ose Compta Evo. (Format XIMPORT) +Modelcsv_quadratus=Eksporto për Quadratus QuadraCompta +Modelcsv_ebp=Eksporti për EBP +Modelcsv_cogilog=Eksporti për Cogilog +Modelcsv_agiris=Eksporti për Agiris Isacompta +Modelcsv_LDCompta=Eksporto për LD Compta (v9) (Test) +Modelcsv_LDCompta10=Eksporto për LD Compta (v10 dhe më të lartë) +Modelcsv_openconcerto=Eksporto për OpenConcerto (Test) +Modelcsv_configurable=Eksporto CSV të konfigurueshme +Modelcsv_FEC=Eksporti FEC +Modelcsv_FEC2=Eksporto FEC (Me shkrimin e gjenerimit të datave/dokumentin e kthyer mbrapsht) +Modelcsv_Sage50_Swiss=Eksporti për Sage 50 Zvicër +Modelcsv_winfic=Eksporto për Winfic - eWinfic - WinSis Compta +Modelcsv_Gestinumv3=Eksporto për Gestinum (v3) +Modelcsv_Gestinumv5=Eksporto për Gestinum (v5) +Modelcsv_charlemagne=Eksporti për Aplim Charlemagne +ChartofaccountsId=Skema e llogarive ID ## Tools - Init accounting account on product / service -InitAccountancy=Init accountancy -InitAccountancyDesc=This page can be used to initialize an accounting account on products and services that does not have accounting account defined for sales and purchases. -DefaultBindingDesc=This page can be used to set a default account to use to link transactions record about payment salaries, donation, taxes and vat when no specific accounting account were already set. -DefaultClosureDesc=This page can be used to set parameters used for accounting closures. +InitAccountancy=Fillimi i kontabilitetit +InitAccountancyDesc=Kjo faqe mund të përdoret për të inicializuar një llogari kontabël për produktet dhe shërbimet që nuk ka llogari kontabël të përcaktuar për shitje dhe blerje. +DefaultBindingDesc=Kjo faqe mund të përdoret për të vendosur llogaritë e paracaktuara (nga grafiku i llogarisë) për t'u përdorur për të lidhur objektet e biznesit me një llogari, si pagesat e pagave, donacionet, taksat dhe TVSH-në, kur nuk ishte vendosur tashmë asnjë llogari specifike. +DefaultClosureDesc=Kjo faqe mund të përdoret për të vendosur parametrat e përdorur për mbylljet e kontabilitetit. Options=Mundësi -OptionModeProductSell=Mode sales -OptionModeProductSellIntra=Mode sales exported in EEC -OptionModeProductSellExport=Mode sales exported in other countries -OptionModeProductBuy=Mode purchases -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries -OptionModeProductSellDesc=Show all products with accounting account for sales. -OptionModeProductSellIntraDesc=Show all products with accounting account for sales in EEC. -OptionModeProductSellExportDesc=Show all products with accounting account for other foreign sales. -OptionModeProductBuyDesc=Show all products with accounting account for purchases. -OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC. -OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases. -CleanFixHistory=Remove accounting code from lines that not exists into charts of account -CleanHistory=Reset all bindings for selected year -PredefinedGroups=Predefined groups -WithoutValidAccount=Without valid dedicated account -WithValidAccount=With valid dedicated account -ValueNotIntoChartOfAccount=This value of accounting account does not exist into chart of account -AccountRemovedFromGroup=Account removed from group -SaleLocal=Local sale -SaleExport=Export sale -SaleEEC=Sale in EEC -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fallback on the product account for standard sales. You can fix the VAT ID of thirdparty or the product account if needed. -ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. -ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. +OptionModeProductSell=Mënyra e shitjeve +OptionModeProductSellIntra=Mënyra e shitjeve të eksportuara në EEC +OptionModeProductSellExport=Mënyra e shitjeve të eksportuara në vende të tjera +OptionModeProductBuy=Blerjet e modalitetit +OptionModeProductBuyIntra=Mënyra e blerjeve të importuara në EEC +OptionModeProductBuyExport=Modaliteti i blerë i importuar nga vende të tjera +OptionModeProductSellDesc=Trego të gjitha produktet me llogari kontabël për shitje. +OptionModeProductSellIntraDesc=Trego të gjitha produktet me llogari kontabël për shitje në EEC. +OptionModeProductSellExportDesc=Trego të gjitha produktet me llogari kontabël për shitje të tjera të huaja. +OptionModeProductBuyDesc=Trego të gjitha produktet me llogari kontabël për blerjet. +OptionModeProductBuyIntraDesc=Trego të gjitha produktet me llogari kontabël për blerjet në EEC. +OptionModeProductBuyExportDesc=Trego të gjitha produktet me llogari kontabël për blerje të tjera të huaja. +CleanFixHistory=Hiq kodin e kontabilitetit nga linjat që nuk ekzistojnë në grafikët e llogarisë +CleanHistory=Rivendos të gjitha lidhjet për vitin e zgjedhur +PredefinedGroups=Grupet e paracaktuara +WithoutValidAccount=Pa llogari të vlefshme të dedikuar +WithValidAccount=Me llogari të vlefshme të dedikuar +ValueNotIntoChartOfAccount=Kjo vlerë e llogarisë kontabël nuk ekziston në planin kontabël +AccountRemovedFromGroup=Llogaria u hoq nga grupi +SaleLocal=Shitje lokale +SaleExport=Shitje eksporti +SaleEEC=Shitje në EEC +SaleEECWithVAT=Shitja në EEC me një TVSH jo nule, kështu që supozojmë se kjo NUK është një shitje ndërkomunare dhe llogaria e sugjeruar është llogaria standarde e produktit. +SaleEECWithoutVATNumber=Shitje në EEC pa TVSH por ID e TVSH-së e palës së tretë nuk është e përcaktuar. Ne kthehemi në llogarinë për shitje standarde. Mund të rregulloni ID-në e TVSH-së të palës së tretë ose të ndryshoni llogarinë e produktit të sugjeruar për lidhje nëse është e nevojshme. +ForbiddenTransactionAlreadyExported=E ndaluar: Transaksioni është vërtetuar dhe/ose eksportuar. +ForbiddenTransactionAlreadyValidated=E ndaluar: Transaksioni është vërtetuar. ## Dictionary -Range=Range of accounting account -Calculated=Calculated +Range=Gama e llogarisë së kontabilitetit +Calculated=Llogaritur Formula=Formula ## Reconcile -LetteringAuto=Reconcile auto -LetteringManual=Reconcile manual -Unlettering=Unreconcile -UnletteringAuto=Unreconcile auto -UnletteringManual=Unreconcile manual -AccountancyNoLetteringModified=No reconcile modified -AccountancyOneLetteringModifiedSuccessfully=One reconcile successfully modified -AccountancyLetteringModifiedSuccessfully=%s reconcile successfully modified -AccountancyNoUnletteringModified=No unreconcile modified -AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified -AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +LetteringAuto=Pajtoje auto +LetteringManual=Rregullo manualin +Unlettering=I papajtuar +UnletteringAuto=Papajtohet auto +UnletteringManual=Manuali i papajtueshëm +AccountancyNoLetteringModified=Asnjë rakordim nuk është modifikuar +AccountancyOneLetteringModifiedSuccessfully=Një rakordim u modifikua me sukses +AccountancyLetteringModifiedSuccessfully=%s rakordimi u modifikua me sukses +AccountancyNoUnletteringModified=Asnjë papajtueshmëri e modifikuar +AccountancyOneUnletteringModifiedSuccessfully=Një mospërputhje u modifikua me sukses +AccountancyUnletteringModifiedSuccessfully=%s mospajtimi u modifikua me sukses + +## Closure +AccountancyClosureStep1=Hapi 1: Vërtetoni dhe bllokoni lëvizjet +AccountancyClosureStep2=Hapi 2: Mbyllni periudhën fiskale +AccountancyClosureStep3=Hapi 3: Ekstrakt shënimet (Opsionale) +AccountancyClosureClose=Mbyll periudhën fiskale +AccountancyClosureAccountingReversal=Ekstraktoni dhe regjistroni hyrjet "Fitimet e pashpërndara". +AccountancyClosureStep3NewFiscalPeriod=Periudha e ardhshme fiskale +AccountancyClosureGenerateClosureBookkeepingRecords=Gjeneroni hyrjet "Fitimet e pashpërndara" në periudhën e ardhshme fiskale +AccountancyClosureSeparateAuxiliaryAccounts=Kur gjeneroni shënimet "Fitimet e pashpërndara", detajoni llogaritë e nënlibrit +AccountancyClosureCloseSuccessfully=Periudha fiskale është mbyllur me sukses +AccountancyClosureInsertAccountingReversalSuccessfully=Regjistrimet e kontabilitetit për "Fitimet e pashpërndara" janë futur me sukses ## Confirm box -ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation -ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? -ConfirmMassDeleteBookkeepingWriting=Bulk Delete confirmation -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) Are you sure you want to delete the %s selected record(s)? +ConfirmMassUnletteringAuto=Konfirmim masiv i mospajtimit automatik +ConfirmMassUnletteringManual=Konfirmim manual i pabarazimit masiv +ConfirmMassUnletteringQuestion=Jeni i sigurt që dëshironi të anuloni %s rekordet e zgjedhura? +ConfirmMassDeleteBookkeepingWriting=Konfirmimi i fshirjes në masë +ConfirmMassDeleteBookkeepingWritingQuestion=Kjo do të fshijë transaksionin nga kontabiliteti (të gjitha shënimet e linjës që lidhen me të njëjtin transaksion do të fshihen). Jeni i sigurt që dëshironi të fshini %s hyrjet e zgjedhura? +AccountancyClosureConfirmClose=Jeni i sigurt që dëshironi të mbyllni periudhën aktuale fiskale? Ju e kuptoni se mbyllja e periudhës fiskale është një veprim i pakthyeshëm dhe do të bllokojë përgjithmonë çdo modifikim ose fshirje të hyrjeve gjatë kësaj periudhe . +AccountancyClosureConfirmAccountingReversal=Jeni i sigurt që dëshironi të regjistroni hyrjet për "Fitimet e mbajtura" ? ## Error -SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them -ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) -ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused. -ErrorInvoiceContainsLinesNotYetBoundedShort=Some lines on invoice are not bound to accounting account. -ExportNotSupported=The export format setuped is not supported into this page -BookeppingLineAlreayExists=Lines already existing into bookkeeping -NoJournalDefined=No journal defined -Binded=Lines bound -ToBind=Lines to bind -UseMenuToSetBindindManualy=Lines not yet bound, use menu %s to make the binding manually -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Sorry this module is not compatible with the experimental feature of situation invoices -AccountancyErrorMismatchLetterCode=Mismatch in reconcile code -AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 -AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s -ErrorAccountNumberAlreadyExists=The accounting number %s already exists +SomeMandatoryStepsOfSetupWereNotDone=Disa hapa të detyrueshëm të konfigurimit nuk u kryen, ju lutemi plotësoni ato +ErrorNoAccountingCategoryForThisCountry=Nuk ka asnjë grup llogarish të disponueshme për shtetin %s (Shih %s - b0ecb2ec87f49>fz %s) +ErrorInvoiceContainsLinesNotYetBounded=Ju përpiqeni të shkruani disa rreshta të faturës %sb0a65d071f6f69, disa linja të tjera nuk janë ende të kufizuara me llogarinë kontabël. Gazetarimi i të gjitha linjave të faturave për këtë faturë refuzohet. +ErrorInvoiceContainsLinesNotYetBoundedShort=Disa rreshta në faturë nuk janë të lidhura me llogarinë kontabël. +ExportNotSupported=Formati i konfiguruar i eksportit nuk mbështetet në këtë faqe +BookeppingLineAlreayExists=Linjat ekzistuese tashmë në kontabilitet +NoJournalDefined=Asnjë ditar i përcaktuar +Binded=Linjat e lidhura +ToBind=Linja për t'u lidhur +UseMenuToSetBindindManualy=Linjat nuk janë lidhur ende, përdorni menynë %s për të bërë lidhjen me dorë +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Shënim: ky modul ose faqe nuk është plotësisht në përputhje me veçorinë eksperimentale të faturave të situatës. Disa të dhëna mund të jenë të gabuara. +AccountancyErrorMismatchLetterCode=Mospërputhja në kodin e rakordimit +AccountancyErrorMismatchBalanceAmount=Bilanci (%s) nuk është i barabartë me 0 +AccountancyErrorLetteringBookkeeping=Kanë ndodhur gabime në lidhje me transaksionet: %s +ErrorAccountNumberAlreadyExists=Numri i kontabilitetit %s ekziston tashmë +ErrorArchiveAddFile=Skedari "%s" nuk mund të vendoset në arkiv +ErrorNoFiscalPeriodActiveFound=Nuk u gjet asnjë periudhë aktive fiskale +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Data e dokumentit të kontabilitetit nuk është brenda periudhës aktive fiskale +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Data e dokumentit të kontabilitetit është brenda një periudhe fiskale të mbyllur ## Import -ImportAccountingEntries=Accounting entries -ImportAccountingEntriesFECFormat=Accounting entries - FEC format -FECFormatJournalCode=Code journal (JournalCode) -FECFormatJournalLabel=Label journal (JournalLib) -FECFormatEntryNum=Piece number (EcritureNum) -FECFormatEntryDate=Piece date (EcritureDate) -FECFormatGeneralAccountNumber=General account number (CompteNum) -FECFormatGeneralAccountLabel=General account label (CompteLib) -FECFormatSubledgerAccountNumber=Subledger account number (CompAuxNum) -FECFormatSubledgerAccountLabel=Subledger account number (CompAuxLib) +ImportAccountingEntries=Regjistrimet e kontabilitetit +ImportAccountingEntriesFECFormat=Regjistrimet e kontabilitetit - Formati FEC +FECFormatJournalCode=Ditari i kodit (JournalCode) +FECFormatJournalLabel=Etiketa e ditarit (JournalLib) +FECFormatEntryNum=Numri i pjesës (EcritureNum) +FECFormatEntryDate=Data e pjesës (EcritureDate) +FECFormatGeneralAccountNumber=Numri i përgjithshëm i llogarisë (CompteNum) +FECFormatGeneralAccountLabel=Etiketa e përgjithshme e llogarisë (CompteLib) +FECFormatSubledgerAccountNumber=Numri i llogarisë së nënlektorit (CompAuxNum) +FECFormatSubledgerAccountLabel=Numri i llogarisë subledger (CompAuxLib) FECFormatPieceRef=Piece ref (PieceRef) -FECFormatPieceDate=Piece date creation (PieceDate) -FECFormatLabelOperation=Label operation (EcritureLib) -FECFormatDebit=Debit (Debit) -FECFormatCredit=Credit (Credit) -FECFormatReconcilableCode=Reconcilable code (EcritureLet) -FECFormatReconcilableDate=Reconcilable date (DateLet) -FECFormatValidateDate=Piece date validated (ValidDate) -FECFormatMulticurrencyAmount=Multicurrency amount (Montantdevise) -FECFormatMulticurrencyCode=Multicurrency code (Idevise) +FECFormatPieceDate=Krijimi i datës së pjesës (PieceDate) +FECFormatLabelOperation=Operacioni i etiketës (EcritureLib) +FECFormatDebit=Debiti (Debiti) +FECFormatCredit=Kredi (Kredi) +FECFormatReconcilableCode=Kodi i pajtueshëm (EcritureLet) +FECFormatReconcilableDate=Data e pajtueshme (DateLet) +FECFormatValidateDate=Data e pjesës e vërtetuar (ValidDate) +FECFormatMulticurrencyAmount=Shuma e shumë valutave (Montantdevise) +FECFormatMulticurrencyCode=Kodi i shumëvalutave (Idevise) -DateExport=Date export -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contains transaction modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. -ExpenseReportJournal=Expense Report Journal +DateExport=Eksporti i datës +WarningReportNotReliable=Paralajmërim, ky raport nuk bazohet në Libër, kështu që nuk përmban transaksione të modifikuara manualisht në Libër. Nëse ditarizimi juaj është i përditësuar, pamja e kontabilitetit është më e saktë. +ExpenseReportJournal=Ditari i raportit të shpenzimeve +DocsAlreadyExportedAreIncluded=Dokumentet e eksportuara tashmë janë përfshirë +ClickToShowAlreadyExportedLines=Klikoni për të shfaqur linjat e eksportuara tashmë -NAccounts=%s accounts +NAccounts=llogaritë %s diff --git a/htdocs/langs/sq_AL/admin.lang b/htdocs/langs/sq_AL/admin.lang index 3d5472d03cf..6caa1765b07 100644 --- a/htdocs/langs/sq_AL/admin.lang +++ b/htdocs/langs/sq_AL/admin.lang @@ -1,2403 +1,2442 @@ # Dolibarr language file - Source file is en_US - admin -BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF -BoldLabelOnPDF=Print label of product item in Bold in PDF -Foundation=Foundation -Version=Versioni -Publisher=Publisher -VersionProgram=Versioni programit -VersionLastInstall=Versioni fillestar i instaluar -VersionLastUpgrade=Latest version upgrade -VersionExperimental=Eksperimental -VersionDevelopment=Development -VersionUnknown=Unknown -VersionRecommanded=Recommended -FileCheck=Fileset Integrity Checks -FileCheckDesc=This tool allows you to check the integrity of files and the setup of your application, comparing each file with the official one. The value of some setup constants may also be checked. You can use this tool to determine if any files have been modified (e.g by a hacker). -FileIntegrityIsStrictlyConformedWithReference=Files integrity is strictly conformed with the reference. -FileIntegrityIsOkButFilesWereAdded=Files integrity check has passed, however some new files have been added. -FileIntegritySomeFilesWereRemovedOrModified=Files integrity check has failed. Some files were modified, removed or added. -GlobalChecksum=Global checksum -MakeIntegrityAnalysisFrom=Make integrity analysis of application files from -LocalSignature=Embedded local signature (less reliable) -RemoteSignature=Remote distant signature (more reliable) -FilesMissing=Missing Files -FilesUpdated=Updated Files -FilesModified=Modified Files -FilesAdded=Added Files -FileCheckDolibarr=Check integrity of application files -AvailableOnlyOnPackagedVersions=The local file for integrity checking is only available when the application is installed from an official package -XmlNotFound=Xml Integrity File of application not found +BoldRefAndPeriodOnPDF=Printoni referencën dhe periudhën e artikullit të produktit në PDF +BoldLabelOnPDF=Printoni etiketën e artikullit të produktit me shkronja të zeza në PDF +Foundation=Fondacioni +Version=Version +Publisher=Botues +VersionProgram=Versioni i programit +VersionLastInstall=Versioni fillestar i instalimit +VersionLastUpgrade=Përmirësimi i versionit të fundit +VersionExperimental=Eksperimentale +VersionDevelopment=Zhvillimi +VersionUnknown=E panjohur +VersionRecommanded=Rekomanduar +FileCheck=Kontrollet e integritetit të skedarëve +FileCheckDesc=Ky mjet ju lejon të kontrolloni integritetin e skedarëve dhe konfigurimin e aplikacionit tuaj, duke krahasuar çdo skedar me atë zyrtar. Vlera e disa konstantave të konfigurimit mund të kontrollohet gjithashtu. Ju mund ta përdorni këtë mjet për të përcaktuar nëse ndonjë skedar është modifikuar (p.sh. nga një haker). +FileIntegrityIsStrictlyConformedWithReference=Integriteti i skedarëve përputhet rreptësisht me referencën. +FileIntegrityIsOkButFilesWereAdded=Kontrolli i integritetit të skedarëve ka kaluar, megjithatë janë shtuar disa skedarë të rinj. +FileIntegritySomeFilesWereRemovedOrModified=Kontrolli i integritetit të skedarëve dështoi. Disa skedarë janë modifikuar, hequr ose shtuar. +GlobalChecksum=Shuma kontrolluese globale +MakeIntegrityAnalysisFrom=Bëni analizën e integritetit të skedarëve të aplikacionit nga +LocalSignature=Nënshkrimi lokal i ngulitur (më pak i besueshëm) +RemoteSignature=Nënshkrimi i largët (më i besueshëm) +FilesMissing=Mungojnë skedarët +FilesUpdated=Skedarët e përditësuar +FilesModified=Skedarët e modifikuar +FilesAdded=Skedarët e shtuar +FileCheckDolibarr=Kontrolloni integritetin e skedarëve të aplikacionit +AvailableOnlyOnPackagedVersions=Skedari lokal për kontrollin e integritetit është i disponueshëm vetëm kur aplikacioni është i instaluar nga një paketë zyrtare +XmlNotFound=Skedari i integritetit Xml i aplikacionit nuk u gjet SessionId=ID e sesionit -SessionSaveHandler=Handler to save sessions -SessionSavePath=Session save location -PurgeSessions=spastro lidhjet -ConfirmPurgeSessions=Do you really want to purge all sessions? This will disconnect every user (except yourself). -NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow listing all running sessions. -LockNewSessions=Lock new connections -ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself? Only user %s will be able to connect after that. -UnlockNewSessions=Remove connection lock +SessionSaveHandler=Trajtues për të ruajtur seancat +SessionSavePath=Vendndodhja e ruajtjes së sesionit +PurgeSessions=Pastrimi i seancave +ConfirmPurgeSessions=Dëshiron vërtet të fshish të gjitha seancat? Kjo do të shkëputë çdo përdorues (përveç vetes). +NoSessionListWithThisHandler=Ruajtja e mbajtësit të sesionit të konfiguruar në PHP-në tuaj nuk lejon listimin e të gjitha sesioneve të ekzekutuara. +LockNewSessions=Bllokoni lidhje të reja +ConfirmLockNewSessions=Jeni i sigurt që dëshironi të kufizoni ndonjë lidhje të re Dolibarr për veten tuaj? Pas këtij do të mund të lidhet vetëm përdoruesi %s. +UnlockNewSessions=Hiq bllokimin e lidhjes YourSession=Sesioni juaj -Sessions=Users Sessions -WebUserGroup=Web server user/group -PermissionsOnFiles=Permissions on files -PermissionsOnFilesInWebRoot=Permissions on files in web root directory -PermissionsOnFile=Permissions on file %s -NoSessionFound=Your PHP configuration seems to not allow listing of active sessions. The directory used to save sessions (%s) may be protected (for example by OS permissions or by PHP directive open_basedir). -DBStoringCharset=Database charset to store data -DBSortingCharset=Database charset to sort data -HostCharset=Host charset -ClientCharset=Client charset -ClientSortingCharset=Client collation -WarningModuleNotActive=Module %s must be enabled -WarningOnlyPermissionOfActivatedModules=Only permissions related to activated modules are shown here. You can activate other modules in the Home->Setup->Modules page. -DolibarrSetup=Instalo ose përditëso Dolibarr -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) -InternalUsers=Përdorues të brendshëm -ExternalUsers=Përdorues të jashtëm -UserInterface=User interface -GUISetup=Shfaq -SetupArea=Konfiguro -UploadNewTemplate=Upload new template(s) -FormToTestFileUploadForm=Form to test file upload (according to setup) -ModuleMustBeEnabled=The module/application %s must be enabled -ModuleIsEnabled=The module/application %s has been enabled -IfModuleEnabled=Note: yes is effective only if module %s is enabled -RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool. -RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. -SecuritySetup=Konfigurimet e sigurisё -PHPSetup=PHP setup -OSSetup=OS setup -SecurityFilesDesc=Define here options related to security about uploading files. -ErrorModuleRequirePHPVersion=Gabim, ky modul kërkon PHP version %s ose më të lartë -ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher -ErrorDecimalLargerThanAreForbidden=Error, a precision higher than %s is not supported. -DictionarySetup=Dictionary setup -Dictionary=Dictionaries -ErrorReservedTypeSystemSystemAuto=Value 'system' and 'systemauto' for type is reserved. You can use 'user' as value to add your own record -ErrorCodeCantContainZero=Code can't contain value 0 -DisableJavascript=Disable JavaScript and Ajax functions -DisableJavascriptNote=Note: For test or debug purpose only. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user -UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -DelaiedFullListToSelectCompany=Wait until a key is pressed before loading content of Third Parties combo list.
      This may increase performance if you have a large number of third parties, but it is less convenient. -DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list.
      This may increase performance if you have a large number of contacts, but it is less convenient. -NumberOfKeyToSearch=Number of characters to trigger search: %s -NumberOfBytes=Number of Bytes -SearchString=Search string -NotAvailableWhenAjaxDisabled=E padisponueshme ku Ajax është i çaktivizuar -AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party -TimesheetPreventAfterFollowingMonths=Prevent recording time spent after the following number of months -JavascriptDisabled=JavaScrip i caktivizuar -UsePreviewTabs=Use preview tabs -ShowPreview=Show preview -ShowHideDetails=Show-Hide details -PreviewNotAvailable=Preview not available -ThemeCurrentlyActive=Theme currently active -MySQLTimeZone=TimeZone MySql (database) -TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered). -Space=Space -Table=Tabelë +Sessions=Sesionet e përdoruesve +WebUserGroup=Përdorues/grup i serverit në ueb +PermissionsOnFiles=Lejet për skedarët +PermissionsOnFilesInWebRoot=Lejet për skedarët në direktorinë rrënjësore të uebit +PermissionsOnFile=Lejet në skedar %s +NoSessionFound=Konfigurimi juaj PHP duket se nuk lejon listimin e sesioneve aktive. Drejtoria e përdorur për të ruajtur sesionet (%s) mund të mbrohet (për shembull nga lejet e OS ose nga direktiva PHP open_basedir). +DBStoringCharset=Kompleti i karaktereve të bazës së të dhënave për të ruajtur të dhënat +DBSortingCharset=Kompleti i karaktereve të bazës së të dhënave për të renditur të dhënat +HostCharset=Kompleti i karaktereve pritës +ClientCharset=Kompleti i karaktereve të klientit +ClientSortingCharset=Përmbledhja e klientëve +WarningModuleNotActive=Moduli %s duhet të aktivizohet +WarningOnlyPermissionOfActivatedModules=Këtu shfaqen vetëm lejet që lidhen me modulet e aktivizuara. Mund të aktivizoni module të tjera në faqen Home->Setup->Modules. +DolibarrSetup=Dolibarr instaloni ose përmirësoni +DolibarrUpgrade=Përmirësimi i Dolibarr +DolibarrAddonInstall=Instalimi i moduleve shtesë/të jashtme (të ngarkuara ose të krijuara) +InternalUsers=Përdoruesit e brendshëm +ExternalUsers=Përdoruesit e jashtëm +UserInterface=Ndërfaqja e përdoruesit +GUISetup=Ekrani +SetupArea=Konfigurimi +UploadNewTemplate=Ngarko shabllon(t) e ri +FormToTestFileUploadForm=Formulari për të testuar ngarkimin e skedarit (sipas konfigurimit) +ModuleMustBeEnabled=Moduli/aplikacioni %s duhet të jetë en +ModuleIsEnabled=Moduli/aplikacioni %s ka qenë i hapur +IfModuleEnabled=Shënim: po është efektive vetëm nëse moduli %s është i mundshëm +RemoveLock=Hiq/riemërto skedarin %s
      %s
      , vetëm me leje të lexueshme përdorimi i mëtejshëm i mjetit Përditëso/Instalo. +SecuritySetup=Konfigurimi i sigurisë +PHPSetup=Konfigurimi i PHP +OSSetup=Konfigurimi i OS +SecurityFilesDesc=Përcaktoni këtu opsionet që lidhen me sigurinë në lidhje me ngarkimin e skedarëve. +ErrorModuleRequirePHPVersion=Gabim, ky modul kërkon versionin PHP %s ose më të lartë +ErrorModuleRequireDolibarrVersion=Gabim, ky modul kërkon versionin Dolibarr %s ose më të lartë +ErrorDecimalLargerThanAreForbidden=Gabim, një saktësi më e lartë se %s
      nuk mbështetet. +DictionarySetup=Vendosja e fjalorit +Dictionary=fjalorë +ErrorReservedTypeSystemSystemAuto=Vlera 'system' dhe 'systemauto' për llojin është e rezervuar. Ju mund të përdorni 'përdoruesin' si vlerë për të shtuar rekordin tuaj +ErrorCodeCantContainZero=Kodi nuk mund të përmbajë vlerën 0 +DisableJavascript=Çaktivizo funksionet JavaScript dhe Ajax +DisableJavascriptNote=Shënim: Vetëm për qëllime testimi ose korrigjimi. Për optimizimin për personat e verbër ose shfletuesit e tekstit, mund të preferoni të përdorni konfigurimin në profilin e përdoruesit +UseSearchToSelectCompanyTooltip=Gjithashtu, nëse keni një numër të madh palësh të treta (> 100 000), mund të rrisni shpejtësinë duke vendosur konstante COMPANY_DONOTSEARCH_ANYWHERE në 1 në Konfigurimi->Të tjera. Kërkimi më pas do të kufizohet në fillimin e vargut. +UseSearchToSelectContactTooltip=Gjithashtu, nëse keni një numër të madh palësh të treta (> 100 000), mund të rrisni shpejtësinë duke vendosur konstante CONTACT_DONOTSEARCH_ANYWHERE në 1 te Konfigurimi->Tjetër. Kërkimi më pas do të kufizohet në fillimin e vargut. +DelaiedFullListToSelectCompany=Prisni derisa të shtypet një tast përpara se të ngarkoni përmbajtjen e listës së kombinuar të palëve të treta.
      Kjo mund të rrisë performancën nëse keni një numër të madh palësh të treta, por është më pak e përshtatshme. +DelaiedFullListToSelectContact=Prisni derisa të shtypet një tast përpara se të ngarkoni përmbajtjen e listës së kombinimeve të kontakteve.
      Kjo mund të rrisë performancën nëse keni një numër të madh kontaktesh, por është më pak e përshtatshme. +NumberOfKeyToSearch=Numri i karaktereve për të aktivizuar kërkimin: %s +NumberOfBytes=Numri i bajteve +SearchString=Kërko vargun +NotAvailableWhenAjaxDisabled=Nuk ofrohet kur Ajax është i çaktivizuar +AllowToSelectProjectFromOtherCompany=Në dokumentin e një pale të tretë, mund të zgjidhni një projekt të lidhur me një palë tjetër të tretë +TimesheetPreventAfterFollowingMonths=Parandaloni kohën e kaluar të regjistrimit pas numrit të muajve në vijim +JavascriptDisabled=JavaScript është çaktivizuar +UsePreviewTabs=Përdorni skedat e shikimit paraprak +ShowPreview=Shfaq pamjen paraprake +ShowHideDetails=Shfaq-Fshih detajet +PreviewNotAvailable=Pamja paraprake nuk disponohet +ThemeCurrentlyActive=Tema aktualisht është aktive +MySQLTimeZone=Zona kohore MySql (baza e të dhënave) +TZHasNoEffect=Datat ruhen dhe kthehen nga serveri i bazës së të dhënave sikur të ishin mbajtur si varg i dorëzuar. Zona kohore ka efekt vetëm kur përdoret funksioni UNIX_TIMESTAMP (që nuk duhet të përdoret nga Dolibarr, kështu që baza e të dhënave TZ nuk duhet të ketë efekt, edhe nëse ndryshohet pas futjes së të dhënave). +Space=Hapësirë +Table=Tabela Fields=Fushat -Index=Index -Mask=Mask -NextValue=Next value -NextValueForInvoices=Next value (invoices) -NextValueForCreditNotes=Next value (credit notes) -NextValueForDeposit=Next value (down payment) -NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration -MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page and some public pages -AntiVirusCommand=Full path to antivirus command -AntiVirusCommandExample=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
      Example for ClamWin (very very slow): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe -AntiVirusParam= More parameters on command line -AntiVirusParamExample=Example for ClamAv Daemon: --fdpass
      Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" -ComptaSetup=Accounting module setup -UserSetup=User management setup -MultiCurrencySetup=Multi-currency setup -MenuLimits=Limits and accuracy -MenuIdParent=Parent menu ID -DetailMenuIdParent=ID of parent menu (empty for a top menu) -ParentID=Parent ID -DetailPosition=Sort number to define menu position +Index=Indeksi +Mask=Maskë +NextValue=Vlera tjetër +NextValueForInvoices=Vlera tjetër (faturat) +NextValueForCreditNotes=Vlera tjetër (shënimet e kreditit) +NextValueForDeposit=Vlera tjetër (parapagim) +NextValueForReplacements=Vlera tjetër (zëvendësimet) +MustBeLowerThanPHPLimit=Shënim: konfigurimi juaj PHP aktualisht kufizon madhësinë maksimale të skedarit për ngarkim në %sb09a4fz0 span> %s, pavarësisht nga vlera e këtij parametri +NoMaxSizeByPHPLimit=Shënim: Asnjë kufi nuk është vendosur në konfigurimin tuaj të PHP +MaxSizeForUploadedFiles=Madhësia maksimale për skedarët e ngarkuar (0 për të mos lejuar çdo ngarkim) +UseCaptchaCode=Përdorni kodin grafik (CAPTCHA) në faqen e hyrjes dhe disa faqe publike +AntiVirusCommand=Rruga e plotë drejt komandës antivirus +AntiVirusCommandExample=Shembull për ClamAv Daemon (kërkon clamav-daemon): /usr/bin/clamdscan
      Shembull për ClamWin (shumë i ngadalshëm): c:\\Progra~1\\ClamWin\\bin\\ clamscan.exe +AntiVirusParam= Më shumë parametra në linjën e komandës +AntiVirusParamExample=Shembull për ClamAv Daemon: --fdpass
      Shembull për ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" +ComptaSetup=Vendosja e modulit të kontabilitetit +UserSetup=Konfigurimi i menaxhimit të përdoruesit +MultiCurrencySetup=Konfigurimi i shumë valutave +MenuLimits=Kufijtë dhe saktësia +MenuIdParent=ID-ja e menysë prindërore +DetailMenuIdParent=ID-ja e menysë prindërore (bosh për një meny të lartë) +ParentID=ID e prindit +DetailPosition=Rendit numrin për të përcaktuar pozicionin e menysë AllMenus=Të gjitha -NotConfigured=Module/Application not configured +NotConfigured=Moduli/Aplikacioni nuk është konfiguruar Active=Aktiv -SetupShort=Konfiguro -OtherOptions=Other options -OtherSetup=Other Setup -CurrentValueSeparatorDecimal=Decimal separator -CurrentValueSeparatorThousand=Thousand separator -Destination=Destination -IdModule=Module ID -IdPermissions=Permissions ID -LanguageBrowserParameter=Parametër %s -LocalisationDolibarrParameters=Localization parameters -ClientHour=Client time (user) -OSTZ=Server OS Time Zone -PHPTZ=PHP server Time Zone -DaylingSavingTime=Daylight saving time -CurrentHour=PHP Time (server) -CurrentSessionTimeOut=Current session timeout -YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a .htaccess file with a line like this "SetEnv TZ Europe/Paris" -HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but of the timezone of the server. +SetupShort=Konfigurimi +OtherOptions=Opsione të tjera +OtherSetup=Konfigurime të tjera +CurrentValueSeparatorDecimal=Ndarëse dhjetore +CurrentValueSeparatorThousand=Mijëra ndarës +Destination=Destinacioni +IdModule=ID-ja e modulit +IdPermissions=ID-ja e lejeve +LanguageBrowserParameter=Parametri %s +LocalisationDolibarrParameters=Parametrat e lokalizimit +ClientHour=Koha e klientit (përdoruesi) +OSTZ=Zona kohore e serverit OS +PHPTZ=Zona kohore e serverit PHP +DaylingSavingTime=Koha e ditës +CurrentHour=Koha PHP (server) +CurrentSessionTimeOut=Kohëzgjatja e seancës aktuale +YouCanEditPHPTZ=Për të vendosur një zonë kohore të ndryshme PHP (nuk kërkohet), mund të provoni të shtoni një skedar .htaccess me një linjë si kjo "SetEnv TZ Europe/Paris" +HoursOnThisPageAreOnServerTZ=Paralajmërim, ndryshe nga ekranet e tjera, orët në këtë faqe nuk janë në zonën tuaj kohore lokale, por në zonën kohore të serverit. Box=Widget Boxes=Widgets -MaxNbOfLinesForBoxes=Max. number of lines for widgets -AllWidgetsWereEnabled=All available widgets are enabled -WidgetAvailable=Widget available -PositionByDefault=Default order -Position=Position -MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical). -MenusEditorDesc=The menu editor allows you to define custom menu entries. Use it carefully to avoid instability and permanently unreachable menu entries.
      Some modules add menu entries (in menu All mostly). If you remove some of these entries by mistake, you can restore them disabling and reenabling the module. -MenuForUsers=Menu for users -LangFile=Skedari .lang -Language_en_US_es_MX_etc=Language (en_US, es_MX, ...) +MaxNbOfLinesForBoxes=Maks. numri i rreshtave për miniaplikacionet +AllWidgetsWereEnabled=Të gjitha miniaplikacionet e disponueshme janë aktivizuar +WidgetAvailable=Widget i disponueshëm +PositionByDefault=Rendi i parazgjedhur +Position=Pozicioni +MenusDesc=Menaxherët e menysë vendosin përmbajtjen e dy shiritave të menysë (horizontale dhe vertikale). +MenusEditorDesc=Redaktori i menusë ju lejon të përcaktoni hyrjet e personalizuara të menusë. Përdoreni atë me kujdes për të shmangur paqëndrueshmërinë dhe hyrjet e menysë të paarritshme përgjithmonë.
      Disa module shtojnë hyrje të menysë (në menynë
      Të gjitha kryesisht). Nëse i hiqni gabimisht disa nga këto hyrje, mund t'i rivendosni ato duke çaktivizuar dhe riaktivizuar modulin. +MenuForUsers=Menu për përdoruesit +LangFile=skedar .lang +Language_en_US_es_MX_etc=Gjuha (en_US, es_MX, ...) System=Sistemi -SystemInfo=Informacion rreth sistemit -SystemToolsArea=System tools area -SystemToolsAreaDesc=This area provides administration functions. Use the menu to choose the required feature. -Purge=Spastro -PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server. -PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data) -PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Parameter can be 'tempfilesold', 'logfiles' or both 'tempfilesold+logfiles'. Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files (no risk of losing data) -PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s.
      This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files. -PurgeRunNow=Spastro tani -PurgeNothingToDelete=No directory or files to delete. -PurgeNDirectoriesDeleted=%s files or directories deleted. -PurgeNDirectoriesFailed=Failed to delete %s files or directories. -PurgeAuditEvents=Purge all security events -ConfirmPurgeAuditEvents=Are you sure you want to purge all security events? All security logs will be deleted, no other data will be removed. -GenerateBackup=Generate backup -Backup=Backup -Restore=Restore -RunCommandSummary=Backup has been launched with the following command -BackupResult=Backup result -BackupFileSuccessfullyCreated=Backup file successfully generated -YouCanDownloadBackupFile=The generated file can now be downloaded -NoBackupFileAvailable=No backup files available. +SystemInfo=Informacioni i sistemit +SystemToolsArea=Zona e mjeteve të sistemit +SystemToolsAreaDesc=Kjo zonë ofron funksione administrative. Përdorni menunë për të zgjedhur funksionin e kërkuar. +Purge=Pastrimi +PurgeAreaDesc=Kjo faqe ju lejon të fshini të gjithë skedarët e krijuar ose të ruajtur nga Dolibarr (skedarët e përkohshëm ose të gjithë skedarët në %s). Përdorimi i kësaj veçorie zakonisht nuk është i nevojshëm. Ofrohet si një zgjidhje për përdoruesit, Dolibarr i të cilëve është pritur nga një ofrues që nuk ofron leje për të fshirë skedarët e krijuar nga serveri i uebit. +PurgeDeleteLogFile=Fshi skedarët e regjistrit, duke përfshirë %s të përcaktuar për modulin Synlog rreziku i humbjes së të dhënave) +PurgeDeleteTemporaryFiles=Fshini të gjithë skedarët e regjistrit dhe të përkohshëm (pa rrezik të humbjes së të dhënave). Parametri mund të jetë 'tempfilesold', 'logfiles' ose të dyja 'tempfilesold+logfiles'. Shënim: Fshirja e skedarëve të përkohshëm bëhet vetëm nëse drejtoria temp është krijuar më shumë se 24 orë më parë. +PurgeDeleteTemporaryFilesShort=Fshini regjistrin dhe skedarët e përkohshëm (pa rrezik të humbjes së të dhënave) +PurgeDeleteAllFilesInDocumentsDir=Fshi të gjithë skedarët në direktori: %s. 'notranslate'>
      Kjo do të fshijë të gjitha dokumentet e krijuara në lidhje me elementët (palë të treta, fatura etj...), skedarët e ngarkuar në modulin ECM, depozitat e rezervave të bazës së të dhënave dhe skedarët e përkohshëm. +PurgeRunNow=Pastroni tani +PurgeNothingToDelete=Nuk ka drejtori ose skedarë për të fshirë. +PurgeNDirectoriesDeleted=skedarët ose drejtoritë janë fshirë %s. +PurgeNDirectoriesFailed=Dështoi në fshirjen e skedarëve ose drejtorive %s +PurgeAuditEvents=Pastroni të gjitha ngjarjet e sigurisë +ConfirmPurgeAuditEvents=Jeni i sigurt që dëshironi të pastroni të gjitha ngjarjet e sigurisë? Të gjitha regjistrat e sigurisë do të fshihen, asnjë të dhënë tjetër nuk do të hiqet. +GenerateBackup=Krijo kopje rezervë +Backup=Rezervimi +Restore=Rivendos +RunCommandSummary=Rezervimi është nisur me komandën e mëposhtme +BackupResult=Rezultati rezervë +BackupFileSuccessfullyCreated=Skedari rezervë u krijua me sukses +YouCanDownloadBackupFile=Skedari i krijuar tani mund të shkarkohet +NoBackupFileAvailable=Nuk ka skedarë rezervë të disponueshëm. ExportMethod=Metoda e eksportit ImportMethod=Metoda e importit -ToBuildBackupFileClickHere=To build a backup file, click here. -ImportMySqlDesc=To import a MySQL backup file, you may use phpMyAdmin via your hosting or use the mysql command from the Command line.
      For example: -ImportPostgreSqlDesc=To import a backup file, you must use pg_restore command from command line: +ToBuildBackupFileClickHere=Për të ndërtuar një skedar rezervë, kliko këtu. +ImportMySqlDesc=Për të importuar një skedar rezervë MySQL, mund të përdorni phpMyAdmin nëpërmjet hostit tuaj ose të përdorni komandën mysql nga rreshti i komandës.
      Për shembull: +ImportPostgreSqlDesc=Për të importuar një skedar rezervë, duhet të përdorni komandën pg_restore nga rreshti i komandës: ImportMySqlCommand=%s %s < mybackupfile.sql ImportPostgreSqlCommand=%s %s mybackupfile.sql -FileNameToGenerate=Filename for backup: -Compression=Compression -CommandsToDisableForeignKeysForImport=Command to disable foreign keys on import -CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later -ExportCompatibility=Compatibility of generated export file -ExportUseMySQLQuickParameter=Use the --quick parameter -ExportUseMySQLQuickParameterHelp=The '--quick' parameter helps limit RAM consumption for large tables. -MySqlExportParameters=MySQL export parameters -PostgreSqlExportParameters= PostgreSQL export parameters -UseTransactionnalMode=Use transactional mode -FullPathToMysqldumpCommand=Full path to mysqldump command -FullPathToPostgreSQLdumpCommand=Full path to pg_dump command -AddDropDatabase=Add DROP DATABASE command -AddDropTable=Add DROP TABLE command +FileNameToGenerate=Emri i skedarit për kopje rezervë: +Compression=Kompresimi +CommandsToDisableForeignKeysForImport=Komanda për të çaktivizuar çelësat e huaj në import +CommandsToDisableForeignKeysForImportWarning=E detyrueshme nëse doni të jeni në gjendje të rivendosni më vonë deponinë tuaj sql +ExportCompatibility=Pajtueshmëria e skedarit të eksportit të krijuar +ExportUseMySQLQuickParameter=Përdorni parametrin --quick +ExportUseMySQLQuickParameterHelp=Parametri '--shpejt' ndihmon në kufizimin e konsumit të RAM-it për tavolina të mëdha. +MySqlExportParameters=Parametrat e eksportit të MySQL +PostgreSqlExportParameters= Parametrat e eksportit të PostgreSQL +UseTransactionnalMode=Përdorni modalitetin e transaksionit +FullPathToMysqldumpCommand=Rruga e plotë drejt komandës mysqldump +FullPathToPostgreSQLdumpCommand=Rruga e plotë drejt komandës pg_dump +AddDropDatabase=Shto komandën DROP DATABASE +AddDropTable=Shto komandën DROP TABLE ExportStructure=Struktura -NameColumn=Name columns -ExtendedInsert=Extended INSERT -NoLockBeforeInsert=No lock commands around INSERT -DelayedInsert=Delayed insert -EncodeBinariesInHexa=Encode binary data in hexadecimal -IgnoreDuplicateRecords=Ignore errors of duplicate record (INSERT IGNORE) -AutoDetectLang=Autodetect (browser language) -FeatureDisabledInDemo=Feature disabled in demo -FeatureAvailableOnlyOnStable=Feature only available on official stable versions -BoxesDesc=Widgets are components showing some information that you can add to personalize some pages. You can choose between showing the widget or not by selecting target page and clicking 'Activate', or by clicking the trashcan to disable it. -OnlyActiveElementsAreShown=Only elements from enabled modules are shown. -ModulesDesc=The modules/applications determine which features are available in the software. Some modules require permissions to be granted to users after activating the module. Click the on/off button %s of each module to enable or disable a module/application. -ModulesDesc2=Click the wheel button %s to configure the module/application. -ModulesMarketPlaceDesc=You can find more modules to download on external websites on the Internet... -ModulesDeployDesc=If permissions on your file system allow it, you can use this tool to deploy an external module. The module will then be visible on the tab %s. -ModulesMarketPlaces=Find external app/modules -ModulesDevelopYourModule=Develop your own app/modules -ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. -DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New module -FreeModule=I lire -CompatibleUpTo=Compatible with version %s -NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). -CompatibleAfterUpdate=This module requires an update to your Dolibarr %s (Min %s - Max %s). -SeeInMarkerPlace=See in Market place -SeeSetupOfModule=See setup of module %s -SetOptionTo=Set option %s to %s -Updated=Updated -AchatTelechargement=Bli / Shkarko -GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. -DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
      Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. -WebSiteDesc=External websites for more add-on (non-core) modules... -DevelopYourModuleDesc=Some solutions to develop your own module... +NameColumn=Kolonat e emrave +ExtendedInsert=INSERT i zgjeruar +NoLockBeforeInsert=Nuk ka komanda bllokimi rreth INSERT +DelayedInsert=Futja e vonuar +EncodeBinariesInHexa=Kodimi i të dhënave binare në heksadecimal +IgnoreDuplicateRecords=Injoroni gabimet e regjistrimit të dyfishtë (INSERT IGNORE) +AutoDetectLang=Zbulimi automatik (gjuha e shfletuesit) +FeatureDisabledInDemo=Funksioni është çaktivizuar në demonstrim +FeatureAvailableOnlyOnStable=Funksioni i disponueshëm vetëm në versionet zyrtare të qëndrueshme +BoxesDesc=Miniaplikacionet janë komponentë që tregojnë disa informacione që mund t'i shtoni për të personalizuar disa faqe. Mund të zgjidhni midis shfaqjes ose jo të miniaplikacionit duke zgjedhur faqen e synuar dhe duke klikuar 'Aktivizo', ose duke klikuar në koshin e plehrave për ta çaktivizuar atë. +OnlyActiveElementsAreShown=Shfaqen vetëm elementet nga modulet e aktivizuara. +ModulesDesc=Modulet/aplikacionet përcaktojnë se cilat veçori janë të disponueshme në softuer. Disa module kërkojnë që lejet t'u jepen përdoruesve pas aktivizimit të modulit. Klikoni butonin e ndezjes/fikjes %s për çdo modul ose çaktivizoni një modul/aplikacion. +ModulesDesc2=Klikoni butonin e rrotës %s për të konfiguruar modulin. +ModulesMarketPlaceDesc=Mund të gjeni më shumë module për t'u shkarkuar në faqet e jashtme të internetit në internet... +ModulesDeployDesc=Nëse lejet në sistemin tuaj të skedarëve e lejojnë këtë, mund ta përdorni këtë mjet për të vendosur një modul të jashtëm. Moduli më pas do të jetë i dukshëm në skedën %swww.dolistore.com për të gjetur një modul të jashtëm, mund të përdorni këtë mjet të integruar që do të kryejë kërkimin në tregun e jashtëm për ju (mund të jetë i ngadalshëm, ka nevojë për qasje në internet)... +NewModule=Moduli i ri +FreeModule=Falas +CompatibleUpTo=E përputhshme me versionin %s +NotCompatible=Ky modul nuk duket i pajtueshëm me Dolibarr tuaj %s (Min %s - Maksimumi b049f2ec87 span>). +CompatibleAfterUpdate=Ky modul kërkon një përditësim të Dolibarr tuaj %s (Min %s - Maksimumi b0ecb2ecz87f9 >). +SeeInMarkerPlace=Shihni në treg +SeeSetupOfModule=Shiko konfigurimin e modulit %s +SeeSetupPage=Shiko faqen e konfigurimit në %s +SeeReportPage=Shiko faqen e raportit në %s +SetOptionTo=Cakto opsionin %s'no në %s +Updated=Përditësuar +AchatTelechargement=Blej / Shkarko +GoModuleSetupArea=Për të vendosur/instaluar një modul të ri, shko te zona e konfigurimit të modulit: %sb0e87d8cz . +DoliStoreDesc=DoliStore, tregu zyrtar për modulet e jashtme Dolibarr ERP/CRM +DoliPartnersDesc=Lista e kompanive që ofrojnë module ose veçori të zhvilluara me porosi.
      Shënim: meqenëse Dolibarr është një aplikacion me burim të hapur, kushdo me përvojë në programimin PHP duhet të jetë në gjendje të zhvillojë një modul. +WebSiteDesc=Uebfaqe të jashtme për më shumë module shtesë (jo thelbësore)... +DevelopYourModuleDesc=Disa zgjidhje për të zhvilluar modulin tuaj... URL=URL -RelativeURL=Relative URL -BoxesAvailable=Widgets available -BoxesActivated=Widgets activated -ActivateOn=Activate on -ActiveOn=Activated on -ActivatableOn=Activatable on -SourceFile=Source file -AvailableOnlyIfJavascriptAndAjaxNotDisabled=Available only if JavaScript is not disabled -Required=Required -UsedOnlyWithTypeOption=Used by some agenda option only -Security=Security -Passwords=Passwords -DoNotStoreClearPassword=Encrypt passwords stored in database (NOT as plain-text). It is strongly recommended to activate this option. -MainDbPasswordFileConfEncrypted=Encrypt database password stored in conf.php. It is strongly recommended to activate this option. -InstrucToEncodePass=To have password encoded into the conf.php file, replace the line
      $dolibarr_main_db_pass="...";
      by
      $dolibarr_main_db_pass="crypted:%s"; -InstrucToClearPass=To have password decoded (clear) into the conf.php file, replace the line
      $dolibarr_main_db_pass="crypted:...";
      by
      $dolibarr_main_db_pass="%s"; -ProtectAndEncryptPdfFiles=Protect generated PDF files. This is NOT recommended as it breaks bulk PDF generation. -ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature makes building of a global merged PDFs not working. -Feature=Feature -DolibarrLicense=License -Developpers=Developers/contributors -OfficialWebSite=Dolibarr official web site -OfficialWebSiteLocal=Local web site (%s) -OfficialWiki=Dolibarr documentation / Wiki -OfficialDemo=Dolibarr online demo -OfficialMarketPlace=Official market place for external modules/addons -OfficialWebHostingService=Referenced web hosting services (Cloud hosting) -ReferencedPreferredPartners=Preferred Partners -OtherResources=Other resources -ExternalResources=External Resources -SocialNetworks=Social Networks -SocialNetworkId=Social Network ID -ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),
      take a look at the Dolibarr Wiki:
      %s -ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:
      %s -HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr. -HelpCenterDesc2=Some of these resources are only available in english. -CurrentMenuHandler=Current menu handler -MeasuringUnit=Measuring unit -LeftMargin=Left margin -TopMargin=Top margin -PaperSize=Paper type -Orientation=Orientation -SpaceX=Space X -SpaceY=Space Y -FontSize=Font size -Content=Content -ContentForLines=Content to display for each product or service (from variable __LINES__ of Content) -NoticePeriod=Notice period -NewByMonth=New by month -Emails=Emails -EMailsSetup=Konfigurimi i email -EMailsDesc=This page allows you to set parameters or options for email sending. -EmailSenderProfiles=Emails sender profiles -EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. -MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (default value in php.ini: %s) -MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (default value in php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix-like systems) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix-like systems) -MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (default value in php.ini: %s) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration -MAIN_MAIL_ERRORS_TO=Email used for error returns emails (fields 'Errors-To' in emails sent) -MAIN_MAIL_AUTOCOPY_TO= Copy (Bcc) all sent emails to -MAIN_DISABLE_ALL_MAILS=Disable all email sending (for test purposes or demos) -MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice -MAIN_MAIL_SENDMODE=Email sending method -MAIN_MAIL_SMTPS_ID=SMTP ID (if sending server requires authentication) -MAIN_MAIL_SMTPS_PW=SMTP Password (if sending server requires authentication) -MAIN_MAIL_EMAIL_TLS=Use TLS (SSL) encryption -MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés -MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature -MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim -MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector -MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing -MAIN_DISABLE_ALL_SMS=Disable all SMS sending (for test purposes or demos) -MAIN_SMS_SENDMODE=Method to use to send SMS -MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending -MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email) -UserEmail=User email -CompanyEmail=Company Email -FeatureNotAvailableOnLinux=Feature not available on Unix like systems. Test your sendmail program locally. -FixOnTransifex=Fix the translation on the online translation platform of project -SubmitTranslation=If the translation for this language is not complete or you find errors, you can correct this by editing files in directory langs/%s and submit your change to www.transifex.com/dolibarr-association/dolibarr/ -SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or, if you are a developer, with a PR on github.com/Dolibarr/dolibarr +RelativeURL=URL relative +BoxesAvailable=Widgets në dispozicion +BoxesActivated=Miniaplikacionet u aktivizuan +ActivateOn=Aktivizojeni +ActiveOn=Aktivizuar në +ActivatableOn=Aktivizohet në +SourceFile=Skedari burimor +AvailableOnlyIfJavascriptAndAjaxNotDisabled=E disponueshme vetëm nëse JavaScript nuk është i çaktivizuar +Required=E detyrueshme +UsedOnlyWithTypeOption=Përdoret vetëm nga disa opsione të rendit të ditës +Security=Siguria +Passwords=Fjalëkalimet +DoNotStoreClearPassword=Enkriptoni fjalëkalimet e ruajtura në bazën e të dhënave (JO si tekst i thjeshtë). Rekomandohet fuqimisht të aktivizoni këtë opsion. +MainDbPasswordFileConfEncrypted=Enkriptoni fjalëkalimin e bazës së të dhënave të ruajtur në conf.php. Rekomandohet fuqimisht të aktivizoni këtë opsion. +InstrucToEncodePass=Për të pasur fjalëkalim të koduar në skedarin conf.php, zëvendëso rreshtin cc<0192fz /span>$dolibarr_main_db_pass="...";b014 >nga
      $dolibarr_main_db_pass="crypted:b0ecb9f2ec span class='notranslate'> +InstrucToClearPass=Për të deshifruar (pastruar) fjalëkalimin në skedarin conf.php, zëvendësoni rreshtin
      $dolibarr_main_db_pass="crypted:...";b09a4b739f17f8f8s0 >
      nga
      $dolibarr_main_db_pass'8fda19bz0 > "; +ProtectAndEncryptPdfFiles=Mbroni skedarët PDF të krijuar. Kjo NUK rekomandohet pasi prish gjenerimin e PDF-ve në masë. +ProtectAndEncryptPdfFilesDesc=Mbrojtja e një dokumenti PDF e mban atë të disponueshëm për t'u lexuar dhe printuar me çdo shfletues PDF. Megjithatë, redaktimi dhe kopjimi nuk është më i mundur. Vini re se përdorimi i kësaj veçorie bën që ndërtimi i PDF-ve të bashkuara globale të mos funksionojë. +Feature=Veçori +DolibarrLicense=Liçensë +Developpers=Zhvilluesit/kontribuesit +OfficialWebSite=Uebfaqja zyrtare e Dolibarr +OfficialWebSiteLocal=Uebsajti lokal (%s) +OfficialWiki=Dolibarr dokumentacion / Wiki +OfficialDemo=Demoja në internet e Dolibarr +OfficialMarketPlace=Tregu zyrtar për modulet/shtesat e jashtme +OfficialWebHostingService=Shërbimet e referuara të pritjes në internet (Hostimi në renë kompjuterike) +ReferencedPreferredPartners=Partnerët e Preferuar +OtherResources=Burime të tjera +ExternalResources=Burimet e Jashtme +SocialNetworks=Rrjete sociale +SocialNetworkId=ID e rrjetit social +ForDocumentationSeeWiki=Për dokumentacionin e përdoruesit ose zhvilluesit (Dokument, FAQ...),
      hidhini një sy Dolibarr Wiki:
      %sc650 +ForAnswersSeeForum=Për çdo pyetje/ndihmë tjetër, mund të përdorni forumin e Dolibarr:
      b00fab32z0e<9 /span>%s
      +HelpCenterDesc1=Këtu janë disa burime për të marrë ndihmë dhe mbështetje me Dolibarr. +HelpCenterDesc2=Disa nga këto burime disponohen vetëm në anglisht. +CurrentMenuHandler=Trajtuesi aktual i menysë +MeasuringUnit=Njësi matëse +LeftMargin=Margjina e majtë +TopMargin=Marzhi i sipërm +PaperSize=Lloji i letrës +Orientation=Orientim +SpaceX=Hapësira X +SpaceY=Hapësira Y +FontSize=Përmasa e germave +Content=përmbajtja +ContentForLines=Përmbajtja për t'u shfaqur për çdo produkt ose shërbim (nga variabla __LINES__ e Përmbajtjes) +NoticePeriod=Periudha e njoftimit +NewByMonth=E re sipas muajit +Emails=Email-et +EMailsSetup=Konfigurimi i emaileve +EMailsDesc=Kjo faqe ju lejon të vendosni parametra ose opsione për dërgimin e emailit. +EmailSenderProfiles=Profilet e dërguesit të emaileve +EMailsSenderProfileDesc=Ju mund ta mbani këtë seksion bosh. Nëse futni disa email këtu, ato do të shtohen në listën e dërguesve të mundshëm në kutinë e kombinuar kur shkruani një email të ri. +MAIN_MAIL_SMTP_PORT=Porta SMTP/SMTPS (vlera e parazgjedhur në php.ini: %sb09f17b73 >) +MAIN_MAIL_SMTP_SERVER=Pritësi SMTP/SMTPS (vlera e parazgjedhur në php.ini: %sb09f177 >) +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Porta SMTP/SMTPS +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Pritësi SMTP/SMTPS +MAIN_MAIL_EMAIL_FROM=Email dërgues për emaile automatike +EMailHelpMsgSPFDKIM=Për të parandaluar që emailet e Dolibarr të klasifikohen si spam, sigurohuni që serveri të jetë i autorizuar të dërgojë e-mail nën këtë identitet (duke kontrolluar konfigurimin SPF dhe DKIM të emrit të domenit) +MAIN_MAIL_ERRORS_TO=Email-i i përdorur për gabime kthen emailet (fushat 'Gabimet-Për' në emailet e dërguara) +MAIN_MAIL_AUTOCOPY_TO= Kopjo (Bcc) të gjitha emailet e dërguara te +MAIN_DISABLE_ALL_MAILS=Çaktivizo të gjithë dërgimin e emaileve (për qëllime testimi ose demonstrime) +MAIN_MAIL_FORCE_SENDTO=Dërgoni të gjitha emailet tek (në vend të marrësve të vërtetë, për qëllime testimi) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Sugjeroni emailet e punonjësve (nëse është përcaktuar) në listën e marrësve të paracaktuar kur shkruani një email të ri +MAIN_MAIL_NO_WITH_TO_SELECTED=Mos zgjidhni një marrës të paracaktuar edhe nëse ka vetëm 1 zgjedhje të mundshme +MAIN_MAIL_SENDMODE=Mënyra e dërgimit të emailit +MAIN_MAIL_SMTPS_ID=ID SMTP (nëse serveri dërgues kërkon vërtetim) +MAIN_MAIL_SMTPS_PW=Fjalëkalimi SMTP (nëse serveri dërgues kërkon vërtetim) +MAIN_MAIL_EMAIL_TLS=Përdorni enkriptimin TLS (SSL). +MAIN_MAIL_EMAIL_STARTTLS=Përdorni enkriptimin TLS (STARTTLS). +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizoni certifikatat e vetë-nënshkruara +MAIN_MAIL_EMAIL_DKIM_ENABLED=Përdorni DKIM për të gjeneruar nënshkrimin e postës elektronike +MAIN_MAIL_EMAIL_DKIM_DOMAIN=Domeni i postës elektronike për përdorim me dkim +MAIN_MAIL_EMAIL_DKIM_SELECTOR=Emri i përzgjedhësit dkim +MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Çelësi privat për nënshkrimin dkim +MAIN_DISABLE_ALL_SMS=Çaktivizo të gjithë dërgimin e SMS (për qëllime testimi ose demonstrime) +MAIN_SMS_SENDMODE=Mënyra që duhet përdorur për të dërguar SMS +MAIN_MAIL_SMS_FROM=Numri i telefonit të parazgjedhur të dërguesit për dërgimin e SMS +MAIN_MAIL_DEFAULT_FROMTYPE=Email-i i parazgjedhur i dërguesit është parazgjedhur në formularët për të dërguar email +UserEmail=Email-i i përdoruesit +CompanyEmail=Email i kompanisë +FeatureNotAvailableOnLinux=Funksioni nuk ofrohet në sistemet si Unix. Testoni programin tuaj sendmail në nivel lokal. +FixOnTransifex=Rregulloni përkthimin në platformën e përkthimit në internet të projektit +SubmitTranslation=Nëse përkthimi për këtë gjuhë nuk është i plotë ose gjeni gabime, mund ta korrigjoni këtë duke redaktuar skedarët në drejtorinë langs/%s dhe dorëzoni ndryshimin tuaj në www.transifex.com/dolibarr-association/dolibarr/ +SubmitTranslationENUS=Nëse përkthimi për këtë gjuhë nuk është i plotë ose gjeni gabime, mund ta korrigjoni këtë duke redaktuar skedarët në drejtorinë langs/%s dhe dorëzoni skedarë të modifikuar në dolibarr.org/forum ose, nëse jeni një zhvillues, me një PR në github.com/Dolibarr/dolibarr ModuleSetup=Konfigurimi i modulit -ModulesSetup=Modules/Application setup +ModulesSetup=Modulet/konfigurimi i aplikacionit ModuleFamilyBase=Sistemi -ModuleFamilyCrm=Customer Relationship Management (CRM) -ModuleFamilySrm=Vendor Relationship Management (VRM) -ModuleFamilyProducts=Product Management (PM) -ModuleFamilyHr=Menaxhimi i Burimeve Njerёzore (BNJ) -ModuleFamilyProjects=Projects/Collaborative work -ModuleFamilyOther=Tjetër -ModuleFamilyTechnic=Multi-modules tools -ModuleFamilyExperimental=Experimental modules -ModuleFamilyFinancial=Financial Modules (Accounting/Treasury) -ModuleFamilyECM=Electronic Content Management (ECM) -ModuleFamilyPortal=Websites and other frontal application -ModuleFamilyInterface=Interfaces with external systems -MenuHandlers=Menu handlers -MenuAdmin=Editimi i menuve -DoNotUseInProduction=Do not use in production -ThisIsProcessToFollow=Upgrade procedure: -ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: -StepNb=Step %s -FindPackageFromWebSite=Find a package that provides the features you need (for example on the official web site %s). -DownloadPackageFromWebSite=Download package (for example from the official web site %s). -UnpackPackageInDolibarrRoot=Unpack/unzip the packaged files into your Dolibarr server directory: %s -UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s -SetupIsReadyForUse=Module deployment is finished. You must however enable and setup the module in your application by going to the page setup modules: %s. -NotExistsDirect=The alternative root directory is not defined to an existing directory.
      -InfDirAlt=Since version 3, it is possible to define an alternative root directory. This allows you to store, into a dedicated directory, plug-ins and custom templates.
      Just create a directory at the root of Dolibarr (eg: custom).
      -InfDirExample=
      Then declare it in the file conf.php
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
      If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. -YouCanSubmitFile=You can upload the .zip file of module package from here: +ModuleFamilyCrm=Menaxhimi i Marrëdhënieve me Klientin (CRM) +ModuleFamilySrm=Menaxhimi i marrëdhënieve me shitësin (VRM) +ModuleFamilyProducts=Menaxhimi i produktit (PM) +ModuleFamilyHr=Menaxhimi i Burimeve Njerëzore (HR) +ModuleFamilyProjects=Projekte/Punë bashkëpunuese +ModuleFamilyOther=Të tjera +ModuleFamilyTechnic=Mjete me shumë module +ModuleFamilyExperimental=Modulet eksperimentale +ModuleFamilyFinancial=Modulet Financiare (Kontabilitet/Thesar) +ModuleFamilyECM=Menaxhimi elektronik i përmbajtjes (ECM) +ModuleFamilyPortal=Faqet e internetit dhe aplikacione të tjera ballore +ModuleFamilyInterface=Ndërfaqet me sistemet e jashtme +MenuHandlers=Trajtuesit e menysë +MenuAdmin=Redaktori i menysë +DoNotUseInProduction=Mos përdorni në prodhim +ThisIsProcessToFollow=Procedura e përmirësimit: +ThisIsAlternativeProcessToFollow=Ky është një konfigurim alternativ për t'u përpunuar manualisht: +StepNb=Hapi %s +FindPackageFromWebSite=Gjeni një paketë që ofron veçoritë që ju nevojiten (për shembull në faqen zyrtare të internetit %s). +DownloadPackageFromWebSite=Shkarko paketën (për shembull nga faqja zyrtare e internetit %s). +UnpackPackageInDolibarrRoot=Shpaketoni/zbrisni skedarët e paketuar në drejtorinë tuaj të serverit Dolibarr: %sb09a17sf830f > +UnpackPackageInModulesRoot=Për të vendosur/instaluar një modul të jashtëm, duhet të shpaketoni/zbrisni skedarin e arkivit në drejtorinë e serverit të dedikuar për modulet e jashtme:
      %s +SetupIsReadyForUse=Vendosja e modulit ka përfunduar. Sidoqoftë, duhet ta aktivizoni dhe konfiguroni modulin në aplikacionin tuaj duke shkuar te modulet e konfigurimit të faqes: %s. +NotExistsDirect=Drejtoria alternative rrënjë nuk është përcaktuar në një direktori ekzistuese.
      +InfDirAlt=Që nga versioni 3, është e mundur të përcaktohet një direktori alternative rrënjë. Kjo ju lejon të ruani, në një drejtori të dedikuar, shtojca dhe shabllone të personalizuara.
      Thjesht krijoni një direktori në rrënjë të Dolibarr (p.sh.: me porosi).
      +InfDirExample=
      Më pas deklaroje në skedarin conf.phpb0a65d09zpan0sf class = 'noTranslate'>
      $ dolibarr_main_url_root_alt = '/custom'
      'notranslate'>
      Nëse këto rreshta komentohen me "#", për t'i aktivizuar ato, thjesht hiqni komentin duke hequr karakterin "#". +YouCanSubmitFile=Ju mund të ngarkoni skedarin .zip të paketës së modulit nga këtu: CurrentVersion=Versioni aktual i Dolibarr -CallUpdatePage=Browse to the page that updates the database structure and data: %s. -LastStableVersion=Versioni i fundit stabёl -LastActivationDate=Latest activation date -LastActivationAuthor=Latest activation author -LastActivationIP=Latest activation IP -LastActivationVersion=Latest activation version -UpdateServerOffline=Update server offline -WithCounter=Manage a counter -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      -GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      -GenericMaskCodes3=All other characters in the mask will remain intact.
      Spaces are not allowed.
      -GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
      Spaces are not allowed.
      In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' -GenericNumRefModelDesc=Returns a customizable number according to a defined mask. -ServerAvailableOnIPOrPort=Server is available at address %s on port %s -ServerNotAvailableOnIPOrPort=Server is not available at address %s on port %s -DoTestServerAvailability=Test server connectivity -DoTestSend=Test sending -DoTestSendHTML=Test sending HTML -ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. -ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, can't use option @ if sequence {yy}{mm} or {yyyy}{mm} is not in mask. -UMask=UMask parameter for new files on Unix/Linux/BSD/Mac file system. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. -SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization -UseACacheDelay= Delay for caching export response in seconds (0 or empty for no cache) -DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page -DisableLinkToHelp=Hide the link to the online help "%s" -AddCRIfTooLong=There is no automatic text wrapping, text that is too long will not display on documents. Please add carriage returns in the text area if needed. -ConfirmPurge=Are you sure you want to execute this purge?
      This will permanently delete all your data files with no way to restore them (ECM files, attached files...). -MinLength=Gjatёsia minimale -LanguageFilesCachedIntoShmopSharedMemory=Files .lang loaded in shared memory -LanguageFile=Language file -ExamplesWithCurrentSetup=Examples with current configuration -ListOfDirectories=List of OpenDocument templates directories -ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.

      Put here full path of directories.
      Add a carriage return between eah directory.
      To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.

      Files in those directories must end with .odt or .ods. -NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories -ExampleOfDirectoriesForModelGen=Examples of syntax:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir -FollowingSubstitutionKeysCanBeUsed=
      To know how to create your odt document templates, before storing them in those directories, read wiki documentation: +CallUpdatePage=Shfletoni në faqen që përditëson strukturën dhe të dhënat e bazës së të dhënave: %s. +LastStableVersion=Versioni i fundit i qëndrueshëm +LastActivationDate=Data e fundit e aktivizimit +LastActivationAuthor=Autori i fundit i aktivizimit +LastActivationIP=IP e fundit e aktivizimit +LastActivationVersion=Versioni i fundit i aktivizimit +UpdateServerOffline=Përditëso serverin jashtë linje +WithCounter=Menaxhoni një numërues +GenericMaskCodes=Ju mund të vendosni çdo maskë numërimi. Në këtë maskë, etiketat e mëposhtme mund të përdoren:
      {000000}b09a4b73 /span> korrespondon me një numër që do të rritet në çdo %s. Futni aq zero sa gjatësia e dëshiruar e numëruesit. Numëruesi do të plotësohet me zero nga e majta në mënyrë që të ketë aq zero sa maska.
      {000000+000}b09a4b739f17f8z e mëparshme, por e njëjta gjë një zhvendosje që korrespondon me numrin në të djathtë të shenjës + zbatohet duke filluar nga %s e parë.
      {000000@x} por e njëjta gjë si e mëparshme numëruesi rivendoset në zero kur arrihet muaji x (x midis 1 dhe 12, ose 0 për të përdorur muajt e parë të vitit fiskal të përcaktuar në konfigurimin tuaj, ose 99 për të rivendosur në zero çdo muaj). Nëse përdoret ky opsion dhe x është 2 ose më i lartë, atëherë kërkohet gjithashtu sekuenca {yy}{mm} ose {yyyy}{mm}.
      {dd} 10 ditë (<1 deri në 3). span class='notranslate'>
      {mm} 1 muaj (01 deri në 1 muaj). class='notranslate'>
      {yy}, {yyyy} ose {y}b09a4b739f17> viti mbi 2, 4 ose 1 numra.
      +GenericMaskCodes2={cccc} kodi i klientit në karakterin e
      {cccc000}b091 code
      b091 në n karaktere ndiqet nga një numërues i dedikuar klientit. Ky numërues i dedikuar klientit rivendoset në të njëjtën kohë me numëruesin global.
      b06a5f45149e Kodi i llojit të palës së tretë në n karaktere (shih menynë Faqja kryesore - Konfigurimi - Fjalori - Llojet e palëve të treta). Nëse shtoni këtë etiketë, numëruesi do të jetë i ndryshëm për çdo lloj pale të tretë.
      +GenericMaskCodes3=Të gjithë karakteret e tjera në maskë do të mbeten të paprekura.
      Hapësirat nuk lejohen.
      +GenericMaskCodes3EAN=Të gjithë karakteret e tjera në maskë do të mbeten të paprekura (përveç * ose ? në pozicionin e 13-të në EAN13).
      Hapësirat nuk lejohen.
      Në EAN13, karakteri i fundit pas }-së së fundit në pozicionin e 13-të duhet të jetë * ose ? . Ai do të zëvendësohet nga çelësi i llogaritur.
      +GenericMaskCodes4a=Shembull në datën 99 %s të palës së tretë TheCompany, me datë 2023-01-31:

      +GenericMaskCodes4b=Shembull për palën e tretë i krijuar më 31/01/2023:b0349fccf +GenericMaskCodes4c=Shembull për produktin e krijuar më 31/01/2023:b0342fccfdasb0342fccfdas +GenericMaskCodes5=ABC{yy}{mm}-{000000} do të japë b65ABC2301-000099

      b0aee83fz0658>b0aee83fz0658@0+0 }-ZZZ/{dd}/XXX
      do të japë 0199-ZZZ/31/XXX

      IN{yy}{mm}-{0000}-{t class='notranslate'>
      do t'i japë IN2301-0099-Ab09a4b739f17 të llojit të kompanisë 'Responsable Inscripto' me kod për llojin që është 'A_RI' +GenericNumRefModelDesc=Kthen një numër të personalizueshëm sipas një maske të përcaktuar. +ServerAvailableOnIPOrPort=Serveri është i disponueshëm në adresën %s %s +ServerNotAvailableOnIPOrPort=Serveri nuk është i disponueshëm në adresën %s %s +DoTestServerAvailability=Testoni lidhjen e serverit +DoTestSend=Testimi i dërgimit +DoTestSendHTML=Testoni dërgimin e HTML +ErrorCantUseRazIfNoYearInMask=Gabim, nuk mund të përdoret opsioni @ për të rivendosur numëruesin çdo vit nëse sekuenca {yy} ose {yyyy} nuk është në maskë. +ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Gabim, nuk mund të përdoret opsioni @ nëse sekuenca {yy}{mm} ose b03d0fe4bc90b>9 {mm} nuk është në maskë. +UMask=Parametri UMask për skedarët e rinj në sistemin e skedarëve Unix/Linux/BSD/Mac. +UMaskExplanation=Ky parametër ju lejon të përcaktoni lejet e vendosura si parazgjedhje për skedarët e krijuar nga Dolibarr në server (për shembull gjatë ngarkimit).
      Duhet të jetë vlera oktal (për shembull, 0666 do të thotë lexo dhe shkruani për të gjithë.). Vlera e rekomanduar është 0600 ose 0660
      Ky parametër është i padobishëm në një server Windows. +SeeWikiForAllTeam=Hidhini një sy faqes Wiki për një listë të kontribuesve dhe organizimin e tyre +UseACacheDelay= Vonesa për ruajtjen e përgjigjes së eksportit në memorie të fshehtë në sekonda (0 ose bosh pa memorie të fshehtë) +DisableLinkToHelpCenter=Fshih lidhjen "Ke nevojë për ndihmë ose mbështetje" në faqen e identifikimit +DisableLinkToHelp=Fshih lidhjen për ndihmën në internet "%s
      " +AddCRIfTooLong=Nuk ka mbështjellje automatike të tekstit, teksti që është shumë i gjatë nuk do të shfaqet në dokumente. Ju lutemi shtoni kthimet e transportit në zonën e tekstit nëse është e nevojshme. +ConfirmPurge=Jeni i sigurt që dëshironi ta ekzekutoni këtë spastrim?
      Kjo do të fshijë përgjithmonë të gjithë skedarët tuaj të të dhënave pa asnjë mënyrë për t'i rivendosur ato (skedarët ECM, skedarët e bashkangjitur...). +MinLength=Gjatësia minimale +LanguageFilesCachedIntoShmopSharedMemory=Skedarët .lang ngarkohen në memorien e përbashkët +LanguageFile=Skedari i gjuhës +ExamplesWithCurrentSetup=Shembuj me konfigurimin aktual +ListOfDirectories=Lista e drejtorive të shablloneve të OpenDocument +ListOfDirectoriesForModelGenODT=Lista e drejtorive që përmbajnë skedarë shabllonesh me formatin OpenDocument.

      Vendosni këtu rrugën e plotë të drejtorive.
      Shto një kthim transporti midis drejtorisë eah.
      Për të shtuar një drejtori të modulit GED, shtoni këtu b0aee833z0583f >DOL_DATA_ROOT/ecm/yourdirectoryname
      .
      b031panFisles.odt ose . +NumberOfModelFilesFound=Numri i skedarëve të shabllonit ODT/ODS të gjetur në këto drejtori +ExampleOfDirectoriesForModelGen=Shembuj të sintaksës:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mydocumentdir/my 'notranslate'>
      DOL_DATA_ROOT/ecm/ecmdir +FollowingSubstitutionKeysCanBeUsed=
      Për të ditur se si të krijoni shabllonet tuaja të dokumenteve odt, përpara se t'i ruani në ato drejtori, lexoni dokumentacionin wiki: FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template -FirstnameNamePosition=Position of Name/Lastname -DescWeather=The following images will be shown on the dashboard when the number of late actions reach the following values: -KeyForWebServicesAccess=Key to use Web Services (parameter "dolibarrkey" in webservices) -TestSubmitForm=Input test form -ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever the user choice. Also this menu manager specialized for smartphones does not work on all smartphone. Use another menu manager if you experience problems with yours. -ThemeDir=Skins directory -ConnectionTimeout=Connection timeout -ResponseTimeout=Response timeout -SmsTestMessage=Test message from __PHONEFROM__ to __PHONETO__ -ModuleMustBeEnabledFirst=Module %s must be enabled first if you need this feature. -SecurityToken=Key to secure URLs -NoSmsEngine=No SMS sender manager available. A SMS sender manager is not installed with the default distribution because they depend on an external vendor, but you can find some on %s +FirstnameNamePosition=Pozicioni i Emrit/Mbiemrit +DescWeather=Imazhet e mëposhtme do të shfaqen në panelin e kontrollit kur numri i veprimeve të vonuara të arrijë vlerat e mëposhtme: +KeyForWebServicesAccess=Çelësi për të përdorur shërbimet e uebit (parametri "dolibarrkey" në shërbimet e internetit) +TestSubmitForm=Formulari i testit të hyrjes +ThisForceAlsoTheme=Përdorimi i këtij menaxheri të menusë do të përdorë gjithashtu temën e tij, pavarësisht nga zgjedhja e përdoruesit. Gjithashtu, ky menaxher i menusë i specializuar për telefonat inteligjentë nuk funksionon në të gjithë smartfonët. Përdorni një menaxher tjetër menuje nëse keni probleme me tuajat. +ThemeDir=Drejtoria e lëkurës +ConnectionTimeout=Kohëzgjatja e lidhjes +ResponseTimeout=Afati i përgjigjes +SmsTestMessage=Mesazh testues nga __PHONEFROM__ në __PHONETO__ +ModuleMustBeEnabledFirst=Moduli %s nëse së pari duhet ta aktivizoni këtë veçori. +SecurityToken=Çelësi për të siguruar URL-të +NoSmsEngine=Nuk disponohet menaxher i dërguesit SMS. Një menaxher i dërguesit SMS nuk është i instaluar me shpërndarjen e paracaktuar sepse ato varen nga një shitës i jashtëm, por ju mund të gjeni disa në %s PDF=PDF -PDFDesc=Global options for PDF generation -PDFOtherDesc=PDF Option specific to some modules -PDFAddressForging=Rules for address section -HideAnyVATInformationOnPDF=Hide all information related to Sales Tax / VAT -PDFRulesForSalesTax=Rules for Sales Tax / VAT -PDFLocaltax=Rules for %s -HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT -HideDescOnPDF=Hide products description -HideRefOnPDF=Hide products ref. -HideDetailsOnPDF=Hide product lines details -PlaceCustomerAddressToIsoLocation=Use french standard position (La Poste) for customer address position -Library=Library -UrlGenerationParameters=Parameters to secure URLs -SecurityTokenIsUnique=Use a unique securekey parameter for each URL -EnterRefToBuildUrl=Enter reference for object %s -GetSecuredUrl=Get calculated URL -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) -OldVATRates=Old VAT rate -NewVATRates=New VAT rate -PriceBaseTypeToChange=Modify on prices with base reference value defined on -MassConvert=Launch bulk conversion -PriceFormatInCurrentLanguage=Price Format In Current Language -String=String -String1Line=String (1 line) -TextLong=Long text -TextLongNLines=Long text (n lines) -HtmlText=Html text -Int=Integer -Float=Float -DateAndTime=Date and hour -Unique=Unique -Boolean=Boolean (one checkbox) -ExtrafieldPhone = Telefon -ExtrafieldPrice = Price -ExtrafieldPriceWithCurrency=Price with currency +PDFDesc=Opsionet globale për gjenerimin e PDF-ve +PDFOtherDesc=Opsioni PDF specifik për disa module +PDFAddressForging=Rregullat për seksionin e adresave +HideAnyVATInformationOnPDF=Fshih të gjitha informacionet në lidhje me Tatimin e Shitjes / TVSH-në +PDFRulesForSalesTax=Rregullat për Tatimin e Shitjes / TVSH +PDFLocaltax=Rregullat për %s +HideLocalTaxOnPDF=Fshih normën %s në kolonën Tatimi mbi shitjen / TVSH +HideDescOnPDF=Fshih përshkrimin e produkteve +HideRefOnPDF=Fshih produktet ref. +ShowProductBarcodeOnPDF=Shfaq numrin e barkodit të produkteve +HideDetailsOnPDF=Fshih detajet e linjave të produkteve +PlaceCustomerAddressToIsoLocation=Përdorni pozicionin standard francez (La Poste) për pozicionin e adresës së klientit +Library=Librari +UrlGenerationParameters=Parametrat për të siguruar URL-të +SecurityTokenIsUnique=Përdorni një parametër unik të çelësit të sigurisë për çdo URL +EnterRefToBuildUrl=Fut referencën për objektin %s +GetSecuredUrl=Merr URL-në e llogaritur +ButtonHideUnauthorized=Fshih butonat e veprimit të paautorizuar edhe për përdoruesit e brendshëm (vetëm gri ndryshe) +OldVATRates=Norma e vjetër e TVSH-së +NewVATRates=Norma e re e TVSH-së +PriceBaseTypeToChange=Modifikoni çmimet me vlerën bazë të referencës të përcaktuar më +MassConvert=Nis konvertimin në masë +PriceFormatInCurrentLanguage=Formati i çmimit në gjuhën aktuale +String=Vargu +String1Line=Varg (1 rresht) +TextLong=Tekst i gjatë +TextLongNLines=Tekst i gjatë (n rreshta) +HtmlText=Teksti HTML +Int=Numër i plotë +Float=noton +DateAndTime=Data dhe ora +Unique=Unike +Boolean=Boolean (një kuti kontrolli) +ExtrafieldPhone = Telefoni +ExtrafieldPrice = Çmimi +ExtrafieldPriceWithCurrency=Çmimi me valutë ExtrafieldMail = Email ExtrafieldUrl = Url ExtrafieldIP = IP -ExtrafieldSelect = Select list -ExtrafieldSelectList = Select from table -ExtrafieldSeparator=Separator (not a field) +ExtrafieldSelect = Zgjidhni listën +ExtrafieldSelectList = Zgjidhni nga tabela +ExtrafieldSeparator=Ndarës (jo fushë) ExtrafieldPassword=Fjalëkalimi -ExtrafieldRadio=Radio buttons (one choice only) -ExtrafieldCheckBox=Checkboxes -ExtrafieldCheckBoxFromList=Checkboxes from table -ExtrafieldLink=Link to an object -ComputedFormula=Computed field -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' -Computedpersistent=Store computed field -ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!! -ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored without encryption (field must be only hidden with star on screen).
      Set 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retrieve original value) -ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      In order to have the list depending on another list:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key -ExtrafieldParamHelpcheckbox=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpradio=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath -ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) -LibraryToBuildPDF=Library used for PDF generation -LocalTaxDesc=Some countries may apply two or three taxes on each invoice line. If this is the case, choose the type for the second and third tax and its rate. Possible type are:
      1: local tax apply on products and services without vat (localtax is calculated on amount without tax)
      2: local tax apply on products and services including vat (localtax is calculated on amount + main tax)
      3: local tax apply on products without vat (localtax is calculated on amount without tax)
      4: local tax apply on products including vat (localtax is calculated on amount + main vat)
      5: local tax apply on services without vat (localtax is calculated on amount without tax)
      6: local tax apply on services including vat (localtax is calculated on amount + tax) +ExtrafieldRadio=Butonat e radios (vetëm një zgjedhje) +ExtrafieldCheckBox=Kutitë e kontrollit +ExtrafieldCheckBoxFromList=Kutitë e zgjedhjes nga tabela +ExtrafieldLink=Lidhja me një objekt +ComputedFormula=Fusha e llogaritur +ComputedFormulaDesc=Këtu mund të futni një formulë duke përdorur vetitë e tjera të objektit ose ndonjë kodim PHP për të marrë një vlerë të llogaritur dinamike. Ju mund të përdorni çdo formula të pajtueshme me PHP duke përfshirë "?" operatori i gjendjes dhe objekti global vijues: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      PARALAJMËRIM nëse keni nevojë për vetitë e një objekti: nuk është ngarkuar, thjesht merre vetë objektin në formulën tënde, si në shembullin e dytë.
      Përdorimi i një fushe të llogaritur do të thotë që nuk mund të futësh ndonjë vlerë nga ndërfaqja. Gjithashtu, nëse ka një gabim sintaksor, formula nuk mund të kthejë asgjë.

      Shembull i formulës:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      Shembull për të ringarkuar objektin
      (($reloadedobj = Shoqëria e re($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->opsionet_array['options_extrafieldobj'] >kapitale / 5: '-1')

      Shembull tjetër i formulës për të detyruar ngarkesën e objektit dhe objektit të tij prind:
      (($reloadedobj = detyrë e re($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = projekt i ri( $db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Projekti prind nuk u gjet' +Computedpersistent=Ruaj fushën e llogaritur +ComputedpersistentDesc=Fushat shtesë të llogaritura do të ruhen në bazën e të dhënave, megjithatë, vlera do të rillogaritet vetëm kur objekti i kësaj fushe ndryshohet. Nëse fusha e llogaritur varet nga objekte të tjera ose të dhëna globale, kjo vlerë mund të jetë e gabuar!! +ExtrafieldParamHelpPassword=Lënia e kësaj fushe bosh do të thotë se kjo vlerë do të ruhet PA enkriptim (fusha thjesht është fshehur me yje në ekran).

      Enter vlera 'dolcrypt' për të koduar vlerën me një algoritëm të kthyeshëm enkriptimi. Të dhënat e pastra ende mund të njihen dhe modifikohen, por janë të koduara në bazën e të dhënave.

      Fut 'auto' (ose 'md5', 'sha256', 'password_hash', ...) për të përdorur algoritmin e parazgjedhur të enkriptimit të fjalëkalimit (ose md5, sha256, password_hash...) për të ruajtur fjalëkalimin e hashuar jo të kthyeshëm në bazën e të dhënave (nuk ka asnjë mënyrë për të marrë vlerën origjinale) +ExtrafieldParamHelpselect=Lista e vlerave duhet të jetë rreshta me çelësin e formatit, vlerën (ku çelësi nuk mund të jetë '0')

      për shembull :
      1,value1
      2,value2

      ...

      Për të pasur listën në varësi të një tjetri lista plotësuese e atributeve:
      1,value1|options_parent_list_code7span çelësi_prindëror
      2,value2|opsionet_kodi_lista_parent7par_833>b0pansbacey3>b0pansbacey6 class='notranslate'>

      Për të pasur listën në varësi të një liste tjetër:
      1, vlera1|parent_list_code:parent_keyb0342fccfda1, b0342zvalueb0342fccfda1| class='notranslate'>parent_list_code:parent_key +ExtrafieldParamHelpcheckbox=Lista e vlerave duhet të jetë rreshta me çelësin e formatit, vlerën (ku çelësi nuk mund të jetë '0')

      për shembull :
      1,value1
      2,value2
      ,value<3> span class='notranslate'>
      ... +ExtrafieldParamHelpradio=Lista e vlerave duhet të jetë rreshta me çelësin e formatit, vlerën (ku çelësi nuk mund të jetë '0')

      për shembull :
      1,value1
      2,value2
      ,value<3> span class='notranslate'>
      ... +ExtrafieldParamHelpsellist=Lista e vlerave vjen nga një tabelë
      Sintaksa: table_name:label_field:id_field::filtersql
      Shembull: cbelle_typident: ::filtersql

      - id_field është domosdoshmërisht një çelës int primarb03420cc - filtersql është një kusht SQL. Mund të jetë një test i thjeshtë (p.sh. aktiv=1) për të shfaqur vetëm vlerën aktive
      Mund të përdorni gjithashtu $ID$ në filtër që është id-ja aktuale e objektit aktual
      Për të përdorur një SELECT në filtër, përdorni fjalën kyçe $SEL$ për të anashkaluar mbrojtjen kundër injektimit.
      nëse dëshironi të filtroni në fusha shtesë përdorni sintaksë extra.fieldcode=... (ku kodi i fushës është kodi i extrafield)

      Për të pasur listë në varësi të një liste atributesh plotësuese:
      c_typent:libelle:id:options_parent_list_codenotranslate' class='>
      |column_parent:filter

      Për të pasur listën në varësi të një liste tjetër: 'notranslate'>
      c_typent:libelle:id:parent_list_codeb0ae64758sacum33>b0ae64758sbacum33| +ExtrafieldParamHelpchkbxlst=Lista e vlerave vjen nga një tabelë
      Sintaksa: table_name:label_field:id_field::filtersql
      Shembull: cbelle_typident: ::filtersql

      filtri mund të jetë një test i thjeshtë (p.sh. active=1) për të shfaqur vetëm vlerën aktive
      Mund të përdorni gjithashtu $ID$ në filtër, ku është id-ja aktuale e objektit aktual
      Për të bërë një SELECT në filtër përdorni $SEL$
      nëse dëshiron të filtrosh në fusha shtesë, përdor sintaksën extra.fieldcode=... (ku kodi i fushës është kodi i extrafield)

      Për të pasur listën në varësi të një liste tjetër atributesh plotësuese:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter b0342fccfdaspannotranslate'>b0342fccfdaspannotranslate'0342fccfdaspannotranslate'0 9bz0 Për të pasur listën në varësi të një liste tjetër:
      c_typent:libelle:id:parent_list_code
      |column_parent:filter +ExtrafieldParamHelplink=Parametrat duhet të jenë ObjectName:Classpath
      Sintaksa: ObjectName:Classpath +ExtrafieldParamHelpSeparator=Mbajeni bosh për një ndarës të thjeshtë
      Vendoseni këtë në 1 për një ndarës në kolaps (i hapur si parazgjedhje për sesionin e ri, më pas statusi mbahet për çdo sesion përdoruesi)
      Cakto këtë në 2 për një ndarës në kolaps (i palosur si parazgjedhje për sesionin e ri, më pas statusi mbahet për çdo sesion përdoruesi) +LibraryToBuildPDF=Biblioteka e përdorur për gjenerimin e PDF-ve +LocalTaxDesc=Disa vende mund të aplikojnë dy ose tre taksa për çdo linjë faturë. Nëse është kështu, zgjidhni llojin për taksën e dytë dhe të tretë dhe shkallën e saj. Llojet e mundshme janë:
      1: zbatohet taksa vendore për produktet dhe shërbimet pa TVSH (taksa lokale llogaritet mbi shumën pa tatim)
      2: zbatohet taksa vendore për produktet dhe shërbimet duke përfshirë TVSH-në (taksa vendore llogaritet në shumën + taksën kryesore)
      3: taksa vendore zbatohet për produktet pa TVSH (taksa vendore llogaritet në shumën pa taksa)
      4: aplikohet taksa vendore për produktet duke përfshirë TVSH-në (taksa lokale llogaritet në shumën + TVSH-në kryesore)
      5: lokale zbatohet taksa për shërbimet pa TVSH (taksa vendore llogaritet mbi shumën pa taksë)
      6: taksa vendore zbatohet për shërbimet që përfshijnë TVSH-në (taksa vendore llogaritet mbi shumën + tatimin) SMS=SMS -LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user %s -RefreshPhoneLink=Refresh link -LinkToTest=Clickable link generated for user %s (click phone number to test) -KeepEmptyToUseDefault=Keep empty to use default value -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. -DefaultLink=Default link -SetAsDefault=Set as default -ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) -ExternalModule=External module -InstalledInto=Installed into directory %s -BarcodeInitForThirdparties=Mass barcode init for third-parties -BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services -CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. -InitEmptyBarCode=Init value for the %s empty barcodes -EraseAllCurrentBarCode=Erase all current barcode values -ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values? -AllBarcodeReset=All barcode values have been removed -NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled in the Barcode module setup. -EnableFileCache=Enable file cache -ShowDetailsInPDFPageFoot=Add more details into footer, such as company address or manager names (in addition to professional ids, company capital and VAT number). -NoDetails=No additional details in footer -DisplayCompanyInfo=Display company address -DisplayCompanyManagers=Display manager names -DisplayCompanyInfoAndManagers=Display company address and manager names -EnableAndSetupModuleCron=If you want to have this recurring invoice generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template using the *Create* button. Note that even if you enabled automatic generation, you can still safely launch manual generation. Generation of duplicates for the same period is not possible. -ModuleCompanyCodeCustomerAquarium=%s followed by customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by vendor code for a vendor accounting code -ModuleCompanyCodePanicum=Return an empty accounting code. -ModuleCompanyCodeDigitaria=Returns a compound accounting code according to the name of the third party. The code consists of a prefix that can be defined in the first position followed by the number of characters defined in the third party code. -ModuleCompanyCodeCustomerDigitaria=%s followed by the truncated customer name by the number of characters: %s for the customer accounting code. -ModuleCompanyCodeSupplierDigitaria=%s followed by the truncated supplier name by the number of characters: %s for the supplier accounting code. -Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
      Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. -UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... -WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons: -WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM -WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota). -WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox. -WarningPHPMailD=It is therefore recommended to change the sending method of e-mails to the value "SMTP". -WarningPHPMailDbis=If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by %sclicking here%s. -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask your domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. -ActualMailSPFRecordFound=Actual SPF record found (for email %s) : %s -ClickToShowDescription=Click to show description -DependsOn=This module needs the module(s) -RequiredBy=This module is required by module(s) -TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. Technical knowledge is required to read the content of the HTML page to get the key name of a field. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. -PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) -EnableDefaultValues=Enable customization of default values -EnableOverwriteTranslation=Allow customization of translations -GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation. -WarningSettingSortOrder=Warning, setting a default sort order may result in a technical error when going on the list page if field is an unknown field. If you experience such an error, come back to this page to remove the default sort order and restore default behavior. -Field=Field -ProductDocumentTemplates=Document templates to generate product document -ProductBatchDocumentTemplates=Document templates to generate product lots document -FreeLegalTextOnExpenseReports=Free legal text on expense reports -WatermarkOnDraftExpenseReports=Watermark on draft expense reports -ProjectIsRequiredOnExpenseReports=The project is mandatory for entering an expense report -PrefillExpenseReportDatesWithCurrentMonth=Pre-fill start and end dates of new expense report with start and end dates of the current month -ForceExpenseReportsLineAmountsIncludingTaxesOnly=Force the entry of expense report amounts always in amount with taxes -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) -FilesAttachedToEmail=Attach file -SendEmailsReminders=Send agenda reminders by emails -davDescription=Setup a WebDAV server -DAVSetup=Setup of module DAV -DAV_ALLOW_PRIVATE_DIR=Enable the generic private directory (WebDAV dedicated directory named "private" - login required) -DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory anybody can access with its application login/pass. -DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). -DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. +LinkToTestClickToDial=Fut një numër telefoni për të thirrur për të shfaqur një lidhje për të testuar url-në ClickToDial për përdoruesin %s +RefreshPhoneLink=Rifresko lidhjen +LinkToTest=Lidhja e klikueshme e krijuar për përdoruesin %sb0a65d071f6fc9zli%s %s Caktojeni këtë të zbrazet nëse mjafton një miratim (2 hapa), vendoseni në një vlerë shumë të ulët (0.1) nëse kërkohet gjithmonë një miratim i dytë (3 hapa). +UseDoubleApproval=Përdorni një miratim me 3 hapa kur shuma (pa taksa) është më e lartë se... +WarningPHPMail=PARALAJMËRIM: Konfigurimi për të dërguar email nga aplikacioni po përdor konfigurimin e përgjithshëm të paracaktuar. Shpesh është më mirë të konfiguroni emailet dalëse për të përdorur serverin e postës elektronike të Ofruesit tuaj të Shërbimit të Email-it në vend të konfigurimit të paracaktuar për disa arsye: +WarningPHPMailA=- Përdorimi i serverit të Ofruesit të Shërbimit të Email-it rrit besueshmërinë e emailit tuaj, kështu që rrit dorëzueshmërinë pa u shënuar si SPAM +WarningPHPMailB=- Disa ofrues të shërbimeve të postës elektronike (si Yahoo) nuk ju lejojnë të dërgoni një email nga një server tjetër nga serveri i tyre. Konfigurimi juaj aktual përdor serverin e aplikacionit për të dërguar email dhe jo serverin e ofruesit tuaj të postës elektronike, kështu që disa marrës (ai që është në përputhje me protokollin kufizues DMARC), do të pyesin ofruesin tuaj të postës elektronike nëse mund ta pranojnë emailin tuaj dhe disa ofrues të postës elektronike (si Yahoo) mund të përgjigjet "jo" sepse serveri nuk është i tyre, kështu që disa nga emailet tuaja të dërguara mund të mos pranohen për dorëzim (kini kujdes edhe për kuotën e dërgimit të ofruesit tuaj të emailit). +WarningPHPMailC=- Përdorimi i serverit SMTP të Ofruesit tuaj të Shërbimit të Email-it për të dërguar email është gjithashtu interesant, kështu që të gjitha emailet e dërguara nga aplikacioni do të ruhen gjithashtu në drejtorinë tuaj "Dërguar" të kutisë tuaj postare. +WarningPHPMailD=Prandaj rekomandohet ndryshimi i mënyrës së dërgimit të e-maileve në vlerën "SMTP". +WarningPHPMailDbis=Nëse vërtet dëshironi të mbani metodën e paracaktuar "PHP" për të dërguar email, thjesht shpërfilleni këtë paralajmërim ose hiqeni atë duke %sduke klikuar këtu%s. +WarningPHPMail2=Nëse ofruesi juaj i emailit SMTP duhet të kufizojë klientin e emailit në disa adresa IP (shumë e rrallë), kjo është adresa IP e agjentit të përdoruesit të postës (MUA) për aplikacionin tuaj ERP CRM: %s. +WarningPHPMailSPF=Nëse emri i domenit në adresën tuaj të postës elektronike të dërguesit mbrohet nga një rekord SPF (pyetni regjistruesin e emrit tuaj të domenit), duhet të shtoni IP-të e mëposhtme në regjistrimin SPF të DNS-së së domenit tuaj: %s. +ActualMailSPFRecordFound=U gjet rekord aktual SPF (për emailin %s) : %s +ClickToShowDescription=Klikoni për të shfaqur përshkrimin +DependsOn=Ky modul ka nevojë për modulin(et) +RequiredBy=Ky modul kërkohet nga moduli(et) +TheKeyIsTheNameOfHtmlField=Ky është emri i fushës HTML. Kërkohen njohuri teknike për të lexuar përmbajtjen e faqes HTML për të marrë emrin kyç të një fushe. +PageUrlForDefaultValues=Duhet të futni shtegun përkatës të URL-së së faqes. Nëse përfshini parametra në URL, do të jetë efektive nëse të gjithë parametrat në URL-në e shfletuar kanë vlerën e përcaktuar këtu. +PageUrlForDefaultValuesCreate=
      Shembull:
      Për formularin për të krijuar një palë të tretë të re, është b0e7843947c<0 /span>%s
      .
      Për URL të instaluar në module të jashtme drejtoria e personalizuar, mos përfshini "custom/", prandaj përdorni shteg si mymodule/mypage.php dhe jo të personalizuar /mymodule/mypage.php.
      Nëse dëshironi vlerën e paracaktuar vetëm nëse url-ja ka ndonjë parametër, mund të përdorni %s +PageUrlForDefaultValuesList=
      Shembull:
      Për faqen që liston palët e treta, është b0e7843947c0 >%s
      .
      Për URL-në e instaluar të moduleve të jashtme , mos përfshini "custom/" kështu që përdorni një shteg si mymodule/mypagelist.php dhe jo të personalizuar/mymodule /mypagelist.php.
      Nëse dëshironi vlerën e paracaktuar vetëm nëse url-ja ka ndonjë parametër, mund të përdorni %s +AlsoDefaultValuesAreEffectiveForActionCreate=Vini re gjithashtu se mbishkrimi i vlerave të paracaktuara për krijimin e formularit funksionon vetëm për faqet që janë projektuar saktë (pra me parametrin veprim=krijoni ose paraqisni...) +EnableDefaultValues=Aktivizo personalizimin e vlerave të paracaktuara +EnableOverwriteTranslation=Lejo personalizimin e përkthimeve +GoIntoTranslationMenuToChangeThis=Është gjetur një përkthim për çelësin me këtë kod. Për të ndryshuar këtë vlerë, duhet ta modifikoni nga Home-Setup-translation. +WarningSettingSortOrder=Paralajmërim, vendosja e një rendi të paracaktuar të renditjes mund të rezultojë në një gabim teknik kur shkoni në faqen e listës nëse fusha është një fushë e panjohur. Nëse hasni një gabim të tillë, kthehuni në këtë faqe për të hequr renditjen e paracaktuar të renditjes dhe për të rivendosur sjelljen e paracaktuar. +Field=Fusha +ProductDocumentTemplates=Modele dokumentesh për të gjeneruar dokument produkti +ProductBatchDocumentTemplates=Modelet e dokumenteve për të gjeneruar dokumente të grupeve të produkteve +FreeLegalTextOnExpenseReports=Tekst ligjor falas për raportet e shpenzimeve +WatermarkOnDraftExpenseReports=Filigram në draft raportet e shpenzimeve +ProjectIsRequiredOnExpenseReports=Projekti është i detyrueshëm për të futur një raport shpenzimesh +PrefillExpenseReportDatesWithCurrentMonth=Plotësoni paraprakisht datat e fillimit dhe mbarimit të raportit të ri të shpenzimeve me datat e fillimit dhe mbarimit të muajit aktual +ForceExpenseReportsLineAmountsIncludingTaxesOnly=Detyroni hyrjen e shumave të raportit të shpenzimeve gjithmonë në shumë me taksat +AttachMainDocByDefault=Vendoseni këtë në Po nëse dëshironi të bashkëngjitni si parazgjedhje dokumentin kryesor në email (nëse është e aplikueshme) +FilesAttachedToEmail=Bashkangjit skedarin +SendEmailsReminders=Dërgoni rikujtues të rendit të ditës me email +davDescription=Konfiguro një server WebDAV +DAVSetup=Konfigurimi i modulit DAV +DAV_ALLOW_PRIVATE_DIR=Aktivizo drejtorinë e përgjithshme private (drejtoria e dedikuar WebDAV me emrin "private" - kërkohet identifikimi) +DAV_ALLOW_PRIVATE_DIRTooltip=Drejtoria e përgjithshme private është një drejtori WebDAV që mund të hyjë kushdo me hyrjen/kalimin e aplikacionit të saj. +DAV_ALLOW_PUBLIC_DIR=Aktivizo drejtorinë e përgjithshme publike (drejtoria e dedikuar WebDAV me emrin "publik" - nuk kërkohet identifikimi) +DAV_ALLOW_PUBLIC_DIRTooltip=Drejtoria e përgjithshme publike është një direktori WebDAV që çdokush mund të hyjë (në modalitetin e leximit dhe shkrimit), pa autorizim (llogari identifikimi/fjalëkalim). +DAV_ALLOW_ECM_DIR=Aktivizo drejtorinë private DMS/ECM (drejtoria rrënjësore e modulit DMS/ECM - kërkohet identifikimi) +DAV_ALLOW_ECM_DIRTooltip=Drejtoria rrënjësore ku të gjithë skedarët ngarkohen manualisht kur përdorni modulin DMS/ECM. Ngjashëm si aksesi nga ndërfaqja e internetit, do t'ju duhet një hyrje/fjalëkalim i vlefshëm me leje të përshtatshme për t'iu qasur. ##### Modules ##### -Module0Name=Users & Groups -Module0Desc=Users / Employees and Groups management -Module1Name=Third Parties -Module1Desc=Companies and contacts management (customers, prospects...) -Module2Name=Commercial -Module2Desc=Commercial management -Module10Name=Accounting (simplified) -Module10Desc=Simple accounting reports (journals, turnover) based on database content. Does not use any ledger table. -Module20Name=Proposals -Module20Desc=Commercial proposal management -Module22Name=Mass Emailings -Module22Desc=Manage bulk emailing -Module23Name=Energy -Module23Desc=Monitoring the consumption of energies -Module25Name=Sales Orders -Module25Desc=Sales order management +Module0Name=Përdoruesit dhe Grupet +Module0Desc=Menaxhimi i përdoruesve / punonjësve dhe grupeve +Module1Name=Palëve të treta +Module1Desc=Menaxhimi i kompanive dhe kontakteve (klientët, perspektivat...) +Module2Name=Komerciale +Module2Desc=Menaxhimi komercial +Module10Name=Kontabiliteti (i thjeshtuar) +Module10Desc=Raporte të thjeshta kontabël (revista, qarkullim) bazuar në përmbajtjen e bazës së të dhënave. Nuk përdor asnjë tabelë të librit. +Module20Name=Propozimet +Module20Desc=Menaxhimi i propozimit komercial +Module22Name=Dërgesat masive me email +Module22Desc=Menaxhoni dërgimin me email me shumicë +Module23Name=Energjisë +Module23Desc=Monitorimi i konsumit të energjisë +Module25Name=Urdhërat e shitjes +Module25Desc=Menaxhimi i porosive të shitjeve Module30Name=Faturat -Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers -Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) -Module42Name=Debug Logs -Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. -Module43Name=Debug Bar -Module43Desc=A tool for developper adding a debug bar in your browser. -Module49Name=Editors -Module49Desc=Editor management -Module50Name=Produkte -Module50Desc=Management of Products -Module51Name=Mass mailings -Module51Desc=Mass paper mailing management -Module52Name=Stocks -Module52Desc=Stock management (stock movement tracking and inventory) -Module53Name=Services -Module53Desc=Management of Services -Module54Name=Contracts/Subscriptions -Module54Desc=Management of contracts (services or recurring subscriptions) -Module55Name=Barkod -Module55Desc=Barcode or QR code management -Module56Name=Payment by credit transfer -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. -Module57Name=Payments by Direct Debit -Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. -Module58Name=ClickToDial -Module58Desc=Integration of a ClickToDial system (Asterisk, ...) -Module60Name=Stickers -Module60Desc=Management of stickers -Module70Name=Interventions -Module70Desc=Intervention management -Module75Name=Expense and trip notes -Module75Desc=Expense and trip notes management -Module80Name=Shipments -Module80Desc=Shipments and delivery note management -Module85Name=Banks & Cash -Module85Desc=Management of bank or cash accounts -Module100Name=External Site -Module100Desc=Add a link to an external website as a main menu icon. Website is shown in a frame under the top menu. -Module105Name=Mailman and SPIP -Module105Desc=Mailman or SPIP interface for member module +Module30Desc=Menaxhimi i faturave dhe kredive për klientët. Menaxhimi i faturave dhe shënimeve të kreditit për furnitorët +Module40Name=Shitësit +Module40Desc=Shitësit dhe menaxhimi i blerjeve (urdhrat e blerjeve dhe faturimi i faturave të furnizuesit) +Module42Name=Regjistrat e korrigjimit +Module42Desc=Objektet e regjistrimit (skedar, syslog, ...). Regjistrat e tillë janë për qëllime teknike/debugimi. +Module43Name=Shiriti i korrigjimit +Module43Desc=Një mjet për zhvilluesit, duke shtuar një shirit korrigjimi në shfletuesin tuaj. +Module49Name=Redaktorët +Module49Desc=Menaxhimi i redaktorit +Module50Name=Produktet +Module50Desc=Menaxhimi i produkteve +Module51Name=Postimet masive +Module51Desc=Menaxhimi masiv i postimeve të letrës +Module52Name=Stoqet +Module52Desc=Menaxhimi i aksioneve (ndjekja dhe inventari i lëvizjes së aksioneve) +Module53Name=Shërbimet +Module53Desc=Menaxhimi i Shërbimeve +Module54Name=Kontratat/Abonimet +Module54Desc=Menaxhimi i kontratave (shërbime ose abonime të përsëritura) +Module55Name=Barkodet +Module55Desc=Menaxhimi i barkodit ose kodit QR +Module56Name=Pagesa me transfertë krediti +Module56Desc=Menaxhimi i pagesës së furnitorëve apo pagave me urdhër të transfertave të kredisë. Ai përfshin gjenerimin e skedarit SEPA për vendet evropiane. +Module57Name=Pagesat me Debitim Direkt +Module57Desc=Menaxhimi i urdhrave të Debitimit Direkt. Ai përfshin gjenerimin e skedarit SEPA për vendet evropiane. +Module58Name=KlikoToDial +Module58Desc=Integrimi i një sistemi ClickToDial (Asterisk, ...) +Module60Name=Ngjitëse +Module60Desc=Menaxhimi i afisheve +Module70Name=Ndërhyrjet +Module70Desc=Menaxhimi i ndërhyrjes +Module75Name=Shënime për shpenzimet dhe udhëtimet +Module75Desc=Menaxhimi i shënimeve të shpenzimeve dhe udhëtimit +Module80Name=Dërgesat +Module80Desc=Menaxhimi i dërgesave dhe shënimeve të dorëzimit +Module85Name=Bankat & Paratë +Module85Desc=Menaxhimi i llogarive bankare ose cash +Module100Name=Faqe e jashtme +Module100Desc=Shtoni një lidhje në një faqe interneti të jashtme si ikonë e menysë kryesore. Faqja e internetit shfaqet në një kornizë nën menunë e sipërme. +Module105Name=Postier dhe SPIP +Module105Desc=Ndërfaqja e Mailman ose SPIP për modulin e anëtarëve Module200Name=LDAP -Module200Desc=LDAP directory synchronization +Module200Desc=Sinkronizimi i drejtorisë LDAP Module210Name=PostNuke -Module210Desc=Integrimi PostNuke -Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistance) -Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistance) -Module310Name=Members -Module310Desc=Foundation members management +Module210Desc=Integrimi i PostNuke +Module240Name=Eksportet e të dhënave +Module240Desc=Mjet për të eksportuar të dhënat e Dolibarr (me ndihmë) +Module250Name=Importi i të dhënave +Module250Desc=Mjet për të importuar të dhëna në Dolibarr (me ndihmë) +Module310Name=Anëtarët +Module310Desc=Menaxhimi i anëtarëve të fondacionit Module320Name=RSS Feed -Module320Desc=Add a RSS feed to Dolibarr pages -Module330Name=Bookmarks & Shortcuts -Module330Desc=Create shortcuts, always accessible, to the internal or external pages to which you frequently access -Module400Name=Projects or Leads -Module400Desc=Management of projects, leads/opportunities and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. -Module410Name=Webcalendar -Module410Desc=Webcalendar integration -Module500Name=Taxes & Special Expenses -Module500Desc=Management of other expenses (sales taxes, social or fiscal taxes, dividends, ...) -Module510Name=Rrogat -Module510Desc=Record and track employee payments -Module520Name=Loans -Module520Desc=Management of loans -Module600Name=Notifications on business event -Module600Desc=Send email notifications triggered by a business event: per user (setup defined on each user), per third-party contacts (setup defined on each third party) or by specific emails -Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. -Module610Name=Product Variants -Module610Desc=Creation of product variants (color, size etc.) -Module700Name=Dhurimet -Module700Desc=Donation management -Module770Name=Expense Reports -Module770Desc=Manage expense reports claims (transportation, meal, ...) -Module1120Name=Vendor Commercial Proposals -Module1120Desc=Request vendor commercial proposal and prices +Module320Desc=Shtoni një burim RSS në faqet e Dolibarr +Module330Name=Faqeshënuesit dhe shkurtoret +Module330Desc=Krijoni shkurtore, gjithmonë të aksesueshme, për faqet e brendshme ose të jashtme në të cilat aksesoni shpesh +Module400Name=Projekte ose Drejtues +Module400Desc=Menaxhimi i projekteve, drejtimeve/mundësive dhe/ose detyrave. Ju gjithashtu mund të caktoni çdo element (faturë, porosi, propozim, ndërhyrje, ...) në një projekt dhe të merrni një pamje tërthore nga pamja e projektit. +Module410Name=Kalendari në internet +Module410Desc=Integrimi i kalendarit në internet +Module500Name=Taksat & Shpenzimet e Veçanta +Module500Desc=Menaxhimi i shpenzimeve të tjera (tatimet mbi shitjet, taksat sociale ose fiskale, dividentët, ...) +Module510Name=Pagat +Module510Desc=Regjistroni dhe gjurmoni pagesat e punonjësve +Module520Name=Kreditë +Module520Desc=Menaxhimi i kredive +Module600Name=Njoftimet për ngjarjet e biznesit +Module600Desc=Dërgo njoftime me email të shkaktuar nga një ngjarje biznesi: për përdorues (konfigurimi i përcaktuar për secilin përdorues), për kontakte të palëve të treta (konfigurimi i përcaktuar në secilën palë të tretë) ose nga emaile specifike +Module600Long=Vini re se ky modul dërgon email në kohë reale kur ndodh një ngjarje specifike biznesi. Nëse jeni duke kërkuar për një veçori për të dërguar rikujtues me email për ngjarjet e axhendës, shkoni te konfigurimi i modulit Axhenda. +Module610Name=Variantet e produktit +Module610Desc=Krijimi i varianteve të produktit (ngjyra, madhësia etj.) +Module650Name=Faturat e Materialit (BOM) +Module650Desc=Moduli për të përcaktuar faturat tuaja të materialeve (BOM). Mund të përdoret për Planifikimin e Burimeve të Prodhimit nga moduli Urdhrat e Prodhimit (MO) +Module660Name=Planifikimi i burimeve të prodhimit (MRP) +Module660Desc=Moduli për të menaxhuar porositë e prodhimit (MO) +Module700Name=Donacionet +Module700Desc=Menaxhimi i donacioneve +Module770Name=Raportet e Shpenzimeve +Module770Desc=Menaxhoni pretendimet e raporteve të shpenzimeve (transport, ushqim, ...) +Module1120Name=Propozimet tregtare të shitësve +Module1120Desc=Kërkoni ofertën komerciale nga shitësi dhe çmimet Module1200Name=Mantis -Module1200Desc=Mantis integration -Module1520Name=Document Generation -Module1520Desc=Mass email document generation -Module1780Name=Tags/Categories -Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members) -Module2000Name=Editor WYSIWYG -Module2000Desc=Allow text fields to be edited/formatted using CKEditor (html) -Module2200Name=Dynamic Prices -Module2200Desc=Use maths expressions for auto-generation of prices -Module2300Name=Scheduled jobs -Module2300Desc=Scheduled jobs management (alias cron or chrono table) -Module2400Name=Events/Agenda -Module2400Desc=Track events. Log automatic events for tracking purposes or record manual events or meetings. This is the principal module for good Customer or Vendor Relationship Management. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module1200Desc=Integrimi mantis +Module1520Name=Gjenerimi i dokumenteve +Module1520Desc=Prodhimi masiv i dokumenteve me email +Module1780Name=Etiketat/Kategoritë +Module1780Desc=Krijo etiketa/kategori (produkte, klientë, furnitorë, kontakte ose anëtarë) +Module2000Name=Redaktori i WYSIWYG +Module2000Desc=Lejo që fushat e tekstit të modifikohen/formatohen duke përdorur CKEditor (html) +Module2200Name=Çmimet dinamike +Module2200Desc=Përdorni shprehje matematikore për gjenerimin automatik të çmimeve +Module2300Name=Punët e planifikuara +Module2300Desc=Menaxhimi i punëve të planifikuara (alias cron ose tabela chrono) +Module2400Name=Ngjarjet/Axhenda +Module2400Desc=Ndiqni ngjarjet. Regjistroni ngjarjet automatike për qëllime gjurmimi ose regjistroni ngjarje ose takime manuale. Ky është moduli kryesor për menaxhimin e mirë të marrëdhënieve me klientët ose shitësit. +Module2430Name=Planifikimi i takimeve online +Module2430Desc=Ofron një sistem të rezervimit të takimeve në internet. Kjo i mundëson kujtdo që të rezervojë takime takimi, sipas diapazonit ose disponueshmërisë së paracaktuar. Module2500Name=DMS / ECM -Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. -Module2600Name=API / Web services (SOAP server) -Module2600Desc=Enable the Dolibarr SOAP server providing API services -Module2610Name=API / Web services (REST server) -Module2610Desc=Enable the Dolibarr REST server providing API services -Module2660Name=Call WebServices (SOAP client) -Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Only Purchase orders are currently supported.) +Module2500Desc=Sistemi i menaxhimit të dokumenteve / Menaxhimi elektronik i përmbajtjes. Organizimi automatik i dokumenteve tuaja të krijuara ose të ruajtura. Ndani ato kur të keni nevojë. +Module2600Name=API/shërbimet në ueb (server SOAP) +Module2600Desc=Aktivizo serverin Dolibarr SOAP që ofron shërbime API +Module2610Name=API / shërbimet në ueb (server REST) +Module2610Desc=Aktivizo serverin Dolibarr REST që ofron shërbime API +Module2660Name=Telefononi shërbimet e uebit (klienti SOAP) +Module2660Desc=Aktivizo klientin e shërbimeve të uebit Dolibarr (Mund të përdoret për të shtyrë të dhënat/kërkesat në serverë të jashtëm. Aktualisht mbështeten vetëm porositë e blerjeve.) Module2700Name=Gravatar -Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Needs Internet access +Module2700Desc=Përdorni shërbimin online Gravatar (www.gravatar.com) për të shfaqur foton e përdoruesve/anëtarëve (të gjetur me emailet e tyre). Ka nevojë për qasje në internet Module2800Desc=Klient FTP Module2900Name=GeoIPMaxmind -Module2900Desc=GeoIP Maxmind conversions capabilities -Module3200Name=Unalterable Archives -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. -Module3300Name=Module Builder -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. -Module3400Name=Social Networks -Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). +Module2900Desc=Aftësitë e konvertimit të GeoIP Maxmind +Module3200Name=Arkiva të pandryshueshme +Module3200Desc=Aktivizo një regjistër të pandryshueshëm të ngjarjeve të biznesit. Ngjarjet arkivohen në kohë reale. Regjistri është një tabelë vetëm për lexim të ngjarjeve të lidhura me zinxhir që mund të eksportohen. Ky modul mund të jetë i detyrueshëm për disa vende. +Module3300Name=Ndërtues i moduleve +Module3300Desc=Një mjet RAD (Rapid Application Development - me kod të ulët dhe pa kod) për të ndihmuar zhvilluesit ose përdoruesit e avancuar të ndërtojnë modulin/aplikacionin e tyre. +Module3400Name=Rrjete sociale +Module3400Desc=Aktivizo fushat e Rrjeteve Sociale në palët e treta dhe adresat (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Human resources management (management of department, employee contracts and feelings) -Module5000Name=Multi-company -Module5000Desc=Allows you to manage multiple companies -Module6000Name=Inter-modules Workflow -Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) -Module10000Name=Websites -Module10000Desc=Create websites (public) with a WYSIWYG editor. This is a webmaster or developer oriented CMS (it is better to know HTML and CSS language). Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the internet with your own domain name. -Module20000Name=Leave Request Management -Module20000Desc=Define and track employee leave requests -Module39000Name=Product Lots -Module39000Desc=Lots, serial numbers, eat-by/sell-by date management for products -Module40000Name=Multicurrency -Module40000Desc=Use alternative currencies in prices and documents +Module4000Desc=Menaxhimi i burimeve njerëzore (menaxhimi i departamentit, kontratat e punonjësve, menaxhimi i aftësive dhe intervista) +Module5000Name=Shumë-kompani +Module5000Desc=Ju lejon të menaxhoni kompani të shumta +Module6000Name=Rrjedha e punës ndërmodule +Module6000Desc=Menaxhimi i rrjedhës së punës midis moduleve të ndryshme (krijimi automatik i objektit dhe/ose ndryshimi automatik i statusit) +Module10000Name=Faqet e internetit +Module10000Desc=Krijoni faqe interneti (publike) me një redaktues WYSIWYG. Ky është një CMS i orientuar nga webmaster ose zhvillues (është më mirë të dini gjuhën HTML dhe CSS). Thjesht konfiguroni serverin tuaj të internetit (Apache, Nginx, ...) për të treguar direktorinë e dedikuar Dolibarr për ta vendosur atë në internet në internet me emrin tuaj të domenit. +Module20000Name=Menaxhimi i Kërkesave të Lënë +Module20000Desc=Përcaktoni dhe gjurmoni kërkesat për pushim të punonjësve +Module39000Name=Shumë produkte +Module39000Desc=Shumë, numra serialë, menaxhimi i datës së ushqimit/shitjes për produktet +Module40000Name=Multivaluta +Module40000Desc=Përdorni monedha alternative në çmime dhe dokumente Module50000Name=PayBox -Module50000Desc=Offer customers a PayBox online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50000Desc=Ofroni klientëve një faqe pagese në internet PayBox (karta krediti/debiti). Kjo mund të përdoret për t'i lejuar klientët tuaj të bëjnë pagesa ad-hoc ose pagesa që lidhen me një objekt specifik Dolibarr (faturë, porosi etj.) Module50100Name=POS SimplePOS -Module50100Desc=Point of Sale module SimplePOS (simple POS). +Module50100Desc=Moduli i pikës së shitjes SimplePOS (simple POS). Module50150Name=POS TakePOS -Module50150Desc=Point of Sale module TakePOS (touchscreen POS, for shops, bars or restaurants). +Module50150Desc=Moduli i pikave të shitjes TakePOS (POS me ekran me prekje, për dyqane, bare ose restorante). Module50200Name=Paypal -Module50200Desc=Offer customers a PayPal online payment page (PayPal account or credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50300Name=Stripe -Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50400Name=Accounting (double entry) -Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats. +Module50200Desc=Ofroni klientëve një faqe pagesash në PayPal (llogari PayPal ose karta krediti/debiti). Kjo mund të përdoret për t'i lejuar klientët tuaj të bëjnë pagesa ad-hoc ose pagesa që lidhen me një objekt specifik Dolibarr (faturë, porosi etj.) +Module50300Name=Shirit +Module50300Desc=Ofroni klientëve një faqe pagese në internet Stripe (karta krediti/debiti). Kjo mund të përdoret për t'i lejuar klientët tuaj të bëjnë pagesa ad-hoc ose pagesa që lidhen me një objekt specifik Dolibarr (faturë, porosi etj.) +Module50400Name=Kontabilitet (hyrje e dyfishtë) +Module50400Desc=Menaxhimi i kontabilitetit (regjistrimet e dyfishta, mbështetja e Librave të Përgjithshme dhe Ndihmës). Eksporto librin në disa formate të tjera të softuerit të kontabilitetit. Module54000Name=PrintIPP -Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installed on server). -Module55000Name=Poll, Survey or Vote -Module55000Desc=Create online polls, surveys or votes (like Doodle, Studs, RDVz etc...) -Module59000Name=Margins -Module59000Desc=Module to follow margins -Module60000Name=Commissions -Module60000Desc=Module to manage commissions +Module54000Desc=Printimi i drejtpërdrejtë (pa hapur dokumentet) duke përdorur ndërfaqen Cups IPP (Printeri duhet të jetë i dukshëm nga serveri dhe CUPS duhet të instalohet në server). +Module55000Name=Sondazh, Sondazh ose Voto +Module55000Desc=Krijoni sondazhe, sondazhe ose vota në internet (si Doodle, Studs, RDVz etj...) +Module59000Name=Margjinat +Module59000Desc=Moduli për të ndjekur margjinat +Module60000Name=Komisionet +Module60000Desc=Modul për të menaxhuar komisionet Module62000Name=Incoterms -Module62000Desc=Add features to manage Incoterms -Module63000Name=Resources -Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to events -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. -Module94160Name=Receptions +Module62000Desc=Shtoni veçori për të menaxhuar Incoterms +Module63000Name=Burimet +Module63000Desc=Menaxhoni burimet (printera, makina, dhoma, ...) për shpërndarjen e ngjarjeve +Module66000Name=Menaxhimi i tokenit OAuth2 +Module66000Desc=Siguroni një mjet për të gjeneruar dhe menaxhuar argumentet OAuth2. Shenja mund të përdoret më pas nga disa module të tjera. +Module94160Name=Pritje +ModuleBookCalName=Sistemi i kalendarit të rezervimeve +ModuleBookCalDesc=Menaxho një Kalendar për të rezervuar takime ##### Permissions ##### -Permission11=Read customer invoices (and payments) -Permission12=Create/modify customer invoices -Permission13=Invalidate customer invoices -Permission14=Validate customer invoices -Permission15=Send customer invoices by email -Permission16=Create payments for customer invoices -Permission19=Delete customer invoices -Permission21=Read commercial proposals -Permission22=Create/modify commercial proposals -Permission24=Validate commercial proposals -Permission25=Send commercial proposals -Permission26=Close commercial proposals -Permission27=Delete commercial proposals -Permission28=Export commercial proposals -Permission31=Read products -Permission32=Create/modify products -Permission33=Read prices products -Permission34=Delete products -Permission36=See/manage hidden products -Permission38=Export products -Permission39=Ignore minimum price -Permission41=Read projects and tasks (shared projects and projects of which I am a contact). -Permission42=Create/modify projects (shared projects and projects of which I am a contact). Can also assign users to projects and tasks -Permission44=Delete projects (shared projects and projects of which I am a contact) -Permission45=Export projects -Permission61=Read interventions -Permission62=Create/modify interventions -Permission64=Delete interventions -Permission67=Export interventions -Permission68=Send interventions by email -Permission69=Validate interventions -Permission70=Invalidate interventions -Permission71=Read members -Permission72=Create/modify members -Permission74=Delete members -Permission75=Setup types of membership -Permission76=Export data -Permission78=Read subscriptions -Permission79=Create/modify subscriptions -Permission81=Read customers orders -Permission82=Create/modify customers orders -Permission84=Validate customers orders -Permission85=Generate the documents sales orders -Permission86=Send customers orders -Permission87=Close customers orders -Permission88=Cancel customers orders -Permission89=Delete customers orders -Permission91=Read social or fiscal taxes and vat -Permission92=Create/modify social or fiscal taxes and vat -Permission93=Delete social or fiscal taxes and vat -Permission94=Export social or fiscal taxes -Permission95=Lexo raportet -Permission101=Read sendings -Permission102=Create/modify sendings -Permission104=Validate sendings -Permission105=Send sendings by email -Permission106=Export sendings -Permission109=Delete sendings -Permission111=Read financial accounts -Permission112=Create/modify/delete and compare transactions -Permission113=Setup financial accounts (create, manage categories of bank transactions) -Permission114=Reconcile transactions -Permission115=Export transactions and account statements -Permission116=Transfers between accounts -Permission117=Manage checks dispatching -Permission121=Read third parties linked to user -Permission122=Create/modify third parties linked to user -Permission125=Delete third parties linked to user -Permission126=Export third parties -Permission130=Create/modify third parties payment information -Permission141=Read all projects and tasks (as well as the private projects for which I am not a contact) -Permission142=Create/modify all projects and tasks (as well as the private projects for which I am not a contact) -Permission144=Delete all projects and tasks (as well as the private projects I am not a contact) -Permission145=Can enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) -Permission146=Read providers -Permission147=Read stats -Permission151=Read direct debit payment orders -Permission152=Create/modify a direct debit payment orders -Permission153=Send/Transmit direct debit payment orders -Permission154=Record Credits/Rejections of direct debit payment orders -Permission161=Read contracts/subscriptions -Permission162=Create/modify contracts/subscriptions -Permission163=Activate a service/subscription of a contract -Permission164=Disable a service/subscription of a contract -Permission165=Delete contracts/subscriptions -Permission167=Export contracts -Permission171=Read trips and expenses (yours and your subordinates) -Permission172=Create/modify trips and expenses -Permission173=Delete trips and expenses -Permission174=Read all trips and expenses -Permission178=Export trips and expenses -Permission180=Read suppliers -Permission181=Read purchase orders -Permission182=Create/modify purchase orders -Permission183=Validate purchase orders -Permission184=Approve purchase orders -Permission185=Order or cancel purchase orders -Permission186=Receive purchase orders -Permission187=Close purchase orders -Permission188=Cancel purchase orders -Permission192=Krijo Linja -Permission193=Cancel lines -Permission194=Read the bandwidth lines -Permission202=Create ADSL connections -Permission203=Order connections orders -Permission204=Order connections -Permission205=Manage connections -Permission206=Read connections -Permission211=Read Telephony -Permission212=Order lines -Permission213=Activate line -Permission214=Setup Telephony -Permission215=Setup providers -Permission221=Read emailings -Permission222=Create/modify emailings (topic, recipients...) -Permission223=Validate emailings (allows sending) -Permission229=Delete emailings -Permission237=View recipients and info -Permission238=Manually send mailings -Permission239=Delete mailings after validation or sent -Permission241=Read categories -Permission242=Create/modify categories -Permission243=Delete categories -Permission244=See the contents of the hidden categories -Permission251=Read other users and groups -PermissionAdvanced251=Read other users -Permission252=Read permissions of other users -Permission253=Create/modify other users, groups and permissions -PermissionAdvanced253=Create/modify internal/external users and permissions -Permission254=Create/modify external users only -Permission255=Modify other users password -Permission256=Delete or disable other users -Permission262=Extend access to all third parties AND their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission263=Extend access to all third parties WITHOUT their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission271=Lexo CA -Permission272=Read invoices -Permission273=Issue invoices -Permission281=Read contacts -Permission282=Create/modify contacts -Permission283=Delete contacts -Permission286=Export contacts -Permission291=Read tariffs -Permission292=Set permissions on the tariffs -Permission293=Modify customer's tariffs -Permission301=Generate PDF sheets of barcodes -Permission304=Create/modify barcodes -Permission305=Delete barcodes -Permission311=Read services -Permission312=Assign service/subscription to contract -Permission331=Read bookmarks -Permission332=Create/modify bookmarks -Permission333=Delete bookmarks -Permission341=Read its own permissions -Permission342=Create/modify his own user information -Permission343=Modify his own password -Permission344=Modify its own permissions -Permission351=Read groups -Permission352=Read groups permissions -Permission353=Create/modify groups -Permission354=Delete or disable groups -Permission358=Export users -Permission401=Read discounts -Permission402=Create/modify discounts -Permission403=Validate discounts -Permission404=Delete discounts -Permission430=Use Debug Bar -Permission511=Read salaries and payments (yours and subordinates) -Permission512=Create/modify salaries and payments -Permission514=Delete salaries and payments -Permission517=Read salaries and payments everybody -Permission519=Export salaries -Permission520=Read Loans -Permission522=Create/modify loans -Permission524=Delete loans -Permission525=Access loan calculator -Permission527=Export loans -Permission531=Read services -Permission532=Create/modify services -Permission533=Read prices services -Permission534=Delete services -Permission536=See/manage hidden services -Permission538=Export services -Permission561=Read payment orders by credit transfer -Permission562=Create/modify payment order by credit transfer -Permission563=Send/Transmit payment order by credit transfer -Permission564=Record Debits/Rejections of credit transfer -Permission601=Read stickers -Permission602=Create/modify stickers -Permission609=Delete stickers -Permission611=Read attributes of variants -Permission612=Create/Update attributes of variants -Permission613=Delete attributes of variants -Permission650=Read Bills of Materials -Permission651=Create/Update Bills of Materials -Permission652=Delete Bills of Materials -Permission660=Read Manufacturing Order (MO) -Permission661=Create/Update Manufacturing Order (MO) -Permission662=Delete Manufacturing Order (MO) -Permission701=Read donations -Permission702=Create/modify donations -Permission703=Delete donations -Permission771=Read expense reports (yours and your subordinates) -Permission772=Create/modify expense reports (for you and your subordinates) -Permission773=Delete expense reports -Permission775=Approve expense reports -Permission776=Pay expense reports -Permission777=Read all expense reports (even those of user not subordinates) -Permission778=Create/modify expense reports of everybody -Permission779=Export expense reports -Permission1001=Read stocks -Permission1002=Create/modify warehouses -Permission1003=Delete warehouses -Permission1004=Read stock movements -Permission1005=Create/modify stock movements -Permission1011=View inventories -Permission1012=Create new inventory -Permission1014=Validate inventory -Permission1015=Allow to change PMP value for a product -Permission1016=Delete inventory -Permission1101=Read delivery receipts -Permission1102=Create/modify delivery receipts -Permission1104=Validate delivery receipts -Permission1109=Delete delivery receipts -Permission1121=Read supplier proposals -Permission1122=Create/modify supplier proposals -Permission1123=Validate supplier proposals -Permission1124=Send supplier proposals -Permission1125=Delete supplier proposals -Permission1126=Close supplier price requests -Permission1181=Read suppliers -Permission1182=Read purchase orders -Permission1183=Create/modify purchase orders -Permission1184=Validate purchase orders -Permission1185=Approve purchase orders -Permission1186=Order purchase orders -Permission1187=Acknowledge receipt of purchase orders -Permission1188=Delete purchase orders -Permission1189=Check/Uncheck a purchase order reception -Permission1190=Approve (second approval) purchase orders -Permission1191=Export supplier orders and their attributes -Permission1201=Get result of an export -Permission1202=Create/Modify an export -Permission1231=Read vendor invoices (and payments) -Permission1232=Create/modify vendor invoices -Permission1233=Validate vendor invoices -Permission1234=Delete vendor invoices -Permission1235=Send vendor invoices by email -Permission1236=Export vendor invoices, attributes and payments -Permission1237=Export purchase orders and their details -Permission1251=Run mass imports of external data into database (data load) -Permission1321=Export customer invoices, attributes and payments -Permission1322=Reopen a paid bill -Permission1421=Export sales orders and attributes -Permission1521=Read documents -Permission1522=Delete documents -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) -Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) -Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) -Permission2411=Read actions (events or tasks) of others -Permission2412=Create/modify actions (events or tasks) of others -Permission2413=Delete actions (events or tasks) of others -Permission2414=Export actions/tasks of others -Permission2501=Read/Download documents -Permission2502=Download documents -Permission2503=Submit or delete documents -Permission2515=Setup documents directories -Permission2610=Generate/modify users API key -Permission2801=Use FTP client in read mode (browse and download only) -Permission2802=Use FTP client in write mode (delete or upload files) -Permission3200=Read archived events and fingerprints -Permission3301=Generate new modules -Permission4001=Read skill/job/position -Permission4002=Create/modify skill/job/position -Permission4003=Delete skill/job/position -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations -Permission4023=Validate evaluation -Permission4025=Delete evaluation -Permission4028=See comparison menu -Permission4031=Read personal information -Permission4032=Write personal information -Permission4033=Read all evaluations (even those of user not subordinates) -Permission10001=Read website content -Permission10002=Create/modify website content (html and javascript content) -Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. -Permission10005=Delete website content -Permission20001=Read leave requests (your leave and those of your subordinates) -Permission20002=Create/modify your leave requests (your leave and those of your subordinates) -Permission20003=Delete leave requests -Permission20004=Read all leave requests (even those of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) -Permission20006=Administer leave requests (setup and update balance) -Permission20007=Approve leave requests -Permission23001=Read Scheduled job -Permission23002=Create/update Scheduled job -Permission23003=Delete Scheduled job -Permission23004=Execute Scheduled job -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates -Permission50101=Use Point of Sale (SimplePOS) -Permission50151=Use Point of Sale (TakePOS) -Permission50152=Edit sales lines -Permission50153=Edit ordered sales lines -Permission50201=Read transactions -Permission50202=Import transactions -Permission50330=Read objects of Zapier -Permission50331=Create/Update objects of Zapier -Permission50332=Delete objects of Zapier -Permission50401=Bind products and invoices with accounting accounts -Permission50411=Read operations in ledger -Permission50412=Write/Edit operations in ledger -Permission50414=Delete operations in ledger -Permission50415=Delete all operations by year and journal in ledger -Permission50418=Export operations of the ledger -Permission50420=Report and export reports (turnover, balance, journals, ledger) -Permission50430=Define fiscal periods. Validate transactions and close fiscal periods. -Permission50440=Manage chart of accounts, setup of accountancy -Permission51001=Read assets -Permission51002=Create/Update assets -Permission51003=Delete assets -Permission51005=Setup types of asset -Permission54001=Print -Permission55001=Read polls -Permission55002=Create/modify polls -Permission59001=Read commercial margins -Permission59002=Define commercial margins -Permission59003=Read every user margin -Permission63001=Read resources -Permission63002=Create/modify resources -Permission63003=Delete resources -Permission63004=Link resources to agenda events -Permission64001=Allow direct printing -Permission67000=Allow printing of receipts -Permission68001=Read intracomm report -Permission68002=Create/modify intracomm report -Permission68004=Delete intracomm report -Permission941601=Read receipts -Permission941602=Create and modify receipts -Permission941603=Validate receipts -Permission941604=Send receipts by email -Permission941605=Export receipts -Permission941606=Delete receipts -DictionaryCompanyType=Third-party types -DictionaryCompanyJuridicalType=Third-party legal entities -DictionaryProspectLevel=Prospect potential level for companies -DictionaryProspectContactLevel=Prospect potential level for contacts -DictionaryCanton=States/Provinces -DictionaryRegion=Regions -DictionaryCountry=Countries -DictionaryCurrency=Currencies -DictionaryCivility=Honorific titles -DictionaryActions=Types of agenda events -DictionarySocialContributions=Types of social or fiscal taxes -DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of tax stamps -DictionaryPaymentConditions=Payment Terms -DictionaryPaymentModes=Payment Modes -DictionaryTypeContact=Contact/Address types -DictionaryTypeOfContainer=Website - Type of website pages/containers -DictionaryEcotaxe=Ecotax (WEEE) -DictionaryPaperFormat=Paper formats -DictionaryFormatCards=Card formats -DictionaryFees=Expense report - Types of expense report lines -DictionarySendingMethods=Shipping methods -DictionaryStaff=Number of Employees -DictionaryAvailability=Delivery delay -DictionaryOrderMethods=Order methods -DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups for reports -DictionaryAccountancysystem=Models for chart of accounts -DictionaryAccountancyJournal=Accounting journals -DictionaryEMailTemplates=Email Templates -DictionaryUnits=Units -DictionaryMeasuringUnits=Measuring Units -DictionarySocialNetworks=Social Networks -DictionaryProspectStatus=Prospect status for companies -DictionaryProspectContactStatus=Prospect status for contacts -DictionaryHolidayTypes=Leave - Types of leave -DictionaryOpportunityStatus=Lead status for project/lead -DictionaryExpenseTaxCat=Expense report - Transportation categories -DictionaryExpenseTaxRange=Expense report - Range by transportation category -DictionaryTransportMode=Intracomm report - Transport mode -DictionaryBatchStatus=Product lot/serial Quality Control status -DictionaryAssetDisposalType=Type of disposal of assets -TypeOfUnit=Type of unit -SetupSaved=Setup saved -SetupNotSaved=Setup not saved -OAuthServiceConfirmDeleteTitle=Delete OAuth entry -OAuthServiceConfirmDeleteMessage=Are you sure you want to delete this OAuth entry ? All existing tokens for it will also be deleted. -ErrorInEntryDeletion=Error in entry deletion -EntryDeleted=Entry deleted -BackToModuleList=Back to Module list -BackToDictionaryList=Back to Dictionaries list -TypeOfRevenueStamp=Type of tax stamp -VATManagement=Sales Tax Management -VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. -VATIsNotUsedDesc=By default the proposed Sales tax is 0 which can be used for cases like associations, individuals or small companies. -VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. -VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +Permission11=Lexoni faturat e klientëve (dhe pagesat) +Permission12=Krijoni/modifikoni faturat e klientëve +Permission13=Të pavlefshme faturat e klientëve +Permission14=Verifikoni faturat e klientëve +Permission15=Dërgoni faturat e klientit me email +Permission16=Krijoni pagesa për faturat e klientëve +Permission19=Fshini faturat e klientëve +Permission21=Lexoni propozimet tregtare +Permission22=Krijo/modifiko propozime tregtare +Permission24=Vërtetoni propozimet tregtare +Permission25=Dërgoni propozime tregtare +Permission26=Mbyllni propozimet tregtare +Permission27=Fshini propozimet tregtare +Permission28=Eksporto propozime komerciale +Permission31=Lexoni produktet +Permission32=Krijoni / modifikoni produkte +Permission33=Lexoni çmimet e produkteve +Permission34=Fshini produktet +Permission36=Shihni/menaxhoni produktet e fshehura +Permission38=Eksportoni produkte +Permission39=Injoroni çmimin minimal +Permission41=Lexoni projekte dhe detyra (projekte të përbashkëta dhe projekte të të cilave unë jam kontakt). +Permission42=Krijo/modifiko projekte (projekte të përbashkëta dhe projekte të të cilave unë jam kontakt). Mund të caktojë gjithashtu përdoruesit në projekte dhe detyra +Permission44=Fshi projektet (projektet e përbashkëta dhe projektet e të cilave unë jam kontakt) +Permission45=Projektet e eksportit +Permission61=Lexoni ndërhyrjet +Permission62=Krijo/modifiko ndërhyrje +Permission64=Fshi ndërhyrjet +Permission67=Ndërhyrjet në eksport +Permission68=Dërgoni ndërhyrjet me email +Permission69=Vërtetoni ndërhyrjet +Permission70=Të pavlefshme ndërhyrjet +Permission71=Lexoni anëtarët +Permission72=Krijo/modifiko anëtarë +Permission74=Fshi anëtarët +Permission75=Llojet e konfigurimit të anëtarësimit +Permission76=Eksporto të dhëna +Permission78=Lexoni abonimet +Permission79=Krijoni / modifikoni abonimet +Permission81=Lexoni porositë e klientëve +Permission82=Krijoni / modifikoni porositë e klientëve +Permission84=Verifikoni porositë e klientëve +Permission85=Gjeneroni urdhrat e shitjes së dokumenteve +Permission86=Dërgoni porositë e klientëve +Permission87=Mbyllni porositë e klientëve +Permission88=Anuloni porositë e klientëve +Permission89=Fshi porositë e klientëve +Permission91=Lexoni taksat sociale apo fiskale dhe TVSH +Permission92=Krijoni/modifikoni taksat dhe TVSH-në sociale ose fiskale +Permission93=Fshini taksat sociale ose fiskale dhe TVSH +Permission94=Eksportoni taksat sociale apo fiskale +Permission95=Lexoni raportet +Permission101=Lexoni dërgesat +Permission102=Krijo/modifiko dërgesat +Permission104=Verifikoni dërgesat +Permission105=Dërgoni dërgesat me email +Permission106=Eksporto dërgesat +Permission109=Fshi dërgimet +Permission111=Lexoni llogaritë financiare +Permission112=Krijoni / modifikoni / fshini dhe krahasoni transaksionet +Permission113=Vendosni llogari financiare (krijoni, menaxhoni kategoritë e transaksioneve bankare) +Permission114=Barazoni transaksionet +Permission115=Transaksionet e eksportit dhe pasqyrat e llogarive +Permission116=Transferet ndërmjet llogarive +Permission117=Menaxho dërgimin e çeqeve +Permission121=Lexoni palët e treta të lidhura me përdoruesin +Permission122=Krijo/modifiko palë të treta të lidhura me përdoruesin +Permission125=Fshi palët e treta të lidhura me përdoruesin +Permission126=Eksporto palë të treta +Permission130=Krijo/modifiko informacionin e pagesës nga palët e treta +Permission141=Lexoni të gjitha projektet dhe detyrat (si dhe projektet private për të cilat nuk jam kontakt) +Permission142=Krijo/modifiko të gjitha projektet dhe detyrat (si dhe projektet private për të cilat nuk jam kontakt) +Permission144=Fshi të gjitha projektet dhe detyrat (si dhe projektet private me të cilat nuk jam kontakt) +Permission145=Mund të fusë kohën e konsumuar, për mua ose hierarkinë time, në detyrat e caktuara (Fleta kohore) +Permission146=Lexoni ofruesit +Permission147=Lexoni statistikat +Permission151=Lexoni urdhërpagesat e debitit direkt +Permission152=Krijo/modifiko një urdhër pagese të debitimit direkt +Permission153=Dërgo/Transmeto urdhërpagesat me debitim direkt +Permission154=Regjistroni Kreditë/Refuzimet e urdhërpagesave të debitimit direkt +Permission161=Lexoni kontratat/abonimet +Permission162=Krijo/modifiko kontrata/abonime +Permission163=Aktivizoni një shërbim/abonim të një kontrate +Permission164=Çaktivizoni një shërbim/abonim të një kontrate +Permission165=Fshi kontratat/abonimet +Permission167=Kontratat e eksportit +Permission171=Lexoni udhëtimet dhe shpenzimet (të tuajat dhe vartësit tuaj) +Permission172=Krijoni / modifikoni udhëtimet dhe shpenzimet +Permission173=Fshi udhëtimet dhe shpenzimet +Permission174=Lexoni të gjitha udhëtimet dhe shpenzimet +Permission178=Udhëtimet dhe shpenzimet e eksportit +Permission180=Lexoni furnizuesit +Permission181=Lexoni urdhrat e blerjeve +Permission182=Krijo/modifiko porositë e blerjes +Permission183=Verifikoni urdhrat e blerjeve +Permission184=Miratoni urdhrat e blerjeve +Permission185=Porositni ose anuloni porositë e blerjes +Permission186=Merrni porositë e blerjes +Permission187=Mbyllni porositë e blerjeve +Permission188=Anuloni porositë e blerjes +Permission192=Krijo linja +Permission193=Anuloni linjat +Permission194=Lexoni linjat e gjerësisë së brezit +Permission202=Krijoni lidhje ADSL +Permission203=Porosit porositë e lidhjeve +Permission204=Porosit lidhjet +Permission205=Menaxhoni lidhjet +Permission206=Lexoni lidhjet +Permission211=Lexoni Telefoninë +Permission212=Linjat e porosive +Permission213=Aktivizoni linjën +Permission214=Vendosja e telefonisë +Permission215=Konfigurimi i ofruesve +Permission221=Lexoni emailet +Permission222=Krijo/modifiko postimet elektronike (tema, marrësit...) +Permission223=Verifikoni emailet (lejon dërgimin) +Permission229=Fshini emailet +Permission237=Shikoni marrësit dhe informacionin +Permission238=Dërgoni mesazhe me dorë +Permission239=Fshini postimet pas vërtetimit ose dërgimit +Permission241=Lexoni kategoritë +Permission242=Krijo/modifiko kategori +Permission243=Fshi kategoritë +Permission244=Shikoni përmbajtjen e kategorive të fshehura +Permission251=Lexoni përdoruesit dhe grupet e tjera +PermissionAdvanced251=Lexoni përdoruesit e tjerë +Permission252=Lexoni lejet e përdoruesve të tjerë +Permission253=Krijo/modifiko përdorues të tjerë, grupe dhe leje +PermissionAdvanced253=Krijoni/modifikoni përdoruesit dhe lejet e brendshme/të jashtme +Permission254=Krijo/modifiko vetëm përdorues të jashtëm +Permission255=Ndryshoni fjalëkalimin e përdoruesve të tjerë +Permission256=Fshini ose çaktivizoni përdoruesit e tjerë +Permission262=Zgjero aksesin te të gjitha palët e treta DHE objektet e tyre (jo vetëm palët e treta për të cilat përdoruesi është përfaqësues i shitjes).
      Jo efektive për përdoruesit e jashtëm (gjithmonë i kufizuar për propozime, porositë, faturat, kontratat, etj.).
      Jo efektive për projektet (vetëm rregullat për lejet e projektit, dukshmërinë dhe çështjet e caktimit). +Permission263=Zgjero aksesin te të gjitha palët e treta PA objektet e tyre (jo vetëm palët e treta për të cilat përdoruesi është përfaqësues i shitjes).
      Jo efektive për përdoruesit e jashtëm (gjithmonë i kufizuar për propozime, porositë, faturat, kontratat, etj.).
      Jo efektive për projektet (vetëm rregullat për lejet e projektit, dukshmërinë dhe çështjet e caktimit). +Permission271=Lexoni CA +Permission272=Lexoni faturat +Permission273=Lëshoni fatura +Permission281=Lexoni kontaktet +Permission282=Krijoni/ndryshoni kontakte +Permission283=Fshi kontaktet +Permission286=Eksporto kontaktet +Permission291=Lexoni tarifat +Permission292=Vendosni lejet për tarifat +Permission293=Ndryshoni tarifat e klientit +Permission301=Gjeneroni fletë PDF të barkodeve +Permission304=Krijoni/ndryshoni barkode +Permission305=Fshi barkodet +Permission311=Lexoni shërbimet +Permission312=Caktoni shërbimin/abonimin në kontratë +Permission331=Lexoni faqeshënuesit +Permission332=Krijoni/ndryshoni faqeshënuesit +Permission333=Fshi faqeshënuesit +Permission341=Lexoni lejet e veta +Permission342=Krijo/modifikon informacionin e tij të përdoruesit +Permission343=Ndryshoni fjalëkalimin e tij +Permission344=Ndryshoni lejet e veta +Permission351=Lexoni grupe +Permission352=Lexoni lejet e grupeve +Permission353=Krijoni / modifikoni grupe +Permission354=Fshini ose çaktivizoni grupet +Permission358=Përdoruesit e eksportit +Permission401=Lexoni zbritjet +Permission402=Krijoni / modifikoni zbritjet +Permission403=Vërtetoni zbritjet +Permission404=Fshini zbritjet +Permission430=Përdorni shiritin e korrigjimit +Permission511=Lexoni pagat dhe pagesat (të tuajat dhe vartësit) +Permission512=Krijo/modifiko pagat dhe pagesat +Permission514=Fshini pagat dhe pagesat +Permission517=Lexoni të gjithë pagat dhe pagesat +Permission519=Pagat e eksportit +Permission520=Lexoni Kreditë +Permission522=Krijoni / modifikoni kredi +Permission524=Fshini kreditë +Permission525=Hyni në kalkulatorin e kredisë +Permission527=Kredi për eksport +Permission531=Lexoni shërbimet +Permission532=Krijoni / modifikoni shërbime +Permission533=Lexoni çmimet e shërbimeve +Permission534=Fshi shërbimet +Permission536=Shihni/menaxhoni shërbimet e fshehura +Permission538=Shërbimet e eksportit +Permission561=Lexoni urdhërpagesat me transfertë krediti +Permission562=Krijo/modifiko urdhërpagesën me transfertë krediti +Permission563=Dërgo/Transmeto urdhërpagesë me transfertë krediti +Permission564=Regjistro Debite/Refuzime të transfertave të kredisë +Permission601=Lexoni ngjitëse +Permission602=Krijo/modifiko ngjitëse +Permission609=Fshi afishet +Permission611=Lexoni atributet e varianteve +Permission612=Krijo/Përditëso atributet e varianteve +Permission613=Fshi atributet e varianteve +Permission650=Lexoni faturat e materialeve +Permission651=Krijo/Përditëso faturat e materialeve +Permission652=Fshi faturat e materialeve +Permission660=Lexoni porosinë e prodhimit (MO) +Permission661=Krijo/Përditëso porosinë e prodhimit (MO) +Permission662=Fshi urdhrin e prodhimit (MO) +Permission701=Lexoni donacionet +Permission702=Krijo/modifiko donacione +Permission703=Fshini donacionet +Permission771=Lexoni raportet e shpenzimeve (të tuajat dhe vartësit tuaj) +Permission772=Krijoni / modifikoni raportet e shpenzimeve (për ju dhe vartësit tuaj) +Permission773=Fshi raportet e shpenzimeve +Permission775=Miratoni raportet e shpenzimeve +Permission776=Raportet e shpenzimeve të pagesës +Permission777=Lexoni të gjitha raportet e shpenzimeve (madje edhe ato të përdoruesve jo të vartësve) +Permission778=Krijoni / modifikoni raportet e shpenzimeve të të gjithëve +Permission779=Raportet e shpenzimeve të eksportit +Permission1001=Lexoni aksionet +Permission1002=Krijoni / modifikoni depo +Permission1003=Fshi magazinat +Permission1004=Lexoni lëvizjet e aksioneve +Permission1005=Krijoni / modifikoni lëvizjet e aksioneve +Permission1011=Shiko inventarët +Permission1012=Krijo inventar të ri +Permission1014=Verifikoni inventarin +Permission1015=Lejoni të ndryshoni vlerën PMP për një produkt +Permission1016=Fshi inventarin +Permission1101=Lexoni faturat e dorëzimit +Permission1102=Krijo/modifiko faturat e dorëzimit +Permission1104=Vërtetoni faturat e dorëzimit +Permission1109=Fshi faturat e dorëzimit +Permission1121=Lexoni propozimet e furnitorëve +Permission1122=Krijoni / modifikoni propozimet e furnitorëve +Permission1123=Vërtetoni propozimet e furnitorëve +Permission1124=Dërgoni propozime nga furnizuesit +Permission1125=Fshini propozimet e furnitorëve +Permission1126=Mbyll kërkesat e çmimit të furnizuesit +Permission1181=Lexoni furnizuesit +Permission1182=Lexoni urdhrat e blerjeve +Permission1183=Krijo/modifiko porositë e blerjes +Permission1184=Verifikoni urdhrat e blerjeve +Permission1185=Miratoni urdhrat e blerjeve +Permission1186=Porosit porositë e blerjes +Permission1187=Konfirmoni marrjen e urdhrave të blerjes +Permission1188=Fshi urdhrat e blerjeve +Permission1189=Kontrollo/Çzgjidh një pranim porosi blerjeje +Permission1190=Mirato (miratimin e dytë) urdhrat e blerjes +Permission1191=Eksporto porositë e furnitorëve dhe atributet e tyre +Permission1201=Merrni rezultatin e një eksporti +Permission1202=Krijo/Ndrysho një eksport +Permission1231=Lexoni faturat e shitësit (dhe pagesat) +Permission1232=Krijo/modifiko faturat e shitësve +Permission1233=Verifikoni faturat e shitësve +Permission1234=Fshini faturat e shitësve +Permission1235=Dërgoni faturat e shitësit me email +Permission1236=Eksportoni faturat, atributet dhe pagesat e shitësve +Permission1237=Eksporto porositë e blerjeve dhe detajet e tyre +Permission1251=Kryerja e importeve masive të të dhënave të jashtme në bazën e të dhënave (ngarkesa e të dhënave) +Permission1321=Eksporto faturat, atributet dhe pagesat e klientëve +Permission1322=Rihap një faturë të paguar +Permission1421=Eksporto porositë dhe atributet e shitjeve +Permission1521=Lexoni dokumentet +Permission1522=Fshi dokumentet +Permission2401=Lexoni veprimet (ngjarjet ose detyrat) të lidhura me llogarinë e tij të përdoruesit (nëse zotëruesi i ngjarjes ose sapo i është caktuar) +Permission2402=Krijo/modifiko veprime (ngjarje ose detyra) të lidhura me llogarinë e tij të përdoruesit (nëse zotëruesi i ngjarjes) +Permission2403=Fshi veprimet (ngjarjet ose detyrat) të lidhura me llogarinë e tij të përdoruesit (nëse zotëruesi i ngjarjes) +Permission2411=Lexoni veprimet (ngjarjet ose detyrat) e të tjerëve +Permission2412=Krijoni/modifikoni veprime (ngjarje ose detyra) të të tjerëve +Permission2413=Fshi veprimet (ngjarjet ose detyrat) e të tjerëve +Permission2414=Eksporto veprime/detyra të të tjerëve +Permission2501=Lexoni/Shkarkoni dokumente +Permission2502=Shkarko dokumentet +Permission2503=Paraqisni ose fshini dokumentet +Permission2515=Vendosni drejtoritë e dokumenteve +Permission2610=Gjeneroni/modifikoni çelësin API të përdoruesve +Permission2801=Përdorni klientin FTP në modalitetin e leximit (vetëm shfletoni dhe shkarkoni) +Permission2802=Përdorni klientin FTP në modalitetin e shkrimit (fshini ose ngarkoni skedarë) +Permission3200=Lexoni ngjarjet e arkivuara dhe gjurmët e gishtërinjve +Permission3301=Gjeneroni module të reja +Permission4001=Aftësi/punë/pozitë leximi +Permission4002=Krijo/modifiko aftësi/punë/pozicion +Permission4003=Fshi aftësinë/punën/pozitën +Permission4021=Lexoni vlerësimet (të tuajat dhe vartësit tuaj) +Permission4022=Krijo/modifiko vlerësime +Permission4023=Vërtetoni vlerësimin +Permission4025=Fshi vlerësimin +Permission4028=Shikoni menunë e krahasimit +Permission4031=Lexoni informacionin personal +Permission4032=Shkruani informacione personale +Permission4033=Lexoni të gjitha vlerësimet (edhe ato të përdoruesve jo të vartësve) +Permission10001=Lexoni përmbajtjen e faqes në internet +Permission10002=Krijoni/ndryshoni përmbajtjen e faqes në internet (përmbajtje html dhe JavaScript) +Permission10003=Krijoni / modifikoni përmbajtjen e faqes në internet (kodi dinamik php). E rrezikshme, duhet të rezervohet për zhvilluesit e kufizuar. +Permission10005=Fshi përmbajtjen e faqes në internet +Permission20001=Lexoni kërkesat për leje (lejet tuaja dhe ato të vartësve tuaj) +Permission20002=Krijoni/modifikoni kërkesat tuaja për pushim (lejet tuaja dhe ato të vartësve tuaj) +Permission20003=Fshi kërkesat për pushim +Permission20004=Lexoni të gjitha kërkesat për leje (madje edhe ato të përdoruesve jo të vartësve) +Permission20005=Krijo/modifiko kërkesa për leje për të gjithë (madje edhe ato të përdoruesve jo vartësve) +Permission20006=Administrimi i kërkesave për leje (konfigurimi dhe përditësimi i bilancit) +Permission20007=Mirato kërkesat për pushim +Permission23001=Lexoni punën e planifikuar +Permission23002=Krijo/përditëso punë të planifikuar +Permission23003=Fshi punën e planifikuar +Permission23004=Ekzekutoni punën e planifikuar +Permission40001=Lexoni monedhat dhe normat e tyre +Permission40002=Krijoni/Përditësoni monedhat dhe normat e tyre +Permission40003=Fshini monedhat dhe normat e tyre +Permission50101=Përdorni pikën e shitjes (SimplePOS) +Permission50151=Përdorni pikën e shitjes (TakePOS) +Permission50152=Redaktoni linjat e shitjeve +Permission50153=Redakto linjat e porositura të shitjeve +Permission50201=Lexoni transaksionet +Permission50202=Transaksionet e importit +Permission50330=Lexoni objektet e Zapier +Permission50331=Krijo/Përditëso objekte të Zapier +Permission50332=Fshini objektet e Zapier +Permission50401=Lidhni produktet dhe faturat me llogaritë e kontabilitetit +Permission50411=Lexoni veprimet në librin kryesor +Permission50412=Shkruaj/redakto operacionet në librin kryesor +Permission50414=Fshi operacionet në librin kryesor +Permission50415=Fshini të gjitha operacionet sipas vitit dhe ditarit në librin kryesor +Permission50418=Operacionet e eksportit të librit +Permission50420=Raportet dhe raportet e eksportit (xhiro, bilanc, ditar, libri kryesor) +Permission50430=Përcaktoni periudhat fiskale. Vërtetoni transaksionet dhe mbyllni periudhat fiskale. +Permission50440=Menaxhoni skemën e llogarive, konfigurimin e kontabilitetit +Permission51001=Lexoni asetet +Permission51002=Krijo/Përditëso asete +Permission51003=Fshi asetet +Permission51005=Llojet e konfigurimit të aseteve +Permission54001=Printo +Permission55001=Lexoni sondazhet +Permission55002=Krijo/modifiko sondazhe +Permission59001=Lexoni marzhet komerciale +Permission59002=Përcaktoni marzhet komerciale +Permission59003=Lexoni çdo diferencë të përdoruesit +Permission63001=Lexoni burimet +Permission63002=Krijoni / modifikoni burimet +Permission63003=Fshi burimet +Permission63004=Lidhni burimet me ngjarjet e axhendës +Permission64001=Lejoni printimin e drejtpërdrejtë +Permission67000=Lejoni printimin e faturave +Permission68001=Lexoni raportin brendakomunës +Permission68002=Krijo/modifiko raportin e brendshëm +Permission68004=Fshi raportin intracomm +Permission941601=Lexoni faturat +Permission941602=Krijoni dhe modifikoni faturat +Permission941603=Vërtetoni faturat +Permission941604=Dërgoni faturat me email +Permission941605=Faturat e eksportit +Permission941606=Fshi faturat +DictionaryCompanyType=Llojet e palëve të treta +DictionaryCompanyJuridicalType=Personat juridikë të palëve të treta +DictionaryProspectLevel=Niveli i mundshëm i perspektivës për kompanitë +DictionaryProspectContactLevel=Niveli i mundshëm i mundshëm për kontakte +DictionaryCanton=Shtetet/Provincat +DictionaryRegion=Rajonet +DictionaryCountry=shtetet +DictionaryCurrency=Monedhat +DictionaryCivility=Tituj nderi +DictionaryActions=Llojet e ngjarjeve të rendit të ditës +DictionarySocialContributions=Llojet e taksave sociale ose fiskale +DictionaryVAT=Normat e TVSH-së ose Tatimet e Shitjes +DictionaryRevenueStamp=Shuma e pullave tatimore +DictionaryPaymentConditions=Kushtet e pagesës +DictionaryPaymentModes=Mënyrat e pagesës +DictionaryTypeContact=Llojet e kontaktit/adresave +DictionaryTypeOfContainer=Faqja e internetit - Lloji i faqeve/kontejnerëve të uebsajtit +DictionaryEcotaxe=Ekotaksa (WEEE) +DictionaryPaperFormat=Formatet e letrës +DictionaryFormatCards=Format e kartave +DictionaryFees=Raporti i shpenzimeve - Llojet e linjave të raportit të shpenzimeve +DictionarySendingMethods=Metodat e transportit +DictionaryStaff=Numri i punonjesve +DictionaryAvailability=Vonesa e dorëzimit +DictionaryOrderMethods=Metodat e porositjes +DictionarySource=Origjina e propozimeve/urdhrave +DictionaryAccountancyCategory=Grupe të personalizuara për raporte +DictionaryAccountancysystem=Modele për planin e llogarive +DictionaryAccountancyJournal=revista të kontabilitetit +DictionaryEMailTemplates=Modelet e postës elektronike +DictionaryUnits=Njësitë +DictionaryMeasuringUnits=Njësitë Matëse +DictionarySocialNetworks=Rrjete sociale +DictionaryProspectStatus=Statusi i perspektivës për kompanitë +DictionaryProspectContactStatus=Statusi i mundshëm për kontaktet +DictionaryHolidayTypes=Leje - Llojet e pushimeve +DictionaryOpportunityStatus=Statusi i drejtuesit për projektin/udhëheqësin +DictionaryExpenseTaxCat=Raporti i shpenzimeve - Kategoritë e transportit +DictionaryExpenseTaxRange=Raporti i shpenzimeve - Gama sipas kategorisë së transportit +DictionaryTransportMode=Raporti Intracomm - Mënyra e transportit +DictionaryBatchStatus=Statusi i kontrollit të cilësisë së grupit/serialit të produktit +DictionaryAssetDisposalType=Lloji i asgjësimit të aseteve +DictionaryInvoiceSubtype=Nënllojet e faturës +TypeOfUnit=Lloji i njësisë +SetupSaved=Konfigurimi u ruajt +SetupNotSaved=Konfigurimi nuk u ruajt +OAuthServiceConfirmDeleteTitle=Fshi hyrjen e OAuth +OAuthServiceConfirmDeleteMessage=Jeni i sigurt që dëshironi të fshini këtë hyrje të OAuth? Të gjitha shenjat ekzistuese për të gjithashtu do të fshihen. +ErrorInEntryDeletion=Gabim në fshirjen e hyrjes +EntryDeleted=Hyrja u fshi +BackToModuleList=Kthehu te lista e moduleve +BackToDictionaryList=Kthehu te lista e fjalorëve +TypeOfRevenueStamp=Lloji i pullës tatimore +VATManagement=Menaxhimi i Tatimit mbi Shitjet +VATIsUsedDesc=Si parazgjedhje kur krijohen prospekte, fatura, porosi etj. shkalla e taksës së shitjeve ndjek rregullin standard aktiv:
      Nëse shitësi nuk i nënshtrohet tatimit mbi shitjet, atëherë tatimi mbi shitjet shkon në 0 Fundi i rregullit.
      Nëse (shteti i shitësit = shteti i blerësit), atëherë taksa e shitjeve si parazgjedhje është e barabartë me tatimin mbi shitjen e produktit në vendin e shitësit. Fundi i rregullit.
      Nëse shitësi dhe blerësi janë të dy në Komunitetin Evropian dhe mallrat janë produkte të lidhura me transportin (bartje, transport, linjë ajrore), TVSH-ja e paracaktuar është 0. Kjo rregulli varet nga vendi i shitësit - ju lutemi konsultohuni me kontabilistin tuaj. TVSH-ja duhet të paguhet nga blerësi në zyrën doganore në vendin e tyre dhe jo tek shitësi. Fundi i rregullit.
      Nëse shitësi dhe blerësi janë të dy në Komunitetin Evropian dhe blerësi nuk është një kompani (me një numër të regjistruar TVSH brenda Komunitetit), atëherë TVSH-ja është e paracaktuar në norma e TVSH-së e vendit të shitësit. Fundi i rregullit.
      Nëse shitësi dhe blerësi janë të dy në Komunitetin Evropian dhe blerësi është një kompani (me një numër të regjistruar TVSH brenda Komunitetit), atëherë TVSH-ja është 0 sipas parazgjedhjes. Fundi i rregullit.
      Në çdo rast tjetër, parazgjedhja e propozuar është tatimi mbi shitjet=0. Fundi i sundimit. +VATIsNotUsedDesc=Si parazgjedhje, taksa e propozuar e shitjeve është 0, e cila mund të përdoret për raste si shoqata, individë ose kompani të vogla. +VATIsUsedExampleFR=Në Francë, do të thotë kompani ose organizata që kanë një sistem fiskal të vërtetë (real i thjeshtuar ose real normal). Një sistem në të cilin deklarohet TVSH. +VATIsNotUsedExampleFR=Në Francë, do të thotë shoqata që nuk janë deklaruar për tatimin mbi shitjen ose kompani, organizata ose profesione liberale që kanë zgjedhur sistemin fiskal të mikrondërmarrjes (Taksa e shitjes në ekskluzivitet) dhe kanë paguar një taksë të shitjes ekskluzive pa asnjë deklaratë tatimore mbi shitjen. Kjo zgjedhje do të shfaqë referencën "Taksa e papranueshme e shitjeve - art-293B e CGI" në fatura. +VATType=Lloji i TVSH-së ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax -LTRate=Rate -LocalTax1IsNotUsed=Do not use second tax -LocalTax1IsUsedDesc=Use a second type of tax (other than first one) -LocalTax1IsNotUsedDesc=Do not use other type of tax (other than first one) -LocalTax1Management=Second type of tax +TypeOfSaleTaxes=Lloji i taksës së shitjes +LTRate=Vlerësoni +LocalTax1IsNotUsed=Mos përdorni taksën e dytë +LocalTax1IsUsedDesc=Përdorni një lloj të dytë tatimi (përveç atij të parë) +LocalTax1IsNotUsedDesc=Mos përdorni lloj tjetër tatimi (përveç atij të parë) +LocalTax1Management=Lloji i dytë i tatimit LocalTax1IsUsedExample= LocalTax1IsNotUsedExample= -LocalTax2IsNotUsed=Do not use third tax -LocalTax2IsUsedDesc=Use a third type of tax (other than first one) -LocalTax2IsNotUsedDesc=Do not use other type of tax (other than first one) -LocalTax2Management=Third type of tax +LocalTax2IsNotUsed=Mos përdorni taksën e tretë +LocalTax2IsUsedDesc=Përdorni një lloj të tretë tatimi (përveç atij të parë) +LocalTax2IsNotUsedDesc=Mos përdorni lloj tjetër tatimi (përveç atij të parë) +LocalTax2Management=Lloji i tretë i tatimit LocalTax2IsUsedExample= LocalTax2IsNotUsedExample= -LocalTax1ManagementES=RE Management -LocalTax1IsUsedDescES=The RE rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the buyer is not subjected to RE, RE by default=0. End of rule.
      If the buyer is subjected to RE then the RE by default. End of rule.
      -LocalTax1IsNotUsedDescES=By default the proposed RE is 0. End of rule. -LocalTax1IsUsedExampleES=In Spain they are professionals subject to some specific sections of the Spanish IAE. -LocalTax1IsNotUsedExampleES=In Spain they are professional and societies and subject to certain sections of the Spanish IAE. -LocalTax2ManagementES=IRPF Management -LocalTax2IsUsedDescES=The IRPF rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.
      If the seller is subjected to IRPF then the IRPF by default. End of rule.
      -LocalTax2IsNotUsedDescES=By default the proposed IRPF is 0. End of rule. -LocalTax2IsUsedExampleES=In Spain, freelancers and independent professionals who provide services and companies who have chosen the tax system of modules. -LocalTax2IsNotUsedExampleES=In Spain they are businesses not subject to tax system of modules. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) -CalcLocaltax=Reports on local taxes -CalcLocaltax1=Sales - Purchases -CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases -CalcLocaltax2=Purchases -CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases -CalcLocaltax3=Sales -CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax -LabelUsedByDefault=Label used by default if no translation can be found for code -LabelOnDocuments=Label on documents -LabelOrTranslationKey=Label or translation key -ValueOfConstantKey=Value of a configuration constant -ConstantIsOn=Option %s is on -NbOfDays=No. of days -AtEndOfMonth=At end of month -CurrentNext=A given day in month -Offset=Offset -AlwaysActive=Always active -Upgrade=Upgrade -MenuUpgrade=Upgrade / Extend -AddExtensionThemeModuleOrOther=Deploy/install external app/module +LocalTax1ManagementES=Menaxhimi i RE +LocalTax1IsUsedDescES=Norma e RE si parazgjedhje kur krijoni prospekte, fatura, porosi etj. ndjek rregullin standard aktiv:
      Nëse blerësi nuk i nënshtrohet RE, RE si parazgjedhje=0. Fundi i rregullit.
      Nëse blerësi i nënshtrohet RE, atëherë RE si parazgjedhje. Fundi i rregullit.
      +LocalTax1IsNotUsedDescES=Si parazgjedhje RE e propozuar është 0. Fundi i rregullit. +LocalTax1IsUsedExampleES=Në Spanjë ata janë profesionistë që i nënshtrohen disa seksioneve specifike të IAE-së spanjolle. +LocalTax1IsNotUsedExampleES=Në Spanjë ato janë profesionistë dhe shoqëri dhe i nënshtrohen seksioneve të caktuara të IAE-së spanjolle. +LocalTax2ManagementES=Menaxhimi i IRPF +LocalTax2IsUsedDescES=Norma e IRPF si parazgjedhje kur krijoni prospekte, fatura, porosi etj. ndjek rregullin standard aktiv:
      Nëse shitësi nuk i nënshtrohet IRPF, atëherë IRPF si parazgjedhje=0. Fundi i rregullit.
      Nëse shitësi i nënshtrohet IRPF, atëherë IRPF si parazgjedhje. Fundi i rregullit.
      +LocalTax2IsNotUsedDescES=Si parazgjedhje, IRPF e propozuar është 0. Fundi i rregullit. +LocalTax2IsUsedExampleES=Në Spanjë, përkthyes të pavarur dhe profesionistë të pavarur që ofrojnë shërbime dhe kompani që kanë zgjedhur sistemin tatimor të moduleve. +LocalTax2IsNotUsedExampleES=Në Spanjë ato janë biznese që nuk i nënshtrohen sistemit tatimor të moduleve. +RevenueStampDesc="Vula tatimore" ose "vula e të ardhurave" është një taksë fikse që ju për faturë (Nuk varet nga shuma e faturës). Mund të jetë gjithashtu një taksë për qind, por përdorimi i llojit të dytë ose të tretë të tatimit është më i mirë për taksat në përqindje pasi pullat tatimore nuk ofrojnë asnjë raportim. Vetëm pak vende e përdorin këtë lloj takse. +UseRevenueStamp=Përdorni një pullë tatimore +UseRevenueStampExample=Vlera e pullës tatimore përcaktohet si parazgjedhje në konfigurimin e fjalorëve (%s - %s - %s) +CalcLocaltax=Raporte mbi taksat vendore +CalcLocaltax1=Shitjet – Blerjet +CalcLocaltax1Desc=Raportet e taksave lokale llogariten me diferencën midis shitjeve të taksave lokale dhe blerjeve të taksave lokale +CalcLocaltax2=Blerjet +CalcLocaltax2Desc=Raportet e taksave lokale janë totali i blerjeve të taksave lokale +CalcLocaltax3=Shitjet +CalcLocaltax3Desc=Raportet e taksave lokale janë totali i shitjeve të taksave lokale +NoLocalTaxXForThisCountry=Sipas konfigurimit të taksave (Shih %s - %s - b0ecb2ec87f49>fz)0 , vendi juaj nuk ka nevojë të përdorë këtë lloj takse +LabelUsedByDefault=Etiketa përdoret si parazgjedhje nëse nuk mund të gjendet përkthim për kodin +LabelOnDocuments=Etiketa në dokumente +LabelOrTranslationKey=Etiketa ose çelësi i përkthimit +ValueOfConstantKey=Vlera e një konstante konfigurimi +ConstantIsOn=Opsioni %s është aktiv +NbOfDays=Numri i ditëve +AtEndOfMonth=Ne fund te muajit +CurrentNext=Një ditë e caktuar në muaj +Offset=Kompensimi +AlwaysActive=Gjithmonë aktive +Upgrade=Përmirëso +MenuUpgrade=Përmirëso / Zgjero +AddExtensionThemeModuleOrOther=Vendosni/instaloni aplikacionin/modulin e jashtëm WebServer=Web server -DocumentRootServer=Web server's root directory -DataRootServer=Data files directory +DocumentRootServer=Drejtoria kryesore e serverit të uebit +DataRootServer=Drejtoria e skedarëve të të dhënave IP=IP Port=Port -VirtualServerName=Virtual server name +VirtualServerName=Emri i serverit virtual OS=OS -PhpWebLink=Web-Php link +PhpWebLink=Lidhje Web-Php Server=Serveri -Database=Database -DatabaseServer=Database host -DatabaseName=Database name -DatabasePort=Database port -DatabaseUser=Database user -DatabasePassword=Database password -Tables=Tables -TableName=Table name -NbOfRecord=No. of records +Database=Baza e të dhënave +DatabaseServer=Pritësi i bazës së të dhënave +DatabaseName=Emri i bazës së të dhënave +DatabasePort=Porta e bazës së të dhënave +DatabaseUser=Përdorues i bazës së të dhënave +DatabasePassword=Fjalëkalimi i bazës së të dhënave +Tables=Tabelat +TableName=Emri i tabelës +NbOfRecord=Numri i të dhënave Host=Serveri -DriverType=Driver type -SummarySystem=System information summary -SummaryConst=List of all Dolibarr setup parameters -MenuCompanySetup=Company/Organization -DefaultMenuManager= Standard menu manager -DefaultMenuSmartphoneManager=Smartphone menu manager -Skin=Skin theme -DefaultSkin=Default skin theme -MaxSizeList=Max length for list -DefaultMaxSizeList=Default max length for lists -DefaultMaxSizeShortList=Default max length for short lists (i.e. in customer card) -MessageOfDay=Message of the day -MessageLogin=Login page message -LoginPage=Login page -BackgroundImageLogin=Background image -PermanentLeftSearchForm=Permanent search form on left menu -DefaultLanguage=Default language -EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships -EnableShowLogo=Show the company logo in the menu -CompanyInfo=Company/Organization -CompanyIds=Company/Organization identities -CompanyName=Name -CompanyAddress=Adresa +DriverType=Lloji i shoferit +SummarySystem=Përmbledhja e informacionit të sistemit +SummaryConst=Lista e të gjithë parametrave të konfigurimit të Dolibarr +MenuCompanySetup=Kompania/Organizata +DefaultMenuManager= Menaxher standard i menusë +DefaultMenuSmartphoneManager=Menaxheri i menusë së telefonit inteligjent +Skin=Tema e lëkurës +DefaultSkin=Tema e parazgjedhur e lëkurës +MaxSizeList=Gjatësia maksimale për listën +DefaultMaxSizeList=Gjatësia maksimale e parazgjedhur për listat +DefaultMaxSizeShortList=Gjatësia maksimale e parazgjedhur për listat e shkurtra (d.m.th. në kartën e klientit) +MessageOfDay=Mesazhi i ditës +MessageLogin=Mesazhi i faqes së hyrjes +LoginPage=Faqja e hyrjes +BackgroundImageLogin=Imazhi i sfondit +PermanentLeftSearchForm=Formulari i përhershëm i kërkimit në menunë e majtë +DefaultLanguage=Gjuha e parazgjedhur +EnableMultilangInterface=Aktivizo mbështetjen shumëgjuhëshe për marrëdhëniet me klientët ose shitësit +EnableShowLogo=Trego logon e kompanisë në meny +CompanyInfo=Kompania/Organizata +CompanyIds=Identitetet e kompanisë/organizatës +CompanyName=Emri +CompanyAddress=Adresë CompanyZip=Zip -CompanyTown=Town -CompanyCountry=Country -CompanyCurrency=Main currency -CompanyObject=Object of the company -IDCountry=ID country +CompanyTown=Qyteti +CompanyCountry=Vendi +CompanyCurrency=Monedha kryesore +CompanyObject=Objekti i shoqërisë +IDCountry=shteti i ID-së Logo=Logo -LogoDesc=Main logo of company. Will be used into generated documents (PDF, ...) -LogoSquarred=Logo (squarred) -LogoSquarredDesc=Must be a squarred icon (width = height). This logo will be used as the favorite icon or other need like for the top menu bar (if not disabled into display setup). -DoNotSuggestPaymentMode=Do not suggest -NoActiveBankAccountDefined=No active bank account defined -OwnerOfBankAccount=Owner of bank account %s -BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show the link "%s" -ShowBugTrackLinkDesc=Keep empty to not display this link, use value 'github' for the link to the Dolibarr project or define directly an url 'https://...' -Alerts=Alerts -DelaysOfToleranceBeforeWarning=Displaying a warning alert for... -DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. -Delays_MAIN_DELAY_ACTIONS_TODO=Planned events (agenda events) not completed -Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Project not closed in time -Delays_MAIN_DELAY_TASKS_TODO=Planned task (project tasks) not completed -Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Order not processed -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Purchase order not processed -Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Proposal not closed -Delays_MAIN_DELAY_PROPALS_TO_BILL=Proposal not billed -Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Service to activate -Delays_MAIN_DELAY_RUNNING_SERVICES=Expired service -Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Unpaid vendor invoice -Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Unpaid customer invoice -Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Pending bank reconciliation -Delays_MAIN_DELAY_MEMBERS=Delayed membership fee -Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Check deposit not done -Delays_MAIN_DELAY_EXPENSEREPORTS=Expense report to approve -Delays_MAIN_DELAY_HOLIDAYS=Leave requests to approve -SetupDescription1=Before starting to use Dolibarr some initial parameters must be defined and modules enabled/configured. -SetupDescription2=The following two sections are mandatory (the two first entries in the Setup menu): -SetupDescription3=%s -> %s

      Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4=%s -> %s

      This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. -SetupDescription5=Other Setup menu entries manage optional parameters. -SetupDescriptionLink=%s - %s -SetupDescription3b=Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s -Audit=Security events -InfoDolibarr=About Dolibarr -InfoBrowser=About Browser -InfoOS=About OS -InfoWebServer=About Web Server -InfoDatabase=About Database -InfoPHP=About PHP -InfoPerf=About Performances -InfoSecurity=About Security -BrowserName=Browser name -BrowserOS=Browser OS -ListOfSecurityEvents=List of Dolibarr security events -SecurityEventsPurged=Security events purged -TrackableSecurityEvents=Trackable security events -LogEventDesc=Enable logging for specific security events. Administrators the log via menu %s - %s. Warning, this feature can generate a large amount of data in the database. -AreaForAdminOnly=Setup parameters can be set by administrator users only. -SystemInfoDesc=System information is miscellaneous technical information you get in read only mode and visible for administrators only. -SystemAreaForAdminOnly=This area is available to administrator users only. Dolibarr user permissions cannot change this restriction. -CompanyFundationDesc=Edit the information of your company/organization. Click on "%s" button at the bottom of the page when done. -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". -AccountantDesc=If you have an external accountant/bookkeeper, you can edit here its information. -AccountantFileNumber=Accountant code -DisplayDesc=Parameters affecting the look and presentation of the application can be modified here. -AvailableModules=Available app/modules -ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). -SessionTimeOut=Time out for session -SessionExplanation=This number guarantees that the session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guarantee that the session will expire after this delay. It will expire, after this delay, and when the session cleaner is run, so every %s/%s access, but only during access made by other sessions (if value is 0, it means clearing of session is done only by an external process).
      Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by an external setup, no matter what the value entered here is. -SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. -TriggersAvailable=Available triggers -TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). -TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. -TriggerDisabledAsModuleDisabled=Triggers in this file are disabled as module %s is disabled. -TriggerAlwaysActive=Triggers in this file are always active, whatever are the activated Dolibarr modules. -TriggerActiveAsModuleActive=Triggers in this file are active as module %s is enabled. -GeneratedPasswordDesc=Choose the method to be used for auto-generated passwords. -DictionaryDesc=Insert all reference data. You can add your values to the default. -ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting only. -MiscellaneousOptions=Miscellaneous options -MiscellaneousDesc=All other security related parameters are defined here. -LimitsSetup=Limits/Precision setup -LimitsDesc=You can define limits, precisions and optimizations used by Dolibarr here -MAIN_MAX_DECIMALS_UNIT=Max. decimals for unit prices -MAIN_MAX_DECIMALS_TOT=Max. decimals for total prices -MAIN_MAX_DECIMALS_SHOWN=Max. decimals for prices shown on screen. Add an ellipsis ... after this parameter (e.g. "2...") if you want to see "..." suffixed to the truncated price. -MAIN_ROUNDING_RULE_TOT=Step of rounding range (for countries where rounding is done on something other than base 10. For example, put 0.05 if rounding is done by 0.05 steps) -UnitPriceOfProduct=Net unit price of a product -TotalPriceAfterRounding=Total price (excl/vat/incl tax) after rounding -ParameterActiveForNextInputOnly=Parameter effective for next input only -NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit has not been enabled in the "Setup - Security - Events" page. -NoEventFoundWithCriteria=No security event has been found for this search criteria. -SeeLocalSendMailSetup=See your local sendmail setup -BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. -BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. -BackupDescX=The archived directory should be stored in a secure place. -BackupDescY=The generated dump file should be stored in a secure place. -BackupPHPWarning=Backup cannot be guaranteed with this method. Previous one recommended. -RestoreDesc=To restore a Dolibarr backup, two steps are required. -RestoreDesc2=Restore the backup file (zip file for example) of the "documents" directory to a new Dolibarr installation or into this current documents directory (%s). -RestoreDesc3=Restore the database structure and data from a backup dump file into the database of the new Dolibarr installation or into the database of this current installation (%s). Warning, once the restore is complete, you must use a login/password, that existed from the backup time/installation to connect again.
      To restore a backup database into this current installation, you can follow this assistant. -RestoreMySQL=MySQL import -ForcedToByAModule=This rule is forced to %s by an activated module -ValueIsForcedBySystem=This value is forced by the system. You can't change it. -PreviousDumpFiles=Existing backup files -PreviousArchiveFiles=Existing archive files -WeekStartOnDay=First day of the week -RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) -YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. -YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP -DownloadMoreSkins=More skins to download -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset -AdvancedNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset -ShowProfIdInAddress=Show professional ID with addresses -ShowVATIntaInAddress=Hide intra-Community VAT number -TranslationUncomplete=Partial translation -MAIN_DISABLE_METEO=Disable weather thumb -MeteoStdMod=Standard mode -MeteoStdModEnabled=Standard mode enabled -MeteoPercentageMod=Percentage mode -MeteoPercentageModEnabled=Percentage mode enabled -MeteoUseMod=Click to use %s -TestLoginToAPI=Test login to API -ProxyDesc=Some features of Dolibarr require internet access. Define here the internet connection parameters such as access through a proxy server if necessary. -ExternalAccess=External/Internet Access -MAIN_PROXY_USE=Use a proxy server (otherwise access is direct to the internet) -MAIN_PROXY_HOST=Proxy server: Name/Address +LogoDesc=Logoja kryesore e kompanisë. Do të përdoret në dokumentet e krijuara (PDF, ...) +LogoSquarred=Logo (në katror) +LogoSquarredDesc=Duhet të jetë një ikonë katrore (gjerësia = lartësia). Kjo logo do të përdoret si ikona e preferuar ose nevojë tjetër si për shiritin e menysë së sipërme (nëse nuk është çaktivizuar në konfigurimin e ekranit). +DoNotSuggestPaymentMode=Mos sugjeroni +NoActiveBankAccountDefined=Nuk është përcaktuar asnjë llogari bankare aktive +OwnerOfBankAccount=Zotëruesi i llogarisë bankare %s +BankModuleNotActive=Moduli i llogarive bankare nuk është i aktivizuar +ShowBugTrackLink=Shfaq lidhjen "%s" +ShowBugTrackLinkDesc=Mbajeni bosh për të mos shfaqur këtë lidhje, përdorni vlerën 'github' për lidhjen me projektin Dolibarr ose përcaktoni drejtpërdrejt një url 'https://...' +Alerts=Alarmet +DelaysOfToleranceBeforeWarning=Shfaqja e një alarmi paralajmërues për... +DelaysOfToleranceDesc=Cakto vonesën përpara se një ikonë alarmi %s të shfaqet në ekran për elementin e vonuar. +Delays_MAIN_DELAY_ACTIONS_TODO=Ngjarjet e planifikuara (ngjarjet e rendit të ditës) nuk janë përfunduar +Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Projekti nuk u mbyll në kohë +Delays_MAIN_DELAY_TASKS_TODO=Detyra e planifikuar (detyrat e projektit) e pa përfunduar +Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Porosia nuk është përpunuar +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Urdhri i blerjes nuk është përpunuar +Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Propozimi nuk është mbyllur +Delays_MAIN_DELAY_PROPALS_TO_BILL=Propozimi nuk është faturuar +Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Shërbimi për të aktivizuar +Delays_MAIN_DELAY_RUNNING_SERVICES=Shërbimi i skaduar +Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Fatura e papaguar e shitësit +Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Fatura e papaguar e klientit +Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Në pritje të barazimit bankar +Delays_MAIN_DELAY_MEMBERS=Tarifa e anëtarësimit të vonuar +Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Depozita e çekut nuk është bërë +Delays_MAIN_DELAY_EXPENSEREPORTS=Raporti i shpenzimeve për të miratuar +Delays_MAIN_DELAY_HOLIDAYS=Lini kërkesat për të miratuar +SetupDescription1=Përpara se të filloni të përdorni Dolibarr duhet të përcaktohen disa parametra fillestarë dhe modulet të aktivizohen/konfigurohen. +SetupDescription2=Dy seksionet e mëposhtme janë të detyrueshme (dy hyrjet e para në menunë Setup): +SetupDescription3=%s -> %sc60804

      Parametrat bazë të përdorur për të personalizuar sjelljen e paracaktuar të aplikacionit tuaj (p.sh. për veçoritë që lidhen me shtetin). +SetupDescription4=
      %s -> %sc60804

      Ky softuer është një grup i shumë moduleve/aplikacioneve. Modulet që lidhen me nevojat tuaja duhet të aktivizohen dhe konfigurohen. Regjistrimet e menysë do të shfaqen me aktivizimin e këtyre moduleve. +SetupDescription5=Regjistrimet e tjera të menusë Setup menaxhojnë parametrat opsionalë. +SetupDescriptionLink=
      %s - %s +SetupDescription3b=Parametrat bazë të përdorur për të personalizuar sjelljen e paracaktuar të aplikacionit tuaj (p.sh. për veçoritë që lidhen me shtetin). +SetupDescription4b=Ky softuer është një grup i shumë moduleve/aplikacioneve. Modulet që lidhen me nevojat tuaja duhet të aktivizohen. Regjistrimet e menysë do të shfaqen me aktivizimin e këtyre moduleve. +AuditedSecurityEvents=Ngjarjet e sigurisë që auditohen +NoSecurityEventsAreAduited=Asnjë ngjarje sigurie nuk kontrollohet. Mund t'i aktivizoni nga menyja %s +Audit=Ngjarjet e sigurisë +InfoDolibarr=Rreth Dolibarr +InfoBrowser=Rreth shfletuesit +InfoOS=Rreth OS +InfoWebServer=Rreth Web Server +InfoDatabase=Rreth bazës së të dhënave +InfoPHP=Rreth PHP +InfoPerf=Rreth Performancave +InfoSecurity=Rreth Sigurisë +BrowserName=Emri i shfletuesit +BrowserOS=Shfletuesi OS +ListOfSecurityEvents=Lista e ngjarjeve të sigurisë Dolibarr +SecurityEventsPurged=Ngjarjet e sigurisë u spastruan +TrackableSecurityEvents=Ngjarjet e sigurisë të gjurmueshme +LogEventDesc=Aktivizo regjistrimin për ngjarje specifike të sigurisë. Administratorët regjistrin nëpërmjet menysë %s - %s notranslate'>. Kujdes, kjo veçori mund të gjenerojë një sasi të madhe të dhënash në bazën e të dhënave. +AreaForAdminOnly=Parametrat e konfigurimit mund të vendosen vetëm nga përdoruesit e administratorit. +SystemInfoDesc=Informacioni i sistemit është informacion i ndryshëm teknik që merrni në modalitetin vetëm për lexim dhe i dukshëm vetëm për administratorët. +SystemAreaForAdminOnly=Kjo zonë është e disponueshme vetëm për përdoruesit e administratorëve. Lejet e përdoruesve të Dolibarr nuk mund ta ndryshojnë këtë kufizim. +CompanyFundationDesc=Redaktoni informacionin e kompanisë/organizatës suaj. Klikoni në butonin "%s" në fund të faqes kur të mbaroni. +MoreNetworksAvailableWithModule=Mund të ketë më shumë rrjete sociale duke aktivizuar modulin "Rrjetet sociale". +AccountantDesc=Nëse keni një kontabilist/kontabël të jashtëm, mund të modifikoni këtu informacionin e tij. +AccountantFileNumber=Kodi i kontabilistit +DisplayDesc=Parametrat që ndikojnë në pamjen dhe paraqitjen e aplikacionit mund të modifikohen këtu. +AvailableModules=Aplikacioni/modulet e disponueshme +ToActivateModule=Për të aktivizuar modulet, shkoni te zona e konfigurimit (Home->Setup->Modules). +SessionTimeOut=Kohëzgjatja e seancës +SessionExplanation=Ky numër garanton që sesioni nuk do të skadojë kurrë përpara kësaj vonese, nëse pastruesi i sesionit bëhet nga Pastruesi i brendshëm i sesioneve PHP (dhe asgjë tjetër). Pastruesi i brendshëm i sesioneve PHP nuk garanton që sesioni do të përfundojë pas kësaj vonese. Ai do të skadojë, pas kësaj vonese dhe kur të ekzekutohet pastruesja e sesioneve, kështu që çdo %s/%s, por vetëm gjatë aksesit të bërë nga sesionet e tjera (nëse vlera është 0, do të thotë se pastrimi i sesionit bëhet vetëm nga një proces i jashtëm) .
      Shënim: në disa serverë me një mekanizëm të jashtëm pastrimi të sesioneve (cron nën debian, ubuntu ...), sesionet mund të shkatërrohen pas një periudhe të përcaktuar nga një konfigurim i jashtëm, pa marrë parasysh se cila është vlera e futur këtu. +SessionsPurgedByExternalSystem=Sesionet në këtë server duket se pastrohen nga një mekanizëm i jashtëm (cron nën debian, ubuntu ...), ndoshta çdo %s sekonda (= vlera e parametrit session.gc_maxlifetime8f391>b091 , kështu që ndryshimi i vlerës këtu nuk ka asnjë efekt. Duhet t'i kërkoni administratorit të serverit të ndryshojë vonesën e sesionit. +TriggersAvailable=Shkaktarët e disponueshëm +TriggersDesc=Aktivizuesit janë skedarë që do të modifikojnë sjelljen e rrjedhës së punës Dolibarr sapo të kopjohen në drejtorinë htdocs/core/triggers
      . Ata realizojnë veprime të reja, të aktivizuara në ngjarjet e Dolibarr (krijimi i kompanisë së re, vlefshmëria e faturës, ...). +TriggerDisabledByName=Aktivizuesit në këtë skedar janë çaktivizuar nga prapashtesa -NORUN në emrin e tyre. +TriggerDisabledAsModuleDisabled=Aktivizuesit në këtë skedar janë çaktivizuar pasi moduli %sb09a4b739f17f8z është i çaktivizuar. +TriggerAlwaysActive=Aktivizuesit në këtë skedar janë gjithmonë aktivë, pavarësisht nga modulet e aktivizuara Dolibarr. +TriggerActiveAsModuleActive=Aktivizuesit në këtë skedar janë aktiv si modul %ss. +GeneratedPasswordDesc=Zgjidhni metodën që do të përdoret për fjalëkalimet e krijuara automatikisht. +DictionaryDesc=Fut të gjitha të dhënat e referencës. Ju mund të shtoni vlerat tuaja në parazgjedhje. +ConstDesc=Kjo faqe ju lejon të modifikoni (të anashkaloni) parametrat që nuk janë të disponueshëm në faqet e tjera. Këto janë kryesisht parametra të rezervuar vetëm për zhvilluesit/zgjidhja e avancuar e problemeve. +MiscellaneousOptions=Opsione të ndryshme +MiscellaneousDesc=Të gjithë parametrat e tjerë të lidhur me sigurinë përcaktohen këtu. +LimitsSetup=Kufij/konfigurim i saktë +LimitsDesc=Ju mund të përcaktoni kufijtë, saktësitë dhe optimizimet e përdorura nga Dolibarr këtu +MAIN_MAX_DECIMALS_UNIT=Maks. dhjetore për çmimet për njësi +MAIN_MAX_DECIMALS_TOT=Maks. dhjetore për çmimet totale +MAIN_MAX_DECIMALS_SHOWN=Maks. dhjetore për çmimet të shfaqura në ekran. Shtoni një elipsë ... pas këtij parametri (p.sh. "2...") nëse dëshironi të shihni " ..." prapashtesë në çmimin e cunguar. +MAIN_ROUNDING_RULE_TOT=Hapi i diapazonit të rrumbullakimit (për vendet ku rrumbullakimi bëhet në diçka tjetër përveç bazës 10. Për shembull, vendosni 0,05 nëse rrumbullakimi bëhet me 0,05 hapa) +UnitPriceOfProduct=Çmimi neto për njësi i një produkti +TotalPriceAfterRounding=Çmimi total (pa TVSH/përfshirë tatimin) pas rrumbullakimit +ParameterActiveForNextInputOnly=Parametri efektiv vetëm për hyrjen e radhës +NoEventOrNoAuditSetup=Asnjë ngjarje sigurie nuk është regjistruar. Kjo është normale nëse Auditimi nuk është aktivizuar në faqen "Konfigurimi - Siguria - Ngjarjet". +NoEventFoundWithCriteria=Asnjë ngjarje sigurie nuk është gjetur për këtë kriter kërkimi. +SeeLocalSendMailSetup=Shikoni konfigurimin tuaj lokal të postës elektronike +BackupDesc=Një kopje rezervë i plotë e një instalimi Dolibarr kërkon dy hapa. +BackupDesc2=Rezervoni përmbajtjen e drejtorisë "documents" (%sb09a4b739f17f) që përmban të gjithë skedarët e ngarkuar dhe të krijuar. Kjo do të përfshijë gjithashtu të gjithë skedarët e grumbullimit të krijuar në Hapin 1. Ky operacion mund të zgjasë disa minuta. +BackupDesc3=Rezervoni strukturën dhe përmbajtjen e bazës së të dhënave tuaja (%sb09a4b739f17f8z) në%s ). +RestoreDesc3=Rivendos strukturën e bazës së të dhënave dhe të dhënat nga një skedar depozitimi rezervë në bazën e të dhënave të instalimit të ri Dolibarr ose në bazën e të dhënave të këtij instalimi aktual (%s ). Paralajmërim, pasi të përfundojë rivendosja, duhet të përdorni një hyrje/fjalëkalim, që ekzistonte nga koha/instalimi rezervë për t'u lidhur përsëri.
      Për të rivendosur një bazë të dhënash rezervë në këtë instalim aktual , mund ta ndiqni këtë asistent. +RestoreMySQL=Importi i MySQL +ForcedToByAModule=Ky rregull detyrohet të %s nga një modul aktiv +ValueIsForcedBySystem=Kjo vlerë detyrohet nga sistemi. Nuk mund ta ndryshosh. +PreviousDumpFiles=Skedarët rezervë ekzistues +PreviousArchiveFiles=Skedarët arkivorë ekzistues +WeekStartOnDay=Dita e parë e javës +RunningUpdateProcessMayBeRequired=Duket se kërkohet ekzekutimi i procesit të përmirësimit (Versioni i programit %s ndryshon nga versioni i bazës së të dhënave %s) +YouMustRunCommandFromCommandLineAfterLoginToUser=Ju duhet ta ekzekutoni këtë komandë nga rreshti i komandës pas hyrjes në një guaskë me përdorues %sb09a17f839f ose duhet të shtoni opsionin -W në fund të linjës së komandës për të dhënë %s fjalëkalim. +YourPHPDoesNotHaveSSLSupport=Funksionet SSL nuk disponohen në PHP-në tuaj +DownloadMoreSkins=Më shumë lëkura për të shkarkuar +SimpleNumRefModelDesc=Kthen numrin e referencës në formatin %syymm-nnnn ku yy është viti, mm është muaji dhe nnnn është një numër i njëpasnjëshëm me rritje automatike pa rivendosje +SimpleRefNumRefModelDesc=Kthen numrin e referencës në formatin n ku n është një numër i rritjes automatike sekuenciale pa rivendosje +AdvancedNumRefModelDesc=Kthen numrin e referencës në formatin %syymm-nnnn ku yy është viti, mm është muaji dhe nnnn është një numër i njëpasnjëshëm me rritje automatike pa rivendosje +SimpleNumRefNoDateModelDesc=Kthen numrin e referencës në formatin %s-nnnn ku nnnn është një numër i njëpasnjëshëm në rritje automatike pa rivendosje +ShowProfIdInAddress=Trego ID profesionale me adresa +ShowVATIntaInAddress=Fshih numrin e TVSH-së brenda komunitetit +TranslationUncomplete=Përkthim i pjesshëm +MAIN_DISABLE_METEO=Çaktivizo gishtin e madh të motit +MeteoStdMod=Mënyra standarde +MeteoStdModEnabled=Modaliteti standard është aktivizuar +MeteoPercentageMod=Modaliteti i përqindjes +MeteoPercentageModEnabled=Modaliteti i përqindjes është aktivizuar +MeteoUseMod=Kliko për të përdorur %s +TestLoginToAPI=Provoni hyrjen në API +ProxyDesc=Disa veçori të Dolibarr kërkojnë qasje në internet. Përcaktoni këtu parametrat e lidhjes me internetin, siç është qasja përmes një serveri proxy nëse është e nevojshme. +ExternalAccess=Akses i jashtëm/internet +MAIN_PROXY_USE=Përdorni një server proxy (përndryshe qasja është e drejtpërdrejtë në internet) +MAIN_PROXY_HOST=Proxy server: Emri/adresa MAIN_PROXY_PORT=Proxy server: Port -MAIN_PROXY_USER=Proxy server: Login/User -MAIN_PROXY_PASS=Proxy server: Password -DefineHereComplementaryAttributes=Define any additional / custom attributes that must be added to: %s -ExtraFields=Complementary attributes -ExtraFieldsLines=Complementary attributes (lines) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) -ExtraFieldsSupplierOrdersLines=Complementary attributes (order lines) -ExtraFieldsSupplierInvoicesLines=Complementary attributes (invoice lines) -ExtraFieldsThirdParties=Complementary attributes (third party) -ExtraFieldsContacts=Complementary attributes (contacts/address) -ExtraFieldsMember=Complementary attributes (member) -ExtraFieldsMemberType=Complementary attributes (member type) -ExtraFieldsCustomerInvoices=Complementary attributes (invoices) -ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) -ExtraFieldsSupplierOrders=Complementary attributes (orders) -ExtraFieldsSupplierInvoices=Complementary attributes (invoices) -ExtraFieldsProject=Complementary attributes (projects) -ExtraFieldsProjectTask=Complementary attributes (tasks) -ExtraFieldsSalaries=Complementary attributes (salaries) -ExtraFieldHasWrongValue=Attribute %s has a wrong value. -AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space -SendmailOptionNotComplete=Warning, on some Linux systems, to send email from your email, sendmail execution setup must contains option -ba (parameter mail.force_extra_parameters into your php.ini file). If some recipients never receive emails, try to edit this PHP parameter with mail.force_extra_parameters = -ba). -PathToDocuments=Path to documents -PathDirectory=Directory -SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might not be parsed correctly by some receiving mail servers. The result is that some mails can't be read by people hosted by those bugged platforms. This is the case for some Internet providers (Ex: Orange in France). This is not a problem with Dolibarr or PHP but with the receiving mail server. You can however add an option MAIN_FIX_FOR_BUGGED_MTA to 1 in Setup - Other to modify Dolibarr to avoid this. However, you may experience problems with other servers that strictly use the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" which has no disadvantages. -TranslationSetup=Setup of translation -TranslationKeySearch=Search a translation key or string -TranslationOverwriteKey=Overwrite a translation string -TranslationDesc=How to set the display language:
      * Default/Systemwide: menu Home -> Setup -> Display
      * Per user: Click on the username at the top of the screen and modify the User Display Setup tab on the user card. -TranslationOverwriteDesc=You can also override strings filling the following table. Choose your language from "%s" dropdown, insert the translation key string into "%s" and your new translation into "%s" -TranslationOverwriteDesc2=You can use the other tab to help you know which translation key to use -TranslationString=Translation string -CurrentTranslationString=Current translation string -WarningAtLeastKeyOrTranslationRequired=A search criteria is required at least for key or translation string -NewTranslationStringToShow=New translation string to show -OriginalValueWas=The original translation is overwritten. Original value was:

      %s -TransKeyWithoutOriginalValue=You forced a new translation for the translation key '%s' that does not exist in any language files -TitleNumberOfActivatedModules=Activated modules -TotalNumberOfActivatedModules=Activated modules: %s / %s -YouMustEnableOneModule=You must at least enable 1 module -YouMustEnableTranslationOverwriteBefore=You must first enable translation overwriting to be allowed to replace a translation -ClassNotFoundIntoPathWarning=Class %s not found in PHP path -YesInSummer=Yes in summer -OnlyFollowingModulesAreOpenedToExternalUsers=Note, only the following modules are available to external users (irrespective of the permissions of such users) and only if permissions are granted:
      -SuhosinSessionEncrypt=Session storage encrypted by Suhosin -ConditionIsCurrently=Condition is currently %s -YouUseBestDriver=You use driver %s which is the best driver currently available. -YouDoNotUseBestDriver=You use driver %s but driver %s is recommended. -NbOfObjectIsLowerThanNoPb=You have only %s %s in the database. This does not require any particular optimization. -ComboListOptim=Combo list loading optimization -SearchOptim=Search optimization -YouHaveXObjectUseComboOptim=You have %s %s in the database. You can go into setup of module to enable loading of combo list on key pressed event. -YouHaveXObjectUseSearchOptim=You have %s %s in the database. You can add the constant %s to 1 in Home-Setup-Other. -YouHaveXObjectUseSearchOptimDesc=This limits the search to the beginning of strings which makes it possible for the database to use indexes and you should get an immediate response. -YouHaveXObjectAndSearchOptimOn=You have %s %s in the database and constant %s is set to %s in Home-Setup-Other. -BrowserIsOK=You are using the %s web browser. This browser is ok for security and performance. -BrowserIsKO=You are using the %s web browser. This browser is known to be a bad choice for security, performance and reliability. We recommend using Firefox, Chrome, Opera or Safari. -PHPModuleLoaded=PHP component %s is loaded -PreloadOPCode=Preloaded OPCode is used -AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". -AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". -AskForPreferredShippingMethod=Ask for preferred shipping method for Third Parties. -FieldEdition=Edition of field %s -FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) -GetBarCode=Get barcode -NumberingModules=Numbering models -DocumentModules=Document models +MAIN_PROXY_USER=Proxy server: Hyrja/Përdoruesi +MAIN_PROXY_PASS=Proxy server: Fjalëkalimi +DefineHereComplementaryAttributes=Përcaktoni çdo atribut shtesë / të personalizuar që duhet të shtohet në: %s +ExtraFields=Atributet plotësuese +ExtraFieldsLines=Atributet plotësuese (linjat) +ExtraFieldsLinesRec=Atributet plotësuese (shabllonet e linjave të faturave) +ExtraFieldsSupplierOrdersLines=Atributet plotësuese (linjat e rendit) +ExtraFieldsSupplierInvoicesLines=Atributet plotësuese (linjat e faturave) +ExtraFieldsThirdParties=Atributet plotësuese (palë e tretë) +ExtraFieldsContacts=Atributet plotësuese (kontaktet/adresa) +ExtraFieldsMember=Atributet plotësuese (anëtar) +ExtraFieldsMemberType=Atributet plotësuese (lloji i anëtarit) +ExtraFieldsCustomerInvoices=Atributet plotësuese (faturat) +ExtraFieldsCustomerInvoicesRec=Atributet plotësuese (faturat e shablloneve) +ExtraFieldsSupplierOrders=Atributet plotësuese (urdhrat) +ExtraFieldsSupplierInvoices=Atributet plotësuese (faturat) +ExtraFieldsProject=Atributet plotësuese (projekte) +ExtraFieldsProjectTask=Atributet plotësuese (detyrat) +ExtraFieldsSalaries=Atributet plotësuese (pagat) +ExtraFieldHasWrongValue=Atributi %s ka një vlerë të gabuar. +AlphaNumOnlyLowerCharsAndNoSpace=vetëm shkronja alfanumerike dhe shkronja të vogla pa hapësirë +SendmailOptionNotComplete=Paralajmërim, në disa sisteme Linux, për të dërguar email nga emaili juaj, konfigurimi i ekzekutimit të sendmail duhet të përmbajë opsionin -ba (parametri mail.force_extra_parameters në skedarin tuaj php.ini). Nëse disa marrës nuk marrin kurrë email, përpiquni të modifikoni këtë parametër PHP me mail.force_extra_parameters = -ba). +PathToDocuments=Rruga drejt dokumenteve +PathDirectory=Drejtoria +SendmailOptionMayHurtBuggedMTA=Funksioni për të dërguar email duke përdorur metodën "PHP mail direct" do të gjenerojë një mesazh poste që mund të mos analizohet saktë nga disa serverë të postës marrëse. Rezultati është se disa emaile nuk mund të lexohen nga njerëzit e organizuar nga ato platforma të përgjuara. Ky është rasti për disa ofrues të internetit (P.sh.: Orange në Francë). Ky nuk është një problem me Dolibarr ose PHP, por me serverin e postës marrëse. Megjithatë, mund të shtoni një opsion MAIN_FIX_FOR_BUGGED_MTA në 1 në Konfigurimin - Tjetër për të modifikuar Dolibarr për të shmangur këtë. Megjithatë, mund të hasni probleme me serverë të tjerë që përdorin rreptësisht standardin SMTP. Zgjidhja tjetër (rekomandohet) është përdorimi i metodës "SMTP socket library" e cila nuk ka disavantazhe. +TranslationSetup=Vendosja e përkthimit +TranslationKeySearch=Kërkoni një çelës ose varg përkthimi +TranslationOverwriteKey=Mbishkruani një varg përkthimi +TranslationDesc=Si të vendosni gjuhën e ekranit:
      * Parazgjedhja/sistem mbarë: menyja Home -> Konfigurimi -> Ekrani
      * Për përdorues: Klikoni në emrin e përdoruesit në krye të ekranit dhe modifikoni b0e7843947cKonfigurimi i ekranit të përdoruesit skeda në kartën e përdoruesit. +TranslationOverwriteDesc=Ju gjithashtu mund të anashkaloni vargjet që plotësojnë tabelën e mëposhtme. Zgjidhni gjuhën tuaj nga "%s", futni vargun e çelësit të përkthimit në "%s" dhe përkthimin tuaj të ri në "%s" +TranslationOverwriteDesc2=Mund të përdorni skedën tjetër për t'ju ndihmuar të dini se cilin çelës përkthimi të përdorni +TranslationString=Varg përkthimi +CurrentTranslationString=Vargu aktual i përkthimit +WarningAtLeastKeyOrTranslationRequired=Kërkohet një kriter kërkimi të paktën për çelësin ose vargun e përkthimit +NewTranslationStringToShow=Varg i ri përkthimi për t'u shfaqur +OriginalValueWas=Përkthimi origjinal është mbishkruar. Vlera origjinale ishte:

      %s +TransKeyWithoutOriginalValue=Detyruat një përkthim të ri për çelësin e përkthimit '%sb0a65d071f6fc9>'s që nuk ekziston në asnjë skedar gjuhësor +TitleNumberOfActivatedModules=Modulet e aktivizuara +TotalNumberOfActivatedModules=Modulet e aktivizuara: %s >%s +YouMustEnableOneModule=Duhet të aktivizoni të paktën 1 modul +YouMustEnableTranslationOverwriteBefore=Së pari duhet të aktivizoni mbishkrimin e përkthimit që të lejohet të zëvendësojë një përkthim +ClassNotFoundIntoPathWarning=Klasa %s nuk u gjet në shtegun PHP +YesInSummer=Po në verë +OnlyFollowingModulesAreOpenedToExternalUsers=Shënim, vetëm modulet e mëposhtme janë të disponueshme për përdoruesit e jashtëm (pavarësisht nga lejet e këtyre përdoruesve) dhe vetëm nëse lejet janë dhënë:
      +SuhosinSessionEncrypt=Ruajtja e sesionit e koduar nga Suhosin +ConditionIsCurrently=Gjendja është aktualisht %s +YouUseBestDriver=Ju përdorni drejtuesin %s i cili është drejtuesi më i mirë aktualisht i disponueshëm. +YouDoNotUseBestDriver=Ju përdorni drejtuesin %s por rekomandohet drejtuesi %s. +NbOfObjectIsLowerThanNoPb=Ju keni vetëm %s %s në bazën e të dhënave. Kjo nuk kërkon ndonjë optimizim të veçantë. +ComboListOptim=Optimizimi i ngarkimit të listës së kombinuar +SearchOptim=Optimizimi i kërkimit +YouHaveXObjectUseComboOptim=Ju keni %s %s në bazën e të dhënave. Mund të shkoni në konfigurimin e modulit për të mundësuar ngarkimin e listës së kombinuar në ngjarjen e shtypur. +YouHaveXObjectUseSearchOptim=Ju keni %s %s në bazën e të dhënave. Mund të shtoni konstanten %s në 1 në Home-Setup-Other. +YouHaveXObjectUseSearchOptimDesc=Kjo kufizon kërkimin në fillim të vargjeve, gjë që bën të mundur që baza e të dhënave të përdorë indekse dhe ju duhet të merrni një përgjigje të menjëhershme. +YouHaveXObjectAndSearchOptimOn=Ju keni %s %s në bazën e të dhënave dhe konstante %s është caktuar në span class='notranslate'>%s në Home-Setup-Other. +BrowserIsOK=Po përdorni shfletuesin e internetit %s. Ky shfletues është në rregull për sigurinë dhe performancën. +BrowserIsKO=Po përdorni shfletuesin e internetit %s. Ky shfletues njihet si një zgjedhje e keqe për sigurinë, performancën dhe besueshmërinë. Ne rekomandojmë përdorimin e Firefox, Chrome, Opera ose Safari. +PHPModuleLoaded=Komponenti PHP %s është ngarkuar +PreloadOPCode=Përdoret OPCode i parangarkuar +AddRefInList=Shfaq Klientin/Shitësit ref. në listat e kombinuara.
      Palët e treta do të shfaqen me një format emri "CC12345 - SC45678 - The Big Company Corp." në vend të "The Big Company corp". +AddVatInList=Shfaqni numrin e TVSH-së së klientit/shitësit në listat e kombinuara. +AddAdressInList=Shfaq adresën e klientit/shitësit në lista të kombinuara.
      Palët e treta do të shfaqen me një format emri të "The Big Company Corp. - 21 jump street 123456 Big town - USA" në vend të " Korporata e Kompanisë së Madhe". +AddEmailPhoneTownInContactList=Shfaq email-in e kontaktit (ose telefonat nëse nuk janë të përcaktuar) dhe listën e informacionit të qytetit (lista e zgjedhur ose kutia e kombinuar)
      Kontaktet do të shfaqen me një format emri të "Dupond Durand - dupond.durand@example .com - Paris" ose "Dupond Durand - 06 07 59 65 66 - Paris" në vend të "Dupond Durand". +AskForPreferredShippingMethod=Kërkoni metodën e preferuar të transportit për palët e treta. +FieldEdition=Edicioni i fushës %s +FillThisOnlyIfRequired=Shembull: +2 (mbushni vetëm nëse hasen probleme të kompensimit të zonës kohore) +GetBarCode=Merrni barkodin +NumberingModules=Modelet e numërimit +DocumentModules=Modelet e dokumenteve ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters. -PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. -PasswordGenerationPerso=Return a password according to your personally defined configuration. -SetupPerso=According to your configuration -PasswordPatternDesc=Password pattern description +PasswordGenerationStandard=Ktheni një fjalëkalim të krijuar sipas algoritmit të brendshëm të Dolibarr: %s karaktere që përmbajnë numra dhe karaktere të përbashkëta. +PasswordGenerationNone=Mos sugjeroni një fjalëkalim të krijuar. Fjalëkalimi duhet të futet manualisht. +PasswordGenerationPerso=Ktheni një fjalëkalim sipas konfigurimit të përcaktuar personalisht. +SetupPerso=Sipas konfigurimit tuaj +PasswordPatternDesc=Përshkrimi i modelit të fjalëkalimit ##### Users setup ##### -RuleForGeneratedPasswords=Rules to generate and validate passwords -DisableForgetPasswordLinkOnLogonPage=Do not show the "Password Forgotten" link on the Login page -UsersSetup=Users module setup -UserMailRequired=Email required to create a new user -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) -UsersDocModules=Document templates for documents generated from user record -GroupsDocModules=Document templates for documents generated from a group record +RuleForGeneratedPasswords=Rregulla për të gjeneruar dhe vërtetuar fjalëkalime +DisableForgetPasswordLinkOnLogonPage=Mos e shfaq lidhjen "Fjalëkalimi i harruar" në faqen e hyrjes +UsersSetup=Konfigurimi i modulit të përdoruesve +UserMailRequired=Kërkohet email për të krijuar një përdorues të ri +UserHideInactive=Fshih përdoruesit joaktivë nga të gjitha listat e kombinuara të përdoruesve (Nuk rekomandohet: kjo mund të thotë që nuk do të mund të filtrosh ose të kërkosh përdorues të vjetër në disa faqe) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) +UsersDocModules=Modelet e dokumenteve për dokumentet e krijuara nga të dhënat e përdoruesit +GroupsDocModules=Modelet e dokumenteve për dokumentet e krijuara nga një rekord grupi ##### HRM setup ##### -HRMSetup=HRM module setup +HRMSetup=Konfigurimi i modulit HRM ##### Company setup ##### -CompanySetup=Companies module setup -CompanyCodeChecker=Options for automatic generation of customer/vendor codes -AccountCodeManager=Options for automatic generation of customer/vendor accounting codes -NotificationsDesc=Email notifications can be sent automatically for some Dolibarr events.
      Recipients of notifications can be defined: -NotificationsDescUser=* per user, one user at a time. -NotificationsDescContact=* per third-party contacts (customers or vendors), one contact at a time. -NotificationsDescGlobal=* or by setting global email addresses in the setup page of the module. -ModelModules=Document Templates -DocumentModelOdt=Generate documents from OpenDocument templates (.ODT / .ODS files from LibreOffice, OpenOffice, KOffice, TextEdit,...) -WatermarkOnDraft=Watermark on draft document -JSOnPaimentBill=Activate feature to autofill payment lines on payment form -CompanyIdProfChecker=Rules for Professional IDs -MustBeUnique=Must be unique? -MustBeMandatory=Mandatory to create third parties (if VAT number or type of company defined) ? -MustBeInvoiceMandatory=Mandatory to validate invoices? -TechnicalServicesProvided=Technical services provided +CompanySetup=Konfigurimi i modulit të kompanive +CompanyCodeChecker=Opsionet për gjenerimin automatik të kodeve të klientit/shitësit +AccountCodeManager=Opsione për gjenerimin automatik të kodeve të kontabilitetit të klientit/shitësit +NotificationsDesc=Njoftimet me email mund të dërgohen automatikisht për disa ngjarje Dolibarr.
      Marrësit e njoftimeve mund të përcaktohen: +NotificationsDescUser=* për përdorues, një përdorues në të njëjtën kohë. +NotificationsDescContact=* për kontakte të palëve të treta (klientë ose shitës), një kontakt në të njëjtën kohë. +NotificationsDescGlobal=* ose duke vendosur adresat globale të emailit në faqen e konfigurimit të modulit. +ModelModules=Modelet e dokumenteve +DocumentModelOdt=Gjeneroni dokumente nga shabllonet e OpenDocument (skedarët .ODT / .ODS nga LibreOffice, OpenOffice, KOffice, TextEdit,...) +WatermarkOnDraft=Filigram në draft dokument +JSOnPaimentBill=Aktivizo funksionin për të plotësuar automatikisht linjat e pagesës në formularin e pagesës +CompanyIdProfChecker=Rregullat për ID Profesionale +MustBeUnique=Duhet të jetë unike? +MustBeMandatory=E detyrueshme për të krijuar palë të treta (nëse përcaktohet numri i TVSH-së ose lloji i shoqërisë) ? +MustBeInvoiceMandatory=E detyrueshme për të vërtetuar faturat? +TechnicalServicesProvided=Shërbimet teknike të ofruara ##### WebDAV ##### -WebDAVSetupDesc=This is the link to access the WebDAV directory. It contains a "public" dir open to any user knowing the URL (if public directory access allowed) and a "private" directory that needs an existing login account/password for access. -WebDavServer=Root URL of %s server: %s +WebDAVSetupDesc=Kjo është lidhja për të hyrë në drejtorinë WebDAV. Ai përmban një adresë "publike" të hapur për çdo përdorues që njeh URL-në (nëse lejohet qasja në drejtorinë publike) dhe një direktori "private" që ka nevojë për një llogari identifikimi/fjalëkalim ekzistues për qasje. +WebDavServer=URL-ja kryesore e serverit %s: %s ##### WebCAL setup ##### -WebCalUrlForVCalExport=An export link to %s format is available at following link: %s +WebCalUrlForVCalExport=Një lidhje eksporti në %s disponohet në formatin e lidhjes vijuese %s ##### Invoices ##### -BillsSetup=Invoices module setup -BillsNumberingModule=Invoices and credit notes numbering model -BillsPDFModules=Invoice documents models -BillsPDFModulesAccordindToInvoiceType=Invoice documents models according to invoice type -PaymentsPDFModules=Payment documents models -ForceInvoiceDate=Force invoice date to validation date -SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined on the invoice -SuggestPaymentByRIBOnAccount=Suggest payment by withdrawal on account -SuggestPaymentByChequeToAddress=Suggest payment by check to -FreeLegalTextOnInvoices=Free text on invoices -WatermarkOnDraftInvoices=Watermark on draft invoices (none if empty) -PaymentsNumberingModule=Payments numbering model -SuppliersPayment=Vendor payments -SupplierPaymentSetup=Vendor payments setup -InvoiceCheckPosteriorDate=Check facture date before validation -InvoiceCheckPosteriorDateHelp=Validating an invoice will be forbidden if its date is anterior to the date of last invoice of same type. -InvoiceOptionCategoryOfOperations=Display the mention "category of operations" on the invoice. -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
      - Category of operations: Delivery of goods
      - Category of operations: Provision of services
      - Category of operations: Mixed - Delivery of goods & provision of services -InvoiceOptionCategoryOfOperationsYes1=Yes, below the address block -InvoiceOptionCategoryOfOperationsYes2=Yes, in the lower left-hand corner +BillsSetup=Konfigurimi i modulit të faturave +BillsNumberingModule=Modeli i numërimit të faturave dhe shënimeve të kreditit +BillsPDFModules=Modelet e dokumenteve të faturave +BillsPDFModulesAccordindToInvoiceType=Modelet e dokumenteve të faturës sipas llojit të faturës +PaymentsPDFModules=Modelet e dokumenteve të pagesës +ForceInvoiceDate=Detyrojeni datën e faturës deri në datën e vërtetimit +SuggestedPaymentModesIfNotDefinedInInvoice=Mënyra e sugjeruar e pagesave në faturë si parazgjedhje nëse nuk përcaktohet në faturë +SuggestPaymentByRIBOnAccount=Sugjeroni pagesën me tërheqje në llogari +SuggestPaymentByChequeToAddress=Sugjeroni pagesën me çek në +FreeLegalTextOnInvoices=Tekst falas në fatura +WatermarkOnDraftInvoices=Filigram në draft faturat (asnjë nëse është bosh) +PaymentsNumberingModule=Modeli i numërimit të pagesave +SuppliersPayment=Pagesat e shitësit +SupplierPaymentSetup=Konfigurimi i pagesave nga shitësi +InvoiceCheckPosteriorDate=Kontrolloni datën e faktit përpara vërtetimit +InvoiceCheckPosteriorDateHelp=Vleresimi i nje fature do te ndalohet nese data e saj eshte para dates se fatures se fundit te te njejtit lloj. +InvoiceOptionCategoryOfOperations=Shfaqni përmendjen "kategoria e operacioneve" në faturë. +InvoiceOptionCategoryOfOperationsHelp=Në varësi të situatës, përmendja do të shfaqet në formën:
      - Kategoria e operacioneve: Dorëzimi i mallrave
      - Kategoria e operacionet: Ofrimi i shërbimeve
      - Kategoria e operacioneve: Të përziera - Dorëzimi i mallrave dhe ofrimi i shërbimeve +InvoiceOptionCategoryOfOperationsYes1=Po, poshtë bllokut të adresave +InvoiceOptionCategoryOfOperationsYes2=Po, në këndin e poshtëm të majtë ##### Proposals ##### -PropalSetup=Commercial proposals module setup -ProposalsNumberingModules=Commercial proposal numbering models -ProposalsPDFModules=Commercial proposal documents models -SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined on the proposal -FreeLegalTextOnProposal=Free text on commercial proposals -WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty) -BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal +PropalSetup=Vendosja e modulit të propozimeve tregtare +ProposalsNumberingModules=Modelet e numërimit të propozimeve tregtare +ProposalsPDFModules=Modelet e dokumenteve të propozimeve tregtare +SuggestedPaymentModesIfNotDefinedInProposal=Mënyra e sugjeruar e pagesave sipas propozimit si parazgjedhje nëse nuk përcaktohet në propozim +FreeLegalTextOnProposal=Tekst falas mbi propozimet komerciale +WatermarkOnDraftProposal=Filigram në draft propozimet tregtare (asnjë nëse është bosh) +BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Kërkoni destinacionin e llogarisë bankare të propozimit ##### SupplierProposal ##### -SupplierProposalSetup=Price requests suppliers module setup -SupplierProposalNumberingModules=Price requests suppliers numbering models -SupplierProposalPDFModules=Price requests suppliers documents models -FreeLegalTextOnSupplierProposal=Free text on price requests suppliers -WatermarkOnDraftSupplierProposal=Watermark on draft price requests suppliers (none if empty) -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Ask for bank account destination of price request -WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Ask for Warehouse Source for order +SupplierProposalSetup=Konfigurimi i modulit të furnitorëve të kërkesave të çmimeve +SupplierProposalNumberingModules=Modelet e numërimit të kërkesave të çmimeve të furnitorëve +SupplierProposalPDFModules=Modelet e dokumenteve të kërkesave të çmimeve të furnitorëve +FreeLegalTextOnSupplierProposal=Tekst falas për kërkesat e çmimeve nga furnizuesit +WatermarkOnDraftSupplierProposal=Filigram në projekt-kërkesat e çmimeve nga furnizuesit (asnjë nëse është bosh) +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Kërkoni destinacionin e llogarisë bankare të kërkesës për çmim +WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Kërkoni burimin e magazinës për porosi ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Kërkoni destinacionin e llogarisë bankare të porosisë së blerjes ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sales order by default if not defined on the order -OrdersSetup=Sales Orders management setup -OrdersNumberingModules=Orders numbering models -OrdersModelModule=Order documents models -FreeLegalTextOnOrders=Free text on orders -WatermarkOnDraftOrders=Watermark on draft orders (none if empty) -ShippableOrderIconInList=Add an icon in Orders list which indicate if order is shippable -BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ask for bank account destination of order +SuggestedPaymentModesIfNotDefinedInOrder=Mënyra e sugjeruar e pagesave në porosinë e shitjes si parazgjedhje nëse nuk përcaktohet në porosi +OrdersSetup=Konfigurimi i menaxhimit të porosive të shitjeve +OrdersNumberingModules=Modelet e numrave të porosive +OrdersModelModule=Modelet e dokumenteve të porositjes +FreeLegalTextOnOrders=Tekst falas me porosi +WatermarkOnDraftOrders=Filigram në draft porositë (asnjë nëse është bosh) +ShippableOrderIconInList=Shtoni një ikonë në listën e porosive që tregon nëse porosia mund të dërgohet +BANK_ASK_PAYMENT_BANK_DURING_ORDER=Kërkoni destinacionin e llogarisë bankare të porosisë ##### Interventions ##### -InterventionsSetup=Interventions module setup -FreeLegalTextOnInterventions=Free text on intervention documents -FicheinterNumberingModules=Intervention numbering models -TemplatePDFInterventions=Intervention card documents models -WatermarkOnDraftInterventionCards=Watermark on intervention card documents (none if empty) +InterventionsSetup=Konfigurimi i modulit të ndërhyrjeve +FreeLegalTextOnInterventions=Tekst falas në dokumentet e ndërhyrjes +FicheinterNumberingModules=Modelet e numërimit të ndërhyrjes +TemplatePDFInterventions=Modelet e dokumenteve të kartave të ndërhyrjes +WatermarkOnDraftInterventionCards=Filigram në dokumentet e kartës së ndërhyrjes (asnjë nëse është bosh) ##### Contracts ##### -ContractsSetup=Contracts/Subscriptions module setup -ContractsNumberingModules=Contracts numbering modules -TemplatePDFContracts=Contracts documents models -FreeLegalTextOnContracts=Free text on contracts -WatermarkOnDraftContractCards=Watermark on draft contracts (none if empty) +ContractsSetup=Konfigurimi i modulit të kontratave/abonimeve +ContractsNumberingModules=Modulet e numërimit të kontratave +TemplatePDFContracts=Modelet e dokumenteve të kontratave +FreeLegalTextOnContracts=Tekst falas për kontratat +WatermarkOnDraftContractCards=Filigram në projekt-kontratat (asnjë nëse është bosh) ##### Members ##### -MembersSetup=Members module setup -MemberMainOptions=Main options -MemberCodeChecker=Options for automatic generation of member codes -AdherentLoginRequired= Manage a Login for each member -AdherentMailRequired=Email required to create a new member -MemberSendInformationByMailByDefault=Checkbox to send mail confirmation to members (validation or new subscription) is on by default -MemberCreateAnExternalUserForSubscriptionValidated=Create an external user login for each new member subscription validated -VisitorCanChooseItsPaymentMode=Visitor can choose from any available payment modes -MEMBER_REMINDER_EMAIL=Enable automatic reminder by email of expired subscriptions. Note: Module %s must be enabled and correctly setup to send reminders. -MembersDocModules=Document templates for documents generated from member record +MembersSetup=Konfigurimi i modulit të anëtarëve +MemberMainOptions=Opsionet kryesore +MemberCodeChecker=Opsione për gjenerimin automatik të kodeve të anëtarëve +AdherentLoginRequired=Menaxhoni një hyrje/fjalëkalim për çdo anëtar +AdherentLoginRequiredDesc=Shtoni një vlerë për një hyrje dhe një fjalëkalim në skedarin e anëtarëve. Nëse anëtari është i lidhur me një përdorues, përditësimi i hyrjes dhe fjalëkalimit të anëtarit do të përditësojë gjithashtu hyrjen dhe fjalëkalimin e përdoruesit. +AdherentMailRequired=Kërkohet email për të krijuar një anëtar të ri +MemberSendInformationByMailByDefault=Kutia e zgjedhjes për të dërguar konfirmimin e postës tek anëtarët (vlefshmëria ose abonimi i ri) është aktivizuar si parazgjedhje +MemberCreateAnExternalUserForSubscriptionValidated=Krijoni një hyrje të përdoruesit të jashtëm për çdo abonim të ri anëtar të vlefshëm +VisitorCanChooseItsPaymentMode=Vizitori mund të zgjedhë nga çdo mënyrë pagese në dispozicion +MEMBER_REMINDER_EMAIL=Aktivizo rikujtuesin automatik me email të abonimeve të skaduara. Shënim: Moduli %s duhet të konfigurohet saktë për t'u dërguar përkujtues. +MembersDocModules=Modelet e dokumenteve për dokumentet e krijuara nga të dhënat e anëtarëve ##### LDAP setup ##### -LDAPSetup=LDAP Setup -LDAPGlobalParameters=Global parameters -LDAPUsersSynchro=Users -LDAPGroupsSynchro=Groups -LDAPContactsSynchro=Contacts -LDAPMembersSynchro=Members -LDAPMembersTypesSynchro=Members types -LDAPSynchronization=LDAP synchronisation -LDAPFunctionsNotAvailableOnPHP=LDAP functions are not available on your PHP +LDAPSetup=Konfigurimi i LDAP +LDAPGlobalParameters=Parametrat globalë +LDAPUsersSynchro=Përdoruesit +LDAPGroupsSynchro=Grupet +LDAPContactsSynchro=Kontaktet +LDAPMembersSynchro=Anëtarët +LDAPMembersTypesSynchro=Llojet e anëtarëve +LDAPSynchronization=Sinkronizimi LDAP +LDAPFunctionsNotAvailableOnPHP=Funksionet LDAP nuk janë të disponueshme në PHP-në tuaj LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP -LDAPNamingAttribute=Key in LDAP -LDAPSynchronizeUsers=Organization of users in LDAP -LDAPSynchronizeGroups=Organization of groups in LDAP -LDAPSynchronizeContacts=Organization of contacts in LDAP -LDAPSynchronizeMembers=Organization of foundation's members in LDAP -LDAPSynchronizeMembersTypes=Organization of foundation's members types in LDAP -LDAPPrimaryServer=Primary server -LDAPSecondaryServer=Secondary server -LDAPServerPort=Server port -LDAPServerPortExample=Standard or StartTLS: 389, LDAPs: 636 -LDAPServerProtocolVersion=Protocol version -LDAPServerUseTLS=Use TLS -LDAPServerUseTLSExample=Your LDAP server use StartTLS -LDAPServerDn=Server DN -LDAPAdminDn=Administrator DN -LDAPAdminDnExample=Complete DN (ex: cn=admin,dc=example,dc=com or cn=Administrator,cn=Users,dc=example,dc=com for active directory) -LDAPPassword=Administrator password -LDAPUserDn=Users' DN -LDAPUserDnExample=Complete DN (ex: ou=users,dc=example,dc=com) -LDAPGroupDn=Groups' DN -LDAPGroupDnExample=Complete DN (ex: ou=groups,dc=example,dc=com) -LDAPServerExample=Server address (ex: localhost, 192.168.0.2, ldaps://ldap.example.com/) -LDAPServerDnExample=Complete DN (ex: dc=example,dc=com) -LDAPDnSynchroActive=Users and groups synchronization -LDAPDnSynchroActiveExample=LDAP to Dolibarr or Dolibarr to LDAP synchronization -LDAPDnContactActive=Contacts' synchronization -LDAPDnContactActiveExample=Activated/Unactivated synchronization -LDAPDnMemberActive=Members' synchronization -LDAPDnMemberActiveExample=Activated/Unactivated synchronization -LDAPDnMemberTypeActive=Members types' synchronization -LDAPDnMemberTypeActiveExample=Activated/Unactivated synchronization -LDAPContactDn=Dolibarr contacts' DN -LDAPContactDnExample=Complete DN (ex: ou=contacts,dc=example,dc=com) -LDAPMemberDn=Dolibarr members DN -LDAPMemberDnExample=Complete DN (ex: ou=members,dc=example,dc=com) -LDAPMemberObjectClassList=List of objectClass -LDAPMemberObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPMemberTypeDn=Dolibarr members types DN -LDAPMemberTypepDnExample=Complete DN (ex: ou=memberstypes,dc=example,dc=com) -LDAPMemberTypeObjectClassList=List of objectClass -LDAPMemberTypeObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames) -LDAPUserObjectClassList=List of objectClass -LDAPUserObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPGroupObjectClassList=List of objectClass -LDAPGroupObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames) -LDAPContactObjectClassList=List of objectClass -LDAPContactObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) -LDAPTestConnect=Test LDAP connection -LDAPTestSynchroContact=Test contacts synchronization -LDAPTestSynchroUser=Test user synchronization -LDAPTestSynchroGroup=Test group synchronization -LDAPTestSynchroMember=Test member synchronization -LDAPTestSynchroMemberType=Test member type synchronization -LDAPTestSearch= Test a LDAP search -LDAPSynchroOK=Synchronization test successful -LDAPSynchroKO=Failed synchronization test -LDAPSynchroKOMayBePermissions=Failed synchronization test. Check that the connection to the server is correctly configured and allows LDAP updates -LDAPTCPConnectOK=TCP connect to LDAP server successful (Server=%s, Port=%s) -LDAPTCPConnectKO=TCP connect to LDAP server failed (Server=%s, Port=%s) -LDAPBindOK=Connect/Authenticate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s) -LDAPBindKO=Connect/Authenticate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=%s) -LDAPSetupForVersion3=LDAP server configured for version 3 -LDAPSetupForVersion2=LDAP server configured for version 2 -LDAPDolibarrMapping=Dolibarr Mapping -LDAPLdapMapping=LDAP Mapping -LDAPFieldLoginUnix=Login (unix) -LDAPFieldLoginExample=Example: uid -LDAPFilterConnection=Search filter -LDAPFilterConnectionExample=Example: &(objectClass=inetOrgPerson) -LDAPGroupFilterExample=Example: &(objectClass=groupOfUsers) -LDAPFieldLoginSamba=Login (samba, activedirectory) -LDAPFieldLoginSambaExample=Example: samaccountname -LDAPFieldFullname=Full name -LDAPFieldFullnameExample=Example: cn -LDAPFieldPasswordNotCrypted=Password not encrypted -LDAPFieldPasswordCrypted=Password encrypted -LDAPFieldPasswordExample=Example: userPassword -LDAPFieldCommonNameExample=Example: cn -LDAPFieldName=Name -LDAPFieldNameExample=Example: sn +LDAPNamingAttribute=Çelës në LDAP +LDAPSynchronizeUsers=Organizimi i përdoruesve në LDAP +LDAPSynchronizeGroups=Organizimi i grupeve në LDAP +LDAPSynchronizeContacts=Organizimi i kontakteve në LDAP +LDAPSynchronizeMembers=Organizimi i anëtarëve të fondacionit në LDAP +LDAPSynchronizeMembersTypes=Organizimi i llojeve të anëtarëve të fondacionit në LDAP +LDAPPrimaryServer=Serveri kryesor +LDAPSecondaryServer=Server dytësor +LDAPServerPort=Porta e serverit +LDAPServerPortExample=Standard ose StartTLS: 389, LDAP: 636 +LDAPServerProtocolVersion=Versioni i protokollit +LDAPServerUseTLS=Përdorni TLS +LDAPServerUseTLSExample=Serveri juaj LDAP përdor StartTLS +LDAPServerDn=DN e serverit +LDAPAdminDn=Administratori DN +LDAPAdminDnExample=Plotësoni DN (p.sh.: cn=admin,dc=shembull,dc=com ose cn=Administrator,cn=Përdoruesit,dc=shembull,dc=com për direktoriumin aktiv) +LDAPPassword=Fjalëkalimi i administratorit +LDAPUserDn=DN e përdoruesve +LDAPUserDnExample=Plotësoni DN (p.sh.: ou=users,dc=shembull,dc=com) +LDAPGroupDn=DN e grupeve +LDAPGroupDnExample=Plotësoni DN (p.sh.: ou=grupet,dc=shembull,dc=com) +LDAPServerExample=Adresa e serverit (p.sh. localhost, 192.168.0.2, ldaps://ldap.example.com/) +LDAPServerDnExample=Plotësoni DN (p.sh.: dc=shembull,dc=com) +LDAPDnSynchroActive=Sinkronizimi i përdoruesve dhe grupeve +LDAPDnSynchroActiveExample=Sinkronizimi LDAP në Dolibarr ose Dolibarr në LDAP +LDAPDnContactActive=Sinkronizimi i kontakteve +LDAPDnContactActiveExample=Sinkronizimi i aktivizuar/joaktivizuar +LDAPDnMemberActive=Sinkronizimi i anëtarëve +LDAPDnMemberActiveExample=Sinkronizimi i aktivizuar/joaktivizuar +LDAPDnMemberTypeActive=Sinkronizimi i llojeve të anëtarëve +LDAPDnMemberTypeActiveExample=Sinkronizimi i aktivizuar/joaktivizuar +LDAPContactDn=DN e kontakteve të Dolibarr +LDAPContactDnExample=Plotësoni DN (p.sh.: ou=contacts,dc=shembull,dc=com) +LDAPMemberDn=Anëtarët e Dolibarr DN +LDAPMemberDnExample=Plotësoni DN (p.sh.: ou=anëtarë,dc=shembull,dc=com) +LDAPMemberObjectClassList=Lista e objektitClass +LDAPMemberObjectClassListExample=Lista e atributeve të rekordeve që përcaktojnë klasën e objektit (p.sh. lart, inetOrgPerson ose krye, përdorues për direktorinë aktive) +LDAPMemberTypeDn=Anëtarët e Dolibarr tipit DN +LDAPMemberTypepDnExample=Plotësoni DN (p.sh.: ou=memberstypes,dc=shembull,dc=com) +LDAPMemberTypeObjectClassList=Lista e objektitClass +LDAPMemberTypeObjectClassListExample=Lista e atributeve të rekordeve që përcaktojnë klasën e objektit (p.sh. lart, grupi i emrave të vetëm) +LDAPUserObjectClassList=Lista e objektitClass +LDAPUserObjectClassListExample=Lista e atributeve të rekordeve që përcaktojnë klasën e objektit (p.sh. lart, inetOrgPerson ose krye, përdorues për direktorinë aktive) +LDAPGroupObjectClassList=Lista e objektitClass +LDAPGroupObjectClassListExample=Lista e atributeve të rekordeve që përcaktojnë klasën e objektit (p.sh. lart, grupi i emrave të vetëm) +LDAPContactObjectClassList=Lista e objektitClass +LDAPContactObjectClassListExample=Lista e atributeve të rekordeve që përcaktojnë klasën e objektit (p.sh. lart, inetOrgPerson ose krye, përdorues për direktorinë aktive) +LDAPTestConnect=Testoni lidhjen LDAP +LDAPTestSynchroContact=Testoni sinkronizimin e kontakteve +LDAPTestSynchroUser=Testoni sinkronizimin e përdoruesit +LDAPTestSynchroGroup=Sinkronizimi i grupit të testimit +LDAPTestSynchroMember=Testoni sinkronizimin e anëtarëve +LDAPTestSynchroMemberType=Testoni sinkronizimin e tipit të anëtarit +LDAPTestSearch= Testoni një kërkim LDAP +LDAPSynchroOK=Testi i sinkronizimit me sukses +LDAPSynchroKO=Testi i sinkronizimit dështoi +LDAPSynchroKOMayBePermissions=Testi i sinkronizimit dështoi. Kontrolloni që lidhja me serverin të jetë konfiguruar saktë dhe të lejon përditësimet LDAP +LDAPTCPConnectOK=Lidhja TCP me serverin LDAP me sukses (Server=%s, Port=%s) +LDAPTCPConnectKO=Lidhja TCP me serverin LDAP dështoi (Server=%s, Port=%s) +LDAPBindOK=Lidhja/Vërtetimi me serverin LDAP me sukses (Server=%s, Port=%s, Admin= %s, Fjalëkalimi=%s) +LDAPBindKO=Lidhja/Vërtetimi me serverin LDAP dështoi (Server=%s, Port=%s, Admin= %s, Fjalëkalimi=%s) +LDAPSetupForVersion3=Serveri LDAP i konfiguruar për versionin 3 +LDAPSetupForVersion2=Serveri LDAP i konfiguruar për versionin 2 +LDAPDolibarrMapping=Hartë Dolibarr +LDAPLdapMapping=Harta LDAP +LDAPFieldLoginUnix=Identifikohu (unix) +LDAPFieldLoginExample=Shembull: uid +LDAPFilterConnection=Filtri i kërkimit +LDAPFilterConnectionExample=Shembull: &(objectClass=inetOrgPerson) +LDAPGroupFilterExample=Shembull: &(objectClass=groupOfUsers) +LDAPFieldLoginSamba=Identifikohu (samba, drejtoria aktive) +LDAPFieldLoginSambaExample=Shembull: samaccountname +LDAPFieldFullname=Emri i plotë +LDAPFieldFullnameExample=Shembull: cn +LDAPFieldPasswordNotCrypted=Fjalëkalimi nuk është i koduar +LDAPFieldPasswordCrypted=Fjalëkalimi i koduar +LDAPFieldPasswordExample=Shembull: fjalëkalimi i përdoruesit +LDAPFieldCommonNameExample=Shembull: cn +LDAPFieldName=Emri +LDAPFieldNameExample=Shembull: sn LDAPFieldFirstName=Emri -LDAPFieldFirstNameExample=Example: givenName -LDAPFieldMail=Email address -LDAPFieldMailExample=Example: mail -LDAPFieldPhone=Professional phone number -LDAPFieldPhoneExample=Example: telephonenumber -LDAPFieldHomePhone=Personal phone number -LDAPFieldHomePhoneExample=Example: homephone -LDAPFieldMobile=Cellular phone -LDAPFieldMobileExample=Example: mobile -LDAPFieldFax=Fax number -LDAPFieldFaxExample=Example: facsimiletelephonenumber -LDAPFieldAddress=Street -LDAPFieldAddressExample=Example: street +LDAPFieldFirstNameExample=Shembull: Emri i dhënë +LDAPFieldMail=Adresa e emailit +LDAPFieldMailExample=Shembull: postë +LDAPFieldPhone=Numri i telefonit profesional +LDAPFieldPhoneExample=Shembull: numri i telefonit +LDAPFieldHomePhone=Numri personal i telefonit +LDAPFieldHomePhoneExample=Shembull: telefoni i shtëpisë +LDAPFieldMobile=Telefon celular +LDAPFieldMobileExample=Shembull: celular +LDAPFieldFax=Numri i faksit +LDAPFieldFaxExample=Shembull: numri i telefonit faksimile +LDAPFieldAddress=Rruga +LDAPFieldAddressExample=Shembull: rrugë LDAPFieldZip=Zip -LDAPFieldZipExample=Example: postalcode -LDAPFieldTown=Town -LDAPFieldTownExample=Example: l -LDAPFieldCountry=Country -LDAPFieldDescription=Përshkrimi -LDAPFieldDescriptionExample=Example: description -LDAPFieldNotePublic=Public Note -LDAPFieldNotePublicExample=Example: publicnote -LDAPFieldGroupMembers= Group members -LDAPFieldGroupMembersExample= Example: uniqueMember -LDAPFieldBirthdate=Birthdate -LDAPFieldCompany=Kompani -LDAPFieldCompanyExample=Example: o +LDAPFieldZipExample=Shembull: kodi postar +LDAPFieldTown=Qyteti +LDAPFieldTownExample=Shembull: l +LDAPFieldCountry=Vendi +LDAPFieldDescription=Përshkrim +LDAPFieldDescriptionExample=Shembull: përshkrim +LDAPFieldNotePublic=Shënim Publik +LDAPFieldNotePublicExample=Shembull: shënim publik +LDAPFieldGroupMembers= Anëtarët e grupit +LDAPFieldGroupMembersExample= Shembull: Anëtar unik +LDAPFieldBirthdate=Data e lindjes +LDAPFieldCompany=Kompania +LDAPFieldCompanyExample=Shembull: o LDAPFieldSid=SID -LDAPFieldSidExample=Example: objectsid -LDAPFieldEndLastSubscription=Date of subscription end -LDAPFieldTitle=Job position -LDAPFieldTitleExample=Example: title -LDAPFieldGroupid=Group id -LDAPFieldGroupidExample=Example : gidnumber -LDAPFieldUserid=User id -LDAPFieldUseridExample=Example : uidnumber -LDAPFieldHomedirectory=Home directory -LDAPFieldHomedirectoryExample=Exemple : homedirectory -LDAPFieldHomedirectoryprefix=Home directory prefix -LDAPSetupNotComplete=LDAP setup not complete (go on others tabs) -LDAPNoUserOrPasswordProvidedAccessIsReadOnly=No administrator or password provided. LDAP access will be anonymous and in read only mode. -LDAPDescContact=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr contacts. -LDAPDescUsers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr users. -LDAPDescGroups=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr groups. -LDAPDescMembers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members module. -LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. -LDAPDescValues=Example values are designed for OpenLDAP with following loaded schemas: core.schema, cosine.schema, inetorgperson.schema). If you use thoose values and OpenLDAP, modify your LDAP config file slapd.conf to have all thoose schemas loaded. -ForANonAnonymousAccess=For an authenticated access (for a write access for example) -PerfDolibarr=Performance setup/optimizing report -YouMayFindPerfAdviceHere=This page provides some checks or advice related to performance. -NotInstalled=Not installed. -NotSlowedDownByThis=Not slowed down by this. -NotRiskOfLeakWithThis=Not risk of leak with this. -ApplicativeCache=Applicative cache -MemcachedNotAvailable=No applicative cache found. You can enhance performance by installing a cache server Memcached and a module able to use this cache server.
      More information here
      http://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      Note that a lot of web hosting provider does not provide such cache server. -MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete. -MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled. +LDAPFieldSidExample=Shembull: objekti +LDAPFieldEndLastSubscription=Data e përfundimit të abonimit +LDAPFieldTitle=Pozicioni i punës +LDAPFieldTitleExample=Shembull: titull +LDAPFieldGroupid=ID e grupit +LDAPFieldGroupidExample=Shembull: numri i përgjithshëm +LDAPFieldUserid=ID e përdoruesit +LDAPFieldUseridExample=Shembull: numri uid +LDAPFieldHomedirectory=Drejtoria kryesore +LDAPFieldHomedirectoryExample=Shembull: drejtoria e shtëpisë +LDAPFieldHomedirectoryprefix=Prefiksi i drejtorisë kryesore +LDAPSetupNotComplete=Konfigurimi i LDAP nuk ka përfunduar (shkoni te skedat e tjera) +LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Asnjë administrator ose fjalëkalim i dhënë. Qasja LDAP do të jetë anonime dhe në modalitetin vetëm për lexim. +LDAPDescContact=Kjo faqe ju lejon të përcaktoni emrin e atributeve LDAP në pemën LDAP për çdo të dhënë të gjetur në kontaktet Dolibarr. +LDAPDescUsers=Kjo faqe ju lejon të përcaktoni emrin e atributeve LDAP në pemën LDAP për çdo të dhënë të gjetur në përdoruesit e Dolibarr. +LDAPDescGroups=Kjo faqe ju lejon të përcaktoni emrin e atributeve LDAP në pemën LDAP për çdo të dhënë të gjetur në grupet Dolibarr. +LDAPDescMembers=Kjo faqe ju lejon të përcaktoni emrin e atributeve LDAP në pemën LDAP për çdo të dhënë të gjetur në modulin e anëtarëve Dolibarr. +LDAPDescMembersTypes=Kjo faqe ju lejon të përcaktoni emrin e atributeve LDAP në pemën LDAP për çdo të dhënë të gjetur në llojet e anëtarëve Dolibarr. +LDAPDescValues=Vlerat e shembujve janë të dizajnuara për OpenLDAP me skemat e ngarkuara në vijim: b650 core.schema, cosine.schema, inetorgperson.schema
      ). Nëse përdorni ato vlera dhe OpenLDAP, modifikoni skedarin tuaj të konfigurimit LDAP slapd.conf që të ketë të gjitha skemat e ngarkuara. +ForANonAnonymousAccess=Për një akses të vërtetuar (për shembull për një akses shkrimi) +PerfDolibarr=Raporti i konfigurimit/optimizimit të performancës +YouMayFindPerfAdviceHere=Kjo faqe ofron disa kontrolle ose këshilla në lidhje me performancën. +NotInstalled=Nuk është instaluar. +NotSlowedDownByThis=Nuk ngadalësohet nga kjo. +NotRiskOfLeakWithThis=Nuk ka rrezik të rrjedhjes me këtë. +ApplicativeCache=Cache aplikative +MemcachedNotAvailable=Nuk u gjet asnjë cache aplikative. Ju mund të përmirësoni performancën duke instaluar një server memorie të fshehtë Memcached dhe një modul të aftë për të përdorur këtë server memorie.
      Më shumë informacion këtu http ://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      Vini re se shumë strehë në ueb nuk ofron një server të tillë cache. +MemcachedModuleAvailableButNotSetup=Moduli memcached për cache aplikative u gjet, por konfigurimi i modulit nuk është i plotë. +MemcachedAvailableAndSetup=Moduli memcached i dedikuar për të përdorur serverin memcached është i aktivizuar. OPCodeCache=OPCode cache -NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad). -HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript) -FilesOfTypeCached=Files of type %s are cached by HTTP server -FilesOfTypeNotCached=Files of type %s are not cached by HTTP server -FilesOfTypeCompressed=Files of type %s are compressed by HTTP server -FilesOfTypeNotCompressed=Files of type %s are not compressed by HTTP server -CacheByServer=Cache by server -CacheByServerDesc=For example using the Apache directive "ExpiresByType image/gif A2592000" -CacheByClient=Cache by browser -CompressionOfResources=Compression of HTTP responses -CompressionOfResourcesDesc=For example using the Apache directive "AddOutputFilterByType DEFLATE" -TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers -DefaultValuesDesc=Here you may define the default value you wish to use when creating a new record, and/or default filters or the sort order when you list records. -DefaultCreateForm=Default values (to use on forms) -DefaultSearchFilters=Default search filters -DefaultSortOrder=Default sort orders -DefaultFocus=Default focus fields -DefaultMandatory=Mandatory form fields +NoOPCodeCacheFound=Nuk u gjet asnjë memorie e fshehtë OPCode. Ndoshta po përdorni një memorie të fshehtë OPCode të ndryshme nga XCache ose eAccelerator (mirë), ose ndoshta nuk keni cache OPCode (shumë keq). +HTTPCacheStaticResources=Cache HTTP për burimet statike (css, img, JavaScript) +FilesOfTypeCached=Skedarët e llojit %s ruhen nga serveri HTTP +FilesOfTypeNotCached=Skedarët e tipit %s nuk ruhen nga serveri HTTP +FilesOfTypeCompressed=Skedarët e tipit %s janë të ngjeshur nga serveri HTTP +FilesOfTypeNotCompressed=Skedarët e llojit %s nuk janë të ngjeshur nga serveri HTTP +CacheByServer=Cache nga serveri +CacheByServerDesc=Për shembull duke përdorur direktivën Apache "ExpiresByType image/gif A2592000" +CacheByClient=Cache nga shfletuesi +CompressionOfResources=Kompresimi i përgjigjeve HTTP +CompressionOfResourcesDesc=Për shembull duke përdorur direktivën Apache "AddOutputFilterByType DEFLATE" +TestNotPossibleWithCurrentBrowsers=Një zbulim i tillë automatik nuk është i mundur me shfletuesit aktualë +DefaultValuesDesc=Këtu mund të përcaktoni vlerën e paracaktuar që dëshironi të përdorni kur krijoni një rekord të ri, dhe/ose filtrat e paracaktuar ose renditjen e renditjes kur listoni të dhënat. +DefaultCreateForm=Vlerat e parazgjedhura (për t'u përdorur në forma) +DefaultSearchFilters=Filtrat e parazgjedhur të kërkimit +DefaultSortOrder=Urdhërat e parazgjedhura të renditjes +DefaultFocus=Fushat e parazgjedhura të fokusit +DefaultMandatory=Fushat e formularit të detyrueshëm ##### Products ##### -ProductSetup=Products module setup -ServiceSetup=Services module setup -ProductServiceSetup=Products and Services modules setup -NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) -ViewProductDescInFormAbility=Display product descriptions in lines of items (otherwise show description in a tooltip popup) -OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document -AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product -DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. -DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents -MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) -UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) -SetDefaultBarcodeTypeProducts=Default barcode type to use for products -SetDefaultBarcodeTypeThirdParties=Default barcode type to use for third parties -UseUnits=Define a unit of measure for Quantity during order, proposal or invoice lines edition -ProductCodeChecker= Module for product code generation and checking (product or service) -ProductOtherConf= Product / Service configuration -IsNotADir=is not a directory! +ProductSetup=Konfigurimi i modulit të produkteve +ServiceSetup=Konfigurimi i modulit të shërbimeve +ProductServiceSetup=Konfigurimi i moduleve të produkteve dhe shërbimeve +NumberOfProductShowInSelect=Numri maksimal i produkteve për t'u shfaqur në listat e përzgjedhjes së kombinuar (0=pa kufi) +ViewProductDescInFormAbility=Shfaq përshkrimet e produkteve në rreshtat e artikujve (përndryshe shfaq përshkrimin në një dritare kërcyese të këshillës së veglave) +OnProductSelectAddProductDesc=Si të përdorni përshkrimin e produkteve kur shtoni një produkt si rresht të një dokumenti +AutoFillFormFieldBeforeSubmit=Plotësoni automatikisht fushën e hyrjes së përshkrimit me përshkrimin e produktit +DoNotAutofillButAutoConcat=Mos e plotësoni automatikisht fushën e hyrjes me përshkrimin e produktit. Përshkrimi i produktit do të lidhet automatikisht me përshkrimin e futur. +DoNotUseDescriptionOfProdut=Përshkrimi i produktit nuk do të përfshihet kurrë në përshkrimin e linjave të dokumenteve +MergePropalProductCard=Aktivizo në skedën "Skedarët e bashkangjitur" të produktit/shërbimit një opsion për të bashkuar dokumentin PDF të produktit me propozimin PDF azur nëse produkti/shërbimi është në propozim +ViewProductDescInThirdpartyLanguageAbility=Shfaqni përshkrimet e produkteve në forma në gjuhën e palës së tretë (ndryshe në gjuhën e përdoruesit) +UseSearchToSelectProductTooltip=Gjithashtu, nëse keni një numër të madh produktesh (> 100 000), mund të rrisni shpejtësinë duke vendosur PRODUCT_DONOTSEARCH_ANYWHERE konstante në 1 në Konfigurimi->Të tjera. Kërkimi më pas do të kufizohet në fillimin e vargut. +UseSearchToSelectProduct=Prisni derisa të shtypni një buton përpara se të ngarkoni përmbajtjen e listës së kombinuar të produkteve (Kjo mund të rrisë performancën nëse keni një numër të madh produktesh, por është më pak i përshtatshëm) +SetDefaultBarcodeTypeProducts=Lloji i parazgjedhur i barkodit për t'u përdorur për produktet +SetDefaultBarcodeTypeThirdParties=Lloji i parazgjedhur i barkodit për t'u përdorur për palët e treta +UseUnits=Përcaktoni një njësi matëse për sasinë gjatë botimit të linjave të porosive, propozimeve ose faturave +ProductCodeChecker= Moduli për gjenerimin dhe kontrollin e kodit të produktit (produkt ose shërbim) +ProductOtherConf= Konfigurimi i produktit/shërbimit +IsNotADir=nuk është një drejtori! ##### Syslog ##### -SyslogSetup=Logs module setup -SyslogOutput=Logs outputs -SyslogFacility=Facility -SyslogLevel=Level -SyslogFilename=File name and path -YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. -ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant -OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported -CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) -SyslogFileNumberOfSaves=Number of backup logs to keep -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +SyslogSetup=Konfigurimi i modulit të regjistrave +SyslogOutput=Rezultatet e regjistrave +SyslogFacility=Objekti +SyslogLevel=Niveli +SyslogFilename=Emri i skedarit dhe rruga +YouCanUseDOL_DATA_ROOT=Ju mund të përdorni DOL_DATA_ROOT/dolibarr.log për një skedar log në dosjen "dokumentet" Dolibarr. Mund të vendosni një shteg tjetër për të ruajtur këtë skedar. +ErrorUnknownSyslogConstant=Konstanta %s nuk është një konstante e njohur Syslog +OnlyWindowsLOG_USER=Në Windows, vetëm objekti LOG_USER do të mbështetet +CompressSyslogs=Kompresimi dhe rezervimi i skedarëve të regjistrit të korrigjimit (krijuar nga moduli Regjistri për korrigjimin) +SyslogFileNumberOfSaves=Numri i regjistrave rezervë për t'u mbajtur +ConfigureCleaningCronjobToSetFrequencyOfSaves=Konfiguro punën e planifikuar të pastrimit për të vendosur frekuencën e rezervimit të regjistrave ##### Donations ##### -DonationsSetup=Donation module setup -DonationsReceiptModel=Template of donation receipt +DonationsSetup=Konfigurimi i modulit të dhurimit +DonationsReceiptModel=Modeli i faturës së dhurimit ##### Barcode ##### -BarcodeSetup=Barcode setup -PaperFormatModule=Print format module -BarcodeEncodeModule=Barcode encoding type -CodeBarGenerator=Barcode generator -ChooseABarCode=No generator defined -FormatNotSupportedByGenerator=Format not supported by this generator -BarcodeDescEAN8=Barcode of type EAN8 -BarcodeDescEAN13=Barcode of type EAN13 -BarcodeDescUPC=Barcode of type UPC -BarcodeDescISBN=Barcode of type ISBN -BarcodeDescC39=Barcode of type C39 -BarcodeDescC128=Barcode of type C128 -BarcodeDescDATAMATRIX=Barcode of type Datamatrix -BarcodeDescQRCODE=Barcode of type QR code -GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".
      For example: /usr/local/bin/genbarcode -BarcodeInternalEngine=Internal engine -BarCodeNumberManager=Manager to auto define barcode numbers +BarcodeSetup=Vendosja e barkodit +PaperFormatModule=Moduli i formatit të printimit +BarcodeEncodeModule=Lloji i kodimit të barkodit +CodeBarGenerator=Gjenerator i barkodit +ChooseABarCode=Asnjë gjenerator i përcaktuar +FormatNotSupportedByGenerator=Formati nuk mbështetet nga ky gjenerator +BarcodeDescEAN8=Barkodi i tipit EAN8 +BarcodeDescEAN13=Barkodi i tipit EAN13 +BarcodeDescUPC=Barkodi i tipit UPC +BarcodeDescISBN=Barkodi i tipit ISBN +BarcodeDescC39=Barkodi i tipit C39 +BarcodeDescC128=Barkodi i tipit C128 +BarcodeDescDATAMATRIX=Barkodi i tipit Datamatrix +BarcodeDescQRCODE=Barkodi i tipit kod QR +GenbarcodeLocation=Vegël e linjës së komandës për gjenerimin e kodit të shiritit (përdoret nga motori i brendshëm për disa lloje kodesh bar). Duhet të jetë në përputhje me "genbarcode".
      Për shembull: /usr/local/bin/genbarcode +BarcodeInternalEngine=Motori i brendshëm +BarCodeNumberManager=Menaxher për të përcaktuar automatikisht numrat e barkodit ##### Prelevements ##### -WithdrawalsSetup=Setup of module Direct Debit payments +WithdrawalsSetup=Vendosja e modulit të pagesave me Debitim Direkt ##### ExternalRSS ##### -ExternalRSSSetup=External RSS imports setup -NewRSS=New RSS Feed -RSSUrl=RSS URL -RSSUrlExample=An interesting RSS feed +ExternalRSSSetup=Konfigurimi i importeve të jashtme RSS +NewRSS=Furnizimi i ri RSS +RSSUrl=URL RSS +RSSUrlExample=Një burim interesant RSS ##### Mailing ##### -MailingSetup=EMailing module setup -MailingEMailFrom=Sender email (From) for emails sent by emailing module -MailingEMailError=Return Email (Errors-to) for emails with errors -MailingDelay=Seconds to wait after sending next message +MailingSetup=Konfigurimi i modulit të postës elektronike +MailingEMailFrom=Email dërguesi (Nga) për emailet e dërguara nga moduli i dërgimit me email +MailingEMailError=Ktheni Email (Gabimet-te) për emailet me gabime +MailingDelay=Sekonda për të pritur pas dërgimit të mesazhit tjetër ##### Notification ##### -NotificationSetup=Email Notification module setup -NotificationEMailFrom=Sender email (From) for emails sent by the Notifications module -FixedEmailTarget=Recipient -NotificationDisableConfirmMessageContact=Hide the list of recipients (subscribed as contact) of notifications into the confirmation message -NotificationDisableConfirmMessageUser=Hide the list of recipients (subscribed as user) of notifications into the confirmation message -NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as global email) of notifications into the confirmation message +NotificationSetup=Konfigurimi i modulit të njoftimit me email +NotificationEMailFrom=Email dërguesi (Nga) për emailet e dërguara nga moduli i Njoftimeve +FixedEmailTarget=Marrësi +NotificationDisableConfirmMessageContact=Fshihni listën e marrësve (të abonuar si kontakt) të njoftimeve në mesazhin e konfirmimit +NotificationDisableConfirmMessageUser=Fshihni listën e marrësve (të abonuar si përdorues) të njoftimeve në mesazhin e konfirmimit +NotificationDisableConfirmMessageFix=Fshihni listën e marrësve (të abonuar si email global) të njoftimeve në mesazhin e konfirmimit ##### Sendings ##### -SendingsSetup=Shipping module setup -SendingsReceiptModel=Sending receipt model -SendingsNumberingModules=Sendings numbering modules -SendingsAbility=Support shipping sheets for customer deliveries -NoNeedForDeliveryReceipts=In most cases, shipping sheets are used both as sheets for customer deliveries (list of products to send) and sheets that are received and signed by customer. Hence the product deliveries receipt is a duplicated feature and is rarely activated. -FreeLegalTextOnShippings=Free text on shipments +SendingsSetup=Konfigurimi i modulit të transportit +SendingsReceiptModel=Modeli i faturës së dërgimit +SendingsNumberingModules=Dërgon modulet e numërimit +SendingsAbility=Mbështet fletët e transportit për dërgesat e klientëve +NoNeedForDeliveryReceipts=Në shumicën e rasteve, fletët e transportit përdoren si fletë për dërgesat e klientëve (lista e produkteve për të dërguar) dhe fletët që merren dhe nënshkruhen nga klienti. Prandaj, fatura e dërgesave të produktit është një veçori e dyfishtë dhe aktivizohet rrallë. +FreeLegalTextOnShippings=Tekst falas në dërgesat ##### Deliveries ##### -DeliveryOrderNumberingModules=Products deliveries receipt numbering module -DeliveryOrderModel=Products deliveries receipt model -DeliveriesOrderAbility=Support products deliveries receipts -FreeLegalTextOnDeliveryReceipts=Free text on delivery receipts +DeliveryOrderNumberingModules=Moduli i numërimit të faturave të dërgesave të produkteve +DeliveryOrderModel=Modeli i faturës së dërgesave të produkteve +DeliveriesOrderAbility=Mbështetni faturat e dërgesave të produkteve +FreeLegalTextOnDeliveryReceipts=Tekst falas në faturat e dorëzimit ##### FCKeditor ##### -AdvancedEditor=Advanced editor -ActivateFCKeditor=Activate advanced editor for: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG creation/edition for mass eMailings (Tools->eMailing) -FCKeditorForUserSignature=WYSIWIG creation/edition of user signature -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +AdvancedEditor=Redaktues i avancuar +ActivateFCKeditor=Aktivizo redaktorin e avancuar për: +FCKeditorForNotePublic=WYSIWYG krijimi/botim i fushës "shënime publike" të elementeve +FCKeditorForNotePrivate=WYSIWYG krijimi/edicion i fushës "shënime private" të elementeve +FCKeditorForCompany=Krijimi/edicimi i WYSIWYG i përshkrimit të fushës së elementeve (përveç produkteve/shërbimeve) +FCKeditorForProductDetails=Krijimi/editimi i WYSIWYG i përshkrimit të produkteve ose linjave për objektet (linjat e propozimeve, porositë, faturat, etj...). +FCKeditorForProductDetails2=Paralajmërim: Përdorimi i këtij opsioni për këtë rast nuk rekomandohet seriozisht pasi mund të krijojë probleme me karaktere speciale dhe formatimin e faqeve gjatë ndërtimit të skedarëve PDF. +FCKeditorForMailing= Krijimi/edicimi i WYSIWYG për emailet masive (Vegla->Email) +FCKeditorForUserSignature=Krijimi/edicimi i WYSIWYG i nënshkrimit të përdoruesit +FCKeditorForMail=Krijimi/edicimi i WYSIWYG për të gjitha postat (përveç Veglave->Emailing) +FCKeditorForTicket=Krijimi/edicion i WYSIWYG për bileta ##### Stock ##### -StockSetup=Stock module setup -IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. +StockSetup=Vendosja e modulit të aksioneve +IfYouUsePointOfSaleCheckModule=Nëse përdorni modulin e pikës së shitjes (POS) të ofruar si parazgjedhje ose një modul të jashtëm, ky konfigurim mund të shpërfillet nga moduli juaj POS. Shumica e moduleve POS janë krijuar si parazgjedhje për të krijuar një faturë menjëherë dhe për të ulur stokun pavarësisht nga opsionet këtu. Pra, nëse keni nevojë ose jo të keni një ulje të stokut kur regjistroni një shitje nga POS-i juaj, kontrolloni gjithashtu konfigurimin e modulit tuaj POS. ##### Menu ##### -MenuDeleted=Menu deleted +MenuDeleted=Menyja u fshi Menu=Menu -Menus=Menus -TreeMenuPersonalized=Personalized menus -NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry -NewMenu=New menu -MenuHandler=Menu handler -MenuModule=Source module -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) -DetailId=Id menu -DetailMenuHandler=Menu handler where to show new menu -DetailMenuModule=Module name if menu entry come from a module -DetailType=Type of menu (top or left) -DetailTitre=Menu label or label code for translation -DetailUrl=URL where menu send you (Relative URL link or external link with https://) -DetailEnabled=Condition to show or not entry -DetailRight=Condition to display unauthorized grey menus -DetailLangs=Lang file name for label code translation -DetailUser=Intern / Extern / All -Target=Target -DetailTarget=Target for links (_blank top opens a new window) -DetailLevel=Level (-1:top menu, 0:header menu, >0 menu and sub menu) -ModifMenu=Menu change -DeleteMenu=Delete menu entry -ConfirmDeleteMenu=Are you sure you want to delete menu entry %s? -FailedToInitializeMenu=Failed to initialize menu +Menus=Menytë +TreeMenuPersonalized=Menutë e personalizuara +NotTopTreeMenuPersonalized=Menytë e personalizuara nuk janë të lidhura me një hyrje të menysë së sipërme +NewMenu=Menu e re +MenuHandler=Trajtuesi i menysë +MenuModule=Moduli burimor +HideUnauthorizedMenu=Fshih menytë e paautorizuara edhe për përdoruesit e brendshëm (vetëm gri ndryshe) +DetailId=Menyja e identitetit +DetailMenuHandler=Trajtuesi i menysë ku të shfaqet menyja e re +DetailMenuModule=Emri i modulit nëse hyrja e menysë vjen nga një modul +DetailType=Lloji i menysë (lart ose majtas) +DetailTitre=Etiketa e menysë ose kodi i etiketës për përkthim +DetailUrl=URL ku ju dërgon menyja (Lidhja relative e URL-së ose lidhje e jashtme me https://) +DetailEnabled=Kushti për të shfaqur ose jo hyrje +DetailRight=Kushti për të shfaqur menytë gri të paautorizuara +DetailLangs=Emri i skedarit në gjuhën për përkthimin e kodit të etiketës +DetailUser=Praktikant / Ekstern / Të gjithë +Target=Synimi +DetailTarget=Synimi për lidhjet (_blank krye hap një dritare të re) +DetailLevel=Niveli (-1: menyja e sipërme, 0: menyja me kokë, >0 menyja dhe nënmenyja) +ModifMenu=Ndryshimi i menysë +DeleteMenu=Fshi hyrjen e menysë +ConfirmDeleteMenu=Jeni të sigurt që dëshironi të fshini hyrjen e menysë %s- on delivery of goods (based on invoice date)
      - on payments for services -OptionVatDebitOptionDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on invoice (debit) for services -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
      - on payment for goods
      - on payments for services -SummaryOfVatExigibilityUsedByDefault=Time of VAT eligibility by default according to chosen option: -OnDelivery=On delivery -OnPayment=On payment -OnInvoice=On invoice -SupposedToBePaymentDate=Payment date used -SupposedToBeInvoiceDate=Invoice date used -Buy=Bli -Sell=Shit -InvoiceDateUsed=Invoice date used -YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organization), so there is no VAT options to setup. -AccountancyCode=Accounting Code -AccountancyCodeSell=Sale account. code -AccountancyCodeBuy=Purchase account. code -CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Keep the checkbox “Automatically create the payment” empty by default when creating a new tax +TaxSetup=Krijimi i modulit të taksave, taksave sociale ose fiskale dhe dividentëve +OptionVatMode=TVSH-ja e paguar +OptionVATDefault=Baza standarde +OptionVATDebitOption=Baza akruale +OptionVatDefaultDesc=TVSH-ja është e detyruar:
      - në dërgimin e mallrave (bazuar në datën e faturës)
      - në pagesat për shërbime +OptionVatDebitOptionDesc=TVSH-ja duhet:
      - në dorëzimin e mallrave (bazuar në datën e faturës)
      - në faturë (debit) për shërbime +OptionPaymentForProductAndServices=Baza e parave të gatshme për produktet dhe shërbimet +OptionPaymentForProductAndServicesDesc=TVSH-ja është e detyruar:
      - për pagesën për mallrat
      - për pagesat për shërbimet +SummaryOfVatExigibilityUsedByDefault=Koha e pranueshmërisë së TVSH-së si parazgjedhje sipas opsionit të zgjedhur: +OnDelivery=Në dorëzim +OnPayment=Në pagesë +OnInvoice=Në faturë +SupposedToBePaymentDate=Data e pagesës e përdorur +SupposedToBeInvoiceDate=Data e faturës së përdorur +Buy=Blej +Sell=Shitet +InvoiceDateUsed=Data e faturës së përdorur +YourCompanyDoesNotUseVAT=Kompania juaj është përcaktuar të mos përdorë TVSH-në (Home - Setup - Company/Organization), kështu që nuk ka opsione të TVSH-së për konfigurim. +AccountancyCode=Kodi i Kontabilitetit +AccountancyCodeSell=Llogaria e shitjes. kodi +AccountancyCodeBuy=Blini llogari. kodi +CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Mbajeni kutinë e zgjedhjes "Krijoni automatikisht pagesën" bosh si parazgjedhje kur krijoni një taksë të re ##### Agenda ##### -AgendaSetup = Events and agenda module setup -AGENDA_DEFAULT_FILTER_TYPE = Automatically set this type of event in search filter of agenda view -AGENDA_DEFAULT_FILTER_STATUS = Automatically set this status for events in search filter of agenda view -AGENDA_DEFAULT_VIEW = Which view do you want to open by default when selecting menu Agenda -AGENDA_EVENT_PAST_COLOR = Past event color -AGENDA_EVENT_CURRENT_COLOR = Current event color -AGENDA_EVENT_FUTURE_COLOR = Future event color -AGENDA_REMINDER_BROWSER = Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). -AGENDA_REMINDER_BROWSER_SOUND = Enable sound notification -AGENDA_REMINDER_EMAIL = Enable event reminder by emails (remind option/delay can be defined on each event). -AGENDA_REMINDER_EMAIL_NOTE = Note: The frequency of the scheduled job %s must be enough to be sure that the remind are sent at the correct moment. -AGENDA_SHOW_LINKED_OBJECT = Show linked object into agenda view -AGENDA_USE_EVENT_TYPE = Use events types (managed in menu Setup -> Dictionaries -> Type of agenda events) -AGENDA_USE_EVENT_TYPE_DEFAULT = Automatically set this default value for type of event in event create form -PasswordTogetVCalExport = Key to authorize export link -PastDelayVCalExport=Do not export event older than -SecurityKey = Security Key +AgendaSetup = Vendosja e modulit të ngjarjeve dhe agjendës +AGENDA_DEFAULT_FILTER_TYPE = Cakto automatikisht këtë lloj ngjarjeje në filtrin e kërkimit të pamjes së rendit të ditës +AGENDA_DEFAULT_FILTER_STATUS = Cakto automatikisht këtë status për ngjarjet në filtrin e kërkimit të pamjes së rendit të ditës +AGENDA_DEFAULT_VIEW = Cilin pamje dëshironi të hapni si parazgjedhje kur zgjidhni menynë Axhenda +AGENDA_EVENT_PAST_COLOR = Ngjyra e ngjarjes së kaluar +AGENDA_EVENT_CURRENT_COLOR = Ngjyra aktuale e ngjarjes +AGENDA_EVENT_FUTURE_COLOR = Ngjyra e ngjarjes së ardhshme +AGENDA_REMINDER_BROWSER = Aktivizo rikujtuesin e ngjarjeve në shfletuesin e përdoruesit (Kur të arrihet data kujtese, një dritare kërcyese shfaqet nga shfletuesi. Çdo përdorues mund të çaktivizoni njoftime të tilla nga konfigurimi i njoftimeve të shfletuesit të tij). +AGENDA_REMINDER_BROWSER_SOUND = Aktivizo njoftimin e zërit +AGENDA_REMINDER_EMAIL = Aktivizo rikujtuesin e ngjarjeve me email (opsioni/vonesa e rikujtimit mund të përcaktohet në çdo ngjarje). +AGENDA_REMINDER_EMAIL_NOTE = Shënim: Frekuenca e punës së planifikuar %s duhet të jetë e mjaftueshme për t'u siguruar që kujtimet të dërgohen në momentin e duhur. +AGENDA_SHOW_LINKED_OBJECT = Shfaq objektin e lidhur në pamjen e rendit të ditës +AGENDA_USE_EVENT_TYPE = Përdorni llojet e ngjarjeve (të menaxhuara në menunë Konfigurimi -> Fjalorët -> Lloji i ngjarjeve të agjendës) +AGENDA_USE_EVENT_TYPE_DEFAULT = Vendos automatikisht këtë vlerë të paracaktuar për llojin e ngjarjes në formën e krijimit të ngjarjes +PasswordTogetVCalExport = Çelësi për të autorizuar lidhjen e eksportit +PastDelayVCalExport=Mos e eksportoni ngjarje më të vjetër se +SecurityKey = Çelësi i sigurisë ##### ClickToDial ##### -ClickToDialSetup=Click To Dial module setup -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). -ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. -ClickToDialUseTelLink=Use just a link "tel:" on phone numbers -ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface, installed on the same computer as the browser, and called when you click on a link starting with "tel:" in your browser. If you need a link that start with "sip:" or a full server solution (no need of local software installation), you must set this to "No" and fill the next field. +ClickToDialSetup=Kliko Për të thirrur konfigurimin e modulit +ClickToDialUrlDesc=URL thirret kur kryhet një klikim në foton e telefonit. Në URL, mund të përdorni etiketat
      __PHONETO__b09a4b78z0f1 zëvendësohet me numrin e telefonit të personit që do të telefonojë
      __PHONEFROM__b09f17f789 that do të zëvendësohet me numrin e telefonit të personit që telefonon (i juaji)
      __LOGIN__ që do të zëvendësohet me login clicktodial (të përcaktuar në kartën e përdoruesit)
      __PASS__ of the Maxmind GeoIP country file at %s. -YouCanDownloadAdvancedDatFileTo=You can also download a more complete version, with updates, of the Maxmind GeoIP country file at %s. -TestGeoIPResult=Test of a conversion IP -> country +GeoIPMaxmindSetup=Konfigurimi i modulit GeoIP Maxmind +PathToGeoIPMaxmindCountryDataFile=Rruga drejt skedarit që përmban përkthimin e ip-së së Maxmind në shtet +NoteOnPathLocation=Vini re se skedari juaj i të dhënave ip në shtet duhet të jetë brenda një drejtorie që mund të lexojë PHP-ja juaj (Kontrollo konfigurimin e PHP open_basedir dhe lejet e sistemit të skedarëve). +YouCanDownloadFreeDatFileTo=Ju mund të shkarkoni një version demo falas të skedarit të vendit të Maxmind GeoIP në . +YouCanDownloadAdvancedDatFileTo=Mund të shkarkoni gjithashtu një version më të plotë , me përditësime, të skedarit të vendit Maxmind GeoIP në %s. +TestGeoIPResult=Testi i një IP konvertimi -> vendi ##### Projects ##### -ProjectsNumberingModules=Projects numbering module -ProjectsSetup=Project module setup -ProjectsModelModule=Project reports document model -TasksNumberingModules=Tasks numbering module -TaskModelModule=Tasks reports document model -UseSearchToSelectProject=Wait until a key is pressed before loading content of Project combo list.
      This may improve performance if you have a large number of projects, but it is less convenient. +ProjectsNumberingModules=Moduli i numërimit të projekteve +ProjectsSetup=Vendosja e modulit të projektit +ProjectsModelModule=Modeli i dokumentit të raporteve të projektit +TasksNumberingModules=Moduli i numërimit të detyrave +TaskModelModule=Modeli i dokumentit të raporteve të detyrave +UseSearchToSelectProject=Prisni derisa të shtypet një tast përpara se të ngarkoni përmbajtjen e listës së kombinuar të projektit.
      Kjo mund të përmirësojë performancën nëse keni një numër të madh projektesh, por është më pak i përshtatshëm. ##### ECM (GED) ##### ##### Fiscal Year ##### -AccountingPeriods=Accounting periods -AccountingPeriodCard=Accounting period -NewFiscalYear=New accounting period -OpenFiscalYear=Open accounting period -CloseFiscalYear=Close accounting period -DeleteFiscalYear=Delete accounting period -ConfirmDeleteFiscalYear=Are you sure to delete this accounting period? -ShowFiscalYear=Show accounting period -AlwaysEditable=Can always be edited -MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application) -NbMajMin=Minimum number of uppercase characters -NbNumMin=Minimum number of numeric characters -NbSpeMin=Minimum number of special characters -NbIteConsecutive=Maximum number of repeating same characters -NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation -SalariesSetup=Setup of module salaries -SortOrder=Sort order -Format=Format -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and suppliers payment type -IncludePath=Include path (defined into variable %s) -ExpenseReportsSetup=Setup of module Expense Reports -TemplatePDFExpenseReports=Document templates to generate expense report document -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules -ExpenseReportNumberingModules=Expense reports numbering module -NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only. -YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification". -TemplatesForNotifications=Templates for notifications -ListOfNotificationsPerUser=List of automatic notifications per user* -ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** -ListOfFixedNotifications=List of automatic fixed notifications -GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses -Threshold=Threshold -BackupDumpWizard=Wizard to build the database dump file -BackupZipWizard=Wizard to build the archive of documents directory -SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: -SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. -InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. -ConfFileMustContainCustom=Installing or building an external module from application need to save the module files into directory %s. To have this directory processed by Dolibarr, you must setup your conf/conf.php to add the 2 directive lines:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; -HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over -HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) -HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) -UseBorderOnTable=Show left-right borders on tables -BtnActionColor=Color of the action button -TextBtnActionColor=Text color of the action button -TextTitleColor=Text color of Page title -LinkColor=Color of links -PressF5AfterChangingThis=Press CTRL+F5 on keyboard or clear your browser cache after changing this value to have it effective -NotSupportedByAllThemes=Will works with core themes, may not be supported by external themes -BackgroundColor=Background color -TopMenuBackgroundColor=Background color for Top menu -TopMenuDisableImages=Icon or Text in Top menu -LeftMenuBackgroundColor=Background color for Left menu -BackgroundTableTitleColor=Background color for Table title line -BackgroundTableTitleTextColor=Text color for Table title line -BackgroundTableTitleTextlinkColor=Text color for Table title link line -BackgroundTableLineOddColor=Background color for odd table lines -BackgroundTableLineEvenColor=Background color for even table lines -MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay) -NbAddedAutomatically=Number of days added to counters of users (automatically) each month -EnterAnyCode=This field contains a reference to identify the line. Enter any value of your choice, but without special characters. -Enter0or1=Enter 0 or 1 -UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] -ColorFormat=The RGB color is in HEX format, eg: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) -PositionIntoComboList=Position of line into combo lists -SellTaxRate=Sales tax rate -RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. -UrlTrackingDesc=If the provider or transport service offers a page or web site to check the status of your shipments, you may enter it here. You can use the key {TRACKID} in the URL parameters so the system will replace it with the tracking number the user entered into the shipment card. -OpportunityPercent=When you create a lead, you will define an estimated amount of project/lead. According to status of the lead, this amount may be multiplied by this rate to evaluate a total amount all your leads may generate. Value is a percentage (between 0 and 100). -TemplateForElement=This mail template is related to what type of object? An email template is available only when using the "Send Email" button from the related object. -TypeOfTemplate=Type of template -TemplateIsVisibleByOwnerOnly=Template is visible to owner only -VisibleEverywhere=Visible everywhere -VisibleNowhere=Visible nowhere -FixTZ=TimeZone fix -FillFixTZOnlyIfRequired=Example: +2 (fill only if problem experienced) -ExpectedChecksum=Expected Checksum -CurrentChecksum=Current Checksum -ExpectedSize=Expected size -CurrentSize=Current size -ForcedConstants=Required constant values -MailToSendProposal=Customer proposals -MailToSendOrder=Sales orders -MailToSendInvoice=Customer invoices -MailToSendShipment=Shipments -MailToSendIntervention=Interventions -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices -MailToSendContract=Contracts -MailToSendReception=Receptions -MailToExpenseReport=Expense reports -MailToThirdparty=Third parties -MailToMember=Members -MailToUser=Users -MailToProject=Projects -MailToTicket=Tickets -ByDefaultInList=Show by default on list view -YouUseLastStableVersion=You use the latest stable version -TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) -TitleExampleForMaintenanceRelease=Example of message you can use to announce this maintenance release (feel free to use it on your web sites) -ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s is available. Version %s is a major release with a lot of new features for both users and developers. You can download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read ChangeLog for complete list of changes. -ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is available. Version %s is a maintenance version, so contains only bug fixes. We recommend all users to upgrade to this version. A maintenance release does not introduce new features or changes to the database. You may download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read the ChangeLog for complete list of changes. -MultiPriceRuleDesc=When option "Several levels of prices per product/service" is enabled, you can define different prices (one per price level) for each product. To save you time, here you may enter a rule to autocalculate a price for each level based on the price of the first level, so you will have to only enter a price for the first level for each product. This page is designed to save you time but is useful only if your prices for each level are relative to first level. You can ignore this page in most cases. -ModelModulesProduct=Templates for product documents -WarehouseModelModules=Templates for documents of warehouses -ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate codes automatically, you must first define a manager to auto-define the barcode number. -SeeSubstitutionVars=See * note for list of possible substitution variables -SeeChangeLog=See ChangeLog file (english only) -AllPublishers=All publishers -UnknownPublishers=Unknown publishers -AddRemoveTabs=Add or remove tabs -AddDataTables=Add object tables -AddDictionaries=Add dictionaries tables -AddData=Add objects or dictionaries data -AddBoxes=Add widgets -AddSheduledJobs=Add scheduled jobs -AddHooks=Add hooks -AddTriggers=Add triggers -AddMenus=Add menus -AddPermissions=Add permissions -AddExportProfiles=Add export profiles -AddImportProfiles=Add import profiles -AddOtherPagesOrServices=Add other pages or services -AddModels=Add document or numbering templates -AddSubstitutions=Add keys substitutions -DetectionNotPossible=Detection not possible -UrlToGetKeyToUseAPIs=Url to get token to use API (once token has been received it is saved in database user table and must be provided on each API call) -ListOfAvailableAPIs=List of available APIs -activateModuleDependNotSatisfied=Module "%s" depends on module "%s", that is missing, so module "%1$s" may not work correctly. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise -CommandIsNotInsideAllowedCommands=The command you are trying to run is not in the list of allowed commands defined in parameter $dolibarr_main_restrict_os_commands in the conf.php file. -LandingPage=Landing page -SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", the price will also be the same for all companies if products are shared between environments -ModuleEnabledAdminMustCheckRights=Module has been activated. Permissions for activated module(s) were given to admin users only. You may need to grant permissions to other users or groups manually if necessary. -UserHasNoPermissions=This user has no permissions defined -TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "%s")
      Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "%s" in days)
      Use "Current/Next" to have payment term date being the first Nth of the month after delta (delta is field "%s", N is stored into field "%s") -BaseCurrency=Reference currency of the company (go into setup of company to change this) -WarningNoteModuleInvoiceForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016). -WarningNoteModulePOSForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016) because module Non Reversible Logs is automatically activated. -WarningInstallationMayBecomeNotCompliantWithLaw=You are trying to install module %s that is an external module. Activating an external module means you trust the publisher of that module and that you are sure that this module does not adversely impact the behavior of your application, and is compliant with laws of your country (%s). If the module introduces an illegal feature, you become responsible for the use of illegal software. +AccountingPeriods=Periudhat e kontabilitetit +AccountingPeriodCard=Periudha kontabël +NewFiscalYear=Periudha e re kontabël +OpenFiscalYear=Periudha kontabël e hapur +CloseFiscalYear=Mbyll periudhën kontabël +DeleteFiscalYear=Fshi periudhën e kontabilitetit +ConfirmDeleteFiscalYear=Jeni i sigurt që do ta fshini këtë periudhë kontabël? +ShowFiscalYear=Trego periudhën e kontabilitetit +AlwaysEditable=Mund të modifikohet gjithmonë +MAIN_APPLICATION_TITLE=Detyroni emrin e dukshëm të aplikacionit (paralajmërim: vendosja e emrit tuaj këtu mund të prishë funksionin e hyrjes së plotësimit automatik kur përdorni aplikacionin celular DoliDroid) +NbMajMin=Numri minimal i karaktereve të mëdha +NbNumMin=Numri minimal i karaktereve numerike +NbSpeMin=Numri minimal i karaktereve speciale +NbIteConsecutive=Numri maksimal i karaktereve të njëjta që përsëriten +NoAmbiCaracAutoGeneration=Mos përdorni karaktere të paqarta ("1", "l", "i","|", "0", "O") për gjenerimin automatik +SalariesSetup=Vendosja e pagave të modulit +SortOrder=Renditja e renditjes +Format=Formati +TypePaymentDesc=0: Lloji i pagesës së klientit, 1: Lloji i pagesës së shitësit, 2: Lloji i pagesës së klientëve dhe furnitorëve +IncludePath=Përfshi shtegun (përcaktuar në variablin %s) +ExpenseReportsSetup=Vendosja e raporteve të shpenzimeve të modulit +TemplatePDFExpenseReports=Modelet e dokumenteve për të gjeneruar dokumentin e raportit të shpenzimeve +ExpenseReportsRulesSetup=Vendosja e raporteve të shpenzimeve të modulit - Rregullat +ExpenseReportNumberingModules=Moduli i numërimit të raporteve të shpenzimeve +NoModueToManageStockIncrease=Asnjë modul që mund të menaxhojë rritjen automatike të stokut nuk është aktivizuar. Rritja e stokut do të bëhet vetëm me hyrje manuale. +YouMayFindNotificationsFeaturesIntoModuleNotification=Mund të gjeni opsione për njoftimet me email duke aktivizuar dhe konfiguruar modulin "Njoftimi". +TemplatesForNotifications=Modele për njoftime +ListOfNotificationsPerUser=Lista e njoftimeve automatike për përdorues* +ListOfNotificationsPerUserOrContact=Lista e njoftimeve të mundshme automatike (në ngjarje biznesi) të disponueshme për përdorues* ose për kontakt** +ListOfFixedNotifications=Lista e njoftimeve fikse automatike +GoOntoUserCardToAddMore=Shkoni te skeda "Njoftimet" e një përdoruesi për të shtuar ose hequr njoftimet për përdoruesit +GoOntoContactCardToAddMore=Shkoni te skeda "Njoftimet" e një pale të tretë për të shtuar ose hequr njoftimet për kontaktet/adresat +Threshold=Pragu +BackupDumpWizard=Wizard për të ndërtuar skedarin e hale të bazës së të dhënave +BackupZipWizard=Wizard për të ndërtuar dosjen e arkivit të dokumenteve +SomethingMakeInstallFromWebNotPossible=Instalimi i modulit të jashtëm nuk është i mundur nga ndërfaqja e internetit për arsyet e mëposhtme: +SomethingMakeInstallFromWebNotPossible2=Për këtë arsye, procesi i përmirësimit i përshkruar këtu është një proces manual që mund të kryejë vetëm një përdorues i privilegjuar. +InstallModuleFromWebHasBeenDisabledContactUs=Instalimi ose zhvillimi i moduleve të jashtme ose uebsajteve dinamike, nga aplikacioni, aktualisht është i bllokuar për qëllime sigurie. Ju lutemi na kontaktoni nëse duhet ta aktivizoni këtë veçori. +InstallModuleFromWebHasBeenDisabledByFile=Instalimi i modulit të jashtëm nga aplikacioni është çaktivizuar nga administratori juaj. Duhet t'i kërkoni atij të heqë skedarin %s veçori. +ConfFileMustContainCustom=Instalimi ose ndërtimi i një moduli të jashtëm nga aplikacioni duhet të ruani skedarët e modulit në direktorinë %s . Për ta përpunuar këtë direktori nga Dolibarr, duhet të konfiguroni conf/conf.php për të shtuar 2 linjat e direktivës:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='b0ecb2ec8787f94; '> +HighlightLinesOnMouseHover=Theksoni linjat e tabelës kur lëvizja e miut kalon +HighlightLinesColor=Theksoni ngjyrën e rreshtit kur miu kalon sipër (përdorni 'ffffff' për të mos theksuar) +HighlightLinesChecked=Theksoni ngjyrën e rreshtit kur është e kontrolluar (përdorni 'ffffff' për të mos theksuar) +UseBorderOnTable=Trego kufijtë majtas-djathtas në tabela +TableLineHeight=Lartësia e vijës së tabelës +BtnActionColor=Ngjyra e butonit të veprimit +TextBtnActionColor=Ngjyra e tekstit të butonit të veprimit +TextTitleColor=Ngjyra e tekstit të titullit të faqes +LinkColor=Ngjyra e lidhjeve +PressF5AfterChangingThis=Shtypni CTRL+F5 në tastierë ose pastroni cache-in e shfletuesit tuaj pasi të ndryshoni këtë vlerë për ta bërë atë efektive +NotSupportedByAllThemes=Will punon me tema kryesore, mund të mos mbështetet nga tema të jashtme +BackgroundColor=Ngjyrë e sfondit +TopMenuBackgroundColor=Ngjyra e sfondit për menunë Top +TopMenuDisableImages=Ikona ose Teksti në menynë Top +LeftMenuBackgroundColor=Ngjyra e sfondit për menynë e majtë +BackgroundTableTitleColor=Ngjyra e sfondit për rreshtin e titullit të tabelës +BackgroundTableTitleTextColor=Ngjyra e tekstit për rreshtin e titullit të tabelës +BackgroundTableTitleTextlinkColor=Ngjyra e tekstit për linjën e lidhjes së titullit të tabelës +BackgroundTableLineOddColor=Ngjyra e sfondit për linjat teke të tabelës +BackgroundTableLineEvenColor=Ngjyra e sfondit për linjat e njëtrajtshme të tavolinës +MinimumNoticePeriod=Periudha minimale e njoftimit (Kërkesa juaj për pushim duhet të bëhet përpara kësaj vonese) +NbAddedAutomatically=Numri i ditëve të shtuara në sportelet e përdoruesve (automatikisht) çdo muaj +EnterAnyCode=Kjo fushë përmban një referencë për të identifikuar linjën. Futni çdo vlerë të zgjedhjes suaj, por pa karaktere të veçanta. +Enter0or1=Futni 0 ose 1 +UnicodeCurrency=Vendosni këtu midis kllapave, listën e numrit të bajtit që përfaqësojnë simbolin e monedhës. Për shembull: për $, shkruani [36] - për R$ reale të Brazilit [82,36] - për €, shkruani [8364] +ColorFormat=Ngjyra RGB është në formatin HEX, p.sh.: FF0000 +PictoHelp=Emri i ikonës në format:
      - image.png për një skedar imazhi në drejtorinë aktuale të temës
      - image.png@module nëse skedari është në direktorinë /img/ të një moduli
      - fa-xxx për një picto FontAwesome fa-xxx
      - fontawesome_xxx_fa_color_size për një foto FontAwesome fa-xxx (me parashtesë, ngjyra dhe madhësi) +PositionIntoComboList=Pozicioni i rreshtit në listat e kombinuara +SellTaxRate=Norma e tatimit mbi shitjet +RecuperableOnly=Po për TVSH-në "Nuk perceptohet por e rikuperueshme" dedikuar për disa shtete në Francë. Mbajeni vlerën në "Jo" në të gjitha rastet e tjera. +UrlTrackingDesc=Nëse ofruesi ose shërbimi i transportit ofron një faqe ose faqe interneti për të kontrolluar statusin e dërgesave tuaja, mund ta futni këtu. Mund të përdorni çelësin {TRACKID} në parametrat e URL-së, në mënyrë që sistemi ta zëvendësojë atë me numrin e përcjelljes që përdoruesi ka futur në kartën e dërgesës. +OpportunityPercent=Kur krijoni një drejtues, ju do të përcaktoni një sasi të vlerësuar të projektit/udhëheqësit. Sipas statusit të klientit, kjo shumë mund të shumëzohet me këtë normë për të vlerësuar një shumë totale që mund të gjenerojnë të gjitha klientët tuaj. Vlera është një përqindje (midis 0 dhe 100). +TemplateForElement=Ky shabllon i postës është i lidhur me çfarë lloj objekti? Një shabllon emaili është i disponueshëm vetëm kur përdorni butonin "Dërgo email" nga objekti përkatës. +TypeOfTemplate=Lloji i shabllonit +TemplateIsVisibleByOwnerOnly=Shablloni është i dukshëm vetëm për pronarin +VisibleEverywhere=E dukshme kudo +VisibleNowhere=E dukshme askund +FixTZ=Rregullimi i zonës kohore +FillFixTZOnlyIfRequired=Shembull: +2 (plotësoni vetëm nëse keni problem) +ExpectedChecksum=Shuma e pritshme e kontrollit +CurrentChecksum=Shuma e kontrollit aktual +ExpectedSize=Madhësia e pritshme +CurrentSize=Madhësia aktuale +ForcedConstants=Vlerat e kërkuara konstante +MailToSendProposal=Propozimet e klientëve +MailToSendOrder=Porositë e shitjes +MailToSendInvoice=Faturat e klientit +MailToSendShipment=Dërgesat +MailToSendIntervention=Ndërhyrjet +MailToSendSupplierRequestForQuotation=Kërkesa për kuotim +MailToSendSupplierOrder=Urdhrat e blerjeve +MailToSendSupplierInvoice=Faturat e shitësve +MailToSendContract=Kontratat +MailToSendReception=Pritje +MailToExpenseReport=Raportet e shpenzimeve +MailToThirdparty=Palëve të treta +MailToMember=Anëtarët +MailToUser=Përdoruesit +MailToProject=Projektet +MailToTicket=Biletat +ByDefaultInList=Shfaq si parazgjedhje në pamjen e listës +YouUseLastStableVersion=Ju përdorni versionin më të fundit të qëndrueshëm +TitleExampleForMajorRelease=Shembull i mesazhit që mund të përdorni për të shpallur këtë version të madh (mos ngurroni ta përdorni atë në faqet tuaja të internetit) +TitleExampleForMaintenanceRelease=Shembull i mesazhit që mund të përdorni për të shpallur këtë version të mirëmbajtjes (mos ngurroni ta përdorni në faqet tuaja të internetit) +ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s është i disponueshëm. Versioni %s është një version kryesor me shumë veçori të reja si për përdoruesit ashtu edhe për zhvilluesit. Mund ta shkarkoni nga zona e shkarkimit të portalit https://www.dolibarr.org (versionet e qëndrueshme të nëndirektorisë). Mund të lexoni ChangeLog për listën e plotë të ndryshimeve. +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s është i disponueshëm. Versioni %s është një version mirëmbajtjeje, kështu që përmban vetëm rregullime të gabimeve. Ne rekomandojmë të gjithë përdoruesit të përmirësojnë në këtë version. Një version i mirëmbajtjes nuk paraqet veçori të reja ose ndryshime në bazën e të dhënave. Mund ta shkarkoni nga zona e shkarkimit të portalit https://www.dolibarr.org (versionet e qëndrueshme të nëndirektorisë). Ju mund të lexoni ChangeLog për listën e plotë të ndryshimeve. +MultiPriceRuleDesc=Kur aktivizohet opsioni "Disa nivele çmimesh për produkt/shërbim", ju mund të përcaktoni çmime të ndryshme (një për nivel çmimi) për çdo produkt. Për të kursyer kohë, këtu mund të vendosni një rregull për të llogaritur automatikisht një çmim për çdo nivel bazuar në çmimin e nivelit të parë, kështu që do t'ju duhet të vendosni vetëm një çmim për nivelin e parë për çdo produkt. Kjo faqe është krijuar për t'ju kursyer kohë, por është e dobishme vetëm nëse çmimet tuaja për çdo nivel janë në raport me nivelin e parë. Ju mund ta injoroni këtë faqe në shumicën e rasteve. +ModelModulesProduct=Modelet për dokumentet e produktit +WarehouseModelModules=Modelet për dokumentet e depove +ToGenerateCodeDefineAutomaticRuleFirst=Për të qenë në gjendje të gjeneroni kode automatikisht, së pari duhet të përcaktoni një menaxher për të përcaktuar automatikisht numrin e barkodit. +SeeSubstitutionVars=Shihni * shënimin për listën e ndryshoreve të mundshme të zëvendësimit +SeeChangeLog=Shiko skedarin ChangeLog (vetëm në anglisht) +AllPublishers=Të gjithë botuesit +UnknownPublishers=Botues të panjohur +AddRemoveTabs=Shtoni ose hiqni skedat +AddDataTables=Shto tabela objektesh +AddDictionaries=Shtoni tabelat e fjalorëve +AddData=Shtoni të dhëna për objekte ose fjalorë +AddBoxes=Shto miniaplikacione +AddSheduledJobs=Shto punë të planifikuara +AddHooks=Shtoni grepa +AddTriggers=Shto nxitës +AddMenus=Shtoni menutë +AddPermissions=Shto lejet +AddExportProfiles=Shto profile të eksportit +AddImportProfiles=Shto profile importi +AddOtherPagesOrServices=Shtoni faqe ose shërbime të tjera +AddModels=Shto dokumente ose shabllone numërimi +AddSubstitutions=Shto zëvendësime të çelësave +DetectionNotPossible=Zbulimi nuk është i mundur +UrlToGetKeyToUseAPIs=Url për të marrë token për të përdorur API (pasi të merret token, ai ruhet në tabelën e përdoruesve të bazës së të dhënave dhe duhet të sigurohet në çdo thirrje API) +ListOfAvailableAPIs=Lista e API-ve të disponueshme +activateModuleDependNotSatisfied=Moduli "%s" varet nga moduli "%s", që mungon, kështu që moduli " %1$s" mund të mos funksionojë siç duhet. Ju lutemi instaloni modulin "%2$s" ose çaktivizoni modulin "%1$s" nëse doni të jeni të sigurt nga çdo surprizë +CommandIsNotInsideAllowedCommands=Komanda që po përpiqeni të ekzekutoni nuk është në listën e komandave të lejuara të përcaktuara në parametrin $dolibarr_main_restrict_os_commandsb0a65d071f6fc9> file class='notranslate'>conf.php. +LandingPage=Faqja e uljes +SamePriceAlsoForSharedCompanies=Nëse përdorni një modul shumëkompani, me zgjedhjen "Çmim i vetëm", çmimi do të jetë gjithashtu i njëjtë për të gjitha kompanitë nëse produktet ndahen midis mjediseve. +ModuleEnabledAdminMustCheckRights=Moduli është aktivizuar. Lejet për modul(et) e aktivizuara iu dhanë vetëm përdoruesve të administratorëve. Mund t'ju duhet t'u jepni leje përdoruesve ose grupeve të tjerë manualisht nëse është e nevojshme. +UserHasNoPermissions=Ky përdorues nuk ka leje të përcaktuara +TypeCdr=Përdor "Asnjë" nëse data e afatit të pagesës është data e faturës plus një delta në ditë (delta është fusha "%s")
      Përdor "Në fund të muajit", nëse, pas delta, data duhet të rritet për të arritur në fund të muajit (+ një opsionale "%s" në ditë)
      Përdor "Current/Next" që data e afatit të pagesës të jetë e nënta e muajit pas deltës (delta është fusha "%s" , N ruhet në fushën "%s") +BaseCurrency=Monedha e referencës së kompanisë (shkoni në konfigurimin e kompanisë për ta ndryshuar këtë) +WarningNoteModuleInvoiceForFrenchLaw=Ky modul %s është në përputhje me ligjet franceze (Loi Finance 2016). +WarningNoteModulePOSForFrenchLaw=Ky modul %s është në përputhje me ligjet franceze (Loi Finance 2016) sepse moduli Non Reversible Logs aktivizohet automatikisht. +WarningInstallationMayBecomeNotCompliantWithLaw=Po përpiqeni të instaloni modulin %s që është një modul i jashtëm. Aktivizimi i një moduli të jashtëm do të thotë se i besoni botuesit të atij moduli dhe se jeni i sigurt se ky modul nuk ndikon negativisht në sjelljen e aplikacionit tuaj dhe është në përputhje me ligjet e vendit tuaj (%s). Nëse moduli prezanton një veçori të paligjshme, ju bëheni përgjegjës për përdorimin e softuerit të paligjshëm. -MAIN_PDF_MARGIN_LEFT=Left margin on PDF -MAIN_PDF_MARGIN_RIGHT=Right margin on PDF -MAIN_PDF_MARGIN_TOP=Top margin on PDF -MAIN_PDF_MARGIN_BOTTOM=Bottom margin on PDF -MAIN_DOCUMENTS_LOGO_HEIGHT=Height for logo on PDF -DOC_SHOW_FIRST_SALES_REP=Show first sales representative -MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Add column for picture on proposal lines -MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Width of the column if a picture is added on lines -MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame -MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code -MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block -PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions -PROPOSAL_PDF_HIDE_PAYMENTMODE=Hide payment mode -MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Add electronic sign in PDF -NothingToSetup=There is no specific setup required for this module. -SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes.
      For example:
      CODEGRP1+CODEGRP2 -SeveralLangugeVariatFound=Several language variants found -RemoveSpecialChars=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code -COMPANY_DIGITARIA_CLEAN_REGEX=Regex filter to clean value (COMPANY_DIGITARIA_CLEAN_REGEX) -COMPANY_DIGITARIA_UNIQUE_CODE=Duplicate not allowed -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word -GDPRContact=Data Protection Officer (DPO, Data Privacy or GDPR contact) -GDPRContactDesc=If you store personal data in your Information System, you can name the contact who is responsible for the General Data Protection Regulation here -HelpOnTooltip=Help text to show on tooltip -HelpOnTooltipDesc=Put text or a translation key here for the text to show in a tooltip when this field appears in a form -YouCanDeleteFileOnServerWith=You can delete this file on the server with Command Line:
      %s -ChartLoaded=Chart of account loaded -SocialNetworkSetup=Setup of module Social Networks -EnableFeatureFor=Enable features for %s -VATIsUsedIsOff=Note: The option to use Sales Tax or VAT has been set to Off in the menu %s - %s, so Sales tax or Vat used will always be 0 for sales. -SwapSenderAndRecipientOnPDF=Swap sender and recipient address position on PDF documents -FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields and combo lists only. Also an URL parameter action=create or action=edit must be set OR page name must end with 'new.php' to trigger this feature. -EmailCollector=Email collector -EmailCollectors=Email collectors -EmailCollectorDescription=Add a scheduled job and a setup page to scan regularly email boxes (using IMAP protocol) and record emails received into your application, at the right place and/or create some records automatically (like leads). -NewEmailCollector=New Email Collector -EMailHost=Host of email IMAP server -EMailHostPort=Port of email IMAP server -loginPassword=Login/Password -oauthToken=OAuth2 token -accessType=Acces type -oauthService=Oauth service -TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session -MailboxSourceDirectory=Mailbox source directory -MailboxTargetDirectory=Mailbox target directory -EmailcollectorOperations=Operations to do by collector -EmailcollectorOperationsDesc=Operations are executed from top to bottom order -MaxEmailCollectPerCollect=Max number of emails collected per collect -TestCollectNow=Test collect -CollectNow=Collect now -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s? -DateLastCollectResult=Date of latest collect try -DateLastcollectResultOk=Date of latest collect success -LastResult=Latest result -EmailCollectorHideMailHeaders=Do not include the content of email header into the saved content of collected e-mails -EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. -EmailCollectorConfirmCollectTitle=Email collect confirmation -EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). -EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software -EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. -EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. -EmailCollectorExampleToCollectLeads=Example collecting leads -EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. -EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail -NoNewEmailToProcess=No new email (matching filters) to process -NothingProcessed=Nothing done -RecordEvent=Record an event in agenda (with type Email sent or received) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation or was guessed from a tracker in email header, without third party otherwise) -CodeLastResult=Latest result code -NbOfEmailsInInbox=Number of emails in source directory -LoadThirdPartyFromName=Load third party searching on %s (load only) -LoadThirdPartyFromNameOrCreate=Load third party searching on %s (create if not found) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) -AttachJoinedDocumentsToObject=Save attached files into object documents if a ref of an object is found into email topic. -WithDolTrackingID=Message from a conversation initiated by a first email sent from Dolibarr -WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr -WithDolTrackingIDInMsgId=Message sent from Dolibarr -WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr -CreateCandidature=Create job application +MAIN_PDF_MARGIN_LEFT=Margjina e majtë në PDF +MAIN_PDF_MARGIN_RIGHT=Margjina e djathtë në PDF +MAIN_PDF_MARGIN_TOP=Marzhi kryesor në PDF +MAIN_PDF_MARGIN_BOTTOM=Margjina e poshtme në PDF +MAIN_DOCUMENTS_LOGO_HEIGHT=Lartësia për logon në PDF +DOC_SHOW_FIRST_SALES_REP=Trego përfaqësuesin e parë të shitjeve +MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Shtoni kolonën për foto në linjat e propozimit +MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Gjerësia e kolonës nëse një fotografi shtohet në rreshta +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Fshihni kolonën e çmimit të njësisë në kërkesat për kuotim +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Fshih kolonën e çmimit total në kërkesat për kuotim +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Fshihni kolonën e çmimit të njësisë në porositë e blerjes +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Fshih kolonën e çmimit total në porositë e blerjeve +MAIN_PDF_NO_SENDER_FRAME=Fshih kufijtë në kornizën e adresës së dërguesit +MAIN_PDF_NO_RECIPENT_FRAME=Fshih kufijtë në kornizën e adresës së marrësit +MAIN_PDF_HIDE_CUSTOMER_CODE=Fshih kodin e klientit +MAIN_PDF_HIDE_SENDER_NAME=Fshih emrin e dërguesit/kompanisë në bllokun e adresave +PROPOSAL_PDF_HIDE_PAYMENTTERM=Fshih kushtet e pagesave +PROPOSAL_PDF_HIDE_PAYMENTMODE=Fshih mënyrën e pagesës +MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Shto shenjë elektronike në PDF +NothingToSetup=Nuk kërkohet konfigurim specifik për këtë modul. +SetToYesIfGroupIsComputationOfOtherGroups=Vendoseni këtë në po nëse ky grup është një llogaritje e grupeve të tjera +EnterCalculationRuleIfPreviousFieldIsYes=Fut rregullin e llogaritjes nëse fusha e mëparshme është caktuar në Po.
      Për shembull:
      CODEGRP1+CODEGRP2 +SeveralLangugeVariatFound=Janë gjetur disa variante gjuhësore +RemoveSpecialChars=Hiqni karaktere speciale +COMPANY_AQUARIUM_CLEAN_REGEX=Filtri Regex në vlerë të pastër (COMPANY_AQUARIUM_CLEAN_REGEX) +COMPANY_AQUARIUM_NO_PREFIX=Mos përdorni prefiks, kopjoni vetëm kodin e klientit ose furnizuesit +COMPANY_DIGITARIA_CLEAN_REGEX=Filtri Regex në vlerë të pastër (COMPANY_DIGITARIA_CLEAN_REGEX) +COMPANY_DIGITARIA_UNIQUE_CODE=Nuk lejohet kopjimi +RemoveSpecialWords=Pastroni fjalë të caktuara kur krijoni nën-llogari për klientët ose furnitorët +RemoveSpecialWordsHelp=Specifikoni fjalët që duhen pastruar përpara se të llogaritni llogarinë e klientit ose furnizuesit. Perdor nje ";" mes çdo fjale +GDPRContact=Oficeri i Mbrojtjes së të Dhënave (DPO, Privatësia e të Dhënave ose kontakti GDPR) +GDPRContactDesc=Nëse ruani të dhëna personale në Sistemin tuaj të Informacionit, mund të emërtoni kontaktin që është përgjegjës për Rregulloren e Përgjithshme të Mbrojtjes së të Dhënave këtu +HelpOnTooltip=Teksti i ndihmës për t'u shfaqur në këshillën e veglave +HelpOnTooltipDesc=Vendosni tekstin ose një çelës përkthimi këtu që teksti të shfaqet në një këshillë mjeti kur kjo fushë shfaqet në një formë +YouCanDeleteFileOnServerWith=Ju mund ta fshini këtë skedar në server me vijën e komandës:
      %s +ChartLoaded=Grafiku i llogarisë u ngarkua +SocialNetworkSetup=Vendosja e modulit Rrjetet Sociale +EnableFeatureFor=Aktivizo veçoritë për %s +VATIsUsedIsOff=Shënim: Opsioni për të përdorur Tatimin e Shitjes ose TVSH-në është vendosur në Off në menynë %s - %s, kështu që taksa e shitjeve ose TVSH-ja e përdorur do të jetë gjithmonë 0 për shitjet. +SwapSenderAndRecipientOnPDF=Ndërroni pozicionin e adresës së dërguesit dhe marrësit në dokumentet PDF +FeatureSupportedOnTextFieldsOnly=Paralajmërim, veçoria mbështetet vetëm në fushat e tekstit dhe në listat e kombinuara. Gjithashtu duhet të vendoset një parametër URL: action=create or action=edit OSE emri i faqes duhet të përfundojë me 'new.php' për të aktivizuar këtë veçori. +EmailCollector=Mbledhësi i postës elektronike +EmailCollectors=Mbledhësit e postës elektronike +EmailCollectorDescription=Shtoni një punë të planifikuar dhe një faqe konfigurimi për të skanuar rregullisht kutitë e postës elektronike (duke përdorur protokollin IMAP) dhe për të regjistruar emailet e marra në aplikacionin tuaj, në vendin e duhur dhe/ose për të krijuar disa regjistrime automatikisht (si plumbat). +NewEmailCollector=Koleksionist i ri i postës elektronike +EMailHost=Pritësi i serverit IMAP të emailit +EMailHostPort=Porti i serverit IMAP të postës elektronike +loginPassword=Hyrja/Fjalëkalimi +oauthToken=Token OAuth2 +accessType=Lloji i aksesit +oauthService=Shërbimi i Oauth +TokenMustHaveBeenCreated=Moduli OAuth2 duhet të aktivizohet dhe duhet të jetë krijuar një token oauth2 me lejet e duhura (për shembull shtrirja "gmail_full" me OAuth për Gmail). +ImapEncryption = Metoda e kriptimit IMAP +ImapEncryptionHelp = Shembull: asnjë, ssl, tls, notls +NoRSH = Përdorni konfigurimin NoRSH +NoRSHHelp = Mos përdorni protokollet RSH ose SSH për të krijuar një sesion identifikimi paraprak IMAP +MailboxSourceDirectory=Drejtoria e burimit të kutisë postare +MailboxTargetDirectory=Drejtoria e synuar e kutisë postare +EmailcollectorOperations=Operacionet për të bërë nga koleksionisti +EmailcollectorOperationsDesc=Operacionet kryhen nga rendi nga lart poshtë +MaxEmailCollectPerCollect=Numri maksimal i email-eve të mbledhura për mbledhje +TestCollectNow=Testoni grumbullimin +CollectNow=Mblidhni tani +ConfirmCloneEmailCollector=Jeni i sigurt që dëshironi të klononi koleksionuesin e emaileve %s? +DateLastCollectResult=Data e provës së mbledhjes së fundit +DateLastcollectResultOk=Data e suksesit të mbledhjes së fundit +LastResult=Rezultati i fundit +EmailCollectorHideMailHeaders=Mos përfshini përmbajtjen e kokës së emailit në përmbajtjen e ruajtur të e-maileve të mbledhura +EmailCollectorHideMailHeadersHelp=Kur aktivizohet, titujt e postës elektronike nuk shtohen në fund të përmbajtjes së postës elektronike që ruhet si një ngjarje e axhendës. +EmailCollectorConfirmCollectTitle=Email mbledh konfirmimin +EmailCollectorConfirmCollect=Dëshiron ta drejtosh këtë koleksionist tani? +EmailCollectorExampleToCollectTicketRequestsDesc=Mblidhni email që përputhen me disa rregulla dhe krijoni automatikisht një biletë (Bileta e Modulit duhet të aktivizohet) me informacionin e emailit. Ju mund ta përdorni këtë koleksionist nëse ofroni një mbështetje me email, kështu që kërkesa juaj për biletë do të gjenerohet automatikisht. Aktivizoni gjithashtu Collect_Responses për të mbledhur përgjigjet e klientit tuaj drejtpërdrejt në pamjen e biletave (duhet të përgjigjeni nga Dolibarr). +EmailCollectorExampleToCollectTicketRequests=Shembull i mbledhjes së kërkesës për biletë (vetëm mesazhi i parë) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Skanoni direktorinë e kutisë tuaj postare "Dërguar" për të gjetur emailet që janë dërguar si përgjigje e një emaili tjetër direkt nga programi juaj i emailit dhe jo nga Dolibarr. Nëse gjendet një email i tillë, ngjarja e përgjigjes regjistrohet në Dolibarr +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Shembull i mbledhjes së përgjigjeve të postës elektronike të dërguara nga një softuer i jashtëm i postës elektronike +EmailCollectorExampleToCollectDolibarrAnswersDesc=Mblidhni të gjitha emailet që janë përgjigje e një emaili të dërguar nga aplikacioni juaj. Një ngjarje (axhenda e modulit duhet të aktivizohet) me përgjigjen e emailit do të regjistrohet në vendin e duhur. Për shembull, nëse dërgoni një propozim komercial, porosi, faturë ose mesazh për një biletë me email nga aplikacioni dhe marrësi i përgjigjet emailit tuaj, sistemi automatikisht do ta kapë përgjigjen dhe do ta shtojë atë në ERP-në tuaj. +EmailCollectorExampleToCollectDolibarrAnswers=Shembull i mbledhjes së të gjitha mesazheve hyrëse që janë përgjigje për mesazhet e dërguara nga Dolibarr' +EmailCollectorExampleToCollectLeadsDesc=Mblidhni email-e që përputhen me disa rregulla dhe krijoni automatikisht një drejtues (Projekti i Modulit duhet të aktivizohet) me informacionin e emailit. Ju mund ta përdorni këtë koleksionist nëse dëshironi të ndiqni drejtimin tuaj duke përdorur modulin Projekti (1 drejtues = 1 projekt), kështu që të dhënat tuaja do të gjenerohen automatikisht. Nëse koleksionisti Collect_Responses është gjithashtu i aktivizuar, kur dërgoni një email nga drejtuesit tuaj, propozimet ose ndonjë objekt tjetër, mund të shihni gjithashtu përgjigjet e klientëve ose partnerëve tuaj direkt në aplikacion.
      Shënim: Me këtë shembull fillestar, gjenerohet titulli i titullit duke përfshirë emailin. Nëse pala e tretë nuk mund të gjendet në bazën e të dhënave (klient i ri), kryesimi do t'i bashkëngjitet palës së tretë me ID 1. +EmailCollectorExampleToCollectLeads=Shembull për mbledhjen e plumbave +EmailCollectorExampleToCollectJobCandidaturesDesc=Mblidhni email-e që aplikojnë për ofertat e punës (Rekrutimi i Modulit duhet të jetë i aktivizuar). Ju mund ta plotësoni këtë koleksionist nëse dëshironi të krijoni automatikisht një kandidaturë për një kërkesë pune. Shënim: Me këtë shembull fillestar, gjenerohet titulli i kandidaturës duke përfshirë emailin. +EmailCollectorExampleToCollectJobCandidatures=Shembull i mbledhjes së kandidaturave për punë të marra me e-mail +NoNewEmailToProcess=Nuk ka email të ri (filtra që përputhen) për t'u përpunuar +NothingProcessed=Asgjë e bërë +RecordEvent=Regjistroni një ngjarje në axhendë (me llojin Email të dërguar ose të marrë) +CreateLeadAndThirdParty=Krijo një drejtues (dhe një palë të tretë nëse është e nevojshme) +CreateTicketAndThirdParty=Krijo një biletë (e lidhur me një palë të tretë nëse pala e tretë është ngarkuar nga një operacion i mëparshëm ose është hamendësuar nga një gjurmues në kokën e emailit, pa palë të tretë ndryshe) +CodeLastResult=Kodi i fundit i rezultatit +NbOfEmailsInInbox=Numri i emaileve në drejtorinë burimore +LoadThirdPartyFromName=Ngarko kërkimin e palës së tretë në %s (vetëm ngarkim) +LoadThirdPartyFromNameOrCreate=Ngarko kërkimin e palës së tretë në %s (krijo nëse nuk gjendet) +LoadContactFromEmailOrCreate=Ngarko kërkimin e kontaktit në %s (krijo nëse nuk gjendet) +AttachJoinedDocumentsToObject=Ruani skedarët e bashkangjitur në dokumentet e objektit nëse një referencë e një objekti gjendet në temën e emailit. +WithDolTrackingID=Mesazh nga një bisedë e nisur nga një email i parë i dërguar nga Dolibarr +WithoutDolTrackingID=Mesazh nga një bisedë e nisur nga një email i parë që NUK është dërguar nga Dolibarr +WithDolTrackingIDInMsgId=Mesazh i dërguar nga Dolibarr +WithoutDolTrackingIDInMsgId=Mesazhi NUK u dërgua nga Dolibarr +CreateCandidature=Krijo aplikim për punë FormatZip=Zip -MainMenuCode=Menu entry code (mainmenu) -ECMAutoTree=Show automatic ECM tree -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. -OpeningHours=Opening hours -OpeningHoursDesc=Enter here the regular opening hours of your company. -ResourceSetup=Configuration of Resource module -UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). -DisabledResourceLinkUser=Disable feature to link a resource to users -DisabledResourceLinkContact=Disable feature to link a resource to contacts -EnableResourceUsedInEventCheck=Prohibit the use of the same resource at the same time in the agenda -ConfirmUnactivation=Confirm module reset -OnMobileOnly=On small screen (smartphone) only -DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be "Prospect" or "Customer", but can't be both) -MAIN_OPTIMIZEFORTEXTBROWSER=Simplify interface for blind person -MAIN_OPTIMIZEFORTEXTBROWSERDesc=Enable this option if you are a blind person, or if you use the application from a text browser like Lynx or Links. -MAIN_OPTIMIZEFORCOLORBLIND=Change interface's color for color blind person -MAIN_OPTIMIZEFORCOLORBLINDDesc=Enable this option if you are a color blind person, in some case interface will change color setup to increase contrast. +MainMenuCode=Kodi i hyrjes në meny (menyja kryesore) +ECMAutoTree=Shfaq pemën automatike ECM +OperationParamDesc=Përcaktoni rregullat për t'u përdorur për të nxjerrë disa të dhëna ose për të vendosur vlera për t'u përdorur për operim.

      Shembull për të nxjerrë një emër kompanie nga subjekti i emailit në një variabël të përkohshëm:
      tmp_var=EXTRACT:SUBJECT:Mesazhi nga kompania ([^\n]*)

      Shembuj për të vendosur vetitë e një objekti për të krijuar:b0342fccfda<9 /span>objproperty1=SET:një vlerë e koduar e fortë
      objproperty2=SET:__tmp_var__

      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:Emri i kompanisë është\\DY: s([^\\s]*)

      Përdor një rresht të ri për të nxjerrë ose vendosur disa veti. +OpeningHours=Orari i hapjes +OpeningHoursDesc=Shkruani këtu orarin e rregullt të hapjes së kompanisë suaj. +ResourceSetup=Konfigurimi i modulit të Burimeve +UseSearchToSelectResource=Përdorni një formular kërkimi për të zgjedhur një burim (në vend të një liste rënëse). +DisabledResourceLinkUser=Çaktivizo veçorinë për të lidhur një burim me përdoruesit +DisabledResourceLinkContact=Çaktivizo funksionin për të lidhur një burim me kontaktet +EnableResourceUsedInEventCheck=Ndaloni përdorimin e të njëjtit burim në të njëjtën kohë në axhendë +ConfirmUnactivation=Konfirmo rivendosjen e modulit +OnMobileOnly=Vetëm në ekran të vogël (smartphone). +DisableProspectCustomerType=Çaktivizo llojin e palës së tretë "Prospect + Customer" (kështu që pala e tretë duhet të jetë "Prospect" ose "Customer", por nuk mund të jenë të dyja) +MAIN_OPTIMIZEFORTEXTBROWSER=Thjeshtoni ndërfaqen për personat e verbër +MAIN_OPTIMIZEFORTEXTBROWSERDesc=Aktivizoni këtë opsion nëse jeni një person i verbër ose nëse përdorni aplikacionin nga një shfletues teksti si Lynx ose Links. +MAIN_OPTIMIZEFORCOLORBLIND=Ndrysho ngjyrën e ndërfaqes për personat me ngjyra të verbër +MAIN_OPTIMIZEFORCOLORBLINDDesc=Aktivizoni këtë opsion nëse jeni person i verbër, në disa raste ndërfaqja do të ndryshojë konfigurimin e ngjyrave për të rritur kontrastin. Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopes -ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' -DefaultCustomerType=Default thirdparty type for "New customer" creation form -ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. -RootCategoryForProductsToSell=Root category of products to sell -RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale -DebugBar=Debug Bar -DebugBarDesc=Toolbar that comes with a plenty of tools to simplify debugging -DebugBarSetup=DebugBar Setup -GeneralOptions=General Options -LogsLinesNumber=Number of lines to show on logs tab -UseDebugBar=Use the debug bar -DEBUGBAR_LOGS_LINES_NUMBER=Number of last log lines to keep in console -WarningValueHigherSlowsDramaticalyOutput=Warning, higher values slows dramaticaly output -ModuleActivated=Module %s is activated and slows the interface -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) -IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. -AntivirusEnabledOnUpload=Antivirus enabled on uploaded files -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode -EXPORTS_SHARE_MODELS=Export models are share with everybody -ExportSetup=Setup of module Export -ImportSetup=Setup of module Import -InstanceUniqueID=Unique ID of the instance -SmallerThan=Smaller than -LargerThan=Larger than -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). -EndPointFor=End point for %s : %s -DeleteEmailCollector=Delete email collector -ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? -RecipientEmailsWillBeReplacedWithThisValue=Recipient emails will be always replaced with this value -AtLeastOneDefaultBankAccountMandatory=At least 1 default bank account must be defined -RESTRICT_ON_IP=Allow API access to only certain client IPs (wildcard not allowed, use space between values). Empty means every clients can access. +ThisValueCanOverwrittenOnUserLevel=Kjo vlerë mund të mbishkruhet nga çdo përdorues nga faqja e tij e përdoruesit - skeda '%s' +DefaultCustomerType=Lloji i parazgjedhur i palës së tretë për formularin e krijimit "Klient i ri". +ABankAccountMustBeDefinedOnPaymentModeSetup=Shënim: Llogaria bankare duhet të përcaktohet në modulin e secilit mënyrë pagese (Paypal, Stripe, ...) që të funksionojë kjo veçori. +RootCategoryForProductsToSell=Kategoria rrënjësore e produkteve për të shitur +RootCategoryForProductsToSellDesc=Nëse përcaktohet, vetëm produktet brenda kësaj kategorie ose fëmijët e kësaj kategorie do të jenë të disponueshme në pikën e shitjes +DebugBar=Shiriti i korrigjimit +DebugBarDesc=Shiriti i veglave që vjen me shumë mjete për të thjeshtuar korrigjimin +DebugBarSetup=Konfigurimi i shiritit të korrigjimit +GeneralOptions=Opsionet e Përgjithshme +LogsLinesNumber=Numri i rreshtave për t'u shfaqur në skedën e regjistrave +UseDebugBar=Përdorni shiritin e korrigjimit +DEBUGBAR_LOGS_LINES_NUMBER=Numri i rreshtave të regjistrit të fundit për t'u mbajtur në tastierë +WarningValueHigherSlowsDramaticalyOutput=Paralajmërim, vlerat më të larta ngadalësojnë në mënyrë dramatike prodhimin +ModuleActivated=Moduli %s aktivizohet dhe ngadalëson ndërfaqen +ModuleActivatedWithTooHighLogLevel=Moduli %s aktivizohet me një nivel shumë të lartë regjistrimi (përpiquni të përdorni një nivel më të ulët për performancë dhe siguri më të mirë) +ModuleSyslogActivatedButLevelNotTooVerbose=Moduli %s është aktivizuar dhe niveli i regjistrit (%s) është i saktë (jo shumë i shprehur) +IfYouAreOnAProductionSetThis=Nëse jeni në një mjedis prodhimi, duhet ta vendosni këtë veti në %s. +AntivirusEnabledOnUpload=Antivirusi është aktivizuar në skedarët e ngarkuar +SomeFilesOrDirInRootAreWritable=Disa skedarë ose drejtori nuk janë në modalitetin vetëm për lexim +EXPORTS_SHARE_MODELS=Modelet e eksportit ndahen me të gjithë +ExportSetup=Konfigurimi i modulit Export +ImportSetup=Konfigurimi i Importit të modulit +InstanceUniqueID=ID unike e shembullit +SmallerThan=Më i vogël se +LargerThan=Më i madh se +IfTrackingIDFoundEventWillBeLinked=Vini re se nëse një ID gjurmuese e një objekti gjendet në email, ose nëse emaili është një përgjigje e një emaili të mbledhur tashmë dhe të lidhur me një objekt, ngjarja e krijuar do të lidhet automatikisht me objektin e njohur të lidhur. +WithGMailYouCanCreateADedicatedPassword=Me një llogari GMail, nëse keni aktivizuar vërtetimin me 2 hapa, rekomandohet të krijoni një fjalëkalim të dytë të dedikuar për aplikacionin në vend që të përdorni fjalëkalimin e llogarisë tuaj nga https://myaccount.google.com/. +EmailCollectorTargetDir=Mund të jetë një sjellje e dëshiruar për ta zhvendosur emailin në një etiketë/direktori tjetër kur është përpunuar me sukses. Thjesht vendosni emrin e drejtorisë këtu për të përdorur këtë veçori (MOS përdorni karaktere të veçanta në emër). Vini re se duhet të përdorni gjithashtu një llogari hyrjeje për lexim/shkrim. +EmailCollectorLoadThirdPartyHelp=Ju mund ta përdorni këtë veprim për të përdorur përmbajtjen e emailit për të gjetur dhe ngarkuar një palë të tretë ekzistuese në bazën tuaj të të dhënave (kërkimi do të bëhet në pronën e përcaktuar midis 'id', 'emri', 'name_alias', 'email'). Pala e tretë e gjetur (ose e krijuar) do të përdoret për veprimet e mëposhtme që kanë nevojë për të.
      Për shembull, nëse doni të krijoni një palë të tretë me një emër të nxjerrë nga një varg ' Emri: emri për të gjetur' i pranishëm në trup, përdorni emailin e dërguesit si email, mund ta vendosni fushën e parametrave si kjo:
      'email=HEADER:^Nga:(. *);name=EXTRACT:BODY:Emri:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=Paralajmërim: shumë serverë të postës elektronike (si Gmail) po bëjnë kërkime të plota me fjalë kur kërkojnë në një varg dhe nuk do të japin rezultat nëse vargu gjendet vetëm pjesërisht në një fjalë. Për këtë arsye gjithashtu, përdorimi i karaktereve speciale në një kriter kërkimi do të shpërfillet nëse nuk janë pjesë e fjalëve ekzistuese.
      Për të bërë një kërkim të përjashtuar në një fjalë (kthejeni emailin nëse fjala nuk është gjetur), ju mund të përdorni ! karakter para fjalës (mund të mos funksionojë në disa serverë poste). +EndPointFor=Pika e fundit për %s : %s +DeleteEmailCollector=Fshi koleksionistin e postës elektronike +ConfirmDeleteEmailCollector=Jeni i sigurt që dëshironi të fshini këtë koleksionist email? +RecipientEmailsWillBeReplacedWithThisValue=Email-et e marrësve do të zëvendësohen gjithmonë me këtë vlerë +AtLeastOneDefaultBankAccountMandatory=Duhet të përcaktohet të paktën 1 llogari bankare e paracaktuar +RESTRICT_ON_IP=Lejo qasjen e API-së vetëm në IP të caktuara të klientit (shkronja e egër nuk lejohet, përdor hapësirën midis vlerave). Bosh do të thotë që çdo klient mund të ketë akses. IPListExample=127.0.0.1 192.168.0.2 [::1] -BaseOnSabeDavVersion=Based on the library SabreDAV version -NotAPublicIp=Not a public IP -MakeAnonymousPing=Make an anonymous Ping '+1' to the Dolibarr foundation server (done 1 time only after installation) to allow the foundation to count the number of Dolibarr installation. -FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled -EmailTemplate=Template for email -EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF -FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. -RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard -JumpToBoxes=Jump to Setup -> Widgets -MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" -MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values. -TemplateAdded=Template added -TemplateUpdated=Template updated -TemplateDeleted=Template deleted -MailToSendEventPush=Event reminder email -SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security -DictionaryProductNature= Nature of product -CountryIfSpecificToOneCountry=Country (if specific to a given country) -YouMayFindSecurityAdviceHere=You may find security advisory here -ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. -ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. -CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples -SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. -AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only -ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. -MailToSendEventOrganization=Event Organization -MailToPartnership=Partnership -AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s -Recommended=Recommended -NotRecommended=Not recommended -ARestrictedPath=Some restricted path for data files -CheckForModuleUpdate=Check for external modules updates -CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. -ModuleUpdateAvailable=An update is available -NoExternalModuleWithUpdate=No updates found for external modules -SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) -YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=You enabled deprecated WS API. You should use REST API instead. -RandomlySelectedIfSeveral=Randomly selected if several pictures are available -SalesRepresentativeInfo=For Proposals, Orders, Invoices. -DatabasePasswordObfuscated=Database password is obfuscated in conf file -DatabasePasswordNotObfuscated=Database password is NOT obfuscated in conf file -APIsAreNotEnabled=APIs modules are not enabled -YouShouldSetThisToOff=You should set this to 0 or off -InstallAndUpgradeLockedBy=Install and upgrades are locked by the file %s -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. -OldImplementation=Old implementation -PDF_SHOW_LINK_TO_ONLINE_PAYMENT=If some online payment modules are enabled (Paypal, Stripe, ...), add a link on the PDF to make the online payment -DashboardDisableGlobal=Disable globally all the thumbs of open objects -BoxstatsDisableGlobal=Disable totally box statistics -DashboardDisableBlocks=Thumbs of open objects (to process or late) on main dashboard -DashboardDisableBlockAgenda=Disable the thumb for agenda -DashboardDisableBlockProject=Disable the thumb for projects -DashboardDisableBlockCustomer=Disable the thumb for customers -DashboardDisableBlockSupplier=Disable the thumb for suppliers -DashboardDisableBlockContract=Disable the thumb for contracts -DashboardDisableBlockTicket=Disable the thumb for tickets -DashboardDisableBlockBank=Disable the thumb for banks -DashboardDisableBlockAdherent=Disable the thumb for memberships -DashboardDisableBlockExpenseReport=Disable the thumb for expense reports -DashboardDisableBlockHoliday=Disable the thumb for leaves -EnabledCondition=Condition to have field enabled (if not enabled, visibility will always be off) -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -LanguageAndPresentation=Language and presentation -SkinAndColors=Skin and colors -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -PDF_USE_1A=Generate PDF with PDF/A-1b format -MissingTranslationForConfKey = Missing translation for %s -NativeModules=Native modules -NoDeployedModulesFoundWithThisSearchCriteria=No modules found for these search criteria -API_DISABLE_COMPRESSION=Disable compression of API responses -EachTerminalHasItsOwnCounter=Each terminal use its own counter. -FillAndSaveAccountIdAndSecret=Fill and save account ID and secret first -PreviousHash=Previous hash -LateWarningAfter="Late" warning after -TemplateforBusinessCards=Template for a business card in different size -InventorySetup= Inventory Setup -ExportUseLowMemoryMode=Use a low memory mode -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. +BaseOnSabeDavVersion=Bazuar në versionin e bibliotekës SabreDAV +NotAPublicIp=Jo një IP publike +MakeAnonymousPing=Bëni një Ping anonim '+1' në serverin e themelimit Dolibarr (bëhet vetëm 1 herë pas instalimit) për të lejuar që fondacioni të numërojë numrin e instalimit të Dolibarr. +FeatureNotAvailableWithReceptionModule=Funksioni nuk ofrohet kur moduli Pritja është i aktivizuar +EmailTemplate=Model për email +EMailsWillHaveMessageID=Emailet do të kenë një etiketë 'Referencat' që përputhen me këtë sintaksë +PDF_SHOW_PROJECT=Shfaq projektin në dokument +ShowProjectLabel=Etiketa e projektit +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Përfshi pseudonimin në emrin e palës së tretë +THIRDPARTY_ALIAS=Emri i palës së tretë - pseudonimi i palës së tretë +ALIAS_THIRDPARTY=Pseudonimi i palës së tretë - Emri i palës së tretë +PDFIn2Languages=Shfaq etiketat në PDF në 2 gjuhë të ndryshme (ky funksion mund të mos funksionojë për disa gjuhë) +PDF_USE_ALSO_LANGUAGE_CODE=Nëse dëshironi që disa tekste në PDF-në tuaj të dublikuara në 2 gjuhë të ndryshme në të njëjtin PDF të gjeneruar, duhet të vendosni këtu këtë gjuhë të dytë të krijuar në këtë mënyrë PDF-ja do të përmbajë 2 gjuhë të ndryshme në të njëjtën faqe, atë të zgjedhur gjatë krijimit të PDF-së dhe këtë ( vetëm disa shabllone PDF e mbështesin këtë). Mbajeni bosh për 1 gjuhë për PDF. +PDF_USE_A=Gjeneroni dokumente PDF me formatin PDF/A në vend të formatit të paracaktuar PDF +FafaIconSocialNetworksDesc=Futni këtu kodin e një ikone FontAwesome. Nëse nuk e dini se çfarë është FontAwesome, mund të përdorni vlerën e përgjithshme fa-address-book. +RssNote=Shënim: Çdo përkufizim i furnizimit RSS ofron një miniaplikacion që duhet ta aktivizoni për ta pasur të disponueshëm në panelin e kontrollit +JumpToBoxes=Shko te Konfigurimi -> Widgets +MeasuringUnitTypeDesc=Përdorni këtu një vlerë si "madhësia", "sipërfaqja", "vëllimi", "pesha", "koha" +MeasuringScaleDesc=Shkalla është numri i vendeve që duhet të lëvizni pjesën dhjetore për të përputhur me njësinë e referencës së paracaktuar. Për llojin e njësisë "kohë", është numri i sekondave. Vlerat ndërmjet 80 dhe 99 janë vlera të rezervuara. +TemplateAdded=Shablloni u shtua +TemplateUpdated=Modeli u përditësua +TemplateDeleted=Shablloni u fshi +MailToSendEventPush=Email rikujtues i ngjarjes +SwitchThisForABetterSecurity=Kalimi i kësaj vlere në %s rekomandohet për më shumë siguri +DictionaryProductNature= Natyra e produktit +CountryIfSpecificToOneCountry=Shteti (nëse është specifik për një vend të caktuar) +YouMayFindSecurityAdviceHere=Këtu mund të gjeni këshilla për sigurinë +ModuleActivatedMayExposeInformation=Kjo shtesë PHP mund të ekspozojë të dhëna të ndjeshme. Nëse nuk ju nevojitet, çaktivizoni atë. +ModuleActivatedDoNotUseInProduction=Një modul i krijuar për zhvillimin është aktivizuar. Mos e aktivizoni në një mjedis prodhimi. +CombinationsSeparator=Karakteri ndarës për kombinimet e produkteve +SeeLinkToOnlineDocumentation=Shih lidhjen me dokumentacionin online në menunë e sipërme për shembuj +SHOW_SUBPRODUCT_REF_IN_PDF=Nëse veçoria "%s" e modulit %s
      është përdorur, tregoni detajet e nënprodukteve të një komplete në PDF. +AskThisIDToYourBank=Kontaktoni bankën tuaj për të marrë këtë ID +AdvancedModeOnly=Leja disponohet vetëm në modalitetin e lejeve të avancuara +ConfFileIsReadableOrWritableByAnyUsers=Skedari conf është i lexueshëm ose i shkruhet nga çdo përdorues. Jepni leje vetëm përdoruesit dhe grupit të serverit të uebit. +MailToSendEventOrganization=Organizimi i eventit +MailToPartnership=Partneriteti +AGENDA_EVENT_DEFAULT_STATUS=Statusi i parazgjedhur i ngjarjes kur krijoni një ngjarje nga formulari +YouShouldDisablePHPFunctions=Ju duhet të çaktivizoni funksionet PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=Nëse nuk keni nevojë të ekzekutoni komandat e sistemit në kod të personalizuar, duhet të çaktivizoni funksionet PHP +PHPFunctionsRequiredForCLI=Për qëllime të guaskës (si rezervimi i planifikuar i punës ose ekzekutimi i një programi antivirus), duhet të mbani funksionet PHP +NoWritableFilesFoundIntoRootDir=Asnjë skedar ose drejtori i programeve të zakonshme nuk u gjet në dosjen tuaj rrënjësore të shkruajtshme (Mirë) +RecommendedValueIs=Rekomanduar: %s +Recommended=Rekomanduar +NotRecommended=Nuk rekomandohet +ARestrictedPath=Disa shtigje të kufizuara për skedarët e të dhënave +CheckForModuleUpdate=Kontrolloni për përditësime të moduleve të jashtme +CheckForModuleUpdateHelp=Ky veprim do të lidhet me redaktuesit e moduleve të jashtme për të kontrolluar nëse disponohet një version i ri. +ModuleUpdateAvailable=Ekziston një përditësim +NoExternalModuleWithUpdate=Nuk u gjetën përditësime për modulet e jashtme +SwaggerDescriptionFile=Skedari i përshkrimit të Swagger API (për shembull për përdorim me redoc) +YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=Keni aktivizuar API-në e vjetëruar të WS. Në vend të kësaj, duhet të përdorni REST API. +RandomlySelectedIfSeveral=Zgjedhur rastësisht nëse disponohen disa fotografi +SalesRepresentativeInfo=Për propozime, porosi, fatura. +DatabasePasswordObfuscated=Fjalëkalimi i bazës së të dhënave është i turbullt në skedarin conf +DatabasePasswordNotObfuscated=Fjalëkalimi i bazës së të dhënave NUK është i turbullt në skedarin conf +APIsAreNotEnabled=Modulet e API-ve nuk janë të aktivizuara +YouShouldSetThisToOff=Ju duhet ta vendosni këtë në 0 ose jo +InstallAndUpgradeLockedBy=Instalimi dhe përmirësimet janë të kyçura nga skedari %sb09a4b739f17f +InstallLockedBy=Instalimi/Rinstalimi është i kyçur nga skedari %sb09a4b739f17>b09a4b739f17> +InstallOfAddonIsNotBlocked=Instalimet e shtesave nuk janë të kyçura. Krijo një skedar installmodules.lock në direktoriumin b0aee83panslateb0aee833305 ='notranslate'>%s për të bllokuar instalimet e shtesave/moduleve të jashtme. +OldImplementation=Zbatimi i vjetër +PDF_SHOW_LINK_TO_ONLINE_PAYMENT=Nëse janë aktivizuar disa module pagese në internet (Paypal, Stripe, ...), shtoni një lidhje në PDF për të bërë pagesën në internet +DashboardDisableGlobal=Çaktivizo globalisht të gjithë gishtat e mëdhenj të objekteve të hapura +BoxstatsDisableGlobal=Çaktivizo statistikat plotësisht të kutisë +DashboardDisableBlocks=Gishti i madh i objekteve të hapura (për t'u përpunuar ose vonë) në pultin kryesor +DashboardDisableBlockAgenda=Çaktivizo gishtin e madh për rendin e ditës +DashboardDisableBlockProject=Çaktivizo gishtin e madh për projekte +DashboardDisableBlockCustomer=Çaktivizo gishtin e madh për klientët +DashboardDisableBlockSupplier=Çaktivizoni gishtin e madh për furnitorët +DashboardDisableBlockContract=Çaktivizo gishtin e madh për kontrata +DashboardDisableBlockTicket=Çaktivizo gishtin e madh për bileta +DashboardDisableBlockBank=Çaktivizoni gishtin e madh për bankat +DashboardDisableBlockAdherent=Çaktivizo gishtin e madh për anëtarësimet +DashboardDisableBlockExpenseReport=Çaktivizo gishtin e madh për raportet e shpenzimeve +DashboardDisableBlockHoliday=Çaktivizoni gishtin e madh për gjethe +EnabledCondition=Kushti për të pasur fushë të aktivizuar (nëse nuk aktivizohet, dukshmëria do të jetë gjithmonë e fikur) +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=Nëse dëshironi të përdorni një taksë të dytë, duhet të aktivizoni edhe taksën e parë të shitjes +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Nëse dëshironi të përdorni një taksë të tretë, duhet të aktivizoni edhe taksën e parë të shitjes +LanguageAndPresentation=Gjuha dhe prezantimi +SkinAndColors=Lëkura dhe ngjyrat +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=Nëse dëshironi të përdorni një taksë të dytë, duhet të aktivizoni edhe taksën e parë të shitjes +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Nëse dëshironi të përdorni një taksë të tretë, duhet të aktivizoni edhe taksën e parë të shitjes +PDF_USE_1A=Gjeneroni PDF me format PDF/A-1b +MissingTranslationForConfKey = Mungon përkthimi për %s +NativeModules=Modulet amtare +NoDeployedModulesFoundWithThisSearchCriteria=Nuk u gjetën module për këto kritere kërkimi +API_DISABLE_COMPRESSION=Çaktivizo ngjeshjen e përgjigjeve të API +EachTerminalHasItsOwnCounter=Çdo terminal përdor numëruesin e vet. +FillAndSaveAccountIdAndSecret=Plotësoni dhe ruani ID-në dhe sekretin e llogarisë së pari +PreviousHash=Hashi i mëparshëm +LateWarningAfter=Paralajmërim "vonë" pas +TemplateforBusinessCards=Model për një kartëvizitë në madhësi të ndryshme +InventorySetup= Konfigurimi i inventarit +ExportUseLowMemoryMode=Përdorni një modalitet memorie të ulët +ExportUseLowMemoryModeHelp=Përdorni modalitetin e memories së ulët për të gjeneruar skedarin dump (kompresimi bëhet përmes një tubi në vend të memorjes PHP). Kjo metodë nuk ju lejon të kontrolloni nëse skedari është i plotë dhe nëse mesazhi i gabimit nuk mund të raportohet nëse dështon. Përdoreni nëse nuk keni mjaftueshëm gabime në kujtesë. -ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL -WebhookSetup = Webhook setup -Settings = Settings -WebhookSetupPage = Webhook setup page -ShowQuickAddLink=Show a button to quickly add an element in top right menu +ModuleWebhookName = Uebhook +ModuleWebhookDesc = Ndërfaqja për të kapur nxitësit e dolibarr dhe për të dërguar të dhëna të ngjarjes në një URL +WebhookSetup = Konfigurimi i uebhook-ut +Settings = Cilësimet +WebhookSetupPage = Faqja e konfigurimit të uebhook +ShowQuickAddLink=Shfaq një buton për të shtuar shpejt një element në menynë lart djathtas +ShowSearchAreaInTopMenu=Trego zonën e kërkimit në menunë e sipërme +HashForPing=Hash i përdorur për ping +ReadOnlyMode=Është shembull në modalitetin "Vetëm për lexim". +DEBUGBAR_USE_LOG_FILE=Përdor skedarin dolibarr.log për të bllokuar regjistrat +UsingLogFileShowAllRecordOfSubrequestButIsSlower=Përdorni skedarin dolibarr.log për të bllokuar Regjistrat në vend të kapjes së kujtesës së drejtpërdrejtë. Kjo ju lejon të kapni të gjitha regjistrat në vend të vetëm regjistrit të procesit aktual (pra duke përfshirë atë të faqeve të nënkërkesave ajax), por do ta bëjë shembullin tuaj shumë shumë të ngadalshëm. Nuk rekomandohet. +FixedOrPercent=Fiks (përdorni fjalën kyçe 'fikse') ose përqindje (përdorni fjalën kyçe 'përqind') +DefaultOpportunityStatus=Statusi i parazgjedhur i mundësisë (statusi i parë kur krijohet plumbi) -HashForPing=Hash used for ping -ReadOnlyMode=Is instance in "Read Only" mode -DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs -UsingLogFileShowAllRecordOfSubrequestButIsSlower=Use the dolibarr.log file to trap Logs instead of live memory catching. It allows to catch all logs instead of only log of current process (so including the one of ajax subrequests pages) but will make your instance very very slow. Not recommended. -FixedOrPercent=Fixed (use keyword 'fixed') or percent (use keyword 'percent') -DefaultOpportunityStatus=Default opportunity status (first status when lead is created) - -IconAndText=Icon and text -TextOnly=Text only -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon -IconOnly=Icon only - Text on tooltip only -INVOICE_ADD_ZATCA_QR_CODE=Show the ZATCA QR code on invoices -INVOICE_ADD_ZATCA_QR_CODEMore=Some Arabic countries need this QR Code on their invoices -INVOICE_ADD_SWISS_QR_CODE=Show the swiss QR-Bill code on invoices -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. -INVOICE_SHOW_SHIPPING_ADDRESS=Show shipping address -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) -UrlSocialNetworksDesc=Url link of social network. Use {socialid} for the variable part that contains the social network ID. -IfThisCategoryIsChildOfAnother=If this category is a child of another one -DarkThemeMode=Dark theme mode -AlwaysDisabled=Always disabled -AccordingToBrowser=According to browser -AlwaysEnabled=Always Enabled -DoesNotWorkWithAllThemes=Will not work with all themes -NoName=No name -ShowAdvancedOptions= Show advanced options -HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service -DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method -UsePassword=Use a password -UseOauth=Use a OAUTH token -Images=Images -MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -ScriptIsEmpty=The script is empty -ShowHideTheNRequests=Show/hide the %s SQL request(s) -DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s -TriggerCodes=Triggerable events -TriggerCodeInfo=Enter here the trigger code(s) that must generate a post of a web request (only external URL are allowed). You can enter several trigger codes separated by a comma. -EditableWhenDraftOnly=If unchecked, the value can only be modified when object has a draft status -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" -RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents for receptions -MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions -WarningDisabled=Warning disabled -LimitsAndMitigation=Access limits and mitigation -DesktopsOnly=Desktops only -DesktopsAndSmartphones=Desktops et smartphones -AllowOnlineSign=Allow online signing -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. -CSSPage=CSS Style -Defaultfortype=Default -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to disable login. +IconAndText=Ikona dhe teksti +TextOnly=Vetëm tekst +IconOnlyAllTextsOnHover=Vetëm ikona - Të gjitha tekstet shfaqen nën ikonën në shiritin e menusë me miun mbi menu +IconOnlyTextOnHover=Vetëm ikona - Teksti i ikonës shfaqet nën ikonën e mausit mbi ikonën +IconOnly=Vetëm ikona - Tekst vetëm në këshillën e veglave +INVOICE_ADD_ZATCA_QR_CODE=Trego kodin QR ZATCA në fatura +INVOICE_ADD_ZATCA_QR_CODEMore=Disa vende arabe kanë nevojë për këtë kod QR në faturat e tyre +INVOICE_ADD_SWISS_QR_CODE=Shfaq kodin QR-Bill zviceran në fatura +INVOICE_ADD_SWISS_QR_CODEMore=Standardi i Zvicrës për faturat; sigurohuni që ZIP & City të jenë të mbushura dhe që llogaritë të kenë IBAN të vlefshme zvicerane/Lihtenshtajn. +INVOICE_SHOW_SHIPPING_ADDRESS=Trego adresën e transportit +INVOICE_SHOW_SHIPPING_ADDRESSMore=Tregimi i detyrueshëm në disa vende (Francë, ...) +UrlSocialNetworksDesc=Lidhja URL e rrjetit social. Përdorni {socialid} për pjesën e ndryshueshme që përmban ID-në e rrjetit social. +IfThisCategoryIsChildOfAnother=Nëse kjo kategori është fëmijë i një tjetër +DarkThemeMode=Modaliteti i temës së errët +AlwaysDisabled=Gjithmonë me aftësi të kufizuara +AccordingToBrowser=Sipas shfletuesit +AlwaysEnabled=Gjithmonë i aktivizuar +DoesNotWorkWithAllThemes=Nuk do të funksionojë me të gjitha temat +NoName=Pa emer +ShowAdvancedOptions= Shfaq opsionet e avancuara +HideAdvancedoptions= Fshih opsionet e avancuara +CIDLookupURL=Moduli sjell një URL që mund të përdoret nga një mjet i jashtëm për të marrë emrin e një pale të tretë ose kontaktit nga numri i tij i telefonit. URL-ja për t'u përdorur është: +OauthNotAvailableForAllAndHadToBeCreatedBefore=Vërtetimi i OAUTH2 nuk është i disponueshëm për të gjithë hostet dhe një token me lejet e duhura duhet të jetë krijuar në rrjedhën e sipërme me modulin OAUTH +MAIN_MAIL_SMTPS_OAUTH_SERVICE=Shërbimi i vërtetimit OAUTH2 +DontForgetCreateTokenOauthMod=Një shenjë me lejet e duhura duhet të jetë krijuar në rrjedhën e sipërme me modulin OAUTH +MAIN_MAIL_SMTPS_AUTH_TYPE=Metoda e vërtetimit +UsePassword=Përdorni një fjalëkalim +UseOauth=Përdorni një shenjë OAUTH +Images=Imazhet +MaxNumberOfImagesInGetPost=Numri maksimal i imazheve të lejuara në një fushë HTML të paraqitur në një formë +MaxNumberOfPostOnPublicPagesByIP=Numri maksimal i postimeve në faqet publike me të njëjtën adresë IP në një muaj +CIDLookupURL=Moduli sjell një URL që mund të përdoret nga një mjet i jashtëm për të marrë emrin e një pale të tretë ose kontaktit nga numri i tij i telefonit. URL-ja për t'u përdorur është: +ScriptIsEmpty=Skenari është bosh +ShowHideTheNRequests=Shfaq/fsheh %s kërkesat SQL +DefinedAPathForAntivirusCommandIntoSetup=Përcaktoni një shteg për një program antivirus në %s
      Shembull: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=CSS e përdorur gjatë shikimit të fushës. +HelpCssOnListDesc=CSS përdoret kur fusha është brenda një tabele liste.
      Shembull: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=Fshehni sasinë e porositur në dokumentet e krijuara për pritje +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Trego çmimin në dokumentet e krijuara për pritjet +WarningDisabled=Paralajmërimi është çaktivizuar +LimitsAndMitigation=Kufijtë e aksesit dhe zbutja +RecommendMitigationOnURL=Rekomandohet të aktivizoni zbutjen në URL kritike. Kjo është lista e rregullave fail2ban që mund të përdorni për URL-të kryesore të rëndësishme. +DesktopsOnly=Vetëm desktopët +DesktopsAndSmartphones=Desktop dhe smartfonë +AllowOnlineSign=Lejo nënshkrimin në internet +AllowExternalDownload=Lejo shkarkimin e jashtëm (pa hyrje, duke përdorur një lidhje të përbashkët) +DeadlineDayVATSubmission=Afati i fundit për dorëzimin e TVSH-së në muajin e ardhshëm +MaxNumberOfAttachementOnForms=Numri maksimal i skedarëve të bashkuar në një formë +IfDefinedUseAValueBeetween=Nëse përcaktohet, përdorni një vlerë midis %s dhe %s +Reload=Ringarkoj +ConfirmReload=Konfirmo ringarkimin e modulit +WarningModuleHasChangedLastVersionCheckParameter=Paralajmërim: moduli %s ka vendosur një parametër për të kontrolluar versionin e tij në çdo akses të faqes. Kjo është një praktikë e keqe dhe e pa lejuar që mund ta bëjë faqen për të administruar modulet të paqëndrueshme. Ju lutemi kontaktoni autorin e modulit për ta rregulluar këtë. +WarningModuleHasChangedSecurityCsrfParameter=Paralajmërim: moduli %s ka çaktivizuar sigurinë CSRF të shembullit tuaj. Ky veprim është i dyshimtë dhe instalimi juaj mund të mos jetë më i siguruar. Ju lutemi kontaktoni autorin e modulit për shpjegim. +EMailsInGoingDesc=Email-et hyrëse menaxhohen nga moduli %s. Duhet ta aktivizoni dhe konfiguroni nëse keni nevojë të mbështesni emailet hyrëse. +MAIN_IMAP_USE_PHPIMAP=Përdorni bibliotekën PHP-IMAP për IMAP në vend të PHP IMAP amtare. Kjo gjithashtu lejon përdorimin e një lidhjeje OAuth2 për IMAP (duhet të aktivizohet gjithashtu edhe moduli OAuth). +MAIN_CHECKBOX_LEFT_COLUMN=Trego kolonën për zgjedhjen e fushave dhe rreshtave në të majtë (në të djathtë si parazgjedhje) +NotAvailableByDefaultEnabledOnModuleActivation=Nuk është krijuar si parazgjedhje. Krijuar vetëm me aktivizimin e modulit. +CSSPage=Stili CSS +Defaultfortype=E paracaktuar +DefaultForTypeDesc=Modeli përdoret si parazgjedhje kur krijoni një email të ri për llojin e shabllonit +OptionXShouldBeEnabledInModuleY=Opsioni "%s" duhet të jetë
      %s +OptionXIsCorrectlyEnabledInModuleY=Opsioni "%s" është aktivizuar në module 'notranslate'>
      %s +AllowOnLineSign=Lejo nënshkrimin On Line +AtBottomOfPage=Në fund të faqes +FailedAuth=vërtetimet e dështuara +MaxNumberOfFailedAuth=Numri maksimal i vërtetimit të dështuar në 24 orë për të mohuar hyrjen. +AllowPasswordResetBySendingANewPassByEmail=Nëse përdoruesi A e ka këtë leje, dhe edhe nëse përdoruesi A nuk është përdorues "admin", A lejohet të rivendosë fjalëkalimin e çdo përdoruesi tjetër B, fjalëkalimi i ri do të dërgohet në emailin e përdoruesit tjetër B, por ai nuk do të jetë i dukshëm për A. Nëse përdoruesi A ka flamurin "admin", ai gjithashtu do të jetë në gjendje të dijë se cili është fjalëkalimi i ri i gjeneruar i B, kështu që ai do të jetë në gjendje të marrë kontrollin e llogarisë së përdoruesit B. +AllowAnyPrivileges=Nëse një përdorues A e ka këtë leje, ai mund të krijojë një përdorues B me të gjitha privilegjet dhe më pas të përdorë këtë përdorues B, ose t'i japë vetes ndonjë grup tjetër me ndonjë leje. Pra, do të thotë që përdoruesi A zotëron të gjitha privilegjet e biznesit (vetëm qasja e sistemit në faqet e konfigurimit do të jetë e ndaluar) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Kjo vlerë mund të lexohet sepse shembulli juaj nuk është vendosur në modalitetin e prodhimit +SeeConfFile=Shihni brenda skedarit conf.php në server +ReEncryptDesc=Rikriptoni të dhënat nëse nuk janë ende të koduara +PasswordFieldEncrypted=%s rekord i ri ka qenë kjo fushë e koduar +ExtrafieldsDeleted=Fushat shtesë %s janë fshirë +LargeModern=I madh - Modern +SpecialCharActivation=Aktivizo butonin për të hapur një tastierë virtuale për të futur karaktere speciale +DeleteExtrafield=Fshi ekstrafield +ConfirmDeleteExtrafield=A e konfirmoni fshirjen e fushës %s ? Të gjitha të dhënat e ruajtura në këtë fushë do të fshihen patjetër +ExtraFieldsSupplierInvoicesRec=Atributet plotësuese (faturat e shablloneve) +ExtraFieldsSupplierInvoicesLinesRec=Atributet plotësuese (shabllon linjat e faturës) +ParametersForTestEnvironment=Parametrat për mjedisin e testimit +TryToKeepOnly=Mundohuni të mbani vetëm %s +RecommendedForProduction=Rekomandohet për prodhim +RecommendedForDebug=Rekomandohet për korrigjimin e gabimeve diff --git a/htdocs/langs/sq_AL/agenda.lang b/htdocs/langs/sq_AL/agenda.lang index 0bb226efc3c..aeca511a958 100644 --- a/htdocs/langs/sq_AL/agenda.lang +++ b/htdocs/langs/sq_AL/agenda.lang @@ -1,174 +1,204 @@ # Dolibarr language file - Source file is en_US - agenda -IdAgenda=ID event -Actions=Events -Agenda=Agenda -TMenuAgenda=Agenda -Agendas=Agendas -LocalAgenda=Default calendar -ActionsOwnedBy=Event owned by -ActionsOwnedByShort=Owner -AffectedTo=Assigned to -Event=Event -Events=Events -EventsNb=Number of events -ListOfActions=List of events -EventReports=Event reports +IdAgenda=Ngjarja e identitetit +Actions=Ngjarjet +Agenda=Rendi i ditës +TMenuAgenda=Rendi i ditës +Agendas=Axhendat +LocalAgenda=Kalendari i parazgjedhur +ActionsOwnedBy=Ngjarja në pronësi të +ActionsOwnedByShort=Pronari +AffectedTo=Caktuar për +Event=Ngjarja +Events=Ngjarjet +EventsNb=Numri i ngjarjeve +ListOfActions=Lista e ngjarjeve +EventReports=Raportet e ngjarjeve Location=Vendndodhja -ToUserOfGroup=Event assigned to any user in the group -EventOnFullDay=Event on all day(s) -MenuToDoActions=All incomplete events -MenuDoneActions=All terminated events -MenuToDoMyActions=My incomplete events -MenuDoneMyActions=My terminated events -ListOfEvents=List of events (default calendar) -ActionsAskedBy=Events reported by -ActionsToDoBy=Events assigned to -ActionsDoneBy=Events done by -ActionAssignedTo=Event assigned to -ViewCal=Month view -ViewDay=Day view -ViewWeek=Week view -ViewPerUser=Per user view -ViewPerType=Per type view -AutoActions= Automatic filling -AgendaAutoActionDesc= Here you may define events which you want Dolibarr to create automatically in Agenda. If nothing is checked, only manual actions will be included in logs and displayed in Agenda. Automatic tracking of business actions done on objects (validation, status change) will not be saved. -AgendaSetupOtherDesc= This page provides options to allow the export of your Dolibarr events into an external calendar (Thunderbird, Google Calendar etc...) -AgendaExtSitesDesc=This page allows to declare external sources of calendars to see their events into Dolibarr agenda. -ActionsEvents=Events for which Dolibarr will create an action in agenda automatically -EventRemindersByEmailNotEnabled=Event reminders by email was not enabled into %s module setup. +ToUserOfGroup=Ngjarja i është caktuar çdo përdoruesi në grup +EventOnFullDay=Ngjarja gjatë gjithë ditës +MenuToDoActions=Të gjitha ngjarjet jo të plota +MenuDoneActions=Të gjitha ngjarjet e përfunduara +MenuToDoMyActions=Ngjarjet e mia jo të plota +MenuDoneMyActions=Ngjarjet e mia të përfunduara +ListOfEvents=Lista e ngjarjeve (kalendari i parazgjedhur) +ActionsAskedBy=Ngjarjet e raportuara nga +ActionsToDoBy=Ngjarjet e caktuara për +ActionsDoneBy=Ngjarjet e kryera nga +ActionAssignedTo=Ngjarja e caktuar për +ViewCal=Pamja e muajit +ViewDay=Pamje e ditës +ViewWeek=Pamja e javës +ViewPerUser=Për shikimin e përdoruesit +ViewPerType=Pamja sipas llojit +AutoActions= Mbushje automatike +AgendaAutoActionDesc= Këtu mund të përcaktoni ngjarjet që dëshironi që Dolibarr të krijojë automatikisht në Axhenda. Nëse asgjë nuk kontrollohet, vetëm veprimet manuale do të përfshihen në regjistrat dhe do të shfaqen në Axhendën. Gjurmimi automatik i veprimeve të biznesit të kryera në objekte (vlefshmëria, ndryshimi i statusit) nuk do të ruhet. +AgendaSetupOtherDesc= Kjo faqe ofron opsione për të lejuar eksportimin e ngjarjeve tuaja Dolibarr në një kalendar të jashtëm (Thunderbird, Google Calendar etj...) +AgendaExtSitesDesc=Kjo faqe ju lejon të deklaroni burime të jashtme të kalendarëve për të parë ngjarjet e tyre në axhendën e Dolibarr. +ActionsEvents=Ngjarjet për të cilat Dolibarr do të krijojë automatikisht një veprim në axhendë +EventRemindersByEmailNotEnabled=Rikujtuesit e ngjarjeve me email nuk u aktivizuan në konfigurimin e modulit %s. ##### Agenda event labels ##### -NewCompanyToDolibarr=Third party %s created -COMPANY_MODIFYInDolibarr=Third party %s modified -COMPANY_DELETEInDolibarr=Third party %s deleted -ContractValidatedInDolibarr=Contract %s validated -CONTRACT_DELETEInDolibarr=Contract %s deleted -PropalClosedSignedInDolibarr=Proposal %s signed -PropalClosedRefusedInDolibarr=Proposal %s refused -PropalValidatedInDolibarr=Proposal %s validated -PropalClassifiedBilledInDolibarr=Proposal %s classified billed -InvoiceValidatedInDolibarr=Invoice %s validated -InvoiceValidatedInDolibarrFromPos=Invoice %s validated from POS -InvoiceBackToDraftInDolibarr=Invoice %s go back to draft status -InvoiceDeleteDolibarr=Invoice %s deleted -InvoicePaidInDolibarr=Invoice %s changed to paid -InvoiceCanceledInDolibarr=Invoice %s canceled -MemberValidatedInDolibarr=Member %s validated -MemberModifiedInDolibarr=Member %s modified -MemberResiliatedInDolibarr=Member %s terminated -MemberDeletedInDolibarr=Member %s deleted -MemberSubscriptionAddedInDolibarr=Subscription %s for member %s added -MemberSubscriptionModifiedInDolibarr=Subscription %s for member %s modified -MemberSubscriptionDeletedInDolibarr=Subscription %s for member %s deleted -ShipmentValidatedInDolibarr=Shipment %s validated -ShipmentClassifyClosedInDolibarr=Shipment %s classified billed -ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified re-open -ShipmentBackToDraftInDolibarr=Shipment %s go back to draft status -ShipmentDeletedInDolibarr=Shipment %s deleted -ShipmentCanceledInDolibarr=Shipment %s canceled -ReceptionValidatedInDolibarr=Reception %s validated -OrderCreatedInDolibarr=Order %s created -OrderValidatedInDolibarr=Order %s validated -OrderDeliveredInDolibarr=Order %s classified delivered -OrderCanceledInDolibarr=Order %s canceled -OrderBilledInDolibarr=Order %s classified billed -OrderApprovedInDolibarr=Order %s approved -OrderRefusedInDolibarr=Order %s refused -OrderBackToDraftInDolibarr=Order %s go back to draft status -ProposalSentByEMail=Commercial proposal %s sent by email -ContractSentByEMail=Contract %s sent by email -OrderSentByEMail=Sales order %s sent by email -InvoiceSentByEMail=Customer invoice %s sent by email -SupplierOrderSentByEMail=Purchase order %s sent by email -ORDER_SUPPLIER_DELETEInDolibarr=Purchase order %s deleted -SupplierInvoiceSentByEMail=Vendor invoice %s sent by email -ShippingSentByEMail=Shipment %s sent by email -ShippingValidated= Shipment %s validated -InterventionSentByEMail=Intervention %s sent by email -ProposalDeleted=Proposal deleted -OrderDeleted=Order deleted -InvoiceDeleted=Invoice deleted -DraftInvoiceDeleted=Draft invoice deleted -CONTACT_CREATEInDolibarr=Contact %s created -CONTACT_MODIFYInDolibarr=Contact %s modified -CONTACT_DELETEInDolibarr=Contact %s deleted -PRODUCT_CREATEInDolibarr=Product %s created -PRODUCT_MODIFYInDolibarr=Product %s modified -PRODUCT_DELETEInDolibarr=Product %s deleted -HOLIDAY_CREATEInDolibarr=Request for leave %s created -HOLIDAY_MODIFYInDolibarr=Request for leave %s modified -HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated -HOLIDAY_DELETEInDolibarr=Request for leave %s deleted -EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created -EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated -EXPENSE_REPORT_APPROVEInDolibarr=Expense report %s approved -EXPENSE_REPORT_DELETEInDolibarr=Expense report %s deleted -EXPENSE_REPORT_REFUSEDInDolibarr=Expense report %s refused -PROJECT_CREATEInDolibarr=Project %s created -PROJECT_MODIFYInDolibarr=Project %s modified -PROJECT_DELETEInDolibarr=Project %s deleted -TICKET_CREATEInDolibarr=Ticket %s created -TICKET_MODIFYInDolibarr=Ticket %s modified -TICKET_ASSIGNEDInDolibarr=Ticket %s assigned -TICKET_CLOSEInDolibarr=Ticket %s closed -TICKET_DELETEInDolibarr=Ticket %s deleted -BOM_VALIDATEInDolibarr=BOM validated -BOM_UNVALIDATEInDolibarr=BOM unvalidated -BOM_CLOSEInDolibarr=BOM disabled -BOM_REOPENInDolibarr=BOM reopen -BOM_DELETEInDolibarr=BOM deleted -MRP_MO_VALIDATEInDolibarr=MO validated -MRP_MO_UNVALIDATEInDolibarr=MO set to draft status -MRP_MO_PRODUCEDInDolibarr=MO produced -MRP_MO_DELETEInDolibarr=MO deleted -MRP_MO_CANCELInDolibarr=MO canceled -PAIDInDolibarr=%s paid +NewCompanyToDolibarr=Pala e tretë %s u krijua +COMPANY_MODIFYInDolibarr=Pala e tretë %s u modifikua +COMPANY_DELETEInDolibarr=Pala e tretë %s u fshi +ContractValidatedInDolibarr=Kontrata %s u vërtetua +CONTRACT_DELETEInDolibarr=Kontrata %s u fshi +PropalClosedSignedInDolibarr=Propozimi %s u nënshkrua +PropalClosedRefusedInDolibarr=Propozimi %s u refuzua +PropalValidatedInDolibarr=Propozimi %s u vërtetua +PropalBackToDraftInDolibarr=Propozimi %s kthehu te statusi i draftit +PropalClassifiedBilledInDolibarr=Propozimi %s i klasifikuar i faturuar +InvoiceValidatedInDolibarr=Fatura %s u vërtetua +InvoiceValidatedInDolibarrFromPos=Fatura %s e vërtetuar nga POS +InvoiceBackToDraftInDolibarr=Fatura %s kthehet në statusin e draftit +InvoiceDeleteDolibarr=Fatura %s u fshi +InvoicePaidInDolibarr=Fatura %s ndryshoi në të paguar +InvoiceCanceledInDolibarr=Fatura %s u anulua +MemberValidatedInDolibarr=Anëtari %s i vlefshëm +MemberModifiedInDolibarr=Anëtari %s u modifikua +MemberResiliatedInDolibarr=Anëtari %s u mbyll +MemberDeletedInDolibarr=Anëtari %s u fshi +MemberExcludedInDolibarr=Anëtari %s i përjashtuar +MemberSubscriptionAddedInDolibarr=Abonimi %s për anëtarin %s u shtua +MemberSubscriptionModifiedInDolibarr=Abonimi %s për anëtarin %s u modifikua +MemberSubscriptionDeletedInDolibarr=Abonimi %s për anëtarin %s u fshi +ShipmentValidatedInDolibarr=Dërgesa %s u vërtetua +ShipmentClassifyClosedInDolibarr=Dërgesa %s e klasifikuar e mbyllur +ShipmentUnClassifyCloseddInDolibarr=Dërgesa %s e klasifikuar rihap +ShipmentBackToDraftInDolibarr=Dërgesa %s kthehu te statusi i draftit +ShipmentDeletedInDolibarr=Dërgesa %s u fshi +ShipmentCanceledInDolibarr=Dërgesa %s u anulua +ReceptionValidatedInDolibarr=Pritja %s u vërtetua +ReceptionDeletedInDolibarr=Pritja %s u fshi +ReceptionClassifyClosedInDolibarr=Pritja %s e klasifikuar e mbyllur +OrderCreatedInDolibarr=Urdhri %s u krijua +OrderValidatedInDolibarr=Porosia %s u vërtetua +OrderDeliveredInDolibarr=Porosia %s e klasifikuar u dorëzua +OrderCanceledInDolibarr=Porosia %s u anulua +OrderBilledInDolibarr=Porosia %s e klasifikuar e faturuar +OrderApprovedInDolibarr=Porosia %s u miratua +OrderRefusedInDolibarr=Porosia %s u refuzua +OrderBackToDraftInDolibarr=Porosit %s kthehu te statusi i draftit +ProposalSentByEMail=Propozimi tregtar %s dërguar me email +ContractSentByEMail=Kontrata %s dërguar me email +OrderSentByEMail=Porosia e shitjes %s dërguar me email +InvoiceSentByEMail=Fatura e klientit %s dërguar me email +SupplierOrderSentByEMail=Porosia e blerjes %s dërguar me email +ORDER_SUPPLIER_DELETEInDolibarr=Porosia e blerjes %s u fshi +SupplierInvoiceSentByEMail=Fatura e shitësit %s dërguar me email +ShippingSentByEMail=Dërgesa %s dërguar me email +ShippingValidated= Dërgesa %s u vërtetua +InterventionSentByEMail=Ndërhyrja %s dërguar me email +ProjectSentByEMail=Projekti %s dërguar me email +ProposalDeleted=Propozimi u fshi +OrderDeleted=Porosia u fshi +InvoiceDeleted=Fatura u fshi +DraftInvoiceDeleted=Draft-fatura u fshi +CONTACT_CREATEInDolibarr=Kontakti %s u krijua +CONTACT_MODIFYInDolibarr=Kontakti %s u modifikua +CONTACT_DELETEInDolibarr=Kontakti %s u fshi +PRODUCT_CREATEInDolibarr=Produkti %s u krijua +PRODUCT_MODIFYInDolibarr=Produkti %s i modifikuar +PRODUCT_DELETEInDolibarr=Produkti %s u fshi +HOLIDAY_CREATEInDolibarr=Kërkesa për leje %s u krijua +HOLIDAY_MODIFYInDolibarr=Kërkesa për leje %s u modifikua +HOLIDAY_APPROVEInDolibarr=Kërkesa për leje %s u miratua +HOLIDAY_VALIDATEInDolibarr=Kërkesa për leje %s u vërtetua +HOLIDAY_DELETEInDolibarr=Kërkesa për leje %s u fshi +EXPENSE_REPORT_CREATEInDolibarr=Raporti i shpenzimeve %s u krijua +EXPENSE_REPORT_VALIDATEInDolibarr=Raporti i shpenzimeve %s u vërtetua +EXPENSE_REPORT_APPROVEInDolibarr=Raporti i shpenzimeve %s u miratua +EXPENSE_REPORT_DELETEInDolibarr=Raporti i shpenzimeve %s u fshi +EXPENSE_REPORT_REFUSEDInDolibarr=Raporti i shpenzimeve %s u refuzua +PROJECT_CREATEInDolibarr=Projekti %s u krijua +PROJECT_MODIFYInDolibarr=Projekti %s u modifikua +PROJECT_DELETEInDolibarr=Projekti %s u fshi +TICKET_CREATEInDolibarr=Bileta %s u krijua +TICKET_MODIFYInDolibarr=Bileta %s u modifikua +TICKET_ASSIGNEDInDolibarr=Bileta %s e caktuar +TICKET_CLOSEInDolibarr=Bileta %s e mbyllur +TICKET_DELETEInDolibarr=Bileta %s u fshi +BOM_VALIDATEInDolibarr=BOM i vërtetuar +BOM_UNVALIDATEInDolibarr=BOM i pavlefshëm +BOM_CLOSEInDolibarr=BOM i çaktivizuar +BOM_REOPENInDolibarr=BOM rihapet +BOM_DELETEInDolibarr=BOM u fshi +MRP_MO_VALIDATEInDolibarr=MO i vërtetuar +MRP_MO_UNVALIDATEInDolibarr=MO është vendosur në draft status +MRP_MO_PRODUCEDInDolibarr=MO prodhuar +MRP_MO_DELETEInDolibarr=MO u fshi +MRP_MO_CANCELInDolibarr=MO u anulua +PAIDInDolibarr=%s paguar +ENABLEDISABLEInDolibarr=Përdoruesi është i aktivizuar ose i çaktivizuar ##### End agenda events ##### -AgendaModelModule=Document templates for event -DateActionStart=Start date -DateActionEnd=End date -AgendaUrlOptions1=You can also add following parameters to filter output: -AgendaUrlOptions3=logina=%s to restrict output to actions owned by a user %s. -AgendaUrlOptionsNotAdmin=logina=!%s to restrict output to actions not owned by user %s. -AgendaUrlOptions4=logint=%s to restrict output to actions assigned to user %s (owner and others). -AgendaUrlOptionsProject=project=__PROJECT_ID__ to restrict output to actions linked to project __PROJECT_ID__. -AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto to exclude automatic events. -AgendaUrlOptionsIncludeHolidays=includeholidays=1 to include events of holidays. -AgendaShowBirthdayEvents=Birthdays of contacts -AgendaHideBirthdayEvents=Hide birthdays of contacts -Busy=Busy -ExportDataset_event1=List of agenda events -DefaultWorkingDays=Default working days range in week (Example: 1-5, 1-6) -DefaultWorkingHours=Default working hours in day (Example: 9-18) +AgendaModelModule=Modelet e dokumenteve për ngjarjen +DateActionStart=Data e fillimit +DateActionEnd=Data e përfundimit +AgendaUrlOptions1=Ju gjithashtu mund të shtoni parametrat e mëposhtëm për të filtruar daljen: +AgendaUrlOptions3=logina=%s për të kufizuar një veprim të përdoruesit %s. +AgendaUrlOptionsNotAdmin=logina=!%s për të kufizuar veprimet përdoruesi %s. +AgendaUrlOptions4=logint=%s për t'u caktuar veprimeve të kufizuara të përdoruesit span class='notranslate'>
      %s (pronari dhe të tjerët). +AgendaUrlOptionsProject=project=__PROJECT_ID__ për të kufizuar daljen në veprimet e lidhura me projektin b. __PROJECT_ID__. +AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto për të përjashtuar ngjarjet automatike. +AgendaUrlOptionsIncludeHolidays=includeholidays=1 për të përfshirë ngjarjet e festave. +AgendaShowBirthdayEvents=Ditëlindjet e kontakteve +AgendaHideBirthdayEvents=Fshih ditëlindjet e kontakteve +Busy=I zënë +ExportDataset_event1=Lista e ngjarjeve të rendit të ditës +DefaultWorkingDays=Ditët e parazgjedhura të punës diapazoni në javë (Shembull: 1-5, 1-6) +DefaultWorkingHours=Orari i parazgjedhur i punës në ditë (Shembull: 9-18) # External Sites ical -ExportCal=Export calendar -ExtSites=Import external calendars -ExtSitesEnableThisTool=Show external calendars (defined in global setup) in Agenda. Does not affect external calendars defined by users. -ExtSitesNbOfAgenda=Number of calendars -AgendaExtNb=Calendar no. %s -ExtSiteUrlAgenda=URL to access .ical file -ExtSiteNoLabel=No Description -VisibleTimeRange=Visible time range -VisibleDaysRange=Visible days range -AddEvent=Create event -MyAvailability=My availability -ActionType=Event type -DateActionBegin=Start event date -ConfirmCloneEvent=Are you sure you want to clone the event %s? -RepeatEvent=Repeat event -OnceOnly=Once only -EveryWeek=Every week -EveryMonth=Every month -DayOfMonth=Day of month -DayOfWeek=Day of week -DateStartPlusOne=Date start + 1 hour -SetAllEventsToTodo=Set all events to todo -SetAllEventsToInProgress=Set all events to in progress -SetAllEventsToFinished=Set all events to finished -ReminderTime=Reminder period before the event -TimeType=Duration type -ReminderType=Callback type -AddReminder=Create an automatic reminder notification for this event -ErrorReminderActionCommCreation=Error creating the reminder notification for this event -BrowserPush=Browser Popup Notification -ActiveByDefault=Enabled by default +ExportCal=Eksporto kalendar +ExtSites=Importoni kalendarët e jashtëm +ExtSitesEnableThisTool=Shfaq kalendarët e jashtëm (të përcaktuar në konfigurimin global) në Axhenda. Nuk ndikon në kalendarët e jashtëm të përcaktuar nga përdoruesit. +ExtSitesNbOfAgenda=Numri i kalendarëve +AgendaExtNb=Kalendari nr. %s +ExtSiteUrlAgenda=URL për të hyrë në skedarin .ical +ExtSiteNoLabel=Pa pershkrim +VisibleTimeRange=Gama kohore e dukshme +VisibleDaysRange=Gama e ditëve të dukshme +AddEvent=Krijo ngjarje +MyAvailability=Disponueshmëria ime +ActionType=Lloji i ngjarjes +DateActionBegin=Data e fillimit të ngjarjes +ConfirmCloneEvent=Jeni i sigurt që dëshironi të klononi ngjarjen %sb09a4b739f17f8z>Disponueshmëria e përgjithshme
      Disponueshmëria gjatë festave të Krishtlindjeve +DurationOfRange=Kohëzgjatja e diapazoneve +BookCalSetup = Konfigurimi i takimeve në internet +Settings = Cilësimet +BookCalSetupPage = Faqja e konfigurimit të takimeve në internet +BOOKCAL_PUBLIC_INTERFACE_TOPIC = Titulli i ndërfaqes +About = Rreth +BookCalAbout = Rreth BookCal +BookCalAboutPage = Faqja e BookCal rreth +Calendars=Kalendarët +Availabilities=Disponueshmëritë +NewAvailabilities=Disponueshmëri të reja +NewCalendar=Kalendari i ri +ThirdPartyBookCalHelp=Ngjarja e rezervuar në këtë kalendar do të lidhet automatikisht me këtë palë të tretë. +AppointmentDuration = Kohëzgjatja e takimit: %s +BookingSuccessfullyBooked=Rezervimi juaj është ruajtur +BookingReservationHourAfter=Ne konfirmojmë rezervimin e takimit tonë në datën %s +BookcalBookingTitle=Takimi online diff --git a/htdocs/langs/sq_AL/assets.lang b/htdocs/langs/sq_AL/assets.lang index 49b25e043b1..cdd230db3a5 100644 --- a/htdocs/langs/sq_AL/assets.lang +++ b/htdocs/langs/sq_AL/assets.lang @@ -1,4 +1,4 @@ -# Copyright (C) 2018 Alexandre Spangaro +# Copyright (C) 2018-2022 Alexandre Spangaro # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by @@ -16,50 +16,171 @@ # # Generic # -Assets = Assets -NewAsset = New asset -AccountancyCodeAsset = Accounting code (asset) -AccountancyCodeDepreciationAsset = Accounting code (depreciation asset account) -AccountancyCodeDepreciationExpense = Accounting code (depreciation expense account) -NewAssetType=New asset type -AssetsTypeSetup=Asset type setup -AssetTypeModified=Asset type modified -AssetType=Asset type -AssetsLines=Assets +NewAsset=Aset i ri +AccountancyCodeAsset=Kodi i kontabilitetit (pasuria) +AccountancyCodeDepreciationAsset=Kodi i kontabilitetit (llogaria e aktivit të amortizimit) +AccountancyCodeDepreciationExpense=Kodi i kontabilitetit (llogaria e shpenzimeve të amortizimit) +AssetsLines=Asetet DeleteType=Fshi -DeleteAnAssetType=Delete an asset type -ConfirmDeleteAssetType=Are you sure you want to delete this asset type? -ShowTypeCard=Show type '%s' +DeleteAnAssetType=Fshi një model aktivi +ConfirmDeleteAssetType=Je i sigurt që dëshiron ta fshish këtë model të punës? +ShowTypeCard=Shfaq modelin '%s' # Module label 'ModuleAssetsName' -ModuleAssetsName = Assets +ModuleAssetsName=Asetet # Module description 'ModuleAssetsDesc' -ModuleAssetsDesc = Assets description +ModuleAssetsDesc=Përshkrimi i aseteve # # Admin page # -AssetsSetup = Assets setup -Settings = Settings -AssetsSetupPage = Assets setup page -ExtraFieldsAssetsType = Complementary attributes (Asset type) -AssetsType=Asset type -AssetsTypeId=Asset type id -AssetsTypeLabel=Asset type label -AssetsTypes=Assets types +AssetSetup=Konfigurimi i aseteve +AssetSetupPage=Faqja e konfigurimit të aseteve +ExtraFieldsAssetModel=Atributet plotësuese (modeli i aktivit) + +AssetsType=Modeli i aseteve +AssetsTypeId=ID-ja e modelit të aktivit +AssetsTypeLabel=Etiketa e modelit të asetit +AssetsTypes=Modelet e aseteve +ASSET_ACCOUNTANCY_CATEGORY=Grupi i kontabilitetit të aktiveve fikse # # Menu # -MenuAssets = Assets -MenuNewAsset = New asset -MenuTypeAssets = Type assets -MenuListAssets = List -MenuNewTypeAssets = New -MenuListTypeAssets = List +MenuAssets=Asetet +MenuNewAsset=Aset i ri +MenuAssetModels=Asetet model +MenuListAssets=Listë +MenuNewAssetModel=Modeli i aktivit të ri +MenuListAssetModels=Listë # # Module # -NewAssetType=New asset type -NewAsset=New asset +ConfirmDeleteAsset=Dëshiron vërtet ta heqësh këtë punë? + +# +# Tab +# +AssetDepreciationOptions=Opsionet e amortizimit +AssetAccountancyCodes=Accounting accounts +AssetDepreciation=amortizimi + +# +# Asset +# +Asset=Aseti +Assets=Asetet +AssetReversalAmountHT=Shuma e kthimit (pa taksa) +AssetAcquisitionValueHT=Shuma e blerjes (pa taksa) +AssetRecoveredVAT=TVSH e rikuperuar +AssetReversalDate=Data e kthimit +AssetDateAcquisition=Data e blerjes +AssetDateStart=Data e fillimit +AssetAcquisitionType=Lloji i blerjes +AssetAcquisitionTypeNew=I ri +AssetAcquisitionTypeOccasion=I perdorur +AssetType=Lloji i aktivit +AssetTypeIntangible=E paprekshme +AssetTypeTangible=E prekshme +AssetTypeInProgress=Në vazhdim +AssetTypeFinancial=Financiare +AssetNotDepreciated=I pa amortizuar +AssetDisposal=Asgjesimi +AssetConfirmDisposalAsk=Jeni i sigurt që dëshironi të asgjësoni aktivin %sb09a4b739f17f>z? +AssetConfirmReOpenAsk=Jeni i sigurt që dëshironi të rihapni aktivin %sb09a4b739f17f>z? + +# +# Asset status +# +AssetInProgress=Në vazhdim +AssetDisposed=Të disponuar +AssetRecorded=Llogaritur + +# +# Asset disposal +# +AssetDisposalDate=Data e asgjësimit +AssetDisposalAmount=Vlera e asgjësimit +AssetDisposalType=Lloji i asgjësimit +AssetDisposalDepreciated=Zhvlerësoni vitin e transferimit +AssetDisposalSubjectToVat=Asgjesimi me TVSH + +# +# Asset model +# +AssetModel=Modeli i aktivit +AssetModels=Modelet e aseteve + +# +# Asset depreciation options +# +AssetDepreciationOptionEconomic=Zhvlerësimi ekonomik +AssetDepreciationOptionAcceleratedDepreciation=Amortizimi i përshpejtuar (taksa) +AssetDepreciationOptionDepreciationType=Lloji i amortizimit +AssetDepreciationOptionDepreciationTypeLinear=Linear +AssetDepreciationOptionDepreciationTypeDegressive=Degresive +AssetDepreciationOptionDepreciationTypeExceptional=Të jashtëzakonshme +AssetDepreciationOptionDegressiveRate=Shkalla degresive +AssetDepreciationOptionAcceleratedDepreciation=Amortizimi i përshpejtuar (taksa) +AssetDepreciationOptionDuration=Kohëzgjatja +AssetDepreciationOptionDurationType=Kohëzgjatja e llojit +AssetDepreciationOptionDurationTypeAnnual=Vjetore +AssetDepreciationOptionDurationTypeMonthly=Mujore +AssetDepreciationOptionDurationTypeDaily=Ditore +AssetDepreciationOptionRate=Vlerësimi (%%) +AssetDepreciationOptionAmountBaseDepreciationHT=Baza e amortizimit (pa TVSH) +AssetDepreciationOptionAmountBaseDeductibleHT=Baza e zbritshme (pa TVSH) +AssetDepreciationOptionTotalAmountLastDepreciationHT=Shuma totale e amortizimit të fundit (pa TVSH) + +# +# Asset accountancy codes +# +AssetAccountancyCodeDepreciationEconomic=Zhvlerësimi ekonomik +AssetAccountancyCodeAsset=Aseti +AssetAccountancyCodeDepreciationAsset=amortizimi +AssetAccountancyCodeDepreciationExpense=Shpenzimet e amortizimit +AssetAccountancyCodeValueAssetSold=Vlera e asetit të hequr +AssetAccountancyCodeReceivableOnAssignment=Të arkëtueshme në dispozicion +AssetAccountancyCodeProceedsFromSales=Të ardhurat nga asgjësimi +AssetAccountancyCodeVatCollected=TVSH e mbledhur +AssetAccountancyCodeVatDeductible=TVSH-ja e rikuperuar në asete +AssetAccountancyCodeDepreciationAcceleratedDepreciation=Amortizimi i përshpejtuar (taksa) +AssetAccountancyCodeAcceleratedDepreciation=Llogari +AssetAccountancyCodeEndowmentAcceleratedDepreciation=Shpenzimet e amortizimit +AssetAccountancyCodeProvisionAcceleratedDepreciation=Riposedim/Provizion + +# +# Asset depreciation +# +AssetBaseDepreciationHT=Baza e amortizimit (pa TVSH) +AssetDepreciationBeginDate=Fillimi i amortizimit më +AssetDepreciationDuration=Kohëzgjatja +AssetDepreciationRate=Vlerësimi (%%) +AssetDepreciationDate=Data e amortizimit +AssetDepreciationHT=Amortizimi (pa TVSH) +AssetCumulativeDepreciationHT=Amortizimi kumulativ (pa TVSH) +AssetResidualHT=Vlera e mbetur (pa TVSH) +AssetDispatchedInBookkeeping=Zhvlerësimi i regjistruar +AssetFutureDepreciationLine=Zhvlerësimi i ardhshëm +AssetDepreciationReversal=Përmbysja + +# +# Errors +# +AssetErrorAssetOrAssetModelIDNotProvide=ID-ja e aktivit ose modeli i gjetur nuk është dhënë +AssetErrorFetchAccountancyCodesForMode=Gabim gjatë marrjes së llogarive të kontabilitetit për modalitetin e amortizimit '%s' +AssetErrorDeleteAccountancyCodesForMode=Gabim gjatë fshirjes së llogarive të kontabilitetit nga modaliteti i amortizimit '%s' +AssetErrorInsertAccountancyCodesForMode=Gabim gjatë futjes së llogarive të kontabilitetit të mënyrës së amortizimit '%s' +AssetErrorFetchDepreciationOptionsForMode=Gabim gjatë marrjes së opsioneve për modalitetin e amortizimit '%s' +AssetErrorDeleteDepreciationOptionsForMode=Gabim gjatë fshirjes së opsioneve të modalitetit të amortizimit '%s' +AssetErrorInsertDepreciationOptionsForMode=Gabim gjatë futjes së opsioneve të modalitetit të amortizimit '%s' +AssetErrorFetchDepreciationLines=Gabim gjatë marrjes së linjave të amortizimit të regjistruara +AssetErrorClearDepreciationLines=Gabim gjatë pastrimit të linjave të amortizimit të regjistruara (kthimi dhe në të ardhmen) +AssetErrorAddDepreciationLine=Gabim gjatë shtimit të një linje amortizimi +AssetErrorCalculationDepreciationLines=Gabim gjatë llogaritjes së linjave të amortizimit (rikuperimi dhe e ardhmja) +AssetErrorReversalDateNotProvidedForMode=Data e kthimit nuk është dhënë për metodën e amortizimit '%s' +AssetErrorReversalDateNotGreaterThanCurrentBeginFiscalDateForMode=Data e kthimit duhet të jetë më e madhe ose e barabartë me fillimin e vitit aktual fiskal për metodën e amortizimit '%s' +AssetErrorReversalAmountNotProvidedForMode=Shuma e kthimit nuk është dhënë për modalitetin e amortizimit '%s'. +AssetErrorFetchCumulativeDepreciation=Gabim gjatë marrjes së shumës së amortizimit të akumuluar nga linja e amortizimit +AssetErrorSetLastCumulativeDepreciation=Gabim gjatë regjistrimit të shumës së amortizimit të akumuluar të fundit diff --git a/htdocs/langs/sq_AL/banks.lang b/htdocs/langs/sq_AL/banks.lang index abb36493269..1f448dfa91a 100644 --- a/htdocs/langs/sq_AL/banks.lang +++ b/htdocs/langs/sq_AL/banks.lang @@ -1,184 +1,196 @@ # Dolibarr language file - Source file is en_US - banks -Bank=Bank -MenuBankCash=Banks | Cash -MenuVariousPayment=Miscellaneous payments -MenuNewVariousPayment=New Miscellaneous payment -BankName=Emri i Bankës -FinancialAccount=Llogari +Bank=Banka +MenuBankCash=Bankat | Paratë e gatshme +MenuVariousPayment=Pagesat e ndryshme +MenuNewVariousPayment=Pagesa e re e ndryshme +BankName=Emri i bankes +FinancialAccount=Llogaria BankAccount=Llogari bankare -BankAccounts=Bank accounts -BankAccountsAndGateways=Bank accounts | Gateways -ShowAccount=Show Account -AccountRef=Financial account ref -AccountLabel=Financial account label -CashAccount=Cash account -CashAccounts=Cash accounts -CurrentAccounts=Current accounts -SavingAccounts=Savings accounts -ErrorBankLabelAlreadyExists=Financial account label already exists -BankBalance=Balance -BankBalanceBefore=Balance before -BankBalanceAfter=Balance after -BalanceMinimalAllowed=Minimum allowed balance -BalanceMinimalDesired=Minimum desired balance -InitialBankBalance=Initial balance -EndBankBalance=End balance -CurrentBalance=Current balance -FutureBalance=Future balance -ShowAllTimeBalance=Show balance from start -AllTime=From start -Reconciliation=Reconciliation -RIB=Bank Account Number -IBAN=IBAN number -BIC=BIC/SWIFT code -SwiftValid=BIC/SWIFT valid -SwiftNotValid=BIC/SWIFT not valid -IbanValid=BAN valid -IbanNotValid=BAN not valid -StandingOrders=Direct debit orders -StandingOrder=Direct debit order -PaymentByDirectDebit=Payment by direct debit -PaymentByBankTransfers=Payments by credit transfer -PaymentByBankTransfer=Payment by credit transfer -AccountStatement=Account statement -AccountStatementShort=Statement -AccountStatements=Account statements -LastAccountStatements=Last account statements -IOMonthlyReporting=Monthly reporting -BankAccountDomiciliation=Bank address -BankAccountCountry=Account country -BankAccountOwner=Account owner name -BankAccountOwnerAddress=Account owner address -CreateAccount=Create account -NewBankAccount=New account -NewFinancialAccount=New financial account -MenuNewFinancialAccount=New financial account -EditFinancialAccount=Edit account -LabelBankCashAccount=Bank or cash label -AccountType=Account type -BankType0=Savings account -BankType1=Current or credit card account -BankType2=Cash account -AccountsArea=Accounts area -AccountCard=Account card -DeleteAccount=Fshi llogari -ConfirmDeleteAccount=Are you sure you want to delete this account? -Account=Account -BankTransactionByCategories=Bank entries by categories -BankTransactionForCategory=Bank entries for category %s -RemoveFromRubrique=Remove link with category -RemoveFromRubriqueConfirm=Are you sure you want to remove link between the entry and the category? -ListBankTransactions=List of bank entries -IdTransaction=Transaction ID -BankTransactions=Bank entries -BankTransaction=Bank entry -ListTransactions=List entries -ListTransactionsByCategory=List entries/category -TransactionsToConciliate=Entries to reconcile -TransactionsToConciliateShort=To reconcile -Conciliable=Can be reconciled -Conciliate=Reconcile -Conciliation=Reconciliation -SaveStatementOnly=Save statement only -ReconciliationLate=Reconciliation late -IncludeClosedAccount=Include closed accounts -OnlyOpenedAccount=Only open accounts -AccountToCredit=Account to credit -AccountToDebit=Account to debit -DisableConciliation=Disable reconciliation feature for this account -ConciliationDisabled=Reconciliation feature disabled -LinkedToAConciliatedTransaction=Linked to a conciliated entry +BankAccounts=llogari bankare +BankAccountsAndGateways=Llogaritë bankare | Portat +ShowAccount=Shfaq llogarinë +AccountRef=Llogaria financiare ref +AccountLabel=Etiketa e llogarisë financiare +CashAccount=Llogaria e parave të gatshme +CashAccounts=Llogaritë e parave të gatshme +CurrentAccounts=Llogaritë rrjedhëse +SavingAccounts=Llogaritë e kursimit +ErrorBankLabelAlreadyExists=Etiketa e llogarisë financiare ekziston tashmë +ErrorBankReceiptAlreadyExists=Referenca e faturës bankare ekziston tashmë +BankBalance=Bilanci +BankBalanceBefore=Bilanci më parë +BankBalanceAfter=Bilanci pas +BalanceMinimalAllowed=Bilanci minimal i lejuar +BalanceMinimalDesired=Bilanci minimal i dëshiruar +InitialBankBalance=Bilanci fillestar +EndBankBalance=Bilanci përfundimtar +CurrentBalance=Bilanci aktual +FutureBalance=Bilanci i ardhshëm +ShowAllTimeBalance=Trego balancën që në fillim +AllTime=Që nga fillimi +Reconciliation=Pajtimi +RIB=Numri i llogarisë bankare +IBAN=Numri IBAN +BIC=Kodi BIC/SWIFT +SwiftValid=BIC/SWIFT e vlefshme +SwiftNotValid=BIC/SWIFT nuk është i vlefshëm +IbanValid=BAN i vlefshëm +IbanNotValid=BAN nuk është i vlefshëm +StandingOrders=Urdhërat e debitimit direkt +StandingOrder=Urdhër debitimi direkt +PaymentByDirectDebit=Pagesa me debitim direkt +PaymentByBankTransfers=Pagesat me transfertë krediti +PaymentByBankTransfer=Pagesa me transfertë krediti +AccountStatement=Deklarata e llogarisë +AccountStatementShort=Deklaratë +AccountStatements=Pasqyrat e llogarisë +LastAccountStatements=Pasqyrat e fundit të llogarisë +IOMonthlyReporting=Raportimi mujor +BankAccountDomiciliation=Adresa e bankës +BankAccountCountry=Shteti i llogarisë +BankAccountOwner=Emri i pronarit të llogarisë +BankAccountOwnerAddress=Adresa e pronarit të llogarisë +BankAccountOwnerZip=Zip i pronarit të llogarisë +BankAccountOwnerTown=Qyteti i pronarit të llogarisë +BankAccountOwnerCountry=Shteti i zotëruesit të llogarisë +CreateAccount=Krijo llogari +NewBankAccount=Llogari e re +NewFinancialAccount=Llogari e re financiare +MenuNewFinancialAccount=Llogari e re financiare +EditFinancialAccount=Redakto llogarinë +LabelBankCashAccount=Etiketa e bankës ose e parave të gatshme +AccountType=Lloji i Llogarisë +BankType0=Llogaria e Kursimeve +BankType1=Llogari rrjedhëse, çeku ose karte krediti +BankType2=Llogaria e parave të gatshme +AccountsArea=Zona e llogarive +AccountCard=Karta e llogarisë +DeleteAccount=Fshij llogarine +ConfirmDeleteAccount=Jeni i sigurt që dëshironi ta fshini këtë llogari? +Account=Llogaria +BankTransactionByCategories=Regjistrimet bankare sipas kategorive +BankTransactionForCategory=Regjistrimet bankare për kategorinë %s +RemoveFromRubrique=Hiq lidhjen me kategorinë +RemoveFromRubriqueConfirm=Jeni i sigurt që dëshironi të hiqni lidhjen midis hyrjes dhe kategorisë? +ListBankTransactions=Lista e hyrjeve bankare +IdTransaction=ID e transaksionit +BankTransactions=Regjistrimet bankare +BankTransaction=Hyrja në bankë +ListTransactions=Regjistrimet në listë +ListTransactionsByCategory=Regjistrimet/kategoria në listë +TransactionsToConciliate=Regjistrimet për të pajtuar +TransactionsToConciliateShort=Për të pajtuar +Conciliable=Mund të pajtohet +Conciliate=Pajtoje +Conciliation=Pajtimi +SaveStatementOnly=Ruaj vetëm deklaratën +ReconciliationLate=Pajtimi me vonesë +IncludeClosedAccount=Përfshini llogaritë e mbyllura +OnlyOpenedAccount=Hapni vetëm llogari +AccountToCredit=Llogari për kredi +AccountToDebit=Llogaria për të debituar +DisableConciliation=Çaktivizo veçorinë e rakordimit për këtë llogari +ConciliationDisabled=Funksioni i pajtimit është çaktivizuar +LinkedToAConciliatedTransaction=Lidhur me një hyrje të pajtimit StatusAccountOpened=Hapur StatusAccountClosed=Mbyllur -AccountIdShort=Number -LineRecord=Transaction -AddBankRecord=Add entry -AddBankRecordLong=Add entry manually -Conciliated=Reconciled -ConciliatedBy=Reconciled by -DateConciliating=Reconcile date -BankLineConciliated=Entry reconciled with bank receipt -Reconciled=Reconciled -NotReconciled=Not reconciled -CustomerInvoicePayment=Customer payment -SupplierInvoicePayment=Vendor payment -SubscriptionPayment=Subscription payment -WithdrawalPayment=Debit payment order -SocialContributionPayment=Social/fiscal tax payment -BankTransfer=Credit transfer -BankTransfers=Credit transfers -MenuBankInternalTransfer=Internal transfer -TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. -TransferFrom=From -TransferTo=To -TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. +AccountIdShort=Numri +LineRecord=Transaksioni +AddBankRecord=Shto hyrje +AddBankRecordLong=Shtoni hyrjen me dorë +Conciliated=I pajtuar +ReConciliedBy=Pajtuar nga +DateConciliating=Data e pajtimit +BankLineConciliated=Hyrja e rakorduar me faturën bankare +BankLineReconciled=I pajtuar +BankLineNotReconciled=I papajtuar +CustomerInvoicePayment=Pagesa e klientit +SupplierInvoicePayment=Pagesa e shitësit +SubscriptionPayment=Pagesa e abonimit +WithdrawalPayment=Pagesa e Debitit Direkt +BankTransferPayment=Pagesa e transfertës së kredisë +SocialContributionPayment=Pagesa e taksës sociale/fiskale +BankTransfer=Transferimi i kredisë +BankTransfers=Transfertat e kredisë +MenuBankInternalTransfer=Transferimi i brendshëm +TransferDesc=Përdorni transferimin e brendshëm për të transferuar nga një llogari në tjetrën, aplikacioni do të shkruajë dy regjistrime: një debi në llogarinë burimore dhe një kredi në llogarinë e synuar. E njëjta shumë, etiketë dhe datë do të përdoren për këtë transaksion. +TransferFrom=Nga +TransferTo=te +TransferFromToDone=Një transferim nga %s'no në %s nga %s nga b30span838 'notranslate'>%s %s është regjistruar. CheckTransmitter=Dërguesi -ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes will be possible once validated. -DeleteCheckReceipt=Delete this check receipt? -ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? -BankChecks=Bank checks -BankChecksToReceipt=Checks awaiting deposit -BankChecksToReceiptShort=Checks awaiting deposit -ShowCheckReceipt=Show check deposit receipt -NumberOfCheques=No. of check -DeleteTransaction=Delete entry -ConfirmDeleteTransaction=Are you sure you want to delete this entry? -ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry -BankMovements=Movements -PlannedTransactions=Planned entries -Graph=Graphs -ExportDataset_banque_1=Bank entries and account statement -ExportDataset_banque_2=Deposit slip -TransactionOnTheOtherAccount=Transaction on the other account -PaymentNumberUpdateSucceeded=Payment number updated successfully -PaymentNumberUpdateFailed=Payment number could not be updated -PaymentDateUpdateSucceeded=Payment date updated successfully -PaymentDateUpdateFailed=Payment date could not be updated -Transactions=Transactions -BankTransactionLine=Bank entry -AllAccounts=All bank and cash accounts -BackToAccount=Back to account -ShowAllAccounts=Show for all accounts -FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". -InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD -EventualyAddCategory=Eventually, specify a category in which to classify the records -ToConciliate=To reconcile? -ThenCheckLinesAndConciliate=Then, check the lines present in the bank statement and click -DefaultRIB=Default BAN -AllRIB=All BAN -LabelRIB=BAN Label -NoBANRecord=No BAN record -DeleteARib=Delete BAN record -ConfirmDeleteRib=Are you sure you want to delete this BAN record? -RejectCheck=Check returned -ConfirmRejectCheck=Are you sure you want to mark this check as rejected? -RejectCheckDate=Date the check was returned -CheckRejected=Check returned -CheckRejectedAndInvoicesReopened=Check returned and invoices re-open -BankAccountModelModule=Document templates for bank accounts -DocumentModelSepaMandate=Template of SEPA mandate. Useful for European countries in EEC only. -DocumentModelBan=Template to print a page with BAN information. -NewVariousPayment=New miscellaneous payment -VariousPayment=Miscellaneous payment -VariousPayments=Miscellaneous payments -ShowVariousPayment=Show miscellaneous payment -AddVariousPayment=Add miscellaneous payment -VariousPaymentId=Miscellaneous payment ID -VariousPaymentLabel=Miscellaneous payment label -ConfirmCloneVariousPayment=Confirm the clone of a miscellaneous payment -SEPAMandate=SEPA mandate -YourSEPAMandate=Your SEPA mandate -FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to -AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation -CashControl=POS cash desk control -NewCashFence=New cash desk opening or closing -BankColorizeMovement=Colorize movements -BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements -BankColorizeMovementName1=Background color for debit movement -BankColorizeMovementName2=Background color for credit movement -IfYouDontReconcileDisableProperty=If you don't make the bank reconciliations on some bank accounts, disable the property "%s" on them to remove this warning. -NoBankAccountDefined=No bank account defined -NoRecordFoundIBankcAccount=No record found in bank account. Commonly, this occurs when a record has been deleted manually from the list of transaction in the bank account (for example during a reconciliation of the bank account). Another reason is that the payment was recorded when the module "%s" was disabled. -AlreadyOneBankAccount=Already one bank account defined +ValidateCheckReceipt=Të vërtetohet kjo faturë çeku? +ConfirmValidateCheckReceipt=Jeni i sigurt që dëshironi ta dorëzoni këtë faturë çeku për vërtetim? Asnjë ndryshim nuk do të jetë i mundur pasi të vërtetohet. +DeleteCheckReceipt=Të fshihet kjo faturë çeku? +ConfirmDeleteCheckReceipt=Je i sigurt që dëshiron ta fshish këtë faturë çeku? +DocumentsForDeposit=Dokumentet për depozitim në bankë +BankChecks=Çeqet bankare +BankChecksToReceipt=Çeqet në pritje të depozitimit +BankChecksToReceiptShort=Çeqet në pritje të depozitimit +ShowCheckReceipt=Trego faturën e depozitës së çekut +NumberOfCheques=Nr. i çekut +DeleteTransaction=Fshi hyrjen +ConfirmDeleteTransaction=Jeni i sigurt që dëshironi ta fshini këtë hyrje? +ThisWillAlsoDeleteBankRecord=Kjo do të fshijë gjithashtu hyrjen bankare të krijuar +BankMovements=Lëvizjet +PlannedTransactions=Regjistrimet e planifikuara +Graph=Grafikët +ExportDataset_banque_1=Regjistrimet bankare dhe pasqyra e llogarisë +ExportDataset_banque_2=Mandat depozitimi +TransactionOnTheOtherAccount=Transaksioni në llogarinë tjetër +PaymentNumberUpdateSucceeded=Numri i pagesës u përditësua me sukses +PaymentNumberUpdateFailed=Numri i pagesës nuk mund të përditësohej +PaymentDateUpdateSucceeded=Data e pagesës u përditësua me sukses +PaymentDateUpdateFailed=Data e pagesës nuk mund të përditësohej +Transactions=Transaksionet +BankTransactionLine=Hyrja në bankë +AllAccounts=Të gjitha llogaritë bankare dhe cash +BackToAccount=Kthehu te llogaria +ShowAllAccounts=Shfaq për të gjitha llogaritë +FutureTransaction=Transaksioni i ardhshëm. Në pamundësi për t'u pajtuar. +SelectChequeTransactionAndGenerate=Zgjidh/filtro çeqet që do të përfshihen në faturën e depozitës së çekut. Pastaj, klikoni në "Krijo". +SelectPaymentTransactionAndGenerate=Zgjidh/filtro dokumentet që do të përfshihen në faturën e depozitës %s. Pastaj, klikoni në "Krijo". +InputReceiptNumber=Zgjidhni deklaratën bankare në lidhje me pajtimin. Përdorni një vlerë numerike të klasifikueshme +InputReceiptNumberBis=YYYYMM ose YYYYMMDD +EventualyAddCategory=Përfundimisht, specifikoni një kategori në të cilën do të klasifikohen të dhënat +ToConciliate=Të pajtohen? +ThenCheckLinesAndConciliate=Pastaj, kontrolloni linjat e pranishme në deklaratën bankare dhe klikoni +DefaultRIB=BAN i parazgjedhur +AllRIB=Të gjitha NDALOJEN +LabelRIB=Etiketa BAN +NoBANRecord=Nuk ka regjistrim BAN +DeleteARib=Fshi regjistrimin BAN +ConfirmDeleteRib=Jeni i sigurt që dëshironi të fshini këtë regjistrim BAN? +RejectCheck=Çeku u kthye +ConfirmRejectCheck=Jeni i sigurt që dëshironi ta shënoni këtë çek si të refuzuar? +RejectCheckDate=Data e kthimit të çekut +CheckRejected=Çeku u kthye +CheckRejectedAndInvoicesReopened=Çeku i kthyer dhe faturat rihapen +BankAccountModelModule=Modelet e dokumenteve për llogaritë bankare +DocumentModelSepaMandate=Modeli i mandatit të SEPA-s. E dobishme vetëm për vendet evropiane në EEC. +DocumentModelBan=Model për të printuar një faqe me informacion BAN. +NewVariousPayment=Pagesë e re e ndryshme +VariousPayment=Pagesa e ndryshme +VariousPayments=Pagesat e ndryshme +ShowVariousPayment=Trego pagesa të ndryshme +AddVariousPayment=Shto pagesa të ndryshme +VariousPaymentId=ID e ndryshme pagese +VariousPaymentLabel=Etiketë e ndryshme pagese +ConfirmCloneVariousPayment=Konfirmoni klonin e një pagese të ndryshme +SEPAMandate=Mandati SEPA +YourSEPAMandate=Mandati juaj SEPA +FindYourSEPAMandate=Ky është mandati juaj SEPA për të autorizuar kompaninë tonë për të bërë urdhër debitimi direkt në bankën tuaj. Kthejeni të nënshkruar (skanoni dokumentin e nënshkruar) ose dërgojeni me postë tek +AutoReportLastAccountStatement=Plotësoni automatikisht fushën 'numri i pasqyrës bankare' me numrin e fundit të pasqyrës kur bëni barazimin +CashControl=Kontrolli i parave POS +NewCashFence=Kontroll i ri i parave (hapja ose mbyllja) +BankColorizeMovement=Ngjyrosni lëvizjet +BankColorizeMovementDesc=Nëse ky funksion aktivizohet, mund të zgjidhni ngjyrën specifike të sfondit për lëvizjet e debitit ose kredisë +BankColorizeMovementName1=Ngjyra e sfondit për lëvizjen e debitit +BankColorizeMovementName2=Ngjyra e sfondit për lëvizjen e kredisë +IfYouDontReconcileDisableProperty=Nëse nuk i bëni rakordimet bankare në disa llogari bankare, çaktivizoni veçorinë "%s" në to për të hequr këtë paralajmërim. +NoBankAccountDefined=Nuk është përcaktuar asnjë llogari bankare +NoRecordFoundIBankcAccount=Nuk u gjet asnjë regjistrim në llogarinë bankare. Zakonisht, kjo ndodh kur një regjistrim është fshirë manualisht nga lista e transaksioneve në llogarinë bankare (për shembull gjatë një rakordimi të llogarisë bankare). Një arsye tjetër është se pagesa u regjistrua kur moduli "%s" u çaktivizua. +AlreadyOneBankAccount=Tashmë është përcaktuar një llogari bankare +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=Varianti i skedarit SEPA +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=Po = Ruani 'Lloji i pagesës' në seksionin 'Transferimi i kredisë' të skedarit SEPA

      Kur krijoni një skedar SEPA XML për kredi transfertat, seksioni "Informacion i llojit të pagesës" tani mund të vendoset brenda seksionit "Informacion i transaksionit të kredisë" (në vend të seksionit "Pagesa"). Ne rekomandojmë fuqimisht ta mbani këtë të pakontrolluar për të vendosur informacionin e llojit të pagesës në nivelin e pagesës, pasi të gjitha bankat nuk do ta pranojnë domosdoshmërisht në nivelin e informacionit të transaksionit të kredisë. Kontaktoni bankën tuaj përpara se të vendosni PaymentTypeInformation në nivelin CreditTransferTransactionInformation. +ToCreateRelatedRecordIntoBank=Për të krijuar një dosje bankare që mungon +XNewLinesConciliated=%s rreshta të reja u pajtuan diff --git a/htdocs/langs/sq_AL/bills.lang b/htdocs/langs/sq_AL/bills.lang index 92126323242..6d2b95602c0 100644 --- a/htdocs/langs/sq_AL/bills.lang +++ b/htdocs/langs/sq_AL/bills.lang @@ -1,609 +1,649 @@ # Dolibarr language file - Source file is en_US - bills -Bill=Faturë +Bill=Fatura Bills=Faturat -BillsCustomers=Customer invoices -BillsCustomer=Customer invoice -BillsSuppliers=Vendor invoices -BillsCustomersUnpaid=Unpaid customer invoices -BillsCustomersUnpaidForCompany=Unpaid customer invoices for %s -BillsSuppliersUnpaid=Unpaid vendor invoices -BillsSuppliersUnpaidForCompany=Unpaid vendors invoices for %s -BillsLate=Late payments -BillsStatistics=Customers invoices statistics -BillsStatisticsSuppliers=Vendors invoices statistics -DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping -DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. -DisabledBecauseNotErasable=Disabled because cannot be erased -InvoiceStandard=Standard invoice -InvoiceStandardAsk=Standard invoice -InvoiceStandardDesc=This kind of invoice is the common invoice. -InvoiceDeposit=Down payment invoice -InvoiceDepositAsk=Down payment invoice -InvoiceDepositDesc=This kind of invoice is done when a down payment has been received. -InvoiceProForma=Proforma invoice -InvoiceProFormaAsk=Proforma invoice -InvoiceProFormaDesc=Proforma invoice is an image of a true invoice but has no accountancy value. -InvoiceReplacement=Replacement invoice -InvoiceReplacementAsk=Replacement invoice for invoice -InvoiceReplacementDesc=Replacement invoice is used to completely replace an invoice with no payment already received.

      Note: Only invoices with no payment on it can be replaced. If the invoice you replace is not yet closed, it will be automatically closed to 'abandoned'. -InvoiceAvoir=Credit note -InvoiceAvoirAsk=Credit note to correct invoice -InvoiceAvoirDesc=The credit note is a negative invoice used to correct the fact that an invoice shows an amount that differs from the amount actually paid (eg the customer paid too much by mistake, or will not pay the complete amount since some products were returned). -invoiceAvoirWithLines=Create Credit Note with lines from the origin invoice -invoiceAvoirWithPaymentRestAmount=Create Credit Note with remaining unpaid of origin invoice -invoiceAvoirLineWithPaymentRestAmount=Credit Note for remaining unpaid amount -ReplaceInvoice=Replace invoice %s -ReplacementInvoice=Replacement invoice -ReplacedByInvoice=Replaced by invoice %s -ReplacementByInvoice=Replaced by invoice -CorrectInvoice=Correct invoice %s -CorrectionInvoice=Correction invoice -UsedByInvoice=Used to pay invoice %s -ConsumedBy=Consumed by -NotConsumed=Not consumed -NoReplacableInvoice=No replaceable invoices -NoInvoiceToCorrect=No invoice to correct -InvoiceHasAvoir=Was source of one or several credit notes -CardBill=Invoice card -PredefinedInvoices=Predefined Invoices -Invoice=Faturë -PdfInvoiceTitle=Faturë +BillsCustomers=Faturat e klientit +BillsCustomer=Fatura e klientit +BillsSuppliers=Faturat e shitësve +BillsCustomersUnpaid=Faturat e papaguara të klientëve +BillsCustomersUnpaidForCompany=Faturat e papaguara të klientit për %s +BillsSuppliersUnpaid=Faturat e papaguara të shitësve +BillsSuppliersUnpaidForCompany=Faturat e papaguara të shitësve për %s +BillsLate=Pagesat e vonuara +BillsStatistics=Statistikat e faturave të klientëve +BillsStatisticsSuppliers=Statistikat e faturave të shitësve +DisabledBecauseDispatchedInBookkeeping=Çaktivizuar sepse fatura u dërgua në kontabilitet +DisabledBecauseNotLastInvoice=Çaktivizohet sepse fatura nuk mund të fshihet. Disa fatura janë regjistruar pas kësaj dhe kjo do të krijojë vrima në banak. +DisabledBecauseNotLastSituationInvoice=Çaktivizohet sepse fatura nuk mund të fshihet. Kjo faturë nuk është e fundit në ciklin e faturave të situatës. +DisabledBecauseNotErasable=Çaktivizuar sepse nuk mund të fshihet +InvoiceStandard=Faturë standarde +InvoiceStandardAsk=Faturë standarde +InvoiceStandardDesc=Kjo lloj faturë është fatura e zakonshme. +InvoiceStandardShort=Standard +InvoiceDeposit=Faturë paradhënie +InvoiceDepositAsk=Faturë paradhënie +InvoiceDepositDesc=Kjo lloj faturë bëhet kur është marrë një paradhënie. +InvoiceProForma=Proformatura +InvoiceProFormaAsk=Proformatura +InvoiceProFormaDesc=Proformafatura është një imazh i një faturë të vërtetë, por nuk ka vlerë kontabël. +InvoiceReplacement=Faturë zëvendësuese +InvoiceReplacementShort=Zëvendësimi +InvoiceReplacementAsk=Zëvendësimi i faturës për faturë +InvoiceReplacementDesc=Fatura zëvendësuese përdoret për të zëvendësuar plotësisht një faturë pa asnjë pagesë të marrë tashmë.04f1
      Shënim: Vetëm faturat pa pagesë mund të zëvendësohen. Nëse fatura që zëvendësoni nuk është mbyllur ende, ajo do të mbyllet automatikisht në "e braktisur". +InvoiceAvoir=Shënim krediti +InvoiceAvoirAsk=Shënim krediti për të korrigjuar faturën +InvoiceAvoirDesc=shënimi i kreditit është një faturë negative e përdorur për të korrigjuar faktin që një faturë tregon një shumë që ndryshon nga shuma në të vërtetë paguar (p.sh. klienti ka paguar shumë gabimisht, ose nuk do të paguajë shumën e plotë pasi disa produkte janë kthyer). +invoiceAvoirWithLines=Krijo Kredit Note me rreshta nga fatura e origjinës +invoiceAvoirWithPaymentRestAmount=Krijoni një shënim krediti me faturën e origjinës së mbetur të papaguar +invoiceAvoirLineWithPaymentRestAmount=Shënim krediti për shumën e mbetur të papaguar +ReplaceInvoice=Zëvendëso faturën %s +ReplacementInvoice=Faturë zëvendësuese +ReplacedByInvoice=Zëvendësuar me faturë %s +ReplacementByInvoice=Zëvendësohet me faturë +CorrectInvoice=Fatura e saktë %s +CorrectionInvoice=Faturë korrigjuese +UsedByInvoice=Përdoret për të paguar faturën %s +ConsumedBy=Konsumohet nga +NotConsumed=Nuk konsumohet +NoReplacableInvoice=Nuk ka fatura të zëvendësueshme +NoInvoiceToCorrect=Nuk ka faturë për të korrigjuar +InvoiceHasAvoir=Ishte burim i një ose disa krediteve +CardBill=Karta e faturës +PredefinedInvoices=Faturat e paracaktuara +Invoice=Fatura +PdfInvoiceTitle=Fatura Invoices=Faturat -InvoiceLine=Invoice line -InvoiceCustomer=Customer invoice -CustomerInvoice=Customer invoice -CustomersInvoices=Customer invoices -SupplierInvoice=Vendor invoice -SuppliersInvoices=Vendor invoices -SupplierInvoiceLines=Vendor invoice lines -SupplierBill=Vendor invoice -SupplierBills=Vendor invoices -Payment=Payment -PaymentBack=Refund -CustomerInvoicePaymentBack=Refund -Payments=Payments -PaymentsBack=Refunds -paymentInInvoiceCurrency=in invoices currency -PaidBack=Paid back -DeletePayment=Delete payment -ConfirmDeletePayment=Are you sure you want to delete this payment? -ConfirmConvertToReduc=Do you want to convert this %s into an available credit? -ConfirmConvertToReduc2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this customer. -ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit? -ConfirmConvertToReducSupplier2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this vendor. -SupplierPayments=Vendor payments -ReceivedPayments=Received payments -ReceivedCustomersPayments=Payments received from customers -PayedSuppliersPayments=Payments paid to vendors -ReceivedCustomersPaymentsToValid=Received customers payments to validate -PaymentsReportsForYear=Payments reports for %s -PaymentsReports=Payments reports -PaymentsAlreadyDone=Payments already done -PaymentsBackAlreadyDone=Refunds already done -PaymentRule=Payment rule -PaymentMode=Payment method -PaymentModes=Payment methods -DefaultPaymentMode=Default Payment method -DefaultBankAccount=Default Bank Account -IdPaymentMode=Payment method (id) -CodePaymentMode=Payment method (code) -LabelPaymentMode=Payment method (label) -PaymentModeShort=Payment method -PaymentTerm=Payment Term -PaymentConditions=Payment Terms -PaymentConditionsShort=Payment Terms -PaymentAmount=Payment amount -PaymentHigherThanReminderToPay=Payment higher than reminder to pay -HelpPaymentHigherThanReminderToPay=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess received for each overpaid invoice. -HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess paid for each overpaid invoice. -ClassifyPaid=Classify 'Paid' -ClassifyUnPaid=Classify 'Unpaid' -ClassifyPaidPartially=Classify 'Paid partially' -ClassifyCanceled=Classify 'Abandoned' -ClassifyClosed=Classify 'Closed' -ClassifyUnBilled=Classify 'Unbilled' -CreateBill=Create Invoice -CreateCreditNote=Create credit note -AddBill=Create invoice or credit note -AddToDraftInvoices=Add to draft invoice -DeleteBill=Delete invoice -SearchACustomerInvoice=Search for a customer invoice -SearchASupplierInvoice=Search for a vendor invoice -CancelBill=Cancel an invoice -SendRemindByMail=Send reminder by email -DoPayment=Enter payment -DoPaymentBack=Enter refund -ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into available credit -ConvertExcessPaidToReduc=Convert excess paid into available discount -EnterPaymentReceivedFromCustomer=Enter payment received from customer -EnterPaymentDueToCustomer=Make payment due to customer -DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Base price -BillStatus=Invoice status -StatusOfGeneratedInvoices=Status of generated invoices -BillStatusDraft=Draft (needs to be validated) -BillStatusPaid=Paid -BillStatusPaidBackOrConverted=Credit note refund or marked as credit available -BillStatusConverted=Paid (ready for consumption in final invoice) -BillStatusCanceled=Abandoned -BillStatusValidated=Validated (needs to be paid) -BillStatusStarted=Started -BillStatusNotPaid=Not paid -BillStatusNotRefunded=Not refunded -BillStatusClosedUnpaid=Closed (unpaid) -BillStatusClosedPaidPartially=Paid (partially) -BillShortStatusDraft=Draft -BillShortStatusPaid=Paid -BillShortStatusPaidBackOrConverted=Refunded or converted -Refunded=Refunded -BillShortStatusConverted=Paid -BillShortStatusCanceled=Abandoned -BillShortStatusValidated=Validated -BillShortStatusStarted=Started -BillShortStatusNotPaid=Not paid -BillShortStatusNotRefunded=Not refunded +InvoiceLine=Linja e faturës +InvoiceCustomer=Fatura e klientit +CustomerInvoice=Fatura e klientit +CustomersInvoices=Faturat e klientit +SupplierInvoice=Fatura e shitësit +SuppliersInvoices=Faturat e shitësve +SupplierInvoiceLines=Linjat e faturave të shitësit +SupplierBill=Fatura e shitësit +SupplierBills=Faturat e shitësve +Payment=Pagesa +PaymentBack=Rimbursimi +CustomerInvoicePaymentBack=Rimbursimi +Payments=Pagesat +PaymentsBack=Rimbursimet +paymentInInvoiceCurrency=në monedhën e faturave +PaidBack=I paguar +DeletePayment=Fshi pagesën +ConfirmDeletePayment=Je i sigurt që dëshiron ta fshish këtë pagesë? +ConfirmConvertToReduc=Dëshiron ta konvertosh këtë %s në një kredit të disponueshëm? +ConfirmConvertToReduc2=Shuma do të ruhet midis të gjitha zbritjeve dhe mund të përdoret si zbritje për një faturë aktuale ose të ardhshme për këtë klient. +ConfirmConvertToReducSupplier=Dëshiron ta konvertosh këtë %s në një kredit të disponueshëm? +ConfirmConvertToReducSupplier2=Shuma do të ruhet midis të gjitha zbritjeve dhe mund të përdoret si zbritje për një faturë aktuale ose të ardhshme për këtë shitës. +SupplierPayments=Pagesat e shitësit +ReceivedPayments=Pagesat e marra +ReceivedCustomersPayments=Pagesat e marra nga klientët +PayedSuppliersPayments=Pagesat e paguara për shitësit +ReceivedCustomersPaymentsToValid=Klientët e pranuar pagesat për të vërtetuar +PaymentsReportsForYear=Raportet e pagesave për %s +PaymentsReports=Raportet e pagesave +PaymentsAlreadyDone=Pagesat janë bërë tashmë +PaymentsBackAlreadyDone=Rimbursimet janë bërë tashmë +PaymentRule=Rregulli i pagesës +PaymentMode=Metoda e pagesës +PaymentModes=Menyra pagese +DefaultPaymentMode=Mënyra e parazgjedhur e pagesës +DefaultBankAccount=Llogaria e paracaktuar bankare +IdPaymentMode=Mënyra e pagesës (id) +CodePaymentMode=Mënyra e pagesës (kodi) +LabelPaymentMode=Mënyra e pagesës (etiketa) +PaymentModeShort=Metoda e pagesës +PaymentTerm=Kushtet e pagesës +PaymentConditions=Kushtet e pagesës +PaymentConditionsShort=Kushtet e pagesës +PaymentAmount=Shuma e pagesës +PaymentHigherThanReminderToPay=Pagesa më e lartë se kujtesa për të paguar +HelpPaymentHigherThanReminderToPay=Kujdes, shuma e pagesës së një ose më shumë faturave është më e lartë se shuma e papaguar.
      Ndrysho hyrjen tënde, përndryshe konfirmo dhe merr parasysh krijimin e një shënimi krediti për tejkalimin e marrë për çdo faturë të paguar më tepër. +HelpPaymentHigherThanReminderToPaySupplier=Kujdes, shuma e pagesës së një ose më shumë faturave është më e lartë se shuma e papaguar.
      Ndrysho hyrjen tënde, përndryshe konfirmo dhe merr parasysh krijimin e një shënimi krediti për tejkalimin e paguar për çdo faturë të paguar më tepër. +ClassifyPaid=Klasifiko 'të paguara' +ClassifyUnPaid=Klasifiko 'të papaguara' +ClassifyPaidPartially=Klasifikoni 'të paguara pjesërisht' +ClassifyCanceled=Klasifiko 'të braktisur' +ClassifyClosed=Klasifiko 'të mbyllura' +ClassifyUnBilled=Klasifiko 'të pafaturuara' +CreateBill=Krijo faturë +CreateCreditNote=Krijo një notë krediti +AddBill=Krijo faturë ose shënim krediti +AddToDraftInvoices=Shto në draft faturë +DeleteBill=Fshi faturën +SearchACustomerInvoice=Kërkoni për një faturë klienti +SearchASupplierInvoice=Kërkoni për një faturë shitësi +CancelBill=Anuloni një faturë +SendRemindByMail=Dërgo kujtesë me email +DoPayment=Fut pagesën +DoPaymentBack=Fut rimbursimin +ConvertToReduc=Shëno si kredit të disponueshëm +ConvertExcessReceivedToReduc=Konvertoni tepricën e marrë në kredi të disponueshme +ConvertExcessPaidToReduc=Konvertoni tepricën e paguar në zbritje të disponueshme +EnterPaymentReceivedFromCustomer=Shkruani pagesën e marrë nga klienti +EnterPaymentDueToCustomer=Bëni pagesën që i takon klientit +DisabledBecauseRemainderToPayIsZero=I çaktivizuar sepse mbetur pa pagesë është zero +PriceBase=Çmimi bazë +BillStatus=Statusi i faturës +StatusOfAutoGeneratedInvoices=Statusi i faturave të gjeneruara automatikisht +BillStatusDraft=Drafti (duhet të vërtetohet) +BillStatusPaid=I paguar +BillStatusPaidBackOrConverted=Rimbursimi i notës së kreditit ose i shënuar si kredit i disponueshëm +BillStatusConverted=E paguar (e gatshme per konsum ne faturen perfundimtare) +BillStatusCanceled=I braktisur +BillStatusValidated=Vërtetuar (duhet të paguhet) +BillStatusStarted=Filloi +BillStatusNotPaid=E papaguar +BillStatusNotRefunded=Nuk rimbursohet +BillStatusClosedUnpaid=E mbyllur (pa pagesë) +BillStatusClosedPaidPartially=Me pagesë (pjesërisht) +BillShortStatusDraft=Drafti +BillShortStatusPaid=I paguar +BillShortStatusPaidBackOrConverted=Rimbursohet ose konvertohet +Refunded=Rimbursohet +BillShortStatusConverted=I paguar +BillShortStatusCanceled=I braktisur +BillShortStatusValidated=E vërtetuar +BillShortStatusStarted=Filloi +BillShortStatusNotPaid=E papaguar +BillShortStatusNotRefunded=Nuk rimbursohet BillShortStatusClosedUnpaid=Mbyllur -BillShortStatusClosedPaidPartially=Paid (partially) -PaymentStatusToValidShort=To validate -ErrorVATIntraNotConfigured=Intra-Community VAT number not yet defined -ErrorNoPaiementModeConfigured=No default payment type defined. Go to Invoice module setup to fix this. -ErrorCreateBankAccount=Create a bank account, then go to Setup panel of Invoice module to define payment types -ErrorBillNotFound=Invoice %s does not exist -ErrorInvoiceAlreadyReplaced=Error, you tried to validate an invoice to replace invoice %s. But this one has already been replaced by invoice %s. -ErrorDiscountAlreadyUsed=Error, discount already used -ErrorInvoiceAvoirMustBeNegative=Error, correct invoice must have a negative amount -ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have an amount excluding tax positive (or null) -ErrorCantCancelIfReplacementInvoiceNotValidated=Error, can't cancel an invoice that has been replaced by another invoice that is still in draft status -ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=This part or another is already used so discount series cannot be removed. -BillFrom=From -BillTo=To -ActionsOnBill=Actions on invoice -RecurringInvoiceTemplate=Template / Recurring invoice -NoQualifiedRecurringInvoiceTemplateFound=No recurring template invoice qualified for generation. -FoundXQualifiedRecurringInvoiceTemplate=Found %s recurring template invoice(s) qualified for generation. -NotARecurringInvoiceTemplate=Not a recurring template invoice -NewBill=New invoice -LastBills=Latest %s invoices -LatestTemplateInvoices=Latest %s template invoices -LatestCustomerTemplateInvoices=Latest %s customer template invoices -LatestSupplierTemplateInvoices=Latest %s vendor template invoices -LastCustomersBills=Latest %s customer invoices -LastSuppliersBills=Latest %s vendor invoices -AllBills=All invoices -AllCustomerTemplateInvoices=All template invoices -OtherBills=Other invoices -DraftBills=Draft invoices -CustomersDraftInvoices=Customer draft invoices -SuppliersDraftInvoices=Vendor draft invoices -Unpaid=Unpaid -ErrorNoPaymentDefined=Error No payment defined -ConfirmDeleteBill=Are you sure you want to delete this invoice? -ConfirmValidateBill=Are you sure you want to validate this invoice with reference %s? -ConfirmUnvalidateBill=Are you sure you want to change invoice %s to draft status? -ConfirmClassifyPaidBill=Are you sure you want to change invoice %s to status paid? -ConfirmCancelBill=Are you sure you want to cancel invoice %s? -ConfirmCancelBillQuestion=Why do you want to classify this invoice 'abandoned'? -ConfirmClassifyPaidPartially=Are you sure you want to change invoice %s to status paid? -ConfirmClassifyPaidPartiallyQuestion=This invoice has not been paid completely. What is the reason for closing this invoice? -ConfirmClassifyPaidPartiallyReasonAvoir=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I regularize the VAT with a credit note. -ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. -ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I accept to lose the VAT on this discount. -ConfirmClassifyPaidPartiallyReasonDiscountVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I recover the VAT on this discount without a credit note. -ConfirmClassifyPaidPartiallyReasonBadCustomer=Bad customer -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fees) -ConfirmClassifyPaidPartiallyReasonProductReturned=Products partially returned -ConfirmClassifyPaidPartiallyReasonOther=Amount abandoned for other reason -ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=This choice is possible if your invoice has been provided with suitable comments. (Example «Only the tax corresponding to the price that has been actually paid gives rights to deduction») -ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=In some countries, this choice might be possible only if your invoice contains correct notes. -ConfirmClassifyPaidPartiallyReasonAvoirDesc=Use this choice if all other does not suit -ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=A bad customer is a customer that refuses to pay his debt. -ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=This choice is used when payment is not complete because some of products were returned -ConfirmClassifyPaidPartiallyReasonBankChargeDesc=The unpaid amount is intermediary bank fees, deducted directly from the correct amount paid by the Customer. -ConfirmClassifyPaidPartiallyReasonOtherDesc=Use this choice if all others are not suitable, for example in following situation:
      - payment not complete because some products were shipped back
      - amount claimed too important because a discount was forgotten
      In all cases, amount over-claimed must be corrected in accountancy system by creating a credit note. -ConfirmClassifyAbandonReasonOther=Tjetër -ConfirmClassifyAbandonReasonOtherDesc=This choice will be used in all other cases. For example because you plan to create a replacing invoice. -ConfirmCustomerPayment=Do you confirm this payment input for %s %s? -ConfirmSupplierPayment=Do you confirm this payment input for %s %s? -ConfirmValidatePayment=Are you sure you want to validate this payment? No change can be made once payment is validated. -ValidateBill=Validate invoice -UnvalidateBill=Unvalidate invoice -NumberOfBills=No. of invoices -NumberOfBillsByMonth=No. of invoices per month -AmountOfBills=Amount of invoices -AmountOfBillsHT=Amount of invoices (net of tax) -AmountOfBillsByMonthHT=Amount of invoices by month (net of tax) -UseSituationInvoices=Allow situation invoice -UseSituationInvoicesCreditNote=Allow situation invoice credit note -Retainedwarranty=Retained warranty -AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices -RetainedwarrantyDefaultPercent=Retained warranty default percent -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation -ToPayOn=To pay on %s -toPayOn=to pay on %s -RetainedWarranty=Retained Warranty -PaymentConditionsShortRetainedWarranty=Retained warranty payment terms -DefaultPaymentConditionsRetainedWarranty=Default retained warranty payment terms -setPaymentConditionsShortRetainedWarranty=Set retained warranty payment terms -setretainedwarranty=Set retained warranty -setretainedwarrantyDateLimit=Set retained warranty date limit -RetainedWarrantyDateLimit=Retained warranty date limit -RetainedWarrantyNeed100Percent=The situation invoice need to be at 100%% progress to be displayed on PDF -AlreadyPaid=Already paid -AlreadyPaidBack=Already paid back -AlreadyPaidNoCreditNotesNoDeposits=Already paid (without credit notes and down payments) -Abandoned=Abandoned -RemainderToPay=Remaining unpaid -RemainderToPayMulticurrency=Remaining unpaid, original currency -RemainderToTake=Remaining amount to take -RemainderToTakeMulticurrency=Remaining amount to take, original currency -RemainderToPayBack=Remaining amount to refund -RemainderToPayBackMulticurrency=Remaining amount to refund, original currency -NegativeIfExcessRefunded=negative if excess refunded -Rest=Pending -AmountExpected=Amount claimed -ExcessReceived=Excess received -ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received -ExcessPaid=Excess paid -ExcessPaidMulticurrency=Excess paid, original currency -EscompteOffered=Discount offered (payment before term) -EscompteOfferedShort=Ulje -SendBillRef=Submission of invoice %s -SendReminderBillRef=Submission of invoice %s (reminder) -SendPaymentReceipt=Submission of payment receipt %s -NoDraftBills=No draft invoices -NoOtherDraftBills=No other draft invoices -NoDraftInvoices=No draft invoices -RefBill=Invoice ref -ToBill=To bill -RemainderToBill=Remainder to bill -SendBillByMail=Send invoice by email -SendReminderBillByMail=Send reminder by email -RelatedCommercialProposals=Related commercial proposals -RelatedRecurringCustomerInvoices=Related recurring customer invoices -MenuToValid=To valid -DateMaxPayment=Payment due on -DateInvoice=Invoice date -DatePointOfTax=Point of tax -NoInvoice=No invoice -NoOpenInvoice=No open invoice -NbOfOpenInvoices=Number of open invoices -ClassifyBill=Classify invoice -SupplierBillsToPay=Unpaid vendor invoices -CustomerBillsUnpaid=Unpaid customer invoices -NonPercuRecuperable=Non-recoverable -SetConditions=Set Payment Terms -SetMode=Set Payment Type -SetRevenuStamp=Set revenue stamp -Billed=Billed -RecurringInvoices=Recurring invoices -RecurringInvoice=Recurring invoice -RepeatableInvoice=Template invoice -RepeatableInvoices=Template invoices -Repeatable=Template -Repeatables=Templates -ChangeIntoRepeatableInvoice=Convert into template invoice -CreateRepeatableInvoice=Create template invoice -CreateFromRepeatableInvoice=Create from template invoice -CustomersInvoicesAndInvoiceLines=Customer invoices and invoice details -CustomersInvoicesAndPayments=Customer invoices and payments -ExportDataset_invoice_1=Customer invoices and invoice details -ExportDataset_invoice_2=Customer invoices and payments +BillShortStatusClosedPaidPartially=Me pagesë (pjesërisht) +PaymentStatusToValidShort=Për të vërtetuar +ErrorVATIntraNotConfigured=Numri i TVSH-së brenda komunitetit nuk është përcaktuar ende +ErrorNoPaiementModeConfigured=Nuk është përcaktuar asnjë lloj pagese e paracaktuar. Shko te konfigurimi i modulit të faturës për ta rregulluar këtë. +ErrorCreateBankAccount=Krijoni një llogari bankare, më pas shkoni te paneli Setup i modulit Fatura për të përcaktuar llojet e pagesave +ErrorBillNotFound=Fatura %s nuk ekziston +ErrorInvoiceAlreadyReplaced=Gabim, u përpoqët të vërtetoni një faturë për të zëvendësuar faturën %s. Por kjo tashmë është zëvendësuar me faturë %s. +ErrorDiscountAlreadyUsed=Gabim, zbritja është përdorur tashmë +ErrorInvoiceAvoirMustBeNegative=Gabim, fatura e saktë duhet të ketë një shumë negative +ErrorInvoiceOfThisTypeMustBePositive=Gabim, kjo lloj faturë duhet të ketë një shumë që përjashton tatimin pozitiv (ose nul) +ErrorCantCancelIfReplacementInvoiceNotValidated=Gabim, nuk mund të anulohet një faturë që është zëvendësuar nga një faturë tjetër që është ende në status drafti +ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Kjo pjesë ose një tjetër është përdorur tashmë, kështu që seritë e zbritjeve nuk mund të hiqen. +ErrorInvoiceIsNotLastOfSameType=Gabim: Data e faturës %s është %s. Duhet të jetë e pasme ose e barabartë me datën e fundit për faturat e të njëjtit lloj (%s). Ju lutemi ndryshoni datën e faturës. +BillFrom=Nga +BillTo=te +ShippingTo=Transporti në +ActionsOnBill=Veprimet në faturë +ActionsOnBillRec=Veprimet për faturën e përsëritur +RecurringInvoiceTemplate=Model/Faturë e përsëritur +NoQualifiedRecurringInvoiceTemplateFound=Asnjë faturë shabllon e përsëritur e kualifikuar për gjenerim. +FoundXQualifiedRecurringInvoiceTemplate=%s fatura periodike shabllone të kualifikuara për gjenerim. +NotARecurringInvoiceTemplate=Jo një faturë shabllon e përsëritur +NewBill=Fatura e re +LastBills=Faturat e fundit %s +LatestTemplateInvoices=Faturat më të fundit të modelit %s +LatestCustomerTemplateInvoices=Faturat më të fundit të modelit të klientit %s +LatestSupplierTemplateInvoices=Faturat e modeleve të shitësve të fundit %s +LastCustomersBills=Faturat më të fundit të klientit %s +LastSuppliersBills=Faturat më të fundit të shitësve %s +AllBills=Të gjitha faturat +AllCustomerTemplateInvoices=Të gjitha faturat model +OtherBills=Fatura të tjera +DraftBills=Projektfatura +CustomersDraftInvoices=draft faturat e klientëve +SuppliersDraftInvoices=Draft faturat e shitësit +Unpaid=E papaguar +ErrorNoPaymentDefined=Gabim Nuk është përcaktuar pagesa +ConfirmDeleteBill=Je i sigurt që dëshiron ta fshish këtë faturë? +ConfirmValidateBill=Jeni i sigurt që dëshironi ta vërtetoni këtë faturë me referencën %sb09a4b739f17 >? +ConfirmUnvalidateBill=Jeni i sigurt që dëshironi të ndryshoni faturën %s në statusin e drafteve ? +ConfirmClassifyPaidBill=Jeni të sigurt që dëshironi të ndryshoni faturën %s statusin e paguar%sb09a4b739f17f8z>%s statusin e paguar(%s %s) > është një zbritje e dhënë sepse pagesa është bërë përpara afatit. E rregulloj TVSH-në me kredit. +ConfirmClassifyPaidPartiallyReasonDiscount=E mbetur pa pagesë (%s %s) > është një zbritje e dhënë sepse pagesa është bërë përpara afatit. +ConfirmClassifyPaidPartiallyReasonDiscountNoVat=E mbetur pa pagesë (%s %s) > është një zbritje e dhënë sepse pagesa është bërë përpara afatit. Unë pranoj të humbas TVSH-në për këtë zbritje. +ConfirmClassifyPaidPartiallyReasonDiscountVat=E mbetur pa pagesë (%s %s) > është një zbritje e dhënë sepse pagesa është bërë përpara afatit. Unë e rikuperoj TVSH-në për këtë zbritje pa një shënim krediti. +ConfirmClassifyPaidPartiallyReasonBadCustomer=Klient i keq +ConfirmClassifyPaidPartiallyReasonBadSupplier=Shitës i keq +ConfirmClassifyPaidPartiallyReasonBankCharge=Zbritja nga banka (tarifa bankare ndërmjetëse) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=Tatimi në burim +ConfirmClassifyPaidPartiallyReasonProductReturned=Produktet e kthyera pjesërisht +ConfirmClassifyPaidPartiallyReasonOther=Shuma e braktisur për arsye të tjera +ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=Kjo zgjedhje është e mundur nëse fatura juaj është dhënë me komente të përshtatshme. (Shembulli "Vetëm tatimi që korrespondon me çmimin që është paguar në të vërtetë jep të drejta për zbritje") +ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=Në disa vende, kjo zgjedhje mund të jetë e mundur vetëm nëse fatura juaj përmban shënime të sakta. +ConfirmClassifyPaidPartiallyReasonAvoirDesc=Përdoreni këtë zgjedhje nëse të gjitha të tjerat nuk ju përshtaten +ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=Një klient i keq është një klient që refuzon të paguajë borxhin e tij. +ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Kjo zgjedhje përdoret kur pagesa nuk është e plotë sepse disa produkte janë kthyer +ConfirmClassifyPaidPartiallyReasonBankChargeDesc=Shuma e papaguar është tarifat bankare ndërmjetëse, e zbritur direkt nga shuma e saktë e paguar nga Klienti. +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=Shuma e papaguar nuk do të paguhet kurrë pasi është një taksë e mbajtur në burim +ConfirmClassifyPaidPartiallyReasonOtherDesc=Përdoreni këtë zgjedhje nëse të gjitha të tjerat nuk janë të përshtatshme, për shembull në situatën e mëposhtme:
      - pagesa nuk është e përfunduar sepse disa produkte janë dërguar prapa
      - shuma e pretenduar shumë e rëndësishme sepse u harrua një zbritje
      Në të gjitha rastet, shuma e mbideklaruar duhet të korrigjohet në sistemin e kontabilitetit duke krijuar një shënim krediti. +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=Një furnizues i keq është një furnizues që ne refuzojmë ta paguajmë. +ConfirmClassifyAbandonReasonOther=Të tjera +ConfirmClassifyAbandonReasonOtherDesc=Kjo zgjedhje do të përdoret në të gjitha rastet e tjera. Për shembull sepse planifikoni të krijoni një faturë zëvendësuese. +ConfirmCustomerPayment=A e konfirmoni këtë hyrje pagese për %s 'notranslate'>%s? +ConfirmSupplierPayment=A e konfirmoni këtë hyrje pagese për %s 'notranslate'>%s? +ConfirmValidatePayment=Je i sigurt që dëshiron ta vërtetosh këtë pagesë? Asnjë ndryshim nuk mund të bëhet pasi pagesa të vërtetohet. +ValidateBill=Vërtetoni faturën +UnvalidateBill=Të pavlefshme faturë +NumberOfBills=Numri i faturave +NumberOfBillsByMonth=Numri i faturave në muaj +AmountOfBills=Shuma e faturave +AmountOfBillsHT=Shuma e faturave (neto nga taksa) +AmountOfBillsByMonthHT=Shuma e faturave sipas muajve (neto nga taksat) +UseSituationInvoices=Lejo faturën e situatës +UseSituationInvoicesCreditNote=Lejo shënimin e kreditit të faturës së situatës +Retainedwarranty=Garancia e ruajtur +AllowedInvoiceForRetainedWarranty=Garancia e ruajtur e përdorshme për llojet e mëposhtme të faturave +RetainedwarrantyDefaultPercent=Përqindja e parazgjedhur e garancisë së ruajtur +RetainedwarrantyOnlyForSituation=Bëni "garancinë e ruajtur" të disponueshme vetëm për faturat e situatës +RetainedwarrantyOnlyForSituationFinal=Në faturat e situatës, zbritja globale e "garancisë së ruajtur" zbatohet vetëm për situatën përfundimtare +ToPayOn=Për të paguar në %s +toPayOn=për të paguar në %s +RetainedWarranty=Garancia e ruajtur +PaymentConditionsShortRetainedWarranty=Kushtet e pagesës së garancisë së ruajtur +DefaultPaymentConditionsRetainedWarranty=Kushtet e paracaktuara të pagesës së garancisë së ruajtur +setPaymentConditionsShortRetainedWarranty=Vendosni kushtet e pagesës së garancisë së ruajtur +setretainedwarranty=Vendos garancinë e ruajtur +setretainedwarrantyDateLimit=Vendosni kufirin e datës së garancisë së ruajtur +RetainedWarrantyDateLimit=Kufiri i datës së garancisë së ruajtur +RetainedWarrantyNeed100Percent=Fatura e situatës duhet të jetë në progresin 100%% për t'u shfaqur në PDF +AlreadyPaid=Tashmë e paguar +AlreadyPaidBack=Tashmë e paguar +AlreadyPaidNoCreditNotesNoDeposits=Të paguara tashmë (pa shënime krediti dhe parapagime) +Abandoned=I braktisur +RemainderToPay=Mbetet pa pagesë +RemainderToPayMulticurrency=Monedha origjinale e mbetur e papaguar +RemainderToTake=Shuma e mbetur për të marrë +RemainderToTakeMulticurrency=Shuma e mbetur për t'u marrë, monedha origjinale +RemainderToPayBack=Shuma e mbetur për rimbursim +RemainderToPayBackMulticurrency=Shuma e mbetur për rimbursim, monedha origjinale +NegativeIfExcessReceived=negative nëse merret teprica +NegativeIfExcessRefunded=negative nëse shuma e tepërt rimbursohet +NegativeIfExcessPaid=negative nëse teprica paguhet +Rest=Në pritje +AmountExpected=Shuma e pretenduar +ExcessReceived=Teprica e marrë +ExcessReceivedMulticurrency=Teprica e marrë, monedhë origjinale +ExcessPaid=Teprica e paguar +ExcessPaidMulticurrency=Teprica e paguar, monedhë origjinale +EscompteOffered=Ofrohet zbritje (pagesë para afatit) +EscompteOfferedShort=Zbritje +SendBillRef=Dorëzimi i faturës %s +SendReminderBillRef=Dorëzimi i faturës %s (kujtesë) +SendPaymentReceipt=Dorëzimi i faturës së pagesës %s +NoDraftBills=Nuk ka draft fatura +NoOtherDraftBills=Nuk ka draft fatura të tjera +NoDraftInvoices=Nuk ka draft fatura +RefBill=Faturë ref +ToBill=Për të faturuar +RemainderToBill=Pjesa e mbetur për faturim +SendBillByMail=Dërgo faturë me email +SendReminderBillByMail=Dërgo kujtesë me email +RelatedCommercialProposals=Propozimet tregtare të lidhura +RelatedRecurringCustomerInvoices=Faturat e lidhura të përsëritura të klientëve +MenuToValid=Të vlefshme +DateMaxPayment=Pagesa e duhur +DateInvoice=Data e faturës +DatePointOfTax=Pika e tatimit +NoInvoice=Asnjë faturë +NoOpenInvoice=Asnjë faturë e hapur +NbOfOpenInvoices=Numri i faturave të hapura +ClassifyBill=Klasifikimi i faturës +SupplierBillsToPay=Faturat e papaguara të shitësve +CustomerBillsUnpaid=Faturat e papaguara të klientëve +NonPercuRecuperable=E pa rikuperueshme +SetConditions=Vendosni kushtet e pagesës +SetMode=Cakto llojin e pagesës +SetRevenuStamp=Vendos pullën e të ardhurave +Billed=Faturuar +RecurringInvoices=Fatura të përsëritura +RecurringInvoice=Faturë e përsëritur +RecurringInvoiceSource=Faturë e përsëritur burimore +RepeatableInvoice=faturë shabllon +RepeatableInvoices=Faturat model +RecurringInvoicesJob=Gjenerimi i faturave të përsëritura (faturat e shitjes) +RecurringSupplierInvoicesJob=Gjenerimi i faturave të përsëritura (faturat e blerjeve) +Repeatable=shabllon +Repeatables=Modelet +ChangeIntoRepeatableInvoice=Shndërroni në faturë shabllon +CreateRepeatableInvoice=Krijo shabllon faturë +CreateFromRepeatableInvoice=Krijo nga fatura shabllon +CustomersInvoicesAndInvoiceLines=Faturat e klientit dhe detajet e faturës +CustomersInvoicesAndPayments=Faturat dhe pagesat e klienteve +ExportDataset_invoice_1=Faturat e klientit dhe detajet e faturës +ExportDataset_invoice_2=Faturat dhe pagesat e klienteve ProformaBill=Proforma Bill: -Reduction=Reduction -ReductionShort=Disc. -Reductions=Reductions -ReductionsShort=Disc. -Discounts=Discounts -AddDiscount=Create discount -AddRelativeDiscount=Create relative discount -EditRelativeDiscount=Edit relative discount -AddGlobalDiscount=Create absolute discount -EditGlobalDiscounts=Edit absolute discounts -AddCreditNote=Create credit note -ShowDiscount=Show discount -ShowReduc=Show the discount -ShowSourceInvoice=Show the source invoice -RelativeDiscount=Relative discount -GlobalDiscount=Global discount -CreditNote=Credit note -CreditNotes=Credit notes -CreditNotesOrExcessReceived=Credit notes or excess received -Deposit=Down payment -Deposits=Down payments -DiscountFromCreditNote=Discount from credit note %s -DiscountFromDeposit=Down payments from invoice %s -DiscountFromExcessReceived=Payments in excess of invoice %s -DiscountFromExcessPaid=Payments in excess of invoice %s -AbsoluteDiscountUse=This kind of credit can be used on invoice before its validation -CreditNoteDepositUse=Invoice must be validated to use this kind of credits -NewGlobalDiscount=New absolute discount -NewRelativeDiscount=New relative discount -DiscountType=Discount type -NoteReason=Note/Reason -ReasonDiscount=Reason -DiscountOfferedBy=Granted by -DiscountStillRemaining=Discounts or credits available -DiscountAlreadyCounted=Discounts or credits already consumed -CustomerDiscounts=Customer discounts -SupplierDiscounts=Vendors discounts -BillAddress=Bill address -HelpEscompte=This discount is a discount granted to customer because payment was made before term. -HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loss. -HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by another for example) -IdSocialContribution=Social/fiscal tax payment id -PaymentId=Payment id -PaymentRef=Payment ref. -InvoiceId=Invoice id -InvoiceRef=Invoice ref. -InvoiceDateCreation=Invoice creation date -InvoiceStatus=Invoice status -InvoiceNote=Invoice note -InvoicePaid=Invoice paid -InvoicePaidCompletely=Paid completely -InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. -OrderBilled=Order billed -DonationPaid=Donation paid -PaymentNumber=Payment number -RemoveDiscount=Remove discount -WatermarkOnDraftBill=Watermark on draft invoices (nothing if empty) -InvoiceNotChecked=No invoice selected -ConfirmCloneInvoice=Are you sure you want to clone this invoice %s? -DisabledBecauseReplacedInvoice=Action disabled because invoice has been replaced -DescTaxAndDividendsArea=This area presents a summary of all payments made for special expenses. Only records with payments during the fixed year are included here. -NbOfPayments=No. of payments -SplitDiscount=Split discount in two -ConfirmSplitDiscount=Are you sure you want to split this discount of %s %s into two smaller discounts? -TypeAmountOfEachNewDiscount=Input amount for each of two parts: -TotalOfTwoDiscountMustEqualsOriginal=The total of the two new discounts must be equal to the original discount amount. -ConfirmRemoveDiscount=Are you sure you want to remove this discount? -RelatedBill=Related invoice -RelatedBills=Related invoices -RelatedCustomerInvoices=Related customer invoices -RelatedSupplierInvoices=Related vendor invoices -LatestRelatedBill=Latest related invoice -WarningBillExist=Warning, one or more invoices already exist -MergingPDFTool=Merging PDF tool -AmountPaymentDistributedOnInvoice=Payment amount distributed on invoice -PaymentOnDifferentThirdBills=Allow payments on different third parties bills but same parent company -PaymentNote=Payment note -ListOfPreviousSituationInvoices=List of previous situation invoices -ListOfNextSituationInvoices=List of next situation invoices -ListOfSituationInvoices=List of situation invoices -CurrentSituationTotal=Total current situation -DisabledBecauseNotEnouthCreditNote=To remove a situation invoice from cycle, this invoice's credit note total must cover this invoice total -RemoveSituationFromCycle=Remove this invoice from cycle -ConfirmRemoveSituationFromCycle=Remove this invoice %s from cycle ? -ConfirmOuting=Confirm outing +Reduction=Reduktimi +ReductionShort=Disku. +Reductions=Reduktimet +ReductionsShort=Disku. +Discounts=Zbritje +AddDiscount=Krijo zbritje +AddRelativeDiscount=Krijoni zbritje relative +EditRelativeDiscount=Redakto zbritjen relative +AddGlobalDiscount=Krijoni zbritje absolute +EditGlobalDiscounts=Redaktoni zbritjet absolute +AddCreditNote=Krijo një notë krediti +ShowDiscount=Shfaq zbritjen +ShowReduc=Trego zbritjen +ShowSourceInvoice=Trego faturën burimore +RelativeDiscount=Zbritje relative +GlobalDiscount=Zbritje globale +CreditNote=Shënim krediti +CreditNotes=Shënime krediti +CreditNotesOrExcessReceived=Shënime krediti ose të tepërta të marra +Deposit=Parapagim +Deposits=Parapagesat +DiscountFromCreditNote=Zbritje nga shënimi i kreditit %s +DiscountFromDeposit=Paradhënie nga fatura %s +DiscountFromExcessReceived=Pagesat mbi faturën %s +DiscountFromExcessPaid=Pagesat mbi faturën %s +AbsoluteDiscountUse=Ky lloj krediti mund të përdoret në faturë përpara vërtetimit të saj +CreditNoteDepositUse=Për të përdorur këtë lloj krediti, duhet të vërtetohet fatura +NewGlobalDiscount=Zbritje e re absolute +NewSupplierGlobalDiscount=Zbritje e re absolute e furnizuesit +NewClientGlobalDiscount=Zbritje e re absolute e klientit +NewRelativeDiscount=Zbritje e re relative +DiscountType=Lloji i zbritjes +NoteReason=Shënim/Arsye +ReasonDiscount=Arsyeja +DiscountOfferedBy=E dhënë nga +DiscountStillRemaining=Zbritje ose kredi në dispozicion +DiscountAlreadyCounted=Zbritje ose kredite tashmë të konsumuara +CustomerDiscounts=Zbritje të klientëve +SupplierDiscounts=Zbritje nga shitësit +BillAddress=Adresa e faturës +HelpEscompte=Kjo zbritje është një zbritje që i jepet klientit sepse pagesa është bërë para afatit. +HelpAbandonBadCustomer=Kjo shumë është braktisur (klienti thuhet se është klient i keq) dhe konsiderohet si një humbje e jashtëzakonshme. +HelpAbandonOther=Kjo shumë është braktisur pasi ishte një gabim (klient i gabuar ose faturë e zëvendësuar nga një tjetër për shembull) +IdSocialContribution=ID e pagesës së tatimit social/fiskal +PaymentId=ID-ja e pagesës +PaymentRef=Pagesa ref. +InvoiceId=ID-ja e faturës +InvoiceRef=Faturë ref. +InvoiceDateCreation=Data e krijimit të faturës +InvoiceStatus=Statusi i faturës +InvoiceNote=Shënim faturë +InvoicePaid=Fatura e paguar +InvoicePaidCompletely=E paguar plotësisht +InvoicePaidCompletelyHelp=Faturë që paguhet plotësisht. Këtu përjashtohen faturat që paguhen pjesërisht. Për të marrë listën e të gjitha faturave 'të mbyllura' ose jo 'të mbyllura', preferoni të përdorni një filtër në statusin e faturës. +OrderBilled=Porosia e faturuar +DonationPaid=Donacioni i paguar +PaymentNumber=Numri i pagesës +RemoveDiscount=Hiq zbritjen +WatermarkOnDraftBill=Filigram në draft faturat (asgjë nëse është bosh) +InvoiceNotChecked=Nuk u zgjodh asnjë faturë +ConfirmCloneInvoice=Jeni i sigurt që dëshironi ta klononi këtë faturë %sb09a4b739f17f>z? +DisabledBecauseReplacedInvoice=Veprimi u çaktivizua sepse fatura është zëvendësuar +DescTaxAndDividendsArea=Kjo zonë paraqet një përmbledhje të të gjitha pagesave të bëra për shpenzime të veçanta. Këtu përfshihen vetëm të dhënat me pagesa gjatë vitit fiks. +NbOfPayments=Numri i pagesave +SplitDiscount=Ndani zbritjen në dysh +ConfirmSplitDiscount=Jeni i sigurt që dëshironi ta ndani këtë zbritje të %sb09a4b739f17f8z <0 span class='notranslate'>%s në dy zbritje më të vogla? +TypeAmountOfEachNewDiscount=Shuma e hyrjes për secilën nga dy pjesët: +TotalOfTwoDiscountMustEqualsOriginal=Totali i dy zbritjeve të reja duhet të jetë i barabartë me shumën fillestare të zbritjes. +ConfirmRemoveDiscount=Je i sigurt që dëshiron ta heqësh këtë zbritje? +RelatedBill=Fatura përkatëse +RelatedBills=Faturat përkatëse +RelatedCustomerInvoices=Faturat e ndërlidhura të klientëve +RelatedSupplierInvoices=Faturat e lidhura të shitësve +LatestRelatedBill=Fatura e fundit e lidhur +WarningBillExist=Paralajmërim, një ose më shumë fatura ekzistojnë tashmë +MergingPDFTool=Mjeti i bashkimit PDF +AmountPaymentDistributedOnInvoice=Shuma e pagesës e shpërndarë në faturë +PaymentOnDifferentThirdBills=Lejoni pagesa për fatura të palëve të treta të ndryshme, por të njëjtën kompani mëmë +PaymentNote=Shënim pagese +ListOfPreviousSituationInvoices=Lista e faturave të gjendjes së mëparshme +ListOfNextSituationInvoices=Lista e faturave të situatës së ardhshme +ListOfSituationInvoices=Lista e faturave të situatës +CurrentSituationTotal=Gjendja totale aktuale +DisabledBecauseNotEnouthCreditNote=Për të hequr një faturë situatë nga cikli, totali i notës së kreditit të kësaj faturë duhet të mbulojë totalin e kësaj faturë +RemoveSituationFromCycle=Hiqeni këtë faturë nga cikli +ConfirmRemoveSituationFromCycle=Të hiqet kjo faturë %s nga cikli ? +ConfirmOuting=Konfirmo daljen FrequencyPer_d=Çdo %s ditë FrequencyPer_m=Çdo %s muaj FrequencyPer_y=Çdo %s vjet -FrequencyUnit=Frequency unit -toolTipFrequency=Examples:
      Set 7, Day: give a new invoice every 7 days
      Set 3, Month: give a new invoice every 3 month -NextDateToExecution=Date for next invoice generation -NextDateToExecutionShort=Date next gen. -DateLastGeneration=Date of latest generation -DateLastGenerationShort=Date latest gen. -MaxPeriodNumber=Max. number of invoice generation -NbOfGenerationDone=Number of invoice generation already done -NbOfGenerationOfRecordDone=Number of record generation already done -NbOfGenerationDoneShort=Number of generation done -MaxGenerationReached=Maximum number of generations reached -InvoiceAutoValidate=Validate invoices automatically -GeneratedFromRecurringInvoice=Generated from template recurring invoice %s -DateIsNotEnough=Date not reached yet -InvoiceGeneratedFromTemplate=Invoice %s generated from recurring template invoice %s -GeneratedFromTemplate=Generated from template invoice %s -WarningInvoiceDateInFuture=Warning, the invoice date is higher than current date -WarningInvoiceDateTooFarInFuture=Warning, the invoice date is too far from current date -ViewAvailableGlobalDiscounts=View available discounts -GroupPaymentsByModOnReports=Group payments by mode on reports +FrequencyUnit=Njësia e frekuencës +toolTipFrequency=Shembuj:
      Seti 7, Ditab09a4b739f17panvoice: jepi një
      s çdo 7 ditë
      Set 3, muajb09a4b739f17f8z: jepni një faturë çdo 3 muaj +NextDateToExecution=Data për gjenerimin e faturës së ardhshme +NextDateToExecutionShort=Data e gjeneratës së ardhshme. +DateLastGeneration=Data e gjeneratës së fundit +DateLastGenerationShort=Data e fundit gen. +MaxPeriodNumber=Maks. numri i gjenerimit të faturave +NbOfGenerationDone=Numri i gjenerimit të faturës tashmë është kryer +NbOfGenerationOfRecordDone=Numri i gjenerimit të rekordeve tashmë të kryera +NbOfGenerationDoneShort=Numri i gjeneratave të kryera +MaxGenerationReached=Është arritur numri maksimal i gjeneratave +InvoiceAutoValidate=Verifikoni automatikisht faturat +GeneratedFromRecurringInvoice=Krijuar nga shablloni i faturës periodike %s +DateIsNotEnough=Data nuk është arritur ende +InvoiceGeneratedFromTemplate=Fatura %s e krijuar nga fatura e përsëritur e shabllonit %s +GeneratedFromTemplate=Krijuar nga fatura shabllon %s +WarningInvoiceDateInFuture=Kujdes, data e faturës është më e lartë se data aktuale +WarningInvoiceDateTooFarInFuture=Kujdes, data e faturës është shumë larg nga data aktuale +ViewAvailableGlobalDiscounts=Shikoni zbritjet në dispozicion +GroupPaymentsByModOnReports=Grupi i pagesave sipas modalitetit në raporte # PaymentConditions Statut=Statusi -PaymentConditionShortRECEP=Due Upon Receipt -PaymentConditionRECEP=Due Upon Receipt -PaymentConditionShort30D=30 days -PaymentCondition30D=30 days -PaymentConditionShort30DENDMONTH=30 days of month-end -PaymentCondition30DENDMONTH=Within 30 days following the end of the month -PaymentConditionShort60D=60 days -PaymentCondition60D=60 days -PaymentConditionShort60DENDMONTH=60 days of month-end -PaymentCondition60DENDMONTH=Within 60 days following the end of the month -PaymentConditionShortPT_DELIVERY=Delivery -PaymentConditionPT_DELIVERY=On delivery -PaymentConditionShortPT_ORDER=Order -PaymentConditionPT_ORDER=On order +PaymentConditionShortRECEP=E detyrueshme Pas marrjes +PaymentConditionRECEP=E detyrueshme Pas marrjes +PaymentConditionShort30D=30 dite +PaymentCondition30D=30 dite +PaymentConditionShort30DENDMONTH=30 ditë në fund të muajit +PaymentCondition30DENDMONTH=Brenda 30 ditëve nga fundi i muajit +PaymentConditionShort60D=60 ditë +PaymentCondition60D=60 ditë +PaymentConditionShort60DENDMONTH=60 ditë në fund të muajit +PaymentCondition60DENDMONTH=Brenda 60 ditëve nga fundi i muajit +PaymentConditionShortPT_DELIVERY=Dorëzimi +PaymentConditionPT_DELIVERY=Në dorëzim +PaymentConditionShortPT_ORDER=Rendit +PaymentConditionPT_ORDER=Me porosi PaymentConditionShortPT_5050=50-50 -PaymentConditionPT_5050=50%% in advance, 50%% on delivery -PaymentConditionShort10D=10 days -PaymentCondition10D=10 days -PaymentConditionShort10DENDMONTH=10 days of month-end -PaymentCondition10DENDMONTH=Within 10 days following the end of the month -PaymentConditionShort14D=14 days -PaymentCondition14D=14 days -PaymentConditionShort14DENDMONTH=14 days of month-end -PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount - 1 line with label '%s' -VarAmount=Variable amount (%% tot.) -VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' -VarAmountAllLines=Variable amount (%% tot.) - all lines from origin +PaymentConditionPT_5050=50%% paraprakisht, 50%% në dorëzim +PaymentConditionShort10D=10 ditë +PaymentCondition10D=10 ditë +PaymentConditionShort10DENDMONTH=10 ditë në fund të muajit +PaymentCondition10DENDMONTH=Brenda 10 ditëve nga fundi i muajit +PaymentConditionShort14D=14 ditë +PaymentCondition14D=14 ditë +PaymentConditionShort14DENDMONTH=14 ditë në fund të muajit +PaymentCondition14DENDMONTH=Brenda 14 ditëve nga fundi i muajit +PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% depozitë +PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% depozitë, pjesa e mbetur në dorëzim +FixAmount=Shuma fikse - 1 rresht me etiketën '%s' +VarAmount=Shuma e ndryshueshme (%% gjithsej.) +VarAmountOneLine=Shuma e ndryshueshme (%% gjithsej) - 1 rresht me etiketën '%s' +VarAmountAllLines=Shuma e ndryshueshme (%% gjithsej) - të gjitha linjat nga origjina +DepositPercent=Depozitoni %% +DepositGenerationPermittedByThePaymentTermsSelected=Kjo lejohet nga kushtet e zgjedhura të pagesës +GenerateDeposit=Gjeneroni një faturë depozitimi %s%% +ValidateGeneratedDeposit=Vërtetoni depozitën e krijuar +DepositGenerated=Depozita e krijuar +ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=Ju mund të gjeneroni automatikisht një depozitë vetëm nga një propozim ose një porosi +ErrorPaymentConditionsNotEligibleToDepositCreation=Kushtet e zgjedhura të pagesës nuk janë të pranueshme për gjenerimin automatik të depozitave # PaymentType -PaymentTypeVIR=Bank transfer -PaymentTypeShortVIR=Bank transfer -PaymentTypePRE=Direct debit payment order -PaymentTypeShortPRE=Debit payment order -PaymentTypeLIQ=Cash -PaymentTypeShortLIQ=Cash -PaymentTypeCB=Credit card -PaymentTypeShortCB=Credit card -PaymentTypeCHQ=Check -PaymentTypeShortCHQ=Check -PaymentTypeTIP=TIP (Documents against Payment) -PaymentTypeShortTIP=TIP Payment -PaymentTypeVAD=Online payment -PaymentTypeShortVAD=Online payment -PaymentTypeTRA=Bank draft -PaymentTypeShortTRA=Draft -PaymentTypeFAC=Factor -PaymentTypeShortFAC=Factor -PaymentTypeDC=Debit/Credit Card +PaymentTypeVIR=transferte bankare +PaymentTypeShortVIR=transferte bankare +PaymentTypePRE=Urdhër pagese me debitim direkt +PaymentTypePREdetails=(në llogarinë %s...) +PaymentTypeShortPRE=Urdhër pagese debiti +PaymentTypeLIQ=Paratë e gatshme +PaymentTypeShortLIQ=Paratë e gatshme +PaymentTypeCB=Kartë Krediti +PaymentTypeShortCB=Kartë Krediti +PaymentTypeCHQ=Kontrollo +PaymentTypeShortCHQ=Kontrollo +PaymentTypeTIP=KËSHILLA (Dokumentet kundrejt pagesës) +PaymentTypeShortTIP=KËSHILLA Pagesa +PaymentTypeVAD=Pagesa online +PaymentTypeShortVAD=Pagesa online +PaymentTypeTRA=Drafti i bankës +PaymentTypeShortTRA=Drafti +PaymentTypeFAC=Faktori +PaymentTypeShortFAC=Faktori +PaymentTypeDC=Kartë Debiti/Kredi PaymentTypePP=PayPal -BankDetails=Bank details -BankCode=Bank code -DeskCode=Branch code -BankAccountNumber=Account number -BankAccountNumberKey=Checksum -Residence=Adresa -IBANNumber=IBAN account number +BankDetails=te dhenat e Bankes +BankCode=Kodi bankar +DeskCode=Kodi i degës +BankAccountNumber=Numri i llogarisë +BankAccountNumberKey=Shuma e kontrollit +Residence=Adresë +IBANNumber=Numri i llogarisë IBAN IBAN=IBAN -CustomerIBAN=IBAN of customer -SupplierIBAN=IBAN of vendor +CustomerIBAN=IBAN-i i klientit +SupplierIBAN=IBAN-i i shitësit BIC=BIC/SWIFT -BICNumber=BIC/SWIFT code -ExtraInfos=Extra infos -RegulatedOn=Regulated on -ChequeNumber=Check N° -ChequeOrTransferNumber=Check/Transfer N° -ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer sender -ChequeBank=Bank of Check -CheckBank=Check -NetToBePaid=Net to be paid -PhoneNumber=Tel -FullPhoneNumber=Telephone -TeleFax=Fax -PrettyLittleSentence=Accept the amount of payments due by checks issued in my name as a Member of an accounting association approved by the Fiscal Administration. -IntracommunityVATNumber=Intra-Community VAT ID -PaymentByChequeOrderedTo=Check payments (including tax) are payable to %s, send to -PaymentByChequeOrderedToShort=Check payments (incl. tax) are payable to -SendTo=sent to -PaymentByTransferOnThisBankAccount=Payment by transfer to the following bank account -VATIsNotUsedForInvoice=* Non applicable VAT art-293B of CGI -LawApplicationPart1=By application of the law 80.335 of 12/05/80 -LawApplicationPart2=the goods remain the property of -LawApplicationPart3=the seller until full payment of -LawApplicationPart4=their price. -LimitedLiabilityCompanyCapital=SARL with Capital of -UseLine=Apply -UseDiscount=Use discount -UseCredit=Use credit -UseCreditNoteInInvoicePayment=Reduce amount to pay with this credit -MenuChequeDeposits=Check Deposits -MenuCheques=Checks -MenuChequesReceipts=Check receipts -NewChequeDeposit=New deposit -ChequesReceipts=Check receipts -ChequesArea=Check deposits area -ChequeDeposits=Check deposits -Cheques=Checks -DepositId=Id deposit -NbCheque=Number of checks -CreditNoteConvertedIntoDiscount=This %s has been converted into %s -UsBillingContactAsIncoiveRecipientIfExist=Use contact/address with type 'billing contact' instead of third-party address as recipient for invoices -ShowUnpaidAll=Show all unpaid invoices -ShowUnpaidLateOnly=Show late unpaid invoices only -PaymentInvoiceRef=Payment invoice %s -ValidateInvoice=Validate invoice -ValidateInvoices=Validate invoices -Cash=Cash -Reported=Delayed -DisabledBecausePayments=Not possible since there are some payments -CantRemovePaymentWithOneInvoicePaid=Can't remove payment since there is at least one invoice classified paid -CantRemovePaymentVATPaid=Can't remove payment since VAT declaration is classified paid -CantRemovePaymentSalaryPaid=Can't remove payment since salary is classified paid -ExpectedToPay=Expected payment -CantRemoveConciliatedPayment=Can't remove reconciled payment -PayedByThisPayment=Paid by this payment -ClosePaidInvoicesAutomatically=Classify automatically all standard, down payment or replacement invoices as "Paid" when payment is done entirely. -ClosePaidCreditNotesAutomatically=Classify automatically all credit notes as "Paid" when refund is done entirely. -ClosePaidContributionsAutomatically=Classify automatically all social or fiscal contributions as "Paid" when payment is done entirely. -ClosePaidVATAutomatically=Classify automatically VAT declaration as "Paid" when payment is done entirely. -ClosePaidSalaryAutomatically=Classify automatically salary as "Paid" when payment is done entirely. -AllCompletelyPayedInvoiceWillBeClosed=All invoices with no remainder to pay will be automatically closed with status "Paid". -ToMakePayment=Pay -ToMakePaymentBack=Pay back +BICNumber=Kodi BIC/SWIFT +ExtraInfos=Informacione shtesë +RegulatedOn=Rregulluar më +ChequeNumber=Kontrollo N° +ChequeOrTransferNumber=Kontrollo/Transfer N° +ChequeBordereau=Kontrollo orarin +ChequeMaker=Kontrollo/Transfero dërguesin +ChequeBank=Banka e Çekut +CheckBank=Kontrollo +NetToBePaid=Neto për t'u paguar +PhoneNumber=tel +FullPhoneNumber=Telefoni +TeleFax=Faks +PrettyLittleSentence=Pranoni shumën e pagesave me çeqe të lëshuara në emrin tim si Anëtar i një shoqate kontabiliteti të miratuar nga Administrata Fiskale. +IntracommunityVATNumber=ID e TVSH-së brenda komunitetit +PaymentByChequeOrderedTo=Pagesat e çeqeve (duke përfshirë tatimin) janë të pagueshme te %s, dërgohen te +PaymentByChequeOrderedToShort=Pagesat me çek (përfshirë taksat) janë të pagueshme +SendTo=dërguar në +PaymentByTransferOnThisBankAccount=Pagesa me transferte ne llogarine e meposhtme bankare +VATIsNotUsedForInvoice=* Art-293B i CGI i pazbatueshëm i TVSH-së +VATIsNotUsedForInvoiceAsso=* TVSH e pazbatueshme neni-261-7 i CGI +LawApplicationPart1=Me zbatimin e ligjit 80.335, datë 12.05.80 +LawApplicationPart2=mallrat mbeten pronë e +LawApplicationPart3=shitësi deri në pagesën e plotë të +LawApplicationPart4=çmimin e tyre. +LimitedLiabilityCompanyCapital=SARL me kapital prej +UseLine=Aplikoni +UseDiscount=Përdorni zbritje +UseCredit=Përdorni kredi +UseCreditNoteInInvoicePayment=Ulni shumën për të paguar me këtë kredi +MenuChequeDeposits=Fletët e depozitave +MenuCheques=Çeqe +MenuChequesReceipts=Fletët e depozitave +NewChequeDeposit=Fletë depozitimi i ri +ChequesReceipts=Kontrolloni fletët e depozitave +DocumentsDepositArea=Zona e fletëve të depozitave +ChequesArea=Zona e fletëve të depozitave +ChequeDeposits=Fletët e depozitave +Cheques=Çeqe +DepositId=Depozitë ID +NbCheque=Numri i kontrolleve +CreditNoteConvertedIntoDiscount=Kjo %s është konvertuar në %s +UsBillingContactAsIncoiveRecipientIfExist=Përdorni kontaktin/adresën me llojin 'kontakt faturimi' në vend të adresës së palës së tretë si marrës për faturat +ShowUnpaidAll=Shfaq të gjitha faturat e papaguara +ShowUnpaidLateOnly=Shfaq vetëm faturat e papaguara me vonesë +PaymentInvoiceRef=Fatura e pagesës %s +ValidateInvoice=Vërtetoni faturën +ValidateInvoices=Verifikoni faturat +Cash=Paratë e gatshme +Reported=E vonuar +DisabledBecausePayments=Nuk është e mundur pasi ka disa pagesa +CantRemovePaymentWithOneInvoicePaid=Pagesa nuk mund të hiqet pasi ka të paktën një faturë të klasifikuar të paguar +CantRemovePaymentVATPaid=Pagesa nuk mund të hiqet pasi deklarata e TVSH-së është klasifikuar e paguar +CantRemovePaymentSalaryPaid=Nuk mund të hiqet pagesa pasi paga është klasifikuar e paguar +ExpectedToPay=Pagesa e pritshme +CantRemoveConciliatedPayment=Pagesa e rakorduar nuk mund të hiqet +PayedByThisPayment=Paguhet nga kjo pagesë +ClosePaidInvoicesAutomatically=Klasifikoni automatikisht të gjitha faturat standarde, paradhënie ose zëvendësuese si "të paguara" kur pagesa është bërë tërësisht. +ClosePaidCreditNotesAutomatically=Klasifikoni automatikisht të gjitha shënimet e kreditit si "të paguara" kur rimbursimi është bërë tërësisht. +ClosePaidContributionsAutomatically=Klasifikoni automatikisht të gjitha kontributet sociale ose fiskale si "të paguara" kur pagesa kryhet tërësisht. +ClosePaidVATAutomatically=Klasifikoni automatikisht deklaratën e TVSH-së si "të paguar" kur pagesa është bërë tërësisht. +ClosePaidSalaryAutomatically=Klasifikoni automatikisht pagën si "të paguara" kur pagesa është bërë tërësisht. +AllCompletelyPayedInvoiceWillBeClosed=Të gjitha faturat pa pagesë do të mbyllen automatikisht me statusin "Paguan". +ToMakePayment=Paguaj +ToMakePaymentBack=Paguaj ListOfYourUnpaidInvoices=Lista e faturave të papaguara -NoteListOfYourUnpaidInvoices=Note: This list contains only invoices for third parties you are linked to as a sale representative. -RevenueStamp=Tax stamp -YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party -YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party -YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) -PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template -PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -TerreNumRefModelError=A bill starting with $syymm already exists and is not compatible with this model of sequence. Remove it or rename it to activate this module. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -EarlyClosingReason=Early closing reason -EarlyClosingComment=Early closing note +NoteListOfYourUnpaidInvoices=Shënim: Kjo listë përmban vetëm fatura për palët e treta me të cilat jeni lidhur si përfaqësues shitjesh. +RevenueStamp=Vula tatimore +YouMustCreateInvoiceFromThird=Ky opsion disponohet vetëm kur krijoni një faturë nga skeda "Klient" të palës së tretë +YouMustCreateInvoiceFromSupplierThird=Ky opsion disponohet vetëm kur krijoni një faturë nga skeda "Shitësi" e palës së tretë +YouMustCreateStandardInvoiceFirstDesc=Së pari duhet të krijoni një faturë standarde dhe ta shndërroni atë në "shabllon" për të krijuar një faturë të re shabllon +PDFCrabeDescription=Shablloni i faturës PDF Crabe. Një shabllon i plotë faturë (zbatimi i vjetër i shabllonit të Sponge) +PDFSpongeDescription=Shablloni i faturës PDF Sfungjeri. Një model i plotë faturë +PDFCrevetteDescription=Shablloni PDF i faturës Crevette. Një model i plotë faturë për faturat e situatës +TerreNumRefModelDesc1=Numri i kthimit në formatin %syymm-nnnn për faturat standarde dhe %syymm-nnnn për shënimet e kreditit ku yy është viti mm, është muaj dhe nnnn është një numër auto-rritës sekuencial pa ndërprerje dhe pa kthim në 0 +MarsNumRefModelDesc1=Numri i kthimit në formatin %syymm-nnnn për faturat standarde, %syymm-nnnn për faturat zëvendësuese class=', %syymm-nnnn për faturat e parapagimit dhe %syymm-nnnn për shënimet e kreditit ku yy është vit, mm është muaj dhe nnnn është një sekuencë numri në rritje pa pushim dhe pa kthim në 0 +TerreNumRefModelError=Një faturë që fillon me $syymm ekziston tashmë dhe nuk është në përputhje me këtë model sekuence. Hiqeni ose riemërtoni për të aktivizuar këtë modul. +CactusNumRefModelDesc1=Numri i kthimit në formatin %syymm-nnnn për faturat standarde, %syymm-nnnn për shënimet e kreditit dhe %syymm-nnnn për faturat e parapagimit ku yy është viti, mm është muaji dhe nnnn është një numër i njëpasnjëshëm në rritje automatike pa ndërprerje dhe pa kthim në 0 +EarlyClosingReason=Arsyeja e mbylljes së hershme +EarlyClosingComment=Shënim mbyllës i hershëm ##### Types de contacts ##### -TypeContact_facture_internal_SALESREPFOLL=Representative following-up customer invoice -TypeContact_facture_external_BILLING=Customer invoice contact -TypeContact_facture_external_SHIPPING=Customer shipping contact -TypeContact_facture_external_SERVICE=Customer service contact -TypeContact_invoice_supplier_internal_SALESREPFOLL=Representative following-up vendor invoice -TypeContact_invoice_supplier_external_BILLING=Vendor invoice contact -TypeContact_invoice_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_invoice_supplier_external_SERVICE=Vendor service contact +TypeContact_facture_internal_SALESREPFOLL=Përfaqësuesi pasues i faturës së klientit +TypeContact_facture_external_BILLING=Kontakti i faturës së klientit +TypeContact_facture_external_SHIPPING=Kontakti i transportit të klientit +TypeContact_facture_external_SERVICE=Kontakti i shërbimit të klientit +TypeContact_invoice_supplier_internal_SALESREPFOLL=Përfaqësuesi pasues i faturës së shitësit +TypeContact_invoice_supplier_external_BILLING=Kontakti i faturës së shitësit +TypeContact_invoice_supplier_external_SHIPPING=Kontakti i transportit me shitësin +TypeContact_invoice_supplier_external_SERVICE=Kontakti i shërbimit të shitësit # Situation invoices -InvoiceFirstSituationAsk=First situation invoice -InvoiceFirstSituationDesc=The situation invoices are tied to situations related to a progression, for example the progression of a construction. Each situation is tied to an invoice. -InvoiceSituation=Situation invoice -PDFInvoiceSituation=Situation invoice -InvoiceSituationAsk=Invoice following the situation -InvoiceSituationDesc=Create a new situation following an already existing one -SituationAmount=Situation invoice amount(net) -SituationDeduction=Situation subtraction -ModifyAllLines=Modify all lines -CreateNextSituationInvoice=Create next situation -ErrorFindNextSituationInvoice=Error unable to find next situation cycle ref -ErrorOutingSituationInvoiceOnUpdate=Unable to outing this situation invoice. -ErrorOutingSituationInvoiceCreditNote=Unable to outing linked credit note. -NotLastInCycle=This invoice is not the latest in cycle and must not be modified. -DisabledBecauseNotLastInCycle=The next situation already exists. -DisabledBecauseFinal=This situation is final. +InvoiceFirstSituationAsk=Fatura e situatës së parë +InvoiceFirstSituationDesc=faturat e situatës janë të lidhura me situatat që lidhen me një progresion, për shembull përparimin e një ndërtimi. Çdo situatë është e lidhur me një faturë. +InvoiceSituation=Fatura e situatës +PDFInvoiceSituation=Fatura e situatës +InvoiceSituationAsk=Faturë në vijim të situatës +InvoiceSituationDesc=Krijoni një situatë të re duke ndjekur një situatë tashmë ekzistuese +SituationAmount=Shuma e faturës së situatës (neto) +SituationDeduction=Zbritja e situatës +ModifyAllLines=Ndryshoni të gjitha rreshtat +CreateNextSituationInvoice=Krijo situatën tjetër +ErrorFindNextSituationInvoice=Gabim nuk mund të gjejë ref. ciklit të situatës tjetër +ErrorOutingSituationInvoiceOnUpdate=Nuk mund të nxjerr faturën e kësaj situate. +ErrorOutingSituationInvoiceCreditNote=Nuk mund të nxirret një kartë krediti e lidhur. +NotLastInCycle=Kjo faturë nuk është e fundit në ciklin dhe nuk duhet modifikuar. +DisabledBecauseNotLastInCycle=Situata tjetër tashmë ekziston. +DisabledBecauseFinal=Kjo situatë është përfundimtare. situationInvoiceShortcode_AS=AS situationInvoiceShortcode_S=S -CantBeLessThanMinPercent=The progress can't be smaller than its value in the previous situation. -NoSituations=No open situations -InvoiceSituationLast=Final and general invoice -PDFCrevetteSituationNumber=Situation N°%s -PDFCrevetteSituationInvoiceLineDecompte=Situation invoice - COUNT -PDFCrevetteSituationInvoiceTitle=Situation invoice -PDFCrevetteSituationInvoiceLine=Situation N°%s: Inv. N°%s on %s -TotalSituationInvoice=Total situation -invoiceLineProgressError=Invoice line progress can't be greater than or equal to the next invoice line -updatePriceNextInvoiceErrorUpdateline=Error: update price on invoice line: %s -ToCreateARecurringInvoice=To create a recurring invoice for this contract, first create this draft invoice, then convert it into an invoice template and define the frequency for generation of future invoices. -ToCreateARecurringInvoiceGene=To generate future invoices regularly and manually, just go on menu %s - %s - %s. -ToCreateARecurringInvoiceGeneAuto=If you need to have such invoices generated automatically, ask your administrator to enable and setup module %s. Note that both methods (manual and automatic) can be used together with no risk of duplication. -DeleteRepeatableInvoice=Delete template invoice -ConfirmDeleteRepeatableInvoice=Are your sure you want to delete the template invoice? -CreateOneBillByThird=Create one invoice per third party (otherwise, one invoice per selected object) -BillCreated=%s invoice(s) generated -BillXCreated=Invoice %s generated -StatusOfGeneratedDocuments=Status of document generation -DoNotGenerateDoc=Do not generate document file -AutogenerateDoc=Auto generate document file -AutoFillDateFrom=Set start date for service line with invoice date -AutoFillDateFromShort=Set start date -AutoFillDateTo=Set end date for service line with next invoice date -AutoFillDateToShort=Set end date -MaxNumberOfGenerationReached=Max number of gen. reached -BILL_DELETEInDolibarr=Invoice deleted -BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted -UnitPriceXQtyLessDiscount=Unit price x Qty - Discount -CustomersInvoicesArea=Customer billing area -SupplierInvoicesArea=Supplier billing area -FacParentLine=Invoice Line Parent -SituationTotalRayToRest=Remainder to pay without taxe -PDFSituationTitle=Situation n° %d -SituationTotalProgress=Total progress %d %% -SearchUnpaidInvoicesWithDueDate=Search unpaid invoices with a due date = %s -NoPaymentAvailable=No payment available for %s -PaymentRegisteredAndInvoiceSetToPaid=Payment registered and invoice %s set to paid -SendEmailsRemindersOnInvoiceDueDate=Send reminder by email for unpaid invoices +CantBeLessThanMinPercent=Progresi nuk mund të jetë më i vogël se vlera e tij në situatën e mëparshme. +NoSituations=Nuk ka situata të hapura +InvoiceSituationLast=Fatura përfundimtare dhe e përgjithshme +PDFCrevetteSituationNumber=Situata N°%s +PDFCrevetteSituationInvoiceLineDecompte=Fatura e situatës - COUNT +PDFCrevetteSituationInvoiceTitle=Fatura e situatës +PDFCrevetteSituationInvoiceLine=Situata N°%s: Inv. N°%s në %s +TotalSituationInvoice=Situata totale +invoiceLineProgressError=Përparimi i linjës së faturës nuk mund të jetë më i madh ose i barabartë me rreshtin tjetër të faturës +updatePriceNextInvoiceErrorUpdateline=Gabim: përditëso çmimin në linjën e faturës: %s +ToCreateARecurringInvoice=Për të krijuar një faturë të përsëritur për këtë kontratë, fillimisht krijoni këtë draft faturë, më pas shndërrojeni atë në një model faturë dhe përcaktoni frekuencën për gjenerimin e faturave të ardhshme. +ToCreateARecurringInvoiceGene=Për të gjeneruar fatura të ardhshme rregullisht dhe manualisht, thjesht shkoni te menyja %s - b0ecb9fz87f span> - %s. +ToCreateARecurringInvoiceGeneAuto=Nëse keni nevojë që fatura të tilla të gjenerohen automatikisht, kërkoni nga administratori juaj të aktivizojë dhe konfigurojë modulin %s. Vini re se të dyja metodat (manuale dhe automatike) mund të përdoren së bashku pa rrezik dyfishimi. +DeleteRepeatableInvoice=Fshi faturën e shabllonit +ConfirmDeleteRepeatableInvoice=Jeni i sigurt që dëshironi të fshini faturën e shabllonit? +CreateOneBillByThird=Krijo një faturë për palë të tretë (përndryshe, një faturë për objekt të zgjedhur) +BillCreated=u krijuan %s fatura +BillXCreated=Fatura %s u krijua +StatusOfGeneratedDocuments=Statusi i gjenerimit të dokumentit +DoNotGenerateDoc=Mos krijoni skedar dokumenti +AutogenerateDoc=Krijoni automatikisht skedarin e dokumentit +AutoFillDateFrom=Cakto datën e fillimit për linjën e shërbimit me datën e faturës +AutoFillDateFromShort=Cakto datën e fillimit +AutoFillDateTo=Cakto datën e përfundimit për linjën e shërbimit me datën tjetër të faturës +AutoFillDateToShort=Cakto datën e përfundimit +MaxNumberOfGenerationReached=Numri maksimal i gjen. arritur +BILL_DELETEInDolibarr=Fatura u fshi +BILL_SUPPLIER_DELETEInDolibarr=Fatura e furnizuesit u fshi +UnitPriceXQtyLessDiscount=Çmimi për njësi x Sasia - Zbritje +CustomersInvoicesArea=Zona e faturimit të klientit +SupplierInvoicesArea=Zona e faturimit të furnizuesit +SituationTotalRayToRest=Pjesa e mbetur për të paguar pa taksa +PDFSituationTitle=Situata nr. %d +SituationTotalProgress=Progresi total %d %% +SearchUnpaidInvoicesWithDueDate=Kërkoni faturat e papaguara me një datë të caktuar = %s +SearchValidatedInvoicesWithDate=Kërkoni faturat e papaguara me një datë vërtetimi = %s +NoPaymentAvailable=Asnjë pagesë nuk ofrohet për %s +PaymentRegisteredAndInvoiceSetToPaid=Pagesa u regjistrua dhe fatura %s u caktua si e paguar +SendEmailsRemindersOnInvoiceDueDate=Dërgoni kujtesë me email për faturat e vërtetuara dhe të papaguara +MakePaymentAndClassifyPayed=Regjistro pagesën +BulkPaymentNotPossibleForInvoice=Pagesa me shumicë nuk është e mundur për faturën %s (lloji ose status i keq) +MentionVATDebitOptionIsOn=Opsioni për të paguar taksën në bazë të debitit +MentionCategoryOfOperations=Kategoria e operacioneve +MentionCategoryOfOperations0=Dorëzimi i mallrave +MentionCategoryOfOperations1=Ofrimi i shërbimeve +MentionCategoryOfOperations2=Të përziera - Dorëzimi i mallrave dhe ofrimi i shërbimeve +Salaries=Pagat +InvoiceSubtype=Nëntipi i faturës +SalaryInvoice=Paga +BillsAndSalaries=Faturat & Pagat +CreateCreditNoteWhenClientInvoiceExists=Ky opsion aktivizohet vetëm kur ekzistojnë fatura të vërtetuara për një klient ose kur përdoret INVOICE_CREDIT_NOTE_STANDALONE konstante (e dobishme për disa vende) diff --git a/htdocs/langs/sq_AL/blockedlog.lang b/htdocs/langs/sq_AL/blockedlog.lang index 12f28737d49..be7189b6deb 100644 --- a/htdocs/langs/sq_AL/blockedlog.lang +++ b/htdocs/langs/sq_AL/blockedlog.lang @@ -1,57 +1,62 @@ -BlockedLog=Unalterable Logs -Field=Field -BlockedLogDesc=This module tracks some events into an unalterable log (that you can't modify once recorded) into a block chain, in real time. This module provides compatibility with requirements of laws of some countries (like France with the law Finance 2016 - Norme NF525). -Fingerprints=Archived events and fingerprints -FingerprintsDesc=This is the tool to browse or extract the unalterable logs. Unalterable logs are generated and archived locally into a dedicated table, in real time when you record a business event. You can use this tool to export this archive and save it into an external support (some countries, like France, ask that you do it every year). Note that, there is no feature to purge this log and every change tried to be done directly into this log (by a hacker for example) will be reported with a non-valid fingerprint. If you really need to purge this table because you used your application for a demo/test purpose and want to clean your data to start your production, you can ask your reseller or integrator to reset your database (all your data will be removed). -CompanyInitialKey=Company initial key (hash of genesis block) -BrowseBlockedLog=Unalterable logs -ShowAllFingerPrintsMightBeTooLong=Show all archived logs (might be long) -ShowAllFingerPrintsErrorsMightBeTooLong=Show all non-valid archive logs (might be long) -DownloadBlockChain=Download fingerprints -KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists) or has modified checksum of the previous record. -OkCheckFingerprintValidity=Archived log record is valid. The data on this line was not modified and the entry follows the previous one. -OkCheckFingerprintValidityButChainIsKo=Archived log seems valid compared to previous one but the chain was corrupted previously. -AddedByAuthority=Stored into remote authority -NotAddedByAuthorityYet=Not yet stored into remote authority -ShowDetails=Show stored details -logPAYMENT_VARIOUS_CREATE=Payment (not assigned to an invoice) created -logPAYMENT_VARIOUS_MODIFY=Payment (not assigned to an invoice) modified -logPAYMENT_VARIOUS_DELETE=Payment (not assigned to an invoice) logical deletion -logPAYMENT_ADD_TO_BANK=Payment added to bank -logPAYMENT_CUSTOMER_CREATE=Customer payment created -logPAYMENT_CUSTOMER_DELETE=Customer payment logical deletion -logDONATION_PAYMENT_CREATE=Donation payment created -logDONATION_PAYMENT_DELETE=Donation payment logical deletion -logBILL_PAYED=Customer invoice paid -logBILL_UNPAYED=Customer invoice set unpaid -logBILL_VALIDATE=Customer invoice validated -logBILL_SENTBYMAIL=Customer invoice send by mail -logBILL_DELETE=Customer invoice logically deleted -logMODULE_RESET=Module BlockedLog was disabled -logMODULE_SET=Module BlockedLog was enabled -logDON_VALIDATE=Donation validated -logDON_MODIFY=Donation modified -logDON_DELETE=Donation logical deletion -logMEMBER_SUBSCRIPTION_CREATE=Member subscription created -logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified -logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion -logCASHCONTROL_VALIDATE=Cash desk closing recording -BlockedLogBillDownload=Customer invoice download -BlockedLogBillPreview=Customer invoice preview -BlockedlogInfoDialog=Log Details -ListOfTrackedEvents=List of tracked events -Fingerprint=Fingerprint -DownloadLogCSV=Export archived logs (CSV) -logDOC_PREVIEW=Preview of a validated document in order to print or download -logDOC_DOWNLOAD=Download of a validated document in order to print or send -DataOfArchivedEvent=Full datas of archived event -ImpossibleToReloadObject=Original object (type %s, id %s) not linked (see 'Full datas' column to get unalterable saved data) -BlockedLogAreRequiredByYourCountryLegislation=Unalterable Logs module may be required by the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they can not be validated by a tax audit. -BlockedLogActivatedBecauseRequiredByYourCountryLegislation=Unalterable Logs module was activated because of the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they cannot be validated by a tax audit. -BlockedLogDisableNotAllowedForCountry=List of countries where usage of this module is mandatory (just to prevent to disable the module by error, if your country is in this list, disable of module is not possible without editing this list first. Note also that enabling/disabling this module will keep a track into the unalterable log). -OnlyNonValid=Non-valid -TooManyRecordToScanRestrictFilters=Too many records to scan/analyze. Please restrict list with more restrictive filters. -RestrictYearToExport=Restrict month / year to export -BlockedLogEnabled=System to track events into unalterable logs has been enabled -BlockedLogDisabled=System to track events into unalterable logs has been disabled after some recording were done. We saved a special Fingerprint to track the chain as broken -BlockedLogDisabledBis=System to track events into unalterable logs has been disabled. This is possible because no record were done yet. +BlockedLog=Regjistrat e pandryshueshme +Field=Fusha +BlockedLogDesc=Ky modul gjurmon disa ngjarje në një regjistër të pandryshueshëm (që nuk mund ta modifikoni pasi të regjistrohet) në një zinxhir bllok, në kohë reale. Ky modul ofron përputhshmëri me kërkesat e ligjeve të disa vendeve (si Franca me ligjin Finance 2016 - Norme NF525). +Fingerprints=Ngjarjet e arkivuara dhe gjurmët e gishtërinjve +FingerprintsDesc=Ky është mjeti për të shfletuar ose nxjerrë regjistrat e pandryshueshëm. Regjistrimet e pandryshueshme krijohen dhe arkivohen lokalisht në një tabelë të dedikuar, në kohë reale kur regjistroni një ngjarje biznesi. Ju mund ta përdorni këtë mjet për të eksportuar këtë arkiv dhe për ta ruajtur atë në një mbështetje të jashtme (disa vende, si Franca, ju kërkojnë ta bëni këtë çdo vit). Vini re se, nuk ka asnjë veçori për të pastruar këtë regjistër dhe çdo ndryshim që tentohet të bëhet direkt në këtë regjistër (për shembull nga një haker) do të raportohet me një gjurmë gishti jo të vlefshme. Nëse vërtet duhet ta pastroni këtë tabelë sepse keni përdorur aplikacionin tuaj për një qëllim demonstrimi/testimi dhe dëshironi të pastroni të dhënat tuaja për të filluar prodhimin tuaj, mund t'i kërkoni shitësit ose integruesit tuaj të rivendosë bazën e të dhënave (të gjitha të dhënat tuaja do të hiqen). +CompanyInitialKey=Çelësi fillestar i kompanisë (hash i bllokut të gjenezës) +BrowseBlockedLog=Shkrime të pandryshueshme +ShowAllFingerPrintsMightBeTooLong=Shfaq të gjitha regjistrat e arkivuar (mund të jenë të gjata) +ShowAllFingerPrintsErrorsMightBeTooLong=Shfaq të gjitha regjistrat e arkivave jo të vlefshme (mund të jenë të gjata) +DownloadBlockChain=Shkarkoni gjurmët e gishtërinjve +KoCheckFingerprintValidity=Regjistrimi i arkivuar i regjistrit nuk është i vlefshëm. Do të thotë që dikush (një haker?) ka modifikuar disa të dhëna të këtij rekord pasi është regjistruar, ose ka fshirë regjistrimin e mëparshëm të arkivuar (kontrolloni që linja me # e mëparshme ekziston) ose ka modifikuar shumën e kontrollit të regjistrimit të mëparshëm. +OkCheckFingerprintValidity=Regjistrimi i regjistrit të arkivuar është i vlefshëm. Të dhënat në këtë linjë nuk u modifikuan dhe hyrja ndjek atë të mëparshme. +OkCheckFingerprintValidityButChainIsKo=Regjistri i arkivuar duket i vlefshëm në krahasim me atë të mëparshëm, por zinxhiri ishte i korruptuar më parë. +AddedByAuthority=Ruhet në autoritet të largët +NotAddedByAuthorityYet=Nuk është ruajtur ende në autoritet në distancë +ShowDetails=Shfaq detajet e ruajtura +BlockedLogBillDownload=Shkarkimi i faturës së klientit +BlockedLogBillPreview=Pamja paraprake e faturës së klientit +BlockedlogInfoDialog=Detajet e regjistrit +ListOfTrackedEvents=Lista e ngjarjeve të gjurmuara +Fingerprint=Gjurmë gishtash +DownloadLogCSV=Eksporto regjistrat e arkivuar (CSV) +logDOC_PREVIEW=Pamja paraprake e një dokumenti të vlefshëm për të printuar ose shkarkuar +logDOC_DOWNLOAD=Shkarkoni një dokument të vlefshëm për të printuar ose dërguar +DataOfArchivedEvent=Të dhënat e plota të ngjarjes së arkivuar +ImpossibleToReloadObject=Objekti origjinal (lloji %s, id %s) i palidhur (shih kolonën 'Të dhënat e plota' për të marrë të dhëna të ruajtura të pandryshueshme) +BlockedLogAreRequiredByYourCountryLegislation=Moduli i Regjistrimeve të Pandryshueshme mund të kërkohet nga legjislacioni i vendit tuaj. Çaktivizimi i këtij moduli mund të bëjë të pavlefshme çdo transaksion të ardhshëm në lidhje me ligjin dhe përdorimin e softuerit ligjor pasi ato nuk mund të vërtetohen nga një kontroll tatimor. +BlockedLogActivatedBecauseRequiredByYourCountryLegislation=Moduli i Regjistrimeve të Pandryshueshme u aktivizua për shkak të legjislacionit të vendit tuaj. Çaktivizimi i këtij moduli mund të bëjë të pavlefshme çdo transaksion të ardhshëm në lidhje me ligjin dhe përdorimin e softuerit ligjor pasi ato nuk mund të vërtetohen nga një kontroll tatimor. +BlockedLogDisableNotAllowedForCountry=Lista e vendeve ku përdorimi i këtij moduli është i detyrueshëm (vetëm për të parandaluar çaktivizimin e modulit gabimisht, nëse vendi juaj është në këtë listë, çaktivizimi i modulit nuk është i mundur pa e modifikuar më parë këtë listë. Vini re gjithashtu se aktivizimi/çaktivizimi i këtij moduli do të mbaj një gjurmë në regjistrin e pandryshueshëm). +OnlyNonValid=E pavlefshme +TooManyRecordToScanRestrictFilters=Shumë regjistrime për të skanuar/analizuar. Ju lutemi kufizoni listën me filtra më kufizues. +RestrictYearToExport=Kufizoni muajin / vit për eksport +BlockedLogEnabled=Sistemi për të gjurmuar ngjarjet në regjistrat e pandryshueshëm është aktivizuar +BlockedLogDisabled=Sistemi për të gjurmuar ngjarjet në regjistrat e pandryshueshëm është çaktivizuar pasi janë bërë disa regjistrime. Kemi ruajtur një gjurmë gishti të veçantë për të gjurmuar zinxhirin si të prishur +BlockedLogDisabledBis=Sistemi për të gjurmuar ngjarjet në regjistrat e pandryshueshëm është çaktivizuar. Kjo është e mundur sepse ende nuk është bërë asnjë regjistrim. +LinkHasBeenDisabledForPerformancePurpose=Për qëllime të performancës, lidhja e drejtpërdrejtë me dokumentin nuk shfaqet pas rreshtit të 100-të. + +## logTypes +logBILL_DELETE=Fatura e klientit është fshirë logjikisht +logBILL_PAYED=Fatura e klientit e paguar +logBILL_SENTBYMAIL=Fatura e klientit dërgohet me postë +logBILL_UNPAYED=Fatura e klientit u vendos e papaguar +logBILL_VALIDATE=Fatura e klientit u vërtetua +logCASHCONTROL_VALIDATE=Regjistrimi i mbylljes së arkës +logDOC_DOWNLOAD=Shkarkoni një dokument të vlefshëm për të printuar ose dërguar +logDOC_PREVIEW=Pamja paraprake e një dokumenti të vlefshëm për të printuar ose shkarkuar +logDONATION_PAYMENT_CREATE=U krijua pagesa e donacionit +logDONATION_PAYMENT_DELETE=Fshirje logjike e pagesës së dhurimit +logDON_DELETE=Fshirja logjike e dhurimit +logDON_MODIFY=Donacioni u modifikua +logDON_VALIDATE=Donacioni u vërtetua +logMEMBER_SUBSCRIPTION_CREATE=Abonimi i anëtarëve u krijua +logMEMBER_SUBSCRIPTION_DELETE=Fshirja logjike e abonimit të anëtarëve +logMEMBER_SUBSCRIPTION_MODIFY=Abonimi i anëtarëve u modifikua +logMODULE_RESET=Moduli BlockedLog u çaktivizua +logMODULE_SET=Moduli BlockedLog u aktivizua +logPAYMENT_ADD_TO_BANK=Pagesa u shtua në bankë +logPAYMENT_CUSTOMER_CREATE=U krijua pagesa e klientit +logPAYMENT_CUSTOMER_DELETE=Fshirje logjike e pagesës së klientit +logPAYMENT_VARIOUS_CREATE=Pagesa (nuk caktohet në një faturë) u krijua +logPAYMENT_VARIOUS_DELETE=Pagesa (nuk është caktuar në një faturë) fshirje logjike +logPAYMENT_VARIOUS_MODIFY=Pagesa (nuk është caktuar në një faturë) është modifikuar diff --git a/htdocs/langs/sq_AL/bookmarks.lang b/htdocs/langs/sq_AL/bookmarks.lang index be0f2f7e25d..c54232c5909 100644 --- a/htdocs/langs/sq_AL/bookmarks.lang +++ b/htdocs/langs/sq_AL/bookmarks.lang @@ -1,22 +1,24 @@ -# Dolibarr language file - Source file is en_US - marque pages -AddThisPageToBookmarks=Add current page to bookmarks -Bookmark=Bookmark -Bookmarks=Bookmarks -ListOfBookmarks=List of bookmarks -EditBookmarks=List/edit bookmarks -NewBookmark=New bookmark -ShowBookmark=Show bookmark -OpenANewWindow=Open a new tab -ReplaceWindow=Replace current tab -BookmarkTargetNewWindowShort=New tab -BookmarkTargetReplaceWindowShort=Current tab -BookmarkTitle=Bookmark name -UrlOrLink=URL -BehaviourOnClick=Behaviour when a bookmark URL is selected -CreateBookmark=Create bookmark -SetHereATitleForLink=Set a name for the bookmark -UseAnExternalHttpLinkOrRelativeDolibarrLink=Use an external/absolute link (https://externalurl.com) or an internal/relative link (/mypage.php). You can also use phone like tel:0123456. -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Choose if the linked page should open in the current tab or a new tab -BookmarksManagement=Bookmarks management -BookmarksMenuShortCut=Ctrl + shift + m -NoBookmarks=No bookmarks defined +# Dolibarr language file - Source file is en_US - marque pages / bookmarks + +AddThisPageToBookmarks = Shtoni faqen aktuale te faqeshënuesit +BehaviourOnClick = Sjellja kur zgjidhet një URL e faqeshënuesit +Bookmark = Shënoni faqeshënues +Bookmarks = Faqerojtësit +BookmarkTargetNewWindowShort = Tab i ri +BookmarkTargetReplaceWindowShort = Skeda aktuale +BookmarkTitle = Emri i faqeshënuesit +BookmarksManagement = Menaxhimi i faqeshënuesve +BookmarksMenuShortCut = Ctrl + shift + m +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark = Zgjidhni nëse faqja e lidhur duhet të hapet në skedën aktuale ose në një skedë të re +CreateBookmark = Krijo faqeshënues +EditBookmarks = Listoni/redaktoni faqeshënuesit +ListOfBookmarks = Lista e faqeshënuesve +NewBookmark = Faqeshënues i ri +NoBookmarkFound = Nuk u gjet asnjë faqeshënues +NoBookmarks = Nuk është përcaktuar asnjë faqeshënues +OpenANewWindow = Hapni një skedë të re +ReplaceWindow = Zëvendësoni skedën aktuale +SetHereATitleForLink = Vendosni një emër për faqerojtësin +ShowBookmark = Shfaq faqerojtësin +UrlOrLink = URL +UseAnExternalHttpLinkOrRelativeDolibarrLink = Përdorni një lidhje të jashtme/absolute (https://externalurl.com) ose një lidhje të brendshme/relative (/mypage.php). Mund të përdorni edhe telefonin si tel:0123456. diff --git a/htdocs/langs/sq_AL/boxes.lang b/htdocs/langs/sq_AL/boxes.lang index 1a9e009e49c..11746393508 100644 --- a/htdocs/langs/sq_AL/boxes.lang +++ b/htdocs/langs/sq_AL/boxes.lang @@ -1,120 +1,146 @@ # Dolibarr language file - Source file is en_US - boxes -BoxDolibarrStateBoard=Statistics on main business objects in database -BoxLoginInformation=Login Information -BoxLastRssInfos=RSS Information -BoxLastProducts=Latest %s Products/Services -BoxProductsAlertStock=Stock alerts for products -BoxLastProductsInContract=Latest %s contracted products/services -BoxLastSupplierBills=Latest Vendor invoices -BoxLastCustomerBills=Latest Customer invoices -BoxOldestUnpaidCustomerBills=Oldest unpaid customer invoices -BoxOldestUnpaidSupplierBills=Oldest unpaid vendor invoices -BoxLastProposals=Latest commercial proposals -BoxLastProspects=Latest modified prospects -BoxLastCustomers=Latest modified customers -BoxLastSuppliers=Latest modified suppliers -BoxLastCustomerOrders=Latest sales orders +BoxDolibarrStateBoard=Statistikat mbi objektet kryesore të biznesit në bazën e të dhënave +BoxLoginInformation=Informacioni i hyrjes +BoxLastRssInfos=Informacion RSS +BoxLastProducts=Produktet/Shërbimet e fundit %s +BoxProductsAlertStock=Alarmet e aksioneve për produktet +BoxLastProductsInContract=Produktet/shërbimet e fundit të kontraktuara %s +BoxLastSupplierBills=Faturat e fundit të shitësve +BoxLastCustomerBills=Faturat e fundit të klientit +BoxOldestUnpaidCustomerBills=Faturat më të vjetra të klientëve të papaguara +BoxOldestUnpaidSupplierBills=Faturat më të vjetra të shitësve të papaguara +BoxLastProposals=Propozimet e fundit tregtare +BoxLastProspects=Perspektivat e modifikuara më të fundit +BoxLastCustomers=Klientët e modifikuar më të fundit +BoxLastSuppliers=Furnizuesit e modifikuar më të fundit +BoxLastCustomerOrders=Porositë më të fundit të shitjeve BoxLastActions=Veprimet e fundit BoxLastContracts=Kontratat e fundit -BoxLastContacts=Kontaktet/Adresat e fundit -BoxLastMembers=Latest members -BoxLastModifiedMembers=Latest modified members -BoxLastMembersSubscriptions=Latest member subscriptions -BoxFicheInter=Latest interventions -BoxCurrentAccounts=Open accounts balance -BoxTitleMemberNextBirthdays=Birthdays of this month (members) -BoxTitleMembersByType=Members by type -BoxTitleMembersSubscriptionsByYear=Members Subscriptions by year -BoxTitleLastRssInfos=Latest %s news from %s -BoxTitleLastProducts=Products/Services: last %s modified -BoxTitleProductsAlertStock=Products: stock alert -BoxTitleLastSuppliers=Latest %s recorded suppliers -BoxTitleLastModifiedSuppliers=Vendors: last %s modified -BoxTitleLastModifiedCustomers=Customers: last %s modified -BoxTitleLastCustomersOrProspects=Latest %s customers or prospects -BoxTitleLastCustomerBills=Latest %s modified Customer invoices -BoxTitleLastSupplierBills=Latest %s modified Vendor invoices -BoxTitleLastModifiedProspects=Prospects: last %s modified -BoxTitleLastModifiedMembers=Latest %s members -BoxTitleLastFicheInter=Latest %s modified interventions -BoxTitleOldestUnpaidCustomerBills=Customer Invoices: oldest %s unpaid -BoxTitleOldestUnpaidSupplierBills=Vendor Invoices: oldest %s unpaid -BoxTitleCurrentAccounts=Open Accounts: balances -BoxTitleSupplierOrdersAwaitingReception=Supplier orders awaiting reception -BoxTitleLastModifiedContacts=Contacts/Addresses: last %s modified -BoxMyLastBookmarks=Bookmarks: latest %s -BoxOldestExpiredServices=Oldest active expired services -BoxLastExpiredServices=Latest %s oldest contacts with active expired services -BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s contracts which were modified -BoxTitleLastModifiedDonations=Latest %s donations which were modified -BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified -BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified -BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified -BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded -BoxGlobalActivity=Global activity (invoices, proposals, orders) -BoxGoodCustomers=Blerës të mirë -BoxTitleGoodCustomers=%s Blerës të mirë -BoxScheduledJobs=Scheduled jobs -BoxTitleFunnelOfProspection=Lead funnel -FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s -LastRefreshDate=Latest refresh date -NoRecordedBookmarks=No bookmarks defined. -ClickToAdd=Click here to add. -NoRecordedCustomers=No recorded customers -NoRecordedContacts=No recorded contacts -NoActionsToDo=No actions to do -NoRecordedOrders=No recorded sales orders -NoRecordedProposals=No recorded proposals -NoRecordedInvoices=No recorded customer invoices -NoUnpaidCustomerBills=No unpaid customer invoices -NoUnpaidSupplierBills=No unpaid vendor invoices -NoModifiedSupplierBills=No recorded vendor invoices -NoRecordedProducts=No recorded products/services -NoRecordedProspects=No recorded prospects -NoContractedProducts=No products/services contracted -NoRecordedContracts=No recorded contracts -NoRecordedInterventions=No recorded interventions -BoxLatestSupplierOrders=Latest purchase orders -BoxLatestSupplierOrdersAwaitingReception=Latest Purchase Orders (with a pending reception) -NoSupplierOrder=No recorded purchase order -BoxCustomersInvoicesPerMonth=Customer Invoices per month -BoxSuppliersInvoicesPerMonth=Vendor Invoices per month -BoxCustomersOrdersPerMonth=Sales Orders per month -BoxSuppliersOrdersPerMonth=Vendor Orders per month -BoxProposalsPerMonth=Proposals per month -NoTooLowStockProducts=No products are under the low stock limit -BoxProductDistribution=Products/Services Distribution -ForObject=On %s -BoxTitleLastModifiedSupplierBills=Vendor Invoices: last %s modified -BoxTitleLatestModifiedSupplierOrders=Vendor Orders: last %s modified -BoxTitleLastModifiedCustomerBills=Customer Invoices: last %s modified -BoxTitleLastModifiedCustomerOrders=Sales Orders: last %s modified -BoxTitleLastModifiedPropals=Latest %s modified proposals -BoxTitleLatestModifiedJobPositions=Latest %s modified job positions -BoxTitleLatestModifiedCandidatures=Latest %s modified job applications -ForCustomersInvoices=Customers invoices -ForCustomersOrders=Customers orders -ForProposals=Proposals -LastXMonthRolling=The latest %s month rolling -ChooseBoxToAdd=Add widget to your dashboard -BoxAdded=Widget was added in your dashboard -BoxTitleUserBirthdaysOfMonth=Birthdays of this month (users) -BoxLastManualEntries=Latest record in accountancy entered manually or without source document -BoxTitleLastManualEntries=%s latest record entered manually or without source document -NoRecordedManualEntries=No manual entries record in accountancy -BoxSuspenseAccount=Count accountancy operation with suspense account -BoxTitleSuspenseAccount=Number of unallocated lines -NumberOfLinesInSuspenseAccount=Number of line in suspense account -SuspenseAccountNotDefined=Suspense account isn't defined -BoxLastCustomerShipments=Last customer shipments -BoxTitleLastCustomerShipments=Latest %s customer shipments -NoRecordedShipments=No recorded customer shipment -BoxCustomersOutstandingBillReached=Customers with oustanding limit reached +BoxLastContacts=Kontaktet/adresat më të fundit +BoxLastMembers=Anëtarët e fundit +BoxLastModifiedMembers=Anëtarët më të fundit të modifikuar +BoxLastMembersSubscriptions=Abonimet më të fundit të anëtarëve +BoxFicheInter=Ndërhyrjet e fundit +BoxCurrentAccounts=Gjendja e llogarive të hapura +BoxTitleMemberNextBirthdays=Ditëlindjet e këtij muaji (anëtarë) +BoxTitleMembersByType=Anëtarët sipas llojit dhe statusit +BoxTitleMembersByTags=Anëtarët sipas etiketave dhe statusit +BoxTitleMembersSubscriptionsByYear=Abonimet e anëtarëve sipas vitit +BoxTitleLastRssInfos=Lajmet më të fundit %s nga %s +BoxTitleLastProducts=Produktet/Shërbimet: modifikuar i fundit %s +BoxTitleProductsAlertStock=Produktet: alarm aksionesh +BoxTitleLastSuppliers=Furnizuesit më të fundit të regjistruar %s +BoxTitleLastModifiedSuppliers=Shitësit: modifikuar i fundit %s +BoxTitleLastModifiedCustomers=Klientët: modifikuar i fundit %s +BoxTitleLastCustomersOrProspects=Klientët ose klientët e mundshëm %s më të fundit +BoxTitleLastCustomerBills=Faturat më të fundit të modifikuara të klientit %s +BoxTitleLastSupplierBills=Faturat e shitësit të modifikuara më të fundit %s +BoxTitleLastModifiedProspects=Perspektivat: e fundit %s modifikuar +BoxTitleLastModifiedMembers=Anëtarët e fundit %s +BoxTitleLastFicheInter=Ndërhyrjet më të fundit të modifikuara %s +BoxTitleOldestUnpaidCustomerBills=Faturat e klientit: %s më të vjetra të papaguara +BoxTitleOldestUnpaidSupplierBills=Faturat e shitësit: më të vjetra %s të papaguara +BoxTitleCurrentAccounts=Llogaritë e hapura: bilancet +BoxTitleSupplierOrdersAwaitingReception=Porositë e furnizuesit në pritje të pritjes +BoxTitleLastModifiedContacts=Kontaktet/Adresat: e fundit %s modifikuar +BoxMyLastBookmarks=Faqeshënuesit: %s e fundit +BoxOldestExpiredServices=Shërbimet më të vjetra aktive të skaduara +BoxOldestActions=Ngjarjet më të vjetra për të bërë +BoxLastExpiredServices=Kontaktet më të fundit %s më të vjetra me shërbime aktive të skaduara +BoxTitleLastActionsToDo=Veprimet e fundit %s për të bërë +BoxTitleOldestActionsToDo=Ngjarjet më të vjetra %s për të bërë, të pa përfunduara +BoxTitleFutureActions=Ngjarjet e ardhshme %s të ardhshme +BoxTitleLastContracts=Kontratat më të fundit %s të cilat u modifikuan +BoxTitleLastModifiedDonations=Donacionet më të fundit %s të cilat u modifikuan +BoxTitleLastModifiedExpenses=Raportet e fundit të shpenzimeve %s të cilat u modifikuan +BoxTitleLatestModifiedBoms=BOM-et më të fundit %s të cilat u modifikuan +BoxTitleLatestModifiedMos=Porositë e fundit të prodhimit %s të cilat u modifikuan +BoxTitleLastOutstandingBillReached=Klientët me tejkalim maksimal +BoxGlobalActivity=Aktiviteti global (fatura, propozime, porosi) +BoxGoodCustomers=Klientë të mirë +BoxTitleGoodCustomers=%s Klientë të mirë +BoxScheduledJobs=Punët e planifikuara +BoxTitleFunnelOfProspection=Hinkë plumbi +FailedToRefreshDataInfoNotUpToDate=Rifreskimi i fluksit RSS dështoi. Data e fundit e suksesshme e rifreskimit: %s +LastRefreshDate=Data e fundit e rifreskimit +NoRecordedBookmarks=Nuk është përcaktuar asnjë faqeshënues. +ClickToAdd=Klikoni këtu për të shtuar. +NoRecordedCustomers=Nuk ka klientë të regjistruar +NoRecordedContacts=Nuk ka kontakte të regjistruara +NoActionsToDo=Nuk ka veprime për të bërë +NoRecordedOrders=Nuk ka porosi shitje të regjistruara +NoRecordedProposals=Asnjë propozim i regjistruar +NoRecordedInvoices=Nuk ka fatura të regjistruara të klientëve +NoUnpaidCustomerBills=Nuk ka fatura të papaguara të klientëve +NoUnpaidSupplierBills=Nuk ka fatura të papaguara nga shitësi +NoModifiedSupplierBills=Nuk ka fatura të regjistruara nga shitësi +NoRecordedProducts=Nuk ka produkte/shërbime të regjistruara +NoRecordedProspects=Asnjë perspektivë e regjistruar +NoContractedProducts=Asnjë produkt/shërbim i kontraktuar +NoRecordedContracts=Asnjë kontratë e regjistruar +NoRecordedInterventions=Asnjë ndërhyrje e regjistruar +BoxLatestSupplierOrders=Urdhrat e fundit të blerjeve +BoxLatestSupplierOrdersAwaitingReception=Porositë e fundit të blerjeve (me një pritje në pritje) +NoSupplierOrder=Asnjë urdhër blerjeje i regjistruar +BoxCustomersInvoicesPerMonth=Faturat e klientit në muaj +BoxSuppliersInvoicesPerMonth=Faturat e shitësve në muaj +BoxCustomersOrdersPerMonth=Porositë e shitjeve në muaj +BoxSuppliersOrdersPerMonth=Porositë e shitësve në muaj +BoxProposalsPerMonth=Propozimet në muaj +NoTooLowStockProducts=Asnjë produkt nuk është nën kufirin e ulët të stokut +BoxProductDistribution=Shpërndarja e produkteve/shërbimeve +ForObject=Në %s +BoxTitleLastModifiedSupplierBills=Faturat e shitësit: modifikuar i fundit %s +BoxTitleLatestModifiedSupplierOrders=Porositë e shitësve: modifikuar i fundit %s +BoxTitleLastModifiedCustomerBills=Faturat e klientit: modifikuar e fundit %s +BoxTitleLastModifiedCustomerOrders=Porositë e shitjeve: i fundit %s i modifikuar +BoxTitleLastModifiedPropals=Propozimet më të fundit të modifikuara %s +BoxTitleLatestModifiedJobPositions=Pozicionet e fundit të punës të modifikuara %s +BoxTitleLatestModifiedCandidatures=Aplikimet më të fundit për punë të modifikuara %s +ForCustomersInvoices=Faturat e klientëve +ForCustomersOrders=Porositë e klientëve +ForProposals=Propozimet +LastXMonthRolling=Muaji më i fundit %s +ChooseBoxToAdd=Shtoni miniaplikacionin në panelin tuaj +BoxAdded=Miniaplikacioni u shtua në panelin tënd +BoxTitleUserBirthdaysOfMonth=Ditëlindjet e këtij muaji (përdoruesit) +BoxLastManualEntries=Regjistrimi i fundit në kontabilitet i futur manualisht ose pa dokument burimor +BoxTitleLastManualEntries=%s regjistrimi i fundit i futur manualisht ose pa dokument burimor +NoRecordedManualEntries=Asnjë regjistrim manual në kontabilitet +BoxSuspenseAccount=Llogaritni operacionin e kontabilitetit me llogarinë pezull +BoxTitleSuspenseAccount=Numri i linjave të pashpërndara +NumberOfLinesInSuspenseAccount=Numri i rreshtit në llogarinë pezull +SuspenseAccountNotDefined=Llogaria e pezullimit nuk është e përcaktuar +BoxLastCustomerShipments=Dërgesat e fundit të klientëve +BoxTitleLastCustomerShipments=Dërgesat e fundit të klientëve %s +BoxTitleLastLeaveRequests=Kërkesat e fundit të modifikuara për pushim %s +NoRecordedShipments=Asnjë dërgesë e regjistruar e klientit +BoxCustomersOutstandingBillReached=Klientët me limit të papaguar është arritur # Pages -UsersHome=Home users and groups -MembersHome=Home Membership -ThirdpartiesHome=Home Thirdparties -TicketsHome=Home Tickets -AccountancyHome=Home Accountancy -ValidatedProjects=Validated projects +UsersHome=Përdoruesit dhe grupet e shtëpisë +MembersHome=Anëtarësimi në shtëpi +ThirdpartiesHome=Home Palët e Treta +productindex=Produkte dhe shërbime shtëpiake +mrpindex=Home MRP +commercialindex=Reklama për shtëpi +projectsindex=Projektet e shtëpisë +invoiceindex=Faturat e shtëpisë +hrmindex=Faturat e shtëpisë +TicketsHome=Biletat e shtëpisë +stockindex=Aksionet e shtëpisë +sendingindex=Transporti në shtëpi +receptionindex=Marrje në shtëpi +activityindex=Aktiviteti në shtëpi +proposalindex=Propozim për shtëpinë +ordersindex=Porositë për shitje në shtëpi +orderssuppliersindex=Urdhër blerje shtëpie +contractindex=Kontratat e shtëpisë +interventionindex=Ndërhyrjet në shtëpi +suppliersproposalsindex=Propozimet e furnitorëve të shtëpisë +donationindex=Donacionet e shtëpisë +specialexpensesindex=Shpenzimet speciale të shtëpisë +expensereportindex=Raporti i shpenzimeve të shtëpisë +mailingindex=Postime në shtëpi +opensurveyindex=Anketa e hapur në shtëpi +AccountancyHome=Kontabiliteti në shtëpi +ValidatedProjects=Projektet e vërtetuara diff --git a/htdocs/langs/sq_AL/cashdesk.lang b/htdocs/langs/sq_AL/cashdesk.lang index 15f13ca4492..81fbb13199f 100644 --- a/htdocs/langs/sq_AL/cashdesk.lang +++ b/htdocs/langs/sq_AL/cashdesk.lang @@ -1,136 +1,155 @@ # Language file - Source file is en_US - cashdesk -CashDeskMenu=Point of sale -CashDesk=Point of sale -CashDeskBankCash=Bank account (cash) -CashDeskBankCB=Bank account (card) -CashDeskBankCheque=Bank account (cheque) -CashDeskWarehouse=Warehouse -CashdeskShowServices=Selling services -CashDeskProducts=Produkte -CashDeskStock=Stok -CashDeskOn=on -CashDeskThirdParty=Third party -ShoppingCart=Shporta -NewSell=Shitje e re -AddThisArticle=Add this article -RestartSelling=Go back on sell -SellFinished=Sale complete -PrintTicket=Print ticket -SendTicket=Send ticket -NoProductFound=No article found -ProductFound=product found -NoArticle=No article -Identification=Identification -Article=Artikull +CashDeskMenu=Pika e shitjes +CashDesk=Pika e shitjes +CashDeskBankCash=Llogari bankare (para në dorë) +CashDeskBankCB=Llogari bankare (kartë) +CashDeskBankCheque=Llogari bankare (çeku) +CashDeskWarehouse=Magazina +CashdeskShowServices=Shitja e shërbimeve +CashDeskProducts=Produktet +CashDeskStock=Stoku +CashDeskOn=në +CashDeskThirdParty=Pala e tretë +ShoppingCart=Karroca e blerjeve +NewSell=Shitet e re +AddThisArticle=Shto këtë artikull +RestartSelling=Kthehuni në shitje +SellFinished=Shitja e përfunduar +PrintTicket=Printo biletën +SendTicket=Dërgo biletën +NoProductFound=Nuk u gjet asnjë artikull +ProductFound=produkt i gjetur +NoArticle=Asnjë artikull +Identification=Identifikimi +Article=Neni Difference=Diferenca -TotalTicket=Total ticket -NoVAT=No VAT for this sale -Change=Excess received -BankToPay=Account for payment -ShowCompany=Show company -ShowStock=Show warehouse -DeleteArticle=Click to remove this article -FilterRefOrLabelOrBC=Search (Ref/Label) -UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. -DolibarrReceiptPrinter=Dolibarr Receipt Printer -PointOfSale=Point of Sale +TotalTicket=Bileta totale +NoVAT=Nuk ka TVSH për këtë shitje +Change=Teprica e marrë +BankToPay=Llogaria për pagesë +ShowCompany=Shfaq kompani +ShowStock=Trego depon +DeleteArticle=Kliko për të hequr këtë artikull +FilterRefOrLabelOrBC=Kërko (Ref/Etiketë) +UserNeedPermissionToEditStockToUsePos=Ju kërkoni të zvogëloni stokun në krijimin e faturës, kështu që përdoruesi që përdor POS duhet të ketë leje për të modifikuar stokun. +DolibarrReceiptPrinter=Printeri i faturës Dolibarr +PointOfSale=Pika e shitjes PointOfSaleShort=POS -CloseBill=Close Bill -Floors=Floors -Floor=Floor -AddTable=Add table -Place=Place -TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) -NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser -SearchProduct=Search product -Receipt=Receipt -Header=Header -Footer=Footer -AmountAtEndOfPeriod=Amount at end of period (day, month or year) -TheoricalAmount=Theorical amount -RealAmount=Real amount -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period -NbOfInvoices=Nb of invoices -Paymentnumpad=Type of Pad to enter payment -Numberspad=Numbers Pad -BillsCoinsPad=Coins and banknotes Pad -DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work -TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work -OrderNotes=Can add some notes to each ordered items -CashDeskBankAccountFor=Default account to use for payments in -NoPaimementModesDefined=No paiment mode defined in TakePOS configuration -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts -EnableBarOrRestaurantFeatures=Enable features for Bar or Restaurant -ConfirmDeletionOfThisPOSSale=Do your confirm the deletion of this current sale ? -ConfirmDiscardOfThisPOSSale=Do you want to discard this current sale ? -History=History -ValidateAndClose=Validate and close +CloseBill=Mbyll Bill +Floors=Dyshemetë +Floor=Kati +AddTable=Shto tabelë +Place=Vendi +TakeposConnectorNecesary=Kërkohet 'TakePOS Connector' +OrderPrinters=Shto një buton për të dërguar porosinë në disa printera të dhënë, pa pagesë (për shembull për të dërguar një porosi në një kuzhinë) +NotAvailableWithBrowserPrinter=Nuk ofrohet kur printeri për marrje është caktuar në shfletues +SearchProduct=Kërkoni produktin +Receipt=Faturë +Header=Kreu +Footer=Fundi i faqes +AmountAtEndOfPeriod=Shuma në fund të periudhës (ditë, muaj ose vit) +TheoricalAmount=Shuma teorike +RealAmount=Shuma reale +CashFence=Mbyllja e arkës +CashFenceDone=Mbyllja e arkës së gatshme për periudhën +NbOfInvoices=Nb të faturave +Paymentnumpad=Lloji i bllokut për të futur pagesën +Numberspad=Tabela e numrave +BillsCoinsPad=Mbushje e monedhave dhe kartëmonedhave +DolistorePosCategory=Modulet TakePOS dhe zgjidhje të tjera POS për Dolibarr +TakeposNeedsCategories=TakePOS ka nevojë për të paktën një kategori produkti për të punuar +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS ka nevojë për të paktën 1 kategori produkti nën kategorinë %sb09a4b739f17f>z puna +OrderNotes=Mund të shtojë disa shënime për secilin artikull të porositur +CashDeskBankAccountFor=Llogaria e parazgjedhur për t'u përdorur për pagesat në +NoPaimementModesDefined=Asnjë modalitet pagese nuk është përcaktuar në konfigurimin e TakePOS +TicketVatGrouped=Grupi i TVSH-së sipas normës në bileta|dëftesa +AutoPrintTickets=Printoni automatikisht biletat | faturat +PrintCustomerOnReceipts=Shtypni klientin në bileta | faturat +EnableBarOrRestaurantFeatures=Aktivizo veçoritë për Bar ose Restorant +ConfirmDeletionOfThisPOSSale=A e konfirmoni fshirjen e kësaj shitjeje aktuale? +ConfirmDiscardOfThisPOSSale=Dëshiron ta heqësh këtë shitje aktuale? +History=Historia +ValidateAndClose=Vërtetoni dhe mbyllni Terminal=Terminal -NumberOfTerminals=Number of Terminals -TerminalSelect=Select terminal you want to use: -POSTicket=POS Ticket -POSTerminal=POS Terminal -POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones -SetupOfTerminalNotComplete=Setup of terminal %s is not complete -DirectPayment=Direct payment -DirectPaymentButton=Add a "Direct cash payment" button -InvoiceIsAlreadyValidated=Invoice is already validated -NoLinesToBill=No lines to bill -CustomReceipt=Custom Receipt -ReceiptName=Receipt Name -ProductSupplements=Manage supplements of products -SupplementCategory=Supplement category -ColorTheme=Color theme -Colorful=Colorful -HeadBar=Head Bar -SortProductField=Field for sorting products -Browser=Browser -BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. -PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad -CashDeskRefNumberingModules=Numbering module for POS sales -CashDeskGenericMaskCodes6 =
      {TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -SaleStartedAt=Sale started at %s -ControlCashOpening=Open the "Control cash" popup when opening the POS -CloseCashFence=Close cash desk control -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use -BarRestaurant=Bar Restaurant -AutoOrder=Order by the customer himself +NumberOfTerminals=Numri i terminaleve +TerminalSelect=Zgjidhni terminalin që dëshironi të përdorni: +POSTicket=Biletë POS +POSTerminal=Terminali POS +POSModule=Moduli POS +BasicPhoneLayout=Në telefon, zëvendësoni POS-in me një plan urbanistik minimal (Regjistro vetëm porositë, pa gjenerim fature, pa printim fature) +SetupOfTerminalNotComplete=Konfigurimi i terminalit %s nuk është i plotë +DirectPayment=Pagesa direkte +DirectPaymentButton=Shtoni një buton "Pagesa direkte me para". +InvoiceIsAlreadyValidated=Fatura është vërtetuar tashmë +NoLinesToBill=Nuk ka rreshta për të faturuar +CustomReceipt=Dëftesë me porosi +ReceiptName=Emri i faturës +ProductSupplements=Menaxhoni suplementet e produkteve +SupplementCategory=Kategoria e suplementit +ColorTheme=Tema me ngjyra +Colorful=Shumëngjyrëshe +HeadBar=Shiriti i kokës +SortProductField=Fusha për klasifikimin e produkteve +Browser=Shfletuesi +BrowserMethodDescription=Printim i thjeshtë dhe i lehtë faturash. Vetëm disa parametra për të konfiguruar faturën. Printoni përmes shfletuesit. +TakeposConnectorMethodDescription=Moduli i jashtëm me veçori shtesë. Mundësia e printimit nga cloud. +PrintMethod=Metoda e printimit +ReceiptPrinterMethodDescription=Metoda e fuqishme me shumë parametra. Plot i personalizueshëm me shabllone. Serveri që pret aplikacionin nuk mund të jetë në Cloud (duhet të jetë në gjendje të arrijë printerët në rrjetin tuaj). +ByTerminal=Me terminal +TakeposNumpadUsePaymentIcon=Përdorni ikonën në vend të tekstit në butonat e pagesës të numpad +CashDeskRefNumberingModules=Moduli i numërimit për shitjet me POS +CashDeskGenericMaskCodes6 =
      {TN} përdoret për të shtuar numrin e terminalit +TakeposGroupSameProduct=Bashkoni linjat e të njëjtave produkte +StartAParallelSale=Filloni një shitje të re paralele +SaleStartedAt=Shitja filloi në %s +ControlCashOpening=Hapni dritaren "Control cash box" kur hapni POS-in +CloseCashFence=Mbyll kontrollin e arkës +CashReport=Raporti i parave të gatshme +MainPrinterToUse=Printeri kryesor për t'u përdorur +OrderPrinterToUse=Porosit printerin për përdorim +MainTemplateToUse=Modeli kryesor për t'u përdorur +OrderTemplateToUse=Porosit shabllonin për t'u përdorur +BarRestaurant=Bar Restorant +AutoOrder=Porosit nga vetë klienti RestaurantMenu=Menu -CustomerMenu=Customer menu -ScanToMenu=Scan QR code to see the menu -ScanToOrder=Scan QR code to order -Appearance=Appearance -HideCategoryImages=Hide Category Images -HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show -DefineTablePlan=Define tables plan -GiftReceiptButton=Add a "Gift receipt" button -GiftReceipt=Gift receipt -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first -AllowDelayedPayment=Allow delayed payment -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts -WeighingScale=Weighing scale -ShowPriceHT = Display the column with the price excluding tax (on screen) -ShowPriceHTOnReceipt = Display the column with the price excluding tax (on the receipt) -CustomerDisplay=Customer display -SplitSale=Split sale -PrintWithoutDetailsButton=Add "Print without details" button -PrintWithoutDetailsLabelDefault=Line label by default on printing without details -PrintWithoutDetails=Print without details -YearNotDefined=Year is not defined +CustomerMenu=Menuja e klientit +ScanToMenu=Skanoni kodin QR për të parë menunë +ScanToOrder=Skanoni kodin QR për të porositur +Appearance=Pamja e jashtme +HideCategoryImages=Fshih imazhet e kategorisë +HideProductImages=Fshih imazhet e produktit +NumberOfLinesToShow=Numri maksimal i rreshtave të tekstit për t'u shfaqur në imazhet e gishtit +DefineTablePlan=Përcaktoni planin e tabelave +GiftReceiptButton=Shto një buton "Faturë dhuratë". +GiftReceipt=Faturë dhuratë +ModuleReceiptPrinterMustBeEnabled=Printeri i Faturave të Modulit duhet të jetë aktivizuar fillimisht +AllowDelayedPayment=Lejo pagesën e vonuar +PrintPaymentMethodOnReceipts=Shtypni mënyrën e pagesës në faturat e biletave +WeighingScale=Peshore +ShowPriceHT = Shfaq kolonën me çmimin pa tatimin (në ekran) +ShowPriceHTOnReceipt = Shfaq kolonën me çmimin pa tatimin (në faturë) +CustomerDisplay=Shfaqja e klientit +SplitSale=Shitje e ndarë +PrintWithoutDetailsButton=Shto butonin "Printo pa detaje". +PrintWithoutDetailsLabelDefault=Etiketa e linjës si parazgjedhje në printim pa detaje +PrintWithoutDetails=Printoni pa detaje +YearNotDefined=Viti nuk është i përcaktuar +TakeposBarcodeRuleToInsertProduct=Rregulli i barkodit për të futur produktin +TakeposBarcodeRuleToInsertProductDesc=Rregulli për nxjerrjen e referencës së produktit + një sasi nga një barkod i skanuar.
      Nëse është bosh (vlera e parazgjedhur), aplikacioni do të përdorë barkodin e plotë të skanuar për të gjetur produktin.

      Nëse përcaktohet, sintaksa duhet të jetë:

      refb09f014b : referenca e produktit
      qub09a4b739f17pan to quantity:
      qdb09a4b739f17f to caktohet kur futet artikulli (dhjetra)
      tjetërb09a4b78z0f1s të tjerë +AlreadyPrinted=Tashmë e shtypur +HideCategories=Fshih të gjithë seksionin e përzgjedhjes së kategorive +HideStockOnLine=Fshih aksionet në linjë +ShowOnlyProductInStock=Trego vetëm produktet në magazinë +ShowCategoryDescription=Shfaq përshkrimin e kategorive +ShowProductReference=Trego referencën ose etiketën e produkteve +UsePriceHT=Përdorimi i çmimit pa. taksat dhe jo çmimi përfshirë. taksat kur modifikoni një çmim +TerminalName=Terminali %s +TerminalNameDesc=Emri i terminalit +DefaultPOSThirdLabel=Klient gjenerik TakePOS +DefaultPOSCatLabel=Produktet e pikave të shitjes (POS). +DefaultPOSProductLabel=Shembull produkti për TakePOS +TakeposNeedsPayment=TakePOS ka nevojë për një mënyrë pagese për të funksionuar, a doni të krijoni mënyrën e pagesës 'Cash'? +LineDiscount=Zbritje në linjë +LineDiscountShort=Disku i linjës. +InvoiceDiscount=Zbritje në faturë +InvoiceDiscountShort=Disku i faturës. diff --git a/htdocs/langs/sq_AL/categories.lang b/htdocs/langs/sq_AL/categories.lang index a4b3ba8c1c4..f9be75bdd60 100644 --- a/htdocs/langs/sq_AL/categories.lang +++ b/htdocs/langs/sq_AL/categories.lang @@ -1,100 +1,105 @@ # Dolibarr language file - Source file is en_US - categories -Rubrique=Tag/Category -Rubriques=Tags/Categories -RubriquesTransactions=Tags/Categories of transactions -categories=tags/categories -NoCategoryYet=No tag/category of this type has been created -In=In -AddIn=Add in -modify=Modifiko -Classify=Classify -CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Product/Service tags/categories area -SuppliersCategoriesArea=Vendor tags/categories area -CustomersCategoriesArea=Customer tags/categories area -MembersCategoriesArea=Member tags/categories area -ContactsCategoriesArea=Contact tags/categories area -AccountsCategoriesArea=Bank account tags/categories area -ProjectsCategoriesArea=Project tags/categories area -UsersCategoriesArea=User tags/categories area -SubCats=Sub-categories -CatList=List of tags/categories -CatListAll=List of tags/categories (all types) -NewCategory=New tag/category -ModifCat=Modify tag/category -CatCreated=Tag/category created -CreateCat=Create tag/category -CreateThisCat=Create this tag/category -NoSubCat=No subcategory. -SubCatOf=Subcategory -FoundCats=Found tags/categories -ImpossibleAddCat=Impossible to add the tag/category %s -WasAddedSuccessfully=%s was added successfully. -ObjectAlreadyLinkedToCategory=Element is already linked to this tag/category. -ProductIsInCategories=Product/service is linked to following tags/categories -CompanyIsInCustomersCategories=This third party is linked to following customers/prospects tags/categories -CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories -MemberIsInCategories=This member is linked to following members tags/categories -ContactIsInCategories=This contact is linked to following contacts tags/categories -ProductHasNoCategory=This product/service is not in any tags/categories -CompanyHasNoCategory=This third party is not in any tags/categories -MemberHasNoCategory=This member is not in any tags/categories -ContactHasNoCategory=This contact is not in any tags/categories -ProjectHasNoCategory=This project is not in any tags/categories -ClassifyInCategory=Add to tag/category -NotCategorized=Without tag/category -CategoryExistsAtSameLevel=This category already exists with this ref -ContentsVisibleByAllShort=Contents visible by all -ContentsNotVisibleByAllShort=Contents not visible by all -DeleteCategory=Delete tag/category -ConfirmDeleteCategory=Are you sure you want to delete this tag/category? -NoCategoriesDefined=No tag/category defined -SuppliersCategoryShort=Vendors tag/category -CustomersCategoryShort=Customers tag/category -ProductsCategoryShort=Products tag/category -MembersCategoryShort=Members tag/category -SuppliersCategoriesShort=Vendors tags/categories -CustomersCategoriesShort=Customers tags/categories -ProspectsCategoriesShort=Prospects tags/categories -CustomersProspectsCategoriesShort=Cust./Prosp. tags/categories -ProductsCategoriesShort=Products tags/categories -MembersCategoriesShort=Members tags/categories -ContactCategoriesShort=Contacts tags/categories -AccountsCategoriesShort=Accounts tags/categories -ProjectsCategoriesShort=Projects tags/categories -UsersCategoriesShort=Users tags/categories -StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoItems=This category does not contain any items. -CategId=Tag/category id -ParentCategory=Parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories -CatProdList=List of products tags/categories -CatMemberList=List of members tags/categories -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories -CatCusLinks=Links between customers/prospects and tags/categories -CatContactsLinks=Links between contacts/addresses and tags/categories -CatProdLinks=Links between products/services and tags/categories -CatMembersLinks=Links between members and tags/categories -CatProjectsLinks=Links between projects and tags/categories -CatUsersLinks=Links between users and tags/categories -DeleteFromCat=Remove from tags/category -ExtraFieldsCategories=Complementary attributes -CategoriesSetup=Tags/categories setup -CategorieRecursiv=Link with parent tag/category automatically -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. -AddProductServiceIntoCategory=Add the following product/service -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier -ShowCategory=Show tag/category -ByDefaultInList=By default in list -ChooseCategory=Choose category -StocksCategoriesArea=Warehouse Categories -ActionCommCategoriesArea=Event Categories -WebsitePagesCategoriesArea=Page-Container Categories -KnowledgemanagementsCategoriesArea=KM article Categories -UseOrOperatorForCategories=Use 'OR' operator for categories +Rubrique=Etiketa/Kategoria +Rubriques=Etiketat/Kategoritë +RubriquesTransactions=Etiketat/Kategoritë e transaksioneve +categories=etiketa/kategori +NoCategoryYet=Nuk është krijuar asnjë etiketë/kategori e këtij lloji +In=Në +AddIn=Shtoje ne +modify=modifikoj +Classify=Klasifikoni +CategoriesArea=Zona e etiketave/kategorive +ProductsCategoriesArea=Zona e etiketave/kategorive të produkteve/shërbimeve +SuppliersCategoriesArea=Zona e etiketave/kategorive të shitësve +CustomersCategoriesArea=Zona e etiketave/kategorive të klientëve +MembersCategoriesArea=Zona e etiketave/kategorive të anëtarëve +ContactsCategoriesArea=Zona e etiketave/kategorive të kontaktit +AccountsCategoriesArea=Zona e etiketave/kategorive të llogarisë bankare +ProjectsCategoriesArea=Zona e etiketave/kategorive të projektit +UsersCategoriesArea=Zona e etiketave/kategorive të përdoruesve +SubCats=Nënkategoritë +CatList=Lista e etiketave/kategorive +CatListAll=Lista e etiketave/kategorive (të gjitha llojet) +NewCategory=Etiketë/kategori e re +ModifCat=Modifiko etiketën/kategorinë +CatCreated=Etiketa/kategoria e krijuar +CreateCat=Krijo etiketë/kategori +CreateThisCat=Krijo këtë etiketë/kategori +NoSubCat=Asnjë nënkategori. +SubCatOf=Nënkategoria +FoundCats=Etiketat/kategoritë e gjetura +ImpossibleAddCat=E pamundur të shtohet etiketa/kategoria %s +WasAddedSuccessfully=%s u shtua me sukses. +ObjectAlreadyLinkedToCategory=Elementi është tashmë i lidhur me këtë etiketë/kategori. +ProductIsInCategories=Produkti/shërbimi është i lidhur me etiketat/kategoritë e mëposhtme +CompanyIsInCustomersCategories=Kjo palë e tretë është e lidhur me etiketat/kategoritë e mëposhtme të klientëve/perspektivave +CompanyIsInSuppliersCategories=Kjo palë e tretë është e lidhur me etiketat/kategoritë vijuese të shitësve +MemberIsInCategories=Ky anëtar është i lidhur me etiketat/kategoritë e mëposhtme të anëtarëve +ContactIsInCategories=Ky kontakt është i lidhur me etiketat/kategoritë e mëposhtme të kontakteve +ProductHasNoCategory=Ky produkt/shërbim nuk është në asnjë etiketë/kategori +CompanyHasNoCategory=Kjo palë e tretë nuk është në asnjë etiketë/kategori +MemberHasNoCategory=Ky anëtar nuk është në asnjë etiketë/kategori +ContactHasNoCategory=Ky kontakt nuk është në asnjë etiketë/kategori +ProjectHasNoCategory=Ky projekt nuk është në asnjë etiketë/kategori +ClassifyInCategory=Shto në etiketë/kategori +RemoveCategory=Hiq kategorinë +NotCategorized=Pa etiketë/kategori +CategoryExistsAtSameLevel=Kjo kategori ekziston tashmë me këtë ref +ContentsVisibleByAllShort=Përmbajtja e dukshme nga të gjithë +ContentsNotVisibleByAllShort=Përmbajtja nuk është e dukshme nga të gjithë +DeleteCategory=Fshi etiketën/kategorinë +ConfirmDeleteCategory=Jeni i sigurt që dëshironi të fshini këtë etiketë/kategori? +NoCategoriesDefined=Asnjë etiketë/kategori nuk është përcaktuar +SuppliersCategoryShort=Etiketa/kategoria e shitësve +CustomersCategoryShort=Etiketa/kategoria e klientëve +ProductsCategoryShort=Etiketa/kategoria e produkteve +MembersCategoryShort=Etiketa/kategoria e anëtarëve +SuppliersCategoriesShort=Etiketat/kategoritë e shitësve +CustomersCategoriesShort=Etiketat/kategoritë e klientëve +ProspectsCategoriesShort=Etiketat/kategoritë e perspektivave +CustomersProspectsCategoriesShort=Cust./Prosp. etiketa/kategori +ProductsCategoriesShort=Etiketat/kategoritë e produkteve +MembersCategoriesShort=Etiketat/kategoritë e anëtarëve +ContactCategoriesShort=Etiketat/kategoritë e kontakteve +AccountsCategoriesShort=Etiketat/kategoritë e llogarive +ProjectsCategoriesShort=Etiketat/kategoritë e projekteve +UsersCategoriesShort=Etiketat/kategoritë e përdoruesve +StockCategoriesShort=Etiketat/kategoritë e magazinës +ThisCategoryHasNoItems=Kjo kategori nuk përmban asnjë artikull. +CategId=ID-ja e etiketës/kategorisë +ParentCategory=Etiketa/kategoria e prindit +ParentCategoryID=ID e etiketës/kategorisë prind +ParentCategoryLabel=Etiketa e etiketës/kategorisë prind +CatSupList=Lista e etiketave/kategorive të shitësve +CatCusList=Lista e etiketave/kategorive të klientëve/perspektivave +CatProdList=Lista e etiketave/kategorive të produkteve +CatMemberList=Lista e etiketave/kategorive të anëtarëve +CatContactList=Lista e etiketave/kategorive të kontakteve +CatProjectsList=Lista e etiketave/kategorive të projekteve +CatUsersList=Lista e etiketave/kategorive të përdoruesve +CatSupLinks=Lidhjet ndërmjet shitësve dhe etiketave/kategorive +CatCusLinks=Lidhjet ndërmjet klientëve/perspektivave dhe etiketave/kategorive +CatContactsLinks=Lidhjet ndërmjet kontakteve/adresave dhe etiketave/kategorive +CatProdLinks=Lidhjet ndërmjet produkteve/shërbimeve dhe etiketave/kategorive +CatMembersLinks=Lidhjet ndërmjet anëtarëve dhe etiketave/kategorive +CatProjectsLinks=Lidhjet ndërmjet projekteve dhe etiketave/kategorive +CatUsersLinks=Lidhjet ndërmjet përdoruesve dhe etiketave/kategorive +DeleteFromCat=Hiq nga etiketat/kategoria +ExtraFieldsCategories=Atributet plotësuese +CategoriesSetup=Konfigurimi i etiketave/kategorive +CategorieRecursiv=Lidh automatikisht me etiketën/kategorinë prind +CategorieRecursivHelp=Nëse opsioni është aktiv, kur shtoni një objekt në një nënkategori, objekti do të shtohet gjithashtu në kategoritë mëmë. +AddProductServiceIntoCategory=Caktoni kategori produktit/shërbimit +AddCustomerIntoCategory=Cakto kategori klientit +AddSupplierIntoCategory=Caktoni kategori furnizuesit +AssignCategoryTo=Caktoni kategori për +ShowCategory=Shfaq etiketën/kategorinë +ByDefaultInList=Si parazgjedhje në listë +ChooseCategory=Zgjidhni kategorinë +StocksCategoriesArea=Kategoritë e magazinave +TicketsCategoriesArea=Kategoritë e biletave +ActionCommCategoriesArea=Kategoritë e ngjarjeve +WebsitePagesCategoriesArea=Faqe-Kategoritë e kontejnerëve +KnowledgemanagementsCategoriesArea=Kategoritë e artikujve KM +UseOrOperatorForCategories=Përdorni operatorin 'OR' për kategoritë +AddObjectIntoCategory=Cakto për kategorinë diff --git a/htdocs/langs/sq_AL/commercial.lang b/htdocs/langs/sq_AL/commercial.lang index 578b2871ea3..0238d095595 100644 --- a/htdocs/langs/sq_AL/commercial.lang +++ b/htdocs/langs/sq_AL/commercial.lang @@ -1,89 +1,93 @@ # Dolibarr language file - Source file is en_US - commercial -Commercial=Commerce -CommercialArea=Commerce area +Commercial=Tregtia +CommercialArea=Zona tregtare Customer=Klienti -Customers=Klientёt -Prospect=Prospect -Prospects=Prospects -DeleteAction=Delete an event -NewAction=New event -AddAction=Create event -AddAnAction=Create an event -AddActionRendezVous=Create a Rendez-vous event -ConfirmDeleteAction=Are you sure you want to delete this event? -CardAction=Event card -ActionOnCompany=Related company -ActionOnContact=Related contact -TaskRDVWith=Meeting with %s -ShowTask=Show task -ShowAction=Show event -ActionsReport=Events report -ThirdPartiesOfSaleRepresentative=Third parties with sales representative -SaleRepresentativesOfThirdParty=Pёrfaqёsuesit e shitjeve tё palёs sё tretё -SalesRepresentative=Pёrfaqёsuesi i shitjeve -SalesRepresentatives=Pёrfaqёsuesit e shitjeve -SalesRepresentativeFollowUp=Sales representative (follow-up) -SalesRepresentativeSignature=Sales representative (signature) -NoSalesRepresentativeAffected=No particular sales representative assigned -ShowCustomer=Show customer -ShowProspect=Show prospect -ListOfProspects=List of prospects -ListOfCustomers=List of customers -LastDoneTasks=Latest %s completed actions -LastActionsToDo=Oldest %s not completed actions -DoneAndToDoActions=Completed and To do events -DoneActions=Completed events -ToDoActions=Incomplete events -SendPropalRef=Submission of commercial proposal %s -SendOrderRef=Submission of order %s -StatusNotApplicable=Not applicable -StatusActionToDo=To do -StatusActionDone=Complete -StatusActionInProcess=Nё proces -TasksHistoryForThisContact=Events for this contact -LastProspectDoNotContact=Do not contact -LastProspectNeverContacted=Never contacted -LastProspectToContact=To contact -LastProspectContactInProcess=Contact in process -LastProspectContactDone=Contact done -ActionAffectedTo=Event assigned to -ActionDoneBy=Event done by -ActionAC_TEL=Telefonatё -ActionAC_FAX=Dёrgo faks -ActionAC_PROP=Dёrgo propozimin me email -ActionAC_EMAIL=Dёrgo email -ActionAC_EMAIL_IN=Reception of Email +Customers=Klientët +Prospect=Perspektiva +Prospects=Perspektivat +DeleteAction=Fshi një ngjarje +NewAction=Ngjarje e re +AddAction=Krijo ngjarje +AddAnAction=Krijo një ngjarje +AddActionRendezVous=Krijo një ngjarje Rendez-vous +ConfirmDeleteAction=Je i sigurt që dëshiron ta fshish këtë ngjarje? +CardAction=Karta e ngjarjes +ActionOnCompany=Kompani e lidhur +ActionOnContact=Kontakt i lidhur +TaskRDVWith=Takimi me %s +ShowTask=Trego detyrën +ShowAction=Shfaq ngjarjen +ActionsReport=Raporti i ngjarjeve +ThirdPartiesOfSaleRepresentative=Palë të treta me përfaqësues shitjesh +SaleRepresentativesOfThirdParty=Përfaqësuesit e shitjeve të palëve të treta +SalesRepresentative=Perfaqesues Shitjesh +SalesRepresentatives=Përfaqësuesit e shitjeve +SalesRepresentativeFollowUp=Përfaqësuesi i shitjeve (vazhdim) +SalesRepresentativeSignature=Përfaqësuesi i shitjeve (nënshkrimi) +NoSalesRepresentativeAffected=Asnjë përfaqësues i veçantë i shitjeve nuk është caktuar +ShowCustomer=Trego klientit +ShowProspect=Trego perspektivë +ListOfProspects=Lista e perspektivave +ListOfCustomers=Lista e klientëve +LastDoneTasks=Veprimet e fundit të përfunduara %s +LastActionsToDo=Veprimet më të vjetra %s të pa përfunduara +DoneAndToDoActions=Përfunduar dhe Për të bërë ngjarje +DoneActions=Ngjarjet e përfunduara +ToDoActions=Ngjarje jo të plota +SendPropalRef=Dorëzimi i propozimit tregtar %s +SendOrderRef=Dorëzimi i porosisë %s +StatusNotApplicable=Nuk aplikohet +StatusActionToDo=Për të bërë +StatusActionDone=E plotësuar +StatusActionInProcess=Në proçes +TasksHistoryForThisContact=Ngjarjet për këtë kontakt +LastProspectDoNotContact=Mos kontaktoni +LastProspectNeverContacted=Asnjëherë i kontaktuar +LastProspectToContact=Për të kontaktuar +LastProspectContactInProcess=Kontakti në proces +LastProspectContactDone=Kontakti u krye +ActionAffectedTo=Ngjarja e caktuar për +ActionDoneBy=Ngjarja e kryer nga +ActionAC_TEL=Telefonatë +ActionAC_FAX=Dërgo faks +ActionAC_PROP=Dërgo propozimin me postë +ActionAC_EMAIL=Dërgoni një email +ActionAC_EMAIL_IN=Marrja e Email-it ActionAC_RDV=Takimet -ActionAC_INT=Intervention on site -ActionAC_FAC=Dёrgo faturёrn klientit me email -ActionAC_REL=Dёrgo faturёrn klientit me email (kujtesё) -ActionAC_CLO=Mbyll -ActionAC_EMAILING=Send mass email -ActionAC_COM=Send sales order by mail -ActionAC_SHIP=Send shipping by mail -ActionAC_SUP_ORD=Send purchase order by mail -ActionAC_SUP_INV=Send vendor invoice by mail -ActionAC_OTH=Tjetër -ActionAC_OTH_AUTO=Other auto -ActionAC_MANUAL=Events inserted manually (by a user) -ActionAC_AUTO=Events inserted automatically -ActionAC_OTH_AUTOShort=Tjetër -ActionAC_EVENTORGANIZATION=Event organization events -Stats=Srtatistikat e shitjeve -StatusProsp=Prospect status -DraftPropals=Draft commercial proposals -NoLimit=Pa limit -ToOfferALinkForOnlineSignature=Link for online signature -WelcomeOnOnlineSignaturePageProposal=Welcome to the page to accept commercial proposals from %s -WelcomeOnOnlineSignaturePageContract=Welcome to %s Contract PDF Signing Page -WelcomeOnOnlineSignaturePageFichinter=Welcome to %s Intervention PDF Signing Page -ThisScreenAllowsYouToSignDocFromProposal=This screen allow you to accept and sign, or refuse, a quote/commercial proposal -ThisScreenAllowsYouToSignDocFromContract=This screen allow you to sign contract on PDF format online. -ThisScreenAllowsYouToSignDocFromFichinter=This screen allow you to sign intervention on PDF format online. -ThisIsInformationOnDocumentToSignProposal=This is information on document to accept or refuse -ThisIsInformationOnDocumentToSignContract=This is information on contract to sign -ThisIsInformationOnDocumentToSignFichinter=This is information on intervention to sign -SignatureProposalRef=Signature of quote/commercial proposal %s -SignatureContractRef=Signature of contract %s -SignatureFichinterRef=Signature of intervention %s -FeatureOnlineSignDisabled=Feature for online signing disabled or document generated before the feature was enabled +ActionAC_INT=Ndërhyrja në vend +ActionAC_FAC=Dërgoni faturën e klientit me postë +ActionAC_REL=Dërgo faturën e klientit me postë (kujtesë) +ActionAC_CLO=Mbylle +ActionAC_EMAILING=Dërgo email masiv +ActionAC_COM=Dërgoni porosinë e shitjes me postë +ActionAC_SHIP=Dërgo transportin me postë +ActionAC_SUP_ORD=Dërgo porosinë e blerjes me postë +ActionAC_SUP_INV=Dërgoni faturën e shitësit me postë +ActionAC_OTH=Të tjera +ActionAC_OTH_AUTO=Auto tjera +ActionAC_MANUAL=Ngjarjet e futura manualisht (nga një përdorues) +ActionAC_AUTO=Ngjarjet futen automatikisht +ActionAC_OTH_AUTOShort=Të tjera +ActionAC_EVENTORGANIZATION=Ngjarjet e organizimit të ngjarjeve +Stats=Statistikat e shitjeve +StatusProsp=Statusi i perspektivës +DraftPropals=Hartimi i propozimeve tregtare +NoLimit=Pa kufi +ToOfferALinkForOnlineSignature=Link për nënshkrimin online +WelcomeOnOnlineSignaturePageProposal=Mirë se vini në faqen për të pranuar propozime komerciale nga %s +WelcomeOnOnlineSignaturePageContract=Mirë se vini në %s faqen e nënshkrimit të kontratës PDF +WelcomeOnOnlineSignaturePageFichinter=Mirë se vini në %s faqen e nënshkrimit të PDF-së së ndërhyrjes +WelcomeOnOnlineSignaturePageSociete_rib=Mirë se vini në %s Faqja e nënshkrimit të PDF-së me mandat SEPA +ThisScreenAllowsYouToSignDocFromProposal=Ky ekran ju lejon të pranoni dhe nënshkruani, ose refuzoni, një ofertë/propozim tregtar +ThisScreenAllowsYouToSignDocFromContract=Ky ekran ju lejon të nënshkruani kontratë në formatin PDF në internet. +ThisScreenAllowsYouToSignDocFromFichinter=Ky ekran ju lejon të nënshkruani ndërhyrjen në formatin PDF në internet. +ThisScreenAllowsYouToSignDocFromSociete_rib=Ky ekran ju lejon të nënshkruani Mandatin SEPA në formatin PDF në internet. +ThisIsInformationOnDocumentToSignProposal=Ky është informacion mbi dokumentin që duhet pranuar ose refuzuar +ThisIsInformationOnDocumentToSignContract=Ky është informacion mbi kontratën për të nënshkruar +ThisIsInformationOnDocumentToSignFichinter=Ky është informacion për ndërhyrjen për të nënshkruar +ThisIsInformationOnDocumentToSignSociete_rib=Ky është informacion mbi Mandatin e SEPA-s për nënshkrim +SignatureProposalRef=Nënshkrimi i ofertës/propozimit tregtar %s +SignatureContractRef=Nënshkrimi i kontratës %s +SignatureFichinterRef=Nënshkrimi i ndërhyrjes %s +SignatureSociete_ribRef=Nënshkrimi i mandatit SEPA %s +FeatureOnlineSignDisabled=Funksioni për nënshkrimin në internet është çaktivizuar ose dokumenti është krijuar përpara se funksioni të aktivizohej diff --git a/htdocs/langs/sq_AL/companies.lang b/htdocs/langs/sq_AL/companies.lang index 2ab213f5fdb..b98349e0d84 100644 --- a/htdocs/langs/sq_AL/companies.lang +++ b/htdocs/langs/sq_AL/companies.lang @@ -1,147 +1,161 @@ # Dolibarr language file - Source file is en_US - companies -ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. -ErrorSetACountryFirst=Set the country first -SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? -DeleteContact=Fshij një kontakt/adresë -ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? -MenuNewThirdParty=New Third Party -MenuNewCustomer=New Customer -MenuNewProspect=New Prospect -MenuNewSupplier=New Vendor -MenuNewPrivateIndividual=New private individual -NewCompany=New company (prospect, customer, vendor) -NewThirdParty=New Third Party (prospect, customer, vendor) -CreateDolibarrThirdPartySupplier=Create a third party (vendor) -CreateThirdPartyOnly=Create third party -CreateThirdPartyAndContact=Create a third party + a child contact -ProspectionArea=Prospection area -IdThirdParty=Id third party -IdCompany=Company Id -IdContact=Contact Id -ThirdPartyAddress=Third-party address -ThirdPartyContacts=Third-party contacts -ThirdPartyContact=Third-party contact/address -Company=Kompani -CompanyName=Emri i kompanisë -AliasNames=Alias name (commercial, trademark, ...) -AliasNameShort=Alias Name +newSocieteAdded=Të dhënat tuaja të kontaktit janë regjistruar. Së shpejti do të kthehemi tek ju... +ContactUsDesc=Ky formular ju lejon të na dërgoni një mesazh për një kontakt të parë. +ErrorCompanyNameAlreadyExists=Emri i kompanisë %s ekziston tashmë. Zgjidhni një tjetër. +ErrorSetACountryFirst=Vendosni vendin së pari +SelectThirdParty=Zgjidhni një palë të tretë +ConfirmDeleteCompany=Jeni i sigurt që dëshironi të fshini këtë kompani dhe të gjitha informacionet e lidhura me të? +DeleteContact=Fshi një kontakt/adresë +ConfirmDeleteContact=Jeni i sigurt që dëshironi të fshini këtë kontakt dhe të gjitha informacionet e lidhura me të? +MenuNewThirdParty=Palë e tretë e re +MenuNewCustomer=Klient i ri +MenuNewProspect=Perspektiva e Re +MenuNewSupplier=Shitësi i ri +MenuNewPrivateIndividual=Privat i ri +NewCompany=Kompani e re (perspektivë, klient, shitës) +NewThirdParty=Palë e Tretë e Re (perspektivë, klient, shitës) +CreateDolibarrThirdPartySupplier=Krijo një palë të tretë (shitës) +CreateThirdPartyOnly=Krijo palë të tretë +CreateThirdPartyAndContact=Krijo një palë të tretë + një kontakt fëmijësh +ProspectionArea=Zona e kërkimit +IdThirdParty=Id palë e tretë +IdCompany=ID e kompanisë +IdContact=ID-ja e kontaktit +ThirdPartyAddress=Adresa e palës së tretë +ThirdPartyContacts=Kontaktet e palëve të treta +ThirdPartyContact=Kontakt/adresa e palës së tretë +Company=Kompania +CompanyName=Emri i Kompanise +AliasNames=Emri i pseudonimit (tregtar, markë tregtare, ...) +AliasNameShort=Emri Alias Companies=Kompanitë -CountryIsInEEC=Country is inside the European Economic Community -PriceFormatInCurrentLanguage=Price display format in the current language and currency -ThirdPartyName=Third-party name -ThirdPartyEmail=Third-party email -ThirdParty=Third-party -ThirdParties=Third-parties -ThirdPartyProspects=Prospects -ThirdPartyProspectsStats=Prospects -ThirdPartyCustomers=Klientёt -ThirdPartyCustomersStats=Klientёt -ThirdPartyCustomersWithIdProf12=Customers with %s or %s -ThirdPartySuppliers=Vendors -ThirdPartyType=Third-party type -Individual=Private individual -ToCreateContactWithSameName=Will automatically create a contact/address with same information as the third party under the third party. In most cases, even if your third party is a physical person, creating a third party alone is enough. -ParentCompany=Parent company -Subsidiaries=Subsidiaries -ReportByMonth=Report per month -ReportByCustomers=Report per customer -ReportByThirdparties=Report per thirdparty -ReportByQuarter=Report per rate -CivilityCode=Civility code -RegisteredOffice=Registered office +CountryIsInEEC=Vendi është brenda Komunitetit Ekonomik Evropian +PriceFormatInCurrentLanguage=Formati i shfaqjes së çmimeve në gjuhën dhe monedhën aktuale +ThirdPartyName=Emri i palës së tretë +ThirdPartyEmail=Email i palës së tretë +ThirdParty=palë e tretë +ThirdParties=Palëve të treta +ThirdPartyProspects=Perspektivat +ThirdPartyProspectsStats=Perspektivat +ThirdPartyCustomers=Klientët +ThirdPartyCustomersStats=Klientët +ThirdPartyCustomersWithIdProf12=Klientë me %s ose %s +ThirdPartySuppliers=Shitësit +ThirdPartyType=Lloji i palës së tretë +Individual=Individ privat +ToCreateContactWithSameName=Do të krijojë automatikisht një kontakt/adresë me të njëjtin informacion si pala e tretë nën palën e tretë. Në shumicën e rasteve, edhe nëse pala juaj e tretë është një person fizik, mjafton vetëm krijimi i një pale të tretë. +ParentCompany=Kompania mëmë +Subsidiaries=Filialet +ReportByMonth=Raporti në muaj +ReportByCustomers=Raport për klient +ReportByThirdparties=Raport për palë të treta +ReportByQuarter=Raporti për tarifë +CivilityCode=Kodi i civilizimit +RegisteredOffice=Zyra e regjistruar Lastname=Mbiemri Firstname=Emri -RefEmployee=Employee reference -NationalRegistrationNumber=National registration number -PostOrFunction=Job position -UserTitle=Title -NatureOfThirdParty=Nature of Third party -NatureOfContact=Nature of Contact -Address=Adresa +RefEmployee=Referenca e punonjësit +NationalRegistrationNumber=Numri kombëtar i regjistrimit +PostOrFunction=Pozicioni i punës +UserTitle=Titulli +NatureOfThirdParty=Natyra e palës së tretë +NatureOfContact=Natyra e kontaktit +Address=Adresë State=Shteti/Provinca -StateCode=State/Province code -StateShort=State -Region=Krahina -Region-State=Region - State -Country=Country -CountryCode=Country code -CountryId=Country id -Phone=Telefon -PhoneShort=Telefon +StateId=ID e shtetit +StateCode=Kodi i shtetit/krahinës +StateShort=Shtetit +Region=Rajon +Region-State=Rajoni - Shteti +Country=Vendi +CountryCode=Kodi i Shtetit +CountryId=ID e shtetit +Phone=Telefoni +PhoneShort=Telefoni Skype=Skype -Call=Call -Chat=Chat -PhonePro=Bus. phone -PhonePerso=Pers. phone +Call=Thirrni +Chat=Biseda +PhonePro=Autobus. telefon +PhonePerso=Pers. telefon PhoneMobile=Celular -No_Email=Refuse bulk emailings -Fax=Fax -Zip=Kodi postar +No_Email=Refuzoni emailet me shumicë +Fax=Faks +Zip=Kodi Postal Town=Qyteti Web=Web -Poste= Position -DefaultLang=Default language -VATIsUsed=Sales tax used -VATIsUsedWhenSelling=This defines if this third party includes a sales tax or not when it makes an invoice to its own customers -VATIsNotUsed=Sales tax is not used -CopyAddressFromSoc=Copy address from third-party details -ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available referring objects -ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor vendor, discounts are not available -PaymentBankAccount=Payment bank account -OverAllProposals=Proposals -OverAllOrders=Orders +Poste= Pozicioni +DefaultLang=Gjuha e parazgjedhur +VATIsUsed=Taksa e shitjes e përdorur +VATIsUsedWhenSelling=Kjo përcakton nëse kjo palë e tretë përfshin një taksë shitjeje apo jo kur bën një faturë për klientët e saj +VATIsNotUsed=Taksa e shitjes nuk përdoret +VATReverseCharge=Tarifa e kundërt e TVSH-së +VATReverseChargeByDefault=Tarifa e kundërt e TVSH-së si parazgjedhje +VATReverseChargeByDefaultDesc=Në faturën e furnizuesit, tarifa e kundërt e TVSH-së përdoret si parazgjedhje +CopyAddressFromSoc=Kopjoni adresën nga detajet e palëve të treta +ThirdpartyNotCustomerNotSupplierSoNoRef=Palë e tretë as klient dhe as shitës, nuk ka objekte referuese të disponueshme +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Palë e tretë as klient dhe as shitës, zbritjet nuk janë të disponueshme +PaymentBankAccount=Llogari bankare e pagesës +OverAllProposals=Propozimet +OverAllOrders=Porositë OverAllInvoices=Faturat -OverAllSupplierProposals=Price requests +OverAllSupplierProposals=Kërkesat për çmime ##### Local Taxes ##### -LocalTax1IsUsed=Use second tax -LocalTax1IsUsedES= RE is used -LocalTax1IsNotUsedES= RE is not used -LocalTax2IsUsed=Use third tax -LocalTax2IsUsedES= IRPF is used -LocalTax2IsNotUsedES= IRPF is not used -WrongCustomerCode=Customer code invalid -WrongSupplierCode=Vendor code invalid -CustomerCodeModel=Customer code model -SupplierCodeModel=Vendor code model -Gencod=Barcode -GencodBuyPrice=Barcode of price ref +LocalTax1IsUsed=Përdorni taksën e dytë +LocalTax1IsUsedES= RE përdoret +LocalTax1IsNotUsedES= RE nuk përdoret +LocalTax2IsUsed=Përdorni taksën e tretë +LocalTax2IsUsedES= IRPF përdoret +LocalTax2IsNotUsedES= IRPF nuk përdoret +WrongCustomerCode=Kodi i klientit është i pavlefshëm +WrongSupplierCode=Kodi i shitësit është i pavlefshëm +CustomerCodeModel=Modeli i kodit të klientit +SupplierCodeModel=Modeli i kodit të shitësit +Gencod=Barkodi +GencodBuyPrice=Barkodi i çmimit ref ##### Professional ID ##### ProfId1Short=Prof. id 1 ProfId2Short=Prof. id 2 -ProfId3Short=Prof. id 3 +ProfId3Short=Prof. ID 3 ProfId4Short=Prof. id 4 ProfId5Short=Prof. id 5 ProfId6Short=Prof. id 6 -ProfId1=Professional ID 1 -ProfId2=Professional ID 2 -ProfId3=Professional ID 3 -ProfId4=Professional ID 4 -ProfId5=Professional ID 5 -ProfId6=Professional ID 6 -ProfId1AR=Prof Id 1 (CUIT/CUIL) +ProfId7Short=Prof. id 7 +ProfId8Short=Prof. id 8 +ProfId9Short=Prof. id 9 +ProfId10Short=Prof. ID 10 +ProfId1=ID profesionale 1 +ProfId2=ID profesionale 2 +ProfId3=ID profesionale 3 +ProfId4=ID profesionale 4 +ProfId5=ID profesionale 5 +ProfId6=ID profesionale 6 +ProfId7=ID profesionale 7 +ProfId8=ID profesionale 8 +ProfId9=ID profesionale 9 +ProfId10=ID profesionale 10 +ProfId1AR=Prof. ID 1 (CUIT/CUIL) ProfId2AR=Prof Id 2 (Revenu brutes) ProfId3AR=- ProfId4AR=- ProfId5AR=- ProfId6AR=- -ProfId1AT=Prof Id 1 (USt.-IdNr) -ProfId2AT=Prof Id 2 (USt.-Nr) +ProfId1AT=Prof. ID 1 (USt.-IdNr) +ProfId2AT=Prof. ID 2 (USt.-Nr) ProfId3AT=Prof Id 3 (Handelsregister-Nr.) ProfId4AT=- -ProfId5AT=EORI number +ProfId5AT=Numri EORI ProfId6AT=- -ProfId1AU=Prof Id 1 (ABN) +ProfId1AU=Prof. ID 1 (ABN) ProfId2AU=- ProfId3AU=- ProfId4AU=- ProfId5AU=- ProfId6AU=- -ProfId1BE=Prof Id 1 (Professional number) +ProfId1BE=Prof. ID 1 (Numri profesional) ProfId2BE=- ProfId3BE=- ProfId4BE=- -ProfId5BE=EORI number +ProfId5BE=Numri EORI ProfId6BE=- ProfId1BR=- ProfId2BR=IE (Inscricao Estadual) @@ -149,11 +163,11 @@ ProfId3BR=IM (Inscricao Municipal) ProfId4BR=CPF #ProfId5BR=CNAE #ProfId6BR=INSS -ProfId1CH=UID-Nummer +ProfId1CH=UID-Numër ProfId2CH=- -ProfId3CH=Prof Id 1 (Federal number) -ProfId4CH=Prof Id 2 (Commercial Record number) -ProfId5CH=EORI number +ProfId3CH=Prof. ID 1 (numri federal) +ProfId4CH=Prof Id 2 (Numri i regjistrimit tregtar) +ProfId5CH=Numri EORI ProfId6CH=- ProfId1CL=Prof Id 1 (R.U.T.) ProfId2CL=- @@ -161,17 +175,17 @@ ProfId3CL=- ProfId4CL=- ProfId5CL=- ProfId6CL=- -ProfId1CM=Id. prof. 1 (Trade Register) -ProfId2CM=Id. prof. 2 (Taxpayer No.) -ProfId3CM=Id. prof. 3 (Decree of creation) -ProfId4CM=Id. prof. 4 (Certificate of deposits) -ProfId5CM=Id. prof. 5 (Others) +ProfId1CM=Id. prof. 1 (Regjistri tregtar) +ProfId2CM=Id. prof. 2 (Nr. Tatimpaguesi) +ProfId3CM=Id. prof. 3 (Nr. i dekretit të krijimit) +ProfId4CM=Id. prof. 4 (Nr. i certifikatës së depozitës) +ProfId5CM=Id. prof. 5 (Të tjerët) ProfId6CM=- -ProfId1ShortCM=Trade Register -ProfId2ShortCM=Taxpayer No. -ProfId3ShortCM=Decree of creation -ProfId4ShortCM=Certificate of deposits -ProfId5ShortCM=Others +ProfId1ShortCM=Regjistri tregtar +ProfId2ShortCM=Tatimpaguesi Nr. +ProfId3ShortCM=Nr. i dekretit të krijimit +ProfId4ShortCM=Nr. i certifikatës së depozitës +ProfId5ShortCM=Të tjerët ProfId6ShortCM=- ProfId1CO=Prof Id 1 (R.U.T.) ProfId2CO=- @@ -179,31 +193,39 @@ ProfId3CO=- ProfId4CO=- ProfId5CO=- ProfId6CO=- -ProfId1DE=Prof Id 1 (USt.-IdNr) -ProfId2DE=Prof Id 2 (USt.-Nr) +ProfId1DE=Prof. ID 1 (USt.-IdNr) +ProfId2DE=Prof. ID 2 (USt.-Nr) ProfId3DE=Prof Id 3 (Handelsregister-Nr.) ProfId4DE=- -ProfId5DE=EORI number +ProfId5DE=Numri EORI ProfId6DE=- -ProfId1ES=Prof Id 1 (CIF/NIF) -ProfId2ES=Prof Id 2 (Social security number) -ProfId3ES=Prof Id 3 (CNAE) -ProfId4ES=Prof Id 4 (Collegiate number) -ProfId5ES=Prof Id 5 (EORI number) +ProfId1ES=Prof. ID 1 (CIF/NIF) +ProfId2ES=Prof. ID 2 (numri i sigurimeve shoqërore) +ProfId3ES=Prof. ID 3 (CNAE) +ProfId4ES=Prof. ID 4 (numri kolegjial) +ProfId5ES=Prof. ID 5 (numri EORI) ProfId6ES=- -ProfId1FR=Prof Id 1 (SIREN) -ProfId2FR=Prof Id 2 (SIRET) -ProfId3FR=Prof Id 3 (NAF, old APE) -ProfId4FR=Prof Id 4 (RCS/RM) -ProfId5FR=Prof Id 5 (numéro EORI) +ProfId1FR=Prof. ID 1 (SIREN) +ProfId2FR=Prof. ID 2 (SIRET) +ProfId3FR=Prof Id 3 (NAF, APE e vjetër) +ProfId4FR=Prof. ID 4 (RCS/RM) +ProfId5FR=Prof. ID 5 (numri EORI) ProfId6FR=- -ProfId1ShortFR=SIREN +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- +ProfId1ShortFR=SIRENA ProfId2ShortFR=SIRET ProfId3ShortFR=NAF ProfId4ShortFR=RCS ProfId5ShortFR=EORI ProfId6ShortFR=- -ProfId1GB=Registration Number +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- +ProfId1GB=Numrin e regjistrimit ProfId2GB=- ProfId3GB=SIC ProfId4GB=- @@ -215,9 +237,9 @@ ProfId3HN=- ProfId4HN=- ProfId5HN=- ProfId6HN=- -ProfId1IN=Prof Id 1 (TIN) -ProfId2IN=Prof Id 2 (PAN) -ProfId3IN=Prof Id 3 (SRVC TAX) +ProfId1IN=Prof. ID 1 (TIN) +ProfId2IN=Prof. ID 2 (PAN) +ProfId3IN=Prof. ID 3 (TAXI SRVC) ProfId4IN=Prof Id 4 ProfId5IN=Prof Id 5 ProfId6IN=- @@ -225,37 +247,37 @@ ProfId1IT=- ProfId2IT=- ProfId3IT=- ProfId4IT=- -ProfId5IT=EORI number +ProfId5IT=Numri EORI ProfId6IT=- -ProfId1LU=Id. prof. 1 (R.C.S. Luxembourg) -ProfId2LU=Id. prof. 2 (Business permit) +ProfId1LU=Id. prof. 1 (R.C.S. Luksemburg) +ProfId2LU=Id. prof. 2 (Leje biznesi) ProfId3LU=- ProfId4LU=- -ProfId5LU=EORI number +ProfId5LU=Numri EORI ProfId6LU=- ProfId1MA=Id prof. 1 (R.C.) -ProfId2MA=Id prof. 2 (Patente) +ProfId2MA=Id prof. 2 (Patentë) ProfId3MA=Id prof. 3 (I.F.) ProfId4MA=Id prof. 4 (C.N.S.S.) ProfId5MA=Id prof. 5 (I.C.E.) ProfId6MA=- ProfId1MX=Prof Id 1 (R.F.C). ProfId2MX=Prof Id 2 (R..P. IMSS) -ProfId3MX=Prof Id 3 (Profesional Charter) +ProfId3MX=Prof Id 3 (Karta Profesionale) ProfId4MX=- ProfId5MX=- ProfId6MX=- -ProfId1NL=KVK nummer +ProfId1NL=Numri KVK ProfId2NL=- ProfId3NL=- ProfId4NL=Burgerservicenummer (BSN) -ProfId5NL=EORI number +ProfId5NL=Numri EORI ProfId6NL=- -ProfId1PT=Prof Id 1 (NIPC) -ProfId2PT=Prof Id 2 (Social security number) -ProfId3PT=Prof Id 3 (Commercial Record number) -ProfId4PT=Prof Id 4 (Conservatory) -ProfId5PT=Prof Id 5 (EORI number) +ProfId1PT=Prof. ID 1 (NIPC) +ProfId2PT=Prof. ID 2 (numri i sigurimeve shoqërore) +ProfId3PT=Prof. ID 3 (Numri i regjistrimit tregtar) +ProfId4PT=Prof Id 4 (Konservatori) +ProfId5PT=Prof. ID 5 (numri EORI) ProfId6PT=- ProfId1SN=RC ProfId2SN=NINEA @@ -263,237 +285,246 @@ ProfId3SN=- ProfId4SN=- ProfId5SN=- ProfId6SN=- -ProfId1TN=Prof Id 1 (RC) -ProfId2TN=Prof Id 2 (Fiscal matricule) -ProfId3TN=Prof Id 3 (Douane code) -ProfId4TN=Prof Id 4 (BAN) +ProfId1TN=Prof. ID 1 (RC) +ProfId2TN=Prof Id 2 (Matrica fiskale) +ProfId3TN=Prof Id 3 (kodi Douane) +ProfId4TN=Prof. ID 4 (BAN) ProfId5TN=- ProfId6TN=- -ProfId1US=Prof Id (FEIN) +ProfId1US=Prof. ID (FEIN) ProfId2US=- ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- -ProfId1RO=Prof Id 1 (CUI) +ProfId1RO=Prof. ID 1 (CUI) ProfId2RO=Prof Id 2 (Nr. Înmatriculare) -ProfId3RO=Prof Id 3 (CAEN) -ProfId4RO=Prof Id 5 (EUID) -ProfId5RO=Prof Id 5 (EORI number) +ProfId3RO=Prof. ID 3 (CAEN) +ProfId4RO=Prof. ID 5 (EUID) +ProfId5RO=Prof. ID 5 (numri EORI) ProfId6RO=- -ProfId1RU=Prof Id 1 (OGRN) -ProfId2RU=Prof Id 2 (INN) -ProfId3RU=Prof Id 3 (KPP) -ProfId4RU=Prof Id 4 (OKPO) +ProfId1RU=Prof. ID 1 (OGRN) +ProfId2RU=Prof. ID 2 (INN) +ProfId3RU=Prof ID 3 (KPP) +ProfId4RU=Prof. ID 4 (OKPO) ProfId5RU=- ProfId6RU=- ProfId1UA=Prof Id 1 (EDRPOU) -ProfId2UA=Prof Id 2 (DRFO) -ProfId3UA=Prof Id 3 (INN) -ProfId4UA=Prof Id 4 (Certificate) -ProfId5UA=Prof Id 5 (RNOKPP) +ProfId2UA=Prof. ID 2 (DRFO) +ProfId3UA=Prof. ID 3 (INN) +ProfId4UA=Prof. ID 4 (Certifikatë) +ProfId5UA=Prof. ID 5 (RNOKPP) ProfId6UA=Prof Id 6 (TRDPAU) ProfId1DZ=RC ProfId2DZ=Art. ProfId3DZ=NIF ProfId4DZ=NIS -VATIntra=VAT ID -VATIntraShort=VAT ID -VATIntraSyntaxIsValid=Syntax is valid -VATReturn=VAT return -ProspectCustomer=Prospect / Customer -Prospect=Prospect -CustomerCard=Customer Card +VATIntra=ID e TVSH-së +VATIntraShort=ID e TVSH-së +VATIntraSyntaxIsValid=Sintaksa është e vlefshme +VATReturn=Deklarata e TVSH-së +ProspectCustomer=Perspektivë / Klient +Prospect=Perspektiva +CustomerCard=Karta e Klientit Customer=Klienti -CustomerRelativeDiscount=Relative customer discount -SupplierRelativeDiscount=Relative vendor discount -CustomerRelativeDiscountShort=Relative discount -CustomerAbsoluteDiscountShort=Absolute discount -CompanyHasRelativeDiscount=This customer has a default discount of %s%% -CompanyHasNoRelativeDiscount=This customer has no relative discount by default -HasRelativeDiscountFromSupplier=You have a default discount of %s%% from this vendor -HasNoRelativeDiscountFromSupplier=You have no default relative discount from this vendor -CompanyHasAbsoluteDiscount=This customer has discounts available (credits notes or down payments) for %s %s -CompanyHasDownPaymentOrCommercialDiscount=This customer has discounts available (commercial, down payments) for %s %s -CompanyHasCreditNote=This customer still has credit notes for %s %s -HasNoAbsoluteDiscountFromSupplier=You have no discount credit available from this vendor -HasAbsoluteDiscountFromSupplier=You have discounts available (credits notes or down payments) for %s %s from this vendor -HasDownPaymentOrCommercialDiscountFromSupplier=You have discounts available (commercial, down payments) for %s %s from this vendor -HasCreditNoteFromSupplier=You have credit notes for %s %s from this vendor -CompanyHasNoAbsoluteDiscount=This customer has no discount credit available -CustomerAbsoluteDiscountAllUsers=Absolute customer discounts (granted by all users) -CustomerAbsoluteDiscountMy=Absolute customer discounts (granted by yourself) -SupplierAbsoluteDiscountAllUsers=Absolute vendor discounts (entered by all users) -SupplierAbsoluteDiscountMy=Absolute vendor discounts (entered by yourself) -DiscountNone=None -Vendor=Vendor -Supplier=Vendor -AddContact=Create contact -AddContactAddress=Create contact/address -EditContact=Edit contact -EditContactAddress=Edit contact/address -Contact=Contact/Address -Contacts=Kontakte/Adresa -ContactId=Contact id -ContactsAddresses=Kontakte/Adresa +CustomerRelativeDiscount=Zbritje relative e klientit +SupplierRelativeDiscount=Zbritje relative nga shitësi +CustomerRelativeDiscountShort=Zbritje relative +CustomerAbsoluteDiscountShort=Zbritje absolute +CompanyHasRelativeDiscount=Ky klient ka një zbritje të paracaktuar prej %s%%
      'notranslate'> +CompanyHasNoRelativeDiscount=Ky klient nuk ka zbritje relative si parazgjedhje +HasRelativeDiscountFromSupplier=Ju keni një zbritje të paracaktuar prej %s%%
      me këtë shitës +HasNoRelativeDiscountFromSupplier=Nuk ka zbritje relative të paracaktuar me këtë shitës +CompanyHasAbsoluteDiscount=Ky klient ka zbritje të disponueshme (shënime krediti ose pagesa paraprake) për %sb09a17f739f span> %s +CompanyHasDownPaymentOrCommercialDiscount=Ky klient ka zbritje të disponueshme (komerciale, pagesa paraprake) për %sb09a4b78z01s > %s +CompanyHasCreditNote=Ky klient ka ende shënime krediti për %s 'notranslate'>%s +HasNoAbsoluteDiscountFromSupplier=Nuk ofrohet zbritje/kredi nga ky shitës +HasAbsoluteDiscountFromSupplier=Ju keni zbritje në dispozicion (shënime krediti ose pagesa paraprake) për %sb09a17b739f > %s nga ky shitës +HasDownPaymentOrCommercialDiscountFromSupplier=Keni zbritje të disponueshme (komerciale, parapagime) për %sb09a4b78z0f17> %s nga ky shitës +HasCreditNoteFromSupplier=Ju keni shënime krediti për %s%s nga ky shitës +CompanyHasNoAbsoluteDiscount=Ky klient nuk disponon kredi me zbritje +CustomerAbsoluteDiscountAllUsers=Zbritje absolute të klientëve (të dhëna nga të gjithë përdoruesit) +CustomerAbsoluteDiscountMy=Zbritje absolute të klientëve (të dhënë nga ju) +SupplierAbsoluteDiscountAllUsers=Zbritje absolute të shitësve (të futura nga të gjithë përdoruesit) +SupplierAbsoluteDiscountMy=Zbritje absolute të shitësve (të futura vetë) +DiscountNone=Asnje +Vendor=Shitësi +Supplier=Shitësi +AddContact=Krijo kontakt +AddContactAddress=Krijo kontakt / adresë +EditContact=Redakto kontaktin +EditContactAddress=Redakto kontaktin/adresën +Contact=Adresa e kontaktit +Contacts=Kontaktet/Adresat +ContactId=ID e kontaktit +ContactsAddresses=Kontaktet/Adresat FromContactName=Emri: -NoContactDefinedForThirdParty=No contact defined for this third party -NoContactDefined=No contact defined -DefaultContact=Default contact/address -ContactByDefaultFor=Default contact/address for -AddThirdParty=Create third party -DeleteACompany=Fshij kompani -PersonalInformations=Të dhëna personale -AccountancyCode=Accounting account -CustomerCode=Customer Code -SupplierCode=Vendor Code -CustomerCodeShort=Customer Code -SupplierCodeShort=Vendor Code -CustomerCodeDesc=Customer Code, unique for all customers -SupplierCodeDesc=Vendor Code, unique for all vendors -RequiredIfCustomer=Required if third party is a customer or prospect -RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by the module -ThisIsModuleRules=Rules for this module -ProspectToContact=Prospect to contact -CompanyDeleted=Company "%s" deleted from database. -ListOfContacts=List of contacts/addresses -ListOfContactsAddresses=List of contacts/addresses -ListOfThirdParties=List of Third Parties -ShowCompany=Third Party -ShowContact=Contact-Address -ContactsAllShort=All (No filter) -ContactType=Contact role -ContactForOrders=Order's contact -ContactForOrdersOrShipments=Order's or shipment's contact -ContactForProposals=Proposal's contact -ContactForContracts=Contract's contact -ContactForInvoices=Invoice's contact -NoContactForAnyOrder=This contact is not a contact for any order -NoContactForAnyOrderOrShipments=This contact is not a contact for any order or shipment -NoContactForAnyProposal=This contact is not a contact for any commercial proposal -NoContactForAnyContract=This contact is not a contact for any contract -NoContactForAnyInvoice=This contact is not a contact for any invoice -NewContact=New contact -NewContactAddress=New Contact/Address -MyContacts=My contacts -Capital=Capital -CapitalOf=Capital of %s -EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer or vendor -VATIntraCheck=Check -VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do -VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commission website -VATIntraManualCheck=You can also check manually on the European Commission website %s -ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s). -NorProspectNorCustomer=Not prospect, nor customer -JuridicalStatus=Business entity type -Workforce=Workforce +NoContactDefinedForThirdParty=Asnjë kontakt i përcaktuar për këtë palë të tretë +NoContactDefined=Asnjë kontakt i përcaktuar +DefaultContact=Kontakti/adresa e parazgjedhur +ContactByDefaultFor=Kontakti/adresa e parazgjedhur për +AddThirdParty=Krijo palë të tretë +DeleteACompany=Fshi një kompani +PersonalInformations=Te dhena Personale +AccountancyCode=Llogaria e kontabilitetit +CustomerCode=Kodi i Klientit +SupplierCode=Kodi i shitësit +CustomerCodeShort=Kodi i Klientit +SupplierCodeShort=Kodi i shitësit +CustomerCodeDesc=Kodi i Klientit, unik për të gjithë klientët +SupplierCodeDesc=Kodi i shitësit, unik për të gjithë shitësit +RequiredIfCustomer=Kërkohet nëse pala e tretë është klient ose klient i mundshëm +RequiredIfSupplier=Kërkohet nëse pala e tretë është shitës +ValidityControledByModule=Vlefshmëria e kontrolluar nga moduli +ThisIsModuleRules=Rregullat për këtë modul +ProspectToContact=Perspektiva për të kontaktuar +CompanyDeleted=Kompania "%s" u fshi nga baza e të dhënave. +ListOfContacts=Lista e kontakteve/adresave +ListOfContactsAddresses=Lista e kontakteve/adresave +ListOfThirdParties=Lista e Palëve të Treta +ShowCompany=Pala e tretë +ShowContact=Adresa e kontaktit +ContactsAllShort=Të gjitha (pa filtër) +ContactType=Roli i kontaktit +ContactForOrders=Kontakti i porosisë +ContactForOrdersOrShipments=Kontakti i porosisë ose dërgesës +ContactForProposals=Kontakti i propozimit +ContactForContracts=Kontakti i kontratës +ContactForInvoices=Kontakti i faturës +NoContactForAnyOrder=Ky kontakt nuk është kontakt për ndonjë porosi +NoContactForAnyOrderOrShipments=Ky kontakt nuk është një kontakt për ndonjë porosi ose dërgesë +NoContactForAnyProposal=Ky kontakt nuk është një kontakt për ndonjë propozim tregtar +NoContactForAnyContract=Ky kontakt nuk është kontakt për asnjë kontratë +NoContactForAnyInvoice=Ky kontakt nuk është kontakt për asnjë faturë +NewContact=Kontakt i ri +NewContactAddress=Kontakt/Adresë e re +MyContacts=Kontaktet e mia +Capital=Kapitali +CapitalOf=Kapitali i %s +EditCompany=Redaktoni kompaninë +ThisUserIsNot=Ky përdorues nuk është një klient i mundshëm ose shitës +VATIntraCheck=Kontrollo +VATIntraCheckDesc=ID-ja e TVSH-së duhet të përfshijë prefiksin e shtetit. Lidhja %s përdor kontrolluesin evropian VAT) (VIES) e cila kërkon qasje në internet nga serveri Dolibarr. +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation +VATIntraCheckableOnEUSite=Kontrolloni ID-në e TVSH-së brenda Komunitetit në faqen e internetit të Komisionit Evropian +VATIntraManualCheck=Ju gjithashtu mund të kontrolloni manualisht në faqen e internetit të Komisionit Evropian %s +ErrorVATCheckMS_UNAVAILABLE=Kontrolli nuk është i mundur. Shërbimi i kontrollit nuk ofrohet nga shteti anëtar (%s). +NorProspectNorCustomer=As perspektivë, as klient +JuridicalStatus=Lloji i subjektit të biznesit +Workforce=Fuqia punëtore Staff=Punonjësit -ProspectLevelShort=Potential -ProspectLevel=Prospect potential -ContactPrivate=Private -ContactPublic=Shared -ContactVisibility=Visibility -ContactOthers=Tjetër -OthersNotLinkedToThirdParty=Others, not linked to a third party -ProspectStatus=Prospect status -PL_NONE=None -PL_UNKNOWN=Unknown -PL_LOW=Low -PL_MEDIUM=Medium -PL_HIGH=High +ProspectLevelShort=Potenciali +ProspectLevel=Potenciali i perspektivës +ContactPrivate=Privat +ContactPublic=Të përbashkëta +ContactVisibility=Dukshmëria +ContactOthers=Të tjera +OthersNotLinkedToThirdParty=Të tjera, jo të lidhura me një palë të tretë +ProspectStatus=Statusi i perspektivës +PL_NONE=Asnje +PL_UNKNOWN=E panjohur +PL_LOW=E ulët +PL_MEDIUM=E mesme +PL_HIGH=Lartë TE_UNKNOWN=- -TE_STARTUP=Startup +TE_STARTUP=Fillimi TE_GROUP=Kompani e madhe TE_MEDIUM=Kompani e mesme -TE_ADMIN=Qeveritar +TE_ADMIN=Qeveritare TE_SMALL=Kompani e vogël -TE_RETAIL=Retailer -TE_WHOLE=Wholesaler -TE_PRIVATE=Private individual -TE_OTHER=Tjetër -StatusProspect-1=Do not contact -StatusProspect0=Never contacted -StatusProspect1=To be contacted -StatusProspect2=Contact in process -StatusProspect3=Contact done -ChangeDoNotContact=Change status to 'Do not contact' -ChangeNeverContacted=Change status to 'Never contacted' -ChangeToContact=Change status to 'To be contacted' -ChangeContactInProcess=Change status to 'Contact in process' -ChangeContactDone=Change status to 'Contact done' -ProspectsByStatus=Prospects by status -NoParentCompany=None -ExportCardToFormat=Export card to format -ContactNotLinkedToCompany=Contact not linked to any third party -DolibarrLogin=Dolibarr login -NoDolibarrAccess=No Dolibarr access -ExportDataset_company_1=Third-parties (companies/foundations/physical people) and their properties -ExportDataset_company_2=Contacts and their properties -ImportDataset_company_1=Third-parties and their properties -ImportDataset_company_2=Third-parties additional contacts/addresses and attributes -ImportDataset_company_3=Third-parties Bank accounts -ImportDataset_company_4=Third-parties Sales representatives (assign sales representatives/users to companies) -PriceLevel=Price Level -PriceLevelLabels=Price Level Labels -DeliveryAddress=Delivery address -AddAddress=Shto adresë -SupplierCategory=Vendor category -JuridicalStatus200=Independent -DeleteFile=Fshi skedar -ConfirmDeleteFile=Are you sure you want to delete this file? -AllocateCommercial=Assigned to sales representative -Organization=Organization -FiscalYearInformation=Fiscal Year -FiscalMonthStart=Starting month of the fiscal year -SocialNetworksInformation=Social networks -SocialNetworksFacebookURL=Facebook URL -SocialNetworksTwitterURL=Twitter URL -SocialNetworksLinkedinURL=Linkedin URL -SocialNetworksInstagramURL=Instagram URL -SocialNetworksYoutubeURL=Youtube URL -SocialNetworksGithubURL=Github URL -YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. -YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party -ListSuppliersShort=List of Vendors -ListProspectsShort=List of Prospects -ListCustomersShort=List of Customers -ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s Third Parties which were modified -UniqueThirdParties=Total number of Third Parties +TE_RETAIL=Shitës me pakicë +TE_WHOLE=Shitës me shumicë +TE_PRIVATE=Individ privat +TE_OTHER=Të tjera +StatusProspect-1=Mos kontaktoni +StatusProspect0=Asnjëherë i kontaktuar +StatusProspect1=Për tu kontaktuar +StatusProspect2=Kontakti në proces +StatusProspect3=Kontakti u krye +ChangeDoNotContact=Ndrysho statusin në "Mos kontakto" +ChangeNeverContacted=Ndrysho statusin në "Nuk u kontaktova kurrë" +ChangeToContact=Ndrysho statusin në "Për t'u kontaktuar" +ChangeContactInProcess=Ndrysho statusin në "Kontakti në proces" +ChangeContactDone=Ndrysho statusin në "Kontakti u krye" +ProspectsByStatus=Perspektivat sipas statusit +NoParentCompany=Asnje +ExportCardToFormat=Eksporto kartën në format +ContactNotLinkedToCompany=Kontakti nuk është i lidhur me asnjë palë të tretë +DolibarrLogin=Dolibarr hyrje +NoDolibarrAccess=Nuk ka qasje në Dolibarr +ExportDataset_company_1=Palët e treta (kompani / fondacione / persona fizikë) dhe pronat e tyre +ExportDataset_company_2=Kontaktet dhe vetitë e tyre +ImportDataset_company_1=Palët e treta dhe pronat e tyre +ImportDataset_company_2=Kontakte/adresa dhe atribute shtesë të palëve të treta +ImportDataset_company_3=Llogaritë bankare të palëve të treta +ImportDataset_company_4=Përfaqësuesit e shitjeve të palëve të treta (caktoni përfaqësues/përdorues shitjesh për kompanitë) +PriceLevel=Niveli i çmimeve +PriceLevelLabels=Etiketat e nivelit të çmimeve +DeliveryAddress=Adresa e dorëzimit +AddAddress=Shto adresën +SupplierCategory=Kategoria e shitësve +JuridicalStatus200=I pavarur +DeleteFile=Fshi skedarin +ConfirmDeleteFile=Jeni të sigurt që dëshironi ta fshini këtë skedar %sTaxes module setup to modify rules for calculation -TaxModuleSetupToModifyRulesLT=Go to Company setup to modify rules for calculation -OptionMode=Option for accountancy -OptionModeTrue=Option Incomes-Expenses -OptionModeVirtual=Option Claims-Debts -OptionModeTrueDesc=In this context, the turnover is calculated over payments (date of payments). The validity of the figures is assured only if the book-keeping is scrutinized through the input/output on the accounts via invoices. -OptionModeVirtualDesc=In this context, the turnover is calculated over invoices (date of validation). When these invoices are due, whether they have been paid or not, they are listed in the turnover output. -FeatureIsSupportedInInOutModeOnly=Feature only available in CREDITS-DEBTS accountancy mode (See Accountancy module configuration) -VATReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Tax module setup. -LTReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Company setup. -Param=Konfiguro -RemainingAmountPayment=Amount payment remaining: -Account=Account -Accountparent=Parent account -Accountsparent=Parent accounts -Income=Income -Outcome=Expense -MenuReportInOut=Income / Expense -ReportInOut=Balance of income and expenses -ReportTurnover=Turnover invoiced -ReportTurnoverCollected=Turnover collected -PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party -PaymentsNotLinkedToUser=Payments not linked to any user -Profit=Profit -AccountingResult=Accounting result -BalanceBefore=Balance (before) -Balance=Balance -Debit=Debit -Credit=Credit -Piece=Accounting Doc. -AmountHTVATRealReceived=Net collected -AmountHTVATRealPaid=Net paid -VATToPay=Tax sales -VATReceived=Tax received -VATToCollect=Tax purchases -VATSummary=Tax monthly -VATBalance=Tax Balance -VATPaid=Tax paid -LT1Summary=Tax 2 summary -LT2Summary=Tax 3 summary -LT1SummaryES=RE Balance -LT2SummaryES=IRPF Balance -LT1SummaryIN=CGST Balance -LT2SummaryIN=SGST Balance -LT1Paid=Tax 2 paid -LT2Paid=Tax 3 paid -LT1PaidES=RE Paid -LT2PaidES=IRPF Paid -LT1PaidIN=CGST Paid -LT2PaidIN=SGST Paid -LT1Customer=Tax 2 sales -LT1Supplier=Tax 2 purchases -LT1CustomerES=RE sales -LT1SupplierES=RE purchases -LT1CustomerIN=CGST sales -LT1SupplierIN=CGST purchases -LT2Customer=Tax 3 sales -LT2Supplier=Tax 3 purchases -LT2CustomerES=IRPF sales -LT2SupplierES=IRPF purchases -LT2CustomerIN=SGST sales -LT2SupplierIN=SGST purchases -VATCollected=VAT collected -StatusToPay=To pay -SpecialExpensesArea=Area for all special payments -VATExpensesArea=Area for all TVA payments -SocialContribution=Social or fiscal tax -SocialContributions=Social or fiscal taxes -SocialContributionsDeductibles=Deductible social or fiscal taxes -SocialContributionsNondeductibles=Nondeductible social or fiscal taxes -DateOfSocialContribution=Date of social or fiscal tax -LabelContrib=Label contribution -TypeContrib=Type contribution -MenuSpecialExpenses=Special expenses -MenuTaxAndDividends=Taxes and dividends -MenuSocialContributions=Social/fiscal taxes -MenuNewSocialContribution=New social/fiscal tax -NewSocialContribution=New social/fiscal tax -AddSocialContribution=Add social/fiscal tax -ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Billing and payment area -NewPayment=New payment -PaymentCustomerInvoice=Customer invoice payment -PaymentSupplierInvoice=vendor invoice payment -PaymentSocialContribution=Social/fiscal tax payment -PaymentVat=VAT payment -AutomaticCreationPayment=Automatically record the payment -ListPayment=List of payments -ListOfCustomerPayments=List of customer payments -ListOfSupplierPayments=List of vendor payments -DateStartPeriod=Date start period -DateEndPeriod=Date end period -newLT1Payment=New tax 2 payment -newLT2Payment=New tax 3 payment -LT1Payment=Tax 2 payment -LT1Payments=Tax 2 payments -LT2Payment=Tax 3 payment -LT2Payments=Tax 3 payments -newLT1PaymentES=New RE payment -newLT2PaymentES=New IRPF payment -LT1PaymentES=RE Payment -LT1PaymentsES=RE Payments -LT2PaymentES=IRPF Payment -LT2PaymentsES=IRPF Payments -VATPayment=Sales tax payment -VATPayments=Sales tax payments -VATDeclarations=VAT declarations -VATDeclaration=VAT declaration -VATRefund=Sales tax refund -NewVATPayment=New sales tax payment -NewLocalTaxPayment=New tax %s payment -Refund=Refund -SocialContributionsPayments=Social/fiscal taxes payments -ShowVatPayment=Show VAT payment -TotalToPay=Total to pay -BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters) -CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=Vendor accounting code -CustomerAccountancyCodeShort=Cust. account. code -SupplierAccountancyCodeShort=Sup. account. code -AccountNumber=Account number -NewAccountingAccount=New account -Turnover=Turnover invoiced -TurnoverCollected=Turnover collected -SalesTurnoverMinimum=Minimum turnover -ByExpenseIncome=By expenses & incomes -ByThirdParties=By third parties -ByUserAuthorOfInvoice=By invoice author -CheckReceipt=Check deposit -CheckReceiptShort=Check deposit -LastCheckReceiptShort=Latest %s check receipts -NewCheckReceipt=New discount -NewCheckDeposit=New check deposit -NewCheckDepositOn=Create receipt for deposit on account: %s -NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check receiving date -NbOfCheques=No. of checks -PaySocialContribution=Pay a social/fiscal tax -PayVAT=Pay a VAT declaration -PaySalary=Pay a salary card -ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid ? -ConfirmPayVAT=Are you sure you want to classify this VAT declaration as paid ? -ConfirmPaySalary=Are you sure you want to classify this salary card as paid? -DeleteSocialContribution=Delete a social or fiscal tax payment -DeleteVAT=Delete a VAT declaration -DeleteSalary=Delete a salary card -ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment ? -ConfirmDeleteVAT=Are you sure you want to delete this VAT declaration ? -ConfirmDeleteSalary=Are you sure you want to delete this salary? -ExportDataset_tax_1=Social and fiscal taxes and payments -CalcModeVATDebt=Mode %sVAT on commitment accounting%s. -CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s. -CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger. -CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger. -CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table. -CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s -CalcModeLT1Debt=Mode %sRE on customer invoices%s -CalcModeLT1Rec= Mode %sRE on suppliers invoices%s -CalcModeLT2= Mode %sIRPF on customer invoices - suppliers invoices%s -CalcModeLT2Debt=Mode %sIRPF on customer invoices%s -CalcModeLT2Rec= Mode %sIRPF on suppliers invoices%s -AnnualSummaryDueDebtMode=Balance of income and expenses, annual summary -AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary -AnnualByCompanies=Balance of income and expenses, by predefined groups of account -AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting. -AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting. -SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger -SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger -SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table -RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included -RulesAmountWithTaxExcluded=- Amounts of invoices shown are with all taxes excluded -RulesResultDue=- It includes all invoices, expenses, VAT, donations, salaries, whether they are paid or not.
      - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries, the date of end of period is used. -RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries.
      - It is based on the payment dates of the invoices, expenses, VAT, donations and salaries. -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
      - It is based on the billing date of these invoices.
      -RulesCAIn=- It includes all the effective payments of invoices received from customers.
      - It is based on the payment date of these invoices
      -RulesCATotalSaleJournal=It includes all credit lines from the Sale journal. -RulesSalesTurnoverOfIncomeAccounts=It includes (credit - debit) of lines for product accounts in group INCOME -RulesAmountOnInOutBookkeepingRecord=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" -RulesResultBookkeepingPredefined=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" -RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting accounts grouped by personalized groups -SeePageForSetup=See menu %s for setup -DepositsAreNotIncluded=- Down payment invoices are not included -DepositsAreIncluded=- Down payment invoices are included -LT1ReportByMonth=Tax 2 report by month -LT2ReportByMonth=Tax 3 report by month -LT1ReportByCustomers=Report tax 2 by third party -LT2ReportByCustomers=Report tax 3 by third party -LT1ReportByCustomersES=Report by third party RE -LT2ReportByCustomersES=Report by third party IRPF -VATReport=Sales tax report -VATReportByPeriods=Sales tax report by period -VATReportByMonth=Sales tax report by month -VATReportByRates=Sales tax report by rate -VATReportByThirdParties=Sales tax report by third party -VATReportByCustomers=Sales tax report by customer -VATReportByCustomersInInputOutputMode=Report by the customer VAT collected and paid -VATReportByQuartersInInputOutputMode=Report by Sales tax rate of the tax collected and paid -VATReportShowByRateDetails=Show details of this rate -LT1ReportByQuarters=Report tax 2 by rate -LT2ReportByQuarters=Report tax 3 by rate -LT1ReportByQuartersES=Report by RE rate -LT2ReportByQuartersES=Report by IRPF rate -SeeVATReportInInputOutputMode=See report %sVAT collection%s for a standard calculation -SeeVATReportInDueDebtMode=See report %sVAT on debit%s for a calculation with an option on the invoicing -RulesVATInServices=- For services, the report includes the VAT of payments actually received or paid on the basis of the date of payment. -RulesVATInProducts=- For material assets, the report includes the VAT on the basis of the date of payment. -RulesVATDueServices=- For services, the report includes VAT of due invoices, paid or not, based on the invoice date. -RulesVATDueProducts=- For material assets, the report includes the VAT of due invoices, based on the invoice date. -OptionVatInfoModuleComptabilite=Note: For material assets, it should use the date of delivery to be more fair. -ThisIsAnEstimatedValue=This is a preview, based on business events and not from the final ledger table, so final results may differ from this preview values -PercentOfInvoice=%%/invoice -NotUsedForGoods=Not used on goods -ProposalStats=Statistics on proposals -OrderStats=Statistics on orders -InvoiceStats=Statistics on bills -Dispatch=Dispatching -Dispatched=Dispatched -ToDispatch=To dispatch -ThirdPartyMustBeEditAsCustomer=Third party must be defined as a customer -SellsJournal=Sales Journal -PurchasesJournal=Purchases Journal -DescSellsJournal=Sales Journal -DescPurchasesJournal=Purchases Journal -CodeNotDef=Not defined -WarningDepositsNotIncluded=Down payment invoices are not included in this version with this accountancy module. -DatePaymentTermCantBeLowerThanObjectDate=Payment term date can't be lower than object date. -Pcg_version=Chart of accounts models -Pcg_type=Pcg type -Pcg_subtype=Pcg subtype -InvoiceLinesToDispatch=Invoice lines to dispatch -ByProductsAndServices=By product and service -RefExt=External ref -ToCreateAPredefinedInvoice=To create a template invoice, create a standard invoice, then, without validating it, click on button "%s". -LinkedOrder=Link to order -Mode1=Method 1 -Mode2=Method 2 -CalculationRuleDesc=To calculate total VAT, there is two methods:
      Method 1 is rounding vat on each line, then summing them.
      Method 2 is summing all vat on each line, then rounding result.
      Final result may differs from few cents. Default mode is mode %s. -CalculationRuleDescSupplier=According to vendor, choose appropriate method to apply same calculation rule and get same result expected by your vendor. -TurnoverPerProductInCommitmentAccountingNotRelevant=The report of Turnover collected per product is not available. This report is only available for turnover invoiced. -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The report of Turnover collected per sale tax rate is not available. This report is only available for turnover invoiced. -CalculationMode=Calculation mode -AccountancyJournal=Accounting code journal -ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_BUY_ACCOUNT=Accounting account by default for VAT on purchases (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_PAY_ACCOUNT=Accounting account by default for paying VAT -ACCOUNTING_ACCOUNT_CUSTOMER=Accounting account used for customer third parties -ACCOUNTING_ACCOUNT_CUSTOMER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated customer accounting account on third party is not defined. -ACCOUNTING_ACCOUNT_SUPPLIER=Accounting account used for vendor third parties -ACCOUNTING_ACCOUNT_SUPPLIER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated vendor accounting account on third party is not defined. -ConfirmCloneTax=Confirm the clone of a social/fiscal tax -ConfirmCloneVAT=Confirm the clone of a VAT declaration -ConfirmCloneSalary=Confirm the clone of a salary -CloneTaxForNextMonth=Clone it for next month -SimpleReport=Simple report -AddExtraReport=Extra reports (add foreign and national customer report) -OtherCountriesCustomersReport=Foreign customers report -BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=Based on the two first letters of the VAT number being different from your own company's country code -SameCountryCustomersWithVAT=National customers report -BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Based on the two first letters of the VAT number being the same as your own company's country code -LinkedFichinter=Link to an intervention -ImportDataset_tax_contrib=Social/fiscal taxes -ImportDataset_tax_vat=Vat payments -ErrorBankAccountNotFound=Error: Bank account not found -FiscalPeriod=Accounting period -ListSocialContributionAssociatedProject=List of social contributions associated with the project -DeleteFromCat=Remove from accounting group -AccountingAffectation=Accounting assignment -LastDayTaxIsRelatedTo=Last day of period the tax is related to -VATDue=Sale tax claimed -ClaimedForThisPeriod=Claimed for the period -PaidDuringThisPeriod=Paid for this period -PaidDuringThisPeriodDesc=This is the sum of all payments linked to VAT declarations which have an end-of-period date in the selected date range -ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover invoiced by sale tax rate -TurnoverCollectedbyVatrate=Turnover collected by sale tax rate -PurchasebyVatrate=Purchase by sale tax rate -LabelToShow=Short label -PurchaseTurnover=Purchase turnover -PurchaseTurnoverCollected=Purchase turnover collected -RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
      - It is based on the invoice date of these invoices.
      -RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers.
      - It is based on the payment date of these invoices
      -RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal. -RulesPurchaseTurnoverOfExpenseAccounts=It includes (debit - credit) of lines for product accounts in group EXPENSE -ReportPurchaseTurnover=Purchase turnover invoiced -ReportPurchaseTurnoverCollected=Purchase turnover collected -IncludeVarpaysInResults = Include various payments in reports -IncludeLoansInResults = Include loans in reports -InvoiceLate30Days = Invoices late (> 30 days) -InvoiceLate15Days = Invoices late (15 to 30 days) -InvoiceLateMinus15Days = Invoices late (< 15 days) -InvoiceNotLate = To be collected (< 15 days) -InvoiceNotLate15Days = To be collected (15 to 30 days) -InvoiceNotLate30Days = To be collected (> 30 days) -InvoiceToPay=To pay (< 15 days) -InvoiceToPay15Days=To pay (15 to 30 days) -InvoiceToPay30Days=To pay (> 30 days) -ConfirmPreselectAccount=Preselect accountancy code -ConfirmPreselectAccountQuestion=Are you sure you want to preselect the %s selected lines with this accountancy code ? +MenuFinancial=Faturimi | Pagesa +TaxModuleSetupToModifyRules=Shko te Konfigurimi i modulit të taksave për të modifikuar rregullat për llogaritjen +TaxModuleSetupToModifyRulesLT=Shko te Konfigurimi i kompanisë për të modifikuar rregullat për llogaritjen +OptionMode=Opsioni për kontabilitet +OptionModeTrue=Opsioni Ardhurat-Shpenzimet +OptionModeVirtual=Opsioni Kërkesa-Borxhet +OptionModeTrueDesc=Në këtë kontekst, qarkullimi llogaritet mbi pagesat (data e pagesave). Vlefshmëria e shifrave sigurohet vetëm nëse mbajtja e kontabilitetit shqyrtohet me input/output në llogari nëpërmjet faturave. +OptionModeVirtualDesc=Në këtë kontekst, qarkullimi llogaritet mbi fatura (data e validimit). Kur këto fatura janë të paguara, pavarësisht nëse janë paguar apo jo, ato renditen në xhiron e prodhimit. +FeatureIsSupportedInInOutModeOnly=Funksioni disponohet vetëm në modalitetin e kontabilitetit KREDITË-BORXHET (Shihni konfigurimin e modulit të kontabilitetit) +VATReportBuildWithOptionDefinedInModule=Shumat e paraqitura këtu llogariten duke përdorur rregullat e përcaktuara nga konfigurimi i modulit tatimor. +LTReportBuildWithOptionDefinedInModule=Shumat e paraqitura këtu llogariten duke përdorur rregullat e përcaktuara nga konfigurimi i Kompanisë. +Param=Konfigurimi +RemainingAmountPayment=Shuma e mbetur e pagesës: +Account=Llogaria +Accountparent=Llogaria e prindit +Accountsparent=Llogaritë e prindërve +Income=Të ardhura +Outcome=Shpenzimet +MenuReportInOut=Të ardhura/shpenzime +ReportInOut=Bilanci i të ardhurave dhe shpenzimeve +ReportTurnover=Qarkullimi i faturuar +ReportTurnoverCollected=Qarkullimi i mbledhur +PaymentsNotLinkedToInvoice=Pagesat nuk janë të lidhura me asnjë faturë, pra nuk lidhen me asnjë palë të tretë +PaymentsNotLinkedToUser=Pagesat nuk lidhen me asnjë përdorues +Profit=Fitimi +AccountingResult=Rezultati i kontabilitetit +BalanceBefore=Bilanci (më parë) +Balance=Bilanci +Debit=Debiti +Credit=Kredia +AccountingDebit=Debiti +AccountingCredit=Kredia +Piece=Kontabiliteti Doc. +AmountHTVATRealReceived=Neto e mbledhur +AmountHTVATRealPaid=E paguar neto +VATToPay=Shitjet tatimore +VATReceived=Taksa e marrë +VATToCollect=Blerjet tatimore +VATSummary=Taksa mujore +VATBalance=Bilanci tatimor +VATPaid=Taksa e paguar +LT1Summary=Përmbledhja e tatimit 2 +LT2Summary=Përmbledhja e tatimit 3 +LT1SummaryES=Bilanci i RE +LT2SummaryES=Bilanci IRPF +LT1SummaryIN=Bilanci i CGST +LT2SummaryIN=Bilanci i SGST +LT1Paid=Taksa 2 e paguar +LT2Paid=Taksa 3 e paguar +LT1PaidES=RE e paguar +LT2PaidES=IRPF e paguar +LT1PaidIN=CGST e paguar +LT2PaidIN=SGST e paguar +LT1Customer=Tatimi 2 i shitjeve +LT1Supplier=Tatim 2 blerjet +LT1CustomerES=Shitjet RE +LT1SupplierES=Blerjet RE +LT1CustomerIN=Shitjet CGST +LT1SupplierIN=Blerjet CGST +LT2Customer=Tatimi 3 i shitjeve +LT2Supplier=Tatim 3 blerjet +LT2CustomerES=Shitjet IRPF +LT2SupplierES=Blerjet IRPF +LT2CustomerIN=Shitjet SGST +LT2SupplierIN=Blerjet SGST +VATCollected=TVSH e mbledhur +StatusToPay=Te paguash +SpecialExpensesArea=Zona për të gjitha pagesat speciale +VATExpensesArea=Zona për të gjitha pagesat e TVA +SocialContribution=Taksa sociale ose fiskale +SocialContributions=Taksat sociale ose fiskale +SocialContributionsDeductibles=Taksat sociale ose fiskale të zbritshme +SocialContributionsNondeductibles=Taksat sociale ose fiskale të pazbritshme +DateOfSocialContribution=Data e tatimit social ose fiskal +LabelContrib=Kontributi etiketë +TypeContrib=Lloji i kontributit +MenuSpecialExpenses=Shpenzime të veçanta +MenuTaxAndDividends=Taksat dhe dividentët +MenuSocialContributions=Taksat sociale/fiskale +MenuNewSocialContribution=Taksë e re sociale/fiskale +NewSocialContribution=Taksë e re sociale/fiskale +AddSocialContribution=Shto taksën sociale/fiskale +ContributionsToPay=Taksat sociale/fiskale për të paguar +AccountancyTreasuryArea=Fusha e kontabilitetit +InvoicesArea=Zona e faturimit dhe pagesave +NewPayment=Pagesë e re +PaymentCustomerInvoice=Pagesa e faturës së klientit +PaymentSupplierInvoice=pagesa e faturës së shitësit +PaymentSocialContribution=Pagesa e taksës sociale/fiskale +PaymentVat=Pagesa e TVSH-së +AutomaticCreationPayment=Regjistroni automatikisht pagesën +ListPayment=Lista e pagesave +ListOfCustomerPayments=Lista e pagesave të klientëve +ListOfSupplierPayments=Lista e pagesave të shitësve +DateStartPeriod=Data e fillimit të periudhës +DateEndPeriod=Data e përfundimit të periudhës +newLT1Payment=Pagesa e re e taksës 2 +newLT2Payment=Pagesa e re e taksës 3 +LT1Payment=Pagesa e taksës 2 +LT1Payments=Pagesat e taksës 2 +LT2Payment=Pagesa e taksës 3 +LT2Payments=Pagesat e taksës 3 +newLT1PaymentES=Pagesë e re RE +newLT2PaymentES=Pagesë e re IRPF +LT1PaymentES=Pagesa RE +LT1PaymentsES=Pagesat RE +LT2PaymentES=Pagesa IRPF +LT2PaymentsES=Pagesat IRPF +VATPayment=Pagesa e taksës së shitjes +VATPayments=Pagesat e tatimit mbi shitjet +VATDeclarations=Deklaratat e TVSH-së +VATDeclaration=Deklarata e TVSH-së +VATRefund=Rimbursimi i taksës së shitjes +NewVATPayment=Pagesa e re e taksës së shitjes +NewLocalTaxPayment=Pagesa e re e taksave %s +Refund=Rimbursimi +SocialContributionsPayments=Pagesat e taksave sociale/fiskale +ShowVatPayment=Shfaq pagesën e TVSH-së +TotalToPay=Totali për të paguar +BalanceVisibilityDependsOnSortAndFilters=Gjendja është e dukshme në këtë listë vetëm nëse tabela është renditur në %s dhe filtrohet në 1 llogari bankare (pa filtra të tjerë) +CustomerAccountancyCode=Kodi i kontabilitetit të klientit +SupplierAccountancyCode=Kodi i kontabilitetit të shitësit +CustomerAccountancyCodeShort=Cust. llogari. kodi +SupplierAccountancyCodeShort=Sup. llogari. kodi +AccountNumber=Numri i llogarisë +NewAccountingAccount=Llogari e re +Turnover=Qarkullimi i faturuar +TurnoverCollected=Qarkullimi i mbledhur +SalesTurnoverMinimum=Qarkullimi minimal +ByExpenseIncome=Sipas shpenzimeve dhe të ardhurave +ByThirdParties=Nga palët e treta +ByUserAuthorOfInvoice=Nga autori i faturës +CheckReceipt=Mandat depozitimi +CheckReceiptShort=Mandat depozitimi +LastCheckReceiptShort=Fletët e depozitave të fundit %s +LastPaymentForDepositShort=Fletët e depozitave të fundit %s %s +NewCheckReceipt=Zbritje e re +NewCheckDeposit=Fletë depozitimi i ri +NewCheckDepositOn=Krijo faturë për depozitim në llogari: %s +NoWaitingChecks=Nuk ka çeqe në pritje të depozitimit. +NoWaitingPaymentForDeposit=Asnjë pagesë %s në pritje të depozitës. +DateChequeReceived=Kontrolloni datën e marrjes +DatePaymentReceived=Data e marrjes së dokumentit +NbOfCheques=Nr. i çeqeve +PaySocialContribution=Paguani një taksë sociale/fiskale +PayVAT=Paguani një deklaratë të TVSH-së +PaySalary=Paguani një kartë pagash +ConfirmPaySocialContribution=Jeni i sigurt që dëshironi ta klasifikoni këtë taksë sociale ose fiskale si të paguar? +ConfirmPayVAT=Jeni i sigurt që dëshironi ta klasifikoni këtë deklaratë të TVSH-së si të paguar? +ConfirmPaySalary=Je i sigurt që dëshiron ta klasifikosh këtë kartë pagash si të paguar? +DeleteSocialContribution=Fshini një pagesë tatimore sociale ose fiskale +DeleteVAT=Fshini një deklaratë të TVSH-së +DeleteSalary=Fshi një kartë pagash +DeleteVariousPayment=Fshi një pagesë të ndryshme +ConfirmDeleteSocialContribution=Jeni i sigurt që dëshironi të fshini këtë pagesë tatimore sociale/fiskale? +ConfirmDeleteVAT=Jeni i sigurt që dëshironi të fshini këtë deklaratë të TVSH-së? +ConfirmDeleteSalary=Je i sigurt që dëshiron ta fshish këtë pagë? +ConfirmDeleteVariousPayment=Jeni i sigurt që dëshironi ta fshini këtë pagesë të ndryshme? +ExportDataset_tax_1=Taksat dhe pagesat sociale dhe fiskale +CalcModeVATDebt=Modaliteti %sTVSH në kontabilitetin e angazhimit%s class='notranslate
      . +CalcModeVATEngagement=Modaliteti %sTVSH-ja mbi të ardhurat-shpenzimetb0ecb2ec87f49>. +CalcModeDebt=Analiza e dokumenteve të njohura të regjistruara +CalcModeEngagement=Analiza e pagesave të njohura të regjistruara +CalcModeBookkeeping=Analiza e të dhënave të regjistruara në tabelën e librit të kontabilitetit. +CalcModeNoBookKeeping=Edhe nëse ato ende nuk janë llogaritur në Ledger +CalcModeLT1= Modaliteti %sRE në faturat e klientëve - faturat e furnitorëveb0ecb2ec87f49f ='notranslate'> +CalcModeLT1Debt=Modaliteti %sRE në faturat e klientitb0ecb2ec87f49fzpan class='notranslate'spannotranslate '> +CalcModeLT1Rec= Modaliteti %sRE në faturat e furnitorëve%s +CalcModeLT2= Modaliteti %sIRPF në faturat e klientëve - faturat e furnitorëveb0><4panf9spanz80f ='notranslate'> +CalcModeLT2Debt=Modaliteti %sIRPF në faturat e klientitb0ecb2ec87f49f49fz0 +CalcModeLT2Rec= Modaliteti %sIRPF në faturat e furnitorëveb0ecb2ec87f49fzlate
      +AnnualSummaryDueDebtMode=Bilanci i të ardhurave dhe shpenzimeve, përmbledhje vjetore +AnnualSummaryInputOutputMode=Bilanci i të ardhurave dhe shpenzimeve, përmbledhje vjetore +AnnualByCompanies=Bilanci i të ardhurave dhe shpenzimeve, sipas grupeve të paracaktuara të llogarive +AnnualByCompaniesDueDebtMode=Bilanci i të ardhurave dhe shpenzimeve, detaje sipas grupeve të paracaktuara, modaliteti %sKërkesat-Borxhet tha Kontabiliteti i zotimitb09a4b739f17f. +AnnualByCompaniesInputOutputMode=Bilanci i të ardhurave dhe shpenzimeve, detaje sipas grupeve të paracaktuara, modaliteti %sTë ardhura-Shpenzime tha kontabiliteti i paraveb09a4b739f17f8>z. +SeeReportInInputOutputMode=Shiko %sanalizën e pagesave%s për një llogaritje të bazuar në pagesat e regjistruara, edhe nëse ato nuk janë bërë ende në Llogaria +SeeReportInDueDebtMode=Shiko %sanalizën e dokumenteve të regjistruara%s class='notranslate'span '> për një llogaritje të bazuar në dokumentet e regjistruara të njohura, edhe nëse nuk janë llogaritur ende në L +SeeReportInBookkeepingMode=Shiko %sanalizën e tabelës së kontabilitetit%s notranslate'> për një raport të bazuar në Tabela e librit të kontabilitetitb09a4b739f17f8z +RulesAmountWithTaxIncluded=- Shumat e paraqitura janë me të gjitha taksat e përfshira +RulesAmountWithTaxExcluded=- Shumat e faturave të paraqitura janë të përjashtuara nga të gjitha taksat +RulesResultDue=- Ai përfshin të gjitha faturat, shpenzimet, TVSH-në, donacionet, pagat, pavarësisht nëse paguhen apo jo.
      - Bazohet në datën e faturimit të faturave dhe në datën e duhur për shpenzimet apo pagesat e taksave. Për pagat përdoret data e përfundimit të periudhës. +RulesResultInOut=- Përfshin pagesat reale të bëra në fatura, shpenzime, TVSH dhe paga.
      - Bazohet në datat e pagesës së faturave, shpenzimeve, TVSH-së, donacioneve dhe pagave. +RulesCADue=- Përfshin faturat e papaguara të klientit qofshin ato të paguara apo jo.
      - Bazohet në datën e faturimit të këtyre faturave.
      +RulesCAIn=- Ai përfshin të gjitha pagesat efektive të faturave të marra nga klientët.
      - Bazohet në datën e pagesës së këtyre faturave
      +RulesCATotalSaleJournal=Ai përfshin të gjitha linjat e kreditit nga ditari Shitje. +RulesSalesTurnoverOfIncomeAccounts=Ai përfshin (kredi - debit) linja për llogaritë e produktit në grupin TË ARDHURA +RulesAmountOnInOutBookkeepingRecord=Ai përfshin regjistrimin në librin tuaj të llogarive me llogaritë e kontabilitetit që kanë grupin "SHPENZIME" ose "TË ARDHURA" +RulesResultBookkeepingPredefined=Ai përfshin regjistrimin në librin tuaj të llogarive me llogaritë e kontabilitetit që kanë grupin "SHPENZIME" ose "TË ARDHURA" +RulesResultBookkeepingPersonalized=Ai tregon të dhënat në librin tuaj të llogarive me llogaritë e kontabilitetit të grupuara sipas grupeve të personalizuara +SeePageForSetup=Shiko menynë %s për konfigurimin +DepositsAreNotIncluded=- Nuk përfshihen faturat e paradhënies +DepositsAreIncluded=- Përfshihen faturat e paradhënies +LT1ReportByMonth=Raporti tatimor 2 sipas muajit +LT2ReportByMonth=Raporti i tatimit 3 sipas muajit +LT1ReportByCustomers=Raporto taksën 2 nga pala e tretë +LT2ReportByCustomers=Raporto taksën 3 nga pala e tretë +LT1ReportByCustomersES=Raport nga pala e tretë RE +LT2ReportByCustomersES=Raport nga IRPF i palës së tretë +VATReport=Raporti i tatimit mbi shitjen +VATReportByPeriods=Raporti i tatimit mbi shitjet sipas periudhës +VATReportByMonth=Raporti i tatimit mbi shitjet sipas muajit +VATReportByRates=Raporti i tatimit mbi shitjen sipas normës +VATReportByThirdParties=Raporti i tatimit mbi shitjen nga pala e tretë +VATReportByCustomers=Raporti i tatimit mbi shitjet sipas klientit +VATReportByCustomersInInputOutputMode=Raporti nga klienti TVSH e mbledhur dhe paguar +VATReportByQuartersInInputOutputMode=Raporti sipas shkallës së tatimit mbi shitjen e tatimit të mbledhur dhe paguar +VATReportShowByRateDetails=Trego detajet e kësaj tarife +LT1ReportByQuarters=Raporto taksën 2 sipas normës +LT2ReportByQuarters=Raporto taksën 3 sipas normës +LT1ReportByQuartersES=Raporti sipas normës së RE +LT2ReportByQuartersES=Raporti sipas normës së IRPF +SeeVATReportInInputOutputMode=Shiko raportin %smbledhjen e TVSH-së%s për një llogaritje me një opsion në faturim +RulesVATInServices=- Për shërbimet, raporti përfshin TVSH-në e pagesave të pranuara ose të paguara faktikisht në bazë të datës së pagesës. +RulesVATInProducts=- Për pasuritë materiale raporti përfshin TVSH-në në bazë të datës së pagesës. +RulesVATDueServices=- Për shërbimet, raporti përfshin TVSH-në e faturave të paguara ose jo, bazuar në datën e faturës. +RulesVATDueProducts=- Për pasuritë materiale, raporti përfshin TVSH-në e faturave të papaguara, bazuar në datën e faturës. +OptionVatInfoModuleComptabilite=Shënim: Për pasuritë materiale, duhet të përdoret data e dorëzimit për të qenë më e drejtë. +ThisIsAnEstimatedValue=Ky është një pamje paraprake, e bazuar në ngjarjet e biznesit dhe jo nga tabela përfundimtare e librit, kështu që rezultatet përfundimtare mund të ndryshojnë nga vlerat e kësaj pamjeje paraprake +PercentOfInvoice=%%/fatura +NotUsedForGoods=Nuk përdoret në mallra +ProposalStats=Statistikat mbi propozimet +OrderStats=Statistikat e porosive +InvoiceStats=Statistikat për faturat +Dispatch=Dispeçimi +Dispatched=Dërguar +ToDispatch=Për të dërguar +ThirdPartyMustBeEditAsCustomer=Pala e tretë duhet të përcaktohet si klient +SellsJournal=Ditari i Shitjeve +PurchasesJournal=Ditari i Blerjeve +DescSellsJournal=Ditari i Shitjeve +DescPurchasesJournal=Ditari i Blerjeve +CodeNotDef=E pa përcaktuar +WarningDepositsNotIncluded=Faturat e paradhënies nuk përfshihen në këtë version me këtë modul kontabiliteti. +DatePaymentTermCantBeLowerThanObjectDate=Data e afatit të pagesës nuk mund të jetë më e ulët se data e objektit. +Pcg_version=Modelet e grafikut të llogarive +Pcg_type=Lloji PCg +Pcg_subtype=Nëntipi Pcg +InvoiceLinesToDispatch=Linjat e faturave për të dërguar +ByProductsAndServices=Sipas produktit dhe shërbimit +RefExt=Ref. e jashtme +ToCreateAPredefinedInvoice=Për të krijuar një faturë shabllon, krijoni një faturë standarde, më pas, pa e vërtetuar atë, klikoni në butonin "%s". +LinkedOrder=Link për të porositur +Mode1=Metoda 1 +Mode2=Metoda 2 +CalculationRuleDesc=Për të llogaritur TVSH-në totale, ekzistojnë dy metoda:
      Metoda 1 është rrumbullakimi i TVSH-së në çdo rresht dhe më pas mbledhja e tyre.
      Metoda 2 është përmbledhja e të gjithë vat-së në çdo rresht, më pas rrumbullakimi i rezultatit.
      Rezultati përfundimtar mund të ndryshojë nga disa cent. Modaliteti i parazgjedhur është modaliteti %s. +CalculationRuleDescSupplier=Sipas shitësit, zgjidhni metodën e duhur për të aplikuar të njëjtin rregull llogaritjeje dhe për të marrë të njëjtin rezultat të pritur nga shitësi juaj. +TurnoverPerProductInCommitmentAccountingNotRelevant=Raporti i qarkullimit të mbledhur për produkt nuk është i disponueshëm. Ky raport disponohet vetëm për xhiron e faturuar. +TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=Raporti i qarkullimit të mbledhur për normën tatimore të shitjes nuk është i disponueshëm. Ky raport disponohet vetëm për xhiron e faturuar. +CalculationMode=Mënyra e llogaritjes +AccountancyJournal=Ditari i kodit të kontabilitetit +ACCOUNTING_VAT_SOLD_ACCOUNT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për TVSH-në në shitje (përdoret nëse nuk përcaktohet në konfigurimin e fjalorit të TVSH-së) +ACCOUNTING_VAT_BUY_ACCOUNT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për TVSH-në për blerjet (përdoret nëse nuk përcaktohet në konfigurimin e fjalorit të TVSH-së) +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=Llogaria (nga Grafiku i Llogarive) që do të përdoret për pullën e të ardhurave nga shitjet +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=Llogaria (nga Grafiku i Llogarive) që do të përdoret për pullën e të ardhurave për blerjet +ACCOUNTING_VAT_PAY_ACCOUNT=Llogaria (nga Tabela e Llogarive) që do të përdoret si llogari e paracaktuar për pagimin e TVSH-së +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për TVSH-në për blerjet për tarifa të kundërta (Kredi) +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Llogaria (nga Grafiku i Llogarive) që do të përdoret si llogaria e paracaktuar për TVSH-në për blerjet për tarifa të kundërta (Debiti) +ACCOUNTING_ACCOUNT_CUSTOMER=Llogaria (nga Grafiku i Llogarive) që përdoret për palët e treta "klient". +ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Llogaria e dedikuar e kontabilitetit e përcaktuar në kartën e palës së tretë do të përdoret vetëm për kontabilitetin Subledger. Kjo do të përdoret për Librin Kryesor dhe si vlerë e paracaktuar e kontabilitetit Subledger nëse llogaria e dedikuar e kontabilitetit të klientit në palën e tretë nuk është përcaktuar. +ACCOUNTING_ACCOUNT_SUPPLIER=Llogaria (nga Tabela e Llogarive) e përdorur për palët e treta "shitës". +ACCOUNTING_ACCOUNT_SUPPLIER_Desc=Llogaria e dedikuar e kontabilitetit e përcaktuar në kartën e palës së tretë do të përdoret vetëm për kontabilitetin Subledger. Kjo do të përdoret për Librin Kryesor dhe si vlerë e paracaktuar e kontabilitetit të Subledger nëse llogaria kontabël e dedikuar e shitësit në palën e tretë nuk është e përcaktuar. +ConfirmCloneTax=Konfirmoni klonin e një takse sociale/fiskale +ConfirmCloneVAT=Konfirmoni klonin e një deklarate të TVSH-së +ConfirmCloneSalary=Konfirmoni klonimin e një rroge +CloneTaxForNextMonth=Klononi atë për muajin tjetër +SimpleReport=Raport i thjeshtë +AddExtraReport=Raporte shtesë (shtoni raportin e klientit të huaj dhe kombëtar) +OtherCountriesCustomersReport=Raportojnë klientët e huaj +BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=Bazuar në faktin se dy shkronjat e para të numrit të TVSH-së janë të ndryshme nga kodi i shtetit të kompanisë suaj +SameCountryCustomersWithVAT=Raporti i klientëve kombëtarë +BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Bazuar në faktin se dy shkronjat e para të numrit të TVSH-së janë të njëjta me kodin e shtetit të kompanisë suaj +LinkedFichinter=Lidhja me një ndërhyrje +ImportDataset_tax_contrib=Taksat sociale/fiskale +ImportDataset_tax_vat=Pagesat e TVSH-së +ErrorBankAccountNotFound=Gabim: Llogaria bankare nuk u gjet +FiscalPeriod=Periudha kontabël +ListSocialContributionAssociatedProject=Lista e kontributeve sociale që lidhen me projektin +DeleteFromCat=Hiq nga grupi i kontabilitetit +AccountingAffectation=Detyrë kontabiliteti +LastDayTaxIsRelatedTo=Dita e fundit e periudhës me të cilën lidhet taksa +VATDue=Tatimi mbi shitjen e kërkuar +ClaimedForThisPeriod=Pretenduar për periudhën +PaidDuringThisPeriod=Të paguara për këtë periudhë +PaidDuringThisPeriodDesc=Kjo është shuma e të gjitha pagesave të lidhura me deklaratat e TVSH-së që kanë një datë fundi të periudhës në intervalin e zgjedhur të datave +ByVatRate=Sipas normës së taksës së shitjes +TurnoverbyVatrate=Qarkullimi i faturuar sipas normës tatimore të shitjes +TurnoverCollectedbyVatrate=Qarkullimi i mbledhur nga norma e tatimit mbi shitjen +PurchasebyVatrate=Norma tatimore e blerjes sipas shitjes +LabelToShow=Etiketë e shkurtër +PurchaseTurnover=Blerja e qarkullimit +PurchaseTurnoverCollected=Qarkullimi i blerjes i mbledhur +RulesPurchaseTurnoverDue=- Përfshin faturat e papaguara të furnizuesit pavarësisht nëse ato janë paguar apo jo.
      - Bazohet në datën e faturës së këtyre faturave.
      +RulesPurchaseTurnoverIn=- Ai përfshin të gjitha pagesat efektive të faturave të bëra për furnitorët.
      - Bazohet në datën e pagesës së këtyre faturave
      +RulesPurchaseTurnoverTotalPurchaseJournal=Ai përfshin të gjitha linjat e debitit nga ditari i blerjeve. +RulesPurchaseTurnoverOfExpenseAccounts=Ai përfshin (debit - kredi) linja për llogaritë e produktit në grup SHPENZIME +ReportPurchaseTurnover=Qarkullimi i blerjes i faturuar +ReportPurchaseTurnoverCollected=Qarkullimi i blerjes i mbledhur +IncludeVarpaysInResults = Përfshini pagesa të ndryshme në raporte +IncludeLoansInResults = Përfshini kreditë në raporte +InvoiceLate30Days = Me vonesë (> 30 ditë) +InvoiceLate15Days = Vonë (15 deri në 30 ditë) +InvoiceLateMinus15Days = Me vonesë (< 15 ditë) +InvoiceNotLate = Për t'u mbledhur (< 15 ditë) +InvoiceNotLate15Days = Për t'u mbledhur (15 deri në 30 ditë) +InvoiceNotLate30Days = Për t'u mbledhur (> 30 ditë) +InvoiceToPay=Për të paguar (< 15 ditë) +InvoiceToPay15Days=Për të paguar (15 deri në 30 ditë) +InvoiceToPay30Days=Për të paguar (> 30 ditë) +ConfirmPreselectAccount=Zgjidhni paraprakisht kodin e kontabilitetit +ConfirmPreselectAccountQuestion=Jeni i sigurt që dëshironi të zgjidhni paraprakisht linjat e zgjedhura %s me këtë kod kontabiliteti ? +AmountPaidMustMatchAmountOfDownPayment=Shuma e paguar duhet të përputhet me shumën e paradhënies diff --git a/htdocs/langs/sq_AL/contracts.lang b/htdocs/langs/sq_AL/contracts.lang index 491e3d98946..df397811ccf 100644 --- a/htdocs/langs/sq_AL/contracts.lang +++ b/htdocs/langs/sq_AL/contracts.lang @@ -1,104 +1,107 @@ # Dolibarr language file - Source file is en_US - contracts -ContractsArea=Contracts area -ListOfContracts=List of contracts -AllContracts=All contracts -ContractCard=Contract card -ContractStatusNotRunning=Not running -ContractStatusDraft=Draft -ContractStatusValidated=Validated +ContractsArea=Zona e kontratave +ListOfContracts=Lista e kontratave +AllContracts=Të gjitha kontratat +ContractCard=Kontrata +ContractStatusNotRunning=Jo duke vrapuar +ContractStatusDraft=Drafti +ContractStatusValidated=E vërtetuar ContractStatusClosed=Mbyllur -ServiceStatusInitial=Not running -ServiceStatusRunning=Running -ServiceStatusNotLate=Running, not expired -ServiceStatusNotLateShort=Not expired -ServiceStatusLate=Running, expired -ServiceStatusLateShort=Expired +ServiceStatusInitial=Jo duke vrapuar +ServiceStatusRunning=Vrapimi +ServiceStatusNotLate=Vrapon, nuk ka skaduar +ServiceStatusNotLateShort=Nuk ka skaduar +ServiceStatusLate=Po funksionon, i skaduar +ServiceStatusLateShort=I skaduar ServiceStatusClosed=Mbyllur -ShowContractOfService=Show contract of service -Contracts=Contracts -ContractsSubscriptions=Contracts/Subscriptions -ContractsAndLine=Contracts and line of contracts -Contract=Contract -ContractLine=Contract line -Closing=Closing -NoContracts=No contracts -MenuServices=Services -MenuInactiveServices=Services not active -MenuRunningServices=Running services -MenuExpiredServices=Expired services -MenuClosedServices=Closed services -NewContract=New contract -NewContractSubscription=New contract or subscription -AddContract=Create contract -DeleteAContract=Delete a contract -ActivateAllOnContract=Activate all services -CloseAContract=Close a contract -ConfirmDeleteAContract=Are you sure you want to delete this contract and all its services? -ConfirmValidateContract=Are you sure you want to validate this contract under name %s? -ConfirmActivateAllOnContract=This will open all services (not yet active). Are you sure you want to open all services? -ConfirmCloseContract=This will close all services (expired or not). Are you sure you want to close this contract? -ConfirmCloseService=Are you sure you want to close this service with date %s? -ValidateAContract=Validate a contract -ActivateService=Activate service -ConfirmActivateService=Are you sure you want to activate this service with date %s? -RefContract=Contract reference -DateContract=Contract date -DateServiceActivate=Service activation date -ListOfServices=List of services -ListOfInactiveServices=List of not active services -ListOfExpiredServices=List of expired active services -ListOfClosedServices=List of closed services -ListOfRunningServices=List of running services -NotActivatedServices=Inactive services (among validated contracts) -BoardNotActivatedServices=Services to activate among validated contracts -BoardNotActivatedServicesShort=Services to activate -LastContracts=Latest %s contracts -LastModifiedServices=Latest %s modified services -ContractStartDate=Start date -ContractEndDate=End date -DateStartPlanned=Planned start date -DateStartPlannedShort=Planned start date -DateEndPlanned=Planned end date -DateEndPlannedShort=Planned end date -DateStartReal=Real start date -DateStartRealShort=Real start date -DateEndReal=Real end date -DateEndRealShort=Real end date -CloseService=Close service -BoardRunningServices=Services running -BoardRunningServicesShort=Services running -BoardExpiredServices=Services expired -BoardExpiredServicesShort=Services expired -ServiceStatus=Status of service -DraftContracts=Drafts contracts -CloseRefusedBecauseOneServiceActive=Contract can't be closed as there is at least one open service on it -ActivateAllContracts=Activate all contract lines -CloseAllContracts=Close all contract lines -DeleteContractLine=Delete a contract line -ConfirmDeleteContractLine=Are you sure you want to delete this contract line? -MoveToAnotherContract=Move service into another contract. -ConfirmMoveToAnotherContract=I choosed new target contract and confirm I want to move this service into this contract. -ConfirmMoveToAnotherContractQuestion=Choose in which existing contract (of same third party), you want to move this service to? -PaymentRenewContractId=Renew contract line (number %s) -ExpiredSince=Expiration date -NoExpiredServices=No expired active services -ListOfServicesToExpireWithDuration=List of Services to expire in %s days -ListOfServicesToExpireWithDurationNeg=List of Services expired from more than %s days -ListOfServicesToExpire=List of Services to expire -NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative. -StandardContractsTemplate=Standard contracts template -ContactNameAndSignature=For %s, name and signature: -OnlyLinesWithTypeServiceAreUsed=Only lines with type "Service" will be cloned. -ConfirmCloneContract=Are you sure you want to clone the contract %s? -LowerDateEndPlannedShort=Lower planned end date of active services -SendContractRef=Contract information __REF__ -OtherContracts=Other contracts +ShowContractOfService=Trego kontratën e shërbimit +Contracts=Kontratat +ContractsSubscriptions=Kontratat/Abonimet +ContractsAndLine=Kontratat dhe linja e kontratave +Contract=Kontrata +ContractLine=Linja e kontratës +ContractLines=Linjat e kontratës +Closing=Mbyllja +NoContracts=Asnjë kontratë +MenuServices=Shërbimet +MenuInactiveServices=Shërbimet jo aktive +MenuRunningServices=Shërbimet e drejtimit +MenuExpiredServices=Shërbimet e skaduara +MenuClosedServices=Shërbime të mbyllura +NewContract=Kontrata e re +NewContractSubscription=Kontratë e re ose abonim +AddContract=Krijo kontratë +DeleteAContract=Fshi një kontratë +ActivateAllOnContract=Aktivizoni të gjitha shërbimet +CloseAContract=Mbyllni një kontratë +ConfirmDeleteAContract=Je i sigurt që dëshiron ta fshish këtë kontratë dhe të gjitha shërbimet e saj? +ConfirmValidateContract=Jeni i sigurt që dëshironi ta vërtetoni këtë kontratë me emrin %sb09a4b739f17f8z ? +ConfirmActivateAllOnContract=Kjo do të hapë të gjitha shërbimet (ende jo aktive). Jeni i sigurt që dëshironi të hapni të gjitha shërbimet? +ConfirmCloseContract=Kjo do të mbyllë të gjitha shërbimet (të skaduara ose jo). Jeni i sigurt që dëshironi ta mbyllni këtë kontratë? +ConfirmCloseService=Jeni i sigurt që dëshironi ta mbyllni këtë shërbim me datë %s%sb09a4b739f17f>z ? +RefContract=Referenca e kontratës +DateContract=Data e kontratës +DateServiceActivate=Data e aktivizimit të shërbimit +ListOfServices=Lista e shërbimeve +ListOfInactiveServices=Lista e shërbimeve jo aktive +ListOfExpiredServices=Lista e shërbimeve aktive të skaduara +ListOfClosedServices=Lista e shërbimeve të mbyllura +ListOfRunningServices=Lista e shërbimeve që funksionojnë +NotActivatedServices=Shërbimet joaktive (ndër kontratat e vërtetuara) +BoardNotActivatedServices=Shërbimet për t'u aktivizuar midis kontratave të vërtetuara +BoardNotActivatedServicesShort=Shërbimet për të aktivizuar +LastContracts=Kontratat më të fundit %s +LastModifiedServices=Shërbimet më të fundit të modifikuara %s +ContractStartDate=Data e fillimit +ContractEndDate=Data e përfundimit +DateStartPlanned=Data e planifikuar e fillimit +DateStartPlannedShort=Data e planifikuar e fillimit +DateEndPlanned=Data e planifikuar e përfundimit +DateEndPlannedShort=Data e planifikuar e përfundimit +DateStartReal=Data e vërtetë e fillimit +DateStartRealShort=Data e vërtetë e fillimit +DateEndReal=Data e vërtetë e përfundimit +DateEndRealShort=Data e vërtetë e përfundimit +CloseService=Shërbimi i mbyllur +BoardRunningServices=Shërbimet që funksionojnë +BoardRunningServicesShort=Shërbimet që funksionojnë +BoardExpiredServices=Shërbimet kanë skaduar +BoardExpiredServicesShort=Shërbimet kanë skaduar +ServiceStatus=Statusi i shërbimit +DraftContracts=Harton kontrata +CloseRefusedBecauseOneServiceActive=Kontrata nuk mund të mbyllet pasi ka të paktën një shërbim të hapur në të +ActivateAllContracts=Aktivizoni të gjitha linjat e kontratës +CloseAllContracts=Mbyllni të gjitha linjat e kontratës +DeleteContractLine=Fshi një linjë të kontratës +ConfirmDeleteContractLine=Je i sigurt që dëshiron ta fshish këtë linjë të kontratës? +MoveToAnotherContract=Zhvendos shërbimin në një kontratë tjetër. +ConfirmMoveToAnotherContract=Zgjodha një kontratë të re të synuar dhe konfirmova se dua ta transferoj këtë shërbim në këtë kontratë. +ConfirmMoveToAnotherContractQuestion=Zgjidhni në cilën kontratë ekzistuese (të së njëjtës palë të tretë), dëshironi ta zhvendosni këtë shërbim? +PaymentRenewContractId=Rinovo kontratën %s (shërbimi %s) +ExpiredSince=Data e skadencës +NoExpiredServices=Nuk ka shërbime aktive të skaduara +ListOfServicesToExpireWithDuration=Lista e shërbimeve që do të skadojnë për %s ditë +ListOfServicesToExpireWithDurationNeg=Lista e shërbimeve ka skaduar për më shumë se %s ditë +ListOfServicesToExpire=Lista e shërbimeve që skadon +NoteListOfYourExpiredServices=Kjo listë përmban vetëm shërbimet e kontratave për palët e treta me të cilat jeni lidhur si përfaqësues shitjesh. +StandardContractsTemplate=Modeli i kontratave standarde +ContactNameAndSignature=Për %s, emri dhe nënshkrimi: +OnlyLinesWithTypeServiceAreUsed=Vetëm linjat me llojin "Shërbim" do të klonohen. +ConfirmCloneContract=Jeni i sigurt që doni të klononi kontratën %sb09a4b739f17f8z> For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is
      product -CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory).
      For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is
      product/class/product.class.php -CronObjectHelp=The object name to load.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is
      Product -CronMethodHelp=The object method to launch.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is
      fetch -CronArgsHelp=The method arguments.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be
      0, ProductRef -CronCommandHelp=The system command line to execute. -CronCreateJob=Create new Scheduled Job -CronFrom=From +CronClassFile=Emri i skedarit me klasën +CronModuleHelp=Emri i drejtorisë së modulit Dolibarr (punoni edhe me modulin e jashtëm Dolibarr).
      Për shembull, për të thirrur metodën e marrjes së Dolibarr Produkt objekt /htdocs/produkt/class/product.class.php, vlera për modulin është
      produkt +CronClassFileHelp=Rruga relative dhe emri i skedarit për t'u ngarkuar (rruga është në lidhje me direktorinë rrënjë të serverit të uebit).
      Për shembull, për të thirrur metodën e marrjes së Dolibarr Produkt objekt htdocs/product/class/product.class.php
      , vlera për emrin e skedarit të klasës është
      produkt/class .class.php +CronObjectHelp=Emri i objektit për t'u ngarkuar.
      Për shembull për të thirrur metodën e marrjes së Dolibarr Produkt objekt /htdocs/product/class/product.class.php, vlera për emrin e skedarit të klasës është
      Produkt +CronMethodHelp=Metoda e objektit për të nisur.
      Për shembull, për të thirrur metodën e marrjes së Dolibarr Produkt objekt /htdocs/product/class/product.class.php, vlera për metodën është
      marr +CronArgsHelp=Argumentet e metodës.
      Për shembull, për të thirrur metodën e marrjes së Dolibarr Produkt objekt /htdocs/product/class/product.class.php, vlera për parametrat mund të jetë
      0, ProductRef +CronCommandHelp=Linja e komandës së sistemit për të ekzekutuar. +CronCreateJob=Krijo një punë të re të planifikuar +CronFrom=Nga # Info # Common -CronType=Job type -CronType_method=Call method of a PHP Class -CronType_command=Shell command -CronCannotLoadClass=Cannot load class file %s (to use class %s) -CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it -UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs. -JobDisabled=Job disabled -MakeLocalDatabaseDumpShort=Local database backup -MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep -WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run. -DATAPOLICYJob=Data cleaner and anonymizer -JobXMustBeEnabled=Job %s must be enabled +CronType=Lloji i punës +CronType_method=Metoda e thirrjes së një klase PHP +CronType_command=Komanda e guaskës +CronCannotLoadClass=Nuk mund të ngarkohet skedari i klasës %s (për të përdorur klasën %s) +CronCannotLoadObject=Skedari i klasës %s u ngarkua, por objekti %s nuk u gjet në të +UseMenuModuleToolsToAddCronJobs=Shkoni te menyja "Faqja kryesore - Veglat e administratorit - Punët e planifikuara" për të parë dhe modifikuar punët e planifikuara. +JobDisabled=Punë me aftësi të kufizuara +MakeLocalDatabaseDumpShort=Rezervimi i bazës së të dhënave lokale +MakeLocalDatabaseDump=Krijo një hale lokale të bazës së të dhënave. Parametrat janë: kompresimi ('gz' ose 'bz' ose 'asnjë'), lloji i rezervës ('mysql', 'pgsql', 'auto'), 1, 'auto' ose emri i skedarit për t'u ndërtuar, numri i skedarëve rezervë për t'u mbajtur +MakeSendLocalDatabaseDumpShort=Dërgo kopje rezervë të bazës së të dhënave lokale +MakeSendLocalDatabaseDump=Dërgoni kopje rezervë të bazës së të dhënave lokale me email. Parametrat janë: te, nga, tema, mesazhi, emri i skedarit (Emri i skedarit të dërguar), filtri ('sql' vetëm për kopje rezervë të bazës së të dhënave) +BackupIsTooLargeSend=Na vjen keq, skedari i fundit rezervë është shumë i madh për t'u dërguar me email +CleanUnfinishedCronjobShort=Pastroni cronjobën e papërfunduar +CleanUnfinishedCronjob=Cronjob i pastër ka ngecur në përpunim kur procesi nuk po funksionon më +WarningCronDelayed=Kujdes, për qëllimin e performancës, cilado qoftë data e ardhshme e ekzekutimit të punëve të aktivizuara, punët tuaja mund të vonohen në një maksimum prej %s orësh, përpara se të ekzekutohen. +DATAPOLICYJob=Pastrues dhe anonimizues i të dhënave +JobXMustBeEnabled=Puna %s duhet të aktivizohet +EmailIfError=Email për paralajmërim për gabim +JobNotFound=Puna %s nuk u gjet në listën e punëve (provoni të çaktivizoni/aktivizoni modulin) +ErrorInBatch=Gabim gjatë ekzekutimit të punës %s + # Cron Boxes -LastExecutedScheduledJob=Last executed scheduled job -NextScheduledJobExecute=Next scheduled job to execute -NumberScheduledJobError=Number of scheduled jobs in error +LastExecutedScheduledJob=Puna e planifikuar e fundit e ekzekutuar +NextScheduledJobExecute=Puna tjetër e planifikuar për t'u ekzekutuar +NumberScheduledJobError=Numri i punëve të planifikuara gabimisht +NumberScheduledJobNeverFinished=Numri i punëve të planifikuara që nuk kanë përfunduar kurrë diff --git a/htdocs/langs/sq_AL/datapolicy.lang b/htdocs/langs/sq_AL/datapolicy.lang index d74fd78070e..f44941042ba 100644 --- a/htdocs/langs/sq_AL/datapolicy.lang +++ b/htdocs/langs/sq_AL/datapolicy.lang @@ -14,79 +14,79 @@ # along with this program. If not, see . # Module label 'ModuledatapolicyName' -Module4100Name = Data Privacy Policy +Module4100Name = Politika e privatësisë së të dhënave # Module description 'ModuledatapolicyDesc' -Module4100Desc = Module to manage Data Privacy (Conformity with the GDPR) +Module4100Desc = Moduli për menaxhimin e privatësisë së të dhënave (përputhje me GDPR) # # Administration page # -datapolicySetup = Module Data Privacy Policy Setup -Deletion = Deletion of data -datapolicySetupPage = Depending of laws of your countries (Example Article 5 of the GDPR), personal data must be kept for a period not exceeding that necessary for the purposes for which they were collected, except for archival purposes.
      The deletion will be done automatically after a certain duration without event (the duration which you will have indicated below). -NB_MONTHS = %s months -ONE_YEAR = 1 year -NB_YEARS = %s years +datapolicySetup = Konfigurimi i politikës së privatësisë së të dhënave të modulit +Deletion = Fshirja e të dhënave +datapolicySetupPage = Në varësi të ligjeve të vendeve tuaja (Shembull Neni 5 i GDPR), të dhënat personale duhet të mbahen për një periudhë jo duke e tejkaluar atë të nevojshme për qëllimet për të cilat janë mbledhur, përveç për qëllime arkivore.
      Fshirja do të bëhet automatikisht pas një kohe të caktuar pa ngjarje (kohëzgjatja që do të keni treguar më poshtë). +NB_MONTHS = %s muaj +ONE_YEAR = 1 vit +NB_YEARS = %s vjet DATAPOLICY_TIERS_CLIENT = Klienti -DATAPOLICY_TIERS_PROSPECT = Prospect -DATAPOLICY_TIERS_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = Nor prospect/Nor customer -DATAPOLICY_TIERS_FOURNISSEUR = Supplier +DATAPOLICY_TIERS_PROSPECT = Perspektiva +DATAPOLICY_TIERS_PROSPECT_CLIENT = Perspektiva/Klient +DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = As perspektivë/As klient +DATAPOLICY_TIERS_FOURNISSEUR = Furnizuesi DATAPOLICY_CONTACT_CLIENT = Klienti -DATAPOLICY_CONTACT_PROSPECT = Prospect -DATAPOLICY_CONTACT_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = Nor prospect/Nor customer -DATAPOLICY_CONTACT_FOURNISSEUR = Supplier -DATAPOLICY_ADHERENT = Member -DATAPOLICY_Tooltip_SETUP = Type of contact - Indicate your choices for each type. -DATAPOLICYMail = Emails Setup -DATAPOLICYSUBJECTMAIL = Subject of email -DATAPOLICYCONTENTMAIL = Content of the email -DATAPOLICYSUBSITUTION = You can use the following variables in your email (LINKACCEPT allows to create a link recording the agreement of the person, LINKREFUSED makes it possible to record the refusal of the person): -DATAPOLICYACCEPT = Message after agreement -DATAPOLICYREFUSE = Message after desagreement -SendAgreementText = You can send a GDPR email to all your relevant contacts (who have not yet received an email and for which you have not registered anything about their GDPR agreement). To do this, use the following button. -SendAgreement = Send emails -AllAgreementSend = All emails have been sent -TXTLINKDATAPOLICYACCEPT = Text for the link "agreement" -TXTLINKDATAPOLICYREFUSE = Text for the link "desagreement" +DATAPOLICY_CONTACT_PROSPECT = Perspektiva +DATAPOLICY_CONTACT_PROSPECT_CLIENT = Perspektiva/Klient +DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = As perspektivë/As klient +DATAPOLICY_CONTACT_FOURNISSEUR = Furnizuesi +DATAPOLICY_ADHERENT = Anëtar +DATAPOLICY_Tooltip_SETUP = Lloji i kontaktit - Tregoni zgjedhjet tuaja për secilin lloj. +DATAPOLICYMail = Konfigurimi i emaileve +DATAPOLICYSUBJECTMAIL = Subjekti i emailit +DATAPOLICYCONTENTMAIL = Përmbajtja e emailit +DATAPOLICYSUBSITUTION = Ju mund të përdorni variablat e mëposhtëm në emailin tuaj (LINKACCEPT lejon krijimin e një lidhjeje që regjistron marrëveshjen e personit, LINKREFUSED bën të mundur regjistrimin e refuzimit të personit): +DATAPOLICYACCEPT = Mesazh pas marrëveshjeje +DATAPOLICYREFUSE = Mesazh pas mosmarrëveshjes +SendAgreementText = Ju mund t'u dërgoni një email GDPR të gjithë kontakteve tuaja përkatëse (të cilët nuk kanë marrë ende një email dhe për të cilët nuk keni regjistruar asgjë në lidhje me marrëveshjen e tyre GDPR). Për ta bërë këtë, përdorni butonin e mëposhtëm. +SendAgreement = Dërgo email +AllAgreementSend = Të gjitha emailet janë dërguar +TXTLINKDATAPOLICYACCEPT = Teksti për lidhjen "marrëveshje" +TXTLINKDATAPOLICYREFUSE = Teksti për lidhjen "marrëveshje" # # Extrafields # -DATAPOLICY_BLOCKCHECKBOX = GDPR : Processing of personal data -DATAPOLICY_consentement = Consent obtained for the processing of personal data -DATAPOLICY_opposition_traitement = Opposes the processing of his personal data -DATAPOLICY_opposition_prospection = Opposes the processing of his personal data for the purposes of prospecting +DATAPOLICY_BLOCKCHECKBOX = GDPR: Përpunimi i të dhënave personale +DATAPOLICY_consentement = Pëlqimi i marrë për përpunimin e të dhënave personale +DATAPOLICY_opposition_traitement = Kundërshton përpunimin e të dhënave të tij personale +DATAPOLICY_opposition_prospection = Kundërshton përpunimin e të dhënave të tij personale për qëllime kërkimi # # Popup # -DATAPOLICY_POPUP_ANONYME_TITLE = Anonymize a thirdparty -DATAPOLICY_POPUP_ANONYME_TEXTE = You can not delete this contact from Dolibarr because there are related items. In accordance with the GDPR, you will make all this data anonymous to respect your obligations. Would you like to continue ? +DATAPOLICY_POPUP_ANONYME_TITLE = Anonimizoni një palë të tretë +DATAPOLICY_POPUP_ANONYME_TEXTE = Nuk mund ta fshish këtë kontakt nga Dolibarr sepse ka artikuj të lidhur. Në përputhje me GDPR, ju do t'i bëni të gjitha këto të dhëna anonime për të respektuar detyrimet tuaja. Dëshironi të vazhdoni? # # Button for portability # -DATAPOLICY_PORTABILITE = Portability GDPR -DATAPOLICY_PORTABILITE_TITLE = Export of personal data -DATAPOLICY_PORTABILITE_CONFIRMATION = You want to export the personal data of this contact. Are you sure ? +DATAPOLICY_PORTABILITE = Transportueshmëri GDPR +DATAPOLICY_PORTABILITE_TITLE = Eksporti i të dhënave personale +DATAPOLICY_PORTABILITE_CONFIRMATION = Ju dëshironi të eksportoni të dhënat personale të këtij kontakti. A je i sigurt ? # # Notes added during an anonymization # -ANONYMISER_AT = Anonymised the %s +ANONYMISER_AT = Anonimoi %s # V2 -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_date = Date of agreement/desagreement GDPR -DATAPOLICY_send = Date sending agreement email -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_SEND = Send GDPR email -MailSent = Email has been sent +DATAPOLICYReturn = Vleresimi i GDPR +DATAPOLICY_date = Data e marrëveshjes/marrëveshjes GDPR +DATAPOLICY_send = Data e dërgimit të emailit të marrëveshjes +DATAPOLICYReturn = Vleresimi i GDPR +DATAPOLICY_SEND = Dërgo email GDPR +MailSent = Email është dërguar # ERROR -ErrorSubjectIsRequired = Error : The subject of email is required. Indicate it in the module setup -=Due to a technical problem, we were unable to register your choice. We apologize for that. Contact us to send us your choice. -NUMBER_MONTH_BEFORE_DELETION = Number of month before deletion +ErrorSubjectIsRequired = Gabim: Subjekti i emailit kërkohet. Tregojeni atë në konfigurimin e modulit +=Për shkak të një problemi teknik, ne nuk mundëm të regjistronim zgjedhjen tuaj. Kërkojmë falje për këtë. Na kontaktoni për të na dërguar zgjedhjen tuaj. +NUMBER_MONTH_BEFORE_DELETION = Numri i muajit para fshirjes diff --git a/htdocs/langs/sq_AL/deliveries.lang b/htdocs/langs/sq_AL/deliveries.lang index 05b090f1123..3586c227be2 100644 --- a/htdocs/langs/sq_AL/deliveries.lang +++ b/htdocs/langs/sq_AL/deliveries.lang @@ -1,33 +1,33 @@ # Dolibarr language file - Source file is en_US - deliveries -Delivery=Delivery -DeliveryRef=Ref Delivery -DeliveryCard=Receipt card -DeliveryOrder=Delivery receipt -DeliveryDate=Delivery date -CreateDeliveryOrder=Generate delivery receipt -DeliveryStateSaved=Delivery state saved -SetDeliveryDate=Set shipping date -ValidateDeliveryReceipt=Validate delivery receipt -ValidateDeliveryReceiptConfirm=Are you sure you want to validate this delivery receipt? -DeleteDeliveryReceipt=Delete delivery receipt -DeleteDeliveryReceiptConfirm=Are you sure you want to delete delivery receipt %s? -DeliveryMethod=Delivery method -TrackingNumber=Tracking number -DeliveryNotValidated=Delivery not validated -StatusDeliveryCanceled=Anulluar -StatusDeliveryDraft=Draft -StatusDeliveryValidated=Received +Delivery=Dorëzimi +DeliveryRef=Dorëzimi Ref +DeliveryCard=Dëftesa e aksioneve +DeliveryOrder=Faturën e dorëzimit +DeliveryDate=Data e dorëzimit +CreateDeliveryOrder=Gjeneroni faturën e dorëzimit +DeliveryStateSaved=Gjendja e dorëzimit u ruajt +SetDeliveryDate=Cakto datën e dërgesës +ValidateDeliveryReceipt=Vërtetoni faturën e dorëzimit +ValidateDeliveryReceiptConfirm=Jeni i sigurt që dëshironi të vërtetoni këtë faturë dërgese? +DeleteDeliveryReceipt=Fshi faturën e dorëzimit +DeleteDeliveryReceiptConfirm=Jeni i sigurt që dëshironi të fshini faturën e dorëzimit %sb09a4b739f17f>z? +DeliveryMethod=Metodat e dërgesës +TrackingNumber=Numri i gjurmimit +DeliveryNotValidated=Dorëzimi nuk është vërtetuar +StatusDeliveryCanceled=Anuluar +StatusDeliveryDraft=Drafti +StatusDeliveryValidated=Marrë # merou PDF model -NameAndSignature=Name and Signature: -ToAndDate=Për___________________________________ në ____/_____/__________ -GoodStatusDeclaration=Have received the goods above in good condition, -Deliverer=Deliverer: +NameAndSignature=Emri dhe nënshkrimi: +ToAndDate=Për______________________ më ____/_____/__________ +GoodStatusDeclaration=I keni marrë mallrat e mësipërme në gjendje të mirë, +Deliverer=Dorëzuesi: Sender=Dërguesi -Recipient=Recipient -ErrorStockIsNotEnough=There's not enough stock -Shippable=Shippable -NonShippable=Not Shippable -ShowShippableStatus=Show shippable status -ShowReceiving=Show delivery receipt -NonExistentOrder=Nonexistent order -StockQuantitiesAlreadyAllocatedOnPreviousLines = Stock quantities already allocated on previous lines +Recipient=Marrësi +ErrorStockIsNotEnough=Nuk ka stoqe të mjaftueshme +Shippable=E transportueshme +NonShippable=Nuk mund të dërgohet +ShowShippableStatus=Shfaq statusin e dërgesës +ShowReceiving=Trego faturën e dorëzimit +NonExistentOrder=Rendi inekzistent +StockQuantitiesAlreadyAllocatedOnPreviousLines = Sasitë e stokut të alokuara tashmë në linjat e mëparshme diff --git a/htdocs/langs/sq_AL/dict.lang b/htdocs/langs/sq_AL/dict.lang index f6e5c7ed27f..0d07de3a9c3 100644 --- a/htdocs/langs/sq_AL/dict.lang +++ b/htdocs/langs/sq_AL/dict.lang @@ -1,340 +1,340 @@ # Dolibarr language file - Source file is en_US - dict -CountryFR=Francë -CountryBE=Belgjikë -CountryIT=Itali -CountryES=Spanjë -CountryDE=Gjermani -CountryCH=Zvicër +CountryFR=Franca +CountryBE=Belgjika +CountryIT=Italia +CountryES=Spanja +CountryDE=Gjermania +CountryCH=Zvicra # Warning, country code GB is for United Kingdom. UK Does not exists as country code in ISO standard. -CountryGB=United Kingdom -CountryUK=United Kingdom -CountryIE=Irlandë +CountryGB=Mbretëria e Bashkuar +CountryUK=Mbretëria e Bashkuar +CountryIE=Irlanda CountryCN=Kinë -CountryTN=Tunizi +CountryTN=Tunizia CountryUS=Shtetet e Bashkuara -CountryMA=Marok -CountryDZ=Algjeri -CountryCA=Kanada +CountryMA=Maroku +CountryDZ=Algjeria +CountryCA=Kanadaja CountryTG=Togo CountryGA=Gabon -CountryNL=Hollandë -CountryHU=Hungari -CountryRU=Rusi -CountrySE=Suedi -CountryCI=Ivory Coast -CountrySN=Senegal -CountryAR=Argjentinë -CountryCM=Cameroon -CountryPT=Portugali -CountrySA=Arabi Saudite +CountryNL=Holanda +CountryHU=Hungaria +CountryRU=Rusia +CountrySE=Suedia +CountryCI=Bregu i Fildishtë +CountrySN=Senegali +CountryAR=Argjentina +CountryCM=Kamerun +CountryPT=Portugalia +CountrySA=Arabia Saudite CountryMC=Monako -CountryAU=Australi +CountryAU=Australia CountrySG=Singapor -CountryAF=Afghanistan -CountryAX=Åland Islands -CountryAL=Albania -CountryAS=American Samoa +CountryAF=Afganistani +CountryAX=Ishujt Åland +CountryAL=Shqipëria +CountryAS=Samoa amerikane CountryAD=Andorra CountryAO=Angola CountryAI=Anguilla -CountryAQ=Antarctica -CountryAG=Antigua and Barbuda +CountryAQ=Antarktida +CountryAG=Antigua dhe Barbuda CountryAM=Armenia CountryAW=Aruba CountryAT=Austria -CountryAZ=Azerbaijan +CountryAZ=Azerbajxhani CountryBS=Bahamas -CountryBH=Bahrain -CountryBD=Bangladesh +CountryBH=Bahrein +CountryBD=Bangladeshi CountryBB=Barbados -CountryBY=Belarus +CountryBY=Bjellorusia CountryBZ=Belize CountryBJ=Benin CountryBM=Bermuda -CountryBT=Bhutan +CountryBT=Butani CountryBO=Bolivia -CountryBA=Bosnia and Herzegovina -CountryBW=Botswana -CountryBV=Bouvet Island -CountryBR=Brazil -CountryIO=British Indian Ocean Territory +CountryBA=Bosnjë dhe Hercegovinë +CountryBW=Botsvana +CountryBV=Ishulli Bouvet +CountryBR=Brazili +CountryIO=Territori Britanik i Oqeanit Indian CountryBN=Brunei Darussalam -CountryBG=Bulgaria +CountryBG=Bullgaria CountryBF=Burkina Faso CountryBI=Burundi -CountryKH=Cambodia -CountryCV=Cape Verde -CountryKY=Cayman Islands -CountryCF=Central African Republic -CountryTD=Chad -CountryCL=Chile -CountryCX=Christmas Island -CountryCC=Cocos (Keeling) Islands -CountryCO=Colombia -CountryKM=Comoros -CountryCG=Congo -CountryCD=Congo, The Democratic Republic of the -CountryCK=Cook Islands -CountryCR=Costa Rica -CountryHR=Croatia -CountryCU=Cuba -CountryCY=Cyprus -CountryCZ=Czech Republic -CountryDK=Denmark -CountryDJ=Djibouti -CountryDM=Dominica -CountryDO=Dominican Republic -CountryEC=Ecuador -CountryEG=Egypt +CountryKH=Kamboxhia +CountryCV=Kepi Verde +CountryKY=Ishujt Kajman +CountryCF=Republika e Afrikës Qendrore +CountryTD=Çad +CountryCL=Kili +CountryCX=Ishulli i Krishtlindjeve +CountryCC=Ishujt Cocos (Keeling). +CountryCO=Kolumbia +CountryKM=Komoret +CountryCG=Kongo +CountryCD=Kongo, Republika Demokratike e +CountryCK=Ishujt Kuk +CountryCR=Kosta Rika +CountryHR=Kroacia +CountryCU=Kuba +CountryCY=Qipron +CountryCZ=Republika Çeke +CountryDK=Danimarka +CountryDJ=Xhibuti +CountryDM=Dominika +CountryDO=Republika Domenikane +CountryEC=Ekuador +CountryEG=Egjipti CountrySV=El Salvador -CountryGQ=Equatorial Guinea +CountryGQ=Guinea Ekuatoriale CountryER=Eritrea CountryEE=Estonia -CountryET=Ethiopia -CountryFK=Falkland Islands -CountryFO=Faroe Islands -CountryFJ=Fiji Islands -CountryFI=Finland -CountryGF=French Guiana -CountryPF=French Polynesia -CountryTF=French Southern Territories +CountryET=Etiopia +CountryFK=Ishujt Falkland +CountryFO=Ishujt Faroe +CountryFJ=Ishujt Fixhi +CountryFI=Finlanda +CountryGF=Guiana Franceze +CountryPF=Polinezia Franceze +CountryTF=Territoret Jugore Franceze CountryGM=Gambia -CountryGE=Georgia -CountryGH=Ghana -CountryGI=Gibraltar -CountryGR=Greqi -CountryGL=Greenland +CountryGE=Gjeorgjia +CountryGH=Gana +CountryGI=Gjibraltarit +CountryGR=Greqia +CountryGL=Grenlanda CountryGD=Grenada -CountryGP=Guadeloupe +CountryGP=Guadelupe CountryGU=Guam CountryGT=Guatemala CountryGN=Guinea CountryGW=Guinea-Bissau -CountryGY=Guyana +CountryGY=Guajana CountryHT=Haiti -CountryHM=Heard Island and McDonald -CountryVA=Holy See (Vatican City State) -CountryHN=Honduras -CountryHK=Hong Kong -CountryIS=Iceland +CountryHM=Heard Island dhe McDonald +CountryVA=Selia e Shenjtë (Shteti i qytetit të Vatikanit) +CountryHN=Hondurasi +CountryHK=Hong Kongu +CountryIS=Islanda CountryIN=Indi -CountryID=Indonezi -CountryIR=Iran -CountryIQ=Irak -CountryIL=Izreael -CountryJM=Jamaica -CountryJP=Japoni -CountryJO=Jordani -CountryKZ=Kazakhstan +CountryID=Indonezia +CountryIR=Irani +CountryIQ=Iraku +CountryIL=Izraeli +CountryJM=Xhamajka +CountryJP=Japonia +CountryJO=Jordania +CountryKZ=Kazakistani CountryKE=Kenia CountryKI=Kiribati CountryKP=Korea e Veriut -CountryKR=Korea e Jugut -CountryKW=Kuvait -CountryKG=Kyrgyzstan +CountryKR=Korea e jugut +CountryKW=Kuvajti +CountryKG=Kirgistani CountryLA=Lao -CountryLV=Latvia -CountryLB=Liban -CountryLS=Lesotho +CountryLV=Letonia +CountryLB=Libani +CountryLS=Lesoto CountryLR=Liberia -CountryLY=Libya -CountryLI=Lihtenshtein -CountryLT=Lituani -CountryLU=Luksemburg -CountryMO=Macao -CountryMK=Macedonia, the former Yugoslav of -CountryMG=Madagaskar -CountryMW=Malawi -CountryMY=Malajzi -CountryMV=Maldives +CountryLY=Libinë +CountryLI=Lihtenshtajni +CountryLT=Lituania +CountryLU=Luksemburgu +CountryMO=Makao +CountryMK=Maqedonia, ish-Jugosllavia e +CountryMG=Madagaskari +CountryMW=Malavi +CountryMY=Malajzia +CountryMV=Maldivet CountryML=Mali -CountryMT=Maltë -CountryMH=Marshall Islands -CountryMQ=Martinique +CountryMT=Malta +CountryMH=Ishujt Marshall +CountryMQ=Martinika CountryMR=Mauritania CountryMU=Mauritius -CountryYT=Mayotte -CountryMX=Meksikë -CountryFM=Micronesia -CountryMD=Moldavi +CountryYT=majota +CountryMX=Meksika +CountryFM=Mikronezi +CountryMD=Moldavia CountryMN=Mongolia -CountryMS=Monserrat +CountryMS=Montserrat CountryMZ=Mozambik CountryMM=Myanmar (Burma) CountryNA=Namibia CountryNR=Nauru -CountryNP=Nepal -CountryAN=Netherlands Antilles -CountryNC=New Caledonia -CountryNZ=Zelandë e Re +CountryNP=Nepali +CountryAN=Antilet Hollandeze +CountryNC=Kaledonia e Re +CountryNZ=Zelanda e Re CountryNI=Nikaragua -CountryNE=Niger +CountryNE=Nigeri CountryNG=Nigeria CountryNU=Niue -CountryNF=Norfolk Island -CountryMP=Northern Mariana Islands -CountryNO=Norway -CountryOM=Oman -CountryPK=PAkistan +CountryNF=Ishulli Norfolk +CountryMP=Ishujt Mariana Veriore +CountryNO=Norvegjia +CountryOM=Omani +CountryPK=Pakistani CountryPW=Palau -CountryPS=Palestinian Territory, Occupied -CountryPA=Panama -CountryPG=Papua New Guinea +CountryPS=Territori Palestinez, i pushtuar +CountryPA=Panamaja +CountryPG=Papua Guinea e Re CountryPY=Paraguaj -CountryPE=Peru -CountryPH=Philippines -CountryPN=Pitcairn Islands -CountryPL=Poloni +CountryPE=Peruja +CountryPH=Filipinet +CountryPN=Ishujt Pitcairn +CountryPL=Polonia CountryPR=Porto Riko -CountryQA=Katar -CountryRE=Reunion -CountryRO=Rrumani +CountryQA=Katari +CountryRE=Ribashkim +CountryRO=Rumania CountryRW=Ruanda -CountrySH=Saint Helena -CountryKN=Saint Kitts and Nevis -CountryLC=Saint Lucia -CountryPM=Saint Pierre and Miquelon -CountryVC=Saint Vincent and Grenadines +CountrySH=Shën Helena +CountryKN=Shën Kitts dhe Nevis +CountryLC=Shën Luçia +CountryPM=Saint Pierre dhe Miquelon +CountryVC=Shën Vincenti dhe Grenadinet CountryWS=Samoa CountrySM=San Marino -CountryST=Sao Tome and Principe -CountryRS=Serbi +CountryST=Sao Tome dhe Principe +CountryRS=Serbisë CountrySC=Seychelles CountrySL=Sierra Leone -CountrySK=Slovaki -CountrySI=Sloveni -CountrySB=Solomon Islands +CountrySK=Sllovakia +CountrySI=Sllovenia +CountrySB=Ishujt Solomon CountrySO=Somali -CountryZA=Afrika Jugut -CountryGS=South Georgia and the South Sandwich Islands +CountryZA=Afrika e Jugut +CountryGS=Gjeorgjia e Jugut dhe Ishujt Sanduiç të Jugut CountryLK=Sri Lanka -CountrySD=Sudan -CountrySR=Suriname -CountrySJ=Svalbard and Jan Mayen +CountrySD=Sudani +CountrySR=Surinami +CountrySJ=Svalbard dhe Jan Mayen CountrySZ=Swaziland -CountrySY=Siri -CountryTW=Taivan -CountryTJ=Taxhikistan -CountryTZ=Tanzani -CountryTH=Tailandë +CountrySY=siriane +CountryTW=Tajvani +CountryTJ=Taxhikistani +CountryTZ=Tanzania +CountryTH=Tajlandë CountryTL=Timor-Leste CountryTK=Tokelau CountryTO=Tonga -CountryTT=Trinidad and Tobago -CountryTR=Turqi -CountryTM=Turkmenistan -CountryTC=Turks and Caicos Islands +CountryTT=Trinidad dhe Tobago +CountryTR=Turqia +CountryTM=Turkmenistani +CountryTC=Ishujt Turks dhe Kaikos CountryTV=Tuvalu CountryUG=Uganda CountryUA=Ukrainë -CountryAE=United Arab Emirates -CountryUM=United States Minor Outlying Islands -CountryUY=Uruguaj -CountryUZ=Uzbekistan +CountryAE=Emiratet e Bashkuara Arabe +CountryUM=Ishujt e vegjël periferikë të Shteteve të Bashkuara +CountryUY=Uruguai +CountryUZ=Uzbekistani CountryVU=Vanuatu -CountryVE=Venezuele -CountryVN=Vietnam -CountryVG=Virgin Islands, British -CountryVI=Virgin Islands, U.S. -CountryWF=Wallis and Futuna -CountryEH=Western Sahara -CountryYE=Jemen +CountryVE=Venezuela +CountryVN=Vietnami +CountryVG=Ishujt e Virgjër, Britanik +CountryVI=Ishujt e Virgjër, SHBA +CountryWF=Wallis dhe Futuna +CountryEH=Sahara Perëndimore +CountryYE=Jemeni CountryZM=Zambia -CountryZW=Zimbabwe +CountryZW=Zimbabve CountryGG=Guernsey -CountryIM=Isle of Man -CountryJE=Jersey -CountryME=Mali Zi -CountryBL=Saint Barthelemy -CountryMF=Saint Martin -CountryXK=Kosovo +CountryIM=Ishulli i Manit +CountryJE=Xhersi +CountryME=Mali i Zi +CountryBL=Shën Barthelemy +CountryMF=Shën Martin +CountryXK=Kosova ##### Civilities ##### -CivilityMME=Mrs. -CivilityMMEShort=Mrs. -CivilityMR=Mr. -CivilityMRShort=Mr. -CivilityMLE=Ms. -CivilityMTRE=Master -CivilityDR=Doctor +CivilityMME=znj. +CivilityMMEShort=znj. +CivilityMR=Zoti. +CivilityMRShort=Zoti. +CivilityMLE=Znj. +CivilityMTRE=Mjeshtër +CivilityDR=Doktor ##### Currencies ##### -Currencyeuros=Euros -CurrencyAUD=AU Dollars -CurrencySingAUD=AU Dollar -CurrencyCAD=CAN Dollars +Currencyeuros=euro +CurrencyAUD=Dollarë AU +CurrencySingAUD=Dollar AU +CurrencyCAD=CAN Dollarë CurrencySingCAD=CAN Dollar -CurrencyCHF=Swiss Francs -CurrencySingCHF=Swiss Franc -CurrencyEUR=Euros -CurrencySingEUR=Euro -CurrencyFRF=French Francs -CurrencySingFRF=French Franc -CurrencyGBP=GB Pounds -CurrencySingGBP=GB Pound -CurrencyINR=Indian rupees -CurrencySingINR=Indian rupee +CurrencyCHF=franga zvicerane +CurrencySingCHF=franga zvicerane +CurrencyEUR=euro +CurrencySingEUR=euro +CurrencyFRF=Franga franceze +CurrencySingFRF=Franga franceze +CurrencyGBP=GB paund +CurrencySingGBP=GB paund +CurrencyINR=Rupia indiane +CurrencySingINR=Rupia indiane CurrencyMAD=Dirham CurrencySingMAD=Dirham -CurrencyMGA=Ariary -CurrencySingMGA=Ariary -CurrencyMUR=Mauritius rupees -CurrencySingMUR=Mauritius rupee -CurrencyNOK=Norwegian krones -CurrencySingNOK=Norwegian kronas -CurrencyTND=Tunisian dinars -CurrencySingTND=Tunisian dinar -CurrencyUSD=US Dollars -CurrencySingUSD=US Dollar +CurrencyMGA=Ariari +CurrencySingMGA=Ariari +CurrencyMUR=rupi Mauritius +CurrencySingMUR=Rupia e Mauritius +CurrencyNOK=korona norvegjeze +CurrencySingNOK=Kronat norvegjeze +CurrencyTND=dinarë tunizianë +CurrencySingTND=dinar tunizian +CurrencyUSD=dollarë amerikanë +CurrencySingUSD=dollar amerikan CurrencyUAH=Hryvnia CurrencySingUAH=Hryvnia -CurrencyXAF=CFA Francs BEAC -CurrencySingXAF=CFA Franc BEAC -CurrencyXOF=CFA Francs BCEAO -CurrencySingXOF=CFA Franc BCEAO -CurrencyXPF=CFP Francs -CurrencySingXPF=CFP Franc -CurrencyCentEUR=cents +CurrencyXAF=Franga CFA BEAC +CurrencySingXAF=Franga CFA BEAC +CurrencyXOF=Franga CFA BCEAO +CurrencySingXOF=Franga CFA BCEAO +CurrencyXPF=Franga CFP +CurrencySingXPF=Franga CFP +CurrencyCentEUR=cent CurrencyCentSingEUR=cent CurrencyCentINR=paisa CurrencyCentSingINR=paise -CurrencyThousandthSingTND=thousandth +CurrencyThousandthSingTND=e mijëta #### Input reasons ##### DemandReasonTypeSRC_INTE=Internet -DemandReasonTypeSRC_CAMP_MAIL=Mailing campaign -DemandReasonTypeSRC_CAMP_EMAIL=EMailing campaign -DemandReasonTypeSRC_CAMP_PHO=Phone campaign -DemandReasonTypeSRC_CAMP_FAX=Fax campaign -DemandReasonTypeSRC_COMM=Commercial contact -DemandReasonTypeSRC_SHOP=Shop contact -DemandReasonTypeSRC_WOM=Word of mouth +DemandReasonTypeSRC_CAMP_MAIL=Fushata postare +DemandReasonTypeSRC_CAMP_EMAIL=Fushata e postës elektronike +DemandReasonTypeSRC_CAMP_PHO=Fushata telefonike +DemandReasonTypeSRC_CAMP_FAX=Fushata me faks +DemandReasonTypeSRC_COMM=Kontakt komercial +DemandReasonTypeSRC_SHOP=Kontakt në dyqan +DemandReasonTypeSRC_WOM=Fjalë goje DemandReasonTypeSRC_PARTNER=Partner DemandReasonTypeSRC_EMPLOYEE=Punonjës -DemandReasonTypeSRC_SPONSORING=Sponsorship -DemandReasonTypeSRC_SRC_CUSTOMER=Incoming contact of a customer +DemandReasonTypeSRC_SPONSORING=Sponsorizimi +DemandReasonTypeSRC_SRC_CUSTOMER=Kontakti në hyrje i një klienti #### Paper formats #### -PaperFormatEU4A0=Format 4A0 -PaperFormatEU2A0=Format 2A0 -PaperFormatEUA0=Format A0 -PaperFormatEUA1=Format A1 -PaperFormatEUA2=Format A2 -PaperFormatEUA3=Format A3 -PaperFormatEUA4=Format A4 -PaperFormatEUA5=Format A5 -PaperFormatEUA6=Format A6 -PaperFormatUSLETTER=Format Letter US -PaperFormatUSLEGAL=Format Legal US -PaperFormatUSEXECUTIVE=Format Executive US +PaperFormatEU4A0=Formati 4A0 +PaperFormatEU2A0=Formati 2A0 +PaperFormatEUA0=Formati A0 +PaperFormatEUA1=Formati A1 +PaperFormatEUA2=Formati A2 +PaperFormatEUA3=Formati A3 +PaperFormatEUA4=Formati A4 +PaperFormatEUA5=Formati A5 +PaperFormatEUA6=Formati A6 +PaperFormatUSLETTER=Format Letra US +PaperFormatUSLEGAL=Format Ligjore SHBA +PaperFormatUSEXECUTIVE=Formati Ekzekutiv i SHBA PaperFormatUSLEDGER=Format Ledger/Tabloid -PaperFormatCAP1=Format P1 Canada -PaperFormatCAP2=Format P2 Canada -PaperFormatCAP3=Format P3 Canada -PaperFormatCAP4=Format P4 Canada -PaperFormatCAP5=Format P5 Canada -PaperFormatCAP6=Format P6 Canada +PaperFormatCAP1=Formati P1 Kanada +PaperFormatCAP2=Formati P2 Kanada +PaperFormatCAP3=Formati P3 Kanada +PaperFormatCAP4=Formati P4 Kanada +PaperFormatCAP5=Formati P5 Kanada +PaperFormatCAP6=Formati P6 Kanada #### Expense report categories #### -ExpAutoCat=Car -ExpCycloCat=Moped -ExpMotoCat=Motorbike +ExpAutoCat=Makinë +ExpCycloCat=Motoçikleta +ExpMotoCat=Motoçikletë ExpAuto3CV=3 CV ExpAuto4CV=4 CV ExpAuto5CV=5 CV @@ -345,18 +345,18 @@ ExpAuto9CV=9 CV ExpAuto10CV=10 CV ExpAuto11CV=11 CV ExpAuto12CV=12 CV -ExpAuto3PCV=3 CV and more -ExpAuto4PCV=4 CV and more -ExpAuto5PCV=5 CV and more -ExpAuto6PCV=6 CV and more -ExpAuto7PCV=7 CV and more -ExpAuto8PCV=8 CV and more -ExpAuto9PCV=9 CV and more -ExpAuto10PCV=10 CV and more -ExpAuto11PCV=11 CV and more -ExpAuto12PCV=12 CV and more -ExpAuto13PCV=13 CV and more -ExpCyclo=Capacity lower to 50cm3 -ExpMoto12CV=Motorbike 1 or 2 CV -ExpMoto345CV=Motorbike 3, 4 or 5 CV -ExpMoto5PCV=Motorbike 5 CV and more +ExpAuto3PCV=3 CV dhe më shumë +ExpAuto4PCV=4 CV dhe më shumë +ExpAuto5PCV=5 CV dhe më shumë +ExpAuto6PCV=6 CV dhe më shumë +ExpAuto7PCV=7 CV dhe më shumë +ExpAuto8PCV=8 CV dhe më shumë +ExpAuto9PCV=9 CV dhe më shumë +ExpAuto10PCV=10 CV dhe më shumë +ExpAuto11PCV=11 CV dhe më shumë +ExpAuto12PCV=12 CV dhe më shumë +ExpAuto13PCV=13 CV dhe më shumë +ExpCyclo=Kapaciteti më i ulët në 50cm3 +ExpMoto12CV=Motoçikletë 1 ose 2 CV +ExpMoto345CV=Motoçikletë 3, 4 ose 5 CV +ExpMoto5PCV=Motoçikletë 5 CV dhe më shumë diff --git a/htdocs/langs/sq_AL/donations.lang b/htdocs/langs/sq_AL/donations.lang index 741d37b1ee9..a58e748bbe2 100644 --- a/htdocs/langs/sq_AL/donations.lang +++ b/htdocs/langs/sq_AL/donations.lang @@ -1,34 +1,36 @@ # Dolibarr language file - Source file is en_US - donations -Donation=Dhurim -Donations=Dhurimet -DonationRef=Ref. e dhurimit -Donor=Dhuruesi -AddDonation=Krijo nje dhurim +Donation=Donacion +Donations=Donacionet +DonationRef=Dhurimi ref. +Donor=Donator +AddDonation=Krijo një donacion NewDonation=Dhurim i ri -DeleteADonation=Delete a donation -ConfirmDeleteADonation=Are you sure you want to delete this donation? -PublicDonation=Dhurim publik -DonationsArea=Donations area -DonationStatusPromiseNotValidated=Draft promise -DonationStatusPromiseValidated=Validated promise -DonationStatusPaid=Donation received -DonationStatusPromiseNotValidatedShort=Draft -DonationStatusPromiseValidatedShort=Validated -DonationStatusPaidShort=Received -DonationTitle=Donation receipt -DonationDate=Donation date -DonationDatePayment=Payment date -ValidPromess=Validate promise -DonationReceipt=Donation receipt -DonationsModels=Documents models for donation receipts -LastModifiedDonations=Latest %s modified donations -DonationRecipient=Donation recipient -IConfirmDonationReception=The recipient declare reception, as a donation, of the following amount -MinimumAmount=Minimum amount is %s -FreeTextOnDonations=Free text to show in footer -FrenchOptions=Options for France -DONATION_ART200=Show article 200 from CGI if you are concerned -DONATION_ART238=Show article 238 from CGI if you are concerned -DONATION_ART885=Show article 885 from CGI if you are concerned -DonationPayment=Donation payment -DonationValidated=Donation %s validated +DeleteADonation=Fshi një donacion +ConfirmDeleteADonation=Je i sigurt që dëshiron ta fshish këtë donacion? +PublicDonation=Donacion publik +DonationsArea=Zona e donacioneve +DonationStatusPromiseNotValidated=Draft premtimi +DonationStatusPromiseValidated=Premtim i vërtetuar +DonationStatusPaid=Donacioni i marrë +DonationStatusPromiseNotValidatedShort=Drafti +DonationStatusPromiseValidatedShort=E vërtetuar +DonationStatusPaidShort=Marrë +DonationTitle=Fatura e dhurimit +DonationDate=Data e dhurimit +DonationDatePayment=Data e pagesës +ValidPromess=Vërtetoni premtimin +DonationReceipt=Fatura e dhurimit +DonationsModels=Modelet e dokumenteve për faturat e donacioneve +LastModifiedDonations=Donacionet më të fundit të modifikuara %s +DonationRecipient=Marrësi i donacionit +IConfirmDonationReception=Marrësi deklaron pranimin, si donacion, të shumës së mëposhtme +MinimumAmount=Shuma minimale është %s +FreeTextOnDonations=Tekst falas për t'u shfaqur në fund +FrenchOptions=Opsione për Francën +DONATION_ART200=Trego artikullin 200 nga CGI nëse jeni të shqetësuar +DONATION_ART238=Trego artikullin 238 nga CGI nëse jeni të shqetësuar +DONATION_ART978=Trego artikullin 978 nga CGI nëse jeni të shqetësuar +DonationPayment=Pagesa e donacionit +DonationValidated=Donacioni %s u vërtetua +DonationUseThirdparties=Përdorni adresën e një pale të tretë ekzistuese si adresë të donatorit +DonationsStatistics=Statistikat e donacioneve diff --git a/htdocs/langs/sq_AL/ecm.lang b/htdocs/langs/sq_AL/ecm.lang index dac19b5811d..4152cb777f1 100644 --- a/htdocs/langs/sq_AL/ecm.lang +++ b/htdocs/langs/sq_AL/ecm.lang @@ -1,49 +1,56 @@ # Dolibarr language file - Source file is en_US - ecm -ECMNbOfDocs=No. of documents in directory -ECMSection=Directory -ECMSectionManual=Manual directory -ECMSectionAuto=Automatic directory -ECMSectionsManual=Manual tree -ECMSectionsAuto=Automatic tree -ECMSections=Directories -ECMRoot=ECM Root -ECMNewSection=New directory -ECMAddSection=Add directory -ECMCreationDate=Creation date -ECMNbOfFilesInDir=Number of files in directory -ECMNbOfSubDir=Number of sub-directories -ECMNbOfFilesInSubDir=Number of files in sub-directories -ECMCreationUser=Creator -ECMArea=DMS/ECM area -ECMAreaDesc=The DMS/ECM (Document Management System / Electronic Content Management) area allows you to save, share and search quickly all kind of documents in Dolibarr. -ECMAreaDesc2=* Automatic directories are filled automatically when adding documents from card of an element.
      * Manual directories can be used to save documents not linked to a particular element. -ECMSectionWasRemoved=Directory %s has been deleted. -ECMSectionWasCreated=Directory %s has been created. -ECMSearchByKeywords=Search by keywords -ECMSearchByEntity=Search by object -ECMSectionOfDocuments=Directories of documents -ECMTypeAuto=Automatike -ECMDocsBy=Documents linked to %s -ECMNoDirectoryYet=No directory created -ShowECMSection=Show directory -DeleteSection=Remove directory -ConfirmDeleteSection=Can you confirm you want to delete the directory %s? -ECMDirectoryForFiles=Relative directory for files -CannotRemoveDirectoryContainsFilesOrDirs=Removal not possible because it contains some files or sub-directories -CannotRemoveDirectoryContainsFiles=Removal not possible because it contains some files -ECMFileManager=File manager -ECMSelectASection=Select a directory in the tree... -DirNotSynchronizedSyncFirst=This directory seems to be created or modified outside ECM module. You must click on "Resync" button first to synchronize disk and database to get content of this directory. -ReSyncListOfDir=Resync list of directories -HashOfFileContent=Hash of file content -NoDirectoriesFound=No directories found -FileNotYetIndexedInDatabase=File not yet indexed into database (try to re-upload it) -ExtraFieldsEcmFiles=Extrafields Ecm Files -ExtraFieldsEcmDirectories=Extrafields Ecm Directories -ECMSetup=ECM Setup -GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... -ConfirmImgWebpCreation=Confirm all images duplication -SucessConvertImgWebp=Images successfully duplicated -ECMDirName=Dir name -ECMParentDirectory=Parent directory +ECMNbOfDocs=Numri i dokumenteve në drejtori +ECMSection=Drejtoria +ECMSectionManual=Drejtoria manuale +ECMSectionAuto=Drejtoria automatike +ECMSectionsManual=Pemë manuale private +ECMSectionsAuto=Pemë automatike private +ECMSectionsMedias=Pema publike +ECMSections=Drejtoritë +ECMRoot=Rrënja ECM +ECMNewSection=Drejtoria e re +ECMAddSection=Shto direktori +ECMCreationDate=Data e krijimit +ECMNbOfFilesInDir=Numri i skedarëve në drejtori +ECMNbOfSubDir=Numri i nëndrejtorive +ECMNbOfFilesInSubDir=Numri i skedarëve në nëndrejtori +ECMCreationUser=Krijuesi +ECMArea=Zona DMS/ECM +ECMAreaDesc=Zona DMS/ECM (Sistemi i menaxhimit të dokumenteve / Menaxhimi elektronik i përmbajtjes) ju lejon të ruani, shpërndani dhe kërkoni shpejt të gjitha llojet e dokumenteve në Dolibarr. +ECMAreaDesc2a=* Drejtoritë manuale mund të përdoren për të ruajtur dokumente me një organizim falas të strukturës së pemës. +ECMAreaDesc2b=* Drejtoritë automatike plotësohen automatikisht kur shtohen dokumente nga faqja e një elementi. +ECMAreaDesc3=* Drejtoritë publike janë skedarë në nëndrejtorinë /medias të drejtorisë së dokumenteve, të lexueshme nga të gjithë pa pasur nevojë të regjistrohen dhe nuk ka nevojë që skedari të ndahet në mënyrë eksplicite. Përdoret për të ruajtur skedarët e imazheve për modulin e dërgimit të postës elektronike ose të faqes në internet për shembull. +ECMSectionWasRemoved=Drejtoria %s është fshirë. +ECMSectionWasCreated=Drejtoria %s është krijuar. +ECMSearchByKeywords=Kërkoni sipas fjalëve kyçe +ECMSearchByEntity=Kërko sipas objektit +ECMSectionOfDocuments=Drejtoritë e dokumenteve +ECMTypeAuto=Automatik +ECMDocsBy=Dokumentet e lidhura me %s +ECMNoDirectoryYet=Asnjë drejtori nuk u krijua +ShowECMSection=Shfaq drejtorinë +DeleteSection=Hiq drejtorinë +ConfirmDeleteSection=A mund të konfirmoni që dëshironi të fshini direktorinë %s%s
      already exists. -ErrorLoginAlreadyExists=Login %s already exists. -ErrorGroupAlreadyExists=Group %s already exists. -ErrorEmailAlreadyExists=Email %s already exists. -ErrorRecordNotFound=Record not found. -ErrorFailToCopyFile=Failed to copy file '%s' into '%s'. -ErrorFailToCopyDir=Failed to copy directory '%s' into '%s'. -ErrorFailToRenameFile=Failed to rename file '%s' into '%s'. -ErrorFailToDeleteFile=Failed to remove file '%s'. -ErrorFailToCreateFile=Failed to create file '%s'. -ErrorFailToRenameDir=Failed to rename directory '%s' into '%s'. -ErrorFailToCreateDir=Failed to create directory '%s'. -ErrorFailToDeleteDir=Failed to delete directory '%s'. -ErrorFailToMakeReplacementInto=Failed to make replacement into file '%s'. -ErrorFailToGenerateFile=Failed to generate file '%s'. -ErrorThisContactIsAlreadyDefinedAsThisType=This contact is already defined as contact for this type. -ErrorCashAccountAcceptsOnlyCashMoney=This bank account is a cash account, so it accepts payments of type cash only. -ErrorFromToAccountsMustDiffers=Source and targets bank accounts must be different. -ErrorBadThirdPartyName=Bad value for third-party name -ForbiddenBySetupRules=Forbidden by setup rules -ErrorProdIdIsMandatory=The %s is mandatory -ErrorAccountancyCodeCustomerIsMandatory=The accountancy code of customer %s is mandatory -ErrorBadCustomerCodeSyntax=Bad syntax for customer code -ErrorBadBarCodeSyntax=Bad syntax for barcode. May be you set a bad barcode type or you defined a barcode mask for numbering that does not match value scanned. -ErrorCustomerCodeRequired=Customer code required -ErrorBarCodeRequired=Barcode required -ErrorCustomerCodeAlreadyUsed=Customer code already used -ErrorBarCodeAlreadyUsed=Barcode already used -ErrorPrefixRequired=Prefix required -ErrorBadSupplierCodeSyntax=Bad syntax for vendor code -ErrorSupplierCodeRequired=Vendor code required -ErrorSupplierCodeAlreadyUsed=Vendor code already used -ErrorBadParameters=Bad parameters -ErrorWrongParameters=Wrong or missing parameters -ErrorBadValueForParameter=Wrong value '%s' for parameter '%s' -ErrorBadImageFormat=Image file has not a supported format (Your PHP does not support functions to convert images of this format) -ErrorBadDateFormat=Value '%s' has wrong date format -ErrorWrongDate=Date is not correct! -ErrorFailedToWriteInDir=Failed to write in directory %s -ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) -ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields have been left blank. -ErrorSubjectIsRequired=The email subject is required -ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). -ErrorNoMailDefinedForThisUser=No mail defined for this user -ErrorSetupOfEmailsNotComplete=Setup of emails is not complete -ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display. -ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'. -ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id. -ErrorFileNotFound=File %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter) -ErrorDirNotFound=Directory %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter) -ErrorFunctionNotAvailableInPHP=Function %s is required for this feature but is not available in this version/setup of PHP. -ErrorDirAlreadyExists=A directory with this name already exists. -ErrorFileAlreadyExists=A file with this name already exists. -ErrorDestinationAlreadyExists=Another file with the name %s already exists. -ErrorPartialFile=File not received completely by server. -ErrorNoTmpDir=Temporary directy %s does not exists. -ErrorUploadBlockedByAddon=Upload blocked by a PHP/Apache plugin. -ErrorFileSizeTooLarge=File size is too large. -ErrorFieldTooLong=Field %s is too long. -ErrorSizeTooLongForIntType=Size too long for int type (%s digits maximum) -ErrorSizeTooLongForVarcharType=Size too long for string type (%s chars maximum) -ErrorNoValueForSelectType=Please fill value for select list -ErrorNoValueForCheckBoxType=Please fill value for checkbox list -ErrorNoValueForRadioType=Please fill value for radio list -ErrorBadFormatValueList=The list value cannot have more than one comma: %s, but need at least one: key,value -ErrorFieldCanNotContainSpecialCharacters=The field %s must not contains special characters. -ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters and cannot contain only numbers. -ErrorFieldMustHaveXChar=The field %s must have at least %s characters. -ErrorNoAccountancyModuleLoaded=No accountancy module activated -ErrorExportDuplicateProfil=This profile name already exists for this export set. -ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete. -ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors. -ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled. -ErrorRefAlreadyExists=Reference %s already exists. -ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD) -ErrorRecordHasChildren=Failed to delete record since it has some child records. -ErrorRecordHasAtLeastOneChildOfType=Object %s has at least one child of type %s -ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into another object. -ErrorModuleRequireJavascript=Javascript must not be disabled to have this feature working. To enable/disable Javascript, go to menu Home->Setup->Display. -ErrorPasswordsMustMatch=Both typed passwords must match each other -ErrorContactEMail=A technical error occured. Please, contact administrator to following email %s and provide the error code %s in your message, or add a screen copy of this page. -ErrorWrongValueForField=Field %s: '%s' does not match regex rule %s -ErrorFieldValueNotIn=Field %s: '%s' is not a value found in field %s of %s -ErrorFieldRefNotIn=Field %s: '%s' is not a %s existing ref -ErrorsOnXLines=%s errors found -ErrorFileIsInfectedWithAVirus=The antivirus program was not able to validate the file (file might be infected by a virus) -ErrorSpecialCharNotAllowedForField=Special characters are not allowed for field "%s" -ErrorNumRefModel=A reference exists into database (%s) and is not compatible with this numbering rule. Remove record or renamed reference to activate this module. -ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this vendor -ErrorOrdersNotCreatedQtyTooLow=Some orders haven't been created because of too-low quantities -ErrorModuleSetupNotComplete=Setup of module %s looks to be uncomplete. Go on Home - Setup - Modules to complete. -ErrorBadMask=Error on mask -ErrorBadMaskFailedToLocatePosOfSequence=Error, mask without sequence number -ErrorBadMaskBadRazMonth=Error, bad reset value -ErrorMaxNumberReachForThisMask=Maximum number reached for this mask -ErrorCounterMustHaveMoreThan3Digits=Counter must have more than 3 digits -ErrorSelectAtLeastOne=Error, select at least one entry. -ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transaction that is conciliated -ErrorProdIdAlreadyExist=%s is assigned to another third -ErrorFailedToSendPassword=Failed to send password -ErrorFailedToLoadRSSFile=Fails to get RSS feed. Try to add constant MAIN_SIMPLEXMLLOAD_DEBUG if error messages does not provide enough information. -ErrorForbidden=Access denied.
      You try to access to a page, area or feature of a disabled module or without being in an authenticated session or that is not allowed to your user. -ErrorForbidden2=Permission for this login can be defined by your Dolibarr administrator from menu %s->%s. -ErrorForbidden3=It seems that Dolibarr is not used through an authenticated session. Take a look at Dolibarr setup documentation to know how to manage authentications (htaccess, mod_auth or other...). -ErrorForbidden4=Note: clear your browser cookies to destroy existing sessions for this login. -ErrorNoImagickReadimage=Class Imagick is not found in this PHP. No preview can be available. Administrators can disable this tab from menu Setup - Display. -ErrorRecordAlreadyExists=Record already exists -ErrorLabelAlreadyExists=This label already exists -ErrorCantReadFile=Failed to read file '%s' -ErrorCantReadDir=Failed to read directory '%s' -ErrorBadLoginPassword=Bad value for login or password -ErrorLoginDisabled=Your account has been disabled -ErrorFailedToRunExternalCommand=Failed to run external command. Check it is available and runnable by your PHP server user. Check also the command is not protected on shell level by a security layer like apparmor. -ErrorFailedToChangePassword=Failed to change password -ErrorLoginDoesNotExists=User with login %s could not be found. -ErrorLoginHasNoEmail=This user has no email address. Process aborted. -ErrorBadValueForCode=Bad value for security code. Try again with new value... -ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines (net of tax) can't be negative for a given not null VAT rate (Found a negative total for VAT rate %s%%). -ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. -ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative -ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that -ErrorNoActivatedBarcode=No barcode type activated -ErrUnzipFails=Failed to unzip %s with ZipArchive -ErrNoZipEngine=No engine to zip/unzip %s file in this PHP -ErrorFileMustBeADolibarrPackage=The file %s must be a Dolibarr zip package -ErrorModuleFileRequired=You must select a Dolibarr module package file -ErrorPhpCurlNotInstalled=The PHP CURL is not installed, this is essential to talk with Paypal -ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP base -ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base -ErrorNewValueCantMatchOldValue=New value can't be equal to old one -ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process. -ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check database server is running (for example, with mysql/mariadb, you can launch it from command line with 'sudo service mysql start'). -ErrorFailedToAddContact=Failed to add contact -ErrorDateMustBeBeforeToday=The date must be lower than today -ErrorDateMustBeInFuture=The date must be greater than today -ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode. -ErrorPHPNeedModule=Error, your PHP must have module %s installed to use this feature. -ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s -ErrorWarehouseMustDiffers=Source and target warehouses must differs -ErrorBadFormat=Bad format! -ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any third party. Link member to an existing third party or create a new third party before creating subscription with invoice. -ErrorThereIsSomeDeliveries=Error, there is some deliveries linked to this shipment. Deletion refused. -ErrorCantDeletePaymentReconciliated=Can't delete a payment that had generated a bank entry that was reconciled -ErrorCantDeletePaymentSharedWithPayedInvoice=Can't delete a payment shared by at least one invoice with status Paid -ErrorPriceExpression1=Cannot assign to constant '%s' -ErrorPriceExpression2=Cannot redefine built-in function '%s' -ErrorPriceExpression3=Undefined variable '%s' in function definition -ErrorPriceExpression4=Illegal character '%s' -ErrorPriceExpression5=Unexpected '%s' -ErrorPriceExpression6=Wrong number of arguments (%s given, %s expected) -ErrorPriceExpression8=Unexpected operator '%s' -ErrorPriceExpression9=An unexpected error occured -ErrorPriceExpression10=Operator '%s' lacks operand -ErrorPriceExpression11=Expecting '%s' -ErrorPriceExpression14=Division by zero -ErrorPriceExpression17=Undefined variable '%s' -ErrorPriceExpression19=Expression not found -ErrorPriceExpression20=Empty expression -ErrorPriceExpression21=Empty result '%s' -ErrorPriceExpression22=Negative result '%s' -ErrorPriceExpression23=Unknown or non set variable '%s' in %s -ErrorPriceExpression24=Variable '%s' exists but has no value -ErrorPriceExpressionInternal=Internal error '%s' -ErrorPriceExpressionUnknown=Unknown error '%s' -ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs -ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on product '%s' requiring lot/serial information -ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=All recorded receptions must first be verified (approved or denied) before being allowed to do this action -ErrorCantSetReceptionToTotalDoneWithReceptionDenied=All recorded receptions must first be verified (approved) before being allowed to do this action -ErrorGlobalVariableUpdater0=HTTP request failed with error '%s' -ErrorGlobalVariableUpdater1=Invalid JSON format '%s' -ErrorGlobalVariableUpdater2=Missing parameter '%s' -ErrorGlobalVariableUpdater3=The requested data was not found in result -ErrorGlobalVariableUpdater4=SOAP client failed with error '%s' -ErrorGlobalVariableUpdater5=No global variable selected -ErrorFieldMustBeANumeric=Field %s must be a numeric value -ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided -ErrorOppStatusRequiredIfAmount=You set an estimated amount for this lead. So you must also enter it's status. -ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s -ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu) -ErrorSavingChanges=An error has occurred when saving the changes -ErrorWarehouseRequiredIntoShipmentLine=Warehouse is required on the line to ship -ErrorFileMustHaveFormat=File must have format %s -ErrorFilenameCantStartWithDot=Filename can't start with a '.' -ErrorSupplierCountryIsNotDefined=Country for this vendor is not defined. Correct this first. -ErrorsThirdpartyMerge=Failed to merge the two records. Request canceled. -ErrorStockIsNotEnoughToAddProductOnOrder=Stock is not enough for product %s to add it into a new order. -ErrorStockIsNotEnoughToAddProductOnInvoice=Stock is not enough for product %s to add it into a new invoice. -ErrorStockIsNotEnoughToAddProductOnShipment=Stock is not enough for product %s to add it into a new shipment. -ErrorStockIsNotEnoughToAddProductOnProposal=Stock is not enough for product %s to add it into a new proposal. -ErrorFailedToLoadLoginFileForMode=Failed to get the login key for mode '%s'. -ErrorModuleNotFound=File of module was not found. -ErrorFieldAccountNotDefinedForBankLine=Value for Accounting account not defined for source line id %s (%s) -ErrorFieldAccountNotDefinedForInvoiceLine=Value for Accounting account not defined for invoice id %s (%s) -ErrorFieldAccountNotDefinedForLine=Value for Accounting account not defined for the line (%s) -ErrorBankStatementNameMustFollowRegex=Error, bank statement name must follow the following syntax rule %s -ErrorPhpMailDelivery=Check that you don't use a too high number of recipients and that your email content is not similar to a Spam. Ask also your administrator to check firewall and server logs files for a more complete information. -ErrorUserNotAssignedToTask=User must be assigned to task to be able to enter time consumed. -ErrorTaskAlreadyAssigned=Task already assigned to user -ErrorModuleFileSeemsToHaveAWrongFormat=The module package seems to have a wrong format. -ErrorModuleFileSeemsToHaveAWrongFormat2=At least one mandatory directory must exists into zip of module: %s or %s -ErrorFilenameDosNotMatchDolibarrPackageRules=The name of the module package (%s) does not match expected name syntax: %s -ErrorDuplicateTrigger=Error, duplicate trigger name %s. Already loaded from %s. -ErrorNoWarehouseDefined=Error, no warehouses defined. -ErrorBadLinkSourceSetButBadValueForRef=The link you use is not valid. A 'source' for payment is defined, but value for 'ref' is not valid. -ErrorTooManyErrorsProcessStopped=Too many errors. Process was stopped. -ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Mass validation is not possible when option to increase/decrease stock is set on this action (you must validate one by one so you can define the warehouse to increase/decrease) -ErrorObjectMustHaveStatusDraftToBeValidated=Object %s must have status 'Draft' to be validated. -ErrorObjectMustHaveLinesToBeValidated=Object %s must have lines to be validated. -ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Only validated invoices can be sent using the "Send by email" mass action. -ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a predefined product or not -ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before. -ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently. -ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference. -ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number. -ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product -ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use -ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually. -ErrorBadSyntaxForParamKeyForContent=Bad syntax for param keyforcontent. Must have a value starting with %s or %s -ErrorVariableKeyForContentMustBeSet=Error, the constant with name %s (with text content to show) or %s (with external url to show) must be set. -ErrorURLMustEndWith=URL %s must end %s -ErrorURLMustStartWithHttp=URL %s must start with http:// or https:// -ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// -ErrorNewRefIsAlreadyUsed=Error, the new reference is already used -ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible. -ErrorSearchCriteriaTooSmall=Search criteria too small. -ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to be disabled -ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled -ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. -ErrorFieldRequiredForProduct=Field '%s' is required for product %s -ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. -ErrorAddAtLeastOneLineFirst=Add at least one line first -ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, record is already transferred in accounting, deletion is not possible. -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one. -ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s". -ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty -ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number -ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number -ErrorFailedToReadObject=Error, failed to read object of type %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler -ErrorLoginDateValidity=Error, this login is outside the validity date range -ErrorValueLength=Length of field '%s' must be higher than '%s' -ErrorReservedKeyword=The word '%s' is a reserved keyword -ErrorNotAvailableWithThisDistribution=Not available with this distribution -ErrorPublicInterfaceNotEnabled=Public interface was not enabled -ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page -ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page -ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation -ErrorDateIsInFuture=Error, the date can't be in the future -ErrorAnAmountWithoutTaxIsRequired=Error, amount is mandatory -ErrorAPercentIsRequired=Error, please fill in the percentage correctly -ErrorYouMustFirstSetupYourChartOfAccount=You must first setup your chart of account -ErrorFailedToFindEmailTemplate=Failed to find template with code name %s -ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Duration not defined on service. No way to calculate the hourly price. -ErrorActionCommPropertyUserowneridNotDefined=User's owner is required -ErrorActionCommBadType=Selected event type (id: %s, code: %s) do not exist in Event Type dictionary -CheckVersionFail=Version check fail -ErrorWrongFileName=Name of the file cannot have __SOMETHING__ in it -ErrorNotInDictionaryPaymentConditions=Not in Payment Terms Dictionary, please modify. -ErrorIsNotADraft=%s is not a draft -ErrorExecIdFailed=Can't execute command "id" -ErrorBadCharIntoLoginName=Unauthorized character in the login name -ErrorRequestTooLarge=Error, request too large +ErrorButCommitIsDone=U gjetën gabime, por ne i vërtetojmë pavarësisht kësaj +ErrorBadEMail=Adresa e emailit %s është e pasaktë +ErrorBadMXDomain=Emaili %s duket i pasaktë (domeni nuk ka rekord të vlefshëm MX) +ErrorBadUrl=Urlja %s është e pasaktë +ErrorBadValueForParamNotAString=Vlera e keqe për parametrin tuaj. Ai shtohet përgjithësisht kur mungon përkthimi. +ErrorRefAlreadyExists=Referenca %s ekziston tashmë. +ErrorTitleAlreadyExists=Titulli %s ekziston tashmë. +ErrorLoginAlreadyExists=Hyrja %s ekziston tashmë. +ErrorGroupAlreadyExists=Grupi %s ekziston tashmë. +ErrorEmailAlreadyExists=Email %s ekziston tashmë. +ErrorRecordNotFound=Regjistrimi nuk u gjet. +ErrorRecordNotFoundShort=Nuk u gjet +ErrorFailToCopyFile=Dështoi në kopjimin e skedarit '%s' në '' ='notranslate'>%s'. +ErrorFailToCopyDir=Dështoi në kopjimin e drejtorisë '%s' në '' ='notranslate'>%s'. +ErrorFailToRenameFile=Riemërtimi i skedarit '%s në '' dështoi në '' ='notranslate'>%s'. +ErrorFailToDeleteFile=Dështoi në heqjen e skedarit '%s'. +ErrorFailToCreateFile=Dështoi në krijimin e skedarit '%s'. +ErrorFailToRenameDir=Riemërtimi i drejtorisë '%s në '' dështoi në '' ='notranslate'>%s'. +ErrorFailToCreateDir=Dështoi në krijimin e drejtorisë '%s'. +ErrorFailToDeleteDir=Fshirja e drejtorisë '%s' dështoi. +ErrorFailToMakeReplacementInto=Zëvendësimi i skedarit '%s
      %s'. +ErrorThisContactIsAlreadyDefinedAsThisType=Ky kontakt është përcaktuar tashmë si kontakt për këtë lloj. +ErrorCashAccountAcceptsOnlyCashMoney=Kjo llogari bankare është një llogari cash, kështu që pranon vetëm pagesa të llojit cash. +ErrorFromToAccountsMustDiffers=Llogaritë bankare të burimit dhe objektivave duhet të jenë të ndryshme. +ErrorBadThirdPartyName=Vlera e keqe për emrin e palës së tretë +ForbiddenBySetupRules=Ndalohet nga rregullat e konfigurimit +ErrorProdIdIsMandatory=%s është i detyrueshëm +ErrorAccountancyCodeCustomerIsMandatory=Kodi i kontabilitetit i klientit %s është i detyrueshëm +ErrorAccountancyCodeSupplierIsMandatory=Kodi i kontabilitetit i furnizuesit %s është i detyrueshëm +ErrorBadCustomerCodeSyntax=Sintaksë e keqe për kodin e klientit +ErrorBadBarCodeSyntax=Sintaksë e keqe për barkodin. Ndoshta keni vendosur një lloj barkodi të keq ose keni përcaktuar një maskë barkodi për numërim që nuk përputhet me vlerën e skanuar. +ErrorCustomerCodeRequired=Kërkohet kodi i klientit +ErrorBarCodeRequired=Kërkohet barkodi +ErrorCustomerCodeAlreadyUsed=Kodi i klientit është përdorur tashmë +ErrorBarCodeAlreadyUsed=Barkodi i përdorur tashmë +ErrorPrefixRequired=Kërkohet prefiksi +ErrorBadSupplierCodeSyntax=Sintaksë e keqe për kodin e shitësit +ErrorSupplierCodeRequired=Kërkohet kodi i shitësit +ErrorSupplierCodeAlreadyUsed=Kodi i shitësit është përdorur tashmë +ErrorBadParameters=Parametrat e keq +ErrorWrongParameters=Parametra të gabuar ose që mungojnë +ErrorBadValueForParameter=Vlera e gabuar '%s' për parametrin '%s' +ErrorBadImageFormat=Skedari i imazhit nuk ka një format të mbështetur (PHP juaj nuk mbështet funksione për konvertimin e imazheve të këtij formati) +ErrorBadDateFormat=Vlera '%s' ka format të gabuar të datës +ErrorWrongDate=Data nuk është e saktë! +ErrorFailedToWriteInDir=Dështoi të shkruante në drejtorinë %s +ErrorFailedToBuildArchive=Dështoi në ndërtimin e skedarit të arkivit %s +ErrorFoundBadEmailInFile=U gjet sintaksë e gabuar e emailit për linjat %s në skedar (rreshti shembull %s me email=b0f0292 /span>) +ErrorUserCannotBeDelete=Përdoruesi nuk mund të fshihet. Ndoshta është e lidhur me entitetet Dolibarr. +ErrorFieldsRequired=Disa fusha të kërkuara janë lënë bosh. +ErrorSubjectIsRequired=Kërkohet tema e emailit +ErrorFailedToCreateDir=Dështoi në krijimin e një drejtorie. Kontrolloni që përdoruesi i serverit të uebit ka leje për të shkruar në dosjen e dokumenteve Dolibarr. Nëse parametri safe_mode është i aktivizuar në këtë PHP, kontrolloni që skedarët Dolibarr php janë në pronësi të përdoruesit të serverit të uebit. +ErrorNoMailDefinedForThisUser=Asnjë postë nuk është përcaktuar për këtë përdorues +ErrorSetupOfEmailsNotComplete=Konfigurimi i emaileve nuk është i plotë +ErrorFeatureNeedJavascript=Ky funksion ka nevojë për JavaScript që të aktivizohet për të funksionuar. Ndryshojeni këtë në konfigurim - ekran. +ErrorTopMenuMustHaveAParentWithId0=Një meny e tipit "Top" nuk mund të ketë një meny prind. Vendosni 0 në menynë prind ose zgjidhni një meny të tipit 'Left'. +ErrorLeftMenuMustHaveAParentId=Një meny e tipit "Majtas" duhet të ketë një ID prindi. +ErrorFileNotFound=Skedari %s nuk u gjet (rruga e lejimit ose qasja e gabuar Bad mohuar nga parametri PHP openbasedir ose safe_mode) +ErrorDirNotFound=Drejtoria %s nuk u gjet (shtegu i lejes ose qasja e gabuar Bad mohuar nga parametri PHP openbasedir ose safe_mode) +ErrorFunctionNotAvailableInPHP=Funksioni %s nuk është i disponueshëm për këtë veçori këtë version/konfigurim të PHP. +ErrorDirAlreadyExists=Një direktori me këtë emër ekziston tashmë. +ErrorDirNotWritable=Drejtoria %s nuk mund të shkruhet. +ErrorFileAlreadyExists=Një skedar me këtë emër ekziston tashmë. +ErrorDestinationAlreadyExists=Një skedar tjetër me emrin %s ekziston tashmë. +ErrorPartialFile=Skedari nuk është marrë plotësisht nga serveri. +ErrorNoTmpDir=Drejtoria e përkohshme %s nuk ekziston. +ErrorUploadBlockedByAddon=Ngarkimi u bllokua nga një shtojcë PHP/Apache. +ErrorFileSizeTooLarge=Madhësia e skedarit është shumë e madhe ose skedari nuk ofrohet. +ErrorFieldTooLong=Fusha %s është shumë e gjatë. +ErrorSizeTooLongForIntType=Madhësia shumë e gjatë për llojin int (%s maksimumi i shifrave) +ErrorSizeTooLongForVarcharType=Madhësia shumë e gjatë për llojin e vargut (%s maksimumi i karaktereve) +ErrorNoValueForSelectType=Ju lutemi plotësoni vlerën për listën e përzgjedhur +ErrorNoValueForCheckBoxType=Ju lutemi plotësoni vlerën për listën e kutisë së kontrollit +ErrorNoValueForRadioType=Ju lutemi plotësoni vlerën për listën e radios +ErrorBadFormatValueList=Vlera e listës nuk mund të ketë më shumë se një presje: %s, por duhet të paktën një: çelësi, vlera +ErrorFieldCanNotContainSpecialCharacters=Fusha %s nuk duhet të përmbajë karaktere të veçanta. +ErrorFieldCanNotContainSpecialNorUpperCharacters=Fusha %s nuk duhet të përmbajë karaktere të veçanta karaktere dhe duhet të fillojë me një karakter alfabetik (a-z) +ErrorFieldMustHaveXChar=Fusha %s duhet të ketë të paktën class=' nottranslate'>%s karaktere. +ErrorNoAccountancyModuleLoaded=Asnjë modul kontabiliteti nuk është aktivizuar +ErrorExportDuplicateProfil=Ky emër profili ekziston tashmë për këtë grup eksporti. +ErrorLDAPSetupNotComplete=Përputhja Dolibarr-LDAP nuk është e plotë. +ErrorLDAPMakeManualTest=Një skedar .ldif është krijuar në direktorinë %s. Mundohuni ta ngarkoni manualisht nga linja e komandës për të pasur më shumë informacion mbi gabimet. +ErrorCantSaveADoneUserWithZeroPercentage=Nuk mund të ruhet një veprim me "statusi i pa filluar" nëse plotësohet edhe fusha "e kryer nga". +ErrorRefAlreadyExists=Referenca %s ekziston tashmë. +ErrorPleaseTypeBankTransactionReportName=Ju lutemi, shkruani emrin e pasqyrës bankare ku duhet të raportohet hyrja (Formati VVYYYMM ose YYYYMMDD) +ErrorRecordHasChildren=Fshirja e regjistrimit dështoi pasi ka disa regjistrime fëmijësh. +ErrorRecordHasAtLeastOneChildOfType=Objekti %s ka të paktën një fëmijë të llojit %s +ErrorRecordIsUsedCantDelete=Nuk mund të fshihet regjistrimi. Është përdorur tashmë ose është përfshirë në një objekt tjetër. +ErrorModuleRequireJavascript=JavaScript nuk duhet të çaktivizohet që kjo veçori të funksionojë. Për të aktivizuar/çaktivizuar JavaScript, shkoni te menyja Home->Setup->Display. +ErrorPasswordsMustMatch=Të dy fjalëkalimet e shtypura duhet të përputhen me njëri-tjetrin +ErrorContactEMail=Ndodhi një gabim teknik. Ju lutemi, kontaktoni administratorin në emailin vijues %s kodi %s në ekranin e mesazhit tuaj, ose shtoni një kopje të mesazhit kjo faqe. +ErrorWrongValueForField=Fusha %s: 'no
      %s' nuk përputhet me rregullin regex +ErrorHtmlInjectionForField=Fusha %s: Vlera '%s' përmban të dhëna me qëllim të keq që nuk lejohen +ErrorFieldValueNotIn=Fusha %s: 'no
      %s' nuk është një vlerë e gjetur në fushën %s' nuk është një %s ref ekzistues +ErrorMultipleRecordFoundFromRef=U gjetën disa shënime gjatë kërkimit nga ref %s. Nuk ka asnjë mënyrë për të ditur se cilën ID të përdorni. +ErrorsOnXLines=%s u gjetën gabime +ErrorFileIsInfectedWithAVirus=Programi antivirus nuk ishte në gjendje të vërtetonte skedarin (skedari mund të jetë i infektuar nga një virus) +ErrorFileIsAnInfectedPDFWithJSInside=Skedari është një PDF i infektuar nga disa Javascript brenda +ErrorNumRefModel=Një referencë ekziston në bazën e të dhënave (%s) dhe nuk është në përputhje me këtë rregull numërimi. Hiq rekordin ose referencën e riemërtuar për të aktivizuar këtë modul. +ErrorQtyTooLowForThisSupplier=Sasia shumë e ulët për këtë shitës ose asnjë çmim i përcaktuar në këtë produkt për këtë shitës +ErrorOrdersNotCreatedQtyTooLow=Disa porosi nuk janë krijuar për shkak të sasive shumë të ulëta +ErrorOrderStatusCantBeSetToDelivered=Statusi i porosisë nuk mund të caktohet në dorëzim. +ErrorModuleSetupNotComplete=Konfigurimi i modulit %s duket se nuk është i plotë. Shkoni në Home - Konfigurimi - Modulet për të përfunduar. +ErrorBadMask=Gabim në maskë +ErrorBadMaskFailedToLocatePosOfSequence=Gabim, maskë pa numër sekuence +ErrorBadMaskBadRazMonth=Gabim, vlera e rivendosjes së keqe +ErrorMaxNumberReachForThisMask=Është arritur numri maksimal për këtë maskë +ErrorCounterMustHaveMoreThan3Digits=Numëruesi duhet të ketë më shumë se 3 shifra +ErrorSelectAtLeastOne=Gabim, zgjidhni të paktën një hyrje. +ErrorDeleteNotPossibleLineIsConsolidated=Fshirja nuk është e mundur sepse regjistrimi është i lidhur me një transaksion bankar që është pajtuar +ErrorProdIdAlreadyExist=%s i është caktuar një e treta tjetër +ErrorFailedToSendPassword=Dërgimi i fjalëkalimit dështoi +ErrorFailedToLoadRSSFile=Dështon në marrjen e furnizimit RSS. Provoni të shtoni MAIN_SIMPLEXMLLOAD_DEBUG konstante nëse mesazhet e gabimit nuk japin informacion të mjaftueshëm. +ErrorForbidden=Qasja u refuzua.
      Ti përpiqesh të hysh në një faqe, zonë ose veçori të një moduli të çaktivizuar ose pa qenë në një sesion të vërtetuar ose që nuk lejohet për përdoruesin tënd. +ErrorForbidden2=Leja për këtë hyrje mund të përcaktohet nga administratori juaj i Dolibarr nga menyja %s->%s. +ErrorForbidden3=Duket se Dolibarr nuk përdoret përmes një sesioni të vërtetuar. Hidhini një sy dokumentacionit të konfigurimit të Dolibarr për të ditur se si të menaxhoni vërtetimet (htaccess, mod_auth ose të tjera...). +ErrorForbidden4=Shënim: pastroni skedarët e shfletuesit tuaj për të shkatërruar sesionet ekzistuese për këtë hyrje. +ErrorNoImagickReadimage=Klasa Imagick nuk gjendet në këtë PHP. Nuk mund të disponohet asnjë pamje paraprake. Administratorët mund ta çaktivizojnë këtë skedë nga menyja Setup - Display. +ErrorRecordAlreadyExists=Regjistrimi ekziston tashmë +ErrorLabelAlreadyExists=Ky emërtim ekziston tashmë +ErrorCantReadFile=Leximi i skedarit "%s" dështoi +ErrorCantReadDir=Dështoi në leximin e drejtorisë '%s' +ErrorBadLoginPassword=Vlera e keqe për hyrjen ose fjalëkalimin +ErrorLoginDisabled=Llogaria juaj është çaktivizuar +ErrorFailedToRunExternalCommand=Dështoi në ekzekutimin e komandave të jashtme. Kontrolloni nëse është i disponueshëm dhe i ekzekutueshëm nga përdoruesi i serverit tuaj PHP. Kontrolloni gjithashtu që komanda të mos mbrohet në nivel shell nga një shtresë sigurie si apparmor. +ErrorFailedToChangePassword=Ndryshimi i fjalëkalimit dështoi +ErrorLoginDoesNotExists=Përdoruesi me hyrje %s nuk mund të gjendej. +ErrorLoginHasNoEmail=Ky përdorues nuk ka adresë emaili. Procesi u ndërpre. +ErrorBadValueForCode=Vlera e keqe për kodin e sigurisë. Provo sërish me vlerë të re... +ErrorBothFieldCantBeNegative=Fushat %s dhe %s nuk mund të jenë të dyja negative +ErrorFieldCantBeNegativeOnInvoice=Fusha %s nuk mund të jetë negative në këtë lloj. Nëse duhet të shtoni një linjë zbritjeje, thjesht krijoni zbritjen në fillim (nga fusha '%s' në kartën e palës së tretë) dhe zbatojeni atë në faturë. +ErrorLinesCantBeNegativeForOneVATRate=Totali i linjave (pa taksën) nuk mund të jetë negativ për një normë të caktuar TVSH-je jo nule (U gjet një total negativ për normën e TVSH-së %s %%). +ErrorLinesCantBeNegativeOnDeposits=Linjat nuk mund të jenë negative në një depozitë. Do të përballeni me probleme kur do t'ju duhet të konsumoni depozitën në faturën përfundimtare nëse e bëni këtë. +ErrorQtyForCustomerInvoiceCantBeNegative=Sasia për linjë në faturat e klientëve nuk mund të jetë negative +ErrorWebServerUserHasNotPermission=Llogaria e përdoruesit %s nuk është përdorur për të ekzekutuar serverin në ueb se +ErrorNoActivatedBarcode=Asnjë lloj barkodi nuk është aktivizuar +ErrUnzipFails=Zhzipja e %s me ZipArchive dështoi +ErrNoZipEngine=Nuk ka motor për të zip/unzipuar %s skedar në këtë PHP +ErrorFileMustBeADolibarrPackage=Skedari %s duhet të jetë një paketë zip Dolibarr +ErrorModuleFileRequired=Ju duhet të zgjidhni një skedar të paketës së modulit Dolibarr +ErrorPhpCurlNotInstalled=PHP CURL nuk është i instaluar, kjo është thelbësore për të folur me Paypal +ErrorFailedToAddToMailmanList=Dështoi në shtimin e rekordit %s në listën e Mailman %s ose bazën SPIP +ErrorFailedToRemoveToMailmanList=Heqja e rekordit %s dështoi në listën e Mailman %s ose bazës SPIP +ErrorNewValueCantMatchOldValue=Vlera e re nuk mund të jetë e barabartë me vlerën e vjetër +ErrorFailedToValidatePasswordReset=Rivendosja e fjalëkalimit dështoi. Ndoshta reinit është bërë tashmë (kjo lidhje mund të përdoret vetëm një herë). Nëse jo, provo të rifillosh procesin e rifillimit. +ErrorToConnectToMysqlCheckInstance=Lidhja me bazën e të dhënave dështon. Kontrolloni se serveri i bazës së të dhënave po funksionon (për shembull, me mysql/mariadb, mund ta nisni atë nga vija e komandës me 'sudo service mysql start'). +ErrorFailedToAddContact=Shtimi i kontaktit dështoi +ErrorDateMustBeBeforeToday=Data duhet të jetë më e ulët se sot +ErrorDateMustBeInFuture=Data duhet të jetë më e madhe se sot +ErrorStartDateGreaterEnd=Data e fillimit është më e madhe se data e përfundimit +ErrorPaymentModeDefinedToWithoutSetup=Një mënyrë pagese u caktua për të shtypur %s por konfigurimi i modulit Fatura nuk u krye për të përcaktuar informacionin për t'u shfaqur për këtë mënyrë pagese. +ErrorPHPNeedModule=Gabim, PHP juaj duhet të ketë modul %s të instaluar për të përdorur këtë%s duhet të jetë një vlerë numerike +ErrorMandatoryParametersNotProvided=Parametrat e detyrueshëm nuk ofrohen +ErrorOppStatusRequiredIfUsage=Ju zgjidhni të ndiqni një mundësi në këtë projekt, kështu që duhet të plotësoni edhe statusin e drejtuesit. +ErrorOppStatusRequiredIfAmount=Ju vendosni një shumë të përafërt për këtë drejtim. Pra, duhet të futni edhe statusin e tij. +ErrorFailedToLoadModuleDescriptorForXXX=Ngarkimi i klasës së përshkruesit të modulit dështoi për %s +ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Përkufizim i keq i grupit të menysë në përshkruesin e modulit (vlerë e keqe për çelësin fk_menu) +ErrorSavingChanges=Ka ndodhur një gabim gjatë ruajtjes së ndryshimeve +ErrorWarehouseRequiredIntoShipmentLine=Kërkohet magazinë në linjë për të dërguar +ErrorFileMustHaveFormat=Skedari duhet të ketë format %s +ErrorFilenameCantStartWithDot=Emri i skedarit nuk mund të fillojë me një '.' +ErrorSupplierCountryIsNotDefined=Shteti për këtë shitës nuk është i përcaktuar. Korrigjoje këtë fillimisht. +ErrorsThirdpartyMerge=Dështoi në bashkimin e dy regjistrimeve. Kërkesa u anulua. +ErrorStockIsNotEnoughToAddProductOnOrder=Stoku nuk është i mjaftueshëm që produkti %s ta shtojë atë në një porosi të re. +ErrorStockIsNotEnoughToAddProductOnInvoice=Stoku nuk është i mjaftueshëm që produkti %s ta shtojë atë në një faturë të re. +ErrorStockIsNotEnoughToAddProductOnShipment=Stoku nuk është i mjaftueshëm që produkti %s ta shtojë atë në një dërgesë të re. +ErrorStockIsNotEnoughToAddProductOnProposal=Stoku nuk është i mjaftueshëm që produkti %s ta shtojë atë në një propozim të ri. +ErrorFailedToLoadLoginFileForMode=Marrja e çelësit të hyrjes për modalitetin '%s' dështoi. +ErrorModuleNotFound=Skedari i modulit nuk u gjet. +ErrorFieldAccountNotDefinedForBankLine=Vlera për llogarinë e kontabilitetit nuk është përcaktuar për ID-në e linjës burimore %s (%s) +ErrorFieldAccountNotDefinedForInvoiceLine=Vlera për llogarinë e kontabilitetit nuk është përcaktuar për ID-në e faturës %s (%s) +ErrorFieldAccountNotDefinedForLine=Vlera për llogarinë e kontabilitetit nuk është përcaktuar për rreshtin (%s) +ErrorBankStatementNameMustFollowRegex=Gabim, emri i pasqyrës bankare duhet të ndjekë rregullin e mëposhtëm sintaksor %s +ErrorPhpMailDelivery=Kontrolloni që të mos përdorni një numër shumë të lartë marrësish dhe që përmbajtja juaj e emailit të mos jetë e ngjashme me një mesazh të padëshiruar. Kërkojini gjithashtu administratorit tuaj të kontrollojë skedarët e regjistrave të murit të zjarrit dhe serverit për një informacion më të plotë. +ErrorUserNotAssignedToTask=Përdoruesi duhet të caktohet në detyrë që të jetë në gjendje të fusë kohën e konsumuar. +ErrorTaskAlreadyAssigned=Detyra i është caktuar tashmë përdoruesit +ErrorModuleFileSeemsToHaveAWrongFormat=Paketa e modulit duket se ka një format të gabuar. +ErrorModuleFileSeemsToHaveAWrongFormat2=Të paktën një direktori e detyrueshme duhet të ekzistojë në zip të modulit: %sb0a65d071f0sf > ose %s +ErrorFilenameDosNotMatchDolibarrPackageRules=Emri i paketës së modulit (%s nuk përputhet) sintaksa e pritshme e emrit: %s +ErrorDuplicateTrigger=Gabim, emri i kopjimit të kopjimit %s. I ngarkuar tashmë nga %s. +ErrorNoWarehouseDefined=Gabim, nuk janë përcaktuar magazina. +ErrorBadLinkSourceSetButBadValueForRef=Lidhja që përdorni nuk është e vlefshme. Një 'burim' për pagesë është përcaktuar, por vlera për 'ref' nuk është e vlefshme. +ErrorTooManyErrorsProcessStopped=Shumë gabime. Procesi u ndal. +ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Vërtetimi masiv nuk është i mundur kur opsioni për të rritur/zvogëluar stokun është vendosur në këtë veprim (duhet të vërtetoni një nga një që të mund të përcaktoni magazinë për rritje/ulje) +ErrorObjectMustHaveStatusDraftToBeValidated=Objekti %s duhet të ketë statusin "Draft" për t'u vërtetuar. +ErrorObjectMustHaveLinesToBeValidated=Objekti %s duhet të ketë rreshta për t'u vërtetuar. +ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Vetëm faturat e vërtetuara mund të dërgohen duke përdorur veprimin masiv "Dërgo me email". +ErrorChooseBetweenFreeEntryOrPredefinedProduct=Ju duhet të zgjidhni nëse artikulli është një produkt i paracaktuar apo jo +ErrorDiscountLargerThanRemainToPaySplitItBefore=Zbritja që përpiqeni të aplikoni është më e madhe se sa mbetet për të paguar. Ndani zbritjen në 2 zbritje më të vogla më parë. +ErrorFileNotFoundWithSharedLink=Skedari nuk u gjet. Ndoshta çelësi i ndarjes është modifikuar ose skedari është hequr së fundi. +ErrorProductBarCodeAlreadyExists=Barkodi i produktit %s ekziston tashmë në një referencë tjetër produkti. +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Vini re gjithashtu se përdorimi i kompleteve për të patur rritje/zvogëlim automatik të nënprodukteve nuk është i mundur kur të paktën një nënprodukt (ose nënprodukt i nënprodukteve) ka nevojë për një numër serial/lot. +ErrorDescRequiredForFreeProductLines=Përshkrimi është i detyrueshëm për linjat me produkt falas +ErrorAPageWithThisNameOrAliasAlreadyExists=Faqja/kontejneri %s ka të njëjtin emër ose alternativë atë që përpiqeni ta përdorni +ErrorDuringChartLoad=Gabim gjatë ngarkimit të grafikut të llogarive. Nëse disa llogari nuk janë ngarkuar, mund t'i futni ato me dorë. +ErrorBadSyntaxForParamKeyForContent=Sintaksë e keqe për çelësin e parametrave për përmbajtjen. Duhet të ketë një vlerë që fillon me %s ose %s +ErrorVariableKeyForContentMustBeSet=Gabim, duhet vendosur konstanta me emrin %s (me përmbajtje teksti për t'u shfaqur) ose %s (me url të jashtëm për t'u shfaqur) . +ErrorURLMustEndWith=URL-ja %s duhet të përfundojë %s +ErrorURLMustStartWithHttp=URL-ja %s duhet të fillojë me http:// ose https:// +ErrorHostMustNotStartWithHttp=Emri i hostit %s NUK duhet të fillojë me http:// ose https:// +ErrorNewRefIsAlreadyUsed=Gabim, referenca e re është përdorur tashmë +ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Gabim, fshirja e pagesës së lidhur me një faturë të mbyllur nuk është e mundur. +ErrorSearchCriteriaTooSmall=Kriteret e kërkimit janë shumë të shkurtra. +ErrorObjectMustHaveStatusActiveToBeDisabled=Objektet duhet të kenë statusin 'Aktiv' për t'u çaktivizuar +ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objektet duhet të kenë statusin 'Draft' ose 'Disabled' për t'u aktivizuar +ErrorNoFieldWithAttributeShowoncombobox=Asnjë fushë nuk ka veçori 'showoncombobox' në përkufizimin e objektit '%s'. Asnjë mënyrë për të treguar kombolistin. +ErrorFieldRequiredForProduct=Fusha "%s" kërkohet për produktin %s +AlreadyTooMuchPostOnThisIPAdress=Ju keni postuar tashmë shumë në këtë adresë IP. +ProblemIsInSetupOfTerminal=Problemi është në konfigurimin e terminalit %s. +ErrorAddAtLeastOneLineFirst=Së pari shtoni të paktën një rresht +ErrorRecordAlreadyInAccountingDeletionNotPossible=Gabim, regjistrimi është transferuar tashmë në kontabilitet, fshirja nuk është e mundur. +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Gabim, gjuha është e detyrueshme nëse e vendosni faqen si përkthim të një tjetre. +ErrorLanguageOfTranslatedPageIsSameThanThisPage=Gabim, gjuha e faqes së përkthyer është e njëjtë me këtë. +ErrorBatchNoFoundForProductInWarehouse=Nuk u gjet asnjë lot/serial për produktin "%s" në magazinë "%s". +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Nuk ka sasi të mjaftueshme për këtë lot/serial për produktin "%s" në magazinë "%s". +ErrorOnlyOneFieldForGroupByIsPossible=Vetëm 1 fushë për "Grupi sipas" është e mundur (të tjerat janë hedhur poshtë) +ErrorTooManyDifferentValueForSelectedGroupBy=U gjetën shumë vlera të ndryshme (më shumë se %s) fusha '%s', kështu që ne mund ta përdorim si një 'Group by' për grafikë. Fusha 'Group By' është hequr. Ndoshta dëshironi ta përdorni atë si një bosht X? +ErrorReplaceStringEmpty=Gabim, vargu për të zëvendësuar është bosh +ErrorProductNeedBatchNumber=Gabim, produkti '%s' ka nevojë për një numër +ErrorProductDoesNotNeedBatchNumber=Gabim, produkti '%s' nuk pranon shumë/ numër serik +ErrorFailedToReadObject=Gabim, dështoi në leximin e objektit të llojit %s +ErrorParameterMustBeEnabledToAllwoThisFeature=Gabim, parametri %s duhet të jetë en class='notranslate'> 'notranslate'>conf/conf.php<> për të lejuar përdorimin e ndërfaqes së linjës së komandës nga programuesi i brendshëm i punës +ErrorLoginDateValidity=Gabim, ky identifikim është jashtë intervalit të datave të vlefshmërisë +ErrorValueLength=Gjatësia e fushës '%s duhet të jetë më e lartë se '' span class='notranslate'>%s' +ErrorReservedKeyword=Fjala '%s' është një fjalë kyçe e rezervuar +ErrorFilenameReserved=Emri i skedarit %s nuk mund të përdoret komanda e rezervuar dhe e mbrojtur. +ErrorNotAvailableWithThisDistribution=Nuk disponohet me këtë shpërndarje +ErrorPublicInterfaceNotEnabled=Ndërfaqja publike nuk u aktivizua +ErrorLanguageRequiredIfPageIsTranslationOfAnother=Gjuha e faqes së re duhet të përcaktohet nëse është vendosur si përkthim i një faqeje tjetër +ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=Gjuha e faqes së re nuk duhet të jetë gjuha burimore nëse është caktuar si përkthim i një faqeje tjetër +ErrorAParameterIsRequiredForThisOperation=Një parametër është i detyrueshëm për këtë operacion +ErrorDateIsInFuture=Gabim, data nuk mund të jetë në të ardhmen +ErrorAnAmountWithoutTaxIsRequired=Gabim, shuma është e detyrueshme +ErrorAPercentIsRequired=Gabim, ju lutemi plotësoni saktë përqindjen +ErrorYouMustFirstSetupYourChartOfAccount=Së pari duhet të konfiguroni grafikun tuaj të llogarisë +ErrorFailedToFindEmailTemplate=Gjetja e shabllonit me emrin e koduar dështoi %s +ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Kohëzgjatja nuk është përcaktuar në shërbim. Nuk ka asnjë mënyrë për të llogaritur çmimin për orë. +ErrorActionCommPropertyUserowneridNotDefined=Kërkohet zotëruesi i përdoruesit +ErrorActionCommBadType=Lloji i zgjedhur i ngjarjes (id: %s, kodi: %s) nuk ekziston në fjalorin e llojit të ngjarjes +CheckVersionFail=Kontrolli i versionit dështoi +ErrorWrongFileName=Emri i skedarit nuk mund të ketë __DIÇKA__ në të +ErrorNotInDictionaryPaymentConditions=Jo në fjalorin e kushteve të pagesës, ju lutemi modifikoni. +ErrorIsNotADraft=%s nuk është një draft +ErrorExecIdFailed=Nuk mund të ekzekutohet komanda "id" +ErrorBadCharIntoLoginName=Karakteri i paautorizuar në fushën %s +ErrorRequestTooLarge=Gabim, kërkesa shumë e madhe ose seanca ka skaduar +ErrorNotApproverForHoliday=Ju nuk jeni miratuesi për largimin %s +ErrorAttributeIsUsedIntoProduct=Ky atribut përdoret në një ose më shumë variante produkti +ErrorAttributeValueIsUsedIntoProduct=Kjo vlerë atributi përdoret në një ose më shumë variante produkti +ErrorPaymentInBothCurrency=Gabim, të gjitha shumat duhet të futen në të njëjtën kolonë +ErrorYouTryToPayInvoicesInACurrencyFromBankWithAnotherCurrency=Ju përpiqeni të paguani fatura në monedhën %s nga një llogari me monedhën %s +ErrorInvoiceLoadThirdParty=Nuk mund të ngarkohet objekti i palës së tretë për faturën "%s" +ErrorInvoiceLoadThirdPartyKey=Çelësi i palës së tretë "%s" nuk është caktuar për faturën "%s" +ErrorDeleteLineNotAllowedByObjectStatus=Fshirja e linjës nuk lejohet nga statusi aktual i objektit +ErrorAjaxRequestFailed=Kërkesa dështoi +ErrorThirpdartyOrMemberidIsMandatory=Pala e tretë ose Anëtari i partneritetit është i detyrueshëm +ErrorFailedToWriteInTempDirectory=Dështoi të shkruani në direktorinë temp +ErrorQuantityIsLimitedTo=Sasia është e kufizuar në %s +ErrorFailedToLoadThirdParty=Dështoi gjetja/ngarkimi i palës së tretë nga id=%s, email=%s, name= %s +ErrorThisPaymentModeIsNotSepa=Kjo mënyrë pagese nuk është llogari bankare +ErrorStripeCustomerNotFoundCreateFirst=Klienti Stripe nuk është caktuar për këtë palë të tretë (ose është vendosur në një vlerë të fshirë në anën e shiritit). Krijo (ose ri-bashkëngjit) atë së pari. +ErrorCharPlusNotSupportedByImapForSearch=Kërkimi IMAP nuk është në gjendje të kërkojë te dërguesi ose marrësi për një varg që përmban karakterin + +ErrorTableNotFound=Tabela %s nuk u gjet +ErrorRefNotFound=Ref %s nuk u gjet +ErrorValueForTooLow=Vlera për %s është shumë e ulët +ErrorValueCantBeNull=Vlera për %s nuk mund të jetë null +ErrorDateOfMovementLowerThanDateOfFileTransmission=Data e transaksionit bankar nuk mund të jetë më e ulët se data e transmetimit të dosjes +ErrorTooMuchFileInForm=Shumë skedarë në formë, numri maksimal është %s skedar(s) +ErrorSessionInvalidatedAfterPasswordChange=Sesioni u zhvlerësua pas një ndryshimi të fjalëkalimit, emailit, statusit ose datave të vlefshmërisë. Ju lutemi identifikohuni përsëri. +ErrorExistingPermission = Leja %s për objektin %s ekziston tashmë +ErrorFieldExist=Vlera për %s ekziston tashmë +ErrorEqualModule=Moduli i pavlefshëm në %s +ErrorFieldValue=Vlera për %s është e pasaktë +ErrorCoherenceMenu=%s kërkohet kurno
      %s është 'majtas' +ErrorUploadFileDragDrop=Pati një gabim gjatë ngarkimit të skedarëve +ErrorUploadFileDragDropPermissionDenied=Pati një gabim gjatë ngarkimit të skedarëve: Leja u refuzua +ErrorFixThisHere=Rregullo këtë këtu +ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Gabim: URL-ja e shembullit tuaj aktual (%s) nuk përputhet me URL-në e përcaktuar në konfigurimin tuaj të hyrjes në OAuth2 (%s). Bërja e hyrjes në OAuth2 në një konfigurim të tillë nuk lejohet. +ErrorMenuExistValue=Një meny ekziston tashmë me këtë titull ose URL +ErrorSVGFilesNotAllowedAsLinksWithout=Skedarët SVG nuk lejohen si lidhje të jashtme pa opsionin %s +ErrorTypeMenu=Është e pamundur të shtosh një menu tjetër për të njëjtin modul në shiritin e navigimit, por ende nuk është trajtuar +ErrorObjectNotFound = Objekti %s nuk është gjetur, ju lutemi kontrolloni url +ErrorCountryCodeMustBe2Char=Kodi i shtetit duhet të jetë një varg me 2 karaktere + +ErrorTableExist=Tabela %s ekziston tashmë +ErrorDictionaryNotFound=Fjalori %s nuk u gjet +ErrorFailedToCreateSymLinkToMedias=Dështoi në krijimin e lidhjes simbolike %s për të treguar në %s +ErrorCheckTheCommandInsideTheAdvancedOptions=Kontrolloni komandën e përdorur për eksportin në opsionet e avancuara të eksportit # Warnings -WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. -WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. -WarningMandatorySetupNotComplete=Click here to setup mandatory parameters -WarningEnableYourModulesApplications=Click here to enable your modules and applications -WarningSafeModeOnCheckExecDir=Warning, PHP option safe_mode is on so command must be stored inside a directory declared by php parameter safe_mode_exec_dir. -WarningBookmarkAlreadyExists=A bookmark with this title or this target (URL) already exists. -WarningPassIsEmpty=Warning, database password is empty. This is a security hole. You should add a password to your database and change your conf.php file to reflect this. -WarningConfFileMustBeReadOnly=Warning, your config file (htdocs/conf/conf.php) can be overwritten by the web server. This is a serious security hole. Modify permissions on file to be in read only mode for operating system user used by Web server. If you use Windows and FAT format for your disk, you must know that this file system does not allow to add permissions on file, so can't be completely safe. -WarningsOnXLines=Warnings on %s source record(s) -WarningNoDocumentModelActivated=No model, for document generation, has been activated. A model will be chosen by default until you check your module setup. -WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable the installation/migration tools by adding a file install.lock into directory %s. Omitting the creation of this file is a grave security risk. -WarningUntilDirRemoved=All security warnings (visible by admin users only) will remain active as long as the vulnerability is present (or that constant MAIN_REMOVE_INSTALL_WARNING is added in Setup->Other Setup). -WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution. -WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box. -WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card). -WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers. -WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s. -WarningTooManyDataPleaseUseMoreFilters=Too many data (more than %s lines). Please use more filters or set the constant %s to a higher limit. -WarningSomeLinesWithNullHourlyRate=Some times were recorded by some users while their hourly rate was not defined. A value of 0 %s per hour was used but this may result in wrong valuation of time spent. -WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security purpose you will have to login with your new login before next action. -WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language -WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists -WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report -WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks. -WarningProjectClosed=Project is closed. You must re-open it first. -WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. -WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table -WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on. -WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list -WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection. -WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. -WarningPaypalPaymentNotCompatibleWithStrict=The value 'Strict' makes the online payment features not working correctly. Use 'Lax' instead. +WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Parametri juaj PHP upload_max_filesize (%s) është më i lartë se parametri PHP post_max_size (%s). Ky nuk është një konfigurim i qëndrueshëm. +WarningPasswordSetWithNoAccount=Për këtë anëtar u vendos një fjalëkalim. Megjithatë, nuk u krijua asnjë llogari përdoruesi. Pra, ky fjalëkalim është i ruajtur, por nuk mund të përdoret për t'u identifikuar në Dolibarr. Mund të përdoret nga një modul/ndërfaqe e jashtme, por nëse nuk keni nevojë të përcaktoni ndonjë hyrje apo fjalëkalim për një anëtar, mund të çaktivizoni opsionin "Menaxho një hyrje për çdo anëtar" nga konfigurimi i modulit të Anëtarit. Nëse ju duhet të menaxhoni një hyrje, por nuk keni nevojë për ndonjë fjalëkalim, mund ta mbani këtë fushë bosh për të shmangur këtë paralajmërim. Shënim: Email-i mund të përdoret gjithashtu si hyrje nëse anëtari është i lidhur me një përdorues. +WarningMandatorySetupNotComplete=Klikoni këtu për të konfiguruar parametrat kryesorë +WarningEnableYourModulesApplications=Klikoni këtu për të aktivizuar modulet dhe aplikacionet tuaja +WarningSafeModeOnCheckExecDir=Paralajmërim, opsioni PHP safe_mode është aktiv kështu që komanda duhet të ruhet brenda një drejtorie të deklaruar nga parametri php safe_mode_exec_dir. +WarningBookmarkAlreadyExists=Një faqeshënues me këtë titull ose këtë objektiv (URL) ekziston tashmë. +WarningPassIsEmpty=Paralajmërim, fjalëkalimi i bazës së të dhënave është bosh. Kjo është një vrimë sigurie. Ju duhet të shtoni një fjalëkalim në bazën tuaj të të dhënave dhe të ndryshoni skedarin tuaj conf.php për ta pasqyruar këtë. +WarningConfFileMustBeReadOnly=Paralajmërim, skedari juaj i konfigurimit (htdocs/conf/conf.php) mund të mbishkruhet nga serveri i uebit. Kjo është një vrimë serioze sigurie. Modifikoni lejet në skedar që të jenë në modalitetin vetëm për lexim për përdoruesit e sistemit operativ të përdorur nga serveri në internet. Nëse përdorni formatin Windows dhe FAT për diskun tuaj, duhet të dini se ky sistem skedari nuk lejon shtimin e lejeve në skedar, kështu që nuk mund të jetë plotësisht i sigurt. +WarningsOnXLines=Paralajmërimet në regjistrimet burimore %s() +WarningNoDocumentModelActivated=Asnjë model, për gjenerimin e dokumenteve, nuk është aktivizuar. Një model do të zgjidhet si parazgjedhje derisa të kontrolloni konfigurimin e modulit tuaj. +WarningLockFileDoesNotExists=Paralajmërim, pasi të përfundojë konfigurimi, duhet të çaktivizoni veglat e instalimit/migrimit duke shtuar një skedar install.lock në drejtori %s. Heqja e krijimit të këtij skedari është një rrezik i madh sigurie. +WarningUntilDirRemoved=Ky paralajmërim sigurie do të mbetet aktiv për sa kohë që cenueshmëria është e pranishme. +WarningCloseAlways=Paralajmërim, mbyllja bëhet edhe nëse shuma ndryshon midis elementeve të burimit dhe objektivit. Aktivizojeni këtë veçori me kujdes. +WarningUsingThisBoxSlowDown=Paralajmërim, përdorimi i kësaj kutie ngadalësoni seriozisht të gjitha faqet që shfaqin kutinë. +WarningClickToDialUserSetupNotComplete=Konfigurimi i informacionit ClickToDial për përdoruesin tuaj nuk është i plotë (shih skedën ClickToDial në kartën tuaj të përdoruesit). +WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Funksioni çaktivizohet kur konfigurimi i ekranit është optimizuar për shfletuesit e tekstit për personat e verbër. +WarningPaymentDateLowerThanInvoiceDate=Data e pagesës (%s) është më e hershme se data e faturës (%s) për faturë b0ecb2fz874 span>. +WarningTooManyDataPleaseUseMoreFilters=Shumë të dhëna (më shumë se rreshta %s). Ju lutemi përdorni më shumë filtra ose vendosni konstanten %s në një kufi më të lartë. +WarningSomeLinesWithNullHourlyRate=Disa herë u regjistruan nga disa përdorues ndërsa tarifa e tyre për orë nuk ishte e përcaktuar. Është përdorur një vlerë prej 0 %s në orë, por kjo mund të rezultojë në vlerësim të gabuar të kohës së shpenzuar. +WarningYourLoginWasModifiedPleaseLogin=Hyrja juaj u modifikua. Për qëllime sigurie, do t'ju duhet të identifikoheni me hyrjen tuaj të re përpara veprimit tjetër. +WarningYourPasswordWasModifiedPleaseLogin=Fjalëkalimi juaj u modifikua. Për qëllime sigurie do të duhet të identifikoheni tani me fjalëkalimin tuaj të ri. +WarningAnEntryAlreadyExistForTransKey=Ekziston tashmë një hyrje për çelësin e përkthimit për këtë gjuhë +WarningNumberOfRecipientIsRestrictedInMassAction=Paralajmërim, numri i marrësve të ndryshëm është i kufizuar në %sb09a4b739f17f8z kur përdoret veprimet masive në lista +WarningDateOfLineMustBeInExpenseReportRange=Paralajmërim, data e rreshtit nuk është në intervalin e raportit të shpenzimeve +WarningProjectDraft=Projekti është ende në modalitetin draft. Mos harroni ta vërtetoni nëse planifikoni të përdorni detyra. +WarningProjectClosed=Projekti është mbyllur. Së pari duhet ta rihapni. +WarningSomeBankTransactionByChequeWereRemovedAfter=Disa transaksione bankare u hoqën pasi u gjeneruan faturat, përfshirë ato. Pra, nb e çeqeve dhe totali i marrjes mund të ndryshojnë nga numri dhe totali në listë. +WarningFailedToAddFileIntoDatabaseIndex=Paralajmërim, shtimi i hyrjes së skedarit në tabelën e indeksit të bazës së të dhënave ECM dështoi +WarningTheHiddenOptionIsOn=Paralajmërim, opsioni i fshehur %s është aktiv. +WarningCreateSubAccounts=Kujdes, nuk mund të krijosh drejtpërdrejt një nën-llogari, duhet të krijosh një palë të tretë ose një përdorues dhe t'i caktosh një kod kontabiliteti për t'i gjetur në këtë listë +WarningAvailableOnlyForHTTPSServers=E disponueshme vetëm nëse përdorni lidhje të sigurt HTTPS. +WarningModuleXDisabledSoYouMayMissEventHere=Moduli %s nuk është aktivizuar. Kështu që mund të humbisni shumë ngjarje këtu. +WarningPaypalPaymentNotCompatibleWithStrict=Vlera 'Rreptë' bën që veçoritë e pagesës në internet të mos funksionojnë siç duhet. Përdorni 'Lax' në vend të kësaj. +WarningThemeForcedTo=Paralajmërim, tema është e detyruar të %sHED> MAQEDONISHT konstante +WarningPagesWillBeDeleted=Kujdes, kjo do të fshijë gjithashtu të gjitha faqet/kontejnerët ekzistues të faqes së internetit. Ju duhet të eksportoni faqen tuaj të internetit më parë, në mënyrë që të keni një kopje rezervë për ta ri-importuar më vonë. +WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Vleresimi automatik çaktivizohet kur opsioni për uljen e stokut është vendosur në "Vleresimi i faturës". +WarningModuleNeedRefresh = Moduli %s është çaktivizuar. Mos harroni ta aktivizoni +WarningPermissionAlreadyExist=Lejet ekzistuese për këtë objekt +WarningGoOnAccountancySetupToAddAccounts=Nëse kjo listë është bosh, shkoni te menyja %s - %s - %s për të ngarkuar ose krijuar llogari për grafikun tuaj të llogarisë. +WarningCorrectedInvoiceNotFound=Fatura e korrigjuar nuk u gjet +WarningCommentNotFound=Ju lutemi kontrolloni vendosjen e komenteve të fillimit dhe të fundit për seksionin %s skedari %s përpara se të dorëzoni veprimin tuaj +WarningAlreadyReverse=Lëvizja e aksioneve është kthyer tashmë + +SwissQrOnlyVIR = Fatura SwissQR mund të shtohet vetëm në faturat e vendosura për t'u paguar me pagesa të transfertave të kreditit. +SwissQrCreditorAddressInvalid = Adresa e kreditorit është e pavlefshme (a janë caktuar ZIP dhe qyteti? (%s) +SwissQrCreditorInformationInvalid = Informacioni i kreditorit është i pavlefshëm për IBAN (%s): %s +SwissQrIbanNotImplementedYet = QR-IBAN nuk është zbatuar ende +SwissQrPaymentInformationInvalid = Informacioni i pagesës ishte i pavlefshëm për totalin %s : %s +SwissQrDebitorAddressInvalid = Informacioni i debitorit ishte i pavlefshëm (%s) # Validate -RequireValidValue = Value not valid -RequireAtLeastXString = Requires at least %s character(s) -RequireXStringMax = Requires %s character(s) max -RequireAtLeastXDigits = Requires at least %s digit(s) -RequireXDigitsMax = Requires %s digit(s) max -RequireValidNumeric = Requires a numeric value -RequireValidEmail = Email address is not valid -RequireMaxLength = Length must be less than %s chars -RequireMinLength = Length must be more than %s char(s) -RequireValidUrl = Require valid URL -RequireValidDate = Require a valid date -RequireANotEmptyValue = Is required -RequireValidDuration = Require a valid duration -RequireValidExistingElement = Require an existing value -RequireValidBool = Require a valid boolean -BadSetupOfField = Error bad setup of field -BadSetupOfFieldClassNotFoundForValidation = Error bad setup of field : Class not found for validation -BadSetupOfFieldFileNotFound = Error bad setup of field : File not found for inclusion -BadSetupOfFieldFetchNotCallable = Error bad setup of field : Fetch not callable on class +RequireValidValue = Vlera nuk është e vlefshme +RequireAtLeastXString = Kërkon të paktën %s karakter(a) +RequireXStringMax = Kërkon maksimum %s karakter(a) +RequireAtLeastXDigits = Kërkon të paktën %s shifra +RequireXDigitsMax = Kërkon maksimum %s shifra +RequireValidNumeric = Kërkon një vlerë numerike +RequireValidEmail = Adresa e emailit nuk është e vlefshme +RequireMaxLength = Gjatësia duhet të jetë më e vogël se %s karaktere +RequireMinLength = Gjatësia duhet të jetë më shumë se %s karakter(a) +RequireValidUrl = Kërkoni URL të vlefshme +RequireValidDate = Kërkoni një datë të vlefshme +RequireANotEmptyValue = Nevojitet +RequireValidDuration = Kërkoni një kohëzgjatje të vlefshme +RequireValidExistingElement = Kërkoni një vlerë ekzistuese +RequireValidBool = Kërkoni një boolean të vlefshëm +BadSetupOfField = Gabim në konfigurimin e gabuar të fushës +BadSetupOfFieldClassNotFoundForValidation = Gabim në konfigurimin e gabuar të fushës: Klasa nuk u gjet për vërtetim +BadSetupOfFieldFileNotFound = Gabim në konfigurimin e gabuar të fushës: Skedari nuk u gjet për t'u përfshirë +BadSetupOfFieldFetchNotCallable = Gabim në konfigurimin e gabuar të fushës: Marrja nuk mund të thirret në klasë +ErrorTooManyAttempts= Shumë përpjekje, ju lutemi provoni përsëri më vonë diff --git a/htdocs/langs/sq_AL/eventorganization.lang b/htdocs/langs/sq_AL/eventorganization.lang index b4a7279d757..9162f75378b 100644 --- a/htdocs/langs/sq_AL/eventorganization.lang +++ b/htdocs/langs/sq_AL/eventorganization.lang @@ -17,151 +17,164 @@ # # Generic # -ModuleEventOrganizationName = Event Organization -EventOrganizationDescription = Event Organization through Module Project -EventOrganizationDescriptionLong= Manage the organization of an event (show, conferences, attendees or speakers, with public pages for suggestion, vote or registration) +ModuleEventOrganizationName = Organizimi i eventit +EventOrganizationDescription = Organizimi i ngjarjes përmes projektit të modulit +EventOrganizationDescriptionLong= Menaxhoni organizimin e një ngjarjeje (shfaqje, konferenca, pjesëmarrës ose folës, me faqe publike për sugjerim, votim ose regjistrim) # # Menu # -EventOrganizationMenuLeft = Organized events -EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth +EventOrganizationMenuLeft = Ngjarje të organizuara +EventOrganizationConferenceOrBoothMenuLeft = Konferencë Ose Kabinë -PaymentEvent=Payment of event +PaymentEvent=Pagesa e ngjarjes # # Admin page # -NewRegistration=Registration -EventOrganizationSetup=Event Organization setup -EventOrganization=Event organization -Settings=Settings -EventOrganizationSetupPage = Event Organization setup page -EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated -EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

      For example:
      Send Call for Conference
      Send Call for Booth
      Receive call for conferences
      Receive call for Booth
      Open subscriptions to events for attendees
      Send remind of event to speakers
      Send remind of event to Booth hoster
      Send remind of event to attendees -EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference -EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth -EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. -EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. -EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a registration to a booth has been paid. -EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a registration to an event has been paid. -EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email to use when sending emails from the massaction "Send emails" to speakers -EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email to use when sending emails from the massaction "Send emails" on attendee list -EVENTORGANIZATION_FILTERATTENDEES_CAT = In the form to create/add an attendee, restricts the list of thirdparties to thirdparties in the category -EVENTORGANIZATION_FILTERATTENDEES_TYPE = In the form to create/add an attendee, restricts the list of thirdparties to thirdparties with the nature +NewRegistration=Regjistrimi +EventOrganizationSetup=Konfigurimi i organizimit të ngjarjeve +EventOrganization=Organizimi i eventit +Settings=Cilësimet +EventOrganizationSetupPage = Faqja e konfigurimit të organizimit të ngjarjeve +EVENTORGANIZATION_TASK_LABEL = Etiketa e detyrave për t'u krijuar automatikisht kur projekti të vërtetohet +EVENTORGANIZATION_TASK_LABELTooltip = Kur vërtetoni një ngjarje për të organizuar, disa detyra mund të krijohen automatikisht në projekt

      Për shembull:
      Dërgo thirrje për konferenca
      Dërgo thirrje për kabinatb0342fccfda19bzit sugjerime të klasave të konferencave

      Vërteto aplikacionin për Booths
      Hap abonimet në ngjarje për të pranishmitb0342fccfda19>b0342fccfda1 i ngjarjes folësve
      Dërgo një kujtim të ngjarjes te mbajtësit e Booth
      Dërgo një kujtim të ngjarjes për të pranishmit +EVENTORGANIZATION_TASK_LABELTooltip2=Mbajeni bosh nëse nuk keni nevojë të krijoni detyra automatikisht. +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Kategoria për t'u shtuar palëve të treta krijohet automatikisht kur dikush sugjeron një konferencë +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Kategoria për t'u shtuar palëve të treta krijohet automatikisht kur ata sugjerojnë një kabinë +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Modeli i emailit për t'u dërguar pasi të keni marrë një sugjerim për një konferencë. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Modeli i emailit për të dërguar pasi të keni marrë një sugjerim për një kabinë. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Modeli i emailit për të dërguar pasi të jetë paguar regjistrimi në një kabinë. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Modeli i emailit për të dërguar pasi të jetë paguar një regjistrim në një ngjarje. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Modeli i postës elektronike për t'u përdorur kur dërgoni email nga masazhi "Dërgo email" te folësit +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Modeli i emailit për t'u përdorur kur dërgoni email nga masakcioni "Dërgo email" në listën e pjesëmarrësve +EVENTORGANIZATION_FILTERATTENDEES_CAT = Në formën për të krijuar/shtuar një pjesëmarrës, e kufizon listën e palëve të treta tek palët e treta në kategori +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Në formën për të krijuar/shtuar një pjesëmarrës, e kufizon listën e palëve të treta tek palët e treta me natyrën # # Object # -EventOrganizationConfOrBooth= Conference Or Booth -ManageOrganizeEvent = Manage the organization of an event -ConferenceOrBooth = Conference Or Booth -ConferenceOrBoothTab = Conference Or Booth -AmountPaid = Amount paid -DateOfRegistration = Date of registration -ConferenceOrBoothAttendee = Conference Or Booth Attendee +OrganizedEvent=Ngjarje e organizuar +EventOrganizationConfOrBooth= Konferencë Ose Kabinë +EventOrganizationConfOrBoothes=Konferenca apo Kabina +ManageOrganizeEvent = Menaxhoni organizimin e një ngjarjeje +ConferenceOrBooth = Konferencë Ose Kabinë +ConferenceOrBoothTab = Konferencë Ose Kabinë +AmountPaid = Shuma e paguar +DateOfRegistration = Data e regjistrimit +ConferenceOrBoothAttendee = Pjesëmarrës në Konferencë ose Booth +ApplicantOrVisitor=Aplikanti ose vizitori +Speaker=Folësi # # Template Mail # -YourOrganizationEventConfRequestWasReceived = Your request for conference was received -YourOrganizationEventBoothRequestWasReceived = Your request for booth was received -EventOrganizationEmailAskConf = Request for conference -EventOrganizationEmailAskBooth = Request for booth -EventOrganizationEmailBoothPayment = Payment of your booth -EventOrganizationEmailRegistrationPayment = Registration for an event -EventOrganizationMassEmailAttendees = Communication to attendees -EventOrganizationMassEmailSpeakers = Communication to speakers -ToSpeakers=To speakers +YourOrganizationEventConfRequestWasReceived = Kërkesa juaj për konferencë u mor +YourOrganizationEventBoothRequestWasReceived = Kërkesa juaj për kabinë u mor +EventOrganizationEmailAskConf = Kërkesa për konferencë +EventOrganizationEmailAskBooth = Kërkesë për kabinë +EventOrganizationEmailBoothPayment = Pagesa e kabinës suaj +EventOrganizationEmailRegistrationPayment = Regjistrimi për një ngjarje +EventOrganizationMassEmailAttendees = Komunikimi me të pranishmit +EventOrganizationMassEmailSpeakers = Komunikimi me folësit +ToSpeakers=Tek folësit # # Event # -AllowUnknownPeopleSuggestConf=Allow people to suggest conferences -AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest a conference they want to do -AllowUnknownPeopleSuggestBooth=Allow people to apply for a booth -AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to apply for a booth -PriceOfRegistration=Price of registration -PriceOfRegistrationHelp=Price to pay to register or participate in the event -PriceOfBooth=Subscription price to stand a booth -PriceOfBoothHelp=Subscription price to stand a booth -EventOrganizationICSLink=Link ICS for conferences -ConferenceOrBoothInformation=Conference Or Booth informations -Attendees=Attendees -ListOfAttendeesOfEvent=List of attendees of the event project -DownloadICSLink = Download ICS link -EVENTORGANIZATION_SECUREKEY = Seed to secure the key for the public registration page to suggest a conference -SERVICE_BOOTH_LOCATION = Service used for the invoice row about a booth location -SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Service used for the invoice row about an attendee subscription to an event -NbVotes=Number of votes +AllowUnknownPeopleSuggestConf=Lejoni njerëzit të sugjerojnë konferenca +AllowUnknownPeopleSuggestConfHelp=Lejoni njerëz të panjohur të sugjerojnë një konferencë që duan të bëjnë +AllowUnknownPeopleSuggestBooth=Lejoni njerëzit të aplikojnë për një kabinë +AllowUnknownPeopleSuggestBoothHelp=Lejoni persona të panjohur të aplikojnë për një kabinë +PriceOfRegistration=Çmimi i regjistrimit +PriceOfRegistrationHelp=Çmimi që duhet paguar për t'u regjistruar ose për të marrë pjesë në ngjarje +PriceOfBooth=Çmimi i abonimit për të qëndruar në një kabinë +PriceOfBoothHelp=Çmimi i abonimit për të qëndruar në një kabinë +EventOrganizationICSLink=Lidhni ICS për konferenca +ConferenceOrBoothInformation=Informacione për Konferencën ose Bothin +Attendees=Të pranishmit +ListOfAttendeesOfEvent=Lista e pjesëmarrësve të projektit të ngjarjes +DownloadICSLink = Shkarko lidhjen ICS +EVENTORGANIZATION_SECUREKEY = Seed për të siguruar çelësin për faqen e regjistrimit publik për të sugjeruar një konferencë +SERVICE_BOOTH_LOCATION = Shërbimi i përdorur për rreshtin e faturës për vendndodhjen e kabinës +SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Shërbimi i përdorur për rreshtin e faturës në lidhje me një abonim pjesëmarrës në një ngjarje +NbVotes=Numri i votave + # # Status # EvntOrgDraft = Draft -EvntOrgSuggested = Suggested -EvntOrgConfirmed = Confirmed -EvntOrgNotQualified = Not Qualified -EvntOrgDone = Done -EvntOrgCancelled = Cancelled -# -# Public page -# -SuggestForm = Suggestion page -SuggestOrVoteForConfOrBooth = Page for suggestion or vote -EvntOrgRegistrationHelpMessage = Here, you can vote for a conference or suggest a new one for the event. You can also apply to have a booth during the event. -EvntOrgRegistrationConfHelpMessage = Here, you can suggest a new conference to animate during the event. -EvntOrgRegistrationBoothHelpMessage = Here, you can apply to have a booth during the event. -ListOfSuggestedConferences = List of suggested conferences -ListOfSuggestedBooths = List of suggested booths -ListOfConferencesOrBooths=List of conferences or booths of event project -SuggestConference = Suggest a new conference -SuggestBooth = Suggest a booth -ViewAndVote = View and vote for suggested events -PublicAttendeeSubscriptionGlobalPage = Public link for registration to the event -PublicAttendeeSubscriptionPage = Public link for registration to this event only -MissingOrBadSecureKey = The security key is invalid or missing -EvntOrgWelcomeMessage = This form allows you to register as a new participant to the event : %s -EvntOrgDuration = This conference starts on %s and ends on %s. -ConferenceAttendeeFee = Conference attendee fee for the event : '%s' occurring from %s to %s. -BoothLocationFee = Booth location for the event : '%s' occurring from %s to %s -EventType = Event type -LabelOfBooth=Booth label -LabelOfconference=Conference label -ConferenceIsNotConfirmed=Registration not available, conference is not confirmed yet -DateMustBeBeforeThan=%s must be before %s -DateMustBeAfterThan=%s must be after %s - -NewSubscription=Registration -OrganizationEventConfRequestWasReceived=Your suggestion for a conference has been received -OrganizationEventBoothRequestWasReceived=Your request for a booth has been received -OrganizationEventPaymentOfBoothWasReceived=Your payment for your booth has been recorded -OrganizationEventPaymentOfRegistrationWasReceived=Your payment for your event registration has been recorded -OrganizationEventBulkMailToAttendees=This is a remind about your participation in the event as an attendee -OrganizationEventBulkMailToSpeakers=This is a reminder on your participation in the event as a speaker -OrganizationEventLinkToThirdParty=Link to third party (customer, supplier or partner) - -NewSuggestionOfBooth=Application for a booth -NewSuggestionOfConference=Application for a conference +EvntOrgSuggested = Sugjeruar +EvntOrgConfirmed = E konfirmuar +EvntOrgNotQualified = I pakualifikuar +EvntOrgDone = U krye +EvntOrgCancelled = Anulluar # -# Vote page +# Other # -EvntOrgRegistrationWelcomeMessage = Welcome on the conference or booth suggestion page. -EvntOrgRegistrationConfWelcomeMessage = Welcome on the conference suggestion page. -EvntOrgRegistrationBoothWelcomeMessage = Welcome on the booth suggestion page. -EvntOrgVoteHelpMessage = Here, you can view and vote for the suggested events for the project -VoteOk = Your vote has been accepted. -AlreadyVoted = You have already voted for this event. -VoteError = An error has occurred during the vote, please try again. - -SubscriptionOk = Your registration has been validated -ConfAttendeeSubscriptionConfirmation = Confirmation of your subscription to an event -Attendee = Attendee -PaymentConferenceAttendee = Conference attendee payment -PaymentBoothLocation = Booth location payment -DeleteConferenceOrBoothAttendee=Remove attendee -RegistrationAndPaymentWereAlreadyRecorder=A registration and a payment were already recorded for the email %s -EmailAttendee=Attendee email -EmailCompanyForInvoice=Company email (for invoice, if different of attendee email) -ErrorSeveralCompaniesWithEmailContactUs=Several companies with this email has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation -ErrorSeveralCompaniesWithNameContactUs=Several companies with this name has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation -NoPublicActionsAllowedForThisEvent=No public actions are open to public for this event +SuggestForm = Faqja e sugjerimeve +SuggestOrVoteForConfOrBooth = Faqe për sugjerim ose votim +EvntOrgRegistrationHelpMessage = Këtu mund të votoni për një konferencë ose të sugjeroni një të re për ngjarjen. Ju gjithashtu mund të aplikoni për të pasur një stendë gjatë ngjarjes. +EvntOrgRegistrationConfHelpMessage = Këtu, ju mund të sugjeroni një konferencë të re për të animuar gjatë ngjarjes. +EvntOrgRegistrationBoothHelpMessage = Këtu mund të aplikoni për të pasur një stendë gjatë ngjarjes. +ListOfSuggestedConferences = Lista e konferencave të sugjeruara +ListOfSuggestedBooths=Kabinat e sugjeruara +ListOfConferencesOrBooths=Konferenca ose stendat e projektit të ngjarjeve +SuggestConference = Sugjeroni një konferencë të re +SuggestBooth = Sugjeroni një kabinë +ViewAndVote = Shikoni dhe votoni për ngjarjet e sugjeruara +PublicAttendeeSubscriptionGlobalPage = Lidhje publike për regjistrim në ngjarje +PublicAttendeeSubscriptionPage = Lidhje publike vetëm për regjistrim në këtë ngjarje +MissingOrBadSecureKey = Çelësi i sigurisë është i pavlefshëm ose mungon +EvntOrgWelcomeMessage = Ky formular ju lejon të regjistroheni si një pjesëmarrës i ri në ngjarje +EvntOrgDuration = Kjo konferencë fillon në %s dhe përfundon në %s. +ConferenceAttendeeFee = Tarifa e pjesëmarrësve në konferencë për ngjarjen : '%s' ndodh nga %s në b0ecb2fz874 >. +BoothLocationFee = Vendndodhja e kabinës për ngjarjen : '%s' që ndodh nga %s në b0ecb2ec87f49>f +EventType = Lloji i ngjarjes +LabelOfBooth=Etiketa e kabinës +LabelOfconference=Etiketa e konferencës +ConferenceIsNotConfirmed=Regjistrimi nuk ofrohet, konferenca nuk është konfirmuar ende +DateMustBeBeforeThan=%s duhet të jetë përpara %s +DateMustBeAfterThan=%s duhet të jetë pas %s +MaxNbOfAttendeesReached=Është arritur numri maksimal i pjesëmarrësve +NewSubscription=Regjistrimi +OrganizationEventConfRequestWasReceived=Sugjerimi juaj për një konferencë është marrë +OrganizationEventBoothRequestWasReceived=Kërkesa juaj për një kabinë është marrë +OrganizationEventPaymentOfBoothWasReceived=Pagesa juaj për kabinën tuaj është regjistruar +OrganizationEventPaymentOfRegistrationWasReceived=Pagesa juaj për regjistrimin e ngjarjes tuaj është regjistruar +OrganizationEventBulkMailToAttendees=Ky është një kujtim për pjesëmarrjen tuaj në ngjarje si pjesëmarrës +OrganizationEventBulkMailToSpeakers=Ky është një kujtesë për pjesëmarrjen tuaj në këtë ngjarje si folës +OrganizationEventLinkToThirdParty=Lidhja me palën e tretë (klient, furnizues ose partner) +OrganizationEvenLabelName=Emri publik i konferencës ose stendës +NewSuggestionOfBooth=Aplikim për një kabinë +NewSuggestionOfConference=Aplikim për të mbajtur një konferencë +EvntOrgRegistrationWelcomeMessage = Mirë se vini në faqen e sugjerimeve të konferencës ose stendave. +EvntOrgRegistrationConfWelcomeMessage = Mirë se vini në faqen e sugjerimeve të konferencës. +EvntOrgRegistrationBoothWelcomeMessage = Mirë se vini në faqen e sugjerimeve të stendave. +EvntOrgVoteHelpMessage = Këtu mund të shikoni dhe votoni për ngjarjet e sugjeruara për projektin +VoteOk = Vota juaj u pranua. +AlreadyVoted = Ju keni votuar tashmë për këtë ngjarje. +VoteError = Ka ndodhur një gabim gjatë votimit, ju lutemi provoni përsëri. +SubscriptionOk=Regjistrimi juaj është regjistruar +AmountOfRegistrationPaid=Shuma e regjistrimit të paguar +ConfAttendeeSubscriptionConfirmation = Konfirmimi i abonimit tuaj në një ngjarje +Attendee = Pjesëmarrësit +PaymentConferenceAttendee = Pagesa e pjesëmarrësve në konferencë +PaymentBoothLocation = Pagesa e vendndodhjes së kabinës +DeleteConferenceOrBoothAttendee=Hiq pjesëmarrësin +RegistrationAndPaymentWereAlreadyRecorder=Një regjistrim dhe një pagesë janë regjistruar tashmë për emailin %sb09a4b739f17f8z +EmailAttendee=Email i pjesëmarrësit +EmailCompany=Email i kompanisë +EmailCompanyForInvoice=Email-i i kompanisë (për faturë, nëse është i ndryshëm nga email-i i pjesëmarrësit) +ErrorSeveralCompaniesWithEmailContactUs=Janë gjetur disa kompani me këtë email, kështu që ne nuk mund ta vërtetojmë automatikisht regjistrimin tuaj. Ju lutemi na kontaktoni në %s për një vërtetim manual +ErrorSeveralCompaniesWithNameContactUs=Janë gjetur disa kompani me këtë emër, kështu që ne nuk mund ta vërtetojmë automatikisht regjistrimin tuaj. Ju lutemi na kontaktoni në %s për një vërtetim manual +NoPublicActionsAllowedForThisEvent=Asnjë veprim publik nuk është i hapur për publikun për këtë ngjarje +MaxNbOfAttendees=Numri maksimal i pjesëmarrësve +DateStartEvent=Data e fillimit të ngjarjes +DateEndEvent=Data e përfundimit të ngjarjes +ModifyStatus=Ndrysho statusin +ConfirmModifyStatus=Konfirmo modifikimin e statusit +ConfirmModifyStatusQuestion=Jeni i sigurt që dëshironi të modifikoni %s rekordet e zgjedhura? +RecordsUpdated = %s Regjistrimet u përditësuan +RecordUpdated = Regjistri u përditësua +NoRecordUpdated = Asnjë regjistrim nuk u përditësua diff --git a/htdocs/langs/sq_AL/exports.lang b/htdocs/langs/sq_AL/exports.lang index f2f2d2cf587..a8bbebd4148 100644 --- a/htdocs/langs/sq_AL/exports.lang +++ b/htdocs/langs/sq_AL/exports.lang @@ -1,137 +1,147 @@ # Dolibarr language file - Source file is en_US - exports ExportsArea=Exports -ImportArea=Import -NewExport=New Export -NewImport=New Import -ExportableDatas=Exportable dataset -ImportableDatas=Importable dataset -SelectExportDataSet=Choose dataset you want to export... -SelectImportDataSet=Choose dataset you want to import... -SelectExportFields=Choose the fields you want to export, or select a predefined export profile -SelectImportFields=Choose the source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile: -NotImportedFields=Fields of source file not imported -SaveExportModel=Save your selections as an export profile/template (for reuse). -SaveImportModel=Save this import profile (for reuse) ... -ExportModelName=Export profile name -ExportModelSaved=Export profile saved as %s. -ExportableFields=Exportable fields -ExportedFields=Exported fields -ImportModelName=Import profile name -ImportModelSaved=Import profile saved as %s. -DatasetToExport=Dataset to export -DatasetToImport=Import file into dataset -ChooseFieldsOrdersAndTitle=Choose fields order... -FieldsTitle=Fields title -FieldTitle=Field title -NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file... -AvailableFormats=Available Formats -LibraryShort=Library -ExportCsvSeparator=Csv caracter separator -ImportCsvSeparator=Csv caracter separator -Step=Step -FormatedImport=Import Assistant -FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant. -FormatedImportDesc2=First step is to choose the kind of data you want to import, then the format of the source file, then the fields you want to import. -FormatedExport=Export Assistant -FormatedExportDesc1=These tools allow the export of personalized data using an assistant, to help you in the process without requiring technical knowledge. -FormatedExportDesc2=First step is to choose a predefined dataset, then which fields you want to export, and in which order. -FormatedExportDesc3=When data to export are selected, you can choose the format of the output file. -Sheet=Sheet -NoImportableData=No importable data (no module with definitions to allow data imports) -FileSuccessfullyBuilt=File generated -SQLUsedForExport=SQL Request used to extract data -LineId=Id of line -LineLabel=Label of line -LineDescription=Description of line -LineUnitPrice=Unit price of line -LineVATRate=VAT Rate of line -LineQty=Quantity for line -LineTotalHT=Amount excl. tax for line -LineTotalTTC=Amount with tax for line -LineTotalVAT=Amount of VAT for line -TypeOfLineServiceOrProduct=Type of line (0=product, 1=service) -FileWithDataToImport=File with data to import -FileToImport=Source file to import -FileMustHaveOneOfFollowingFormat=File to import must have one of following formats -DownloadEmptyExample=Download template file with field content information -StarAreMandatory=* are mandatory fields -ChooseFormatOfFileToImport=Choose the file format to use as import file format by clicking on the %s icon to select it... -ChooseFileToImport=Upload file then click on the %s icon to select file as source import file... -SourceFileFormat=Source file format -FieldsInSourceFile=Fields in source file -FieldsInTargetDatabase=Target fields in Dolibarr database (bold=mandatory) -Field=Field -NoFields=No fields -MoveField=Move field column number %s -ExampleOfImportFile=Example_of_import_file -SaveImportProfile=Save this import profile -ErrorImportDuplicateProfil=Failed to save this import profile with this name. An existing profile already exists with this name. -TablesTarget=Targeted tables -FieldsTarget=Targeted fields -FieldTarget=Targeted field -FieldSource=Source field -NbOfSourceLines=Number of lines in source file -NowClickToTestTheImport=Check that the file format (field and string delimiters) of your file matches the options shown and that you have omitted the header line, or these will be flagged as errors in the following simulation.
      Click on the "%s" button to run a check of the file structure/contents and simulate the import process.
      No data will be changed in your database. -RunSimulateImportFile=Run Import Simulation -FieldNeedSource=This field requires data from the source file -SomeMandatoryFieldHaveNoSource=Some mandatory fields have no source from data file -InformationOnSourceFile=Information on source file -InformationOnTargetTables=Information on target fields -SelectAtLeastOneField=Switch at least one source field in the column of fields to export -SelectFormat=Choose this import file format -RunImportFile=Import Data -NowClickToRunTheImport=Check the results of the import simulation. Correct any errors and re-test.
      When the simulation reports no errors you may proceed to import the data into the database. -DataLoadedWithId=The imported data will have an additional field in each database table with this import id: %s, to allow it to be searchable in the case of investigating a problem related to this import. -ErrorMissingMandatoryValue=Mandatory data is empty in the source file for field %s. -TooMuchErrors=There are still %s other source lines with errors but output has been limited. -TooMuchWarnings=There are still %s other source lines with warnings but output has been limited. -EmptyLine=Empty line (will be discarded) -CorrectErrorBeforeRunningImport=You must correct all errors before running the definitive import. -FileWasImported=File was imported with number %s. -YouCanUseImportIdToFindRecord=You can find all the imported records in your database by filtering on field import_key='%s'. -NbOfLinesOK=Number of lines with no errors and no warnings: %s. -NbOfLinesImported=Number of lines successfully imported: %s. -DataComeFromNoWhere=Value to insert comes from nowhere in source file. -DataComeFromFileFieldNb=Value to insert comes from field number %s in source file. -DataComeFromIdFoundFromRef=Value that comes from field number %s of source file will be used to find the id of the parent object to use (so the object %s that has the ref. from source file must exist in the database). -DataComeFromIdFoundFromCodeId=Code that comes from field number %s of source file will be used to find the id of the parent object to use (so the code from source file must exist in the dictionary %s). Note that if you know the id, you can also use it in the source file instead of the code. Import should work in both cases. -DataIsInsertedInto=Data coming from source file will be inserted into the following field: -DataIDSourceIsInsertedInto=The id of the parent object, that was found using the data in the source file, will be inserted into the following field: -DataCodeIDSourceIsInsertedInto=The id of the parent line, that was found from code, will be inserted into the following field: -SourceRequired=Data value is mandatory -SourceExample=Example of possible data value -ExampleAnyRefFoundIntoElement=Any ref found for element %s -ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary %s -CSVFormatDesc=Comma Separated Value file format (.csv).
      This is a text file format where fields are separated by a separator [ %s ]. If separator is found inside a field content, field is rounded by round character [ %s ]. Escape character to escape round character is [ %s ]. -Excel95FormatDesc=Excel file format (.xls)
      This is the native Excel 95 format (BIFF5). -Excel2007FormatDesc=Excel file format (.xlsx)
      This is the native Excel 2007 format (SpreadsheetML). -TsvFormatDesc=Tab Separated Value file format (.tsv)
      This is a text file format where fields are separated by a tabulator [tab]. -ExportFieldAutomaticallyAdded=Field %s was automatically added. It will avoid you to have similar lines to be treated as duplicate record (with this field added, all lines will own their own id and will differ). -CsvOptions=CSV format options -Separator=Field Separator -Enclosure=String Delimiter -SpecialCode=Special code -ExportStringFilter=%% allows replacing one or more characters in the text -ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: filters by one year/month/day
      YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD: filters over a range of years/months/days
      > YYYY, > YYYYMM, > YYYYMMDD: filters on all following years/months/days
      < YYYY, < YYYYMM, < YYYYMMDD: filters on all previous years/months/days -ExportNumericFilter=NNNNN filters by one value
      NNNNN+NNNNN filters over a range of values
      < NNNNN filters by lower values
      > NNNNN filters by higher values -ImportFromLine=Import starting from line number -EndAtLineNb=End at line number -ImportFromToLine=Limit range (From - To). Eg. to omit header line(s). -SetThisValueTo2ToExcludeFirstLine=For example, set this value to 3 to exclude the 2 first lines.
      If the header lines are NOT omitted, this will result in multiple errors in the Import Simulation. -KeepEmptyToGoToEndOfFile=Keep this field empty to process all lines to the end of the file. -SelectPrimaryColumnsForUpdateAttempt=Select column(s) to use as primary key for an UPDATE import -UpdateNotYetSupportedForThisImport=Update is not supported for this type of import (only insert) -NoUpdateAttempt=No update attempt was performed, only insert -ImportDataset_user_1=Users (employees or not) and properties -ComputedField=Computed field +ImportArea=Importi +NewExport=Eksporti i ri +NewImport=Import i ri +ExportableDatas=Të dhënat e eksportueshme +ImportableDatas=Të dhënat e importueshme +SelectExportDataSet=Zgjidhni të dhënat e të dhënave që dëshironi të eksportoni... +SelectImportDataSet=Zgjidhni grupin e të dhënave që dëshironi të importoni... +SelectExportFields=Zgjidhni fushat që dëshironi të eksportoni ose zgjidhni një profil të paracaktuar eksporti +SelectImportFields=Zgjidhni fushat e skedarit burim që dëshironi të importoni dhe fushën e tyre të synuar në bazën e të dhënave duke i lëvizur ato lart e poshtë me ankorimin %s ose zgjidhni një profil importi të paracaktuar: +NotImportedFields=Fushat e skedarit burim nuk janë importuar +SaveExportModel=Ruani zgjedhjet tuaja si një profil/shabllon eksporti (për ripërdorim). +SaveImportModel=Ruaje këtë profil importi (për ripërdorim) ... +ExportModelName=Eksporto emrin e profilit +ExportModelSaved=Eksporto profilin e ruajtur si %s. +ExportableFields=Fushat e eksportueshme +ExportedFields=Fushat e eksportuara +ImportModelName=Importo emrin e profilit +ImportModelSaved=Importo profilin e ruajtur si %s. +ImportProfile=Importo profilin +DatasetToExport=Grupi i të dhënave për eksport +DatasetToImport=Importo skedarin në grupin e të dhënave +ChooseFieldsOrdersAndTitle=Zgjidhni renditjen e fushave... +FieldsTitle=Titulli i fushave +FieldTitle=Titulli i fushës +NowClickToGenerateToBuildExportFile=Tani, zgjidhni formatin e skedarit në kutinë e kombinuar dhe klikoni në "Generate" për të ndërtuar skedarin e eksportit... +AvailableFormats=Formatet e disponueshme +LibraryShort=Librari +ExportCsvSeparator=Ndarës i karaktereve Csv +ImportCsvSeparator=Ndarës i karaktereve Csv +Step=Hapi +FormatedImport=Asistent importi +FormatedImportDesc1=Ky modul ju lejon të përditësoni të dhënat ekzistuese ose të shtoni objekte të reja në bazën e të dhënave nga një skedar pa njohuri teknike, duke përdorur një asistent. +FormatedImportDesc2=Hapi i parë është të zgjidhni llojin e të dhënave që dëshironi të importoni, më pas formatin e skedarit burimor, pastaj fushat që dëshironi të importoni. +FormatedExport=Asistent Eksporti +FormatedExportDesc1=Këto mjete lejojnë eksportimin e të dhënave të personalizuara duke përdorur një asistent, për t'ju ndihmuar në këtë proces pa kërkuar njohuri teknike. +FormatedExportDesc2=Hapi i parë është të zgjidhni një grup të dhënash të paracaktuar, më pas cilat fusha dëshironi të eksportoni dhe në cilën renditje. +FormatedExportDesc3=Kur zgjidhen të dhënat për eksport, mund të zgjidhni formatin e skedarit dalës. +Sheet=Fletë +NoImportableData=Nuk ka të dhëna të importueshme (pa modul me përkufizime për të lejuar importimin e të dhënave) +FileSuccessfullyBuilt=Skedari u krijua +SQLUsedForExport=Kërkesa SQL përdoret për nxjerrjen e të dhënave +LineId=ID e linjës +LineLabel=Etiketa e linjës +LineDescription=Përshkrimi i linjës +LineUnitPrice=Çmimi për njësi i linjës +LineVATRate=Norma e TVSH-së e linjës +LineQty=Sasia për linjë +LineTotalHT=Shuma përjashtuar. taksa për linjë +LineTotalTTC=Shuma me taksë për linjë +LineTotalVAT=Shuma e TVSH-së për linjën +TypeOfLineServiceOrProduct=Lloji i linjës (0=produkt, 1=shërbim) +FileWithDataToImport=Skedar me të dhëna për import +FileToImport=Skedari burim për import +FileMustHaveOneOfFollowingFormat=Skedari për import duhet të ketë një nga formatet e mëposhtme +DownloadEmptyExampleShort=Shkarkoni një skedar mostër +DownloadEmptyExample=Shkarkoni një skedar shabllon me shembuj dhe informacion mbi fushat që mund të importoni +StarAreMandatory=Në skedarin e shabllonit, të gjitha fushat me * janë fusha të detyrueshme +ChooseFormatOfFileToImport=Zgjidhni formatin e skedarit për t'u përdorur si format skedari importues duke klikuar në ikonën %s për ta zgjedhur atë... +ChooseFileToImport=Ngarkoni skedarin më pas klikoni në ikonën %s për të zgjedhur skedarin si skedar importi burimor... +SourceFileFormat=Formati i skedarit burim +FieldsInSourceFile=Fushat në skedarin burimor +FieldsInTargetDatabase=Fushat e synuara në bazën e të dhënave Dolibarr (e theksuar=e detyrueshme) +Field=Fusha +NoFields=Nuk ka fusha +MoveField=Zhvendos numrin e kolonës së fushës %s +ExampleOfImportFile=Shembull_i_import_file +SaveImportProfile=Ruaje këtë profil importi +ErrorImportDuplicateProfil=Ruajtja e këtij profili importues me këtë emër dështoi. Një profil ekzistues ekziston tashmë me këtë emër. +TablesTarget=Tabelat e synuara +FieldsTarget=Fushat e synuara +FieldTarget=Fusha e synuar +FieldSource=Fusha e burimit +NbOfSourceLines=Numri i rreshtave në skedarin burimor +NowClickToTestTheImport=Kontrolloni që formati i skedarit (ndarësit e fushave dhe vargjeve) të skedarit tuaj përputhet me opsionet e treguara dhe se e keni hequr rreshtin e titullit, ose këto do të shënohen si gabime në simulimin e mëposhtëm.
      Kliko në butonin "%s" për të
      kontrolloni strukturën/përmbajtjen e skedarit dhe simuloni procesin e importimit.
      Asnjë të dhënë nuk do të ndryshohet në bazën tuaj të të dhënave. +RunSimulateImportFile=Ekzekutoni simulimin e importit +FieldNeedSource=Kjo fushë kërkon të dhëna nga skedari burimor +SomeMandatoryFieldHaveNoSource=Disa fusha të detyrueshme nuk kanë burim nga skedari i të dhënave +InformationOnSourceFile=Informacion mbi skedarin burimor +InformationOnTargetTables=Informacion mbi fushat e synuara +SelectAtLeastOneField=Ndryshoni të paktën një fushë burimi në kolonën e fushave për të eksportuar +SelectFormat=Zgjidhni këtë format skedari të importit +RunImportFile=Të dhënat e importit +NowClickToRunTheImport=Kontrolloni rezultatet e simulimit të importit. Korrigjoni çdo gabim dhe riprovoni.
      Kur simulimi nuk raporton asnjë gabim, mund të vazhdoni të importoni të dhënat në bazën e të dhënave. +DataLoadedWithId=Të dhënat e importuara do të kenë një fushë shtesë në secilën tabelë të bazës së të dhënave me këtë ID të importit: %s, për të lejuar që ai të jetë i kërkueshëm në rastin e hetimit të një problemi që lidhet me këtë import. +ErrorMissingMandatoryValue=Të dhënat e detyrueshme janë bosh në skedarin burimor në kolonën %sb09a4b739f17f8z. +TooMuchErrors=Ka ende %s linja të tjera burimore por ka nxjerrë linja të tjera ka qenë e kufizuar. +TooMuchWarnings=Ende ka %s që ka linja të tjera burimore me luftë ishte i kufizuar. +EmptyLine=Linja e zbrazët (do të hidhet poshtë) +CorrectErrorBeforeRunningImport=Ju duhet të korrigjoni të gjitha gabimet b0aee83365837fz>b0aee83365837fz notranslate'> duke ekzekutuar importin përfundimtar. +FileWasImported=Skedari u importua me numër %s. +YouCanUseImportIdToFindRecord=Ju mund t'i gjeni të gjitha regjistrimet e importuara në bazën tuaj të të dhënave duke filtruar në fushën import_key='%s'. +NbOfLinesOK=Numri i rreshtave pa gabime dhe pa paralajmërime: %sb09a4b78z000f1>f. +NbOfLinesImported=Numri i rreshtave të importuar me sukses: %s%s në skedarin burimor. +DataComeFromIdFoundFromRef=Vlera që vjen nga skedari burimor do të përdoret për të gjetur ID-në e objektit prind për t'u përdorur (kështu që objekti %s që ka ref. nga skedari burim duhet të ekzistojë në bazën e të dhënave). +DataComeFromIdFoundFromCodeId=Vlera e kodit që vjen nga skedari burimor do të përdoret për të gjetur ID-në e objektit prind për t'u përdorur (kështu që kodi nga skedari burimor duhet të ekzistojë në fjalorin %s). Vini re se nëse e dini ID-në, mund ta përdorni gjithashtu në skedarin burimor në vend të kodit. Importi duhet të funksionojë në të dyja rastet. +DataIsInsertedInto=Të dhënat që vijnë nga skedari burimor do të futen në fushën e mëposhtme: +DataIDSourceIsInsertedInto=ID-ja e objektit prind, që u gjet duke përdorur të dhënat në skedarin burimor, do të futet në fushën e mëposhtme: +DataCodeIDSourceIsInsertedInto=ID-ja e linjës mëmë, e gjetur nga kodi, do të futet në fushën e mëposhtme: +SourceRequired=Vlera e të dhënave është e detyrueshme +SourceExample=Shembull i vlerës së mundshme të të dhënave +ExampleAnyRefFoundIntoElement=Çdo referencë e gjetur për elementin %s +ExampleAnyCodeOrIdFoundIntoDictionary=Çdo kod (ose id) i gjetur në fjalor %sb09a4b739f17f8zVlera e ndarë me presje formati i skedarit (.csv).b0149fccf>b0149fccf është një format skedari teksti ku fushat janë të ndara nga një ndarës [ %s ]. Nëse gjendet ndarësi brenda përmbajtjes së fushës, fusha rrumbullakohet me karakter të rrumbullakët [ %s ]. Karakteri i arratisjes për t'i shpëtuar karakterit të rrumbullakët është [ %s ]. +Excel95FormatDesc=Excel formati i skedarit (.xls)b0342fccfda19>b0 Formati Excel 95 (BIFF5). +Excel2007FormatDesc=Excel formati i skedarit (.xlsx)b0342fccfda19>z Formati Excel 2007 (SpreadsheetML). +TsvFormatDesc=Vlera e veçuar me skedë formati i skedarit (.tsv)b0342fccfda. një format skedari teksti ku fushat janë të ndara nga një tabelator [tab]. +ExportFieldAutomaticallyAdded=Fusha %s u shtua automatikisht. Kjo do t'ju shmangë që të keni linja të ngjashme që do të trajtohen si rekord dublikatë (me këtë fushë të shtuar, të gjitha linjat do të kenë ID-në e tyre dhe do të ndryshojnë). +CsvOptions=Opsionet e formatit CSV +Separator=Ndarës i fushës +Enclosure=Kufizues i vargut +SpecialCode=Kodi special +ExportStringFilter=%% lejon zëvendësimin e një ose më shumë karaktereve në tekst +ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: filtron sipas një viti/muaj/ditë
      YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD+VVVYYMNë diapazonin e viteve/VVVMMMDD: span class='notranslate'>
      > YYYY, > YYYYMM, > YYYYMMDD: filtra në të gjitha vitet/muajt/ditët në vijim
      NNNNN+NNNNN filtro mbi një sërë vlerash
      b27ede2ez<0892ez /span>> NNNNN filtron sipas vlerave më të larta +ImportFromLine=Importoni duke filluar nga numri i linjës +EndAtLineNb=Përfundoni në numrin e linjës +ImportFromToLine=Gama e kufirit (Nga - Deri). P.sh. për të hequr rreshtat e titullit. +SetThisValueTo2ToExcludeFirstLine=Për shembull, vendoseni këtë vlerë në 3 për të përjashtuar 2 rreshtat e parë.
      Nëse linjat e kokës NUK hiqen, kjo do të rezultojë në gabime të shumta në Simulimin e Importit. +KeepEmptyToGoToEndOfFile=Mbajeni këtë fushë bosh për të përpunuar të gjitha rreshtat deri në fund të skedarit. +SelectPrimaryColumnsForUpdateAttempt=Zgjidhni kolonat (kolonat) për t'u përdorur si çelësi kryesor për një importim UPDATE +UpdateNotYetSupportedForThisImport=Përditësimi nuk mbështetet për këtë lloj importi (vetëm fut) +NoUpdateAttempt=Nuk u krye asnjë përpjekje për përditësim, vetëm fut +ImportDataset_user_1=Përdoruesit (punonjës ose jo) dhe pronat +ComputedField=Fusha e llogaritur ## filters -SelectFilterFields=If you want to filter on some values, just input values here. -FilteredFields=Filtered fields -FilteredFieldsValues=Value for filter -FormatControlRule=Format control rule +SelectFilterFields=Nëse dëshironi të filtroni disa vlera, thjesht futni vlerat këtu. +FilteredFields=Fushat e filtruara +FilteredFieldsValues=Vlera për filtrin +FormatControlRule=Rregulli i kontrollit të formatit ## imports updates -KeysToUseForUpdates=Key (column) to use for updating existing data -NbInsert=Number of inserted lines: %s -NbUpdate=Number of updated lines: %s -MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s -StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number +KeysToUseForUpdates=Çelësi (kolona) për t'u përdorur për përditësuar të dhënat ekzistuese +NbInsert=Numri i rreshtave të futur: %s +NbInsertSim=Numri i rreshtave që do të futen: %s +NbUpdate=Numri i rreshtave të përditësuar: %s +NbUpdateSim=Numri i rreshtave që do të përditësohen : %s +MultipleRecordFoundWithTheseFilters=Shumë regjistrime janë gjetur me këto filtra: %s +StocksWithBatch=Stoqet dhe vendndodhja (magazina) e produkteve me batch/numër serial +WarningFirstImportedLine=Rreshti(et) e parë nuk do të importohen me përzgjedhjen aktuale +NotUsedFields=Fushat e bazës së të dhënave nuk janë përdorur +SelectImportFieldsSource = Zgjidhni fushat e skedarit burim që dëshironi të importoni dhe fushën e tyre të synuar në bazën e të dhënave duke zgjedhur fushat në secilën kuti të zgjedhur ose zgjidhni një profil të paracaktuar importi: +MandatoryTargetFieldsNotMapped=Disa fusha objektive të detyrueshme nuk janë të përcaktuara +AllTargetMandatoryFieldsAreMapped=Të gjitha fushat e synuara që kanë nevojë për një vlerë të detyrueshme janë hartuar +ResultOfSimulationNoError=Rezultati i simulimit: Nuk ka gabim diff --git a/htdocs/langs/sq_AL/help.lang b/htdocs/langs/sq_AL/help.lang index da776683a6a..c26af0e9340 100644 --- a/htdocs/langs/sq_AL/help.lang +++ b/htdocs/langs/sq_AL/help.lang @@ -1,23 +1,23 @@ # Dolibarr language file - Source file is en_US - help -CommunitySupport=Forum/Wiki support -EMailSupport=Emails support -RemoteControlSupport=Online real time / remote support -OtherSupport=Other support -ToSeeListOfAvailableRessources=To contact/see available resources: -HelpCenter=Help center -DolibarrHelpCenter=Dolibarr Help and Support Center -ToGoBackToDolibarr=Otherwise, click here to continue to use Dolibarr. -TypeOfSupport=Type of support -TypeSupportCommunauty=Community (free) -TypeSupportCommercial=Commercial -TypeOfHelp=Type -NeedHelpCenter=Need help or support? -Efficiency=Efficiency -TypeHelpOnly=Help only -TypeHelpDev=Help+Development -TypeHelpDevForm=Help+Development+Training -BackToHelpCenter=Otherwise, go back to Help center home page. -LinkToGoldMember=You can call one of the trainers preselected by Dolibarr for your language (%s) by clicking their Widget (status and maximum price are automatically updated): -PossibleLanguages=Supported languages -SubscribeToFoundation=Help the Dolibarr project, subscribe to the foundation -SeeOfficalSupport=For official Dolibarr support in your language:
      %s +CommunitySupport=Mbështetje për forum/Wiki +EMailSupport=Mbështetje për emailet +RemoteControlSupport=Mbështetje në internet në kohë reale / në distancë +OtherSupport=Mbështetje tjetër +ToSeeListOfAvailableRessources=Për të kontaktuar/shih burimet në dispozicion: +HelpCenter=Qendra e ndihmes +DolibarrHelpCenter=Qendra e Ndihmës dhe Mbështetjes Dolibarr +ToGoBackToDolibarr=Përndryshe, kliko këtu për të vazhduar përdorimin e Dolibarr. +TypeOfSupport=Lloji i mbështetjes +TypeSupportCommunauty=Komunitet (falas) +TypeSupportCommercial=Komerciale +TypeOfHelp=Lloji +NeedHelpCenter=Keni nevojë për mbështetje? +Efficiency=Efikasiteti +TypeHelpOnly=Vetëm ndihmë +TypeHelpDev=Ndihmë + Zhvillim +TypeHelpDevForm=Ndihmë+Zhvillim+Trajnim +BackToHelpCenter=Përndryshe, kthehu në faqen kryesore të qendrës së ndihmës. +LinkToGoldMember=Ju mund të telefononi një nga trajnerët e parazgjedhur nga Dolibarr për gjuhën tuaj (%s) duke klikuar Widget-in e tyre (statusi dhe çmimi maksimal përditësohen automatikisht): +PossibleLanguages=Gjuhët e mbështetura +SubscribeToFoundation=Ndihmoni projektin Dolibarr, regjistrohuni në fondacion +SeeOfficalSupport=Për mbështetjen zyrtare të Dolibarr në gjuhën tuaj:
      %s diff --git a/htdocs/langs/sq_AL/holiday.lang b/htdocs/langs/sq_AL/holiday.lang index 184bcf2b82a..f643c1c5919 100644 --- a/htdocs/langs/sq_AL/holiday.lang +++ b/htdocs/langs/sq_AL/holiday.lang @@ -1,139 +1,157 @@ # Dolibarr language file - Source file is en_US - holiday HRM=HRM -Holidays=Leave -CPTitreMenu=Leave -MenuReportMonth=Monthly statement -MenuAddCP=New leave request -NotActiveModCP=You must enable the module Leave to view this page. -AddCP=Make a leave request -DateDebCP=Start date -DateFinCP=End date +Holidays=Gjethe +Holiday=Largohu +CPTitreMenu=Largohu +MenuReportMonth=Deklaratë mujore +MenuAddCP=Kërkesë e re për pushim +MenuCollectiveAddCP=Leje e re kolektive +NotActiveModCP=Duhet të aktivizoni modulin Leave për të parë këtë faqe. +AddCP=Bëni një kërkesë për pushim +DateDebCP=Data e fillimit +DateFinCP=Data e përfundimit DraftCP=Draft -ToReviewCP=Awaiting approval +ToReviewCP=Në pritje të miratimit ApprovedCP=Miratuar CancelCP=Anulluar RefuseCP=Refuzuar -ValidatorCP=Approver -ListeCP=List of leave +ValidatorCP=Aprovues +ListeCP=Lista e pushimeve Leave=Kërkesë për leje -LeaveId=Leave ID -ReviewedByCP=Will be approved by -UserID=User ID -UserForApprovalID=User for approval ID -UserForApprovalFirstname=First name of approval user -UserForApprovalLastname=Last name of approval user -UserForApprovalLogin=Login of approval user +LeaveId=Lër ID +ReviewedByCP=Do të miratohet nga +UserID=ID e përdoruesit +UserForApprovalID=ID-ja e përdoruesit për miratim +UserForApprovalFirstname=Emri i përdoruesit të miratimit +UserForApprovalLastname=Mbiemri i përdoruesit të miratimit +UserForApprovalLogin=Hyrja e përdoruesit të miratimit DescCP=Përshkrimi -SendRequestCP=Create leave request -DelayToRequestCP=Leave requests must be made at least %s day(s) before them. -MenuConfCP=Balance of leave -SoldeCPUser=Leave balance (in days) %s -ErrorEndDateCP=You must select an end date greater than the start date. -ErrorSQLCreateCP=An SQL error occurred during the creation: -ErrorIDFicheCP=An error has occurred, the leave request does not exist. -ReturnCP=Return to previous page -ErrorUserViewCP=You are not authorized to read this leave request. -InfosWorkflowCP=Information Workflow -RequestByCP=Requested by +SendRequestCP=Krijo kërkesë për pushim +DelayToRequestCP=Kërkesat për largim duhet të bëhen të paktën %s ditë(a)b09a4b739f17f para tyre. +MenuConfCP=Bilanci i lejes +SoldeCPUser=Lëreni bilancin (në ditë) : %s +ErrorEndDateCP=Duhet të zgjidhni një datë përfundimi më të madhe se data e fillimit. +ErrorSQLCreateCP=Ndodhi një gabim SQL gjatë krijimit: +ErrorIDFicheCP=Ka ndodhur një gabim, kërkesa për pushim nuk ekziston. +ReturnCP=Kthehu në faqen e mëparshme +ErrorUserViewCP=Ju nuk jeni i autorizuar ta lexoni këtë kërkesë për pushim. +InfosWorkflowCP=Rrjedha e punës e informacionit +RequestByCP=Kërkuar nga TitreRequestCP=Kërkesë për leje -TypeOfLeaveId=Type of leave ID -TypeOfLeaveCode=Type of leave code -TypeOfLeaveLabel=Type of leave label -NbUseDaysCP=Number of days of leave used -NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. -NbUseDaysCPShort=Days of leave -NbUseDaysCPShortInMonth=Days of leave in month -DayIsANonWorkingDay=%s is a non-working day -DateStartInMonth=Start date in month -DateEndInMonth=End date in month -EditCP=Edit +TypeOfLeaveId=Lloji i ID-së së pushimit +TypeOfLeaveCode=Lloji i kodit të pushimit +TypeOfLeaveLabel=Lloji i etiketës së pushimit +NbUseDaysCP=Numri i ditëve të pushimit të përdorura +NbUseDaysCPHelp=Përllogaritja merr parasysh ditët jopune dhe festat e përcaktuara në fjalor. +NbUseDaysCPShort=Ditët e pushimit +NbUseDaysCPShortInMonth=Ditët e pushimit në muaj +DayIsANonWorkingDay=%s është një ditë jo pune +DateStartInMonth=Data e fillimit në muaj +DateEndInMonth=Data e përfundimit në muaj +EditCP=Redakto DeleteCP=Fshi ActionRefuseCP=Refuzo -ActionCancelCP=Cancel +ActionCancelCP=Anulo StatutCP=Statusi TitleDeleteCP=Fshi kërkesën për leje -ConfirmDeleteCP=Confirm the deletion of this leave request? -ErrorCantDeleteCP=Error you don't have the right to delete this leave request. -CantCreateCP=You don't have the right to make leave requests. -InvalidValidatorCP=You must choose the approver for your leave request. -NoDateDebut=You must select a start date. -NoDateFin=You must select an end date. -ErrorDureeCP=Your leave request does not contain working day. +ConfirmDeleteCP=Të konfirmohet fshirja e kësaj kërkese për pushim? +ErrorCantDeleteCP=Gabim që nuk ke të drejtë ta fshish këtë kërkesë për pushim. +CantCreateCP=Ju nuk keni të drejtë të bëni kërkesa për pushim. +InvalidValidatorCP=Ju duhet të zgjidhni miratuesin për kërkesën tuaj për pushim. +InvalidValidator=Përdoruesi i zgjedhur nuk është miratues. +NoDateDebut=Ju duhet të zgjidhni një datë fillimi. +NoDateFin=Duhet të zgjidhni një datë përfundimi. +ErrorDureeCP=Kërkesa juaj për pushim nuk përmban ditë pune. TitleValidCP=Aprovo kërkesën për leje -ConfirmValidCP=Are you sure you want to approve the leave request? +ConfirmValidCP=Je i sigurt që dëshiron të miratosh kërkesën për pushim? DateValidCP=Data e miratimit -TitleToValidCP=Send leave request -ConfirmToValidCP=Are you sure you want to send the leave request? -TitleRefuseCP=Refuse the leave request -ConfirmRefuseCP=Are you sure you want to refuse the leave request? -NoMotifRefuseCP=You must choose a reason for refusing the request. -TitleCancelCP=Cancel the leave request -ConfirmCancelCP=Are you sure you want to cancel the leave request? -DetailRefusCP=Reason for refusal -DateRefusCP=Date of refusal -DateCancelCP=Date of cancellation -DefineEventUserCP=Assign an exceptional leave for a user -addEventToUserCP=Assign leave -NotTheAssignedApprover=You are not the assigned approver -MotifCP=Reason -UserCP=User -ErrorAddEventToUserCP=An error occurred while adding the exceptional leave. -AddEventToUserOkCP=The addition of the exceptional leave has been completed. -MenuLogCP=View change logs -LogCP=Log of all updates made to "Balance of Leave" -ActionByCP=Updated by -UserUpdateCP=Updated for -PrevSoldeCP=Previous Balance -NewSoldeCP=New Balance -alreadyCPexist=A leave request has already been done on this period. -FirstDayOfHoliday=Beginning day of leave request -LastDayOfHoliday=Ending day of leave request -BoxTitleLastLeaveRequests=Latest %s modified leave requests -HolidaysMonthlyUpdate=Monthly update -ManualUpdate=Manual update -HolidaysCancelation=Leave request cancelation -EmployeeLastname=Employee last name -EmployeeFirstname=Employee first name -TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests -HalfDay=Half day -NotTheAssignedApprover=You are not the assigned approver -LEAVE_PAID=Paid vacation -LEAVE_SICK=Sick leave -LEAVE_OTHER=Other leave -LEAVE_PAID_FR=Paid vacation +TitleToValidCP=Dërgo kërkesë për pushim +ConfirmToValidCP=Jeni i sigurt që dëshironi të dërgoni kërkesën për pushim? +TitleRefuseCP=Refuzoni kërkesën për pushim +ConfirmRefuseCP=Jeni i sigurt që dëshironi të refuzoni kërkesën për pushim? +NoMotifRefuseCP=Ju duhet të zgjidhni një arsye për refuzimin e kërkesës. +TitleCancelCP=Anuloni kërkesën për pushim +ConfirmCancelCP=Jeni i sigurt që dëshironi të anuloni kërkesën për pushim? +DetailRefusCP=Arsyeja e refuzimit +DateRefusCP=Data e refuzimit +DateCancelCP=Data e anulimit +DefineEventUserCP=Cakto një leje të jashtëzakonshme për një përdorues +addEventToUserCP=Cakto pushim +NotTheAssignedApprover=Ju nuk jeni miratuesi i caktuar +MotifCP=Arsyeja +UserCP=Përdoruesi +ErrorAddEventToUserCP=Ndodhi një gabim gjatë shtimit të lejes së jashtëzakonshme. +AddEventToUserOkCP=Ka përfunduar shtimi i lejes së jashtëzakonshme. +ErrorFieldRequiredUserOrGroup=Duhet të plotësohet fusha "grup" ose fusha "përdorues". +fusionGroupsUsers=Fusha e grupeve dhe fusha e përdoruesit do të bashkohen +MenuLogCP=Shiko regjistrat e ndryshimeve +LogCP=Regjistri i të gjitha përditësimeve të bëra në "Bilanci i Pushimit" +ActionByCP=Përditësuar nga +UserUpdateCP=Përditësuar për +PrevSoldeCP=Bilanci i mëparshëm +NewSoldeCP=Ekuiliber i ri +alreadyCPexist=Një kërkesë për pushim është bërë tashmë për këtë periudhë. +UseralreadyCPexist=Një kërkesë për pushim është bërë tashmë në këtë periudhë për %s. +groups=Grupet +users=Përdoruesit +AutoSendMail=Postimi automatik +NewHolidayForGroup=Leje e re kolektive +SendRequestCollectiveCP=Krijo leje kolektive +AutoValidationOnCreate=Vleresimi automatik +FirstDayOfHoliday=Dita e fillimit të kërkesës për pushim +LastDayOfHoliday=Dita e përfundimit të kërkesës për pushim +HolidaysMonthlyUpdate=Përditësimi mujor +ManualUpdate=Përditësimi manual +HolidaysCancelation=Anulimi i kërkesës së largimit +EmployeeLastname=Mbiemri i punonjësit +EmployeeFirstname=Emri i punonjësit +TypeWasDisabledOrRemoved=Lloji i lejes (id %s) u çaktivizua ose u hoq +LastHolidays=Kërkesat më të fundit për largim %s +AllHolidays=Të gjitha kërkesat për pushim +HalfDay=Gjysmë ditë +NotTheAssignedApprover=Ju nuk jeni miratuesi i caktuar +LEAVE_PAID=Pushime me pagesë +LEAVE_SICK=Pushim mjekësor +LEAVE_OTHER=Pushime të tjera +LEAVE_PAID_FR=Pushime me pagesë ## Configuration du Module ## -LastUpdateCP=Last automatic update of leave allocation -MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation -UpdateConfCPOK=Updated successfully. -Module27130Name= Management of leave requests -Module27130Desc= Management of leave requests -ErrorMailNotSend=An error occurred while sending email: -NoticePeriod=Notice period +LastUpdateCP=Përditësimi i fundit automatik i ndarjes së pushimeve +MonthOfLastMonthlyUpdate=Muaji i përditësimit të fundit automatik të ndarjes së pushimeve +UpdateConfCPOK=Përditësuar me sukses. +Module27130Name= Menaxhimi i kërkesave për pushim +Module27130Desc= Menaxhimi i kërkesave për pushim +ErrorMailNotSend=Ndodhi një gabim gjatë dërgimit të emailit: +NoticePeriod=Periudha e njoftimit #Messages -HolidaysToValidate=Validate leave requests -HolidaysToValidateBody=Below is a leave request to validate -HolidaysToValidateDelay=This leave request will take place within a period of less than %s days. -HolidaysToValidateAlertSolde=The user who made this leave request does not have enough available days. -HolidaysValidated=Validated leave requests -HolidaysValidatedBody=Your leave request for %s to %s has been validated. -HolidaysRefused=Request denied -HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason: -HolidaysCanceled=Canceled leaved request -HolidaysCanceledBody=Your leave request for %s to %s has been canceled. -FollowedByACounter=1: This type of leave need to be followed by a counter. Counter is incremented manually or automatically and when a leave request is validated, counter is decremented.
      0: Not followed by a counter. -NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter -GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leave to setup the different types of leaves. -HolidaySetup=Setup of module Leave -HolidaysNumberingModules=Numbering models for leave requests -TemplatePDFHolidays=Template for leave requests PDF -FreeLegalTextOnHolidays=Free text on PDF -WatermarkOnDraftHolidayCards=Watermarks on draft leave requests -HolidaysToApprove=Holidays to approve -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays -HolidayBalanceMonthlyUpdate=Monthly update of holiday balance -XIsAUsualNonWorkingDay=%s is usualy a NON working day -BlockHolidayIfNegative=Block if balance negative -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative -ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted +HolidaysToValidate=Vërtetoni kërkesat për pushim +HolidaysToValidateBody=Më poshtë është një kërkesë për leje për të vërtetuar +HolidaysToValidateDelay=Kjo kërkesë për pushim do të kryhet brenda një periudhe më pak se %s ditësh. +HolidaysToValidateAlertSolde=Përdoruesi që ka bërë këtë kërkesë për pushim nuk ka ditë të mjaftueshme në dispozicion. +HolidaysValidated=Kërkesat e vërtetuara për pushim +HolidaysValidatedBody=Kërkesa juaj për pushim për %s në %s është vërtetuar. +HolidaysRefused=Kërkesa u refuzua +HolidaysRefusedBody=Kërkesa juaj për pushim për %s në %s është refuzuar për arsyen e mëposhtme: +HolidaysCanceled=Kërkesa e anuluar e lënë +HolidaysCanceledBody=Kërkesa juaj për pushim për %s në %s është anuluar. +FollowedByACounter=1: Ky lloj leje duhet të pasohet nga një sportel. Numëruesi rritet manualisht ose automatikisht dhe kur një kërkesë për leje vërtetohet, numëruesi zvogëlohet.
      0: Nuk ndiqet nga një numërues. +NoLeaveWithCounterDefined=Nuk ka lloje të lejeve të përcaktuara që duhet të ndiqen nga një numërues +GoIntoDictionaryHolidayTypes=Shkoni te Faqja kryesore - Konfigurimi - Fjalorët - Lloji i largimit për të konfiguruar llojet e ndryshme të fletëve. +HolidaySetup=Konfigurimi i modulit Largo +HolidaysNumberingModules=Modelet e numërimit për kërkesat për leje +TemplatePDFHolidays=Shablloni për kërkesat për pushim PDF +FreeLegalTextOnHolidays=Tekst falas në PDF +WatermarkOnDraftHolidayCards=Filigranë në draft kërkesat për leje +HolidaysToApprove=Pushimet për të miratuar +NobodyHasPermissionToValidateHolidays=Askush nuk ka leje për të vërtetuar kërkesat për pushim +HolidayBalanceMonthlyUpdate=Përditësimi mujor i bilancit të pushimit +XIsAUsualNonWorkingDay=%s është zakonisht një ditë JO pune +BlockHolidayIfNegative=Blloko nëse bilanci është negativ +LeaveRequestCreationBlockedBecauseBalanceIsNegative=Krijimi i kësaj kërkese për leje është bllokuar sepse bilanci juaj është negativ +ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Kërkesa për largim %s duhet të jetë draft, anuluar ose refuzuar për t'u fshirë +IncreaseHolidays=Rritja e bilancit të pushimit +HolidayRecordsIncreased= %s bilancet e lejes u rritën +HolidayRecordIncreased=Bilanci i lënë i rritur +ConfirmMassIncreaseHoliday=Bilanci i pushimeve me shumicë rritet +NumberDayAddMass=Numri i ditës për t'i shtuar përzgjedhjes +ConfirmMassIncreaseHolidayQuestion=Jeni i sigurt që dëshironi të rrisni pushimet e %s rekordit(eve) të zgjedhura? +HolidayQtyNotModified=Bilanci i ditëve të mbetura për %s nuk është ndryshuar diff --git a/htdocs/langs/sq_AL/hrm.lang b/htdocs/langs/sq_AL/hrm.lang index c2182fba582..5d416e37822 100644 --- a/htdocs/langs/sq_AL/hrm.lang +++ b/htdocs/langs/sq_AL/hrm.lang @@ -2,80 +2,96 @@ # Admin -HRM_EMAIL_EXTERNAL_SERVICE=Email to prevent HRM external service -Establishments=Establishments -Establishment=Establishment -NewEstablishment=New establishment -DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? -OpenEtablishment=Open establishment -CloseEtablishment=Close establishment +HRM_EMAIL_EXTERNAL_SERVICE=Email për të parandaluar shërbimin e jashtëm HRM +Establishments=Institucionet +Establishment=Themelimi +NewEstablishment=Institucion i ri +DeleteEstablishment=Fshi institucionin +ConfirmDeleteEstablishment=Jeni i sigurt që dëshironi ta fshini këtë institucion? +OpenEtablishment=Institucion i hapur +CloseEtablishment=Mbyll ndërmarrjen # Dictionary -DictionaryPublicHolidays=Leave - Public holidays -DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Job positions +DictionaryPublicHolidays=Pushimi - Pushime publike +DictionaryDepartment=HRM - Njësia Organizative +DictionaryFunction=HRM - Pozicione pune # Module Employees=Punonjësit Employee=Punonjës NewEmployee=Punonjës i ri -ListOfEmployees=List of employees -HrmSetup=HRM module setup -HRM_MAXRANK=Maximum rank for a skill -HRM_DEFAULT_SKILL_DESCRIPTION=Default description of ranks when skill is created -deplacement=Shift -DateEval=Evaluation date -JobCard=Job card -Job=Job -Jobs=Jobs -NewSkill=New Skill -SkillType=Skill type -Skilldets=List of ranks for this skill -Skilldet=Skill level -rank=Rank -ErrNoSkillSelected=No skill selected -ErrSkillAlreadyAdded=This skill is already in the list -SkillHasNoLines=This skill has no lines -skill=Skill -Skills=Skills -SkillCard=Skill card -EmployeeSkillsUpdated=Employee skills have been updated (see "Skills" tab of employee card) -Eval=Evaluation -Evals=Evaluations -NewEval=New evaluation -ValidateEvaluation=Validate evaluation -ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with reference %s? -EvaluationCard=Evaluation card -RequiredRank=Required rank for this job -EmployeeRank=Employee rank for this skill -Position=Position -Positions=Positions -PositionCard=Position card -EmployeesInThisPosition=Employees in this position -group1ToCompare=Usergroup to analyze -group2ToCompare=Second usergroup for comparison -OrJobToCompare=Compare to job skills requirements +ListOfEmployees=Lista e punonjësve +HrmSetup=Konfigurimi i modulit HRM +SkillsManagement=Menaxhimi i aftësive +HRM_MAXRANK=Numri maksimal i niveleve për të renditur një aftësi +HRM_DEFAULT_SKILL_DESCRIPTION=Përshkrimi i parazgjedhur i gradave kur krijohet aftësia +deplacement=Ndërrimi +DateEval=Data e vlerësimit +JobCard=Karta e punës +NewJobProfile=Profili i ri i punës +JobProfile=Profili i punës +JobsProfiles=Profilet e punës +NewSkill=Aftësi të reja +SkillType=Lloji i aftësisë +Skilldets=Lista e gradave për këtë aftësi +Skilldet=Niveli i aftësive +rank=Rendit +ErrNoSkillSelected=Asnjë aftësi e zgjedhur +ErrSkillAlreadyAdded=Kjo aftësi është tashmë në listë +SkillHasNoLines=Kjo aftësi nuk ka linja +Skill=Shkathtësi +Skills=Aftësitë +SkillCard=Karta e aftësive +EmployeeSkillsUpdated=Aftësitë e punonjësve janë përditësuar (shih skedën "Aftësitë" të kartës së punonjësit) +Eval=Vlerësimi +Evals=vlerësimet +NewEval=Vlerësim i ri +ValidateEvaluation=Vërtetoni vlerësimin +ConfirmValidateEvaluation=Jeni i sigurt që dëshironi ta vërtetoni këtë vlerësim me referencën %sb09a4b739f17f8z >? +EvaluationCard=Karta e vlerësimit +RequiredRank=Grada e kërkuar për profilin e punës +RequiredRankShort=Grada e kërkuar +PositionsWithThisProfile=Pozicionet me këto profile pune +EmployeeRank=Renditja e punonjësve për këtë aftësi +EmployeeRankShort=Grada e punonjësve +EmployeePosition=Pozicioni i punonjësit +EmployeePositions=Pozicionet e punonjësve +EmployeesInThisPosition=Punonjësit në këtë pozicion +group1ToCompare=Grupi i përdoruesve për të analizuar +group2ToCompare=Grupi i dytë i përdoruesve për krahasim +OrJobToCompare=Krahasoni me kërkesat e aftësive të një profili pune difference=Diferenca -CompetenceAcquiredByOneOrMore=Competence acquired by one or more users but not requested by the second comparator -MaxlevelGreaterThan=Max level greater than the one requested -MaxLevelEqualTo=Max level equal to that demand -MaxLevelLowerThan=Max level lower than that demand -MaxlevelGreaterThanShort=Employee level greater than the one requested -MaxLevelEqualToShort=Employee level equals to that demand -MaxLevelLowerThanShort=Employee level lower than that demand -SkillNotAcquired=Skill not acquired by all users and requested by the second comparator -legend=Legend -TypeSkill=Skill type -AddSkill=Add skills to job -RequiredSkills=Required skills for this job -UserRank=User Rank -SkillList=Skill list -SaveRank=Save rank -knowHow=Know how -HowToBe=How to be -knowledge=Knowledge -AbandonmentComment=Abandonment comment -DateLastEval=Date last evaluation -NoEval=No evaluation done for this employee -HowManyUserWithThisMaxNote=Number of users with this rank -HighestRank=Highest rank -SkillComparison=Skill comparison +CompetenceAcquiredByOneOrMore=Kompetenca e fituar nga një ose më shumë përdorues, por që nuk kërkohet nga krahasuesi i dytë +MaxlevelGreaterThan=Niveli i punonjësve është më i madh se niveli i pritur +MaxLevelEqualTo=Niveli i punonjësve është i barabartë me nivelin e pritur +MaxLevelLowerThan=Niveli i punonjësve është më i ulët se niveli i pritur +MaxlevelGreaterThanShort=Niveli më i madh se sa pritej +MaxLevelEqualToShort=Niveli i barabartë me nivelin e pritur +MaxLevelLowerThanShort=Niveli më i ulët se sa pritej +SkillNotAcquired=Aftësi që nuk është fituar nga të gjithë përdoruesit dhe kërkohet nga krahasuesi i dytë +legend=Legjenda +TypeSkill=Lloji i aftësisë +AddSkill=Shtoni aftësi në profilin e punës +RequiredSkills=Aftësitë e nevojshme për këtë profil pune +UserRank=Renditja e përdoruesit +SkillList=Lista e aftësive +SaveRank=Ruaj rangun +TypeKnowHow=njohuritë +TypeHowToBe=Si të jesh +TypeKnowledge=Njohuri +AbandonmentComment=Koment braktisjeje +DateLastEval=Data e vlerësimit të fundit +NoEval=Asnjë vlerësim nuk është bërë për këtë punonjës +HowManyUserWithThisMaxNote=Numri i përdoruesve me këtë renditje +HighestRank=Grada më e lartë +SkillComparison=Krahasimi i aftësive +ActionsOnJob=Ngjarjet në këtë punë +VacantPosition=vend i lire pune +VacantCheckboxHelper=Zgjedhja e këtij opsioni do të shfaqë pozicionet e paplotësuara (vend i lirë pune) +SaveAddSkill = Aftësitë e shtuara +SaveLevelSkill = Niveli i aftësive u ruajt +DeleteSkill = Aftësia është hequr +SkillsExtraFields=Atributet plotësuese (aftësitë) +JobsExtraFields=Atributet plotësuese (profili i punës) +EvaluationsExtraFields=Atributet plotësuese (Vlerësimet) +NeedBusinessTravels=Keni nevojë për udhëtime biznesi +NoDescription=pa pershkrim +TheJobProfileHasNoSkillsDefinedFixBefore=Profili i vlerësuar i punës i këtij punonjësi nuk ka asnjë aftësi të përcaktuar në të. Ju lutemi shtoni aftësitë, më pas fshini dhe rinisni vlerësimin. diff --git a/htdocs/langs/sq_AL/install.lang b/htdocs/langs/sq_AL/install.lang index df3eaf77abe..b26a1000936 100644 --- a/htdocs/langs/sq_AL/install.lang +++ b/htdocs/langs/sq_AL/install.lang @@ -1,219 +1,219 @@ # Dolibarr language file - Source file is en_US - install -InstallEasy=Just follow the instructions step by step. -MiscellaneousChecks=Prerequisites check -ConfFileExists=Configuration file %s exists. -ConfFileDoesNotExistsAndCouldNotBeCreated=Configuration file %s does not exist and could not be created! -ConfFileCouldBeCreated=Configuration file %s could be created. -ConfFileIsNotWritable=Configuration file %s is not writable. Check permissions. For first install, your web server must be able to write into this file during configuration process ("chmod 666" for example on a Unix like OS). -ConfFileIsWritable=Configuration file %s is writable. -ConfFileMustBeAFileNotADir=Configuration file %s must be a file, not a directory. -ConfFileReload=Reloading parameters from configuration file. -PHPSupportPOSTGETOk=This PHP supports variables POST and GET. -PHPSupportPOSTGETKo=It's possible your PHP setup does not support variables POST and/or GET. Check the parameter variables_order in php.ini. -PHPSupportSessions=This PHP supports sessions. -PHPSupport=This PHP supports %s functions. -PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. -PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. -Recheck=Click here for a more detailed test -ErrorPHPDoesNotSupportSessions=Your PHP installation does not support sessions. This feature is required to allow Dolibarr to work. Check your PHP setup and permissions of the sessions directory. -ErrorPHPDoesNotSupportGD=Your PHP installation does not support GD graphical functions. No graphs will be available. -ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. -ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. -ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. -ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. -ErrorPHPDoesNotSupportMbstring=Your PHP installation does not support mbstring functions. -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. -ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. -ErrorDirDoesNotExists=Directory %s does not exist. -ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. -ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. +InstallEasy=Thjesht ndiqni udhëzimet hap pas hapi. +MiscellaneousChecks=Kontrolli i parakushteve +ConfFileExists=Skedari i konfigurimit %s ekziston. +ConfFileDoesNotExistsAndCouldNotBeCreated=Skedari i konfigurimit %s nuk ekziston dhe nuk mund të krijohet! +ConfFileCouldBeCreated=Skedari i konfigurimit %s mund të krijohet. +ConfFileIsNotWritable=Skedari i konfigurimit %s nuk është i mundshëm. Kontrolloni lejet. Për instalimin e parë, serveri juaj i uebit duhet të jetë në gjendje të shkruajë në këtë skedar gjatë procesit të konfigurimit ("chmod 666" për shembull në një Unix si OS). +ConfFileIsWritable=Skedari i konfigurimit %s është i mundshëm. +ConfFileMustBeAFileNotADir=Skedari i konfigurimit %s nuk duhet të jetë një skedar. +ConfFileReload=Ringarkimi i parametrave nga skedari i konfigurimit. +NoReadableConfFileSoStartInstall=Skedari i konfigurimit conf/conf.php nuk ekziston ose nuk është i lexueshëm. Ne do të ekzekutojmë procesin e instalimit në përpjekje për ta inicializuar atë. +PHPSupportPOSTGETOk=Ky PHP mbështet variablat POST dhe GET. +PHPSupportPOSTGETKo=Është e mundur që konfigurimi juaj i PHP nuk i mbështet variablat POST dhe/ose GET. Kontrolloni parametrin variables_order në php.ini. +PHPSupportSessions=Ky PHP mbështet seancat. +PHPSupport=Ky PHP mbështet funksionet %s. +PHPMemoryOK=Memoria juaj maksimale e sesionit PHP është caktuar në %sb09a4b739f17f8z>%sb09a4b739f17panf8z0php.ini për të vendosur b0aee83365837fm<0aee8336583737f ='notranslate'> parametër për të paktën %s bajt. +Recheck=Klikoni këtu për një test më të detajuar +ErrorPHPDoesNotSupportSessions=Instalimi juaj i PHP nuk i mbështet seancat. Kjo veçori kërkohet për të lejuar funksionimin e Dolibarr. Kontrolloni konfigurimin tuaj të PHP dhe lejet e drejtorisë së sesioneve. +ErrorPHPDoesNotSupport=Instalimi juaj PHP nuk mbështet funksionet %s. +ErrorDirDoesNotExists=Drejtoria %s nuk ekziston. +ErrorGoBackAndCorrectParameters=Kthehuni prapa dhe kontrolloni/korrigjoni parametrat. +ErrorWrongValueForParameter=Mund të keni shkruar një vlerë të gabuar për parametrin '%s'. ErrorFailedToCreateDatabase=Dёshtim nё krijimin e bazёs sё tё dhёnave '%s' ErrorFailedToConnectToDatabase=Dёshtim pёr tu lidhur me bazёn e tё dhёnave '%s' -ErrorDatabaseVersionTooLow=Database version (%s) too old. Version %s or higher is required. -ErrorPHPVersionTooLow=PHP version too old. Version %s is required. -ErrorConnectedButDatabaseNotFound=Connection to server successful but database '%s' not found. -ErrorDatabaseAlreadyExists=Database '%s' already exists. -IfDatabaseNotExistsGoBackAndUncheckCreate=If the database does not exist, go back and check option "Create database". -IfDatabaseExistsGoBackAndCheckCreate=If database already exists, go back and uncheck "Create database" option. -WarningBrowserTooOld=Version of browser is too old. Upgrading your browser to a recent version of Firefox, Chrome or Opera is highly recommended. +ErrorDatabaseVersionTooLow=Versioni i bazës së të dhënave (%s) shumë i vjetër. Kërkohet versioni %s ose më i lartë. +ErrorPHPVersionTooLow=Versioni PHP shumë i vjetër. Kërkohet versioni %s ose më i lartë. +ErrorPHPVersionTooHigh=Versioni PHP shumë i lartë. Kërkohet versioni %s ose më i ulët. +ErrorConnectedButDatabaseNotFound=Lidhja me serverin ishte e suksesshme, por databaza '%s' nuk u gjet. +ErrorDatabaseAlreadyExists=Baza e të dhënave '%s' ekziston tashmë. +ErrorNoMigrationFilesFoundForParameters=Nuk u gjet asnjë skedar migrimi për versionet e zgjedhura +IfDatabaseNotExistsGoBackAndUncheckCreate=Nëse baza e të dhënave nuk ekziston, kthehuni dhe kontrolloni opsionin "Krijo bazën e të dhënave". +IfDatabaseExistsGoBackAndCheckCreate=Nëse baza e të dhënave ekziston tashmë, kthehuni prapa dhe zgjidhni opsionin "Krijo bazën e të dhënave". +WarningBrowserTooOld=Versioni i shfletuesit është shumë i vjetër. Përmirësimi i shfletuesit tuaj në një version të fundit të Firefox, Chrome ose Opera rekomandohet shumë. PHPVersion=Versioni i PHP -License=Using license +License=Përdorimi i licencës ConfigurationFile=Skedari i konfigurimit -WebPagesDirectory=Directory where web pages are stored -DocumentsDirectory=Directory to store uploaded and generated documents -URLRoot=URL Root -ForceHttps=Force secure connections (https) -CheckToForceHttps=Check this option to force secure connections (https).
      This requires that the web server is configured with an SSL certificate. -DolibarrDatabase=Dolibarr Database -DatabaseType=Database type -DriverType=Driver type +WebPagesDirectory=Drejtori ku ruhen faqet e internetit +DocumentsDirectory=Drejtori për të ruajtur dokumentet e ngarkuara dhe të krijuara +URLRoot=Rrënja e URL-së +ForceHttps=Forco lidhje të sigurta (https) +CheckToForceHttps=Kontrolloni këtë opsion për të detyruar lidhjet e sigurta (https).
      Kjo kërkon që serveri i uebit të konfigurohet me një certifikatë SSL. +DolibarrDatabase=Baza e të dhënave Dolibarr +DatabaseType=Lloji i bazës së të dhënave +DriverType=Lloji i shoferit Server=Serveri -ServerAddressDescription=Name or ip address for the database server. Usually 'localhost' when the database server is hosted on the same server as the web server. -ServerPortDescription=Database server port. Keep empty if unknown. -DatabaseServer=Database server -DatabaseName=Database name -DatabasePrefix=Database table prefix -DatabasePrefixDescription=Database table prefix. If empty, defaults to llx_. -AdminLogin=User account for the Dolibarr database owner. -PasswordAgain=Retype password confirmation -AdminPassword=Password for Dolibarr database owner. -CreateDatabase=Create database -CreateUser=Create user account or grant user account permission on the Dolibarr database -DatabaseSuperUserAccess=Database server - Superuser access -CheckToCreateDatabase=Check the box if the database does not exist yet and so must be created.
      In this case, you must also fill in the user name and password for the superuser account at the bottom of this page. -CheckToCreateUser=Check the box if:
      the database user account does not yet exist and so must be created, or
      if the user account exists but the database does not exist and permissions must be granted.
      In this case, you must enter the user account and password and also the superuser account name and password at the bottom of this page. If this box is unchecked, database owner and password must already exist. -DatabaseRootLoginDescription=Superuser account name (to create new databases or new users), mandatory if the database or its owner does not already exist. -KeepEmptyIfNoPassword=Leave empty if superuser has no password (NOT recommended) -SaveConfigurationFile=Saving parameters to -ServerConnection=Server connection -DatabaseCreation=Database creation -CreateDatabaseObjects=Database objects creation -ReferenceDataLoading=Reference data loading -TablesAndPrimaryKeysCreation=Tables and Primary keys creation -CreateTableAndPrimaryKey=Create table %s -CreateOtherKeysForTable=Create foreign keys and indexes for table %s -OtherKeysCreation=Foreign keys and indexes creation -FunctionsCreation=Functions creation -AdminAccountCreation=Administrator login creation -PleaseTypePassword=Please type a password, empty passwords are not allowed! -PleaseTypeALogin=Please type a login! -PasswordsMismatch=Passwords differs, please try again! -SetupEnd=End of setup -SystemIsInstalled=This installation is complete. -SystemIsUpgraded=Dolibarr has been upgraded successfully. -YouNeedToPersonalizeSetup=You need to configure Dolibarr to suit your needs (appearance, features, ...). To do this, please follow the link below: -AdminLoginCreatedSuccessfuly=Dolibarr administrator login '%s' created successfully. -GoToDolibarr=Go to Dolibarr -GoToSetupArea=Go to Dolibarr (setup area) -MigrationNotFinished=The database version is not completely up to date: run the upgrade process again. -GoToUpgradePage=Go to upgrade page again -WithNoSlashAtTheEnd=Without the slash "/" at the end -DirectoryRecommendation=IMPORTANT: You must use a directory that is outside of the web pages (so do not use a subdirectory of previous parameter). -LoginAlreadyExists=Already exists -DolibarrAdminLogin=Dolibarr admin login -AdminLoginAlreadyExists=Dolibarr administrator account '%s' already exists. Go back if you want to create another one. -FailedToCreateAdminLogin=Failed to create Dolibarr administrator account. -WarningRemoveInstallDir=Warning, for security reasons, once the install or upgrade is complete, you should add a file called install.lock into the Dolibarr document directory in order to prevent the accidental/malicious use of the install tools again. -FunctionNotAvailableInThisPHP=Not available in this PHP -ChoosedMigrateScript=Choose migration script -DataMigration=Database migration (data) -DatabaseMigration=Database migration (structure + some data) -ProcessMigrateScript=Script processing -ChooseYourSetupMode=Choose your setup mode and click "Start"... -FreshInstall=Fresh install -FreshInstallDesc=Use this mode if this is your first install. If not, this mode can repair a incomplete previous install. If you want to upgrade your version, choose "Upgrade" mode. -Upgrade=Upgrade -UpgradeDesc=Use this mode if you have replaced old Dolibarr files with files from a newer version. This will upgrade your database and data. -Start=Start -InstallNotAllowed=Setup not allowed by conf.php permissions -YouMustCreateWithPermission=You must create file %s and set write permissions on it for the web server during install process. -CorrectProblemAndReloadPage=Please fix the problem and press F5 to reload the page. -AlreadyDone=Already migrated -DatabaseVersion=Database version -ServerVersion=Database server version -YouMustCreateItAndAllowServerToWrite=You must create this directory and allow for the web server to write into it. -DBSortingCollation=Character sorting order -YouAskDatabaseCreationSoDolibarrNeedToConnect=You selected create database %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions. -YouAskLoginCreationSoDolibarrNeedToConnect=You selected create database user %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions. -BecauseConnectionFailedParametersMayBeWrong=The database connection failed: the host or super user parameters must be wrong. -OrphelinsPaymentsDetectedByMethod=Orphans payment detected by method %s -RemoveItManuallyAndPressF5ToContinue=Remove it manually and press F5 to continue. -FieldRenamed=Field renamed -IfLoginDoesNotExistsCheckCreateUser=If the user does not exist yet, you must check option "Create user" -ErrorConnection=Server "%s", database name "%s", login "%s", or database password may be wrong or the PHP client version may be too old compared to the database version. -InstallChoiceRecommanded=Recommended choice to install version %s from your current version %s -InstallChoiceSuggested=Install choice suggested by installer. -MigrateIsDoneStepByStep=The targeted version (%s) has a gap of several versions. The install wizard will come back to suggest a further migration once this one is complete. -CheckThatDatabasenameIsCorrect=Check that the database name "%s" is correct. -IfAlreadyExistsCheckOption=If this name is correct and that database does not exist yet, you must check option "Create database". -OpenBaseDir=PHP openbasedir parameter -YouAskToCreateDatabaseSoRootRequired=You checked the box "Create database". For this, you need to provide the login/password of superuser (bottom of form). -YouAskToCreateDatabaseUserSoRootRequired=You checked the box "Create database owner". For this, you need to provide the login/password of superuser (bottom of form). -NextStepMightLastALongTime=The current step may take several minutes. Please wait until the next screen is shown completely before continuing. -MigrationCustomerOrderShipping=Migrate shipping for sales orders storage -MigrationShippingDelivery=Upgrade storage of shipping -MigrationShippingDelivery2=Upgrade storage of shipping 2 -MigrationFinished=Migration finished -LastStepDesc=Last step: Define here the login and password you wish to use to connect to Dolibarr. Do not lose this as it is the master account to administer all other/additional user accounts. -ActivateModule=Activate module %s -ShowEditTechnicalParameters=Click here to show/edit advanced parameters (expert mode) -WarningUpgrade=Warning:\nDid you run a database backup first?\nThis is highly recommended. Loss of data (due to for example bugs in mysql version 5.5.40/41/42/43) may be possible during this process, so it is essential to take a complete dump of your database before starting any migration.\n\nClick OK to start migration process... -ErrorDatabaseVersionForbiddenForMigration=Your database version is %s. It has a critical bug, making data loss possible if you make structural changes in your database, such as is required by the migration process. For his reason, migration will not be allowed until you upgrade your database to a layer (patched) version (list of known buggy versions: %s) -KeepDefaultValuesWamp=You used the Dolibarr setup wizard from DoliWamp, so values proposed here are already optimized. Change them only if you know what you are doing. -KeepDefaultValuesDeb=You used the Dolibarr setup wizard from a Linux package (Ubuntu, Debian, Fedora...), so the values proposed here are already optimized. Only the password of the database owner to create must be entered. Change other parameters only if you know what you are doing. -KeepDefaultValuesMamp=You used the Dolibarr setup wizard from DoliMamp, so the values proposed here are already optimized. Change them only if you know what you are doing. -KeepDefaultValuesProxmox=You used the Dolibarr setup wizard from a Proxmox virtual appliance, so the values proposed here are already optimized. Change them only if you know what you are doing. -UpgradeExternalModule=Run dedicated upgrade process of external module -SetAtLeastOneOptionAsUrlParameter=Set at least one option as a parameter in URL. For example: '...repair.php?standard=confirmed' -NothingToDelete=Nothing to clean/delete -NothingToDo=Nothing to do +ServerAddressDescription=Emri ose adresa IP për serverin e bazës së të dhënave. Zakonisht 'localhost' kur serveri i bazës së të dhënave është i pritur në të njëjtin server si serveri në internet. +ServerPortDescription=Porta e serverit të bazës së të dhënave. Mbajeni bosh nëse nuk dihet. +DatabaseServer=Serveri i bazës së të dhënave +DatabaseName=Emri i bazës së të dhënave +DatabasePrefix=Prefiksi i tabelës së bazës së të dhënave +DatabasePrefixDescription=Prefiksi i tabelës së bazës së të dhënave. Nëse është bosh, si parazgjedhje është llx_. +AdminLogin=Llogaria e përdoruesit për pronarin e bazës së të dhënave Dolibarr. +AdminPassword=Fjalëkalimi për pronarin e bazës së të dhënave Dolibarr. +CreateDatabase=Krijo bazën e të dhënave +CreateUser=Krijoni një llogari përdoruesi ose jepni leje për llogarinë e përdoruesit në bazën e të dhënave Dolibarr +DatabaseSuperUserAccess=Serveri i bazës së të dhënave - Qasja e superpërdoruesit +CheckToCreateDatabase=Kontrolloni kutinë nëse baza e të dhënave nuk ekziston ende dhe kështu duhet të krijohet.
      Në këtë rast, duhet gjithashtu të plotësoni emrin e përdoruesit dhe fjalëkalimin për llogarinë e superpërdoruesit në fund të kësaj faqeje. +CheckToCreateUser=Kontrolloni kutinë nëse:
      llogaria e përdoruesit e bazës së të dhënave nuk ekziston ende dhe kështu duhet të krijohet, ose
      nëse llogaria e përdoruesit ekziston por baza e të dhënave nuk ekziston dhe lejet duhet të jepen.
      Në këtë rast, duhet të futni llogarinë e përdoruesit dhe fjalëkalimin dhe span>gjithashtu emri dhe fjalëkalimi i llogarisë së superpërdoruesit në fund të kësaj faqeje. Nëse kjo kuti nuk është e zgjedhur, zotëruesi i bazës së të dhënave dhe fjalëkalimi duhet të ekzistojnë tashmë. +DatabaseRootLoginDescription=Emri i llogarisë së superpërdoruesit (për të krijuar baza të dhënash të reja ose përdorues të rinj), i detyrueshëm nëse baza e të dhënave ose pronari i saj nuk ekziston tashmë. +KeepEmptyIfNoPassword=Lëreni bosh nëse superpërdoruesi nuk ka fjalëkalim (NUK rekomandohet) +SaveConfigurationFile=Ruajtja e parametrave në +ServerConnection=Lidhja e serverit +DatabaseCreation=Krijimi i bazës së të dhënave +CreateDatabaseObjects=Krijimi i objekteve të bazës së të dhënave +ReferenceDataLoading=Ngarkimi i të dhënave të referencës +TablesAndPrimaryKeysCreation=Krijimi i tabelave dhe çelësave kryesorë +CreateTableAndPrimaryKey=Krijo tabelën %s +CreateOtherKeysForTable=Krijo çelësa dhe indekse të huaja për tabelën %s +OtherKeysCreation=Krijimi i çelësave dhe indekseve të huaj +FunctionsCreation=Krijimi i funksioneve +AdminAccountCreation=Krijimi i hyrjes së administratorit +PleaseTypePassword=Ju lutemi shkruani një fjalëkalim, fjalëkalimet boshe nuk lejohen! +PleaseTypeALogin=Ju lutemi shkruani një hyrje! +PasswordsMismatch=Fjalëkalimet ndryshojnë, ju lutemi provoni përsëri! +SetupEnd=Fundi i konfigurimit +SystemIsInstalled=Ky instalim ka përfunduar. +SystemIsUpgraded=Dolibarr është përmirësuar me sukses. +YouNeedToPersonalizeSetup=Ju duhet të konfiguroni Dolibarr për t'iu përshtatur nevojave tuaja (pamja, veçoritë, ...). Për ta bërë këtë, ju lutemi ndiqni lidhjen e mëposhtme: +AdminLoginCreatedSuccessfuly=Identifikimi i administratorit të Dolibarr '%sb09a4b739f17f80'z0 u krijua me sukses. +GoToDolibarr=Shkoni në Dolibarr +GoToSetupArea=Shkoni te Dolibarr (zona e konfigurimit) +MigrationNotFinished=Versioni i bazës së të dhënave nuk është plotësisht i përditësuar: ekzekutoni përsëri procesin e përmirësimit. +GoToUpgradePage=Shkoni përsëri në faqen e përmirësimit +WithNoSlashAtTheEnd=Pa të pjerrët "/" në fund +DirectoryRecommendation=E RËNDËSISHME: Duhet të përdorni një direktori që është jashtë faqeve të internetit (kështu që mos përdorni një nëndrejtori të parametrit të mëparshëm ). +LoginAlreadyExists=Tashmë ekziston +DolibarrAdminLogin=Identifikimi i administratorit të Dolibarr +AdminLoginAlreadyExists=Llogaria e administratorit të Dolibarr '%s tashmë ekziston. Kthehuni nëse dëshironi të krijoni një tjetër. +FailedToCreateAdminLogin=Krijimi i llogarisë së administratorit të Dolibarr dështoi. +WarningRemoveInstallDir=Paralajmërim, për arsye sigurie, pasi të përfundojë procesi i instalimit, duhet të shtoni një skedar të quajtur install.lock në Drejtoria e dokumenteve Dolibarr për të parandaluar përsëri përdorimin aksidental/me qëllim të keq të veglave të instalimit. +FunctionNotAvailableInThisPHP=Nuk disponohet në këtë PHP +ChoosedMigrateScript=Zgjidhni skriptin e migrimit +DataMigration=Migrimi i bazës së të dhënave (të dhënat) +DatabaseMigration=Migrimi i bazës së të dhënave (struktura + disa të dhëna) +ProcessMigrateScript=Përpunimi i skriptit +ChooseYourSetupMode=Zgjidhni modalitetin tuaj të konfigurimit dhe klikoni "Start"... +FreshInstall=Instalim i ri +FreshInstallDesc=Përdorni këtë modalitet nëse ky është instalimi juaj i parë. Nëse jo, kjo mënyrë mund të riparojë një instalim të mëparshëm jo të plotë. Nëse dëshironi të përmirësoni versionin tuaj, zgjidhni modalitetin "Përmirëso". +Upgrade=Përmirëso +UpgradeDesc=Përdoreni këtë modalitet nëse keni zëvendësuar skedarët e vjetër Dolibarr me skedarë nga një version më i ri. Kjo do të përmirësojë bazën e të dhënave dhe të dhënat tuaja. +Start=Filloni +InstallNotAllowed=Konfigurimi nuk lejohet nga lejet conf.php +YouMustCreateWithPermission=Duhet të krijoni skedar %s dhe të vendosni lejet e shkrimit në të për serverin e uebit gjatë procesit të instalimit. +CorrectProblemAndReloadPage=Ju lutemi rregulloni problemin dhe shtypni F5 për të ringarkuar faqen. +AlreadyDone=I migruar tashmë +DatabaseVersion=Versioni i bazës së të dhënave +ServerVersion=Versioni i serverit të bazës së të dhënave +YouMustCreateItAndAllowServerToWrite=Ju duhet të krijoni këtë direktori dhe të lejoni që serveri në internet të shkruajë në të. +DBSortingCollation=Rendi i renditjes së karaktereve +YouAskDatabaseCreationSoDolibarrNeedToConnect=Ju zgjodhët krijimin e bazës së të dhënave %s, por ka nevojë për këtë, porr për t'u lidhur me serverin %s me super përdorues class= 'notranslate'>%s. +YouAskLoginCreationSoDolibarrNeedToConnect=Ju zgjodhët krijimin e përdoruesit të bazës së të dhënave %s, porr duhet të lidhet me serverin %s %s lejet. +BecauseConnectionFailedParametersMayBeWrong=Lidhja e bazës së të dhënave dështoi: parametrat e hostit ose të superpërdoruesit duhet të jenë të gabuara. +OrphelinsPaymentsDetectedByMethod=Pagesa për jetimët u zbulua me metodën %s +RemoveItManuallyAndPressF5ToContinue=Hiqeni manualisht dhe shtypni F5 për të vazhduar. +FieldRenamed=Fusha u riemërua +IfLoginDoesNotExistsCheckCreateUser=Nëse përdoruesi nuk ekziston ende, duhet të kontrolloni opsionin "Krijo përdorues" +ErrorConnection=Serveri "%s", emri i klasës së bazës së të dhënave " 'notranslate'>%s", login "%s", ose fjalëkalimi i bazës së të dhënave mund të jetë i gabuar ose versioni i klientit PHP mund të jetë shumë i vjetër në krahasim me versionin e bazës së të dhënave . +InstallChoiceRecommanded=Zgjedhja e rekomanduar për të instaluar versionin %s nga versioni juaj aktual class='notranslate'>%s +InstallChoiceSuggested=Zgjedhja e instalimit e sugjeruar nga instaluesi. +MigrateIsDoneStepByStep=Versioni i synuar (%s) ka një boshllëk prej disa versionesh. Magjistari i instalimit do të kthehet për të sugjeruar një migrim të mëtejshëm pasi ky të përfundojë. +CheckThatDatabasenameIsCorrect=Kontrollo që emri i bazës së të dhënave "%s" është i saktë. +IfAlreadyExistsCheckOption=Nëse ky emër është i saktë dhe ajo bazë të dhënash nuk ekziston ende, duhet të kontrolloni opsionin "Krijo bazën e të dhënave". +OpenBaseDir=Parametri PHP openbasedir +YouAskToCreateDatabaseSoRootRequired=Ju keni zgjedhur kutinë "Krijo bazën e të dhënave". Për këtë, duhet të jepni hyrjen/fjalëkalimin e superpërdoruesit (në fund të formularit). +YouAskToCreateDatabaseUserSoRootRequired=Ju keni zgjedhur kutinë "Krijo pronarin e bazës së të dhënave". Për këtë, duhet të jepni hyrjen/fjalëkalimin e superpërdoruesit (në fund të formularit). +NextStepMightLastALongTime=Hapi aktual mund të zgjasë disa minuta. Ju lutemi prisni derisa ekrani tjetër të shfaqet plotësisht përpara se të vazhdoni. +MigrationCustomerOrderShipping=Migroni transportin për ruajtjen e porosive të shitjeve +MigrationShippingDelivery=Përmirësoni ruajtjen e transportit +MigrationShippingDelivery2=Përmirësoni hapësirën ruajtëse të transportit 2 +MigrationFinished=Migrimi përfundoi +LastStepDesc=Hapi i fundit: Përcaktoni këtu hyrjen dhe fjalëkalimin që dëshironi të përdorni për t'u lidhur me Dolibarr. Mos e humb këtë pasi është llogaria kryesore për të administruar të gjitha llogaritë e tjera/të tjera të përdoruesve. +ActivateModule=Aktivizo modulin %s +ShowEditTechnicalParameters=Kliko këtu për të shfaqur/redaktuar parametrat e avancuar (modaliteti ekspert) +WarningUpgrade=Paralajmërim:\nA keni kryer fillimisht një kopje rezervë të bazës së të dhënave?\nKjo rekomandohet shumë. Humbja e të dhënave (për shembull për shkak të gabimeve në versionin mysql 5.5.40/41/42/43) mund të jetë e mundur gjatë këtij procesi, kështu që është thelbësore të bëni një grumbullim të plotë të bazës së të dhënave tuaja përpara se të filloni ndonjë migrim.\n\nKliko OK për të filluar procesin e migrimit... +ErrorDatabaseVersionForbiddenForMigration=Versioni juaj i bazës së të dhënave është %s. Ai ka një gabim kritik, duke bërë të mundur humbjen e të dhënave nëse bëni ndryshime strukturore në bazën e të dhënave tuaja, siç kërkohet nga procesi i migrimit. Për arsyen e tij, migrimi nuk do të lejohet derisa të përmirësoni bazën tuaj të të dhënave në një version të shtresës (të rregulluar) (lista e versioneve të njohura me gabime: %s) +KeepDefaultValuesWamp=Ju keni përdorur magjistarin e konfigurimit të Dolibarr nga DoliWamp, kështu që vlerat e propozuara këtu janë tashmë të optimizuara. Ndryshoni ato vetëm nëse e dini se çfarë po bëni. +KeepDefaultValuesDeb=Ju keni përdorur magjistarin e konfigurimit të Dolibarr nga një paketë Linux (Ubuntu, Debian, Fedora...), kështu që vlerat e propozuara këtu janë tashmë të optimizuara. Duhet të futet vetëm fjalëkalimi i pronarit të bazës së të dhënave për të krijuar. Ndryshoni parametrat e tjerë vetëm nëse e dini se çfarë po bëni. +KeepDefaultValuesMamp=Ju keni përdorur magjistarin e konfigurimit të Dolibarr nga DoliMamp, kështu që vlerat e propozuara këtu janë optimizuar tashmë. Ndryshoni ato vetëm nëse e dini se çfarë po bëni. +KeepDefaultValuesProxmox=Ju keni përdorur magjistarin e konfigurimit të Dolibarr nga një pajisje virtuale Proxmox, kështu që vlerat e propozuara këtu janë tashmë të optimizuara. Ndryshoni ato vetëm nëse e dini se çfarë po bëni. +UpgradeExternalModule=Drejtoni procesin e dedikuar të përmirësimit të modulit të jashtëm +SetAtLeastOneOptionAsUrlParameter=Vendosni të paktën një opsion si parametër në URL. Për shembull: '...repair.php?standard=confirmed' +NothingToDelete=Asgjë për të pastruar/fshirë +NothingToDo=Asgje per te bere ######### # upgrade -MigrationFixData=Fix for denormalized data -MigrationOrder=Data migration for customer's orders -MigrationSupplierOrder=Data migration for vendor's orders -MigrationProposal=Data migration for commercial proposals -MigrationInvoice=Data migration for customer's invoices -MigrationContract=Data migration for contracts -MigrationSuccessfullUpdate=Upgrade successful -MigrationUpdateFailed=Failed upgrade process -MigrationRelationshipTables=Data migration for relationship tables (%s) -MigrationPaymentsUpdate=Payment data correction -MigrationPaymentsNumberToUpdate=%s payment(s) to update -MigrationProcessPaymentUpdate=Update payment(s) %s -MigrationPaymentsNothingToUpdate=No more things to do -MigrationPaymentsNothingUpdatable=No more payments that can be corrected -MigrationContractsUpdate=Contract data correction -MigrationContractsNumberToUpdate=%s contract(s) to update -MigrationContractsLineCreation=Create contract line for contract ref %s -MigrationContractsNothingToUpdate=No more things to do -MigrationContractsFieldDontExist=Field fk_facture does not exist anymore. Nothing to do. -MigrationContractsEmptyDatesUpdate=Contract empty date correction -MigrationContractsEmptyDatesUpdateSuccess=Contract empty date correction done successfully -MigrationContractsEmptyDatesNothingToUpdate=No contract empty date to correct -MigrationContractsEmptyCreationDatesNothingToUpdate=No contract creation date to correct -MigrationContractsInvalidDatesUpdate=Bad value date contract correction -MigrationContractsInvalidDateFix=Correct contract %s (Contract date=%s, Starting service date min=%s) -MigrationContractsInvalidDatesNumber=%s contracts modified -MigrationContractsInvalidDatesNothingToUpdate=No date with bad value to correct -MigrationContractsIncoherentCreationDateUpdate=Bad value contract creation date correction -MigrationContractsIncoherentCreationDateUpdateSuccess=Bad value contract creation date correction done successfully -MigrationContractsIncoherentCreationDateNothingToUpdate=No bad value for contract creation date to correct -MigrationReopeningContracts=Open contract closed by error -MigrationReopenThisContract=Reopen contract %s -MigrationReopenedContractsNumber=%s contracts modified -MigrationReopeningContractsNothingToUpdate=No closed contract to open -MigrationBankTransfertsUpdate=Update links between bank entry and a bank transfer -MigrationBankTransfertsNothingToUpdate=All links are up to date -MigrationShipmentOrderMatching=Sendings receipt update -MigrationDeliveryOrderMatching=Delivery receipt update -MigrationDeliveryDetail=Delivery update -MigrationStockDetail=Update stock value of products -MigrationMenusDetail=Update dynamic menus tables -MigrationDeliveryAddress=Update delivery address in shipments -MigrationProjectTaskActors=Data migration for table llx_projet_task_actors -MigrationProjectUserResp=Data migration field fk_user_resp of llx_projet to llx_element_contact -MigrationProjectTaskTime=Update time spent in seconds -MigrationActioncommElement=Update data on actions -MigrationPaymentMode=Data migration for payment type -MigrationCategorieAssociation=Migration of categories -MigrationEvents=Migration of events to add event owner into assignment table -MigrationEventsContact=Migration of events to add event contact into assignment table -MigrationRemiseEntity=Update entity field value of llx_societe_remise -MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except -MigrationUserRightsEntity=Update entity field value of llx_user_rights -MigrationUserGroupRightsEntity=Update entity field value of llx_usergroup_rights -MigrationUserPhotoPath=Migration of photo paths for users -MigrationFieldsSocialNetworks=Migration of users fields social networks (%s) -MigrationReloadModule=Reload module %s -MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm -MigrationImportOrExportProfiles=Migration of import or export profiles (%s) -ShowNotAvailableOptions=Show unavailable options -HideNotAvailableOptions=Hide unavailable options -ErrorFoundDuringMigration=Error(s) were reported during the migration process so next step is not available. To ignore errors, you can click here, but the application or some features may not work correctly until the errors are resolved. -YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
      -YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
      -ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. -Loaded=Loaded -FunctionTest=Function test +MigrationFixData=Rregullim për të dhënat e denormalizuara +MigrationOrder=Migrimi i të dhënave për porositë e klientit +MigrationSupplierOrder=Migrimi i të dhënave për porositë e shitësit +MigrationProposal=Migrimi i të dhënave për propozime komerciale +MigrationInvoice=Migrimi i të dhënave për faturat e klientit +MigrationContract=Migrimi i të dhënave për kontratat +MigrationSuccessfullUpdate=Përmirësimi i suksesshëm +MigrationUpdateFailed=Procesi i përmirësimit dështoi +MigrationRelationshipTables=Migrimi i të dhënave për tabelat e marrëdhënieve (%s) +MigrationPaymentsUpdate=Korrigjimi i të dhënave të pagesës +MigrationPaymentsNumberToUpdate=%s pagesa për përditësim +MigrationProcessPaymentUpdate=Përditëso pagesat %s +MigrationPaymentsNothingToUpdate=Nuk ka më gjëra për të bërë +MigrationPaymentsNothingUpdatable=Nuk ka më pagesa që mund të korrigjohen +MigrationContractsUpdate=Korrigjimi i të dhënave të kontratës +MigrationContractsNumberToUpdate=%s kontrata për përditësim +MigrationContractsLineCreation=Krijo linjën e kontratës për referencën e kontratës %s +MigrationContractsNothingToUpdate=Nuk ka më gjëra për të bërë +MigrationContractsFieldDontExist=Fusha fk_facture nuk ekziston më. Asgje per te bere. +MigrationContractsEmptyDatesUpdate=Korrigjimi i datës së kontratës bosh +MigrationContractsEmptyDatesUpdateSuccess=Korrigjimi i datës së kontratës bosh u krye me sukses +MigrationContractsEmptyDatesNothingToUpdate=Asnjë datë e zbrazët e kontratës për t'u korrigjuar +MigrationContractsEmptyCreationDatesNothingToUpdate=Asnjë datë e krijimit të kontratës për t'u korrigjuar +MigrationContractsInvalidDatesUpdate=Korrigjimi i kontratës me datë të keqe +MigrationContractsInvalidDateFix=Kontrata e saktë %s (Data e kontratës=%s, data e fillimit të shërbimit min=b0ecb2ec80) +MigrationContractsInvalidDatesNumber=%s kontratat u modifikuan +MigrationContractsInvalidDatesNothingToUpdate=Asnjë datë me vlerë të keqe për t'u korrigjuar +MigrationContractsIncoherentCreationDateUpdate=Korrigjimi i datës së krijimit të kontratës me vlerë të keqe +MigrationContractsIncoherentCreationDateUpdateSuccess=Korrigjimi i datës së krijimit të kontratës me vlerë të keqe u krye me sukses +MigrationContractsIncoherentCreationDateNothingToUpdate=Nuk ka vlerë të keqe për datën e krijimit të kontratës për t'u korrigjuar +MigrationReopeningContracts=Kontrata e hapur u mbyll gabimisht +MigrationReopenThisContract=Rihap kontratën %s +MigrationReopenedContractsNumber=%s kontratat u modifikuan +MigrationReopeningContractsNothingToUpdate=Asnjë kontratë e mbyllur për t'u hapur +MigrationBankTransfertsUpdate=Përditësoni lidhjet midis hyrjes bankare dhe një transferte bankare +MigrationBankTransfertsNothingToUpdate=Të gjitha lidhjet janë të përditësuara +MigrationShipmentOrderMatching=Përditësimi i faturës së dërgimit +MigrationDeliveryOrderMatching=Përditësimi i faturës së dorëzimit +MigrationDeliveryDetail=Përditësimi i dorëzimit +MigrationStockDetail=Përditësoni vlerën e aksioneve të produkteve +MigrationMenusDetail=Përditësoni tabelat e menyve dinamike +MigrationDeliveryAddress=Përditëso adresën e dorëzimit në dërgesa +MigrationProjectTaskActors=Migrimi i të dhënave për tabelën llx_projet_task_actors +MigrationProjectUserResp=Fusha e migrimit të të dhënave fk_user_resp e llx_projet në llx_element_contact +MigrationProjectTaskTime=Përditëso kohën e kaluar në sekonda +MigrationActioncommElement=Përditësoni të dhënat për veprimet +MigrationPaymentMode=Migrimi i të dhënave për llojin e pagesës +MigrationCategorieAssociation=Migrimi i kategorive +MigrationEvents=Migrimi i ngjarjeve për të shtuar zotëruesin e ngjarjes në tabelën e detyrave +MigrationEventsContact=Migrimi i ngjarjeve për të shtuar kontaktin e ngjarjes në tabelën e detyrave +MigrationRemiseEntity=Përditëso vlerën e fushës së entitetit të llx_societe_remise +MigrationRemiseExceptEntity=Përditëso vlerën e fushës së entitetit të llx_societe_remise_except +MigrationUserRightsEntity=Përditëso vlerën e fushës së entitetit të llx_user_rights +MigrationUserGroupRightsEntity=Përditëso vlerën e fushës së entitetit të llx_usergroup_rights +MigrationUserPhotoPath=Migrimi i shtigjeve të fotografive për përdoruesit +MigrationFieldsSocialNetworks=Migrimi i fushave të përdoruesve në rrjetet sociale (%s) +MigrationReloadModule=Rifresko modulin %s +MigrationResetBlockedLog=Rivendos modulin BlockedLog për algoritmin v7 +MigrationImportOrExportProfiles=Migrimi i profileve të importit ose eksportit (%s) +ShowNotAvailableOptions=Shfaq opsionet e padisponueshme +HideNotAvailableOptions=Fshih opsionet e padisponueshme +ErrorFoundDuringMigration=Gabimet janë raportuar gjatë procesit të migrimit, kështu që hapi tjetër nuk është i disponueshëm. Për të shpërfillur gabimet, mund të klikoni këtu, por aplikacioni ose disa veçori mund të mos funksionojnë siç duhet derisa të zgjidhen gabimet . +YouTryInstallDisabledByDirLock=Aplikacioni u përpoq të përmirësohej vetë, por faqet e instalimit/përmirësimit janë çaktivizuar për siguri (direktoria u riemërua me prapashtesë .lock).
      +YouTryInstallDisabledByFileLock=Aplikacioni u përpoq të përmirësohej vetë, por faqet e instalimit/përmirësimit janë çaktivizuar për siguri (për shkak të ekzistencës së një skedari të kyçjes install.lock në drejtorinë e dokumenteve dolibarr).
      +YouTryUpgradeDisabledByMissingFileUnLock=Aplikacioni u përpoq të përmirësohej vetë, por procesi i përmirësimit aktualisht nuk lejohet.
      +ClickHereToGoToApp=Klikoni këtu për të shkuar te aplikacioni juaj +ClickOnLinkOrRemoveManualy=Nëse një përmirësim është në proces, ju lutemi prisni. Nëse jo, klikoni në lidhjen e mëposhtme. Nëse e shihni gjithmonë të njëjtën faqe, duhet të hiqni/riemërtoni skedarin install.lock në drejtorinë e dokumenteve. +ClickOnLinkOrCreateUnlockFileManualy=Nëse një përmirësim është në progres, ju lutemi prisni... Nëse jo, duhet të hiqni skedarin install.lock ose të krijoni një skedar upgrade.unlock në direktorinë e dokumenteve Dolibarr. +Loaded=I ngarkuar +FunctionTest=Testi i funksionit +NodoUpgradeAfterDB=Asnjë veprim nuk kërkohet nga modulet e jashtme pas përmirësimit të bazës së të dhënave +NodoUpgradeAfterFiles=Asnjë veprim nuk kërkohet nga modulet e jashtme pas përmirësimit të skedarëve ose drejtorive +MigrationContractLineRank=Migroni linjën e kontratës për të përdorur Rank (dhe aktivizoni Rirenditjen) diff --git a/htdocs/langs/sq_AL/interventions.lang b/htdocs/langs/sq_AL/interventions.lang index ef5df43e546..8b8346f96d9 100644 --- a/htdocs/langs/sq_AL/interventions.lang +++ b/htdocs/langs/sq_AL/interventions.lang @@ -1,68 +1,75 @@ # Dolibarr language file - Source file is en_US - interventions -Intervention=Intervention -Interventions=Interventions -InterventionCard=Intervention card -NewIntervention=New intervention -AddIntervention=Create intervention -ChangeIntoRepeatableIntervention=Change to repeatable intervention -ListOfInterventions=List of interventions -ActionsOnFicheInter=Actions on intervention -LastInterventions=Latest %s interventions -AllInterventions=All interventions -CreateDraftIntervention=Create draft -InterventionContact=Intervention contact -DeleteIntervention=Delete intervention -ValidateIntervention=Validate intervention -ModifyIntervention=Modify intervention -DeleteInterventionLine=Delete intervention line -ConfirmDeleteIntervention=Are you sure you want to delete this intervention? -ConfirmValidateIntervention=Are you sure you want to validate this intervention under name %s? -ConfirmModifyIntervention=Are you sure you want to modify this intervention? -ConfirmDeleteInterventionLine=Are you sure you want to delete this intervention line? -ConfirmCloneIntervention=Are you sure you want to clone this intervention? -NameAndSignatureOfInternalContact=Name and signature of intervening: -NameAndSignatureOfExternalContact=Name and signature of customer: -DocumentModelStandard=Standard document model for interventions -InterventionCardsAndInterventionLines=Interventions and lines of interventions -InterventionClassifyBilled=Classify "Billed" -InterventionClassifyUnBilled=Classify "Unbilled" -InterventionClassifyDone=Classify "Done" -StatusInterInvoiced=Billed -SendInterventionRef=Submission of intervention %s -SendInterventionByMail=Send intervention by email -InterventionCreatedInDolibarr=Intervention %s created -InterventionValidatedInDolibarr=Intervention %s validated -InterventionModifiedInDolibarr=Intervention %s modified -InterventionClassifiedBilledInDolibarr=Intervention %s set as billed -InterventionClassifiedUnbilledInDolibarr=Intervention %s set as unbilled -InterventionSentByEMail=Intervention %s sent by email -InterventionDeletedInDolibarr=Intervention %s deleted -InterventionsArea=Interventions area -DraftFichinter=Draft interventions -LastModifiedInterventions=Latest %s modified interventions -FichinterToProcess=Interventions to process -TypeContact_fichinter_external_CUSTOMER=Following-up customer contact -PrintProductsOnFichinter=Print also lines of type "product" (not only services) on intervention card -PrintProductsOnFichinterDetails=interventions generated from orders -UseServicesDurationOnFichinter=Use services duration for interventions generated from orders -UseDurationOnFichinter=Hides the duration field for intervention records -UseDateWithoutHourOnFichinter=Hides hours and minutes off the date field for intervention records -InterventionStatistics=Statistics of interventions -NbOfinterventions=No. of intervention cards -NumberOfInterventionsByMonth=No. of intervention cards by month (date of validation) -AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). Add option PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT to 1 into home-setup-other to include them. -InterId=Intervention id -InterRef=Intervention ref. -InterDateCreation=Date creation intervention -InterDuration=Duration intervention -InterStatus=Status intervention -InterNote=Note intervention -InterLine=Line of intervention -InterLineId=Line id intervention -InterLineDate=Line date intervention -InterLineDuration=Line duration intervention -InterLineDesc=Line description intervention -RepeatableIntervention=Template of intervention -ToCreateAPredefinedIntervention=To create a predefined or recurring intervention, create a common intervention and convert it into intervention template -ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? -GenerateInter=Generate intervention +Intervention=Ndërhyrja +Interventions=Ndërhyrjet +InterventionCard=Karta e ndërhyrjes +NewIntervention=Ndërhyrje e re +AddIntervention=Krijo ndërhyrje +ChangeIntoRepeatableIntervention=Ndryshimi në ndërhyrje të përsëritshme +ListOfInterventions=Lista e ndërhyrjeve +ActionsOnFicheInter=Veprimet për ndërhyrje +LastInterventions=Ndërhyrjet më të fundit %s +AllInterventions=Të gjitha ndërhyrjet +CreateDraftIntervention=Krijo draft +InterventionContact=Kontakti i ndërhyrjes +DeleteIntervention=Fshi ndërhyrjen +ValidateIntervention=Vërtetoni ndërhyrjen +ModifyIntervention=Ndryshoni ndërhyrjen +CloseIntervention=Ndërhyrja e ngushtë +DeleteInterventionLine=Fshi linjën e ndërhyrjes +ConfirmDeleteIntervention=Je i sigurt që dëshiron ta fshish këtë ndërhyrje? +ConfirmValidateIntervention=Jeni të sigurt që dëshironi ta vërtetoni këtë ndërhyrje me emrin %sb09a4b739f17f8z ? +ConfirmModifyIntervention=Jeni i sigurt që dëshironi ta modifikoni këtë ndërhyrje? +ConfirmCloseIntervention=Je i sigurt që dëshiron ta mbyllësh këtë ndërhyrje? +ConfirmDeleteInterventionLine=Je i sigurt që dëshiron ta fshish këtë linjë ndërhyrjeje? +ConfirmCloneIntervention=Jeni i sigurt që dëshironi ta klononi këtë ndërhyrje? +NameAndSignatureOfInternalContact=Emri dhe nënshkrimi i ndërhyrës: +NameAndSignatureOfExternalContact=Emri dhe nënshkrimi i klientit: +DocumentModelStandard=Modeli standard i dokumentit për ndërhyrje +InterventionCardsAndInterventionLines=Ndërhyrjet dhe linjat e ndërhyrjeve +InterventionClassifyBilled=Klasifikoni "të faturuar" +InterventionClassifyUnBilled=Klasifikoni "të pafaturuar" +InterventionClassifyDone=Klasifiko "U krye" +StatusInterInvoiced=Faturuar +SendInterventionRef=Dorëzimi i ndërhyrjes %s +SendInterventionByMail=Dërgo ndërhyrjen me email +InterventionCreatedInDolibarr=Ndërhyrja %s u krijua +InterventionValidatedInDolibarr=Ndërhyrja %s u vërtetua +InterventionModifiedInDolibarr=Ndërhyrja %s u modifikua +InterventionClassifiedBilledInDolibarr=Ndërhyrja %s u caktua si e faturuar +InterventionClassifiedUnbilledInDolibarr=Ndërhyrja %s u caktua si e pafaturuar +InterventionSentByEMail=Ndërhyrja %s dërguar me email +InterventionClosedInDolibarr= Ndërhyrja %s u mbyll +InterventionDeletedInDolibarr=Ndërhyrja %s u fshi +InterventionsArea=Zona e ndërhyrjeve +DraftFichinter=Projekt ndërhyrje +LastModifiedInterventions=Ndërhyrjet më të fundit të modifikuara %s +FichinterToProcess=Ndërhyrjet për të përpunuar +TypeContact_fichinter_external_CUSTOMER=Kontakti vijues i klientit +PrintProductsOnFichinter=Printoni edhe linja të tipit "produkt" (jo vetëm shërbime) në kartën e ndërhyrjes +PrintProductsOnFichinterDetails=ndërhyrjet e krijuara nga porositë +UseServicesDurationOnFichinter=Përdorni kohëzgjatjen e shërbimeve për ndërhyrjet e krijuara nga porositë +UseDurationOnFichinter=Fsheh fushën e kohëzgjatjes për të dhënat e ndërhyrjes +UseDateWithoutHourOnFichinter=Fsheh orët dhe minutat jashtë fushës së datës për të dhënat e ndërhyrjes +InterventionStatistics=Statistikat e ndërhyrjeve +NbOfinterventions=Numri i kartave të ndërhyrjes +NumberOfInterventionsByMonth=Numri i kartave të ndërhyrjes sipas muajve (data e vlefshmërisë) +AmountOfInteventionNotIncludedByDefault=Shuma e ndërhyrjes nuk përfshihet si parazgjedhje në fitim (në shumicën e rasteve, fletët kohore përdoren për të numëruar kohën e shpenzuar). Mund të përdorni opsionin PROJECT_ELEMENTS_FOR_ADD_MARGIN dhe PROJECT_ELEMENTS_FOR_MINUS_MARGIN në home-setup-other për të plotësuar listën e elementeve të përfshirë në fitim. +InterId=ID-ja e ndërhyrjes +InterRef=Ndërhyrja ref. +InterDateCreation=Ndërhyrja e krijimit të datës +InterDuration=Kohëzgjatja e ndërhyrjes +InterStatus=Ndërhyrja e statusit +InterNote=Shënoni ndërhyrjen +InterLine=Linja e ndërhyrjes +InterLineId=Ndërhyrja e ID-së së linjës +InterLineDate=Ndërhyrja e datës së linjës +InterLineDuration=Ndërhyrja e kohëzgjatjes së linjës +InterLineDesc=Ndërhyrja e përshkrimit të linjës +RepeatableIntervention=Modeli i ndërhyrjes +ToCreateAPredefinedIntervention=Për të krijuar një ndërhyrje të paracaktuar ose të përsëritur, krijoni një ndërhyrje të përbashkët dhe shndërroni atë në shabllon ndërhyrjeje +ConfirmReopenIntervention=Jeni i sigurt që dëshironi të hapni përsëri ndërhyrjen %s%s on the domain %s must be changed. -UserMustChangePassNextLogon=User must change password on the domain %s -LDAPInformationsForThisContact=Information in LDAP database for this contact -LDAPInformationsForThisUser=Information in LDAP database for this user -LDAPInformationsForThisGroup=Information in LDAP database for this group -LDAPInformationsForThisMember=Information in LDAP database for this member -LDAPInformationsForThisMemberType=Information in LDAP database for this member type -LDAPAttributes=LDAP attributes -LDAPCard=LDAP card -LDAPRecordNotFound=Record not found in LDAP database -LDAPUsers=Users in LDAP database +YouMustChangePassNextLogon=Fjalëkalimi për përdoruesin %s
      %s duhet të ndryshohet. +UserMustChangePassNextLogon=Përdoruesi duhet të ndryshojë fjalëkalimin në domenin %s +LDAPInformationsForThisContact=Informacion në bazën e të dhënave LDAP për këtë kontakt +LDAPInformationsForThisUser=Informacion në bazën e të dhënave LDAP për këtë përdorues +LDAPInformationsForThisGroup=Informacion në bazën e të dhënave LDAP për këtë grup +LDAPInformationsForThisMember=Informacion në bazën e të dhënave LDAP për këtë anëtar +LDAPInformationsForThisMemberType=Informacion në bazën e të dhënave LDAP për këtë lloj anëtari +LDAPAttributes=Atributet LDAP +LDAPCard=Karta LDAP +LDAPRecordNotFound=Regjistrimi nuk u gjet në bazën e të dhënave LDAP +LDAPUsers=Përdoruesit në bazën e të dhënave LDAP LDAPFieldStatus=Statusi -LDAPFieldFirstSubscriptionDate=First subscription date -LDAPFieldFirstSubscriptionAmount=First subscription amount -LDAPFieldLastSubscriptionDate=Latest subscription date -LDAPFieldLastSubscriptionAmount=Latest subscription amount -LDAPFieldSkype=Skype id -LDAPFieldSkypeExample=Example : skypeName -UserSynchronized=User synchronized -GroupSynchronized=Group synchronized -MemberSynchronized=Member synchronized -MemberTypeSynchronized=Member type synchronized -ContactSynchronized=Contact synchronized -ForceSynchronize=Force synchronizing Dolibarr -> LDAP -ErrorFailedToReadLDAP=Failed to read LDAP database. Check LDAP module setup and database accessibility. -PasswordOfUserInLDAP=Password of user in LDAP +LDAPFieldFirstSubscriptionDate=Data e abonimit të parë +LDAPFieldFirstSubscriptionAmount=Shuma e abonimit të parë +LDAPFieldLastSubscriptionDate=Data e fundit e abonimit +LDAPFieldLastSubscriptionAmount=Shuma e fundit e abonimit +LDAPFieldSkype=ID e Skype +LDAPFieldSkypeExample=Shembull: skypeName +UserSynchronized=Përdoruesi është i sinkronizuar +GroupSynchronized=Grupi i sinkronizuar +MemberSynchronized=Anëtari u sinkronizua +MemberTypeSynchronized=Lloji i anëtarit i sinkronizuar +ContactSynchronized=Kontakti u sinkronizua +ForceSynchronize=Forco sinkronizimin e Dolibarr -> LDAP +ErrorFailedToReadLDAP=Leximi i bazës së të dhënave LDAP dështoi. Kontrolloni konfigurimin e modulit LDAP dhe aksesueshmërinë e bazës së të dhënave. +PasswordOfUserInLDAP=Fjalëkalimi i përdoruesit në LDAP +LDAPPasswordHashType=Lloji hash i fjalëkalimit +LDAPPasswordHashTypeExample=Lloji i hash-it të fjalëkalimit të përdorur në server +SupportedForLDAPExportScriptOnly=Mbështetet vetëm nga një skrip i eksportit ldap +SupportedForLDAPImportScriptOnly=Mbështetet vetëm nga një skrip importi ldap +LDAPUserAccountControl = userAccountControl në krijimin (drejtoria aktive) +LDAPUserAccountControlExample = 512 Llogari normale / 546 Llogari normale + pa fjalëkalim + çaktivizuar (shih: https://fr.wikipedia.org/wiki/Active_Directory) diff --git a/htdocs/langs/sq_AL/loan.lang b/htdocs/langs/sq_AL/loan.lang index d271ed0c140..826caca4835 100644 --- a/htdocs/langs/sq_AL/loan.lang +++ b/htdocs/langs/sq_AL/loan.lang @@ -1,34 +1,34 @@ # Dolibarr language file - Source file is en_US - loan -Loan=Loan -Loans=Loans -NewLoan=New Loan -ShowLoan=Show Loan -PaymentLoan=Loan payment -LoanPayment=Loan payment -ShowLoanPayment=Show Loan Payment -LoanCapital=Capital -Insurance=Insurance -Interest=Interest -Nbterms=Number of terms -Term=Term -LoanAccountancyCapitalCode=Accounting account capital -LoanAccountancyInsuranceCode=Accounting account insurance -LoanAccountancyInterestCode=Accounting account interest -ConfirmDeleteLoan=Confirm deleting this loan -LoanDeleted=Loan Deleted Successfully -ConfirmPayLoan=Confirm classify paid this loan -LoanPaid=Loan Paid -ListLoanAssociatedProject=List of loan associated with the project -AddLoan=Create loan -FinancialCommitment=Financial commitment -InterestAmount=Interest -CapitalRemain=Capital remain -TermPaidAllreadyPaid = This term is allready paid -CantUseScheduleWithLoanStartedToPaid = Can't use scheduler for a loan with payment started -CantModifyInterestIfScheduleIsUsed = You can't modify interest if you use schedule +Loan=Kredi +Loans=Kreditë +NewLoan=Kredi e re +ShowLoan=Shfaq kredinë +PaymentLoan=Pagesa e kredisë +LoanPayment=Pagesa e kredisë +ShowLoanPayment=Shfaq pagesën e huasë +LoanCapital=Kapitali +Insurance=Sigurimi +Interest=Interesi +Nbterms=Numri i termave +Term=Afati +LoanAccountancyCapitalCode=Kapitali i llogarisë kontabël +LoanAccountancyInsuranceCode=Sigurimi i llogarisë së kontabilitetit +LoanAccountancyInterestCode=Interesi i llogarisë së kontabilitetit +ConfirmDeleteLoan=Konfirmo fshirjen e kësaj kredie +LoanDeleted=Kredia u fshi me sukses +ConfirmPayLoan=Konfirmo klasifikimin e kësaj kredie të paguar +LoanPaid=Kredia e paguar +ListLoanAssociatedProject=Lista e kredive të lidhura me projektin +AddLoan=Krijo kredi +FinancialCommitment=Angazhimi financiar +InterestAmount=Interesi +CapitalRemain=Kapitali mbetet +TermPaidAllreadyPaid = Ky afat tashmë është paguar +CantUseScheduleWithLoanStartedToPaid = Nuk mund të krijohet një afat kohor për një hua me një pagesë të filluar +CantModifyInterestIfScheduleIsUsed = Nuk mund ta modifikosh interesin nëse përdor orarin # Admin -ConfigLoan=Configuration of the module loan -LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Accounting account capital by default -LOAN_ACCOUNTING_ACCOUNT_INTEREST=Accounting account interest by default -LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Accounting account insurance by default -CreateCalcSchedule=Edit financial commitment +ConfigLoan=Konfigurimi i kredisë së modulit +LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Llogaria (nga Grafiku i Llogarive) që do të përdoret si parazgjedhje për kapital (moduli i huasë) +LOAN_ACCOUNTING_ACCOUNT_INTEREST=Llogaria (nga Grafiku i Llogarive) që do të përdoret si parazgjedhje për interes (moduli i huasë) +LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Llogaria (nga Grafiku i Llogarive) që do të përdoret si parazgjedhje për sigurime (moduli i huasë) +CreateCalcSchedule=Redakto angazhimin financiar diff --git a/htdocs/langs/sq_AL/mailmanspip.lang b/htdocs/langs/sq_AL/mailmanspip.lang index bab4b3576b4..79b5d5be7b2 100644 --- a/htdocs/langs/sq_AL/mailmanspip.lang +++ b/htdocs/langs/sq_AL/mailmanspip.lang @@ -1,27 +1,27 @@ # Dolibarr language file - Source file is en_US - mailmanspip -MailmanSpipSetup=Mailman and SPIP module Setup -MailmanTitle=Mailman mailing list system -TestSubscribe=To test subscription to Mailman lists -TestUnSubscribe=To test unsubscribe from Mailman lists -MailmanCreationSuccess=Subscription test was executed successfully -MailmanDeletionSuccess=Unsubscription test was executed successfully -SynchroMailManEnabled=A Mailman update will be performed -SynchroSpipEnabled=A Spip update will be performed -DescADHERENT_MAILMAN_ADMINPW=Mailman administrator password -DescADHERENT_MAILMAN_URL=URL for Mailman subscriptions -DescADHERENT_MAILMAN_UNSUB_URL=URL for Mailman unsubscriptions -DescADHERENT_MAILMAN_LISTS=List(s) for automatic inscription of new members (separated by a comma) -SPIPTitle=SPIP Content Management System -DescADHERENT_SPIP_SERVEUR=SPIP Server -DescADHERENT_SPIP_DB=SPIP database name -DescADHERENT_SPIP_USER=SPIP database login -DescADHERENT_SPIP_PASS=SPIP database password -AddIntoSpip=Add into SPIP -AddIntoSpipConfirmation=Are you sure you want to add this member into SPIP? -AddIntoSpipError=Failed to add the user in SPIP -DeleteIntoSpip=Remove from SPIP -DeleteIntoSpipConfirmation=Are you sure you want to remove this member from SPIP? -DeleteIntoSpipError=Failed to suppress the user from SPIP -SPIPConnectionFailed=Failed to connect to SPIP -SuccessToAddToMailmanList=%s successfully added to mailman list %s or SPIP database -SuccessToRemoveToMailmanList=%s successfully removed from mailman list %s or SPIP database +MailmanSpipSetup=Konfigurimi i modulit Mailman dhe SPIP +MailmanTitle=Sistemi i listës së postimeve të Mailman +TestSubscribe=Për të testuar abonimin në listat e Mailman +TestUnSubscribe=Për të testuar çabonimin nga listat e Mailman +MailmanCreationSuccess=Testi i abonimit u ekzekutua me sukses +MailmanDeletionSuccess=Testi i çregjistrimit u ekzekutua me sukses +SynchroMailManEnabled=Do të kryhet një përditësim i Mailman +SynchroSpipEnabled=Një përditësim Spip do të kryhet +DescADHERENT_MAILMAN_ADMIN_PASSWORD=Fjalëkalimi i administratorit të Mailman +DescADHERENT_MAILMAN_URL=URL për abonimet e Mailman +DescADHERENT_MAILMAN_UNSUB_URL=URL për ç'abonimet e Mailman +DescADHERENT_MAILMAN_LISTS=Lista(t) për mbishkrimin automatik të anëtarëve të rinj (të ndara me presje) +SPIPTitle=Sistemi i menaxhimit të përmbajtjes SPIP +DescADHERENT_SPIP_SERVEUR=Serveri SPIP +DescADHERENT_SPIP_DB=Emri i bazës së të dhënave SPIP +DescADHERENT_SPIP_USER=Hyrja në bazën e të dhënave SPIP +DescADHERENT_SPIP_PASS=Fjalëkalimi i bazës së të dhënave SPIP +AddIntoSpip=Shto në SPIP +AddIntoSpipConfirmation=Jeni i sigurt që dëshironi ta shtoni këtë anëtar në SPIP? +AddIntoSpipError=Shtimi i përdoruesit në SPIP dështoi +DeleteIntoSpip=Hiq nga SPIP +DeleteIntoSpipConfirmation=Jeni i sigurt që dëshironi ta hiqni këtë anëtar nga SPIP? +DeleteIntoSpipError=Shtypja e përdoruesit nga SPIP dështoi +SPIPConnectionFailed=Lidhja me SPIP dështoi +SuccessToAddToMailmanList=%s u shtua me sukses në listën e postierëve %s ose në bazën e të dhënave SPIP +SuccessToRemoveToMailmanList=%s u hoq me sukses nga lista e postuesve %s ose baza e të dhënave SPIP diff --git a/htdocs/langs/sq_AL/mails.lang b/htdocs/langs/sq_AL/mails.lang index 1b7c14fed84..64ccef0e69d 100644 --- a/htdocs/langs/sq_AL/mails.lang +++ b/htdocs/langs/sq_AL/mails.lang @@ -1,181 +1,186 @@ # Dolibarr language file - Source file is en_US - mails -Mailing=EMailing -EMailing=EMailing -EMailings=EMailings -AllEMailings=All eMailings -MailCard=EMailing card -MailRecipients=Recipients -MailRecipient=Recipient +Mailing=Dërgimi me email +EMailing=Dërgimi me email +EMailings=Emailet +AllEMailings=Të gjitha emailet +MailCard=Karta e postës elektronike +MailRecipients=Marrësit +MailRecipient=Marrësi MailTitle=Përshkrimi -MailFrom=From -MailErrorsTo=Errors to -MailReply=Reply to -MailTo=To -MailToUsers=To user(s) -MailCC=Copy to -MailToCCUsers=Copy to users(s) -MailCCC=Cached copy to -MailTopic=Email subject -MailText=Message -MailFile=Attached files -MailMessage=Email body -SubjectNotIn=Not in Subject -BodyNotIn=Not in Body -ShowEMailing=Show emailing -ListOfEMailings=List of emailings -NewMailing=New emailing -EditMailing=Edit emailing -ResetMailing=Resend emailing -DeleteMailing=Delete emailing -DeleteAMailing=Delete an emailing -PreviewMailing=Preview emailing -CreateMailing=Create emailing +MailFrom=Nga +MailErrorsTo=Gabimet në +MailReply=Ti përgjigjeni +MailTo=për të +MailToUsers=Për përdoruesit +MailCC=Kopjo në +MailToCCUsers=Kopjo te përdoruesit +MailCCC=Kopja e ruajtur në memorien e fshehtë në +MailTopic=Subjekti i emailit +MailText=Mesazh +MailFile=Skedarët e bashkangjitur +MailMessage=Trupi i emailit +SubjectNotIn=Jo në Subjekt +BodyNotIn=Jo në trup +ShowEMailing=Shfaq dërgimin me email +ListOfEMailings=Lista e postimeve elektronike +NewMailing=E-mail i ri +EditMailing=Redakto dërgimin me email +ResetMailing=Ridërgo email +DeleteMailing=Fshi email-in +DeleteAMailing=Fshi një email +PreviewMailing=Shiko paraprakisht dërgimin me email +CreateMailing=Krijo email TestMailing=Test email -ValidMailing=Valid emailing +ValidMailing=Dërgimi i vlefshëm me email MailingStatusDraft=Draft -MailingStatusValidated=Validated +MailingStatusValidated=E vërtetuar MailingStatusSent=Dërguar -MailingStatusSentPartialy=Sent partially -MailingStatusSentCompletely=Sent completely +MailingStatusSentPartialy=Dërguar pjesërisht +MailingStatusSentCompletely=Dërguar plotësisht MailingStatusError=Gabim -MailingStatusNotSent=Not sent -MailSuccessfulySent=Email (from %s to %s) successfully accepted for delivery -MailingSuccessfullyValidated=EMailing successfully validated -MailUnsubcribe=Unsubscribe -MailingStatusNotContact=Don't contact anymore -MailingStatusReadAndUnsubscribe=Read and unsubscribe -ErrorMailRecipientIsEmpty=Email recipient is empty -WarningNoEMailsAdded=No new Email to add to recipient's list. -ConfirmValidMailing=Are you sure you want to validate this emailing? -ConfirmResetMailing=Warning, by re-initializing emailing %s, you will allow the re-sending this email in a bulk mailing. Are you sure you want to do this? -ConfirmDeleteMailing=Are you sure you want to delete this emailing? -NbOfUniqueEMails=No. of unique emails -NbOfEMails=No. of EMails -TotalNbOfDistinctRecipients=Number of distinct recipients -NoTargetYet=No recipients defined yet (Go on tab 'Recipients') -NoRecipientEmail=No recipient email for %s -RemoveRecipient=Remove recipient -YouCanAddYourOwnPredefindedListHere=To create your email selector module, see htdocs/core/modules/mailings/README. -EMailTestSubstitutionReplacedByGenericValues=When using test mode, substitutions variables are replaced by generic values -MailingAddFile=Attach this file -NoAttachedFiles=No attached files -BadEMail=Bad value for Email -EMailNotDefined=Email not defined -ConfirmCloneEMailing=Are you sure you want to clone this emailing? -CloneContent=Clone message -CloneReceivers=Cloner recipients -DateLastSend=Date of latest sending -DateSending=Date sending -SentTo=Sent to %s -MailingStatusRead=Read -YourMailUnsubcribeOK=The email %s is correctly unsubscribe from mailing list -ActivateCheckReadKey=Key used to encrypt URL used for "Read Receipt" and "Unsubscribe" feature -EMailSentToNRecipients=Email sent to %s recipients. -EMailSentForNElements=Email sent for %s elements. -XTargetsAdded=%s recipients added into target list -OnlyPDFattachmentSupported=If the PDF documents were already generated for the objects to send, they will be attached to email. If not, no email will be sent (also, note that only pdf documents are supported as attachments in mass sending in this version). -AllRecipientSelected=The recipients of the %s record selected (if their email is known). -GroupEmails=Group emails -OneEmailPerRecipient=One email per recipient (by default, one email per record selected) -WarningIfYouCheckOneRecipientPerEmail=Warning, if you check this box, it means only one email will be sent for several different record selected, so, if your message contains substitution variables that refers to data of a record, it becomes not possible to replace them. -ResultOfMailSending=Result of mass Email sending -NbSelected=Number selected -NbIgnored=Number ignored -NbSent=Number sent -SentXXXmessages=%s message(s) sent. -ConfirmUnvalidateEmailing=Are you sure you want to change email %s to draft status? -MailingModuleDescContactsWithThirdpartyFilter=Contact with customer filters -MailingModuleDescContactsByCompanyCategory=Contacts by third-party category -MailingModuleDescContactsByCategory=Contacts by categories -MailingModuleDescContactsByFunction=Contacts by position -MailingModuleDescEmailsFromFile=Emails from file -MailingModuleDescEmailsFromUser=Emails input by user -MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) -SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. -EmailCollectorFilterDesc=All filters must match to have an email being collected +MailingStatusNotSent=Nuk është dërguar +MailSuccessfulySent=Email (nga %s në %s) u pranua me sukses për dorëzim +MailingSuccessfullyValidated=Dërgimi me email u vërtetua me sukses +MailUnsubcribe=Çregjistrohu +MailingStatusNotContact=Mos kontakto më +MailingStatusReadAndUnsubscribe=Lexoni dhe çregjistrohuni +ErrorMailRecipientIsEmpty=Marrësi i emailit është bosh +WarningNoEMailsAdded=Nuk ka email të ri për t'u shtuar në listën e marrësve. +ConfirmValidMailing=Jeni i sigurt që dëshironi ta vërtetoni këtë dërgim me email? +ConfirmResetMailing=Paralajmërim, duke rifilluar dërgimin me email %sb09a4b739f17f8z, do t'ju lejojë, ri-dërgimin e këtij emaili në një postim me shumicë. Jeni i sigurt që dëshironi ta bëni këtë? +ConfirmDeleteMailing=Jeni i sigurt që dëshironi ta fshini këtë email? +NbOfUniqueEMails=Numri i emaileve unike +NbOfEMails=Nr. i Email-eve +TotalNbOfDistinctRecipients=Numri i marrësve të veçantë +NoTargetYet=Nuk është përcaktuar ende asnjë marrës (Kalo në skedën "Marrësit") +NoRecipientEmail=Nuk ka email marrës për %s +RemoveRecipient=Hiq marrësin +YouCanAddYourOwnPredefindedListHere=Për të krijuar modulin tuaj të përzgjedhësit të postës elektronike, shihni htdocs/core/modules/mailings/README. +EMailTestSubstitutionReplacedByGenericValues=Kur përdorni modalitetin e testimit, variablat e zëvendësimeve zëvendësohen me vlera gjenerike +MailingAddFile=Bashkangjit këtë skedar +NoAttachedFiles=Nuk ka skedarë të bashkangjitur +BadEMail=Vlera e keqe për Email +EMailNotDefined=Email nuk është përcaktuar +ConfirmCloneEMailing=Jeni i sigurt që dëshironi ta klononi këtë email? +CloneContent=Mesazhi i klonimit +CloneReceivers=Marrësit klonues +DateLastSend=Data e dërgimit të fundit +DateSending=Data e dërgimit +SentTo=Dërguar te %s +MailingStatusRead=Lexoni +YourMailUnsubcribeOK=Email-i %s është duke hequr saktë listën e postës. +ActivateCheckReadKey=Çelësi i përdorur për të enkriptuar URL-në e përdorur për funksionin "Read Face" dhe "Çabonim". +EMailSentToNRecipients=Email i dërguar te marrësit %s. +EMailSentForNElements=Email i dërguar për elementët %s. +XTargetsAdded=%s janë shtuar në listën e synimeve +OnlyPDFattachmentSupported=Nëse dokumentet PDF janë krijuar tashmë për objektet për t'u dërguar, ato do t'i bashkëngjiten emailit. Nëse jo, nuk do të dërgohet asnjë email (gjithashtu, kini parasysh se vetëm dokumentet pdf mbështeten si bashkëngjitje në dërgimin masiv në këtë version). +AllRecipientSelected=Marrësit e regjistrimit %s të zgjedhur (nëse emaili i tyre dihet). +GroupEmails=Email-et në grup +OneEmailPerRecipient=Një email për marrës (si parazgjedhje, një email për çdo regjistrim të zgjedhur) +WarningIfYouCheckOneRecipientPerEmail=Paralajmërim, nëse zgjidhni këtë kuti, do të thotë se vetëm një email do të dërgohet për disa regjistrime të ndryshme të zgjedhura, kështu që, nëse mesazhi juaj përmban variabla zëvendësues që i referohen të dhënave të një rekord, bëhet e pamundur zëvendësimi i tyre. +ResultOfMailSending=Rezultati i dërgimit masiv të Email-it +NbSelected=Numri i zgjedhur +NbIgnored=Numri u shpërfill +NbSent=Numri i dërguar +SentXXXmessages=%s mesazh(et) u dërguan. +ConfirmUnvalidateEmailing=Jeni i sigurt që dëshironi të ndryshoni emailin %s në draft statusin ? +MailingModuleDescContactsWithThirdpartyFilter=Kontaktoni me filtrat e klientit +MailingModuleDescContactsByCompanyCategory=Kontaktet sipas kategorisë së palëve të treta +MailingModuleDescContactsByCategory=Kontaktet sipas kategorive +MailingModuleDescContactsByFunction=Kontaktet sipas pozicionit +MailingModuleDescEmailsFromFile=Email nga skedari +MailingModuleDescEmailsFromUser=Futja e emaileve nga përdoruesi +MailingModuleDescDolibarrUsers=Përdoruesit me email +MailingModuleDescThirdPartiesByCategories=Palëve të treta +SendingFromWebInterfaceIsNotAllowed=Dërgimi nga ndërfaqja e uebit nuk lejohet. +EmailCollectorFilterDesc=Të gjithë filtrat duhet të përputhen që të mblidhet një email.
      Mund të përdorni karakterin "!" përpara vlerës së vargut të kërkimit nëse keni nevojë për një test negativ # Libelle des modules de liste de destinataires mailing -LineInFile=Line %s in file -RecipientSelectionModules=Defined requests for recipient's selection -MailSelectedRecipients=Selected recipients -MailingArea=EMailings area -LastMailings=Latest %s emailings -TargetsStatistics=Targets statistics -NbOfCompaniesContacts=Unique contacts/addresses -MailNoChangePossible=Recipients for validated emailing can't be changed -SearchAMailing=Search mailing -SendMailing=Send emailing -SentBy=Sent by -MailingNeedCommand=Sending an emailing can be performed from command line. Ask your server administrator to launch the following command to send the emailing to all recipients: -MailingNeedCommand2=You can however send them online by adding parameter MAILING_LIMIT_SENDBYWEB with value of max number of emails you want to send by session. For this, go on Home - Setup - Other. -ConfirmSendingEmailing=If you want to send emailing directly from this screen, please confirm you are sure you want to send emailing now from your browser ? -LimitSendingEmailing=Note: Sending of emailings from web interface is done in several times for security and timeout reasons, %s recipients at a time for each sending session. -TargetsReset=Clear list -ToClearAllRecipientsClickHere=Click here to clear the recipient list for this emailing -ToAddRecipientsChooseHere=Add recipients by choosing from the lists -NbOfEMailingsReceived=Mass emailings received -NbOfEMailingsSend=Mass emailings sent -IdRecord=ID record -DeliveryReceipt=Delivery Ack. -YouCanUseCommaSeparatorForSeveralRecipients=You can use the comma separator to specify several recipients. -TagCheckMail=Track mail opening -TagUnsubscribe=Unsubscribe link -TagSignature=Signature of sending user -EMailRecipient=Recipient Email -TagMailtoEmail=Recipient Email (including html "mailto:" link) -NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile. +LineInFile=Rreshti %s në skedar +RecipientSelectionModules=Kërkesat e përcaktuara për zgjedhjen e marrësit +MailSelectedRecipients=Marrësit e zgjedhur +MailingArea=Zona e postimeve elektronike +LastMailings=Dërgesat më të fundit të emailit %s +TargetsStatistics=Synon statistikat +NbOfCompaniesContacts=Kontaktet/adresat unike +MailNoChangePossible=Marrësit për email-et e vërtetuara nuk mund të ndryshohen +SearchAMailing=Kërko postime +SendMailing=Dërgo email +SentBy=Dërguar nga +MailingNeedCommand=Dërgimi i një emaili mund të kryhet nga linja e komandës. Kërkojini administratorit të serverit tuaj të nisë komandën e mëposhtme për të dërguar email tek të gjithë marrësit: +MailingNeedCommand2=Sidoqoftë, mund t'i dërgoni ato në internet duke shtuar parametrin MAILING_LIMIT_SENDBYWEB me vlerën e numrit maksimal të emaileve që dëshironi të dërgoni me sesion. Për këtë, shkoni në Home - Setup - Tjetër. +ConfirmSendingEmailing=Nëse dëshironi të dërgoni email direkt nga ky ekran, ju lutemi konfirmoni se jeni të sigurt që dëshironi të dërgoni email tani nga shfletuesi juaj? +LimitSendingEmailing=Shënim: Dërgimi i emaileve nga ndërfaqja e uebit bëhet disa herë për arsye sigurie dhe skadimi, %s marrësit në një kohë për çdo seancë dërgimi. +TargetsReset=Liste e qarte +ToClearAllRecipientsClickHere=Klikoni këtu për të pastruar listën e marrësve për këtë email +ToAddRecipientsChooseHere=Shtoni marrësit duke zgjedhur nga listat +NbOfEMailingsReceived=Marrë emaile masive +NbOfEMailingsSend=U dërguan emaile masive +IdRecord=Regjistrimi i identitetit +DeliveryReceipt=Dorëzimi Ack. +YouCanUseCommaSeparatorForSeveralRecipients=Ju mund të përdorni ndarësin presje për të specifikuar disa marrës. +TagCheckMail=Gjurmo hapjen e postës +TagUnsubscribe=Lidhja e çabonimit +TagSignature=Nënshkrimi i përdoruesit dërgues +EMailRecipient=Email i marrësit +TagMailtoEmail=Email-i i marrësit (përfshirë lidhjen html "mailto:") +NoEmailSentBadSenderOrRecipientEmail=Asnjë email nuk u dërgua. Email dërguesi ose marrësi i keq. Verifiko profilin e përdoruesit. # Module Notifications -Notifications=Notifications -NotificationsAuto=Notifications Auto. -NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company -ANotificationsWillBeSent=1 automatic notification will be sent by email -SomeNotificationsWillBeSent=%s automatic notifications will be sent by email -AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List of all automatic email notifications sent -MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. -MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. -MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. -YouCanAlsoUseSupervisorKeyword=You can also add the keyword __SUPERVISOREMAIL__ to have email being sent to the supervisor of user (works only if an email is defined for this supervisor) -NbOfTargetedContacts=Current number of targeted contact emails -UseFormatFileEmailToTarget=Imported file must have format email;name;firstname;other -UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other -MailAdvTargetRecipients=Recipients (advanced selection) -AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target -AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima -AdvTgtSearchIntHelp=Use interval to select int or float value -AdvTgtMinVal=Minimum value -AdvTgtMaxVal=Maximum value -AdvTgtSearchDtHelp=Use interval to select date value -AdvTgtStartDt=Start dt. -AdvTgtEndDt=End dt. -AdvTgtTypeOfIncudeHelp=Target Email of third party and email of contact of the third party, or just third-party email or just contact email -AdvTgtTypeOfIncude=Type of targeted email -AdvTgtContactHelp=Use only if you target contact into "Type of targeted email" -AddAll=Add all -RemoveAll=Remove all -ItemsCount=Item(s) -AdvTgtNameTemplate=Filter name -AdvTgtAddContact=Add emails according to criteria -AdvTgtLoadFilter=Load filter -AdvTgtDeleteFilter=Delete filter -AdvTgtSaveFilter=Save filter -AdvTgtCreateFilter=Create filter -AdvTgtOrCreateNewFilter=Name of new filter -NoContactWithCategoryFound=No category found linked to some contacts/addresses -NoContactLinkedToThirdpartieWithCategoryFound=No category found linked to some thirdparties -OutGoingEmailSetup=Outgoing emails -InGoingEmailSetup=Incoming emails -OutGoingEmailSetupForEmailing=Outgoing emails (for module %s) -DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup -Information=Information -ContactsWithThirdpartyFilter=Contacts with third-party filter -Unanswered=Unanswered -Answered=Answered -IsNotAnAnswer=Is not answer (initial email) -IsAnAnswer=Is an answer of an initial email -RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s -DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact -DefaultStatusEmptyMandatory=Empty but mandatory -WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +Notifications=Njoftimet +NotificationsAuto=Njoftimet automatike. +NoNotificationsWillBeSent=Asnjë njoftim automatik me email nuk është planifikuar për këtë lloj ngjarjeje dhe kompani +ANotificationsWillBeSent=1 njoftim automatik do të dërgohet me email +SomeNotificationsWillBeSent=%s njoftimet automatike do të dërgohen me email +AddNewNotification=Abonohu në një njoftim të ri automatik me email (objektiv/ngjarje) +ListOfActiveNotifications=Lista e të gjitha abonimeve aktive (objektivat/ngjarjet) për njoftimin automatik me email +ListOfNotificationsDone=Lista e të gjitha njoftimeve automatike të dërguara me email +MailSendSetupIs=Konfigurimi i dërgimit të emailit është konfiguruar në '%s'. Ky modalitet nuk mund të përdoret për të dërguar emaile masive. +MailSendSetupIs2=Së pari duhet të shkoni, me një llogari administratori, në menynë %sHome - Konfigurimi - Emails%s për të ndryshuar parametrin '%s' për të përdorur modalitetin 'nof2ec87'
      '. Me këtë modalitet, mund të futni konfigurimin e serverit SMTP të ofruar nga Ofruesi juaj i Shërbimit të Internetit dhe të përdorni veçorinë e dërgimit të emailit masiv. +MailSendSetupIs3=Nëse keni ndonjë pyetje se si të konfiguroni serverin tuaj SMTP, mund t'i kërkoni %s. +YouCanAlsoUseSupervisorKeyword=Ju gjithashtu mund të shtoni fjalën kyçe __SUPERVISOREMAIL__ që t'i dërgohet email mbikëqyrësit të përdoruesit (funksionon vetëm nëse një email të përcaktuara për këtë mbikëqyrës) +NbOfTargetedContacts=Numri aktual i email-eve të kontaktit të synuar +UseFormatFileEmailToTarget=Skedari i importuar duhet të ketë format email;name;firstname;tjetër +UseFormatInputEmailToTarget=Fut një varg me format email;name;firstname;tjetër +MailAdvTargetRecipients=Marrësit (përzgjedhja e avancuar) +AdvTgtTitle=Plotësoni fushat e hyrjes për të zgjedhur paraprakisht palët e treta ose kontaktet/adresat për të synuar +AdvTgtSearchTextHelp=Përdor %% si shkronja të ngurta. Për shembull, për të gjetur të gjithë artikujt si jean, joe, jim, mund të futni j%%, mund të përdorni gjithashtu ; si ndarës për vlerën dhe përdorimin! për përveç kësaj vlere. Për shembull jean;joe;jim%%;!jimo;!jimab07e5dacz0 span> do të synojë të gjitha xhinset, joe, fillo me jim por jo jimo dhe jo gjithçka që fillon me jima +AdvTgtSearchIntHelp=Përdorni intervalin për të zgjedhur vlerën int ose float +AdvTgtMinVal=Vlera minimale +AdvTgtMaxVal=Vlera maksimale +AdvTgtSearchDtHelp=Përdorni intervalin për të zgjedhur vlerën e datës +AdvTgtStartDt=Fillimi dt. +AdvTgtEndDt=Fundi dt. +AdvTgtTypeOfIncudeHelp=Synoni emailin e palës së tretë dhe emailin e kontaktit të palës së tretë, ose thjesht emailin e palës së tretë ose thjesht emailin e kontaktit +AdvTgtTypeOfIncude=Lloji i emailit të synuar +AdvTgtContactHelp=Përdoreni vetëm nëse synoni kontaktin në "Lloji i emailit të synuar" +AddAll=Shtoni të gjitha +RemoveAll=Hiq të gjitha +ItemsCount=Artikujt +AdvTgtNameTemplate=Emri i filtrit +AdvTgtAddContact=Shtoni emailet sipas kritereve +AdvTgtLoadFilter=Ngarko filtrin +AdvTgtDeleteFilter=Fshi filtrin +AdvTgtSaveFilter=Ruaj filtrin +AdvTgtCreateFilter=Krijo filtër +AdvTgtOrCreateNewFilter=Emri i filtrit të ri +NoContactWithCategoryFound=Nuk u gjet asnjë kategori e lidhur me disa kontakte/adresa +NoContactLinkedToThirdpartieWithCategoryFound=Nuk u gjet asnjë kategori e lidhur me disa palë të treta +OutGoingEmailSetup=Email-et dalëse +InGoingEmailSetup=Email-et hyrëse +OutGoingEmailSetupForEmailing=Email-et dalëse (për modulin %s) +DefaultOutgoingEmailSetup=I njëjti konfigurim se konfigurimi global i postës elektronike dalëse +Information=Informacion +ContactsWithThirdpartyFilter=Kontaktet me filtër të palëve të treta +Unanswered=Pa përgjigje +Answered=U përgjigj +IsNotAnAnswer=Nuk përgjigjet (email fillestar) +IsAnAnswer=Është një përgjigje e një emaili fillestar +RecordCreatedByEmailCollector=Regjistrimi i krijuar nga mbledhësi i postës elektronike %s nga emaili %s +DefaultBlacklistMailingStatus=Vlera e parazgjedhur për fushën '%s' kur krijoni një kontakt të ri +DefaultStatusEmptyMandatory=Bosh por i detyrueshëm +WarningLimitSendByDay=PARALAJMËRIM: Konfigurimi ose kontrata e shembullit tuaj kufizon numrin tuaj të emaileve në ditë në %s. Përpjekja për të dërguar më shumë mund të rezultojë në ngadalësimin ose pezullimin e shembullit tuaj. Ju lutemi kontaktoni mbështetjen tuaj nëse keni nevojë për një kuotë më të lartë. +NoMoreRecipientToSendTo=Nuk ka më marrës për të dërguar email +EmailOptedOut=Pronari i email-it ka kërkuar që të mos e kontaktojë më me këtë email +EvenUnsubscribe=Përfshi email-et e tërheqjes +EvenUnsubscribeDesc=Përfshini emailet e tërheqjes kur zgjidhni emailet si objektiva. E dobishme për emailet e shërbimit të detyrueshëm për shembull. +XEmailsDoneYActionsDone=%s email të parakualifikuar, %s emaile të përpunuara me sukses (për b0ecb2ec87f49f>z /veprimet e kryera) diff --git a/htdocs/langs/sq_AL/main.lang b/htdocs/langs/sq_AL/main.lang index 6c3e31b561e..a3ab998b935 100644 --- a/htdocs/langs/sq_AL/main.lang +++ b/htdocs/langs/sq_AL/main.lang @@ -18,8 +18,8 @@ FormatDateShort=%m/%d/%Y FormatDateShortInput=%m/%d/%Y FormatDateShortJava=MM/dd/yyyy FormatDateShortJavaInput=MM/dd/yyyy -FormatDateShortJQuery=mm/dd/yy -FormatDateShortJQueryInput=mm/dd/yy +FormatDateShortJQuery=mm/dd/vv +FormatDateShortJQueryInput=mm/dd/vv FormatHourShortJQuery=HH:MI FormatHourShort=%I:%M %p FormatHourShortDuration=%H:%M @@ -29,593 +29,602 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p -DatabaseConnection=Database connection -NoTemplateDefined=No template available for this email type -AvailableVariables=Available substitution variables -NoTranslation=No translation -Translation=Translation -Translations=Translations -CurrentTimeZone=TimeZone PHP (server) -EmptySearchString=Enter non empty search criterias -EnterADateCriteria=Enter a date criteria -NoRecordFound=No record found -NoRecordDeleted=No record deleted -NotEnoughDataYet=Not enough data -NoError=No error +DatabaseConnection=Lidhja me bazën e të dhënave +NoTemplateDefined=Nuk ka shabllon për këtë lloj emaili +AvailableVariables=Variablat e disponueshme të zëvendësimit +NoTranslation=Asnjë përkthim +Translation=Përkthimi +Translations=Përkthime +CurrentTimeZone=Zona kohore PHP (server) +EmptySearchString=Futni kriteret e kërkimit jo bosh +EnterADateCriteria=Vendos kriteret e datës +NoRecordFound=Nuk u gjet asnjë regjistrim +NoRecordDeleted=Asnjë regjistrim nuk u fshi +NotEnoughDataYet=Jo të dhëna të mjaftueshme +NoError=Asnjë gabim Error=Gabim -Errors=Errors -ErrorFieldRequired=Field '%s' is required -ErrorFieldFormat=Field '%s' has a bad value -ErrorFileDoesNotExists=File %s does not exist -ErrorFailedToOpenFile=Failed to open file %s -ErrorCanNotCreateDir=Cannot create dir %s -ErrorCanNotReadDir=Cannot read dir %s -ErrorConstantNotDefined=Parameter %s not defined -ErrorUnknown=Unknown error -ErrorSQL=SQL Error -ErrorLogoFileNotFound=Logo file '%s' was not found -ErrorGoToGlobalSetup=Go to 'Company/Organization' setup to fix this -ErrorGoToModuleSetup=Go to Module setup to fix this -ErrorFailedToSendMail=Failed to send mail (sender=%s, receiver=%s) -ErrorFileNotUploaded=File was not uploaded. Check that size does not exceed maximum allowed, that free space is available on disk and that there is not already a file with same name in this directory. -ErrorInternalErrorDetected=Error detected -ErrorWrongHostParameter=Wrong host parameter -ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post the form again. -ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child record. -ErrorWrongValue=Wrong value -ErrorWrongValueForParameterX=Wrong value for parameter %s -ErrorNoRequestInError=No request in error -ErrorServiceUnavailableTryLater=Service not available at the moment. Try again later. -ErrorDuplicateField=Duplicate value in a unique field -ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. Changes have been rolled back. -ErrorConfigParameterNotDefined=Parameter %s is not defined in the Dolibarr config file conf.php. -ErrorCantLoadUserFromDolibarrDatabase=Failed to find user %s in Dolibarr database. -ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'. -ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'. -ErrorFailedToSaveFile=Error, failed to save file. -ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of a existing warehouse -FieldCannotBeNegative=Field "%s" cannot be negative -MaxNbOfRecordPerPage=Max. number of records per page -NotAuthorized=You are not authorized to do that. -SetDate=Set date -SelectDate=Select a date -SeeAlso=See also %s -SeeHere=See here +Errors=Gabimet +ErrorFieldRequired=Kërkohet fusha '%s' +ErrorFieldFormat=Fusha '%s' ka një vlerë të keqe +ErrorFileDoesNotExists=Skedari %s nuk ekziston +ErrorFailedToOpenFile=Hapja e skedarit dështoi %s +ErrorCanNotCreateDir=Nuk mund të krijohet dir %s +ErrorCanNotReadDir=Nuk mund të lexohet dir %s +ErrorConstantNotDefined=Parametri %s nuk është përcaktuar +ErrorUnknown=Gabim i panjohur +ErrorSQL=Gabim SQL +ErrorLogoFileNotFound=Skedari i logos '%s' nuk u gjet +ErrorGoToGlobalSetup=Shko te konfigurimi "Kompania/Organizata" për ta rregulluar këtë +ErrorGoToModuleSetup=Shko te konfigurimi i modulit për ta rregulluar këtë +ErrorFailedToSendMail=Dërgimi i postës dështoi (sender=%s, marrës=%s) +ErrorFileNotUploaded=Skedari nuk u ngarkua. Kontrolloni që madhësia të mos e kalojë maksimumin e lejuar, që hapësira e lirë të jetë e disponueshme në disk dhe se nuk ka tashmë një skedar me të njëjtin emër në këtë direktori. +ErrorInternalErrorDetected=U zbulua gabim +ErrorWrongHostParameter=Parametër i gabuar i hostit +ErrorYourCountryIsNotDefined=Vendi juaj nuk është i përcaktuar. Shkoni te Home-Setup-Company/Foundation dhe postojeni sërish formularin. +ErrorRecordIsUsedByChild=Fshirja e këtij regjistrimi dështoi. Ky regjistrim përdoret nga të paktën një regjistrim fëmijësh. +ErrorWrongValue=Vlera e gabuar +ErrorWrongValueForParameterX=Vlera e gabuar për parametrin %s +ErrorNoRequestInError=Asnjë kërkesë e gabuar +ErrorServiceUnavailableTryLater=Shërbimi nuk ofrohet për momentin. Provo sërish më vonë. +ErrorDuplicateField=Vlera e kopjuar në një fushë unike +ErrorSomeErrorWereFoundRollbackIsDone=U gjetën disa gabime. Ndryshimet janë rikthyer. +ErrorConfigParameterNotDefined=Parametri %s nuk është i përcaktuar në skedarin e shiritit conf.php. +ErrorCantLoadUserFromDolibarrDatabase=Gjetja e përdoruesit %s dështoi në bazën e të dhënave Doo. +ErrorNoVATRateDefinedForSellerCountry=Gabim, nuk janë përcaktuar tarifat e TVSH-së për shtetin '%s'. +ErrorNoSocialContributionForSellerCountry=Gabim, nuk është përcaktuar lloji i taksave sociale/fiskale për shtetin '%s'. +ErrorFailedToSaveFile=Gabim, ruajtja e skedarit dështoi. +ErrorCannotAddThisParentWarehouse=Po përpiqeni të shtoni një magazinë prind që tashmë është fëmijë i një magazine ekzistuese +ErrorInvalidSubtype=Nëntipi i zgjedhur nuk lejohet +FieldCannotBeNegative=Fusha "%s" nuk mund të jetë negative +MaxNbOfRecordPerPage=Maks. numri i regjistrimeve për faqe +NotAuthorized=Ju nuk jeni të autorizuar për ta bërë këtë. +SetDate=Cakto datën +SelectDate=Zgjidhni një datë +SeeAlso=Shih gjithashtu %s +SeeHere=Shihni këtu ClickHere=Kliko këtu -Here=Here -Apply=Apply -BackgroundColorByDefault=Default background color -FileRenamed=The file was successfully renamed -FileGenerated=The file was successfully generated -FileSaved=The file was successfully saved -FileUploaded=The file was successfully uploaded -FileTransferComplete=File(s) uploaded successfully -FilesDeleted=File(s) successfully deleted -FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. Click on "Attach file" for this. -NbOfEntries=No. of entries -GoToWikiHelpPage=Read online help (Internet access needed) -GoToHelpPage=Read help -DedicatedPageAvailable=Dedicated help page related to your current screen -HomePage=Home Page -RecordSaved=Record saved -RecordDeleted=Record deleted -RecordGenerated=Record generated -LevelOfFeature=Level of features -NotDefined=Not defined -DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is set to %s in configuration file conf.php.
      This means that the password database is external to Dolibarr, so changing this field may have no effect. -Administrator=Administrator -Undefined=Undefined -PasswordForgotten=Password forgotten? -NoAccount=No account? -SeeAbove=See above -HomeArea=Home -LastConnexion=Last login -PreviousConnexion=Previous login -PreviousValue=Previous value -ConnectedOnMultiCompany=Connected on environment -ConnectedSince=Connected since -AuthenticationMode=Authentication mode -RequestedUrl=Requested URL -DatabaseTypeManager=Database type manager -RequestLastAccessInError=Latest database access request error -ReturnCodeLastAccessInError=Return code for latest database access request error -InformationLastAccessInError=Information for latest database access request error -DolibarrHasDetectedError=Dolibarr has detected a technical error -YouCanSetOptionDolibarrMainProdToZero=You can read log file or set option $dolibarr_main_prod to '0' in your config file to get more information. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) -MoreInformation=More information -TechnicalInformation=Technical information -TechnicalID=Technical ID -LineID=Line ID -NotePublic=Note (public) -NotePrivate=Note (private) -PrecisionUnitIsLimitedToXDecimals=Dolibarr was setup to limit precision of unit prices to %s decimals. +Here=Këtu +Apply=Aplikoni +BackgroundColorByDefault=Ngjyra e parazgjedhur e sfondit +FileRenamed=Skedari u riemërua me sukses +FileGenerated=Skedari u krijua me sukses +FileSaved=Skedari u ruajt me sukses +FileUploaded=Skedari u ngarkua me sukses +FileTransferComplete=Skedari(et) u ngarkuan me sukses +FilesDeleted=Skedari(et) u fshinë me sukses +FileWasNotUploaded=Një skedar është zgjedhur për bashkëngjitje, por nuk është ngarkuar ende. Klikoni në "Bashkëngji skedarin" për këtë. +NbOfEntries=Numri i hyrjeve +GoToWikiHelpPage=Lexoni ndihmën në internet (kërkohet akses në internet) +GoToHelpPage=Lexoni ndihmën +DedicatedPageAvailable=Faqja e dedikuar e ndihmës në lidhje me ekranin tuaj aktual +HomePage=Faqja kryesore +RecordSaved=Regjistrimi u ruajt +RecordDeleted=Regjistrimi u fshi +RecordGenerated=Regjistrimi i krijuar +LevelOfFeature=Niveli i veçorive +NotDefined=E pa përcaktuar +DolibarrInHttpAuthenticationSoPasswordUseless=Modaliteti i vërtetimit të Dolibarr është caktuar në %sb09a4b739f17f8z class='notranslate'>conf.php.
      Kjo do të thotë që fjalëkalimi është i jashtëm për Dolibarr, kështu që ndryshimi i kësaj fushe mund të mos ketë efekt. +Administrator=Administratori i sistemit +AdministratorDesc=Administratori i sistemit (mund të administrojë përdoruesin, lejet, por edhe konfigurimin e sistemit dhe konfigurimin e moduleve) +Undefined=E papërcaktuar +PasswordForgotten=Keni harruar fjalëkalimin? +NoAccount=Nuk ka llogari? +SeeAbove=Shiko lart +HomeArea=Shtëpi +LastConnexion=Hyrja e fundit +PreviousConnexion=Hyrja e mëparshme +PreviousValue=Vlera e mëparshme +ConnectedOnMultiCompany=Lidhur me mjedisin +ConnectedSince=I lidhur që atëherë +AuthenticationMode=Mënyra e vërtetimit +RequestedUrl=URL-ja e kërkuar +DatabaseTypeManager=Menaxher i llojit të bazës së të dhënave +RequestLastAccessInError=Gabim i fundit i kërkesës për qasje në bazën e të dhënave +ReturnCodeLastAccessInError=Kthejeni kodin për gabimin më të fundit të kërkesës për qasje në bazën e të dhënave +InformationLastAccessInError=Informacion për gabimin më të fundit të kërkesës për qasje në bazën e të dhënave +DolibarrHasDetectedError=Dolibarr ka zbuluar një gabim teknik +YouCanSetOptionDolibarrMainProdToZero=Mund të lexoni skedarin e regjistrit ose të vendosni opsionin $dolibarr_main_prod në '0' në skedarin tuaj të konfigurimit për të marrë më shumë informacion. +InformationToHelpDiagnose=Ky informacion mund të jetë i dobishëm për qëllime diagnostikuese (mund të vendosni opsionin $dolibarr_main_prod në '1' për të fshehur informacione të ndjeshme) +MoreInformation=Më shumë informacion +TechnicalInformation=Informacion teknik +TechnicalID=ID teknike +LineID=ID e linjës +NotePublic=Shënim (publik) +NotePrivate=Shënim (privat) +PrecisionUnitIsLimitedToXDecimals=Dolibarr u konfigurua për të kufizuar saktësinë e çmimeve të njësisë në %sb09a4b78z0f1span . DoTest=Test -ToFilter=Filter -NoFilter=No filter -WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance time. -yes=yes -Yes=Yes -no=no -No=No +ToFilter=Filtro +NoFilter=Pa filtër +WarningYouHaveAtLeastOneTaskLate=Kujdes, ju keni të paktën një element që e ka tejkaluar kohën e tolerancës. +yes=po +Yes=po +no=nr +No=Nr All=Të gjitha -Home=Home -Help=Help -OnlineHelp=Online help -PageWiki=Wiki page -MediaBrowser=Media browser -Always=Always -Never=Never -Under=under -Period=Period -PeriodEndDate=End date for period -SelectedPeriod=Selected period -PreviousPeriod=Previous period -Activate=Activate -Activated=Activated +Home=Shtëpi +Help=Ndihmë +OnlineHelp=Ndihmë në internet +PageWiki=Faqe Wiki +MediaBrowser=Shfletuesi i medias +Always=Gjithmonë +Never=kurrë +Under=nën +Period=Periudha +PeriodEndDate=Data e përfundimit për periudhën +SelectedPeriod=Periudha e zgjedhur +PreviousPeriod=Periudha e mëparshme +Activate=Aktivizoni +Activated=Aktivizuar Closed=Mbyllur Closed2=Mbyllur -NotClosed=Not closed -Enabled=Enabled +NotClosed=Jo i mbyllur +Enabled=Aktivizuar Enable=Aktivizo -Deprecated=Deprecated +Deprecated=I zhvlerësuar Disable=Çaktivizo -Disabled=Disabled -Add=Add -AddLink=Add link -RemoveLink=Remove link -AddToDraft=Add to draft -Update=Update +Disabled=I paaftë +Add=Shtoni +AddLink=Shto lidhje +RemoveLink=Hiq lidhjen +AddToDraft=Shto në draft +Update=Përditëso Close=Mbyll -CloseAs=Set status to -CloseBox=Remove widget from your dashboard -Confirm=Confirm -ConfirmSendCardByMail=Do you really want to send the content of this card by mail to %s? +CloseAs=Cakto statusin në +CloseBox=Hiq miniaplikacionin nga paneli yt +Confirm=Konfirmo +ConfirmSendCardByMail=Dëshiron vërtet të dërgosh përmbajtjen e kësaj karte me postë te %sb09a4b739f17f /span>? Delete=Fshi -Remove=Remove -Resiliate=Terminate -Cancel=Cancel -Modify=Modify -Edit=Edit -Validate=Validate -ValidateAndApprove=Validate and Approve -ToValidate=To validate -NotValidated=Not validated -Save=Save -SaveAs=Save As -SaveAndStay=Save and stay -SaveAndNew=Save and new -TestConnection=Test connection -ToClone=Clone -ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose the data you want to clone: -NoCloneOptionsSpecified=No data to clone defined. -Of=of -Go=Go -Run=Run -CopyOf=Copy of -Show=Show -Hide=Hide -ShowCardHere=Show card -Search=Search -SearchOf=Search -SearchMenuShortCut=Ctrl + shift + f -QuickAdd=Quick add -QuickAddMenuShortCut=Ctrl + shift + l -Valid=Valid -Approve=Approve -Disapprove=Disapprove -ReOpen=Re-Open +Remove=Hiq +Resiliate=Përfundoni +Cancel=Anulo +Modify=Modifiko +Edit=Redakto +Validate=Vërtetoni +ValidateAndApprove=Vërtetoni dhe miratoni +ToValidate=Për të vërtetuar +NotValidated=I pavlefshëm +Save=Ruaj +SaveAs=Ruaj si +SaveAndStay=Kurseni dhe qëndroni +SaveAndNew=Ruaj dhe e re +TestConnection=Testoni lidhjen +ToClone=Klon +ConfirmCloneAsk=Jeni i sigurt që dëshironi të klononi objektin %sb09a4b739f17f8z>%s -Connection=Login +DescriptionOfLine=Përshkrimi i linjës +DateOfLine=Data e linjës +DurationOfLine=Kohëzgjatja e linjës +ParentLine=ID-ja e linjës prind +Model=Shablloni i dokumentit +DefaultModel=Modeli i parazgjedhur i dokumentit +Action=Ngjarja +About=Rreth +Number=Numri +NumberByMonth=Raportet totale sipas muajve +AmountByMonth=Shuma sipas muajit +Numero=Numri +Limit=Kufiri +Limits=Limitet +Logout=Shkyç +NoLogoutProcessWithAuthMode=Nuk ka veçori të zbatueshme shkëputjeje me modalitetin e vërtetimit %sb09a4b739f17f +Connection=Identifikohu Setup=Konfiguro -Alert=Alert -MenuWarnings=Alerts -Previous=Previous +Alert=Alarmi +MenuWarnings=Alarmet +Previous=E mëparshme Next=Tjetri -Cards=Cards -Card=Card -Now=Now -HourStart=Start hour -Deadline=Deadline +Cards=Kartat +Card=Kartelë +Now=Tani +HourStart=Ora e fillimit +Deadline=Afati i fundit Date=Date -DateAndHour=Date and hour +DateAndHour=Data dhe ora DateToday=Data e sotme -DateReference=Reference date -DateStart=Start date -DateEnd=End date -DateCreation=Creation date -DateCreationShort=Creat. date -IPCreation=Creation IP -DateModification=Modification date -DateModificationShort=Modif. date -IPModification=Modification IP -DateLastModification=Latest modification date -DateValidation=Validation date -DateSigning=Signing date -DateClosing=Closing date -DateDue=Due date -DateValue=Value date -DateValueShort=Value date -DateOperation=Operation date -DateOperationShort=Oper. Date -DateLimit=Limit date -DateRequest=Request date -DateProcess=Process date -DateBuild=Report build date -DatePayment=Date of payment -DateApprove=Approving date -DateApprove2=Approving date (second approval) -RegistrationDate=Registration date -UserCreation=Creation user -UserModification=Modification user -UserValidation=Validation user -UserCreationShort=Creat. user -UserModificationShort=Modif. user -UserValidationShort=Valid. user -DurationYear=year -DurationMonth=month -DurationWeek=week -DurationDay=day -DurationYears=years -DurationMonths=months -DurationWeeks=weeks -DurationDays=days -Year=Year -Month=Month +DateReference=Data e referencës +DateStart=Data e fillimit +DateEnd=Data e përfundimit +DateCreation=Data e krijimit +DateCreationShort=Krijo. datë +IPCreation=IP e krijimit +DateModification=Data e modifikimit +DateModificationShort=Modif. datë +IPModification=IP e modifikimit +DateLastModification=Data e fundit e modifikimit +DateValidation=Data e verifikimit +DateSigning=Data e nënshkrimit +DateClosing=Data e mbylljes +DateDue=Data e duhur +DateValue=Data Vlera +DateValueShort=Data Vlera +DateOperation=Data e operimit +DateOperationShort=Oper. Data +DateLimit=Data e limitit +DateRequest=Data e kërkesës +DateProcess=Data e procesit +DateBuild=Raportoni datën e ndërtimit +DatePayment=Data e pageses +DateApprove=Data e miratimit +DateApprove2=Data e miratimit (miratimi i dytë) +RegistrationDate=Data e regjistrimit +UserCreation=Përdorues i krijimit +UserModification=Përdoruesi i modifikimit +UserValidation=Përdoruesi i verifikimit +UserCreationShort=Krijo. përdorues +UserModificationShort=Modif. përdorues +UserValidationShort=E vlefshme. përdorues +UserClosing=Përdoruesi mbyllet +UserClosingShort=Përdoruesi mbyllet +DurationYear=vit +DurationMonth=muaj +DurationWeek=javë +DurationDay=ditë +DurationYears=vjet +DurationMonths=muaj +DurationWeeks=javë +DurationDays=ditë +Year=viti +Month=Muaj Week=Java WeekShort=Java -Day=Day -Hour=Hour -Minute=Minute -Second=Second -Years=Years -Months=Months -Days=Days -days=days -Hours=Hours -Minutes=Minutes -Seconds=Seconds -Weeks=Weeks -Today=Today -Yesterday=Yesterday -Tomorrow=Tomorrow -Morning=Morning -Afternoon=Afternoon +Day=Dita +Hour=Ora +Minute=Minuta +Second=Së dyti +Years=vite +Months=Muaj +Days=Ditët +days=ditë +Hours=orët +Minutes=Minutat +Seconds=Sekonda +Weeks=Javë +Today=Sot +Yesterday=Dje +Tomorrow=Nesër +Morning=Mëngjes +Afternoon=Pasdite Quadri=Quadri -MonthOfDay=Month of the day -DaysOfWeek=Days of week +MonthOfDay=Muaji i ditës +DaysOfWeek=Ditët e javës HourShort=H MinuteShort=mn -Rate=Rate -CurrencyRate=Currency conversion rate -UseLocalTax=Include tax -Bytes=Bytes +SecondShort=sek +Rate=Vlerësoni +CurrencyRate=Kursi i konvertimit të monedhës +UseLocalTax=Përfshi tatimin +Bytes=Bajt KiloBytes=Kilobytes -MegaBytes=Megabytes -GigaBytes=Gigabytes -TeraBytes=Terabytes -UserAuthor=Created by -UserModif=Updated by +MegaBytes=Megabajt +GigaBytes=Gigabajt +TeraBytes=Terabajt +UserAuthor=Krijuar nga +UserModif=Përditësuar nga b=b. Kb=Kb Mb=Mb Gb=Gb Tb=Tb -Cut=Cut -Copy=Copy -Paste=Paste -Default=Default -DefaultValue=Default value -DefaultValues=Default values/filters/sorting -Price=Price -PriceCurrency=Price (currency) -UnitPrice=Unit price -UnitPriceHT=Unit price (excl.) -UnitPriceHTCurrency=Unit price (excl.) (currency) -UnitPriceTTC=Unit price +Cut=Prerje +Copy=Kopjo +Paste=Ngjit +Default=E paracaktuar +DefaultValue=Vlera e paracaktuar +DefaultValues=Vlerat / filtrat / renditja e parazgjedhur +Price=Çmimi +PriceCurrency=Çmimi (monedha) +UnitPrice=Çmimi për njësi +UnitPriceHT=Çmimi për njësi (përjashtuar.) +UnitPriceHTCurrency=Çmimi për njësi (përjashtuar) (monedhë) +UnitPriceTTC=Çmimi për njësi PriceU=U.P. -PriceUHT=U.P. (net) -PriceUHTCurrency=U.P (net) (currency) -PriceUTTC=U.P. (inc. tax) -Amount=Amount -AmountInvoice=Invoice amount -AmountInvoiced=Amount invoiced -AmountInvoicedHT=Amount invoiced (excl. tax) -AmountInvoicedTTC=Amount invoiced (inc. tax) -AmountPayment=Payment amount -AmountHTShort=Amount (excl.) -AmountTTCShort=Amount (inc. tax) -AmountHT=Amount (excl. tax) -AmountTTC=Amount (inc. tax) -AmountVAT=Amount tax -MulticurrencyAlreadyPaid=Already paid, original currency -MulticurrencyRemainderToPay=Remain to pay, original currency -MulticurrencyPaymentAmount=Payment amount, original currency -MulticurrencyAmountHT=Amount (excl. tax), original currency -MulticurrencyAmountTTC=Amount (inc. of tax), original currency -MulticurrencyAmountVAT=Amount tax, original currency -MulticurrencySubPrice=Amount sub price multi currency -AmountLT1=Amount tax 2 -AmountLT2=Amount tax 3 -AmountLT1ES=Amount RE -AmountLT2ES=Amount IRPF -AmountTotal=Total amount -AmountAverage=Average amount -PriceQtyMinHT=Price quantity min. (excl. tax) -PriceQtyMinHTCurrency=Price quantity min. (excl. tax) (currency) -PercentOfOriginalObject=Percent of original object -AmountOrPercent=Amount or percent -Percentage=Percentage +PriceUHT=U.P. (neto) +PriceUHTCurrency=U.P (neto) (monedha) +PriceUTTC=U.P. (përfshirë taksat) +Amount=Shuma +AmountInvoice=Shuma e faturës +AmountInvoiced=Shuma e faturuar +AmountInvoicedHT=Shuma e faturuar (pa taksa) +AmountInvoicedTTC=Shuma e faturuar (përfshirë tatimin) +AmountPayment=Shuma e pagesës +AmountHTShort=Shuma (përjashtuar.) +AmountTTCShort=Shuma (përfshirë tatimin) +AmountHT=Shuma (pa taksa) +AmountTTC=Shuma (përfshirë tatimin) +AmountVAT=Shuma e tatimit +MulticurrencyAlreadyPaid=E paguar tashmë, monedhë origjinale +MulticurrencyRemainderToPay=Mbetet për të paguar, monedhë origjinale +MulticurrencyPaymentAmount=Shuma e pagesës, monedha origjinale +MulticurrencyAmountHT=Shuma (pa taksa), monedha origjinale +MulticurrencyAmountTTC=Shuma (përfshirë taksën), monedha origjinale +MulticurrencyAmountVAT=Shuma e tatimit, monedha origjinale +MulticurrencySubPrice=Shuma e nënçmimit në shumë monedhë +AmountLT1=Shuma e tatimit 2 +AmountLT2=Shuma e tatimit 3 +AmountLT1ES=Shuma RE +AmountLT2ES=Shuma IRPF +AmountTotal=Shuma totale +AmountAverage=Shuma mesatare +PriceQtyMinHT=Sasia e çmimit min. (pa taksa) +PriceQtyMinHTCurrency=Sasia e çmimit min. (pa taksa) (monedhë) +PercentOfOriginalObject=Përqindja e objektit origjinal +AmountOrPercent=Shuma ose përqindja +Percentage=Përqindje Total=Total -SubTotal=Subtotal -TotalHTShort=Total (excl.) -TotalHT100Short=Total 100%% (excl.) -TotalHTShortCurrency=Total (excl. in currency) -TotalTTCShort=Total (inc. tax) -TotalHT=Total (excl. tax) -TotalHTforthispage=Total (excl. tax) for this page -Totalforthispage=Total for this page -TotalTTC=Total (inc. tax) -TotalTTCToYourCredit=Total (inc. tax) to your credit -TotalVAT=Total tax -TotalVATIN=Total IGST -TotalLT1=Total tax 2 -TotalLT2=Total tax 3 -TotalLT1ES=Total RE -TotalLT2ES=Total IRPF -TotalLT1IN=Total CGST -TotalLT2IN=Total SGST -HT=Excl. tax -TTC=Inc. tax -INCVATONLY=Inc. VAT -INCT=Inc. all taxes -VAT=Sales tax +SubTotal=Nëntotali +TotalHTShort=Totali (përjashtuar.) +TotalHT100Short=Gjithsej 100%% (përjashtuar) +TotalHTShortCurrency=Totali (përjashtuar në monedhë) +TotalTTCShort=Totali (përfshirë taksat) +TotalHT=Totali (pa taksa) +TotalHTforthispage=Totali (pa taksa) për këtë faqe +Totalforthispage=Totali për këtë faqe +TotalTTC=Totali (përfshirë taksat) +TotalTTCToYourCredit=Totali (përfshirë tatimin) në kreditin tuaj +TotalVAT=Taksa totale +TotalVATIN=IGST total +TotalLT1=Taksa totale 2 +TotalLT2=Taksa totale 3 +TotalLT1ES=Totali RE +TotalLT2ES=IRPF totale +TotalLT1IN=CGST totale +TotalLT2IN=SGST total +HT=përjashtuar. taksa +TTC=Inc. taksa +INCVATONLY=Inc. TVSH +INCT=Inc të gjitha taksat +VAT=Taksa e shitjes VATIN=IGST -VATs=Sales taxes -VATINs=IGST taxes -LT1=Sales tax 2 -LT1Type=Sales tax 2 type -LT2=Sales tax 3 -LT2Type=Sales tax 3 type +VATs=Taksat e shitjes +VATINs=Taksat IGST +LT1=Taksa e shitjes 2 +LT1Type=Taksa e shitjes e llojit 2 +LT2=Taksa e shitjes 3 +LT2Type=Taksa e shitjes e llojit 3 LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Additionnal cents -VATRate=Tax Rate -RateOfTaxN=Rate of tax %s -VATCode=Tax Rate code -VATNPR=Tax Rate NPR -DefaultTaxRate=Default tax rate -Average=Average -Sum=Sum +LT1GC=Cent shtesë +VATRate=Norma e tatimit +RateOfTaxN=Shkalla e tatimit %s +VATCode=Kodi i normës tatimore +VATNPR=Norma tatimore NPR +DefaultTaxRate=Norma tatimore e paracaktuar +Average=Mesatare +Sum=Shuma Delta=Delta -StatusToPay=To pay -RemainToPay=Remain to pay -Module=Module/Application -Modules=Modules/Applications -Option=Option -Filters=Filters -List=List -FullList=Full list -FullConversation=Full conversation -Statistics=Statistics -OtherStatistics=Other statistics +StatusToPay=Te paguash +RemainToPay=Mbetet për të paguar +Module=Modul/Aplikacion +Modules=Modulet/Aplikacionet +Option=Opsioni +Filters=Filtrat +List=Listë +FullList=Lista e plotë +FullConversation=Biseda e plotë +Statistics=Statistikat +OtherStatistics=Statistikat e tjera Status=Statusi -Favorite=Favorite -ShortInfo=Info. +Favorite=E preferuara +ShortInfo=Informacion. Ref=Ref. -ExternalRef=Ref. extern -RefSupplier=Ref. vendor -RefPayment=Ref. payment -CommercialProposalsShort=Commercial proposals +ExternalRef=Ref. e jashtme +RefSupplier=Ref. shitës +RefPayment=Ref. pagesa +CommercialProposalsShort=Propozime komerciale Comment=Koment -Comments=Comments -ActionsToDo=Events to do -ActionsToDoShort=To do -ActionsDoneShort=Done -ActionNotApplicable=Not applicable -ActionRunningNotStarted=To start -ActionRunningShort=In progress -ActionDoneShort=Finished -ActionUncomplete=Incomplete -LatestLinkedEvents=Latest %s linked events -CompanyFoundation=Company/Organization -Accountant=Accountant -ContactsForCompany=Contacts for this third party -ContactsAddressesForCompany=Contacts/addresses for this third party -AddressesForCompany=Addresses for this third party -ActionsOnCompany=Events for this third party -ActionsOnContact=Events for this contact/address -ActionsOnContract=Events for this contract -ActionsOnMember=Events about this member -ActionsOnProduct=Events about this product -ActionsOnAsset=Events for this fixed asset -NActionsLate=%s late -ToDo=To do -Completed=Completed -Running=In progress -RequestAlreadyDone=Request already recorded -Filter=Filter -FilterOnInto=Search criteria '%s' into fields %s -RemoveFilter=Remove filter -ChartGenerated=Chart generated -ChartNotGenerated=Chart not generated -GeneratedOn=Build on %s -Generate=Generate -Duration=Duration -TotalDuration=Total duration -Summary=Summary -DolibarrStateBoard=Database Statistics -DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No open element to process -Available=Available -NotYetAvailable=Not yet available -NotAvailable=Not available -Categories=Tags/categories -Category=Tag/category -By=By -From=From -FromDate=From -FromLocation=From -to=to -To=to -ToDate=to -ToLocation=to -at=at -and=and -or=or +Comments=Komentet +ActionsToDo=Ngjarjet për të bërë +ActionsToDoShort=Për të bërë +ActionsDoneShort=U krye +ActionNotApplicable=Nuk aplikohet +ActionRunningNotStarted=Të fillosh +ActionRunningShort=Në vazhdim +ActionDoneShort=Përfunduar +ActionUncomplete=E paplotë +LatestLinkedEvents=Ngjarjet më të fundit të lidhura %s +CompanyFoundation=Kompania/Organizata +Accountant=Kontabilist +ContactsForCompany=Kontaktet për këtë palë të tretë +ContactsAddressesForCompany=Kontaktet/adresat për këtë palë të tretë +AddressesForCompany=Adresat për këtë palë të tretë +ActionsOnCompany=Ngjarjet për këtë palë të tretë +ActionsOnContact=Ngjarjet për këtë kontakt/adresë +ActionsOnContract=Ngjarjet për këtë kontratë +ActionsOnMember=Ngjarjet rreth këtij anëtari +ActionsOnProduct=Ngjarjet rreth këtij produkti +ActionsOnAsset=Ngjarjet për këtë aktiv fiks +NActionsLate=%s vonë +ToDo=Për të bërë +Completed=E përfunduar +Running=Në vazhdim +RequestAlreadyDone=Kërkesa është regjistruar tashmë +Filter=Filtro +FilterOnInto=Kriteret e kërkimit '%s' në fusha ' notranslate'>%s +RemoveFilter=Hiq filtrin +ChartGenerated=Grafiku u krijua +ChartNotGenerated=Grafiku nuk u krijua +GeneratedOn=Ndërto në %s +Generate=Gjeneroni +Duration=Kohëzgjatja +TotalDuration=Kohëzgjatja totale +Summary=Përmbledhje +DolibarrStateBoard=Statistikat e bazës së të dhënave +DolibarrWorkBoard=Hap Artikujt +NoOpenedElementToProcess=Asnjë element i hapur për përpunim +Available=Në dispozicion +NotYetAvailable=Nuk disponohet ende +NotAvailable=I padisponueshem +Categories=Etiketat/kategoritë +Category=Etiketa/kategoria +SelectTheTagsToAssign=Zgjidhni etiketat/kategoritë për të caktuar +By=Nga +From=Nga +FromDate=Nga +FromLocation=Nga +to=te +To=te +ToDate=te +ToLocation=te +at=në +and=dhe +or=ose Other=Tjetër -Others=Others -OtherInformations=Other information -Workflow=Workflow -Quantity=Quantity -Qty=Qty -ChangedBy=Changed by -ApprovedBy=Approved by -ApprovedBy2=Approved by (second approval) +Others=Të tjerët +OtherInformations=Informacioni tjetër +Workflow=Rrjedha e punës +Quantity=sasi +Qty=Sasia +ChangedBy=Ndryshuar nga +ApprovedBy=E miratuar nga +ApprovedBy2=Miratuar nga (miratimi i dytë) Approved=Miratuar Refused=Refuzuar -ReCalculate=Recalculate -ResultKo=Failure -Reporting=Reporting -Reportings=Reporting +ReCalculate=Rillogaritni +ResultKo=Dështimi +Reporting=Raportimi +Reportings=Raportimi Draft=Draft -Drafts=Drafts -StatusInterInvoiced=Invoiced -Validated=Validated -ValidatedToProduce=Validated (To produce) +Drafts=Draftet +StatusInterInvoiced=Faturuar +Done=U krye +Validated=E vërtetuar +ValidatedToProduce=Vërtetuar (Për të prodhuar) Opened=Hapur -OpenAll=Open (All) -ClosedAll=Closed (All) -New=New +OpenAll=Hapur (Të gjitha) +ClosedAll=Mbyllur (Të gjitha) +New=I ri Discount=Ulje -Unknown=Unknown -General=General -Size=Size -OriginalSize=Original size -Received=Received -Paid=Paid -Topic=Subject -ByCompanies=By third parties -ByUsers=By user -Links=Links -Link=Link -Rejects=Rejects -Preview=Preview -NextStep=Next step -Datas=Data -None=None -NoneF=None -NoneOrSeveral=None or several -Late=Late -LateDesc=An item is defined as Delayed as per the system configuration in menu Home - Setup - Alerts. -NoItemLate=No late item -Photo=Picture -Photos=Pictures -AddPhoto=Add picture -DeletePicture=Picture delete -ConfirmDeletePicture=Confirm picture deletion? -Login=Login -LoginEmail=Login (email) -LoginOrEmail=Login or Email -CurrentLogin=Current login -EnterLoginDetail=Enter login details -January=January -February=February -March=March -April=April -May=May -June=June -July=July -August=August -September=September -October=October -November=November -December=December -Month01=January -Month02=February -Month03=March -Month04=April -Month05=May -Month06=June -Month07=July -Month08=August -Month09=September -Month10=October -Month11=November -Month12=December -MonthShort01=Jan -MonthShort02=Feb -MonthShort03=Mar -MonthShort04=Apr -MonthShort05=May -MonthShort06=Jun -MonthShort07=Jul -MonthShort08=Aug -MonthShort09=Sep -MonthShort10=Oct -MonthShort11=Nov -MonthShort12=Dec +Unknown=E panjohur +General=Gjeneral +Size=Madhësia +OriginalSize=Madhësia origjinale +RotateImage=Rrotulloni 90° +Received=Marrë +Paid=I paguar +Topic=Subjekti +ByCompanies=Nga palët e treta +ByUsers=Nga përdoruesi +Links=Lidhjet +Link=Lidhje +Rejects=Refuzon +Preview=Parapamje +NextStep=Hapi tjeter +Datas=Të dhënat +None=Asnje +NoneF=Asnje +NoneOrSeveral=Asnjë ose disa +Late=Me vonesë +LateDesc=Një artikull përkufizohet si i vonuar sipas konfigurimit të sistemit në menynë Home - Setup - Alerts. +NoItemLate=Asnjë artikull i vonuar +Photo=Foto +Photos=Fotot +AddPhoto=Shto foto +DeletePicture=Fshirja e figurës +ConfirmDeletePicture=Të konfirmohet fshirja e figurës? +Login=Identifikohu +LoginEmail=Identifikohu (email) +LoginOrEmail=Identifikohu ose Email +CurrentLogin=Hyrja aktuale +EnterLoginDetail=Futni detajet e hyrjes +January=janar +February=shkurt +March=marsh +April=prill +May=Mund +June=qershor +July=korrik +August=gusht +September=shtator +October=tetor +November=Nëntor +December=dhjetor +Month01=janar +Month02=shkurt +Month03=marsh +Month04=prill +Month05=Mund +Month06=qershor +Month07=korrik +Month08=gusht +Month09=shtator +Month10=tetor +Month11=Nëntor +Month12=dhjetor +MonthShort01=janar +MonthShort02=shkurt +MonthShort03=mars +MonthShort04=Prill +MonthShort05=Mund +MonthShort06=qershor +MonthShort07=korrik +MonthShort08=gusht +MonthShort09=shtator +MonthShort10=tetor +MonthShort11=nëntor +MonthShort12=dhjetor MonthVeryShort01=J MonthVeryShort02=F MonthVeryShort03=M @@ -628,364 +637,370 @@ MonthVeryShort09=S MonthVeryShort10=O MonthVeryShort11=N MonthVeryShort12=D -AttachedFiles=Attached files and documents -JoinMainDoc=Join main document -JoinMainDocOrLastGenerated=Send the main document or the last generated one if not found +AttachedFiles=Dokumentet dhe dosjet e bashkangjitura +JoinMainDoc=Bashkohu me dokumentin kryesor +JoinMainDocOrLastGenerated=Dërgoni dokumentin kryesor ose atë të gjeneruar të fundit nëse nuk gjendet DateFormatYYYYMM=YYYY-MM DateFormatYYYYMMDD=YYYY-MM-DD DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS -ReportName=Report name -ReportPeriod=Report period +ReportName=Emri i raportit +ReportPeriod=Periudha e raportimit ReportDescription=Përshkrimi -Report=Report -Keyword=Keyword -Origin=Origin -Legend=Legend -Fill=Fill -Reset=Reset -File=File -Files=Files -NotAllowed=Not allowed -ReadPermissionNotAllowed=Read permission not allowed -AmountInCurrency=Amount in %s currency -Example=Example -Examples=Examples -NoExample=No example -FindBug=Report a bug -NbOfThirdParties=Number of third parties -NbOfLines=Number of lines -NbOfObjects=Number of objects -NbOfObjectReferers=Number of related items -Referers=Related items -TotalQuantity=Total quantity -DateFromTo=From %s to %s -DateFrom=From %s -DateUntil=Until %s -Check=Check -Uncheck=Uncheck -Internal=Internal -External=External -Internals=Internal -Externals=External -Warning=Warning -Warnings=Warnings -BuildDoc=Build Doc -Entity=Environment -Entities=Entities -CustomerPreview=Customer preview -SupplierPreview=Vendor preview -ShowCustomerPreview=Show customer preview -ShowSupplierPreview=Show vendor preview -RefCustomer=Ref. customer -InternalRef=Internal ref. -Currency=Currency -InfoAdmin=Information for administrators -Undo=Undo -Redo=Redo -ExpandAll=Expand all -UndoExpandAll=Undo expand -SeeAll=See all -Reason=Reason -FeatureNotYetSupported=Feature not yet supported -CloseWindow=Close window -Response=Response +Report=Raportoni +Keyword=Fjalë kyçe +Origin=Origjina +Legend=Legjenda +Fill=Plotësoni +Reset=Rivendos +File=Skedari +Files=Skedarët +NotAllowed=Nuk lejohet +ReadPermissionNotAllowed=Leja e leximit nuk lejohet +AmountInCurrency=Shuma në monedhën %s +Example=Shembull +Examples=Shembuj +NoExample=Asnjë shembull +FindBug=Raportoni një defekt +NbOfThirdParties=Numri i palëve të treta +NbOfLines=Numri i rreshtave +NbOfObjects=Numri i objekteve +NbOfObjectReferers=Numri i artikujve të lidhur +Referers=Artikuj të lidhur +TotalQuantity=Sasia totale +DateFromTo=Nga %s në %s +DateFrom=Nga %s +DateUntil=Deri në %s +Check=Kontrollo +Uncheck=Hiq zgjedhjen +Internal=E brendshme +External=E jashtme +Internals=E brendshme +Externals=E jashtme +Warning=Paralajmërim +Warnings=Paralajmërimet +BuildDoc=Ndërtimi i Doc +Entity=Mjedisi +Entities=Subjektet +CustomerPreview=Pamja paraprake e klientit +SupplierPreview=Pamja paraprake e shitësit +ShowCustomerPreview=Shfaq pamjen paraprake të klientit +ShowSupplierPreview=Shfaq pamjen paraprake të shitësit +RefCustomer=Ref. klient +InternalRef=Ref i brendshëm. +Currency=Monedha +InfoAdmin=Informacion për administratorët +Undo=Zhbër +Redo=Ribëje +ExpandAll=Zgjero të gjitha +UndoExpandAll=Zhbër zgjerimin +SeeAll=Shiko gjithcka +Reason=Arsyeja +FeatureNotYetSupported=Funksioni nuk mbështetet ende +CloseWindow=Mbyll dritaren +Response=Përgjigje Priority=Prioriteti -SendByMail=Send by email -MailSentBy=Email sent by -NotSent=Not sent -TextUsedInTheMessageBody=Email body -SendAcknowledgementByMail=Send confirmation email -SendMail=Send email +SendByMail=Dërgo me email +MailSentBy=Email i dërguar nga +MailSentByTo=Email dërguar nga %s te %s +NotSent=Nuk është dërguar +TextUsedInTheMessageBody=Trupi i emailit +SendAcknowledgementByMail=Dërgo email konfirmimi +SendMail=Dërgoni një email Email=Email -NoEMail=No email -AlreadyRead=Already read -NotRead=Unread -NoMobilePhone=No mobile phone -Owner=Owner -FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. -Refresh=Refresh -BackToList=Back to list -BackToTree=Back to tree -GoBack=Go back -CanBeModifiedIfOk=Can be modified if valid -CanBeModifiedIfKo=Can be modified if not valid -ValueIsValid=Value is valid -ValueIsNotValid=Value is not valid -RecordCreatedSuccessfully=Record created successfully -RecordModifiedSuccessfully=Record modified successfully -RecordsModified=%s record(s) modified -RecordsDeleted=%s record(s) deleted -RecordsGenerated=%s record(s) generated -AutomaticCode=Automatic code -FeatureDisabled=Feature disabled -MoveBox=Move widget -Offered=Offered -NotEnoughPermissions=You don't have permission for this action -UserNotInHierachy=This action is reserved to the supervisors of this user -SessionName=Session name +NoEMail=Asnjë email +AlreadyRead=Lexuar tashmë +NotRead=Të palexuara +NoMobilePhone=Asnjë telefon celular +Owner=Pronari +FollowingConstantsWillBeSubstituted=Konstantet e mëposhtme do të zëvendësohen me vlerën përkatëse. +Refresh=Rifresko +BackToList=Kthehu në listë +BackToTree=Kthehu në pemë +GoBack=Kthehu mbrapa +CanBeModifiedIfOk=Mund të modifikohet nëse është e vlefshme +CanBeModifiedIfKo=Mund të modifikohet nëse nuk është e vlefshme +ValueIsValid=Vlera është e vlefshme +ValueIsNotValid=Vlera nuk është e vlefshme +RecordCreatedSuccessfully=Regjistrimi u krijua me sukses +RecordModifiedSuccessfully=Regjistrimi u modifikua me sukses +RecordsModified=%s regjistrime të modifikuara +RecordsDeleted=%s rekord(et) u fshinë +RecordsGenerated=%s regjistrime të krijuara +ValidatedRecordWhereFound = Disa nga të dhënat e përzgjedhura tashmë janë vërtetuar. Asnjë regjistrim nuk është fshirë. +AutomaticCode=Kodi automatik +FeatureDisabled=Funksioni i çaktivizuar +MoveBox=Zhvendos miniaplikacionin +Offered=Ofrohet +NotEnoughPermissions=Nuk ke leje për këtë veprim +UserNotInHierachy=Ky veprim është i rezervuar për mbikëqyrësit e këtij përdoruesi +SessionName=Emri i sesionit Method=Metoda -Receive=Receive -CompleteOrNoMoreReceptionExpected=Complete or nothing more expected -ExpectedValue=Expected Value -ExpectedQty=Expected Qty -PartialWoman=Partial +Receive=Merrni +CompleteOrNoMoreReceptionExpected=E plotë ose nuk pritet asgjë më shumë +ExpectedValue=Vlera e pritshme +ExpectedQty=Sasia e pritur +PartialWoman=I pjesshëm TotalWoman=Total -NeverReceived=Never received +NeverReceived=Nuk është marrë kurrë Canceled=Anulluar -YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu Setup - Dictionaries -YouCanChangeValuesForThisListFrom=You can change values for this list from menu %s -YouCanSetDefaultValueInModuleSetup=You can set the default value used when creating a new record in module setup -Color=Color -Documents=Linked files -Documents2=Documents -UploadDisabled=Upload disabled +YouCanChangeValuesForThisListFromDictionarySetup=Ju mund të ndryshoni vlerat për këtë listë nga menyja Setup - Dictionaries +YouCanChangeValuesForThisListFrom=Ju mund të ndryshoni vlerat për këtë listë nga menyja %s +YouCanSetDefaultValueInModuleSetup=Mund të vendosni vlerën e paracaktuar të përdorur kur krijoni një rekord të ri në konfigurimin e modulit +Color=Ngjyrë +Documents=Skedarët e lidhur +Documents2=Dokumentet +UploadDisabled=Ngarkimi i çaktivizuar MenuAccountancy=Accounting -MenuECM=Documents +MenuECM=Dokumentet MenuAWStats=AWStats -MenuMembers=Members -MenuAgendaGoogle=Google agenda -MenuTaxesAndSpecialExpenses=Taxes | Special expenses -ThisLimitIsDefinedInSetup=Dolibarr limit (Menu home-setup-security): %s Kb, PHP limit: %s Kb -ThisLimitIsDefinedInSetupAt=Dolibarr limit (Menu %s): %s Kb, PHP limit (Param %s): %s Kb -NoFileFound=No documents uploaded -CurrentUserLanguage=Current language -CurrentTheme=Current theme -CurrentMenuManager=Current menu manager -Browser=Browser -Layout=Layout -Screen=Screen -DisabledModules=Disabled modules -For=For -ForCustomer=For customer -Signature=Signature -DateOfSignature=Date of signature -HidePassword=Show command with password hidden -UnHidePassword=Show real command with clear password -Root=Root -RootOfMedias=Root of public medias (/medias) -Informations=Information -Page=Page -Notes=Notes -AddNewLine=Add new line -AddFile=Add file -FreeZone=Free-text product -FreeLineOfType=Free-text item, type: -CloneMainAttributes=Clone object with its main attributes -ReGeneratePDF=Re-generate PDF -PDFMerge=PDF Merge -Merge=Merge -DocumentModelStandardPDF=Standard PDF template -PrintContentArea=Show page to print main content area -MenuManager=Menu manager -WarningYouAreInMaintenanceMode=Warning, you are in maintenance mode: only login %s is allowed to use the application in this mode. -CoreErrorTitle=System error -CoreErrorMessage=Sorry, an error occurred. Contact your system administrator to check the logs or disable $dolibarr_main_prod=1 to get more information. -CreditCard=Credit card -ValidatePayment=Validate payment -CreditOrDebitCard=Credit or debit card -FieldsWithAreMandatory=Fields with %s are mandatory -FieldsWithIsForPublic=Fields with %s are shown in public list of members. If you don't want this, uncheck the "public" box. -AccordingToGeoIPDatabase=(according to GeoIP conversion) -Line=Line -NotSupported=Not supported -RequiredField=Required field -Result=Result +MenuMembers=Anëtarët +MenuAgendaGoogle=Axhenda e Google +MenuTaxesAndSpecialExpenses=Taksat | Shpenzime të veçanta +ThisLimitIsDefinedInSetup=Kufiri i Dolibarr (Menu home-setup-security): %s Kb, kufiri PHP: %s Kb +ThisLimitIsDefinedInSetupAt=Kufiri i dolibarr (Menyja %s): %s Kb, kufiri PHP (Param b0ecb9fpanz80f >): %s Kb +NoFileFound=Asnjë dokument i ngarkuar +CurrentUserLanguage=Gjuha aktuale +CurrentTheme=Tema aktuale +CurrentMenuManager=Menaxheri aktual i menysë +Browser=Shfletuesi +Layout=Paraqitja +Screen=Ekrani +DisabledModules=Modulet me aftësi të kufizuara +For=Për +ForCustomer=Për klientin +Signature=Nënshkrimi +HidePassword=Shfaq komandën me fjalëkalim të fshehur +UnHidePassword=Trego komandën e vërtetë me fjalëkalim të qartë +Root=Rrënja +RootOfMedias=Rrënja e mediave publike (/mediat) +Informations=Informacion +Page=Faqe +Notes=Shënime +AddNewLine=Shto linjë të re +AddFile=Shto skedar +FreeZone=Produkt me tekst të lirë +FreeLineOfType=Artikull me tekst të lirë, shkruani: +CloneMainAttributes=Klononi objektin me atributet e tij kryesore +ReGeneratePDF=Rigjeneroni PDF +PDFMerge=Bashkim PDF +Merge=Shkrihet +DocumentModelStandardPDF=Modeli standard PDF +PrintContentArea=Shfaq faqen për të printuar zonën kryesore të përmbajtjes +MenuManager=Menaxheri i menysë +WarningYouAreInMaintenanceMode=Paralajmërim, ju jeni në modalitetin e mirëmbajtjes: vetëm hyni %sb09a4b739f17f8>z lejohet të përdorë aplikacionin në këtë mënyrë. +CoreErrorTitle=Gabim sistemi +CoreErrorMessage=Na vjen keq, ka ndodhur një gabim. Kontaktoni administratorin e sistemit tuaj për të kontrolluar regjistrat ose çaktivizoni $dolibarr_main_prod=1 për të marrë më shumë informacion. +CreditCard=Kartë Krediti +ValidatePayment=Vërtetoni pagesën +CreditOrDebitCard=Kartë krediti ose debiti +FieldsWithAreMandatory=Fushat me %s janë të detyrueshme +FieldsWithIsForPublic=Fushat me %s shfaqen në listën publike të anëtarëve. Nëse nuk e dëshironi këtë, zgjidhni kutinë "publike". +AccordingToGeoIPDatabase=(sipas konvertimit të GeoIP) +Line=Linjë +NotSupported=Nuk mbështetet +RequiredField=Fusha e kërkuar +Result=Rezultati ToTest=Test -ValidateBefore=Item must be validated before using this feature -Visibility=Visibility -Totalizable=Totalizable -TotalizableDesc=This field is totalizable in list -Private=Private -Hidden=Hidden -Resources=Resources -Source=Source -Prefix=Prefix -Before=Before -After=After -IPAddress=IP address -Frequency=Frequency -IM=Instant messaging -NewAttribute=New attribute -AttributeCode=Attribute code -URLPhoto=URL of photo/logo -SetLinkToAnotherThirdParty=Link to another third party -LinkTo=Link to -LinkToProposal=Link to proposal -LinkToExpedition= Link to expedition -LinkToOrder=Link to order -LinkToInvoice=Link to invoice -LinkToTemplateInvoice=Link to template invoice -LinkToSupplierOrder=Link to purchase order -LinkToSupplierProposal=Link to vendor proposal -LinkToSupplierInvoice=Link to vendor invoice -LinkToContract=Link to contract -LinkToIntervention=Link to intervention -LinkToTicket=Link to ticket -LinkToMo=Link to Mo -CreateDraft=Create draft -SetToDraft=Back to draft -ClickToEdit=Click to edit -ClickToRefresh=Click to refresh -EditWithEditor=Edit with CKEditor -EditWithTextEditor=Edit with Text editor -EditHTMLSource=Edit HTML Source -ObjectDeleted=Object %s deleted -ByCountry=By country -ByTown=By town -ByDate=By date -ByMonthYear=By month/year -ByYear=By year -ByMonth=By month -ByDay=By day -BySalesRepresentative=By sales representative -LinkedToSpecificUsers=Linked to a particular user contact -NoResults=No results -AdminTools=Admin Tools -SystemTools=System tools -ModulesSystemTools=Modules tools +ValidateBefore=Artikulli duhet të vërtetohet përpara përdorimit të kësaj veçorie +Visibility=Dukshmëria +Totalizable=Të totalizueshme +TotalizableDesc=Kjo fushë është e totalizueshme në listë +Private=Privat +Hidden=I fshehur +Resources=Burimet +Source=Burimi +Prefix=Parashtesa +Before=Përpara +After=Pas +IPAddress=adresa IP +Frequency=Frekuenca +IM=Mesazhimi i çastit +NewAttribute=Atribut i ri +AttributeCode=Kodi i atributit +URLPhoto=URL-ja e fotos/logos +SetLinkToAnotherThirdParty=Lidhja me një palë tjetër të tretë +LinkTo=Lidh me +LinkToProposal=Lidhja me propozimin +LinkToExpedition= Lidhja me ekspeditën +LinkToOrder=Link për të porositur +LinkToInvoice=Lidhja me faturën +LinkToTemplateInvoice=Lidhja me shabllonin e faturës +LinkToSupplierOrder=Link për porosinë e blerjes +LinkToSupplierProposal=Lidhja me propozimin e shitësit +LinkToSupplierInvoice=Lidhja me faturën e shitësit +LinkToContract=Lidhja me kontratën +LinkToIntervention=Lidhja me ndërhyrjen +LinkToTicket=Lidhja me biletën +LinkToMo=Lidhje me Mo +CreateDraft=Krijo draft +SetToDraft=Kthehu në draft +ClickToEdit=Klikoni për të redaktuar +ClickToRefresh=Klikoni për të rifreskuar +EditWithEditor=Redakto me CKEditor +EditWithTextEditor=Ndrysho me redaktuesin e tekstit +EditHTMLSource=Redakto Burimin HTML +ObjectDeleted=Objekti %s u fshi +ByCountry=Sipas vendit +ByTown=Sipas qytetit +ByDate=Sipas datës +ByMonthYear=Sipas muajit/vitit +ByYear=Sipas vitit +ByMonth=Sipas muajit +ByDay=Nga dita +BySalesRepresentative=Nga përfaqësuesi i shitjeve +LinkedToSpecificUsers=Lidhur me një kontakt të caktuar përdoruesi +NoResults=Nuk ka rezultate +AdminTools=Mjetet e administratorit +SystemTools=Mjetet e sistemit +ModulesSystemTools=Mjetet e moduleve Test=Test -Element=Element -NoPhotoYet=No pictures available yet -Dashboard=Dashboard -MyDashboard=My Dashboard -Deductible=Deductible -from=from -toward=toward -Access=Access -SelectAction=Select action -SelectTargetUser=Select target user/employee -HelpCopyToClipboard=Use Ctrl+C to copy to clipboard -SaveUploadedFileWithMask=Save file on server with name "%s" (otherwise "%s") -OriginFileName=Original filename -SetDemandReason=Set source -SetBankAccount=Define Bank Account -AccountCurrency=Account currency -ViewPrivateNote=View notes -XMoreLines=%s line(s) hidden -ShowMoreLines=Show more/less lines -PublicUrl=Public URL -AddBox=Add box -SelectElementAndClick=Select an element and click on %s -PrintFile=Print File %s -ShowTransaction=Show entry on bank account -ShowIntervention=Show intervention -ShowContract=Show contract -GoIntoSetupToChangeLogo=Go to Home - Setup - Company to change logo or go to Home - Setup - Display to hide. -Deny=Deny -Denied=Denied -ListOf=List of %s -ListOfTemplates=List of templates +Element=Elementi +NoPhotoYet=Nuk ka ende fotografi +Dashboard=Paneli +MyDashboard=Paneli im +Deductible=E zbritshme +from=nga +toward=drejt +Access=Qasja +SelectAction=Zgjidhni veprimin +SelectTargetUser=Zgjidhni përdoruesin/punonjësin e synuar +HelpCopyToClipboard=Përdorni Ctrl+C për të kopjuar në kujtesën e fragmenteve +SaveUploadedFileWithMask=Ruani skedarin në server me emrin "%s (otherwise>" %s") +OriginFileName=Emri origjinal i skedarit +SetDemandReason=Cakto burimin +SetBankAccount=Përcaktoni llogarinë bankare +AccountCurrency=Monedha e llogarisë +ViewPrivateNote=Shiko shënimet +XMoreLines=%s rreshta të fshehura +ShowMoreLines=Shfaq më shumë/më pak rreshta +PublicUrl=URL publike +AddBox=Shtoni kutinë +SelectElementAndClick=Zgjidhni një element dhe klikoni në %s +PrintFile=Printo skedarin %s +ShowTransaction=Shfaq hyrjen në llogarinë bankare +ShowIntervention=Trego ndërhyrjen +ShowContract=Trego kontratën +GoIntoSetupToChangeLogo=Shkoni te Home - Setup - Company për të ndryshuar logon ose shkoni te Home - Setup - Display për t'u fshehur. +Deny=Moho +Denied=E mohuar +ListOf=Lista e %s +ListOfTemplates=Lista e shablloneve Gender=Gjinia -Genderman=Male -Genderwoman=Female +Genderman=Mashkull +Genderwoman=Femër Genderother=Tjetër -ViewList=List view -ViewGantt=Gantt view -ViewKanban=Kanban view -Mandatory=Mandatory -Hello=Hello -GoodBye=GoodBye -Sincerely=Sincerely -ConfirmDeleteObject=Are you sure you want to delete this object? -DeleteLine=Delete line -ConfirmDeleteLine=Are you sure you want to delete this line? -ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. -NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record -TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. -NoRecordSelected=No record selected -MassFilesArea=Area for files built by mass actions -ShowTempMassFilesArea=Show area of files built by mass actions -ConfirmMassDeletion=Bulk Delete confirmation -ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record(s)? -RelatedObjects=Related Objects -ClassifyBilled=Classify billed -ClassifyUnbilled=Classify unbilled -Progress=Progress +ViewList=Pamja e listës +ViewGantt=Pamje Gantt +ViewKanban=Pamja Kanban +Mandatory=E detyrueshme +Hello=Përshëndetje +GoodBye=Mirupafshim +Sincerely=Sinqerisht +ConfirmDeleteObject=Jeni i sigurt që dëshironi ta fshini këtë objekt? +DeleteLine=Fshi rreshtin +ConfirmDeleteLine=Jeni i sigurt që dëshironi ta fshini këtë rresht? +ErrorPDFTkOutputFileNotFound=Gabim: skedari nuk u krijua. Ju lutemi kontrolloni që komanda 'pdftk' të jetë e instaluar në një drejtori të përfshirë në variablin e mjedisit $PATH (vetëm linux/unix) ose kontaktoni administratorin e sistemit tuaj. +NoPDFAvailableForDocGenAmongChecked=Asnjë PDF nuk ishte i disponueshëm për gjenerimin e dokumentit midis regjistrimeve të kontrolluara +TooManyRecordForMassAction=Shumë regjistrime të zgjedhura për veprim masiv. Veprimi është i kufizuar në një listë me rekorde %s. +NoRecordSelected=Nuk është zgjedhur asnjë regjistrim +MassFilesArea=Zona për skedarët e ndërtuar nga veprimet masive +ShowTempMassFilesArea=Trego zonën e skedarëve të ndërtuar nga veprimet masive +ConfirmMassDeletion=Konfirmimi i fshirjes në masë +ConfirmMassDeletionQuestion=Jeni i sigurt që dëshironi të fshini %s rekordet e zgjedhura? +ConfirmMassClone=Konfirmimi i klonit në masë +ConfirmMassCloneQuestion=Zgjidhni projektin për të klonuar +ConfirmMassCloneToOneProject=Klononi në projektin %s +RelatedObjects=Objekte të ngjashme +ClassifyBilled=Klasifikimi i faturuar +ClassifyUnbilled=Klasifiko të pafaturuara +Progress=Përparim ProgressShort=Progr. -FrontOffice=Front office -BackOffice=Back office -Submit=Submit -View=View +FrontOffice=Zyra e përparme +BackOffice=Zyra e pasme +Submit=Paraqisni +View=Pamje Export=Export +Import=Importi Exports=Exports -ExportFilteredList=Export filtered list -ExportList=Export list -ExportOptions=Export Options -IncludeDocsAlreadyExported=Include docs already exported -ExportOfPiecesAlreadyExportedIsEnable=Export of pieces already exported is enable -ExportOfPiecesAlreadyExportedIsDisable=Export of pieces already exported is disable -AllExportedMovementsWereRecordedAsExported=All exported movements were recorded as exported -NotAllExportedMovementsCouldBeRecordedAsExported=Not all exported movements could be recorded as exported -Miscellaneous=Miscellaneous -Calendar=Calendar -GroupBy=Group by... -ViewFlatList=View flat list -ViewAccountList=View ledger -ViewSubAccountList=View subaccount ledger -RemoveString=Remove string '%s' -SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. -DirectDownloadLink=Public download link -PublicDownloadLinkDesc=Only the link is required to download the file -DirectDownloadInternalLink=Private download link -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file -Download=Download -DownloadDocument=Download document -DownloadSignedDocument=Download signed document -ActualizeCurrency=Update currency rate -Fiscalyear=Fiscal year -ModuleBuilder=Module and Application Builder -SetMultiCurrencyCode=Set currency -BulkActions=Bulk actions -ClickToShowHelp=Click to show tooltip help -WebSite=Website -WebSites=Websites -WebSiteAccounts=Website accounts -ExpenseReport=Expense report -ExpenseReports=Expense reports +ExportFilteredList=Eksporto listën e filtruar +ExportList=Lista e eksportit +ExportOptions=Opsionet e eksportit +IncludeDocsAlreadyExported=Përfshi dokumente të eksportuara tashmë +ExportOfPiecesAlreadyExportedIsEnable=Dokumentet e eksportuara tashmë janë të dukshme dhe do të eksportohen +ExportOfPiecesAlreadyExportedIsDisable=Dokumentet e eksportuara tashmë janë të fshehura dhe nuk do të eksportohen +AllExportedMovementsWereRecordedAsExported=Të gjitha lëvizjet e eksportuara janë regjistruar si të eksportuara +NotAllExportedMovementsCouldBeRecordedAsExported=Jo të gjitha lëvizjet e eksportuara mund të regjistroheshin si të eksportuara +Miscellaneous=Të ndryshme +Calendar=Kalendari +GroupBy=Grupi sipas... +GroupByX=Grupi sipas %s +ViewFlatList=Shiko listën e sheshtë +ViewAccountList=Shiko librin +ViewSubAccountList=Shiko librin e nënllogarisë +RemoveString=Hiq vargun '%s' +SomeTranslationAreUncomplete=Disa nga gjuhët e ofruara mund të jenë vetëm pjesërisht të përkthyera ose mund të përmbajnë gabime. Ju lutemi ndihmoni për të korrigjuar gjuhën tuaj duke u regjistruar në https://transifex.com/projects/p/dolibarr/ në shtoni përmirësimet tuaja. +DirectDownloadLink=Lidhja e shkarkimit publik +PublicDownloadLinkDesc=Kërkohet vetëm lidhja për të shkarkuar skedarin +DirectDownloadInternalLink=Lidhja private e shkarkimit +PrivateDownloadLinkDesc=Ju duhet të regjistroheni dhe keni nevojë për leje për të parë ose shkarkuar skedarin +Download=Shkarko +DownloadDocument=Shkarko dokumentin +DownloadSignedDocument=Shkarkoni dokumentin e nënshkruar +ActualizeCurrency=Përditëso kursin e monedhës +Fiscalyear=Viti fiskal +ModuleBuilder=Ndërtues i modulit dhe aplikacionit +SetMultiCurrencyCode=Cakto monedhën +BulkActions=Veprime me shumicë +ClickToShowHelp=Klikoni për të shfaqur ndihmën e këshillave të veglave +WebSite=Faqja e internetit +WebSites=Faqet e internetit +WebSiteAccounts=Llogaritë e aksesit në ueb +ExpenseReport=Raporti i shpenzimeve +ExpenseReports=Raportet e shpenzimeve HR=HR -HRAndBank=HR and Bank -AutomaticallyCalculated=Automatically calculated -TitleSetToDraft=Go back to draft -ConfirmSetToDraft=Are you sure you want to go back to Draft status? -ImportId=Import id -Events=Events -EMailTemplates=Email templates -FileNotShared=File not shared to external public -Project=Project -Projects=Projects -LeadOrProject=Lead | Project -LeadsOrProjects=Leads | Projects -Lead=Lead -Leads=Leads -ListOpenLeads=List open leads -ListOpenProjects=List open projects -NewLeadOrProject=New lead or project -Rights=Permissions -LineNb=Line no. +HRAndBank=HR dhe Banka +AutomaticallyCalculated=Llogaritur automatikisht +TitleSetToDraft=Kthehu te drafti +ConfirmSetToDraft=Jeni i sigurt që dëshironi të ktheheni në statusin Draft? +ImportId=ID-ja e importit +Events=Ngjarjet +EMailTemplates=Modelet e postës elektronike +FileNotShared=Skedari nuk është ndarë me publikun e jashtëm +Project=Projekti +Projects=Projektet +LeadOrProject=Plumb | Projekti +LeadsOrProjects=Drejton | Projektet +Lead=Plumbi +Leads=Drejton +ListOpenLeads=Listoni drejtimet e hapura +ListOpenProjects=Listoni projektet e hapura +NewLeadOrProject=Drejtues ose projekt i ri +Rights=Lejet +LineNb=Linja nr. IncotermLabel=Incoterms -TabLetteringCustomer=Customer lettering -TabLetteringSupplier=Vendor lettering -Monday=Monday -Tuesday=Tuesday -Wednesday=Wednesday -Thursday=Thursday -Friday=Friday -Saturday=Saturday -Sunday=Sunday +TabLetteringCustomer=Shkronja e klientit +TabLetteringSupplier=Shkronja e shitësit +Monday=e hënë +Tuesday=e martë +Wednesday=e mërkurë +Thursday=e enjte +Friday=e premte +Saturday=e shtunë +Sunday=të dielën MondayMin=Mo TuesdayMin=Tu -WednesdayMin=We +WednesdayMin=ne ThursdayMin=Th FridayMin=Fr SaturdayMin=Sa SundayMin=Su -Day1=Monday -Day2=Tuesday -Day3=Wednesday -Day4=Thursday -Day5=Friday -Day6=Saturday -Day0=Sunday +Day1=e hënë +Day2=e martë +Day3=e mërkurë +Day4=e enjte +Day5=e premte +Day6=e shtunë +Day0=të dielën ShortMonday=M ShortTuesday=T ShortWednesday=W @@ -993,220 +1008,255 @@ ShortThursday=T ShortFriday=F ShortSaturday=S ShortSunday=S -one=one -two=two -three=three -four=four -five=five -six=six -seven=seven -eight=eight -nine=nine -ten=ten -eleven=eleven -twelve=twelve -thirteen=thirdteen -fourteen=fourteen -fifteen=fifteen -sixteen=sixteen -seventeen=seventeen -eighteen=eighteen -nineteen=nineteen -twenty=twenty -thirty=thirty -forty=forty -fifty=fifty -sixty=sixty -seventy=seventy -eighty=eighty -ninety=ninety -hundred=hundred -thousand=thousand -million=million -billion=billion -trillion=trillion -quadrillion=quadrillion -SelectMailModel=Select an email template +one=një +two=dy +three=tre +four=katër +five=pesë +six=gjashtë +seven=shtatë +eight=tetë +nine=nëntë +ten=dhjetë +eleven=njëmbëdhjetë +twelve=dymbëdhjetë +thirteen=e trembëdhjetë +fourteen=katërmbëdhjetë +fifteen=pesëmbëdhjetë +sixteen=gjashtëmbëdhjetë +seventeen=shtatëmbëdhjetë +eighteen=tetëmbëdhjetë +nineteen=nëntëmbëdhjetë +twenty=njëzet +thirty=tridhjetë +forty=dyzet +fifty=pesëdhjetë +sixty=gjashtëdhjetë +seventy=shtatëdhjetë +eighty=tetëdhjetë +ninety=nëntëdhjetë +hundred=njëqind +thousand=mijë +million=milion +billion=miliardë +trillion=trilion +quadrillion=kuadrilion +SelectMailModel=Zgjidhni një shabllon emaili SetRef=Set ref -Select2ResultFoundUseArrows=Some results found. Use arrows to select. -Select2NotFound=No result found -Select2Enter=Enter -Select2MoreCharacter=or more character -Select2MoreCharacters=or more characters -Select2MoreCharactersMore=Search syntax:
      | OR (a|b)
      * Any character (a*b)
      ^ Start with (^ab)
      $ End with (ab$)
      -Select2LoadingMoreResults=Loading more results... -Select2SearchInProgress=Search in progress... -SearchIntoThirdparties=Third parties -SearchIntoContacts=Contacts -SearchIntoMembers=Members -SearchIntoUsers=Users -SearchIntoProductsOrServices=Products or services -SearchIntoBatch=Lots / Serials -SearchIntoProjects=Projects -SearchIntoMO=Manufacturing Orders -SearchIntoTasks=Tasks -SearchIntoCustomerInvoices=Customer invoices -SearchIntoSupplierInvoices=Vendor invoices -SearchIntoCustomerOrders=Sales orders -SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Commercial proposals -SearchIntoSupplierProposals=Vendor proposals -SearchIntoInterventions=Interventions -SearchIntoContracts=Contracts -SearchIntoCustomerShipments=Customer shipments -SearchIntoExpenseReports=Expense reports -SearchIntoLeaves=Leave -SearchIntoKM=Knowledge base -SearchIntoTickets=Tickets -SearchIntoCustomerPayments=Customer payments -SearchIntoVendorPayments=Vendor payments -SearchIntoMiscPayments=Miscellaneous payments -CommentLink=Comments -NbComments=Number of comments -CommentPage=Comments space -CommentAdded=Comment added -CommentDeleted=Comment deleted -Everybody=Everybody -PayedBy=Paid by -PayedTo=Paid to -Monthly=Monthly -Quarterly=Quarterly -Annual=Annual -Local=Local -Remote=Remote -LocalAndRemote=Local and Remote -KeyboardShortcut=Keyboard shortcut -AssignedTo=Assigned to -Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft mass delete confirmation -FileSharedViaALink=File shared with a public link -SelectAThirdPartyFirst=Select a third party first... -YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode -Inventory=Inventory -AnalyticCode=Analytic code +Select2ResultFoundUseArrows=U gjetën disa rezultate. Përdorni shigjetat për të zgjedhur. +Select2NotFound=Nuk u gjet asnjë rezultat +Select2Enter=Hyni +Select2MoreCharacter=ose më shumë karakter +Select2MoreCharacters=ose më shumë personazhe +Select2MoreCharactersMore=Sintaksa e kërkimit:b0342fccfda19bzlate class='translate |b04da'6f><5/08660 notranslate'> OSE (a|b)
      (a|b)
      > Çdo karakter (a*b)
      ^ Fillo me (^ab)
      7063 $ Përfundojnë me (ab$)
      +Select2LoadingMoreResults=Po ngarkon më shumë rezultate... +Select2SearchInProgress=Kërkimi në vazhdim... +SearchIntoThirdparties=Palëve të treta +SearchIntoContacts=Kontaktet +SearchIntoMembers=Anëtarët +SearchIntoUsers=Përdoruesit +SearchIntoProductsOrServices=Produktet ose shërbimet +SearchIntoBatch=Shumë / Seriale +SearchIntoProjects=Projektet +SearchIntoMO=Porositë e prodhimit +SearchIntoTasks=Detyrat +SearchIntoCustomerInvoices=Faturat e klientit +SearchIntoSupplierInvoices=Faturat e shitësve +SearchIntoCustomerOrders=Porositë e shitjes +SearchIntoSupplierOrders=Urdhrat e blerjeve +SearchIntoCustomerProposals=Propozime komerciale +SearchIntoSupplierProposals=Propozimet e shitësve +SearchIntoInterventions=Ndërhyrjet +SearchIntoContracts=Kontratat +SearchIntoCustomerShipments=Dërgesat e klientëve +SearchIntoExpenseReports=Raportet e shpenzimeve +SearchIntoLeaves=Largohu +SearchIntoKM=Njohuri baze +SearchIntoTickets=Biletat +SearchIntoCustomerPayments=Pagesat e klientëve +SearchIntoVendorPayments=Pagesat e shitësit +SearchIntoMiscPayments=Pagesat e ndryshme +CommentLink=Komentet +NbComments=Numri i komenteve +CommentPage=Hapësira e komenteve +CommentAdded=Komenti u shtua +CommentDeleted=Komenti u fshi +Everybody=Të gjithë +EverybodySmall=Të gjithë +PayedBy=E paguar nga +PayedTo=Paguhet për +Monthly=Mujore +Quarterly=Tremujor +Annual=Vjetore +Local=Lokal +Remote=Telekomanda +LocalAndRemote=Lokale dhe në distancë +KeyboardShortcut=Shkurtorja e tastierës +AssignedTo=Caktuar për +Deletedraft=Fshi draftin +ConfirmMassDraftDeletion=Hartoni konfirmimin e fshirjes në masë +FileSharedViaALink=Skedari publik i ndarë nëpërmjet lidhjes +SelectAThirdPartyFirst=Së pari zgjidhni një palë të tretë... +YouAreCurrentlyInSandboxMode=Aktualisht jeni në modalitetin "sandbox" %s +Inventory=Inventari +AnalyticCode=Kodi analitik TMenuMRP=MRP -ShowCompanyInfos=Show company infos -ShowMoreInfos=Show More Infos -NoFilesUploadedYet=Please upload a document first -SeePrivateNote=See private note -PaymentInformation=Payment information -ValidFrom=Valid from -ValidUntil=Valid until -NoRecordedUsers=No users -ToClose=To close -ToRefuse=To refuse -ToProcess=To process -ToApprove=To approve -GlobalOpenedElemView=Global view -NoArticlesFoundForTheKeyword=No article found for the keyword '%s' -NoArticlesFoundForTheCategory=No article found for the category -ToAcceptRefuse=To accept | refuse -ContactDefault_agenda=Event -ContactDefault_commande=Order -ContactDefault_contrat=Contract +ShowCompanyInfos=Trego informacionet e kompanisë +ShowMoreInfos=Shfaq më shumë informacion +NoFilesUploadedYet=Fillimisht ngarkoni një dokument +SeePrivateNote=Shih shënimin privat +PaymentInformation=Informacioni i pageses +ValidFrom=Vlefshme nga +ValidUntil=I vlefshëm deri +NoRecordedUsers=Nuk ka përdorues +ToClose=Per te mbyllur +ToRefuse=Të refuzosh +ToProcess=Të procesojmë +ToApprove=Të miratojë +GlobalOpenedElemView=Pamje globale +NoArticlesFoundForTheKeyword=Nuk u gjet asnjë artikull për fjalën kyçe '%s' +NoArticlesFoundForTheCategory=Nuk u gjet asnjë artikull për kategorinë +ToAcceptRefuse=Për të pranuar | refuzoj +ContactDefault_agenda=Ngjarja +ContactDefault_commande=Rendit +ContactDefault_contrat=Kontrata ContactDefault_facture=Faturë -ContactDefault_fichinter=Intervention -ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Purchase Order -ContactDefault_project=Project -ContactDefault_project_task=Task -ContactDefault_propal=Proposal -ContactDefault_supplier_proposal=Supplier Proposal -ContactDefault_ticket=Ticket -ContactAddedAutomatically=Contact added from contact thirdparty roles -More=More -ShowDetails=Show details -CustomReports=Custom reports -StatisticsOn=Statistics on -SelectYourGraphOptionsFirst=Select your graph options to build a graph -Measures=Measures -XAxis=X-Axis -YAxis=Y-Axis -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? -ShowOtherLanguages=Show other languages -SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language -NotUsedForThisCustomer=Not used for this customer -AmountMustBePositive=Amount must be positive -ByStatus=By status -InformationMessage=Information -Used=Used -ASAP=As Soon As Possible -CREATEInDolibarr=Record %s created -MODIFYInDolibarr=Record %s modified -DELETEInDolibarr=Record %s deleted -VALIDATEInDolibarr=Record %s validated -APPROVEDInDolibarr=Record %s approved -DefaultMailModel=Default Mail Model -PublicVendorName=Public name of vendor -DateOfBirth=Date of birth -SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again. -UpToDate=Up-to-date -OutOfDate=Out-of-date -EventReminder=Event Reminder -UpdateForAllLines=Update for all lines -OnHold=On hold -Civility=Civility -AffectTag=Assign Tag -AffectUser=Assign User -SetSupervisor=Set Supervisor -CreateExternalUser=Create external user -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project -TasksRole=Role assigned on each task of each project -ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records -Rate=Rate -SupervisorNotFound=Supervisor not found -CopiedToClipboard=Copied to clipboard -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. -ConfirmCancel=Are you sure you want to cancel +ContactDefault_fichinter=Ndërhyrja +ContactDefault_invoice_supplier=Fatura e furnizuesit +ContactDefault_order_supplier=Urdhër Blerje +ContactDefault_project=Projekti +ContactDefault_project_task=Detyrë +ContactDefault_propal=Propozim +ContactDefault_supplier_proposal=Propozimi i Furnizuesit +ContactDefault_ticket=Biletë +ContactAddedAutomatically=Kontakti u shtua nga rolet e kontaktit të palëve të treta +More=Më shumë +ShowDetails=Trego detajet +CustomReports=Raporte me porosi +StatisticsOn=Statistikat në +SelectYourGraphOptionsFirst=Zgjidhni opsionet tuaja të grafikut për të ndërtuar një grafik +Measures=Masat +XAxis=Boshti X +YAxis=Boshti Y +StatusOfRefMustBe=Statusi i %s duhet të jetë %s +DeleteFileHeader=Konfirmo fshirjen e skedarit +DeleteFileText=Dëshiron vërtet ta fshish këtë skedar? +ShowOtherLanguages=Shfaq gjuhë të tjera +SwitchInEditModeToAddTranslation=Kalo në modalitetin e modifikimit për të shtuar përkthime për këtë gjuhë +NotUsedForThisCustomer=Nuk përdoret për këtë klient +NotUsedForThisVendor=Nuk përdoret për këtë shitës +AmountMustBePositive=Shuma duhet të jetë pozitive +ByStatus=Sipas statusit +InformationMessage=Informacion +Used=I perdorur +ASAP=Sa me shpejt te jete e mundur +CREATEInDolibarr=Regjistrimi %s u krijua +MODIFYInDolibarr=Regjistrimi %s u modifikua +DELETEInDolibarr=Regjistrimi %s u fshi +VALIDATEInDolibarr=Regjistrimi %s u vërtetua +APPROVEDInDolibarr=Regjistri %s u miratua +DefaultMailModel=Modeli i parazgjedhur i postës +PublicVendorName=Emri publik i shitësit +DateOfBirth=Data e lindjes +SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Shenja e sigurisë ka skaduar, kështu që veprimi është anuluar. Ju lutemi provoni përsëri. +UpToDate=Të përditësuar +OutOfDate=I vjetëruar +EventReminder=Kujtesa e ngjarjes +UpdateForAllLines=Përditësim për të gjitha linjat +OnHold=Ne pritje +Civility=Qytetërim +AffectTag=Cakto një etiketë +AffectUser=Cakto një përdorues +SetSupervisor=Vendosni mbikëqyrësin +CreateExternalUser=Krijo përdorues të jashtëm +ConfirmAffectTag=Caktimi i etiketës në masë +ConfirmAffectUser=Caktimi i përdoruesve në masë +ProjectRole=Roli i caktuar për çdo projekt/mundësi +TasksRole=Roli i caktuar në secilën detyrë (nëse përdoret) +ConfirmSetSupervisor=Grupi i Mbikëqyrësit në masë +ConfirmUpdatePrice=Zgjidhni një normë rritje/ulje çmimi +ConfirmAffectTagQuestion=Jeni i sigurt që dëshironi të caktoni etiketa në %s rekordet e zgjedhura? +ConfirmAffectUserQuestion=Jeni i sigurt që dëshironi të caktoni përdoruesit në rekordet e zgjedhura %s? +ConfirmSetSupervisorQuestion=Jeni i sigurt që dëshironi të vendosni mbikëqyrësin në rekordet e zgjedhura %s? +ConfirmUpdatePriceQuestion=Jeni i sigurt që dëshironi të përditësoni çmimin e %s rekordit(eve) të zgjedhura? +CategTypeNotFound=Nuk u gjet asnjë lloj etikete për llojin e regjistrimeve +Rate=Vlerësoni +SupervisorNotFound=Mbikëqyrësi nuk u gjet +CopiedToClipboard=Kopjuar në kujtesën e fragmenteve +InformationOnLinkToContract=Kjo shumë është vetëm totali i të gjitha linjave të kontratës. Asnjë nocion i kohës nuk merret parasysh. +ConfirmCancel=Jeni të sigurt që dëshironi ta anuloni EmailMsgID=Email MsgID -EmailDate=Email date -SetToStatus=Set to status %s -SetToEnabled=Set to enabled -SetToDisabled=Set to disabled -ConfirmMassEnabling=mass enabling confirmation -ConfirmMassEnablingQuestion=Are you sure you want to enable the %s selected record(s)? -ConfirmMassDisabling=mass disabling confirmation -ConfirmMassDisablingQuestion=Are you sure you want to disable the %s selected record(s)? -RecordsEnabled=%s record(s) enabled -RecordsDisabled=%s record(s) disabled -RecordEnabled=Record enabled -RecordDisabled=Record disabled -Forthcoming=Forthcoming -Currently=Currently -ConfirmMassLeaveApprovalQuestion=Are you sure you want to approve the %s selected record(s)? -ConfirmMassLeaveApproval=Mass leave approval confirmation -RecordAproved=Record approved -RecordsApproved=%s Record(s) approved -Properties=Properties -hasBeenValidated=%s has been validated +EmailDate=Data e emailit +SetToStatus=Cakto në status %s +SetToEnabled=Cakto në aktivizuar +SetToDisabled=Cakto në të çaktivizuar +ConfirmMassEnabling=konfirmimi masiv që mundëson +ConfirmMassEnablingQuestion=Jeni i sigurt që dëshironi të aktivizoni %s rekordet e zgjedhura? +ConfirmMassDisabling=konfirmimi i çaktivizimit masiv +ConfirmMassDisablingQuestion=Jeni i sigurt që dëshironi të çaktivizoni rekordet e zgjedhura %s? +RecordsEnabled=%s regjistrime të aktivizuara +RecordsDisabled=%s rekord(et) i çaktivizuar +RecordEnabled=Regjistrimi u aktivizua +RecordDisabled=Regjistrimi u çaktivizua +Forthcoming=e ardhshme +Currently=Aktualisht +ConfirmMassLeaveApprovalQuestion=Jeni i sigurt që dëshironi të miratoni %s rekordet e zgjedhura? +ConfirmMassLeaveApproval=Konfirmimi i miratimit të pushimit masiv +RecordAproved=Regjistrimi u miratua +RecordsApproved=%s Regjistrimet e miratuara +Properties=Vetitë +hasBeenValidated=%s është vërtetuar ClientTZ=Brezi orar (pёrdorues) -NotClosedYet=Not yet closed -ClearSignature=Reset signature -CanceledHidden=Canceled hidden -CanceledShown=Canceled shown -Terminate=Terminate -Terminated=Terminated -AddLineOnPosition=Add line on position (at the end if empty) -ConfirmAllocateCommercial=Assign sales representative confirmation -ConfirmAllocateCommercialQuestion=Are you sure you want to assign the %s selected record(s)? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned -YourMessage=Your message -YourMessageHasBeenReceived=Your message has been received. We will answer or contact you as soon as possible. -UrlToCheck=Url to check -Automation=Automation -CreatedByEmailCollector=Created by Email collector -CreatedByPublicPortal=Created from Public portal -UserAgent=User Agent +NotClosedYet=Ende nuk është mbyllur +ClearSignature=Rivendos nënshkrimin +CanceledHidden=U anulua u fsheh +CanceledShown=U shfaqur anuluar +Terminate=Përfundoni +Terminated=Përfundoi +AddLineOnPosition=Shtoni rreshtin në pozicion (në fund nëse është bosh) +ConfirmAllocateCommercial=Cakto konfirmimin e përfaqësuesit të shitjeve +ConfirmAllocateCommercialQuestion=Jeni i sigurt që dëshironi të caktoni %s rekordet e zgjedhura? +CommercialsAffected=Përfaqësuesit e shitjeve të caktuar +CommercialAffected=Përfaqësuesi i shitjeve i caktuar +YourMessage=Mesazhi juaj +YourMessageHasBeenReceived=Mesazhi juaj është marrë. Ne do t'ju përgjigjemi ose do t'ju kontaktojmë sa më shpejt të jetë e mundur. +UrlToCheck=Url për të kontrolluar +Automation=Automatizimi +CreatedByEmailCollector=Krijuar nga mbledhësi i postës elektronike +CreatedByPublicPortal=Krijuar nga Portali Publik +UserAgent=Agjenti i përdoruesit InternalUser=Përdorues i brendshëm ExternalUser=Përdorues i jashtëm +NoSpecificContactAddress=Asnjë kontakt apo adresë specifike +NoSpecificContactAddressBis=Kjo skedë është e dedikuar për të detyruar kontakte ose adresa specifike për objektin aktual. Përdoreni atë vetëm nëse dëshironi të përcaktoni një ose disa kontakte ose adresa specifike për objektin kur informacioni për palën e tretë nuk është i mjaftueshëm ose jo i saktë. +HideOnVCard=Fshih %s +AddToContacts=Shto adresën në kontaktet e mia +LastAccess=Qasja e fundit +UploadAnImageToSeeAPhotoHere=Ngarko një imazh nga skeda %s për të parë një foto këtu +LastPasswordChangeDate=Data e fundit e ndryshimit të fjalëkalimit +PublicVirtualCardUrl=URL e faqes së kartës së biznesit virtual +PublicVirtualCard=Kartëvizitë virtuale +TreeView=Pamje nga pema +DropFileToAddItToObject=Hidhni një skedar për ta shtuar në këtë objekt +UploadFileDragDropSuccess=Skedari(et) janë ngarkuar me sukses +SearchSyntaxTooltipForStringOrNum=Për të kërkuar brenda fushave të tekstit, mund të përdorni karakteret ^ ose $ për të bërë një kërkim 'fillimi ose mbarimi me' ose përdorni ! për të bërë një test 'nuk përmban'. Ju mund të përdorni | ndërmjet dy vargjeve në vend të një hapësire për një kusht 'OR' në vend të 'AND'. Për vlerat numerike, mund të përdorni operatorin <, >, <=, >= ose != përpara vlerës, për të filtruar duke përdorur një krahasim matematikor +InProgress=Në vazhdim +DateOfPrinting=Data e shtypjes +ClickFullScreenEscapeToLeave=Kliko këtu për të kaluar në modalitetin e ekranit të plotë. Shtypni ESCAPE për të dalë nga modaliteti i ekranit të plotë. +UserNotYetValid=Nuk është ende e vlefshme +UserExpired=I skaduar +LinkANewFile=Lidhni një skedar/dokument të ri +LinkedFiles=Skedarët dhe dokumentet e lidhura +NoLinkFound=Nuk ka lidhje të regjistruara +LinkComplete=Skedari është lidhur me sukses +ErrorFileNotLinked=Skedari nuk mund të lidhej +LinkRemoved=Lidhja %s është hequr +ErrorFailedToDeleteLink= Heqja e lidhjes '%s' dështoi +ErrorFailedToUpdateLink= Përditësimi i lidhjes '%s' dështoi +URLToLink=URL për lidhjen +OverwriteIfExists=Mbishkruani nëse skedari ekziston +AmountSalary=Shuma e pagës +InvoiceSubtype=Nëntipi i faturës +ConfirmMassReverse=Konfirmim i kundërt me shumicë +ConfirmMassReverseQuestion=Jeni i sigurt që dëshironi të ktheni mbrapsht rekordet e zgjedhura %s? + diff --git a/htdocs/langs/sq_AL/margins.lang b/htdocs/langs/sq_AL/margins.lang index a91b139ec7b..349e3e3874e 100644 --- a/htdocs/langs/sq_AL/margins.lang +++ b/htdocs/langs/sq_AL/margins.lang @@ -1,45 +1,46 @@ # Dolibarr language file - Source file is en_US - marges -Margin=Margin -Margins=Margins -TotalMargin=Total Margin -MarginOnProducts=Margin / Products -MarginOnServices=Margin / Services -MarginRate=Margin rate -MarkRate=Mark rate -DisplayMarginRates=Display margin rates -DisplayMarkRates=Display mark rates -InputPrice=Input price -margin=Profit margins management -margesSetup=Profit margins management setup -MarginDetails=Margin details -ProductMargins=Product margins -CustomerMargins=Customer margins -SalesRepresentativeMargins=Sales representative margins -ContactOfInvoice=Contact of invoice -UserMargins=User margins -ProductService=Product or Service -AllProducts=All products and services -ChooseProduct/Service=Choose product or service -ForceBuyingPriceIfNull=Force buying/cost price to selling price if not defined -ForceBuyingPriceIfNullDetails=If buying/cost price not provided when we add a new line, and this option is "ON", the margin will be 0%% on the new line (buying/cost price = selling price). If this option is "OFF" (recommended), margin will be equal to the value suggested by default (and may be 100%% if no default value can be found). -MARGIN_METHODE_FOR_DISCOUNT=Margin method for global discounts -UseDiscountAsProduct=As a product -UseDiscountAsService=As a service -UseDiscountOnTotal=On subtotal -MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Defines if a global discount is treated as a product, a service, or only on subtotal for margin calculation. -MARGIN_TYPE=Buying/Cost price suggested by default for margin calculation -MargeType1=Margin on Best vendor price -MargeType2=Margin on Weighted Average Price (WAP) -MargeType3=Margin on Cost Price -MarginTypeDesc=* Margin on best buying price = Selling price - Best vendor price defined on product card
      * Margin on Weighted Average Price (WAP) = Selling price - Product Weighted Average Price (WAP) or best vendor price if WAP not yet defined
      * Margin on Cost price = Selling price - Cost price defined on product card or WAP if cost price not defined, or best vendor price if WAP not yet defined -CostPrice=Cost price -UnitCharges=Unit charges -Charges=Charges -AgentContactType=Commercial agent contact type -AgentContactTypeDetails=Define what contact type (linked on invoices) will be used for margin report per contact/address. Note that reading statistics on a contact is not reliable since in most cases the contact may not be defined explicitely on the invoices. -rateMustBeNumeric=Rate must be a numeric value -markRateShouldBeLesserThan100=Mark rate should be lower than 100 -ShowMarginInfos=Show margin infos -CheckMargins=Margins detail -MarginPerSaleRepresentativeWarning=The report of margin per user use the link between third parties and sale representatives to calculate the margin of each sale representative. Because some thirdparties may not have any dedicated sale representative and some third parties may be linked to several, some amounts may not be included into this report (if there is no sale representative) and some may appear on different lines (for each sale representative). +Margin=Marzhi +Margins=Margjinat +TotalMargin=Marzhi total +MarginOnProducts=Marzhi / Produktet +MarginOnServices=Marzhi / Shërbimet +MarginRate=Norma e marzhit +ModifyMarginRates=Ndrysho normat e marzhit +MarkRate=Shënoni normën +DisplayMarginRates=Shfaq normat e marzhit +DisplayMarkRates=Shfaq normat e markave +InputPrice=Çmimi i hyrjes +margin=Menaxhimi i marzheve të fitimit +margesSetup=Konfigurimi i menaxhimit të marzheve të fitimit +MarginDetails=Detajet e marzhit +ProductMargins=Marzhet e produktit +CustomerMargins=Marzhet e klientit +SalesRepresentativeMargins=Marzhet e përfaqësuesit të shitjeve +ContactOfInvoice=Kontakti i faturës +UserMargins=Kufijtë e përdoruesit +ProductService=Produkti ose Shërbimi +AllProducts=Të gjitha produktet dhe shërbimet +ChooseProduct/Service=Zgjidhni produktin ose shërbimin +ForceBuyingPriceIfNull=Detyro blerjen/çmimin e kostos në çmimin e shitjes nëse nuk përcaktohet +ForceBuyingPriceIfNullDetails=Nëse çmimi i blerjes/kostos nuk ofrohet kur shtojmë një linjë të re dhe ky opsion është "ON", marzhi do të jetë 0%% në linjën e re (blerja/çmimi i kostos = Çmimi i shitjes). Nëse ky opsion është "OFF" (rekomandohet), marzhi do të jetë i barabartë me vlerën e sugjeruar si parazgjedhje (dhe mund të jetë 100%% nëse nuk mund të gjendet asnjë vlerë e paracaktuar). +MARGIN_METHODE_FOR_DISCOUNT=Metoda e marzhit për zbritjet globale +UseDiscountAsProduct=Si produkt +UseDiscountAsService=Si shërbim +UseDiscountOnTotal=Në nëntotal +MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Përcakton nëse një zbritje globale trajtohet si produkt, shërbim ose vetëm në nëntotalin për llogaritjen e marzhit. +MARGIN_TYPE=Blerja/Çmimi i kostos sugjerohet si parazgjedhje për llogaritjen e marzhit +MargeType1=Marzhi në çmimin më të mirë të shitësit +MargeType2=Marzhi në çmimin mesatar të ponderuar (WAP) +MargeType3=Marzhi në çmimin e kostos +MarginTypeDesc=* Marzhi në çmimin më të mirë të blerjes = Çmimi i shitjes - Çmimi më i mirë i shitësit i përcaktuar në kartën e produktit
      * Marzhi në çmimin mesatar të ponderuar (WAP) = Çmimi i shitjes - Çmimi mesatar i ponderuar i produktit (WAP) ose çmimi më i mirë i shitësit nëse WAP nuk është përcaktuar ende
      * Marzhi në çmimin e kostos = çmimi i shitjes - Çmimi i kostos i përcaktuar në kartën e produktit ose WAP nëse çmimi i kostos nuk është përcaktuar, ose çmimi më i mirë i shitësit nëse WAP ende nuk është përcaktuar +CostPrice=Çmimi i kostos +UnitCharges=Tarifat për njësi +Charges=Akuzat +AgentContactType=Lloji i kontaktit të agjentit tregtar +AgentContactTypeDetails=Përcaktoni se çfarë lloji kontakti (i lidhur në fatura) do të përdoret për raportin e marzhit për kontakt/adresë. Vini re se leximi i statistikave për një kontakt nuk është i besueshëm pasi në shumicën e rasteve kontakti mund të mos përcaktohet në mënyrë eksplicite në fatura. +rateMustBeNumeric=Norma duhet të jetë një vlerë numerike +markRateShouldBeLesserThan100=Norma e markës duhet të jetë më e ulët se 100 +ShowMarginInfos=Shfaq informacionet e margjinës +CheckMargins=Detajet e marzheve +MarginPerSaleRepresentativeWarning=Raporti i marzhit për përdorues përdor lidhjen midis palëve të treta dhe përfaqësuesve të shitjes për të llogaritur marzhin e secilit përfaqësues të shitjes. Për shkak se disa palë të treta mund të mos kenë ndonjë përfaqësues të dedikuar shitjeje dhe disa palë të treta mund të jenë të lidhura me disa, disa shuma mund të mos përfshihen në këtë raport (nëse nuk ka përfaqësues shitje) dhe disa mund të shfaqen në linja të ndryshme (për secilin përfaqësues shitje) . diff --git a/htdocs/langs/sq_AL/members.lang b/htdocs/langs/sq_AL/members.lang index 1ae86c55e5b..49a98dd0d6e 100644 --- a/htdocs/langs/sq_AL/members.lang +++ b/htdocs/langs/sq_AL/members.lang @@ -1,220 +1,246 @@ # Dolibarr language file - Source file is en_US - members -MembersArea=Members area -MemberCard=Member card -SubscriptionCard=Subscription card -Member=Member -Members=Members -ShowMember=Show member card -UserNotLinkedToMember=User not linked to a member -ThirdpartyNotLinkedToMember=Third party not linked to a member -MembersTickets=Membership address sheet -FundationMembers=Foundation members -ListOfValidatedPublicMembers=List of validated public members -ErrorThisMemberIsNotPublic=This member is not public -ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, login: %s) is already linked to a third party %s. Remove this link first because a third party can't be linked to only a member (and vice versa). -ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. -SetLinkToUser=Link to a Dolibarr user -SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Business cards for members -MembersList=List of members -MembersListToValid=List of draft members (to be validated) -MembersListValid=List of valid members -MembersListUpToDate=List of valid members with up-to-date contribution -MembersListNotUpToDate=List of valid members with out-of-date contribution -MembersListExcluded=List of excluded members -MembersListResiliated=List of terminated members -MembersListQualified=List of qualified members -MenuMembersToValidate=Draft members -MenuMembersValidated=Validated members -MenuMembersExcluded=Excluded members -MenuMembersResiliated=Terminated members -MembersWithSubscriptionToReceive=Members with contribution to receive -MembersWithSubscriptionToReceiveShort=Contributions to receive -DateSubscription=Date of membership -DateEndSubscription=End date of membership -EndSubscription=End of membership -SubscriptionId=Contribution ID -WithoutSubscription=Without contribution -MemberId=Member id -NewMember=New member -MemberType=Member type -MemberTypeId=Member type id -MemberTypeLabel=Member type label -MembersTypes=Members types -MemberStatusDraft=Draft (needs to be validated) +MembersArea=Zona e anëtarëve +MemberCard=Karta e anëtarit +SubscriptionCard=Karta e abonimit +Member=Anëtar +Members=Anëtarët +NoRecordedMembers=Nuk ka anëtarë të regjistruar +NoRecordedMembersByType=Nuk ka anëtarë të regjistruar +ShowMember=Trego kartën e anëtarit +UserNotLinkedToMember=Përdoruesi nuk është i lidhur me një anëtar +ThirdpartyNotLinkedToMember=Pala e tretë nuk është e lidhur me një anëtar +MembersTickets=Fleta e adresës së anëtarësimit +FundationMembers=Anëtarët e fondacionit +ListOfValidatedPublicMembers=Lista e anëtarëve publikë të vërtetuar +ErrorThisMemberIsNotPublic=Ky anëtar nuk është publik +ErrorMemberIsAlreadyLinkedToThisThirdParty=Një anëtar tjetër (emri: %s, , classlog ='notranslate'>%s) është tashmë i lidhur me një palë të tretë class='notranslate '>
      %s. Hiqe fillimisht këtë lidhje sepse një palë e tretë nuk mund të lidhet vetëm me një anëtar (dhe anasjelltas). +ErrorUserPermissionAllowsToLinksToItselfOnly=Për arsye sigurie, duhet t'ju jepen lejet për të modifikuar të gjithë përdoruesit që të mund të lidhni një anëtar me një përdorues që nuk është i juaji. +SetLinkToUser=Lidhje me një përdorues të Dolibarr +SetLinkToThirdParty=Lidhja me një palë të tretë të Dolibarr +MemberCountersArePublic=Numëruesit e anëtarëve të vlefshëm janë publikë +MembersCards=Gjenerimi i kartave për anëtarët +MembersList=Lista e anëtarëve +MembersListToValid=Lista e draft anëtarëve (për t'u vërtetuar) +MembersListValid=Lista e anëtarëve të vlefshëm +MembersListUpToDate=Lista e anëtarëve të vlefshëm me kontribut të përditësuar +MembersListNotUpToDate=Lista e anëtarëve të vlefshëm me kontribut të vjetëruar +MembersListExcluded=Lista e anëtarëve të përjashtuar +MembersListResiliated=Lista e anëtarëve të pushuar +MembersListQualified=Lista e anëtarëve të kualifikuar +MembersShowMembershipTypesTable=Trego një tabelë të të gjitha llojeve të anëtarësimit në dispozicion (nëse jo, trego direkt formularin e regjistrimit) +MembersShowVotesAllowed=Tregoni nëse votat lejohen, në tabelën e llojeve të anëtarësimit +MenuMembersToValidate=Anëtarët draft +MenuMembersValidated=Anëtarë të vlerësuar +MenuMembersExcluded=Anëtarët e përjashtuar +MenuMembersResiliated=Anëtarët e ndërprerë +MembersWithSubscriptionToReceive=Anëtarët me kontribut për të marrë +MembersWithSubscriptionToReceiveShort=Kontributet për të marrë +DateSubscription=Data e anëtarësimit +DateEndSubscription=Data e përfundimit të anëtarësimit +EndSubscription=Fundi i anëtarësimit +SubscriptionId=ID-ja e kontributit +WithoutSubscription=Pa anëtarësim +WaitingSubscription=Anëtarësimi në pritje +WaitingSubscriptionShort=Në pritje +MemberId=ID-ja e anëtarit +MemberRef=Anëtari Ref +NewMember=Anëtar i ri +MemberType=Lloji i anëtarit +MemberTypeId=ID e llojit të anëtarit +MemberTypeLabel=Etiketa e llojit të anëtarit +MembersTypes=Llojet e anëtarëve +MemberStatusDraft=Drafti (duhet të vërtetohet) MemberStatusDraftShort=Draft -MemberStatusActive=Validated (waiting contribution) -MemberStatusActiveShort=Validated -MemberStatusActiveLate=Contribution expired -MemberStatusActiveLateShort=Expired -MemberStatusPaid=Subscription up to date -MemberStatusPaidShort=Up to date -MemberStatusExcluded=Excluded member -MemberStatusExcludedShort=Excluded -MemberStatusResiliated=Terminated member -MemberStatusResiliatedShort=Terminated -MembersStatusToValid=Draft members -MembersStatusExcluded=Excluded members -MembersStatusResiliated=Terminated members -MemberStatusNoSubscription=Validated (no contribution required) -MemberStatusNoSubscriptionShort=Validated -SubscriptionNotNeeded=No contribution required -NewCotisation=New contribution -PaymentSubscription=New contribution payment -SubscriptionEndDate=Subscription's end date -MembersTypeSetup=Members type setup -MemberTypeModified=Member type modified -DeleteAMemberType=Delete a member type -ConfirmDeleteMemberType=Are you sure you want to delete this member type? -MemberTypeDeleted=Member type deleted -MemberTypeCanNotBeDeleted=Member type can not be deleted -NewSubscription=New contribution -NewSubscriptionDesc=This form allows you to record your subscription as a new member of the foundation. If you want to renew your subscription (if already a member), please contact foundation board instead by email %s. -Subscription=Contribution -Subscriptions=Contributions -SubscriptionLate=Late -SubscriptionNotReceived=Contribution never received -ListOfSubscriptions=List of contributions -SendCardByMail=Send card by email -AddMember=Create member -NoTypeDefinedGoToSetup=No member types defined. Go to menu "Members types" -NewMemberType=New member type -WelcomeEMail=Welcome email -SubscriptionRequired=Contribution required +MemberStatusActive=Vërtetuar (kontributi në pritje) +MemberStatusActiveShort=E vërtetuar +MemberStatusActiveLate=Kontributi ka skaduar +MemberStatusActiveLateShort=I skaduar +MemberStatusPaid=Abonimi i përditësuar +MemberStatusPaidShort=Të përditësuar +MemberStatusExcluded=Anëtar i përjashtuar +MemberStatusExcludedShort=Të përjashtuar +MemberStatusResiliated=Anëtar i përfunduar +MemberStatusResiliatedShort=Përfundoi +MembersStatusToValid=Anëtarët draft +MembersStatusExcluded=Anëtarët e përjashtuar +MembersStatusResiliated=Anëtarët e ndërprerë +MemberStatusNoSubscription=Vërtetuar (nuk kërkohet kontribut) +MemberStatusNoSubscriptionShort=E vërtetuar +SubscriptionNotNeeded=Asnjë kontribut nuk kërkohet +NewCotisation=Kontribut i ri +PaymentSubscription=Pagesa e re e kontributit +SubscriptionEndDate=Data e përfundimit të abonimit +MembersTypeSetup=Konfigurimi i tipit të anëtarëve +MemberTypeModified=Lloji i anëtarit është modifikuar +DeleteAMemberType=Fshi një lloj anëtari +ConfirmDeleteMemberType=Jeni i sigurt që dëshironi të fshini këtë lloj anëtari? +MemberTypeDeleted=Lloji i anëtarit u fshi +MemberTypeCanNotBeDeleted=Lloji i anëtarit nuk mund të fshihet +NewSubscription=Kontribut i ri +NewSubscriptionDesc=Ky formular ju lejon të regjistroni abonimin tuaj si një anëtar i ri i fondacionit. Nëse dëshironi të rinovoni abonimin tuaj (nëse tashmë jeni anëtar), ju lutemi kontaktoni bordin e fondacionit me email %s. +Subscription=Kontributi +AnyAmountWithAdvisedAmount=Çdo sasi e zgjedhjes suaj, rekomandohet %s +AnyAmountWithoutAdvisedAmount=Çdo sasi e zgjedhjes suaj +CanEditAmountShort=Çdo sasi +CanEditAmountShortForValues=rekomandohet, çdo sasi +MembershipDuration=Kohëzgjatja +GetMembershipButtonLabel=Bashkohu +Subscriptions=Kontributet +SubscriptionLate=Me vonesë +SubscriptionNotReceived=Kontributi nuk u mor kurrë +ListOfSubscriptions=Lista e kontributeve +SendCardByMail=Dërgo kartën me email +AddMember=Krijo një anëtar +NoTypeDefinedGoToSetup=Nuk ka lloje të anëtarëve të përcaktuar. Shkoni te menyja "Llojet e anëtarëve" +NewMemberType=Lloji i ri i anëtarit +WelcomeEMail=Email mirëseardhjeje +SubscriptionRequired=Kërkohet kontribut +SubscriptionRequiredDesc=Nëse kërkohet abonim, duhet të regjistrohet një abonim me datë fillimi ose mbarimi për ta përditësuar anëtarin (çfarëdo që të jetë shuma e abonimit, edhe nëse abonimi është falas). DeleteType=Fshi -VoteAllowed=Vote allowed +VoteAllowed=Vota e lejuar Physical=Individual -Moral=Corporation -MorAndPhy=Corporation and Individual -Reenable=Re-Enable -ExcludeMember=Exclude a member -Exclude=Exclude -ConfirmExcludeMember=Are you sure you want to exclude this member ? -ResiliateMember=Terminate a member -ConfirmResiliateMember=Are you sure you want to terminate this member? -DeleteMember=Delete a member -ConfirmDeleteMember=Are you sure you want to delete this member (Deleting a member will delete all his contributions)? -DeleteSubscription=Delete a subscription -ConfirmDeleteSubscription=Are you sure you want to delete this contribution? -Filehtpasswd=htpasswd file -ValidateMember=Validate a member -ConfirmValidateMember=Are you sure you want to validate this member? -FollowingLinksArePublic=The following links are open pages not protected by any Dolibarr permission. They are not formatted pages, provided as example to show how to list members database. -PublicMemberList=Public member list -BlankSubscriptionForm=Public self-registration form -BlankSubscriptionFormDesc=Dolibarr can provide you a public URL/website to allow external visitors to ask to subscribe to the foundation. If an online payment module is enabled, a payment form may also be automatically provided. -EnablePublicSubscriptionForm=Enable the public website with self-subscription form -ForceMemberType=Force the member type -ExportDataset_member_1=Members and contributions -ImportDataset_member_1=Members -LastMembersModified=Latest %s modified members -LastSubscriptionsModified=Latest %s modified contributions -String=String -Text=Text +Moral=Korporata +MorAndPhy=Korporata dhe Individi +Reenable=Ri-aktivizo +ExcludeMember=Përjashtoni një anëtar +Exclude=Përjashtoni +ConfirmExcludeMember=Jeni i sigurt që dëshironi ta përjashtoni këtë anëtar? +ResiliateMember=Përfundoni një anëtar +ConfirmResiliateMember=Jeni i sigurt që dëshironi ta mbyllni këtë anëtar? +DeleteMember=Fshi një anëtar +ConfirmDeleteMember=Jeni i sigurt që dëshironi ta fshini këtë anëtar (Fshirja e një anëtari do të fshijë të gjitha kontributet e tij)? +DeleteSubscription=Fshi një abonim +ConfirmDeleteSubscription=Jeni i sigurt që dëshironi ta fshini këtë kontribut? +Filehtpasswd=skedar htpasswd +ValidateMember=Verifikoni një anëtar +ConfirmValidateMember=Jeni i sigurt që dëshironi ta vërtetoni këtë anëtar? +FollowingLinksArePublic=Lidhjet e mëposhtme janë faqe të hapura që nuk mbrohen nga asnjë leje Dolibarr. Ato nuk janë faqe të formatuara, të ofruara si shembull për të treguar se si të listohet databaza e anëtarëve. +PublicMemberList=Lista e anëtarëve publikë +BlankSubscriptionForm=Formulari i vetëregjistrimit publik +BlankSubscriptionFormDesc=Dolibarr mund t'ju ofrojë një URL/faqe të internetit publike për të lejuar vizitorët e jashtëm të kërkojnë të abonohen në fondacion. Nëse aktivizohet një modul pagese në internet, mund të sigurohet automatikisht edhe një formular pagese. +EnablePublicSubscriptionForm=Aktivizo uebsajtin publik me formularin e vetë-abonimit +ForceMemberType=Forco llojin e anëtarit +ExportDataset_member_1=Anëtarët dhe kontributet +ImportDataset_member_1=Anëtarët +LastMembersModified=Anëtarët e fundit të modifikuar %s +LastSubscriptionsModified=Kontributet më të fundit të modifikuara %s +String=Vargu +Text=Teksti Int=Int -DateAndTime=Date and time -PublicMemberCard=Member public card -SubscriptionNotRecorded=Contribution not recorded -AddSubscription=Create contribution -ShowSubscription=Show contribution +DateAndTime=Data dhe ora +PublicMemberCard=Karta e anëtarit publik +SubscriptionNotRecorded=Kontributi nuk është regjistruar +AddSubscription=Krijo kontribut +ShowSubscription=Trego kontributin # Label of email templates -SendingAnEMailToMember=Sending information email to member -SendingEmailOnAutoSubscription=Sending email on auto registration -SendingEmailOnMemberValidation=Sending email on new member validation -SendingEmailOnNewSubscription=Sending email on new contribution -SendingReminderForExpiredSubscription=Sending reminder for expired contributions -SendingEmailOnCancelation=Sending email on cancelation -SendingReminderActionComm=Sending reminder for agenda event +SendingAnEMailToMember=Dërgimi i një emaili informacioni tek anëtari +SendingEmailOnAutoSubscription=Dërgimi i emailit në regjistrimin automatik +SendingEmailOnMemberValidation=Dërgimi i emailit për vërtetimin e anëtarëve të rinj +SendingEmailOnNewSubscription=Dërgimi i emailit për kontributin e ri +SendingReminderForExpiredSubscription=Dërgimi i kujtesës për kontributet e skaduara +SendingEmailOnCancelation=Dërgimi i emailit për anulimin +SendingReminderActionComm=Dërgimi i kujtesës për ngjarjen e axhendës # Topic of email templates -YourMembershipRequestWasReceived=Your membership was received. -YourMembershipWasValidated=Your membership was validated -YourSubscriptionWasRecorded=Your new contribution was recorded -SubscriptionReminderEmail=contribution reminder -YourMembershipWasCanceled=Your membership was canceled -CardContent=Content of your member card +YourMembershipRequestWasReceived=Anëtarësimi juaj u mor. +YourMembershipWasValidated=Anëtarësimi juaj u vërtetua +YourSubscriptionWasRecorded=Kontributi juaj i ri u regjistrua +SubscriptionReminderEmail=kujtesë kontributi +YourMembershipWasCanceled=Anëtarësimi juaj u anulua +CardContent=Përmbajtja e kartës suaj të anëtarit # Text of email templates -ThisIsContentOfYourMembershipRequestWasReceived=We want to let you know that your membership request was received.

      -ThisIsContentOfYourMembershipWasValidated=We want to let you know that your membership was validated with the following information:

      -ThisIsContentOfYourSubscriptionWasRecorded=We want to let you know that your new subscription was recorded.

      -ThisIsContentOfSubscriptionReminderEmail=We want to let you know that your subscription is about to expire or has already expired (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). We hope you will renew it.

      -ThisIsContentOfYourCard=This is a summary of the information we have about you. Please contact us if anything is incorrect.

      -DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Subject of the notification email received in case of auto-inscription of a guest -DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Content of the notification email received in case of auto-inscription of a guest -DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Email template to use to send email to a member on member auto-registration -DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Email template to use to send email to a member on member validation -DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Email template to use to send email to a member on new contribution recording -DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Email template to use to send email reminder when contribution is about to expire -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Email template to use to send email to a member on member cancelation -DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Email template to use to send email to a member on member exclusion -DescADHERENT_MAIL_FROM=Sender Email for automatic emails -DescADHERENT_ETIQUETTE_TYPE=Format of labels page -DescADHERENT_ETIQUETTE_TEXT=Text printed on member address sheets -DescADHERENT_CARD_TYPE=Format of cards page -DescADHERENT_CARD_HEADER_TEXT=Text printed on top of member cards -DescADHERENT_CARD_TEXT=Text printed on member cards (align on left) -DescADHERENT_CARD_TEXT_RIGHT=Text printed on member cards (align on right) -DescADHERENT_CARD_FOOTER_TEXT=Text printed on bottom of member cards -ShowTypeCard=Show type '%s' -HTPasswordExport=htpassword file generation -NoThirdPartyAssociatedToMember=No third party associated with this member -MembersAndSubscriptions=Members and Contributions -MoreActions=Complementary action on recording -MoreActionsOnSubscription=Complementary action, suggested by default when recording a contribution -MoreActionBankDirect=Create a direct entry on bank account -MoreActionBankViaInvoice=Create an invoice, and a payment on bank account -MoreActionInvoiceOnly=Create an invoice with no payment -LinkToGeneratedPages=Generate visit cards -LinkToGeneratedPagesDesc=This screen allows you to generate PDF files with business cards for all your members or a particular member. -DocForAllMembersCards=Generate business cards for all members -DocForOneMemberCards=Generate business cards for a particular member -DocForLabels=Generate address sheets -SubscriptionPayment=Contribution payment -LastSubscriptionDate=Date of latest contribution payment -LastSubscriptionAmount=Amount of latest contribution -LastMemberType=Last Member type -MembersStatisticsByCountries=Members statistics by country -MembersStatisticsByState=Members statistics by state/province -MembersStatisticsByTown=Members statistics by town -MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Total number of members -NbOfActiveMembers=Total number of current active members -NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. -MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics of members by town. -MembersByNature=This screen show you statistics of members by nature. -MembersByRegion=This screen show you statistics of members by region. -MembersStatisticsDesc=Choose statistics you want to read... -MenuMembersStats=Statistics -LastMemberDate=Latest membership date -LatestSubscriptionDate=Latest contribution date -MemberNature=Nature of the member -MembersNature=Nature of the members -Public=Information is public -NewMemberbyWeb=New member added. Awaiting approval -NewMemberForm=New member form -SubscriptionsStatistics=Contributions statistics -NbOfSubscriptions=Number of contributions -AmountOfSubscriptions=Amount collected from contributions -TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) -DefaultAmount=Default amount of contribution -CanEditAmount=Visitor can choose/edit amount of its contribution -MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page -ByProperties=By nature -MembersStatisticsByProperties=Members statistics by nature -VATToUseForSubscriptions=VAT rate to use for contributionss -NoVatOnSubscription=No VAT for contributions -ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for contribution line into invoice: %s -NameOrCompany=Name or company -SubscriptionRecorded=Contribution recorded -NoEmailSentToMember=No email sent to member -EmailSentToMember=Email sent to member at %s -SendReminderForExpiredSubscriptionTitle=Send reminder by email for expired contributions -SendReminderForExpiredSubscription=Send reminder by email to members when contribution is about to expire (parameter is number of days before end of membership to send the remind. It can be a list of days separated by a semicolon, for example '10;5;0;-5') -MembershipPaid=Membership paid for current period (until %s) -YouMayFindYourInvoiceInThisEmail=You may find your invoice attached to this email -XMembersClosed=%s member(s) closed -XExternalUserCreated=%s external user(s) created -ForceMemberNature=Force member nature (Individual or Corporation) -CreateDolibarrLoginDesc=The creation of a user login for members allows them to connect to the application. Depending on the authorizations granted, they will be able, for example, to consult or modify their file themselves. -CreateDolibarrThirdPartyDesc=A thirdparty is the legal entity that will be used on the invoice if you decide to generate invoice for each contribution. You will be able to create it later during the process of recording the contribution. +ThisIsContentOfYourMembershipRequestWasReceived=Ne duam t'ju njoftojmë se kërkesa juaj për anëtarësim është marrë.

      +ThisIsContentOfYourMembershipWasValidated=Ne duam t'ju njoftojmë se anëtarësimi juaj u vërtetua me informacionin e mëposhtëm:

      +ThisIsContentOfYourSubscriptionWasRecorded=Ne duam t'ju njoftojmë se abonimi juaj i ri është regjistruar. Ju lutemi gjeni faturën tuaj këtu të bashkangjitur.

      +ThisIsContentOfSubscriptionReminderEmail=Ne duam t'ju bëjmë të ditur se abonimi juaj është gati të skadojë ose ka skaduar tashmë (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). Shpresojmë se do ta rinovoni.

      +ThisIsContentOfYourCard=Kjo është një përmbledhje e informacionit që kemi për ju. Ju lutemi na kontaktoni nëse ndonjë gjë është e pasaktë.

      +DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Subjekti i emailit të njoftimit të marrë në rast të mbishkrimit automatik të një mysafiri +DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Përmbajtja e emailit të njoftimit të marrë në rast të mbishkrimit automatik të një mysafiri +DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Modeli i postës elektronike për t'u përdorur për t'i dërguar email një anëtari në regjistrimin automatik të anëtarëve +DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Modeli i postës elektronike për t'u përdorur për t'i dërguar email një anëtari në verifikimin e anëtarit +DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Modeli i postës elektronike për t'u përdorur për t'i dërguar email një anëtari në regjistrimin e ri të kontributit +DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Modeli i postës elektronike për t'u përdorur për të dërguar rikujtues me email kur kontributi është gati të skadojë +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Modeli i postës elektronike për t'u përdorur për t'i dërguar email një anëtari pas anulimit të anëtarit +DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Modeli i postës elektronike për t'u përdorur për t'i dërguar email një anëtari për përjashtimin e anëtarëve +DescADHERENT_MAIL_FROM=Email dërguesi për emailet automatike +DescADHERENT_CC_MAIL_FROM=Dërgo kopje automatike të emailit te +DescADHERENT_ETIQUETTE_TYPE=Formati i faqes së etiketave +DescADHERENT_ETIQUETTE_TEXT=Teksti i printuar në fletët e adresave të anëtarëve +DescADHERENT_CARD_TYPE=Faqja e formatit të kartave +DescADHERENT_CARD_HEADER_TEXT=Teksti i printuar në krye të kartave të anëtarëve +DescADHERENT_CARD_TEXT=Teksti i printuar në kartat e anëtarëve (radhisni në të majtë) +DescADHERENT_CARD_TEXT_RIGHT=Teksti i printuar në kartat e anëtarëve (radhisni në të djathtë) +DescADHERENT_CARD_FOOTER_TEXT=Teksti i printuar në fund të kartave të anëtarëve +ShowTypeCard=Shfaq llojin '%s' +HTPasswordExport=gjenerimi i skedarit htpassword +NoThirdPartyAssociatedToMember=Asnjë palë e tretë e lidhur me këtë anëtar +MembersAndSubscriptions=Anëtarët dhe Kontributet +MoreActions=Veprimi plotësues në regjistrim +MoreActionsOnSubscription=Veprimi plotësues i sugjeruar si parazgjedhje kur regjistrohet një kontribut, bëhet gjithashtu automatikisht në pagesën online të një kontributi +MoreActionBankDirect=Krijoni një hyrje të drejtpërdrejtë në llogarinë bankare +MoreActionBankViaInvoice=Krijo një faturë dhe një pagesë në llogarinë bankare +MoreActionInvoiceOnly=Krijo një faturë pa pagesë +LinkToGeneratedPages=Gjenerimi i kartave të biznesit ose fletëve të adresave +LinkToGeneratedPagesDesc=Ky ekran ju lejon të gjeneroni skedarë PDF me karta biznesi për të gjithë anëtarët tuaj ose një anëtar të caktuar. +DocForAllMembersCards=Krijoni karta biznesi për të gjithë anëtarët +DocForOneMemberCards=Krijoni karta biznesi për një anëtar të caktuar +DocForLabels=Gjeneroni fletë adresash +SubscriptionPayment=Pagesa e kontributit +LastSubscriptionDate=Data e pagesës së fundit të kontributit +LastSubscriptionAmount=Shuma e kontributit të fundit +LastMemberType=Lloji i Anëtarit të fundit +MembersStatisticsByCountries=Statistikat e anëtarëve sipas vendit +MembersStatisticsByState=Statistikat e anëtarëve sipas shtetit/krahinës +MembersStatisticsByTown=Statistikat e anëtarëve sipas qytetit +MembersStatisticsByRegion=Statistikat e anëtarëve sipas rajonit +NbOfMembers=Numri total i anëtarëve +NbOfActiveMembers=Numri total i anëtarëve aktualë aktivë +NoValidatedMemberYet=Nuk u gjetën anëtarë të vërtetuar +MembersByCountryDesc=Ky ekran ju tregon statistikat e anëtarëve sipas vendeve. Grafikët dhe grafikët varen nga disponueshmëria e shërbimit të grafikëve në internet të Google, si dhe nga disponueshmëria e një lidhjeje interneti që funksionon. +MembersByStateDesc=Ky ekran ju tregon statistikat e anëtarëve sipas shteteve/provincave/kantonit. +MembersByTownDesc=Ky ekran ju tregon statistikat e anëtarëve sipas qytetit. +MembersByNature=Ky ekran ju tregon statistikat e anëtarëve për nga natyra. +MembersByRegion=Ky ekran ju tregon statistikat e anëtarëve sipas rajonit. +MembersStatisticsDesc=Zgjidhni statistikat që dëshironi të lexoni... +MenuMembersStats=Statistikat +LastMemberDate=Data e fundit e anëtarësimit +LatestSubscriptionDate=Data e fundit e kontributit +MemberNature=Natyra e anëtarit +MembersNature=Natyra e anëtarëve +Public=%s mund të publikojë anëtarësimin tim në regjistrin publik +MembershipPublic=Anëtarësimi publik +NewMemberbyWeb=U shtua një anëtar i ri. Në pritje të miratimit +NewMemberForm=Formulari i ri i anëtarësimit +SubscriptionsStatistics=Statistikat e kontributeve +NbOfSubscriptions=Numri i kontributeve +AmountOfSubscriptions=Shuma e mbledhur nga kontributet +TurnoverOrBudget=Qarkullimi (për një kompani) ose buxheti (për një fondacion) +DefaultAmount=Shuma e paracaktuar e kontributit (përdoret vetëm nëse asnjë shumë nuk është përcaktuar në nivel të llojit të anëtarit) +MinimumAmount=Shuma minimale (përdoret vetëm kur shuma e kontributit është falas) +CanEditAmount=Shuma e abonimit mund të përcaktohet nga anëtari +CanEditAmountDetail=Vizitori mund të zgjedhë/të modifikojë shumën e kontributit të tij pavarësisht nga lloji i anëtarit +AmountIsLowerToMinimumNotice=Shuma është më e ulët se minimumi %s +MEMBER_NEWFORM_PAYONLINE=Pas regjistrimit online, kaloni automatikisht në faqen e pagesës online +ByProperties=Nga natyra +MembersStatisticsByProperties=Statistikat e anëtarëve për nga natyra +VATToUseForSubscriptions=Norma e TVSH-së për t'u përdorur për kontributet +NoVatOnSubscription=Nuk ka TVSH për kontributet +ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produkti i përdorur për linjën e kontributit në faturë: %s +NameOrCompany=Emri ose kompania +SubscriptionRecorded=Kontributi i regjistruar +NoEmailSentToMember=Asnjë email nuk i është dërguar anëtarit +EmailSentToMember=Email i dërguar anëtarit në %s +SendReminderForExpiredSubscriptionTitle=Dërgo kujtesë me email për kontributet e skaduara +SendReminderForExpiredSubscription=Dërgo rikujtues me email anëtarëve kur kontributi është gati të skadojë (parametri është numri i ditëve para përfundimit të anëtarësimit për të dërguar rikujtuesin. Mund të jetë një listë ditësh të ndara me një pikëpresje, për shembull '10;5;0;-5 ') +MembershipPaid=Anëtarësia e paguar për periudhën aktuale (deri në %s) +YouMayFindYourInvoiceInThisEmail=Ju mund ta gjeni faturën tuaj bashkangjitur këtij emaili +XMembersClosed=%s anëtarë të mbyllur +XExternalUserCreated=%s përdorues të jashtëm u krijuan +ForceMemberNature=Natyra e anëtarit të forcës (Individ ose Korporatë) +CreateDolibarrLoginDesc=Krijimi i një hyrjeje përdoruesi për anëtarët i lejon ata të lidhen me aplikacionin. Në varësi të autorizimeve të dhëna, ata do të jenë në gjendje, për shembull, të konsultohen ose të modifikojnë vetë dosjen e tyre. +CreateDolibarrThirdPartyDesc=Një palë e tretë është personi juridik që do të përdoret në faturë nëse vendosni të gjeneroni faturë për çdo kontribut. Do të mund ta krijoni më vonë gjatë procesit të regjistrimit të kontributit. +MemberFirstname=Emri i anëtarit +MemberLastname=Mbiemri i anëtarit +MemberCodeDesc=Kodi i Anëtarit, unik për të gjithë anëtarët +NoRecordedMembers=Nuk ka anëtarë të regjistruar +MemberSubscriptionStartFirstDayOf=Data e fillimit të anëtarësimit korrespondon me ditën e parë të a +MemberSubscriptionStartAfter=Periudha minimale para hyrjes në fuqi të datës së fillimit të një abonimi, përveç rinovimeve (shembull +3m = +3 muaj, -5d = -5 ditë, +1Y = +1 vit) diff --git a/htdocs/langs/sq_AL/modulebuilder.lang b/htdocs/langs/sq_AL/modulebuilder.lang index 61b5c939d12..fce7b34c27f 100644 --- a/htdocs/langs/sq_AL/modulebuilder.lang +++ b/htdocs/langs/sq_AL/modulebuilder.lang @@ -1,147 +1,189 @@ # Dolibarr language file - Source file is en_US - loan -ModuleBuilderDesc=This tool must be used only by experienced users or developers. It provides utilities to build or edit your own module. Documentation for alternative manual development is here. -EnterNameOfModuleDesc=Enter name of the module/application to create with no spaces. Use uppercase to separate words (For example: MyModule, EcommerceForShop, SyncWithMySystem...) -EnterNameOfObjectDesc=Enter name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, but also API file, pages to list/add/edit/delete object and SQL files will be generated. -ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s -ModuleBuilderDesc3=Generated/editable modules found: %s -ModuleBuilderDesc4=A module is detected as 'editable' when the file %s exists in root of module directory -NewModule=New module -NewObjectInModulebuilder=New object -ModuleKey=Module key -ObjectKey=Object key -ModuleInitialized=Module initialized -FilesForObjectInitialized=Files for new object '%s' initialized -FilesForObjectUpdated=Files for object '%s' updated (.sql files and .class.php file) -ModuleBuilderDescdescription=Enter here all general information that describe your module. -ModuleBuilderDescspecifications=You can enter here a detailed description of the specifications of your module that is not already structured into other tabs. So you have within easy reach all the rules to develop. Also this text content will be included into the generated documentation (see last tab). You can use Markdown format, but it is recommended to use Asciidoc format (comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). -ModuleBuilderDescobjects=Define here the objects you want to manage with your module. A CRUD DAO class, SQL files, page to list record of objects, to create/edit/view a record and an API will be generated. -ModuleBuilderDescmenus=This tab is dedicated to define menu entries provided by your module. -ModuleBuilderDescpermissions=This tab is dedicated to define the new permissions you want to provide with your module. -ModuleBuilderDesctriggers=This is the view of triggers provided by your module. To include code executed when a triggered business event is launched, just edit this file. -ModuleBuilderDeschooks=This tab is dedicated to hooks. -ModuleBuilderDescwidgets=This tab is dedicated to manage/build widgets. -ModuleBuilderDescbuildpackage=You can generate here a "ready to distribute" package file (a normalized .zip file) of your module and a "ready to distribute" documentation file. Just click on button to build the package or documentation file. -EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: All coding files of module (generated or created manually) AND structured data and documentation will be deleted! -EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All coding files (generated or created manually) related to object will be deleted! -DangerZone=Danger zone -BuildPackage=Build package -BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. -BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here -ModuleIsLive=This module has been activated. Any change may break a current live feature. -DescriptionLong=Long description -EditorName=Name of editor -EditorUrl=URL of editor -DescriptorFile=Descriptor file of module -ClassFile=File for PHP DAO CRUD class -ApiClassFile=File for PHP API class -PageForList=PHP page for list of record -PageForCreateEditView=PHP page to create/edit/view a record -PageForAgendaTab=PHP page for event tab -PageForDocumentTab=PHP page for document tab -PageForNoteTab=PHP page for note tab -PageForContactTab=PHP page for contact tab -PathToModulePackage=Path to zip of module/application package -PathToModuleDocumentation=Path to file of module/application documentation (%s) -SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed. -FileNotYetGenerated=File not yet generated -RegenerateClassAndSql=Force update of .class and .sql files -RegenerateMissingFiles=Generate missing files -SpecificationFile=File of documentation -LanguageFile=File for language -ObjectProperties=Object Properties -ConfirmDeleteProperty=Are you sure you want to delete the property %s? This will change code in PHP class but also remove column from table definition of object. -NotNull=Not NULL -NotNullDesc=1=Set database to NOT NULL. -1=Allow null values and force value to NULL if empty ('' or 0). -SearchAll=Used for 'search all' -DatabaseIndex=Database index -FileAlreadyExists=File %s already exists -TriggersFile=File for triggers code -HooksFile=File for hooks code -ArrayOfKeyValues=Array of key-val -ArrayOfKeyValuesDesc=Array of keys and values if field is a combo list with fixed values -WidgetFile=Widget file -CSSFile=CSS file -JSFile=Javascript file -ReadmeFile=Readme file -ChangeLog=ChangeLog file -TestClassFile=File for PHP Unit Test class -SqlFile=Sql file -PageForLib=File for the common PHP library -PageForObjLib=File for the PHP library dedicated to object -SqlFileExtraFields=Sql file for complementary attributes -SqlFileKey=Sql file for keys -SqlFileKeyExtraFields=Sql file for keys of complementary attributes -AnObjectAlreadyExistWithThisNameAndDiffCase=An object already exists with this name and a different case -UseAsciiDocFormat=You can use Markdown format, but it is recommended to use Asciidoc format (omparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) -IsAMeasure=Is a measure -DirScanned=Directory scanned -NoTrigger=No trigger -NoWidget=No widget -GoToApiExplorer=API explorer -ListOfMenusEntries=List of menu entries -ListOfDictionariesEntries=List of dictionaries entries -ListOfPermissionsDefined=List of defined permissions -SeeExamples=See examples here -EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update).

      Using a negative value means field is not shown by default on list but can be selected for viewing).

      It can be an expression, for example:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      ($user->rights->holiday->define_holiday ? 1 : 0) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
      Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

      For document :
      0 = not displayed
      1 = display
      2 = display only if not empty

      For document lines :
      0 = not displayed
      1 = displayed in a column
      3 = display in line description column after the description
      4 = display in description column after the description only if not empty -DisplayOnPdf=Display on PDF -IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) -SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) -SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. -LanguageDefDesc=Enter in this files, all the key and the translation for each language file. -MenusDefDesc=Define here the menus provided by your module -DictionariesDefDesc=Define here the dictionaries provided by your module -PermissionsDefDesc=Define here the new permissions provided by your module -MenusDefDescTooltip=The menus provided by your module/application are defined into the array $this->menus into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), menus are also visible into the menu editor available to administrator users on %s. -DictionariesDefDescTooltip=The dictionaries provided by your module/application are defined into the array $this->dictionaries into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), dictionaries are also visible into the setup area to administrator users on %s. -PermissionsDefDescTooltip=The permissions provided by your module/application are defined into the array $this->rights into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), permissions are visible into the default permissions setup %s. -HooksDefDesc=Define in the module_parts['hooks'] property, in the module descriptor, the context of hooks you want to manage (list of contexts can be found by a search on 'initHooks(' in core code).
      Edit the hook file to add code of your hooked functions (hookable functions can be found by a search on 'executeHooks' in core code). -TriggerDefDesc=Define in the trigger file the code that you want to execute when a business event external to your module is executed (events triggered by other modules). -SeeIDsInUse=See IDs in use in your installation -SeeReservedIDsRangeHere=See range of reserved IDs -ToolkitForDevelopers=Toolkit for Dolibarr developers -TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the native module builder wizard.
      Enable the module %s and use the wizard by clicking the on the top right menu.
      Warning: This is an advanced developer feature, do not experiment on your production site! -SeeTopRightMenu=See on the top right menu -AddLanguageFile=Add language file -YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages") -DropTableIfEmpty=(Destroy table if empty) -TableDoesNotExists=The table %s does not exists -TableDropped=Table %s deleted -InitStructureFromExistingTable=Build the structure array string of an existing table -UseAboutPage=Disable the about page -UseDocFolder=Disable the documentation folder -UseSpecificReadme=Use a specific ReadMe -ContentOfREADMECustomized=Note: The content of the README.md file has been replaced with the specific value defined into setup of ModuleBuilder. -RealPathOfModule=Real path of module -ContentCantBeEmpty=Content of file can't be empty -WidgetDesc=You can generate and edit here the widgets that will be embedded with your module. -CSSDesc=You can generate and edit here a file with personalized CSS embedded with your module. -JSDesc=You can generate and edit here a file with personalized Javascript embedded with your module. -CLIDesc=You can generate here some command line scripts you want to provide with your module. -CLIFile=CLI File -NoCLIFile=No CLI files -UseSpecificEditorName = Use a specific editor name -UseSpecificEditorURL = Use a specific editor URL -UseSpecificFamily = Use a specific family -UseSpecificAuthor = Use a specific author -UseSpecificVersion = Use a specific initial version -IncludeRefGeneration=The reference of object must be generated automatically -IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference -IncludeDocGeneration=I want to generate some documents from the object -IncludeDocGenerationHelp=If you check this, some code will be generated to add a "Generate document" box on the record. -ShowOnCombobox=Show value into combobox -KeyForTooltip=Key for tooltip -CSSClass=CSS for edit/create form -CSSViewClass=CSS for read form -CSSListClass=CSS for list -NotEditable=Not editable -ForeignKey=Foreign key -TypeOfFieldsHelp=Type of fields:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) -AsciiToHtmlConverter=Ascii to HTML converter -AsciiToPdfConverter=Ascii to PDF converter -TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. -ModuleBuilderNotAllowed=The module builder is available but not allowed to your user. -ImportExportProfiles=Import and export profiles -ValidateModBuilderDesc=Put 1 if this field need to be validated with $this->validateField() or 0 if validation required +IdModule= ID-ja e modulit +ModuleBuilderDesc=Ky mjet duhet të përdoret vetëm nga përdorues ose zhvillues me përvojë. Ai ofron shërbime për të ndërtuar ose modifikuar modulin tuaj. Dokumentacioni për zhvillimin manual alternativ është këtu. +EnterNameOfModuleDesc=Futni emrin e modulit/aplikacionit për të krijuar pa hapësira. Përdorni shkronja të mëdha për të ndarë fjalët (Për shembull: MyModule, EcommerceForShop, SyncWithMySystem...) +EnterNameOfObjectDesc=Futni emrin e objektit për të krijuar pa hapësira. Përdorni shkronja të mëdha për të ndarë fjalët (Për shembull: Objekti im, Student, Mësues...). Do të krijohen skedari i klasës CRUD, faqet për të renditur/shtuar/redaktuar/fshirë objektin dhe skedarët SQL. +EnterNameOfDictionaryDesc=Futni emrin e fjalorit për të krijuar pa hapësira. Përdorni shkronja të mëdha për të ndarë fjalët (Për shembull: MyDico...). Do të gjenerohet skedari i klasës, por edhe skedari SQL. +ModuleBuilderDesc2=Rruga ku gjenerohen/redaktohen modulet (drejtoria e parë për modulet e jashtme e përcaktuar në %s): %s +ModuleBuilderDesc3=Module të gjeneruara/të redaktueshme u gjetën: %sb0a65d071f6fc9>z0 +ModuleBuilderDesc4=Një modul zbulohet si "modul për ndërtuesin e modulit" kur skedari %sb0f065 ekziston në rrënjën e drejtorisë së modulit +NewModule=Moduli i ri +NewObjectInModulebuilder=Objekti i ri +NewDictionary=Fjalor i ri +ModuleName=Emri i modulit +ModuleKey=Tasti i modulit +ObjectKey=Çelësi i objektit +DicKey=Çelësi i fjalorit +ModuleInitialized=Moduli u inicializua +FilesForObjectInitialized=Skedarët për objektin e ri '%s' të inicializuar +FilesForObjectUpdated=Skedarët për objektin '%s' u përditësuan (skedarët .sql dhe skedari .class.php) +ModuleBuilderDescdescription=Vendosni këtu të gjitha informacionet e përgjithshme që përshkruajnë modulin tuaj. +ModuleBuilderDescspecifications=Këtu mund të futni një përshkrim të detajuar të specifikimeve të modulit tuaj që nuk është strukturuar tashmë në skeda të tjera. Kështu që ju keni lehtësisht të arritshme të gjitha rregullat për të zhvilluar. Gjithashtu kjo përmbajtje teksti do të përfshihet në dokumentacionin e krijuar (shih skedën e fundit). Mund të përdorni formatin Markdown, por rekomandohet përdorimi i formatit Asciidoc (krahasimi midis .md dhe .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). +ModuleBuilderDescobjects=Përcaktoni këtu objektet që dëshironi të menaxhoni me modulin tuaj. Do të krijohet një klasë CRUD DAO, skedarë SQL, faqe për të listuar regjistrimin e objekteve, për të krijuar/redaktuar/shikuar një rekord dhe një API. +ModuleBuilderDescmenus=Kjo skedë është e dedikuar për të përcaktuar hyrjet e menusë të ofruara nga moduli juaj. +ModuleBuilderDescpermissions=Kjo skedë është e dedikuar për të përcaktuar lejet e reja që dëshironi të siguroni me modulin tuaj. +ModuleBuilderDesctriggers=Kjo është pamja e nxitësve të ofruar nga moduli juaj. Për të përfshirë kodin e ekzekutuar kur hapet një ngjarje biznesi e aktivizuar, thjesht modifikoni këtë skedar. +ModuleBuilderDeschooks=Kjo skedë është e dedikuar për grepa. +ModuleBuilderDescwidgets=Kjo skedë është e dedikuar për të menaxhuar/ndërtuar miniaplikacione. +ModuleBuilderDescbuildpackage=Këtu mund të gjeneroni një skedar paketë "gati për t'u shpërndarë" (një skedar .zip i normalizuar) të modulit tuaj dhe një skedar dokumentacioni "gati për t'u shpërndarë". Thjesht klikoni në butonin për të ndërtuar skedarin e paketës ose dokumentacionit. +EnterNameOfModuleToDeleteDesc=Ju mund të fshini modulin tuaj. PARALAJMËRIM: Të gjithë skedarët e kodimit të modulit (të krijuara ose të krijuara me dorë) DHE të dhënat dhe dokumentacioni i strukturuar do të fshihen! +EnterNameOfObjectToDeleteDesc=Ju mund të fshini një objekt. PARALAJMËRIM: Të gjithë skedarët e kodimit (të krijuara ose të krijuara manualisht) që lidhen me objektin do të fshihen! +EnterNameOfObjectToDeleteDesc=Ju mund të fshini një objekt. PARALAJMËRIM: Të gjithë skedarët e kodimit (të krijuara ose të krijuara manualisht) që lidhen me objektin do të fshihen! +DangerZone=Zone e rrezikshme +BuildPackage=Ndërtoni paketën +BuildPackageDesc=Ju mund të gjeneroni një paketë zip të aplikacionit tuaj në mënyrë që të jeni gati ta shpërndani atë në çdo Dolibarr. Mund ta shpërndani ose ta shisni gjithashtu në treg si DoliStore.com. +BuildDocumentation=Ndërtoni dokumentacion +ModuleIsNotActive=Ky modul nuk është aktivizuar ende. Shko te %s për ta bërë të drejtpërdrejtë ose kliko këtu +ModuleIsLive=Ky modul është aktivizuar. Çdo ndryshim mund të prishë një funksion aktual të drejtpërdrejtë. +DescriptionLong=Përshkrimi i gjatë +EditorName=Emri i redaktorit +EditorUrl=URL-ja e redaktorit +DescriptorFile=Skedari përshkrues i modulit +ClassFile=Skedari për klasën PHP DAO CRUD +ApiClassFile=Skedari API i modulit +PageForList=Faqe PHP për listën e të dhënave +PageForCreateEditView=Faqe PHP për të krijuar/redaktuar/shikuar një rekord +PageForAgendaTab=Faqja PHP për skedën e ngjarjeve +PageForDocumentTab=Faqja PHP për skedën e dokumentit +PageForNoteTab=Faqe PHP për skedën e shënimeve +PageForContactTab=Faqja PHP për skedën e kontaktit +PathToModulePackage=Rruga për në zip të paketës së modulit/aplikacionit +PathToModuleDocumentation=Rruga drejt skedarit të dokumentacionit të modulit/aplikacionit (%s) +SpaceOrSpecialCharAreNotAllowed=Hapësirat ose karakteret speciale nuk lejohen. +FileNotYetGenerated=Skedari nuk është krijuar ende +GenerateCode=Gjeneroni kodin +RegenerateClassAndSql=Përditësimi i detyruar i skedarëve .class dhe .sql +RegenerateMissingFiles=Gjeneroni skedarë që mungojnë +SpecificationFile=Dosja e dokumentacionit +LanguageFile=Skedari për gjuhën +ObjectProperties=Vetitë e objektit +Property=Prona +PropertyDesc=Një veti është një atribut që karakterizon një objekt. Ky atribut ka një kod, një etiketë dhe një lloj me disa opsione. +ConfirmDeleteProperty=Jeni i sigurt që dëshironi të fshini pronën %s
      Shembuj:b0342fccfda19>bz0
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=A është fusha e dukshme? (Shembuj: 0=Asnjëherë i dukshëm, 1=I dukshëm në listë dhe krijo/përditëso/shiko formularët, 2=Duket vetëm në listë, 3=Duket vetëm në formën e krijimit/përditësimit/shikimit (jo në lista), 4=I dukshëm në lista dhe përditëso/shiko vetëm formularin (jo krijo), 5=Duket në listë dhe shiko vetëm formularin (jo krijo, jo përditësoi).

      Përdorimi i një vlere negative do të thotë që fusha nuk shfaqet si parazgjedhje në listë, por mund të zgjidhet për t'u parë). +ItCanBeAnExpression=Mund të jetë një shprehje. Shembull:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $er ->hasRight('pushime', 'define_pushime')?1:5 +DisplayOnPdfDesc=Shfaqni këtë fushë në dokumente të përputhshme PDF, ju mund të menaxhoni pozicionin me fushën "Pozicioni".
      Për dokumentin :
      0 = nuk shfaqet
      1 = nuk shfaqPër linjat e dokumentit:

      0 = nuk shfaqet b0342fccfdaspan19>0 = shfaqet në një kolonë
      3 = shfaq në kolonën e përshkrimit të rreshtit pas përshkrimit
      4 = shfaq në kolonën e përshkrimit pas përshkrimit vetëm nëse jo bosh +DisplayOnPdf=Në PDF +IsAMeasureDesc=A mund të grumbullohet vlera e fushës për të futur një total në listë? (Shembuj: 1 ose 0) +SearchAllDesc=A përdoret fusha për të bërë një kërkim nga mjeti i kërkimit të shpejtë? (Shembuj: 1 ose 0) +SpecDefDesc=Futni këtu të gjithë dokumentacionin që dëshironi të siguroni me modulin tuaj që nuk është përcaktuar tashmë nga skeda të tjera. Mund të përdorni .md ose më mirë, sintaksën e pasur .asciidoc. +LanguageDefDesc=Futni në këtë skedar, të gjithë çelësin dhe përkthimin për çdo skedar gjuhësor. +MenusDefDesc=Përcaktoni këtu menutë e ofruara nga moduli juaj +DictionariesDefDesc=Përcaktoni këtu fjalorët e ofruar nga moduli juaj +PermissionsDefDesc=Përcaktoni këtu lejet e reja të ofruara nga moduli juaj +MenusDefDescTooltip=Menytë e ofruara nga moduli/aplikacioni juaj përcaktohen në grupin $this->menytë në skedarin e përshkruesit të modulit. Mund ta modifikoni manualisht këtë skedar ose të përdorni redaktuesin e integruar.

      Shënim: Pasi të përcaktohet (dhe moduli të riaktivizohet) , menutë janë gjithashtu të dukshme në redaktuesin e menysë në dispozicion për përdoruesit e administratorëve në %s. +DictionariesDefDescTooltip=Fjalorët e ofruar nga moduli/aplikacioni juaj përcaktohen në grupin $this->fjalori në skedarin e përshkruesit të modulit. Mund ta modifikoni manualisht këtë skedar ose të përdorni redaktuesin e integruar.

      Shënim: Pasi të përcaktohet (dhe moduli të ri-aktivizohet), fjalorët janë gjithashtu të dukshëm në zonën e konfigurimit për përdoruesit e administratorëve në %s. +PermissionsDefDescTooltip=Lejet e dhëna nga moduli/aplikacioni juaj përcaktohen në grupin $this->rights në skedarin e përshkruesit të modulit. Mund ta modifikoni manualisht këtë skedar ose të përdorni redaktuesin e integruar.

      Shënim: Pasi të përcaktohet (dhe moduli të ri-aktivizohet), lejet janë të dukshme në konfigurimin e parazgjedhur të lejeve %s. +HooksDefDesc=Përcaktoni në veçorinë module_parts['hooks'], në skedarin e përshkruesit të modulit, listën e konteksteve kur fiksoni duhet të ekzekutohet (lista e konteksteve të mundshme mund të gjendet duke kërkuar në 'initHooks(' në kodin bazë) .
      Më pas modifikoni skedarin me kodin e grepave me kodin e funksioneve tuaja të lidhura (lista e funksioneve të fiksuara mund të gjendet duke kërkuar në ' executehooks' në kodin bazë). +TriggerDefDesc=Përcaktoni në skedarin e aktivizimit kodin që dëshironi të ekzekutoni kur ekzekutohet një ngjarje biznesi jashtë modulit tuaj (ngjarjet e shkaktuara nga module të tjera). +SeeIDsInUse=Shikoni ID-të në përdorim në instalimin tuaj +SeeReservedIDsRangeHere=Shikoni gamën e ID-ve të rezervuara +ToolkitForDevelopers=Paketa e veglave për zhvilluesit e Dolibarr +TryToUseTheModuleBuilder=Nëse keni njohuri për SQL dhe PHP, mund të përdorni magjistarin e ndërtuesit të moduleve.
      Aktivizo modulin %s dhe përdor magjistarin duke klikuar në menynë lart djathtas.
      Kujdes: Ky është një veçori e avancuar e zhvilluesit, bëni b0aee83365837>t<0z span class='notranslate'>
      eksperiment në faqen tuaj të prodhimit! +SeeTopRightMenu=Shiko në menynë lart djathtas +AddLanguageFile=Shto skedarin e gjuhës +YouCanUseTranslationKey=Këtu mund të përdorni një çelës që është çelësi i përkthimit që gjendet në skedarin e gjuhës (shih skedën "Gjuhët") +DropTableIfEmpty=(Shkatërroni tabelën nëse është bosh) +TableDoesNotExists=Tabela %s nuk ekziston +TableDropped=Tabela %s u fshi +InitStructureFromExistingTable=Ndërtoni vargun e grupit të strukturës së një tabele ekzistuese +UseAboutPage=Mos krijoni faqen Rreth +UseDocFolder=Çaktivizoni dosjen e dokumentacionit +UseSpecificReadme=Përdorni një ReadMe specifike +ContentOfREADMECustomized=Shënim: Përmbajtja e skedarit README.md është zëvendësuar me vlerën specifike të përcaktuar në konfigurimin e ModuleBuilder. +RealPathOfModule=Rruga reale e modulit +ContentCantBeEmpty=Përmbajtja e skedarit nuk mund të jetë bosh +WidgetDesc=Këtu mund të gjeneroni dhe modifikoni miniaplikacionet që do të futen në modulin tuaj. +CSSDesc=Këtu mund të gjeneroni dhe modifikoni një skedar me CSS të personalizuar të ngulitur me modulin tuaj. +JSDesc=Këtu mund të gjeneroni dhe modifikoni një skedar me JavaScript të personalizuar të ngulitur me modulin tuaj. +CLIDesc=Këtu mund të gjeneroni disa skripta të linjës së komandës që dëshironi të siguroni me modulin tuaj. +CLIFile=Skedari CLI +NoCLIFile=Nuk ka skedarë CLI +UseSpecificEditorName = Përdorni një emër specifik redaktuesi +UseSpecificEditorURL = Përdorni një URL të veçantë të redaktuesit +UseSpecificFamily = Përdorni një familje specifike +UseSpecificAuthor = Përdorni një autor specifik +UseSpecificVersion = Përdorni një version fillestar specifik +IncludeRefGeneration=Referenca e këtij objekti duhet të gjenerohet automatikisht nga rregullat e numrave me porosi +IncludeRefGenerationHelp=Kontrolloni këtë nëse dëshironi të përfshini kodin për të menaxhuar gjenerimin e referencës automatikisht duke përdorur rregullat e numrave të personalizuar +IncludeDocGeneration=Unë dua që funksioni të gjenerojë disa dokumente (PDF, ODT) nga shabllonet për këtë objekt +IncludeDocGenerationHelp=Nëse e kontrolloni këtë, do të krijohet një kod për të shtuar një kuti "Generate document" në regjistrim. +ShowOnCombobox=Trego vlerën në kutitë e kombinuara +KeyForTooltip=Çelësi për këshillën e veglave +CSSClass=CSS për modifikimin/krijimin e formularit +CSSViewClass=CSS për formularin e lexuar +CSSListClass=CSS për listën +NotEditable=E pa modifikueshme +ForeignKey=Çelësi i huaj +ForeignKeyDesc=Nëse vlera e kësaj fushe duhet të garantohet se ekziston në një tabelë tjetër. Fut këtu një sintaksë që përputhet me vlerën: emri i tabelës.parentfieldtocheck +TypeOfFieldsHelp=Shembull:
      varchar(99)
      email
      -telefon
      ip
      url
      fjalëkalimi span>double(24,8)
      reale
      tekstb0342fccfda19>b0342fccfda19>z
      data
      datetime
      class='notranslate'span
      integer
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1' do të thotë se ne shtojmë një buton + pas kombinimit për të krijuar rekordin
      'filtri' është një Kushti i sintaksës së filtrit universal, shembull: '((statusi:=:1) AND (fk_user:=:__USER_ID__) AND (entiteti:IN:(__SHARED_ENTITIES__))' +TypeOfFieldsHelpIntro=Ky është lloji i fushës/atributit. +AsciiToHtmlConverter=Konvertuesi Ascii në HTML +AsciiToPdfConverter=Konvertuesi Ascii në PDF +TableNotEmptyDropCanceled=Tabela jo bosh. Dorëzimi është anuluar. +ModuleBuilderNotAllowed=Ndërtuesi i modulit është i disponueshëm, por nuk i lejohet përdoruesit tuaj. +ImportExportProfiles=Importi dhe eksporti i profileve +ValidateModBuilderDesc=Vendoseni këtë në 1 nëse dëshironi që metoda $this->validateField() e objektit të thirret për të vërtetuar përmbajtjen e fushës gjatë futjes ose përditësimit. Vendosni 0 nëse nuk kërkohet vërtetim. +WarningDatabaseIsNotUpdated=Kujdes: Baza e të dhënave nuk përditësohet automatikisht, duhet të shkatërroni tabelat dhe të çaktivizoni-aktivizoni modulin që të rikrijohen tabelat +LinkToParentMenu=Menyja prind (fk_xxxxmenu) +ListOfTabsEntries=Lista e hyrjeve në skedë +TabsDefDesc=Përcaktoni këtu skedat e ofruara nga moduli juaj +TabsDefDescTooltip=Skedat e ofruara nga moduli/aplikacioni juaj përcaktohen në grupin $this->tabs në skedarin e përshkruesit të modulit. Mund ta modifikoni manualisht këtë skedar ose të përdorni redaktuesin e integruar. +BadValueForType=Vlera e keqe për llojin %s +DefinePropertiesFromExistingTable=Përcaktoni fushat/vetitë nga një tabelë ekzistuese +DefinePropertiesFromExistingTableDesc=Nëse një tabelë në bazën e të dhënave (për objektin për t'u krijuar) ekziston tashmë, ju mund ta përdorni atë për të përcaktuar vetitë e objektit. +DefinePropertiesFromExistingTableDesc2=Mbajeni bosh nëse tabela nuk ekziston ende. Gjeneruesi i kodit do të përdorë lloje të ndryshme fushash për të ndërtuar një shembull të tabelës që mund ta modifikoni më vonë. +GeneratePermissions=Unë dua të menaxhoj lejet për këtë objekt +GeneratePermissionsHelp=Nëse e kontrolloni këtë, do të shtohet një kod për të menaxhuar lejet për të lexuar, shkruar dhe fshirë regjistrimin e objekteve +PermissionDeletedSuccesfuly=Leja është hequr me sukses +PermissionUpdatedSuccesfuly=Leja është përditësuar me sukses +PermissionAddedSuccesfuly=Leja është shtuar me sukses +MenuDeletedSuccessfuly=Menyja është fshirë me sukses +MenuAddedSuccessfuly=Menyja është shtuar me sukses +MenuUpdatedSuccessfuly=Menyja është përditësuar me sukses +ApiObjectDeleted=API për objektin %s është fshirë me sukses +CRUDRead=Lexoni +CRUDCreateWrite=Krijo ose Përditëso +FailedToAddCodeIntoDescriptor=Shtimi i kodit në përshkrues dështoi. Kontrollo që komenti i vargut "%s" është ende i pranishëm në skedar. +DictionariesCreated=Fjalori %s u krijua me sukses +DictionaryDeleted=Fjalori %s u hoq me sukses +PropertyModuleUpdated=Vetia %s është përditësuar me sukses +InfoForApiFile=* Kur gjeneroni skedar për herë të parë, atëherë të gjitha metodat do të krijohen për çdo objekt.
      * Kur klikoni në hiq ju thjesht hiqni të gjitha metodat e klasës ='notranslate'>
      objekt i zgjedhur. +SetupFile=Faqe për konfigurimin e modulit +EmailingSelectors=Përzgjedhësit e postës elektronike +EmailingSelectorDesc=Ju mund të gjeneroni dhe modifikoni këtu skedarët e klasës për të siguruar përzgjedhës të rinj të synimeve të postës elektronike për modulin e dërgimit masiv të postës elektronike +EmailingSelectorFile=Skedari i përzgjedhësit të emaileve +NoEmailingSelector=Nuk ka skedar përzgjedhës të postës elektronike diff --git a/htdocs/langs/sq_AL/mrp.lang b/htdocs/langs/sq_AL/mrp.lang index b709b0dce02..c33971042bd 100644 --- a/htdocs/langs/sq_AL/mrp.lang +++ b/htdocs/langs/sq_AL/mrp.lang @@ -1,109 +1,137 @@ -Mrp=Manufacturing Orders -MOs=Manufacturing orders -ManufacturingOrder=Manufacturing Order -MRPDescription=Module to manage production and Manufacturing Orders (MO). -MRPArea=MRP Area -MrpSetupPage=Setup of module MRP -MenuBOM=Bills of material -LatestBOMModified=Latest %s Bills of materials modified -LatestMOModified=Latest %s Manufacturing Orders modified -Bom=Bills of Material -BillOfMaterials=Bill of Materials -BillOfMaterialsLines=Bill of Materials lines -BOMsSetup=Setup of module BOM -ListOfBOMs=List of bills of material - BOM -ListOfManufacturingOrders=List of Manufacturing Orders -NewBOM=New bill of materials -ProductBOMHelp=Product to create (or disassemble) with this BOM.
      Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list. -BOMsNumberingModules=BOM numbering templates -BOMsModelModule=BOM document templates -MOsNumberingModules=MO numbering templates -MOsModelModule=MO document templates -FreeLegalTextOnBOMs=Free text on document of BOM -WatermarkOnDraftBOMs=Watermark on draft BOM -FreeLegalTextOnMOs=Free text on document of MO -WatermarkOnDraftMOs=Watermark on draft MO -ConfirmCloneBillOfMaterials=Are you sure you want to clone the bill of materials %s ? -ConfirmCloneMo=Are you sure you want to clone the Manufacturing Order %s ? -ManufacturingEfficiency=Manufacturing efficiency -ConsumptionEfficiency=Consumption efficiency -ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the manufacturing or the disassembly -ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product -DeleteBillOfMaterials=Delete Bill Of Materials -DeleteMo=Delete Manufacturing Order -ConfirmDeleteBillOfMaterials=Are you sure you want to delete this Bill Of Materials? -ConfirmDeleteMo=Are you sure you want to delete this Manufacturing Order? -MenuMRP=Manufacturing Orders -NewMO=New Manufacturing Order -QtyToProduce=Qty to produce -DateStartPlannedMo=Date start planned -DateEndPlannedMo=Date end planned -KeepEmptyForAsap=Empty means 'As Soon As Possible' -EstimatedDuration=Estimated duration -EstimatedDurationDesc=Estimated duration to manufacture (or disassemble) this product using this BOM -ConfirmValidateBom=Are you sure you want to validate the BOM with the reference %s (you will be able to use it to build new Manufacturing Orders) -ConfirmCloseBom=Are you sure you want to cancel this BOM (you won't be able to use it to build new Manufacturing Orders anymore) ? -ConfirmReopenBom=Are you sure you want to re-open this BOM (you will be able to use it to build new Manufacturing Orders) -StatusMOProduced=Produced -QtyFrozen=Frozen Qty -QuantityFrozen=Frozen Quantity -QuantityConsumedInvariable=When this flag is set, the quantity consumed is always the value defined and is not relative to the quantity produced. -DisableStockChange=Stock change disabled -DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed -BomAndBomLines=Bills Of Material and lines -BOMLine=Line of BOM -WarehouseForProduction=Warehouse for production -CreateMO=Create MO -ToConsume=To consume -ToProduce=To produce -ToObtain=To obtain -QtyAlreadyConsumed=Qty already consumed -QtyAlreadyProduced=Qty already produced -QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) -ConsumeOrProduce=Consume or Produce -ConsumeAndProduceAll=Consume and Produce All -Manufactured=Manufactured -TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf=For a quantity to produce of %s -ForAQuantityToConsumeOf=For a quantity to disassemble of %s -ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? -ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRef=Production of %s -AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached -NoStockChangeOnServices=No stock change on services -ProductQtyToConsumeByMO=Product quantity still to consume by open MO -ProductQtyToProduceByMO=Product quantity still to produce by open MO -AddNewConsumeLines=Add new line to consume -AddNewProduceLines=Add new line to produce -ProductsToConsume=Products to consume -ProductsToProduce=Products to produce -UnitCost=Unit cost -TotalCost=Total cost -BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) -GoOnTabProductionToProduceFirst=You must first have started the production to close a Manufacturing Order (See tab '%s'). But you can Cancel it. -ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO -Workstation=Workstation -Workstations=Workstations -WorkstationsDescription=Workstations management -WorkstationSetup = Workstations setup -WorkstationSetupPage = Workstations setup page -WorkstationList=Workstation list -WorkstationCreate=Add new workstation -ConfirmEnableWorkstation=Are you sure you want to enable workstation %s ? -EnableAWorkstation=Enable a workstation -ConfirmDisableWorkstation=Are you sure you want to disable workstation %s ? -DisableAWorkstation=Disable a workstation +Mrp=Porositë e prodhimit +MOs=Porositë e prodhimit +ManufacturingOrder=Urdhri i prodhimit +MRPDescription=Modul për të menaxhuar prodhimin dhe porositë e prodhimit (MO). +MRPArea=Zona MRP +MrpSetupPage=Vendosja e modulit MRP +MenuBOM=faturat e materialit +LatestBOMModified=Faturat më të fundit të %s të modifikuara +LatestMOModified=Porositë e fundit të prodhimit %s të modifikuara +Bom=Faturat e Materialit +BillOfMaterials=Fatura e Materialeve +BillOfMaterialsLines=Linjat e faturave të materialeve +BOMsSetup=Vendosja e modulit BOM +ListOfBOMs=Faturat materiale - BOM +ListOfManufacturingOrders=Porositë e prodhimit +NewBOM=Fatura e re e materialeve +ProductBOMHelp=Produkt për t'u krijuar (ose çmontuar) me këtë BOM.
      Shënim: Produktet me vetinë 'Natyra e produktit' = 'Lëndë e parë' nuk janë të dukshme në këtë listë. +BOMsNumberingModules=Modelet e numrave BOM +BOMsModelModule=Modelet e dokumenteve BOM +MOsNumberingModules=Modelet e numërimit të MO +MOsModelModule=Modelet e dokumenteve MO +FreeLegalTextOnBOMs=Teksti i lirë në dokumentin e BOM +WatermarkOnDraftBOMs=Filigram në draft BOM +FreeLegalTextOnMOs=Teksti i lirë në dokumentin e MO +WatermarkOnDraftMOs=Filigram në draft OT +ConfirmCloneBillOfMaterials=Jeni i sigurt që dëshironi të klononi faturën e materialeve %s ? +ConfirmCloneMo=Jeni i sigurt që dëshironi të klononi Urdhrin e Prodhimit %s ? +ManufacturingEfficiency=Efikasiteti i prodhimit +ConsumptionEfficiency=Efikasiteti i konsumit +Consumption=Konsumi +ValueOfMeansLoss=Vlera prej 0,95 do të thotë një mesatare prej 5%% humbje gjatë prodhimit ose çmontimit +ValueOfMeansLossForProductProduced=Vlera prej 0,95 do të thotë një mesatare prej 5%% humbje të produktit të prodhuar +DeleteBillOfMaterials=Fshi faturën e materialeve +CancelMo=Anulo porosinë e prodhimit +MoCancelConsumedAndProducedLines=Anuloni gjithashtu të gjitha linjat e konsumuara dhe të prodhuara (fshini linjat dhe rezervat e rikthimit) +ConfirmCancelMo=Jeni i sigurt që dëshironi ta anuloni këtë Urdhër Prodhimi? +DeleteMo=Fshi urdhrin e prodhimit +ConfirmDeleteBillOfMaterials=Jeni i sigurt që dëshironi të fshini këtë Bill të Materialeve? +ConfirmDeleteMo=Jeni i sigurt që dëshironi ta fshini këtë urdhër prodhimi? +DeleteMoChild = Fshi MO-të e fëmijëve të lidhur me këtë MO %s +MoChildsDeleted = Të gjitha MO-të e fëmijëve janë fshirë +MenuMRP=Porositë e prodhimit +NewMO=Urdhri i ri i prodhimit +QtyToProduce=Sasia për të prodhuar +DateStartPlannedMo=Data e fillimit të planifikuar +DateEndPlannedMo=Data e fundit e planifikuar +KeepEmptyForAsap=Bosh do të thotë "Sa më shpejt të jetë e mundur" +EstimatedDuration=Kohëzgjatja e parashikuar +EstimatedDurationDesc=Kohëzgjatja e parashikuar për të prodhuar (ose çmontuar) këtë produkt duke përdorur këtë BOM +ConfirmValidateBom=Jeni i sigurt që dëshironi të vërtetoni BOM me referencën %sb0a65d071f6f6 > (ju do të jeni në gjendje ta përdorni për të ndërtuar porosi të reja prodhuese) +ConfirmCloseBom=Jeni i sigurt që dëshironi ta anuloni këtë BOM (nuk do të mund ta përdorni më për të ndërtuar porosi të reja prodhimi)? +ConfirmReopenBom=Jeni i sigurt që dëshironi ta rihapni këtë BOM (do të jeni në gjendje ta përdorni për të krijuar porosi të reja prodhuese) +StatusMOProduced=Prodhuar +QtyFrozen=Sasia e ngrirë +QuantityFrozen=Sasia e ngrirë +QuantityConsumedInvariable=Kur vendoset ky flamur, sasia e konsumuar është gjithmonë vlera e përcaktuar dhe nuk është relative me sasinë e prodhuar. +DisableStockChange=Ndryshimi i aksioneve është i çaktivizuar +DisableStockChangeHelp=Kur vendoset ky flamur, nuk ka ndryshim në stokun e këtij produkti, pavarësisht nga sasia e konsumuar +BomAndBomLines=Faturat e Materialit dhe linjat +BOMLine=Linja e BOM +WarehouseForProduction=Magazina për prodhim +CreateMO=Krijo MO +ToConsume=Për të konsumuar +ToProduce=Të prodhosh +ToObtain=Për të marrë +QtyAlreadyConsumed=Sasia e konsumuar tashmë +QtyAlreadyProduced=Sasia e prodhuar tashmë +QtyRequiredIfNoLoss=Sasia e nevojshme për të prodhuar sasinë e përcaktuar në BOM nëse nuk ka humbje (nëse efikasiteti i prodhimit është 100%%) +ConsumeOrProduce=Konsumoni ose prodhoni +ConsumeAndProduceAll=Konsumoni dhe prodhoni të gjitha +Manufactured=Prodhuar +TheProductXIsAlreadyTheProductToProduce=Produkti për të shtuar është tashmë produkti për t'u prodhuar. +ForAQuantityOf=Për një sasi për të prodhuar të %s +ForAQuantityToConsumeOf=Për një sasi për të çmontuar %s +ConfirmValidateMo=Jeni i sigurt që dëshironi të vërtetoni këtë Urdhër Prodhimi? +ConfirmProductionDesc=Duke klikuar te '%s', do të vërtetoni konsumin dhe/ose prodhimin për sasitë e vendosura. Kjo gjithashtu do të përditësojë stokun dhe do të regjistrojë lëvizjet e aksioneve. +ProductionForRef=Prodhimi i %s +CancelProductionForRef=Anulimi i pakësimit të stokut të produktit për produktin %s +TooltipDeleteAndRevertStockMovement=Fshini linjën dhe ktheni lëvizjen e aksioneve +AutoCloseMO=Mbyllni automatikisht Urdhrin e Prodhimit nëse arrihen sasitë për të konsumuar dhe për të prodhuar +NoStockChangeOnServices=Asnjë ndryshim i aksioneve në shërbime +ProductQtyToConsumeByMO=Sasia e produktit ende për t'u konsumuar nga OT e hapur +ProductQtyToProduceByMO=Sasia e produktit ende për t'u prodhuar nga OT e hapur +AddNewConsumeLines=Shto linjë të re për të konsumuar +AddNewProduceLines=Shtoni linjë të re për të prodhuar +ProductsToConsume=Produkte për të konsumuar +ProductsToProduce=Produkte për të prodhuar +UnitCost=Kostoja e njësisë +TotalCost=Kostoja totale +BOMTotalCost=Kostoja e prodhimit të këtij BOM bazuar në koston e secilës sasi dhe produkti për t'u konsumuar (përdorni çmimin e kostos nëse përcaktohet, përndryshe Çmimi mesatar i ponderuar nëse përcaktohet, përndryshe çmimi më i mirë i blerjes) +BOMTotalCostService=Nëse moduli "Workstation" është aktivizuar dhe një stacion pune përcaktohet si parazgjedhje në linjë, atëherë llogaritja është "sasia (e konvertuar në orë) x stacioni i punës ahr", përndryshe "sasia x çmimi i kostos së shërbimit" +GoOnTabProductionToProduceFirst=Duhet të kesh filluar fillimisht prodhimin për të mbyllur një Porosi Prodhimi (Shih skedën '%s'). Por ju mund ta anuloni atë. +ErrorAVirtualProductCantBeUsedIntoABomOrMo=Një komplet nuk mund të përdoret në një BOM ose një MO +Workstation=Stacioni i punës +Workstations=Stacione pune +WorkstationsDescription=Menaxhimi i stacioneve të punës +WorkstationSetup = Vendosja e stacioneve të punës +WorkstationSetupPage = Faqja e konfigurimit të stacioneve të punës +WorkstationList=Lista e stacioneve të punës +WorkstationCreate=Shto stacion të ri pune +ConfirmEnableWorkstation=Jeni të sigurt që dëshironi të aktivizoni stacionin e punës %s? +EnableAWorkstation=Aktivizo një stacion pune +ConfirmDisableWorkstation=Jeni i sigurt që dëshironi të çaktivizoni stacionin e punës %s? +DisableAWorkstation=Çaktivizo një stacion pune DeleteWorkstation=Fshi -NbOperatorsRequired=Number of operators required -THMOperatorEstimated=Estimated operator THM -THMMachineEstimated=Estimated machine THM -WorkstationType=Workstation type -Human=Human -Machine=Machine -HumanMachine=Human / Machine -WorkstationArea=Workstation area -Machines=Machines -THMEstimatedHelp=This rate makes it possible to define a forecast cost of the item -BOM=Bill Of Materials -CollapseBOMHelp=You can define the default display of the details of the nomenclature in the configuration of the BOM module -MOAndLines=Manufacturing Orders and lines +NbOperatorsRequired=Numri i operatorëve të kërkuar +THMOperatorEstimated=Operatori i vlerësuar THM +THMMachineEstimated=Makina e vlerësuar THM +WorkstationType=Lloji i stacionit të punës +DefaultWorkstation=Stacioni i parazgjedhur i punës +Human=Njerëzore +Machine=Makinë +HumanMachine=Njeriu / Makina +WorkstationArea=Zona e stacionit të punës +Machines=Makinat +THMEstimatedHelp=Kjo normë bën të mundur përcaktimin e një kostoje të parashikuar të artikullit +BOM=Fatura e Materialeve +CollapseBOMHelp=Ju mund të përcaktoni shfaqjen e paracaktuar të detajeve të nomenklaturës në konfigurimin e modulit BOM +MOAndLines=Porositë dhe linjat e prodhimit +MoChildGenerate=Generate Child Mo +ParentMo=Prindi MO +MOChild=MO Fëmija +BomCantAddChildBom=Nomenklatura %s është tashmë e pranishme në pemën që çon në nomenklaturën %s +BOMNetNeeds = Nevojat neto të BOM +BOMProductsList=Produktet e BOM +BOMServicesList=Shërbimet e BOM +Manufacturing=Prodhimtaria +Disassemble=çmontoni +ProducedBy=Prodhuar nga +QtyTot=Sasia Total + +QtyCantBeSplit= Sasia nuk mund të ndahet +NoRemainQtyToDispatch=Nuk ka mbetur asnjë sasi për t'u ndarë + +THMOperatorEstimatedHelp=Kostoja e vlerësuar e operatorit për orë. Do të përdoret për të vlerësuar koston e një BOM duke përdorur këtë stacion pune. +THMMachineEstimatedHelp=Kostoja e vlerësuar e makinës për orë. Do të përdoret për të vlerësuar koston e një BOM duke përdorur këtë stacion pune. + diff --git a/htdocs/langs/sq_AL/multicurrency.lang b/htdocs/langs/sq_AL/multicurrency.lang index bfcbd11fb7c..9eb882c3bef 100644 --- a/htdocs/langs/sq_AL/multicurrency.lang +++ b/htdocs/langs/sq_AL/multicurrency.lang @@ -1,22 +1,43 @@ # Dolibarr language file - Source file is en_US - multicurrency -MultiCurrency=Multi currency -ErrorAddRateFail=Error in added rate -ErrorAddCurrencyFail=Error in added currency -ErrorDeleteCurrencyFail=Error delete fail -multicurrency_syncronize_error=Synchronization error: %s -MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=Use the date of the document to find the currency rate, instead of using the latest known rate -multicurrency_useOriginTx=When an object is created from another, keep the original rate from the source object (otherwise use the latest known rate) +MultiCurrency=Shumë monedhë +ErrorAddRateFail=Gabim në tarifën e shtuar +ErrorAddCurrencyFail=Gabim në monedhën e shtuar +ErrorDeleteCurrencyFail=Gabim në fshirje dështoi +multicurrency_syncronize_error=Gabim sinkronizimi: %s +MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=Përdorni datën e dokumentit për të gjetur kursin e monedhës, në vend që të përdorni kursin më të fundit të njohur +multicurrency_useOriginTx=Kur një objekt krijohet nga një tjetër, mbani normën origjinale nga objekti burimor (përndryshe përdorni normën më të fundit të njohur) CurrencyLayerAccount=CurrencyLayer API -CurrencyLayerAccount_help_to_synchronize=You must create an account on website %s to use this functionality.
      Get your API key.
      If you use a free account, you can't change the source currency (USD by default).
      If your main currency is not USD, the application will automatically recalculate it.

      You are limited to 1000 synchronizations per month. -multicurrency_appId=API key -multicurrency_appCurrencySource=Source currency -multicurrency_alternateCurrencySource=Alternate source currency -CurrenciesUsed=Currencies used -CurrenciesUsed_help_to_add=Add the different currencies and rates you need to use on your proposals, orders etc. -rate=rate -MulticurrencyReceived=Received, original currency -MulticurrencyRemainderToTake=Remaining amount, original currency -MulticurrencyPaymentAmount=Payment amount, original currency -AmountToOthercurrency=Amount To (in currency of receiving account) -CurrencyRateSyncSucceed=Currency rate synchronization done successfuly -MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Use the currency of the document for online payments +CurrencyLayerAccount_help_to_synchronize=Ju duhet të krijoni një llogari në faqen e internetit %s për të përdorur këtë funksion.
      Merrni b0aee83fz058<3 /span>Çelësi API
      .
      Nëse përdorni një llogari falas, nuk mund ta ndryshoni monedha burimore (USD si parazgjedhje).
      Nëse monedha juaj kryesore nuk është USD, aplikacioni do ta rillogarisë atë automatikisht.

      Ju jeni i kufizuar në 1000 sinkronizime në muaj. +multicurrency_appId=Tasti API +multicurrency_appCurrencySource=Monedha burimore +multicurrency_alternateCurrencySource=Monedha e burimit alternativ +CurrenciesUsed=Monedhat e përdorura +CurrenciesUsed_help_to_add=Shtoni monedhat dhe tarifat e ndryshme që duhet të përdorni në propozimet, urdhra etj. +rate=norma +MulticurrencyReceived=Marrë, monedhë origjinale +MulticurrencyRemainderToTake=Shuma e mbetur, monedha origjinale +MulticurrencyPaymentAmount=Shuma e pagesës, monedha origjinale +AmountToOthercurrency=Shuma për (në monedhën e llogarisë marrëse) +CurrencyRateSyncSucceed=Sinkronizimi i kursit të monedhës u krye me sukses +MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Përdorni monedhën e dokumentit për pagesa online +TabTitleMulticurrencyRate=Lista e normave +ListCurrencyRate=Lista e kurseve të këmbimit për monedhën +CreateRate=Krijo një normë +FormCreateRate=Krijimi i vlerës +FormUpdateRate=Modifikimi i normës +successRateCreate=Norma për monedhën %s është shtuar në bazën e të dhënave +ConfirmDeleteLineRate=Jeni i sigurt që dëshironi të hiqni normën %s për monedhën %s në %s data? +DeleteLineRate=Shkalla e qartë +successRateDelete=Vlerësimi u fshi +errorRateDelete=Gabim gjatë fshirjes së tarifës +successUpdateRate=Është bërë modifikimi +ErrorUpdateRate=Gabim gjatë ndryshimit të tarifës +Codemulticurrency=Kodi i monedhës +UpdateRate=ndryshoni normën +CancelUpdate=anuloni +NoEmptyRate=Fusha e tarifës nuk duhet të jetë bosh +CurrencyCodeId=ID e monedhës +CurrencyCode=Kodi i monedhës +CurrencyUnitPrice=Çmimi për njësi në valutë të huaj +CurrencyPrice=Çmimi në valutë të huaj +MutltiCurrencyAutoUpdateCurrencies=Përditësoni të gjitha normat e monedhës diff --git a/htdocs/langs/sq_AL/oauth.lang b/htdocs/langs/sq_AL/oauth.lang index 8531226933b..eecd7ee7029 100644 --- a/htdocs/langs/sq_AL/oauth.lang +++ b/htdocs/langs/sq_AL/oauth.lang @@ -1,32 +1,42 @@ # Dolibarr language file - Source file is en_US - oauth -ConfigOAuth=OAuth Configuration -OAuthServices=OAuth Services -ManualTokenGeneration=Manual token generation -TokenManager=Token Manager -IsTokenGenerated=Is token generated ? -NoAccessToken=No access token saved into local database -HasAccessToken=A token was generated and saved into local database -NewTokenStored=Token received and saved -ToCheckDeleteTokenOnProvider=Click here to check/delete authorization saved by %s OAuth provider -TokenDeleted=Token deleted -RequestAccess=Click here to request/renew access and receive a new token to save -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider: -ListOfSupportedOauthProviders=Enter the credentials provided by your OAuth2 provider. Only supported OAuth2 providers are listedd here. These services may be used by other modules that need OAuth2 authentication. -OAuthSetupForLogin=Page to generate an OAuth token -SeePreviousTab=See previous tab +ConfigOAuth=Konfigurimi i OAuth +OAuthServices=Shërbimet OAuth +ManualTokenGeneration=Gjenerimi manual i shenjave +TokenManager=Menaxher Token +IsTokenGenerated=A gjenerohet token? +NoAccessToken=Asnjë shenjë aksesi nuk është ruajtur në bazën e të dhënave lokale +HasAccessToken=Një shenjë u krijua dhe u ruajt në bazën e të dhënave lokale +NewTokenStored=Shenja u mor dhe u ruajt +ToCheckDeleteTokenOnProvider=Kliko këtu për të kontrolluar/fshirë autorizimin e ruajtur nga %s ofruesi i OAuth +TokenDeleted=Shenja u fshi +GetAccess=Klikoni këtu për të marrë një shenjë +RequestAccess=Klikoni këtu për të kërkuar/rinovuar aksesin dhe për të marrë një shenjë të re +DeleteAccess=Klikoni këtu për të fshirë shenjën +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider +ListOfSupportedOauthProviders=Shtoni ofruesit tuaj të tokenit OAuth2. Më pas, shkoni në faqen tuaj të administratorit të ofruesit të OAuth për të krijuar/merr një ID dhe Sekret të OAuth dhe ruajini këtu. Pasi të keni mbaruar, ndizni skedën tjetër për të gjeneruar shenjën tuaj. +OAuthSetupForLogin=Faqe për të menaxhuar (gjeneruar/fshirë) shenjat OAuth +SeePreviousTab=Shih skedën e mëparshme +OAuthProvider=Ofruesi i OAuth OAuthIDSecret=OAuth ID dhe Fjalëkalimi -TOKEN_REFRESH=Token Refresh Present -TOKEN_EXPIRED=Token expired -TOKEN_EXPIRE_AT=Token expire at -TOKEN_DELETE=Delete saved token -OAUTH_GOOGLE_NAME=OAuth Google service -OAUTH_GOOGLE_ID=OAuth Google Id +TOKEN_REFRESH=Prezantimi i rifreskimit të shenjave +TOKEN_EXPIRED=Token ka skaduar +TOKEN_EXPIRE_AT=Token skadon në +TOKEN_DELETE=Fshi tokenin e ruajtur +OAUTH_GOOGLE_NAME=Shërbimi OAuth Google +OAUTH_GOOGLE_ID=ID e Google OAuth OAUTH_GOOGLE_SECRET=OAuth Google Secret -OAUTH_GOOGLE_DESC=Go to this page then "Credentials" to create OAuth credentials -OAUTH_GITHUB_NAME=OAuth GitHub service -OAUTH_GITHUB_ID=OAuth GitHub Id -OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_GITHUB_DESC=Go to this page then "Register a new application" to create OAuth credentials -OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test +OAUTH_GITHUB_NAME=Shërbimi OAuth GitHub +OAUTH_GITHUB_ID=OAuth GitHub ID +OAUTH_GITHUB_SECRET=OAuth GitHub Sekret +OAUTH_URL_FOR_CREDENTIAL=Shko te kjo faqe për të krijuar ose marrë ID-në tuaj OAuth dhe sekretin +OAUTH_STRIPE_TEST_NAME=Testi i vijave OAuth OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live +OAUTH_ID=ID-ja e klientit OAuth +OAUTH_SECRET=Sekreti i OAuth +OAUTH_TENANT=Qiramarrësi i OAuth +OAuthProviderAdded=U shtua ofruesi i OAuth +AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=Një hyrje OAuth për këtë ofrues dhe etiketë ekziston tashmë +URLOfServiceForAuthorization=URL-ja e ofruar nga shërbimi OAuth për vërtetim +Scopes=Lejet (Fushat) +ScopeUndefined=Lejet (Scopes) të papërcaktuara (shih skedën e mëparshme) diff --git a/htdocs/langs/sq_AL/opensurvey.lang b/htdocs/langs/sq_AL/opensurvey.lang index 9fafacaf8bf..89f27bfd37f 100644 --- a/htdocs/langs/sq_AL/opensurvey.lang +++ b/htdocs/langs/sq_AL/opensurvey.lang @@ -1,63 +1,64 @@ # Dolibarr language file - Source file is en_US - opensurvey -Survey=Poll -Surveys=Polls -OrganizeYourMeetingEasily=Organize your meetings and polls easily. First select the type of poll... -NewSurvey=New poll -OpenSurveyArea=Polls area -AddACommentForPoll=You can add a comment into poll... -AddComment=Add comment -CreatePoll=Create poll -PollTitle=Poll title -ToReceiveEMailForEachVote=Receive an email for each vote -TypeDate=Type date -TypeClassic=Type standard -OpenSurveyStep2=Select your dates among the free days (grey). The selected days are green. You can unselect a day previously selected by clicking again on it -RemoveAllDays=Remove all days -CopyHoursOfFirstDay=Copy hours of first day -RemoveAllHours=Remove all hours -SelectedDays=Selected days -TheBestChoice=The best choice currently is -TheBestChoices=The best choices currently are -with=with -OpenSurveyHowTo=If you agree to vote in this poll, you have to give your name, choose the values that fit best for you and validate with the plus button at the end of the line. -CommentsOfVoters=Comments of voters -ConfirmRemovalOfPoll=Are you sure you want to remove this poll (and all votes) -RemovePoll=Remove poll -UrlForSurvey=URL to communicate to get a direct access to poll -PollOnChoice=You are creating a poll to make a multi-choice for a poll. First enter all possible choices for your poll: -CreateSurveyDate=Create a date poll -CreateSurveyStandard=Create a standard poll -CheckBox=Simple checkbox -YesNoList=List (empty/yes/no) -PourContreList=List (empty/for/against) -AddNewColumn=Add new column -TitleChoice=Choice label -ExportSpreadsheet=Export result spreadsheet -ExpireDate=Limit date -NbOfSurveys=Number of polls -NbOfVoters=No. of voters -SurveyResults=Results -PollAdminDesc=You are allowed to change all vote lines of this poll with button "Edit". You can, as well, remove a column or a line with %s. You can also add a new column with %s. -5MoreChoices=5 more choices -Against=Against -YouAreInivitedToVote=You are invited to vote for this poll -VoteNameAlreadyExists=This name was already used for this poll -AddADate=Add a date -AddStartHour=Add start hour -AddEndHour=Add end hour -votes=vote(s) -NoCommentYet=No comments have been posted for this poll yet -CanComment=Voters can comment in the poll -YourVoteIsPrivate=This poll is private, nobody can see your vote. -YourVoteIsPublic=This poll is public, anybody with the link can see your vote. -CanSeeOthersVote=Voters can see other people's vote -SelectDayDesc=For each selected day, you can choose, or not, meeting hours in the following format:
      - empty,
      - "8h", "8H" or "8:00" to give a meeting's start hour,
      - "8-11", "8h-11h", "8H-11H" or "8:00-11:00" to give a meeting's start and end hour,
      - "8h15-11h15", "8H15-11H15" or "8:15-11:15" for the same thing but with minutes. -BackToCurrentMonth=Back to current month -ErrorOpenSurveyFillFirstSection=You haven't filled the first section of the poll creation -ErrorOpenSurveyOneChoice=Enter at least one choice -ErrorInsertingComment=There was an error while inserting your comment -MoreChoices=Enter more choices for the voters -SurveyExpiredInfo=The poll has been closed or voting delay has expired. -EmailSomeoneVoted=%s has filled a line.\nYou can find your poll at the link: \n%s -ShowSurvey=Show survey -UserMustBeSameThanUserUsedToVote=You must have voted and use the same user name that the one used to vote, to post a comment +Survey=Sondazh +Surveys=Sondazhet +OrganizeYourMeetingEasily=Organizoni lehtësisht takimet dhe sondazhet tuaja. Së pari zgjidhni llojin e sondazhit... +NewSurvey=Sondazh i ri +OpenSurveyArea=Zona e votimit +AddACommentForPoll=Ju mund të shtoni një koment në sondazh... +AddComment=Shto koment +CreatePoll=Krijo sondazh +PollTitle=Titulli i sondazhit +ToReceiveEMailForEachVote=Merr një email për çdo votë +TypeDate=Shkruani datën +TypeClassic=Lloji standard +OpenSurveyStep2=Zgjidhni datat tuaja midis ditëve të lira (gri). Ditët e përzgjedhura janë jeshile. Mund të anuloni zgjedhjen e një dite të zgjedhur më parë duke klikuar sërish mbi të +RemoveAllDays=Hiqeni të gjitha ditët +CopyHoursOfFirstDay=Kopjoni orët e ditës së parë +RemoveAllHours=Hiqni të gjitha orët +SelectedDays=Ditët e zgjedhura +TheBestChoice=Zgjedhja më e mirë aktualisht është +TheBestChoices=Zgjedhjet më të mira aktualisht janë +with=me +OpenSurveyHowTo=Nëse pranoni të votoni në këtë sondazh, duhet të jepni emrin tuaj, të zgjidhni vlerat që ju përshtaten më mirë dhe t'i vërtetoni me butonin plus në fund të rreshtit. +CommentsOfVoters=Komentet e votuesve +ConfirmRemovalOfPoll=Jeni të sigurt që dëshironi të hiqni këtë sondazh (dhe të gjitha votat) +RemovePoll=Hiq sondazhin +UrlForSurvey=URL për të komunikuar për të marrë një qasje të drejtpërdrejtë në sondazh +PollOnChoice=Po krijoni një sondazh për të bërë një zgjedhje të shumëfishtë për një sondazh. Fillimisht shkruani të gjitha zgjedhjet e mundshme për sondazhin tuaj: +CreateSurveyDate=Krijo një sondazh me datë +CreateSurveyStandard=Krijo një sondazh standard +CheckBox=Kuti e thjeshtë e kontrollit +YesNoList=Lista (bosh/po/jo) +PourContreList=Lista (bosh/për/kundër) +AddNewColumn=Shto kolonë të re +TitleChoice=Etiketa e zgjedhjes +ExportSpreadsheet=Eksporto tabelën e rezultateve +ExpireDate=Data e limitit +NbOfSurveys=Numri i sondazheve +NbOfVoters=Numri i votuesve +SurveyResults=Rezultatet +PollAdminDesc=Ju lejohet të ndryshoni të gjitha rreshtat e votimit të këtij sondazhi me butonin "Ndrysho". Ju gjithashtu mund të hiqni një kolonë ose një rresht me %s. Mund të shtoni gjithashtu një kolonë të re me %s. +5MoreChoices=5 zgjedhje të tjera +Against=Kundër +YouAreInivitedToVote=Jeni të ftuar të votoni për këtë sondazh +VoteNameAlreadyExists=Ky emër është përdorur tashmë për këtë sondazh +AddADate=Shto një datë +AddStartHour=Shto orën e fillimit +AddEndHour=Shto orën e përfundimit +votes=vota(t) +NoCommentYet=Asnjë koment nuk është postuar ende për këtë sondazh +CanComment=Votuesit mund të komentojnë në sondazh +YourVoteIsPrivate=Ky sondazh është privat, askush nuk mund ta shohë votën tuaj. +YourVoteIsPublic=Ky sondazh është publik, kushdo me lidhjen mund ta shohë votën tuaj. +CanSeeOthersVote=Votuesit mund të shohin votën e njerëzve të tjerë +SelectDayDesc=Për çdo ditë të zgjedhur, mund të zgjidhni ose jo oraret e takimit në formatin e mëposhtëm:
      - bosh,
      - " 8 orë", "8 orë" ose "8:00" për të dhënë orën e fillimit të një takimi,
      - "8-11", "8 orë-11 orë", "8H-11H" ose "8:00-11:00" për të dhënë orën e fillimit dhe mbarimit të një takimi,
      - "8h15-11h15", "8H15-11H15" ose "8:15- 11:15" për të njëjtën gjë, por me minuta. +BackToCurrentMonth=Kthehu në muajin aktual +ErrorOpenSurveyFillFirstSection=Nuk e ke plotësuar seksionin e parë të krijimit të sondazhit +ErrorOpenSurveyOneChoice=Fut të paktën një zgjedhje +ErrorInsertingComment=Pati një gabim gjatë futjes së komentit tuaj +MoreChoices=Vendosni më shumë zgjedhje për votuesit +SurveyExpiredInfo=Votimi është mbyllur ose vonesa e votimit ka skaduar. +EmailSomeoneVoted=%s ka mbushur një rresht.\nSondazhin tuaj mund ta gjeni në linkun:\n%s +ShowSurvey=Shfaq anketën +UserMustBeSameThanUserUsedToVote=Duhet të keni votuar dhe të përdorni të njëjtin emër përdoruesi që përdori për të votuar, për të postuar një koment +ListOfOpenSurveys=Lista e anketave të hapura diff --git a/htdocs/langs/sq_AL/orders.lang b/htdocs/langs/sq_AL/orders.lang index 8cfe52adcc2..fc1e65de396 100644 --- a/htdocs/langs/sq_AL/orders.lang +++ b/htdocs/langs/sq_AL/orders.lang @@ -1,196 +1,208 @@ # Dolibarr language file - Source file is en_US - orders -OrdersArea=Customers orders area -SuppliersOrdersArea=Purchase orders area -OrderCard=Order card -OrderId=Order Id -Order=Order -PdfOrderTitle=Order -Orders=Orders -OrderLine=Order line -OrderDate=Order date -OrderDateShort=Order date -OrderToProcess=Order to process -NewOrder=New order -NewSupplierOrderShort=New order -NewOrderSupplier=New Purchase Order -ToOrder=Make order -MakeOrder=Make order -SupplierOrder=Purchase order -SuppliersOrders=Purchase orders -SaleOrderLines=Sales order lines -PurchaseOrderLines=Puchase order lines -SuppliersOrdersRunning=Current purchase orders -CustomerOrder=Sales Order -CustomersOrders=Sales Orders -CustomersOrdersRunning=Current sales orders -CustomersOrdersAndOrdersLines=Sales orders and order details -OrdersDeliveredToBill=Sales orders delivered to bill -OrdersToBill=Sales orders delivered -OrdersInProcess=Sales orders in process -OrdersToProcess=Sales orders to process -SuppliersOrdersToProcess=Purchase orders to process -SuppliersOrdersAwaitingReception=Purchase orders awaiting reception -AwaitingReception=Awaiting reception +OrderExists=Një porosi ishte tashmë e hapur e lidhur me këtë propozim, kështu që asnjë porosi tjetër nuk u krijua automatikisht +OrdersArea=Zona e porosive të klientëve +SuppliersOrdersArea=Zona e porosive të blerjeve +OrderCard=Karta e porosisë +OrderId=Id i porosisë +Order=Rendit +PdfOrderTitle=Rendit +Orders=Porositë +OrderLine=Linja e porosisë +OrderDate=Data e porosisë +OrderDateShort=Data e porosisë +OrderToProcess=Urdhër për përpunim +NewOrder=Rregull i ri +NewSupplierOrderShort=Rregull i ri +NewOrderSupplier=Urdhër Blerje e Re +ToOrder=Bëj porosi +MakeOrder=Bëj porosi +SupplierOrder=Urdhri i blerjes +SuppliersOrders=Urdhrat e blerjeve +SaleOrderLines=Linjat e porosive të shitjeve +PurchaseOrderLines=Linjat e porosive të blerjeve +SuppliersOrdersRunning=Urdhrat aktuale të blerjeve +CustomerOrder=Urdhri i shitjes +CustomersOrders=Urdhërat e shitjes +CustomersOrdersRunning=Porositë aktuale të shitjeve +CustomersOrdersAndOrdersLines=Urdhrat e shitjeve dhe detajet e porosisë +OrdersDeliveredToBill=Urdhrat e shitjeve të dorëzuara në faturë +OrdersToBill=Urdhërat e shitjeve të dorëzuara +OrdersInProcess=Porositë e shitjeve në proces +OrdersToProcess=Urdhrat e shitjeve për t'u përpunuar +SuppliersOrdersToProcess=Urdhrat e blerjeve për t'u përpunuar +SuppliersOrdersAwaitingReception=Urdhrat e blerjeve në pritje të pritjes +AwaitingReception=Në pritje të pritjes StatusOrderCanceledShort=Anulluar StatusOrderDraftShort=Draft -StatusOrderValidatedShort=Validated +StatusOrderValidatedShort=E vërtetuar StatusOrderSentShort=Nё proces -StatusOrderSent=Shipment in process -StatusOrderOnProcessShort=Ordered -StatusOrderProcessedShort=Processed -StatusOrderDelivered=Delivered -StatusOrderDeliveredShort=Delivered -StatusOrderToBillShort=Delivered +StatusOrderSent=Dërgesa në proces +StatusOrderOnProcessShort=porositur +StatusOrderProcessedShort=Të përpunuara +StatusOrderDelivered=Dorëzuar +StatusOrderDeliveredShort=Dorëzuar +StatusOrderToBillShort=Dorëzuar StatusOrderApprovedShort=Miratuar StatusOrderRefusedShort=Refuzuar -StatusOrderToProcessShort=To process -StatusOrderReceivedPartiallyShort=Partially received -StatusOrderReceivedAllShort=Products received +StatusOrderToProcessShort=Të procesojmë +StatusOrderReceivedPartiallyShort=Pjesërisht e pranuar +StatusOrderReceivedAllShort=Produktet e marra StatusOrderCanceled=Anulluar -StatusOrderDraft=Draft (needs to be validated) -StatusOrderValidated=Validated -StatusOrderOnProcess=Ordered - Standby reception -StatusOrderOnProcessWithValidation=Ordered - Standby reception or validation -StatusOrderProcessed=Processed -StatusOrderToBill=Delivered +StatusOrderDraft=Drafti (duhet të vërtetohet) +StatusOrderValidated=E vërtetuar +StatusOrderOnProcess=Porosi - Pritje në gatishmëri +StatusOrderOnProcessWithValidation=I porositur - Pritje ose vërtetim në gatishmëri +StatusOrderProcessed=Të përpunuara +StatusOrderToBill=Dorëzuar StatusOrderApproved=Miratuar StatusOrderRefused=Refuzuar -StatusOrderReceivedPartially=Partially received -StatusOrderReceivedAll=All products received -ShippingExist=A shipment exists -QtyOrdered=Qty ordered -ProductQtyInDraft=Product quantity into draft orders -ProductQtyInDraftOrWaitingApproved=Product quantity into draft or approved orders, not yet ordered -MenuOrdersToBill=Orders delivered -MenuOrdersToBill2=Billable orders -ShipProduct=Ship product -CreateOrder=Create Order -RefuseOrder=Refuse order -ApproveOrder=Approve order -Approve2Order=Approve order (second level) -ValidateOrder=Validate order -UnvalidateOrder=Unvalidate order -DeleteOrder=Delete order -CancelOrder=Cancel order -OrderReopened= Order %s re-open -AddOrder=Create order -AddSupplierOrderShort=Create order -AddPurchaseOrder=Create purchase order -AddToDraftOrders=Add to draft order -ShowOrder=Show order -OrdersOpened=Orders to process -NoDraftOrders=No draft orders -NoOrder=No order -NoSupplierOrder=No purchase order -LastOrders=Latest %s sales orders -LastCustomerOrders=Latest %s sales orders -LastSupplierOrders=Latest %s purchase orders -LastModifiedOrders=Latest %s modified orders -AllOrders=All orders -NbOfOrders=Number of orders -OrdersStatistics=Order's statistics -OrdersStatisticsSuppliers=Purchase order statistics -NumberOfOrdersByMonth=Number of orders by month -AmountOfOrdersByMonthHT=Amount of orders by month (excl. tax) -ListOfOrders=List of orders -CloseOrder=Close order -ConfirmCloseOrder=Are you sure you want to set this order to delivered? Once an order is delivered, it can be set to billed. -ConfirmDeleteOrder=Are you sure you want to delete this order? -ConfirmValidateOrder=Are you sure you want to validate this order under name %s? -ConfirmUnvalidateOrder=Are you sure you want to restore order %s to draft status? -ConfirmCancelOrder=Are you sure you want to cancel this order? -ConfirmMakeOrder=Are you sure you want to confirm you made this order on %s? -GenerateBill=Generate invoice -ClassifyShipped=Classify delivered -DraftOrders=Draft orders -DraftSuppliersOrders=Draft purchase orders -OnProcessOrders=In process orders -RefOrder=Ref. order -RefCustomerOrder=Ref. order for customer -RefOrderSupplier=Ref. order for vendor -RefOrderSupplierShort=Ref. order vendor -SendOrderByMail=Send order by mail -ActionsOnOrder=Events on order -NoArticleOfTypeProduct=No article of type 'product' so no shippable article for this order -OrderMode=Order method -AuthorRequest=Request author -UserWithApproveOrderGrant=Users granted with "approve orders" permission. -PaymentOrderRef=Payment of order %s -ConfirmCloneOrder=Are you sure you want to clone this order %s? -DispatchSupplierOrder=Receiving purchase order %s -FirstApprovalAlreadyDone=First approval already done -SecondApprovalAlreadyDone=Second approval already done -SupplierOrderReceivedInDolibarr=Purchase Order %s received %s -SupplierOrderSubmitedInDolibarr=Purchase Order %s submitted -SupplierOrderClassifiedBilled=Purchase Order %s set billed -OtherOrders=Other orders -SupplierOrderValidatedAndApproved=Supplier order is validated and approved : %s -SupplierOrderValidated=Supplier order is validated : %s +StatusOrderReceivedPartially=Pjesërisht e pranuar +StatusOrderReceivedAll=Të gjitha produktet e pranuara +ShippingExist=Ekziston një dërgesë +QtyOrdered=Sasia e porositur +ProductQtyInDraft=Sasia e produktit në draft porosi +ProductQtyInDraftOrWaitingApproved=Sasia e produktit në porosi ose porosi të miratuara, ende e pa porositur +MenuOrdersToBill=Porositë e dorëzuara +MenuOrdersToBill2=Porositë e faturueshme +ShipProduct=Dërgo produktin +CreateOrder=Krijo Rendit +RefuseOrder=Refuzoni urdhrin +ApproveOrder=Mirato urdhrin +Approve2Order=Mirato porosinë (niveli i dytë) +UserApproval=Përdoruesi për miratim +UserApproval2=Përdoruesi për miratim (niveli i dytë) +ValidateOrder=Verifiko porosinë +UnvalidateOrder=Anuloni urdhrin +DeleteOrder=Fshi porosinë +CancelOrder=Anulo porosinë +OrderReopened= Porosit %s rihap +AddOrder=Krijo rend +AddSupplierOrderShort=Krijo rend +AddPurchaseOrder=Krijo porosi blerjeje +AddToDraftOrders=Shto në draft porosinë +ShowOrder=Trego rendin +OrdersOpened=Urdhërat për t'u përpunuar +NoDraftOrders=Asnjë draft urdhër +NoOrder=Asnjë urdhër +NoSupplierOrder=Asnjë urdhër blerje +LastOrders=Porositë më të fundit të shitjeve %s +LastCustomerOrders=Porositë më të fundit të shitjeve %s +LastSupplierOrders=Porositë e fundit të blerjes %s +LastModifiedOrders=Porositë më të fundit të modifikuara %s +AllOrders=Të gjitha porositë +NbOfOrders=Numri i porosive +OrdersStatistics=Statistikat e porosive +OrdersStatisticsSuppliers=Statistikat e porosive të blerjeve +NumberOfOrdersByMonth=Numri i porosive sipas muajit +AmountOfOrdersByMonthHT=Shuma e porosive sipas muajve (pa taksa) +ListOfOrders=Lista e porosive +ListOrderLigne=Linjat e porosive +productobuy=Produkte vetëm për të blerë +productonly=Vetëm produkte +disablelinefree=Nuk ka linja falas +CloseOrder=Mbyll porosinë +ConfirmCloseOrder=Jeni i sigurt që dëshironi ta caktoni këtë porosi për të dorëzuar? Pasi një porosi të dorëzohet, ajo mund të vendoset në faturim. +ConfirmDeleteOrder=Jeni i sigurt që dëshironi ta fshini këtë porosi? +ConfirmValidateOrder=Jeni të sigurt që dëshironi ta vërtetoni këtë porosi me emrin %sb09a4b739f17f8z ? +ConfirmUnvalidateOrder=Jeni i sigurt që dëshironi të rivendosni rendin %s në statusin e draftit ? +ConfirmCancelOrder=Jeni i sigurt që dëshironi ta anuloni këtë porosi? +ConfirmMakeOrder=Jeni i sigurt që dëshironi të konfirmoni se e keni bërë këtë porosi në %sb09a4b739f17f80 >? +GenerateBill=Gjeneroni faturë +ClassifyShipped=Klasifikoni dorëzuar +PassedInShippedStatus=klasifikuar dorëzuar +YouCantShipThis=Nuk mund ta klasifikoj këtë. Ju lutemi kontrolloni lejet e përdoruesit +DraftOrders=Projekturdhra +DraftSuppliersOrders=Hartimi i urdhrave të blerjes +OnProcessOrders=Në proces urdhrash +RefOrder=Ref. urdhëroj +RefCustomerOrder=Ref. porosi për klientin +RefOrderSupplier=Ref. porosi për shitësin +RefOrderSupplierShort=Ref. shitës porosie +SendOrderByMail=Dërgo porosinë me postë +ActionsOnOrder=Ngjarjet me porosi +NoArticleOfTypeProduct=Asnjë artikull i llojit 'produkt', kështu që asnjë artikull i dërgueshëm për këtë porosi +OrderMode=Mënyra e porositjes +AuthorRequest=Kërkoni autor +UserWithApproveOrderGrant=Përdoruesve u jepet leja e "miratimit të porosive". +PaymentOrderRef=Pagesa e porosisë %s +ConfirmCloneOrder=Jeni të sigurt që dëshironi ta klononi këtë porosi %sb09a4b739f17f8z>All the tools can be accessed via the left menu. -Birthday=Birthday -BirthdayAlertOn=birthday alert active -BirthdayAlertOff=birthday alert inactive -TransKey=Translation of the key TransKey -MonthOfInvoice=Month (number 1-12) of invoice date -TextMonthOfInvoice=Month (text) of invoice date -PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date -TextPreviousMonthOfInvoice=Previous month (text) of invoice date -NextMonthOfInvoice=Following month (number 1-12) of invoice date -TextNextMonthOfInvoice=Following month (text) of invoice date -PreviousMonth=Previous month -CurrentMonth=Current month -ZipFileGeneratedInto=Zip file generated into %s. -DocFileGeneratedInto=Doc file generated into %s. -JumpToLogin=Disconnected. Go to login page... -MessageForm=Message on online payment form -MessageOK=Message on the return page for a validated payment -MessageKO=Message on the return page for a canceled payment -ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. -DeleteAlsoContentRecursively=Check to delete all content recursively -PoweredBy=Powered by -YearOfInvoice=Year of invoice date -PreviousYearOfInvoice=Previous year of invoice date -NextYearOfInvoice=Following year of invoice date -DateNextInvoiceBeforeGen=Date of next invoice (before generation) -DateNextInvoiceAfterGen=Date of next invoice (after generation) -GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. -OnlyOneFieldForXAxisIsPossible=Only 1 field is currently possible as X-Axis. Only the first selected field has been selected. -AtLeastOneMeasureIsRequired=At least 1 field for measure is required -AtLeastOneXAxisIsRequired=At least 1 field for X-Axis is required -LatestBlogPosts=Latest Blog Posts -notiftouser=To users -notiftofixedemail=To fixed mail -notiftouserandtofixedemail=To user and fixed mail -Notify_ORDER_VALIDATE=Sales order validated -Notify_ORDER_SENTBYMAIL=Sales order sent by mail -Notify_ORDER_SUPPLIER_SENTBYMAIL=Purchase order sent by email -Notify_ORDER_SUPPLIER_VALIDATE=Purchase order recorded -Notify_ORDER_SUPPLIER_APPROVE=Purchase order approved -Notify_ORDER_SUPPLIER_REFUSE=Purchase order refused -Notify_PROPAL_VALIDATE=Customer proposal validated -Notify_PROPAL_CLOSE_SIGNED=Customer proposal closed signed -Notify_PROPAL_CLOSE_REFUSED=Customer proposal closed refused -Notify_PROPAL_SENTBYMAIL=Commercial proposal sent by mail -Notify_WITHDRAW_TRANSMIT=Transmission withdrawal -Notify_WITHDRAW_CREDIT=Credit withdrawal -Notify_WITHDRAW_EMIT=Perform withdrawal -Notify_COMPANY_CREATE=Third party created -Notify_COMPANY_SENTBYMAIL=Mails sent from third party card -Notify_BILL_VALIDATE=Customer invoice validated -Notify_BILL_UNVALIDATE=Customer invoice unvalidated -Notify_BILL_PAYED=Customer invoice paid -Notify_BILL_CANCEL=Customer invoice canceled -Notify_BILL_SENTBYMAIL=Customer invoice sent by mail -Notify_BILL_SUPPLIER_VALIDATE=Vendor invoice validated -Notify_BILL_SUPPLIER_PAYED=Vendor invoice paid -Notify_BILL_SUPPLIER_SENTBYMAIL=Vendor invoice sent by mail -Notify_BILL_SUPPLIER_CANCELED=Vendor invoice cancelled -Notify_CONTRACT_VALIDATE=Contract validated -Notify_FICHINTER_VALIDATE=Intervention validated -Notify_FICHINTER_ADD_CONTACT=Added contact to Intervention -Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail -Notify_SHIPPING_VALIDATE=Shipping validated -Notify_SHIPPING_SENTBYMAIL=Shipping sent by mail -Notify_MEMBER_VALIDATE=Member validated -Notify_MEMBER_MODIFY=Member modified -Notify_MEMBER_SUBSCRIPTION=Member subscribed -Notify_MEMBER_RESILIATE=Member terminated -Notify_MEMBER_DELETE=Member deleted -Notify_PROJECT_CREATE=Project creation -Notify_TASK_CREATE=Task created -Notify_TASK_MODIFY=Task modified -Notify_TASK_DELETE=Task deleted -Notify_EXPENSE_REPORT_VALIDATE=Expense report validated (approval required) -Notify_EXPENSE_REPORT_APPROVE=Expense report approved -Notify_HOLIDAY_VALIDATE=Leave request validated (approval required) -Notify_HOLIDAY_APPROVE=Leave request approved -Notify_ACTION_CREATE=Added action to Agenda -SeeModuleSetup=See setup of module %s -NbOfAttachedFiles=Number of attached files/documents -TotalSizeOfAttachedFiles=Total size of attached files/documents -MaxSize=Maximum size -AttachANewFile=Attach a new file/document -LinkedObject=Linked object -NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__
      This is a test mail sent to __EMAIL__ (the word test must be in bold).
      The lines are separated by a carriage return.

      __USER_SIGNATURE__ -PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendProposal=__(Hello)__\n\nPlease find commercial proposal __REF__ attached \n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nPlease find price request __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendOrder=__(Hello)__\n\nPlease find order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nPlease find our order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n -PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__

      This is an automatic message, please do not reply. -DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available. -ChooseYourDemoProfil=Choose the demo profile that best suits your needs... -ChooseYourDemoProfilMore=...or build your own profile
      (manual module selection) -DemoFundation=Manage members of a foundation -DemoFundation2=Manage members and bank account of a foundation -DemoCompanyServiceOnly=Company or freelance selling service only -DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Shop selling products with Point Of Sales -DemoCompanyManufacturing=Company manufacturing products -DemoCompanyAll=Company with multiple activities (all main modules) -CreatedBy=Created by %s -ModifiedBy=Modified by %s -ValidatedBy=Validated by %s -SignedBy=Signed by %s -ClosedBy=Closed by %s -CreatedById=User id who created -ModifiedById=User id who made latest change -ValidatedById=User id who validated -CanceledById=User id who canceled -ClosedById=User id who closed -CreatedByLogin=User login who created -ModifiedByLogin=User login who made latest change -ValidatedByLogin=User login who validated -CanceledByLogin=User login who canceled -ClosedByLogin=User login who closed -FileWasRemoved=File %s was removed -DirWasRemoved=Directory %s was removed -FeatureNotYetAvailable=Feature not yet available in the current version -FeatureNotAvailableOnDevicesWithoutMouse=Feature not available on devices without mouse -FeaturesSupported=Supported features -Width=Width -Height=Height -Depth=Depth +ToolsDesc=Të gjitha mjetet që nuk përfshihen në hyrjet e tjera të menysë janë grupuar këtu.
      Të gjitha mjetet mund të aksesohen nëpërmjet menysë së majtë. +Birthday=ditëlindjen +BirthdayAlert=Alarmi për ditëlindje +BirthdayAlertOn=alarmi i ditëlindjes është aktiv +BirthdayAlertOff=alarmi i ditëlindjes joaktiv +TransKey=Përkthimi i çelësit TransKey +MonthOfInvoice=Muaji (numri 1-12) i datës së faturës +TextMonthOfInvoice=Muaji (teksti) i datës së faturës +PreviousMonthOfInvoice=Muaji i mëparshëm (numri 1-12) i datës së faturës +TextPreviousMonthOfInvoice=Muaji i mëparshëm (teksti) i datës së faturës +NextMonthOfInvoice=Muajin pasues (numri 1-12) i datës së faturës +TextNextMonthOfInvoice=Muaji (teksti) vijues i datës së faturës +PreviousMonth=Muajin e kaluar +CurrentMonth=Muaji aktual +ZipFileGeneratedInto=Skedari zip u krijua në %s. +DocFileGeneratedInto=Skedari dokument i gjeneruar në %s. +JumpToLogin=E shkëputur. Shkoni te faqja e hyrjes... +MessageForm=Mesazh në formularin e pagesës online +MessageOK=Mesazh në faqen e kthimit për një pagesë të vërtetuar +MessageKO=Mesazh në faqen e kthimit për një pagesë të anuluar +ContentOfDirectoryIsNotEmpty=Përmbajtja e kësaj drejtorie nuk është bosh. +DeleteAlsoContentRecursively=Kontrollo për të fshirë të gjithë përmbajtjen në mënyrë rekursive +PoweredBy=Mundësuar nga +YearOfInvoice=Data e vitit të faturës +PreviousYearOfInvoice=Viti i mëparshëm i datës së faturës +NextYearOfInvoice=Viti pasardhës i datës së faturës +DateNextInvoiceBeforeGen=Data e faturës së ardhshme (para gjenerimit) +DateNextInvoiceAfterGen=Data e faturës së ardhshme (pas gjenerimit) +GraphInBarsAreLimitedToNMeasures=Grafikat janë të kufizuara në masat %s në modalitetin "Bar". Në vend të kësaj, modaliteti 'Linjat' u zgjodh automatikisht. +OnlyOneFieldForXAxisIsPossible=Vetëm 1 fushë është aktualisht e mundur si X-Axis. Është zgjedhur vetëm fusha e parë e përzgjedhur. +AtLeastOneMeasureIsRequired=Kërkohet të paktën 1 fushë për matje +AtLeastOneXAxisIsRequired=Kërkohet të paktën 1 fushë për boshtin X +LatestBlogPosts=Postimet e fundit në blog +notiftouser=Për përdoruesit +notiftofixedemail=Për postën fikse +notiftouserandtofixedemail=Tek përdoruesi dhe posta fikse +Notify_ORDER_VALIDATE=Urdhri i shitjes u vërtetua +Notify_ORDER_SENTBYMAIL=Urdhri i shitjes i dërguar me postë +Notify_ORDER_CLOSE=Urdhri i shitjes është dorëzuar +Notify_ORDER_SUPPLIER_SENTBYMAIL=Urdhri i blerjes është dërguar me email +Notify_ORDER_SUPPLIER_VALIDATE=Urdhri i blerjes është regjistruar +Notify_ORDER_SUPPLIER_APPROVE=Urdhri i blerjes është miratuar +Notify_ORDER_SUPPLIER_SUBMIT=Urdhri i blerjes u dorëzua +Notify_ORDER_SUPPLIER_REFUSE=Urdhri i blerjes u refuzua +Notify_PROPAL_VALIDATE=Propozimi i klientit u vërtetua +Notify_PROPAL_CLOSE_SIGNED=Propozimi i klientit u mbyll i nënshkruar +Notify_PROPAL_CLOSE_REFUSED=Propozimi i klientit u mbyll u refuzua +Notify_PROPAL_SENTBYMAIL=Propozimi tregtar i dërguar me postë +Notify_WITHDRAW_TRANSMIT=Tërheqja e transmetimit +Notify_WITHDRAW_CREDIT=Tërheqja e kredisë +Notify_WITHDRAW_EMIT=Kryeni tërheqjen +Notify_COMPANY_CREATE=Pala e tretë u krijua +Notify_COMPANY_SENTBYMAIL=Emailet e dërguara nga faqja e palës së tretë +Notify_BILL_VALIDATE=Fatura e klientit u vërtetua +Notify_BILL_UNVALIDATE=Fatura e klientit e pavlefshme +Notify_BILL_PAYED=Fatura e klientit e paguar +Notify_BILL_CANCEL=Fatura e klientit u anulua +Notify_BILL_SENTBYMAIL=Fatura e klientit dërguar me postë +Notify_BILL_SUPPLIER_VALIDATE=Fatura e shitësit u vërtetua +Notify_BILL_SUPPLIER_PAYED=Fatura e shitësit e paguar +Notify_BILL_SUPPLIER_SENTBYMAIL=Fatura e shitësit dërguar me postë +Notify_BILL_SUPPLIER_CANCELED=Fatura e shitësit u anulua +Notify_CONTRACT_VALIDATE=Kontrata e vërtetuar +Notify_FICHINTER_VALIDATE=Ndërhyrja u vërtetua +Notify_FICHINTER_CLOSE=Ndërhyrja u mbyll +Notify_FICHINTER_ADD_CONTACT=Kontakti i shtuar te Intervenimi +Notify_FICHINTER_SENTBYMAIL=Ndërhyrja e dërguar me postë +Notify_SHIPPING_VALIDATE=Transporti u vërtetua +Notify_SHIPPING_SENTBYMAIL=Transporti dërguar me postë +Notify_MEMBER_VALIDATE=Anëtari u vërtetua +Notify_MEMBER_MODIFY=Anëtari u modifikua +Notify_MEMBER_SUBSCRIPTION=Anëtari u pajtua +Notify_MEMBER_RESILIATE=Anëtari u ndërpre +Notify_MEMBER_DELETE=Anëtari u fshi +Notify_PROJECT_CREATE=Krijimi i projektit +Notify_TASK_CREATE=Detyra e krijuar +Notify_TASK_MODIFY=Detyra u modifikua +Notify_TASK_DELETE=Detyra u fshi +Notify_EXPENSE_REPORT_VALIDATE=Raporti i shpenzimeve u vërtetua (kërkohet miratimi) +Notify_EXPENSE_REPORT_APPROVE=Miratohet raporti i shpenzimeve +Notify_HOLIDAY_VALIDATE=Lëreni kërkesën të vlefshme (kërkohet miratimi) +Notify_HOLIDAY_APPROVE=Lëreni kërkesën e miratuar +Notify_ACTION_CREATE=Aksioni i shtuar në axhendë +SeeModuleSetup=Shiko konfigurimin e modulit %s +NbOfAttachedFiles=Numri i skedarëve/dokumenteve të bashkangjitura +TotalSizeOfAttachedFiles=Madhësia totale e skedarëve/dokumenteve të bashkangjitura +MaxSize=Madhësia maksimale +AttachANewFile=Bashkangjit një skedar/dokument të ri +LinkedObject=Objekti i lidhur +NbOfActiveNotifications=Numri i njoftimeve (nr. i email-eve të marrësve) +PredefinedMailTest=__(Përshëndetje)__\nKjo është një postë provë e dërguar në __EMAIL__.\nLinjat ndahen nga një karrocë kthimi.\n\n__SIGNATURE_USER__ +PredefinedMailTestHtml=__(Përshëndetje)__
      Ky është një testb09a4b739f17f dërguar në __EMAIL__ (fjala test duhet të jetë me shkronja të zeza).
      Rreshtat janë të ndara nga një karrocë kthimi.

      __USER_SIGNATURE__ +PredefinedMailContentContract=__(Përshëndetje)__\n\n\n__(Sinqerisht)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Përshëndetje)__\n\nJu lutemi gjeni të bashkangjitur faturën __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sinqerisht)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Përshëndetje)__\n\nJu rikujtojmë se fatura __REF__ duket se nuk është paguar. Një kopje e faturës është bashkangjitur si kujtesë.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sinqerisht)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendProposal=__(Përshëndetje)__\n\nJu lutemi gjeni propozimin tregtar __REF__ bashkangjitur\n\n\n__(Sinqerisht)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierProposal=__(Përshëndetje)__\n\nJu lutemi gjeni kërkesën për çmim __REF__ bashkangjitur\n\n\n__(Sinqerisht)__\n\n__SIGNATURE_USER__ +PredefinedMailContentSendOrder=__(Përshëndetje)__\n\nJu lutemi gjeni porosinë __REF__ bashkangjitur\n\n\n__(Sinqerisht)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierOrder=__(Përshëndetje)__\n\nJu lutemi gjeni porosinë tonë __REF__ bashkangjitur\n\n\n__(Sinqerisht)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierInvoice=__(Përshëndetje)__\n\nJu lutemi gjeni të bashkangjitur faturën __REF__\n\n\n__(Sinqerisht)__\n\n__SIGNATURE_USER__ +PredefinedMailContentSendShipping=__(Përshëndetje)__\n\nJu lutemi gjeni transportin __REF__ bashkangjitur\n\n\n__(Sinqerisht)__\n\n__SIGNATURE_USER__ +PredefinedMailContentSendFichInter=__(Përshëndetje)__\n\nBashkangjitur gjeni ndërhyrjen __REF__\n\n\n__(Sinqerisht)__\n\n__USER_SIGNATURE__ +PredefinedMailContentLink=Mund të klikoni në lidhjen më poshtë për të kryer pagesën nëse nuk është bërë tashmë.\n\n%s\n\n +PredefinedMailContentGeneric=__(Përshëndetje)__\n\n\n__(Sinqerisht)__\n\n__SIGNATURE_USER__ +PredefinedMailContentSendActionComm=Alarmi rikujtues i ngjarjes "__EVENT_LABEL__" më __EVENT_DATE__ në __EVENT_TIME__

      Ky është një mesazh përsëritur automatikisht. +DemoDesc=Dolibarr është një ERP/CRM kompakte që mbështet disa module biznesi. Një demonstrim që shfaq të gjitha modulet nuk ka kuptim pasi ky skenar nuk ndodh kurrë (disa qindra janë në dispozicion). Pra, disa profile demo janë në dispozicion. +ChooseYourDemoProfil=Zgjidhni profilin demo që i përshtatet më së miri nevojave tuaja... +ChooseYourDemoProfilMore=...ose ndërto profilin tënd
      (zgjedhja manuale e modulit) +DemoFundation=Menaxhoni anëtarët e një fondacioni +DemoFundation2=Menaxhoni anëtarët dhe llogarinë bankare të një fondacioni +DemoCompanyServiceOnly=Vetëm shërbimi i shitjes së kompanisë ose i pavarur +DemoCompanyShopWithCashDesk=Menaxhoni një dyqan me një kuti parash +DemoCompanyProductAndStocks=Blini duke shitur produkte me Point Of Sales +DemoCompanyManufacturing=Produktet e kompanisë prodhuese +DemoCompanyAll=Kompani me aktivitete të shumta (të gjitha modulet kryesore) +CreatedBy=Krijuar nga %s +ModifiedBy=Modifikuar nga %s +ValidatedBy=Vërtetuar nga %s +SignedBy=Nënshkruar nga %s +ClosedBy=Mbyllur nga %s +CreatedById=ID-ja e përdoruesit që krijoi +ModifiedById=ID-ja e përdoruesit që ka bërë ndryshimin e fundit +ValidatedById=ID-ja e përdoruesit që u vërtetua +CanceledById=ID-ja e përdoruesit që anuloi +ClosedById=ID-ja e përdoruesit që u mbyll +CreatedByLogin=Identifikimi i përdoruesit që krijoi +ModifiedByLogin=Hyrja e përdoruesit që ka bërë ndryshimin e fundit +ValidatedByLogin=Identifikimi i përdoruesit që vërtetoi +CanceledByLogin=Identifikimi i përdoruesit që anuloi +ClosedByLogin=Hyrja e përdoruesit që u mbyll +FileWasRemoved=Skedari %s u hoq +DirWasRemoved=Drejtoria %s u hoq +FeatureNotYetAvailable=Funksioni nuk ofrohet ende në versionin aktual +FeatureNotAvailableOnDevicesWithoutMouse=Funksioni nuk ofrohet në pajisjet pa mi +FeaturesSupported=Karakteristikat e mbështetura +Width=Gjerësia +Height=Lartësia +Depth=Thellesi Top=Top -Bottom=Bottom -Left=Left -Right=Right -CalculatedWeight=Calculated weight -CalculatedVolume=Calculated volume -Weight=Weight +Bottom=Poshtë +Left=Majtas +Right=E drejta +CalculatedWeight=Pesha e llogaritur +CalculatedVolume=Vëllimi i llogaritur +Weight=Pesha WeightUnitton=ton WeightUnitkg=kg WeightUnitg=g WeightUnitmg=mg -WeightUnitpound=pound -WeightUnitounce=ounce -Length=Length +WeightUnitpound=paund +WeightUnitounce=ons +Length=Gjatësia LengthUnitm=m LengthUnitdm=dm LengthUnitcm=cm LengthUnitmm=mm -Surface=Area +Surface=Zona SurfaceUnitm2=m² SurfaceUnitdm2=dm² SurfaceUnitcm2=cm² SurfaceUnitmm2=mm² SurfaceUnitfoot2=ft² -SurfaceUnitinch2=in² -Volume=Volume +SurfaceUnitinch2=në ² +Volume=Vëllimi VolumeUnitm3=m³ VolumeUnitdm3=dm³ (L) VolumeUnitcm3=cm³ (ml) VolumeUnitmm3=mm³ (µl) VolumeUnitfoot3=ft³ -VolumeUnitinch3=in³ -VolumeUnitounce=ounce -VolumeUnitlitre=litre +VolumeUnitinch3=në³ +VolumeUnitounce=ons +VolumeUnitlitre=litër VolumeUnitgallon=gallon SizeUnitm=m SizeUnitdm=dm SizeUnitcm=cm SizeUnitmm=mm -SizeUnitinch=inch -SizeUnitfoot=foot -SizeUnitpoint=point -BugTracker=Bug tracker -SendNewPasswordDesc=This form allows you to request a new password. It will be sent to your email address.
      Change will become effective once you click on the confirmation link in the email.
      Check your inbox. -BackToLoginPage=Back to login page -AuthenticationDoesNotAllowSendNewPassword=Authentication mode is %s.
      In this mode, Dolibarr can't know nor change your password.
      Contact your system administrator if you want to change your password. -EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use this option. -ProfIdShortDesc=Prof Id %s is an information depending on third party country.
      For example, for country %s, it's code %s. -DolibarrDemo=Dolibarr ERP/CRM demo -StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) -NumberOfProposals=Number of proposals -NumberOfCustomerOrders=Number of sales orders -NumberOfCustomerInvoices=Number of customer invoices -NumberOfSupplierProposals=Number of vendor proposals -NumberOfSupplierOrders=Number of purchase orders -NumberOfSupplierInvoices=Number of vendor invoices -NumberOfContracts=Number of contracts -NumberOfMos=Number of manufacturing orders -NumberOfUnitsProposals=Number of units on proposals -NumberOfUnitsCustomerOrders=Number of units on sales orders -NumberOfUnitsCustomerInvoices=Number of units on customer invoices -NumberOfUnitsSupplierProposals=Number of units on vendor proposals -NumberOfUnitsSupplierOrders=Number of units on purchase orders -NumberOfUnitsSupplierInvoices=Number of units on vendor invoices -NumberOfUnitsContracts=Number of units on contracts -NumberOfUnitsMos=Number of units to produce in manufacturing orders -EMailTextInterventionAddedContact=A new intervention %s has been assigned to you. -EMailTextInterventionValidated=The intervention %s has been validated. -EMailTextInvoiceValidated=Invoice %s has been validated. -EMailTextInvoicePayed=Invoice %s has been paid. -EMailTextProposalValidated=Proposal %s has been validated. -EMailTextProposalClosedSigned=Proposal %s has been closed signed. -EMailTextOrderValidated=Order %s has been validated. -EMailTextOrderApproved=Order %s has been approved. -EMailTextOrderValidatedBy=Order %s has been recorded by %s. -EMailTextOrderApprovedBy=Order %s has been approved by %s. -EMailTextOrderRefused=Order %s has been refused. -EMailTextOrderRefusedBy=Order %s has been refused by %s. -EMailTextExpeditionValidated=Shipping %s has been validated. -EMailTextExpenseReportValidated=Expense report %s has been validated. -EMailTextExpenseReportApproved=Expense report %s has been approved. -EMailTextHolidayValidated=Leave request %s has been validated. -EMailTextHolidayApproved=Leave request %s has been approved. -EMailTextActionAdded=The action %s has been added to the Agenda. -ImportedWithSet=Importation data set -DolibarrNotification=Automatic notification -ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... -NewLength=New width -NewHeight=New height -NewSizeAfterCropping=New size after cropping -DefineNewAreaToPick=Define new area on image to pick (left click on image then drag until you reach the opposite corner) -CurrentInformationOnImage=This tool was designed to help you to resize or crop an image. This is the information on the current edited image -ImageEditor=Image editor -YouReceiveMailBecauseOfNotification=You receive this message because your email has been added to list of targets to be informed of particular events into %s software of %s. -YouReceiveMailBecauseOfNotification2=This event is the following: -ThisIsListOfModules=This is a list of modules preselected by this demo profile (only most common modules are visible in this demo). Edit this to have a more personalized demo and click on "Start". -UseAdvancedPerms=Use the advanced permissions of some modules -FileFormat=File format -SelectAColor=Choose a color -AddFiles=Add Files -StartUpload=Start upload -CancelUpload=Cancel upload -FileIsTooBig=Files is too big -PleaseBePatient=Please be patient... -NewPassword=New password -ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received. -NewKeyIs=This is your new keys to login -NewKeyWillBe=Your new key to login to software will be -ClickHereToGoTo=Click here to go to %s -YouMustClickToChange=You must however first click on the following link to validate this password change -ConfirmPasswordChange=Confirm password change -ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe. -IfAmountHigherThan=If amount higher than %s -SourcesRepository=Repository for sources -Chart=Chart -PassEncoding=Password encoding -PermissionsAdd=Permissions added -PermissionsDelete=Permissions removed -YourPasswordMustHaveAtLeastXChars=Your password must have at least %s chars -PasswordNeedAtLeastXUpperCaseChars=The password need at least %s upper case chars -PasswordNeedAtLeastXDigitChars=The password need at least %s numeric chars -PasswordNeedAtLeastXSpecialChars=The password need at least %s special chars -PasswordNeedNoXConsecutiveChars=The password must not have %s consecutive similar chars -YourPasswordHasBeenReset=Your password has been reset successfully -ApplicantIpAddress=IP address of applicant -SMSSentTo=SMS sent to %s -MissingIds=Missing ids -ThirdPartyCreatedByEmailCollector=Third party created by email collector from email MSGID %s -ContactCreatedByEmailCollector=Contact/address created by email collector from email MSGID %s -ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s -TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s -OpeningHoursFormatDesc=Use a - to separate opening and closing hours.
      Use a space to enter different ranges.
      Example: 8-12 14-18 -SuffixSessionName=Suffix for session name -LoginWith=Login with %s +SizeUnitinch=inç +SizeUnitfoot=këmbë +SizeUnitpoint=pikë +BugTracker=Gjurmuesi i gabimeve +SendNewPasswordDesc=Ky formular ju lejon të kërkoni një fjalëkalim të ri. Ai do të dërgohet në adresën tuaj të emailit.
      Ndryshimi do të hyjë në fuqi sapo të klikoni në lidhjen e konfirmimit në email.
      Kontrolloni kutinë tuaj. +EnterNewPasswordHere=Shkruani fjalëkalimin tuaj të ri këtu +BackToLoginPage=Kthehu në faqen e identifikimit +AuthenticationDoesNotAllowSendNewPassword=Modaliteti i vërtetimit është %s. >
      Në këtë modalitet, Dolibarr nuk mund ta dijë dhe as të ndryshojë fjalëkalimin tuaj.
      Kontakto administratorin e sistemit nëse dëshiron të ndryshosh fjalëkalimin. +EnableGDLibraryDesc=Instaloni ose aktivizoni bibliotekën GD në instalimin tuaj të PHP për të përdorur këtë opsion. +ProfIdShortDesc=ID-ja e profilit %s është një informacion i palës së tretë.
      Për shembull, për shtetin %s, është kodi %s%s
      +SourcesRepository=Depo për burimet +Chart=Grafiku +PassEncoding=Kodimi i fjalëkalimit +PermissionsAdd=Lejet u shtuan +PermissionsDelete=Lejet u hoqën +YourPasswordMustHaveAtLeastXChars=Fjalëkalimi juaj duhet të ketë të paktën %s +PasswordNeedAtLeastXUpperCaseChars=Fjalëkalimi ka nevojë për të paktën %s shkronja të mëdha +PasswordNeedAtLeastXDigitChars=Fjalëkalimi duhet të paktën %s numer +PasswordNeedAtLeastXSpecialChars=Fjalëkalimi ka nevojë për të paktën %s karaktere speciale +PasswordNeedNoXConsecutiveChars=Fjalëkalimi nuk duhet të ketë rrjedhë %s ngjashme +YourPasswordHasBeenReset=Fjalëkalimi juaj është rivendosur me sukses +ApplicantIpAddress=Adresa IP e aplikantit +SMSSentTo=SMS u dërgua te %s +MissingIds=Mungojnë ID-të +ThirdPartyCreatedByEmailCollector=Pala e tretë e krijuar nga mbledhësi i emailit nga emaili MSGID %s +ContactCreatedByEmailCollector=Kontakti/adresa e krijuar nga mbledhësi i emailit nga emaili MSGID %s +ProjectCreatedByEmailCollector=Projekti i krijuar nga mbledhësi i emailit nga emaili MSGID %s +TicketCreatedByEmailCollector=Biletë e krijuar nga mbledhësi i postës elektronike nga emaili MSGID %s +OpeningHoursFormatDesc=Përdor një - për të ndarë orët e hapjes dhe mbylljes.
      Përdor një hapësirë për të futur intervale të ndryshme.
      Shembull: 8-12 14 -18 +SuffixSessionName=Prapashtesa për emrin e sesionit +LoginWith=Identifikohu me %s ##### Export ##### -ExportsArea=Exports area -AvailableFormats=Available formats -LibraryUsed=Library used -LibraryVersion=Library version -ExportableDatas=Exportable data -NoExportableData=No exportable data (no modules with exportable data loaded, or missing permissions) +ExportsArea=Zona e eksporteve +AvailableFormats=Formatet e disponueshme +LibraryUsed=Biblioteka e përdorur +LibraryVersion=Versioni i bibliotekës +ExportableDatas=Të dhëna të eksportueshme +NoExportableData=Nuk ka të dhëna të eksportueshme (asnjë module me të dhëna të eksportueshme të ngarkuara ose që mungojnë lejet) ##### External sites ##### -WebsiteSetup=Setup of module website -WEBSITE_PAGEURL=URL of page -WEBSITE_TITLE=Title +WebsiteSetup=Vendosja e faqes së internetit të modulit +WEBSITE_PAGEURL=URL e faqes +WEBSITE_TITLE=Titulli WEBSITE_DESCRIPTION=Përshkrimi -WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). -WEBSITE_KEYWORDS=Keywords -LinesToImport=Lines to import +WEBSITE_IMAGE=Imazhi +WEBSITE_IMAGEDesc=Rruga relative e medias së imazhit. Ju mund ta mbani këtë bosh pasi përdoret rrallë (mund të përdoret nga përmbajtje dinamike për të shfaqur një miniaturë në një listë postimesh në blog). Përdorni __WEBSITE_KEY__ në shtegun nëse shtegu varet nga emri i faqes së internetit (për shembull: image/__WEBSITE_KEY__/stories/myimage.png). +WEBSITE_KEYWORDS=Fjalë kyçe +LinesToImport=Linjat për të importuar -MemoryUsage=Memory usage -RequestDuration=Duration of request -ProductsPerPopularity=Products/Services by popularity -PopuProp=Products/Services by popularity in Proposals -PopuCom=Products/Services by popularity in Orders -ProductStatistics=Products/Services Statistics -NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... +MemoryUsage=Përdorimi i memories +RequestDuration=Kohëzgjatja e kërkesës +ProductsServicesPerPopularity=Produktet|Shërbimet sipas popullaritetit +ProductsPerPopularity=Produktet sipas popullaritetit +ServicesPerPopularity=Shërbimet sipas popullaritetit +PopuProp=Produktet|Shërbimet sipas popullaritetit në Propozime +PopuCom=Produktet|Shërbimet sipas popullaritetit në Porositë +ProductStatistics=Produktet|Statistikat e Shërbimeve +NbOfQtyInOrders=Sasia në porosi +SelectTheTypeOfObjectToAnalyze=Zgjidh një objekt për të parë statistikat e tij... -ConfirmBtnCommonContent = Are you sure you want to "%s" ? -ConfirmBtnCommonTitle = Confirm your action +ConfirmBtnCommonContent = Jeni i sigurt që dëshironi të "%s" ? +ConfirmBtnCommonTitle = Konfirmoni veprimin tuaj CloseDialog = Mbyll +Autofill = Plotësimi automatik +OrPasteAnURL=ose Ngjit një URL + +# externalsite +ExternalSiteSetup=Lidhja e konfigurimit në uebsajtin e jashtëm +ExternalSiteURL=URL e jashtme e sitit të përmbajtjes HTML iframe +ExternalSiteModuleNotComplete=Moduli ExternalSite nuk ishte konfiguruar siç duhet. +ExampleMyMenuEntry=Hyrja në menunë time + +# ftp +FTPClientSetup=Konfigurimi i modulit të klientit FTP ose SFTP +NewFTPClient=Konfigurimi i ri i lidhjes FTP/SFTP +FTPArea=Zona FTP/SFTP +FTPAreaDesc=Ky ekran tregon një pamje të një serveri FTP dhe SFTP. +SetupOfFTPClientModuleNotComplete=Konfigurimi i modulit të klientit FTP ose SFTP duket se nuk është i plotë +FTPFeatureNotSupportedByYourPHP=PHP juaj nuk mbështet funksionet FTP ose SFTP +FailedToConnectToFTPServer=Lidhja me serverin dështoi (serveri %s, porta %s) +FailedToConnectToFTPServerWithCredentials=Identifikimi në server me hyrje/fjalëkalim të përcaktuar dështoi +FTPFailedToRemoveFile=Heqja e skedarit dështoi %s. +FTPFailedToRemoveDir=Dështoi në heqjen e drejtorisë %s kontrolloni atë direktori: eshte bosh. +FTPPassiveMode=Modaliteti pasiv +ChooseAFTPEntryIntoMenu=Zgjidhni një sajt FTP/SFTP nga menyja... +FailedToGetFile=Dështoi në marrjen e skedarëve %s +ErrorFTPNodisconnect=Gabim në shkëputjen e serverit FTP/SFTP +FileWasUpload=Skedari %s u ngarkua +FTPFailedToUploadFile=Ngarkimi i skedarit dështoi %s. +AddFolder=Krijo nje dosje +FileWasCreateFolder=Dosja %s është krijuar +FTPFailedToCreateFolder=Dështoi në krijimin e dosjes %s. diff --git a/htdocs/langs/sq_AL/partnership.lang b/htdocs/langs/sq_AL/partnership.lang index 9a6ac1101c0..cb06858cd87 100644 --- a/htdocs/langs/sq_AL/partnership.lang +++ b/htdocs/langs/sq_AL/partnership.lang @@ -16,77 +16,84 @@ # # Generic # -ModulePartnershipName=Partnership management -PartnershipDescription=Module Partnership management -PartnershipDescriptionLong= Module Partnership management -Partnership=Partnership -AddPartnership=Add partnership -CancelPartnershipForExpiredMembers=Partnership: Cancel partnership of members with expired subscriptions -PartnershipCheckBacklink=Partnership: Check referring backlink +ModulePartnershipName=Menaxhimi i partneritetit +PartnershipDescription=Moduli i Menaxhimit të Partneritetit +PartnershipDescriptionLong= Moduli i Menaxhimit të Partneritetit +Partnership=Partneriteti +Partnerships=Partneritetet +AddPartnership=Shto partneritet +CancelPartnershipForExpiredMembers=Partneriteti: Anuloni partneritetin e anëtarëve me abonime të skaduara +PartnershipCheckBacklink=Partneriteti: Kontrolloni lidhjen referuese # # Menu # -NewPartnership=New Partnership -ListOfPartnerships=List of partnership +NewPartnership=Partneritet i Ri +NewPartnershipbyWeb=Kërkesa juaj për partneritet është shtuar me sukses. Mund t'ju kontaktojmë së shpejti... +ListOfPartnerships=Lista e partneritetit # # Admin page # -PartnershipSetup=Partnership setup -PartnershipAbout=About Partnership -PartnershipAboutPage=Partnership about page -partnershipforthirdpartyormember=Partner status must be set on a 'thirdparty' or a 'member' -PARTNERSHIP_IS_MANAGED_FOR=Partnership managed for -PARTNERSHIP_BACKLINKS_TO_CHECK=Backlinks to check -PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb of days before cancelling status of a partnership when a subscription has expired -ReferingWebsiteCheck=Check of website referring -ReferingWebsiteCheckDesc=You can enable a feature to check that your partners has added a backlink to your website domains on their own website. +PartnershipSetup=Konfigurimi i partneritetit +PartnershipAbout=Rreth Partneritetit +PartnershipAboutPage=Partneriteti rreth faqes +partnershipforthirdpartyormember=Statusi i partnerit duhet të vendoset në një "palë të tretë" ose një "anëtar" +PARTNERSHIP_IS_MANAGED_FOR=Partneriteti i menaxhuar për +PARTNERSHIP_BACKLINKS_TO_CHECK=Backlinks për të kontrolluar +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb ditë përpara anulimit të statusit të një partneriteti kur një abonim ka skaduar +ReferingWebsiteCheck=Kontrolli i referencës së faqes në internet +ReferingWebsiteCheckDesc=Mund të aktivizoni një veçori për të kontrolluar nëse partnerët tuaj kanë shtuar një lidhje prapa në domenet e faqes suaj të internetit në faqen e tyre të internetit. +PublicFormRegistrationPartnerDesc=Dolibarr mund t'ju ofrojë një URL/faqe të internetit publike për të lejuar vizitorët e jashtëm të kërkojnë të jenë pjesë e programit të partneritetit. # # Object # -DeletePartnership=Delete a partnership -PartnershipDedicatedToThisThirdParty=Partnership dedicated to this third party -PartnershipDedicatedToThisMember=Partnership dedicated to this member -DatePartnershipStart=Start date -DatePartnershipEnd=End date -ReasonDecline=Decline reason -ReasonDeclineOrCancel=Decline reason -PartnershipAlreadyExist=Partnership already exist -ManagePartnership=Manage partnership -BacklinkNotFoundOnPartnerWebsite=Backlink not found on partner website -ConfirmClosePartnershipAsk=Are you sure you want to cancel this partnership? -PartnershipType=Partnership type -PartnershipRefApproved=Partnership %s approved +DeletePartnership=Fshi një partneritet +PartnershipDedicatedToThisThirdParty=Partneritet kushtuar kësaj pale të tretë +PartnershipDedicatedToThisMember=Partneritet kushtuar këtij anëtari +DatePartnershipStart=Data e fillimit +DatePartnershipEnd=Data e përfundimit +ReasonDecline=Refuzoni arsyen +ReasonDeclineOrCancel=Refuzoni arsyen +PartnershipAlreadyExist=Partneriteti tashmë ekziston +ManagePartnership=Menaxhoni partneritetin +BacklinkNotFoundOnPartnerWebsite=Lidhja e pasme nuk u gjet në faqen e internetit të partnerit +ConfirmClosePartnershipAsk=Je i sigurt që dëshiron ta anulosh këtë partneritet? +PartnershipType=Lloji i partneritetit +PartnershipRefApproved=Partneriteti %s u miratua +KeywordToCheckInWebsite=Nëse dëshironi të kontrolloni nëse një fjalë kyçe e dhënë është e pranishme në faqen e internetit të secilit partner, përcaktoni këtë fjalë kyçe këtu +PartnershipDraft=Draft +PartnershipAccepted=Pranuar +PartnershipRefused=Refuzuar +PartnershipCanceled=Anulluar +PartnershipManagedFor=Partnerët janë # # Template Mail # -SendingEmailOnPartnershipWillSoonBeCanceled=Partnership will soon be canceled -SendingEmailOnPartnershipRefused=Partnership refused -SendingEmailOnPartnershipAccepted=Partnership accepted -SendingEmailOnPartnershipCanceled=Partnership canceled +SendingEmailOnPartnershipWillSoonBeCanceled=Partneriteti do të anulohet së shpejti +SendingEmailOnPartnershipRefused=Partneriteti refuzoi +SendingEmailOnPartnershipAccepted=Partneriteti i pranuar +SendingEmailOnPartnershipCanceled=Partneriteti u anulua -YourPartnershipWillSoonBeCanceledTopic=Partnership will soon be canceled -YourPartnershipRefusedTopic=Partnership refused -YourPartnershipAcceptedTopic=Partnership accepted -YourPartnershipCanceledTopic=Partnership canceled +YourPartnershipWillSoonBeCanceledTopic=Partneriteti do të anulohet së shpejti +YourPartnershipRefusedTopic=Partneriteti refuzoi +YourPartnershipAcceptedTopic=Partneriteti i pranuar +YourPartnershipCanceledTopic=Partneriteti u anulua -YourPartnershipWillSoonBeCanceledContent=We inform you that your partnership will soon be canceled (Backlink not found) -YourPartnershipRefusedContent=We inform you that your partnership request has been refused. -YourPartnershipAcceptedContent=We inform you that your partnership request has been accepted. -YourPartnershipCanceledContent=We inform you that your partnership has been canceled. +YourPartnershipWillSoonBeCanceledContent=Dëshirojmë t'ju informojmë se partneriteti ynë së shpejti do të anulohet (nuk kemi marrë rinovim ose një parakusht për partneritetin tonë nuk është përmbushur). Ju lutemi na kontaktoni nëse e keni marrë këtë për shkak të një gabimi. +YourPartnershipRefusedContent=Ne dëshirojmë t'ju informojmë se kërkesa juaj për partneritet është refuzuar. Nuk janë plotësuar kushtet paraprake. Ju lutemi na kontaktoni nëse keni nevojë për më shumë informacion. +YourPartnershipAcceptedContent=Ju informojmë se kërkesa juaj për partneritet është pranuar. +YourPartnershipCanceledContent=Ju informojmë se partneriteti ynë është anuluar. Ju lutemi na kontaktoni nëse keni nevojë për më shumë informacion. -CountLastUrlCheckError=Number of errors for last URL check -LastCheckBacklink=Date of last URL check -ReasonDeclineOrCancel=Decline reason +CountLastUrlCheckError=Numri i gabimeve për kontrollin e fundit të URL-së +LastCheckBacklink=Data e kontrollit të fundit të URL-së +ReasonDeclineOrCancel=Refuzoni arsyen + +NewPartnershipRequest=Kërkesë e re për partneritet +NewPartnershipRequestDesc=Ky formular ju lejon të kërkoni të jeni pjesë e një prej programeve tona të partneritetit. Nëse keni nevojë për ndihmë për të plotësuar këtë formular, ju lutemi kontaktoni me email %sb09a4b739f17f8z span>. +ThisUrlMustContainsAtLeastOneLinkToWebsite=Kjo faqe duhet të përmbajë të paktën një lidhje me një nga domenet e mëposhtme: %s + +IPOfApplicant=IP e aplikantit -# -# Status -# -PartnershipDraft=Draft -PartnershipAccepted=Accepted -PartnershipRefused=Refuzuar -PartnershipCanceled=Anulluar -PartnershipManagedFor=Partners are diff --git a/htdocs/langs/sq_AL/paybox.lang b/htdocs/langs/sq_AL/paybox.lang index 98905d01498..831bbabc592 100644 --- a/htdocs/langs/sq_AL/paybox.lang +++ b/htdocs/langs/sq_AL/paybox.lang @@ -1,31 +1,30 @@ # Dolibarr language file - Source file is en_US - paybox -PayBoxSetup=PayBox module setup -PayBoxDesc=This module offer pages to allow payment on Paybox by customers. This can be used for a free payment or for a payment on a particular Dolibarr object (invoice, order, ...) -FollowingUrlAreAvailableToMakePayments=Following URLs are available to offer a page to a customer to make a payment on Dolibarr objects +PayBoxSetup=Konfigurimi i modulit PayBox +PayBoxDesc=Ky modul ofron faqe për të lejuar pagesën në Paybox nga klientët. Kjo mund të përdoret për një pagesë falas ose për një pagesë në një objekt të caktuar Dolibarr (faturë, porosi, ...) +FollowingUrlAreAvailableToMakePayments=URL-të e mëposhtme janë të disponueshme për t'i ofruar një faqe një klienti për të bërë një pagesë në objektet Dolibarr PaymentForm=Mёnyra e pagesёs -WelcomeOnPaymentPage=Welcome to our online payment service -ThisScreenAllowsYouToPay=This screen allow you to make an online payment to %s. -ThisIsInformationOnPayment=This is information on payment to do +WelcomeOnPaymentPage=Mirë se vini në shërbimin tonë të pagesave në internet +ThisScreenAllowsYouToPay=Ky ekran ju lejon të bëni një pagesë në internet për %s. +ThisIsInformationOnPayment=Ky është informacion mbi pagesën që duhet bërë ToComplete=Pёr tu plotёsuar -YourEMail=Email to receive payment confirmation -Creditor=Creditor -PaymentCode=Payment code -PayBoxDoPayment=Pay with Paybox -YouWillBeRedirectedOnPayBox=You will be redirected on secured Paybox page to input you credit card information +YourEMail=Email për të marrë konfirmimin e pagesës +Creditor=Kreditori +PaymentCode=Kodi i pagesës +PayBoxDoPayment=Paguani me Paybox +YouWillBeRedirectedOnPayBox=Do të ridrejtoheni në faqen e sigurt të Paybox për të futur informacionin e kartës së kreditit Continue=Tjetri -SetupPayBoxToHavePaymentCreatedAutomatically=Setup your Paybox with url %s to have payment created automatically when validated by Paybox. -YourPaymentHasBeenRecorded=This page confirms that your payment has been recorded. Thank you. -YourPaymentHasNotBeenRecorded=Your payment has NOT been recorded and the transaction has been canceled. Thank you. +SetupPayBoxToHavePaymentCreatedAutomatically=Konfiguro Paybox-in tuaj me url %s automatikisht, kur pagesa të krijohen nëPayPal. This can be used for a ad-hoc payment or for a payment related to a Dolibarr object (invoice, order, ...) -PaypalOrCBDoPayment=Pay with PayPal (Card or PayPal) -PaypalDoPayment=Pay with PayPal -PAYPAL_API_SANDBOX=Mode test/sandbox -PAYPAL_API_USER=API username -PAYPAL_API_PASSWORD=API password -PAYPAL_API_SIGNATURE=API signature +PaypalSetup=Konfigurimi i modulit PayPal +PaypalDesc=Ky modul lejon pagesën nga klientët nëpërmjet PayPal. Kjo mund të përdoret për një pagesë ad-hoc ose për një pagesë në lidhje me një objekt Dolibarr (faturë, porosi, ...) +PaypalOrCBDoPayment=Paguani me PayPal (Kartë ose PayPal) +PaypalDoPayment=Paguani me PayPal +PAYPAL_API_SANDBOX=Testi i modalitetit/sandbox +PAYPAL_API_USER=Emri i përdoruesit të API +PAYPAL_API_PASSWORD=Fjalëkalimi API +PAYPAL_API_SIGNATURE=Nënshkrimi API PAYPAL_SSLVERSION=Versioni Curl SSL -PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Offer "integral" payment (Credit card+PayPal) or "PayPal" only -PaypalModeIntegral=Integral -PaypalModeOnlyPaypal=PayPal only -ONLINE_PAYMENT_CSS_URL=Optional URL of CSS stylesheet on online payment page -ThisIsTransactionId=This is id of transaction: %s -PAYPAL_ADD_PAYMENT_URL=Include the PayPal payment url when you send a document by email -NewOnlinePaymentReceived=New online payment received -NewOnlinePaymentFailed=New online payment tried but failed -ONLINE_PAYMENT_SENDEMAIL=Email address for notifications after each payment attempt (for success and fail) -ReturnURLAfterPayment=Return URL after payment -ValidationOfOnlinePaymentFailed=Validation of online payment failed -PaymentSystemConfirmPaymentPageWasCalledButFailed=Payment confirmation page was called by payment system returned an error -SetExpressCheckoutAPICallFailed=SetExpressCheckout API call failed. -DoExpressCheckoutPaymentAPICallFailed=DoExpressCheckoutPayment API call failed. -DetailedErrorMessage=Detailed Error Message -ShortErrorMessage=Short Error Message -ErrorCode=Error Code -ErrorSeverityCode=Error Severity Code -OnlinePaymentSystem=Online payment system -PaypalLiveEnabled=PayPal "live" mode enabled (otherwise test/sandbox mode) -PaypalImportPayment=Import PayPal payments -PostActionAfterPayment=Post actions after payments -ARollbackWasPerformedOnPostActions=A rollback was performed on all Post actions. You must complete post actions manually if they are necessary. -ValidationOfPaymentFailed=Validation of payment has failed -CardOwner=Card holder -PayPalBalance=Paypal credit +PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Ofroni pagesë "integrale" (Kartë krediti+PayPal) ose vetëm "PayPal". +PaypalModeIntegral=Integrale +PaypalModeOnlyPaypal=Vetëm PayPal +ONLINE_PAYMENT_CSS_URL=URL opsionale e fletës së stilit CSS në faqen e pagesave në internet +ThisIsTransactionId=Ky është ID-ja e transaksionit: %s +PAYPAL_ADD_PAYMENT_URL=Përfshi url-në e pagesës së PayPal kur dërgoni një dokument me email +NewOnlinePaymentReceived=U mor pagesa e re online +NewOnlinePaymentFailed=U provua pagesa e re në internet, por dështoi +ONLINE_PAYMENT_SENDEMAIL=Adresa e emailit për njoftimet pas çdo përpjekjeje pagese (për sukses dhe dështim) +ReturnURLAfterPayment=URL-ja e kthimit pas pagesës +ValidationOfOnlinePaymentFailed=Verifikimi i pagesës në internet dështoi +PaymentSystemConfirmPaymentPageWasCalledButFailed=Faqja e konfirmimit të pagesës u thirr nga sistemi i pagesave u kthye një gabim +SetExpressCheckoutAPICallFailed=Thirrja SetExpressCheckout API dështoi. +DoExpressCheckoutPaymentAPICallFailed=Thirrja API e DoExpressCheckoutPayment dështoi. +DetailedErrorMessage=Mesazh i detajuar i gabimit +ShortErrorMessage=Mesazh i shkurtër gabimi +ErrorCode=Kodi i gabimit +ErrorSeverityCode=Kodi i ashpërsisë së gabimit +OnlinePaymentSystem=Sistemi i pagesave online +PaypalLiveEnabled=Modaliteti "live" i PayPal është aktivizuar (ndryshe, modaliteti i testit/sandbox) +PaypalImportPayment=Importoni pagesa me PayPal +PostActionAfterPayment=Postoni veprimet pas pagesave +ARollbackWasPerformedOnPostActions=U krye një rikthim në të gjitha veprimet e Postimit. Ju duhet të plotësoni veprimet e postimit manualisht nëse janë të nevojshme. +ValidationOfPaymentFailed=Verifikimi i pagesës dështoi +CardOwner=Mbajtësi i kartës +PayPalBalance=Kredi Paypal +OnlineSubscriptionPaymentLine=Abonimi në linjë i regjistruar në %s
      Paguar nëpërmjet b0ecb2ec87f49fzpan class='span>
      Adresa IP e origjinës: %s
      Identifikimi i transaksionit: diff --git a/htdocs/langs/sq_AL/printing.lang b/htdocs/langs/sq_AL/printing.lang index 3713790dc15..e67d08953c1 100644 --- a/htdocs/langs/sq_AL/printing.lang +++ b/htdocs/langs/sq_AL/printing.lang @@ -1,54 +1,54 @@ # Dolibarr language file - Source file is en_US - printing -Module64000Name=One click Printing -Module64000Desc=Enable One click Printing System -PrintingSetup=Setup of One click Printing System -PrintingDesc=This module adds a Print button to various modules to allow documents to be printed directly to a printer with no need to open the document into another application. -MenuDirectPrinting=One click Printing jobs -DirectPrint=One click Print -PrintingDriverDesc=Configuration variables for printing driver. -ListDrivers=List of drivers -PrintTestDesc=List of Printers. -FileWasSentToPrinter=File %s was sent to printer -ViaModule=via the module -NoActivePrintingModuleFound=No active driver to print document. Check setup of module %s. -PleaseSelectaDriverfromList=Please select a driver from list. -PleaseConfigureDriverfromList=Please configure the selected driver from list. -SetupDriver=Driver setup -TargetedPrinter=Targeted printer -UserConf=Setup per user -PRINTGCP_INFO=Google OAuth API setup -PRINTGCP_AUTHLINK=Authentication -PRINTGCP_TOKEN_ACCESS=Google Cloud Print OAuth Token -PrintGCPDesc=This driver allows sending documents directly to a printer using Google Cloud Print. -GCP_Name=Name -GCP_displayName=Display Name -GCP_Id=Printer Id -GCP_OwnerName=Owner Name -GCP_State=Printer State -GCP_connectionStatus=Online State -GCP_Type=Printer Type -PrintIPPDesc=This driver allows sending of documents directly to a printer. It requires a Linux system with CUPS installed. -PRINTIPP_HOST=Print server +Module64000Name=Printimi me një klikim +Module64000Desc=Aktivizo Sistemin e Printimit me një klikim +PrintingSetup=Konfigurimi i Sistemit të Printimit me Një klikim +PrintingDesc=Ky modul shton një buton Print në module të ndryshme për të lejuar që dokumentet të printohen drejtpërdrejt në një printer pa pasur nevojë të hapet dokumenti në një aplikacion tjetër. +MenuDirectPrinting=Punime printimi me një klikim +DirectPrint=Printo me një klikim +PrintingDriverDesc=Variablat e konfigurimit për drejtuesin e printimit. +ListDrivers=Lista e shoferëve +PrintTestDesc=Lista e printerëve. +FileWasSentToPrinter=Skedari %s u dërgua në printer +ViaModule=nëpërmjet modulit +NoActivePrintingModuleFound=Nuk ka drejtues aktiv për të printuar dokumentin. Kontrollo konfigurimin e modulit %s. +PleaseSelectaDriverfromList=Ju lutemi zgjidhni një shofer nga lista. +PleaseConfigureDriverfromList=Ju lutemi konfiguroni drejtuesin e zgjedhur nga lista. +SetupDriver=Konfigurimi i shoferit +TargetedPrinter=Printer i synuar +UserConf=Konfigurimi për përdorues +PRINTGCP_INFO=Konfigurimi i Google OAuth API +PRINTGCP_AUTHLINK=Autentifikimi +PRINTGCP_TOKEN_ACCESS=Shenja e Google Cloud Print OAuth +PrintGCPDesc=Ky drejtues lejon dërgimin e dokumenteve direkt në një printer duke përdorur Google Cloud Print. +GCP_Name=Emri +GCP_displayName=Emri i shfaqur +GCP_Id=ID-ja e printerit +GCP_OwnerName=Emri i pronarit +GCP_State=Gjendja e printerit +GCP_connectionStatus=Shteti Online +GCP_Type=Lloji i printerit +PrintIPPDesc=Ky drejtues lejon dërgimin e dokumenteve direkt në një printer. Kërkon një sistem Linux me CUPS të instaluar. +PRINTIPP_HOST=Serveri i printimit PRINTIPP_PORT=Port -PRINTIPP_USER=Login +PRINTIPP_USER=Identifikohu PRINTIPP_PASSWORD=Fjalëkalimi -NoDefaultPrinterDefined=No default printer defined -DefaultPrinter=Default printer +NoDefaultPrinterDefined=Nuk është përcaktuar asnjë printer i paracaktuar +DefaultPrinter=Printeri i parazgjedhur Printer=Printer -IPP_Uri=Printer Uri -IPP_Name=Printer Name -IPP_State=Printer State -IPP_State_reason=State reason -IPP_State_reason1=State reason1 +IPP_Uri=Printeri Uri +IPP_Name=Emri i printerit +IPP_State=Gjendja e printerit +IPP_State_reason=Arsyeja e shtetit +IPP_State_reason1=Tregoni arsyen1 IPP_BW=BW -IPP_Color=Color -IPP_Device=Device -IPP_Media=Printer media -IPP_Supported=Type of media -DirectPrintingJobsDesc=This page lists printing jobs found for available printers. -GoogleAuthNotConfigured=Google OAuth has not been setup. Enable module OAuth and set a Google ID/Secret. -GoogleAuthConfigured=Google OAuth credentials were found into setup of module OAuth. -PrintingDriverDescprintgcp=Configuration variables for printing driver Google Cloud Print. -PrintingDriverDescprintipp=Configuration variables for printing driver Cups. -PrintTestDescprintgcp=List of Printers for Google Cloud Print. -PrintTestDescprintipp=List of Printers for Cups. +IPP_Color=Ngjyrë +IPP_Device=Pajisja +IPP_Media=Media printer +IPP_Supported=Lloji i medias +DirectPrintingJobsDesc=Kjo faqe liston punët e printimit të gjetura për printerët e disponueshëm. +GoogleAuthNotConfigured=Google OAuth nuk është konfiguruar. Aktivizo modulin OAuth dhe cakto një ID/Sekret të Google. +GoogleAuthConfigured=Kredencialet e Google OAuth u gjetën në konfigurimin e modulit OAuth. +PrintingDriverDescprintgcp=Variablat e konfigurimit për drejtuesin e printimit të Google Cloud Print. +PrintingDriverDescprintipp=Variablat e konfigurimit për printimin e kupave të shoferit. +PrintTestDescprintgcp=Lista e printerëve për Google Cloud Print. +PrintTestDescprintipp=Lista e printerëve për gota. diff --git a/htdocs/langs/sq_AL/productbatch.lang b/htdocs/langs/sq_AL/productbatch.lang index ddf3eab9f3f..27b83c81428 100644 --- a/htdocs/langs/sq_AL/productbatch.lang +++ b/htdocs/langs/sq_AL/productbatch.lang @@ -1,45 +1,49 @@ # ProductBATCH language file - Source file is en_US - ProductBATCH -ManageLotSerial=Use lot/serial number -ProductStatusOnBatch=Yes (lot required) -ProductStatusOnSerial=Yes (unique serial number required) -ProductStatusNotOnBatch=No (lot/serial not used) -ProductStatusOnBatchShort=Lot +ManageLotSerial=Përdorni numrin e lotit/serisë +ProductStatusOnBatch=Po (kërkohet shumë) +ProductStatusOnSerial=Po (kërkohet numër serial unik) +ProductStatusNotOnBatch=Jo (seriali/seriali nuk është përdorur) +ProductStatusOnBatchShort=Shumë ProductStatusOnSerialShort=Serial -ProductStatusNotOnBatchShort=No +ProductStatusNotOnBatchShort=Nr Batch=Lot/Serial -atleast1batchfield=Eat-by date or Sell-by date or Lot/Serial number -batch_number=Lot/Serial number +atleast1batchfield=Data e ngrënies ose data e shitjes ose numri i lotit/serialit +batch_number=Loti/Numri serial BatchNumberShort=Lot/Serial -EatByDate=Eat-by date -SellByDate=Sell-by date -DetailBatchNumber=Lot/Serial details -printBatch=Lot/Serial: %s -printEatby=Eat-by: %s -printSellby=Sell-by: %s -printQty=Qty: %d -AddDispatchBatchLine=Add a line for Shelf Life dispatching -WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic stock decrease is forced to 'Decrease real stocks on shipping validation' and automatic increase mode is forced to 'Increase real stocks on manual dispatching into warehouses' and can't be edited. Other options can be defined as you want. -ProductDoesNotUseBatchSerial=This product does not use lot/serial number -ProductLotSetup=Setup of module lot/serial -ShowCurrentStockOfLot=Show current stock for couple product/lot -ShowLogOfMovementIfLot=Show log of movements for couple product/lot -StockDetailPerBatch=Stock detail per lot -SerialNumberAlreadyInUse=Serial number %s is already used for product %s -TooManyQtyForSerialNumber=You can only have one product %s for serial number %s -ManageLotMask=Custom mask -CustomMasks=Option to define a different numbering mask for each product -BatchLotNumberingModules=Numbering rule for automatic generation of lot number -BatchSerialNumberingModules=Numbering rule for automatic generation of serial number (for products with property 1 unique lot/serial for each product) -QtyToAddAfterBarcodeScan=Qty to %s for each barcode/lot/serial scanned -LifeTime=Life span (in days) -EndOfLife=End of life -ManufacturingDate=Manufacturing date -DestructionDate=Destruction date -FirstUseDate=First use date -QCFrequency=Quality control frequency (in days) -ShowAllLots=Show all lots -HideLots=Hide lots +EatByDate=Ngrënia e datës +SellByDate=Data e shitjes +DetailBatchNumber=Detajet e lotit/serialit +printBatch=Loti/Seriali: %s +printEatby=Hani nga: %s +printSellby=Shitet nga: %s +printQty=Sasia: %d +printPlannedWarehouse=Magazina: %s +AddDispatchBatchLine=Shto një linjë për dërgimin e jetëgjatësisë +WhenProductBatchModuleOnOptionAreForced=Kur moduli Lot/Serial është aktiv, ulja automatike e stokut detyrohet në '%s' dhe modaliteti i rritjes automatike detyrohet në '%s '. Disa zgjedhje mund të mos jenë të disponueshme. Opsionet e tjera mund të përcaktohen sipas dëshirës. +ProductDoesNotUseBatchSerial=Ky produkt nuk përdor numrin e lotit/serisë +ProductLotSetup=Konfigurimi i grupit/serialit të modulit +ShowCurrentStockOfLot=Shfaq stokun aktual për produktin/lotin e çiftit +ShowLogOfMovementIfLot=Trego regjistrin e lëvizjeve për produktin/lotën e çiftit +StockDetailPerBatch=Detajet e stokut për lot +SerialNumberAlreadyInUse=Numri serial %s përdoret tashmë për produktin %s +TooManyQtyForSerialNumber=Mund të kesh vetëm një produkt %s për numrin serial %s +ManageLotMask=Maskë me porosi +CustomMasks=Opsioni për të përcaktuar një maskë numerike të ndryshme për çdo produkt +BatchLotNumberingModules=Rregulli i numërimit për gjenerimin automatik të numrit të lotit +BatchSerialNumberingModules=Rregulli i numërimit për gjenerimin automatik të numrit serik (për produktet me pronë 1 lot/serial unik për çdo produkt) +QtyToAddAfterBarcodeScan=Sasia deri në %s për çdo barkod/lot/serial të skanuar +LifeTime=Jetëgjatësia (në ditë) +EndOfLife=Fundi i jetës +ManufacturingDate=Date e prodhimit +DestructionDate=Data e shkatërrimit +FirstUseDate=Data e përdorimit të parë +QCFrequency=Frekuenca e kontrollit të cilësisë (në ditë) +ShowAllLots=Trego të gjitha pjesët +HideLots=Fshih shumë #Traceability - qc status -OutOfOrder=Out of order -InWorkingOrder=In working order -ToReplace=Replace +OutOfOrder=Jashtë përdorimit +InWorkingOrder=Ne gjendje pune +ToReplace=Zëvendësoni +CantMoveNonExistantSerial=Gabim. Ju kërkoni një lëvizje në një disk për një serial që nuk ekziston më. Mund të merrni të njëjtin serial në të njëjtën magazinë disa herë në të njëjtën dërgesë ose është përdorur nga një dërgesë tjetër. Hiqeni këtë dërgesë dhe përgatitni një tjetër. +TableLotIncompleteRunRepairWithParamStandardEqualConfirmed=Riparimi i ekzekutimit jo të plotë të tabelës së loteve me parametrin '...repair.php?standard=confirmed' +IlligalQtyForSerialNumbers= Kërkohet korrigjim i stokut sepse numri unik i serisë. diff --git a/htdocs/langs/sq_AL/products.lang b/htdocs/langs/sq_AL/products.lang index e8929189136..8767d803a18 100644 --- a/htdocs/langs/sq_AL/products.lang +++ b/htdocs/langs/sq_AL/products.lang @@ -1,413 +1,439 @@ # Dolibarr language file - Source file is en_US - products -ProductRef=Product ref. -ProductLabel=Product label -ProductLabelTranslated=Translated product label -ProductDescription=Product description -ProductDescriptionTranslated=Translated product description -ProductNoteTranslated=Translated product note -ProductServiceCard=Products/Services card +ProductRef=Ref. +ProductLabel=Etiketa e produktit +ProductLabelTranslated=Etiketa e produktit të përkthyer +ProductDescription=Përshkrim i produktit +ProductDescriptionTranslated=Përshkrimi i produktit të përkthyer +ProductNoteTranslated=Shënim i produktit të përkthyer +ProductServiceCard=Karta e produkteve/shërbimeve TMenuProducts=Produkte -TMenuServices=Services +TMenuServices=Shërbimet Products=Produkte -Services=Services -Product=Product -Service=Service -ProductId=Product/service id +Services=Shërbimet +Product=Produkt +Service=Shërbimi +ProductId=ID-ja e produktit/shërbimit Create=Create Reference=Reference -NewProduct=New product -NewService=New service -ProductVatMassChange=Global VAT Update -ProductVatMassChangeDesc=This tool updates the VAT rate defined on ALL products and services! -MassBarcodeInit=Mass barcode init -MassBarcodeInitDesc=This page can be used to initialize a barcode on objects that does not have barcode defined. Check before that setup of module barcode is complete. -ProductAccountancyBuyCode=Accounting code (purchase) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) -ProductAccountancySellCode=Accounting code (sale) -ProductAccountancySellIntraCode=Accounting code (sale intra-Community) -ProductAccountancySellExportCode=Accounting code (sale export) -ProductOrService=Product or Service -ProductsAndServices=Products and Services -ProductsOrServices=Products or Services -ProductsPipeServices=Products | Services -ProductsOnSale=Products for sale -ProductsOnPurchase=Products for purchase -ProductsOnSaleOnly=Products for sale only -ProductsOnPurchaseOnly=Products for purchase only -ProductsNotOnSell=Products not for sale and not for purchase -ProductsOnSellAndOnBuy=Products for sale and for purchase -ServicesOnSale=Services for sale -ServicesOnPurchase=Services for purchase -ServicesOnSaleOnly=Services for sale only -ServicesOnPurchaseOnly=Services for purchase only -ServicesNotOnSell=Services not for sale and not for purchase -ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s products/services which were modified -LastRecordedProducts=Latest %s recorded products -LastRecordedServices=Latest %s recorded services -CardProduct0=Product -CardProduct1=Service +NewProduct=Produkt i ri +NewService=Shërbimi i ri +ProductVatMassChange=Përditësimi global i TVSH-së +ProductVatMassChangeDesc=Ky mjet përditëson normën e TVSH-së të përcaktuar në ALLb0aaa878fdca4span
      produkte dhe shërbime! +MassBarcodeInit=Fillimi i barkodit masiv +MassBarcodeInitDesc=Kjo faqe mund të përdoret për të inicializuar një barkod në objekte që nuk kanë barkod të përcaktuar. Kontrolloni përpara se të përfundojë konfigurimi i barkodit të modulit. +ProductAccountancyBuyCode=Kodi i kontabilitetit (blerje) +ProductAccountancyBuyIntraCode=Kodi i kontabilitetit (blerje brenda komunitetit) +ProductAccountancyBuyExportCode=Kodi i kontabilitetit (import blerjeje) +ProductAccountancySellCode=Kodi i kontabilitetit (shitje) +ProductAccountancySellIntraCode=Kodi i kontabilitetit (shitje brenda komunitetit) +ProductAccountancySellExportCode=Kodi i kontabilitetit (eksporti i shitjes) +ProductOrService=Produkti ose Shërbimi +ProductsAndServices=Produktet dhe Shërbimet +ProductsOrServices=Produktet ose Shërbimet +ProductsPipeServices=Produkte | Shërbimet +ProductsOnSale=Produkte për shitje +ProductsOnPurchase=Produkte për blerje +ProductsOnSaleOnly=Produkte vetëm për shitje +ProductsOnPurchaseOnly=Produkte vetëm për blerje +ProductsNotOnSell=Produkte jo për shitje dhe jo për blerje +ProductsOnSellAndOnBuy=Produkte për shitje dhe blerje +ServicesOnSale=Sherbime per shitje +ServicesOnPurchase=Shërbimet për blerje +ServicesOnSaleOnly=Sherbime vetem per shitje +ServicesOnPurchaseOnly=Shërbime vetëm për blerje +ServicesNotOnSell=Shërbime jo për shitje dhe jo për blerje +ServicesOnSellAndOnBuy=Shërbime për shitje dhe blerje +LastModifiedProductsAndServices=Produktet/shërbimet më të fundit %s të modifikuara +LastRecordedProducts=Produktet më të fundit të regjistruara %s +LastRecordedServices=Shërbimet më të fundit të regjistruara %s +CardProduct0=Produkt +CardProduct1=Shërbimi Stock=Stok -MenuStocks=Stocks -Stocks=Stocks and location (warehouse) of products -Movements=Movements +MenuStocks=Stoqet +Stocks=Stoqet dhe vendndodhja (magazina) e produkteve +Movements=Lëvizjet Sell=Shit -Buy=Purchase -OnSell=For sale -OnBuy=For purchase -NotOnSell=Not for sale -ProductStatusOnSell=For sale -ProductStatusNotOnSell=Not for sale -ProductStatusOnSellShort=For sale -ProductStatusNotOnSellShort=Not for sale -ProductStatusOnBuy=For purchase -ProductStatusNotOnBuy=Not for purchase -ProductStatusOnBuyShort=For purchase -ProductStatusNotOnBuyShort=Not for purchase -UpdateVAT=Update vat -UpdateDefaultPrice=Update default price -UpdateLevelPrices=Update prices for each level -AppliedPricesFrom=Applied from -SellingPrice=Selling price -SellingPriceHT=Selling price (excl. tax) -SellingPriceTTC=Selling price (inc. tax) -SellingMinPriceTTC=Minimum Selling price (inc. tax) -CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. -CostPriceUsage=This value could be used for margin calculation. -ManufacturingPrice=Manufacturing price -SoldAmount=Sold amount -PurchasedAmount=Purchased amount -NewPrice=New price -MinPrice=Min. selling price -EditSellingPriceLabel=Edit selling price label -CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. +Buy=Blerje +OnSell=Ne shitje +OnBuy=Për blerje +NotOnSell=Jo për Shitje +ProductStatusOnSell=Ne shitje +ProductStatusNotOnSell=Jo për Shitje +ProductStatusOnSellShort=Ne shitje +ProductStatusNotOnSellShort=Jo për Shitje +ProductStatusOnBuy=Për blerje +ProductStatusNotOnBuy=Jo për blerje +ProductStatusOnBuyShort=Për blerje +ProductStatusNotOnBuyShort=Jo për blerje +UpdateVAT=Përditëso TVSH-në +UpdateDefaultPrice=Përditëso çmimin e paracaktuar +UpdateLevelPrices=Përditësoni çmimet për çdo nivel +AppliedPricesFrom=Aplikuar nga +SellingPrice=Çmimi i shitjes +SellingPriceHT=Çmimi i shitjes (pa taksa) +SellingPriceTTC=Çmimi i shitjes (përfshirë taksat) +SellingMinPriceTTC=Çmimi minimal i shitjes (përfshirë tatimin) +CostPriceDescription=Kjo fushë çmimi (pa taksa) mund të përdoret për të kapur shumën mesatare që ky produkt i kushton kompanisë suaj. Mund të jetë çdo çmim që e llogaritni vetë, për shembull, nga çmimi mesatar i blerjes plus kostoja mesatare e prodhimit dhe shpërndarjes. +CostPriceUsage=Kjo vlerë mund të përdoret për llogaritjen e marzhit. +ManufacturingPrice=Çmimi i prodhimit +SoldAmount=Shuma e shitur +PurchasedAmount=Shuma e blerë +NewPrice=Çmimi i ri +MinPrice=Min. Çmimi i shitjes +MinPriceHT=Min. çmimi i shitjes (pa taksa) +MinPriceTTC=Min. çmimi i shitjes (përfshirë tatimin) +EditSellingPriceLabel=Redakto etiketën e çmimit të shitjes +CantBeLessThanMinPrice=Çmimi i shitjes nuk mund të jetë më i ulët se minimumi i lejuar për këtë produkt (%s pa taksë). Ky mesazh mund të shfaqet gjithashtu nëse shkruani një zbritje të konsiderueshme. +CantBeLessThanMinPriceInclTax=Çmimi i shitjes nuk mund të jetë më i ulët se minimumi i lejuar për këtë produkt (%s duke përfshirë taksat). Ky mesazh mund të shfaqet gjithashtu nëse shkruani një zbritje shumë të rëndësishme. ContractStatusClosed=Mbyllur -ErrorProductAlreadyExists=A product with reference %s already exists. -ErrorProductBadRefOrLabel=Wrong value for reference or label. -ErrorProductClone=There was a problem while trying to clone the product or service. -ErrorPriceCantBeLowerThanMinPrice=Error, price can't be lower than minimum price. -Suppliers=Vendors -SupplierRef=Vendor SKU -ShowProduct=Show product -ShowService=Show service -ProductsAndServicesArea=Product and Services area -ProductsArea=Product area -ServicesArea=Services area -ListOfStockMovements=List of stock movements -BuyingPrice=Buying price -PriceForEachProduct=Products with specific prices -SupplierCard=Vendor card -PriceRemoved=Price removed -BarCode=Barcode -BarcodeType=Barcode type -SetDefaultBarcodeType=Set barcode type -BarcodeValue=Barcode value -NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) -ServiceLimitedDuration=If product is a service with limited duration: -FillWithLastServiceDates=Fill with last service line dates -MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) -MultiPricesNumPrices=Number of prices -DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices -AssociatedProductsAbility=Enable Kits (set of several products) -VariantsAbility=Enable Variants (variations of products, for example color, size) -AssociatedProducts=Kits -AssociatedProductsNumber=Number of products composing this kit -ParentProductsNumber=Number of parent packaging product -ParentProducts=Parent products -IfZeroItIsNotAVirtualProduct=If 0, this product is not a kit -IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit -KeywordFilter=Keyword filter -CategoryFilter=Category filter -ProductToAddSearch=Search product to add -NoMatchFound=No match found -ListOfProductsServices=List of products/services -ProductAssociationList=List of products/services that are component(s) of this kit -ProductParentList=List of kits with this product as a component -ErrorAssociationIsFatherOfThis=One of selected product is parent with current product -DeleteProduct=Delete a product/service -ConfirmDeleteProduct=Are you sure you want to delete this product/service? -ProductDeleted=Product/Service "%s" deleted from database. +ErrorProductAlreadyExists=Një produkt me referencë %s ekziston tashmë. +ErrorProductBadRefOrLabel=Vlera e gabuar për referencë ose etiketë. +ErrorProductClone=Pati një problem gjatë përpjekjes për të klonuar produktin ose shërbimin. +ErrorPriceCantBeLowerThanMinPrice=Gabim, çmimi nuk mund të jetë më i ulët se çmimi minimal. +Suppliers=Shitësit +SupplierRef=SKU e shitësit +ShowProduct=Trego produktin +ShowService=Shfaq shërbimin +ProductsAndServicesArea=Zona e produkteve dhe shërbimeve +ProductsArea=Zona e produktit +ServicesArea=Zona e sherbimeve +ListOfStockMovements=Lista e lëvizjeve të aksioneve +BuyingPrice=Çmimi i blerjes +PriceForEachProduct=Produkte me çmime specifike +SupplierCard=Karta e shitësit +PriceRemoved=Çmimi u hoq +BarCode=Barkodi +BarcodeType=Lloji i barkodit +SetDefaultBarcodeType=Vendosni llojin e barkodit +BarcodeValue=Vlera e barkodit +NoteNotVisibleOnBill=Shënim (nuk shihet në fatura, propozime...) +ServiceLimitedDuration=Nëse produkti është një shërbim me kohëzgjatje të kufizuar: +FillWithLastServiceDates=Plotësoni me datat e linjës së fundit të shërbimit +MultiPricesAbility=Segmente të shumta çmimesh për produkt/shërbim (çdo klient është në një segment çmimi) +MultiPricesNumPrices=Numri i çmimeve +DefaultPriceType=Baza e çmimeve për parazgjedhje (me kundrejt pa taksa) kur shtohen çmimet e reja të shitjes +AssociatedProductsAbility=Aktivizo kits (grup i disa produkteve) +VariantsAbility=Aktivizo Variantet (ndryshimet e produkteve, për shembull ngjyra, madhësia) +AssociatedProducts=Komplete +AssociatedProductsNumber=Numri i produkteve që përbëjnë këtë komplet +ParentProductsNumber=Numri i produktit ambalazhues +ParentProducts=Produktet mëmë +IfZeroItIsNotAVirtualProduct=Nëse 0, ky produkt nuk është një komplet +IfZeroItIsNotUsedByVirtualProduct=Nëse 0, ky produkt nuk përdoret nga asnjë komplet +KeywordFilter=Filtri i fjalëve kyçe +CategoryFilter=Filtri i kategorisë +ProductToAddSearch=Kërkoni produktin për të shtuar +NoMatchFound=Nuk u gjet asnjë përputhje +ListOfProductsServices=Lista e produkteve/shërbimeve +ProductAssociationList=Lista e produkteve/shërbimeve që janë përbërës(et) e këtij kompleti +ProductParentList=Lista e kompleteve me këtë produkt si përbërës +ErrorAssociationIsFatherOfThis=Një nga produktet e zgjedhura është prind me produktin aktual +DeleteProduct=Fshi një produkt/shërbim +ConfirmDeleteProduct=Jeni i sigurt që dëshironi ta fshini këtë produkt/shërbim? +ProductDeleted=Produkti/Shërbimi "%s" u fshi nga baza e të dhënave. ExportDataset_produit_1=Produkte -ExportDataset_service_1=Services +ExportDataset_service_1=Shërbimet ImportDataset_produit_1=Produkte -ImportDataset_service_1=Services -DeleteProductLine=Delete product line -ConfirmDeleteProductLine=Are you sure you want to delete this product line? -ProductSpecial=Special -QtyMin=Min. purchase quantity -PriceQtyMin=Price quantity min. -PriceQtyMinCurrency=Price (currency) for this qty. (no discount) -VATRateForSupplierProduct=VAT Rate (for this vendor/product) -DiscountQtyMin=Discount for this qty. -NoPriceDefinedForThisSupplier=No price/qty defined for this vendor/product -NoSupplierPriceDefinedForThisProduct=No vendor price/qty defined for this product -PredefinedItem=Predefined item -PredefinedProductsToSell=Predefined Product -PredefinedServicesToSell=Predefined Service -PredefinedProductsAndServicesToSell=Predefined products/services to sell -PredefinedProductsToPurchase=Predefined product to purchase -PredefinedServicesToPurchase=Predefined services to purchase -PredefinedProductsAndServicesToPurchase=Predefined products/services to purchase -NotPredefinedProducts=Not predefined products/services -GenerateThumb=Generate thumb -ServiceNb=Service #%s -ListProductServiceByPopularity=List of products/services by popularity -ListProductByPopularity=List of products by popularity -ListServiceByPopularity=List of services by popularity -Finished=Manufactured product -RowMaterial=Raw Material -ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of the product/service -ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone linked tags/categories -CloneCompositionProduct=Clone virtual products/services -CloneCombinationsProduct=Clone the product variants -ProductIsUsed=This product is used -NewRefForClone=Ref. of new product/service -SellingPrices=Selling prices -BuyingPrices=Buying prices -CustomerPrices=Customer prices -SuppliersPrices=Vendor prices -SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) -CustomCode=Customs|Commodity|HS code -CountryOrigin=Country of origin -RegionStateOrigin=Region of origin -StateOrigin=State|Province of origin -Nature=Nature of product (raw/manufactured) -NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or manufactured product -ShortLabel=Short label -Unit=Unit +ImportDataset_service_1=Shërbimet +DeleteProductLine=Fshi linjën e produktit +ConfirmDeleteProductLine=Jeni i sigurt që dëshironi ta fshini këtë linjë produkti? +ProductSpecial=E veçanta +QtyMin=Min. sasia e blerjes +PriceQtyMin=Sasia e çmimit min. +PriceQtyMinCurrency=Çmimi (monedha) për këtë sasi. +WithoutDiscount=Pa zbritje +VATRateForSupplierProduct=Norma e TVSH-së (për këtë shitës/produkt) +DiscountQtyMin=Zbritje për këtë sasi. +NoPriceDefinedForThisSupplier=Asnjë çmim/sasi nuk është përcaktuar për këtë shitës/produkt +NoSupplierPriceDefinedForThisProduct=Asnjë çmim/sasia e shitësit nuk është përcaktuar për këtë produkt +PredefinedItem=Artikull i paracaktuar +PredefinedProductsToSell=Produkt i paracaktuar +PredefinedServicesToSell=Shërbimi i paracaktuar +PredefinedProductsAndServicesToSell=Produkte/shërbime të paracaktuara për të shitur +PredefinedProductsToPurchase=Produkt i paracaktuar për të blerë +PredefinedServicesToPurchase=Shërbime të paracaktuara për të blerë +PredefinedProductsAndServicesToPurchase=Produkte/shërbime të paracaktuara për të blerë +NotPredefinedProducts=Produkte/shërbime jo të paracaktuara +GenerateThumb=Gjeneroni gishtin e madh +ServiceNb=Shërbimi #%s +ListProductServiceByPopularity=Lista e produkteve/shërbimeve sipas popullaritetit +ListProductByPopularity=Lista e produkteve sipas popullaritetit +ListServiceByPopularity=Lista e shërbimeve sipas popullaritetit +Finished=Produkt i prodhuar +RowMaterial=Lëndë e parë +ConfirmCloneProduct=Jeni të sigurt që dëshironi të klononi produktin ose shërbimin %sb09a4b739f17f8z? +CloneContentProduct=Klononi të gjitha informacionet kryesore të produktit/shërbimit +ClonePricesProduct=Çmimet e klonit +CloneCategoriesProduct=Klononi etiketat/kategoritë e lidhura +CloneCompositionProduct=Klononi produktet/shërbimet virtuale +CloneCombinationsProduct=Klononi variantet e produktit +ProductIsUsed=Ky produkt përdoret +NewRefForClone=Ref. të produktit/shërbimit të ri +SellingPrices=Çmimet e shitjes +BuyingPrices=Çmimet e blerjes +CustomerPrices=Çmimet e klientëve +SuppliersPrices=Çmimet e shitësve +SuppliersPricesOfProductsOrServices=Çmimet e shitësit (të produkteve ose shërbimeve) +CustomCode=Dogana|Mall|Kodi HS +CountryOrigin=Vendi i origjinës +RegionStateOrigin=Rajoni i origjinës +StateOrigin=Shteti|Krahina e origjinës +Nature=Natyra e produktit (të papërpunuara/të prodhuara) +NatureOfProductShort=Natyra e produktit +NatureOfProductDesc=Lëndë e parë ose produkt i prodhuar +ShortLabel=Etiketë e shkurtër +Unit=Njësia p=u. -set=set -se=set -second=second +set=vendosur +se=vendosur +second=e dyta s=s -hour=hour +hour=orë h=h -day=day +day=ditë d=d kilogram=kilogram -kg=Kg +kg=kg gram=gram g=g -meter=meter +meter=metër m=m lm=lm m2=m² m3=m³ -liter=liter +liter=litër l=L -unitP=Piece +unitP=Pjesë unitSET=Set -unitS=Second -unitH=Hour -unitD=Day -unitG=Gram -unitM=Meter -unitLM=Linear meter -unitM2=Square meter -unitM3=Cubic meter -unitL=Liter +unitS=Së dyti +unitH=Ora +unitD=Dita +unitG=gram +unitM=Metër +unitLM=Metër linear +unitM2=Metër katror +unitM3=Metër kub +unitL=Litër unitT=ton unitKG=kg -unitG=Gram +unitG=gram unitMG=mg -unitLB=pound -unitOZ=ounce -unitM=Meter +unitLB=paund +unitOZ=ons +unitM=Metër unitDM=dm unitCM=cm unitMM=mm unitFT=ft -unitIN=in -unitM2=Square meter +unitIN=në +unitM2=Metër katror unitDM2=dm² unitCM2=cm² unitMM2=mm² unitFT2=ft² -unitIN2=in² -unitM3=Cubic meter +unitIN2=në ² +unitM3=Metër kub unitDM3=dm³ unitCM3=cm³ unitMM3=mm³ unitFT3=ft³ -unitIN3=in³ -unitOZ3=ounce +unitIN3=në³ +unitOZ3=ons unitgallon=gallon -ProductCodeModel=Product ref template -ServiceCodeModel=Service ref template -CurrentProductPrice=Current price -AlwaysUseNewPrice=Always use current price of product/service -AlwaysUseFixedPrice=Use the fixed price -PriceByQuantity=Different prices by quantity -DisablePriceByQty=Disable prices by quantity -PriceByQuantityRange=Quantity range -MultipriceRules=Automatic prices for segment -UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment -PercentVariationOver=%% variation over %s -PercentDiscountOver=%% discount over %s -KeepEmptyForAutoCalculation=Keep empty to have this calculated automatically from weight or volume of products -VariantRefExample=Examples: COL, SIZE -VariantLabelExample=Examples: Color, Size +ProductCodeModel=Modeli i referencës së produktit +ServiceCodeModel=Modeli i referencës së shërbimit +CurrentProductPrice=Çmimi aktual +AlwaysUseNewPrice=Përdorni gjithmonë çmimin aktual të produktit/shërbimit +AlwaysUseFixedPrice=Përdorni çmimin fiks +PriceByQuantity=Çmime të ndryshme sipas sasisë +DisablePriceByQty=Çaktivizoni çmimet sipas sasisë +PriceByQuantityRange=Gama e sasisë +MultipriceRules=Çmimet automatike për segmentin +UseMultipriceRules=Përdor rregullat e segmentit të çmimeve (të përcaktuara në konfigurimin e modulit të produktit) për të llogaritur automatikisht çmimet e të gjithë segmenteve të tjera sipas segmentit të parë +PercentVariationOver=%% variacion mbi %s +PercentDiscountOver=%% zbritje mbi %s +KeepEmptyForAutoCalculation=Mbajeni bosh që kjo të llogaritet automatikisht nga pesha ose vëllimi i produkteve +VariantRefExample=Shembuj: COL, SIZE +VariantLabelExample=Shembuj: Ngjyra, Madhësia ### composition fabrication -Build=Produce -ProductsMultiPrice=Products and prices for each price segment -ProductsOrServiceMultiPrice=Customer prices (of products or services, multi-prices) -ProductSellByQuarterHT=Products turnover quarterly before tax -ServiceSellByQuarterHT=Services turnover quarterly before tax -Quarter1=1st. Quarter -Quarter2=2nd. Quarter -Quarter3=3rd. Quarter -Quarter4=4th. Quarter -BarCodePrintsheet=Printo barkode -PageToGenerateBarCodeSheets=With this tool, you can print sheets of barcode stickers. Choose format of your sticker page, type of barcode and value of barcode, then click on button %s. -NumberOfStickers=Number of stickers to print on page -PrintsheetForOneBarCode=Print several stickers for one barcode -BuildPageToPrint=Generate page to print -FillBarCodeTypeAndValueManually=Fill barcode type and value manually. -FillBarCodeTypeAndValueFromProduct=Fill barcode type and value from barcode of a product. -FillBarCodeTypeAndValueFromThirdParty=Fill barcode type and value from barcode of a third party. -DefinitionOfBarCodeForProductNotComplete=Definition of type or value of barcode not complete for product %s. -DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of barcode non complete for third party %s. -BarCodeDataForProduct=Barcode information of product %s: -BarCodeDataForThirdparty=Barcode information of third party %s: -ResetBarcodeForAllRecords=Define barcode value for all record (this will also reset barcode value already defined with new values) -PriceByCustomer=Different prices for each customer -PriceCatalogue=A single sell price per product/service -PricingRule=Rules for selling prices -AddCustomerPrice=Add price by customer -ForceUpdateChildPriceSoc=Set same price on customer's subsidiaries -PriceByCustomerLog=Log of previous customer prices -MinimumPriceLimit=Minimum price can't be lower then %s -MinimumRecommendedPrice=Minimum recommended price is: %s -PriceExpressionEditor=Price expression editor -PriceExpressionSelected=Selected price expression -PriceExpressionEditorHelp1="price = 2 + 2" or "2 + 2" for setting the price. Use ; to separate expressions -PriceExpressionEditorHelp2=You can access ExtraFields with variables like #extrafield_myextrafieldkey# and global variables with #global_mycode# -PriceExpressionEditorHelp3=In both product/service and vendor prices there are these variables available:
      #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# -PriceExpressionEditorHelp4=In product/service price only: #supplier_min_price#
      In vendor prices only: #supplier_quantity# and #supplier_tva_tx# -PriceExpressionEditorHelp5=Available global values: -PriceMode=Price mode -PriceNumeric=Number -DefaultPrice=Default price -DefaultPriceLog=Log of previous default prices -ComposedProductIncDecStock=Increase/Decrease stock on parent change -ComposedProduct=Child products -MinSupplierPrice=Minimum buying price -MinCustomerPrice=Minimum selling price -NoDynamicPrice=No dynamic price -DynamicPriceConfiguration=Dynamic price configuration -DynamicPriceDesc=You may define mathematical formulae to calculate Customer or Vendor prices. Such formulas can use all mathematical operators, some constants and variables. You can define here the variables you wish to use. If the variable needs an automatic update, you may define the external URL to allow Dolibarr to update the value automatically. -AddVariable=Add Variable -AddUpdater=Add Updater -GlobalVariables=Global variables -VariableToUpdate=Variable to update -GlobalVariableUpdaters=External updaters for variables -GlobalVariableUpdaterType0=JSON data -GlobalVariableUpdaterHelp0=Parses JSON data from specified URL, VALUE specifies the location of relevant value, -GlobalVariableUpdaterHelpFormat0=Format for request {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"} -GlobalVariableUpdaterType1=WebService data -GlobalVariableUpdaterHelp1=Parses WebService data from specified URL, NS specifies the namespace, VALUE specifies the location of relevant value, DATA should contain the data to send and METHOD is the calling WS method -GlobalVariableUpdaterHelpFormat1=Format for request is {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD": "myWSMethod", "DATA": {"your": "data", "to": "send"}} -UpdateInterval=Update interval (minutes) -LastUpdated=Latest update -CorrectlyUpdated=Correctly updated -PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is -PropalMergePdfProductChooseFile=Select PDF files -IncludingProductWithTag=Including products/services with the tag -DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer -WarningSelectOneDocument=Please select at least one document -DefaultUnitToShow=Unit -NbOfQtyInProposals=Qty in proposals -ClinkOnALinkOfColumn=Click on a link of column %s to get a detailed view... -ProductsOrServicesTranslations=Products/Services translations -TranslatedLabel=Translated label -TranslatedDescription=Translated description -TranslatedNote=Translated notes -ProductWeight=Weight for 1 product -ProductVolume=Volume for 1 product -WeightUnits=Weight unit -VolumeUnits=Volume unit -WidthUnits=Width unit -LengthUnits=Length unit -HeightUnits=Height unit -SurfaceUnits=Surface unit -SizeUnits=Size unit -DeleteProductBuyPrice=Delete buying price -ConfirmDeleteProductBuyPrice=Are you sure you want to delete this buying price? -SubProduct=Sub product -ProductSheet=Product sheet -ServiceSheet=Service sheet -PossibleValues=Possible values -GoOnMenuToCreateVairants=Go on menu %s - %s to prepare attribute variants (like colors, size, ...) -UseProductFournDesc=Add a feature to define the product description defined by the vendors (for each vendor reference) in addition to the description for customers -ProductSupplierDescription=Vendor description for the product -UseProductSupplierPackaging=Use packaging on supplier prices (recalculate quantities according to packaging set on supplier price when adding/updating line in supplier documents) -PackagingForThisProduct=Packaging -PackagingForThisProductDesc=On supplier order, you will automaticly order this quantity (or a multiple of this quantity). Cannot be less than minimum buying quantity -QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging +Build=Prodhoni +ProductsMultiPrice=Produktet dhe çmimet për secilin segment të çmimeve +ProductsOrServiceMultiPrice=Çmimet e klientëve (të produkteve ose shërbimeve, me shumë çmime) +ProductSellByQuarterHT=Qarkullimi i produkteve çdo tremujor para taksave +ServiceSellByQuarterHT=Qarkullimi i shërbimeve çdo tremujor para tatimit +Quarter1=1. lagje +Quarter2=2. lagje +Quarter3=3. lagje +Quarter4=4. lagje +BarCodePrintsheet=Printoni barkode +PageToGenerateBarCodeSheets=Me këtë mjet, ju mund të printoni fletë ngjitëse me barkod. Zgjidhni formatin e faqes tuaj ngjitëse, llojin e barkodit dhe vlerën e barkodit, më pas klikoni në butonin %s. +NumberOfStickers=Numri i ngjitësve për të printuar në faqe +PrintsheetForOneBarCode=Printoni disa ngjitëse për një barkod +BuildPageToPrint=Krijo faqe për të printuar +FillBarCodeTypeAndValueManually=Plotësoni me dorë llojin dhe vlerën e barkodit. +FillBarCodeTypeAndValueFromProduct=Plotësoni llojin dhe vlerën e barkodit nga barkodi i një produkti. +FillBarCodeTypeAndValueFromThirdParty=Plotësoni llojin dhe vlerën e barkodit nga barkodi i një pale të tretë. +DefinitionOfBarCodeForProductNotComplete=Përkufizimi i llojit ose vlerës së barkodit nuk është i plotë për produktin %s. +DefinitionOfBarCodeForThirdpartyNotComplete=Përkufizimi i llojit ose vlerës së barkodit jo i plotë për palën e tretë %s. +BarCodeDataForProduct=Informacioni i barkodit të produktit %s: +BarCodeDataForThirdparty=Informacioni i barkodit të palës së tretë %s: +ResetBarcodeForAllRecords=Përcaktoni vlerën e barkodit për të gjitha regjistrimet (kjo do të rivendosë gjithashtu vlerën e barkodit të përcaktuar tashmë me vlera të reja) +PriceByCustomer=Çmime të ndryshme për çdo klient +PriceCatalogue=Një çmim i vetëm shitje për produkt/shërbim +PricingRule=Rregullat për çmimet e shitjes +AddCustomerPrice=Shtoni çmimin sipas klientit +ForceUpdateChildPriceSoc=Vendosni të njëjtin çmim për filialet e klientit +PriceByCustomerLog=Regjistri i çmimeve të mëparshme të klientëve +MinimumPriceLimit=Çmimi minimal nuk mund të jetë më i ulët se %s +MinimumRecommendedPrice=Çmimi minimal i rekomanduar është: %s +PriceExpressionEditor=Redaktori i shprehjes së çmimeve +PriceExpressionSelected=Shprehja e zgjedhur e çmimit +PriceExpressionEditorHelp1="çmimi = 2 + 2" ose "2 + 2" për vendosjen e çmimit. Përdorimi ; për të ndarë shprehjet +PriceExpressionEditorHelp2=Ju mund të hyni në ExtraFields me variabla si #extrafield_myextrafieldkey# dhe variabla globale me 30ee83ae<30e7=30' /span>#global_mycode#
      +PriceExpressionEditorHelp3=Si në çmimet e produktit/shërbimit ashtu edhe në çmimet e shitësit ka këto variabla të disponueshme:
      #tva_tx# #localtax1_tx2#_ta pesha# #length# #sipërfaqja# #price_min# +PriceExpressionEditorHelp4=Vetëm në çmimin e produktit/shërbimit: #supplier_min_price#bccb0342f vetëm çmimet e shitësit: #supplier_quantity# dhe #supplier_tva_tx# +PriceExpressionEditorHelp5=Vlerat globale të disponueshme: +PriceMode=Modaliteti i çmimit +PriceNumeric=Numri +DefaultPrice=Çmimi i paracaktuar +DefaultPriceLog=Regjistri i çmimeve të mëparshme të paracaktuara +ComposedProductIncDecStock=Rritja/Ulja e stokut për ndryshimin e prindërve +ComposedProduct=Produkte për fëmijë +MinSupplierPrice=Çmimi minimal i blerjes +MinCustomerPrice=Çmimi minimal i shitjes +NoDynamicPrice=Asnjë çmim dinamik +DynamicPriceConfiguration=Konfigurimi dinamik i çmimit +DynamicPriceDesc=Ju mund të përcaktoni formula matematikore për të llogaritur çmimet e klientit ose të shitësit. Formula të tilla mund të përdorin të gjithë operatorët matematikorë, disa konstante dhe variabla. Këtu mund të përcaktoni variablat që dëshironi të përdorni. Nëse ndryshorja ka nevojë për një përditësim automatik, ju mund të përcaktoni URL-në e jashtme për të lejuar Dolibarr të përditësojë vlerën automatikisht. +AddVariable=Shto variabël +AddUpdater=Shto përditësuesin +GlobalVariables=Variablat globalë +VariableToUpdate=E ndryshueshme për tu përditësuar +GlobalVariableUpdaters=Përditësuesit e jashtëm për variablat +GlobalVariableUpdaterType0=Të dhënat JSON +GlobalVariableUpdaterHelp0=Analizon të dhënat JSON nga URL e specifikuar, VALUE specifikon vendndodhjen e vlerës përkatëse, +GlobalVariableUpdaterHelpFormat0=Formati për kërkesën {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"} +GlobalVariableUpdaterType1=Të dhënat e WebService +GlobalVariableUpdaterHelp1=Analizon të dhënat e WebService nga URL e specifikuar, NS specifikon hapësirën e emrave, VALUE specifikon vendndodhjen e vlerës përkatëse, DATA duhet të përmbajë të dhënat për t'u dërguar dhe METHOD është metoda WS thirrëse +GlobalVariableUpdaterHelpFormat1=Formati për kërkesë është {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD" : "myWSMethod", "DATA": {"juaj": "të dhënat", "për": "dërgoni"}} +UpdateInterval=Intervali i përditësimit (minuta) +LastUpdated=Përditësimi më i fundit +CorrectlyUpdated=Përditësuar saktë +PropalMergePdfProductActualFile=Skedarët që përdoren për të shtuar në PDF Azur janë/është +PropalMergePdfProductChooseFile=Zgjidhni skedarët PDF +IncludingProductWithTag=Përfshirë produktet/shërbimet me etiketën +DefaultPriceRealPriceMayDependOnCustomer=Çmimi i paracaktuar, çmimi real mund të varet nga klienti +WarningSelectOneDocument=Ju lutemi zgjidhni të paktën një dokument +DefaultUnitToShow=Njësia +NbOfQtyInProposals=Sasia në propozime +ClinkOnALinkOfColumn=Klikoni në një lidhje të kolonës %s për të marrë një pamje të detajuar... +ProductsOrServicesTranslations=Përkthime të produkteve/shërbimeve +TranslatedLabel=Etiketa e përkthyer +TranslatedDescription=Përshkrimi i përkthyer +TranslatedNote=Shënime të përkthyera +ProductWeight=Pesha për 1 produkt +ProductVolume=Vëllimi për 1 produkt +WeightUnits=Njësia e peshës +VolumeUnits=Njësia e volumit +WidthUnits=Njësia e gjerësisë +LengthUnits=Njësia e gjatësisë +HeightUnits=Njësia e lartësisë +SurfaceUnits=Njësia sipërfaqësore +SizeUnits=Njësia e madhësisë +DeleteProductBuyPrice=Fshi çmimin e blerjes +ConfirmDeleteProductBuyPrice=Je i sigurt që dëshiron ta fshish këtë çmim blerjeje? +SubProduct=Nënprodukt +ProductSheet=Fleta e produktit +ServiceSheet=Fletë shërbimi +PossibleValues=Vlerat e mundshme +GoOnMenuToCreateVairants=Shkoni në menynë %s - %s për të përgatitur variante atributesh (si ngjyrat, madhësia, ...) +UseProductFournDesc=Shtoni një veçori për të përcaktuar përshkrimin e produktit të përcaktuar nga shitësit (për secilën referencë të shitësit) përveç përshkrimit për klientët +ProductSupplierDescription=Përshkrimi i shitësit për produktin +UseProductSupplierPackaging=Përdorni veçorinë "paketimi" për të rrumbullakosur sasitë në disa shumëfisha të dhëna (kur shtoni/përditësoni linjën në dokumentet e një shitësi, rillogaritni sasitë dhe çmimet e blerjes sipas grupit të shumëfishtë më të lartë në çmimet e blerjes së një produkti) +PackagingForThisProduct=Paketimi i sasive +PackagingForThisProductDesc=Do të blini automatikisht një shumëfish të kësaj sasie. +QtyRecalculatedWithPackaging=Sasia e linjës është rillogaritur sipas paketimit të furnizuesit #Attributes -VariantAttributes=Variant attributes -ProductAttributes=Variant attributes for products -ProductAttributeName=Variant attribute %s -ProductAttribute=Variant attribute -ProductAttributeDeleteDialog=Are you sure you want to delete this attribute? All values will be deleted -ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with reference "%s" of this attribute? -ProductCombinationDeleteDialog=Are you sure want to delete the variant of the product "%s"? -ProductCombinationAlreadyUsed=There was an error while deleting the variant. Please check it is not being used in any object -ProductCombinations=Variants -PropagateVariant=Propagate variants -HideProductCombinations=Hide products variant in the products selector +Attributes=Atributet +VariantAttributes=Atributet e variantit +ProductAttributes=Atributet e variantit për produktet +ProductAttributeName=Atributi i variantit %s +ProductAttribute=Atribut variant +ProductAttributeDeleteDialog=Jeni i sigurt që dëshironi ta fshini këtë atribut? Të gjitha vlerat do të fshihen +ProductAttributeValueDeleteDialog=Jeni i sigurt që dëshironi të fshini vlerën "%s" me referencën "%s" të këtij atributi? +ProductCombinationDeleteDialog=Jeni i sigurt që dëshironi të fshini variantin e produktit "%sb0a65d071f6f6fc >"? +ProductCombinationAlreadyUsed=Pati një gabim gjatë fshirjes së variantit. Ju lutemi kontrolloni që të mos përdoret në asnjë objekt +ProductCombinations=Variantet +PropagateVariant=Përhapni variante +HideProductCombinations=Fshih variantin e produkteve në përzgjedhësin e produkteve ProductCombination=Variant -NewProductCombination=New variant -EditProductCombination=Editing variant -NewProductCombinations=New variants -EditProductCombinations=Editing variants -SelectCombination=Select combination -ProductCombinationGenerator=Variants generator -Features=Features -PriceImpact=Price impact -ImpactOnPriceLevel=Impact on price level %s -ApplyToAllPriceImpactLevel= Apply to all levels -ApplyToAllPriceImpactLevelHelp=By clicking here you set the same price impact on all levels -WeightImpact=Weight impact -NewProductAttribute=New attribute -NewProductAttributeValue=New attribute value -ErrorCreatingProductAttributeValue=There was an error while creating the attribute value. It could be because there is already an existing value with that reference -ProductCombinationGeneratorWarning=If you continue, before generating new variants, all previous ones will be DELETED. Already existing ones will be updated with the new values -TooMuchCombinationsWarning=Generating lots of variants may result in high CPU, memory usage and Dolibarr not able to create them. Enabling the option "%s" may help reduce memory usage. -DoNotRemovePreviousCombinations=Do not remove previous variants -UsePercentageVariations=Use percentage variations -PercentageVariation=Percentage variation -ErrorDeletingGeneratedProducts=There was an error while trying to delete existing product variants -NbOfDifferentValues=No. of different values -NbProducts=Number of products -ParentProduct=Parent product -HideChildProducts=Hide variant products -ShowChildProducts=Show variant products -NoEditVariants=Go to Parent product card and edit variants price impact in the variants tab -ConfirmCloneProductCombinations=Would you like to copy all the product variants to the other parent product with the given reference? -CloneDestinationReference=Destination product reference -ErrorCopyProductCombinations=There was an error while copying the product variants -ErrorDestinationProductNotFound=Destination product not found -ErrorProductCombinationNotFound=Product variant not found -ActionAvailableOnVariantProductOnly=Action only available on the variant of product -ProductsPricePerCustomer=Product prices per customers -ProductSupplierExtraFields=Additional Attributes (Supplier Prices) -DeleteLinkedProduct=Delete the child product linked to the combination -AmountUsedToUpdateWAP=Amount to use to update the Weighted Average Price -PMPValue=Weighted average price +NewProductCombination=Variant i ri +EditProductCombination=Varianti i redaktimit +NewProductCombinations=Variantet e reja +EditProductCombinations=Redaktimi i varianteve +SelectCombination=Zgjidhni kombinimin +ProductCombinationGenerator=Gjenerator i varianteve +Features=Veçoritë +PriceImpact=Ndikimi i çmimit +ImpactOnPriceLevel=Ndikimi në nivelin e çmimit %s +ApplyToAllPriceImpactLevel= Aplikoni në të gjitha nivelet +ApplyToAllPriceImpactLevelHelp=Duke klikuar këtu ju vendosni të njëjtin ndikim çmimi në të gjitha nivelet +WeightImpact=Ndikimi në peshë +NewProductAttribute=Atribut i ri +NewProductAttributeValue=Vlera e re e atributit +ErrorCreatingProductAttributeValue=Pati një gabim gjatë krijimit të vlerës së atributit. Mund të jetë sepse ekziston tashmë një vlerë ekzistuese me atë referencë +ProductCombinationGeneratorWarning=Nëse vazhdoni, përpara se të gjeneroni variante të reja, të gjitha të mëparshmet do të FSHIHEN. Tashmë ato ekzistuese do të përditësohen me vlerat e reja +TooMuchCombinationsWarning=Gjenerimi i shumë varianteve mund të rezultojë në CPU të lartë, përdorim të memories dhe Dolibarr të mos jetë në gjendje t'i krijojë ato. Aktivizimi i opsionit "%s" mund të ndihmojë në uljen e përdorimit të kujtesës. +DoNotRemovePreviousCombinations=Mos hiqni variantet e mëparshme +UsePercentageVariations=Përdorni ndryshime në përqindje +PercentageVariation=Ndryshim në përqindje +ErrorDeletingGeneratedProducts=Pati një gabim gjatë përpjekjes për të fshirë variantet ekzistuese të produktit +NbOfDifferentValues=Nr. i vlerave të ndryshme +NbProducts=Numri i produkteve +ParentProduct=Produkti mëmë +ParentProductOfVariant=Produkti mëmë i variantit +HideChildProducts=Fshih produktet e varianteve +ShowChildProducts=Shfaq produkte variante +NoEditVariants=Shko te Karta e produktit prind dhe modifiko ndikimin e çmimit të varianteve në skedën e varianteve +ConfirmCloneProductCombinations=Dëshironi të kopjoni të gjitha variantet e produktit në produktin tjetër mëmë me referencën e dhënë? +CloneDestinationReference=Referenca e produktit të destinacionit +ErrorCopyProductCombinations=Pati një gabim gjatë kopjimit të varianteve të produktit +ErrorDestinationProductNotFound=Produkti i destinacionit nuk u gjet +ErrorProductCombinationNotFound=Varianti i produktit nuk u gjet +ActionAvailableOnVariantProductOnly=Veprimi disponohet vetëm për variantin e produktit +ProductsPricePerCustomer=Çmimet e produkteve për klient +ProductSupplierExtraFields=Atribute shtesë (çmimet e furnizuesit) +DeleteLinkedProduct=Fshini produktin fëmijë të lidhur me kombinimin +AmountUsedToUpdateWAP=Shuma e njësisë për t'u përdorur për të përditësuar çmimin mesatar të ponderuar +PMPValue=Çmimi mesatar i ponderuar PMPValueShort=WAP -mandatoryperiod=Mandatory periods -mandatoryPeriodNeedTobeSet=Note: Period (start and end date) must be defined -mandatoryPeriodNeedTobeSetMsgValidate=A service requires a start and end period -mandatoryHelper=Check this if you want a message to the user when creating / validating an invoice, commercial proposal, sales order without entering a start and end date on lines with this service.
      Note that the message is a warning and not a blocking error. -DefaultBOM=Default BOM -DefaultBOMDesc=The default BOM recommended to use to manufacture this product. This field can be set only if nature of product is '%s'. -Rank=Rank -SwitchOnSaleStatus=Switch on sale status -SwitchOnPurchaseStatus=Switch on purchase status -StockMouvementExtraFields= Extra Fields (stock mouvement) +mandatoryperiod=Periudhat e detyrueshme +mandatoryPeriodNeedTobeSet=Shënim: Periudha (data e fillimit dhe e përfundimit) duhet të përcaktohet +mandatoryPeriodNeedTobeSetMsgValidate=Një shërbim kërkon një periudhë fillimi dhe përfundimi +mandatoryHelper=Kontrolloni këtë nëse doni një mesazh për përdoruesin kur krijoni / vërtetoni një faturë, propozim tregtar, porosi shitjeje pa futur një datë fillimi dhe mbarimi në linjat me këtë shërbim.
      Vini re se mesazhi është një paralajmërim dhe jo një gabim bllokues. +DefaultBOM=BOM e paracaktuar +DefaultBOMDesc=BOM-i i paracaktuar rekomandohet të përdoret për të prodhuar këtë produkt. Kjo fushë mund të vendoset vetëm nëse natyra e produktit është '%s'. +Rank=Rendit +MergeOriginProduct=Produkt i kopjuar (produkti që dëshironi të fshini) +MergeProducts=Bashkoni produktet +ConfirmMergeProducts=Jeni i sigurt që dëshironi të bashkoni produktin e zgjedhur me atë aktual? Të gjitha objektet e lidhura (faturat, porositë, ...) do të zhvendosen në produktin aktual, pas së cilës produkti i zgjedhur do të fshihet. +ProductsMergeSuccess=Produktet janë bashkuar +ErrorsProductsMerge=Gabimet në produktet bashkohen +SwitchOnSaleStatus=Aktivizoni statusin e shitjes +SwitchOnPurchaseStatus=Aktivizoni statusin e blerjes +UpdatePrice=Rritja/ulja e çmimit të klientit +StockMouvementExtraFields= Fushat shtesë (lëvizja e aksioneve) +InventoryExtraFields= Fushat shtesë (inventari) +ScanOrTypeOrCopyPasteYourBarCodes=Skanoni ose shkruani ose kopjoni/ngjisni barkodet tuaja +PuttingPricesUpToDate=Përditëso çmimet me çmimet aktuale të njohura +PuttingDescUpToDate=Përditësoni përshkrimet me përshkrimet aktuale të njohura +PMPExpected=PMP e pritshme +ExpectedValuation=Vlerësimi i pritshëm +PMPReal=PMP e vërtetë +RealValuation=Vlerësimi Real +ConfirmEditExtrafield = Zgjidhni fushën shtesë që dëshironi të modifikoni +ConfirmEditExtrafieldQuestion = Jeni i sigurt që dëshironi të modifikoni këtë fushë shtesë? +ModifyValueExtrafields = Ndrysho vlerën e një ekstrafushe +OrProductsWithCategories=Ose produkte me etiketa/kategori +WarningTransferBatchStockMouvToGlobal = Nëse dëshironi të deserializoni këtë produkt, i gjithë stoku i tij i serializuar do të shndërrohet në stok global +WarningConvertFromBatchToSerial=Nëse aktualisht keni një sasi më të madhe ose të barabartë me 2 për produktin, kalimi në këtë zgjedhje do të thotë që do të keni akoma një produkt me objekte të ndryshme të së njëjtës grumbull (ndërsa dëshironi një numër serial unik). Dublikati do të mbetet derisa të bëhet një inventar ose një lëvizje manuale e stokut për ta rregulluar këtë. diff --git a/htdocs/langs/sq_AL/projects.lang b/htdocs/langs/sq_AL/projects.lang index 59b4918bd52..ea91867d27d 100644 --- a/htdocs/langs/sq_AL/projects.lang +++ b/htdocs/langs/sq_AL/projects.lang @@ -1,289 +1,304 @@ # Dolibarr language file - Source file is en_US - projects -RefProject=Ref. project -ProjectRef=Project ref. -ProjectId=Project Id -ProjectLabel=Project label -ProjectsArea=Projects Area -ProjectStatus=Project status -SharedProject=Everybody -PrivateProject=Project contacts -ProjectsImContactFor=Projects for which I am explicitly a contact -AllAllowedProjects=All project I can read (mine + public) -AllProjects=All projects -MyProjectsDesc=This view is limited to the projects that you are a contact for -ProjectsPublicDesc=This view presents all projects you are allowed to read. -TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. -ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. -ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). -TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to the projects or tasks that you are a contact for -OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). -ClosedProjectsAreHidden=Closed projects are not visible. -TasksPublicDesc=This view presents all projects and tasks you are allowed to read. -TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). -AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. -ImportDatasetTasks=Tasks of projects -ProjectCategories=Project tags/categories -NewProject=New project -AddProject=Create project -DeleteAProject=Delete a project -DeleteATask=Delete a task -ConfirmDeleteAProject=Are you sure you want to delete this project? -ConfirmDeleteATask=Are you sure you want to delete this task? -OpenedProjects=Open projects -OpenedTasks=Open tasks -OpportunitiesStatusForOpenedProjects=Leads amount of open projects by status -OpportunitiesStatusForProjects=Leads amount of projects by status -ShowProject=Show project -ShowTask=Show task -SetProject=Set project -NoProject=No project defined or owned -NbOfProjects=Number of projects -NbOfTasks=Number of tasks -TimeSpent=Time spent -TimeSpentByYou=Time spent by you -TimeSpentByUser=Time spent by user -TimesSpent=Time spent -TaskId=Task ID -RefTask=Task ref. -LabelTask=Task label -TaskTimeSpent=Time spent on tasks -TaskTimeUser=User -TaskTimeNote=Note +RefProject=Ref. projekti +ProjectRef=Projekt ref. +ProjectId=ID-ja e projektit +ProjectLabel=Etiketa e projektit +ProjectsArea=Zona e Projekteve +ProjectStatus=Statusi i projektit +SharedProject=Të gjithë +PrivateProject=Kontaktet e caktuara +ProjectsImContactFor=Projektet për të cilat jam shprehimisht kontakt +AllAllowedProjects=I gjithë projekti që mund të lexoj (i imi + publik) +AllProjects=Të gjitha projektet +MyProjectsDesc=Kjo pamje është e kufizuar në projektet për të cilat jeni kontakt +ProjectsPublicDesc=Kjo pamje paraqet të gjitha projektet që ju lejohet të lexoni. +TasksOnProjectsPublicDesc=Kjo pamje paraqet të gjitha detyrat në projektet që ju lejohet të lexoni. +ProjectsPublicTaskDesc=Kjo pamje paraqet të gjitha projektet dhe detyrat që ju lejohet të lexoni. +ProjectsDesc=Kjo pamje paraqet të gjitha projektet (lejet e përdoruesve ju japin leje për të parë gjithçka). +TasksOnProjectsDesc=Kjo pamje paraqet të gjitha detyrat në të gjitha projektet (lejet e përdoruesve ju japin leje për të parë gjithçka). +MyTasksDesc=Kjo pamje është e kufizuar në projektet ose detyrat për të cilat jeni kontakt +OnlyOpenedProject=Vetëm projektet e hapura janë të dukshme (projektet në status draft ose të mbyllur nuk janë të dukshme). +ClosedProjectsAreHidden=Projektet e mbyllura nuk janë të dukshme. +TasksPublicDesc=Kjo pamje paraqet të gjitha projektet dhe detyrat që ju lejohet të lexoni. +TasksDesc=Kjo pamje paraqet të gjitha projektet dhe detyrat (lejet e përdoruesve ju japin leje për të parë gjithçka). +AllTaskVisibleButEditIfYouAreAssigned=Të gjitha detyrat për projektet e kualifikuara janë të dukshme, por mund të futni kohën vetëm për detyrën që i është caktuar përdoruesit të zgjedhur. Cakto detyrën nëse duhet të futësh kohën në të. +OnlyYourTaskAreVisible=Vetëm detyrat që ju janë caktuar janë të dukshme. Nëse duhet të futni kohën në një detyrë dhe nëse detyra nuk është e dukshme këtu, atëherë duhet t'ia caktoni detyrën vetes. +ImportDatasetProjects=Projekte apo mundësi +ImportDatasetTasks=Detyrat e projekteve +ProjectCategories=Etiketat/kategoritë e projekteve +NewProject=Projekt i ri +AddProject=Krijo projekt +DeleteAProject=Fshi një projekt +DeleteATask=Fshi një detyrë +ConfirmDeleteAProject=Jeni i sigurt që dëshironi ta fshini këtë projekt? +ConfirmDeleteATask=Je i sigurt që dëshiron ta fshish këtë detyrë? +OpenedProjects=Projekte të hapura +OpenedProjectsOpportunities=Mundësi të hapura +OpenedTasks=Detyrat e hapura +OpportunitiesStatusForOpenedProjects=Drejton sasinë e projekteve të hapura sipas statusit +OpportunitiesStatusForProjects=Drejton sasinë e projekteve sipas statusit +ShowProject=Trego projektin +ShowTask=Trego detyrën +SetThirdParty=Përcaktoni palën e tretë +SetProject=Vendos projektin +OutOfProject=Jashtë projektit +NoProject=Asnjë projekt i përcaktuar apo në pronësi +NbOfProjects=Numri i projekteve +NbOfTasks=Numri i detyrave +TimeEntry=Ndjekja e kohës +TimeSpent=Koha e shfrytzuar +TimeSpentSmall=Time spent +TimeSpentByYou=Koha e shpenzuar nga ju +TimeSpentByUser=Koha e shpenzuar nga përdoruesi +TaskId=ID-ja e detyrës +RefTask=Detyra ref. +LabelTask=Etiketa e detyrës +TaskTimeSpent=Koha e shpenzuar në detyra +TaskTimeUser=Përdoruesi +TaskTimeNote=shënim TaskTimeDate=Date -TasksOnOpenedProject=Tasks on open projects -WorkloadNotDefined=Workload not defined -NewTimeSpent=Time spent -MyTimeSpent=My time spent -BillTime=Bill the time spent -BillTimeShort=Bill time -TimeToBill=Time not billed -TimeBilled=Time billed -Tasks=Tasks -Task=Task -TaskDateStart=Task start date -TaskDateEnd=Task end date -TaskDescription=Task description -NewTask=New task -AddTask=Create task -AddTimeSpent=Create time spent -AddHereTimeSpentForDay=Add here time spent for this day/task -AddHereTimeSpentForWeek=Add here time spent for this week/task -Activity=Activity -Activities=Tasks/activities -MyActivities=My tasks/activities -MyProjects=My projects -MyProjectsArea=My projects Area -DurationEffective=Effective duration -ProgressDeclared=Declared real progress -TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently open tasks -TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption -ProgressCalculated=Progress on consumption -WhichIamLinkedTo=which I'm linked to -WhichIamLinkedToProject=which I'm linked to project -Time=Time -TimeConsumed=Consumed -ListOfTasks=List of tasks -GoToListOfTimeConsumed=Go to list of time consumed -GanttView=Gantt View -ListWarehouseAssociatedProject=List of warehouses associated to the project -ListProposalsAssociatedProject=List of the commercial proposals related to the project -ListOrdersAssociatedProject=List of sales orders related to the project -ListInvoicesAssociatedProject=List of customer invoices related to the project -ListPredefinedInvoicesAssociatedProject=List of customer template invoices related to the project -ListSupplierOrdersAssociatedProject=List of purchase orders related to the project -ListSupplierInvoicesAssociatedProject=List of vendor invoices related to the project -ListContractAssociatedProject=List of contracts related to the project -ListShippingAssociatedProject=List of shippings related to the project -ListFichinterAssociatedProject=List of interventions related to the project -ListExpenseReportsAssociatedProject=List of expense reports related to the project -ListDonationsAssociatedProject=List of donations related to the project -ListVariousPaymentsAssociatedProject=List of miscellaneous payments related to the project -ListSalariesAssociatedProject=List of payments of salaries related to the project -ListActionsAssociatedProject=List of events related to the project -ListMOAssociatedProject=List of manufacturing orders related to the project -ListTaskTimeUserProject=List of time consumed on tasks of project -ListTaskTimeForTask=List of time consumed on task -ActivityOnProjectToday=Activity on project today -ActivityOnProjectYesterday=Activity on project yesterday -ActivityOnProjectThisWeek=Activity on project this week -ActivityOnProjectThisMonth=Activity on project this month -ActivityOnProjectThisYear=Activity on project this year -ChildOfProjectTask=Child of project/task -ChildOfTask=Child of task -TaskHasChild=Task has child -NotOwnerOfProject=Not owner of this private project -AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=Validate projet -ConfirmValidateProject=Are you sure you want to validate this project? -CloseAProject=Close project -ConfirmCloseAProject=Are you sure you want to close this project? -AlsoCloseAProject=Also close project (keep it open if you still need to follow production tasks on it) -ReOpenAProject=Open project -ConfirmReOpenAProject=Are you sure you want to re-open this project? -ProjectContact=Contacts of project -TaskContact=Task contacts -ActionsOnProject=Events on project -YouAreNotContactOfProject=You are not a contact of this private project -UserIsNotContactOfProject=User is not a contact of this private project -DeleteATimeSpent=Delete time spent -ConfirmDeleteATimeSpent=Are you sure you want to delete this time spent? -DoNotShowMyTasksOnly=See also tasks not assigned to me -ShowMyTasksOnly=View only tasks assigned to me -TaskRessourceLinks=Contacts of task -ProjectsDedicatedToThisThirdParty=Projects dedicated to this third party -NoTasks=No tasks for this project -LinkedToAnotherCompany=Linked to other third party -TaskIsNotAssignedToUser=Task not assigned to user. Use button '%s' to assign task now. -ErrorTimeSpentIsEmpty=Time spent is empty -TimeRecordingRestrictedToNMonthsBack=Time recording is restricted to %s months back -ThisWillAlsoRemoveTasks=This action will also delete all tasks of project (%s tasks at the moment) and all inputs of time spent. -IfNeedToUseOtherObjectKeepEmpty=If some objects (invoice, order, ...), belonging to another third party, must be linked to the project to create, keep this empty to have the project being multi third parties. -CloneTasks=Clone tasks -CloneContacts=Clone contacts -CloneNotes=Clone notes -CloneProjectFiles=Clone project joined files -CloneTaskFiles=Clone task(s) joined files (if task(s) cloned) -CloneMoveDate=Update project/tasks dates from now? -ConfirmCloneProject=Are you sure to clone this project? -ProjectReportDate=Change task dates according to new project start date -ErrorShiftTaskDate=Impossible to shift task date according to new project start date -ProjectsAndTasksLines=Projects and tasks -ProjectCreatedInDolibarr=Project %s created -ProjectValidatedInDolibarr=Project %s validated -ProjectModifiedInDolibarr=Project %s modified -TaskCreatedInDolibarr=Task %s created -TaskModifiedInDolibarr=Task %s modified -TaskDeletedInDolibarr=Task %s deleted -OpportunityStatus=Lead status -OpportunityStatusShort=Lead status -OpportunityProbability=Lead probability -OpportunityProbabilityShort=Lead probab. -OpportunityAmount=Lead amount -OpportunityAmountShort=Lead amount -OpportunityWeightedAmount=Opportunity weighted amount -OpportunityWeightedAmountShort=Opp. weighted amount -OpportunityAmountAverageShort=Average lead amount -OpportunityAmountWeigthedShort=Weighted lead amount -WonLostExcluded=Won/Lost excluded +TasksOnOpenedProject=Detyrat për projektet e hapura +WorkloadNotDefined=Ngarkesa e punës nuk është përcaktuar +NewTimeSpent=Koha e shfrytzuar +MyTimeSpent=Koha ime e kaluar +BillTime=Faturoni kohën e kaluar +BillTimeShort=Koha e faturimit +TimeToBill=Koha e pa faturuar +TimeBilled=Koha e faturuar +Tasks=Detyrat +Task=Detyrë +TaskDateStart=Data e fillimit të detyrës +TaskDateEnd=Data e përfundimit të detyrës +TaskDescription=Përshkrimi i detyrës +NewTask=Detyrë e re +AddTask=Krijo detyrë +AddTimeSpent=Krijoni kohën e shpenzuar +AddHereTimeSpentForDay=Shto këtu kohën e shpenzuar për këtë ditë/detyrë +AddHereTimeSpentForWeek=Shto këtu kohën e shpenzuar për këtë javë/detyrë +Activity=Aktiviteti +Activities=Detyrat/aktivitetet +MyActivities=Detyrat/aktivitetet e mia +MyProjects=Projektet e mia +MyProjectsArea=Zona e projekteve të mia +DurationEffective=Kohëzgjatja efektive +ProgressDeclared=Shpallur përparim të vërtetë +TaskProgressSummary=Përparimi i detyrës +CurentlyOpenedTasks=Detyrat e hapura aktualisht +TheReportedProgressIsLessThanTheCalculatedProgressionByX=Progresi real i deklaruar është më pak %s sesa progresi në konsum +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Progresi real i deklaruar është më shumë %s sesa progresi në konsum +ProgressCalculated=Progresi në konsum +WhichIamLinkedTo=me të cilin jam i lidhur +WhichIamLinkedToProject=me të cilin jam i lidhur me projektin +Time=Koha +TimeConsumed=Konsumuar +ListOfTasks=Lista e detyrave +GoToListOfTimeConsumed=Shkoni te lista e kohës së konsumuar +GanttView=Pamje Gantt +ListWarehouseAssociatedProject=Lista e depove të lidhura me projektin +ListProposalsAssociatedProject=Lista e propozimeve tregtare në lidhje me projektin +ListOrdersAssociatedProject=Lista e porosive të shitjeve në lidhje me projektin +ListInvoicesAssociatedProject=Lista e faturave të klientëve në lidhje me projektin +ListPredefinedInvoicesAssociatedProject=Lista e faturave model të klientit në lidhje me projektin +ListSupplierOrdersAssociatedProject=Lista e porosive të blerjeve në lidhje me projektin +ListSupplierInvoicesAssociatedProject=Lista e faturave të shitësve në lidhje me projektin +ListContractAssociatedProject=Lista e kontratave në lidhje me projektin +ListShippingAssociatedProject=Lista e dërgesave në lidhje me projektin +ListFichinterAssociatedProject=Lista e ndërhyrjeve në lidhje me projektin +ListExpenseReportsAssociatedProject=Lista e raporteve të shpenzimeve në lidhje me projektin +ListDonationsAssociatedProject=Lista e donacioneve në lidhje me projektin +ListVariousPaymentsAssociatedProject=Lista e pagesave të ndryshme në lidhje me projektin +ListSalariesAssociatedProject=Lista e pagesave të pagave në lidhje me projektin +ListActionsAssociatedProject=Lista e ngjarjeve që lidhen me projektin +ListMOAssociatedProject=Lista e porosive të prodhimit në lidhje me projektin +ListTaskTimeUserProject=Lista e kohës së shpenzuar për detyrat e projektit +ListTaskTimeForTask=Lista e kohës së harxhuar në detyrë +ActivityOnProjectToday=Aktiviteti në projekt sot +ActivityOnProjectYesterday=Aktiviteti në projekt dje +ActivityOnProjectThisWeek=Aktivitet në projekt këtë javë +ActivityOnProjectThisMonth=Aktiviteti në projekt këtë muaj +ActivityOnProjectThisYear=Aktiviteti në projekt këtë vit +ChildOfProjectTask=Fëmija i projektit/detyrës +ChildOfTask=Fëmija i detyrës +TaskHasChild=Detyra ka fëmijë +NotOwnerOfProject=Jo pronar i këtij projekti privat +AffectedTo=Alokuar për +CantRemoveProject=Ky projekt nuk mund të hiqet pasi referohet nga disa objekte të tjera (faturë, porosi ose të tjera). Shiko skedën "%s". +ValidateProject=Vërtetoni projektin +ConfirmValidateProject=Jeni i sigurt që dëshironi ta vërtetoni këtë projekt? +CloseAProject=Mbylle projektin +ConfirmCloseAProject=Jeni i sigurt që dëshironi ta mbyllni këtë projekt? +AlsoCloseAProject=Gjithashtu mbyll projektin +AlsoCloseAProjectTooltip=Mbajeni të hapur nëse ende duhet të ndiqni detyrat e prodhimit në të +ReOpenAProject=Projekt i hapur +ConfirmReOpenAProject=Jeni i sigurt që dëshironi ta rihapni këtë projekt? +ProjectContact=Kontaktet e projektit +TaskContact=Kontaktet e detyrave +ActionsOnProject=Ngjarjet në projekt +YouAreNotContactOfProject=Ju nuk jeni kontakt i këtij projekti privat +UserIsNotContactOfProject=Përdoruesi nuk është kontakt i këtij projekti privat +DeleteATimeSpent=Fshini kohën e kaluar +ConfirmDeleteATimeSpent=Je i sigurt që dëshiron ta fshish këtë kohë të shpenzuar? +DoNotShowMyTasksOnly=Shihni gjithashtu detyrat që nuk më janë caktuar +ShowMyTasksOnly=Shiko vetëm detyrat që më janë caktuar +TaskRessourceLinks=Kontaktet e detyrës +ProjectsDedicatedToThisThirdParty=Projekte të dedikuara për këtë palë të tretë +NoTasks=Nuk ka detyra për këtë projekt +LinkedToAnotherCompany=Lidhur me palë të treta +TaskIsNotAssignedToUser=Detyra nuk i është caktuar përdoruesit. Përdor butonin '%s' për të caktuar detyrën tani. +ErrorTimeSpentIsEmpty=Koha e kaluar është bosh +TimeRecordingRestrictedToNMonthsBack=Regjistrimi i kohës është i kufizuar në %s muaj më parë +ThisWillAlsoRemoveTasks=Ky veprim do të fshijë gjithashtu të gjitha detyrat e projektit (%sb09a4b739f17f8z për momentin) dhe të gjitha inputet e kohës së shpenzuar. +IfNeedToUseOtherObjectKeepEmpty=Nëse disa objekte (faturë, porosi, ...), që i përkasin një pale tjetër të tretë, duhet të lidhen me projektin për t'u krijuar, mbajeni këtë bosh që projekti të jetë shumë palë të treta. +CloneTasks=Detyrat e klonimit +CloneContacts=Klononi kontaktet +CloneNotes=Shënime të klonit +CloneProjectFiles=Projekti i klonimit të skedarëve të bashkuar +CloneTaskFiles=Detyrat e klonimit të skedarëve të bashkuar (nëse detyrat klonohen) +CloneMoveDate=Të përditësosh datat e projektit/detyrave nga tani? +ConfirmCloneProject=Jeni i sigurt që do ta klononi këtë projekt? +ProjectReportDate=Ndryshoni datat e detyrave sipas datës së re të fillimit të projektit +ErrorShiftTaskDate=Është e pamundur të ndryshohet data e detyrës sipas datës së re të fillimit të projektit +ProjectsAndTasksLines=Projektet dhe detyrat +ProjectCreatedInDolibarr=Projekti %s u krijua +ProjectValidatedInDolibarr=Projekti %s u vërtetua +ProjectModifiedInDolibarr=Projekti %s u modifikua +TaskCreatedInDolibarr=Detyra %s u krijua +TaskModifiedInDolibarr=Detyra %s u modifikua +TaskDeletedInDolibarr=Detyra %s u fshi +OpportunityStatus=Statusi i drejtuesit +OpportunityStatusShort=Statusi i drejtuesit +OpportunityProbability=Probabiliteti i plumbit +OpportunityProbabilityShort=Plumbi i mundshëm. +OpportunityAmount=Sasia e plumbit +OpportunityAmountShort=Sasia e plumbit +OpportunityWeightedAmount=Sasia e mundësisë, e ponderuar sipas probabilitetit +OpportunityWeightedAmountShort=Opp. sasia e ponderuar +OpportunityAmountAverageShort=Sasia mesatare e plumbit +OpportunityAmountWeigthedShort=Sasia e ponderuar e plumbit +WonLostExcluded=Fituar/Humbur përjashtuar ##### Types de contacts ##### -TypeContact_project_internal_PROJECTLEADER=Project leader -TypeContact_project_external_PROJECTLEADER=Project leader -TypeContact_project_internal_PROJECTCONTRIBUTOR=Contributor -TypeContact_project_external_PROJECTCONTRIBUTOR=Contributor -TypeContact_project_task_internal_TASKEXECUTIVE=Task executive -TypeContact_project_task_external_TASKEXECUTIVE=Task executive -TypeContact_project_task_internal_TASKCONTRIBUTOR=Contributor -TypeContact_project_task_external_TASKCONTRIBUTOR=Contributor -SelectElement=Select element -AddElement=Link to element -LinkToElementShort=Link to +TypeContact_project_internal_PROJECTLEADER=Udhëheqësi i projektit +TypeContact_project_external_PROJECTLEADER=Udhëheqësi i projektit +TypeContact_project_internal_PROJECTCONTRIBUTOR=Kontribues +TypeContact_project_external_PROJECTCONTRIBUTOR=Kontribues +TypeContact_project_task_internal_TASKEXECUTIVE=Detyra ekzekutive +TypeContact_project_task_external_TASKEXECUTIVE=Detyra ekzekutive +TypeContact_project_task_internal_TASKCONTRIBUTOR=Kontribues +TypeContact_project_task_external_TASKCONTRIBUTOR=Kontribues +SelectElement=Zgjidhni elementin +AddElement=Lidhja me elementin +LinkToElementShort=Lidh me # Documents models -DocumentModelBeluga=Project document template for linked objects overview -DocumentModelBaleine=Project document template for tasks -DocumentModelTimeSpent=Project report template for time spent -PlannedWorkload=Planned workload -PlannedWorkloadShort=Workload -ProjectReferers=Related items -ProjectMustBeValidatedFirst=Project must be validated first -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time -InputPerDay=Input per day -InputPerWeek=Input per week -InputPerMonth=Input per month -InputDetail=Input detail -TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s -ProjectsWithThisUserAsContact=Projects with this user as contact -ProjectsWithThisContact=Projects with this contact -TasksWithThisUserAsContact=Tasks assigned to this user -ResourceNotAssignedToProject=Not assigned to project -ResourceNotAssignedToTheTask=Not assigned to the task -NoUserAssignedToTheProject=No users assigned to this project -TimeSpentBy=Time spent by -TasksAssignedTo=Tasks assigned to -AssignTaskToMe=Assign task to myself -AssignTaskToUser=Assign task to %s -SelectTaskToAssign=Select task to assign... -AssignTask=Assign -ProjectOverview=Overview -ManageTasks=Use projects to follow tasks and/or report time spent (timesheets) -ManageOpportunitiesStatus=Use projects to follow leads/opportinuties -ProjectNbProjectByMonth=No. of created projects by month -ProjectNbTaskByMonth=No. of created tasks by month -ProjectOppAmountOfProjectsByMonth=Amount of leads by month -ProjectWeightedOppAmountOfProjectsByMonth=Weighted amount of leads by month -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads -TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. -IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX -OpenedProjectsByThirdparties=Open projects by third parties -OnlyOpportunitiesShort=Only leads -OpenedOpportunitiesShort=Open leads -NotOpenedOpportunitiesShort=Not an open lead -NotAnOpportunityShort=Not a lead -OpportunityTotalAmount=Total amount of leads -OpportunityPonderatedAmount=Weighted amount of leads -OpportunityPonderatedAmountDesc=Leads amount weighted with probability -OppStatusPROSP=Prospection -OppStatusQUAL=Qualification -OppStatusPROPO=Proposal -OppStatusNEGO=Negociation -OppStatusPENDING=Pending -OppStatusWON=Won -OppStatusLOST=Lost +DocumentModelBeluga=Modeli i dokumentit të projektit për përmbledhjen e objekteve të lidhura +DocumentModelBaleine=Modeli i dokumentit të projektit për detyrat +DocumentModelTimeSpent=Modeli i raportit të projektit për kohën e shpenzuar +PlannedWorkload=Ngarkesa e planifikuar e punës +PlannedWorkloadShort=Ngarkesa e punës +ProjectReferers=Artikuj të lidhur +ProjectMustBeValidatedFirst=Projekti duhet të vërtetohet së pari +MustBeValidatedToBeSigned=%s duhet të vërtetohet fillimisht për t'u vendosur në Nënshkruar. +FirstAddRessourceToAllocateTime=Caktoni një burim përdoruesi si kontakt të projektit për të ndarë kohën +InputPerDay=Input në ditë +InputPerWeek=Input në javë +InputPerMonth=Input në muaj +InputDetail=Detaje hyrëse +TimeAlreadyRecorded=Kjo është koha e kaluar tashmë e regjistruar për këtë detyrë/ditë dhe përdoruesi %s +ProjectsWithThisUserAsContact=Projektet me këtë përdorues si kontakt +ProjectsWithThisContact=Projektet me këtë kontakt të palës së tretë +TasksWithThisUserAsContact=Detyrat që i janë caktuar këtij përdoruesi +ResourceNotAssignedToProject=Nuk është caktuar për projekt +ResourceNotAssignedToTheTask=Nuk është caktuar në detyrë +NoUserAssignedToTheProject=Nuk ka përdorues të caktuar për këtë projekt +TimeSpentBy=Koha e kaluar nga +TasksAssignedTo=Detyrat e caktuara për +AssignTaskToMe=Cakto detyrën për vete +AssignTaskToUser=Cakto detyrë për %s +SelectTaskToAssign=Zgjidh detyrën për të caktuar... +AssignTask=Cakto +ProjectOverview=Vështrim i përgjithshëm +ManageTasks=Përdorni projektet për të ndjekur detyrat dhe/ose për të raportuar kohën e shpenzuar (fletë kohore) +ManageOpportunitiesStatus=Përdorni projektet për të ndjekur udhëzimet/mundësitë +ProjectNbProjectByMonth=Numri i projekteve të krijuara sipas muajve +ProjectNbTaskByMonth=Numri i detyrave të krijuara sipas muajve +ProjectOppAmountOfProjectsByMonth=Sasia e klientëve sipas muajit +ProjectWeightedOppAmountOfProjectsByMonth=Sasia e ponderuar e klientëve sipas muajve +ProjectOpenedProjectByOppStatus=Projekti i hapur|e udhëhequr nga statusi i drejtuesit +ProjectsStatistics=Statistikat mbi projektet ose drejtuesit +TasksStatistics=Statistikat mbi detyrat e projekteve ose drejtuesve +TaskAssignedToEnterTime=Detyra e caktuar. Futja e kohës për këtë detyrë duhet të jetë e mundur. +IdTaskTime=Koha e identifikimit të detyrës +YouCanCompleteRef=Nëse dëshironi të plotësoni ref me ndonjë prapashtesë, rekomandohet të shtoni një karakter - për ta ndarë atë, kështu që numërimi automatik do të vazhdojë të funksionojë si duhet për projektet e ardhshme. Për shembull %s-MYSUFFIX +OpenedProjectsByThirdparties=Projekte të hapura nga palë të treta +OnlyOpportunitiesShort=Vetëm drejton +OpenedOpportunitiesShort=Hapni drejtimet +NotOpenedOpportunitiesShort=Jo një drejtim i hapur +NotAnOpportunityShort=Jo një plumb +OpportunityTotalAmount=Shuma totale e plumbave +OpportunityPonderatedAmount=Sasia e ponderuar e plumbave +OpportunityPonderatedAmountDesc=Shuma e çon ponderuar me probabilitet +OppStatusPROSP=Prospeksioni +OppStatusQUAL=Kualifikimi +OppStatusPROPO=Propozim +OppStatusNEGO=Negocimi +OppStatusPENDING=Në pritje +OppStatusWON=Fitoi +OppStatusLOST=Humbur Budget=Buxheti -AllowToLinkFromOtherCompany=Allow to link project from other company

      Supported values:
      - Keep empty: Can link any project of the company (default)
      - "all": Can link any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
      -LatestProjects=Latest %s projects -LatestModifiedProjects=Latest %s modified projects -OtherFilteredTasks=Other filtered tasks -NoAssignedTasks=No assigned tasks found (assign project/tasks to the current user from the top select box to enter time on it) -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ChooseANotYetAssignedTask=Choose a task not yet assigned to you +AllowToLinkFromOtherCompany=Lejo lidhjen e një elementi me një projekt të një kompanie tjetër

      Vlerat e mbështetura:
      - Mbani bosh: Mund të lidhë elementë me çdo projekt në të njëjtën kompani (parazgjedhja)
      - "të gjitha": Mund të lidhë elementë me çdo projekt, madje edhe projekte të kompanive të tjera
      - Një listë e ID-ve të palëve të treta të ndara me presje : mund të lidhë elemente me çdo projekt të këtyre palëve të treta (Shembull: 123,4795,53)
      +LatestProjects=Projektet më të fundit %s +LatestModifiedProjects=Projektet më të fundit të modifikuara %s +OtherFilteredTasks=Detyra të tjera të filtruara +NoAssignedTasks=Nuk u gjetën detyra të caktuara (cakto projekt/detyra përdoruesit aktual nga kutia e përzgjedhjes së sipërme për të futur kohën në të) +ThirdPartyRequiredToGenerateInvoice=Një palë e tretë duhet të përcaktohet në projekt që të jetë në gjendje ta faturojë atë. +ThirdPartyRequiredToGenerateInvoice=Një palë e tretë duhet të përcaktohet në projekt që të jetë në gjendje ta faturojë atë. +ChooseANotYetAssignedTask=Zgjidhni një detyrë që nuk ju është caktuar ende # Comments trans -AllowCommentOnTask=Allow user comments on tasks -AllowCommentOnProject=Allow user comments on projects -DontHavePermissionForCloseProject=You do not have permissions to close the project %s -DontHaveTheValidateStatus=The project %s must be open to be closed -RecordsClosed=%s project(s) closed -SendProjectRef=Information project %s -ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized -NewTaskRefSuggested=Task ref already used, a new task ref is required -TimeSpentInvoiced=Time spent billed -TimeSpentForIntervention=Time spent -TimeSpentForInvoice=Time spent -OneLinePerUser=One line per user -ServiceToUseOnLines=Service to use on lines -InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. -ProjectFollowOpportunity=Follow opportunity -ProjectFollowTasks=Follow tasks or time spent -Usage=Usage -UsageOpportunity=Usage: Opportunity -UsageTasks=Usage: Tasks -UsageBillTimeShort=Usage: Bill time -InvoiceToUse=Draft invoice to use -InterToUse=Draft intervention to use -NewInvoice=New invoice -NewInter=New intervention -OneLinePerTask=One line per task -OneLinePerPeriod=One line per period -OneLinePerTimeSpentLine=One line for each time spent declaration -AddDetailDateAndDuration=With date and duration into line description -RefTaskParent=Ref. Parent Task -ProfitIsCalculatedWith=Profit is calculated using -AddPersonToTask=Add also to tasks -UsageOrganizeEvent=Usage: Event Organization -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks at 100 %% progress won't be affected: you will have to close them manually. This option only affects open projects. -SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them -ProjectTasksWithoutTimeSpent=Project tasks without time spent -FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. -ProjectsHavingThisContact=Projects having this contact -StartDateCannotBeAfterEndDate=End date cannot be before start date +AllowCommentOnTask=Lejo komentet e përdoruesve për detyrat +AllowCommentOnProject=Lejo komentet e përdoruesve për projektet +DontHavePermissionForCloseProject=Ju nuk keni leje për të mbyllur projektin %s +DontHaveTheValidateStatus=Projekti %s duhet të jetë i hapur për t'u mbyllur +RecordsClosed=%s projekt(e) të mbyllura +SendProjectRef=Projekt informacioni %s +ModuleSalaryToDefineHourlyRateMustBeEnabled=Moduli 'Paga' duhet të aktivizohet për të përcaktuar tarifën për orë të punonjësve për të vlerësuar kohën e kaluar +NewTaskRefSuggested=Task ref është përdorur tashmë, kërkohet një ref i ri i detyrës +NumberOfTasksCloned=%s detyra(t) e klonuara +TimeSpentInvoiced=Koha e shpenzuar e faturuar +TimeSpentForIntervention=Koha e shfrytzuar +TimeSpentForInvoice=Koha e shfrytzuar +OneLinePerUser=Një linjë për përdorues +ServiceToUseOnLines=Shërbimi për t'u përdorur në linja si parazgjedhje +InvoiceGeneratedFromTimeSpent=Fatura %s është krijuar nga koha e kaluar në projekt +InterventionGeneratedFromTimeSpent=Ndërhyrja %s është krijuar nga koha e kaluar në projekt +ProjectBillTimeDescription=Kontrolloni nëse futni fletën kohore për detyrat e projektit DHE planifikoni të gjeneroni fatura nga fleta kohore për të faturuar klientin e projektit (mos kontrolloni nëse planifikoni të krijoni faturë që nuk bazohet në fletët kohore të futura). Shënim: Për të gjeneruar faturë, shkoni te skeda "Koha e shpenzuar" e projektit dhe zgjidhni linjat që do të përfshini. +ProjectFollowOpportunity=Ndiqni mundësinë +ProjectFollowTasks=Ndiqni detyrat ose kohën e kaluar +Usage=Përdorimi +UsageOpportunity=Përdorimi: Mundësi +UsageTasks=Përdorimi: Detyrat +UsageBillTimeShort=Përdorimi: Koha e faturimit +InvoiceToUse=Draft faturë për t'u përdorur +InterToUse=Draft ndërhyrje për t'u përdorur +NewInvoice=Fatura e re +NewInter=Ndërhyrje e re +OneLinePerTask=Një rresht për detyrë +OneLinePerPeriod=Një rresht për periudhë +OneLinePerTimeSpentLine=Një rresht për çdo deklaratë të shpenzuar +AddDetailDateAndDuration=Me datën dhe kohëzgjatjen në përshkrimin e linjës +RefTaskParent=Ref. Detyra e prindit +ProfitIsCalculatedWith=Fitimi llogaritet duke përdorur +AddPersonToTask=Shtoni gjithashtu në detyra +UsageOrganizeEvent=Përdorimi: Organizimi i ngjarjeve +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Klasifiko projektin si të mbyllur kur të gjitha detyrat e tij të jenë përfunduar (100%% progres) +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Shënim: projektet ekzistuese me të gjitha detyrat tashmë të vendosura në një progres prej 100%% nuk do të preken: do t'ju duhet t'i mbyllni ato manualisht. Ky opsion prek vetëm projektet e hapura. +SelectLinesOfTimeSpentToInvoice=Zgjidh linjat e kohës së shpenzuar që janë të pafaturuara, më pas vepro në masë "Gjenero faturë" për t'i faturuar +ProjectTasksWithoutTimeSpent=Detyrat e projektit pa kohë të shpenzuar +FormForNewLeadDesc=Faleminderit që plotësoni formularin e mëposhtëm për të na kontaktuar. Mund të na dërgoni gjithashtu një email direkt te %s. +ProjectsHavingThisContact=Projektet që kanë këtë kontakt +StartDateCannotBeAfterEndDate=Data e përfundimit nuk mund të jetë para datës së fillimit +ErrorPROJECTLEADERRoleMissingRestoreIt=Roli "PROJECTLEADER" mungon ose është çaktivizuar, ju lutemi rivendosni në fjalorin e llojeve të kontaktit +LeadPublicFormDesc=Këtu mund të aktivizoni një faqe publike për të lejuar klientët tuaj të bëjnë një kontakt të parë me ju nga një formular publik në internet +EnablePublicLeadForm=Aktivizo formularin publik për kontakt +NewLeadbyWeb=Mesazhi ose kërkesa juaj është regjistruar. Ne do t'ju përgjigjemi ose do t'ju kontaktojmë së shpejti. +NewLeadForm=Formulari i ri i kontaktit +LeadFromPublicForm=Plumbi në internet nga forma publike +ExportAccountingReportButtonLabel=Merr raport diff --git a/htdocs/langs/sq_AL/propal.lang b/htdocs/langs/sq_AL/propal.lang index 92c6639b276..f646de6ef39 100644 --- a/htdocs/langs/sq_AL/propal.lang +++ b/htdocs/langs/sq_AL/propal.lang @@ -1,118 +1,124 @@ # Dolibarr language file - Source file is en_US - propal -Proposals=Commercial proposals -Proposal=Commercial proposal -ProposalShort=Proposal -ProposalsDraft=Draft commercial proposals -ProposalsOpened=Open commercial proposals -CommercialProposal=Commercial proposal -PdfCommercialProposalTitle=Proposal -ProposalCard=Proposal card -NewProp=New commercial proposal -NewPropal=New proposal -Prospect=Prospect -DeleteProp=Delete commercial proposal -ValidateProp=Validate commercial proposal -AddProp=Create proposal -ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? -ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? -LastPropals=Latest %s proposals -LastModifiedProposals=Latest %s modified proposals -AllPropals=All proposals -SearchAProposal=Search a proposal -NoProposal=No proposal -ProposalsStatistics=Commercial proposal's statistics -NumberOfProposalsByMonth=Number by month -AmountOfProposalsByMonthHT=Amount by month (excl. tax) -NbOfProposals=Number of commercial proposals -ShowPropal=Show proposal -PropalsDraft=Drafts +Proposals=Propozime komerciale +Proposal=Propozim komercial +ProposalShort=Propozim +ProposalsDraft=Hartimi i propozimeve tregtare +ProposalsOpened=Hapni propozime tregtare +CommercialProposal=Propozim komercial +PdfCommercialProposalTitle=Propozim +ProposalCard=Karta e propozimit +NewProp=Propozim i ri tregtar +NewPropal=Propozim i ri +Prospect=Perspektiva +DeleteProp=Fshi propozimin komercial +ValidateProp=Vërtetoni propozimin tregtar +CancelPropal=Anulo +AddProp=Krijo propozim +ConfirmDeleteProp=Je i sigurt që dëshiron ta fshish këtë propozim komercial? +ConfirmValidateProp=Jeni i sigurt që dëshironi ta vërtetoni këtë propozim komercial me emrin %sb09a4b739f17f8z >? +ConfirmCancelPropal=Jeni i sigurt që dëshironi të anuloni propozimin komercial %s%s? -ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? -ProposalsAndProposalsLines=Commercial proposal and lines -ProposalLine=Proposal line -ProposalLines=Proposal lines -AvailabilityPeriod=Availability delay -SetAvailability=Set availability delay -AfterOrder=after order -OtherProposals=Other proposals +PropalStatusSignedShort=Nënshkruar +PropalStatusNotSignedShort=E pa nënshkruar +PropalStatusBilledShort=Faturuar +PropalsToClose=Propozimet tregtare për të mbyllur +PropalsToBill=Propozimet tregtare të nënshkruara për faturim +ListOfProposals=Lista e propozimeve tregtare +ActionsOnPropal=Ngjarjet me propozim +RefProposal=Propozimi tregtar ref +SendPropalByMail=Dërgoni propozimin tregtar me postë +DatePropal=Data e propozimit +DateEndPropal=Data e përfundimit të vlefshmërisë +ValidityDuration=Kohëzgjatja e vlefshmërisë +SetAcceptedRefused=Set i pranuar/refuzuar +ErrorPropalNotFound=Propali %s nuk u gjet +AddToDraftProposals=Shtoni në draft propozim +NoDraftProposals=Asnjë draft propozim +CopyPropalFrom=Krijo propozim komercial duke kopjuar propozimin ekzistues +CreateEmptyPropal=Krijo propozim komercial bosh ose nga lista e produkteve/shërbimeve +DefaultProposalDurationValidity=Kohëzgjatja e parazgjedhur e vlefshmërisë së propozimit tregtar (në ditë) +DefaultPuttingPricesUpToDate=Si parazgjedhje përditësoni çmimet me çmimet aktuale të njohura në klonimin e një propozimi +DefaultPuttingDescUpToDate=Si parazgjedhje përditësoni përshkrimet me përshkrimet aktuale të njohura për klonimin e një propozimi +UseCustomerContactAsPropalRecipientIfExist=Përdorni kontaktin/adresën me llojin "Propozimi pasues i kontaktit" nëse përcaktohet në vend të adresës së palës së tretë si adresë e marrësit të propozimit +ConfirmClonePropal=Jeni i sigurt që dëshironi të klononi propozimin komercial %sb09a4b739f17f8z? +ConfirmReOpenProp=Jeni i sigurt që dëshironi të hapni përsëri propozimin komercial %s ? +ProposalsAndProposalsLines=Propozim dhe linja tregtare +ProposalLine=Linja e propozimit +ProposalLines=Linjat e propozimit +AvailabilityPeriod=Vonesa e disponueshmërisë +SetAvailability=Cakto vonesën e disponueshmërisë +AfterOrder=pas porosisë +OtherProposals=Propozime të tjera ##### Availability ##### -AvailabilityTypeAV_NOW=Immediate -AvailabilityTypeAV_1W=1 week -AvailabilityTypeAV_2W=2 weeks -AvailabilityTypeAV_3W=3 weeks -AvailabilityTypeAV_1M=1 month +AvailabilityTypeAV_NOW=E menjëhershme +AvailabilityTypeAV_1W=1 javë +AvailabilityTypeAV_2W=2 javë +AvailabilityTypeAV_3W=3 jave +AvailabilityTypeAV_1M=1 muaj ##### Types ofe contacts ##### -TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal -TypeContact_propal_external_BILLING=Customer invoice contact -TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal -TypeContact_propal_external_SHIPPING=Customer contact for delivery +TypeContact_propal_internal_SALESREPFOLL=Propozimi pasues i përfaqësuesit +TypeContact_propal_external_BILLING=Kontakti i faturës së klientit +TypeContact_propal_external_CUSTOMER=Propozimi vijues i kontaktit me klientin +TypeContact_propal_external_SHIPPING=Kontakti i klientit për dorëzim # Document models -CantBeNoSign=cannot be set not signed -CaseFollowedBy=Case followed by -ConfirmMassNoSignature=Bulk Not signed confirmation -ConfirmMassNoSignatureQuestion=Are you sure you want to set not signed the selected records ? -ConfirmMassSignature=Bulk Signature confirmation -ConfirmMassSignatureQuestion=Are you sure you want to sign the selected records ? -ConfirmMassValidation=Bulk Validate confirmation -ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? -ContractSigned=Contract signed -DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) -DefaultModelPropalCreate=Default model creation -DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model -FichinterSigned=Intervention signed -IdProduct=Product ID -IdProposal=Proposal ID -IsNotADraft=is not a draft -LineBuyPriceHT=Buy Price Amount net of tax for line +CantBeNoSign=nuk mund të vendoset pa firmosur +CaseFollowedBy=Rasti i ndjekur nga +ConfirmMassNoSignature=Bulk Konfirmim i pa nënshkruar +ConfirmMassNoSignatureQuestion=Jeni i sigurt që dëshironi të vendosni të dhënat e zgjedhura jo të nënshkruara? +ConfirmMassSignature=Konfirmimi i nënshkrimit me shumicë +ConfirmMassSignatureQuestion=Jeni i sigurt që dëshironi të nënshkruani regjistrimet e zgjedhura? +ConfirmMassValidation=Vërtetimi masiv i konfirmimit +ConfirmMassValidationQuestion=Jeni i sigurt që dëshironi të vërtetoni të dhënat e zgjedhura? +ConfirmRefusePropal=Jeni i sigurt që dëshironi të refuzoni këtë propozim tregtar? +ContractSigned=Kontrata e nënshkruar +DefaultModelPropalClosed=Modeli i parazgjedhur kur mbyllet një propozim biznesi (i pafaturuar) +DefaultModelPropalCreate=Krijimi i modelit të parazgjedhur +DefaultModelPropalToBill=Modeli i parazgjedhur kur mbyllet një propozim biznesi (për t'u faturuar) +DocModelAzurDescription=Një model i plotë propozimi (zbatimi i vjetër i shabllonit Cyan) +DocModelCyanDescription=Një model i plotë propozimi +FichinterSigned=Ndërhyrja e nënshkruar +IdProduct=Numri identifikues i produktit +IdProposal=ID-ja e propozimit +IsNotADraft=nuk është një draft +LineBuyPriceHT=Blini Çmimi Shuma neto nga tatimi për linjën NoSign=Refuzo -NoSigned=set not signed -PassedInOpenStatus=has been validated -PropalAlreadyRefused=Proposal already refused -PropalAlreadySigned=Proposal already accepted -PropalRefused=Proposal refused -PropalSigned=Proposal accepted -ProposalCustomerSignature=Written acceptance, company stamp, date and signature -ProposalsStatisticsSuppliers=Vendor proposals statistics -RefusePropal=Refuse proposal -Sign=Sign -SignContract=Sign contract -SignFichinter=Sign intervention -SignPropal=Accept proposal -Signed=signed -SignedOnly=Signed only +NoSigned=grup i pa nënshkruar +PassedInOpenStatus=është vërtetuar +PropalAlreadyRefused=Propozimi tashmë është refuzuar +PropalAlreadySigned=Propozimi tashmë është pranuar +PropalRefused=Propozimi u refuzua +PropalSigned=Propozimi u pranua +ProposalCustomerSignature=Pranimi me shkrim, vula e kompanisë, data dhe nënshkrimi +ProposalsStatisticsSuppliers=Statistikat e propozimeve të shitësve +RefusePropal=Refuzoni propozimin +Sign=Shenjë +SignContract=Nënshkruani kontratën +SignFichinter=Ndërhyrja në shenjë +SignSociete_rib=Nënshkruani mandatin +SignPropal=Prano propozimin +Signed=nënshkruar +SignedOnly=E nënshkruar vetëm diff --git a/htdocs/langs/sq_AL/receiptprinter.lang b/htdocs/langs/sq_AL/receiptprinter.lang index 01c2c83e104..b80f9a475bc 100644 --- a/htdocs/langs/sq_AL/receiptprinter.lang +++ b/htdocs/langs/sq_AL/receiptprinter.lang @@ -1,82 +1,84 @@ # Dolibarr language file - Source file is en_US - receiptprinter -ReceiptPrinterSetup=Setup of module ReceiptPrinter -PrinterAdded=Printer %s added -PrinterUpdated=Printer %s updated -PrinterDeleted=Printer %s deleted -TestSentToPrinter=Test Sent To Printer %s -ReceiptPrinter=Receipt printers -ReceiptPrinterDesc=Setup of receipt printers -ReceiptPrinterTemplateDesc=Setup of Templates -ReceiptPrinterTypeDesc=Description of Receipt Printer's type -ReceiptPrinterProfileDesc=Description of Receipt Printer's Profile +ReceiptPrinterSetup=Konfigurimi i modulit ReceiptPrinter +PrinterAdded=U shtua printeri %s +PrinterUpdated=Printeri %s u përditësua +PrinterDeleted=Printeri %s u fshi +TestSentToPrinter=Testi u dërgua te printeri %s +ReceiptPrinter=Printerët e faturave +ReceiptPrinterDesc=Vendosja e printerëve të faturave +ReceiptPrinterTemplateDesc=Vendosja e shablloneve +ReceiptPrinterTypeDesc=Shembull i vlerave të mundshme për fushën "Parametrat" sipas llojit të drejtuesit +ReceiptPrinterProfileDesc=Përshkrimi i Profilit të Printerit të Faturave ListPrinters=Lista e printerave -SetupReceiptTemplate=Template Setup -CONNECTOR_DUMMY=Dummy Printer +SetupReceiptTemplate=Konfigurimi i shabllonit +CONNECTOR_DUMMY=Printer bedel CONNECTOR_NETWORK_PRINT=Printer rrjeti CONNECTOR_FILE_PRINT=Printer lokal CONNECTOR_WINDOWS_PRINT=Printer lokal Windows -CONNECTOR_CUPS_PRINT=Cups Printer +CONNECTOR_CUPS_PRINT=Printer gotash CONNECTOR_DUMMY_HELP=Pritner falso pёr test, s'bёn asgjё CONNECTOR_NETWORK_PRINT_HELP=10.x.x.x:9100 CONNECTOR_FILE_PRINT_HELP=/dev/usb/lp0, /dev/usb/lp1 CONNECTOR_WINDOWS_PRINT_HELP=LPT1, COM1, smb://FooUser:secret@computername/workgroup/Receipt Printer -CONNECTOR_CUPS_PRINT_HELP=CUPS printer name, example: HPRT_TP805L -PROFILE_DEFAULT=Default Profile -PROFILE_SIMPLE=Simple Profile -PROFILE_EPOSTEP=Epos Tep Profile -PROFILE_P822D=P822D Profile -PROFILE_STAR=Star Profile -PROFILE_DEFAULT_HELP=Default Profile suitable for Epson printers -PROFILE_SIMPLE_HELP=Simple Profile No Graphics -PROFILE_EPOSTEP_HELP=Epos Tep Profile -PROFILE_P822D_HELP=P822D Profile No Graphics -PROFILE_STAR_HELP=Star Profile -DOL_LINE_FEED=Skip line -DOL_ALIGN_LEFT=Left align text -DOL_ALIGN_CENTER=Center text -DOL_ALIGN_RIGHT=Right align text -DOL_USE_FONT_A=Use font A of printer -DOL_USE_FONT_B=Use font B of printer -DOL_USE_FONT_C=Use font C of printer +CONNECTOR_CUPS_PRINT_HELP=Emri i printerit CUPS, shembull: HPRT_TP805L +PROFILE_DEFAULT=Profili i parazgjedhur +PROFILE_SIMPLE=Profili i thjeshtë +PROFILE_EPOSTEP=Profili i Epos Tep +PROFILE_P822D=Profili i P822D +PROFILE_STAR=Profili i Yllit +PROFILE_DEFAULT_HELP=Profili i parazgjedhur i përshtatshëm për printerët Epson +PROFILE_SIMPLE_HELP=Profili i thjeshtë Pa grafikë +PROFILE_EPOSTEP_HELP=Profili i Epos Tep +PROFILE_P822D_HELP=Profili P822D Nuk ka grafikë +PROFILE_STAR_HELP=Profili i Yllit +DOL_LINE_FEED=Kapërceni linjën +DOL_ALIGN_LEFT=Rreshtoni tekstin majtas +DOL_ALIGN_CENTER=Teksti në qendër +DOL_ALIGN_RIGHT=Rreshtoni tekstin djathtas +DOL_USE_FONT_A=Përdorni fontin A të printerit +DOL_USE_FONT_B=Përdorni fontin B të printerit +DOL_USE_FONT_C=Përdorni fontin C të printerit DOL_PRINT_BARCODE=Printo barkode -DOL_PRINT_BARCODE_CUSTOMER_ID=Print barcode customer id -DOL_CUT_PAPER_FULL=Cut ticket completely -DOL_CUT_PAPER_PARTIAL=Cut ticket partially -DOL_OPEN_DRAWER=Open cash drawer -DOL_ACTIVATE_BUZZER=Activate buzzer -DOL_PRINT_QRCODE=Print QR Code -DOL_PRINT_LOGO=Print logo of my company -DOL_PRINT_LOGO_OLD=Print logo of my company (old printers) -DOL_BOLD=Bold -DOL_BOLD_DISABLED=Disable bold -DOL_DOUBLE_HEIGHT=Double height size -DOL_DOUBLE_WIDTH=Double width size -DOL_DEFAULT_HEIGHT_WIDTH=Default height and width size -DOL_UNDERLINE=Enable underline -DOL_UNDERLINE_DISABLED=Disable underline -DOL_BEEP=Beed sound -DOL_PRINT_TEXT=Print text -DateInvoiceWithTime=Invoice date and time -YearInvoice=Invoice year -DOL_VALUE_MONTH_LETTERS=Invoice month in letters -DOL_VALUE_MONTH=Invoice month -DOL_VALUE_DAY=Invoice day -DOL_VALUE_DAY_LETTERS=Inovice day in letters -DOL_LINE_FEED_REVERSE=Line feed reverse -InvoiceID=Invoice ID -InvoiceRef=Invoice ref -DOL_PRINT_OBJECT_LINES=Invoice lines -DOL_VALUE_CUSTOMER_FIRSTNAME=Customer first name -DOL_VALUE_CUSTOMER_LASTNAME=Customer last name -DOL_VALUE_CUSTOMER_MAIL=Customer mail -DOL_VALUE_CUSTOMER_PHONE=Customer phone -DOL_VALUE_CUSTOMER_MOBILE=Customer mobile -DOL_VALUE_CUSTOMER_SKYPE=Customer Skype -DOL_VALUE_CUSTOMER_TAX_NUMBER=Customer tax number -DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Customer account balance -DOL_VALUE_MYSOC_NAME=Your company name -VendorLastname=Vendor last name -VendorFirstname=Vendor first name -VendorEmail=Vendor email -DOL_VALUE_CUSTOMER_POINTS=Customer points -DOL_VALUE_OBJECT_POINTS=Object points +DOL_PRINT_BARCODE_CUSTOMER_ID=Printoni ID-në e klientit me barkod +DOL_CUT_PAPER_FULL=Prisni plotësisht biletën +DOL_CUT_PAPER_PARTIAL=Prisni pjesërisht biletën +DOL_OPEN_DRAWER=Hap sirtarin e parave +DOL_ACTIVATE_BUZZER=Aktivizo sinjalizuesin +DOL_PRINT_QRCODE=Printoni kodin QR +DOL_PRINT_LOGO=Printoni logon e kompanisë sime +DOL_PRINT_LOGO_OLD=Printo logon e kompanisë sime (printera të vjetër) +DOL_BOLD=E guximshme +DOL_BOLD_DISABLED=Çaktivizo shkronjat e zeza +DOL_DOUBLE_HEIGHT=Madhësia e dyfishtë në lartësi +DOL_DOUBLE_WIDTH=Madhësia me gjerësi të dyfishtë +DOL_DEFAULT_HEIGHT_WIDTH=Lartësia dhe gjerësia e parazgjedhur +DOL_UNDERLINE=Aktivizo nënvizimin +DOL_UNDERLINE_DISABLED=Çaktivizo nënvizimin +DOL_BEEP=Tingulli bip +DOL_BEEP_ALTERNATIVE=Tingulli bip (modaliteti alternativ) +DOL_PRINT_CURR_DATE=Printoni datën/kohën aktuale +DOL_PRINT_TEXT=Printoni tekstin +DateInvoiceWithTime=Data dhe ora e faturës +YearInvoice=Viti i faturës +DOL_VALUE_MONTH_LETTERS=Muaji i faturës me shkronja +DOL_VALUE_MONTH=Muaji i faturës +DOL_VALUE_DAY=Dita e faturës +DOL_VALUE_DAY_LETTERS=Dita e faturës me shkronja +DOL_LINE_FEED_REVERSE=Furnizimi i linjës anasjelltas +InvoiceID=ID e faturës +InvoiceRef=Faturë ref +DOL_PRINT_OBJECT_LINES=Linjat e faturave +DOL_VALUE_CUSTOMER_FIRSTNAME=Emri i klientit +DOL_VALUE_CUSTOMER_LASTNAME=Mbiemri i klientit +DOL_VALUE_CUSTOMER_MAIL=Posta e klientit +DOL_VALUE_CUSTOMER_PHONE=Telefoni i klientit +DOL_VALUE_CUSTOMER_MOBILE=Klienti celular +DOL_VALUE_CUSTOMER_SKYPE=Klienti Skype +DOL_VALUE_CUSTOMER_TAX_NUMBER=Numri tatimor i klientit +DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Gjendja e llogarisë së klientit +DOL_VALUE_MYSOC_NAME=Emri i kompanisë suaj +VendorLastname=Mbiemri i shitësit +VendorFirstname=Emri i parë i shitësit +VendorEmail=Email i shitësit +DOL_VALUE_CUSTOMER_POINTS=Pikat e klientit +DOL_VALUE_OBJECT_POINTS=Pikat e objektit diff --git a/htdocs/langs/sq_AL/receptions.lang b/htdocs/langs/sq_AL/receptions.lang index f13e4e65f67..3cdc4251c4d 100644 --- a/htdocs/langs/sq_AL/receptions.lang +++ b/htdocs/langs/sq_AL/receptions.lang @@ -1,54 +1,58 @@ # Dolibarr language file - Source file is en_US - receptions -ReceptionDescription=Vendor reception management (Create reception documents) -ReceptionsSetup=Vendor Reception setup -RefReception=Ref. reception -Reception=Reception -Receptions=Receptions -AllReceptions=All Receptions -Reception=Reception -Receptions=Receptions -ShowReception=Show Receptions -ReceptionsArea=Receptions area -ListOfReceptions=List of receptions -ReceptionMethod=Reception method -LastReceptions=Latest %s receptions -StatisticsOfReceptions=Statistics for receptions -NbOfReceptions=Number of receptions -NumberOfReceptionsByMonth=Number of receptions by month -ReceptionCard=Reception card -NewReception=New reception -CreateReception=Create reception -QtyInOtherReceptions=Qty in other receptions -OtherReceptionsForSameOrder=Other receptions for this order -ReceptionsAndReceivingForSameOrder=Receptions and receipts for this order -ReceptionsToValidate=Receptions to validate +ReceptionDescription=Menaxhimi i pritjes së shitësit (Krijoni dokumente pritjeje) +ReceptionsSetup=Konfigurimi i pritjes së shitësit +RefReception=Ref. pritje +Reception=Pritja +Receptions=Pritje +AllReceptions=Të gjitha pritjet +Reception=Pritja +Receptions=Pritje +ShowReception=Shfaq pritjet +ReceptionsArea=Zona e pritjes +ListOfReceptions=Lista e pritjeve +ReceptionMethod=Mënyra e pritjes +LastReceptions=Pritjet më të fundit %s +StatisticsOfReceptions=Statistikat për pritjet +NbOfReceptions=Numri i pritjeve +NumberOfReceptionsByMonth=Numri i pritjeve sipas muajit +ReceptionCard=Karta e pritjes +NewReception=Pritje e re +CreateReception=Krijo pritje +QtyInOtherReceptions=Sasi në pritje të tjera +OtherReceptionsForSameOrder=Pritje të tjera për këtë porosi +ReceptionsAndReceivingForSameOrder=Pritje dhe fatura për këtë porosi +ReceptionsToValidate=Pritje për të vërtetuar StatusReceptionCanceled=Anulluar StatusReceptionDraft=Draft -StatusReceptionValidated=Validated (products to receive or already received) -StatusReceptionValidatedToReceive=Validated (products to receive) -StatusReceptionValidatedReceived=Validated (products received) -StatusReceptionProcessed=Processed +StatusReceptionValidated=Të vërtetuara (produktet për të marrë ose të marra tashmë) +StatusReceptionValidatedToReceive=Vërtetuar (produktet për të marrë) +StatusReceptionValidatedReceived=Vërtetuar (produktet e marra) +StatusReceptionProcessed=Të përpunuara StatusReceptionDraftShort=Draft -StatusReceptionValidatedShort=Validated -StatusReceptionProcessedShort=Processed -ReceptionSheet=Reception sheet -ConfirmDeleteReception=Are you sure you want to delete this reception? -ConfirmValidateReception=Are you sure you want to validate this reception with reference %s? -ConfirmCancelReception=Are you sure you want to cancel this reception? -StatsOnReceptionsOnlyValidated=Statistics conducted on receptions only validated. Date used is date of validation of reception (planed delivery date is not always known). -SendReceptionByEMail=Send reception by email -SendReceptionRef=Submission of reception %s -ActionsOnReception=Events on reception -ReceptionCreationIsDoneFromOrder=For the moment, creation of a new reception is done from the Purchase Order. -ReceptionLine=Reception line -ProductQtyInReceptionAlreadySent=Product quantity from open sales order already sent -ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplier order already received -ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. -ReceptionsNumberingModules=Numbering module for receptions -ReceptionsReceiptModel=Document templates for receptions -NoMorePredefinedProductToDispatch=No more predefined products to dispatch -ReceptionExist=A reception exists -ByingPrice=Bying price -ReceptionBackToDraftInDolibarr=Reception %s back to draft -ReceptionClassifyClosedInDolibarr=Reception %s classified Closed -ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +StatusReceptionValidatedShort=E vërtetuar +StatusReceptionProcessedShort=Të përpunuara +ReceptionSheet=Fletë pritjeje +ValidateReception=Vërtetoni pritjen +ConfirmDeleteReception=Je i sigurt që dëshiron ta fshish këtë pritje? +ConfirmValidateReception=Jeni i sigurt që dëshironi ta vërtetoni këtë pritje me referencën %sb09a4b739f178 >? +ConfirmCancelReception=Je i sigurt që dëshiron ta anulosh këtë pritje? +StatsOnReceptionsOnlyValidated=Statistikat e kryera vetëm në pritje të vërtetuara. Data e përdorur është data e vërtetimit të marrjes (data e planifikuar e dorëzimit nuk dihet gjithmonë). +SendReceptionByEMail=Dërgo pritjen me email +SendReceptionRef=Dorëzimi i pritjes %s +ActionsOnReception=Ngjarjet në pritje +ReceptionCreationIsDoneFromOrder=Për momentin, krijimi i një pritjeje të re bëhet nga Urdhri Blerje. +ReceptionLine=Linja e pritjes +ProductQtyInReceptionAlreadySent=Sasia e produktit nga porosia e hapur e shitjes është dërguar tashmë +ProductQtyInSuppliersReceptionAlreadyRecevied=Sasia e produktit nga porosia e hapur e furnizuesit të pranuar tashmë +ValidateOrderFirstBeforeReception=Së pari duhet të vërtetoni porosinë përpara se të jeni në gjendje të bëni pritje. +ReceptionsNumberingModules=Moduli i numërimit për pritjet +ReceptionsReceiptModel=Modelet e dokumenteve për pritjet +NoMorePredefinedProductToDispatch=Nuk ka më produkte të paracaktuara për të dërguar +ReceptionExist=Ekziston një pritje +ReceptionBackToDraftInDolibarr=Pritja %s kthehet në draft +ReceptionClassifyClosedInDolibarr=Pritja %s e klasifikuar e mbyllur +ReceptionUnClassifyCloseddInDolibarr=Pritja %s rihapet +RestoreWithCurrentQtySaved=Plotësoni sasitë me vlerat më të fundit të ruajtura +ReceptionsRecorded=Pritje të regjistruara +ReceptionUpdated=Pritja u përditësua me sukses +ReceptionDistribution=Shpërndarja e pritjes diff --git a/htdocs/langs/sq_AL/recruitment.lang b/htdocs/langs/sq_AL/recruitment.lang index 5beb4bb1ce2..17768c3540e 100644 --- a/htdocs/langs/sq_AL/recruitment.lang +++ b/htdocs/langs/sq_AL/recruitment.lang @@ -18,62 +18,64 @@ # # Module label 'ModuleRecruitmentName' -ModuleRecruitmentName = Recruitment +ModuleRecruitmentName = Rekrutimi # Module description 'ModuleRecruitmentDesc' -ModuleRecruitmentDesc = Manage and follow recruitment campaigns for new job positions +ModuleRecruitmentDesc = Menaxhoni dhe ndiqni fushatat e rekrutimit për pozicione të reja pune # # Admin page # -RecruitmentSetup = Recruitment setup -Settings = Settings -RecruitmentSetupPage = Enter here the setup of main options for the recruitment module -RecruitmentArea=Recruitement area -PublicInterfaceRecruitmentDesc=Public pages of jobs are public URLs to show and answer to open jobs. There is one different link for each open job, found on each job record. -EnablePublicRecruitmentPages=Enable public pages of open jobs +RecruitmentSetup = Konfigurimi i rekrutimit +Settings = Cilësimet +RecruitmentSetupPage = Vendosni këtu konfigurimin e opsioneve kryesore për modulin e rekrutimit +RecruitmentArea=Zona e rekrutimit +PublicInterfaceRecruitmentDesc=Faqet publike të punëve janë URL publike për t'u shfaqur dhe për t'iu përgjigjur punëve të hapura. Ekziston një lidhje e ndryshme për çdo punë të hapur, që gjendet në çdo regjistrim pune. +EnablePublicRecruitmentPages=Aktivizo faqet publike të punëve të hapura # # About page # -About = About -RecruitmentAbout = About Recruitment -RecruitmentAboutPage = Recruitment about page -NbOfEmployeesExpected=Expected nb of employees -JobLabel=Label of job position -WorkPlace=Work place -DateExpected=Expected date -FutureManager=Future manager -ResponsibleOfRecruitement=Responsible of recruitment -IfJobIsLocatedAtAPartner=If job is located at a partner place -PositionToBeFilled=Job position -PositionsToBeFilled=Job positions -ListOfPositionsToBeFilled=List of job positions -NewPositionToBeFilled=New job positions +About = Rreth +RecruitmentAbout = Rreth Rekrutimit +RecruitmentAboutPage = Rekrutimi rreth faqes +NbOfEmployeesExpected=Nb e pritur e punonjësve +JobLabel=Etiketa e pozicionit të punës +WorkPlace=Vendi i punës +DateExpected=Data e pritshme +FutureManager=Menaxher i ardhshëm +ResponsibleOfRecruitement=Përgjegjës i rekrutimit +IfJobIsLocatedAtAPartner=Nëse puna ndodhet në një vend partneri +PositionToBeFilled=Pozicioni i punës +PositionsToBeFilled=Pozicionet e punës +ListOfPositionsToBeFilled=Lista e pozicioneve të punës +NewPositionToBeFilled=Pozicione të reja pune -JobOfferToBeFilled=Job position to be filled -ThisIsInformationOnJobPosition=Information of the job position to be filled -ContactForRecruitment=Contact for recruitment -EmailRecruiter=Email recruiter -ToUseAGenericEmail=To use a generic email. If not defined, the email of the responsible of recruitment will be used -NewCandidature=New application -ListOfCandidatures=List of applications +JobOfferToBeFilled=Vendi i punës që duhet plotësuar +ThisIsInformationOnJobPosition=Informacion për pozicionin e punës që do të plotësohet +ContactForRecruitment=Kontaktoni për rekrutim +EmailRecruiter=Rekrutuesi i postës elektronike +ToUseAGenericEmail=Për të përdorur një email gjenerik. Nëse nuk përcaktohet, do të përdoret emaili i përgjegjësit të rekrutimit +NewCandidature=Aplikim i ri +ListOfCandidatures=Lista e aplikacioneve Remuneration=Rrogë -RequestedRemuneration=Requested salary -ProposedRemuneration=Proposed salary -ContractProposed=Contract proposed -ContractSigned=Contract signed -ContractRefused=Contract refused -RecruitmentCandidature=Application -JobPositions=Job positions -RecruitmentCandidatures=Applications -InterviewToDo=Contacts to follow -AnswerCandidature=Application answer -YourCandidature=Your application -YourCandidatureAnswerMessage=Thanks you for your application.
      ... -JobClosedTextCandidateFound=The job position is closed. The position has been filled. -JobClosedTextCanceled=The job position is closed. -ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsApplication=Complementary attributes (job applications) -MakeOffer=Make an offer -WeAreRecruiting=We are recruiting. This is a list of open positions to be filled... -NoPositionOpen=No positions open at the moment +RequestedRemuneration=Paga e kërkuar +ProposedRemuneration=Paga e propozuar +ContractProposed=Kontrata e propozuar +ContractSigned=Kontrata e nënshkruar +ContractRefused=Kontrata u refuzua +RecruitmentCandidature=Aplikacion +JobPositions=Pozicionet e punës +RecruitmentCandidatures=Aplikacionet +InterviewToDo=Kontaktet për t'u ndjekur +AnswerCandidature=Përgjigja e aplikacionit +YourCandidature=Aplikimi juaj +YourCandidatureAnswerMessage=Faleminderit për aplikimin tuaj.
      ... +JobClosedTextCandidateFound=Vendi i punës është i mbyllur. Pozicioni është plotësuar. +JobClosedTextCanceled=Vendi i punës është i mbyllur. +ExtrafieldsJobPosition=Atributet plotësuese (pozicionet e punës) +ExtrafieldsApplication=Atributet plotësuese (aplikimet për punë) +MakeOffer=Bëni një ofertë +WeAreRecruiting=Ne jemi duke rekrutuar. Kjo është lista e pozicioneve të hapura për t'u plotësuar... +NoPositionOpen=Asnjë pozicion i hapur për momentin +ConfirmClose=Konfirmo anulimin +ConfirmCloseAsk=Jeni i sigurt që dëshironi ta anuloni këtë kandidaturë rekrutimi diff --git a/htdocs/langs/sq_AL/resource.lang b/htdocs/langs/sq_AL/resource.lang index d1070093055..1f577ebbc5e 100644 --- a/htdocs/langs/sq_AL/resource.lang +++ b/htdocs/langs/sq_AL/resource.lang @@ -1,36 +1,39 @@ # Dolibarr language file - Source file is en_US - resource -MenuResourceIndex=Resources -MenuResourceAdd=New resource -DeleteResource=Delete resource -ConfirmDeleteResourceElement=Confirm delete the resource for this element -NoResourceInDatabase=No resource in database. -NoResourceLinked=No resource linked +MenuResourceIndex=Burimet +MenuResourceAdd=Burim i ri +DeleteResource=Fshi burimin +ConfirmDeleteResourceElement=Konfirmo fshirjen e burimit për këtë element +NoResourceInDatabase=Asnjë burim në bazën e të dhënave. +NoResourceLinked=Asnjë burim i lidhur +ActionsOnResource=Ngjarjet rreth këtij burimi +ResourcePageIndex=Lista e burimeve +ResourceSingular=Burim +ResourceCard=Karta e burimeve +AddResource=Krijo një burim +ResourceFormLabel_ref=Emri i burimit +ResourceType=Lloji i burimit +ResourceFormLabel_description=Përshkrimi i burimit -ResourcePageIndex=Resources list -ResourceSingular=Resource -ResourceCard=Resource card -AddResource=Create a resource -ResourceFormLabel_ref=Resource name -ResourceType=Resource type -ResourceFormLabel_description=Resource description +ResourcesLinkedToElement=Burimet e lidhura me elementin -ResourcesLinkedToElement=Resources linked to element +ShowResource=Trego burimin -ShowResource=Show resource +ResourceElementPage=Burimet e elementeve +ResourceCreatedWithSuccess=Burimi u krijua me sukses +RessourceLineSuccessfullyDeleted=Linja e burimit u fshi me sukses +RessourceLineSuccessfullyUpdated=Linja e burimit u përditësua me sukses +ResourceLinkedWithSuccess=Burim i lidhur me suksesin -ResourceElementPage=Element resources -ResourceCreatedWithSuccess=Resource successfully created -RessourceLineSuccessfullyDeleted=Resource line successfully deleted -RessourceLineSuccessfullyUpdated=Resource line successfully updated -ResourceLinkedWithSuccess=Resource linked with success +ConfirmDeleteResource=Konfirmo fshirjen e këtij burimi +RessourceSuccessfullyDeleted=Burimi u fshi me sukses +DictionaryResourceType=Lloji i burimeve -ConfirmDeleteResource=Confirm to delete this resource -RessourceSuccessfullyDeleted=Resource successfully deleted -DictionaryResourceType=Type of resources +SelectResource=Zgjidhni burimin -SelectResource=Select resource - -IdResource=Id resource +IdResource=Burimi i identifikimit AssetNumber=Numer serial -ResourceTypeCode=Resource type code -ImportDataset_resource_1=Resources +ResourceTypeCode=Kodi i llojit të burimit +ImportDataset_resource_1=Burimet + +ErrorResourcesAlreadyInUse=Disa burime janë në përdorim +ErrorResourceUseInEvent=%s përdoret në ngjarjen %s diff --git a/htdocs/langs/sq_AL/salaries.lang b/htdocs/langs/sq_AL/salaries.lang index 9ef82216956..536d929b669 100644 --- a/htdocs/langs/sq_AL/salaries.lang +++ b/htdocs/langs/sq_AL/salaries.lang @@ -1,26 +1,33 @@ # Dolibarr language file - Source file is en_US - salaries -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Accounting account used for user third parties -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=The dedicated accounting account defined on user card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated user accounting account on user is not defined. -SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Accounting account by default for wage payments -CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=By default, leave empty the option "Automatically create a total payment" when creating a Salary +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Llogaria (nga Tabela e Llogarive) e përdorur si parazgjedhje për palët e treta "përdorues". +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=Llogaria e dedikuar e përcaktuar në kartën e përdoruesit do të përdoret vetëm për kontabilitetin Subledger. Kjo do të përdoret për Librin e Përgjithshëm dhe si vlerë e paracaktuar e kontabilitetit Subledger nëse llogaria e dedikuar e kontabilitetit të përdoruesit për përdoruesin nuk është përcaktuar. +SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Llogaria e kontabilitetit si parazgjedhje për pagesat e pagave +CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=Si parazgjedhje, lini bosh opsionin "Krijoni automatikisht një pagesë totale" kur krijoni një pagë Salary=Rrogë Salaries=Rrogat -NewSalary=New salary -AddSalary=Add salary -NewSalaryPayment=New salary card -AddSalaryPayment=Add salary payment +NewSalary=Rrogë e re +AddSalary=Shto rrogë +NewSalaryPayment=Karta e re e pagave +AddSalaryPayment=Shto pagesën e pagës SalaryPayment=Pagesë rroge SalariesPayments=Pagesat e rrogave -SalariesPaymentsOf=Salaries payments of %s +SalariesPaymentsOf=Pagesat e pagave të %s ShowSalaryPayment=Trego pagesën e rrogës -THM=Average hourly rate -TJM=Average daily rate -CurrentSalary=Current salary -THMDescription=This value may be used to calculate the cost of time consumed on a project entered by users if module project is used -TJMDescription=This value is currently for information only and is not used for any calculation -LastSalaries=Latest %s salaries -AllSalaries=All salaries -SalariesStatistics=Salary statistics -SalariesAndPayments=Salaries and payments -ConfirmDeleteSalaryPayment=Do you want to delete this salary payment ? -FillFieldFirst=Fill employee field first +THM=Norma mesatare për orë +TJM=Norma mesatare ditore +CurrentSalary=Paga aktuale +THMDescription=Kjo vlerë mund të përdoret për të llogaritur koston e kohës së konsumuar në një projekt të futur nga përdoruesit nëse përdoret projekti i modulit +TJMDescription=Kjo vlerë aktualisht është vetëm për informacion dhe nuk përdoret për asnjë llogaritje +LastSalaries=Pagat e fundit %s +AllSalaries=Të gjitha pagat +SalariesStatistics=Statistikat e pagave +SalariesAndPayments=Rrogat dhe pagesat +ConfirmDeleteSalaryPayment=Dëshiron ta fshish këtë pagesë rroge? +FillFieldFirst=Plotësoni fillimisht fushën e punonjësve +UpdateAmountWithLastSalary=Përcaktoni shumën e pagës së fundit +MakeTransferRequest=Bëni kërkesë për transferim +VirementOrder=Kërkesa për transferim kredie +BankTransferAmount=Shuma e transferimit të kredisë +WithdrawalReceipt=Urdhër transferimi i kredisë +OrderWaiting=Porosia në pritje +FillEndOfMonth=Plotësoni me fund të muajit diff --git a/htdocs/langs/sq_AL/sendings.lang b/htdocs/langs/sq_AL/sendings.lang index ed61b73d5c9..ef9df9bd140 100644 --- a/htdocs/langs/sq_AL/sendings.lang +++ b/htdocs/langs/sq_AL/sendings.lang @@ -1,76 +1,86 @@ # Dolibarr language file - Source file is en_US - sendings -RefSending=Ref. shipment -Sending=Shipment -Sendings=Shipments -AllSendings=All Shipments -Shipment=Shipment -Shipments=Shipments -ShowSending=Show Shipments -Receivings=Delivery Receipts -SendingsArea=Shipments area -ListOfSendings=List of shipments -SendingMethod=Shipping method -LastSendings=Latest %s shipments -StatisticsOfSendings=Statistics for shipments -NbOfSendings=Number of shipments -NumberOfShipmentsByMonth=Number of shipments by month -SendingCard=Shipment card -NewSending=New shipment -CreateShipment=Create shipment -QtyShipped=Qty shipped -QtyShippedShort=Qty ship. -QtyPreparedOrShipped=Qty prepared or shipped -QtyToShip=Qty to ship -QtyToReceive=Qty to receive -QtyReceived=Qty received -QtyInOtherShipments=Qty in other shipments -KeepToShip=Remain to ship -KeepToShipShort=Remain -OtherSendingsForSameOrder=Other shipments for this order -SendingsAndReceivingForSameOrder=Shipments and receipts for this order -SendingsToValidate=Shipments to validate +RefSending=Ref. dërgesë +Sending=Dërgesë +Sendings=Dërgesat +AllSendings=Të gjitha dërgesat +Shipment=Dërgesë +Shipments=Dërgesat +ShowSending=Shfaq dërgesat +Receivings=Faturat e dorëzimit +SendingsArea=Zona e dërgesave +ListOfSendings=Lista e dërgesave +SendingMethod=Metoda e transportit +LastSendings=Dërgesat më të fundit %s +StatisticsOfSendings=Statistikat për dërgesat +NbOfSendings=Numri i dërgesave +NumberOfShipmentsByMonth=Numri i dërgesave sipas muajit +SendingCard=Karta e dërgesës +NewSending=Dërgesë e re +CreateShipment=Krijo dërgesë +QtyShipped=Sasia e dërguar +QtyShippedShort=Anije sasie. +QtyPreparedOrShipped=Sasia e përgatitur ose e dërguar +QtyToShip=Sasia për të dërguar +QtyToReceive=Sasia për të marrë +QtyReceived=Sasia e marrë +QtyInOtherShipments=Sasia në dërgesat e tjera +KeepToShip=Mbetet për të dërguar +KeepToShipShort=Mbetet +OtherSendingsForSameOrder=Dërgesa të tjera për këtë porosi +SendingsAndReceivingForSameOrder=Dërgesat dhe faturat për këtë porosi +SendingsToValidate=Dërgesat për të vërtetuar StatusSendingCanceled=Anulluar StatusSendingCanceledShort=Anulluar StatusSendingDraft=Draft -StatusSendingValidated=Validated (products to ship or already shipped) -StatusSendingProcessed=Processed +StatusSendingValidated=Të vërtetuara (produkte për t'u dërguar ose të dërguar tashmë) +StatusSendingProcessed=Të përpunuara StatusSendingDraftShort=Draft -StatusSendingValidatedShort=Validated -StatusSendingProcessedShort=Processed -SendingSheet=Shipment sheet -ConfirmDeleteSending=Are you sure you want to delete this shipment? -ConfirmValidateSending=Are you sure you want to validate this shipment with reference %s? -ConfirmCancelSending=Are you sure you want to cancel this shipment? -DocumentModelMerou=Merou A5 model -WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) -DateDeliveryPlanned=Planned date of delivery -RefDeliveryReceipt=Ref delivery receipt -StatusReceipt=Status delivery receipt -DateReceived=Date delivery received -ClassifyReception=Classify reception -SendShippingByEMail=Send shipment by email -SendShippingRef=Submission of shipment %s -ActionsOnShipping=Events on shipment -LinkToTrackYourPackage=Link to track your package -ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the Sales Order record. -ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity from open sales orders -ProductQtyInSuppliersOrdersRunning=Product quantity from open purchase orders -ProductQtyInShipmentAlreadySent=Product quantity from open sales order already sent -ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase orders already received -NoProductToShipFoundIntoStock=No product to ship found in warehouse %s. Correct stock or go back to choose another warehouse. +StatusSendingValidatedShort=E vërtetuar +StatusSendingProcessedShort=Të përpunuara +SendingSheet=Fleta e dërgesës +ConfirmDeleteSending=Jeni i sigurt që dëshironi ta fshini këtë dërgesë? +ConfirmValidateSending=Jeni i sigurt që dëshironi ta vërtetoni këtë dërgesë me referencën %sb09a4b739f17 >? +ConfirmCancelSending=Jeni i sigurt që dëshironi ta anuloni këtë dërgesë? +DocumentModelMerou=Modeli Merou A5 +WarningNoQtyLeftToSend=Paralajmërim, nuk ka produkte që presin për t'u dërguar. +StatsOnShipmentsOnlyValidated=Statistikat janë vetëm për dërgesat e vërtetuara. Data e përdorur është data e vërtetimit të dërgesës (data e planifikuar e dorëzimit nuk dihet gjithmonë) +DateDeliveryPlanned=Data e planifikuar e dorëzimit +RefDeliveryReceipt=Ref faturë e dorëzimit +StatusReceipt=Fatura e dorëzimit të statusit +DateReceived=Data e marrjes së dorëzimit +ClassifyReception=Klasifiko Marrë +SendShippingByEMail=Dërgo dërgesën me email +SendShippingRef=Dorëzimi i dërgesës %s +ActionsOnShipping=Ngjarjet në dërgesë +LinkToTrackYourPackage=Lidhje për të gjurmuar paketën tuaj +ShipmentCreationIsDoneFromOrder=Për momentin, krijimi i një dërgese të re bëhet nga rekordi i Porosisë së Shitjes. +ShipmentLine=Linja e dërgesës +ProductQtyInCustomersOrdersRunning=Sasia e produktit nga porositë e shitjeve të hapura +ProductQtyInSuppliersOrdersRunning=Sasia e produktit nga porositë e hapura të blerjes +ProductQtyInShipmentAlreadySent=Sasia e produktit nga porosia e hapur e shitjes është dërguar tashmë +ProductQtyInSuppliersShipmentAlreadyRecevied=Sasia e produktit nga porositë e hapura të blerjes të marra tashmë +NoProductToShipFoundIntoStock=Nuk u gjet asnjë produkt për dërgim në magazinë %s0 can be used to trigger a warning as soon as the stock is empty. -PhysicalStock=Physical Stock -RealStock=Real Stock -RealStockDesc=Physical/real stock is the stock currently in the warehouses. -RealStockWillAutomaticallyWhen=The real stock will be modified according to this rule (as defined in the Stock module): -VirtualStock=Virtual stock -VirtualStockAtDate=Virtual stock at a future date -VirtualStockAtDateDesc=Virtual stock once all the pending orders that are planned to be processed before the chosen date will be finished -VirtualStockDesc=Virtual stock is the calculated stock available once all open/pending actions (that affect stocks) are closed (purchase orders received, sales orders shipped, manufacturing orders produced, etc) -AtDate=At date -IdWarehouse=Id warehouse -DescWareHouse=Description warehouse -LieuWareHouse=Localisation warehouse -WarehousesAndProducts=Warehouses and products -WarehousesAndProductsBatchDetail=Warehouses and products (with detail per lot/serial) -AverageUnitPricePMPShort=Weighted average price -AverageUnitPricePMPDesc=The input average unit price we had to expense to get 1 unit of product into our stock. -SellPriceMin=Selling Unit Price -EstimatedStockValueSellShort=Value for sell -EstimatedStockValueSell=Value for sell -EstimatedStockValueShort=Input stock value -EstimatedStockValue=Input stock value -DeleteAWarehouse=Delete a warehouse -ConfirmDeleteWarehouse=Are you sure you want to delete the warehouse %s? -PersonalStock=Personal stock %s -ThisWarehouseIsPersonalStock=This warehouse represents personal stock of %s %s -SelectWarehouseForStockDecrease=Choose warehouse to use for stock decrease -SelectWarehouseForStockIncrease=Choose warehouse to use for stock increase -NoStockAction=No stock action -DesiredStock=Desired Stock -DesiredStockDesc=This stock amount will be the value used to fill the stock by replenishment feature. -StockToBuy=To order -Replenishment=Replenishment -ReplenishmentOrders=Replenishment orders -VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical stock + open orders) may differ -UseRealStockByDefault=Use real stock, instead of virtual stock, for replenishment feature -ReplenishmentCalculation=Amount to order will be (desired quantity - real stock) instead of (desired quantity - virtual stock) -UseVirtualStock=Use virtual stock -UsePhysicalStock=Use physical stock -CurentSelectionMode=Current selection mode -CurentlyUsingVirtualStock=Virtual stock -CurentlyUsingPhysicalStock=Physical stock -RuleForStockReplenishment=Rule for stocks replenishment -SelectProductWithNotNullQty=Select at least one product with a qty not null and a vendor -AlertOnly= Alerts only -IncludeProductWithUndefinedAlerts = Include also negative stock for products with no desired quantity defined, to restore them to 0 -WarehouseForStockDecrease=The warehouse %s will be used for stock decrease -WarehouseForStockIncrease=The warehouse %s will be used for stock increase -ForThisWarehouse=For this warehouse -ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. -ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. -ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. -Replenishments=Replenishments -NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) -NbOfProductAfterPeriod=Quantity of product %s in stock after selected period (> %s) -MassMovement=Mass movement -SelectProductInAndOutWareHouse=Select a source warehouse and a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click on "%s". -RecordMovement=Record transfer -ReceivingForSameOrder=Receipts for this order -StockMovementRecorded=Stock movements recorded -RuleForStockAvailability=Rules on stock requirements -StockMustBeEnoughForInvoice=Stock level must be enough to add product/service to invoice (check is done on current real stock when adding a line into invoice whatever the rule for automatic stock change) -StockMustBeEnoughForOrder=Stock level must be enough to add product/service to order (check is done on current real stock when adding a line into order whatever the rule for automatic stock change) -StockMustBeEnoughForShipment= Stock level must be enough to add product/service to shipment (check is done on current real stock when adding a line into shipment whatever the rule for automatic stock change) -MovementLabel=Label of movement -TypeMovement=Direction of movement -DateMovement=Date of movement -InventoryCode=Movement or inventory code -IsInPackage=Contained into package -WarehouseAllowNegativeTransfer=Stock can be negative -qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. -qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). -ShowWarehouse=Show warehouse -MovementCorrectStock=Stock correction for product %s -MovementTransferStock=Stock transfer of product %s into another warehouse -InventoryCodeShort=Inv./Mov. code -NoPendingReceptionOnSupplierOrder=No pending reception due to open purchase order -ThisSerialAlreadyExistWithDifferentDate=This lot/serial number (%s) already exists but with different eatby or sellby date (found %s but you enter %s). -OpenAnyMovement=Open (all movement) -OpenInternal=Open (only internal movement) -UseDispatchStatus=Use a dispatch status (approve/refuse) for product lines on purchase order reception -OptionMULTIPRICESIsOn=Option "several prices per segment" is on. It means a product has several selling price so value for sell can't be calculated -ProductStockWarehouseCreated=Stock limit for alert and desired optimal stock correctly created -ProductStockWarehouseUpdated=Stock limit for alert and desired optimal stock correctly updated -ProductStockWarehouseDeleted=Stock limit for alert and desired optimal stock correctly deleted -AddNewProductStockWarehouse=Set new limit for alert and desired optimal stock -AddStockLocationLine=Decrease quantity then click to add another warehouse for this product -InventoryDate=Inventory date -Inventories=Inventories -NewInventory=New inventory -inventorySetup = Inventory Setup -inventoryCreatePermission=Create new inventory -inventoryReadPermission=View inventories -inventoryWritePermission=Update inventories -inventoryValidatePermission=Validate inventory -inventoryDeletePermission=Delete inventory -inventoryTitle=Inventory -inventoryListTitle=Inventories -inventoryListEmpty=No inventory in progress -inventoryCreateDelete=Create/Delete inventory -inventoryCreate=Create new -inventoryEdit=Edit -inventoryValidate=Validated -inventoryDraft=Running -inventorySelectWarehouse=Warehouse choice +LocationSummary=Emri i shkurtër i vendndodhjes +NumberOfDifferentProducts=Numri i produkteve unike +NumberOfProducts=Numri total i produkteve +LastMovement=Lëvizja e fundit +LastMovements=Lëvizjet më të fundit +Units=Njësitë +Unit=Njësia +StockCorrection=Korrigjimi i aksioneve +CorrectStock=Stoku i duhur +StockTransfer=Transferimi i aksioneve +TransferStock=Transferoni stokun +MassStockTransferShort=Ndryshimi i aksioneve me shumicë +StockMovement=Lëvizja e aksioneve +StockMovements=Lëvizjet e aksioneve +NumberOfUnit=Numri i njësive +UnitPurchaseValue=Çmimi i blerjes për njësi +StockTooLow=Stoku shumë i ulët +StockLowerThanLimit=Stoku më i ulët se kufiri i alarmit (%s) +EnhancedValue=Vlera +EnhancedValueOfWarehouses=Vlera e magazinës +UserWarehouseAutoCreate=Krijoni një depo përdoruesi automatikisht kur krijoni një përdorues +AllowAddLimitStockByWarehouse=Menaxhoni gjithashtu vlerën për stokun minimal dhe të dëshiruar për çiftim (produkt-magazinë) përveç vlerës për stokun minimal dhe të dëshiruar për produkt +RuleForWarehouse=Rregulla për magazinat +WarehouseAskWarehouseOnThirparty=Vendosni një depo për palët e treta +WarehouseAskWarehouseDuringPropal=Vendosni një depo për propozimet tregtare +WarehouseAskWarehouseDuringOrder=Vendosni një depo për porositë e shitjeve +WarehouseAskWarehouseDuringProject=Vendosni një depo për Projektet +UserDefaultWarehouse=Vendosni një depo për përdoruesit +MainDefaultWarehouse=Magazina e paracaktuar +MainDefaultWarehouseUser=Përdorni një depo të paracaktuar për çdo përdorues +MainDefaultWarehouseUserDesc=Me aktivizimin e këtij opsioni, gjatë krijimit të një produkti, në këtë do të përcaktohet magazina e caktuar për produktin. Nëse asnjë depo nuk është përcaktuar për përdoruesin, përcaktohet magazina e paracaktuar. +IndependantSubProductStock=Stoku i produktit dhe stoku i nënproduktit janë të pavarur +QtyDispatched=Sasia e derguar +QtyDispatchedShort=Sasia e derguar +QtyToDispatchShort=Sasia për të dërguar +OrderDispatch=Faturat e artikujve +RuleForStockManagementDecrease=Zgjidhni Rregullin për uljen automatike të stokut (ulja manuale është gjithmonë e mundur, edhe nëse aktivizohet rregulli i uljes automatike) +RuleForStockManagementIncrease=Zgjidhni Rregullin për rritjen automatike të stokut (rritja manuale është gjithmonë e mundur, edhe nëse aktivizohet rregulli i rritjes automatike) +DeStockOnBill=Zvogëloni stoqet reale në vërtetimin e faturës së klientit/kreditit +DeStockOnValidateOrder=Zvogëloni stoqet reale me vërtetimin e porosisë së shitjes +DeStockOnShipment=Ulni stoqet reale në vërtetimin e transportit +DeStockOnShipmentOnClosing=Ulni stoqet reale kur transporti është vendosur të mbyllet +ReStockOnBill=Rritja e stoqeve reale me vërtetimin e faturës së shitësit/kreditit +ReStockOnValidateOrder=Rritja e stoqeve reale me miratimin e urdhrit të blerjes +ReStockOnDispatchOrder=Rritja e stoqeve reale në dërgimin manual në magazinë, pas marrjes së porosisë së blerjes së mallit +StockOnReception=Rritja e stoqeve reale në vërtetimin e pritjes +StockOnReceptionOnClosing=Rritni stoqet reale kur pritja është vendosur në mbyllje +OrderStatusNotReadyToDispatch=Porosia nuk ka ose nuk ka ende një status që lejon dërgimin e produkteve në magazinat e stokut. +StockDiffPhysicTeoric=Shpjegimi i ndryshimit midis aksioneve fizike dhe virtuale +NoPredefinedProductToDispatch=Nuk ka produkte të paracaktuara për këtë objekt. Pra, nuk kërkohet dërgim në magazinë. +DispatchVerb=Dërgimi +StockLimitShort=Kufiri për alarm +StockLimit=Kufiri i stokut për alarm +StockLimitDesc=(bosh) do të thotë pa paralajmërim.
      0 mund të përdoret për të aktivizuar një paralajmërim sapo stoku të jetë bosh. +PhysicalStock=Stoku fizik +RealStock=Stock Real +RealStockDesc=Stoku fizik/real është stoku aktualisht në magazina. +RealStockWillAutomaticallyWhen=Stoku real do të modifikohet sipas këtij rregulli (siç përcaktohet në modulin e Stokut): +VirtualStock=Stoku virtual +VirtualStockAtDate=Stoku virtual në një datë të ardhshme +VirtualStockAtDateDesc=Stoku virtual sapo të gjitha porositë në pritje që janë planifikuar të përpunohen përpara datës së zgjedhur do të përfundojnë +VirtualStockDesc=Stoku virtual është stoku që do të mbetet pasi të jenë kryer të gjitha veprimet e hapura/në pritje (që ndikojnë në stoqet) (urdhrat e blerjeve të marra, porositë e shitjeve të dërguara, porositë e prodhimit të prodhuara, etj.) +AtDate=Në datën +IdWarehouse=Magazina e identitetit +DescWareHouse=Përshkrimi depo +LieuWareHouse=Magazina e lokalizimit +WarehousesAndProducts=Magazinat dhe produktet +WarehousesAndProductsBatchDetail=Magazina dhe produkte (me detaje për lot/serial) +AverageUnitPricePMPShort=Çmimi mesatar i ponderuar +AverageUnitPricePMPDesc=Çmimi mesatar i hyrjes për njësi duhet të shpenzonim për të marrë 1 njësi produkti në stokun tonë. +SellPriceMin=Çmimi për njësi të shitjes +EstimatedStockValueSellShort=Vlera per shitje +EstimatedStockValueSell=Vlera per shitje +EstimatedStockValueShort=Vlera e aksioneve hyrëse +EstimatedStockValue=Vlera e aksioneve hyrëse +DeleteAWarehouse=Fshi një magazinë +ConfirmDeleteWarehouse=Jeni të sigurt që dëshironi të fshini magazinën %sb09a4b739f17f8z? +PersonalStock=Aksione personale %s +ThisWarehouseIsPersonalStock=Kjo magazinë përfaqëson stokun personal të %s %s +SelectWarehouseForStockDecrease=Zgjidhni depon për t'u përdorur për uljen e stokut +SelectWarehouseForStockIncrease=Zgjidhni depo për t'u përdorur për rritjen e stokut +RevertProductsToStock=Të kthehen produktet në stok? +NoStockAction=Asnjë veprim i aksioneve +DesiredStock=Stoku i dëshiruar +DesiredStockDesc=Kjo sasi stoku do të jetë vlera e përdorur për të mbushur stokun sipas funksionit të rimbushjes. +StockToBuy=Për të porositur +Replenishment=Rimbushje +ReplenishmentOrders=Urdhrat e rimbushjes +VirtualDiffersFromPhysical=Sipas opsioneve të rritjes/uljes së aksioneve, stoku fizik dhe stoku virtual (stoku fizik + porositë e hapura) mund të ndryshojnë +UseRealStockByDefault=Përdorni stokun real, në vend të stokut virtual, për funksionin e rimbushjes +ReplenishmentCalculation=Shuma për të porositur do të jetë (sasia e dëshiruar - stoku real) në vend të (sasia e dëshiruar - stoku virtual) +UseVirtualStock=Përdorni aksione virtuale +UsePhysicalStock=Përdorni stokun fizik +CurentSelectionMode=Modaliteti aktual i përzgjedhjes +CurentlyUsingVirtualStock=Stoku virtual +CurentlyUsingPhysicalStock=Stoku fizik +RuleForStockReplenishment=Rregulla për rimbushjen e stoqeve +SelectProductWithNotNullQty=Zgjidhni të paktën një produkt me një sasi jo nule dhe një shitës +AlertOnly= Vetëm alarme +IncludeProductWithUndefinedAlerts = Përfshini gjithashtu stokun negativ për produktet pa sasinë e dëshiruar të përcaktuar, për t'i rikthyer ato në 0 +WarehouseForStockDecrease=Magazina %s do të përdoret për uljen e aksioneve +WarehouseForStockIncrease=Magazina %s do të përdoret për rritjen e aksioneve +ForThisWarehouse=Për këtë magazinë +ReplenishmentStatusDesc=Kjo është një listë e të gjitha produkteve me një stok më të ulët se stoku i dëshiruar (ose më i ulët se vlera e alarmit nëse kutia e kontrollit "vetëm alarm" është e kontrolluar). Duke përdorur kutinë e zgjedhjes, mund të krijoni porosi blerje për të plotësuar diferencën. +ReplenishmentStatusDescPerWarehouse=Nëse dëshironi një rimbushje bazuar në sasinë e dëshiruar të përcaktuar për magazinë, duhet të shtoni një filtër në magazinë. +ReplenishmentOrdersDesc=Kjo është një listë e të gjitha porosive të hapura të blerjeve, duke përfshirë produktet e paracaktuara. Vetëm porositë e hapura me produkte të paracaktuara, kështu që porositë që mund të ndikojnë në stoqet, janë të dukshme këtu. +Replenishments=Rimbushjet +NbOfProductBeforePeriod=Sasia e produktit %s në magazinë përpara periudhës së zgjedhur (< %s) +NbOfProductAfterPeriod=Sasia e produktit %s në magazinë pas periudhës së zgjedhur (> %s) +MassMovement=Lëvizja masive +SelectProductInAndOutWareHouse=Zgjidhni një depo burimi (opsionale), një depo të synuar, një produkt dhe një sasi dhe më pas kliko "%s". Pasi të bëhet kjo për të gjitha lëvizjet e kërkuara, klikoni në "%s". +RecordMovement=Transferimi rekord +RecordMovements=Regjistroni lëvizjet e aksioneve +ReceivingForSameOrder=Faturat për këtë porosi +StockMovementRecorded=Lëvizjet e aksioneve janë regjistruar +RuleForStockAvailability=Rregullat për kërkesat e aksioneve +StockMustBeEnoughForInvoice=Niveli i stokut duhet të jetë i mjaftueshëm për të shtuar produktin/shërbimin në faturë (kontrolli bëhet në stokun aktual aktual kur shtohet një linjë në faturë, pavarësisht nga rregulli për ndryshimin automatik të stokut) +StockMustBeEnoughForOrder=Niveli i stokut duhet të jetë i mjaftueshëm për të shtuar produktin/shërbimin për të porositur (kontrolli është bërë në stokun aktual aktual kur shtohet një linjë në renditje, pavarësisht nga rregulli për ndryshimin automatik të stokut) +StockMustBeEnoughForShipment= Niveli i stokut duhet të jetë i mjaftueshëm për të shtuar produktin/shërbimin në dërgesë (kontrolli bëhet në stokun aktual aktual kur shtohet një linjë në dërgesë, pavarësisht nga rregulli për ndryshimin automatik të stokut) +MovementLabel=Etiketa e lëvizjes +TypeMovement=Drejtimi i lëvizjes +DateMovement=Data e lëvizjes +InventoryCode=Kodi i lëvizjes ose i inventarit +IsInPackage=Përmbajtur në paketë +WarehouseAllowNegativeTransfer=Stoku mund të jetë negativ +qtyToTranferIsNotEnough=Nuk keni stoqe të mjaftueshme nga magazina juaj burimore dhe konfigurimi juaj nuk lejon stoqe negative. +qtyToTranferLotIsNotEnough=Nuk ke stok të mjaftueshëm, për këtë numër loti, nga magazina burimore dhe konfigurimi yt nuk lejon stoqe negative (sasia për produktin '%s' me lotin '%s' është %s në magazinën '%s'). +ShowWarehouse=Trego depon +MovementCorrectStock=Korrigjimi i aksioneve për produktin %s +MovementTransferStock=Transferimi i aksioneve të produktit %s në një depo tjetër +BatchStockMouvementAddInGlobal=Stoku i grupit kalon në magazinë globale (produkti nuk përdor më grup) +InventoryCodeShort=Inv./Mov. kodi +NoPendingReceptionOnSupplierOrder=Nuk ka pritje në pritje për shkak të porosisë së hapur të blerjes +ThisSerialAlreadyExistWithDifferentDate=Ky lot/numër serial (%s tashmë ekziston, por me>) data e ndryshme eatby ose sellby (u gjet %sb0a65d071f6fc90 por ju shkruani %s). +OpenAnyMovement=Hapur (të gjitha lëvizjet) +OpenInternal=E hapur (vetëm lëvizje e brendshme) +UseDispatchStatus=Përdorni një status dërgimi (mirato/refuzoj) për linjat e produkteve në marrjen e porosisë së blerjes +OptionMULTIPRICESIsOn=Opsioni "disa çmime për segment" është aktiv. Do të thotë që një produkt ka disa çmime shitjeje, kështu që vlera për shitje nuk mund të llogaritet +ProductStockWarehouseCreated=Kufiri i stokut për alarmin dhe stoku i dëshiruar optimal i krijuar saktë +ProductStockWarehouseUpdated=Kufiri i stokut për alarmin dhe stoku optimal i dëshiruar i përditësuar saktë +ProductStockWarehouseDeleted=Kufiri i stokut për alarmin dhe stoku optimal i dëshiruar i fshirë saktë +ProductStockWarehouse=Kufiri i stokut për alarmin dhe stokun optimal të dëshiruar sipas produktit dhe magazinës +AddNewProductStockWarehouse=Vendosni kufi të ri për alarmin dhe stokun optimal të dëshiruar +AddStockLocationLine=Zvogëloni sasinë dhe më pas klikoni për të ndarë vijën +InventoryDate=Data e inventarit +Inventories=Inventarët +NewInventory=Inventari i ri +inventorySetup = Konfigurimi i inventarit +inventoryCreatePermission=Krijo inventar të ri +inventoryReadPermission=Shiko inventarët +inventoryWritePermission=Përditësoni inventarët +inventoryValidatePermission=Verifikoni inventarin +inventoryDeletePermission=Fshi inventarin +inventoryTitle=Inventari +inventoryListTitle=Inventarët +inventoryListEmpty=Nuk ka inventar në vazhdim +inventoryCreateDelete=Krijo/Fshi inventarin +inventoryCreate=Krijo të reja +inventoryEdit=Redakto +inventoryValidate=E vërtetuar +inventoryDraft=Vrapimi +inventorySelectWarehouse=Zgjedhja e magazinës inventoryConfirmCreate=Create -inventoryOfWarehouse=Inventory for warehouse: %s -inventoryErrorQtyAdd=Error: one quantity is less than zero -inventoryMvtStock=By inventory -inventoryWarningProductAlreadyExists=This product is already into list -SelectCategory=Category filter -SelectFournisseur=Vendor filter -inventoryOnDate=Inventory -INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Stock movements will have the date of inventory (instead of the date of inventory validation) -inventoryChangePMPPermission=Allow to change PMP value for a product -ColumnNewPMP=New unit PMP -OnlyProdsInStock=Do not add product without stock -TheoricalQty=Theorical qty -TheoricalValue=Theorical qty -LastPA=Last BP -CurrentPA=Curent BP -RecordedQty=Recorded Qty -RealQty=Real Qty -RealValue=Real Value -RegulatedQty=Regulated Qty -AddInventoryProduct=Add product to inventory -AddProduct=Add -ApplyPMP=Apply PMP -FlushInventory=Flush inventory -ConfirmFlushInventory=Do you confirm this action? -InventoryFlushed=Inventory flushed -ExitEditMode=Exit edition -inventoryDeleteLine=Delete line -RegulateStock=Regulate Stock -ListInventory=List -StockSupportServices=Stock management supports Services -StockSupportServicesDesc=By default, you can stock only products of type "product". You may also stock a product of type "service" if both module Services and this option are enabled. -ReceiveProducts=Receive items -StockIncreaseAfterCorrectTransfer=Increase by correction/transfer -StockDecreaseAfterCorrectTransfer=Decrease by correction/transfer -StockIncrease=Stock increase -StockDecrease=Stock decrease -InventoryForASpecificWarehouse=Inventory for a specific warehouse -InventoryForASpecificProduct=Inventory for a specific product -StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use -ForceTo=Force to -AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) -StockAtDatePastDesc=You can view here the stock (real stock) at a given date in the past -StockAtDateFutureDesc=You can view here the stock (virtual stock) at a given date in the future -CurrentStock=Current stock -InventoryRealQtyHelp=Set value to 0 to reset qty
      Keep field empty, or remove line, to keep unchanged -UpdateByScaning=Complete real qty by scaning -UpdateByScaningProductBarcode=Update by scan (product barcode) -UpdateByScaningLot=Update by scan (lot|serial barcode) -DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement. -ImportFromCSV=Import CSV list of movement -ChooseFileToImport=Upload file then click on the %s icon to select file as source import file... -SelectAStockMovementFileToImport=select a stock movement file to import -InfoTemplateImport=Uploaded file needs to have this format (* are mandatory fields):
      Source Warehouse* | Target Warehouse* | Product* | Quantity* | Lot/serial number
      CSV character separator must be "%s" -LabelOfInventoryMovemement=Inventory %s -ReOpen=Reopen -ConfirmFinish=Do you confirm the closing of the inventory ? This will generate all stock movements to update your stock to the real qty you entered into the inventory. -ObjectNotFound=%s not found -MakeMovementsAndClose=Generate movements and close -AutofillWithExpected=Replace real quantity with expected quantity -ShowAllBatchByDefault=By default, show batch details on product "stock" tab -CollapseBatchDetailHelp=You can set batch detail default display in stocks module configuration -ErrorWrongBarcodemode=Unknown Barcode mode -ProductDoesNotExist=Product does not exist -ErrorSameBatchNumber=Several record for the batch number were found in the inventory sheet. No way to know which one to increase. -ProductBatchDoesNotExist=Product with batch/serial does not exist -ProductBarcodeDoesNotExist=Product with barcode does not exist -WarehouseId=Warehouse ID -WarehouseRef=Warehouse Ref -SaveQtyFirst=Save the real inventoried quantities first, before asking creation of the stock movement. -InventoryStartedShort=Started -ErrorOnElementsInventory=Operation canceled for the following reason: -ErrorCantFindCodeInInventory=Can't find the following code in inventory -QtyWasAddedToTheScannedBarcode=Success !! The quantity was added to all the requested barcode. You can close the Scanner tool. -StockChangeDisabled=Change on stock disabled -NoWarehouseDefinedForTerminal=No warehouse defined for terminal +inventoryOfWarehouse=Inventari për magazinë: %s +inventoryErrorQtyAdd=Gabim: një sasi është më e vogël se zero +inventoryMvtStock=Me inventar +inventoryWarningProductAlreadyExists=Ky produkt është tashmë në listë +SelectCategory=Filtri i kategorisë +SelectFournisseur=Filtri i shitësit +inventoryOnDate=Inventari +INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Lëvizjet e aksioneve do të kenë datën e inventarit (në vend të datës së vërtetimit të inventarit) +inventoryChangePMPPermission=Lejoni të ndryshoni vlerën PMP për një produkt +ColumnNewPMP=Njësi e re PMP +OnlyProdsInStock=Mos shtoni produkt pa stok +TheoricalQty=Sasia teorike +TheoricalValue=Sasia teorike +LastPA=BP e fundit +CurrentPA=BP aktuale +RecordedQty=Sasia e regjistruar +RealQty=Sasia e vërtetë +RealValue=Vlera reale +RegulatedQty=Sasia e rregulluar +AddInventoryProduct=Shtoni produktin në inventar +AddProduct=Shtoni +ApplyPMP=Aplikoni PMP +FlushInventory=Shpëlaj inventarin +ConfirmFlushInventory=E konfirmoni këtë veprim? +InventoryFlushed=Inventari u shpërla +ExitEditMode=Dil nga botimi +inventoryDeleteLine=Fshi rreshtin +RegulateStock=Rregulloni stokun +ListInventory=Listë +StockSupportServices=Menaxhimi i aksioneve mbështet Shërbimet +StockSupportServicesDesc=Si parazgjedhje, mund të rezervoni vetëm produkte të llojit "produkt". Ju gjithashtu mund të rezervoni një produkt të llojit "shërbim" nëse të dy Shërbimet e modulit dhe ky opsion janë të aktivizuara. +ReceiveProducts=Merrni artikuj +StockIncreaseAfterCorrectTransfer=Rritja me korrigjim/transferim +StockDecreaseAfterCorrectTransfer=Ulja me korrigjim/transferim +StockIncrease=Rritja e aksioneve +StockDecrease=Ulje e aksioneve +InventoryForASpecificWarehouse=Inventari për një magazinë specifike +InventoryForASpecificProduct=Inventari për një produkt specifik +StockIsRequiredToChooseWhichLotToUse=Kërkohet një stok ekzistues për të qenë në gjendje të zgjedhë se cilën pjesë të përdoret +ForceTo=Forca për të +AlwaysShowFullArbo=Shfaq shtegun e plotë të një magazine (magazinat mëmë) në dritaren kërcyese të lidhjeve të magazinës (Kujdes: Kjo mund të ulë në mënyrë dramatike performancat) +StockAtDatePastDesc=Këtu mund të shikoni stokun (stokun real) në një datë të caktuar në të kaluarën +StockAtDateFutureDesc=Këtu mund të shikoni stokun (stokun virtual) në një datë të caktuar në të ardhmen +CurrentStock=Stoku aktual +InventoryRealQtyHelp=Cakto vlerën në 0 për të rivendosur sasinë
      Mbaje fushën bosh ose hiq rreshtin për ta mbajtur të pandryshuar +UpdateByScaning=Plotësoni sasinë reale duke skanuar +UpdateByScaningProductBarcode=Përditëso me skanim (barkodi i produktit) +UpdateByScaningLot=Përditësimi me anë të skanimit (lloti|barkodi serial) +DisableStockChangeOfSubProduct=Çaktivizoni ndryshimin e stokut për të gjithë nënproduktet e këtij Kit gjatë kësaj lëvizjeje. +ImportFromCSV=Importoni listën e lëvizjes CSV +ChooseFileToImport=Ngarkoni skedarin më pas klikoni në ikonën %s për të zgjedhur skedarin si skedar importues burimi... +SelectAStockMovementFileToImport=zgjidhni një skedar të lëvizjes së aksioneve për të importuar +InfoTemplateImport=Skedari i ngarkuar duhet të ketë këtë format (* janë fusha të detyrueshme):
      Depoja e burimit* | Magazina e synuar* | Produkt* | Sasia* | Loti/numri serial
      Ndarësi i karaktereve CSV duhet të jetë "b0ecb2ec80f49 span class='notranslate'>" +LabelOfInventoryMovemement=Inventari %s +ReOpen=Rihap +ConfirmFinish=A e konfirmoni mbylljen e inventarit? Kjo do të gjenerojë të gjitha lëvizjet e aksioneve për të përditësuar stokun tuaj në sasinë reale që keni futur në inventar. +ObjectNotFound=%s nuk u gjet +MakeMovementsAndClose=Gjeneroni lëvizje dhe mbylleni +AutofillWithExpected=Plotësoni sasinë reale me sasinë e pritur +ShowAllBatchByDefault=Si parazgjedhje, shfaqni detajet e grupit në skedën "stock" të produktit +CollapseBatchDetailHelp=Mund të vendosni shfaqjen e paracaktuar të detajeve të grupit në konfigurimin e modulit të stoqeve +ErrorWrongBarcodemode=Modaliteti i panjohur i barkodit +ProductDoesNotExist=Produkti nuk ekziston +ErrorSameBatchNumber=Në fletën e inventarit u gjetën disa shënime për numrin e grupit. Nuk ka asnjë mënyrë për të ditur se cilën të rritet. +ProductBatchDoesNotExist=Produkti me grup/serial nuk ekziston +ProductBarcodeDoesNotExist=Produkti me barkod nuk ekziston +WarehouseId=ID e magazinës +WarehouseRef=Magazina Ref +SaveQtyFirst=Ruani së pari sasitë reale të inventarizuara, përpara se të kërkoni krijimin e lëvizjes së aksioneve. +ToStart=Filloni +InventoryStartedShort=Filloi +ErrorOnElementsInventory=Operacioni u anulua për arsyet e mëposhtme: +ErrorCantFindCodeInInventory=Kodi i mëposhtëm nuk mund të gjendet në inventar +QtyWasAddedToTheScannedBarcode=Sukses !! Sasia iu shtua të gjithë barkodit të kërkuar. Mund ta mbyllni mjetin Skaneri. +StockChangeDisabled=Ndryshimi i aksioneve është i çaktivizuar +NoWarehouseDefinedForTerminal=Asnjë depo nuk është përcaktuar për terminalin +ClearQtys=Pastro të gjitha sasitë +ModuleStockTransferName=Transferim i avancuar i aksioneve +ModuleStockTransferDesc=Menaxhimi i avancuar i transferimit të aksioneve, me gjenerimin e fletës së transfertave +StockTransferNew=Transferimi i aksioneve të reja +StockTransferList=Lista e transfertave të aksioneve +ConfirmValidateStockTransfer=Jeni i sigurt që dëshironi të vërtetoni këtë transferim të aksioneve me referencën %sb09a4b739f17f shtrirje> ? +ConfirmDestock=Ulja e aksioneve me transferim %s +ConfirmDestockCancel=Anulo uljen e aksioneve me transferimin %s +DestockAllProduct=Ulja e stoqeve +DestockAllProductCancel=Anuloni uljen e stoqeve +ConfirmAddStock=Rritja e aksioneve me transferim %s +ConfirmAddStockCancel=Anulo rritjen e aksioneve me transferimin %s +AddStockAllProduct=Rritja e stoqeve +AddStockAllProductCancel=Anuloni rritjen e stoqeve +DatePrevueDepart=Data e synuar e nisjes +DateReelleDepart=Data reale e nisjes +DatePrevueArrivee=Data e synuar e mbërritjes +DateReelleArrivee=Data e vërtetë e mbërritjes +HelpWarehouseStockTransferSource=Nëse kjo magazinë vendoset, vetëm ajo dhe fëmijët e saj do të jenë të disponueshme si magazinë burimore +HelpWarehouseStockTransferDestination=Nëse kjo magazinë vendoset, vetëm ajo dhe fëmijët e saj do të jenë të disponueshme si magazinë destinacioni +LeadTimeForWarning=Koha e pritjes përpara alarmit (në ditë) +TypeContact_stocktransfer_internal_STFROM=Dërguesi i transferimit të aksioneve +TypeContact_stocktransfer_internal_STDEST=Marrësi i transferimit të aksioneve +TypeContact_stocktransfer_internal_STRESP=Përgjegjës për transferimin e aksioneve +StockTransferSheet=Fleta e transferimit të aksioneve +StockTransferSheetProforma=Fleta e transferimit të aksioneve Proforma +StockTransferDecrementation=Zvogëloni magazinat burimore +StockTransferIncrementation=Rritja e depove të destinacionit +StockTransferDecrementationCancel=Anuloni uljen e depove burimore +StockTransferIncrementationCancel=Anuloni rritjen e depove të destinacionit +StockStransferDecremented=Depot burimore janë ulur +StockStransferDecrementedCancel=Zvogëlimi i depove burimore u anulua +StockStransferIncremented=Mbyllur - Aksionet e transferuara +StockStransferIncrementedShort=Stoqet e transferuara +StockStransferIncrementedShortCancel=Anulohet rritja e depove të destinacionit +StockTransferNoBatchForProduct=Produkti %s nuk përdor grup, fshij grupin në linjë dhe provo sërish +StockTransferSetup = Konfigurimi i modulit të transferimit të aksioneve +Settings=Cilësimet +StockTransferSetupPage = Faqja e konfigurimit për modulin e transferimit të aksioneve +StockTransferRightRead=Lexoni transfertat e aksioneve +StockTransferRightCreateUpdate=Krijo/Përditëso transfertat e aksioneve +StockTransferRightDelete=Fshini transfertat e aksioneve +BatchNotFound=Nuk u gjet shumë/serial për këtë produkt +StockEntryDate=Data e
      hyrjes në magazinë +StockMovementWillBeRecorded=Lëvizja e aksioneve do të regjistrohet +StockMovementNotYetRecorded=Lëvizja e aksioneve nuk do të ndikohet nga ky hap +ReverseConfirmed=Lëvizja e aksioneve është kthyer me sukses + +WarningThisWIllAlsoDeleteStock=Kujdes, kjo do të shkatërrojë gjithashtu të gjitha sasitë në magazinë +ValidateInventory=Vleresimi i inventarit +IncludeSubWarehouse=Përfshini nën-magazinë? +IncludeSubWarehouseExplanation=Zgjidhni këtë kuti nëse dëshironi të përfshini në inventar të gjitha nënmagazinat e magazinës përkatëse +DeleteBatch=Fshi lot/serial +ConfirmDeleteBatch=Jeni i sigurt që dëshironi të fshini lotin/serialin? +WarehouseUsage=Përdorimi i magazinës +InternalWarehouse=Magazina e brendshme +ExternalWarehouse=Depo e jashtme +WarningThisWIllAlsoDeleteStock=Kujdes, kjo do të shkatërrojë gjithashtu të gjitha sasitë në magazinë diff --git a/htdocs/langs/sq_AL/stripe.lang b/htdocs/langs/sq_AL/stripe.lang index a3cc6e6a822..81df3f2c756 100644 --- a/htdocs/langs/sq_AL/stripe.lang +++ b/htdocs/langs/sq_AL/stripe.lang @@ -1,71 +1,80 @@ # Dolibarr language file - Source file is en_US - stripe -StripeSetup=Stripe module setup -StripeDesc=Offer your customers an online payment page for payments with credit/debit cards via Stripe. This can be used to allow your customers to make ad-hoc payments or for payments related to a particular Dolibarr object (invoice, order, ...) -StripeOrCBDoPayment=Pay with credit card or Stripe -FollowingUrlAreAvailableToMakePayments=Following URLs are available to offer a page to a customer to make a payment on Dolibarr objects +StripeSetup=Konfigurimi i modulit të shiritit +StripeDesc=Ofroni klientëve tuaj një faqe pagese në internet për pagesat me karta krediti/debiti nëpërmjet Stripe. Kjo mund të përdoret për të lejuar klientët tuaj të bëjnë pagesa ad-hoc ose për pagesa që lidhen me një objekt të caktuar Dolibarr (faturë, porosi, ...) +StripeOrCBDoPayment=Paguani me kartë krediti ose Stripe +FollowingUrlAreAvailableToMakePayments=URL-të e mëposhtme janë të disponueshme për t'i ofruar një faqe një klienti për të bërë një pagesë në objektet Dolibarr PaymentForm=Mёnyra e pagesёs -WelcomeOnPaymentPage=Welcome to our online payment service -ThisScreenAllowsYouToPay=This screen allow you to make an online payment to %s. -ThisIsInformationOnPayment=This is information on payment to do +WelcomeOnPaymentPage=Mirë se vini në shërbimin tonë të pagesave në internet +ThisScreenAllowsYouToPay=Ky ekran ju lejon të bëni një pagesë në internet për %s. +ThisIsInformationOnPayment=Ky është informacion mbi pagesën që duhet bërë ToComplete=Pёr tu plotёsuar -YourEMail=Email to receive payment confirmation -STRIPE_PAYONLINE_SENDEMAIL=Email notification after a payment attempt (success or fail) -Creditor=Creditor -PaymentCode=Payment code -StripeDoPayment=Pay with Stripe -YouWillBeRedirectedOnStripe=You will be redirected on secured Stripe page to input you credit card information +YourEMail=Email për të marrë konfirmimin e pagesës +STRIPE_PAYONLINE_SENDEMAIL=Njoftimi me email pas një përpjekjeje pagese (suksesshme ose dështuar) +Creditor=Kreditori +PaymentCode=Kodi i pagesës +StripeDoPayment=Paguani me Stripe +YouWillBeRedirectedOnStripe=Do të ridrejtoheni në faqen e sigurt të Stripe për të futur informacionin e kartës së kreditit Continue=Tjetri -ToOfferALinkForOnlinePayment=URL for %s payment -ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order -ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice -ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line -ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment page of any amount with no existing object -ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment page for a member subscription -ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation -YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag.
      For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter) -SetupStripeToHavePaymentCreatedAutomatically=Setup your Stripe with url %s to have payment created automatically when validated by Stripe. +ToOfferALinkForOnlinePayment=URL për pagesën %s +ToOfferALinkForOnlinePaymentOnOrder=URL për të ofruar një faqe pagese në internet %s për një porosi shitjeje +ToOfferALinkForOnlinePaymentOnInvoice=URL për të ofruar një faqe pagese në internet %s për një faturë klienti +ToOfferALinkForOnlinePaymentOnContractLine=URL për të ofruar një faqe pagese në linjë %s për linjën e kontratës +ToOfferALinkForOnlinePaymentOnFreeAmount=URL për të ofruar një %s faqe pagese në internet të çdo shume pa objekt ekzistues +ToOfferALinkForOnlinePaymentOnMemberSubscription=URL për të ofruar një faqe pagese në internet %s për një abonim të anëtarëve +ToOfferALinkForOnlinePaymentOnDonation=URL për të ofruar një faqe pagese në internet %s për pagesën e një donacioni +YouCanAddTagOnUrl=Ju gjithashtu mund të shtoni parametrin e url-së &tag=vlerab0ae33spanzb0ae33475 class='notranslate'>
      në ndonjë nga ato URL (të detyrueshme vetëm për pagesën që nuk është e lidhur me një objekt) për të shtuar etiketën tuaj të komentit të pagesës.
      Për URL-ja e pagesave pa objekt ekzistues, mund të shtoni edhe parametrin &noidempotency=1 kështu që e njëjta lidhje me të njëjtën etiketë mund të përdoret disa herë (disa mënyra pagese mund ta kufizojnë pagesën në 1 për çdo lidhje të ndryshme pa këtë parametër) +SetupStripeToHavePaymentCreatedAutomatically=Konfiguro Stripe-in tënd me url %s kur të krijohen automatikisht pagesat
      (TODO When option to decrease stock is done on an action on invoice and the online payment generate itself the invoice ?) -StripeLiveEnabled=Stripe live enabled (otherwise test/sandbox mode) -StripeImportPayment=Import Stripe payments -ExampleOfTestCreditCard=Example of credit card for test: %s => valid, %s => error CVC, %s => expired, %s => charge fails -StripeGateways=Stripe gateways -OAUTH_STRIPE_TEST_ID=Stripe Connect Client ID (ca_...) -OAUTH_STRIPE_LIVE_ID=Stripe Connect Client ID (ca_...) -BankAccountForBankTransfer=Bank account for fund payouts -StripeAccount=Stripe account -StripeChargeList=List of Stripe charges -StripeTransactionList=List of Stripe transactions -StripeCustomerId=Stripe customer id -StripePaymentModes=Stripe payment modes -LocalID=Local ID -StripeID=Stripe ID -NameOnCard=Name on card -CardNumber=Card Number -ExpiryDate=Expiry Date +UsageParameter=Parametrat e përdorimit +InformationToFindParameters=Ndihmoni për të gjetur informacionin e llogarisë tuaj %s +STRIPE_CGI_URL_V2=Url e modulit Stripe CGI për pagesë +CSSUrlForPaymentForm=URL-ja e fletës së stilit CSS për formularin e pagesës +NewStripePaymentReceived=U mor pagesa New Stripe +NewStripePaymentFailed=Pagesa New Stripe u përpoq, por dështoi +FailedToChargeCard=Karikimi i kartës dështoi +STRIPE_TEST_SECRET_KEY=Çelësi sekret i provës +STRIPE_TEST_PUBLISHABLE_KEY=Çelësi testues i publikueshëm +STRIPE_TEST_WEBHOOK_KEY=Çelësi i testimit të Uebhook +STRIPE_LIVE_SECRET_KEY=Çelësi sekret i drejtpërdrejtë +STRIPE_LIVE_PUBLISHABLE_KEY=Çelësi i drejtpërdrejtë i publikueshëm +STRIPE_LIVE_WEBHOOK_KEY=Çelësi i drejtpërdrejtë i Webhook +ONLINE_PAYMENT_WAREHOUSE=Stoku për t'u përdorur për uljen e stokut kur kryhet pagesa në internet
      (TODO Kur opsioni për të ulur stokun kryhet në një veprim në faturë dhe pagesa në internet gjeneron vetë faturën?) +StripeLiveEnabled=Stripe live i aktivizuar (ndryshe, modaliteti i testit/sandbox) +StripeImportPayment=Importi i pagesave Stripe +ExampleOfTestCreditCard=Shembull i kartës së kreditit për një pagesë testuese: %s => e vlefshme, %s => gabim CVC, %s => ka skaduar, %s => tarifimi dështon +ExampleOfTestBankAcountForSEPA=Shembull i BAN llogarisë bankare për testin e debitit direkt: %s +StripeGateways=Porta me shirita +OAUTH_STRIPE_TEST_ID=ID-ja e klientit Stripe Connect (ca_...) +OAUTH_STRIPE_LIVE_ID=ID-ja e klientit Stripe Connect (ca_...) +BankAccountForBankTransfer=Llogari bankare për pagesat e fondeve +StripeAccount=Llogaria me shirita +StripeChargeList=Lista e tarifave Stripe +StripeTransactionList=Lista e transaksioneve Stripe +StripeCustomerId=ID-ja e klientit me shirita +StripePaymentId=ID-ja e pagesës me shirit +StripePaymentModes=Mënyrat e pagesës me shirita +LocalID=ID lokale +StripeID=ID e shiritit +NameOnCard=Emri ne karte +CardNumber=Numri i kartes +ExpiryDate=Data e skadimit CVN=CVN -DeleteACard=Delete Card -ConfirmDeleteCard=Are you sure you want to delete this Credit or Debit card? -CreateCustomerOnStripe=Create customer on Stripe -CreateCardOnStripe=Create card on Stripe -ShowInStripe=Show in Stripe -StripeUserAccountForActions=User account to use for email notification of some Stripe events (Stripe payouts) -StripePayoutList=List of Stripe payouts -ToOfferALinkForTestWebhook=Link to setup Stripe WebHook to call the IPN (test mode) -ToOfferALinkForLiveWebhook=Link to setup Stripe WebHook to call the IPN (live mode) -PaymentWillBeRecordedForNextPeriod=Payment will be recorded for the next period. -ClickHereToTryAgain=Click here to try again... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s +DeleteACard=Fshi kartën +ConfirmDeleteCard=Jeni i sigurt që dëshironi të fshini këtë kartë krediti ose debiti? +CreateCustomerOnStripe=Krijo klient në Stripe +CreateCardOnStripe=Krijo një kartë në Stripe +CreateBANOnStripe=Krijo bankë në Stripe +ShowInStripe=Shfaq në shirit +StripeUserAccountForActions=Llogaria e përdoruesit për t'u përdorur për njoftimin me email për disa ngjarje Stripe (pagesat Stripe) +StripePayoutList=Lista e pagesave Stripe +ToOfferALinkForTestWebhook=Lidhja për të konfiguruar Stripe WebHook për të thirrur IPN (modaliteti i testimit) +ToOfferALinkForLiveWebhook=Lidhja për të konfiguruar Stripe WebHook për të thirrur IPN (modaliteti i drejtpërdrejtë) +PaymentWillBeRecordedForNextPeriod=Pagesa do të regjistrohet për periudhën e ardhshme. +ClickHereToTryAgain=Kliko këtu për të provuar përsëri... +CreationOfPaymentModeMustBeDoneFromStripeInterface=Për shkak të rregullave të forta të vërtetimit të klientit, krijimi i një karte duhet të bëhet nga Stripe back office. Mund të klikoni këtu për të aktivizuar regjistrimin e klientit Stripe: %s +STRIPE_CARD_PRESENT=Dhuratë karte për terminalet me shirita +TERMINAL_LOCATION=Vendndodhja (adresa) për Terminalet Stripe +RequestDirectDebitWithStripe=Kërko Debitim Direkt me Stripe +RequesCreditTransferWithStripe=Kërko Transfer Kredie me Stripe +STRIPE_SEPA_DIRECT_DEBIT=Aktivizo pagesat e Debitimit Direkt përmes Stripe +StripeConnect_Mode=Modaliteti i lidhjes me shirita diff --git a/htdocs/langs/sq_AL/supplier_proposal.lang b/htdocs/langs/sq_AL/supplier_proposal.lang index ecb675c2db3..d495d0d005b 100644 --- a/htdocs/langs/sq_AL/supplier_proposal.lang +++ b/htdocs/langs/sq_AL/supplier_proposal.lang @@ -1,54 +1,59 @@ # Dolibarr language file - Source file is en_US - supplier_proposal -SupplierProposal=Vendor commercial proposals -supplier_proposalDESC=Manage price requests to suppliers -SupplierProposalNew=New price request -CommRequest=Price request -CommRequests=Price requests -SearchRequest=Find a request -DraftRequests=Draft requests -SupplierProposalsDraft=Draft vendor proposals -LastModifiedRequests=Latest %s modified price requests -RequestsOpened=Open price requests -SupplierProposalArea=Vendor proposals area -SupplierProposalShort=Vendor proposal -SupplierProposals=Vendor proposals -SupplierProposalsShort=Vendor proposals -NewAskPrice=New price request -ShowSupplierProposal=Show price request -AddSupplierProposal=Create a price request -SupplierProposalRefFourn=Vendor ref -SupplierProposalDate=Delivery date -SupplierProposalRefFournNotice=Before closing to "Accepted", think to grasp suppliers references. -ConfirmValidateAsk=Are you sure you want to validate this price request under name %s? -DeleteAsk=Delete request -ValidateAsk=Validate request -SupplierProposalStatusDraft=Draft (needs to be validated) -SupplierProposalStatusValidated=Validated (request is open) +SupplierProposal=Propozimet tregtare të shitësve +supplier_proposalDESC=Menaxhoni kërkesat për çmime për furnitorët +SupplierProposalNew=Kërkesë për çmim të ri +CommRequest=Kërkesa për çmim +CommRequests=Kërkesat për çmime +SearchRequest=Gjeni një kërkesë +DraftRequests=Projekt kërkesa +SupplierProposalsDraft=Projekt propozimet e shitësve +LastModifiedRequests=Kërkesat e fundit të modifikuara për çmimin %s +RequestsOpened=Hap kërkesat për çmime +SupplierProposalArea=Zona e propozimeve të shitësve +SupplierProposalShort=Propozimi i shitësit +SupplierProposals=Propozimet e shitësve +SupplierProposalsShort=Propozimet e shitësve +AskPrice=Kërkesa për çmim +NewAskPrice=Kërkesë për çmim të ri +ShowSupplierProposal=Shfaq kërkesën për çmim +AddSupplierProposal=Krijo një kërkesë për çmim +SupplierProposalRefFourn=Shitësi ref +SupplierProposalDate=Data e dorëzimit +SupplierProposalRefFournNotice=Përpara mbylljes së "Pranuar", mendoni të kuptoni referencat e furnitorëve. +ConfirmValidateAsk=Jeni i sigurt që dëshironi ta vërtetoni këtë kërkesë për çmim nën emrin %sb09a4b739f17f8z >? +DeleteAsk=Fshi kërkesën +ValidateAsk=Vërteto kërkesën +SupplierProposalStatusDraft=Drafti (duhet të vërtetohet) +SupplierProposalStatusValidated=Vleruar (kërkesa është e hapur) SupplierProposalStatusClosed=Mbyllur -SupplierProposalStatusSigned=Accepted +SupplierProposalStatusSigned=Pranuar SupplierProposalStatusNotSigned=Refuzuar SupplierProposalStatusDraftShort=Draft -SupplierProposalStatusValidatedShort=Validated +SupplierProposalStatusValidatedShort=E vërtetuar SupplierProposalStatusClosedShort=Mbyllur -SupplierProposalStatusSignedShort=Accepted +SupplierProposalStatusSignedShort=Pranuar SupplierProposalStatusNotSignedShort=Refuzuar -CopyAskFrom=Create price request by copying existing a request -CreateEmptyAsk=Create blank request -ConfirmCloneAsk=Are you sure you want to clone the price request %s? -ConfirmReOpenAsk=Are you sure you want to open back the price request %s? -SendAskByMail=Send price request by mail -SendAskRef=Sending the price request %s -SupplierProposalCard=Request card -ConfirmDeleteAsk=Are you sure you want to delete this price request %s? -ActionsOnSupplierProposal=Events on price request -DocModelAuroreDescription=A complete request model (logo...) -CommercialAsk=Price request -DefaultModelSupplierProposalCreate=Default model creation -DefaultModelSupplierProposalToBill=Default template when closing a price request (accepted) -DefaultModelSupplierProposalClosed=Default template when closing a price request (refused) -ListOfSupplierProposals=List of vendor proposal requests -ListSupplierProposalsAssociatedProject=List of vendor proposals associated with project -SupplierProposalsToClose=Vendor proposals to close -SupplierProposalsToProcess=Vendor proposals to process -LastSupplierProposals=Latest %s price requests -AllPriceRequests=All requests +CopyAskFrom=Krijoni një kërkesë çmimi duke kopjuar një kërkesë ekzistuese +CreateEmptyAsk=Krijo kërkesë bosh +ConfirmCloneAsk=Jeni i sigurt që dëshironi të klononi kërkesën për çmim %sb09a4b739f17f8z? +ConfirmReOpenAsk=Jeni i sigurt që dëshironi të hapni përsëri kërkesën për çmim %s%sb09a4b739f17f8z>%s? -DenyingThisOrder=Deny this order -ConfirmDenyingThisOrder=Are you sure you want to deny this order %s? -ConfirmCancelThisOrder=Are you sure you want to cancel this order %s? -AddSupplierOrder=Create Purchase Order -AddSupplierInvoice=Create vendor invoice -ListOfSupplierProductForSupplier=List of products and prices for vendor %s -SentToSuppliers=Sent to vendors -ListOfSupplierOrders=List of purchase orders -MenuOrdersSupplierToBill=Purchase orders to invoice -NbDaysToDelivery=Delivery delay (days) -DescNbDaysToDelivery=The longest delivery delay of the products from this order -SupplierReputation=Vendor reputation -ReferenceReputation=Reference reputation -DoNotOrderThisProductToThisSupplier=Do not order -NotTheGoodQualitySupplier=Low quality -ReputationForThisProduct=Reputation +Suppliers=Shitësit +SuppliersInvoice=Fatura e shitësit +SupplierInvoices=Faturat e shitësve +ShowSupplierInvoice=Shfaq faturën e shitësit +NewSupplier=Shitës i ri +NewSupplierInvoice = Faturë e re e shitësit +History=Historia +ListOfSuppliers=Lista e shitësve +ShowSupplier=Trego shitësin +OrderDate=Data e porosisë +BuyingPriceMin=Çmimi më i mirë i blerjes +BuyingPriceMinShort=Çmimi më i mirë i blerjes +TotalBuyingPriceMinShort=Totali i çmimeve të blerjes së nënprodukteve +TotalSellingPriceMinShort=Totali i çmimeve të shitjes së nënprodukteve +SomeSubProductHaveNoPrices=Disa nënprodukte nuk kanë çmim të përcaktuar +AddSupplierPrice=Shto çmimin e blerjes +ChangeSupplierPrice=Ndryshoni çmimin e blerjes +SupplierPrices=Çmimet e shitësve +ReferenceSupplierIsAlreadyAssociatedWithAProduct=Kjo referencë shitësi është tashmë e lidhur me një produkt: %s +NoRecordedSuppliers=Nuk është regjistruar asnjë shitës +SupplierPayment=Pagesa e shitësit +SuppliersArea=Zona e shitësit +RefSupplierShort=Ref. shitës +Availability=Disponueshmëria +ExportDataset_fournisseur_1=Faturat e shitësit dhe detajet e faturës +ExportDataset_fournisseur_2=Faturat dhe pagesat e shitësit +ExportDataset_fournisseur_3=Porositë e blerjeve dhe detajet e porosisë +ApproveThisOrder=Mirato këtë urdhër +ConfirmApproveThisOrder=Jeni i sigurt që dëshironi të miratoni porosinë %s%s%s%s +SentToSuppliers=Dërguar te shitësit +ListOfSupplierOrders=Lista e porosive të blerjes +MenuOrdersSupplierToBill=Urdhrat e blerjeve për të faturuar +NbDaysToDelivery=Vonesa e dorëzimit (ditë) +DescNbDaysToDelivery=Vonesa më e gjatë e dorëzimit të produkteve nga kjo porosi +SupplierReputation=Reputacioni i shitësit +ReferenceReputation=Reputacioni i referencës +DoNotOrderThisProductToThisSupplier=Mos urdhëro +NotTheGoodQualitySupplier=Cilesi e dobet +ReputationForThisProduct=Reputacioni BuyerName=Emri i blerësit -AllProductServicePrices=All product / service prices -AllProductReferencesOfSupplier=All references of vendor -BuyingPriceNumShort=Vendor prices +AllProductServicePrices=Të gjitha çmimet e produkteve/shërbimeve +AllProductReferencesOfSupplier=Të gjitha referencat e shitësit +BuyingPriceNumShort=Çmimet e shitësve +RepeatableSupplierInvoice=Fatura e furnizuesit shabllon +RepeatableSupplierInvoices=Faturat e furnitorëve shabllon +RepeatableSupplierInvoicesList=Faturat e furnitorëve shabllon +RecurringSupplierInvoices=Faturat e përsëritura të furnizuesit +ToCreateAPredefinedSupplierInvoice=Për të krijuar shabllon faturë furnizuesi, duhet të krijoni një faturë standarde, më pas, pa e vërtetuar atë, klikoni në butonin "%s". +GeneratedFromSupplierTemplate=Krijuar nga shablloni i faturës së furnizuesit %s +SupplierInvoiceGeneratedFromTemplate=Fatura e furnizuesit %s Krijuar nga shablloni i faturës së furnizuesit %s diff --git a/htdocs/langs/sq_AL/ticket.lang b/htdocs/langs/sq_AL/ticket.lang index c0d3cf2e016..5ab56e7e611 100644 --- a/htdocs/langs/sq_AL/ticket.lang +++ b/htdocs/langs/sq_AL/ticket.lang @@ -18,307 +18,355 @@ # Generic # -Module56000Name=Tickets -Module56000Desc=Ticket system for issue or request management +Module56000Name=Biletat +Module56000Desc=Sistemi i biletave për menaxhimin e lëshimit ose kërkesës -Permission56001=See tickets -Permission56002=Modify tickets -Permission56003=Delete tickets -Permission56004=Manage tickets -Permission56005=See tickets of all third parties (not effective for external users, always be limited to the third party they depend on) +Permission56001=Shihni biletat +Permission56002=Ndrysho biletat +Permission56003=Fshini biletat +Permission56004=Menaxhoni biletat +Permission56005=Shikoni biletat e të gjitha palëve të treta (jo efektive për përdoruesit e jashtëm, kufizohuni gjithmonë tek pala e tretë nga e cila ata varen) +Permission56006=Biletat e eksportit -TicketDictType=Ticket - Types -TicketDictCategory=Ticket - Groupes -TicketDictSeverity=Ticket - Severities -TicketDictResolution=Ticket - Resolution +Tickets=Biletat +TicketDictType=Bileta - Llojet +TicketDictCategory=Bileta - Grupet +TicketDictSeverity=Bileta - Ashpërsitë +TicketDictResolution=Bileta - Rezoluta -TicketTypeShortCOM=Commercial question -TicketTypeShortHELP=Request for functionnal help -TicketTypeShortISSUE=Issue or bug +TicketTypeShortCOM=Pyetje komerciale +TicketTypeShortHELP=Kërkesë për ndihmë funksionale +TicketTypeShortISSUE=Problem ose defekt TicketTypeShortPROBLEM=Problem -TicketTypeShortREQUEST=Change or enhancement request -TicketTypeShortPROJET=Project +TicketTypeShortREQUEST=Kërkesë për ndryshim ose përmirësim +TicketTypeShortPROJET=Projekti TicketTypeShortOTHER=Tjetër -TicketSeverityShortLOW=Low -TicketSeverityShortNORMAL=Normal -TicketSeverityShortHIGH=High -TicketSeverityShortBLOCKING=Critical, Blocking +TicketSeverityShortLOW=E ulët +TicketSeverityShortNORMAL=Normale +TicketSeverityShortHIGH=Lartë +TicketSeverityShortBLOCKING=Kritike, Bllokim TicketCategoryShortOTHER=Tjetër -ErrorBadEmailAddress=Field '%s' incorrect -MenuTicketMyAssign=My tickets -MenuTicketMyAssignNonClosed=My open tickets -MenuListNonClosed=Open tickets +ErrorBadEmailAddress=Fusha '%s' është e pasaktë +MenuTicketMyAssign=Biletat e mia +MenuTicketMyAssignNonClosed=Biletat e mia të hapura +MenuListNonClosed=Biletat e hapura -TypeContact_ticket_internal_CONTRIBUTOR=Contributor -TypeContact_ticket_internal_SUPPORTTEC=Assigned user -TypeContact_ticket_external_SUPPORTCLI=Customer contact / incident tracking -TypeContact_ticket_external_CONTRIBUTOR=External contributor +TypeContact_ticket_internal_CONTRIBUTOR=Kontribues +TypeContact_ticket_internal_SUPPORTTEC=Përdorues i caktuar +TypeContact_ticket_external_SUPPORTCLI=Kontakti me klientin / gjurmimi i incidentit +TypeContact_ticket_external_CONTRIBUTOR=Kontribues i jashtëm -OriginEmail=Reporter Email -Notify_TICKET_SENTBYMAIL=Send ticket message by email +OriginEmail=Email-i i gazetarit +Notify_TICKET_SENTBYMAIL=Dërgo mesazh biletë me email + +ExportDataset_ticket_1=Biletat # Status -Read=Read -Assigned=Assigned -InProgress=In progress -NeedMoreInformation=Waiting for reporter feedback -NeedMoreInformationShort=Waiting for feedback -Answered=Answered -Waiting=Waiting -SolvedClosed=Solved -Deleted=Deleted +Read=Lexoni +Assigned=Caktuar +NeedMoreInformation=Në pritje të komenteve të gazetarëve +NeedMoreInformationShort=Në pritje të komenteve +Answered=U përgjigj +Waiting=Ne pritje +SolvedClosed=E zgjidhur +Deleted=U fshi # Dict -Type=Type -Severity=Severity -TicketGroupIsPublic=Group is public -TicketGroupIsPublicDesc=If a ticket group is public, it will be visible in the form when creating a ticket from the public interface +Type=Lloji +Severity=Ashpërsia +TicketGroupIsPublic=Grupi është publik +TicketGroupIsPublicDesc=Nëse një grup biletash është publik, ai do të jetë i dukshëm në formën kur krijoni një biletë nga ndërfaqja publike # Email templates -MailToSendTicketMessage=To send email from ticket message +MailToSendTicketMessage=Për të dërguar email nga mesazhi i biletës # # Admin page # -TicketSetup=Ticket module setup -TicketSettings=Settings +TicketSetup=Konfigurimi i modulit të biletave +TicketSettings=Cilësimet TicketSetupPage= -TicketPublicAccess=A public interface requiring no identification is available at the following url -TicketSetupDictionaries=The type of ticket, severity and analytic codes are configurable from dictionaries -TicketParamModule=Module variable setup -TicketParamMail=Email setup -TicketEmailNotificationFrom=Notification email from -TicketEmailNotificationFromHelp=Used into ticket message answer by example -TicketEmailNotificationTo=Notifications email to -TicketEmailNotificationToHelp=Send email notifications to this address. -TicketNewEmailBodyLabel=Text message sent after creating a ticket -TicketNewEmailBodyHelp=The text specified here will be inserted into the email confirming the creation of a new ticket from the public interface. Information on the consultation of the ticket are automatically added. -TicketParamPublicInterface=Public interface setup -TicketsEmailMustExist=Require an existing email address to create a ticket -TicketsEmailMustExistHelp=In the public interface, the email address should already be filled in the database to create a new ticket. -PublicInterface=Public interface -TicketUrlPublicInterfaceLabelAdmin=Alternative URL for public interface -TicketUrlPublicInterfaceHelpAdmin=It is possible to define an alias to the web server and thus make available the public interface with another URL (the server must act as a proxy on this new URL) -TicketPublicInterfaceTextHomeLabelAdmin=Welcome text of the public interface -TicketPublicInterfaceTextHome=You can create a support ticket or view existing from its identifier tracking ticket. -TicketPublicInterfaceTextHomeHelpAdmin=The text defined here will appear on the home page of the public interface. -TicketPublicInterfaceTopicLabelAdmin=Interface title -TicketPublicInterfaceTopicHelp=This text will appear as the title of the public interface. -TicketPublicInterfaceTextHelpMessageLabelAdmin=Help text to the message entry -TicketPublicInterfaceTextHelpMessageHelpAdmin=This text will appear above the message input area of the user. -ExtraFieldsTicket=Extra attributes -TicketCkEditorEmailNotActivated=HTML editor is not activated. Please put FCKEDITOR_ENABLE_MAIL content to 1 to get it. -TicketsDisableEmail=Do not send emails for ticket creation or message recording -TicketsDisableEmailHelp=By default, emails are sent when new tickets or messages created. Enable this option to disable *all* email notifications -TicketsLogEnableEmail=Enable log by email -TicketsLogEnableEmailHelp=At each change, an email will be sent **to each contact** associated with the ticket. -TicketParams=Params -TicketsShowModuleLogo=Display the logo of the module in the public interface -TicketsShowModuleLogoHelp=Enable this option to hide the logo module in the pages of the public interface -TicketsShowCompanyLogo=Display the logo of the company in the public interface -TicketsShowCompanyLogoHelp=Enable this option to hide the logo of the main company in the pages of the public interface -TicketsEmailAlsoSendToMainAddress=Also send a notification to the main email address -TicketsEmailAlsoSendToMainAddressHelp=Enable this option to also send an email to the address defined into setup "%s" (see tab "%s") -TicketsLimitViewAssignedOnly=Restrict the display to tickets assigned to the current user (not effective for external users, always be limited to the third party they depend on) -TicketsLimitViewAssignedOnlyHelp=Only tickets assigned to the current user will be visible. Does not apply to a user with tickets management rights. -TicketsActivatePublicInterface=Activate public interface -TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create tickets. -TicketsAutoAssignTicket=Automatically assign the user who created the ticket -TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket. -TicketNumberingModules=Tickets numbering module -TicketsModelModule=Document templates for tickets -TicketNotifyTiersAtCreation=Notify third party at creation -TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface -TicketsPublicNotificationNewMessage=Send email(s) when a new message/comment is added to a ticket -TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) -TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) -TicketPublicNotificationNewMessageDefaultEmailHelp=Send an email to this address for each new message notifications if the ticket doesn't have a user assigned to it or if the user doesn't have any known email. +TicketPublicAccess=Një ndërfaqe publike që nuk kërkon identifikim është e disponueshme në url-në e mëposhtme +TicketSetupDictionaries=Lloji i biletës, ashpërsia dhe kodet analitike janë të konfigurueshme nga fjalorët +TicketParamModule=Konfigurimi i variablit të modulit +TicketParamMail=Konfigurimi i emailit +TicketEmailNotificationFrom=Dërgoni e-mail për njoftim mbi përgjigjet +TicketEmailNotificationFromHelp=Dërguesi e-mail për t'u përdorur për të dërguar emailin e njoftimit kur një përgjigje jepet brenda zyrës së pasme. Për shembull noreply@example.com +TicketEmailNotificationTo=Njoftoni krijimin e biletave në këtë adresë e-mail +TicketEmailNotificationToHelp=Nëse është e pranishme, kjo adresë e-mail do të njoftohet për krijimin e një bilete +TicketNewEmailBodyLabel=Mesazhi me tekst u dërgua pas krijimit të një bilete +TicketNewEmailBodyHelp=Teksti i specifikuar këtu do të futet në email që konfirmon krijimin e një bilete të re nga ndërfaqja publike. Informacioni mbi konsultimin e biletës shtohet automatikisht. +TicketParamPublicInterface=Konfigurimi i ndërfaqes publike +TicketsEmailMustExist=Kërkoni një adresë ekzistuese emaili për të krijuar një biletë +TicketsEmailMustExistHelp=Në ndërfaqen publike, adresa e emailit duhet të plotësohet tashmë në bazën e të dhënave për të krijuar një biletë të re. +TicketsShowProgression=Shfaq përparimin e biletës në ndërfaqen publike +TicketsShowProgressionHelp=Aktivizo këtë opsion për të fshehur përparimin e biletës në faqet e ndërfaqes publike +TicketCreateThirdPartyWithContactIfNotExist=Pyetni emrin dhe emrin e kompanisë për email të panjohur. +TicketCreateThirdPartyWithContactIfNotExistHelp=Kontrolloni nëse ekziston një palë e tretë ose një kontakt për emailin e futur. Nëse jo, kërkoni një emër dhe një emër kompanie për të krijuar një palë të tretë me kontakt. +PublicInterface=Ndërfaqja publike +TicketUrlPublicInterfaceLabelAdmin=URL alternative për ndërfaqen publike +TicketUrlPublicInterfaceHelpAdmin=Është e mundur të përcaktohet një pseudonim në serverin e uebit dhe kështu të vihet në dispozicion ndërfaqja publike me një URL tjetër (serveri duhet të veprojë si një përfaqësues në këtë URL të re) +TicketPublicInterfaceTextHomeLabelAdmin=Teksti i mirëseardhjes i ndërfaqes publike +TicketPublicInterfaceTextHome=Mund të krijoni një biletë mbështetëse ose të shikoni ekzistuesen nga bileta e saj e ndjekjes së identifikuesit. +TicketPublicInterfaceTextHomeHelpAdmin=Teksti i përcaktuar këtu do të shfaqet në faqen kryesore të ndërfaqes publike. +TicketPublicInterfaceTopicLabelAdmin=Titulli i ndërfaqes +TicketPublicInterfaceTopicHelp=Ky tekst do të shfaqet si titulli i ndërfaqes publike. +TicketPublicInterfaceTextHelpMessageLabelAdmin=Teksti i ndihmës në hyrjen e mesazhit +TicketPublicInterfaceTextHelpMessageHelpAdmin=Ky tekst do të shfaqet mbi zonën e hyrjes së mesazhit të përdoruesit. +ExtraFieldsTicket=Atribute shtesë +TicketCkEditorEmailNotActivated=Redaktori HTML nuk është i aktivizuar. Ju lutemi vendosni përmbajtjen FCKEDITOR_ENABLE_MAIL në 1 për ta marrë atë. +TicketsDisableEmail=Mos dërgoni email për krijimin e biletave ose regjistrimin e mesazheve +TicketsDisableEmailHelp=Si parazgjedhje, emailet dërgohen kur krijohen bileta ose mesazhe të reja. Aktivizoni këtë opsion për të çaktivizuar *të gjitha* njoftimet me email +TicketsLogEnableEmail=Aktivizo regjistrin me email +TicketsLogEnableEmailHelp=Në çdo ndryshim, një email do t'i dërgohet **çdo kontakti** të lidhur me biletën. +TicketParams=Paramet +TicketsShowModuleLogo=Shfaq logon e modulit në ndërfaqen publike +TicketsShowModuleLogoHelp=Aktivizoni këtë opsion për të fshehur modulin e logos në faqet e ndërfaqes publike +TicketsShowCompanyLogo=Shfaq logon e kompanisë në ndërfaqen publike +TicketsShowCompanyLogoHelp=Aktivizo këtë opsion për të shfaqur logon e kompanisë kryesore në faqet e ndërfaqes publike +TicketsShowCompanyFooter=Shfaqni fundin e kompanisë në ndërfaqen publike +TicketsShowCompanyFooterHelp=Aktivizo këtë opsion për të shfaqur fundin e kompanisë kryesore në faqet e ndërfaqes publike +TicketsEmailAlsoSendToMainAddress=Gjithashtu dërgoni një njoftim në adresën kryesore të emailit +TicketsEmailAlsoSendToMainAddressHelp=Aktivizo këtë opsion për të dërguar gjithashtu një email në adresën e përcaktuar në konfigurimin "%s" (shih skedën "%s") +TicketsLimitViewAssignedOnly=Kufizoni shfaqjen në biletat e caktuara për përdoruesit aktual (jo efektive për përdoruesit e jashtëm, kufizohuni gjithmonë tek pala e tretë nga e cila ata varen) +TicketsLimitViewAssignedOnlyHelp=Vetëm biletat e caktuara për përdoruesin aktual do të jenë të dukshme. Nuk zbatohet për një përdorues me të drejta të menaxhimit të biletave. +TicketsActivatePublicInterface=Aktivizo ndërfaqen publike +TicketsActivatePublicInterfaceHelp=Ndërfaqja publike lejon çdo vizitor të krijojë bileta. +TicketsAutoAssignTicket=Cakto automatikisht përdoruesin që krijoi biletën +TicketsAutoAssignTicketHelp=Kur krijoni një biletë, përdoruesi mund të caktohet automatikisht në biletë. +TicketNumberingModules=Moduli i numërimit të biletave +TicketsModelModule=Modelet e dokumenteve për biletat +TicketNotifyTiersAtCreation=Njoftoni palën e tretë në krijimin +TicketsDisableCustomerEmail=Gjithmonë çaktivizoni emailet kur krijohet një biletë nga ndërfaqja publike +TicketsPublicNotificationNewMessage=Dërgo email(et) kur një mesazh/koment i ri shtohet në një biletë +TicketsPublicNotificationNewMessageHelp=Dërgo email(et) kur shtohet një mesazh i ri nga ndërfaqja publike (për përdoruesin e caktuar ose emailin e njoftimeve në (përditësim) dhe/ose emailin e njoftimeve te) +TicketPublicNotificationNewMessageDefaultEmail=Njoftimet me email në (përditësim) +TicketPublicNotificationNewMessageDefaultEmailHelp=Dërgoni një email në këtë adresë për çdo njoftim të mesazhit të ri nëse bileta nuk ka një përdorues të caktuar për të ose nëse përdoruesi nuk ka ndonjë email të njohur. +TicketsAutoReadTicket=Shëno automatikisht biletën si të lexuar (kur krijohet nga zyra e pasme) +TicketsAutoReadTicketHelp=Shënoni automatikisht biletën si të lexuar kur krijohet nga zyra e pasme. Kur bileta krijohet nga ndërfaqja publike, bileta mbetet me statusin "Nuk është lexuar". +TicketsDelayBeforeFirstAnswer=Një biletë e re duhet të marrë një përgjigje të parë përpara (orës): +TicketsDelayBeforeFirstAnswerHelp=Nëse një biletë e re nuk ka marrë përgjigje pas kësaj periudhe kohore (në orë), një ikonë paralajmëruese e rëndësishme do të shfaqet në pamjen e listës. +TicketsDelayBetweenAnswers=Një biletë e pazgjidhur nuk duhet të jetë joaktive gjatë (orëve): +TicketsDelayBetweenAnswersHelp=Nëse një biletë e pazgjidhur që ka marrë tashmë një përgjigje nuk ka pasur ndërveprim të mëtejshëm pas kësaj periudhe kohore (në orë), një ikonë paralajmëruese do të shfaqet në pamjen e listës. +TicketsAutoNotifyClose=Njoftoni automatikisht palën e tretë kur mbyllni një biletë +TicketsAutoNotifyCloseHelp=Kur mbyllni një biletë, do t'ju propozohet të dërgoni një mesazh tek një nga kontaktet e palëve të treta. Me mbylljen masive, një mesazh do t'i dërgohet një kontakti të palës së tretë të lidhur me biletën. +TicketWrongContact=Kontakti i dhënë nuk është pjesë e kontakteve aktuale të biletave. Email nuk u dërgua. +TicketChooseProductCategory=Kategoria e produktit për mbështetjen e biletave +TicketChooseProductCategoryHelp=Zgjidhni kategorinë e produktit të mbështetjes së biletave. Kjo do të përdoret për të lidhur automatikisht një kontratë me një biletë. +TicketUseCaptchaCode=Përdorni kodin grafik (CAPTCHA) kur krijoni një biletë +TicketUseCaptchaCodeHelp=Shton verifikimin CAPTCHA kur krijon një biletë të re. +TicketsAllowClassificationModificationIfClosed=Lejoni të modifikoni klasifikimin e biletave të mbyllura +TicketsAllowClassificationModificationIfClosedHelp=Lejoni të modifikoni klasifikimin (lloji, grupi i biletave, ashpërsia) edhe nëse biletat janë të mbyllura. + # # Index & list page # -TicketsIndex=Tickets area -TicketList=List of tickets -TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user -NoTicketsFound=No ticket found -NoUnreadTicketsFound=No unread ticket found -TicketViewAllTickets=View all tickets -TicketViewNonClosedOnly=View only open tickets -TicketStatByStatus=Tickets by status -OrderByDateAsc=Sort by ascending date -OrderByDateDesc=Sort by descending date -ShowAsConversation=Show as conversation list -MessageListViewType=Show as table list +TicketsIndex=Zona e biletave +TicketList=Lista e biletave +TicketAssignedToMeInfos=Kjo faqe shfaq listën e biletave të krijuar nga ose të caktuar për përdoruesin aktual +NoTicketsFound=Nuk u gjet asnjë biletë +NoUnreadTicketsFound=Nuk u gjet asnjë biletë e palexuar +TicketViewAllTickets=Shikoni të gjitha biletat +TicketViewNonClosedOnly=Shikoni vetëm biletat e hapura +TicketStatByStatus=Biletat sipas statusit +OrderByDateAsc=Rendit sipas datës në rritje +OrderByDateDesc=Rendit sipas datës zbritëse +ShowAsConversation=Shfaq si listë bisedash +MessageListViewType=Shfaq si listë tabele +ConfirmMassTicketClosingSendEmail=Dërgoni automatikisht email kur mbyllni biletat +ConfirmMassTicketClosingSendEmailQuestion=Dëshironi të njoftoni palët e treta kur mbyllni këto bileta? # # Ticket card # -Ticket=Ticket -TicketCard=Ticket card -CreateTicket=Create ticket -EditTicket=Edit ticket -TicketsManagement=Tickets Management -CreatedBy=Created by -NewTicket=New Ticket -SubjectAnswerToTicket=Ticket answer -TicketTypeRequest=Request type -TicketCategory=Ticket categorization -SeeTicket=See ticket -TicketMarkedAsRead=Ticket has been marked as read -TicketReadOn=Read on -TicketCloseOn=Closing date -MarkAsRead=Mark ticket as read -TicketHistory=Ticket history -AssignUser=Assign to user -TicketAssigned=Ticket is now assigned -TicketChangeType=Change type -TicketChangeCategory=Change analytic code -TicketChangeSeverity=Change severity -TicketAddMessage=Add a message -AddMessage=Add a message -MessageSuccessfullyAdded=Ticket added -TicketMessageSuccessfullyAdded=Message successfully added -TicketMessagesList=Message list -NoMsgForThisTicket=No message for this ticket -TicketProperties=Classification -LatestNewTickets=Latest %s newest tickets (not read) -TicketSeverity=Severity -ShowTicket=See ticket -RelatedTickets=Related tickets -TicketAddIntervention=Create intervention -CloseTicket=Close|Solve ticket -AbandonTicket=Abandon ticket -CloseATicket=Close|Solve a ticket -ConfirmCloseAticket=Confirm ticket closing -ConfirmAbandonTicket=Do you confirm the closing of the ticket to status 'Abandonned' -ConfirmDeleteTicket=Please confirm ticket deleting -TicketDeletedSuccess=Ticket deleted with success -TicketMarkedAsClosed=Ticket marked as closed -TicketDurationAuto=Calculated duration -TicketDurationAutoInfos=Duration calculated automatically from intervention related -TicketUpdated=Ticket updated -SendMessageByEmail=Send message by email -TicketNewMessage=New message -ErrorMailRecipientIsEmptyForSendTicketMessage=Recipient is empty. No email send -TicketGoIntoContactTab=Please go into "Contacts" tab to select them -TicketMessageMailIntro=Introduction -TicketMessageMailIntroHelp=This text is added only at the beginning of the email and will not be saved. -TicketMessageMailIntroLabelAdmin=Introduction to the message when sending email -TicketMessageMailIntroText=Hello,
      A new response was sent on a ticket that you contact. Here is the message:
      -TicketMessageMailIntroHelpAdmin=This text will be inserted before the text of the response to a ticket. -TicketMessageMailSignature=Signature -TicketMessageMailSignatureHelp=This text is added only at the end of the email and will not be saved. -TicketMessageMailSignatureText=

      Sincerely,

      --

      -TicketMessageMailSignatureLabelAdmin=Signature of response email -TicketMessageMailSignatureHelpAdmin=This text will be inserted after the response message. -TicketMessageHelp=Only this text will be saved in the message list on ticket card. -TicketMessageSubstitutionReplacedByGenericValues=Substitutions variables are replaced by generic values. -TimeElapsedSince=Time elapsed since -TicketTimeToRead=Time elapsed before read -TicketTimeElapsedBeforeSince=Time elapsed before / since -TicketContacts=Contacts ticket -TicketDocumentsLinked=Documents linked to ticket -ConfirmReOpenTicket=Confirm reopen this ticket ? -TicketMessageMailIntroAutoNewPublicMessage=A new message was posted on the ticket with the subject %s: -TicketAssignedToYou=Ticket assigned -TicketAssignedEmailBody=You have been assigned the ticket #%s by %s -MarkMessageAsPrivate=Mark message as private -TicketMessagePrivateHelp=This message will not display to external users -TicketEmailOriginIssuer=Issuer at origin of the tickets -InitialMessage=Initial Message -LinkToAContract=Link to a contract -TicketPleaseSelectAContract=Select a contract -UnableToCreateInterIfNoSocid=Can not create an intervention when no third party is defined -TicketMailExchanges=Mail exchanges -TicketInitialMessageModified=Initial message modified -TicketMessageSuccesfullyUpdated=Message successfully updated -TicketChangeStatus=Change status -TicketConfirmChangeStatus=Confirm the status change: %s ? -TicketLogStatusChanged=Status changed: %s to %s -TicketNotNotifyTiersAtCreate=Not notify company at create -Unread=Unread -TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface. -ErrorTicketRefRequired=Ticket reference name is required +Ticket=Biletë +TicketCard=Karta e biletës +CreateTicket=Krijo biletë +EditTicket=Redakto biletën +TicketsManagement=Menaxhimi i biletave +CreatedBy=Krijuar nga +NewTicket=Biletë e re +SubjectAnswerToTicket=Përgjigja e biletës +TicketTypeRequest=Lloji i kërkesës +TicketCategory=Grupi i biletave +SeeTicket=Shihni biletën +TicketMarkedAsRead=Bileta është shënuar si e lexuar +TicketReadOn=Lexo +TicketCloseOn=Data e mbylljes +MarkAsRead=Shënoni biletën si të lexuar +TicketHistory=Historia e biletave +AssignUser=Cakto tek përdoruesi +TicketAssigned=Bileta tani është caktuar +TicketChangeType=Ndrysho llojin +TicketChangeCategory=Ndryshoni kodin analitik +TicketChangeSeverity=Ndryshoni ashpërsinë +TicketAddMessage=Shtoni ose dërgoni një mesazh +TicketAddPrivateMessage=Shto një mesazh privat +MessageSuccessfullyAdded=Bileta u shtua +TicketMessageSuccessfullyAdded=Mesazhi u shtua me sukses +TicketMessagesList=Lista e mesazheve +NoMsgForThisTicket=Asnjë mesazh për këtë biletë +TicketProperties=Klasifikimi +LatestNewTickets=Biletat e fundit %s më të reja (të palexuara) +TicketSeverity=Ashpërsia +ShowTicket=Shihni biletën +RelatedTickets=Bileta të ngjashme +TicketAddIntervention=Krijo ndërhyrje +CloseTicket=Mbyll|Zgjidh +AbandonTicket=Braktis +CloseATicket=Mbyll|Zgjidh një biletë +ConfirmCloseAticket=Konfirmo mbylljen e biletës +ConfirmAbandonTicket=A e konfirmoni mbylljen e biletës në statusin 'I braktisur' +ConfirmDeleteTicket=Ju lutemi konfirmoni fshirjen e biletës +TicketDeletedSuccess=Bileta u fshi me sukses +TicketMarkedAsClosed=Bileta e shënuar si e mbyllur +TicketDurationAuto=Kohëzgjatja e llogaritur +TicketDurationAutoInfos=Kohëzgjatja e llogaritur automatikisht nga ndërhyrja që lidhet +TicketUpdated=Bileta u përditësua +SendMessageByEmail=Dërgo mesazh me email +TicketNewMessage=Mesazh i ri +ErrorMailRecipientIsEmptyForSendTicketMessage=Marrësi është bosh. Asnjë email dërgesë +TicketGoIntoContactTab=Ju lutemi, shkoni te skeda "Kontaktet" për t'i zgjedhur ato +TicketMessageMailIntro=Kreu i mesazhit +TicketMessageMailIntroHelp=Ky tekst shtohet vetëm në fillim të emailit dhe nuk do të ruhet. +TicketMessageMailIntroText=Përshëndetje,
      Një përgjigje e re është shtuar në një biletë që ju ndiqni. Këtu është mesazhi:
      +TicketMessageMailIntroHelpAdmin=Ky tekst do të futet përpara përgjigjes kur i përgjigjeni një bilete nga Dolibarr +TicketMessageMailFooter=Fundi i mesazhit +TicketMessageMailFooterHelp=Ky tekst shtohet vetëm në fund të mesazhit të dërguar me email dhe nuk do të ruhet. +TicketMessageMailFooterText=Mesazh i dërguar nga %s nëpërmjet +TicketMessageMailFooterHelpAdmin=Ky tekst do të futet pas mesazhit të përgjigjes. +TicketMessageHelp=Vetëm ky tekst do të ruhet në listën e mesazheve në kartën e biletës. +TicketMessageSubstitutionReplacedByGenericValues=Variablat e zëvendësimeve zëvendësohen me vlera gjenerike. +ForEmailMessageWillBeCompletedWith=Për mesazhet e postës elektronike të dërguara përdoruesve të jashtëm, mesazhi do të plotësohet me +TimeElapsedSince=Koha ka kaluar që nga ajo kohë +TicketTimeToRead=Koha e kaluar para leximit +TicketTimeElapsedBeforeSince=Koha e kaluar para / që nga viti +TicketContacts=Bileta e kontakteve +TicketDocumentsLinked=Dokumentet e lidhura me biletën +ConfirmReOpenTicket=Konfirmoni rihapjen e kësaj bilete? +TicketMessageMailIntroAutoNewPublicMessage=Një mesazh i ri u postua në biletë me temën %s: +TicketAssignedToYou=Bileta e caktuar +TicketAssignedEmailBody=Juve ju është caktuar bileta #%s nga %s +TicketAssignedCustomerEmail=Bileta juaj është caktuar për përpunim. +TicketAssignedCustomerBody=Ky është një email automatik për të konfirmuar që bileta juaj është caktuar për përpunim. +MarkMessageAsPrivate=Shëno mesazhin si privat +TicketMessageSendEmailHelp=Një email do t'i dërgohet të gjithë kontaktit të caktuar +TicketMessageSendEmailHelp2a=(kontaktet e brendshme, por edhe kontaktet e jashtme, përveç nëse është zgjedhur opsioni "%s") +TicketMessageSendEmailHelp2b=(kontaktet e brendshme, por edhe kontaktet e jashtme) +TicketMessagePrivateHelp=Ky mesazh nuk do të jetë i dukshëm për përdoruesit e jashtëm +TicketMessageRecipientsHelp=Fusha e marrësit e plotësuar me kontakte aktive të lidhura me biletën +TicketEmailOriginIssuer=Lëshuesi në origjinë të biletave +InitialMessage=Mesazhi fillestar +LinkToAContract=Lidhja me një kontratë +TicketPleaseSelectAContract=Zgjidhni një kontratë +UnableToCreateInterIfNoSocid=Nuk mund të krijohet një ndërhyrje kur nuk është përcaktuar asnjë palë e tretë +TicketMailExchanges=Shkëmbimet e postës +TicketInitialMessageModified=Mesazhi fillestar u modifikua +TicketMessageSuccesfullyUpdated=Mesazhi u përditësua me sukses +TicketChangeStatus=Ndrysho statusin +TicketConfirmChangeStatus=Konfirmo ndryshimin e statusit: %s ? +TicketLogStatusChanged=Statusi u ndryshua: %s në %s +TicketNotNotifyTiersAtCreate=Mos e njoftoni kompaninë në krijimin +NotifyThirdpartyOnTicketClosing=Kontaktet për të njoftuar gjatë mbylljes së biletës +TicketNotifyAllTiersAtClose=Të gjitha kontaktet e lidhura +TicketNotNotifyTiersAtClose=Asnjë kontakt i lidhur +Unread=Të palexuara +TicketNotCreatedFromPublicInterface=I padisponueshem. Bileta nuk u krijua nga ndërfaqja publike. +ErrorTicketRefRequired=Kërkohet emri i referencës së biletës +TicketsDelayForFirstResponseTooLong=Ka kaluar shumë kohë që nga hapja e biletës pa asnjë përgjigje. +TicketsDelayFromLastResponseTooLong=Ka kaluar shumë kohë nga përgjigja e fundit në këtë biletë. +TicketNoContractFoundToLink=Nuk u gjet asnjë kontratë që të lidhej automatikisht me këtë biletë. Lidhni një kontratë manualisht. +TicketManyContractsLinked=Shumë kontrata janë lidhur automatikisht me këtë biletë. Sigurohuni që të verifikoni se cila duhet të zgjidhet. +TicketRefAlreadyUsed=Referenca [%s] është përdorur tashmë, referenca juaj e re është [%s] # # Logs # -TicketLogMesgReadBy=Ticket %s read by %s -NoLogForThisTicket=No log for this ticket yet -TicketLogAssignedTo=Ticket %s assigned to %s -TicketLogPropertyChanged=Ticket %s modified: classification from %s to %s -TicketLogClosedBy=Ticket %s closed by %s -TicketLogReopen=Ticket %s re-open +TicketLogMesgReadBy=Bileta %s e lexuar nga %s +NoLogForThisTicket=Nuk ka ende regjistër për këtë biletë +TicketLogAssignedTo=Bileta %s i caktuar për %s +TicketLogPropertyChanged=Bileta %s u modifikua: klasifikimi nga %s në %s +TicketLogClosedBy=Bileta %s u mbyll nga %s +TicketLogReopen=Bileta %s rihapet # # Public pages # -TicketSystem=Ticket system -ShowListTicketWithTrackId=Display ticket list from track ID -ShowTicketWithTrackId=Display ticket from track ID -TicketPublicDesc=You can create a support ticket or check from an existing ID. -YourTicketSuccessfullySaved=Ticket has been successfully saved! -MesgInfosPublicTicketCreatedWithTrackId=A new ticket has been created with ID %s and Ref %s. -PleaseRememberThisId=Please keep the tracking number that we might ask you later. -TicketNewEmailSubject=Ticket creation confirmation - Ref %s (public ticket ID %s) -TicketNewEmailSubjectCustomer=New support ticket -TicketNewEmailBody=This is an automatic email to confirm you have registered a new ticket. -TicketNewEmailBodyCustomer=This is an automatic email to confirm a new ticket has just been created into your account. -TicketNewEmailBodyInfosTicket=Information for monitoring the ticket -TicketNewEmailBodyInfosTrackId=Ticket tracking number: %s -TicketNewEmailBodyInfosTrackUrl=You can view the progress of the ticket by clicking the link above. -TicketNewEmailBodyInfosTrackUrlCustomer=You can view the progress of the ticket in the specific interface by clicking the following link -TicketEmailPleaseDoNotReplyToThisEmail=Please do not reply directly to this email! Use the link to reply into the interface. -TicketPublicInfoCreateTicket=This form allows you to record a support ticket in our management system. -TicketPublicPleaseBeAccuratelyDescribe=Please accurately describe the problem. Provide the most information possible to allow us to correctly identify your request. -TicketPublicMsgViewLogIn=Please enter ticket tracking ID -TicketTrackId=Public Tracking ID -OneOfTicketTrackId=One of your tracking ID -ErrorTicketNotFound=Ticket with tracking ID %s not found! -Subject=Subject -ViewTicket=View ticket -ViewMyTicketList=View my ticket list -ErrorEmailMustExistToCreateTicket=Error: email address not found in our database -TicketNewEmailSubjectAdmin=New ticket created - Ref %s (public ticket ID %s) -TicketNewEmailBodyAdmin=

      Ticket has just been created with ID #%s, see information:

      -SeeThisTicketIntomanagementInterface=See ticket in management interface -TicketPublicInterfaceForbidden=The public interface for the tickets was not enabled -ErrorEmailOrTrackingInvalid=Bad value for tracking ID or email -OldUser=Old user +TicketSystem=Sistemi i biletave +ShowListTicketWithTrackId=Shfaq listën e biletave nga ID-ja e pista +ShowTicketWithTrackId=Shfaq biletën nga ID-ja e pista +TicketPublicDesc=Mund të krijoni një biletë mbështetëse ose kontrolloni nga një ID ekzistuese. +YourTicketSuccessfullySaved=Bileta është ruajtur me sukses! +MesgInfosPublicTicketCreatedWithTrackId=Një biletë e re është krijuar me ID %s dhe Ref %s. +PleaseRememberThisId=Ju lutemi mbani numrin e përcjelljes që mund t'ju kërkojmë më vonë. +TicketNewEmailSubject=Konfirmimi i krijimit të biletës - Ref %s (ID-ja e biletës publike %s) +TicketNewEmailSubjectCustomer=Biletë e re mbështetëse +TicketNewEmailBody=Ky është një email automatik për të konfirmuar se keni regjistruar një biletë të re. +TicketNewEmailBodyCustomer=Ky është një email automatik për të konfirmuar se një biletë e re sapo është krijuar në llogarinë tuaj. +TicketNewEmailBodyInfosTicket=Informacion për monitorimin e biletës +TicketNewEmailBodyInfosTrackId=Numri i ndjekjes së biletës: %s +TicketNewEmailBodyInfosTrackUrl=Ecurinë e biletës mund ta shikoni duke klikuar linkun e mëposhtëm +TicketNewEmailBodyInfosTrackUrlCustomer=Ju mund të shikoni ecurinë e biletës në ndërfaqen specifike duke klikuar lidhjen e mëposhtme +TicketCloseEmailBodyInfosTrackUrlCustomer=Ju mund të konsultoni historinë e kësaj bilete duke klikuar lidhjen e mëposhtme +TicketEmailPleaseDoNotReplyToThisEmail=Ju lutemi, mos iu përgjigj direkt këtij emaili! Përdorni lidhjen për t'iu përgjigjur ndërfaqes. +TicketPublicInfoCreateTicket=Ky formular ju lejon të regjistroni një biletë mbështetëse në sistemin tonë të menaxhimit. +TicketPublicPleaseBeAccuratelyDescribe=Ju lutemi përshkruani me saktësi kërkesën tuaj. Jepni sa më shumë informacion të mundshëm për të na lejuar të identifikojmë saktë kërkesën tuaj. +TicketPublicMsgViewLogIn=Ju lutemi shkruani ID-në e gjurmimit të biletës +TicketTrackId=ID-ja e ndjekjes publike +OneOfTicketTrackId=Një nga ID-të tuaja të gjurmimit +ErrorTicketNotFound=Bileta me ID-në gjurmuese %s nuk u gjet! +Subject=Subjekti +ViewTicket=Shiko biletën +ViewMyTicketList=Shikoni listën time të biletave +ErrorEmailMustExistToCreateTicket=Gabim: adresa e emailit nuk u gjet në bazën tonë të të dhënave +TicketNewEmailSubjectAdmin=Bileta e re u krijua - Ref %s (ID-ja e biletës publike %s) +TicketNewEmailBodyAdmin=

      Bileta sapo është krijuar me ID #%s, shiko informacionin:b0679c9z3a6a64 > +SeeThisTicketIntomanagementInterface=Shihni biletën në ndërfaqen e menaxhimit +TicketPublicInterfaceForbidden=Ndërfaqja publike për biletat nuk u aktivizua +ErrorEmailOrTrackingInvalid=Vlera e keqe për ndjekjen e ID-së ose emailit +OldUser=Përdorues i vjetër NewUser=Përdorues i ri -NumberOfTicketsByMonth=Number of tickets per month -NbOfTickets=Number of tickets -# notifications -TicketNotificationEmailSubject=Ticket %s updated -TicketNotificationEmailBody=This is an automatic message to notify you that ticket %s has just been updated -TicketNotificationRecipient=Notification recipient -TicketNotificationLogMessage=Log message -TicketNotificationEmailBodyInfosTrackUrlinternal=View ticket into interface -TicketNotificationNumberEmailSent=Notification email sent: %s +NumberOfTicketsByMonth=Numri i biletave në muaj +NbOfTickets=Numri i biletave +ExternalContributors=Kontribues të jashtëm +AddContributor=Shto një kontribues të jashtëm -ActionsOnTicket=Events on ticket +# notifications +TicketCloseEmailSubjectCustomer=Bileta e mbyllur +TicketCloseEmailBodyCustomer=Ky është një mesazh automatik për t'ju njoftuar se bileta %s sapo është mbyllur. +TicketCloseEmailSubjectAdmin=Bileta e mbyllur - Réf %s (ID-ja e biletës publike %s) +TicketCloseEmailBodyAdmin=Një biletë me ID #%s sapo është mbyllur, shikoni informacionin: +TicketNotificationEmailSubject=Bileta %s u përditësua +TicketNotificationEmailBody=Ky është një mesazh automatik për t'ju njoftuar se bileta %s sapo është përditësuar +TicketNotificationRecipient=Marrësi i njoftimit +TicketNotificationLogMessage=Mesazh i regjistrit +TicketNotificationEmailBodyInfosTrackUrlinternal=Shikoni biletën në ndërfaqe +TicketNotificationNumberEmailSent=Email njoftimi u dërgua: %s + +ActionsOnTicket=Ngjarjet në biletë # # Boxes # -BoxLastTicket=Latest created tickets -BoxLastTicketDescription=Latest %s created tickets +BoxLastTicket=Biletat e krijuara më së fundi +BoxLastTicketDescription=Biletat e fundit të krijuara %s BoxLastTicketContent= -BoxLastTicketNoRecordedTickets=No recent unread tickets -BoxLastModifiedTicket=Latest modified tickets -BoxLastModifiedTicketDescription=Latest %s modified tickets +BoxLastTicketNoRecordedTickets=Nuk ka bileta të palexuara së fundi +BoxLastModifiedTicket=Biletat e modifikuara më të fundit +BoxLastModifiedTicketDescription=Biletat e fundit të modifikuara %s BoxLastModifiedTicketContent= -BoxLastModifiedTicketNoRecordedTickets=No recent modified tickets -BoxTicketType=Distribution of open tickets by type -BoxTicketSeverity=Number of open tickets by severity -BoxNoTicketSeverity=No tickets opened -BoxTicketLastXDays=Number of new tickets by days the last %s days -BoxTicketLastXDayswidget = Number of new tickets by days the last X days -BoxNoTicketLastXDays=No new tickets the last %s days -BoxNumberOfTicketByDay=Number of new tickets by day -BoxNewTicketVSClose=Number of tickets versus closed tickets (today) -TicketCreatedToday=Ticket created today -TicketClosedToday=Ticket closed today -KMFoundForTicketGroup=We found topics and FAQs that may answers your question, thanks to check them before submitting the ticket +BoxLastModifiedTicketNoRecordedTickets=Nuk ka bileta të modifikuara së fundi +BoxTicketType=Shpërndarja e biletave të hapura sipas llojit +BoxTicketSeverity=Numri i biletave të hapura sipas ashpërsisë +BoxNoTicketSeverity=Asnjë biletë nuk u hap +BoxTicketLastXDays=Numri i biletave të reja sipas ditëve %s ditët e fundit +BoxTicketLastXDayswidget = Numri i biletave të reja sipas ditëve X ditët e fundit +BoxNoTicketLastXDays=Nuk ka bileta të reja %s ditët e fundit +BoxNumberOfTicketByDay=Numri i biletave të reja në ditë +BoxNewTicketVSClose=Numri i biletave kundrejt biletave të mbyllura (sot) +TicketCreatedToday=Bileta u krijua sot +TicketClosedToday=Bileta u mbyll sot +KMFoundForTicketGroup=Ne gjetëm tema dhe FAQ që mund t'i përgjigjen pyetjes suaj, falë kontrollimit të tyre përpara se të dorëzoni biletën diff --git a/htdocs/langs/sq_AL/trips.lang b/htdocs/langs/sq_AL/trips.lang index 110c6af753d..dfe74dc5b1d 100644 --- a/htdocs/langs/sq_AL/trips.lang +++ b/htdocs/langs/sq_AL/trips.lang @@ -1,150 +1,152 @@ # Dolibarr language file - Source file is en_US - trips -ShowExpenseReport=Show expense report -Trips=Expense reports -TripsAndExpenses=Expenses reports -TripsAndExpensesStatistics=Expense reports statistics -TripCard=Expense report card -AddTrip=Create expense report -ListOfTrips=List of expense reports -ListOfFees=List of fees -TypeFees=Types of fees -ShowTrip=Show expense report -NewTrip=New expense report -LastExpenseReports=Latest %s expense reports -AllExpenseReports=All expense reports -CompanyVisited=Company/organization visited -FeesKilometersOrAmout=Amount or kilometers -DeleteTrip=Delete expense report -ConfirmDeleteTrip=Are you sure you want to delete this expense report? -ListTripsAndExpenses=List of expense reports -ListToApprove=Waiting for approval -ExpensesArea=Expense reports area -ClassifyRefunded=Classify 'Refunded' -ExpenseReportWaitingForApproval=A new expense report has been submitted for approval -ExpenseReportWaitingForApprovalMessage=A new expense report has been submitted and is waiting for approval.
      - User: %s
      - Period: %s
      Click here to validate: %s -ExpenseReportWaitingForReApproval=An expense report has been submitted for re-approval -ExpenseReportWaitingForReApprovalMessage=An expense report has been submitted and is waiting for re-approval.
      The %s, you refused to approve the expense report for this reason: %s.
      A new version has been proposed and waiting for your approval.
      - User: %s
      - Period: %s
      Click here to validate: %s -ExpenseReportApproved=An expense report was approved -ExpenseReportApprovedMessage=The expense report %s was approved.
      - User: %s
      - Approved by: %s
      Click here to show the expense report: %s -ExpenseReportRefused=An expense report was refused -ExpenseReportRefusedMessage=The expense report %s was refused.
      - User: %s
      - Refused by: %s
      - Motive for refusal: %s
      Click here to show the expense report: %s -ExpenseReportCanceled=An expense report was canceled -ExpenseReportCanceledMessage=The expense report %s was canceled.
      - User: %s
      - Canceled by: %s
      - Motive for cancellation: %s
      Click here to show the expense report: %s -ExpenseReportPaid=An expense report was paid -ExpenseReportPaidMessage=The expense report %s was paid.
      - User: %s
      - Paid by: %s
      Click here to show the expense report: %s -TripId=Id expense report -AnyOtherInThisListCanValidate=Person to be informed for validating the request. -TripSociete=Information company -TripNDF=Informations expense report -PDFStandardExpenseReports=Standard template to generate a PDF document for expense report -ExpenseReportLine=Expense report line -TF_OTHER=Tjetër -TF_TRIP=Transport -TF_LUNCH=Lunch -TF_METRO=Metro -TF_TRAIN=Train -TF_BUS=Bus -TF_CAR=Car -TF_PEAGE=Toll -TF_ESSENCE=Fuel -TF_HOTEL=Hotel -TF_TAXI=Taxi -EX_KME=Mileage costs -EX_FUE=Fuel CV +AUTHOR=Regjistruar nga +AUTHORPAIEMENT=E paguar nga +AddTrip=Krijoni raportin e shpenzimeve +AllExpenseReport=Të gjitha llojet e raportit të shpenzimeve +AllExpenseReports=Të gjitha raportet e shpenzimeve +AnyOtherInThisListCanValidate=Personi që duhet të informohet për vërtetimin e kërkesës. +AttachTheNewLineToTheDocument=Bashkangjitni rreshtin në një dokument të ngarkuar +AucuneLigne=Ende nuk është deklaruar raporti i shpenzimeve +BrouillonnerTrip=Zhvendos raportin e shpenzimeve në statusin "Draft" +byEX_DAY=sipas ditës (kufizim në %s) +byEX_EXP=sipas rreshtit (kufizim në %s) +byEX_MON=sipas muajit (kufizim në %s) +byEX_YEA=sipas vitit (kufizim në %s) +CANCEL_USER=Fshirë nga +CarCategory=Kategoria e automjetit +ClassifyRefunded=Klasifiko 'të rimbursuara' +CompanyVisited=Kompania/organizata e vizituar +ConfirmBrouillonnerTrip=Jeni i sigurt që dëshironi ta zhvendosni këtë raport shpenzimesh në statusin "Draft"? +ConfirmCancelTrip=Je i sigurt që dëshiron ta anulosh këtë raport shpenzimesh? +ConfirmCloneExpenseReport=Jeni i sigurt që dëshironi të klononi këtë raport shpenzimesh? +ConfirmDeleteTrip=Je i sigurt që dëshiron ta fshish këtë raport shpenzimesh? +ConfirmPaidTrip=Jeni i sigurt që dëshironi të ndryshoni statusin e këtij raporti shpenzimesh në "të paguar"? +ConfirmRefuseTrip=Je i sigurt që dëshiron ta refuzosh këtë raport shpenzimesh? +ConfirmSaveTrip=Jeni i sigurt që dëshironi të vërtetoni këtë raport shpenzimesh? +ConfirmValideTrip=Jeni i sigurt që dëshironi të miratoni këtë raport shpenzimesh? +DATE_CANCEL=Data e anulimit +DATE_PAIEMENT=Data e pagesës +DATE_REFUS=Refuzo datën +DATE_SAVE=Data e verifikimit +DefaultCategoryCar=Mënyra e parazgjedhur e transportit +DefaultRangeNumber=Numri i diapazonit të parazgjedhur +DeleteTrip=Fshi raportin e shpenzimeve +ErrorDoubleDeclaration=Ju keni deklaruar një raport tjetër shpenzimi në një interval të ngjashëm datash. +Error_EXPENSEREPORT_ADDON_NotDefined=Gabim, rregulli për referencën e numërimit të raportit të shpenzimeve nuk ishte përcaktuar në konfigurimin e modulit "Raporti i shpenzimeve" +ExpenseRangeOffset=Shuma e kompensimit: %s +expenseReportCatDisabled=Kategoria e paaftë - shikoni fjalorin c_exp_tax_cat +expenseReportCoef=Koeficient +expenseReportCoefUndefined=(vlera nuk është përcaktuar) +expenseReportOffset=Kompensimi +expenseReportPrintExample=kompensimi + (d x koefi) = %s +expenseReportRangeDisabled=Gama e çaktivizuar - shikoni fjalorin c_exp_tax_range +expenseReportRangeFromTo=nga %d në %d +expenseReportRangeMoreThan=më shumë se %d +expenseReportTotalForFive=Shembull me d = 5 +ExpenseReportApplyTo=Aplikoni në +ExpenseReportApproved=U miratua një raport shpenzimesh +ExpenseReportApprovedMessage=Raporti i shpenzimeve %s u miratua.
      - Përdoruesi: %s
      - Miratuar nga: %s
      Kliko këtu për të shfaqur raportin e shpenzimeve span class='notranslate'>%s +ExpenseReportCanceled=Një raport shpenzimesh u anulua +ExpenseReportCanceledMessage=Raporti i shpenzimeve %s u anulua.
      - Përdoruesi: %s
      - Anuluar nga: %s
      - Motivi për anulim class=: 'notranslate'>%s
      Kliko këtu për të shfaqur raportin e shpenzimeve: %s +ExpenseReportConstraintViolationError=Shuma maksimale e tejkaluar (rregulli %s): %s është më i lartë se %s
      Tejkalimi i ndaluar) +ExpenseReportConstraintViolationWarning=Shuma maksimale e tejkaluar (rregulli %s): %s është më i lartë se %s Tejkalimi i autorizimit) +ExpenseReportDateEnd=Data e fundit +ExpenseReportDateStart=Data e fillimit +ExpenseReportDomain=Domain për të aplikuar +ExpenseReportIkDesc=Ju mund të modifikoni llogaritjen e shpenzimeve të kilometrave sipas kategorisë dhe diapazonit që ato janë përcaktuar më parë. d është distanca në kilometra +ExpenseReportLimitAmount=Shuma maksimale +ExpenseReportLimitOn=Kufizojeni +ExpenseReportLine=Linja e raportit të shpenzimeve +ExpenseReportPaid=U pagua një raport shpenzimesh +ExpenseReportPaidMessage=Raporti i shpenzimeve %s u pagua.
      - Përdoruesi: %s
      - Paguar nga: %s
      Kliko këtu për të shfaqur raportin e shpenzimeve: span class='notranslate'>%s +ExpenseReportPayment=Pagesa e raportit të shpenzimeve +ExpenseReportRef=Ref. raporti i shpenzimeve +ExpenseReportRefused=Një raport shpenzimesh u refuzua +ExpenseReportRefusedMessage=Raporti i shpenzimeve %s u refuzua.
      - Përdoruesi: %s class='notranslate'>
      - Refuzuar nga: %s
      - Motivi për refuzim: %s
      Kliko këtu për të shfaqur raportin e shpenzimeve: %s +ExpenseReportRestrictive=Tejkalimi i ndaluar +ExpenseReportRuleErrorOnSave=Gabim: %s +ExpenseReportRuleSave=Rregulli i raportit të shpenzimeve u ruajt +ExpenseReportRulesDesc=Ju mund të përcaktoni rregullat e shumës maksimale për raportet e shpenzimeve. Këto rregulla do të zbatohen kur një shpenzim i ri shtohet në një raport shpenzimesh +ExpenseReportWaitingForApproval=Një raport i ri i shpenzimeve është dorëzuar për miratim +ExpenseReportWaitingForApprovalMessage=Një raport i ri shpenzimesh është dorëzuar dhe është në pritje për miratim.
      - Përdoruesi: %s
      - Periudha: %s
      Kliko këtu për të vërtetuar: b0cb2ec87f49fz0
      Kliko këtu për të vërtetuar: %s +ExpenseReportsIk=Konfigurimi i tarifave për kilometrazhin +ExpenseReportsRules=Rregullat e raportit të shpenzimeve +ExpenseReportsToApprove=Raportet e shpenzimeve për të miratuar +ExpenseReportsToPay=Raportet e shpenzimeve për të paguar +ExpensesArea=Zona e raporteve të shpenzimeve +FeesKilometersOrAmout=Shuma ose kilometra +LastExpenseReports=Raportet më të fundit të shpenzimeve %s +ListOfFees=Lista e tarifave +ListOfTrips=Lista e raporteve të shpenzimeve +ListToApprove=Duke pritur për miratim +ListTripsAndExpenses=Lista e raporteve të shpenzimeve +MOTIF_CANCEL=Arsyeja +MOTIF_REFUS=Arsyeja +ModePaiement=Mënyra e pagesës +NewTrip=Raporti i ri i shpenzimeve +nolimitbyEX_DAY=me ditë (pa kufizim) +nolimitbyEX_EXP=sipas rreshtit (pa kufizim) +nolimitbyEX_MON=sipas muajit (pa kufizim) +nolimitbyEX_YEA=sipas vitit (pa kufizim) +NoTripsToExportCSV=Nuk ka raport shpenzimesh për eksport për këtë periudhë. +NOT_AUTHOR=Ju nuk jeni autori i këtij raporti të shpenzimeve. Operacioni u anulua. +OnExpense=Linja e shpenzimeve +PDFStandardExpenseReports=Model standard për të gjeneruar një dokument PDF për raportin e shpenzimeve +PaidTrip=Paguani një raport shpenzimesh +REFUSEUR=Mohuar nga +RangeIk=Gama e kilometrazhit +RangeNum=Gama %d +SaveTrip=Vërtetoni raportin e shpenzimeve +ShowExpenseReport=Trego raportin e shpenzimeve +ShowTrip=Trego raportin e shpenzimeve +TripCard=Karta e raportit të shpenzimeve +TripId=Raporti i shpenzimeve ID +TripNDF=Raporti i shpenzimeve të informacionit +TripSociete=Kompani informacioni +Trips=Raportet e shpenzimeve +TripsAndExpenses=Raportet e shpenzimeve +TripsAndExpensesStatistics=Statistikat e raporteve të shpenzimeve +TypeFees=Llojet e tarifave +UploadANewFileNow=Ngarko një dokument të ri tani +VALIDATOR=Përdoruesi përgjegjës për miratimin +VALIDOR=E miratuar nga +ValidateAndSubmit=Vërtetoni dhe dorëzoni për miratim +ValidatedWaitingApproval=Vleruar (në pritje të miratimit) +ValideTrip=Mirato raportin e shpenzimeve + +## Dictionary +EX_BRE=Mëngjesi +EX_CAM=Mirëmbajtja dhe riparimi i CV-ve +EX_CAM_VP=Mirëmbajtja dhe riparimi i PV +EX_CAR=Makina me qira +EX_CUR=Konsumatorët që marrin +EX_DOC=Dokumentacioni +EX_EMM=Ushqimi i punonjësve +EX_FUE=CV e karburantit +EX_FUE_VP=Karburanti PV +EX_GUM=Ushqimi i mysafirëve EX_HOT=Hotel -EX_PAR=Parking CV -EX_TOL=Toll CV -EX_TAX=Various Taxes -EX_IND=Indemnity transportation subscription -EX_SUM=Maintenance supply -EX_SUO=Office supplies -EX_CAR=Car rental -EX_DOC=Documentation -EX_CUR=Customers receiving -EX_OTR=Other receiving -EX_POS=Postage -EX_CAM=CV maintenance and repair -EX_EMM=Employees meal -EX_GUM=Guests meal -EX_BRE=Breakfast -EX_FUE_VP=Fuel PV -EX_TOL_VP=Toll PV -EX_PAR_VP=Parking PV -EX_CAM_VP=PV maintenance and repair -DefaultCategoryCar=Default transportation mode -DefaultRangeNumber=Default range number -UploadANewFileNow=Upload a new document now -Error_EXPENSEREPORT_ADDON_NotDefined=Error, the rule for expense report numbering ref was not defined into setup of module 'Expense Report' -ErrorDoubleDeclaration=You have declared another expense report into a similar date range. -AucuneLigne=There is no expense report declared yet -ModePaiement=Payment mode -VALIDATOR=User responsible for approval -VALIDOR=Approved by -AUTHOR=Recorded by -AUTHORPAIEMENT=Paid by -REFUSEUR=Denied by -CANCEL_USER=Deleted by -MOTIF_REFUS=Reason -MOTIF_CANCEL=Reason -DATE_REFUS=Deny date -DATE_SAVE=Validation date -DATE_CANCEL=Cancelation date -DATE_PAIEMENT=Payment date -ExpenseReportRef=Ref. expense report -ValidateAndSubmit=Validate and submit for approval -ValidatedWaitingApproval=Validated (waiting for approval) -NOT_AUTHOR=You are not the author of this expense report. Operation cancelled. -ConfirmRefuseTrip=Are you sure you want to deny this expense report? -ValideTrip=Approve expense report -ConfirmValideTrip=Are you sure you want to approve this expense report? -PaidTrip=Pay an expense report -ConfirmPaidTrip=Are you sure you want to change status of this expense report to "Paid"? -ConfirmCancelTrip=Are you sure you want to cancel this expense report? -BrouillonnerTrip=Move back expense report to status "Draft" -ConfirmBrouillonnerTrip=Are you sure you want to move this expense report to status "Draft"? -SaveTrip=Validate expense report -ConfirmSaveTrip=Are you sure you want to validate this expense report? -NoTripsToExportCSV=No expense report to export for this period. -ExpenseReportPayment=Expense report payment -ExpenseReportsToApprove=Expense reports to approve -ExpenseReportsToPay=Expense reports to pay -ConfirmCloneExpenseReport=Are you sure you want to clone this expense report ? -ExpenseReportsIk=Configuration of mileage charges -ExpenseReportsRules=Expense report rules -ExpenseReportIkDesc=You can modify the calculation of kilometers expense by category and range who they are previously defined. d is the distance in kilometers -ExpenseReportRulesDesc=You can define max amount rules for expense reports. These rules will be applied when a new expense is added to an expense report -expenseReportOffset=Offset -expenseReportCoef=Coefficient -expenseReportTotalForFive=Example with d = 5 -expenseReportRangeFromTo=from %d to %d -expenseReportRangeMoreThan=more than %d -expenseReportCoefUndefined=(value not defined) -expenseReportCatDisabled=Category disabled - see the c_exp_tax_cat dictionary -expenseReportRangeDisabled=Range disabled - see the c_exp_tax_range dictionay -expenseReportPrintExample=offset + (d x coef) = %s -ExpenseReportApplyTo=Apply to -ExpenseReportDomain=Domain to apply -ExpenseReportLimitOn=Limit on -ExpenseReportDateStart=Date start -ExpenseReportDateEnd=Date end -ExpenseReportLimitAmount=Max amount -ExpenseReportRestrictive=Exceeding forbidden -AllExpenseReport=All type of expense report -OnExpense=Expense line -ExpenseReportRuleSave=Expense report rule saved -ExpenseReportRuleErrorOnSave=Error: %s -RangeNum=Range %d -ExpenseReportConstraintViolationError=Max amount exceeded (rule %s): %s is higher than %s (Exceeding forbidden) -byEX_DAY=by day (limitation to %s) -byEX_MON=by month (limitation to %s) -byEX_YEA=by year (limitation to %s) -byEX_EXP=by line (limitation to %s) -ExpenseReportConstraintViolationWarning=Max amount exceeded (rule %s): %s is higher than %s (Exceeding authorized) -nolimitbyEX_DAY=by day (no limitation) -nolimitbyEX_MON=by month (no limitation) -nolimitbyEX_YEA=by year (no limitation) -nolimitbyEX_EXP=by line (no limitation) -CarCategory=Vehicle category -ExpenseRangeOffset=Offset amount: %s -RangeIk=Mileage range -AttachTheNewLineToTheDocument=Attach the line to an uploaded document +EX_IND=Abonimi i transportit për dëmshpërblim +EX_KME=Kostot e kilometrazhit +EX_OTR=Marrje të tjera +EX_PAR=CV parkimi +EX_PAR_VP=PV parkimi +EX_POS=Tarifa postare +EX_SUM=Furnizimi i mirëmbajtjes +EX_SUO=Furnizime zyre +EX_TAX=Taksa të ndryshme +EX_TOL=CV me pagesë +EX_TOL_VP=PV me pagesë +TF_BUS=Autobus +TF_CAR=Makinë +TF_ESSENCE=Karburant +TF_HOTEL=Hotel +TF_LUNCH=Dreka +TF_METRO=Metro +TF_OTHER=Tjetër +TF_PEAGE=Toll +TF_TAXI=Taksi +TF_TRAIN=Treni +TF_TRIP=Transport diff --git a/htdocs/langs/sq_AL/users.lang b/htdocs/langs/sq_AL/users.lang index 85340d32138..533caf4998d 100644 --- a/htdocs/langs/sq_AL/users.lang +++ b/htdocs/langs/sq_AL/users.lang @@ -1,131 +1,136 @@ # Dolibarr language file - Source file is en_US - users -HRMArea=HRM area -UserCard=User card -GroupCard=Group card -Permission=Permission -Permissions=Permissions -EditPassword=Edit password -SendNewPassword=Regenerate and send password -SendNewPasswordLink=Send link to reset password -ReinitPassword=Regenerate password -PasswordChangedTo=Password changed to: %s -SubjectNewPassword=Your new password for %s -GroupRights=Group permissions -UserRights=User permissions -Credentials=Credentials -UserGUISetup=User Display Setup +HRMArea=Zona e HRM +UserCard=Karta e përdoruesit +GroupCard=Karta e grupit +Permission=Leja +Permissions=Lejet +EditPassword=Redakto fjalëkalimin +SendNewPassword=Rigjeneroni dhe dërgoni fjalëkalimin +SendNewPasswordLink=Dërgo lidhjen për të rivendosur fjalëkalimin +ReinitPassword=Rigjeneroni fjalëkalimin +PasswordChangedTo=Fjalëkalimi u ndryshua në: %s +SubjectNewPassword=Fjalëkalimi yt i ri për %s +GroupRights=Lejet e grupit +UserRights=Lejet e përdoruesit +Credentials=Kredencialet +UserGUISetup=Konfigurimi i ekranit të përdoruesit DisableUser=Çaktivizo -DisableAUser=Disable a user +DisableAUser=Çaktivizo një përdorues DeleteUser=Fshi -DeleteAUser=Delete a user -EnableAUser=Enable a user +DeleteAUser=Fshi një përdorues +EnableAUser=Aktivizo një përdorues DeleteGroup=Fshi -DeleteAGroup=Delete a group -ConfirmDisableUser=Are you sure you want to disable user %s? -ConfirmDeleteUser=Are you sure you want to delete user %s? -ConfirmDeleteGroup=Are you sure you want to delete group %s? -ConfirmEnableUser=Are you sure you want to enable user %s? -ConfirmReinitPassword=Are you sure you want to generate a new password for user %s? -ConfirmSendNewPassword=Are you sure you want to generate and send new password for user %s? +DeleteAGroup=Fshi një grup +ConfirmDisableUser=Jeni të sigurt që dëshironi të çaktivizoni përdoruesin %s
      ? +ConfirmDeleteUser=Jeni të sigurt që dëshironi të fshini përdoruesin %s? +ConfirmDeleteGroup=Jeni të sigurt që dëshironi të fshini grupin %s? +ConfirmEnableUser=Jeni i sigurt që dëshironi të aktivizoni përdoruesin %s? +ConfirmReinitPassword=Jeni i sigurt që dëshironi të krijoni një fjalëkalim të ri për përdoruesin %sb09a4b739f17f80 >? +ConfirmSendNewPassword=Jeni i sigurt që dëshironi të gjeneroni dhe dërgoni fjalëkalim të ri për përdoruesin %sb09a4b739f17f8z shtrirje>? NewUser=Përdorues i ri CreateUser=Krijo përdorues -LoginNotDefined=Login is not defined. -NameNotDefined=Name is not defined. -ListOfUsers=List of users -SuperAdministrator=Super Administrator -SuperAdministratorDesc=Global administrator -AdministratorDesc=Administrator -DefaultRights=Default Permissions -DefaultRightsDesc=Define here the default permissions that are automatically granted to a new user (to modify permissions for existing users, go to the user card). -DolibarrUsers=Dolibarr users +LoginNotDefined=Hyrja nuk është e përcaktuar. +NameNotDefined=Emri nuk është i përcaktuar. +ListOfUsers=Lista e përdoruesve +SuperAdministrator=Administrator i shumë kompanive +SuperAdministratorDesc=Administratori i sistemit për shumë kompani (mund të ndryshojë konfigurimin dhe përdoruesit) +DefaultRights=Lejet e parazgjedhura +DefaultRightsDesc=Përcaktoni këtu lejet default që i jepen automatikisht një b0b5ba1a823> përdorues i ri
      (për të modifikuar lejet për përdoruesit ekzistues, shkoni te karta e përdoruesit). +DolibarrUsers=Përdoruesit e Dolibarr LastName=Mbiemri FirstName=Emri -ListOfGroups=List of groups -NewGroup=New group -CreateGroup=Create group -RemoveFromGroup=Remove from group -PasswordChangedAndSentTo=Password changed and sent to %s. -PasswordChangeRequest=Request to change password for %s -PasswordChangeRequestSent=Request to change password for %s sent to %s. -IfLoginExistPasswordRequestSent=If this login is a valid account (with a valid email), an email to reset password has been sent. -IfEmailExistPasswordRequestSent=If this email is a valid account, an email to reset password has been sent. -ConfirmPasswordReset=Confirm password reset -MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s groups created -LastUsersCreated=Latest %s users created -ShowGroup=Show group -ShowUser=Show user -NonAffectedUsers=Non assigned users -UserModified=User modified successfully -PhotoFile=Photo file -ListOfUsersInGroup=List of users in this group -ListOfGroupsForUser=List of groups for this user -LinkToCompanyContact=Link to third party / contact -LinkedToDolibarrMember=Link to member -LinkedToDolibarrUser=Link to user -LinkedToDolibarrThirdParty=Link to third party -CreateDolibarrLogin=Create a user -CreateDolibarrThirdParty=Create a third party -LoginAccountDisableInDolibarr=Account disabled in Dolibarr. -UsePersonalValue=Use personal value -ExportDataset_user_1=Users and their properties -DomainUser=Domain user %s -Reactivate=Reactivate -CreateInternalUserDesc=This form allows you to create an internal user in your company/organization. To create an external user (customer, vendor etc. ..), use the button 'Create Dolibarr User' from that third-party's contact card. -InternalExternalDesc=An internal user is a user that is part of your company/organization, or is a partner user outside of your organization that may need to see more data than data related to his company (the permission system will define what he can or can't see or do).
      An external user is a customer, vendor or other that must view ONLY data related to himself (Creating an external user for a third-party can be done from the contact record of the third-party).

      In both cases, you must grant permissions on the features that the user need. -PermissionInheritedFromAGroup=Permission granted because inherited from one of a user's group. -Inherited=Inherited -UserWillBe=Created user will be -UserWillBeInternalUser=Created user will be an internal user (because not linked to a particular third party) -UserWillBeExternalUser=Created user will be an external user (because linked to a particular third party) -IdPhoneCaller=Id phone caller -NewUserCreated=User %s created -NewUserPassword=Password change for %s -NewPasswordValidated=Your new password have been validated and must be used now to login. -EventUserModified=User %s modified -UserDisabled=User %s disabled -UserEnabled=User %s activated -UserDeleted=User %s removed -NewGroupCreated=Group %s created -GroupModified=Group %s modified -GroupDeleted=Group %s removed -ConfirmCreateContact=Are you sure you want to create a Dolibarr account for this contact? -ConfirmCreateLogin=Are you sure you want to create a Dolibarr account for this member? -ConfirmCreateThirdParty=Are you sure you want to create a third party for this member? -LoginToCreate=Login to create -NameToCreate=Name of third party to create -YourRole=Your roles -YourQuotaOfUsersIsReached=Your quota of active users is reached ! -NbOfUsers=Number of users -NbOfPermissions=Number of permissions -DontDowngradeSuperAdmin=Only a superadmin can downgrade a superadmin -HierarchicalResponsible=Supervisor -HierarchicView=Hierarchical view -UseTypeFieldToChange=Use field Type to change -OpenIDURL=OpenID URL -LoginUsingOpenID=Use OpenID to login -WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected hours worked per week -ColorUser=Color of the user -DisabledInMonoUserMode=Disabled in maintenance mode -UserAccountancyCode=User accounting code -UserLogoff=User logout -UserLogged=User logged -DateOfEmployment=Employment date -DateEmployment=Employment -DateEmploymentStart=Employment Start Date -DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Access validity date range -CantDisableYourself=You can't disable your own user record -ForceUserExpenseValidator=Force expense report validator -ForceUserHolidayValidator=Force leave request validator -ValidatorIsSupervisorByDefault=By default, the validator is the supervisor of the user. Keep empty to keep this behaviour. -UserPersonalEmail=Personal email -UserPersonalMobile=Personal mobile phone -WarningNotLangOfInterface=Warning, this is the main language the user speak, not the language of the interface he choosed to see. To change the interface language visible by this user, go on tab %s -DateLastLogin=Date last login -DatePreviousLogin=Date previous login -IPLastLogin=IP last login -IPPreviousLogin=IP previous login -ShowAllPerms=Show all permission rows -HideAllPerms=Hide all permission rows +ListOfGroups=Lista e grupeve +NewGroup=Grupi i ri +CreateGroup=Krijo grup +RemoveFromGroup=Hiq nga grupi +PasswordChangedAndSentTo=Fjalëkalimi u ndryshua dhe u dërgua në %s. +PasswordChangeRequest=Kërkesë për të ndryshuar fjalëkalimin për %s +PasswordChangeRequestSent=Kërkesë për të ndryshuar fjalëkalimin për %s dërguar te %s. +IfLoginExistPasswordRequestSent=Nëse kjo hyrje është një llogari e vlefshme (me një email të vlefshëm), është dërguar një email për të rivendosur fjalëkalimin. +IfEmailExistPasswordRequestSent=Nëse ky email është një llogari e vlefshme, është dërguar një email për të rivendosur fjalëkalimin (mos harroni të kontrolloni dosjen tuaj SPAM nëse nuk merrni asgjë) +ConfirmPasswordReset=Konfirmo rivendosjen e fjalëkalimit +MenuUsersAndGroups=Përdoruesit dhe Grupet +LastGroupsCreated=Grupet më të fundit %s u krijuan +LastUsersCreated=Përdoruesit më të fundit %s u krijuan +ShowGroup=Shfaq grupin +ShowUser=Trego përdoruesin +NonAffectedUsers=Përdorues jo të caktuar +UserModified=Përdoruesi u modifikua me sukses +PhotoFile=Skedar fotografik +ListOfUsersInGroup=Lista e përdoruesve në këtë grup +ListOfGroupsForUser=Lista e grupeve për këtë përdorues +LinkToCompanyContact=Lidhja me palën / kontaktin e tretë +LinkedToDolibarrMember=Lidhja me anëtarin +LinkedToDolibarrUser=Lidhja me përdoruesin +LinkedToDolibarrThirdParty=Lidhje me palën e tretë +CreateDolibarrLogin=Krijo një përdorues +CreateDolibarrThirdParty=Krijo një palë të tretë +LoginAccountDisableInDolibarr=Llogaria është çaktivizuar në Dolibarr +PASSWORDInDolibarr=Fjalëkalimi është modifikuar në Dolibarr +UsePersonalValue=Përdorni vlerën personale +ExportDataset_user_1=Përdoruesit dhe vetitë e tyre +DomainUser=Përdoruesi i domenit %s +Reactivate=Riaktivizoni +CreateInternalUserDesc=Ky formular ju lejon të krijoni një përdorues të brendshëm në kompaninë/organizatën tuaj. Për të krijuar një përdorues të jashtëm (klient, shitës etj. ..), përdorni butonin "Krijo përdorues Dolibarr" nga karta e kontaktit të palës së tretë. +InternalExternalDesc=Një përdorues i brendshëm është një përdorues që është pjesë e kompanisë/organizatës suaj ose është një përdorues partner jashtë organizatës suaj që mund të ketë nevojë të shohë më shumë të dhëna sesa të dhëna që lidhen me kompaninë e tij (sistemi i lejeve do të përcaktojë se çfarë mund ose nuk mund të shohë ose të bëjë).
      Një i jashtëm përdoruesi është një klient, shitës ose ndonjë tjetër që duhet të shikojë VETËM të dhëna që lidhen me veten e tij (Krijimi i një përdoruesi të jashtëm për një palë të tretë mund të jetë bërë nga rekordi i kontaktit të palës së tretë).

      Në të dyja rastet, duhet të jepni leje për veçoritë që nevoja e përdoruesit. +PermissionInheritedFromAGroup=Leja është dhënë sepse është trashëguar nga një nga grupet e një përdoruesi. +Inherited=I trashëguar +UserWillBe=Përdoruesi i krijuar do të jetë +UserWillBeInternalUser=Përdoruesi i krijuar do të jetë një përdorues i brendshëm (sepse nuk është i lidhur me një palë të tretë të caktuar) +UserWillBeExternalUser=Përdoruesi i krijuar do të jetë një përdorues i jashtëm (sepse i lidhur me një palë të tretë të caktuar) +IdPhoneCaller=Identifikimi i telefonuesit +NewUserCreated=Përdoruesi %s u krijua +NewUserPassword=Ndryshimi i fjalëkalimit për %s +NewPasswordValidated=Fjalëkalimi juaj i ri është vërtetuar dhe duhet të përdoret tani për t'u identifikuar. +EventUserModified=Përdoruesi %s është modifikuar +UserDisabled=Përdoruesi %s i çaktivizuar +UserEnabled=Përdoruesi %s u aktivizua +UserDeleted=Përdoruesi %s u hoq +NewGroupCreated=Grupi %s u krijua +GroupModified=Grupi %s u modifikua +GroupDeleted=Grupi %s u hoq +ConfirmCreateContact=Jeni i sigurt që dëshironi të krijoni një llogari Dolibarr për këtë kontakt? +ConfirmCreateLogin=Jeni i sigurt që dëshironi të krijoni një llogari Dolibarr për këtë anëtar? +ConfirmCreateThirdParty=Jeni i sigurt që dëshironi të krijoni një palë të tretë për këtë anëtar? +LoginToCreate=Identifikohu për të krijuar +NameToCreate=Emri i palës së tretë për të krijuar +YourRole=Rolet tuaja +YourQuotaOfUsersIsReached=Kuota juaj e përdoruesve aktivë është arritur! +NbOfUsers=Numri i përdoruesve +NbOfPermissions=Numri i lejeve +DontDowngradeSuperAdmin=Vetëm një administrator tjetër mund të ulë një administrator +HierarchicalResponsible=Mbikëqyrësi +HierarchicView=Pamje hierarkike +UseTypeFieldToChange=Përdorni fushën Lloji për të ndryshuar +OpenIDURL=URL e OpenID +LoginUsingOpenID=Përdorni OpenID për t'u identifikuar +WeeklyHours=Orët e punës (në javë) +ExpectedWorkedHours=Orët e pritshme të punës në javë +ColorUser=Ngjyra e përdoruesit +DisabledInMonoUserMode=Çaktivizuar në modalitetin e mirëmbajtjes +UserAccountancyCode=Kodi i kontabilitetit të përdoruesit +UserLogoff=Dalja e përdoruesit: %s +UserLogged=Përdoruesi i regjistruar: %s +UserLoginFailed=Identifikimi i përdoruesit dështoi: %s +DateOfEmployment=Data e punësimit +DateEmployment=Punësimi +DateEmploymentStart=Data e fillimit të punësimit +DateEmploymentEnd=Data e Fundit të Punësimit +RangeOfLoginValidity=Qasuni në intervalin e datave të vlefshmërisë +CantDisableYourself=Ju nuk mund ta çaktivizoni rekordin tuaj të përdoruesit +ForceUserExpenseValidator=Detyro verifikuesin e raportit të shpenzimeve +ForceUserHolidayValidator=Vlerësuesi i kërkesës për pushim me forcë +ValidatorIsSupervisorByDefault=Si parazgjedhje, verifikuesi është mbikëqyrësi i përdoruesit. Mbajeni bosh për ta mbajtur këtë sjellje. +UserPersonalEmail=Email personal +UserPersonalMobile=Celular personal +WarningNotLangOfInterface=Paralajmërim, kjo është gjuha kryesore që flet përdoruesi, jo gjuha e ndërfaqes që ai zgjodhi për të parë. Për të ndryshuar gjuhën e ndërfaqes të dukshme nga ky përdorues, shkoni te skeda %s +DateLastLogin=Data e hyrjes së fundit +DatePreviousLogin=Data e hyrjes së mëparshme +IPLastLogin=IP identifikimi i fundit +IPPreviousLogin=IP hyrje e mëparshme +ShowAllPerms=Shfaq të gjitha rreshtat e lejeve +HideAllPerms=Fshih të gjitha rreshtat e lejeve +UserPublicPageDesc=Ju mund të aktivizoni një kartë virtuale për këtë përdorues. Një url me profilin e përdoruesit dhe një barkod do të jetë i disponueshëm për të lejuar këdo që ka një smartphone ta skanojë atë dhe të shtojë kontaktin tuaj në librin e tij të adresave. +EnablePublicVirtualCard=Aktivizo kartën virtuale të biznesit të përdoruesit +UserEnabledDisabled=Statusi i përdoruesit u ndryshua: %s +AlternativeEmailForOAuth2=Email alternativ për hyrjen në OAuth2 diff --git a/htdocs/langs/sq_AL/website.lang b/htdocs/langs/sq_AL/website.lang index dc2ec2c0b3d..ec8700f4cee 100644 --- a/htdocs/langs/sq_AL/website.lang +++ b/htdocs/langs/sq_AL/website.lang @@ -1,147 +1,166 @@ # Dolibarr language file - Source file is en_US - website -Shortname=Code -WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them. -DeleteWebsite=Delete website -ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. -WEBSITE_TYPE_CONTAINER=Type of page/container -WEBSITE_PAGE_EXAMPLE=Web page to use as example -WEBSITE_PAGENAME=Page name/alias -WEBSITE_ALIASALT=Alternative page names/aliases -WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
      alternativename1, alternativename2, ... -WEBSITE_CSS_URL=URL of external CSS file -WEBSITE_CSS_INLINE=CSS file content (common to all pages) -WEBSITE_JS_INLINE=Javascript file content (common to all pages) -WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) -WEBSITE_ROBOT=Robot file (robots.txt) -WEBSITE_HTACCESS=Website .htaccess file -WEBSITE_MANIFEST_JSON=Website manifest.json file -WEBSITE_README=README.md file -WEBSITE_KEYWORDSDesc=Use a comma to separate values -EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. -HtmlHeaderPage=HTML header (specific to this page only) -PageNameAliasHelp=Name or alias of the page.
      This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. -EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. -MediaFiles=Media library -EditCss=Edit website properties +Shortname=Kodi +WebsiteName=Emri i faqes së internetit +WebsiteSetupDesc=Krijoni këtu faqet e internetit që dëshironi të përdorni. Pastaj shkoni te menyja Uebfaqe për t'i modifikuar ato. +DeleteWebsite=Fshi faqen e internetit +ConfirmDeleteWebsite=Jeni i sigurt që dëshironi ta fshini këtë faqe interneti? Të gjitha faqet dhe përmbajtja e tij gjithashtu do të hiqen. Skedarët e ngarkuar (si në direktorinë e mediave, moduli ECM, ...) do të mbeten. +WEBSITE_TYPE_CONTAINER=Lloji i faqes/kontejnerit +WEBSITE_PAGE_EXAMPLE=Ueb faqe për t'u përdorur si shembull +WEBSITE_PAGENAME=Emri/alias i faqes +WEBSITE_ALIASALT=Emrat / pseudonimet alternative të faqeve +WEBSITE_ALIASALTDesc=Përdorni këtu listën e emrave / pseudonimeve të tjera në mënyrë që faqja të mund të aksesohet gjithashtu duke përdorur emrat / pseudonimet e tjera (për shembull, emri i vjetër pas riemërtimit të pseudonimit për të mbajtur lidhjen e pasme në lidhjen/emrin e vjetër të funksionojë). Sintaksa është:
      alternativename1, alternativename2, ... +WEBSITE_CSS_URL=URL-ja e skedarit të jashtëm CSS +WEBSITE_CSS_INLINE=Përmbajtja e skedarit CSS (e zakonshme për të gjitha faqet) +WEBSITE_JS_INLINE=Përmbajtja e skedarit JavaScript (e zakonshme për të gjitha faqet) +WEBSITE_HTML_HEADER=Shtesa në fund të kokës HTML (e zakonshme për të gjitha faqet) +WEBSITE_ROBOT=Skedari i robotit (robots.txt) +WEBSITE_HTACCESS=Skedari .htaccess i faqes në internet +WEBSITE_MANIFEST_JSON=Skedari i faqes manifest.json +WEBSITE_KEYWORDSDesc=Përdorni presje për të ndarë vlerat +EnterHereReadmeInformation=Shkruani këtu një përshkrim të faqes në internet. Nëse e shpërndani faqen tuaj të internetit si shabllon, skedari do të përfshihet në paketën e tundimit. +EnterHereLicenseInformation=Shkruani këtu LICENCEN e kodit të faqes së internetit. Nëse e shpërndani faqen tuaj të internetit si shabllon, skedari do të përfshihet në paketën e tundimit. +HtmlHeaderPage=Titulli HTML (vetëm për këtë faqe) +PageNameAliasHelp=Emri ose pseudonimi i faqes.
      Ky pseudonim përdoret gjithashtu për të falsifikuar një URL SEO kur uebsajti drejtohet nga një host virtual i një serveri ueb (si Apacke, Nginx, .. .). Përdorni butonin "%s" për të ndryshuar këtë. +EditTheWebSiteForACommonHeader=Shënim: Nëse dëshironi të përcaktoni një titull të personalizuar për të gjitha faqet, modifikoni titullin në nivelin e sajtit në vend të faqes/kontejnerit. +MediaFiles=Biblioteka mediatike +EditCss=Redakto vetitë e faqes në internet EditMenu=Edit menu -EditMedias=Edit medias -EditPageMeta=Edit page/container properties -EditInLine=Edit inline -AddWebsite=Add website -Webpage=Web page/container -AddPage=Add page/container -PageContainer=Page -PreviewOfSiteNotYetAvailable=The preview of your website %s is not yet available. You must first 'Import a full website template' or just 'Add a page/container'. -RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this. -SiteDeleted=Web site '%s' deleted -PageContent=Page/Contenair -PageDeleted=Page/Contenair '%s' of website %s deleted -PageAdded=Page/Contenair '%s' added -ViewSiteInNewTab=View site in new tab -ViewPageInNewTab=View page in new tab -SetAsHomePage=Set as Home page -RealURL=Real URL -ViewWebsiteInProduction=View web site using home URLs -SetHereVirtualHost=Use with Apache/NGinx/...
      Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
      %s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: -YouCanAlsoTestWithPHPS=Use with PHP embedded server
      On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
      php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
      If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org -CheckVirtualHostPerms=Check also that the virtual host user (for example www-data) has %s permissions on files into
      %s -ReadPerm=Read -WritePerm=Write -TestDeployOnWeb=Test/deploy on web -PreviewSiteServedByWebServer=Preview %s in a new tab.

      The %s will be served by an external web server (like Apache, Nginx, IIS). You must install and setup this server before to point to directory:
      %s
      URL served by external server:
      %s -PreviewSiteServedByDolibarr=Preview %s in a new tab.

      The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed.
      The inconvenient is that the URLs of pages are not user friendly and start with the path of your Dolibarr.
      URL served by Dolibarr:
      %s

      To use your own external web server to serve this web site, create a virtual host on your web server that points on directory
      %s
      then enter the name of this virtual server in the properties of this website and click on the link "Test/Deploy on the web". -VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined -NoPageYet=No pages yet -YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template -SyntaxHelp=Help on specific syntax tips -YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . -ClonePage=Clone page/container -CloneSite=Clone site -SiteAdded=Website added -ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page. -PageIsANewTranslation=The new page is a translation of the current page ? -LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page. -ParentPageId=Parent page ID -WebsiteId=Website ID -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... -OrEnterPageInfoManually=Or create page from scratch or from a page template... -FetchAndCreate=Fetch and Create -ExportSite=Export website -ImportSite=Import website template -IDOfPage=Id of page +EditMedias=Redakto media +EditPageMeta=Redakto vetitë e faqes/kontejnerit +EditInLine=Redakto inline +AddWebsite=Shto faqen e internetit +Webpage=Uebfaqe/kontejner +AddPage=Shto faqe/enë +PageContainer=Faqe +PreviewOfSiteNotYetAvailable=Pamja paraprake e faqes suaj të internetit %s nuk është ende e disponueshme. Së pari duhet të 'Importoni një shabllon të plotë uebsajti' ose thjesht 'b0e78439z span>Shto një faqe/enë'. +RequestedPageHasNoContentYet=Faqja e kërkuar me id %s nuk ka ende përmbajtje, ose skedari i memories .tpl.php është hequr. Ndryshoni përmbajtjen e faqes për ta zgjidhur këtë. +SiteDeleted=Faqja e internetit '%s' u fshi +PageContent=Faqe/Kontenair +PageDeleted=Faqja/Contenair '%s' e faqes së internetit %s u fshi +PageAdded=Faqja/Contenair '%s' u shtua +ViewSiteInNewTab=Shiko faqen në skedën e re +ViewPageInNewTab=Shikoni faqen në skedën e re +SetAsHomePage=Cakto si faqe kryesore +RealURL=URL e vërtetë +ViewWebsiteInProduction=Shikoni faqen e internetit duke përdorur URL-të e shtëpisë +Virtualhost=Emri i hostit virtual ose i domenit +VirtualhostDesc=Emri i hostit ose domenit virtual (Për shembull: www.mywebsite.com, mybigcompany.net, ...) +SetHereVirtualHost=Përdor me Apache/NGinx/...
      serveri juaj i internetit (Apache, Nginx, ...) një host virtual i dedikuar me PHP të aktivizuar dhe një direktori Root në
      %s +ExampleToUseInApacheVirtualHostConfig=Shembull për t'u përdorur në konfigurimin e hostit virtual të Apache: +YouCanAlsoTestWithPHPS=Përdoreni me serverin e integruar PHP
      mund të zhvilloni mjediset tuaja, preferoni të testoni faqen me serverin e integruar të PHP-së (kërkohet PHP 5.5) duke ekzekutuar
      php -S 0.0. :8080 -t %s +YouCanAlsoDeployToAnotherWHP=Drejto faqen tënde të internetit me një ofrues tjetër të hostimit të Dolibarrb0342fccfda19>f you nuk keni një server në internet si Apache ose NGinx të disponueshëm në internet, ju mund të eksportoni dhe importoni faqen tuaj të internetit në një shembull tjetër Dolibarr të ofruar nga një ofrues tjetër hosting Dolibarr që siguron integrim të plotë me modulin e Uebsajtit. Ju mund të gjeni një listë të disa ofruesve të pritjes Dolibarr në https://saas.dolibarr.org +CheckVirtualHostPerms=Kontrolloni gjithashtu që përdoruesi i hostit virtual (për shembull www-data) të ketë %sb0a65d09z0f6f lejet e skedarëve në
      %s
      +ReadPerm=Lexoni +WritePerm=Shkruaj +TestDeployOnWeb=Testoni/shpërndani në ueb +PreviewSiteServedByWebServer=Shiko paraprakisht %s në një skedë të re.

      %s do të shërbehet nga një server i jashtëm ueb (si Apache, Apache, ). Duhet ta instaloni dhe konfiguroni këtë server më parë për të treguar drejtorinë:
      %s span>
      URL e shërbyer nga serveri i jashtëm:
      %s +PreviewSiteServedByDolibarr=Shiko paraprakisht %s në një skedë të re.

      %s do të shërbehet nga serveri Dolibarr shtesë, kështu që nuk ka nevojë për ndonjë server ueb shtesë (si Apache, Nginx, IIS) për t'u instaluar.
      E papërshtatshme është që URL-të e faqeve nuk janë miqësore me përdoruesit dhe fillojnë me shtegun e Dolibarr-it tuaj.
      URL-ja e shërbyer nga Dolibarr:


      Për të përdorur serverin tuaj të jashtëm të uebit shërbejeni këtë faqe interneti, krijoni një host virtual në serverin tuaj të internetit që tregon direktorinë
      %s
      më pas shkruani emrin e këtij serveri virtual në vetitë e kësaj faqe interneti dhe klikoni në lidhja "Testoni/Shpërndani në ueb". +VirtualHostUrlNotDefined=URL-ja e hostit virtual të shërbyer nga serveri i jashtëm i uebit nuk është i përcaktuar +NoPageYet=Ende nuk ka faqe +YouCanCreatePageOrImportTemplate=Mund të krijoni një faqe të re ose të importoni një shabllon të plotë të faqes në internet +SyntaxHelp=Ndihmë për këshilla specifike sintaksore +YouCanEditHtmlSourceckeditor=Ju mund të modifikoni kodin burimor HTML duke përdorur butonin "Burimi" në redaktues. +YouCanEditHtmlSource=
      Mund të përfshini kodin PHP < në këtë burim span class = 'noTranslate'> <
      Mund të përfshini gjithashtu përmbajtje të një Faqe/Konteineri tjetër me sintaksën e mëposhtme: class='notranslate'>
      <?php includeContainer_concluder('ali_toincludeContainer('ali_toinclude) ?>

      Mund të bëni një ridrejtim në një faqe/enë tjetër me sintaksën e mëposhtme (Shënim: mos nxirr asnjë përmbajtja përpara një ridrejtimi):
      <Container(redirect'>ph) alias_of_container_to_redirect_to'); ?>

      Për të shtuar një lidhje në një faqe tjetër, përdorni sintaksën:b03192fccf <a href="alias_of_page_to_link_to.php"mylink<a>

      b014f1b5z topan alidhja për të shkarkuar një skedar të ruajtur në b0e7843947c06bzdo'0 notranslate'>, përdor direktorinë document.phpb0a65d071f6fc9zra'notranslate'> >
      Për shembull, për një skedar në dokumente/ecm (duhet të regjistrohet), sintaksa është:
      b0e7843947c06 ><a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">

      Për një skedar në dokumente/media (hapur direktorium për akses publik), sintaksa është:
      <a href="/document.php?modulepart=medias.filepart=relative.filepart=relative.file_dir. ext">
      Për një lidhje të ndarë me një hapni aksesin duke përdorur çelësin e ndarjes hash të skedarit), sintaksa është:
      b03900eczf07d<3 /span>a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      Për të përfshirë një jo
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext"&file=[relative_dir/]filename.ext"<?php print getImagePublicURLOfObject($object, 1, "_small") ?b0012c7dcbe08"z<0spanspan7> class='notranslate'>>
      +YouCanEditHtmlSourceMore=
      Më shumë shembuj të kodit HTML ose dinamik të disponueshëm në dokumentacioni wikib0e47sd80cz5 >.
      +ClonePage=Klonimi i faqes/kontejnerit +CloneSite=Faqja e klonimit +SiteAdded=Faqja e internetit u shtua +ConfirmClonePage=Ju lutemi vendosni kodin/aliasin e faqes së re dhe nëse është përkthim i faqes së klonuar. +PageIsANewTranslation=Faqja e re është një përkthim i faqes aktuale? +LanguageMustNotBeSameThanClonedPage=Ju klononi një faqe si përkthim. Gjuha e faqes së re duhet të jetë e ndryshme nga gjuha e faqes burimore. +ParentPageId=ID e faqes mëmë +WebsiteId=ID e faqes në internet +CreateByFetchingExternalPage=Krijo faqe/kontenier duke marrë faqen nga URL e jashtme... +OrEnterPageInfoManually=Ose krijoni faqe nga e para ose nga një shabllon faqeje... +FetchAndCreate=Merr dhe Krijo +ExportSite=Uebsajti i eksportit +ImportSite=Importoni shabllonin e faqes në internet +IDOfPage=ID e faqes Banner=Banner -BlogPost=Blog post -WebsiteAccount=Website account -WebsiteAccounts=Website accounts -AddWebsiteAccount=Create web site account -BackToListForThirdParty=Back to list for the third-party -DisableSiteFirst=Disable website first -MyContainerTitle=My web site title -AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists) -SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please comme back later... -WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table -WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party -YouMustDefineTheHomePage=You must first define the default Home page -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correclty when used on a grabbed external page. -OnlyEditionOfSourceForGrabbedContent=Only edition of HTML source is possible when content was grabbed from an external site -GrabImagesInto=Grab also images found into css and page. -ImagesShouldBeSavedInto=Images should be saved into directory -WebsiteRootOfImages=Root directory for website images -SubdirOfPage=Sub-directory dedicated to page -AliasPageAlreadyExists=Alias page %s already exists -CorporateHomePage=Corporate Home page -EmptyPage=Empty page -ExternalURLMustStartWithHttp=External URL must start with http:// or https:// -ZipOfWebsitePackageToImport=Upload the Zip file of the website template package -ZipOfWebsitePackageToLoad=or Choose an available embedded website template package -ShowSubcontainers=Show dynamic content -InternalURLOfPage=Internal URL of page -ThisPageIsTranslationOf=This page/container is a translation of -ThisPageHasTranslationPages=This page/container has translation -NoWebSiteCreateOneFirst=No website has been created yet. Create one first. -GoTo=Go to -DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). -NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. -ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? -MyWebsitePages=My website pages -SearchReplaceInto=Search | Replace into -ReplaceString=New string -CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. -Dynamiccontent=Sample of a page with dynamic content -ImportSite=Import website template -EditInLineOnOff=Mode 'Edit inline' is %s -ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s -GlobalCSSorJS=Global CSS/JS/Header file of web site -BackToHomePage=Back to home page... -TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
      (ref=%s, type=%s, status=%s) -UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters -MainLanguage=Main language -OtherLanguages=Other languages -UseManifest=Provide a manifest.json file -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers +BlogPost=Postimi në blog +WebsiteAccount=Llogaria e faqes në internet +WebsiteAccounts=Llogaritë e faqes në internet +AddWebsiteAccount=Krijo një llogari të faqes në internet +BackToListForThirdParty=Kthehu në listë për palët e treta +DisableSiteFirst=Çaktivizo fillimisht faqen e internetit +MyContainerTitle=Titulli i faqes time të internetit +AnotherContainer=Kjo është mënyra se si të përfshini përmbajtjen e një faqeje/konteineri tjetër (mund të keni një gabim këtu nëse aktivizoni kodin dinamik sepse nënkontejneri i integruar mund të mos ekzistojë) +SorryWebsiteIsCurrentlyOffLine=Na vjen keq, kjo faqe interneti është aktualisht jashtë linje. Ju lutemi kthehuni më vonë ... +WEBSITE_USE_WEBSITE_ACCOUNTS=Aktivizo tabelën e llogarisë së faqes së internetit +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Aktivizo tabelën për të ruajtur llogaritë e faqeve të internetit (hyrje/kalim) për çdo faqe interneti / palë të tretë +YouMustDefineTheHomePage=Së pari duhet të përcaktoni faqen kryesore të paracaktuar +OnlyEditionOfSourceForGrabbedContentFuture=Paralajmërim: Krijimi i një faqe interneti duke importuar një faqe interneti të jashtme është i rezervuar për përdoruesit me përvojë. Në varësi të kompleksitetit të faqes burimore, rezultati i importimit mund të ndryshojë nga origjinali. Gjithashtu, nëse faqja burimore përdor stile të zakonshme CSS ose JavaScript konfliktuale, mund të prishë pamjen ose veçoritë e redaktuesit të faqes së internetit kur punon në këtë faqe. Kjo metodë është një mënyrë më e shpejtë për të krijuar një faqe, por rekomandohet të krijoni faqen tuaj të re nga e para ose nga një shabllon i sugjeruar i faqes.
      Vini re gjithashtu se redaktori i brendshëm mund të mos funksionojë korrektësi kur përdoret në një faqe të jashtme të rrëmbyer. +OnlyEditionOfSourceForGrabbedContent=Vetëm botimi i burimit HTML është i mundur kur përmbajtja është rrëmbyer nga një sajt i jashtëm +GrabImagesInto=Merrni gjithashtu imazhe që gjenden në css dhe faqe. +ImagesShouldBeSavedInto=Imazhet duhet të ruhen në direktori +WebsiteRootOfImages=Drejtoria rrënjësore për imazhet e faqes në internet +SubdirOfPage=Nëndrejtori i dedikuar faqes +AliasPageAlreadyExists=Faqja e pseudonimit %s ekziston tashmë +CorporateHomePage=Faqja kryesore e korporatës +EmptyPage=Faqe bosh +ExternalURLMustStartWithHttp=URL-ja e jashtme duhet të fillojë me http:// ose https:// +ZipOfWebsitePackageToImport=Ngarko skedarin Zip të paketës së shabllonit të faqes në internet +ZipOfWebsitePackageToLoad=ose Zgjidhni një paketë të disponueshme të modelit të integruar të faqes në internet +ShowSubcontainers=Shfaq përmbajtje dinamike +InternalURLOfPage=URL e brendshme e faqes +ThisPageIsTranslationOf=Kjo faqe/enë është një përkthim i +ThisPageHasTranslationPages=Kjo faqe/enë ka përkthim +NoWebSiteCreateOneFirst=Nuk është krijuar ende asnjë faqe interneti. Krijo një të parë. +GoTo=Shkoni në +DynamicPHPCodeContainsAForbiddenInstruction=Ju shtoni kodin dinamik PHP që përmban instruksionin PHP '%sb0a65dfc>071f ' që është e ndaluar si parazgjedhje si përmbajtje dinamike (shih opsionet e fshehura WEBSITE_PHP_ALLOW_xxx për të rritur listën e komandave të lejuara). +NotAllowedToAddDynamicContent=Ju nuk keni leje për të shtuar ose modifikuar përmbajtje dinamike PHP në faqet e internetit. Kërkoni leje ose thjesht mbani kodin në etiketat php të pandryshuara. +ReplaceWebsiteContent=Kërkoni ose zëvendësoni përmbajtjen e faqes në internet +DeleteAlsoJs=Të fshihen gjithashtu të gjithë skedarët JavaScript specifike për këtë faqe interneti? +DeleteAlsoMedias=Të fshihen gjithashtu të gjithë skedarët e medias specifike për këtë faqe interneti? +MyWebsitePages=Faqet e mia të internetit +SearchReplaceInto=Kërko | Zëvendësoni në +ReplaceString=Varg i ri +CSSContentTooltipHelp=Fut këtu përmbajtjen e CSS. Për të shmangur ndonjë konflikt me CSS të aplikacionit, sigurohuni që të paraprini të gjitha deklaratat me klasën .bodywebsite. Për shembull:

      #mycssselector, input.myclass:hover { ...
      duhet të jetë
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ...

      Shënim: Nëse keni një skedar të madh pa këtë parashtesë, mund të përdorni 'lessc' për ta kthyer atë për të shtuar prefiksin .bodywebsite kudo. +LinkAndScriptsHereAreNotLoadedInEditor=Paralajmërim: Kjo përmbajtje del vetëm kur aksesohet në sajt nga një server. Nuk përdoret në modalitetin e modifikimit, kështu që nëse keni nevojë të ngarkoni skedarë JavaScript edhe në modalitetin e redaktimit, thjesht shtoni etiketën tuaj 'script src=...' në faqe. +Dynamiccontent=Shembull i një faqeje me përmbajtje dinamike +ImportSite=Importoni shabllonin e faqes në internet +EditInLineOnOff=Modaliteti 'Redakto në linjë' është %s +ShowSubContainersOnOff=Mënyra për të ekzekutuar 'përmbajtje dinamike' është %s +GlobalCSSorJS=Skedari global CSS/JS/Header i faqes në internet +BackToHomePage=Kthehu në faqen kryesore... +TranslationLinks=Lidhje përkthimi +YouTryToAccessToAFileThatIsNotAWebsitePage=Ju përpiqeni të hyni në një faqe që nuk është e disponueshme.
      (ref=%s, type=%s, status=%s) +UseTextBetween5And70Chars=Për praktika të mira SEO, përdorni një tekst nga 5 deri në 70 karaktere +MainLanguage=Gjuha kryesore +OtherLanguages=Gjuhe te tjera +UseManifest=Siguroni një skedar manifest.json +PublicAuthorAlias=Pseudonimi i autorit publik +AvailableLanguagesAreDefinedIntoWebsiteProperties=Gjuhët e disponueshme përcaktohen në vetitë e uebsajtit +ReplacementDoneInXPages=Zëvendësimi u krye në faqet ose kontejnerët %s RSSFeed=RSS Feed -RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL -PagesRegenerated=%s page(s)/container(s) regenerated -RegenerateWebsiteContent=Regenerate web site cache files -AllowedInFrames=Allowed in Frames -DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties. -GenerateSitemaps=Generate website sitemap file -ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... -ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap file %s generated +RSSFeedDesc=Ju mund të merrni një burim RSS të artikujve më të fundit me llojin 'blogpost' duke përdorur këtë URL +PagesRegenerated=%s faqe(a)/kontejnerë të rigjeneruar +RegenerateWebsiteContent=Rigjeneroni skedarët e cache të faqeve të internetit +AllowedInFrames=Lejohet në Korniza +DefineListOfAltLanguagesInWebsiteProperties=Përcaktoni listën e të gjitha gjuhëve të disponueshme në vetitë e faqes së internetit. +GenerateSitemaps=Gjeneroni skedarin e faqes sitemap.xml +ConfirmGenerateSitemaps=Nëse e konfirmoni, do të fshini skedarin ekzistues të hartës së faqes... +ConfirmSitemapsCreation=Konfirmo krijimin e hartës së faqes +SitemapGenerated=Skedari i hartës së sitit %s u krijua ImportFavicon=Favicon -ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 -FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) +ErrorFaviconType=Faviconi duhet të jetë png +ErrorFaviconSize=Faviconi duhet të ketë përmasat 16x16, 32x32 ose 64x64 +FaviconTooltip=Ngarko një imazh që duhet të jetë një png (16x16, 32x32 ose 64x64) +NextContainer=Faqja tjetër/kontejneri +PreviousContainer=Faqja/kontejneri i mëparshëm +WebsiteMustBeDisabled=Faqja e internetit duhet të ketë statusin "%s" +WebpageMustBeDisabled=Faqja e internetit duhet të ketë statusin "%s" +SetWebsiteOnlineBefore=Kur faqja e internetit është jashtë linje, të gjitha faqet janë jashtë linje. Ndryshoni statusin e faqes në internet së pari. +Booking=Rezervimi +Reservation=Rezervimi +PagesViewedPreviousMonth=Faqet e shikuara (muajin e kaluar) +PagesViewedTotal=Faqet e shikuara (gjithsej) +Visibility=Dukshmëria +Everyone=Të gjithë +AssignedContacts=Kontaktet e caktuara +WebsiteTypeLabel=Lloji i faqes në internet +WebsiteTypeDolibarrWebsite=Uebfaqja (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Portali vendas Dolibarr diff --git a/htdocs/langs/sq_AL/withdrawals.lang b/htdocs/langs/sq_AL/withdrawals.lang index 1b18584b316..bb826ef061d 100644 --- a/htdocs/langs/sq_AL/withdrawals.lang +++ b/htdocs/langs/sq_AL/withdrawals.lang @@ -1,156 +1,174 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Payments by Direct debit orders -SuppliersStandingOrdersArea=Payments by Credit transfer -StandingOrdersPayment=Direct debit payment orders -StandingOrderPayment=Direct debit payment order -NewStandingOrder=New direct debit order -NewPaymentByBankTransfer=New payment by credit transfer -StandingOrderToProcess=To process -PaymentByBankTransferReceipts=Credit transfer orders -PaymentByBankTransferLines=Credit transfer order lines -WithdrawalsReceipts=Direct debit orders -WithdrawalReceipt=Direct debit order -BankTransferReceipts=Credit transfer orders -BankTransferReceipt=Credit transfer order -LatestBankTransferReceipts=Latest %s credit transfer orders -LastWithdrawalReceipts=Latest %s direct debit files -WithdrawalsLine=Direct debit order line -CreditTransfer=Credit transfer -CreditTransferLine=Credit transfer line -WithdrawalsLines=Direct debit order lines -CreditTransferLines=Credit transfer lines -RequestStandingOrderToTreat=Requests for direct debit payment order to process -RequestStandingOrderTreated=Requests for direct debit payment order processed -RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process -RequestPaymentsByBankTransferTreated=Requests for credit transfer processed -NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order -NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information -NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer -SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer -InvoiceWaitingWithdraw=Invoice waiting for direct debit -InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer -AmountToWithdraw=Amount to withdraw -NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. -NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. -ResponsibleUser=User Responsible -WithdrawalsSetup=Direct debit payment setup -CreditTransferSetup=Credit transfer setup -WithdrawStatistics=Direct debit payment statistics -CreditTransferStatistics=Credit transfer statistics -Rejects=Rejects -LastWithdrawalReceipt=Latest %s direct debit receipts -MakeWithdrawRequest=Make a direct debit payment request -MakeBankTransferOrder=Make a credit transfer request -WithdrawRequestsDone=%s direct debit payment requests recorded -BankTransferRequestsDone=%s credit transfer requests recorded -ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. -WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. -ClassCredited=Classify credited -ClassDebited=Classify debited -ClassCreditedConfirm=Are you sure you want to classify this withdrawal receipt as credited on your bank account? -TransData=Transmission date -TransMetod=Transmission method -Send=Send -Lines=Lines -StandingOrderReject=Issue a rejection -WithdrawsRefused=Direct debit refused -WithdrawalRefused=Withdrawal refused -CreditTransfersRefused=Credit transfers refused -WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society -RefusedData=Date of rejection -RefusedReason=Reason for rejection -RefusedInvoicing=Billing the rejection -NoInvoiceRefused=Do not charge the rejection -InvoiceRefused=Invoice refused (Charge the rejection to customer) -StatusDebitCredit=Status debit/credit -StatusWaiting=Waiting +CustomersStandingOrdersArea=Pagesat me urdhër të debitimit direkt +SuppliersStandingOrdersArea=Pagesat me transfertë krediti +StandingOrdersPayment=Urdhërpagesat me debitim direkt +StandingOrderPayment=Urdhër pagese me debitim direkt +NewStandingOrder=Urdhër i ri i debitimit direkt +NewPaymentByBankTransfer=Pagesë e re me transfertë krediti +StandingOrderToProcess=Të procesojmë +PaymentByBankTransferReceipts=Urdhër transferta krediti +PaymentByBankTransferLines=Linjat e porosive të transfertave të kredisë +WithdrawalsReceipts=Urdhërat e debitimit direkt +WithdrawalReceipt=Urdhër debitimi direkt +BankTransferReceipts=Urdhër transferta krediti +BankTransferReceipt=Urdhër transferimi i kredisë +LatestBankTransferReceipts=Urdhërat e fundit të transferimit të kredisë %s +LastWithdrawalReceipts=Skedarët më të fundit %s të debitit direkt +WithdrawalsLine=Linja e porosisë së debitimit direkt +CreditTransfer=Transferimi i kredisë +CreditTransferLine=Linja e transferimit të kredisë +WithdrawalsLines=Linjat e porosive të debitimit direkt +CreditTransferLines=Linjat e transferimit të kredisë +RequestStandingOrderToTreat=Përpunimi i kërkesave për urdhërpagesë me debitim direkt +RequestStandingOrderTreated=Kërkesat për urdhërpagesë me debitim direkt u përpunuan +RequestPaymentsByBankTransferToTreat=Kërkesat për transferim kredie në proces +RequestPaymentsByBankTransferTreated=Kërkesat për transferim kredie të përpunuara +NotPossibleForThisStatusOfWithdrawReceiptORLine=Ende nuk është e mundur. Statusi i tërheqjes duhet të vendoset në "i kredituar" përpara se të deklarohet refuzimi në linja specifike. +NbOfInvoiceToWithdraw=Numri i faturave të klientëve të kualifikuar me urdhër të debitimit direkt në pritje +NbOfInvoiceToWithdrawWithInfo=Nr. i faturës së klientit me urdhërpagesa me debitim direkt me të dhëna të përcaktuara të llogarisë bankare +NbOfInvoiceToPayByBankTransfer=Nr. i faturave të furnizuesit të kualifikuar që presin një pagesë me transfertë krediti +SupplierInvoiceWaitingWithdraw=Fatura e shitësit në pritje të pagesës me transfertë krediti +InvoiceWaitingWithdraw=Fatura në pritje të debitimit direkt +InvoiceWaitingPaymentByBankTransfer=Fatura në pritje për transferimin e kredisë +AmountToWithdraw=Shuma për të tërhequr +AmountToTransfer=Shuma për transferim +NoInvoiceToWithdraw=Nuk është në pritje asnjë faturë e hapur për "%s". Shko te skeda '%s' në kartën e faturës për të bërë një kërkesë. +NoSupplierInvoiceToWithdraw=Nuk pret asnjë faturë furnizuesi me '%s' të hapur. Shkoni te skeda '%s' në kartën e faturës për të bërë një kërkesë. +ResponsibleUser=Përdoruesi Përgjegjës +WithdrawalsSetup=Konfigurimi i pagesës së debitit direkt +CreditTransferSetup=Konfigurimi i transferimit të kredisë +WithdrawStatistics=Statistikat e pagesave të debitit direkt +CreditTransferStatistics=Statistikat e transfertave të kredisë +Rejects=Refuzon +LastWithdrawalReceipt=Faturat e fundit %s të debitit direkt +MakeWithdrawRequest=Bëni një kërkesë për pagesë të debitit direkt +MakeWithdrawRequestStripe=Bëni një kërkesë për pagesë të debitit direkt përmes Stripe +MakeBankTransferOrder=Bëni një kërkesë për transferim kredie +WithdrawRequestsDone=%s u regjistruan kërkesa për pagesë të debitit direkt +BankTransferRequestsDone=%s kërkesat për transferim krediti u regjistruan +ThirdPartyBankCode=Kodi i bankës së palës së tretë +NoInvoiceCouldBeWithdrawed=Asnjë faturë nuk u përpunua me sukses. Kontrollo që faturat janë në kompani me një IBAN të vlefshëm dhe që IBAN të ketë një UMR (Unique Mandate Reference) me modalitetin %s
      . +NoInvoiceCouldBeWithdrawedSupplier=Asnjë faturë nuk u përpunua me sukses. Kontrollo që faturat janë në kompani me një IBAN të vlefshëm. +NoSalariesCouldBeWithdrawed=Asnjë pagë nuk u përpunua me sukses. Kontrollo që pagat janë për përdoruesit me një IBAN të vlefshëm. +WithdrawalCantBeCreditedTwice=Kjo faturë tërheqjeje është shënuar tashmë si e kredituar; kjo nuk mund të bëhet dy herë, pasi kjo mund të krijojë pagesa të dyfishta dhe hyrje bankare. +ClassCredited=Klasifikimi i kredituar +ClassDebited=Klasifikoni të debituara +ClassCreditedConfirm=Jeni i sigurt që dëshironi ta klasifikoni këtë faturë tërheqjeje si të kredituar në llogarinë tuaj bankare? +TransData=Data e transmetimit +TransMetod=Mënyra e transmetimit +Send=Dërgo +Lines=Linjat +StandingOrderReject=Regjistroni një refuzim +WithdrawsRefused=Debitimi direkt u refuzua +WithdrawalRefused=Tërheqja e refuzuar +CreditTransfersRefused=Transfertat e kredisë u refuzuan +WithdrawalRefusedConfirm=Jeni i sigurt që dëshironi të hyni në një refuzim tërheqjeje për shoqërinë +RefusedData=Data e refuzimit +RefusedReason=Arsyeja e refuzimit +RefusedInvoicing=Faturimi i refuzimit +NoInvoiceRefused=Mos e tarifoni klientin për refuzimin +InvoiceRefused=Ngarkoni klientin për refuzimin +DirectDebitRefusedInvoicingDesc=Vendosni një flamur për të thënë se ky refuzim duhet t'i ngarkohet klientit +StatusDebitCredit=Debiti/kredi i statusit +StatusWaiting=Ne pritje StatusTrans=Dërguar -StatusDebited=Debited -StatusCredited=Credited -StatusPaid=Paid +StatusDebited=Debituar +StatusCredited=I kredituar +StatusPaid=I paguar StatusRefused=Refuzuar -StatusMotif0=Unspecified -StatusMotif1=Insufficient funds -StatusMotif2=Request contested -StatusMotif3=No direct debit payment order -StatusMotif4=Sales Order -StatusMotif5=RIB unusable -StatusMotif6=Account without balance -StatusMotif7=Judicial Decision -StatusMotif8=Other reason -CreateForSepaFRST=Create direct debit file (SEPA FRST) -CreateForSepaRCUR=Create direct debit file (SEPA RCUR) -CreateAll=Create direct debit file -CreateFileForPaymentByBankTransfer=Create file for credit transfer -CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) -CreateGuichet=Only office -CreateBanque=Only bank -OrderWaiting=Waiting for treatment -NotifyTransmision=Record file transmission of order -NotifyCredit=Record credit of order -NumeroNationalEmetter=National Transmitter Number -WithBankUsingRIB=For bank accounts using RIB -WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT -BankToReceiveWithdraw=Receiving Bank Account -BankToPayCreditTransfer=Bank Account used as source of payments -CreditDate=Credit on -WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) -ShowWithdraw=Show Direct Debit Order -IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Payment by direct debit to generate and manage the direct debit order. When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu Bank->Payment by credit transfer to generate and manage the credit transfer order. When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -WithdrawalFile=Debit order file -CreditTransferFile=Credit transfer file -SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null -StatisticsByLineStatus=Statistics by status of lines +StatusMotif0=E paspecifikuar +StatusMotif1=Fonde të pamjaftueshme +StatusMotif2=Kërkesa e kontestuar +StatusMotif3=Asnjë urdhër pagese me debitim direkt +StatusMotif4=Urdhri i shitjes +StatusMotif5=RIB i papërdorshëm +StatusMotif6=Llogari pa bilanc +StatusMotif7=Vendim Gjyqesor +StatusMotif8=Arsye tjetër +CreateForSepaFRST=Krijo skedar të debitimit direkt (SEPA FRST) +CreateForSepaRCUR=Krijo skedar të debitimit direkt (SEPA RCUR) +CreateAll=Krijo skedar të debitimit direkt +CreateFileForPaymentByBankTransfer=Krijo skedar për transferimin e kredisë +CreateSepaFileForPaymentByBankTransfer=Krijo skedar transferimi krediti (SEPA) +CreateGuichet=Vetëm zyrë +CreateBanque=Vetëm bankë +OrderWaiting=Në pritje të trajtimit +NotifyTransmision=Regjistroni skedarin e transmetimit të porosisë +NotifyCredit=Rekord krediti i porosisë +NumeroNationalEmetter=Numri Kombëtar i Transmetuesit +WithBankUsingRIB=Për llogaritë bankare duke përdorur RIB +WithBankUsingBANBIC=Për llogaritë bankare duke përdorur IBAN/BIC/SWIFT +BankToReceiveWithdraw=Marrja e llogarisë bankare +BankToPayCreditTransfer=Llogaria bankare përdoret si burim pagese +CreditDate=Kredi në +WithdrawalFileNotCapable=Nuk mund të gjenerohet skedari i faturës së tërheqjes për vendin tuaj %s (Vendi juaj nuk mbështetet) +ShowWithdraw=Shfaq porosinë e debitimit direkt +IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Megjithatë, nëse fatura ka të paktën një urdhër pagese të debitimit direkt të pa përpunuar ende, ajo nuk do të caktohet si e paguar për të lejuar menaxhimin paraprak të tërheqjes. +DoStandingOrdersBeforePayments=Kjo skedë ju lejon të kërkoni një urdhër pagese me debitim direkt. Pasi të keni mbaruar, mund të shkoni në menynë "Banka->Pagesa me debitim direkt" për të gjeneruar dhe menaxhuar një skedar të porosisë së debitimit direkt. +DoStandingOrdersBeforePayments2=Ju gjithashtu mund të dërgoni një kërkesë direkt në një procesor pagese SEPA si Stripe, ... +DoStandingOrdersBeforePayments3=Kur kërkesa mbyllet, pagesa në fatura do të regjistrohet automatikisht dhe faturat mbyllen nëse pjesa e mbetur për të paguar është e pavlefshme. +DoCreditTransferBeforePayments=Kjo skedë ju lejon të kërkoni një urdhër transferimi kredie. Pasi të keni mbaruar, shkoni në menynë "Banka->Pagesa me transfertë krediti" për të gjeneruar dhe menaxhuar një skedar të porosisë së transfertës së kredisë. +DoCreditTransferBeforePayments3=Kur urdhri i transferimit të kredisë mbyllet, pagesa në fatura do të regjistrohet automatikisht dhe faturat mbyllen nëse pjesa e mbetur për të paguar është e pavlefshme. +WithdrawalFile=Dosja e porosisë së debitit +CreditTransferFile=Skedari i transferimit të kredisë +SetToStatusSent=Cakto në statusin "Skedari u dërgua" +ThisWillAlsoAddPaymentOnInvoice=Kjo gjithashtu do të regjistrojë pagesat në fatura dhe do t'i klasifikojë ato si "të paguara" nëse mbetet për të paguar është e pavlefshme +StatisticsByLineStatus=Statistikat sipas statusit të linjave RUM=UMR -DateRUM=Mandate signature date -RUMLong=Unique Mandate Reference -RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) -WithdrawRequestAmount=Amount of Direct debit request: -BankTransferAmount=Amount of Credit Transfer request: -WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. -SepaMandate=SEPA Direct Debit Mandate -SepaMandateShort=SEPA Mandate -PleaseReturnMandate=Please return this mandate form by email to %s or by mail to -SEPALegalText=By signing this mandate form, you authorize (A) %s to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. -CreditorIdentifier=Creditor Identifier -CreditorName=Creditor Name -SEPAFillForm=(B) Please complete all the fields marked * -SEPAFormYourName=Your name -SEPAFormYourBAN=Your Bank Account Name (IBAN) -SEPAFormYourBIC=Your Bank Identifier Code (BIC) -SEPAFrstOrRecur=Type of payment -ModeRECUR=Recurring payment -ModeFRST=One-off payment -PleaseCheckOne=Please check one only -CreditTransferOrderCreated=Credit transfer order %s created -DirectDebitOrderCreated=Direct debit order %s created -AmountRequested=Amount requested +DateRUM=Data e nënshkrimit të mandatit +RUMLong=Referencë unike e mandatit +RUMWillBeGenerated=Nëse bosh, do të krijohet një UMR (Unique Mandate Reference) sapo të ruhet informacioni i llogarisë bankare. +WithdrawMode=Modaliteti i debitimit direkt (FRST ose RCUR) +WithdrawRequestAmount=Shuma e kërkesës për debitim direkt: +BankTransferAmount=Shuma e kërkesës për transferim kredie: +WithdrawRequestErrorNilAmount=Nuk mund të krijohet kërkesa për debitim direkt për shumën boshe. +SepaMandate=Mandati i Debitimit Direkt SEPA +SepaMandateShort=Mandati SEPA +PleaseReturnMandate=Ju lutemi kthejeni këtë formular mandati me email në %s ose me postë në +SEPALegalText=Duke nënshkruar këtë formular mandati, ju autorizoni (A) %s dhe ofruesin e tij të shërbimit të pagesave që t'i dërgojnë udhëzime bankës tuaj për të debituar llogarinë tuaj dhe (B) bankën tuaj për të debituar llogarinë tuaj në në përputhje me udhëzimet nga %s. Si pjesë e të drejtave tuaja, ju keni të drejtë për një rimbursim nga banka juaj sipas termave dhe kushteve të marrëveshjes suaj me bankën tuaj. Të drejtat tuaja në lidhje me mandatin e mësipërm shpjegohen në një deklaratë që mund të merrni nga banka juaj. Ju pranoni të merrni njoftime për tarifat e ardhshme deri në 2 ditë përpara se ato të ndodhin. +CreditorIdentifier=Identifikuesi i kreditorit +CreditorName=Emri i kreditorit +SEPAFillForm=(B) Ju lutemi plotësoni të gjitha fushat e shënuara * +SEPAFormYourName=Emri juaj +SEPAFormYourBAN=Emri i llogarisë suaj bankare (IBAN) +SEPAFormYourBIC=Kodi identifikues i bankës (BIC) +SEPAFrstOrRecur=Lloji i pagesës +ModeRECUR=Pagesë e përsëritur +ModeRCUR=Pagesë e përsëritur +ModeFRST=Pagesë një herë +PleaseCheckOne=Ju lutemi kontrolloni vetëm një +CreditTransferOrderCreated=Urdhri i transferimit të kredisë %s u krijua +DirectDebitOrderCreated=Urdhri i debitit direkt %s u krijua +AmountRequested=Shuma e kërkuar SEPARCUR=SEPA CUR SEPAFRST=SEPA FRST -ExecutionDate=Execution date -CreateForSepa=Create direct debit file -ICS=Creditor Identifier - ICS -END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction -USTRD="Unstructured" SEPA XML tag -ADDDAYS=Add days to Execution Date -NoDefaultIBANFound=No default IBAN found for this third party +ExecutionDate=Data e ekzekutimit +CreateForSepa=Krijoni skedar të debitimit direkt +ICS=Identifikuesi i Kreditorit - ICS +IDS=Identifikuesi i debitorit +END_TO_END=Etiketa "EndToEndId" SEPA XML - ID unike e caktuar për transaksion +USTRD=Etiketa SEPA XML "e pastrukturuar". +ADDDAYS=Shtoni ditë në datën e ekzekutimit +NoDefaultIBANFound=Nuk u gjet asnjë IBAN i paracaktuar për këtë palë të tretë ### Notifications -InfoCreditSubject=Payment of direct debit payment order %s by the bank -InfoCreditMessage=The direct debit payment order %s has been paid by the bank
      Data of payment: %s -InfoTransSubject=Transmission of direct debit payment order %s to bank -InfoTransMessage=The direct debit payment order %s has been sent to bank by %s %s.

      -InfoTransData=Amount: %s
      Method: %s
      Date: %s -InfoRejectSubject=Direct debit payment order refused -InfoRejectMessage=Hello,

      the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

      --
      %s -ModeWarning=Option for real mode was not set, we stop after this simulation -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. -ErrorICSmissing=Missing ICS in Bank account %s -TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines -WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s -WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s +InfoCreditSubject=Urdhërpagesa e debitit direkt %s nga banka +InfoCreditMessage=Urdhërpagesa e debitit direkt %s është paguar nga banka
      Të dhënat e pagesës: b0ecb2ec87f49 +InfoTransSubject=Transmetimi i urdhrit të pagesës së debitit direkt %s në bankë +InfoTransMessage=Urdhri i pagesës së debitit direkt %s është dërguar në bankë nga %s %s


      +InfoTransData=Shuma: %s
      Metoda: %s
      Data: %s +InfoRejectSubject=Urdhërpagesa e debitimit direkt u refuzua +InfoRejectMessage=Përshëndetje,

      urdhri i pagesës së debitit direkt të faturës %s i lidhur me
      %s, me një shumë prej %s është refuzuar nga banka.b0342fccfda19bz /span>
      --
      %s +ModeWarning=Opsioni për modalitetin real nuk u vendos, ne ndalemi pas këtij simulimi +ErrorCompanyHasDuplicateDefaultBAN=Kompania me id %s ka më shumë se një llogari bankare të paracaktuar. Nuk ka asnjë mënyrë për të ditur se cilën të përdorni. +ErrorICSmissing=Mungon ICS në llogarinë bankare %s +TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Shuma totale e porosisë së debitimit direkt ndryshon nga shuma e rreshtave +WarningSomeDirectDebitOrdersAlreadyExists=Paralajmërim: Tashmë ka disa porosi të Debitit Direkt në pritje (%s) të kërkuara për një shumë prej %s +WarningSomeCreditTransferAlreadyExists=Paralajmërim: Ka tashmë disa transferta krediti në pritje (%s) të kërkuara për një shumë prej %s +UsedFor=Përdoret për %s +Societe_ribSigned=Mandati SEPA Nënshkruar +NbOfInvoiceToPayByBankTransferForSalaries=Numri i pagave të kualifikuara që presin një pagesë me transfertë krediti +SalaryWaitingWithdraw=Pagat në pritje të pagesës me transfertë krediti +RefSalary=Rrogë +NoSalaryInvoiceToWithdraw=Nuk ka rrogë në pritje të një '%s'. Shko te skeda '%s' në kartën e pagës për të bërë një kërkesë. +SalaryInvoiceWaitingWithdraw=Pagat në pritje të pagesës me transfertë krediti + diff --git a/htdocs/langs/sq_AL/workflow.lang b/htdocs/langs/sq_AL/workflow.lang index adfe7f69609..5cc7aabebd3 100644 --- a/htdocs/langs/sq_AL/workflow.lang +++ b/htdocs/langs/sq_AL/workflow.lang @@ -1,26 +1,38 @@ # Dolibarr language file - Source file is en_US - workflow -WorkflowSetup=Workflow module setup -WorkflowDesc=This module provides some automatic actions. By default, the workflow is open (you can do things in the order you want) but here you can activate some automatic actions. -ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules. +WorkflowSetup=Konfigurimi i modulit të rrjedhës së punës +WorkflowDesc=Ky modul ofron disa veprime automatike. Si parazgjedhje, fluksi i punës është i hapur (mund t'i bëni gjërat sipas rendit që dëshironi), por këtu mund të aktivizoni disa veprime automatike. +ThereIsNoWorkflowToModify=Nuk ka modifikime të rrjedhës së punës në dispozicion me modulet e aktivizuara. # Autocreate -descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a sales order after a commercial proposal is signed (the new order will have same amount as the proposal) -descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Automatically create a customer invoice after a commercial proposal is signed (the new invoice will have same amount as the proposal) -descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automatically create a customer invoice after a contract is validated -descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automatically create a customer invoice after a sales order is closed (the new invoice will have same amount as the order) +descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Krijo automatikisht një urdhër shitje pasi të nënshkruhet një propozim tregtar (porosia e re do të ketë të njëjtën shumë si propozimi) +descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Krijo automatikisht një faturë klienti pasi të nënshkruhet një propozim tregtar (fatura e re do të ketë të njëjtën shumë me propozimin) +descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Krijoni automatikisht një faturë klienti pasi të jetë vërtetuar një kontratë +descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Krijo automatikisht një faturë klienti pas mbylljes së një porosie shitjeje (fatura e re do të ketë të njëjtën shumë si porosia) +descWORKFLOW_TICKET_CREATE_INTERVENTION=Në krijimin e biletave, krijoni automatikisht një ndërhyrje. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales order as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classify linked source sales order as shipped when a shipment is closed (and if the quantity shipped by all shipments is the same as in the order to update) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Klasifikoni propozimet e burimeve të lidhura si të faturuara kur një porosi shitjeje është caktuar të faturohet (dhe nëse shuma e porosisë është e njëjtë me shumën totale të propozimeve të lidhura të nënshkruara) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Klasifikoni propozimet e burimeve të lidhura si të faturuara kur një faturë klienti vërtetohet (dhe nëse shuma e faturës është e njëjtë me shumën totale të propozimeve të lidhura të nënshkruara) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Klasifikoni porosinë e shitjeve me burim të lidhur si të faturuar kur një faturë e klientit vërtetohet (dhe nëse shuma e faturës është e njëjtë me shumën totale të porosive të lidhura të shitjeve). Nëse keni 1 faturë të vërtetuar për n porosi, kjo mund t'i vendosë gjithashtu të gjitha porositë të faturuara. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Klasifikoni porositë e shitjeve me burime të lidhura si të faturuara kur një faturë klienti është caktuar të paguhet (dhe nëse shuma e faturës është e njëjtë me shumën totale të porosive të shitjeve të lidhura). Nëse keni 1 grup faturë të faturuar për n porosi, kjo mund t'i vendosë gjithashtu të gjitha porositë të faturohen. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Klasifikoni porositë e shitjeve me burim të lidhur si të dërguara kur një dërgesë vërtetohet (dhe nëse sasia e dërguar nga të gjitha dërgesat është e njëjtë si në porosinë për përditësim) +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Klasifiko porosinë e shitjes me burim të lidhur si të dërguar kur një dërgesë mbyllet (dhe nëse sasia e dërguar nga të gjitha dërgesat është e njëjtë si në porosinë për përditësim) +# Autoclassify purchase proposal +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Klasifiko propozimin e shitësit me burim të lidhur si të faturuar kur fatura e shitësit vërtetohet (dhe nëse shuma e faturës është e njëjtë me shumën totale të propozimeve të lidhura) # Autoclassify purchase order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated -# Autoclose intervention -descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed -AutomaticCreation=Automatic creation -AutomaticClassification=Automatic classification +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Klasifiko porosinë e blerjes me burim të lidhur si të faturuar kur fatura e shitësit vërtetohet (dhe nëse shuma e faturës është e njëjtë me shumën totale të porosive të lidhura) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Klasifiko porosinë e blerjes me burim të lidhur siç është marrë kur një pritje vërtetohet (dhe nëse sasia e marrë nga të gjitha pritjet është e njëjtë si në porosinë e blerjes për përditësim) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Klasifiko porosinë e blerjes me burim të lidhur siç është marrë kur një pritje mbyllet (dhe nëse sasia e marrë nga të gjitha pritjet është e njëjtë si në porosinë e blerjes për përditësim) # Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Klasifikoni dërgesën me burim të lidhur si të mbyllur kur një faturë klienti vërtetohet (dhe nëse shuma e faturës është e njëjtë me shumën totale të dërgesave të lidhura) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Klasifikoni dërgesën me burim të lidhur si të faturuar kur një faturë klienti vërtetohet (dhe nëse shuma e faturës është e njëjtë me shumën totale të dërgesave të lidhura) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Klasifikoni pritjet me burim të lidhur si të faturuara kur një faturë blerjeje vërtetohet (dhe nëse shuma e faturës është e njëjtë me shumën totale të pritjeve të lidhura) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Klasifikoni pritjet me burim të lidhur si të faturuara kur një faturë blerjeje vërtetohet (dhe nëse shuma e faturës është e njëjtë me shumën totale të pritjeve të lidhura) +# Automatically link ticket to contract +descWORKFLOW_TICKET_LINK_CONTRACT=Kur krijoni një biletë, lidhni të gjitha kontratat e disponueshme të palëve të treta që përputhen +descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Kur lidhni kontrata, kërkoni midis atyre të kompanive prindërore +# Autoclose intervention +descWORKFLOW_TICKET_CLOSE_INTERVENTION=Mbyllni të gjitha ndërhyrjet e lidhura me biletën kur një biletë është e mbyllur +AutomaticCreation=Krijimi automatik +AutomaticClassification=Klasifikimi automatik +AutomaticClosing=Mbyllje automatike +AutomaticLinking=Lidhje automatike diff --git a/htdocs/langs/sq_AL/zapier.lang b/htdocs/langs/sq_AL/zapier.lang index b4cc4ccba4a..04a6620a9d7 100644 --- a/htdocs/langs/sq_AL/zapier.lang +++ b/htdocs/langs/sq_AL/zapier.lang @@ -13,9 +13,9 @@ # You should have received a copy of the GNU General Public License # along with this program. If not, see . -ModuleZapierForDolibarrName = Zapier for Dolibarr -ModuleZapierForDolibarrDesc = Zapier for Dolibarr module -ZapierForDolibarrSetup=Setup of Zapier for Dolibarr -ZapierDescription=Interface with Zapier -ZapierAbout=About the module Zapier -ZapierSetupPage=There is no need for a setup on Dolibarr side to use Zapier. However, you must generate and publish a package on zapier to be able to use Zapier with Dolibarr. See documentation on
      this wiki page. +ModuleZapierForDolibarrName = Zapier për Dolibarr +ModuleZapierForDolibarrDesc = Zapier për modulin Dolibarr +ZapierForDolibarrSetup=Vendosja e Zapier për Dolibarr +ZapierDescription=Ndërfaqja me Zapier +ZapierAbout=Rreth modulit Zapier +ZapierSetupPage=Nuk ka nevojë për një konfigurim në anën e Dolibarr për të përdorur Zapier. Sidoqoftë, duhet të gjeneroni dhe publikoni një paketë në zapier për të qenë në gjendje të përdorni Zapier me Dolibarr. Shiko dokumentacionin në këtë faqe wiki. diff --git a/htdocs/langs/sr_RS/accountancy.lang b/htdocs/langs/sr_RS/accountancy.lang index 2c52ea0caf6..a5b5118b8c8 100644 --- a/htdocs/langs/sr_RS/accountancy.lang +++ b/htdocs/langs/sr_RS/accountancy.lang @@ -1,31 +1,31 @@ # Dolibarr language file - en_US - Accountancy (Double entries) -Accountancy=Računovodstvo -Accounting=Računovodstvo -ACCOUNTING_EXPORT_SEPARATORCSV=Separator kolona datoteke za izvoz -ACCOUNTING_EXPORT_DATE=Format datuma datoteke za izvoz -ACCOUNTING_EXPORT_PIECE=Izvezi broj delova -ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Izvoz sa globalnim računom +Accountancy=Accountancy +Accounting=Accounting +ACCOUNTING_EXPORT_SEPARATORCSV=Column separator for export file +ACCOUNTING_EXPORT_DATE=Date format for export file +ACCOUNTING_EXPORT_PIECE=Export the number of piece +ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Export with global account ACCOUNTING_EXPORT_LABEL=Export label ACCOUNTING_EXPORT_AMOUNT=Export amount ACCOUNTING_EXPORT_DEVISE=Export currency -Selectformat=Odaberi format datoteke -ACCOUNTING_EXPORT_FORMAT=Odaberi format datoteke +Selectformat=Select the format for the file +ACCOUNTING_EXPORT_FORMAT=Select the format for the file ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type -ACCOUNTING_EXPORT_PREFIX_SPEC=Naznači prefix datoteci +ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name ThisService=This service ThisProduct=This product -DefaultForService=Default for service -DefaultForProduct=Default for product -ProductForThisThirdparty=Product for this thirdparty -ServiceForThisThirdparty=Service for this thirdparty +DefaultForService=Default for services +DefaultForProduct=Default for products +ProductForThisThirdparty=Product for this third party +ServiceForThisThirdparty=Service for this third party CantSuggest=Can't suggest AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s ConfigAccountingExpert=Configuration of the module accounting (double entry) Journalization=Journalization -Journals=Izveštaji -JournalFinancial=Finansijski izveštaji -BackToChartofaccounts=Vrati tabelu računa -Chartofaccounts=Tabela računa +Journals=Journals +JournalFinancial=Financial journals +BackToChartofaccounts=Return chart of accounts +Chartofaccounts=Chart of accounts ChartOfSubaccounts=Chart of individual accounts ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger CurrentDedicatedAccountingAccount=Current dedicated account @@ -38,9 +38,10 @@ DeleteCptCategory=Remove accounting account from group ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group? JournalizationInLedgerStatus=Status of journalization AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger +NotYetInGeneralLedger=Not yet transferred to accounting journals and ledger GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group DetailByAccount=Show detail by account +DetailBy=Detail by AccountWithNonZeroValues=Accounts with non-zero values ListOfAccounts=List of accounts CountriesInEEC=Countries in EEC @@ -51,26 +52,30 @@ AccountantFiles=Export source documents ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. +ExportAccountancy=Export accountancy +WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported, click on the button above. VueByAccountAccounting=View by accounting account VueBySubAccountAccounting=View by accounting subaccount -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup -MainAccountForUsersNotDefined=Main accounting account for users not defined in setup -MainAccountForVatPaymentNotDefined=Main accounting account for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Main accounting account for subscription payment not defined in setup +MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup +MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup +MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup +MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup +MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup +MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup UserAccountNotDefined=Accounting account for user not defined in setup AccountancyArea=Accounting area AccountancyAreaDescIntro=Usage of the accountancy module is done in several step: AccountancyAreaDescActionOnce=The following actions are usually executed one time only, or once per year... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting +AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automatically the correct default accounting account when transferring data in accounting AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescFiscalPeriod=STEP %s: Define a fiscal year by default on which to integrate your accounting entries. For this, use the menu entry %s. AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. @@ -78,32 +83,34 @@ AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment o AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. AccountancyAreaDescDonation=STEP %s: Define default accounting accounts for donation. For this, use the menu entry %s. AccountancyAreaDescSubscription=STEP %s: Define default accounting accounts for member subscription. For this, use the menu entry %s. -AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. +AccountancyAreaDescMisc=STEP %s: Define mandatory default accounts and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and generate reports and exports. - -AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. +AccountancyAreaDescAnalyze=STEP %s: Read reportings or generate export files for other bookkeepers. +AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't transfer anymore data in the same period in a future. +TheFiscalPeriodIsNotDefined=A mandatory step in setup has not been completed (Fiscal period is not defined) TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) Selectchartofaccounts=Select active chart of accounts +CurrentChartOfAccount=Current active chart of account ChangeAndLoad=Change and load -Addanaccount=Dodaj računovodstveni nalog -AccountAccounting=Računovodstveni nalog -AccountAccountingShort=Račun +Addanaccount=Add an accounting account +AccountAccounting=Accounting account +AccountAccountingShort=Account SubledgerAccount=Subledger account SubledgerAccountLabel=Subledger account label ShowAccountingAccount=Show accounting account ShowAccountingJournal=Show accounting journal ShowAccountingAccountInLedger=Show accounting account in ledger ShowAccountingAccountInJournals=Show accounting account in journals -AccountAccountingSuggest=Accounting account suggested +DataUsedToSuggestAccount=Data used to suggest account +AccountAccountingSuggest=Account suggested MenuDefaultAccounts=Default accounts -MenuBankAccounts=Računi u banci +MenuBankAccounts=Bank accounts MenuVatAccounts=Vat accounts MenuTaxAccounts=Tax accounts MenuExpenseReportAccounts=Expense report accounts @@ -111,6 +118,7 @@ MenuLoanAccounts=Loan accounts MenuProductsAccounts=Product accounts MenuClosureAccounts=Closure accounts MenuAccountancyClosure=Closure +MenuExportAccountancy=Export accountancy MenuAccountancyValidationMovements=Validate movements ProductsBinding=Products accounts TransferInAccounting=Transfer in accounting @@ -125,7 +133,8 @@ ValidTransaction=Validate transaction WriteBookKeeping=Record transactions in accounting Bookkeeping=Ledger BookkeepingSubAccount=Subledger -AccountBalance=Stanje računa +AccountBalance=Account balance +AccountBalanceSubAccount=Sub-accounts balance ObjectsRef=Source object ref CAHTF=Total purchase vendor before tax TotalExpenseReport=Total expense report @@ -139,10 +148,10 @@ TotalForAccount=Total accounting account Ventilate=Bind LineId=Id line -Processing=Obrada +Processing=Processing EndProcessing=Process terminated. -SelectedLines=Izabrane linije -Lineofinvoice=Linija faktura +SelectedLines=Selected lines +Lineofinvoice=Line of invoice LineOfExpenseReport=Line of expense report NoAccountSelected=No accounting account selected VentilatedinAccount=Binded successfully to the accounting account @@ -162,21 +171,23 @@ ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of a BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_DATE_START_BINDING=Disable binding & transfer in accountancy when date is below this date (the transactions before this date will be excluded by default) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On the page to transfer data into accountancy, what is the period selected by default -ACCOUNTING_SELL_JOURNAL=Sales journal (sales and returns) -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal (purchase and returns) -ACCOUNTING_BANK_JOURNAL=Cash journal (receipts and disbursements) -ACCOUNTING_EXPENSEREPORT_JOURNAL=Izveštaj troškova +ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns +ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns +ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements +ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal ACCOUNTING_INVENTORY_JOURNAL=Inventory journal -ACCOUNTING_SOCIAL_JOURNAL=Izveštaj društvenih aktivnosti +ACCOUNTING_SOCIAL_JOURNAL=Social journal ACCOUNTING_RESULT_PROFIT=Result accounting account (Profit) ACCOUNTING_RESULT_LOSS=Result accounting account (Loss) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal of closure +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Accounting groups used for the balance sheet account (separate by comma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Accounting groups used for the income statement (separate by comma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers TransitionalAccount=Transitional bank transfer account @@ -189,6 +200,7 @@ ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be us UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Accounting account by default to register customer retained warranty ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) @@ -204,27 +216,28 @@ ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used a ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) -Doctype=Tip dokumenta -Docdate=Datum -Docref=Referenca -LabelAccount=Oznaka računa +Doctype=Type of document +Docdate=Date +Docref=Reference +LabelAccount=Label account LabelOperation=Label operation Sens=Direction AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
      For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering -Codejournal=Izveštaj +Codejournal=Journal JournalLabel=Journal label -NumPiece=Deo broj +NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Custom group of accounts +AccountingCategories=Custom groups of accounts GroupByAccountAccounting=Group by general ledger account GroupBySubAccountAccounting=Group by subledger account AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. ByAccounts=By accounts ByPredefinedAccountGroups=By predefined groups ByPersonalizedAccountGroups=By personalized groups -ByYear=Po godini +ByYear=By year NotMatch=Not Set DeleteMvt=Delete some lines from accounting DelMonth=Month to delete @@ -232,25 +245,26 @@ DelYear=Year to delete DelJournal=Journal to delete ConfirmDeleteMvt=This will delete all lines in accountancy for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) -FinanceJournal=Finansijski izveštaji +FinanceJournal=Finance journal ExpenseReportsJournal=Expense reports journal -DescFinanceJournal=Finansijski izveštaji uključujući sve vrste uplata preko bankovnog računa +InventoryJournal=Inventory journal +DescFinanceJournal=Finance journal including all the types of payments by bank account DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. VATAccountNotDefined=Account for VAT not defined ThirdpartyAccountNotDefined=Account for third party not defined ProductAccountNotDefined=Account for product not defined FeeAccountNotDefined=Account for fee not defined BankAccountNotDefined=Account for bank not defined -CustomerInvoicePayment=Uplata kupca po fakturi +CustomerInvoicePayment=Payment of invoice customer ThirdPartyAccount=Third-party account NewAccountingMvt=New transaction NumMvts=Numero of transaction ListeMvts=List of movements -ErrorDebitCredit=Debit i Kredit ne smeju imati vrednost u isto vreme +ErrorDebitCredit=Debit and Credit cannot have a value at the same time AddCompteFromBK=Add accounting accounts to the group ReportThirdParty=List third-party account DescThirdPartyReport=Consult here the list of third-party customers and vendors and their accounting accounts -ListAccounts=Lista računovodstvenih naloga +ListAccounts=List of the accounting accounts UnknownAccountForThirdparty=Unknown third-party account. We will use %s UnknownAccountForThirdpartyBlocking=Unknown third-party account. Blocking error ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s @@ -265,11 +279,12 @@ ShowSubtotalByGroup=Show subtotal by level Pcgtype=Group of account PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. +AccountingCategoriesDesc=Custom group of accounts can be used to group accounting accounts into one name to ease filter use or building of custom reports. Reconcilable=Reconcilable -TotalVente=Ukupni obrt pre poreza -TotalMarge=Ukupna prodajna marža +TotalVente=Total turnover before tax +TotalMarge=Total sales margin DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". @@ -277,7 +292,7 @@ DescVentilDoneCustomer=Consult here the list of the lines of invoices customers DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transferred in accountancy are visible) DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account @@ -285,15 +300,16 @@ DescVentilExpenseReportMore=If you setup accounting account on type of expense r DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account Closure=Annual closure -DescClosure=Consult here the number of movements by month not yet validated & locked +AccountancyClosureStep1Desc=Consult here the number of movements by month not yet validated & locked OverviewOfMovementsNotValidated=Overview of movements not validated and locked AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked -ValidateMovements=Validate and lock movements... +ValidateMovements=Validate and lock movements DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible ValidateHistory=Bind Automatically AutomaticBindingDone=Automatic bindings done (%s) - Automatic binding not possible for some record (%s) +DoManualBindingForFailedRecord=You have to do a manual link for the %s row(s) not linked automatically. ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s & Credit = %s @@ -322,12 +338,12 @@ NewAccountingJournal=New accounting journal ShowAccountingJournal=Show accounting journal NatureOfJournal=Nature of Journal AccountingJournalType1=Miscellaneous operations -AccountingJournalType2=Prodaje -AccountingJournalType3=Nabavke -AccountingJournalType4=Banka -AccountingJournalType5=Troškovi +AccountingJournalType2=Sales +AccountingJournalType3=Purchases +AccountingJournalType4=Bank +AccountingJournalType5=Expense reports AccountingJournalType8=Inventory -AccountingJournalType9=Has-new +AccountingJournalType9=Retained earnings GenerationOfAccountingEntries=Generation of accounting entries ErrorAccountingJournalIsAlreadyUse=This journal is already use AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s @@ -337,17 +353,27 @@ ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting +ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. +EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigorous accounting management. +ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not chosen by the end user +ACCOUNTING_LETTERING_NBLETTERS=Number of letters when generating lettering code (default 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Some accounting software only accepts a two-letter code. This parameter allows you to set this aspect. The default number of letters is three. +OptionsAdvanced=Advanced options +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transferred into accountancy differently: A additional debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. ## Export NotExportLettering=Do not export the lettering when generating the file -NotifiedExportDate=Flag exported lines as Exported (to modify a line, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) +NotifiedExportDate=Flag not yet exported lines as Exported (to modify a line flagged as exported, you will need to delete the whole transaction and re-transfert it into accounting) +NotifiedValidationDate=Validate and Lock the exported entries not yet already locked (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) +NotifiedExportFull=Export documents ? DateValidationAndLock=Date validation and lock ConfirmExportFile=Confirmation of the generation of the accounting export file ? ExportDraftJournal=Export draft journal -Modelcsv=Model izvoza -Selectmodelcsv=Izaberite model izvoza -Modelcsv_normal=Klasičan izvoz +Modelcsv=Model of export +Selectmodelcsv=Select a model of export +Modelcsv_normal=Classic export Modelcsv_CEGID=Export for CEGID Expert Comptabilité Modelcsv_COALA=Export for Sage Coala Modelcsv_bob50=Export for Sage BOB 50 @@ -370,15 +396,15 @@ Modelcsv_charlemagne=Export for Aplim Charlemagne ChartofaccountsId=Chart of accounts Id ## Tools - Init accounting account on product / service -InitAccountancy=Započinjanje računovodstva +InitAccountancy=Init accountancy InitAccountancyDesc=This page can be used to initialize an accounting account on products and services that does not have accounting account defined for sales and purchases. -DefaultBindingDesc=This page can be used to set a default account to use to link transactions record about payment salaries, donation, taxes and vat when no specific accounting account were already set. +DefaultBindingDesc=This page can be used to set the default accounts (from the chart of account) to use to link business objects with an account, like payment salaries, donation, taxes and VAT, when no specific account were already set. DefaultClosureDesc=This page can be used to set parameters used for accounting closures. -Options=Opcije -OptionModeProductSell=Vrsta prodaje +Options=Options +OptionModeProductSell=Mode sales OptionModeProductSellIntra=Mode sales exported in EEC OptionModeProductSellExport=Mode sales exported in other countries -OptionModeProductBuy=Vrsta kupovine +OptionModeProductBuy=Mode purchases OptionModeProductBuyIntra=Mode purchases imported in EEC OptionModeProductBuyExport=Mode purchased imported from other countries OptionModeProductSellDesc=Show all products with accounting account for sales. @@ -398,11 +424,11 @@ SaleLocal=Local sale SaleExport=Export sale SaleEEC=Sale in EEC SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fallback on the product account for standard sales. You can fix the VAT ID of thirdparty or the product account if needed. +SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of third party is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the third party, or change the product account suggested for binding if needed. ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. ## Dictionary -Range=Opseg knjižnih računa +Range=Range of accounting account Calculated=Calculated Formula=Formula @@ -419,16 +445,30 @@ AccountancyNoUnletteringModified=No unreconcile modified AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period +AccountancyClosureStep3=Step 3 : Extract entries (Optional) +AccountancyClosureClose=Close fiscal period +AccountancyClosureAccountingReversal=Extract and record "Retained earnings" entries +AccountancyClosureStep3NewFiscalPeriod=Next fiscal period +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "Retained earnings" entries on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "Retained earnings" entries, detail the sub-ledger accounts +AccountancyClosureCloseSuccessfully=Fiscal period has been closed successfully +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping entries for "Retained earnings" has been inserted successfully + ## Confirm box ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? ConfirmMassDeleteBookkeepingWriting=Bulk Delete confirmation -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) Are you sure you want to delete the %s selected record(s)? +ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +AccountancyClosureConfirmClose=Are you sure you want to close the current fiscal period ? You understand that closing the fiscal period is an irreversible action and will permanently block any modification or deletion of entries over this period. +AccountancyClosureConfirmAccountingReversal=Are you sure you want to record entries for the "Retained earnings" ? ## Error SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them -ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) +ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused. ErrorInvoiceContainsLinesNotYetBoundedShort=Some lines on invoice are not bound to accounting account. ExportNotSupported=The export format setuped is not supported into this page @@ -437,11 +477,15 @@ NoJournalDefined=No journal defined Binded=Lines bound ToBind=Lines to bind UseMenuToSetBindindManualy=Lines not yet bound, use menu %s to make the binding manually -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Sorry this module is not compatible with the experimental feature of situation invoices +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Note: this module or page is not completely compatible with the experimental feature of situation invoices. Some data may be wrong. AccountancyErrorMismatchLetterCode=Mismatch in reconcile code AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s ErrorAccountNumberAlreadyExists=The accounting number %s already exists +ErrorArchiveAddFile=Can't put "%s" file in archive +ErrorNoFiscalPeriodActiveFound=No active fiscal period found +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=The bookkeeping doc date is not inside the active fiscal period +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=The bookkeeping doc date is inside a closed fiscal period ## Import ImportAccountingEntries=Accounting entries @@ -466,7 +510,9 @@ FECFormatMulticurrencyAmount=Multicurrency amount (Montantdevise) FECFormatMulticurrencyCode=Multicurrency code (Idevise) DateExport=Date export -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contains transaction modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. +WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contain transactions modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. ExpenseReportJournal=Expense Report Journal +DocsAlreadyExportedAreIncluded=Docs already exported are included +ClickToShowAlreadyExportedLines=Click to show already exported lines NAccounts=%s accounts diff --git a/htdocs/langs/sr_RS/admin.lang b/htdocs/langs/sr_RS/admin.lang index b06fb8df4e9..52e1aff41e4 100644 --- a/htdocs/langs/sr_RS/admin.lang +++ b/htdocs/langs/sr_RS/admin.lang @@ -1,16 +1,16 @@ # Dolibarr language file - Source file is en_US - admin BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF BoldLabelOnPDF=Print label of product item in Bold in PDF -Foundation=Osnova -Version=Verzija +Foundation=Foundation +Version=Version Publisher=Publisher -VersionProgram=Verzija programa -VersionLastInstall=Početna verzija instalacije -VersionLastUpgrade=Poslednja verzija nadogradnje -VersionExperimental=Eksperimentalno -VersionDevelopment=Razvoj -VersionUnknown=Nepoznato -VersionRecommanded=Preporučeno +VersionProgram=Version program +VersionLastInstall=Initial install version +VersionLastUpgrade=Latest version upgrade +VersionExperimental=Experimental +VersionDevelopment=Development +VersionUnknown=Unknown +VersionRecommanded=Recommended FileCheck=Fileset Integrity Checks FileCheckDesc=This tool allows you to check the integrity of files and the setup of your application, comparing each file with the official one. The value of some setup constants may also be checked. You can use this tool to determine if any files have been modified (e.g by a hacker). FileIntegrityIsStrictlyConformedWithReference=Files integrity is strictly conformed with the reference. @@ -27,196 +27,196 @@ FilesAdded=Added Files FileCheckDolibarr=Check integrity of application files AvailableOnlyOnPackagedVersions=The local file for integrity checking is only available when the application is installed from an official package XmlNotFound=Xml Integrity File of application not found -SessionId=Sesija ID -SessionSaveHandler=Rukovalac čuvanja sesije -SessionSavePath=Lokacija za čuvanje sesije -PurgeSessions=Čišćenje sesije -ConfirmPurgeSessions=Da li zaista želite da očistite sve sesije? Ovo će prekinuti vezu svih korisnika (sem vaše) -NoSessionListWithThisHandler=Rukovalac čuvanja sesija konfigurisan u vašem PHP ne dozvoljava listanje svih tekućih sesija -LockNewSessions=Zaključaj nove konekcije -ConfirmLockNewSessions=Da li ste sigurni da želite da ograničite nove Dolibarr veze na samo vašu? Samo korisnik %s će moći da se poveže nakon toga. -UnlockNewSessions=Ukloni zaključavanje veze -YourSession=Vaša sesija -Sessions=Sesija korisnika -WebUserGroup=Web server korisnik/grupa +SessionId=Session ID +SessionSaveHandler=Handler to save sessions +SessionSavePath=Session save location +PurgeSessions=Purge of sessions +ConfirmPurgeSessions=Do you really want to purge all sessions? This will disconnect every user (except yourself). +NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow listing all running sessions. +LockNewSessions=Lock new connections +ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself? Only user %s will be able to connect after that. +UnlockNewSessions=Remove connection lock +YourSession=Your session +Sessions=Users Sessions +WebUserGroup=Web server user/group PermissionsOnFiles=Permissions on files PermissionsOnFilesInWebRoot=Permissions on files in web root directory PermissionsOnFile=Permissions on file %s -NoSessionFound=Izgleda da vaša PHP konfiguracija ne dozvoljava listanje aktivnih sesija. Direktorijum koji se koristi za snimanje sesija (%s) je možda zaštićen (na primer OS dozvolama ili PHP direktivama open_basedir). -DBStoringCharset=Karakter set baze za čuvanje podataka -DBSortingCharset=Karakter set baze za sortiranje podataka +NoSessionFound=Your PHP configuration seems to not allow listing of active sessions. The directory used to save sessions (%s) may be protected (for example by OS permissions or by PHP directive open_basedir). +DBStoringCharset=Database charset to store data +DBSortingCharset=Database charset to sort data HostCharset=Host charset ClientCharset=Client charset ClientSortingCharset=Client collation -WarningModuleNotActive=Modul %s mora biti omogućen -WarningOnlyPermissionOfActivatedModules=Ovde se pokazuju samo dozvole u vezi sa aktiviranim modulima. Možete aktivirati druge module u Početna->Podešavanja->Moduli. -DolibarrSetup=Dolibarr instalacija ili nadogradnja +WarningModuleNotActive=Module %s must be enabled +WarningOnlyPermissionOfActivatedModules=Only permissions related to activated modules are shown here. You can activate other modules in the Home->Setup->Modules page. +DolibarrSetup=Dolibarr install or upgrade DolibarrUpgrade=Dolibarr upgrade DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) -InternalUsers=Interni korisnici -ExternalUsers=Spoljni korisnici +InternalUsers=Internal users +ExternalUsers=External users UserInterface=User interface -GUISetup=Prikaz -SetupArea=Podešavanja +GUISetup=Display +SetupArea=Setup UploadNewTemplate=Upload new template(s) -FormToTestFileUploadForm=Forma za testiranje uploada fajla (prema postavkama) +FormToTestFileUploadForm=Form to test file upload (according to setup) ModuleMustBeEnabled=The module/application %s must be enabled ModuleIsEnabled=The module/application %s has been enabled -IfModuleEnabled=Pažnja: da je u funkciji samo ako je odobren modul %s -RemoveLock=Uklonite/preimenujte fajl %s ako postoji, da bi dozvolili alat za Ažuriranje/Instalaciju -RestoreLock=Vratite fajl %s, samo sa dozvolom za čitanje, da bi onemogućili dalje korišćenje alata za Ažuriranje/Instalaciju -SecuritySetup=Sigurnosna podešavanja +IfModuleEnabled=Note: yes is effective only if module %s is enabled +RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool. +RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. +SecuritySetup=Security setup PHPSetup=PHP setup OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. -ErrorModuleRequirePHPVersion=Pažnja, ovaj modul zahteva PHP verziju %s ili višu -ErrorModuleRequireDolibarrVersion=Pažnja, ovaj modul zahteva Dolibarr verziju %s ili višu -ErrorDecimalLargerThanAreForbidden=Greška, nije podržana preciznost veća od %s . +ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher +ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher +ErrorDecimalLargerThanAreForbidden=Error, a precision higher than %s is not supported. DictionarySetup=Dictionary setup Dictionary=Dictionaries -ErrorReservedTypeSystemSystemAuto=Vrednost 'system' i 'systemauto' su rezervisane za tip. Možete koristiti 'user' kao vrednost da unesete svoj zapis -ErrorCodeCantContainZero=Kod ne može sadržati vrednost 0 -DisableJavascript=Onemogućiti JavaScript i Ajax funkcije +ErrorReservedTypeSystemSystemAuto=Value 'system' and 'systemauto' for type is reserved. You can use 'user' as value to add your own record +ErrorCodeCantContainZero=Code can't contain value 0 +DisableJavascript=Disable JavaScript and Ajax functions DisableJavascriptNote=Note: For test or debug purpose only. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. DelaiedFullListToSelectCompany=Wait until a key is pressed before loading content of Third Parties combo list.
      This may increase performance if you have a large number of third parties, but it is less convenient. DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list.
      This may increase performance if you have a large number of contacts, but it is less convenient. -NumberOfKeyToSearch=Broj karaktera da se pokrene pretraga: %s +NumberOfKeyToSearch=Number of characters to trigger search: %s NumberOfBytes=Number of Bytes SearchString=Search string -NotAvailableWhenAjaxDisabled=Nije dostupno kada je onemogućen Ajax +NotAvailableWhenAjaxDisabled=Not available when Ajax disabled AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party TimesheetPreventAfterFollowingMonths=Prevent recording time spent after the following number of months -JavascriptDisabled=JavaScript onemogućen -UsePreviewTabs=Koristite kartice za pregled -ShowPreview=Prikaži pregled +JavascriptDisabled=JavaScript disabled +UsePreviewTabs=Use preview tabs +ShowPreview=Show preview ShowHideDetails=Show-Hide details -PreviewNotAvailable=Pregled nije dostupan -ThemeCurrentlyActive=Trenutno aktivna tema +PreviewNotAvailable=Preview not available +ThemeCurrentlyActive=Theme currently active MySQLTimeZone=TimeZone MySql (database) TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered). -Space=Razmak -Table=Tabela -Fields=Polja -Index=Indeks -Mask=Maska -NextValue=Sledeća vrednost -NextValueForInvoices=Sledeća vrednost (računi) -NextValueForCreditNotes=Sledeća vrednost (knjižno odobrenje) +Space=Space +Table=Table +Fields=Fields +Index=Index +Mask=Mask +NextValue=Next value +NextValueForInvoices=Next value (invoices) +NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Pažnja: vaša PHP konfiguracija trenutno ograničava maksimalnu veličinu fajla za upload na%s%s, nezavisno od vrednosti ovog parametra -NoMaxSizeByPHPLimit=Pažnja: nije postavljen limit u vašoj PHP konfiguraciji -MaxSizeForUploadedFiles=Maksimalna veličina za uploadovane fajlove (0 da bi onemogućili bilo kakav upload) -UseCaptchaCode=Koristiti grafički kod (CAPTCHA) na strani za prijavu i nekim javnim stranama -AntiVirusCommand=Puna putanja za antivirusnu komandu -AntiVirusCommandExample=Primer za ClamAv Daemon (zahteva clamav-daemon): /usr/bin/clamdscan
      Primer za ClamWin (veoma veoma sporo): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe -AntiVirusParam= Više parametara na komandnoj liniji -AntiVirusParamExample=Primer za ClamAv Daemon: --fdpass
      Primer za ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" -ComptaSetup=Postavke modula knjigovodstva -UserSetup=Postavke menadžmenta korisnika +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration +MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) +UseCaptchaCode=Use graphical code (CAPTCHA) on login page and some public pages +AntiVirusCommand=Full path to antivirus command +AntiVirusCommandExample=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
      Example for ClamWin (very very slow): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe +AntiVirusParam= More parameters on command line +AntiVirusParamExample=Example for ClamAv Daemon: --fdpass
      Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" +ComptaSetup=Accounting module setup +UserSetup=User management setup MultiCurrencySetup=Multi-currency setup -MenuLimits=Limiti i tačnost -MenuIdParent=ID menija višeg nivoa -DetailMenuIdParent=ID menija višeg nivoa (prazno za najviši meni) +MenuLimits=Limits and accuracy +MenuIdParent=Parent menu ID +DetailMenuIdParent=ID of parent menu (empty for a top menu) ParentID=Parent ID -DetailPosition=Sortirati brojeve da se definiše pozicija menija -AllMenus=Sve -NotConfigured=Nije konfigurisan Modul/Aplikacija -Active=Aktivno -SetupShort=Postavke -OtherOptions=Ostale opcije -OtherSetup=Ostale postavke -CurrentValueSeparatorDecimal=Odvajač decimale -CurrentValueSeparatorThousand=Odvajač hiljada +DetailPosition=Sort number to define menu position +AllMenus=All +NotConfigured=Module/Application not configured +Active=Active +SetupShort=Setup +OtherOptions=Other options +OtherSetup=Other Setup +CurrentValueSeparatorDecimal=Decimal separator +CurrentValueSeparatorThousand=Thousand separator Destination=Destination IdModule=Module ID IdPermissions=Permissions ID -LanguageBrowserParameter=Parametar %s -LocalisationDolibarrParameters=Parametri lokalizacije -ClientHour=Vreme klijenta (korisnik) -OSTZ=Vremenska zona OS Servera -PHPTZ=Vremenska zona PHP servera -DaylingSavingTime=Letnje računanje vremena -CurrentHour=PHP vreme (server) -CurrentSessionTimeOut=Vremensko ograničenje trenutne sesije +LanguageBrowserParameter=Parameter %s +LocalisationDolibarrParameters=Localization parameters +ClientHour=Client time (user) +OSTZ=Server OS Time Zone +PHPTZ=PHP server Time Zone +DaylingSavingTime=Daylight saving time +CurrentHour=PHP Time (server) +CurrentSessionTimeOut=Current session timeout YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a .htaccess file with a line like this "SetEnv TZ Europe/Paris" HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but of the timezone of the server. -Box=Vidžet -Boxes=Vidžeti -MaxNbOfLinesForBoxes=Maksimalni broj linija za vidžete +Box=Widget +Boxes=Widgets +MaxNbOfLinesForBoxes=Max. number of lines for widgets AllWidgetsWereEnabled=All available widgets are enabled WidgetAvailable=Widget available -PositionByDefault=Podrazumevani redosled -Position=Pozicija -MenusDesc=Menadžer menija postavlja sadržaj dve trake menija (horizontalnu i vertikalnu). -MenusEditorDesc=Editor menija vam dozvoljava da definišete prilagođene unose menija. Koristite ih pažljivo da bi izbegli nestabilnost i trajnu nedostupnost unosa menija.
      Neki moduli dodaju unose menija (u meni Svi uglavnom). Ako uklonite neki od ovih unosa greškom, možete ih povratiti tako što ćete prvo onemogućiti pa onda omogućiti modul. -MenuForUsers=Meni za korisnike -LangFile=.lang fajl +PositionByDefault=Default order +Position=Position +MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical). +MenusEditorDesc=The menu editor allows you to define custom menu entries. Use it carefully to avoid instability and permanently unreachable menu entries.
      Some modules add menu entries (in menu All mostly). If you remove some of these entries by mistake, you can restore them disabling and reenabling the module. +MenuForUsers=Menu for users +LangFile=.lang file Language_en_US_es_MX_etc=Language (en_US, es_MX, ...) -System=Sistem -SystemInfo=Informacije o sistemu -SystemToolsArea=Oblast sistemskih alata -SystemToolsAreaDesc=Ova oblast omogućava administrativne funkcije. Koristite meni da bi odabrali tražene mogućnosti- -Purge=Čišćenje -PurgeAreaDesc=Ova strana vam dozvoljava da obrišete sve fajlove generisane ili sačuvane od strane Dolibarr (privremeni fajlovi ili svi fajlovi u %s folderu). Korišćenje ove funkcije normalno nije potrebno. Omogućena je kao pomoć za korisnike kojima je Dolibarr hostovan kod provajdera koji ne nudi dozvole za brisanje fajlova generisanih od strane web servera. -PurgeDeleteLogFile=Brisanje log fajla, uključujući %s definisano za Syslog modul (bez rizika od gubljenja podataka) -PurgeDeleteTemporaryFiles=Obrisati sve logove i privremene fajlove (bez rizika za gubljenje podataka). Parametri mogu biti 'tempfilesold', 'logfiles' ili oba 'tempfilesold+logfiles'. Pažnja: Brisanje privremenih fajlova se radi samo ako je temp folder napravljen pre više od 24 sata. +System=System +SystemInfo=System information +SystemToolsArea=System tools area +SystemToolsAreaDesc=This area provides administration functions. Use the menu to choose the required feature. +Purge=Purge +PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server. +PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data) +PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Parameter can be 'tempfilesold', 'logfiles' or both 'tempfilesold+logfiles'. Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. PurgeDeleteTemporaryFilesShort=Delete log and temporary files (no risk of losing data) -PurgeDeleteAllFilesInDocumentsDir=Brisanje svih fajlova u folderu: %s.
      Ovo će obrisati sva generisana dokumenta, u vezi sa elementima (treće strane, računi i sl...), fajlove uploadovane na ECM module, otpaci bekapa baze podataka i privremenih fajlova. -PurgeRunNow=Očistiti sada -PurgeNothingToDelete=Nema foldera ili fajlova za brisanje -PurgeNDirectoriesDeleted=%s fajlovi ili direktorijumi obrisani. +PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s.
      This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files. +PurgeRunNow=Purge now +PurgeNothingToDelete=No directory or files to delete. +PurgeNDirectoriesDeleted=%s files or directories deleted. PurgeNDirectoriesFailed=Failed to delete %s files or directories. -PurgeAuditEvents=Očistiti sve bezbednosne događaje -ConfirmPurgeAuditEvents=Da li ste sigurni da želite da očistite sve bezbednosne događaje? Svi bezbednosni logovi će biti obrisani, ostali podaci neće biti obrisani. -GenerateBackup=Generisanje rezervne kopije -Backup=Rezervna kopija -Restore=Vraćanje sačuvane rezervne kopije -RunCommandSummary=Pravljenje rezervne kopije je pokrenuto sledećom komandom -BackupResult=Rezultat pravljenja rezervne kopije -BackupFileSuccessfullyCreated=Uspešno generisana rezervna kopija -YouCanDownloadBackupFile=Generisani fajl može sada biti preuzet -NoBackupFileAvailable=Nema dostupnih fajlova rezervne kopije. -ExportMethod=Metoda izvoza -ImportMethod=Metoda uvoza -ToBuildBackupFileClickHere=Da bi se generisao fajl rezervne kopije, kliknite ovde. -ImportMySqlDesc=Da bi uvezli MySQL fajl rezervne kopije, možete koristiti phpMyAdmin preko vašeg hostinga ili koristiti mysql komandu iz Komandne linije
      Na primer: -ImportPostgreSqlDesc=Da izvezete fajl rezervne kopije, morate koristiti pg_restore komandu iz komandne linije: +PurgeAuditEvents=Purge all security events +ConfirmPurgeAuditEvents=Are you sure you want to purge all security events? All security logs will be deleted, no other data will be removed. +GenerateBackup=Generate backup +Backup=Backup +Restore=Restore +RunCommandSummary=Backup has been launched with the following command +BackupResult=Backup result +BackupFileSuccessfullyCreated=Backup file successfully generated +YouCanDownloadBackupFile=The generated file can now be downloaded +NoBackupFileAvailable=No backup files available. +ExportMethod=Export method +ImportMethod=Import method +ToBuildBackupFileClickHere=To build a backup file, click here. +ImportMySqlDesc=To import a MySQL backup file, you may use phpMyAdmin via your hosting or use the mysql command from the Command line.
      For example: +ImportPostgreSqlDesc=To import a backup file, you must use pg_restore command from command line: ImportMySqlCommand=%s %s < mybackupfile.sql ImportPostgreSqlCommand=%s %s mybackupfile.sql -FileNameToGenerate=Ime fajla rezervne kopije: -Compression=Kompresija -CommandsToDisableForeignKeysForImport=Komanda da za onemogućavanje stranih unosa tokom uvoza -CommandsToDisableForeignKeysForImportWarning=Obavezno ako želite da zadržite mogućnost da vratite svoj sql izvoz kasnije -ExportCompatibility=Kompatibilnost generisanog izvoznog fajla +FileNameToGenerate=Filename for backup: +Compression=Compression +CommandsToDisableForeignKeysForImport=Command to disable foreign keys on import +CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later +ExportCompatibility=Compatibility of generated export file ExportUseMySQLQuickParameter=Use the --quick parameter ExportUseMySQLQuickParameterHelp=The '--quick' parameter helps limit RAM consumption for large tables. -MySqlExportParameters=MySQL parametri izvoza -PostgreSqlExportParameters= PostgreSQL parametri izvoza -UseTransactionnalMode=Koristiti transakcioni režim -FullPathToMysqldumpCommand=Puna putanja do mysqldump komande -FullPathToPostgreSQLdumpCommand=Puna putanja do pg_dump komande -AddDropDatabase=Dodati DROP DATABASE komandu -AddDropTable=Dodati DROP TABLE komandu -ExportStructure=Struktura -NameColumn=Ime kolona -ExtendedInsert=Prošireni INSERT -NoLockBeforeInsert=Bez komandi zaključavanja oko INSERT -DelayedInsert=Odloženo umetanje -EncodeBinariesInHexa=Kodiranje binarnih podataka u heksadecimalne -IgnoreDuplicateRecords=Ignorisanje grešaka kod dupliranih zapisa (INSERT IGNORE) -AutoDetectLang=Automatsko detektovanje (jezik browser-a) -FeatureDisabledInDemo=Funkcija onemogućena u demo verziji +MySqlExportParameters=MySQL export parameters +PostgreSqlExportParameters= PostgreSQL export parameters +UseTransactionnalMode=Use transactional mode +FullPathToMysqldumpCommand=Full path to mysqldump command +FullPathToPostgreSQLdumpCommand=Full path to pg_dump command +AddDropDatabase=Add DROP DATABASE command +AddDropTable=Add DROP TABLE command +ExportStructure=Structure +NameColumn=Name columns +ExtendedInsert=Extended INSERT +NoLockBeforeInsert=No lock commands around INSERT +DelayedInsert=Delayed insert +EncodeBinariesInHexa=Encode binary data in hexadecimal +IgnoreDuplicateRecords=Ignore errors of duplicate record (INSERT IGNORE) +AutoDetectLang=Autodetect (browser language) +FeatureDisabledInDemo=Feature disabled in demo FeatureAvailableOnlyOnStable=Feature only available on official stable versions -BoxesDesc=Widžeti su komponente koje pokazuju neke informacije koje možete dodati da bi prilagodili neke strane. Možete odabrati između prikazivanja vidžeta ili ne tako što ćete otvoriti ciljnu stranicu i kliknuti 'Aktiviranje', ili klikom na kantu za smeće kako bi je onemogućili -OnlyActiveElementsAreShown=Prikazani su samo elementi iz omogućenih modula . -ModulesDesc=Moduli/Aplikacije određuju koje funkcionalnosti su omogućene u softveru. Neki moduli zahtevaju dozvole za korisnike nakon aktiviranja modula. Kliknuti na uklj/isklj dugme %s svakog modula da bi se omogućo ili onemogućio modul/aplikacija. +BoxesDesc=Widgets are components showing some information that you can add to personalize some pages. You can choose between showing the widget or not by selecting target page and clicking 'Activate', or by clicking the trashcan to disable it. +OnlyActiveElementsAreShown=Only elements from enabled modules are shown. +ModulesDesc=The modules/applications determine which features are available in the software. Some modules require permissions to be granted to users after activating the module. Click the on/off button %s of each module to enable or disable a module/application. ModulesDesc2=Click the wheel button %s to configure the module/application. -ModulesMarketPlaceDesc=Možete pronaći više modula za preuzimanje na eksternim sajtovima na internetu... +ModulesMarketPlaceDesc=You can find more modules to download on external websites on the Internet... ModulesDeployDesc=If permissions on your file system allow it, you can use this tool to deploy an external module. The module will then be visible on the tab %s. -ModulesMarketPlaces=Pronaći eksterni modul/aplikaciju +ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... @@ -226,54 +226,56 @@ CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). CompatibleAfterUpdate=This module requires an update to your Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=See in Market place -SeeSetupOfModule=Vidi podešavanja modula %s +SeeSetupOfModule=See setup of module %s +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=Set option %s to %s Updated=Updated AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. -DoliStoreDesc=DoliStore, zvanični market za Dolibarr ERP/CRM eksterne module +DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules DoliPartnersDesc=List of companies providing custom-developed modules or features.
      Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. -WebSiteDesc=Eksterni sajtovi sa više dodataka i modula (nevezani za jezgro programa)... +WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL RelativeURL=Relative URL -BoxesAvailable=Dostupni vidžeti -BoxesActivated=Aktivirani vidžeti -ActivateOn=Aktivirati -ActiveOn=Aktivirano +BoxesAvailable=Widgets available +BoxesActivated=Widgets activated +ActivateOn=Activate on +ActiveOn=Activated on ActivatableOn=Activatable on -SourceFile=Izvorni fajl -AvailableOnlyIfJavascriptAndAjaxNotDisabled=Dostupno samo ako JavaScript nije onemogućen -Required=Potrebno +SourceFile=Source file +AvailableOnlyIfJavascriptAndAjaxNotDisabled=Available only if JavaScript is not disabled +Required=Required UsedOnlyWithTypeOption=Used by some agenda option only -Security=Bezbednost -Passwords=Šifra -DoNotStoreClearPassword=Kriptovanje šifri sačuvanih u bazi podataka (NE kao običan tekst). Strogo se preporučuje da se aktivira ova opcija. -MainDbPasswordFileConfEncrypted=Šifra kriptovane baze podataka sačuvana u conf.php. Strogo se preporučuje da se aktivira ova opcija. -InstrucToEncodePass=Da bi se šifra kodirala u conf.php fajl, zameniti liniju
      $dolibarr_main_db_pass="...";
      sa
      $dolibarr_main_db_pass="crypted:%s"; -InstrucToClearPass=Da bi se šifra dekodirala (čisto) u conf.php fajlu, zamenite liniju
      $dolibarr_main_db_pass="crypted:...";
      sa
      $dolibarr_main_db_pass="%s"; -ProtectAndEncryptPdfFiles=Zaštita generisanih PDF fajlova. Ovo NIJE preporučeno jer zaustavlja grupno generisanje PDF fajlova. -ProtectAndEncryptPdfFilesDesc=Zaštita PDF dokumenta zadržava mogućnost čitanja i pisanja sa bilo kojim PDF čitačem. Ipak, menjanje i kopiranje više nije moguće. Obratite pažnju da korišćenje ove funkcije sprečava generisanje globalno spojenih PDF fajlova. -Feature=Svojstvo -DolibarrLicense=Licenca -Developpers=Developeri/Saradnici -OfficialWebSite=Dolibarr zvanični web sajt -OfficialWebSiteLocal=Lokalni web sajt (%s) -OfficialWiki=Dolibarr dokumentacija / Wiki -OfficialDemo=Dolibarr onlajn demo -OfficialMarketPlace=Zvaničan market za eksterne module/dodatke -OfficialWebHostingService=Referentni web hosting servis (Cloud hosting) +Security=Security +Passwords=Passwords +DoNotStoreClearPassword=Encrypt passwords stored in database (NOT as plain-text). It is strongly recommended to activate this option. +MainDbPasswordFileConfEncrypted=Encrypt database password stored in conf.php. It is strongly recommended to activate this option. +InstrucToEncodePass=To have password encoded into the conf.php file, replace the line
      $dolibarr_main_db_pass="...";
      by
      $dolibarr_main_db_pass="crypted:%s"; +InstrucToClearPass=To have password decoded (clear) into the conf.php file, replace the line
      $dolibarr_main_db_pass="crypted:...";
      by
      $dolibarr_main_db_pass="%s"; +ProtectAndEncryptPdfFiles=Protect generated PDF files. This is NOT recommended as it breaks bulk PDF generation. +ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature makes building of a global merged PDFs not working. +Feature=Feature +DolibarrLicense=License +Developpers=Developers/contributors +OfficialWebSite=Dolibarr official web site +OfficialWebSiteLocal=Local web site (%s) +OfficialWiki=Dolibarr documentation / Wiki +OfficialDemo=Dolibarr online demo +OfficialMarketPlace=Official market place for external modules/addons +OfficialWebHostingService=Referenced web hosting services (Cloud hosting) ReferencedPreferredPartners=Preferred Partners OtherResources=Other resources ExternalResources=External Resources SocialNetworks=Social Networks SocialNetworkId=Social Network ID -ForDocumentationSeeWiki=Za dokumentaciju za korisnike ili developere (Doc, FAQ...),
      pogledajte na Dolibarr Wiki:
      %s -ForAnswersSeeForum=Za druga pitanja/pomoć, možete koristiti Dolibarr forum:
      %s -HelpCenterDesc1=Evo nekih resursa da bi pronašli pomoć i podršku sa Dolibarr. -HelpCenterDesc2=Neki od resursa su dostupni samo na engleskom. -CurrentMenuHandler=Trenutni rukovalac menija -MeasuringUnit=Merna jedinica +ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),
      take a look at the Dolibarr Wiki:
      %s +ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:
      %s +HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr. +HelpCenterDesc2=Some of these resources are only available in english. +CurrentMenuHandler=Current menu handler +MeasuringUnit=Measuring unit LeftMargin=Left margin TopMargin=Top margin PaperSize=Paper type @@ -283,78 +285,78 @@ SpaceY=Space Y FontSize=Font size Content=Content ContentForLines=Content to display for each product or service (from variable __LINES__ of Content) -NoticePeriod=Rok za obaveštenje +NoticePeriod=Notice period NewByMonth=New by month -Emails=Email -EMailsSetup=Email podešavanja -EMailsDesc=Ova strana omogućava da postavite parametre i opcije za slanje emailova +Emails=Emails +EMailsSetup=Emails setup +EMailsDesc=This page allows you to set parameters or options for email sending. EmailSenderProfiles=Emails sender profiles EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. -MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (podrazumevana vrednost u php.ini: %s) -MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (podrazumevana vrednost u php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Nije definisano u PHP ili Unix-olikim sistemima) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Nije definisano u PHP ili Unix-olikim sistemima) -MAIN_MAIL_EMAIL_FROM=Pošiljalac email-a za automatske email-ove (podrazumevana vrednost u php.ini: %s) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration -MAIN_MAIL_ERRORS_TO=Email koji se koristi za povratne mailove sa greškom (polje 'Errors-To' u poslatim email-ovima) -MAIN_MAIL_AUTOCOPY_TO= Kopirati (Bcc) sve poslate email-ove na -MAIN_DISABLE_ALL_MAILS=Onemogućiti slanje email-ova (u svrhu testiranja ili demoa) +MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (default value in php.ini: %s) +MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (default value in php.ini: %s) +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) +MAIN_MAIL_ERRORS_TO=Email used for error returns emails (fields 'Errors-To' in emails sent) +MAIN_MAIL_AUTOCOPY_TO= Copy (Bcc) all sent emails to +MAIN_DISABLE_ALL_MAILS=Disable all email sending (for test purposes or demos) MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice -MAIN_MAIL_SENDMODE=Metoda slanja email-ova -MAIN_MAIL_SMTPS_ID=SMTP ID (ako server za slanje zahteva proveru identiteta) -MAIN_MAIL_SMTPS_PW=SMTP Šifra (ako server za slanje zahteva proveru identiteta) -MAIN_MAIL_EMAIL_TLS=Koristi TLS (SSL) kriptovanje +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice +MAIN_MAIL_SENDMODE=Email sending method +MAIN_MAIL_SMTPS_ID=SMTP ID (if sending server requires authentication) +MAIN_MAIL_SMTPS_PW=SMTP Password (if sending server requires authentication) +MAIN_MAIL_EMAIL_TLS=Use TLS (SSL) encryption MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing -MAIN_DISABLE_ALL_SMS=Onemogućiti slanje SMS (u svrhu testiranja ili demoa) -MAIN_SMS_SENDMODE=Metod za slanje SMS -MAIN_MAIL_SMS_FROM=Podrazumevani broj telefona pošiljaoca za slanje SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email) +MAIN_DISABLE_ALL_SMS=Disable all SMS sending (for test purposes or demos) +MAIN_SMS_SENDMODE=Method to use to send SMS +MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=User email CompanyEmail=Company Email -FeatureNotAvailableOnLinux=Mogućnost nije dostupna na Unix-olikim sistemima. Testirajte program za slanje maila lokalno. +FeatureNotAvailableOnLinux=Feature not available on Unix like systems. Test your sendmail program locally. FixOnTransifex=Fix the translation on the online translation platform of project -SubmitTranslation=Ako prevod ovog jezika nije kompletan ili ako pronađete greške, možete ih ispraviti editovanjem fajlova u folderu langs/%s i dostaviti svoje ispravke na www.transifex.com/dolibarr-association/dolibarr/ +SubmitTranslation=If the translation for this language is not complete or you find errors, you can correct this by editing files in directory langs/%s and submit your change to www.transifex.com/dolibarr-association/dolibarr/ SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or, if you are a developer, with a PR on github.com/Dolibarr/dolibarr -ModuleSetup=Postavke modula -ModulesSetup=Postavke modula/aplikacije -ModuleFamilyBase=Sistem -ModuleFamilyCrm=Menadžment odnosa sa kupcem (Customer Relationship Management CRM) +ModuleSetup=Module setup +ModulesSetup=Modules/Application setup +ModuleFamilyBase=System +ModuleFamilyCrm=Customer Relationship Management (CRM) ModuleFamilySrm=Vendor Relationship Management (VRM) -ModuleFamilyProducts=Menadžment proizvoda (Product Management PM) -ModuleFamilyHr=Menadžment ljudskih resursa (Human Resource Management HR) -ModuleFamilyProjects=Projekti/Udruženi poslovi -ModuleFamilyOther=Ostalo -ModuleFamilyTechnic=Alati za više modula -ModuleFamilyExperimental=Eksperimentalni moduli -ModuleFamilyFinancial=Finansijski moduli (knjgovodstvo/blagajna) -ModuleFamilyECM=Menadžment elektronskog sadržaja (Electronic Content Management ECM) +ModuleFamilyProducts=Product Management (PM) +ModuleFamilyHr=Human Resource Management (HR) +ModuleFamilyProjects=Projects/Collaborative work +ModuleFamilyOther=Other +ModuleFamilyTechnic=Multi-modules tools +ModuleFamilyExperimental=Experimental modules +ModuleFamilyFinancial=Financial Modules (Accounting/Treasury) +ModuleFamilyECM=Electronic Content Management (ECM) ModuleFamilyPortal=Websites and other frontal application -ModuleFamilyInterface=Interfejsi sa eksternim sistemima -MenuHandlers=Rukovaoci menija -MenuAdmin=Uređivač menija -DoNotUseInProduction=Ne koristiti u proizvodnji -ThisIsProcessToFollow=Procedura nadogradnje: +ModuleFamilyInterface=Interfaces with external systems +MenuHandlers=Menu handlers +MenuAdmin=Menu editor +DoNotUseInProduction=Do not use in production +ThisIsProcessToFollow=Upgrade procedure: ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: -StepNb=Korak %s -FindPackageFromWebSite=Pronađite paket koji obezbeđuje mogućnosti koje su vam potrebne (na primer na zvaničnom web sajtu %s). -DownloadPackageFromWebSite=Preuzmite paket (na primer sa zvaničnog web sajta %s). -UnpackPackageInDolibarrRoot=Raspakujte zapakovane fajlove na vaš Dolibar server folder: %s +StepNb=Step %s +FindPackageFromWebSite=Find a package that provides the features you need (for example on the official web site %s). +DownloadPackageFromWebSite=Download package (for example from the official web site %s). +UnpackPackageInDolibarrRoot=Unpack/unzip the packaged files into your Dolibarr server directory: %s UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s -SetupIsReadyForUse=Instaliranje modula je završeno. Morate ipak omogućiti i postaviti vrednosti za modul u svojoj aplikaciji tako što ćete otići na stranu za postavku modula: %s. -NotExistsDirect=Alternativni root folder nije definisan u postojećem folderu.
      -InfDirAlt=Od verzije 3, moguće je definisati alternativni root folder. Ovo omogućava da sačuvate, u za to namenjen folder, plug-in i prilagođene šablone.
      Samo napravite folder na root Dolibarr (npr: prilagodjeno).
      -InfDirExample=
      Onda ga deklarišite u fajlu conf.php
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
      Ako su ove linije sa "#"na početku reda kao komentar, da bi ih omogućili samo uklonite oznaku za komentar karakter "#". -YouCanSubmitFile=Možete uploadovati .zip fajl modula paketa odavde: -CurrentVersion=Dolibarr trenutna verzija -CallUpdatePage=Idite na stranu koja nadograđuje strukturu baze podataka i podatke: %s. -LastStableVersion=Poslednja stabilna verzija +SetupIsReadyForUse=Module deployment is finished. You must however enable and setup the module in your application by going to the page setup modules: %s. +NotExistsDirect=The alternative root directory is not defined to an existing directory.
      +InfDirAlt=Since version 3, it is possible to define an alternative root directory. This allows you to store, into a dedicated directory, plug-ins and custom templates.
      Just create a directory at the root of Dolibarr (eg: custom).
      +InfDirExample=
      Then declare it in the file conf.php
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
      If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. +YouCanSubmitFile=You can upload the .zip file of module package from here: +CurrentVersion=Dolibarr current version +CallUpdatePage=Browse to the page that updates the database structure and data: %s. +LastStableVersion=Latest stable version LastActivationDate=Latest activation date LastActivationAuthor=Latest activation author LastActivationIP=Latest activation IP @@ -363,72 +365,73 @@ UpdateServerOffline=Update server offline WithCounter=Manage a counter GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      -GenericMaskCodes3=Svi ostali karakteri u masci će ostati netaknuti.
      Razmaci nisu dozvoljeni.
      +GenericMaskCodes3=All other characters in the mask will remain intact.
      Spaces are not allowed.
      GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
      Spaces are not allowed.
      In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
      GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      GenericMaskCodes4b=Example on third party created on 2023-01-31:
      GenericMaskCodes4c=Example on product created on 2023-01-31:
      GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' -GenericNumRefModelDesc=Vraća prilagođen broj prema definisanoj masci. -ServerAvailableOnIPOrPort=Server je dostupan na adresi %s na portu %s -ServerNotAvailableOnIPOrPort=Server nije dostupan na adresi %s na portu%s -DoTestServerAvailability=Testiranje povezanosti servera -DoTestSend=Test slanja -DoTestSendHTML=Test slanja HTML +GenericNumRefModelDesc=Returns a customizable number according to a defined mask. +ServerAvailableOnIPOrPort=Server is available at address %s on port %s +ServerNotAvailableOnIPOrPort=Server is not available at address %s on port %s +DoTestServerAvailability=Test server connectivity +DoTestSend=Test sending +DoTestSendHTML=Test sending HTML ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. -ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Greška, ne možete koristiti opciju @ ako sekvenca {yy}{mm} ili {yyyy}{mm} nije unutar maske. -UMask=UMask parameter za nove fajlove na Unix/Linux/BSD/Mac fajl sistemima. +ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, can't use option @ if sequence {yy}{mm} or {yyyy}{mm} is not in mask. +UMask=UMask parameter for new files on Unix/Linux/BSD/Mac file system. UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. -SeeWikiForAllTeam=Pogledajte na Wiki strani listu saradnika i njihove organizacije -UseACacheDelay= Odlaganje za keširanje eksport odgovora u sekundama (0 ili prazno da nema keša) -DisableLinkToHelpCenter=Sakriti link "Potrebna pomoć ili podrška" na login strani -DisableLinkToHelp=Sakriti link za online pomoć "%s" -AddCRIfTooLong=Nema automatskog preloma teksta, tekst koji je previše dugačak se neće prikazati na dokumentima. Molimo dodajte prelaz u novi red teksta ako je potrebno. -ConfirmPurge=Da li ste sigurni da želite da izvršite ovo čišćenje?
      Ovo će trajno obrisati sve data fajlove i neće biti više načina da ih vratite (ECM fajlovi, prikačeni fajlovi...). -MinLength=Minimalna dužina -LanguageFilesCachedIntoShmopSharedMemory=Fajlovi .lang učitani u deljenu memoriju +SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization +UseACacheDelay= Delay for caching export response in seconds (0 or empty for no cache) +DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page +DisableLinkToHelp=Hide the link to the online help "%s" +AddCRIfTooLong=There is no automatic text wrapping, text that is too long will not display on documents. Please add carriage returns in the text area if needed. +ConfirmPurge=Are you sure you want to execute this purge?
      This will permanently delete all your data files with no way to restore them (ECM files, attached files...). +MinLength=Minimum length +LanguageFilesCachedIntoShmopSharedMemory=Files .lang loaded in shared memory LanguageFile=Language file -ExamplesWithCurrentSetup=Primer sa trenutnom konfiguracijom -ListOfDirectories=Lista foldera OpenDocument šablona -ListOfDirectoriesForModelGenODT=Lista foldera sa šablonima u OpenDocument formatu.

      Staviti apsolutnu putanju foldera.
      Svaki folder u listi mora biti na novoj liniji.
      Da biste dodali folder GED modulu, ubacite ga ovde DOL_DATA_ROOT/ecm/ime_vaseg_foldera.

      Fajlovi u tim folderima moraju imati ekstenziju .odt ili .ods. -NumberOfModelFilesFound=Broj ODT/ODS šablona pronađenih u ovim folderima -ExampleOfDirectoriesForModelGen=Primer sintakse:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir -FollowingSubstitutionKeysCanBeUsed=
      Da bi znali kako da kreirate vaše šablone odt dokumenata, pre čuvanja u ovim folderima, pročitajte Wiki dokumentaciju: +ExamplesWithCurrentSetup=Examples with current configuration +ListOfDirectories=List of OpenDocument templates directories +ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.

      Put here full path of directories.
      Add a carriage return between eah directory.
      To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.

      Files in those directories must end with .odt or .ods. +NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories +ExampleOfDirectoriesForModelGen=Examples of syntax:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir +FollowingSubstitutionKeysCanBeUsed=
      To know how to create your odt document templates, before storing them in those directories, read wiki documentation: FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template -FirstnameNamePosition=Pozicija Imena/Prezimena -DescWeather=Sledeće slike će biti prikazane na komandnoj tabli kada broj kasnih akcija dostigne sledeću vrednost: -KeyForWebServicesAccess=Ključ za korišćenje Web Servisa (parameter "dolibarrkey" unutar webservices) -TestSubmitForm=Forma testa unosa -ThisForceAlsoTheme=Korišćenjem ovog menadžera menija će se koristiti i njegova tema bez obzira na izbor korisnika. Takođe ovaj menadžer menija specijalizovan za mobilne telefone ne radi za sve modele mobilnih telefona. Koristite drugi menadžer menija ako iskusite problema sa vašim. -ThemeDir=Folder skinova -ConnectionTimeout=Isteklo vreme predviđeno za vezu -ResponseTimeout=Isteklo vreme predviđeno za odgovor -SmsTestMessage=Test poruka od __PHONEFROM__ za __PHONETO__ -ModuleMustBeEnabledFirst=Modul %s mora biti aktiviran da biste koristili ovu funkcionalnost. -SecurityToken=Ključ za sigurni URL -NoSmsEngine=Ne postoji dostupan menadžer slanja SMS. Menadžer slanja SMS nije instaliran sa podrazumevanom distribucijom jer zavise od spoljnog dobavljača, ali možete neke pronaći na %s +FirstnameNamePosition=Position of Name/Lastname +DescWeather=The following images will be shown on the dashboard when the number of late actions reach the following values: +KeyForWebServicesAccess=Key to use Web Services (parameter "dolibarrkey" in webservices) +TestSubmitForm=Input test form +ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever the user choice. Also this menu manager specialized for smartphones does not work on all smartphone. Use another menu manager if you experience problems with yours. +ThemeDir=Skins directory +ConnectionTimeout=Connection timeout +ResponseTimeout=Response timeout +SmsTestMessage=Test message from __PHONEFROM__ to __PHONETO__ +ModuleMustBeEnabledFirst=Module %s must be enabled first if you need this feature. +SecurityToken=Key to secure URLs +NoSmsEngine=No SMS sender manager available. A SMS sender manager is not installed with the default distribution because they depend on an external vendor, but you can find some on %s PDF=PDF -PDFDesc=Globalne opcije za generisanje PDF +PDFDesc=Global options for PDF generation PDFOtherDesc=PDF Option specific to some modules -PDFAddressForging=Pravila za sekciju adresa -HideAnyVATInformationOnPDF=Sakriti sve informacije u vezi sa Porezom na promet/PDV +PDFAddressForging=Rules for address section +HideAnyVATInformationOnPDF=Hide all information related to Sales Tax / VAT PDFRulesForSalesTax=Rules for Sales Tax / VAT PDFLocaltax=Rules for %s HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT -HideDescOnPDF=Sakriti opis proizvoda -HideRefOnPDF=Sakriti reference proizvoda -HideDetailsOnPDF=Sakriti detalje linije proizvoda +HideDescOnPDF=Hide products description +HideRefOnPDF=Hide products ref. +ShowProductBarcodeOnPDF=Display the barcode number of the products +HideDetailsOnPDF=Hide product lines details PlaceCustomerAddressToIsoLocation=Use french standard position (La Poste) for customer address position -Library=Biblioteka -UrlGenerationParameters=Parametri za osiguranje URL-ova -SecurityTokenIsUnique=Koristiti jedinstveni securekey parametar za svaki URL -EnterRefToBuildUrl=Uneti referencu za objekat %s -GetSecuredUrl=Dobijanje proračunatog URL -ButtonHideUnauthorized=Sakriti neautorizovane dugmiće takođe i za interne korisnike (inače samo zatamnjeni) -OldVATRates=Stara stopa PDV -NewVATRates=Nova stopa PDV -PriceBaseTypeToChange=Promeni na cenama sa definisanim osnovnim referentnim vrednostima -MassConvert=Pokrenuti grupnu konverziju +Library=Library +UrlGenerationParameters=Parameters to secure URLs +SecurityTokenIsUnique=Use a unique securekey parameter for each URL +EnterRefToBuildUrl=Enter reference for object %s +GetSecuredUrl=Get calculated URL +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) +OldVATRates=Old VAT rate +NewVATRates=New VAT rate +PriceBaseTypeToChange=Modify on prices with base reference value defined on +MassConvert=Launch bulk conversion PriceFormatInCurrentLanguage=Price Format In Current Language String=String String1Line=String (1 line) @@ -437,46 +440,46 @@ TextLongNLines=Long text (n lines) HtmlText=Html text Int=Integer Float=Float -DateAndTime=Datum i vreme -Unique=Jedinstveno -Boolean=Boolean (jedan čekboks) -ExtrafieldPhone = Telefon -ExtrafieldPrice = Cena +DateAndTime=Date and hour +Unique=Unique +Boolean=Boolean (one checkbox) +ExtrafieldPhone = Phone +ExtrafieldPrice = Price ExtrafieldPriceWithCurrency=Price with currency ExtrafieldMail = Email ExtrafieldUrl = Url ExtrafieldIP = IP -ExtrafieldSelect = Odabir sa liste -ExtrafieldSelectList = Odabir iz tabele -ExtrafieldSeparator=Odvajač (nije polje) +ExtrafieldSelect = Select list +ExtrafieldSelectList = Select from table +ExtrafieldSeparator=Separator (not a field) ExtrafieldPassword=Password -ExtrafieldRadio=Radio dugmad (samo jedan izbor) -ExtrafieldCheckBox=Čekboksevi +ExtrafieldRadio=Radio buttons (one choice only) +ExtrafieldCheckBox=Checkboxes ExtrafieldCheckBoxFromList=Checkboxes from table ExtrafieldLink=Link to an object ComputedFormula=Computed field ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Store computed field ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!! -ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored without encryption (field must be only hidden with star on screen).
      Set 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retrieve original value) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      In order to have the list depending on another list:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key -ExtrafieldParamHelpcheckbox=Lista vrednosti moraju biti linije sa formatom ključ,vrednost (gde ključ ne može biti '0')

      na primer:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpradio=Lista vrednosti moraju biti linije sa formatom ključ,vrednost (gde ključ ne može biti '0')

      na primer:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpcheckbox=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... +ExtrafieldParamHelpradio=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) -LibraryToBuildPDF=Biblioteka koja se koristi za generisanje PDF -LocalTaxDesc=Neke zemlje mogu koristiti dve ili više poreske stope za svaku liniju računa. Ako je ovo slučaj, odaberite tip za drugi i treći porez i njegovu stopu. Mogućnosti su:
      1: lokalna stopa poreza se postavlja na proizvode i usluge bez PDV (lokalni porez se računa na iznos bez poreza)
      2: lokalni porez se postavlja na proizvode i usluge uključujući PDV (lokalni porez se računa na sumu + glavni porez)
      3: lokalni porez se postavlja na proizvode bez PDV (lokalni porez se računa na sumu bez poreza)
      4: lokalni porez se postavlja na proizvode uključujući PDV (lokalni porez se računa kao suma + glavni porez)
      5: lokalni porez se postavlja na usluge bez PDV (lokalni porez se računa kao suma bez poreza)
      6: lokalni porez se postavlja na usluge uključujući PDV (lokalni porez se računa kao suma + porez) +LibraryToBuildPDF=Library used for PDF generation +LocalTaxDesc=Some countries may apply two or three taxes on each invoice line. If this is the case, choose the type for the second and third tax and its rate. Possible type are:
      1: local tax apply on products and services without vat (localtax is calculated on amount without tax)
      2: local tax apply on products and services including vat (localtax is calculated on amount + main tax)
      3: local tax apply on products without vat (localtax is calculated on amount without tax)
      4: local tax apply on products including vat (localtax is calculated on amount + main vat)
      5: local tax apply on services without vat (localtax is calculated on amount without tax)
      6: local tax apply on services including vat (localtax is calculated on amount + tax) SMS=SMS -LinkToTestClickToDial=Unesite broj telefona koji se poziva da bi se pokazao link za testiranje url-a ClickToDial za korisnika %s -RefreshPhoneLink=Osvežiti link -LinkToTest=Link koji se može kliknuti je generisan za korisnika %s (kliknuti broj telefona za testiranje) -KeepEmptyToUseDefault=Zadržati prazno da bi se koristila podrazumevana vrednost -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. -DefaultLink=Podrazumevana vrednost +LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user %s +RefreshPhoneLink=Refresh link +LinkToTest=Clickable link generated for user %s (click phone number to test) +KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. +DefaultLink=Default link SetAsDefault=Set as default -ValueOverwrittenByUserSetup=Upozorenje, ova vrednost može biti prepisana od strane korisnika specifičnom postavkom (svaki korisnik može postaviti svoj ClickToDial url) +ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s BarcodeInitForThirdparties=Mass barcode init for third-parties @@ -518,12 +521,12 @@ TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. Technical knowled PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=Enable customization of default values EnableOverwriteTranslation=Allow customization of translations GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation. WarningSettingSortOrder=Warning, setting a default sort order may result in a technical error when going on the list page if field is an unknown field. If you experience such an error, come back to this page to remove the default sort order and restore default behavior. -Field=Polje +Field=Field ProductDocumentTemplates=Document templates to generate product document ProductBatchDocumentTemplates=Document templates to generate product lots document FreeLegalTextOnExpenseReports=Free legal text on expense reports @@ -541,130 +544,134 @@ DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### -Module0Name=Korisnici i grupe -Module0Desc=Menadžment korisnika/zaposlenih i grupa -Module1Name=Treće strane -Module1Desc=Menadžment kompanija i kontakta (kupci, prospekti...) -Module2Name=Trgovina -Module2Desc=Menadžment trgovine -Module10Name=Knjigovodstvo (pojednostavljeno) -Module10Desc=Jednostavni knjigovodstveni izveštaji (dnevnik, promet) zasnovano na sadržaju baze. Ne koristi nikakve knjgovodstvene knjige -Module20Name=Ponude -Module20Desc=Menadžment trgovačkih ponuda -Module22Name=Masovni email -Module22Desc=Menadžment grupnog slanja email-ova -Module23Name=Energija -Module23Desc=Monitoring potrošnje energije -Module25Name=Potvrda narudžbina -Module25Desc=Menadžment potvrda narudžbina -Module30Name=Računi -Module30Desc=Menadžment računa i avansnih računa za korisnike. Menadžment računa i avansnih računa za dobavljače -Module40Name=Dobavljači -Module40Desc=Dobavljači i menadžment kupovine (narudžbine za kupovinu i računi dobavljača) -Module42Name=Debug logovi -Module42Desc=Logovanje strukutra (file, syslog...) Ovi logovi su u svrgu tehničke podrške/debug +Module0Name=Users & Groups +Module0Desc=Users / Employees and Groups management +Module1Name=Third Parties +Module1Desc=Companies and contacts management (customers, prospects...) +Module2Name=Commercial +Module2Desc=Commercial management +Module10Name=Accounting (simplified) +Module10Desc=Simple accounting reports (journals, turnover) based on database content. Does not use any ledger table. +Module20Name=Proposals +Module20Desc=Commercial proposal management +Module22Name=Mass Emailings +Module22Desc=Manage bulk emailing +Module23Name=Energy +Module23Desc=Monitoring the consumption of energies +Module25Name=Sales Orders +Module25Desc=Sales order management +Module30Name=Invoices +Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers +Module40Name=Vendors +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) +Module42Name=Debug Logs +Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module43Name=Debug Bar -Module43Desc=A tool for developper adding a debug bar in your browser. -Module49Name=Urednici -Module49Desc=Menadžment urednika -Module50Name=Proizvodi -Module50Desc=Menadžment proizvoda -Module51Name=Masovna pošta -Module51Desc=Menadžment masovne papirne pošte -Module52Name=Skladište +Module43Desc=A tool for developers, adding a debug bar in your browser. +Module49Name=Editors +Module49Desc=Editor management +Module50Name=Products +Module50Desc=Management of Products +Module51Name=Mass mailings +Module51Desc=Mass paper mailing management +Module52Name=Stocks Module52Desc=Stock management (stock movement tracking and inventory) -Module53Name=Usluge -Module53Desc=Menadžment usluga -Module54Name=Ugovori/Pretplate -Module54Desc=Menadžment ugovora (usluga ili ponavljajuće pretplate) -Module55Name=Bar kodovi -Module55Desc=Menadžment bar kodova ili QR kodova -Module56Name=Plaćanje transferom kredita -Module56Desc=Menadžment plaćanja dobavljača prenosom kredita. Uključuje generisanje SEPA fajla za Evropske zemlje. -Module57Name=Plaćanje direktnim debit zaduživanjem -Module57Desc=Menadžment porudžbina direktnim debi zaduživanjem. Uključuje generisanje SEPA fajla za Evropske zemlje. +Module53Name=Services +Module53Desc=Management of Services +Module54Name=Contracts/Subscriptions +Module54Desc=Management of contracts (services or recurring subscriptions) +Module55Name=Barcodes +Module55Desc=Barcode or QR code management +Module56Name=Payment by credit transfer +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. +Module57Name=Payments by Direct Debit +Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial -Module58Desc=Integracija ClickToDial sistema (Asterisk, ...) +Module58Desc=Integration of a ClickToDial system (Asterisk, ...) Module60Name=Stickers Module60Desc=Management of stickers -Module70Name=Intervencije -Module70Desc=Menadžment intervencija -Module75Name=Troškovi i beleške puta -Module75Desc=Menadžment troškova i beleški puta -Module80Name=Pošiljke -Module80Desc=Menadžment pošiljki i otpremnica -Module85Name=Banke i keš blagajna -Module85Desc=Menadžment računa banaka i keš blagajne -Module100Name=Spoljni sajt -Module100Desc=Dodati link za spoljni websajt kao glavnu ikonu menija. Websajt je prikazan kao frejm ispod gornjeg menija. -Module105Name=Poštar i SPIP -Module105Desc=Poštar ili SPIP interfejs za korisnički modul +Module70Name=Interventions +Module70Desc=Intervention management +Module75Name=Expense and trip notes +Module75Desc=Expense and trip notes management +Module80Name=Shipments +Module80Desc=Shipments and delivery note management +Module85Name=Banks & Cash +Module85Desc=Management of bank or cash accounts +Module100Name=External Site +Module100Desc=Add a link to an external website as a main menu icon. Website is shown in a frame under the top menu. +Module105Name=Mailman and SPIP +Module105Desc=Mailman or SPIP interface for member module Module200Name=LDAP -Module200Desc=LDAP sinhronizacija foldera +Module200Desc=LDAP directory synchronization Module210Name=PostNuke -Module210Desc=PostNuke integracija -Module240Name=Izvoz podataka -Module240Desc=Alat za izvoz Dolibarr podataka (sa asistencijom) -Module250Name=Uvoz podataka -Module250Desc=Alat za uvoz podataka u Dolibarr (sa asistencijom) -Module310Name=Članovi -Module310Desc=Menadžment članova fondacije +Module210Desc=PostNuke integration +Module240Name=Data exports +Module240Desc=Tool to export Dolibarr data (with assistance) +Module250Name=Data imports +Module250Desc=Tool to import data into Dolibarr (with assistance) +Module310Name=Members +Module310Desc=Foundation members management Module320Name=RSS Feed -Module320Desc=Dodati RSS feed u Dolibarr strane -Module330Name=Obeleživači i prečice -Module330Desc=Napravite prečice, uvek dostupne, za unutrašnje ili spoljne strane koje često koristite -Module400Name=Projekti ili tragovi -Module400Desc=Menadžment projekata, tragova/mogućnosti i/ili zadataka. Možete takođe zadati bilo koji element (račun, narudžbina, ponuda, intervencija...) u projekat i dobiti transverzalni pregled iz prikaza za projekte -Module410Name=Web kalendar -Module410Desc=Integracija web kalendara -Module500Name=Porezi i specijalni troškovi -Module500Desc=Menadžment drugih troškova (prodajni porez, socijalni ili fiskalni porez, dividende...) -Module510Name=Plate +Module320Desc=Add a RSS feed to Dolibarr pages +Module330Name=Bookmarks & Shortcuts +Module330Desc=Create shortcuts, always accessible, to the internal or external pages to which you frequently access +Module400Name=Projects or Leads +Module400Desc=Management of projects, leads/opportunities and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +Module410Name=Webcalendar +Module410Desc=Webcalendar integration +Module500Name=Taxes & Special Expenses +Module500Desc=Management of other expenses (sales taxes, social or fiscal taxes, dividends, ...) +Module510Name=Salaries Module510Desc=Record and track employee payments -Module520Name=Krediti +Module520Name=Loans Module520Desc=Management of loans -Module600Name=Obaveštenje u slučaju poslovnog događaja -Module600Desc=Poslati email obaveštenje u slučaju poslovnog događaja: prema korisniku (postavke za svakog korisnika), prema kontaktima treće strane (postavke za svaku treću stranu) ili prema specifičnim emailovima +Module600Name=Notifications on business event +Module600Desc=Send email notifications triggered by a business event: per user (setup defined on each user), per third-party contacts (setup defined on each third party) or by specific emails Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. Module610Name=Product Variants Module610Desc=Creation of product variants (color, size etc.) -Module700Name=Donacije -Module700Desc=Menadžment donacija +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) +Module700Name=Donations +Module700Desc=Donation management Module770Name=Expense Reports Module770Desc=Manage expense reports claims (transportation, meal, ...) Module1120Name=Vendor Commercial Proposals Module1120Desc=Request vendor commercial proposal and prices Module1200Name=Mantis -Module1200Desc=Mantis integracija +Module1200Desc=Mantis integration Module1520Name=Document Generation Module1520Desc=Mass email document generation -Module1780Name=Tagovi/kategorije -Module1780Desc=Napravite tagove/kategorije (proizvodi, kupci, dobavljači, kontakti ili članovi) +Module1780Name=Tags/Categories +Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members) Module2000Name=WYSIWYG editor -Module2000Desc=Uredite/formatirajte tekst polja pomoću CKEditor (html) +Module2000Desc=Allow text fields to be edited/formatted using CKEditor (html) Module2200Name=Dynamic Prices Module2200Desc=Use maths expressions for auto-generation of prices -Module2300Name=Planirani poslovi -Module2300Desc=Menadžment planiranih poslova (alias cron ili chrono tabela) -Module2400Name=Događaji/agenda -Module2400Desc=Pratite događaje. Logovanje automatskih događaja za praćenje smisla ili beleženje ručnih događaja ili sastanaka. Ovo je glavni modul za Menadžment Odnosa sa Kupcima ili Dobavljačima -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2300Name=Scheduled jobs +Module2300Desc=Scheduled jobs management (alias cron or chrono table) +Module2400Name=Events/Agenda +Module2400Desc=Track events. Log automatic events for tracking purposes or record manual events or meetings. This is the principal module for good Customer or Vendor Relationship Management. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM -Module2500Desc=Sistem menadžmenta dokumenata DMS / Menadžment elektronskog sadržaja ECM. Automatska organizacija vaših generisanih i sačuvanih dokuemenata. Delite ih kada je potrebno. +Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. Module2600Name=API / Web services (SOAP server) -Module2600Desc=Omogućiti da Dolibarr SOAP server pruža API servis +Module2600Desc=Enable the Dolibarr SOAP server providing API services Module2610Name=API / Web services (REST server) Module2610Desc=Enable the Dolibarr REST server providing API services -Module2660Name=Poziv WebServices (SOAP client) +Module2660Name=Call WebServices (SOAP client) Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Only Purchase orders are currently supported.) Module2700Name=Gravatar -Module2700Desc=Koristiti online Gravatar servis (www.gravatar.com) da bi se pokazala slika korisnika/člana (prema emailu). Potreban pristup internetu -Module2800Desc=FTP Klijent +Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Needs Internet access +Module2800Desc=FTP Client Module2900Name=GeoIPMaxmind -Module2900Desc=GeoIP Maxmind mogućnosti konverzije +Module2900Desc=GeoIP Maxmind conversions capabilities Module3200Name=Unalterable Archives Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. Module3300Name=Module Builder @@ -672,67 +679,69 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=Social Networks Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Human resources management (management of department, employee contracts and feelings) -Module5000Name=Više kompanija -Module5000Desc=Omogućava da upravljate sa više kompanija +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) +Module5000Name=Multi-company +Module5000Desc=Allows you to manage multiple companies Module6000Name=Inter-modules Workflow Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create websites (public) with a WYSIWYG editor. This is a webmaster or developer oriented CMS (it is better to know HTML and CSS language). Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the internet with your own domain name. -Module20000Name=Menadžment zahteva za odmor -Module20000Desc=Definisati i pratiti zahteve za odmor zaposlenih +Module20000Name=Leave Request Management +Module20000Desc=Define and track employee leave requests Module39000Name=Product Lots Module39000Desc=Lots, serial numbers, eat-by/sell-by date management for products Module40000Name=Multicurrency Module40000Desc=Use alternative currencies in prices and documents Module50000Name=PayBox -Module50000Desc=Ponudite kupcijam PayBox online stranu za plaćanje (kreditne/debitne kartice). Ovo može biti korišćeno da bi se dozvolilo kupcijam da prave ad-hok plaćanja ili plaćanja prema specifičnim Dolibarr objektima (računi, porudžbine i sl...) +Module50000Desc=Offer customers a PayBox online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) Module50100Name=POS SimplePOS -Module50100Desc=Point of Sale modul SimplePOS (jednostavni POS). +Module50100Desc=Point of Sale module SimplePOS (simple POS). Module50150Name=POS TakePOS Module50150Desc=Point of Sale module TakePOS (touchscreen POS, for shops, bars or restaurants). Module50200Name=Paypal -Module50200Desc=Ponudite kupcima stranu za PayPal online plaćanje (PayPal račun ili kreditna/debitna kartica). Ovo može biti korišćeno da dozvolite kupcima da prave ad-hok plaćanja ili plaćanja prema specijalnim Dolibarr objektima (račun, narudžbina i sl...) +Module50200Desc=Offer customers a PayPal online payment page (PayPal account or credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) Module50300Name=Stripe Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) Module50400Name=Accounting (double entry) Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats. Module54000Name=PrintIPP Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installed on server). -Module55000Name=Anketa ili Glasanje +Module55000Name=Poll, Survey or Vote Module55000Desc=Create online polls, surveys or votes (like Doodle, Studs, RDVz etc...) -Module59000Name=Marže -Module59000Desc=Modul za praćenje marži -Module60000Name=Provizije -Module60000Desc=Modul za praćenje provizija +Module59000Name=Margins +Module59000Desc=Module to follow margins +Module60000Name=Commissions +Module60000Desc=Module to manage commissions Module62000Name=Incoterms Module62000Desc=Add features to manage Incoterms -Module63000Name=Resursi +Module63000Name=Resources Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to events Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=Receptions +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Read customer invoices (and payments) -Permission12=Napravi/promeni račun za kupca -Permission13=Poništi račun za kupca -Permission14=Potvrdi račun za kupca -Permission15=Slanje računa za kupca email-om -Permission16=Napravi plaćanje za račun kupca -Permission19=Obriši račune za kupce -Permission21=Pregled trgovačkih ponuda -Permission22=Napravi/promeni trgovačke ponude -Permission24=Potvrdi trgovačke ponude -Permission25=Pošalji trgovačke ponude -Permission26=Zatvori trgovačke ponude -Permission27=Obriši trgovačke ponude -Permission28=Izvezi trgovačke ponude -Permission31=Pregled proizvoda -Permission32=Napravi/promeni proizvode +Permission12=Create/modify customer invoices +Permission13=Invalidate customer invoices +Permission14=Validate customer invoices +Permission15=Send customer invoices by email +Permission16=Create payments for customer invoices +Permission19=Delete customer invoices +Permission21=Read commercial proposals +Permission22=Create/modify commercial proposals +Permission24=Validate commercial proposals +Permission25=Send commercial proposals +Permission26=Close commercial proposals +Permission27=Delete commercial proposals +Permission28=Export commercial proposals +Permission31=Read products +Permission32=Create/modify products Permission33=Read prices products -Permission34=Obriši proizvode -Permission36=Pregledaj/uredi skrivene proizvode -Permission38=Izvoz proizvoda +Permission34=Delete products +Permission36=See/manage hidden products +Permission38=Export products Permission39=Ignore minimum price Permission41=Read projects and tasks (shared projects and projects of which I am a contact). Permission42=Create/modify projects (shared projects and projects of which I am a contact). Can also assign users to projects and tasks @@ -799,7 +808,7 @@ Permission163=Activate a service/subscription of a contract Permission164=Disable a service/subscription of a contract Permission165=Delete contracts/subscriptions Permission167=Export contracts -Permission171=Pogledaj putovanja i troškove (Vaše i Vašeg tima) +Permission171=Read trips and expenses (yours and your subordinates) Permission172=Create/modify trips and expenses Permission173=Delete trips and expenses Permission174=Read all trips and expenses @@ -914,7 +923,7 @@ Permission662=Delete Manufacturing Order (MO) Permission701=Read donations Permission702=Create/modify donations Permission703=Delete donations -Permission771=Pročitaj troškove (Vaše i Vašeg tima) +Permission771=Read expense reports (yours and your subordinates) Permission772=Create/modify expense reports (for you and your subordinates) Permission773=Delete expense reports Permission775=Approve expense reports @@ -996,12 +1005,12 @@ Permission4031=Read personal information Permission4032=Write personal information Permission4033=Read all evaluations (even those of user not subordinates) Permission10001=Read website content -Permission10002=Create/modify website content (html and javascript content) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. Permission10005=Delete website content Permission20001=Read leave requests (your leave and those of your subordinates) Permission20002=Create/modify your leave requests (your leave and those of your subordinates) -Permission20003=Obriši zahteve za odsustvo +Permission20003=Delete leave requests Permission20004=Read all leave requests (even those of user not subordinates) Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) Permission20006=Administer leave requests (setup and update balance) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Expense report - Range by transportation category DictionaryTransportMode=Intracomm report - Transport mode DictionaryBatchStatus=Product lot/serial Quality Control status DictionaryAssetDisposalType=Type of disposal of assets +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Type of unit SetupSaved=Setup saved SetupNotSaved=Setup not saved @@ -1109,10 +1119,11 @@ BackToModuleList=Back to Module list BackToDictionaryList=Back to Dictionaries list TypeOfRevenueStamp=Type of tax stamp VATManagement=Sales Tax Management -VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=By default the proposed Sales tax is 0 which can be used for cases like associations, individuals or small companies. VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Type of sales tax LTRate=Rate @@ -1190,14 +1201,14 @@ DefaultMenuSmartphoneManager=Smartphone menu manager Skin=Skin theme DefaultSkin=Default skin theme MaxSizeList=Max length for list -DefaultMaxSizeList=Default max dužina za liste +DefaultMaxSizeList=Default max length for lists DefaultMaxSizeShortList=Default max length for short lists (i.e. in customer card) MessageOfDay=Message of the day MessageLogin=Login page message LoginPage=Login page BackgroundImageLogin=Background image PermanentLeftSearchForm=Permanent search form on left menu -DefaultLanguage=Podrazumevani jezik +DefaultLanguage=Default language EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships EnableShowLogo=Show the company logo in the menu CompanyInfo=Company/Organization @@ -1399,8 +1410,8 @@ PHPModuleLoaded=PHP component %s is loaded PreloadOPCode=Preloaded OPCode is used AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=Ask for preferred shipping method for Third Parties. FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) @@ -1410,19 +1421,21 @@ DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. -PasswordGenerationPerso=Povrati lozinku po konfiguraciji koju ste definisali. -SetupPerso=Prema Vašoj konfiguraciji -PasswordPatternDesc=Opis patterna lozinke +PasswordGenerationPerso=Return a password according to your personally defined configuration. +SetupPerso=According to your configuration +PasswordPatternDesc=Password pattern description ##### Users setup ##### RuleForGeneratedPasswords=Rules to generate and validate passwords DisableForgetPasswordLinkOnLogonPage=Do not show the "Password Forgotten" link on the Login page UsersSetup=Users module setup UserMailRequired=Email required to create a new user UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Document templates for documents generated from user record GroupsDocModules=Document templates for documents generated from a group record ##### HRM setup ##### -HRMSetup=Podešavanja HRM modula +HRMSetup=HRM module setup ##### Company setup ##### CompanySetup=Companies module setup CompanyCodeChecker=Options for automatic generation of customer/vendor codes @@ -1457,7 +1470,7 @@ SuggestPaymentByRIBOnAccount=Suggest payment by withdrawal on account SuggestPaymentByChequeToAddress=Suggest payment by check to FreeLegalTextOnInvoices=Free text on invoices WatermarkOnDraftInvoices=Watermark on draft invoices (none if empty) -PaymentsNumberingModule=Model numerisanja uplata +PaymentsNumberingModule=Payments numbering model SuppliersPayment=Vendor payments SupplierPaymentSetup=Vendor payments setup InvoiceCheckPosteriorDate=Check facture date before validation @@ -1475,13 +1488,13 @@ FreeLegalTextOnProposal=Free text on commercial proposals WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal ##### SupplierProposal ##### -SupplierProposalSetup=Podešavanja modula zahteva za cene doavljača -SupplierProposalNumberingModules=Modeli numerisanja zahteva za cene dobavljača -SupplierProposalPDFModules=Modeli dokumenata zahteva za cene dobavljača -FreeLegalTextOnSupplierProposal=Slobodan tekst za zahteve za cene dobavljača -WatermarkOnDraftSupplierProposal=Vodeni žig na draft verziji zahteva za cene dobavljača (bez oznake ako je prazno) -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Pitaj bankovni račun destinacije zahteva za cene -WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Pitaj za izvorni magacin za narudžbinu +SupplierProposalSetup=Price requests suppliers module setup +SupplierProposalNumberingModules=Price requests suppliers numbering models +SupplierProposalPDFModules=Price requests suppliers documents models +FreeLegalTextOnSupplierProposal=Free text on price requests suppliers +WatermarkOnDraftSupplierProposal=Watermark on draft price requests suppliers (none if empty) +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Ask for bank account destination of price request +WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Ask for Warehouse Source for order ##### Suppliers Orders ##### BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order ##### Orders ##### @@ -1524,8 +1537,8 @@ LDAPUsersSynchro=Users LDAPGroupsSynchro=Groups LDAPContactsSynchro=Contacts LDAPMembersSynchro=Members -LDAPMembersTypesSynchro=Tipovi članova -LDAPSynchronization=LDAP synchronisation +LDAPMembersTypesSynchro=Members types +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=LDAP functions are not available on your PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1640,14 +1653,14 @@ LDAPFieldCompanyExample=Example: o LDAPFieldSid=SID LDAPFieldSidExample=Example: objectsid LDAPFieldEndLastSubscription=Date of subscription end -LDAPFieldTitle=Poslovna funkcija +LDAPFieldTitle=Job position LDAPFieldTitleExample=Example: title LDAPFieldGroupid=Group id LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=User id LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=Home directory -LDAPFieldHomedirectoryExample=Exemple : homedirectory +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=Home directory prefix LDAPSetupNotComplete=LDAP setup not complete (go on others tabs) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=No administrator or password provided. LDAP access will be anonymous and in read only mode. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled. OPCodeCache=OPCode cache NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad). -HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=Files of type %s are cached by HTTP server FilesOfTypeNotCached=Files of type %s are not cached by HTTP server FilesOfTypeCompressed=Files of type %s are compressed by HTTP server @@ -1702,10 +1715,10 @@ UseSearchToSelectProductTooltip=Also if you have a large number of products (> 1 UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products SetDefaultBarcodeTypeThirdParties=Default barcode type to use for third parties -UseUnits=Definiši jedinicu merenja za Količinu prilikom generisanja porudžbina, ponuda ili faktura +UseUnits=Define a unit of measure for Quantity during order, proposal or invoice lines edition ProductCodeChecker= Module for product code generation and checking (product or service) ProductOtherConf= Product / Service configuration -IsNotADir=Nije folder! +IsNotADir=is not a directory! ##### Syslog ##### SyslogSetup=Logs module setup SyslogOutput=Logs outputs @@ -1754,7 +1767,7 @@ MailingDelay=Seconds to wait after sending next message ##### Notification ##### NotificationSetup=Email Notification module setup NotificationEMailFrom=Sender email (From) for emails sent by the Notifications module -FixedEmailTarget=Primalac +FixedEmailTarget=Recipient NotificationDisableConfirmMessageContact=Hide the list of recipients (subscribed as contact) of notifications into the confirmation message NotificationDisableConfirmMessageUser=Hide the list of recipients (subscribed as user) of notifications into the confirmation message NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as global email) of notifications into the confirmation message @@ -1762,7 +1775,7 @@ NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as SendingsSetup=Shipping module setup SendingsReceiptModel=Sending receipt model SendingsNumberingModules=Sendings numbering modules -SendingsAbility=Podrška za listove isporuke za isporuke klijentima. +SendingsAbility=Support shipping sheets for customer deliveries NoNeedForDeliveryReceipts=In most cases, shipping sheets are used both as sheets for customer deliveries (list of products to send) and sheets that are received and signed by customer. Hence the product deliveries receipt is a duplicated feature and is rarely activated. FreeLegalTextOnShippings=Free text on shipments ##### Deliveries ##### @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Free text on delivery receipts ##### FCKeditor ##### AdvancedEditor=Advanced editor ActivateFCKeditor=Activate advanced editor for: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG creation/edition for mass eMailings (Tools->eMailing) -FCKeditorForUserSignature=WYSIWIG creation/edition of user signature -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=Stock module setup IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry NewMenu=New menu MenuHandler=Menu handler MenuModule=Source module -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=Id menu DetailMenuHandler=Menu handler where to show new menu DetailMenuModule=Module name if menu entry come from a module @@ -1802,7 +1815,7 @@ DetailType=Type of menu (top or left) DetailTitre=Menu label or label code for translation DetailUrl=URL where menu send you (Relative URL link or external link with https://) DetailEnabled=Condition to show or not entry -DetailRight=Condition to display unauthorized grey menus +DetailRight=Condition to display unauthorized gray menus DetailLangs=Lang file name for label code translation DetailUser=Intern / Extern / All Target=Target @@ -1811,7 +1824,7 @@ DetailLevel=Level (-1:top menu, 0:header menu, >0 menu and sub menu) ModifMenu=Menu change DeleteMenu=Delete menu entry ConfirmDeleteMenu=Are you sure you want to delete menu entry %s? -FailedToInitializeMenu=Greška prilikom inicijalizacije menija +FailedToInitializeMenu=Failed to initialize menu ##### Tax ##### TaxSetup=Taxes, social or fiscal taxes and dividends module setup OptionVatMode=VAT due @@ -1857,7 +1870,7 @@ SecurityKey = Security Key ClickToDialSetup=Click To Dial module setup ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. -ClickToDialUseTelLink=Samo koristi link "tel:" na telefonskim brojevima +ClickToDialUseTelLink=Use just a link "tel:" on phone numbers ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface, installed on the same computer as the browser, and called when you click on a link starting with "tel:" in your browser. If you need a link that start with "sip:" or a full server solution (no need of local software installation), you must set this to "No" and fill the next field. ##### Point Of Sale (CashDesk) ##### CashDesk=Point of Sale @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Default account to use to receive cash payments CashDeskBankAccountForCheque=Default account to use to receive payments by check CashDeskBankAccountForCB=Default account to use to receive payments by credit cards CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. @@ -1970,17 +1984,18 @@ HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) UseBorderOnTable=Show left-right borders on tables +TableLineHeight=Table line height BtnActionColor=Color of the action button TextBtnActionColor=Text color of the action button TextTitleColor=Text color of Page title -LinkColor=Boja linkova +LinkColor=Color of links PressF5AfterChangingThis=Press CTRL+F5 on keyboard or clear your browser cache after changing this value to have it effective NotSupportedByAllThemes=Will works with core themes, may not be supported by external themes BackgroundColor=Background color TopMenuBackgroundColor=Background color for Top menu TopMenuDisableImages=Icon or Text in Top menu LeftMenuBackgroundColor=Background color for Left menu -BackgroundTableTitleColor=Pozadinska boja za naslovnu liniju tabela +BackgroundTableTitleColor=Background color for Table title line BackgroundTableTitleTextColor=Text color for Table title line BackgroundTableTitleTextlinkColor=Text color for Table title link line BackgroundTableLineOddColor=Background color for odd table lines @@ -1991,7 +2006,7 @@ EnterAnyCode=This field contains a reference to identify the line. Enter any val Enter0or1=Enter 0 or 1 UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] ColorFormat=The RGB color is in HEX format, eg: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=Position of line into combo lists SellTaxRate=Sales tax rate RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. @@ -2003,32 +2018,32 @@ TemplateIsVisibleByOwnerOnly=Template is visible to owner only VisibleEverywhere=Visible everywhere VisibleNowhere=Visible nowhere FixTZ=TimeZone fix -FillFixTZOnlyIfRequired=Primer: +2 (uneti samo u slučaju problema) -ExpectedChecksum=Očekivani checksum -CurrentChecksum=Trenutni checksum +FillFixTZOnlyIfRequired=Example: +2 (fill only if problem experienced) +ExpectedChecksum=Expected Checksum +CurrentChecksum=Current Checksum ExpectedSize=Expected size CurrentSize=Current size ForcedConstants=Required constant values -MailToSendProposal=Ponude klijenata +MailToSendProposal=Customer proposals MailToSendOrder=Sales orders -MailToSendInvoice=Fakture klijenata -MailToSendShipment=Isporuke -MailToSendIntervention=Intervencije +MailToSendInvoice=Customer invoices +MailToSendShipment=Shipments +MailToSendIntervention=Interventions MailToSendSupplierRequestForQuotation=Quotation request MailToSendSupplierOrder=Purchase orders MailToSendSupplierInvoice=Vendor invoices -MailToSendContract=Ugovori +MailToSendContract=Contracts MailToSendReception=Receptions -MailToExpenseReport=Troškovi -MailToThirdparty=Subjekti -MailToMember=Članovi -MailToUser=Korisnici -MailToProject=Projekti -MailToTicket=Tiketi -ByDefaultInList=Prikaži po defaultu na prikazu liste +MailToExpenseReport=Expense reports +MailToThirdparty=Third parties +MailToMember=Members +MailToUser=Users +MailToProject=Projects +MailToTicket=Tickets +ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version -TitleExampleForMajorRelease=Primer poruke koju možete koristiti da biste najavili novu verziju (možete je koristiti na Vašim sajtovima) -TitleExampleForMaintenanceRelease=Primer poruke koju možete koristiti da biste najavili novu ispravku (možete je koristiti na Vašim sajtovima) +TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) +TitleExampleForMaintenanceRelease=Example of message you can use to announce this maintenance release (feel free to use it on your web sites) ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s is available. Version %s is a major release with a lot of new features for both users and developers. You can download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read ChangeLog for complete list of changes. ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is available. Version %s is a maintenance version, so contains only bug fixes. We recommend all users to upgrade to this version. A maintenance release does not introduce new features or changes to the database. You may download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read the ChangeLog for complete list of changes. MultiPriceRuleDesc=When option "Several levels of prices per product/service" is enabled, you can define different prices (one per price level) for each product. To save you time, here you may enter a rule to autocalculate a price for each level based on the price of the first level, so you will have to only enter a price for the first level for each product. This page is designed to save you time but is useful only if your prices for each level are relative to first level. You can ignore this page in most cases. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions @@ -2118,7 +2133,7 @@ EMailHost=Host of email IMAP server EMailHostPort=Port of email IMAP server loginPassword=Login/Password oauthToken=OAuth2 token -accessType=Acces type +accessType=Access type oauthService=Oauth service TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Do not include the content of email header into th EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. EmailCollectorConfirmCollectTitle=Email collect confirmation EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Example collecting leads EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' -DefaultCustomerType=Default thirdparty type for "New customer" creation form +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. RootCategoryForProductsToSell=Root category of products to sell -RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=Debug Bar DebugBarDesc=Toolbar that comes with a plenty of tools to simplify debugging DebugBarSetup=DebugBar Setup @@ -2212,10 +2227,10 @@ ImportSetup=Setup of module Import InstanceUniqueID=Unique ID of the instance SmallerThan=Smaller than LargerThan=Larger than -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector @@ -2232,12 +2247,12 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_SHOW_PROJECT=Show project on document ShowProjectLabel=Project Label -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets @@ -2254,20 +2269,20 @@ YouMayFindSecurityAdviceHere=You may find security advisory here ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. MailToSendEventOrganization=Event Organization MailToPartnership=Partnership AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s -Recommended=Preporučeno +Recommended=Recommended NotRecommended=Not recommended ARestrictedPath=Some restricted path for data files CheckForModuleUpdate=Check for external modules updates @@ -2324,10 +2339,10 @@ ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (co ModuleWebhookName = Webhook ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup -Settings = Postavke tiketa +Settings = Settings WebhookSetupPage = Webhook setup page ShowQuickAddLink=Show a button to quickly add an element in top right menu - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Hash used for ping ReadOnlyMode=Is instance in "Read Only" mode DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Will not work with all themes NoName=No name ShowAdvancedOptions= Show advanced options HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Use a password UseOauth=Use a OAUTH token Images=Images MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=The script is empty ShowHideTheNRequests=Show/hide the %s SQL request(s) DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2403,6 +2419,24 @@ Defaultfortype=Default DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/sr_RS/agenda.lang b/htdocs/langs/sr_RS/agenda.lang index 6319e05fdc1..1d9dbcf07c0 100644 --- a/htdocs/langs/sr_RS/agenda.lang +++ b/htdocs/langs/sr_RS/agenda.lang @@ -1,83 +1,83 @@ # Dolibarr language file - Source file is en_US - agenda -IdAgenda=ID događaj -Actions=Događaji +IdAgenda=ID event +Actions=Events Agenda=Agenda TMenuAgenda=Agenda -Agendas=Agende +Agendas=Agendas LocalAgenda=Default calendar -ActionsOwnedBy=Događaj u vlasništvu -ActionsOwnedByShort=Vlasnik -AffectedTo=Dodeljeno -Event=Događaj -Events=Događaj -EventsNb=Broj događaja -ListOfActions=Lista događaja +ActionsOwnedBy=Event owned by +ActionsOwnedByShort=Owner +AffectedTo=Assigned to +Event=Event +Events=Events +EventsNb=Number of events +ListOfActions=List of events EventReports=Event reports -Location=Lokacija +Location=Location ToUserOfGroup=Event assigned to any user in the group -EventOnFullDay=Dogadaj svim danima -MenuToDoActions=Svi nezavršeni događaji -MenuDoneActions=Svi završeni događaji -MenuToDoMyActions=Moji nezavršeni događaji -MenuDoneMyActions=Moji završeni događaji +EventOnFullDay=Event on all day(s) +MenuToDoActions=All incomplete events +MenuDoneActions=All terminated events +MenuToDoMyActions=My incomplete events +MenuDoneMyActions=My terminated events ListOfEvents=List of events (default calendar) -ActionsAskedBy=Događaje prijavio -ActionsToDoBy=Događaji dodeljeni -ActionsDoneBy=Događaje završio -ActionAssignedTo=Događaj dodeljen -ViewCal=Mesečni pregled -ViewDay=Dnevni pregled -ViewWeek=Nedeljni pregled -ViewPerUser=Pregled po korisniku -ViewPerType=Pregled po tipu -AutoActions= Automatsko popunjavanje +ActionsAskedBy=Events reported by +ActionsToDoBy=Events assigned to +ActionsDoneBy=Events done by +ActionAssignedTo=Event assigned to +ViewCal=Month view +ViewDay=Day view +ViewWeek=Week view +ViewPerUser=Per user view +ViewPerType=Per type view +AutoActions= Automatic filling AgendaAutoActionDesc= Here you may define events which you want Dolibarr to create automatically in Agenda. If nothing is checked, only manual actions will be included in logs and displayed in Agenda. Automatic tracking of business actions done on objects (validation, status change) will not be saved. AgendaSetupOtherDesc= This page provides options to allow the export of your Dolibarr events into an external calendar (Thunderbird, Google Calendar etc...) -AgendaExtSitesDesc=Ova stranica omogućava da odabereš eksterni kalendar čije događaje ćeš videti u Dolibarr agendi. -ActionsEvents=Događaji za koje će Dolibarr da kreira akciju u agendi automatski +AgendaExtSitesDesc=This page allows to declare external sources of calendars to see their events into Dolibarr agenda. +ActionsEvents=Events for which Dolibarr will create an action in agenda automatically EventRemindersByEmailNotEnabled=Event reminders by email was not enabled into %s module setup. ##### Agenda event labels ##### NewCompanyToDolibarr=Third party %s created COMPANY_MODIFYInDolibarr=Third party %s modified COMPANY_DELETEInDolibarr=Third party %s deleted -ContractValidatedInDolibarr=Ugovor %s je potvrđen +ContractValidatedInDolibarr=Contract %s validated CONTRACT_DELETEInDolibarr=Contract %s deleted -PropalClosedSignedInDolibarr=Ponuda %s je potpisana -PropalClosedRefusedInDolibarr=Ponuda %s je odbijena -PropalValidatedInDolibarr=Ponuda %s je potvrđena +PropalClosedSignedInDolibarr=Proposal %s signed +PropalClosedRefusedInDolibarr=Proposal %s refused +PropalValidatedInDolibarr=Proposal %s validated PropalBackToDraftInDolibarr=Proposal %s go back to draft status -PropalClassifiedBilledInDolibarr=Ponuda %s je klasirana kao naplaćena -InvoiceValidatedInDolibarr=Faktura %s je potvrđena -InvoiceValidatedInDolibarrFromPos=Faktura %s je potvđena od strane POS -InvoiceBackToDraftInDolibarr=Faktura %s je vraćena na nacrt -InvoiceDeleteDolibarr=Faktura %s je obrisana -InvoicePaidInDolibarr=Račun %s je promenjen u plaćen -InvoiceCanceledInDolibarr=Račun %s je otkazan -MemberValidatedInDolibarr=Član %s je potvrđen +PropalClassifiedBilledInDolibarr=Proposal %s classified billed +InvoiceValidatedInDolibarr=Invoice %s validated +InvoiceValidatedInDolibarrFromPos=Invoice %s validated from POS +InvoiceBackToDraftInDolibarr=Invoice %s go back to draft status +InvoiceDeleteDolibarr=Invoice %s deleted +InvoicePaidInDolibarr=Invoice %s changed to paid +InvoiceCanceledInDolibarr=Invoice %s canceled +MemberValidatedInDolibarr=Member %s validated MemberModifiedInDolibarr=Member %s modified MemberResiliatedInDolibarr=Member %s terminated -MemberDeletedInDolibarr=Član %s je obrisan +MemberDeletedInDolibarr=Member %s deleted MemberExcludedInDolibarr=Member %s excluded MemberSubscriptionAddedInDolibarr=Subscription %s for member %s added MemberSubscriptionModifiedInDolibarr=Subscription %s for member %s modified MemberSubscriptionDeletedInDolibarr=Subscription %s for member %s deleted -ShipmentValidatedInDolibarr=Isporuka %s je potvrđena +ShipmentValidatedInDolibarr=Shipment %s validated ShipmentClassifyClosedInDolibarr=Shipment %s classified closed ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified re-open ShipmentBackToDraftInDolibarr=Shipment %s go back to draft status -ShipmentDeletedInDolibarr=Isporuka %s je obrisana +ShipmentDeletedInDolibarr=Shipment %s deleted ShipmentCanceledInDolibarr=Shipment %s canceled ReceptionValidatedInDolibarr=Reception %s validated ReceptionDeletedInDolibarr=Reception %s deleted ReceptionClassifyClosedInDolibarr=Reception %s classified closed OrderCreatedInDolibarr=Order %s created -OrderValidatedInDolibarr=Račun %s je potvrđen -OrderDeliveredInDolibarr=Narudžbina %s označena kao dostavljena -OrderCanceledInDolibarr=Račun %s je poništen -OrderBilledInDolibarr=Narudžbina %s označena kao naplaćena -OrderApprovedInDolibarr=Račun %s je odobren -OrderRefusedInDolibarr=Narudžbina %s je odbijena. -OrderBackToDraftInDolibarr=Račun %s je vraćen na nacrt +OrderValidatedInDolibarr=Order %s validated +OrderDeliveredInDolibarr=Order %s classified delivered +OrderCanceledInDolibarr=Order %s canceled +OrderBilledInDolibarr=Order %s classified billed +OrderApprovedInDolibarr=Order %s approved +OrderRefusedInDolibarr=Order %s refused +OrderBackToDraftInDolibarr=Order %s go back to draft status ProposalSentByEMail=Commercial proposal %s sent by email ContractSentByEMail=Contract %s sent by email OrderSentByEMail=Sales order %s sent by email @@ -86,9 +86,11 @@ SupplierOrderSentByEMail=Purchase order %s sent by email ORDER_SUPPLIER_DELETEInDolibarr=Purchase order %s deleted SupplierInvoiceSentByEMail=Vendor invoice %s sent by email ShippingSentByEMail=Shipment %s sent by email -ShippingValidated= Isporuka %s je potvrđena -InterventionSentByEMail=Intervencija %s je poslata preko maila +ShippingValidated= Shipment %s validated +InterventionSentByEMail=Intervention %s sent by email ProjectSentByEMail=Project %s sent by email +ProjectDeletedInDolibarr=Project %s deleted +ProjectClosedInDolibarr=Project %s closed ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted @@ -109,7 +111,7 @@ EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated EXPENSE_REPORT_APPROVEInDolibarr=Expense report %s approved EXPENSE_REPORT_DELETEInDolibarr=Expense report %s deleted EXPENSE_REPORT_REFUSEDInDolibarr=Expense report %s refused -PROJECT_CREATEInDolibarr=Projekat %s je kreiran +PROJECT_CREATEInDolibarr=Project %s created PROJECT_MODIFYInDolibarr=Project %s modified PROJECT_DELETEInDolibarr=Project %s deleted TICKET_CREATEInDolibarr=Ticket %s created @@ -128,12 +130,14 @@ MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted MRP_MO_CANCELInDolibarr=MO canceled PAIDInDolibarr=%s paid +ENABLEDISABLEInDolibarr=User enabled or disabled +CANCELInDolibarr=Canceled ##### End agenda events ##### AgendaModelModule=Document templates for event -DateActionStart=Početak -DateActionEnd=Kraj -AgendaUrlOptions1=Možete dodati i sledeće parametre da filtrirate rezultat: -AgendaUrlOptions3=logina=%s da se zabrani izlaz akcijama čiji je vlasnik korisnik %s. +DateActionStart=Start date +DateActionEnd=End date +AgendaUrlOptions1=You can also add following parameters to filter output: +AgendaUrlOptions3=logina=%s to restrict output to actions owned by a user %s. AgendaUrlOptionsNotAdmin=logina=!%s to restrict output to actions not owned by user %s. AgendaUrlOptions4=logint=%s to restrict output to actions assigned to user %s (owner and others). AgendaUrlOptionsProject=project=__PROJECT_ID__ to restrict output to actions linked to project __PROJECT_ID__. @@ -141,33 +145,33 @@ AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto to exclude automati AgendaUrlOptionsIncludeHolidays=includeholidays=1 to include events of holidays. AgendaShowBirthdayEvents=Birthdays of contacts AgendaHideBirthdayEvents=Hide birthdays of contacts -Busy=Zauzet -ExportDataset_event1=Spisak događaja iz agende -DefaultWorkingDays=Već utvrđen period radnih dana u nedelji (Primer: 1-5, 1-6) -DefaultWorkingHours=Već utvrđeni broj radnih sati u danu (Primer: 9-18) +Busy=Busy +ExportDataset_event1=List of agenda events +DefaultWorkingDays=Default working days range in week (Example: 1-5, 1-6) +DefaultWorkingHours=Default working hours in day (Example: 9-18) # External Sites ical -ExportCal=Izvezi kalendar -ExtSites=Uvezi eksterni kalendar +ExportCal=Export calendar +ExtSites=Import external calendars ExtSitesEnableThisTool=Show external calendars (defined in global setup) in Agenda. Does not affect external calendars defined by users. -ExtSitesNbOfAgenda=Broj kalendara +ExtSitesNbOfAgenda=Number of calendars AgendaExtNb=Calendar no. %s -ExtSiteUrlAgenda=URL za pristup .ical datoteke -ExtSiteNoLabel=Nema opisa -VisibleTimeRange=Vidljiv vremenski period -VisibleDaysRange=Vidljiv vremenski period -AddEvent=Kreiraj događaj -MyAvailability=Moja dostupnost -ActionType=Tip događaja -DateActionBegin=Početak događaja +ExtSiteUrlAgenda=URL to access .ical file +ExtSiteNoLabel=No Description +VisibleTimeRange=Visible time range +VisibleDaysRange=Visible days range +AddEvent=Create event +MyAvailability=My availability +ActionType=Event type +DateActionBegin=Start event date ConfirmCloneEvent=Are you sure you want to clone the event %s? -RepeatEvent=Ponovi događaj +RepeatEvent=Repeat event OnceOnly=Once only EveryDay=Every day -EveryWeek=Svake nedelje -EveryMonth=Svakog meseca -DayOfMonth=Dan u mesecu -DayOfWeek=Dan u nedelji -DateStartPlusOne=Početak + 1 sat +EveryWeek=Every week +EveryMonth=Every month +DayOfMonth=Day of month +DayOfWeek=Day of week +DateStartPlusOne=Date start + 1 hour SetAllEventsToTodo=Set all events to todo SetAllEventsToInProgress=Set all events to in progress SetAllEventsToFinished=Set all events to finished @@ -181,3 +185,23 @@ Reminders=Reminders ActiveByDefault=Enabled by default Until=until DataFromWasMerged=Data from %s was merged +AgendaShowBookcalCalendar=Booking calendar: %s +MenuBookcalIndex=Online appointment +BookcalLabelAvailabilityHelp=Label of the availability range. For example:
      General availability
      Availability during christmas holidays +DurationOfRange=Duration of ranges +BookCalSetup = Online appointment setup +Settings = Settings +BookCalSetupPage = Online appointment setup page +BOOKCAL_PUBLIC_INTERFACE_TOPIC = Interface title +About = About +BookCalAbout = About BookCal +BookCalAboutPage = BookCal about page +Calendars=Calendars +Availabilities=Availabilities +NewAvailabilities=New availabilities +NewCalendar=New calendar +ThirdPartyBookCalHelp=Event booked in this calendar will be automatically linked to this third-party. +AppointmentDuration = Appointment Duration : %s +BookingSuccessfullyBooked=Your booking has been saved +BookingReservationHourAfter=We confirm the reservation of our meeting at the date %s +BookcalBookingTitle=Online appointment diff --git a/htdocs/langs/sr_RS/assets.lang b/htdocs/langs/sr_RS/assets.lang index 5d3724b61d1..5baa8cc16f8 100644 --- a/htdocs/langs/sr_RS/assets.lang +++ b/htdocs/langs/sr_RS/assets.lang @@ -21,7 +21,7 @@ AccountancyCodeAsset=Accounting code (asset) AccountancyCodeDepreciationAsset=Accounting code (depreciation asset account) AccountancyCodeDepreciationExpense=Accounting code (depreciation expense account) AssetsLines=Assets -DeleteType=Obriši +DeleteType=Delete DeleteAnAssetType=Delete an asset model ConfirmDeleteAssetType=Are you sure you want to delete this asset model? ShowTypeCard=Show model '%s' @@ -50,9 +50,9 @@ ASSET_ACCOUNTANCY_CATEGORY=Fixed asset accounting group MenuAssets=Assets MenuNewAsset=New asset MenuAssetModels=Model assets -MenuListAssets=Lista +MenuListAssets=List MenuNewAssetModel=New asset's model -MenuListAssetModels=Lista +MenuListAssetModels=List # # Module @@ -63,7 +63,7 @@ ConfirmDeleteAsset=Do you really want to remove this asset? # Tab # AssetDepreciationOptions=Depreciation options -AssetAccountancyCodes=Računovodstveni nalozi +AssetAccountancyCodes=Accounting accounts AssetDepreciation=Depreciation # @@ -78,12 +78,12 @@ AssetReversalDate=Reversal date AssetDateAcquisition=Acquisition date AssetDateStart=Date of start-up AssetAcquisitionType=Type of acquisition -AssetAcquisitionTypeNew=Novo +AssetAcquisitionTypeNew=New AssetAcquisitionTypeOccasion=Used AssetType=Type of asset AssetTypeIntangible=Intangible AssetTypeTangible=Tangible -AssetTypeInProgress=U toku +AssetTypeInProgress=In progress AssetTypeFinancial=Financial AssetNotDepreciated=Not depreciated AssetDisposal=Disposal @@ -93,7 +93,7 @@ AssetConfirmReOpenAsk=Are you sure you want to reopen the asset %s? # # Asset status # -AssetInProgress=U toku +AssetInProgress=In progress AssetDisposed=Disposed AssetRecorded=Accounted @@ -123,7 +123,7 @@ AssetDepreciationOptionDepreciationTypeDegressive=Degressive AssetDepreciationOptionDepreciationTypeExceptional=Exceptional AssetDepreciationOptionDegressiveRate=Degressive rate AssetDepreciationOptionAcceleratedDepreciation=Accelerated depreciation (tax) -AssetDepreciationOptionDuration=Trajanje +AssetDepreciationOptionDuration=Duration AssetDepreciationOptionDurationType=Type duration AssetDepreciationOptionDurationTypeAnnual=Annual AssetDepreciationOptionDurationTypeMonthly=Monthly @@ -146,7 +146,7 @@ AssetAccountancyCodeProceedsFromSales=Proceeds from disposal AssetAccountancyCodeVatCollected=Collected VAT AssetAccountancyCodeVatDeductible=Recovered VAT on assets AssetAccountancyCodeDepreciationAcceleratedDepreciation=Accelerated depreciation (tax) -AssetAccountancyCodeAcceleratedDepreciation=Račun +AssetAccountancyCodeAcceleratedDepreciation=Account AssetAccountancyCodeEndowmentAcceleratedDepreciation=Depreciation expense AssetAccountancyCodeProvisionAcceleratedDepreciation=Repossession/Provision @@ -155,7 +155,7 @@ AssetAccountancyCodeProvisionAcceleratedDepreciation=Repossession/Provision # AssetBaseDepreciationHT=Depreciation basis (excl. VAT) AssetDepreciationBeginDate=Start of depreciation on -AssetDepreciationDuration=Trajanje +AssetDepreciationDuration=Duration AssetDepreciationRate=Rate (%%) AssetDepreciationDate=Depreciation date AssetDepreciationHT=Depreciation (excl. VAT) @@ -168,7 +168,7 @@ AssetDepreciationReversal=Reversal # # Errors # -AssetErrorAssetOrAssetModelIDNotProvide=Id of the asset or the model sound has not been provided +AssetErrorAssetOrAssetModelIDNotProvide=Id of the asset or the model found has not been provided AssetErrorFetchAccountancyCodesForMode=Error when retrieving the accounting accounts for the '%s' depreciation mode AssetErrorDeleteAccountancyCodesForMode=Error when deleting accounting accounts from the '%s' depreciation mode AssetErrorInsertAccountancyCodesForMode=Error when inserting the accounting accounts of the depreciation mode '%s' diff --git a/htdocs/langs/sr_RS/banks.lang b/htdocs/langs/sr_RS/banks.lang index 3813af6882b..c6970765e9c 100644 --- a/htdocs/langs/sr_RS/banks.lang +++ b/htdocs/langs/sr_RS/banks.lang @@ -1,35 +1,36 @@ # Dolibarr language file - Source file is en_US - banks -Bank=Banka +Bank=Bank MenuBankCash=Banks | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment -BankName=Ime banke -FinancialAccount=Račun -BankAccount=Račun u banci -BankAccounts=Računi u banci +BankName=Bank name +FinancialAccount=Account +BankAccount=Bank account +BankAccounts=Bank accounts BankAccountsAndGateways=Bank accounts | Gateways -ShowAccount=Prikaži račun -AccountRef=Finansijski račun referenca -AccountLabel=Oznaka finansijskog računa -CashAccount=Gotovinski račun -CashAccounts=Gotovinski računi -CurrentAccounts=Trenutni računi -SavingAccounts=Štedni računi -ErrorBankLabelAlreadyExists=Oznaka finansijskog računa već postoji -BankBalance=Stanje -BankBalanceBefore=Stanje pre -BankBalanceAfter=Stanje posle -BalanceMinimalAllowed=Najmanje dozvoljeno stanje -BalanceMinimalDesired=Najmanje zeljeno stanje -InitialBankBalance=Početno stanje -EndBankBalance=Kranje stanje -CurrentBalance=Trenutno stanje -FutureBalance=Buduće stanje -ShowAllTimeBalance=Prikaži stanje od početka -AllTime=Od početka -Reconciliation=Poravnanje -RIB=Broj bankovnog računa -IBAN=IBAN broj +ShowAccount=Show Account +AccountRef=Financial account ref +AccountLabel=Financial account label +CashAccount=Cash account +CashAccounts=Cash accounts +CurrentAccounts=Current accounts +SavingAccounts=Savings accounts +ErrorBankLabelAlreadyExists=Financial account label already exists +ErrorBankReceiptAlreadyExists=Bank receipt reference already exists +BankBalance=Balance +BankBalanceBefore=Balance before +BankBalanceAfter=Balance after +BalanceMinimalAllowed=Minimum allowed balance +BalanceMinimalDesired=Minimum desired balance +InitialBankBalance=Initial balance +EndBankBalance=End balance +CurrentBalance=Current balance +FutureBalance=Future balance +ShowAllTimeBalance=Show balance from start +AllTime=From start +Reconciliation=Reconciliation +RIB=Bank Account Number +IBAN=IBAN number BIC=BIC/SWIFT code SwiftValid=BIC/SWIFT valid SwiftNotValid=BIC/SWIFT not valid @@ -39,130 +40,130 @@ StandingOrders=Direct debit orders StandingOrder=Direct debit order PaymentByDirectDebit=Payment by direct debit PaymentByBankTransfers=Payments by credit transfer -PaymentByBankTransfer=Plaćanje transferom kredita -AccountStatement=Izvod -AccountStatementShort=Izvod -AccountStatements=Izvodi -LastAccountStatements=Poslednji izvod -IOMonthlyReporting=Mesečno izveštavanje +PaymentByBankTransfer=Payment by credit transfer +AccountStatement=Account statement +AccountStatementShort=Statement +AccountStatements=Account statements +LastAccountStatements=Last account statements +IOMonthlyReporting=Monthly reporting BankAccountDomiciliation=Bank address -BankAccountCountry=Država računa -BankAccountOwner=Ime vlasnika računa -BankAccountOwnerAddress=Adresa vlasnika računa +BankAccountCountry=Account country +BankAccountOwner=Account owner name +BankAccountOwnerAddress=Account owner address BankAccountOwnerZip=Account owner zip BankAccountOwnerTown=Account owner town BankAccountOwnerCountry=Account owner country -CreateAccount=Kreiraj račun -NewBankAccount=Novi račun -NewFinancialAccount=Nov finansijski račun -MenuNewFinancialAccount=Nov finansijski račun -EditFinancialAccount=Izmeni račun -LabelBankCashAccount=Bankovna ili gotovinska oznaka -AccountType=Tip računa -BankType0=Štedni račun +CreateAccount=Create account +NewBankAccount=New account +NewFinancialAccount=New financial account +MenuNewFinancialAccount=New financial account +EditFinancialAccount=Edit account +LabelBankCashAccount=Bank or cash label +AccountType=Account type +BankType0=Savings account BankType1=Current, cheque or credit card account -BankType2=Gotovinski račun -AccountsArea=Oblast računa -AccountCard=Kartica računa -DeleteAccount=Obriši račun +BankType2=Cash account +AccountsArea=Accounts area +AccountCard=Account card +DeleteAccount=Delete account ConfirmDeleteAccount=Are you sure you want to delete this account? -Account=Račun +Account=Account BankTransactionByCategories=Bank entries by categories BankTransactionForCategory=Bank entries for category %s -RemoveFromRubrique=Ukloni link sa kategorijom +RemoveFromRubrique=Remove link with category RemoveFromRubriqueConfirm=Are you sure you want to remove link between the entry and the category? ListBankTransactions=List of bank entries -IdTransaction=ID transakcije +IdTransaction=Transaction ID BankTransactions=Bank entries BankTransaction=Bank entry ListTransactions=List entries ListTransactionsByCategory=List entries/category TransactionsToConciliate=Entries to reconcile TransactionsToConciliateShort=To reconcile -Conciliable=Ne može se poravnati -Conciliate=Poravnati -Conciliation=Poravnanje +Conciliable=Can be reconciled +Conciliate=Reconcile +Conciliation=Reconciliation SaveStatementOnly=Save statement only ReconciliationLate=Reconciliation late -IncludeClosedAccount=Uključi zatvorene račune -OnlyOpenedAccount=Samo otvoreni računi -AccountToCredit=Kreditni račun -AccountToDebit=Debitni račun -DisableConciliation=Onemogući poravnanje za ovaj račun -ConciliationDisabled=Opcija poravnanja onemogućena +IncludeClosedAccount=Include closed accounts +OnlyOpenedAccount=Only open accounts +AccountToCredit=Account to credit +AccountToDebit=Account to debit +DisableConciliation=Disable reconciliation feature for this account +ConciliationDisabled=Reconciliation feature disabled LinkedToAConciliatedTransaction=Linked to a conciliated entry -StatusAccountOpened=Otvoreno -StatusAccountClosed=Zatvoreno -AccountIdShort=Broj -LineRecord=Transakcija +StatusAccountOpened=Open +StatusAccountClosed=Closed +AccountIdShort=Number +LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually Conciliated=Reconciled -ReConciliedBy=Poravnjaj sa -DateConciliating=Datum poravnanja +ReConciliedBy=Reconciled by +DateConciliating=Reconcile date BankLineConciliated=Entry reconciled with bank receipt BankLineReconciled=Reconciled BankLineNotReconciled=Not reconciled -CustomerInvoicePayment=Uplata kupca +CustomerInvoicePayment=Customer payment SupplierInvoicePayment=Vendor payment -SubscriptionPayment=Uplata pretplate +SubscriptionPayment=Subscription payment WithdrawalPayment=Direct Debit payment BankTransferPayment=Credit Transfer payment -SocialContributionPayment=Uplate poreza/doprinosa +SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. -TransferFrom=Od -TransferTo=Za -TransferFromToDone=Prenos od %s to %s of %s %s je zabeležen. -CheckTransmitter=Pošiljalac +TransferFrom=From +TransferTo=To +TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes will be possible once validated. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? DocumentsForDeposit=Documents to deposit at the bank -BankChecks=Bankovni ček +BankChecks=Bank checks BankChecksToReceipt=Checks awaiting deposit BankChecksToReceiptShort=Checks awaiting deposit -ShowCheckReceipt=Prikaži unovčen ček +ShowCheckReceipt=Show check deposit receipt NumberOfCheques=No. of check DeleteTransaction=Delete entry ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry -BankMovements=Promene +BankMovements=Movements PlannedTransactions=Planned entries Graph=Graphs ExportDataset_banque_1=Bank entries and account statement -ExportDataset_banque_2=Depozitni isečak -TransactionOnTheOtherAccount=Transakcije na drugom računu +ExportDataset_banque_2=Deposit slip +TransactionOnTheOtherAccount=Transaction on the other account PaymentNumberUpdateSucceeded=Payment number updated successfully -PaymentNumberUpdateFailed=Broj uplate ne može biti izmenjen +PaymentNumberUpdateFailed=Payment number could not be updated PaymentDateUpdateSucceeded=Payment date updated successfully -PaymentDateUpdateFailed=Datum uplate ne može biti izmenjen -Transactions=Transakcija +PaymentDateUpdateFailed=Payment date could not be updated +Transactions=Transactions BankTransactionLine=Bank entry AllAccounts=All bank and cash accounts -BackToAccount=Nazad na račun -ShowAllAccounts=Prikaži za sve račune +BackToAccount=Back to account +ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". SelectPaymentTransactionAndGenerate=Select/filter the documents which are to be included in the %s deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value InputReceiptNumberBis=YYYYMM or YYYYMMDD -EventualyAddCategory=Na kraju, definišite kategoriju u koju želite da klasifikujete izveštaje +EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? -ThenCheckLinesAndConciliate=Potom, označite prikazane linije u izvodu i klinkite -DefaultRIB=Podrazumevani BAN -AllRIB=Svi BAN -LabelRIB=BAN oznaka -NoBANRecord=Nema BAN izveštaja -DeleteARib=Obriši BAN izveštaj +ThenCheckLinesAndConciliate=Then, check the lines present in the bank statement and click +DefaultRIB=Default BAN +AllRIB=All BAN +LabelRIB=BAN Label +NoBANRecord=No BAN record +DeleteARib=Delete BAN record ConfirmDeleteRib=Are you sure you want to delete this BAN record? -RejectCheck=Vraćen ček +RejectCheck=Check returned ConfirmRejectCheck=Are you sure you want to mark this check as rejected? -RejectCheckDate=Datum vraćanja čeka -CheckRejected=Vraćen ček +RejectCheckDate=Date the check was returned +CheckRejected=Check returned CheckRejectedAndInvoicesReopened=Check returned and invoices re-open BankAccountModelModule=Document templates for bank accounts DocumentModelSepaMandate=Template of SEPA mandate. Useful for European countries in EEC only. @@ -189,6 +190,7 @@ IfYouDontReconcileDisableProperty=If you don't make the bank reconciliations on NoBankAccountDefined=No bank account defined NoRecordFoundIBankcAccount=No record found in bank account. Commonly, this occurs when a record has been deleted manually from the list of transaction in the bank account (for example during a reconciliation of the bank account). Another reason is that the payment was recorded when the module "%s" was disabled. AlreadyOneBankAccount=Already one bank account defined -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=SEPA transfer: 'Payment Type' at 'Credit Transfer' level -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=When generatin a SEPA XML file for Credit transfers, the section "PaymentTypeInformation" can now be placed inside the "CreditTransferTransactionInformation" section (instead of "Payment" section). We strongly recommend to keep this unchecked to place PaymentTypeInformation at Payment level, as all banks will not necessarily accept it at CreditTransferTransactionInformation level. Contact your bank before placing PaymentTypeInformation at CreditTransferTransactionInformation level. +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=SEPA file variant +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=Yes = Store 'Payment Type' in 'Credit Transfer' section of SEPA file

      When generating a SEPA XML file for Credit transfers, the section "PaymentTypeInformation" can now be placed inside the "CreditTransferTransactionInformation" section (instead of "Payment" section). We strongly recommend to keep this unchecked to place PaymentTypeInformation at Payment level, as all banks will not necessarily accept it at CreditTransferTransactionInformation level. Contact your bank before placing PaymentTypeInformation at CreditTransferTransactionInformation level. ToCreateRelatedRecordIntoBank=To create missing related bank record +XNewLinesConciliated=%s new line(s) conciliated diff --git a/htdocs/langs/sr_RS/bills.lang b/htdocs/langs/sr_RS/bills.lang index 8570e5423a8..38642e15cf1 100644 --- a/htdocs/langs/sr_RS/bills.lang +++ b/htdocs/langs/sr_RS/bills.lang @@ -1,89 +1,89 @@ # Dolibarr language file - Source file is en_US - bills -Bill=Račun -Bills=Računi -BillsCustomers=Fakture klijenata -BillsCustomer=Račun kupca +Bill=Invoice +Bills=Invoices +BillsCustomers=Customer invoices +BillsCustomer=Customer invoice BillsSuppliers=Vendor invoices -BillsCustomersUnpaid=Neplaćene fakture klijenta -BillsCustomersUnpaidForCompany=Neplaćene fakture klijenta za %s +BillsCustomersUnpaid=Unpaid customer invoices +BillsCustomersUnpaidForCompany=Unpaid customer invoices for %s BillsSuppliersUnpaid=Unpaid vendor invoices BillsSuppliersUnpaidForCompany=Unpaid vendors invoices for %s -BillsLate=Zakasnele uplate -BillsStatistics=Statistika računa kupaca +BillsLate=Late payments +BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Vendors invoices statistics DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotLastSituationInvoice=Disabled because invoice is not erasable. This invoice is not the last one in situation invoice cycle. -DisabledBecauseNotErasable=Onemogućeno jer ne može biti izbrisano -InvoiceStandard=Standardni račun -InvoiceStandardAsk=Standardni račun -InvoiceStandardDesc=Ovaj tip računa je uobičajen +DisabledBecauseNotErasable=Disabled because cannot be erased +InvoiceStandard=Standard invoice +InvoiceStandardAsk=Standard invoice +InvoiceStandardDesc=This kind of invoice is the common invoice. InvoiceStandardShort=Standard InvoiceDeposit=Down payment invoice InvoiceDepositAsk=Down payment invoice InvoiceDepositDesc=This kind of invoice is done when a down payment has been received. -InvoiceProForma=Predračun -InvoiceProFormaAsk=Predračun -InvoiceProFormaDesc=Predračun je neobavezujući dokument koji ima sve karakteristike računa. -InvoiceReplacement=Zamenski račun +InvoiceProForma=Proforma invoice +InvoiceProFormaAsk=Proforma invoice +InvoiceProFormaDesc=Proforma invoice is an image of a true invoice but has no accountancy value. +InvoiceReplacement=Replacement invoice InvoiceReplacementShort=Replacement -InvoiceReplacementAsk=Zamenski račun za račun +InvoiceReplacementAsk=Replacement invoice for invoice InvoiceReplacementDesc=Replacement invoice is used to completely replace an invoice with no payment already received.

      Note: Only invoices with no payment on it can be replaced. If the invoice you replace is not yet closed, it will be automatically closed to 'abandoned'. -InvoiceAvoir=Knjižno odobrenje (kredit nota) -InvoiceAvoirAsk=Knjižno odobrenje za korekciju računa +InvoiceAvoir=Credit note +InvoiceAvoirAsk=Credit note to correct invoice InvoiceAvoirDesc=The credit note is a negative invoice used to correct the fact that an invoice shows an amount that differs from the amount actually paid (eg the customer paid too much by mistake, or will not pay the complete amount since some products were returned). invoiceAvoirWithLines=Create Credit Note with lines from the origin invoice invoiceAvoirWithPaymentRestAmount=Create Credit Note with remaining unpaid of origin invoice invoiceAvoirLineWithPaymentRestAmount=Credit Note for remaining unpaid amount -ReplaceInvoice=Menja račun %s -ReplacementInvoice=Zamenski račun -ReplacedByInvoice=Zamenjeno računom %s -ReplacementByInvoice=Zamenjeno računom -CorrectInvoice=Ispravan račun %s -CorrectionInvoice=Ispravka računa -UsedByInvoice=Koristi se za plaćanje računa %s -ConsumedBy=Potrošač -NotConsumed=Nije potrošeno +ReplaceInvoice=Replace invoice %s +ReplacementInvoice=Replacement invoice +ReplacedByInvoice=Replaced by invoice %s +ReplacementByInvoice=Replaced by invoice +CorrectInvoice=Correct invoice %s +CorrectionInvoice=Correction invoice +UsedByInvoice=Used to pay invoice %s +ConsumedBy=Consumed by +NotConsumed=Not consumed NoReplacableInvoice=No replaceable invoices -NoInvoiceToCorrect=Nema računa za korekciju +NoInvoiceToCorrect=No invoice to correct InvoiceHasAvoir=Was source of one or several credit notes -CardBill=Kartica računa -PredefinedInvoices=Predefinisani računi -Invoice=Račun -PdfInvoiceTitle=Račun -Invoices=Računi -InvoiceLine=Linija na računu -InvoiceCustomer=Račun kupca -CustomerInvoice=Račun kupca -CustomersInvoices=Fakture klijenata +CardBill=Invoice card +PredefinedInvoices=Predefined Invoices +Invoice=Invoice +PdfInvoiceTitle=Invoice +Invoices=Invoices +InvoiceLine=Invoice line +InvoiceCustomer=Customer invoice +CustomerInvoice=Customer invoice +CustomersInvoices=Customer invoices SupplierInvoice=Vendor invoice SuppliersInvoices=Vendor invoices SupplierInvoiceLines=Vendor invoice lines SupplierBill=Vendor invoice SupplierBills=Vendor invoices -Payment=Plaćanje -PaymentBack=Povraćaj -CustomerInvoicePaymentBack=Povraćaj -Payments=Plaćanja +Payment=Payment +PaymentBack=Refund +CustomerInvoicePaymentBack=Refund +Payments=Payments PaymentsBack=Refunds paymentInInvoiceCurrency=in invoices currency -PaidBack=Refundirano -DeletePayment=Obriši plaćanje -ConfirmDeletePayment=Da li ste sigurni da želite da obrišete ovu uplatu? +PaidBack=Paid back +DeletePayment=Delete payment +ConfirmDeletePayment=Are you sure you want to delete this payment? ConfirmConvertToReduc=Do you want to convert this %s into an available credit? ConfirmConvertToReduc2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this customer. ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit? ConfirmConvertToReducSupplier2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this vendor. SupplierPayments=Vendor payments -ReceivedPayments=Primljene uplate -ReceivedCustomersPayments=Uplate primljene od kupaca +ReceivedPayments=Received payments +ReceivedCustomersPayments=Payments received from customers PayedSuppliersPayments=Payments paid to vendors -ReceivedCustomersPaymentsToValid=Primljene uplate kupaca za validaciju -PaymentsReportsForYear=Izveštaj od plaćanjima za %s -PaymentsReports=Izveštaj o plaćanjima -PaymentsAlreadyDone=Plaćanje već izvršeno +ReceivedCustomersPaymentsToValid=Received customers payments to validate +PaymentsReportsForYear=Payments reports for %s +PaymentsReports=Payments reports +PaymentsAlreadyDone=Payments already done PaymentsBackAlreadyDone=Refunds already done -PaymentRule=Pravilo za plaćanje +PaymentRule=Payment rule PaymentMode=Payment method PaymentModes=Payment methods DefaultPaymentMode=Default Payment method @@ -95,107 +95,109 @@ PaymentModeShort=Payment method PaymentTerm=Payment Term PaymentConditions=Payment Terms PaymentConditionsShort=Payment Terms -PaymentAmount=Iznos za plaćanje -PaymentHigherThanReminderToPay=Iznos koji želite da platiteje viši od iznosa za plaćanje +PaymentAmount=Payment amount +PaymentHigherThanReminderToPay=Payment higher than reminder to pay HelpPaymentHigherThanReminderToPay=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess received for each overpaid invoice. HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess paid for each overpaid invoice. -ClassifyPaid=Klasifikuj kao "plaćeno" +ClassifyPaid=Classify 'Paid' ClassifyUnPaid=Classify 'Unpaid' -ClassifyPaidPartially=Klasifikuj "delimično plaćeno" -ClassifyCanceled=Klasifikuj "napušteno" -ClassifyClosed=Klasifikuj "zatvoreno" +ClassifyPaidPartially=Classify 'Paid partially' +ClassifyCanceled=Classify 'Abandoned' +ClassifyClosed=Classify 'Closed' ClassifyUnBilled=Classify 'Unbilled' -CreateBill=Novi račun -CreateCreditNote=Kreiraj kreditnu notu -AddBill=Novi račun ili knjižno odobrenje +CreateBill=Create Invoice +CreateCreditNote=Create credit note +AddBill=Create invoice or credit note AddToDraftInvoices=Add to draft invoice -DeleteBill=Obriši račun -SearchACustomerInvoice=Traži račun kupca +DeleteBill=Delete invoice +SearchACustomerInvoice=Search for a customer invoice SearchASupplierInvoice=Search for a vendor invoice -CancelBill=Otkaži račun +CancelBill=Cancel an invoice SendRemindByMail=Send reminder by email -DoPayment=Unesite uplatu +DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available ConvertExcessReceivedToReduc=Convert excess received into available credit ConvertExcessPaidToReduc=Convert excess paid into available discount -EnterPaymentReceivedFromCustomer=Unesi prijem uplate kupca -EnterPaymentDueToCustomer=Uplatiti zbog kupca -DisabledBecauseRemainderToPayIsZero=Onemogući jer je preostali iznos nula +EnterPaymentReceivedFromCustomer=Enter payment received from customer +EnterPaymentDueToCustomer=Make payment due to customer +DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero PriceBase=Base price -BillStatus=Status računa -StatusOfGeneratedInvoices=Status generisanih računa -BillStatusDraft=Nacrt (treba da se potvrdi) -BillStatusPaid=Plaćeno +BillStatus=Invoice status +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices +BillStatusDraft=Draft (needs to be validated) +BillStatusPaid=Paid BillStatusPaidBackOrConverted=Credit note refund or marked as credit available BillStatusConverted=Paid (ready for consumption in final invoice) -BillStatusCanceled=Napušteno -BillStatusValidated=Potvrdjeno (potrebno izvršiti plaćanje) -BillStatusStarted=Započeto -BillStatusNotPaid=Nije plaćeno -BillStatusNotRefunded=Nije refundirano -BillStatusClosedUnpaid=Zatvoreno (neplaćeno) -BillStatusClosedPaidPartially=Plaćeno (delimično) -BillShortStatusDraft=Nacrt -BillShortStatusPaid=Plaćeno +BillStatusCanceled=Abandoned +BillStatusValidated=Validated (needs to be paid) +BillStatusStarted=Started +BillStatusNotPaid=Not paid +BillStatusNotRefunded=Not refunded +BillStatusClosedUnpaid=Closed (unpaid) +BillStatusClosedPaidPartially=Paid (partially) +BillShortStatusDraft=Draft +BillShortStatusPaid=Paid BillShortStatusPaidBackOrConverted=Refunded or converted Refunded=Refunded -BillShortStatusConverted=Plaćeno -BillShortStatusCanceled=Napušteno -BillShortStatusValidated=Potvrdjeno -BillShortStatusStarted=Započeto -BillShortStatusNotPaid=Nije plaeno -BillShortStatusNotRefunded=Nije refundirano -BillShortStatusClosedUnpaid=Zatvoreno -BillShortStatusClosedPaidPartially=Plaćeno (delimično) -PaymentStatusToValidShort=Za potvrdu +BillShortStatusConverted=Paid +BillShortStatusCanceled=Abandoned +BillShortStatusValidated=Validated +BillShortStatusStarted=Started +BillShortStatusNotPaid=Not paid +BillShortStatusNotRefunded=Not refunded +BillShortStatusClosedUnpaid=Closed +BillShortStatusClosedPaidPartially=Paid (partially) +PaymentStatusToValidShort=To validate ErrorVATIntraNotConfigured=Intra-Community VAT number not yet defined ErrorNoPaiementModeConfigured=No default payment type defined. Go to Invoice module setup to fix this. ErrorCreateBankAccount=Create a bank account, then go to Setup panel of Invoice module to define payment types -ErrorBillNotFound=Račun %s ne postoji +ErrorBillNotFound=Invoice %s does not exist ErrorInvoiceAlreadyReplaced=Error, you tried to validate an invoice to replace invoice %s. But this one has already been replaced by invoice %s. -ErrorDiscountAlreadyUsed=Greška! Popust je već iskorišćen -ErrorInvoiceAvoirMustBeNegative=Greška! Račun korekcije mora imati negativan iznos +ErrorDiscountAlreadyUsed=Error, discount already used +ErrorInvoiceAvoirMustBeNegative=Error, correct invoice must have a negative amount ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have an amount excluding tax positive (or null) -ErrorCantCancelIfReplacementInvoiceNotValidated=Greška! Ne možete otkazati račun koji je zamenjen drugim računom, koji je još uvek u status nacrta. +ErrorCantCancelIfReplacementInvoiceNotValidated=Error, can't cancel an invoice that has been replaced by another invoice that is still in draft status ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=This part or another is already used so discount series cannot be removed. ErrorInvoiceIsNotLastOfSameType=Error: The date of invoice %s is %s. It must be posterior or equal to last date for same type invoices (%s). Please change the invoice date. -BillFrom=Od -BillTo=Za +BillFrom=From +BillTo=To ShippingTo=Shipping to -ActionsOnBill=Akcije nad računom +ActionsOnBill=Actions on invoice +ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Template / Recurring invoice NoQualifiedRecurringInvoiceTemplateFound=No recurring template invoice qualified for generation. -FoundXQualifiedRecurringInvoiceTemplate=Found %s recurring template invoice(s) qualified for generation. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Not a recurring template invoice -NewBill=Novi račun -LastBills=Najnoviji %s računi +NewBill=New invoice +LastBills=Latest %s invoices LatestTemplateInvoices=Latest %s template invoices LatestCustomerTemplateInvoices=Latest %s customer template invoices LatestSupplierTemplateInvoices=Latest %s vendor template invoices -LastCustomersBills=Najnoviji %s računi klijenta +LastCustomersBills=Latest %s customer invoices LastSuppliersBills=Latest %s vendor invoices -AllBills=Svi računi +AllBills=All invoices AllCustomerTemplateInvoices=All template invoices -OtherBills=Drugi računi -DraftBills=Računi u statusu "nacrt" +OtherBills=Other invoices +DraftBills=Draft invoices CustomersDraftInvoices=Customer draft invoices SuppliersDraftInvoices=Vendor draft invoices -Unpaid=Neplaćeno +Unpaid=Unpaid ErrorNoPaymentDefined=Error No payment defined -ConfirmDeleteBill=Da li ste sigurni da želite da obrišete ovaj račun? -ConfirmValidateBill=Da li ste sigurni da želite da potvrdite ovaj račun sa brojem %s? +ConfirmDeleteBill=Are you sure you want to delete this invoice? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Are you sure you want to change invoice %s to draft status? -ConfirmClassifyPaidBill=Da li ste sigurni da želite da promeni status računa %s u status plaćen? -ConfirmCancelBill=Da li ste sigurni da želite da otkažete račun %s? -ConfirmCancelBillQuestion=Zašto želite da klasifikujete ovaj račun kao 'napušten'? -ConfirmClassifyPaidPartially=Da li ste sigurni da želite da promeni status računa %s u status plaćen? +ConfirmClassifyPaidBill=Are you sure you want to change invoice %s to status paid? +ConfirmCancelBill=Are you sure you want to cancel invoice %s? +ConfirmCancelBillQuestion=Why do you want to classify this invoice 'abandoned'? +ConfirmClassifyPaidPartially=Are you sure you want to change invoice %s to status paid? ConfirmClassifyPaidPartiallyQuestion=This invoice has not been paid completely. What is the reason for closing this invoice? ConfirmClassifyPaidPartiallyReasonAvoir=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I regularize the VAT with a credit note. ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I accept to lose the VAT on this discount. ConfirmClassifyPaidPartiallyReasonDiscountVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I recover the VAT on this discount without a credit note. ConfirmClassifyPaidPartiallyReasonBadCustomer=Bad customer +ConfirmClassifyPaidPartiallyReasonBadSupplier=Bad vendor ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax ConfirmClassifyPaidPartiallyReasonProductReturned=Products partially returned @@ -208,13 +210,14 @@ ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=This choice is used when p ConfirmClassifyPaidPartiallyReasonBankChargeDesc=The unpaid amount is intermediary bank fees, deducted directly from the correct amount paid by the Customer. ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax ConfirmClassifyPaidPartiallyReasonOtherDesc=Use this choice if all others are not suitable, for example in following situation:
      - payment not complete because some products were shipped back
      - amount claimed too important because a discount was forgotten
      In all cases, amount over-claimed must be corrected in accountancy system by creating a credit note. +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=A bad supplier is a supplier we refuse to pay. ConfirmClassifyAbandonReasonOther=Other ConfirmClassifyAbandonReasonOtherDesc=This choice will be used in all other cases. For example because you plan to create a replacing invoice. ConfirmCustomerPayment=Do you confirm this payment input for %s %s? ConfirmSupplierPayment=Do you confirm this payment input for %s %s? -ConfirmValidatePayment=Da li ste sigurni da želite da potvrdite ovu uplatu? Kada je uplata potvrdjena, promene nisu moguće. +ConfirmValidatePayment=Are you sure you want to validate this payment? No change can be made once payment is validated. ValidateBill=Validate invoice -UnvalidateBill=Unvalidate invoice +UnvalidateBill=Invalidate invoice NumberOfBills=No. of invoices NumberOfBillsByMonth=No. of invoices per month AmountOfBills=Amount of invoices @@ -245,18 +248,19 @@ RemainderToPay=Remaining unpaid RemainderToPayMulticurrency=Remaining unpaid, original currency RemainderToTake=Remaining amount to take RemainderToTakeMulticurrency=Remaining amount to take, original currency -RemainderToPayBack=Preostali iznos za refundiranje +RemainderToPayBack=Remaining amount to refund RemainderToPayBackMulticurrency=Remaining amount to refund, original currency +NegativeIfExcessReceived=negative if excess received NegativeIfExcessRefunded=negative if excess refunded +NegativeIfExcessPaid=negative if excess paid Rest=Pending AmountExpected=Amount claimed ExcessReceived=Excess received ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received ExcessPaid=Excess paid ExcessPaidMulticurrency=Excess paid, original currency EscompteOffered=Discount offered (payment before term) -EscompteOfferedShort=Popust +EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) SendPaymentReceipt=Submission of payment receipt %s @@ -264,6 +268,8 @@ NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices RefBill=Invoice ref +RefSupplierBill=Supplier invoice ref +SupplierOrderCreateBill=Create invoice ToBill=To bill RemainderToBill=Remainder to bill SendBillByMail=Send invoice by email @@ -279,7 +285,7 @@ NoOpenInvoice=No open invoice NbOfOpenInvoices=Number of open invoices ClassifyBill=Classify invoice SupplierBillsToPay=Unpaid vendor invoices -CustomerBillsUnpaid=Neplaćene fakture klijenata +CustomerBillsUnpaid=Unpaid customer invoices NonPercuRecuperable=Non-recoverable SetConditions=Set Payment Terms SetMode=Set Payment Type @@ -330,8 +336,8 @@ DiscountFromExcessPaid=Payments in excess of invoice %s AbsoluteDiscountUse=This kind of credit can be used on invoice before its validation CreditNoteDepositUse=Invoice must be validated to use this kind of credits NewGlobalDiscount=New absolute discount -NewSupplierGlobalDiscount=New supplier absolute discount -NewClientGlobalDiscount=New client absolute discount +NewSupplierGlobalDiscount=New absolute supplier discount +NewClientGlobalDiscount=New absolute client discount NewRelativeDiscount=New relative discount DiscountType=Discount type NoteReason=Note/Reason @@ -348,6 +354,7 @@ HelpAbandonOther=This amount has been abandoned since it was an error (wrong cus IdSocialContribution=Social/fiscal tax payment id PaymentId=Payment id PaymentRef=Payment ref. +SourceInvoiceId=Source invoice id InvoiceId=Invoice id InvoiceRef=Invoice ref. InvoiceDateCreation=Invoice creation date @@ -362,7 +369,7 @@ PaymentNumber=Payment number RemoveDiscount=Remove discount WatermarkOnDraftBill=Watermark on draft invoices (nothing if empty) InvoiceNotChecked=No invoice selected -ConfirmCloneInvoice=Da li ste sigurni da želite da napravite kopiju ovog računa %s? +ConfirmCloneInvoice=Are you sure you want to clone this invoice %s? DisabledBecauseReplacedInvoice=Action disabled because invoice has been replaced DescTaxAndDividendsArea=This area presents a summary of all payments made for special expenses. Only records with payments during the fixed year are included here. NbOfPayments=No. of payments @@ -370,7 +377,7 @@ SplitDiscount=Split discount in two ConfirmSplitDiscount=Are you sure you want to split this discount of %s %s into two smaller discounts? TypeAmountOfEachNewDiscount=Input amount for each of two parts: TotalOfTwoDiscountMustEqualsOriginal=The total of the two new discounts must be equal to the original discount amount. -ConfirmRemoveDiscount=Da li ste sigurni da želite da uklonite ovaj popust? +ConfirmRemoveDiscount=Are you sure you want to remove this discount? RelatedBill=Related invoice RelatedBills=Related invoices RelatedCustomerInvoices=Related customer invoices @@ -389,23 +396,23 @@ DisabledBecauseNotEnouthCreditNote=To remove a situation invoice from cycle, thi RemoveSituationFromCycle=Remove this invoice from cycle ConfirmRemoveSituationFromCycle=Remove this invoice %s from cycle ? ConfirmOuting=Confirm outing -FrequencyPer_d=Svakih %s dana -FrequencyPer_m=Svakih %s meseci -FrequencyPer_y=Svakih %s godina +FrequencyPer_d=Every %s days +FrequencyPer_m=Every %s months +FrequencyPer_y=Every %s years FrequencyUnit=Frequency unit toolTipFrequency=Examples:
      Set 7, Day: give a new invoice every 7 days
      Set 3, Month: give a new invoice every 3 month -NextDateToExecution=Datum generisanja sledećeg računa +NextDateToExecution=Date for next invoice generation NextDateToExecutionShort=Date next gen. -DateLastGeneration=Datum najskorijeg generisanja +DateLastGeneration=Date of latest generation DateLastGenerationShort=Date latest gen. MaxPeriodNumber=Max. number of invoice generation NbOfGenerationDone=Number of invoice generation already done NbOfGenerationOfRecordDone=Number of record generation already done -NbOfGenerationDoneShort=Number of generation done +NbOfGenerationDoneShort=Number of generations done MaxGenerationReached=Maximum number of generations reached -InvoiceAutoValidate=Potvrdi račune automatski +InvoiceAutoValidate=Validate invoices automatically GeneratedFromRecurringInvoice=Generated from template recurring invoice %s -DateIsNotEnough=Datum još nije dospeo +DateIsNotEnough=Date not reached yet InvoiceGeneratedFromTemplate=Invoice %s generated from recurring template invoice %s GeneratedFromTemplate=Generated from template invoice %s WarningInvoiceDateInFuture=Warning, the invoice date is higher than current date @@ -414,30 +421,30 @@ ViewAvailableGlobalDiscounts=View available discounts GroupPaymentsByModOnReports=Group payments by mode on reports # PaymentConditions Statut=Status -PaymentConditionShortRECEP=Dospeva na plaćanje po prijemu računa -PaymentConditionRECEP=Dospeva na plaćanje po prijemu računa +PaymentConditionShortRECEP=Due Upon Receipt +PaymentConditionRECEP=Due Upon Receipt PaymentConditionShort30D=30 days PaymentCondition30D=30 days -PaymentConditionShort30DENDMONTH=30 dana od kraja tekućeg meseca -PaymentCondition30DENDMONTH=U roku od 30 dana od poslednjeg dana u tekućem mesecu +PaymentConditionShort30DENDMONTH=30 days of month-end +PaymentCondition30DENDMONTH=Within 30 days following the end of the month PaymentConditionShort60D=60 days PaymentCondition60D=60 days -PaymentConditionShort60DENDMONTH=60 dana od kraja tekućeg meseca -PaymentCondition60DENDMONTH=U roku od 60 dana od poslednjeg dana u tekućem mesecu +PaymentConditionShort60DENDMONTH=60 days of month-end +PaymentCondition60DENDMONTH=Within 60 days following the end of the month PaymentConditionShortPT_DELIVERY=Delivery PaymentConditionPT_DELIVERY=On delivery -PaymentConditionShortPT_ORDER=Narudžbina +PaymentConditionShortPT_ORDER=Order PaymentConditionPT_ORDER=On order PaymentConditionShortPT_5050=50-50 PaymentConditionPT_5050=50%% in advance, 50%% on delivery -PaymentConditionShort10D=10 dana -PaymentCondition10D=10 dana -PaymentConditionShort10DENDMONTH=10 dana od kraja meseca -PaymentCondition10DENDMONTH=U roku od 10 dana od poslednjeg dana u tekućem mesecu -PaymentConditionShort14D=14 dana -PaymentCondition14D=14 dana -PaymentConditionShort14DENDMONTH=14 dana od kraja meseca -PaymentCondition14DENDMONTH=U roku od 14 dana od poslednjeg dana u tekućem mesecu +PaymentConditionShort10D=10 days +PaymentCondition10D=10 days +PaymentConditionShort10DENDMONTH=10 days of month-end +PaymentCondition10DENDMONTH=Within 10 days following the end of the month +PaymentConditionShort14D=14 days +PaymentCondition14D=14 days +PaymentConditionShort14DENDMONTH=14 days of month-end +PaymentCondition14DENDMONTH=Within 14 days following the end of the month PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit, remainder on delivery FixAmount=Fixed amount - 1 line with label '%s' @@ -452,8 +459,8 @@ DepositGenerated=Deposit generated ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=You can only automatically generate a deposit from a proposal or an order ErrorPaymentConditionsNotEligibleToDepositCreation=The chose payment conditions are not eligible for automatic deposit generation # PaymentType -PaymentTypeVIR=Bankovni prenos -PaymentTypeShortVIR=Bankovni prenos +PaymentTypeVIR=Bank transfer +PaymentTypeShortVIR=Bank transfer PaymentTypePRE=Direct debit payment order PaymentTypePREdetails=(on account %s...) PaymentTypeShortPRE=Debit payment order @@ -468,9 +475,9 @@ PaymentTypeShortTIP=TIP Payment PaymentTypeVAD=Online payment PaymentTypeShortVAD=Online payment PaymentTypeTRA=Bank draft -PaymentTypeShortTRA=Nacrt -PaymentTypeFAC=Faktor -PaymentTypeShortFAC=Faktor +PaymentTypeShortTRA=Draft +PaymentTypeFAC=Factor +PaymentTypeShortFAC=Factor PaymentTypeDC=Debit/Credit Card PaymentTypePP=PayPal BankDetails=Bank details @@ -478,7 +485,7 @@ BankCode=Bank code DeskCode=Branch code BankAccountNumber=Account number BankAccountNumberKey=Checksum -Residence=Adresa +Residence=Address IBANNumber=IBAN account number IBAN=IBAN CustomerIBAN=IBAN of customer @@ -489,7 +496,7 @@ ExtraInfos=Extra infos RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° -ChequeBordereau=Proveri raspored +ChequeBordereau=Check schedule ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check @@ -523,15 +530,15 @@ DocumentsDepositArea=Deposit slip area ChequesArea=Deposit slips area ChequeDeposits=Deposit slips Cheques=Checks -DepositId=ID depozita -NbCheque=Broj čekova -CreditNoteConvertedIntoDiscount=Ovo %s je konvertovano u %s +DepositId=Id deposit +NbCheque=Number of checks +CreditNoteConvertedIntoDiscount=This %s has been converted into %s UsBillingContactAsIncoiveRecipientIfExist=Use contact/address with type 'billing contact' instead of third-party address as recipient for invoices ShowUnpaidAll=Show all unpaid invoices ShowUnpaidLateOnly=Show late unpaid invoices only PaymentInvoiceRef=Payment invoice %s ValidateInvoice=Validate invoice -ValidateInvoices=Potvrdi račune +ValidateInvoices=Validate invoices Cash=Cash Reported=Delayed DisabledBecausePayments=Not possible since there are some payments @@ -558,10 +565,10 @@ YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice firs PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=A bill starting with $syymm already exists and is not compatible with this model of sequence. Remove it or rename it to activate this module. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Early closing reason EarlyClosingComment=Early closing note ##### Types de contacts ##### @@ -591,7 +598,7 @@ NotLastInCycle=This invoice is not the latest in cycle and must not be modified. DisabledBecauseNotLastInCycle=The next situation already exists. DisabledBecauseFinal=This situation is final. situationInvoiceShortcode_AS=AS -situationInvoiceShortcode_S=N +situationInvoiceShortcode_S=S CantBeLessThanMinPercent=The progress can't be smaller than its value in the previous situation. NoSituations=No open situations InvoiceSituationLast=Final and general invoice @@ -638,3 +645,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Salaries +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Salary +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/sr_RS/blockedlog.lang b/htdocs/langs/sr_RS/blockedlog.lang index 62240040041..08194cd01c3 100644 --- a/htdocs/langs/sr_RS/blockedlog.lang +++ b/htdocs/langs/sr_RS/blockedlog.lang @@ -1,5 +1,5 @@ BlockedLog=Unalterable Logs -Field=Polje +Field=Field BlockedLogDesc=This module tracks some events into an unalterable log (that you can't modify once recorded) into a block chain, in real time. This module provides compatibility with requirements of laws of some countries (like France with the law Finance 2016 - Norme NF525). Fingerprints=Archived events and fingerprints FingerprintsDesc=This is the tool to browse or extract the unalterable logs. Unalterable logs are generated and archived locally into a dedicated table, in real time when you record a business event. You can use this tool to export this archive and save it into an external support (some countries, like France, ask that you do it every year). Note that, there is no feature to purge this log and every change tried to be done directly into this log (by a hacker for example) will be reported with a non-valid fingerprint. If you really need to purge this table because you used your application for a demo/test purpose and want to clean your data to start your production, you can ask your reseller or integrator to reset your database (all your data will be removed). @@ -14,28 +14,6 @@ OkCheckFingerprintValidityButChainIsKo=Archived log seems valid compared to prev AddedByAuthority=Stored into remote authority NotAddedByAuthorityYet=Not yet stored into remote authority ShowDetails=Show stored details -logPAYMENT_VARIOUS_CREATE=Payment (not assigned to an invoice) created -logPAYMENT_VARIOUS_MODIFY=Payment (not assigned to an invoice) modified -logPAYMENT_VARIOUS_DELETE=Payment (not assigned to an invoice) logical deletion -logPAYMENT_ADD_TO_BANK=Payment added to bank -logPAYMENT_CUSTOMER_CREATE=Customer payment created -logPAYMENT_CUSTOMER_DELETE=Customer payment logical deletion -logDONATION_PAYMENT_CREATE=Donation payment created -logDONATION_PAYMENT_DELETE=Donation payment logical deletion -logBILL_PAYED=Customer invoice paid -logBILL_UNPAYED=Customer invoice set unpaid -logBILL_VALIDATE=Račun klijenta je potvrđen -logBILL_SENTBYMAIL=Customer invoice send by mail -logBILL_DELETE=Customer invoice logically deleted -logMODULE_RESET=Module BlockedLog was disabled -logMODULE_SET=Module BlockedLog was enabled -logDON_VALIDATE=Donation validated -logDON_MODIFY=Donation modified -logDON_DELETE=Donation logical deletion -logMEMBER_SUBSCRIPTION_CREATE=Member subscription created -logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified -logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion -logCASHCONTROL_VALIDATE=Cash desk closing recording BlockedLogBillDownload=Customer invoice download BlockedLogBillPreview=Customer invoice preview BlockedlogInfoDialog=Log Details @@ -44,7 +22,7 @@ Fingerprint=Fingerprint DownloadLogCSV=Export archived logs (CSV) logDOC_PREVIEW=Preview of a validated document in order to print or download logDOC_DOWNLOAD=Download of a validated document in order to print or send -DataOfArchivedEvent=Full datas of archived event +DataOfArchivedEvent=Full data of archived event ImpossibleToReloadObject=Original object (type %s, id %s) not linked (see 'Full datas' column to get unalterable saved data) BlockedLogAreRequiredByYourCountryLegislation=Unalterable Logs module may be required by the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they can not be validated by a tax audit. BlockedLogActivatedBecauseRequiredByYourCountryLegislation=Unalterable Logs module was activated because of the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they cannot be validated by a tax audit. @@ -55,3 +33,30 @@ RestrictYearToExport=Restrict month / year to export BlockedLogEnabled=System to track events into unalterable logs has been enabled BlockedLogDisabled=System to track events into unalterable logs has been disabled after some recording were done. We saved a special Fingerprint to track the chain as broken BlockedLogDisabledBis=System to track events into unalterable logs has been disabled. This is possible because no record were done yet. +LinkHasBeenDisabledForPerformancePurpose=For performance purpose, direct link to the document is not shown after the 100th line. + +## logTypes +logBILL_DELETE=Customer invoice logically deleted +logBILL_PAYED=Customer invoice paid +logBILL_SENTBYMAIL=Customer invoice send by mail +logBILL_UNPAYED=Customer invoice set unpaid +logBILL_VALIDATE=Customer invoice validated +logCASHCONTROL_VALIDATE=Cash desk closing recording +logDOC_DOWNLOAD=Download of a validated document in order to print or send +logDOC_PREVIEW=Preview of a validated document in order to print or download +logDONATION_PAYMENT_CREATE=Donation payment created +logDONATION_PAYMENT_DELETE=Donation payment logical deletion +logDON_DELETE=Donation logical deletion +logDON_MODIFY=Donation modified +logDON_VALIDATE=Donation validated +logMEMBER_SUBSCRIPTION_CREATE=Member subscription created +logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion +logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified +logMODULE_RESET=Module BlockedLog was disabled +logMODULE_SET=Module BlockedLog was enabled +logPAYMENT_ADD_TO_BANK=Payment added to bank +logPAYMENT_CUSTOMER_CREATE=Customer payment created +logPAYMENT_CUSTOMER_DELETE=Customer payment logical deletion +logPAYMENT_VARIOUS_CREATE=Payment (not assigned to an invoice) created +logPAYMENT_VARIOUS_DELETE=Payment (not assigned to an invoice) logical deletion +logPAYMENT_VARIOUS_MODIFY=Payment (not assigned to an invoice) modified diff --git a/htdocs/langs/sr_RS/bookmarks.lang b/htdocs/langs/sr_RS/bookmarks.lang index 0d47f94e3e1..75b7b319a16 100644 --- a/htdocs/langs/sr_RS/bookmarks.lang +++ b/htdocs/langs/sr_RS/bookmarks.lang @@ -1,22 +1,24 @@ -# Dolibarr language file - Source file is en_US - marque pages -AddThisPageToBookmarks=Add current page to bookmarks -Bookmark=Marker -Bookmarks=Markeri -ListOfBookmarks=Lista markera -EditBookmarks=List/edit bookmarks -NewBookmark=Novi marker -ShowBookmark=Prikaži marker -OpenANewWindow=Open a new tab -ReplaceWindow=Replace current tab -BookmarkTargetNewWindowShort=New tab -BookmarkTargetReplaceWindowShort=Current tab -BookmarkTitle=Bookmark name -UrlOrLink=URL -BehaviourOnClick=Behaviour when a bookmark URL is selected -CreateBookmark=Kreiraj marker -SetHereATitleForLink=Set a name for the bookmark -UseAnExternalHttpLinkOrRelativeDolibarrLink=Use an external/absolute link (https://externalurl.com) or an internal/relative link (/mypage.php). You can also use phone like tel:0123456. -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Choose if the linked page should open in the current tab or a new tab -BookmarksManagement=Uređivanje markera -BookmarksMenuShortCut=Ctrl + shift + m -NoBookmarks=No bookmarks defined +# Dolibarr language file - Source file is en_US - marque pages / bookmarks + +AddThisPageToBookmarks = Add current page to bookmarks +BehaviourOnClick = Behavior when a bookmark URL is selected +Bookmark = Bookmark +Bookmarks = Bookmarks +BookmarkTargetNewWindowShort = New tab +BookmarkTargetReplaceWindowShort = Current tab +BookmarkTitle = Bookmark name +BookmarksManagement = Bookmarks management +BookmarksMenuShortCut = Ctrl + shift + m +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark = Choose if the linked page should open in the current tab or a new tab +CreateBookmark = Create bookmark +EditBookmarks = List/edit bookmarks +ListOfBookmarks = List of bookmarks +NewBookmark = New bookmark +NoBookmarkFound = No bookmark found +NoBookmarks = No bookmarks defined +OpenANewWindow = Open a new tab +ReplaceWindow = Replace current tab +SetHereATitleForLink = Set a name for the bookmark +ShowBookmark = Show bookmark +UrlOrLink = URL +UseAnExternalHttpLinkOrRelativeDolibarrLink = Use an external/absolute link (https://externalurl.com) or an internal/relative link (/mypage.php). You can also use phone like tel:0123456. diff --git a/htdocs/langs/sr_RS/boxes.lang b/htdocs/langs/sr_RS/boxes.lang index 16d4e56741e..056161ef77c 100644 --- a/htdocs/langs/sr_RS/boxes.lang +++ b/htdocs/langs/sr_RS/boxes.lang @@ -21,7 +21,7 @@ BoxLastMembers=Latest members BoxLastModifiedMembers=Latest modified members BoxLastMembersSubscriptions=Latest member subscriptions BoxFicheInter=Latest interventions -BoxCurrentAccounts=Otvoreno stanje računa +BoxCurrentAccounts=Open accounts balance BoxTitleMemberNextBirthdays=Birthdays of this month (members) BoxTitleMembersByType=Members by type and status BoxTitleMembersByTags=Members by tags and status @@ -37,14 +37,14 @@ BoxTitleLastCustomerBills=Latest %s modified Customer invoices BoxTitleLastSupplierBills=Latest %s modified Vendor invoices BoxTitleLastModifiedProspects=Prospects: last %s modified BoxTitleLastModifiedMembers=Latest %s members -BoxTitleLastFicheInter=Poslednjih %s izmenjenih intervencija +BoxTitleLastFicheInter=Latest %s modified interventions BoxTitleOldestUnpaidCustomerBills=Customer Invoices: oldest %s unpaid BoxTitleOldestUnpaidSupplierBills=Vendor Invoices: oldest %s unpaid BoxTitleCurrentAccounts=Open Accounts: balances BoxTitleSupplierOrdersAwaitingReception=Supplier orders awaiting reception BoxTitleLastModifiedContacts=Contacts/Addresses: last %s modified BoxMyLastBookmarks=Bookmarks: latest %s -BoxOldestExpiredServices=Najstarije aktivne istekle usluge +BoxOldestExpiredServices=Oldest active expired services BoxOldestActions=Oldest events to do BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do @@ -56,29 +56,29 @@ BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded -BoxGlobalActivity=Opšta aktivnost (fakture, ponude, narudžbine) -BoxGoodCustomers=Dobri kupci -BoxTitleGoodCustomers=%s Dobri kupci -BoxScheduledJobs=Planirane operacije +BoxGlobalActivity=Global activity (invoices, proposals, orders) +BoxGoodCustomers=Good customers +BoxTitleGoodCustomers=%s Good customers +BoxScheduledJobs=Scheduled jobs BoxTitleFunnelOfProspection=Lead funnel FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s LastRefreshDate=Latest refresh date -NoRecordedBookmarks=Nema definisane zabeleške -ClickToAdd=Kliknu ovde da dodaš. -NoRecordedCustomers=Nema zabeleženog klijenta -NoRecordedContacts=Nema zabeleženog kontakta -NoActionsToDo=Nema akcije da se uradi +NoRecordedBookmarks=No bookmarks defined. +ClickToAdd=Click here to add. +NoRecordedCustomers=No recorded customers +NoRecordedContacts=No recorded contacts +NoActionsToDo=No actions to do NoRecordedOrders=No recorded sales orders -NoRecordedProposals=Nema ponude zabeležene +NoRecordedProposals=No recorded proposals NoRecordedInvoices=No recorded customer invoices NoUnpaidCustomerBills=No unpaid customer invoices NoUnpaidSupplierBills=No unpaid vendor invoices NoModifiedSupplierBills=No recorded vendor invoices -NoRecordedProducts=Nema zabeleženih proizvoda/usluga -NoRecordedProspects=Nema zabeleženog prospekta -NoContractedProducts=Nema ugovora za proizvode/usluge -NoRecordedContracts=Nema zabeleženog ugovora -NoRecordedInterventions=Nema zabeležene intervencije +NoRecordedProducts=No recorded products/services +NoRecordedProspects=No recorded prospects +NoContractedProducts=No products/services contracted +NoRecordedContracts=No recorded contracts +NoRecordedInterventions=No recorded interventions BoxLatestSupplierOrders=Latest purchase orders BoxLatestSupplierOrdersAwaitingReception=Latest Purchase Orders (with a pending reception) NoSupplierOrder=No recorded purchase order @@ -86,7 +86,7 @@ BoxCustomersInvoicesPerMonth=Customer Invoices per month BoxSuppliersInvoicesPerMonth=Vendor Invoices per month BoxCustomersOrdersPerMonth=Sales Orders per month BoxSuppliersOrdersPerMonth=Vendor Orders per month -BoxProposalsPerMonth=Ponude na mesečnom nivou +BoxProposalsPerMonth=Proposals per month NoTooLowStockProducts=No products are under the low stock limit BoxProductDistribution=Products/Services Distribution ForObject=On %s @@ -97,9 +97,9 @@ BoxTitleLastModifiedCustomerOrders=Sales Orders: last %s modified BoxTitleLastModifiedPropals=Latest %s modified proposals BoxTitleLatestModifiedJobPositions=Latest %s modified job positions BoxTitleLatestModifiedCandidatures=Latest %s modified job applications -ForCustomersInvoices=Fakture klijenata -ForCustomersOrders=Narudžbine klijenata -ForProposals=Ponude +ForCustomersInvoices=Customers invoices +ForCustomersOrders=Customers orders +ForProposals=Proposals LastXMonthRolling=The latest %s month rolling ChooseBoxToAdd=Add widget to your dashboard BoxAdded=Widget was added in your dashboard @@ -115,7 +115,7 @@ BoxLastCustomerShipments=Last customer shipments BoxTitleLastCustomerShipments=Latest %s customer shipments BoxTitleLastLeaveRequests=Latest %s modified leave requests NoRecordedShipments=No recorded customer shipment -BoxCustomersOutstandingBillReached=Customers with oustanding limit reached +BoxCustomersOutstandingBillReached=Customers with outstanding limit reached # Pages UsersHome=Home users and groups MembersHome=Home Membership diff --git a/htdocs/langs/sr_RS/cashdesk.lang b/htdocs/langs/sr_RS/cashdesk.lang index c59003304a0..76a90e7b104 100644 --- a/htdocs/langs/sr_RS/cashdesk.lang +++ b/htdocs/langs/sr_RS/cashdesk.lang @@ -1,38 +1,38 @@ # Language file - Source file is en_US - cashdesk -CashDeskMenu=Maloprodaja -CashDesk=Maloprodaja -CashDeskBankCash=Bankovni račun (gotovinski) -CashDeskBankCB=Bankovni račun (kartica) -CashDeskBankCheque=Bankovni račun (ček) -CashDeskWarehouse=Magacini -CashdeskShowServices=Prodajne usluge -CashDeskProducts=Proizvodi -CashDeskStock=Zalihe -CashDeskOn=na -CashDeskThirdParty=Subjekt -ShoppingCart=Korpa za kupovinu -NewSell=Nova prodaja -AddThisArticle=Dodaj ovaj artikal -RestartSelling=Vrati se nazad na prodaju -SellFinished=Prodaja završena -PrintTicket=Štampaj kartu +CashDeskMenu=Point of sale +CashDesk=Point of sale +CashDeskBankCash=Bank account (cash) +CashDeskBankCB=Bank account (card) +CashDeskBankCheque=Bank account (cheque) +CashDeskWarehouse=Warehouse +CashdeskShowServices=Selling services +CashDeskProducts=Products +CashDeskStock=Stock +CashDeskOn=on +CashDeskThirdParty=Third party +ShoppingCart=Shopping cart +NewSell=New sell +AddThisArticle=Add this article +RestartSelling=Go back on sell +SellFinished=Sale complete +PrintTicket=Print ticket SendTicket=Send ticket -NoProductFound=Artikal nije pronađen -ProductFound=proizvod pronađen -NoArticle=Nema artikla -Identification=Identifikacija -Article=Artikal -Difference=Razlika -TotalTicket=Ukupna karta -NoVAT=Nema PIB za ovu prodaju -Change=VIšak primljen -BankToPay=Račun za plaćanje -ShowCompany=Prikaži firmu -ShowStock=Prikaži magacin -DeleteArticle=Kliknite da uklonite ovaj atikal -FilterRefOrLabelOrBC=Pretraži (Ref/Oznaku) +NoProductFound=No article found +ProductFound=product found +NoArticle=No article +Identification=Identification +Article=Article +Difference=Difference +TotalTicket=Total ticket +NoVAT=No VAT for this sale +Change=Excess received +BankToPay=Account for payment +ShowCompany=Show company +ShowStock=Show warehouse +DeleteArticle=Click to remove this article +FilterRefOrLabelOrBC=Search (Ref/Label) UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. -DolibarrReceiptPrinter=Dolibarr štampač računa +DolibarrReceiptPrinter=Dolibarr Receipt Printer PointOfSale=Point of Sale PointOfSaleShort=POS CloseBill=Close Bill @@ -44,20 +44,20 @@ TakeposConnectorNecesary='TakePOS Connector' required OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser SearchProduct=Search product -Receipt=Prijemnica +Receipt=Receipt Header=Header Footer=Footer AmountAtEndOfPeriod=Amount at end of period (day, month or year) -TheoricalAmount=Theorical amount +TheoricalAmount=Theoretical amount RealAmount=Real amount -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period +CashFence=Cash box closing +CashFenceDone=Cash box closing done for the period NbOfInvoices=Nb of invoices Paymentnumpad=Type of Pad to enter payment Numberspad=Numbers Pad BillsCoinsPad=Coins and banknotes Pad DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in @@ -68,7 +68,7 @@ PrintCustomerOnReceipts=Print customer on tickets|receipts EnableBarOrRestaurantFeatures=Enable features for Bar or Restaurant ConfirmDeletionOfThisPOSSale=Do your confirm the deletion of this current sale ? ConfirmDiscardOfThisPOSSale=Do you want to discard this current sale ? -History=Istorija +History=History ValidateAndClose=Validate and close Terminal=Terminal NumberOfTerminals=Number of Terminals @@ -76,7 +76,7 @@ TerminalSelect=Select terminal you want to use: POSTicket=POS Ticket POSTerminal=POS Terminal POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Setup of terminal %s is not complete DirectPayment=Direct payment DirectPaymentButton=Add a "Direct cash payment" button @@ -92,18 +92,18 @@ HeadBar=Head Bar SortProductField=Field for sorting products Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=Print method ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales CashDeskGenericMaskCodes6 =
      {TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Start a new parallel sale SaleStartedAt=Sale started at %s -ControlCashOpening=Open the "Control cash" popup when opening the POS -CloseCashFence=Close cash desk control +ControlCashOpening=Open the "Control cash box" popup when opening the POS +CloseCashFence=Close cash box control CashReport=Cash report MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use @@ -118,7 +118,7 @@ ScanToOrder=Scan QR code to order Appearance=Appearance HideCategoryImages=Hide Category Images HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show +NumberOfLinesToShow=Maximum number of lines of text to show on thumb images DefineTablePlan=Define tables plan GiftReceiptButton=Add a "Gift receipt" button GiftReceipt=Gift receipt @@ -134,3 +134,22 @@ PrintWithoutDetailsButton=Add "Print without details" button PrintWithoutDetailsLabelDefault=Line label by default on printing without details PrintWithoutDetails=Print without details YearNotDefined=Year is not defined +TakeposBarcodeRuleToInsertProduct=Barcode rule to insert product +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Already printed +HideCategories=Hide the whole section of categories selection +HideStockOnLine=Hide stock on line +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Show reference or label of products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Terminal %s +TerminalNameDesc=Terminal name +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/sr_RS/categories.lang b/htdocs/langs/sr_RS/categories.lang index 5b81ec9c721..5471c4afad0 100644 --- a/htdocs/langs/sr_RS/categories.lang +++ b/htdocs/langs/sr_RS/categories.lang @@ -1,14 +1,14 @@ # Dolibarr language file - Source file is en_US - categories -Rubrique=Naziv/Kategorija -Rubriques=Naziv/Kategorije +Rubrique=Tag/Category +Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions -categories=nazivi/kategorije +categories=tags/categories NoCategoryYet=No tag/category of this type has been created -In=U -AddIn=Dodaj u -modify=izmeni -Classify=Klasifikuj -CategoriesArea=Oblast naziva/kategorije +In=In +AddIn=Add in +modify=modify +Classify=Classify +CategoriesArea=Tags/Categories area ProductsCategoriesArea=Product/Service tags/categories area SuppliersCategoriesArea=Vendor tags/categories area CustomersCategoriesArea=Customer tags/categories area @@ -18,83 +18,83 @@ AccountsCategoriesArea=Bank account tags/categories area ProjectsCategoriesArea=Project tags/categories area UsersCategoriesArea=User tags/categories area SubCats=Sub-categories -CatList=Lista naziva/kategorija +CatList=List of tags/categories CatListAll=List of tags/categories (all types) -NewCategory=Nov naziv/kategorija -ModifCat=Izmeni naziv/kategoriju -CatCreated=Kreiran naziv/kategorija -CreateCat=Kreiraj naziv/kategoriju -CreateThisCat=Kreiraj ovaj naziv/kategoriju -NoSubCat=Nema sabkategoriju -SubCatOf=Sabkategorija -FoundCats=Pronađi naziv/kategoriju +NewCategory=New tag/category +ModifCat=Modify tag/category +CatCreated=Tag/category created +CreateCat=Create tag/category +CreateThisCat=Create this tag/category +NoSubCat=No subcategory. +SubCatOf=Subcategory +FoundCats=Found tags/categories ImpossibleAddCat=Impossible to add the tag/category %s -WasAddedSuccessfully=%s dodato uspešno. -ObjectAlreadyLinkedToCategory=Element je već povezan sa ovim nazivom/kategorijom. -ProductIsInCategories=Proizvod/usluga je povezana sa sledećim nazivom/kategorijom -CompanyIsInCustomersCategories=Ovaj subjekt je povezan sa sledećim nazivom/kategorijom kupca/prospekta +WasAddedSuccessfully=%s was added successfully. +ObjectAlreadyLinkedToCategory=Element is already linked to this tag/category. +ProductIsInCategories=Product/service is linked to following tags/categories +CompanyIsInCustomersCategories=This third party is linked to following customers/prospects tags/categories CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories -MemberIsInCategories=Ovaj član je povezan sa sledećim nazivom/kategorijom člana -ContactIsInCategories=Ovaj kontakt je povezan sa sledećim nazivom/kategorijom kontakata -ProductHasNoCategory=Ovaj proizvod/usluga nije ni u jednom nazivu/kategoriji +MemberIsInCategories=This member is linked to following members tags/categories +ContactIsInCategories=This contact is linked to following contacts tags/categories +ProductHasNoCategory=This product/service is not in any tags/categories CompanyHasNoCategory=This third party is not in any tags/categories -MemberHasNoCategory=Ovaj član nije u ni u jednom nazivu/kategoriji -ContactHasNoCategory=Ovaj kontakt nije ni u jednom nazivu/kategoriji +MemberHasNoCategory=This member is not in any tags/categories +ContactHasNoCategory=This contact is not in any tags/categories ProjectHasNoCategory=This project is not in any tags/categories -ClassifyInCategory=Dodaj u naziv/kategoriji +ClassifyInCategory=Add to tag/category RemoveCategory=Remove category -NotCategorized=Bez naziva/kategorije -CategoryExistsAtSameLevel=Ova kategorija već postoji za ovu referencu -ContentsVisibleByAllShort=Sadržaji vidljivi svima -ContentsNotVisibleByAllShort=Sadržaji koji nisu vidljivi svima -DeleteCategory=Obriši naziv/kategoriju +NotCategorized=Without tag/category +CategoryExistsAtSameLevel=This category already exists with this ref +ContentsVisibleByAllShort=Contents visible by all +ContentsNotVisibleByAllShort=Contents not visible by all +DeleteCategory=Delete tag/category ConfirmDeleteCategory=Are you sure you want to delete this tag/category? -NoCategoriesDefined=Nema definisanog naziva/kategorije +NoCategoriesDefined=No tag/category defined SuppliersCategoryShort=Vendors tag/category -CustomersCategoryShort=Naziv/kategorija kupca -ProductsCategoryShort=Naziv/kategorija proizvoda -MembersCategoryShort=Naziv/kategorija članova +CustomersCategoryShort=Customers tag/category +ProductsCategoryShort=Products tag/category +MembersCategoryShort=Members tag/category SuppliersCategoriesShort=Vendors tags/categories -CustomersCategoriesShort=Nazivi/kategorije kupaca -ProspectsCategoriesShort=Naziv/kategorija prospekta +CustomersCategoriesShort=Customers tags/categories +ProspectsCategoriesShort=Prospects tags/categories CustomersProspectsCategoriesShort=Cust./Prosp. tags/categories -ProductsCategoriesShort=Nazivi/kategorije proizvoda -MembersCategoriesShort=Nazivi/kategorije članova -ContactCategoriesShort=Naziv/kategorija kontakata +ProductsCategoriesShort=Products tags/categories +MembersCategoriesShort=Members tags/categories +ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoItems=This category does not contain any items. -CategId=ID naziva/kategorije +CategId=Tag/category id ParentCategory=Parent tag/category ParentCategoryID=ID of parent tag/category ParentCategoryLabel=Label of parent tag/category CatSupList=List of vendors tags/categories CatCusList=List of customers/prospects tags/categories -CatProdList=Lista naziva/kategorija proizvoda -CatMemberList=Lista naziva/kategorija članova +CatProdList=List of products tags/categories +CatMemberList=List of members tags/categories CatContactList=List of contacts tags/categories CatProjectsList=List of projects tags/categories CatUsersList=List of users tags/categories CatSupLinks=Links between vendors and tags/categories -CatCusLinks=Povezanost između kupaca/prospekta i naziva/kategorija +CatCusLinks=Links between customers/prospects and tags/categories CatContactsLinks=Links between contacts/addresses and tags/categories -CatProdLinks=Povezanost između proizvoda/usluga i naziva/kategorija -CatMembersLinks=Povezanost između članova i naziva/kategorija +CatProdLinks=Links between products/services and tags/categories +CatMembersLinks=Links between members and tags/categories CatProjectsLinks=Links between projects and tags/categories CatUsersLinks=Links between users and tags/categories -DeleteFromCat=Ukloni iz naziva/kategorije -ExtraFieldsCategories=Komplementarni atributi -CategoriesSetup=TPodešavanje naziva/kategorija -CategorieRecursiv=Poveži sa nadređenim nazivom/kategorijom automatski +DeleteFromCat=Remove from tags/category +ExtraFieldsCategories=Complementary attributes +CategoriesSetup=Tags/categories setup +CategorieRecursiv=Link with parent tag/category automatically CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. AddProductServiceIntoCategory=Assign category to the product/service AddCustomerIntoCategory=Assign category to customer AddSupplierIntoCategory=Assign category to supplier AssignCategoryTo=Assign category to -ShowCategory=Prikaži naziv/kategoriju -ByDefaultInList=Podrazumevano u listi +ShowCategory=Show tag/category +ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories TicketsCategoriesArea=Tickets Categories @@ -102,4 +102,5 @@ ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories KnowledgemanagementsCategoriesArea=KM article Categories UseOrOperatorForCategories=Use 'OR' operator for categories -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Assign to the category +Position=Position diff --git a/htdocs/langs/sr_RS/commercial.lang b/htdocs/langs/sr_RS/commercial.lang index 8c7cc55f42f..2f6e4da03dc 100644 --- a/htdocs/langs/sr_RS/commercial.lang +++ b/htdocs/langs/sr_RS/commercial.lang @@ -1,89 +1,93 @@ # Dolibarr language file - Source file is en_US - commercial Commercial=Commerce CommercialArea=Commerce area -Customer=Klijent -Customers=Klijenti -Prospect=Prospekt -Prospects=Prospekti -DeleteAction=Obriši događaj -NewAction=Novi događaj -AddAction=Kreiraj događaj -AddAnAction=Kreiraj događaj -AddActionRendezVous=Kreiraj sastanak -ConfirmDeleteAction=Da li ste sigurni da želite da obrišete ovaj dogadjaj? -CardAction=Kartica događaja -ActionOnCompany=Povezana kompanija -ActionOnContact=Povezani kontakt -TaskRDVWith=Sastanak sa %s -ShowTask=Prikaži zadatak -ShowAction=Prikaži događaj -ActionsReport=Izveštaj događaja -ThirdPartiesOfSaleRepresentative=Treća lica sa predstavnikom prodaje -SaleRepresentativesOfThirdParty=Predstavnici prodaje trećih lica -SalesRepresentative=Predstavnik prodaje -SalesRepresentatives=Predstavnici prodaje -SalesRepresentativeFollowUp=Predstavnik prodaja (kratak opis) -SalesRepresentativeSignature=Predstavnik prodaje (potpis) -NoSalesRepresentativeAffected=Nijedan određeni predstavnik prodaje nije dodeljen -ShowCustomer=Prikaži klijenta -ShowProspect=Prikaži prospekta -ListOfProspects=Lista prospekta -ListOfCustomers=Lista klijenata -LastDoneTasks=Najnovije %s završene aktivnosti -LastActionsToDo=Najstarije %s nezavršene aktivnosti -DoneAndToDoActions=Završeni i događaji na čekanju -DoneActions=Završeni događaji -ToDoActions=Nezavršeni događaji -SendPropalRef=Prijem komercijalne ponude %s -SendOrderRef=Prijem narudžbine %s -StatusNotApplicable=Nije primenjivo -StatusActionToDo=Na čekanju -StatusActionDone=Završeno -StatusActionInProcess=U toku -TasksHistoryForThisContact=Događaji za ovaj kontakt -LastProspectDoNotContact=Ne kontaktiraj -LastProspectNeverContacted=Nikad kontaktiran -LastProspectToContact=Za kontaktiranje -LastProspectContactInProcess=Kontakt u toku -LastProspectContactDone=Kontakt završen -ActionAffectedTo=Događaj dodeljen -ActionDoneBy=Događaj uradio -ActionAC_TEL=Telefonski poziv -ActionAC_FAX=Posalji faksom -ActionAC_PROP=Pošalji ponudu mejlom -ActionAC_EMAIL=Pošalji mejl +Customer=Customer +Customers=Customers +Prospect=Prospect +Prospects=Prospects +DeleteAction=Delete an event +NewAction=New event +AddAction=Create event +AddAnAction=Create an event +AddActionRendezVous=Create a Rendez-vous event +ConfirmDeleteAction=Are you sure you want to delete this event? +CardAction=Event card +ActionOnCompany=Related company +ActionOnContact=Related contact +TaskRDVWith=Meeting with %s +ShowTask=Show task +ShowAction=Show event +ActionsReport=Events report +ThirdPartiesOfSaleRepresentative=Third parties with sales representative +SaleRepresentativesOfThirdParty=Sales representatives of third party +SalesRepresentative=Sales representative +SalesRepresentatives=Sales representatives +SalesRepresentativeFollowUp=Sales representative (follow-up) +SalesRepresentativeSignature=Sales representative (signature) +NoSalesRepresentativeAffected=No particular sales representative assigned +ShowCustomer=Show customer +ShowProspect=Show prospect +ListOfProspects=List of prospects +ListOfCustomers=List of customers +LastDoneTasks=Latest %s completed actions +LastActionsToDo=Oldest %s not completed actions +DoneAndToDoActions=Completed and To do events +DoneActions=Completed events +ToDoActions=Incomplete events +SendPropalRef=Submission of commercial proposal %s +SendOrderRef=Submission of order %s +StatusNotApplicable=Not applicable +StatusActionToDo=To do +StatusActionDone=Complete +StatusActionInProcess=In process +TasksHistoryForThisContact=Events for this contact +LastProspectDoNotContact=Do not contact +LastProspectNeverContacted=Never contacted +LastProspectToContact=To contact +LastProspectContactInProcess=Contact in process +LastProspectContactDone=Contact done +ActionAffectedTo=Event assigned to +ActionDoneBy=Event done by +ActionAC_TEL=Phone call +ActionAC_FAX=Send fax +ActionAC_PROP=Send proposal by mail +ActionAC_EMAIL=Send Email ActionAC_EMAIL_IN=Reception of Email -ActionAC_RDV=Sastanci -ActionAC_INT=Intervencija na lokaciji -ActionAC_FAC=Pošalji fakturu klijentu na mejl -ActionAC_REL=Pošalji fakturu klijentu na mejl (podsetnik) -ActionAC_CLO=Zatvori -ActionAC_EMAILING=Pošalji grupni mejl +ActionAC_RDV=Meetings +ActionAC_INT=Intervention on site +ActionAC_FAC=Send customer invoice by mail +ActionAC_REL=Send customer invoice by mail (reminder) +ActionAC_CLO=Close +ActionAC_EMAILING=Send mass email ActionAC_COM=Send sales order by mail -ActionAC_SHIP=Pošalji isporuku mejlom +ActionAC_SHIP=Send shipping by mail ActionAC_SUP_ORD=Send purchase order by mail ActionAC_SUP_INV=Send vendor invoice by mail -ActionAC_OTH=Drugo +ActionAC_OTH=Other ActionAC_OTH_AUTO=Other auto ActionAC_MANUAL=Events inserted manually (by a user) ActionAC_AUTO=Events inserted automatically -ActionAC_OTH_AUTOShort=Drugo +ActionAC_OTH_AUTOShort=Other ActionAC_EVENTORGANIZATION=Event organization events -Stats=Statistika prodaje -StatusProsp=Status prospekta -DraftPropals=Nacrt komercijalne ponude -NoLimit=Bez limita +Stats=Sales statistics +StatusProsp=Prospect status +DraftPropals=Draft commercial proposals +NoLimit=No limit ToOfferALinkForOnlineSignature=Link for online signature WelcomeOnOnlineSignaturePageProposal=Welcome to the page to accept commercial proposals from %s WelcomeOnOnlineSignaturePageContract=Welcome to %s Contract PDF Signing Page WelcomeOnOnlineSignaturePageFichinter=Welcome to %s Intervention PDF Signing Page +WelcomeOnOnlineSignaturePageSociete_rib=Welcome to %s SEPA mandate PDF Signing Page ThisScreenAllowsYouToSignDocFromProposal=This screen allow you to accept and sign, or refuse, a quote/commercial proposal ThisScreenAllowsYouToSignDocFromContract=This screen allow you to sign contract on PDF format online. ThisScreenAllowsYouToSignDocFromFichinter=This screen allow you to sign intervention on PDF format online. +ThisScreenAllowsYouToSignDocFromSociete_rib=This screen allow you to sign SEPA Mandate on PDF format online. ThisIsInformationOnDocumentToSignProposal=This is information on document to accept or refuse ThisIsInformationOnDocumentToSignContract=This is information on contract to sign ThisIsInformationOnDocumentToSignFichinter=This is information on intervention to sign +ThisIsInformationOnDocumentToSignSociete_rib=This is information on SEPA Mandate to sign SignatureProposalRef=Signature of quote/commercial proposal %s SignatureContractRef=Signature of contract %s SignatureFichinterRef=Signature of intervention %s +SignatureSociete_ribRef=Signature of SEPA Mandate %s FeatureOnlineSignDisabled=Feature for online signing disabled or document generated before the feature was enabled diff --git a/htdocs/langs/sr_RS/companies.lang b/htdocs/langs/sr_RS/companies.lang index 9b1064fde1d..3bde350bc11 100644 --- a/htdocs/langs/sr_RS/companies.lang +++ b/htdocs/langs/sr_RS/companies.lang @@ -1,114 +1,116 @@ # Dolibarr language file - Source file is en_US - companies -ErrorCompanyNameAlreadyExists=Ime kompanije %s već postoji. Izaberite drugo ime. -ErrorSetACountryFirst=Prvo izaberi državu -SelectThirdParty=Izaberi subjekat -ConfirmDeleteCompany=Da li ste sigurni da želite da obrišete ovu kompaniju i sve pripadajuće podatke? -DeleteContact=Obriši kontakt/adresu -ConfirmDeleteContact=Da li ste sigurni da želite da obrišete ovaj kontakt i sve pripadajuće podatke? -MenuNewThirdParty=Nova Nezavisna kompanija -MenuNewCustomer=Nov Kupac -MenuNewProspect=Nov Prospekt -MenuNewSupplier=Nov Dobavljač -MenuNewPrivateIndividual=Novo fizičko lice -NewCompany=Nova kompanija (prospekt, kupac, dobavljač) -NewThirdParty=Nova Nezavisna kompanija (prospekt, kupac, dobavljač) -CreateDolibarrThirdPartySupplier=Kreirati Nezavisnu kompaniju (dobavljač) -CreateThirdPartyOnly=Kreirati Nezavisnu kompaniju -CreateThirdPartyAndContact=Kreirati Nezavisnu kompaniju + kontakt -ProspectionArea=Oblast istraživanja -IdThirdParty=Id subjekta -IdCompany=Id Kompanije -IdContact=Id Kontakta -ThirdPartyAddress=Adresa Nezavisne kompanije -ThirdPartyContacts=Kontakt Nezavisne kompanije -ThirdPartyContact=Kontakti i adrese Nezavisne kompanije -Company=Kompanija -CompanyName=Ime kompanije -AliasNames=Alias (komercijalni) -AliasNameShort=Alias ime -Companies=Kompanije -CountryIsInEEC=Zemlja je unutar Evropske unije -PriceFormatInCurrentLanguage=Zadržati format cene u trenutnom jeziku -ThirdPartyName=Ime Nezavisne kompanije -ThirdPartyEmail=Email Nezavisne kompanije -ThirdParty=Nezavisna kompanija -ThirdParties=Nezavisne kompanije -ThirdPartyProspects=Kandidati -ThirdPartyProspectsStats=Kandidati -ThirdPartyCustomers=Klijenti -ThirdPartyCustomersStats=Klijenti -ThirdPartyCustomersWithIdProf12=Klijenti sa %s ili %s -ThirdPartySuppliers=Dobavljači -ThirdPartyType=Tip Nezavisne kompanije -Individual=Fizičko lice -ToCreateContactWithSameName=Automatski će se napraviti kontakt/adresa sa istim informacijama kao Nezavisna kompanija. U većini slučajeva, čak i kad je Nezavisna kompanija fizičko lice, kreiranje Nezavisne kompanije je dovoljno. -ParentCompany=Osnovna kompanija -Subsidiaries=SubsidiariesPoslovnice -ReportByMonth=Izveštaj po mesecu -ReportByCustomers=Izveštaj po kupcu -ReportByThirdparties=Izveštaj po Nezavisnim kompanijama -ReportByQuarter=Izveštaj po kvartalu -CivilityCode=Prijavni kod -RegisteredOffice=Registrovane kancelarije -Lastname=Prezime -Firstname=Ime -RefEmployee=Referenca zaposlenog -NationalRegistrationNumber=Nacionalni registarski broj -PostOrFunction=Poslovna funkcija +newSocieteAdded=Your contact details have been recorded. We will get back to you soon... +ContactUsDesc=This form allows you to send us a message for a first contact. +ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. +ErrorSetACountryFirst=Set the country first +SelectThirdParty=Select a third party +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? +DeleteContact=Delete a contact/address +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? +MenuNewThirdParty=New Third Party +MenuNewCustomer=New Customer +MenuNewProspect=New Prospect +MenuNewSupplier=New Vendor +MenuNewPrivateIndividual=New private individual +NewCompany=New company (prospect, customer, vendor) +NewThirdParty=New Third Party (prospect, customer, vendor) +CreateDolibarrThirdPartySupplier=Create a third party (vendor) +CreateThirdPartyOnly=Create third party +CreateThirdPartyAndContact=Create a third party + a child contact +ProspectionArea=Prospection area +IdThirdParty=Id third party +IdCompany=Company Id +IdContact=Contact Id +ThirdPartyAddress=Third-party address +ThirdPartyContacts=Third-party contacts +ThirdPartyContact=Third-party contact/address +Company=Company +CompanyName=Company name +AliasNames=Alias name (commercial, trademark, ...) +AliasNameShort=Alias Name +Companies=Companies +CountryIsInEEC=Country is inside the European Economic Community +PriceFormatInCurrentLanguage=Price display format in the current language and currency +ThirdPartyName=Third-party name +ThirdPartyEmail=Third-party email +ThirdParty=Third-party +ThirdParties=Third-parties +ThirdPartyProspects=Prospects +ThirdPartyProspectsStats=Prospects +ThirdPartyCustomers=Customers +ThirdPartyCustomersStats=Customers +ThirdPartyCustomersWithIdProf12=Customers with %s or %s +ThirdPartySuppliers=Vendors +ThirdPartyType=Third-party type +Individual=Private individual +ToCreateContactWithSameName=Will automatically create a contact/address with same information as the third party under the third party. In most cases, even if your third party is a physical person, creating a third party alone is enough. +ParentCompany=Parent company +Subsidiaries=Subsidiaries +ReportByMonth=Report per month +ReportByCustomers=Report per customer +ReportByThirdparties=Report per third party +ReportByQuarter=Report per rate +CivilityCode=Civility code +RegisteredOffice=Registered office +Lastname=Last name +Firstname=First name +RefEmployee=Employee reference +NationalRegistrationNumber=National registration number +PostOrFunction=Job position UserTitle=Title -NatureOfThirdParty=Priroda Nezavisne kompanije -NatureOfContact=Priroda Kontakta -Address=Adresa -State=Država/Provincija -StateId=ID Države/Provincije -StateCode=Kod Države/Provincije -StateShort=Stanje -Region=Regija -Region-State=Regija – Država -Country=Zemlja -CountryCode=Kod zemlje -CountryId=ID Zemlje -Phone=Telefon -PhoneShort=Telefon +NatureOfThirdParty=Nature of Third party +NatureOfContact=Nature of Contact +Address=Address +State=State/Province +StateId=State ID +StateCode=State/Province code +StateShort=State +Region=Region +Region-State=Region - State +Country=Country +CountryCode=Country code +CountryId=Country ID +Phone=Phone +PhoneShort=Phone Skype=Skype -Call=Poziv +Call=Call Chat=Chat -PhonePro=Poslovni telefon -PhonePerso=Lični telefon -PhoneMobile=Mobilni -No_Email=Odbija grupne emailove +PhonePro=Bus. phone +PhonePerso=Pers. phone +PhoneMobile=Mobile +No_Email=Refuse bulk emailings Fax=Fax -Zip=Poštanski broj -Town=Grad +Zip=Zip Code +Town=City Web=Web -Poste= Pozicija -DefaultLang=Podrazumevani jezik -VATIsUsed=PDV se koristi -VATIsUsedWhenSelling=Ovo određuje da li ova Nezavisna kompanija uključuje PDV ili ne kada pravi račune svojim kupcima -VATIsNotUsed=PDV se ne koristi +Poste= Position +DefaultLang=Default language +VATIsUsed=Sales tax used +VATIsUsedWhenSelling=This defines if this third party includes a sales tax or not when it makes an invoice to its own customers +VATIsNotUsed=Sales tax is not used VATReverseCharge=VAT reverse-charge VATReverseChargeByDefault=VAT reverse-charge by default VATReverseChargeByDefaultDesc=On supplier invoice, VAT reverse-charge is used by default -CopyAddressFromSoc=Kopirati adresu iz podatka o Nezavisnoj kompaniji -ThirdpartyNotCustomerNotSupplierSoNoRef=Nezavisna kompanija nije niti Kupac niti Dobavljač, nema dostupnih referentnih objekata -ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Nezavisna kompanija nije niti Kupac niti Dobavljač, popusti nisu dostupni -PaymentBankAccount=Broj računa za bankovni prenos -OverAllProposals=Ponude -OverAllOrders=Narudžbine -OverAllInvoices=Računi -OverAllSupplierProposals=Zahtevi za ponudu +CopyAddressFromSoc=Copy address from third-party details +ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available referring objects +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor vendor, discounts are not available +PaymentBankAccount=Payment bank account +OverAllProposals=Proposals +OverAllOrders=Orders +OverAllInvoices=Invoices +OverAllSupplierProposals=Price requests ##### Local Taxes ##### -LocalTax1IsUsed=Koristi drugu taksu +LocalTax1IsUsed=Use second tax LocalTax1IsUsedES= RE is used LocalTax1IsNotUsedES= RE is not used -LocalTax2IsUsed=Koristi treću taksu +LocalTax2IsUsed=Use third tax LocalTax2IsUsedES= IRPF is used LocalTax2IsNotUsedES= IRPF is not used -WrongCustomerCode=Kod klijenta nije validan -WrongSupplierCode=Kod dobavljača nije ispravan -CustomerCodeModel=Model koda klijenta -SupplierCodeModel=Model koda dobavljača -Gencod=Bar code +WrongCustomerCode=Customer code invalid +WrongSupplierCode=Vendor code invalid +CustomerCodeModel=Customer code model +SupplierCodeModel=Vendor code model +Gencod=Barcode GencodBuyPrice=Barcode of price ref ##### Professional ID ##### ProfId1Short=Prof. id 1 @@ -116,13 +118,21 @@ ProfId2Short=Prof. id 2 ProfId3Short=Prof. id 3 ProfId4Short=Prof. id 4 ProfId5Short=Prof. id 5 -ProfId6Short=Prof. Id 6 -ProfId1=Profesionalni ID 1 -ProfId2=Profesionalni ID 2 -ProfId3=Profesionalni ID 3 -ProfId4=Profesionalni ID 4 -ProfId5=Profesionalni ID 5 -ProfId6=Profesionalni ID 6 +ProfId6Short=Prof. id 6 +ProfId7Short=Prof. id 7 +ProfId8Short=Prof. id 8 +ProfId9Short=Prof. id 9 +ProfId10Short=Prof. id 10 +ProfId1=Professional ID 1 +ProfId2=Professional ID 2 +ProfId3=Professional ID 3 +ProfId4=Professional ID 4 +ProfId5=Professional ID 5 +ProfId6=Professional ID 6 +ProfId7=Professional ID 7 +ProfId8=Professional ID 8 +ProfId9=Professional ID 9 +ProfId10=Professional ID 10 ProfId1AR=Prof Id 1 (CUIT/CUIL) ProfId2AR=Prof Id 2 (Revenu brutes) ProfId3AR=- @@ -141,7 +151,7 @@ ProfId3AU=- ProfId4AU=- ProfId5AU=- ProfId6AU=- -ProfId1BE=Prof Id 1 (Profesionalni broj) +ProfId1BE=Prof Id 1 (Professional number) ProfId2BE=- ProfId3BE=- ProfId4BE=- @@ -175,7 +185,7 @@ ProfId1ShortCM=Trade Register ProfId2ShortCM=Taxpayer No. ProfId3ShortCM=No. of Creation decree ProfId4ShortCM=No. of Deposit certificate -ProfId5ShortCM=Drugi +ProfId5ShortCM=Others ProfId6ShortCM=- ProfId1CO=Prof Id 1 (R.U.T.) ProfId2CO=- @@ -201,12 +211,20 @@ ProfId3FR=Prof Id 3 (NAF, old APE) ProfId4FR=Prof Id 4 (RCS/RM) ProfId5FR=Prof Id 5 (numéro EORI) ProfId6FR=- +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- ProfId1ShortFR=SIREN ProfId2ShortFR=SIRET ProfId3ShortFR=NAF ProfId4ShortFR=RCS ProfId5ShortFR=EORI ProfId6ShortFR=- +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- ProfId1GB=Registration Number ProfId2GB=- ProfId3GB=SIC @@ -231,8 +249,8 @@ ProfId3IT=- ProfId4IT=- ProfId5IT=EORI number ProfId6IT=- -ProfId1LU=Id. prof. 1 (R.C.S. Luksemburg) -ProfId2LU=Id. prof. 2 (Radna dozvola) +ProfId1LU=Id. prof. 1 (R.C.S. Luxembourg) +ProfId2LU=Id. prof. 2 (Business permit) ProfId3LU=- ProfId4LU=- ProfId5LU=EORI number @@ -245,7 +263,7 @@ ProfId5MA=Id prof. 5 (I.C.E.) ProfId6MA=- ProfId1MX=Prof Id 1 (R.F.C). ProfId2MX=Prof Id 2 (R..P. IMSS) -ProfId3MX=Prof Id 3 (Profesional Charter) +ProfId3MX=Prof Id 3 (Professional Charter) ProfId4MX=- ProfId5MX=- ProfId6MX=- @@ -301,210 +319,212 @@ ProfId1DZ=RC ProfId2DZ=Art. ProfId3DZ=NIF ProfId4DZ=NIS -VATIntra=PDV ID -VATIntraShort=PDV -VATIntraSyntaxIsValid=Sintaksa je ispravna -VATReturn=Povraćaj PDV -ProspectCustomer=Kandidat / Klijent -Prospect=Kandidat -CustomerCard=Kartica klijenta -Customer=Klijent -CustomerRelativeDiscount=Relativni popust klijenta -SupplierRelativeDiscount=Relativni popust dobavljača -CustomerRelativeDiscountShort=Relativni popust -CustomerAbsoluteDiscountShort=Apsolutni popust -CompanyHasRelativeDiscount=Klijent ima default popust od %s%% -CompanyHasNoRelativeDiscount=Klijent nema default relativni popust -HasRelativeDiscountFromSupplier=Imate podrazumevani popust od %s%% kod ovog dobavljača -HasNoRelativeDiscountFromSupplier=Nema podrazumevanog relativnog popusta kod ovog dobavljača -CompanyHasAbsoluteDiscount=Ovaj kupac ima dostupne popuste (avansne račune ili pretplate) za %s %s -CompanyHasDownPaymentOrCommercialDiscount=Ovaj kupac ima dostupne popuste (komercijalne, plaćanje unapred) za %s %s +VATIntra=VAT ID +VATIntraShort=VAT ID +VATIntraSyntaxIsValid=Syntax is valid +VATReturn=VAT return +ProspectCustomer=Prospect / Customer +Prospect=Prospect +CustomerCard=Customer Card +Customer=Customer +CustomerRelativeDiscount=Relative customer discount +SupplierRelativeDiscount=Relative vendor discount +CustomerRelativeDiscountShort=Relative discount +CustomerAbsoluteDiscountShort=Absolute discount +CompanyHasRelativeDiscount=This customer has a default discount of %s%% +CompanyHasNoRelativeDiscount=This customer has no relative discount by default +HasRelativeDiscountFromSupplier=You have a default discount of %s%% with this vendor +HasNoRelativeDiscountFromSupplier=No default relative discount with this vendor +CompanyHasAbsoluteDiscount=This customer has discounts available (credits notes or down payments) for %s %s +CompanyHasDownPaymentOrCommercialDiscount=This customer has discounts available (commercial, down payments) for %s %s CompanyHasCreditNote=This customer still has credit notes for %s %s -HasNoAbsoluteDiscountFromSupplier=Nema popusta/pretplata za ovog dobavljača -HasAbsoluteDiscountFromSupplier=Imate dostupne popuste (avansne račune ili pretplate) za %s %s kod ovog dobavljača -HasDownPaymentOrCommercialDiscountFromSupplier=Imate dostupne popuste (komercijalne, plaćanje unapred) za %s %s kod ovog dobavljača -HasCreditNoteFromSupplier=Imate kredit za %s %s od ovog dobavljača +HasNoAbsoluteDiscountFromSupplier=No discount/credit available from this vendor +HasAbsoluteDiscountFromSupplier=You have discounts available (credits notes or down payments) for %s %s from this vendor +HasDownPaymentOrCommercialDiscountFromSupplier=You have discounts available (commercial, down payments) for %s %s from this vendor +HasCreditNoteFromSupplier=You have credit notes for %s %s from this vendor CompanyHasNoAbsoluteDiscount=This customer has no discount credit available -CustomerAbsoluteDiscountAllUsers=Apsolutni popust (dostupan svim kupcima) -CustomerAbsoluteDiscountMy=Apsolutni popust (dodeljen) -SupplierAbsoluteDiscountAllUsers=Apsolutni popust dobavljača (unos za sve kupce) -SupplierAbsoluteDiscountMy=Apsolutni popust dobavljača (dodeljen) -DiscountNone=Nema -Vendor=Dobavljači -Supplier=Dobavljači -AddContact=kreiraj kontakt -AddContactAddress=Kreiraj kontakt/adresuz -EditContact=Izmeni kontakt -EditContactAddress=Izmeni kontakt/adresu -Contact=Kontakt/Adresa -Contacts=Kontakti/Adrese -ContactId=Kontakt ID -ContactsAddresses=Kontakti/Adrese -FromContactName=Ime: -NoContactDefinedForThirdParty=Nema definisanih kontakta za ovaj subjekt -NoContactDefined=Nema defnisanog kontakta -DefaultContact=Default kontakt/adresa -ContactByDefaultFor=Podrazumevani kontakt/adresa za -AddThirdParty=Kreiraj subjekt -DeleteACompany=Obriši kompaniju -PersonalInformations=Lični podaci -AccountancyCode=Računovodstveni nalog -CustomerCode=Kod kupca -SupplierCode=Kod dobavljača -CustomerCodeShort=Kod kupca -SupplierCodeShort=Kod dobavljača -CustomerCodeDesc=Kod kupca, jedinstven za svakog kupca -SupplierCodeDesc=Kod dobavljača, jedinstven za svakog dobavljača -RequiredIfCustomer=Obavezno ako je subjekt klijent ili kandidat -RequiredIfSupplier=Neophodno ako je Nezavisna kompanija dobavljač -ValidityControledByModule=Ispravnost se kontroliše od strane modula -ThisIsModuleRules=Pravila za ovaj modul -ProspectToContact=Kandidat za kontaktiranje -CompanyDeleted=Kompanija "%s" je obrisana iz baze. -ListOfContacts=Lista kontakta/adresa -ListOfContactsAddresses=Lista Kontakta/Adresa -ListOfThirdParties=Lista Nezavisnih kompanija -ShowCompany=Prikaz kompanije -ShowContact=Prikaz kontakta -ContactsAllShort=Sve (Bez filtera) -ContactType=Tip kontakta -ContactForOrders=Kontakt iz narudžbine -ContactForOrdersOrShipments=Kontakti porudžbina ili dostava -ContactForProposals=Kontakt iz ponude -ContactForContracts=Kontakt iz ugovora -ContactForInvoices=Kontakt iz računa -NoContactForAnyOrder=Ovaj kontakt nije ni u jednoj nadudžbini -NoContactForAnyOrderOrShipments=Ovaj kontakt nije kontakt ni jedne narudžbini ili isporuci -NoContactForAnyProposal=Ovaj kontakt nije ni u jednoj ponudi -NoContactForAnyContract=Ovaj kontakt nije ni u jednom ugovoru -NoContactForAnyInvoice=Ovaj kontakt nije ni u jednom računu -NewContact=Novi kontakt -NewContactAddress=Novi kontakt/Adresa -MyContacts=Moji kontakti -Capital=Kapital -CapitalOf=Kapital od %s -EditCompany=Izmeni kompaniju -ThisUserIsNot=Ovaj korisnik nije ni kandidat ni kupac ni dobavljač -VATIntraCheck=Proveri -VATIntraCheckDesc=PDV ID mora sadržati prefiks zemlje. Link %s koristi servis za proveru Evropskog PDV (VIES) koji zahteva internet pristup sa Dolibarr servera. -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do +CustomerAbsoluteDiscountAllUsers=Absolute customer discounts (granted by all users) +CustomerAbsoluteDiscountMy=Absolute customer discounts (granted by yourself) +SupplierAbsoluteDiscountAllUsers=Absolute vendor discounts (entered by all users) +SupplierAbsoluteDiscountMy=Absolute vendor discounts (entered by yourself) +DiscountNone=None +Vendor=Vendor +Supplier=Vendor +AddContact=Create contact +AddContactAddress=Create contact/address +EditContact=Edit contact +EditContactAddress=Edit contact/address +Contact=Contact/Address +Contacts=Contacts/Addresses +ContactId=Contact id +ContactsAddresses=Contacts/Addresses +FromContactName=Name: +NoContactDefinedForThirdParty=No contact defined for this third party +NoContactDefined=No contact defined +DefaultContact=Default contact/address +ContactByDefaultFor=Default contact/address for +AddThirdParty=Create third party +DeleteACompany=Delete a company +PersonalInformations=Personal data +AccountancyCode=Accounting account +CustomerCode=Customer Code +SupplierCode=Vendor Code +CustomerCodeShort=Customer Code +SupplierCodeShort=Vendor Code +CustomerCodeDesc=Customer Code, unique for all customers +SupplierCodeDesc=Vendor Code, unique for all vendors +RequiredIfCustomer=Required if third party is a customer or prospect +RequiredIfSupplier=Required if third party is a vendor +ValidityControledByModule=Validity controlled by the module +ThisIsModuleRules=Rules for this module +ProspectToContact=Prospect to contact +CompanyDeleted=Company "%s" deleted from database. +ListOfContacts=List of contacts/addresses +ListOfContactsAddresses=List of contacts/addresses +ListOfThirdParties=List of Third Parties +ShowCompany=Third Party +ShowContact=Contact-Address +ContactsAllShort=All (No filter) +ContactType=Contact role +ContactForOrders=Order's contact +ContactForOrdersOrShipments=Order's or shipment's contact +ContactForProposals=Proposal's contact +ContactForContracts=Contract's contact +ContactForInvoices=Invoice's contact +NoContactForAnyOrder=This contact is not a contact for any order +NoContactForAnyOrderOrShipments=This contact is not a contact for any order or shipment +NoContactForAnyProposal=This contact is not a contact for any commercial proposal +NoContactForAnyContract=This contact is not a contact for any contract +NoContactForAnyInvoice=This contact is not a contact for any invoice +NewContact=New contact +NewContactAddress=New Contact/Address +MyContacts=My contacts +Capital=Capital +CapitalOf=Capital of %s +EditCompany=Edit company +ThisUserIsNot=This user is not a prospect, customer or vendor +VATIntraCheck=Check +VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commission website VATIntraManualCheck=You can also check manually on the European Commission website %s -ErrorVATCheckMS_UNAVAILABLE=Provera nije moguća. Servis nije dostupan za datu državu (%s). -NorProspectNorCustomer=Nije kandidat niti kupac -JuridicalStatus=Pravni status -Workforce=Radna snaga -Staff=Zaposleni -ProspectLevelShort=Potencijal -ProspectLevel=Potencijal kandidata -ContactPrivate=Privatno -ContactPublic=Podeljeno -ContactVisibility=Vidljivost -ContactOthers=Ostalo -OthersNotLinkedToThirdParty=Ostali, nevezani za subjekt -ProspectStatus=Status kandidata -PL_NONE=Nema -PL_UNKNOWN=Nepoznato -PL_LOW=Nizak -PL_MEDIUM=Srednje -PL_HIGH=Visok +ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s). +NorProspectNorCustomer=Not prospect, nor customer +JuridicalStatus=Business entity type +Workforce=Workforce +Staff=Employees +ProspectLevelShort=Potential +ProspectLevel=Prospect potential +ContactPrivate=Private +ContactPublic=Shared +ContactVisibility=Visibility +ContactOthers=Other +OthersNotLinkedToThirdParty=Others, not linked to a third party +ProspectStatus=Prospect status +PL_NONE=None +PL_UNKNOWN=Unknown +PL_LOW=Low +PL_MEDIUM=Medium +PL_HIGH=High TE_UNKNOWN=- TE_STARTUP=Startup -TE_GROUP=Veliko preduzeće -TE_MEDIUM=Srednje preduzeće -TE_ADMIN=Državna ustanova -TE_SMALL=Malo preduzeće -TE_RETAIL=Prodaja -TE_WHOLE=Veleprodaja -TE_PRIVATE=Fizičko licce -TE_OTHER=Drugo -StatusProspect-1=Ne kontaktirati -StatusProspect0=Nikada kontaktiran -StatusProspect1=Za kontakt u budućnosti -StatusProspect2=Kontakt u toku -StatusProspect3=Kontakt završen -ChangeDoNotContact=Promeni status u 'Ne kontaktirati' -ChangeNeverContacted=Promeni status u 'Nikad kontaktiran' -ChangeToContact=Promeniti status u 'Za kontakt u budućnosti' -ChangeContactInProcess=Promeni status u 'Kontakt u toku' -ChangeContactDone=Promeni status u 'Kontakt završen' -ProspectsByStatus=Kandidati po statusu -NoParentCompany=Nema -ExportCardToFormat=Izvozna kartica za formatiranje -ContactNotLinkedToCompany=Kontakt nije povezan ni sa jednim subjektom +TE_GROUP=Large company +TE_MEDIUM=Medium company +TE_ADMIN=Governmental +TE_SMALL=Small company +TE_RETAIL=Retailer +TE_WHOLE=Wholesaler +TE_PRIVATE=Private individual +TE_OTHER=Other +StatusProspect-1=Do not contact +StatusProspect0=Never contacted +StatusProspect1=To be contacted +StatusProspect2=Contact in process +StatusProspect3=Contact done +ChangeDoNotContact=Change status to 'Do not contact' +ChangeNeverContacted=Change status to 'Never contacted' +ChangeToContact=Change status to 'To be contacted' +ChangeContactInProcess=Change status to 'Contact in process' +ChangeContactDone=Change status to 'Contact done' +ProspectsByStatus=Prospects by status +NoParentCompany=None +ExportCardToFormat=Export card to format +ContactNotLinkedToCompany=Contact not linked to any third party DolibarrLogin=Dolibarr login -NoDolibarrAccess=Nemoguć pristup Dolibarr-u +NoDolibarrAccess=No Dolibarr access ExportDataset_company_1=Third-parties (companies/foundations/physical people) and their properties ExportDataset_company_2=Contacts and their properties ImportDataset_company_1=Third-parties and their properties ImportDataset_company_2=Third-parties additional contacts/addresses and attributes ImportDataset_company_3=Third-parties Bank accounts ImportDataset_company_4=Third-parties Sales representatives (assign sales representatives/users to companies) -PriceLevel=Nivo cena -PriceLevelLabels=Oznake nivoa cena -DeliveryAddress=Adresa dostave -AddAddress=Dodati adresu -SupplierCategory=Kategorija dobavljača -JuridicalStatus200=Nezavisni -DeleteFile=Obriši fajl -ConfirmDeleteFile=Da li ste sigurni da želite obrisati ovu datoteku %s? -AllocateCommercial=Dodeljeno prodavcu -Organization=Organizacija -FiscalYearInformation=Fiskalna godina -FiscalMonthStart=Prvi mesec fiskalne godine -SocialNetworksInformation=Socijalne mreže +PriceLevel=Price Level +PriceLevelLabels=Price Level Labels +DeliveryAddress=Delivery address +AddAddress=Add address +SupplierCategory=Vendor category +JuridicalStatus200=Independent +DeleteFile=Delete file +ConfirmDeleteFile=Are you sure you want to delete this file %s? +AllocateCommercial=Assigned to sales representative +Organization=Organization +FiscalYearInformation=Fiscal Year +FiscalMonthStart=Starting month of the fiscal year +SocialNetworksInformation=Social networks SocialNetworksFacebookURL=Facebook URL SocialNetworksTwitterURL=Twitter URL SocialNetworksLinkedinURL=Linkedin URL SocialNetworksInstagramURL=Instagram URL SocialNetworksYoutubeURL=Youtube URL SocialNetworksGithubURL=Github URL -YouMustAssignUserMailFirst=Morate napraviti email za ovog korisnika pre nego što je moguće dodavanje email obaveštenja -YouMustCreateContactFirst=Da bi mogli dodati email obaveštenja, morate najpre označiti kontakte sa važećim email adresama za Nezavisnu kompaniju -ListSuppliersShort=Lista Dobavljača -ListProspectsShort=Lista Prospekata -ListCustomersShort=Lista Kupaca -ThirdPartiesArea=Nezavisne kompanije -LastModifiedThirdParties=Poslednjih %s Nezavisnih kompanija koja su promenjena -UniqueThirdParties=Ukupan broj Nezavisnih kompanija -InActivity=Aktivno -ActivityCeased=Zatvoreno -ThirdPartyIsClosed=Nezavisna kompanija je zatvorena -ProductsIntoElements=Lista proizvoda/usluga dodeljenih za %s +YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. +YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party +ListSuppliersShort=List of Vendors +ListProspectsShort=List of Prospects +ListCustomersShort=List of Customers +ThirdPartiesArea=Third Parties/Contacts +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties +InActivity=Open +ActivityCeased=Closed +ThirdPartyIsClosed=Third party is closed +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill -OutstandingBillReached=Dostignut maksimum neizmirenih računa -OrderMinAmount=Minimalna količina za narudžbinu -MonkeyNumRefModelDesc=Return a number in the format %syymm-nnnn for the customer code and %syymm-nnnn for the vendor code where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0. +OutstandingBillReached=Max. for outstanding bill reached +OrderMinAmount=Minimum amount for order +MonkeyNumRefModelDesc=Return a number in the format %syymm-nnnn for the customer code and %syymm-nnnn for the vendor code where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0. LeopardNumRefModelDesc=The code is free. This code can be modified at any time. -ManagingDirectors=Ime menadžera (CEO, direktor, predsednik...) -MergeOriginThirdparty=Duplirani subjekt (subjekt kojeg želite obrisati) -MergeThirdparties=Spoji subjekte -ConfirmMergeThirdparties=Da li ste sigurni da želite da spojite odabranu Nezavisnu kompaniju sa trenutnom? Svi povezani objekti (računi, porudžbine i sl) će biti pomereni u trenutnu Nezavisnu kompaniju, nakon čega će odabrana Nezavisna kompanija biti obrisana. -ThirdpartiesMergeSuccess=Nezavisne kompanije su uspešno spojena -SaleRepresentativeLogin=Login predstavnika prodaje -SaleRepresentativeFirstname=Ime predstavnika prodaje -SaleRepresentativeLastname=Prezime predstavnika prodaje -ErrorThirdpartiesMerge=Desila se greška tokom brisanja Nezavisne kompanije. Molimo pregledajte log. Izmene su vraćene u početno stanje. -NewCustomerSupplierCodeProposed=Kod Kupca ili Dobavljača već postoji, predložena izmena koda +ManagingDirectors=Manager(s) name (CEO, director, president...) +MergeOriginThirdparty=Duplicate third party (third party you want to delete) +MergeThirdparties=Merge third parties +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. +ThirdpartiesMergeSuccess=Third parties have been merged +SaleRepresentativeLogin=Login of sales representative +SaleRepresentativeFirstname=First name of sales representative +SaleRepresentativeLastname=Last name of sales representative +ErrorThirdpartiesMerge=There was an error when deleting the third parties. Please check the log. Changes have been reverted. +NewCustomerSupplierCodeProposed=Customer or Vendor code already used, a new code is suggested KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address #Imports -PaymentTypeCustomer=Tip plaćanja – Kupac -PaymentTermsCustomer=Uslovi plaćanja – Kupac -PaymentTypeSupplier=Tip plaćanja – Dobavljač -PaymentTermsSupplier=Uslovi plaćanja – Dobavljač -PaymentTypeBoth=Tip plaćanja – Kupac i Dobavljač -MulticurrencyUsed=Koristiti multivalute -MulticurrencyCurrency=Valuta -InEEC=EU (EEC) -RestOfEurope=Ostatak EU (EEC) -OutOfEurope=Van EU (EEC) -CurrentOutstandingBillLate=Trenutni neizmireni račun kasni -BecarefullChangeThirdpartyBeforeAddProductToInvoice=Budite pažljivi, u zavisnosti od podešavanja cene proizvoda, trebalo bi da promenite Nezavisnu kompaniju pre nego što dodate proizvod na POS. -EmailAlreadyExistsPleaseRewriteYourCompanyName=Email već postoji molimo ponovo unesite ime kompanije -TwoRecordsOfCompanyName=Postoji više od jednog unosa za ovu kompaniju, molimo kontaktirajte nas kako bi dovršili Vaš zahtev za saradnju -CompanySection=Sekcija kompanije -ShowSocialNetworks=Prikaži socijalne mreže -HideSocialNetworks=Sakrij socijalne mreže +PaymentTypeCustomer=Payment Type - Customer +PaymentTermsCustomer=Payment Terms - Customer +PaymentTypeSupplier=Payment Type - Vendor +PaymentTermsSupplier=Payment Term - Vendor +PaymentTypeBoth=Payment Type - Customer and Vendor +MulticurrencyUsed=Use Multicurrency +MulticurrencyCurrency=Currency +InEEC=Europe (EEC) +RestOfEurope=Rest of Europe (EEC) +OutOfEurope=Out of Europe (EEC) +CurrentOutstandingBillLate=Current outstanding bill late +BecarefullChangeThirdpartyBeforeAddProductToInvoice=Be careful, depending on your product price settings, you should change the third party before adding product to POS. +EmailAlreadyExistsPleaseRewriteYourCompanyName=email already exists please rewrite your company name +TwoRecordsOfCompanyName=more than one record exists for this company, please contact us to complete your partnership request +CompanySection=Company section +ShowSocialNetworks=Show social networks +HideSocialNetworks=Hide social networks ExternalSystemID=External system ID IDOfPaymentInAnExternalSystem=ID of the payment mode into an external system (like Stripe, Paypal, ...) +AADEWebserviceCredentials=AADE Webservice Credentials +ThirdPartyMustBeACustomerToCreateBANOnStripe=The third-party must be a customer to allow the creation of its bank info on Stripe side diff --git a/htdocs/langs/sr_RS/compta.lang b/htdocs/langs/sr_RS/compta.lang index ea31491cb90..e16093e5a98 100644 --- a/htdocs/langs/sr_RS/compta.lang +++ b/htdocs/langs/sr_RS/compta.lang @@ -1,39 +1,39 @@ # Dolibarr language file - Source file is en_US - compta MenuFinancial=Billing | Payment -TaxModuleSetupToModifyRules=Otvorite podešavanja modula Taxes da biste izmenili pravila kalkulacija -TaxModuleSetupToModifyRulesLT=Otvori Podešavanja kompanije za izmenu pravila kalkulacije -OptionMode=Opcije za računovodstvo -OptionModeTrue=Opcije Prihoda-Rashoda -OptionModeVirtual=Opcije Potraživanja-Dugovanja -OptionModeTrueDesc=U ovom kontekstu, obrt je sračunat prema uplatama (datumima uplata). Validnost rezultata je sigurna samo ukoliko računovodstvo uredno evidentira ulaz/izlaz putem računa. -OptionModeVirtualDesc=U ovom kontekstu, obrt je sračunat prema računima (datumima potvrde). Kada računima dođe datum naplate, uračunati su u obrt, bilo da su zaista naplaćeni ili ne. -FeatureIsSupportedInInOutModeOnly=Funkcionalnost dostupna samo u računovodstvenom modu POTRAŽIVANJA-ZADUŽENJA (pogledajte podešavanja modula računovodstvo) -VATReportBuildWithOptionDefinedInModule=Prikazani iznosi su sračunati po pravilima definisanim u podešavanjima modula Takse. -LTReportBuildWithOptionDefinedInModule=Prikazani iznosi su sračunati po pravilima definisanim u Podešavanjima kompanije. -Param=Podešavanja +TaxModuleSetupToModifyRules=Go to Taxes module setup to modify rules for calculation +TaxModuleSetupToModifyRulesLT=Go to Company setup to modify rules for calculation +OptionMode=Option for accountancy +OptionModeTrue=Option Incomes-Expenses +OptionModeVirtual=Option Claims-Debts +OptionModeTrueDesc=In this context, the turnover is calculated over payments (date of payments). The validity of the figures is assured only if the book-keeping is scrutinized through the input/output on the accounts via invoices. +OptionModeVirtualDesc=In this context, the turnover is calculated over invoices (date of validation). When these invoices are due, whether they have been paid or not, they are listed in the turnover output. +FeatureIsSupportedInInOutModeOnly=Feature only available in CREDITS-DEBTS accountancy mode (See Accountancy module configuration) +VATReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Tax module setup. +LTReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Company setup. +Param=Setup RemainingAmountPayment=Amount payment remaining: -Account=Nalog +Account=Account Accountparent=Parent account Accountsparent=Parent accounts -Income=Prihod -Outcome=Rashod -MenuReportInOut=Prihod / Rashod +Income=Income +Outcome=Expense +MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses ReportTurnover=Turnover invoiced ReportTurnoverCollected=Turnover collected -PaymentsNotLinkedToInvoice=Uplate koje nisu vezane ni za jedan račun i ni za jedan subjekat -PaymentsNotLinkedToUser=Uplate koje nisu vezane ni za jednog korisnika +PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party +PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit -AccountingResult=Računovodstveni rezultat +AccountingResult=Accounting result BalanceBefore=Balance (before) -Balance=Stanje -Debit=Izlaz -Credit=Ulaz -AccountingDebit=Izlaz -AccountingCredit=Ulaz -Piece=Računovodstvena dokumentacija -AmountHTVATRealReceived=Neto prihoda -AmountHTVATRealPaid=Plaćeno neto +Balance=Balance +Debit=Debit +Credit=Credit +AccountingDebit=Debit +AccountingCredit=Credit +Piece=Accounting Doc. +AmountHTVATRealReceived=Net collected +AmountHTVATRealPaid=Net paid VATToPay=Tax sales VATReceived=Tax received VATToCollect=Tax purchases @@ -42,71 +42,71 @@ VATBalance=Tax Balance VATPaid=Tax paid LT1Summary=Tax 2 summary LT2Summary=Tax 3 summary -LT1SummaryES=RE Stanje -LT2SummaryES=IRPF stanje +LT1SummaryES=RE Balance +LT2SummaryES=IRPF Balance LT1SummaryIN=CGST Balance LT2SummaryIN=SGST Balance LT1Paid=Tax 2 paid LT2Paid=Tax 3 paid -LT1PaidES=RE Isplaćeno -LT2PaidES=IRPF plaćeno +LT1PaidES=RE Paid +LT2PaidES=IRPF Paid LT1PaidIN=CGST Paid LT2PaidIN=SGST Paid LT1Customer=Tax 2 sales LT1Supplier=Tax 2 purchases -LT1CustomerES=RE prodaje -LT1SupplierES=RE nabavke +LT1CustomerES=RE sales +LT1SupplierES=RE purchases LT1CustomerIN=CGST sales LT1SupplierIN=CGST purchases LT2Customer=Tax 3 sales LT2Supplier=Tax 3 purchases -LT2CustomerES=IRPF prodato -LT2SupplierES=IRPF kupovina +LT2CustomerES=IRPF sales +LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases -VATCollected=Prihodovani PDV -StatusToPay=Za plaćanje -SpecialExpensesArea=Oblast za sve posebne uplate +VATCollected=VAT collected +StatusToPay=To pay +SpecialExpensesArea=Area for all special payments VATExpensesArea=Area for all TVA payments -SocialContribution=Socijalni i poreski trošak -SocialContributions=Socijalni i poreski troškovi +SocialContribution=Social or fiscal tax +SocialContributions=Social or fiscal taxes SocialContributionsDeductibles=Deductible social or fiscal taxes SocialContributionsNondeductibles=Nondeductible social or fiscal taxes DateOfSocialContribution=Date of social or fiscal tax LabelContrib=Label contribution TypeContrib=Type contribution -MenuSpecialExpenses=Posebni troškovi -MenuTaxAndDividends=Takse i dividende -MenuSocialContributions=Socijalni/poreski troškovi -MenuNewSocialContribution=Novi porez/doprinos -NewSocialContribution=Novi porez/doprinos +MenuSpecialExpenses=Special expenses +MenuTaxAndDividends=Taxes and dividends +MenuSocialContributions=Social/fiscal taxes +MenuNewSocialContribution=New social/fiscal tax +NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax -ContributionsToPay=Porezi/doprinosi za uplatu +ContributionsToPay=Social/fiscal taxes to pay AccountancyTreasuryArea=Accounting area InvoicesArea=Billing and payment area -NewPayment=Nova uplata -PaymentCustomerInvoice=Uplata po računu klijenta +NewPayment=New payment +PaymentCustomerInvoice=Customer invoice payment PaymentSupplierInvoice=vendor invoice payment -PaymentSocialContribution=Uplata poreza/doprinosa -PaymentVat=PDV uplata +PaymentSocialContribution=Social/fiscal tax payment +PaymentVat=VAT payment AutomaticCreationPayment=Automatically record the payment -ListPayment=Lista uplata -ListOfCustomerPayments=Lista uplata klijenata +ListPayment=List of payments +ListOfCustomerPayments=List of customer payments ListOfSupplierPayments=List of vendor payments -DateStartPeriod=Početak perioda -DateEndPeriod=Kraj perioda -newLT1Payment=Nova uplata takse 2 -newLT2Payment=Nova uplata takse 3 -LT1Payment=Uplata takse 2 -LT1Payments=Uplate takse 2 -LT2Payment=Uplata takse 3 -LT2Payments=Uplate takse 3 -newLT1PaymentES=Nova RE uplata -newLT2PaymentES=Nova IRPF uplata -LT1PaymentES=RE uplata -LT1PaymentsES=RE uplate -LT2PaymentES=IRPF uplata -LT2PaymentsES=IRPF uplate +DateStartPeriod=Date start period +DateEndPeriod=Date end period +newLT1Payment=New tax 2 payment +newLT2Payment=New tax 3 payment +LT1Payment=Tax 2 payment +LT1Payments=Tax 2 payments +LT2Payment=Tax 3 payment +LT2Payments=Tax 3 payments +newLT1PaymentES=New RE payment +newLT2PaymentES=New IRPF payment +LT1PaymentES=RE Payment +LT1PaymentsES=RE Payments +LT2PaymentES=IRPF Payment +LT2PaymentsES=IRPF Payments VATPayment=Sales tax payment VATPayments=Sales tax payments VATDeclarations=VAT declarations @@ -114,42 +114,42 @@ VATDeclaration=VAT declaration VATRefund=Sales tax refund NewVATPayment=New sales tax payment NewLocalTaxPayment=New tax %s payment -Refund=Povraćaj -SocialContributionsPayments=Uplate poreza/doprinosa -ShowVatPayment=Prikaži PDV uplatu -TotalToPay=Ukupno za uplatu +Refund=Refund +SocialContributionsPayments=Social/fiscal taxes payments +ShowVatPayment=Show VAT payment +TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters) CustomerAccountancyCode=Customer accounting code SupplierAccountancyCode=Vendor accounting code -CustomerAccountancyCodeShort=Rač. kod klijenta -SupplierAccountancyCodeShort=Rač. kod dobavljača -AccountNumber=Broj naloga -NewAccountingAccount=Novi račun +CustomerAccountancyCodeShort=Cust. account. code +SupplierAccountancyCodeShort=Sup. account. code +AccountNumber=Account number +NewAccountingAccount=New account Turnover=Turnover invoiced TurnoverCollected=Turnover collected SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes -ByThirdParties=Po subjektima -ByUserAuthorOfInvoice=Po izdavaču računa -CheckReceipt=Depozitni isečak -CheckReceiptShort=Depozitni isečak +ByThirdParties=By third parties +ByUserAuthorOfInvoice=By invoice author +CheckReceipt=Deposit slip +CheckReceiptShort=Deposit slip LastCheckReceiptShort=Latest %s deposit slips LastPaymentForDepositShort=Latest %s %s deposit slips -NewCheckReceipt=Novi popust +NewCheckReceipt=New discount NewCheckDeposit=New deposit slip -NewCheckDepositOn=Kreiraj račun za uplatu : %s +NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. NoWaitingPaymentForDeposit=No %s payment awaiting deposit. DateChequeReceived=Check receiving date DatePaymentReceived=Date of document reception NbOfCheques=No. of checks -PaySocialContribution=Uplati porez/doprinose +PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration PaySalary=Pay a salary card ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid ? ConfirmPayVAT=Are you sure you want to classify this VAT declaration as paid ? ConfirmPaySalary=Are you sure you want to classify this salary card as paid? -DeleteSocialContribution=Obriši uplatu poreza/doprinosa +DeleteSocialContribution=Delete a social or fiscal tax payment DeleteVAT=Delete a VAT declaration DeleteSalary=Delete a salary card DeleteVariousPayment=Delete a various payment @@ -157,28 +157,29 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc ConfirmDeleteVAT=Are you sure you want to delete this VAT declaration ? ConfirmDeleteSalary=Are you sure you want to delete this salary ? ConfirmDeleteVariousPayment=Are you sure you want to delete this various payment ? -ExportDataset_tax_1=Uplate poreza/doprinosa -CalcModeVATDebt=Mod %sPDV u posvećenom računovodstvu%s. -CalcModeVATEngagement=Mod %sPDV na prihodima-rashodima%s. +ExportDataset_tax_1=Social and fiscal taxes and payments +CalcModeVATDebt=Mode %sVAT on commitment accounting%s. +CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s. CalcModeDebt=Analysis of known recorded documents CalcModeEngagement=Analysis of known recorded payments +CalcModePayment=Analysis of known recorded payments CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table. CalcModeNoBookKeeping=Even if they are not yet accounted in Ledger -CalcModeLT1= Mod %sRE za fakture klijenata - fakture dobavljača%s -CalcModeLT1Debt=Mod %sRE za fakture klijenata%s -CalcModeLT1Rec= Mod %sRE za fakture dobavljača%s -CalcModeLT2= Mod %sIRPF za fakture klijenata - fakture dobavljača%s -CalcModeLT2Debt=Mod %sIRPF za fakture klijenata%s -CalcModeLT2Rec= Mod %sIRPF za fakture dobavljača%s -AnnualSummaryDueDebtMode=Stanje prihoda i rashoda, godišnji prikaz -AnnualSummaryInputOutputMode=Stanje prihoda i rashoda, godišnji prikaz +CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s +CalcModeLT1Debt=Mode %sRE on customer invoices%s +CalcModeLT1Rec= Mode %sRE on suppliers invoices%s +CalcModeLT2= Mode %sIRPF on customer invoices - suppliers invoices%s +CalcModeLT2Debt=Mode %sIRPF on customer invoices%s +CalcModeLT2Rec= Mode %sIRPF on suppliers invoices%s +AnnualSummaryDueDebtMode=Balance of income and expenses, annual summary +AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary AnnualByCompanies=Balance of income and expenses, by predefined groups of account AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting. AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting. SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger -SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table -RulesAmountWithTaxIncluded=- Prikazani su bruto iznosi +SeeReportInBookkeepingMode=See %sanalysis of bookkeeping ledger table%s for a report based on Bookkeeping Ledger table +RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included RulesAmountWithTaxExcluded=- Amounts of invoices shown are with all taxes excluded RulesResultDue=- It includes all invoices, expenses, VAT, donations, salaries, whether they are paid or not.
      - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries, the date of end of period is used. RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries.
      - It is based on the payment dates of the invoices, expenses, VAT, donations and salaries. @@ -196,63 +197,65 @@ LT1ReportByMonth=Tax 2 report by month LT2ReportByMonth=Tax 3 report by month LT1ReportByCustomers=Report tax 2 by third party LT2ReportByCustomers=Report tax 3 by third party -LT1ReportByCustomersES=Izveštaj po RE subjektima -LT2ReportByCustomersES=Izveštaj po subjektu IRPF +LT1ReportByCustomersES=Report by third party RE +LT2ReportByCustomersES=Report by third party IRPF VATReport=Sales tax report VATReportByPeriods=Sales tax report by period VATReportByMonth=Sales tax report by month VATReportByRates=Sales tax report by rate VATReportByThirdParties=Sales tax report by third party VATReportByCustomers=Sales tax report by customer -VATReportByCustomersInInputOutputMode=Izveštaj po prihodovanom i isplaćenom PDV-u po subjektu +VATReportByCustomersInInputOutputMode=Report by the customer VAT collected and paid VATReportByQuartersInInputOutputMode=Report by Sales tax rate of the tax collected and paid VATReportShowByRateDetails=Show details of this rate LT1ReportByQuarters=Report tax 2 by rate LT2ReportByQuarters=Report tax 3 by rate -LT1ReportByQuartersES=Izveštaj po RE kursu -LT2ReportByQuartersES=Izveštaj po IRPF kursu +LT1ReportByQuartersES=Report by RE rate +LT2ReportByQuartersES=Report by IRPF rate SeeVATReportInInputOutputMode=See report %sVAT collection%s for a standard calculation SeeVATReportInDueDebtMode=See report %sVAT on debit%s for a calculation with an option on the invoicing RulesVATInServices=- For services, the report includes the VAT of payments actually received or paid on the basis of the date of payment. RulesVATInProducts=- For material assets, the report includes the VAT on the basis of the date of payment. RulesVATDueServices=- For services, the report includes VAT of due invoices, paid or not, based on the invoice date. RulesVATDueProducts=- For material assets, the report includes the VAT of due invoices, based on the invoice date. -OptionVatInfoModuleComptabilite=Napomena: za fizička sredstva, bilo bi ispravnije koristiti datum isporuke +OptionVatInfoModuleComptabilite=Note: For material assets, it should use the date of delivery to be more fair. ThisIsAnEstimatedValue=This is a preview, based on business events and not from the final ledger table, so final results may differ from this preview values -PercentOfInvoice=%%/računu -NotUsedForGoods=Ne koristi se za robu -ProposalStats=Statistike ponuda -OrderStats=Statistike narudžbina -InvoiceStats=Statistke računa -Dispatch=Otprema -Dispatched=Otpremljeno -ToDispatch=Za otpremu -ThirdPartyMustBeEditAsCustomer=Subjekat mora biti definisan kao klijent -SellsJournal=Dnevnik prodaje -PurchasesJournal=Dnevnik nabavke -DescSellsJournal=Dnevnik prodaje -DescPurchasesJournal=Dnevnik nabavke -CodeNotDef=Nije definisano +PercentOfInvoice=%%/invoice +NotUsedForGoods=Not used on goods +ProposalStats=Statistics on proposals +OrderStats=Statistics on orders +InvoiceStats=Statistics on bills +Dispatch=Dispatching +Dispatched=Dispatched +ToDispatch=To dispatch +ThirdPartyMustBeEditAsCustomer=Third party must be defined as a customer +SellsJournal=Sales Journal +PurchasesJournal=Purchases Journal +DescSellsJournal=Sales Journal +DescPurchasesJournal=Purchases Journal +CodeNotDef=Not defined WarningDepositsNotIncluded=Down payment invoices are not included in this version with this accountancy module. -DatePaymentTermCantBeLowerThanObjectDate=Rok isplate ne može biti pre datuma objekta. +DatePaymentTermCantBeLowerThanObjectDate=Payment term date can't be lower than object date. Pcg_version=Chart of accounts models -Pcg_type=Pcg tip -Pcg_subtype=Pcg pod-tip -InvoiceLinesToDispatch=Linije fakture za otpremu +Pcg_type=Pcg type +Pcg_subtype=Pcg subtype +InvoiceLinesToDispatch=Invoice lines to dispatch ByProductsAndServices=By product and service -RefExt=Eksterna ref. +RefExt=External ref ToCreateAPredefinedInvoice=To create a template invoice, create a standard invoice, then, without validating it, click on button "%s". -LinkedOrder=Link ka narudžbini -Mode1=Metoda 1 -Mode2=Metoda 2 -CalculationRuleDesc=Da biste izračunali ukupan PDV, postoje 2 metode:
      Metoda 1 je zaokruživanje PDV-a na svakoj liniji i zatim sumiranje svih PDV vrednosti.
      Metoda 2 je sumiranje svih PDV vrednosti i zatim zaokruživanje rezultata.
      Krajnji rezultat se može razlikovati za nekoliko centi. Default metoda je %s. +LinkedOrder=Link to order +Mode1=Method 1 +Mode2=Method 2 +CalculationRuleDesc=To calculate total VAT, there is two methods:
      Method 1 is rounding vat on each line, then summing them.
      Method 2 is summing all vat on each line, then rounding result.
      Final result may differs from few cents. Default mode is mode %s. CalculationRuleDescSupplier=According to vendor, choose appropriate method to apply same calculation rule and get same result expected by your vendor. TurnoverPerProductInCommitmentAccountingNotRelevant=The report of Turnover collected per product is not available. This report is only available for turnover invoiced. TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The report of Turnover collected per sale tax rate is not available. This report is only available for turnover invoiced. -CalculationMode=Naćin obračuna +CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on sales (used if not defined on VAT dictionary setup) ACCOUNTING_VAT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases (used if not defined on VAT dictionary setup) +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used for the revenue stamp on sales +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=Account (from the Chart Of Account) to be used for the revenue stamp on purchases ACCOUNTING_VAT_PAY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for paying VAT ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Credit) ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Debit) @@ -263,15 +266,15 @@ ACCOUNTING_ACCOUNT_SUPPLIER_Desc=The dedicated accounting account defined on thi ConfirmCloneTax=Confirm the clone of a social/fiscal tax ConfirmCloneVAT=Confirm the clone of a VAT declaration ConfirmCloneSalary=Confirm the clone of a salary -CloneTaxForNextMonth=Dupliraj za sledeći mesec -SimpleReport=Skraćeni izveštaj +CloneTaxForNextMonth=Clone it for next month +SimpleReport=Simple report AddExtraReport=Extra reports (add foreign and national customer report) -OtherCountriesCustomersReport=Izveštaj stranih klijenata -BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=Zasnovan na prva dva slova PDV broja različitog od ISO koda zemlje Vaše kompanije -SameCountryCustomersWithVAT=Izveštaj nacionalnih klijenata -BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Zasnovan na prva dva slova PDV broja identičnog ISO kodu zemlje Vaše kompanije -LinkedFichinter=Veza ka intervenciji -ImportDataset_tax_contrib=Socijalni/poreski troškovi +OtherCountriesCustomersReport=Foreign customers report +BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=Based on the two first letters of the VAT number being different from your own company's country code +SameCountryCustomersWithVAT=National customers report +BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Based on the two first letters of the VAT number being the same as your own company's country code +LinkedFichinter=Link to an intervention +ImportDataset_tax_contrib=Social/fiscal taxes ImportDataset_tax_vat=Vat payments ErrorBankAccountNotFound=Error: Bank account not found FiscalPeriod=Accounting period @@ -287,7 +290,7 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate -LabelToShow=Kratak naziv +LabelToShow=Short label PurchaseTurnover=Purchase turnover PurchaseTurnoverCollected=Purchase turnover collected RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
      - It is based on the invoice date of these invoices.
      diff --git a/htdocs/langs/sr_RS/contracts.lang b/htdocs/langs/sr_RS/contracts.lang index 63b9f46fcc9..af909337ce7 100644 --- a/htdocs/langs/sr_RS/contracts.lang +++ b/htdocs/langs/sr_RS/contracts.lang @@ -1,105 +1,105 @@ # Dolibarr language file - Source file is en_US - contracts -ContractsArea=Oblast ugovora -ListOfContracts=Lista ugovora -AllContracts=Svi ugovori -ContractCard=Ugovor -ContractStatusNotRunning=Nije aktvan +ContractsArea=Contracts area +ListOfContracts=List of contracts +AllContracts=All contracts +ContractCard=Contract +ContractStatusNotRunning=Not running ContractStatusDraft=Draft -ContractStatusValidated=Odobren -ContractStatusClosed=Zatvoren -ServiceStatusInitial=Nije aktivan -ServiceStatusRunning=Aktivan -ServiceStatusNotLate=Aktivan, nije istekao -ServiceStatusNotLateShort=Nije istekao -ServiceStatusLate=Aktivan, istekao -ServiceStatusLateShort=Istekao -ServiceStatusClosed=Zatvoren +ContractStatusValidated=Validated +ContractStatusClosed=Closed +ServiceStatusInitial=Not running +ServiceStatusRunning=Running +ServiceStatusNotLate=Running, not expired +ServiceStatusNotLateShort=Not expired +ServiceStatusLate=Running, expired +ServiceStatusLateShort=Expired +ServiceStatusClosed=Closed ShowContractOfService=Show contract of service -Contracts=Ugovori -ContractsSubscriptions=Ugovori/Pretplate -ContractsAndLine=Ugovori i linije ugovora -Contract=Ugovor -ContractLine=Linija ugovora +Contracts=Contracts +ContractsSubscriptions=Contracts/Subscriptions +ContractsAndLine=Contracts and line of contracts +Contract=Contract +ContractLine=Contract line ContractLines=Contract lines -Closing=Zatvaranje -NoContracts=Nema ugovora -MenuServices=Usluge -MenuInactiveServices=Neaktivne usluge -MenuRunningServices=Aktivne usluge -MenuExpiredServices=Istekle usluge -MenuClosedServices=Zatvorene usluge -NewContract=Novi ugovor +Closing=Closing +NoContracts=No contracts +MenuServices=Services +MenuInactiveServices=Services not active +MenuRunningServices=Running services +MenuExpiredServices=Expired services +MenuClosedServices=Closed services +NewContract=New contract NewContractSubscription=New contract or subscription -AddContract=Kreiraj ugovor -DeleteAContract=Obriši ugovor +AddContract=Create contract +DeleteAContract=Delete a contract ActivateAllOnContract=Activate all services -CloseAContract=Zatvori ugovor +CloseAContract=Close a contract ConfirmDeleteAContract=Are you sure you want to delete this contract and all its services? ConfirmValidateContract=Are you sure you want to validate this contract under name %s? ConfirmActivateAllOnContract=This will open all services (not yet active). Are you sure you want to open all services? ConfirmCloseContract=This will close all services (expired or not). Are you sure you want to close this contract? ConfirmCloseService=Are you sure you want to close this service with date %s? -ValidateAContract=Odobri ugovor -ActivateService=Aktiviraj uslugu +ValidateAContract=Validate a contract +ActivateService=Activate service ConfirmActivateService=Are you sure you want to activate this service with date %s? -RefContract=Referenca ugovora -DateContract=Datum ugovora -DateServiceActivate=Datum aktivacije usluge -ListOfServices=Lista usluga -ListOfInactiveServices=Lista neaktivnih usluga -ListOfExpiredServices=Lista isteklih aktivnih usluga -ListOfClosedServices=Lista zatvorenih usluga -ListOfRunningServices=Lista aktivnih usluga -NotActivatedServices=Neaktivne usluge (među odobrenim ugovorima) -BoardNotActivatedServices=Usluge za aktivaciju među odobrenim ugovorima +RefContract=Contract reference +DateContract=Contract date +DateServiceActivate=Service activation date +ListOfServices=List of services +ListOfInactiveServices=List of not active services +ListOfExpiredServices=List of expired active services +ListOfClosedServices=List of closed services +ListOfRunningServices=List of running services +NotActivatedServices=Inactive services (among validated contracts) +BoardNotActivatedServices=Services to activate among validated contracts BoardNotActivatedServicesShort=Services to activate LastContracts=Latest %s contracts LastModifiedServices=Latest %s modified services -ContractStartDate=Početak -ContractEndDate=Kraj -DateStartPlanned=Planirani početak -DateStartPlannedShort=Planirani početak -DateEndPlanned=Planirani kraj -DateEndPlannedShort=Planirani kraj -DateStartReal=Stvarni početak -DateStartRealShort=Stvarni početak -DateEndReal=Stvarni kraj -DateEndRealShort=Stvarni kraj -CloseService=Zatvori uslugu +ContractStartDate=Start date +ContractEndDate=End date +DateStartPlanned=Planned start date +DateStartPlannedShort=Planned start date +DateEndPlanned=Planned end date +DateEndPlannedShort=Planned end date +DateStartReal=Real start date +DateStartRealShort=Real start date +DateEndReal=Real end date +DateEndRealShort=Real end date +CloseService=Close service BoardRunningServices=Services running BoardRunningServicesShort=Services running BoardExpiredServices=Services expired BoardExpiredServicesShort=Services expired -ServiceStatus=Status usluge -DraftContracts=Draft ugovori +ServiceStatus=Status of service +DraftContracts=Drafts contracts CloseRefusedBecauseOneServiceActive=Contract can't be closed as there is at least one open service on it ActivateAllContracts=Activate all contract lines -CloseAllContracts=Zatvori sve linije ugovora -DeleteContractLine=Obriši liniju ugovora +CloseAllContracts=Close all contract lines +DeleteContractLine=Delete a contract line ConfirmDeleteContractLine=Are you sure you want to delete this contract line? -MoveToAnotherContract=Premesti uslugu u drugi ugovor. -ConfirmMoveToAnotherContract=Izabran je novi ugovor i ova usluga treba biti prebačena na novi ugovor. +MoveToAnotherContract=Move service into another contract. +ConfirmMoveToAnotherContract=I chose a new target contract and confirm I want to move this service into this contract. ConfirmMoveToAnotherContractQuestion=Choose in which existing contract (of same third party), you want to move this service to? PaymentRenewContractId=Renew contract %s (service %s) -ExpiredSince=Datum isticanja -NoExpiredServices=Nema isteklih aktivnih usluga -ListOfServicesToExpireWithDuration=Liste usluga koje ističu za %s dana -ListOfServicesToExpireWithDurationNeg=Lista usluga isteklih pre više od %s dana -ListOfServicesToExpire=Lista usluga koje ističu -NoteListOfYourExpiredServices=Ova lista sadrži samo usluge ugovora subjekata za koje ste vi agent prodaje. -StandardContractsTemplate=Standardni template ugovora -ContactNameAndSignature=Za %s, ime i potpis: -OnlyLinesWithTypeServiceAreUsed=Samo linije sa tipom "Usluga" će biti duplirane +ExpiredSince=Expiration date +NoExpiredServices=No expired active services +ListOfServicesToExpireWithDuration=List of Services to expire in %s days +ListOfServicesToExpireWithDurationNeg=List of Services expired from more than %s days +ListOfServicesToExpire=List of Services to expire +NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative. +StandardContractsTemplate=Standard contracts template +ContactNameAndSignature=For %s, name and signature: +OnlyLinesWithTypeServiceAreUsed=Only lines with type "Service" will be cloned. ConfirmCloneContract=Are you sure you want to clone the contract %s? LowerDateEndPlannedShort=Lower planned end date of active services SendContractRef=Contract information __REF__ OtherContracts=Other contracts ##### Types de contacts ##### -TypeContact_contrat_internal_SALESREPSIGN=Agent prodaje koji potpisuje ugovor -TypeContact_contrat_internal_SALESREPFOLL=Agent prodaje koji prati ugovor -TypeContact_contrat_external_BILLING=Kontakt klijenta zaduženog za plaćanje -TypeContact_contrat_external_CUSTOMER=Kontakt klijenta koji prati ugovor -TypeContact_contrat_external_SALESREPSIGN=Kontakt klijenta koji potpisuje ugovor +TypeContact_contrat_internal_SALESREPSIGN=Sales representative signing contract +TypeContact_contrat_internal_SALESREPFOLL=Sales representative following-up contract +TypeContact_contrat_external_BILLING=Billing customer contact +TypeContact_contrat_external_CUSTOMER=Follow-up customer contact +TypeContact_contrat_external_SALESREPSIGN=Signing contract customer contact HideClosedServiceByDefault=Hide closed services by default ShowClosedServices=Show Closed Services HideClosedServices=Hide Closed Services diff --git a/htdocs/langs/sr_RS/cron.lang b/htdocs/langs/sr_RS/cron.lang index e88d1577454..52de5a48b82 100644 --- a/htdocs/langs/sr_RS/cron.lang +++ b/htdocs/langs/sr_RS/cron.lang @@ -1,65 +1,65 @@ # Dolibarr language file - Source file is en_US - cron # About page # Right -Permission23101 = Pročitaj planiranu operaciju -Permission23102 = Kreiraj/ažuriraj planiranu operaciju -Permission23103 = Obriši planiranu operaciju -Permission23104 = Izvrši planiranu operaciju +Permission23101 = Read Scheduled job +Permission23102 = Create/update Scheduled job +Permission23103 = Delete Scheduled job +Permission23104 = Execute Scheduled job # Admin -CronSetup=Podešavanja planiranih operacija +CronSetup=Scheduled job management setup URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser OrToLaunchASpecificJob=Or to check and launch a specific job from a browser -KeyForCronAccess=Security key za URL za izvršenje cron operacija +KeyForCronAccess=Security key for URL to launch cron jobs FileToLaunchCronJobs=Command line to check and launch qualified cron jobs -CronExplainHowToRunUnix=U Unix okruženju možete koristiti crontab za izvršenje komandne linije svakih 5 minuta +CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes CronMethodDoesNotExists=Class %s does not contain any method %s -CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods +CronMethodNotAllowed=Method %s of class %s is in blocklist of forbidden methods CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s. CronJobProfiles=List of predefined cron job profiles # Menu -EnabledAndDisabled=Aktivno i neaktivno +EnabledAndDisabled=Enabled and disabled # Page list CronLastOutput=Latest run output CronLastResult=Latest result code -CronCommand=Komanda -CronList=Planirane operacije -CronDelete=Obriši planirane operacije +CronCommand=Command +CronList=Scheduled jobs +CronDelete=Delete scheduled jobs CronConfirmDelete=Are you sure you want to delete these scheduled jobs? CronExecute=Launch now CronConfirmExecute=Are you sure you want to execute these scheduled jobs now? CronInfo=Scheduled job module allows to schedule jobs to execute them automatically. Jobs can also be started manually. -CronTask=Operacija -CronNone=Nema -CronDtStart=Ne pre -CronDtEnd=Ne posle -CronDtNextLaunch=Sledeće izvršenje +CronTask=Job +CronNone=None +CronDtStart=Not before +CronDtEnd=Not after +CronDtNextLaunch=Next execution CronDtLastLaunch=Start date of latest execution CronDtLastResult=End date of latest execution -CronFrequency=Frekvencija -CronClass=Klasa -CronMethod=Metoda -CronModule=Modul -CronNoJobs=Nema prijavljenih operacija -CronPriority=Prioritet -CronLabel=Naziv +CronFrequency=Frequency +CronClass=Class +CronMethod=Method +CronModule=Module +CronNoJobs=No jobs registered +CronPriority=Priority +CronLabel=Label CronNbRun=Number of launches CronMaxRun=Maximum number of launches -CronEach=Svakih -JobFinished=Operacija je izvršena +CronEach=Every +JobFinished=Job launched and finished Scheduled=Scheduled #Page card -CronAdd= Dodaj operacije -CronEvery=Izvrši operaciju svakih -CronObject=Instanca/Objekat za kreiranje -CronArgs=Parametri +CronAdd= Add jobs +CronEvery=Execute job each +CronObject=Instance/Object to create +CronArgs=Parameters CronSaveSucess=Save successfully -CronNote=Komentar -CronFieldMandatory=Polje %s je obavezno -CronErrEndDateStartDt=Kraj ne može biti pre početka +CronNote=Comment +CronFieldMandatory=Fields %s is mandatory +CronErrEndDateStartDt=End date cannot be before start date StatusAtInstall=Status at module installation CronStatusActiveBtn=Enable scheduling -CronStatusInactiveBtn=Deaktiviraj +CronStatusInactiveBtn=Disable CronTaskInactive=This job is disabled (not scheduled) CronId=Id CronClassFile=Filename with class @@ -67,20 +67,20 @@ CronModuleHelp=Name of Dolibarr module directory (also work with external Doliba CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory).
      For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is
      product/class/product.class.php CronObjectHelp=The object name to load.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is
      Product CronMethodHelp=The object method to launch.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is
      fetch -CronArgsHelp=The method arguments.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be
      0, ProductRef -CronCommandHelp=Komandna linija za izvršenje -CronCreateJob=Kreiraj novu planiranu operaciju -CronFrom=Od +CronArgsHelp=The method arguments.
      For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for parameters can be
      0, ProductRef +CronCommandHelp=The system command line to execute. +CronCreateJob=Create new Scheduled Job +CronFrom=From # Info # Common -CronType=Tip operacije +CronType=Job type CronType_method=Call method of a PHP Class -CronType_command=Komandna linija +CronType_command=Shell command CronCannotLoadClass=Cannot load class file %s (to use class %s) CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs. -JobDisabled=Operacija deaktivirana -MakeLocalDatabaseDumpShort=Bekap lokalne baze +JobDisabled=Job disabled +MakeLocalDatabaseDumpShort=Local database backup MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep MakeSendLocalDatabaseDumpShort=Send local database backup MakeSendLocalDatabaseDump=Send local database backup by email. Parameters are: to, from, subject, message, filename (Name of file sent), filter ('sql' for backup of database only) @@ -91,6 +91,7 @@ WarningCronDelayed=Attention, for performance purpose, whatever is next date of DATAPOLICYJob=Data cleaner and anonymizer JobXMustBeEnabled=Job %s must be enabled EmailIfError=Email for warning on error +JobNotFound=Job %s not found in list of jobs (try to disable/enabled module) ErrorInBatch=Error when running the job %s # Cron Boxes diff --git a/htdocs/langs/sr_RS/datapolicy.lang b/htdocs/langs/sr_RS/datapolicy.lang index 56596b25f98..fdafb7a0197 100644 --- a/htdocs/langs/sr_RS/datapolicy.lang +++ b/htdocs/langs/sr_RS/datapolicy.lang @@ -27,17 +27,17 @@ datapolicySetupPage = Depending of laws of your countries (Example safe_mode
      aktivan u PHP-u, proverite da li Dolibarr php fajlovi pripadaju korisniku (ili grupi) Web server naloga. -ErrorNoMailDefinedForThisUser=Mail nije definisan za ovog korisnika +ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). +ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete -ErrorFeatureNeedJavascript=Za ovu funkcionalnost morate aktivirati javascript. -ErrorTopMenuMustHaveAParentWithId0=Meni tipa "Top" ne može imati roditeljski meni. Stavite 0 u roditeljski meni ili izaberite meni tipa "Levi". -ErrorLeftMenuMustHaveAParentId=Meni tipa "Levi" mora imati parent ID. -ErrorFileNotFound=Fajl %s nije pronađen (pogrešna putanja, nedovoljna prava, ili je pristup sprečen PHP openbasedir ili safe_mode parametrima) -ErrorDirNotFound=Folder %s nije pronađen (pogrešna putanja, nedovoljna prava, ili je pristup sprečen PHP openbasedir ili safe_mode parametrima) -ErrorFunctionNotAvailableInPHP=Funkcija %s je neophodna za ovu funkcionalnost, ali nije dostupna u ovoj verziji/konfiguraciji PHP-a. -ErrorDirAlreadyExists=Folder sa ovim imenom već postoji. -ErrorFileAlreadyExists=Fajl sa ovim imenom već postoji. +ErrorFeatureNeedJavascript=This feature needs JavaScript to be activated to work. Change this in setup - display. +ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'. +ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id. +ErrorFileNotFound=File %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter) +ErrorDirNotFound=Directory %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter) +ErrorFunctionNotAvailableInPHP=Function %s is required for this feature but is not available in this version/setup of PHP. +ErrorDirAlreadyExists=A directory with this name already exists. +ErrorDirNotWritable=Directory %s is not writable. +ErrorFileAlreadyExists=A file with this name already exists. ErrorDestinationAlreadyExists=Another file with the name %s already exists. -ErrorPartialFile=Fajl nije u celosti primljen na server. -ErrorNoTmpDir=Privremeni folder %s ne postoji. -ErrorUploadBlockedByAddon=Upload blokiran PHP/Apache pluginom. +ErrorPartialFile=File not received completely by server. +ErrorNoTmpDir=Temporary directory %s does not exists. +ErrorUploadBlockedByAddon=Upload blocked by a PHP/Apache plugin. ErrorFileSizeTooLarge=File size is too large or file not provided. ErrorFieldTooLong=Field %s is too long. -ErrorSizeTooLongForIntType=Predugačka vrednost za int tip (%s cifara maksimum) -ErrorSizeTooLongForVarcharType=Predugačka vrednost za string tip (%s karaktera maksimum) -ErrorNoValueForSelectType=Molimo izaberite vrednost u select listi -ErrorNoValueForCheckBoxType=Molimo izaberite vrednost u checkbox listi -ErrorNoValueForRadioType=Molimo izaberite vrednost u radio listi -ErrorBadFormatValueList=Vrednost u listi ne može imati više od jednog zareza: %s, ali je potreban makar jedan: ključ,vrednost +ErrorSizeTooLongForIntType=Size too long for int type (%s digits maximum) +ErrorSizeTooLongForVarcharType=Size too long for string type (%s chars maximum) +ErrorNoValueForSelectType=Please fill value for select list +ErrorNoValueForCheckBoxType=Please fill value for checkbox list +ErrorNoValueForRadioType=Please fill value for radio list +ErrorBadFormatValueList=The list value cannot have more than one comma: %s, but need at least one: key,value ErrorFieldCanNotContainSpecialCharacters=The field %s must not contains special characters. -ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters and cannot contain only numbers. +ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters, and must start with an alphabetical character (a-z) ErrorFieldMustHaveXChar=The field %s must have at least %s characters. -ErrorNoAccountancyModuleLoaded=Modul računovodstvo nije aktiviran -ErrorExportDuplicateProfil=Ovo ime profila već postoji za ovaj export set. -ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching nije završen. -ErrorLDAPMakeManualTest=.ldif fajl je generisan u folderu %s. Pokušajte da ga učitate ručno iz komandne linije da biste imali više informacija o greškama. +ErrorNoAccountancyModuleLoaded=No accountancy module activated +ErrorExportDuplicateProfil=This profile name already exists for this export set. +ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete. +ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors. ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled. ErrorRefAlreadyExists=Reference %s already exists. ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD) ErrorRecordHasChildren=Failed to delete record since it has some child records. ErrorRecordHasAtLeastOneChildOfType=Object %s has at least one child of type %s ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into another object. -ErrorModuleRequireJavascript=Da bi ova funkcionalnost bila dostupna, Javascript mora biti aktiviran. Da biste uključili/isključili javascript, otvorite Home->Podešavanja->Prikaz. -ErrorPasswordsMustMatch=Unete lozinke se moraju podudarati -ErrorContactEMail=A technical error occured. Please, contact administrator to following email %s and provide the error code %s in your message, or add a screen copy of this page. +ErrorModuleRequireJavascript=JavaScript must not be disabled to have this feature working. To enable/disable JavaScript, go to menu Home->Setup->Display. +ErrorPasswordsMustMatch=Both typed passwords must match each other +ErrorContactEMail=A technical error occurred. Please, contact administrator to following email %s and provide the error code %s in your message, or add a screen copy of this page. ErrorWrongValueForField=Field %s: '%s' does not match regex rule %s ErrorHtmlInjectionForField=Field %s: The value '%s' contains a malicious data not allowed ErrorFieldValueNotIn=Field %s: '%s' is not a value found in field %s of %s ErrorFieldRefNotIn=Field %s: '%s' is not a %s existing ref +ErrorMultipleRecordFoundFromRef=Several record found when searching from ref %s. No way to know which ID to use. ErrorsOnXLines=%s errors found -ErrorFileIsInfectedWithAVirus=Antivirus nije mogao da potvrdi fajl (moguće je da postoji virus) -ErrorSpecialCharNotAllowedForField=Specijalni karakteri nisu dozvoljeni u polju "%s" -ErrorNumRefModel=U bazi postoji referenca (%s) koja nije kompatibilna sa ovim pravilom. Uklonite taj red ili preimenujte referencu kako biste aktivirali ovaj modul. +ErrorFileIsInfectedWithAVirus=The antivirus program was not able to validate the file (file might be infected by a virus) +ErrorFileIsAnInfectedPDFWithJSInside=The file is a PDF infected by some Javascript inside +ErrorNumRefModel=A reference exists into database (%s) and is not compatible with this numbering rule. Remove record or renamed reference to activate this module. ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this vendor ErrorOrdersNotCreatedQtyTooLow=Some orders haven't been created because of too-low quantities -ErrorModuleSetupNotComplete=Setup of module %s looks to be uncomplete. Go on Home - Setup - Modules to complete. -ErrorBadMask=Greška za masku -ErrorBadMaskFailedToLocatePosOfSequence=Greška, maska bez broja sekvence -ErrorBadMaskBadRazMonth=Greška, pogrešna reset vrednost +ErrorOrderStatusCantBeSetToDelivered=Order status can't be set to delivered. +ErrorModuleSetupNotComplete=Setup of module %s looks to be incomplete. Go on Home - Setup - Modules to complete. +ErrorBadMask=Error on mask +ErrorBadMaskFailedToLocatePosOfSequence=Error, mask without sequence number +ErrorBadMaskBadRazMonth=Error, bad reset value ErrorMaxNumberReachForThisMask=Maximum number reached for this mask -ErrorCounterMustHaveMoreThan3Digits=Brojač mora imati više od 3 cifre +ErrorCounterMustHaveMoreThan3Digits=Counter must have more than 3 digits ErrorSelectAtLeastOne=Error, select at least one entry. ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transaction that is conciliated -ErrorProdIdAlreadyExist=%s je dodeljena drugom subjektu -ErrorFailedToSendPassword=Greška prilikom slanja lozinke -ErrorFailedToLoadRSSFile=Greška prilikom čitanja RSS-a. Pokušajte da dodate konstantu MAIN_SIMPLEXMLLOAD_DEBUG ukoliko nemate dovoljno podataka za analizu greške. -ErrorForbidden=Zabranjen pristup.
      Pokušali ste da pristupite sadržaju deaktiviranog modula ili Vaš korisnik nema potrebna prava za pristup. -ErrorForbidden2=Prava za ovog korisnik mogu biti definisana od strane administratora u meniju %s->%s. -ErrorForbidden3=Izgleda da niste pristupili Dolibarr-u preko autentifikovane sesije. Proverite dokumentaciju podešavanja da biste videli kako se podešavaju autentifikacije (htaccess, mod_auth i dr.). +ErrorProdIdAlreadyExist=%s is assigned to another third +ErrorFailedToSendPassword=Failed to send password +ErrorFailedToLoadRSSFile=Fails to get RSS feed. Try to add constant MAIN_SIMPLEXMLLOAD_DEBUG if error messages does not provide enough information. +ErrorForbidden=Access denied.
      You try to access to a page, area or feature of a disabled module or without being in an authenticated session or that is not allowed to your user. +ErrorForbidden2=Permission for this login can be defined by your Dolibarr administrator from menu %s->%s. +ErrorForbidden3=It seems that Dolibarr is not used through an authenticated session. Take a look at Dolibarr setup documentation to know how to manage authentications (htaccess, mod_auth or other...). ErrorForbidden4=Note: clear your browser cookies to destroy existing sessions for this login. -ErrorNoImagickReadimage=Klasa Imagick nije nađena u PHP-u. Prikaz nije dostupan. Administratori mogu da deaktiviraju ovaj tab iz Podešavanja - Prikaz. -ErrorRecordAlreadyExists=Linija već postoji +ErrorNoImagickReadimage=Class Imagick is not found in this PHP. No preview can be available. Administrators can disable this tab from menu Setup - Display. +ErrorRecordAlreadyExists=Record already exists ErrorLabelAlreadyExists=This label already exists -ErrorCantReadFile=Greška u čitanju fajla "%s" -ErrorCantReadDir=Greška u čitanju foldera "%s" -ErrorBadLoginPassword=Pogrešna vrednost za login ili lozinku -ErrorLoginDisabled=Vaš nalog je deaktiviran +ErrorCantReadFile=Failed to read file '%s' +ErrorCantReadDir=Failed to read directory '%s' +ErrorBadLoginPassword=Bad value for login or password +ErrorLoginDisabled=Your account has been disabled ErrorFailedToRunExternalCommand=Failed to run external command. Check it is available and runnable by your PHP server user. Check also the command is not protected on shell level by a security layer like apparmor. -ErrorFailedToChangePassword=Greška prilikom promene lozinke -ErrorLoginDoesNotExists=Korisnik %s nije pronađen. -ErrorLoginHasNoEmail=Korisnik nema mail adresu. Operacija otkazana. -ErrorBadValueForCode=Pogrešna vrednost za sigurnosni kod. Pokušajte ponovo sa novom vrednošću... -ErrorBothFieldCantBeNegative=Oba polja ne mogu oba biti negativna: %s i %s -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. +ErrorFailedToChangePassword=Failed to change password +ErrorLoginDoesNotExists=User with login %s could not be found. +ErrorLoginHasNoEmail=This user has no email address. Process aborted. +ErrorBadValueForCode=Bad value for security code. Try again with new value... +ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in third-party card) and apply it to the invoice. ErrorLinesCantBeNegativeForOneVATRate=Total of lines (net of tax) can't be negative for a given not null VAT rate (Found a negative total for VAT rate %s%%). ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. -ErrorQtyForCustomerInvoiceCantBeNegative=Količina za liniju na fakturi klijenta ne može biti negativna. -ErrorWebServerUserHasNotPermission=Korisnik %s nema prava za izvršavanje na web serveru -ErrorNoActivatedBarcode=Barcode tip nije aktiviran -ErrUnzipFails=Greška prilikom dekompresije %s +ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative +ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that +ErrorNoActivatedBarcode=No barcode type activated +ErrUnzipFails=Failed to unzip %s with ZipArchive ErrNoZipEngine=No engine to zip/unzip %s file in this PHP -ErrorFileMustBeADolibarrPackage=Fajl %s mora biti Dolibarr zip paket +ErrorFileMustBeADolibarrPackage=The file %s must be a Dolibarr zip package ErrorModuleFileRequired=You must select a Dolibarr module package file -ErrorPhpCurlNotInstalled=PHP CURL nije instaliran, ovo je neophodno za Paypal -ErrorFailedToAddToMailmanList=Greška prilikom dodavanja linije %s Mailman listi %s ili SPIP bazi -ErrorFailedToRemoveToMailmanList=Greška prilikom uklanjanja linije %s iz Mailman liste %s ili SPIP baze -ErrorNewValueCantMatchOldValue=Nova vrednost ne može biti jednaka staroj -ErrorFailedToValidatePasswordReset=Greška prilikom promene lozinke. Možda je promena već izvršena (ovaj link se može iskoristiti samo jednom). Ukoliko nije, pokušajte ponovo. +ErrorPhpCurlNotInstalled=The PHP CURL is not installed, this is essential to talk with Paypal +ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP base +ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base +ErrorNewValueCantMatchOldValue=New value can't be equal to old one +ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process. ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check database server is running (for example, with mysql/mariadb, you can launch it from command line with 'sudo service mysql start'). -ErrorFailedToAddContact=Greška prilikom dodavanja kontakta +ErrorFailedToAddContact=Failed to add contact ErrorDateMustBeBeforeToday=The date must be lower than today ErrorDateMustBeInFuture=The date must be greater than today -ErrorPaymentModeDefinedToWithoutSetup=Način plaćanja je podešen na %s, ali podešavanja modula Fakture nisu završena i ne definišu koje se informacije prikazuju za ovaj način plaćanja. -ErrorPHPNeedModule=Greška, PHP mora imati modul %s da biste koristili ovu funkcionalnost. -ErrorOpenIDSetupNotComplete=Podesili ste konfiguracioni fajl da odobrava OpenID autentifikaciju, ali URL OpenID servisa nije definisan u konstanti %s -ErrorWarehouseMustDiffers=Izvorni i ciljani magacini moraju biti različiti -ErrorBadFormat=Pogrešan format! +ErrorStartDateGreaterEnd=The start date is greater than the end date +ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode. +ErrorPHPNeedModule=Error, your PHP must have module %s installed to use this feature. +ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s +ErrorWarehouseMustDiffers=Source and target warehouses must differs +ErrorBadFormat=Bad format! ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any third party. Link member to an existing third party or create a new third party before creating subscription with invoice. -ErrorThereIsSomeDeliveries=Greška, postoje objekti vezani za ovu isporuku. Brisanje je odbijeno. +ErrorThereIsSomeDeliveries=Error, there is some deliveries linked to this shipment. Deletion refused. ErrorCantDeletePaymentReconciliated=Can't delete a payment that had generated a bank entry that was reconciled ErrorCantDeletePaymentSharedWithPayedInvoice=Can't delete a payment shared by at least one invoice with status Paid -ErrorPriceExpression1=Nemoguće dodeliti konstanti "%s" -ErrorPriceExpression2=Nemoguće redefinisati built-in funkciju "%s" -ErrorPriceExpression3=Nedefinisana promenljiva "%s" u definiciji funkcije -ErrorPriceExpression4=Nedozvoljeni karakter "%s" -ErrorPriceExpression5=Neočekivani "%s" -ErrorPriceExpression6=Pogrešan broj parametara (zadato %s, očekivano %s) -ErrorPriceExpression8=Neočekivani operator "%s" -ErrorPriceExpression9=Došlo je do neočekivane greške +ErrorPriceExpression1=Cannot assign to constant '%s' +ErrorPriceExpression2=Cannot redefine built-in function '%s' +ErrorPriceExpression3=Undefined variable '%s' in function definition +ErrorPriceExpression4=Illegal character '%s' +ErrorPriceExpression5=Unexpected '%s' +ErrorPriceExpression6=Wrong number of arguments (%s given, %s expected) +ErrorPriceExpression8=Unexpected operator '%s' +ErrorPriceExpression9=An unexpected error occurred ErrorPriceExpression10=Operator '%s' lacks operand -ErrorPriceExpression11=Očekivano "%s" -ErrorPriceExpression14=Deljenje nulom -ErrorPriceExpression17=Nedefinisana promenljiva "%s" -ErrorPriceExpression19=Izraz nije pronađen -ErrorPriceExpression20=Prazan izraz -ErrorPriceExpression21=Prazan rezultat "%s" -ErrorPriceExpression22=Negativan rezultat "%s" +ErrorPriceExpression11=Expecting '%s' +ErrorPriceExpression14=Division by zero +ErrorPriceExpression17=Undefined variable '%s' +ErrorPriceExpression19=Expression not found +ErrorPriceExpression20=Empty expression +ErrorPriceExpression21=Empty result '%s' +ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s ErrorPriceExpression24=Variable '%s' exists but has no value -ErrorPriceExpressionInternal=Interna greška "%s" -ErrorPriceExpressionUnknown=Nepoznata greška "%s" -ErrorSrcAndTargetWarehouseMustDiffers=Izvorni i ciljani magacini moraju biti različiti +ErrorPriceExpressionInternal=Internal error '%s' +ErrorPriceExpressionUnknown=Unknown error '%s' +ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on product '%s' requiring lot/serial information -ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=Svi sačuvani prijemi moraju biti provereni (odobreni ili odbijeni) pre nego što ćete moći da obavite ovu akciju -ErrorCantSetReceptionToTotalDoneWithReceptionDenied=Svi sačuvani prijemi moraju biti provereni (odobreni) pre nego što ćete moći da obavite ovu akciju -ErrorGlobalVariableUpdater0=Greška u HTTP zahtevu : "%s" -ErrorGlobalVariableUpdater1=Pogrešan JSON format "%s" -ErrorGlobalVariableUpdater2=Nepostojeći parametar "%s" -ErrorGlobalVariableUpdater3=Traženi podaci nisu pronađeni u rezultatu -ErrorGlobalVariableUpdater4=Greška u SOAP klijentu "%s" -ErrorGlobalVariableUpdater5=Nema selektovane globalne promenljive -ErrorFieldMustBeANumeric=Polje %s mora biti numeričko -ErrorMandatoryParametersNotProvided=Obavezni parametar(i) nije dat +ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=All recorded receptions must first be verified (approved or denied) before being allowed to do this action +ErrorCantSetReceptionToTotalDoneWithReceptionDenied=All recorded receptions must first be verified (approved) before being allowed to do this action +ErrorGlobalVariableUpdater0=HTTP request failed with error '%s' +ErrorGlobalVariableUpdater1=Invalid JSON format '%s' +ErrorGlobalVariableUpdater2=Missing parameter '%s' +ErrorGlobalVariableUpdater3=The requested data was not found in result +ErrorGlobalVariableUpdater4=SOAP client failed with error '%s' +ErrorGlobalVariableUpdater5=No global variable selected +ErrorFieldMustBeANumeric=Field %s must be a numeric value +ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided +ErrorOppStatusRequiredIfUsage=You choose to follow an opportunity in this project, so you must also fill out the Lead status. ErrorOppStatusRequiredIfAmount=You set an estimated amount for this lead. So you must also enter it's status. ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s -ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Pogrešna definicija Menu Array u Module Descriptoru (pogrešna vrednost za fk_menu) +ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu) ErrorSavingChanges=An error has occurred when saving the changes -ErrorWarehouseRequiredIntoShipmentLine=Magacin je neophodan na liniji do isporuke -ErrorFileMustHaveFormat=Mora imati format %s +ErrorWarehouseRequiredIntoShipmentLine=Warehouse is required on the line to ship +ErrorFileMustHaveFormat=File must have format %s ErrorFilenameCantStartWithDot=Filename can't start with a '.' ErrorSupplierCountryIsNotDefined=Country for this vendor is not defined. Correct this first. ErrorsThirdpartyMerge=Failed to merge the two records. Request canceled. @@ -237,11 +245,12 @@ ErrorURLMustStartWithHttp=URL %s must start with http:// or https:// ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// ErrorNewRefIsAlreadyUsed=Error, the new reference is already used ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible. -ErrorSearchCriteriaTooSmall=Search criteria too small. +ErrorSearchCriteriaTooSmall=Search criteria too short. ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to be disabled ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +AlreadyTooMuchPostOnThisIPAdress=You have already posted too much on this IP address. ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. ErrorAddAtLeastOneLineFirst=Add at least one line first ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, record is already transferred in accounting, deletion is not possible. @@ -255,10 +264,11 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number ErrorFailedToReadObject=Error, failed to read object of type %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler +ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php<> to allow use of Command Line Interface by the internal job scheduler ErrorLoginDateValidity=Error, this login is outside the validity date range ErrorValueLength=Length of field '%s' must be higher than '%s' ErrorReservedKeyword=The word '%s' is a reserved keyword +ErrorFilenameReserved=The filename %s can't be used as it is a reserved and protected command. ErrorNotAvailableWithThisDistribution=Not available with this distribution ErrorPublicInterfaceNotEnabled=Public interface was not enabled ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page @@ -277,8 +287,8 @@ ErrorWrongFileName=Name of the file cannot have __SOMETHING__ in it ErrorNotInDictionaryPaymentConditions=Not in Payment Terms Dictionary, please modify. ErrorIsNotADraft=%s is not a draft ErrorExecIdFailed=Can't execute command "id" -ErrorBadCharIntoLoginName=Unauthorized character in the login name -ErrorRequestTooLarge=Error, request too large +ErrorBadCharIntoLoginName=Unauthorized character in the field %s +ErrorRequestTooLarge=Error, request too large or session expired ErrorNotApproverForHoliday=You are not the approver for leave %s ErrorAttributeIsUsedIntoProduct=This attribute is used in one or more product variants ErrorAttributeValueIsUsedIntoProduct=This attribute value is used in one or more product variants @@ -291,28 +301,59 @@ ErrorAjaxRequestFailed=Request failed ErrorThirpdartyOrMemberidIsMandatory=Third party or Member of partnership is mandatory ErrorFailedToWriteInTempDirectory=Failed to write in temp directory ErrorQuantityIsLimitedTo=Quantity is limited to %s +ErrorFailedToLoadThirdParty=Failed to find/load third party from id=%s, email=%s, name=%s +ErrorThisPaymentModeIsNotSepa=This payment mode is not a bank account +ErrorStripeCustomerNotFoundCreateFirst=Stripe customer is not set for this third party (or set to a value deleted on Stripe side). Create (or re-attach) it first. +ErrorCharPlusNotSupportedByImapForSearch=IMAP search is not able to search into sender or recipient for a string containing the character + +ErrorTableNotFound=Table %s not found +ErrorRefNotFound=Ref %s not found +ErrorValueForTooLow=Value for %s is too low +ErrorValueCantBeNull=Value for %s can't be null +ErrorDateOfMovementLowerThanDateOfFileTransmission=The date of the bank transaction can't be lower than the date of the file transmission +ErrorTooMuchFileInForm=Too much files in form, the maximum number is %s file(s) +ErrorSessionInvalidatedAfterPasswordChange=The session was been invalidated following a change of password, email, status or dates of validity. Please relogin. +ErrorExistingPermission = Permission %s for object %s already exists +ErrorFieldExist=The value for %s already exist +ErrorEqualModule=Module invalid in %s +ErrorFieldValue=Value for %s is incorrect +ErrorCoherenceMenu=%s is required when %s is 'left' +ErrorUploadFileDragDrop=There was an error while the file(s) upload +ErrorUploadFileDragDropPermissionDenied=There was an error while the file(s) upload : Permission denied +ErrorFixThisHere=
      Fix this here +ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Error: The URL of you current instance (%s) does not match the URL defined into your OAuth2 login setup (%s). Doing OAuth2 login in such a configuration is not allowed. +ErrorMenuExistValue=A Menu already exist with this Title or URL +ErrorSVGFilesNotAllowedAsLinksWithout=SVG files are not allowed as external links without the option %s +ErrorTypeMenu=Impossible to add another menu for the same module on the navbar, not handle yet +ErrorObjectNotFound = The object %s is not found, please check your url +ErrorCountryCodeMustBe2Char=Country code must be a 2 character string + +ErrorTableExist=Table %s already exist +ErrorDictionaryNotFound=Dictionary %s not found +ErrorFailedToCreateSymLinkToMedias=Failed to create the symbolic link %s to point to %s +ErrorCheckTheCommandInsideTheAdvancedOptions=Check the command used for the export into the Advanced options of the export # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. -WarningPasswordSetWithNoAccount=Lozinka je podešena za ovog člana, ali korisnik nije kreiran. To znači da je lozinka sačuvana, ali se član ne može ulogovati na Dolibarr. Informaciju može koristiti neka eksterna komponenta, ali ako nemate potrebe da definišete korisnika/lozinku za članove, možete deaktivirati opciju "Upravljanje lozinkama za svakog člana" u podešavanjima modula Članovi. Ukoliko morate da kreirate login, ali Vam nije potrebna lozinka, ostavite ovo polje prazno da se ovo upozorenje ne bi prikazivalo. Napomena: email može biti korišćen kao login ako je član povezan sa korisnikom. +WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. WarningMandatorySetupNotComplete=Click here to setup main parameters WarningEnableYourModulesApplications=Click here to enable your modules and applications -WarningSafeModeOnCheckExecDir=Upozorenje PHP opcija safe_mode je aktivna, tako da komanda mora biti u folderu definisanom u PHP parametru safe_mode_exec_dir. -WarningBookmarkAlreadyExists=Oznaka sa ovim naslovom ili ovim URL-om već postoji. -WarningPassIsEmpty=Upozorenje, lozinka baze je prazna. Ovo je sigurnosni propust. Trebalo bi da dodate lozinku Vašoj bazi i da izmenite fajl config.php u skladu s tim. -WarningConfFileMustBeReadOnly=Upozorenje, Vaš konfiguracioni fajl htdocs/conf/conf.php može biti izmenjen od strane web servera. Ovo je ozbiljan sigurnosni propust. Izmenite prava na ovom fajlu kako bi web server mogao samo da ga čita. Ukoliko koristite Windows i FAT format za Vaš disk, morate znati da ovaj sistem ne podržava upravljanje pravima i ne može biti pouzdan. -WarningsOnXLines=Upozorenja na %s izvornih linija. +WarningSafeModeOnCheckExecDir=Warning, PHP option safe_mode is on so command must be stored inside a directory declared by php parameter safe_mode_exec_dir. +WarningBookmarkAlreadyExists=A bookmark with this title or this target (URL) already exists. +WarningPassIsEmpty=Warning, database password is empty. This is a security hole. You should add a password to your database and change your conf.php file to reflect this. +WarningConfFileMustBeReadOnly=Warning, your config file (htdocs/conf/conf.php) can be overwritten by the web server. This is a serious security hole. Modify permissions on file to be in read only mode for operating system user used by Web server. If you use Windows and FAT format for your disk, you must know that this file system does not allow to add permissions on file, so can't be completely safe. +WarningsOnXLines=Warnings on %s source record(s) WarningNoDocumentModelActivated=No model, for document generation, has been activated. A model will be chosen by default until you check your module setup. WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable the installation/migration tools by adding a file install.lock into directory %s. Omitting the creation of this file is a grave security risk. -WarningUntilDirRemoved=All security warnings (visible by admin users only) will remain active as long as the vulnerability is present (or that constant MAIN_REMOVE_INSTALL_WARNING is added in Setup->Other Setup). -WarningCloseAlways=Upozorenje, zatvaranje će biti izvršeno čak i kada se iznos izvornih i ciljnih elemenata razlikuje. Budite pažljivi ako aktivirate ovu opciju. -WarningUsingThisBoxSlowDown=Upozorenje, aktiviranje ove opcije će značajno usporiti prikaz svih strana koje prikazuju informaciju. -WarningClickToDialUserSetupNotComplete=Podešavanja ClickToDial informacija za Vašeg korisnika nisu završena (pogledajte tab ClickToDial na kartici korisnika) -WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Funkcionalnost je deaktivirana kada su podešavanja prikaza optimizovana za slepe osobe ili za tekstualne browsere. -WarningPaymentDateLowerThanInvoiceDate=Datum uplate (%s) je pre datuma fakture (%s) za faktru %s. -WarningTooManyDataPleaseUseMoreFilters=Previše podataka (preko %s linija). Molimo koristite filtere ili podesite konstantu %s na veći limit. +WarningUntilDirRemoved=This security warning will remain active as long as the vulnerability is present. +WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution. +WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box. +WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card). +WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers. +WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s. +WarningTooManyDataPleaseUseMoreFilters=Too many data (more than %s lines). Please use more filters or set the constant %s to a higher limit. WarningSomeLinesWithNullHourlyRate=Some times were recorded by some users while their hourly rate was not defined. A value of 0 %s per hour was used but this may result in wrong valuation of time spent. -WarningYourLoginWasModifiedPleaseLogin=Vaša prijava je promenjena. Iz sigurnosnih razloga se morate ponovo ulogovati. +WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security purpose you will have to login with your new login before next action. +WarningYourPasswordWasModifiedPleaseLogin=Your password was modified. For security purpose you will have to login now with your new password. WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report @@ -326,6 +367,21 @@ WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connec WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. WarningPaypalPaymentNotCompatibleWithStrict=The value 'Strict' makes the online payment features not working correctly. Use 'Lax' instead. WarningThemeForcedTo=Warning, theme has been forced to %s by hidden constant MAIN_FORCETHEME +WarningPagesWillBeDeleted=Warning, this will also delete all existing pages/containers of the website. You should export your website before, so you have a backup to re-import it later. +WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Automatic validation is disabled when option to decrease stock is set on "Invoice validation". +WarningModuleNeedRefresh = Module %s has been disabled. Don't forget to enable it +WarningPermissionAlreadyExist=Existing permissions for this object +WarningGoOnAccountancySetupToAddAccounts=If this list is empty, go into menu %s - %s - %s to load or create accounts for your chart of account. +WarningCorrectedInvoiceNotFound=Corrected invoice not found +WarningCommentNotFound=Please check placement of start and end comments for %s section in file %s before submitting your action +WarningAlreadyReverse=Stock movement already reversed + +SwissQrOnlyVIR = SwissQR invoice can only be added on invoices set to be paid with credit transfer payments. +SwissQrCreditorAddressInvalid = Creditor address is invalid (are ZIP and city set? (%s) +SwissQrCreditorInformationInvalid = Creditor information is invalid for IBAN (%s): %s +SwissQrIbanNotImplementedYet = QR-IBAN not implemented yet +SwissQrPaymentInformationInvalid = Payment information was invalid for total %s : %s +SwissQrDebitorAddressInvalid = Debitor information was invalid (%s) # Validate RequireValidValue = Value not valid @@ -347,3 +403,4 @@ BadSetupOfField = Error bad setup of field BadSetupOfFieldClassNotFoundForValidation = Error bad setup of field : Class not found for validation BadSetupOfFieldFileNotFound = Error bad setup of field : File not found for inclusion BadSetupOfFieldFetchNotCallable = Error bad setup of field : Fetch not callable on class +ErrorTooManyAttempts= Too many attempts, please try again later diff --git a/htdocs/langs/sr_RS/eventorganization.lang b/htdocs/langs/sr_RS/eventorganization.lang index d64b28496aa..30c3f5d6b59 100644 --- a/htdocs/langs/sr_RS/eventorganization.lang +++ b/htdocs/langs/sr_RS/eventorganization.lang @@ -34,7 +34,7 @@ PaymentEvent=Payment of event NewRegistration=Registration EventOrganizationSetup=Event Organization setup EventOrganization=Event organization -Settings=Postavke tiketa +Settings=Settings EventOrganizationSetupPage = Event Organization setup page EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated EVENTORGANIZATION_TASK_LABELTooltip = When you validate an event to organize, some tasks can be automatically created in the project

      For example:
      Send Call for Conferences
      Send Call for Booths
      Validate suggestions of Conferences
      Validate application for Booths
      Open subscriptions to the event for attendees
      Send a remind of the event to speakers
      Send a remind of the event to Booth hosters
      Send a remind of the event to attendees @@ -90,7 +90,7 @@ PriceOfRegistrationHelp=Price to pay to register or participate in the event PriceOfBooth=Subscription price to stand a booth PriceOfBoothHelp=Subscription price to stand a booth EventOrganizationICSLink=Link ICS for conferences -ConferenceOrBoothInformation=Conference Or Booth informations +ConferenceOrBoothInformation=Conference Or Booth information Attendees=Attendees ListOfAttendeesOfEvent=List of attendees of the event project DownloadICSLink = Download ICS link @@ -98,17 +98,19 @@ EVENTORGANIZATION_SECUREKEY = Seed to secure the key for the public registration SERVICE_BOOTH_LOCATION = Service used for the invoice row about a booth location SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Service used for the invoice row about an attendee subscription to an event NbVotes=Number of votes + # # Status # -EvntOrgDraft = Nacrt +EvntOrgDraft = Draft EvntOrgSuggested = Suggested EvntOrgConfirmed = Confirmed EvntOrgNotQualified = Not Qualified -EvntOrgDone = Završeno -EvntOrgCancelled = Cancelled +EvntOrgDone = Done +EvntOrgCancelled = Canceled + # -# Public page +# Other # SuggestForm = Suggestion page SuggestOrVoteForConfOrBooth = Page for suggestion or vote @@ -128,7 +130,7 @@ EvntOrgWelcomeMessage = This form allows you to register as a new participant to EvntOrgDuration = This conference starts on %s and ends on %s. ConferenceAttendeeFee = Conference attendee fee for the event : '%s' occurring from %s to %s. BoothLocationFee = Booth location for the event : '%s' occurring from %s to %s -EventType = Tip događaja +EventType = Event type LabelOfBooth=Booth label LabelOfconference=Conference label ConferenceIsNotConfirmed=Registration not available, conference is not confirmed yet @@ -144,13 +146,8 @@ OrganizationEventBulkMailToAttendees=This is a remind about your participation i OrganizationEventBulkMailToSpeakers=This is a reminder on your participation in the event as a speaker OrganizationEventLinkToThirdParty=Link to third party (customer, supplier or partner) OrganizationEvenLabelName=Public name of the conference or booth - NewSuggestionOfBooth=Application for a booth NewSuggestionOfConference=Application to hold a conference - -# -# Vote page -# EvntOrgRegistrationWelcomeMessage = Welcome on the conference or booth suggestion page. EvntOrgRegistrationConfWelcomeMessage = Welcome on the conference suggestion page. EvntOrgRegistrationBoothWelcomeMessage = Welcome on the booth suggestion page. @@ -158,8 +155,8 @@ EvntOrgVoteHelpMessage = Here, you can view and vote for the suggested events fo VoteOk = Your vote has been accepted. AlreadyVoted = You have already voted for this event. VoteError = An error has occurred during the vote, please try again. - SubscriptionOk=Your registration has been recorded +AmountOfRegistrationPaid=Amount of registration paid ConfAttendeeSubscriptionConfirmation = Confirmation of your subscription to an event Attendee = Attendee PaymentConferenceAttendee = Conference attendee payment @@ -169,9 +166,15 @@ RegistrationAndPaymentWereAlreadyRecorder=A registration and a payment were alre EmailAttendee=Attendee email EmailCompany=Company email EmailCompanyForInvoice=Company email (for invoice, if different of attendee email) -ErrorSeveralCompaniesWithEmailContactUs=Several companies with this email has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation -ErrorSeveralCompaniesWithNameContactUs=Several companies with this name has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation +ErrorSeveralCompaniesWithEmailContactUs=Several companies with this email has been found so we can't validate automatically your registration. Please contact us at %s for a manual validation +ErrorSeveralCompaniesWithNameContactUs=Several companies with this name has been found so we can't validate automatically your registration. Please contact us at %s for a manual validation NoPublicActionsAllowedForThisEvent=No public actions are open to public for this event MaxNbOfAttendees=Max number of attendees DateStartEvent=Event start date DateEndEvent=Event end date +ModifyStatus=Modify status +ConfirmModifyStatus=Confirm status modification +ConfirmModifyStatusQuestion=Are you sure you want to modify the %s selected record(s)? +RecordsUpdated = %s Records updated +RecordUpdated = Record updated +NoRecordUpdated = No Record updated diff --git a/htdocs/langs/sr_RS/exports.lang b/htdocs/langs/sr_RS/exports.lang index 42c4ef599e8..23ef5369246 100644 --- a/htdocs/langs/sr_RS/exports.lang +++ b/htdocs/langs/sr_RS/exports.lang @@ -1,34 +1,35 @@ # Dolibarr language file - Source file is en_US - exports -ExportsArea=Izvozi +ExportsArea=Exports ImportArea=Import NewExport=New Export NewImport=New Import -ExportableDatas=Podaci koji se mogu exportovati -ImportableDatas=Podaci koji se mogu importovati -SelectExportDataSet=Izaberte podatke za export... -SelectImportDataSet=Izaberite podatke za import... +ExportableDatas=Exportable dataset +ImportableDatas=Importable dataset +SelectExportDataSet=Choose dataset you want to export... +SelectImportDataSet=Choose dataset you want to import... SelectExportFields=Choose the fields you want to export, or select a predefined export profile SelectImportFields=Choose the source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile: -NotImportedFields=Polja source fajla nisu importovana +NotImportedFields=Fields of source file not imported SaveExportModel=Save your selections as an export profile/template (for reuse). SaveImportModel=Save this import profile (for reuse) ... -ExportModelName=Naziv export profila +ExportModelName=Export profile name ExportModelSaved=Export profile saved as %s. -ExportableFields=Polja koja se mogu exportovati -ExportedFields=Exportovana polja -ImportModelName=Naziv import profila +ExportableFields=Exportable fields +ExportedFields=Exported fields +ImportModelName=Import profile name ImportModelSaved=Import profile saved as %s. -DatasetToExport=Podaci za export -DatasetToImport=Importuj fajl u podatke -ChooseFieldsOrdersAndTitle=Izaberite redosled polja... -FieldsTitle=Naziv polja -FieldTitle=Naziv polja +ImportProfile=Import profile +DatasetToExport=Dataset to export +DatasetToImport=Import file into dataset +ChooseFieldsOrdersAndTitle=Choose fields order... +FieldsTitle=Fields title +FieldTitle=Field title NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file... AvailableFormats=Available Formats -LibraryShort=Biblioteka -ExportCsvSeparator=Csv caracter separator -ImportCsvSeparator=Csv caracter separator -Step=Korak +LibraryShort=Library +ExportCsvSeparator=Csv character separator +ImportCsvSeparator=Csv character separator +Step=Step FormatedImport=Import Assistant FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant. FormatedImportDesc2=First step is to choose the kind of data you want to import, then the format of the source file, then the fields you want to import. @@ -36,86 +37,87 @@ FormatedExport=Export Assistant FormatedExportDesc1=These tools allow the export of personalized data using an assistant, to help you in the process without requiring technical knowledge. FormatedExportDesc2=First step is to choose a predefined dataset, then which fields you want to export, and in which order. FormatedExportDesc3=When data to export are selected, you can choose the format of the output file. -Sheet=Strana -NoImportableData=Nema podataka za import (nema modula sa definicijama koje omogućavaju import podataka) +Sheet=Sheet +NoImportableData=No importable data (no module with definitions to allow data imports) FileSuccessfullyBuilt=File generated SQLUsedForExport=SQL Request used to extract data -LineId=ID linije -LineLabel=Naziv linije -LineDescription=Opis linije -LineUnitPrice=Jedinična cena linije -LineVATRate=PDV linije -LineQty=Količina za liniju +LineId=Id of line +LineLabel=Label of line +LineDescription=Description of line +LineUnitPrice=Unit price of line +LineVATRate=VAT Rate of line +LineQty=Quantity for line LineTotalHT=Amount excl. tax for line -LineTotalTTC=Bruto svota za liniju -LineTotalVAT=PDV svota za liniju -TypeOfLineServiceOrProduct=Tip linije (0=proizvod, 1=usluga) -FileWithDataToImport=Fajl sa podacima za import -FileToImport=Izvorni fajl za import +LineTotalTTC=Amount with tax for line +LineTotalVAT=Amount of VAT for line +TypeOfLineServiceOrProduct=Type of line (0=product, 1=service) +FileWithDataToImport=File with data to import +FileToImport=Source file to import FileMustHaveOneOfFollowingFormat=File to import must have one of following formats -DownloadEmptyExample=Download template file with field content information -StarAreMandatory=* are mandatory fields +DownloadEmptyExampleShort=Download a sample file +DownloadEmptyExample=Download a template file with examples and information on fields you can import +StarAreMandatory=Into the template file, all fields with a * are mandatory fields ChooseFormatOfFileToImport=Choose the file format to use as import file format by clicking on the %s icon to select it... ChooseFileToImport=Upload file then click on the %s icon to select file as source import file... -SourceFileFormat=Format izvornog fajla -FieldsInSourceFile=Polja u izvornom fajlu -FieldsInTargetDatabase=Ciljana polja u Dolibarr bazi (bold=obavezna) -Field=Polje -NoFields=Nema polja -MoveField=Pomeri polje broj %s +SourceFileFormat=Source file format +FieldsInSourceFile=Fields in source file +FieldsInTargetDatabase=Target fields in Dolibarr database (bold=mandatory) +Field=Field +NoFields=No fields +MoveField=Move field column number %s ExampleOfImportFile=Example_of_import_file -SaveImportProfile=Sačivaj ovaj import profil -ErrorImportDuplicateProfil=Greška prilikom čuvanja profila importa sa ovim imenom. Već postoji profil sa istim imenom. -TablesTarget=Ciljane tabele -FieldsTarget=Ciljana polja -FieldTarget=Ciljano polje -FieldSource=Izvorno polje -NbOfSourceLines=Broj linija u izvornom fajlu +SaveImportProfile=Save this import profile +ErrorImportDuplicateProfil=Failed to save this import profile with this name. An existing profile already exists with this name. +TablesTarget=Targeted tables +FieldsTarget=Targeted fields +FieldTarget=Targeted field +FieldSource=Source field +NbOfSourceLines=Number of lines in source file NowClickToTestTheImport=Check that the file format (field and string delimiters) of your file matches the options shown and that you have omitted the header line, or these will be flagged as errors in the following simulation.
      Click on the "%s" button to run a check of the file structure/contents and simulate the import process.
      No data will be changed in your database. RunSimulateImportFile=Run Import Simulation -FieldNeedSource=Ovo polje zahteva podatke iz izvornog fajla -SomeMandatoryFieldHaveNoSource=Neka obavezna polja nisu prisutna u izvornom fajlu -InformationOnSourceFile=Informacije o izvornom fajlu -InformationOnTargetTables=Informacije o ciljanim poljima -SelectAtLeastOneField=Uključite makar jedno izvorno polje u koloni polja za eksport -SelectFormat=Izaberi ovaj format import fajla +FieldNeedSource=This field requires data from the source file +SomeMandatoryFieldHaveNoSource=Some mandatory fields have no source from data file +InformationOnSourceFile=Information on source file +InformationOnTargetTables=Information on target fields +SelectAtLeastOneField=Switch at least one source field in the column of fields to export +SelectFormat=Choose this import file format RunImportFile=Import Data NowClickToRunTheImport=Check the results of the import simulation. Correct any errors and re-test.
      When the simulation reports no errors you may proceed to import the data into the database. DataLoadedWithId=The imported data will have an additional field in each database table with this import id: %s, to allow it to be searchable in the case of investigating a problem related to this import. -ErrorMissingMandatoryValue=Mandatory data is empty in the source file for field %s. +ErrorMissingMandatoryValue=Mandatory data is empty in the source file in column %s. TooMuchErrors=There are still %s other source lines with errors but output has been limited. TooMuchWarnings=There are still %s other source lines with warnings but output has been limited. -EmptyLine=Prazna linija (biće preskočena) +EmptyLine=Empty line (will be discarded) CorrectErrorBeforeRunningImport=You must correct all errors before running the definitive import. -FileWasImported=Fajl je importovan sa brojem %s. +FileWasImported=File was imported with number %s. YouCanUseImportIdToFindRecord=You can find all the imported records in your database by filtering on field import_key='%s'. -NbOfLinesOK=Broj linija bez grešaka i upozorenja: %s. -NbOfLinesImported=Broj uspešno importovanih linija: %s. -DataComeFromNoWhere=Vrednost ne dolazi iz izvornog fajla. -DataComeFromFileFieldNb=Vrednost dolazi iz polja broj %s u izvornom fajlu. -DataComeFromIdFoundFromRef=Value that comes from field number %s of source file will be used to find the id of the parent object to use (so the object %s that has the ref. from source file must exist in the database). -DataComeFromIdFoundFromCodeId=Code that comes from field number %s of source file will be used to find the id of the parent object to use (so the code from source file must exist in the dictionary %s). Note that if you know the id, you can also use it in the source file instead of the code. Import should work in both cases. -DataIsInsertedInto=Data iz izvornog fajla će biti sačuvana u sledećem polju: +NbOfLinesOK=Number of lines with no errors and no warnings: %s. +NbOfLinesImported=Number of lines successfully imported: %s. +DataComeFromNoWhere=Value to insert comes from nowhere in source file. +DataComeFromFileFieldNb=Value to insert comes from column %s in source file. +DataComeFromIdFoundFromRef=The value that comes from the source file will be used to find the id of the parent object to use (so the object %s that has the ref. from source file must exist in the database). +DataComeFromIdFoundFromCodeId=The value of code that comes from source file will be used to find the id of the parent object to use (so the code from source file must exist in the dictionary %s). Note that if you know the id, you can also use it in the source file instead of the code. Import should work in both cases. +DataIsInsertedInto=Data coming from source file will be inserted into the following field: DataIDSourceIsInsertedInto=The id of the parent object, that was found using the data in the source file, will be inserted into the following field: DataCodeIDSourceIsInsertedInto=The id of the parent line, that was found from code, will be inserted into the following field: -SourceRequired=Vrednost je obavezna -SourceExample=Primer mogućih vrednosti -ExampleAnyRefFoundIntoElement=Ref. nađena za element %s -ExampleAnyCodeOrIdFoundIntoDictionary=Kod (ili Id) je pronađen u rečniku %s +SourceRequired=Data value is mandatory +SourceExample=Example of possible data value +ExampleAnyRefFoundIntoElement=Any ref found for element %s +ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary %s CSVFormatDesc=Comma Separated Value file format (.csv).
      This is a text file format where fields are separated by a separator [ %s ]. If separator is found inside a field content, field is rounded by round character [ %s ]. Escape character to escape round character is [ %s ]. Excel95FormatDesc=Excel file format (.xls)
      This is the native Excel 95 format (BIFF5). Excel2007FormatDesc=Excel file format (.xlsx)
      This is the native Excel 2007 format (SpreadsheetML). -TsvFormatDesc=Tab Separated Value format (.tsv)
      Ovo je tekstualni format gde su polja razdvojena tabom. +TsvFormatDesc=Tab Separated Value file format (.tsv)
      This is a text file format where fields are separated by a tabulator [tab]. ExportFieldAutomaticallyAdded=Field %s was automatically added. It will avoid you to have similar lines to be treated as duplicate record (with this field added, all lines will own their own id and will differ). CsvOptions=CSV format options Separator=Field Separator Enclosure=String Delimiter -SpecialCode=Posebni kod -ExportStringFilter=%% omogućava zamenu jednog ili više karaktera u tekstu +SpecialCode=Special code +ExportStringFilter=%% allows replacing one or more characters in the text ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: filters by one year/month/day
      YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD: filters over a range of years/months/days
      > YYYY, > YYYYMM, > YYYYMMDD: filters on all following years/months/days
      < YYYY, < YYYYMM, < YYYYMMDD: filters on all previous years/months/days ExportNumericFilter=NNNNN filters by one value
      NNNNN+NNNNN filters over a range of values
      < NNNNN filters by lower values
      > NNNNN filters by higher values -ImportFromLine=Uvoz počinje od linije broj -EndAtLineNb=Završi na boju linije +ImportFromLine=Import starting from line number +EndAtLineNb=End at line number ImportFromToLine=Limit range (From - To). Eg. to omit header line(s). SetThisValueTo2ToExcludeFirstLine=For example, set this value to 3 to exclude the 2 first lines.
      If the header lines are NOT omitted, this will result in multiple errors in the Import Simulation. KeepEmptyToGoToEndOfFile=Keep this field empty to process all lines to the end of the file. @@ -125,13 +127,22 @@ NoUpdateAttempt=No update attempt was performed, only insert ImportDataset_user_1=Users (employees or not) and properties ComputedField=Computed field ## filters -SelectFilterFields=Ukoliko želite da filtrirate po nekim vrednostima unesite ih ovde. -FilteredFields=Filtrirana polja -FilteredFieldsValues=Vrednost za filtriranje -FormatControlRule=Pravilo za kontrolu formata +SelectFilterFields=If you want to filter on some values, just input values here. +FilteredFields=Filtered fields +FilteredFieldsValues=Value for filter +FormatControlRule=Format control rule ## imports updates KeysToUseForUpdates=Key (column) to use for updating existing data NbInsert=Number of inserted lines: %s +NbInsertSim=Number of lines that will be inserted: %s NbUpdate=Number of updated lines: %s +NbUpdateSim=Number of lines that will be updated : %s MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number +WarningFirstImportedLine=The first line(s) will not be imported with the current selection +NotUsedFields=Fields of database not used +SelectImportFieldsSource = Choose the source file fields you want to import and their target field in database by choosing the fields in each select boxes, or select a predefined import profile: +MandatoryTargetFieldsNotMapped=Some mandatory target fields are not mapped +AllTargetMandatoryFieldsAreMapped=All target fields that need a mandatory value are mapped +ResultOfSimulationNoError=Result of simulation: No error +NumberOfLinesLimited=Number of lines limited diff --git a/htdocs/langs/sr_RS/help.lang b/htdocs/langs/sr_RS/help.lang index 51da372c3c2..17a6104d59a 100644 --- a/htdocs/langs/sr_RS/help.lang +++ b/htdocs/langs/sr_RS/help.lang @@ -1,23 +1,23 @@ # Dolibarr language file - Source file is en_US - help -CommunitySupport=Forum/Wiki podrške -EMailSupport=Email podrška +CommunitySupport=Forum/Wiki support +EMailSupport=Emails support RemoteControlSupport=Online real-time / remote support -OtherSupport=Druga podrška -ToSeeListOfAvailableRessources=Da biste kontaktirali/videli raspoložive resurse: +OtherSupport=Other support +ToSeeListOfAvailableRessources=To contact/see available resources: HelpCenter=Help Center DolibarrHelpCenter=Dolibarr Help and Support Center ToGoBackToDolibarr=Otherwise, click here to continue to use Dolibarr. TypeOfSupport=Type of support -TypeSupportCommunauty=Community (besplatno) -TypeSupportCommercial=Komercijalna -TypeOfHelp=Tip +TypeSupportCommunauty=Community (free) +TypeSupportCommercial=Commercial +TypeOfHelp=Type NeedHelpCenter=Need support? -Efficiency=Efikasnost -TypeHelpOnly=Samo pomoć -TypeHelpDev=Pomoć+Razvoj +Efficiency=Efficiency +TypeHelpOnly=Help only +TypeHelpDev=Help+Development TypeHelpDevForm=Help+Development+Training BackToHelpCenter=Otherwise, go back to Help center home page. LinkToGoldMember=You can call one of the trainers preselected by Dolibarr for your language (%s) by clicking their Widget (status and maximum price are automatically updated): -PossibleLanguages=Podržani jezici +PossibleLanguages=Supported languages SubscribeToFoundation=Help the Dolibarr project, subscribe to the foundation SeeOfficalSupport=For official Dolibarr support in your language:
      %s diff --git a/htdocs/langs/sr_RS/holiday.lang b/htdocs/langs/sr_RS/holiday.lang index d46786b5ad0..71733ea6393 100644 --- a/htdocs/langs/sr_RS/holiday.lang +++ b/htdocs/langs/sr_RS/holiday.lang @@ -3,21 +3,21 @@ HRM=HRM Holidays=Leaves Holiday=Leave CPTitreMenu=Leave -MenuReportMonth=Mesečna promena -MenuAddCP=Novi zahtev za odsustvo -MenuCollectiveAddCP=New collective leave request +MenuReportMonth=Monthly statement +MenuAddCP=New leave request +MenuCollectiveAddCP=New collective leave NotActiveModCP=You must enable the module Leave to view this page. -AddCP=Zatraži odsustvo -DateDebCP=Početak -DateFinCP=Kraj +AddCP=Make a leave request +DateDebCP=Start date +DateFinCP=End date DraftCP=Draft -ToReviewCP=Čeka odobrenje -ApprovedCP=Odobren -CancelCP=Otkazan -RefuseCP=Odbijen +ToReviewCP=Awaiting approval +ApprovedCP=Approved +CancelCP=Canceled +RefuseCP=Refused ValidatorCP=Approver ListeCP=List of leave -Leave=Zahtev za odsustvo +Leave=Leave request LeaveId=Leave ID ReviewedByCP=Will be approved by UserID=User ID @@ -25,19 +25,19 @@ UserForApprovalID=User for approval ID UserForApprovalFirstname=First name of approval user UserForApprovalLastname=Last name of approval user UserForApprovalLogin=Login of approval user -DescCP=Opis -SendRequestCP=Kreiraj zahtev za odsustvo -DelayToRequestCP=Zahtevi za odsustvo moraju biti kreirani makar %s dan(a) pre odsustva. +DescCP=Description +SendRequestCP=Create leave request +DelayToRequestCP=Leave requests must be made at least %s day(s) before them. MenuConfCP=Balance of leave -SoldeCPUser=Leave balance (in days) %s -ErrorEndDateCP=Morate selektovati kraj posle početka. -ErrorSQLCreateCP=Došlo je do SQL greške prilikom kreacije: -ErrorIDFicheCP=Došlo je do greške, zahtev za odsustvo ne postoji. -ReturnCP=Povratak na prethodnu stranu -ErrorUserViewCP=Nemate prava da vidite ovaj zahtev za odsustvo. -InfosWorkflowCP=Tok informacija -RequestByCP=Zatražio -TitreRequestCP=Zahtev za odsustvo +SoldeCPUser=Leave balance (in days) : %s +ErrorEndDateCP=You must select an end date greater than the start date. +ErrorSQLCreateCP=An SQL error occurred during the creation: +ErrorIDFicheCP=An error has occurred, the leave request does not exist. +ReturnCP=Return to previous page +ErrorUserViewCP=You are not authorized to read this leave request. +InfosWorkflowCP=Information Workflow +RequestByCP=Requested by +TitreRequestCP=Leave request TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label @@ -48,62 +48,61 @@ NbUseDaysCPShortInMonth=Days of leave in month DayIsANonWorkingDay=%s is a non-working day DateStartInMonth=Start date in month DateEndInMonth=End date in month -EditCP=Izmeni -DeleteCP=Obriši -ActionRefuseCP=Odbij -ActionCancelCP=Otkaži +EditCP=Edit +DeleteCP=Delete +ActionRefuseCP=Refuse +ActionCancelCP=Cancel StatutCP=Status -TitleDeleteCP=Obriši zahtev za odsustvo -ConfirmDeleteCP=Potvrdi brisanje zahteva za odsustvo? -ErrorCantDeleteCP=Greška, nemate pravo da obrišete ovaj zahtev. -CantCreateCP=Nemate pravo da kreirate zahtev za odsustvo. +TitleDeleteCP=Delete the leave request +ConfirmDeleteCP=Confirm the deletion of this leave request? +ErrorCantDeleteCP=Error you don't have the right to delete this leave request. +CantCreateCP=You don't have the right to make leave requests. InvalidValidatorCP=You must choose the approver for your leave request. InvalidValidator=The user chosen isn't an approver. -NoDateDebut=Morate izabrati početni datum. -NoDateFin=Morate izabrati završni datum. -ErrorDureeCP=Vaš zahtev za odsustvo ne sadrži radne dane. -TitleValidCP=Odobri zahtev za odsustvo -ConfirmValidCP=Da li ste sigurni da želite da odbrite zahtev za odsustvo ? -DateValidCP=Datum odobren -TitleToValidCP=Pošalji zahtev za odsustvo -ConfirmToValidCP=Da li ste sigurni da želite da pošaljete zahtev za odsustvo ? -TitleRefuseCP=Odbij zahtev za odsustvo -ConfirmRefuseCP=Da li ste sigurni da želite da odbijete zahtev za odsustvo ? -NoMotifRefuseCP=Morate odabrati razlog odbijanja zahteva. -TitleCancelCP=Otkaži zahtev za odsustvo -ConfirmCancelCP=Da li ste sigurni da želite da otkažete zahtev za odsustvo ? -DetailRefusCP=Razlog odbijanja -DateRefusCP=Datum odbijanja -DateCancelCP=Datum otkazivanja -DefineEventUserCP=Dodeli vanredno odsustvo za korisnika -addEventToUserCP=Dodeli odsustvo +NoDateDebut=You must select a start date. +NoDateFin=You must select an end date. +ErrorDureeCP=Your leave request does not contain working day. +TitleValidCP=Approve the leave request +ConfirmValidCP=Are you sure you want to approve the leave request? +DateValidCP=Date approved +TitleToValidCP=Send leave request +ConfirmToValidCP=Are you sure you want to send the leave request? +TitleRefuseCP=Refuse the leave request +ConfirmRefuseCP=Are you sure you want to refuse the leave request? +NoMotifRefuseCP=You must choose a reason for refusing the request. +TitleCancelCP=Cancel the leave request +ConfirmCancelCP=Are you sure you want to cancel the leave request? +DetailRefusCP=Reason for refusal +DateRefusCP=Date of refusal +DateCancelCP=Date of cancellation +DefineEventUserCP=Assign an exceptional leave for a user +addEventToUserCP=Assign leave NotTheAssignedApprover=You are not the assigned approver -MotifCP=Razlog -UserCP=Korisnik -ErrorAddEventToUserCP=Greška prilikom kreiranja vanrednog odsustva. -AddEventToUserOkCP=Kreiranje vanrednog odsustva je završeno. +MotifCP=Reason +UserCP=User +ErrorAddEventToUserCP=An error occurred while adding the exceptional leave. +AddEventToUserOkCP=The addition of the exceptional leave has been completed. ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be filled in fusionGroupsUsers=The groups field and the user field will be merged -MenuLogCP=Prikaži log izmena +MenuLogCP=View change logs LogCP=Log of all updates made to "Balance of Leave" ActionByCP=Updated by UserUpdateCP=Updated for -PrevSoldeCP=Prethodno stanje -NewSoldeCP=Novo stanje -alreadyCPexist=Zahtev za odsustvo već postoji za ovaj period. +PrevSoldeCP=Previous Balance +NewSoldeCP=New Balance +alreadyCPexist=A leave request has already been done on this period. UseralreadyCPexist=A leave request has already been done on this period for %s. -groups=Grupe -users=Korisnici +groups=Groups +users=Users AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave AutoValidationOnCreate=Automatic validation FirstDayOfHoliday=Beginning day of leave request LastDayOfHoliday=Ending day of leave request -BoxTitleLastLeaveRequests=Latest %s modified leave requests -HolidaysMonthlyUpdate=Mesečno ažuriranje -ManualUpdate=Ručno ažuriranje -HolidaysCancelation=Napusti otkazivanje zahteva +HolidaysMonthlyUpdate=Monthly update +ManualUpdate=Manual update +HolidaysCancelation=Leave request cancellation EmployeeLastname=Employee last name EmployeeFirstname=Employee first name TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed @@ -118,24 +117,24 @@ LEAVE_PAID_FR=Paid vacation ## Configuration du Module ## LastUpdateCP=Last automatic update of leave allocation MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation -UpdateConfCPOK=Uspešno ažurirano -Module27130Name= Upravljanje zahtevima za odsustvo -Module27130Desc= Upravljanje zahtevima za odsustvo -ErrorMailNotSend=Greška prilikom slanja maila: -NoticePeriod=Rok za obaveštenje +UpdateConfCPOK=Updated successfully. +Module27130Name= Management of leave requests +Module27130Desc= Management of leave requests +ErrorMailNotSend=An error occurred while sending email: +NoticePeriod=Notice period #Messages -HolidaysToValidate=Odobri zahteve za odsustva -HolidaysToValidateBody=Ispod je zahtev za odobrenje -HolidaysToValidateDelay=Ovaj zahtev se odnosi na period manji od %s dana +HolidaysToValidate=Validate leave requests +HolidaysToValidateBody=Below is a leave request to validate +HolidaysToValidateDelay=This leave request will take place within a period of less than %s days. HolidaysToValidateAlertSolde=The user who made this leave request does not have enough available days. -HolidaysValidated=Odobreni zahtevi za odsustva -HolidaysValidatedBody=Vaš zahtev za odsustvo %s do %s je potvrđen. -HolidaysRefused=Zahtev odbijen +HolidaysValidated=Validated leave requests +HolidaysValidatedBody=Your leave request for %s to %s has been validated. +HolidaysRefused=Request denied HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason: -HolidaysCanceled=Otkazan zahtev za odsustvo -HolidaysCanceledBody=Vaš zahtev za odsustvo %s do %s je otkazan. -FollowedByACounter=1: Ovaj tip odsustva treba da se prati brojačem. Brojač se povećava ručno ili automatski i kada je odsustvo potvrđeno, brojač se smanjuje.
      0: Ne prati se brojačem. -NoLeaveWithCounterDefined=Ne postoje definisana odsustva koja treba da se prate brojačem +HolidaysCanceled=Canceled leaved request +HolidaysCanceledBody=Your leave request for %s to %s has been canceled. +FollowedByACounter=1: This type of leave need to be followed by a counter. Counter is incremented manually or automatically and when a leave request is validated, counter is decremented.
      0: Not followed by a counter. +NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leave to setup the different types of leaves. HolidaySetup=Setup of module Leave HolidaysNumberingModules=Numbering models for leave requests @@ -143,16 +142,16 @@ TemplatePDFHolidays=Template for leave requests PDF FreeLegalTextOnHolidays=Free text on PDF WatermarkOnDraftHolidayCards=Watermarks on draft leave requests HolidaysToApprove=Holidays to approve -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays -HolidayBalanceMonthlyUpdate=Monthly update of holiday balance -XIsAUsualNonWorkingDay=%s is usualy a NON working day +NobodyHasPermissionToValidateHolidays=Nobody has permission to validate leave requests +HolidayBalanceMonthlyUpdate=Monthly update of leave balance +XIsAUsualNonWorkingDay=%s is usually a NON working day BlockHolidayIfNegative=Block if balance negative LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted -IncreaseHolidays=Increase holiday -HolidayRecordsIncreased= %s holiday records increased -HolidayRecordIncreased=Holiday record increased -ConfirmMassIncreaseHoliday=Bulk holiday increase +IncreaseHolidays=Increase leave balance +HolidayRecordsIncreased= %s leave balances increased +HolidayRecordIncreased=Leave balance increased +ConfirmMassIncreaseHoliday=Bulk leave balance increase NumberDayAddMass=Number of day to add to the selection ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? HolidayQtyNotModified=Balance of remaining days for %s has not been changed diff --git a/htdocs/langs/sr_RS/hrm.lang b/htdocs/langs/sr_RS/hrm.lang index acbcc55b188..4d99d0439ec 100644 --- a/htdocs/langs/sr_RS/hrm.lang +++ b/htdocs/langs/sr_RS/hrm.lang @@ -2,32 +2,33 @@ # Admin -HRM_EMAIL_EXTERNAL_SERVICE=Email za blokiranje eksternog HR servisa -Establishments=Ogranci -Establishment=Ogranak -NewEstablishment=Novi ogranak -DeleteEstablishment=Obriši ogranak +HRM_EMAIL_EXTERNAL_SERVICE=Email to prevent HRM external service +Establishments=Establishments +Establishment=Establishment +NewEstablishment=New establishment +DeleteEstablishment=Delete establishment ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? -OpenEtablishment=Otvori ogranak -CloseEtablishment=Zatvori ogranak +OpenEtablishment=Open establishment +CloseEtablishment=Close establishment # Dictionary DictionaryPublicHolidays=Leave - Public holidays DictionaryDepartment=HRM - Organizational Unit DictionaryFunction=HRM - Job positions # Module -Employees=Zaposleni -Employee=Zaposleni -NewEmployee=Novi zaposleni -ListOfEmployees=Lista zaposlenih -HrmSetup=Podešavanja HRM modula +Employees=Employees +Employee=Employee +NewEmployee=New employee +ListOfEmployees=List of employees +HrmSetup=HRM module setup SkillsManagement=Skills management HRM_MAXRANK=Maximum number of levels to rank a skill HRM_DEFAULT_SKILL_DESCRIPTION=Default description of ranks when skill is created deplacement=Shift DateEval=Evaluation date JobCard=Job card -JobPosition=Operacija -JobsPosition=Jobs +NewJobProfile=New Job Profile +JobProfile=Job profile +JobsProfiles=Job profiles NewSkill=New Skill SkillType=Skill type Skilldets=List of ranks for this skill @@ -36,7 +37,7 @@ rank=Rank ErrNoSkillSelected=No skill selected ErrSkillAlreadyAdded=This skill is already in the list SkillHasNoLines=This skill has no lines -skill=Skill +Skill=Skill Skills=Skills SkillCard=Skill card EmployeeSkillsUpdated=Employee skills have been updated (see "Skills" tab of employee card) @@ -44,33 +45,36 @@ Eval=Evaluation Evals=Evaluations NewEval=New evaluation ValidateEvaluation=Validate evaluation -ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with reference %s? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=Evaluation card -RequiredRank=Required rank for this job +RequiredRank=Required rank for the job profile +RequiredRankShort=Required rank +PositionsWithThisProfile=Positions with this job profiles EmployeeRank=Employee rank for this skill +EmployeeRankShort=Employee rank EmployeePosition=Employee position EmployeePositions=Employee positions EmployeesInThisPosition=Employees in this position group1ToCompare=Usergroup to analyze group2ToCompare=Second usergroup for comparison -OrJobToCompare=Compare to job skills requirements -difference=Razlika +OrJobToCompare=Compare to skill requirements of a job profile +difference=Difference CompetenceAcquiredByOneOrMore=Competence acquired by one or more users but not requested by the second comparator -MaxlevelGreaterThan=Max level greater than the one requested -MaxLevelEqualTo=Max level equal to that demand -MaxLevelLowerThan=Max level lower than that demand -MaxlevelGreaterThanShort=Employee level greater than the one requested -MaxLevelEqualToShort=Employee level equals to that demand -MaxLevelLowerThanShort=Employee level lower than that demand +MaxlevelGreaterThan=Employee level is greater than the expected level +MaxLevelEqualTo=Employee level is equals to the expected level +MaxLevelLowerThan=Employee level is lower than that the expected level +MaxlevelGreaterThanShort=Level greater than expected +MaxLevelEqualToShort=Level equal to the expected level +MaxLevelLowerThanShort=Level lower than expected SkillNotAcquired=Skill not acquired by all users and requested by the second comparator -legend=Legenda +legend=Legend TypeSkill=Skill type -AddSkill=Add skills to job -RequiredSkills=Required skills for this job +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile UserRank=User Rank SkillList=Skill list SaveRank=Save rank -TypeKnowHow=Know how +TypeKnowHow=Know-how TypeHowToBe=How to be TypeKnowledge=Knowledge AbandonmentComment=Abandonment comment @@ -85,7 +89,9 @@ VacantCheckboxHelper=Checking this option will show unfilled positions (job vaca SaveAddSkill = Skill(s) added SaveLevelSkill = Skill(s) level saved DeleteSkill = Skill removed -SkillsExtraFields=Attributs supplémentaires (Compétences) -JobsExtraFields=Attributs supplémentaires (Emplois) -EvaluationsExtraFields=Attributs supplémentaires (Evaluations) +SkillsExtraFields=Complementary attributes (Skills) +JobsExtraFields=Complementary attributes (Job profile) +EvaluationsExtraFields=Complementary attributes (Evaluations) NeedBusinessTravels=Need business travels +NoDescription=No description +TheJobProfileHasNoSkillsDefinedFixBefore=The evaluated job profile of this employee has no skill defined on it. Please add skill(s), then delete and restart the evaluation. diff --git a/htdocs/langs/sr_RS/install.lang b/htdocs/langs/sr_RS/install.lang index a70a5d48aaa..9f37526ef52 100644 --- a/htdocs/langs/sr_RS/install.lang +++ b/htdocs/langs/sr_RS/install.lang @@ -1,120 +1,119 @@ # Dolibarr language file - Source file is en_US - install -InstallEasy=Samo pratite instrukcije korak po korak. -MiscellaneousChecks=Provera konfiguracije -ConfFileExists=Konfiguracioni fajl %s postoji. +InstallEasy=Just follow the instructions step by step. +MiscellaneousChecks=Prerequisites check +ConfFileExists=Configuration file %s exists. ConfFileDoesNotExistsAndCouldNotBeCreated=Configuration file %s does not exist and could not be created! -ConfFileCouldBeCreated=Konfiguracioni fajl %s može biti kreiran. +ConfFileCouldBeCreated=Configuration file %s could be created. ConfFileIsNotWritable=Configuration file %s is not writable. Check permissions. For first install, your web server must be able to write into this file during configuration process ("chmod 666" for example on a Unix like OS). -ConfFileIsWritable=Konfiguracioni fajl %s može biti izmenjen. +ConfFileIsWritable=Configuration file %s is writable. ConfFileMustBeAFileNotADir=Configuration file %s must be a file, not a directory. ConfFileReload=Reloading parameters from configuration file. NoReadableConfFileSoStartInstall=The configuration file conf/conf.php does not exists or is not readable. We will run the installation process to try to initialize it. -PHPSupportPOSTGETOk=PHP podržava POST i GET promenljive +PHPSupportPOSTGETOk=This PHP supports variables POST and GET. PHPSupportPOSTGETKo=It's possible your PHP setup does not support variables POST and/or GET. Check the parameter variables_order in php.ini. -PHPSupportSessions=PHP podržava sesije. +PHPSupportSessions=This PHP supports sessions. PHPSupport=This PHP supports %s functions. -PHPMemoryOK=Maksimalna memorija za sesije je %s. To bi trebalo biti dovoljno. +PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test ErrorPHPDoesNotSupportSessions=Your PHP installation does not support sessions. This feature is required to allow Dolibarr to work. Check your PHP setup and permissions of the sessions directory. ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. -ErrorDirDoesNotExists=Folder %s ne postoji. +ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. -ErrorWrongValueForParameter=Verovatno ste uneli pogrešnu vrednost za parametar "%s" -ErrorFailedToCreateDatabase=Greška prilikom kreacije baze podataka "%s". -ErrorFailedToConnectToDatabase=Greška prilikom povezivanja na bazu podataka "%s". -ErrorDatabaseVersionTooLow=Verzija baze (%s) je previš stara. Neophodna je verzija %s ili novija. +ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. +ErrorFailedToCreateDatabase=Failed to create database '%s'. +ErrorFailedToConnectToDatabase=Failed to connect to database '%s'. +ErrorDatabaseVersionTooLow=Database version (%s) too old. Version %s or higher is required. ErrorPHPVersionTooLow=PHP version too old. Version %s or higher is required. ErrorPHPVersionTooHigh=PHP version too high. Version %s or lower is required. ErrorConnectedButDatabaseNotFound=Connection to server successful but database '%s' not found. -ErrorDatabaseAlreadyExists=Baza "%s" već postoji. +ErrorDatabaseAlreadyExists=Database '%s' already exists. ErrorNoMigrationFilesFoundForParameters=No migration file found for the selected versions IfDatabaseNotExistsGoBackAndUncheckCreate=If the database does not exist, go back and check option "Create database". -IfDatabaseExistsGoBackAndCheckCreate=Ukoliko baza već postoji, vratite se nazad i od-selektirajte opciju "Kreiranje baze". +IfDatabaseExistsGoBackAndCheckCreate=If database already exists, go back and uncheck "Create database" option. WarningBrowserTooOld=Version of browser is too old. Upgrading your browser to a recent version of Firefox, Chrome or Opera is highly recommended. -PHPVersion=PHP verzija -License=Korišćenje licence -ConfigurationFile=Konfiguracioni fajl -WebPagesDirectory=Folder gde će biti čuvane web strane -DocumentsDirectory=Folder gde će biti čuvani uploadovani i generisani dokumenti +PHPVersion=PHP Version +License=Using license +ConfigurationFile=Configuration file +WebPagesDirectory=Directory where web pages are stored +DocumentsDirectory=Directory to store uploaded and generated documents URLRoot=URL Root -ForceHttps=Obavezne secure konekcije (https) -CheckToForceHttps=Selektirajte ovu opciju da forsirate secure konekcije (https).
      Ovo zahteva da je web server konfigurisan sa SSL sertifikatom. -DolibarrDatabase=Dolibarr baza -DatabaseType=Tip baze -DriverType=Tip drajvera +ForceHttps=Force secure connections (https) +CheckToForceHttps=Check this option to force secure connections (https).
      This requires that the web server is configured with an SSL certificate. +DolibarrDatabase=Dolibarr Database +DatabaseType=Database type +DriverType=Driver type Server=Server ServerAddressDescription=Name or ip address for the database server. Usually 'localhost' when the database server is hosted on the same server as the web server. -ServerPortDescription=Port baze. Ostavite prazno ako nije poznat. -DatabaseServer=Server baze -DatabaseName=Ime baze +ServerPortDescription=Database server port. Keep empty if unknown. +DatabaseServer=Database server +DatabaseName=Database name DatabasePrefix=Database table prefix DatabasePrefixDescription=Database table prefix. If empty, defaults to llx_. AdminLogin=User account for the Dolibarr database owner. -PasswordAgain=Retype password confirmation -AdminPassword=Password za vlasnika Dolibarr baze. -CreateDatabase=Kreiraj bazu +AdminPassword=Password for Dolibarr database owner. +CreateDatabase=Create database CreateUser=Create user account or grant user account permission on the Dolibarr database -DatabaseSuperUserAccess=Server baze - superuser access +DatabaseSuperUserAccess=Database server - Superuser access CheckToCreateDatabase=Check the box if the database does not exist yet and so must be created.
      In this case, you must also fill in the user name and password for the superuser account at the bottom of this page. CheckToCreateUser=Check the box if:
      the database user account does not yet exist and so must be created, or
      if the user account exists but the database does not exist and permissions must be granted.
      In this case, you must enter the user account and password and also the superuser account name and password at the bottom of this page. If this box is unchecked, database owner and password must already exist. DatabaseRootLoginDescription=Superuser account name (to create new databases or new users), mandatory if the database or its owner does not already exist. KeepEmptyIfNoPassword=Leave empty if superuser has no password (NOT recommended) SaveConfigurationFile=Saving parameters to -ServerConnection=Konekcija na server -DatabaseCreation=Kreacija baze -CreateDatabaseObjects=Kreacija objekata baze -ReferenceDataLoading=Učitavanje referentnih podataka -TablesAndPrimaryKeysCreation=Kreacija tabela i indeksa -CreateTableAndPrimaryKey=Kreacija tabele %s -CreateOtherKeysForTable=Kreacije foreign key i indexa za tabelu %s -OtherKeysCreation=Kreacija foreign key i indexa -FunctionsCreation=Kreacija funkcija -AdminAccountCreation=Kreacija Administrator login-a +ServerConnection=Server connection +DatabaseCreation=Database creation +CreateDatabaseObjects=Database objects creation +ReferenceDataLoading=Reference data loading +TablesAndPrimaryKeysCreation=Tables and Primary keys creation +CreateTableAndPrimaryKey=Create table %s +CreateOtherKeysForTable=Create foreign keys and indexes for table %s +OtherKeysCreation=Foreign keys and indexes creation +FunctionsCreation=Functions creation +AdminAccountCreation=Administrator login creation PleaseTypePassword=Please type a password, empty passwords are not allowed! PleaseTypeALogin=Please type a login! PasswordsMismatch=Passwords differs, please try again! -SetupEnd=Kraj setup-a -SystemIsInstalled=Instalacija je završena. -SystemIsUpgraded=Dolibarr je uspešno upgrade-ovan. -YouNeedToPersonalizeSetup=Treba da konfigurišete Dolibarr kako bi ste ga prilagodilil potrebama (izgled, funkcije, ...). Da bi ste to uradili, pratite link ispod: +SetupEnd=End of setup +SystemIsInstalled=This installation is complete. +SystemIsUpgraded=Dolibarr has been upgraded successfully. +YouNeedToPersonalizeSetup=You need to configure Dolibarr to suit your needs (appearance, features, ...). To do this, please follow the link below: AdminLoginCreatedSuccessfuly=Dolibarr administrator login '%s' created successfully. -GoToDolibarr=Otvorite Dolibarr -GoToSetupArea=Otvorite Dolibarr (podešavanja) +GoToDolibarr=Go to Dolibarr +GoToSetupArea=Go to Dolibarr (setup area) MigrationNotFinished=The database version is not completely up to date: run the upgrade process again. -GoToUpgradePage=Otvorite upgrade stranu ponovo -WithNoSlashAtTheEnd=Bez slash-a "/" na kraju +GoToUpgradePage=Go to upgrade page again +WithNoSlashAtTheEnd=Without the slash "/" at the end DirectoryRecommendation=IMPORTANT: You must use a directory that is outside of the web pages (so do not use a subdirectory of previous parameter). -LoginAlreadyExists= Već postoji +LoginAlreadyExists=Already exists DolibarrAdminLogin=Dolibarr admin login AdminLoginAlreadyExists=Dolibarr administrator account '%s' already exists. Go back if you want to create another one. FailedToCreateAdminLogin=Failed to create Dolibarr administrator account. -WarningRemoveInstallDir=Warning, for security reasons, once the install or upgrade is complete, you should add a file called install.lock into the Dolibarr document directory in order to prevent the accidental/malicious use of the install tools again. +WarningRemoveInstallDir=Warning, for security reasons, once the installation process is complete, you must add a file called install.lock into the Dolibarr document directory in order to prevent the accidental/malicious use of the install tools again. FunctionNotAvailableInThisPHP=Not available in this PHP -ChoosedMigrateScript=Izaberite skriptu za migraciju +ChoosedMigrateScript=Choose migration script DataMigration=Database migration (data) DatabaseMigration=Database migration (structure + some data) -ProcessMigrateScript=Procesuiranje skripte -ChooseYourSetupMode=Izaberite mod setup-a i kliknite na "Start"... -FreshInstall=Nova instalacija +ProcessMigrateScript=Script processing +ChooseYourSetupMode=Choose your setup mode and click "Start"... +FreshInstall=Fresh install FreshInstallDesc=Use this mode if this is your first install. If not, this mode can repair a incomplete previous install. If you want to upgrade your version, choose "Upgrade" mode. Upgrade=Upgrade -UpgradeDesc=Koristite ovaj režim da zamenite stare Dolibarr fajlove sa novim fajlovima. Ovo će nadograditi vašu bazu i podatke. +UpgradeDesc=Use this mode if you have replaced old Dolibarr files with files from a newer version. This will upgrade your database and data. Start=Start -InstallNotAllowed=Setup nije dozvoljen sa ovim pravima conf.php -YouMustCreateWithPermission=Morate kreirati fajl %s i postaviti dozvole upisa tokom instalacionog procesa na web serveru. +InstallNotAllowed=Setup not allowed by conf.php permissions +YouMustCreateWithPermission=You must create file %s and set write permissions on it for the web server during install process. CorrectProblemAndReloadPage=Please fix the problem and press F5 to reload the page. -AlreadyDone=Već migrirano -DatabaseVersion=Verzija baze -ServerVersion=Verzija servera baze -YouMustCreateItAndAllowServerToWrite=Morate da kreirate ovaj folder i da dozvolite web serveru da piše u njemu. -DBSortingCollation=Sortiranje karaktera +AlreadyDone=Already migrated +DatabaseVersion=Database version +ServerVersion=Database server version +YouMustCreateItAndAllowServerToWrite=You must create this directory and allow for the web server to write into it. +DBSortingCollation=Character sorting order YouAskDatabaseCreationSoDolibarrNeedToConnect=You selected create database %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions. YouAskLoginCreationSoDolibarrNeedToConnect=You selected create database user %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions. BecauseConnectionFailedParametersMayBeWrong=The database connection failed: the host or super user parameters must be wrong. -OrphelinsPaymentsDetectedByMethod=Otkrivene zaostale uplate metodom %s -RemoveItManuallyAndPressF5ToContinue=Uklonite ručno i stisnite F5 za nastavak. -FieldRenamed=Polje je preimenovano +OrphelinsPaymentsDetectedByMethod=Orphans payment detected by method %s +RemoveItManuallyAndPressF5ToContinue=Remove it manually and press F5 to continue. +FieldRenamed=Field renamed IfLoginDoesNotExistsCheckCreateUser=If the user does not exist yet, you must check option "Create user" ErrorConnection=Server "%s", database name "%s", login "%s", or database password may be wrong or the PHP client version may be too old compared to the database version. InstallChoiceRecommanded=Recommended choice to install version %s from your current version %s @@ -129,10 +128,10 @@ NextStepMightLastALongTime=The current step may take several minutes. Please wai MigrationCustomerOrderShipping=Migrate shipping for sales orders storage MigrationShippingDelivery=Upgrade storage of shipping MigrationShippingDelivery2=Upgrade storage of shipping 2 -MigrationFinished=Migracija je završena -LastStepDesc=Last step: Define here the login and password you wish to use to connect to Dolibarr. Do not lose this as it is the master account to administer all other/additional user accounts. -ActivateModule=Aktiviraj modul %s -ShowEditTechnicalParameters=Kliknite ovde da prikažete/editujete napredne parametre (expert mode) +MigrationFinished=Migration finished +LastStepDesc=Last step: Define here the login and password you wish to use to connect to Dolibarr. Do not lose this as it is the main account to administer all other/additional user accounts. +ActivateModule=Activate module %s +ShowEditTechnicalParameters=Click here to show/edit advanced parameters (expert mode) WarningUpgrade=Warning:\nDid you run a database backup first?\nThis is highly recommended. Loss of data (due to for example bugs in mysql version 5.5.40/41/42/43) may be possible during this process, so it is essential to take a complete dump of your database before starting any migration.\n\nClick OK to start migration process... ErrorDatabaseVersionForbiddenForMigration=Your database version is %s. It has a critical bug, making data loss possible if you make structural changes in your database, such as is required by the migration process. For his reason, migration will not be allowed until you upgrade your database to a layer (patched) version (list of known buggy versions: %s) KeepDefaultValuesWamp=You used the Dolibarr setup wizard from DoliWamp, so values proposed here are already optimized. Change them only if you know what you are doing. @@ -145,54 +144,54 @@ NothingToDelete=Nothing to clean/delete NothingToDo=Nothing to do ######### # upgrade -MigrationFixData=Fix za denormalizovane podatke -MigrationOrder=Migracija podataka narudžbina klijenata +MigrationFixData=Fix for denormalized data +MigrationOrder=Data migration for customer's orders MigrationSupplierOrder=Data migration for vendor's orders -MigrationProposal=Migracija podataka komercijalnih ponuda -MigrationInvoice=Migracija podataka računa klijenata -MigrationContract=Migracija podataka ugovora -MigrationSuccessfullUpdate=Upgrade uspešno završen -MigrationUpdateFailed=Greška prilikom upgrade-ovanja -MigrationRelationshipTables=Migracija podataka veznih tabela (%s) -MigrationPaymentsUpdate=Ispravke podataka o plaćanju -MigrationPaymentsNumberToUpdate=%s uplata(e) za ažuriranje -MigrationProcessPaymentUpdate=Ažuriranje uplate(a) %s -MigrationPaymentsNothingToUpdate=Nema preostalih akcija -MigrationPaymentsNothingUpdatable=Nema više uplata koje mogu biti ispravljene -MigrationContractsUpdate=Ispravka podataka ugovora -MigrationContractsNumberToUpdate=%s ugovor(a) za ažuriranje -MigrationContractsLineCreation=Kreiraj liniju ugovora za ref ugovora %s -MigrationContractsNothingToUpdate=Nema preostalih akcija. +MigrationProposal=Data migration for commercial proposals +MigrationInvoice=Data migration for customer's invoices +MigrationContract=Data migration for contracts +MigrationSuccessfullUpdate=Upgrade successful +MigrationUpdateFailed=Failed upgrade process +MigrationRelationshipTables=Data migration for relationship tables (%s) +MigrationPaymentsUpdate=Payment data correction +MigrationPaymentsNumberToUpdate=%s payment(s) to update +MigrationProcessPaymentUpdate=Update payment(s) %s +MigrationPaymentsNothingToUpdate=No more things to do +MigrationPaymentsNothingUpdatable=No more payments that can be corrected +MigrationContractsUpdate=Contract data correction +MigrationContractsNumberToUpdate=%s contract(s) to update +MigrationContractsLineCreation=Create contract line for contract ref %s +MigrationContractsNothingToUpdate=No more things to do MigrationContractsFieldDontExist=Field fk_facture does not exist anymore. Nothing to do. -MigrationContractsEmptyDatesUpdate=Ispravka praznih datuma u ugovorima +MigrationContractsEmptyDatesUpdate=Contract empty date correction MigrationContractsEmptyDatesUpdateSuccess=Contract empty date correction done successfully -MigrationContractsEmptyDatesNothingToUpdate=Nema praznih datuma u ugovorima za ispravku -MigrationContractsEmptyCreationDatesNothingToUpdate=Nema datuma kreacije ugovora za ispravku -MigrationContractsInvalidDatesUpdate=Pogrešna vrednost za ispravku datuma u ugovoru +MigrationContractsEmptyDatesNothingToUpdate=No contract empty date to correct +MigrationContractsEmptyCreationDatesNothingToUpdate=No contract creation date to correct +MigrationContractsInvalidDatesUpdate=Bad value date contract correction MigrationContractsInvalidDateFix=Correct contract %s (Contract date=%s, Starting service date min=%s) -MigrationContractsInvalidDatesNumber=%s ugovora izmenjeno -MigrationContractsInvalidDatesNothingToUpdate=Nema pogrešnih datuma za ispravku -MigrationContractsIncoherentCreationDateUpdate=Ispravka pogrešnih datuma kreacije ugovora +MigrationContractsInvalidDatesNumber=%s contracts modified +MigrationContractsInvalidDatesNothingToUpdate=No date with bad value to correct +MigrationContractsIncoherentCreationDateUpdate=Bad value contract creation date correction MigrationContractsIncoherentCreationDateUpdateSuccess=Bad value contract creation date correction done successfully -MigrationContractsIncoherentCreationDateNothingToUpdate=Nema pogrešnih datuma kreacije ugovora za ispravku -MigrationReopeningContracts=Otvori ugovor zatvoren greškom -MigrationReopenThisContract=Ponovno otvaranje ugovora %s -MigrationReopenedContractsNumber=%s ugovora izmenjeno -MigrationReopeningContractsNothingToUpdate=Nema zatvorenih ugovora za otvaranje +MigrationContractsIncoherentCreationDateNothingToUpdate=No bad value for contract creation date to correct +MigrationReopeningContracts=Open contract closed by error +MigrationReopenThisContract=Reopen contract %s +MigrationReopenedContractsNumber=%s contracts modified +MigrationReopeningContractsNothingToUpdate=No closed contract to open MigrationBankTransfertsUpdate=Update links between bank entry and a bank transfer -MigrationBankTransfertsNothingToUpdate=Sve veze su ažurne -MigrationShipmentOrderMatching=Ažuriranje prijemnica slanja -MigrationDeliveryOrderMatching=Ažuriranje prijemnica isporuka -MigrationDeliveryDetail=Ažuriranje isporuka -MigrationStockDetail=Ažuriranje vrednosti zalihe proizvoda -MigrationMenusDetail=Ažuriranje dinamičkih menija -MigrationDeliveryAddress=Ažuriranje adresa isporuke +MigrationBankTransfertsNothingToUpdate=All links are up to date +MigrationShipmentOrderMatching=Sendings receipt update +MigrationDeliveryOrderMatching=Delivery receipt update +MigrationDeliveryDetail=Delivery update +MigrationStockDetail=Update stock value of products +MigrationMenusDetail=Update dynamic menus tables +MigrationDeliveryAddress=Update delivery address in shipments MigrationProjectTaskActors=Data migration for table llx_projet_task_actors -MigrationProjectUserResp=Migracija podataka polja fk_user_resp iz llx_projet u llx_element_contact -MigrationProjectTaskTime=Vreme ažuriranja u sekundama -MigrationActioncommElement=Ažuriranje podataka akcija +MigrationProjectUserResp=Data migration field fk_user_resp of llx_projet to llx_element_contact +MigrationProjectTaskTime=Update time spent in seconds +MigrationActioncommElement=Update data on actions MigrationPaymentMode=Data migration for payment type -MigrationCategorieAssociation=Migracija kategorija +MigrationCategorieAssociation=Migration of categories MigrationEvents=Migration of events to add event owner into assignment table MigrationEventsContact=Migration of events to add event contact into assignment table MigrationRemiseEntity=Update entity field value of llx_societe_remise @@ -201,7 +200,7 @@ MigrationUserRightsEntity=Update entity field value of llx_user_rights MigrationUserGroupRightsEntity=Update entity field value of llx_usergroup_rights MigrationUserPhotoPath=Migration of photo paths for users MigrationFieldsSocialNetworks=Migration of users fields social networks (%s) -MigrationReloadModule=Ponovo učitavanje modula %s +MigrationReloadModule=Reload module %s MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm MigrationImportOrExportProfiles=Migration of import or export profiles (%s) ShowNotAvailableOptions=Show unavailable options @@ -209,7 +208,12 @@ HideNotAvailableOptions=Hide unavailable options ErrorFoundDuringMigration=Error(s) were reported during the migration process so next step is not available. To ignore errors, you can click here, but the application or some features may not work correctly until the errors are resolved. YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
      YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
      +YouTryUpgradeDisabledByMissingFileUnLock=The application tried to self-upgrade, but the upgrade process is currently not allowed.
      ClickHereToGoToApp=Click here to go to your application ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrCreateUnlockFileManualy=If an upgrade is in progress, please wait... If not, you must remove the file install.lock or create a file upgrade.unlock into the Dolibarr documents directory. Loaded=Loaded FunctionTest=Function test +NodoUpgradeAfterDB=No action requested by external modules after upgrade of database +NodoUpgradeAfterFiles=No action requested by external modules after upgrade of files or directories +MigrationContractLineRank=Migrate Contract Line to use Rank (and enable Reorder) diff --git a/htdocs/langs/sr_RS/interventions.lang b/htdocs/langs/sr_RS/interventions.lang index 1d71728c251..ecaf9e21020 100644 --- a/htdocs/langs/sr_RS/interventions.lang +++ b/htdocs/langs/sr_RS/interventions.lang @@ -1,72 +1,75 @@ # Dolibarr language file - Source file is en_US - interventions -Intervention=Intervencija -Interventions=Intervencije -InterventionCard=Kartica intervencije -NewIntervention=Nova intervencija -AddIntervention=Kreiraj intervenciju -ChangeIntoRepeatableIntervention=Promeni na intervenciju koja se ponavlja -ListOfInterventions=Lista intervencija -ActionsOnFicheInter=Akcije intervencije -LastInterventions=Poslednjih %s intervencija -AllInterventions=Sve intrvencije -CreateDraftIntervention=Kreiraj draft -InterventionContact=Kontakt za intervenciju -DeleteIntervention=Obriši intervenciju -ValidateIntervention=Odbri intervenciju -ModifyIntervention=Izmeni intervenciju -DeleteInterventionLine=Obriši liniju intervencije -ConfirmDeleteIntervention=Da li ste sigurni da želite da obrišete ovu intervenciju? -ConfirmValidateIntervention=Da li ste sigurni da želite da odobrite intervenciju pod imenom %s? -ConfirmModifyIntervention=Da li ste sigurni da želite da prepravite ovu intervenciju? -ConfirmDeleteInterventionLine=Da li ste sigurni da želite da obrišete ovu liniju intervencije? -ConfirmCloneIntervention=Da li ste sigurni da želite da klonirate ovu intervenciju? -NameAndSignatureOfInternalContact=Ime i potpis servisera: -NameAndSignatureOfExternalContact=Ime i potpis korisnika: -DocumentModelStandard=Standardni model dokumenta za intervencije -InterventionCardsAndInterventionLines=Intervencije i linije intervencija -InterventionClassifyBilled=Označi "Naplaćeno" -InterventionClassifyUnBilled=Postavi kao "Nenaplaćeno" -InterventionClassifyDone=Označi kao "Završeno“ -StatusInterInvoiced=Naplaćeno -SendInterventionRef=Predaja intervencije %s -SendInterventionByMail=Poslati intervenciju preko maila -InterventionCreatedInDolibarr=Intervencija %s je kreirana -InterventionValidatedInDolibarr=Intervencija %s je odobrena -InterventionModifiedInDolibarr=Intervencija %s je izmenjena -InterventionClassifiedBilledInDolibarr=Intervencija %s je označena kao plaćena -InterventionClassifiedUnbilledInDolibarr=Intervencija %s je postavljena kao nenaplaćena -InterventionSentByEMail=Intervencija %s je poslata preko maila -InterventionDeletedInDolibarr=Intervencija %s je obrisana -InterventionsArea=Intervencije -DraftFichinter=Draft intervencije -LastModifiedInterventions=Poslednjih %s izmenjenih intervencija -FichinterToProcess=Intervencija za obradu -TypeContact_fichinter_external_CUSTOMER=Kontakt klijenta koji prat intervenciju -PrintProductsOnFichinter=Odštampati takođe i tip „proizvoda“ (ne samo uslugu) na kartici intervencije -PrintProductsOnFichinterDetails=Intervencije generisane iz narudžbina -UseServicesDurationOnFichinter=Koristiti vreme servisa za intervencije generisane iz porudžbina -UseDurationOnFichinter=Sakriti polje dužine za podatke o intervenciji -UseDateWithoutHourOnFichinter=Sakriti sate i minute sa polja podataka za podatke o intervenciji -InterventionStatistics=Statistika intervencija -NbOfinterventions=Broj kartica intervencije -NumberOfInterventionsByMonth=Broj kartica intervencije prema mesecima (datum odobrenja) -AmountOfInteventionNotIncludedByDefault=Broj intervencija nije automatski uključen u profit (u većini slučajeva, tabele vremena su korišćene u brojaču vremena). Možete koristiti PROJECT_ELEMENTS_FOR_ADD_MARGIN i PROJECT_ELEMENTS_FOR_MINUS_MARGIN opcije unutar home-setup-other da bi popunili listu elemenata koje se uključuju u profit. -InterId=Id intervencije -InterRef=Ref. intervencije -InterDateCreation=Datum kreiranja intervencije -InterDuration=Trajanje intervencije -InterStatus=Status intervencije -InterNote=Napomena intervencije -InterLine=Linija intervencije -InterLineId=Id linije intervencije -InterLineDate=Datum linije intervencije -InterLineDuration=Trajanje linije intervencije -InterLineDesc=Opis linije intervencije -RepeatableIntervention=Šablon intervencije koja se ponavlja -ToCreateAPredefinedIntervention=Da bi napravili intervenciju koja se ponavlja ili je predefinisana, napravite uobičajenu intervenciju i prebacite je u šablon intervencije -ConfirmReopenIntervention=Da li ste sigurni da želite da otvorite ponovo intervenciju %s? -GenerateInter=Generiši intervenciju -FichinterNoContractLinked=Intervencija %s je napravljena bez povezanog ugovora. -ErrorFicheinterCompanyDoesNotExist=Kompanija ne postoji. Intervencija nije napravljena. -NextDateToIntervention=Datum za generisanje nove intervencije -NoIntervention=Nema intervencije +Intervention=Intervention +Interventions=Interventions +InterventionCard=Intervention card +NewIntervention=New intervention +AddIntervention=Create intervention +ChangeIntoRepeatableIntervention=Change to repeatable intervention +ListOfInterventions=List of interventions +ActionsOnFicheInter=Actions on intervention +LastInterventions=Latest %s interventions +AllInterventions=All interventions +CreateDraftIntervention=Create draft +InterventionContact=Intervention contact +DeleteIntervention=Delete intervention +ValidateIntervention=Validate intervention +ModifyIntervention=Modify intervention +CloseIntervention=Close intervention +DeleteInterventionLine=Delete intervention line +ConfirmDeleteIntervention=Are you sure you want to delete this intervention? +ConfirmValidateIntervention=Are you sure you want to validate this intervention under name %s? +ConfirmModifyIntervention=Are you sure you want to modify this intervention? +ConfirmCloseIntervention=Are you sure you want to close this intervention? +ConfirmDeleteInterventionLine=Are you sure you want to delete this intervention line? +ConfirmCloneIntervention=Are you sure you want to clone this intervention? +NameAndSignatureOfInternalContact=Name and signature of intervening: +NameAndSignatureOfExternalContact=Name and signature of customer: +DocumentModelStandard=Standard document model for interventions +InterventionCardsAndInterventionLines=Interventions and lines of interventions +InterventionClassifyBilled=Classify "Billed" +InterventionClassifyUnBilled=Classify "Unbilled" +InterventionClassifyDone=Classify "Done" +StatusInterInvoiced=Billed +SendInterventionRef=Submission of intervention %s +SendInterventionByMail=Send intervention by email +InterventionCreatedInDolibarr=Intervention %s created +InterventionValidatedInDolibarr=Intervention %s validated +InterventionModifiedInDolibarr=Intervention %s modified +InterventionClassifiedBilledInDolibarr=Intervention %s set as billed +InterventionClassifiedUnbilledInDolibarr=Intervention %s set as unbilled +InterventionSentByEMail=Intervention %s sent by email +InterventionClosedInDolibarr= Intervention %s closed +InterventionDeletedInDolibarr=Intervention %s deleted +InterventionsArea=Interventions area +DraftFichinter=Draft interventions +LastModifiedInterventions=Latest %s modified interventions +FichinterToProcess=Interventions to process +TypeContact_fichinter_external_CUSTOMER=Following-up customer contact +PrintProductsOnFichinter=Print also lines of type "product" (not only services) on intervention card +PrintProductsOnFichinterDetails=interventions generated from orders +UseServicesDurationOnFichinter=Use services duration for interventions generated from orders +UseDurationOnFichinter=Hides the duration field for intervention records +UseDateWithoutHourOnFichinter=Hides hours and minutes off the date field for intervention records +InterventionStatistics=Statistics of interventions +NbOfinterventions=No. of intervention cards +NumberOfInterventionsByMonth=No. of intervention cards by month (date of validation) +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. +InterId=Intervention id +InterRef=Intervention ref. +InterDateCreation=Date creation intervention +InterDuration=Duration intervention +InterStatus=Status intervention +InterNote=Note intervention +InterLine=Line of intervention +InterLineId=Line id intervention +InterLineDate=Line date intervention +InterLineDuration=Line duration intervention +InterLineDesc=Line description intervention +RepeatableIntervention=Template of intervention +ToCreateAPredefinedIntervention=To create a predefined or recurring intervention, create a common intervention and convert it into intervention template +ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? +GenerateInter=Generate intervention +FichinterNoContractLinked=Intervention %s has been created without a linked contract. +ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/sr_RS/intracommreport.lang b/htdocs/langs/sr_RS/intracommreport.lang index 8b6713062c8..93c46f112bb 100644 --- a/htdocs/langs/sr_RS/intracommreport.lang +++ b/htdocs/langs/sr_RS/intracommreport.lang @@ -16,7 +16,7 @@ INTRACOMMREPORT_NUM_DECLARATION=Numéro de déclarant # Menu MenuIntracommReport=Intracomm report MenuIntracommReportNew=New declaration -MenuIntracommReportList=Lista +MenuIntracommReportList=List # View NewDeclaration=New declaration @@ -32,7 +32,7 @@ IntracommReportTitle=Preparation of an XML file in ProDouane format # List IntracommReportList=List of generated declarations IntracommReportNumber=Numero of declaration -IntracommReportPeriod=Period of nalysis +IntracommReportPeriod=Period of analysis IntracommReportTypeDeclaration=Type of declaration IntracommReportDownload=download XML file diff --git a/htdocs/langs/sr_RS/knowledgemanagement.lang b/htdocs/langs/sr_RS/knowledgemanagement.lang index 538e10654c8..acf1bd62f11 100644 --- a/htdocs/langs/sr_RS/knowledgemanagement.lang +++ b/htdocs/langs/sr_RS/knowledgemanagement.lang @@ -26,24 +26,25 @@ ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk ba # Admin page # KnowledgeManagementSetup = Knowledge Management System setup -Settings = Postavke tiketa +Settings = Settings KnowledgeManagementSetupPage = Knowledge Management System setup page # # About page # -About = O +About = About KnowledgeManagementAbout = About Knowledge Management KnowledgeManagementAboutPage = Knowledge Management about page KnowledgeManagementArea = Knowledge Management MenuKnowledgeRecord = Knowledge base +MenuKnowledgeRecordShort = Knowledge base ListKnowledgeRecord = List of articles NewKnowledgeRecord = New article ValidateReply = Validate solution KnowledgeRecords = Articles -KnowledgeRecord = Artikal +KnowledgeRecord = Article KnowledgeRecordExtraFields = Extrafields for Article GroupOfTicket=Group of tickets YouCanLinkArticleToATicketCategory=You can link the article to a ticket group (so the article will be highlighted on any tickets in this group) diff --git a/htdocs/langs/sr_RS/languages.lang b/htdocs/langs/sr_RS/languages.lang index ba436d668eb..b726142dcfb 100644 --- a/htdocs/langs/sr_RS/languages.lang +++ b/htdocs/langs/sr_RS/languages.lang @@ -1,128 +1,129 @@ # Dolibarr language file - Source file is en_US - languages Language_am_ET=Ethiopian Language_af_ZA=Afrikaans (South Africa) -Language_ar_AR=Arapski +Language_en_AE=Arabic (United Arab Emirates) +Language_ar_AR=Arabic Language_ar_DZ=Arabic (Algeria) Language_ar_EG=Arabic (Egypt) Language_ar_JO=Arabic (Jordania) Language_ar_MA=Arabic (Moroco) -Language_ar_SA=Arapski +Language_ar_SA=Arabic (Saudi Arabia) Language_ar_TN=Arabic (Tunisia) Language_ar_IQ=Arabic (Iraq) Language_as_IN=Assamese Language_az_AZ=Azerbaijani Language_bn_BD=Bengali Language_bn_IN=Bengali (India) -Language_bg_BG=Bugarski +Language_bg_BG=Bulgarian Language_bo_CN=Tibetan -Language_bs_BA=Bosanski -Language_ca_ES=Katalonski -Language_cs_CZ=Češki +Language_bs_BA=Bosnian +Language_ca_ES=Catalan +Language_cs_CZ=Czech Language_cy_GB=Welsh -Language_da_DA=Danski -Language_da_DK=Danski -Language_de_DE=Nemački -Language_de_AT=Nemački (Austrija) -Language_de_CH=Nemački (Švajcarska) +Language_da_DA=Danish +Language_da_DK=Danish +Language_de_DE=German +Language_de_AT=German (Austria) +Language_de_CH=German (Switzerland) Language_de_LU=German (Luxembourg) -Language_el_GR=Grčki -Language_el_CY=Grčki (Kipar) -Language_en_AE=English (United Arab Emirates) -Language_en_AU=Engleski (Australija) -Language_en_CA=Engleski (Kanada) -Language_en_GB=Engleski (UK) -Language_en_IN=Engleski (Indija) +Language_el_GR=Greek +Language_el_CY=Greek (Cyprus) +Language_en_AE=Arabic (United Arab Emirates) +Language_en_AU=English (Australia) +Language_en_CA=English (Canada) +Language_en_GB=English (United Kingdom) +Language_en_IN=English (India) Language_en_MY=English (Myanmar) -Language_en_NZ=Engleski (Novi Zeland) -Language_en_SA=Engleski (Saudijska Arabija) +Language_en_NZ=English (New Zealand) +Language_en_SA=English (Saudi Arabia) Language_en_SG=English (Singapore) -Language_en_US=Engleski (US) -Language_en_ZA=Engleski (Južna Afrika) +Language_en_US=English (United States) +Language_en_ZA=English (South Africa) Language_en_ZW=English (Zimbabwe) -Language_es_ES=Španski -Language_es_AR=Španski (Argentina) -Language_es_BO=Španski (Bolivija) -Language_es_CL=Špnski (Čile) -Language_es_CO=Španski (Kolumbija) +Language_es_ES=Spanish +Language_es_AR=Spanish (Argentina) +Language_es_BO=Spanish (Bolivia) +Language_es_CL=Spanish (Chile) +Language_es_CO=Spanish (Colombia) Language_es_CR=Spanish (Costa Rica) -Language_es_DO=Španski (Dominikanska Republika) -Language_es_EC=Španski (Ecuador) +Language_es_DO=Spanish (Dominican Republic) +Language_es_EC=Spanish (Ecuador) Language_es_GT=Spanish (Guatemala) -Language_es_HN=Španski (Honduras) -Language_es_MX=Španski (Meksiko) -Language_es_PA=Španski (Panama) -Language_es_PY=Španski (Paragvaj) -Language_es_PE=Španski (Peru) -Language_es_PR=Španski (Porto Riko) +Language_es_HN=Spanish (Honduras) +Language_es_MX=Spanish (Mexico) +Language_es_PA=Spanish (Panama) +Language_es_PY=Spanish (Paraguay) +Language_es_PE=Spanish (Peru) +Language_es_PR=Spanish (Puerto Rico) Language_es_US=Spanish (USA) Language_es_UY=Spanish (Uruguay) Language_es_GT=Spanish (Guatemala) -Language_es_VE=Španski (Venecuela) -Language_et_EE=Estonski +Language_es_VE=Spanish (Venezuela) +Language_et_EE=Estonian Language_eu_ES=Basque -Language_fa_IR=Persijski -Language_fi_FI=Finski -Language_fr_BE=Francuski (Belgija) -Language_fr_CA=Francuski (Kanada) -Language_fr_CH=Francuski (Švajcarska) +Language_fa_IR=Persian +Language_fi_FI=Finnish +Language_fr_BE=French (Belgium) +Language_fr_CA=French (Canada) +Language_fr_CH=French (Switzerland) Language_fr_CI=French (Cost Ivory) Language_fr_CM=French (Cameroun) -Language_fr_FR=Francuski +Language_fr_FR=French Language_fr_GA=French (Gabon) -Language_fr_NC=Francuski (Nova Kaledonija) +Language_fr_NC=French (New Caledonia) Language_fr_SN=French (Senegal) -Language_fy_NL=Frisijski +Language_fy_NL=Frisian Language_gl_ES=Galician -Language_he_IL=Hebrejski +Language_he_IL=Hebrew Language_hi_IN=Hindi (India) -Language_hr_HR=Hrvatski -Language_hu_HU=Mađarski -Language_id_ID=Indonežanski -Language_is_IS=Islanđanski -Language_it_IT=Italijanski +Language_hr_HR=Croatian +Language_hu_HU=Hungarian +Language_id_ID=Indonesian +Language_is_IS=Icelandic +Language_it_IT=Italian Language_it_CH=Italian (Switzerland) -Language_ja_JP=Japanski -Language_ka_GE=Gruzijski +Language_ja_JP=Japanese +Language_ka_GE=Georgian Language_kk_KZ=Kazakh -Language_km_KH=Kmerski +Language_km_KH=Khmer Language_kn_IN=Kannada -Language_ko_KR=Koreanski +Language_ko_KR=Korean Language_lo_LA=Lao -Language_lt_LT=Litvanski -Language_lv_LV=Litvanski -Language_mk_MK=Makedonski -Language_mn_MN=Mongolski +Language_lt_LT=Lithuanian +Language_lv_LV=Latvian +Language_mk_MK=Macedonian +Language_mn_MN=Mongolian Language_my_MM=Burmese -Language_nb_NO=Norveški (Bokmal) +Language_nb_NO=Norwegian (Bokmål) Language_ne_NP=Nepali -Language_nl_BE=Holandski (Belgija) +Language_nl_BE=Dutch (Belgium) Language_nl_NL=Dutch -Language_pl_PL=Poljski +Language_pl_PL=Polish Language_pt_AO=Portuguese (Angola) Language_pt_MZ=Portuguese (Mozambique) -Language_pt_BR=Portugalski (Brazil) -Language_pt_PT=Portugalski +Language_pt_BR=Portuguese (Brazil) +Language_pt_PT=Portuguese Language_ro_MD=Romanian (Moldavia) -Language_ro_RO=Rumunski -Language_ru_RU=Ruski -Language_ru_UA=Ruski (Ukrajina) +Language_ro_RO=Romanian +Language_ru_RU=Russian +Language_ru_UA=Russian (Ukraine) Language_ta_IN=Tamil Language_tg_TJ=Tajik -Language_tr_TR=Turski -Language_sl_SI=Slovenački -Language_sv_SV=Švedski -Language_sv_SE=Švedski -Language_sq_AL=Albanski -Language_sk_SK=Slovački -Language_sr_RS=Srpski +Language_tr_TR=Turkish +Language_sl_SI=Slovenian +Language_sv_SV=Swedish +Language_sv_SE=Swedish +Language_sq_AL=Albanian +Language_sk_SK=Slovakian +Language_sr_RS=Serbian Language_sw_KE=Swahili Language_sw_SW=Kiswahili -Language_th_TH=Tai -Language_uk_UA=Ukrajinski +Language_th_TH=Thai +Language_uk_UA=Ukrainian Language_ur_PK=Urdu -Language_uz_UZ=Uzbekistanski -Language_vi_VN=Vijetnamski -Language_zh_CN=Kineski +Language_uz_UZ=Uzbek +Language_vi_VN=Vietnamese +Language_zh_CN=Chinese Language_zh_TW=Chinese (Taiwan) Language_zh_HK=Chinese (Hong Kong) Language_bh_MY=Malay diff --git a/htdocs/langs/sr_RS/ldap.lang b/htdocs/langs/sr_RS/ldap.lang index 4ad591b5209..9c927391b92 100644 --- a/htdocs/langs/sr_RS/ldap.lang +++ b/htdocs/langs/sr_RS/ldap.lang @@ -1,27 +1,33 @@ # Dolibarr language file - Source file is en_US - ldap -YouMustChangePassNextLogon=Šifra za korisnika %s na domenu %s mora biti promenjena. -UserMustChangePassNextLogon=Korisnik mora promeniti šifru na domenu %s -LDAPInformationsForThisContact=Informacije iz LDAP baze za ovaj kontakt -LDAPInformationsForThisUser=Informacije iz LDAP baze za ovog korisnika -LDAPInformationsForThisGroup=Informacije iz LDAP baze za ovu grupu -LDAPInformationsForThisMember=Informacije iz LDAP baze za ovog korisnika +YouMustChangePassNextLogon=Password for user %s on the domain %s must be changed. +UserMustChangePassNextLogon=User must change password on the domain %s +LDAPInformationsForThisContact=Information in LDAP database for this contact +LDAPInformationsForThisUser=Information in LDAP database for this user +LDAPInformationsForThisGroup=Information in LDAP database for this group +LDAPInformationsForThisMember=Information in LDAP database for this member LDAPInformationsForThisMemberType=Information in LDAP database for this member type -LDAPAttributes=LDAP atributi -LDAPCard=LDAP kartica -LDAPRecordNotFound=Linija nije pronađena u LDAP bazi -LDAPUsers=Korisnici u LDAP bazi +LDAPAttributes=LDAP attributes +LDAPCard=LDAP card +LDAPRecordNotFound=Record not found in LDAP database +LDAPUsers=Users in LDAP database LDAPFieldStatus=Status -LDAPFieldFirstSubscriptionDate=Datum prve prijave -LDAPFieldFirstSubscriptionAmount=Svota prve prijave -LDAPFieldLastSubscriptionDate=Datum najnovije pretplate -LDAPFieldLastSubscriptionAmount=Iznos najnovije pretplate +LDAPFieldFirstSubscriptionDate=First subscription date +LDAPFieldFirstSubscriptionAmount=First subscription amount +LDAPFieldLastSubscriptionDate=Latest subscription date +LDAPFieldLastSubscriptionAmount=Latest subscription amount LDAPFieldSkype=Skype id -LDAPFieldSkypeExample=Primer : skypeName -UserSynchronized=Korisnik sinhronizovan -GroupSynchronized=Grupa sinhronizovana -MemberSynchronized=Član sinhronizovan +LDAPFieldSkypeExample=Example: skypeName +UserSynchronized=User synchronized +GroupSynchronized=Group synchronized +MemberSynchronized=Member synchronized MemberTypeSynchronized=Member type synchronized -ContactSynchronized=Kontakt sinhronizovan -ForceSynchronize=Forsiraj sinhronizaciju Dolibarr > LDAP -ErrorFailedToReadLDAP=Greška prilikom čitanja LDAP baze. Proverite podešavanja LDAP modula i dostupnost baze. +ContactSynchronized=Contact synchronized +ForceSynchronize=Force synchronizing Dolibarr -> LDAP +ErrorFailedToReadLDAP=Failed to read LDAP database. Check LDAP module setup and database accessibility. PasswordOfUserInLDAP=Password of user in LDAP +LDAPPasswordHashType=Password hash type +LDAPPasswordHashTypeExample=Type of password hash used on the server +SupportedForLDAPExportScriptOnly=Only supported by an ldap export script +SupportedForLDAPImportScriptOnly=Only supported by an ldap import script +LDAPUserAccountControl = userAccountControl on creation (active directory) +LDAPUserAccountControlExample = 512 Normal Account / 546 Normal Account + No Passwd + Disabled (see : https://fr.wikipedia.org/wiki/Active_Directory) diff --git a/htdocs/langs/sr_RS/loan.lang b/htdocs/langs/sr_RS/loan.lang index 606ced9f223..4062dd8c7c9 100644 --- a/htdocs/langs/sr_RS/loan.lang +++ b/htdocs/langs/sr_RS/loan.lang @@ -1,34 +1,34 @@ # Dolibarr language file - Source file is en_US - loan -Loan=Kredit -Loans=Krediti -NewLoan=Novi Kedit -ShowLoan=Prikaži Kredit -PaymentLoan=Isplata Kredita -LoanPayment=Isplata Kredita -ShowLoanPayment=Prikaži isplatu Kredita -LoanCapital=Kapital -Insurance=Osiguranje -Interest=Kamata -Nbterms=Broj uslova +Loan=Loan +Loans=Loans +NewLoan=New Loan +ShowLoan=Show Loan +PaymentLoan=Loan payment +LoanPayment=Loan payment +ShowLoanPayment=Show Loan Payment +LoanCapital=Capital +Insurance=Insurance +Interest=Interest +Nbterms=Number of terms Term=Term LoanAccountancyCapitalCode=Accounting account capital LoanAccountancyInsuranceCode=Accounting account insurance LoanAccountancyInterestCode=Accounting account interest -ConfirmDeleteLoan=Potvrdi brisanje ovog kredita -LoanDeleted=Kredit uspešno obrisan -ConfirmPayLoan=Potvrdi klasiranje ovog kredita kao isplaćen -LoanPaid=Kredit isplaćen +ConfirmDeleteLoan=Confirm deleting this loan +LoanDeleted=Loan Deleted Successfully +ConfirmPayLoan=Confirm classify paid this loan +LoanPaid=Loan Paid ListLoanAssociatedProject=List of loan associated with the project AddLoan=Create loan FinancialCommitment=Financial commitment -InterestAmount=Kamata +InterestAmount=Interest CapitalRemain=Capital remain -TermPaidAllreadyPaid = This term is allready paid -CantUseScheduleWithLoanStartedToPaid = Can't use scheduler for a loan with payment started +TermPaidAllreadyPaid = This term is already paid +CantUseScheduleWithLoanStartedToPaid = Can't generate a timeline for a loan with a payment started CantModifyInterestIfScheduleIsUsed = You can't modify interest if you use schedule # Admin -ConfigLoan=Konfiguracija modula Krediti -LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Accounting account capital by default -LOAN_ACCOUNTING_ACCOUNT_INTEREST=Accounting account interest by default -LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Accounting account insurance by default +ConfigLoan=Configuration of the module loan +LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Account (from the Chart Of Account) to be used by default for capital (Loan module) +LOAN_ACCOUNTING_ACCOUNT_INTEREST=Account (from the Chart Of Account) to be used by default for interest (Loan module) +LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Account (from the Chart Of Account) to be used by default for insurance (Loan module) CreateCalcSchedule=Edit financial commitment diff --git a/htdocs/langs/sr_RS/mailmanspip.lang b/htdocs/langs/sr_RS/mailmanspip.lang index ce7a4e2c421..6ff3ac9f770 100644 --- a/htdocs/langs/sr_RS/mailmanspip.lang +++ b/htdocs/langs/sr_RS/mailmanspip.lang @@ -1,27 +1,27 @@ # Dolibarr language file - Source file is en_US - mailmanspip -MailmanSpipSetup=Podešavanja modula Mailman and SPIP +MailmanSpipSetup=Mailman and SPIP module Setup MailmanTitle=Mailman mailing list system -TestSubscribe=Za testranje prijave na Mailman liste -TestUnSubscribe=Za testiranje odjave sa Mailman lista +TestSubscribe=To test subscription to Mailman lists +TestUnSubscribe=To test unsubscribe from Mailman lists MailmanCreationSuccess=Subscription test was executed successfully MailmanDeletionSuccess=Unsubscription test was executed successfully -SynchroMailManEnabled=Mailman će biti ažuriran -SynchroSpipEnabled=SPIP će biti ažuriran +SynchroMailManEnabled=A Mailman update will be performed +SynchroSpipEnabled=A Spip update will be performed DescADHERENT_MAILMAN_ADMIN_PASSWORD=Mailman administrator password -DescADHERENT_MAILMAN_URL=URL za Mailman prijave -DescADHERENT_MAILMAN_UNSUB_URL=URL za Mailman odjave -DescADHERENT_MAILMAN_LISTS=Lista(e) automatskih prijava novih članova (odvojenih zarezima) -SPIPTitle=SPIP CMS +DescADHERENT_MAILMAN_URL=URL for Mailman subscriptions +DescADHERENT_MAILMAN_UNSUB_URL=URL for Mailman unsubscriptions +DescADHERENT_MAILMAN_LISTS=List(s) for automatic inscription of new members (separated by a comma) +SPIPTitle=SPIP Content Management System DescADHERENT_SPIP_SERVEUR=SPIP Server DescADHERENT_SPIP_DB=SPIP database name DescADHERENT_SPIP_USER=SPIP database login DescADHERENT_SPIP_PASS=SPIP database password -AddIntoSpip=Dodaj u SPIP -AddIntoSpipConfirmation=Da li ste sigurni da želite da dodate ovog člana u SPIP? -AddIntoSpipError=Greška prilikom dodavanja korisnika u SPIP -DeleteIntoSpip=Ukloni iz SPIP-a -DeleteIntoSpipConfirmation=Da li ste sigurni da želite da uklonite ovog člana iz SPIP-a? -DeleteIntoSpipError=Greška prilikom brisanja korisnika iz SPIP-a -SPIPConnectionFailed=Greška prilikom konekcije na SPIP +AddIntoSpip=Add into SPIP +AddIntoSpipConfirmation=Are you sure you want to add this member into SPIP? +AddIntoSpipError=Failed to add the user in SPIP +DeleteIntoSpip=Remove from SPIP +DeleteIntoSpipConfirmation=Are you sure you want to remove this member from SPIP? +DeleteIntoSpipError=Failed to suppress the user from SPIP +SPIPConnectionFailed=Failed to connect to SPIP SuccessToAddToMailmanList=%s successfully added to mailman list %s or SPIP database SuccessToRemoveToMailmanList=%s successfully removed from mailman list %s or SPIP database diff --git a/htdocs/langs/sr_RS/mails.lang b/htdocs/langs/sr_RS/mails.lang index a18ebc5e754..965eb601618 100644 --- a/htdocs/langs/sr_RS/mails.lang +++ b/htdocs/langs/sr_RS/mails.lang @@ -2,77 +2,77 @@ Mailing=EMailing EMailing=EMailing EMailings=EMailings -AllEMailings=Svi eMailings -MailCard=Emailing kartica -MailRecipients=Primaoci -MailRecipient=Primalac -MailTitle=Opis -MailFrom=Od -MailErrorsTo=Greške za -MailReply=Odgovori -MailTo=Za +AllEMailings=All eMailings +MailCard=EMailing card +MailRecipients=Recipients +MailRecipient=Recipient +MailTitle=Description +MailFrom=From +MailErrorsTo=Errors to +MailReply=Reply to +MailTo=To MailToUsers=To user(s) -MailCC=CC +MailCC=Copy to MailToCCUsers=Copy to users(s) -MailCCC=BCC +MailCCC=Cached copy to MailTopic=Email subject -MailText=Poruka -MailFile=Prilozi -MailMessage=Sadržaj maila +MailText=Message +MailFile=Attached files +MailMessage=Email body SubjectNotIn=Not in Subject BodyNotIn=Not in Body -ShowEMailing=Prikaži emailing -ListOfEMailings=Lista emailings -NewMailing=Novi emailing -EditMailing=Izmeni emailing -ResetMailing=Ponovo pošalji emailing -DeleteMailing=Obriši emailing -DeleteAMailing=Obriši emailing -PreviewMailing=Pregled emailinga -CreateMailing=Kreiraj emailing +ShowEMailing=Show emailing +ListOfEMailings=List of emailings +NewMailing=New emailing +EditMailing=Edit emailing +ResetMailing=Resend emailing +DeleteMailing=Delete emailing +DeleteAMailing=Delete an emailing +PreviewMailing=Preview emailing +CreateMailing=Create emailing TestMailing=Test email -ValidMailing=Validni emailing +ValidMailing=Valid emailing MailingStatusDraft=Draft -MailingStatusValidated=Odobren -MailingStatusSent=Poslat -MailingStatusSentPartialy=Delimično poslat -MailingStatusSentCompletely=Potpuno poslat -MailingStatusError=Greška -MailingStatusNotSent=Nije poslat +MailingStatusValidated=Validated +MailingStatusSent=Sent +MailingStatusSentPartialy=Sent partially +MailingStatusSentCompletely=Sent completely +MailingStatusError=Error +MailingStatusNotSent=Not sent MailSuccessfulySent=Email (from %s to %s) successfully accepted for delivery -MailingSuccessfullyValidated=Emailing uspešno odobren -MailUnsubcribe=Otkaži -MailingStatusNotContact=Ne kontaktirati više -MailingStatusReadAndUnsubscribe=Pročitaj i odjavi se -ErrorMailRecipientIsEmpty=Primalac nije unet -WarningNoEMailsAdded=Nema novih mail-ova za dodavanje listi primalaca +MailingSuccessfullyValidated=EMailing successfully validated +MailUnsubcribe=Unsubscribe +MailingStatusNotContact=Don't contact anymore +MailingStatusReadAndUnsubscribe=Read and unsubscribe +ErrorMailRecipientIsEmpty=Email recipient is empty +WarningNoEMailsAdded=No new Email to add to recipient's list. ConfirmValidMailing=Are you sure you want to validate this emailing? ConfirmResetMailing=Warning, by re-initializing emailing %s, you will allow the re-sending this email in a bulk mailing. Are you sure you want to do this? ConfirmDeleteMailing=Are you sure you want to delete this emailing? NbOfUniqueEMails=No. of unique emails NbOfEMails=No. of EMails -TotalNbOfDistinctRecipients=Broj jedinstvenih primalaca -NoTargetYet=Još nema definisanih primalaca (idite na tab Primaoci) +TotalNbOfDistinctRecipients=Number of distinct recipients +NoTargetYet=No recipients defined yet (Go on tab 'Recipients') NoRecipientEmail=No recipient email for %s -RemoveRecipient=Ukloni primaoca -YouCanAddYourOwnPredefindedListHere=Da biste kreirali Vaš modul mail selektor, pogledajte htdocs/core/modules/mailings/README. -EMailTestSubstitutionReplacedByGenericValues=Kada koristite test mod, promenljive su inicijalizovane generičkim vrednostima -MailingAddFile=Dodaj ovaj fajl -NoAttachedFiles=Nema priloženih fajlova +RemoveRecipient=Remove recipient +YouCanAddYourOwnPredefindedListHere=To create your email selector module, see htdocs/core/modules/mailings/README. +EMailTestSubstitutionReplacedByGenericValues=When using test mode, substitutions variables are replaced by generic values +MailingAddFile=Attach this file +NoAttachedFiles=No attached files BadEMail=Bad value for Email EMailNotDefined=Email not defined ConfirmCloneEMailing=Are you sure you want to clone this emailing? -CloneContent=Dupliraj poruku -CloneReceivers=Dupliraj primaoce +CloneContent=Clone message +CloneReceivers=Cloner recipients DateLastSend=Date of latest sending -DateSending=Datum slanja -SentTo=Poslato za %s -MailingStatusRead=Pročitaj +DateSending=Date sending +SentTo=Sent to %s +MailingStatusRead=Read YourMailUnsubcribeOK=The email %s is correctly unsubscribe from mailing list ActivateCheckReadKey=Key used to encrypt URL used for "Read Receipt" and "Unsubscribe" feature EMailSentToNRecipients=Email sent to %s recipients. EMailSentForNElements=Email sent for %s elements. -XTargetsAdded=%s primalaca su dodati na listu +XTargetsAdded=%s recipients added into target list OnlyPDFattachmentSupported=If the PDF documents were already generated for the objects to send, they will be attached to email. If not, no email will be sent (also, note that only pdf documents are supported as attachments in mass sending in this version). AllRecipientSelected=The recipients of the %s record selected (if their email is known). GroupEmails=Group emails @@ -91,42 +91,42 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Subjekti +MailingModuleDescThirdPartiesByCategories=Third parties SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected.
      You can use the character "!" before the search string value if you need a negative test # Libelle des modules de liste de destinataires mailing -LineInFile=Linija %s u fajlu -RecipientSelectionModules=Definisani zahtevi za selekciju primalaca -MailSelectedRecipients=Selektirani primaoci -MailingArea=Oblast Emailinga +LineInFile=Line %s in file +RecipientSelectionModules=Defined requests for recipient's selection +MailSelectedRecipients=Selected recipients +MailingArea=EMailings area LastMailings=Latest %s emailings -TargetsStatistics=Statistike targeta -NbOfCompaniesContacts=Jedinstveni kontakti/adrese -MailNoChangePossible=Primaoci za odobrene emailinge ne mogu biti izmenjeni -SearchAMailing=Pretraži emailing -SendMailing=Pošalji emailing -SentBy=Poslao +TargetsStatistics=Targets statistics +NbOfCompaniesContacts=Unique contacts/addresses +MailNoChangePossible=Recipients for validated emailing can't be changed +SearchAMailing=Search mailing +SendMailing=Send emailing +SentBy=Sent by MailingNeedCommand=Sending an emailing can be performed from command line. Ask your server administrator to launch the following command to send the emailing to all recipients: -MailingNeedCommand2=Možete ih poslati i online, dodavanjem parametra MAILING_LIMIT_SENDBYWEB sa vrednošću maksimalnog broja mailova koje želite da pošaljete u jednoj sesiji. Pogledajte Home - Podešavanja - Ostalo. +MailingNeedCommand2=You can however send them online by adding parameter MAILING_LIMIT_SENDBYWEB with value of max number of emails you want to send by session. For this, go on Home - Setup - Other. ConfirmSendingEmailing=If you want to send emailing directly from this screen, please confirm you are sure you want to send emailing now from your browser ? -LimitSendingEmailing=Napomena: Slanje mailova putem web interfejsa se radi iz više puta iz bezbednosnih razloga, %s primalaca od jednom za svaku sesiju slanja. -TargetsReset=Očisti listu -ToClearAllRecipientsClickHere=Kliknite ovde da biste očistili listu primalaca za ovaj emailing -ToAddRecipientsChooseHere=Dodaj primaoce selekcijom u listi -NbOfEMailingsReceived=Masovni emailing primljen -NbOfEMailingsSend=Masovni mail poslat -IdRecord=ID linije +LimitSendingEmailing=Note: Sending of emailings from web interface is done in several times for security and timeout reasons, %s recipients at a time for each sending session. +TargetsReset=Clear list +ToClearAllRecipientsClickHere=Click here to clear the recipient list for this emailing +ToAddRecipientsChooseHere=Add recipients by choosing from the lists +NbOfEMailingsReceived=Mass emailings received +NbOfEMailingsSend=Mass emailings sent +IdRecord=ID record DeliveryReceipt=Delivery Ack. -YouCanUseCommaSeparatorForSeveralRecipients=Možete koristiti zarez da biste naveli više primalaca -TagCheckMail=Beleži otvaranje mailova +YouCanUseCommaSeparatorForSeveralRecipients=You can use the comma separator to specify several recipients. +TagCheckMail=Track mail opening TagUnsubscribe=Unsubscribe link TagSignature=Signature of sending user EMailRecipient=Recipient Email TagMailtoEmail=Recipient Email (including html "mailto:" link) -NoEmailSentBadSenderOrRecipientEmail=Mail nije poslat. Pogrešan mail primaoca ili pošiljaoca. Proverite profil korisnika. +NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile. # Module Notifications -Notifications=Obaveštenja +Notifications=Notifications NotificationsAuto=Notifications Auto. NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company ANotificationsWillBeSent=1 automatic notification will be sent by email @@ -134,11 +134,11 @@ SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification ListOfNotificationsDone=List of all automatic email notifications sent -MailSendSetupIs=Konfiguracija slanja mailova je podešena na "%s". Ovaj mod ne može slati masovne mailove. -MailSendSetupIs2=Prvo morate sa admin nalogom otvoriti meni %sHome - Setup - EMails%s da biste promenili parametar '%s' i prešli u mod '%s'. U ovom modu, možete uneti podešavanja SMTP servera Vašeg provajdera i koristiti funkcionalnost masovnog emailinga. -MailSendSetupIs3=Ukoliko imate pitanja oko podešavanja SMTP servera, možete pitati %s. -YouCanAlsoUseSupervisorKeyword=Takođe možete dodati parametar __SUPERVISOREMAIL__ kako bi mail bio poslat supervizoru korisnika (radi samo ukoliko je mail definisan za ovog supervizora) -NbOfTargetedContacts=Trenutni broj targetiranih kontakt mailova +MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. +MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. +MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. +YouCanAlsoUseSupervisorKeyword=You can also add the keyword __SUPERVISOREMAIL__ to have email being sent to the supervisor of user (works only if an email is defined for this supervisor) +NbOfTargetedContacts=Current number of targeted contact emails UseFormatFileEmailToTarget=Imported file must have format email;name;firstname;other UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other MailAdvTargetRecipients=Recipients (advanced selection) @@ -169,10 +169,10 @@ OutGoingEmailSetup=Outgoing emails InGoingEmailSetup=Incoming emails OutGoingEmailSetupForEmailing=Outgoing emails (for module %s) DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup -Information=Informacija +Information=Information ContactsWithThirdpartyFilter=Contacts with third-party filter Unanswered=Unanswered -Answered=Odgovoreno +Answered=Answered IsNotAnAnswer=Is not answer (initial email) IsAnAnswer=Is an answer of an initial email RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s @@ -182,5 +182,7 @@ WarningLimitSendByDay=WARNING: The setup or contract of your instance limits you NoMoreRecipientToSendTo=No more recipient to send the email to EmailOptedOut=Email owner has requested to not contact him with this email anymore EvenUnsubscribe=Include opt-out emails -EvenUnsubscribeDesc=Include opt-out emails when you select emails as targets. Usefull for mandatory service emails for example. +EvenUnsubscribeDesc=Include opt-out emails when you select emails as targets. Useful for mandatory service emails for example. XEmailsDoneYActionsDone=%s emails pre-qualified, %s emails successfully processed (for %s record/actions done) +helpWithAi=Add instructions +YouCanMakeSomeInstructionForEmail=You Can Make Some Instruction For your Email (Exemple: generate image in email template...) diff --git a/htdocs/langs/sr_RS/main.lang b/htdocs/langs/sr_RS/main.lang index 9d1a481f598..227b546ba74 100644 --- a/htdocs/langs/sr_RS/main.lang +++ b/htdocs/langs/sr_RS/main.lang @@ -14,297 +14,299 @@ FONTFORPDF=helvetica FONTSIZEFORPDF=10 SeparatorDecimal=. SeparatorThousand=, -FormatDateShort=%d/%m/%Y -FormatDateShortInput=%d/%m/%Y -FormatDateShortJava=dd/MM/yyyy -FormatDateShortJavaInput=dd/MM/yyyy -FormatDateShortJQuery=dd/mm/yy -FormatDateShortJQueryInput=dd/mm/yy +FormatDateShort=%m/%d/%Y +FormatDateShortInput=%m/%d/%Y +FormatDateShortJava=MM/dd/yyyy +FormatDateShortJavaInput=MM/dd/yyyy +FormatDateShortJQuery=mm/dd/yy +FormatDateShortJQueryInput=mm/dd/yy FormatHourShortJQuery=HH:MI -FormatHourShort=%H:%M +FormatHourShort=%I:%M %p FormatHourShortDuration=%H:%M -FormatDateTextShort=%d %b %Y -FormatDateText=%d %B %Y -FormatDateHourShort=%d/%m/%Y %I:%M %p -FormatDateHourSecShort=%d/%m/%Y %I:%M:%S %p -FormatDateHourTextShort=%d %b %Y %H:%M -FormatDateHourText=%d %B %Y %H:%M -DatabaseConnection=Konekcija sa bazom +FormatDateTextShort=%b %d, %Y +FormatDateText=%B %d, %Y +FormatDateHourShort=%m/%d/%Y %I:%M %p +FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p +FormatDateHourTextShort=%b %d, %Y, %I:%M %p +FormatDateHourText=%B %d, %Y, %I:%M %p +DatabaseConnection=Database connection NoTemplateDefined=No template available for this email type -AvailableVariables=Dostupne zamenske promenljive -NoTranslation=Nema prevoda -Translation=Prevod +AvailableVariables=Available substitution variables +NoTranslation=No translation +Translation=Translation Translations=Translations CurrentTimeZone=TimeZone PHP (server) -EmptySearchString=Enter non empty search criterias +EmptySearchString=Enter non empty search criteria EnterADateCriteria=Enter a date criteria -NoRecordFound=Nema rezultata +NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data -NoError=Nema greške -Error=Greška -Errors=Greške -ErrorFieldRequired=Polje '%s' je obavezno -ErrorFieldFormat=Polje '%s' sadrži pogrešnu vrednost -ErrorFileDoesNotExists=Fajl %s ne postoji -ErrorFailedToOpenFile=Greška prilikom otvaranja fajla %s +NoError=No error +Error=Error +Errors=Errors +ErrorFieldRequired=Field '%s' is required +ErrorFieldFormat=Field '%s' has a bad value +ErrorFileDoesNotExists=File %s does not exist +ErrorFailedToOpenFile=Failed to open file %s ErrorCanNotCreateDir=Cannot create dir %s ErrorCanNotReadDir=Cannot read dir %s -ErrorConstantNotDefined=Parametar %s nije definisan -ErrorUnknown=Nepoznata greška -ErrorSQL=Greška u SQL-u -ErrorLogoFileNotFound=Logo fajl '%s' nije pronađen +ErrorConstantNotDefined=Parameter %s not defined +ErrorUnknown=Unknown error +ErrorSQL=SQL Error +ErrorLogoFileNotFound=Logo file '%s' was not found ErrorGoToGlobalSetup=Go to 'Company/Organization' setup to fix this -ErrorGoToModuleSetup=Idite u podešavanja Modula da ovo ispravite -ErrorFailedToSendMail=Greška u slanju mail-a (pošiljalac=%s, primalac=%s) -ErrorFileNotUploaded=Fajl nije uploadovan. Proverite da li je fajl preveliki, da li ima dovoljno prostora na disku i da li postoji fajl sa istim imenom u ovom folderu. -ErrorInternalErrorDetected=Detektovana je greška -ErrorWrongHostParameter=Pogrešan host parametar -ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post the form again. +ErrorGoToModuleSetup=Go to Module setup to fix this +ErrorFailedToSendMail=Failed to send mail (sender=%s, receiver=%s) +ErrorFileNotUploaded=File was not uploaded. Check that size does not exceed maximum allowed, that free space is available on disk and that there is not already a file with same name in this directory. +ErrorInternalErrorDetected=Error detected +ErrorWrongHostParameter=Wrong host parameter +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child record. -ErrorWrongValue=Pogrešna vrednost -ErrorWrongValueForParameterX=Pogrešna vrednost za parametar %s -ErrorNoRequestInError=Nema upita sa greškom +ErrorWrongValue=Wrong value +ErrorWrongValueForParameterX=Wrong value for parameter %s +ErrorNoRequestInError=No request in error ErrorServiceUnavailableTryLater=Service not available at the moment. Try again later. -ErrorDuplicateField=Dupla vrednost u jedinstvenom polju +ErrorDuplicateField=Duplicate value in a unique field ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. Changes have been rolled back. ErrorConfigParameterNotDefined=Parameter %s is not defined in the Dolibarr config file conf.php. -ErrorCantLoadUserFromDolibarrDatabase=Korisnik %s nije pronađen u Dolibarr bazi. -ErrorNoVATRateDefinedForSellerCountry=Greška, PDV stopa nije definisana za zemlju "%s". -ErrorNoSocialContributionForSellerCountry=Greška, nema poreskih stopa definisanih za zemlju "%s". -ErrorFailedToSaveFile=Greška, nemoguće sačuvati fajl. +ErrorCantLoadUserFromDolibarrDatabase=Failed to find user %s in Dolibarr database. +ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'. +ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'. +ErrorFailedToSaveFile=Error, failed to save file. ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of a existing warehouse +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=Field "%s" cannot be negative MaxNbOfRecordPerPage=Max. number of records per page -NotAuthorized=Nemate prava za tu akciju. -SetDate=Postavi datum -SelectDate=Izaberi datum -SeeAlso=Pogledajte i %s -SeeHere=Pogledaj ovde -ClickHere=Klikni ovde +NotAuthorized=You are not authorized to do that. +SetDate=Set date +SelectDate=Select a date +SeeAlso=See also %s +SeeHere=See here +ClickHere=Click here Here=Here -Apply=Primeni -BackgroundColorByDefault=Default boja pozadine +Apply=Apply +BackgroundColorByDefault=Default background color FileRenamed=The file was successfully renamed FileGenerated=The file was successfully generated FileSaved=The file was successfully saved -FileUploaded=Fajl je uspešno uploadovan +FileUploaded=The file was successfully uploaded FileTransferComplete=File(s) uploaded successfully FilesDeleted=File(s) successfully deleted -FileWasNotUploaded=Fajl je selektiran za prilog, ali još uvek nije uploadovan. Klikni na "Priloži fajl". +FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. Click on "Attach file" for this. NbOfEntries=No. of entries GoToWikiHelpPage=Read online help (Internet access needed) -GoToHelpPage=Pročitajte pomoć +GoToHelpPage=Read help DedicatedPageAvailable=Dedicated help page related to your current screen HomePage=Home Page -RecordSaved=Linija sačuvana -RecordDeleted=Linija obrisana +RecordSaved=Record saved +RecordDeleted=Record deleted RecordGenerated=Record generated -LevelOfFeature=Nivo funkcionalnosti -NotDefined=Nije definisano +LevelOfFeature=Level of features +NotDefined=Not defined DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is set to %s in configuration file conf.php.
      This means that the password database is external to Dolibarr, so changing this field may have no effect. -Administrator=Administrator -Undefined=Nedefinisano +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) +Undefined=Undefined PasswordForgotten=Password forgotten? NoAccount=No account? -SeeAbove=Pogledajte iznad -HomeArea=Početna +SeeAbove=See above +HomeArea=Home LastConnexion=Last login PreviousConnexion=Previous login PreviousValue=Previous value -ConnectedOnMultiCompany=Povezan u okruženje -ConnectedSince=Konektovani ste od +ConnectedOnMultiCompany=Connected on environment +ConnectedSince=Connected since AuthenticationMode=Authentication mode RequestedUrl=Requested URL -DatabaseTypeManager=Manager tipa baze +DatabaseTypeManager=Database type manager RequestLastAccessInError=Latest database access request error ReturnCodeLastAccessInError=Return code for latest database access request error InformationLastAccessInError=Information for latest database access request error -DolibarrHasDetectedError=Dolibarr je detektovao tehničku grešku +DolibarrHasDetectedError=Dolibarr has detected a technical error YouCanSetOptionDolibarrMainProdToZero=You can read log file or set option $dolibarr_main_prod to '0' in your config file to get more information. InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) -MoreInformation=Više informacija -TechnicalInformation=Tehnički podaci -TechnicalID=Tehnički ID +MoreInformation=More information +TechnicalInformation=Technical information +TechnicalID=Technical ID LineID=Line ID -NotePublic=Beleška (javna) -NotePrivate=Beleška (privatna) -PrecisionUnitIsLimitedToXDecimals=Dolibarr je podešen da zaokružuje cene na %s decimala. +NotePublic=Note (public) +NotePrivate=Note (private) +PrecisionUnitIsLimitedToXDecimals=Dolibarr was setup to limit precision of unit prices to %s decimals. DoTest=Test ToFilter=Filter -NoFilter=Nema filtera +NoFilter=No filter WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance time. -yes=da -Yes=Da -no=ne -No=Ne -All=Sve -Home=Početna -Help=Pomoć -OnlineHelp=Online pomoć -PageWiki=Wiki stranica +yes=yes +Yes=Yes +no=no +No=No +All=All +Home=Home +Help=Help +OnlineHelp=Online help +PageWiki=Wiki page MediaBrowser=Media browser -Always=Uvek -Never=Nikad -Under=ispod +Always=Always +Never=Never +Under=under Period=Period -PeriodEndDate=Kraj perioda +PeriodEndDate=End date for period SelectedPeriod=Selected period PreviousPeriod=Previous period -Activate=Aktivirajte -Activated=Uključeno -Closed=Zatvoreno -Closed2=Zatvoreno +Activate=Activate +Activated=Activated +Closed=Closed +Closed2=Closed NotClosed=Not closed -Enabled=Uključeno -Enable=Aktiviraj -Deprecated=Prevaziđeno -Disable=Isključite -Disabled=Isključeno -Add=Dodajte -AddLink=Dodajte link -RemoveLink=Ukloni link +Enabled=Enabled +Enable=Enable +Deprecated=Deprecated +Disable=Disable +Disabled=Disabled +Add=Add +AddLink=Add link +RemoveLink=Remove link AddToDraft=Add to draft -Update=Ažuriraj -Close=Zatvori -CloseAs=Postavi status na +Update=Update +Close=Close +CloseAs=Set status to CloseBox=Remove widget from your dashboard -Confirm=Potvrdi +Confirm=Confirm ConfirmSendCardByMail=Do you really want to send the content of this card by mail to %s? -Delete=Obriši -Remove=Ukloni +Delete=Delete +Remove=Remove Resiliate=Terminate -Cancel=Poništi -Modify=Izmeni -Edit=Izmeni -Validate=Potvrdi -ValidateAndApprove=Validiraj i Odobri -ToValidate=Potvrditi +Cancel=Cancel +Modify=Modify +Edit=Edit +Validate=Validate +ValidateAndApprove=Validate and Approve +ToValidate=To validate NotValidated=Not validated -Save=Sačuvaj -SaveAs=Sačuvaj kao +Save=Save +SaveAs=Save As SaveAndStay=Save and stay SaveAndNew=Save and new -TestConnection=Testiraj konekciju -ToClone=Kloniraj +TestConnection=Test connection +ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? ConfirmClone=Choose the data you want to clone: -NoCloneOptionsSpecified=Podaci za dupliranje nisu definisani: -Of=od -Go=Kreni -Run=Pokreni -CopyOf=Kopija -Show=Pokaži +NoCloneOptionsSpecified=No data to clone defined. +Of=of +Go=Go +Run=Run +CopyOf=Copy of +Show=Show Hide=Hide -ShowCardHere=Prikaži karticu -Search=Potraži -SearchOf=Potraži +ShowCardHere=Show card +Search=Search +SearchOf=Search QuickAdd=Quick add -Valid=Validno -Approve=Odobri -Disapprove=Odbij -ReOpen=Ponovo otvori -OpenVerb=Otvoreno +Valid=Valid +Approve=Approve +Disapprove=Disapprove +ReOpen=Re-Open +OpenVerb=Open Upload=Upload -ToLink=ink -Select=Izaberi +ToLink=Link +Select=Select SelectAll=Select all -Choose=Izaberi -Resize=Promeni veličinu +Choose=Choose +Resize=Resize +Crop=Crop ResizeOrCrop=Resize or Crop -Recenter=Centriraj -Author=Autor -User=Korisnik -Users=Korisnici -Group=Grupa -Groups=Grupe +Author=Author +User=User +Users=Users +Group=Group +Groups=Groups UserGroup=User group UserGroups=User groups -NoUserGroupDefined=Korisnička grupa nije definisana -Password=Lozinka +NoUserGroupDefined=No user group defined +Password=Password PasswordRetype=Repeat your password -NoteSomeFeaturesAreDisabled=Dosta funkcionalnosti/modula su deaktivirani u ovoj demonstraciji. +NoteSomeFeaturesAreDisabled=Note that a lot of features/modules are disabled in this demonstration. YourUserFile=Your user file -Name=Ime +Name=Name NameSlashCompany=Name / Company -Person=Osoba -Parameter=Parametar -Parameters=Parametri -Value=Vrednost -PersonalValue=Lična vrednost +Person=Person +Parameter=Parameter +Parameters=Parameters +Value=Value +PersonalValue=Personal value NewObject=New %s -NewValue=Nova vrednost +NewValue=New value OldValue=Old value %s FieldXModified=Field %s modified FieldXModifiedFromYToZ=Field %s modified from %s to %s -CurrentValue=Trenutna vrednost -Code=Kod -Type=Tip -Language=Jezik -MultiLanguage=Višejezično -Note=Beleška -Title=Naslov -Label=Naziv -RefOrLabel=Ref. ili naziv +CurrentValue=Current value +Code=Code +Type=Type +Language=Language +MultiLanguage=Multi-language +Note=Note +Title=Title +Label=Label +RefOrLabel=Ref. or label Info=Log -Family=Familija -Description=Opis -Designation=Opis -DescriptionOfLine=Opis linije +Family=Family +Description=Description +Designation=Description +DescriptionOfLine=Description of line DateOfLine=Date of line DurationOfLine=Duration of line ParentLine=Parent line ID Model=Doc template DefaultModel=Default doc template -Action=Događaj -About=O -Number=Broj +Action=Event +About=About +Number=Number NumberByMonth=Total reports by month -AmountByMonth=Svota po mesecu -Numero=Broj +AmountByMonth=Amount by month +Numero=Number Limit=Limit -Limits=Limiti +Limits=Limits Logout=Logout -NoLogoutProcessWithAuthMode=Nema funkcionalnosti za diskonekciju sa %s modom autentifikacije +NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode %s Connection=Login -Setup=Podešavanja +Setup=Setup Alert=Alert MenuWarnings=Alerts -Previous=Prethodno -Next=Sledeće -Cards=Kartice -Card=Kartica -Now=Sada -HourStart=Vreme početka +Previous=Previous +Next=Next +Cards=Cards +Card=Card +Now=Now +HourStart=Start hour Deadline=Deadline -Date=Datum -DateAndHour=Datum i vreme -DateToday=Današnji datum -DateReference=Referentni datum -DateStart=Datum početka -DateEnd=Datum završetka -DateCreation=Datum kreacije -DateCreationShort=Datum kreiranja +Date=Date +DateAndHour=Date and hour +DateToday=Today's date +DateReference=Reference date +DateStart=Start date +DateEnd=End date +DateCreation=Creation date +DateCreationShort=Creat. date IPCreation=Creation IP -DateModification=Datum izmene -DateModificationShort=Dat. izmene +DateModification=Modification date +DateModificationShort=Modif. date IPModification=Modification IP DateLastModification=Latest modification date -DateValidation=Datum odobrenja +DateValidation=Validation date DateSigning=Signing date -DateClosing=Datum zatvaranja -DateDue=Rok -DateValue=Datum vrednosti -DateValueShort=Datum vrednosti -DateOperation=Datum operacije -DateOperationShort=Datum oper. -DateLimit=Krajnji datum -DateRequest=Datum zahteva -DateProcess=Datum procesuiranja -DateBuild=Datum generisanja izveštaja -DatePayment=Datum uplate -DateApprove=Vreme odobravanja -DateApprove2=Vreme odobravanja (drugo odobrenje) +DateClosing=Closing date +DateDue=Due date +DateValue=Value date +DateValueShort=Value date +DateOperation=Operation date +DateOperationShort=Oper. Date +DateLimit=Limit date +DateRequest=Request date +DateProcess=Process date +DateBuild=Report build date +DatePayment=Date of payment +DateApprove=Approving date +DateApprove2=Approving date (second approval) RegistrationDate=Registration date UserCreation=Creation user UserModification=Modification user @@ -314,127 +316,127 @@ UserModificationShort=Modif. user UserValidationShort=Valid. user UserClosing=Closing user UserClosingShort=Closing user -DurationYear=godina -DurationMonth=mesec -DurationWeek=nedelja -DurationDay=dan -DurationYears=godine -DurationMonths=meseci -DurationWeeks=nedelje -DurationDays=dani -Year=Godina -Month=Mesec -Week=Nedelja -WeekShort=Nedelja -Day=Dan -Hour=Sat -Minute=Minut -Second=Sekund -Years=Godine -Months=Meseci -Days=Dani -days=dani -Hours=Sati -Minutes=Minuti -Seconds=Sekunde -Weeks=Nedelje -Today=Danas -Yesterday=Juče -Tomorrow=Sutra -Morning=Pre podne -Afternoon=Posle podne +DurationYear=year +DurationMonth=month +DurationWeek=week +DurationDay=day +DurationYears=years +DurationMonths=months +DurationWeeks=weeks +DurationDays=days +Year=Year +Month=Month +Week=Week +WeekShort=Week +Day=Day +Hour=Hour +Minute=Minute +Second=Second +Years=Years +Months=Months +Days=Days +days=days +Hours=Hours +Minutes=Minutes +Seconds=Seconds +Weeks=Weeks +Today=Today +Yesterday=Yesterday +Tomorrow=Tomorrow +Morning=Morning +Afternoon=Afternoon Quadri=Quadri -MonthOfDay=Mesec dana +MonthOfDay=Month of the day DaysOfWeek=Days of week HourShort=H MinuteShort=mn SecondShort=sec -Rate=Kurs +Rate=Rate CurrencyRate=Currency conversion rate -UseLocalTax=Uračunaj porez +UseLocalTax=Include tax Bytes=Bytes KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=Napravio +UserAuthor=Created by UserModif=Updated by b=b. Kb=Kb Mb=Mb Gb=Gb Tb=Tb -Cut=Seci -Copy=Kopiraj -Paste=Zalepi +Cut=Cut +Copy=Copy +Paste=Paste Default=Default -DefaultValue=Default vrednost +DefaultValue=Default value DefaultValues=Default values/filters/sorting -Price=Cena +Price=Price PriceCurrency=Price (currency) -UnitPrice=Jedinična cena +UnitPrice=Unit price UnitPriceHT=Unit price (excl.) UnitPriceHTCurrency=Unit price (excl.) (currency) -UnitPriceTTC=Jedinična cena -PriceU=J.C. -PriceUHT=J.C. (neto) +UnitPriceTTC=Unit price +PriceU=U.P. +PriceUHT=U.P. (net) PriceUHTCurrency=U.P (net) (currency) -PriceUTTC=J.C. (bruto) -Amount=Iznos -AmountInvoice=Iznos računa +PriceUTTC=U.P. (inc. tax) +Amount=Amount +AmountInvoice=Invoice amount AmountInvoiced=Amount invoiced AmountInvoicedHT=Amount invoiced (excl. tax) AmountInvoicedTTC=Amount invoiced (inc. tax) -AmountPayment=Plaćeni iznos +AmountPayment=Payment amount AmountHTShort=Amount (excl.) -AmountTTCShort=Iznos (bruto) +AmountTTCShort=Amount (inc. tax) AmountHT=Amount (excl. tax) -AmountTTC=Iznos (bruto) -AmountVAT=Iznos poreza +AmountTTC=Amount (inc. tax) +AmountVAT=Amount tax MulticurrencyAlreadyPaid=Already paid, original currency MulticurrencyRemainderToPay=Remain to pay, original currency MulticurrencyPaymentAmount=Payment amount, original currency MulticurrencyAmountHT=Amount (excl. tax), original currency -MulticurrencyAmountTTC=Iznos (sa PDV-om), originalna valuta -MulticurrencyAmountVAT=Ukupno PDV, originalna valuta +MulticurrencyAmountTTC=Amount (inc. of tax), original currency +MulticurrencyAmountVAT=Amount tax, original currency MulticurrencySubPrice=Amount sub price multi currency -AmountLT1=Iznos poreza 2 -AmountLT2=Iznos poreza 3 -AmountLT1ES=Iznos RE -AmountLT2ES=Iznos IRPF -AmountTotal=Ukupan iznos -AmountAverage=Prosečan iznos +AmountLT1=Amount tax 2 +AmountLT2=Amount tax 3 +AmountLT1ES=Amount RE +AmountLT2ES=Amount IRPF +AmountTotal=Total amount +AmountAverage=Average amount PriceQtyMinHT=Price quantity min. (excl. tax) PriceQtyMinHTCurrency=Price quantity min. (excl. tax) (currency) PercentOfOriginalObject=Percent of original object AmountOrPercent=Amount or percent -Percentage=Procenat +Percentage=Percentage Total=Total -SubTotal=Zbir +SubTotal=Subtotal TotalHTShort=Total (excl.) TotalHT100Short=Total 100%% (excl.) TotalHTShortCurrency=Total (excl. in currency) -TotalTTCShort=Ukupno (bruto) +TotalTTCShort=Total (inc. tax) TotalHT=Total (excl. tax) TotalHTforthispage=Total (excl. tax) for this page Totalforthispage=Total for this page -TotalTTC=Ukupno (bruto) -TotalTTCToYourCredit=Ukupno (bruto) za Vaš račun -TotalVAT=Ukupan porez +TotalTTC=Total (inc. tax) +TotalTTCToYourCredit=Total (inc. tax) to your credit +TotalVAT=Total tax TotalVATIN=Total IGST -TotalLT1=Ukupan porez 2 -TotalLT2=Ukupan porez 3 -TotalLT1ES=Ukupno RE -TotalLT2ES=Ukupno IRPF +TotalLT1=Total tax 2 +TotalLT2=Total tax 3 +TotalLT1ES=Total RE +TotalLT2ES=Total IRPF TotalLT1IN=Total CGST TotalLT2IN=Total SGST HT=Excl. tax -TTC=Bruto +TTC=Inc. tax INCVATONLY=Inc. VAT INCT=Inc. all taxes -VAT=Porez na promet +VAT=Sales tax VATIN=IGST -VATs=Porezi prodaje +VATs=Sales taxes VATINs=IGST taxes LT1=Sales tax 2 LT1Type=Sales tax 2 type @@ -444,381 +446,383 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Additionnal cents -VATRate=Stopa poreza +LT1GC=Additional cents +VATRate=Tax Rate RateOfTaxN=Rate of tax %s VATCode=Tax Rate code VATNPR=Tax Rate NPR DefaultTaxRate=Default tax rate -Average=Prosek -Sum=Suma -Delta=Razlika -StatusToPay=Za plaćanje +Average=Average +Sum=Sum +Delta=Delta +StatusToPay=To pay RemainToPay=Remain to pay Module=Module/Application Modules=Modules/Applications -Option=Opcija +Option=Option Filters=Filters -List=Lista -FullList=Cela lista +List=List +FullList=Full list FullConversation=Full conversation -Statistics=Statistike -OtherStatistics=Druge statistike +Statistics=Statistics +OtherStatistics=Other statistics Status=Status -Favorite=Preferirani +Favorite=Favorite ShortInfo=Info. Ref=Ref. -ExternalRef=Eksterna ref. +ExternalRef=Ref. extern RefSupplier=Ref. vendor -RefPayment=Ref. plaćanja -CommercialProposalsShort=Komercijalne svrhe -Comment=Komentar -Comments=Komentari -ActionsToDo=Događaji za obradu -ActionsToDoShort=Na čekanju -ActionsDoneShort=Završeno -ActionNotApplicable=Nije primenjivo -ActionRunningNotStarted=Započeti -ActionRunningShort=U toku -ActionDoneShort=Završeno +RefPayment=Ref. payment +CommercialProposalsShort=Commercial proposals +Comment=Comment +Comments=Comments +ActionsToDo=Events to do +ActionsToDoShort=To do +ActionsDoneShort=Done +ActionNotApplicable=Not applicable +ActionRunningNotStarted=To start +ActionRunningShort=In progress +ActionDoneShort=Finished ActionUncomplete=Incomplete LatestLinkedEvents=Latest %s linked events CompanyFoundation=Company/Organization Accountant=Accountant -ContactsForCompany=Kontakti za ovaj subjekat -ContactsAddressesForCompany=Kontakti/adrese za ovaj subjekat -AddressesForCompany=Adrese za ovaj subjekat +ContactsForCompany=Contacts for this third party +ContactsAddressesForCompany=Contacts/addresses for this third party +AddressesForCompany=Addresses for this third party ActionsOnCompany=Events for this third party ActionsOnContact=Events for this contact/address ActionsOnContract=Events for this contract -ActionsOnMember=Događaji vezani za ovog člana +ActionsOnMember=Events about this member ActionsOnProduct=Events about this product ActionsOnAsset=Events for this fixed asset -NActionsLate=%s kasni -ToDo=Na čekanju +NActionsLate=%s late +ToDo=To do Completed=Completed -Running=U toku -RequestAlreadyDone=Upit je već zabeležen +Running=In progress +RequestAlreadyDone=Request already recorded Filter=Filter -FilterOnInto=Kriterijum pretrage '%s' za polja %s -RemoveFilter=Ukloni filter -ChartGenerated=Grafik generisan -ChartNotGenerated=Grafik nije generisan -GeneratedOn=Kreirano %s -Generate=Gereriši -Duration=Trajanje -TotalDuration=Ukupno trajanje -Summary=Rezime +FilterOnInto=Search criteria '%s' into fields %s +RemoveFilter=Remove filter +ChartGenerated=Chart generated +ChartNotGenerated=Chart not generated +GeneratedOn=Build on %s +Generate=Generate +Duration=Duration +TotalDuration=Total duration +Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items NoOpenedElementToProcess=No open element to process -Available=Dostupno -NotYetAvailable=Još uvek nedostupno -NotAvailable=Nedostupno -Categories=Tagovi/kategorije -Category=Tag/kategorija +Available=Available +NotYetAvailable=Not yet available +NotAvailable=Not available +Categories=Tags/categories +Category=Tag/category SelectTheTagsToAssign=Select the tags/categories to assign -By=Do -From=Od -FromDate=Od -FromLocation=Od -to=do -To=do -ToDate=do -ToLocation=do +By=By +From=From +FromDate=From +FromLocation=From +to=to +To=to +ToDate=to +ToLocation=to at=at -and=i -or=ili -Other=Drugo -Others=Drugi +and=and +or=or +Other=Other +Others=Others OtherInformations=Other information Workflow=Workflow -Quantity=Količina -Qty=Kol. -ChangedBy=Izmenio -ApprovedBy=Odobrio -ApprovedBy2=Odobrio (drugo odobrenje) -Approved=Odobreno -Refused=Odbijeno -ReCalculate=Preračunaj -ResultKo=Greška -Reporting=Izveštavanje -Reportings=Izveštavanje +Quantity=Quantity +Qty=Qty +ChangedBy=Changed by +ApprovedBy=Approved by +ApprovedBy2=Approved by (second approval) +Approved=Approved +Refused=Refused +ReCalculate=Recalculate +ResultKo=Failure +Reporting=Reporting +Reportings=Reporting Draft=Draft -Drafts=Draft +Drafts=Drafts StatusInterInvoiced=Invoiced -Validated=Validirano +Done=Done +Validated=Validated ValidatedToProduce=Validated (To produce) -Opened=Otvoreno +Opened=Open OpenAll=Open (All) ClosedAll=Closed (All) -New=Novo -Discount=Popust -Unknown=Nepoznato -General=Opšte -Size=Veličina +New=New +Discount=Discount +Unknown=Unknown +General=General +Size=Size OriginalSize=Original size RotateImage=Rotate 90° -Received=Primljeno -Paid=Plaćeno -Topic=Objekat -ByCompanies=Po subjektima +Received=Received +Paid=Paid +Topic=Subject +ByCompanies=By third parties ByUsers=By user -Links=Linkovi +Links=Links Link=Link -Rejects=Odbijeni +Rejects=Rejects Preview=Preview -NextStep=Sledeće -Datas=Podaci -None=Ništa -NoneF=Ništa +NextStep=Next step +Datas=Data +None=None +NoneF=None NoneOrSeveral=None or several -Late=Kasni +Late=Late LateDesc=An item is defined as Delayed as per the system configuration in menu Home - Setup - Alerts. NoItemLate=No late item -Photo=Slika -Photos=Slike -AddPhoto=Dodaj sliku -DeletePicture=Obriši sliku -ConfirmDeletePicture=Potvrdite brisanje slike? +Photo=Picture +Photos=Pictures +AddPhoto=Add picture +DeletePicture=Picture delete +ConfirmDeletePicture=Confirm picture deletion? Login=Login LoginEmail=Login (email) LoginOrEmail=Login or Email -CurrentLogin=Trenutni login +CurrentLogin=Current login EnterLoginDetail=Enter login details -January=Januar -February=Februar -March=Mart +January=January +February=February +March=March April=April -May=Maj -June=Jun -July=Jul -August=Avgust -September=Septembar -October=Oktobar -November=Novembar -December=Decembar -Month01=Januar -Month02=Februar -Month03=Mart +May=May +June=June +July=July +August=August +September=September +October=October +November=November +December=December +Month01=January +Month02=February +Month03=March Month04=April -Month05=Maj -Month06=Jun -Month07=Jul -Month08=Avgust -Month09=Septembar -Month10=Oktobar -Month11=Novembar -Month12=Decembar +Month05=May +Month06=June +Month07=July +Month08=August +Month09=September +Month10=October +Month11=November +Month12=December MonthShort01=Jan MonthShort02=Feb MonthShort03=Mar MonthShort04=Apr -MonthShort05=Maj +MonthShort05=May MonthShort06=Jun MonthShort07=Jul -MonthShort08=Avg +MonthShort08=Aug MonthShort09=Sep -MonthShort10=Okt +MonthShort10=Oct MonthShort11=Nov MonthShort12=Dec MonthVeryShort01=J -MonthVeryShort02=P -MonthVeryShort03=P +MonthVeryShort02=F +MonthVeryShort03=M MonthVeryShort04=A -MonthVeryShort05=P +MonthVeryShort05=M MonthVeryShort06=J MonthVeryShort07=J MonthVeryShort08=A -MonthVeryShort09=N +MonthVeryShort09=S MonthVeryShort10=O MonthVeryShort11=N MonthVeryShort12=D -AttachedFiles=Fajlovi i dokumenti u prilogu +AttachedFiles=Attached files and documents JoinMainDoc=Join main document JoinMainDocOrLastGenerated=Send the main document or the last generated one if not found DateFormatYYYYMM=YYYY-MM DateFormatYYYYMMDD=YYYY-MM-DD DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS -ReportName=Ime izveštaja -ReportPeriod=Period izveštaja -ReportDescription=Opis -Report=Izveštaj +ReportName=Report name +ReportPeriod=Report period +ReportDescription=Description +Report=Report Keyword=Keyword Origin=Origin -Legend=Legenda -Fill=Ispuni -Reset=Resetuj -File=Fajl -Files=Fajlovi -NotAllowed=Nije dozvoljeno -ReadPermissionNotAllowed=Čitanje nije dozvoljeno -AmountInCurrency=Iznos u %s valuti -Example=Primer -Examples=Primeri -NoExample=Nema primera -FindBug=Prijavi bug -NbOfThirdParties=Broj subjekata -NbOfLines=Broj linija -NbOfObjects=Broj objekata +Legend=Legend +Fill=Fill +Reset=Reset +File=File +Files=Files +NotAllowed=Not allowed +ReadPermissionNotAllowed=Read permission not allowed +AmountInCurrency=Amount in %s currency +Example=Example +Examples=Examples +NoExample=No example +FindBug=Report a bug +NbOfThirdParties=Number of third parties +NbOfLines=Number of lines +NbOfObjects=Number of objects NbOfObjectReferers=Number of related items Referers=Related items -TotalQuantity=Ukupna količina -DateFromTo=Od %s do %s -DateFrom=Od %s -DateUntil=Do %s -Check=Proveri -Uncheck=Ukloni -Internal=interni -External=Eksterni -Internals=Interni -Externals=Eksterni -Warning=Upozorenje -Warnings=Upozorenja -BuildDoc=Generiši Doc -Entity=Okruženje -Entities=Objekti -CustomerPreview=Preview klijenta +TotalQuantity=Total quantity +DateFromTo=From %s to %s +DateFrom=From %s +DateUntil=Until %s +Check=Check +Uncheck=Uncheck +Internal=Internal +External=External +Internals=Internal +Externals=External +Warning=Warning +Warnings=Warnings +BuildDoc=Build Doc +Entity=Environment +Entities=Entities +CustomerPreview=Customer preview SupplierPreview=Vendor preview -ShowCustomerPreview=Prikaži preview klijenta +ShowCustomerPreview=Show customer preview ShowSupplierPreview=Show vendor preview -RefCustomer=Ref. klijenta +RefCustomer=Ref. customer InternalRef=Internal ref. -Currency=Valuta -InfoAdmin=Informacija za administratore +Currency=Currency +InfoAdmin=Information for administrators Undo=Undo Redo=Redo -ExpandAll=Otvori sve -UndoExpandAll=Poništi otvaranje +ExpandAll=Expand all +UndoExpandAll=Undo expand SeeAll=See all -Reason=Razlog -FeatureNotYetSupported=Funkcionalnost još nije podržana -CloseWindow=Zatvori prozor -Response=Odgovor -Priority=Prioritet +Reason=Reason +FeatureNotYetSupported=Feature not yet supported +CloseWindow=Close window +Response=Response +Priority=Priority SendByMail=Send by email -MailSentBy=Mail poslao -NotSent=Nije poslat -TextUsedInTheMessageBody=Sadržaj maila +MailSentBy=Email sent by +MailSentByTo=Email sent by %s to %s +NotSent=Not sent +TextUsedInTheMessageBody=Email body SendAcknowledgementByMail=Send confirmation email -SendMail=Pošalji email +SendMail=Send email Email=Email -NoEMail=Nema maila +NoEMail=No email AlreadyRead=Already read -NotRead=Nepročitano -NoMobilePhone=Nema mobilnog telefona -Owner=Vlasnik -FollowingConstantsWillBeSubstituted=Sledeće konstante će biti zamenjene odgovarajućim vrednostima. +NotRead=Unread +NoMobilePhone=No mobile phone +Owner=Owner +FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh -BackToList=Nazad na listu +BackToList=Back to list BackToTree=Back to tree -GoBack=Nazad -CanBeModifiedIfOk=Može biti izmenjeno ukoliko je validno. -CanBeModifiedIfKo=Može biti izmenjeno ukoliko nije validno -ValueIsValid=Vrednost je ispravna +GoBack=Go back +CanBeModifiedIfOk=Can be modified if valid +CanBeModifiedIfKo=Can be modified if not valid +ValueIsValid=Value is valid ValueIsNotValid=Value is not valid RecordCreatedSuccessfully=Record created successfully -RecordModifiedSuccessfully=Linija uspešno izmenjena +RecordModifiedSuccessfully=Record modified successfully RecordsModified=%s record(s) modified RecordsDeleted=%s record(s) deleted RecordsGenerated=%s record(s) generated -AutomaticCode=Automatski kod -FeatureDisabled=Funkcionalnost deaktivirana +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. +AutomaticCode=Automatic code +FeatureDisabled=Feature disabled MoveBox=Move widget -Offered=Ponuđeno -NotEnoughPermissions=Nemate pravo da izvršite ovu operaciju +Offered=Offered +NotEnoughPermissions=You don't have permission for this action UserNotInHierachy=This action is reserved to the supervisors of this user -SessionName=Ime sesije -Method=Metoda -Receive=Primi +SessionName=Session name +Method=Method +Receive=Receive CompleteOrNoMoreReceptionExpected=Complete or nothing more expected ExpectedValue=Expected Value ExpectedQty=Expected Qty -PartialWoman=Delimično -TotalWoman=Celo -NeverReceived=Nije primljena -Canceled=Otkazano +PartialWoman=Partial +TotalWoman=Total +NeverReceived=Never received +Canceled=Canceled YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu Setup - Dictionaries YouCanChangeValuesForThisListFrom=You can change values for this list from menu %s YouCanSetDefaultValueInModuleSetup=You can set the default value used when creating a new record in module setup -Color=Boja -Documents=Povezani fajlovi -Documents2=Dokumenti -UploadDisabled=Upload deaktiviran -MenuAccountancy=Računovodstvo -MenuECM=Dokumenti +Color=Color +Documents=Linked files +Documents2=Documents +UploadDisabled=Upload disabled +MenuAccountancy=Accounting +MenuECM=Documents MenuAWStats=AWStats -MenuMembers=Članovi +MenuMembers=Members MenuAgendaGoogle=Google agenda MenuTaxesAndSpecialExpenses=Taxes | Special expenses -ThisLimitIsDefinedInSetup=Dolibarr limit (Meni home-podešavanja-bezbednost): %s Kb, PHP limit: %s Kb +ThisLimitIsDefinedInSetup=Dolibarr limit (Menu home-setup-security): %s Kb, PHP limit: %s Kb ThisLimitIsDefinedInSetupAt=Dolibarr limit (Menu %s): %s Kb, PHP limit (Param %s): %s Kb NoFileFound=No documents uploaded -CurrentUserLanguage=Aktivni jezik -CurrentTheme=Aktivna tema -CurrentMenuManager=Aktivni menu manager +CurrentUserLanguage=Current language +CurrentTheme=Current theme +CurrentMenuManager=Current menu manager Browser=Browser Layout=Layout Screen=Screen -DisabledModules=Deaktivirani moduli -For=Za -ForCustomer=Za klijenta -Signature=Potpis -DateOfSignature=Date of signature -HidePassword=Prikaži komandu sa sakrivenom lozinkom -UnHidePassword=Prikaži realnu komandu sa vidljivom lozinkom +DisabledModules=Disabled modules +For=For +ForCustomer=For customer +Signature=Signature +HidePassword=Show command with password hidden +UnHidePassword=Show real command with clear password Root=Root -RootOfMedias=Root of public medias (/medias) -Informations=Informacija -Page=Strana -Notes=Beleške -AddNewLine=Dodaj liniju -AddFile=Dodaj fajl +RootOfMedias=Root of public media (/medias) +Informations=Information +Page=Page +Notes=Notes +AddNewLine=Add new line +AddFile=Add file FreeZone=Free-text product FreeLineOfType=Free-text item, type: -CloneMainAttributes=Dupliraj objekat sa glavnim atributima +CloneMainAttributes=Clone object with its main attributes ReGeneratePDF=Re-generate PDF PDFMerge=PDF Merge Merge=Merge DocumentModelStandardPDF=Standard PDF template -PrintContentArea=Prikaži stranu za štampanje glavnog sadržaja +PrintContentArea=Show page to print main content area MenuManager=Menu manager WarningYouAreInMaintenanceMode=Warning, you are in maintenance mode: only login %s is allowed to use the application in this mode. -CoreErrorTitle=Sistemska greška +CoreErrorTitle=System error CoreErrorMessage=Sorry, an error occurred. Contact your system administrator to check the logs or disable $dolibarr_main_prod=1 to get more information. -CreditCard=Kreditna kartica -ValidatePayment=Potvrdi plaćanje +CreditCard=Credit card +ValidatePayment=Validate payment CreditOrDebitCard=Credit or debit card -FieldsWithAreMandatory=Polja sa %s su obavezna +FieldsWithAreMandatory=Fields with %s are mandatory FieldsWithIsForPublic=Fields with %s are shown in public list of members. If you don't want this, uncheck the "public" box. AccordingToGeoIPDatabase=(according to GeoIP conversion) -Line=Linija -NotSupported=Nije podržano -RequiredField=Obavezno polje -Result=Rezultat +Line=Line +NotSupported=Not supported +RequiredField=Required field +Result=Result ToTest=Test ValidateBefore=Item must be validated before using this feature -Visibility=Vidljivost +Visibility=Visibility Totalizable=Totalizable TotalizableDesc=This field is totalizable in list -Private=Privatno -Hidden=Skriveno -Resources=Resursi -Source=Izvor -Prefix=Prefiks -Before=Pre -After=Posle -IPAddress=IP adresa -Frequency=Učestalost -IM=Chat -NewAttribute=Novi atribut -AttributeCode=Kod atributa -URLPhoto=URL fotografije/logoa -SetLinkToAnotherThirdParty=Link ka drugom subjektu +Private=Private +Hidden=Hidden +Resources=Resources +Source=Source +Prefix=Prefix +Before=Before +After=After +IPAddress=IP address +Frequency=Frequency +IM=Instant messaging +NewAttribute=New attribute +AttributeCode=Attribute code +URLPhoto=URL of photo/logo +SetLinkToAnotherThirdParty=Link to another third party LinkTo=Link to LinkToProposal=Link to proposal LinkToExpedition= Link to expedition -LinkToOrder=Link ka narudžbini +LinkToOrder=Link to order LinkToInvoice=Link to invoice LinkToTemplateInvoice=Link to template invoice LinkToSupplierOrder=Link to purchase order @@ -828,79 +832,79 @@ LinkToContract=Link to contract LinkToIntervention=Link to intervention LinkToTicket=Link to ticket LinkToMo=Link to Mo -CreateDraft=Napravi draft -SetToDraft=Nazad u draft -ClickToEdit=Klikni za edit +CreateDraft=Create draft +SetToDraft=Back to draft +ClickToEdit=Click to edit ClickToRefresh=Click to refresh EditWithEditor=Edit with CKEditor EditWithTextEditor=Edit with Text editor EditHTMLSource=Edit HTML Source -ObjectDeleted=Objekat %s je obrisan -ByCountry=Po zemlji -ByTown=Po gradu -ByDate=Po datumu -ByMonthYear=Po mesecu/godini -ByYear=Po godini -ByMonth=Po mesecu -ByDay=Po danu -BySalesRepresentative=Po agentu prodaje -LinkedToSpecificUsers=Povezano sa kontaktom korisnika -NoResults=Nema rezultata +ObjectDeleted=Object %s deleted +ByCountry=By country +ByTown=By town +ByDate=By date +ByMonthYear=By month/year +ByYear=By year +ByMonth=By month +ByDay=By day +BySalesRepresentative=By sales representative +LinkedToSpecificUsers=Linked to a particular user contact +NoResults=No results AdminTools=Admin Tools -SystemTools=Sistemski alati -ModulesSystemTools=Alati modua +SystemTools=System tools +ModulesSystemTools=Modules tools Test=Test Element=Element -NoPhotoYet=Još nema slika -Dashboard=Kontrolna tabla +NoPhotoYet=No pictures available yet +Dashboard=Dashboard MyDashboard=My Dashboard -Deductible=Može se odbiti -from=od -toward=ka -Access=Pristup -SelectAction=Selektiraj akciju +Deductible=Deductible +from=from +toward=toward +Access=Access +SelectAction=Select action SelectTargetUser=Select target user/employee -HelpCopyToClipboard=Ctrl+C za kopiranje -SaveUploadedFileWithMask=Sačuvaj fajl na serveru sa nazivom "%s" (ili "%s") -OriginFileName=Originalno ime fajla -SetDemandReason=Postavi izvor -SetBankAccount=Definiši bankovni nalog +HelpCopyToClipboard=Use Ctrl+C to copy to clipboard +SaveUploadedFileWithMask=Save file on server with name "%s" (otherwise "%s") +OriginFileName=Original filename +SetDemandReason=Set source +SetBankAccount=Define Bank Account AccountCurrency=Account currency -ViewPrivateNote=Pogledaj beleške -XMoreLines=%s linija skrivena(o) +ViewPrivateNote=View notes +XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines -PublicUrl=Javni UR -AddBox=Dodaj box +PublicUrl=Public URL +AddBox=Add box SelectElementAndClick=Select an element and click on %s -PrintFile=Štampaj fajl %s +PrintFile=Print File %s ShowTransaction=Show entry on bank account -ShowIntervention=Prikaži intervenciju -ShowContract=Pokaži ugovor +ShowIntervention=Show intervention +ShowContract=Show contract GoIntoSetupToChangeLogo=Go to Home - Setup - Company to change logo or go to Home - Setup - Display to hide. -Deny=Odbij -Denied=Odbijeno +Deny=Deny +Denied=Denied ListOf=List of %s -ListOfTemplates=Lista templejtova -Gender=Pol +ListOfTemplates=List of templates +Gender=Gender Genderman=Male Genderwoman=Female -Genderother=Drugo -ViewList=Prikaz liste +Genderother=Other +ViewList=List view ViewGantt=Gantt view ViewKanban=Kanban view -Mandatory=Obavezno -Hello=Zdravo +Mandatory=Mandatory +Hello=Hello GoodBye=GoodBye -Sincerely=Srdačan pozdrav +Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? -DeleteLine=Obriši red +DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected -MassFilesArea=Zona za dokumenta kreirana masovnim akcijama -ShowTempMassFilesArea=Prikaži zonu za dokumenta kreirana masovnim akcijama +MassFilesArea=Area for files built by mass actions +ShowTempMassFilesArea=Show area of files built by mass actions ConfirmMassDeletion=Bulk Delete confirmation ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record(s)? ConfirmMassClone=Bulk clone confirmation @@ -909,14 +913,15 @@ ConfirmMassCloneToOneProject=Clone to project %s RelatedObjects=Related Objects ClassifyBilled=Classify Billed ClassifyUnbilled=Classify Unbilled -Progress=Napredovanje +Progress=Progress ProgressShort=Progr. FrontOffice=Front office -BackOffice=Finansijska služba +BackOffice=Back office Submit=Submit View=View -Export=Izvoz -Exports=Izvozi +Export=Export +Import=Import +Exports=Exports ExportFilteredList=Export filtered list ExportList=Export list ExportOptions=Export Options @@ -925,8 +930,8 @@ ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported AllExportedMovementsWereRecordedAsExported=All exported movements were recorded as exported NotAllExportedMovementsCouldBeRecordedAsExported=Not all exported movements could be recorded as exported -Miscellaneous=Ostalo -Calendar=Kalendar +Miscellaneous=Miscellaneous +Calendar=Calendar GroupBy=Group by... GroupByX=Group by %s ViewFlatList=View flat list @@ -949,20 +954,20 @@ BulkActions=Bulk actions ClickToShowHelp=Click to show tooltip help WebSite=Website WebSites=Websites -WebSiteAccounts=Website accounts -ExpenseReport=Trošak -ExpenseReports=Troškovi +WebSiteAccounts=Web access accounts +ExpenseReport=Expense report +ExpenseReports=Expense reports HR=HR HRAndBank=HR and Bank AutomaticallyCalculated=Automatically calculated TitleSetToDraft=Go back to draft ConfirmSetToDraft=Are you sure you want to go back to Draft status? ImportId=Import id -Events=Događaj +Events=Events EMailTemplates=Email templates FileNotShared=File not shared to external public -Project=Projekat -Projects=Projekti +Project=Project +Projects=Projects LeadOrProject=Lead | Project LeadsOrProjects=Leads | Projects Lead=Lead @@ -970,39 +975,39 @@ Leads=Leads ListOpenLeads=List open leads ListOpenProjects=List open projects NewLeadOrProject=New lead or project -Rights=Prava +Rights=Permissions LineNb=Line no. IncotermLabel=Incoterms TabLetteringCustomer=Customer lettering TabLetteringSupplier=Vendor lettering -Monday=Ponedeljak -Tuesday=Utorak -Wednesday=Sreda -Thursday=Četvrtak -Friday=Petak -Saturday=Subota -Sunday=Nedelja -MondayMin=Po -TuesdayMin=Ut -WednesdayMin=Sr -ThursdayMin=Če -FridayMin=Pe -SaturdayMin=Su -SundayMin=Ne -Day1=Ponedeljak -Day2=Utorak -Day3=Sreda -Day4=Četvrtak -Day5=Petak -Day6=Subota -Day0=Nedelja -ShortMonday=P -ShortTuesday=U -ShortWednesday=S -ShortThursday=Č -ShortFriday=P +Monday=Monday +Tuesday=Tuesday +Wednesday=Wednesday +Thursday=Thursday +Friday=Friday +Saturday=Saturday +Sunday=Sunday +MondayMin=Mo +TuesdayMin=Tu +WednesdayMin=We +ThursdayMin=Th +FridayMin=Fr +SaturdayMin=Sa +SundayMin=Su +Day1=Monday +Day2=Tuesday +Day3=Wednesday +Day4=Thursday +Day5=Friday +Day6=Saturday +Day0=Sunday +ShortMonday=M +ShortTuesday=T +ShortWednesday=W +ShortThursday=T +ShortFriday=F ShortSaturday=S -ShortSunday=N +ShortSunday=S one=one two=two three=three @@ -1037,47 +1042,48 @@ billion=billion trillion=trillion quadrillion=quadrillion SelectMailModel=Select an email template -SetRef=Podesi ref +SetRef=Set ref Select2ResultFoundUseArrows=Some results found. Use arrows to select. -Select2NotFound=Nema rezultata -Select2Enter=Unesite +Select2NotFound=No result found +Select2Enter=Enter Select2MoreCharacter=or more character -Select2MoreCharacters=ili više karaktera +Select2MoreCharacters=or more characters Select2MoreCharactersMore=Search syntax:
      | OR (a|b)
      * Any character (a*b)
      ^ Start with (^ab)
      $ End with (ab$)
      -Select2LoadingMoreResults=Učitavanje drugih rezultata... -Select2SearchInProgress=Pretraga u toku... -SearchIntoThirdparties=Subjekti -SearchIntoContacts=Kontakti -SearchIntoMembers=Članovi -SearchIntoUsers=Korisnici -SearchIntoProductsOrServices=Proizvodi ili usluge +Select2LoadingMoreResults=Loading more results... +Select2SearchInProgress=Search in progress... +SearchIntoThirdparties=Third parties +SearchIntoContacts=Contacts +SearchIntoMembers=Members +SearchIntoUsers=Users +SearchIntoProductsOrServices=Products or services SearchIntoBatch=Lots / Serials -SearchIntoProjects=Projekti +SearchIntoProjects=Projects SearchIntoMO=Manufacturing Orders -SearchIntoTasks=Zadaci -SearchIntoCustomerInvoices=Fakture klijenata +SearchIntoTasks=Tasks +SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Komercijalne svrhe +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals -SearchIntoInterventions=Intervencije -SearchIntoContracts=Ugovori +SearchIntoInterventions=Interventions +SearchIntoContracts=Contracts SearchIntoCustomerShipments=Customer shipments -SearchIntoExpenseReports=Troškovi +SearchIntoExpenseReports=Expense reports SearchIntoLeaves=Leave SearchIntoKM=Knowledge base -SearchIntoTickets=Tiketi +SearchIntoTickets=Tickets SearchIntoCustomerPayments=Customer payments SearchIntoVendorPayments=Vendor payments SearchIntoMiscPayments=Miscellaneous payments -CommentLink=Komentari +CommentLink=Comments NbComments=Number of comments CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted -Everybody=Svi -PayedBy=Platio +Everybody=Everybody +EverybodySmall=Everybody +PayedBy=Paid by PayedTo=Paid to Monthly=Monthly Quarterly=Quarterly @@ -1086,10 +1092,10 @@ Local=Local Remote=Remote LocalAndRemote=Local and Remote KeyboardShortcut=Keyboard shortcut -AssignedTo=Dodeljeno +AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft mass delete confirmation -FileSharedViaALink=File shared with a public link +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Select a third party first... YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode Inventory=Inventory @@ -1105,25 +1111,25 @@ ValidUntil=Valid until NoRecordedUsers=No users ToClose=To close ToRefuse=To refuse -ToProcess=Za procesuiranje +ToProcess=To process ToApprove=To approve GlobalOpenedElemView=Global view NoArticlesFoundForTheKeyword=No article found for the keyword '%s' NoArticlesFoundForTheCategory=No article found for the category ToAcceptRefuse=To accept | refuse -ContactDefault_agenda=Događaj -ContactDefault_commande=Narudžbina -ContactDefault_contrat=Ugovor -ContactDefault_facture=Račun -ContactDefault_fichinter=Intervencija +ContactDefault_agenda=Event +ContactDefault_commande=Order +ContactDefault_contrat=Contract +ContactDefault_facture=Invoice +ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice ContactDefault_order_supplier=Purchase Order -ContactDefault_project=Projekat -ContactDefault_project_task=Zadatak -ContactDefault_propal=Ponuda +ContactDefault_project=Project +ContactDefault_project_task=Task +ContactDefault_propal=Proposal ContactDefault_supplier_proposal=Supplier Proposal -ContactDefault_ticket=Tiket -ContactAddedAutomatically=Contact added from contact thirdparty roles +ContactDefault_ticket=Ticket +ContactAddedAutomatically=Contact added from third-party contact roles More=More ShowDetails=Show details CustomReports=Custom reports @@ -1141,7 +1147,7 @@ NotUsedForThisCustomer=Not used for this customer NotUsedForThisVendor=Not used for this vendor AmountMustBePositive=Amount must be positive ByStatus=By status -InformationMessage=Informacija +InformationMessage=Information Used=Used ASAP=As Soon As Possible CREATEInDolibarr=Record %s created @@ -1151,20 +1157,20 @@ VALIDATEInDolibarr=Record %s validated APPROVEDInDolibarr=Record %s approved DefaultMailModel=Default Mail Model PublicVendorName=Public name of vendor -DateOfBirth=Datum rođenja +DateOfBirth=Date of birth SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again. UpToDate=Up-to-date OutOfDate=Out-of-date EventReminder=Event Reminder UpdateForAllLines=Update for all lines -OnHold=Na čekanju +OnHold=On hold Civility=Civility AffectTag=Assign a Tag AffectUser=Assign a User SetSupervisor=Set the supervisor CreateExternalUser=Create external user -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=Role assigned on each project/opportunity TasksRole=Role assigned on each task (if used) ConfirmSetSupervisor=Bulk Supervisor Set @@ -1174,7 +1180,7 @@ ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s select ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? CategTypeNotFound=No tag type found for type of records -Rate=Kurs +Rate=Rate SupervisorNotFound=Supervisor not found CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. @@ -1219,10 +1225,10 @@ Automation=Automation CreatedByEmailCollector=Created by Email collector CreatedByPublicPortal=Created from Public portal UserAgent=User Agent -InternalUser=Interni korisnik -ExternalUser=Spoljni korisnik +InternalUser=Internal user +ExternalUser=External user NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Hide %s AddToContacts=Add address to my contacts LastAccess=Last access @@ -1234,8 +1240,23 @@ TreeView=Tree view DropFileToAddItToObject=Drop a file to add it to this object UploadFileDragDropSuccess=The file(s) have been uploaded successfully SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison -InProgress=U toku +InProgress=In progress DateOfPrinting=Date of printing ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. UserNotYetValid=Not yet valid -UserExpired=Istekla +UserExpired=Expired +LinkANewFile=Link a new file/document +LinkedFiles=Linked files and documents +NoLinkFound=No registered links +LinkComplete=The file has been linked successfully +ErrorFileNotLinked=The file could not be linked +LinkRemoved=The link %s has been removed +ErrorFailedToDeleteLink= Failed to remove link '%s' +ErrorFailedToUpdateLink= Failed to update link '%s' +URLToLink=URL to link +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/sr_RS/margins.lang b/htdocs/langs/sr_RS/margins.lang index d4f59faf01e..7d659270184 100644 --- a/htdocs/langs/sr_RS/margins.lang +++ b/htdocs/langs/sr_RS/margins.lang @@ -1,45 +1,46 @@ # Dolibarr language file - Source file is en_US - marges -Margin=Marža -Margins=Marže -TotalMargin=Ukupna marža -MarginOnProducts=Marža / Proizvodi -MarginOnServices=Marža / Usluge -MarginRate=Stopa marže -MarkRate=Stopa marže -DisplayMarginRates=Prikaži stope marže -DisplayMarkRates=Prikaži stope marže -InputPrice=Ulazna cena -margin=Upravljanje maržama profita -margesSetup=Podešavanja upravljanja maržama profita -MarginDetails=Detalji marže -ProductMargins=Marže proizvoda -CustomerMargins=Marže klijenta -SalesRepresentativeMargins=Marže agenta prodaje +Margin=Margin +Margins=Margins +TotalMargin=Total Margin +MarginOnProducts=Margin / Products +MarginOnServices=Margin / Services +MarginRate=Margin rate +ModifyMarginRates=Modify margin rates +MarkRate=Mark rate +DisplayMarginRates=Display margin rates +DisplayMarkRates=Display mark rates +InputPrice=Input price +margin=Profit margins management +margesSetup=Profit margins management setup +MarginDetails=Margin details +ProductMargins=Product margins +CustomerMargins=Customer margins +SalesRepresentativeMargins=Sales representative margins ContactOfInvoice=Contact of invoice -UserMargins=Korisničke marže -ProductService=Proizvod ili Usluga -AllProducts=Svi proizvodi i usluge -ChooseProduct/Service=Izaberi proizvod ili uslugu -ForceBuyingPriceIfNull=Frsiraj nabavnu cenu na prodajnu cenu ukoliko nije definisana +UserMargins=User margins +ProductService=Product or Service +AllProducts=All products and services +ChooseProduct/Service=Choose product or service +ForceBuyingPriceIfNull=Force buying/cost price to selling price if not defined ForceBuyingPriceIfNullDetails=If buying/cost price not provided when we add a new line, and this option is "ON", the margin will be 0%% on the new line (buying/cost price = selling price). If this option is "OFF" (recommended), margin will be equal to the value suggested by default (and may be 100%% if no default value can be found). -MARGIN_METHODE_FOR_DISCOUNT=Metoda marže za globalne popuste -UseDiscountAsProduct=Kao proizvod -UseDiscountAsService=Kao usluga -UseDiscountOnTotal=Pod-zbir -MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Definiše da li je globalni popust tretiran kao proizvod, usluga ili se primenjuje samo na pod-zbiru za uračunanje marže. -MARGIN_TYPE=Default nabavna cena za računanje marže +MARGIN_METHODE_FOR_DISCOUNT=Margin method for global discounts +UseDiscountAsProduct=As a product +UseDiscountAsService=As a service +UseDiscountOnTotal=On subtotal +MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Defines if a global discount is treated as a product, a service, or only on subtotal for margin calculation. +MARGIN_TYPE=Buying/Cost price suggested by default for margin calculation MargeType1=Margin on Best vendor price -MargeType2=Marža na prosečnu cenu (PC) -MargeType3=Marža na cenu koštanja +MargeType2=Margin on Weighted Average Price (WAP) +MargeType3=Margin on Cost Price MarginTypeDesc=* Margin on best buying price = Selling price - Best vendor price defined on product card
      * Margin on Weighted Average Price (WAP) = Selling price - Product Weighted Average Price (WAP) or best vendor price if WAP not yet defined
      * Margin on Cost price = Selling price - Cost price defined on product card or WAP if cost price not defined, or best vendor price if WAP not yet defined -CostPrice=Cena koštanja -UnitCharges=Unitarni troškovi -Charges=Troškovi -AgentContactType=Tip kontakta komercijalnog agenta -AgentContactTypeDetails=Define what contact type (linked on invoices) will be used for margin report per contact/address. Note that reading statistics on a contact is not reliable since in most cases the contact may not be defined explicitely on the invoices. -rateMustBeNumeric=Stopa mora biti numerička -markRateShouldBeLesserThan100=Stopa marže mora biti niža od 100 -ShowMarginInfos=Prikaži informacije marže +CostPrice=Cost price +UnitCharges=Unit charges +Charges=Charges +AgentContactType=Commercial agent contact type +AgentContactTypeDetails=Define what contact type (linked on invoices) will be used for margin report per contact/address. Note that reading statistics on a contact is not reliable since in most cases the contact may not be defined explicitly on the invoices. +rateMustBeNumeric=Rate must be a numeric value +markRateShouldBeLesserThan100=Mark rate should be lower than 100 +ShowMarginInfos=Show margin infos CheckMargins=Margins detail MarginPerSaleRepresentativeWarning=The report of margin per user use the link between third parties and sale representatives to calculate the margin of each sale representative. Because some thirdparties may not have any dedicated sale representative and some third parties may be linked to several, some amounts may not be included into this report (if there is no sale representative) and some may appear on different lines (for each sale representative). diff --git a/htdocs/langs/sr_RS/members.lang b/htdocs/langs/sr_RS/members.lang index b299ce79ac6..b4fde2cb558 100644 --- a/htdocs/langs/sr_RS/members.lang +++ b/htdocs/langs/sr_RS/members.lang @@ -1,36 +1,36 @@ # Dolibarr language file - Source file is en_US - members -MembersArea=Oblast članova -MemberCard=Kartica člana -SubscriptionCard=Kartica pretplate -Member=Član -Members=Članovi +MembersArea=Members area +MemberCard=Member card +SubscriptionCard=Subscription card +Member=Member +Members=Members NoRecordedMembers=No recorded members NoRecordedMembersByType=No recorded members -ShowMember=Prikaži karticu člana -UserNotLinkedToMember=Korisnik nije povezan sa članom +ShowMember=Show member card +UserNotLinkedToMember=User not linked to a member ThirdpartyNotLinkedToMember=Third party not linked to a member MembersTickets=Membership address sheet -FundationMembers=Članovi fondacije -ListOfValidatedPublicMembers=Lista potvrđenih javnih članova -ErrorThisMemberIsNotPublic=Ovaj član nije javni -ErrorMemberIsAlreadyLinkedToThisThirdParty=Drugi član (ime: %s, login: %s) je već povezan sa subjektom %s. Prvo uklonite ovu vezu jer subjekat može biti povezan samo sa jednim članom (i obrnuto). -ErrorUserPermissionAllowsToLinksToItselfOnly=Iz sigurnosnih razloga, morate imati dozvole za izmenu svih korisnika kako biste mogli da povežete člana sa korisnikom koji nije Vaš. -SetLinkToUser=Link sa Dolibarr korisnikom -SetLinkToThirdParty=Link sa Dolibarr subjektom +FundationMembers=Foundation members +ListOfValidatedPublicMembers=List of validated public members +ErrorThisMemberIsNotPublic=This member is not public +ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, login: %s) is already linked to a third party %s. Remove this link first because a third party can't be linked to only a member (and vice versa). +ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. +SetLinkToUser=Link to a Dolibarr user +SetLinkToThirdParty=Link to a Dolibarr third party MemberCountersArePublic=Counters of valid members are public MembersCards=Generation of cards for members -MembersList=Lista članova -MembersListToValid=Lista draft članova (za potvrdu) -MembersListValid=Lista potvrđenih članova +MembersList=List of members +MembersListToValid=List of draft members (to be validated) +MembersListValid=List of valid members MembersListUpToDate=List of valid members with up-to-date contribution MembersListNotUpToDate=List of valid members with out-of-date contribution MembersListExcluded=List of excluded members MembersListResiliated=List of terminated members -MembersListQualified=Lista kvalifikovanih članova +MembersListQualified=List of qualified members MembersShowMembershipTypesTable=Show a table of all available membership types (if no, show directly the registration form) MembersShowVotesAllowed=Show whether votes are allowed, in the table of membership types -MenuMembersToValidate=Draft članovi -MenuMembersValidated=Potvrđeni članovi +MenuMembersToValidate=Draft members +MenuMembersValidated=Validated members MenuMembersExcluded=Excluded members MenuMembersResiliated=Terminated members MembersWithSubscriptionToReceive=Members with contribution to receive @@ -41,94 +41,94 @@ EndSubscription=End of membership SubscriptionId=Contribution ID WithoutSubscription=Without membership WaitingSubscription=Membership pending -WaitingSubscriptionShort=Na čekanju +WaitingSubscriptionShort=Pending MemberId=Member Id MemberRef=Member Ref -NewMember=Novi član -MemberType=Tip člana -MemberTypeId=ID tipa člana -MemberTypeLabel=Naziv tipa člana -MembersTypes=Tipovi članova -MemberStatusDraft=Nacrt (čeka na odobrenje) -MemberStatusDraftShort=Nacrt +NewMember=New member +MemberType=Member type +MemberTypeId=Member type id +MemberTypeLabel=Member type label +MembersTypes=Members types +MemberStatusDraft=Draft (needs to be validated) +MemberStatusDraftShort=Draft MemberStatusActive=Validated (waiting contribution) -MemberStatusActiveShort=Potvrđen +MemberStatusActiveShort=Validated MemberStatusActiveLate=Contribution expired -MemberStatusActiveLateShort=Istekla -MemberStatusPaid=Pretplata je ažurna -MemberStatusPaidShort=Ažurna +MemberStatusActiveLateShort=Expired +MemberStatusPaid=Subscription up to date +MemberStatusPaidShort=Up to date MemberStatusExcluded=Excluded member MemberStatusExcludedShort=Excluded MemberStatusResiliated=Terminated member MemberStatusResiliatedShort=Terminated -MembersStatusToValid=Draft članovi +MembersStatusToValid=Draft members MembersStatusExcluded=Excluded members MembersStatusResiliated=Terminated members MemberStatusNoSubscription=Validated (no contribution required) -MemberStatusNoSubscriptionShort=Potvrđen +MemberStatusNoSubscriptionShort=Validated SubscriptionNotNeeded=No contribution required -NewCotisation=Novi doprinos -PaymentSubscription=Nova uplata doprinosa -SubscriptionEndDate=Kraj pretplate -MembersTypeSetup=Podešavanja tipa članova +NewCotisation=New contribution +PaymentSubscription=New contribution payment +SubscriptionEndDate=Subscription's end date +MembersTypeSetup=Members type setup MemberTypeModified=Member type modified DeleteAMemberType=Delete a member type ConfirmDeleteMemberType=Are you sure you want to delete this member type? MemberTypeDeleted=Member type deleted MemberTypeCanNotBeDeleted=Member type can not be deleted -NewSubscription=Novi doprinos -NewSubscriptionDesc=Ovaj obrazac Vam omogućava da snimite svoju pretplatu kao novi član fondacije. Ukoliko želite da produžite pretplatu (ukoliko ste već član), molimo Vas da kontaktirate fondaciju putem maila %s. +NewSubscription=New contribution +NewSubscriptionDesc=This form allows you to record your subscription as a new member of the foundation. If you want to renew your subscription (if already a member), please contact foundation board instead by email %s. Subscription=Contribution AnyAmountWithAdvisedAmount=Any amount of your choice, recommended %s AnyAmountWithoutAdvisedAmount=Any amount of your choice CanEditAmountShort=Any amount CanEditAmountShortForValues=recommended, any amount -MembershipDuration=Trajanje +MembershipDuration=Duration GetMembershipButtonLabel=Join Subscriptions=Contributions -SubscriptionLate=Kasni +SubscriptionLate=Late SubscriptionNotReceived=Contribution never received ListOfSubscriptions=List of contributions SendCardByMail=Send card by email -AddMember=Kreiraj člana -NoTypeDefinedGoToSetup=Nema definisanih tipova članova. Idite u meni "Tipovi članova" -NewMemberType=Novi tip člana +AddMember=Create member +NoTypeDefinedGoToSetup=No member types defined. Go to menu "Members types" +NewMemberType=New member type WelcomeEMail=Welcome email SubscriptionRequired=Contribution required SubscriptionRequiredDesc=If subscription is required, a subscription with a start or end date must be recorded to have the member up to date (whatever is subscription amount, even if subscription is free). -DeleteType=Obriši -VoteAllowed=Glasanje dozvoljeno +DeleteType=Delete +VoteAllowed=Vote allowed Physical=Individual Moral=Corporation MorAndPhy=Corporation and Individual -Reenable=Re-Enable +Reenable=Re-enable ExcludeMember=Exclude a member Exclude=Exclude ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member ConfirmResiliateMember=Are you sure you want to terminate this member? -DeleteMember=Obriši člana +DeleteMember=Delete a member ConfirmDeleteMember=Are you sure you want to delete this member (Deleting a member will delete all his contributions)? -DeleteSubscription=Obriši pretplatu +DeleteSubscription=Delete a subscription ConfirmDeleteSubscription=Are you sure you want to delete this contribution? Filehtpasswd=htpasswd file -ValidateMember=Potvrdi člana +ValidateMember=Validate a member ConfirmValidateMember=Are you sure you want to validate this member? FollowingLinksArePublic=The following links are open pages not protected by any Dolibarr permission. They are not formatted pages, provided as example to show how to list members database. -PublicMemberList=Javna lista članova +PublicMemberList=Public member list BlankSubscriptionForm=Public self-registration form BlankSubscriptionFormDesc=Dolibarr can provide you a public URL/website to allow external visitors to ask to subscribe to the foundation. If an online payment module is enabled, a payment form may also be automatically provided. EnablePublicSubscriptionForm=Enable the public website with self-subscription form ForceMemberType=Force the member type ExportDataset_member_1=Members and contributions -ImportDataset_member_1=Članovi +ImportDataset_member_1=Members LastMembersModified=Latest %s modified members LastSubscriptionsModified=Latest %s modified contributions String=String Text=Text Int=Int DateAndTime=Date and time -PublicMemberCard=Javna kartica člana +PublicMemberCard=Public member card SubscriptionNotRecorded=Contribution not recorded AddSubscription=Create contribution ShowSubscription=Show contribution @@ -138,7 +138,7 @@ SendingEmailOnAutoSubscription=Sending email on auto registration SendingEmailOnMemberValidation=Sending email on new member validation SendingEmailOnNewSubscription=Sending email on new contribution SendingReminderForExpiredSubscription=Sending reminder for expired contributions -SendingEmailOnCancelation=Sending email on cancelation +SendingEmailOnCancelation=Sending email on cancellation SendingReminderActionComm=Sending reminder for agenda event # Topic of email templates YourMembershipRequestWasReceived=Your membership was received. @@ -146,7 +146,7 @@ YourMembershipWasValidated=Your membership was validated YourSubscriptionWasRecorded=Your new contribution was recorded SubscriptionReminderEmail=contribution reminder YourMembershipWasCanceled=Your membership was canceled -CardContent=Sadržaj Vaše kartice člana +CardContent=Content of your member card # Text of email templates ThisIsContentOfYourMembershipRequestWasReceived=We want to let you know that your membership request was received.

      ThisIsContentOfYourMembershipWasValidated=We want to let you know that your membership was validated with the following information:

      @@ -159,69 +159,70 @@ DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Email template to use to send email to DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Email template to use to send email to a member on member validation DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Email template to use to send email to a member on new contribution recording DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Email template to use to send email reminder when contribution is about to expire -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Email template to use to send email to a member on member cancelation +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Email template to use to send email to a member on member cancellation DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Email template to use to send email to a member on member exclusion DescADHERENT_MAIL_FROM=Sender Email for automatic emails DescADHERENT_CC_MAIL_FROM=Send automatic email copy to -DescADHERENT_ETIQUETTE_TYPE=Format strane naziva -DescADHERENT_ETIQUETTE_TEXT=Tekst odštampan na karticama adresa članova -DescADHERENT_CARD_TYPE=Format strane sa karticama -DescADHERENT_CARD_HEADER_TEXT=Tekst odštampan na vrhu kartica članova -DescADHERENT_CARD_TEXT=Tekst odštampan na karticama članova (levo poravnanje) -DescADHERENT_CARD_TEXT_RIGHT=Tekst odštampan na karticama članova (desno poravnanje) -DescADHERENT_CARD_FOOTER_TEXT=Tekst odštampan na dnu kartica članova -ShowTypeCard=Prikaži tim "%s" -HTPasswordExport=Generisanje fajla htpassword +DescADHERENT_ETIQUETTE_TYPE=Format of labels page +DescADHERENT_ETIQUETTE_TEXT=Text printed on member address sheets +DescADHERENT_CARD_TYPE=Format of cards page +DescADHERENT_CARD_HEADER_TEXT=Text printed on top of member cards +DescADHERENT_CARD_TEXT=Text printed on member cards (align on left) +DescADHERENT_CARD_TEXT_RIGHT=Text printed on member cards (align on right) +DescADHERENT_CARD_FOOTER_TEXT=Text printed on bottom of member cards +ShowTypeCard=Show type '%s' +HTPasswordExport=htpassword file generation NoThirdPartyAssociatedToMember=No third party associated with this member MembersAndSubscriptions=Members and Contributions -MoreActions=Dodatna aktivnost pri snimanju -MoreActionsOnSubscription=Complementary action suggested by default when recording a contribution, also done automatially on online payment of a contribution +MoreActions=Complementary action on recording +MoreActionsOnSubscription=Complementary action suggested by default when recording a contribution, also done automatically on online payment of a contribution MoreActionBankDirect=Create a direct entry on bank account MoreActionBankViaInvoice=Create an invoice, and a payment on bank account -MoreActionInvoiceOnly=Kreiraj fakturu bez uplate +MoreActionInvoiceOnly=Create an invoice with no payment LinkToGeneratedPages=Generation of business cards or address sheets -LinkToGeneratedPagesDesc=Ovaj ekran omogućava generisanje PDF fajla sa vizit kartama svih Vaših članova ili jednog određenog člana. -DocForAllMembersCards=Generiši vizit karte za sve članove -DocForOneMemberCards=Generiši vizit kartu za određenog člana -DocForLabels=Generiši karticu adrese +LinkToGeneratedPagesDesc=This screen allows you to generate PDF files with business cards for all your members or a particular member. +DocForAllMembersCards=Generate business cards for all members +DocForOneMemberCards=Generate business cards for a particular member +DocForLabels=Generate address sheets SubscriptionPayment=Contribution payment LastSubscriptionDate=Date of latest contribution payment LastSubscriptionAmount=Amount of latest contribution LastMemberType=Last Member type -MembersStatisticsByCountries=Statistike članova po zemlji -MembersStatisticsByState=Statistike članova po regionu -MembersStatisticsByTown=Statistike članova po gradu -MembersStatisticsByRegion=Statistike članova po regionu +MembersStatisticsByCountries=Members statistics by country +MembersStatisticsByState=Members statistics by state/province +MembersStatisticsByTown=Members statistics by town +MembersStatisticsByRegion=Members statistics by region NbOfMembers=Total number of members NbOfActiveMembers=Total number of current active members -NoValidatedMemberYet=Nema potvrđenih članova +NoValidatedMemberYet=No validated members found MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. MembersByTownDesc=This screen show you statistics of members by town. MembersByNature=This screen show you statistics of members by nature. MembersByRegion=This screen show you statistics of members by region. -MembersStatisticsDesc=Izaberite statistike koje želite da konsultujete... -MenuMembersStats=Statistike +MembersStatisticsDesc=Choose statistics you want to read... +MenuMembersStats=Statistics LastMemberDate=Latest membership date LatestSubscriptionDate=Latest contribution date MemberNature=Nature of the member MembersNature=Nature of the members Public=%s can publish my membership in the public register -NewMemberbyWeb=Novi član je dodat. Čeka se odobrenje. -NewMemberForm=Forma za nove članove +MembershipPublic=Public membership +NewMemberbyWeb=New member added. Awaiting approval +NewMemberForm=New member form SubscriptionsStatistics=Contributions statistics NbOfSubscriptions=Number of contributions AmountOfSubscriptions=Amount collected from contributions -TurnoverOrBudget=Obrt (za kompaniju) ili budžet (za fondaciju) +TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of contribution (used only if no amount is defined at member type level) MinimumAmount=Minimum amount (used only when contribution amount is free) CanEditAmount=Subscription amount can be defined by the member CanEditAmountDetail=Visitor can choose/edit amount of its contribution regardless of the member type -AmountIsLowerToMinimumNotice=sur un dû total de %s -MEMBER_NEWFORM_PAYONLINE=After the online registration, switch automatically on the online payment page +AmountIsLowerToMinimumNotice=The amount is lower than the minimum %s +MEMBER_NEWFORM_PAYONLINE=After the online registration, switch automatically to the online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -VATToUseForSubscriptions=VAT rate to use for contributionss +VATToUseForSubscriptions=VAT rate to use for contributions NoVatOnSubscription=No VAT for contributions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for contribution line into invoice: %s NameOrCompany=Name or company @@ -229,15 +230,17 @@ SubscriptionRecorded=Contribution recorded NoEmailSentToMember=No email sent to member EmailSentToMember=Email sent to member at %s SendReminderForExpiredSubscriptionTitle=Send reminder by email for expired contributions -SendReminderForExpiredSubscription=Send reminder by email to members when contribution is about to expire (parameter is number of days before end of membership to send the remind. It can be a list of days separated by a semicolon, for example '10;5;0;-5') +SendReminderForExpiredSubscription=Send reminder by email to members when contribution is about to expire (parameter is number of days before end of membership to send the reminder. It can be a list of days separated by a semicolon, for example '10;5;0;-5') MembershipPaid=Membership paid for current period (until %s) YouMayFindYourInvoiceInThisEmail=You may find your invoice attached to this email XMembersClosed=%s member(s) closed XExternalUserCreated=%s external user(s) created ForceMemberNature=Force member nature (Individual or Corporation) CreateDolibarrLoginDesc=The creation of a user login for members allows them to connect to the application. Depending on the authorizations granted, they will be able, for example, to consult or modify their file themselves. -CreateDolibarrThirdPartyDesc=A thirdparty is the legal entity that will be used on the invoice if you decide to generate invoice for each contribution. You will be able to create it later during the process of recording the contribution. +CreateDolibarrThirdPartyDesc=A third party is the legal entity that will be used on the invoice if you decide to generate invoice for each contribution. You will be able to create it later during the process of recording the contribution. MemberFirstname=Member firstname MemberLastname=Member lastname MemberCodeDesc=Member Code, unique for all members NoRecordedMembers=No recorded members +MemberSubscriptionStartFirstDayOf=The start date of a membership corresponds to the first day of a +MemberSubscriptionStartAfter=Minimum period before the entry into force of the start date of a subscription except renewals (example +3m = +3 months, -5d = -5 days, +1Y = +1 year) diff --git a/htdocs/langs/sr_RS/modulebuilder.lang b/htdocs/langs/sr_RS/modulebuilder.lang index 0a99c2e225f..9c1a169140e 100644 --- a/htdocs/langs/sr_RS/modulebuilder.lang +++ b/htdocs/langs/sr_RS/modulebuilder.lang @@ -28,6 +28,7 @@ ModuleBuilderDescwidgets=This tab is dedicated to manage/build widgets. ModuleBuilderDescbuildpackage=You can generate here a "ready to distribute" package file (a normalized .zip file) of your module and a "ready to distribute" documentation file. Just click on button to build the package or documentation file. EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: All coding files of module (generated or created manually) AND structured data and documentation will be deleted! EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All coding files (generated or created manually) related to object will be deleted! +EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All coding files (generated or created manually) related to object will be deleted! DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. @@ -39,7 +40,7 @@ EditorName=Name of editor EditorUrl=URL of editor DescriptorFile=Descriptor file of module ClassFile=File for PHP DAO CRUD class -ApiClassFile=File for PHP API class +ApiClassFile=API file of module PageForList=PHP page for list of record PageForCreateEditView=PHP page to create/edit/view a record PageForAgendaTab=PHP page for event tab @@ -56,7 +57,7 @@ RegenerateMissingFiles=Generate missing files SpecificationFile=File of documentation LanguageFile=File for language ObjectProperties=Object Properties -Property=Propery +Property=Property PropertyDesc=A property is an attribute that characterizes an object. This attribute has a code, a label and a type with several options. ConfirmDeleteProperty=Are you sure you want to delete the property %s? This will change code in PHP class but also remove column from table definition of object. NotNull=Not NULL @@ -70,7 +71,7 @@ ArrayOfKeyValues=Array of key-val ArrayOfKeyValuesDesc=Array of keys and values if field is a combo list with fixed values WidgetFile=Widget file CSSFile=CSS file -JSFile=Javascript file +JSFile=JavaScript file ReadmeFile=Readme file ChangeLog=ChangeLog file TestClassFile=File for PHP Unit Test class @@ -91,8 +92,8 @@ ListOfMenusEntries=List of menu entries ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here -EnabledDesc=Condition to have this field active.

      Examples:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update).

      Using a negative value means field is not shown by default on list but can be selected for viewing). +EnabledDesc=Condition to have this field active.

      Examples:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not on lists), 4=Visible on lists and update/view form only (not create), 5=Visible on list and view form only (not create, not update).

      Using a negative value means field is not shown by default on list but can be selected for viewing). ItCanBeAnExpression=It can be an expression. Example:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
      For document :
      0 = not displayed
      1 = display
      2 = display only if not empty

      For document lines :
      0 = not displayed
      1 = displayed in a column
      3 = display in line description column after the description
      4 = display in description column after the description only if not empty DisplayOnPdf=On PDF @@ -106,7 +107,7 @@ PermissionsDefDesc=Define here the new permissions provided by your module MenusDefDescTooltip=The menus provided by your module/application are defined into the array $this->menus into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and the module re-activated), the menus are also visible into the menu editor available to administrator users on %s. DictionariesDefDescTooltip=The dictionaries provided by your module/application are defined into the array $this->dictionaries into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), dictionaries are also visible into the setup area to administrator users on %s. PermissionsDefDescTooltip=The permissions provided by your module/application are defined into the array $this->rights into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and module re-activated), permissions are visible into the default permissions setup %s. -HooksDefDesc=Define in the module_parts['hooks'] property, in the module descriptor, the context of hooks you want to manage (list of contexts can be found by a search on 'initHooks(' in core code).
      Edit the hook file to add code of your hooked functions (hookable functions can be found by a search on 'executeHooks' in core code). +HooksDefDesc=Define in the property module_parts['hooks'], in the module descriptor file, the list of contexts when your hook must be executed (the list of possible contexts can be found by a search on 'initHooks(' in core code).
      Then edit the file with hooks code with the code of your hooked functions (the list of hookable functions can be found by a search on 'executeHooks' in core code). TriggerDefDesc=Define in the trigger file the code that you want to execute when a business event external to your module is executed (events triggered by other modules). SeeIDsInUse=See IDs in use in your installation SeeReservedIDsRangeHere=See range of reserved IDs @@ -127,7 +128,7 @@ RealPathOfModule=Real path of module ContentCantBeEmpty=Content of file can't be empty WidgetDesc=You can generate and edit here the widgets that will be embedded with your module. CSSDesc=You can generate and edit here a file with personalized CSS embedded with your module. -JSDesc=You can generate and edit here a file with personalized Javascript embedded with your module. +JSDesc=You can generate and edit here a file with personalized JavaScript embedded with your module. CLIDesc=You can generate here some command line scripts you want to provide with your module. CLIFile=CLI File NoCLIFile=No CLI files @@ -147,8 +148,8 @@ CSSViewClass=CSS for read form CSSListClass=CSS for list NotEditable=Not editable ForeignKey=Foreign key -ForeignKeyDesc=If the value of this field must be guaranted to exists into another table. Enter here a value matching syntax: tablename.parentfieldtocheck -TypeOfFieldsHelp=Example:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1' means we add a + button after the combo to create the record
      'filter' is a sql condition, example: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' +ForeignKeyDesc=If the value of this field must be guaranteed to exist into another table. Enter here a value matching syntax: tablename.parentfieldtocheck +TypeOfFieldsHelp=Example:
      varchar(99)
      email
      phone
      ip
      url
      password
      double(24,8)
      real
      text
      html
      date
      datetime
      timestamp
      integer
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]

      '1' means we add a + button after the combo to create the record
      'filter' is an Universal Filter syntax condition, example: '((status:=:1) AND (fk_user:=:__USER_ID__) AND (entity:IN:(__SHARED_ENTITIES__))' TypeOfFieldsHelpIntro=This is the type of the field/attribute. AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter @@ -157,16 +158,16 @@ ModuleBuilderNotAllowed=The module builder is available but not allowed to your ImportExportProfiles=Import and export profiles ValidateModBuilderDesc=Set this to 1 if you want to have the method $this->validateField() of object being called to validate the content of the field during insert or update. Set 0 if there is no validation required. WarningDatabaseIsNotUpdated=Warning: The database is not updated automatically, you must destroy tables and disable-enable the module to have tables recreated -LinkToParentMenu=Meni višeg nivoa (fk_xxxxmenu) +LinkToParentMenu=Parent menu (fk_xxxxmenu) ListOfTabsEntries=List of tab entries TabsDefDesc=Define here the tabs provided by your module TabsDefDescTooltip=The tabs provided by your module/application are defined into the array $this->tabs into the module descriptor file. You can edit manually this file or use the embedded editor. BadValueForType=Bad value for type %s -DefinePropertiesFromExistingTable=Define properties from an existing table +DefinePropertiesFromExistingTable=Define the fields/properties from an existing table DefinePropertiesFromExistingTableDesc=If a table in the database (for the object to create) already exists, you can use it to define the properties of the object. DefinePropertiesFromExistingTableDesc2=Keep empty if the table does not exist yet. The code generator will use different kinds of fields to build an example of table that you can edit later. -GeneratePermissions=I want to add the rights for this object -GeneratePermissionsHelp=generate default rights for this object +GeneratePermissions=I want to manage permissions on this object +GeneratePermissionsHelp=If you check this, some code will be added to manage permissions to read, write and delete record of the objects PermissionDeletedSuccesfuly=Permission has been successfully removed PermissionUpdatedSuccesfuly=Permission has been successfully updated PermissionAddedSuccesfuly=Permission has been successfully added @@ -174,6 +175,15 @@ MenuDeletedSuccessfuly=Menu has been successfully deleted MenuAddedSuccessfuly=Menu has been successfully added MenuUpdatedSuccessfuly=Menu has been successfully updated ApiObjectDeleted=API for object %s has been successfully deleted -CRUDRead=Pročitaj +CRUDRead=Read CRUDCreateWrite=Create or Update FailedToAddCodeIntoDescriptor=Failed to add code into descriptor. Check that the string comment "%s" is still present into the file. +DictionariesCreated=Dictionary %s created successfully +DictionaryDeleted=Dictionary %s removed successfully +PropertyModuleUpdated=Property %s has been update successfully +InfoForApiFile=* When you generate file for the first time then all methods will be created for each object.
      * When you click in remove you just remove all methods for the selected object. +SetupFile=Page for module setup +EmailingSelectors=Emailings selectors +EmailingSelectorDesc=You can generate and edit here the class files to provide new email target selectors for the mass emailing module +EmailingSelectorFile=Emails selector file +NoEmailingSelector=No emails selector file diff --git a/htdocs/langs/sr_RS/mrp.lang b/htdocs/langs/sr_RS/mrp.lang index b3fb904ae07..948bff00757 100644 --- a/htdocs/langs/sr_RS/mrp.lang +++ b/htdocs/langs/sr_RS/mrp.lang @@ -11,8 +11,8 @@ Bom=Bills of Material BillOfMaterials=Bill of Materials BillOfMaterialsLines=Bill of Materials lines BOMsSetup=Setup of module BOM -ListOfBOMs=List of bills of material - BOM -ListOfManufacturingOrders=List of Manufacturing Orders +ListOfBOMs=Bills of material - BOM +ListOfManufacturingOrders=Manufacturing Orders NewBOM=New bill of materials ProductBOMHelp=Product to create (or disassemble) with this BOM.
      Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list. BOMsNumberingModules=BOM numbering templates @@ -27,12 +27,18 @@ ConfirmCloneBillOfMaterials=Are you sure you want to clone the bill of materials ConfirmCloneMo=Are you sure you want to clone the Manufacturing Order %s ? ManufacturingEfficiency=Manufacturing efficiency ConsumptionEfficiency=Consumption efficiency +Consumption=Consumption ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the manufacturing or the disassembly ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product DeleteBillOfMaterials=Delete Bill Of Materials +CancelMo=Cancel Manufacturing Order +MoCancelConsumedAndProducedLines=Cancel also all the consumed and produced lines (delete lines and rollback stocks) +ConfirmCancelMo=Are you sure you want to cancel this Manufacturing Order? DeleteMo=Delete Manufacturing Order ConfirmDeleteBillOfMaterials=Are you sure you want to delete this Bill Of Materials? ConfirmDeleteMo=Are you sure you want to delete this Manufacturing Order? +DeleteMoChild = Delete the child MOs linked to this MO %s +MoChildsDeleted = All child MOs have been deleted MenuMRP=Manufacturing Orders NewMO=New Manufacturing Order QtyToProduce=Qty to produce @@ -59,7 +65,9 @@ ToProduce=To produce ToObtain=To obtain QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced -QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) +QtyAlreadyConsumedShort=Qty consumed +QtyAlreadyProducedShort=Qty produced +QtyRequiredIfNoLoss=Qty required to produce the quantity defined into the BOM if there is no loss (if the manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured @@ -69,6 +77,8 @@ ForAQuantityToConsumeOf=For a quantity to disassemble of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s +CancelProductionForRef=Cancellation of product stock decrementation for product %s +TooltipDeleteAndRevertStockMovement=Delete line and revert stock movement AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services ProductQtyToConsumeByMO=Product quantity still to consume by open MO @@ -80,6 +90,7 @@ ProductsToProduce=Products to produce UnitCost=Unit cost TotalCost=Total cost BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) +BOMTotalCostService=If the "Workstation" module is activated and a workstation is defined by default on the line, then the calculation is "quantity (converted into hours) x workstation ahr", otherwise "quantity x cost price of the service" GoOnTabProductionToProduceFirst=You must first have started the production to close a Manufacturing Order (See tab '%s'). But you can Cancel it. ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO Workstation=Workstation @@ -93,11 +104,12 @@ ConfirmEnableWorkstation=Are you sure you want to enable workstation %s ? EnableAWorkstation=Enable a workstation ConfirmDisableWorkstation=Are you sure you want to disable workstation %s ? DisableAWorkstation=Disable a workstation -DeleteWorkstation=Obriši +DeleteWorkstation=Delete NbOperatorsRequired=Number of operators required THMOperatorEstimated=Estimated operator THM THMMachineEstimated=Estimated machine THM WorkstationType=Workstation type +DefaultWorkstation=Default workstation Human=Human Machine=Machine HumanMachine=Human / Machine @@ -107,3 +119,21 @@ THMEstimatedHelp=This rate makes it possible to define a forecast cost of the it BOM=Bill Of Materials CollapseBOMHelp=You can define the default display of the details of the nomenclature in the configuration of the BOM module MOAndLines=Manufacturing Orders and lines +MoChildGenerate=Generate Child Mo +ParentMo=MO Parent +MOChild=MO Child +BomCantAddChildBom=The nomenclature %s is already present in the tree leading to the nomenclature %s +BOMNetNeeds = BOM Net Needs +BOMProductsList=BOM's products +BOMServicesList=BOM's services +Manufacturing=Manufacturing +Disassemble=Disassemble +ProducedBy=Produced by +QtyTot=Qty Total + +QtyCantBeSplit= Quantity cannot be split +NoRemainQtyToDispatch=No quantity remaining to divide + +THMOperatorEstimatedHelp=Estimated cost of operator per hour. Will be used to estimate cost of a BOM using this workstation. +THMMachineEstimatedHelp=Estimated cost of machine per hour. Will be used to estimate cost of a BOM using this workstation. + diff --git a/htdocs/langs/sr_RS/multicurrency.lang b/htdocs/langs/sr_RS/multicurrency.lang index bfcbd11fb7c..866a83a32ed 100644 --- a/htdocs/langs/sr_RS/multicurrency.lang +++ b/htdocs/langs/sr_RS/multicurrency.lang @@ -18,5 +18,26 @@ MulticurrencyReceived=Received, original currency MulticurrencyRemainderToTake=Remaining amount, original currency MulticurrencyPaymentAmount=Payment amount, original currency AmountToOthercurrency=Amount To (in currency of receiving account) -CurrencyRateSyncSucceed=Currency rate synchronization done successfuly +CurrencyRateSyncSucceed=Currency rate synchronization done successfully MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Use the currency of the document for online payments +TabTitleMulticurrencyRate=Rate list +ListCurrencyRate=List of exchange rates for the currency +CreateRate=Create a rate +FormCreateRate=Rate creation +FormUpdateRate=Rate modification +successRateCreate=Rate for currency %s has been added to the database +ConfirmDeleteLineRate=Are you sure you want to remove the %s rate for currency %s on %s date? +DeleteLineRate=Clear rate +successRateDelete=Rate deleted +errorRateDelete=Error when deleting the rate +successUpdateRate=Modification made +ErrorUpdateRate=Error when changing the rate +Codemulticurrency=currency code +UpdateRate=change the rate +CancelUpdate=cancel +NoEmptyRate=The rate field must not be empty +CurrencyCodeId=Currency ID +CurrencyCode=Currency code +CurrencyUnitPrice=Unit price in foreign currency +CurrencyPrice=Price in foreign currency +MutltiCurrencyAutoUpdateCurrencies=Update all currency rates diff --git a/htdocs/langs/sr_RS/oauth.lang b/htdocs/langs/sr_RS/oauth.lang index 80fd31c5166..498833fbe07 100644 --- a/htdocs/langs/sr_RS/oauth.lang +++ b/htdocs/langs/sr_RS/oauth.lang @@ -4,14 +4,16 @@ OAuthServices=OAuth Services ManualTokenGeneration=Manual token generation TokenManager=Token Manager IsTokenGenerated=Is token generated ? -NoAccessToken=Nema tokena u lokalnoj bazi -HasAccessToken=Token je generisan i sačuvan u lokalnoj bazi +NoAccessToken=No access token saved into local database +HasAccessToken=A token was generated and saved into local database NewTokenStored=Token received and saved ToCheckDeleteTokenOnProvider=Click here to check/delete authorization saved by %s OAuth provider -TokenDeleted=Token obrisan +TokenDeleted=Token deleted +GetAccess=Click here to get a token RequestAccess=Click here to request/renew access and receive a new token -DeleteAccess=Kliknite ovde da obrišete token -UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider: +DeleteAccess=Click here to delete the token +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens SeePreviousTab=See previous tab @@ -19,8 +21,8 @@ OAuthProvider=OAuth provider OAuthIDSecret=OAuth ID and Secret TOKEN_REFRESH=Token Refresh Present TOKEN_EXPIRED=Token expired -TOKEN_EXPIRE_AT=Token ističe -TOKEN_DELETE=Obriši sačuvani token +TOKEN_EXPIRE_AT=Token expire at +TOKEN_DELETE=Delete saved token OAUTH_GOOGLE_NAME=OAuth Google service OAUTH_GOOGLE_ID=OAuth Google Id OAUTH_GOOGLE_SECRET=OAuth Google Secret @@ -30,7 +32,11 @@ OAUTH_GITHUB_SECRET=OAuth GitHub Secret OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live -OAUTH_ID=OAuth ID +OAUTH_ID=OAuth Client ID OAUTH_SECRET=OAuth secret +OAUTH_TENANT=OAuth tenant OAuthProviderAdded=OAuth provider added AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists +URLOfServiceForAuthorization=URL provided by OAuth service for authentication +Scopes=Permissions (Scopes) +ScopeUndefined=Permissions (Scopes) undefined (see previous tab) diff --git a/htdocs/langs/sr_RS/opensurvey.lang b/htdocs/langs/sr_RS/opensurvey.lang index f14256affb2..6f8bd25a966 100644 --- a/htdocs/langs/sr_RS/opensurvey.lang +++ b/htdocs/langs/sr_RS/opensurvey.lang @@ -1,63 +1,64 @@ # Dolibarr language file - Source file is en_US - opensurvey -Survey=Anketa -Surveys=Ankete +Survey=Poll +Surveys=Polls OrganizeYourMeetingEasily=Organize your meetings and polls easily. First select the type of poll... -NewSurvey=Nova anketa -OpenSurveyArea=Oblast anketa -AddACommentForPoll=Možete dodati komentar u anketu -AddComment=Dodaj komentar -CreatePoll=Kreiraj anketu -PollTitle=Naslov ankete -ToReceiveEMailForEachVote=Primi email za svaki glas -TypeDate=Tip datum -TypeClassic=Tip standardni -OpenSurveyStep2=Select your dates among the free days (grey). The selected days are green. You can unselect a day previously selected by clicking again on it -RemoveAllDays=Ukloni sve dane -CopyHoursOfFirstDay=Kopiraj sate prvog dana -RemoveAllHours=Ukloni sve sate -SelectedDays=Selektirani dani -TheBestChoice=Trenutno, najboji izbor je -TheBestChoices=Trenutno, najbolji izbori su -with=sa -OpenSurveyHowTo=Ukoliko želite da glasate, morate dati svoje ime, izabrati vrednosti koje Vam najviše odgovaraju i potvrditi dugmetom plus na kraju linije -CommentsOfVoters=Komentari glasača -ConfirmRemovalOfPoll=Da li ste sigurni da želite da uklonite ovu anketu (sa svim glasovima) -RemovePoll=Ukloni anketu -UrlForSurvey=URL za direktan pristup anketi -PollOnChoice=Kreirate anketu sa pitanjima sa više ponuđenih odgovora. Prvo unesite sve moguće odgovore: -CreateSurveyDate=Kreiraj datum anketu -CreateSurveyStandard=Kreiraj standardnu anketu -CheckBox=Jednostavan checkbox -YesNoList=Lista (prazno/da/ne) -PourContreList=Lista (prazno/za/protiv) -AddNewColumn=Dodaj novu kolonu -TitleChoice=Naziv izbora -ExportSpreadsheet=Eksportuj tabelu rezultata -ExpireDate=Krajnji datum -NbOfSurveys=Broj anketa +NewSurvey=New poll +OpenSurveyArea=Polls area +AddACommentForPoll=You can add a comment into poll... +AddComment=Add comment +CreatePoll=Create poll +PollTitle=Poll title +ToReceiveEMailForEachVote=Receive an email for each vote +TypeDate=Type date +TypeClassic=Type standard +OpenSurveyStep2=Select your dates among the free days (gray). The selected days are green. You can unselect a day previously selected by clicking again on it +RemoveAllDays=Remove all days +CopyHoursOfFirstDay=Copy hours of first day +RemoveAllHours=Remove all hours +SelectedDays=Selected days +TheBestChoice=The best choice currently is +TheBestChoices=The best choices currently are +with=with +OpenSurveyHowTo=If you agree to vote in this poll, you have to give your name, choose the values that fit best for you and validate with the plus button at the end of the line. +CommentsOfVoters=Comments of voters +ConfirmRemovalOfPoll=Are you sure you want to remove this poll (and all votes) +RemovePoll=Remove poll +UrlForSurvey=URL to communicate to get a direct access to poll +PollOnChoice=You are creating a poll to make a multi-choice for a poll. First enter all possible choices for your poll: +CreateSurveyDate=Create a date poll +CreateSurveyStandard=Create a standard poll +CheckBox=Simple checkbox +YesNoList=List (empty/yes/no) +PourContreList=List (empty/for/against) +AddNewColumn=Add new column +TitleChoice=Choice label +ExportSpreadsheet=Export result spreadsheet +ExpireDate=Limit date +NbOfSurveys=Number of polls NbOfVoters=No. of voters -SurveyResults=Rezultati -PollAdminDesc=Možete izmeniti sve linije u ovom upitniku dugmetom "Izmeni". Takođe, možete obrisati kolonu ili liniju sa %s. Takođe možete dodati novu kolonu sa %s. -5MoreChoices=Još 5 izbora -Against=Protiv -YouAreInivitedToVote=Pozvani ste da glasate u ovoj anketi -VoteNameAlreadyExists=Ovo ime je već upotrebljeno u ovoj anketi -AddADate=Dodaj datum -AddStartHour=Dodaj vreme početka -AddEndHour=Dodaj vreme kraja -votes=glasova -NoCommentYet=Još nema komentara na ovu anketu -CanComment=Glasači mogu da ostave komentare na anketi +SurveyResults=Results +PollAdminDesc=You are allowed to change all vote lines of this poll with button "Edit". You can, as well, remove a column or a line with %s. You can also add a new column with %s. +5MoreChoices=5 more choices +Against=Against +YouAreInivitedToVote=You are invited to vote for this poll +VoteNameAlreadyExists=This name was already used for this poll +AddADate=Add a date +AddStartHour=Add start hour +AddEndHour=Add end hour +votes=vote(s) +NoCommentYet=No comments have been posted for this poll yet +CanComment=Voters can comment in the poll YourVoteIsPrivate=This poll is private, nobody can see your vote. YourVoteIsPublic=This poll is public, anybody with the link can see your vote. -CanSeeOthersVote=Glasači mogu videti glasove drugih glasača +CanSeeOthersVote=Voters can see other people's vote SelectDayDesc=For each selected day, you can choose, or not, meeting hours in the following format:
      - empty,
      - "8h", "8H" or "8:00" to give a meeting's start hour,
      - "8-11", "8h-11h", "8H-11H" or "8:00-11:00" to give a meeting's start and end hour,
      - "8h15-11h15", "8H15-11H15" or "8:15-11:15" for the same thing but with minutes. -BackToCurrentMonth=Nazad na trenutni mesec -ErrorOpenSurveyFillFirstSection=Niste ispunili prvu sekciju kreiranja ankete -ErrorOpenSurveyOneChoice=Unesite makar jedan izbor -ErrorInsertingComment=Došlo je do greške prilikom postavljanja Vašeg komentara -MoreChoices=Unesite više izbora za glasače +BackToCurrentMonth=Back to current month +ErrorOpenSurveyFillFirstSection=You haven't filled the first section of the poll creation +ErrorOpenSurveyOneChoice=Enter at least one choice +ErrorInsertingComment=There was an error while inserting your comment +MoreChoices=Enter more choices for the voters SurveyExpiredInfo=The poll has been closed or voting delay has expired. -EmailSomeoneVoted=%s je ispunio liniju.\nMožete naći svoj upitnik na linku: \n%s +EmailSomeoneVoted=%s has filled a line.\nYou can find your poll at the link: \n%s ShowSurvey=Show survey UserMustBeSameThanUserUsedToVote=You must have voted and use the same user name that the one used to vote, to post a comment +ListOfOpenSurveys=List of open surveys diff --git a/htdocs/langs/sr_RS/orders.lang b/htdocs/langs/sr_RS/orders.lang index 29c86f71cbb..662348b6977 100644 --- a/htdocs/langs/sr_RS/orders.lang +++ b/htdocs/langs/sr_RS/orders.lang @@ -1,28 +1,28 @@ # Dolibarr language file - Source file is en_US - orders OrderExists=An order was already open linked to this proposal, so no other order was created automatically -OrdersArea=Oblast narudžbina klijenta +OrdersArea=Customers orders area SuppliersOrdersArea=Purchase orders area -OrderCard=Kartica narudžbine -OrderId=Id narudžbine -Order=Narudžbina -PdfOrderTitle=Narudžbina -Orders=Narudžbine -OrderLine=Linija narudžbine -OrderDate=Datum narudžbine -OrderDateShort=Datum porudžbine -OrderToProcess=Narudžbina za obradu -NewOrder=Nova narudžbina -NewSupplierOrderShort=Nova narudžbina +OrderCard=Order card +OrderId=Order Id +Order=Order +PdfOrderTitle=Order +Orders=Orders +OrderLine=Order line +OrderDate=Order date +OrderDateShort=Order date +OrderToProcess=Order to process +NewOrder=New order +NewSupplierOrderShort=New order NewOrderSupplier=New Purchase Order -ToOrder=Kreiraj narudžbinu -MakeOrder=Kreiraj narudžbinu +ToOrder=Make order +MakeOrder=Make order SupplierOrder=Purchase order SuppliersOrders=Purchase orders SaleOrderLines=Sales order lines -PurchaseOrderLines=Puchase order lines +PurchaseOrderLines=Purchase order lines SuppliersOrdersRunning=Current purchase orders CustomerOrder=Sales Order -CustomersOrders=Potvrda narudžbina +CustomersOrders=Sales Orders CustomersOrdersRunning=Current sales orders CustomersOrdersAndOrdersLines=Sales orders and order details OrdersDeliveredToBill=Sales orders delivered to bill @@ -32,170 +32,177 @@ OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process SuppliersOrdersAwaitingReception=Purchase orders awaiting reception AwaitingReception=Awaiting reception -StatusOrderCanceledShort=Otkazano -StatusOrderDraftShort=Nacrt -StatusOrderValidatedShort=Odobreno -StatusOrderSentShort= toku -StatusOrderSent=Isporuka u toku -StatusOrderOnProcessShort=Naručeno -StatusOrderProcessedShort=Obrađeno -StatusOrderDelivered=Isporučeno -StatusOrderDeliveredShort=Isporučeno -StatusOrderToBillShort=Isporučeno -StatusOrderApprovedShort=Odobreno -StatusOrderRefusedShort=Odbijeno -StatusOrderToProcessShort=Za obradu -StatusOrderReceivedPartiallyShort=Delimično primljeno +StatusOrderCanceledShort=Canceled +StatusOrderDraftShort=Draft +StatusOrderValidatedShort=Validated +StatusOrderSentShort=In process +StatusOrderSent=Shipment in process +StatusOrderOnProcessShort=Ordered +StatusOrderProcessedShort=Processed +StatusOrderDelivered=Delivered +StatusOrderDeliveredShort=Delivered +StatusOrderToBillShort=Delivered +StatusOrderApprovedShort=Approved +StatusOrderRefusedShort=Refused +StatusOrderToProcessShort=To process +StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received -StatusOrderCanceled=Otkazano -StatusOrderDraft=Nacrt (čeka na odobrenje) -StatusOrderValidated=Odobreno -StatusOrderOnProcess=Naručeno - čeka se prijem -StatusOrderOnProcessWithValidation=Naručeno - čeka se prijem ili odobrenje -StatusOrderProcessed=Obrađeno -StatusOrderToBill=Isporučeno -StatusOrderApproved=Odobreno -StatusOrderRefused=Odbijeno -StatusOrderReceivedPartially=Delimično primljeno +StatusOrderCanceled=Canceled +StatusOrderDraft=Draft (needs to be validated) +StatusOrderValidated=Validated +StatusOrderOnProcess=Ordered - Standby reception +StatusOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusOrderProcessed=Processed +StatusOrderToBill=Delivered +StatusOrderApproved=Approved +StatusOrderRefused=Refused +StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received -ShippingExist=Isporuka postoji -QtyOrdered=Kol. naručena -ProductQtyInDraft=Količina proizvoda u draft narudžbinama -ProductQtyInDraftOrWaitingApproved=Količina proizvoda u draft ili potvrđenim narudžbinama, još uvek nenaručenim -MenuOrdersToBill=Isporučene narudžbine -MenuOrdersToBill2=Naplative narudžbine -ShipProduct=Isporuči proizvod -CreateOrder=Kreiraj narudžbinu -RefuseOrder=Odbij narudžbinu -ApproveOrder=Odobri narudžbinu -Approve2Order=Odobri narudžbinu (drugi nivo) +ShippingExist=A shipment exists +QtyOrdered=Qty ordered +ProductQtyInDraft=Product quantity into draft orders +ProductQtyInDraftOrWaitingApproved=Product quantity into draft or approved orders, not yet ordered +MenuOrdersToBill=Orders delivered +MenuOrdersToBill2=Billable orders +ShipProduct=Ship product +CreateOrder=Create Order +RefuseOrder=Refuse order +ApproveOrder=Approve order +Approve2Order=Approve order (second level) UserApproval=User for approval UserApproval2=User for approval (second level) -ValidateOrder=Odobri narudžbinu -UnvalidateOrder=Poništi odobrenje narudžbine -DeleteOrder=Obriši narudžbinu -CancelOrder=Otkaži narudžbinu +ValidateOrder=Validate order +UnvalidateOrder=Invalidate order +DeleteOrder=Delete order +CancelOrder=Cancel order OrderReopened= Order %s re-open -AddOrder=Kreiraj narudžbinu -AddSupplierOrderShort=Kreiraj narudžbinu +AddOrder=Create order +AddSupplierOrderShort=Create order AddPurchaseOrder=Create purchase order -AddToDraftOrders=Dodaj draft narudžbini -ShowOrder=Pokaži narudžbinu -OrdersOpened=Narudžbine za obradu -NoDraftOrders=Nema drafg narudžbina -NoOrder=Nema narudžbine +AddToDraftOrders=Add to draft order +ShowOrder=Show order +OrdersOpened=Orders to process +NoDraftOrders=No draft orders +NoOrder=No order NoSupplierOrder=No purchase order LastOrders=Latest %s sales orders LastCustomerOrders=Latest %s sales orders LastSupplierOrders=Latest %s purchase orders LastModifiedOrders=Latest %s modified orders -AllOrders=Sve narudžbine -NbOfOrders=Broj narudžbina -OrdersStatistics=Statistike narudžbina +AllOrders=All orders +NbOfOrders=Number of orders +OrdersStatistics=Order's statistics OrdersStatisticsSuppliers=Purchase order statistics -NumberOfOrdersByMonth=Broj narudžbina po mesecu +NumberOfOrdersByMonth=Number of orders by month AmountOfOrdersByMonthHT=Amount of orders by month (excl. tax) -ListOfOrders=Lista narudžbina -CloseOrder=Zatvori narudžbinu +ListOfOrders=List of orders +ListOrderLigne=Lines of orders +productobuy=Products to buy only +productonly=Products only +disablelinefree=No free lines +CloseOrder=Close order ConfirmCloseOrder=Are you sure you want to set this order to delivered? Once an order is delivered, it can be set to billed. ConfirmDeleteOrder=Are you sure you want to delete this order? ConfirmValidateOrder=Are you sure you want to validate this order under name %s? ConfirmUnvalidateOrder=Are you sure you want to restore order %s to draft status? ConfirmCancelOrder=Are you sure you want to cancel this order? ConfirmMakeOrder=Are you sure you want to confirm you made this order on %s? -GenerateBill=Generiši račun -ClassifyShipped=Označi kao ispostavljeno +GenerateBill=Generate invoice +ClassifyShipped=Classify delivered PassedInShippedStatus=classified delivered YouCantShipThis=I can't classify this. Please check user permissions -DraftOrders=Nacrt narudžbine +DraftOrders=Draft orders DraftSuppliersOrders=Draft purchase orders -OnProcessOrders=Narudžbine u toku -RefOrder=Ref. narudžbine +OnProcessOrders=In process orders +RefOrder=Ref. order RefCustomerOrder=Ref. order for customer RefOrderSupplier=Ref. order for vendor RefOrderSupplierShort=Ref. order vendor -SendOrderByMail=Pošalji narudžbinu mailom -ActionsOnOrder=Događaji na narudžbini -NoArticleOfTypeProduct=Nema artikla tipa "proizvod" tako da nema isporučivog artikla za ovu narudžbinu -OrderMode=Način naručivanja -AuthorRequest=Potražilac -UserWithApproveOrderGrant=Korisnici imaju pravo da "potvrđuju narudžbine" -PaymentOrderRef=Uplata za narudžbinu %s +SendOrderByMail=Send order by mail +ActionsOnOrder=Events on order +NoArticleOfTypeProduct=No article of type 'product' so no shippable article for this order +OrderMode=Order method +AuthorRequest=Request author +UserWithApproveOrderGrant=Users granted with "approve orders" permission. +PaymentOrderRef=Payment of order %s ConfirmCloneOrder=Are you sure you want to clone this order %s? DispatchSupplierOrder=Receiving purchase order %s -FirstApprovalAlreadyDone=Prvo odobrenje je već završeno -SecondApprovalAlreadyDone=Drugo odobrenje je već završeno +FirstApprovalAlreadyDone=First approval already done +SecondApprovalAlreadyDone=Second approval already done SupplierOrderReceivedInDolibarr=Purchase Order %s received %s SupplierOrderSubmitedInDolibarr=Purchase Order %s submitted SupplierOrderClassifiedBilled=Purchase Order %s set billed -OtherOrders=Druge narudžbine +OtherOrders=Other orders SupplierOrderValidatedAndApproved=Supplier order is validated and approved : %s SupplierOrderValidated=Supplier order is validated : %s +OrderShowDetail=Show order detail ##### Types de contacts ##### TypeContact_commande_internal_SALESREPFOLL=Representative following-up sales order -TypeContact_commande_internal_SHIPPING=Osoba koja prati isporuku -TypeContact_commande_external_BILLING=Kontakt klijenta sa računa -TypeContact_commande_external_SHIPPING=Kontakt klijenta za isporuku -TypeContact_commande_external_CUSTOMER=Kontakt klijenta za pratnju narudžbine +TypeContact_commande_internal_SHIPPING=Representative following-up shipping +TypeContact_commande_external_BILLING=Customer invoice contact +TypeContact_commande_external_SHIPPING=Customer shipping contact +TypeContact_commande_external_CUSTOMER=Customer contact following-up order TypeContact_order_supplier_internal_SALESREPFOLL=Representative following-up purchase order -TypeContact_order_supplier_internal_SHIPPING=Osoba koja prati isporuku +TypeContact_order_supplier_internal_SHIPPING=Representative following-up shipping TypeContact_order_supplier_external_BILLING=Vendor invoice contact TypeContact_order_supplier_external_SHIPPING=Vendor shipping contact TypeContact_order_supplier_external_CUSTOMER=Vendor contact following-up order Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Constant COMMANDE_SUPPLIER_ADDON not defined Error_COMMANDE_ADDON_NotDefined=Constant COMMANDE_ADDON not defined -Error_OrderNotChecked=Nema narudžbina za odabrani račun +Error_OrderNotChecked=No orders to invoice selected # Order modes (how we receive order). Not the "why" are keys stored into dict.lang OrderByMail=Mail OrderByFax=Fax OrderByEMail=Email OrderByWWW=Online -OrderByPhone=Telefon +OrderByPhone=Phone # Documents models PDFEinsteinDescription=A complete order model (old implementation of Eratosthene template) PDFEratostheneDescription=A complete order model -PDFEdisonDescription=Jednostavan model narudžbine +PDFEdisonDescription=A simple order model PDFProformaDescription=A complete Proforma invoice template -CreateInvoiceForThisCustomer=Naplata narudžbina -CreateInvoiceForThisSupplier=Naplata narudžbina +CreateInvoiceForThisCustomer=Bill orders +CreateInvoiceForThisSupplier=Bill orders CreateInvoiceForThisReceptions=Bill receptions -NoOrdersToInvoice=Nema naplativih narudžbina -CloseProcessedOrdersAutomatically=Označi sve selektovane narudžbine kao "Obrađene". -OrderCreation=Kreacija narudžbine -Ordered=Naručeno -OrderCreated=Vaše narudžbine su kreirane -OrderFail=Došlo je do greške prilikom kreiranja Vaših narudžbina -CreateOrders=Kreiraj narudžbine -ToBillSeveralOrderSelectCustomer=Da biste kreirali fakturu za nekoliko narudžbina, prvo kliknite na klijenta, pa izaberite "%s" +NoOrdersToInvoice=No orders billable +CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. +OrderCreation=Order creation +Ordered=Ordered +OrderCreated=Your orders have been created +OrderFail=An error happened during your orders creation +CreateOrders=Create orders +ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode WithReceptionFinished=With reception finished #### supplier orders status -StatusSupplierOrderCanceledShort=Poništeno -StatusSupplierOrderDraftShort=Nacrt -StatusSupplierOrderValidatedShort=Potvrđen -StatusSupplierOrderSentShort=U toku -StatusSupplierOrderSent=Isporuka u toku -StatusSupplierOrderOnProcessShort=Naručeno -StatusSupplierOrderProcessedShort=Procesuirano -StatusSupplierOrderDelivered=Isporučeno -StatusSupplierOrderDeliveredShort=Isporučeno -StatusSupplierOrderToBillShort=Isporučeno -StatusSupplierOrderApprovedShort=Odobren -StatusSupplierOrderRefusedShort=Odbijen -StatusSupplierOrderToProcessShort=Za procesuiranje -StatusSupplierOrderReceivedPartiallyShort=Delimično primljeno +StatusSupplierOrderCanceledShort=Canceled +StatusSupplierOrderDraftShort=Draft +StatusSupplierOrderValidatedShort=Validated +StatusSupplierOrderSentShort=In process +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Processed +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=Approved +StatusSupplierOrderRefusedShort=Refused +StatusSupplierOrderToProcessShort=To process +StatusSupplierOrderReceivedPartiallyShort=Partially received StatusSupplierOrderReceivedAllShort=Products received -StatusSupplierOrderCanceled=Poništeno -StatusSupplierOrderDraft=Nacrt (čeka na odobrenje) -StatusSupplierOrderValidated=Potvrđen -StatusSupplierOrderOnProcess=Naručeno - čeka se prijem -StatusSupplierOrderOnProcessWithValidation=Naručeno - čeka se prijem ili odobrenje -StatusSupplierOrderProcessed=Procesuirano -StatusSupplierOrderToBill=Isporučeno -StatusSupplierOrderApproved=Odobren -StatusSupplierOrderRefused=Odbijen -StatusSupplierOrderReceivedPartially=Delimično primljeno +StatusSupplierOrderCanceled=Canceled +StatusSupplierOrderDraft=Draft (needs to be validated) +StatusSupplierOrderValidated=Validated +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Processed +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=Approved +StatusSupplierOrderRefused=Refused +StatusSupplierOrderReceivedPartially=Partially received StatusSupplierOrderReceivedAll=All products received +NeedAtLeastOneInvoice = There has to be at least one Invoice +LineAlreadyDispatched = The order line is already received. diff --git a/htdocs/langs/sr_RS/other.lang b/htdocs/langs/sr_RS/other.lang index 2463cc4d970..7a44012da38 100644 --- a/htdocs/langs/sr_RS/other.lang +++ b/htdocs/langs/sr_RS/other.lang @@ -1,13 +1,13 @@ # Dolibarr language file - Source file is en_US - other -SecurityCode=Bezbednosni kod +SecurityCode=Security code NumberingShort=N° -Tools=Alati -TMenuTools=Alati +Tools=Tools +TMenuTools=Tools ToolsDesc=All tools not included in other menu entries are grouped here.
      All the tools can be accessed via the left menu. -Birthday=Datum rođenja +Birthday=Birthday BirthdayAlert=Birthday alert -BirthdayAlertOn=Obaveštenje o rođendanu je aktivno -BirthdayAlertOff=Obaveštenje o rođendanu je neaktivno +BirthdayAlertOn=birthday alert active +BirthdayAlertOff=birthday alert inactive TransKey=Translation of the key TransKey MonthOfInvoice=Month (number 1-12) of invoice date TextMonthOfInvoice=Month (text) of invoice date @@ -31,7 +31,7 @@ PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date DateNextInvoiceBeforeGen=Date of next invoice (before generation) DateNextInvoiceAfterGen=Date of next invoice (after generation) -GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. +GraphInBarsAreLimitedToNMeasures=Graphics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. OnlyOneFieldForXAxisIsPossible=Only 1 field is currently possible as X-Axis. Only the first selected field has been selected. AtLeastOneMeasureIsRequired=At least 1 field for measure is required AtLeastOneXAxisIsRequired=At least 1 field for X-Axis is required @@ -45,51 +45,53 @@ Notify_ORDER_CLOSE=Sales order delivered Notify_ORDER_SUPPLIER_SENTBYMAIL=Purchase order sent by email Notify_ORDER_SUPPLIER_VALIDATE=Purchase order recorded Notify_ORDER_SUPPLIER_APPROVE=Purchase order approved +Notify_ORDER_SUPPLIER_SUBMIT=Purchase order submitted Notify_ORDER_SUPPLIER_REFUSE=Purchase order refused -Notify_PROPAL_VALIDATE=Komercijalna ponuda je potvrđena +Notify_PROPAL_VALIDATE=Customer proposal validated Notify_PROPAL_CLOSE_SIGNED=Customer proposal closed signed Notify_PROPAL_CLOSE_REFUSED=Customer proposal closed refused -Notify_PROPAL_SENTBYMAIL=Komercijalna ponuda poslata mailom -Notify_WITHDRAW_TRANSMIT=Podizanje transfera -Notify_WITHDRAW_CREDIT=Kreditno podizanje -Notify_WITHDRAW_EMIT=Izvrši podizanje -Notify_COMPANY_CREATE=Subjekt kreiran +Notify_PROPAL_SENTBYMAIL=Commercial proposal sent by mail +Notify_WITHDRAW_TRANSMIT=Transmission withdrawal +Notify_WITHDRAW_CREDIT=Credit withdrawal +Notify_WITHDRAW_EMIT=Perform withdrawal +Notify_COMPANY_CREATE=Third party created Notify_COMPANY_SENTBYMAIL=Mails sent from the page of third party -Notify_BILL_VALIDATE=Račun klijenta je potvrđen -Notify_BILL_UNVALIDATE=Potvrda računa klijenta je otkazana +Notify_BILL_VALIDATE=Customer invoice validated +Notify_BILL_UNVALIDATE=Customer invoice unvalidated Notify_BILL_PAYED=Customer invoice paid -Notify_BILL_CANCEL=Račun klijenta je otkazan -Notify_BILL_SENTBYMAIL=Račun klijenta je poslat mailom +Notify_BILL_CANCEL=Customer invoice canceled +Notify_BILL_SENTBYMAIL=Customer invoice sent by mail Notify_BILL_SUPPLIER_VALIDATE=Vendor invoice validated Notify_BILL_SUPPLIER_PAYED=Vendor invoice paid Notify_BILL_SUPPLIER_SENTBYMAIL=Vendor invoice sent by mail -Notify_BILL_SUPPLIER_CANCELED=Vendor invoice cancelled -Notify_CONTRACT_VALIDATE=Ugovor je potvrđen -Notify_FICHINTER_VALIDATE=Intervencija je potvrđena -Notify_FICHINTER_ADD_CONTACT=Dodat kontakt Intervenciji -Notify_FICHINTER_SENTBYMAIL=Intervencija je poslata mail-om -Notify_SHIPPING_VALIDATE=Isporuka je potvrđena -Notify_SHIPPING_SENTBYMAIL=Isporuka je poslata mailom -Notify_MEMBER_VALIDATE=Član je potvrđen -Notify_MEMBER_MODIFY=Član izmenjen -Notify_MEMBER_SUBSCRIPTION=Član je prijavljen +Notify_BILL_SUPPLIER_CANCELED=Vendor invoice canceled +Notify_CONTRACT_VALIDATE=Contract validated +Notify_FICHINTER_VALIDATE=Intervention validated +Notify_FICHINTER_CLOSE=Intervention closed +Notify_FICHINTER_ADD_CONTACT=Added contact to Intervention +Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail +Notify_SHIPPING_VALIDATE=Shipping validated +Notify_SHIPPING_SENTBYMAIL=Shipping sent by mail +Notify_MEMBER_VALIDATE=Member validated +Notify_MEMBER_MODIFY=Member modified +Notify_MEMBER_SUBSCRIPTION=Member subscribed Notify_MEMBER_RESILIATE=Member terminated -Notify_MEMBER_DELETE=Član je uklonjen -Notify_PROJECT_CREATE=Kreacija projekta -Notify_TASK_CREATE=Zaduženje kreirano -Notify_TASK_MODIFY=Zaduženje izmenjeno -Notify_TASK_DELETE=Zaduženje obrisano +Notify_MEMBER_DELETE=Member deleted +Notify_PROJECT_CREATE=Project creation +Notify_TASK_CREATE=Task created +Notify_TASK_MODIFY=Task modified +Notify_TASK_DELETE=Task deleted Notify_EXPENSE_REPORT_VALIDATE=Expense report validated (approval required) Notify_EXPENSE_REPORT_APPROVE=Expense report approved Notify_HOLIDAY_VALIDATE=Leave request validated (approval required) Notify_HOLIDAY_APPROVE=Leave request approved Notify_ACTION_CREATE=Added action to Agenda -SeeModuleSetup=Vidi podešavanja modula %s -NbOfAttachedFiles=Broj fajlova/dokumenata u prilogu -TotalSizeOfAttachedFiles=Ukupna veličina priloženih fajlova/dokumenata -MaxSize=Maksimalna veličina -AttachANewFile=Priloži novi fajl/dokument -LinkedObject=Povezan objekat +SeeModuleSetup=See setup of module %s +NbOfAttachedFiles=Number of attached files/documents +TotalSizeOfAttachedFiles=Total size of attached files/documents +MaxSize=Maximum size +AttachANewFile=Attach a new file/document +LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__
      This is a test mail sent to __EMAIL__ (the word test must be in bold).
      The lines are separated by a carriage return.

      __USER_SIGNATURE__ @@ -109,95 +111,100 @@ PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_ DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available. ChooseYourDemoProfil=Choose the demo profile that best suits your needs... ChooseYourDemoProfilMore=...or build your own profile
      (manual module selection) -DemoFundation=Upravljanje članovima fondacije -DemoFundation2=Upravljanje članovima i bankovnim računom fondacije +DemoFundation=Manage members of a foundation +DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash box DemoCompanyProductAndStocks=Shop selling products with Point Of Sales DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) -CreatedBy=Kreirao %s -ModifiedBy=Izmenio %s -ValidatedBy=Potvrdio %s +CreatedBy=Created by %s +ModifiedBy=Modified by %s +ValidatedBy=Validated by %s SignedBy=Signed by %s -ClosedBy=Zatvorio %s -CreatedById=ID korisnika koji je kreirao +ClosedBy=Closed by %s +CreatedById=User id who created ModifiedById=User id who made latest change -ValidatedById=ID korisnika koji je potvrdio -CanceledById=ID korisnika koji je otkazao -ClosedById=ID korisnika koji je zatvorio -CreatedByLogin=Login korisnika koji je kreirao +ValidatedById=User id who validated +CanceledById=User id who canceled +ClosedById=User id who closed +CreatedByLogin=User login who created ModifiedByLogin=User login who made latest change -ValidatedByLogin=Login korisnika koji je potvrdio -CanceledByLogin=Login korisnika koji je otkazao -ClosedByLogin=Login korisnika koji je zatvorio -FileWasRemoved=Fajl %s j uklonjen -DirWasRemoved=Folder %s je uklonjen +ValidatedByLogin=User login who validated +CanceledByLogin=User login who canceled +ClosedByLogin=User login who closed +FileWasRemoved=File %s was removed +DirWasRemoved=Directory %s was removed FeatureNotYetAvailable=Feature not yet available in the current version FeatureNotAvailableOnDevicesWithoutMouse=Feature not available on devices without mouse FeaturesSupported=Supported features -Width=Širina -Height=Visina -Depth=Dubina -Top=Vrh -Bottom=Dno -Left=Levo -Right=Desno -CalculatedWeight=Izračunata težina -CalculatedVolume=Izračunata zapremina -Weight=Težina +Width=Width +Height=Height +Depth=Depth +Top=Top +Bottom=Bottom +Left=Left +Right=Right +CalculatedWeight=Calculated weight +CalculatedVolume=Calculated volume +Weight=Weight WeightUnitton=ton WeightUnitkg=kg WeightUnitg=g WeightUnitmg=mg -WeightUnitpound=funta -WeightUnitounce=unca -Length=Dužina +WeightUnitpound=pound +WeightUnitounce=ounce +Length=Length LengthUnitm=m LengthUnitdm=dm LengthUnitcm=cm LengthUnitmm=mm -Surface=Površina +Surface=Area SurfaceUnitm2=m² SurfaceUnitdm2=dm² SurfaceUnitcm2=cm² SurfaceUnitmm2=mm² SurfaceUnitfoot2=ft² SurfaceUnitinch2=in² -Volume=Zapremina +Volume=Volume VolumeUnitm3=m³ VolumeUnitdm3=dm³ (L) VolumeUnitcm3=cm³ (ml) VolumeUnitmm3=mm³ (µl) VolumeUnitfoot3=ft³ VolumeUnitinch3=in³ -VolumeUnitounce=unca -VolumeUnitlitre=litar -VolumeUnitgallon=galon +VolumeUnitounce=ounce +VolumeUnitlitre=liter +VolumeUnitgallon=gallon SizeUnitm=m SizeUnitdm=dm SizeUnitcm=cm SizeUnitmm=mm SizeUnitinch=inch SizeUnitfoot=foot -SizeUnitpoint=tačka +SizeUnitpoint=point BugTracker=Bug tracker SendNewPasswordDesc=This form allows you to request a new password. It will be sent to your email address.
      Change will become effective once you click on the confirmation link in the email.
      Check your inbox. EnterNewPasswordHere=Enter your new password here -BackToLoginPage=Nazad na login stranu -AuthenticationDoesNotAllowSendNewPassword=Mod autentifikacije je %s.
      U ovom modu, Dolibarr nema uvid u Vašu lozinku i ne može je promeniti.
      Kontaktirajte Vašeg sistem administratora ukoliko želite da promenite lozinku. +BackToLoginPage=Back to login page +AuthenticationDoesNotAllowSendNewPassword=Authentication mode is %s.
      In this mode, Dolibarr can't know nor change your password.
      Contact your system administrator if you want to change your password. EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use this option. -ProfIdShortDesc=Prof Id %s je infomacija koja zavisi od zemlje subjekta.
      Na primer, za zemlju %s, to je kod %s. +ProfIdShortDesc=Prof Id %s is an information depending on third party country.
      For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByAmount=Statistics on amount of products/services +StatsByAmountProducts=Statistics on amount of products +StatsByAmountServices=Statistics on amount of services StatsByNumberOfUnits=Statistics for sum of qty of products/services +StatsByNumberOfUnitsProducts=Statistics for sum of qty of products +StatsByNumberOfUnitsServices=Statistics for sum of qty of services StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOf=Number of %s NumberOfUnits=Number of units on %s AmountIn=Amount in %s NumberOfUnitsMos=Number of units to produce in manufacturing orders EMailTextInterventionAddedContact=A new intervention %s has been assigned to you. -EMailTextInterventionValidated=Intervencija %s je potvrđena. +EMailTextInterventionValidated=The intervention %s has been validated. +EMailTextInterventionClosed=The intervention %s has been closed. EMailTextInvoiceValidated=Invoice %s has been validated. EMailTextInvoicePayed=Invoice %s has been paid. EMailTextProposalValidated=Proposal %s has been validated. @@ -207,49 +214,48 @@ EMailTextProposalClosedRefused=Proposal %s has been closed refused. EMailTextProposalClosedRefusedWeb=Proposal %s has been closed refuse on portal page. EMailTextOrderValidated=Order %s has been validated. EMailTextOrderClose=Order %s has been delivered. -EMailTextOrderApproved=Order %s has been approved. -EMailTextOrderValidatedBy=Order %s has been recorded by %s. -EMailTextOrderApprovedBy=Order %s has been approved by %s. -EMailTextOrderRefused=Order %s has been refused. -EMailTextOrderRefusedBy=Order %s has been refused by %s. +EMailTextSupplierOrderApprovedBy=Purchase order %s has been approved by %s. +EMailTextSupplierOrderValidatedBy=Purchase order %s has been recorded by %s. +EMailTextSupplierOrderSubmittedBy=Purchase order %s has been submitted by %s. +EMailTextSupplierOrderRefusedBy=Purchase order %s has been refused by %s. EMailTextExpeditionValidated=Shipping %s has been validated. EMailTextExpenseReportValidated=Expense report %s has been validated. EMailTextExpenseReportApproved=Expense report %s has been approved. EMailTextHolidayValidated=Leave request %s has been validated. EMailTextHolidayApproved=Leave request %s has been approved. EMailTextActionAdded=The action %s has been added to the Agenda. -ImportedWithSet=Podaci za import -DolibarrNotification=Automatsko obaveštenje -ResizeDesc=Unesite novu širinu ILI novu visinu. Proporcija će biti održana prilikom promene veličine... -NewLength=Nova širina -NewHeight=Nova visina -NewSizeAfterCropping=Nova veličina nakon sečenja -DefineNewAreaToPick=Definiši novu oblast na slici za izbor (kliknite levim klikom na sliku i prevucite kursor do suprotnog ugla) +ImportedWithSet=Importation data set +DolibarrNotification=Automatic notification +ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... +NewLength=New width +NewHeight=New height +NewSizeAfterCropping=New size after cropping +DefineNewAreaToPick=Define new area on image to pick (left click on image then drag until you reach the opposite corner) CurrentInformationOnImage=This tool was designed to help you to resize or crop an image. This is the information on the current edited image -ImageEditor=Editor slika -YouReceiveMailBecauseOfNotification=Dobili ste ovu poruku jer je Vaš mail dodat u listu za informisanje o određenim događajima u %s softveru od %s. -YouReceiveMailBecauseOfNotification2=Ovaj događaj je sledeće: -ThisIsListOfModules=Ovo je lista modula preselektovanih za ovaj demo profil (samo najstandardniji moduli su dostupni u ovom demo-u). Izmenite ovu listu kako biste dobili personalizovaniji demo i kliknite na "Start". -UseAdvancedPerms=Koristite napredna prava nekih modula -FileFormat=Format fajla -SelectAColor=Izaberi boju -AddFiles=Dodaj fajlove -StartUpload=Otpočni upload -CancelUpload=Otkaži upload -FileIsTooBig=Fajlovi su preveilki -PleaseBePatient=Molimo sačekajte... +ImageEditor=Image editor +YouReceiveMailBecauseOfNotification=You receive this message because your email has been added to list of targets to be informed of particular events into %s software of %s. +YouReceiveMailBecauseOfNotification2=This event is the following: +ThisIsListOfModules=This is a list of modules preselected by this demo profile (only most common modules are visible in this demo). Edit this to have a more personalized demo and click on "Start". +UseAdvancedPerms=Use the advanced permissions of some modules +FileFormat=File format +SelectAColor=Choose a color +AddFiles=Add Files +StartUpload=Start upload +CancelUpload=Cancel upload +FileIsTooBig=Files is too big +PleaseBePatient=Please be patient... NewPassword=New password ResetPassword=Reset password RequestToResetPasswordReceived=A request to change your password has been received. -NewKeyIs=Ovo su nove informacije za login -NewKeyWillBe=Vaša nova informacija za login za softver će biti -ClickHereToGoTo=Kliknite ovde da otvorite %s -YouMustClickToChange=Prvo morate kliknuti sledeći link da biste potvrdili promenu lozinke +NewKeyIs=This is your new keys to login +NewKeyWillBe=Your new key to login to software will be +ClickHereToGoTo=Click here to go to %s +YouMustClickToChange=You must however first click on the following link to validate this password change ConfirmPasswordChange=Confirm password change -ForgetIfNothing=Ukoliko niste tražili ovu promenu, zaboravite na ovaj email. Vaši parametri za konekciju su bezbedni. -IfAmountHigherThan=Ukoliko je iznos veći od %s -SourcesRepository=Repository koda -Chart=Tabela +ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe. +IfAmountHigherThan=If amount higher than %s +SourcesRepository=Repository for sources +Chart=Chart PassEncoding=Password encoding PermissionsAdd=Permissions added PermissionsDelete=Permissions removed @@ -271,41 +277,44 @@ SuffixSessionName=Suffix for session name LoginWith=Login with %s ##### Export ##### -ExportsArea=Oblast exporta -AvailableFormats=Dostupni formati -LibraryUsed=Korišćena biblioteka +ExportsArea=Exports area +AvailableFormats=Available formats +LibraryUsed=Library used LibraryVersion=Library version -ExportableDatas=Podaci za exportovanje -NoExportableData=Nema podataka za exportovanje (nema modula sa učitanim podacima za exportovanje, ili nema potrebnih prava) +ExportableDatas=Exportable data +NoExportableData=No exportable data (no modules with exportable data loaded, or missing permissions) ##### External sites ##### -WebsiteSetup=Podešavanja modula sajta -WEBSITE_PAGEURL=URL stranice -WEBSITE_TITLE=Naslov -WEBSITE_DESCRIPTION=Opis +WebsiteSetup=Setup of module website +WEBSITE_PAGEURL=URL of page +WEBSITE_TITLE=Title +WEBSITE_DESCRIPTION=Description WEBSITE_IMAGE=Image WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). -WEBSITE_KEYWORDS=Ključne reči +WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import MemoryUsage=Memory usage RequestDuration=Duration of request -ProductsPerPopularity=Products/Services by popularity -PopuProp=Products/Services by popularity in Proposals -PopuCom=Products/Services by popularity in Orders -ProductStatistics=Products/Services Statistics +ProductsServicesPerPopularity=Products|Services by popularity +ProductsPerPopularity=Products by popularity +ServicesPerPopularity=Services by popularity +PopuProp=Products|Services by popularity in Proposals +PopuCom=Products|Services by popularity in Orders +ProductStatistics=Products|Services Statistics NbOfQtyInOrders=Qty in orders SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... ConfirmBtnCommonContent = Are you sure you want to "%s" ? ConfirmBtnCommonTitle = Confirm your action -CloseDialog = Zatvori +CloseDialog = Close Autofill = Autofill +OrPasteAnURL=or Paste an URL # externalsite -ExternalSiteSetup=Podesi link ka eksternom sajtu +ExternalSiteSetup=Setup link to external website ExternalSiteURL=External Site URL of HTML iframe content -ExternalSiteModuleNotComplete=Modul eksterni sajt nije ispravno konfigurisan. -ExampleMyMenuEntry=Stavka iz mog menija +ExternalSiteModuleNotComplete=Module ExternalSite was not configured properly. +ExampleMyMenuEntry=My menu entry # ftp FTPClientSetup=FTP or SFTP Client module setup @@ -316,11 +325,11 @@ SetupOfFTPClientModuleNotComplete=The setup of the FTP or SFTP client module see FTPFeatureNotSupportedByYourPHP=Your PHP does not support FTP or SFTP functions FailedToConnectToFTPServer=Failed to connect to server (server %s, port %s) FailedToConnectToFTPServerWithCredentials=Failed to login to server with defined login/password -FTPFailedToRemoveFile=Greška prilikom brisanja fajla %s. +FTPFailedToRemoveFile=Failed to remove file %s. FTPFailedToRemoveDir=Failed to remove directory %s: check permissions and that the directory is empty. FTPPassiveMode=Passive mode ChooseAFTPEntryIntoMenu=Choose a FTP/SFTP site from the menu... -FailedToGetFile=Greška prilikom preuzimanja fajlova %s +FailedToGetFile=Failed to get files %s ErrorFTPNodisconnect=Error to disconnect FTP/SFTP server FileWasUpload=File %s was uploaded FTPFailedToUploadFile=Failed to upload the file %s. diff --git a/htdocs/langs/sr_RS/partnership.lang b/htdocs/langs/sr_RS/partnership.lang index d1f35535d8a..4d75a3158bf 100644 --- a/htdocs/langs/sr_RS/partnership.lang +++ b/htdocs/langs/sr_RS/partnership.lang @@ -20,6 +20,7 @@ ModulePartnershipName=Partnership management PartnershipDescription=Module Partnership management PartnershipDescriptionLong= Module Partnership management Partnership=Partnership +Partnerships=Partnerships AddPartnership=Add partnership CancelPartnershipForExpiredMembers=Partnership: Cancel partnership of members with expired subscriptions PartnershipCheckBacklink=Partnership: Check referring backlink @@ -28,6 +29,7 @@ PartnershipCheckBacklink=Partnership: Check referring backlink # Menu # NewPartnership=New Partnership +NewPartnershipbyWeb=Your partnership request has been added successfully. We may contact you soon... ListOfPartnerships=List of partnership # @@ -36,12 +38,13 @@ ListOfPartnerships=List of partnership PartnershipSetup=Partnership setup PartnershipAbout=About Partnership PartnershipAboutPage=Partnership about page -partnershipforthirdpartyormember=Partner status must be set on a 'thirdparty' or a 'member' +partnershipforthirdpartyormember=Partner status must be set on a 'third party' or a 'member' PARTNERSHIP_IS_MANAGED_FOR=Partnership managed for PARTNERSHIP_BACKLINKS_TO_CHECK=Backlinks to check -PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb of days before cancelling status of a partnership when a subscription has expired +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb of days before canceling status of a partnership when a subscription has expired ReferingWebsiteCheck=Check of website referring ReferingWebsiteCheckDesc=You can enable a feature to check that your partners has added a backlink to your website domains on their own website. +PublicFormRegistrationPartnerDesc=Dolibarr can provide you a public URL/website to allow external visitors to request to be part of the partnership program. # # Object @@ -49,8 +52,8 @@ ReferingWebsiteCheckDesc=You can enable a feature to check that your partners ha DeletePartnership=Delete a partnership PartnershipDedicatedToThisThirdParty=Partnership dedicated to this third party PartnershipDedicatedToThisMember=Partnership dedicated to this member -DatePartnershipStart=Datum početka -DatePartnershipEnd=Datum završetka +DatePartnershipStart=Start date +DatePartnershipEnd=End date ReasonDecline=Decline reason ReasonDeclineOrCancel=Decline reason PartnershipAlreadyExist=Partnership already exist @@ -59,6 +62,12 @@ BacklinkNotFoundOnPartnerWebsite=Backlink not found on partner website ConfirmClosePartnershipAsk=Are you sure you want to cancel this partnership? PartnershipType=Partnership type PartnershipRefApproved=Partnership %s approved +KeywordToCheckInWebsite=If you want to check that a given keyword is present into the website of each partner, define this keyword here +PartnershipDraft=Draft +PartnershipAccepted=Accepted +PartnershipRefused=Refused +PartnershipCanceled=Canceled +PartnershipManagedFor=Partners are # # Template Mail @@ -73,20 +82,18 @@ YourPartnershipRefusedTopic=Partnership refused YourPartnershipAcceptedTopic=Partnership accepted YourPartnershipCanceledTopic=Partnership canceled -YourPartnershipWillSoonBeCanceledContent=We inform you that your partnership will soon be canceled (Backlink not found) -YourPartnershipRefusedContent=We inform you that your partnership request has been refused. -YourPartnershipAcceptedContent=We inform you that your partnership request has been accepted. -YourPartnershipCanceledContent=We inform you that your partnership has been canceled. +YourPartnershipWillSoonBeCanceledContent=We would like to inform you that our partnership will soon be canceled (we did not get renewal or a prerequisite for our partnership have not been met). Please contact us if you received this due to an error. +YourPartnershipRefusedContent=We would like to inform you that your partnership request has been refused. Prerequisites have not been met. Please contact us if you need more information. +YourPartnershipAcceptedContent=We would like to inform you that your partnership request has been accepted. +YourPartnershipCanceledContent=We would like to inform you that our partnership has been canceled. Please contact us if you need more information. CountLastUrlCheckError=Number of errors for last URL check LastCheckBacklink=Date of last URL check ReasonDeclineOrCancel=Decline reason -# -# Status -# -PartnershipDraft=Nacrt -PartnershipAccepted=Prihvaćen -PartnershipRefused=Odbijen -PartnershipCanceled=Poništeno -PartnershipManagedFor=Partners are +NewPartnershipRequest=New partnership request +NewPartnershipRequestDesc=This form allows you to request to be part of one of our partnership program. If you need help to fill this form, please contact by email %s. +ThisUrlMustContainsAtLeastOneLinkToWebsite=This page must contains at least one link to one of the following domain: %s + +IPOfApplicant=IP of applicant + diff --git a/htdocs/langs/sr_RS/paybox.lang b/htdocs/langs/sr_RS/paybox.lang index a42fcf8b33e..a2bfb1773e4 100644 --- a/htdocs/langs/sr_RS/paybox.lang +++ b/htdocs/langs/sr_RS/paybox.lang @@ -1,31 +1,30 @@ # Dolibarr language file - Source file is en_US - paybox -PayBoxSetup=Podešavanja modula PayBox -PayBoxDesc=Ovaj modul nudi strane za uplatu na Paybox-u. Može biti korišćen za slobodne uplate, ili za uplate vezane za određeni Dolibarr objekat (faktura, narudžbenica, ...) -FollowingUrlAreAvailableToMakePayments=Sledeći URL-ovi mogu omogućiti klijentu da izvrši uplatu na Dolibarr objekte -PaymentForm=Forma za uplatu +PayBoxSetup=PayBox module setup +PayBoxDesc=This module offer pages to allow payment on Paybox by customers. This can be used for a free payment or for a payment on a particular Dolibarr object (invoice, order, ...) +FollowingUrlAreAvailableToMakePayments=Following URLs are available to offer a page to a customer to make a payment on Dolibarr objects +PaymentForm=Payment form WelcomeOnPaymentPage=Welcome to our online payment service -ThisScreenAllowsYouToPay=Ovaj ekran vam omogućava da izvršite online uplatu u korist %s -ThisIsInformationOnPayment=Ovo su informacije o uplati -ToComplete=Popuniti -YourEMail=Email za potvrdu uplate -Creditor=Kreditor -PaymentCode=Kod uplate +ThisScreenAllowsYouToPay=This screen allow you to make an online payment to %s. +ThisIsInformationOnPayment=This is information on payment to do +ToComplete=To complete +YourEMail=Email to receive payment confirmation +Creditor=Creditor +PaymentCode=Payment code PayBoxDoPayment=Pay with Paybox -YouWillBeRedirectedOnPayBox=Bićete redrektovani na sigurnu Paybox stranu kako biste uneli informacije Vaše kreditne kartice -Continue=Dalje +YouWillBeRedirectedOnPayBox=You will be redirected on secured Paybox page to input you credit card information +Continue=Next SetupPayBoxToHavePaymentCreatedAutomatically=Setup your Paybox with url %s to have payment created automatically when validated by Paybox. -YourPaymentHasBeenRecorded=Ova strana potvrđuje da je Vaša uplata registrovana. Hvala. +YourPaymentHasBeenRecorded=This page confirms that your payment has been recorded. Thank you. YourPaymentHasNotBeenRecorded=Your payment has NOT been recorded and the transaction has been canceled. Thank you. -AccountParameter=Parametri naloga -UsageParameter=Parametri korišćenja -InformationToFindParameters=Pomoć za pronalaženje informacije o Vašem %s nalogu -PAYBOX_CGI_URL_V2=Url ili Paybox CGI modul za plaćanje -VendorName=Ime prodavca -CSSUrlForPaymentForm=CSS url za formu za plaćanje -NewPayboxPaymentReceived=Nova Paybox uplata je primljena -NewPayboxPaymentFailed=Pokušak nove Paybox uplate nije uspeo +AccountParameter=Account parameters +UsageParameter=Usage parameters +InformationToFindParameters=Help to find your %s account information +PAYBOX_CGI_URL_V2=Url of Paybox CGI module for payment +CSSUrlForPaymentForm=CSS style sheet url for payment form +NewPayboxPaymentReceived=New Paybox payment received +NewPayboxPaymentFailed=New Paybox payment tried but failed PAYBOX_PAYONLINE_SENDEMAIL=Email notification after payment attempt (success or fail) -PAYBOX_PBX_SITE=Vrednost PBX SITE -PAYBOX_PBX_RANG=Vrednost PBX Rang -PAYBOX_PBX_IDENTIFIANT=Vrednost PBX ID +PAYBOX_PBX_SITE=Value for PBX SITE +PAYBOX_PBX_RANG=Value for PBX Rang +PAYBOX_PBX_IDENTIFIANT=Value for PBX ID PAYBOX_HMAC_KEY=HMAC key diff --git a/htdocs/langs/sr_RS/paypal.lang b/htdocs/langs/sr_RS/paypal.lang index e80e5e1aec7..a935cd38434 100644 --- a/htdocs/langs/sr_RS/paypal.lang +++ b/htdocs/langs/sr_RS/paypal.lang @@ -1,31 +1,31 @@ # Dolibarr language file - Source file is en_US - paypal -PaypalSetup=Podešavanja modula PayPal -PaypalDesc=This module allows payment by customers via PayPal. This can be used for a ad-hoc payment or for a payment related to a Dolibarr object (invoice, order, ...) +PaypalSetup=PayPal module setup +PaypalDesc=This module allows payment by customers via PayPal. This can be used for a ad-hoc payment or for a payment related to a Dolibarr object (invoice, order, ...) PaypalOrCBDoPayment=Pay with PayPal (Card or PayPal) PaypalDoPayment=Pay with PayPal -PAYPAL_API_SANDBOX=Test/sandbox mod +PAYPAL_API_SANDBOX=Mode test/sandbox PAYPAL_API_USER=API username PAYPAL_API_PASSWORD=API password PAYPAL_API_SIGNATURE=API signature -PAYPAL_SSLVERSION=Curl SSL verzija +PAYPAL_SSLVERSION=Curl SSL Version PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Offer "integral" payment (Credit card+PayPal) or "PayPal" only -PaypalModeIntegral=Integralno -PaypalModeOnlyPaypal=Samo PayPal +PaypalModeIntegral=Integral +PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optional URL of CSS stylesheet on online payment page -ThisIsTransactionId=Ovo je ID transakcije: %s +ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Include the PayPal payment url when you send a document by email NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed ONLINE_PAYMENT_SENDEMAIL=Email address for notifications after each payment attempt (for success and fail) -ReturnURLAfterPayment=Povratni URL posle plaćanja +ReturnURLAfterPayment=Return URL after payment ValidationOfOnlinePaymentFailed=Validation of online payment failed PaymentSystemConfirmPaymentPageWasCalledButFailed=Payment confirmation page was called by payment system returned an error -SetExpressCheckoutAPICallFailed=Greška u pozivu SetExpressCheckout API. -DoExpressCheckoutPaymentAPICallFailed=Greška u pozivu DoExpressCheckoutPayment API. -DetailedErrorMessage=Detaljna poruka greške -ShortErrorMessage=Kratka poruka greške -ErrorCode=Kod greške -ErrorSeverityCode=Kod ozbiljnosti greške +SetExpressCheckoutAPICallFailed=SetExpressCheckout API call failed. +DoExpressCheckoutPaymentAPICallFailed=DoExpressCheckoutPayment API call failed. +DetailedErrorMessage=Detailed Error Message +ShortErrorMessage=Short Error Message +ErrorCode=Error Code +ErrorSeverityCode=Error Severity Code OnlinePaymentSystem=Online payment system PaypalLiveEnabled=PayPal "live" mode enabled (otherwise test/sandbox mode) PaypalImportPayment=Import PayPal payments @@ -34,3 +34,4 @@ ARollbackWasPerformedOnPostActions=A rollback was performed on all Post actions. ValidationOfPaymentFailed=Validation of payment has failed CardOwner=Card holder PayPalBalance=Paypal credit +OnlineSubscriptionPaymentLine=Online subscription recorded on %s
      Paid via %s
      Originating IP address: %s
      Transaction ID: %s diff --git a/htdocs/langs/sr_RS/printing.lang b/htdocs/langs/sr_RS/printing.lang index 6d95db22a18..bd9094f213d 100644 --- a/htdocs/langs/sr_RS/printing.lang +++ b/htdocs/langs/sr_RS/printing.lang @@ -5,50 +5,50 @@ PrintingSetup=Setup of One click Printing System PrintingDesc=This module adds a Print button to various modules to allow documents to be printed directly to a printer with no need to open the document into another application. MenuDirectPrinting=One click Printing jobs DirectPrint=One click Print -PrintingDriverDesc=Opcije za driver štampača. -ListDrivers=Lista driver-a -PrintTestDesc=Lista štampača. -FileWasSentToPrinter=Fajl %s je poslat na štampanje +PrintingDriverDesc=Configuration variables for printing driver. +ListDrivers=List of drivers +PrintTestDesc=List of Printers. +FileWasSentToPrinter=File %s was sent to printer ViaModule=via the module NoActivePrintingModuleFound=No active driver to print document. Check setup of module %s. -PleaseSelectaDriverfromList=Molimo izaberite driver iz liste. -PleaseConfigureDriverfromList=Molimo konfigurišite selektirani driver iz liste -SetupDriver=Podešavanja driver-a -TargetedPrinter=Ciljani štampač -UserConf=Podešavanja po korisniku -PRINTGCP_INFO=Google OAuth API podešavanja -PRINTGCP_AUTHLINK=Autentifikacija +PleaseSelectaDriverfromList=Please select a driver from list. +PleaseConfigureDriverfromList=Please configure the selected driver from list. +SetupDriver=Driver setup +TargetedPrinter=Targeted printer +UserConf=Setup per user +PRINTGCP_INFO=Google OAuth API setup +PRINTGCP_AUTHLINK=Authentication PRINTGCP_TOKEN_ACCESS=Google Cloud Print OAuth Token PrintGCPDesc=This driver allows sending documents directly to a printer using Google Cloud Print. -GCP_Name=Ime -GCP_displayName=Prikazano Ime -GCP_Id=ID štampača -GCP_OwnerName=Ime vlasnika -GCP_State=Stanje štampača -GCP_connectionStatus=Online Stanje -GCP_Type=Tip štampača +GCP_Name=Name +GCP_displayName=Display Name +GCP_Id=Printer Id +GCP_OwnerName=Owner Name +GCP_State=Printer State +GCP_connectionStatus=Online State +GCP_Type=Printer Type PrintIPPDesc=This driver allows sending of documents directly to a printer. It requires a Linux system with CUPS installed. PRINTIPP_HOST=Print server PRINTIPP_PORT=Port PRINTIPP_USER=Login PRINTIPP_PASSWORD=Password -NoDefaultPrinterDefined=Nema default štampača -DefaultPrinter=Default štampač -Printer=Štampač -IPP_Uri=URL štampača -IPP_Name=Ime štampača -IPP_State=Status štampača -IPP_State_reason=Razlog statusa -IPP_State_reason1=Razlog statusa 1 -IPP_BW=Crno-belo -IPP_Color=U boji -IPP_Device=Uređaj +NoDefaultPrinterDefined=No default printer defined +DefaultPrinter=Default printer +Printer=Printer +IPP_Uri=Printer Uri +IPP_Name=Printer Name +IPP_State=Printer State +IPP_State_reason=State reason +IPP_State_reason1=State reason1 +IPP_BW=BW +IPP_Color=Color +IPP_Device=Device IPP_Media=Printer media IPP_Supported=Type of media -DirectPrintingJobsDesc=Ova strana lista zadatke štampanja za sve dostupne štampače +DirectPrintingJobsDesc=This page lists printing jobs found for available printers. GoogleAuthNotConfigured=Google OAuth has not been setup. Enable module OAuth and set a Google ID/Secret. GoogleAuthConfigured=Google OAuth credentials were found into setup of module OAuth. -PrintingDriverDescprintgcp=Opcije driver-a štampača Google Cloud Print. +PrintingDriverDescprintgcp=Configuration variables for printing driver Google Cloud Print. PrintingDriverDescprintipp=Configuration variables for printing driver Cups. -PrintTestDescprintgcp=Lista štampača za Google Cloud Print. +PrintTestDescprintgcp=List of Printers for Google Cloud Print. PrintTestDescprintipp=List of Printers for Cups. diff --git a/htdocs/langs/sr_RS/productbatch.lang b/htdocs/langs/sr_RS/productbatch.lang index 20089e90aa0..63936705de3 100644 --- a/htdocs/langs/sr_RS/productbatch.lang +++ b/htdocs/langs/sr_RS/productbatch.lang @@ -1,25 +1,26 @@ # ProductBATCH language file - Source file is en_US - ProductBATCH -ManageLotSerial=Koristi serijski broj +ManageLotSerial=Use lot/serial number ProductStatusOnBatch=Yes (lot required) ProductStatusOnSerial=Yes (unique serial number required) -ProductStatusNotOnBatch=Ne (serijski broj se ne koristi) +ProductStatusNotOnBatch=No (lot/serial not used) ProductStatusOnBatchShort=Lot ProductStatusOnSerialShort=Serial -ProductStatusNotOnBatchShort=Ne -Batch=Serija -atleast1batchfield=Rok trajanja ili rok prodaje serije -batch_number=Serijski broj -BatchNumberShort=Serija -EatByDate=Rok trajanja -SellByDate=Rok prodaje -DetailBatchNumber=Detalji Serije -printBatch=Serija: %s -printEatby=Rok trajanja: %s -printSellby=Rok prodaje: %s -printQty=Kol: %d -AddDispatchBatchLine=Dodaj liniju za "Shelf Life" raspodelu -WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic stock decrease is forced to 'Decrease real stocks on shipping validation' and automatic increase mode is forced to 'Increase real stocks on manual dispatching into warehouses' and can't be edited. Other options can be defined as you want. -ProductDoesNotUseBatchSerial=Ovaj proizvod ne koristi serijski broj +ProductStatusNotOnBatchShort=No +Batch=Lot/Serial +atleast1batchfield=Eat-by date or Sell-by date or Lot/Serial number +batch_number=Lot/Serial number +BatchNumberShort=Lot/Serial +EatByDate=Eat-by date +SellByDate=Sell-by date +DetailBatchNumber=Lot/Serial details +printBatch=Lot/Serial: %s +printEatby=Eat-by: %s +printSellby=Sell-by: %s +printQty=Qty: %d +printPlannedWarehouse=Warehouse: %s +AddDispatchBatchLine=Add a line for Shelf Life dispatching +WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic stock decrease is forced to '%s' and automatic increase mode is forced to '%s'. Some choices may be not available. Other options can be defined as you want. +ProductDoesNotUseBatchSerial=This product does not use lot/serial number ProductLotSetup=Setup of module lot/serial ShowCurrentStockOfLot=Show current stock for couple product/lot ShowLogOfMovementIfLot=Show log of movements for couple product/lot @@ -43,3 +44,6 @@ HideLots=Hide lots OutOfOrder=Out of order InWorkingOrder=In working order ToReplace=Replace +CantMoveNonExistantSerial=Error. You ask a move on a record for a serial that does not exists anymore. May be you take the same serial on same warehouse several times in same shipment or it was used by another shipment. Remove this shipment and prepare another one. +TableLotIncompleteRunRepairWithParamStandardEqualConfirmed=Lot table incomplete run repair with parameter '...repair.php?standard=confirmed' +IlligalQtyForSerialNumbers= Stock correction required because unique serial number. diff --git a/htdocs/langs/sr_RS/products.lang b/htdocs/langs/sr_RS/products.lang index c4a95e4900c..898ce266443 100644 --- a/htdocs/langs/sr_RS/products.lang +++ b/htdocs/langs/sr_RS/products.lang @@ -1,140 +1,143 @@ # Dolibarr language file - Source file is en_US - products -ProductRef=Ref. proizvoda -ProductLabel=Oznaka proizvoda -ProductLabelTranslated=Prevedeni naziv proizvoda +ProductRef=Product ref. +ProductLabel=Product label +ProductLabelTranslated=Translated product label ProductDescription=Product description -ProductDescriptionTranslated=Prevedeni opis proizvoda -ProductNoteTranslated=Prevedena napomena proizvoda -ProductServiceCard=Kartica Proizvoda/Usluga -TMenuProducts=Proizvodi -TMenuServices=Usluge -Products=Proizvodi -Services=Usluge -Product=Proizvod -Service=Usluga -ProductId=ID Proizvoda/Usluge -Create=Kreiraj -Reference=Referenca -NewProduct=Novi proizvod -NewService=Nova usluga +ProductDescriptionTranslated=Translated product description +ProductNoteTranslated=Translated product note +ProductServiceCard=Products/Services card +TMenuProducts=Products +TMenuServices=Services +Products=Products +Services=Services +Product=Product +Service=Service +ProductId=Product/service id +Create=Create +Reference=Reference +NewProduct=New product +NewService=New service ProductVatMassChange=Global VAT Update ProductVatMassChangeDesc=This tool updates the VAT rate defined on ALL products and services! -MassBarcodeInit=Masivna inicijalizacija bar code-a. -MassBarcodeInitDesc=Na ovoj strani možete inicijalizovati bar kod za objekte koji još uvek nemaju definisan kod. Prethodno proverite da li je završeno podešavanje modula bar kod. +MassBarcodeInit=Mass barcode init +MassBarcodeInitDesc=This page can be used to initialize a barcode on objects that does not have barcode defined. Check before that setup of module barcode is complete. ProductAccountancyBuyCode=Accounting code (purchase) ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) ProductAccountancyBuyExportCode=Accounting code (purchase import) ProductAccountancySellCode=Accounting code (sale) ProductAccountancySellIntraCode=Accounting code (sale intra-Community) ProductAccountancySellExportCode=Accounting code (sale export) -ProductOrService=Proizvod ili Usluga -ProductsAndServices=Proizvodi i Usluge -ProductsOrServices=Proizvodi ili Usluge +ProductOrService=Product or Service +ProductsAndServices=Products and Services +ProductsOrServices=Products or Services ProductsPipeServices=Products | Services ProductsOnSale=Products for sale ProductsOnPurchase=Products for purchase ProductsOnSaleOnly=Products for sale only ProductsOnPurchaseOnly=Products for purchase only ProductsNotOnSell=Products not for sale and not for purchase -ProductsOnSellAndOnBuy=Proizvodi za prodaju i nabavku +ProductsOnSellAndOnBuy=Products for sale and for purchase ServicesOnSale=Services for sale ServicesOnPurchase=Services for purchase ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase -ServicesOnSellAndOnBuy=Usluge za prodaju i nabavku +ServicesOnSellAndOnBuy=Services for sale and for purchase LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services -CardProduct0=Proizvod -CardProduct1=Usluga -Stock=Stanje -MenuStocks=Zalihe +CardProduct0=Product +CardProduct1=Service +Stock=Stock +MenuStocks=Stocks Stocks=Stocks and location (warehouse) of products -Movements=Promene +Movements=Movements Sell=Sell Buy=Purchase -OnSell=Za prodaju -OnBuy=Za kupovinu -NotOnSell=Nije za prodaju -ProductStatusOnSell=Za prodaju -ProductStatusNotOnSell=Nije za prodaju -ProductStatusOnSellShort=Za prodaju -ProductStatusNotOnSellShort=Nije za prodaju -ProductStatusOnBuy=Za nabavku -ProductStatusNotOnBuy=Nije za nabavku -ProductStatusOnBuyShort=Za nabavku -ProductStatusNotOnBuyShort=Nije za nabavku -UpdateVAT=Ažuriranje TVA -UpdateDefaultPrice=Ažuriranje default cene -UpdateLevelPrices=Ažuriranje cena za svaki nivo +OnSell=For sale +OnBuy=For purchase +NotOnSell=Not for sale +ProductStatusOnSell=For sale +ProductStatusNotOnSell=Not for sale +ProductStatusOnSellShort=For sale +ProductStatusNotOnSellShort=Not for sale +ProductStatusOnBuy=For purchase +ProductStatusNotOnBuy=Not for purchase +ProductStatusOnBuyShort=For purchase +ProductStatusNotOnBuyShort=Not for purchase +UpdateVAT=Update vat +UpdateDefaultPrice=Update default price +UpdateLevelPrices=Update prices for each level AppliedPricesFrom=Applied from -SellingPrice=Prodajna cena +SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) -SellingPriceTTC=Prodajna cena (sa PDV-om) +SellingPriceTTC=Selling price (inc. tax) SellingMinPriceTTC=Minimum Selling price (inc. tax) CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. ManufacturingPrice=Manufacturing price SoldAmount=Sold amount PurchasedAmount=Purchased amount -NewPrice=Nova cena +NewPrice=New price MinPrice=Min. selling price +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=Edit selling price label -CantBeLessThanMinPrice=Prodajna cena ne može biti niža od dozvoljenog minimuma za ovaj proizvod (%s neto). Ova poruka se takođe može pojaviti ukoliko ste uneli preveliki popust. -ContractStatusClosed=Zatvoren -ErrorProductAlreadyExists=Proizvod sa referencom %s već postoji -ErrorProductBadRefOrLabel=Pogrešna vrednost za referencu ili naziv. -ErrorProductClone=Došlo je do greške prilikom dupliranja proizvoda ili usluge. -ErrorPriceCantBeLowerThanMinPrice=Greška, cena ne može biti manja od minimalne. -Suppliers=Dobavljači +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. +ContractStatusClosed=Closed +ErrorProductAlreadyExists=A product with reference %s already exists. +ErrorProductBadRefOrLabel=Wrong value for reference or label. +ErrorProductClone=There was a problem while trying to clone the product or service. +ErrorPriceCantBeLowerThanMinPrice=Error, price can't be lower than minimum price. +Suppliers=Vendors SupplierRef=Vendor SKU -ShowProduct=Pokaži proizvod -ShowService=Pokaži uslugu -ProductsAndServicesArea=Oblast proizvoda i usluga -ProductsArea=Oblast proizvoda -ServicesArea=Oblast usluga -ListOfStockMovements=Lista promena stanja -BuyingPrice=Kupovna cena -PriceForEachProduct=Proizvodi sa posebnim cenama +ShowProduct=Show product +ShowService=Show service +ProductsAndServicesArea=Product and Services area +ProductsArea=Product area +ServicesArea=Services area +ListOfStockMovements=List of stock movements +BuyingPrice=Buying price +PriceForEachProduct=Products with specific prices SupplierCard=Vendor card -PriceRemoved=Cena uklonjena -BarCode=Bar code -BarcodeType=Tip Bar code-a -SetDefaultBarcodeType=Postavi bar code -BarcodeValue=Vrednost bar code -NoteNotVisibleOnBill=Beleška (nije vidljiva na računima, ponudama...) -ServiceLimitedDuration=Ako je proizvod usluga sa ograničenim trajanjem: +PriceRemoved=Price removed +BarCode=Barcode +BarcodeType=Barcode type +SetDefaultBarcodeType=Set barcode type +BarcodeValue=Barcode value +NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) +ServiceLimitedDuration=If product is a service with limited duration: FillWithLastServiceDates=Fill with last service line dates MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) -MultiPricesNumPrices=Broj cena +MultiPricesNumPrices=Number of prices DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit -ParentProductsNumber=Broj paketa proizvoda +ParentProductsNumber=Number of parent packaging product ParentProducts=Parent products IfZeroItIsNotAVirtualProduct=If 0, this product is not a kit IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit -KeywordFilter=Filter po ključnoj reči -CategoryFilter=Filter po kategoriji -ProductToAddSearch=Potraži proizvod za dodavanje -NoMatchFound=Nema rezultata +KeywordFilter=Keyword filter +CategoryFilter=Category filter +ProductToAddSearch=Search product to add +NoMatchFound=No match found ListOfProductsServices=List of products/services ProductAssociationList=List of products/services that are component(s) of this kit ProductParentList=List of kits with this product as a component -ErrorAssociationIsFatherOfThis=Jedan od izabranih proizvoda je matični za trenutni proizvod -DeleteProduct=Obriši proizvod/uslugu -ConfirmDeleteProduct=Da li ste sigurni da želite da obrišete ovaj proizvod/uslugu? -ProductDeleted=Proizvod/Usluga "%s" je obrisan iz baze. -ExportDataset_produit_1=Proizvodi -ExportDataset_service_1=Usluge -ImportDataset_produit_1=Proizvodi -ImportDataset_service_1=Usluge -DeleteProductLine=Obriši liniju proizvoda -ConfirmDeleteProductLine=Da li ste sigurni da želite da obrišete ovu liniju proizvoda? -ProductSpecial=Specijalno +ErrorAssociationIsFatherOfThis=One of selected product is parent with current product +DeleteProduct=Delete a product/service +ConfirmDeleteProduct=Are you sure you want to delete this product/service? +ProductDeleted=Product/Service "%s" deleted from database. +ExportDataset_produit_1=Products +ExportDataset_service_1=Services +ImportDataset_produit_1=Products +ImportDataset_service_1=Services +DeleteProductLine=Delete product line +ConfirmDeleteProductLine=Are you sure you want to delete this product line? +ProductSpecial=Special QtyMin=Min. purchase quantity PriceQtyMin=Price quantity min. PriceQtyMinCurrency=Price (currency) for this qty. @@ -146,29 +149,29 @@ NoSupplierPriceDefinedForThisProduct=No vendor price/qty defined for this produc PredefinedItem=Predefined item PredefinedProductsToSell=Predefined Product PredefinedServicesToSell=Predefined Service -PredefinedProductsAndServicesToSell=Predefinisani proizvodi/usluge za prodaju -PredefinedProductsToPurchase=Predefinisani proizvod za nabavku -PredefinedServicesToPurchase=Predefinisane usluge za nabavku +PredefinedProductsAndServicesToSell=Predefined products/services to sell +PredefinedProductsToPurchase=Predefined product to purchase +PredefinedServicesToPurchase=Predefined services to purchase PredefinedProductsAndServicesToPurchase=Predefined products/services to purchase NotPredefinedProducts=Not predefined products/services -GenerateThumb=Generiši ikonu -ServiceNb=Usluga #%s -ListProductServiceByPopularity=Lista proizvoda/usluga po popularnosti -ListProductByPopularity=Lista proizvoda po popularnosti -ListServiceByPopularity=Lista usluga po popularnosti -Finished=Proizvedeni proizvod -RowMaterial=Sirovina +GenerateThumb=Generate thumb +ServiceNb=Service #%s +ListProductServiceByPopularity=List of products/services by popularity +ListProductByPopularity=List of products by popularity +ListServiceByPopularity=List of services by popularity +Finished=Manufactured product +RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices CloneCategoriesProduct=Clone linked tags/categories CloneCompositionProduct=Clone virtual products/services CloneCombinationsProduct=Clone the product variants -ProductIsUsed=Ovaj proizvod je u upotrebi -NewRefForClone=Ref. novog proizvoda/usluge -SellingPrices=Prodajne cene -BuyingPrices=Kupovne cene -CustomerPrices=Cene klijenta +ProductIsUsed=This product is used +NewRefForClone=Ref. of new product/service +SellingPrices=Selling prices +BuyingPrices=Buying prices +CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code @@ -178,33 +181,33 @@ StateOrigin=State|Province of origin Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product NatureOfProductDesc=Raw material or manufactured product -ShortLabel=Kratak naziv -Unit=Jedinica -p=j. -set=postavi -se=postavi -second=sekunda +ShortLabel=Short label +Unit=Unit +p=u. +set=set +se=set +second=second s=s -hour=sat +hour=hour h=h -day=dan +day=day d=d kilogram=kilogram -kg=kg +kg=Kg gram=gram g=g -meter=metar +meter=meter m=m lm=lm m2=m² m3=m³ -liter=litar +liter=liter l=L unitP=Piece unitSET=Set -unitS=Sekund -unitH=Sat -unitD=Dan +unitS=Second +unitH=Hour +unitD=Day unitG=Gram unitM=Meter unitLM=Linear meter @@ -215,8 +218,8 @@ unitT=ton unitKG=kg unitG=Gram unitMG=mg -unitLB=funta -unitOZ=unca +unitLB=pound +unitOZ=ounce unitM=Meter unitDM=dm unitCM=cm @@ -235,40 +238,40 @@ unitCM3=cm³ unitMM3=mm³ unitFT3=ft³ unitIN3=in³ -unitOZ3=unca -unitgallon=galon -ProductCodeModel=Template ref. proizvoda -ServiceCodeModel=Template ref. usluge -CurrentProductPrice=Trenutna cena -AlwaysUseNewPrice=Uvek koristi trenutnu cenu proizvoda/usluge -AlwaysUseFixedPrice=Koristi fiksnu cenu -PriceByQuantity=Različite cene po količini +unitOZ3=ounce +unitgallon=gallon +ProductCodeModel=Product ref template +ServiceCodeModel=Service ref template +CurrentProductPrice=Current price +AlwaysUseNewPrice=Always use current price of product/service +AlwaysUseFixedPrice=Use the fixed price +PriceByQuantity=Different prices by quantity DisablePriceByQty=Disable prices by quantity -PriceByQuantityRange=Raspon količina +PriceByQuantityRange=Quantity range MultipriceRules=Automatic prices for segment UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment -PercentVariationOver=%% varijacija od %s -PercentDiscountOver=%% popust od %s +PercentVariationOver=%% variation over %s +PercentDiscountOver=%% discount over %s KeepEmptyForAutoCalculation=Keep empty to have this calculated automatically from weight or volume of products VariantRefExample=Examples: COL, SIZE VariantLabelExample=Examples: Color, Size ### composition fabrication -Build=Napravi +Build=Produce ProductsMultiPrice=Products and prices for each price segment -ProductsOrServiceMultiPrice=Cene klijenata (proizvoda ili usluga, multi-cene) -ProductSellByQuarterHT=Tromesečni obrt proizvoda pre poreza -ServiceSellByQuarterHT=Tromesečni obrt usluga pre poreza -Quarter1=1. Kvartal -Quarter2=2. Kvartal -Quarter3=3. Kvartal -Quarter4=4. Kvartal +ProductsOrServiceMultiPrice=Customer prices (of products or services, multi-prices) +ProductSellByQuarterHT=Products turnover quarterly before tax +ServiceSellByQuarterHT=Services turnover quarterly before tax +Quarter1=1st. Quarter +Quarter2=2nd. Quarter +Quarter3=3rd. Quarter +Quarter4=4th. Quarter BarCodePrintsheet=Print barcodes PageToGenerateBarCodeSheets=With this tool, you can print sheets of barcode stickers. Choose format of your sticker page, type of barcode and value of barcode, then click on button %s. -NumberOfStickers=Broj nalepnica za štampanje na strani -PrintsheetForOneBarCode=Odštampaj više nalepnica za jedan bar code -BuildPageToPrint=Generiši stranu za štampanje -FillBarCodeTypeAndValueManually=Unesi ručno tip i vrednost bar code-a. -FillBarCodeTypeAndValueFromProduct=Unesi tip i vrednost bar code-a koristeći proizvod. +NumberOfStickers=Number of stickers to print on page +PrintsheetForOneBarCode=Print several stickers for one barcode +BuildPageToPrint=Generate page to print +FillBarCodeTypeAndValueManually=Fill barcode type and value manually. +FillBarCodeTypeAndValueFromProduct=Fill barcode type and value from barcode of a product. FillBarCodeTypeAndValueFromThirdParty=Fill barcode type and value from barcode of a third party. DefinitionOfBarCodeForProductNotComplete=Definition of type or value of barcode not complete for product %s. DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of barcode non complete for third party %s. @@ -278,64 +281,64 @@ ResetBarcodeForAllRecords=Define barcode value for all record (this will also re PriceByCustomer=Different prices for each customer PriceCatalogue=A single sell price per product/service PricingRule=Rules for selling prices -AddCustomerPrice=Dodaj cenu po klijentu +AddCustomerPrice=Add price by customer ForceUpdateChildPriceSoc=Set same price on customer's subsidiaries -PriceByCustomerLog=Istorija prethodnih cena klijenata -MinimumPriceLimit=Minimalna cena ne može biti manja od %s +PriceByCustomerLog=Log of previous customer prices +MinimumPriceLimit=Minimum price can't be lower then %s MinimumRecommendedPrice=Minimum recommended price is: %s -PriceExpressionEditor=Izmena izraza cene -PriceExpressionSelected=Selektiran izraz cene -PriceExpressionEditorHelp1="cena = 2 + 2" ili "2 + 2" da biste zadali cenu. Koristite ; da biste razdvojili izraze -PriceExpressionEditorHelp2=Možete pristupiti ExtraFields pomoću promenljivih kao što su #extrafield_myextrafieldkey# i globalnih promenljivih sa #global_mycode# +PriceExpressionEditor=Price expression editor +PriceExpressionSelected=Selected price expression +PriceExpressionEditorHelp1="price = 2 + 2" or "2 + 2" for setting the price. Use ; to separate expressions +PriceExpressionEditorHelp2=You can access ExtraFields with variables like #extrafield_myextrafieldkey# and global variables with #global_mycode# PriceExpressionEditorHelp3=In both product/service and vendor prices there are these variables available:
      #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# PriceExpressionEditorHelp4=In product/service price only: #supplier_min_price#
      In vendor prices only: #supplier_quantity# and #supplier_tva_tx# -PriceExpressionEditorHelp5=Dostupne globalne vrednosti: -PriceMode=Mod cene -PriceNumeric=Broj -DefaultPrice=Default cena +PriceExpressionEditorHelp5=Available global values: +PriceMode=Price mode +PriceNumeric=Number +DefaultPrice=Default price DefaultPriceLog=Log of previous default prices -ComposedProductIncDecStock=Povećaj/Smanji zalihu na matičnoj promeni +ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Child products -MinSupplierPrice=Minimalna kupovna cena +MinSupplierPrice=Minimum buying price MinCustomerPrice=Minimum selling price NoDynamicPrice=No dynamic price -DynamicPriceConfiguration=Dinamička konfiguracija cene +DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=You may define mathematical formulae to calculate Customer or Vendor prices. Such formulas can use all mathematical operators, some constants and variables. You can define here the variables you wish to use. If the variable needs an automatic update, you may define the external URL to allow Dolibarr to update the value automatically. -AddVariable=Dodaj promenljivu -AddUpdater=Dodaj ažuriranje -GlobalVariables=Globalne promenljive -VariableToUpdate=Promenljiva za ažuriranje +AddVariable=Add Variable +AddUpdater=Add Updater +GlobalVariables=Global variables +VariableToUpdate=Variable to update GlobalVariableUpdaters=External updaters for variables GlobalVariableUpdaterType0=JSON data -GlobalVariableUpdaterHelp0=Čita JSON podatke sa naznačenog URL-a, VALUE označava lokaciju vrednosti, +GlobalVariableUpdaterHelp0=Parses JSON data from specified URL, VALUE specifies the location of relevant value, GlobalVariableUpdaterHelpFormat0=Format for request {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"} GlobalVariableUpdaterType1=WebService data -GlobalVariableUpdaterHelp1=Čita WebService podatke sa naznačenog URL-a. NS označava namespace, VALUE označava lokaciju vrednosti, DATA označava podatke za slanje i METHOD je pozvana WS metoda +GlobalVariableUpdaterHelp1=Parses WebService data from specified URL, NS specifies the namespace, VALUE specifies the location of relevant value, DATA should contain the data to send and METHOD is the calling WS method GlobalVariableUpdaterHelpFormat1=Format for request is {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD": "myWSMethod", "DATA": {"your": "data", "to": "send"}} -UpdateInterval=Interval ažuriranja (minuti) +UpdateInterval=Update interval (minutes) LastUpdated=Latest update -CorrectlyUpdated=Uspešno ažurirano -PropalMergePdfProductActualFile=Fajlovi za dodavanje u PDF Azur su -PropalMergePdfProductChooseFile=Selektiraj PDF fajlove +CorrectlyUpdated=Correctly updated +PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is +PropalMergePdfProductChooseFile=Select PDF files IncludingProductWithTag=Including products/services with the tag -DefaultPriceRealPriceMayDependOnCustomer=Default cena, realna cena može zavisiti od klijenta -WarningSelectOneDocument=Molimo izaberite barem jedan dokument -DefaultUnitToShow=Jedinica -NbOfQtyInProposals=Količina u prilikama -ClinkOnALinkOfColumn=Kliknite na link kolone %s da dobijete detaljan pregled... +DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer +WarningSelectOneDocument=Please select at least one document +DefaultUnitToShow=Unit +NbOfQtyInProposals=Qty in proposals +ClinkOnALinkOfColumn=Click on a link of column %s to get a detailed view... ProductsOrServicesTranslations=Products/Services translations -TranslatedLabel=Prevedena oznaka -TranslatedDescription=Prevedeni opis -TranslatedNote=Prevedene beleške -ProductWeight=Težina 1 proizvoda -ProductVolume=Zapremina 1 proizvoda -WeightUnits=Jedinica težine -VolumeUnits=Jedinica zapremine +TranslatedLabel=Translated label +TranslatedDescription=Translated description +TranslatedNote=Translated notes +ProductWeight=Weight for 1 product +ProductVolume=Volume for 1 product +WeightUnits=Weight unit +VolumeUnits=Volume unit WidthUnits=Width unit LengthUnits=Length unit HeightUnits=Height unit SurfaceUnits=Surface unit -SizeUnits=jedinica veličine +SizeUnits=Size unit DeleteProductBuyPrice=Delete buying price ConfirmDeleteProductBuyPrice=Are you sure you want to delete this buying price? SubProduct=Sub product @@ -345,18 +348,19 @@ PossibleValues=Possible values GoOnMenuToCreateVairants=Go on menu %s - %s to prepare attribute variants (like colors, size, ...) UseProductFournDesc=Add a feature to define the product description defined by the vendors (for each vendor reference) in addition to the description for customers ProductSupplierDescription=Vendor description for the product -UseProductSupplierPackaging=Use packaging on supplier prices (recalculate quantities according to packaging set on supplier price when adding/updating line in supplier documents) -PackagingForThisProduct=Packaging -PackagingForThisProductDesc=You will automaticaly purchase a multiple of this quantity. +UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) +PackagingForThisProduct=Packaging of quantities +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging #Attributes +Attributes=Attributes VariantAttributes=Variant attributes ProductAttributes=Variant attributes for products ProductAttributeName=Variant attribute %s ProductAttribute=Variant attribute ProductAttributeDeleteDialog=Are you sure you want to delete this attribute? All values will be deleted -ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with reference "%s" of this attribute? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Are you sure want to delete the variant of the product "%s"? ProductCombinationAlreadyUsed=There was an error while deleting the variant. Please check it is not being used in any object ProductCombinations=Variants @@ -375,7 +379,7 @@ ImpactOnPriceLevel=Impact on price level %s ApplyToAllPriceImpactLevel= Apply to all levels ApplyToAllPriceImpactLevelHelp=By clicking here you set the same price impact on all levels WeightImpact=Weight impact -NewProductAttribute=Novi atribut +NewProductAttribute=New attribute NewProductAttributeValue=New attribute value ErrorCreatingProductAttributeValue=There was an error while creating the attribute value. It could be because there is already an existing value with that reference ProductCombinationGeneratorWarning=If you continue, before generating new variants, all previous ones will be DELETED. Already existing ones will be updated with the new values @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=There was an error while trying to delete existin NbOfDifferentValues=No. of different values NbProducts=Number of products ParentProduct=Parent product +ParentProductOfVariant=Parent product of variant HideChildProducts=Hide variant products ShowChildProducts=Show variant products NoEditVariants=Go to Parent product card and edit variants price impact in the variants tab @@ -399,9 +404,9 @@ ActionAvailableOnVariantProductOnly=Action only available on the variant of prod ProductsPricePerCustomer=Product prices per customers ProductSupplierExtraFields=Additional Attributes (Supplier Prices) DeleteLinkedProduct=Delete the child product linked to the combination -AmountUsedToUpdateWAP=Amount to use to update the Weighted Average Price -PMPValue=Prosecna cena -PMPValueShort=PC +AmountUsedToUpdateWAP=Unit amount to use to update the Weighted Average Price +PMPValue=Weighted average price +PMPValueShort=WAP mandatoryperiod=Mandatory periods mandatoryPeriodNeedTobeSet=Note: Period (start and end date) must be defined mandatoryPeriodNeedTobeSetMsgValidate=A service requires a start and end period @@ -416,10 +421,12 @@ ProductsMergeSuccess=Products have been merged ErrorsProductsMerge=Errors in products merge SwitchOnSaleStatus=Switch on sale status SwitchOnPurchaseStatus=Switch on purchase status -StockMouvementExtraFields= Extra Fields (stock mouvement) +UpdatePrice=Increase/decrease customer price +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Extra Fields (inventory) ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes PuttingPricesUpToDate=Update prices with current known prices +PuttingDescUpToDate=Update descriptions with current known descriptions PMPExpected=Expected PMP ExpectedValuation=Expected Valuation PMPReal=Real PMP @@ -427,3 +434,7 @@ RealValuation=Real Valuation ConfirmEditExtrafield = Select the extrafield you want modify ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? ModifyValueExtrafields = Modify value of an extrafield +OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. +ConfirmSetToDraftInventory=Are you sure you want to go back to Draft status?
      The quantities currently set in the inventory will be reset. diff --git a/htdocs/langs/sr_RS/projects.lang b/htdocs/langs/sr_RS/projects.lang index e623aaca9be..82884c25b4e 100644 --- a/htdocs/langs/sr_RS/projects.lang +++ b/htdocs/langs/sr_RS/projects.lang @@ -1,93 +1,98 @@ # Dolibarr language file - Source file is en_US - projects -RefProject=Ref. projekta -ProjectRef=Ref. projekta -ProjectId=ID projekta -ProjectLabel=Naziv projekta -ProjectsArea=Zona projekata -ProjectStatus=Status projekta -SharedProject=Svi +RefProject=Ref. project +ProjectRef=Project ref. +ProjectId=Project Id +ProjectLabel=Project label +ProjectsArea=Projects Area +ProjectStatus=Project status +SharedProject=Everybody PrivateProject=Assigned contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) -AllProjects=Svi projekti +AllProjects=All projects MyProjectsDesc=This view is limited to the projects that you are a contact for -ProjectsPublicDesc=Ovaj ekran prikazuje sve projekte za koje imate pravo pregleda. +ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. -ProjectsPublicTaskDesc=Ovaj ekran prikazuje sve projekte ili zadatke za koje imate pravo pregleda. -ProjectsDesc=Ovaj ekran prikazuje sve projekte (Vaš korisnik ima pravo pregleda svih informacija) +ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. +ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). MyTasksDesc=This view is limited to the projects or tasks that you are a contact for -OnlyOpenedProject=Vidljivi su samo otvoreni projekti (draft i zatvoreni projekti nisu vidljivi) -ClosedProjectsAreHidden=Zatvoreni projekti nisu vidljivi -TasksPublicDesc=Ovaj ekran prikazuje sve projekte ili zadatke za koje imate pravo pregleda. -TasksDesc=Ovaj ekran prikazuje sve projekte i zadatke (Vaš korisnik ima pravo pregleda svih informacija) +OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). +ClosedProjectsAreHidden=Closed projects are not visible. +TasksPublicDesc=This view presents all projects and tasks you are allowed to read. +TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. +ImportDatasetProjects=Projects or opportunities ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories -NewProject=Novi projekat -AddProject=Kreiraj projekat -DeleteAProject=Obriši projekat -DeleteATask=Obriši zadatak +NewProject=New project +AddProject=Create project +DeleteAProject=Delete a project +DeleteATask=Delete a task ConfirmDeleteAProject=Are you sure you want to delete this project? ConfirmDeleteATask=Are you sure you want to delete this task? OpenedProjects=Open projects +OpenedProjectsOpportunities=Open opportunities OpenedTasks=Open tasks OpportunitiesStatusForOpenedProjects=Leads amount of open projects by status OpportunitiesStatusForProjects=Leads amount of projects by status -ShowProject=Prikaži projekat -ShowTask=Prikaži zadatak -SetProject=Postavi projekat -NoProject=Nema definisanih ni pripadajućih projekata +ShowProject=Show project +ShowTask=Show task +SetThirdParty=Set third party +SetProject=Set project +OutOfProject=Out of project +NoProject=No project defined or owned NbOfProjects=Number of projects NbOfTasks=Number of tasks -TimeSpent=Provedeno vreme -TimeSpentByYou=Vreme koje ste Vi proveli -TimeSpentByUser=Vreme koje je korisnik proveo -TimesSpent=Provedeno vreme +TimeEntry=Time tracking +TimeSpent=Time spent +TimeSpentSmall=Time spent +TimeSpentByYou=Time spent by you +TimeSpentByUser=Time spent by user TaskId=Task ID RefTask=Task ref. LabelTask=Task label -TaskTimeSpent=Vreme provedeno na zadacima -TaskTimeUser=Korisnik -TaskTimeNote=Beleška -TaskTimeDate=Datum -TasksOnOpenedProject=Zadaci na otvorenim projektima -WorkloadNotDefined=Količina vremena nije definisana -NewTimeSpent=Provedeno vreme -MyTimeSpent=Moje vreme +TaskTimeSpent=Time spent on tasks +TaskTimeUser=User +TaskTimeNote=Note +TaskTimeDate=Date +TasksOnOpenedProject=Tasks on open projects +WorkloadNotDefined=Workload not defined +NewTimeSpent=Time spent +MyTimeSpent=My time spent BillTime=Bill the time spent BillTimeShort=Bill time TimeToBill=Time not billed TimeBilled=Time billed -Tasks=Zadaci -Task=Zadatak -TaskDateStart=Početak zadatka -TaskDateEnd=Kraj zadatka -TaskDescription=Opis zadatka -NewTask=Novi zadatak -AddTask=Kreiraj zadatak +Tasks=Tasks +Task=Task +TaskDateStart=Task start date +TaskDateEnd=Task end date +TaskDescription=Task description +NewTask=New task +AddTask=Create task AddTimeSpent=Create time spent AddHereTimeSpentForDay=Add here time spent for this day/task AddHereTimeSpentForWeek=Add here time spent for this week/task -Activity=Aktivnost -Activities=Zadaci/aktivnosti -MyActivities=Moji zadaci/aktivnosti -MyProjects=Moji projekti -MyProjectsArea=Moja zona projekata -DurationEffective=Efektivno trajanje +Activity=Activity +Activities=Tasks/activities +MyActivities=My tasks/activities +MyProjects=My projects +MyProjectsArea=My projects Area +DurationEffective=Effective duration ProgressDeclared=Declared real progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently open tasks +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project -Time=Vreme +Time=Time TimeConsumed=Consumed -ListOfTasks=Lista zadataka -GoToListOfTimeConsumed=Idi na listu utrošenog vremena +ListOfTasks=List of tasks +GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View ListWarehouseAssociatedProject=List of warehouses associated to the project ListProposalsAssociatedProject=List of the commercial proposals related to the project @@ -105,113 +110,114 @@ ListVariousPaymentsAssociatedProject=List of miscellaneous payments related to t ListSalariesAssociatedProject=List of payments of salaries related to the project ListActionsAssociatedProject=List of events related to the project ListMOAssociatedProject=List of manufacturing orders related to the project -ListTaskTimeUserProject=Lista utrošenog vremena na zadacima ovog projekta +ListTaskTimeUserProject=List of time consumed on tasks of project ListTaskTimeForTask=List of time consumed on task -ActivityOnProjectToday=Aktivnost na projektu danas -ActivityOnProjectYesterday=Aktivnost na projektu juče -ActivityOnProjectThisWeek=Aktivnosti na projektu ove nedelje -ActivityOnProjectThisMonth=Aktivnosti na projektu ovog meseca -ActivityOnProjectThisYear=Aktivnosti na projektu ove godine -ChildOfProjectTask=Naslednik projekta/zadatka +ActivityOnProjectToday=Activity on project today +ActivityOnProjectYesterday=Activity on project yesterday +ActivityOnProjectThisWeek=Activity on project this week +ActivityOnProjectThisMonth=Activity on project this month +ActivityOnProjectThisYear=Activity on project this year +ChildOfProjectTask=Child of project/task ChildOfTask=Child of task TaskHasChild=Task has child -NotOwnerOfProject=Ovaj privatni projekat Vam ne pripada -AffectedTo=Dodeljeno +NotOwnerOfProject=Not owner of this private project +AffectedTo=Allocated to CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=Odobri projekat +ValidateProject=Validate project ConfirmValidateProject=Are you sure you want to validate this project? -CloseAProject=Zatvori projekat +CloseAProject=Close project ConfirmCloseAProject=Are you sure you want to close this project? -AlsoCloseAProject=Also close project (keep it open if you still need to follow production tasks on it) -ReOpenAProject=Otvori projekat +AlsoCloseAProject=Also close project +AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it +ReOpenAProject=Open project ConfirmReOpenAProject=Are you sure you want to re-open this project? -ProjectContact=Kontakti projekta +ProjectContact=Contacts of project TaskContact=Task contacts -ActionsOnProject=Događaji projekta -YouAreNotContactOfProject=Vi niste kontakt u ovom privatnom projektu +ActionsOnProject=Events on project +YouAreNotContactOfProject=You are not a contact of this private project UserIsNotContactOfProject=User is not a contact of this private project -DeleteATimeSpent=Obriši provedeno vreme +DeleteATimeSpent=Delete time spent ConfirmDeleteATimeSpent=Are you sure you want to delete this time spent? -DoNotShowMyTasksOnly=Prikaži zadatke koji mi nisu dodeljeni -ShowMyTasksOnly=Prikaži samo moje zadatke +DoNotShowMyTasksOnly=See also tasks not assigned to me +ShowMyTasksOnly=View only tasks assigned to me TaskRessourceLinks=Contacts of task -ProjectsDedicatedToThisThirdParty=Projekti posvećeni ovom subjektu -NoTasks=Nema zadataka za ovaj projekat -LinkedToAnotherCompany=Subjekti vezani za ovaj projekat +ProjectsDedicatedToThisThirdParty=Projects dedicated to this third party +NoTasks=No tasks for this project +LinkedToAnotherCompany=Linked to other third party TaskIsNotAssignedToUser=Task not assigned to user. Use button '%s' to assign task now. -ErrorTimeSpentIsEmpty=Provedeno vreme nije uneto +ErrorTimeSpentIsEmpty=Time spent is empty TimeRecordingRestrictedToNMonthsBack=Time recording is restricted to %s months back -ThisWillAlsoRemoveTasks=Ova akcija će obrisati sve zadatke ovog projekta (%s zadataka u ovom trenutku) i sve unose utrošenog vremena. -IfNeedToUseOtherObjectKeepEmpty=Ukoliko neki objekti (fakture, narudžbine, ...) pripadaju drugom subjektu, oni moraju biti povezani projektu koji se kreira. Ostavite ovu opciju praznu da bi projekat mogao da bude povezan sa više subjekata. -CloneTasks=Dupiraj zadatke -CloneContacts=Dupliraj kontakte -CloneNotes=Dupliraj beleške -CloneProjectFiles=Dupliraj fajlove projekta -CloneTaskFiles=Dupliraj fajlove zadataka (ukoliko su zadaci duplirani) +ThisWillAlsoRemoveTasks=This action will also delete all tasks of project (%s tasks at the moment) and all inputs of time spent. +IfNeedToUseOtherObjectKeepEmpty=If some objects (invoice, order, ...), belonging to another third party, must be linked to the project to create, keep this empty to have the project being multi third parties. +CloneTasks=Clone tasks +CloneContacts=Clone contacts +CloneNotes=Clone notes +CloneProjectFiles=Clone project joined files +CloneTaskFiles=Clone task(s) joined files (if task(s) cloned) CloneMoveDate=Update project/tasks dates from now? ConfirmCloneProject=Are you sure to clone this project? ProjectReportDate=Change task dates according to new project start date -ErrorShiftTaskDate=Nemoguće promeniti datum zadatka prema novom datumu početka projekta -ProjectsAndTasksLines=Projekti i zadaci -ProjectCreatedInDolibarr=Projekat %s je kreiran +ErrorShiftTaskDate=Impossible to shift task date according to new project start date +ProjectsAndTasksLines=Projects and tasks +ProjectCreatedInDolibarr=Project %s created ProjectValidatedInDolibarr=Project %s validated ProjectModifiedInDolibarr=Project %s modified -TaskCreatedInDolibarr=Zadatak %s je kreiran -TaskModifiedInDolibarr=Zadatak %s je izmenjen -TaskDeletedInDolibarr=Zadatak %s je obrisan +TaskCreatedInDolibarr=Task %s created +TaskModifiedInDolibarr=Task %s modified +TaskDeletedInDolibarr=Task %s deleted OpportunityStatus=Lead status OpportunityStatusShort=Lead status OpportunityProbability=Lead probability OpportunityProbabilityShort=Lead probab. OpportunityAmount=Lead amount OpportunityAmountShort=Lead amount -OpportunityWeightedAmount=Opportunity weighted amount +OpportunityWeightedAmount=Amount of opportunity, weighted by probability OpportunityWeightedAmountShort=Opp. weighted amount OpportunityAmountAverageShort=Average lead amount OpportunityAmountWeigthedShort=Weighted lead amount WonLostExcluded=Won/Lost excluded ##### Types de contacts ##### -TypeContact_project_internal_PROJECTLEADER=Vođa projekta -TypeContact_project_external_PROJECTLEADER=Vođa projekta -TypeContact_project_internal_PROJECTCONTRIBUTOR=Saradnik -TypeContact_project_external_PROJECTCONTRIBUTOR=Saradnik -TypeContact_project_task_internal_TASKEXECUTIVE=Izvršilac zadatka -TypeContact_project_task_external_TASKEXECUTIVE=Izvršilac zadatka -TypeContact_project_task_internal_TASKCONTRIBUTOR=Saradnik -TypeContact_project_task_external_TASKCONTRIBUTOR=Saradnik -SelectElement=Selektiraj element -AddElement=Link ka elementu +TypeContact_project_internal_PROJECTLEADER=Project leader +TypeContact_project_external_PROJECTLEADER=Project leader +TypeContact_project_internal_PROJECTCONTRIBUTOR=Contributor +TypeContact_project_external_PROJECTCONTRIBUTOR=Contributor +TypeContact_project_task_internal_TASKEXECUTIVE=Task executive +TypeContact_project_task_external_TASKEXECUTIVE=Task executive +TypeContact_project_task_internal_TASKCONTRIBUTOR=Contributor +TypeContact_project_task_external_TASKCONTRIBUTOR=Contributor +SelectElement=Select element +AddElement=Link to element LinkToElementShort=Link to # Documents models DocumentModelBeluga=Project document template for linked objects overview DocumentModelBaleine=Project document template for tasks DocumentModelTimeSpent=Project report template for time spent -PlannedWorkload=Planirano utrošeno vreme -PlannedWorkloadShort=Utrošeno vreme +PlannedWorkload=Planned workload +PlannedWorkloadShort=Workload ProjectReferers=Related items -ProjectMustBeValidatedFirst=Projekat prvo mora biti odobren +ProjectMustBeValidatedFirst=Project must be validated first MustBeValidatedToBeSigned=%s must be validated first to be set to Signed. FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time -InputPerDay=Ulaz po danu -InputPerWeek=Ulaz po nedelji +InputPerDay=Input per day +InputPerWeek=Input per week InputPerMonth=Input per month InputDetail=Input detail TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s -ProjectsWithThisUserAsContact=Projekti sa ovim korisnikom u kontaktima -ProjectsWithThisContact=Projects with this contact -TasksWithThisUserAsContact=Zadaci ovog korisnika -ResourceNotAssignedToProject=Nije dodeljen projektu -ResourceNotAssignedToTheTask=Nije dodeljen zadatku +ProjectsWithThisUserAsContact=Projects with this user as contact +ProjectsWithThisContact=Projects with this third-party contact +TasksWithThisUserAsContact=Tasks assigned to this user +ResourceNotAssignedToProject=Not assigned to project +ResourceNotAssignedToTheTask=Not assigned to the task NoUserAssignedToTheProject=No users assigned to this project TimeSpentBy=Time spent by TasksAssignedTo=Tasks assigned to AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... -AssignTask=Dodeli -ProjectOverview=Pregled +AssignTask=Assign +ProjectOverview=Overview ManageTasks=Use projects to follow tasks and/or report time spent (timesheets) -ManageOpportunitiesStatus=Koristi projekte za praćenje prilika +ManageOpportunitiesStatus=Use projects to follow leads/opportinuties ProjectNbProjectByMonth=No. of created projects by month ProjectNbTaskByMonth=No. of created tasks by month ProjectOppAmountOfProjectsByMonth=Amount of leads by month @@ -219,9 +225,9 @@ ProjectWeightedOppAmountOfProjectsByMonth=Weighted amount of leads by month ProjectOpenedProjectByOppStatus=Open project|lead by lead status ProjectsStatistics=Statistics on projects or leads TasksStatistics=Statistics on tasks of projects or leads -TaskAssignedToEnterTime=Zadatak je dodeljen. Unos vremena za ovaj zadatak je omogućen. -IdTaskTime=Id vremena zadatka -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX +TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. +IdTaskTime=Id task time +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Open projects by third parties OnlyOpportunitiesShort=Only leads OpenedOpportunitiesShort=Open leads @@ -230,15 +236,15 @@ NotAnOpportunityShort=Not a lead OpportunityTotalAmount=Total amount of leads OpportunityPonderatedAmount=Weighted amount of leads OpportunityPonderatedAmountDesc=Leads amount weighted with probability -OppStatusPROSP=Prospekcija -OppStatusQUAL=Kvalifikacija -OppStatusPROPO=Ponuda -OppStatusNEGO=Pregovaranje -OppStatusPENDING=Na čekanju -OppStatusWON=Dobijeno -OppStatusLOST=Izgubljeno -Budget=Budžet -AllowToLinkFromOtherCompany=Allow to link project from other company

      Supported values:
      - Keep empty: Can link any project of the company (default)
      - "all": Can link any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
      +OppStatusPROSP=Prospection +OppStatusQUAL=Qualification +OppStatusPROPO=Proposal +OppStatusNEGO=Negotiation +OppStatusPENDING=Pending +OppStatusWON=Won +OppStatusLOST=Lost +Budget=Budget +AllowToLinkFromOtherCompany=Allow to link an element with a project of other company

      Supported values:
      - Keep empty: Can link elements with any projects in the same company (default)
      - "all": Can link elements with any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link elements with any projects of these third partys (Example: 123,4795,53)
      LatestProjects=Latest %s projects LatestModifiedProjects=Latest %s modified projects OtherFilteredTasks=Other filtered tasks @@ -255,11 +261,12 @@ RecordsClosed=%s project(s) closed SendProjectRef=Information project %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized NewTaskRefSuggested=Task ref already used, a new task ref is required +NumberOfTasksCloned=%s task(s) cloned TimeSpentInvoiced=Time spent billed -TimeSpentForIntervention=Provedeno vreme -TimeSpentForInvoice=Provedeno vreme +TimeSpentForIntervention=Time spent +TimeSpentForInvoice=Time spent OneLinePerUser=One line per user -ServiceToUseOnLines=Service to use on lines +ServiceToUseOnLines=Service to use on lines by default InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. @@ -271,8 +278,8 @@ UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time InvoiceToUse=Draft invoice to use InterToUse=Draft intervention to use -NewInvoice=Novi račun -NewInter=Nova intervencija +NewInvoice=New invoice +NewInter=New intervention OneLinePerTask=One line per task OneLinePerPeriod=One line per period OneLinePerTimeSpentLine=One line for each time spent declaration @@ -282,15 +289,16 @@ ProfitIsCalculatedWith=Profit is calculated using AddPersonToTask=Add also to tasks UsageOrganizeEvent=Usage: Event Organization PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks at 100 %% progress won't be affected: you will have to close them manually. This option only affects open projects. +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them ProjectTasksWithoutTimeSpent=Project tasks without time spent FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. ProjectsHavingThisContact=Projects having this contact -StartDateCannotBeAfterEndDate=Kraj ne može biti pre početka +StartDateCannotBeAfterEndDate=End date cannot be before start date ErrorPROJECTLEADERRoleMissingRestoreIt=The "PROJECTLEADER" role is missing or has been de-activited, please restore in the dictionary of contact types LeadPublicFormDesc=You can enable here a public page to allow your prospects to make a first contact to you from a public online form EnablePublicLeadForm=Enable the public form for contact NewLeadbyWeb=Your message or request has been recorded. We will answer or contact your soon. NewLeadForm=New contact form LeadFromPublicForm=Online lead from public form +ExportAccountingReportButtonLabel=Get report diff --git a/htdocs/langs/sr_RS/propal.lang b/htdocs/langs/sr_RS/propal.lang index 3e8c292ffbe..f97a755dba9 100644 --- a/htdocs/langs/sr_RS/propal.lang +++ b/htdocs/langs/sr_RS/propal.lang @@ -1,82 +1,87 @@ # Dolibarr language file - Source file is en_US - propal -Proposals=Komercijalne ponude -Proposal=Komercijalna ponuda -ProposalShort=Ponuda -ProposalsDraft=Nacrt komercijalne ponude -ProposalsOpened=Otvorene komercijalne ponude -CommercialProposal=Komercijaln ponuda -PdfCommercialProposalTitle=Ponuda -ProposalCard=Kartica ponude -NewProp=Nova komercijalna ponuda -NewPropal=Nova ponuda -Prospect=Kandidat -DeleteProp=Obriši komercijalnu ponud -ValidateProp=Odobri komercijalnu ponudu -AddProp=Kreiraj ponudu +Proposals=Commercial proposals +Proposal=Commercial proposal +ProposalShort=Proposal +ProposalsDraft=Draft commercial proposals +ProposalsOpened=Open commercial proposals +CommercialProposal=Commercial proposal +PdfCommercialProposalTitle=Proposal +ProposalCard=Proposal card +NewProp=New commercial proposal +NewPropal=New proposal +Prospect=Prospect +DeleteProp=Delete commercial proposal +ValidateProp=Validate commercial proposal +CancelPropal=Cancel +AddProp=Create proposal ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Latest %s proposals LastModifiedProposals=Latest %s modified proposals -AllPropals=Sve ponude -SearchAProposal=Potraži ponudu -NoProposal=Nema ponude -ProposalsStatistics=Statistike komercijalnih ponuda -NumberOfProposalsByMonth=Broj po mesecu +AllPropals=All proposals +SearchAProposal=Search a proposal +NoProposal=No proposal +ProposalsStatistics=Commercial proposal's statistics +NumberOfProposalsByMonth=Number by month AmountOfProposalsByMonthHT=Amount by month (excl. tax) -NbOfProposals=Broj komercijalnih ponuda -ShowPropal=Prikaži ponudu -PropalsDraft=Nacrt -PropalsOpened=Otvoreno -PropalStatusDraft=Nacrt (čeka odobrenje) -PropalStatusValidated=Odobrena (ponuda je otvorena) -PropalStatusSigned=Potpisana (za naplatu) -PropalStatusNotSigned=Nepotpisana (zatvorena) -PropalStatusBilled=Naplaćena -PropalStatusDraftShort=Nacrt +NbOfProposals=Number of commercial proposals +ShowPropal=Show proposal +PropalsDraft=Drafts +PropalsOpened=Open +PropalStatusCanceled=Canceled (Abandoned) +PropalStatusDraft=Draft (needs to be validated) +PropalStatusValidated=Validated (proposal is open) +PropalStatusSigned=Signed (needs billing) +PropalStatusNotSigned=Not signed (closed) +PropalStatusBilled=Billed +PropalStatusCanceledShort=Canceled +PropalStatusDraftShort=Draft PropalStatusValidatedShort=Validated (open) -PropalStatusClosedShort=Zatvorena -PropalStatusSignedShort=Potpisana -PropalStatusNotSignedShort=Nepotpisana -PropalStatusBilledShort=Naplaćena -PropalsToClose=Komercijalne ponude za zatvaranje -PropalsToBill=Potpisane komercijalne ponude za naplatu -ListOfProposals=Lista komercijalnih ponuda -ActionsOnPropal=Događaji na ponudi -RefProposal=Ref komercijalne ponude -SendPropalByMail=Pošalji komercijalnu poudu mailom -DatePropal=Datum ponude -DateEndPropal=Kraj validnosti -ValidityDuration=Trajanje validnosti -SetAcceptedRefused=Postavi prihvaćen/odbijen -ErrorPropalNotFound=Ponuda %s nije pronađena -AddToDraftProposals=Ubaci u draft ponude -NoDraftProposals=Nema draft ponuda -CopyPropalFrom=Dupliraj postojeću ponudu +PropalStatusClosedShort=Closed +PropalStatusSignedShort=Signed +PropalStatusNotSignedShort=Not signed +PropalStatusBilledShort=Billed +PropalsToClose=Commercial proposals to close +PropalsToBill=Signed commercial proposals to bill +ListOfProposals=List of commercial proposals +ActionsOnPropal=Events on proposal +RefProposal=Commercial proposal ref +SendPropalByMail=Send commercial proposal by mail +DatePropal=Date of proposal +DateEndPropal=Validity ending date +ValidityDuration=Validity duration +SetAcceptedRefused=Set accepted/refused +ErrorPropalNotFound=Propal %s not found +AddToDraftProposals=Add to draft proposal +NoDraftProposals=No draft proposals +CopyPropalFrom=Create commercial proposal by copying existing proposal CreateEmptyPropal=Create empty commercial proposal or from list of products/services -DefaultProposalDurationValidity=Default trajanje validnosti komercijalne ponude (u danima) +DefaultProposalDurationValidity=Default commercial proposal validity duration (in days) DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? -ProposalsAndProposalsLines=Komercijalna ponuda i linije -ProposalLine=Linija ponude +ProposalsAndProposalsLines=Commercial proposal and lines +ProposalLine=Proposal line ProposalLines=Proposal lines -AvailabilityPeriod=Čekanje dostupnosti -SetAvailability=Postavi trajanje čekanja dostupnosti -AfterOrder=posle narudžbine -OtherProposals=Druge ponude +AvailabilityPeriod=Availability delay +SetAvailability=Set availability delay +AfterOrder=after order +OtherProposals=Other proposals ##### Availability ##### -AvailabilityTypeAV_NOW=Odmah -AvailabilityTypeAV_1W=1 nedelja -AvailabilityTypeAV_2W=2 nedelje -AvailabilityTypeAV_3W=3 nedelje -AvailabilityTypeAV_1M=1 mesec +AvailabilityTypeAV_NOW=Immediate +AvailabilityTypeAV_1W=1 week +AvailabilityTypeAV_2W=2 weeks +AvailabilityTypeAV_3W=3 weeks +AvailabilityTypeAV_1M=1 month ##### Types ofe contacts ##### -TypeContact_propal_internal_SALESREPFOLL=Agent koji prati ponudu -TypeContact_propal_external_BILLING=Kontakt sa računa klijenta -TypeContact_propal_external_CUSTOMER=Kontakt klijenta koji prati ponudu +TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal +TypeContact_propal_external_BILLING=Customer invoice contact +TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models @@ -90,9 +95,9 @@ ConfirmMassValidation=Bulk Validate confirmation ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? ContractSigned=Contract signed -DefaultModelPropalClosed=Default model prilikom zatvaranja komercijalne ponude (nenaplaćen) -DefaultModelPropalCreate=Kreacija default modela -DefaultModelPropalToBill=Default model prilikom zatvaranja komercijalne ponude (za naplatu) +DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) +DefaultModelPropalCreate=Default model creation +DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) DocModelCyanDescription=A complete proposal model FichinterSigned=Intervention signed @@ -100,19 +105,20 @@ IdProduct=Product ID IdProposal=Proposal ID IsNotADraft=is not a draft LineBuyPriceHT=Buy Price Amount net of tax for line -NoSign=Odbij +NoSign=Refuse NoSigned=set not signed PassedInOpenStatus=has been validated PropalAlreadyRefused=Proposal already refused PropalAlreadySigned=Proposal already accepted PropalRefused=Proposal refused PropalSigned=Proposal accepted -ProposalCustomerSignature=Pismeno odobrenje, pečat kompanije, datum i potpis +ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics RefusePropal=Refuse proposal Sign=Sign SignContract=Sign contract SignFichinter=Sign intervention +SignSociete_rib=Sign mandate SignPropal=Accept proposal Signed=signed SignedOnly=Signed only diff --git a/htdocs/langs/sr_RS/receiptprinter.lang b/htdocs/langs/sr_RS/receiptprinter.lang index 619479c3b53..112eaf11ea2 100644 --- a/htdocs/langs/sr_RS/receiptprinter.lang +++ b/htdocs/langs/sr_RS/receiptprinter.lang @@ -1,50 +1,50 @@ # Dolibarr language file - Source file is en_US - receiptprinter -ReceiptPrinterSetup=Pdešavanje modula Štampača računa -PrinterAdded=Štampač %s je dodat -PrinterUpdated=Štampač %s je ažuriran -PrinterDeleted=Štampač %s je obrisan -TestSentToPrinter=Test je poslat na štampač %s -ReceiptPrinter=Štampači računa -ReceiptPrinterDesc=Podešavanje štampača -ReceiptPrinterTemplateDesc=Podešavanje template-a -ReceiptPrinterTypeDesc=Opis tipa štampača računa -ReceiptPrinterProfileDesc=Opis profila štampača računa -ListPrinters=Lista štampača -SetupReceiptTemplate=Podešavanje template-a -CONNECTOR_DUMMY=Fiktivni štampač -CONNECTOR_NETWORK_PRINT=Mrežni štampač -CONNECTOR_FILE_PRINT=Lokalni štampač -CONNECTOR_WINDOWS_PRINT=Lokalni Windows štampač +ReceiptPrinterSetup=Setup of module ReceiptPrinter +PrinterAdded=Printer %s added +PrinterUpdated=Printer %s updated +PrinterDeleted=Printer %s deleted +TestSentToPrinter=Test Sent To Printer %s +ReceiptPrinter=Receipt printers +ReceiptPrinterDesc=Setup of receipt printers +ReceiptPrinterTemplateDesc=Setup of Templates +ReceiptPrinterTypeDesc=Example of possible values for the field "Parameters" according to the type of driver +ReceiptPrinterProfileDesc=Description of Receipt Printer's Profile +ListPrinters=List of Printers +SetupReceiptTemplate=Template Setup +CONNECTOR_DUMMY=Dummy Printer +CONNECTOR_NETWORK_PRINT=Network Printer +CONNECTOR_FILE_PRINT=Local Printer +CONNECTOR_WINDOWS_PRINT=Local Windows Printer CONNECTOR_CUPS_PRINT=Cups Printer -CONNECTOR_DUMMY_HELP=Fiktivni štampač za testiranje +CONNECTOR_DUMMY_HELP=Fake Printer for test, does nothing CONNECTOR_NETWORK_PRINT_HELP=10.x.x.x:9100 CONNECTOR_FILE_PRINT_HELP=/dev/usb/lp0, /dev/usb/lp1 CONNECTOR_WINDOWS_PRINT_HELP=LPT1, COM1, smb://FooUser:secret@computername/workgroup/Receipt Printer CONNECTOR_CUPS_PRINT_HELP=CUPS printer name, example: HPRT_TP805L -PROFILE_DEFAULT=Default profil -PROFILE_SIMPLE=Jednostavan profil -PROFILE_EPOSTEP=Eops Tep profil -PROFILE_P822D=P822D profil -PROFILE_STAR=Star profil -PROFILE_DEFAULT_HELP=Default profil namenjen Epson štampačima -PROFILE_SIMPLE_HELP=Jednostavan profil bez grafike -PROFILE_EPOSTEP_HELP=Eops Tep profil -PROFILE_P822D_HELP=P822D profil bez grafike -PROFILE_STAR_HELP=Star profil +PROFILE_DEFAULT=Default Profile +PROFILE_SIMPLE=Simple Profile +PROFILE_EPOSTEP=Epos Tep Profile +PROFILE_P822D=P822D Profile +PROFILE_STAR=Star Profile +PROFILE_DEFAULT_HELP=Default Profile suitable for Epson printers +PROFILE_SIMPLE_HELP=Simple Profile No Graphics +PROFILE_EPOSTEP_HELP=Epos Tep Profile +PROFILE_P822D_HELP=P822D Profile No Graphics +PROFILE_STAR_HELP=Star Profile DOL_LINE_FEED=Skip line -DOL_ALIGN_LEFT=Levo poravnanje teksta -DOL_ALIGN_CENTER=Centriranje teksta -DOL_ALIGN_RIGHT=Desno poravnanje teksta -DOL_USE_FONT_A=Korišćenje fonta A za štampač -DOL_USE_FONT_B=Korišćenje fonta B za štampač -DOL_USE_FONT_C=Korišćenje fonta C za štampač -DOL_PRINT_BARCODE=Štampanje bar koda -DOL_PRINT_BARCODE_CUSTOMER_ID=Štampanje bar koda za ID klijenta -DOL_CUT_PAPER_FULL=Potpuno sečenje tiketa -DOL_CUT_PAPER_PARTIAL=Delimično sečenje tiketa -DOL_OPEN_DRAWER=Otvaranje kase -DOL_ACTIVATE_BUZZER=Aktivacija alarma -DOL_PRINT_QRCODE=Štampanje QR koda +DOL_ALIGN_LEFT=Left align text +DOL_ALIGN_CENTER=Center text +DOL_ALIGN_RIGHT=Right align text +DOL_USE_FONT_A=Use font A of printer +DOL_USE_FONT_B=Use font B of printer +DOL_USE_FONT_C=Use font C of printer +DOL_PRINT_BARCODE=Print barcode +DOL_PRINT_BARCODE_CUSTOMER_ID=Print barcode customer id +DOL_CUT_PAPER_FULL=Cut ticket completely +DOL_CUT_PAPER_PARTIAL=Cut ticket partially +DOL_OPEN_DRAWER=Open cash drawer +DOL_ACTIVATE_BUZZER=Activate buzzer +DOL_PRINT_QRCODE=Print QR Code DOL_PRINT_LOGO=Print logo of my company DOL_PRINT_LOGO_OLD=Print logo of my company (old printers) DOL_BOLD=Bold @@ -54,14 +54,16 @@ DOL_DOUBLE_WIDTH=Double width size DOL_DEFAULT_HEIGHT_WIDTH=Default height and width size DOL_UNDERLINE=Enable underline DOL_UNDERLINE_DISABLED=Disable underline -DOL_BEEP=Beed sound +DOL_BEEP=Beep sound +DOL_BEEP_ALTERNATIVE=Beep sound (alternative mode) +DOL_PRINT_CURR_DATE=Print current date/time DOL_PRINT_TEXT=Print text DateInvoiceWithTime=Invoice date and time YearInvoice=Invoice year DOL_VALUE_MONTH_LETTERS=Invoice month in letters DOL_VALUE_MONTH=Invoice month DOL_VALUE_DAY=Invoice day -DOL_VALUE_DAY_LETTERS=Inovice day in letters +DOL_VALUE_DAY_LETTERS=Invoice day in letters DOL_LINE_FEED_REVERSE=Line feed reverse InvoiceID=Invoice ID InvoiceRef=Invoice ref diff --git a/htdocs/langs/sr_RS/receptions.lang b/htdocs/langs/sr_RS/receptions.lang index d38c8ea37ae..bd135b22f13 100644 --- a/htdocs/langs/sr_RS/receptions.lang +++ b/htdocs/langs/sr_RS/receptions.lang @@ -22,20 +22,21 @@ QtyInOtherReceptions=Qty in other receptions OtherReceptionsForSameOrder=Other receptions for this order ReceptionsAndReceivingForSameOrder=Receptions and receipts for this order ReceptionsToValidate=Receptions to validate -StatusReceptionCanceled=Poništeno -StatusReceptionDraft=Nacrt +StatusReceptionCanceled=Canceled +StatusReceptionDraft=Draft StatusReceptionValidated=Validated (products to receive or already received) StatusReceptionValidatedToReceive=Validated (products to receive) StatusReceptionValidatedReceived=Validated (products received) -StatusReceptionProcessed=Procesuirano -StatusReceptionDraftShort=Nacrt -StatusReceptionValidatedShort=Potvrđen -StatusReceptionProcessedShort=Procesuirano +StatusReceptionProcessed=Processed +StatusReceptionDraftShort=Draft +StatusReceptionValidatedShort=Validated +StatusReceptionProcessedShort=Processed ReceptionSheet=Reception sheet +ValidateReception=Validate reception ConfirmDeleteReception=Are you sure you want to delete this reception? -ConfirmValidateReception=Are you sure you want to validate this reception with reference %s? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Are you sure you want to cancel this reception? -StatsOnReceptionsOnlyValidated=Statistics conducted on receptions only validated. Date used is date of validation of reception (planed delivery date is not always known). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Send reception by email SendReceptionRef=Submission of reception %s ActionsOnReception=Events on reception @@ -48,7 +49,10 @@ ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions NoMorePredefinedProductToDispatch=No more predefined products to dispatch ReceptionExist=A reception exists -ByingPrice=Bying price ReceptionBackToDraftInDolibarr=Reception %s back to draft ReceptionClassifyClosedInDolibarr=Reception %s classified Closed ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/sr_RS/recruitment.lang b/htdocs/langs/sr_RS/recruitment.lang index ea1bfe05ddd..50085bd578f 100644 --- a/htdocs/langs/sr_RS/recruitment.lang +++ b/htdocs/langs/sr_RS/recruitment.lang @@ -26,7 +26,7 @@ ModuleRecruitmentDesc = Manage and follow recruitment campaigns for new job posi # Admin page # RecruitmentSetup = Recruitment setup -Settings = Postavke tiketa +Settings = Settings RecruitmentSetupPage = Enter here the setup of main options for the recruitment module RecruitmentArea=Recruitement area PublicInterfaceRecruitmentDesc=Public pages of jobs are public URLs to show and answer to open jobs. There is one different link for each open job, found on each job record. @@ -35,7 +35,7 @@ EnablePublicRecruitmentPages=Enable public pages of open jobs # # About page # -About = O +About = About RecruitmentAbout = About Recruitment RecruitmentAboutPage = Recruitment about page NbOfEmployeesExpected=Expected nb of employees @@ -45,7 +45,7 @@ DateExpected=Expected date FutureManager=Future manager ResponsibleOfRecruitement=Responsible of recruitment IfJobIsLocatedAtAPartner=If job is located at a partner place -PositionToBeFilled=Poslovna funkcija +PositionToBeFilled=Job position PositionsToBeFilled=Job positions ListOfPositionsToBeFilled=List of job positions NewPositionToBeFilled=New job positions @@ -57,7 +57,7 @@ EmailRecruiter=Email recruiter ToUseAGenericEmail=To use a generic email. If not defined, the email of the responsible of recruitment will be used NewCandidature=New application ListOfCandidatures=List of applications -Remuneration=Plata +Remuneration=Salary RequestedRemuneration=Requested salary ProposedRemuneration=Proposed salary ContractProposed=Contract proposed @@ -77,3 +77,6 @@ ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer WeAreRecruiting=We are recruiting. This is a list of open positions to be filled... NoPositionOpen=No positions open at the moment +ConfirmClose=Confirm cancellation +ConfirmCloseAsk=Are you sure you want to cancel this recruitment candidature +recruitment=Recruitment diff --git a/htdocs/langs/sr_RS/resource.lang b/htdocs/langs/sr_RS/resource.lang index 364bbe5b1f0..e8574dc680f 100644 --- a/htdocs/langs/sr_RS/resource.lang +++ b/htdocs/langs/sr_RS/resource.lang @@ -1,36 +1,39 @@ # Dolibarr language file - Source file is en_US - resource -MenuResourceIndex=Resursi -MenuResourceAdd=Novi resurs -DeleteResource=Obriši resurs -ConfirmDeleteResourceElement=Potvrdi brisanje resursa za ovaj element -NoResourceInDatabase=Nema resursa u bazi. -NoResourceLinked=Nema povezanih resursa +MenuResourceIndex=Resources +MenuResourceAdd=New resource +DeleteResource=Delete resource +ConfirmDeleteResourceElement=Confirm delete the resource for this element +NoResourceInDatabase=No resource in database. +NoResourceLinked=No resource linked +ActionsOnResource=Events about this resource +ResourcePageIndex=Resources list +ResourceSingular=Resource +ResourceCard=Resource card +AddResource=Create a resource +ResourceFormLabel_ref=Resource name +ResourceType=Resource type +ResourceFormLabel_description=Resource description -ResourcePageIndex=Lista resursa -ResourceSingular=Resurs -ResourceCard=Kartica resursa -AddResource=Kreiraj resurs -ResourceFormLabel_ref=Ime resursa -ResourceType=Tip resursa -ResourceFormLabel_description=Opis resursa +ResourcesLinkedToElement=Resources linked to element -ResourcesLinkedToElement=Resursi vezani za elemenat +ShowResource=Show resource -ShowResource=Prikaži resurs +ResourceElementPage=Element resources +ResourceCreatedWithSuccess=Resource successfully created +RessourceLineSuccessfullyDeleted=Resource line successfully deleted +RessourceLineSuccessfullyUpdated=Resource line successfully updated +ResourceLinkedWithSuccess=Resource linked with success -ResourceElementPage=Resursi elementa -ResourceCreatedWithSuccess=Resurs uspešno kreiran -RessourceLineSuccessfullyDeleted=Linija resursa uspešno obrisana -RessourceLineSuccessfullyUpdated=Linija resursa uspešno ažurirana -ResourceLinkedWithSuccess=Resurs uspešno povezan +ConfirmDeleteResource=Confirm to delete this resource +RessourceSuccessfullyDeleted=Resource successfully deleted +DictionaryResourceType=Type of resources -ConfirmDeleteResource=Potvrdi brisanje ovog resursa -RessourceSuccessfullyDeleted=Resurs uspešno obrisan -DictionaryResourceType=Tip resursa +SelectResource=Select resource -SelectResource=Izbor resursa +IdResource=Id resource +AssetNumber=Serial number +ResourceTypeCode=Resource type code +ImportDataset_resource_1=Resources -IdResource=ID broj resursa -AssetNumber=Serijski broj -ResourceTypeCode=Kod tipa resursa -ImportDataset_resource_1=Resursi +ErrorResourcesAlreadyInUse=Some resources are in use +ErrorResourceUseInEvent=%s used in %s event diff --git a/htdocs/langs/sr_RS/salaries.lang b/htdocs/langs/sr_RS/salaries.lang index 6bcf9e4fb2a..9b6c53e3882 100644 --- a/htdocs/langs/sr_RS/salaries.lang +++ b/htdocs/langs/sr_RS/salaries.lang @@ -3,19 +3,19 @@ SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Account (from the Chart of Account) used by SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=The dedicated account defined on user card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated user accounting account on user is not defined. SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Accounting account by default for wage payments CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=By default, leave empty the option "Automatically create a total payment" when creating a Salary -Salary=Plata -Salaries=Plate +Salary=Salary +Salaries=Salaries NewSalary=New salary AddSalary=Add salary NewSalaryPayment=New salary card AddSalaryPayment=Add salary payment -SalaryPayment=Isplata zarade -SalariesPayments=Isplate zarada +SalaryPayment=Salary payment +SalariesPayments=Salaries payments SalariesPaymentsOf=Salaries payments of %s -ShowSalaryPayment=Prikaži isplatu zarade -THM=Prosečna cena sata -TJM=Prosečna cena dana -CurrentSalary=Trenutna plata +ShowSalaryPayment=Show salary payment +THM=Average hourly rate +TJM=Average daily rate +CurrentSalary=Current salary THMDescription=This value may be used to calculate the cost of time consumed on a project entered by users if module project is used TJMDescription=This value is currently for information only and is not used for any calculation LastSalaries=Latest %s salaries @@ -24,4 +24,10 @@ SalariesStatistics=Salary statistics SalariesAndPayments=Salaries and payments ConfirmDeleteSalaryPayment=Do you want to delete this salary payment ? FillFieldFirst=Fill employee field first -UpdateAmountWithLastSalary=Set amount with last salary +UpdateAmountWithLastSalary=Set amount of last salary +MakeTransferRequest=Make transfer request +VirementOrder=Credit transfer request +BankTransferAmount=Amount of credit transfer +WithdrawalReceipt=Credit transfer order +OrderWaiting=Pending order +FillEndOfMonth=Fill with end of month diff --git a/htdocs/langs/sr_RS/sendings.lang b/htdocs/langs/sr_RS/sendings.lang index 67ff4d7289f..357a27462a3 100644 --- a/htdocs/langs/sr_RS/sendings.lang +++ b/htdocs/langs/sr_RS/sendings.lang @@ -1,76 +1,86 @@ # Dolibarr language file - Source file is en_US - sendings -RefSending=Ref. isporuke -Sending=Isporuka -Sendings=Isporuke -AllSendings=Sve isporuke -Shipment=Isporuka -Shipments=Isporuke -ShowSending=Prikaži isporuke -Receivings=Računi isporuke -SendingsArea=Oblast isporuka -ListOfSendings=Lista isporuka -SendingMethod=Način isporuke +RefSending=Ref. shipment +Sending=Shipment +Sendings=Shipments +AllSendings=All Shipments +Shipment=Shipment +Shipments=Shipments +ShowSending=Show Shipments +Receivings=Delivery Receipts +SendingsArea=Shipments area +ListOfSendings=List of shipments +SendingMethod=Shipping method LastSendings=Latest %s shipments -StatisticsOfSendings=Statistike isporuka -NbOfSendings=Broj isporuka -NumberOfShipmentsByMonth=Broj isporuka po mesecu -SendingCard=Kartica isporuke -NewSending=Nova isporuka -CreateShipment=Kreiraj isporuku -QtyShipped=Isporučena kol. +StatisticsOfSendings=Statistics for shipments +NbOfSendings=Number of shipments +NumberOfShipmentsByMonth=Number of shipments by month +SendingCard=Shipment card +NewSending=New shipment +CreateShipment=Create shipment +QtyShipped=Qty shipped QtyShippedShort=Qty ship. QtyPreparedOrShipped=Qty prepared or shipped -QtyToShip=Kol. za isporuku +QtyToShip=Qty to ship QtyToReceive=Qty to receive -QtyReceived=Primljena kol. +QtyReceived=Qty received QtyInOtherShipments=Qty in other shipments -KeepToShip=Ostatak za isporuku +KeepToShip=Remain to ship KeepToShipShort=Remain -OtherSendingsForSameOrder=Druge isporuke za ovu narudžbinu +OtherSendingsForSameOrder=Other shipments for this order SendingsAndReceivingForSameOrder=Shipments and receipts for this order -SendingsToValidate=Isporuke za potvrdu -StatusSendingCanceled=Otkazano -StatusSendingCanceledShort=Poništeno -StatusSendingDraft=Nacrt -StatusSendingValidated=Potvrđeno (proizvodi za isporuku ili već isporučeni) -StatusSendingProcessed=Procesuirano -StatusSendingDraftShort=Nacrt -StatusSendingValidatedShort=Potvrđeno -StatusSendingProcessedShort=Procesuirano -SendingSheet=Ulica isporuke +SendingsToValidate=Shipments to validate +StatusSendingCanceled=Canceled +StatusSendingCanceledShort=Canceled +StatusSendingDraft=Draft +StatusSendingValidated=Validated (products to ship or already shipped) +StatusSendingProcessed=Processed +StatusSendingDraftShort=Draft +StatusSendingValidatedShort=Validated +StatusSendingProcessedShort=Processed +SendingSheet=Shipment sheet ConfirmDeleteSending=Are you sure you want to delete this shipment? -ConfirmValidateSending=Are you sure you want to validate this shipment with reference %s? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model -WarningNoQtyLeftToSend=Upozorenje, nema proizvoda koji čekaju na isporuku. +WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) -DateDeliveryPlanned=Planirani datum isporuke +DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt -DateReceived=Datum prijema isporuke -ClassifyReception=Classify reception +DateReceived=Date delivery received +ClassifyReception=Classify Received SendShippingByEMail=Send shipment by email -SendShippingRef=Predaja isporuke %s -ActionsOnShipping=Događaji na isporuci -LinkToTrackYourPackage=Link za praćenje Vašeg paketa +SendShippingRef=Submission of shipment %s +ActionsOnShipping=Events on shipment +LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the Sales Order record. -ShipmentLine=Linija isporuke +ShipmentLine=Shipment line ProductQtyInCustomersOrdersRunning=Product quantity from open sales orders ProductQtyInSuppliersOrdersRunning=Product quantity from open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open sales order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase orders already received NoProductToShipFoundIntoStock=No product to ship found in warehouse %s. Correct stock or go back to choose another warehouse. -WeightVolShort=Težina/Zapr. -ValidateOrderFirstBeforeShipment=Morate prvo potvrditi porudžbinu pre nego omogućite formiranje isporuke. +WeightVolShort=Weight/Vol. +ValidateOrderFirstBeforeShipment=You must first validate the order before being able to make shipments. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument -DocumentModelTyphon=Kompletni model dokumenta za prijemnice isporuka (logo, ...) +DocumentModelTyphon=More complete document model for delivery receipts (logo...) DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...) -Error_EXPEDITION_ADDON_NUMBER_NotDefined=Konstanta EXPEDITION_ADDON_NUMBER nije definisana -SumOfProductVolumes=Suma količina proizvoda -SumOfProductWeights=Suma težina proizvoda +Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined +SumOfProductVolumes=Sum of product volumes +SumOfProductWeights=Sum of product weights # warehouse details -DetailWarehouseNumber= Detalji magacina +DetailWarehouseNumber= Warehouse details DetailWarehouseFormat= W:%s (Qty: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation + +ShipmentDistribution=Shipment distribution + +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/sr_RS/sms.lang b/htdocs/langs/sr_RS/sms.lang index 95e8f11e30b..055085eb16a 100644 --- a/htdocs/langs/sr_RS/sms.lang +++ b/htdocs/langs/sr_RS/sms.lang @@ -1,51 +1,51 @@ # Dolibarr language file - Source file is en_US - sms Sms=Sms -SmsSetup=Podešavanja sms-a -SmsDesc=Na ovoj stranici možete definisati globalne opcije za SMS -SmsCard=SMS kartica -AllSms=Sve SMS kampanje -SmsTargets=Targeti -SmsRecipients=Targeti +SmsSetup=SMS setup +SmsDesc=This page allows you to define global options on SMS features +SmsCard=SMS Card +AllSms=All SMS campaigns +SmsTargets=Targets +SmsRecipients=Targets SmsRecipient=Target -SmsTitle=Opis -SmsFrom=Pošiljalac +SmsTitle=Description +SmsFrom=Sender SmsTo=Target -SmsTopic=Tema SMS-a -SmsText=Poruka -SmsMessage=SMS poruka -ShowSms=Prikaži SMS -ListOfSms=Lista SMS kampanja -NewSms=Nova SMS kampanja -EditSms=Izmeni SMS -ResetSms=Novo slanje -DeleteSms=Obriši SMS kampanju -DeleteASms=Ukloni SMS kampanju -PreviewSms=Pogledaj SMS -PrepareSms=Priremi SMS -CreateSms=Kreiraj SMS -SmsResult=Rezultati SMS slanja +SmsTopic=Topic of SMS +SmsText=Message +SmsMessage=SMS Message +ShowSms=Show SMS +ListOfSms=List SMS campaigns +NewSms=New SMS campaign +EditSms=Edit SMS +ResetSms=New sending +DeleteSms=Delete SMS campaign +DeleteASms=Remove a SMS campaign +PreviewSms=Previuw SMS +PrepareSms=Prepare SMS +CreateSms=Create SMS +SmsResult=Result of SMS sending TestSms=Test SMS -ValidSms=Odobri SMS -ApproveSms=Odbri SMS -SmsStatusDraft=Nacrt -SmsStatusValidated=Odobren -SmsStatusApproved=Odobren -SmsStatusSent=Poslat -SmsStatusSentPartialy=Delimično poslat -SmsStatusSentCompletely=Potpuno poslat -SmsStatusError=Greška -SmsStatusNotSent=Nije poslat -SmsSuccessfulySent=SMS uspešno poslat (od %s do %s) -ErrorSmsRecipientIsEmpty=Broj targeta je prazan -WarningNoSmsAdded=Nema novih brojeva za dodavanje na listu targeta -ConfirmValidSms=Da li potvrdjujete ispravnost ove kampanje? -NbOfUniqueSms=Br. jedinstvenih brojeva telefona -NbOfSms=Br. brojeva telefona -ThisIsATestMessage=Ovo je test poruka -SendSms=Pošalji SMS -SmsInfoCharRemain=Broj preostalih karaktera -SmsInfoNumero= (internacionalni format npr: +33899701761) -DelayBeforeSending=Odloženo slanje (u minutima) -SmsNoPossibleSenderFound=Nema dostpunog pošiljaoca. Proveri podešavanja za vaš SMS provajder. -SmsNoPossibleRecipientFound=Nema definisanog targeta. Proverite podešavanja Vašeg SMS provajdera. +ValidSms=Validate SMS +ApproveSms=Approve SMS +SmsStatusDraft=Draft +SmsStatusValidated=Validated +SmsStatusApproved=Approved +SmsStatusSent=Sent +SmsStatusSentPartialy=Sent partially +SmsStatusSentCompletely=Sent completely +SmsStatusError=Error +SmsStatusNotSent=Not sent +SmsSuccessfulySent=SMS correctly sent (from %s to %s) +ErrorSmsRecipientIsEmpty=Number of target is empty +WarningNoSmsAdded=No new phone number to add to target list +ConfirmValidSms=Do you confirm validation of this campaign? +NbOfUniqueSms=No. of unique phone numbers +NbOfSms=No. of phone numbers +ThisIsATestMessage=This is a test message +SendSms=Send SMS +SmsInfoCharRemain=No. of remaining characters +SmsInfoNumero= (international format i.e.: +33899701761) +DelayBeforeSending=Delay before sending (minutes) +SmsNoPossibleSenderFound=No sender available. Check setup of your SMS provider. +SmsNoPossibleRecipientFound=No target available. Check setup of your SMS provider. DisableStopIfSupported=Disable STOP message (if supported) diff --git a/htdocs/langs/sr_RS/stocks.lang b/htdocs/langs/sr_RS/stocks.lang index ea98d646510..67952b7d533 100644 --- a/htdocs/langs/sr_RS/stocks.lang +++ b/htdocs/langs/sr_RS/stocks.lang @@ -1,63 +1,63 @@ # Dolibarr language file - Source file is en_US - stocks -WarehouseCard=Kartica magacina -Warehouse=Magacin -Warehouses=Magacini +WarehouseCard=Warehouse card +Warehouse=Warehouse +Warehouses=Warehouses ParentWarehouse=Parent warehouse NewWarehouse=New warehouse / Stock Location -WarehouseEdit=Izmeni magacin -MenuNewWarehouse=Novi magacin -WarehouseSource=Izvorni magacin -WarehouseSourceNotDefined=Nema definisanog magacina +WarehouseEdit=Modify warehouse +MenuNewWarehouse=New warehouse +WarehouseSource=Source warehouse +WarehouseSourceNotDefined=No warehouse defined, AddWarehouse=Create warehouse -AddOne=Dodaj +AddOne=Add one DefaultWarehouse=Default warehouse -WarehouseTarget=Ciljani magacin +WarehouseTarget=Target warehouse ValidateSending=Confirm shipment CancelSending=Cancel shipment DeleteSending=Delete shipment -Stock=Zaliha -Stocks=Zalihe +Stock=Stock +Stocks=Stocks MissingStocks=Missing stocks StockAtDate=Stocks at date StockAtDateInPast=Date in the past StockAtDateInFuture=Date in the future -StocksByLotSerial=Zalihe po seriji +StocksByLotSerial=Stocks by lot/serial LotSerial=Lots/Serials LotSerialList=List of lot/serials SubjectToLotSerialOnly=Products subject to lot/serial only -Movements=Prometi -ErrorWarehouseRefRequired=Referenca magacina je obavezna -ListOfWarehouses=Lista magacina -ListOfStockMovements=Lista prometa zaliha +Movements=Movements +ErrorWarehouseRefRequired=Warehouse reference name is required +ListOfWarehouses=List of warehouses +ListOfStockMovements=List of stock movements ListOfInventories=List of inventories MovementId=Movement ID StockMovementForId=Movement ID %d ListMouvementStockProject=List of stock movements associated to project -StocksArea=Oblast magacina +StocksArea=Warehouses area AllWarehouses=All warehouses IncludeEmptyDesiredStock=Include also negative stock with undefined desired stock IncludeAlsoDraftOrders=Include also draft orders -Location=Lokacija +Location=Location LocationSummary=Short name of location NumberOfDifferentProducts=Number of unique products -NumberOfProducts=Ukupan broj proizvoda +NumberOfProducts=Total number of products LastMovement=Latest movement LastMovements=Latest movements -Units=Jedinice -Unit=Jedinica +Units=Units +Unit=Unit StockCorrection=Stock correction -CorrectStock=Ispravna zaliha -StockTransfer=Transfer zalihe -TransferStock=Prenos zaliha +CorrectStock=Correct stock +StockTransfer=Stock transfer +TransferStock=Transfer stock MassStockTransferShort=Bulk stock change -StockMovement=Kretanje zaliha -StockMovements=Kretanja zaliha -NumberOfUnit=Broj jedinica -UnitPurchaseValue=Kupovna cena jedinice -StockTooLow=Zalihe su premale +StockMovement=Stock movement +StockMovements=Stock movements +NumberOfUnit=Number of units +UnitPurchaseValue=Unit purchase price +StockTooLow=Stock too low StockLowerThanLimit=Stock lower than alert limit (%s) -EnhancedValue=Vrednost -EnhancedValueOfWarehouses=Vrednost magacina +EnhancedValue=Value +EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product RuleForWarehouse=Rule for warehouses @@ -70,106 +70,108 @@ MainDefaultWarehouse=Default warehouse MainDefaultWarehouseUser=Use a default warehouse for each user MainDefaultWarehouseUserDesc=By activating this option, during creation of a product, the warehouse assigned to the product will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent -QtyDispatched=Raspoređena količina -QtyDispatchedShort=Raspodeljena kol. -QtyToDispatchShort=Kol. za raspodelu +QtyDispatched=Quantity dispatched +QtyDispatchedShort=Qty dispatched +QtyToDispatchShort=Qty to dispatch OrderDispatch=Item receipts RuleForStockManagementDecrease=Choose Rule for automatic stock decrease (manual decrease is always possible, even if an automatic decrease rule is activated) RuleForStockManagementIncrease=Choose Rule for automatic stock increase (manual increase is always possible, even if an automatic increase rule is activated) DeStockOnBill=Decrease real stocks on validation of customer invoice/credit note DeStockOnValidateOrder=Decrease real stocks on validation of sales order -DeStockOnShipment=Smanji realne zalihe nakon potvrde računa/kreditne note dobavljača +DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks when shipping is set to closed ReStockOnBill=Increase real stocks on validation of vendor invoice/credit note ReStockOnValidateOrder=Increase real stocks on purchase order approval ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouse, after purchase order receipt of goods StockOnReception=Increase real stocks on validation of reception StockOnReceptionOnClosing=Increase real stocks when reception is set to closed -OrderStatusNotReadyToDispatch=Narudžbina nema status koji omogućava otpremu proizvoda u magacin. +OrderStatusNotReadyToDispatch=Order has not yet or no more a status that allows dispatching of products in stock warehouses. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock -NoPredefinedProductToDispatch=Nema predefinisanih proizvoda za ovaj objekat. Stoga otprema u zalihu nije potrebna. -DispatchVerb=Raspodela -StockLimitShort=Limit za alertiranje -StockLimit=Limit zalihe za alertiranje +NoPredefinedProductToDispatch=No predefined products for this object. So no dispatching in stock is required. +DispatchVerb=Dispatch +StockLimitShort=Limit for alert +StockLimit=Stock limit for alert StockLimitDesc=(empty) means no warning.
      0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock -RealStock=Realna zaliha +RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. RealStockWillAutomaticallyWhen=The real stock will be modified according to this rule (as defined in the Stock module): -VirtualStock=Fiktivna zaliha +VirtualStock=Virtual stock VirtualStockAtDate=Virtual stock at a future date VirtualStockAtDateDesc=Virtual stock once all the pending orders that are planned to be processed before the chosen date will be finished VirtualStockDesc=Virtual stock is the stock that will remain after all open/pending actions (that affect stocks) have been performed (purchase orders received, sales orders shipped, manufacturing orders produced, etc) AtDate=At date -IdWarehouse=Id magacina -DescWareHouse=Opis magacina -LieuWareHouse=Lokacija magacina -WarehousesAndProducts=Magacini i proizvodi -WarehousesAndProductsBatchDetail=Magacini i proizvodi (sa detaljima po seriji) -AverageUnitPricePMPShort=Prosecna cena +IdWarehouse=Id warehouse +DescWareHouse=Description warehouse +LieuWareHouse=Localisation warehouse +WarehousesAndProducts=Warehouses and products +WarehousesAndProductsBatchDetail=Warehouses and products (with detail per lot/serial) +AverageUnitPricePMPShort=Weighted average price AverageUnitPricePMPDesc=The input average unit price we had to expense to get 1 unit of product into our stock. -SellPriceMin=Jedinična prodajna cena -EstimatedStockValueSellShort=Prodajna vrednost -EstimatedStockValueSell=Prodajna vrednost -EstimatedStockValueShort=Ulazna vrednost zalihe -EstimatedStockValue=Ulazna vrednost zalihe -DeleteAWarehouse=Obriši magacin +SellPriceMin=Selling Unit Price +EstimatedStockValueSellShort=Value for sell +EstimatedStockValueSell=Value for sell +EstimatedStockValueShort=Input stock value +EstimatedStockValue=Input stock value +DeleteAWarehouse=Delete a warehouse ConfirmDeleteWarehouse=Are you sure you want to delete the warehouse %s? -PersonalStock=Lična zaliha %s -ThisWarehouseIsPersonalStock=Ovaj magacin predstavlja ličnu zalihu od %s %s -SelectWarehouseForStockDecrease=Izaberi magacin za smanjenje zalihe -SelectWarehouseForStockIncrease=Izaberi magacin za povećanje zalihe -NoStockAction=Nema akcija zalihe +PersonalStock=Personal stock %s +ThisWarehouseIsPersonalStock=This warehouse represents personal stock of %s %s +SelectWarehouseForStockDecrease=Choose warehouse to use for stock decrease +SelectWarehouseForStockIncrease=Choose warehouse to use for stock increase +RevertProductsToStock=Revert products to stock ? +NoStockAction=No stock action DesiredStock=Desired Stock DesiredStockDesc=This stock amount will be the value used to fill the stock by replenishment feature. -StockToBuy=Za narudžbinu -Replenishment=Dopunjavanje -ReplenishmentOrders=Narudžbine dopunjavanja +StockToBuy=To order +Replenishment=Replenishment +ReplenishmentOrders=Replenishment orders VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical stock + open orders) may differ UseRealStockByDefault=Use real stock, instead of virtual stock, for replenishment feature ReplenishmentCalculation=Amount to order will be (desired quantity - real stock) instead of (desired quantity - virtual stock) -UseVirtualStock=Koristi fiktivnu zalihu -UsePhysicalStock=Koristi fizičku zalihu -CurentSelectionMode=Trenutan način selekcije -CurentlyUsingVirtualStock=Fiktivna zaliha -CurentlyUsingPhysicalStock=Fzička zaliha -RuleForStockReplenishment=Pravilo za dopunjavanje zalihe +UseVirtualStock=Use virtual stock +UsePhysicalStock=Use physical stock +CurentSelectionMode=Current selection mode +CurentlyUsingVirtualStock=Virtual stock +CurentlyUsingPhysicalStock=Physical stock +RuleForStockReplenishment=Rule for stocks replenishment SelectProductWithNotNullQty=Select at least one product with a qty not null and a vendor -AlertOnly= Samo alertiranja +AlertOnly= Alerts only IncludeProductWithUndefinedAlerts = Include also negative stock for products with no desired quantity defined, to restore them to 0 -WarehouseForStockDecrease=Magacin %s će biti upotrebljen za smanjenje zalihe -WarehouseForStockIncrease=Magacin %s će biti upotrebljen za uvećanje zalihe -ForThisWarehouse=Za ovaj magacin +WarehouseForStockDecrease=The warehouse %s will be used for stock decrease +WarehouseForStockIncrease=The warehouse %s will be used for stock increase +ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. -Replenishments=Dopunjavanja -NbOfProductBeforePeriod=Količina proizvoda %s u zalihama pre selektiranog perioda (< %s) -NbOfProductAfterPeriod=Količina proizvoda %s u zalihama posle selektiranog perioda (> %s) -MassMovement=Masivni promet +Replenishments=Replenishments +NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) +NbOfProductAfterPeriod=Quantity of product %s in stock after selected period (> %s) +MassMovement=Mass movement SelectProductInAndOutWareHouse=Select a source warehouse (optional), a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click on "%s". RecordMovement=Record transfer RecordMovements=Record stock movements -ReceivingForSameOrder=Prijemnice za ovu narudžbinu -StockMovementRecorded=Snimljeni prometi zalihe -RuleForStockAvailability=Pravila na zahtevima zaliha +ReceivingForSameOrder=Receipts for this order +StockMovementRecorded=Stock movements recorded +RuleForStockAvailability=Rules on stock requirements StockMustBeEnoughForInvoice=Stock level must be enough to add product/service to invoice (check is done on current real stock when adding a line into invoice whatever the rule for automatic stock change) StockMustBeEnoughForOrder=Stock level must be enough to add product/service to order (check is done on current real stock when adding a line into order whatever the rule for automatic stock change) StockMustBeEnoughForShipment= Stock level must be enough to add product/service to shipment (check is done on current real stock when adding a line into shipment whatever the rule for automatic stock change) -MovementLabel=Naziv prometa +MovementLabel=Label of movement TypeMovement=Direction of movement DateMovement=Date of movement -InventoryCode=Promet ili inventarski kod -IsInPackage=Sadržan u paketu +InventoryCode=Movement or inventory code +IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). -ShowWarehouse=Prikaži magacin -MovementCorrectStock=Ispravka zalihe za proizvod %s -MovementTransferStock=Transfer zaliha proizvoda %s u drugi magacin -InventoryCodeShort=Kod Inv./Krt. +ShowWarehouse=Show warehouse +MovementCorrectStock=Stock correction for product %s +MovementTransferStock=Stock transfer of product %s into another warehouse +BatchStockMouvementAddInGlobal=Batch stock move into global stock (product doesn't use batch anymore) +InventoryCodeShort=Inv./Mov. code NoPendingReceptionOnSupplierOrder=No pending reception due to open purchase order -ThisSerialAlreadyExistWithDifferentDate=Ova serija (%s) već postoji, ali sa različitim rokom trajanja/prodaje (nađeno je %s ali ste uneli %s). +ThisSerialAlreadyExistWithDifferentDate=This lot/serial number (%s) already exists but with different eatby or sellby date (found %s but you enter %s). OpenAnyMovement=Open (all movement) OpenInternal=Open (only internal movement) UseDispatchStatus=Use a dispatch status (approve/refuse) for product lines on purchase order reception @@ -194,40 +196,40 @@ inventoryListTitle=Inventories inventoryListEmpty=No inventory in progress inventoryCreateDelete=Create/Delete inventory inventoryCreate=Create new -inventoryEdit=Izmeni -inventoryValidate=Potvrđen -inventoryDraft=Aktivan +inventoryEdit=Edit +inventoryValidate=Validated +inventoryDraft=Running inventorySelectWarehouse=Warehouse choice -inventoryConfirmCreate=Kreiraj +inventoryConfirmCreate=Create inventoryOfWarehouse=Inventory for warehouse: %s inventoryErrorQtyAdd=Error: one quantity is less than zero inventoryMvtStock=By inventory inventoryWarningProductAlreadyExists=This product is already into list -SelectCategory=Filter po kategoriji +SelectCategory=Category filter SelectFournisseur=Vendor filter inventoryOnDate=Inventory INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Stock movements will have the date of inventory (instead of the date of inventory validation) inventoryChangePMPPermission=Allow to change PMP value for a product ColumnNewPMP=New unit PMP OnlyProdsInStock=Do not add product without stock -TheoricalQty=Theorical qty -TheoricalValue=Theorical qty +TheoricalQty=Theoretical qty +TheoricalValue=Theoretical qty LastPA=Last BP -CurrentPA=Curent BP +CurrentPA=Current BP RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty AddInventoryProduct=Add product to inventory -AddProduct=Dodaj +AddProduct=Add ApplyPMP=Apply PMP FlushInventory=Flush inventory ConfirmFlushInventory=Do you confirm this action? InventoryFlushed=Inventory flushed ExitEditMode=Exit edition -inventoryDeleteLine=Obriši red +inventoryDeleteLine=Delete line RegulateStock=Regulate Stock -ListInventory=Lista +ListInventory=List StockSupportServices=Stock management supports Services StockSupportServicesDesc=By default, you can stock only products of type "product". You may also stock a product of type "service" if both module Services and this option are enabled. ReceiveProducts=Receive items @@ -239,12 +241,12 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=An existing stock is required to be able to choose which lot to use ForceTo=Force to -AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) +AlwaysShowFullArbo=Display the full path of a warehouse (parent warehouses) on the popup of warehouse links (Warning: This may decrease dramatically performances) StockAtDatePastDesc=You can view here the stock (real stock) at a given date in the past StockAtDateFutureDesc=You can view here the stock (virtual stock) at a given date in the future CurrentStock=Current stock InventoryRealQtyHelp=Set value to 0 to reset qty
      Keep field empty, or remove line, to keep unchanged -UpdateByScaning=Complete real qty by scaning +UpdateByScaning=Complete real qty by scanning UpdateByScaningProductBarcode=Update by scan (product barcode) UpdateByScaningLot=Update by scan (lot|serial barcode) DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement. @@ -253,7 +255,7 @@ ChooseFileToImport=Upload file then click on the %s icon to select file as sourc SelectAStockMovementFileToImport=select a stock movement file to import InfoTemplateImport=Uploaded file needs to have this format (* are mandatory fields):
      Source Warehouse* | Target Warehouse* | Product* | Quantity* | Lot/serial number
      CSV character separator must be "%s" LabelOfInventoryMovemement=Inventory %s -ReOpen=Ponovo Otvoreno +ReOpen=Reopen ConfirmFinish=Do you confirm the closing of the inventory ? This will generate all stock movements to update your stock to the real qty you entered into the inventory. ObjectNotFound=%s not found MakeMovementsAndClose=Generate movements and close @@ -269,7 +271,7 @@ WarehouseId=Warehouse ID WarehouseRef=Warehouse Ref SaveQtyFirst=Save the real inventoried quantities first, before asking creation of the stock movement. ToStart=Start -InventoryStartedShort=Započeto +InventoryStartedShort=Started ErrorOnElementsInventory=Operation canceled for the following reason: ErrorCantFindCodeInInventory=Can't find the following code in inventory QtyWasAddedToTheScannedBarcode=Success !! The quantity was added to all the requested barcode. You can close the Scanner tool. @@ -280,7 +282,7 @@ ModuleStockTransferName=Advanced Stock Transfer ModuleStockTransferDesc=Advanced management of Stock Transfer, with generation of transfer sheet StockTransferNew=New stock transfer StockTransferList=Stock transfers list -ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with reference %s ? +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? ConfirmDestock=Decrease of stocks with transfer %s ConfirmDestockCancel=Cancel decrease of stocks with transfer %s DestockAllProduct=Decrease of stocks @@ -307,17 +309,29 @@ StockTransferDecrementationCancel=Cancel decrease of source warehouses StockTransferIncrementationCancel=Cancel increase of destination warehouses StockStransferDecremented=Source warehouses decreased StockStransferDecrementedCancel=Decrease of source warehouses canceled -StockStransferIncremented=Closed - Stocks transfered -StockStransferIncrementedShort=Stocks transfered +StockStransferIncremented=Closed - Stocks transferred +StockStransferIncrementedShort=Stocks transferred StockStransferIncrementedShortCancel=Increase of destination warehouses canceled StockTransferNoBatchForProduct=Product %s doesn't use batch, clear batch on line and retry StockTransferSetup = Stocks Transfer module configuration -Settings=Postavke tiketa +Settings=Settings StockTransferSetupPage = Configuration page for stocks transfer module StockTransferRightRead=Read stocks transfers StockTransferRightCreateUpdate=Create/Update stocks transfers StockTransferRightDelete=Delete stocks transfers BatchNotFound=Lot / serial not found for this product +StockEntryDate=Date of
      entry in stock StockMovementWillBeRecorded=Stock movement will be recorded StockMovementNotYetRecorded=Stock movement will not be affected by this step +ReverseConfirmed=Stock movement has been reversed successfully + +WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse +ValidateInventory=Inventory validation +IncludeSubWarehouse=Include sub-warehouse ? +IncludeSubWarehouseExplanation=Check this box if you want to include all sub-warehouses of the associated warehouse in the inventory +DeleteBatch=Delete lot/serial +ConfirmDeleteBatch=Are you sure you want to delete lot/serial ? +WarehouseUsage=Warehouse usage +InternalWarehouse=Internal warehouse +ExternalWarehouse=External warehouse WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse diff --git a/htdocs/langs/sr_RS/stripe.lang b/htdocs/langs/sr_RS/stripe.lang index de2d6beff4c..da6a38d0da7 100644 --- a/htdocs/langs/sr_RS/stripe.lang +++ b/htdocs/langs/sr_RS/stripe.lang @@ -2,20 +2,20 @@ StripeSetup=Stripe module setup StripeDesc=Offer your customers an online payment page for payments with credit/debit cards via Stripe. This can be used to allow your customers to make ad-hoc payments or for payments related to a particular Dolibarr object (invoice, order, ...) StripeOrCBDoPayment=Pay with credit card or Stripe -FollowingUrlAreAvailableToMakePayments=Sledeći URL-ovi mogu omogućiti klijentu da izvrši uplatu na Dolibarr objekte -PaymentForm=Forma za uplatu +FollowingUrlAreAvailableToMakePayments=Following URLs are available to offer a page to a customer to make a payment on Dolibarr objects +PaymentForm=Payment form WelcomeOnPaymentPage=Welcome to our online payment service -ThisScreenAllowsYouToPay=Ovaj ekran vam omogućava da izvršite online uplatu u korist %s -ThisIsInformationOnPayment=Ovo su informacije o uplati -ToComplete=Popuniti -YourEMail=Email za potvrdu uplate +ThisScreenAllowsYouToPay=This screen allow you to make an online payment to %s. +ThisIsInformationOnPayment=This is information on payment to do +ToComplete=To complete +YourEMail=Email to receive payment confirmation STRIPE_PAYONLINE_SENDEMAIL=Email notification after a payment attempt (success or fail) -Creditor=Kreditor -PaymentCode=Kod uplate +Creditor=Creditor +PaymentCode=Payment code StripeDoPayment=Pay with Stripe YouWillBeRedirectedOnStripe=You will be redirected on secured Stripe page to input you credit card information -Continue=Dalje -ToOfferALinkForOnlinePayment=URL za %s uplatu +Continue=Next +ToOfferALinkForOnlinePayment=URL for %s payment ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line @@ -24,11 +24,11 @@ ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online paymen ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag.
      For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter) SetupStripeToHavePaymentCreatedAutomatically=Setup your Stripe with url %s to have payment created automatically when validated by Stripe. -AccountParameter=Parametri naloga -UsageParameter=Parametri korišćenja -InformationToFindParameters=Pomoć za pronalaženje informacije o Vašem %s nalogu +AccountParameter=Account parameters +UsageParameter=Usage parameters +InformationToFindParameters=Help to find your %s account information STRIPE_CGI_URL_V2=Url of Stripe CGI module for payment -CSSUrlForPaymentForm=CSS url za formu za plaćanje +CSSUrlForPaymentForm=CSS style sheet url for payment form NewStripePaymentReceived=New Stripe payment received NewStripePaymentFailed=New Stripe payment tried but failed FailedToChargeCard=Failed to charge card @@ -41,7 +41,8 @@ STRIPE_LIVE_WEBHOOK_KEY=Webhook live key ONLINE_PAYMENT_WAREHOUSE=Stock to use for stock decrease when online payment is done
      (TODO When option to decrease stock is done on an action on invoice and the online payment generate itself the invoice ?) StripeLiveEnabled=Stripe live enabled (otherwise test/sandbox mode) StripeImportPayment=Import Stripe payments -ExampleOfTestCreditCard=Example of credit card for test: %s => valid, %s => error CVC, %s => expired, %s => charge fails +ExampleOfTestCreditCard=Example of credit card for a test payment: %s => valid, %s => error CVC, %s => expired, %s => charge fails +ExampleOfTestBankAcountForSEPA=Example of bank account BAN for direct debit test: %s StripeGateways=Stripe gateways OAUTH_STRIPE_TEST_ID=Stripe Connect Client ID (ca_...) OAUTH_STRIPE_LIVE_ID=Stripe Connect Client ID (ca_...) @@ -50,6 +51,7 @@ StripeAccount=Stripe account StripeChargeList=List of Stripe charges StripeTransactionList=List of Stripe transactions StripeCustomerId=Stripe customer id +StripePaymentId=Stripe payment id StripePaymentModes=Stripe payment modes LocalID=Local ID StripeID=Stripe ID @@ -61,6 +63,7 @@ DeleteACard=Delete Card ConfirmDeleteCard=Are you sure you want to delete this Credit or Debit card? CreateCustomerOnStripe=Create customer on Stripe CreateCardOnStripe=Create card on Stripe +CreateBANOnStripe=Create bank on Stripe ShowInStripe=Show in Stripe StripeUserAccountForActions=User account to use for email notification of some Stripe events (Stripe payouts) StripePayoutList=List of Stripe payouts @@ -68,4 +71,10 @@ ToOfferALinkForTestWebhook=Link to setup Stripe WebHook to call the IPN (test mo ToOfferALinkForLiveWebhook=Link to setup Stripe WebHook to call the IPN (live mode) PaymentWillBeRecordedForNextPeriod=Payment will be recorded for the next period. ClickHereToTryAgain=Click here to try again... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s +CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe back office. You can click here to switch on Stripe customer record: %s +STRIPE_CARD_PRESENT=Card Present for Stripe Terminals +TERMINAL_LOCATION=Location (address) for Stripe Terminals +RequestDirectDebitWithStripe=Request Direct Debit with Stripe +RequesCreditTransferWithStripe=Request Credit Transfer with Stripe +STRIPE_SEPA_DIRECT_DEBIT=Enable the Direct Debit payments through Stripe +StripeConnect_Mode=Stripe Connect mode diff --git a/htdocs/langs/sr_RS/supplier_proposal.lang b/htdocs/langs/sr_RS/supplier_proposal.lang index fa946586484..9dcb20ba1b4 100644 --- a/htdocs/langs/sr_RS/supplier_proposal.lang +++ b/htdocs/langs/sr_RS/supplier_proposal.lang @@ -1,59 +1,59 @@ # Dolibarr language file - Source file is en_US - supplier_proposal SupplierProposal=Vendor commercial proposals -supplier_proposalDESC=Updavljanje zahtevima za cene dobavljača -SupplierProposalNew=Novi zahtev za cenu -CommRequest=Zahtev za cenu -CommRequests=Zahtevi za cenu -SearchRequest=Pronađi zahtev -DraftRequests=Draft zahtevi +supplier_proposalDESC=Manage price requests to suppliers +SupplierProposalNew=New price request +CommRequest=Price request +CommRequests=Price requests +SearchRequest=Find a request +DraftRequests=Draft requests SupplierProposalsDraft=Draft vendor proposals -LastModifiedRequests=Najnoviji %s promenjeni zahtevi za cenu -RequestsOpened=Otvori zahteve za cenu +LastModifiedRequests=Latest %s modified price requests +RequestsOpened=Open price requests SupplierProposalArea=Vendor proposals area SupplierProposalShort=Vendor proposal SupplierProposals=Vendor proposals SupplierProposalsShort=Vendor proposals -AskPrice=Zahtev za cenu -NewAskPrice=Novi zahtev za cenu -ShowSupplierProposal=Prikaži zahtev za cenu -AddSupplierProposal=Kreiraj zahtev za cenu +AskPrice=Price request +NewAskPrice=New price request +ShowSupplierProposal=Show price request +AddSupplierProposal=Create a price request SupplierProposalRefFourn=Vendor ref -SupplierProposalDate=Datum isporuke -SupplierProposalRefFournNotice=Pre prelaska na "Prihvaćeno", zabeležte reference dobavljača. -ConfirmValidateAsk=Da li ste sigurni da želite da potvrdite ovaj zahtev za cenu pod imenom %s? -DeleteAsk=Obriši zahtev -ValidateAsk=Potvrdi zahtev -SupplierProposalStatusDraft=Nacrt (čeka na potvrdu) -SupplierProposalStatusValidated=Potvrđen (zahtev je otvoren) -SupplierProposalStatusClosed=Zatvoren -SupplierProposalStatusSigned=Prihvaćen -SupplierProposalStatusNotSigned=Odbijen -SupplierProposalStatusDraftShort=Nacrt -SupplierProposalStatusValidatedShort=Potvrđen -SupplierProposalStatusClosedShort=Zatvoren -SupplierProposalStatusSignedShort=Prihvaćen -SupplierProposalStatusNotSignedShort=Odbijen +SupplierProposalDate=Delivery date +SupplierProposalRefFournNotice=Before closing to "Accepted", think to grasp suppliers references. +ConfirmValidateAsk=Are you sure you want to validate this price request under name %s? +DeleteAsk=Delete request +ValidateAsk=Validate request +SupplierProposalStatusDraft=Draft (needs to be validated) +SupplierProposalStatusValidated=Validated (request is open) +SupplierProposalStatusClosed=Closed +SupplierProposalStatusSigned=Accepted +SupplierProposalStatusNotSigned=Refused +SupplierProposalStatusDraftShort=Draft +SupplierProposalStatusValidatedShort=Validated +SupplierProposalStatusClosedShort=Closed +SupplierProposalStatusSignedShort=Accepted +SupplierProposalStatusNotSignedShort=Refused CopyAskFrom=Create a price request by copying an existing request -CreateEmptyAsk=Kreiraj prazan zahtev -ConfirmCloneAsk=Da li ste sigurni da želite da napravite kopiju zahteva za cenu %s? -ConfirmReOpenAsk=Da li ste sigurni da želite da ponovo otvorite zahtev za cenu %s? -SendAskByMail=Pošalji zahtev za cenu mailom -SendAskRef=Slanje zahteva za cenu %s -SupplierProposalCard=Kartica zahteva -ConfirmDeleteAsk=Da li ste sigurni da želite da obrišete ovaj upit za cenu %s? -ActionsOnSupplierProposal=Događaji na zahtevu za cenu -DocModelAuroreDescription=A complete template for a vendor quotation request template (old implementation of Sponge template) -DocModelZenithDescription=A complete template for a vendor quotation request template -CommercialAsk=Zahtev za cenu -DefaultModelSupplierProposalCreate=Default model za kreiranje -DefaultModelSupplierProposalToBill=Default template prilikom zatvaranja zahteva za cenu (prihvaćen) -DefaultModelSupplierProposalClosed=Default template prilikom zatvaranja zahteva za cenu (odbijen) +CreateEmptyAsk=Create blank request +ConfirmCloneAsk=Are you sure you want to clone the price request %s? +ConfirmReOpenAsk=Are you sure you want to open back the price request %s? +SendAskByMail=Send price request by mail +SendAskRef=Sending the price request %s +SupplierProposalCard=Request card +ConfirmDeleteAsk=Are you sure you want to delete this price request %s? +ActionsOnSupplierProposal=Events on price request +DocModelAuroreDescription=A complete template for a vendor quotation request (old implementation of Sponge template) +DocModelZenithDescription=A complete template for a vendor quotation request +CommercialAsk=Price request +DefaultModelSupplierProposalCreate=Default model creation +DefaultModelSupplierProposalToBill=Default template when closing a price request (accepted) +DefaultModelSupplierProposalClosed=Default template when closing a price request (refused) ListOfSupplierProposals=List of vendor proposal requests ListSupplierProposalsAssociatedProject=List of vendor proposals associated with project SupplierProposalsToClose=Vendor proposals to close SupplierProposalsToProcess=Vendor proposals to process -LastSupplierProposals=Najnoviji %s upiti za cenu -AllPriceRequests=Svi zahtevi +LastSupplierProposals=Latest %s price requests +AllPriceRequests=All requests TypeContact_supplier_proposal_external_SHIPPING=Vendor contact for delivery TypeContact_supplier_proposal_external_BILLING=Vendor contact for billing -TypeContact_supplier_proposal_external_SERVICE=Agent koji prati ponudu +TypeContact_supplier_proposal_external_SERVICE=Representative following-up proposal diff --git a/htdocs/langs/sr_RS/suppliers.lang b/htdocs/langs/sr_RS/suppliers.lang index 60f0f2f8271..4d2b37fa316 100644 --- a/htdocs/langs/sr_RS/suppliers.lang +++ b/htdocs/langs/sr_RS/suppliers.lang @@ -1,18 +1,19 @@ # Dolibarr language file - Source file is en_US - vendors -Suppliers=Dobavljači +Suppliers=Vendors SuppliersInvoice=Vendor invoice SupplierInvoices=Vendor invoices ShowSupplierInvoice=Show Vendor Invoice NewSupplier=New vendor -History=Istorija +NewSupplierInvoice = New vendor invoice +History=History ListOfSuppliers=List of vendors ShowSupplier=Show vendor -OrderDate=Datum porudžbine +OrderDate=Order date BuyingPriceMin=Best buying price BuyingPriceMinShort=Best buying price -TotalBuyingPriceMinShort=Ukupna kupovna cena pod-proizvoda +TotalBuyingPriceMinShort=Total of subproducts buying prices TotalSellingPriceMinShort=Total of subproducts selling prices -SomeSubProductHaveNoPrices=Neki od pod-proizvoda nemaju definisanu cenu +SomeSubProductHaveNoPrices=Some sub-products have no price defined AddSupplierPrice=Add buying price ChangeSupplierPrice=Change buying price SupplierPrices=Vendor prices @@ -21,13 +22,13 @@ NoRecordedSuppliers=No vendor recorded SupplierPayment=Vendor payment SuppliersArea=Vendor area RefSupplierShort=Ref. vendor -Availability=Dostupnost +Availability=Availability ExportDataset_fournisseur_1=Vendor invoices and invoice details ExportDataset_fournisseur_2=Vendor invoices and payments ExportDataset_fournisseur_3=Purchase orders and order details -ApproveThisOrder=Odobri ovu narudžbinu +ApproveThisOrder=Approve this order ConfirmApproveThisOrder=Are you sure you want to approve order %s? -DenyingThisOrder=Odbij narudžbinu +DenyingThisOrder=Deny this order ConfirmDenyingThisOrder=Are you sure you want to deny this order %s? ConfirmCancelThisOrder=Are you sure you want to cancel this order %s? AddSupplierOrder=Create Purchase Order diff --git a/htdocs/langs/sr_RS/ticket.lang b/htdocs/langs/sr_RS/ticket.lang index 635e640d728..35227ee5ae3 100644 --- a/htdocs/langs/sr_RS/ticket.lang +++ b/htdocs/langs/sr_RS/ticket.lang @@ -18,83 +18,83 @@ # Generic # -Module56000Name=Tiketi -Module56000Desc=Sistem tiketa za menadžment reklamacija ili zahteva +Module56000Name=Tickets +Module56000Desc=Ticket system for issue or request management -Permission56001=Pregled tiketa -Permission56002=Promeniti tikete -Permission56003=Obrisati tikete -Permission56004=Upravljanje tiketima -Permission56005=Pregled tiketa svih Nezavisnih kompanija (nije primenjivo za spoljne korisnike, uvek će biti ograničeno na Nezavisnu kompaniju od koje zavise) -Permission56006=Izvoz tiketa +Permission56001=See tickets +Permission56002=Modify tickets +Permission56003=Delete tickets +Permission56004=Manage tickets +Permission56005=See tickets of all third parties (not effective for external users, always be limited to the third party they depend on) +Permission56006=Export tickets -Tickets=Tiketi -TicketDictType=Tiketi – Tipovi -TicketDictCategory=Tiketi – Grupe -TicketDictSeverity=Tiketi – Ozbiljnost -TicketDictResolution=Tiketi – Rešavanje +Tickets=Tickets +TicketDictType=Ticket - Types +TicketDictCategory=Ticket - Groups +TicketDictSeverity=Ticket - Severities +TicketDictResolution=Ticket - Resolution -TicketTypeShortCOM=Komercijalna pitanja -TicketTypeShortHELP=Servisna pomoć -TicketTypeShortISSUE=Problem u funkcionisanju uređaja ili softvera +TicketTypeShortCOM=Commercial question +TicketTypeShortHELP=Request for functional help +TicketTypeShortISSUE=Issue or bug TicketTypeShortPROBLEM=Problem -TicketTypeShortREQUEST=Promena ili unapređenje zahteva -TicketTypeShortPROJET=Pomoć u projektovanju -TicketTypeShortOTHER=Drugo +TicketTypeShortREQUEST=Change or enhancement request +TicketTypeShortPROJET=Project +TicketTypeShortOTHER=Other -TicketSeverityShortLOW=Nizak +TicketSeverityShortLOW=Low TicketSeverityShortNORMAL=Normal -TicketSeverityShortHIGH=Visok -TicketSeverityShortBLOCKING=Kritičan, blokiran rad +TicketSeverityShortHIGH=High +TicketSeverityShortBLOCKING=Critical, Blocking -TicketCategoryShortOTHER=Drugo +TicketCategoryShortOTHER=Other ErrorBadEmailAddress=Field '%s' incorrect MenuTicketMyAssign=My tickets MenuTicketMyAssignNonClosed=My open tickets MenuListNonClosed=Open tickets -TypeContact_ticket_internal_CONTRIBUTOR=Saradnik -TypeContact_ticket_internal_SUPPORTTEC=Dodeljeni serviser -TypeContact_ticket_external_SUPPORTCLI=Kontakt korisnika za praćenje reklamacije/zahteva -TypeContact_ticket_external_CONTRIBUTOR=Spoljni saradnik +TypeContact_ticket_internal_CONTRIBUTOR=Contributor +TypeContact_ticket_internal_SUPPORTTEC=Assigned user +TypeContact_ticket_external_SUPPORTCLI=Customer contact / incident tracking +TypeContact_ticket_external_CONTRIBUTOR=External contributor -OriginEmail=Email korisnika koji je prijavio reklamaciju/zahtev -Notify_TICKET_SENTBYMAIL=Poslati tiket poruku preko email-a +OriginEmail=Reporter Email +Notify_TICKET_SENTBYMAIL=Send ticket message by email -ExportDataset_ticket_1=Tiketi +ExportDataset_ticket_1=Tickets # Status -Read=Pročitano -Assigned=Dodeljen -NeedMoreInformation=Čeka se povratna informacija korisnika -NeedMoreInformationShort=Čeka se povratna informacija -Answered=Odgovoreno -Waiting=Na čekanju -SolvedClosed=Rešeno -Deleted=Obrisano +Read=Read +Assigned=Assigned +NeedMoreInformation=Waiting for reporter feedback +NeedMoreInformationShort=Waiting for feedback +Answered=Answered +Waiting=Waiting +SolvedClosed=Solved +Deleted=Deleted # Dict -Type=Tip -Severity=Ozbiljnost -TicketGroupIsPublic=Grupa je javna -TicketGroupIsPublicDesc=Ako je javna grupa za tikete, biće vidljiva u formi kad je napravljena preko javnog interfejsa +Type=Type +Severity=Severity +TicketGroupIsPublic=Group is public +TicketGroupIsPublicDesc=If a ticket group is public, it will be visible in the form when creating a ticket from the public interface # Email templates -MailToSendTicketMessage=Za slanje email-a sa tiket poruke +MailToSendTicketMessage=To send email from ticket message # # Admin page # -TicketSetup=Postavke tiket modula -TicketSettings=Postavke tiketa +TicketSetup=Ticket module setup +TicketSettings=Settings TicketSetupPage= TicketPublicAccess=A public interface requiring no identification is available at the following url TicketSetupDictionaries=The type of ticket, severity and analytic codes are configurable from dictionaries TicketParamModule=Module variable setup TicketParamMail=Email setup TicketEmailNotificationFrom=Sender e-mail for notification on answers -TicketEmailNotificationFromHelp=Sender e-mail to use to send the notification email when an answer is provided inside the backoffice. For example noreply@example.com +TicketEmailNotificationFromHelp=Sender e-mail to use to send the notification email when an answer is provided inside the back office. For example noreply@example.com TicketEmailNotificationTo=Notify ticket creation to this e-mail address TicketEmailNotificationToHelp=If present, this e-mail address will be notified of a ticket creation TicketNewEmailBodyLabel=Text message sent after creating a ticket @@ -105,7 +105,7 @@ TicketsEmailMustExistHelp=In the public interface, the email address should alre TicketsShowProgression=Display the ticket progress in the public interface TicketsShowProgressionHelp=Enable this option to hide the progress of the ticket in the public interface pages TicketCreateThirdPartyWithContactIfNotExist=Ask name and company name for unknown emails. -TicketCreateThirdPartyWithContactIfNotExistHelp=Check if a thirdparty or a contact exists for the email entered. If not, ask a name and a company name to create a third party with contact. +TicketCreateThirdPartyWithContactIfNotExistHelp=Check if a third party or a contact exists for the email entered. If not, ask a name and a company name to create a third party with contact. PublicInterface=Public interface TicketUrlPublicInterfaceLabelAdmin=Alternative URL for public interface TicketUrlPublicInterfaceHelpAdmin=It is possible to define an alias to the web server and thus make available the public interface with another URL (the server must act as a proxy on this new URL) @@ -145,226 +145,228 @@ TicketsPublicNotificationNewMessage=Send email(s) when a new message/comment is TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) TicketPublicNotificationNewMessageDefaultEmailHelp=Send an email to this address for each new message notifications if the ticket doesn't have a user assigned to it or if the user doesn't have any known email. -TicketsAutoReadTicket=Automatically mark the ticket as read (when created from backoffice) -TicketsAutoReadTicketHelp=Automatically mark the ticket as read when created from backoffice. When ticket is create from the public interface, ticket remains with the status "Not Read". +TicketsAutoReadTicket=Automatically mark the ticket as read (when created from back office) +TicketsAutoReadTicketHelp=Automatically mark the ticket as read when created from back office. When ticket is create from the public interface, ticket remains with the status "Not Read". TicketsDelayBeforeFirstAnswer=A new ticket should receive a first answer before (hours): TicketsDelayBeforeFirstAnswerHelp=If a new ticket has not received an answer after this time period (in hours), an important warning icon will be displayed in the list view. TicketsDelayBetweenAnswers=An unresolved ticket should not be unactive during (hours): TicketsDelayBetweenAnswersHelp=If an unresolved ticket that has already received an answer has not had further interaction after this time period (in hours), a warning icon will be displayed in the list view. -TicketsAutoNotifyClose=Automatically notify thirdparty when closing a ticket -TicketsAutoNotifyCloseHelp=When closing a ticket, you will be proposed to send a message to one of thirdparty's contacts. On mass closing, a message will be sent to one contact of the thirdparty linked to the ticket. +TicketsAutoNotifyClose=Automatically notify the third party when closing a ticket +TicketsAutoNotifyCloseHelp=When closing a ticket, you will be proposed to send a message to one of third-party contacts. On mass closing, a message will be sent to one contact of the third party linked to the ticket. TicketWrongContact=Provided contact is not part of current ticket contacts. Email not sent. TicketChooseProductCategory=Product category for ticket support TicketChooseProductCategoryHelp=Select the product category of ticket support. This will be used to automatically link a contract to a ticket. TicketUseCaptchaCode=Use graphical code (CAPTCHA) when creating a ticket TicketUseCaptchaCodeHelp=Adds CAPTCHA verification when creating a new ticket. +TicketsAllowClassificationModificationIfClosed=Allow to modify classification of closed tickets +TicketsAllowClassificationModificationIfClosedHelp=Allow to modify classification (type, ticket group, severity) even if tickets are closed. # # Index & list page # -TicketsIndex=Indeks tiketa -TicketList=Lista tiketa -TicketAssignedToMeInfos=Ova strana prikazuje listu tiketa napravljenu ili dodeljenu trenutnom korisniku -NoTicketsFound=Nije pronađen nijedan tiket -NoUnreadTicketsFound=Nema nepročitanih tiketa -TicketViewAllTickets=Pregled svih tiketa -TicketViewNonClosedOnly=Pregled samo otvorenih tiketa -TicketStatByStatus=Tiketi po statusu -OrderByDateAsc=Sortirati po rastućem datumu -OrderByDateDesc=Sortirati po opadajućem datumu -ShowAsConversation=Prikazati kao listu razgovora -MessageListViewType=Prikazati kao listu tabela -ConfirmMassTicketClosingSendEmail=Automatski poslati email kada se zatvara tiket -ConfirmMassTicketClosingSendEmailQuestion=Da li želite da obavestite Nezavisno preduzeće kada se zatvaraju ovi tiketi? +TicketsIndex=Tickets area +TicketList=List of tickets +TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user +NoTicketsFound=No ticket found +NoUnreadTicketsFound=No unread ticket found +TicketViewAllTickets=View all tickets +TicketViewNonClosedOnly=View only open tickets +TicketStatByStatus=Tickets by status +OrderByDateAsc=Sort by ascending date +OrderByDateDesc=Sort by descending date +ShowAsConversation=Show as conversation list +MessageListViewType=Show as table list +ConfirmMassTicketClosingSendEmail=Automatically send emails when closing tickets +ConfirmMassTicketClosingSendEmailQuestion=Do you want to notify thirdparties when closing these tickets ? # # Ticket card # -Ticket=Tiket -TicketCard=Tiket karta -CreateTicket=Napraviti tiket -EditTicket=Promeniti tiket -TicketsManagement=Upravljanje tiketima -CreatedBy=Napravio -NewTicket=Novi tiket -SubjectAnswerToTicket=Odgovor na tiket -TicketTypeRequest=Tip zahteva -TicketCategory=Grupa tiketa -SeeTicket=Pregledati tiket -TicketMarkedAsRead=Tiket je označen kao pročitan -TicketReadOn=Čitati dalje -TicketCloseOn=Datum zatvaranja -MarkAsRead=Označiti tiket kao pročitan -TicketHistory=Istorija tiketa -AssignUser=Dodeliti korisniku -TicketAssigned=Tiket je sada dodeljen -TicketChangeType=Promeniti tip -TicketChangeCategory=Promeniti kategoriju -TicketChangeSeverity=Promeniti ozbiljnost +Ticket=Ticket +TicketCard=Ticket card +CreateTicket=Create ticket +EditTicket=Edit ticket +TicketsManagement=Tickets Management +CreatedBy=Created by +NewTicket=New Ticket +SubjectAnswerToTicket=Ticket answer +TicketTypeRequest=Request type +TicketCategory=Ticket group +SeeTicket=See ticket +TicketMarkedAsRead=Ticket has been marked as read +TicketReadOn=Read on +TicketCloseOn=Closing date +MarkAsRead=Mark ticket as read +TicketHistory=Ticket history +AssignUser=Assign to user +TicketAssigned=Ticket is now assigned +TicketChangeType=Change type +TicketChangeCategory=Change analytic code +TicketChangeSeverity=Change severity TicketAddMessage=Add or send a message TicketAddPrivateMessage=Add a private message -MessageSuccessfullyAdded=Tiket uspešno dodat -TicketMessageSuccessfullyAdded=Poruka uspešno dodata -TicketMessagesList=Lista poruka tiketa -NoMsgForThisTicket=Nema poruka za ovaj tiket -TicketProperties=Klasifikacija -LatestNewTickets=%s najnovijih tiketa (nepročitanih) -TicketSeverity=Ozbiljnost tiketa -ShowTicket=Prikaži tiket -RelatedTickets=Povezani tiketi -TicketAddIntervention=Kreiraj intervenciju -CloseTicket=Zatvoriti/Rešeno -AbandonTicket=Napustiti -CloseATicket=Zatvoriti/Rešiti tiket -ConfirmCloseAticket=Potvrditi zatvaranje tiketa -ConfirmAbandonTicket=Da li potvrđujete zatvaranje tiketa i postavljanje statusa 'Napušteno“? -ConfirmDeleteTicket=Molimo potvrdite brisanje tiketa -TicketDeletedSuccess=Tiket je uspešno obrisan -TicketMarkedAsClosed=Tiket je označen kao zatvoren -TicketDurationAuto=Automatski proračun dužine -TicketDurationAutoInfos=Dužina proračunata automatski iz povezane intervencije -TicketUpdated=Tiket je ažuriran -SendMessageByEmail=Poslati poruku preko email-a -TicketNewMessage=Nova poruka -ErrorMailRecipientIsEmptyForSendTicketMessage=Nema primalaca maila. Mail nije poslat -TicketGoIntoContactTab=Molimo idite na tab “Kontakti“ i odaberite ih -TicketMessageMailIntro=Zaglavlje poruke -TicketMessageMailIntroHelp=Ovaj tekst se dodaje samo na početku email-a i neće biti sačuvan. -TicketMessageMailIntroText=Poštovani,
      Novi odgovor je dodat na tiket koji pratite. Evo poruke:
      -TicketMessageMailIntroHelpAdmin=Ovaj tekst će biti ubačen pre odgovora kada se odgovara na tiket sa Dolibarr -TicketMessageMailFooter=Podnožje poruke -TicketMessageMailFooterHelp=Ovaj tekst se dodaje samo na kraju poruke poslate preko email-a i neće biti sačuvan -TicketMessageMailFooterText=Poruka poslata od strane %s preko Dolibarr -TicketMessageMailFooterHelpAdmin=Ovaj tekst će biti ubačen posle poruke odgovora. -TicketMessageHelp=Samo će ovaj tekst biti sačuvan u listi poruka na karti tiketa -TicketMessageSubstitutionReplacedByGenericValues=Zamenske promenjive će biti zamenjene sa generičkim vrednostima. -ForEmailMessageWillBeCompletedWith=Za email poruke poslate spoljnim korisnicima, poruka će biti dopunjena sa -TimeElapsedSince=Proteklo vreme -TicketTimeToRead=Proteklo vreme pre čitanja -TicketTimeElapsedBeforeSince=Proteklo vreme pre / od -TicketContacts=Kontakt za tiket -TicketDocumentsLinked=Dokumenta povezana za tiket -ConfirmReOpenTicket=Da li želite da ponovo otvorite ovaj tiket? -TicketMessageMailIntroAutoNewPublicMessage=Nova poruka je postavljena na tiket sa naslovom %s: -TicketAssignedToYou=Tiket dodeljen -TicketAssignedEmailBody=Dodeljeni ste na tiket #%s od strane %s -TicketAssignedCustomerEmail=Vaš tiket je preuzet u obradu. -TicketAssignedCustomerBody=Ovo je automatska email potvrda da je Vaš tiket uzet u obradu -MarkMessageAsPrivate=Označi poruku kao privatnu +MessageSuccessfullyAdded=Ticket added +TicketMessageSuccessfullyAdded=Message successfully added +TicketMessagesList=Message list +NoMsgForThisTicket=No message for this ticket +TicketProperties=Classification +LatestNewTickets=Latest %s newest tickets (not read) +TicketSeverity=Severity +ShowTicket=See ticket +RelatedTickets=Related tickets +TicketAddIntervention=Create intervention +CloseTicket=Close|Solve +AbandonTicket=Abandon +CloseATicket=Close|Solve a ticket +ConfirmCloseAticket=Confirm ticket closing +ConfirmAbandonTicket=Do you confirm the closing of the ticket to status 'Abandonned' +ConfirmDeleteTicket=Please confirm ticket deleting +TicketDeletedSuccess=Ticket deleted with success +TicketMarkedAsClosed=Ticket marked as closed +TicketDurationAuto=Calculated duration +TicketDurationAutoInfos=Duration calculated automatically from intervention related +TicketUpdated=Ticket updated +SendMessageByEmail=Send message by email +TicketNewMessage=New message +ErrorMailRecipientIsEmptyForSendTicketMessage=Recipient is empty. No email send +TicketGoIntoContactTab=Please go into "Contacts" tab to select them +TicketMessageMailIntro=Message header +TicketMessageMailIntroHelp=This text is added only at the beginning of the email and will not be saved. +TicketMessageMailIntroText=Hello,
      A new answer has been added to a ticket that you follow. Here is the message:
      +TicketMessageMailIntroHelpAdmin=This text will be inserted before the answer when replying to a ticket from Dolibarr +TicketMessageMailFooter=Message footer +TicketMessageMailFooterHelp=This text is added only at the end of the message sent by email and will not be saved. +TicketMessageMailFooterText=Message sent by %s via Dolibarr +TicketMessageMailFooterHelpAdmin=This text will be inserted after the response message. +TicketMessageHelp=Only this text will be saved in the message list on ticket card. +TicketMessageSubstitutionReplacedByGenericValues=Substitutions variables are replaced by generic values. +ForEmailMessageWillBeCompletedWith=For email messages sent to external users, the message will be completed with +TimeElapsedSince=Time elapsed since +TicketTimeToRead=Time elapsed before read +TicketTimeElapsedBeforeSince=Time elapsed before / since +TicketContacts=Contacts ticket +TicketDocumentsLinked=Documents linked to ticket +ConfirmReOpenTicket=Confirm reopen this ticket ? +TicketMessageMailIntroAutoNewPublicMessage=A new message was posted on the ticket with the subject %s: +TicketAssignedToYou=Ticket assigned +TicketAssignedEmailBody=You have been assigned the ticket #%s by %s +TicketAssignedCustomerEmail=Your ticket has been assigned for processing. +TicketAssignedCustomerBody=This is an automatic email to confirm your ticket has been assigned for processing. +MarkMessageAsPrivate=Mark message as private TicketMessageSendEmailHelp=An email will be sent to all assigned contact TicketMessageSendEmailHelp2a=(internal contacts, but also external contacts except if the option "%s" is checked) TicketMessageSendEmailHelp2b=(internal contacts, but also external contacts) TicketMessagePrivateHelp=This message will not be visible to external users -TicketMessageRecipientsHelp=Polje primalaca popunjeno sa aktivnim kontaktima povezanim na tiket -TicketEmailOriginIssuer=Email izdavaoca tiketa -InitialMessage=Prva poruka: -LinkToAContract=Veza ka kontaktu -TicketPleaseSelectAContract=Odaberite kontakt -UnableToCreateInterIfNoSocid=Nije moguće napraviti intervenciju kada nije definisana Nezavisna kompanija -TicketMailExchanges=Zamena mailova -TicketInitialMessageModified=Prva poruka izmenjena: -TicketMessageSuccesfullyUpdated=Poruka uspešno ažurirana -TicketChangeStatus=Promeniti status -TicketConfirmChangeStatus=Potvrditi promenu statusa: %s ? -TicketLogStatusChanged=Status promenjen: %s na %s -TicketNotNotifyTiersAtCreate=Ne obaveštavati kompaniju prilikom kreiranja -NotifyThirdpartyOnTicketClosing=Kontakti za obaveštenje prilikom zatvaranja tiketa -TicketNotifyAllTiersAtClose=Svi povezani kontakti -TicketNotNotifyTiersAtClose=Nijedan povezani kontakt -Unread=Nepročitano -TicketNotCreatedFromPublicInterface=Nije dostupno. Tiket nije napravljen sa javnog interfejsa -ErrorTicketRefRequired=Referentno ime tiketa je obavezno -TicketsDelayForFirstResponseTooLong=Proteklo je previše vremena od otvaranja tiketa bez odgovora. -TicketsDelayFromLastResponseTooLong=Proteklo je previše vremena od poslednjeg odgovora na tiket. -TicketNoContractFoundToLink=Nijedan ugovor nije automatski povezan za ovaj tiket. Molimo pronađite ručno ugovor. -TicketManyContractsLinked=Više ugovora je automatski povezano sa ovim tiketom. Molimo proverite koji da bude odabran +TicketMessageRecipientsHelp=Recipient field completed with active contacts linked to the ticket +TicketEmailOriginIssuer=Issuer at origin of the tickets +InitialMessage=Initial Message +LinkToAContract=Link to a contract +TicketPleaseSelectAContract=Select a contract +UnableToCreateInterIfNoSocid=Can not create an intervention when no third party is defined +TicketMailExchanges=Mail exchanges +TicketInitialMessageModified=Initial message modified +TicketMessageSuccesfullyUpdated=Message successfully updated +TicketChangeStatus=Change status +TicketConfirmChangeStatus=Confirm the status change: %s ? +TicketLogStatusChanged=Status changed: %s to %s +TicketNotNotifyTiersAtCreate=Not notify company at create +NotifyThirdpartyOnTicketClosing=Contacts to notify while closing the ticket +TicketNotifyAllTiersAtClose=All related contacts +TicketNotNotifyTiersAtClose=No related contact +Unread=Unread +TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface. +ErrorTicketRefRequired=Ticket reference name is required +TicketsDelayForFirstResponseTooLong=Too much time elapsed since ticket opening without any answer. +TicketsDelayFromLastResponseTooLong=Too much time elapsed since last answer on this ticket. +TicketNoContractFoundToLink=No contract was found to be automatically linked to this ticket. Please link a contract manually. +TicketManyContractsLinked=Many contracts have been automatically linked to this ticket. Make sure to verify which should be chosen. TicketRefAlreadyUsed=The reference [%s] is already used, your new reference is [%s] # # Logs # -TicketLogMesgReadBy=Tiket %s je pročitan od strane %s -NoLogForThisTicket=Ne postoji log za ovaj tiket -TicketLogAssignedTo=Tiket %s dodeljen za %s -TicketLogPropertyChanged=Tiket %s promenjen: klasifikovan iz %s u %s -TicketLogClosedBy=Tiket %s zatvoren od %s -TicketLogReopen=Tiket %s ponovo otvoren +TicketLogMesgReadBy=Ticket %s read by %s +NoLogForThisTicket=No log for this ticket yet +TicketLogAssignedTo=Ticket %s assigned to %s +TicketLogPropertyChanged=Ticket %s modified: classification from %s to %s +TicketLogClosedBy=Ticket %s closed by %s +TicketLogReopen=Ticket %s re-open # # Public pages # -TicketSystem=Sistem tiketa -ShowListTicketWithTrackId=Prikaz liste tiketa preko ID za praćenje -ShowTicketWithTrackId=Prikaz tiketa preko ID za praćenje -TicketPublicDesc=Možete napraviti tiket za podršku ili izvršiti proveru postojećeg pomoću ID za praćenje -YourTicketSuccessfullySaved=Tiket je uspešno sačuvan! -MesgInfosPublicTicketCreatedWithTrackId=Novi tiket je napravljen sa ID %s i Ref %s. -PleaseRememberThisId=Molimo sačuvajte broj za praćenje jer ćemo Vam možda zatražiti kasnije -TicketNewEmailSubject=Potvrda pravljenja tiketa - Ref %s (javni ID tiketa %s) -TicketNewEmailSubjectCustomer=Novi tiket podrške -TicketNewEmailBody=Ovo je automatska email potvrda da smo registrovali novi tiket -TicketNewEmailBodyCustomer=Ovo je automatska email potvrda da je novi tiket upravo napravljen za vaš nalog. -TicketNewEmailBodyInfosTicket=Informacija za monitoring tiketa -TicketNewEmailBodyInfosTrackId=ID za praćenje tiketa: %s -TicketNewEmailBodyInfosTrackUrl=Možete pratiti progres rešavanja Vašeg tiketa klikom priloženi link. -TicketNewEmailBodyInfosTrackUrlCustomer=Možete pratiti progres rešavanja Vašeg tiketa u specifičnom interfejsu klikom na priloženi link. -TicketCloseEmailBodyInfosTrackUrlCustomer=Možete proveriti istoriju ovog tiketa klikom na priloženi link. -TicketEmailPleaseDoNotReplyToThisEmail=Molimo ne odgovarajte direktno na ovaj email! Koristite link za odgovor unutar interfejsa tiketa. -TicketPublicInfoCreateTicket=Ova forma Vam omogućava da sačuvate tiket za podršku u našem sistemu. -TicketPublicPleaseBeAccuratelyDescribe=Molimo da precizno i detaljno opišete problem. Obezbedite što je više moguće informacija da bi pravilno identifikovali Vaš zahtev. -TicketPublicMsgViewLogIn=Unesite ID za praćenje tiketa -TicketTrackId=Javni ID za praćenje -OneOfTicketTrackId=Jedan od Vaših ID za praćenje -ErrorTicketNotFound=Tiket sa ID za praćenje %s nije pronađen! -Subject=Objekat/Naziv projekta -ViewTicket=Pregled tiketa -ViewMyTicketList=Pregled moje liste tiketa -ErrorEmailMustExistToCreateTicket=Greška: email adresa nije pronađena u bazi -TicketNewEmailSubjectAdmin=Novi tiket je izdat - Ref %s (javni ID za praćenje %s) -TicketNewEmailBodyAdmin=

      Tiket je upravo izrađen sa ID #%s, pogledajte informacije:

      -SeeThisTicketIntomanagementInterface=Pregled tiketa u upravljačkom interfejsu -TicketPublicInterfaceForbidden=Javni interfejs za tiket nije omogućen -ErrorEmailOrTrackingInvalid=Loša vrednost ID za praćenje ili email-a -OldUser=Stari korisnik -NewUser=Novi korisnik -NumberOfTicketsByMonth=Broj tiketa po mesecu -NbOfTickets=Broj tiketa +TicketSystem=Ticket system +ShowListTicketWithTrackId=Display ticket list from track ID +ShowTicketWithTrackId=Display ticket from track ID +TicketPublicDesc=You can create a support ticket or check from an existing ID. +YourTicketSuccessfullySaved=Ticket has been successfully saved! +MesgInfosPublicTicketCreatedWithTrackId=A new ticket has been created with ID %s and Ref %s. +PleaseRememberThisId=Please keep the tracking number that we might ask you later. +TicketNewEmailSubject=Ticket creation confirmation - Ref %s (public ticket ID %s) +TicketNewEmailSubjectCustomer=New support ticket +TicketNewEmailBody=This is an automatic email to confirm you have registered a new ticket. +TicketNewEmailBodyCustomer=This is an automatic email to confirm a new ticket has just been created into your account. +TicketNewEmailBodyInfosTicket=Information for monitoring the ticket +TicketNewEmailBodyInfosTrackId=Ticket tracking number: %s +TicketNewEmailBodyInfosTrackUrl=You can view the progress of the ticket by clicking the following link +TicketNewEmailBodyInfosTrackUrlCustomer=You can view the progress of the ticket in the specific interface by clicking the following link +TicketCloseEmailBodyInfosTrackUrlCustomer=You can consult the history of this ticket by clicking the following link +TicketEmailPleaseDoNotReplyToThisEmail=Please do not reply directly to this email! Use the link to reply into the interface. +TicketPublicInfoCreateTicket=This form allows you to record a support ticket in our management system. +TicketPublicPleaseBeAccuratelyDescribe=Please accurately describe your request. Provide the most information possible to allow us to correctly identify your request. +TicketPublicMsgViewLogIn=Please enter ticket tracking ID +TicketTrackId=Public Tracking ID +OneOfTicketTrackId=One of your tracking ID +ErrorTicketNotFound=Ticket with tracking ID %s not found! +Subject=Subject +ViewTicket=View ticket +ViewMyTicketList=View my ticket list +ErrorEmailMustExistToCreateTicket=Error: email address not found in our database +TicketNewEmailSubjectAdmin=New ticket created - Ref %s (public ticket ID %s) +TicketNewEmailBodyAdmin=

      Ticket has just been created with ID #%s, see information:

      +SeeThisTicketIntomanagementInterface=See ticket in management interface +TicketPublicInterfaceForbidden=The public interface for the tickets was not enabled +ErrorEmailOrTrackingInvalid=Bad value for tracking ID or email +OldUser=Old user +NewUser=New user +NumberOfTicketsByMonth=Number of tickets per month +NbOfTickets=Number of tickets ExternalContributors=External contributors AddContributor=Add external contributor # notifications -TicketCloseEmailSubjectCustomer=Tiket zatvoren -TicketCloseEmailBodyCustomer=Ovo je automatska poruka da je tiket %s upravo zatvoren. -TicketCloseEmailSubjectAdmin=Tiket zatvoren - Réf %s (javni tiket ID %s) -TicketCloseEmailBodyAdmin=Tiket sa ID #%s je upravo zatvoren, videti informacije: -TicketNotificationEmailSubject=Tiket %s ažuriran -TicketNotificationEmailBody=Ovo je automatska poruka da je tiket %s upravo ažuriran -TicketNotificationRecipient=Primalac obaveštenja -TicketNotificationLogMessage=Log poruka -TicketNotificationEmailBodyInfosTrackUrlinternal=Pregled tiket info interfejsa -TicketNotificationNumberEmailSent=Poslat email sa obaveštenjem: %s +TicketCloseEmailSubjectCustomer=Ticket closed +TicketCloseEmailBodyCustomer=This is an automatic message to notify you that ticket %s has just been closed. +TicketCloseEmailSubjectAdmin=Ticket closed - Réf %s (public ticket ID %s) +TicketCloseEmailBodyAdmin=A ticket with ID #%s has just been closed, see information: +TicketNotificationEmailSubject=Ticket %s updated +TicketNotificationEmailBody=This is an automatic message to notify you that ticket %s has just been updated +TicketNotificationRecipient=Notification recipient +TicketNotificationLogMessage=Log message +TicketNotificationEmailBodyInfosTrackUrlinternal=View ticket into interface +TicketNotificationNumberEmailSent=Notification email sent: %s ActionsOnTicket=Events on ticket # # Boxes # -BoxLastTicket=Poslednji napravljen tiket -BoxLastTicketDescription=Poslednjih %s napravljenih tiketa +BoxLastTicket=Latest created tickets +BoxLastTicketDescription=Latest %s created tickets BoxLastTicketContent= -BoxLastTicketNoRecordedTickets=Nema skoro nepročitanih tiketa -BoxLastModifiedTicket=Poslednji ažurirani tiketi -BoxLastModifiedTicketDescription=Poslednjih %s ažuriranih tiketa +BoxLastTicketNoRecordedTickets=No recent unread tickets +BoxLastModifiedTicket=Latest modified tickets +BoxLastModifiedTicketDescription=Latest %s modified tickets BoxLastModifiedTicketContent= -BoxLastModifiedTicketNoRecordedTickets=Nema skoro ažuriranih tiketa -BoxTicketType=Raspored otvorenih tiketa po tipu -BoxTicketSeverity=Broj otvorenih tiketa po ozbiljnosti -BoxNoTicketSeverity=Nema otvorenih tiketa -BoxTicketLastXDays=Broj novih tiketa po danima u poslednjih %s dana -BoxTicketLastXDayswidget = Broj novih tiketa po danima u poslednjih X dana -BoxNoTicketLastXDays=Nema novih tiketa u poslednjih %s dana -BoxNumberOfTicketByDay=Broja novih tiketa po danima -BoxNewTicketVSClose=Broj tiketa u odnosu na zatvorene tikete (danas) -TicketCreatedToday=Tiket napravljen danas -TicketClosedToday=Tiket zatvoren danas -KMFoundForTicketGroup=Pronašli smo temu i FAQ koji može biti odgovor na Vaše pitanje. Molimo pogledajte ih pre nego što napravite novi tiket. +BoxLastModifiedTicketNoRecordedTickets=No recent modified tickets +BoxTicketType=Distribution of open tickets by type +BoxTicketSeverity=Number of open tickets by severity +BoxNoTicketSeverity=No tickets opened +BoxTicketLastXDays=Number of new tickets by days the last %s days +BoxTicketLastXDayswidget = Number of new tickets by days the last X days +BoxNoTicketLastXDays=No new tickets the last %s days +BoxNumberOfTicketByDay=Number of new tickets by day +BoxNewTicketVSClose=Number of tickets versus closed tickets (today) +TicketCreatedToday=Ticket created today +TicketClosedToday=Ticket closed today +KMFoundForTicketGroup=We found topics and FAQs that may answers your question, thanks to check them before submitting the ticket diff --git a/htdocs/langs/sr_RS/trips.lang b/htdocs/langs/sr_RS/trips.lang index d3516f086fe..f265f65bcc2 100644 --- a/htdocs/langs/sr_RS/trips.lang +++ b/htdocs/langs/sr_RS/trips.lang @@ -1,150 +1,152 @@ # Dolibarr language file - Source file is en_US - trips -ShowExpenseReport=Prikaži trošak -Trips=Troškovi -TripsAndExpenses=Troškovi -TripsAndExpensesStatistics=Statistike troškova -TripCard=Kartica troška -AddTrip=Kreiraj trošak -ListOfTrips=Lista troškova -ListOfFees=Lista honorara -TypeFees=Types of fees -ShowTrip=Prikaži trošak -NewTrip=Novi trošak -LastExpenseReports=Latest %s expense reports +AUTHOR=Recorded by +AUTHORPAIEMENT=Paid by +AddTrip=Create expense report +AllExpenseReport=All type of expense report AllExpenseReports=All expense reports +AnyOtherInThisListCanValidate=Person to be informed for validating the request. +AttachTheNewLineToTheDocument=Attach the line to an uploaded document +AucuneLigne=There is no expense report declared yet +BrouillonnerTrip=Move back expense report to status "Draft" +byEX_DAY=by day (limitation to %s) +byEX_EXP=by line (limitation to %s) +byEX_MON=by month (limitation to %s) +byEX_YEA=by year (limitation to %s) +CANCEL_USER=Deleted by +CarCategory=Vehicle category +ClassifyRefunded=Classify 'Refunded' CompanyVisited=Company/organization visited -FeesKilometersOrAmout=Broj kilometara -DeleteTrip=Obriši trošak +ConfirmBrouillonnerTrip=Are you sure you want to move this expense report to status "Draft"? +ConfirmCancelTrip=Are you sure you want to cancel this expense report? +ConfirmCloneExpenseReport=Are you sure you want to clone this expense report ? ConfirmDeleteTrip=Are you sure you want to delete this expense report? -ListTripsAndExpenses=Lista troškova -ListToApprove=Čeka na odobrenje -ExpensesArea=Oblast troškova -ClassifyRefunded=Označi kao "Refundirano" -ExpenseReportWaitingForApproval=Novi trošak je poslat na odobrenje +ConfirmPaidTrip=Are you sure you want to change status of this expense report to "Paid"? +ConfirmRefuseTrip=Are you sure you want to deny this expense report? +ConfirmSaveTrip=Are you sure you want to validate this expense report? +ConfirmValideTrip=Are you sure you want to approve this expense report? +DATE_CANCEL=Cancellation date +DATE_PAIEMENT=Payment date +DATE_REFUS=Deny date +DATE_SAVE=Validation date +DefaultCategoryCar=Default transportation mode +DefaultRangeNumber=Default range number +DeleteTrip=Delete expense report +ErrorDoubleDeclaration=You have declared another expense report into a similar date range. +Error_EXPENSEREPORT_ADDON_NotDefined=Error, the rule for expense report numbering ref was not defined into setup of module 'Expense Report' +ExpenseRangeOffset=Offset amount: %s +expenseReportCatDisabled=Category disabled - see the c_exp_tax_cat dictionary +expenseReportCoef=Coefficient +expenseReportCoefUndefined=(value not defined) +expenseReportOffset=Offset +expenseReportPrintExample=offset + (d x coef) = %s +expenseReportRangeDisabled=Range disabled - see the c_exp_tax_range dictionary +expenseReportRangeFromTo=from %d to %d +expenseReportRangeMoreThan=more than %d +expenseReportTotalForFive=Example with d = 5 +ExpenseReportApplyTo=Apply to +ExpenseReportApproved=An expense report was approved +ExpenseReportApprovedMessage=The expense report %s was approved.
      - User: %s
      - Approved by: %s
      Click here to show the expense report: %s +ExpenseReportCanceled=An expense report was canceled +ExpenseReportCanceledMessage=The expense report %s was canceled.
      - User: %s
      - Canceled by: %s
      - Motive for cancellation: %s
      Click here to show the expense report: %s +ExpenseReportConstraintViolationError=Max amount exceeded (rule %s): %s is higher than %s (Exceeding forbidden) +ExpenseReportConstraintViolationWarning=Max amount exceeded (rule %s): %s is higher than %s (Exceeding authorized) +ExpenseReportDateEnd=Date end +ExpenseReportDateStart=Date start +ExpenseReportDomain=Domain to apply +ExpenseReportIkDesc=You can modify the calculation of kilometers expense by category and range who they are previously defined. d is the distance in kilometers +ExpenseReportLimitAmount=Max amount +ExpenseReportLimitOn=Limit on +ExpenseReportLine=Expense report line +ExpenseReportPaid=An expense report was paid +ExpenseReportPaidMessage=The expense report %s was paid.
      - User: %s
      - Paid by: %s
      Click here to show the expense report: %s +ExpenseReportPayment=Expense report payment +ExpenseReportRef=Ref. expense report +ExpenseReportRefused=An expense report was refused +ExpenseReportRefusedMessage=The expense report %s was refused.
      - User: %s
      - Refused by: %s
      - Motive for refusal: %s
      Click here to show the expense report: %s +ExpenseReportRestrictive=Exceeding forbidden +ExpenseReportRuleErrorOnSave=Error: %s +ExpenseReportRuleSave=Expense report rule saved +ExpenseReportRulesDesc=You can define max amount rules for expense reports. These rules will be applied when a new expense is added to an expense report +ExpenseReportWaitingForApproval=A new expense report has been submitted for approval ExpenseReportWaitingForApprovalMessage=A new expense report has been submitted and is waiting for approval.
      - User: %s
      - Period: %s
      Click here to validate: %s ExpenseReportWaitingForReApproval=An expense report has been submitted for re-approval ExpenseReportWaitingForReApprovalMessage=An expense report has been submitted and is waiting for re-approval.
      The %s, you refused to approve the expense report for this reason: %s.
      A new version has been proposed and waiting for your approval.
      - User: %s
      - Period: %s
      Click here to validate: %s -ExpenseReportApproved=An expense report was approved -ExpenseReportApprovedMessage=The expense report %s was approved.
      - User: %s
      - Approved by: %s
      Click here to show the expense report: %s -ExpenseReportRefused=An expense report was refused -ExpenseReportRefusedMessage=The expense report %s was refused.
      - User: %s
      - Refused by: %s
      - Motive for refusal: %s
      Click here to show the expense report: %s -ExpenseReportCanceled=An expense report was canceled -ExpenseReportCanceledMessage=The expense report %s was canceled.
      - User: %s
      - Canceled by: %s
      - Motive for cancellation: %s
      Click here to show the expense report: %s -ExpenseReportPaid=An expense report was paid -ExpenseReportPaidMessage=The expense report %s was paid.
      - User: %s
      - Paid by: %s
      Click here to show the expense report: %s -TripId=ID troška -AnyOtherInThisListCanValidate=Person to be informed for validating the request. -TripSociete=Informacije kompanije -TripNDF=Informacije o trošku -PDFStandardExpenseReports=Standardni template za generisanje PDF dokumenta o trošku -ExpenseReportLine=Linija troška -TF_OTHER=Ostalo -TF_TRIP=Prevoz -TF_LUNCH=Ručak -TF_METRO=Metro -TF_TRAIN=Voz -TF_BUS=Autobus -TF_CAR=Automobil -TF_PEAGE=Pauk -TF_ESSENCE=Gorivo -TF_HOTEL=Hotel -TF_TAXI=Taxi -EX_KME=Mileage costs -EX_FUE=Fuel CV -EX_HOT=Hotel -EX_PAR=Parking CV -EX_TOL=Toll CV -EX_TAX=Various Taxes -EX_IND=Indemnity transportation subscription -EX_SUM=Maintenance supply -EX_SUO=Office supplies -EX_CAR=Car rental -EX_DOC=Documentation -EX_CUR=Customers receiving -EX_OTR=Other receiving -EX_POS=Postage -EX_CAM=CV maintenance and repair -EX_EMM=Employees meal -EX_GUM=Guests meal -EX_BRE=Breakfast -EX_FUE_VP=Fuel PV -EX_TOL_VP=Toll PV -EX_PAR_VP=Parking PV -EX_CAM_VP=PV maintenance and repair -DefaultCategoryCar=Default transportation mode -DefaultRangeNumber=Default range number -UploadANewFileNow=Upload a new document now -Error_EXPENSEREPORT_ADDON_NotDefined=Error, the rule for expense report numbering ref was not defined into setup of module 'Expense Report' -ErrorDoubleDeclaration=Prijavili ste još jedan trošak u sličnom vremenskom periodu. -AucuneLigne=Nema prijavljenih troškova. -ModePaiement=Način plaćanja -VALIDATOR=Korisnik odgovoran za odobrenje -VALIDOR=Odobrio -AUTHOR=Snimio -AUTHORPAIEMENT=Platio -REFUSEUR=Odbio -CANCEL_USER=Obrisao -MOTIF_REFUS=Razlog -MOTIF_CANCEL=Razlog -DATE_REFUS=Datum odbijanja -DATE_SAVE=Datum odobrenja -DATE_CANCEL=Datum otkazivanja -DATE_PAIEMENT=Datum isplate -ExpenseReportRef=Ref. expense report -ValidateAndSubmit=Potvrdi i pošalji na odobrenje -ValidatedWaitingApproval=Potvrđeno (čeka odobrenje) -NOT_AUTHOR=Vi niste autor ovog troška. Operacija je otkazana. -ConfirmRefuseTrip=Are you sure you want to deny this expense report? -ValideTrip=Odobri trošak -ConfirmValideTrip=Are you sure you want to approve this expense report? -PaidTrip=Isplati trošak -ConfirmPaidTrip=Are you sure you want to change status of this expense report to "Paid"? -ConfirmCancelTrip=Are you sure you want to cancel this expense report? -BrouillonnerTrip=Vrati trošak u status "Draft" -ConfirmBrouillonnerTrip=Are you sure you want to move this expense report to status "Draft"? -SaveTrip=Odobri trošak -ConfirmSaveTrip=Are you sure you want to validate this expense report? -NoTripsToExportCSV=Nema troškova za ovaj period. -ExpenseReportPayment=Isplata troška -ExpenseReportsToApprove=Izveštaj trškova za odobrenje -ExpenseReportsToPay=Troškovi zaisplatu -ConfirmCloneExpenseReport=Are you sure you want to clone this expense report ? ExpenseReportsIk=Configuration of mileage charges ExpenseReportsRules=Expense report rules -ExpenseReportIkDesc=You can modify the calculation of kilometers expense by category and range who they are previously defined. d is the distance in kilometers -ExpenseReportRulesDesc=You can define max amount rules for expense reports. These rules will be applied when a new expense is added to an expense report -expenseReportOffset=Offset -expenseReportCoef=Coefficient -expenseReportTotalForFive=Example with d = 5 -expenseReportRangeFromTo=from %d to %d -expenseReportRangeMoreThan=more than %d -expenseReportCoefUndefined=(value not defined) -expenseReportCatDisabled=Category disabled - see the c_exp_tax_cat dictionary -expenseReportRangeDisabled=Range disabled - see the c_exp_tax_range dictionay -expenseReportPrintExample=offset + (d x coef) = %s -ExpenseReportApplyTo=Apply to -ExpenseReportDomain=Domain to apply -ExpenseReportLimitOn=Limit on -ExpenseReportDateStart=Početak -ExpenseReportDateEnd=Kraj -ExpenseReportLimitAmount=Max amount -ExpenseReportRestrictive=Exceeding forbidden -AllExpenseReport=All type of expense report -OnExpense=Expense line -ExpenseReportRuleSave=Expense report rule saved -ExpenseReportRuleErrorOnSave=Error: %s -RangeNum=Range %d -ExpenseReportConstraintViolationError=Max amount exceeded (rule %s): %s is higher than %s (Exceeding forbidden) -byEX_DAY=by day (limitation to %s) -byEX_MON=by month (limitation to %s) -byEX_YEA=by year (limitation to %s) -byEX_EXP=by line (limitation to %s) -ExpenseReportConstraintViolationWarning=Max amount exceeded (rule %s): %s is higher than %s (Exceeding authorized) +ExpenseReportsToApprove=Expense reports to approve +ExpenseReportsToPay=Expense reports to pay +ExpensesArea=Expense reports area +FeesKilometersOrAmout=Amount or kilometers +LastExpenseReports=Latest %s expense reports +ListOfFees=List of fees +ListOfTrips=List of expense reports +ListToApprove=Waiting for approval +ListTripsAndExpenses=List of expense reports +MOTIF_CANCEL=Reason +MOTIF_REFUS=Reason +ModePaiement=Payment mode +NewTrip=New expense report nolimitbyEX_DAY=by day (no limitation) +nolimitbyEX_EXP=by line (no limitation) nolimitbyEX_MON=by month (no limitation) nolimitbyEX_YEA=by year (no limitation) -nolimitbyEX_EXP=by line (no limitation) -CarCategory=Vehicle category -ExpenseRangeOffset=Offset amount: %s +NoTripsToExportCSV=No expense report to export for this period. +NOT_AUTHOR=You are not the author of this expense report. Operation canceled. +OnExpense=Expense line +PDFStandardExpenseReports=Standard template to generate a PDF document for expense report +PaidTrip=Pay an expense report +REFUSEUR=Denied by RangeIk=Mileage range -AttachTheNewLineToTheDocument=Attach the line to an uploaded document +RangeNum=Range %d +SaveTrip=Validate expense report +ShowExpenseReport=Show expense report +ShowTrip=Show expense report +TripCard=Expense report card +TripId=Id expense report +TripNDF=Information expense report +TripSociete=Information company +Trips=Expense reports +TripsAndExpenses=Expenses reports +TripsAndExpensesStatistics=Expense reports statistics +TypeFees=Types of fees +UploadANewFileNow=Upload a new document now +VALIDATOR=User responsible for approval +VALIDOR=Approved by +ValidateAndSubmit=Validate and submit for approval +ValidatedWaitingApproval=Validated (waiting for approval) +ValideTrip=Approve expense report + +## Dictionary +EX_BRE=Breakfast +EX_CAM=CV maintenance and repair +EX_CAM_VP=PV maintenance and repair +EX_CAR=Car rental +EX_CUR=Customers receiving +EX_DOC=Documentation +EX_EMM=Employees meal +EX_FUE=Fuel CV +EX_FUE_VP=Fuel PV +EX_GUM=Guests meal +EX_HOT=Hotel +EX_IND=Indemnity transportation subscription +EX_KME=Mileage costs +EX_OTR=Other receiving +EX_PAR=Parking CV +EX_PAR_VP=Parking PV +EX_POS=Postage +EX_SUM=Maintenance supply +EX_SUO=Office supplies +EX_TAX=Various Taxes +EX_TOL=Toll CV +EX_TOL_VP=Toll PV +TF_BUS=Bus +TF_CAR=Car +TF_ESSENCE=Fuel +TF_HOTEL=Hotel +TF_LUNCH=Lunch +TF_METRO=Metro +TF_OTHER=Other +TF_PEAGE=Toll +TF_TAXI=Taxi +TF_TRAIN=Train +TF_TRIP=Transportation diff --git a/htdocs/langs/sr_RS/users.lang b/htdocs/langs/sr_RS/users.lang index e0bc0cef257..c4695d86791 100644 --- a/htdocs/langs/sr_RS/users.lang +++ b/htdocs/langs/sr_RS/users.lang @@ -1,117 +1,117 @@ # Dolibarr language file - Source file is en_US - users HRMArea=HRM area -UserCard=Kartica korisnika -GroupCard=Kartica grupe -Permission=Pravo -Permissions=Prava -EditPassword=Izmeni lozinku -SendNewPassword=Regeneriši i pošalji lozinku +UserCard=User card +GroupCard=Group card +Permission=Permission +Permissions=Permissions +EditPassword=Edit password +SendNewPassword=Regenerate and send password SendNewPasswordLink=Send link to reset password -ReinitPassword=Regeneriši lozinku -PasswordChangedTo=Lozinka izmenjena u: %s +ReinitPassword=Regenerate password +PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s -GroupRights=Prava grupe -UserRights=Prava korisnika +GroupRights=Group permissions +UserRights=User permissions Credentials=Credentials UserGUISetup=User Display Setup -DisableUser=Deaktiviraj -DisableAUser=Deaktiviraj korisnika -DeleteUser=Obriši -DeleteAUser=Obriši korisnika -EnableAUser=Aktiviraj korisnika -DeleteGroup=Obriši -DeleteAGroup=iši grupu +DisableUser=Disable +DisableAUser=Disable a user +DeleteUser=Delete +DeleteAUser=Delete a user +EnableAUser=Enable a user +DeleteGroup=Delete +DeleteAGroup=Delete a group ConfirmDisableUser=Are you sure you want to disable user %s? ConfirmDeleteUser=Are you sure you want to delete user %s? ConfirmDeleteGroup=Are you sure you want to delete group %s? ConfirmEnableUser=Are you sure you want to enable user %s? ConfirmReinitPassword=Are you sure you want to generate a new password for user %s? ConfirmSendNewPassword=Are you sure you want to generate and send new password for user %s? -NewUser=Novi korisnik -CreateUser=Kreiraj korisnika -LoginNotDefined=Login nije definisan. -NameNotDefined=Ime nije definisano. -ListOfUsers=Lista korisnika -SuperAdministrator=Super Administrator -SuperAdministratorDesc=Globalni administrator -AdministratorDesc=Administrator +NewUser=New user +CreateUser=Create user +LoginNotDefined=Login is not defined. +NameNotDefined=Name is not defined. +ListOfUsers=List of users +SuperAdministrator=Multicompany Administrator +SuperAdministratorDesc=Multicompany system administrator (can change setup and users) DefaultRights=Default Permissions DefaultRightsDesc=Define here the default permissions that are automatically granted to a new user (to modify permissions for existing users, go to the user card). -DolibarrUsers=Dolibarr korisnici -LastName=Prezime -FirstName=Ime -ListOfGroups=Lista grupa -NewGroup=Nova grupa -CreateGroup=Kreiraj grupu -RemoveFromGroup=Izbaci iz grupe -PasswordChangedAndSentTo=Lozinka izmenjena i poslata na %s. +DolibarrUsers=Dolibarr users +LastName=Last name +FirstName=First name +ListOfGroups=List of groups +NewGroup=New group +CreateGroup=Create group +RemoveFromGroup=Remove from group +PasswordChangedAndSentTo=Password changed and sent to %s. PasswordChangeRequest=Request to change password for %s -PasswordChangeRequestSent=Zahtev za izmenu lozinke za %s je poslat %s. +PasswordChangeRequestSent=Request to change password for %s sent to %s. IfLoginExistPasswordRequestSent=If this login is a valid account (with a valid email), an email to reset password has been sent. IfEmailExistPasswordRequestSent=If this email is a valid account, an email to reset password has been sent (remember to check your SPAM folder if you do not receive anything) ConfirmPasswordReset=Confirm password reset -MenuUsersAndGroups=Korisnici & Grupe +MenuUsersAndGroups=Users & Groups LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created -ShowGroup=Prikaži grupu -ShowUser=Prikaži korisnika -NonAffectedUsers=Nedodeljeni korisnici -UserModified=Korisnik je uspešno izmenjen -PhotoFile=Photo fajl -ListOfUsersInGroup=Lista korisnika u ovoj grupi -ListOfGroupsForUser=Lista grupa za ovog korisnika -LinkToCompanyContact=Link ka subjektu / kontaktu -LinkedToDolibarrMember=Link ka članu +ShowGroup=Show group +ShowUser=Show user +NonAffectedUsers=Non assigned users +UserModified=User modified successfully +PhotoFile=Photo file +ListOfUsersInGroup=List of users in this group +ListOfGroupsForUser=List of groups for this user +LinkToCompanyContact=Link to third party / contact +LinkedToDolibarrMember=Link to member LinkedToDolibarrUser=Link to user LinkedToDolibarrThirdParty=Link to third party -CreateDolibarrLogin=Kreiraj korisnika -CreateDolibarrThirdParty=Kreiraj subjekat +CreateDolibarrLogin=Create a user +CreateDolibarrThirdParty=Create a third party LoginAccountDisableInDolibarr=Account disabled in Dolibarr PASSWORDInDolibarr=Password modified in Dolibarr -UsePersonalValue=Upotrebi lićnu vrednost +UsePersonalValue=Use personal value ExportDataset_user_1=Users and their properties -DomainUser=Korisnik domena %s -Reactivate=Reaktiviraj +DomainUser=Domain user %s +Reactivate=Reactivate CreateInternalUserDesc=This form allows you to create an internal user in your company/organization. To create an external user (customer, vendor etc. ..), use the button 'Create Dolibarr User' from that third-party's contact card. InternalExternalDesc=An internal user is a user that is part of your company/organization, or is a partner user outside of your organization that may need to see more data than data related to his company (the permission system will define what he can or can't see or do).
      An external user is a customer, vendor or other that must view ONLY data related to himself (Creating an external user for a third-party can be done from the contact record of the third-party).

      In both cases, you must grant permissions on the features that the user need. -PermissionInheritedFromAGroup=Prava su dodeljena jer su nasleđena od jedne od korisnikovih grupa. -Inherited=Nasleđeno +PermissionInheritedFromAGroup=Permission granted because inherited from one of a user's group. +Inherited=Inherited UserWillBe=Created user will be -UserWillBeInternalUser=Kreirani korisnik će biti interni korisnik (jer nije vezan za određeni subjekat) -UserWillBeExternalUser=Kreirani korisnik će biti eksterni (jer je vezan za određeni subjekat) -IdPhoneCaller=Id telefonskog poziva -NewUserCreated=Korisnik %s je kreiran -NewUserPassword=Izmena lozinke za %s +UserWillBeInternalUser=Created user will be an internal user (because not linked to a particular third party) +UserWillBeExternalUser=Created user will be an external user (because linked to a particular third party) +IdPhoneCaller=Id phone caller +NewUserCreated=User %s created +NewUserPassword=Password change for %s NewPasswordValidated=Your new password have been validated and must be used now to login. -EventUserModified=Korisnik %s je izmenjen -UserDisabled=Korisnik %s je deaktiviran -UserEnabled=Korisnik %s je aktiviran -UserDeleted=Korisnik %s je uklonjen -NewGroupCreated=Grupa %s je kreirana -GroupModified=Grupa %s je izmenjena -GroupDeleted=Grupa %s je uklonjena +EventUserModified=User %s modified +UserDisabled=User %s disabled +UserEnabled=User %s activated +UserDeleted=User %s removed +NewGroupCreated=Group %s created +GroupModified=Group %s modified +GroupDeleted=Group %s removed ConfirmCreateContact=Are you sure you want to create a Dolibarr account for this contact? ConfirmCreateLogin=Are you sure you want to create a Dolibarr account for this member? ConfirmCreateThirdParty=Are you sure you want to create a third party for this member? -LoginToCreate=Login za kreiranje -NameToCreate=Ime subjekta za kreiranje -YourRole=Vaši profili -YourQuotaOfUsersIsReached=Vaša kvota aktivnih korisnika je dostignuta ! +LoginToCreate=Login to create +NameToCreate=Name of third party to create +YourRole=Your roles +YourQuotaOfUsersIsReached=Your quota of active users is reached ! NbOfUsers=Number of users NbOfPermissions=Number of permissions DontDowngradeSuperAdmin=Only another admin can downgrade an admin -HierarchicalResponsible=Supervizor -HierarchicView=Hijerarhijski prikaz -UseTypeFieldToChange=Koristi polje tip za promenu -OpenIDURL=OpenID UR -LoginUsingOpenID=Uloguj se sa OpenID-em +HierarchicalResponsible=Supervisor +HierarchicView=Hierarchical view +UseTypeFieldToChange=Use field Type to change +OpenIDURL=OpenID URL +LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) ExpectedWorkedHours=Expected hours worked per week -ColorUser=Boja korisnika -DisabledInMonoUserMode=Onemogućeno u modu održavanja +ColorUser=Color of the user +DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code -UserLogoff=User logout -UserLogged=User logged +UserLogoff=User logout: %s +UserLogged=User logged: %s +UserLoginFailed=User login failed: %s DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentStart=Employment Start Date @@ -120,10 +120,10 @@ RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator -ValidatorIsSupervisorByDefault=By default, the validator is the supervisor of the user. Keep empty to keep this behaviour. +ValidatorIsSupervisorByDefault=By default, the validator is the supervisor of the user. Keep empty to keep this behavior. UserPersonalEmail=Personal email UserPersonalMobile=Personal mobile phone -WarningNotLangOfInterface=Warning, this is the main language the user speak, not the language of the interface he choosed to see. To change the interface language visible by this user, go on tab %s +WarningNotLangOfInterface=Warning, this is the main language the user speak, not the language of the interface he chose to see. To change the interface language visible by this user, go on tab %s DateLastLogin=Date last login DatePreviousLogin=Date previous login IPLastLogin=IP last login @@ -132,3 +132,5 @@ ShowAllPerms=Show all permission rows HideAllPerms=Hide all permission rows UserPublicPageDesc=You can enable a virtual card for this user. An url with the user profile and a barcode will be available to allow anybody with a smartphone to scan it and add your contact to its address book. EnablePublicVirtualCard=Enable the user's virtual business card +UserEnabledDisabled=User status changed: %s +AlternativeEmailForOAuth2=Alternative Email for OAuth2 login diff --git a/htdocs/langs/sr_RS/website.lang b/htdocs/langs/sr_RS/website.lang index faa3a45a00c..3af40c06384 100644 --- a/htdocs/langs/sr_RS/website.lang +++ b/htdocs/langs/sr_RS/website.lang @@ -1,8 +1,8 @@ # Dolibarr language file - Source file is en_US - website -Shortname=Kod +Shortname=Code WebsiteName=Name of the website WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them. -DeleteWebsite=Obrisati Web Sajt +DeleteWebsite=Delete website ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGE_EXAMPLE=Web page to use as example @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Alternative page names/aliases WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) -WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_JS_INLINE=JavaScript file content (common to all pages) WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file @@ -25,13 +25,13 @@ EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header MediaFiles=Media library EditCss=Edit website properties EditMenu=Edit menu -EditMedias=Edit medias +EditMedias=Edit media EditPageMeta=Edit page/container properties EditInLine=Edit inline AddWebsite=Add website Webpage=Web page/container AddPage=Add page/container -PageContainer=Strana +PageContainer=Page PreviewOfSiteNotYetAvailable=The preview of your website %s is not yet available. You must first 'Import a full website template' or just 'Add a page/container'. RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this. SiteDeleted=Web site '%s' deleted @@ -50,7 +50,7 @@ ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setu YouCanAlsoTestWithPHPS=Use with PHP embedded server
      On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
      php -S 0.0.0.0:8080 -t %s YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
      If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org CheckVirtualHostPerms=Check also that the virtual host user (for example www-data) has %s permissions on files into
      %s -ReadPerm=Pročitaj +ReadPerm=Read WritePerm=Write TestDeployOnWeb=Test/deploy on web PreviewSiteServedByWebServer=Preview %s in a new tab.

      The %s will be served by an external web server (like Apache, Nginx, IIS). You must install and setup this server before to point to directory:
      %s
      URL served by external server:
      %s @@ -60,10 +60,11 @@ NoPageYet=No pages yet YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template SyntaxHelp=Help on specific syntax tips YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Clone page/container CloneSite=Clone site SiteAdded=Website added @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party YouMustDefineTheHomePage=You must first define the default Home page -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correclty when used on a grabbed external page. +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting JavaScript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correctty when used on a grabbed external page. OnlyEditionOfSourceForGrabbedContent=Only edition of HTML source is possible when content was grabbed from an external site GrabImagesInto=Grab also images found into css and page. ImagesShouldBeSavedInto=Images should be saved into directory @@ -112,13 +113,13 @@ GoTo=Go to DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? +DeleteAlsoJs=Delete also all JavaScript files specific to this website? +DeleteAlsoMedias=Delete also all media files specific to this website? MyWebsitePages=My website pages SearchReplaceInto=Search | Replace into ReplaceString=New string CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=Sample of a page with dynamic content ImportSite=Import website template EditInLineOnOff=Mode 'Edit inline' is %s @@ -157,6 +158,9 @@ Booking=Booking Reservation=Reservation PagesViewedPreviousMonth=Pages viewed (previous month) PagesViewedTotal=Pages viewed (total) -Visibility=Vidljivost +Visibility=Visibility Everyone=Everyone AssignedContacts=Assigned contacts +WebsiteTypeLabel=Type of Web site +WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/sr_RS/withdrawals.lang b/htdocs/langs/sr_RS/withdrawals.lang index 777f91ca2f7..8b9153c81cd 100644 --- a/htdocs/langs/sr_RS/withdrawals.lang +++ b/htdocs/langs/sr_RS/withdrawals.lang @@ -5,7 +5,7 @@ StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order NewPaymentByBankTransfer=New payment by credit transfer -StandingOrderToProcess=Za procesuiranje +StandingOrderToProcess=To process PaymentByBankTransferReceipts=Credit transfer orders PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders @@ -23,14 +23,14 @@ RequestStandingOrderToTreat=Requests for direct debit payment order to process RequestStandingOrderTreated=Requests for direct debit payment order processed RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process RequestPaymentsByBankTransferTreated=Requests for credit transfer processed -NotPossibleForThisStatusOfWithdrawReceiptORLine=Još nije moguće. Status podizanja mora biti podešen na "kreditiran" pre odbijanja određenih linija. +NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer -AmountToWithdraw=Svota za podizanje +AmountToWithdraw=Amount to withdraw AmountToTransfer=Amount to transfer NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. NoSupplierInvoiceToWithdraw=No supplier invoice with open '%s' is waiting. Go on tab '%s' on invoice card to make a request. @@ -39,7 +39,7 @@ WithdrawalsSetup=Direct debit payment setup CreditTransferSetup=Credit transfer setup WithdrawStatistics=Direct debit payment statistics CreditTransferStatistics=Credit transfer statistics -Rejects=Odbijeni +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request MakeWithdrawRequestStripe=Make a direct debit payment request via Stripe @@ -47,75 +47,78 @@ MakeBankTransferOrder=Make a credit transfer request WithdrawRequestsDone=%s direct debit payment requests recorded BankTransferRequestsDone=%s credit transfer requests recorded ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. -ClassCredited=Označi kreditirano +ClassCredited=Classify credited ClassDebited=Classify debited -ClassCreditedConfirm=Da li ste sigurni da želite da označite ovaj račun podizanja kao kreditiran na Vašem bankovnom računu ? -TransData=Datum prenosa -TransMetod=Način prenosa -Send=Pošalji -Lines=Linije +ClassCreditedConfirm=Are you sure you want to classify this withdrawal receipt as credited on your bank account? +TransData=Transmission date +TransMetod=Transmission method +Send=Send +Lines=Lines StandingOrderReject=Record a rejection WithdrawsRefused=Direct debit refused -WithdrawalRefused=Podizanje odbijeno +WithdrawalRefused=Withdrawal refused CreditTransfersRefused=Credit transfers refused -WithdrawalRefusedConfirm=Da li ste sigurni da želite da unesete odbijanje podizanja za kompaniju ? -RefusedData=Datum odbijanja -RefusedReason=Razlog odbijanja -RefusedInvoicing=Naplata odbijanja -NoInvoiceRefused=Ne naplatiti odbijanje -InvoiceRefused=Račun odbijen (naplati odbijanje klijentu) +WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society +RefusedData=Date of rejection +RefusedReason=Reason for rejection +RefusedInvoicing=Billing the rejection +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debit/credit -StatusWaiting=Na čekanju -StatusTrans=Poslat +StatusWaiting=Waiting +StatusTrans=Sent StatusDebited=Debited -StatusCredited=Kreditirano -StatusPaid=Plaćeno -StatusRefused=Odbijen -StatusMotif0=Neodređen -StatusMotif1=Nedovoljno sredstava -StatusMotif2=Primedba na zahtev uložena +StatusCredited=Credited +StatusPaid=Paid +StatusRefused=Refused +StatusMotif0=Unspecified +StatusMotif1=Insufficient funds +StatusMotif2=Request contested StatusMotif3=No direct debit payment order StatusMotif4=Sales Order -StatusMotif5=Neupotrebljiv IBAN -StatusMotif6=Nema sredstava na računu -StatusMotif7=Pravna odluka -StatusMotif8=Drugi razlog +StatusMotif5=RIB unusable +StatusMotif6=Account without balance +StatusMotif7=Judicial Decision +StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file CreateFileForPaymentByBankTransfer=Create file for credit transfer CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) -CreateGuichet=Samo kancelarija -CreateBanque=Samo banka -OrderWaiting=Čeka procesuiranje +CreateGuichet=Only office +CreateBanque=Only bank +OrderWaiting=Waiting for treatment NotifyTransmision=Record file transmission of order NotifyCredit=Record credit of order -NumeroNationalEmetter=Nacionalni Broj Pošiljaoca -WithBankUsingRIB=Za bankovne račune koji koriste RIB -WithBankUsingBANBIC=Za bankovne račune koji koriste IBAN/BIC/SWIFT +NumeroNationalEmetter=National Transmitter Number +WithBankUsingRIB=For bank accounts using RIB +WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account BankToPayCreditTransfer=Bank Account used as source of payments -CreditDate=Kreditiraj na -WithdrawalFileNotCapable=Nemoguće generisati račun podizanja za Vašu zemlju %s (Vaša zemlja nije podržana) +CreditDate=Credit on +WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Debit order file CreditTransferFile=Credit transfer file -SetToStatusSent=Podesi status "Fajl poslat" +SetToStatusSent=Set to status "File Sent" ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null -StatisticsByLineStatus=Statistike po statusu linija +StatisticsByLineStatus=Statistics by status of lines RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Amount of Direct debit request: BankTransferAmount=Amount of Credit Transfer request: WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Your Bank Account Name (IBAN) SEPAFormYourBIC=Your Bank Identifier Code (BIC) SEPAFrstOrRecur=Type of payment ModeRECUR=Recurring payment +ModeRCUR=Recurring payment ModeFRST=One-off payment PleaseCheckOne=Please check one only CreditTransferOrderCreated=Credit transfer order %s created @@ -151,13 +155,20 @@ InfoCreditSubject=Payment of direct debit payment order %s by the bank InfoCreditMessage=The direct debit payment order %s has been paid by the bank
      Data of payment: %s InfoTransSubject=Transmission of direct debit payment order %s to bank InfoTransMessage=The direct debit payment order %s has been sent to bank by %s %s.

      -InfoTransData=Svota: %s
      Način: %s
      Datum: %s +InfoTransData=Amount: %s
      Method: %s
      Date: %s InfoRejectSubject=Direct debit payment order refused InfoRejectMessage=Hello,

      the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

      --
      %s -ModeWarning=Opcija za realni mod nije podešena, prekidamo posle ove simulacije. -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. +ModeWarning=Option for real mode was not set, we stop after this simulation +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Missing ICS in Bank account %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Salary +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/sr_RS/workflow.lang b/htdocs/langs/sr_RS/workflow.lang index 4790c0b9b5e..4f8a9fb25ac 100644 --- a/htdocs/langs/sr_RS/workflow.lang +++ b/htdocs/langs/sr_RS/workflow.lang @@ -1,26 +1,38 @@ # Dolibarr language file - Source file is en_US - workflow -WorkflowSetup=Podešavanja modula Workflow +WorkflowSetup=Workflow module setup WorkflowDesc=This module provides some automatic actions. By default, the workflow is open (you can do things in the order you want) but here you can activate some automatic actions. -ThereIsNoWorkflowToModify=Nema mogućih izmena workflow-a u aktiviranim modulima. +ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules. # Autocreate descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a sales order after a commercial proposal is signed (the new order will have same amount as the proposal) descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Automatically create a customer invoice after a commercial proposal is signed (the new invoice will have same amount as the proposal) -descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automatski kreiraj fakturu klijenta posle potvrde ugovora +descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automatically create a customer invoice after a contract is validated descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automatically create a customer invoice after a sales order is closed (the new invoice will have same amount as the order) +descWORKFLOW_TICKET_CREATE_INTERVENTION=On ticket creation, automatically create an intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales order as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classify linked source sales order as shipped when a shipment is closed (and if the quantity shipped by all shipments is the same as in the order to update) +# Autoclassify purchase proposal +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classify linked source purchase order as received when a reception is validated (and if the quantity received by all receptions is the same as in the purchase order to update) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classify linked source purchase order as received when a reception is closed (and if the quantity received by all rceptions is the same as in the purchase order to update) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Automatically link ticket to contract +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties +descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=When linking contracts, search among those of parents companies # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed -AutomaticCreation=Automatsko kriranje -AutomaticClassification=Automatsko klasifikovanje -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated +AutomaticCreation=Automatic creation +AutomaticClassification=Automatic classification +AutomaticClosing=Automatic closing +AutomaticLinking=Automatic linking diff --git a/htdocs/langs/sv_SE/accountancy.lang b/htdocs/langs/sv_SE/accountancy.lang index ae529dee7d1..b66f8f8249b 100644 --- a/htdocs/langs/sv_SE/accountancy.lang +++ b/htdocs/langs/sv_SE/accountancy.lang @@ -16,8 +16,8 @@ ThisService=Denna tjänst ThisProduct=Denna produkt DefaultForService=Standard för tjänster DefaultForProduct=Standard för produkter -ProductForThisThirdparty=Produkt för denna tredjepart -ServiceForThisThirdparty=Tjänst för denna tredjepart +ProductForThisThirdparty=Produkt för denna tredje part +ServiceForThisThirdparty=Tjänst för denna tredje part CantSuggest=Kan inte föreslå AccountancySetupDoneFromAccountancyMenu=De flesta inställningarna för bokföringen görs från menyn %s ConfigAccountingExpert=Konfiguration av modulredovisningen (dubbel inmatning) @@ -38,10 +38,10 @@ DeleteCptCategory=Ta bort redovisningskontot från gruppen ConfirmDeleteCptCategory=Är du säker på att du vill ta bort det här kontot konto från kontokoncernen? JournalizationInLedgerStatus=Status för bokföring AlreadyInGeneralLedger=Redan överfört till redovisningsjournaler och reskontra -NotYetInGeneralLedger=Ännu inte överfört till redovisningsjournaler och reskontra +NotYetInGeneralLedger=Ännu ej överfört till redovisningsjournaler och reskontra GroupIsEmptyCheckSetup=Gruppen är tom, kontrollera inställningen av den personliga redovisningsgruppen DetailByAccount=Visa detaljer efter konto -DetailBy=Detail by +DetailBy=Detalj av AccountWithNonZeroValues=Konton med icke-nollvärden ListOfAccounts=Förteckning över konton CountriesInEEC=Länder i EEG @@ -52,31 +52,30 @@ AccountantFiles=Exportera källdokument ExportAccountingSourceDocHelp=Med det här verktyget kan du söka och exportera källhändelserna som används för att skapa din bokföring.
      Den exporterade ZIP-filen kommer att innehålla listor över begärda objekt i CSV, såväl som deras bifogade filer i originalformat (PDF, ODT, DOCX...). ExportAccountingSourceDocHelp2=För att exportera verifikationer, använd menyn %s - %s ExportAccountingProjectHelp=Ange ett projekt om du behöver en redovisningsrapport endast för ett specifikt projekt. Kostnadsredovisningar och lånebetalningar ingår inte i projektredovisningar. -ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +ExportAccountancy=Exportredovisning +WarningDataDisappearsWhenDataIsExported=Varning, den här listan innehåller endast de redovisningsposter som inte redan har exporterats (exportdatumet är tomt). Om du vill inkludera de redan exporterade bokföringsposterna klickar du på knappen ovan. VueByAccountAccounting=Visa baserat på redovisningskonto VueBySubAccountAccounting=Visa efter redovisning av underkonto -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup +MainAccountForCustomersNotDefined=Huvudkonto (från kontoplanen) för kunder som inte definierats i konfigurationen +MainAccountForSuppliersNotDefined=Huvudkonto (från kontoplanen) för leverantörer som inte definierats i inställningen +MainAccountForUsersNotDefined=Huvudkonto (från kontoplanen) för användare som inte definierats i inställningen +MainAccountForVatPaymentNotDefined=Konto (från kontoplanen) för momsbetalning som inte definierats i inställningen +MainAccountForSubscriptionPaymentNotDefined=Konto (från kontoplanen) för medlemsbetalning som inte definierats i inställningen +MainAccountForRetainedWarrantyNotDefined=Konto (från kontoplanen) för den bibehållna garantin som inte definieras i inställningen UserAccountNotDefined=Redovisningskonto för användare är inte definierat i konfigurationen AccountancyArea=Redovisningsområde AccountancyAreaDescIntro=Användningen av bokföringsmodulen görs i flera steg: AccountancyAreaDescActionOnce=Följande åtgärder utförs vanligtvis en gång bara, eller en gång per år ... -AccountancyAreaDescActionOnceBis=Nästa steg bör göras för att spara tid i framtiden genom att föreslå att du automatiskt använder rätt standardkonto när du överför data i bokföring +AccountancyAreaDescActionOnceBis=Nästa steg bör göras för att spara tid i framtiden genom att föreslå dig automatiskt rätt standardkonto när du överför data i bokföring AccountancyAreaDescActionFreq=Följande åtgärder utförs vanligtvis varje månad, vecka eller dag för mycket stora företag ... AccountancyAreaDescJournalSetup=STEG %s: Kontrollera innehållet i din tidskriftslista från menyn %s AccountancyAreaDescChartModel=STEG %s: Kontrollera att det finns en kontodiagrammodell eller skapa en från menyn %s AccountancyAreaDescChart=STEG %s: Välj och | eller slutför ditt kontoplan från meny %s +AccountancyAreaDescFiscalPeriod=STEG %s: Definiera ett räkenskapsår som standard för att integrera dina redovisningsposter. För detta, använd menyposten %s. AccountancyAreaDescVat=STEG %s: Definiera redovisningskonton för varje moms. För detta, använd menyinmatningen %s. AccountancyAreaDescDefault=STEG %s: Definiera standardbokföringskonton. För detta, använd menyinmatningen %s. AccountancyAreaDescExpenseReport=STEG %s: Definiera standardkonton för varje typ av utgiftsrapport. Använd menyposten %s för detta. @@ -84,19 +83,20 @@ AccountancyAreaDescSal=STEG %s: Definiera standardbokföringskonto för betalnin AccountancyAreaDescContrib=STEG %s: Definiera standardkonton för skatter (särskilda utgifter). För detta, använd menyposten %s. AccountancyAreaDescDonation=STEG %s: Definiera standardbokföringskonto för donation. För detta, använd menyinmatningen %s. AccountancyAreaDescSubscription=STEG %s: Definiera standardbokföringskonto för medlemsabonnemang. För detta, använd menyinmatningen %s. -AccountancyAreaDescMisc=STEG %s: Ange obligatoriskt standardkonto och standardbokföringskonto för diverse transaktioner. För detta, använd menyinmatningen %s. +AccountancyAreaDescMisc=STEG %s: Definiera obligatoriska standardkonton och standardkonton för diverse transaktioner. För detta, använd menyposten %s. AccountancyAreaDescLoan=STEG %s: Definiera standardbokföringskonto för lån. För detta, använd menyinmatningen %s. AccountancyAreaDescBank=STEG %s: Definiera bokföringskonto och kontokod för varje bank- och bokföringskonto. För detta, använd menyinmatningen %s. AccountancyAreaDescProd=STEG %s: Definiera bokföringskonton på dina produkter/tjänster. För detta, använd menyposten %s. AccountancyAreaDescBind=STEG %s: Kontrollera bindningen mellan befintliga %s linjer och bokföringskonto är klar så att applikationen kommer att kunna bokföra transaktioner i huvudboken med ett klick. Korrigera saknade bindningar. För detta, använd menyinmatningen %s. AccountancyAreaDescWriteRecords=STEG %s: Skriv transaktioner i huvudboken. För detta, gå till menyn %s , och klicka på knappen %s . -AccountancyAreaDescAnalyze=STEG %s: Lägg till eller redigera befintliga transaktioner och generera rapporter och export. - -AccountancyAreaDescClosePeriod=STEG %s: Stäng period så vi kan inte göra ändringar i framtiden. +AccountancyAreaDescAnalyze=STEP %s: Read reportings or generate export files for other bookkeepers. +AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't transfer anymore data in the same period in a future. +TheFiscalPeriodIsNotDefined=Ett obligatoriskt steg i installationen har inte slutförts (räkenskapsperioden är inte definierad) TheJournalCodeIsNotDefinedOnSomeBankAccount=Ett obligatoriskt steg i installationen har inte slutförts (bokföringskodjournal definieras inte för alla bankkonton) Selectchartofaccounts=Välj aktivt diagram över konton +CurrentChartOfAccount=Current active chart of account ChangeAndLoad=Ändra och ladda Addanaccount=Lägg till ett redovisningskonto AccountAccounting=Redovisningskonto @@ -118,7 +118,7 @@ MenuLoanAccounts=Lån konton MenuProductsAccounts=Produktkonton MenuClosureAccounts=Avslutande konton MenuAccountancyClosure=Stängning -MenuExportAccountancy=Export accountancy +MenuExportAccountancy=Exportredovisning MenuAccountancyValidationMovements=Validera rörelser ProductsBinding=Produkter konton TransferInAccounting=Överföring i bokföring @@ -171,8 +171,8 @@ ACCOUNTING_MANAGE_ZERO=Tillåt att hantera olika antal nollor i slutet av ett bo BANK_DISABLE_DIRECT_INPUT=Inaktivera direktinspelning av transaktion i bankkonto ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Aktivera utkastexport på loggbok ACCOUNTANCY_COMBO_FOR_AUX=Aktivera kombinationslista för dotterbolagskonto (kan vara långsam om du har många tredje parter, bryter förmågan att söka efter en del av värdet) -ACCOUNTING_DATE_START_BINDING=Definiera ett datum för att börja binda och överföra i bokföring. Under detta datum överförs inte transaktionerna till bokföring. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Vid bokföringsöverföring, vilken period är vald som standard +ACCOUNTING_DATE_START_BINDING=Inaktivera bindning och överföring i bokföring när datumet är under detta datum (transaktionerna före detta datum kommer att exkluderas som standard) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=På sidan för att överföra data till bokföring, vilken period är vald som standard ACCOUNTING_SELL_JOURNAL=Försäljningsjournal - försäljning och returer ACCOUNTING_PURCHASE_JOURNAL=Inköpsjournal - köp och returer @@ -186,6 +186,8 @@ ACCOUNTING_SOCIAL_JOURNAL=Socialloggbok ACCOUNTING_RESULT_PROFIT=Resultaträkningskonto (vinst) ACCOUNTING_RESULT_LOSS=Resultaträkningskonto (förlust) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Loggbok för stängning +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Redovisningsgrupper som används för balanskontot (avgränsade med komma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Redovisningsgrupper som används för resultaträkningen (avgränsade med komma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Konto (från kontoplanen) som ska användas som konto för övergångsbanköverföringar TransitionalAccount=Övergångsbanköverföringskonto @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Se här listan över rader av fakturakunder och deras pro DescVentilTodoCustomer=Bind fakturarader som inte redan är bundna till ett produktkonto från kontoplan ChangeAccount=Ändra produkt-/tjänstkonto (från kontoplan) för de valda raderna med följande konto: Vide=- -DescVentilSupplier=Se här listan över leverantörsfakturarader bundna eller ännu inte bundna till ett produktkonto från kontoplan (endast post som inte redan överförts i bokföringen är synlig) +DescVentilSupplier=Se här listan över leverantörsfakturarader som är bundna eller ännu inte bundna till ett produktkonto från kontoplan (endast post som inte redan överförts i bokföringen är synlig) DescVentilDoneSupplier=Här kan du se listan över leverantörsfakturor och deras bokföringskonto DescVentilTodoExpenseReport=Förbinda utläggsrapportsrader som inte redan är bundna med ett konto i bokföringen DescVentilExpenseReport=Här kan du se listan över kostnadsrapporter som är bundna (eller inte) till ett avgiftsredovisningskonto @@ -298,11 +300,11 @@ DescVentilExpenseReportMore=Om du ställer in bokföringskonto på typ av kostna DescVentilDoneExpenseReport=Här kan du se listan över raderna för kostnadsrapporter och deras bokföringskonto Closure=Årlig nedläggning -DescClosure=Se här antalet rörelser per månad som ännu inte har validerats och låst +AccountancyClosureStep1Desc=Se här antalet rörelser per månad som ännu inte har validerats och låst OverviewOfMovementsNotValidated=Översikt över rörelser som inte är validerade och låsta AllMovementsWereRecordedAsValidated=Alla rörelser registrerades som validerade och låsta NotAllMovementsCouldBeRecordedAsValidated=Alla rörelser kunde inte registreras som validerade och låsta -ValidateMovements=Validate and lock movements +ValidateMovements=Validera och låsa rörelser DescValidateMovements=Alla ändringar eller raderingar av skrift, bokstäver och raderingar är förbjudna. Alla bidrag till en övning måste valideras, annars är det inte möjligt att stänga ValidateHistory=Förbind automatiskt @@ -341,7 +343,7 @@ AccountingJournalType3=Inköp AccountingJournalType4=Bank AccountingJournalType5=Räkningar AccountingJournalType8=Lager -AccountingJournalType9=Har nya +AccountingJournalType9=Balanserad vinst GenerationOfAccountingEntries=Generering av bokföringsposter ErrorAccountingJournalIsAlreadyUse=Denna loggboken används redan AccountingAccountForSalesTaxAreDefinedInto=Obs! Bokföringskonto för försäljningsskatt definieras i menyn %s - %s @@ -351,18 +353,20 @@ ACCOUNTING_DISABLE_BINDING_ON_SALES=Inaktivera bindning och överföring av bokf ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Inaktivera bindning och överföring av bokföring vid köp (leverantörsfakturor kommer inte att beaktas vid redovisning) ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Inaktivera bindning och överföring i bokföring på kostnadsrapporter (kostnadsrapporter kommer inte att beaktas vid redovisning) ACCOUNTING_ENABLE_LETTERING=Aktivera bokstäverfunktionen i bokföringen -ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. +ACCOUNTING_ENABLE_LETTERING_DESC=När detta alternativ är aktiverat kan du definiera en kod för varje bokföringspost så att du kan gruppera olika bokföringsrörelser. Tidigare, när olika tidskrifter hanterades oberoende, var denna funktion nödvändig för att gruppera rörelserader för olika tidskrifter tillsammans. Men med Dolibarr-bokföring, en sådan spårningskod, som heter "%s span>" sparas redan automatiskt, så en automatisk bokstäver är redan gjord, utan risk för fel så denna funktion har blivit värdelös för en vanlig användning. Manuell bokstäverfunktion tillhandahålls för slutanvändare som verkligen inte litar på datormotorn som gör överföringen av data i bokföring. +EnablingThisFeatureIsNotNecessary=Att aktivera den här funktionen är inte längre nödvändigt för en rigorös redovisningshantering. ACCOUNTING_ENABLE_AUTOLETTERING=Aktivera den automatiska bokstäverna vid överföring till bokföring -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user -OptionsAdvanced=Advanced options -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Koden för bokstäverna genereras automatiskt och inkrementeras och väljs inte av slutanvändaren +ACCOUNTING_LETTERING_NBLETTERS=Antal bokstäver vid generering av bokstäverkod (standard 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Vissa bokföringsprogram accepterar bara en tvåbokstavskod. Denna parameter låter dig ställa in denna aspekt. Standardantalet bokstäver är tre. +OptionsAdvanced=Avancerade alternativ +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Aktivera hanteringen av omvänd momsskyldighet på leverantörsköp +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=När det här alternativet är aktiverat kan du definiera att en leverantör eller en given leverantörsfaktura måste överföras till bokföring på annat sätt: En extra debitering och en kreditgräns kommer att genereras i bokföringen på 2 givna konton från kontoplanen som definieras i "%s" inställningssida. ## Export NotExportLettering=Exportera inte bokstäverna när filen genereras -NotifiedExportDate=Flag not yet exported lines as Exported (to modify a line flagged as exported, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries not yet already locked (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) +NotifiedExportDate=Flagga ännu inte exporterade rader som exporterade (för att ändra en rad som flaggats som exporterad måste du radera hela transaktionen och överföra den till bokföringen igen) +NotifiedValidationDate=Validera och lås de exporterade posterna som ännu inte redan är låsta (samma effekt som funktionen "%s", modifiering och radering av rader kommer DEFINITIVT inte att vara möjliga) NotifiedExportFull=Exportera dokument? DateValidationAndLock=Datumvalidering och lås ConfirmExportFile=Bekräftelse på generering av bokföringsexportfilen? @@ -394,7 +398,7 @@ ChartofaccountsId=Diagram över konton Id ## Tools - Init accounting account on product / service InitAccountancy=Initära bokföring InitAccountancyDesc=Den här sidan kan användas för att initiera ett konto på produkter och tjänster som inte har ett kontokonto definierat för försäljning och inköp. -DefaultBindingDesc=This page can be used to set the default accounts (from the chart of account) to use to link business objects with an account, like payment salaries, donation, taxes and VAT, when no specific account were already set. +DefaultBindingDesc=Den här sidan kan användas för att ställa in standardkonton (från kontoplanen) som ska användas för att länka affärsobjekt med ett konto, som betalningslöner, donationer, skatter och moms, när inget specifikt konto redan var inställt. DefaultClosureDesc=Denna sida kan användas för att ställa in parametrar som används för bokslut. Options=alternativ OptionModeProductSell=Mode försäljning @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Ingen avstämning har modifierats AccountancyOneUnletteringModifiedSuccessfully=En avstämning har modifierats AccountancyUnletteringModifiedSuccessfully=%s unreconcile har modifierats +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period +AccountancyClosureStep3=Steg 3: Extrahera poster (valfritt) +AccountancyClosureClose=Stäng räkenskapsperioden +AccountancyClosureAccountingReversal=Extrahera och registrera "Retained Earnings"-poster +AccountancyClosureStep3NewFiscalPeriod=Nästa räkenskapsperiod +AccountancyClosureGenerateClosureBookkeepingRecords=Generera "Behållna intäkter"-poster för nästa räkenskapsperiod +AccountancyClosureSeparateAuxiliaryAccounts=När du genererar "Retained Earnings"-posterna, specificera underreskontrakontona +AccountancyClosureCloseSuccessfully=Räkenskapsperioden har avslutats framgångsrikt +AccountancyClosureInsertAccountingReversalSuccessfully=Bokföringsposter för "Behållna vinstmedel" har infogats + ## Confirm box ConfirmMassUnletteringAuto=Bekräftelse av automatisk avstämning av bulk ConfirmMassUnletteringManual=Bekräftelse av manuell avstämning av bulk ConfirmMassUnletteringQuestion=Är du säker på att du vill ta bort de %s valda posterna? ConfirmMassDeleteBookkeepingWriting=Massraderingsbekräftelse -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +ConfirmMassDeleteBookkeepingWritingQuestion=Detta kommer att radera transaktionen från bokföringen (alla radposter relaterade till samma transaktion kommer att raderas). Är du säker på att du vill ta bort de %s valda posterna? +AccountancyClosureConfirmClose=Är du säker på att du vill stänga innevarande räkenskapsperiod? Du förstår att avslutandet av räkenskapsperioden är en oåterkallelig åtgärd och kommer permanent att blockera alla ändringar eller raderingar av poster under denna period . +AccountancyClosureConfirmAccountingReversal=Är du säker på att du vill spela in poster för "Behållna intäkter"? ## Error SomeMandatoryStepsOfSetupWereNotDone=Några obligatoriska steg för installationen var inte färdiga, var god fyll i dem -ErrorNoAccountingCategoryForThisCountry=Ingen redovisningskoncern tillgänglig för land %s (Se Hem - Inställning - Ordböcker) +ErrorNoAccountingCategoryForThisCountry=Ingen redovisningskontogrupp tillgänglig för landet %s (Se %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Du försöker att bokföra några rader i fakturan %s , men några andra rader är ännu inte förbundna till ett bokföringskonto. Bokföring av alla rader för denna faktura vägras. ErrorInvoiceContainsLinesNotYetBoundedShort=Vissa rader på fakturan är inte bundna till bokföringskonto. ExportNotSupported=Det exporterade formatet stöds inte på den här sidan @@ -459,12 +477,15 @@ NoJournalDefined=Ingen loggbok definierad Binded=Förbundna rader ToBind=Rader att förbinda UseMenuToSetBindindManualy=Linjer som ännu inte är bundna, använd menyn %s för att göra bindningen manuellt -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Note: this module or page is not completely compatible with the experimental feature of situation invoices. Some data may be wrong. +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Obs: denna modul eller sida är inte helt kompatibel med den experimentella funktionen i situationsfakturor. Vissa uppgifter kan vara felaktiga. AccountancyErrorMismatchLetterCode=Missmatch i avstämningskod AccountancyErrorMismatchBalanceAmount=Saldot (%s) är inte lika med 0 AccountancyErrorLetteringBookkeeping=Fel har uppstått angående transaktionerna: %s ErrorAccountNumberAlreadyExists=Kontonumret %s finns redan ErrorArchiveAddFile=Kan inte lägga "%s"-filen i arkivet +ErrorNoFiscalPeriodActiveFound=Ingen aktiv räkenskapsperiod hittades +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Bokföringsdokumentets datum är inte inom den aktiva räkenskapsperioden +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Bokföringsdokumentets datum är inom en stängd räkenskapsperiod ## Import ImportAccountingEntries=Redovisningsposter @@ -489,9 +510,9 @@ FECFormatMulticurrencyAmount=Multivaluta belopp (Montantdevise) FECFormatMulticurrencyCode=Flervalskod (Idevise) DateExport=Datum export -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contain transactions modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. +WarningReportNotReliable=Varning, denna rapport är inte baserad på redovisningen, så den innehåller inte transaktioner som ändrats manuellt i redovisningen. Om din journalisering är uppdaterad är bokföringsvyn mer exakt. ExpenseReportJournal=Kostnadsrapportsloggbok -DocsAlreadyExportedAreIncluded=Docs already exported are included -ClickToShowAlreadyExportedLines=Click to show already exported lines +DocsAlreadyExportedAreIncluded=Dokument som redan exporterats ingår +ClickToShowAlreadyExportedLines=Klicka för att visa redan exporterade rader NAccounts=%s-konton diff --git a/htdocs/langs/sv_SE/admin.lang b/htdocs/langs/sv_SE/admin.lang index dbca8fdecf8..3e95ca4df94 100644 --- a/htdocs/langs/sv_SE/admin.lang +++ b/htdocs/langs/sv_SE/admin.lang @@ -51,8 +51,8 @@ ClientSortingCharset=Klientsamling WarningModuleNotActive=Modulen %s måste vara aktiverad WarningOnlyPermissionOfActivatedModules=Endast rättigheter som rör aktiverad moduler visas här. Du kan aktivera andra moduler i Hem-> Inställningar-> Moduler. DolibarrSetup=Dolibarr installation eller uppgradering -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=Dolibarr uppgradering +DolibarrAddonInstall=Installation av tillägg/externa moduler (uppladdade eller genererade) InternalUsers=Interna användare ExternalUsers=Externa användare UserInterface=Användargränssnitt @@ -227,6 +227,8 @@ NotCompatible=Den här modulen verkar inte vara kompatibel med din Dolibarr %s ( CompatibleAfterUpdate=Den här modulen kräver en uppdatering av din Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=Visa på marknadsplatsen SeeSetupOfModule=Visa inställning av modul %s +SeeSetupPage=Se inställningssidan på %s +SeeReportPage=Se rapportsidan på %s SetOptionTo=Ange alternativ %s till %s Updated=Uppdaterad AchatTelechargement=Köp/ladda ner @@ -292,22 +294,22 @@ EmailSenderProfiles=Avsändarprofiler för e-post EMailsSenderProfileDesc=Du kan hålla denna sektion tom. Om du anger e-postadresser här kommer de att läggas till i listan över möjliga avsändare i kombinationsrutan när du skriver ett nytt e-postmeddelande. MAIN_MAIL_SMTP_PORT=SMTP/SMTPS-porten (standardvärde i php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS-värd (standardvärde i php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS-port (inte angiven i PHP på Unix-liknande system) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS-värd (inte angiven i PHP på Unix-liknande system) -MAIN_MAIL_EMAIL_FROM=E-postadress som avsändare vid automatiska meddelanden (standardvärde i php.ini: %s) -EMailHelpMsgSPFDKIM=För att förhindra att automatiska meddelanden klassas som skräppost, se till att servern är auktoriserad att skicka e-post från denna adress med SPF- och DKIM-konfiguration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS-port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS-värd +MAIN_MAIL_EMAIL_FROM=Avsändarmail för automatiska e-postmeddelanden +EMailHelpMsgSPFDKIM=För att förhindra att Dolibarr-e-postmeddelanden klassificeras som skräppost, se till att servern är auktoriserad att skicka e-post under denna identitet (genom att kontrollera SPF- och DKIM-konfigurationen för domännamnet) MAIN_MAIL_ERRORS_TO=E-post som används som retur vid felaktiga e-postmeddelanden (fält "Error-To" i skickad e-post) MAIN_MAIL_AUTOCOPY_TO= Hemlig kopia (Bcc) för all e-post till MAIN_DISABLE_ALL_MAILS=Inaktivera all e-post (för teständamål eller demo) MAIN_MAIL_FORCE_SENDTO=Skicka all e-post till (i stället för riktiga mottagare, för teständamål) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Föreslå e-post från anställda (om de är angivna) i listan över fördefinierade mottagare när du skriver ett nytt meddelande -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Välj inte en standardmottagare även om det bara finns ett möjligt val MAIN_MAIL_SENDMODE=Metod för sändning av e-post MAIN_MAIL_SMTPS_ID=SMTP-ID (om sändning kräver autentisering) MAIN_MAIL_SMTPS_PW=SMTP-lösenord (om sändning kräver autentisering) MAIN_MAIL_EMAIL_TLS=Använd TLS (SSL) kryptering MAIN_MAIL_EMAIL_STARTTLS=Använd TLS (STARTTLS) kryptering -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Auktorisera automatiska signaturer +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Auktorisera självsignerade certifikat MAIN_MAIL_EMAIL_DKIM_ENABLED=Använd DKIM för att skapa e-postsignatur MAIN_MAIL_EMAIL_DKIM_DOMAIN=E-postdomän för användning med DKIM MAIN_MAIL_EMAIL_DKIM_SELECTOR=Namn på DKIM-väljaren @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Privat nyckel för DKIM-signering MAIN_DISABLE_ALL_SMS=Inaktivera all SMS-sändning (för teständamål eller demo) MAIN_SMS_SENDMODE=Metod som ska användas för att skicka SMS MAIN_MAIL_SMS_FROM=Standard telefonnummer för avsändarens vid SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Standard e-postadress för avsändaren vid manuell sändning +MAIN_MAIL_DEFAULT_FROMTYPE=Standardavsändarens e-post förvald i formulär för att skicka e-post UserEmail=Användares e-postadress CompanyEmail=Företagets e-postadress FeatureNotAvailableOnLinux=Funktionen inte finns på Unix-liknande system. Testa sendmail lokalt. @@ -365,10 +367,10 @@ GenericMaskCodes=Du kan ange valfri numreringsmask. I den här masken kan följa GenericMaskCodes2={cccc} klientkoden med n tecken
      {cccc000} är kundnummer med löpnummer dedikerat kunden. Denna räknare återställs samtidigt som den globala räknaren.
      {tttt} Koden för varje tredjeparts typ med n tecken (se menyn Hem - Inställningar - Ordbok - Typer av tredjepart). Om du lägger till den här taggen kommer räknaren att vara annorlunda för varje typ av tredjepart.
      GenericMaskCodes3=Alla andra tecken i masken förblir intakt.
      Mellanslag är inte tillåtna.
      GenericMaskCodes3EAN=Alla andra tecken i masken förblir intakta (utom * eller ? i 13:e position i EAN13).
      Mellanslag är inte tillåtna.
      I EAN13 ska det sista tecknet efter det sista} i 13:e position vara * eller ?. Den kommer att ersättas av den beräknade nyckeln.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes4a=Exempel den 99:e %s av tredje parten TheCompany, med datum 2023-01-31:
      +GenericMaskCodes4b=Exempel på tredje part skapat 2023-01-31:
      > +GenericMaskCodes4c=Exempel på produkt skapad 2023-01-31:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000} ger b0aee8733658 span>ABC2301-000099

      b0aee8336583710fz0@{01+ }-ZZZ/{dd}/XXX
      ger 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} ger IN2301-0099-A om företagets typ är 'Responsable Inscripto' med kod för typen som är 'A_RI' GenericNumRefModelDesc=Ger en anpassningsbar nummerserie enligt en fastställd mask. ServerAvailableOnIPOrPort=Server finns på adressen %s på port %s ServerNotAvailableOnIPOrPort=Servern är inte tillgänglig på adresseb %s på port %s @@ -417,6 +419,7 @@ PDFLocaltax=Regler för %s HideLocalTaxOnPDF=Dölj %s i kolumnen moms HideDescOnPDF=Dölj produktbeskrivning HideRefOnPDF=Dölj produktref. +ShowProductBarcodeOnPDF=Visa streckkodsnumret för produkterna HideDetailsOnPDF=Dölj produktraden beskrivning PlaceCustomerAddressToIsoLocation=Använd fransk standardposition (La Poste) för position av kundadress Library=Bibliotek @@ -424,7 +427,7 @@ UrlGenerationParameters=Parametrar för säkra webbadresser SecurityTokenIsUnique=Använd en unik securekey-parameter för varje webbadress EnterRefToBuildUrl=Ange referens för objektet %s GetSecuredUrl=Få beräknad URL -ButtonHideUnauthorized=Dölj obehöriga åtgärdsknappar också för interna användare (bara gråtonad annars) +ButtonHideUnauthorized=Dölj obehöriga åtgärdsknappar även för interna användare (bara grånade annars) OldVATRates=Gammal momssats NewVATRates=Ny momssats PriceBaseTypeToChange=Ändra om priser med basreferensvärde definieras på @@ -458,11 +461,11 @@ ComputedFormula=Beräknat fält ComputedFormulaDesc=Du kan här ange en formel med hjälp av andra egenskaper hos objektet eller någon PHP-kodning för att få ett dynamiskt beräknat värde. Du kan använda alla PHP-kompatibla formler inklusive "?" condition operator och följande globala objekt: $db, $conf, $langs, $mysoc, $user, $objectoffield .
      VARNING : Om du behöver egenskaper för ett objekt som inte är laddat, hämta bara objektet till din formel som i det andra exemplet.
      Att använda ett beräknat fält innebär att du inte kan ange något värde från gränssnittet. Dessutom, om det finns ett syntaxfel kan formeln inte returnera något.

      Exempel på formel:
      $objectoffield->id < 10 ? round($objectoffield-> id / 2, 2): ($objectoffield->id + 2 * $user-> sub, 2, 2, 2 * $ (int)-> sub )

      Exempel på att ladda om objektet
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffields_do) *' >loadedobjettions_exemplar-> id-> $arbjreoptionsfältet->id) ->capital / 5: '-1')

      Annat exempel på formel för att tvinga fram laddning av objekt och dess överordnade objekt:
      (($reloadedobj = new Task($db)) && ($reload($reload) ->id) > 0) && ($secondloadedobj = new project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Föräldraprojekt hittades inte' Computedpersistent=Lagra beräknat fält ComputedpersistentDesc=Beräknade extrafält kommer att lagras i databasen, men värdet beräknas bara om objektet för detta fält ändras. Om det beräknade fältet beror på andra objekt eller globala data kan detta värde vara fel!! -ExtrafieldParamHelpPassword=Om du lämnar fältet tomt betyder det att detta värde kommer att sparas utan kryptering (fältet döljas bara med stjärnor på skärmen).
      Ange 'auto' för att använda standardregel för kryptering för att spara lösenord i databasen (då är läsningsvärde endast en hash och det finns inget sätt att hämta originalvärdet) +ExtrafieldParamHelpPassword=Om du lämnar detta fält tomt betyder det att detta värde kommer att lagras UTAN kryptering (fältet är bara dolt med stjärnor på skärmen).

      Enter värde 'dolcrypt' för att koda värde med en reversibel krypteringsalgoritm. Rensa data kan fortfarande vara kända och redigerade men krypteras i databasen.

      Ange 'auto' (eller 'md5', 'sha256', 'password_hash', ...) för att använda standardlösenordskrypteringsalgoritmen (eller md5, sha256, password_hash...) för att spara det icke reversibla hashade lösenordet i databasen (inget sätt att hämta det ursprungliga värdet) ExtrafieldParamHelpselect=Lista över värden måste vara rader med formatet nyckel,värde (där nyckel inte kan vara '0')

      till exempel:
      1,värde1
      2,värde2
      code3,värde3
      ...

      För att få listan beroende av andra komplementära attribut:
      1,värde1|options_ parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      För att få listan beroende av en annan lista:
      1,värde1|parent_list_code:parent_key
      2,värde2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=Lista över värden måste vara rader med formatet nyckel,värde (där nyckel inte kan vara '0')

      till exempel:
      1,värde1
      2,värde2
      3,värde3
      ... ExtrafieldParamHelpradio=Lista över värden måste vara rader med formatet nyckel,värde (där nyckel inte kan vara '0')

      till exempel:
      1,värde1
      2,värde2
      3,värde3
      ... -ExtrafieldParamHelpsellist=Listan med värden kommer från en tabell
      Syntax: tabellnamn:etikettfält:idfält::filtersql
      Exempel: c_typent:libelle:id::filtersql

      - id_field krävs som en primär nyckel
      - filtersql är ett SQL-villkor. Det kan enkelt testas (t.ex. active=1) för att visa endast aktiva värden
      Du kan också använda $ID$ i filter, som är aktuellt ID för aktuellt objekt.
      För att använda SELECT i ett filter använder du $SEL$ för att åsidosätta anti-inject--skyddet.
      Om du vill filtrera på extrafält använder du syntax extra.fieldcode=... (där fältkoden är koden för extrafältet)

      För att ha listan beroende av andra komplementära attribut:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      För att ha listan beroende av en annan lista:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=Lista med värden kommer från en tabell
      Syntax: table_name:label_field:id_field::filtersql
      Exempel: c_idtypent:libelle: ::filtersql

      - id_field är nödvändigtvis en primär int-nyckelb0342fccfdaspan19bz> - filtersql är ett SQL-villkor. Det kan vara ett enkelt test (t.ex. active=1) för att endast visa aktivt värde
      Du kan också använda $ID$ i filter som är det aktuella ID:t för det aktuella objektet
      För att använda en SELECT i filtret använd nyckelordet $SEL$ för att kringgå antiinjektionsskydd.
      om du vill filtrera på extrafält använd syntax extra.fieldcode=... (där fältkoden är koden för extrafield)

      För att ha lista beroende på en annan kompletterande attributlista:
      c_typent:libelle:id:options_parent_list_code |parent_column:filter

      För att få listan beroende av en annan lista:
      c_typent:libelle:id:parent_list_code:filter_column>| ExtrafieldParamHelpchkbxlst=Listan med värden kommer från en tabell
      Syntax: table_name:label_field:id_field::filtersql
      Exempel: c_typent:libelle:id::filtersql

      filter kan vara ett enkelt test (t.ex. active=1) för att visa endast aktiva värden
      Du kan också använda $ID$ i filter som är aktuellt ID för aktuellt objekt
      För att göra en SELECT i filter använder du $SEL$
      om du vill filtrera på extrafält använder du syntax extra.fieldcode= ... (där fältkoden är koden för extrafältet)

      För att listan skall vara beroende av komplementära attribut:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      För att få listan beroende av en annan lista:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Parametrar måste vara ObjectName:Classpath
      Syntax: ObjectName:Classpath ExtrafieldParamHelpSeparator=Håll tomt för en enkel separator
      Ange detta till 1 för en kollapsande separator (öppnas som standard för en ny session, sedan behålls status för varje användarsession)
      Ange detta till 2 för en kollapsande separator (kollapsad som standard för ny session, sedan status hålls för varje användarsession) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Ange ett telefonnummer att ringa upp för att visa en län RefreshPhoneLink=Uppdatera länk LinkToTest=Klickbar länk genererad för användare %s (klicka på telefonnummer för att testa) KeepEmptyToUseDefault=Lämna tom för standardvärde -KeepThisEmptyInMostCases=I de flesta fall kan du lämna detta fält tomt. +KeepThisEmptyInMostCases=I de flesta fall kan du hålla detta fält tomt. DefaultLink=Standardlänk SetAsDefault=Ange som standard ValueOverwrittenByUserSetup=Varning, detta värde kan skrivas över av användarspecifik inställning (varje användare kan ange sin egen clicktodial url) @@ -515,23 +518,23 @@ ClickToShowDescription=Klicka för att visa beskrivning DependsOn=Denna modul är beroende av modul(erna) RequiredBy=Denna modul krävs enligt modul(er) TheKeyIsTheNameOfHtmlField=Detta är namnet på HTML-fältet. Teknisk kunskap krävs för att läsa innehållet på HTML-sidan för att hitta namnet på ett fält. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. +PageUrlForDefaultValues=Du måste ange den relativa sökvägen till sidans URL. Om du inkluderar parametrar i URL, kommer det att vara effektivt om alla parametrar i webbläsarens URL har det värde som definieras här. PageUrlForDefaultValuesCreate=
      Exempel:
      För att formuläret för att skapa en ny tredjepart är det %s.
      För URL för externa moduler installerade i anpassad katalog, inkludera inte "anpassat/", så används sökvägen mymodule/mypage.php och inte anpassat/mymodule/mypage.php.
      Om du bara vill ha standardvärde om url har någon parameter kan du använda %s PageUrlForDefaultValuesList=
      Exempel:
      För sidan som listar tredjeparter är den %s.
      För URL för externa moduler installerade i anpassad katalog, inkludera inte "anpassat/", så används en sökväg mymodule/mypagelist.php och inte anpassat/mymodule/mypagelist.php.
      Om du bara vill ha standardvärde om url har någon parameter kan du använda %s -AlsoDefaultValuesAreEffectiveForActionCreate=Observera också att överskrivning av standardvärden för formulärskapande endast fungerar för sidor som är korrekt utformade (med åtgärd=create eller presend ...) +AlsoDefaultValuesAreEffectiveForActionCreate=Observera också att överskrivning av standardvärden för att skapa formulär endast fungerar för sidor som är korrekt utformade (så med parametern action=create or presend...) EnableDefaultValues=Aktivera anpassning av standardvärden EnableOverwriteTranslation=Tillåt anpassning av översättningar GoIntoTranslationMenuToChangeThis=En översättning har hittats för nyckeln med den här koden. För att ändra detta värde måste du redigera det från Start - Inställningar - Översättning. WarningSettingSortOrder=Varning! Om du anger en standard sorteringsordning kan det resultera i ett tekniskt fel när du går till listsidan om fältet är ett okänt fält. Om du upplever dessa fel, tar du bort standard sorteringsordning och återställer standardbeteendet. Field=Fält ProductDocumentTemplates=Dokumentmallar för att generera produktdokument -ProductBatchDocumentTemplates=Document templates to generate product lots document +ProductBatchDocumentTemplates=Dokumentmallar för att generera produktpartidokument FreeLegalTextOnExpenseReports=Fri juridisk text om kostnadsrapporter WatermarkOnDraftExpenseReports=Vattenmärke på utkast till utgiftsrapporter ProjectIsRequiredOnExpenseReports=Projektet är obligatoriskt för att fylla i utgiftsrapport PrefillExpenseReportDatesWithCurrentMonth=Förangivna start- och slutdatum för nya utgiftsrapporter med start- och slutdatum för innevarande månad ForceExpenseReportsLineAmountsIncludingTaxesOnly=Forcera utläggens summa att vara inkl. moms -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) +AttachMainDocByDefault=Ställ in detta på Ja om du som standard vill bifoga huvuddokumentet till e-postmeddelandet (om tillämpligt) FilesAttachedToEmail=Bifoga fil SendEmailsReminders=Skicka dagordning som påminnelse via e-post davDescription=Konfigurera en WebDAV-server @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Den allmänna privata katalogen är en WebDAV-katal DAV_ALLOW_PUBLIC_DIR=Aktivera den allmänna katalogen (WebDAV-dedikerad katalog som heter "public" - ingen inloggning krävs) DAV_ALLOW_PUBLIC_DIRTooltip=Den allmänna katalogen är en WebDAV-katalog som alla kan komma åt (i läs- och skrivläge), utan att tillstånd krävs (inloggning/lösenord). DAV_ALLOW_ECM_DIR=Aktivera den privata DMS/ECM-katalogen (rootkatalog för DMS/ECM-modulen - inloggning krävs) -DAV_ALLOW_ECM_DIRTooltip=Rootkatalogen där alla filer laddas upp när du använder DMS/ECM-modulen. På samma sätt som åtkomst från webbgränssnittet behöver du ett giltigt inloggningsnamn/lösenord med tillräckliga rättigheter för åtkomst. +DAV_ALLOW_ECM_DIRTooltip=Rotkatalogen där alla filer laddas upp manuellt när DMS/ECM-modulen används. På samma sätt som åtkomst från webbgränssnittet behöver du en giltig inloggning/lösenord med adekvata behörigheter för att komma åt det. ##### Modules ##### Module0Name=Användare & grupper Module0Desc=Användare/anställda och grupphantering @@ -566,7 +569,7 @@ Module40Desc=Leverantörer och inköpshantering (inköpsorder och leverantörsfa Module42Name=Felsökningsloggar Module42Desc=Loggningsfunktioner (fil, syslog, ...). Sådana loggar är för tekniska- eller debug-ändamål. Module43Name=Felsökningsfält -Module43Desc=Ett verktyg för att lägga till ett felsökningsfält i din webbläsare. +Module43Desc=Ett verktyg för utvecklare som lägger till en felsökningsfält i din webbläsare. Module49Name=Redigerare Module49Desc=Hantering av redigerare Module50Name=Produkter @@ -574,7 +577,7 @@ Module50Desc=Produkthantering Module51Name=Massutskick Module51Desc=Hantering av fysiska massutskick Module52Name=Lager -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Desc=Lagerhantering (spårning av lagerrörelser och inventering) Module53Name=Tjänster Module53Desc=Tjänstehantering Module54Name=Avtal/prenumerationer @@ -582,7 +585,7 @@ Module54Desc=Hantering av kontrakt (tjänster eller återkommande prenumeratione Module55Name=Streckkoder Module55Desc=Hantering av streckkoder eller QR-koder Module56Name=Betalning med kreditöverföring -Module56Desc=Hantering av betalleverantörer som tillhandahåller kreditöverföringar. Den inkluderar generering av SEPA-filer för europeiska länder. +Module56Desc=Hantering av betalning av leverantörer eller löner genom kreditöverföringsorder. Det inkluderar generering av SEPA-filer för europeiska länder. Module57Name=Betalningar med direktdebitering Module57Desc=Hantering av order med direktdebitering. Den inkluderar generering av SEPA-filer för europeiska länder. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Skicka e-post som utlöses av en företagshändelse: per användar Module600Long=Observera att den här modulen skickar e-post i realtid när en viss företagshändelse inträffar. Om du letar efter en funktion för att skicka e-postpåminnelser för agendahändelser, gå till inställningen av modulen Dagordning. Module610Name=Produktvarianter Module610Desc=Skapa av produktvarianter (färg, storlek etc.) +Module650Name=Stycklistor (BOM) +Module650Desc=Modul för att definiera dina stycklistor (BOM). Kan användas för tillverkningsresursplanering av modulen Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Modul för att hantera tillverkningsorder (MO) Module700Name=Donationer Module700Desc=Hantering av donationer Module770Name=Kostnadsrapporter @@ -650,8 +657,8 @@ Module2300Name=Schemalagda jobb Module2300Desc=Hantering av schemalagda jobb (cron eller chrono-tabell) Module2400Name=Händelser/dagordning Module2400Desc=Registrera händelser. Logga automatiska händelser för spårningsändamål eller registrera händelser eller möten manuellt. Detta är huvudmodulen för bra kund- eller leverantörsrelation! -Module2430Name=Online Booking Calendar -Module2430Desc=Tillhandahåll en onlinekalender så att vem som helst kan boka möten enligt fördefinierade intervall eller tillgänglighet. +Module2430Name=Onlinebokning av möten +Module2430Desc=Tillhandahåller ett onlinebokningssystem för möten. Detta gör det möjligt för vem som helst att boka möten, enligt fördefinierade intervall eller tillgänglighet. Module2500Name=DMS/ECM Module2500Desc=Dokumenthanteringssystem/elektronisk innehållshantering. Automatisk organisering av dina skapade eller lagrade dokument. Dela dem när du behöver. Module2600Name=API/webbtjänster (SOAP-server) @@ -672,7 +679,7 @@ Module3300Desc=Ett RAD-verktyg (Rapid Application Development - low-code and no- Module3400Name=Sociala nätverk Module3400Desc=Aktivera fält för sociala nätverks i tredjeparter och adresser (Skype, Twitter, Facebook, ...). Module4000Name=HRM -Module4000Desc=Personalhantering (hanterar avdelningar, anställningskontrakt och känslor) +Module4000Desc=Personalhantering (avdelningsledning, anställningskontrakt, kompetenshantering och intervju) Module5000Name=Flera bolag Module5000Desc=Gör att du kan hantera flera företag Module6000Name=Tvärmodul för arbetsflöde @@ -709,9 +716,11 @@ Module62000Name=Incoterms Module62000Desc=Lägg till funktioner för att hantera Incoterms Module63000Name=Resurser Module63000Desc=Hantera resurser (skrivare, bilar, rum, ...) för att tilldela händelser -Module66000Name=OAuth2 token management +Module66000Name=OAuth2-tokenhantering Module66000Desc=Tillhandahåll ett verktyg för att generera och hantera OAuth2-tokens. Token kan sedan användas av vissa andra moduler. Module94160Name=Mottagningar +ModuleBookCalName=Bokningssystem +ModuleBookCalDesc=Hantera en kalender för att boka möten ##### Permissions ##### Permission11=Läs kundfakturor (och betalningar) Permission12=Skapa/ändra fakturor @@ -979,7 +988,7 @@ Permission2501=Se/ladda ner dokument Permission2502=Ladda ner dokument Permission2503=Skicka eller radera dokument Permission2515=Ange dokumentkataloger -Permission2610=Generate/modify users API key +Permission2610=Generera/ändra användarens API-nyckel Permission2801=Använd FTP-klient i läsläge (bläddra och ladda ner enbart) Permission2802=Använd FTP-klient i skrivläge (radera eller ladda upp filer) Permission3200=Se arkiverade händelser och fingeravtryck @@ -996,7 +1005,7 @@ Permission4031=Se personlig information Permission4032=Skriva personlig information Permission4033=Läs alla utvärderingar (även de som inte är underordnade) Permission10001=Se webbplatsens innehåll -Permission10002=Skapa/ändra innehåll på webbplatsen webbplatsinnehåll (html- och javaskript) +Permission10002=Skapa/ändra webbplatsinnehåll (html- och JavaScript-innehåll) Permission10003=Skapa/ändra innehåll på webbplatsen (dynamisk php-kod). Bör reserveras för utvecklare! Permission10005=Radera innehåll från webbplatsen Permission20001=Se ledighetsförfrågningar (din och underordnade) @@ -1010,9 +1019,9 @@ Permission23001=Se schemalagda jobb Permission23002=Skapa/uppdatera schemalagt jobb Permission23003=Radera schemalagt jobb Permission23004=Kör schemalagt jobb -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates +Permission40001=Hämta valutor och deras kurser +Permission40002=Skapa/uppdatera valutor och dess kurser +Permission40003=Ta bort valutor och deras kurser Permission50101=Använd kassa (SimplePOS) Permission50151=Använd kassa (TakePOS) Permission50152=Ändra orderrader @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Utgiftsrapport - avstånd per transportkategori DictionaryTransportMode=Intracomm-rapport - transportläge DictionaryBatchStatus=Status för kvalitetskontroll med batch/sernummer DictionaryAssetDisposalType=Typ av avyttring av tillgångar +DictionaryInvoiceSubtype=Fakturaundertyper TypeOfUnit=Typ av enhet SetupSaved=Inställningarna sparas SetupNotSaved=Inställningen är inte sparad @@ -1109,10 +1119,11 @@ BackToModuleList=Tillbaka till modullista BackToDictionaryList=Tillbaka till ordboken TypeOfRevenueStamp=Typ av skattestämpel VATManagement=Hantera moms -VATIsUsedDesc=Som standard när du skapar prospekt, faktura, order etc. följer momssatsen den aktiva standardregeln:
      Om säljaren inte är föremål för moms är momsen satt till 0. Slut på regeln.
      Om (säljarens land=köparens land) är momsen som standard lika med försäljningsskatten för produkten i säljarens land. Slut på regeln.
      Om säljaren och köparen båda finns inom EU och varor är transportrelaterat (frakt, flygfrakt, etc) är standardmomsen 0. Denna regel är beroende av säljarens land - var god kontakta din revisor. Momsen ska betalas av köparen till tullkontoret i sitt land och inte till säljaren. Slut på regeln.
      Om säljaren och köparen båda finns inom EU och köparen inte är ett företag (med ett registrerat momsnummer), är momsen densamma som momssatsen i säljarens land. Slut på regeln.
      Om säljaren och köparen båda finns in EU och köparen är ett företag (med ett registrerat momsnummer), är momsen 0 som standard. Slut på regeln.
      I annat fall är den föreslagna standarden moms=0. Slut på regeln. +VATIsUsedDesc=Som standard vid skapandet av prospekt, fakturor, order etc. följer momssatsen den aktiva standardregeln:
      Om säljaren inte är föremål för försäljningsskatt, blir momsen standard till 0 . Slut på regeln.
      Om (säljarens land = köparens land), är försäljningsskatten som standard lika med försäljningsskatten för produkten i säljarens land. Slut på regel.
      Om säljaren och köparen båda är i Europeiska gemenskapen och varor är transportrelaterade produkter (transport, frakt, flygbolag), är standardmomsen 0. Detta regeln är beroende av säljarens land - vänligen rådfråga din revisor. Momsen ska betalas av köparen till tullkontoret i sitt land och inte till säljaren. Slut på regeln.
      Om säljaren och köparen båda är i Europeiska gemenskapen och köparen inte är ett företag (med ett registrerat gemenskapsinternt momsnummer) är momsen som standard till momssatsen i säljarens land. Slut på regel.
      Om säljaren och köparen båda är i Europeiska gemenskapen och köparen är ett företag (med ett registrerat gemenskapsinternt momsnummer), är momsen 0 som standard. Slut på regel.
      I alla andra fall är den föreslagna standardinställningen Moms=0. Slut på regeln. VATIsNotUsedDesc=Den föreslagna momsen är som standard 0, men som kan användas för fall som föreningar, individer eller småföretagare. VATIsUsedExampleFR=I Frankrike betyder det att företag eller organisationer har ett riktigt system som påminner om företag (förenklad verklig eller normal verklig). Ett system där momsen deklareras. VATIsNotUsedExampleFR=I Frankrike betyder det föreningar som inte är momsskyldiga, eller företag, organisationer eller liberala yrken som har valt mikroföretagets skattesystem (försäljningsskatt i franchise) och betalat en franchise moms utan någon momsdeklaration. Detta val kommer att visa referensen "Ej tillämplig Försäljningsskatt - art-293B av CGI" på fakturor. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Typ av moms LTRate=Taxa @@ -1399,8 +1410,8 @@ PHPModuleLoaded=PHP-komponenten %s är laddad PreloadOPCode=Förinstallerad OPCode används AddRefInList=Visa kunds/leverantörs referens i kombolistor
      Tredjeparter kommer synas med format "CC12345 - SC45678 - StorFöretaget." istället för bara "StorFöretaget" AddVatInList=Visa kunds/leverantörs momsnummer i kombolistor -AddAdressInList=Visa kunds/leverantörs adress i kombolistor
      Tredjeparter kommer synas som "StorFöretaget - Storgatan 1 123 45 Stad - Sverige" istället för "StorFöretaget" -AddEmailPhoneTownInContactList=Visa kontakts e-postadress (eller telefonnummer om e-post inte är angivet) och stad i infolista (välj lista eller kombinationsruta)
      Kontakter visas med namnformatet "Kalle Anka - kalle.anka@ankeborg.se - Ankeborg" eller "Kalle Anka - 012-345 678 - Angeborg" istället för "Kalle Anka". +AddAdressInList=Visa kund-/leverantörsadress i kombinationslistor.
      Tredje parter kommer att visas med namnformatet "The Big Company corp. - 21 jump street 123456 Big town - USA" istället för " The Big Company corp". +AddEmailPhoneTownInContactList=Visa kontakters e-post (eller telefoner om de inte har definierats) och stadsinformationslista (välj lista eller kombinationsruta)
      Kontakter kommer att visas med namnformatet "Dupond Durand - dupond.durand@example .com - Paris" eller "Dupond Durand - 06 07 59 65 66 - Paris" istället för "Dupond Durand". AskForPreferredShippingMethod=Be om det föredragna leveranssättet för tredjeparter. FieldEdition=Ändring av fält %s FillThisOnlyIfRequired=Exempel: +2 (ange endast om problem med tidszon offset upplevs) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Visa inte länken "Glömt lösenord" på si UsersSetup=Inställningar för modulen Användare UserMailRequired=E-postadress krävs för att skapa en ny användare UserHideInactive=Dölj inaktiva användare från alla kombinationslistor över användare (rekommenderas inte: detta kan innebära att du inte kan filtrera eller söka efter gamla användare på vissa sidor) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Dokumentmallar för dokument som genereras från användarposten GroupsDocModules=Dokumentmallar för dokument som genereras från en gruppost ##### HRM setup ##### @@ -1509,8 +1522,8 @@ WatermarkOnDraftContractCards=Vattenstämpel på kontraktsförslag (inget om fä MembersSetup=Medlemmar modul inställning MemberMainOptions=Huvudalternativ MemberCodeChecker=Alternativ för automatisk generation av medlemskoder -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +AdherentLoginRequired=Hantera en inloggning/lösenord för varje medlem +AdherentLoginRequiredDesc=Lägg till ett värde för en inloggning och ett lösenord på medlemsfilen. Om medlemmen är länkad till en användare kommer uppdatering av medlemsinloggning och lösenord också att uppdatera användarinloggning och lösenord. AdherentMailRequired=E-post krävs för att skapa en ny medlem MemberSendInformationByMailByDefault=Kryssruta för att skicka e-post bekräftelse till medlemmar (bekräftande eller nya abonnemang) är aktiverat som standard MemberCreateAnExternalUserForSubscriptionValidated=Skapa en extern användarinloggning för varje validerad ny medlemsabonnemang @@ -1643,9 +1656,9 @@ LDAPFieldEndLastSubscription=Datum för teckning slut LDAPFieldTitle=Befattning LDAPFieldTitleExample=Exempel: titel LDAPFieldGroupid=Grupp-id -LDAPFieldGroupidExample=Example : gidnumber +LDAPFieldGroupidExample=Exempel: gidnumber LDAPFieldUserid=Användar ID -LDAPFieldUseridExample=Example : uidnumber +LDAPFieldUseridExample=Exempel: uidnummer LDAPFieldHomedirectory=Hemkatalog LDAPFieldHomedirectoryExample=Exempel: hemkatalog LDAPFieldHomedirectoryprefix=Hemkatalogprefix @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Modul memcached för applikativ cache hittad MemcachedAvailableAndSetup=Modul memcached tillägnad använda memcached server är aktiverad. OPCodeCache=OPCODE cache NoOPCodeCacheFound=Ingen OPCode-cache hittades. Kanske använder du en OPCode-cache annan än XCache eller eAccelerator (bra), eller kanske har du inte OPCode-cache (mycket dåligt). -HTTPCacheStaticResources=HTTP-cache för statiska resurser (css, img, javascript) +HTTPCacheStaticResources=HTTP-cache för statiska resurser (css, img, JavaScript) FilesOfTypeCached=Filer av typen %s cachelagras av HTTP-server FilesOfTypeNotCached=Filer av typen %s är inte cachas av HTTP-server FilesOfTypeCompressed=Filer av typen %s komprimeras med HTTP-server @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Fri text om leverans kvitton ##### FCKeditor ##### AdvancedEditor=Avancerad redaktör ActivateFCKeditor=Aktivera FCKeditor för: -FCKeditorForNotePublic=WYSIWIG skapade/ändring i fältet "publika noteringar" -FCKeditorForNotePrivate=WYSIWIG skapade/ändring i fältet "privata noteringar" -FCKeditorForCompany=WYSIWIG skapande/änrande i fältet "beskrivning" (förutom produkter/tjänster) -FCKeditorForProductDetails=WYSIWIG skapande/utgåva av produktbeskrivning eller rader för objekt (rader av förslag, order, fakturor, etc...). +FCKeditorForNotePublic=WYSIWYG skapande/utgåva av fältet "publika noteringar" av element +FCKeditorForNotePrivate=WYSIWYG skapande/utgåva av fältet "privata anteckningar" av element +FCKeditorForCompany=WYSIWYG skapande/utgåva av fältbeskrivningen av element (förutom produkter/tjänster) +FCKeditorForProductDetails=WYSIWYG skapande/utgåva av produktbeskrivning eller rader för objekt (rader av förslag, order, fakturor, etc...). FCKeditorForProductDetails2=Varning: Att använda det här alternativet för det här fallet rekommenderas verkligen inte eftersom det kan skapa problem med specialtecken och sidformatering när du bygger PDF-filer. -FCKeditorForMailing= WYSIWYG skapande / utgåva av försändelser -FCKeditorForUserSignature=WYSIWYG skapande / upplaga av signatur -FCKeditorForMail=WYSIWIG skapande / utgåva för all mail (utom Verktygs-> eMailing) -FCKeditorForTicket=WYSIWIG skapande / upplaga för ärenden +FCKeditorForMailing= WYSIWYG skapande/utgåva för massutskick (Verktyg->e-post) +FCKeditorForUserSignature=WYSIWYG skapande/utgåva av användarsignatur +FCKeditorForMail=WYSIWYG skapande/utgåva för all post (förutom Verktyg->e-post) +FCKeditorForTicket=WYSIWYG skapande/utgåva för biljetter ##### Stock ##### StockSetup=Inställning av lagermodul IfYouUsePointOfSaleCheckModule=Om du använder modulen Point of Sale (POS) som standard eller en extern modul, kan denna inställning ignoreras av din POS-modul. De flesta POS-moduler är utformade som standard för att skapa en faktura omedelbart och minska lageret oberoende av alternativen här. Så om du behöver eller inte har en lagerminskning när du registrerar en försäljning från din POS, kolla även din POS-moduluppsättning. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Personliga menyer som inte är kopplade till en toppm NewMenu=Ny meny MenuHandler=Meny handler MenuModule=Källa modul -HideUnauthorizedMenu=Dölj obehöriga menyer även för interna användare (bara gråtonad annars) +HideUnauthorizedMenu=Dölj obehöriga menyer även för interna användare (bara grånade annars) DetailId=Id-menyn DetailMenuHandler=Meny hanterare där för att visa nya menyn DetailMenuModule=Modulnamn om menyalternativet kommer från en modul @@ -1802,7 +1815,7 @@ DetailType=Typ av menyn (överst eller vänster) DetailTitre=Meny etikett eller etikett kod för översättning DetailUrl=URL dit menyn skickar dig (Relativ URL-länk eller extern länk med https://) DetailEnabled=Villkor för att visa eller inte trätt -DetailRight=Villkor för att visa obehörig grå menyer +DetailRight=Villkor för att visa obehöriga grå menyer DetailLangs=Lang filnamn för märkningen kodnyckel DetailUser=Intern / Extern / Alla Target=Målet @@ -1855,7 +1868,7 @@ PastDelayVCalExport=Inte exporterar fall äldre än SecurityKey = Säkerhetsnyckel ##### ClickToDial ##### ClickToDialSetup=Klicka för att Dial modul inställning -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). +ClickToDialUrlDesc=URL anropas när ett klick på telefonbilden görs. I URL kan du använda taggar
      __PHONETO__ som blir ersatt med telefonnumret till den person som ska ringas
      __PHONEFROM__ kommer att ersättas med telefonnummer till den som ringer (ditt)
      __LOGIN__b09a4b739f som kommer att ersättas med clicktodial inloggning (definierad på användarkortet)
      __PASS__ som kommer att ersättas med ett klickkodslösenord (definierat på användarkortet). ClickToDialDesc=Denna modul ändrar telefonnummer när du använder en stationär dator till klickbara länkar. Ett klick ringer upp numret. Detta kan användas för att starta telefonsamtalet när du använder en mjuk telefon på skrivbordet eller när du t.ex. använder ett CTI-system baserat på SIP-protokoll. Obs! När du använder en smartphone är telefonnummer alltid klickbara. ClickToDialUseTelLink=Använd bara en länk "tel:" på telefonnummer ClickToDialUseTelLinkDesc=Använd den här metoden om dina användare har en datortelefon eller ett programvarugränssnitt, installerat på samma dator som webbläsaren och anropas när du klickar på en länk som börjar med "tel:" i din webbläsare. Om du behöver en länk som börjar med "sip:" eller en komplett serverlösning (inget behov av lokal mjukvaruinstallation), måste du ställa in denna på "Nej" och fylla i nästa fält. @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Konto som ska användas för att ta emot kontant beta CashDeskBankAccountForCheque=Standardkonto som ska användas för att få betalningar med check CashDeskBankAccountForCB=Konto som ska användas för att ta emot kontant betalning med kreditkort CashDeskBankAccountForSumup=Standardbankkonto som används för att ta emot betalningar med SumUp -CashDeskDoNotDecreaseStock=Inaktivera lagerminskning när en försäljning görs från försäljningsstället (om "nej", lagerminskning görs för varje försäljning som görs från POS, oberoende av alternativet i modulen Lager). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Tvinga och begränsa lager att använda för lagerpostminskning StockDecreaseForPointOfSaleDisabled=Lagerminskning från försäljningsstället inaktiverat StockDecreaseForPointOfSaleDisabledbyBatch=Lagerminskning i POS är inte kompatibel med modul Serial / Lot-hantering (för närvarande aktiv) så lagerminskning är inaktiverad. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Markera tabelllinjer när musen flytta passerar över HighlightLinesColor=Markera färg på linjen när musen passerar över (använd 'ffffff' för ingen höjdpunkt) HighlightLinesChecked=Markera färg på linjen när den är markerad (använd 'ffffff' för ingen höjdpunkt) UseBorderOnTable=Visa vänster-höger kanter i tabeller +TableLineHeight=Bordslinjehöjd BtnActionColor=Färg på spara knappen TextBtnActionColor=Textfärg på spara knappen TextTitleColor=Textfärg på sidtitel @@ -1991,7 +2006,7 @@ EnterAnyCode=Det här fältet innehåller en referens för att identifiera raden Enter0or1=Ange 0 eller 1 UnicodeCurrency=Ange här mellan hållare, lista med byte nummer som representerar valutasymbolen. Till exempel: för $, skriv [36] - för brazil real R $ [82,36] - för €, skriv [8364] ColorFormat=RGB-färgen är i HEX-format, t.ex.: FF0000 -PictoHelp=Ikonnamn i format:
      - image.png för en bildfil till den aktuella temakatalogen
      - image.png@module om filen finns i katalogen /img/ för en modul
      - fa-xxx för en FontAwesomepicto fa-x
      - fonwtawesome_xxx_fa_color_size för en FontAwesome fa-xxx-bild (med prefix, färg och storleksuppsättning) +PictoHelp=Ikonnamn i format:
      - image.png för en bildfil till den aktuella temakatalogen
      - image.png@module om filen finns i katalogen /img/ för en modul
      - fa-xxx för en FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size för en FontAwesome fa-xxx picto (med prefix, färg och storleksuppsättning) PositionIntoComboList=Position of line i kombinationslistor SellTaxRate=Försäljningsmomssats RecuperableOnly=Ja för moms "Ej uppfattad men återställbar" tillägnad vissa stater i Frankrike. Håll värdet till "Nej" i alla andra fall. @@ -2077,10 +2092,10 @@ MAIN_DOCUMENTS_LOGO_HEIGHT=Höjd på logotyp i PDF DOC_SHOW_FIRST_SALES_REP=Visa första säljare MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Lägg till kolumn för bild på offertrader MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Bredd på kolumnen om en bild läggs till på rader -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Dölj enhetspriskolumnen på offertförfrågningar +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Dölj kolumnen för totalpris på offertförfrågningar +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Dölj enhetspriskolumnen på inköpsorder +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Dölj kolumnen för totalpris på inköpsorder MAIN_PDF_NO_SENDER_FRAME=Dölj kanter på avsändarens adressram MAIN_PDF_NO_RECIPENT_FRAME=Dölj kanter på mottagarens adressram MAIN_PDF_HIDE_CUSTOMER_CODE=Dölj kundnummer @@ -2094,7 +2109,7 @@ EnterCalculationRuleIfPreviousFieldIsYes=Ange beräkningsregel om föregående f SeveralLangugeVariatFound=Flera språkvarianter hittades RemoveSpecialChars=Ta bort specialtecken COMPANY_AQUARIUM_CLEAN_REGEX=Regex-filter för att rensa värde (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code +COMPANY_AQUARIUM_NO_PREFIX=Använd inte prefix, kopiera endast kund- eller leverantörskod COMPANY_DIGITARIA_CLEAN_REGEX=Regex-filter för att rensa värdet (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=Duplicering är inte tillåtet RemoveSpecialWords=Ta bort vissa ord när du skapar underkonton för kunder eller leverantörer @@ -2117,14 +2132,14 @@ NewEmailCollector=Ny e-postsamlare EMailHost=Värd för e-post, IMAP-server EMailHostPort=Port för e-post, IMAP-server loginPassword=Inloggning/lösenord -oauthToken=OAuth2 token +oauthToken=OAuth2-token accessType=Åtkomsttyp oauthService=Oauth-tjänst TokenMustHaveBeenCreated=Modulen OAuth2 måste vara aktiverad och en oauth2-token måste ha skapats med rätt behörigheter (till exempel omfattningen "gmail_full" med OAuth för Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session +ImapEncryption = IMAP-krypteringsmetod +ImapEncryptionHelp = Exempel: none, ssl, tls, notls +NoRSH = Använd NoRSH-konfigurationen +NoRSHHelp = Använd inte RSH- eller SSH-protokoll för att upprätta en IMAP-föridentifieringssession MailboxSourceDirectory=E-post källkatalog MailboxTargetDirectory=E-post målkatalog EmailcollectorOperations=Åtgärder att utföra av e-postsamlaren @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Inkludera inte innehållet i e-posthuvudet i det s EmailCollectorHideMailHeadersHelp=När det är aktiverat läggs inte e-posthuvudet till i slutet innehållet som sparas som en händelse på dagordningen. EmailCollectorConfirmCollectTitle=Bekräfta hämtning av e-post EmailCollectorConfirmCollect=Vill du köra den här hämtningen nu? -EmailCollectorExampleToCollectTicketRequestsDesc=Samla e-postmeddelanden som matchar vissa regler och skapa automatiskt en ärende (Ärendemodulen måste vara aktiverad) med e-postinformationen. Du kan använda den här samlaren om du ger lite support via e-post, så din ärendeförfrågan genereras automatiskt. Aktivera också Collect_Responses för att samla in svar från din klient direkt på ärendevyn (du måste svara från Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Samla e-postmeddelanden som matchar vissa regler och skapa automatiskt en biljett (Modulbiljett måste vara aktiverat) med e-postinformationen. Du kan använda den här samlaren om du ger lite support via e-post, så din biljettförfrågan genereras automatiskt. Aktivera också Collect_Responses för att samla in svar från din klient direkt på biljettvyn (du måste svara från Dolibarr). EmailCollectorExampleToCollectTicketRequests=Exempel på att hämta ärendeförfrågan (endast första meddelandet) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Skanna din postlåda "Skickat"-katalog för att hitta e-postmeddelanden som skickades som svar på ett annat e-postmeddelande direkt från din e-postprogramvara och inte från Dolibarr. Om ett sådant e-postmeddelande hittas, registreras svaret i Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Exempel på att hämta in e-postsvar skickade från ett externt e-postprogram EmailCollectorExampleToCollectDolibarrAnswersDesc=Hämta alla mejl som är ett svar på ett mejl som skickats från din ansökan. En händelse (Agendamodulen måste vara aktiverad) med e-postsvaret kommer att sparas på den bra platsen. Om du till exempel skickar ett kommersiellt förslag, en order, en faktura eller ett meddelande om en ärende via e-post från applikationen, och mottagaren svarar på din e-post, kommer systemet automatiskt att hämta svaret och lägga till det i ditt affärssystem. EmailCollectorExampleToCollectDolibarrAnswers=Exempel som hämtar in alla inkommande meddelanden är svar på meddelanden skickade från Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Hämta e-postmeddelanden som matchar vissa regler och skapa automatiskt en potentiell kund (Module Project måste vara aktiverat) med e-postinformationen. Du kan använda den här samlaren om du vill följa din lead med modulen Project (1 lead = 1 projekt), så dina leads kommer att genereras automatiskt. Om samlaren Collect_Responses också är aktiverad, när du skickar ett e-postmeddelande från dina leads, förslag eller något annat objekt, kan du också se svar från dina kunder eller partners direkt i applikationen.
      Obs: Med det här initiala exemplet genereras titeln på leadet inklusive e-postmeddelandet. Om tredje part inte kan hittas i databasen (ny kund), kommer leaden att kopplas till tredje part med ID 1. +EmailCollectorExampleToCollectLeadsDesc=Samla e-postmeddelanden som matchar vissa regler och skapa automatiskt en potentiell kund (Module Project måste vara aktiverat) med e-postinformationen. Du kan använda den här samlaren om du vill följa din lead med modulen Project (1 lead = 1 projekt), så dina leads kommer att genereras automatiskt. Om samlaren Collect_Responses också är aktiverad, när du skickar ett e-postmeddelande från dina leads, förslag eller något annat objekt, kan du också se svar från dina kunder eller partners direkt i applikationen.
      Obs! Med det här initiala exemplet genereras titeln på leadet inklusive e-postmeddelandet. Om den tredje parten inte kan hittas i databasen (ny kund), kommer leaden att kopplas till den tredje parten med ID 1. EmailCollectorExampleToCollectLeads=Exempel på att samla in leads EmailCollectorExampleToCollectJobCandidaturesDesc=Samla e-postmeddelanden som ansöker om jobberbjudanden (Rekryteringsmodulen måste vara aktiverad). Du kan fylla i den här samlaren om du automatiskt vill skapa en kandidatur för en jobbförfrågan. Obs: Med detta initiala exempel genereras titeln på kandidaturen inklusive e-postmeddelandet. EmailCollectorExampleToCollectJobCandidatures=Exempel på att samla in jobbkandidater som tas emot via e-post @@ -2169,7 +2184,7 @@ CreateCandidature=Skapa jobbansökan FormatZip=Zip MainMenuCode=Menyinmatningskod (huvudmeny) ECMAutoTree=Visa automatiskt ECM-träd -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. +OperationParamDesc=Definiera reglerna som ska användas för att extrahera vissa data eller ange värden som ska användas för drift.

      Exempel att extrahera ett företagsnamn från e-postämne till en temporär variabel:
      tmp_var=EXTRACT:SUBJECT:Meddelande från företaget ([^\n]*)

      Exempel för att ställa in egenskaperna för ett objekt som ska skapas:
      objproperty1=SET:ett hårdkodat värde
      objproperty2=SET:__tmp_var__
      objproperty3=aSETIFEMPTY (värde anges endast om egenskapen inte redan är definierad)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:Mitt företagsnamn är\\ s([^\\s]*)

      Använd en ny rad för att extrahera eller ställa in flera egenskaper. OpeningHours=Öppettider OpeningHoursDesc=Ange här företagets vanliga öppettider. ResourceSetup=Konfiguration av resursmodulen @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranoper Tritanopes=Tritanoper ThisValueCanOverwrittenOnUserLevel=Detta värde kan skrivas över av varje användare från användarens sida - fliken '%s' -DefaultCustomerType=Standard tredjepartstyp för skapande av "Ny kund" +DefaultCustomerType=Standardtyp för tredje part för formuläret "Ny kund". ABankAccountMustBeDefinedOnPaymentModeSetup=Obs! Bankkontot måste definieras i modulen för varje betalningsläge (Paypal, Stripe, ...) för att den här funktionen ska fungera. RootCategoryForProductsToSell=Root kategori av produkter att sälja -RootCategoryForProductsToSellDesc=Om det är definierat kommer endast produkter inom denna kategori eller barn i denna kategori att vara tillgängliga i försäljningsstället +RootCategoryForProductsToSellDesc=Om det definieras kommer endast produkter inom denna kategori eller barn i denna kategori att vara tillgängliga i försäljningsstället DebugBar=Felsökningsfältet DebugBarDesc=Verktygsfält som levereras med många verktyg för att förenkla felsökningen DebugBarSetup=DebugBar Setup @@ -2212,11 +2227,11 @@ ImportSetup=Installation av modulimport InstanceUniqueID=Unikt ID för förekomsten SmallerThan=Mindre än LargerThan=Större än -IfTrackingIDFoundEventWillBeLinked=Observera att om ett spårnings-ID för ett objekt hittas i e-post, eller om e-postmeddelandet är ett svar på ett e-postområde som samlas in och länkas till ett objekt, kommer den skapade händelsen automatiskt att länkas till det kända relaterade objektet. -WithGMailYouCanCreateADedicatedPassword=Med ett GMail-konto, om du aktiverade valet av 2 steg, rekommenderas att du skapar ett dedikerat andra lösenord för programmet istället för att använda ditt eget lösenordsord från https://myaccount.google.com/. -EmailCollectorTargetDir=Det kan vara ett önskat beteende att flytta e-postmeddelandet till en annan tagg / katalog när den bearbetades framgångsrikt. Ange bara namnet på katalogen här för att använda den här funktionen (Använd INTE specialtecken i namnet). Observera att du också måste använda ett inloggningskonto för läs / skriv. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). +IfTrackingIDFoundEventWillBeLinked=Observera att om ett spårnings-ID för ett objekt hittas i e-post, eller om e-postmeddelandet är ett svar på ett e-postmeddelande som redan samlats in och länkats till ett objekt, kommer den skapade händelsen automatiskt att länkas till det kända relaterade objektet. +WithGMailYouCanCreateADedicatedPassword=Med ett Gmail-konto, om du aktiverade 2-stegsvalideringen, rekommenderas det att skapa ett dedikerat andra lösenord för applikationen istället för att använda ditt eget kontolösenord från https://myaccount.google.com/. +EmailCollectorTargetDir=Det kan vara ett önskat beteende att flytta e-postmeddelandet till en annan tagg/katalog när det bearbetades framgångsrikt. Ange bara namnet på katalogen här för att använda den här funktionen (Använd INTE specialtecken i namnet). Observera att du också måste använda ett läs-/skrivinloggningskonto. +EmailCollectorLoadThirdPartyHelp=Du kan använda den här åtgärden för att använda e-postinnehållet för att hitta och ladda en befintlig tredje part i din databas (sökning kommer att göras på den definierade egenskapen bland 'id','name','name_alias','email'). Den hittade (eller skapade) tredje parten kommer att användas för följande åtgärder som behöver det.
      Till exempel, om du vill skapa en tredje part med ett namn extraherat från en sträng ' Namn: namn att hitta' finns i brödtexten, använd avsändarens e-postmeddelande som e-post, du kan ställa in parameterfältet så här:
      'email=HEADER:^Från:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=Varning: många e-postservrar (som Gmail) gör helordssökningar när de söker på en sträng och kommer inte att returnera ett resultat om strängen bara hittas delvis i ett ord. Av denna anledning kommer användning av specialtecken i ett sökkriterium att ignoreras om de inte är en del av befintliga ord.
      För att göra en exkluderingssökning på ett ord (retur e-post om ord inte hittas), kan du använda ! tecken före ordet (fungerar kanske inte på vissa e-postservrar). EndPointFor=Slutpunkt för %s: %s DeleteEmailCollector=Ta bort e-postsamlare ConfirmDeleteEmailCollector=Är du säker på att du vill ta bort denna e-postsamlare? @@ -2233,9 +2248,9 @@ EMailsWillHaveMessageID=E-postmeddelanden kommer att ha taggen "Referenser" som PDF_SHOW_PROJECT=Visa projekt på dokument ShowProjectLabel=Projektetikett PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Inkludera alias i tredje parts namn -THIRDPARTY_ALIAS=Namn tredje part - Alias tredje part -ALIAS_THIRDPARTY=Alias tredje part - Namn tredje part -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) +THIRDPARTY_ALIAS=Tredjepartsnamn - Tredjepartsalias +ALIAS_THIRDPARTY=Tredje parts alias - Tredje parts namn +PDFIn2Languages=Visa etiketter i PDF-filen på 2 olika språk (den här funktionen kanske inte fungerar för ett par språk) PDF_USE_ALSO_LANGUAGE_CODE=Om du vill att några texter i din PDF ska dupliceras på två olika språk i samma genererade PDF, måste du ställa in det här andra språket så att genererad PDF kommer att innehålla 2 olika språk på samma sida, det som du valt när du skapar PDF och det här ( endast få PDF-mallar stöder detta). Håll tomt för 1 språk per PDF. PDF_USE_A=Generera PDF-dokument med formatet PDF/A istället för standardformatet PDF FafaIconSocialNetworksDesc=Ange här koden för en FontAwesome-ikon. Om du inte vet vad som är FontAwesome kan du använda det allmänna värdet fa-adressbok. @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Du kan hitta säkerhetsrådgivning här ModuleActivatedMayExposeInformation=Det här PHP-tillägget kan avslöja känsliga data. Om du inte behöver det, inaktivera det. ModuleActivatedDoNotUseInProduction=En modul utformad för utvecklingen har aktiverats. Aktivera det inte i en produktionsmiljö. CombinationsSeparator=Separatortecken för produktkombinationer -SeeLinkToOnlineDocumentation=Se länk till online-dokumentation på toppmenyn för exempel +SeeLinkToOnlineDocumentation=Se länk till onlinedokumentation på toppmenyn för exempel SHOW_SUBPRODUCT_REF_IN_PDF=Om funktionen "%s" i modulen %s används, visa detaljer om delprodukter av ett kit på PDF. AskThisIDToYourBank=Kontakta din bank för att få detta ID -AdvancedModeOnly=Tillstånd endast tillgängligt i avancerat tillståndsläge +AdvancedModeOnly=Behörighet endast tillgänglig i Avancerat behörighetsläge ConfFileIsReadableOrWritableByAnyUsers=Conf-filen är läsbar eller skrivbar av alla användare. Ge endast webbserveranvändare och gruppbehörighet. MailToSendEventOrganization=Event Organisation MailToPartnership=Partnerskap AGENDA_EVENT_DEFAULT_STATUS=Standardhändelsestatus när du skapar en händelse från formuläret YouShouldDisablePHPFunctions=Du bör inaktivera PHP-funktioner -IfCLINotRequiredYouShouldDisablePHPFunctions=Förutom om du behöver köra systemkommandon i anpassad kod, ska du inaktivera PHP-funktioner +IfCLINotRequiredYouShouldDisablePHPFunctions=Om du inte behöver köra systemkommandon i anpassad kod, bör du inaktivera PHP-funktioner PHPFunctionsRequiredForCLI=För shell-ändamål (som schemalagda säkerhetskopior eller antivirus) med PHP-funktioner NoWritableFilesFoundIntoRootDir=Inga skrivbara filer eller kataloger för de vanliga programmen hittades i din rotkatalog (Bra) RecommendedValueIs=Rekommenderad: %s @@ -2283,8 +2298,8 @@ DatabasePasswordNotObfuscated=Databasens lösenord är INTE dolt i konfiguration APIsAreNotEnabled=API-moduler är inte aktiverade YouShouldSetThisToOff=Du borde sätta detta till 0 eller av InstallAndUpgradeLockedBy=Installation och uppgraderingar låses av filen %s -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. +InstallLockedBy=Installation/ominstallation är låst av filen %s +InstallOfAddonIsNotBlocked=Installationer av tillägg är inte låsta. Skapa en fil installmodules.lock i katalogen %s för att blockera installationer av externa tillägg/moduler. OldImplementation=Gammal implementering PDF_SHOW_LINK_TO_ONLINE_PAYMENT=Om vissa moduler för onlinebetaning är aktiverad (Paypal, Stripe, ...), kan du lägga till en länk i PDF:en för att göra betalningen online DashboardDisableGlobal=Inaktivera globalt alla miniatyrer för öppna objekt @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook-inställning Settings = Inställningar WebhookSetupPage = Inställningar för webhooks ShowQuickAddLink=Visa en knapp för att snabbt lägga till ett element i den övre högra menyn - +ShowSearchAreaInTopMenu=Visa sökområdet i toppmenyn HashForPing=Hash används för ping ReadOnlyMode=Är instans i "Läs"-läge DEBUGBAR_USE_LOG_FILE=Använd filen dolibarr.log för att spara loggar @@ -2337,15 +2352,15 @@ DefaultOpportunityStatus=Standardstatus för möjligheter (första status när l IconAndText=Ikon och text TextOnly=Endast text -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon +IconOnlyAllTextsOnHover=Endast ikon - Alla texter visas under ikonen på musen över menyraden +IconOnlyTextOnHover=Endast ikon - Texten till ikonen visas under ikonen på musen över ikonen IconOnly=Endast ikon - text endast på verktygstips INVOICE_ADD_ZATCA_QR_CODE=Visa ZATCA QR-koden på fakturor INVOICE_ADD_ZATCA_QR_CODEMore=Vissa arabiska länder behöver denna QR-kod på sina fakturor INVOICE_ADD_SWISS_QR_CODE=Visa den schweiziska QR-koden på fakturor -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. +INVOICE_ADD_SWISS_QR_CODEMore=Schweiz standard för fakturor; se till att ZIP & City är ifyllda och att kontona har giltiga schweiziska/Liechtenstein IBAN. INVOICE_SHOW_SHIPPING_ADDRESS=Visa leveransadress -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) +INVOICE_SHOW_SHIPPING_ADDRESSMore=Obligatorisk indikation i vissa länder (Frankrike, ...) UrlSocialNetworksDesc=Url-länk till socialt nätverk. Använd {socialid} för den variabla delen som innehåller det sociala nätverkets ID. IfThisCategoryIsChildOfAnother=Om denna kategori är en underkategori till en annan DarkThemeMode=Mörkt läge @@ -2356,7 +2371,7 @@ DoesNotWorkWithAllThemes=Fungerar inte med alla teman NoName=Inget namn ShowAdvancedOptions= Visa avancerade alternativ HideAdvancedoptions= Dölj avancerade alternativ -CIDLookupURL=Modulen ger en URL som kan användas av ett externt verktyg för att få namnet på en tredjepart eller kontakt från dess telefonnummer. URL att använda är: +CIDLookupURL=Modulen ger en URL som kan användas av ett externt verktyg för att få namnet på en tredje part eller kontakt från dess telefonnummer. URL att använda är: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2-autentisering är inte tillgänglig hos alla värdar, och en token med rätt rättigheter måste ha skapats uppströms i OAUTH-modulen MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2-autentiseringstjänst DontForgetCreateTokenOauthMod=En token med rätt rättigheter måste ha skapats uppströms med OAUTH-modulen @@ -2366,23 +2381,24 @@ UseOauth=Använd en OAUTH-token Images=Bilder MaxNumberOfImagesInGetPost=Max antal tillåtna bilder i ett HTML-fält som skickas in i ett formulär MaxNumberOfPostOnPublicPagesByIP=Max antal postningar på publika sidor från samma IP-adress under en månad -CIDLookupURL=Modulen ger en URL som kan användas av ett externt verktyg för att få namnet på en tredjepart eller kontakt från dess telefonnummer. URL att använda är: +CIDLookupURL=Modulen ger en URL som kan användas av ett externt verktyg för att få namnet på en tredje part eller kontakt från dess telefonnummer. URL att använda är: ScriptIsEmpty=Skriptet är tomt ShowHideTheNRequests=Visa/dölj %s SQL-begäran(den) DefinedAPathForAntivirusCommandIntoSetup=Ange en sökväg för ett antivirusprogram i %s TriggerCodes=Utlösbara händelser TriggerCodeInfo=Ange triggerkod(er) som ska generera en post efter en webbförfrågan (endast extern URL är tillåten). Du kan ange flera triggerkoder separerade med kommatecken. EditableWhenDraftOnly=Om avmarkerad kan värdet endast ändras när objektet har en utkaststatus -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" +CssOnEdit=CSS på redigeringssidor +CssOnView=CSS på visningssidor +CssOnList=CSS på listor +HelpCssOnEditDesc=CSS som används vid redigering av fältet.
      Exempel: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=CSS som används när du tittar på fältet. +HelpCssOnListDesc=CSS som används när fältet finns i en listtabell.
      Exempel: "tdoverflowmax200" RECEPTION_PDF_HIDE_ORDERED=Dölj den beställda kvantiteten på de genererade dokumenten för mottagningar MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Visa pris på de genererade dokumenten för mottagningar WarningDisabled=Varning inaktiverad LimitsAndMitigation=Åtkomstgränser och begränsningar +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Endast datorer DesktopsAndSmartphones=Datorer och mobila enheter AllowOnlineSign=Tillåt onlinesignering @@ -2397,12 +2413,30 @@ WarningModuleHasChangedSecurityCsrfParameter=Varning: modulen %s har inaktiverat EMailsInGoingDesc=Inkommande e-postmeddelanden hanteras av modulen %s. Du måste aktivera och konfigurera det om du behöver stödja inkommande e-postmeddelanden. MAIN_IMAP_USE_PHPIMAP=Använd PHP-IMAP-biblioteket för IMAP istället för inbyggt PHP IMAP. Detta tillåter också användningen av en OAuth2-anslutning för IMAP (modulen OAuth måste också vara aktiverad). MAIN_CHECKBOX_LEFT_COLUMN=Visa kolumnen för fält- och radval till vänster (till höger som standard) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. +NotAvailableByDefaultEnabledOnModuleActivation=Inte skapad som standard. Skapat endast vid modulaktivering. CSSPage=CSS-stil Defaultfortype=Standard -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +DefaultForTypeDesc=Mall som används som standard när du skapar ett nytt e-postmeddelande för malltypen +OptionXShouldBeEnabledInModuleY=Alternativet "%s" ska vara aktiverat i modulen %s +OptionXIsCorrectlyEnabledInModuleY=Alternativet "%s" är aktiverat i modulen %s +AllowOnLineSign=Tillåt on-line signatur +AtBottomOfPage=Längst ner på sidan +FailedAuth=misslyckade autentiseringar +MaxNumberOfFailedAuth=Max antal misslyckade autentiseringar inom 24 timmar för att neka inloggning. +AllowPasswordResetBySendingANewPassByEmail=Om en användare A har denna behörighet, och även om användaren A inte är en "admin"-användare, får A återställa lösenordet för vilken annan användare B som helst, det nya lösenordet kommer att skickas till den andra användarens Bs e-postadress men det kommer inte att vara synligt för A. Om användaren A har "admin"-flaggan, kommer han också att kunna veta vad som är det nya genererade lösenordet för B så att han kommer att kunna ta kontroll över B-användarkontot. +AllowAnyPrivileges=Om en användare A har denna behörighet kan han skapa en användare B med alla privilegier och sedan använda denna användare B, eller ge sig själv någon annan grupp med vilken behörighet som helst. Så det betyder att användare A äger alla affärsprivilegier (endast systemåtkomst till inställningssidor kommer att förbjudas) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Detta värde kan läsas eftersom din instans inte är inställd i produktionsläge +SeeConfFile=Se inuti conf.php-filen på servern +ReEncryptDesc=Kryptera om data om den inte är krypterad ännu +PasswordFieldEncrypted=%s ny post har detta fält krypterats +ExtrafieldsDeleted=Extrafält %s har tagits bort +LargeModern=Stor - Modern +SpecialCharActivation=Aktivera knappen för att öppna ett virtuellt tangentbord för att ange specialtecken +DeleteExtrafield=Ta bort extrafält +ConfirmDeleteExtrafield=Bekräftar du raderingen av fältet %s? All data som sparas i detta fält kommer definitivt att raderas +ExtraFieldsSupplierInvoicesRec=Kompletterande attribut (mallar fakturor) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parametrar för testmiljö +TryToKeepOnly=Försök att bara behålla %s +RecommendedForProduction=Rekommenderas för produktion +RecommendedForDebug=Rekommenderas för felsökning diff --git a/htdocs/langs/sv_SE/bills.lang b/htdocs/langs/sv_SE/bills.lang index 7163548c7c1..57db5824824 100644 --- a/htdocs/langs/sv_SE/bills.lang +++ b/htdocs/langs/sv_SE/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Gör betalning till kunden DisabledBecauseRemainderToPayIsZero=Inaktiverad pga återstående obetalt är noll PriceBase=Grundpris BillStatus=Faktura status -StatusOfGeneratedInvoices=Status för genererade fakturor +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Utkast (måste bekräftas) BillStatusPaid=Betald BillStatusPaidBackOrConverted=Kreditnota återbetalning eller markerad som kredit tillgänglig @@ -167,7 +167,7 @@ ActionsOnBill=Åtgärder mot faktura ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Mall / Återkommande faktura NoQualifiedRecurringInvoiceTemplateFound=Ingen återkommande mallfaktura kvalificerad för generation. -FoundXQualifiedRecurringInvoiceTemplate=Hittade %s återkommande mallfaktura (er) kvalificerade för generation. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Inte en återkommande mallfaktura NewBill=Ny faktura LastBills=Senaste %s fakturor @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Leverantörsförslag fakturor Unpaid=Obetalda ErrorNoPaymentDefined=Fel Ingen betalning definierad ConfirmDeleteBill=Är du säker på att du vill ta bort denna faktura? -ConfirmValidateBill=Är du säker på att du vill bekräfta denna faktura med referens %s ? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Är du säker på att du vill ändra faktura %s till utkastsstatus? ConfirmClassifyPaidBill=Är du säker på att du vill ändra faktura %s till betalad status? ConfirmCancelBill=Är du säker på att du vill avbryta faktura %s ? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Bekräftar du denna betalningsinmatning för %s ConfirmSupplierPayment=Bekräftar du denna betalningsinmatning för %s %s? ConfirmValidatePayment=Är du säker på att du vill bekräfta denna betalning? Ingen ändring kan göras när betalningen är bekräftat. ValidateBill=Bekräfta faktura -UnvalidateBill=Märk faktura -> utkast +UnvalidateBill=Invalidate invoice NumberOfBills=Antal fakturor NumberOfBillsByMonth=Antal fakturor per månad AmountOfBills=Belopp för fakturor @@ -250,12 +250,13 @@ RemainderToTake=Återstående belopp att ta RemainderToTakeMulticurrency=Återstående belopp att ta, originalvaluta RemainderToPayBack=Återstående belopp för återbetalning RemainderToPayBackMulticurrency=Återstående belopp att återbetala, originalvaluta +NegativeIfExcessReceived=negativt om överskott mottaget NegativeIfExcessRefunded=negativt om överskottet återbetalas +NegativeIfExcessPaid=negative if excess paid Rest=Avvaktande AmountExpected=Yrkade beloppet ExcessReceived=Överskott fått ExcessReceivedMulticurrency=Mottaget överskott, ursprunglig valuta -NegativeIfExcessReceived=negativt om överskott mottaget ExcessPaid=För mycket betald ExcessPaidMulticurrency=Överskjutande betald, ursprunglig valuta EscompteOffered=Rabatterna (betalning innan terminen) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Du måste först skapa en standardfaktura PDFCrabeDescription=Faktura PDF-mall Crabe. En komplett fakturamall (gammal implementering av Sponge-mall) PDFSpongeDescription=Faktura PDF mall Svamp. En komplett fakturamall PDFCrevetteDescription=Faktura PDF-mall Crevette. En komplett faktura mall för lägesfakturor -TerreNumRefModelDesc1=Returnummer i formatet %syymm-nnnn för standardfakturor och %syymm-nnnn för kreditnoter där yy är år, mm är månad och nnnn är ett sekventiellt automatiskt inkrementeringsnummer utan paus och ingen retur till 0 -MarsNumRefModelDesc1=Returnummer i formatet %syymm-nnnn för standardfakturor, %syymm-nnnn för utbytesfakturor, %syymm-nnnn för utbetalningsfakturor och %syymm-nnnn är utan paus och ingen återgång till 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Ett lagförslag som börjar med $ syymm finns redan och är inte förenligt med denna modell för sekvens. Ta bort den eller byta namn på den för att aktivera denna modul. -CactusNumRefModelDesc1=Returnummer i formatet %syymm-nnnn för standardfakturor, %syymm-nnnn för kreditnoter och %syymm-nnnn för utbetalningsfakturor där yy är år, mm är månad och nnnn är ett sekventiellt returneringsnummer utan ink 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Tidigt stängningsskäl EarlyClosingComment=Tidig avslutningsnot ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Kategori av verksamhet MentionCategoryOfOperations0=Leverans av varor MentionCategoryOfOperations1=Tillhandahållande av tjänster MentionCategoryOfOperations2=Blandat - Leverans av varor & tillhandahållande av tjänster +Salaries=Löner +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Lön +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/sv_SE/cashdesk.lang b/htdocs/langs/sv_SE/cashdesk.lang index 2ec217a852e..4ee52f59b19 100644 --- a/htdocs/langs/sv_SE/cashdesk.lang +++ b/htdocs/langs/sv_SE/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=Kvitto Header=Rubrik Footer=Sidfot AmountAtEndOfPeriod=Belopp vid periodens utgång (dag, månad eller år) -TheoricalAmount=Teoretisk mängd +TheoricalAmount=Teoretiskt belopp RealAmount=Verklig mängd CashFence=Kassa stängs CashFenceDone=Kassastängning gjord för perioden @@ -76,7 +76,7 @@ TerminalSelect=Välj terminal du vill använda: POSTicket=Kassa biljetter POSTerminal=Kassaterminal POSModule=POS-modul -BasicPhoneLayout=Använd grundläggande layout för telefoner +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Inställning för terminal %s är inte klar DirectPayment=Direktbetalning DirectPaymentButton=Lägg till knappen "Direkt betalning" @@ -99,7 +99,7 @@ ByTerminal=Med terminal TakeposNumpadUsePaymentIcon=Använd ikonen istället för text på betalningsknapparna på numpad CashDeskRefNumberingModules=Numreringsmodul för kassaförsäljning CashDeskGenericMaskCodes6 =
      {TN}-tagg används för att lägga till terminalnumret -TakeposGroupSameProduct=Gruppera lika produktrader +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Starta en ny parallellförsäljning SaleStartedAt=Försäljningen startade %s ControlCashOpening=Öppna popupen "Kontrollera kassa" när du öppnar kassan @@ -118,7 +118,7 @@ ScanToOrder=Skanna QR-kod för att beställa Appearance=Utseende HideCategoryImages=Dölj kategoribilder HideProductImages=Dölj produktbilder -NumberOfLinesToShow=Antal bilder som ska visas +NumberOfLinesToShow=Maximalt antal textrader att visa på tumbilder DefineTablePlan=Ange bordsplacering GiftReceiptButton=Lägg till knappen "present" GiftReceipt=Present @@ -135,13 +135,21 @@ PrintWithoutDetailsLabelDefault=Rad som standard vid utskrift utan detaljer PrintWithoutDetails=Skriv ut utan detaljer YearNotDefined=År är inte angivet TakeposBarcodeRuleToInsertProduct=Streckkodsregel för att infoga produkt -TakeposBarcodeRuleToInsertProductDesc=Regel för att extrahera produktreferensen + en kvantitet från en skannad streckkod.
      Om tom (standardvärde), kommer programmet att använda hela streckkoden som skannas för att hitta produkten.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters AlreadyPrinted=Redan utskriven -HideCategories=Dölj kategorier +HideCategories=Dölj hela avsnittet av kategorival HideStockOnLine=Dölj lager på raden -ShowOnlyProductInStock=Visa produkter i lager -ShowCategoryDescription=Visa kategoribeskrivning -ShowProductReference=Visa referens för produkter -UsePriceHT=Använd pris exkl. moms och inte pris inkl. moms +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Visa referens eller etikett på produkter +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price TerminalName=Terminal %s TerminalNameDesc=Terminalnamn +DefaultPOSThirdLabel=TakePOS generisk kund +DefaultPOSCatLabel=Point Of Sale (POS) produkter +DefaultPOSProductLabel=Produktexempel för TakePOS +TakeposNeedsPayment=TakePOS behöver en betalningsmetod för att fungera, vill du skapa betalningsmetoden "Kontanter"? +LineDiscount=Radrabatt +LineDiscountShort=Linjeskiva. +InvoiceDiscount=Fakturarabatt +InvoiceDiscountShort=Fakturaskiva. diff --git a/htdocs/langs/sv_SE/categories.lang b/htdocs/langs/sv_SE/categories.lang index c346e5a6aaf..c2106270bef 100644 --- a/htdocs/langs/sv_SE/categories.lang +++ b/htdocs/langs/sv_SE/categories.lang @@ -89,7 +89,7 @@ ExtraFieldsCategories=Extra attibut CategoriesSetup=Inställningar taggar/kategorier CategorieRecursiv=Länka med överordnad tagg/kategori automatiskt CategorieRecursivHelp=Om alternativet är aktiverat kommer objektet också att läggas till i de överordnade kategorierna när du lägger till ett objekt i en underkategori. -AddProductServiceIntoCategory=Assign category to the product/service +AddProductServiceIntoCategory=Tilldela kategori till produkten/tjänsten AddCustomerIntoCategory=Tilldela kategori till kund AddSupplierIntoCategory=Tilldela kategori till leverantör AssignCategoryTo=Tilldela kategori till @@ -102,4 +102,5 @@ ActionCommCategoriesArea=Händelsekategori WebsitePagesCategoriesArea=Innehållskategorier KnowledgemanagementsCategoriesArea=KM artikel kategorier UseOrOperatorForCategories=Använd operatören 'ELLER' för kategorier -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Tilldela kategorin +Position=Position diff --git a/htdocs/langs/sv_SE/holiday.lang b/htdocs/langs/sv_SE/holiday.lang index d9c13653c26..b4d084d1999 100644 --- a/htdocs/langs/sv_SE/holiday.lang +++ b/htdocs/langs/sv_SE/holiday.lang @@ -5,7 +5,7 @@ Holiday=Ledighet CPTitreMenu=Ledighet MenuReportMonth=Månatlig rapport MenuAddCP=Ny ledighetsansökan -MenuCollectiveAddCP=Ny förfrågan om kollektivledighet +MenuCollectiveAddCP=New collective leave NotActiveModCP=Du måste aktivera modulen Ledighet för att se den här sidan. AddCP=Skapa en ledighetsansökan DateDebCP=Startdatum @@ -29,7 +29,7 @@ DescCP=Beskrivning SendRequestCP=Skapa ledighetsansökan DelayToRequestCP=Ledighetsansökan måste göras minst %s dag (ar) före dem. MenuConfCP=Lönebalans -SoldeCPUser=Leave balance (in days) : %s +SoldeCPUser=Lämna saldo (i dagar) : %s ErrorEndDateCP=Du måste välja ett slutdatum senare än startdatum. ErrorSQLCreateCP=Ett SQL-fel uppstod under skapandet: ErrorIDFicheCP=Ett fel har uppstått, ledighetsansökan finns inte @@ -95,14 +95,14 @@ UseralreadyCPexist=En ledighetsansökan har redan gjorts för denna period för groups=Grupper users=Användare AutoSendMail=Automatisk utskick -NewHolidayForGroup=Ny förfrågan om kollektivledighet -SendRequestCollectiveCP=Skicka förfrågan om kollektiv ledighet +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave AutoValidationOnCreate=Automatisk validering FirstDayOfHoliday=Startdag för ledighetsansökan LastDayOfHoliday=Slutdagens ledighetsförfrågan HolidaysMonthlyUpdate=Månads uppdatering ManualUpdate=Manuell uppdatering -HolidaysCancelation=Spärra ledighetsansökan +HolidaysCancelation=Lämna begäran om annullering EmployeeLastname=Medarbetare efternamn EmployeeFirstname=Medarbetare förnamn TypeWasDisabledOrRemoved=Avlastnings typ (id %s) var inaktiverad eller borttagen diff --git a/htdocs/langs/sv_SE/hrm.lang b/htdocs/langs/sv_SE/hrm.lang index 262cae6c093..337c178c63a 100644 --- a/htdocs/langs/sv_SE/hrm.lang +++ b/htdocs/langs/sv_SE/hrm.lang @@ -3,7 +3,7 @@ # Admin HRM_EMAIL_EXTERNAL_SERVICE=E-post för att förhindra HRM-extern tjänst -Establishments=anläggningar +Establishments=Anläggningar Establishment=Etablering NewEstablishment=Ny etablering DeleteEstablishment=Ta bort anläggning @@ -12,80 +12,86 @@ OpenEtablishment=Öppen anläggning CloseEtablishment=Stäng anläggningen # Dictionary DictionaryPublicHolidays=Ledighet - Helgdagar -DictionaryDepartment=HRM - Organizational Unit +DictionaryDepartment=HRM - Organisationsenhet DictionaryFunction=HRM - Jobbpositioner # Module -Employees=anställda +Employees=Anställda Employee=Anställd NewEmployee=Ny anställd ListOfEmployees=Lista över anställda -HrmSetup=HRM module setup -SkillsManagement=Skills management -HRM_MAXRANK=Maximum number of levels to rank a skill -HRM_DEFAULT_SKILL_DESCRIPTION=Default description of ranks when skill is created -deplacement=Shift -DateEval=Evaluation date -JobCard=Job card -JobPosition=Jobb -JobsPosition=Jobs -NewSkill=New Skill -SkillType=Skill type -Skilldets=List of ranks for this skill -Skilldet=Skill level +HrmSetup=HRM-modulinställning +SkillsManagement=Kompetenshantering +HRM_MAXRANK=Maximalt antal nivåer för att rangordna en kompetens +HRM_DEFAULT_SKILL_DESCRIPTION=Standardbeskrivning av rangordnar när kompetens skapas +deplacement=Skift +DateEval=Utvärderingsdatum +JobCard=Jobbkort +NewJobProfile=New Job Profile +JobProfile=Jobbprofil +JobsProfiles=Jobbprofiler +NewSkill=Ny kompetens +SkillType=Kompetenstyp +Skilldets=Lista över rankningar för denna kompetens +Skilldet=Kompetensnivå rank=Rank -ErrNoSkillSelected=No skill selected -ErrSkillAlreadyAdded=This skill is already in the list -SkillHasNoLines=This skill has no lines -skill=Skill -Skills=Skills -SkillCard=Skill card -EmployeeSkillsUpdated=Employee skills have been updated (see "Skills" tab of employee card) -Eval=Evaluation -Evals=Evaluations -NewEval=New evaluation -ValidateEvaluation=Validate evaluation -ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with reference %s? -EvaluationCard=Evaluation card -RequiredRank=Required rank for this job -EmployeeRank=Employee rank for this skill -EmployeePosition=Employee position -EmployeePositions=Employee positions -EmployeesInThisPosition=Employees in this position -group1ToCompare=Usergroup to analyze -group2ToCompare=Second usergroup for comparison -OrJobToCompare=Compare to job skills requirements +ErrNoSkillSelected=Ingen kompetens har valts +ErrSkillAlreadyAdded=Denna kompetens finns redan i listan +SkillHasNoLines=Denna kompetens har inga rader +Skill=Kompetens +Skills=Kompetenser +SkillCard=Kompetenskort +EmployeeSkillsUpdated=De anställdas kompetens har uppdaterats (se fliken "Kompetenser" på anställdskortet) +Eval=Utvärdering +Evals=Utvärderingar +NewEval=Ny utvärdering +ValidateEvaluation=Godkänn utvärdering +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? +EvaluationCard=Utvärderingskort +RequiredRank=Erforderlig rang för jobbprofilen +RequiredRankShort=Required rank +PositionsWithThisProfile=Positions with this job profiles +EmployeeRank=Anställd rang för denna kompetens +EmployeeRankShort=Employee rank +EmployeePosition=Anställd befattning +EmployeePositions=Anställda befattningar +EmployeesInThisPosition=Anställda i denna befattning +group1ToCompare=Användargrupp att analysera +group2ToCompare=Andra användargruppen för jämförelse +OrJobToCompare=Jämför med kompetenskraven för en jobbprofil difference=Skillnad -CompetenceAcquiredByOneOrMore=Competence acquired by one or more users but not requested by the second comparator -MaxlevelGreaterThan=Max level greater than the one requested -MaxLevelEqualTo=Max level equal to that demand -MaxLevelLowerThan=Max level lower than that demand -MaxlevelGreaterThanShort=Employee level greater than the one requested -MaxLevelEqualToShort=Employee level equals to that demand -MaxLevelLowerThanShort=Employee level lower than that demand -SkillNotAcquired=Skill not acquired by all users and requested by the second comparator +CompetenceAcquiredByOneOrMore=Kompetens förvärvad av en eller flera användare men inte efterfrågad av den andra komparatorn +MaxlevelGreaterThan=Employee level is greater than the expected level +MaxLevelEqualTo=Employee level is equals to the expected level +MaxLevelLowerThan=Employee level is lower than that the expected level +MaxlevelGreaterThanShort=Level greater than expected +MaxLevelEqualToShort=Level equal to the expected level +MaxLevelLowerThanShort=Level lower than expected +SkillNotAcquired=Kompetenser som inte förvärvats av alla användare och efterfrågas av den andra komparatorn legend=Legend -TypeSkill=Skill type -AddSkill=Add skills to job -RequiredSkills=Required skills for this job -UserRank=User Rank -SkillList=Skill list -SaveRank=Save rank -TypeKnowHow=Know how -TypeHowToBe=How to be -TypeKnowledge=Knowledge -AbandonmentComment=Abandonment comment -DateLastEval=Date last evaluation -NoEval=No evaluation done for this employee -HowManyUserWithThisMaxNote=Number of users with this rank -HighestRank=Highest rank -SkillComparison=Skill comparison -ActionsOnJob=Events on this job -VacantPosition=job vacancy -VacantCheckboxHelper=Checking this option will show unfilled positions (job vacancy) -SaveAddSkill = Skill(s) added -SaveLevelSkill = Skill(s) level saved -DeleteSkill = Skill removed -SkillsExtraFields=Attributs supplémentaires (Compétences) -JobsExtraFields=Attributs supplémentaires (Emplois) -EvaluationsExtraFields=Attributs supplémentaires (Evaluations) -NeedBusinessTravels=Need business travels +TypeSkill=Kompetenstyp +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile +UserRank=Användarrankning +SkillList=Kompetenslista +SaveRank=Spara rang +TypeKnowHow=Know-how +TypeHowToBe=Hur man är +TypeKnowledge=Kunskap +AbandonmentComment=Kommentar om övergivande +DateLastEval=Datum för senaste utvärdering +NoEval=Ingen utvärdering gjord för denna anställd +HowManyUserWithThisMaxNote=Antal användare med denna rang +HighestRank=Högsta rang +SkillComparison=Kompetensjämförelse +ActionsOnJob=Händelser på det här jobbet +VacantPosition=ledigt jobb +VacantCheckboxHelper=Om du markerar det här alternativet visas obesatta tjänster (lediga jobb) +SaveAddSkill = Kompetenser har lagts till +SaveLevelSkill = Kompetensnivån har sparats +DeleteSkill = Kompetensen borttagen +SkillsExtraFields=Complementary attributes (Skills) +JobsExtraFields=Complementary attributes (Job profile) +EvaluationsExtraFields=Complementary attributes (Evaluations) +NeedBusinessTravels=Behöver affärsresor +NoDescription=Ingen beskrivning +TheJobProfileHasNoSkillsDefinedFixBefore=The evaluated job profile of this employee has no skill defined on it. Please add skill(s), then delete and restart the evaluation. diff --git a/htdocs/langs/sv_SE/main.lang b/htdocs/langs/sv_SE/main.lang index f0c54aa6f4a..1e56a931058 100644 --- a/htdocs/langs/sv_SE/main.lang +++ b/htdocs/langs/sv_SE/main.lang @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Det gick inte att skicka e-post (avsändare = %s, mottagar ErrorFileNotUploaded=Filen har inte laddats upp. Kontrollera att storleken inte överskrider högsta tillåtna, att det finns plats på disken och att det inte redan finns en fil med samma namn i den här katalogen. ErrorInternalErrorDetected=Fel upptäckt ErrorWrongHostParameter=Fel värdparameter -ErrorYourCountryIsNotDefined=Ditt land har inte angivits. Gå till Start-Inställningar-Redigera och skicka formuläret igen. +ErrorYourCountryIsNotDefined=Ditt land är inte definierat. Gå till Home-Setup-Company/Foundation och posta formuläret igen. ErrorRecordIsUsedByChild=Misslyckades med att radera den här posten. Denna post används av minst en underordnadpost. ErrorWrongValue=Fel värde ErrorWrongValueForParameterX=Felaktigt värde för parametern %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Fel! Ingen moms har angivits för landet % ErrorNoSocialContributionForSellerCountry=Fel! Ingen momstyp angiven för landet %s. ErrorFailedToSaveFile=Fel! Kunde inte spara filen. ErrorCannotAddThisParentWarehouse=Du försöker lägga till ett överordnat lager som redan är underordnat till ett befintligt lager +ErrorInvalidSubtype=Vald undertyp är inte tillåten FieldCannotBeNegative=Fältet %s får inte vara negativt MaxNbOfRecordPerPage=Max antal poster per sida NotAuthorized=Du har inte behörighet att göra det. @@ -103,7 +104,8 @@ RecordGenerated=Post skapad LevelOfFeature=Nivå av funktioner NotDefined=Inte angivet DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr-autentiseringsläget är inställt på %s i konfigurationsfilen conf.php.
      Det betyder att lösenordsdatabasen är extern till Dolibarr, så att ändra detta fält kan inte ha någon effekt. -Administrator=Administratör +Administrator=Systemadministratör +AdministratorDesc=Systemadministratör (kan administrera användare, behörigheter men även systeminställningar och modulkonfiguration) Undefined=Odefinierad PasswordForgotten=Glömt lösenord? NoAccount=Inget konto? @@ -211,8 +213,8 @@ Select=Välj SelectAll=Välj alla Choose=Välj Resize=Ändra storlek +Crop=Beskära ResizeOrCrop=Ändra storlek eller beskär -Recenter=Centrera igen Author=Författare User=Användare Users=Användare @@ -235,8 +237,8 @@ PersonalValue=Personligt värde NewObject=Ny %s NewValue=Nytt värde OldValue=Gammalt värde %s -FieldXModified=Field %s modified -FieldXModifiedFromYToZ=Field %s modified from %s to %s +FieldXModified=Fältet %s har ändrats +FieldXModifiedFromYToZ=Fältet %s har ändrats från %s till %s CurrentValue=Aktuellt värde Code=Kod Type=Typ @@ -312,8 +314,8 @@ UserValidation=Godkände användare UserCreationShort=Skap. anv. UserModificationShort=Ändr. anv. UserValidationShort=Godk. anv. -UserClosing=Closing user -UserClosingShort=Closing user +UserClosing=Avslutande användare +UserClosingShort=Avslutande användare DurationYear=år DurationMonth=månad DurationWeek=vecka @@ -348,7 +350,7 @@ MonthOfDay=Dagens månad DaysOfWeek=Veckodagar HourShort=H MinuteShort=mn -SecondShort=sec +SecondShort=sek Rate=Kurs CurrencyRate=Valutakurs UseLocalTax=Inkludera moms @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Extra cent +LT1GC=Ytterligare cent VATRate=Momssats RateOfTaxN=Momssats %s VATCode=Momssats kod @@ -547,6 +549,7 @@ Reportings=Rapportering Draft=Utkast Drafts=Utkast StatusInterInvoiced=Fakturerad +Done=Klar Validated=Bekräftad ValidatedToProduce=Bekräftad (att producera) Opened=Öppen @@ -558,7 +561,7 @@ Unknown=Okänd General=Allmänt Size=Storlek OriginalSize=Originalstorlek -RotateImage=Rotate 90° +RotateImage=Vrid 90° Received=Mottagen Paid=Betald Topic=Ämne @@ -698,6 +701,7 @@ Response=Svar Priority=Prioritet SendByMail=Skicka via e-post MailSentBy=E-post skickas med +MailSentByTo=E-post skickat av %s till %s NotSent=Inte skickat TextUsedInTheMessageBody=Sidkropp e-post SendAcknowledgementByMail=Skicka bekräftelsemail @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Post har ändrats RecordsModified=%s post(er) ändrade RecordsDeleted=%s post(er) raderade RecordsGenerated=%s post(er) genererade +ValidatedRecordWhereFound = Några av de valda posterna har redan validerats. Inga poster har raderats. AutomaticCode=Automatisk kod FeatureDisabled=Funktionen inaktiverad MoveBox=Flytta widget @@ -764,11 +769,10 @@ DisabledModules=Avaktiverade moduler For=För ForCustomer=För kund Signature=Namnteckning -DateOfSignature=Datum för underskrift HidePassword=Visa kommando med dolt lösenord UnHidePassword=Visa kommandot med lösenord i klartext Root=Root -RootOfMedias=Root för offentlig media (/medias) +RootOfMedias=Roten till offentliga medier (/medias) Informations=Information Page=Sida Notes=Anteckningar @@ -907,8 +911,8 @@ ConfirmMassClone=Bekräftelse av kloning i bulk ConfirmMassCloneQuestion=Välj projekt att klona till ConfirmMassCloneToOneProject=Klona till projekt %s RelatedObjects=Relaterade objekt -ClassifyBilled=Classify Billed -ClassifyUnbilled=Classify Unbilled +ClassifyBilled=Klassificera fakturerad +ClassifyUnbilled=Klassificera Ofakturerat Progress=Framsteg ProgressShort=Framst. FrontOffice=Front office @@ -916,6 +920,7 @@ BackOffice=Back office Submit=Skicka View=Visa Export=Exportera +Import=Importera Exports=Exporter ExportFilteredList=Exportera filtrerad lista ExportList=Exportera lista @@ -949,7 +954,7 @@ BulkActions=Bulkåtgärder ClickToShowHelp=Klicka för att visa verktygstipshjälp WebSite=Webbplats WebSites=Webbplatser -WebSiteAccounts=Webbplatskonton +WebSiteAccounts=Web access konton ExpenseReport=Kostnadsrapport ExpenseReports=Kostnadsrapporter HR=HR @@ -1077,6 +1082,7 @@ CommentPage=Kommentarersutrymme CommentAdded=Kommentar tillagd CommentDeleted=Kommentar raderad Everybody=Alla +EverybodySmall=Alla PayedBy=Betalad av PayedTo=Betalad till Monthly=Månatligen @@ -1089,7 +1095,7 @@ KeyboardShortcut=Tangentbordsgenväg AssignedTo=Tilldelad Deletedraft=Radera utkast ConfirmMassDraftDeletion=Bekräftelse bulkradering av utkast -FileSharedViaALink=Fil delas med en offentlig länk +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Välj en tredjepart först ... YouAreCurrentlyInSandboxMode=Du befinner dig för närvarande i %s "sandbox" -läge Inventory=Lager @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Uppgift ContactDefault_propal=Offert ContactDefault_supplier_proposal=Leverantörsoffert ContactDefault_ticket=Ärende -ContactAddedAutomatically=Kontakt tillagd från tredjeparts roller +ContactAddedAutomatically=Kontakt har lagts till från tredje parts kontaktroller More=Mer ShowDetails=Visa detaljer CustomReports=Anpassade rapporter @@ -1163,8 +1169,8 @@ AffectTag=Tilldela en tagg AffectUser=Tilldela en användare SetSupervisor=Ställ in handledaren CreateExternalUser=Skapa extern användare -ConfirmAffectTag=Tilldela tagg i bulk -ConfirmAffectUser=Tilldela användare i bulk +ConfirmAffectTag=Masstaggtilldelning +ConfirmAffectUser=Massanvändartilldelning ProjectRole=Roll tilldelad på varje projekt/tillfälle TasksRole=Roll tilldelad för varje uppgift (om sådan används) ConfirmSetSupervisor=Ange överordnad i bulk @@ -1222,7 +1228,7 @@ UserAgent=Webbläsare InternalUser=Intern användare ExternalUser=Extern användare NoSpecificContactAddress=Ingen specifik kontakt eller adress -NoSpecificContactAddressBis=Den här fliken är avsedd att tvinga fram specifika kontakter eller adresser för det aktuella objektet. Använd den endast om du vill definiera en eller flera specifika kontakter eller adresser för objektet när informationen om tredje part inte räcker till eller inte är korrekt. +NoSpecificContactAddressBis=Den här fliken är avsedd att tvinga fram specifika kontakter eller adresser för det aktuella objektet. Använd den endast om du vill definiera en eller flera specifika kontakter eller adresser för objektet när informationen om den tredje parten inte räcker till eller inte är korrekt. HideOnVCard=Dölj %s AddToContacts=Lägg till adress till mina kontakter LastAccess=Senaste åtkomst @@ -1231,11 +1237,26 @@ LastPasswordChangeDate=Datum för senaste lösenordsändring PublicVirtualCardUrl=Virtuella visitkortssida URL PublicVirtualCard=Virtuella visitkort TreeView=Trädvy -DropFileToAddItToObject=Drop a file to add it to this object -UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +DropFileToAddItToObject=Släpp en fil för att lägga till den i det här objektet +UploadFileDragDropSuccess=Filen/filerna har laddats upp +SearchSyntaxTooltipForStringOrNum=För att söka i textfält kan du använda tecknen ^ eller $ för att göra en "börja eller sluta med"-sökning eller använda ! att göra ett "innehåller inte"-test. Du kan använda | mellan två strängar istället för ett mellanslag för ett 'ELLER'-villkor istället för 'AND'. För numeriska värden kan du använda operatorn <, >, <=, >= eller != före värdet, för att filtrera med hjälp av en matematisk jämförelse InProgress=Pågående -DateOfPrinting=Date of printing -ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. -UserNotYetValid=Not yet valid +DateOfPrinting=Datum för tryckning +ClickFullScreenEscapeToLeave=Klicka här för att växla till helskärmsläge. Tryck på ESCAPE för att lämna helskärmsläget. +UserNotYetValid=Inte giltigt ännu UserExpired=Utgånget +LinkANewFile=Länka en ny fil/dokument +LinkedFiles=Länkade filer och dokument +NoLinkFound=Inga registrerade länkar +LinkComplete=Filen har länkats +ErrorFileNotLinked=Filen kunde inte länkas +LinkRemoved=Länken %s har tagits bort +ErrorFailedToDeleteLink= Det gick inte att ta bort länk %s +ErrorFailedToUpdateLink= Det gick inte att uppdatera länken %s +URLToLink=URL för länk +OverwriteIfExists=Skriv över om filen finns +AmountSalary=Lönebelopp +InvoiceSubtype=Fakturaundertyp +ConfirmMassReverse=Bulk Omvänd bekräftelse +ConfirmMassReverseQuestion=Är du säker på att du vill vända de %s valda posterna? + diff --git a/htdocs/langs/sv_SE/oauth.lang b/htdocs/langs/sv_SE/oauth.lang index bcb8c8b56a5..56d6fe73f24 100644 --- a/htdocs/langs/sv_SE/oauth.lang +++ b/htdocs/langs/sv_SE/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Token raderad GetAccess=Klicka här för att få en token RequestAccess=Klicka här för att begära/förnya åtkomst och få en ny token DeleteAccess=Klicka här för att ta bort token -UseTheFollowingUrlAsRedirectURI=Använd följande URL som omdirigerings-URI när du skapar dina uppgifter med din OAuth-leverantör: +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Lägg till dina OAuth2-tokenleverantörer. Gå sedan till din OAuth-leverantörs adminsida för att skapa/skaffa ett OAuth-ID och hemlighet och spara dem här. När du är klar, växla till den andra fliken för att generera din token. OAuthSetupForLogin=Sida för att hantera (generera/ta bort) OAuth-tokens SeePreviousTab=Se föregående flik diff --git a/htdocs/langs/sv_SE/products.lang b/htdocs/langs/sv_SE/products.lang index 23b3ed87e87..4fdda68be54 100644 --- a/htdocs/langs/sv_SE/products.lang +++ b/htdocs/langs/sv_SE/products.lang @@ -80,8 +80,11 @@ SoldAmount=Sålt belopp PurchasedAmount=Inköpt antal NewPrice=Nytt pris MinPrice=Min. försäljningspris +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=Redigera försäljningsprisetikett -CantBeLessThanMinPrice=Försäljningspriset kan inte vara lägre än lägsta tillåtna för denna bok (%s utan skatt) +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Stängt ErrorProductAlreadyExists=En produkt med hänvisning %s finns redan. ErrorProductBadRefOrLabel=Felaktigt värde för referens eller etikett. @@ -347,16 +350,17 @@ UseProductFournDesc=Lägg till en funktion för att definiera produktbeskrivning ProductSupplierDescription=Leverantörsbeskrivning för produkten UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=Du kommer automatiskt att köpa en multipel av denna kvantitet. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=Mängden av linjen beräknades om enligt leverantörens förpackning #Attributes +Attributes=Egenskaper VariantAttributes=Variant attribut ProductAttributes=Varianter för produkter ProductAttributeName=Variantattribut %s ProductAttribute=Variantattribut ProductAttributeDeleteDialog=Är du säker på att du vill radera detta attribut? Alla värden kommer att raderas -ProductAttributeValueDeleteDialog=Är du säker på att du vill radera värdet "%s" med referensen "%s" i det här attributet? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Vill du verkligen ta bort varan av produkten " %s "? ProductCombinationAlreadyUsed=Ett fel uppstod när du raderade varianten. Kontrollera att den inte används i något objekt ProductCombinations=varianter @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Ett fel uppstod när du försökte radera befintl NbOfDifferentValues=Antal olika värden NbProducts=Antal produkter ParentProduct=Föräldraprodukt +ParentProductOfVariant=Parent product of variant HideChildProducts=Dölj variantprodukter ShowChildProducts=Visa variantprodukter NoEditVariants=Gå till föräldraproduktkort och ändra varianternas prispåverkan på fliken varianter @@ -417,7 +422,7 @@ ErrorsProductsMerge=Fel vid produkt sammanslagning SwitchOnSaleStatus=Ändra försäljningsstatus SwitchOnPurchaseStatus=Ändra köpstatus UpdatePrice=Öka/minska kundpriset -StockMouvementExtraFields= Extra fält (lagerrörelse) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Extra fält (inventering) ScanOrTypeOrCopyPasteYourBarCodes=Skanna eller skriv eller kopiera/klistra in dina streckkoder PuttingPricesUpToDate=Uppdatera priser med aktuella kända priser @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Välj det extrafält du vill ändra ConfirmEditExtrafieldQuestion = Är du säker på att du vill ändra detta extrafält? ModifyValueExtrafields = Ändra värdet för ett extrafält OrProductsWithCategories=Eller produkter med taggar/kategorier +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/sv_SE/projects.lang b/htdocs/langs/sv_SE/projects.lang index 19a2441ade3..2139a67bb75 100644 --- a/htdocs/langs/sv_SE/projects.lang +++ b/htdocs/langs/sv_SE/projects.lang @@ -33,7 +33,7 @@ DeleteATask=Ta bort uppgift ConfirmDeleteAProject=Är du säker på att du vill radera detta projekt? ConfirmDeleteATask=Är du säker på att du vill radera den här uppgiften? OpenedProjects=Öppna projekt -OpenedProjectsOpportunities=Open opportunities +OpenedProjectsOpportunities=Öppna möjligheter OpenedTasks=Öppna uppgifter OpportunitiesStatusForOpenedProjects=Leads med antal öppna projekt efter status OpportunitiesStatusForProjects=Leads med antal projekt efter status @@ -45,10 +45,11 @@ OutOfProject=Utanför projektet NoProject=Inget projekt angivet eller ägs NbOfProjects=Antal projekt NbOfTasks=Antal uppgifter +TimeEntry=Tidsuppföljning TimeSpent=Använd tid +TimeSpentSmall=Använd tid TimeSpentByYou=Tid använd av dig TimeSpentByUser=Tid använd av användare -TimesSpent=Använd tid TaskId=Uppgifts-ID RefTask=Uppgiftsref. LabelTask=Uppgiftsetikett @@ -82,7 +83,7 @@ MyProjectsArea=Mina projekt DurationEffective=Effektiv varaktighet ProgressDeclared=Faktiskt framgång TaskProgressSummary=Framsteg i uppgifter -CurentlyOpenedTasks=Öppna uppgifter +CurentlyOpenedTasks=För närvarande öppna uppgifter TheReportedProgressIsLessThanTheCalculatedProgressionByX=Den faktiska framgången är mindre %s än förbrukningen TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Den faktiska framgången är mer %s än förbrukningen ProgressCalculated=Framsteg och förbrukning @@ -122,7 +123,7 @@ TaskHasChild=Uppgiften har underordnade NotOwnerOfProject=Inte ägare av detta privata projekt AffectedTo=Allokerad CantRemoveProject=Detta projekt kan inte tas bort, eftersom det är refererat i något annat föremål (faktura, order etc.). Se flik %s -ValidateProject=Bekräfta projekt +ValidateProject=Validera projekt ConfirmValidateProject=Är du säker på att du vill bekräfta detta projekt? CloseAProject=Stäng projekt ConfirmCloseAProject=Är du säker på att du vill stänga detta projekt? @@ -203,7 +204,7 @@ InputPerMonth=Ingång per månad InputDetail=Inmatningsdetalj TimeAlreadyRecorded=Det här är den tid som redan spelats in för den här uppgiften / dag och användare %s ProjectsWithThisUserAsContact=Projekt med denna användare som kontakt -ProjectsWithThisContact=Projects with this third-party contact +ProjectsWithThisContact=Projekt med denna tredjepartskontakt TasksWithThisUserAsContact=Uppgifter som tilldelats den här användaren ResourceNotAssignedToProject=Ej tilldelat till projekt ResourceNotAssignedToTheTask=Ej tilldelad uppgiften @@ -226,7 +227,7 @@ ProjectsStatistics=Statistik över projekt eller leads TasksStatistics=Statistik över uppgifter eller projektledningar TaskAssignedToEnterTime=Uppgift som tilldelats. Det är möjligt att ange tid på denna uppgift. IdTaskTime=Id uppgiftstid -YouCanCompleteRef=Om du vill slutföra referensnumret med något suffix rekommenderas det att lägga till ett - tecken för att skilja det, så den automatiska numreringen fungerar fortfarande korrekt för nästa projekt. Till exempel %s-MYSUFFIX +YouCanCompleteRef=Om du vill komplettera referensen med något suffix, rekommenderas det att lägga till ett - tecken för att separera det, så att den automatiska numreringen fortfarande fungerar korrekt för nästa projekt. Till exempel %s-MYSUFFIX OpenedProjectsByThirdparties=Öppna projekt av tredje part OnlyOpportunitiesShort=Endast leder OpenedOpportunitiesShort=Öppna ledningar @@ -238,7 +239,7 @@ OpportunityPonderatedAmountDesc=Ledningar beloppas viktat med sannolikhet OppStatusPROSP=prospektering OppStatusQUAL=Kompetens OppStatusPROPO=Förslag -OppStatusNEGO=förhandling +OppStatusNEGO=Förhandling OppStatusPENDING=Avvaktande OppStatusWON=Vann OppStatusLOST=Förlorat diff --git a/htdocs/langs/sv_SE/propal.lang b/htdocs/langs/sv_SE/propal.lang index 119387e08fb..3e6a1e150b7 100644 --- a/htdocs/langs/sv_SE/propal.lang +++ b/htdocs/langs/sv_SE/propal.lang @@ -12,9 +12,11 @@ NewPropal=Nytt förslag Prospect=Prospect DeleteProp=Ta bort kommersiella förslag ValidateProp=Bekräfta kommersiella förslag +CancelPropal=Avbryt AddProp=Skapa förslag ConfirmDeleteProp=Är du säker på att du vill radera det här kommersiella förslaget? ConfirmValidateProp=Är du säker på att du vill bekräfta detta kommersiella förslag under namnet %s ? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Senaste %s-förslagen LastModifiedProposals=Senaste %s ändrade förslag AllPropals=Alla förslag @@ -27,11 +29,13 @@ NbOfProposals=Antal kommersiella förslag ShowPropal=Visa förslag PropalsDraft=Utkast PropalsOpened=Öppen +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Utkast (måste bekräftas) PropalStatusValidated=Validerad (förslag är öppen) PropalStatusSigned=Undertecknats (behov fakturering) PropalStatusNotSigned=Inte undertecknat (stängt) PropalStatusBilled=Fakturerade +PropalStatusCanceledShort=Avbruten PropalStatusDraftShort=Förslag PropalStatusValidatedShort=Bekräftat (öppen) PropalStatusClosedShort=Stängt @@ -55,6 +59,7 @@ CopyPropalFrom=Skapa kommersiella förslag genom att kopiera befintliga förslag CreateEmptyPropal=Skapa tomt kommersiellt förslag eller från listan över produkter / tjänster DefaultProposalDurationValidity=Standard kommersiella förslag giltighet längd (i dagar) DefaultPuttingPricesUpToDate=Uppdatera som standard priser med aktuella kända priser vid kloning av ett förslag +DefaultPuttingDescUpToDate=Uppdatera som standard beskrivningar med aktuella kända beskrivningar om kloning av ett förslag UseCustomerContactAsPropalRecipientIfExist=Använd kontakt / adress med typ "Kontakt efterföljande förslag" om det definieras i stället för tredjepartsadress som mottagaradress för förslag ConfirmClonePropal=Är du säker på att du vill klona det kommersiella förslaget %s ? ConfirmReOpenProp=Är du säker på att du vill öppna tillbaka det kommersiella förslaget %s ? @@ -113,6 +118,7 @@ RefusePropal=Avslå förslag Sign=Sign SignContract=Signera kontrakt SignFichinter=Signera intervention +SignSociete_rib=Sign mandate SignPropal=Acceptera förslaget Signed=signerad SignedOnly=Endast signerad diff --git a/htdocs/langs/sv_SE/receptions.lang b/htdocs/langs/sv_SE/receptions.lang index fbcf0febf4d..6dd9e61f378 100644 --- a/htdocs/langs/sv_SE/receptions.lang +++ b/htdocs/langs/sv_SE/receptions.lang @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=Bearbetad ReceptionSheet=Mottagningsblad ValidateReception=Validera mottagning ConfirmDeleteReception=Är du säker på att du vill ta bort denna mottagning? -ConfirmValidateReception=Är du säker på att du vill validera denna mottagning med referens %s ? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Är du säker på att du vill avbryta mottagningen? -StatsOnReceptionsOnlyValidated=Statistik som utförs på mottagningar är endast validerade. Datum som används är datum för valideringen av mottagningen (planerat leveransdatum är inte alltid känt). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Skicka mottagning via e-post SendReceptionRef=Inlämning av mottagning %s ActionsOnReception=Händelser i receptionen @@ -52,3 +52,7 @@ ReceptionExist=Det finns en mottagning ReceptionBackToDraftInDolibarr=Leverans %s tillbaka till utkast ReceptionClassifyClosedInDolibarr=Leverans %s klassificerad Stängd ReceptionUnClassifyCloseddInDolibarr=Leverans %s öppnad igen +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/sv_SE/sendings.lang b/htdocs/langs/sv_SE/sendings.lang index 65904dd0054..5a71d88c236 100644 --- a/htdocs/langs/sv_SE/sendings.lang +++ b/htdocs/langs/sv_SE/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Bekräftat StatusSendingProcessedShort=Bearbetade SendingSheet=Packsedel ConfirmDeleteSending=Är du säker på att du vill radera den här sändningen? -ConfirmValidateSending=Är du säker på att du vill validera denna försändelse med referens %s ? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Är du säker på att du vill avbryta denna leverans? DocumentModelMerou=Merou A5-modellen WarningNoQtyLeftToSend=Varning, att inga produkter väntar sändas. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Produktkvantitet från öppna inkö NoProductToShipFoundIntoStock=Ingen produkt skickas i frakt %s . Rätt lager eller gå tillbaka för att välja ett annat lager. WeightVolShort=Vikt / vol. ValidateOrderFirstBeforeShipment=Du måste först validera ordern innan du kan göra sändningar. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Summan av produktvikter # warehouse details DetailWarehouseNumber= Lagerinformation DetailWarehouseFormat= W: %s (Antal: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/sv_SE/stocks.lang b/htdocs/langs/sv_SE/stocks.lang index 2084e49b51c..59095a6c6df 100644 --- a/htdocs/langs/sv_SE/stocks.lang +++ b/htdocs/langs/sv_SE/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=Personlig lager %s ThisWarehouseIsPersonalStock=Detta lager representerar personligt lager av %s %s SelectWarehouseForStockDecrease=Välj lager som ska användas för lagerminskning SelectWarehouseForStockIncrease=Välj lager som ska användas för lagerökningen +RevertProductsToStock=Revert products to stock ? NoStockAction=Ingen lageråtgärd DesiredStock=Önskat lager DesiredStockDesc=Detta lagerbelopp kommer att vara det värde som används för att fylla beståndet genom fyllningsfunktionen. @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=Du har inte tillräckligt med lager för detta partin ShowWarehouse=Visa lagret MovementCorrectStock=Lagerkorrigering för produkt %s MovementTransferStock=Lagerförflyttning av produkt %s till ett annat lager +BatchStockMouvementAddInGlobal=Batch stock move into global stock (product doesn't use batch anymore) InventoryCodeShort=Inv./Mov. koda NoPendingReceptionOnSupplierOrder=Ingen väntande mottagning på grund av öppen inköpsorder ThisSerialAlreadyExistWithDifferentDate=Detta parti / serienummer ( %s ) existerar redan men med olika eatby eller sellby datum (hittade %s men du anger %s ). @@ -210,10 +212,10 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Lagerrörelser kommer att ha datum inventoryChangePMPPermission=Tillåt att ändra PMP-värde för en produkt ColumnNewPMP=Ny enhet PMP OnlyProdsInStock=Lägg inte till produkten utan lager -TheoricalQty=Teoretiskt antal -TheoricalValue=Teoretiskt antal +TheoricalQty=Theoretical qty +TheoricalValue=Theoretical qty LastPA=Senaste BP -CurrentPA=Curent BP +CurrentPA=Current BP RecordedQty=Registrerad antal RealQty=Verklig antal RealValue=Riktigt värde @@ -244,7 +246,7 @@ StockAtDatePastDesc=Du kan se aktien (verkligt lager) vid ett visst datum tidiga StockAtDateFutureDesc=Du kan se aktien (virtuellt lager) vid ett visst datum i framtiden CurrentStock=Nuvarande lager InventoryRealQtyHelp=Ställ in värdet till 0 för att återställa antal
      Håll fältet tomt eller ta bort rad för att hålla oförändrad -UpdateByScaning=Komplettera verkligt antal genom att skanna +UpdateByScaning=Complete real qty by scanning UpdateByScaningProductBarcode=Uppdatera med skanning (produktstreckkod) UpdateByScaningLot=Uppdatera med skanning (parti | seriell streckkod) DisableStockChangeOfSubProduct=Inaktivera lagerförändringen för alla delprodukter i detta kit under denna rörelse. @@ -280,7 +282,7 @@ ModuleStockTransferName=Avancerad lageröverföring ModuleStockTransferDesc=Avancerad hantering av lageröverföring, med generering av överföringsblad StockTransferNew=Ny lageröverföring StockTransferList=Lageröverföring lista -ConfirmValidateStockTransfer=Är du säker på att du vill validera denna lageröverföring med referens %s ? +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? ConfirmDestock=Minskning av lager med överföring %s ConfirmDestockCancel=Avbryt minskning av lager med överföring %s DestockAllProduct=Minskning av lager @@ -307,8 +309,8 @@ StockTransferDecrementationCancel=Avbryt minskning av källlager StockTransferIncrementationCancel=Avbryt ökning av destinationslager StockStransferDecremented=Källlager minskade StockStransferDecrementedCancel=Minskning av källlager inställd -StockStransferIncremented=Stängt - Lager överfört -StockStransferIncrementedShort=Lager överfört +StockStransferIncremented=Closed - Stocks transferred +StockStransferIncrementedShort=Stocks transferred StockStransferIncrementedShortCancel=Ökning av destinationslager inställd StockTransferNoBatchForProduct=Produkten %s använder inte batch, rensa batch on line och försök igen StockTransferSetup = Konfiguration av lageröverföringsmodul @@ -318,8 +320,18 @@ StockTransferRightRead=Läs lageröverföringar StockTransferRightCreateUpdate=Skapa/uppdatera lageröverföringar StockTransferRightDelete=Ta bort lageröverföringar BatchNotFound=Parti/serie hittades inte för denna produkt +StockEntryDate=Date of
      entry in stock StockMovementWillBeRecorded=Stock movement will be recorded StockMovementNotYetRecorded=Stock movement will not be affected by this step +ReverseConfirmed=Stock movement has been reversed successfully + WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse +ValidateInventory=Inventory validation +IncludeSubWarehouse=Include sub-warehouse ? +IncludeSubWarehouseExplanation=Check this box if you want to include all sub-warehouses of the associated warehouse in the inventory DeleteBatch=Delete lot/serial ConfirmDeleteBatch=Are you sure you want to delete lot/serial ? +WarehouseUsage=Warehouse usage +InternalWarehouse=Internal warehouse +ExternalWarehouse=External warehouse +WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse diff --git a/htdocs/langs/sv_SE/website.lang b/htdocs/langs/sv_SE/website.lang index 388d5090ecb..4fe190cca59 100644 --- a/htdocs/langs/sv_SE/website.lang +++ b/htdocs/langs/sv_SE/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Alternativa sidnamn / alias WEBSITE_ALIASALTDesc=Använd här listan över andra namn / alias så att sidan även kan nås med dessa andra namn / alias (till exempel det gamla namnet efter att namnge aliaset för att hålla bakåtlänk på gammal länk / namnarbete). Syntaxen är:
      alternativnamn1, alternativnamn2, ... WEBSITE_CSS_URL=URL för extern CSS-fil WEBSITE_CSS_INLINE=CSS-filinnehåll (vanligt för alla sidor) -WEBSITE_JS_INLINE=Javascript-filinnehåll (vanligt för alla sidor) +WEBSITE_JS_INLINE=JavaScript-filinnehåll (gemensamt för alla sidor) WEBSITE_HTML_HEADER=Tillägg längst ner i HTML-rubrik (vanligt för alla sidor) WEBSITE_ROBOT=Robotfil (robots.txt) WEBSITE_HTACCESS=Webbsida. Htaccess-fil @@ -60,10 +60,11 @@ NoPageYet=Inga sidor ännu YouCanCreatePageOrImportTemplate=Du kan skapa en ny sida eller importera en fullständig webbplatsmall SyntaxHelp=Hjälp med specifika syntaxtips YouCanEditHtmlSourceckeditor=Du kan redigera HTML-källkod med knappen "Källa" i redigeraren. -YouCanEditHtmlSource=
      Du kan inkludera PHP-kod i den här källan med taggar <? php? > a0a65d071f6fcf Följande globala variabler är tillgängliga: $ conf, $ db, $ mysoc, $ user, $ website, $ websitepage, $ weblangs, $ pagelangs.

      Du kan också inkludera innehållet i en annan sida / behållare med följande syntax:
      a313907? ? >

      Du kan göra en omdirigering till en annan sida / Container med följande syntax (OBS! Inte ut innehållet innan en omdirigering):
      < php redirectToContainer (alias_of_container_to_redirect_to '); ? >

      att lägga till en länk till en annan sida använder syntax:
      <a href = "alias_of_page_to_link_to.php" >mylink<a>

      att inkludera en länk för att hämta en fil som lagras i dokument -katalog, använd document.php wrapper:
      Exempel, för en fil till dokument / ecm (måste loggas), syntax är: a0342fccfda19b4 ] filename.ext ">

      För en fil till dokument / media (öppen katalog för allmän åtkomst) är syntax:
      a03900df7d "/document.php?modulepart=medias&file= [relative_dir/] filnamn.ext">
      För en fil som delas med en delningslänk (öppen åtkomst med den delande hash-nyckeln för fil) är syntax20 /document.php?hashp=publicsharekeyoffile">


      för att inkludera en bild lagras in i de dokument katalog använder viewimage.php wrapper:
      Exempel, för en bild i dokument / medier (öppna katalog för allmän åtkomst), syntax är:
      <img src = "/ viewimage.php? modulepart = medias&file = [relativ_dir /] filnamn.ext" a012c07 -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=För en bild som delas med en delningslänk (öppen åtkomst med hjälp av fildelnings-hash-nyckeln), är syntaxen:
      <img src="/viewimage.php?hashp=120142567...accad09accdf0000142677acccf0001425677acccf0001425677accdf0001426770001426670001426770001256770001256770000000000000000002000 -YouCanEditHtmlSourceMore=
      Fler exempel på HTML eller dynamisk kod finns på wikidokumentationen
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Klona sida / behållare CloneSite=Klona webbplatsen SiteAdded=Webbplats tillagd @@ -83,7 +84,7 @@ BlogPost=Blogginlägg WebsiteAccount=Webbsida konto WebsiteAccounts=Webbsida konton AddWebsiteAccount=Skapa webbplatskonto -BackToListForThirdParty=Back to list for the third parties +BackToListForThirdParty=Tillbaka till listan för tredje part DisableSiteFirst=Inaktivera webbplats först MyContainerTitle=Min webbplatstitel AnotherContainer=Så här inkluderar du innehåll från en annan sida / behållare (du kan ha ett fel här om du aktiverar dynamisk kod eftersom den inbäddade underbehållaren kanske inte finns) @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Tyvärr, den här webbplatsen är för närvarand WEBSITE_USE_WEBSITE_ACCOUNTS=Aktivera webbsidokontotabellen WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Aktivera tabellen för att lagra webbplatskonton (inloggning / överföring) för varje webbplats / tredje part YouMustDefineTheHomePage=Du måste först definiera standard startsida -OnlyEditionOfSourceForGrabbedContentFuture=Varning: Skapa en webbsida genom att importera en extern webbsida är reserverad för erfarna användare. Beroende på källsidans komplexitet kan resultatet av importen skilja sig från originalet. Även om källsidan använder vanliga CSS-stilar eller motstridiga javaskript kan det bryta utseendet eller funktionerna hos webbplatsredigeraren när du arbetar på den här sidan. Den här metoden är ett snabbare sätt att skapa en sida men det rekommenderas att du skapar din nya sida från grunden eller från en föreslagen sidmall.
      Observera också att inline-redigeraren kanske inte fungerar korrekt när den används på en gripen extern sida. +OnlyEditionOfSourceForGrabbedContentFuture=Varning: Att skapa en webbsida genom att importera en extern webbsida är reserverat för erfarna användare. Beroende på källsidans komplexitet kan resultatet av importen skilja sig från originalet. Om källsidan använder vanliga CSS-stilar eller motstridiga JavaScript, kan det även bryta utseendet eller funktionerna hos webbplatsredigeraren när du arbetar på den här sidan. Den här metoden är ett snabbare sätt att skapa en sida men det rekommenderas att skapa din nya sida från början eller från en föreslagen sidmall.
      Observera också att inline-redigeraren kanske inte fungerar korrekthet när den används på en gripen extern sida. OnlyEditionOfSourceForGrabbedContent=Endast upplagan av HTML-källan är möjlig när innehållet greppades från en extern webbplats GrabImagesInto=Ta även bilder som finns i css och sidan. ImagesShouldBeSavedInto=Bilder ska sparas i katalogen @@ -112,13 +113,13 @@ GoTo=Gå till DynamicPHPCodeContainsAForbiddenInstruction=Du lägger till dynamisk PHP-kod som innehåller PHP-instruktionen ' %s ' som är förbjudet som standard som dynamiskt innehåll (se dolda alternativ WEBSITE_PHP_ALLOW_xxx för att öka listan över tillåtna kommandon). NotAllowedToAddDynamicContent=Du har inte behörighet att lägga till eller redigera dynamiskt PHP-innehåll på webbplatser. Be tillåtelse eller behåll bara koden i php-taggar omodifierade. ReplaceWebsiteContent=Sök eller ersätt webbplatsinnehåll -DeleteAlsoJs=Vill du ta bort alla JavaScript-filer som är specifika för den här webbplatsen? -DeleteAlsoMedias=Ta bort alla mediefiler som är specifika för den här webbplatsen? +DeleteAlsoJs=Vill du också ta bort alla JavaScript-filer som är specifika för den här webbplatsen? +DeleteAlsoMedias=Vill du också ta bort alla mediefiler som är specifika för denna webbplats? MyWebsitePages=Mina webbplatser SearchReplaceInto=Sök | Byt ut i ReplaceString=Ny sträng CSSContentTooltipHelp=Ange här CSS-innehåll. För att undvika konflikter med applikationens CSS, var noga med att förbereda alla deklarationer med .bodywebsite-klassen. Till exempel:

      #mycssselector, input.myclass: hover {...}
      måste vara
      .bodywebsite #mycssselector, .bodywebsite input.myccc2: hover2 ... detta prefix kan du använda 'lessc' för att konvertera det för att lägga till .bodywebsite-prefixet överallt. -LinkAndScriptsHereAreNotLoadedInEditor=Varning: Det här innehållet matas bara ut när webbplatsen nås från en server. Det används inte i redigeringsläge, så om du behöver ladda javascriptfiler också i redigeringsläge, lägg bara till din tagg 'script src = ...' på sidan. +LinkAndScriptsHereAreNotLoadedInEditor=Varning: Detta innehåll matas endast ut när webbplatsen nås från en server. Det används inte i redigeringsläge så om du behöver ladda JavaScript-filer även i redigeringsläge, lägg bara till din tagg 'script src=...' på sidan. Dynamiccontent=Exempel på en sida med dynamiskt innehåll ImportSite=Importera webbsidans mall EditInLineOnOff=Läget 'Redigera inline' är %s @@ -158,5 +159,8 @@ Reservation=Reservation PagesViewedPreviousMonth=Visade sidor (föregående månad) PagesViewedTotal=Visade sidor (totalt) Visibility=Synlighet -Everyone=Everyone +Everyone=Alla AssignedContacts=Tilldelade kontakter +WebsiteTypeLabel=Typ av webbplats +WebsiteTypeDolibarrWebsite=Webbplats (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Inhemsk Dolibarr-portal diff --git a/htdocs/langs/sv_SE/withdrawals.lang b/htdocs/langs/sv_SE/withdrawals.lang index d31193f9725..3ac05072146 100644 --- a/htdocs/langs/sv_SE/withdrawals.lang +++ b/htdocs/langs/sv_SE/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Gör en kreditöverföringsbegäran WithdrawRequestsDone=%s begärda betalningsförfrågningar BankTransferRequestsDone=%s kreditöverföringsförfrågningar registrerade ThirdPartyBankCode=Tredjeparts bankkod -NoInvoiceCouldBeWithdrawed=Ingen faktura debiteras framgångsrikt. Kontrollera att fakturor är på företag med en giltig IBAN och att IBAN har en UMR (Unique Mandate Reference) med läget %s . +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=Detta uttagskvitto är redan markerat som krediterat. detta kan inte göras två gånger, eftersom detta potentiellt skulle kunna skapa dubbla betalningar och bankposter. ClassCredited=Märk krediterad ClassDebited=Markera debiterad @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Är du säker på att du vill ange ett tillbakadragande RefusedData=Datum för avslag RefusedReason=Orsak till avslag RefusedInvoicing=Fakturering avslaget -NoInvoiceRefused=Ladda inte avslaget -InvoiceRefused=Faktura vägrade (Ladda avslag till kunden) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Statusavgift / kredit StatusWaiting=Väntar StatusTrans=Överförs @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Mandat underskrift datum RUMLong=Unik Mandatreferens RUMWillBeGenerated=Om tomt kommer en UMR (Unique Mandate Reference) att genereras när bankkontoinformationen är sparad. -WithdrawMode=Direkt debiteringsläge (FRST eller RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Belopp för direkt debitering: BankTransferAmount=Belopp på kreditöverföringsbegäran: WithdrawRequestErrorNilAmount=Det gick inte att skapa en direkt debitering för tom belopp. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Ditt bankkontonamn (IBAN) SEPAFormYourBIC=Din Bank Identifier Code (BIC) SEPAFrstOrRecur=Typ av betalning ModeRECUR=Återkommande betalning +ModeRCUR=Recurring payment ModeFRST=Engångsbetalning PleaseCheckOne=Vänligen kolla en enda CreditTransferOrderCreated=Kreditöverföringsorder %s skapades @@ -155,9 +159,16 @@ InfoTransData=Belopp: %s
      Metode: %s
      Datum: %s InfoRejectSubject=Betalningsordern vägrade InfoRejectMessage=Hej,

      Betalningsordern för fakturan %s relaterad till företaget %s, med ett belopp på %s, har vägrats av banken.

      -
      %s ModeWarning=Alternativ på riktigt läget inte var satt, sluta vi efter denna simulering -ErrorCompanyHasDuplicateDefaultBAN=Företag med id %s har mer än ett standardbankkonto. Inget sätt att veta vilken man ska använda. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Saknar ICS på bankkonto %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Det totala beloppet för direktdebitering skiljer sig från summan av rader WarningSomeDirectDebitOrdersAlreadyExists=Varning: Det finns redan några pågående direktdebiteringsorder (%s) begärda för ett belopp på %s WarningSomeCreditTransferAlreadyExists=Varning: Det finns redan några pågående kreditöverföringar (%s) begärda för ett belopp på %s UsedFor=Används för %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Lön +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/sv_SE/workflow.lang b/htdocs/langs/sv_SE/workflow.lang index 0311dba3df8..b48a47a8d84 100644 --- a/htdocs/langs/sv_SE/workflow.lang +++ b/htdocs/langs/sv_SE/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Skapa automatiskt en kundfaktura efter descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Skapa en kundfaktura automatiskt efter att en order har stängts (den nya fakturan kommer att ha samma belopp som ordern) descWORKFLOW_TICKET_CREATE_INTERVENTION=Skapa automatiskt en intervention när du skapar ett ärende. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Märk den länkade källofferten som fakturerad när försäljningsordern är märkt fakturerad (och om orderens storlek är densamma som det totala beloppet för den signerade länkade offerten) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Märk den länkade källofferten som fakturerad när kundfakturan är bekräftad (och om fakturans belopp är samma som det totala beloppet för den signerade länkade offerten) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Märk länkad källorder som fakturerad när kundfaktura är bekräftad (och om fakturans storlek är densamma som totalbeloppet för den länkade ordern) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Märk länkad källorder som fakturerad när kundfaktura är inställd på att betalas (och om fakturans storlek är densamma som totalbeloppet för den länkade ordern) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Märk länkad källorder som skickad när en försändelse är bekräftad (och om den mängd som skickas i alla leveranser är densamma som i ordern som ska uppdateras) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Märk länkad källorder som levererad när en försändelse stängs (och om antalet som skickas i alla försändelser är densamma som i ordern som ska uppdateras) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Märk länkad käll-leverantörsoffert som fakturerad när leverantörsfaktura är bekräftad (och om fakturans storlek är densamma som det totala beloppet för den länkade offerten) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Märk länkad inköpsorder som fakturerad när leverantörsfaktura är bekräftad (och om fakturans storlek är densamma som totalbeloppet för den länkade ordern) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Märk länkad inköpsorder som mottagen när en mottagning bekräftas (och om antalet som tas emot i alla mottagningar är densamma som i inköpsordern som ska uppdateras) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Märk länkad inköpsorder som mottagen när en mottagning stängs (och om antalet som tas emot i alla mottagningar är densamma som i inköpsordern som ska uppdateras) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Märk mottagningar som "fakturerade" när en länkad inköpsfaktura bekräftas (och om fakturabeloppet är detsamma som det totala beloppet för de länkade mottagningarna) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=När du skapar ett ärende, länka tillgängliga kontrakt från matchande tredjepart +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=När du kopplar kontrakt sök bland moderbolagens # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Stäng alla intervention kopplade till ärendet när ärendet stängs AutomaticCreation=Automatiskt skapande AutomaticClassification=Automatisk märkning -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Märk länkad källförsändelse som stängd när kundfakturan bekräftas (och om fakturabeloppet är detsamma som det totala beloppet för de länkade försändelserna) AutomaticClosing=Automatisk stängning AutomaticLinking=Automatisk länkning diff --git a/htdocs/langs/sw_SW/admin.lang b/htdocs/langs/sw_SW/admin.lang index 1ce5936732c..16a193e26dd 100644 --- a/htdocs/langs/sw_SW/admin.lang +++ b/htdocs/langs/sw_SW/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Sehemu hii haionekani sambamba na Dolibarr yako %s (Dak %s - Upeo CompatibleAfterUpdate=Sehemu hii inahitaji sasisho kwa Dolibarr yako %s (Dak %s - Upeo wa %s) SeeInMarkerPlace=Angalia katika Soko SeeSetupOfModule=Angalia usanidi wa sehemu %s +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=Weka chaguo %s hadi %s Updated=Imesasishwa AchatTelechargement=Nunua / Pakua @@ -292,22 +294,22 @@ EmailSenderProfiles=Wasifu wa mtumaji barua pepe EMailsSenderProfileDesc=Unaweza kuweka sehemu hii tupu. Ukiingiza baadhi ya barua pepe hapa, zitaongezwa kwenye orodha ya watumaji wanaowezekana kwenye kisanduku cha kuchana unapoandika barua pepe mpya. MAIN_MAIL_SMTP_PORT=Lango la SMTP/SMTPS (thamani chaguomsingi katika php.ini: %s ) MAIN_MAIL_SMTP_SERVER=Seva pangishi ya SMTP/SMTPS (thamani chaguomsingi katika php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Bandari ya SMTP/SMTPS (Haijafafanuliwa katika PHP kwenye mifumo kama Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Mpangishi wa SMTP/SMTPS (Haijafafanuliwa katika PHP kwenye mifumo kama Unix) -MAIN_MAIL_EMAIL_FROM=Barua pepe ya mtumaji ya barua pepe za kiotomatiki (thamani chaguomsingi katika php.ini: %s ) -EMailHelpMsgSPFDKIM=Ili kuzuia barua pepe za Dolibarr kuainishwa kama barua taka, hakikisha kuwa seva imeidhinishwa kutuma barua pepe kutoka kwa anwani hii kwa usanidi wa SPF na DKIM. +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=Barua pepe inayotumiwa kwa makosa hurejesha barua pepe (sehemu za 'Makosa-Kwa' katika barua pepe zilizotumwa) MAIN_MAIL_AUTOCOPY_TO= Nakili (Bcc) barua pepe zote zilizotumwa kwa MAIN_DISABLE_ALL_MAILS=Zima utumaji barua pepe zote (kwa madhumuni ya majaribio au maonyesho) MAIN_MAIL_FORCE_SENDTO=Tuma barua pepe zote kwa (badala ya wapokeaji halisi, kwa madhumuni ya majaribio) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Pendekeza barua pepe za wafanyikazi (ikiwa zimefafanuliwa) kwenye orodha ya wapokeaji waliobainishwa wakati wa kuandika barua pepe mpya. -MAIN_MAIL_NO_WITH_TO_SELECTED=Usichague mpokeaji chaguo-msingi hata kama chaguo moja +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=Njia ya kutuma barua pepe MAIN_MAIL_SMTPS_ID=Kitambulisho cha SMTP (ikiwa kutuma seva kunahitaji uthibitishaji) MAIN_MAIL_SMTPS_PW=Nenosiri la SMTP (ikiwa kutuma seva kunahitaji uthibitishaji) MAIN_MAIL_EMAIL_TLS=Tumia usimbaji fiche wa TLS (SSL). MAIN_MAIL_EMAIL_STARTTLS=Tumia usimbaji fiche wa TLS (STARTTLS). -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Idhinisha les certificas signés otomatiki +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=Tumia DKIM kutengeneza saini ya barua pepe MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain kwa matumizi na dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Jina la kichaguzi cha dkim @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Ufunguo wa faragha wa kusaini dkim MAIN_DISABLE_ALL_SMS=Zima utumaji SMS zote (kwa madhumuni ya majaribio au maonyesho) MAIN_SMS_SENDMODE=Njia ya kutumia kutuma SMS MAIN_MAIL_SMS_FROM=Nambari chaguomsingi ya simu ya mtumaji kwa kutuma SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Barua pepe chaguo-msingi ya mtumaji kwa ajili ya kutuma mwenyewe (Barua pepe ya Mtumiaji au barua pepe ya Kampuni) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=Barua pepe ya mtumiaji CompanyEmail=Barua pepe ya Kampuni FeatureNotAvailableOnLinux=Kipengele hakipatikani kwenye Unix kama mifumo. Jaribu programu yako ya kutuma barua pepe ndani ya nchi. @@ -417,6 +419,7 @@ PDFLocaltax=Sheria za %s HideLocalTaxOnPDF=Ficha %s kiwango katika safu Kodi ya Mauzo / VAT HideDescOnPDF=Ficha maelezo ya bidhaa HideRefOnPDF=Ficha bidhaa ref. +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=Ficha maelezo ya mistari ya bidhaa PlaceCustomerAddressToIsoLocation=Tumia nafasi ya kawaida ya kifaransa (La Poste) kwa nafasi ya anwani ya mteja Library=Maktaba @@ -424,7 +427,7 @@ UrlGenerationParameters=Vigezo vya kulinda URL SecurityTokenIsUnique=Tumia kigezo cha kipekee cha ufunguo salama kwa kila URL EnterRefToBuildUrl=Weka marejeleo ya kitu %s GetSecuredUrl=Pata URL iliyohesabiwa -ButtonHideUnauthorized=Ficha vitufe vya vitendo ambavyo havijaidhinishwa pia kwa watumiaji wa ndani (vinginevyo vimetiwa mvi) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=Kiwango cha VAT cha zamani NewVATRates=Kiwango kipya cha VAT PriceBaseTypeToChange=Rekebisha bei ukitumia thamani ya msingi iliyobainishwa @@ -458,11 +461,11 @@ ComputedFormula=Sehemu iliyokokotwa ComputedFormulaDesc=Unaweza kuingiza hapa fomula ukitumia sifa zingine za kitu au usimbaji wowote wa PHP ili kupata thamani inayotumika iliyokokotwa. Unaweza kutumia fomula zozote zinazooana na PHP ikijumuisha "?" opereta wa hali, na kitu kinachofuata kimataifa: $db, $conf, $langs, $mysoc, $user, $objectoffield .
      ONYO : Ikiwa unahitaji sifa za kitu ambacho hakijapakiwa, jiletee tu kitu hicho kwenye fomula yako kama katika mfano wa pili.
      Kutumia sehemu iliyokokotwa inamaanisha huwezi kujiwekea thamani yoyote kutoka kwa kiolesura. Pia, ikiwa kuna kosa la syntax, fomula inaweza kurudisha chochote.

      Mfano wa fomula:
      $objectoffield->id < 10 ? round($objectoffield-> id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Mfano wa kupakia upya kitu
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital='2'af span / 5: 9bz0
      \n
      Mfano mwingine wa fomula ya kulazimisha upakiaji wa kitu na kitu chake kikuu:
      (($reloadedobj = Task mpya($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($seconndloadedobj = Mradi mpya($db)) && ($seconndloadedobj->fetchNoCompute0project) >reloadkproject($f)> $seconloadeddobj->ref: 'Mradi wa mzazi haujapatikana' Computedpersistent=Hifadhi sehemu iliyokokotwa ComputedpersistentDesc=Sehemu za ziada zilizokokotwa zitahifadhiwa kwenye hifadhidata, hata hivyo, thamani itahesabiwa upya tu wakati kitu cha uga huu kinabadilishwa. Ikiwa uga uliokokotwa unategemea vitu vingine au data ya kimataifa thamani hii inaweza kuwa si sahihi!! -ExtrafieldParamHelpPassword=Ukiacha sehemu hii wazi inamaanisha thamani hii itahifadhiwa bila usimbaji fiche (uga lazima ufiche tu na nyota kwenye skrini).
      Weka 'otomatiki' ili kutumia sheria chaguo-msingi ya usimbaji fiche ili kuhifadhi nenosiri kwenye hifadhidata (basi thamani iliyosomwa itakuwa heshi pekee, hakuna njia ya kupata thamani asilia) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=Orodha ya thamani lazima iwe mistari yenye ufunguo wa umbizo, thamani (ambapo ufunguo hauwezi kuwa '0')

      kwa mfano:
      1,value1
      2,value2
      code3,value3
      ...

      Ili kuwa na orodha kulingana na orodha nyingine ya sifa inayosaidia:
      1,value1|options_ parent_list_code :parent_key
      2,value2|options_ parent_list_code :parent_key

      Ili kuwa na orodha kulingana na orodha nyingine:
      1, thamani1| parent_list_code :parent_key
      2, thamani2| parent_list_code :ufunguo_wa_mzazi ExtrafieldParamHelpcheckbox=Orodha ya thamani lazima iwe mistari yenye ufunguo wa umbizo, thamani (ambapo ufunguo hauwezi kuwa '0')

      kwa mfano:
      1,value1
      2,value2
      3,value3
      ... ExtrafieldParamHelpradio=Orodha ya thamani lazima iwe mistari yenye ufunguo wa umbizo, thamani (ambapo ufunguo hauwezi kuwa '0')

      kwa mfano:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=Orodha ya thamani hutoka kwa jedwali
      Sintaksia: table_name:label_field:id_field::filtersql
      Mfano: c_typent:libelle:id::filtersql

      - id_field lazima iwe ufunguo msingi wa int
      - filtersql ni hali ya SQL. Inaweza kuwa jaribio rahisi (km active=1) ili kuonyesha thamani inayotumika pekee
      Unaweza pia kutumia $ID$ katika kichujio ambacho ni kitambulisho cha sasa cha kitu cha sasa
      Ili kutumia SELECT kwenye kichujio tumia neno kuu $SEL$ ili kukwepa ulinzi wa kuzuia kudungwa.
      ukitaka kuchuja kwenye nyanja za ziada tumia syntax extra.fieldcode=... (ambapo msimbo wa sehemu ni msimbo wa uwanja wa ziada)

      Ili kuwa na orodha kulingana na orodha nyingine ya sifa inayosaidia:
      c_typent:libelle:id:options_ parent_list_code |parent_column:filter

      Ili kuwa na orodha kulingana na orodha nyingine:
      c_typent:libelle:id: parent_list_code |safu_ya_mzazi:chujio +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Orodha ya thamani hutoka kwa jedwali
      Sintaksia: table_name:label_field:id_field::filtersql
      Mfano: c_typent:libelle:id::filtersql

      kichujio kinaweza kuwa jaribio rahisi (km active=1) ili kuonyesha thamani amilifu pekee
      Unaweza pia kutumia $ID$ katika kichungi cha kichujio ndicho kitambulisho cha sasa cha kitu cha sasa
      Ili kufanya SELECT katika kichujio tumia $SEL$
      ukitaka kuchuja kwenye nyanja za ziada tumia syntax extra.fieldcode=... (ambapo msimbo wa sehemu ni msimbo wa uwanja wa ziada)

      Ili kuwa na orodha kulingana na orodha nyingine ya sifa inayosaidia:
      c_typent:libelle:id:options_ parent_list_code |parent_column:filter

      Ili kuwa na orodha kulingana na orodha nyingine:
      c_typent:libelle:id: parent_list_code |safu_ya_mzazi:chujio ExtrafieldParamHelplink=Vigezo lazima ziwe ObjectName:Classpath
      Sintaksia: Jina la Kitu: Njia ya darasa ExtrafieldParamHelpSeparator=Weka tupu kwa kitenganishi rahisi
      Weka hii iwe 1 kwa kitenganishi kinachokunjwa (hufunguliwa kwa chaguomsingi kwa kipindi kipya, kisha hali huwekwa kwa kila kipindi cha mtumiaji)
      Weka hii kuwa 2 kwa kitenganishi kinachoporomoka (kilichoporomoka kwa chaguo-msingi kwa kipindi kipya, kisha hali inawekwa mbele ya kila kipindi cha mtumiaji) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Weka nambari ya simu ya kupiga ili kuonyesha kiungo cha ku RefreshPhoneLink=Onyesha upya kiungo LinkToTest=Kiungo kinachoweza kubofya kimetolewa kwa mtumiaji %s (bonyeza nambari ya simu ili kujaribu) KeepEmptyToUseDefault=Weka tupu ili kutumia thamani chaguomsingi -KeepThisEmptyInMostCases=Katika hali nyingi, unaweza kuweka sehemu hii tupu. +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=Kiungo chaguomsingi SetAsDefault=Weka kama chaguomsingi ValueOverwrittenByUserSetup=Onyo, thamani hii inaweza kufutwa na usanidi maalum wa mtumiaji (kila mtumiaji anaweza kuweka url yake ya kubofya) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Hili ndilo jina la uga wa HTML. Ujuzi wa kiufundi una PageUrlForDefaultValues=Lazima uweke njia ya jamaa ya URL ya ukurasa. Ukijumuisha vigezo katika URL, itafaa ikiwa vigezo vyote katika URL iliyovinjari vina thamani iliyofafanuliwa hapa. PageUrlForDefaultValuesCreate=
      Mfano:
      Ili fomu iunde mtu mwingine mpya, ni %s .
      Kwa URL ya sehemu za nje zilizosakinishwa kwenye saraka maalum, usijumuishe "desturi/", kwa hivyo tumia njia kama mymodule/mypage.php na si desturi/mymodule/mypage.php.
      Ikiwa unataka thamani chaguo-msingi ikiwa url ina kigezo fulani, unaweza kutumia %s PageUrlForDefaultValuesList=
      Mfano:
      Kwa ukurasa unaoorodhesha wahusika wengine, ni %s .
      Kwa URL ya sehemu za nje zilizosakinishwa kwenye saraka maalum, usijumuishe "desturi/" kwa hivyo tumia njia kama mymodule/mypagelist.php na si desturi/mymodule/mypagelist.php.
      Ikiwa unataka thamani chaguo-msingi ikiwa url ina kigezo fulani, unaweza kutumia %s -AlsoDefaultValuesAreEffectiveForActionCreate=Pia kumbuka kuwa kubatilisha maadili chaguo-msingi kwa kuunda fomu hufanya kazi tu kwa kurasa ambazo ziliundwa kwa usahihi (kwa hivyo na parameta action=create or presend...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=Washa ubinafsishaji wa thamani chaguo-msingi EnableOverwriteTranslation=Ruhusu ubinafsishaji wa tafsiri GoIntoTranslationMenuToChangeThis=Tafsiri imepatikana kwa ufunguo wenye msimbo huu. Ili kubadilisha thamani hii, lazima uihariri kutoka kwa Usanidi wa Nyumbani-utafsiri. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Saraka ya kibinafsi ya jumla ni saraka ya WebDAV am DAV_ALLOW_PUBLIC_DIR=Washa saraka ya umma ya jumla (saraka iliyojitolea ya WebDAV inayoitwa "umma" - hakuna kuingia kunahitajika) DAV_ALLOW_PUBLIC_DIRTooltip=Saraka ya umma ni saraka ya WebDAV ambayo mtu yeyote anaweza kufikia (katika hali ya kusoma na kuandika), bila idhini inayohitajika (akaunti ya kuingia/nenosiri). DAV_ALLOW_ECM_DIR=Washa saraka ya kibinafsi ya DMS/ECM (saraka ya mizizi ya moduli ya DMS/ECM - kuingia kunahitajika) -DAV_ALLOW_ECM_DIRTooltip=Saraka ya mizizi ambapo faili zote hupakiwa kwa mikono wakati wa kutumia moduli ya DMS/ECM. Vile vile kama ufikiaji kutoka kwa kiolesura cha wavuti, utahitaji kuingia/nenosiri halali lenye vibali vya kutosha ili kulifikia. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=Watumiaji na Vikundi Module0Desc=Usimamizi wa Watumiaji / Wafanyakazi na Vikundi @@ -566,7 +569,7 @@ Module40Desc=Wachuuzi na usimamizi wa ununuzi (maagizo ya ununuzi na malipo ya a Module42Name=Kumbukumbu za utatuzi Module42Desc=Vifaa vya ukataji miti (faili, syslog, ...). Kumbukumbu kama hizo ni kwa madhumuni ya kiufundi/utatuzi. Module43Name=Upau wa Utatuzi -Module43Desc=Zana ya msanidi programu kuongeza upau wa utatuzi kwenye kivinjari chako. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=Wahariri Module49Desc=Usimamizi wa wahariri Module50Name=Bidhaa @@ -582,7 +585,7 @@ Module54Desc=Usimamizi wa mikataba (huduma au usajili unaorudiwa) Module55Name=Misimbo pau Module55Desc=Udhibiti wa msimbo pau au msimbo wa QR Module56Name=Malipo kwa uhamisho wa mkopo -Module56Desc=Usimamizi wa malipo ya wasambazaji kwa maagizo ya Uhamisho wa Mikopo. Inajumuisha uundaji wa faili ya SEPA kwa nchi za Ulaya. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=Malipo kwa Debit ya Moja kwa moja Module57Desc=Usimamizi wa maagizo ya Debit ya moja kwa moja. Inajumuisha kuunda faili ya SEPA kwa nchi za Ulaya. Module58Name=BofyaToDial @@ -630,6 +633,10 @@ Module600Desc=Tuma arifa za barua pepe zinazochochewa na tukio la biashara: kwa Module600Long=Kumbuka kuwa sehemu hii hutuma barua pepe katika muda halisi tukio mahususi la biashara linapotokea. Ikiwa unatafuta kipengele cha kutuma vikumbusho vya barua pepe kwa matukio ya ajenda, nenda kwenye usanidi wa moduli ya Agenda. Module610Name=Lahaja za Bidhaa Module610Desc=Uundaji wa anuwai za bidhaa (rangi, saizi n.k.) +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=Michango Module700Desc=Usimamizi wa michango Module770Name=Ripoti za Gharama @@ -650,8 +657,8 @@ Module2300Name=Kazi zilizopangwa Module2300Desc=Usimamizi wa kazi ulioratibiwa (pak cron au jedwali la chrono) Module2400Name=Matukio/Ajenda Module2400Desc=Fuatilia matukio. Rekodi matukio ya kiotomatiki kwa madhumuni ya kufuatilia au rekodi matukio ya mwongozo au mikutano. Hii ndiyo moduli kuu ya Usimamizi mzuri wa Uhusiano wa Wateja au Muuzaji. -Module2430Name=Online Booking Calendar -Module2430Desc=Toa kalenda ya mtandaoni ili kumruhusu mtu yeyote kuweka nafasi ya rendez-vous, kulingana na masafa au upatikanaji uliobainishwa awali. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM Module2500Desc=Mfumo wa Usimamizi wa Hati / Usimamizi wa Maudhui ya Kielektroniki. Kupanga kiotomatiki kwa hati zako zilizozalishwa au zilizohifadhiwa. Zishiriki unapozihitaji. Module2600Name=API / Huduma za Wavuti (seva ya SOAP) @@ -672,7 +679,7 @@ Module3300Desc=Zana ya RAD (Ukuzaji wa Programu ya Haraka - nambari ya chini na Module3400Name=Mitandao ya kijamii Module3400Desc=Washa sehemu za Mitandao ya Kijamii kuwa wahusika wengine na anwani (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Usimamizi wa rasilimali watu (usimamizi wa idara, mikataba ya wafanyikazi na hisia) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Kampuni nyingi Module5000Desc=Inakuruhusu kudhibiti kampuni nyingi Module6000Name=Mtiririko wa kazi kati ya moduli @@ -712,6 +719,8 @@ Module63000Desc=Dhibiti rasilimali (vichapishaji, magari, vyumba, ...) kwa ajili Module66000Name=Udhibiti wa tokeni wa OAuth2 Module66000Desc=Toa zana ya kutengeneza na kudhibiti tokeni za OAuth2. Ishara basi inaweza kutumika na moduli zingine. Module94160Name=Mapokezi +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Soma ankara za wateja (na malipo) Permission12=Unda/rekebisha ankara za wateja @@ -996,7 +1005,7 @@ Permission4031=Soma maelezo ya kibinafsi Permission4032=Andika maelezo ya kibinafsi Permission4033=Soma tathmini zote (hata zile za watumiaji sio wasaidizi) Permission10001=Soma yaliyomo kwenye tovuti -Permission10002=Unda/rekebisha yaliyomo kwenye tovuti (html na javascript) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=Unda/rekebisha maudhui ya tovuti (msimbo wa php wenye nguvu). Hatari, lazima ihifadhiwe kwa watengenezaji waliowekewa vikwazo. Permission10005=Futa maudhui ya tovuti Permission20001=Soma maombi ya likizo (likizo yako na ya wasaidizi wako) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Ripoti ya gharama - Masafa kwa kategoria ya usafirisha DictionaryTransportMode=Ripoti ya Intracomm - Njia ya usafiri DictionaryBatchStatus=Sehemu ya bidhaa/hali ya serial ya Udhibiti wa Ubora DictionaryAssetDisposalType=Aina ya uondoaji wa mali +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Aina ya kitengo SetupSaved=Mipangilio imehifadhiwa SetupNotSaved=Mipangilio haijahifadhiwa @@ -1109,10 +1119,11 @@ BackToModuleList=Rudi kwenye orodha ya Moduli BackToDictionaryList=Rudi kwenye orodha ya Kamusi TypeOfRevenueStamp=Aina ya muhuri wa ushuru VATManagement=Usimamizi wa Kodi ya Mauzo -VATIsUsedDesc=Kwa chaguomsingi wakati wa kuunda matarajio, ankara, maagizo n.k. Kiwango cha Kodi ya Mauzo hufuata kanuni inayotumika:
      Ikiwa muuzaji hayuko chini ya kodi ya Mauzo, basi kodi ya mauzo itabadilika kuwa 0. Mwisho wa sheria.
      Ikiwa (nchi ya muuzaji = nchi ya mnunuzi), basi kodi ya Mauzo kwa chaguomsingi inalingana na kodi ya Mauzo ya bidhaa katika nchi ya muuzaji. Mwisho wa kanuni.
      Ikiwa muuzaji na mnunuzi wote wako katika Jumuiya ya Ulaya na bidhaa ni bidhaa zinazohusiana na usafiri (usafirishaji, usafirishaji, shirika la ndege), VAT chaguo-msingi ni 0. Sheria hii inategemea nchi ya muuzaji - tafadhali wasiliana na mhasibu wako. VAT inapaswa kulipwa na mnunuzi kwa ofisi ya forodha katika nchi yao na sio kwa muuzaji. Mwisho wa kanuni.
      Iwapo muuzaji na mnunuzi wote wako katika Jumuiya ya Ulaya na mnunuzi si kampuni (iliyo na nambari ya VAT iliyosajiliwa ya ndani ya Jumuiya) basi VAT hiyo itabadilika kuwa kiwango cha VAT cha nchi ya muuzaji. Mwisho wa kanuni.
      Ikiwa muuzaji na mnunuzi wote wako katika Jumuiya ya Ulaya na mnunuzi ni kampuni (yenye nambari ya VAT iliyosajiliwa ya ndani ya Jumuiya), basi VAT ni 0 kwa chaguo-msingi. Mwisho wa kanuni.
      Katika hali nyingine yoyote chaguo-msingi iliyopendekezwa ni Kodi ya Mauzo=0. Mwisho wa kanuni. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=Kwa chaguomsingi kodi ya Mauzo inayopendekezwa ni 0 ambayo inaweza kutumika kwa kesi kama vile vyama, watu binafsi au makampuni madogo. VATIsUsedExampleFR=Nchini Ufaransa, ina maana ya makampuni au mashirika kuwa na mfumo halisi wa fedha (Kilichorahisishwa halisi au halisi ya kawaida). Mfumo ambao VAT inatangazwa. VATIsNotUsedExampleFR=Nchini Ufaransa, ina maana ya vyama ambavyo havina kodi ya Mauzo vilivyotangazwa au makampuni, mashirika au taaluma huria ambazo zimechagua mfumo wa fedha wa biashara ndogo ndogo (Kodi ya mauzo katika franchise) na kulipa kodi ya mauzo bila tamko lolote la kodi ya Mauzo. Chaguo hili litaonyesha rejeleo "Kodi ya Mauzo Isiyotumika - art-293B of CGI" kwenye ankara. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Aina ya ushuru wa mauzo LTRate=Kiwango @@ -1399,8 +1410,8 @@ PHPModuleLoaded=Sehemu ya PHP %s imepakiwa PreloadOPCode=OPCode iliyopakiwa awali inatumika AddRefInList=Onyesha rejeleo la Mteja/Muuzaji. kwenye orodha za mchanganyiko.
      Mashirika ya Tatu yataonekana na umbizo la jina la "CC12345 - SC45678 - The Big Company corp." badala ya "The Big Company corp". AddVatInList=Onyesha nambari ya VAT ya Mteja/Muuzaji katika orodha za mchanganyiko. -AddAdressInList=Onyesha anwani ya Mteja/Muuzaji katika orodha za mchanganyiko.
      Vyama vya Tatu vitaonekana na muundo wa jina la "The Big Company corp. - 21 jump street 123456 Big town - USA" badala ya "The Big Company corp". -AddEmailPhoneTownInContactList=Onyesha barua pepe ya Mawasiliano (au simu ikiwa haijafafanuliwa) na orodha ya maelezo ya jiji (chagua orodha au kisanduku cha kuchana)
      Anwani zitaonekana zikiwa na umbizo la jina la "Dupond Durand - dupond.durand@email.com - Paris" au "Dupond Durand - 06 07 59 65 66 - Paris" badala ya "Dupond Durand". +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=Omba njia ya usafirishaji inayopendelewa kwa Watu Wengine. FieldEdition=Toleo la uga %s FillThisOnlyIfRequired=Mfano: +2 (jaza ikiwa tu matatizo ya urekebishaji wa saa za eneo yanatokea) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Usionyeshe kiungo cha "Nenosiri Limesahauli UsersSetup=Usanidi wa moduli ya watumiaji UserMailRequired=Barua pepe inahitajika ili kuunda mtumiaji mpya UserHideInactive=Ficha watumiaji wasiotumia kutoka kwa orodha zote za mchanganyiko za watumiaji (Haipendekezwi: hii inaweza kumaanisha kuwa hutaweza kuchuja au kutafuta kwa watumiaji wa zamani kwenye baadhi ya kurasa) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Violezo vya hati kwa hati zinazotokana na rekodi ya mtumiaji GroupsDocModules=Violezo vya hati kwa hati zinazozalishwa kutoka kwa rekodi ya kikundi ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Vikundi LDAPContactsSynchro=Anwani LDAPMembersSynchro=Wanachama LDAPMembersTypesSynchro=Aina za wanachama -LDAPSynchronization=Usawazishaji wa LDAP +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=Vitendaji vya LDAP havipatikani kwenye PHP yako LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=Kitambulisho cha mtumiaji LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=Saraka ya nyumbani -LDAPFieldHomedirectoryExample=Mfano: saraka ya nyumbani +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=kiambishi awali cha saraka ya nyumbani LDAPSetupNotComplete=Usanidi wa LDAP haujakamilika (nenda kwenye vichupo vingine) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Hakuna msimamizi au nenosiri lililotolewa. Ufikiaji wa LDAP hautajulikana na katika hali ya kusoma tu. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Moduli iliyohifadhiwa kwa akiba inayotumika MemcachedAvailableAndSetup=Moduli iliyohifadhiwa kwa ajili ya kutumia seva iliyohifadhiwa imewashwa. OPCodeCache=Akiba ya OPCode NoOPCodeCacheFound=Hakuna akiba ya OPCode iliyopatikana. Labda unatumia kashe ya OPCode isipokuwa XCache au eAccelerator (nzuri), au labda huna kashe ya OPCode (mbaya sana). -HTTPCacheStaticResources=Akiba ya HTTP ya rasilimali tuli (css, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=Faili za aina %s zimehifadhiwa na seva ya HTTP FilesOfTypeNotCached=Faili za aina %s hazijahifadhiwa na seva ya HTTP FilesOfTypeCompressed=Faili za aina %s zimebanwa na seva ya HTTP @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Nakala ya bure kwenye risiti za uwasilishaji ##### FCKeditor ##### AdvancedEditor=Mhariri wa hali ya juu ActivateFCKeditor=Washa kihariri cha hali ya juu cha: -FCKeditorForNotePublic=Uundaji wa WYSIWIG/toleo la sehemu ya "maelezo ya umma" ya vipengele -FCKeditorForNotePrivate=Uundaji wa WYSIWIG/toleo la sehemu ya "maelezo ya faragha" ya vipengele -FCKeditorForCompany=Uundaji wa WYSIWIG/toleo la maelezo ya sehemu ya vipengele (isipokuwa bidhaa/huduma) -FCKeditorForProductDetails=Uundaji wa WYSIWIG / toleo la maelezo ya bidhaa au mistari ya vitu (mistari ya mapendekezo, maagizo, ankara, nk ...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Onyo: Kutumia chaguo hili kwa kesi hii haipendekezwi kwa uzito kwani inaweza kusababisha shida na herufi maalum na umbizo la ukurasa wakati wa kuunda faili za PDF. -FCKeditorForMailing= Uundaji/toleo la WYSIWIG kwa Barua pepe nyingi (Zana->Utumaji barua pepe) -FCKeditorForUserSignature=Uundaji wa WYSIWIG/toleo la saini ya mtumiaji -FCKeditorForMail=Uundaji/toleo la WYSIWIG kwa barua zote (isipokuwa Zana->Mailing) -FCKeditorForTicket=Uundaji/toleo la WYSIWIG la tikiti +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=Mpangilio wa moduli ya hisa IfYouUsePointOfSaleCheckModule=Ukitumia sehemu ya Pointi ya Uuzaji (POS) iliyotolewa kwa chaguomsingi au sehemu ya nje, usanidi huu unaweza kupuuzwa na moduli yako ya POS. Moduli nyingi za POS zimeundwa kwa chaguomsingi ili kuunda ankara mara moja na kupunguza hisa bila kujali chaguo hapa. Kwa hivyo ikiwa unahitaji au la kuwa na kupungua kwa hisa wakati wa kusajili ofa kutoka kwa POS yako, angalia pia usanidi wa moduli yako ya POS. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Menyu zilizobinafsishwa ambazo hazijaunganishwa na in NewMenu=Menyu mpya MenuHandler=Kidhibiti cha menyu MenuModule=Moduli ya chanzo -HideUnauthorizedMenu=Ficha menyu ambazo hazijaidhinishwa pia kwa watumiaji wa ndani (zimepakwa mvi la sivyo) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=Menyu ya kitambulisho DetailMenuHandler=Kidhibiti cha menyu mahali pa kuonyesha menyu mpya DetailMenuModule=Jina la moduli ikiwa ingizo la menyu linatoka kwa moduli @@ -1802,7 +1815,7 @@ DetailType=Aina ya menyu (juu au kushoto) DetailTitre=Lebo ya menyu au msimbo wa lebo kwa tafsiri DetailUrl=URL ambapo menyu inakutumia (Kiungo cha URL Jamaa au kiungo cha nje kilicho na https://) DetailEnabled=Masharti ya kuonyesha au kutoingia -DetailRight=Masharti ya kuonyesha menyu za kijivu ambazo hazijaidhinishwa +DetailRight=Condition to display unauthorized gray menus DetailLangs=Jina la faili la Lang kwa tafsiri ya msimbo wa lebo DetailUser=Intern / Extern / Wote Target=Lengo @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Akaunti chaguo-msingi ya kutumia kupokea malipo ya pe CashDeskBankAccountForCheque=Akaunti chaguo-msingi ya kutumia kupokea malipo kwa hundi CashDeskBankAccountForCB=Akaunti chaguo-msingi ya kutumia kupokea malipo kwa kadi za mkopo CashDeskBankAccountForSumup=Akaunti chaguo-msingi ya benki ya kutumia kupokea malipo kupitia SumUp -CashDeskDoNotDecreaseStock=Zima kupungua kwa hisa mauzo inapofanywa kutoka Sehemu ya Uuzaji (ikiwa "hapana", kupungua kwa hisa hufanywa kwa kila mauzo kutoka kwa POS, bila kujali chaguo lililowekwa katika sehemu ya Hisa). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Lazimisha na uzuie ghala kutumika kwa kupungua kwa hisa StockDecreaseForPointOfSaleDisabled=Kupungua kwa hisa kutoka kwa Sehemu ya Uuzaji kumezimwa StockDecreaseForPointOfSaleDisabledbyBatch=Kupungua kwa hisa katika POS hakuoani na moduli ya Usimamizi wa Seri/Loti (iliyotumika sasa) kwa hivyo kupungua kwa hisa kumezimwa. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Angazia mistari ya jedwali wakati uhamishaji wa kipan HighlightLinesColor=Angazia rangi ya mstari wakati kipanya kinapita (tumia 'ffffff' bila kuangazia) HighlightLinesChecked=Angazia rangi ya mstari inapoangaliwa (tumia 'ffffff' bila kuangazia) UseBorderOnTable=Onyesha mipaka ya kushoto-kulia kwenye majedwali +TableLineHeight=Table line height BtnActionColor=Rangi ya kitufe cha kitendo TextBtnActionColor=Rangi ya maandishi ya kitufe cha kitendo TextTitleColor=Rangi ya maandishi ya kichwa cha Ukurasa @@ -1991,7 +2006,7 @@ EnterAnyCode=Sehemu hii ina marejeleo ya kutambua mstari. Weka thamani yoyote ya Enter0or1=Ingiza 0 au 1 UnicodeCurrency=Ingiza hapa kati ya viunga, orodha ya nambari ya baiti inayowakilisha ishara ya sarafu. Kwa mfano: kwa $, weka [36] - kwa brazil R$ halisi [82,36] - kwa €, weka [8364] ColorFormat=Rangi ya RGB iko katika umbizo la HEX, kwa mfano: FF0000 -PictoHelp=Jina la aikoni katika umbizo:
      - image.png kwa faili ya picha katika saraka ya mandhari ya sasa
      - image.png@module ikiwa faili iko kwenye saraka /img/ ya moduli
      - fa-xxx kwa FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size kwa FontAwesome fa-xxx picto (iliyo na kiambishi awali, rangi na seti ya saizi) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=Nafasi ya mstari katika orodha za mchanganyiko SellTaxRate=Kiwango cha ushuru wa mauzo RecuperableOnly=Ndiyo kwa VAT "Haitambuliwi Lakini Inaweza Kurejeshwa" iliyowekwa kwa baadhi ya jimbo nchini Ufaransa. Weka thamani kwa "Hapana" katika visa vingine vyote. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Ficha mipaka kwenye fremu ya anwani ya mtumaji -MAIN_PDF_NO_RECIPENT_FRAME=Ficha mipaka kwenye fremu ya anwani ya mapishi +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Ficha nambari ya mteja MAIN_PDF_HIDE_SENDER_NAME=Ficha jina la mtumaji/kampuni kwenye kizuizi cha anwani PROPOSAL_PDF_HIDE_PAYMENTTERM=Ficha masharti ya malipo @@ -2118,7 +2133,7 @@ EMailHost=Seva ya barua pepe ya IMAP EMailHostPort=Bandari ya seva ya barua pepe ya IMAP loginPassword=Ingia/Nenosiri oauthToken=OAuth2 token -accessType=Aina ya ufikiaji +accessType=Access type oauthService=Huduma ya Oauth TokenMustHaveBeenCreated=Moduli ya OAuth2 lazima iwashwe na tokeni ya oauth2 lazima iwe imeundwa kwa ruhusa sahihi (kwa mfano upeo "gmail_full" na OAuth ya Gmail). ImapEncryption = Mbinu ya usimbaji fiche ya IMAP @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Usijumuishe maudhui ya kichwa cha barua pepe kweny EmailCollectorHideMailHeadersHelp=Inapowashwa, vichwa vya barua pepe haziongezwe mwishoni mwa maudhui ya barua pepe ambayo yamehifadhiwa kama tukio la ajenda. EmailCollectorConfirmCollectTitle=Uthibitishaji wa kukusanya barua pepe EmailCollectorConfirmCollect=Je, ungependa kuendesha kikusanyaji hiki sasa? -EmailCollectorExampleToCollectTicketRequestsDesc=Kusanya barua pepe zinazolingana na baadhi ya sheria na uunde kiotomatiki tikiti (Tiketi ya Moduli lazima iwashwe) na taarifa za barua pepe. Unaweza kutumia mkusanyaji huyu ikiwa utatoa usaidizi fulani kwa barua pepe, kwa hivyo ombi lako la tikiti litatolewa kiotomatiki. Amilisha pia Kusanya_Majibu ili kukusanya majibu ya mteja wako moja kwa moja kwenye mwonekano wa tiketi (lazima ujibu kutoka kwa Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Mfano kukusanya ombi la tikiti (ujumbe wa kwanza pekee) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Changanua saraka yako ya kisanduku cha barua "Iliyotumwa" ili kupata barua pepe ambazo zilitumwa kama jibu la barua pepe nyingine moja kwa moja kutoka kwa programu yako ya barua pepe na si kutoka kwa Dolibarr. Barua pepe kama hiyo ikipatikana, tukio la jibu linarekodiwa kwenye Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Mfano kukusanya majibu ya barua pepe yaliyotumwa kutoka kwa programu ya barua pepe ya nje EmailCollectorExampleToCollectDolibarrAnswersDesc=Kusanya barua pepe zote ambazo ni jibu la barua pepe iliyotumwa kutoka kwa programu yako. Tukio (Ajenda ya Moduli lazima iwashwe) yenye jibu la barua pepe itarekodiwa mahali pazuri. Kwa mfano, ukituma pendekezo la kibiashara, agizo, ankara au ujumbe wa tikiti kwa barua pepe kutoka kwa programu, na mpokeaji akijibu barua pepe yako, mfumo utapata jibu kiotomatiki na kuliongeza kwenye ERP yako. EmailCollectorExampleToCollectDolibarrAnswers=Mfano kukusanya ujumbe wote unaoingia kuwa majibu kwa ujumbe uliotumwa kutoka kwa Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Kusanya barua pepe zinazolingana na baadhi ya sheria na uunde uongozi kiotomatiki (Mradi wa Moduli lazima uwashwe) ukitumia taarifa za barua pepe. Unaweza kutumia mkusanyaji huyu ikiwa unataka kufuata mwongozo wako kwa kutumia Mradi wa moduli (mwongozo 1 = mradi 1), kwa hivyo miongozo yako itatolewa kiotomatiki. Ikiwa mkusanyaji_Majibu_ya_Mtoza pia amewezeshwa, unapotuma barua pepe kutoka kwa mwongozo wako, mapendekezo au kitu kingine chochote, unaweza pia kuona majibu ya wateja wako au washirika moja kwa moja kwenye programu.
      Kumbuka: Kwa mfano huu wa awali, kichwa cha uongozi kinatolewa ikiwa ni pamoja na barua pepe. Ikiwa wahusika wengine hawawezi kupatikana katika hifadhidata (mteja mpya), uongozi utaambatishwa kwa wahusika wengine wenye Kitambulisho cha 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Mfano wa kukusanya miongozo EmailCollectorExampleToCollectJobCandidaturesDesc=Kusanya barua pepe zinazotuma maombi ya ofa za kazi (Uajiri wa Moduli lazima uwezeshwe). Unaweza kukamilisha mkusanyaji huyu ikiwa unataka kuunda kiotomatiki mgombea wa ombi la kazi. Kumbuka: Kwa mfano huu wa awali, kichwa cha mgombea kinatolewa ikiwa ni pamoja na barua pepe. EmailCollectorExampleToCollectJobCandidatures=Mfano kukusanya wagombea wa kazi waliopokelewa kwa barua pepe @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Kumbukumbu la Torati Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=Thamani hii inaweza kufutwa na kila mtumiaji kutoka kwa ukurasa wake wa mtumiaji - kichupo cha '%s' -DefaultCustomerType=Aina chaguo-msingi ya wahusika wengine kwa fomu ya kuunda "Mteja Mpya". +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=Kumbuka: Akaunti ya benki lazima ifafanuliwe kwenye moduli ya kila hali ya malipo (Paypal, Stripe, ...) ili kipengele hiki kifanye kazi. RootCategoryForProductsToSell=Jamii ya mizizi ya bidhaa za kuuza -RootCategoryForProductsToSellDesc=Ikifafanuliwa, ni bidhaa zilizo ndani ya kategoria hii pekee au watoto wa kategoria hii ndizo zitapatikana katika Sehemu ya Uuzaji +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=Upau wa Utatuzi DebugBarDesc=Upauzana unaokuja na zana nyingi za kurahisisha utatuzi DebugBarSetup=Kuweka DebugBar @@ -2212,10 +2227,10 @@ ImportSetup=Usanidi wa Uingizaji wa moduli InstanceUniqueID=Kitambulisho cha kipekee cha mfano SmallerThan=Ndogo kuliko LargerThan=Kubwa kuliko -IfTrackingIDFoundEventWillBeLinked=Kumbuka kwamba Ikiwa kitambulisho cha ufuatiliaji cha kitu kitapatikana katika barua pepe, au ikiwa barua pepe ni jibu la eneo la barua pepe lililokusanywa na kuunganishwa na kitu, tukio lililoundwa litaunganishwa kiotomatiki na kitu kinachojulikana kinachohusiana. -WithGMailYouCanCreateADedicatedPassword=Ukiwa na akaunti ya GMail, ikiwa uliwasha uthibitishaji wa hatua 2, inashauriwa uunde nenosiri la pili maalum kwa ajili ya programu badala ya kutumia nenosiri la akaunti yako kutoka https://myaccount.google.com/. -EmailCollectorTargetDir=Inaweza kuwa tabia inayotakikana kuhamisha barua pepe hadi kwenye lebo/saraka nyingine ilipochakatwa kwa ufanisi. Weka tu jina la saraka hapa ili kutumia kipengele hiki (USITUMIE herufi maalum kwa jina). Kumbuka kwamba lazima pia utumie kusoma/kuandika akaunti ya kuingia. -EmailCollectorLoadThirdPartyHelp=Unaweza kutumia kitendo hiki kutumia maudhui ya barua pepe kutafuta na kupakia mtu mwingine aliyepo kwenye hifadhidata yako (utafutaji utafanywa kwenye sifa iliyobainishwa kati ya 'id','name','name_alias','barua pepe'). Mtu wa tatu aliyepatikana (au aliyeundwa) atatumika kwa vitendo vifuatavyo vinavyohitaji.
      Kwa mfano, ikiwa ungependa kuunda mhusika mwingine kwa jina lililotolewa kutoka kwa mfuatano wa 'Jina: jina la kupata' lililopo kwenye mwili, tumia barua pepe ya mtumaji kama barua pepe, unaweza kuweka uga wa kigezo kama hii:
      'barua pepe=HEADER:^Kutoka:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);mteja=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Onyo: seva nyingi za barua pepe (kama vile Gmail) zinatafuta maneno kamili wakati wa kutafuta kwenye mfuatano na hazitarudisha tokeo ikiwa mfuatano huo utapatikana tu kwa kiasi katika neno. Kwa sababu hii pia, tumia herufi maalum katika vigezo vya utafutaji vitapuuzwa ikiwa sio sehemu ya maneno yaliyopo.
      Kufanya utafutaji wa kuwatenga kwenye neno (rejesha barua pepe ikiwa neno halipatikani), unaweza kutumia ! herufi kabla ya neno (inaweza isifanye kazi kwenye seva zingine za barua). EndPointFor=Sehemu ya mwisho ya %s : %s DeleteEmailCollector=Futa kikusanya barua pepe @@ -2232,12 +2247,12 @@ EmailTemplate=Kiolezo cha barua pepe EMailsWillHaveMessageID=Barua pepe zitakuwa na lebo ya 'Marejeleo' inayolingana na sintaksia hii PDF_SHOW_PROJECT=Onyesha mradi kwenye hati ShowProjectLabel=Lebo ya Mradi -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Jumuisha lakabu katika jina la mtu mwingine -THIRDPARTY_ALIAS=Taja mtu wa tatu - Alias third party -ALIAS_THIRDPARTY=Lakabu ya mtu wa tatu - Taja mtu wa tatu +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Onyesha lebo katika PDF katika lugha 2 tofauti (kipengele hiki kinaweza kisifanye kazi kwa baadhi ya lugha kadhaa) PDF_USE_ALSO_LANGUAGE_CODE=Iwapo ungependa kuwa na baadhi ya maandishi katika PDF yako yaliyonakiliwa katika lugha 2 tofauti katika PDF iliyozalishwa sawa, lazima uweke hapa lugha hii ya pili ili PDF itakayozalishwa iwe na lugha 2 tofauti katika ukurasa mmoja, ile iliyochaguliwa wakati wa kutengeneza PDF na hii (violezo vichache tu vya PDF vinavyounga mkono hili). Weka tupu kwa lugha 1 kwa kila PDF. -PDF_USE_A=Tengeneza hati za PDF kwa umbizo la PDF/A badala ya umbizo chaguomsingi la PDF +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Ingiza hapa msimbo wa ikoni ya FontAwesome. Ikiwa hujui ni nini FontAwesome, unaweza kutumia fa-address-book ya thamani ya jumla. RssNote=Kumbuka: Kila ufafanuzi wa mipasho ya RSS hutoa wijeti ambayo ni lazima uwashe ili ipatikane kwenye dashibodi JumpToBoxes=Rukia kwa Kuweka -> Wijeti @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Unaweza kupata ushauri wa usalama hapa ModuleActivatedMayExposeInformation=Kiendelezi hiki cha PHP kinaweza kufichua data nyeti. Ikiwa hauitaji, izima. ModuleActivatedDoNotUseInProduction=Moduli iliyoundwa kwa ajili ya usanidi imewezeshwa. Usiiwezeshe kwenye mazingira ya uzalishaji. CombinationsSeparator=Tabia ya kitenganishi cha mchanganyiko wa bidhaa -SeeLinkToOnlineDocumentation=Tazama kiunga cha hati mkondoni kwenye menyu ya juu kwa mifano +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=Ikiwa kipengele "%s" ya sehemu %s inatumika, onyesha maelezo ya bidhaa ndogo za kit kwenye PDF. AskThisIDToYourBank=Wasiliana na benki yako ili upate kitambulisho hiki -AdvancedModeOnly=Ruhusa inapatikana katika hali ya ruhusa ya Kina pekee +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=Faili ya conf inaweza kusomeka au kuandikwa na watumiaji wowote. Toa ruhusa kwa mtumiaji wa seva ya wavuti na kikundi pekee. MailToSendEventOrganization=Shirika la Tukio MailToPartnership=Ushirikiano AGENDA_EVENT_DEFAULT_STATUS=Hali chaguo-msingi ya tukio wakati wa kuunda tukio kutoka kwa fomu YouShouldDisablePHPFunctions=Unapaswa kulemaza vitendaji vya PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=Isipokuwa ikiwa unahitaji kutekeleza amri za mfumo kwa nambari maalum, unapaswa kuzima vitendaji vya PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=Kwa madhumuni ya ganda (kama vile kuhifadhi nakala ya kazi iliyoratibiwa au kuendesha programu ya antivirus), lazima uweke vitendaji vya PHP NoWritableFilesFoundIntoRootDir=Hakuna faili zinazoweza kuandikwa au saraka za programu za kawaida zilizopatikana kwenye saraka yako ya mizizi (Nzuri) RecommendedValueIs=Imependekezwa: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Mpangilio wa Webbook Settings = Mipangilio WebhookSetupPage = Ukurasa wa kuanzisha Webhook ShowQuickAddLink=Onyesha kitufe ili kuongeza kipengee kwa haraka kwenye menyu ya juu kulia - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Heshi inayotumika kwa ping ReadOnlyMode=Ni mfano katika hali ya "Soma Pekee". DEBUGBAR_USE_LOG_FILE=Tumia dolibarr.log faili ili kunasa Kumbukumbu @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Haitafanya kazi na mada zote NoName=Hakuna jina ShowAdvancedOptions= Onyesha chaguo za juu HideAdvancedoptions= Ficha chaguzi za hali ya juu -CIDLookupURL=Moduli huleta URL inayoweza kutumiwa na zana ya nje kupata jina la mtu wa tatu au mwasiliani kutoka kwa nambari yake ya simu. URL ya kutumia ni: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=Uthibitishaji wa OAUTH2 haupatikani kwa wapangishi wote, na tokeni iliyo na ruhusa zinazofaa lazima iwe imeundwa juu ya mkondo kwa kutumia moduli ya OAUTH. MAIN_MAIL_SMTPS_OAUTH_SERVICE=Huduma ya uthibitishaji ya OAUTH2 DontForgetCreateTokenOauthMod=Tokeni iliyo na ruhusa zinazofaa lazima iwe imeundwa juu ya mkondo kwa kutumia moduli ya OAUTH -MAIN_MAIL_SMTPS_AUTH_TYPE=Mbinu ya uthibitishaji +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Tumia nenosiri UseOauth=Tumia tokeni ya OAUTH Images=Picha MaxNumberOfImagesInGetPost=Idadi ya juu zaidi ya picha zinazoruhusiwa katika sehemu ya HTML iliyowasilishwa kwa fomu MaxNumberOfPostOnPublicPagesByIP=Idadi ya juu zaidi ya machapisho kwenye kurasa za umma zilizo na anwani sawa ya IP kwa mwezi -CIDLookupURL=Moduli huleta URL inayoweza kutumiwa na zana ya nje kupata jina la mtu wa tatu au mwasiliani kutoka kwa nambari yake ya simu. URL ya kutumia ni: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=Hati ni tupu ShowHideTheNRequests=Onyesha/ficha %s Maombi ya SQL DefinedAPathForAntivirusCommandIntoSetup=Bainisha njia ya programu ya kuzuia virusi katika %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Ficha kiasi kilichoagizwa kwenye nyaraka zinazozalish MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Onyesha bei kwenye hati zinazozalishwa kwa ajili ya mapokezi WarningDisabled=Onyo limezimwa LimitsAndMitigation=Vikomo vya ufikiaji na kupunguza +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Kompyuta za mezani pekee DesktopsAndSmartphones=Kompyuta za mezani na simu mahiri AllowOnlineSign=Ruhusu kuambatisha cheti mtandaoni @@ -2403,6 +2419,24 @@ Defaultfortype=Chaguomsingi DefaultForTypeDesc=Kiolezo kinachotumiwa na chaguo-msingi wakati wa kuunda barua pepe mpya ya aina ya kiolezo OptionXShouldBeEnabledInModuleY=Chaguo " %s " inapaswa kuwashwa katika sehemu %s OptionXIsCorrectlyEnabledInModuleY=Chaguo " %s " imewashwa kuwa moduli %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=Chini ya ukurasa FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/sw_SW/bills.lang b/htdocs/langs/sw_SW/bills.lang index 2f5a37bd6ff..b1a0dac0230 100644 --- a/htdocs/langs/sw_SW/bills.lang +++ b/htdocs/langs/sw_SW/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Fanya malipo kwa mteja DisabledBecauseRemainderToPayIsZero=Imezimwa kwa sababu iliyosalia bila kulipwa ni sifuri PriceBase=Bei ya msingi BillStatus=Hali ya ankara -StatusOfGeneratedInvoices=Hali ya ankara zinazozalishwa +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Rasimu (inahitaji kuthibitishwa) BillStatusPaid=Imelipwa BillStatusPaidBackOrConverted=Urejeshaji wa noti ya mkopo au alama kama mkopo unapatikana @@ -167,7 +167,7 @@ ActionsOnBill=Vitendo kwenye ankara ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Kiolezo / ankara inayorudiwa NoQualifiedRecurringInvoiceTemplateFound=Hakuna ankara ya kiolezo inayojirudia iliyohitimu kutengeneza. -FoundXQualifiedRecurringInvoiceTemplate=Imepatikana %s ankara za violezo vya mara kwa mara zilizohitimu kwa uzalishaji. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Sio ankara ya kiolezo inayojirudia NewBill=Ankara mpya LastBills=Hivi karibuni %s ankara @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Rasimu ya ankara za muuzaji Unpaid=Haijalipwa ErrorNoPaymentDefined=Hitilafu Hakuna malipo yaliyofafanuliwa ConfirmDeleteBill=Je, una uhakika unataka kufuta ankara hii? -ConfirmValidateBill=Je, una uhakika unataka kuthibitisha ankara hii kwa kurejelea %s ? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Je, una uhakika unataka kubadilisha ankara %s kutayarisha hali? ConfirmClassifyPaidBill=Je, una uhakika unataka kubadilisha ankara %s kwa hadhi iliyolipwa? ConfirmCancelBill=Je, una uhakika unataka kughairi ankara %s ? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Je, unathibitisha ingizo hili la malipo la %s % ConfirmSupplierPayment=Je, unathibitisha ingizo hili la malipo la %s %s? ConfirmValidatePayment=Je, una uhakika unataka kuthibitisha malipo haya? Hakuna mabadiliko yanayoweza kufanywa mara tu malipo yatakapothibitishwa. ValidateBill=Thibitisha ankara -UnvalidateBill=Batilisha ankara +UnvalidateBill=Invalidate invoice NumberOfBills=Idadi ya ankara NumberOfBillsByMonth=Idadi ya ankara kwa mwezi AmountOfBills=Kiasi cha ankara @@ -250,12 +250,13 @@ RemainderToTake=Kiasi kilichobaki cha kuchukua RemainderToTakeMulticurrency=Kiasi kilichosalia cha kuchukua, sarafu halisi RemainderToPayBack=Kiasi kilichosalia cha kurejeshewa pesa RemainderToPayBackMulticurrency=Kiasi kilichosalia cha kurejeshewa pesa, sarafu halisi +NegativeIfExcessReceived=hasi ikiwa ziada imepokelewa NegativeIfExcessRefunded=hasi ikiwa pesa za ziada zitarejeshwa +NegativeIfExcessPaid=negative if excess paid Rest=Inasubiri AmountExpected=Kiasi kinachodaiwa ExcessReceived=Ziada iliyopokelewa ExcessReceivedMulticurrency=Ziada iliyopokelewa, sarafu asili -NegativeIfExcessReceived=hasi ikiwa ziada imepokelewa ExcessPaid=Ziada iliyolipwa ExcessPaidMulticurrency=Ziada iliyolipwa, sarafu asili EscompteOffered=Punguzo linalotolewa (malipo kabla ya muda) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Ni lazima uunde ankara ya kawaida kwanza n PDFCrabeDescription=Ankara PDF kiolezo Crabe. Kiolezo kamili cha ankara (utekelezaji wa zamani wa kiolezo cha Sponge) PDFSpongeDescription=Invoice PDF template Sponge. Kiolezo kamili cha ankara PDFCrevetteDescription=Kiolezo cha ankara ya PDF Crevette. Kiolezo kamili cha ankara kwa ankara za hali -TerreNumRefModelDesc1=Rejesha nambari katika umbizo %syymm-nnnn kwa ankara za kawaida na %syymm-nnnn kwa noti za mkopo ambapo yy ni mwaka, mm ni mwezi na nnnn ni nambari ya kuongeza kiotomatiki mfululizo bila mapumziko na hakuna kurudi kwa 0. -MarsNumRefModelDesc1=Rejesha nambari katika umbizo %syymm-nnnn kwa ankara za kawaida, %syymm-nnnn kwa ankara nyingine, %syymm-nnnn kwa ankara za malipo ya chini na %syymm-nnnn kwa noti za mkopo ambapo yy ni mwaka, mm ni mwezi na nnnn ni nambari ya kuongeza kiotomatiki mfululizo bila mapumziko na hakuna kurudi kwa 0. +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Bili inayoanza na $syymm tayari ipo na haioani na muundo huu wa mfuatano. Iondoe au uipe jina jipya ili kuamilisha moduli hii. -CactusNumRefModelDesc1=Rejesha nambari katika umbizo %syymm-nnnn kwa ankara za kawaida, %syymm-nnnn kwa noti za mkopo na %syymm-nnnn kwa ankara za malipo ya chini ambapo yy ni mwaka, mm ni mwezi na nnnn ni nambari ya kuongeza kiotomatiki mfululizo bila mapumziko na hakuna kurudi kwa 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Sababu ya kufunga mapema EarlyClosingComment=Ujumbe wa kufunga mapema ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Kategoria ya shughuli MentionCategoryOfOperations0=Utoaji wa bidhaa MentionCategoryOfOperations1=Utoaji wa huduma MentionCategoryOfOperations2=Mchanganyiko - Uwasilishaji wa bidhaa na utoaji wa huduma +Salaries=Salaries +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Salary +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/sw_SW/cashdesk.lang b/htdocs/langs/sw_SW/cashdesk.lang index a48bf7573e6..69a9c98fcbe 100644 --- a/htdocs/langs/sw_SW/cashdesk.lang +++ b/htdocs/langs/sw_SW/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=Risiti Header=Kijajuu Footer=Kijachini AmountAtEndOfPeriod=Kiasi cha mwisho wa kipindi (siku, mwezi au mwaka) -TheoricalAmount=Kiasi cha kinadharia +TheoricalAmount=Theoretical amount RealAmount=Kiasi halisi CashFence=Kufunga sanduku la pesa CashFenceDone=Ufungaji wa sanduku la pesa umekamilika kwa kipindi hicho @@ -57,7 +57,7 @@ Paymentnumpad=Aina ya Pedi ya kuingiza malipo Numberspad=Pedi ya nambari BillsCoinsPad=Sarafu na noti Pedi DolistorePosCategory=Moduli za TakePOS na suluhisho zingine za POS za Dolibarr -TakeposNeedsCategories=TakePOS inahitaji angalau aina moja ya bidhaa ili kufanya kazi +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS inahitaji angalau aina 1 ya bidhaa chini ya kitengo %s kufanya kazi OrderNotes=Inaweza kuongeza vidokezo kwa kila bidhaa iliyoagizwa CashDeskBankAccountFor=Akaunti chaguo-msingi ya kutumia kwa malipo @@ -76,7 +76,7 @@ TerminalSelect=Chagua terminal unayotaka kutumia: POSTicket=Tikiti ya POS POSTerminal=Kituo cha POS POSModule=Moduli ya POS -BasicPhoneLayout=Tumia mpangilio wa kimsingi wa simu +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Kuweka mipangilio ya terminal %s haijakamilika DirectPayment=Malipo ya moja kwa moja DirectPaymentButton=Ongeza kitufe cha "Malipo ya pesa taslimu ya moja kwa moja". @@ -92,14 +92,14 @@ HeadBar=Baa ya kichwa SortProductField=Sehemu ya kuchagua bidhaa Browser=Kivinjari BrowserMethodDescription=Uchapishaji wa risiti rahisi na rahisi. Vigezo vichache tu vya kusanidi risiti. Chapisha kupitia kivinjari. -TakeposConnectorMethodDescription=Moduli ya nje yenye vipengele vya ziada. Uwezekano wa kuchapisha kutoka kwa wingu. +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=Njia ya kuchapisha ReceiptPrinterMethodDescription=Njia yenye nguvu na vigezo vingi. Kamili customizable na templates. Seva inayopangisha programu haiwezi kuwa katika Wingu (lazima iweze kufikia vichapishaji katika mtandao wako). ByTerminal=Kwa terminal TakeposNumpadUsePaymentIcon=Tumia aikoni badala ya maandishi kwenye vitufe vya malipo vya numpad CashDeskRefNumberingModules=Moduli ya nambari kwa mauzo ya POS CashDeskGenericMaskCodes6 =
      {TN} tag hutumiwa kuongeza nambari ya terminal -TakeposGroupSameProduct=Kundi la mistari ya bidhaa sawa +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Anzisha ofa mpya sambamba SaleStartedAt=Ofa ilianza %s ControlCashOpening=Fungua kidukizo cha "Dhibiti sanduku la pesa" wakati wa kufungua POS @@ -118,7 +118,7 @@ ScanToOrder=Changanua msimbo wa QR ili uagize Appearance=Mwonekano HideCategoryImages=Ficha Picha za Aina HideProductImages=Ficha Picha za Bidhaa -NumberOfLinesToShow=Idadi ya mistari ya picha za kuonyesha +NumberOfLinesToShow=Maximum number of lines of text to show on thumb images DefineTablePlan=Fafanua mpango wa meza GiftReceiptButton=Ongeza kitufe cha "Risiti ya zawadi". GiftReceipt=Risiti ya zawadi @@ -135,13 +135,21 @@ PrintWithoutDetailsLabelDefault=Lebo ya mstari kwa chaguo-msingi kwenye uchapish PrintWithoutDetails=Chapisha bila maelezo YearNotDefined=Mwaka haujafafanuliwa TakeposBarcodeRuleToInsertProduct=Sheria ya msimbo pau wa kuingiza bidhaa -TakeposBarcodeRuleToInsertProductDesc=Sheria ya kutoa rejeleo la bidhaa + kiasi kutoka kwa msimbopau uliochanganuliwa.
      Ikiwa tupu (thamani chaguomsingi), programu itatumia msimbopau kamili uliochanganuliwa ili kupata bidhaa.

      Ikifafanuliwa, sintaksia lazima iwe:
      ref:NB+qu:NB+qd:NB+nyingine:NB
      ambapo NB ni idadi ya herufi za kutumia kutoa data kutoka kwa msimbopau uliochanganuliwa kwa:
      • ref : rejeleo la bidhaa
      • qu : kiasi cha kuweka wakati wa kuingiza kipengee (units)
      • qd : kiasi cha kuweka wakati wa kuingiza kipengee (desimali)
      • nyingine : herufi zingine
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters AlreadyPrinted=Tayari imechapishwa -HideCategories=Ficha kategoria +HideCategories=Hide the whole section of categories selection HideStockOnLine=Ficha hisa kwenye mtandao -ShowOnlyProductInStock=Onyesha bidhaa kwenye hisa -ShowCategoryDescription=Onyesha maelezo ya kategoria -ShowProductReference=Onyesha kumbukumbu ya bidhaa -UsePriceHT=Tumia bei isipokuwa. kodi na si bei pamoja na. kodi +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Show reference or label of products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price TerminalName=Kituo %s TerminalNameDesc=Jina la terminal +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/sw_SW/holiday.lang b/htdocs/langs/sw_SW/holiday.lang index 0a7506cc1f8..1b74aad3afb 100644 --- a/htdocs/langs/sw_SW/holiday.lang +++ b/htdocs/langs/sw_SW/holiday.lang @@ -5,7 +5,7 @@ Holiday=Ondoka CPTitreMenu=Ondoka MenuReportMonth=Taarifa ya kila mwezi MenuAddCP=Ombi jipya la likizo -MenuCollectiveAddCP=Ombi jipya la likizo ya pamoja +MenuCollectiveAddCP=New collective leave NotActiveModCP=Lazima uwashe moduli ya Ondoka ili kutazama ukurasa huu. AddCP=Fanya ombi la kuondoka DateDebCP=Tarehe ya kuanza @@ -95,14 +95,14 @@ UseralreadyCPexist=Ombi la likizo tayari limefanyika katika kipindi hiki kwa %s. groups=Vikundi users=Watumiaji AutoSendMail=Utumaji barua otomatiki -NewHolidayForGroup=Ombi jipya la likizo ya pamoja -SendRequestCollectiveCP=Tuma ombi la likizo ya pamoja +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave AutoValidationOnCreate=Uthibitishaji otomatiki FirstDayOfHoliday=Siku ya kuanza kwa ombi la likizo LastDayOfHoliday=Siku ya mwisho ya ombi la likizo HolidaysMonthlyUpdate=Sasisho la kila mwezi ManualUpdate=Sasisho la mwongozo -HolidaysCancelation=Acha kughairi ombi +HolidaysCancelation=Leave request cancellation EmployeeLastname=Jina la mwisho la mfanyakazi EmployeeFirstname=Jina la kwanza mfanyakazi TypeWasDisabledOrRemoved=Ondoka aina (id %s) ilizimwa au kuondolewa @@ -144,7 +144,7 @@ WatermarkOnDraftHolidayCards=Alama za maji kwenye rasimu ya maombi ya likizo HolidaysToApprove=Likizo za kuidhinisha NobodyHasPermissionToValidateHolidays=Hakuna mtu aliye na ruhusa ya kuthibitisha maombi ya likizo HolidayBalanceMonthlyUpdate=Sasisho la kila mwezi la salio la likizo -XIsAUsualNonWorkingDay=%s kawaida ni siku isiyo ya kazi +XIsAUsualNonWorkingDay=%s is usually a NON working day BlockHolidayIfNegative=Zuia ikiwa mizani hasi LeaveRequestCreationBlockedBecauseBalanceIsNegative=Uundaji wa ombi hili la likizo umezuiwa kwa sababu salio lako ni hasi ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Ondoka ombi %s lazima iwe rasimu, kughairiwa au kukataliwa kufutwa diff --git a/htdocs/langs/sw_SW/hrm.lang b/htdocs/langs/sw_SW/hrm.lang index ae240c5a37f..06e9f4bea5e 100644 --- a/htdocs/langs/sw_SW/hrm.lang +++ b/htdocs/langs/sw_SW/hrm.lang @@ -26,6 +26,7 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Maelezo chaguomsingi ya viwango wakati ujuzi unaun deplacement=Shift DateEval=Tarehe ya tathmini JobCard=Kadi ya kazi +NewJobProfile=New Job Profile JobProfile=Wasifu wa kazi JobsProfiles=Profaili za kazi NewSkill=Ustadi Mpya @@ -36,7 +37,7 @@ rank=Cheo ErrNoSkillSelected=Hakuna ujuzi uliochaguliwa ErrSkillAlreadyAdded=Ustadi huu tayari uko kwenye orodha SkillHasNoLines=Ustadi huu hauna mistari -skill=Ujuzi +Skill=Skill Skills=Ujuzi SkillCard=Kadi ya ujuzi EmployeeSkillsUpdated=Ujuzi wa mfanyakazi umesasishwa (angalia kichupo cha "Ujuzi" cha kadi ya mfanyakazi) @@ -44,10 +45,13 @@ Eval=Tathmini Evals=Tathmini NewEval=Tathmini mpya ValidateEvaluation=Thibitisha tathmini -ConfirmValidateEvaluation=Je, una uhakika unataka kuthibitisha tathmini hii kwa kurejelea %s ? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=Kadi ya tathmini RequiredRank=Cheo kinachohitajika kwa wasifu wa kazi +RequiredRankShort=Required rank +PositionsWithThisProfile=Positions with this job profiles EmployeeRank=Kiwango cha mfanyakazi kwa ujuzi huu +EmployeeRankShort=Employee rank EmployeePosition=Nafasi ya mfanyakazi EmployeePositions=Nafasi za wafanyikazi EmployeesInThisPosition=Wafanyakazi katika nafasi hii @@ -56,21 +60,21 @@ group2ToCompare=Kikundi cha pili cha watumiaji kwa kulinganisha OrJobToCompare=Linganisha na mahitaji ya ujuzi wa wasifu wa kazi difference=Tofauti CompetenceAcquiredByOneOrMore=Umahiri unaopatikana na mtumiaji mmoja au zaidi lakini haujaombwa na kilinganishi cha pili -MaxlevelGreaterThan=Kiwango cha juu zaidi kuliko kilichoombwa -MaxLevelEqualTo=Kiwango cha juu sawa na mahitaji hayo -MaxLevelLowerThan=Kiwango cha juu cha chini kuliko mahitaji hayo -MaxlevelGreaterThanShort=Kiwango cha mwajiriwa ni kikubwa kuliko kile kilichoombwa -MaxLevelEqualToShort=Kiwango cha mfanyakazi ni sawa na mahitaji hayo -MaxLevelLowerThanShort=Kiwango cha mfanyakazi chini ya mahitaji hayo +MaxlevelGreaterThan=Employee level is greater than the expected level +MaxLevelEqualTo=Employee level is equals to the expected level +MaxLevelLowerThan=Employee level is lower than that the expected level +MaxlevelGreaterThanShort=Level greater than expected +MaxLevelEqualToShort=Level equal to the expected level +MaxLevelLowerThanShort=Level lower than expected SkillNotAcquired=Ujuzi ambao haujapatikana na watumiaji wote na kuombwa na mlinganisho wa pili legend=Hadithi TypeSkill=Aina ya ujuzi -AddSkill=Ongeza ujuzi kwenye kazi -RequiredSkills=Ujuzi unaohitajika kwa kazi hii +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile UserRank=Cheo cha Mtumiaji SkillList=Orodha ya ujuzi SaveRank=Hifadhi cheo -TypeKnowHow=Jua jinsi gani +TypeKnowHow=Know-how TypeHowToBe=Jinsi ya kuwa TypeKnowledge=Maarifa AbandonmentComment=Maoni ya kuachwa @@ -85,8 +89,9 @@ VacantCheckboxHelper=Kuangalia chaguo hili kutaonyesha nafasi ambazo hazijajazwa SaveAddSkill = Ujuzi umeongezwa SaveLevelSkill = Kiwango cha ujuzi kimehifadhiwa DeleteSkill = Ustadi umeondolewa -SkillsExtraFields=Sifa supplémentaires (Compétences) -JobsExtraFields=Sifa supplémentaires (wasifu wa kazi) -EvaluationsExtraFields=Sifa supplémentaires (Tathmini) +SkillsExtraFields=Complementary attributes (Skills) +JobsExtraFields=Complementary attributes (Job profile) +EvaluationsExtraFields=Complementary attributes (Evaluations) NeedBusinessTravels=Haja ya safari za biashara NoDescription=Hakuna maelezo +TheJobProfileHasNoSkillsDefinedFixBefore=The evaluated job profile of this employee has no skill defined on it. Please add skill(s), then delete and restart the evaluation. diff --git a/htdocs/langs/sw_SW/main.lang b/htdocs/langs/sw_SW/main.lang index 712ea75731b..ec2380b2d7f 100644 --- a/htdocs/langs/sw_SW/main.lang +++ b/htdocs/langs/sw_SW/main.lang @@ -36,7 +36,7 @@ NoTranslation=Hakuna tafsiri Translation=Tafsiri Translations=Tafsiri CurrentTimeZone=TimeZone PHP (seva) -EmptySearchString=Weka vigezo vya utafutaji visivyo tupu +EmptySearchString=Enter non empty search criteria EnterADateCriteria=Weka kigezo cha tarehe NoRecordFound=Hakuna rekodi iliyopatikana NoRecordDeleted=Hakuna rekodi iliyofutwa @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Imeshindwa kutuma barua (sender=%s, mpokeaji=%s) ErrorFileNotUploaded=Faili haikupakiwa. Hakikisha kwamba ukubwa hauzidi kiwango cha juu kinachoruhusiwa, kwamba nafasi ya bure inapatikana kwenye diski na kwamba tayari hakuna faili yenye jina sawa katika saraka hii. ErrorInternalErrorDetected=Hitilafu imegunduliwa ErrorWrongHostParameter=Kigezo cha mwenyeji kibaya -ErrorYourCountryIsNotDefined=Nchi yako haijafafanuliwa. Nenda kwenye Nyumbani-Setup-Hariri na uchapishe fomu tena. +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=Imeshindwa kufuta rekodi hii. Rekodi hii inatumiwa na angalau rekodi moja ya watoto. ErrorWrongValue=Thamani isiyo sahihi ErrorWrongValueForParameterX=Thamani isiyo sahihi ya kigezo %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Hitilafu, hakuna viwango vya VAT vilivyoba ErrorNoSocialContributionForSellerCountry=Hitilafu, hakuna aina ya kodi ya kijamii/fedha iliyobainishwa katika nchi '%s'. ErrorFailedToSaveFile=Hitilafu, imeshindwa kuhifadhi faili. ErrorCannotAddThisParentWarehouse=Unajaribu kuongeza ghala la mzazi ambalo tayari ni mtoto wa ghala lililopo +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=Sehemu "%s" haiwezi kuwa hasi MaxNbOfRecordPerPage=Max. idadi ya rekodi kwa kila ukurasa NotAuthorized=Hujaidhinishwa kufanya hivyo. @@ -103,7 +104,8 @@ RecordGenerated=Rekodi imetolewa LevelOfFeature=Kiwango cha vipengele NotDefined=Haijafafanuliwa DolibarrInHttpAuthenticationSoPasswordUseless=Hali ya uthibitishaji ya Dolibarr imewekwa kuwa %s katika faili ya usanidi conf.php .
      Hii inamaanisha kuwa hifadhidata ya nenosiri iko nje ya Dolibarr, kwa hivyo kubadilisha sehemu hii kunaweza kukosa athari. -Administrator=Msimamizi +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=Haijafafanuliwa PasswordForgotten=Nenosiri limesahaulika? NoAccount=Je, huna akaunti? @@ -211,8 +213,8 @@ Select=Chagua SelectAll=Chagua zote Choose=Chagua Resize=Badilisha ukubwa +Crop=Crop ResizeOrCrop=Badilisha ukubwa au Punguza -Recenter=Karibuni zaidi Author=Mwandishi User=Mtumiaji Users=Watumiaji @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Senti za ziada +LT1GC=Additional cents VATRate=Kiwango cha Ushuru RateOfTaxN=Kiwango cha kodi %s VATCode=Kodi ya Kodi @@ -547,6 +549,7 @@ Reportings=Kuripoti Draft=Rasimu Drafts=Rasimu StatusInterInvoiced=Ankara +Done=Done Validated=Imethibitishwa ValidatedToProduce=Imethibitishwa (Ili kuzalisha) Opened=Fungua @@ -698,6 +701,7 @@ Response=Jibu Priority=Kipaumbele SendByMail=Tuma kwa barua pepe MailSentBy=Barua pepe iliyotumwa na +MailSentByTo=Email sent by %s to %s NotSent=Haijatumwa TextUsedInTheMessageBody=Mwili wa barua pepe SendAcknowledgementByMail=Tuma barua pepe ya uthibitisho @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=Rekodi imerekebishwa RecordsModified=%s rekodi zimerekebishwa RecordsDeleted=%s rekodi zimefutwa RecordsGenerated=%s rekodi zilizotengenezwa +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=Msimbo otomatiki FeatureDisabled=Kipengele kimezimwa MoveBox=Sogeza wijeti @@ -764,11 +769,10 @@ DisabledModules=Moduli zilizozimwa For=Kwa ForCustomer=Kwa mteja Signature=Sahihi -DateOfSignature=Tarehe ya saini HidePassword=Onyesha amri iliyo na nenosiri lililofichwa UnHidePassword=Onyesha amri halisi na nenosiri wazi Root=Mzizi -RootOfMedias=Mizizi ya vyombo vya habari vya umma (/medias) +RootOfMedias=Root of public media (/medias) Informations=Habari Page=Ukurasa Notes=Vidokezo @@ -916,6 +920,7 @@ BackOffice=Ofisi ya nyuma Submit=Wasilisha View=Tazama Export=Export +Import=Import Exports=Exports ExportFilteredList=Hamisha orodha iliyochujwa ExportList=Orodha ya kuuza nje @@ -949,7 +954,7 @@ BulkActions=Vitendo vingi ClickToShowHelp=Bofya ili kuonyesha usaidizi wa kidokezo WebSite=Tovuti WebSites=Tovuti -WebSiteAccounts=Akaunti za tovuti +WebSiteAccounts=Web access accounts ExpenseReport=Ripoti ya gharama ExpenseReports=Ripoti za gharama HR=HR @@ -1077,6 +1082,7 @@ CommentPage=Nafasi ya maoni CommentAdded=Maoni yameongezwa CommentDeleted=Maoni yamefutwa Everybody=Kila mtu +EverybodySmall=Everybody PayedBy=Imelipwa na PayedTo=Kulipwa kwa Monthly=Kila mwezi @@ -1089,7 +1095,7 @@ KeyboardShortcut=Njia ya mkato ya kibodi AssignedTo=Imekabidhiwa Deletedraft=Futa rasimu ConfirmMassDraftDeletion=Rasimu ya uthibitisho wa kufuta kwa wingi -FileSharedViaALink=Faili imeshirikiwa na kiungo cha umma +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Chagua mtu wa tatu kwanza... YouAreCurrentlyInSandboxMode=Kwa sasa uko katika %s "Sandbox" mode Inventory=Malipo @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Kazi ContactDefault_propal=Pendekezo ContactDefault_supplier_proposal=Pendekezo la Mgavi ContactDefault_ticket=Tikiti -ContactAddedAutomatically=Anwani imeongezwa kutoka kwa majukumu ya wahusika wengine +ContactAddedAutomatically=Contact added from third-party contact roles More=Zaidi ShowDetails=Onyesha maelezo CustomReports=Ripoti maalum @@ -1163,8 +1169,8 @@ AffectTag=Weka Tagi AffectUser=Mpe Mtumiaji SetSupervisor=Weka msimamizi CreateExternalUser=Unda mtumiaji wa nje -ConfirmAffectTag=Ugawaji wa Lebo Wingi -ConfirmAffectUser=Ugawaji wa Mtumiaji Wingi +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=Jukumu lililotolewa kwa kila mradi/fursa TasksRole=Jukumu lililotolewa kwa kila kazi (ikiwa linatumika) ConfirmSetSupervisor=Wingi Msimamizi Set @@ -1222,7 +1228,7 @@ UserAgent=Wakala wa Mtumiaji InternalUser=Mtumiaji wa ndani ExternalUser=Mtumiaji wa nje NoSpecificContactAddress=Hakuna anwani maalum au anwani -NoSpecificContactAddressBis=Kichupo hiki kimetolewa ili kulazimisha wasiliani au anwani mahususi kwa kitu cha sasa. Itumie tu ikiwa unataka kufafanua anwani moja au kadhaa mahususi au anwani ya kitu wakati maelezo ya mtu wa tatu hayatoshi au si sahihi. +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Ficha %s AddToContacts=Ongeza anwani kwa anwani zangu LastAccess=Ufikiaji wa mwisho @@ -1237,3 +1243,20 @@ SearchSyntaxTooltipForStringOrNum=Kwa kutafuta ndani ya sehemu za maandishi, una InProgress=Inaendelea DateOfPrinting=Date of printing ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. +UserNotYetValid=Not yet valid +UserExpired=Expired +LinkANewFile=Link a new file/document +LinkedFiles=Linked files and documents +NoLinkFound=No registered links +LinkComplete=The file has been linked successfully +ErrorFileNotLinked=The file could not be linked +LinkRemoved=The link %s has been removed +ErrorFailedToDeleteLink= Failed to remove link '%s' +ErrorFailedToUpdateLink= Failed to update link '%s' +URLToLink=URL to link +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/sw_SW/oauth.lang b/htdocs/langs/sw_SW/oauth.lang index ec44bf63240..96e76ca8dd6 100644 --- a/htdocs/langs/sw_SW/oauth.lang +++ b/htdocs/langs/sw_SW/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=Tokeni imefutwa GetAccess=Bofya hapa ili kupata ishara RequestAccess=Bofya hapa ili kuomba/kusasisha ufikiaji na kupokea tokeni mpya DeleteAccess=Bofya hapa ili kufuta tokeni -UseTheFollowingUrlAsRedirectURI=Tumia URL ifuatayo kama URI ya Kuelekeza Upya unapounda kitambulisho chako na mtoa huduma wako wa OAuth: +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Ongeza watoa huduma wako wa tokeni wa OAuth2. Kisha, nenda kwenye ukurasa wako wa msimamizi wa mtoa huduma wa OAuth ili kuunda/kupata Kitambulisho cha OAuth na Siri na kuzihifadhi hapa. Baada ya kumaliza, washa kichupo kingine ili kutoa tokeni yako. OAuthSetupForLogin=Ukurasa wa kudhibiti (kuzalisha/kufuta) tokeni za OAuth SeePreviousTab=Tazama kichupo kilichotangulia diff --git a/htdocs/langs/sw_SW/products.lang b/htdocs/langs/sw_SW/products.lang index 9b973336263..86953586118 100644 --- a/htdocs/langs/sw_SW/products.lang +++ b/htdocs/langs/sw_SW/products.lang @@ -80,8 +80,11 @@ SoldAmount=Kiasi kilichouzwa PurchasedAmount=Kiasi kilichonunuliwa NewPrice=Bei mpya MinPrice=Dak. bei ya kuuzia +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=Badilisha lebo ya bei ya mauzo -CantBeLessThanMinPrice=Bei ya kuuza haiwezi kuwa ya chini kuliko kiwango cha chini kinachoruhusiwa kwa bidhaa hii (%s bila kodi). Ujumbe huu unaweza pia kuonekana ikiwa utaandika punguzo muhimu sana. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Imefungwa ErrorProductAlreadyExists=Bidhaa yenye marejeleo %s tayari ipo. ErrorProductBadRefOrLabel=Thamani isiyo sahihi kwa marejeleo au lebo. @@ -347,16 +350,17 @@ UseProductFournDesc=Ongeza kipengele ili kufafanua maelezo ya bidhaa yanayofafan ProductSupplierDescription=Maelezo ya muuzaji kwa bidhaa UseProductSupplierPackaging=Tumia kipengele cha "kifungashio" ili kujumuisha idadi kwa baadhi ya vizidishio fulani (wakati wa kuongeza/kusasisha laini katika hati za mchuuzi, kukokotoa upya idadi na bei za ununuzi kulingana na seti ya juu zaidi ya bei za ununuzi wa bidhaa) PackagingForThisProduct=Ufungaji wa kiasi -PackagingForThisProductDesc=Utanunua kiotomatiki kigawe cha idadi hii. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=Kiasi cha laini kilihesabiwa upya kulingana na ufungaji wa wasambazaji #Attributes +Attributes=Attributes VariantAttributes=Sifa tofauti ProductAttributes=Tabia tofauti za bidhaa ProductAttributeName=Sifa lahaja %s ProductAttribute=Sifa lahaja ProductAttributeDeleteDialog=Je, una uhakika unataka kufuta sifa hii? Thamani zote zitafutwa -ProductAttributeValueDeleteDialog=Je, una uhakika unataka kufuta thamani "%s" kwa kumbukumbu "%s" ya sifa hii? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Je, una uhakika unataka kufuta kibadala cha bidhaa " %s "? ProductCombinationAlreadyUsed=Kulikuwa na hitilafu wakati wa kufuta kibadala. Tafadhali hakikisha kuwa haitumiki katika kitu chochote ProductCombinations=Lahaja @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Kulikuwa na hitilafu wakati wa kujaribu kufuta vi NbOfDifferentValues=Nambari ya maadili tofauti NbProducts=Idadi ya bidhaa ParentProduct=Bidhaa ya mzazi +ParentProductOfVariant=Parent product of variant HideChildProducts=Ficha bidhaa tofauti ShowChildProducts=Onyesha bidhaa tofauti NoEditVariants=Nenda kwenye kadi ya bidhaa ya Mzazi na ubadilishe vibadala vya bei katika kichupo cha vibadala @@ -417,7 +422,7 @@ ErrorsProductsMerge=Makosa katika kuunganisha bidhaa SwitchOnSaleStatus=Washa hali ya mauzo SwitchOnPurchaseStatus=Washa hali ya ununuzi UpdatePrice=Ongeza/punguza bei ya mteja -StockMouvementExtraFields= Sehemu za Ziada (mwendo wa hisa) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Sehemu za Ziada (hesabu) ScanOrTypeOrCopyPasteYourBarCodes=Changanua au chapa au nakili/ubandike misimbopau yako PuttingPricesUpToDate=Sasisha bei kwa bei zinazojulikana za sasa @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Chagua uwanja wa ziada unaotaka kurekebisha ConfirmEditExtrafieldQuestion = Je, una uhakika unataka kurekebisha uwanja huu wa ziada? ModifyValueExtrafields = Rekebisha thamani ya uwanja wa ziada OrProductsWithCategories=Au bidhaa zilizo na lebo/kategoria +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/sw_SW/projects.lang b/htdocs/langs/sw_SW/projects.lang index 8f38d1069a3..753dd7d3e13 100644 --- a/htdocs/langs/sw_SW/projects.lang +++ b/htdocs/langs/sw_SW/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Nje ya mradi NoProject=Hakuna mradi uliofafanuliwa au unaomilikiwa NbOfProjects=Idadi ya miradi NbOfTasks=Idadi ya kazi +TimeEntry=Time tracking TimeSpent=Muda uliotumika +TimeSpentSmall=Time spent TimeSpentByYou=Muda uliotumiwa na wewe TimeSpentByUser=Muda uliotumiwa na mtumiaji -TimesSpent=Muda uliotumika TaskId=Kitambulisho cha Kazi RefTask=Ref ya kazi. LabelTask=Lebo ya kazi @@ -82,7 +83,7 @@ MyProjectsArea=Eneo la Miradi yangu DurationEffective=Muda wa ufanisi ProgressDeclared=Alitangaza maendeleo ya kweli TaskProgressSummary=Maendeleo ya kazi -CurentlyOpenedTasks=Fungua kazi kwa sasa +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=Maendeleo halisi yaliyotangazwa ni machache %s kuliko maendeleo ya matumizi TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Maendeleo halisi yaliyotangazwa ni zaidi %s kuliko maendeleo ya matumizi ProgressCalculated=Maendeleo ya matumizi @@ -122,7 +123,7 @@ TaskHasChild=Kazi ina mtoto NotOwnerOfProject=Sio mmiliki wa mradi huu wa kibinafsi AffectedTo=Imetengwa kwa CantRemoveProject=Mradi huu hauwezi kuondolewa kwa kuwa unarejelewa na vitu vingine (ankara, maagizo au vingine). Angalia kichupo cha '%s'. -ValidateProject=Thibitisha mradi +ValidateProject=Validate project ConfirmValidateProject=Je, una uhakika unataka kuthibitisha mradi huu? CloseAProject=Funga mradi ConfirmCloseAProject=Je, una uhakika unataka kufunga mradi huu? @@ -226,7 +227,7 @@ ProjectsStatistics=Takwimu za miradi au miongozo TasksStatistics=Takwimu za kazi za miradi au miongozo TaskAssignedToEnterTime=Jukumu limekabidhiwa. Kuingia wakati juu ya kazi hii lazima iwezekanavyo. IdTaskTime=Muda wa kazi ya kitambulisho -YouCanCompleteRef=Ikiwa unataka kukamilisha rejeleo kwa kiambishi tamati, inashauriwa kuongeza - herufi ili kuitenganisha, ili kuweka nambari kiotomatiki bado itafanya kazi kwa usahihi kwa miradi inayofuata. Kwa mfano %s-SUFFIX YANGU +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Fungua miradi ya wahusika wengine OnlyOpportunitiesShort=Inaongoza tu OpenedOpportunitiesShort=Fungua miongozo @@ -238,7 +239,7 @@ OpportunityPonderatedAmountDesc=Kiasi cha risasi kilichopimwa kwa uwezekano OppStatusPROSP=Matarajio OppStatusQUAL=Sifa OppStatusPROPO=Pendekezo -OppStatusNEGO=Majadiliano +OppStatusNEGO=Negotiation OppStatusPENDING=Inasubiri OppStatusWON=Ameshinda OppStatusLOST=Potea diff --git a/htdocs/langs/sw_SW/receptions.lang b/htdocs/langs/sw_SW/receptions.lang index c1082ab39cf..97bc7cb4d19 100644 --- a/htdocs/langs/sw_SW/receptions.lang +++ b/htdocs/langs/sw_SW/receptions.lang @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=Imechakatwa ReceptionSheet=Karatasi ya mapokezi ValidateReception=Thibitisha mapokezi ConfirmDeleteReception=Je, una uhakika unataka kufuta mapokezi haya? -ConfirmValidateReception=Je, una uhakika unataka kuthibitisha mapokezi haya kwa kurejelea %s ? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Je, una uhakika unataka kughairi mapokezi haya? -StatsOnReceptionsOnlyValidated=Takwimu zilizofanywa kwenye mapokezi zimethibitishwa tu. Tarehe iliyotumika ni tarehe ya uthibitishaji wa mapokezi (tarehe iliyopangwa ya uwasilishaji haijulikani kila wakati). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Tuma mapokezi kwa barua pepe SendReceptionRef=Uwasilishaji wa mapokezi %s ActionsOnReception=Matukio kwenye mapokezi @@ -53,5 +53,6 @@ ReceptionBackToDraftInDolibarr=Mapokezi %s kurudi kwenye rasimu ReceptionClassifyClosedInDolibarr=Mapokezi %s imeainishwa Imefungwa ReceptionUnClassifyCloseddInDolibarr=Mapokezi %s fungua upya RestoreWithCurrentQtySaved=Jaza idadi na thamani za hivi punde zilizohifadhiwa -ReceptionUpdated=Mapokezi yamesasishwa +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated ReceptionDistribution=Usambazaji wa mapokezi diff --git a/htdocs/langs/sw_SW/sendings.lang b/htdocs/langs/sw_SW/sendings.lang index 9e6877afbeb..9f1c978991e 100644 --- a/htdocs/langs/sw_SW/sendings.lang +++ b/htdocs/langs/sw_SW/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Imethibitishwa StatusSendingProcessedShort=Imechakatwa SendingSheet=Karatasi ya usafirishaji ConfirmDeleteSending=Je, una uhakika unataka kufuta usafirishaji huu? -ConfirmValidateSending=Je, una uhakika unataka kuthibitisha usafirishaji huu kwa kurejelea %s ? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Je, una uhakika unataka kughairi usafirishaji huu? DocumentModelMerou=Mfano wa Merou A5 WarningNoQtyLeftToSend=Onyo, hakuna bidhaa zinazosubiri kusafirishwa. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Kiasi cha bidhaa kutoka kwa maagizo NoProductToShipFoundIntoStock=Hakuna bidhaa ya kusafirishwa iliyopatikana kwenye ghala %s . Sahihisha hisa au urudi nyuma ili uchague ghala lingine. WeightVolShort=Uzito/Juzuu. ValidateOrderFirstBeforeShipment=Lazima kwanza uthibitishe agizo kabla ya kuweza kufanya usafirishaji. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Jumla ya uzito wa bidhaa # warehouse details DetailWarehouseNumber= Maelezo ya ghala DetailWarehouseFormat= W:%s (Kiasi: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Usambazaji wa usafirishaji -ErrorTooManyCombinationBatchcode=Hakuna utumaji wa laini %s kwa vile ghala mchanganyiko nyingi, bidhaa, msimbo wa bechi ulipatikana (%s) -ErrorNoCombinationBatchcode=Hakuna utumaji wa laini %s kwani hakuna ghala mchanganyiko, bidhaa, nambari ya kundi iliyopatikana. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/sw_SW/stocks.lang b/htdocs/langs/sw_SW/stocks.lang index 244bdcb3a62..60203775ab1 100644 --- a/htdocs/langs/sw_SW/stocks.lang +++ b/htdocs/langs/sw_SW/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=Hisa ya kibinafsi %s ThisWarehouseIsPersonalStock=Ghala hili linawakilisha hisa ya kibinafsi ya %s %s SelectWarehouseForStockDecrease=Chagua ghala la kutumia kwa kupungua kwa hisa SelectWarehouseForStockIncrease=Chagua ghala la kutumia kwa ongezeko la hisa +RevertProductsToStock=Revert products to stock ? NoStockAction=Hakuna hatua ya hisa DesiredStock=Hisa Unaohitajika DesiredStockDesc=Kiasi hiki cha hisa kitakuwa thamani itakayotumika kujaza hisa kwa kipengele cha kujaza tena. @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=Huna hisa ya kutosha, kwa nambari hii ya kura, kutoka ShowWarehouse=Onyesha ghala MovementCorrectStock=Marekebisho ya hisa ya bidhaa %s MovementTransferStock=Uhamisho wa hisa wa bidhaa %s kwenye ghala jingine +BatchStockMouvementAddInGlobal=Batch stock move into global stock (product doesn't use batch anymore) InventoryCodeShort=Inv./Mov. kanuni NoPendingReceptionOnSupplierOrder=Hakuna mapokezi ambayo hayajashughulikiwa kwa sababu ya agizo wazi la ununuzi ThisSerialAlreadyExistWithDifferentDate=Nambari hii ya kura ( %s ) tayari ipo lakini kwa tarehe tofauti ya kula au kuuza (imepatikana %s lakini unaingiza %s ) @@ -210,10 +212,10 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Harakati za hisa zitakuwa na tarehe inventoryChangePMPPermission=Ruhusu kubadilisha thamani ya PMP kwa bidhaa ColumnNewPMP=Kitengo kipya cha PMP OnlyProdsInStock=Usiongeze bidhaa bila hisa -TheoricalQty=Qty ya kinadharia -TheoricalValue=Qty ya kinadharia +TheoricalQty=Theoretical qty +TheoricalValue=Theoretical qty LastPA=BP ya mwisho -CurrentPA=BP ya sasa +CurrentPA=Current BP RecordedQty=Imerekodiwa Qty RealQty=Kiasi halisi RealValue=Thamani Halisi @@ -244,7 +246,7 @@ StockAtDatePastDesc=Unaweza kutazama hapa hisa (hisa halisi) katika tarehe fulan StockAtDateFutureDesc=Unaweza kutazama hapa hisa (hisa halisi) katika tarehe fulani katika siku zijazo CurrentStock=Hifadhi ya sasa InventoryRealQtyHelp=Weka thamani iwe 0 ili kuweka upya qty
      Weka uga tupu, au ondoa laini, ili usibadilike -UpdateByScaning=Kamilisha kiasi halisi kwa kuchanganua +UpdateByScaning=Complete real qty by scanning UpdateByScaningProductBarcode=Sasisha kwa kuchanganua (msimbopau wa bidhaa) UpdateByScaningLot=Sasisha kwa kuchanganua (wingi|msimbopau wa serial) DisableStockChangeOfSubProduct=Zima ubadilishaji wa hisa kwa bidhaa zote ndogo za Kit hiki wakati wa harakati hii. @@ -280,7 +282,7 @@ ModuleStockTransferName=Uhamisho wa Juu wa Hisa ModuleStockTransferDesc=Usimamizi wa hali ya juu wa Uhawilishaji Hisa, pamoja na kutengeneza laha ya uhamishaji StockTransferNew=Uhamisho mpya wa hisa StockTransferList=Orodha ya uhamisho wa hisa -ConfirmValidateStockTransfer=Je, una uhakika unataka kuthibitisha uhamishaji huu wa hisa kwa marejeleo %s ? +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? ConfirmDestock=Kupungua kwa hisa kwa uhamisho %s ConfirmDestockCancel=Ghairi kupungua kwa hisa kwa uhamisho %s DestockAllProduct=Kupungua kwa hisa @@ -307,9 +309,9 @@ StockTransferDecrementationCancel=Ghairi kupungua kwa maghala ya chanzo StockTransferIncrementationCancel=Ghairi ongezeko la maghala lengwa StockStransferDecremented=Maghala ya chanzo yalipungua StockStransferDecrementedCancel=Kupungua kwa ghala za chanzo kumeghairiwa -StockStransferIncremented=Imefungwa - Hisa zimehamishwa -StockStransferIncrementedShort=Hisa zimehamishwa -StockStransferIncrementedShortCancel=Ongezeko la maghala lengwa limeghairiwa +StockStransferIncremented=Closed - Stocks transferred +StockStransferIncrementedShort=Stocks transferred +StockStransferIncrementedShortCancel=Increase of destination warehouses canceled StockTransferNoBatchForProduct=Bidhaa %s haitumii kundi, futa bechi kwenye mstari na ujaribu tena StockTransferSetup = Usanidi wa moduli ya Uhamisho wa Hisa Settings=Mipangilio @@ -318,8 +320,18 @@ StockTransferRightRead=Soma uhamishaji wa hisa StockTransferRightCreateUpdate=Unda/Sasisha uhamishaji wa hisa StockTransferRightDelete=Futa uhamishaji wa hisa BatchNotFound=Mengi / mfululizo haupatikani kwa bidhaa hii +StockEntryDate=Date of
      entry in stock StockMovementWillBeRecorded=Harakati za hisa zitarekodiwa StockMovementNotYetRecorded=Harakati za hisa hazitaathiriwa na hatua hii +ReverseConfirmed=Stock movement has been reversed successfully + WarningThisWIllAlsoDeleteStock=Onyo, hii pia itaharibu idadi yote katika ghala +ValidateInventory=Inventory validation +IncludeSubWarehouse=Include sub-warehouse ? +IncludeSubWarehouseExplanation=Check this box if you want to include all sub-warehouses of the associated warehouse in the inventory DeleteBatch=Delete lot/serial ConfirmDeleteBatch=Are you sure you want to delete lot/serial ? +WarehouseUsage=Warehouse usage +InternalWarehouse=Internal warehouse +ExternalWarehouse=External warehouse +WarningThisWIllAlsoDeleteStock=Onyo, hii pia itaharibu idadi yote katika ghala diff --git a/htdocs/langs/sw_SW/website.lang b/htdocs/langs/sw_SW/website.lang index ca1b8add4cc..74a58465b8e 100644 --- a/htdocs/langs/sw_SW/website.lang +++ b/htdocs/langs/sw_SW/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Majina / lakabu za ukurasa mbadala WEBSITE_ALIASALTDesc=Tumia hapa orodha ya majina/lahaka zingine ili ukurasa pia uweze kufikiwa kwa kutumia majina/lahaja hizi zingine (kwa mfano jina la zamani baada ya kubadilisha jina la pak ili kuweka kiunga cha nyuma kwenye kiunga cha zamani/jina kufanya kazi). Sintaksia ni:
      mbadala1, jina mbadala2, ... WEBSITE_CSS_URL=URL ya faili ya CSS ya nje WEBSITE_CSS_INLINE=Maudhui ya faili ya CSS (ya kawaida kwa kurasa zote) -WEBSITE_JS_INLINE=Yaliyomo kwenye faili ya Javascript (ya kawaida kwa kurasa zote) +WEBSITE_JS_INLINE=JavaScript file content (common to all pages) WEBSITE_HTML_HEADER=Nyongeza chini ya Kichwa cha HTML (kinachojulikana kwa kurasa zote) WEBSITE_ROBOT=Faili ya roboti (robots.txt) WEBSITE_HTACCESS=Faili ya .htaccess ya tovuti @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=Kumbuka: Ikiwa unataka kufafanua kichwa kilichobi MediaFiles=Maktaba ya media EditCss=Hariri sifa za tovuti EditMenu=Badilisha menyu -EditMedias=Hariri medias +EditMedias=Edit media EditPageMeta=Badilisha sifa za ukurasa/chombo EditInLine=Hariri ndani ya mstari AddWebsite=Ongeza tovuti @@ -60,10 +60,11 @@ NoPageYet=Bado hakuna kurasa YouCanCreatePageOrImportTemplate=Unaweza kuunda ukurasa mpya au kuleta kiolezo kamili cha tovuti SyntaxHelp=Msaada juu ya vidokezo maalum vya sintaksia YouCanEditHtmlSourceckeditor=Unaweza kuhariri msimbo wa chanzo wa HTML kwa kutumia kitufe cha "Chanzo" kwenye kihariri. -YouCanEditHtmlSource=
      Unaweza kujumuisha msimbo wa PHP kwenye chanzo hiki kwa kutumia lebo <?php ?> . Vigezo vifuatavyo vya kimataifa vinapatikana: $conf, $db, $mysoc, $user, $tovuti, ukurasa wa tovuti wa $, $weblangs, $pagelangs.

      Unaweza pia kujumuisha maudhui ya Ukurasa/Kontena lingine kwa sintaksia ifuatayo:
      <?php ni pamoja na Kontena('pak_ya_chombo_cha_kujumuisha'); ?>

      Unaweza kuelekeza upya kwa Ukurasa/Kontena lingine kwa sintaksia ifuatayo (Kumbuka: usitoe maudhui yoyote kabla ya kuelekezwa kwingine):
      <?php redirectToContainer('pak_ya_chombo_kwa_kuelekeza_kwa'); ?>

      Ili kuongeza kiungo kwa ukurasa mwingine, tumia sintaksia:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      Ili kujumuisha kiungo cha kupakua faili iliyohifadhiwa kwenye hati saraka, tumia document.php kanga:
      Kwa mfano, kwa faili kuwa hati/ecm (inahitaji kurekodiwa), sintaksia ni:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      Kwa faili kuwa hati/midia (saraka wazi kwa ufikiaji wa umma), sintaksia ni:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      Kwa faili iliyoshirikiwa na kiungo cha kushiriki (ufikiaji wazi kwa kutumia ufunguo wa hashi wa kushiriki), syntax ni:
      <a href="/document.php?hashp=publicsharekeyoffile">

      Ili kujumuisha picha imehifadhiwa kwenye hati saraka, tumia viewimage.php kanga:
      Mfano, kwa picha kuwa hati/midia (saraka wazi kwa ufikiaji wa umma), sintaksia ni:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Kwa picha iliyoshirikiwa na kiungo cha kushiriki (ufikiaji wazi kwa kutumia ufunguo wa hashi wa kushiriki), syntax ni:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      Mifano zaidi ya HTML au msimbo unaobadilika unapatikana kwenye hati za wiki
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Sambaza ukurasa/chombo CloneSite=Tovuti ya Clone SiteAdded=Tovuti imeongezwa @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Samahani, tovuti hii iko nje ya mtandao kwa sasa. WEBSITE_USE_WEBSITE_ACCOUNTS=Washa jedwali la akaunti ya tovuti WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Washa jedwali ili kuhifadhi akaunti za tovuti (kuingia/kupitisha) kwa kila tovuti/watu wengine YouMustDefineTheHomePage=Lazima kwanza ubainishe ukurasa wa Nyumbani chaguomsingi -OnlyEditionOfSourceForGrabbedContentFuture=Onyo: Kuunda ukurasa wa wavuti kwa kuleta ukurasa wa wavuti wa nje umehifadhiwa kwa watumiaji wenye uzoefu. Kulingana na utata wa ukurasa chanzo, matokeo ya uagizaji yanaweza kutofautiana na asili. Pia ikiwa ukurasa wa chanzo unatumia mitindo ya kawaida ya CSS au javascript inayokinzana, inaweza kuvunja mwonekano au vipengele vya Kihariri cha Tovuti wakati wa kufanya kazi kwenye ukurasa huu. Njia hii ni njia ya haraka zaidi ya kuunda ukurasa lakini inashauriwa kuunda ukurasa wako mpya kutoka mwanzo au kutoka kwa kiolezo cha ukurasa kilichopendekezwa.
      Kumbuka pia kuwa kihariri cha ndani kinaweza kisifanye kazi kwa usahihi kinapotumiwa kwenye ukurasa wa nje ulionyakuliwa. +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting JavaScript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correctty when used on a grabbed external page. OnlyEditionOfSourceForGrabbedContent=Toleo pekee la chanzo cha HTML linawezekana wakati maudhui yaliporwa kutoka kwa tovuti ya nje GrabImagesInto=Kunyakua pia picha kupatikana katika css na ukurasa. ImagesShouldBeSavedInto=Picha zinapaswa kuhifadhiwa kwenye saraka @@ -112,13 +113,13 @@ GoTo=Enda kwa DynamicPHPCodeContainsAForbiddenInstruction=Unaongeza msimbo thabiti wa PHP ambao una maagizo ya PHP ' %s ' ambayo imekatazwa kwa chaguo-msingi kama maudhui yanayobadilika (angalia chaguo zilizofichwa WEBSITE_PHP_ALLOW_xxx ili kuongeza orodha ya amri zinazoruhusiwa). NotAllowedToAddDynamicContent=Huna ruhusa ya kuongeza au kubadilisha maudhui ya PHP katika tovuti. Uliza ruhusa au uweke tu nambari kwenye lebo za php ambazo hazijabadilishwa. ReplaceWebsiteContent=Tafuta au Badilisha maudhui ya tovuti -DeleteAlsoJs=Ungependa kufuta faili zote za javascript maalum kwa tovuti hii? -DeleteAlsoMedias=Ungependa pia kufuta faili zote za medias maalum kwa tovuti hii? +DeleteAlsoJs=Delete also all JavaScript files specific to this website? +DeleteAlsoMedias=Delete also all media files specific to this website? MyWebsitePages=Kurasa za tovuti yangu SearchReplaceInto=Tafuta | Badilisha ndani ReplaceString=Kamba mpya CSSContentTooltipHelp=Ingiza hapa maudhui ya CSS. Ili kuepuka mgongano wowote na CSS ya programu, hakikisha kuwa umetayarisha tamko lote na darasa la tovuti ya .bodywebsite. Kwa mfano:

      #mycssselector, input.myclass:hover { ... }
      lazima iwe
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Kumbuka: Ikiwa una faili kubwa isiyo na kiambishi awali hiki, unaweza kutumia 'lessc' kuibadilisha ili kuambatisha kiambishi awali cha .bodywebsite kila mahali. -LinkAndScriptsHereAreNotLoadedInEditor=Onyo: Maudhui haya hutolewa tu wakati tovuti inafikiwa kutoka kwa seva. Haitumiki katika modi ya Hariri kwa hivyo ikiwa unahitaji kupakia faili za javascript pia katika hali ya kuhariri, ongeza tu lebo yako ya 'script src=...' kwenye ukurasa. +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=Sampuli ya ukurasa wenye maudhui yanayobadilika ImportSite=Ingiza kiolezo cha tovuti EditInLineOnOff=Hali ya 'Hariri inline' ni %s @@ -160,3 +161,6 @@ PagesViewedTotal=Kurasa zilizotazamwa (jumla) Visibility=Visibility Everyone=Everyone AssignedContacts=Assigned contacts +WebsiteTypeLabel=Type of Web site +WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/sw_SW/withdrawals.lang b/htdocs/langs/sw_SW/withdrawals.lang index a549b178067..ef5c1727f8f 100644 --- a/htdocs/langs/sw_SW/withdrawals.lang +++ b/htdocs/langs/sw_SW/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Tuma ombi la kuhamisha mkopo WithdrawRequestsDone=%s maombi ya malipo ya deni ya moja kwa moja yameandikwa BankTransferRequestsDone=%s maombi ya uhamisho wa mkopo yameandikwa ThirdPartyBankCode=Msimbo wa benki wa mtu wa tatu -NoInvoiceCouldBeWithdrawed=Hakuna ankara iliyotozwa kwa mafanikio. Hakikisha kuwa ankara ziko kwenye kampuni zilizo na IBAN halali na kwamba IBAN ina UMR (Rejeleo la Mamlaka ya Kipekee) yenye hali ya %s . +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=Risiti hii ya uondoaji tayari imetiwa alama kuwa imeainishwa; hili haliwezi kufanywa mara mbili, kwa kuwa hii inaweza kuunda nakala za malipo na maingizo ya benki. ClassCredited=Kuainisha sifa ClassDebited=Kuainisha debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Je, una uhakika unataka kuweka kukataliwa kwa kujiondoa RefusedData=Tarehe ya kukataliwa RefusedReason=Sababu ya kukataliwa RefusedInvoicing=Kulipa kukataliwa -NoInvoiceRefused=Usitoze kukataa -InvoiceRefused=Ankara imekataliwa (Toza kukataliwa kwa mteja) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Debit ya hali/mkopo StatusWaiting=Kusubiri StatusTrans=Imetumwa @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Tarehe ya saini ya mamlaka RUMLong=Rejea ya Mamlaka ya Kipekee RUMWillBeGenerated=Ikiwa tupu, UMR (Marejeleo ya Mamlaka ya Kipekee) itatolewa mara tu maelezo ya akaunti ya benki yanapohifadhiwa. -WithdrawMode=Njia ya utozaji ya moja kwa moja (FRST au RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Kiasi cha ombi la malipo ya moja kwa moja: BankTransferAmount=Kiasi cha ombi la Uhamisho wa Mkopo: WithdrawRequestErrorNilAmount=Imeshindwa kuunda ombi la malipo ya moja kwa moja kwa kiasi tupu. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Jina la Akaunti yako ya Benki (IBAN) SEPAFormYourBIC=Nambari ya Kitambulisho chako cha Benki (BIC) SEPAFrstOrRecur=Aina ya malipo ModeRECUR=Malipo ya mara kwa mara +ModeRCUR=Recurring payment ModeFRST=Malipo ya mara moja PleaseCheckOne=Tafadhali angalia moja pekee CreditTransferOrderCreated=Agizo la uhamisho wa mkopo %s kuundwa @@ -155,9 +159,16 @@ InfoTransData=Kiasi: %s
      Mbinu: %s
      Tarehe: %s InfoRejectSubject=Agizo la malipo ya moja kwa moja limekataliwa InfoRejectMessage=Hujambo,

      agizo la malipo ya moja kwa moja la ankara %s inayohusiana na kampuni %s, yenye kiasi cha %s imekataliwa na benki.

      --
      %s ModeWarning=Chaguo la hali halisi halikuwekwa, tunaacha baada ya simulation hii -ErrorCompanyHasDuplicateDefaultBAN=Kampuni yenye kitambulisho %s ina zaidi ya akaunti moja ya msingi ya benki. Hakuna njia ya kujua ni ipi ya kutumia. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=ICS haipo katika akaunti ya Benki %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Jumla ya kiasi cha agizo la malipo ya moja kwa moja hutofautiana na jumla ya mistari WarningSomeDirectDebitOrdersAlreadyExists=Onyo: Tayari kuna maagizo ya malipo ya moja kwa moja yanayosubiri (%s) waliomba kiasi cha %s WarningSomeCreditTransferAlreadyExists=Onyo: Tayari kuna Uhamisho wa Mkopo unaosubiri (%s) waliomba kiasi cha %s UsedFor=Inatumika kwa %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Salary +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/sw_SW/workflow.lang b/htdocs/langs/sw_SW/workflow.lang index b3f7783945e..f1a83cf03dc 100644 --- a/htdocs/langs/sw_SW/workflow.lang +++ b/htdocs/langs/sw_SW/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Unda ankara ya mteja kiotomatiki baada descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Unda ankara ya mteja kiotomatiki baada ya agizo la mauzo kufungwa (ankara mpya itakuwa na kiasi sawa na agizo) descWORKFLOW_TICKET_CREATE_INTERVENTION=Kwenye uundaji wa tikiti, unda moja kwa moja kuingilia kati. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Panga pendekezo la chanzo kilichounganishwa kama kinachotozwa wakati agizo la mauzo limewekwa kuwa bili (na ikiwa kiasi cha agizo ni sawa na jumla ya kiasi cha pendekezo lililounganishwa lililotiwa saini) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Bainisha pendekezo la chanzo kilichounganishwa kama kinachotozwa wakati ankara ya mteja imethibitishwa (na ikiwa kiasi cha ankara ni sawa na jumla ya kiasi cha pendekezo lililounganishwa lililotiwa saini) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Panga agizo la mauzo la chanzo kilichounganishwa kama kinachotozwa wakati ankara ya mteja imethibitishwa (na ikiwa kiasi cha ankara ni sawa na jumla ya kiasi cha agizo lililounganishwa) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Panga agizo la mauzo la chanzo kilichounganishwa kama kinachotozwa wakati ankara ya mteja imewekwa kulipwa (na ikiwa kiasi cha ankara ni sawa na jumla ya kiasi cha agizo lililounganishwa) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Bainisha agizo la mauzo la chanzo kilichounganishwa kama linavyosafirishwa wakati usafirishaji umeidhinishwa (na ikiwa kiasi kinachosafirishwa na usafirishaji wote ni sawa na katika mpangilio wa kusasishwa) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Bainisha agizo la mauzo la chanzo kilichounganishwa kama linavyosafirishwa wakati usafirishaji umefungwa (na ikiwa kiasi kinachosafirishwa na usafirishaji wote ni sawa na katika mpangilio wa kusasisha) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Bainisha pendekezo la chanzo kilichounganishwa kama kinachotozwa wakati ankara ya muuzaji imethibitishwa (na ikiwa kiasi cha ankara ni sawa na jumla ya kiasi cha pendekezo lililounganishwa) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Panga agizo la ununuzi la chanzo kilichounganishwa kama kinachotozwa wakati ankara ya muuzaji imethibitishwa (na ikiwa kiasi cha ankara ni sawa na jumla ya kiasi cha agizo lililounganishwa) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Bainisha agizo la ununuzi la chanzo kilichounganishwa kama lilivyopokelewa wakati mapokezi yamethibitishwa (na ikiwa kiasi kilichopokelewa na mapokezi yote ni sawa na katika agizo la ununuzi la kusasisha) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Panga agizo la ununuzi la chanzo kilichounganishwa kama lilivyopokelewa wakati upokezi umefungwa (na ikiwa kiasi kilichopokelewa na mapokezi yote ni sawa na katika agizo la ununuzi la kusasishwa) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Panga mapokezi kuwa "yanayotozwa" wakati ankara ya ununuzi iliyounganishwa imethibitishwa (na ikiwa kiasi cha ankara ni sawa na jumla ya kiasi cha mapokezi yaliyounganishwa) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=Wakati wa kuunda tikiti, unganisha mikataba inayopatikana ya watu wengine wanaolingana +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Wakati wa kuunganisha mikataba, tafuta kati ya wale wa makampuni ya wazazi # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Funga hatua zote zilizounganishwa na tikiti wakati tikiti imefungwa AutomaticCreation=Uundaji otomatiki AutomaticClassification=Uainishaji otomatiki -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Bainisha usafirishaji wa chanzo kilichounganishwa kuwa umefungwa wakati ankara ya mteja imethibitishwa (na ikiwa kiasi cha ankara ni sawa na jumla ya kiasi cha usafirishaji uliounganishwa) AutomaticClosing=Kufunga kiotomatiki AutomaticLinking=Kuunganisha otomatiki diff --git a/htdocs/langs/ta_IN/admin.lang b/htdocs/langs/ta_IN/admin.lang index 65afae5d7b8..2d20bb03457 100644 --- a/htdocs/langs/ta_IN/admin.lang +++ b/htdocs/langs/ta_IN/admin.lang @@ -227,6 +227,8 @@ NotCompatible=இந்த மாட்யூல் உங்கள் Dolibarr CompatibleAfterUpdate=இந்த தொகுதிக்கு உங்கள் Dolibarr %s (குறைந்தபட்சம் %s - Max %s) புதுப்பித்தல் தேவை. SeeInMarkerPlace=சந்தை இடத்தில் பார்க்கவும் SeeSetupOfModule=தொகுதி %s அமைப்பைப் பார்க்கவும் +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=விருப்பத்தை அமைக்கவும் %s ஆக %s Updated=புதுப்பிக்கப்பட்டது AchatTelechargement=வாங்க / பதிவிறக்கவும் @@ -292,22 +294,22 @@ EmailSenderProfiles=மின்னஞ்சல் அனுப்புநர EMailsSenderProfileDesc=இந்தப் பகுதியை காலியாக வைத்திருக்கலாம். நீங்கள் சில மின்னஞ்சல்களை இங்கே உள்ளிட்டால், நீங்கள் புதிய மின்னஞ்சலை எழுதும் போது அவை காம்போபாக்ஸில் சாத்தியமான அனுப்புநர்களின் பட்டியலில் சேர்க்கப்படும். MAIN_MAIL_SMTP_PORT=SMTP/SMTPS போர்ட் (php.ini இல் இயல்புநிலை மதிப்பு: %s ) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS ஹோஸ்ட் (php.ini இல் இயல்புநிலை மதிப்பு: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS போர்ட் (யுனிக்ஸ் போன்ற கணினிகளில் PHP இல் வரையறுக்கப்படவில்லை) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS ஹோஸ்ட் (யுனிக்ஸ் போன்ற கணினிகளில் PHP என வரையறுக்கப்படவில்லை) -MAIN_MAIL_EMAIL_FROM=தானியங்கி மின்னஞ்சல்களுக்கான மின்னஞ்சல் அனுப்புனர் (php.ini இல் இயல்புநிலை மதிப்பு: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=மின்னஞ்சல்களைப் பிழை திரும்பப் பெறுவதற்குப் பயன்படுத்தப்படும் மின்னஞ்சல் (அனுப்பப்பட்ட மின்னஞ்சல்களில் உள்ள 'பிழைகள்-செய்யும்' புலங்கள்) MAIN_MAIL_AUTOCOPY_TO= அனுப்பிய எல்லா மின்னஞ்சல்களையும் நகலெடுக்கவும் (Bcc). MAIN_DISABLE_ALL_MAILS=அனைத்து மின்னஞ்சல் அனுப்புதலையும் முடக்கு (சோதனை நோக்கங்களுக்காக அல்லது டெமோக்களுக்காக) MAIN_MAIL_FORCE_SENDTO=அனைத்து மின்னஞ்சல்களையும் அனுப்பவும் (உண்மையான பெறுநர்களுக்கு பதிலாக, சோதனை நோக்கங்களுக்காக) MAIN_MAIL_ENABLED_USER_DEST_SELECT=புதிய மின்னஞ்சலை எழுதும் போது முன் வரையறுக்கப்பட்ட பெறுநரின் பட்டியலில் பணியாளர்களின் மின்னஞ்சல்களை (வரையறுக்கப்பட்டிருந்தால்) பரிந்துரைக்கவும் -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=மின்னஞ்சல் அனுப்பும் முறை MAIN_MAIL_SMTPS_ID=SMTP ஐடி (சேவையகத்தை அனுப்புவதற்கு அங்கீகாரம் தேவைப்பட்டால்) MAIN_MAIL_SMTPS_PW=SMTP கடவுச்சொல் (சேவையகத்தை அனுப்புவதற்கு அங்கீகாரம் தேவைப்பட்டால்) MAIN_MAIL_EMAIL_TLS=TLS (SSL) குறியாக்கத்தைப் பயன்படுத்தவும் MAIN_MAIL_EMAIL_STARTTLS=TLS (STARTTLS) குறியாக்கத்தைப் பயன்படுத்தவும் -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=லெஸ் சான்றிதழ்கள் தானியங்கு கையொப்பங்களை அங்கீகரிக்கவும் +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=மின்னஞ்சல் கையொப்பத்தை உருவாக்க DKIM ஐப் பயன்படுத்தவும் MAIN_MAIL_EMAIL_DKIM_DOMAIN=dkim உடன் பயன்படுத்த மின்னஞ்சல் டொமைன் MAIN_MAIL_EMAIL_DKIM_SELECTOR=dkim தேர்வாளரின் பெயர் @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=dkim கையொப்பமிடுவதற MAIN_DISABLE_ALL_SMS=அனைத்து SMS அனுப்புதலையும் முடக்கு (சோதனை நோக்கங்களுக்காக அல்லது டெமோக்களுக்காக) MAIN_SMS_SENDMODE=எஸ்எம்எஸ் அனுப்ப பயன்படுத்த வேண்டிய முறை MAIN_MAIL_SMS_FROM=SMS அனுப்புவதற்கான இயல்புநிலை அனுப்புநரின் தொலைபேசி எண் -MAIN_MAIL_DEFAULT_FROMTYPE=கைமுறையாக அனுப்புவதற்கான இயல்புநிலை அனுப்புநர் மின்னஞ்சல் (பயனர் மின்னஞ்சல் அல்லது நிறுவனத்தின் மின்னஞ்சல்) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=பயனர் மின்னஞ்சல் CompanyEmail=நிறுவனத்தின் மின்னஞ்சல் FeatureNotAvailableOnLinux=Unix போன்ற கணினிகளில் அம்சம் இல்லை. உங்கள் அனுப்பும் அஞ்சல் திட்டத்தை உள்ளூரில் சோதிக்கவும். @@ -417,6 +419,7 @@ PDFLocaltax=%s க்கான விதிகள் HideLocalTaxOnPDF=விற்பனை வரி / VAT நெடுவரிசையில் %s விகிதத்தை மறை HideDescOnPDF=தயாரிப்பு விளக்கத்தை மறை HideRefOnPDF=தயாரிப்புகளை மறை. +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=தயாரிப்பு வரி விவரங்களை மறை PlaceCustomerAddressToIsoLocation=வாடிக்கையாளர் முகவரி நிலைக்கு பிரெஞ்சு நிலையான நிலையை (La Poste) பயன்படுத்தவும் Library=நூலகம் @@ -424,7 +427,7 @@ UrlGenerationParameters=URLகளைப் பாதுகாப்பதற் SecurityTokenIsUnique=ஒவ்வொரு URLக்கும் தனிப்பட்ட பாதுகாப்பு விசை அளவுருவைப் பயன்படுத்தவும் EnterRefToBuildUrl=ஆப்ஜெக்ட் %s க்கான குறிப்பை உள்ளிடவும் GetSecuredUrl=கணக்கிடப்பட்ட URL ஐப் பெறவும் -ButtonHideUnauthorized=உள் பயனர்களுக்கும் அங்கீகரிக்கப்படாத செயல் பொத்தான்களை மறைக்கவும் (வேறுவிதமாக சாம்பல் நிறத்தில் உள்ளது) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=பழைய VAT விகிதம் NewVATRates=புதிய VAT விகிதம் PriceBaseTypeToChange=அடிப்படை குறிப்பு மதிப்பு வரையறுக்கப்பட்ட விலையில் மாற்றவும் @@ -458,11 +461,11 @@ ComputedFormula=கணக்கிடப்பட்ட புலம் ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=கணக்கிடப்பட்ட புலத்தை சேமிக்கவும் ComputedpersistentDesc=கணக்கிடப்பட்ட கூடுதல் புலங்கள் தரவுத்தளத்தில் சேமிக்கப்படும், இருப்பினும், இந்த புலத்தின் பொருள் மாற்றப்படும் போது மட்டுமே மதிப்பு மீண்டும் கணக்கிடப்படும். கணக்கிடப்பட்ட புலம் மற்ற பொருள்கள் அல்லது உலகளாவிய தரவு சார்ந்து இருந்தால் இந்த மதிப்பு தவறாக இருக்கலாம்!! -ExtrafieldParamHelpPassword=இந்த புலத்தை காலியாக விடுவது என்பது குறியாக்கம் இல்லாமல் இந்த மதிப்பு சேமிக்கப்படும் (புலம் திரையில் நட்சத்திரத்துடன் மட்டுமே மறைக்கப்பட வேண்டும்).
      தரவுத்தளத்தில் கடவுச்சொல்லைச் சேமிக்க இயல்புநிலை குறியாக்க விதியைப் பயன்படுத்த 'தானியங்கு' அமைக்கவும் (பின்னர் மதிப்பு வாசிப்பு ஹாஷ் மட்டுமே, அசல் மதிப்பை மீட்டெடுக்க வழி இல்லை) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=மதிப்புகள் பட்டியல் வடிவம் விசை வரிகளை இருக்க வேண்டும், மதிப்பு (விசையை இருக்க அங்கு முடியாது '0')

      உதாரணமாக:
      1, மதிப்பு 1
      2, மதிப்பு 2
      code3, value3
      ...

      வேண்டும் பொருட்டு மற்றொரு நிரப்பு பண்பு பட்டியலில் பொறுத்து பட்டியல்:
      1, மதிப்பு 1 | options_ parent_list_code : parent_key
      2, மதிப்பு 2 | options_ parent_list_code : parent_key

      பொருட்டு மற்றொரு பட்டியல் பொறுத்து பட்டியலில் வேண்டும்:
      1, மதிப்பு 1 | parent_list_code :parent_key
      2,value2| parent_list_code :parent_key ExtrafieldParamHelpcheckbox=மதிப்புகளின் பட்டியல் வடிவமைப்பு விசை, மதிப்பு (விசை '0' ஆக இருக்க முடியாது) கொண்ட கோடுகளாக இருக்க வேண்டும். ExtrafieldParamHelpradio=மதிப்புகளின் பட்டியல் வடிவமைப்பு விசை, மதிப்பு (விசை '0' ஆக இருக்க முடியாது) கொண்ட கோடுகளாக இருக்க வேண்டும். -ExtrafieldParamHelpsellist=TABLE_NAME: label_field: மதிப்புகள் பட்டியல் தொடரியல்
      ஒரு அட்டவணை இருந்து வருகிறது id_field :: filtersql
      உதாரணம்: c_typent: libelle: ஐடி :: filtersql

      - id_field necessarly ஒரு முதன்மை எண்ணாக முக்கிய
      உள்ளது - filtersql ஒரு SQL நிலைமையாகும். செயலில் உள்ள மதிப்பு
      ஐ மட்டும் காட்ட இது ஒரு எளிய சோதனையாக இருக்கலாம் (எ.கா. செயலில்=1) நீங்கள் $ID$ ஐ வடிகட்டியில் பயன்படுத்தலாம், இது தற்போதைய பொருளின் தற்போதைய ஐடி
      வடிகட்டியில் SELECT ஐப் பயன்படுத்த $SEL$ என்ற முக்கிய சொல்லைப் பயன்படுத்தவும். பைபாஸ் எதிர்ப்பு ஊசி பாதுகாப்பு.
      நீங்கள் எக்ஸ்ட்ராஃபீல்டுகளில் வடிகட்ட விரும்பினால் தொடரியல் extra.fieldcode=... (புலம் குறியீடு என்பது எக்ஸ்ட்ராஃபீல்டின் குறியீடாக இருக்கும்)

      மற்றொரு நிரப்பு பண்புக்கூறு பட்டியல்: a0342fcfda19bz0 பட்டியல் இருக்க வேண்டும்: parent_list_code | parent_column: |: வடிகட்டி
      c_typent: libelle: ஐடி parent_column parent_list_code மற்றொரு பட்டியல் பொறுத்து பட்டியலில் வேண்டும் பொருட்டு வடிகட்டி

      +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=மதிப்புகளின் பட்டியல்
      அட்டவணையிலிருந்து வருகிறது தொடரியல்: table_name:label_field:id_field::filtersql
      எடுத்துக்காட்டு: c_typent:libelle:id::filtersql
      எடுத்துக்காட்டு வடிகட்டி சூனியத்தில் $ID$ ஐப் பயன்படுத்தலாம் என்பது தற்போதைய பொருளின் தற்போதைய ஐடி
      வடிப்பானில் ஒரு SELECT செய்ய $SEL$
      ஐப் பயன்படுத்தவும், நீங்கள் எக்ஸ்ட்ராஃபீல்டுகளில் வடிகட்ட விரும்பினால், தொடரியல் கூடுதல்.fieldcode=... (புலம் குறியீடு என்பது இதில் உள்ளது extrafield குறியீடு)

      மற்றொரு நிரப்பு பண்பு பட்டியலில் பொறுத்து பட்டியலில் வேண்டும் அவற்றின் விவரம் வருமாறு:
      c_typent: libelle: ஐடி: options_ parent_list_code | parent_column: வடிகட்டி

      மற்றொரு பட்டியல் பொறுத்து பட்டியலில் வேண்டும் அவற்றின் விவரம் வருமாறு:
      c_typent: libelle:id: parent_list_code |parent_column:filter ExtrafieldParamHelplink=அளவுருக்கள் கண்டிப்பாக ObjectName:Classpath
      தொடரியல்: ObjectName:Classpath ExtrafieldParamHelpSeparator=ஒரு எளிய பிரிப்பானுக்காக காலியாக இருங்கள்
      சரிந்து வரும் பிரிப்பானுக்கு இதை 1 ஆக அமைக்கவும் (புதிய அமர்வுக்கு இயல்புநிலையாகத் திறக்கவும், பின்னர் ஒவ்வொரு பயனர் அமர்வுக்கும் நிலை வைக்கப்படும்)
      ஒரு சரியும் பிரிப்பானுக்கு இதை 2 ஆக அமைக்கவும் (புதிய அமர்வுக்கு இயல்புநிலையாகச் சுருக்கப்பட்டது. ஒவ்வொரு பயனர் அமர்வுக்கும் நிலை வைக்கப்படும்) @@ -473,7 +476,7 @@ LinkToTestClickToDial=பயனர் %s க்கான Click RefreshPhoneLink=இணைப்பைப் புதுப்பிக்கவும் LinkToTest= %s (சோதனை செய்ய தொலைபேசி எண்ணைக் கிளிக் செய்யவும்) KeepEmptyToUseDefault=இயல்புநிலை மதிப்பைப் பயன்படுத்த, காலியாக வைக்கவும் -KeepThisEmptyInMostCases=பெரும்பாலான சந்தர்ப்பங்களில், இந்த புலத்தை நீங்கள் காலியாக வைத்திருக்கலாம். +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=இயல்புநிலை இணைப்பு SetAsDefault=இயல்புநிலைக்கு அமை ValueOverwrittenByUserSetup=எச்சரிக்கை, இந்த மதிப்பு பயனர் குறிப்பிட்ட அமைப்பால் மேலெழுதப்படலாம் (ஒவ்வொரு பயனரும் அவரவர் கிளிக்டோடியல் url ஐ அமைக்கலாம்) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=இது HTML புலத்தின் பெய PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate=
      எடுத்துக்காட்டு:
      புதிய மூன்றாம் தரப்பை உருவாக்க படிவத்திற்கு, %s .
      தனிப்பயன் கோப்பகத்தில் நிறுவப்பட்ட வெளிப்புற தொகுதிகளின் URL க்கு, "தனிப்பயன்/" சேர்க்க வேண்டாம், எனவே mymodule/mypage.php போன்ற பாதையைப் பயன்படுத்தவும் மற்றும் custom/mymodule/mypage.
      url இல் ஏதேனும் அளவுரு இருந்தால் மட்டுமே இயல்புநிலை மதிப்பை நீங்கள் விரும்பினால், நீங்கள் %s ஐப் பயன்படுத்தலாம் PageUrlForDefaultValuesList=
      எடுத்துக்காட்டு:
      மூன்றாம் தரப்பினரைப் பட்டியலிடும் பக்கத்திற்கு, இது %s .
      தனிப்பயன் கோப்பகத்தில் நிறுவப்பட்ட வெளிப்புற தொகுதிகளின் URL க்கு, "தனிப்பயன்/" சேர்க்க வேண்டாம், எனவே mymodule/mypagelist.php போன்ற பாதையைப் பயன்படுத்தவும் மற்றும் custom/mymodule.ph.
      url இல் ஏதேனும் அளவுரு இருந்தால் மட்டுமே இயல்புநிலை மதிப்பை நீங்கள் விரும்பினால், நீங்கள் %s ஐப் பயன்படுத்தலாம் -AlsoDefaultValuesAreEffectiveForActionCreate=படிவ உருவாக்கத்திற்கான இயல்புநிலை மதிப்புகளை மேலெழுதுவது சரியாக வடிவமைக்கப்பட்ட பக்கங்களுக்கு மட்டுமே வேலை செய்யும் (அதனால் அளவுரு செயல்=உருவாக்கு அல்லது வழங்குதல்...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=இயல்புநிலை மதிப்புகளின் தனிப்பயனாக்கத்தை இயக்கு EnableOverwriteTranslation=Allow customization of translations GoIntoTranslationMenuToChangeThis=இந்தக் குறியீட்டைக் கொண்ட விசைக்கான மொழிபெயர்ப்பு கண்டறியப்பட்டுள்ளது. இந்த மதிப்பை மாற்ற, Home-Setup-translation இலிருந்து நீங்கள் திருத்த வேண்டும். @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=பொதுவான பிரைவேட் ட DAV_ALLOW_PUBLIC_DIR=பொதுவான பொது கோப்பகத்தை இயக்கு (WebDAV பிரத்யேக கோப்பகம் "பொது" - உள்நுழைவு தேவையில்லை) DAV_ALLOW_PUBLIC_DIRTooltip=பொதுவான பொது அடைவு என்பது ஒரு WebDAV கோப்பகமாகும் (படிக்க மற்றும் எழுதும் பயன்முறையில்), அங்கீகாரம் தேவையில்லை (உள்நுழைவு/கடவுச்சொல் கணக்கு). DAV_ALLOW_ECM_DIR=DMS/ECM தனிப்பட்ட கோப்பகத்தை இயக்கவும் (DMS/ECM தொகுதியின் ரூட் கோப்பகம் - உள்நுழைவு தேவை) -DAV_ALLOW_ECM_DIRTooltip=DMS/ECM தொகுதியைப் பயன்படுத்தும் போது அனைத்து கோப்புகளும் கைமுறையாக பதிவேற்றப்படும் ரூட் கோப்பகம். இணைய இடைமுகத்திலிருந்து அணுகுவது போலவே, அதை அணுகுவதற்கு சரியான அனுமதியுடன் சரியான உள்நுழைவு/கடவுச்சொல் வேண்டும். +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=பயனர்கள் மற்றும் குழுக்கள் Module0Desc=பயனர்கள் / பணியாளர்கள் மற்றும் குழுக்கள் மேலாண்மை @@ -566,7 +569,7 @@ Module40Desc=விற்பனையாளர்கள் மற்றும் Module42Name=பிழைத்திருத்த பதிவுகள் Module42Desc=பதிவு செய்யும் வசதிகள் (கோப்பு, syslog, ...). இத்தகைய பதிவுகள் தொழில்நுட்ப/பிழைத்திருத்த நோக்கங்களுக்காக உள்ளன. Module43Name=பிழைத்திருத்த பட்டி -Module43Desc=டெவலப்பர் உங்கள் உலாவியில் பிழைத்திருத்தப் பட்டியைச் சேர்ப்பதற்கான ஒரு கருவி. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=தொகுப்பாளர்கள் Module49Desc=ஆசிரியர் மேலாண்மை Module50Name=தயாரிப்புகள் @@ -582,7 +585,7 @@ Module54Desc=ஒப்பந்தங்களின் மேலாண்மை Module55Name=பார்கோடுகள் Module55Desc=பார்கோடு அல்லது QR குறியீடு மேலாண்மை Module56Name=கடன் பரிமாற்றம் மூலம் பணம் செலுத்துதல் -Module56Desc=கிரெடிட் டிரான்ஸ்ஃபர் ஆர்டர்கள் மூலம் சப்ளையர்களுக்கு பணம் செலுத்துவதை நிர்வகித்தல். ஐரோப்பிய நாடுகளுக்கான SEPA கோப்பு உருவாக்கம் இதில் அடங்கும். +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=நேரடி டெபிட் மூலம் பணம் செலுத்துதல் Module57Desc=நேரடி டெபிட் ஆர்டர்களின் மேலாண்மை. ஐரோப்பிய நாடுகளுக்கான SEPA கோப்பு உருவாக்கம் இதில் அடங்கும். Module58Name=டயல் கிளிக் செய்யவும் @@ -630,6 +633,10 @@ Module600Desc=வணிக நிகழ்வால் தூண்டப்ப Module600Long=குறிப்பிட்ட வணிக நிகழ்வு நிகழும்போது இந்தத் தொகுதி நிகழ்நேரத்தில் மின்னஞ்சல்களை அனுப்புகிறது என்பதை நினைவில் கொள்ளவும். நிகழ்ச்சி நிரல் நிகழ்வுகளுக்கான மின்னஞ்சல் நினைவூட்டல்களை அனுப்புவதற்கான அம்சத்தை நீங்கள் தேடுகிறீர்களானால், தொகுதி நிகழ்ச்சி நிரலின் அமைப்பிற்குச் செல்லவும். Module610Name=தயாரிப்பு மாறுபாடுகள் Module610Desc=தயாரிப்பு வகைகளை உருவாக்குதல் (நிறம், அளவு போன்றவை) +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=நன்கொடைகள் Module700Desc=நன்கொடை மேலாண்மை Module770Name=செலவு அறிக்கைகள் @@ -650,8 +657,8 @@ Module2300Name=திட்டமிடப்பட்ட வேலைகள் Module2300Desc=திட்டமிடப்பட்ட வேலைகள் மேலாண்மை (மாறுபெயர் கிரான் அல்லது க்ரோனோ அட்டவணை) Module2400Name=நிகழ்வுகள்/நிகழ்ச்சி நிரல் Module2400Desc=நிகழ்வுகளைக் கண்காணிக்கவும். கண்காணிப்பு நோக்கங்களுக்காக தானியங்கி நிகழ்வுகளை பதிவு செய்யவும் அல்லது கைமுறை நிகழ்வுகள் அல்லது சந்திப்புகளை பதிவு செய்யவும். நல்ல வாடிக்கையாளர் அல்லது விற்பனையாளர் உறவு மேலாண்மைக்கான முதன்மை தொகுதி இதுவாகும். -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=டிஎம்எஸ் / ஈசிஎம் Module2500Desc=ஆவண மேலாண்மை அமைப்பு / மின்னணு உள்ளடக்க மேலாண்மை. நீங்கள் உருவாக்கிய அல்லது சேமிக்கப்பட்ட ஆவணங்களின் தானியங்கி அமைப்பு. உங்களுக்குத் தேவைப்படும்போது அவற்றைப் பகிரவும். Module2600Name=API / Web services (SOAP server) @@ -672,7 +679,7 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=சமுக வலைத்தளங்கள் Module3400Desc=மூன்றாம் தரப்பினர் மற்றும் முகவரிகளில் சமூக வலைப்பின்னல்கள் புலங்களை இயக்கவும் (ஸ்கைப், ட்விட்டர், பேஸ்புக், ...). Module4000Name=HRM -Module4000Desc=மனித வள மேலாண்மை (துறை மேலாண்மை, பணியாளர் ஒப்பந்தங்கள் மற்றும் உணர்வுகள்) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=பல நிறுவனம் Module5000Desc=பல நிறுவனங்களை நிர்வகிக்க உங்களை அனுமதிக்கிறது Module6000Name=இடை-தொகுதிகள் பணிப்பாய்வு @@ -712,6 +719,8 @@ Module63000Desc=நிகழ்வுகளுக்கு ஒதுக்கு Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=Receptions +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Read customer invoices (and payments) Permission12=வாடிக்கையாளர் இன்வாய்ஸ்களை உருவாக்கவும்/மாற்றவும் @@ -996,7 +1005,7 @@ Permission4031=Read personal information Permission4032=Write personal information Permission4033=Read all evaluations (even those of user not subordinates) Permission10001=இணையதள உள்ளடக்கத்தைப் படிக்கவும் -Permission10002=இணையதள உள்ளடக்கத்தை உருவாக்கவும்/மாற்றவும் (html மற்றும் javascript உள்ளடக்கம்) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=வலைத்தள உள்ளடக்கத்தை உருவாக்கவும்/மாற்றவும் (டைனமிக் php குறியீடு). ஆபத்தானது, கட்டுப்படுத்தப்பட்ட டெவலப்பர்களுக்கு ஒதுக்கப்பட வேண்டும். Permission10005=இணையதள உள்ளடக்கத்தை நீக்கவும் Permission20001=விடுப்புக் கோரிக்கைகளைப் படிக்கவும் (உங்கள் விடுப்பு மற்றும் உங்கள் துணை அதிகாரிகளின் விடுப்பு) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=செலவு அறிக்கை - போக் DictionaryTransportMode=இன்ட்ராகாம் அறிக்கை - போக்குவரத்து முறை DictionaryBatchStatus=தயாரிப்பு நிறைய/தொடர் தரக் கட்டுப்பாடு நிலை DictionaryAssetDisposalType=Type of disposal of assets +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=அலகு வகை SetupSaved=அமைவு சேமிக்கப்பட்டது SetupNotSaved=அமைவு சேமிக்கப்படவில்லை @@ -1109,10 +1119,11 @@ BackToModuleList=தொகுதிப் பட்டியலுக்கு BackToDictionaryList=அகராதிகளின் பட்டியலுக்குத் திரும்பு TypeOfRevenueStamp=வரி முத்திரையின் வகை VATManagement=விற்பனை வரி மேலாண்மை -VATIsUsedDesc=வாய்ப்புகள், இன்வாய்ஸ்கள், ஆர்டர்கள் போன்றவற்றை உருவாக்கும் போது இயல்பாக, விற்பனை வரி விகிதம் செயலில் உள்ள நிலையான விதியைப் பின்பற்றுகிறது:
      விற்பனையாளர் விற்பனை வரிக்கு உட்பட்டவராக இல்லாவிட்டால், விற்பனை வரி 0. விதியின் முடிவு.
      என்றால் (விற்பனையாளரின் நாடு = வாங்குபவரின் நாடு), பின்னர் விற்பனை வரியானது விற்பனையாளரின் நாட்டில் உள்ள பொருளின் விற்பனை வரிக்கு சமமாக இருக்கும். ஆட்சியின் முடிவு.
      விற்பவர் மற்றும் வாங்குபவர் இருவரும் ஐரோப்பிய சமூகத்தில் இருந்தால் மற்றும் சரக்குகள் போக்குவரத்து தொடர்பான தயாரிப்புகளாக இருந்தால் (விநியோகம், கப்பல் போக்குவரத்து, விமானம்), இயல்புநிலை VAT 0. இந்த விதி விற்பனையாளரின் நாட்டைச் சார்ந்தது - தயவுசெய்து உங்கள் கணக்காளரிடம் ஆலோசிக்கவும். VATஐ வாங்குபவர் தங்கள் நாட்டில் உள்ள சுங்க அலுவலகத்திற்கு செலுத்த வேண்டும், விற்பனையாளருக்கு அல்ல. ஆட்சியின் முடிவு.
      விற்பவர் மற்றும் வாங்குபவர் இருவரும் ஐரோப்பிய சமூகத்தில் இருந்தால் மற்றும் வாங்குபவர் ஒரு நிறுவனமாக இல்லாவிட்டால் (பதிவுசெய்யப்பட்ட சமூகத்திற்குள் VAT எண்ணுடன்) VAT ஆனது விற்பனையாளரின் நாட்டின் VAT விகிதத்திற்கு இயல்புநிலையாகும். ஆட்சியின் முடிவு.
      விற்பவர் மற்றும் வாங்குபவர் இருவருமே ஐரோப்பிய சமூகத்தில் இருந்தால் மற்றும் வாங்குபவர் ஒரு நிறுவனமாக இருந்தால் (பதிவுசெய்யப்பட்ட சமூகத்திற்குள் VAT எண்ணுடன்), VAT இயல்பாக 0 ஆகும். ஆட்சியின் முடிவு.
      வேறு எந்த சந்தர்ப்பத்திலும் முன்மொழியப்பட்ட இயல்புநிலை விற்பனை வரி=0 ஆகும். ஆட்சியின் முடிவு. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=முன்னிருப்பாக முன்மொழியப்பட்ட விற்பனை வரி 0 ஆகும், இது சங்கங்கள், தனிநபர்கள் அல்லது சிறிய நிறுவனங்கள் போன்ற நிகழ்வுகளுக்குப் பயன்படுத்தப்படலாம். VATIsUsedExampleFR=பிரான்சில், உண்மையான நிதி அமைப்பைக் கொண்ட நிறுவனங்கள் அல்லது நிறுவனங்கள் (எளிமைப்படுத்தப்பட்ட உண்மையான அல்லது சாதாரண உண்மையான) என்று பொருள். VAT அறிவிக்கப்படும் ஒரு அமைப்பு. VATIsNotUsedExampleFR=பிரான்சில், விற்பனை வரி அறிவிக்கப்படாத சங்கங்கள் அல்லது நிறுவனங்கள், நிறுவனங்கள் அல்லது தாராளவாத தொழில்கள், மைக்ரோ நிறுவன நிதி முறையை (உரிமையில் விற்பனை வரி) தேர்வு செய்து விற்பனை வரி அறிவிப்பு இல்லாமல் உரிமையாளர் விற்பனை வரியை செலுத்துகிறது. இந்த தேர்வு "பொருந்தாத விற்பனை வரி - ஆர்ட்-293B of CGI" என்ற குறிப்பை இன்வாய்ஸ்களில் காண்பிக்கும். +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=விற்பனை வரி வகை LTRate=மதிப்பிடவும் @@ -1399,8 +1410,8 @@ PHPModuleLoaded=PHP கூறு %s ஏற்றப்பட்டது PreloadOPCode=முன்பே ஏற்றப்பட்ட OPCode பயன்படுத்தப்படுகிறது AddRefInList=காட்சி வாடிக்கையாளர்/விற்பனையாளர் குறிப்பு. சேர்க்கை பட்டியல்களில்.
      மூன்றாம் தரப்பினர் "CC12345 - SC45678 - The Big Company corp" என்ற பெயர் வடிவமைப்பில் தோன்றும். "The Big Company corp" என்பதற்குப் பதிலாக. AddVatInList=வாடிக்கையாளர்/விற்பனையாளர் VAT எண்ணை காம்போ பட்டியல்களில் காட்டவும். -AddAdressInList=வாடிக்கையாளர்/விற்பனையாளர் முகவரியை காம்போ பட்டியல்களில் காட்டவும்.
      மூன்றாம் தரப்பினர் "The Big Company corp" என்பதற்குப் பதிலாக "The Big Company corp. - 21 jump street 123456 Big town - USA" என்ற பெயர் வடிவத்துடன் தோன்றும். -AddEmailPhoneTownInContactList=தொடர்பு மின்னஞ்சல் (அல்லது வரையறுக்கப்படவில்லை எனில் தொலைபேசிகள்) மற்றும் நகரத் தகவல் பட்டியல் (தேர்ந்தெடுக்கப்பட்ட பட்டியல் அல்லது சேர்க்கை)
      தொடர்புகள் "Dupond Durand - dupond.durand@email.com - Paris" அல்லது "Dupond Durand - 06 07 என்ற பெயர் வடிவத்துடன் தோன்றும். 59 65 66 - "டுபாண்ட் டுராண்ட்" என்பதற்குப் பதிலாக பாரிஸ்". +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=மூன்றாம் தரப்பினருக்கு விருப்பமான ஷிப்பிங் முறையைக் கேளுங்கள். FieldEdition=%s புலத்தின் பதிப்பு FillThisOnlyIfRequired=எடுத்துக்காட்டு: +2 (நேர மண்டல ஆஃப்செட் சிக்கல்கள் ஏற்பட்டால் மட்டுமே நிரப்பவும்) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=உள்நுழைவு பக்கத UsersSetup=பயனர் தொகுதி அமைப்பு UserMailRequired=புதிய பயனரை உருவாக்க மின்னஞ்சல் தேவை UserHideInactive=பயனர்களின் அனைத்து சேர்க்கை பட்டியல்களிலிருந்தும் செயலற்ற பயனர்களை மறை (பரிந்துரைக்கப்படவில்லை: சில பக்கங்களில் பழைய பயனர்களை வடிகட்டவோ அல்லது தேடவோ முடியாது என்று அர்த்தம்) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=பயனர் பதிவிலிருந்து உருவாக்கப்பட்ட ஆவணங்களுக்கான ஆவண வார்ப்புருக்கள் GroupsDocModules=குழு பதிவிலிருந்து உருவாக்கப்பட்ட ஆவணங்களுக்கான ஆவண டெம்ப்ளேட்கள் ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=குழுக்கள் LDAPContactsSynchro=தொடர்புகள் LDAPMembersSynchro=உறுப்பினர்கள் LDAPMembersTypesSynchro=உறுப்பினர்களின் வகைகள் -LDAPSynchronization=LDAP ஒத்திசைவு +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=உங்கள் PHP இல் LDAP செயல்பாடுகள் இல்லை LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=பயனர் ஐடி LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=முகப்பு அடைவு -LDAPFieldHomedirectoryExample=எடுத்துக்காட்டு: முகப்பு அடைவு +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=முகப்பு அடைவு முன்னொட்டு LDAPSetupNotComplete=LDAP அமைவு முழுமையடையவில்லை (மற்ற தாவல்களில் செல்லவும்) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=நிர்வாகி அல்லது கடவுச்சொல் வழங்கப்படவில்லை. LDAP அணுகல் அநாமதேயமாகவும் படிக்க மட்டும் பயன்முறையிலும் இருக்கும். @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=பயன்பாட்டு தற்க MemcachedAvailableAndSetup=Memcached சேவையகத்தைப் பயன்படுத்த அர்ப்பணிக்கப்பட்ட memcached தொகுதி இயக்கப்பட்டது. OPCodeCache=OPCode தற்காலிக சேமிப்பு NoOPCodeCacheFound=OPCode கேச் எதுவும் இல்லை. ஒருவேளை நீங்கள் XCache அல்லது eAccelerator (நல்லது) தவிர வேறு OPCode தற்காலிக சேமிப்பைப் பயன்படுத்துகிறீர்கள் அல்லது உங்களிடம் OPCode கேச் இல்லாமல் இருக்கலாம் (மிக மோசமானது). -HTTPCacheStaticResources=நிலையான ஆதாரங்களுக்கான HTTP கேச் (css, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=%s வகை கோப்புகள் HTTP சேவையகத்தால் தற்காலிகமாக சேமிக்கப்படுகின்றன FilesOfTypeNotCached=%s வகை கோப்புகள் HTTP சேவையகத்தால் தேக்ககப்படுத்தப்படவில்லை FilesOfTypeCompressed=%s வகை கோப்புகள் HTTP சேவையகத்தால் சுருக்கப்படுகின்றன @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=டெலிவரி ரசீதுகளி ##### FCKeditor ##### AdvancedEditor=மேம்பட்ட ஆசிரியர் ActivateFCKeditor=மேம்பட்ட எடிட்டரைச் செயல்படுத்தவும்: -FCKeditorForNotePublic=உறுப்புகளின் "பொது குறிப்புகள்" புலத்தின் WYSIWIG உருவாக்கம்/பதிப்பு -FCKeditorForNotePrivate=உறுப்புகளின் "தனியார் குறிப்புகள்" புலத்தின் WYSIWIG உருவாக்கம்/பதிப்பு -FCKeditorForCompany=WYSIWIG உருவாக்கம்/உறுப்புகளின் புல விளக்கத்தின் பதிப்பு (தயாரிப்புகள்/சேவைகள் தவிர) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= வெகுஜன மின்னஞ்சல்களுக்கான WYSIWIG உருவாக்கம்/பதிப்பு (கருவிகள்-> மின்னஞ்சல்) -FCKeditorForUserSignature=WYSIWIG உருவாக்கம்/பயனர் கையொப்பத்தின் பதிப்பு -FCKeditorForMail=அனைத்து அஞ்சல்களுக்கும் WYSIWIG உருவாக்கம்/பதிப்பு (கருவிகள்-> மின்னஞ்சல் தவிர) -FCKeditorForTicket=டிக்கெட்டுகளுக்கான WYSIWIG உருவாக்கம்/பதிப்பு +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=பங்கு தொகுதி அமைப்பு IfYouUsePointOfSaleCheckModule=இயல்புநிலையாக அல்லது வெளிப்புறத் தொகுதியாக வழங்கப்பட்ட Point of Sale தொகுதியை (POS) நீங்கள் பயன்படுத்தினால், இந்த அமைப்பு உங்கள் POS தொகுதியால் புறக்கணிக்கப்படலாம். பெரும்பாலான பிஓஎஸ் மாட்யூல்கள் இங்கே உள்ள விருப்பங்களைப் பொருட்படுத்தாமல் உடனடியாக விலைப்பட்டியல் உருவாக்கவும் பங்குகளைக் குறைக்கவும் இயல்பாகவே வடிவமைக்கப்பட்டுள்ளன. எனவே, உங்கள் பிஓஎஸ்ஸில் இருந்து விற்பனையைப் பதிவு செய்யும் போது பங்கு குறைய வேண்டும் அல்லது இல்லை என்றால், உங்கள் பிஓஎஸ் தொகுதி அமைப்பையும் சரிபார்க்கவும். @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=தனிப்பயனாக்கப்பட் NewMenu=புதிய மெனு MenuHandler=மெனு கையாளுபவர் MenuModule=மூல தொகுதி -HideUnauthorizedMenu=உள் பயனர்களுக்காகவும் அங்கீகரிக்கப்படாத மெனுக்களை மறைக்கவும் (வேறுவிதமாக சாம்பல் நிறத்தில் உள்ளது) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=ஐடி மெனு DetailMenuHandler=புதிய மெனுவைக் காண்பிக்கும் மெனு ஹேண்ட்லர் DetailMenuModule=மெனு உள்ளீடு ஒரு தொகுதியிலிருந்து வந்தால் தொகுதியின் பெயர் @@ -1802,7 +1815,7 @@ DetailType=மெனு வகை (மேல் அல்லது இடது) DetailTitre=மொழிபெயர்ப்பிற்கான மெனு லேபிள் அல்லது லேபிள் குறியீடு DetailUrl=URL where menu send you (Relative URL link or external link with https://) DetailEnabled=காட்ட வேண்டிய அல்லது நுழைவதற்கான நிபந்தனை -DetailRight=அங்கீகரிக்கப்படாத சாம்பல் மெனுக்களைக் காண்பிக்க வேண்டிய நிபந்தனை +DetailRight=Condition to display unauthorized gray menus DetailLangs=லேபிள் குறியீடு மொழிபெயர்ப்புக்கான லாங் கோப்பு பெயர் DetailUser=பயிற்சி / வெளி / அனைத்து Target=இலக்கு @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=ரொக்கப் பணம் பெறுவத CashDeskBankAccountForCheque=காசோலை மூலம் பணம் பெறுவதற்கு பயன்படுத்த வேண்டிய இயல்புநிலை கணக்கு CashDeskBankAccountForCB=கிரெடிட் கார்டுகள் மூலம் பணம் பெறுவதற்கு பயன்படுத்த வேண்டிய இயல்புநிலை கணக்கு CashDeskBankAccountForSumup=SumUp மூலம் பணம் பெறுவதற்கு இயல்புநிலை வங்கிக் கணக்கு பயன்படுத்தப்படும் -CashDeskDoNotDecreaseStock=பாயின்ட் ஆஃப் சேல் ("இல்லை" எனில், மாட்யூல் ஸ்டாக்கில் அமைக்கப்பட்டுள்ள விருப்பத்தைப் பொருட்படுத்தாமல், பிஓஎஸ் மூலம் செய்யப்படும் ஒவ்வொரு விற்பனைக்கும் பங்கு குறைவு செய்யப்படுகிறது) விற்பனையின் போது பங்கு குறைவை முடக்கு. +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=கையிருப்பு குறைவதற்கு கிடங்கை கட்டாயப்படுத்தி கட்டுப்படுத்தவும் StockDecreaseForPointOfSaleDisabled=பாயின்ட் ஆஃப் சேல் முடக்கப்பட்டதில் இருந்து பங்கு குறைவு StockDecreaseForPointOfSaleDisabledbyBatch=POS இல் பங்கு குறைவு தொகுதி சீரியல்/லாட் நிர்வாகத்துடன் (தற்போது செயலில் உள்ளது) இணங்கவில்லை, எனவே பங்கு குறைப்பு முடக்கப்பட்டுள்ளது. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=மவுஸ் நகர்த்தும்போ HighlightLinesColor=மவுஸ் கடந்து செல்லும் போது கோட்டின் நிறத்தை முன்னிலைப்படுத்தவும் (சிறப்பம்சமாக இல்லாமல் 'ffffff' ஐப் பயன்படுத்தவும்) HighlightLinesChecked=கோட்டின் நிறத்தை தேர்வு செய்யும்போது அதைத் தனிப்படுத்தவும் (சிறப்பம்சமாக இல்லாமல் 'ffffff' ஐப் பயன்படுத்தவும்) UseBorderOnTable=Show left-right borders on tables +TableLineHeight=Table line height BtnActionColor=Color of the action button TextBtnActionColor=Text color of the action button TextTitleColor=பக்க தலைப்பின் உரை நிறம் @@ -1991,7 +2006,7 @@ EnterAnyCode=இந்த புலத்தில் கோட்டை அட Enter0or1=0 அல்லது 1 ஐ உள்ளிடவும் UnicodeCurrency=பிரேஸ்களுக்கு இடையில் இங்கே உள்ளிடவும், நாணயக் குறியீட்டைக் குறிக்கும் பைட் எண்ணின் பட்டியல். எடுத்துக்காட்டாக: $க்கு, [36] உள்ளிடவும் - பிரேசிலுக்கு உண்மையான R$ [82,36] - €க்கு, உள்ளிடவும் [8364] ColorFormat=RGB வண்ணம் HEX வடிவத்தில் உள்ளது, எ.கா: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=சேர்க்கை பட்டியல்களில் வரியின் நிலை SellTaxRate=விற்பனை வரி விகிதம் RecuperableOnly=ஆம், பிரான்ஸில் உள்ள சில மாநிலங்களுக்காக அர்ப்பணிக்கப்பட்ட VAT "அறிந்துகொள்ளப்படவில்லை ஆனால் மீட்டெடுக்கக்கூடியது". மற்ற எல்லா நிகழ்வுகளிலும் மதிப்பை "இல்லை" ஆக வைத்திருக்கவும். @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=அனுப்புநர் முகவரி சட்டத்தில் எல்லைகளை மறை -MAIN_PDF_NO_RECIPENT_FRAME=செய்முறை முகவரி சட்டகத்தில் எல்லைகளை மறை +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=வாடிக்கையாளர் குறியீட்டை மறை MAIN_PDF_HIDE_SENDER_NAME=முகவரித் தொகுதியில் அனுப்புநர்/நிறுவனத்தின் பெயரை மறை PROPOSAL_PDF_HIDE_PAYMENTTERM=கட்டண நிபந்தனைகளை மறை @@ -2118,7 +2133,7 @@ EMailHost=மின்னஞ்சல் IMAP சேவையகத்தின EMailHostPort=Port of email IMAP server loginPassword=Login/Password oauthToken=OAuth2 token -accessType=Acces type +accessType=Access type oauthService=Oauth service TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Do not include the content of email header into th EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. EmailCollectorConfirmCollectTitle=மின்னஞ்சல் சேகரிப்பு உறுதிப்படுத்தல் EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Example collecting leads EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail @@ -2188,10 +2203,10 @@ Protanopia=புரோட்டானோபியா Deuteranopes=டியூட்டரனோப்ஸ் Tritanopes=டிரைடானோப்ஸ் ThisValueCanOverwrittenOnUserLevel=இந்த மதிப்பை ஒவ்வொரு பயனரும் அதன் பயனர் பக்கத்திலிருந்து மேலெழுதலாம் - '%s' -DefaultCustomerType="புதிய வாடிக்கையாளர்" உருவாக்கும் படிவத்திற்கான இயல்புநிலை மூன்றாம் தரப்பு வகை +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=குறிப்பு: இந்த அம்சம் செயல்பட, ஒவ்வொரு கட்டண முறையின் தொகுதியிலும் (பேபால், ஸ்ட்ரைப், ...) வங்கிக் கணக்கு வரையறுக்கப்பட வேண்டும். RootCategoryForProductsToSell=விற்க வேண்டிய பொருட்களின் மூல வகை -RootCategoryForProductsToSellDesc=வரையறுக்கப்பட்டால், இந்த வகையின் தயாரிப்புகள் அல்லது இந்த வகையைச் சேர்ந்த குழந்தைகள் மட்டுமே விற்பனை புள்ளியில் கிடைக்கும் +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=பிழைத்திருத்த பட்டி DebugBarDesc=பிழைத்திருத்தத்தை எளிதாக்குவதற்கு ஏராளமான கருவிகளுடன் வரும் கருவிப்பட்டி DebugBarSetup=DebugBar அமைவு @@ -2212,10 +2227,10 @@ ImportSetup=தொகுதி இறக்குமதி அமைப்பு InstanceUniqueID=நிகழ்வின் தனிப்பட்ட ஐடி SmallerThan=விட சிறிய LargerThan=விட பெரிய -IfTrackingIDFoundEventWillBeLinked=ஒரு பொருளின் கண்காணிப்பு ஐடி மின்னஞ்சலில் காணப்பட்டாலோ அல்லது அந்த மின்னஞ்சல் ஒரு மின்னஞ்சலின் பதில் சேகரிக்கப்பட்டு ஒரு பொருளுடன் இணைக்கப்பட்டாலோ, உருவாக்கப்பட்ட நிகழ்வு தானாகவே தெரிந்த தொடர்புடைய பொருளுடன் இணைக்கப்படும் என்பதை நினைவில் கொள்ளவும். -WithGMailYouCanCreateADedicatedPassword=ஜிமெயில் கணக்கின் மூலம், 2 படிநிலை சரிபார்ப்பை நீங்கள் இயக்கியிருந்தால், https://myaccount.google.com/ இலிருந்து உங்கள் சொந்த கணக்கு கடவுச்சொல்லைப் பயன்படுத்துவதற்குப் பதிலாக, பயன்பாட்டிற்கான பிரத்யேக இரண்டாவது கடவுச்சொல்லை உருவாக்க பரிந்துரைக்கப்படுகிறது. -EmailCollectorTargetDir=மின்னஞ்சலை வெற்றிகரமாகச் செயலாக்கும்போது அதை மற்றொரு குறிச்சொல்/கோப்பகத்திற்கு நகர்த்துவது விரும்பத்தக்க செயலாக இருக்கலாம். இந்த அம்சத்தைப் பயன்படுத்த, கோப்பகத்தின் பெயரை இங்கே அமைக்கவும் (பெயரில் சிறப்பு எழுத்துக்களைப் பயன்படுத்த வேண்டாம்). நீங்கள் படிக்க/எழுத உள்நுழைவு கணக்கையும் பயன்படுத்த வேண்டும் என்பதை நினைவில் கொள்ளவும். -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=%s க்கான முடிவுப் புள்ளி : %s DeleteEmailCollector=மின்னஞ்சல் சேகரிப்பாளரை நீக்கு @@ -2232,12 +2247,12 @@ EmailTemplate=மின்னஞ்சலுக்கான டெம்ப் EMailsWillHaveMessageID=மின்னஞ்சல்களில் இந்த தொடரியல் பொருந்தும் 'குறிப்புகள்' குறிச்சொல் இருக்கும் PDF_SHOW_PROJECT=ஆவணத்தில் திட்டத்தைக் காட்டு ShowProjectLabel=திட்ட லேபிள் -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=உங்கள் PDF இல் உள்ள சில உரைகளை ஒரே மாதிரியான PDF இல் 2 வெவ்வேறு மொழிகளில் நகல் எடுக்க விரும்பினால், நீங்கள் இந்த இரண்டாவது மொழியை இங்கே அமைக்க வேண்டும், எனவே உருவாக்கப்பட்ட PDF ஆனது ஒரே பக்கத்தில் 2 வெவ்வேறு மொழிகளைக் கொண்டிருக்கும், PDF ஐ உருவாக்கும் போது தேர்ந்தெடுக்கப்பட்ட மொழி மற்றும் இது ( சில PDF வார்ப்புருக்கள் மட்டுமே இதை ஆதரிக்கின்றன). ஒரு PDFக்கு 1 மொழிக்கு காலியாக இருங்கள். -PDF_USE_A=இயல்புநிலை PDF வடிவத்திற்கு பதிலாக PDF/A வடிவத்துடன் PDF ஆவணங்களை உருவாக்கவும் +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=FontAwesome ஐகானின் குறியீட்டை இங்கே உள்ளிடவும். FontAwesome என்றால் என்னவென்று உங்களுக்குத் தெரியாவிட்டால், FA-address-book என்ற பொதுவான மதிப்பைப் பயன்படுத்தலாம். RssNote=குறிப்பு: ஒவ்வொரு RSS ஊட்ட வரையறையும் ஒரு விட்ஜெட்டை வழங்குகிறது, அதை நீங்கள் டாஷ்போர்டில் கிடைக்கச் செய்ய வேண்டும் JumpToBoxes=அமைவு -> விட்ஜெட்டுகளுக்கு செல்லவும் @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=பாதுகாப்பு ஆலோசனை ModuleActivatedMayExposeInformation=இந்த PHP நீட்டிப்பு முக்கியமான தரவை வெளிப்படுத்தலாம். உங்களுக்கு இது தேவையில்லை என்றால், அதை முடக்கவும். ModuleActivatedDoNotUseInProduction=மேம்பாட்டிற்காக வடிவமைக்கப்பட்ட ஒரு தொகுதி இயக்கப்பட்டது. உற்பத்தி சூழலில் அதை இயக்க வேண்டாம். CombinationsSeparator=தயாரிப்பு சேர்க்கைகளுக்கான பிரிப்பான் எழுத்து -SeeLinkToOnlineDocumentation=எடுத்துக்காட்டுகளுக்கு மேல் மெனுவில் உள்ள ஆன்லைன் ஆவணத்திற்கான இணைப்பைப் பார்க்கவும் +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=தொகுதி %s இன் "%s" அம்சம் பயன்படுத்தப்பட்டால், ஒரு கிட்டின் துணை தயாரிப்புகளின் விவரங்களை PDF இல் காட்டவும். AskThisIDToYourBank=இந்த ஐடியைப் பெற உங்கள் வங்கியைத் தொடர்புகொள்ளவும் -AdvancedModeOnly=மேம்பட்ட அனுமதி பயன்முறையில் மட்டுமே அனுமதி கிடைக்கும் +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=conf கோப்பு எந்த பயனர்களாலும் படிக்கக்கூடியது அல்லது எழுதக்கூடியது. இணைய சேவையக பயனர் மற்றும் குழுவிற்கு மட்டும் அனுமதி வழங்கவும். MailToSendEventOrganization=நிகழ்வு அமைப்பு MailToPartnership=கூட்டு AGENDA_EVENT_DEFAULT_STATUS=படிவத்திலிருந்து நிகழ்வை உருவாக்கும் போது இயல்புநிலை நிகழ்வு நிலை YouShouldDisablePHPFunctions=நீங்கள் PHP செயல்பாடுகளை முடக்க வேண்டும் -IfCLINotRequiredYouShouldDisablePHPFunctions=தனிப்பயன் குறியீட்டில் கணினி கட்டளைகளை இயக்க வேண்டும் என்றால் தவிர, நீங்கள் PHP செயல்பாடுகளை முடக்க வேண்டும் +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions NoWritableFilesFoundIntoRootDir=உங்கள் ரூட் கோப்பகத்தில் எழுதக்கூடிய கோப்புகள் அல்லது பொதுவான நிரல்களின் கோப்பகங்கள் எதுவும் காணப்படவில்லை (நல்லது) RecommendedValueIs=பரிந்துரைக்கப்படுகிறது: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page ShowQuickAddLink=Show a button to quickly add an element in top right menu - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Hash used for ping ReadOnlyMode=Is instance in "Read Only" mode DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Will not work with all themes NoName=No name ShowAdvancedOptions= Show advanced options HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Use a password UseOauth=Use a OAUTH token Images=Images MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=The script is empty ShowHideTheNRequests=Show/hide the %s SQL request(s) DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2403,6 +2419,24 @@ Defaultfortype=Default DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/ta_IN/bills.lang b/htdocs/langs/ta_IN/bills.lang index 9ae2eb0ff6a..894a5893f42 100644 --- a/htdocs/langs/ta_IN/bills.lang +++ b/htdocs/langs/ta_IN/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=வாடிக்கையாளருக்கு DisabledBecauseRemainderToPayIsZero=செலுத்தப்படாதது பூஜ்ஜியமாக இருப்பதால் முடக்கப்பட்டது PriceBase=அடிப்படை விலை BillStatus=விலைப்பட்டியல் நிலை -StatusOfGeneratedInvoices=உருவாக்கப்பட்ட இன்வாய்ஸ்களின் நிலை +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=வரைவு (சரிபார்க்கப்பட வேண்டும்) BillStatusPaid=செலுத்தப்பட்டது BillStatusPaidBackOrConverted=கிரெடிட் நோட் ரீஃபண்ட் அல்லது கிரெடிட் கிடைக்கும் எனக் குறிக்கப்பட்டது @@ -167,7 +167,7 @@ ActionsOnBill=விலைப்பட்டியல் மீதான நட ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=டெம்ப்ளேட் / தொடர் விலைப்பட்டியல் NoQualifiedRecurringInvoiceTemplateFound=தொடர்ச்சியான டெம்ப்ளேட் விலைப்பட்டியல் எதுவும் உருவாக்கத் தகுதிபெறவில்லை. -FoundXQualifiedRecurringInvoiceTemplate=உருவாக்கத் தகுதியான %s தொடர் டெம்ப்ளேட் விலைப்பட்டியல்(கள்) கண்டறியப்பட்டது. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=தொடர்ச்சியான டெம்ப்ளேட் விலைப்பட்டியல் அல்ல NewBill=புதிய விலைப்பட்டியல் LastBills=சமீபத்திய %s இன்வாய்ஸ்கள் @@ -185,7 +185,7 @@ SuppliersDraftInvoices=விற்பனையாளர் வரைவு வ Unpaid=செலுத்தப்படாதது ErrorNoPaymentDefined=பிழை எந்த கட்டணமும் வரையறுக்கப்படவில்லை ConfirmDeleteBill=இந்த இன்வாய்ஸை நிச்சயமாக நீக்க விரும்புகிறீர்களா? -ConfirmValidateBill= %s குறிப்புடன் இந்த விலைப்பட்டியலைச் சரிபார்க்க விரும்புகிறீர்களா? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill= %s இன்வாய்ஸை வரைவு நிலைக்கு மாற்ற விரும்புகிறீர்களா? ConfirmClassifyPaidBill=விலைப்பட்டியலை %s செலுத்திய நிலைக்கு மாற்ற விரும்புகிறீர்களா? ConfirmCancelBill= %s இன்வாய்ஸை ரத்துசெய்ய விரும்புகிறீர்களா? @@ -217,7 +217,7 @@ ConfirmCustomerPayment= %s %sக்கான இந்தக் கட ConfirmSupplierPayment= %s %sக்கான இந்தக் கட்டண உள்ளீட்டை உறுதிப்படுத்துகிறீர்களா? ConfirmValidatePayment=இந்தக் கட்டணத்தைச் சரிபார்க்க விரும்புகிறீர்களா? பணம் செலுத்திய பிறகு எந்த மாற்றமும் செய்ய முடியாது. ValidateBill=விலைப்பட்டியல் சரிபார்க்கவும் -UnvalidateBill=விலைப்பட்டியல் செல்லாததாக்கு +UnvalidateBill=Invalidate invoice NumberOfBills=விலைப்பட்டியல் எண்ணிக்கை NumberOfBillsByMonth=மாதத்திற்கு இன்வாய்ஸ் எண்ணிக்கை AmountOfBills=இன்வாய்ஸ்களின் அளவு @@ -250,12 +250,13 @@ RemainderToTake=மீதமுள்ள தொகையை எடுக்க RemainderToTakeMulticurrency=எடுக்க வேண்டிய மீதமுள்ள தொகை, அசல் நாணயம் RemainderToPayBack=மீதித் தொகை திரும்பப் பெற வேண்டும் RemainderToPayBackMulticurrency=திரும்பப்பெற மீதமுள்ள தொகை, அசல் நாணயம் +NegativeIfExcessReceived=அதிகமாகப் பெற்றால் எதிர்மறை NegativeIfExcessRefunded=அதிகமாகத் திரும்பப் பெற்றால் எதிர்மறை +NegativeIfExcessPaid=negative if excess paid Rest=நிலுவையில் உள்ளது AmountExpected=கோரப்பட்ட தொகை ExcessReceived=அதிகமாக பெறப்பட்டது ExcessReceivedMulticurrency=அதிகமாக பெறப்பட்டது, அசல் நாணயம் -NegativeIfExcessReceived=அதிகமாகப் பெற்றால் எதிர்மறை ExcessPaid=அதிகப்படியான பணம் ExcessPaidMulticurrency=அதிகப்படியான பணம், அசல் நாணயம் EscompteOffered=தள்ளுபடி வழங்கப்படுகிறது (காலத்திற்கு முன் பணம் செலுத்துதல்) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=புதிய டெம்ப்ளே PDFCrabeDescription=விலைப்பட்டியல் PDF டெம்ப்ளேட் க்ரேப். ஒரு முழுமையான விலைப்பட்டியல் டெம்ப்ளேட் (கடற்பாசி டெம்ப்ளேட்டின் பழைய செயலாக்கம்) PDFSpongeDescription=விலைப்பட்டியல் PDF டெம்ப்ளேட் கடற்பாசி. ஒரு முழுமையான விலைப்பட்டியல் டெம்ப்ளேட் PDFCrevetteDescription=விலைப்பட்டியல் PDF டெம்ப்ளேட் Crevette. சூழ்நிலை இன்வாய்ஸ்களுக்கான முழுமையான விலைப்பட்டியல் டெம்ப்ளேட் -TerreNumRefModelDesc1=நிலையான விலைப்பட்டியல்களுக்கு %syymm-nnnn என்ற வடிவமைப்பிலும், கிரெடிட் குறிப்புகளுக்கு %syymm-nnnn என்ற வடிவத்திலும், yy ஆண்டு, mm என்பது மாதம் மற்றும் nnnn என்பது இடைவேளையின்றி மற்றும் 0க்கு திரும்பாத வரிசைமுறை தானியங்கு-அதிகரிப்பு எண்ணாகும். -MarsNumRefModelDesc1=நிலையான விலைப்பட்டியல்களுக்கு %syymm-nnnn என்ற வடிவத்தில் எண்ணை வழங்கவும், மாற்று விலைப்பட்டியல்களுக்கு %syymm-nnnn, முன்பணம் செலுத்தும் விலைப்பட்டியல்களுக்கு %syymm-nnnn மற்றும் %syymm-nnnn என்ற வடிவத்தில் கடன் எண். இடைவெளி இல்லாமல் மற்றும் 0க்கு திரும்பாமல் +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=$syymm உடன் தொடங்கும் பில் ஏற்கனவே உள்ளது மற்றும் இந்த மாதிரி வரிசையுடன் இணங்கவில்லை. இந்த தொகுதியை செயல்படுத்த அதை அகற்றவும் அல்லது மறுபெயரிடவும். -CactusNumRefModelDesc1=நிலையான விலைப்பட்டியல்களுக்கு %syymm-nnnn என்ற வடிவத்தில் எண்ணையும், கிரெடிட் குறிப்புகளுக்கு %syymm-nnnn மற்றும் முன்பணம் செலுத்தும் விலைப்பட்டியல்களுக்கு %syymm-nnnn வடிவத்திலும், yy ஆண்டு, மிமீ என்பது ஒரு மாதத்திற்குத் தானாகத் திரும்பப்பெறும் எண் மற்றும் வரிசை எண் இல்லை 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=ஆரம்பகால மூடல் காரணம் EarlyClosingComment=ஆரம்ப இறுதிக் குறிப்பு ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Salaries +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Salary +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/ta_IN/cashdesk.lang b/htdocs/langs/ta_IN/cashdesk.lang index d83eae6db33..7b9b88c5260 100644 --- a/htdocs/langs/ta_IN/cashdesk.lang +++ b/htdocs/langs/ta_IN/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=ரசீது Header=தலைப்பு Footer=அடிக்குறிப்பு AmountAtEndOfPeriod=காலத்தின் முடிவில் தொகை (நாள், மாதம் அல்லது ஆண்டு) -TheoricalAmount=தத்துவார்த்த அளவு +TheoricalAmount=Theoretical amount RealAmount=உண்மையான தொகை CashFence=Cash box closing CashFenceDone=Cash box closing done for the period @@ -57,7 +57,7 @@ Paymentnumpad=கட்டணத்தை உள்ளிட பேட் வக Numberspad=எண்கள் பேட் BillsCoinsPad=நாணயங்கள் மற்றும் ரூபாய் நோட்டுகள் பேட் DolistorePosCategory=Dolibarr க்கான TakePOS தொகுதிகள் மற்றும் பிற POS தீர்வுகள் -TakeposNeedsCategories=TakePOS வேலை செய்ய குறைந்தது ஒரு தயாரிப்பு வகையாவது தேவை +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS வேலை செய்ய, %s வகையின் கீழ் குறைந்தது 1 தயாரிப்பு வகை தேவை OrderNotes=ஆர்டர் செய்யப்பட்ட ஒவ்வொரு பொருட்களுக்கும் சில குறிப்புகளைச் சேர்க்கலாம் CashDeskBankAccountFor=பணம் செலுத்துவதற்குப் பயன்படுத்த வேண்டிய இயல்புநிலை கணக்கு @@ -76,7 +76,7 @@ TerminalSelect=நீங்கள் பயன்படுத்த விரு POSTicket=பிஓஎஸ் டிக்கெட் POSTerminal=பிஓஎஸ் டெர்மினல் POSModule=பிஓஎஸ் தொகுதி -BasicPhoneLayout=தொலைபேசிகளுக்கான அடிப்படை அமைப்பைப் பயன்படுத்தவும் +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=முனையம் %s இன் அமைவு முழுமையடையவில்லை DirectPayment=நேரடி கட்டணம் DirectPaymentButton="நேரடியாக பணம் செலுத்துதல்" பொத்தானைச் சேர்க்கவும் @@ -92,14 +92,14 @@ HeadBar=ஹெட் பார் SortProductField=தயாரிப்புகளை வரிசைப்படுத்துவதற்கான களம் Browser=உலாவி BrowserMethodDescription=எளிய மற்றும் எளிதான ரசீது அச்சிடுதல். ரசீதை உள்ளமைக்க சில அளவுருக்கள் மட்டுமே. உலாவி மூலம் அச்சிடவும். -TakeposConnectorMethodDescription=கூடுதல் அம்சங்களுடன் வெளிப்புற தொகுதி. மேகத்திலிருந்து அச்சிடுவதற்கான சாத்தியம். +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=அச்சு முறை ReceiptPrinterMethodDescription=பல அளவுருக்கள் கொண்ட சக்திவாய்ந்த முறை. வார்ப்புருக்கள் மூலம் முழுமையாக தனிப்பயனாக்கக்கூடியது. பயன்பாட்டை ஹோஸ்ட் செய்யும் சர்வர் கிளவுட்டில் இருக்க முடியாது (உங்கள் நெட்வொர்க்கில் உள்ள பிரிண்டர்களை அடைய வேண்டும்). ByTerminal=முனையம் மூலம் TakeposNumpadUsePaymentIcon=எண்பேடின் கட்டண பொத்தான்களில் உரைக்குப் பதிலாக ஐகானைப் பயன்படுத்தவும் CashDeskRefNumberingModules=POS விற்பனைக்கான எண்ணிங் தொகுதி CashDeskGenericMaskCodes6 =
      {TN} டேக் டெர்மினல் எண்ணைச் சேர்க்கப் பயன்படுகிறது -TakeposGroupSameProduct=அதே தயாரிப்பு வரிகளை குழுவாக்கவும் +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=புதிய இணை விற்பனையைத் தொடங்கவும் SaleStartedAt=%s இல் விற்பனை தொடங்கியது ControlCashOpening=Open the "Control cash box" popup when opening the POS @@ -118,7 +118,7 @@ ScanToOrder=ஆர்டர் செய்ய QR குறியீட்டை Appearance=தோற்றம் HideCategoryImages=வகைப் படங்களை மறை HideProductImages=தயாரிப்பு படங்களை மறை -NumberOfLinesToShow=காட்ட வேண்டிய படங்களின் வரிகளின் எண்ணிக்கை +NumberOfLinesToShow=Maximum number of lines of text to show on thumb images DefineTablePlan=அட்டவணை திட்டத்தை வரையறுக்கவும் GiftReceiptButton="பரிசு ரசீது" பொத்தானைச் சேர்க்கவும் GiftReceipt=பரிசு ரசீது @@ -135,4 +135,21 @@ PrintWithoutDetailsLabelDefault=விவரங்கள் இல்லாம PrintWithoutDetails=விவரங்கள் இல்லாமல் அச்சிடவும் YearNotDefined=ஆண்டு வரையறுக்கப்படவில்லை TakeposBarcodeRuleToInsertProduct=Barcode rule to insert product -TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Already printed +HideCategories=Hide the whole section of categories selection +HideStockOnLine=Hide stock on line +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Show reference or label of products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Terminal %s +TerminalNameDesc=Terminal name +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/ta_IN/hrm.lang b/htdocs/langs/ta_IN/hrm.lang index 75d86e6469a..c3e31400ef4 100644 --- a/htdocs/langs/ta_IN/hrm.lang +++ b/htdocs/langs/ta_IN/hrm.lang @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=திறன் உருவாக்கப்ப deplacement=ஷிப்ட் DateEval=மதிப்பீட்டு தேதி JobCard=வேலை அட்டை -JobPosition=வேலை -JobsPosition=வேலைகள் +NewJobProfile=New Job Profile +JobProfile=Job profile +JobsProfiles=Job profiles NewSkill=புதிய திறன் SkillType=திறன் வகை Skilldets=இந்தத் திறனுக்கான தரவரிசைப் பட்டியல் @@ -36,7 +37,7 @@ rank=தரவரிசை ErrNoSkillSelected=எந்த திறமையும் தேர்ந்தெடுக்கப்படவில்லை ErrSkillAlreadyAdded=இந்த திறன் ஏற்கனவே பட்டியலில் உள்ளது SkillHasNoLines=இந்த திறமைக்கு கோடுகள் இல்லை -skill=திறமை +Skill=Skill Skills=திறன்கள் SkillCard=திறன் அட்டை EmployeeSkillsUpdated=பணியாளர் திறன்கள் புதுப்பிக்கப்பட்டுள்ளன (பணியாளர் அட்டையின் "திறன்கள்" தாவலைப் பார்க்கவும்) @@ -44,33 +45,36 @@ Eval=மதிப்பீடு Evals=மதிப்பீடுகள் NewEval=புதிய மதிப்பீடு ValidateEvaluation=மதிப்பீட்டைச் சரிபார்க்கவும் -ConfirmValidateEvaluation= %s குறிப்புடன் இந்த மதிப்பீட்டைச் சரிபார்க்க விரும்புகிறீர்களா? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=மதிப்பீட்டு அட்டை -RequiredRank=இந்த வேலைக்கு தேவையான ரேங்க் +RequiredRank=Required rank for the job profile +RequiredRankShort=Required rank +PositionsWithThisProfile=Positions with this job profiles EmployeeRank=இந்த திறமைக்கான பணியாளர் தரவரிசை +EmployeeRankShort=Employee rank EmployeePosition=பணியாளர் நிலை EmployeePositions=பணியாளர் பதவிகள் EmployeesInThisPosition=இந்த நிலையில் உள்ள ஊழியர்கள் group1ToCompare=பகுப்பாய்வு செய்ய பயனர் குழு group2ToCompare=ஒப்பிடுவதற்கான இரண்டாவது பயனர் குழு -OrJobToCompare=வேலை திறன் தேவைகளுடன் ஒப்பிடுக +OrJobToCompare=Compare to skill requirements of a job profile difference=வித்தியாசம் CompetenceAcquiredByOneOrMore=ஒன்று அல்லது அதற்கு மேற்பட்ட பயனர்களால் பெறப்பட்ட திறன், ஆனால் இரண்டாவது ஒப்பீட்டாளரால் கோரப்படவில்லை -MaxlevelGreaterThan=கோரப்பட்டதை விட அதிகபட்ச நிலை அதிகம் -MaxLevelEqualTo=அந்த தேவைக்கு சமமான அதிகபட்ச நிலை -MaxLevelLowerThan=அந்த தேவையை விட அதிகபட்ச அளவு குறைவு -MaxlevelGreaterThanShort=கோரப்பட்டதை விட பணியாளர் நிலை அதிகமாக உள்ளது -MaxLevelEqualToShort=பணியாளர் நிலை அந்த தேவைக்கு சமம் -MaxLevelLowerThanShort=அந்தத் தேவையை விட ஊழியர் நிலை குறைவாக உள்ளது +MaxlevelGreaterThan=Employee level is greater than the expected level +MaxLevelEqualTo=Employee level is equals to the expected level +MaxLevelLowerThan=Employee level is lower than that the expected level +MaxlevelGreaterThanShort=Level greater than expected +MaxLevelEqualToShort=Level equal to the expected level +MaxLevelLowerThanShort=Level lower than expected SkillNotAcquired=திறன் அனைத்து பயனர்களாலும் பெறப்படவில்லை மற்றும் இரண்டாவது ஒப்பீட்டாளரால் கோரப்பட்டது legend=புராண TypeSkill=திறன் வகை -AddSkill=வேலைக்கு திறன்களைச் சேர்க்கவும் -RequiredSkills=இந்த வேலைக்கு தேவையான திறன்கள் +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile UserRank=பயனர் தரவரிசை SkillList=திறன் பட்டியல் SaveRank=தரத்தை சேமிக்கவும் -TypeKnowHow=Know how +TypeKnowHow=Know-how TypeHowToBe=How to be TypeKnowledge=Knowledge AbandonmentComment=கைவிடுதல் கருத்து @@ -85,7 +89,9 @@ VacantCheckboxHelper=Checking this option will show unfilled positions (job vaca SaveAddSkill = Skill(s) added SaveLevelSkill = Skill(s) level saved DeleteSkill = Skill removed -SkillsExtraFields=Attributs supplémentaires (Compétences) -JobsExtraFields=Attributs supplémentaires (Emplois) -EvaluationsExtraFields=Attributs supplémentaires (Evaluations) +SkillsExtraFields=Complementary attributes (Skills) +JobsExtraFields=Complementary attributes (Job profile) +EvaluationsExtraFields=Complementary attributes (Evaluations) NeedBusinessTravels=Need business travels +NoDescription=No description +TheJobProfileHasNoSkillsDefinedFixBefore=The evaluated job profile of this employee has no skill defined on it. Please add skill(s), then delete and restart the evaluation. diff --git a/htdocs/langs/ta_IN/main.lang b/htdocs/langs/ta_IN/main.lang index 80a1a0cc2a4..5f5326a82a0 100644 --- a/htdocs/langs/ta_IN/main.lang +++ b/htdocs/langs/ta_IN/main.lang @@ -36,7 +36,7 @@ NoTranslation=மொழிபெயர்ப்பு இல்லை Translation=மொழிபெயர்ப்பு Translations=Translations CurrentTimeZone=நேர மண்டல PHP (சர்வர்) -EmptySearchString=காலியாக இல்லாத தேடல் அளவுகோல்களை உள்ளிடவும் +EmptySearchString=Enter non empty search criteria EnterADateCriteria=தேதி அளவுகோலை உள்ளிடவும் NoRecordFound=பதிவு எதுவும் கிடைக்கவில்லை NoRecordDeleted=பதிவு எதுவும் நீக்கப்படவில்லை @@ -60,7 +60,7 @@ ErrorFailedToSendMail=அஞ்சல் அனுப்ப முடியவ ErrorFileNotUploaded=கோப்பு பதிவேற்றப்படவில்லை. அனுமதிக்கப்பட்ட அதிகபட்ச அளவை விட அதிகமாக இல்லை என்பதையும், வட்டில் இலவச இடம் உள்ளது என்பதையும், இந்த கோப்பகத்தில் ஏற்கனவே அதே பெயரில் கோப்பு இல்லை என்பதையும் சரிபார்க்கவும். ErrorInternalErrorDetected=பிழை கண்டறியப்பட்டது ErrorWrongHostParameter=தவறான ஹோஸ்ட் அளவுரு -ErrorYourCountryIsNotDefined=உங்கள் நாடு வரையறுக்கப்படவில்லை. Home-Setup-Edit என்பதற்குச் சென்று படிவத்தை மீண்டும் இடுகையிடவும். +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=இந்தப் பதிவை நீக்க முடியவில்லை. இந்தப் பதிவை குறைந்தபட்சம் ஒரு குழந்தைப் பதிவு பயன்படுத்துகிறது. ErrorWrongValue=தவறான மதிப்பு ErrorWrongValueForParameterX=%s அளவுருவின் தவறான மதிப்பு @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=பிழை, '%s' நாட்டிற ErrorNoSocialContributionForSellerCountry=பிழை, '%s' நாட்டிற்கு சமூக/நிதி வரிகள் வகை வரையறுக்கப்படவில்லை. ErrorFailedToSaveFile=பிழை, கோப்பைச் சேமிப்பதில் தோல்வி. ErrorCannotAddThisParentWarehouse=ஏற்கனவே இருக்கும் கிடங்கின் குழந்தையாக இருக்கும் பெற்றோர் கிடங்கைச் சேர்க்க முயற்சிக்கிறீர்கள் +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=புலம் "%s" எதிர்மறையாக இருக்கக்கூடாது MaxNbOfRecordPerPage=அதிகபட்சம். ஒரு பக்கத்திற்கான பதிவுகளின் எண்ணிக்கை NotAuthorized=அதைச் செய்ய உங்களுக்கு அதிகாரம் இல்லை. @@ -103,7 +104,8 @@ RecordGenerated=பதிவு உருவாக்கப்பட்டது LevelOfFeature=அம்சங்களின் நிலை NotDefined=வரையறுக்கப்படவில்லை DolibarrInHttpAuthenticationSoPasswordUseless=டோலிபார் அங்கீகரிப்பு முறை %s என்ற உள்ளமைவு கோப்பில் conf.php a09a4b730f17f17f17f17.
      இதன் பொருள் கடவுச்சொல் தரவுத்தளம் Dolibarr க்கு வெளியில் உள்ளது, எனவே இந்த புலத்தை மாற்றுவது எந்த விளைவையும் ஏற்படுத்தாது. -Administrator=நிர்வாகி +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=வரையறுக்கப்படாத PasswordForgotten=கடவுச்சொல் மறந்துவிட்டதா? NoAccount=கணக்கு இல்லையா? @@ -211,8 +213,8 @@ Select=தேர்ந்தெடு SelectAll=அனைத்தையும் தெரிவுசெய் Choose=தேர்வு செய்யவும் Resize=அளவை மாற்றவும் +Crop=Crop ResizeOrCrop=அளவை மாற்றவும் அல்லது செதுக்கவும் -Recenter=ரீசென்டர் Author=நூலாசிரியர் User=பயனர் Users=பயனர்கள் @@ -235,6 +237,8 @@ PersonalValue=தனிப்பட்ட மதிப்பு NewObject=புதிய %s NewValue=புதிய மதிப்பு OldValue=பழைய மதிப்பு %s +FieldXModified=Field %s modified +FieldXModifiedFromYToZ=Field %s modified from %s to %s CurrentValue=தற்போதைய மதிப்பு Code=குறியீடு Type=வகை @@ -346,6 +350,7 @@ MonthOfDay=நாளின் மாதம் DaysOfWeek=வாரத்தின் நாட்கள் HourShort=எச் MinuteShort=mn +SecondShort=sec Rate=மதிப்பிடவும் CurrencyRate=நாணய மாற்று விகிதம் UseLocalTax=வரி அடங்கும் @@ -441,7 +446,7 @@ LT1ES=RE LT2ES=ஐஆர்பிஎஃப் LT1IN=CGST LT2IN=எஸ்ஜிஎஸ்டி -LT1GC=கூடுதல் சென்ட்கள் +LT1GC=Additional cents VATRate=வரி விகிதம் RateOfTaxN=வரி விகிதம் %s VATCode=வரி விகிதக் குறியீடு @@ -544,6 +549,7 @@ Reportings=அறிக்கையிடல் Draft=வரைவு Drafts=வரைவுகள் StatusInterInvoiced=விலை விவரம் +Done=Done Validated=சரிபார்க்கப்பட்டது ValidatedToProduce=சரிபார்க்கப்பட்டது (உற்பத்தி செய்ய) Opened=திற @@ -555,6 +561,7 @@ Unknown=தெரியவில்லை General=பொது Size=அளவு OriginalSize=அசல் அளவு +RotateImage=Rotate 90° Received=பெற்றது Paid=செலுத்தப்பட்டது Topic=பொருள் @@ -694,6 +701,7 @@ Response=பதில் Priority=முன்னுரிமை SendByMail=மின்னஞ்சல் மூலம் அனுப்பவும் MailSentBy=மூலம் மின்னஞ்சல் அனுப்பப்பட்டது +MailSentByTo=Email sent by %s to %s NotSent=அனுப்பப்படவில்லை TextUsedInTheMessageBody=மின்னஞ்சல் உடல் SendAcknowledgementByMail=உறுதிப்படுத்தல் மின்னஞ்சலை அனுப்பவும் @@ -718,6 +726,7 @@ RecordModifiedSuccessfully=பதிவு வெற்றிகரமாக ம RecordsModified=%s பதிவு(கள்) மாற்றப்பட்டது RecordsDeleted=%s பதிவு(கள்) நீக்கப்பட்டன RecordsGenerated=%s பதிவு(கள்) உருவாக்கப்பட்டது +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=தானியங்கி குறியீடு FeatureDisabled=அம்சம் முடக்கப்பட்டது MoveBox=விட்ஜெட்டை நகர்த்தவும் @@ -760,11 +769,10 @@ DisabledModules=முடக்கப்பட்ட தொகுதிகள் For=க்கு ForCustomer=வாடிக்கையாளருக்கு Signature=கையெழுத்து -DateOfSignature=கையொப்பம் தேதி HidePassword=கடவுச்சொல் மறைக்கப்பட்ட கட்டளையைக் காட்டு UnHidePassword=தெளிவான கடவுச்சொல்லுடன் உண்மையான கட்டளையைக் காட்டு Root=வேர் -RootOfMedias=பொது ஊடகங்களின் வேர் (/ஊடகங்கள்) +RootOfMedias=Root of public media (/medias) Informations=தகவல் Page=பக்கம் Notes=குறிப்புகள் @@ -912,6 +920,7 @@ BackOffice=மீண்டும் அலுவலகம் Submit=சமர்ப்பிக்கவும் View=காண்க Export=ஏற்றுமதி +Import=Import Exports=ஏற்றுமதிகள் ExportFilteredList=வடிகட்டப்பட்ட பட்டியலை ஏற்றுமதி செய்யவும் ExportList=ஏற்றுமதி பட்டியல் @@ -945,7 +954,7 @@ BulkActions=மொத்த செயல்பாடுகள் ClickToShowHelp=உதவிக்குறிப்பு உதவியைக் காட்ட கிளிக் செய்யவும் WebSite=இணையதளம் WebSites=இணையதளங்கள் -WebSiteAccounts=இணையதள கணக்குகள் +WebSiteAccounts=Web access accounts ExpenseReport=செலவு அறிக்கை ExpenseReports=செலவு அறிக்கைகள் HR=எச்.ஆர் @@ -1073,6 +1082,7 @@ CommentPage=கருத்துகள் இடம் CommentAdded=கருத்து சேர்க்கப்பட்டது CommentDeleted=கருத்து நீக்கப்பட்டது Everybody=எல்லோரும் +EverybodySmall=Everybody PayedBy=மூலம் செலுத்தப்பட்டது PayedTo=செலுத்தப்பட்டது Monthly=மாதாந்திர @@ -1085,7 +1095,7 @@ KeyboardShortcut=விசைப்பலகை குறுக்குவழ AssignedTo=ஒதுக்கப்படும் Deletedraft=வரைவை நீக்கு ConfirmMassDraftDeletion=வரைவு வெகுஜன நீக்கம் உறுதிப்படுத்தல் -FileSharedViaALink=பொது இணைப்புடன் கோப்பு பகிரப்பட்டது +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=முதலில் மூன்றாம் தரப்பினரைத் தேர்ந்தெடுக்கவும்... YouAreCurrentlyInSandboxMode=நீங்கள் தற்போது %s "சாண்ட்பாக்ஸ்" பயன்முறையில் உள்ளீர்கள் Inventory=சரக்கு @@ -1119,7 +1129,7 @@ ContactDefault_project_task=பணி ContactDefault_propal=முன்மொழிவு ContactDefault_supplier_proposal=சப்ளையர் முன்மொழிவு ContactDefault_ticket=டிக்கெட் -ContactAddedAutomatically=தொடர்பு மூன்றாம் தரப்புப் பாத்திரங்களில் இருந்து தொடர்பு சேர்க்கப்பட்டது +ContactAddedAutomatically=Contact added from third-party contact roles More=மேலும் ShowDetails=விவரங்களை காட்டு CustomReports=விருப்ப அறிக்கைகள் @@ -1159,8 +1169,8 @@ AffectTag=Assign a Tag AffectUser=Assign a User SetSupervisor=Set the supervisor CreateExternalUser=வெளிப்புற பயனரை உருவாக்கவும் -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=Role assigned on each project/opportunity TasksRole=Role assigned on each task (if used) ConfirmSetSupervisor=Bulk Supervisor Set @@ -1218,7 +1228,7 @@ UserAgent=User Agent InternalUser=Internal user ExternalUser=External user NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Hide %s AddToContacts=Add address to my contacts LastAccess=Last access @@ -1229,4 +1239,24 @@ PublicVirtualCard=Virtual business card TreeView=Tree view DropFileToAddItToObject=Drop a file to add it to this object UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <= or >= before the value to filter using a mathematical comparison +SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +InProgress=In progress +DateOfPrinting=Date of printing +ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. +UserNotYetValid=Not yet valid +UserExpired=Expired +LinkANewFile=Link a new file/document +LinkedFiles=Linked files and documents +NoLinkFound=No registered links +LinkComplete=The file has been linked successfully +ErrorFileNotLinked=The file could not be linked +LinkRemoved=The link %s has been removed +ErrorFailedToDeleteLink= Failed to remove link '%s' +ErrorFailedToUpdateLink= Failed to update link '%s' +URLToLink=URL to link +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/ta_IN/oauth.lang b/htdocs/langs/ta_IN/oauth.lang index d14a3f7391f..fd7c31a7df1 100644 --- a/htdocs/langs/ta_IN/oauth.lang +++ b/htdocs/langs/ta_IN/oauth.lang @@ -9,9 +9,11 @@ HasAccessToken=ஒரு டோக்கன் உருவாக்கப்ப NewTokenStored=டோக்கன் பெறப்பட்டு சேமிக்கப்பட்டது ToCheckDeleteTokenOnProvider=%s OAuth வழங்குநரால் சேமிக்கப்பட்ட அங்கீகாரத்தைச் சரிபார்க்க/நீக்க இங்கே கிளிக் செய்யவும் TokenDeleted=டோக்கன் நீக்கப்பட்டது +GetAccess=Click here to get a token RequestAccess=Click here to request/renew access and receive a new token -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=உங்கள் OAuth வழங்குனருடன் உங்கள் நற்சான்றிதழ்களை உருவாக்கும் போது, பின்வரும் URL ஐ வழிமாற்று URI ஆகப் பயன்படுத்தவும்: +DeleteAccess=Click here to delete the token +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens SeePreviousTab=முந்தைய தாவலைப் பார்க்கவும் @@ -30,7 +32,11 @@ OAUTH_GITHUB_SECRET=OAuth கிட்ஹப் ரகசியம் OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret OAUTH_STRIPE_TEST_NAME=OAuth ஸ்ட்ரைப் சோதனை OAUTH_STRIPE_LIVE_NAME=OAuth ஸ்ட்ரைப் லைவ் -OAUTH_ID=OAuth ID +OAUTH_ID=OAuth Client ID OAUTH_SECRET=OAuth secret +OAUTH_TENANT=OAuth tenant OAuthProviderAdded=OAuth provider added AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists +URLOfServiceForAuthorization=URL provided by OAuth service for authentication +Scopes=Permissions (Scopes) +ScopeUndefined=Permissions (Scopes) undefined (see previous tab) diff --git a/htdocs/langs/ta_IN/products.lang b/htdocs/langs/ta_IN/products.lang index f12a07fc732..acd65f39d8c 100644 --- a/htdocs/langs/ta_IN/products.lang +++ b/htdocs/langs/ta_IN/products.lang @@ -80,8 +80,11 @@ SoldAmount=விற்கப்பட்ட தொகை PurchasedAmount=வாங்கிய தொகை NewPrice=புதிய விலை MinPrice=குறைந்தபட்சம் விற்பனை விலை +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=விற்பனை விலை லேபிளைத் திருத்தவும் -CantBeLessThanMinPrice=இந்த தயாரிப்புக்கு அனுமதிக்கப்பட்ட குறைந்தபட்ச விற்பனை விலையை விட குறைவாக இருக்கக்கூடாது (வரி இல்லாமல் %s). மிக முக்கியமான தள்ளுபடியை நீங்கள் தட்டச்சு செய்தால் இந்த செய்தியும் தோன்றும். +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=மூடப்பட்டது ErrorProductAlreadyExists=%s குறிப்புடன் ஒரு தயாரிப்பு ஏற்கனவே உள்ளது. ErrorProductBadRefOrLabel=குறிப்பு அல்லது லேபிளின் தவறான மதிப்பு. @@ -347,16 +350,17 @@ UseProductFournDesc=வாடிக்கையாளர்களுக்கா ProductSupplierDescription=தயாரிப்புக்கான விற்பனையாளர் விளக்கம் UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=You will automaticaly purchase a multiple of this quantity. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=சப்ளையர் பேக்கேஜிங்கின் படி வரியின் அளவு மீண்டும் கணக்கிடப்பட்டது #Attributes +Attributes=Attributes VariantAttributes=மாறுபட்ட பண்புக்கூறுகள் ProductAttributes=தயாரிப்புகளுக்கான மாறுபட்ட பண்புக்கூறுகள் ProductAttributeName=மாறுபாடு பண்பு %s ProductAttribute=மாறுபாடு பண்பு ProductAttributeDeleteDialog=இந்தப் பண்புக்கூறை நிச்சயமாக நீக்க விரும்புகிறீர்களா? எல்லா மதிப்புகளும் நீக்கப்படும் -ProductAttributeValueDeleteDialog=இந்தப் பண்புக்கூறின் "%s" குறிப்புடன் "%s" மதிப்பை நிச்சயமாக நீக்க விரும்புகிறீர்களா? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=" %s " தயாரிப்பின் மாறுபாட்டை நிச்சயமாக நீக்க விரும்புகிறீர்களா? ProductCombinationAlreadyUsed=மாறுபாட்டை நீக்குவதில் பிழை ஏற்பட்டது. இது எந்த பொருளிலும் பயன்படுத்தப்படவில்லை என்பதை சரிபார்க்கவும் ProductCombinations=மாறுபாடுகள் @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=ஏற்கனவே உள்ள தயார NbOfDifferentValues=வெவ்வேறு மதிப்புகளின் எண் NbProducts=தயாரிப்புகளின் எண்ணிக்கை ParentProduct=பெற்றோர் தயாரிப்பு +ParentProductOfVariant=Parent product of variant HideChildProducts=மாறுபட்ட தயாரிப்புகளை மறை ShowChildProducts=மாறுபட்ட தயாரிப்புகளைக் காட்டு NoEditVariants=பெற்றோர் தயாரிப்பு அட்டைக்குச் சென்று, மாறுபாடுகள் தாவலில் மாறுபாடுகளின் விலை தாக்கத்தைத் திருத்தவும் @@ -417,7 +422,7 @@ ErrorsProductsMerge=Errors in products merge SwitchOnSaleStatus=விற்பனை நிலையை இயக்கவும் SwitchOnPurchaseStatus=கொள்முதல் நிலையை இயக்கவும் UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Extra Fields (stock mouvement) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Extra Fields (inventory) ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes PuttingPricesUpToDate=Update prices with current known prices @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Select the extrafield you want modify ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? ModifyValueExtrafields = Modify value of an extrafield OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/ta_IN/projects.lang b/htdocs/langs/ta_IN/projects.lang index de6dfe7fade..eca7b226cb5 100644 --- a/htdocs/langs/ta_IN/projects.lang +++ b/htdocs/langs/ta_IN/projects.lang @@ -33,6 +33,7 @@ DeleteATask=ஒரு பணியை நீக்கு ConfirmDeleteAProject=இந்தத் திட்டத்தை நிச்சயமாக நீக்க விரும்புகிறீர்களா? ConfirmDeleteATask=இந்தப் பணியை நிச்சயமாக நீக்க விரும்புகிறீர்களா? OpenedProjects=திட்டங்களைத் திறக்கவும் +OpenedProjectsOpportunities=Open opportunities OpenedTasks=பணிகளைத் திறக்கவும் OpportunitiesStatusForOpenedProjects=திறந்த திட்டங்களின் அளவை நிலையின்படி வழிநடத்துகிறது OpportunitiesStatusForProjects=நிலையின்படி திட்டங்களின் அளவை வழிநடத்துகிறது @@ -44,10 +45,11 @@ OutOfProject=Out of project NoProject=எந்த திட்டமும் வரையறுக்கப்படவில்லை அல்லது சொந்தமானது NbOfProjects=திட்டங்களின் எண்ணிக்கை NbOfTasks=பணிகளின் எண்ணிக்கை +TimeEntry=Time tracking TimeSpent=செலவிட்ட நேரம் +TimeSpentSmall=Time spent TimeSpentByYou=நீங்கள் செலவழித்த நேரம் TimeSpentByUser=பயனர் செலவழித்த நேரம் -TimesSpent=செலவிட்ட நேரம் TaskId=பணி ஐடி RefTask=பணி குறிப்பு. LabelTask=பணி முத்திரை @@ -81,7 +83,7 @@ MyProjectsArea=எனது திட்டப்பணிகள் பகுத DurationEffective=பயனுள்ள காலம் ProgressDeclared=உண்மையான முன்னேற்றத்தை அறிவித்தார் TaskProgressSummary=பணி முன்னேற்றம் -CurentlyOpenedTasks=தற்போது திறந்திருக்கும் பணிகள் +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=அறிவிக்கப்பட்ட உண்மையான முன்னேற்றம் நுகர்வு முன்னேற்றத்தை விட %s குறைவாக உள்ளது TheReportedProgressIsMoreThanTheCalculatedProgressionByX=அறிவிக்கப்பட்ட உண்மையான முன்னேற்றம் நுகர்வு முன்னேற்றத்தை விட %s அதிகம் ProgressCalculated=நுகர்வில் முன்னேற்றம் @@ -121,7 +123,7 @@ TaskHasChild=பணிக்கு குழந்தை உள்ளது NotOwnerOfProject=இந்த தனிப்பட்ட திட்டத்தின் உரிமையாளர் அல்ல AffectedTo=க்கு ஒதுக்கப்பட்டது CantRemoveProject=வேறு சில பொருட்களால் (இன்வாய்ஸ், ஆர்டர்கள் அல்லது பிற) குறிப்பிடப்பட்டுள்ளதால், இந்தத் திட்டத்தை அகற்ற முடியாது. '%s' தாவலைப் பார்க்கவும். -ValidateProject=திட்டத்தை சரிபார்க்கவும் +ValidateProject=Validate project ConfirmValidateProject=இந்தத் திட்டத்தைச் சரிபார்க்க விரும்புகிறீர்களா? CloseAProject=திட்டத்தை மூடவும் ConfirmCloseAProject=இந்தத் திட்டத்தை நிச்சயமாக மூட விரும்புகிறீர்களா? @@ -202,7 +204,7 @@ InputPerMonth=மாதத்திற்கு உள்ளீடு InputDetail=உள்ளீடு விவரம் TimeAlreadyRecorded=இந்தப் பணி/நாள் மற்றும் பயனர் %s க்காக ஏற்கனவே பதிவுசெய்யப்பட்ட நேரம் இது ProjectsWithThisUserAsContact=இந்தப் பயனரைத் தொடர்பு கொண்ட திட்டப்பணிகள் -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=Projects with this third-party contact TasksWithThisUserAsContact=இந்தப் பயனருக்கு ஒதுக்கப்பட்ட பணிகள் ResourceNotAssignedToProject=திட்டத்திற்கு ஒதுக்கப்படவில்லை ResourceNotAssignedToTheTask=பணிக்கு ஒதுக்கப்படவில்லை @@ -225,7 +227,7 @@ ProjectsStatistics=திட்டங்கள் அல்லது வழி TasksStatistics=திட்டங்கள் அல்லது வழித்தடங்களின் பணிகள் குறித்த புள்ளிவிவரங்கள் TaskAssignedToEnterTime=பணி ஒதுக்கப்பட்டது. இந்த பணியில் நேரத்தை உள்ளிடுவது சாத்தியமாக இருக்க வேண்டும். IdTaskTime=ஐடி பணி நேரம் -YouCanCompleteRef=நீங்கள் ref ஐ சில பின்னொட்டுகளுடன் முடிக்க விரும்பினால், அதை பிரிக்க ஒரு - எழுத்தைச் சேர்க்க பரிந்துரைக்கப்படுகிறது, எனவே தானியங்கு எண்கள் அடுத்த திட்டங்களுக்கு சரியாக வேலை செய்யும். உதாரணமாக %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=மூன்றாம் தரப்பினரின் திட்டங்களைத் திறக்கவும் OnlyOpportunitiesShort=வழிநடத்துகிறது மட்டுமே OpenedOpportunitiesShort=திறந்த வழிகள் @@ -237,7 +239,7 @@ OpportunityPonderatedAmountDesc=நிகழ்தகவுடன் கூட OppStatusPROSP=எதிர்பார்ப்பு OppStatusQUAL=தகுதி OppStatusPROPO=முன்மொழிவு -OppStatusNEGO=பேச்சுவார்த்தை +OppStatusNEGO=Negotiation OppStatusPENDING=நிலுவையில் உள்ளது OppStatusWON=வெற்றி பெற்றது OppStatusLOST=இழந்தது @@ -259,6 +261,7 @@ RecordsClosed=%s திட்டம்(கள்) மூடப்பட்டத SendProjectRef=தகவல் திட்டம் %s ModuleSalaryToDefineHourlyRateMustBeEnabled='சம்பளங்கள்' தொகுதியானது பணியாளர் மணிநேர விகிதத்தை வரையறுக்கச் செயல்படுத்தப்பட வேண்டும். NewTaskRefSuggested=Task ref ஏற்கனவே பயன்படுத்தப்பட்டுள்ளது, ஒரு புதிய பணி குறிப்பு தேவை +NumberOfTasksCloned=%s task(s) cloned TimeSpentInvoiced=கட்டணம் செலுத்தப்பட்ட நேரம் TimeSpentForIntervention=செலவிட்ட நேரம் TimeSpentForInvoice=செலவிட்ட நேரம் diff --git a/htdocs/langs/ta_IN/receptions.lang b/htdocs/langs/ta_IN/receptions.lang index 93d4066699c..8fee1fd964c 100644 --- a/htdocs/langs/ta_IN/receptions.lang +++ b/htdocs/langs/ta_IN/receptions.lang @@ -32,10 +32,11 @@ StatusReceptionDraftShort=வரைவு StatusReceptionValidatedShort=சரிபார்க்கப்பட்டது StatusReceptionProcessedShort=செயலாக்கப்பட்டது ReceptionSheet=வரவேற்பு தாள் +ValidateReception=Validate reception ConfirmDeleteReception=இந்த வரவேற்பை நிச்சயமாக நீக்க விரும்புகிறீர்களா? -ConfirmValidateReception= %s என்ற குறிப்புடன் இந்த வரவேற்பை உறுதிசெய்ய விரும்புகிறீர்களா? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=இந்த வரவேற்பை நிச்சயமாக ரத்துசெய்ய விரும்புகிறீர்களா? -StatsOnReceptionsOnlyValidated=வரவேற்புகளில் நடத்தப்பட்ட புள்ளிவிவரங்கள் மட்டுமே சரிபார்க்கப்பட்டன. பயன்படுத்தப்படும் தேதி வரவேற்பு சரிபார்ப்பு தேதி (திட்டமிடப்பட்ட விநியோக தேதி எப்போதும் அறியப்படவில்லை). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=மின்னஞ்சலில் வரவேற்பை அனுப்பவும் SendReceptionRef=வரவேற்பு %s சமர்ப்பிப்பு ActionsOnReception=வரவேற்பு நிகழ்வுகள் @@ -48,7 +49,10 @@ ReceptionsNumberingModules=வரவேற்புகளுக்கான எ ReceptionsReceiptModel=வரவேற்புகளுக்கான ஆவண வார்ப்புருக்கள் NoMorePredefinedProductToDispatch=அனுப்புவதற்கு முன் வரையறுக்கப்பட்ட தயாரிப்புகள் இல்லை ReceptionExist=வரவேற்பு உள்ளது -ByingPrice=பையிங் விலை ReceptionBackToDraftInDolibarr=வரவேற்பு %s வரைவுக்குத் திரும்பு ReceptionClassifyClosedInDolibarr=வரவேற்பு %s வகைப்படுத்தப்பட்டது மூடப்பட்டது ReceptionUnClassifyCloseddInDolibarr=வரவேற்பு %s மீண்டும் திறக்கப்பட்டது +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/ta_IN/sendings.lang b/htdocs/langs/ta_IN/sendings.lang index a82c13e0e8c..2bad79b9024 100644 --- a/htdocs/langs/ta_IN/sendings.lang +++ b/htdocs/langs/ta_IN/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=சரிபார்க்கப்பட்டத StatusSendingProcessedShort=செயலாக்கப்பட்டது SendingSheet=ஏற்றுமதி தாள் ConfirmDeleteSending=இந்த ஏற்றுமதியை நிச்சயமாக நீக்க விரும்புகிறீர்களா? -ConfirmValidateSending= %s குறிப்புடன் இந்தக் கப்பலைச் சரிபார்க்க விரும்புகிறீர்களா? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=இந்த ஏற்றுமதியை நிச்சயமாக ரத்து செய்ய விரும்புகிறீர்களா? DocumentModelMerou=Merou A5 மாடல் WarningNoQtyLeftToSend=எச்சரிக்கை, எந்த தயாரிப்புகளும் அனுப்பப்படுவதற்கு காத்திருக்கவில்லை. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=ஏற்கனவே பெற் NoProductToShipFoundIntoStock= %s கிடங்கில் அனுப்ப வேண்டிய தயாரிப்பு எதுவும் இல்லை. சரியான இருப்பு அல்லது மற்றொரு கிடங்கைத் தேர்வு செய்ய திரும்பவும். WeightVolShort=எடை/தொகுதி. ValidateOrderFirstBeforeShipment=ஷிப்மென்ட் செய்வதற்கு முன் நீங்கள் முதலில் ஆர்டரைச் சரிபார்க்க வேண்டும். +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=தயாரிப்பு எடைகளின் கூ # warehouse details DetailWarehouseNumber= கிடங்கு விவரங்கள் DetailWarehouseFormat= W:%s (Qty: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/ta_IN/website.lang b/htdocs/langs/ta_IN/website.lang index 0b5204bc621..373719cb847 100644 --- a/htdocs/langs/ta_IN/website.lang +++ b/htdocs/langs/ta_IN/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=மாற்றுப் பக்கப் பெயர்க WEBSITE_ALIASALTDesc=மற்ற பெயர்கள்/மாற்றுப்பெயர்களின் பட்டியலை இங்கே பயன்படுத்தவும், இதன் மூலம் இந்தப் பக்கத்தை மற்ற பெயர்கள்/மாற்றுப்பெயர்களைப் பயன்படுத்தியும் அணுகலாம் (உதாரணமாக, பழைய இணைப்பு/பெயரில் பின்னிணைப்பை வைத்திருக்க மாற்றுப்பெயரை மறுபெயரிட்ட பிறகு பழைய பெயர்). தொடரியல்:
      மாற்றுப்பெயர்1, மாற்றுப்பெயர்2, ... WEBSITE_CSS_URL=வெளிப்புற CSS கோப்பின் URL WEBSITE_CSS_INLINE=CSS கோப்பு உள்ளடக்கம் (அனைத்து பக்கங்களுக்கும் பொதுவானது) -WEBSITE_JS_INLINE=ஜாவாஸ்கிரிப்ட் கோப்பு உள்ளடக்கம் (அனைத்து பக்கங்களுக்கும் பொதுவானது) +WEBSITE_JS_INLINE=JavaScript file content (common to all pages) WEBSITE_HTML_HEADER=HTML தலைப்பின் கீழே சேர்த்தல் (அனைத்து பக்கங்களுக்கும் பொதுவானது) WEBSITE_ROBOT=ரோபோ கோப்பு (robots.txt) WEBSITE_HTACCESS=வலைத்தளம் .htaccess கோப்பு @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=குறிப்பு: எல்லாப் MediaFiles=ஊடக நூலகம் EditCss=வலைத்தள பண்புகளைத் திருத்தவும் EditMenu=திருத்து மெனு -EditMedias=மீடியாக்களை திருத்தவும் +EditMedias=Edit media EditPageMeta=பக்கம்/கொள்கலன் பண்புகளைத் திருத்தவும் EditInLine=இன்லைனைத் திருத்தவும் AddWebsite=இணையதளத்தைச் சேர்க்கவும் @@ -60,10 +60,11 @@ NoPageYet=இன்னும் பக்கங்கள் இல்லை YouCanCreatePageOrImportTemplate=நீங்கள் ஒரு புதிய பக்கத்தை உருவாக்கலாம் அல்லது முழு இணையதள டெம்ப்ளேட்டை இறக்குமதி செய்யலாம் SyntaxHelp=குறிப்பிட்ட தொடரியல் உதவிக்குறிப்புகளில் உதவி YouCanEditHtmlSourceckeditor=எடிட்டரில் உள்ள "மூல" பொத்தானைப் பயன்படுத்தி HTML மூலக் குறியீட்டைத் திருத்தலாம். -YouCanEditHtmlSource=
      நீங்கள் குறிச்சொற்களை பயன்படுத்தி இந்த மூல ஒரு PHP குறியீடு சேர்க்க முடியும் <? PHP? > . பின்வரும் உலகளாவிய மாறிகள் கிடைக்கின்றன: $conf, $db, $mysoc, $user, $website, $websitepage, $weblans, $pagelangs.

      நீங்கள் பின்வரும் தொடரியல் மற்றொரு பக்கம் / கொள்கலன் உள்ளடக்கத்தை சேர்க்க முடியும்?
      < PHP includeContainer ( 'alias_of_container_to_include'); (வெளியீட்டை ஒரு திருப்பி முன் எந்த உள்ளடக்கத்தை செய்ய குறிப்பு): >

      நீங்கள் பின்வரும் தொடரியல் மற்றொரு பக்கம் / கொள்கலன் ஒரு திருப்பி செய்ய முடியும்?
      < PHP redirectToContainer ( 'alias_of_container_to_redirect_to'); ? ஆவணங்கள் ஒரு சேமிக்கப்பட்ட கோப்பு பதிவிறக்க ஒரு இணைப்பை சேர்க்க
      <a, href = "alias_of_page_to_link_to.php" >mylink<a>

      : >


      தொடரியல் பயன்படுத்த, மற்றொரு பக்கம் ஒரு இணைப்பை சேர்க்க
      அடைவு, document.php போர்வையை பயன்படுத்துகின்றன: ஆவணங்களை / ECM ஒரு கோப்பு,
      எடுத்துக்காட்டு (தேவை வெளியேற்ற வேண்டும்), தொடரியலாகும்:
      <a, href = "/ document.php modulepart = ECM & கோப்பை = [relative_dir / கோப்பு பெயர் "/Document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      ஒரு பங்கு இணைப்பு (கோப்பு பகிர்வு ஹாஷ் முக்கிய பயன்படுத்தி திறந்தவெளி அணுகல்) பகிர்ந்த கோப்பின், தொடரியலாகும்:
      <a, href =" /document.php?hashp=publicsharekeyoffile">

      அடைவு ஆவணங்கள் ஒரு சேமிக்கப்படும் ஒரு படத்தை , viewimage.php போர்வையை பயன்படுத்த சேர்ப்பதற்கு: ஆவணங்களை / மீடியாக்களுடன் ஒரு படத்தை,
      எடுத்துக்காட்டாக (திறந்த பொது அணுகல் directory) தொடரியலாகும்:
      <img மூல = "? / viewimage.php modulepart = medias&file = [relative_dir /] filename.ext" >
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=
      <img மூல = "? / viewimage.php hashp = 12345679012 ..." >
      : (கோப்பு பகிர்வு ஹாஷ் முக்கிய பயன்படுத்தி திறந்தவெளி அணுகல்) ஒரு பங்கு இணைப்புடன் பகிர்ந்துள்ளார் ஒரு படத்திற்கு, தொடரியலாகும் -YouCanEditHtmlSourceMore=
      HTML அல்லது டைனமிக் குறியீட்டின் கூடுதல் எடுத்துக்காட்டுகள் இல் கிடைக்கும் விக்கி ஆவணம்
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=குளோன் பக்கம்/கன்டெய்னர் CloneSite=குளோன் தளம் SiteAdded=இணையதளம் சேர்க்கப்பட்டது @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=மன்னிக்கவும், இந் WEBSITE_USE_WEBSITE_ACCOUNTS=இணைய தள கணக்கு அட்டவணையை இயக்கவும் WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=ஒவ்வொரு இணையதளம் / மூன்றாம் தரப்பினருக்கும் இணைய தள கணக்குகளை (உள்நுழைவு/பாஸ்) சேமிக்க அட்டவணையை இயக்கவும் YouMustDefineTheHomePage=நீங்கள் முதலில் இயல்புநிலை முகப்புப் பக்கத்தை வரையறுக்க வேண்டும் -OnlyEditionOfSourceForGrabbedContentFuture=எச்சரிக்கை: வெளிப்புற வலைப்பக்கத்தை இறக்குமதி செய்வதன் மூலம் வலைப்பக்கத்தை உருவாக்குவது அனுபவம் வாய்ந்த பயனர்களுக்கு ஒதுக்கப்பட்டுள்ளது. மூலப் பக்கத்தின் சிக்கலான தன்மையைப் பொறுத்து, இறக்குமதியின் முடிவு அசலில் இருந்து வேறுபடலாம். மேலும், மூலப் பக்கம் பொதுவான CSS பாணிகள் அல்லது முரண்பாடான ஜாவாஸ்கிரிப்டைப் பயன்படுத்தினால், இந்தப் பக்கத்தில் பணிபுரியும் போது, இணையதள எடிட்டரின் தோற்றம் அல்லது அம்சங்களை அது உடைக்கலாம். இந்த முறை ஒரு பக்கத்தை உருவாக்குவதற்கான விரைவான வழியாகும், ஆனால் உங்கள் புதிய பக்கத்தை புதிதாக அல்லது பரிந்துரைக்கப்பட்ட பக்க டெம்ப்ளேட்டிலிருந்து உருவாக்க பரிந்துரைக்கப்படுகிறது.
      கிராப் செய்யப்பட்ட வெளிப்புறப் பக்கத்தில் பயன்படுத்தும்போது இன்லைன் எடிட்டர் சரியாக வேலை செய்யாமல் போகலாம் என்பதையும் கவனத்தில் கொள்ளவும். +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting JavaScript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correctty when used on a grabbed external page. OnlyEditionOfSourceForGrabbedContent=வெளிப்புற தளத்தில் இருந்து உள்ளடக்கம் கைப்பற்றப்பட்டால் HTML மூலத்தின் பதிப்பு மட்டுமே சாத்தியமாகும் GrabImagesInto=css மற்றும் பக்கத்தில் காணப்படும் படங்களையும் கைப்பற்றவும். ImagesShouldBeSavedInto=படங்கள் கோப்பகத்தில் சேமிக்கப்பட வேண்டும் @@ -112,13 +113,13 @@ GoTo=செல்லுங்கள் DynamicPHPCodeContainsAForbiddenInstruction=PHP அறிவுறுத்தலைக் கொண்ட டைனமிக் PHP குறியீட்டைச் சேர்த்துள்ளீர்கள் ' %s ' இது டைனமிக் உள்ளடக்கமாக இயல்பாகவே தடைசெய்யப்பட்டுள்ளது (அனுமதிக்கப்பட்ட உள்ளடக்கத்தை அதிகரிக்க, WEBSITE_PHPxx இன் மறைக்கப்பட்ட விருப்பங்களைப் பார்க்கவும்). NotAllowedToAddDynamicContent=இணையதளங்களில் PHP டைனமிக் உள்ளடக்கத்தைச் சேர்க்க அல்லது திருத்த உங்களுக்கு அனுமதி இல்லை. அனுமதி கேட்கவும் அல்லது குறியீட்டை மாற்றாமல் php குறிச்சொற்களில் வைக்கவும். ReplaceWebsiteContent=இணையதள உள்ளடக்கத்தைத் தேடவும் அல்லது மாற்றவும் -DeleteAlsoJs=இந்த இணையதளத்திற்கு குறிப்பிட்ட அனைத்து ஜாவாஸ்கிரிப்ட் கோப்புகளையும் நீக்கவா? -DeleteAlsoMedias=இந்த இணையதளத்திற்கு குறிப்பிட்ட அனைத்து மீடியாஸ் கோப்புகளையும் நீக்கவா? +DeleteAlsoJs=Delete also all JavaScript files specific to this website? +DeleteAlsoMedias=Delete also all media files specific to this website? MyWebsitePages=எனது இணையதள பக்கங்கள் SearchReplaceInto=தேடல் | மாற்றவும் ReplaceString=புதிய சரம் CSSContentTooltipHelp=இங்கே CSS உள்ளடக்கத்தை உள்ளிடவும். பயன்பாட்டின் CSS உடன் எந்த முரண்பாட்டையும் தவிர்க்க, .bodywebsite வகுப்பில் அனைத்து அறிவிப்புகளையும் முன்கூட்டியே தயார் செய்யவும். உதாரணமாக:

      #mycssselector, input.myclass: மிதவை {...}

      குறிப்பு: மிதவை {...}

      .bodywebsite #mycssselector, .bodywebsite input.myclass இருக்க வேண்டும் நீ இல்லாமல் ஒரு பெரிய கோப்பு இருந்தால் இந்த முன்னொட்டு, எல்லா இடங்களிலும் .bodywebsite முன்னொட்டைச் சேர்க்க, 'lessc' ஐப் பயன்படுத்தி அதை மாற்றலாம். -LinkAndScriptsHereAreNotLoadedInEditor=எச்சரிக்கை: சேவையகத்திலிருந்து தளத்தை அணுகும்போது மட்டுமே இந்த உள்ளடக்கம் வெளிவரும். இது எடிட் பயன்முறையில் பயன்படுத்தப்படாது, எனவே நீங்கள் ஜாவாஸ்கிரிப்ட் கோப்புகளை எடிட் பயன்முறையிலும் ஏற்ற வேண்டும் என்றால், உங்கள் 'ஸ்கிரிப்ட் src=...' என்ற குறிச்சொல்லை பக்கத்தில் சேர்க்கவும். +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=டைனமிக் உள்ளடக்கம் கொண்ட பக்கத்தின் மாதிரி ImportSite=இணையதள டெம்ப்ளேட்டை இறக்குமதி செய்யவும் EditInLineOnOff='இன்லைனைத் திருத்து' என்பது %s @@ -157,3 +158,9 @@ Booking=Booking Reservation=Reservation PagesViewedPreviousMonth=Pages viewed (previous month) PagesViewedTotal=Pages viewed (total) +Visibility=Visibility +Everyone=Everyone +AssignedContacts=Assigned contacts +WebsiteTypeLabel=Type of Web site +WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/ta_IN/withdrawals.lang b/htdocs/langs/ta_IN/withdrawals.lang index 6be5a167d92..e4ebf6706db 100644 --- a/htdocs/langs/ta_IN/withdrawals.lang +++ b/htdocs/langs/ta_IN/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=கடன் பரிமாற்ற கோரிக் WithdrawRequestsDone=%s நேரடி டெபிட் கட்டண கோரிக்கைகள் பதிவு செய்யப்பட்டன BankTransferRequestsDone=%s கடன் பரிமாற்ற கோரிக்கைகள் பதிவு செய்யப்பட்டன ThirdPartyBankCode=மூன்றாம் தரப்பு வங்கிக் குறியீடு -NoInvoiceCouldBeWithdrawed=இன்வாய்ஸ் எதுவும் டெபிட் செய்யப்படவில்லை. இன்வாய்ஸ்கள் செல்லுபடியாகும் IBAN உள்ள நிறுவனங்களில் உள்ளதா என்பதையும், %s பயன்முறையுடன் IBAN UMR (தனிப்பட்ட ஆணைக் குறிப்பு) உள்ளதா என்பதையும் சரிபார்க்கவும். +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=இந்த திரும்பப் பெறும் ரசீது ஏற்கனவே வரவு வைக்கப்பட்டதாகக் குறிக்கப்பட்டுள்ளது; இதை இரண்டு முறை செய்ய முடியாது, ஏனெனில் இது நகல் பணம் மற்றும் வங்கி உள்ளீடுகளை உருவாக்கும். ClassCredited=வகைப்படுத்து வரவு ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=சமூகத்திற்கான திரும RefusedData=நிராகரிக்கப்பட்ட தேதி RefusedReason=நிராகரிப்புக்கான காரணம் RefusedInvoicing=நிராகரிப்பு பில்லிங் -NoInvoiceRefused=நிராகரிப்புக்கு கட்டணம் வசூலிக்க வேண்டாம் -InvoiceRefused=விலைப்பட்டியல் நிராகரிக்கப்பட்டது (வாடிக்கையாளரிடம் நிராகரிப்பை வசூலிக்கவும்) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=நிலை டெபிட்/கிரெடிட் StatusWaiting=காத்திருக்கிறது StatusTrans=அனுப்பப்பட்டது @@ -103,7 +106,7 @@ ShowWithdraw=நேரடி டெபிட் ஆர்டரைக் கா IfInvoiceNeedOnWithdrawPaymentWontBeClosed=இருப்பினும், இன்வாய்ஸில் குறைந்தபட்சம் ஒரு நேரடி டெபிட் பேமெண்ட் ஆர்டராவது இன்னும் செயல்படுத்தப்படவில்லை எனில், முன் திரும்பப் பெறுதல் நிர்வாகத்தை அனுமதிக்கும் வகையில் அது செலுத்தப்பட்டதாக அமைக்கப்படாது. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=டெபிட் ஆர்டர் கோப்பு @@ -115,7 +118,7 @@ RUM=UMR DateRUM=ஆணை கையொப்ப தேதி RUMLong=தனித்துவமான ஆணைக் குறிப்பு RUMWillBeGenerated=காலியாக இருந்தால், வங்கிக் கணக்குத் தகவல் சேமிக்கப்பட்டவுடன் UMR (தனிப்பட்ட ஆணைக் குறிப்பு) உருவாக்கப்படும். -WithdrawMode=நேரடி டெபிட் முறை (FRST அல்லது RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=நேரடிப் பற்றுக் கோரிக்கையின் அளவு: BankTransferAmount=கடன் பரிமாற்றக் கோரிக்கையின் அளவு: WithdrawRequestErrorNilAmount=வெற்றுத் தொகைக்கு நேரடிப் பற்றுக் கோரிக்கையை உருவாக்க முடியவில்லை. @@ -131,6 +134,7 @@ SEPAFormYourBAN=உங்கள் வங்கி கணக்கு பெய SEPAFormYourBIC=உங்கள் வங்கி அடையாள குறியீடு (BIC) SEPAFrstOrRecur=கட்டணம் செலுத்தும் வகை ModeRECUR=தொடர் கட்டணம் +ModeRCUR=Recurring payment ModeFRST=ஒரு முறை கட்டணம் PleaseCheckOne=ஒன்றை மட்டும் சரிபார்க்கவும் CreditTransferOrderCreated=கடன் பரிமாற்ற ஆர்டர் %s உருவாக்கப்பட்டது @@ -155,9 +159,16 @@ InfoTransData=தொகை: %s
      முறை: %s
      தேதி: %s InfoRejectSubject=நேரடி டெபிட் பேமெண்ட் ஆர்டர் நிராகரிக்கப்பட்டது InfoRejectMessage=வணக்கம், %s நிறுவனத்துடன் தொடர்புடைய %s இன்வாய்ஸின் நேரடி டெபிட் பேமெண்ட் ஆர்டர்

      வங்கியால் நிராகரிக்கப்பட்டது.

      --
      %s ModeWarning=உண்மையான பயன்முறைக்கான விருப்பம் அமைக்கப்படவில்லை, இந்த உருவகப்படுத்துதலுக்குப் பிறகு நிறுத்துவோம் -ErrorCompanyHasDuplicateDefaultBAN=%s ஐடியைக் கொண்ட நிறுவனம் ஒன்றுக்கும் மேற்பட்ட இயல்புநிலை வங்கிக் கணக்குகளைக் கொண்டுள்ளது. எது பயன்படுத்த வேண்டும் என்பதை அறிய வழி இல்லை. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=%s வங்கிக் கணக்கில் ICS இல்லை TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=நேரடி டெபிட் ஆர்டரின் மொத்த அளவு வரிகளின் தொகையிலிருந்து வேறுபடுகிறது WarningSomeDirectDebitOrdersAlreadyExists=எச்சரிக்கை: %s தொகைக்காகக் கோரப்பட்ட சில நேரடி டெபிட் ஆர்டர்கள் (%s) ஏற்கனவே நிலுவையில் உள்ளன WarningSomeCreditTransferAlreadyExists=எச்சரிக்கை: %s தொகைக்கு ஏற்கனவே சில கிரெடிட் டிரான்ஸ்ஃபர் (%s) கோரப்பட்டுள்ளது UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Salary +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/ta_IN/workflow.lang b/htdocs/langs/ta_IN/workflow.lang index a1bab1b40a7..0bbd1caee2f 100644 --- a/htdocs/langs/ta_IN/workflow.lang +++ b/htdocs/langs/ta_IN/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=ஒப்பந்தம் சரி descWORKFLOW_ORDER_AUTOCREATE_INVOICE=விற்பனை ஆர்டர் மூடப்பட்ட பிறகு தானாகவே வாடிக்கையாளர் விலைப்பட்டியலை உருவாக்கவும் (புதிய விலைப்பட்டியல் ஆர்டரின் அதே தொகையைக் கொண்டிருக்கும்) descWORKFLOW_TICKET_CREATE_INTERVENTION=On ticket creation, automatically create an intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=விற்பனை ஆர்டரை பில் செய்யும்போது பில் செய்யப்பட்டதாக இணைக்கப்பட்ட மூல முன்மொழிவை வகைப்படுத்தவும் (மற்றும் ஆர்டரின் தொகையானது கையொப்பமிடப்பட்ட இணைக்கப்பட்ட முன்மொழிவின் மொத்தத் தொகையாக இருந்தால்) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=வாடிக்கையாளர் விலைப்பட்டியல் சரிபார்க்கப்படும் போது இணைக்கப்பட்ட மூல முன்மொழிவை பில் செய்யப்பட்டதாக வகைப்படுத்தவும் (மற்றும் விலைப்பட்டியல் தொகையானது கையொப்பமிடப்பட்ட இணைக்கப்பட்ட திட்டத்தின் மொத்தத் தொகையாக இருந்தால்) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=வாடிக்கையாளர் விலைப்பட்டியல் சரிபார்க்கப்படும்போது பில் செய்யப்பட்டதாக இணைக்கப்பட்ட மூல விற்பனை ஆர்டரை வகைப்படுத்தவும் (மற்றும் விலைப்பட்டியல் தொகையானது இணைக்கப்பட்ட ஆர்டரின் மொத்தத் தொகையாக இருந்தால்) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=வாடிக்கையாளர் விலைப்பட்டியல் செலுத்தப்பட்டதாக அமைக்கப்படும் போது இணைக்கப்பட்ட மூல விற்பனை ஆர்டரை பில் என வகைப்படுத்தவும் (மற்றும் விலைப்பட்டியல் தொகையானது இணைக்கப்பட்ட ஆர்டரின் மொத்தத் தொகையாக இருந்தால்) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=ஷிப்மென்ட் சரிபார்க்கப்படும்போது அனுப்பப்பட்டதாக இணைக்கப்பட்ட மூல விற்பனை ஆர்டரை வகைப்படுத்தவும் (மற்றும் அனைத்து ஷிப்மென்ட்களும் அனுப்பிய அளவு புதுப்பிக்கும் வரிசையைப் போலவே இருந்தால்) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=ஷிப்மென்ட் மூடப்படும்போது அனுப்பப்பட்டதாக இணைக்கப்பட்ட மூல விற்பனை ஆர்டரை வகைப்படுத்தவும் (மற்றும் அனைத்து ஷிப்மென்ட்களும் அனுப்பிய அளவு புதுப்பிக்கும் வரிசையைப் போலவே இருந்தால்) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=விற்பனையாளர் விலைப்பட்டியல் சரிபார்க்கப்படும் போது இணைக்கப்பட்ட மூல விற்பனையாளர் முன்மொழிவை பில் என வகைப்படுத்தவும் (மற்றும் விலைப்பட்டியல் தொகையானது இணைக்கப்பட்ட திட்டத்தின் மொத்தத் தொகையாக இருந்தால்) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=விற்பனையாளர் விலைப்பட்டியல் சரிபார்க்கப்படும் போது இணைக்கப்பட்ட மூல கொள்முதல் ஆர்டரை பில் செய்ததாக வகைப்படுத்தவும் (மற்றும் விலைப்பட்டியல் தொகையானது இணைக்கப்பட்ட ஆர்டரின் மொத்தத் தொகையாக இருந்தால்) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=ஒரு வரவேற்பு சரிபார்க்கப்படும் போது பெறப்பட்ட இணைக்கப்பட்ட மூல கொள்முதல் ஆர்டரை வகைப்படுத்தவும் (மற்றும் அனைத்து வரவேற்புகளிலும் பெறப்பட்ட அளவு வாங்குதல் ஆர்டரில் உள்ளதைப் போலவே புதுப்பிக்கவும்) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=ஒரு வரவேற்பு மூடப்படும் போது பெறப்பட்ட இணைக்கப்பட்ட மூல கொள்முதல் ஆர்டரை வகைப்படுத்தவும் (மற்றும் அனைத்து வரவேற்புகளிலும் பெறப்பட்ட அளவு வாங்குதல் ஆர்டரில் உள்ளதைப் போலவே புதுப்பிக்கவும்) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link available contracts of matching thirdparty +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=When linking contracts, search among those of parents companies # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=டிக்கெட் மூடப்படும் போது, டிக்கெட்டுடன் இணைக்கப்பட்ட அனைத்து தலையீடுகளையும் மூடு AutomaticCreation=தானியங்கி உருவாக்கம் AutomaticClassification=தானியங்கி வகைப்பாடு -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Automatic closing AutomaticLinking=Automatic linking diff --git a/htdocs/langs/tg_TJ/admin.lang b/htdocs/langs/tg_TJ/admin.lang index 05d7f606644..283f549e774 100644 --- a/htdocs/langs/tg_TJ/admin.lang +++ b/htdocs/langs/tg_TJ/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Ин модул бо Dolibarr %s (Min %s - Max %s) мувофиқ CompatibleAfterUpdate=Ин модул ба Dolibarr %s навсозиро талаб мекунад (Min %s - Max %s). SeeInMarkerPlace=Ба ҷои бозор нигаред SeeSetupOfModule=Ба танзимоти модули %s нигаред +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=Интихоби %s to %s Updated=Навсозӣ AchatTelechargement=Харидан / Зеркашӣ кардан @@ -292,22 +294,22 @@ EmailSenderProfiles=Профили ирсолкунандаи мактубҳо EMailsSenderProfileDesc=Шумо метавонед ин бахшро холӣ нигоҳ доред. Агар шумо дар ин ҷо баъзе мактубҳоро ворид кунед, онҳо ҳангоми навиштани паёми нав ба рӯйхати фиристандагони эҳтимолӣ ба combobox илова карда мешаванд. MAIN_MAIL_SMTP_PORT=Порт SMTP/SMTPS (арзиши пешфарз дар php.ini: %s ) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (арзиши пешфарз дар php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Порт SMTP/SMTPS (Дар системаҳои ба Unix монанд ба PHP муайян нашудааст) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Хости SMTP/SMTPS (Дар системаҳои ба Unix монанд ба PHP муайян нашудааст) -MAIN_MAIL_EMAIL_FROM=Почтаи ирсолкунанда барои мактубҳои автоматӣ (арзиши пешфарз дар php.ini: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=Почтаи электронӣ, ки барои хатогӣ истифода мешавад, паёмҳои электрониро бармегардонад (майдонҳои 'Errors-To' дар мактубҳои фиристодашуда) MAIN_MAIL_AUTOCOPY_TO= Нусхабардорӣ (Bcc) ҳамаи мактубҳои ирсолшуда ба MAIN_DISABLE_ALL_MAILS=Ҳама фиристодани почтаи электрониро хомӯш кунед (бо мақсади санҷиш ё намоишҳо) MAIN_MAIL_FORCE_SENDTO=Ҳама мактубҳоро ба (ба ҷои қабулкунандагони воқеӣ, барои мақсадҳои санҷиш) фиристед MAIN_MAIL_ENABLED_USER_DEST_SELECT=Ҳангоми навиштани почтаи нав мактубҳои кормандонро (агар муайян карда шаванд) ба рӯйхати гирандаи пешакӣ муайяншуда пешниҳод кунед -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=Усули фиристодани почтаи электронӣ MAIN_MAIL_SMTPS_ID=Шиносаи SMTP (агар фиристодани сервер аутентификатсияро талаб кунад) MAIN_MAIL_SMTPS_PW=Рамзи SMTP (агар фиристодани сервер аутентификатсияро талаб кунад) MAIN_MAIL_EMAIL_TLS=Рамзгузории TLS (SSL) -ро истифода баред MAIN_MAIL_EMAIL_STARTTLS=Рамзгузории TLS (STARTTLS) -ро истифода баред -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Ба шаҳодатномаҳои худкори имзо иҷозат диҳед +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=Барои тавлиди имзои почтаи электронӣ DKIM -ро истифода баред MAIN_MAIL_EMAIL_DKIM_DOMAIN=Домени почтаи электронӣ барои истифода бо dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Номи интихоби селектор @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Калиди хусусӣ барои имзои MAIN_DISABLE_ALL_SMS=Ҳама фиристодани SMS -ро хомӯш кунед (бо мақсади санҷиш ё намоишҳо) MAIN_SMS_SENDMODE=Усули истифода барои ирсоли SMS MAIN_MAIL_SMS_FROM=Рақами телефони ирсолкунандаи пешфарз барои ирсоли SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Почтаи ирсолкунандаи пешфарз барои фиристодани дастӣ (Почтаи корбар ё почтаи ширкат) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=Почтаи электронӣ CompanyEmail=Почтаи электронии ширкат FeatureNotAvailableOnLinux=Хусусият дар системаҳои монанди Unix дастрас нест. Барномаи sendmail -и худро ба таври маҳаллӣ санҷед. @@ -417,6 +419,7 @@ PDFLocaltax=Қоидаҳо барои %s HideLocalTaxOnPDF=Пинҳон кардани %s дар сутуни андоз аз фурӯш / ААИ HideDescOnPDF=Пинҳон кардани тавсифи маҳсулот HideRefOnPDF=Пинҳон кардани маҳсулот ref. +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=Тафсилоти хатҳои маҳсулотро пинҳон кунед PlaceCustomerAddressToIsoLocation=Барои мавқеи суроғаи муштариён мавқеи стандартии фаронсавиро (La Poste) истифода баред Library=Китобхона @@ -424,7 +427,7 @@ UrlGenerationParameters=Параметрҳо барои таъмини URL -ҳо SecurityTokenIsUnique=Барои ҳар як URL як параметри ягонаи амниятиро истифода баред EnterRefToBuildUrl=Истинодро барои объекти %s ворид кунед GetSecuredUrl=URL -и ҳисобшударо гиред -ButtonHideUnauthorized=Тугмаҳои амалҳои беиҷозатро низ барои корбарони дохилӣ пинҳон кунед (дар акси ҳол хокистарӣ) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=Меъёри ААИ NewVATRates=Меъёри нави андоз аз арзиши иловашуда PriceBaseTypeToChange=Тағир додани нархҳо бо арзиши истинод дар асоси @@ -458,11 +461,11 @@ ComputedFormula=Майдони ҳисобшуда ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Майдони ҳисобшударо захира кунед ComputedpersistentDesc=Майдонҳои иловагии ҳисобшуда дар пойгоҳи додаҳо нигоҳ дошта мешаванд, аммо арзиши он танҳо ҳангоми тағир додани объекти ин майдон аз нав ҳисоб карда мешавад. Агар майдони ҳисобшуда аз дигар объектҳо ё маълумоти глобалӣ вобаста бошад, ин арзиш метавонад хато бошад !! -ExtrafieldParamHelpPassword=Ин майдонро холӣ гузоштан маънои онро дорад, ки ин арзиш бидуни рамзгузорӣ нигоҳ дошта мешавад (майдон бояд танҳо бо ситора дар экран пинҳон карда шавад).
      'auto' -ро таъин кунед, то қоидаи рамзгузории пешфарзро барои захира кардани парол дар пойгоҳи дода истифода барад (он гоҳ арзиши хониш танҳо ҳашт хоҳад буд, ҳеҷ роҳе барои гирифтани арзиши аслӣ) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=Рӯйхати арзишҳо бояд сатрҳо бо калиди формат бошад, ки арзиш (дар он калид наметавонад '0' бошад) рӯйхати вобаста ба дигар рӯйхати аттрибутӣ иловагї:
      1, value1 | options_ parent_list_code : parent_key
      2, value2 | options_ parent_list_code : parent_key

      бо мақсади ба рӯйхат вобаста ба рӯйхати дигар:
      1, value1 | parent_list_code : parent_key
      2, арзиши2 | parent_list_code : parent_key ExtrafieldParamHelpcheckbox=Рӯйхати арзишҳо бояд сатрҳо бо калиди формат бошад, ки арзиш (дар он калид '0' буда наметавонад)

      масалан:
      1, value1
      2, value2 a0342fccfda3b33 ExtrafieldParamHelpradio=Рӯйхати арзишҳо бояд сатрҳо бо калиди формат бошад, ки арзиш (дар он калид '0' буда наметавонад)

      масалан:
      1, value1
      2, value2 a0342fccfda3b33 -ExtrafieldParamHelpsellist=Рӯйхати арзишҳо аз ҷадвали
      пайдо мешавад Синтаксис: table_name: label_field: id_field :: filtersql
      Мисол: c_typent: libelle: id :: filtersql
      a0342 acc0 a1fc a4f1 Ин метавонад як озмоиши оддӣ бошад (масалан фаъол = 1) барои намоиши танҳо арзиши фаъол
      Шумо инчунин метавонед $ ID $ -ро дар филтр истифода баред, ки он id и ҷории объекти ҷорӣ
      Барои истифодаи SELECT дар филтр калимаи калиди $ SEL $ -ро истифода баред муҳофизати зидди тазриқро гузаред.
      , агар шумо хоҳед, ки дар майдонҳои изофӣ филтр кунед, синтаксиси extra.fieldcode = ... -ро истифода баред (дар куҷо коди майдон рамзи экстафилд аст)

      Барои он ки рӯйхат вобаста ба дигар рӯйхати атрибутҳои иловагӣ бошад: a034z2fcc_19 parent_list_code | parent_column: filter

      Барои он ки рӯйхат вобаста ба рӯйхати дигар бошад:
      c_tc_doc8: li_doc8 +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Рӯйхати арзишҳо аз ҷадвал пайдо мешавад
      Синтаксис: table_name: label_field: id_field :: filtersql
      Мисол: c_typent: libelle: id :: filtersql
      a0342 acc0 a03z2 инчунин метавонад $ ID $ -ро истифода кунад коди extrafield)

      бо мақсади ба рӯйхат вобаста ба дигар рӯйхати аттрибутӣ иловагї:
      c_typent: libelle: Шиносаи: options_ parent_list_code | parent_column: филтри

      бо мақсади ба рӯйхат вобаста ба рӯйхати дигар: c_typent
      : libelle: id: parent_list_code | parent_column: филтр ExtrafieldParamHelplink=Параметрҳо бояд ObjectName бошанд: Classpath
      Синтаксис: ObjectName: Classpath ExtrafieldParamHelpSeparator=Барои ҷудосози оддӣ холӣ нигоҳ доред
      Инро барои ҷудосози фурӯпошанда ба 1 таъин кунед (бо нобаёнӣ барои сессияи нав кушода мешавад, пас мақом барои ҳар як сеанси корбар нигоҳ дошта мешавад)
      Инро барои ҷудосози фурӯпошанда ба 2 муқаррар кунед (бо нобаёнӣ барои ҷаласаи нав, мақом пеш аз ҳар як ҷаласаи корбар нигоҳ дошта мешавад) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Рақами телефонро барои занг зад RefreshPhoneLink=Истинодро навсозӣ кунед LinkToTest=Истиноди кликшаванда барои корбар %s тавлид шудааст (барои санҷиш рақами телефонро клик кунед) KeepEmptyToUseDefault=Барои истифодаи арзиши пешфарз холӣ бошед -KeepThisEmptyInMostCases=Дар аксар ҳолатҳо, шумо метавонед ин майдони эмпиро нигоҳ доред. +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=Истиноди пешфарз SetAsDefault=Ҳамчун пешфарз таъин кунед ValueOverwrittenByUserSetup=Огоҳӣ, ин арзиш метавонад аз ҷониби танзимоти мушаххаси корбар аз нав сабт карда шавад (ҳар як корбар метавонад URL -и кликтии худро муқаррар кунад) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Ин номи майдони HTML аст. Барои PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate=
      Мисол:
      Барои шакл сохтани шахси сеюм, он %s аст.
      Барои URL -и модулҳои беруна, ки ба феҳристи фармоишӣ насб карда шудаанд, "custom/" -ро дар бар намегирад, аз ин рӯ роҳи монанди mymodule/mypage.php истифода баред, на custom/mymodule/mypage.php.
      Агар шумо хоҳед, ки арзиши пешфарз танҳо дар он бошад, ки url ягон параметр дошта бошад, шумо метавонед %s истифода баред PageUrlForDefaultValuesList=
      Мисол:
      Барои саҳифае, ки шахсони сеюмро номбар мекунад, он %s аст.
      Барои URL -и модулҳои беруна, ки дар феҳристи фармоишӣ насб шудаанд, "custom/" - ро дар бар намегирад, аз ин рӯ роҳеро истифода баред mymodule/mypagelist.php , на custom/mymodule/mypagelist.php
      Агар шумо хоҳед, ки арзиши пешфарз танҳо дар он бошад, ки url ягон параметр дошта бошад, шумо метавонед %s истифода баред -AlsoDefaultValuesAreEffectiveForActionCreate=Инчунин дар хотир доред, ки аз нав сабт кардани арзишҳои пешфарз барои эҷоди шакл танҳо барои саҳифаҳое тарҳрезӣ шудааст, ки дуруст тарҳрезӣ шудаанд (ҳамин тавр бо параметр = action = create or presend ...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=Танзими арзишҳои пешфарзро фаъол созед EnableOverwriteTranslation=Allow customization of translations GoIntoTranslationMenuToChangeThis=Тарҷумаи калид бо ин рамз пайдо шудааст. Барои тағир додани ин арзиш, шумо бояд онро аз тарҷумаи Home-Setup-вироиш кунед. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Директорияи хусусии умумӣ ф DAV_ALLOW_PUBLIC_DIR=Феҳристи умумиро фаъол созед (феҳристи махсуси WebDAV бо номи "public" - вуруд лозим нест) DAV_ALLOW_PUBLIC_DIRTooltip=Феҳристи оммавии умумӣ феҳристи WebDAV аст, ки ҳама метавонанд дастрас бошанд (дар ҳолати хондан ва навиштан), бидуни иҷозат (ҳисоби логин/парол). DAV_ALLOW_ECM_DIR=Феҳристи хусусии DMS/ECM -ро фаъол созед (феҳристи решаи модули DMS/ECM - вуруд лозим аст) -DAV_ALLOW_ECM_DIRTooltip=Феҳристи решавӣ, ки дар он ҳама файлҳо ҳангоми истифодаи модули DMS/ECM дастӣ бор карда мешаванд. Ба ҳамин монанд, дастрасӣ аз интерфейси веб, барои ворид шудан ба шумо логин/пароли дуруст бо иҷозатҳои махсус лозим аст. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=Истифодабарандагон ва гурӯҳҳо Module0Desc=Идоракунии корбарон / кормандон ва гурӯҳҳо @@ -566,7 +569,7 @@ Module40Desc=Фурӯшандагон ва идоракунии харид (фа Module42Name=Сабти гузоришҳо Module42Desc=Воситаҳои сабти ном (файл, syslog, ...). Чунин сабтҳо барои мақсадҳои техникӣ/ислоҳкунӣ мебошанд. Module43Name=Бари Debug -Module43Desc=Восита барои таҳиякунанда илова кардани сатри ислоҳ дар браузери шумо. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=Муҳаррирон Module49Desc=Идоракунии муҳаррир Module50Name=Маҳсулот @@ -582,7 +585,7 @@ Module54Desc=Идоракунии шартномаҳо (хидматҳо ё об Module55Name=Баркодҳо Module55Desc=Идоракунии штрих -код ё QR -код Module56Name=Пардохт тавассути интиқоли кредит -Module56Desc=Идоракунии пардохти таъминкунандагон бо фармоишҳои интиқоли қарз. Он насли файли SEPA -ро барои кишварҳои Аврупо дар бар мегирад. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=Пардохтҳо тавассути дебети мустақим Module57Desc=Идоракунии фармоишҳои дебети мустақим. Он насли файли SEPA -ро барои кишварҳои Аврупо дар бар мегирад. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Огоҳиномаҳои почтаи электрониро, ки Module600Long=Аҳамият диҳед, ки ин модул ҳангоми воқеаи мушаххаси тиҷоратӣ мактубҳоро дар вақти воқеӣ мефиристад. Агар шумо дар ҷустуҷӯи хусусияти фиристодани ёдраскуниҳои почтаи электронӣ барои рӯйдодҳои рӯзнома бошед, ба танзимоти модули Agenda ворид шавед. Module610Name=Вариантҳои маҳсулот Module610Desc=Эҷоди вариантҳои маҳсулот (ранг, андоза ва ғайра) +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=Хайрияҳо Module700Desc=Идоракунии хайрия Module770Name=Ҳисоботи хароҷот @@ -650,8 +657,8 @@ Module2300Name=Корҳои ба нақша гирифташуда Module2300Desc=Идоракунии банақшагирифтаи корҳо (тахаллуси cron ё ҷадвали хроно) Module2400Name=Рӯйдодҳо/рӯзнома Module2400Desc=Ҳодисаҳоро пайгирӣ кунед. Ҳодисаҳои автоматиро бо мақсади пайгирӣ сабт кунед ё рӯйдодҳо ё вохӯриҳои дастиро сабт кунед. Ин модули асосӣ барои идоракунии муносибатҳои хуб бо муштариён ё фурӯшандагон мебошад. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM Module2500Desc=Системаи идоракунии ҳуҷҷатҳо / Идоракунии мундариҷаи электронӣ. Ташкили худкори ҳуҷҷатҳои тавлидшуда ё захирашудаи шумо. Ҳангоми зарурат онҳоро мубодила кунед. Module2600Name=API / Web services (SOAP server) @@ -672,7 +679,7 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=Шабакаҳои иҷтимоӣ Module3400Desc=Майдонҳои шабакаҳои иҷтимоиро ба шахсони сеюм ва суроғаҳо (скайп, twitter, facebook, ...) фаъол созед. Module4000Name=HRM -Module4000Desc=Идоракунии захираҳои инсонӣ (идоракунии шӯъба, шартномаҳои кормандон ва эҳсосот) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Ширкати бисёрҷониба Module5000Desc=Ба шумо имкон медиҳад, ки якчанд ширкатҳоро идора кунед Module6000Name=Ҷараёни кории модулҳо @@ -712,6 +719,8 @@ Module63000Desc=Идоракунии захираҳо (принтерҳо, мо Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=Receptions +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Read customer invoices (and payments) Permission12=Ҳисобнома -фактураҳои муштариёнро эҷод/тағир диҳед @@ -996,7 +1005,7 @@ Permission4031=Read personal information Permission4032=Write personal information Permission4033=Read all evaluations (even those of user not subordinates) Permission10001=Мундариҷаи вебсайтро хонед -Permission10002=Эҷод/тағир додани мундариҷаи вебсайт (мундариҷаи html ва javascript) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=Эҷод/тағир додани мундариҷаи вебсайт (коди динамикии php). Хатарнок, бояд ба таҳиягарони маҳдуд ҳифз карда шавад. Permission10005=Мундариҷаи вебсайтро нест кунед Permission20001=Дархостҳои рухсатиро хонед (рухсатии шумо ва рухсатии зердастонатон) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Ҳисоботи хароҷот - Диапазон а DictionaryTransportMode=Ҳисоботи дохилӣ - Ҳолати интиқол DictionaryBatchStatus=Лоти маҳсулот/Ҳолати назорати сифатии силсилавӣ DictionaryAssetDisposalType=Type of disposal of assets +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Навъи воҳид SetupSaved=Танзимот захира карда шуд SetupNotSaved=Танзимот захира карда нашудааст @@ -1109,10 +1119,11 @@ BackToModuleList=Бозгашт ба рӯйхати модулҳо BackToDictionaryList=Бозгашт ба рӯйхати луғатҳо TypeOfRevenueStamp=Навъи мӯҳри андоз VATManagement=Идоракунии андози фурӯш -VATIsUsedDesc=Бо нобаёнӣ ҳангоми эҷоди дурнамо, ҳисобнома -фактура, фармоиш ва ғайра Меъёри андози фурӯш аз рӯи қоидаи стандарти фаъол амал мекунад:
      Агар фурӯшанда андоз аз фурӯш набошад, пас андоз аз фурӯш бо нобаёнӣ 0 мешавад. Охири қоида.
      Агар (кишвари фурӯшанда = кишвари харидор) бошад, пас андоз аз фурӯш бо нобаёнӣ ба андози фурӯши маҳсулот дар кишвари фурӯшанда баробар аст. Охири ҳукмронӣ.
      Агар фурӯшанда ва харидор ҳам дар Иттиҳоди Аврупо бошанд ва молҳо маҳсулоти марбут ба нақлиёт бошанд (интиқол, интиқол, ҳавопаймо), ААИ пешфарз 0. Ин қоида аз кишвари фурӯшанда вобаста аст - лутфан бо муҳосиби худ машварат кунед. ААИ бояд аз ҷониби харидор ба идораи гумруки кишвари худ пардохт карда шавад, на ба фурӯшанда. Охири ҳукмронӣ.
      Агар фурӯшанда ва харидор ҳам дар Иттиҳоди Аврупо бошанд ва ҳам харидор ширкат набошад (бо рақами бақайдгирифташудаи ААИ дар дохили ҷомеа), пас ААИ бо меъёри ААИ дар кишвари фурӯшанда пешфарз аст. Охири ҳукмронӣ.
      Агар фурӯшанда ва харидор ҳам дар ҷомеаи Аврупо бошанд ва ҳам харидор ширкат бошад (бо рақами бақайдгирифташудаи ААИ дар дохили ҷомеа), пас ААИ бо нобаёнӣ 0 аст. Охири ҳукмронӣ.
      Дар ҳар сурат, пешфарзи пешниҳодшуда андоз аз фурӯш = 0 аст. Охири ҳукмронӣ. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=Бо нобаёнӣ андози пешниҳодшудаи фурӯш 0 аст, ки онро барои парвандаҳо ба мисли ассотсиатсияҳо, шахсони воқеӣ ё ширкатҳои хурд истифода бурдан мумкин аст. VATIsUsedExampleFR=Дар Фаронса, ин маънои ширкатҳо ё ташкилотҳоро дорад, ки системаи фискалии воқеӣ доранд (воқеии содда ё воқеӣ). Системае, ки дар он андоз аз арзиши иловашуда эълом карда мешавад. VATIsNotUsedExampleFR=Дар Фаронса, ин маънои ассотсиатсияҳое мебошад, ки андоз аз фурӯш эълон нашудаанд ё ширкатҳо, ташкилотҳо ё касбҳои либералӣ, ки системаи молиявии корхонаи хурдро интихоб кардаанд (андози фурӯш дар франшиза) ва бидуни эъломияи андози фурӯш франшиза андози фурӯшро пардохт кардаанд. Ин интихоб истинодро "Андози фурӯши татбиқнашаванда - арт -293B CGI" дар ҳисобнома -фактураҳо нишон медиҳад. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Навъи андоз аз фурӯш LTRate=Нарх @@ -1399,8 +1410,8 @@ PHPModuleLoaded=Ҷузъи PHP %s бор карда шудааст PreloadOPCode=OPCode -и пешакӣ боршуда истифода мешавад AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Намоиши почтаи электронии тамос (ё телефонҳо, агар муайян нашуда бошад) ва рӯйхати иттилооти шаҳр (рӯйхати интихобшуда ё комбокс)
      Тамос бо формати номи "Dupond Durand - dupond.durand@email.com - Париж" ё "Dupond Durand - 06 07 59 65 66 - Париж "ба ҷои" Дюпонд Дуранд ". +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=Усули афзалиятноки интиқолро барои шахсони сеюм дархост кунед. FieldEdition=Нашри майдони %s FillThisOnlyIfRequired=Мисол: +2 (пур кардан танҳо дар сурате ки агар мушкилоти ҷуброни минтақаи вақт аз сар гузаранд) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Дар саҳифаи Логин истин UsersSetup=Танзими модули корбарон UserMailRequired=Барои эҷод кардани корбари нав почтаи электронӣ лозим аст UserHideInactive=Пинҳон кардани корбарони ғайрифаъол аз ҳама рӯйхати омезиши корбарон (Тавсия дода намешавад: ин метавонад маънои онро дошта бошад, ки шумо дар баъзе саҳифаҳо корбарони кӯҳнаро филтр карда ё ҷустуҷӯ карда наметавонед) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Шаблонҳои ҳуҷҷатҳо барои ҳуҷҷатҳое, ки аз сабти корбар тавлид мешаванд GroupsDocModules=Шаблонҳои ҳуҷҷатҳо барои ҳуҷҷатҳое, ки аз сабти гурӯҳӣ тавлид мешаванд ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Гурӯҳҳо LDAPContactsSynchro=Тамос LDAPMembersSynchro=Аъзоён LDAPMembersTypesSynchro=Намудҳои аъзоён -LDAPSynchronization=Ҳамоҳангсозии LDAP +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=Функсияҳои LDAP дар PHP -и шумо дастрас нестанд LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=Шаҳодатномаи Корбар LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=Феҳристи хонагӣ -LDAPFieldHomedirectoryExample=Мисол: директори хонагӣ +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=Префикси феҳристи хонагӣ LDAPSetupNotComplete=Танзимоти LDAP ба охир нарасидааст (ба ҷадвалҳои дигарон равед) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Ягон администратор ё парол дода нашудааст. Дастрасии LDAP беном ва дар ҳолати танҳо хондан хоҳад буд. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Модули memache барои кеши з MemcachedAvailableAndSetup=Модули memcached бахшида ба истифодаи сервери memcached фаъол аст. OPCodeCache=Кэши OPCode NoOPCodeCacheFound=Ягон кеши OPCode ёфт нашуд. Шояд шумо кэши OPCode -ро ғайр аз XCache ё eAccelerator истифода мебаред (хуб), ё шояд шумо кеши OPCode надошта бошед (хеле бад). -HTTPCacheStaticResources=Кэши HTTP барои захираҳои статикӣ (css, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=Файлҳои навъи %s аз ҷониби сервери HTTP кэш карда мешаванд FilesOfTypeNotCached=Файлҳои навъи %s аз ҷониби сервери HTTP кэш карда намешаванд FilesOfTypeCompressed=Файлҳои навъи %s аз ҷониби сервери HTTP фишурда мешаванд @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Матни ройгон дар бораи кви ##### FCKeditor ##### AdvancedEditor=Муҳаррири пешрафта ActivateFCKeditor=Муҳаррири пешрафтаро фаъол созед: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= Эҷод/нашри WYSIWIG барои почтаи электронии оммавӣ (Tools-> eMailing) -FCKeditorForUserSignature=Эҷоди WYSIWIG/нашри имзои корбар -FCKeditorForMail=Эҷод/нашри WYSIWIG барои ҳама почта (ба истиснои Tools-> eMailing) -FCKeditorForTicket=Эҷод/нашри WYSIWIG барои чиптаҳо +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=Танзими модули саҳҳомӣ IfYouUsePointOfSaleCheckModule=Агар шумо модули Нуқтаи Фурӯшро (POS), ки бо нобаёнӣ пешниҳод шудааст ё модули беруна истифода баред, модули POS -и шумо ин танзимро нодида гирифта метавонад. Аксар модулҳои POS бо нобаёнӣ тарҳрезӣ шудаанд, то фавран ҳисобнома -фактура созанд ва сарфи назар аз имконоти ин ҷо кам кардани саҳмия. Ҳамин тавр, агар шумо ҳангоми бақайдгирии фурӯш аз POS -и худ камшавии саҳмияро талаб кунед ё накунед, инчунин танзимоти модули POS -и худро тафтиш кунед. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Менюҳои фардӣ, ки ба вуруди м NewMenu=Менюи нав MenuHandler=Корбари меню MenuModule=Модули манбаъ -HideUnauthorizedMenu=Пинҳон кардани менюҳои беиҷозат барои корбарони дохилӣ (танҳо дар ҳолати дигар хокистарранг) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=Менюи Id DetailMenuHandler=Менюи меню дар куҷо менюи навро нишон медиҳад DetailMenuModule=Номи модул, агар вуруди меню аз модул бошад @@ -1802,7 +1815,7 @@ DetailType=Навъи меню (боло ё чап) DetailTitre=Тамғаи меню ё рамзи тамға барои тарҷума DetailUrl=URL where menu send you (Relative URL link or external link with https://) DetailEnabled=Шарти нишон додан ё надодан -DetailRight=Шароит барои намоиши менюҳои хокистарии беиҷозат +DetailRight=Condition to display unauthorized gray menus DetailLangs=Номи файл барои тарҷумаи рамзи барчасп DetailUser=Интерн / Extern / Ҳама Target=Ҳадаф @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Ҳисоби пешфарзӣ барои гирифт CashDeskBankAccountForCheque=Ҳисоби пешфарз барои гирифтани пардохт тавассути чек CashDeskBankAccountForCB=Ҳисоби пешфарзӣ барои гирифтани пардохт тавассути кортҳои кредитӣ CashDeskBankAccountForSumup=Ҳисоби бонкии пешфарз, ки барои гирифтани пардохт аз ҷониби SumUp истифода мешавад -CashDeskDoNotDecreaseStock=Ҳангоми фурӯш аз нуқтаи фурӯш коҳиши саҳмияҳоро хомӯш кунед (агар "не" бошад, коҳиши саҳмияҳо барои ҳар як фурӯш аз POS анҷом дода мешавад, новобаста аз варианти дар модули саҳомӣ гузошташуда). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Анборро маҷбур кунед ва маҳдуд созед, то барои кам шудани саҳмияҳо истифода шавад StockDecreaseForPointOfSaleDisabled=Камшавии саҳмияҳо аз нуқтаи фурӯш хомӯш карда шудааст StockDecreaseForPointOfSaleDisabledbyBatch=Камшавии саҳмияҳо дар POS бо модули идоракунии Serial/Lot мувофиқ нест (айни замон фаъол аст), аз ин рӯ коҳиши саҳмияҳо ғайрифаъол аст. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Ҳангоми гузаштан аз болои му HighlightLinesColor=Ҳангоми гузаштани муш ранги сатрро равшан кунед ('ffffff' -ро истифода баред, то равшан набошад) HighlightLinesChecked=Ҳангоме ки он тафтиш карда мешавад, ранги хатро қайд кунед ('ffffff' -ро истифода баред, то равшан накунед) UseBorderOnTable=Show left-right borders on tables +TableLineHeight=Table line height BtnActionColor=Color of the action button TextBtnActionColor=Text color of the action button TextTitleColor=Ранги матни сарлавҳаи саҳифа @@ -1991,7 +2006,7 @@ EnterAnyCode=Ин майдон дорои истинод барои муайян Enter0or1=0 ё 1 ворид кунед UnicodeCurrency=Дар ин ҷо байни қавсҳо, рӯйхати рақами байт, ки рамзи асъорро ифода мекунад, ворид кунед. Масалан: барои $, ворид кунед [36] - барои воқеии бразилӣ R $ [82,36] - барои €, ворид кунед [8364] ColorFormat=Ранги RGB дар формати HEX аст, масалан: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=Мавқеи сатр дар рӯйхати омехта SellTaxRate=Sales tax rate RecuperableOnly=Бале барои андоз аз арзиши иловашудаи "Дарк карда намешавад, аммо барқароршаванда" барои баъзе иёлатҳои Фаронса бахшида шудааст. Дар ҳама ҳолатҳои дигар арзиши "Не" -ро нигоҳ доред. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block PROPOSAL_PDF_HIDE_PAYMENTTERM=Пинҳон кардани шартҳои пардохт @@ -2118,7 +2133,7 @@ EMailHost=Хости сервери почтаи IMAP EMailHostPort=Port of email IMAP server loginPassword=Login/Password oauthToken=OAuth2 token -accessType=Acces type +accessType=Access type oauthService=Oauth service TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Do not include the content of email header into th EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. EmailCollectorConfirmCollectTitle=Тасдиқи ҷамъоварии почтаи электронӣ EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Example collecting leads EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail @@ -2188,10 +2203,10 @@ Protanopia=Протанопия Deuteranopes=Дейтеранопҳо Tritanopes=Тританопҳо ThisValueCanOverwrittenOnUserLevel=Ин қиматро ҳар як корбар аз саҳифаи корбараш навишта метавонад - ҷадвали '%s' -DefaultCustomerType=Навъи пешфарзии тарафи сеюм барои шакли эҷоди "Муштарии нав" +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=Эзоҳ: Ҳисоби бонкӣ бояд дар модули ҳар як ҳолати пардохт (Paypal, Stripe, ...) кор кунад, то ин хусусият кор кунад. RootCategoryForProductsToSell=Категорияи решаи маҳсулот барои фурӯш -RootCategoryForProductsToSellDesc=Агар муайян карда шуда бошад, танҳо дар дохили ин категория ё кӯдакони ин категория дар нуқтаи фурӯш дастрас хоҳад буд +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=Бари Debug DebugBarDesc=Панели асбобҳо, ки бо асбобҳои фаровон барои содда кардани ислоҳкунӣ меояд DebugBarSetup=Танзимоти DebugBar @@ -2212,10 +2227,10 @@ ImportSetup=Танзими воридоти модул InstanceUniqueID=ID -и нодири ин мисол SmallerThan=Хурдтар аз LargerThan=Калонтар аз -IfTrackingIDFoundEventWillBeLinked=Дар хотир доред, ки агар дар почтаи электронӣ ID -и пайгирии объект пайдо шуда бошад ё агар ин почтаи электронӣ ҷавоби почтаи электронӣ бошад ва он ба ягон объект пайваст карда шуда бошад, ҳодисаи офаридашуда ба таври худкор ба объекти марбутаи алоқаманд пайваст карда мешавад. -WithGMailYouCanCreateADedicatedPassword=Бо ҳисоби GMail, агар шумо тасдиқи 2 қадамро фаъол карда бошед, тавсия дода мешавад, ки ба ҷои истифодаи пароли ҳисоби шахсии худ аз https://myaccount.google.com/ гузарвожаи махсуси дуюмро барои барнома эҷод кунед. -EmailCollectorTargetDir=Ҳангоми бомуваффақият коркард кардани почтаи электронӣ ба дигар тег/директория метавонад рафтори дилхоҳ бошад. Барои истифодаи ин хусусият танҳо номи феҳристро таъин кунед (Ба ном аломатҳои махсусро истифода Набаред). Дар хотир доред, ки шумо инчунин бояд ҳисоби воридшавӣ/навиштанро истифода баред. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=Нуқтаи ниҳоӣ барои %s: %s DeleteEmailCollector=Коллекторҳои почтаи электрониро нест кунед @@ -2232,12 +2247,12 @@ EmailTemplate=Шаблон барои почтаи электронӣ EMailsWillHaveMessageID=Почтаи электронӣ дорои "Истинодҳо" хоҳад буд, ки ба ин синтаксис мувофиқат мекунад PDF_SHOW_PROJECT=Нишон додани лоиҳа дар ҳуҷҷат ShowProjectLabel=Нишони лоиҳа -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=Агар шумо хоҳед, ки баъзе матнҳо дар PDF -и худ бо 2 забони гуногун дар як PDF -и тавлидшуда такрор карда шаванд, шумо бояд ин забони дуввумро муқаррар кунед, то PDF -и тавлидшуда дар як саҳифа 2 забони гуногунро дар бар гирад, ки ҳангоми тавлиди PDF интихоб шудааст ва ин ( Танҳо чанд қолаби PDF инро дастгирӣ мекунанд). Барои 1 забон барои як PDF холӣ бошед. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Дар ин ҷо рамзи тасвири FontAwesomeро ворид кунед. Агар шумо намедонед, ки FontAwesome чист, шумо метавонед арзиши умумии fa-address-book -ро истифода баред. RssNote=Эзоҳ: Ҳар як таърифи хати RSS виҷетеро пешкаш мекунад, ки шумо бояд онро дар панели идоракунӣ дастрас кунед JumpToBoxes=Гузаштан ба Танзимот -> Виджетҳо @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Шумо метавонед дар ин ҷо маш ModuleActivatedMayExposeInformation=Ин васеъкунии PHP метавонад маълумоти ҳассосро фош кунад. Агар ба шумо лозим набошад, онро хомӯш кунед. ModuleActivatedDoNotUseInProduction=Модули барои рушд пешбинишуда фаъол карда шудааст. Онро дар муҳити истеҳсолӣ фаъол накунед. CombinationsSeparator=Аломати ҷудокунанда барои комбинатсияи маҳсулот -SeeLinkToOnlineDocumentation=Барои мисолҳо ба истиноди ҳуҷҷати онлайн дар менюи боло нигаред +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=Агар хусусияти "%s" -и модули %s истифода шавад, тафсилоти зермаҳсулоти маҷмӯаро дар PDF нишон диҳед. AskThisIDToYourBank=Барои гирифтани ин ID ба бонки худ муроҷиат кунед -AdvancedModeOnly=Иҷозат танҳо дар ҳолати иҷозати пешрафта дастрас аст +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=Файли conf аз ҷониби ҳама корбарон хонда ё навишта мешавад. Ба корбари веб -сервер ва танҳо гурӯҳ иҷозат диҳед. MailToSendEventOrganization=Ташкили чорабиниҳо MailToPartnership=Шарикӣ AGENDA_EVENT_DEFAULT_STATUS=Ҳолати пешфарз ҳангоми эҷоди ҳодиса аз форма YouShouldDisablePHPFunctions=Шумо бояд вазифаҳои PHP -ро хомӯш кунед -IfCLINotRequiredYouShouldDisablePHPFunctions=Ба истиснои агар ба шумо лозим аст, ки фармонҳои системаро дар коди фармоишӣ иҷро кунед, шумо бояд вазифаҳои PHP -ро ғайрифаъол кунед +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions NoWritableFilesFoundIntoRootDir=Дар директорияи решавии шумо ягон файл ё феҳристи барномаҳои маъмул ёфт нашуд (Хуб) RecommendedValueIs=Тавсия дода мешавад: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page ShowQuickAddLink=Show a button to quickly add an element in top right menu - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Hash used for ping ReadOnlyMode=Is instance in "Read Only" mode DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Will not work with all themes NoName=No name ShowAdvancedOptions= Show advanced options HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Use a password UseOauth=Use a OAUTH token Images=Images MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=The script is empty ShowHideTheNRequests=Show/hide the %s SQL request(s) DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2403,6 +2419,24 @@ Defaultfortype=Default DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/tg_TJ/bills.lang b/htdocs/langs/tg_TJ/bills.lang index 8c6f105f6a6..120584c65ca 100644 --- a/htdocs/langs/tg_TJ/bills.lang +++ b/htdocs/langs/tg_TJ/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Бо сабаби фармоишгар пардохт DisabledBecauseRemainderToPayIsZero=Ғайрифаъол аст, зеро боқимонда боқимонда сифр аст PriceBase=Нархи асосӣ BillStatus=Ҳолати ҳисобнома -фактура -StatusOfGeneratedInvoices=Ҳолати ҳисобномаҳои тавлидшуда +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Лоиҳа (бояд тасдиқ карда шавад) BillStatusPaid=Пардохт BillStatusPaidBackOrConverted=Баргардонидани ёддошти кредитӣ ё ҳамчун дастрас будани қарз қайд карда мешавад @@ -167,7 +167,7 @@ ActionsOnBill=Амалҳо оид ба ҳисобнома -фактура ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Шаблон / фактураи такрорӣ NoQualifiedRecurringInvoiceTemplateFound=Ҳеҷ як фактураи шаблонии такрорӣ барои насл мувофиқ нест. -FoundXQualifiedRecurringInvoiceTemplate=%s ҳисобнома -фактураи шаблонҳои такрории барои насл мувофиқро ёфт. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Ҳисобнома -фактураи шаблонии такрорӣ нест NewBill=Ҳисобнома -фактураи нав LastBills=Охирин фактураҳои %s @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Лоиҳаи ҳисобномаҳои фурӯшанда Unpaid=Бемузд ErrorNoPaymentDefined=Хато Ҳеҷ гуна пардохт муайян карда нашудааст ConfirmDeleteBill=Шумо мутмаин ҳастед, ки ин фактураро нест кардан мехоҳед? -ConfirmValidateBill=Шумо мутмаин ҳастед, ки ин фактураро бо истинод %s тасдиқ кардан мехоҳед? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Шумо мутмаин ҳастед, ки ҳисобнома -фактураро %s тағир додан мехоҳед? ConfirmClassifyPaidBill=Шумо мутмаин ҳастед, ки ҳисобнома -фактураро %s тағир додан мехоҳед? ConfirmCancelBill=Шумо мутмаин ҳастед, ки фактураро бекор кардан мехоҳед %s ? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Оё шумо ин вуруди пардохтро бар ConfirmSupplierPayment=Оё шумо ин вуруди пардохтро барои %s %s тасдиқ мекунед? ConfirmValidatePayment=Шумо мутмаин ҳастед, ки ин пардохтро тасдиқ кардан мехоҳед? Пас аз тасдиқи пардохт тағирот ворид кардан мумкин нест. ValidateBill=Ҳисобнома -фактураро тасдиқ кунед -UnvalidateBill=Ҳисобнома -фактураро бекор кунед +UnvalidateBill=Invalidate invoice NumberOfBills=Шумораи ҳисобномаҳо NumberOfBillsByMonth=Шумораи ҳисобномаҳо дар як моҳ AmountOfBills=Маблағи фактураҳо @@ -250,12 +250,13 @@ RemainderToTake=Маблағи боқимонда барои гирифтани RemainderToTakeMulticurrency=Remaining amount to take, original currency RemainderToPayBack=Маблағи боқимонда барои баргардонидан RemainderToPayBackMulticurrency=Remaining amount to refund, original currency +NegativeIfExcessReceived=negative if excess received NegativeIfExcessRefunded=negative if excess refunded +NegativeIfExcessPaid=negative if excess paid Rest=Интизоранд AmountExpected=Маблағи дархостшуда ExcessReceived=Аз ҳад зиёд қабул карда шуд ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received ExcessPaid=Пардохти барзиёд ExcessPaidMulticurrency=Excess paid, original currency EscompteOffered=Тахфифи пешниҳодшуда (пардохт пеш аз мӯҳлат) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Шумо бояд аввал ҳисобн PDFCrabeDescription=Шаблон PDF ҳисобнома -фактура Crabe. Шаблон пурраи ҳисобнома -фактура (татбиқи кӯҳнаи Шаблон Губка) PDFSpongeDescription=Шаблон PDF -фактура. Шаблон пурраи ҳисобнома -фактура PDFCrevetteDescription=Шаблон PDF барои ҳисобнома -фактура Crevette. Шаблон пурраи ҳисобнома -фактура барои ҳисобномаҳои вазъият -TerreNumRefModelDesc1=Рақами баргардонӣ дар формати %syymm-nnnn барои ҳисобномаҳои стандартӣ ва %syymm-nnnn барои векселҳои кредитӣ, ки yy сол, мм моҳ ва nnnn рақами пайдарпай худкории афзоянда аст, ки бе танаффус ва баргаштан ба 0 нест -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Ҳисобномае, ки бо $ syymm сар мешавад, аллакай вуҷуд дорад ва бо ин модели пайдарпай мувофиқ нест. Барои фаъол кардани ин модул онро хориҷ кунед ё номи онро тағир диҳед. -CactusNumRefModelDesc1=Рақами бозгашт дар формати %syymm-nnnn барои фактураҳои стандартӣ, %syymm-nnnn барои векселҳои кредитӣ ва %syymm-nnnn барои ҳисобномаҳои пешпардохт, ки yy сол аст, бо моҳ як моҳ ва моҳ нест 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Сабаби бастани барвақт EarlyClosingComment=Ёддошти барвақт ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Salaries +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Salary +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/tg_TJ/cashdesk.lang b/htdocs/langs/tg_TJ/cashdesk.lang index 73420467d5a..9ff06f30d5a 100644 --- a/htdocs/langs/tg_TJ/cashdesk.lang +++ b/htdocs/langs/tg_TJ/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=Квитансия Header=Сарлавҳа Footer=Поён AmountAtEndOfPeriod=Маблағ дар охири давра (рӯз, моҳ ё сол) -TheoricalAmount=Миқдори назариявӣ +TheoricalAmount=Theoretical amount RealAmount=Маблағи воқеӣ CashFence=Cash box closing CashFenceDone=Cash box closing done for the period @@ -57,7 +57,7 @@ Paymentnumpad=Навъи Pad барои ворид кардани пардохт Numberspad=Ҷадвали рақамҳо BillsCoinsPad=Тангаҳо ва пулҳои пулӣ Pad DolistorePosCategory=Модулҳои TakePOS ва дигар қарорҳои POS барои Dolibarr -TakeposNeedsCategories=TakePOS барои кор кардан ҳадди аққал як категорияи маҳсулотро талаб мекунад +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS барои кор кардан ҳадди аққал 1 категорияи маҳсулотро дар категорияи %s талаб мекунад OrderNotes=Метавонад ба ҳар як ҷузъи фармоишӣ чанд ёддошт илова кунад CashDeskBankAccountFor=Ҳисоби пешфарз барои истифода дар пардохт @@ -76,7 +76,7 @@ TerminalSelect=Терминалеро, ки мехоҳед истифода ба POSTicket=Чиптаи POS POSTerminal=Терминали POS POSModule=Модули POS -BasicPhoneLayout=Тарҳбандии асосии телефонҳоро истифода баред +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Танзими терминали %s ба охир нарасидааст DirectPayment=Пардохти мустақим DirectPaymentButton=Тугмаи "Пардохти пули нақд" -ро илова кунед @@ -92,14 +92,14 @@ HeadBar=Сарвари Бар SortProductField=Майдон барои ҷудо кардани маҳсулот Browser=Браузер BrowserMethodDescription=Чопи квитансияи оддӣ ва осон. Танҳо якчанд параметрҳо барои танзим кардани квитансия. Ба воситаи браузер чоп кунед. -TakeposConnectorMethodDescription=Модули беруна бо хусусиятҳои иловагӣ. Имконияти чоп аз абр. +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=Усули чоп ReceiptPrinterMethodDescription=Усули пурқувват бо параметрҳои зиёд. Бо шаблонҳо комилан танзимшаванда. Сервере, ки барномаро ҷойгир мекунад, наметавонад дар абр бошад (бояд ба чопгарҳои шабакаи шумо дастрасӣ дошта бошад). ByTerminal=Бо терминал TakeposNumpadUsePaymentIcon=Ба ҷои матн дар тугмаҳои пардохти рақамҳои рақамӣ нишонаеро истифода баред CashDeskRefNumberingModules=Модули рақамгузорӣ барои фурӯши POS CashDeskGenericMaskCodes6 =
      {TN} тег барои илова кардани рақами терминал истифода мешавад -TakeposGroupSameProduct=Хатҳои якхелаи маҳсулотро гурӯҳбандӣ кунед +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Фурӯши нави параллелиро оғоз кунед SaleStartedAt=Фурӯш дар %s оғоз ёфт ControlCashOpening=Open the "Control cash box" popup when opening the POS @@ -118,7 +118,7 @@ ScanToOrder=Барои фармоиш додан коди QR -ро скан ку Appearance=Зоҳирӣ HideCategoryImages=Пинҳон кардани тасвирҳои категория HideProductImages=Пинҳон кардани тасвирҳои маҳсулот -NumberOfLinesToShow=Шумораи сатрҳои тасвирҳо барои нишон додан +NumberOfLinesToShow=Maximum number of lines of text to show on thumb images DefineTablePlan=Нақшаи ҷадвалро муайян кунед GiftReceiptButton=Тугмаи "гирифтани квитансия" -ро илова кунед GiftReceipt=Қабули тӯҳфа @@ -135,4 +135,21 @@ PrintWithoutDetailsLabelDefault=Line label by default on printing without detail PrintWithoutDetails=Print without details YearNotDefined=Year is not defined TakeposBarcodeRuleToInsertProduct=Barcode rule to insert product -TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Already printed +HideCategories=Hide the whole section of categories selection +HideStockOnLine=Hide stock on line +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Show reference or label of products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Terminal %s +TerminalNameDesc=Terminal name +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/tg_TJ/main.lang b/htdocs/langs/tg_TJ/main.lang index 29c9d16e3bd..1bd9e322d88 100644 --- a/htdocs/langs/tg_TJ/main.lang +++ b/htdocs/langs/tg_TJ/main.lang @@ -36,7 +36,7 @@ NoTranslation=Тарҷума нест Translation=Тарҷума Translations=Translations CurrentTimeZone=TimeZone PHP (сервер) -EmptySearchString=Меъёрҳои холии ҷустуҷӯро ворид кунед +EmptySearchString=Enter non empty search criteria EnterADateCriteria=Меъёрҳои сана ворид кунед NoRecordFound=Ҳеҷ сабт ёфт нашуд NoRecordDeleted=Ҳеҷ сабт нест карда нашудааст @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Фиристодани почта ноком шуд (фи ErrorFileNotUploaded=Файл бор карда нашудааст. Санҷед, ки андоза аз ҳадди ниҳоии иҷозатдодашуда зиёд набошад, фазои холӣ дар диск мавҷуд аст ва дар ин директория аллакай файли якхела мавҷуд нест. ErrorInternalErrorDetected=Хатогӣ ошкор шуд ErrorWrongHostParameter=Параметри нодурусти мизбон -ErrorYourCountryIsNotDefined=Кишвари шумо муайян нашудааст. Ба Home-Setup-Edit равед ва формаро дубора ҷойгир кунед. +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=Ин сабт нест карда нашуд. Ин сабтро ҳадди аққал як сабти кӯдакон истифода мебарад. ErrorWrongValue=Арзиши нодуруст ErrorWrongValueForParameterX=Арзиши нодуруст барои параметри %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Хатогӣ, барои кишвар '%s' ErrorNoSocialContributionForSellerCountry=Хато, ягон намуди андозҳои иҷтимоӣ/молиявӣ барои кишвар '%s' муайян карда нашудааст. ErrorFailedToSaveFile=Хатогӣ, захира кардани файл ноком шуд. ErrorCannotAddThisParentWarehouse=Шумо мекӯшед, ки анбори волидайнро, ки аллакай фарзанди анбори мавҷуда аст, илова кунед +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=Field "%s" cannot be negative MaxNbOfRecordPerPage=Макс. шумораи сабтҳо дар як саҳифа NotAuthorized=Шумо ба ин кор ваколатдор нестед. @@ -103,7 +104,8 @@ RecordGenerated=Сабти тавлидшуда LevelOfFeature=Сатҳи хусусиятҳо NotDefined=Муайян нашудааст DolibarrInHttpAuthenticationSoPasswordUseless=Ҳолати аутентификатсияи Dolibarr ба %s дар файли танзимоти conf.php муқаррар карда шудааст.
      Ин маънои онро дорад, ки пойгоҳи додаҳои парол берун аз Dolibarr аст, аз ин рӯ тағир додани ин майдон метавонад таъсире надошта бошад. -Administrator=Администратор +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=Муайян нашудааст PasswordForgotten=Парол фаромӯш шудааст? NoAccount=Ҳисоб нест? @@ -211,8 +213,8 @@ Select=Интихоб кунед SelectAll=Ҳама интихоб кунед Choose=Интихоб кунед Resize=Андозаи андоза +Crop=Crop ResizeOrCrop=Андозаи андоза ё буридан -Recenter=Нависанда Author=Муаллиф User=Истифодабаранда Users=Истифодабарандагон @@ -235,6 +237,8 @@ PersonalValue=Арзиши шахсӣ NewObject=%s нав NewValue=Арзиши нав OldValue=Арзиши кӯҳна %s +FieldXModified=Field %s modified +FieldXModifiedFromYToZ=Field %s modified from %s to %s CurrentValue=Арзиши ҷорӣ Code=Рамз Type=Навиштан @@ -346,6 +350,7 @@ MonthOfDay=Моҳи рӯз DaysOfWeek=Рӯзҳои ҳафта HourShort=Ҳ MinuteShort=мн +SecondShort=sec Rate=Нарх CurrencyRate=Қурби табдили асъор UseLocalTax=Андозро дохил кунед @@ -441,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Сентҳои иловагӣ +LT1GC=Additional cents VATRate=Меъёри андоз RateOfTaxN=Меъёри андоз %s VATCode=Кодекси меъёри андоз @@ -544,6 +549,7 @@ Reportings=Ҳисоботдиҳӣ Draft=Лоиҳа Drafts=Лоиҳаҳо StatusInterInvoiced=Ҳисоб карда шуд +Done=Done Validated=Санҷида шуд ValidatedToProduce=Санҷидашуда (барои истеҳсол) Opened=Кушодан @@ -555,6 +561,7 @@ Unknown=Номаълум General=Умумӣ Size=Андоза OriginalSize=Андозаи аслӣ +RotateImage=Rotate 90° Received=Гирифта шуд Paid=Пардохт Topic=Мавзӯъ @@ -694,6 +701,7 @@ Response=Ҷавоб Priority=Афзалият SendByMail=Ба почтаи электронӣ фиристед MailSentBy=Почтаи электронӣ фиристода шудааст +MailSentByTo=Email sent by %s to %s NotSent=Фиристода нашудааст TextUsedInTheMessageBody=Мақоми почтаи электронӣ SendAcknowledgementByMail=Почтаи электронии тасдиқкуниро фиристед @@ -718,6 +726,7 @@ RecordModifiedSuccessfully=Сабт бомуваффақият тағир дод RecordsModified=сабти %s тағир дода шуд RecordsDeleted=сабти %s нест карда шуд RecordsGenerated=%s сабт (ҳо) тавлид шуд +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=Рамзи автоматӣ FeatureDisabled=Хусусият хомӯш карда шудааст MoveBox=Виджетро интиқол диҳед @@ -760,11 +769,10 @@ DisabledModules=Модулҳои ғайрифаъол For=Барои ForCustomer=Барои муштарӣ Signature=Имзо -DateOfSignature=Санаи имзо HidePassword=Нишон додани фармон бо пароли пинҳоншуда UnHidePassword=Фармони воқеиро бо пароли возеҳ нишон диҳед Root=Решавӣ -RootOfMedias=Решаи васоити ахбори омма (/medias) +RootOfMedias=Root of public media (/medias) Informations=Маълумот Page=Саҳифа Notes=Эзоҳҳо @@ -912,6 +920,7 @@ BackOffice=Дафтари бозгашт Submit=Пешниҳод кунед View=Намоиш Export=Содирот +Import=Import Exports=Содирот ExportFilteredList=Рӯйхати филтршударо содир кунед ExportList=Рӯйхати содирот @@ -945,7 +954,7 @@ BulkActions=Амалҳои оммавӣ ClickToShowHelp=Барои нишон додани ёрии асбобҳо клик кунед WebSite=Вебсайт WebSites=Вебсайтҳо -WebSiteAccounts=Ҳисобҳои вебсайт +WebSiteAccounts=Web access accounts ExpenseReport=Ҳисоботи хароҷот ExpenseReports=Ҳисоботи хароҷот HR=HR @@ -1073,6 +1082,7 @@ CommentPage=Фазои шарҳҳо CommentAdded=Шарҳ илова карда шуд CommentDeleted=Шарҳ нест карда шуд Everybody=Ҳама +EverybodySmall=Everybody PayedBy=Аз ҷониби пардохт PayedTo=Ба пардохт Monthly=Ҳармоҳа @@ -1085,7 +1095,7 @@ KeyboardShortcut=Миёнабурҳои клавиатура AssignedTo=Ба таъин карда шудааст Deletedraft=Тарҳро нест кунед ConfirmMassDraftDeletion=Лоиҳаи тасдиқи несткунии оммавӣ -FileSharedViaALink=Файл бо истиноди оммавӣ мубодила мешавад +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Аввал шахси сеюмро интихоб кунед ... YouAreCurrentlyInSandboxMode=Шумо ҳоло дар ҳолати "қуттии қуттии" %s ҳастед Inventory=Инвентаризатсия @@ -1119,7 +1129,7 @@ ContactDefault_project_task=Вазифа ContactDefault_propal=Пешниҳод ContactDefault_supplier_proposal=Пешниҳоди таъминкунанда ContactDefault_ticket=Билет -ContactAddedAutomatically=Тамос аз нақшҳои шахсони сеюм илова карда шуд +ContactAddedAutomatically=Contact added from third-party contact roles More=Бештар ShowDetails=Тафсилотро нишон диҳед CustomReports=Ҳисоботҳои фармоишӣ @@ -1159,8 +1169,8 @@ AffectTag=Assign a Tag AffectUser=Assign a User SetSupervisor=Set the supervisor CreateExternalUser=Эҷоди корбари беруна -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=Role assigned on each project/opportunity TasksRole=Role assigned on each task (if used) ConfirmSetSupervisor=Bulk Supervisor Set @@ -1218,7 +1228,7 @@ UserAgent=User Agent InternalUser=Internal user ExternalUser=External user NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Hide %s AddToContacts=Add address to my contacts LastAccess=Last access @@ -1229,4 +1239,24 @@ PublicVirtualCard=Virtual business card TreeView=Tree view DropFileToAddItToObject=Drop a file to add it to this object UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <= or >= before the value to filter using a mathematical comparison +SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +InProgress=In progress +DateOfPrinting=Date of printing +ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. +UserNotYetValid=Not yet valid +UserExpired=Expired +LinkANewFile=Link a new file/document +LinkedFiles=Linked files and documents +NoLinkFound=No registered links +LinkComplete=The file has been linked successfully +ErrorFileNotLinked=The file could not be linked +LinkRemoved=The link %s has been removed +ErrorFailedToDeleteLink= Failed to remove link '%s' +ErrorFailedToUpdateLink= Failed to update link '%s' +URLToLink=URL to link +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/tg_TJ/oauth.lang b/htdocs/langs/tg_TJ/oauth.lang index 1a88edeb3a2..32ffd9c302b 100644 --- a/htdocs/langs/tg_TJ/oauth.lang +++ b/htdocs/langs/tg_TJ/oauth.lang @@ -9,9 +9,11 @@ HasAccessToken=Нишон тавлид шуд ва дар пойгоҳи дод NewTokenStored=Токен қабул ва захира карда шуд ToCheckDeleteTokenOnProvider=Барои тафтиш/нест кардани иҷозати аз ҷониби провайдери %s OAuth сабтшуда ин ҷо клик кунед TokenDeleted=Нишон нест карда шуд +GetAccess=Click here to get a token RequestAccess=Click here to request/renew access and receive a new token -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=Ҳангоми эҷоди эътимодномаи худ бо провайдери OAuth URL -и зеринро ҳамчун URI масир истифода баред: +DeleteAccess=Click here to delete the token +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens SeePreviousTab=Ба ҷадвали қаблӣ нигаред @@ -30,7 +32,11 @@ OAUTH_GITHUB_SECRET=Сирри OAuth GitHub OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret OAUTH_STRIPE_TEST_NAME=Санҷиши рахи OAuth OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live -OAUTH_ID=OAuth ID +OAUTH_ID=OAuth Client ID OAUTH_SECRET=OAuth secret +OAUTH_TENANT=OAuth tenant OAuthProviderAdded=OAuth provider added AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists +URLOfServiceForAuthorization=URL provided by OAuth service for authentication +Scopes=Permissions (Scopes) +ScopeUndefined=Permissions (Scopes) undefined (see previous tab) diff --git a/htdocs/langs/tg_TJ/products.lang b/htdocs/langs/tg_TJ/products.lang index 7d02e93215d..287067571a8 100644 --- a/htdocs/langs/tg_TJ/products.lang +++ b/htdocs/langs/tg_TJ/products.lang @@ -80,8 +80,11 @@ SoldAmount=Маблағи фурӯш PurchasedAmount=Маблағи харид NewPrice=Янги нарх MinPrice=Дақ. нархи фурӯш +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=Таҳрири нишони нарх -CantBeLessThanMinPrice=Нархи фурӯш наметавонад аз ҳадди ақали иҷозатдодашудаи ин маҳсулот камтар бошад (%s бе андоз). Ин паём инчунин метавонад пайдо шавад, агар шумо тахфифи хеле муҳимро нависед. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Пӯшида ErrorProductAlreadyExists=Маҳсулот бо истинод ба %s аллакай мавҷуд аст. ErrorProductBadRefOrLabel=Арзиши нодуруст барои истинод ё нишона. @@ -347,16 +350,17 @@ UseProductFournDesc=Илова ба тавсифи муштариён хусус ProductSupplierDescription=Тавсифи фурӯшанда барои маҳсулот UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=You will automaticaly purchase a multiple of this quantity. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=Миқдори хати мувофиқи бастаи таъминкунандагон аз нав ҳисоб карда шуд #Attributes +Attributes=Attributes VariantAttributes=Хусусиятҳои гуногун ProductAttributes=Хусусиятҳои гуногун барои маҳсулот ProductAttributeName=Хусусияти варианти %s ProductAttribute=Хусусияти вариант ProductAttributeDeleteDialog=Шумо мутмаин ҳастед, ки ин атрибутро нест кардан мехоҳед? Ҳама арзишҳо нест карда мешаванд -ProductAttributeValueDeleteDialog=Шумо мутмаин ҳастед, ки арзиши "%s" -ро бо истинод ба "%s" -и ин атрибут нест кардан мехоҳед? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Шумо мутмаин ҳастед, ки варианти маҳсулоти " %s " -ро нест кардан мехоҳед? ProductCombinationAlreadyUsed=Ҳангоми нест кардани вариант хатогӣ ба амал омад. Лутфан санҷед, ки он дар ягон объект истифода намешавад ProductCombinations=Вариантҳо @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Ҳангоми кӯшиши нест кардан NbOfDifferentValues=Шумораи арзишҳои гуногун NbProducts=Шумораи маҳсулот ParentProduct=Маҳсулоти волидайн +ParentProductOfVariant=Parent product of variant HideChildProducts=Маҳсулоти гуногунро пинҳон кунед ShowChildProducts=Маҳсулоти вариантиро нишон диҳед NoEditVariants=Ба корти маҳсулоти волидайн равед ва дар ҷадвали вариантҳо таъсири нархҳои вариантҳоро таҳрир кунед @@ -417,7 +422,7 @@ ErrorsProductsMerge=Errors in products merge SwitchOnSaleStatus=Switch on sale status SwitchOnPurchaseStatus=Switch on purchase status UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Extra Fields (stock mouvement) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Extra Fields (inventory) ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes PuttingPricesUpToDate=Update prices with current known prices @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Select the extrafield you want modify ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? ModifyValueExtrafields = Modify value of an extrafield OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/tg_TJ/projects.lang b/htdocs/langs/tg_TJ/projects.lang index 55d91073a3c..a90b4eb6653 100644 --- a/htdocs/langs/tg_TJ/projects.lang +++ b/htdocs/langs/tg_TJ/projects.lang @@ -33,6 +33,7 @@ DeleteATask=Як вазифаро нест кунед ConfirmDeleteAProject=Шумо мутмаин ҳастед, ки мехоҳед ин лоиҳаро нест кунед? ConfirmDeleteATask=Шумо мутмаин ҳастед, ки ин вазифаро нест кардан мехоҳед? OpenedProjects=Лоиҳаҳои кушод +OpenedProjectsOpportunities=Open opportunities OpenedTasks=Вазифаҳои кушод OpportunitiesStatusForOpenedProjects=Миқдори пешбари лоиҳаҳои кушод аз рӯи мақом OpportunitiesStatusForProjects=Миқдори лоиҳаҳо аз рӯи мақом пешсафанд @@ -44,10 +45,11 @@ OutOfProject=Out of project NoProject=Ягон лоиҳа муайян ё молик нест NbOfProjects=Шумораи лоиҳаҳо NbOfTasks=Шумораи вазифаҳо +TimeEntry=Time tracking TimeSpent=Вақти сарфшуда +TimeSpentSmall=Time spent TimeSpentByYou=Вақти сарфкардаи шумо TimeSpentByUser=Вақти сарфкардаи корбар -TimesSpent=Вақти сарфшуда TaskId=ID вазифа RefTask=Равоби вазифа. LabelTask=Нишони вазифа @@ -81,7 +83,7 @@ MyProjectsArea=Минтақаи лоиҳаҳои ман DurationEffective=Мӯҳлати амали ProgressDeclared=Пешрафти воқеӣ эълон карда шуд TaskProgressSummary=Пешравии вазифа -CurentlyOpenedTasks=Вазифаҳои ҳозира кушода +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=Пешравии воқеии эълоншуда нисбат ба пешрафти истеъмол камтар %s аст TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Пешравии воқеии эълоншуда назар ба пешрафти истеъмол %s зиёдтар аст ProgressCalculated=Пешравӣ дар истеъмол @@ -121,7 +123,7 @@ TaskHasChild=Вазифа фарзанд дорад NotOwnerOfProject=Соҳиби ин лоиҳаи хусусӣ нест AffectedTo=Ба CantRemoveProject=Ин лоиҳаро нест кардан мумкин нест, зеро ба он баъзе объектҳои дигар истинод мекунанд (фактура, фармоиш ё дигар). Ба ҷадвали '%s' нигаред. -ValidateProject=Тасвирро тасдиқ кунед +ValidateProject=Validate project ConfirmValidateProject=Шумо мутмаин ҳастед, ки мехоҳед ин лоиҳаро тасдиқ кунед? CloseAProject=Лоиҳа пӯшед ConfirmCloseAProject=Шумо мутмаин ҳастед, ки мехоҳед ин лоиҳаро пӯшед? @@ -202,7 +204,7 @@ InputPerMonth=Воридшавӣ дар як моҳ InputDetail=Тафсилоти вуруд TimeAlreadyRecorded=Ин вақти сарфшудаест, ки барои ин вазифа/рӯз сабт шудааст ва корбар %s ProjectsWithThisUserAsContact=Лоиҳаҳо бо ин корбар ҳамчун тамос -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=Projects with this third-party contact TasksWithThisUserAsContact=Вазифаҳое, ки ба ин корбар таъин шудаанд ResourceNotAssignedToProject=Ба лоиҳа таъин нашудааст ResourceNotAssignedToTheTask=Ба вазифа таъин нашудааст @@ -225,7 +227,7 @@ ProjectsStatistics=Омор дар бораи лоиҳаҳо ё роҳбарон TasksStatistics=Омор оид ба вазифаҳои лоиҳаҳо ё роҳбарон TaskAssignedToEnterTime=Вазифаи таъиншуда. Ворид кардани вақт дар ин вазифа бояд имконпазир бошад. IdTaskTime=Вақти супориш -YouCanCompleteRef=Агар шумо хоҳед, ки рефро бо суффикс пур кунед, тавсия дода мешавад, ки аломати алоҳида ҷудо карда шавад, аз ин рӯ рақамгузории автоматӣ барои лоиҳаҳои минбаъда дуруст кор хоҳад кард. Масалан %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Лоиҳаҳои кушод аз ҷониби шахсони сеюм OnlyOpportunitiesShort=Танҳо роҳбарӣ мекунад OpenedOpportunitiesShort=Роҳҳои кушод @@ -237,7 +239,7 @@ OpportunityPonderatedAmountDesc=Маблағи пешбаришаванда бо OppStatusPROSP=Дурнамо OppStatusQUAL=Тахассус OppStatusPROPO=Пешниҳод -OppStatusNEGO=Музокирот +OppStatusNEGO=Negotiation OppStatusPENDING=Интизоранд OppStatusWON=Ғолиб OppStatusLOST=Гумшуда @@ -259,6 +261,7 @@ RecordsClosed=лоиҳаҳои %s баста шуданд SendProjectRef=Лоиҳаи иттилоотӣ %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Модули 'Музди меҳнат' бояд барои муайян кардани меъёри соатбайъии кормандон барои сарф кардани вақти сарфшуда баҳо дода шавад NewTaskRefSuggested=Равзанаи вазифа аллакай истифода шудааст, реф вазифаи нав лозим аст +NumberOfTasksCloned=%s task(s) cloned TimeSpentInvoiced=Вақти сарфшуда ҳисоб карда мешавад TimeSpentForIntervention=Вақти сарфшуда TimeSpentForInvoice=Вақти сарфшуда diff --git a/htdocs/langs/tg_TJ/receptions.lang b/htdocs/langs/tg_TJ/receptions.lang index a0b54b77a28..a6d5096dfa3 100644 --- a/htdocs/langs/tg_TJ/receptions.lang +++ b/htdocs/langs/tg_TJ/receptions.lang @@ -32,10 +32,11 @@ StatusReceptionDraftShort=Лоиҳа StatusReceptionValidatedShort=Санҷида шуд StatusReceptionProcessedShort=Коркард ReceptionSheet=Варақаи қабул +ValidateReception=Validate reception ConfirmDeleteReception=Шумо мутмаин ҳастед, ки ин қабулро нест кардан мехоҳед? -ConfirmValidateReception=Шумо мутмаин ҳастед, ки ин қабулро бо истинод %s тасдиқ кардан мехоҳед? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Шумо мутмаин ҳастед, ки ин қабулро бекор кардан мехоҳед? -StatsOnReceptionsOnlyValidated=Оморҳое, ки дар қабулгоҳҳо гузаронида мешаванд, танҳо тасдиқ карда мешаванд. Санаи истифодашуда санаи тасдиқи қабул аст (санаи ба нақша гирифташуда на ҳама вақт маълум аст). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Қабулро тавассути почтаи электронӣ фиристед SendReceptionRef=Пешниҳоди қабул %s ActionsOnReception=Чорабиниҳо дар қабул @@ -48,7 +49,10 @@ ReceptionsNumberingModules=Модули рақамгузорӣ барои қаб ReceptionsReceiptModel=Шаблонҳои ҳуҷҷатҳо барои қабул NoMorePredefinedProductToDispatch=Дигар маҳсулоти пешакӣ таъиншуда фиристода намешавад ReceptionExist=Қабулгоҳ мавҷуд аст -ByingPrice=Bying price ReceptionBackToDraftInDolibarr=Reception %s back to draft ReceptionClassifyClosedInDolibarr=Reception %s classified Closed ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/tg_TJ/sendings.lang b/htdocs/langs/tg_TJ/sendings.lang index 28e59519ca2..64b62a95a3c 100644 --- a/htdocs/langs/tg_TJ/sendings.lang +++ b/htdocs/langs/tg_TJ/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Санҷида шуд StatusSendingProcessedShort=Коркард SendingSheet=Варақаи интиқол ConfirmDeleteSending=Шумо мутмаин ҳастед, ки ин интиқолро нест кардан мехоҳед? -ConfirmValidateSending=Шумо мутмаин ҳастед, ки ин интиқолро бо истинод %s тасдиқ кардан мехоҳед? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Шумо мутмаин ҳастед, ки ин интиқолро бекор кардан мехоҳед? DocumentModelMerou=Модели Merou A5 WarningNoQtyLeftToSend=Огоҳӣ, ягон маҳсулот интизори интиқол нест. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Миқдори маҳсулот а NoProductToShipFoundIntoStock=Дар анбор %s ягон маҳсулот барои фиристодан ёфт нашуд. Ҳиссаи дуруст ё баргаштан барои интихоби анбори дигар. WeightVolShort=Вазн/ҷ. ValidateOrderFirstBeforeShipment=Пеш аз он ки шумо интиқол диҳед, шумо бояд аввал фармоишро тасдиқ кунед. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Миқдори вазнҳои маҳсулот # warehouse details DetailWarehouseNumber= Тафсилоти анбор DetailWarehouseFormat= W: %s (Миқдор: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/tg_TJ/website.lang b/htdocs/langs/tg_TJ/website.lang index 769350d066c..942fa16a664 100644 --- a/htdocs/langs/tg_TJ/website.lang +++ b/htdocs/langs/tg_TJ/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Номҳои алтернативӣ/тахаллусҳо WEBSITE_ALIASALTDesc=Дар ин ҷо рӯйхати номҳо/тахаллусҳои дигарро истифода баред, то ба саҳифа инчунин бо истифода аз ин номҳо/тахаллусҳои дигар дастрасӣ пайдо кунед (масалан, номи кӯҳна пас аз тағйири тахаллус барои нигоҳ доштани истинод дар истиноди кӯҳна/кор). Синтаксис ин аст:
      алтернативаи1, алтернативаи2, ... WEBSITE_CSS_URL=URL -и файли берунии CSS WEBSITE_CSS_INLINE=Мундариҷаи файли CSS (барои ҳамаи саҳифаҳо маъмул аст) -WEBSITE_JS_INLINE=Мундариҷаи файли Javascript (барои ҳамаи саҳифаҳо умумӣ аст) +WEBSITE_JS_INLINE=JavaScript file content (common to all pages) WEBSITE_HTML_HEADER=Илова дар поёни сарлавҳаи HTML (умумӣ барои ҳама саҳифаҳо) WEBSITE_ROBOT=Файли роботӣ (robots.txt) WEBSITE_HTACCESS=Файли вебсайт .htaccess @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=Эзоҳ: Агар шумо хоҳед, ки ба MediaFiles=Китобхонаи ВАО EditCss=Хусусиятҳои вебсайтро таҳрир кунед EditMenu=Менюи таҳрир -EditMedias=Таҳрири миёнаравӣ +EditMedias=Edit media EditPageMeta=Хусусиятҳои саҳифа/контейнерро таҳрир кунед EditInLine=Таҳрири дохилӣ AddWebsite=Вебсайтро илова кунед @@ -60,10 +60,11 @@ NoPageYet=Ҳоло ягон саҳифа нест YouCanCreatePageOrImportTemplate=Шумо метавонед як саҳифаи нав эҷод кунед ё як қолаби пурраи вебсайтро ворид кунед SyntaxHelp=Кӯмак дар маслиҳатҳои мушаххаси синтаксис YouCanEditHtmlSourceckeditor=Шумо метавонед рамзи сарчашмаи HTML -ро бо истифода аз тугмаи "Манбаъ" дар муҳаррир таҳрир кунед. -YouCanEditHtmlSource=
      Шумо метавонед бо истифода аз барчаспҳои <? php? a0012c7d7c00770 Тағирёбандаҳои глобалӣ мавҷуданд: $ conf, $ db, $ mysoc, $ user, $ website, $ websitepage, $ weblangs, $ pagelangs.

      Шумо инчунин метавонед мундариҷаи дигар Саҳифа/Контейнерро бо синтаксиси зерин дохил кунед:
      a0e78439c0_f09_d094c0f4f4d94 ? >


      Шумо метавонед масир ба дигар Page / зарф бо синтаксиси зерин кунад (Эзоҳ: мекунед, натиҷаи ҳама гуна мазмуни пеш аз масир надорад):
      < PHP redirectToContainer ( 'alias_of_container_to_redirect_to'); ? >

      Барои илова кардани пайванди саҳифаи дигар истифода наҳвӣ:
      <a href = "alias_of_page_to_link_to.php" >mylink<a>

      Барои дохил пайванди ба боргирӣ файл нигоҳ дошта, ба њуљљатњои ба феҳристи , истифода document.php wrapper:
      Мисол, барои як файл ба санадњои / ecm (зарурати ба систем ворид шуда бошед), наҳвӣ аст?
      <a href = "/ document.php modulepart = ecm & файли = [relative_dir / ] filename.ext ">
      Барои файл дар ҳуҷҷатҳо/медиа (феҳристи кушод барои дастрасии оммавӣ), синтаксис ин аст:
      a0e7843947d09cz "/document.php?modulepart=medias&file=[relativ_dir/] /document.php?hashp=publicsharekeyoffile">


      барои дохил кардани тасвир захира ба ҳуҷҷатҳои феҳрист истифода viewimage.php wrapper:
      Мисол, ки барои тасвир ба санадњои / medias (кушода директория барои дастрасии ҷамъиятӣ), синтаксис ин аст:
      <img src = "/viewimage.php? modulepart = medias&file a0c7 -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Барои тасвире, ки бо истиноди мубодила мубодила карда мешавад (дастрасии кушод бо калиди мубодилаи ҳеши файл), синтаксис ин аст:
      <img src = "/viewimage.php? Hashp = 12345679012z00f01d0f0d0fd09d09d0fd09d0f0f0e9 -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Саҳифа/контейнерро клон кунед CloneSite=Сайти клон SiteAdded=Вебсайт илова карда шуд @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Бубахшед, ин вебсайт дар ҳо WEBSITE_USE_WEBSITE_ACCOUNTS=Ҷадвали ҳисоби вебсайтро фаъол созед WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Ҷадвалро барои нигоҳ доштани ҳисобҳои вебсайт (вуруд / гузар) барои ҳар як вебсайт / шахси сеюм фаъол созед YouMustDefineTheHomePage=Шумо аввал бояд саҳифаи хонагии пешфарзро муайян кунед -OnlyEditionOfSourceForGrabbedContentFuture=Огоҳӣ: Эҷоди саҳифаи интернетӣ тавассути воридоти веб -саҳифаи беруна барои корбарони ботаҷриба ҳифз карда шудааст. Вобаста аз мураккабии саҳифаи сарчашма, натиҷаи воридот метавонад аз аслӣ фарқ кунад. Инчунин, агар саҳифаи манбаъ услубҳои умумии CSS ё JavaScript -и ихтилофнокро истифода барад, он метавонад ҳангоми кор дар ин саҳифа намуди зоҳирӣ ё хусусиятҳои муҳаррири вебсайтро вайрон кунад. Ин усул роҳи зудтари сохтани саҳифа аст, аммо тавсия дода мешавад, ки саҳифаи нави худро аз сифр ё аз қолаби пешниҳодшудаи саҳифа созед.
      Ҳамчунин дар хотир доред, ки муҳаррири дохилӣ ҳангоми кор дар саҳифаи берунии дастгиршуда дуруст кор карда наметавонад. +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting JavaScript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correctty when used on a grabbed external page. OnlyEditionOfSourceForGrabbedContent=Танҳо нашри манбаи HTML имконпазир аст, агар мундариҷа аз сайти беруна гирифта шавад GrabImagesInto=Ҳамчунин тасвирҳои дар CSS ва саҳифа мавҷудбударо гиред. ImagesShouldBeSavedInto=Тасвирҳо бояд дар феҳрист сабт карда шаванд @@ -112,13 +113,13 @@ GoTo=Ба DynamicPHPCodeContainsAForbiddenInstruction=Шумо рамзи PHP -и динамикиро илова мекунед, ки дорои дастурҳои PHP ' %s ' мебошад, ки бо нобаёнӣ ҳамчун мундариҷаи динамикӣ мамнӯъ аст (нигаред ба имконоти пинҳонии WEBSITE_PHP_ALLOW_xxx барои зиёд кардани рӯйхати фармонҳои иҷозатдодашуда). NotAllowedToAddDynamicContent=Шумо барои илова ё таҳрир кардани мундариҷаи динамикии PHP дар вебсайтҳо иҷозат надоред. Иҷозат пурсед ё танҳо рамзро дар тегҳои php бетағйир нигоҳ доред. ReplaceWebsiteContent=Ҷустуҷӯ ё иваз кардани мундариҷаи вебсайт -DeleteAlsoJs=Ҳама файлҳои javascript -и ба ин вебсайт хосро нест кунед? -DeleteAlsoMedias=Ҳамчунин ҳамаи файлҳои медиаҳои ба ин вебсайт хосро нест кунед? +DeleteAlsoJs=Delete also all JavaScript files specific to this website? +DeleteAlsoMedias=Delete also all media files specific to this website? MyWebsitePages=Саҳифаҳои вебсайти ман SearchReplaceInto=Ҷустуҷӯ | Ба ҷой иваз кунед ReplaceString=Ранги нав CSSContentTooltipHelp=Ин ҷо мундариҷаи CSS -ро ворид кунед. Барои роҳ надодан ба ҳама гуна ихтилоф бо CSS -и барнома, боварӣ ҳосил кунед, ки ҳама эъломияҳоро бо синфи .bodywebsite пешакӣ истифода баред. Масалан:

      #mycssselector, input.myclass: hover {...}
      бояд
      бошад. ин префикс, шумо метавонед 'lessc' -ро истифода баред, то онро ба замимаи префикси .bodywebsite дар ҳама ҷо табдил диҳед. -LinkAndScriptsHereAreNotLoadedInEditor=Огоҳӣ: Ин мундариҷа танҳо ҳангоми дастрасӣ ба сайт аз сервер бароварда мешавад. Он дар реҷаи Таҳрир истифода намешавад, бинобар ин, агар ба шумо лозим аст, ки файлҳои javascript -ро низ дар ҳолати таҳрир бор кунед, барчаспи худро 'script src = ...' илова кунед. +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=Намунаи саҳифа бо мундариҷаи динамикӣ ImportSite=Шаблон вебсайтро ворид кунед EditInLineOnOff=Ҳолати 'Таҳрири дохилӣ' %s аст @@ -157,3 +158,9 @@ Booking=Booking Reservation=Reservation PagesViewedPreviousMonth=Pages viewed (previous month) PagesViewedTotal=Pages viewed (total) +Visibility=Visibility +Everyone=Everyone +AssignedContacts=Assigned contacts +WebsiteTypeLabel=Type of Web site +WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/tg_TJ/withdrawals.lang b/htdocs/langs/tg_TJ/withdrawals.lang index c179aa5ff47..6b60f39dcef 100644 --- a/htdocs/langs/tg_TJ/withdrawals.lang +++ b/htdocs/langs/tg_TJ/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Дархости интиқоли кредит кунед WithdrawRequestsDone=%s дархостҳои пардохти дебетии мустақим сабт карда шуданд BankTransferRequestsDone=%s дархостҳои интиқоли кредит сабт карда шуданд ThirdPartyBankCode=Рамзи бонкии шахсони сеюм -NoInvoiceCouldBeWithdrawed=Ҳисобнома -фактура муваффақ нашуд. Санҷед, ки фактураҳо дар ширкатҳои дорои IBAN -и эътибор доранд ва IBAN дорои UMR (истинод ба мандати беназир) бо режими %s мебошад. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=Ин квитансияи бозпас гирифтан аллакай ҳамчун ҳисоб карда шудааст; ин корро ду маротиба иҷро кардан мумкин нест, зеро ин эҳтимолан метавонад пардохтҳои такрорӣ ва сабтҳои бонкиро эҷод кунад. ClassCredited=Тасниф карда шудааст ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Оё мутмаинед, ки шумо мехоҳед RefusedData=Санаи рад RefusedReason=Сабаби рад кардан RefusedInvoicing=Ҳисоб кардани радкунӣ -NoInvoiceRefused=Радди пардохтро пардохт накунед -InvoiceRefused=Ҳисобнома рад карда шуд (Радди мизоҷро ба мизоҷ супоред) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Ҳолати дебетӣ/кредитӣ StatusWaiting=Интизорӣ StatusTrans=Фиристода шуд @@ -103,7 +106,7 @@ ShowWithdraw=Тартиби дебети мустақимро нишон диҳ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Аммо, агар ҳисобнома дорои ҳадди ақал як супориши пардохти дебетӣ бошад, ки то ҳол коркард нашудааст, он барои пардохт кардани идоракунии пешакии гирифтани маблағ пардохт карда намешавад. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Файли фармоиши дебетӣ @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Санаи имзои мандат RUMLong=Истинод ба мандати беназир RUMWillBeGenerated=Агар холӣ бошад, пас аз захира кардани маълумоти суратҳисоби бонкӣ UMR (истинод ба мандати ягона) тавлид мешавад. -WithdrawMode=Ҳолати дебети мустақим (FRST ё RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Ҳаҷми дархости дебети мустақим: BankTransferAmount=Ҳаҷми дархости интиқоли қарз: WithdrawRequestErrorNilAmount=Эҷоди дархости дебети мустақим барои маблағи холӣ имконнопазир аст. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Номи суратҳисоби бонкии шумо (IBAN) SEPAFormYourBIC=Рамзи мушаххаси бонкии шумо (BIC) SEPAFrstOrRecur=Навъи пардохт ModeRECUR=Пардохти такрорӣ +ModeRCUR=Recurring payment ModeFRST=Пардохти яквақта PleaseCheckOne=Лутфан танҳо якеро тафтиш кунед CreditTransferOrderCreated=Тартиби интиқоли қарз %s таъсис дода шуд @@ -155,9 +159,16 @@ InfoTransData=Миқдор: %s
      Усул: %s
      Сана: %s InfoRejectSubject=Фармоиши пардохти дебети мустақим рад карда шуд InfoRejectMessage=Салом,

      супориши мустақими пардохти дебетии фактура %s, ки ба ширкати %s вобаста аст, бо маблағи %s аз ҷониби бонк рад карда шудааст.

      -
      %s ModeWarning=Опсия барои ҳолати воқеӣ таъин нашудааст, мо пас аз ин моделиронӣ қатъ мекунем -ErrorCompanyHasDuplicateDefaultBAN=Ширкати дорои id %s зиёда аз як суратҳисоби бонкии пешфарз дорад. Ҳеҷ роҳе барои донистани кадоме аз онҳо истифода мешавад. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Набудани ICS дар суратҳисоби бонкӣ %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Маблағи умумии фармоиши дебети мустақим аз маблағи сатрҳо фарқ мекунад WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Salary +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/tg_TJ/workflow.lang b/htdocs/langs/tg_TJ/workflow.lang index 923592fa2bb..c544dc24e82 100644 --- a/htdocs/langs/tg_TJ/workflow.lang +++ b/htdocs/langs/tg_TJ/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Пас аз тасдиқи шартно descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Ба таври худкор ҳисобнома -фактураи муштариро пас аз бастани фармоиши фурӯш эҷод кунед (фактураи нав ҳамон миқдорро бо фармоиш хоҳад дошт) descWORKFLOW_TICKET_CREATE_INTERVENTION=On ticket creation, automatically create an intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Пешниҳоди манбаи алоқамандро ҳамчун ҳисобшуда тасниф кунед, вақте ки фармоиши фурӯш ба суратҳисоб таъин карда мешавад (ва агар маблағи фармоиш бо маблағи умумии пешниҳоди пайванди имзошуда якхела бошад) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Пешниҳоди манбаи пайвандшударо ҳамчун тасдиқи ҳисобнома -фактураи муштарӣ тасниф кунед (ва агар маблағи фактура бо маблағи умумии пешниҳоди пайванди имзошуда якхела бошад) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Фармоиши фурӯши манбаъҳои пайвандшударо ҳамчун тасдиқи ҳисобнома -фактураи муштарӣ тасниф кунед (ва агар маблағи фактура бо маблағи умумии фармоиши алоқаманд бошад) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Ҳангоми пардохти ҳисобнома -фактураи муштарӣ фармоиши фурӯши сарчашмаҳои пайвандшударо ҳамчун ҳисобшуда гурӯҳбандӣ кунед (ва агар маблағи фактура бо маблағи умумии фармоиши алоқаманд якхела бошад) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Фармоиши фурӯши сарчашмаҳои пайвандшударо ҳамчун тасдиқи бор тасниф кунед (ва агар миқдори фиристодаи ҳамаи интиқолҳо бо фармони навсозӣ якхела бошад) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Фармоиши фурӯши сарчашмаҳои пайвандшударо ҳамчун бастаи интиқол тасниф кунед (ва агар миқдори фиристодаи ҳамаи интиқолҳо бо фармони навсозӣ якхела бошад) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Пешниҳоди фурӯшандаи манбаи алоқамандро ҳангоми тасдиқи ҳисобнома -фактураи фурӯшанда тасниф кунед (ва агар маблағи фактура бо маблағи умумии пешниҳоди алоқаманд бошад) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Фармоиши хариди сарчашмаи пайвандшударо ҳамчун тасдиқи ҳисобнома -фактураи фурӯшанда тасниф кунед (ва агар маблағи фактура бо маблағи умумии фармоиши алоқаманд бошад) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classify linked source purchase order as received when a reception is validated (and if the quantity received by all receptions is the same as in the purchase order to update) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classify linked source purchase order as received when a reception is closed (and if the quantity received by all rceptions is the same as in the purchase order to update) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link available contracts of matching thirdparty +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=When linking contracts, search among those of parents companies # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Ҳангоми пӯшидани чипта ҳама дахолатҳои марбут ба чиптаро пӯшед AutomaticCreation=Эҷоди автоматӣ AutomaticClassification=Таснифоти автоматӣ -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Automatic closing AutomaticLinking=Automatic linking diff --git a/htdocs/langs/th_TH/accountancy.lang b/htdocs/langs/th_TH/accountancy.lang index c50c86b443d..8d2fbc524b0 100644 --- a/htdocs/langs/th_TH/accountancy.lang +++ b/htdocs/langs/th_TH/accountancy.lang @@ -5,468 +5,514 @@ ACCOUNTING_EXPORT_SEPARATORCSV=คั่นคอลัมน์สำหรั ACCOUNTING_EXPORT_DATE=รูปแบบวันที่สำหรับไฟล์การส่งออก ACCOUNTING_EXPORT_PIECE=Export the number of piece ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Export with global account -ACCOUNTING_EXPORT_LABEL=Export label -ACCOUNTING_EXPORT_AMOUNT=Export amount -ACCOUNTING_EXPORT_DEVISE=Export currency +ACCOUNTING_EXPORT_LABEL=ฉลากส่งออก +ACCOUNTING_EXPORT_AMOUNT=ปริมาณการส่งออก +ACCOUNTING_EXPORT_DEVISE=สกุลเงินส่งออก Selectformat=Select the format for the file ACCOUNTING_EXPORT_FORMAT=Select the format for the file -ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type +ACCOUNTING_EXPORT_ENDLINE=เลือกประเภทการคืนแคร่ตลับหมึก ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name -ThisService=This service -ThisProduct=This product -DefaultForService=Default for service -DefaultForProduct=Default for product -ProductForThisThirdparty=Product for this thirdparty -ServiceForThisThirdparty=Service for this thirdparty -CantSuggest=Can't suggest -AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s -ConfigAccountingExpert=Configuration of the module accounting (double entry) -Journalization=Journalization +ThisService=บริการนี้ +ThisProduct=ผลิตภัณฑ์นี้ +DefaultForService=ค่าเริ่มต้นสำหรับบริการ +DefaultForProduct=ค่าเริ่มต้นสำหรับผลิตภัณฑ์ +ProductForThisThirdparty=ผลิตภัณฑ์สำหรับบุคคลที่สามนี้ +ServiceForThisThirdparty=บริการสำหรับบุคคลที่สามนี้ +CantSuggest=ไม่สามารถแนะนำได้ +AccountancySetupDoneFromAccountancyMenu=การตั้งค่าการบัญชีส่วนใหญ่ทำได้จากเมนู %s +ConfigAccountingExpert=การกำหนดค่าของการบัญชีโมดูล (รายการคู่) +Journalization=การทำวารสาร Journals=วารสาร JournalFinancial=วารสารการเงิน BackToChartofaccounts=กลับผังบัญชี Chartofaccounts=ผังบัญชี -ChartOfSubaccounts=Chart of individual accounts -ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger -CurrentDedicatedAccountingAccount=Current dedicated account -AssignDedicatedAccountingAccount=New account to assign -InvoiceLabel=Invoice label -OverviewOfAmountOfLinesNotBound=Overview of amount of lines not bound to an accounting account -OverviewOfAmountOfLinesBound=Overview of amount of lines already bound to an accounting account -OtherInfo=Other information -DeleteCptCategory=Remove accounting account from group -ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group? -JournalizationInLedgerStatus=Status of journalization -AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger -GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group -DetailByAccount=Show detail by account -AccountWithNonZeroValues=Accounts with non-zero values -ListOfAccounts=List of accounts -CountriesInEEC=Countries in EEC -CountriesNotInEEC=Countries not in EEC -CountriesInEECExceptMe=Countries in EEC except %s -CountriesExceptMe=All countries except %s -AccountantFiles=Export source documents -ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). -ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. -ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -VueByAccountAccounting=View by accounting account -VueBySubAccountAccounting=View by accounting subaccount +ChartOfSubaccounts=ผังบัญชีแต่ละบัญชี +ChartOfIndividualAccountsOfSubsidiaryLedger=ผังบัญชีแต่ละบัญชีของบัญชีแยกประเภทย่อย +CurrentDedicatedAccountingAccount=บัญชีเฉพาะปัจจุบัน +AssignDedicatedAccountingAccount=บัญชีใหม่ที่จะมอบหมาย +InvoiceLabel=ป้ายใบแจ้งหนี้ +OverviewOfAmountOfLinesNotBound=ภาพรวมของจำนวนบรรทัดที่ไม่ผูกกับบัญชีการบัญชี +OverviewOfAmountOfLinesBound=ภาพรวมของจำนวนบรรทัดที่ผูกไว้กับบัญชีการบัญชีแล้ว +OtherInfo=ข้อมูลอื่น ๆ +DeleteCptCategory=ลบบัญชีการบัญชีออกจากกลุ่ม +ConfirmDeleteCptCategory=คุณแน่ใจหรือไม่ว่าต้องการลบบัญชีการบัญชีนี้ออกจากกลุ่มบัญชีการบัญชี +JournalizationInLedgerStatus=สถานะของการทำเจอร์นัล +AlreadyInGeneralLedger=โอนไปยังวารสารการบัญชีและบัญชีแยกประเภทแล้ว +NotYetInGeneralLedger=ยังไม่ได้โอนไปยังสมุดรายวันการบัญชีและบัญชีแยกประเภท +GroupIsEmptyCheckSetup=กลุ่มว่างเปล่า โปรดตรวจสอบการตั้งค่ากลุ่มบัญชีส่วนบุคคล +DetailByAccount=แสดงรายละเอียดตามบัญชี +DetailBy=รายละเอียดโดย +AccountWithNonZeroValues=บัญชีที่มีค่าไม่เป็นศูนย์ +ListOfAccounts=รายการบัญชี +CountriesInEEC=ประเทศที่อยู่ใน EEC +CountriesNotInEEC=ประเทศที่ไม่อยู่ใน EEC +CountriesInEECExceptMe=ประเทศใน EEC ยกเว้น %s +CountriesExceptMe=ทุกประเทศ ยกเว้น %s +AccountantFiles=ส่งออกเอกสารต้นฉบับ +ExportAccountingSourceDocHelp=ด้วยเครื่องมือนี้ คุณสามารถค้นหาและส่งออกเหตุการณ์ต้นทางที่ใช้ในการสร้างบัญชีของคุณได้
      ไฟล์ ZIP ที่ส่งออกจะมีรายการของรายการที่ร้องขอในรูปแบบ CSV รวมถึงไฟล์แนบในรูปแบบต้นฉบับ (PDF, ODT, DOCX...) +ExportAccountingSourceDocHelp2=หากต้องการส่งออกบันทึกประจำวันของคุณ ให้ใช้รายการเมนู %s - %s +ExportAccountingProjectHelp=ระบุโครงการหากคุณต้องการรายงานทางบัญชีสำหรับโครงการเฉพาะเท่านั้น รายงานค่าใช้จ่ายและการชำระคืนเงินกู้ไม่รวมอยู่ในรายงานโครงการ +ExportAccountancy=การบัญชีส่งออก +WarningDataDisappearsWhenDataIsExported=คำเตือน รายการนี้มีเพียงรายการบัญชีที่ยังไม่ได้ส่งออก (วันที่ส่งออกว่างเปล่า) หากคุณต้องการรวมรายการบัญชีที่ส่งออกไปแล้ว ให้คลิกที่ปุ่มด้านบน +VueByAccountAccounting=ดูตามบัญชีบัญชี +VueBySubAccountAccounting=ดูตามบัญชีย่อยการบัญชี -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup -MainAccountForUsersNotDefined=Main accounting account for users not defined in setup -MainAccountForVatPaymentNotDefined=Main accounting account for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Main accounting account for subscription payment not defined in setup -UserAccountNotDefined=Accounting account for user not defined in setup +MainAccountForCustomersNotDefined=บัญชีหลัก (จากผังบัญชี) สำหรับลูกค้าที่ไม่ได้กำหนดไว้ในการตั้งค่า +MainAccountForSuppliersNotDefined=บัญชีหลัก (จากผังบัญชี) สำหรับผู้จัดจำหน่ายที่ไม่ได้กำหนดไว้ในการตั้งค่า +MainAccountForUsersNotDefined=บัญชีหลัก (จากผังบัญชี) สำหรับผู้ใช้ที่ไม่ได้กำหนดไว้ในการตั้งค่า +MainAccountForVatPaymentNotDefined=บัญชี (จากผังบัญชี) สำหรับการชำระ VAT ไม่ได้กำหนดไว้ในการตั้งค่า +MainAccountForSubscriptionPaymentNotDefined=บัญชี (จากผังบัญชี) สำหรับการชำระค่าสมาชิกที่ไม่ได้กำหนดไว้ในการตั้งค่า +MainAccountForRetainedWarrantyNotDefined=บัญชี (จากผังบัญชี) สำหรับการรับประกันคงเหลือที่ไม่ได้กำหนดไว้ในการตั้งค่า +UserAccountNotDefined=บัญชีการบัญชีสำหรับผู้ใช้ไม่ได้กำหนดไว้ในการตั้งค่า -AccountancyArea=Accounting area -AccountancyAreaDescIntro=Usage of the accountancy module is done in several step: -AccountancyAreaDescActionOnce=The following actions are usually executed one time only, or once per year... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting -AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... +AccountancyArea=พื้นที่การบัญชี +AccountancyAreaDescIntro=การใช้งานโมดูลการบัญชีทำได้หลายขั้นตอน: +AccountancyAreaDescActionOnce=โดยปกติการดำเนินการต่อไปนี้จะดำเนินการเพียงครั้งเดียวเท่านั้น หรือปีละครั้ง... +AccountancyAreaDescActionOnceBis=ควรดำเนินการขั้นตอนต่อไปเพื่อประหยัดเวลาในอนาคตโดยแนะนำให้คุณใช้บัญชีเริ่มต้นที่ถูกต้องโดยอัตโนมัติเมื่อถ่ายโอนข้อมูลในการบัญชี +AccountancyAreaDescActionFreq=การดำเนินการต่อไปนี้มักจะดำเนินการทุกเดือน สัปดาห์ หรือวันสำหรับบริษัทขนาดใหญ่มาก... -AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s -AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescJournalSetup=ขั้นตอน %s: ตรวจสอบเนื้อหาของรายการบันทึกประจำวันของคุณจากเมนู %s +AccountancyAreaDescChartModel=ขั้นตอน %s: ตรวจสอบว่ามีโมเดลผังบัญชีอยู่หรือสร้างขึ้นจากเมนู %s +AccountancyAreaDescChart=ขั้นตอน %s: เลือกและ|หรือกรอกผังบัญชีของคุณจากเมนู %s -AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. -AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. -AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. -AccountancyAreaDescDonation=STEP %s: Define default accounting accounts for donation. For this, use the menu entry %s. -AccountancyAreaDescSubscription=STEP %s: Define default accounting accounts for member subscription. For this, use the menu entry %s. -AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. -AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. +AccountancyAreaDescFiscalPeriod=ขั้นตอน %s: กำหนดปีบัญชีตามค่าเริ่มต้นที่จะรวมรายการบัญชีของคุณ สำหรับสิ่งนี้ ให้ใช้รายการเมนู %s +AccountancyAreaDescVat=ขั้นตอนที่ %s: กำหนดบัญชีทางบัญชีสำหรับอัตรา VAT แต่ละรายการ สำหรับสิ่งนี้ ให้ใช้รายการเมนู %s +AccountancyAreaDescDefault=ขั้นตอน %s: กำหนดบัญชีการบัญชีเริ่มต้น สำหรับสิ่งนี้ ให้ใช้รายการเมนู %s +AccountancyAreaDescExpenseReport=ขั้นตอน %s: กำหนดบัญชีการบัญชีเริ่มต้นสำหรับรายงานค่าใช้จ่ายแต่ละประเภท สำหรับสิ่งนี้ ให้ใช้รายการเมนู %s +AccountancyAreaDescSal=ขั้นตอน %s: กำหนดบัญชีการบัญชีเริ่มต้นสำหรับการจ่ายเงินเดือน สำหรับสิ่งนี้ ให้ใช้รายการเมนู %s +AccountancyAreaDescContrib=ขั้นตอน %s: กำหนดบัญชีการบัญชีเริ่มต้นสำหรับภาษี (ค่าใช้จ่ายพิเศษ) สำหรับสิ่งนี้ ให้ใช้รายการเมนู %s +AccountancyAreaDescDonation=ขั้นตอน %s: กำหนดบัญชีเริ่มต้นสำหรับการบริจาค สำหรับสิ่งนี้ ให้ใช้รายการเมนู %s +AccountancyAreaDescSubscription=ขั้นตอน %s: กำหนดบัญชีการบัญชีเริ่มต้นสำหรับการสมัครสมาชิก สำหรับสิ่งนี้ ให้ใช้รายการเมนู %s +AccountancyAreaDescMisc=ขั้นตอน %s: กำหนดบัญชีเริ่มต้นที่บังคับและบัญชีการบัญชีเริ่มต้นสำหรับธุรกรรมเบ็ดเตล็ด สำหรับสิ่งนี้ ให้ใช้รายการเมนู %s +AccountancyAreaDescLoan=ขั้นตอน %s: กำหนดบัญชีเริ่มต้นสำหรับสินเชื่อ สำหรับสิ่งนี้ ให้ใช้รายการเมนู %s +AccountancyAreaDescBank=ขั้นตอน %s: กำหนดบัญชีการบัญชีและรหัสสมุดรายวันสำหรับธนาคารและบัญชีการเงินแต่ละบัญชี สำหรับสิ่งนี้ ให้ใช้รายการเมนู %s +AccountancyAreaDescProd=ขั้นตอน %s: กำหนดบัญชีการบัญชีในผลิตภัณฑ์/บริการของคุณ สำหรับสิ่งนี้ ให้ใช้รายการเมนู %s -AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. -AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and generate reports and exports. +AccountancyAreaDescBind=ขั้นตอนที่ %s: ตรวจสอบการเชื่อมโยงระหว่างบรรทัด %s ที่มีอยู่และบัญชีการบัญชีเสร็จสิ้นแล้ว ดังนั้นแอปพลิเคชันจะสามารถบันทึกธุรกรรมในบัญชีแยกประเภทได้ ได้ในคลิกเดียว การผูกที่ขาดหายไปเสร็จสมบูรณ์ สำหรับสิ่งนี้ ให้ใช้รายการเมนู %s +AccountancyAreaDescWriteRecords=ขั้นตอนที่ %s: เขียนธุรกรรมลงในบัญชีแยกประเภท โดยไปที่เมนู %s แล้วคลิกปุ่ม %s +AccountancyAreaDescAnalyze=STEP %s: Read reportings or generate export files for other bookkeepers. +AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't transfer anymore data in the same period in a future. -AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. - -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) -Selectchartofaccounts=Select active chart of accounts -ChangeAndLoad=Change and load +TheFiscalPeriodIsNotDefined=ขั้นตอนบังคับในการตั้งค่ายังไม่เสร็จสมบูรณ์ (ไม่ได้กำหนดรอบระยะเวลาทางบัญชี) +TheJournalCodeIsNotDefinedOnSomeBankAccount=ขั้นตอนบังคับในการตั้งค่ายังไม่เสร็จสมบูรณ์ (ไม่ได้กำหนดสมุดรายวันรหัสบัญชีสำหรับบัญชีธนาคารทั้งหมด) +Selectchartofaccounts=เลือกผังบัญชีที่ใช้งานอยู่ +CurrentChartOfAccount=Current active chart of account +ChangeAndLoad=เปลี่ยนและโหลด Addanaccount=เพิ่มบัญชีบัญชี AccountAccounting=บัญชีการบัญชี AccountAccountingShort=บัญชี -SubledgerAccount=Subledger account -SubledgerAccountLabel=Subledger account label -ShowAccountingAccount=Show accounting account -ShowAccountingJournal=Show accounting journal -ShowAccountingAccountInLedger=Show accounting account in ledger -ShowAccountingAccountInJournals=Show accounting account in journals -AccountAccountingSuggest=Accounting account suggested -MenuDefaultAccounts=Default accounts +SubledgerAccount=บัญชีแยกประเภทย่อย +SubledgerAccountLabel=ป้ายกำกับบัญชีแยกประเภทย่อย +ShowAccountingAccount=แสดงบัญชีการบัญชี +ShowAccountingJournal=แสดงสมุดรายวันการบัญชี +ShowAccountingAccountInLedger=แสดงบัญชีในบัญชีแยกประเภท +ShowAccountingAccountInJournals=แสดงบัญชีทางบัญชีในวารสาร +DataUsedToSuggestAccount=ข้อมูลที่ใช้ในการแนะนำบัญชี +AccountAccountingSuggest=แนะนำบัญชีแล้ว +MenuDefaultAccounts=บัญชีเริ่มต้น MenuBankAccounts=บัญชีเงินฝากธนาคาร -MenuVatAccounts=Vat accounts -MenuTaxAccounts=Tax accounts -MenuExpenseReportAccounts=Expense report accounts -MenuLoanAccounts=Loan accounts -MenuProductsAccounts=Product accounts -MenuClosureAccounts=Closure accounts -MenuAccountancyClosure=Closure -MenuAccountancyValidationMovements=Validate movements -ProductsBinding=Products accounts -TransferInAccounting=Transfer in accounting -RegistrationInAccounting=Recording in accounting -Binding=Binding to accounts -CustomersVentilation=Customer invoice binding -SuppliersVentilation=Vendor invoice binding -ExpenseReportsVentilation=Expense report binding -CreateMvts=Create new transaction -UpdateMvts=Modification of a transaction -ValidTransaction=Validate transaction -WriteBookKeeping=Record transactions in accounting -Bookkeeping=Ledger -BookkeepingSubAccount=Subledger -AccountBalance=Account balance -ObjectsRef=Source object ref -CAHTF=Total purchase vendor before tax -TotalExpenseReport=Total expense report -InvoiceLines=Lines of invoices to bind -InvoiceLinesDone=Bound lines of invoices -ExpenseReportLines=Lines of expense reports to bind -ExpenseReportLinesDone=Bound lines of expense reports -IntoAccount=Bind line with the accounting account -TotalForAccount=Total accounting account +MenuVatAccounts=บัญชีภาษีมูลค่าเพิ่ม +MenuTaxAccounts=บัญชีภาษี +MenuExpenseReportAccounts=บัญชีรายงานค่าใช้จ่าย +MenuLoanAccounts=บัญชีเงินกู้ +MenuProductsAccounts=บัญชีผลิตภัณฑ์ +MenuClosureAccounts=ปิดบัญชี +MenuAccountancyClosure=ปิด +MenuExportAccountancy=การบัญชีส่งออก +MenuAccountancyValidationMovements=ตรวจสอบการเคลื่อนไหว +ProductsBinding=บัญชีผลิตภัณฑ์ +TransferInAccounting=โอนเข้าบัญชี +RegistrationInAccounting=การบันทึกในการบัญชี +Binding=การผูกมัดกับบัญชี +CustomersVentilation=การผูกใบแจ้งหนี้ลูกค้า +SuppliersVentilation=การผูกใบแจ้งหนี้ของผู้จัดจำหน่าย +ExpenseReportsVentilation=การผูกรายงานค่าใช้จ่าย +CreateMvts=สร้างธุรกรรมใหม่ +UpdateMvts=การแก้ไขธุรกรรม +ValidTransaction=ตรวจสอบธุรกรรม +WriteBookKeeping=บันทึกธุรกรรมในการบัญชี +Bookkeeping=บัญชีแยกประเภท +BookkeepingSubAccount=บัญชีแยกประเภทย่อย +AccountBalance=ยอดเงินในบัญชี +AccountBalanceSubAccount=ยอดเงินในบัญชีย่อย +ObjectsRef=การอ้างอิงออบเจ็กต์ต้นทาง +CAHTF=รวมผู้ขายที่ซื้อสินค้าก่อนหักภาษี +TotalExpenseReport=รายงานค่าใช้จ่ายทั้งหมด +InvoiceLines=บรรทัดใบแจ้งหนี้ที่จะผูกมัด +InvoiceLinesDone=บรรทัดใบแจ้งหนี้ที่ถูกผูกไว้ +ExpenseReportLines=รายการรายงานค่าใช้จ่ายที่จะผูกมัด +ExpenseReportLinesDone=รายงานค่าใช้จ่ายแบบมีขอบเขต +IntoAccount=ผูกสายกับบัญชีบัญชี +TotalForAccount=บัญชีการบัญชีทั้งหมด -Ventilate=Bind -LineId=Id line +Ventilate=ผูก +LineId=ไอดีไลน์ Processing=การประมวลผล -EndProcessing=Process terminated. +EndProcessing=กระบวนการยุติลง SelectedLines=เลือกสาย Lineofinvoice=สายของใบแจ้งหนี้ -LineOfExpenseReport=Line of expense report -NoAccountSelected=No accounting account selected -VentilatedinAccount=Binded successfully to the accounting account -NotVentilatedinAccount=Not bound to the accounting account -XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account -XLineFailedToBeBinded=%s products/services were not bound to any accounting account +LineOfExpenseReport=รายการรายงานค่าใช้จ่าย +NoAccountSelected=ไม่ได้เลือกบัญชีบัญชี +VentilatedinAccount=ผูกเข้ากับบัญชีบัญชีเรียบร้อยแล้ว +NotVentilatedinAccount=ไม่ผูกพันกับบัญชีบัญชี +XLineSuccessfullyBinded=%s ผลิตภัณฑ์/บริการที่เชื่อมโยงกับบัญชีบัญชีสำเร็จแล้ว +XLineFailedToBeBinded=%s ผลิตภัณฑ์/บริการไม่ได้ผูกไว้กับบัญชีบัญชีใดๆ -ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50) -ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements -ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements +ACCOUNTING_LIMIT_LIST_VENTILATION=จำนวนบรรทัดสูงสุดในรายการและหน้าการเชื่อมโยง (แนะนำ: 50) +ACCOUNTING_LIST_SORT_VENTILATION_TODO=เริ่มต้นการเรียงลำดับหน้า "การเชื่อมโยงสิ่งที่ต้องทำ" ตามองค์ประกอบล่าสุด +ACCOUNTING_LIST_SORT_VENTILATION_DONE=เริ่มต้นการเรียงลำดับหน้า "การเชื่อมโยงเสร็จสิ้น" ตามองค์ประกอบล่าสุด -ACCOUNTING_LENGTH_DESCRIPTION=Truncate product & services description in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncate product & services account description form in listings after x chars (Best = 50) -ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set value to 6 here, the account '706' will appear like '706000' on screen) -ACCOUNTING_LENGTH_AACCOUNT=Length of the third-party accounting accounts (If you set value to 6 here, the account '401' will appear like '401000' on screen) -ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of an accounting account. Needed by some countries (like Switzerland). If set to off (default), you can set the following two parameters to ask the application to add virtual zeros. -BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account -ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal -ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_LENGTH_DESCRIPTION=ตัดทอนคำอธิบายผลิตภัณฑ์และบริการในรายการหลังตัวอักษร x (ดีที่สุด = 50) +ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=ตัดทอนแบบฟอร์มคำอธิบายบัญชีผลิตภัณฑ์และบริการในรายการหลังตัวอักษร x (ดีที่สุด = 50) +ACCOUNTING_LENGTH_GACCOUNT=ความยาวของบัญชีการบัญชีทั่วไป (หากคุณตั้งค่าเป็น 6 ที่นี่ บัญชี '706' จะปรากฏเป็น '706000' บนหน้าจอ) +ACCOUNTING_LENGTH_AACCOUNT=ความยาวของบัญชีการบัญชีบุคคลที่สาม (หากคุณตั้งค่าเป็น 6 ที่นี่ บัญชี '401' จะปรากฏเป็น '401000' บนหน้าจอ) +ACCOUNTING_MANAGE_ZERO=อนุญาตให้จัดการจำนวนศูนย์ที่แตกต่างกันที่ส่วนท้ายของบัญชีการบัญชี ต้องการโดยบางประเทศ (เช่น สวิตเซอร์แลนด์) หากตั้งค่าเป็นปิด (ค่าเริ่มต้น) คุณสามารถตั้งค่าพารามิเตอร์สองตัวต่อไปนี้เพื่อขอให้แอปพลิเคชันเพิ่มศูนย์เสมือนได้ +BANK_DISABLE_DIRECT_INPUT=ปิดใช้งานการบันทึกธุรกรรมโดยตรงในบัญชีธนาคาร +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=เปิดใช้งานการส่งออกฉบับร่างในสมุดรายวัน +ACCOUNTANCY_COMBO_FOR_AUX=เปิดใช้งานรายการคอมโบสำหรับบัญชีย่อย (อาจช้าหากคุณมีบุคคลที่สามจำนวนมาก ทำลายความสามารถในการค้นหาส่วนหนึ่งของมูลค่า) +ACCOUNTING_DATE_START_BINDING=ปิดการใช้งานการผูกและการโอนในการบัญชีเมื่อวันที่อยู่ต่ำกว่าวันที่นี้ (ธุรกรรมก่อนวันที่นี้จะถูกยกเว้นตามค่าเริ่มต้น) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=ในหน้าการถ่ายโอนข้อมูลเข้าบัญชี งวดใด ที่เลือกไว้ตามค่าเริ่มต้น -ACCOUNTING_SELL_JOURNAL=Sales journal (sales and returns) -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal (purchase and returns) -ACCOUNTING_BANK_JOURNAL=Cash journal (receipts and disbursements) +ACCOUNTING_SELL_JOURNAL=สมุดรายวันการขาย - การขายและการคืนสินค้า +ACCOUNTING_PURCHASE_JOURNAL=สมุดรายวันการซื้อ - การซื้อและการคืนสินค้า +ACCOUNTING_BANK_JOURNAL=สมุดรายวันเงินสด - ใบเสร็จรับเงินและการเบิกจ่าย ACCOUNTING_EXPENSEREPORT_JOURNAL=รายงานค่าใช้จ่ายวารสาร -ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal -ACCOUNTING_INVENTORY_JOURNAL=Inventory journal +ACCOUNTING_MISCELLANEOUS_JOURNAL=วารสารทั่วไป +ACCOUNTING_HAS_NEW_JOURNAL=มีวารสารใหม่ +ACCOUNTING_INVENTORY_JOURNAL=สมุดรายวันสินค้าคงคลัง ACCOUNTING_SOCIAL_JOURNAL=วารสารสังคม -ACCOUNTING_RESULT_PROFIT=Result accounting account (Profit) -ACCOUNTING_RESULT_LOSS=Result accounting account (Loss) -ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Journal of closure +ACCOUNTING_RESULT_PROFIT=บัญชีผลการบัญชี (กำไร) +ACCOUNTING_RESULT_LOSS=บัญชีผลการบัญชี(ขาดทุน) +ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=วารสารปิด +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=กลุ่มการบัญชีที่ใช้สำหรับบัญชีงบดุล (คั่นด้วยลูกน้ำ) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=กลุ่มการบัญชีที่ใช้สำหรับงบกำไรขาดทุน (คั่นด้วยลูกน้ำ) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers -TransitionalAccount=Transitional bank transfer account +ACCOUNTING_ACCOUNT_TRANSFER_CASH=บัญชี (จากผังบัญชี) เพื่อใช้เป็นบัญชีสำหรับการโอนเงินผ่านธนาคารในช่วงเปลี่ยนผ่าน +TransitionalAccount=บัญชีโอนเงินผ่านธนาคารชั่วคราว -ACCOUNTING_ACCOUNT_SUSPENSE=Account (from the Chart Of Account) to be used as the account for unallocated funds either received or paid i.e. funds in "wait[ing]" -DONATION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register donations (Donation module) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ACCOUNTING_ACCOUNT_SUSPENSE=บัญชี (จากผังบัญชี) ที่จะใช้เป็นบัญชีสำหรับเงินที่ไม่ได้ปันส่วนไม่ว่าจะรับหรือจ่าย เช่น เงินที่อยู่ใน "รอ [ing]" +DONATION_ACCOUNTINGACCOUNT=บัญชี (จากผังบัญชี) เพื่อใช้ลงทะเบียนการบริจาค (โมดูลการบริจาค) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=บัญชี (จากผังบัญชี) ที่จะใช้ในการลงทะเบียนสมัครสมาชิก (โมดูลสมาชิก - หากบันทึกสมาชิกโดยไม่มีใบแจ้งหนี้) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit -UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default -UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=บัญชี (จากผังบัญชี) เพื่อใช้เป็นบัญชีเริ่มต้นในการลงทะเบียนเงินฝากของลูกค้า +UseAuxiliaryAccountOnCustomerDeposit=จัดเก็บบัญชีลูกค้าเป็นบัญชีแต่ละบัญชีในบัญชีแยกประเภทบริษัทในเครือสำหรับรายการการชำระเงินดาวน์ (ถ้าปิดใช้งาน บัญชีแต่ละบัญชีสำหรับรายการการชำระเงินดาวน์จะยังคงว่างเปล่า) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=บัญชี (จากผังบัญชี) เพื่อใช้เป็นค่าเริ่มต้น +UseAuxiliaryAccountOnSupplierDeposit=บัญชีซัพพลายเออร์ของร้านค้าเป็นบัญชีแต่ละบัญชีในบัญชีแยกประเภทบริษัทในเครือสำหรับรายการการชำระเงินดาวน์ (ถ้าปิดใช้งาน บัญชีแต่ละบัญชีสำหรับรายการการชำระเงินดาวน์จะยังคงว่างเปล่า) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=บัญชีบัญชีตามค่าเริ่มต้นเพื่อลงทะเบียนการรับประกันที่ลูกค้าเก็บไว้ -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=บัญชี (จากผังบัญชี) ที่จะใช้เป็นบัญชีเริ่มต้นสำหรับผลิตภัณฑ์ที่ซื้อภายในประเทศเดียวกัน (ใช้หากไม่ได้กำหนดไว้ในแผ่นผลิตภัณฑ์) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=บัญชี (จากผังบัญชี) ที่จะใช้เป็นบัญชีเริ่มต้นสำหรับผลิตภัณฑ์ที่ซื้อจาก EEC ไปยังประเทศ EEC อื่น (ใช้หากไม่ได้กำหนดไว้ในแผ่นผลิตภัณฑ์) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=บัญชี (จากผังบัญชี) ที่จะใช้เป็นบัญชีเริ่มต้นสำหรับผลิตภัณฑ์ที่ซื้อและนำเข้าจากต่างประเทศอื่น ๆ (ใช้หากไม่ได้กำหนดไว้ในแผ่นผลิตภัณฑ์) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=บัญชี (จากผังบัญชี) ที่จะใช้เป็นบัญชีเริ่มต้นสำหรับผลิตภัณฑ์ที่ขาย (ใช้หากไม่ได้กำหนดไว้ในแผ่นผลิตภัณฑ์) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=บัญชี (จากผังบัญชี) ที่จะใช้เป็นบัญชีเริ่มต้นสำหรับผลิตภัณฑ์ที่ขายจาก EEC ไปยังประเทศ EEC อื่น (ใช้หากไม่ได้กำหนดไว้ในแผ่นผลิตภัณฑ์) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=บัญชี (จากผังบัญชี) ที่จะใช้เป็นบัญชีเริ่มต้นสำหรับผลิตภัณฑ์ที่ขายและส่งออกไปยังต่างประเทศอื่น ๆ (ใช้หากไม่ได้กำหนดไว้ในแผ่นผลิตภัณฑ์) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased within same country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=บัญชี (จากผังบัญชี) ที่จะใช้เป็นบัญชีเริ่มต้นสำหรับบริการที่ซื้อภายในประเทศเดียวกัน (ใช้หากไม่ได้กำหนดไว้ในใบบันทึกบริการ) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=บัญชี (จากผังบัญชี) ที่จะใช้เป็นบัญชีเริ่มต้นสำหรับบริการที่ซื้อจาก EEC ไปยังประเทศ EEC อื่น (ใช้หากไม่ได้กำหนดไว้ในใบบันทึกบริการ) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=บัญชี (จากผังบัญชี) ที่จะใช้เป็นบัญชีเริ่มต้นสำหรับบริการที่ซื้อและนำเข้าจากต่างประเทศอื่น (ใช้หากไม่ได้กำหนดไว้ในใบบันทึกบริการ) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=บัญชี (จากผังบัญชี) ที่จะใช้เป็นบัญชีเริ่มต้นสำหรับบริการที่ขาย (ใช้หากไม่ได้กำหนดไว้ในใบบันทึกบริการ) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=บัญชี (จากผังบัญชี) ที่จะใช้เป็นบัญชีเริ่มต้นสำหรับบริการที่ขายจาก EEC ไปยังประเทศ EEC อื่น (ใช้หากไม่ได้กำหนดไว้ในเอกสารบริการ) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=บัญชี (จากผังบัญชี) ที่จะใช้เป็นบัญชีเริ่มต้นสำหรับบริการที่ขายและส่งออกไปยังต่างประเทศอื่น ๆ (ใช้หากไม่ได้กำหนดไว้ในเอกสารบริการ) Doctype=ประเภทของเอกสาร Docdate=วันที่ Docref=การอ้างอิง LabelAccount=บัญชีฉลาก -LabelOperation=Label operation -Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
      For an accounting account of a supplier, use Debit to record a payment you made -LetteringCode=Lettering code -Lettering=Lettering +LabelOperation=การดำเนินการฉลาก +Sens=ทิศทาง +AccountingDirectionHelp=สำหรับบัญชีการบัญชีของลูกค้า ให้ใช้เครดิตเพื่อบันทึกการชำระเงินที่คุณได้รับ
      สำหรับบัญชีการบัญชีของซัพพลายเออร์ ให้ใช้เดบิตเพื่อบันทึกการชำระเงินที่คุณทำ +LetteringCode=รหัสตัวอักษร +Lettering=ตัวอักษร Codejournal=วารสาร -JournalLabel=Journal label -NumPiece=Piece number -TransactionNumShort=Num. transaction -AccountingCategory=Custom group of accounts -GroupByAccountAccounting=Group by general ledger account -GroupBySubAccountAccounting=Group by subledger account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. -ByAccounts=By accounts -ByPredefinedAccountGroups=By predefined groups -ByPersonalizedAccountGroups=By personalized groups +JournalLabel=ป้ายวารสาร +NumPiece=หมายเลขชิ้นส่วน +TransactionNumShort=หมายเลข ธุรกรรม +AccountingCategory=กลุ่มบัญชีที่กำหนดเอง +AccountingCategories=กลุ่มบัญชีที่กำหนดเอง +GroupByAccountAccounting=จัดกลุ่มตามบัญชีแยกประเภททั่วไป +GroupBySubAccountAccounting=จัดกลุ่มตามบัญชีแยกประเภทย่อย +AccountingAccountGroupsDesc=คุณสามารถกำหนดกลุ่มบัญชีบัญชีบางกลุ่มได้ที่นี่ พวกเขาจะใช้สำหรับรายงานทางบัญชีส่วนบุคคล +ByAccounts=ตามบัญชี +ByPredefinedAccountGroups=ตามกลุ่มที่กำหนดไว้ล่วงหน้า +ByPersonalizedAccountGroups=โดยกลุ่มส่วนบุคคล ByYear=โดยปี -NotMatch=Not Set -DeleteMvt=Delete some lines from accounting -DelMonth=Month to delete -DelYear=Year to delete -DelJournal=Journal to delete -ConfirmDeleteMvt=This will delete all lines in accountancy for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) +NotMatch=ไม่ได้ตั้งค่า +DeleteMvt=ลบบางบรรทัดออกจากการบัญชี +DelMonth=เดือนที่จะลบ +DelYear=ปีที่จะลบ +DelJournal=บันทึกประจำวันที่จะลบ +ConfirmDeleteMvt=การดำเนินการนี้จะลบบรรทัดทั้งหมดในบัญชีสำหรับปี/เดือน และ/หรือสำหรับสมุดรายวันเฉพาะ (ต้องมีเกณฑ์อย่างน้อยหนึ่งรายการ) คุณจะต้องใช้คุณลักษณะ '%s' ซ้ำเพื่อให้บันทึกที่ถูกลบกลับเข้าไปในบัญชีแยกประเภท +ConfirmDeleteMvtPartial=การดำเนินการนี้จะลบธุรกรรมออกจากการบัญชี (บรรทัดทั้งหมดที่เกี่ยวข้องกับธุรกรรมเดียวกันจะถูกลบ) FinanceJournal=Finance journal -ExpenseReportsJournal=Expense reports journal +ExpenseReportsJournal=สมุดรายวันรายงานค่าใช้จ่าย +InventoryJournal=สมุดรายวันสินค้าคงคลัง DescFinanceJournal=Finance journal including all the types of payments by bank account -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. -VATAccountNotDefined=Account for VAT not defined -ThirdpartyAccountNotDefined=Account for third party not defined -ProductAccountNotDefined=Account for product not defined -FeeAccountNotDefined=Account for fee not defined -BankAccountNotDefined=Account for bank not defined +DescJournalOnlyBindedVisible=นี่คือมุมมองของเรกคอร์ดที่ผูกไว้กับบัญชีทางบัญชีและสามารถบันทึกลงในสมุดรายวันและบัญชีแยกประเภทได้ +VATAccountNotDefined=ไม่ได้กำหนดบัญชีสำหรับภาษีมูลค่าเพิ่ม +ThirdpartyAccountNotDefined=ไม่ได้กำหนดบัญชีสำหรับบุคคลที่สาม +ProductAccountNotDefined=ไม่ได้กำหนดบัญชีสำหรับผลิตภัณฑ์ +FeeAccountNotDefined=บัญชีค่าธรรมเนียมไม่ได้กำหนดไว้ +BankAccountNotDefined=ไม่ได้กำหนดบัญชีสำหรับธนาคาร CustomerInvoicePayment=การชำระเงินของลูกค้าใบแจ้งหนี้ -ThirdPartyAccount=Third-party account -NewAccountingMvt=New transaction -NumMvts=Numero of transaction -ListeMvts=List of movements +ThirdPartyAccount=บัญชีบุคคลที่สาม +NewAccountingMvt=การทำธุรกรรมใหม่ +NumMvts=ตัวเลขของการทำธุรกรรม +ListeMvts=รายการความเคลื่อนไหว ErrorDebitCredit=เดบิตและเครดิตไม่สามารถมีค่าในเวลาเดียวกัน -AddCompteFromBK=Add accounting accounts to the group -ReportThirdParty=List third-party account -DescThirdPartyReport=Consult here the list of third-party customers and vendors and their accounting accounts +AddCompteFromBK=เพิ่มบัญชีการบัญชีเข้ากลุ่ม +ReportThirdParty=แสดงรายการบัญชีบุคคลที่สาม +DescThirdPartyReport=ดูรายชื่อลูกค้าและผู้ขายบุคคลที่สามและบัญชีบัญชีของพวกเขาได้ที่นี่ ListAccounts=รายการบัญชีที่บัญชี -UnknownAccountForThirdparty=Unknown third-party account. We will use %s -UnknownAccountForThirdpartyBlocking=Unknown third-party account. Blocking error -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Third-party unknown and subledger not defined on the payment. We will keep the subledger account value empty. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger account not defined or third party or user unknown. Blocking error. -UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third-party account and waiting account not defined. Blocking error -PaymentsNotLinkedToProduct=Payment not linked to any product / service -OpeningBalance=Opening balance -ShowOpeningBalance=Show opening balance -HideOpeningBalance=Hide opening balance -ShowSubtotalByGroup=Show subtotal by level +UnknownAccountForThirdparty=บัญชีบุคคลที่สามที่ไม่รู้จัก เราจะใช้ %s +UnknownAccountForThirdpartyBlocking=บัญชีบุคคลที่สามที่ไม่รู้จัก ข้อผิดพลาดในการบล็อก +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=ไม่ได้กำหนดบัญชีแยกประเภทย่อยหรือไม่รู้จักบุคคลที่สามหรือผู้ใช้ เราจะใช้ %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=บุคคลที่สามที่ไม่รู้จักและบัญชีแยกประเภทย่อยไม่ได้กำหนดไว้ในการชำระเงิน เราจะคงมูลค่าบัญชีแยกประเภทย่อยให้ว่างเปล่า +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=ไม่ได้กำหนดบัญชีแยกประเภทย่อยหรือไม่รู้จักบุคคลที่สามหรือผู้ใช้ ข้อผิดพลาดในการบล็อก +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=บัญชีบุคคลที่สามที่ไม่รู้จักและบัญชีรอไม่ได้กำหนดไว้ ข้อผิดพลาดในการบล็อก +PaymentsNotLinkedToProduct=การชำระเงินไม่เชื่อมโยงกับสินค้า/บริการใดๆ +OpeningBalance=ยอดเปิด +ShowOpeningBalance=แสดงยอดคงเหลือเปิด +HideOpeningBalance=ซ่อนยอดคงเหลือเปิด +ShowSubtotalByGroup=แสดงผลรวมย่อยตามระดับ -Pcgtype=Group of account -PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. +Pcgtype=กลุ่มบัญชี +PcgtypeDesc=กลุ่มบัญชีถูกใช้เป็นเกณฑ์ 'ตัวกรอง' และ 'การจัดกลุ่ม' ที่กำหนดไว้ล่วงหน้าสำหรับรายงานทางบัญชีบางรายงาน ตัวอย่างเช่น 'รายได้' หรือ 'ค่าใช้จ่าย' ถูกใช้เป็นกลุ่มสำหรับบัญชีการบัญชีของผลิตภัณฑ์เพื่อสร้างรายงานค่าใช้จ่าย/รายได้ +AccountingCategoriesDesc=กลุ่มบัญชีที่กำหนดเองสามารถใช้เพื่อจัดกลุ่มบัญชีบัญชีเป็นชื่อเดียวเพื่อความสะดวกในการใช้ตัวกรองหรือการสร้างรายงานที่กำหนดเอง -Reconcilable=Reconcilable +Reconcilable=คืนดีกัน TotalVente=Total turnover before tax TotalMarge=อัตรากำไรขั้นต้นรวมยอดขาย -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account -DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product account from chart of account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account -ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: +DescVentilCustomer=ดูรายการบรรทัดใบแจ้งหนี้ของลูกค้าที่ผูก (หรือไม่) กับบัญชีผลิตภัณฑ์จากผังบัญชีได้ที่นี่ +DescVentilMore=ในกรณีส่วนใหญ่ หากคุณใช้ผลิตภัณฑ์หรือบริการที่กำหนดไว้ล่วงหน้า และคุณตั้งค่าบัญชี (จากผังบัญชี) บนบัตรผลิตภัณฑ์/บริการ แอปพลิเคชันจะสามารถสร้างการเชื่อมโยงทั้งหมดระหว่างบรรทัดใบแจ้งหนี้และบัญชีการบัญชีของแผนภูมิของคุณ ของบัญชีได้ในคลิกเดียวด้วยปุ่ม "%s". หากไม่ได้ตั้งค่าบัญชีบนบัตรผลิตภัณฑ์/บริการ หรือหากคุณยังมีบรรทัดบางบรรทัดที่ไม่ผูกกับบัญชี คุณจะต้องทำการผูกด้วยตนเองจากเมนู "%s" +DescVentilDoneCustomer=ดูรายชื่อบรรทัดใบแจ้งหนี้ของลูกค้าและบัญชีผลิตภัณฑ์จากผังบัญชีได้ที่นี่ +DescVentilTodoCustomer=ผูกบรรทัดใบแจ้งหนี้ที่ไม่ได้ผูกไว้กับบัญชีผลิตภัณฑ์จากผังบัญชี +ChangeAccount=เปลี่ยนบัญชีผลิตภัณฑ์/บริการ (จากผังบัญชี) สำหรับบรรทัดที่เลือกด้วยบัญชีดังต่อไปนี้ Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) -DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account -DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account -DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account -DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s". -DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account +DescVentilSupplier=ดูรายการบรรทัดใบแจ้งหนี้ของผู้ขายที่ผูกหรือยังไม่ได้ผูกกับบัญชีผลิตภัณฑ์จากผังบัญชี (มองเห็นได้เฉพาะบันทึกที่ยังไม่ได้โอนในการบัญชีเท่านั้น) +DescVentilDoneSupplier=ดูรายการบรรทัดใบแจ้งหนี้ของผู้จัดจำหน่ายและบัญชีทางบัญชีได้ที่นี่ +DescVentilTodoExpenseReport=ผูกรายการรายงานค่าใช้จ่ายที่ไม่ได้ผูกไว้กับบัญชีการบัญชีค่าธรรมเนียม +DescVentilExpenseReport=ดูรายการบรรทัดรายงานค่าใช้จ่ายที่ผูก (หรือไม่) กับบัญชีการบัญชีค่าธรรมเนียมได้ที่นี่ +DescVentilExpenseReportMore=หากคุณตั้งค่าบัญชีการบัญชีตามประเภทของบรรทัดรายงานค่าใช้จ่าย แอปพลิเคชันจะสามารถสร้างการเชื่อมโยงทั้งหมดระหว่างบรรทัดรายงานค่าใช้จ่ายของคุณและบัญชีการบัญชีของผังบัญชีของคุณได้ เพียงคลิกเดียวด้วยปุ่ม "%s". หากบัญชีไม่ได้ถูกตั้งค่าไว้ในพจนานุกรมค่าธรรมเนียม หรือหากคุณยังมีบางบรรทัดที่ไม่ได้ผูกกับบัญชีใดๆ คุณจะต้องทำการผูกด้วยตนเองจากเมนู "%s" +DescVentilDoneExpenseReport=ดูรายการรายงานค่าใช้จ่ายและบัญชีการบัญชีค่าธรรมเนียมได้ที่นี่ -Closure=Annual closure -DescClosure=Consult here the number of movements by month not yet validated & locked -OverviewOfMovementsNotValidated=Overview of movements not validated and locked -AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked -ValidateMovements=Validate and lock movements... -DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible +Closure=ปิดประจำปี +AccountancyClosureStep1Desc=ดูจำนวนการเคลื่อนไหวต่อเดือนที่ยังไม่ผ่านการตรวจสอบและล็อคได้ที่นี่ +OverviewOfMovementsNotValidated=ภาพรวมการเคลื่อนไหวที่ไม่ผ่านการตรวจสอบและล็อค +AllMovementsWereRecordedAsValidated=การเคลื่อนไหวทั้งหมดถูกบันทึกว่าผ่านการตรวจสอบและล็อคแล้ว +NotAllMovementsCouldBeRecordedAsValidated=ไม่สามารถบันทึกการเคลื่อนไหวทั้งหมดว่าผ่านการตรวจสอบและล็อคแล้ว +ValidateMovements=ตรวจสอบและล็อคการเคลื่อนไหว +DescValidateMovements=ห้ามแก้ไขหรือลบการเขียน ตัวอักษร และการลบใดๆ ทั้งสิ้น รายการทั้งหมดสำหรับการฝึกจะต้องได้รับการตรวจสอบ มิฉะนั้นจะไม่สามารถปิดได้ -ValidateHistory=Bind Automatically -AutomaticBindingDone=Automatic bindings done (%s) - Automatic binding not possible for some record (%s) +ValidateHistory=ผูกโดยอัตโนมัติ +AutomaticBindingDone=การเชื่อมโยงอัตโนมัติเสร็จสิ้น (%s) - ไม่สามารถเชื่อมโยงอัตโนมัติสำหรับบางบันทึกได้ (%s) +DoManualBindingForFailedRecord=คุณต้องสร้างลิงก์ด้วยตนเองสำหรับแถว %s ที่ไม่ได้เชื่อมโยงโดยอัตโนมัติ -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s & Credit = %s -Balancing=Balancing -FicheVentilation=Binding card -GeneralLedgerIsWritten=Transactions are written in the Ledger -GeneralLedgerSomeRecordWasNotRecorded=Some of the transactions could not be journalized. If there is no other error message, this is probably because they were already journalized. -NoNewRecordSaved=No more record to transfer -ListOfProductsWithoutAccountingAccount=List of products not bound to any account of chart of account -ChangeBinding=Change the binding -Accounted=Accounted in ledger -NotYetAccounted=Not yet transferred to accounting -ShowTutorial=Show Tutorial -NotReconciled=Not reconciled -WarningRecordWithoutSubledgerAreExcluded=Warning, all lines without subledger account defined are filtered and excluded from this view -AccountRemovedFromCurrentChartOfAccount=Accounting account that does not exist in the current chart of accounts +ErrorAccountancyCodeIsAlreadyUse=เกิดข้อผิดพลาด คุณไม่สามารถลบหรือปิดใช้งานบัญชีนี้ของผังบัญชีได้เนื่องจากมีการใช้งาน +MvtNotCorrectlyBalanced=การเคลื่อนไหวไม่สมดุลอย่างถูกต้อง เดบิต = %s & เครดิต = %s +Balancing=การปรับสมดุล +FicheVentilation=บัตรเข้าเล่ม +GeneralLedgerIsWritten=ธุรกรรมถูกเขียนไว้ในบัญชีแยกประเภท +GeneralLedgerSomeRecordWasNotRecorded=ไม่สามารถบันทึกธุรกรรมบางรายการได้ หากไม่มีข้อความแสดงข้อผิดพลาดอื่น อาจเป็นเพราะข้อความเหล่านั้นได้รับการบันทึกแล้ว +NoNewRecordSaved=ไม่มีบันทึกที่จะโอนอีกต่อไป +ListOfProductsWithoutAccountingAccount=รายการสินค้าที่ไม่ผูกพันกับบัญชีผังบัญชีใดๆ +ChangeBinding=เปลี่ยนการผูกมัด +Accounted=ลงบัญชีในบัญชีแยกประเภท +NotYetAccounted=ยังไม่ได้โอนเข้าบัญชี +ShowTutorial=แสดงบทช่วยสอน +NotReconciled=ไม่คืนดีกัน +WarningRecordWithoutSubledgerAreExcluded=คำเตือน บรรทัดทั้งหมดที่ไม่มีบัญชีแยกประเภทย่อยที่กำหนดไว้จะถูกกรองและแยกออกจากมุมมองนี้ +AccountRemovedFromCurrentChartOfAccount=บัญชีบัญชีที่ไม่มีอยู่ในผังบัญชีปัจจุบัน ## Admin -BindingOptions=Binding options -ApplyMassCategories=Apply mass categories -AddAccountFromBookKeepingWithNoCategories=Available account not yet in the personalized group -CategoryDeleted=Category for the accounting account has been removed -AccountingJournals=Accounting journals -AccountingJournal=Accounting journal -NewAccountingJournal=New accounting journal -ShowAccountingJournal=Show accounting journal -NatureOfJournal=Nature of Journal -AccountingJournalType1=Miscellaneous operations +BindingOptions=ตัวเลือกการผูก +ApplyMassCategories=ใช้หมวดหมู่มวล +AddAccountFromBookKeepingWithNoCategories=บัญชีที่มีอยู่ยังไม่อยู่ในกลุ่มส่วนบุคคล +CategoryDeleted=หมวดหมู่สำหรับบัญชีการบัญชีถูกลบออกแล้ว +AccountingJournals=วารสารการบัญชี +AccountingJournal=สมุดรายวันการบัญชี +NewAccountingJournal=สมุดรายวันการบัญชีใหม่ +ShowAccountingJournal=แสดงสมุดรายวันการบัญชี +NatureOfJournal=ลักษณะของวารสาร +AccountingJournalType1=การดำเนินงานเบ็ดเตล็ด AccountingJournalType2=ขาย AccountingJournalType3=การสั่งซื้อสินค้า AccountingJournalType4=ธนาคาร AccountingJournalType5=รายงานค่าใช้จ่าย -AccountingJournalType8=Inventory -AccountingJournalType9=Has-new -GenerationOfAccountingEntries=Generation of accounting entries -ErrorAccountingJournalIsAlreadyUse=This journal is already use -AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s -NumberOfAccountancyEntries=Number of entries -NumberOfAccountancyMovements=Number of movements -ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting +AccountingJournalType8=รายการสิ่งของ +AccountingJournalType9=กำไรสะสม +GenerationOfAccountingEntries=การสร้างรายการทางบัญชี +ErrorAccountingJournalIsAlreadyUse=วารสารนี้มีการใช้งานแล้ว +AccountingAccountForSalesTaxAreDefinedInto=หมายเหตุ: บัญชีการบัญชีสำหรับภาษีขายถูกกำหนดไว้ในเมนู %s - %s +NumberOfAccountancyEntries=จำนวนรายการ +NumberOfAccountancyMovements=จำนวนการเคลื่อนไหว +ACCOUNTING_DISABLE_BINDING_ON_SALES=ปิดการใช้งานการผูกและการโอนในการบัญชีเกี่ยวกับการขาย (ใบแจ้งหนี้ของลูกค้าจะไม่ถูกนำมาพิจารณาในการบัญชี) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=ปิดใช้งานการผูกและการโอนในการบัญชีในการซื้อ (ใบแจ้งหนี้ของผู้จัดจำหน่ายจะไม่ถูกนำมาพิจารณาในการบัญชี) +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=ปิดใช้งานการผูกและการโอนในการบัญชีในรายงานค่าใช้จ่าย (รายงานค่าใช้จ่ายจะไม่ถูกนำมาพิจารณาในการบัญชี) +ACCOUNTING_ENABLE_LETTERING=เปิดใช้งานฟังก์ชันตัวอักษรในการบัญชี +ACCOUNTING_ENABLE_LETTERING_DESC=เมื่อเปิดใช้งานตัวเลือกนี้ คุณสามารถกำหนดรหัสในรายการบัญชีแต่ละรายการได้ เพื่อให้คุณสามารถจัดกลุ่มความเคลื่อนไหวทางบัญชีที่แตกต่างกันเข้าด้วยกันได้ ในอดีต เมื่อวารสารต่างๆ ได้รับการจัดการอย่างเป็นอิสระ คุณลักษณะนี้จำเป็นต่อการจัดกลุ่มรายการการเคลื่อนไหวของวารสารต่างๆ ไว้ด้วยกัน อย่างไรก็ตาม ด้วยบัญชี Dolibarr โค้ดติดตามดังกล่าวเรียกว่า "%s
      " ได้รับการบันทึกโดยอัตโนมัติแล้ว ดังนั้นการป้อนตัวอักษรอัตโนมัติจึงเสร็จสิ้นแล้ว โดยไม่มีความเสี่ยงที่จะเกิดข้อผิดพลาด ดังนั้นคุณลักษณะนี้จึงไร้ประโยชน์สำหรับการใช้งานทั่วไป คุณสมบัติการลงตัวอักษรด้วยตนเองมีไว้สำหรับผู้ใช้ที่ไม่ไว้วางใจกลไกคอมพิวเตอร์ที่ทำการถ่ายโอนข้อมูลในการบัญชี +EnablingThisFeatureIsNotNecessary=การเปิดใช้งานคุณลักษณะนี้ไม่จำเป็นอีกต่อไปสำหรับการจัดการบัญชีที่เข้มงวดอีกต่อไป +ACCOUNTING_ENABLE_AUTOLETTERING=เปิดใช้งานตัวอักษรอัตโนมัติเมื่อถ่ายโอนไปยังการบัญชี +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=รหัสสำหรับตัวอักษรจะถูกสร้างขึ้นและเพิ่มขึ้นโดยอัตโนมัติ และไม่ได้ถูกเลือกโดยผู้ใช้ +ACCOUNTING_LETTERING_NBLETTERS=จำนวนตัวอักษรเมื่อสร้างรหัสตัวอักษร (ค่าเริ่มต้น 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=ซอฟต์แวร์บัญชีบางตัวยอมรับเฉพาะรหัสสองตัวเท่านั้น พารามิเตอร์นี้อนุญาตให้คุณตั้งค่าลักษณะนี้ จำนวนตัวอักษรเริ่มต้นคือสาม +OptionsAdvanced=ตัวเลือกขั้นสูง +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=เปิดใช้งานการจัดการค่าธรรมเนียมย้อนกลับ VAT จากการซื้อของซัพพลายเออร์ +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=เมื่อเปิดใช้งานตัวเลือกนี้ คุณสามารถกำหนดได้ว่าซัพพลายเออร์หรือใบแจ้งหนี้ของผู้จัดจำหน่ายที่กำหนดจะต้องถูกโอนไปยังการบัญชีด้วยวิธีอื่น: เดบิตและวงเงินเครดิตเพิ่มเติมจะถูกสร้างขึ้นในการบัญชีใน 2 บัญชีที่กำหนดจากผังบัญชีที่กำหนดไว้ใน "%s" หน้าการตั้งค่า ## Export -NotExportLettering=Do not export the lettering when generating the file -NotifiedExportDate=Flag exported lines as Exported (to modify a line, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) -DateValidationAndLock=Date validation and lock -ConfirmExportFile=Confirmation of the generation of the accounting export file ? -ExportDraftJournal=Export draft journal +NotExportLettering=อย่าส่งออกตัวอักษรเมื่อสร้างไฟล์ +NotifiedExportDate=ตั้งค่าสถานะบรรทัดที่ยังไม่ได้ส่งออกเป็นส่งออกแล้ว (หากต้องการแก้ไขบรรทัดที่ตั้งค่าสถานะว่าส่งออกแล้ว คุณจะต้องลบธุรกรรมทั้งหมดและโอนไปยังบัญชีอีกครั้ง) +NotifiedValidationDate=ตรวจสอบและล็อกรายการที่ส่งออกซึ่งยังไม่ได้ล็อก (มีผลเหมือนกับคุณลักษณะ "%s" การแก้ไข และการลบ บรรทัดจะเป็นไปไม่ได้อย่างแน่นอน) +NotifiedExportFull=เอกสารส่งออก ? +DateValidationAndLock=การตรวจสอบวันที่และล็อค +ConfirmExportFile=ยืนยันการสร้างไฟล์ส่งออกทางบัญชี ? +ExportDraftJournal=ส่งออกสมุดรายวันฉบับร่าง Modelcsv=รูปแบบของการส่งออก Selectmodelcsv=เลือกรูปแบบของการส่งออก Modelcsv_normal=การส่งออกคลาสสิก -Modelcsv_CEGID=Export for CEGID Expert Comptabilité -Modelcsv_COALA=Export for Sage Coala -Modelcsv_bob50=Export for Sage BOB 50 -Modelcsv_ciel=Export for Sage50, Ciel Compta or Compta Evo. (Format XIMPORT) -Modelcsv_quadratus=Export for Quadratus QuadraCompta -Modelcsv_ebp=Export for EBP -Modelcsv_cogilog=Export for Cogilog -Modelcsv_agiris=Export for Agiris Isacompta -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) -Modelcsv_openconcerto=Export for OpenConcerto (Test) -Modelcsv_configurable=Export CSV Configurable -Modelcsv_FEC=Export FEC -Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed) -Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland -Modelcsv_winfic=Export for Winfic - eWinfic - WinSis Compta -Modelcsv_Gestinumv3=Export for Gestinum (v3) -Modelcsv_Gestinumv5=Export for Gestinum (v5) -Modelcsv_charlemagne=Export for Aplim Charlemagne -ChartofaccountsId=Chart of accounts Id +Modelcsv_CEGID=ส่งออกสำหรับ CEGID Expert Comptabilité +Modelcsv_COALA=ส่งออกสำหรับ Sage Coala +Modelcsv_bob50=ส่งออกสำหรับ Sage BOB 50 +Modelcsv_ciel=ส่งออกสำหรับ Sage50, Ciel Compta หรือ Compta Evo (รูปแบบ XIMPORT) +Modelcsv_quadratus=ส่งออกสำหรับ Quadratus QuadraCompta +Modelcsv_ebp=ส่งออกสำหรับ EBP +Modelcsv_cogilog=ส่งออกสำหรับ Cogilog +Modelcsv_agiris=ส่งออกสำหรับ Agiris Isacompta +Modelcsv_LDCompta=ส่งออกสำหรับ LD Compta (v9) (ทดสอบ) +Modelcsv_LDCompta10=ส่งออกสำหรับ LD Compta (v10 และสูงกว่า) +Modelcsv_openconcerto=ส่งออกสำหรับ OpenConcerto (ทดสอบ) +Modelcsv_configurable=ส่งออก CSV ที่กำหนดค่าได้ +Modelcsv_FEC=ส่งออก FEC +Modelcsv_FEC2=ส่งออก FEC (พร้อมการเขียนการสร้างวันที่ / การกลับรายการเอกสาร) +Modelcsv_Sage50_Swiss=ส่งออกสำหรับ Sage 50 สวิตเซอร์แลนด์ +Modelcsv_winfic=ส่งออกสำหรับ Winfic - eWinfic - WinSis Compta +Modelcsv_Gestinumv3=ส่งออกสำหรับ Gestinum (v3) +Modelcsv_Gestinumv5=ส่งออกสำหรับ Gestinum (v5) +Modelcsv_charlemagne=ส่งออกไปยัง Aplim Charlemagne +ChartofaccountsId=รหัสผังบัญชี ## Tools - Init accounting account on product / service -InitAccountancy=Init accountancy -InitAccountancyDesc=This page can be used to initialize an accounting account on products and services that does not have accounting account defined for sales and purchases. -DefaultBindingDesc=This page can be used to set a default account to use to link transactions record about payment salaries, donation, taxes and vat when no specific accounting account were already set. -DefaultClosureDesc=This page can be used to set parameters used for accounting closures. -Options=Options -OptionModeProductSell=Mode sales -OptionModeProductSellIntra=Mode sales exported in EEC -OptionModeProductSellExport=Mode sales exported in other countries -OptionModeProductBuy=Mode purchases -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries -OptionModeProductSellDesc=Show all products with accounting account for sales. -OptionModeProductSellIntraDesc=Show all products with accounting account for sales in EEC. -OptionModeProductSellExportDesc=Show all products with accounting account for other foreign sales. -OptionModeProductBuyDesc=Show all products with accounting account for purchases. -OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC. -OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases. -CleanFixHistory=Remove accounting code from lines that not exists into charts of account -CleanHistory=Reset all bindings for selected year -PredefinedGroups=Predefined groups -WithoutValidAccount=Without valid dedicated account -WithValidAccount=With valid dedicated account -ValueNotIntoChartOfAccount=This value of accounting account does not exist into chart of account -AccountRemovedFromGroup=Account removed from group -SaleLocal=Local sale -SaleExport=Export sale -SaleEEC=Sale in EEC -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fallback on the product account for standard sales. You can fix the VAT ID of thirdparty or the product account if needed. -ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. -ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. +InitAccountancy=เริ่มต้นการบัญชี +InitAccountancyDesc=หน้านี้สามารถใช้เพื่อเริ่มต้นบัญชีการบัญชีสำหรับผลิตภัณฑ์และบริการที่ไม่มีบัญชีการบัญชีที่กำหนดไว้สำหรับการขายและการซื้อ +DefaultBindingDesc=หน้านี้สามารถใช้เพื่อตั้งค่าบัญชีเริ่มต้น (จากผังบัญชี) เพื่อใช้เชื่อมโยงออบเจ็กต์ทางธุรกิจกับบัญชี เช่น เงินเดือนการชำระเงิน การบริจาค ภาษี และภาษีมูลค่าเพิ่ม เมื่อไม่ได้ตั้งค่าบัญชีเฉพาะเจาะจงไว้แล้ว +DefaultClosureDesc=หน้านี้สามารถใช้เพื่อตั้งค่าพารามิเตอร์ที่ใช้สำหรับการปิดบัญชี +Options=ตัวเลือก +OptionModeProductSell=ขายโหมด +OptionModeProductSellIntra=ขายโหมดส่งออกใน EEC +OptionModeProductSellExport=ขายโหมดส่งออกไปต่างประเทศ +OptionModeProductBuy=การซื้อโหมด +OptionModeProductBuyIntra=การซื้อโหมดที่นำเข้าใน EEC +OptionModeProductBuyExport=โหมดที่ซื้อนำเข้าจากประเทศอื่น +OptionModeProductSellDesc=แสดงสินค้าทั้งหมดพร้อมบัญชีบัญชีการขาย +OptionModeProductSellIntraDesc=แสดงสินค้าทั้งหมดพร้อมบัญชีบัญชีการขายใน EEC +OptionModeProductSellExportDesc=แสดงสินค้าทั้งหมดพร้อมบัญชีบัญชีการขายต่างประเทศอื่นๆ +OptionModeProductBuyDesc=แสดงผลิตภัณฑ์ทั้งหมดที่มีบัญชีการบัญชีสำหรับการซื้อ +OptionModeProductBuyIntraDesc=แสดงผลิตภัณฑ์ทั้งหมดที่มีบัญชีการบัญชีสำหรับการซื้อใน EEC +OptionModeProductBuyExportDesc=แสดงสินค้าทั้งหมดพร้อมบัญชีการบัญชีสำหรับซื้อสินค้าจากต่างประเทศอื่นๆ +CleanFixHistory=ลบรหัสบัญชีออกจากบรรทัดที่ไม่มีอยู่ในผังบัญชี +CleanHistory=รีเซ็ตการเชื่อมโยงทั้งหมดสำหรับปีที่เลือก +PredefinedGroups=กลุ่มที่กำหนดไว้ล่วงหน้า +WithoutValidAccount=ไม่มีบัญชีเฉพาะที่ถูกต้อง +WithValidAccount=ด้วยบัญชีเฉพาะที่ถูกต้อง +ValueNotIntoChartOfAccount=ค่าบัญชีทางบัญชีนี้ไม่มีอยู่ในผังบัญชี +AccountRemovedFromGroup=บัญชีถูกลบออกจากกลุ่ม +SaleLocal=ขายในท้องถิ่น +SaleExport=ขายส่งออก +SaleEEC=ขายในอีอีซี +SaleEECWithVAT=การขายใน EEC โดยมี VAT ไม่เป็นโมฆะ ดังนั้นเราจึงถือว่านี่ไม่ใช่การขายภายในชุมชน และบัญชีที่แนะนำคือบัญชีผลิตภัณฑ์มาตรฐาน +SaleEECWithoutVATNumber=ขายใน EEC โดยไม่มีภาษีมูลค่าเพิ่ม แต่ไม่มีการระบุรหัสภาษีมูลค่าเพิ่มของบุคคลที่สาม เราถอยกลับไปอยู่ในบัญชีสำหรับยอดขายมาตรฐาน คุณสามารถแก้ไขรหัส VAT ของบุคคลที่สาม หรือเปลี่ยนบัญชีผลิตภัณฑ์ที่แนะนำสำหรับการผูกมัดได้ หากจำเป็น +ForbiddenTransactionAlreadyExported=ห้าม: ธุรกรรมได้รับการตรวจสอบและ/หรือส่งออกแล้ว +ForbiddenTransactionAlreadyValidated=ห้าม: ธุรกรรมได้รับการตรวจสอบแล้ว ## Dictionary -Range=Range of accounting account -Calculated=Calculated -Formula=Formula +Range=ช่วงของบัญชีการบัญชี +Calculated=คำนวณแล้ว +Formula=สูตร ## Reconcile -LetteringAuto=Reconcile auto -LetteringManual=Reconcile manual -Unlettering=Unreconcile -UnletteringAuto=Unreconcile auto -UnletteringManual=Unreconcile manual -AccountancyNoLetteringModified=No reconcile modified -AccountancyOneLetteringModifiedSuccessfully=One reconcile successfully modified -AccountancyLetteringModifiedSuccessfully=%s reconcile successfully modified -AccountancyNoUnletteringModified=No unreconcile modified -AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified -AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +LetteringAuto=กระทบยอดอัตโนมัติ +LetteringManual=คู่มือการกระทบยอด +Unlettering=ไม่ประนีประนอม +UnletteringAuto=ไม่กระทบยอดอัตโนมัติ +UnletteringManual=คู่มือที่ไม่กระทบยอด +AccountancyNoLetteringModified=ไม่มีการแก้ไขการกระทบยอด +AccountancyOneLetteringModifiedSuccessfully=แก้ไขการกระทบยอดหนึ่งรายการเรียบร้อยแล้ว +AccountancyLetteringModifiedSuccessfully=%s แก้ไขการกระทบยอดสำเร็จแล้ว +AccountancyNoUnletteringModified=ไม่มีการแก้ไขไม่กระทบยอด +AccountancyOneUnletteringModifiedSuccessfully=แก้ไขการกระทบยอดที่ไม่กระทบยอดสำเร็จแล้ว 1 รายการ +AccountancyUnletteringModifiedSuccessfully=%s แก้ไขการกระทบยอดสำเร็จแล้ว + +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period +AccountancyClosureStep3=ขั้นตอนที่ 3 : แยกรายการ (ไม่บังคับ) +AccountancyClosureClose=ปิดงวดบัญชี +AccountancyClosureAccountingReversal=แยกและบันทึกรายการ "กำไรสะสม" +AccountancyClosureStep3NewFiscalPeriod=รอบระยะเวลาบัญชีถัดไป +AccountancyClosureGenerateClosureBookkeepingRecords=สร้างรายการ "กำไรสะสม" ในรอบระยะเวลาบัญชีถัดไป +AccountancyClosureSeparateAuxiliaryAccounts=เมื่อสร้างรายการ "กำไรสะสม" ให้ระบุรายละเอียดบัญชีแยกประเภทย่อย +AccountancyClosureCloseSuccessfully=ปิดรอบระยะเวลาบัญชีเรียบร้อยแล้ว +AccountancyClosureInsertAccountingReversalSuccessfully=แทรกรายการการบัญชีสำหรับ "กำไรสะสม" สำเร็จแล้ว ## Confirm box -ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation -ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? -ConfirmMassDeleteBookkeepingWriting=Bulk Delete confirmation -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) Are you sure you want to delete the %s selected record(s)? +ConfirmMassUnletteringAuto=การยืนยันการยกเลิกการกระทบยอดอัตโนมัติเป็นกลุ่ม +ConfirmMassUnletteringManual=การยืนยันการกระทบยอดด้วยตนเองจำนวนมาก +ConfirmMassUnletteringQuestion=คุณแน่ใจหรือไม่ว่าต้องการยกเลิกการกระทบยอดบันทึก %s ที่เลือก +ConfirmMassDeleteBookkeepingWriting=การยืนยันการลบจำนวนมาก +ConfirmMassDeleteBookkeepingWritingQuestion=การดำเนินการนี้จะลบธุรกรรมออกจากการบัญชี (รายการบรรทัดทั้งหมดที่เกี่ยวข้องกับธุรกรรมเดียวกันจะถูกลบ) คุณแน่ใจหรือไม่ว่าต้องการลบรายการที่เลือก %s +AccountancyClosureConfirmClose=คุณแน่ใจหรือไม่ว่าต้องการปิดรอบระยะเวลาบัญชีปัจจุบัน คุณเข้าใจว่าการปิดรอบระยะเวลาบัญชีเป็นการดำเนินการที่ไม่สามารถย้อนกลับได้ และจะบล็อกการแก้ไขหรือการลบรายการใดๆ ในช่วงเวลานี้อย่างถาวร . +AccountancyClosureConfirmAccountingReversal=คุณแน่ใจหรือไม่ว่าต้องการบันทึกรายการสำหรับ "กำไรสะสม" ## Error -SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them -ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) -ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused. -ErrorInvoiceContainsLinesNotYetBoundedShort=Some lines on invoice are not bound to accounting account. -ExportNotSupported=The export format setuped is not supported into this page -BookeppingLineAlreayExists=Lines already existing into bookkeeping -NoJournalDefined=No journal defined -Binded=Lines bound -ToBind=Lines to bind -UseMenuToSetBindindManualy=Lines not yet bound, use menu %s to make the binding manually -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Sorry this module is not compatible with the experimental feature of situation invoices -AccountancyErrorMismatchLetterCode=Mismatch in reconcile code -AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 -AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s -ErrorAccountNumberAlreadyExists=The accounting number %s already exists +SomeMandatoryStepsOfSetupWereNotDone=ขั้นตอนการตั้งค่าบังคับบางขั้นตอนยังไม่เสร็จสิ้น โปรดดำเนินการให้เสร็จสิ้น +ErrorNoAccountingCategoryForThisCountry=ไม่มีกลุ่มบัญชีการบัญชีสำหรับประเทศ %s (ดู %s - %s - %s) +ErrorInvoiceContainsLinesNotYetBounded=คุณพยายามบันทึกบางบรรทัดของใบแจ้งหนี้ %s แต่ บางบรรทัดยังไม่ผูกกับบัญชีบัญชี การบันทึกรายการใบแจ้งหนี้ทั้งหมดสำหรับใบแจ้งหนี้นี้จะถูกปฏิเสธ +ErrorInvoiceContainsLinesNotYetBoundedShort=บางบรรทัดในใบแจ้งหนี้ไม่ได้ผูกไว้กับบัญชีทางบัญชี +ExportNotSupported=ไม่รองรับรูปแบบการส่งออกที่ตั้งค่าไว้ในหน้านี้ +BookeppingLineAlreayExists=เส้นที่มีอยู่ในการทำบัญชีอยู่แล้ว +NoJournalDefined=ไม่มีการกำหนดวารสาร +Binded=เส้นที่ถูกผูกไว้ +ToBind=เส้นที่จะผูก +UseMenuToSetBindindManualy=ยังไม่ผูกบรรทัด ให้ใช้เมนู %s เพื่อทำการเชื่อมโยง ด้วยตนเอง +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=หมายเหตุ: โมดูลหรือหน้านี้เข้ากันไม่ได้อย่างสมบูรณ์กับคุณลักษณะทดลองของใบแจ้งหนี้ของสถานการณ์ ข้อมูลบางอย่างอาจผิดพลาดได้ +AccountancyErrorMismatchLetterCode=ไม่ตรงกันในรหัสกระทบยอด +AccountancyErrorMismatchBalanceAmount=ยอดคงเหลือ (%s) ไม่เท่ากับ 0 +AccountancyErrorLetteringBookkeeping=เกิดข้อผิดพลาดเกี่ยวกับธุรกรรม: %s +ErrorAccountNumberAlreadyExists=หมายเลขบัญชี %s มีอยู่แล้ว +ErrorArchiveAddFile=ไม่สามารถใส่ไฟล์ "%s" ในไฟล์เก็บถาวร +ErrorNoFiscalPeriodActiveFound=ไม่พบรอบระยะเวลาบัญชีที่ใช้งานอยู่ +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=วันที่เอกสารการทำบัญชีไม่อยู่ภายในรอบระยะเวลาทางบัญชีที่ใช้งานอยู่ +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=วันที่เอกสารการทำบัญชีอยู่ภายในรอบระยะเวลาบัญชีที่ปิด ## Import -ImportAccountingEntries=Accounting entries -ImportAccountingEntriesFECFormat=Accounting entries - FEC format -FECFormatJournalCode=Code journal (JournalCode) -FECFormatJournalLabel=Label journal (JournalLib) -FECFormatEntryNum=Piece number (EcritureNum) -FECFormatEntryDate=Piece date (EcritureDate) -FECFormatGeneralAccountNumber=General account number (CompteNum) -FECFormatGeneralAccountLabel=General account label (CompteLib) -FECFormatSubledgerAccountNumber=Subledger account number (CompAuxNum) -FECFormatSubledgerAccountLabel=Subledger account number (CompAuxLib) -FECFormatPieceRef=Piece ref (PieceRef) -FECFormatPieceDate=Piece date creation (PieceDate) -FECFormatLabelOperation=Label operation (EcritureLib) -FECFormatDebit=Debit (Debit) -FECFormatCredit=Credit (Credit) -FECFormatReconcilableCode=Reconcilable code (EcritureLet) -FECFormatReconcilableDate=Reconcilable date (DateLet) -FECFormatValidateDate=Piece date validated (ValidDate) -FECFormatMulticurrencyAmount=Multicurrency amount (Montantdevise) -FECFormatMulticurrencyCode=Multicurrency code (Idevise) +ImportAccountingEntries=รายการบัญชี +ImportAccountingEntriesFECFormat=รายการบัญชี - รูปแบบ FEC +FECFormatJournalCode=รหัสสมุดรายวัน (JournalCode) +FECFormatJournalLabel=สมุดรายวันป้ายกำกับ (JournalLib) +FECFormatEntryNum=หมายเลขชิ้นส่วน (EcritureNum) +FECFormatEntryDate=วันที่ชิ้น (EcritureDate) +FECFormatGeneralAccountNumber=หมายเลขบัญชีทั่วไป (CompteNum) +FECFormatGeneralAccountLabel=ป้ายกำกับบัญชีทั่วไป (CompteLib) +FECFormatSubledgerAccountNumber=หมายเลขบัญชีแยกประเภทย่อย (CompAuxNum) +FECFormatSubledgerAccountLabel=หมายเลขบัญชีแยกประเภทย่อย (CompAuxLib) +FECFormatPieceRef=ชิ้นอ้างอิง ( PieceRef ) +FECFormatPieceDate=การสร้างวันที่ของชิ้นส่วน ( PieceDate) +FECFormatLabelOperation=การดำเนินการฉลาก (EcritureLib) +FECFormatDebit=เดบิต (เดบิต) +FECFormatCredit=เครดิต (เครดิต) +FECFormatReconcilableCode=รหัสที่กระทบยอดได้ (EcritureLet) +FECFormatReconcilableDate=วันที่กระทบยอดได้ (DateLet) +FECFormatValidateDate=ตรวจสอบวันที่ของชิ้นส่วนแล้ว (ValidDate) +FECFormatMulticurrencyAmount=จำนวนหลายสกุลเงิน (Montantdevise) +FECFormatMulticurrencyCode=รหัสหลายสกุลเงิน (Idevise) -DateExport=Date export -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contains transaction modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. -ExpenseReportJournal=Expense Report Journal +DateExport=วันที่ส่งออก +WarningReportNotReliable=คำเตือน รายงานนี้ไม่ยึดตามบัญชีแยกประเภท ดังนั้นจึงไม่มีธุรกรรมที่แก้ไขด้วยตนเองในบัญชีแยกประเภท หากการทำเจอร์นัลของคุณเป็นข้อมูลล่าสุด มุมมองการทำบัญชีจะมีความแม่นยำมากขึ้น +ExpenseReportJournal=วารสารรายงานค่าใช้จ่าย +DocsAlreadyExportedAreIncluded=รวมเอกสารที่ส่งออกไปแล้วด้วย +ClickToShowAlreadyExportedLines=คลิกเพื่อแสดงบรรทัดที่ส่งออกแล้ว -NAccounts=%s accounts +NAccounts=บัญชี %s diff --git a/htdocs/langs/th_TH/admin.lang b/htdocs/langs/th_TH/admin.lang index 5eb78b28019..2dcd5b707fb 100644 --- a/htdocs/langs/th_TH/admin.lang +++ b/htdocs/langs/th_TH/admin.lang @@ -51,8 +51,8 @@ ClientSortingCharset=Client collation WarningModuleNotActive=โมดูล %s ต้องเปิดใช้งาน WarningOnlyPermissionOfActivatedModules=สิทธิ์เฉพาะที่เกี่ยวข้องกับการเปิดใช้งานโมดูลจะแสดงที่นี่ คุณสามารถเปิดใช้งานโมดูลอื่น ๆ ในหน้าแรก> Setup-> หน้าโมดูล DolibarrSetup=ติดตั้ง Dolibarr หรืออัพเกรด -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=การอัพเกรดโดลิบาร์ +DolibarrAddonInstall=การติดตั้งโมดูล Addon/ภายนอก (อัปโหลดหรือสร้างขึ้น) InternalUsers=ผู้ใช้ภายใน ExternalUsers=ผู้ใช้ภายนอก UserInterface=หน้าจอผู้ใช้ @@ -147,7 +147,7 @@ Box=วิดเจ็ต Boxes=วิดเจ็ต MaxNbOfLinesForBoxes=จำนวนบรรทัดสูงสุดสำหรับวิดเจ็ต AllWidgetsWereEnabled=วิดเจ็ตทั้งหมดที่มีเปิดใช้งานแล้ว -WidgetAvailable=Widget available +WidgetAvailable=วิดเจ็ตพร้อมใช้งาน PositionByDefault=Default order Position=ตำแหน่ง MenusDesc=ตัวจัดการเมนูกำหนดเนื้อหาของแถบเมนูสองแถบ (แนวนอนและแนวตั้ง) @@ -227,6 +227,8 @@ NotCompatible=โมดูลนี้ดูเหมือนจะเข้า CompatibleAfterUpdate=โมดูลนี้ต้องการการอัปเดต Dolibarr ของคุณ %s (ต่ำสุด %s - สูงสุด %s). SeeInMarkerPlace=ดูในมาร์เก็ตเพลส SeeSetupOfModule=ดูการตั้งค่าของโมดูล %s +SeeSetupPage=ดูหน้าการตั้งค่าที่ %s +SeeReportPage=ดูหน้ารายงานที่ %s SetOptionTo=ตั้งค่าตัวเลือก %s ถึง %s Updated=อัพเดต AchatTelechargement=ซื้อ / ดาวน์โหลด @@ -274,101 +276,101 @@ HelpCenterDesc1=ต่อไปนี้คือแหล่งข้อมู HelpCenterDesc2=แหล่งข้อมูลเหล่านี้บางส่วนมีให้เฉพาะใน ภาษาอังกฤษ. CurrentMenuHandler=จัดการเมนูปัจจุบัน MeasuringUnit=หน่วยการวัด -LeftMargin=Left margin -TopMargin=Top margin -PaperSize=Paper type -Orientation=Orientation -SpaceX=Space X -SpaceY=Space Y -FontSize=Font size -Content=Content -ContentForLines=Content to display for each product or service (from variable __LINES__ of Content) +LeftMargin=ขอบซ้าย +TopMargin=ขอบบน +PaperSize=ประเภทกระดาษ +Orientation=ปฐมนิเทศ +SpaceX=สเปซเอ็กซ์ +SpaceY=สเปซ วาย +FontSize=ขนาดตัวอักษร +Content=เนื้อหา +ContentForLines=เนื้อหาที่จะแสดงสำหรับแต่ละผลิตภัณฑ์หรือบริการ (จากตัวแปร __LINES__ ของเนื้อหา) NoticePeriod=ระยะเวลาการแจ้งให้ทราบล่วงหน้า -NewByMonth=New by month +NewByMonth=ใหม่เป็นเดือน Emails=อีเมล EMailsSetup=การตั้งค่าอีเมล -EMailsDesc=This page allows you to set parameters or options for email sending. -EmailSenderProfiles=Emails sender profiles -EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. -MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (default value in php.ini: %s) -MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (default value in php.ini: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix-like systems) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix-like systems) -MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (default value in php.ini: %s) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration -MAIN_MAIL_ERRORS_TO=Email used for error returns emails (fields 'Errors-To' in emails sent) -MAIN_MAIL_AUTOCOPY_TO= Copy (Bcc) all sent emails to -MAIN_DISABLE_ALL_MAILS=Disable all email sending (for test purposes or demos) -MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice -MAIN_MAIL_SENDMODE=Email sending method -MAIN_MAIL_SMTPS_ID=SMTP ID (if sending server requires authentication) -MAIN_MAIL_SMTPS_PW=SMTP Password (if sending server requires authentication) -MAIN_MAIL_EMAIL_TLS=Use TLS (SSL) encryption -MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés -MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature -MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim -MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector -MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing -MAIN_DISABLE_ALL_SMS=Disable all SMS sending (for test purposes or demos) +EMailsDesc=หน้านี้ให้คุณตั้งค่าพารามิเตอร์หรือตัวเลือกสำหรับการส่งอีเมล +EmailSenderProfiles=โปรไฟล์ผู้ส่งอีเมล +EMailsSenderProfileDesc=คุณสามารถเว้นส่วนนี้ไว้ได้ หากคุณป้อนอีเมลบางส่วนที่นี่ อีเมลเหล่านั้นจะถูกเพิ่มลงในรายชื่อผู้ส่งที่เป็นไปได้ในกล่องคำสั่งผสมเมื่อคุณเขียนอีเมลใหม่ +MAIN_MAIL_SMTP_PORT=พอร์ต SMTP/SMTPS (ค่าเริ่มต้นใน php.ini: %s) +MAIN_MAIL_SMTP_SERVER=โฮสต์ SMTP/SMTPS (ค่าเริ่มต้นใน php.ini: %s) +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=พอร์ต SMTP/SMTPS +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=โฮสต์ SMTP/SMTPS +MAIN_MAIL_EMAIL_FROM=ส่งอีเมลสำหรับอีเมลอัตโนมัติ +EMailHelpMsgSPFDKIM=เพื่อป้องกันไม่ให้อีเมล Dolibarr ถูกจัดประเภทว่าเป็นสแปม ตรวจสอบให้แน่ใจว่าเซิร์ฟเวอร์ได้รับอนุญาตให้ส่งอีเมลภายใต้ข้อมูลระบุตัวตนนี้ (โดยตรวจสอบการกำหนดค่า SPF และ DKIM ของชื่อโดเมน) +MAIN_MAIL_ERRORS_TO=อีเมลที่ใช้สำหรับข้อผิดพลาดในการส่งคืนอีเมล (ช่อง 'ข้อผิดพลาดถึง' ในอีเมลที่ส่ง) +MAIN_MAIL_AUTOCOPY_TO= คัดลอก (Bcc) อีเมลที่ส่งทั้งหมดไปที่ +MAIN_DISABLE_ALL_MAILS=ปิดการใช้งานการส่งอีเมลทั้งหมด (เพื่อการทดสอบหรือการสาธิต) +MAIN_MAIL_FORCE_SENDTO=ส่งอีเมลทั้งหมดไปที่ (แทนที่จะเป็นผู้รับจริง เพื่อการทดสอบ) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=แนะนำอีเมลของพนักงาน (หากกำหนดไว้) ลงในรายชื่อผู้รับที่กำหนดไว้ล่วงหน้าเมื่อเขียนอีเมลใหม่ +MAIN_MAIL_NO_WITH_TO_SELECTED=อย่าเลือกผู้รับเริ่มต้นแม้ว่าจะมีตัวเลือกที่เป็นไปได้เพียง 1 รายการก็ตาม +MAIN_MAIL_SENDMODE=วิธีการส่งอีเมล +MAIN_MAIL_SMTPS_ID=SMTP ID (หากเซิร์ฟเวอร์การส่งต้องมีการรับรองความถูกต้อง) +MAIN_MAIL_SMTPS_PW=รหัสผ่าน SMTP (หากเซิร์ฟเวอร์การส่งต้องมีการรับรองความถูกต้อง) +MAIN_MAIL_EMAIL_TLS=ใช้การเข้ารหัส TLS (SSL) +MAIN_MAIL_EMAIL_STARTTLS=ใช้การเข้ารหัส TLS (STARTTLS) +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=อนุญาตใบรับรองที่ลงนามด้วยตนเอง +MAIN_MAIL_EMAIL_DKIM_ENABLED=ใช้ DKIM เพื่อสร้างลายเซ็นอีเมล +MAIN_MAIL_EMAIL_DKIM_DOMAIN=โดเมนอีเมลสำหรับใช้กับ dkim +MAIN_MAIL_EMAIL_DKIM_SELECTOR=ชื่อของตัวเลือก dkim +MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=รหัสส่วนตัวสำหรับการลงนาม dkim +MAIN_DISABLE_ALL_SMS=ปิดการใช้งานการส่ง SMS ทั้งหมด (เพื่อการทดสอบหรือการสาธิต) MAIN_SMS_SENDMODE=วิธีการที่จะใช้ในการส่ง SMS -MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending -MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email) +MAIN_MAIL_SMS_FROM=หมายเลขโทรศัพท์ผู้ส่งเริ่มต้นสำหรับการส่ง SMS +MAIN_MAIL_DEFAULT_FROMTYPE=อีเมลผู้ส่งเริ่มต้นที่เลือกไว้ล่วงหน้าในแบบฟอร์มเพื่อส่งอีเมล UserEmail=อีเมลผู้ใช้ CompanyEmail=อีเมลบริษัท FeatureNotAvailableOnLinux=คุณลักษณะที่ไม่สามารถใช้ได้บน Unix เหมือนระบบ ทดสอบโปรแกรม sendmail ในประเทศของคุณ -FixOnTransifex=Fix the translation on the online translation platform of project -SubmitTranslation=If the translation for this language is not complete or you find errors, you can correct this by editing files in directory langs/%s and submit your change to www.transifex.com/dolibarr-association/dolibarr/ -SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or, if you are a developer, with a PR on github.com/Dolibarr/dolibarr +FixOnTransifex=แก้ไขการแปลบนแพลตฟอร์มการแปลออนไลน์ของโครงการ +SubmitTranslation=หากการแปลภาษานี้ไม่สมบูรณ์หรือพบข้อผิดพลาด คุณสามารถแก้ไขได้โดยแก้ไขไฟล์ในไดเรกทอรี langs/%s
      และส่งการเปลี่ยนแปลงของคุณไปที่ www.transifex.com/dolibarr-association/dolibarr/ +SubmitTranslationENUS=หากการแปลภาษานี้ไม่สมบูรณ์หรือพบข้อผิดพลาด คุณสามารถแก้ไขได้โดยแก้ไขไฟล์ลงในไดเรกทอรี langs/%s และส่งไฟล์ที่แก้ไขบน dolibarr.org/forum หรือหากคุณเป็นนักพัฒนา ก็ส่งด้วยการประชาสัมพันธ์บน github.com/Dolibarr/dolibarr ModuleSetup=การติดตั้งโมดูล -ModulesSetup=Modules/Application setup +ModulesSetup=การตั้งค่าโมดูล/แอปพลิเคชัน ModuleFamilyBase=ระบบ -ModuleFamilyCrm=Customer Relationship Management (CRM) -ModuleFamilySrm=Vendor Relationship Management (VRM) -ModuleFamilyProducts=Product Management (PM) -ModuleFamilyHr=Human Resource Management (HR) +ModuleFamilyCrm=การจัดการลูกค้าสัมพันธ์ (CRM) +ModuleFamilySrm=การจัดการความสัมพันธ์ผู้ขาย (VRM) +ModuleFamilyProducts=การจัดการผลิตภัณฑ์ (PM) +ModuleFamilyHr=การจัดการทรัพยากรมนุษย์ (HR) ModuleFamilyProjects=โปรเจค / งานทำงานร่วมกัน ModuleFamilyOther=อื่น ๆ ModuleFamilyTechnic=เครื่องมือโมดูลหลาย ModuleFamilyExperimental=โมดูลทดลอง ModuleFamilyFinancial=โมดูลการเงิน (บัญชี / กระทรวงการคลัง) ModuleFamilyECM=การจัดการเนื้อหาอิเล็กทรอนิกส์ (ECM) -ModuleFamilyPortal=Websites and other frontal application -ModuleFamilyInterface=Interfaces with external systems +ModuleFamilyPortal=เว็บไซต์และแอปพลิเคชันหน้าผากอื่น ๆ +ModuleFamilyInterface=การเชื่อมต่อกับระบบภายนอก MenuHandlers=ตัวจัดการเมนู MenuAdmin=แก้ไขเมนู DoNotUseInProduction=ห้ามใช้ในโปรดักซั่น -ThisIsProcessToFollow=Upgrade procedure: -ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: +ThisIsProcessToFollow=ขั้นตอนการอัพเกรด: +ThisIsAlternativeProcessToFollow=นี่เป็นการตั้งค่าทางเลือกในการประมวลผลด้วยตนเอง: StepNb=ขั้นตอนที่ %s -FindPackageFromWebSite=Find a package that provides the features you need (for example on the official web site %s). -DownloadPackageFromWebSite=Download package (for example from the official web site %s). -UnpackPackageInDolibarrRoot=Unpack/unzip the packaged files into your Dolibarr server directory: %s -UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s -SetupIsReadyForUse=Module deployment is finished. You must however enable and setup the module in your application by going to the page setup modules: %s. -NotExistsDirect=The alternative root directory is not defined to an existing directory.
      -InfDirAlt=Since version 3, it is possible to define an alternative root directory. This allows you to store, into a dedicated directory, plug-ins and custom templates.
      Just create a directory at the root of Dolibarr (eg: custom).
      -InfDirExample=
      Then declare it in the file conf.php
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
      If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. -YouCanSubmitFile=You can upload the .zip file of module package from here: +FindPackageFromWebSite=ค้นหาแพ็คเกจที่มีฟีเจอร์ที่คุณต้องการ (เช่น บนเว็บไซต์อย่างเป็นทางการ %s) +DownloadPackageFromWebSite=ดาวน์โหลดแพ็คเกจ (เช่น จากเว็บไซต์อย่างเป็นทางการ %s) +UnpackPackageInDolibarrRoot=แตก/แตกไฟล์แพ็กเกจลงในไดเร็กทอรีเซิร์ฟเวอร์ Dolibarr ของคุณ: %s +UnpackPackageInModulesRoot=หากต้องการปรับใช้/ติดตั้งโมดูลภายนอก คุณต้องคลายแพ็ก/แตกไฟล์เก็บถาวรลงในไดเร็กทอรีเซิร์ฟเวอร์สำหรับโมดูลภายนอกโดยเฉพาะ:
      %s +SetupIsReadyForUse=การปรับใช้โมดูลเสร็จสิ้นแล้ว อย่างไรก็ตาม คุณต้องเปิดใช้งานและตั้งค่าโมดูลในแอปพลิเคชันของคุณโดยไปที่โมดูลการตั้งค่าเพจ: %s. +NotExistsDirect=ไดเร็กทอรีรากทางเลือกไม่ได้ถูกกำหนดให้กับไดเร็กทอรีที่มีอยู่
      +InfDirAlt=ตั้งแต่เวอร์ชัน 3 เป็นต้นไป คุณสามารถกำหนดไดเร็กทอรีรากสำรองได้ ซึ่งช่วยให้คุณสามารถจัดเก็บไว้ในไดเร็กทอรีเฉพาะ ปลั๊กอิน และเทมเพลตที่กำหนดเองได้
      เพียงสร้างไดเร็กทอรีที่รากของ Dolibarr (เช่น: กำหนดเอง)
      +InfDirExample=
      จากนั้นประกาศในไฟล์ conf.php
      $dolibarr_main_url_root_alt='/custom'
      $dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
      หากบรรทัดเหล่านี้มีเครื่องหมาย "#" เพื่อเปิดใช้งาน เพียงยกเลิกการแสดงความคิดเห็นโดยลบอักขระ "#" ออก +YouCanSubmitFile=คุณสามารถอัปโหลดไฟล์ .zip ของแพ็คเกจโมดูลได้จากที่นี่: CurrentVersion=Dolibarr เวอร์ชั่นปัจจุบัน -CallUpdatePage=Browse to the page that updates the database structure and data: %s. -LastStableVersion=Latest stable version -LastActivationDate=Latest activation date -LastActivationAuthor=Latest activation author -LastActivationIP=Latest activation IP -LastActivationVersion=Latest activation version +CallUpdatePage=เรียกดูหน้าที่อัปเดตโครงสร้างฐานข้อมูลและข้อมูล: %s +LastStableVersion=เวอร์ชันเสถียรล่าสุด +LastActivationDate=วันที่เปิดใช้งานล่าสุด +LastActivationAuthor=ผู้เขียนเปิดใช้งานล่าสุด +LastActivationIP=IP การเปิดใช้งานล่าสุด +LastActivationVersion=เวอร์ชันการเปิดใช้งานล่าสุด UpdateServerOffline=เซิร์ฟเวอร์การอัพเดทออฟไลน์ -WithCounter=Manage a counter -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      -GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      +WithCounter=จัดการเคาน์เตอร์ +GenericMaskCodes=คุณสามารถป้อนมาสก์หมายเลขใดก็ได้ ในมาสก์นี้ คุณสามารถใช้แท็กต่อไปนี้ได้:
      {000000} สอดคล้องกับตัวเลขที่จะเพิ่มขึ้นในแต่ละ %s ป้อนเลขศูนย์ให้มากที่สุดตามความยาวของตัวนับที่ต้องการ ตัวนับจะเสร็จสมบูรณ์ด้วยศูนย์จากทางซ้ายเพื่อให้มีศูนย์มากเท่ากับหน้ากาก
      {000000+000} เหมือนกับอันก่อนหน้า แต่ ค่าชดเชยที่สอดคล้องกับตัวเลขทางด้านขวาของเครื่องหมาย + จะถูกนำไปใช้โดยเริ่มต้นที่ %s ตัวแรก
      {000000@x} เหมือนกับอันก่อนหน้า แต่ ตัวนับจะถูกรีเซ็ตเป็นศูนย์เมื่อถึงเดือน x (x ระหว่าง 1 ถึง 12 หรือ 0 เพื่อใช้เดือนแรกของปีบัญชีที่กำหนดไว้ในการกำหนดค่าของคุณ หรือ 99 เพื่อรีเซ็ตเป็นศูนย์ทุกเดือน) หากใช้ตัวเลือกนี้และ x เป็น 2 หรือสูงกว่า ก็จำเป็นต้องมีลำดับ {yy}{mm} หรือ {yyyy}{mm} ด้วย
      {dd} วัน (01 ถึง 31)
      {mm} เดือน (01 ถึง 12)
      {yy}, {yyyy} หรือ {y} ปีที่มากกว่า 2, 4 หรือ 1 หมายเลข
      +GenericMaskCodes2={cccc} รหัสไคลเอ็นต์ที่มีอักขระ n ตัว
      {cccc000} รหัสไคลเอ็นต์ บนอักขระ n ตามด้วยตัวนับสำหรับลูกค้าโดยเฉพาะ ตัวนับนี้สำหรับลูกค้าโดยเฉพาะจะถูกรีเซ็ตในเวลาเดียวกันกับตัวนับส่วนกลาง
      {tttt} รหัสประเภทบุคคลที่สามที่มีอักขระ n ตัว (ดูเมนู หน้าแรก - การตั้งค่า - พจนานุกรม - ประเภทของบุคคลที่สาม) หากคุณเพิ่มแท็กนี้ ตัวนับจะแตกต่างกันสำหรับบุคคลที่สามแต่ละประเภท
      GenericMaskCodes3=ทุกตัวอักษรอื่น ๆ ในหน้ากากจะยังคงเหมือนเดิม
      ไม่อนุญาตให้ใช้ช่องว่าง
      -GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
      Spaces are not allowed.
      In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes3EAN=อักขระอื่นๆ ทั้งหมดในมาสก์จะยังคงเดิม (ยกเว้น * หรือ ? ในตำแหน่งที่ 13 ใน EAN13)
      ไม่อนุญาตให้เว้นวรรค
      ใน EAN13 อักขระตัวสุดท้ายหลัง } ตัวสุดท้ายในตำแหน่งที่ 13 ควรเป็น * หรือ ? . มันจะถูกแทนที่ด้วยคีย์ที่คำนวณ
      +GenericMaskCodes4a=ตัวอย่างในวันที่ 99 %s ของบุคคลที่สาม TheCompany ซึ่งมีวันที่ 2023-01-31:
      +GenericMaskCodes4b=ตัวอย่างของบุคคลที่สามที่สร้างขึ้นเมื่อ 2023-01-31:
      +GenericMaskCodes4c=ตัวอย่างเกี่ยวกับผลิตภัณฑ์ที่สร้างขึ้นเมื่อ 2023-01-31:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000} จะให้ span>ABC2301-000099
      {0000+100@1 }-ZZZ/{dd}/XXX จะให้ 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} จะให้ IN2301-0099-A หากประเภทของบริษัทคือ 'Responsable Inscripto' พร้อมรหัสสำหรับประเภทที่เป็น 'A_RI' GenericNumRefModelDesc=ส่งกลับจำนวนที่ปรับแต่งได้ตามที่กำหนดไว้หน้ากาก ServerAvailableOnIPOrPort=เซิร์ฟเวอร์ที่มีอยู่ในที่อยู่% s พอร์ต% s ServerNotAvailableOnIPOrPort=เซิร์ฟเวอร์ที่ไม่สามารถใช้ได้ตามที่อยู่% s พอร์ต% s @@ -378,344 +380,351 @@ DoTestSendHTML=ทดสอบการส่ง HTM​​L ErrorCantUseRazIfNoYearInMask=เกิดข้อผิดพลาด ไม่สามารถใช้ตัวเลือก @ เพื่อรีเซ็ตตัวนับในแต่ละปีได้ หากลำดับ {yy} หรือ {yyyy} ไม่อยู่ในรูปแบบ ErrorCantUseRazInStartedYearIfNoYearMonthInMask=เกิดข้อผิดพลาด ไม่สามารถใช้ตัวเลือก @ หากลำดับ {yy}{mm} หรือ {yyyy}{mm} ไม่อยู่ในรูปแบบ UMask=umask พารามิเตอร์สำหรับไฟล์ใหม่ใน Unix / Linux / BSD / ระบบไฟล์ Mac -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. -SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization +UMaskExplanation=พารามิเตอร์นี้ช่วยให้คุณสามารถกำหนดสิทธิ์ที่กำหนดโดยค่าเริ่มต้นในไฟล์ที่สร้างโดย Dolibarr บนเซิร์ฟเวอร์ (เช่น ระหว่างการอัปโหลด)
      จะต้องเป็นค่าฐานแปด (เช่น 0666 หมายถึงอ่าน และเขียนถึงทุกคน) ค่าที่แนะนำคือ 0600 หรือ 0660
      พารามิเตอร์นี้ไม่มีประโยชน์บนเซิร์ฟเวอร์ Windows +SeeWikiForAllTeam=ดูที่หน้า Wiki เพื่อดูรายชื่อผู้ร่วมให้ข้อมูลและองค์กรของพวกเขา UseACacheDelay= สำหรับการตอบสนองที่ล่าช้าในการส่งออกในไม่กี่วินาทีแคช (0 หรือที่ว่างเปล่าสำหรับแคชไม่ได้) -DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page -DisableLinkToHelp=Hide the link to the online help "%s" -AddCRIfTooLong=There is no automatic text wrapping, text that is too long will not display on documents. Please add carriage returns in the text area if needed. -ConfirmPurge=Are you sure you want to execute this purge?
      This will permanently delete all your data files with no way to restore them (ECM files, attached files...). +DisableLinkToHelpCenter=ซ่อนลิงก์ "Need help or support" ในหน้าเข้าสู่ระบบ +DisableLinkToHelp=ซ่อนลิงก์ไปยังความช่วยเหลือออนไลน์ "%s" +AddCRIfTooLong=ไม่มีการตัดข้อความอัตโนมัติ ข้อความที่ยาวเกินไปจะไม่แสดงบนเอกสาร โปรดเพิ่มการขึ้นบรรทัดใหม่ในพื้นที่ข้อความหากจำเป็น +ConfirmPurge=คุณแน่ใจหรือไม่ว่าต้องการดำเนินการล้างข้อมูลนี้
      การดำเนินการนี้จะลบไฟล์ข้อมูลทั้งหมดของคุณอย่างถาวรโดยไม่มีวิธีกู้คืน (ไฟล์ ECM, ไฟล์แนบ...) MinLength=ระยะเวลาขั้นต่ำ LanguageFilesCachedIntoShmopSharedMemory=ไฟล์ .lang โหลดในหน่วยความจำที่ใช้ร่วมกัน -LanguageFile=Language file -ExamplesWithCurrentSetup=Examples with current configuration +LanguageFile=ไฟล์ภาษา +ExamplesWithCurrentSetup=ตัวอย่างการกำหนดค่าปัจจุบัน ListOfDirectories=รายการ OpenDocument ไดเรกทอรีแม่ -ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.

      Put here full path of directories.
      Add a carriage return between eah directory.
      To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.

      Files in those directories must end with .odt or .ods. -NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories -ExampleOfDirectoriesForModelGen=Examples of syntax:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir +ListOfDirectoriesForModelGenODT=รายการไดเรกทอรีที่มีไฟล์เทมเพลตที่มีรูปแบบ OpenDocument

      ใส่เส้นทางแบบเต็มของไดเรกทอรีที่นี่
      เพิ่มการขึ้นบรรทัดใหม่ระหว่างไดเรกทอรี eah
      หากต้องการเพิ่มไดเรกทอรีของโมดูล GED ให้เพิ่มที่นี่ DOL_DATA_ROOT/ecm/yourdirectoryname.

      ไฟล์ในไดเรกทอรีเหล่านั้น ต้องลงท้ายด้วย .odt หรือ .ods. +NumberOfModelFilesFound=จำนวนไฟล์เทมเพลต ODT/ODS ที่พบในไดเร็กทอรีเหล่านี้ +ExampleOfDirectoriesForModelGen=ตัวอย่างของไวยากรณ์:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir FollowingSubstitutionKeysCanBeUsed=
      หากต้องการทราบวิธีการสร้างเอกสารของคุณ ODT แม่ก่อนที่จะเก็บไว้ในไดเรกทอรีเหล่านั้นอ่านเอกสารวิกิพีเดีย: FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template FirstnameNamePosition=ตำแหน่งชื่อ / นามสกุล -DescWeather=The following images will be shown on the dashboard when the number of late actions reach the following values: +DescWeather=รูปภาพต่อไปนี้จะแสดงบนแดชบอร์ดเมื่อจำนวนการดำเนินการล่าช้าถึงค่าต่อไปนี้: KeyForWebServicesAccess=กุญแจสำคัญในการใช้บริการเว็บ (พารามิเตอร์ "dolibarrkey" ใน webservices) TestSubmitForm=รูปแบบการทดสอบการป้อนข้อมูล -ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever the user choice. Also this menu manager specialized for smartphones does not work on all smartphone. Use another menu manager if you experience problems with yours. +ThisForceAlsoTheme=การใช้ตัวจัดการเมนูนี้จะใช้ธีมของตัวเองไม่ว่าผู้ใช้จะเลือกอะไรก็ตาม ตัวจัดการเมนูเฉพาะสำหรับสมาร์ทโฟนนี้ยังไม่สามารถใช้ได้กับสมาร์ทโฟนทุกรุ่น ใช้ตัวจัดการเมนูอื่นหากคุณประสบปัญหากับตัวคุณ ThemeDir=ไดเรกทอรีกิน -ConnectionTimeout=Connection timeout +ConnectionTimeout=หมดเวลาการเชื่อมต่อ ResponseTimeout=หมดเวลาการตอบสนอง SmsTestMessage=ข้อความทดสอบจาก __PHONEFROM__ เพื่อ __PHONETO__ -ModuleMustBeEnabledFirst=Module %s must be enabled first if you need this feature. +ModuleMustBeEnabledFirst=ต้องเปิดใช้งานโมดูล %s ก่อน หากคุณต้องการฟีเจอร์นี้ SecurityToken=กุญแจสำคัญในการรักษาความปลอดภัย URL ที่ -NoSmsEngine=No SMS sender manager available. A SMS sender manager is not installed with the default distribution because they depend on an external vendor, but you can find some on %s +NoSmsEngine=ไม่มีตัวจัดการผู้ส่ง SMS ตัวจัดการผู้ส่ง SMS ไม่ได้รับการติดตั้งด้วยการแจกจ่ายเริ่มต้นเนื่องจากขึ้นอยู่กับผู้จำหน่ายภายนอก แต่คุณสามารถค้นหาบางส่วนได้ใน %s PDF=รูปแบบไฟล์ PDF -PDFDesc=Global options for PDF generation -PDFOtherDesc=PDF Option specific to some modules -PDFAddressForging=Rules for address section -HideAnyVATInformationOnPDF=Hide all information related to Sales Tax / VAT -PDFRulesForSalesTax=Rules for Sales Tax / VAT -PDFLocaltax=Rules for %s -HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT -HideDescOnPDF=Hide products description -HideRefOnPDF=Hide products ref. -HideDetailsOnPDF=Hide product lines details -PlaceCustomerAddressToIsoLocation=Use french standard position (La Poste) for customer address position +PDFDesc=ตัวเลือกระดับโลกสำหรับการสร้าง PDF +PDFOtherDesc=ตัวเลือก PDF เฉพาะสำหรับบางโมดูล +PDFAddressForging=กฎสำหรับส่วนที่อยู่ +HideAnyVATInformationOnPDF=ซ่อนข้อมูลทั้งหมดที่เกี่ยวข้องกับภาษีการขาย / ภาษีมูลค่าเพิ่ม +PDFRulesForSalesTax=กฎเกณฑ์ภาษีการขาย / ภาษีมูลค่าเพิ่ม +PDFLocaltax=กฎสำหรับ %s +HideLocalTaxOnPDF=ซ่อนอัตรา %s ในคอลัมน์ ภาษีการขาย / VAT +HideDescOnPDF=ซ่อนคำอธิบายผลิตภัณฑ์ +HideRefOnPDF=ซ่อนการอ้างอิงผลิตภัณฑ์ +ShowProductBarcodeOnPDF=แสดงหมายเลขบาร์โค้ดของผลิตภัณฑ์ +HideDetailsOnPDF=ซ่อนรายละเอียดกลุ่มผลิตภัณฑ์ +PlaceCustomerAddressToIsoLocation=ใช้ตำแหน่งมาตรฐานฝรั่งเศส (La Poste) สำหรับตำแหน่งที่อยู่ของลูกค้า Library=ห้องสมุด UrlGenerationParameters=พารามิเตอร์ URL ที่การรักษาความปลอดภัย SecurityTokenIsUnique=ใช้พารามิเตอร์ SecureKey ไม่ซ้ำกันสำหรับแต่ละ URL EnterRefToBuildUrl=ป้อนการอ้างอิงสำหรับวัตถุ% s GetSecuredUrl=รับ URL คำนวณ -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) +ButtonHideUnauthorized=ซ่อนปุ่มการกระทำที่ไม่ได้รับอนุญาตสำหรับผู้ใช้ภายในด้วย (เพียงเป็นสีเทาเท่านั้น) OldVATRates=อัตราภาษีมูลค่าเพิ่มเก่า NewVATRates=ใหม่อัตราภาษีมูลค่าเพิ่ม PriceBaseTypeToChange=การปรับเปลี่ยนราคาค่าอ้างอิงกับฐานที่กำหนดไว้ใน -MassConvert=Launch bulk conversion -PriceFormatInCurrentLanguage=Price Format In Current Language +MassConvert=เริ่มการแปลงเป็นกลุ่ม +PriceFormatInCurrentLanguage=รูปแบบราคาในภาษาปัจจุบัน String=เชือก -String1Line=String (1 line) +String1Line=สตริง (1 บรรทัด) TextLong=ข้อความยาว -TextLongNLines=Long text (n lines) -HtmlText=Html text +TextLongNLines=ข้อความยาว (n บรรทัด) +HtmlText=ข้อความ HTML Int=จำนวนเต็ม Float=ลอย DateAndTime=วันที่และชั่วโมง Unique=เป็นเอกลักษณ์ -Boolean=Boolean (one checkbox) +Boolean=บูลีน (หนึ่งช่องทำเครื่องหมาย) ExtrafieldPhone = โทรศัพท์ ExtrafieldPrice = ราคา -ExtrafieldPriceWithCurrency=Price with currency +ExtrafieldPriceWithCurrency=ราคากับสกุลเงิน ExtrafieldMail = อีเมล -ExtrafieldUrl = Url +ExtrafieldUrl = URL ExtrafieldIP = IP ExtrafieldSelect = เลือกรายการ ExtrafieldSelectList = เลือกจากตาราง -ExtrafieldSeparator=Separator (not a field) +ExtrafieldSeparator=ตัวคั่น (ไม่ใช่ฟิลด์) ExtrafieldPassword=รหัสผ่าน -ExtrafieldRadio=Radio buttons (one choice only) -ExtrafieldCheckBox=Checkboxes -ExtrafieldCheckBoxFromList=Checkboxes from table +ExtrafieldRadio=ปุ่มตัวเลือก (ตัวเลือกเดียวเท่านั้น) +ExtrafieldCheckBox=ช่องทำเครื่องหมาย +ExtrafieldCheckBoxFromList=ช่องทำเครื่องหมายจากตาราง ExtrafieldLink=เชื่อมโยงไปยังวัตถุ -ComputedFormula=Computed field -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' -Computedpersistent=Store computed field -ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!! -ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored without encryption (field must be only hidden with star on screen).
      Set 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retrieve original value) -ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      code3,value3
      ...

      In order to have the list depending on another complementary attribute list:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      In order to have the list depending on another list:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key -ExtrafieldParamHelpcheckbox=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpradio=List of values must be lines with format key,value (where key can't be '0')

      for example:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath -ExtrafieldParamHelpSeparator=Keep empty for a simple separator
      Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
      Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) -LibraryToBuildPDF=Library used for PDF generation -LocalTaxDesc=Some countries may apply two or three taxes on each invoice line. If this is the case, choose the type for the second and third tax and its rate. Possible type are:
      1: local tax apply on products and services without vat (localtax is calculated on amount without tax)
      2: local tax apply on products and services including vat (localtax is calculated on amount + main tax)
      3: local tax apply on products without vat (localtax is calculated on amount without tax)
      4: local tax apply on products including vat (localtax is calculated on amount + main vat)
      5: local tax apply on services without vat (localtax is calculated on amount without tax)
      6: local tax apply on services including vat (localtax is calculated on amount + tax) +ComputedFormula=สนามคำนวณ +ComputedFormulaDesc=คุณสามารถป้อนสูตรที่นี่โดยใช้คุณสมบัติอื่นๆ ของวัตถุหรือการเข้ารหัส PHP ใดๆ เพื่อรับค่าที่คำนวณแบบไดนามิก คุณสามารถใช้สูตรที่เข้ากันได้กับ PHP รวมถึงเครื่องหมาย "?" ตัวดำเนินการเงื่อนไขและอ็อบเจ็กต์โกลบอลต่อไปนี้: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      คำเตือน: หากคุณต้องการคุณสมบัติของวัตถุ ไม่ได้โหลด เพียงดึงออบเจ็กต์ให้กับตัวเองลงในสูตรเหมือนในตัวอย่างที่สอง
      การใช้ฟิลด์ที่คำนวณแล้วหมายความว่าคุณไม่สามารถป้อนค่าใดๆ ให้กับตัวเองจากอินเทอร์เฟซได้ นอกจากนี้ หากมีข้อผิดพลาดทางไวยากรณ์ สูตรอาจไม่ส่งคืนอะไรเลย

      ตัวอย่างของสูตร:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      ตัวอย่างในการรีโหลดอ็อบเจ็กต์
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj- >ทุน / 5: '-1')

      ตัวอย่างอื่นๆ ของสูตรเพื่อบังคับโหลดวัตถุและวัตถุแม่:
      (($reloadedobj = งานใหม่($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = โครงการใหม่( $db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'ไม่พบโครงการหลัก' +Computedpersistent=เก็บสนามคำนวณ +ComputedpersistentDesc=ฟิลด์พิเศษที่คำนวณแล้วจะถูกจัดเก็บไว้ในฐานข้อมูล อย่างไรก็ตาม ค่าจะถูกคำนวณใหม่เมื่อมีการเปลี่ยนแปลงออบเจ็กต์ของฟิลด์นี้เท่านั้น หากสนามที่คำนวณขึ้นอยู่กับวัตถุอื่นหรือข้อมูลทั่วโลก ค่านี้อาจผิด!! +ExtrafieldParamHelpPassword=การเว้นช่องนี้ว่างไว้หมายความว่าค่านี้จะถูกจัดเก็บโดยไม่มีการเข้ารหัส (ช่องนี้ซ่อนไว้โดยมีดาวอยู่บนหน้าจอ)

      Enter ค่า 'dolcrypt' เพื่อเข้ารหัสค่าด้วยอัลกอริธึมการเข้ารหัสแบบย้อนกลับ ข้อมูลที่ชัดเจนยังคงสามารถทราบและแก้ไขได้ แต่ถูกเข้ารหัสไว้ในฐานข้อมูล

      ป้อน 'auto' (หรือ 'md5', 'sha256', 'password_hash', ...) เพื่อใช้อัลกอริธึมการเข้ารหัสรหัสผ่านเริ่มต้น (หรือ md5, sha256,password_hash...) เพื่อบันทึกรหัสผ่านที่แฮชแบบย้อนกลับไม่ได้ลงในฐานข้อมูล (ไม่มีวิธีการดึงค่าดั้งเดิม) +ExtrafieldParamHelpselect=รายการค่าต้องเป็นบรรทัดที่มีรูปแบบคีย์ ค่า (โดยที่คีย์ไม่สามารถเป็น '0')

      เป็นต้น :
      1,value1
      2,value2
      code3,value3
      ...

      เพื่อให้รายการขึ้นอยู่กับรายการอื่น รายการแอตทริบิวต์เสริม:
      1,value1|options_parent_list_code: parent_key
      2,value2|options_parent_list_code:parent_key

      เพื่อให้รายการขึ้นอยู่กับรายการอื่น:
      1, value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key +ExtrafieldParamHelpcheckbox=รายการค่าต้องเป็นบรรทัดที่มีรูปแบบคีย์ ค่า (โดยที่คีย์ไม่สามารถเป็น '0')

      เป็นต้น :
      1,value1
      2,value2
      3,value3
      ... +ExtrafieldParamHelpradio=รายการค่าต้องเป็นบรรทัดที่มีรูปแบบคีย์ ค่า (โดยที่คีย์ไม่สามารถเป็น '0')

      เป็นต้น :
      1,value1
      2,value2
      3,value3
      ... +ExtrafieldParamHelpsellist=รายการค่ามาจากตาราง
      ไวยากรณ์: table_name:label_field:id_field::filtersql
      ตัวอย่าง: c_typent:libelle:id ::filtersql

      - id_field จำเป็นต้องเป็นคีย์ int หลัก
      - filtersql เป็นเงื่อนไข SQL อาจเป็นการทดสอบง่ายๆ (เช่น active=1) เพื่อแสดงเฉพาะค่าที่ใช้งานอยู่
      คุณยังสามารถใช้ $ID$ ในตัวกรองซึ่งเป็น id ปัจจุบันของวัตถุปัจจุบัน
      หากต้องการใช้ SELECT ในตัวกรอง ให้ใช้คีย์เวิร์ด $SEL$ เพื่อข้ามการป้องกันการฉีด
      หากคุณต้องการกรองในฟิลด์พิเศษ ใช้ไวยากรณ์ extra.fieldcode=... (โดยที่ field code คือโค้ดของ extrafield)

      เพื่อที่จะได้ รายการขึ้นอยู่กับรายการแอตทริบิวต์เสริมอื่น:
      c_typent:libelle:id:options_parent_list_code |parent_column:filter

      เพื่อให้รายการขึ้นอยู่กับรายการอื่น:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpchkbxlst=รายการค่ามาจากตาราง
      ไวยากรณ์: table_name:label_field:id_field::filtersql
      ตัวอย่าง: c_typent:libelle:id ::filtersql

      ตัวกรองอาจเป็นการทดสอบง่ายๆ (เช่น active=1) เพื่อแสดงเฉพาะค่าที่ใช้งานอยู่
      คุณยังสามารถใช้ $ID$ ในตัวกรองแม่มดคือรหัสปัจจุบันของวัตถุปัจจุบัน
      หากต้องการทำ SELECT ในตัวกรองให้ใช้ $SEL$
      หากคุณต้องการกรองฟิลด์พิเศษ ให้ใช้ไวยากรณ์ extra.fieldcode=... (โดยที่โค้ดฟิลด์คือโค้ดของฟิลด์พิเศษ)

      เพื่อให้รายการขึ้นอยู่กับรายการแอตทริบิวต์เสริมอื่น:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      เพื่อให้รายการขึ้นอยู่กับรายการอื่น:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelplink=พารามิเตอร์ต้องเป็น ObjectName:Classpath
      ไวยากรณ์: ObjectName:Classpath +ExtrafieldParamHelpSeparator=เว้นว่างไว้สำหรับตัวคั่นแบบง่าย
      ตั้งค่านี้เป็น 1 สำหรับตัวคั่นแบบยุบ (เปิดโดยค่าเริ่มต้นสำหรับเซสชันใหม่ จากนั้นสถานะจะถูกเก็บไว้สำหรับเซสชันผู้ใช้แต่ละเซสชัน)
      ตั้งค่านี้เป็น 2 สำหรับตัวแยกการยุบ (ยุบโดยค่าเริ่มต้นสำหรับเซสชันใหม่ จากนั้นสถานะจะถูกเก็บไว้ก่อนแต่ละเซสชันของผู้ใช้) +LibraryToBuildPDF=ไลบรารีที่ใช้สำหรับการสร้าง PDF +LocalTaxDesc=บางประเทศอาจใช้ภาษีสองหรือสามภาษีในแต่ละบรรทัดใบแจ้งหนี้ ในกรณีนี้ ให้เลือกประเภทภาษีที่สองและสามและอัตราภาษี ประเภทที่เป็นไปได้คือ
      1: จะมีการเรียกเก็บภาษีท้องถิ่นสำหรับผลิตภัณฑ์และบริการที่ไม่มีภาษีมูลค่าเพิ่ม (localtax จะคำนวณจากจำนวนเงินที่ไม่รวมภาษี)
      2: ภาษีท้องถิ่นมีผลกับผลิตภัณฑ์และบริการที่รวมภาษีมูลค่าเพิ่ม (localtax คำนวณจากจำนวนเงิน + ภาษีหลัก)
      3: ภาษีท้องถิ่นมีผลกับผลิตภัณฑ์ที่ไม่มีภาษีมูลค่าเพิ่ม (localtax คำนวณจากจำนวนเงินที่ไม่มี ภาษี)
      4: จะมีการเรียกเก็บภาษีท้องถิ่นสำหรับผลิตภัณฑ์ที่รวมภาษีมูลค่าเพิ่ม (localtax คำนวณจากจำนวนเงิน + vat หลัก)
      5: ท้องถิ่น จะมีการคิดภาษีสำหรับบริการที่ไม่มีภาษีมูลค่าเพิ่ม (localtax คำนวณจากจำนวนเงินที่ไม่รวมภาษี)
      6: ภาษีท้องถิ่นมีผลกับบริการที่รวมภาษีมูลค่าเพิ่ม (localtax คำนวณจากจำนวนเงิน + ภาษี) SMS=SMS LinkToTestClickToDial=ป้อนหมายเลขโทรศัพท์เพื่อโทรไปที่จะแสดงการเชื่อมโยงเพื่อทดสอบสมาชิก ClickToDial สำหรับผู้ใช้% s RefreshPhoneLink=การเชื่อมโยงการฟื้นฟู LinkToTest=ลิงค์ที่สร้างขึ้นสำหรับผู้ใช้% s (คลิกหมายเลขโทรศัพท์เพื่อทดสอบ) KeepEmptyToUseDefault=ให้ว่างเพื่อใช้ค่าเริ่มต้น -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. +KeepThisEmptyInMostCases=ในกรณีส่วนใหญ่ คุณสามารถเว้นฟิลด์นี้ว่างไว้ได้ DefaultLink=เริ่มต้นการเชื่อมโยง SetAsDefault=ตั้งเป็นค่าเริ่มต้น ValueOverwrittenByUserSetup=คำเตือนค่านี้อาจถูกเขียนทับโดยการตั้งค่าของผู้ใช้เฉพาะ (ผู้ใช้แต่ละคนสามารถตั้งค่า URL clicktodial ของตัวเอง) ExternalModule=โมดูลภายนอก -InstalledInto=Installed into directory %s -BarcodeInitForThirdparties=Mass barcode init for third-parties +InstalledInto=ติดตั้งลงในไดเรกทอรี %s +BarcodeInitForThirdparties=บาร์โค้ดเริ่มต้นจำนวนมากสำหรับบุคคลที่สาม BarcodeInitForProductsOrServices=init บาร์โค้ดมวลหรือตั้งค่าสำหรับผลิตภัณฑ์หรือบริการ -CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. -InitEmptyBarCode=Init value for the %s empty barcodes +CurrentlyNWithoutBarCode=ขณะนี้ คุณมีบันทึก %s ใน %s %s โดยไม่มีการกำหนดบาร์โค้ด . +InitEmptyBarCode=ค่าเริ่มต้นสำหรับบาร์โค้ดว่าง %s EraseAllCurrentBarCode=ลบทุกค่าบาร์โค้ดปัจจุบัน -ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values? +ConfirmEraseAllCurrentBarCode=คุณแน่ใจหรือไม่ว่าต้องการลบค่าบาร์โค้ดปัจจุบันทั้งหมด AllBarcodeReset=ทั้งหมดค่าบาร์โค้ดได้ถูกลบออก -NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled in the Barcode module setup. -EnableFileCache=Enable file cache -ShowDetailsInPDFPageFoot=Add more details into footer, such as company address or manager names (in addition to professional ids, company capital and VAT number). -NoDetails=No additional details in footer -DisplayCompanyInfo=Display company address -DisplayCompanyManagers=Display manager names -DisplayCompanyInfoAndManagers=Display company address and manager names -EnableAndSetupModuleCron=If you want to have this recurring invoice generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template using the *Create* button. Note that even if you enabled automatic generation, you can still safely launch manual generation. Generation of duplicates for the same period is not possible. -ModuleCompanyCodeCustomerAquarium=%s followed by customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by vendor code for a vendor accounting code -ModuleCompanyCodePanicum=Return an empty accounting code. -ModuleCompanyCodeDigitaria=Returns a compound accounting code according to the name of the third party. The code consists of a prefix that can be defined in the first position followed by the number of characters defined in the third party code. -ModuleCompanyCodeCustomerDigitaria=%s followed by the truncated customer name by the number of characters: %s for the customer accounting code. -ModuleCompanyCodeSupplierDigitaria=%s followed by the truncated supplier name by the number of characters: %s for the supplier accounting code. -Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
      Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. -UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... -WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons: -WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM -WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota). -WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox. -WarningPHPMailD=It is therefore recommended to change the sending method of e-mails to the value "SMTP". -WarningPHPMailDbis=If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by %sclicking here%s. -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask your domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. -ActualMailSPFRecordFound=Actual SPF record found (for email %s) : %s -ClickToShowDescription=Click to show description -DependsOn=This module needs the module(s) -RequiredBy=This module is required by module(s) -TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. Technical knowledge is required to read the content of the HTML page to get the key name of a field. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. -PageUrlForDefaultValuesCreate=
      Example:
      For the form to create a new third party, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
      If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
      Example:
      For the page that lists third parties, it is %s.
      For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
      If you want default value only if url has some parameter, you can use %s -AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) -EnableDefaultValues=Enable customization of default values -EnableOverwriteTranslation=Allow customization of translations -GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation. -WarningSettingSortOrder=Warning, setting a default sort order may result in a technical error when going on the list page if field is an unknown field. If you experience such an error, come back to this page to remove the default sort order and restore default behavior. +NoBarcodeNumberingTemplateDefined=ไม่มีการเปิดใช้งานเทมเพลตบาร์โค้ดการกำหนดหมายเลขในการตั้งค่าโมดูลบาร์โค้ด +EnableFileCache=เปิดใช้งานแคชไฟล์ +ShowDetailsInPDFPageFoot=เพิ่มรายละเอียดเพิ่มเติมในส่วนท้าย เช่น ที่อยู่บริษัทหรือชื่อผู้จัดการ (นอกเหนือจากรหัสวิชาชีพ ทุนบริษัท และหมายเลข VAT) +NoDetails=ไม่มีรายละเอียดเพิ่มเติมในส่วนท้าย +DisplayCompanyInfo=แสดงที่อยู่บริษัท +DisplayCompanyManagers=แสดงชื่อผู้จัดการ +DisplayCompanyInfoAndManagers=แสดงที่อยู่บริษัทและชื่อผู้จัดการ +EnableAndSetupModuleCron=หากคุณต้องการให้ใบแจ้งหนี้ที่เกิดซ้ำนี้สร้างขึ้นโดยอัตโนมัติ ต้องเปิดใช้งานโมดูล *%s* และตั้งค่าอย่างถูกต้อง มิฉะนั้น จะต้องดำเนินการสร้างใบแจ้งหนี้ด้วยตนเองจากเทมเพลตนี้โดยใช้ปุ่ม *สร้าง* โปรดทราบว่าแม้ว่าคุณจะเปิดใช้งานการสร้างอัตโนมัติ คุณยังคงสามารถเปิดการสร้างด้วยตนเองได้อย่างปลอดภัย ไม่สามารถสร้างรายการที่ซ้ำกันในช่วงเวลาเดียวกันได้ +ModuleCompanyCodeCustomerAquarium=%s ตามด้วยรหัสลูกค้าสำหรับรหัสบัญชีลูกค้า +ModuleCompanyCodeSupplierAquarium=%s ตามด้วยรหัสผู้จัดจำหน่ายสำหรับรหัสการบัญชีของผู้จัดจำหน่าย +ModuleCompanyCodePanicum=ส่งกลับรหัสบัญชีที่ว่างเปล่า +ModuleCompanyCodeDigitaria=ส่งกลับรหัสการบัญชีแบบผสมตามชื่อของบุคคลที่สาม รหัสประกอบด้วยคำนำหน้าที่สามารถกำหนดได้ในตำแหน่งแรกตามด้วยจำนวนอักขระที่กำหนดในรหัสบุคคลที่สาม +ModuleCompanyCodeCustomerDigitaria=%s ตามด้วยชื่อลูกค้าที่ถูกตัดทอนด้วยจำนวนอักขระ: %s สำหรับรหัสบัญชีลูกค้า +ModuleCompanyCodeSupplierDigitaria=%s ตามด้วยชื่อซัพพลายเออร์ที่ถูกตัดทอนด้วยจำนวนอักขระ: %s สำหรับรหัสการบัญชีของซัพพลายเออร์ +Use3StepsApproval=ตามค่าเริ่มต้น ใบสั่งซื้อจะต้องถูกสร้างและอนุมัติโดยผู้ใช้ 2 คนที่แตกต่างกัน (หนึ่งขั้นตอน/ผู้ใช้ที่จะสร้าง และหนึ่งขั้นตอน/ผู้ใช้ที่จะอนุมัติ โปรดทราบว่าหากผู้ใช้มีทั้งสิทธิ์ในการสร้างและอนุมัติ หนึ่งขั้นตอน/ผู้ใช้ก็เพียงพอแล้ว) . คุณสามารถขอด้วยตัวเลือกนี้เพื่อแนะนำขั้นตอนที่สาม/การอนุมัติผู้ใช้ หากจำนวนเงินสูงกว่าค่าที่กำหนด (ดังนั้นจึงจำเป็นต้องมี 3 ขั้นตอน: 1=การตรวจสอบความถูกต้อง 2=การอนุมัติครั้งแรก และ 3=การอนุมัติครั้งที่สอง หากจำนวนเงินเพียงพอ)
      ตั้งค่านี้เป็นว่างหากการอนุมัติเพียงครั้งเดียว (2 ขั้นตอน) เพียงพอ ให้ตั้งค่าเป็นค่าที่ต่ำมาก (0.1) หากจำเป็นต้องมีการอนุมัติครั้งที่สอง (3 ขั้นตอน) เสมอ +UseDoubleApproval=ใช้การอนุมัติ 3 ขั้นตอน เมื่อยอด (ไม่รวมภาษี) สูงกว่า... +WarningPHPMail=คำเตือน: การตั้งค่าเพื่อส่งอีเมลจากแอปพลิเคชันใช้การตั้งค่าทั่วไปเริ่มต้น มักจะดีกว่าถ้าตั้งค่าอีเมลขาออกเพื่อใช้เซิร์ฟเวอร์อีเมลของผู้ให้บริการอีเมลของคุณแทนการตั้งค่าเริ่มต้นด้วยเหตุผลหลายประการ: +WarningPHPMailA=- การใช้เซิร์ฟเวอร์ของผู้ให้บริการอีเมลจะช่วยเพิ่มความน่าเชื่อถือให้กับอีเมลของคุณ ดังนั้นจึงเพิ่มความสามารถในการส่งโดยไม่ถูกทำเครื่องหมายว่าเป็นสแปม +WarningPHPMailB=- ผู้ให้บริการอีเมลบางราย (เช่น Yahoo) ไม่อนุญาตให้คุณส่งอีเมลจากเซิร์ฟเวอร์อื่นที่ไม่ใช่เซิร์ฟเวอร์ของตนเอง การตั้งค่าปัจจุบันของคุณใช้เซิร์ฟเวอร์ของแอปพลิเคชันในการส่งอีเมล ไม่ใช่เซิร์ฟเวอร์ของผู้ให้บริการอีเมลของคุณ ดังนั้นผู้รับบางราย (ที่เข้ากันได้กับโปรโตคอล DMARC ที่มีข้อจำกัด) จะถามผู้ให้บริการอีเมลของคุณว่าสามารถรับอีเมลของคุณและผู้ให้บริการอีเมลบางรายได้หรือไม่ (เช่น Yahoo) อาจตอบว่า "ไม่" เนื่องจากเซิร์ฟเวอร์ไม่ใช่ของพวกเขา ดังนั้นอีเมลที่คุณส่งบางส่วนอาจไม่ได้รับการยอมรับสำหรับการจัดส่ง (โปรดระวังโควต้าการส่งของผู้ให้บริการอีเมลของคุณด้วย) +WarningPHPMailC=- การใช้เซิร์ฟเวอร์ SMTP ของผู้ให้บริการอีเมลของคุณเองในการส่งอีเมลก็น่าสนใจเช่นกัน ดังนั้นอีเมลทั้งหมดที่ส่งจากแอปพลิเคชันจะถูกบันทึกลงในไดเร็กทอรี "ส่ง" ของกล่องจดหมายของคุณด้วย +WarningPHPMailD=ดังนั้นจึงแนะนำให้เปลี่ยนวิธีการส่งอีเมลเป็นค่า "SMTP" +WarningPHPMailDbis=หากคุณต้องการคงวิธีการส่งอีเมลตามค่าเริ่มต้นของ "PHP" ไว้จริงๆ เพียงเพิกเฉยต่อคำเตือนนี้ หรือลบออกโดย %sคลิกที่นี่%s< /ช่วง>. +WarningPHPMail2=หากผู้ให้บริการอีเมล SMTP ของคุณจำเป็นต้องจำกัดโปรแกรมรับส่งอีเมลไว้เฉพาะที่อยู่ IP บางส่วน (ซึ่งพบได้ยากมาก) นี่คือที่อยู่ IP ของตัวแทนผู้ใช้อีเมล (MUA) สำหรับแอปพลิเคชัน ERP CRM ของคุณ: %s +WarningPHPMailSPF=หากชื่อโดเมนในที่อยู่อีเมลของผู้ส่งของคุณได้รับการปกป้องโดยบันทึก SPF (สอบถามผู้รับจดทะเบียนชื่อโดเมนของคุณ) คุณต้องเพิ่ม IP ต่อไปนี้ในบันทึก SPF ของ DNS ของโดเมนของคุณ: %s +ActualMailSPFRecordFound=พบบันทึก SPF จริง (สำหรับอีเมล %s) : %s +ClickToShowDescription=คลิกเพื่อแสดงคำอธิบาย +DependsOn=โมดูลนี้ต้องการโมดูล +RequiredBy=โมดูลนี้จำเป็นสำหรับโมดูล +TheKeyIsTheNameOfHtmlField=นี่คือชื่อของฟิลด์ HTML จำเป็นต้องมีความรู้ทางเทคนิคในการอ่านเนื้อหาของหน้า HTML เพื่อรับชื่อคีย์ของฟิลด์ +PageUrlForDefaultValues=คุณต้องป้อนเส้นทางสัมพันธ์ของ URL ของหน้า หากคุณรวมพารามิเตอร์ใน URL จะมีประสิทธิภาพหากพารามิเตอร์ทั้งหมดใน URL ที่เรียกดูมีค่าที่กำหนดไว้ที่นี่ +PageUrlForDefaultValuesCreate=
      ตัวอย่าง:
      สำหรับแบบฟอร์มในการสร้างบุคคลที่สามใหม่ คือ %s.
      สำหรับ URL ของโมดูลภายนอกที่ติดตั้งใน ไดเรกทอรีที่กำหนดเอง ไม่รวม "กำหนดเอง/" ดังนั้นให้ใช้เส้นทางเช่น mymodule/mypage.php และไม่ใช่แบบกำหนดเอง /mymodule/mypage.php.
      หากคุณต้องการค่าเริ่มต้นเฉพาะในกรณีที่ url มีพารามิเตอร์บางตัว คุณสามารถใช้ %s +PageUrlForDefaultValuesList=
      ตัวอย่าง:
      สำหรับหน้าที่แสดงรายการบุคคลที่สาม จะเป็น
      %s.
      สำหรับ URL ของโมดูลภายนอกที่ติดตั้งในไดเรกทอรีที่กำหนดเอง ไม่รวม "custom/" ดังนั้นให้ใช้เส้นทางเช่น mymodule/mypagelist.php และไม่ใช่ custom/mymodule /mypagelist.php.
      หากคุณต้องการค่าเริ่มต้นเฉพาะในกรณีที่ url มีพารามิเตอร์บางตัว คุณสามารถใช้ %s +AlsoDefaultValuesAreEffectiveForActionCreate=โปรดทราบว่าการเขียนทับค่าเริ่มต้นสำหรับการสร้างแบบฟอร์มจะใช้ได้กับหน้าที่ได้รับการออกแบบอย่างถูกต้องเท่านั้น (ดังนั้นด้วยพารามิเตอร์ action=create หรือ presend...) +EnableDefaultValues=เปิดใช้งานการปรับแต่งค่าเริ่มต้น +EnableOverwriteTranslation=อนุญาตให้ปรับแต่งการแปล +GoIntoTranslationMenuToChangeThis=พบคำแปลสำหรับคีย์ที่มีรหัสนี้ หากต้องการเปลี่ยนค่านี้ คุณต้องแก้ไขจาก Home-Setup-translation +WarningSettingSortOrder=คำเตือน การตั้งค่าลำดับการจัดเรียงเริ่มต้นอาจส่งผลให้เกิดข้อผิดพลาดทางเทคนิคเมื่อไปที่หน้ารายการ หากฟิลด์เป็นฟิลด์ที่ไม่รู้จัก หากคุณพบข้อผิดพลาดดังกล่าว โปรดกลับมาที่หน้านี้เพื่อลบลำดับการจัดเรียงเริ่มต้นและเรียกคืนลักษณะการทำงานเริ่มต้น Field=สนาม -ProductDocumentTemplates=Document templates to generate product document -ProductBatchDocumentTemplates=Document templates to generate product lots document -FreeLegalTextOnExpenseReports=Free legal text on expense reports -WatermarkOnDraftExpenseReports=Watermark on draft expense reports -ProjectIsRequiredOnExpenseReports=The project is mandatory for entering an expense report -PrefillExpenseReportDatesWithCurrentMonth=Pre-fill start and end dates of new expense report with start and end dates of the current month -ForceExpenseReportsLineAmountsIncludingTaxesOnly=Force the entry of expense report amounts always in amount with taxes -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) -FilesAttachedToEmail=Attach file -SendEmailsReminders=Send agenda reminders by emails -davDescription=Setup a WebDAV server -DAVSetup=Setup of module DAV -DAV_ALLOW_PRIVATE_DIR=Enable the generic private directory (WebDAV dedicated directory named "private" - login required) -DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory anybody can access with its application login/pass. -DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). -DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. +ProductDocumentTemplates=เทมเพลตเอกสารเพื่อสร้างเอกสารผลิตภัณฑ์ +ProductBatchDocumentTemplates=เทมเพลตเอกสารเพื่อสร้างเอกสารล็อตผลิตภัณฑ์ +FreeLegalTextOnExpenseReports=ข้อความทางกฎหมายฟรีในรายงานค่าใช้จ่าย +WatermarkOnDraftExpenseReports=ลายน้ำบนร่างรายงานค่าใช้จ่าย +ProjectIsRequiredOnExpenseReports=โครงการนี้จำเป็นสำหรับการป้อนรายงานค่าใช้จ่าย +PrefillExpenseReportDatesWithCurrentMonth=กรอกวันที่เริ่มต้นและสิ้นสุดของรายงานค่าใช้จ่ายใหม่ล่วงหน้าพร้อมวันที่เริ่มต้นและสิ้นสุดของเดือนปัจจุบัน +ForceExpenseReportsLineAmountsIncludingTaxesOnly=บังคับให้รายการยอดเงินในรายงานค่าใช้จ่ายเป็นจำนวนเงินพร้อมภาษีเสมอ +AttachMainDocByDefault=ตั้งค่านี้เป็น ใช่ หากคุณต้องการแนบเอกสารหลักไปกับอีเมลตามค่าเริ่มต้น (ถ้ามี) +FilesAttachedToEmail=แนบไฟล์ +SendEmailsReminders=ส่งการแจ้งเตือนวาระการประชุมทางอีเมล +davDescription=ตั้งค่าเซิร์ฟเวอร์ WebDAV +DAVSetup=การตั้งค่าโมดูล DAV +DAV_ALLOW_PRIVATE_DIR=เปิดใช้งานไดเร็กทอรีส่วนตัวทั่วไป (ไดเร็กทอรีเฉพาะ WebDAV ชื่อ "ส่วนตัว" - ต้องเข้าสู่ระบบ) +DAV_ALLOW_PRIVATE_DIRTooltip=ไดเร็กทอรีส่วนตัวทั่วไปคือไดเร็กทอรี WebDAV ที่ทุกคนสามารถเข้าถึงได้ด้วยการล็อกอิน/ผ่านแอปพลิเคชัน +DAV_ALLOW_PUBLIC_DIR=เปิดใช้งานไดเร็กทอรีสาธารณะทั่วไป (ไดเร็กทอรีเฉพาะ WebDAV ชื่อ "สาธารณะ" - ไม่ต้องล็อกอิน) +DAV_ALLOW_PUBLIC_DIRTooltip=ไดเร็กทอรีสาธารณะทั่วไปคือไดเร็กทอรี WebDAV ที่ใครๆ ก็สามารถเข้าถึงได้ (ในโหมดอ่านและเขียน) โดยไม่ต้องมีการอนุญาต (บัญชีล็อกอิน/รหัสผ่าน) +DAV_ALLOW_ECM_DIR=เปิดใช้งานไดเร็กทอรีส่วนตัว DMS/ECM (ไดเร็กทอรีรากของโมดูล DMS/ECM - ต้องเข้าสู่ระบบ) +DAV_ALLOW_ECM_DIRTooltip=ไดเร็กทอรีรากที่ไฟล์ทั้งหมดถูกอัพโหลดด้วยตนเองเมื่อใช้โมดูล DMS/ECM เช่นเดียวกับการเข้าถึงจากอินเทอร์เฟซเว็บ คุณจะต้องเข้าสู่ระบบ/รหัสผ่านที่ถูกต้องและมีสิทธิ์เพียงพอในการเข้าถึง ##### Modules ##### Module0Name=ผู้ใช้และกลุ่ม -Module0Desc=Users / Employees and Groups management -Module1Name=Third Parties -Module1Desc=Companies and contacts management (customers, prospects...) +Module0Desc=การจัดการผู้ใช้/พนักงานและกลุ่ม +Module1Name=บุคคลที่สาม +Module1Desc=การจัดการบริษัทและผู้ติดต่อ (ลูกค้า ลูกค้าเป้าหมาย...) Module2Name=เชิงพาณิชย์ Module2Desc=การจัดการเชิงพาณิชย์ -Module10Name=Accounting (simplified) -Module10Desc=Simple accounting reports (journals, turnover) based on database content. Does not use any ledger table. +Module10Name=การบัญชี (แบบง่าย) +Module10Desc=รายงานการบัญชีอย่างง่าย (วารสาร ผลประกอบการ) ตามเนื้อหาฐานข้อมูล ไม่ใช้ตารางบัญชีแยกประเภทใดๆ Module20Name=ข้อเสนอ Module20Desc=การจัดการข้อเสนอในเชิงพาณิชย์ -Module22Name=Mass Emailings -Module22Desc=Manage bulk emailing +Module22Name=การส่งอีเมลจำนวนมาก +Module22Desc=จัดการการส่งอีเมลจำนวนมาก Module23Name=พลังงาน Module23Desc=การตรวจสอบการใช้พลังงาน -Module25Name=Sales Orders -Module25Desc=Sales order management +Module25Name=ใบสั่งขาย +Module25Desc=การจัดการใบสั่งขาย Module30Name=ใบแจ้งหนี้ -Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers +Module30Desc=การจัดการใบแจ้งหนี้และใบลดหนี้สำหรับลูกค้า การจัดการใบแจ้งหนี้และใบลดหนี้สำหรับซัพพลายเออร์ Module40Name=ผู้ขาย -Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) -Module42Name=Debug Logs -Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. -Module43Name=Debug Bar -Module43Desc=A tool for developper adding a debug bar in your browser. +Module40Desc=ผู้ขายและการจัดการการจัดซื้อ (ใบสั่งซื้อและการเรียกเก็บเงินตามใบแจ้งหนี้ของซัพพลายเออร์) +Module42Name=บันทึกการแก้ไขข้อบกพร่อง +Module42Desc=สิ่งอำนวยความสะดวกในการบันทึก (ไฟล์, syslog, ... ) บันทึกดังกล่าวมีไว้เพื่อวัตถุประสงค์ทางเทคนิค/การแก้ไขข้อบกพร่อง +Module43Name=แถบดีบั๊ก +Module43Desc=เครื่องมือสำหรับนักพัฒนา เพิ่มแถบแก้ไขจุดบกพร่องในเบราว์เซอร์ของคุณ Module49Name=บรรณาธิการ Module49Desc=การจัดการแก้ไข Module50Name=ผลิตภัณฑ์ -Module50Desc=Management of Products +Module50Desc=การจัดการผลิตภัณฑ์ Module51Name=จดหมายจำนวนมาก Module51Desc=กระดาษมวลจัดการทางไปรษณีย์ Module52Name=สต็อก -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Desc=การจัดการสต็อก (การติดตามความเคลื่อนไหวของสต็อกและสินค้าคงคลัง) Module53Name=บริการ -Module53Desc=Management of Services +Module53Desc=การจัดการบริการ Module54Name=สัญญา / สมัครสมาชิก -Module54Desc=Management of contracts (services or recurring subscriptions) +Module54Desc=การจัดการสัญญา (บริการหรือการสมัครสมาชิกตามรอบเวลา) Module55Name=บาร์โค้ด -Module55Desc=Barcode or QR code management -Module56Name=Payment by credit transfer -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. -Module57Name=Payments by Direct Debit -Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. +Module55Desc=การจัดการบาร์โค้ดหรือรหัส QR +Module56Name=ชำระเงินโดยการโอนเครดิต +Module56Desc=การจัดการการจ่ายเงินของซัพพลายเออร์หรือเงินเดือนตามคำสั่งโอนเครดิต รวมถึงการสร้างไฟล์ SEPA สำหรับประเทศในยุโรป +Module57Name=การชำระเงินด้วยการหักบัญชีธนาคาร +Module57Desc=การจัดการคำสั่งหักบัญชีธนาคาร รวมถึงการสร้างไฟล์ SEPA สำหรับประเทศในยุโรป Module58Name=คลิกเพื่อโทร Module58Desc=บูรณาการของระบบ ClickToDial (ดอกจัน, ... ) -Module60Name=Stickers -Module60Desc=Management of stickers +Module60Name=สติ๊กเกอร์ +Module60Desc=การจัดการสติ๊กเกอร์ Module70Name=การแทรกแซง Module70Desc=การจัดการการแทรกแซง Module75Name=ค่าใช้จ่ายและบันทึกการเดินทาง Module75Desc=ค่าใช้จ่ายและการจัดการบันทึกการเดินทาง Module80Name=การจัดส่ง -Module80Desc=Shipments and delivery note management +Module80Desc=การจัดการการจัดส่งและใบส่งมอบ Module85Name=บัญชีและเงินสด Module85Desc=การบริหารจัดการของธนาคารหรือบัญชีเงินสด -Module100Name=External Site -Module100Desc=Add a link to an external website as a main menu icon. Website is shown in a frame under the top menu. +Module100Name=เว็บไซต์ภายนอก +Module100Desc=เพิ่มลิงก์ไปยังเว็บไซต์ภายนอกเป็นไอคอนเมนูหลัก เว็บไซต์จะแสดงอยู่ในกรอบใต้เมนูด้านบน Module105Name=บุรุษไปรษณีย์และหลักสูตรนานาชาติ Module105Desc=บุรุษไปรษณีย์หรือหลักสูตรนานาชาติอินเตอร์เฟซสำหรับโมดูลสมาชิก Module200Name=LDAP -Module200Desc=LDAP directory synchronization +Module200Desc=การซิงโครไนซ์ไดเรกทอรี LDAP Module210Name=PostNuke Module210Desc=บูรณาการ PostNuke Module240Name=ข้อมูลการส่งออก -Module240Desc=Tool to export Dolibarr data (with assistance) +Module240Desc=เครื่องมือในการส่งออกข้อมูล Dolibarr (พร้อมความช่วยเหลือ) Module250Name=การนำเข้าข้อมูล -Module250Desc=Tool to import data into Dolibarr (with assistance) +Module250Desc=เครื่องมือในการนำเข้าข้อมูลไปยัง Dolibarr (พร้อมความช่วยเหลือ) Module310Name=สมาชิก Module310Desc=มูลนิธิการจัดการสมาชิก Module320Name=ฟีด RSS -Module320Desc=Add a RSS feed to Dolibarr pages -Module330Name=Bookmarks & Shortcuts -Module330Desc=Create shortcuts, always accessible, to the internal or external pages to which you frequently access -Module400Name=Projects or Leads -Module400Desc=Management of projects, leads/opportunities and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +Module320Desc=เพิ่มฟีด RSS ให้กับหน้า Dolibarr +Module330Name=บุ๊กมาร์กและทางลัด +Module330Desc=สร้างทางลัดที่สามารถเข้าถึงได้ตลอดเวลาไปยังเพจภายในหรือภายนอกที่คุณเข้าถึงบ่อยๆ +Module400Name=โครงการหรือโอกาสในการขาย +Module400Desc=การจัดการโครงการ ลูกค้าเป้าหมาย/โอกาส และ/หรืองาน คุณยังสามารถกำหนดองค์ประกอบใดๆ (ใบแจ้งหนี้ คำสั่งซื้อ ข้อเสนอ การแทรกแซง ...) ให้กับโครงการ และรับมุมมองแนวขวางจากมุมมองโครงการ Module410Name=Webcalendar Module410Desc=บูรณาการ Webcalendar -Module500Name=Taxes & Special Expenses -Module500Desc=Management of other expenses (sales taxes, social or fiscal taxes, dividends, ...) +Module500Name=ภาษีและค่าใช้จ่ายพิเศษ +Module500Desc=การจัดการค่าใช้จ่ายอื่นๆ (ภาษีการขาย ภาษีสังคมหรือภาษีการคลัง เงินปันผล ...) Module510Name=เงินเดือน -Module510Desc=Record and track employee payments +Module510Desc=บันทึกและติดตามการจ่ายเงินของพนักงาน Module520Name=เงินให้กู้ยืม Module520Desc=การบริหารจัดการของเงินให้สินเชื่อ -Module600Name=Notifications on business event -Module600Desc=Send email notifications triggered by a business event: per user (setup defined on each user), per third-party contacts (setup defined on each third party) or by specific emails -Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. -Module610Name=Product Variants -Module610Desc=Creation of product variants (color, size etc.) +Module600Name=การแจ้งเตือนเกี่ยวกับเหตุการณ์ทางธุรกิจ +Module600Desc=ส่งการแจ้งเตือนทางอีเมลที่ทริกเกอร์โดยเหตุการณ์ทางธุรกิจ: ต่อผู้ใช้ (การตั้งค่าที่กำหนดให้กับผู้ใช้แต่ละราย) ต่อผู้ติดต่อบุคคลที่สาม (การตั้งค่าที่กำหนดให้กับบุคคลที่สามแต่ละราย) หรือโดยอีเมลที่ระบุ +Module600Long=โปรดทราบว่าโมดูลนี้จะส่งอีเมลแบบเรียลไทม์เมื่อมีเหตุการณ์ทางธุรกิจเกิดขึ้น หากคุณกำลังมองหาคุณสมบัติในการส่งอีเมลแจ้งเตือนสำหรับกิจกรรมในวาระการประชุม ให้ไปที่การตั้งค่าโมดูลวาระ +Module610Name=รายละเอียดปลีกย่อยของผลิตภัณฑ์ +Module610Desc=การสร้างรูปแบบผลิตภัณฑ์ (สี ขนาด ฯลฯ) +Module650Name=บิลวัสดุ (BOM) +Module650Desc=โมดูลเพื่อกำหนดรายการวัสดุ (BOM) ของคุณ สามารถใช้สำหรับการวางแผนทรัพยากรการผลิตโดยโมดูลใบสั่งผลิต (MO) +Module660Name=การวางแผนทรัพยากรการผลิต (MRP) +Module660Desc=โมดูลการจัดการใบสั่งผลิต (MO) Module700Name=การบริจาค Module700Desc=การจัดการการบริจาค -Module770Name=Expense Reports -Module770Desc=Manage expense reports claims (transportation, meal, ...) -Module1120Name=Vendor Commercial Proposals -Module1120Desc=Request vendor commercial proposal and prices +Module770Name=รายงานค่าใช้จ่าย +Module770Desc=จัดการการเคลมรายงานค่าใช้จ่าย (ค่าขนส่ง ค่าอาหาร ...) +Module1120Name=ข้อเสนอทางการค้าของผู้ขาย +Module1120Desc=ขอข้อเสนอทางการค้าและราคาของผู้ขาย Module1200Name=ตั๊กแตนตำข้าว Module1200Desc=บูรณาการตั๊กแตนตำข้าว Module1520Name=การสร้างเอกสาร -Module1520Desc=Mass email document generation +Module1520Desc=การสร้างเอกสารอีเมลจำนวนมาก Module1780Name=แท็ก / หมวดหมู่ Module1780Desc=สร้างแท็ก / หมวดหมู่ (ผลิตภัณฑ์ลูกค้าซัพพลายเออร์รายชื่อหรือสมาชิก) Module2000Name=แก้ไขแบบ WYSIWYG -Module2000Desc=Allow text fields to be edited/formatted using CKEditor (html) +Module2000Desc=อนุญาตให้แก้ไข/จัดรูปแบบช่องข้อความโดยใช้ CKEditor (html) Module2200Name=ราคาแบบไดนามิก -Module2200Desc=Use maths expressions for auto-generation of prices +Module2200Desc=ใช้นิพจน์ทางคณิตศาสตร์สำหรับการสร้างราคาอัตโนมัติ Module2300Name=งานที่กำหนดเวลาไว้ -Module2300Desc=Scheduled jobs management (alias cron or chrono table) -Module2400Name=Events/Agenda -Module2400Desc=Track events. Log automatic events for tracking purposes or record manual events or meetings. This is the principal module for good Customer or Vendor Relationship Management. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. -Module2500Name=DMS / ECM -Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. -Module2600Name=API / Web services (SOAP server) +Module2300Desc=การจัดการงานที่กำหนดเวลาไว้ (นามแฝง cron หรือตาราง chrono) +Module2400Name=กิจกรรม/วาระการประชุม +Module2400Desc=ติดตามเหตุการณ์ บันทึกเหตุการณ์อัตโนมัติเพื่อวัตถุประสงค์ในการติดตามหรือบันทึกเหตุการณ์หรือการประชุมด้วยตนเอง นี่คือโมดูลหลักสำหรับการจัดการความสัมพันธ์ลูกค้าหรือผู้ขายที่ดี +Module2430Name=กำหนดการนัดหมายออนไลน์ +Module2430Desc=ให้บริการระบบจองนัดหมายออนไลน์ ซึ่งช่วยให้ใครก็ตามสามารถจองการนัดพบได้ตามช่วงหรือความพร้อมที่กำหนดไว้ล่วงหน้า +Module2500Name=ดีเอ็มเอส/อีซีเอ็ม +Module2500Desc=ระบบการจัดการเอกสาร / การจัดการเนื้อหาอิเล็กทรอนิกส์ จัดระเบียบเอกสารที่คุณสร้างขึ้นหรือจัดเก็บโดยอัตโนมัติ แบ่งปันเมื่อคุณต้องการ +Module2600Name=API / บริการเว็บ (เซิร์ฟเวอร์ SOAP) Module2600Desc=เปิดใช้งานเซิร์ฟเวอร์ SOAP Dolibarr ให้บริการ API -Module2610Name=API / Web services (REST server) +Module2610Name=API / บริการเว็บ (เซิร์ฟเวอร์ REST) Module2610Desc=เปิดใช้งานเซิร์ฟเวอร์ Dolibarr REST API ให้บริการ -Module2660Name=Call WebServices (SOAP client) -Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Only Purchase orders are currently supported.) +Module2660Name=โทร WebServices (ไคลเอ็นต์ SOAP) +Module2660Desc=เปิดใช้งานไคลเอนต์บริการเว็บ Dolibarr (สามารถใช้เพื่อส่งข้อมูล/คำขอไปยังเซิร์ฟเวอร์ภายนอก ขณะนี้รองรับเฉพาะใบสั่งซื้อเท่านั้น) Module2700Name=Gravatar -Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Needs Internet access +Module2700Desc=ใช้บริการ Gravatar ออนไลน์ (www.gravatar.com) เพื่อแสดงภาพถ่ายของผู้ใช้/สมาชิก (พบได้ในอีเมล) จำเป็นต้องเชื่อมต่ออินเทอร์เน็ต Module2800Desc=ไคลเอนต์ FTP Module2900Name=GeoIPMaxmind Module2900Desc=GeoIP Maxmind ความสามารถในการแปลง -Module3200Name=Unalterable Archives -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. -Module3300Name=Module Builder -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. +Module3200Name=หอจดหมายเหตุที่ไม่สามารถเปลี่ยนแปลงได้ +Module3200Desc=เปิดใช้งานบันทึกเหตุการณ์ทางธุรกิจที่ไม่สามารถเปลี่ยนแปลงได้ กิจกรรมจะถูกเก็บถาวรแบบเรียลไทม์ บันทึกเป็นตารางเหตุการณ์ลูกโซ่แบบอ่านอย่างเดียวที่สามารถส่งออกได้ โมดูลนี้อาจจำเป็นสำหรับบางประเทศ +Module3300Name=ตัวสร้างโมดูล +Module3300Desc=เครื่องมือ RAD (การพัฒนาแอปพลิเคชันอย่างรวดเร็ว - ใช้โค้ดน้อยและไม่มีโค้ด) เพื่อช่วยนักพัฒนาหรือผู้ใช้ขั้นสูงในการสร้างโมดูล/แอปพลิเคชันของตนเอง Module3400Name=สังคมออนไลน์ -Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). +Module3400Desc=เปิดใช้งานช่องเครือข่ายโซเชียลในบุคคลที่สามและที่อยู่ (Skype, Twitter, Facebook, ...) Module4000Name=ระบบบริหารจัดการทรัพยากรบุคคล -Module4000Desc=Human resources management (management of department, employee contracts and feelings) +Module4000Desc=การจัดการทรัพยากรมนุษย์ (การจัดการแผนก สัญญาพนักงาน การจัดการทักษะ และการสัมภาษณ์) Module5000Name=หลาย บริษัท Module5000Desc=ช่วยให้คุณสามารถจัดการกับหลาย บริษัท -Module6000Name=Inter-modules Workflow -Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) -Module10000Name=Websites -Module10000Desc=Create websites (public) with a WYSIWYG editor. This is a webmaster or developer oriented CMS (it is better to know HTML and CSS language). Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the internet with your own domain name. -Module20000Name=Leave Request Management -Module20000Desc=Define and track employee leave requests +Module6000Name=เวิร์กโฟลว์ระหว่างโมดูล +Module6000Desc=การจัดการขั้นตอนการทำงานระหว่างโมดูลต่างๆ (การสร้างออบเจ็กต์อัตโนมัติและ/หรือการเปลี่ยนสถานะอัตโนมัติ) +Module10000Name=เว็บไซต์ +Module10000Desc=สร้างเว็บไซต์ (สาธารณะ) ด้วยโปรแกรมแก้ไขแบบ WYSIWYG นี่คือ CMS สำหรับผู้ดูแลเว็บหรือนักพัฒนาซอฟต์แวร์ (ควรรู้ภาษา HTML และ CSS จะดีกว่า) เพียงตั้งค่าเว็บเซิร์ฟเวอร์ของคุณ (Apache, Nginx, ...) ให้ชี้ไปที่ไดเร็กทอรี Dolibarr เฉพาะเพื่อใช้งานออนไลน์บนอินเทอร์เน็ตด้วยชื่อโดเมนของคุณเอง +Module20000Name=การจัดการคำขอลา +Module20000Desc=กำหนดและติดตามคำขอลาของพนักงาน Module39000Name=ล็อตของผลิตภัณฑ์ -Module39000Desc=Lots, serial numbers, eat-by/sell-by date management for products +Module39000Desc=ล็อต, หมายเลขซีเรียล, การจัดการวันที่บริโภค/ขายภายในสำหรับผลิตภัณฑ์ Module40000Name=หลายสกุลเงิน -Module40000Desc=Use alternative currencies in prices and documents +Module40000Desc=ใช้สกุลเงินอื่นในราคาและเอกสาร Module50000Name=PayBox -Module50000Desc=Offer customers a PayBox online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50100Name=POS SimplePOS -Module50100Desc=Point of Sale module SimplePOS (simple POS). +Module50000Desc=เสนอหน้าการชำระเงินออนไลน์ PayBox แก่ลูกค้า (บัตรเครดิต/เดบิต) สามารถใช้เพื่อให้ลูกค้าของคุณสามารถชำระเงินเฉพาะกิจหรือชำระเงินที่เกี่ยวข้องกับออบเจ็กต์ Dolibarr ที่เฉพาะเจาะจงได้ (ใบแจ้งหนี้ คำสั่งซื้อ ฯลฯ...) +Module50100Name=POS ง่ายPOS +Module50100Desc=โมดูลระบบขายหน้าร้าน SimplePOS (POS แบบง่าย) Module50150Name=POS TakePOS -Module50150Desc=Point of Sale module TakePOS (touchscreen POS, for shops, bars or restaurants). +Module50150Desc=โมดูลระบบขายหน้าร้าน TakePOS (POS หน้าจอสัมผัส สำหรับร้านค้า บาร์ หรือร้านอาหาร) Module50200Name=Paypal -Module50200Desc=Offer customers a PayPal online payment page (PayPal account or credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50300Name=Stripe -Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) -Module50400Name=Accounting (double entry) -Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats. +Module50200Desc=เสนอหน้าการชำระเงินออนไลน์ของ PayPal ให้กับลูกค้า (บัญชี PayPal หรือบัตรเครดิต/เดบิต) สามารถใช้เพื่อให้ลูกค้าของคุณสามารถชำระเงินเฉพาะกิจหรือชำระเงินที่เกี่ยวข้องกับออบเจ็กต์ Dolibarr ที่เฉพาะเจาะจงได้ (ใบแจ้งหนี้ คำสั่งซื้อ ฯลฯ...) +Module50300Name=ลายทาง +Module50300Desc=เสนอหน้าการชำระเงินออนไลน์ Stripe แก่ลูกค้า (บัตรเครดิต/เดบิต) สามารถใช้เพื่อให้ลูกค้าของคุณสามารถชำระเงินเฉพาะกิจหรือชำระเงินที่เกี่ยวข้องกับออบเจ็กต์ Dolibarr ที่เฉพาะเจาะจงได้ (ใบแจ้งหนี้ คำสั่งซื้อ ฯลฯ...) +Module50400Name=การบัญชี (รายการคู่) +Module50400Desc=การจัดการบัญชี (รายการคู่ รองรับบัญชีแยกประเภททั่วไปและบัญชีแยกประเภทย่อย) ส่งออกบัญชีแยกประเภทในรูปแบบซอฟต์แวร์การบัญชีอื่นๆ มากมาย Module54000Name=PrintIPP -Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installed on server). -Module55000Name=Poll, Survey or Vote -Module55000Desc=Create online polls, surveys or votes (like Doodle, Studs, RDVz etc...) +Module54000Desc=พิมพ์โดยตรง (โดยไม่ต้องเปิดเอกสาร) โดยใช้อินเทอร์เฟซ Cups IPP (เครื่องพิมพ์ต้องมองเห็นได้จากเซิร์ฟเวอร์ และต้องติดตั้ง CUPS บนเซิร์ฟเวอร์) +Module55000Name=โพล สำรวจ หรือลงคะแนนเสียง +Module55000Desc=สร้างโพล แบบสำรวจ หรือการโหวตออนไลน์ (เช่น Doodle, Studs, RDVz ฯลฯ...) Module59000Name=อัตรากำไรขั้นต้น -Module59000Desc=Module to follow margins +Module59000Desc=โมดูลที่จะติดตามระยะขอบ Module60000Name=คณะกรรมการ Module60000Desc=โมดูลการจัดการค่าคอมมิชชั่น Module62000Name=Incoterms -Module62000Desc=Add features to manage Incoterms +Module62000Desc=เพิ่มคุณสมบัติในการจัดการ Incoterms Module63000Name=ทรัพยากร -Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to events -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. -Module94160Name=Receptions +Module63000Desc=จัดการทรัพยากร (เครื่องพิมพ์ รถยนต์ ห้อง ...) สำหรับการจัดสรรให้กับกิจกรรม +Module66000Name=การจัดการโทเค็น OAuth2 +Module66000Desc=จัดเตรียมเครื่องมือในการสร้างและจัดการโทเค็น OAuth2 โทเค็นนั้นสามารถนำไปใช้กับโมดูลอื่นได้ +Module94160Name=แผนกต้อนรับ +ModuleBookCalName=ระบบปฏิทินการจอง +ModuleBookCalDesc=จัดการปฏิทินเพื่อจองการนัดหมาย ##### Permissions ##### -Permission11=Read customer invoices (and payments) +Permission11=อ่านใบแจ้งหนี้ของลูกค้า (และการชำระเงิน) Permission12=สร้าง / แก้ไขใบแจ้งหนี้ของลูกค้า -Permission13=Invalidate customer invoices +Permission13=ทำให้ใบแจ้งหนี้ของลูกค้าเป็นโมฆะ Permission14=ตรวจสอบใบแจ้งหนี้ของลูกค้า Permission15=ส่งใบแจ้งหนี้ของลูกค้าโดยการส่งอีเมล์ Permission16=สร้างใบแจ้งหนี้การชำระเงินสำหรับลูกค้า @@ -729,33 +738,33 @@ Permission27=ลบข้อเสนอในเชิงพาณิชย์ Permission28=ข้อเสนอในเชิงพาณิชย์เพื่อการส่งออก Permission31=ดูผลิตภัณฑ์ Permission32=สร้าง / แก้ไขผลิตภัณฑ์ -Permission33=Read prices products +Permission33=อ่านราคาสินค้า Permission34=ลบผลิตภัณฑ์ Permission36=ดู / จัดการผลิตภัณฑ์ที่ซ่อน Permission38=สินค้าส่งออก -Permission39=Ignore minimum price -Permission41=Read projects and tasks (shared projects and projects of which I am a contact). -Permission42=Create/modify projects (shared projects and projects of which I am a contact). Can also assign users to projects and tasks -Permission44=Delete projects (shared projects and projects of which I am a contact) -Permission45=Export projects +Permission39=ละเว้นราคาขั้นต่ำ +Permission41=อ่านโครงการและงาน (โครงการและโครงการที่ใช้ร่วมกันที่ฉันติดต่อ) +Permission42=สร้าง/แก้ไขโครงการ (โครงการที่ใช้ร่วมกันและโครงการที่ฉันติดต่อ) ยังสามารถมอบหมายผู้ใช้ให้กับโครงการและงานต่างๆ ได้ +Permission44=ลบโปรเจ็กต์ (โปรเจ็กต์และโปรเจ็กต์ที่แชร์ซึ่งฉันเป็นผู้ติดต่อ) +Permission45=โครงการส่งออก Permission61=อ่านการแทรกแซง Permission62=สร้าง / แก้ไขการแทรกแซง Permission64=ลบแทรกแซง Permission67=การแทรกแซงการส่งออก -Permission68=Send interventions by email -Permission69=Validate interventions -Permission70=Invalidate interventions +Permission68=ส่งการแทรกแซงทางอีเมล +Permission69=ตรวจสอบการแทรกแซง +Permission70=การแทรกแซงไม่ถูกต้อง Permission71=ดูสมาชิก Permission72=สร้าง / แก้ไขสมาชิก Permission74=ลบสมาชิก Permission75=ชนิดติดตั้งของการเป็นสมาชิก -Permission76=Export data +Permission76=ส่งออกข้อมูล Permission78=อ่านการสมัครสมาชิก Permission79=สร้าง / แก้ไขการสมัครสมาชิก Permission81=อ่านคำสั่งซื้อของลูกค้า Permission82=สร้าง / แก้ไขคำสั่งซื้อของลูกค้า Permission84=ตรวจสอบการสั่งซื้อของลูกค้า -Permission85=Generate the documents sales orders +Permission85=สร้างเอกสารใบสั่งขาย Permission86=ส่งคำสั่งซื้อของลูกค้า Permission87=ลูกค้าปิดการสั่งซื้อ Permission88=ยกเลิกคำสั่งซื้อของลูกค้า @@ -768,54 +777,54 @@ Permission95=ดูรายงาน Permission101=อ่านตอบรับ Permission102=สร้าง / แก้ไขตอบรับ Permission104=ตรวจสอบตอบรับ -Permission105=Send sendings by email +Permission105=ส่งการส่งทางอีเมล Permission106=ตอบรับการส่งออก Permission109=ลบตอบรับ Permission111=ดูบัญชีการเงิน Permission112=สร้าง / แก้ไข / ลบและเปรียบเทียบการทำธุรกรรม -Permission113=Setup financial accounts (create, manage categories of bank transactions) -Permission114=Reconcile transactions +Permission113=ตั้งค่าบัญชีการเงิน (สร้าง จัดการหมวดหมู่ธุรกรรมธนาคาร) +Permission114=กระทบยอดธุรกรรม Permission115=การทำธุรกรรมการส่งออกและงบบัญชี Permission116=โอนเงินระหว่างบัญชี -Permission117=Manage checks dispatching +Permission117=จัดการการจัดส่งเช็ค Permission121=อ่านบุคคลที่สามที่เชื่อมโยงไปยังผู้ใช้ Permission122=สร้าง / แก้ไขบุคคลที่สามที่เชื่อมโยงไปยังผู้ใช้ Permission125=ลบบุคคลที่สามที่เชื่อมโยงไปยังผู้ใช้ Permission126=บุคคลที่สามส่งออก -Permission130=Create/modify third parties payment information -Permission141=Read all projects and tasks (as well as the private projects for which I am not a contact) -Permission142=Create/modify all projects and tasks (as well as the private projects for which I am not a contact) -Permission144=Delete all projects and tasks (as well as the private projects I am not a contact) -Permission145=Can enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) +Permission130=สร้าง/แก้ไขข้อมูลการชำระเงินของบุคคลที่สาม +Permission141=อ่านโครงการและงานทั้งหมด (รวมถึงโครงการส่วนตัวที่ฉันไม่ได้ติดต่อด้วย) +Permission142=สร้าง/แก้ไขโครงการและงานทั้งหมด (รวมถึงโครงการส่วนตัวที่ฉันไม่ได้ติดต่อด้วย) +Permission144=ลบโปรเจ็กต์และงานทั้งหมด (รวมถึงโปรเจ็กต์ส่วนตัวที่ฉันไม่ใช่ผู้ติดต่อด้วย) +Permission145=สามารถป้อนเวลาที่ใช้ไปสำหรับฉันหรือลำดับชั้นของฉันในงานที่ได้รับมอบหมาย (แผ่นเวลา) Permission146=ดูผู้ให้บริการ Permission147=ดูสถิติ -Permission151=Read direct debit payment orders -Permission152=Create/modify a direct debit payment orders -Permission153=Send/Transmit direct debit payment orders -Permission154=Record Credits/Rejections of direct debit payment orders +Permission151=อ่านคำสั่งการชำระเงินแบบหักบัญชีเงินฝากอัตโนมัติ +Permission152=สร้าง/แก้ไขคำสั่งชำระเงินแบบหักบัญชีเงินฝากอัตโนมัติ +Permission153=ส่ง/ส่งคำสั่งชำระเงินแบบหักบัญชีเงินฝากอัตโนมัติ +Permission154=บันทึกเครดิต/การปฏิเสธคำสั่งชำระเงินแบบหักบัญชีเงินฝากอัตโนมัติ Permission161=อ่านสัญญา / สมัครสมาชิก Permission162=สร้าง / แก้ไขสัญญา / สมัครสมาชิก Permission163=เปิดใช้งานบริการ / สมัครสมาชิกของสัญญา Permission164=ปิดการใช้งานบริการ / สมัครสมาชิกของสัญญา Permission165=ลบสัญญา / สมัครสมาชิก -Permission167=Export contracts -Permission171=Read trips and expenses (yours and your subordinates) +Permission167=สัญญาส่งออก +Permission171=อ่านการเดินทางและค่าใช้จ่าย (ของคุณและผู้ใต้บังคับบัญชาของคุณ) Permission172=สร้าง / แก้ไขการเดินทางและค่าใช้จ่าย Permission173=ลบการเดินทางและค่าใช้จ่าย Permission174=ดูการเดินทางและค่าใช้จ่ายทั้งหมด Permission178=ส่งออกการเดินทางและค่าใช้จ่าย Permission180=ดูซัพพลายเออร์ -Permission181=Read purchase orders -Permission182=Create/modify purchase orders -Permission183=Validate purchase orders -Permission184=Approve purchase orders -Permission185=Order or cancel purchase orders -Permission186=Receive purchase orders -Permission187=Close purchase orders -Permission188=Cancel purchase orders +Permission181=อ่านใบสั่งซื้อ +Permission182=สร้าง/แก้ไขใบสั่งซื้อ +Permission183=ตรวจสอบใบสั่งซื้อ +Permission184=อนุมัติคำสั่งซื้อ +Permission185=สั่งซื้อหรือยกเลิกคำสั่งซื้อ +Permission186=รับใบสั่งซื้อ +Permission187=ปิดคำสั่งซื้อ +Permission188=ยกเลิกคำสั่งซื้อ Permission192=สร้างเส้น Permission193=ยกเลิกสาย -Permission194=Read the bandwidth lines +Permission194=อ่านบรรทัดแบนด์วิธ Permission202=สร้างการเชื่อมต่อ ADSL Permission203=การเชื่อมต่อการสั่งซื้อสั่งซื้อสินค้า Permission204=การเชื่อมต่อการสั่งซื้อ @@ -840,13 +849,13 @@ Permission244=ดูเนื้อหาของหมวดหมู่ที Permission251=ดูผู้ใช้และกลุ่มอื่น ๆ PermissionAdvanced251=ดูผู้ใช้อื่น ๆ Permission252=อ่านสิทธิ์ของผู้อื่น -Permission253=Create/modify other users, groups and permissions +Permission253=สร้าง/แก้ไขผู้ใช้ กลุ่ม และการอนุญาตอื่นๆ PermissionAdvanced253=สร้าง / แก้ไขผู้ใช้ภายใน / ภายนอกและการอนุญาต Permission254=สร้าง / แก้ไขผู้ใช้ภายนอกเท่านั้น Permission255=แก้ไขรหัสผ่านผู้ใช้อื่น ๆ Permission256=ลบหรือปิดการใช้งานผู้ใช้อื่น ๆ -Permission262=Extend access to all third parties AND their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission263=Extend access to all third parties WITHOUT their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). +Permission262=ขยายการเข้าถึงไปยังบุคคลที่สามทั้งหมดและออบเจ็กต์ของพวกเขา (ไม่ใช่เฉพาะบุคคลที่สามที่ผู้ใช้เป็นตัวแทนการขาย)
      ไม่มีผลกับผู้ใช้ภายนอก (จำกัดเฉพาะตัวเองสำหรับข้อเสนอเสมอ คำสั่งซื้อ ใบแจ้งหนี้ สัญญา ฯลฯ)
      ไม่มีผลกับโครงการ (เฉพาะกฎเกี่ยวกับการอนุญาตโครงการ การเปิดเผย และการมอบหมาย) +Permission263=ขยายการเข้าถึงไปยังบุคคลที่สามทั้งหมดโดยไม่ต้องมีวัตถุของพวกเขา (ไม่ใช่เฉพาะบุคคลที่สามที่ผู้ใช้เป็นตัวแทนการขาย)
      ไม่มีผลกับผู้ใช้ภายนอก (จำกัดเฉพาะตัวเองสำหรับข้อเสนอเสมอ คำสั่งซื้อ ใบแจ้งหนี้ สัญญา ฯลฯ)
      ไม่มีผลกับโครงการ (เฉพาะกฎเกี่ยวกับการอนุญาตโครงการ การเปิดเผย และการมอบหมาย) Permission271=อ่าน CA Permission272=ดูใบแจ้งหนี้ Permission273=ใบแจ้งหนี้ฉบับ @@ -856,10 +865,10 @@ Permission283=ลบรายชื่อ Permission286=รายชื่อที่ส่งออก Permission291=ดูภาษี Permission292=กำหนดสิทธิในการเก็บภาษีศุลกากร -Permission293=Modify customer's tariffs -Permission301=Generate PDF sheets of barcodes -Permission304=Create/modify barcodes -Permission305=Delete barcodes +Permission293=ปรับเปลี่ยนภาษีของลูกค้า +Permission301=สร้างแผ่นบาร์โค้ด PDF +Permission304=สร้าง/แก้ไขบาร์โค้ด +Permission305=ลบบาร์โค้ด Permission311=ดูบริการ Permission312=กำหนดบริการ / สมัครสมาชิกที่จะทำสัญญา Permission331=ดูบุ๊คมาร์ค @@ -878,11 +887,11 @@ Permission401=อ่านส่วนลด Permission402=สร้าง / แก้ไขส่วนลด Permission403=ตรวจสอบส่วนลด Permission404=ลบส่วนลด -Permission430=Use Debug Bar -Permission511=Read salaries and payments (yours and subordinates) -Permission512=Create/modify salaries and payments -Permission514=Delete salaries and payments -Permission517=Read salaries and payments everybody +Permission430=ใช้แถบดีบั๊ก +Permission511=อ่านเงินเดือนและการชำระเงิน (ของคุณและผู้ใต้บังคับบัญชา) +Permission512=สร้าง/แก้ไขเงินเดือนและการชำระเงิน +Permission514=ลบเงินเดือนและการชำระเงิน +Permission517=อ่านเงินเดือนและการชำระเงินทุกคน Permission519=เงินเดือนส่งออก Permission520=ดูสินเชื่อ Permission522=สร้าง / แก้ไขการให้กู้ยืมเงิน @@ -891,256 +900,258 @@ Permission525=เครื่องคิดเลขสินเชื่อเ Permission527=เงินให้กู้ยืมเพื่อการส่งออก Permission531=ดูบริการ Permission532=สร้าง / แก้ไขบริการ -Permission533=Read prices services +Permission533=อ่านราคาบริการ Permission534=ลบบริการ Permission536=ดู / จัดการบริการซ่อน Permission538=บริการส่งออก -Permission561=Read payment orders by credit transfer -Permission562=Create/modify payment order by credit transfer -Permission563=Send/Transmit payment order by credit transfer -Permission564=Record Debits/Rejections of credit transfer -Permission601=Read stickers -Permission602=Create/modify stickers -Permission609=Delete stickers -Permission611=Read attributes of variants -Permission612=Create/Update attributes of variants -Permission613=Delete attributes of variants -Permission650=Read Bills of Materials -Permission651=Create/Update Bills of Materials -Permission652=Delete Bills of Materials -Permission660=Read Manufacturing Order (MO) -Permission661=Create/Update Manufacturing Order (MO) -Permission662=Delete Manufacturing Order (MO) +Permission561=อ่านคำสั่งชำระเงินโดยการโอนเงินเครดิต +Permission562=สร้าง/แก้ไขคำสั่งจ่ายเงินโดยการโอนเงิน +Permission563=ส่ง/ส่งคำสั่งชำระเงินโดยการโอนเครดิต +Permission564=บันทึกเดบิต/ปฏิเสธการโอนเครดิต +Permission601=อ่านสติ๊กเกอร์ +Permission602=สร้าง/แก้ไขสติกเกอร์ +Permission609=ลบสติกเกอร์ +Permission611=อ่านคุณสมบัติของตัวแปร +Permission612=สร้าง/อัปเดตแอตทริบิวต์ของตัวแปร +Permission613=ลบแอตทริบิวต์ของตัวเลือกสินค้า +Permission650=อ่านบิลวัสดุ +Permission651=สร้าง/ปรับปรุงรายการวัสดุ +Permission652=ลบรายการวัสดุ +Permission660=อ่านใบสั่งผลิต (MO) +Permission661=สร้าง/อัพเดตใบสั่งผลิต (MO) +Permission662=ลบใบสั่งผลิต (MO) Permission701=อ่านบริจาค Permission702=สร้าง / แก้ไขการบริจาค Permission703=ลบบริจาค -Permission771=Read expense reports (yours and your subordinates) -Permission772=Create/modify expense reports (for you and your subordinates) +Permission771=อ่านรายงานค่าใช้จ่าย (ของคุณและผู้ใต้บังคับบัญชาของคุณ) +Permission772=สร้าง/แก้ไขรายงานค่าใช้จ่าย (สำหรับคุณและผู้ใต้บังคับบัญชา) Permission773=ลบรายงานค่าใช้จ่าย Permission775=อนุมัติรายงานค่าใช้จ่าย Permission776=จ่ายรายงานค่าใช้จ่าย -Permission777=Read all expense reports (even those of user not subordinates) -Permission778=Create/modify expense reports of everybody +Permission777=อ่านรายงานค่าใช้จ่ายทั้งหมด (แม้แต่ผู้ใช้ที่ไม่ใช่ผู้ใต้บังคับบัญชา) +Permission778=สร้าง/แก้ไขรายงานค่าใช้จ่ายของทุกคน Permission779=รายงานค่าใช้จ่ายส่งออก Permission1001=อ่านหุ้น Permission1002=สร้าง / แก้ไขคลังสินค้า Permission1003=ลบคลังสินค้า Permission1004=อ่านการเคลื่อนไหวของหุ้น Permission1005=สร้าง / แก้ไขการเคลื่อนไหวของหุ้น -Permission1011=View inventories -Permission1012=Create new inventory -Permission1014=Validate inventory -Permission1015=Allow to change PMP value for a product -Permission1016=Delete inventory -Permission1101=Read delivery receipts -Permission1102=Create/modify delivery receipts -Permission1104=Validate delivery receipts -Permission1109=Delete delivery receipts -Permission1121=Read supplier proposals -Permission1122=Create/modify supplier proposals -Permission1123=Validate supplier proposals -Permission1124=Send supplier proposals -Permission1125=Delete supplier proposals -Permission1126=Close supplier price requests +Permission1011=ดูสินค้าคงคลัง +Permission1012=สร้างสินค้าคงคลังใหม่ +Permission1014=ตรวจสอบสินค้าคงคลัง +Permission1015=อนุญาตให้เปลี่ยนค่า PMP สำหรับผลิตภัณฑ์ +Permission1016=ลบสินค้าคงคลัง +Permission1101=อ่านใบเสร็จรับเงินการจัดส่ง +Permission1102=สร้าง/แก้ไขใบเสร็จรับเงินการจัดส่ง +Permission1104=ตรวจสอบใบเสร็จรับเงินการจัดส่ง +Permission1109=ลบใบเสร็จรับเงินการจัดส่ง +Permission1121=อ่านข้อเสนอของซัพพลายเออร์ +Permission1122=สร้าง/แก้ไขข้อเสนอของซัพพลายเออร์ +Permission1123=ตรวจสอบข้อเสนอของซัพพลายเออร์ +Permission1124=ส่งข้อเสนอของซัพพลายเออร์ +Permission1125=ลบข้อเสนอของซัพพลายเออร์ +Permission1126=ปิดคำขอราคาซัพพลายเออร์ Permission1181=อ่านซัพพลายเออร์ -Permission1182=Read purchase orders -Permission1183=Create/modify purchase orders -Permission1184=Validate purchase orders -Permission1185=Approve purchase orders -Permission1186=Order purchase orders -Permission1187=Acknowledge receipt of purchase orders -Permission1188=Delete purchase orders -Permission1189=Check/Uncheck a purchase order reception -Permission1190=Approve (second approval) purchase orders -Permission1191=Export supplier orders and their attributes +Permission1182=อ่านใบสั่งซื้อ +Permission1183=สร้าง/แก้ไขใบสั่งซื้อ +Permission1184=ตรวจสอบใบสั่งซื้อ +Permission1185=อนุมัติคำสั่งซื้อ +Permission1186=สั่งซื้อใบสั่งซื้อ +Permission1187=รับทราบการรับคำสั่งซื้อ +Permission1188=ลบใบสั่งซื้อ +Permission1189=เลือก/ยกเลิกการเลือกการรับใบสั่งซื้อ +Permission1190=อนุมัติ (การอนุมัติครั้งที่สอง) คำสั่งซื้อ +Permission1191=ส่งออกคำสั่งซื้อของซัพพลายเออร์และคุณลักษณะของพวกเขา Permission1201=ได้รับผลจากการส่งออก Permission1202=สร้าง / แก้ไขการส่งออก -Permission1231=Read vendor invoices (and payments) -Permission1232=Create/modify vendor invoices -Permission1233=Validate vendor invoices -Permission1234=Delete vendor invoices -Permission1235=Send vendor invoices by email -Permission1236=Export vendor invoices, attributes and payments -Permission1237=Export purchase orders and their details +Permission1231=อ่านใบแจ้งหนี้ของผู้ขาย (และการชำระเงิน) +Permission1232=สร้าง/แก้ไขใบแจ้งหนี้ของผู้จัดจำหน่าย +Permission1233=ตรวจสอบใบแจ้งหนี้ของผู้จัดจำหน่าย +Permission1234=ลบใบแจ้งหนี้ของผู้จัดจำหน่าย +Permission1235=ส่งใบแจ้งหนี้ของผู้ขายทางอีเมล +Permission1236=ส่งออกใบแจ้งหนี้ คุณลักษณะ และการชำระเงินของผู้ขาย +Permission1237=ส่งออกคำสั่งซื้อและรายละเอียด Permission1251=เรียกมวลของการนำเข้าข้อมูลภายนอกลงในฐานข้อมูล (โหลดข้อมูล) Permission1321=ส่งออกใบแจ้งหนี้ของลูกค้าคุณลักษณะและการชำระเงิน -Permission1322=Reopen a paid bill -Permission1421=Export sales orders and attributes -Permission1521=Read documents -Permission1522=Delete documents -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) -Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) -Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) +Permission1322=เปิดบิลที่ชำระแล้วอีกครั้ง +Permission1421=ส่งออกใบสั่งขายและคุณลักษณะ +Permission1521=อ่านเอกสาร +Permission1522=ลบเอกสาร +Permission2401=อ่านการดำเนินการ (กิจกรรมหรืองาน) ที่เชื่อมโยงกับบัญชีผู้ใช้ของเขา (หากเป็นเจ้าของกิจกรรมหรือเพิ่งมอบหมายให้) +Permission2402=สร้าง/แก้ไขการกระทำ (กิจกรรมหรืองาน) ที่เชื่อมโยงกับบัญชีผู้ใช้ของเขา (หากเป็นเจ้าของกิจกรรม) +Permission2403=ลบการกระทำ (กิจกรรมหรืองาน) ที่เชื่อมโยงกับบัญชีผู้ใช้ของเขา (หากเป็นเจ้าของกิจกรรม) Permission2411=อ่านการกระทำ (เหตุการณ์หรืองาน) ของบุคคลอื่น Permission2412=สร้าง / แก้ไขการกระทำ (เหตุการณ์หรืองาน) ของบุคคลอื่น Permission2413=ลบการกระทำ (เหตุการณ์หรืองาน) ของบุคคลอื่น -Permission2414=Export actions/tasks of others +Permission2414=ส่งออกการกระทำ/งานของผู้อื่น Permission2501=ดู/ดาวน์โหลด เอกสาร Permission2502=ดาวน์โหลดเอกสาร Permission2503=ส่งเอกสารหรือลบ Permission2515=ไดเรกทอรีเอกสารการติดตั้ง -Permission2610=Generate/modify users API key +Permission2610=สร้าง/แก้ไขคีย์ API ของผู้ใช้ Permission2801=ใช้โปรแกรม FTP ในโหมดอ่าน (เรียกดูและดาวน์โหลดเท่านั้น) Permission2802=ใช้โปรแกรม FTP ในโหมดเขียน (ลบหรืออัปโหลดไฟล์) -Permission3200=Read archived events and fingerprints -Permission3301=Generate new modules -Permission4001=Read skill/job/position -Permission4002=Create/modify skill/job/position -Permission4003=Delete skill/job/position -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations -Permission4023=Validate evaluation -Permission4025=Delete evaluation -Permission4028=See comparison menu -Permission4031=Read personal information -Permission4032=Write personal information -Permission4033=Read all evaluations (even those of user not subordinates) -Permission10001=Read website content -Permission10002=Create/modify website content (html and javascript content) -Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. -Permission10005=Delete website content -Permission20001=Read leave requests (your leave and those of your subordinates) -Permission20002=Create/modify your leave requests (your leave and those of your subordinates) +Permission3200=อ่านเหตุการณ์และลายนิ้วมือที่เก็บถาวร +Permission3301=สร้างโมดูลใหม่ +Permission4001=อ่านทักษะ/งาน/ตำแหน่ง +Permission4002=สร้าง/แก้ไขทักษะ/งาน/ตำแหน่ง +Permission4003=ลบทักษะ/งาน/ตำแหน่ง +Permission4021=อ่านการประเมินผล (ของคุณและผู้ใต้บังคับบัญชาของคุณ) +Permission4022=สร้าง/แก้ไขการประเมินผล +Permission4023=ตรวจสอบการประเมิน +Permission4025=ลบการประเมินผล +Permission4028=ดูเมนูเปรียบเทียบ +Permission4031=อ่านข้อมูลส่วนบุคคล +Permission4032=เขียนข้อมูลส่วนบุคคล +Permission4033=อ่านการประเมินทั้งหมด (แม้แต่ผู้ใช้ที่ไม่ใช่ผู้ใต้บังคับบัญชา) +Permission10001=อ่านเนื้อหาเว็บไซต์ +Permission10002=สร้าง/แก้ไขเนื้อหาเว็บไซต์ (เนื้อหา html และ JavaScript) +Permission10003=สร้าง/แก้ไขเนื้อหาเว็บไซต์ (โค้ด php ไดนามิก) เป็นอันตราย ต้องสงวนไว้สำหรับนักพัฒนาที่ถูกจำกัด +Permission10005=ลบเนื้อหาเว็บไซต์ +Permission20001=อ่านคำขอลา (การลาของคุณและของผู้ใต้บังคับบัญชาของคุณ) +Permission20002=สร้าง/แก้ไขคำขอลาของคุณ (การลาของคุณและผู้ใต้บังคับบัญชาของคุณ) Permission20003=ลบออกจากการร้องขอ -Permission20004=Read all leave requests (even those of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) -Permission20006=Administer leave requests (setup and update balance) -Permission20007=Approve leave requests +Permission20004=อ่านคำขอลาทั้งหมด (แม้แต่ผู้ใช้ที่ไม่ใช่ผู้ใต้บังคับบัญชา) +Permission20005=สร้าง/แก้ไขคำขอลาสำหรับทุกคน (แม้แต่ผู้ใช้ที่ไม่ใช่ผู้ใต้บังคับบัญชา) +Permission20006=จัดการคำขอลา (ตั้งค่าและอัปเดตยอดคงเหลือ) +Permission20007=อนุมัติคำขอลา Permission23001=อ่านงานที่กำหนดเวลาไว้ Permission23002=สร้าง / การปรับปรุงกำหนดเวลางาน Permission23003=ลบงานที่กำหนด Permission23004=การดำเนินงานที่กำหนด -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates -Permission50101=Use Point of Sale (SimplePOS) -Permission50151=Use Point of Sale (TakePOS) -Permission50152=Edit sales lines -Permission50153=Edit ordered sales lines +Permission40001=อ่านสกุลเงินและอัตราของพวกเขา +Permission40002=สร้าง/อัปเดตสกุลเงินและอัตรา +Permission40003=ลบสกุลเงินและอัตราของพวกเขา +Permission50101=ใช้ระบบขายหน้าร้าน (SimplePOS) +Permission50151=ใช้ระบบขายหน้าร้าน (TakePOS) +Permission50152=แก้ไขรายการการขาย +Permission50153=แก้ไขรายการการขายที่สั่ง Permission50201=อ่านการทำธุรกรรม Permission50202=การทำธุรกรรมนำเข้า -Permission50330=Read objects of Zapier -Permission50331=Create/Update objects of Zapier -Permission50332=Delete objects of Zapier -Permission50401=Bind products and invoices with accounting accounts -Permission50411=Read operations in ledger -Permission50412=Write/Edit operations in ledger -Permission50414=Delete operations in ledger -Permission50415=Delete all operations by year and journal in ledger -Permission50418=Export operations of the ledger -Permission50420=Report and export reports (turnover, balance, journals, ledger) -Permission50430=Define fiscal periods. Validate transactions and close fiscal periods. -Permission50440=Manage chart of accounts, setup of accountancy -Permission51001=Read assets -Permission51002=Create/Update assets -Permission51003=Delete assets -Permission51005=Setup types of asset +Permission50330=อ่านวัตถุของ Zapier +Permission50331=สร้าง/อัปเดตออบเจ็กต์ของ Zapier +Permission50332=ลบวัตถุของ Zapier +Permission50401=ผูกสินค้าและใบแจ้งหนี้กับบัญชีการบัญชี +Permission50411=อ่านการดำเนินการในบัญชีแยกประเภท +Permission50412=การดำเนินการเขียน/แก้ไขในบัญชีแยกประเภท +Permission50414=ลบการดำเนินการในบัญชีแยกประเภท +Permission50415=ลบการดำเนินงานทั้งหมดตามปีและสมุดรายวันในบัญชีแยกประเภท +Permission50418=การดำเนินการส่งออกของบัญชีแยกประเภท +Permission50420=รายงานและส่งออกรายงาน (มูลค่าการซื้อขาย ยอดคงเหลือ สมุดรายวัน บัญชีแยกประเภท) +Permission50430=กำหนดรอบระยะเวลาบัญชี ตรวจสอบธุรกรรมและปิดรอบระยะเวลาบัญชี +Permission50440=จัดการผังบัญชี การตั้งค่าบัญชี +Permission51001=อ่านเนื้อหา +Permission51002=สร้าง/อัปเดตสินทรัพย์ +Permission51003=ลบสินทรัพย์ +Permission51005=ตั้งค่าประเภทของสินทรัพย์ Permission54001=ปริ้นท์ Permission55001=ดูโพลล์ Permission55002=สร้าง / แก้ไขโพลล์ Permission59001=อ่านอัตรากำไรขั้นต้นในเชิงพาณิชย์ Permission59002=กำหนดอัตรากำไรขั้นต้นในเชิงพาณิชย์ Permission59003=อ่านอัตรากำไรขั้นต้นผู้ใช้ทุกคน -Permission63001=Read resources -Permission63002=Create/modify resources -Permission63003=Delete resources -Permission63004=Link resources to agenda events -Permission64001=Allow direct printing -Permission67000=Allow printing of receipts -Permission68001=Read intracomm report -Permission68002=Create/modify intracomm report -Permission68004=Delete intracomm report -Permission941601=Read receipts -Permission941602=Create and modify receipts -Permission941603=Validate receipts -Permission941604=Send receipts by email -Permission941605=Export receipts -Permission941606=Delete receipts +Permission63001=อ่านแหล่งข้อมูล +Permission63002=สร้าง/แก้ไขทรัพยากร +Permission63003=ลบทรัพยากร +Permission63004=เชื่อมโยงทรัพยากรกับกิจกรรมวาระการประชุม +Permission64001=อนุญาตให้พิมพ์โดยตรง +Permission67000=อนุญาตให้พิมพ์ใบเสร็จรับเงิน +Permission68001=อ่านรายงานภายในคอม +Permission68002=สร้าง/แก้ไขรายงานภายในคอม +Permission68004=ลบรายงานภายในคอม +Permission941601=อ่านใบเสร็จรับเงิน +Permission941602=สร้างและแก้ไขใบเสร็จรับเงิน +Permission941603=ตรวจสอบใบเสร็จรับเงิน +Permission941604=ส่งใบเสร็จทางอีเมล +Permission941605=ใบเสร็จรับเงินส่งออก +Permission941606=ลบใบเสร็จรับเงิน DictionaryCompanyType=ประเภทบุคคลที่สาม -DictionaryCompanyJuridicalType=Third-party legal entities -DictionaryProspectLevel=Prospect potential level for companies -DictionaryProspectContactLevel=Prospect potential level for contacts -DictionaryCanton=States/Provinces +DictionaryCompanyJuridicalType=นิติบุคคลบุคคลที่สาม +DictionaryProspectLevel=ระดับศักยภาพที่คาดหวังสำหรับบริษัท +DictionaryProspectContactLevel=ระดับศักยภาพที่คาดหวังสำหรับผู้ติดต่อ +DictionaryCanton=รัฐ/จังหวัด DictionaryRegion=ภูมิภาค DictionaryCountry=ประเทศ DictionaryCurrency=สกุลเงิน -DictionaryCivility=Honorific titles -DictionaryActions=Types of agenda events -DictionarySocialContributions=Types of social or fiscal taxes +DictionaryCivility=ชื่ออันทรงเกียรติ +DictionaryActions=ประเภทวาระการประชุม +DictionarySocialContributions=ประเภทของภาษีสังคมหรือภาษีการคลัง DictionaryVAT=ภาษีมูลค่าเพิ่มราคาหรืออัตราภาษีการขาย -DictionaryRevenueStamp=Amount of tax stamps +DictionaryRevenueStamp=จำนวนอากรแสตมป์ DictionaryPaymentConditions=เงื่อนไขการชำระเงิน DictionaryPaymentModes=วิธีชำระเงิน DictionaryTypeContact=ติดต่อเรา / ที่อยู่ประเภท -DictionaryTypeOfContainer=Website - Type of website pages/containers +DictionaryTypeOfContainer=เว็บไซต์ - ประเภทของหน้าเว็บไซต์/คอนเทนเนอร์ DictionaryEcotaxe=Ecotax (WEEE) DictionaryPaperFormat=รูปแบบกระดาษ -DictionaryFormatCards=Card formats -DictionaryFees=Expense report - Types of expense report lines +DictionaryFormatCards=รูปแบบการ์ด +DictionaryFees=รายงานค่าใช้จ่าย - ชนิดของรายการรายงานค่าใช้จ่าย DictionarySendingMethods=วิธีการจัดส่งสินค้า DictionaryStaff=จำนวนพนักงาน DictionaryAvailability=ความล่าช้าในการจัดส่งสินค้า -DictionaryOrderMethods=Order methods +DictionaryOrderMethods=วิธีการสั่งซื้อ DictionarySource=แหล่งที่มาของข้อเสนอ / การสั่งซื้อ -DictionaryAccountancyCategory=Personalized groups for reports +DictionaryAccountancyCategory=กลุ่มส่วนบุคคลสำหรับรายงาน DictionaryAccountancysystem=รุ่นสำหรับผังบัญชี -DictionaryAccountancyJournal=Accounting journals -DictionaryEMailTemplates=Email Templates +DictionaryAccountancyJournal=วารสารการบัญชี +DictionaryEMailTemplates=เทมเพลตอีเมล DictionaryUnits=หน่วย -DictionaryMeasuringUnits=Measuring Units +DictionaryMeasuringUnits=หน่วยวัด DictionarySocialNetworks=สังคมออนไลน์ -DictionaryProspectStatus=Prospect status for companies -DictionaryProspectContactStatus=Prospect status for contacts -DictionaryHolidayTypes=Leave - Types of leave -DictionaryOpportunityStatus=Lead status for project/lead -DictionaryExpenseTaxCat=Expense report - Transportation categories -DictionaryExpenseTaxRange=Expense report - Range by transportation category -DictionaryTransportMode=Intracomm report - Transport mode -DictionaryBatchStatus=Product lot/serial Quality Control status -DictionaryAssetDisposalType=Type of disposal of assets +DictionaryProspectStatus=สถานะผู้ที่มีแนวโน้มจะเป็นลูกค้าสำหรับบริษัท +DictionaryProspectContactStatus=สถานะผู้ที่มีแนวโน้มจะเป็นลูกค้าสำหรับผู้ติดต่อ +DictionaryHolidayTypes=การลา - ประเภทการลา +DictionaryOpportunityStatus=สถานะลูกค้าเป้าหมายสำหรับโครงการ/ลูกค้าเป้าหมาย +DictionaryExpenseTaxCat=รายงานค่าใช้จ่าย - ประเภทการขนส่ง +DictionaryExpenseTaxRange=รายงานค่าใช้จ่าย - ช่วงตามประเภทการขนส่ง +DictionaryTransportMode=รายงานภายใน - โหมดการขนส่ง +DictionaryBatchStatus=สถานะการควบคุมคุณภาพล็อต/อนุกรมของผลิตภัณฑ์ +DictionaryAssetDisposalType=ประเภทของการขายสินทรัพย์ +DictionaryInvoiceSubtype=ประเภทย่อยของใบแจ้งหนี้ TypeOfUnit=ประเภทของหน่วย SetupSaved=การตั้งค่าที่บันทึกไว้ SetupNotSaved=ยังไม่ได้บันทึกการตั้งค่า -OAuthServiceConfirmDeleteTitle=Delete OAuth entry -OAuthServiceConfirmDeleteMessage=Are you sure you want to delete this OAuth entry ? All existing tokens for it will also be deleted. -ErrorInEntryDeletion=Error in entry deletion -EntryDeleted=Entry deleted -BackToModuleList=Back to Module list -BackToDictionaryList=Back to Dictionaries list -TypeOfRevenueStamp=Type of tax stamp -VATManagement=Sales Tax Management -VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. -VATIsNotUsedDesc=By default the proposed Sales tax is 0 which can be used for cases like associations, individuals or small companies. -VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. -VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. +OAuthServiceConfirmDeleteTitle=ลบรายการ OAuth +OAuthServiceConfirmDeleteMessage=คุณแน่ใจหรือไม่ว่าต้องการลบรายการ OAuth นี้ โทเค็นที่มีอยู่ทั้งหมดจะถูกลบออกด้วย +ErrorInEntryDeletion=เกิดข้อผิดพลาดในการลบรายการ +EntryDeleted=ลบรายการแล้ว +BackToModuleList=กลับไปที่รายการโมดูล +BackToDictionaryList=กลับไปที่รายการพจนานุกรม +TypeOfRevenueStamp=ประเภทของอากรแสตมป์ +VATManagement=การจัดการภาษีการขาย +VATIsUsedDesc=ตามค่าเริ่มต้นเมื่อสร้างผู้ที่มีแนวโน้มเป็นลูกค้า ใบแจ้งหนี้ คำสั่งซื้อ ฯลฯ อัตราภาษีขายเป็นไปตามกฎมาตรฐานที่ใช้งานอยู่:
      หากผู้ขายไม่ต้องเสียภาษีขาย ภาษีขายจะมีค่าเริ่มต้นเป็น 0 สิ้นสุดกฎ
      หาก (ประเทศของผู้ขาย = ประเทศของผู้ซื้อ) ภาษีการขายตามค่าเริ่มต้นจะเท่ากับภาษีการขายของผลิตภัณฑ์ในประเทศของผู้ขาย สิ้นสุดกฎ
      หากผู้ขายและผู้ซื้ออยู่ในประชาคมยุโรปและสินค้าเป็นผลิตภัณฑ์ที่เกี่ยวข้องกับการขนส่ง (การขนส่ง การขนส่ง สายการบิน) VAT เริ่มต้นจะเป็น 0 กฎขึ้นอยู่กับประเทศของผู้ขาย - โปรดปรึกษากับนักบัญชีของคุณ ผู้ซื้อควรชำระภาษีมูลค่าเพิ่มให้กับสำนักงานศุลกากรในประเทศของตน ไม่ใช่ผู้ขาย สิ้นสุดกฎ
      หากผู้ขายและผู้ซื้ออยู่ในประชาคมยุโรปและผู้ซื้อไม่ใช่บริษัท (ที่มีหมายเลข VAT ภายในชุมชนที่จดทะเบียน) VAT จะมีค่าเริ่มต้นเป็น อัตราภาษีมูลค่าเพิ่มของประเทศผู้ขาย สิ้นสุดกฎ
      หากผู้ขายและผู้ซื้ออยู่ทั้งในประชาคมยุโรปและผู้ซื้อเป็นบริษัท (ที่มีหมายเลข VAT ภายในชุมชนที่จดทะเบียน) VAT จะเป็น 0 โดยค่าเริ่มต้น. สิ้นสุดกฎ
      ในกรณีอื่นๆ ค่าเริ่มต้นที่เสนอคือ Sales Tax=0 สิ้นสุดการปกครอง +VATIsNotUsedDesc=ตามค่าเริ่มต้น ภาษีขายที่เสนอจะเป็น 0 ซึ่งสามารถใช้สำหรับกรณีต่างๆ เช่น สมาคม บุคคล หรือบริษัทขนาดเล็ก +VATIsUsedExampleFR=ในฝรั่งเศส หมายถึงบริษัทหรือองค์กรที่มีระบบการเงินที่แท้จริง (จริงแบบง่ายหรือเรียลปกติ) ระบบการประกาศภาษีมูลค่าเพิ่ม +VATIsNotUsedExampleFR=ในฝรั่งเศส หมายถึงสมาคมที่ไม่ได้รับการประกาศภาษีการขาย หรือบริษัท องค์กร หรือวิชาชีพเสรีที่ได้เลือกระบบการเงินขององค์กรขนาดเล็ก (ภาษีการขายในแฟรนไชส์) และชำระภาษีการขายของแฟรนไชส์โดยไม่มีการประกาศภาษีการขายใดๆ ตัวเลือกนี้จะแสดงการอ้างอิง "ภาษีขายที่ไม่เกี่ยวข้อง - art-293B ของ CGI" บนใบแจ้งหนี้ +VATType=VAT type ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax +TypeOfSaleTaxes=ประเภทของภาษีการขาย LTRate=เรท LocalTax1IsNotUsed=อย่าใช้ภาษีที่สอง -LocalTax1IsUsedDesc=Use a second type of tax (other than first one) -LocalTax1IsNotUsedDesc=Do not use other type of tax (other than first one) +LocalTax1IsUsedDesc=ใช้ภาษีประเภทที่สอง (นอกเหนือจากภาษีประเภทแรก) +LocalTax1IsNotUsedDesc=อย่าใช้ภาษีประเภทอื่น (นอกเหนือจากภาษีประเภทแรก) LocalTax1Management=ภาษีประเภทที่สอง LocalTax1IsUsedExample= LocalTax1IsNotUsedExample= LocalTax2IsNotUsed=ไม่ใช้ภาษีที่สาม -LocalTax2IsUsedDesc=Use a third type of tax (other than first one) -LocalTax2IsNotUsedDesc=Do not use other type of tax (other than first one) +LocalTax2IsUsedDesc=ใช้ภาษีประเภทที่สาม (นอกเหนือจากภาษีประเภทแรก) +LocalTax2IsNotUsedDesc=อย่าใช้ภาษีประเภทอื่น (นอกเหนือจากภาษีประเภทแรก) LocalTax2Management=ภาษีประเภทที่สาม LocalTax2IsUsedExample= LocalTax2IsNotUsedExample= LocalTax1ManagementES=การบริหารจัดการเรื่อง -LocalTax1IsUsedDescES=The RE rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the buyer is not subjected to RE, RE by default=0. End of rule.
      If the buyer is subjected to RE then the RE by default. End of rule.
      +LocalTax1IsUsedDescES=อัตรา RE ตามค่าเริ่มต้นเมื่อสร้างผู้ที่มีโอกาสเป็นลูกค้า ใบแจ้งหนี้ คำสั่งซื้อ ฯลฯ เป็นไปตามกฎมาตรฐานที่ใช้งานอยู่:
      หากผู้ซื้อไม่อยู่ภายใต้ RE, RE ตามค่าเริ่มต้น=0 สิ้นสุดกฎ
      หากผู้ซื้อต้องอยู่ภายใต้ RE ดังนั้น RE จะเป็นค่าเริ่มต้น สิ้นสุดกฎ
      LocalTax1IsNotUsedDescES=โดยค่าเริ่มต้นเรื่องที่นำเสนอเป็น 0 ในตอนท้ายของการปกครอง LocalTax1IsUsedExampleES=ในประเทศสเปนพวกเขาเป็นมืออาชีพภายใต้บางส่วนที่เฉพาะเจาะจงของสเปน IAE LocalTax1IsNotUsedExampleES=ในประเทศสเปนพวกเขาเป็นมืออาชีพและสังคมและอาจมีบางส่วนของสเปน IAE LocalTax2ManagementES=การบริหารจัดการ IRPF -LocalTax2IsUsedDescES=The IRPF rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
      If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.
      If the seller is subjected to IRPF then the IRPF by default. End of rule.
      +LocalTax2IsUsedDescES=อัตรา IRPF ตามค่าเริ่มต้นเมื่อสร้างโอกาสในการขาย ใบแจ้งหนี้ คำสั่งซื้อ ฯลฯ เป็นไปตามกฎมาตรฐานที่ใช้งานอยู่:
      หากผู้ขายไม่อยู่ภายใต้ IRPF ดังนั้น IRPF ตามค่าเริ่มต้น=0 สิ้นสุดกฎ
      หากผู้ขายอยู่ภายใต้ IRPF ดังนั้น IRPF ตามค่าเริ่มต้น สิ้นสุดกฎ
      LocalTax2IsNotUsedDescES=โดยค่าเริ่มต้น IRPF เสนอคือ 0 สิ้นสุดของการปกครอง LocalTax2IsUsedExampleES=ในสเปนมือปืนรับจ้างและอาชีพอิสระที่ให้บริการและ บริษัท ที่ได้รับเลือกให้ระบบภาษีของโมดูล -LocalTax2IsNotUsedExampleES=In Spain they are businesses not subject to tax system of modules. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) +LocalTax2IsNotUsedExampleES=ในสเปน ธุรกิจเหล่านี้ไม่อยู่ภายใต้ระบบภาษีของโมดูล +RevenueStampDesc="อากรแสตมป์" หรือ "อากรแสตมป์" เป็นภาษีคงที่ของคุณต่อใบแจ้งหนี้ (ไม่ขึ้นอยู่กับจำนวนใบแจ้งหนี้) นอกจากนี้ยังอาจเป็นภาษีเปอร์เซ็นต์ได้ แต่การใช้ภาษีประเภทที่สองหรือสามจะดีกว่าสำหรับภาษีเปอร์เซ็นต์ เนื่องจากแสตมป์ภาษีไม่มีการรายงานใดๆ มีเพียงไม่กี่ประเทศเท่านั้นที่ใช้ภาษีประเภทนี้ +UseRevenueStamp=ใช้อากรแสตมป์ +UseRevenueStampExample=ค่าของการประทับตราภาษีถูกกำหนดโดยค่าเริ่มต้นในการตั้งค่าพจนานุกรม (%s - %s - %s) CalcLocaltax=รายงานเกี่ยวกับภาษีท้องถิ่น CalcLocaltax1=ขาย - ซื้อ CalcLocaltax1Desc=รายงานภาษีท้องถิ่นที่มีการคำนวณมีความแตกต่างระหว่างการขายและการซื้อ localtaxes localtaxes @@ -1148,20 +1159,20 @@ CalcLocaltax2=การสั่งซื้อสินค้า CalcLocaltax2Desc=รายงานภาษีท้องถิ่นรวมของการซื้อ localtaxes CalcLocaltax3=ขาย CalcLocaltax3Desc=รายงานภาษีท้องถิ่นรวมของยอดขาย localtaxes -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax +NoLocalTaxXForThisCountry=ตามการตั้งค่าภาษี (ดู %s - %s - %s) ประเทศของคุณไม่จำเป็นต้องใช้ภาษีประเภทดังกล่าว LabelUsedByDefault=ฉลากใช้โดยเริ่มต้นถ้าแปลไม่สามารถพบได้สำหรับรหัส LabelOnDocuments=ป้ายเกี่ยวกับเอกสาร -LabelOrTranslationKey=Label or translation key -ValueOfConstantKey=Value of a configuration constant -ConstantIsOn=Option %s is on -NbOfDays=No. of days +LabelOrTranslationKey=ป้ายกำกับหรือคีย์การแปล +ValueOfConstantKey=ค่าของค่าคงที่การกำหนดค่า +ConstantIsOn=ตัวเลือก %s เปิดอยู่ +NbOfDays=จำนวนวัน AtEndOfMonth=ในตอนท้ายของเดือน -CurrentNext=A given day in month +CurrentNext=วันที่กำหนดในเดือน Offset=สาขา AlwaysActive=ใช้งานอยู่เสมอ Upgrade=อัพเกรด MenuUpgrade=อัพเกรด / ขยาย -AddExtensionThemeModuleOrOther=Deploy/install external app/module +AddExtensionThemeModuleOrOther=ปรับใช้/ติดตั้งแอป/โมดูลภายนอก WebServer=เว็บเซิร์ฟเวอร์ DocumentRootServer=ไดเรกทอรีรากของเว็บเซิร์ฟเวอร์ DataRootServer=ไดเรกทอรีไฟล์ข้อมูล @@ -1179,29 +1190,29 @@ DatabaseUser=ผู้ใช้ฐานข้อมูล DatabasePassword=รหัสผ่านฐานข้อมูล Tables=ตาราง TableName=ชื่อตาราง -NbOfRecord=No. of records +NbOfRecord=จำนวนบันทึก Host=เซิร์ฟเวอร์ DriverType=ประเภทไดร์เวอร์ SummarySystem=สรุปข้อมูลระบบ SummaryConst=รายชื่อของพารามิเตอร์การตั้งค่า Dolibarr -MenuCompanySetup=Company/Organization +MenuCompanySetup=บริษัท/องค์กร DefaultMenuManager= ผู้จัดการเมนูมาตรฐาน DefaultMenuSmartphoneManager=ผู้จัดการเมนูมาร์ทโฟน Skin=ธีม DefaultSkin=ธีมเริ่มต้น MaxSizeList=ความยาวสูงสุดสำหรับรายชื่อ -DefaultMaxSizeList=Default max length for lists -DefaultMaxSizeShortList=Default max length for short lists (i.e. in customer card) +DefaultMaxSizeList=ความยาวสูงสุดเริ่มต้นสำหรับรายการ +DefaultMaxSizeShortList=ความยาวสูงสุดเริ่มต้นสำหรับรายการสั้นๆ (เช่น ในบัตรลูกค้า) MessageOfDay=ข้อความของวัน MessageLogin=ข้อความหน้าเข้าสู่ระบบ LoginPage=หน้าล็อคอิน BackgroundImageLogin=ภาพพื้นหลัง PermanentLeftSearchForm=แบบฟอร์มการค้นหาถาวรบนเมนูด้านซ้าย -DefaultLanguage=Default language -EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships -EnableShowLogo=Show the company logo in the menu -CompanyInfo=Company/Organization -CompanyIds=Company/Organization identities +DefaultLanguage=ภาษาเริ่มต้น +EnableMultilangInterface=เปิดใช้งานการสนับสนุนหลายภาษาสำหรับความสัมพันธ์กับลูกค้าหรือผู้ขาย +EnableShowLogo=แสดงโลโก้บริษัทในเมนู +CompanyInfo=บริษัท/องค์กร +CompanyIds=ข้อมูลประจำตัวของบริษัท/องค์กร CompanyName=ชื่อ CompanyAddress=ที่อยู่ CompanyZip=รหัสไปรษณีย์ @@ -1209,268 +1220,270 @@ CompanyTown=เมือง CompanyCountry=ประเทศ CompanyCurrency=สกุลเงินหลัก CompanyObject=เป้าหมายของ บริษัท -IDCountry=ID country +IDCountry=รหัสประเทศ Logo=เครื่องหมาย -LogoDesc=Main logo of company. Will be used into generated documents (PDF, ...) -LogoSquarred=Logo (squarred) -LogoSquarredDesc=Must be a squarred icon (width = height). This logo will be used as the favorite icon or other need like for the top menu bar (if not disabled into display setup). +LogoDesc=โลโก้หลักของบริษัท จะถูกนำไปใช้เป็นเอกสารที่สร้างขึ้น (PDF, ...) +LogoSquarred=โลโก้ (สี่เหลี่ยม) +LogoSquarredDesc=ต้องเป็นไอคอนสี่เหลี่ยม (กว้าง = สูง) โลโก้นี้จะใช้เป็นไอคอนรายการโปรดหรือความต้องการอื่นๆ สำหรับแถบเมนูด้านบน (หากไม่ได้ปิดใช้งานในการตั้งค่าการแสดงผล) DoNotSuggestPaymentMode=อย่าแนะนำ NoActiveBankAccountDefined=ไม่มีบัญชีธนาคารที่ใช้งานที่กำหนดไว้ OwnerOfBankAccount=เจ้าของบัญชีธนาคารของ% s BankModuleNotActive=โมดูลบัญชีธนาคารไม่ได้เปิดใช้ -ShowBugTrackLink=Show the link "%s" -ShowBugTrackLinkDesc=Keep empty to not display this link, use value 'github' for the link to the Dolibarr project or define directly an url 'https://...' +ShowBugTrackLink=แสดงลิงก์ "%s" +ShowBugTrackLinkDesc=เว้นว่างไว้หากไม่ต้องการแสดงลิงก์นี้ ใช้ค่า 'github' สำหรับลิงก์ไปยังโครงการ Dolibarr หรือกำหนด URL โดยตรง 'https://...' Alerts=การแจ้งเตือน -DelaysOfToleranceBeforeWarning=Displaying a warning alert for... -DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. -Delays_MAIN_DELAY_ACTIONS_TODO=Planned events (agenda events) not completed -Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Project not closed in time -Delays_MAIN_DELAY_TASKS_TODO=Planned task (project tasks) not completed -Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Order not processed -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Purchase order not processed -Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Proposal not closed -Delays_MAIN_DELAY_PROPALS_TO_BILL=Proposal not billed -Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Service to activate -Delays_MAIN_DELAY_RUNNING_SERVICES=Expired service -Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Unpaid vendor invoice -Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Unpaid customer invoice -Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Pending bank reconciliation -Delays_MAIN_DELAY_MEMBERS=Delayed membership fee -Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Check deposit not done -Delays_MAIN_DELAY_EXPENSEREPORTS=Expense report to approve -Delays_MAIN_DELAY_HOLIDAYS=Leave requests to approve -SetupDescription1=Before starting to use Dolibarr some initial parameters must be defined and modules enabled/configured. -SetupDescription2=The following two sections are mandatory (the two first entries in the Setup menu): -SetupDescription3=%s -> %s

      Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4=%s -> %s

      This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. -SetupDescription5=Other Setup menu entries manage optional parameters. -SetupDescriptionLink=%s - %s -SetupDescription3b=Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s -Audit=Security events -InfoDolibarr=About Dolibarr -InfoBrowser=About Browser -InfoOS=About OS -InfoWebServer=About Web Server -InfoDatabase=About Database -InfoPHP=About PHP -InfoPerf=About Performances -InfoSecurity=About Security +DelaysOfToleranceBeforeWarning=แสดงการแจ้งเตือนสำหรับ... +DelaysOfToleranceDesc=ตั้งค่าการหน่วงเวลาก่อนที่ไอคอนการแจ้งเตือน %s จะแสดงบนหน้าจอสำหรับองค์ประกอบล่าช้า +Delays_MAIN_DELAY_ACTIONS_TODO=กิจกรรมที่วางแผนไว้ (กิจกรรมวาระ) ยังไม่แล้วเสร็จ +Delays_MAIN_DELAY_PROJECT_TO_CLOSE=โครงการปิดไม่ตรงเวลา +Delays_MAIN_DELAY_TASKS_TODO=งานที่วางแผนไว้ (งานโครงการ) ยังไม่เสร็จสิ้น +Delays_MAIN_DELAY_ORDERS_TO_PROCESS=คำสั่งซื้อไม่ได้รับการประมวลผล +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=ใบสั่งซื้อไม่ได้รับการประมวลผล +Delays_MAIN_DELAY_PROPALS_TO_CLOSE=ข้อเสนอไม่ปิด +Delays_MAIN_DELAY_PROPALS_TO_BILL=ข้อเสนอไม่ถูกเรียกเก็บเงิน +Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=บริการเพื่อเปิดใช้งาน +Delays_MAIN_DELAY_RUNNING_SERVICES=บริการหมดอายุ +Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=ใบแจ้งหนี้ของผู้ขายที่ค้างชำระ +Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=ใบแจ้งหนี้ของลูกค้าที่ค้างชำระ +Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=อยู่ระหว่างการกระทบยอดธนาคาร +Delays_MAIN_DELAY_MEMBERS=ค่าสมาชิกล่าช้า +Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=ฝากเช็คไม่เสร็จ +Delays_MAIN_DELAY_EXPENSEREPORTS=รายงานค่าใช้จ่ายเพื่ออนุมัติ +Delays_MAIN_DELAY_HOLIDAYS=ปล่อยให้คำขออนุมัติ +SetupDescription1=ก่อนที่จะเริ่มใช้ Dolibarr จะต้องกำหนดพารามิเตอร์เริ่มต้นบางอย่างและเปิดใช้งาน/กำหนดค่าโมดูล +SetupDescription2=จำเป็นต้องมีสองส่วนต่อไปนี้ (สองรายการแรกในเมนูตั้งค่า): +SetupDescription3=%s -> %s

      พารามิเตอร์พื้นฐานที่ใช้ในการปรับแต่งการทำงานเริ่มต้นของแอปพลิเคชันของคุณ (เช่น สำหรับคุณลักษณะที่เกี่ยวข้องกับประเทศ) +SetupDescription4=%s -> %s

      ซอฟต์แวร์นี้เป็นชุดของโมดูล/แอปพลิเคชันจำนวนมาก โมดูลที่เกี่ยวข้องกับความต้องการของคุณต้องเปิดใช้งานและกำหนดค่า รายการเมนูจะปรากฏขึ้นพร้อมกับการเปิดใช้งานโมดูลเหล่านี้ +SetupDescription5=รายการเมนูตั้งค่าอื่นๆ จัดการพารามิเตอร์เสริม +SetupDescriptionLink=%s - %s< /ช่วง> +SetupDescription3b=พารามิเตอร์พื้นฐานที่ใช้ในการปรับแต่งพฤติกรรมเริ่มต้นของแอปพลิเคชันของคุณ (เช่น สำหรับคุณลักษณะที่เกี่ยวข้องกับประเทศ) +SetupDescription4b=ซอฟต์แวร์นี้เป็นชุดของโมดูล/แอปพลิเคชันจำนวนมาก ต้องเปิดใช้งานโมดูลที่เกี่ยวข้องกับความต้องการของคุณ รายการเมนูจะปรากฏขึ้นพร้อมกับการเปิดใช้งานโมดูลเหล่านี้ +AuditedSecurityEvents=เหตุการณ์ด้านความปลอดภัยที่ได้รับการตรวจสอบ +NoSecurityEventsAreAduited=ไม่มีการตรวจสอบเหตุการณ์ด้านความปลอดภัย คุณสามารถเปิดใช้งานได้จากเมนู %s +Audit=เหตุการณ์ด้านความปลอดภัย +InfoDolibarr=เกี่ยวกับ โดลิบาร์ +InfoBrowser=เกี่ยวกับเบราว์เซอร์ +InfoOS=เกี่ยวกับโอเอส +InfoWebServer=เกี่ยวกับเว็บเซิร์ฟเวอร์ +InfoDatabase=เกี่ยวกับฐานข้อมูล +InfoPHP=เกี่ยวกับ PHP +InfoPerf=เกี่ยวกับการแสดง +InfoSecurity=เกี่ยวกับความปลอดภัย BrowserName=ชื่อเบราว์เซอร์ BrowserOS=ระบบปฏิบัติการเบราว์เซอร์ ListOfSecurityEvents=รายการ Dolibarr เหตุการณ์การรักษาความปลอดภัย SecurityEventsPurged=เหตุการณ์การรักษาความปลอดภัยกำจัด -TrackableSecurityEvents=Trackable security events -LogEventDesc=Enable logging for specific security events. Administrators the log via menu %s - %s. Warning, this feature can generate a large amount of data in the database. -AreaForAdminOnly=Setup parameters can be set by administrator users only. +TrackableSecurityEvents=เหตุการณ์ด้านความปลอดภัยที่ติดตามได้ +LogEventDesc=เปิดใช้งานการบันทึกสำหรับกิจกรรมความปลอดภัยเฉพาะ ผู้ดูแลระบบบันทึกผ่านเมนู %s - %s. คำเตือน คุณลักษณะนี้สามารถสร้างข้อมูลจำนวนมากในฐานข้อมูลได้ +AreaForAdminOnly=พารามิเตอร์การตั้งค่าสามารถตั้งค่าได้โดย ผู้ใช้ที่เป็นผู้ดูแลระบบ เท่านั้น SystemInfoDesc=ข้อมูลระบบข้อมูลทางด้านเทคนิคอื่น ๆ ที่คุณได้รับในโหมดอ่านอย่างเดียวและมองเห็นสำหรับผู้ดูแลระบบเท่านั้น -SystemAreaForAdminOnly=This area is available to administrator users only. Dolibarr user permissions cannot change this restriction. -CompanyFundationDesc=Edit the information of your company/organization. Click on "%s" button at the bottom of the page when done. -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". -AccountantDesc=If you have an external accountant/bookkeeper, you can edit here its information. -AccountantFileNumber=Accountant code -DisplayDesc=Parameters affecting the look and presentation of the application can be modified here. -AvailableModules=Available app/modules +SystemAreaForAdminOnly=พื้นที่นี้มีให้สำหรับผู้ใช้ผู้ดูแลระบบเท่านั้น สิทธิ์ผู้ใช้ Dolibarr ไม่สามารถเปลี่ยนแปลงข้อจำกัดนี้ได้ +CompanyFundationDesc=แก้ไขข้อมูลของบริษัท/องค์กรของคุณ คลิกปุ่ม "%s" ที่ด้านล่างของหน้าเมื่อดำเนินการเสร็จ +MoreNetworksAvailableWithModule=อาจมีเครือข่ายโซเชียลเพิ่มเติมโดยเปิดใช้งานโมดูล "เครือข่ายโซเชียล" +AccountantDesc=หากคุณมีนักบัญชี/ผู้ทำบัญชีภายนอก คุณสามารถแก้ไขข้อมูลได้ที่นี่ +AccountantFileNumber=รหัสนักบัญชี +DisplayDesc=พารามิเตอร์ที่ส่งผลต่อรูปลักษณ์และการนำเสนอของแอปพลิเคชันสามารถแก้ไขได้ที่นี่ +AvailableModules=แอพ/โมดูลที่ใช้งานได้ ToActivateModule=เพื่อเปิดใช้งานโมดูลไปในพื้นที่การติดตั้ง (หน้าแรก> Setup-> โมดูล) SessionTimeOut=หมดเวลาสำหรับเซสชั่น -SessionExplanation=This number guarantees that the session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guarantee that the session will expire after this delay. It will expire, after this delay, and when the session cleaner is run, so every %s/%s access, but only during access made by other sessions (if value is 0, it means clearing of session is done only by an external process).
      Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by an external setup, no matter what the value entered here is. -SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. +SessionExplanation=ตัวเลขนี้รับประกันว่าเซสชันจะไม่มีวันหมดอายุก่อนที่จะเกิดความล่าช้านี้ หากตัวล้างเซสชัน PHP ภายในดำเนินการด้วยตัวล้างเซสชัน PHP ภายใน (และไม่มีอะไรอื่นอีก) ตัวล้างเซสชัน PHP ภายในไม่รับประกันว่าเซสชันจะหมดอายุหลังจากความล่าช้านี้ มันจะหมดอายุหลังจากการหน่วงเวลานี้ และเมื่อมีการรันตัวล้างเซสชัน ดังนั้นทุก %s/%s การเข้าถึง แต่เฉพาะระหว่างการเข้าถึงที่ทำโดยเซสชันอื่น (หากค่าเป็น 0 หมายความว่าการล้างเซสชันทำได้โดยกระบวนการภายนอกเท่านั้น) .
      หมายเหตุ: ในบางเซิร์ฟเวอร์ที่มีกลไกการล้างเซสชันภายนอก (cron ภายใต้ debian, ubuntu ...) เซสชันสามารถถูกทำลายได้หลังจากระยะเวลาที่กำหนดโดยการตั้งค่าภายนอก ไม่ว่าค่าที่ป้อนที่นี่จะเป็นเท่าใด +SessionsPurgedByExternalSystem=เซสชันบนเซิร์ฟเวอร์นี้ดูเหมือนว่าจะได้รับการทำความสะอาดโดยกลไกภายนอก (cron ภายใต้ debian, ubuntu ...) อาจเป็นทุก %s
      วินาที (= ค่าของพารามิเตอร์ session.gc_maxlifetime) ดังนั้นการเปลี่ยนค่าตรงนี้จึงไม่มีผลใดๆ คุณต้องขอให้ผู้ดูแลระบบเซิร์ฟเวอร์เปลี่ยนการหน่วงเวลาของเซสชัน TriggersAvailable=มีจำหน่ายทริกเกอร์ -TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). +TriggersDesc=ทริกเกอร์คือไฟล์ที่จะปรับเปลี่ยนลักษณะการทำงานของเวิร์กโฟลว์ Dolibarr เมื่อคัดลอกลงในไดเรกทอรี htdocs/core/triggers พวกเขาตระหนักถึงการดำเนินการใหม่ๆ ที่เปิดใช้งานในเหตุการณ์ Dolibarr (การสร้างบริษัทใหม่ การตรวจสอบใบแจ้งหนี้ ...) TriggerDisabledByName=ทริกเกอร์ในแฟ้มนี้มีการปิดใช้งานโดยต่อท้าย -NORUN ในชื่อของพวกเขา TriggerDisabledAsModuleDisabled=ทริกเกอร์ในแฟ้มนี้ถูกปิดใช้งานเป็นของโมดูล% ถูกปิดใช้งาน TriggerAlwaysActive=ทริกเกอร์ในแฟ้มนี้มีการใช้งานอยู่เสมอสิ่งที่มีการเปิดใช้งานโมดูล Dolibarr TriggerActiveAsModuleActive=ทริกเกอร์ในแฟ้มนี้มีการใช้งานเป็นโมดูล% s ถูกเปิดใช้งาน -GeneratedPasswordDesc=Choose the method to be used for auto-generated passwords. -DictionaryDesc=Insert all reference data. You can add your values to the default. -ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting only. -MiscellaneousOptions=Miscellaneous options -MiscellaneousDesc=All other security related parameters are defined here. +GeneratedPasswordDesc=เลือกวิธีการที่จะใช้สำหรับรหัสผ่านที่สร้างอัตโนมัติ +DictionaryDesc=ใส่ข้อมูลอ้างอิงทั้งหมด คุณสามารถเพิ่มค่าของคุณเป็นค่าเริ่มต้นได้ +ConstDesc=หน้านี้ช่วยให้คุณสามารถแก้ไข (แทนที่) พารามิเตอร์ที่ไม่มีอยู่ในหน้าอื่นได้ ส่วนใหญ่เป็นพารามิเตอร์ที่สงวนไว้สำหรับนักพัฒนา/การแก้ไขปัญหาขั้นสูงเท่านั้น +MiscellaneousOptions=ตัวเลือกเบ็ดเตล็ด +MiscellaneousDesc=พารามิเตอร์ที่เกี่ยวข้องกับความปลอดภัยอื่นๆ ทั้งหมดถูกกำหนดไว้ที่นี่ LimitsSetup=ข้อ จำกัด / การตั้งค่าความแม่นยำ -LimitsDesc=You can define limits, precisions and optimizations used by Dolibarr here -MAIN_MAX_DECIMALS_UNIT=Max. decimals for unit prices -MAIN_MAX_DECIMALS_TOT=Max. decimals for total prices -MAIN_MAX_DECIMALS_SHOWN=Max. decimals for prices shown on screen. Add an ellipsis ... after this parameter (e.g. "2...") if you want to see "..." suffixed to the truncated price. -MAIN_ROUNDING_RULE_TOT=Step of rounding range (for countries where rounding is done on something other than base 10. For example, put 0.05 if rounding is done by 0.05 steps) +LimitsDesc=คุณสามารถกำหนดขีดจำกัด ความแม่นยำ และการเพิ่มประสิทธิภาพที่ Dolibarr ใช้ได้ที่นี่ +MAIN_MAX_DECIMALS_UNIT=สูงสุด ทศนิยมสำหรับราคาต่อหน่วย +MAIN_MAX_DECIMALS_TOT=สูงสุด ทศนิยมสำหรับราคารวม +MAIN_MAX_DECIMALS_SHOWN=สูงสุด ทศนิยมสำหรับราคา แสดงบนหน้าจอ เพิ่มจุดไข่ปลา ... หลังพารามิเตอร์นี้ (เช่น "2...") หากคุณต้องการดู " ..." ต่อท้ายราคาที่ถูกตัดทอน +MAIN_ROUNDING_RULE_TOT=ขั้นของระยะการปัดเศษ (สำหรับประเทศที่มีการปัดเศษด้วยค่าอื่นที่ไม่ใช่ฐาน 10 เช่น ใส่ 0.05 หากปัดเศษเสร็จ 0.05 ขั้น) UnitPriceOfProduct=ราคาต่อหน่วยสุทธิของผลิตภัณฑ์ -TotalPriceAfterRounding=Total price (excl/vat/incl tax) after rounding +TotalPriceAfterRounding=ราคารวม (ไม่รวม/vat/รวมภาษี) หลังปัดเศษ ParameterActiveForNextInputOnly=พารามิเตอร์ที่มีประสิทธิภาพสำหรับการป้อนข้อมูลต่อไปเท่านั้น -NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit has not been enabled in the "Setup - Security - Events" page. -NoEventFoundWithCriteria=No security event has been found for this search criteria. +NoEventOrNoAuditSetup=ไม่มีการบันทึกเหตุการณ์ด้านความปลอดภัย นี่เป็นเรื่องปกติหากไม่ได้เปิดใช้งานการตรวจสอบในหน้า "การตั้งค่า - ความปลอดภัย - กิจกรรม" +NoEventFoundWithCriteria=ไม่พบเหตุการณ์ด้านความปลอดภัยสำหรับเกณฑ์การค้นหานี้ SeeLocalSendMailSetup=ดูการตั้งค่าของคุณ sendmail ท้องถิ่น -BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. -BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. -BackupDescX=The archived directory should be stored in a secure place. +BackupDesc=การสำรองข้อมูล สมบูรณ์ ของการติดตั้ง Dolibarr ต้องใช้สองขั้นตอน +BackupDesc2=สำรองเนื้อหาของไดเรกทอรี "เอกสาร" (%s) มีไฟล์ที่อัพโหลดและสร้างทั้งหมด ซึ่งจะรวมไฟล์ดัมพ์ทั้งหมดที่สร้างขึ้นในขั้นตอนที่ 1 ด้วย การดำเนินการนี้อาจใช้เวลานานหลายนาที +BackupDesc3=สำรองโครงสร้างและเนื้อหาของฐานข้อมูลของคุณ (%s) ลงใน ไฟล์ดัมพ์ คุณสามารถใช้ผู้ช่วยต่อไปนี้ได้ +BackupDescX=ไดเร็กทอรีที่เก็บถาวรควรถูกเก็บไว้ในที่ปลอดภัย BackupDescY=สร้างแฟ้มการถ่ายโอนควรเก็บไว้ในสถานที่ที่ปลอดภัย -BackupPHPWarning=Backup cannot be guaranteed with this method. Previous one recommended. -RestoreDesc=To restore a Dolibarr backup, two steps are required. -RestoreDesc2=Restore the backup file (zip file for example) of the "documents" directory to a new Dolibarr installation or into this current documents directory (%s). -RestoreDesc3=Restore the database structure and data from a backup dump file into the database of the new Dolibarr installation or into the database of this current installation (%s). Warning, once the restore is complete, you must use a login/password, that existed from the backup time/installation to connect again.
      To restore a backup database into this current installation, you can follow this assistant. +BackupPHPWarning=ไม่สามารถรับประกันการสำรองข้อมูลด้วยวิธีนี้ อันที่แล้วแนะนำครับ. +RestoreDesc=หากต้องการคืนค่าข้อมูลสำรอง Dolibarr ต้องทำสองขั้นตอน +RestoreDesc2=กู้คืนไฟล์สำรองข้อมูล (เช่น ไฟล์ zip) ของไดเรกทอรี "เอกสาร" ไปยังการติดตั้ง Dolibarr ใหม่หรือในไดเรกทอรีเอกสารปัจจุบันนี้ (%s ) +RestoreDesc3=คืนค่าโครงสร้างฐานข้อมูลและข้อมูลจากไฟล์ดัมพ์สำรองลงในฐานข้อมูลของการติดตั้ง Dolibarr ใหม่หรือในฐานข้อมูลของการติดตั้งปัจจุบันนี้ (%s ) คำเตือน เมื่อการกู้คืนเสร็จสมบูรณ์ คุณต้องใช้ข้อมูลเข้าสู่ระบบ/รหัสผ่านที่มีอยู่จากเวลาสำรอง/การติดตั้งเพื่อเชื่อมต่ออีกครั้ง
      หากต้องการคืนค่าฐานข้อมูลสำรองลงในการติดตั้งปัจจุบันนี้ คุณสามารถติดตามผู้ช่วยคนนี้ได้ RestoreMySQL=นำเข้า MySQL ForcedToByAModule=กฎนี้ถูกบังคับให้% โดยการเปิดใช้งานโมดูล -ValueIsForcedBySystem=This value is forced by the system. You can't change it. -PreviousDumpFiles=Existing backup files -PreviousArchiveFiles=Existing archive files -WeekStartOnDay=First day of the week -RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) +ValueIsForcedBySystem=ค่านี้ถูกบังคับโดยระบบ คุณไม่สามารถเปลี่ยนมันได้ +PreviousDumpFiles=ไฟล์สำรองที่มีอยู่ +PreviousArchiveFiles=ไฟล์เก็บถาวรที่มีอยู่ +WeekStartOnDay=วันแรกของสัปดาห์ +RunningUpdateProcessMayBeRequired=ดูเหมือนว่าจำเป็นต้องเรียกใช้กระบวนการอัปเกรด (เวอร์ชันของโปรแกรม %s แตกต่างจากเวอร์ชันฐานข้อมูล %s) YouMustRunCommandFromCommandLineAfterLoginToUser=คุณต้องเรียกใช้คำสั่งจากบรรทัดคำสั่งนี้หลังจากที่เข้าสู่ระบบไปยังเปลือกกับผู้ใช้% s หรือคุณต้องเพิ่มตัวเลือก -W ที่ท้ายบรรทัดคำสั่งที่จะให้รหัสผ่าน% s YourPHPDoesNotHaveSSLSupport=ฟังก์ชั่น SSL ไม่สามารถใช้ได้ใน PHP ของคุณ DownloadMoreSkins=กินมากขึ้นในการดาวน์โหลด -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset -AdvancedNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset -ShowProfIdInAddress=Show professional ID with addresses -ShowVATIntaInAddress=Hide intra-Community VAT number +SimpleNumRefModelDesc=ส่งกลับหมายเลขอ้างอิงในรูปแบบ %syymm-nnnn โดยที่ yy คือปี mm คือเดือน และ nnnn คือตัวเลขที่เพิ่มขึ้นตามลำดับอัตโนมัติโดยไม่มีการรีเซ็ต +SimpleRefNumRefModelDesc=ส่งกลับหมายเลขอ้างอิงในรูปแบบ n โดยที่ n คือตัวเลขที่เพิ่มขึ้นตามลำดับอัตโนมัติโดยไม่มีการรีเซ็ต +AdvancedNumRefModelDesc=ส่งกลับหมายเลขอ้างอิงในรูปแบบ %syymm-nnnn โดยที่ yy คือปี mm คือเดือน และ nnnn คือตัวเลขที่เพิ่มขึ้นตามลำดับอัตโนมัติโดยไม่มีการรีเซ็ต +SimpleNumRefNoDateModelDesc=ส่งกลับหมายเลขอ้างอิงในรูปแบบ %s-nnnn โดยที่ nnnn เป็นตัวเลขที่เพิ่มขึ้นตามลำดับอัตโนมัติโดยไม่มีการรีเซ็ต +ShowProfIdInAddress=แสดง ID มืออาชีพพร้อมที่อยู่ +ShowVATIntaInAddress=ซ่อนหมายเลข VAT ภายในชุมชน TranslationUncomplete=แปลบางส่วน -MAIN_DISABLE_METEO=Disable weather thumb -MeteoStdMod=Standard mode -MeteoStdModEnabled=Standard mode enabled -MeteoPercentageMod=Percentage mode -MeteoPercentageModEnabled=Percentage mode enabled -MeteoUseMod=Click to use %s +MAIN_DISABLE_METEO=ปิดการใช้งานนิ้วหัวแม่มือสภาพอากาศ +MeteoStdMod=โหมดมาตรฐาน +MeteoStdModEnabled=เปิดใช้งานโหมดมาตรฐานแล้ว +MeteoPercentageMod=โหมดเปอร์เซ็นต์ +MeteoPercentageModEnabled=เปิดใช้งานโหมดเปอร์เซ็นต์แล้ว +MeteoUseMod=คลิกเพื่อใช้ %s TestLoginToAPI=เข้าสู่ระบบทดสอบ API -ProxyDesc=Some features of Dolibarr require internet access. Define here the internet connection parameters such as access through a proxy server if necessary. -ExternalAccess=External/Internet Access -MAIN_PROXY_USE=Use a proxy server (otherwise access is direct to the internet) -MAIN_PROXY_HOST=Proxy server: Name/Address -MAIN_PROXY_PORT=Proxy server: Port -MAIN_PROXY_USER=Proxy server: Login/User -MAIN_PROXY_PASS=Proxy server: Password -DefineHereComplementaryAttributes=Define any additional / custom attributes that must be added to: %s +ProxyDesc=คุณสมบัติบางอย่างของ Dolibarr จำเป็นต้องมีการเชื่อมต่ออินเทอร์เน็ต กำหนดพารามิเตอร์การเชื่อมต่ออินเทอร์เน็ตที่นี่ เช่น การเข้าถึงผ่านพร็อกซีเซิร์ฟเวอร์ หากจำเป็น +ExternalAccess=การเข้าถึงภายนอก / อินเทอร์เน็ต +MAIN_PROXY_USE=ใช้พร็อกซีเซิร์ฟเวอร์ (ไม่เช่นนั้นการเข้าถึงจะเข้าถึงอินเทอร์เน็ตโดยตรง) +MAIN_PROXY_HOST=พร็อกซีเซิร์ฟเวอร์: ชื่อ/ที่อยู่ +MAIN_PROXY_PORT=พร็อกซีเซิร์ฟเวอร์: พอร์ต +MAIN_PROXY_USER=พร็อกซีเซิร์ฟเวอร์: เข้าสู่ระบบ/ผู้ใช้ +MAIN_PROXY_PASS=พร็อกซีเซิร์ฟเวอร์: รหัสผ่าน +DefineHereComplementaryAttributes=กำหนดแอตทริบิวต์เพิ่มเติม/ที่กำหนดเองที่ต้องเพิ่มลงใน: %s ExtraFields=คุณลักษณะที่สมบูรณ์ ExtraFieldsLines=คุณลักษณะเสริม (เส้น) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) +ExtraFieldsLinesRec=คุณลักษณะเสริม (รายการใบแจ้งหนี้เท็มเพลต) ExtraFieldsSupplierOrdersLines=คุณลักษณะเสริม (เส้นตามลำดับ) ExtraFieldsSupplierInvoicesLines=คุณลักษณะเสริม (เส้นใบแจ้งหนี้) -ExtraFieldsThirdParties=Complementary attributes (third party) -ExtraFieldsContacts=Complementary attributes (contacts/address) +ExtraFieldsThirdParties=คุณลักษณะเสริม (บุคคลที่สาม) +ExtraFieldsContacts=คุณลักษณะเสริม (ผู้ติดต่อ/ที่อยู่) ExtraFieldsMember=คุณลักษณะเสริม (สมาชิก) ExtraFieldsMemberType=คุณลักษณะเสริม (ประเภทสมาชิก) ExtraFieldsCustomerInvoices=คุณลักษณะเสริม (ใบแจ้งหนี้) -ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsCustomerInvoicesRec=คุณลักษณะเสริม (เทมเพลตใบแจ้งหนี้) ExtraFieldsSupplierOrders=คุณลักษณะเสริม (คำสั่งซื้อ) ExtraFieldsSupplierInvoices=คุณลักษณะเสริม (ใบแจ้งหนี้) ExtraFieldsProject=คุณลักษณะเสริม (โปรเจค) ExtraFieldsProjectTask=คุณลักษณะเสริม (งาน) -ExtraFieldsSalaries=Complementary attributes (salaries) +ExtraFieldsSalaries=คุณสมบัติเสริม (เงินเดือน) ExtraFieldHasWrongValue=s Attribute% มีค่าที่ไม่ถูกต้อง AlphaNumOnlyLowerCharsAndNoSpace=alphanumericals เท่านั้นและอักขระตัวพิมพ์เล็กโดยไม่ต้องพื้นที่ SendmailOptionNotComplete=คำเตือนในบางระบบลินุกซ์ที่จะส่งอีเมลจากอีเมลของคุณตั้งค่าการดำเนินการต้องมี sendmail -ba ตัวเลือก (mail.force_extra_parameters พารามิเตอร์ลงในไฟล์ php.ini ของคุณ) หากผู้รับบางคนไม่เคยได้รับอีเมลพยายามที่จะแก้ไขพารามิเตอร์ PHP นี้กับ mail.force_extra_parameters = -ba) PathToDocuments=เส้นทางไปยังเอกสาร PathDirectory=สารบบ -SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might not be parsed correctly by some receiving mail servers. The result is that some mails can't be read by people hosted by those bugged platforms. This is the case for some Internet providers (Ex: Orange in France). This is not a problem with Dolibarr or PHP but with the receiving mail server. You can however add an option MAIN_FIX_FOR_BUGGED_MTA to 1 in Setup - Other to modify Dolibarr to avoid this. However, you may experience problems with other servers that strictly use the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" which has no disadvantages. -TranslationSetup=Setup of translation -TranslationKeySearch=Search a translation key or string -TranslationOverwriteKey=Overwrite a translation string -TranslationDesc=How to set the display language:
      * Default/Systemwide: menu Home -> Setup -> Display
      * Per user: Click on the username at the top of the screen and modify the User Display Setup tab on the user card. -TranslationOverwriteDesc=You can also override strings filling the following table. Choose your language from "%s" dropdown, insert the translation key string into "%s" and your new translation into "%s" -TranslationOverwriteDesc2=You can use the other tab to help you know which translation key to use -TranslationString=Translation string -CurrentTranslationString=Current translation string -WarningAtLeastKeyOrTranslationRequired=A search criteria is required at least for key or translation string -NewTranslationStringToShow=New translation string to show -OriginalValueWas=The original translation is overwritten. Original value was:

      %s -TransKeyWithoutOriginalValue=You forced a new translation for the translation key '%s' that does not exist in any language files -TitleNumberOfActivatedModules=Activated modules -TotalNumberOfActivatedModules=Activated modules: %s / %s +SendmailOptionMayHurtBuggedMTA=คุณสมบัติในการส่งอีเมลโดยใช้วิธี "PHP mail direct" จะสร้างข้อความอีเมลที่อาจแยกวิเคราะห์ไม่ถูกต้องโดยเซิร์ฟเวอร์อีเมลที่รับบางเซิร์ฟเวอร์ ผลลัพธ์ก็คือ ผู้ที่โฮสต์โดยแพลตฟอร์มที่ถูกบั๊กเหล่านั้นไม่สามารถอ่านอีเมลบางฉบับได้ นี่เป็นกรณีของผู้ให้บริการอินเทอร์เน็ตบางราย (เช่น Orange ในฝรั่งเศส) นี่ไม่ใช่ปัญหากับ Dolibarr หรือ PHP แต่เป็นกับเซิร์ฟเวอร์เมลที่รับ อย่างไรก็ตาม คุณสามารถเพิ่มตัวเลือก MAIN_FIX_FOR_BUGGED_MTA ให้กับ 1 ในการตั้งค่า - อื่นๆ เพื่อแก้ไข Dolibarr เพื่อหลีกเลี่ยงปัญหานี้ อย่างไรก็ตาม คุณอาจประสบปัญหากับเซิร์ฟเวอร์อื่นที่ใช้มาตรฐาน SMTP อย่างเคร่งครัด วิธีแก้ไขปัญหาอื่น (แนะนำ) คือการใช้วิธีการ "ไลบรารีซ็อกเก็ต SMTP" ซึ่งไม่มีข้อเสีย +TranslationSetup=การตั้งค่าการแปล +TranslationKeySearch=ค้นหาคีย์การแปลหรือสตริง +TranslationOverwriteKey=เขียนทับสตริงการแปล +TranslationDesc=วิธีการตั้งค่าภาษาที่แสดง:
      * ค่าเริ่มต้น/ทั้งระบบ: เมนู หน้าแรก -> การตั้งค่า -> จอแสดงผล
      * ต่อผู้ใช้: คลิกชื่อผู้ใช้ที่ด้านบนของหน้าจอและแก้ไข แท็บการตั้งค่าการแสดงผลผู้ใช้บนการ์ดผู้ใช้ +TranslationOverwriteDesc=คุณยังสามารถแทนที่สตริงที่กรอกตารางต่อไปนี้ได้ เลือกภาษาของคุณจากเมนูแบบเลื่อนลง "%s" แทรกสตริงคีย์การแปลลงใน "%s" และคำแปลใหม่ของคุณเป็น "%s" +TranslationOverwriteDesc2=คุณสามารถใช้อีกแท็บหนึ่งเพื่อช่วยให้คุณทราบว่าควรใช้คีย์การแปลใด +TranslationString=สตริงการแปล +CurrentTranslationString=สตริงการแปลปัจจุบัน +WarningAtLeastKeyOrTranslationRequired=อย่างน้อยต้องมีเกณฑ์การค้นหาสำหรับคีย์หรือสตริงการแปล +NewTranslationStringToShow=สตริงการแปลใหม่ที่จะแสดง +OriginalValueWas=คำแปลต้นฉบับถูกเขียนทับ ค่าเดิมคือ:

      %s +TransKeyWithoutOriginalValue=คุณบังคับให้มีการแปลใหม่สำหรับคีย์การแปล '%s' ที่ไม่มีอยู่ในไฟล์ภาษาใดๆ +TitleNumberOfActivatedModules=โมดูลที่เปิดใช้งาน +TotalNumberOfActivatedModules=โมดูลที่เปิดใช้งาน: %s / %s YouMustEnableOneModule=คุณต้องเปิดการใช้งานอย่างน้อย 1 โมดูล -YouMustEnableTranslationOverwriteBefore=You must first enable translation overwriting to be allowed to replace a translation -ClassNotFoundIntoPathWarning=Class %s not found in PHP path +YouMustEnableTranslationOverwriteBefore=คุณต้องเปิดใช้งานการเขียนทับการแปลก่อนจึงจะสามารถแทนที่การแปลได้ +ClassNotFoundIntoPathWarning=ไม่พบคลาส %s ในเส้นทาง PHP YesInSummer=ใช่ในช่วงฤดู​​ร้อน -OnlyFollowingModulesAreOpenedToExternalUsers=Note, only the following modules are available to external users (irrespective of the permissions of such users) and only if permissions are granted:
      +OnlyFollowingModulesAreOpenedToExternalUsers=โปรดทราบว่าเฉพาะโมดูลต่อไปนี้เท่านั้นที่พร้อมใช้งานสำหรับผู้ใช้ภายนอก (โดยไม่คำนึงถึงสิทธิ์ของผู้ใช้ดังกล่าว) และเฉพาะเมื่อมีการให้สิทธิ์:
      SuhosinSessionEncrypt=เซสชั่นการจัดเก็บข้อมูลที่มีการเข้ารหัสโดย Suhosin ConditionIsCurrently=สภาพปัจจุบันคือ% s -YouUseBestDriver=You use driver %s which is the best driver currently available. -YouDoNotUseBestDriver=You use driver %s but driver %s is recommended. -NbOfObjectIsLowerThanNoPb=You have only %s %s in the database. This does not require any particular optimization. -ComboListOptim=Combo list loading optimization +YouUseBestDriver=คุณใช้ไดรเวอร์ %s ซึ่งเป็นไดรเวอร์ที่ดีที่สุดในปัจจุบัน +YouDoNotUseBestDriver=คุณใช้ไดรเวอร์ %s แต่แนะนำให้ใช้ไดรเวอร์ %s +NbOfObjectIsLowerThanNoPb=คุณมีเฉพาะ %s %s ในฐานข้อมูล ไม่จำเป็นต้องมีการเพิ่มประสิทธิภาพใดๆ เป็นพิเศษ +ComboListOptim=การเพิ่มประสิทธิภาพการโหลดรายการคอมโบ SearchOptim=ค้นหาการเพิ่มประสิทธิภาพ -YouHaveXObjectUseComboOptim=You have %s %s in the database. You can go into setup of module to enable loading of combo list on key pressed event. -YouHaveXObjectUseSearchOptim=You have %s %s in the database. You can add the constant %s to 1 in Home-Setup-Other. -YouHaveXObjectUseSearchOptimDesc=This limits the search to the beginning of strings which makes it possible for the database to use indexes and you should get an immediate response. -YouHaveXObjectAndSearchOptimOn=You have %s %s in the database and constant %s is set to %s in Home-Setup-Other. -BrowserIsOK=You are using the %s web browser. This browser is ok for security and performance. -BrowserIsKO=You are using the %s web browser. This browser is known to be a bad choice for security, performance and reliability. We recommend using Firefox, Chrome, Opera or Safari. -PHPModuleLoaded=PHP component %s is loaded -PreloadOPCode=Preloaded OPCode is used -AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". -AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". -AskForPreferredShippingMethod=Ask for preferred shipping method for Third Parties. +YouHaveXObjectUseComboOptim=คุณมี %s %s ในฐานข้อมูล คุณสามารถเข้าสู่การตั้งค่าโมดูลเพื่อเปิดใช้งานการโหลดรายการคอมโบในเหตุการณ์ที่กดปุ่ม +YouHaveXObjectUseSearchOptim=คุณมี %s %s ในฐานข้อมูล คุณสามารถเพิ่มค่าคงที่ %s เป็น 1 ใน Home-Setup-Other +YouHaveXObjectUseSearchOptimDesc=สิ่งนี้จะจำกัดการค้นหาไว้ที่จุดเริ่มต้นของสตริงซึ่งทำให้ฐานข้อมูลสามารถใช้ดัชนีได้ และคุณควรได้รับการตอบกลับทันที +YouHaveXObjectAndSearchOptimOn=คุณมี %s %s ในฐานข้อมูล และค่าคงที่ %s ถูกตั้งค่าเป็น %s ในหน้าแรก-การตั้งค่า-อื่นๆ +BrowserIsOK=คุณกำลังใช้เว็บเบราว์เซอร์ %s เบราว์เซอร์นี้ใช้ได้ในเรื่องความปลอดภัยและประสิทธิภาพ +BrowserIsKO=คุณกำลังใช้เว็บเบราว์เซอร์ %s เบราว์เซอร์นี้เป็นที่รู้จักว่าเป็นตัวเลือกที่ไม่ดีในเรื่องความปลอดภัย ประสิทธิภาพ และความน่าเชื่อถือ เราแนะนำให้ใช้ Firefox, Chrome, Opera หรือ Safari +PHPModuleLoaded=โหลดคอมโพเนนต์ PHP %s แล้ว +PreloadOPCode=มีการใช้ OPCode ที่โหลดไว้ล่วงหน้า +AddRefInList=แสดงข้อมูลลูกค้า/ผู้ขาย ลงในรายการคอมโบ
      บุคคลที่สามจะปรากฏขึ้นพร้อมกับรูปแบบชื่อ "CC12345 - SC45678 - The Big Company corp." แทน "บริษัทใหญ่" +AddVatInList=แสดงหมายเลข VAT ของลูกค้า/ผู้ขายลงในรายการคำสั่งผสม +AddAdressInList=แสดงที่อยู่ของลูกค้า/ผู้ขายในรายการคำสั่งผสม
      บุคคลที่สามจะปรากฏพร้อมกับรูปแบบชื่อ "The Big Company corp. - 21 jump street 123456 Big town - USA" แทน " บริษัทเดอะบิ๊กคอมพานี" +AddEmailPhoneTownInContactList=แสดงอีเมลติดต่อ (หรือโทรศัพท์หากไม่ได้กำหนดไว้) และรายการข้อมูลเมือง (เลือกรายการหรือคอมโบบ็อกซ์)
      ผู้ติดต่อจะปรากฏขึ้นพร้อมกับรูปแบบชื่อ "Dupond Durand - dupond.durand@example .com - Paris" หรือ "Dupond Durand - 06 07 59 65 66 - Paris" แทนที่จะเป็น "Dupond Durand" +AskForPreferredShippingMethod=สอบถามวิธีการจัดส่งที่ต้องการสำหรับบุคคลที่สาม FieldEdition=ฉบับของสนาม% s FillThisOnlyIfRequired=ตัวอย่าง: 2 (กรอกข้อมูลเฉพาะในกรณีที่เขตเวลาชดเชยปัญหาที่มีประสบการณ์) GetBarCode=รับบาร์โค้ด -NumberingModules=Numbering models -DocumentModules=Document models +NumberingModules=การกำหนดหมายเลขรุ่น +DocumentModules=โมเดลเอกสาร ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters. -PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. -PasswordGenerationPerso=Return a password according to your personally defined configuration. -SetupPerso=According to your configuration -PasswordPatternDesc=Password pattern description +PasswordGenerationStandard=ส่งคืนรหัสผ่านที่สร้างตามอัลกอริทึม Dolibarr ภายใน: อักขระ %s ที่มีตัวเลขและอักขระที่ใช้ร่วมกัน +PasswordGenerationNone=อย่าแนะนำรหัสผ่านที่สร้างขึ้น ต้องพิมพ์รหัสผ่านด้วยตนเอง +PasswordGenerationPerso=ส่งคืนรหัสผ่านตามการกำหนดค่าที่คุณกำหนดเอง +SetupPerso=ตามการกำหนดค่าของคุณ +PasswordPatternDesc=คำอธิบายรูปแบบรหัสผ่าน ##### Users setup ##### -RuleForGeneratedPasswords=Rules to generate and validate passwords -DisableForgetPasswordLinkOnLogonPage=Do not show the "Password Forgotten" link on the Login page +RuleForGeneratedPasswords=กฎในการสร้างและตรวจสอบรหัสผ่าน +DisableForgetPasswordLinkOnLogonPage=อย่าแสดงลิงค์ "ลืมรหัสผ่าน" ในหน้าเข้าสู่ระบบ UsersSetup=ผู้ใช้ติดตั้งโมดูล -UserMailRequired=Email required to create a new user -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) -UsersDocModules=Document templates for documents generated from user record -GroupsDocModules=Document templates for documents generated from a group record +UserMailRequired=อีเมลที่จำเป็นในการสร้างผู้ใช้ใหม่ +UserHideInactive=ซ่อนผู้ใช้ที่ไม่ได้ใช้งานจากรายการคำสั่งผสมของผู้ใช้ทั้งหมด (ไม่แนะนำ: นี่อาจหมายความว่าคุณจะไม่สามารถกรองหรือค้นหาผู้ใช้เก่าในบางหน้าได้) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) +UsersDocModules=เทมเพลตเอกสารสำหรับเอกสารที่สร้างจากบันทึกผู้ใช้ +GroupsDocModules=เทมเพลตเอกสารสำหรับเอกสารที่สร้างจากบันทึกกลุ่ม ##### HRM setup ##### -HRMSetup=HRM module setup +HRMSetup=การตั้งค่าโมดูล HRM ##### Company setup ##### CompanySetup=บริษัท ติดตั้งโมดูล -CompanyCodeChecker=Options for automatic generation of customer/vendor codes -AccountCodeManager=Options for automatic generation of customer/vendor accounting codes -NotificationsDesc=Email notifications can be sent automatically for some Dolibarr events.
      Recipients of notifications can be defined: -NotificationsDescUser=* per user, one user at a time. -NotificationsDescContact=* per third-party contacts (customers or vendors), one contact at a time. -NotificationsDescGlobal=* or by setting global email addresses in the setup page of the module. -ModelModules=Document Templates -DocumentModelOdt=Generate documents from OpenDocument templates (.ODT / .ODS files from LibreOffice, OpenOffice, KOffice, TextEdit,...) +CompanyCodeChecker=ตัวเลือกสำหรับการสร้างรหัสลูกค้า/ผู้จำหน่ายอัตโนมัติ +AccountCodeManager=ตัวเลือกสำหรับการสร้างรหัสบัญชีลูกค้า/ผู้ขายโดยอัตโนมัติ +NotificationsDesc=สามารถส่งการแจ้งเตือนทางอีเมลโดยอัตโนมัติสำหรับเหตุการณ์ Dolibarr บางเหตุการณ์
      สามารถกำหนดผู้รับการแจ้งเตือนได้: +NotificationsDescUser=* ต่อผู้ใช้ ครั้งละหนึ่งผู้ใช้ +NotificationsDescContact=* ต่อผู้ติดต่อบุคคลที่สาม (ลูกค้าหรือผู้ขาย) ผู้ติดต่อครั้งละหนึ่งราย +NotificationsDescGlobal=* หรือโดยการตั้งค่าที่อยู่อีเมลส่วนกลางในหน้าการตั้งค่าของโมดูล +ModelModules=เทมเพลตเอกสาร +DocumentModelOdt=สร้างเอกสารจากเทมเพลต OpenDocument (ไฟล์ .ODT / .ODS จาก LibreOffice, OpenOffice, KOffice, TextEdit,...) WatermarkOnDraft=ลายน้ำในเอกสารร่าง JSOnPaimentBill=เปิดใช้งานคุณลักษณะในการป้อนอัตโนมัติสายการชำระเงินในรูปแบบการชำระเงิน -CompanyIdProfChecker=Rules for Professional IDs -MustBeUnique=Must be unique? -MustBeMandatory=Mandatory to create third parties (if VAT number or type of company defined) ? -MustBeInvoiceMandatory=Mandatory to validate invoices? -TechnicalServicesProvided=Technical services provided +CompanyIdProfChecker=กฎสำหรับ ID ผู้เชี่ยวชาญ +MustBeUnique=ต้องไม่ซ้ำกัน? +MustBeMandatory=จำเป็นต้องสร้างบุคคลที่สาม (หากกำหนดหมายเลข VAT หรือประเภทของบริษัท) ? +MustBeInvoiceMandatory=จำเป็นต้องตรวจสอบใบแจ้งหนี้หรือไม่? +TechnicalServicesProvided=ให้บริการด้านเทคนิค ##### WebDAV ##### -WebDAVSetupDesc=This is the link to access the WebDAV directory. It contains a "public" dir open to any user knowing the URL (if public directory access allowed) and a "private" directory that needs an existing login account/password for access. -WebDavServer=Root URL of %s server: %s +WebDAVSetupDesc=นี่คือลิงค์สำหรับเข้าถึงไดเร็กทอรี WebDAV ประกอบด้วย dir "สาธารณะ" ที่เปิดให้ผู้ใช้ทราบ URL (หากอนุญาตให้เข้าถึงไดเร็กทอรีสาธารณะ) และไดเร็กทอรี "ส่วนตัว" ที่จำเป็นต้องมีบัญชีเข้าสู่ระบบ/รหัสผ่านที่มีอยู่เพื่อการเข้าถึง +WebDavServer=URL รากของเซิร์ฟเวอร์ %s: %s ##### WebCAL setup ##### WebCalUrlForVCalExport=การเชื่อมโยงการส่งออกไปยังรูปแบบ% s สามารถดูได้ที่ลิงค์ต่อไปนี้:% s ##### Invoices ##### BillsSetup=ใบแจ้งหนี้การติดตั้งโมดูล BillsNumberingModule=ใบแจ้งหนี้และบันทึกหมายเลขบัตรเครดิตรูปแบบ BillsPDFModules=รูปแบบเอกสารใบแจ้งหนี้ -BillsPDFModulesAccordindToInvoiceType=Invoice documents models according to invoice type -PaymentsPDFModules=Payment documents models +BillsPDFModulesAccordindToInvoiceType=แบบจำลองเอกสารใบแจ้งหนี้ตามประเภทใบแจ้งหนี้ +PaymentsPDFModules=แบบจำลองเอกสารการชำระเงิน ForceInvoiceDate=วันที่ใบแจ้งหนี้กองทัพวันที่ตรวจสอบ -SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined on the invoice -SuggestPaymentByRIBOnAccount=Suggest payment by withdrawal on account -SuggestPaymentByChequeToAddress=Suggest payment by check to +SuggestedPaymentModesIfNotDefinedInInvoice=โหมดการชำระเงินที่แนะนำในใบแจ้งหนี้ตามค่าเริ่มต้น หากไม่ได้กำหนดไว้ในใบแจ้งหนี้ +SuggestPaymentByRIBOnAccount=แนะนำให้ชำระเงินโดยการถอนเงินเข้าบัญชี +SuggestPaymentByChequeToAddress=แนะนำให้ชำระเงินด้วยเช็คไปที่ FreeLegalTextOnInvoices=ข้อความฟรีในใบแจ้งหนี้ WatermarkOnDraftInvoices=ลายน้ำบนร่างใบแจ้งหนี้ (ไม่มีถ้าว่างเปล่า) -PaymentsNumberingModule=Payments numbering model -SuppliersPayment=Vendor payments -SupplierPaymentSetup=Vendor payments setup -InvoiceCheckPosteriorDate=Check facture date before validation -InvoiceCheckPosteriorDateHelp=Validating an invoice will be forbidden if its date is anterior to the date of last invoice of same type. -InvoiceOptionCategoryOfOperations=Display the mention "category of operations" on the invoice. -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
      - Category of operations: Delivery of goods
      - Category of operations: Provision of services
      - Category of operations: Mixed - Delivery of goods & provision of services -InvoiceOptionCategoryOfOperationsYes1=Yes, below the address block -InvoiceOptionCategoryOfOperationsYes2=Yes, in the lower left-hand corner +PaymentsNumberingModule=รูปแบบการกำหนดหมายเลขการชำระเงิน +SuppliersPayment=การชำระเงินของผู้ขาย +SupplierPaymentSetup=การตั้งค่าการชำระเงินของผู้จัดจำหน่าย +InvoiceCheckPosteriorDate=ตรวจสอบวันที่แฟคทอรีก่อนการตรวจสอบความถูกต้อง +InvoiceCheckPosteriorDateHelp=การตรวจสอบความถูกต้องของใบแจ้งหนี้จะถูกห้ามหากวันที่อยู่ก่อนวันที่ของใบแจ้งหนี้ประเภทเดียวกันครั้งล่าสุด +InvoiceOptionCategoryOfOperations=แสดงการกล่าวถึง "ประเภทการดำเนินงาน" บนใบแจ้งหนี้ +InvoiceOptionCategoryOfOperationsHelp=การกล่าวถึงจะปรากฏในรูปแบบ:
      - หมวดหมู่การดำเนินงาน: การส่งมอบสินค้า
      - ประเภทของ การดำเนินงาน: การจัดหาบริการ
      - ประเภทของการดำเนินงาน: ผสม - การส่งมอบสินค้าและบริการ +InvoiceOptionCategoryOfOperationsYes1=ใช่ ใต้ช่องที่อยู่ +InvoiceOptionCategoryOfOperationsYes2=ใช่ที่มุมซ้ายล่าง ##### Proposals ##### PropalSetup=ข้อเสนอเชิงพาณิชย์การติดตั้งโมดูล ProposalsNumberingModules=จำนวนข้อเสนอในเชิงพาณิชย์รุ่น ProposalsPDFModules=เอกสารข้อเสนอในเชิงพาณิชย์รุ่น -SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined on the proposal +SuggestedPaymentModesIfNotDefinedInProposal=โหมดการชำระเงินที่แนะนำในข้อเสนอโดยค่าเริ่มต้น หากไม่ได้กำหนดไว้ในข้อเสนอ FreeLegalTextOnProposal=ข้อความฟรีเกี่ยวกับข้อเสนอในเชิงพาณิชย์ WatermarkOnDraftProposal=ลายน้ำในร่างข้อเสนอในเชิงพาณิชย์ (ไม่มีถ้าว่างเปล่า) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=ขอปลายทางบัญชีธนาคารของข้อเสนอ @@ -1481,12 +1494,12 @@ SupplierProposalPDFModules=ราคาขอซัพพลายเออร FreeLegalTextOnSupplierProposal=ข้อความฟรีในราคาผู้ผลิตร้องขอ WatermarkOnDraftSupplierProposal=ลายน้ำราคาร่างซัพพลายเออร์ขอ (ไม่เลยถ้าว่างเปล่า) BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=ขอบัญชีธนาคารปลายทางของการร้องขอราคา -WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Ask for Warehouse Source for order +WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=สอบถามแหล่งคลังสินค้าเพื่อสั่งซื้อ ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=สอบถามปลายทางบัญชีธนาคารของใบสั่งซื้อ ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sales order by default if not defined on the order -OrdersSetup=Sales Orders management setup +SuggestedPaymentModesIfNotDefinedInOrder=โหมดการชำระเงินที่แนะนำในใบสั่งขายตามค่าเริ่มต้น หากไม่ได้กำหนดไว้ในใบสั่ง +OrdersSetup=การตั้งค่าการจัดการใบสั่งขาย OrdersNumberingModules=สั่งซื้อจำนวนรุ่น OrdersModelModule=เอกสารการสั่งซื้อรุ่น FreeLegalTextOnOrders=ข้อความฟรีเมื่อสั่งซื้อ @@ -1508,15 +1521,15 @@ WatermarkOnDraftContractCards=ลายน้ำในสัญญาร่า ##### Members ##### MembersSetup=สมาชิกติดตั้งโมดูล MemberMainOptions=ตัวเลือกหลัก -MemberCodeChecker=Options for automatic generation of member codes -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. -AdherentMailRequired=Email required to create a new member +MemberCodeChecker=ตัวเลือกสำหรับการสร้างรหัสสมาชิกอัตโนมัติ +AdherentLoginRequired=จัดการข้อมูลเข้าสู่ระบบ/รหัสผ่านสำหรับสมาชิกแต่ละคน +AdherentLoginRequiredDesc=เพิ่มค่าสำหรับการเข้าสู่ระบบและรหัสผ่านในไฟล์สมาชิก หากสมาชิกเชื่อมโยงกับผู้ใช้ การอัปเดตข้อมูลเข้าสู่ระบบและรหัสผ่านของสมาชิกจะอัปเดตข้อมูลเข้าสู่ระบบและรหัสผ่านของผู้ใช้ด้วย +AdherentMailRequired=อีเมลที่จำเป็นในการสร้างสมาชิกใหม่ MemberSendInformationByMailByDefault=ช่องทำเครื่องหมายยืนยันที่จะส่งอีเมลไปยังสมาชิก (การตรวจสอบหรือการสมัครสมาชิกใหม่) เป็นตามค่าเริ่มต้น -MemberCreateAnExternalUserForSubscriptionValidated=Create an external user login for each new member subscription validated -VisitorCanChooseItsPaymentMode=Visitor can choose from any available payment modes -MEMBER_REMINDER_EMAIL=Enable automatic reminder by email of expired subscriptions. Note: Module %s must be enabled and correctly setup to send reminders. -MembersDocModules=Document templates for documents generated from member record +MemberCreateAnExternalUserForSubscriptionValidated=สร้างข้อมูลเข้าสู่ระบบของผู้ใช้ภายนอกสำหรับการสมัครสมาชิกใหม่แต่ละครั้งที่ได้รับการตรวจสอบแล้ว +VisitorCanChooseItsPaymentMode=ผู้เข้าชมสามารถเลือกวิธีการชำระเงินที่มีได้ +MEMBER_REMINDER_EMAIL=เปิดใช้งานการแจ้งเตือนอัตโนมัติ ทางอีเมล ของการสมัครสมาชิกที่หมดอายุ หมายเหตุ: ต้องเปิดใช้งานโมดูล %s และตั้งค่าอย่างถูกต้องเพื่อส่ง การแจ้งเตือน +MembersDocModules=เทมเพลตเอกสารสำหรับเอกสารที่สร้างจากบันทึกสมาชิก ##### LDAP setup ##### LDAPSetup=ติดตั้ง LDAP LDAPGlobalParameters=พารามิเตอร์ทั่วโลก @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=กลุ่ม LDAPContactsSynchro=รายชื่อผู้ติดต่อ LDAPMembersSynchro=สมาชิก LDAPMembersTypesSynchro=สมาชิกประเภท -LDAPSynchronization=ประสาน LDAP +LDAPSynchronization=การซิงโครไนซ์ LDAP LDAPFunctionsNotAvailableOnPHP=ฟังก์ชั่น LDAP ไม่สามารถใช้ได้ใน PHP ของคุณ LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1534,17 +1547,17 @@ LDAPSynchronizeUsers=องค์กรของผู้ใช้ใน LDAP LDAPSynchronizeGroups=องค์กรของกลุ่ม LDAP LDAPSynchronizeContacts=องค์การของรายชื่อใน LDAP LDAPSynchronizeMembers=องค์กรของสมาชิกของมูลนิธิใน LDAP -LDAPSynchronizeMembersTypes=Organization of foundation's members types in LDAP +LDAPSynchronizeMembersTypes=การจัดประเภทของสมาชิกของมูลนิธิใน LDAP LDAPPrimaryServer=เซิร์ฟเวอร์หลัก LDAPSecondaryServer=เซิร์ฟเวอร์รอง LDAPServerPort=พอร์ตของเซิร์ฟเวอร์ -LDAPServerPortExample=Standard or StartTLS: 389, LDAPs: 636 +LDAPServerPortExample=มาตรฐานหรือ StartTLS: 389, LDAP: 636 LDAPServerProtocolVersion=Protocol รุ่น LDAPServerUseTLS=ใช้ TLS -LDAPServerUseTLSExample=Your LDAP server use StartTLS +LDAPServerUseTLSExample=เซิร์ฟเวอร์ LDAP ของคุณใช้ StartTLS LDAPServerDn=เซิร์ฟเวอร์ DN LDAPAdminDn=DN ผู้ดูแลระบบ -LDAPAdminDnExample=Complete DN (ex: cn=admin,dc=example,dc=com or cn=Administrator,cn=Users,dc=example,dc=com for active directory) +LDAPAdminDnExample=กรอก DN (เช่น cn=admin,dc=example,dc=com หรือ cn=Administrator,cn=Users,dc=example,dc=com สำหรับ Active Directory) LDAPPassword=รหัสผ่านผู้ดูแลระบบ LDAPUserDn=ผู้ใช้ DN LDAPUserDnExample=สมบูรณ์ DN (เช่น: อู = ผู้ใช้ dc = ตัวอย่างเช่น dc = com) @@ -1558,7 +1571,7 @@ LDAPDnContactActive=ประสานติดต่อ ' LDAPDnContactActiveExample=เปิดใช้งาน / ประสานไม่มีการเปิดใช้ LDAPDnMemberActive=ประสานสมาชิก LDAPDnMemberActiveExample=เปิดใช้งาน / ประสานไม่มีการเปิดใช้ -LDAPDnMemberTypeActive=Members types' synchronization +LDAPDnMemberTypeActive=การซิงโครไนซ์ประเภทสมาชิก LDAPDnMemberTypeActiveExample=เปิดใช้งาน / ประสานไม่มีการเปิดใช้ LDAPContactDn=รายชื่อ Dolibarr 'DN LDAPContactDnExample=สมบูรณ์ DN (เช่น: อู = ชื่อ, dc = ตัวอย่างเช่น dc = com) @@ -1566,8 +1579,8 @@ LDAPMemberDn=Dolibarr สมาชิก DN LDAPMemberDnExample=สมบูรณ์ DN (เช่น: อู = สมาชิก dc = ตัวอย่างเช่น dc = com) LDAPMemberObjectClassList=รายการ objectClass LDAPMemberObjectClassListExample=รายการ objectClass บันทึกการกำหนดคุณลักษณะ (เช่นด้านบนหรือด้านบน inetOrgPerson ผู้ใช้ไดเรกทอรีที่ใช้งาน) -LDAPMemberTypeDn=Dolibarr members types DN -LDAPMemberTypepDnExample=Complete DN (ex: ou=memberstypes,dc=example,dc=com) +LDAPMemberTypeDn=สมาชิก Dolibarr พิมพ์ DN +LDAPMemberTypepDnExample=กรอก DN (เช่น ou=memberstypes,dc=example,dc=com) LDAPMemberTypeObjectClassList=รายการ objectClass LDAPMemberTypeObjectClassListExample=รายการ objectClass บันทึกการกำหนดคุณลักษณะ (เช่นบน groupOfUniqueNames) LDAPUserObjectClassList=รายการ objectClass @@ -1581,131 +1594,131 @@ LDAPTestSynchroContact=ทดสอบการประสานรายชื LDAPTestSynchroUser=ประสานผู้ใช้ทดสอบ LDAPTestSynchroGroup=ทดสอบการประสานกลุ่ม LDAPTestSynchroMember=ทดสอบการประสานสมาชิก -LDAPTestSynchroMemberType=Test member type synchronization +LDAPTestSynchroMemberType=ทดสอบการซิงโครไนซ์ประเภทสมาชิก LDAPTestSearch= ทดสอบค้นหา LDAP LDAPSynchroOK=การประสานข้อมูลการทดสอบที่ประสบความสำเร็จ LDAPSynchroKO=การทดสอบการประสานล้มเหลว -LDAPSynchroKOMayBePermissions=Failed synchronization test. Check that the connection to the server is correctly configured and allows LDAP updates +LDAPSynchroKOMayBePermissions=การทดสอบการซิงโครไนซ์ล้มเหลว ตรวจสอบว่าการเชื่อมต่อกับเซิร์ฟเวอร์ได้รับการกำหนดค่าอย่างถูกต้องและอนุญาตการอัปเดต LDAP LDAPTCPConnectOK=TCP เชื่อมต่อกับเซิร์ฟเวอร์ LDAP ที่ประสบความสำเร็จ (เซิร์ฟเวอร์ =% s พอร์ต =% s) LDAPTCPConnectKO=TCP เชื่อมต่อกับเซิร์ฟเวอร์ LDAP ล้มเหลว (เซิร์ฟเวอร์ =% s พอร์ต =% s) -LDAPBindOK=Connect/Authenticate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s) -LDAPBindKO=Connect/Authenticate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=%s) +LDAPBindOK=เชื่อมต่อ/รับรองความถูกต้องกับเซิร์ฟเวอร์ LDAP สำเร็จ (Server=%s, Port=%s, Admin= %s, รหัสผ่าน=%s) +LDAPBindKO=เชื่อมต่อ/รับรองความถูกต้องกับเซิร์ฟเวอร์ LDAP ล้มเหลว (เซิร์ฟเวอร์=%s, พอร์ต=%s, Admin= %s, รหัสผ่าน=%s) LDAPSetupForVersion3=การกำหนดค่าเซิร์ฟเวอร์ LDAP สำหรับรุ่นที่ 3 LDAPSetupForVersion2=เซิร์ฟเวอร์ LDAP การกำหนดค่าสำหรับรุ่นที่ 2 LDAPDolibarrMapping=Dolibarr แมป LDAPLdapMapping=แมป LDAP LDAPFieldLoginUnix=เข้าสู่ระบบ (ยูนิกซ์) -LDAPFieldLoginExample=Example: uid +LDAPFieldLoginExample=ตัวอย่าง: uid LDAPFilterConnection=ตัวกรองการค้นหา -LDAPFilterConnectionExample=Example: &(objectClass=inetOrgPerson) -LDAPGroupFilterExample=Example: &(objectClass=groupOfUsers) +LDAPFilterConnectionExample=ตัวอย่าง: &(objectClass=inetOrgPerson) +LDAPGroupFilterExample=ตัวอย่าง: &(objectClass=groupOfUsers) LDAPFieldLoginSamba=เข้าสู่ระบบ (samba, ActiveDirectory) -LDAPFieldLoginSambaExample=Example: samaccountname +LDAPFieldLoginSambaExample=ตัวอย่าง: samaccountname LDAPFieldFullname=ชื่อเต็ม -LDAPFieldFullnameExample=Example: cn -LDAPFieldPasswordNotCrypted=Password not encrypted -LDAPFieldPasswordCrypted=Password encrypted -LDAPFieldPasswordExample=Example: userPassword -LDAPFieldCommonNameExample=Example: cn +LDAPFieldFullnameExample=ตัวอย่าง: cn +LDAPFieldPasswordNotCrypted=รหัสผ่านไม่ได้เข้ารหัส +LDAPFieldPasswordCrypted=รหัสผ่านถูกเข้ารหัส +LDAPFieldPasswordExample=ตัวอย่าง: รหัสผ่านผู้ใช้ +LDAPFieldCommonNameExample=ตัวอย่าง: cn LDAPFieldName=ชื่อ -LDAPFieldNameExample=Example: sn +LDAPFieldNameExample=ตัวอย่าง: sn LDAPFieldFirstName=ชื่อแรก -LDAPFieldFirstNameExample=Example: givenName +LDAPFieldFirstNameExample=ตัวอย่าง: ชื่อที่กำหนด LDAPFieldMail=ที่อยู่อีเมล์ -LDAPFieldMailExample=Example: mail +LDAPFieldMailExample=ตัวอย่าง: จดหมาย LDAPFieldPhone=หมายเลขโทรศัพท์มืออาชีพ -LDAPFieldPhoneExample=Example: telephonenumber +LDAPFieldPhoneExample=ตัวอย่าง: หมายเลขโทรศัพท์ LDAPFieldHomePhone=หมายเลขโทรศัพท์ส่วนตัว -LDAPFieldHomePhoneExample=Example: homephone +LDAPFieldHomePhoneExample=ตัวอย่าง: โทรศัพท์บ้าน LDAPFieldMobile=โทรศัพท์เคลื่อนที่ -LDAPFieldMobileExample=Example: mobile +LDAPFieldMobileExample=ตัวอย่าง: มือถือ LDAPFieldFax=หมายเลขโทรสาร -LDAPFieldFaxExample=Example: facsimiletelephonenumber +LDAPFieldFaxExample=ตัวอย่าง: หมายเลขโทรสาร LDAPFieldAddress=ถนน -LDAPFieldAddressExample=Example: street +LDAPFieldAddressExample=ตัวอย่าง: ถนน LDAPFieldZip=ไปรษณีย์ -LDAPFieldZipExample=Example: postalcode +LDAPFieldZipExample=ตัวอย่าง: รหัสไปรษณีย์ LDAPFieldTown=ตัวเมือง -LDAPFieldTownExample=Example: l +LDAPFieldTownExample=ตัวอย่าง: ล LDAPFieldCountry=ประเทศ LDAPFieldDescription=ลักษณะ -LDAPFieldDescriptionExample=Example: description +LDAPFieldDescriptionExample=ตัวอย่าง: คำอธิบาย LDAPFieldNotePublic=หมายเหตุสาธารณะ -LDAPFieldNotePublicExample=Example: publicnote +LDAPFieldNotePublicExample=ตัวอย่าง: บันทึกสาธารณะ LDAPFieldGroupMembers= สมาชิกในกลุ่ม -LDAPFieldGroupMembersExample= Example: uniqueMember +LDAPFieldGroupMembersExample= ตัวอย่าง: UniqueMember LDAPFieldBirthdate=วันเกิด LDAPFieldCompany=บริษัท -LDAPFieldCompanyExample=Example: o +LDAPFieldCompanyExample=ตัวอย่าง: o LDAPFieldSid=SID -LDAPFieldSidExample=Example: objectsid +LDAPFieldSidExample=ตัวอย่าง: objectid LDAPFieldEndLastSubscription=วันที่สิ้นสุดการสมัครสมาชิก LDAPFieldTitle=ตำแหน่ง LDAPFieldTitleExample=ตัวอย่าง: ชื่อ -LDAPFieldGroupid=Group id -LDAPFieldGroupidExample=Example : gidnumber -LDAPFieldUserid=User id -LDAPFieldUseridExample=Example : uidnumber -LDAPFieldHomedirectory=Home directory -LDAPFieldHomedirectoryExample=Exemple : homedirectory -LDAPFieldHomedirectoryprefix=Home directory prefix +LDAPFieldGroupid=รหัสกลุ่ม +LDAPFieldGroupidExample=ตัวอย่าง : gidnumber +LDAPFieldUserid=รหัสผู้ใช้ +LDAPFieldUseridExample=ตัวอย่าง : uidnumber +LDAPFieldHomedirectory=โฮมไดเร็กตอรี่ +LDAPFieldHomedirectoryExample=ตัวอย่าง : โฮมไดเร็กตอรี่ +LDAPFieldHomedirectoryprefix=คำนำหน้าโฮมไดเร็กทอรี LDAPSetupNotComplete=การติดตั้ง LDAP ไม่สมบูรณ์ (ไปที่แท็บอื่น ๆ ) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=ผู้ดูแลระบบหรือรหัสผ่าน เข้าถึง LDAP จะไม่ระบุชื่อและที่อยู่ในโหมดอ่านอย่างเดียว LDAPDescContact=หน้านี้จะช่วยให้คุณสามารถกำหนด LDAP แอตทริบิวต์ชื่อในต้นไม้ LDAP สำหรับข้อมูลแต่ละที่พบในรายชื่อ Dolibarr LDAPDescUsers=หน้านี้จะช่วยให้คุณสามารถกำหนด LDAP แอตทริบิวต์ชื่อในต้นไม้ LDAP สำหรับข้อมูลแต่ละที่พบในผู้ใช้ Dolibarr LDAPDescGroups=หน้านี้จะช่วยให้คุณสามารถกำหนด LDAP แอตทริบิวต์ชื่อในต้นไม้ LDAP สำหรับข้อมูลแต่ละที่พบในกลุ่ม Dolibarr LDAPDescMembers=หน้านี้จะช่วยให้คุณสามารถกำหนด LDAP แอตทริบิวต์ชื่อในต้นไม้ LDAP สำหรับข้อมูลแต่ละที่พบใน Dolibarr โมดูลสมาชิก -LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. +LDAPDescMembersTypes=หน้านี้ช่วยให้คุณกำหนดชื่อแอตทริบิวต์ LDAP ในแผนผัง LDAP สำหรับแต่ละข้อมูลที่พบในประเภทสมาชิก Dolibarr LDAPDescValues=ค่าตัวอย่างได้รับการออกแบบสำหรับ OpenLDAP กับแบบแผนโหลดต่อไปนี้: core.schema, cosine.schema, inetorgperson.schema) ถ้าคุณใช้ค่า thoose และ OpenLDAP แก้ไขไฟล์ config LDAP ของคุณ slapd.conf จะมีแบบแผน thoose ทั้งหมดที่โหลด ForANonAnonymousAccess=สำหรับการเข้าถึงรับรองความถูกต้อง (สำหรับการเข้าถึงการเขียนตัวอย่าง) PerfDolibarr=ผลการดำเนินงานการติดตั้ง / รายงานการเพิ่มประสิทธิภาพ -YouMayFindPerfAdviceHere=This page provides some checks or advice related to performance. -NotInstalled=Not installed. -NotSlowedDownByThis=Not slowed down by this. -NotRiskOfLeakWithThis=Not risk of leak with this. +YouMayFindPerfAdviceHere=หน้านี้จะให้การตรวจสอบหรือคำแนะนำที่เกี่ยวข้องกับประสิทธิภาพ +NotInstalled=ไม่ได้ติดตั้ง. +NotSlowedDownByThis=ไม่ได้ชะลอตัวลงโดยสิ่งนี้ +NotRiskOfLeakWithThis=ไม่เสี่ยงต่อการรั่วไหลด้วยสิ่งนี้ ApplicativeCache=แคชปรับใช้ MemcachedNotAvailable=ไม่มีแคช applicative พบ คุณสามารถเพิ่มประสิทธิภาพการทำงานโดยการติดตั้งเซิร์ฟเวอร์แคช Memcached โมดูลและสามารถที่จะใช้เซิร์ฟเวอร์แคชนี้
      ข้อมูลเพิ่มเติมที่นี่ http://wiki.dolibarr.org/index.php/Module_MemCached_EN
      โปรดทราบว่าจำนวนมากของผู้ให้บริการเว็บโฮสติ้งไม่ได้ให้เซิร์ฟเวอร์แคชดังกล่าว MemcachedModuleAvailableButNotSetup=โมดูล memcached สำหรับแคช applicative พบ แต่การตั้งค่าของโมดูลยังไม่สมบูรณ์ MemcachedAvailableAndSetup=โมดูล memcached ทุ่มเทให้กับการใช้เซิร์ฟเวอร์ memcached ถูกเปิดใช้งาน OPCodeCache=แคช opcode -NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad). -HTTPCacheStaticResources=แคช HTTP สำหรับทรัพยากรแบบคงที่ (CSS, img, JavaScript) +NoOPCodeCacheFound=ไม่พบแคช OPCode บางทีคุณอาจใช้แคช OPCode อื่นที่ไม่ใช่ XCache หรือ eAccelerator (ดี) หรือบางทีคุณอาจไม่มีแคช OPCode (แย่มาก) +HTTPCacheStaticResources=แคช HTTP สำหรับทรัพยากรคงที่ (css, img, JavaScript) FilesOfTypeCached=แฟ้ม s พิมพ์% จะถูกเก็บไว้โดยเซิร์ฟเวอร์ HTTP FilesOfTypeNotCached=แฟ้ม s พิมพ์% ไม่ได้เก็บไว้โดยเซิร์ฟเวอร์ HTTP FilesOfTypeCompressed=ไฟล์ประเภท% s จะถูกบีบอัดโดยเซิร์ฟเวอร์ HTTP FilesOfTypeNotCompressed=แฟ้ม s พิมพ์% ไม่ได้บีบอัดโดยเซิร์ฟเวอร์ HTTP CacheByServer=แคชโดยเซิร์ฟเวอร์ -CacheByServerDesc=For example using the Apache directive "ExpiresByType image/gif A2592000" +CacheByServerDesc=ตัวอย่างเช่น การใช้คำสั่ง Apache "ExpiresByType image/gif A2592000" CacheByClient=แคชเบราว์เซอร์ CompressionOfResources=การบีบอัดของการตอบสนอง HTTP -CompressionOfResourcesDesc=For example using the Apache directive "AddOutputFilterByType DEFLATE" +CompressionOfResourcesDesc=ตัวอย่างเช่นการใช้คำสั่ง Apache "AddOutputFilterByType DEFLATE" TestNotPossibleWithCurrentBrowsers=ดังกล่าวตรวจสอบโดยอัตโนมัติเป็นไปไม่ได้กับเบราว์เซอร์ในปัจจุบัน -DefaultValuesDesc=Here you may define the default value you wish to use when creating a new record, and/or default filters or the sort order when you list records. -DefaultCreateForm=Default values (to use on forms) -DefaultSearchFilters=Default search filters -DefaultSortOrder=Default sort orders -DefaultFocus=Default focus fields -DefaultMandatory=Mandatory form fields +DefaultValuesDesc=ที่นี่คุณสามารถกำหนดค่าเริ่มต้นที่คุณต้องการใช้เมื่อสร้างบันทึกใหม่ และ/หรือตัวกรองเริ่มต้นหรือลำดับการจัดเรียงเมื่อคุณแสดงรายการบันทึก +DefaultCreateForm=ค่าเริ่มต้น (เพื่อใช้บนแบบฟอร์ม) +DefaultSearchFilters=ตัวกรองการค้นหาเริ่มต้น +DefaultSortOrder=ลำดับการจัดเรียงเริ่มต้น +DefaultFocus=ฟิลด์โฟกัสเริ่มต้น +DefaultMandatory=ช่องแบบฟอร์มบังคับ ##### Products ##### ProductSetup=ผลิตภัณฑ์การติดตั้งโมดูล ServiceSetup=บริการติดตั้งโมดูล ProductServiceSetup=ผลิตภัณฑ์และบริการการติดตั้งโมดูล -NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) -ViewProductDescInFormAbility=Display product descriptions in lines of items (otherwise show description in a tooltip popup) -OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document -AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product -DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. -DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents +NumberOfProductShowInSelect=จำนวนผลิตภัณฑ์สูงสุดที่จะแสดงในรายการเลือกคำสั่งผสม (0=ไม่จำกัด) +ViewProductDescInFormAbility=แสดงคำอธิบายผลิตภัณฑ์ในรายการ (มิฉะนั้นจะแสดงคำอธิบายในป๊อปอัปคำแนะนำเครื่องมือ) +OnProductSelectAddProductDesc=วิธีใช้คำอธิบายของผลิตภัณฑ์เมื่อเพิ่มผลิตภัณฑ์เป็นบรรทัดของเอกสาร +AutoFillFormFieldBeforeSubmit=กรอกช่องป้อนคำอธิบายพร้อมคำอธิบายของผลิตภัณฑ์โดยอัตโนมัติ +DoNotAutofillButAutoConcat=อย่ากรอกช่องป้อนข้อมูลอัตโนมัติพร้อมคำอธิบายผลิตภัณฑ์ คำอธิบายของผลิตภัณฑ์จะถูกต่อเข้ากับคำอธิบายที่ป้อนโดยอัตโนมัติ +DoNotUseDescriptionOfProdut=คำอธิบายของผลิตภัณฑ์จะไม่รวมอยู่ในคำอธิบายของบรรทัดเอกสาร MergePropalProductCard=เปิดใช้งานในผลิตภัณฑ์ / บริการที่แนบมาไฟล์ที่แท็บตัวเลือกที่จะผสานเอกสาร PDF สินค้ากับข้อเสนอในรูปแบบ PDF azur หากผลิตภัณฑ์ / บริการที่อยู่ในข้อเสนอ -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) -UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. -UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) +ViewProductDescInThirdpartyLanguageAbility=แสดงคำอธิบายผลิตภัณฑ์ในรูปแบบในภาษาของบุคคลที่สาม (หรือเป็นภาษาของผู้ใช้) +UseSearchToSelectProductTooltip=นอกจากนี้ หากคุณมีผลิตภัณฑ์จำนวนมาก (> 100,000) คุณสามารถเพิ่มความเร็วได้โดยตั้งค่าคงที่ PRODUCT_DONOTSEARCH_ANYWHERE เป็น 1 ในการตั้งค่า->อื่นๆ การค้นหาจะถูกจำกัดไว้ที่จุดเริ่มต้นของสตริง +UseSearchToSelectProduct=รอจนกว่าคุณจะกดปุ่มก่อนที่จะโหลดเนื้อหาของรายการคำสั่งผสมผลิตภัณฑ์ (ซึ่งอาจเพิ่มประสิทธิภาพได้หากคุณมีผลิตภัณฑ์จำนวนมาก แต่ไม่สะดวก) SetDefaultBarcodeTypeProducts=ประเภทบาร์โค้ดเริ่มต้นที่จะใช้สำหรับผลิตภัณฑ์ SetDefaultBarcodeTypeThirdParties=ประเภทบาร์โค้ดเริ่มต้นที่จะใช้สำหรับบุคคลที่สาม -UseUnits=Define a unit of measure for Quantity during order, proposal or invoice lines edition +UseUnits=กำหนดหน่วยวัดสำหรับปริมาณระหว่างการแก้ไขรายการใบสั่ง ข้อเสนอ หรือใบแจ้งหนี้ ProductCodeChecker= Module สำหรับรุ่นรหัสสินค้าและการตรวจสอบ (สินค้าหรือบริการ) ProductOtherConf= สินค้า / การกำหนดค่าบริการ -IsNotADir=is not a directory! +IsNotADir=ไม่ใช่ไดเร็กทอรี! ##### Syslog ##### SyslogSetup=บันทึกการติดตั้งโมดูล SyslogOutput=บันทึกผล @@ -1714,10 +1727,10 @@ SyslogLevel=ชั้น SyslogFilename=ชื่อแฟ้มและเส้นทาง YouCanUseDOL_DATA_ROOT=คุณสามารถใช้ DOL_DATA_ROOT / dolibarr.log สำหรับล็อกไฟล์ใน Dolibarr "เอกสาร" ไดเรกทอรี คุณสามารถตั้งค่าเส้นทางที่แตกต่างกันในการจัดเก็บไฟล์นี้ ErrorUnknownSyslogConstant=% s คงไม่ได้เป็นที่รู้จักกันอย่างต่อเนื่อง Syslog -OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported -CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) -SyslogFileNumberOfSaves=Number of backup logs to keep -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +OnlyWindowsLOG_USER=บน Windows ระบบจะรองรับเฉพาะเครื่องมืออำนวยความสะดวก LOG_USER เท่านั้น +CompressSyslogs=การบีบอัดและการสำรองไฟล์บันทึกการดีบัก (สร้างโดยโมดูล Log สำหรับการดีบัก) +SyslogFileNumberOfSaves=จำนวนบันทึกการสำรองข้อมูลที่จะเก็บไว้ +ConfigureCleaningCronjobToSetFrequencyOfSaves=กำหนดค่างานตามกำหนดเวลาการทำความสะอาดเพื่อกำหนดความถี่ในการสำรองข้อมูลบันทึก ##### Donations ##### DonationsSetup=บริจาคการติดตั้งโมดูล DonationsReceiptModel=แม่แบบที่ได้รับการบริจาค @@ -1740,7 +1753,7 @@ GenbarcodeLocation=บาร์โค้ดเครื่องมือบร BarcodeInternalEngine=ภายในเครื่องยนต์ BarCodeNumberManager=ผู้จัดการอัตโนมัติกำหนดหมายเลขบาร์โค้ด ##### Prelevements ##### -WithdrawalsSetup=Setup of module Direct Debit payments +WithdrawalsSetup=การตั้งค่าโมดูลการชำระเงินแบบหักบัญชีธนาคาร ##### ExternalRSS ##### ExternalRSSSetup=การติดตั้งภายนอก RSS การนำเข้า NewRSS=RSS ฟีดใหม่ @@ -1748,22 +1761,22 @@ RSSUrl=URL RSS RSSUrlExample=ฟีด RSS ที่น่าสนใจ ##### Mailing ##### MailingSetup=ส่งอีเมลการติดตั้งโมดูล -MailingEMailFrom=Sender email (From) for emails sent by emailing module -MailingEMailError=Return Email (Errors-to) for emails with errors +MailingEMailFrom=อีเมลผู้ส่ง (จาก) สำหรับอีเมลที่ส่งโดยโมดูลการส่งอีเมล +MailingEMailError=ส่งคืนอีเมล (Errors-to) สำหรับอีเมลที่มีข้อผิดพลาด MailingDelay=วินาทีที่จะรอหลังจากที่ส่งข้อความถัดไป ##### Notification ##### -NotificationSetup=Email Notification module setup -NotificationEMailFrom=Sender email (From) for emails sent by the Notifications module +NotificationSetup=การตั้งค่าโมดูลการแจ้งเตือนทางอีเมล +NotificationEMailFrom=อีเมลผู้ส่ง (จาก) สำหรับอีเมลที่ส่งโดยโมดูลการแจ้งเตือน FixedEmailTarget=ผู้รับ -NotificationDisableConfirmMessageContact=Hide the list of recipients (subscribed as contact) of notifications into the confirmation message -NotificationDisableConfirmMessageUser=Hide the list of recipients (subscribed as user) of notifications into the confirmation message -NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as global email) of notifications into the confirmation message +NotificationDisableConfirmMessageContact=ซ่อนรายชื่อผู้รับ (สมัครเป็นผู้ติดต่อ) ของการแจ้งเตือนลงในข้อความยืนยัน +NotificationDisableConfirmMessageUser=ซ่อนรายชื่อผู้รับการแจ้งเตือน (สมัครเป็นสมาชิก) ลงในข้อความยืนยัน +NotificationDisableConfirmMessageFix=ซ่อนรายชื่อผู้รับการแจ้งเตือน (สมัครรับอีเมลทั่วโลก) ไว้ในข้อความยืนยัน ##### Sendings ##### -SendingsSetup=Shipping module setup +SendingsSetup=การตั้งค่าโมดูลการจัดส่ง SendingsReceiptModel=รูปแบบการส่งใบเสร็จรับเงิน SendingsNumberingModules=sendings โมดูลจำนวน -SendingsAbility=Support shipping sheets for customer deliveries -NoNeedForDeliveryReceipts=In most cases, shipping sheets are used both as sheets for customer deliveries (list of products to send) and sheets that are received and signed by customer. Hence the product deliveries receipt is a duplicated feature and is rarely activated. +SendingsAbility=สนับสนุนเอกสารการจัดส่งสำหรับการส่งมอบของลูกค้า +NoNeedForDeliveryReceipts=ในกรณีส่วนใหญ่ เอกสารการจัดส่งจะใช้ทั้งเป็นแผ่นงานสำหรับการส่งมอบของลูกค้า (รายการผลิตภัณฑ์ที่จะส่ง) และแผ่นงานที่ได้รับและลงนามโดยลูกค้า ดังนั้นใบเสร็จรับเงินการส่งมอบผลิตภัณฑ์จึงเป็นคุณลักษณะที่ซ้ำกันและไม่ค่อยมีการเปิดใช้งาน FreeLegalTextOnShippings=ข้อความฟรีในการจัดส่ง ##### Deliveries ##### DeliveryOrderNumberingModules=สินค้าที่ได้รับการส่งมอบโมดูลหมายเลข @@ -1773,55 +1786,55 @@ FreeLegalTextOnDeliveryReceipts=ข้อความฟรีในการจ ##### FCKeditor ##### AdvancedEditor=ตกแต่ง ActivateFCKeditor=เปิดใช้งานขั้นสูงสำหรับบรรณาธิการ: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= สร้าง WYSIWIG / รุ่นสำหรับ eMailings มวล (Tools-> ส่งอีเมล) -FCKeditorForUserSignature=สร้าง WYSIWIG / ฉบับลายเซ็นของผู้ใช้ -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +FCKeditorForNotePublic=การสร้าง/ฉบับ WYSIWYG ของฟิลด์ "บันทึกสาธารณะ" ขององค์ประกอบ +FCKeditorForNotePrivate=การสร้าง/การแก้ไขแบบ WYSIWYG ของฟิลด์ "บันทึกส่วนตัว" ขององค์ประกอบ +FCKeditorForCompany=การสร้าง/แก้ไขคำอธิบายฟิลด์ขององค์ประกอบแบบ WYSIWYG (ยกเว้นผลิตภัณฑ์/บริการ) +FCKeditorForProductDetails=การสร้าง/การแก้ไขแบบ WYSIWYG ของคำอธิบายผลิตภัณฑ์หรือบรรทัดสำหรับออบเจ็กต์ (บรรทัดข้อเสนอ คำสั่งซื้อ ใบแจ้งหนี้ ฯลฯ...) +FCKeditorForProductDetails2=คำเตือน: ไม่แนะนำให้ใช้ตัวเลือกนี้สำหรับกรณีนี้อย่างจริงจัง เนื่องจากอาจทำให้เกิดปัญหากับอักขระพิเศษและการจัดรูปแบบหน้าเมื่อสร้างไฟล์ PDF +FCKeditorForMailing= การสร้าง/ฉบับ WYSIWYG สำหรับอีเมลจำนวนมาก (เครื่องมือ -> อีเมล) +FCKeditorForUserSignature=การสร้าง/การแก้ไขลายเซ็นผู้ใช้แบบ WYSIWYG +FCKeditorForMail=การสร้าง/การแก้ไขแบบ WYSIWYG สำหรับเมลทั้งหมด (ยกเว้นเครื่องมือ -> อีเมล) +FCKeditorForTicket=การสร้าง/ฉบับ WYSIWYG สำหรับตั๋ว ##### Stock ##### -StockSetup=Stock module setup -IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. +StockSetup=การตั้งค่าโมดูลสต็อค +IfYouUsePointOfSaleCheckModule=หากคุณใช้โมดูลระบบขายหน้าร้าน (POS) ที่ให้ไว้ตามค่าเริ่มต้นหรือโมดูลภายนอก การตั้งค่านี้อาจถูกละเว้นโดยโมดูล POS ของคุณ โมดูล POS ส่วนใหญ่ได้รับการออกแบบตามค่าเริ่มต้นเพื่อสร้างใบแจ้งหนี้ทันทีและลดสต็อกโดยไม่คำนึงถึงตัวเลือกที่นี่ ดังนั้น หากคุณต้องการหรือไม่ต้องการลดสต็อกเมื่อลงทะเบียนการขายจาก POS ของคุณ ให้ตรวจสอบการตั้งค่าโมดูล POS ของคุณด้วย ##### Menu ##### MenuDeleted=เมนูลบ -Menu=Menu +Menu=เมนู Menus=เมนู TreeMenuPersonalized=เมนูส่วนบุคคล -NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry +NotTopTreeMenuPersonalized=เมนูส่วนตัวไม่เชื่อมโยงกับรายการเมนูด้านบน NewMenu=เมนูใหม่ MenuHandler=จัดการเมนู MenuModule=โมดูลที่มา -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) +HideUnauthorizedMenu=ซ่อนเมนูที่ไม่ได้รับอนุญาตสำหรับผู้ใช้ภายในด้วย (เพียงเป็นสีเทาเท่านั้น) DetailId=เมนู Id DetailMenuHandler=จัดการเมนูที่จะแสดงเมนูใหม่ DetailMenuModule=ชื่อโมดูลถ้ารายการเมนูมาจากโมดูล DetailType=ประเภทเมนู (ด้านบนหรือด้านซ้าย) DetailTitre=ป้ายเมนูหรือรหัสฉลากสำหรับการแปล -DetailUrl=URL where menu send you (Relative URL link or external link with https://) +DetailUrl=URL ที่เมนูส่งถึงคุณ (ลิงก์ URL ที่เกี่ยวข้องหรือลิงก์ภายนอกที่มี https://) DetailEnabled=สภาพที่จะแสดงหรือไม่เข้า -DetailRight=สภาพที่จะแสดงเมนูสีเทาไม่ได้รับอนุญาต +DetailRight=เงื่อนไขในการแสดงเมนูสีเทาที่ไม่ได้รับอนุญาต DetailLangs=ชื่อไฟล์ Lang สำหรับการแปลรหัสฉลาก DetailUser=ฝึกงาน / Extern / ทั้งหมด Target=เป้า -DetailTarget=Target for links (_blank top opens a new window) +DetailTarget=เป้าหมายสำหรับลิงก์ (_blank ด้านบนเปิดหน้าต่างใหม่) DetailLevel=ระดับ (-1: เมนูด้านบน 0: เมนูส่วนหัว> 0 เมนูและเมนูย่อย) ModifMenu=เมนูการเปลี่ยนแปลง DeleteMenu=ลบรายการเมนู -ConfirmDeleteMenu=Are you sure you want to delete menu entry %s? -FailedToInitializeMenu=Failed to initialize menu +ConfirmDeleteMenu=คุณแน่ใจหรือไม่ว่าต้องการลบรายการเมนู %s +FailedToInitializeMenu=ไม่สามารถเริ่มต้นเมนูได้ ##### Tax ##### TaxSetup=ภาษีภาษีทางสังคมหรือทางการคลังและการติดตั้งโมดูลเงินปันผล OptionVatMode=เนื่องจากภาษีมูลค่าเพิ่ม -OptionVATDefault=Standard basis +OptionVATDefault=พื้นฐานมาตรฐาน OptionVATDebitOption=ตามเกณฑ์คงค้าง -OptionVatDefaultDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on payments for services -OptionVatDebitOptionDesc=VAT is due:
      - on delivery of goods (based on invoice date)
      - on invoice (debit) for services -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
      - on payment for goods
      - on payments for services -SummaryOfVatExigibilityUsedByDefault=Time of VAT eligibility by default according to chosen option: +OptionVatDefaultDesc=ครบกำหนดชำระ VAT:
      - เมื่อส่งมอบสินค้า (ตามวันที่ในใบแจ้งหนี้)
      - จากการชำระเงินค่าบริการ +OptionVatDebitOptionDesc=ครบกำหนด VAT:
      - เมื่อส่งมอบสินค้า (ตามวันที่ในใบแจ้งหนี้)
      - ในใบแจ้งหนี้ (เดบิต) สำหรับบริการ +OptionPaymentForProductAndServices=เกณฑ์เงินสดสำหรับผลิตภัณฑ์และบริการ +OptionPaymentForProductAndServicesDesc=ครบกำหนด VAT:
      - สำหรับการชำระค่าสินค้า
      - สำหรับการชำระค่าบริการ +SummaryOfVatExigibilityUsedByDefault=เวลาที่มีสิทธิ์ VAT ตามค่าเริ่มต้นตามตัวเลือกที่เลือก: OnDelivery=ในการจัดส่ง OnPayment=ในการชำระเงิน OnInvoice=ในใบแจ้งหนี้ @@ -1830,89 +1843,90 @@ SupposedToBeInvoiceDate=วันที่ใบแจ้งหนี้ที Buy=ซื้อ Sell=ขาย InvoiceDateUsed=วันที่ใบแจ้งหนี้ที่ใช้ -YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organization), so there is no VAT options to setup. -AccountancyCode=Accounting Code +YourCompanyDoesNotUseVAT=บริษัทของคุณถูกกำหนดให้ไม่ใช้ VAT (หน้าแรก - การตั้งค่า - บริษัท/องค์กร) ดังนั้นจึงไม่มีตัวเลือก VAT ในการตั้งค่า +AccountancyCode=รหัสบัญชี AccountancyCodeSell=บัญชีการขาย รหัส AccountancyCodeBuy=บัญชีซื้อ รหัส -CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Keep the checkbox “Automatically create the payment” empty by default when creating a new tax +CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=คงช่องทำเครื่องหมาย "สร้างการชำระเงินโดยอัตโนมัติ" ว่างไว้ตามค่าเริ่มต้นเมื่อสร้างภาษีใหม่ ##### Agenda ##### AgendaSetup = กิจกรรมและวาระการติดตั้งโมดูล -AGENDA_DEFAULT_FILTER_TYPE = Automatically set this type of event in search filter of agenda view -AGENDA_DEFAULT_FILTER_STATUS = Automatically set this status for events in search filter of agenda view -AGENDA_DEFAULT_VIEW = Which view do you want to open by default when selecting menu Agenda -AGENDA_EVENT_PAST_COLOR = Past event color -AGENDA_EVENT_CURRENT_COLOR = Current event color -AGENDA_EVENT_FUTURE_COLOR = Future event color -AGENDA_REMINDER_BROWSER = Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). -AGENDA_REMINDER_BROWSER_SOUND = Enable sound notification -AGENDA_REMINDER_EMAIL = Enable event reminder by emails (remind option/delay can be defined on each event). -AGENDA_REMINDER_EMAIL_NOTE = Note: The frequency of the scheduled job %s must be enough to be sure that the remind are sent at the correct moment. -AGENDA_SHOW_LINKED_OBJECT = Show linked object into agenda view -AGENDA_USE_EVENT_TYPE = Use events types (managed in menu Setup -> Dictionaries -> Type of agenda events) -AGENDA_USE_EVENT_TYPE_DEFAULT = Automatically set this default value for type of event in event create form +AGENDA_DEFAULT_FILTER_TYPE = ตั้งค่าเหตุการณ์ประเภทนี้โดยอัตโนมัติในตัวกรองการค้นหาของมุมมองวาระการประชุม +AGENDA_DEFAULT_FILTER_STATUS = ตั้งค่าสถานะนี้สำหรับกิจกรรมโดยอัตโนมัติในตัวกรองการค้นหาของมุมมองวาระการประชุม +AGENDA_DEFAULT_VIEW = มุมมองใดที่คุณต้องการเปิดเป็นค่าเริ่มต้นเมื่อเลือกเมนู วาระการประชุม +AGENDA_EVENT_PAST_COLOR = สีงานที่ผ่านมา +AGENDA_EVENT_CURRENT_COLOR = สีเหตุการณ์ปัจจุบัน +AGENDA_EVENT_FUTURE_COLOR = สีเหตุการณ์ในอนาคต +AGENDA_REMINDER_BROWSER = เปิดใช้งานการแจ้งเตือนกิจกรรม บนเบราว์เซอร์ของผู้ใช้ (เมื่อถึงวันที่เตือน เบราว์เซอร์จะแสดงป๊อปอัป ผู้ใช้แต่ละคนสามารถ ปิดการแจ้งเตือนดังกล่าวจากการตั้งค่าการแจ้งเตือนของเบราว์เซอร์) +AGENDA_REMINDER_BROWSER_SOUND = เปิดใช้งานการแจ้งเตือนด้วยเสียง +AGENDA_REMINDER_EMAIL = เปิดใช้งานการแจ้งเตือนกิจกรรม ทางอีเมล (สามารถกำหนดตัวเลือกการแจ้งเตือน/ความล่าช้าได้ในแต่ละเหตุการณ์) +AGENDA_REMINDER_EMAIL_NOTE = หมายเหตุ: ความถี่ของงานที่กำหนดเวลาไว้ %s จะต้องเพียงพอเพื่อให้แน่ใจว่าการแจ้งเตือนจะถูกส่งในช่วงเวลาที่ถูกต้อง +AGENDA_SHOW_LINKED_OBJECT = แสดงวัตถุที่เชื่อมโยงในมุมมองวาระการประชุม +AGENDA_USE_EVENT_TYPE = ใช้ประเภทเหตุการณ์ (จัดการในเมนูการตั้งค่า -> พจนานุกรม -> ประเภทของเหตุการณ์วาระ) +AGENDA_USE_EVENT_TYPE_DEFAULT = ตั้งค่าเริ่มต้นนี้โดยอัตโนมัติสำหรับประเภทของเหตุการณ์ในแบบฟอร์มการสร้างเหตุการณ์ PasswordTogetVCalExport = กุญแจสำคัญในการอนุญาตการเชื่อมโยงการส่งออก PastDelayVCalExport=อย่าส่งออกเหตุการณ์ที่มีอายุมากกว่า -SecurityKey = Security Key +SecurityKey = กุญแจสำคัญในการรักษาความปลอดภัย ##### ClickToDial ##### ClickToDialSetup=คลิกเพื่อกดติดตั้งโมดูล -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). -ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. -ClickToDialUseTelLink=Use just a link "tel:" on phone numbers -ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface, installed on the same computer as the browser, and called when you click on a link starting with "tel:" in your browser. If you need a link that start with "sip:" or a full server solution (no need of local software installation), you must set this to "No" and fill the next field. +ClickToDialUrlDesc=URL ถูกเรียกเมื่อคลิกที่รูปโทรศัพท์เสร็จแล้ว ใน URL คุณสามารถใช้แท็ก
      __PHONETO__ ซึ่งจะเป็น แทนที่ด้วยหมายเลขโทรศัพท์ของผู้ที่จะโทรหา
      __PHONEFROM__ นั้น จะถูกแทนที่ด้วยหมายเลขโทรศัพท์ของผู้โทรหา (ของคุณ)
      __LOGIN__ ที่จะถูกแทนที่ด้วยการเข้าสู่ระบบ Clicktodial (กำหนดบนการ์ดผู้ใช้)
      __PASS__ ที่จะถูกแทนที่ด้วยรหัสผ่านคลิกโทไดอัล (กำหนดบนการ์ดผู้ใช้) +ClickToDialDesc=โมดูลนี้จะเปลี่ยนหมายเลขโทรศัพท์ เมื่อใช้คอมพิวเตอร์เดสก์ท็อป ให้เป็นลิงก์ที่สามารถคลิกได้ การคลิกจะโทรไปยังหมายเลขนั้น ซึ่งสามารถใช้เพื่อเริ่มการโทรเมื่อใช้ซอฟต์โฟนบนเดสก์ท็อปของคุณ หรือเมื่อใช้ระบบ CTI ที่ใช้โปรโตคอล SIP เป็นต้น หมายเหตุ: เมื่อใช้สมาร์ทโฟน หมายเลขโทรศัพท์จะสามารถคลิกได้ตลอดเวลา +ClickToDialUseTelLink=ใช้เพียงลิงก์ "tel:" บนหมายเลขโทรศัพท์ +ClickToDialUseTelLinkDesc=ใช้วิธีนี้หากผู้ใช้ของคุณมีซอฟต์โฟนหรืออินเทอร์เฟซซอฟต์แวร์ ติดตั้งอยู่ในคอมพิวเตอร์เครื่องเดียวกับเบราว์เซอร์ และโทรเมื่อคุณคลิกลิงก์ที่ขึ้นต้นด้วย "tel:" ในเบราว์เซอร์ของคุณ หากคุณต้องการลิงก์ที่ขึ้นต้นด้วย "sip:" หรือโซลูชันเซิร์ฟเวอร์เต็มรูปแบบ (ไม่จำเป็นต้องติดตั้งซอฟต์แวร์ในเครื่อง) คุณต้องตั้งค่านี้เป็น "ไม่" และกรอกข้อมูลในช่องถัดไป ##### Point Of Sale (CashDesk) ##### -CashDesk=Point of Sale -CashDeskSetup=Point of Sales module setup -CashDeskThirdPartyForSell=Default generic third party to use for sales +CashDesk=จุดขาย +CashDeskSetup=การตั้งค่าโมดูลระบบขายหน้าร้าน +CashDeskThirdPartyForSell=บุคคลที่สามทั่วไปที่เป็นค่าเริ่มต้นเพื่อใช้ในการขาย CashDeskBankAccountForSell=บัญชีเริ่มต้นที่จะใช้ในการรับชำระเงินด้วยเงินสด -CashDeskBankAccountForCheque=Default account to use to receive payments by check +CashDeskBankAccountForCheque=บัญชีเริ่มต้นเพื่อใช้รับการชำระเงินด้วยเช็ค CashDeskBankAccountForCB=บัญชีเริ่มต้นที่จะใช้ในการรับชำระเงินด้วยบัตรเครดิต -CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). +CashDeskBankAccountForSumup=บัญชีธนาคารเริ่มต้นเพื่อใช้รับการชำระเงินโดย SumUp +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=และ จำกัด การบังคับคลังสินค้าที่จะใช้สำหรับการลดลงของหุ้น -StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled -StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. -CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sale from Point of Sale. Hence a warehouse is required. -CashDeskForceDecreaseStockLabel=Stock decrease for batch products was forced. -CashDeskForceDecreaseStockDesc=Decrease first by the oldest eatby and sellby dates. -CashDeskReaderKeyCodeForEnter=Key ASCII code for "Enter" defined in barcode reader (Example: 13) +StockDecreaseForPointOfSaleDisabled=สต็อกลดลงจากการปิดระบบขายหน้าร้าน +StockDecreaseForPointOfSaleDisabledbyBatch=การลดสต็อกใน POS เข้ากันไม่ได้กับการจัดการอนุกรม/ล็อตของโมดูล (ใช้งานอยู่ในปัจจุบัน) ดังนั้นการลดสต็อกจึงถูกปิดใช้งาน +CashDeskYouDidNotDisableStockDecease=คุณไม่ได้ปิดใช้งานการลดสต็อกเมื่อทำการขายจากจุดขาย จึงจำเป็นต้องมีคลังสินค้า +CashDeskForceDecreaseStockLabel=บังคับให้มีการลดสต็อกสำหรับผลิตภัณฑ์ชุดงาน +CashDeskForceDecreaseStockDesc=ลดลงก่อนตามวันที่กินและขายที่เก่าแก่ที่สุด +CashDeskReaderKeyCodeForEnter=รหัส ASCII ที่สำคัญสำหรับ "Enter" ที่กำหนดไว้ในเครื่องอ่านบาร์โค้ด (ตัวอย่าง: 13) ##### Bookmark ##### BookmarkSetup=Bookmark ติดตั้งโมดูล -BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or external web sites on your left menu. +BookmarkDesc=โมดูลนี้ช่วยให้คุณจัดการบุ๊กมาร์กได้ คุณยังสามารถเพิ่มทางลัดไปยังหน้า Dolibarr หรือเว็บไซต์ภายนอกได้ที่เมนูด้านซ้ายของคุณ NbOfBoomarkToShow=จำนวนสูงสุดของบุ๊คมาร์คที่จะแสดงในเมนูด้านซ้าย ##### WebServices ##### WebServicesSetup=webservices ติดตั้งโมดูล WebServicesDesc=โดยการเปิดใช้โมดูลนี้ Dolibarr กลายเป็นบริการเว็บเซิร์ฟเวอร์เพื่อให้บริการเว็บอื่น ๆ WSDLCanBeDownloadedHere=ไฟล์บ่ง WSDL ของการให้บริการสามารถดาวน์โหลดได้ที่นี่ -EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at URL +EndPointIs=ไคลเอ็นต์ SOAP จะต้องส่งคำขอไปยังจุดสิ้นสุด Dolibarr ที่ URL ##### API #### ApiSetup=API การติดตั้งโมดูล ApiDesc=โดยการเปิดใช้โมดูลนี้ Dolibarr กลายเป็นเซิร์ฟเวอร์ REST เพื่อให้บริการเว็บอื่น ๆ -ApiProductionMode=Enable production mode (this will activate use of a cache for services management) -ApiExporerIs=You can explore and test the APIs at URL +ApiProductionMode=เปิดใช้งานโหมดการผลิต (ซึ่งจะเปิดใช้งานการใช้แคชสำหรับการจัดการบริการ) +ApiExporerIs=คุณสามารถสำรวจและทดสอบ API ได้ที่ URL OnlyActiveElementsAreExposed=องค์ประกอบเฉพาะจากโมดูลมีการเปิดใช้งาน ApiKey=ที่สำคัญสำหรับ API -WarningAPIExplorerDisabled=The API explorer has been disabled. API explorer is not required to provide API services. It is a tool for developer to find/test REST APIs. If you need this tool, go into setup of module API REST to activate it. +WarningAPIExplorerDisabled=API explorer ถูกปิดใช้งาน ไม่จำเป็นต้องมี API explorer เพื่อให้บริการ API เป็นเครื่องมือสำหรับนักพัฒนาในการค้นหา/ทดสอบ REST API หากคุณต้องการเครื่องมือนี้ ให้ไปที่การตั้งค่าโมดูล API REST เพื่อเปิดใช้งาน ##### Bank ##### BankSetupModule=ธนาคารติดตั้งโมดูล -FreeLegalTextOnChequeReceipts=Free text on check receipts +FreeLegalTextOnChequeReceipts=ข้อความฟรีบนใบเสร็จรับเงินเช็ค BankOrderShow=เพื่อการแสดงผลของบัญชีเงินฝากธนาคารของประเทศโดยใช้ "เลขที่ธนาคารรายละเอียด" BankOrderGlobal=ทั่วไป BankOrderGlobalDesc=ลำดับการแสดงทั่วไป BankOrderES=สเปน BankOrderESDesc=เพื่อการแสดงผลภาษาสเปน -ChequeReceiptsNumberingModule=Check Receipts Numbering Module +ChequeReceiptsNumberingModule=ตรวจสอบโมดูลหมายเลขใบเสร็จรับเงิน ##### Multicompany ##### MultiCompanySetup=หลาย บริษัท ติดตั้งโมดูล ##### Suppliers ##### -SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of Purchase Order -SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template) -SuppliersInvoiceModel=Complete template of Vendor Invoice -SuppliersInvoiceNumberingModel=Vendor invoices numbering models -IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval +SuppliersSetup=การตั้งค่าโมดูลผู้ขาย +SuppliersCommandModel=เทมเพลตใบสั่งซื้อที่สมบูรณ์ +SuppliersCommandModelMuscadet=เทมเพลตใบสั่งซื้อที่สมบูรณ์ (การใช้เทมเพลต cornas แบบเก่า) +SuppliersInvoiceModel=เทมเพลตใบแจ้งหนี้ของผู้ขายที่สมบูรณ์ +SuppliersInvoiceNumberingModel=แบบจำลองการกำหนดหมายเลขใบแจ้งหนี้ของผู้จัดจำหน่าย +IfSetToYesDontForgetPermission=หากตั้งค่าเป็นค่าว่าง อย่าลืมให้สิทธิ์แก่กลุ่มหรือผู้ใช้ที่ได้รับอนุญาตสำหรับการอนุมัติครั้งที่สอง ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=GeoIP Maxmind การติดตั้งโมดูล -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation +PathToGeoIPMaxmindCountryDataFile=เส้นทางไปยังไฟล์ที่มี Maxmind ip เป็นการแปลภาษาประเทศ NoteOnPathLocation=โปรดทราบว่าทรัพย์สินทางปัญญาไปยังแฟ้มข้อมูลประเทศของคุณจะต้องอยู่ภายในไดเรกทอรี PHP คุณสามารถอ่าน (ตรวจสอบการติดตั้ง PHP open_basedir ของคุณและสิทธิ์ระบบแฟ้ม) YouCanDownloadFreeDatFileTo=คุณสามารถดาวน์โหลดรุ่นสาธิตฟรีของแฟ้ม Maxmind GeoIP ประเทศที่% s YouCanDownloadAdvancedDatFileTo=นอกจากนี้คุณยังสามารถดาวน์โหลดรุ่นที่สมบูรณ์มากขึ้นมีการปรับปรุงของ Maxmind GeoIP ประเทศที่ไฟล์% s @@ -1923,17 +1937,17 @@ ProjectsSetup=การตั้งค่าโมดูลโปรเจค ProjectsModelModule=โครงการรายงานรูปแบบเอกสาร TasksNumberingModules=งานจำนวนโมดูล TaskModelModule=รายงานงานรูปแบบเอกสาร -UseSearchToSelectProject=Wait until a key is pressed before loading content of Project combo list.
      This may improve performance if you have a large number of projects, but it is less convenient. +UseSearchToSelectProject=รอจนกว่าจะกดปุ่มก่อนโหลดเนื้อหาของรายการคอมโบโปรเจ็กต์
      ซึ่งอาจปรับปรุงประสิทธิภาพได้หากคุณมีโปรเจ็กต์จำนวนมาก แต่จะสะดวกน้อยกว่า ##### ECM (GED) ##### ##### Fiscal Year ##### -AccountingPeriods=Accounting periods -AccountingPeriodCard=Accounting period -NewFiscalYear=New accounting period -OpenFiscalYear=Open accounting period -CloseFiscalYear=Close accounting period -DeleteFiscalYear=Delete accounting period -ConfirmDeleteFiscalYear=Are you sure to delete this accounting period? -ShowFiscalYear=Show accounting period +AccountingPeriods=รอบระยะเวลาบัญชี +AccountingPeriodCard=รอบระยะเวลาบัญชี +NewFiscalYear=รอบระยะเวลาบัญชีใหม่ +OpenFiscalYear=เปิดรอบระยะเวลาบัญชี +CloseFiscalYear=ปิดรอบระยะเวลาบัญชี +DeleteFiscalYear=ลบรอบระยะเวลาบัญชี +ConfirmDeleteFiscalYear=คุณแน่ใจหรือว่าจะลบรอบระยะเวลาบัญชีนี้? +ShowFiscalYear=แสดงรอบระยะเวลาบัญชี AlwaysEditable=มักจะสามารถแก้ไขได้ MAIN_APPLICATION_TITLE=บังคับให้มองเห็นชื่อของโปรแกรม (คำเตือน: การตั้งชื่อของคุณเองที่นี่อาจแบ่งคุณลักษณะเข้าสู่ระบบอัตโนมัติเมื่อใช้โปรแกรม DoliDroid มือถือ) NbMajMin=จำนวนขั้นต่ำของอักขระตัวพิมพ์ใหญ่ @@ -1944,465 +1958,485 @@ NoAmbiCaracAutoGeneration=อย่าใช้ตัวอักษรที่ SalariesSetup=การติดตั้งโมดูลของเงินเดือน SortOrder=การเรียงลำดับการสั่งซื้อ Format=รูป -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and suppliers payment type +TypePaymentDesc=0:ประเภทการชำระเงินของลูกค้า 1:ประเภทการชำระเงินของผู้จัดจำหน่าย 2:ประเภทการชำระเงินทั้งลูกค้าและซัพพลายเออร์ IncludePath=รวมถึงเส้นทาง (ตามที่กำหนดลงในตัวแปร s%) ExpenseReportsSetup=การติดตั้งโมดูลรายงานค่าใช้จ่าย TemplatePDFExpenseReports=เอกสารแม่แบบในการสร้างเอกสารรายงานค่าใช้จ่าย -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules -ExpenseReportNumberingModules=Expense reports numbering module +ExpenseReportsRulesSetup=การตั้งค่ารายงานค่าใช้จ่ายของโมดูล - กฎ +ExpenseReportNumberingModules=โมดูลการกำหนดหมายเลขรายงานค่าใช้จ่าย NoModueToManageStockIncrease=ไม่มีโมดูลสามารถจัดการกับการเพิ่มขึ้นของสต็อกอัตโนมัติถูกเปิดใช้งาน การเพิ่มขึ้นของสต็อกจะทำได้ในการป้อนข้อมูลด้วยตนเอง -YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification". -TemplatesForNotifications=Templates for notifications -ListOfNotificationsPerUser=List of automatic notifications per user* -ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** -ListOfFixedNotifications=List of automatic fixed notifications -GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +YouMayFindNotificationsFeaturesIntoModuleNotification=คุณอาจพบตัวเลือกสำหรับการแจ้งเตือนทางอีเมลโดยเปิดใช้งานและกำหนดค่าโมดูล "การแจ้งเตือน" +TemplatesForNotifications=เทมเพลตสำหรับการแจ้งเตือน +ListOfNotificationsPerUser=รายการการแจ้งเตือนอัตโนมัติต่อผู้ใช้* +ListOfNotificationsPerUserOrContact=รายการการแจ้งเตือนอัตโนมัติที่เป็นไปได้ (ในงานธุรกิจ) ต่อผู้ใช้* หรือต่อผู้ติดต่อ** +ListOfFixedNotifications=รายการการแจ้งเตือนคงที่อัตโนมัติ +GoOntoUserCardToAddMore=ไปที่แท็บ "การแจ้งเตือน" ของผู้ใช้เพื่อเพิ่มหรือลบการแจ้งเตือนสำหรับผู้ใช้ +GoOntoContactCardToAddMore=ไปที่แท็บ "การแจ้งเตือน" ของบุคคลที่สามเพื่อเพิ่มหรือลบการแจ้งเตือนสำหรับผู้ติดต่อ/ที่อยู่ Threshold=ธรณีประตู -BackupDumpWizard=Wizard to build the database dump file -BackupZipWizard=Wizard to build the archive of documents directory +BackupDumpWizard=ตัวช่วยสร้างการสร้างแฟ้มการถ่ายโอนข้อมูลฐานข้อมูล +BackupZipWizard=ตัวช่วยสร้างการสร้างไฟล์เก็บถาวรของไดเร็กทอรีเอกสาร SomethingMakeInstallFromWebNotPossible=การติดตั้งโมดูลภายนอกเป็นไปไม่ได้จากอินเตอร์เฟซเว็บด้วยเหตุผลต่อไปนี้: -SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. +SomethingMakeInstallFromWebNotPossible2=ด้วยเหตุนี้ กระบวนการอัปเกรดที่อธิบายไว้ที่นี่จึงเป็นกระบวนการที่ต้องดำเนินการด้วยตนเองซึ่งผู้ใช้ที่มีสิทธิ์เท่านั้นที่สามารถทำได้ +InstallModuleFromWebHasBeenDisabledContactUs=ขณะนี้การติดตั้งหรือการพัฒนาโมดูลภายนอกหรือเว็บไซต์ไดนามิกจากแอปพลิเคชันถูกล็อคเพื่อความปลอดภัย โปรดติดต่อเราหากคุณต้องการเปิดใช้งานคุณสมบัตินี้ InstallModuleFromWebHasBeenDisabledByFile=ติดตั้งโมดูลภายนอกจากโปรแกรมที่ได้รับการปิดใช้งานโดยผู้ดูแลระบบ คุณต้องขอให้เขาลบไฟล์% s เพื่อให้คุณลักษณะนี้ -ConfFileMustContainCustom=Installing or building an external module from application need to save the module files into directory %s. To have this directory processed by Dolibarr, you must setup your conf/conf.php to add the 2 directive lines:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; +ConfFileMustContainCustom=การติดตั้งหรือสร้างโมดูลภายนอกจากแอปพลิเคชันจำเป็นต้องบันทึกไฟล์โมดูลลงในไดเร็กทอรี %s . หากต้องการให้ Dolibarr ประมวลผลไดเรกทอรีนี้ คุณต้องตั้งค่า conf/conf.php เพื่อเพิ่มบรรทัดคำสั่ง 2 บรรทัด:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; HighlightLinesOnMouseHover=เน้นเส้นตารางเมื่อเลื่อนเมาส์ผ่านไป -HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) -HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) -UseBorderOnTable=Show left-right borders on tables -BtnActionColor=Color of the action button -TextBtnActionColor=Text color of the action button -TextTitleColor=Text color of Page title -LinkColor=Color of links -PressF5AfterChangingThis=Press CTRL+F5 on keyboard or clear your browser cache after changing this value to have it effective -NotSupportedByAllThemes=Will works with core themes, may not be supported by external themes +HighlightLinesColor=เน้นสีของเส้นเมื่อเมาส์ผ่าน (ใช้ 'ffffff' เพื่อไม่เน้น) +HighlightLinesChecked=ไฮไลต์สีของเส้นเมื่อตรวจสอบ (ใช้ 'ffffff' เพื่อไม่ให้ไฮไลต์) +UseBorderOnTable=แสดงเส้นขอบซ้าย-ขวาบนโต๊ะ +TableLineHeight=ความสูงของเส้นตาราง +BtnActionColor=สีของปุ่มการทำงาน +TextBtnActionColor=สีข้อความของปุ่มการทำงาน +TextTitleColor=สีข้อความของชื่อเพจ +LinkColor=สีของลิงค์ +PressF5AfterChangingThis=กด CTRL+F5 บนแป้นพิมพ์หรือล้างแคชของเบราว์เซอร์หลังจากเปลี่ยนค่านี้เพื่อให้มีประสิทธิภาพ +NotSupportedByAllThemes=จะใช้งานได้กับธีมหลัก ธีมภายนอกอาจไม่รองรับ BackgroundColor=สีพื้นหลัง TopMenuBackgroundColor=สีพื้นหลังสำหรับเมนูยอดนิยม -TopMenuDisableImages=Icon or Text in Top menu +TopMenuDisableImages=ไอคอนหรือข้อความในเมนูด้านบน LeftMenuBackgroundColor=สีพื้นหลังสำหรับเมนูด้านซ้าย -BackgroundTableTitleColor=Background color for Table title line -BackgroundTableTitleTextColor=Text color for Table title line -BackgroundTableTitleTextlinkColor=Text color for Table title link line +BackgroundTableTitleColor=สีพื้นหลังสำหรับบรรทัดชื่อตาราง +BackgroundTableTitleTextColor=สีข้อความสำหรับบรรทัดหัวเรื่องของตาราง +BackgroundTableTitleTextlinkColor=สีข้อความสำหรับบรรทัดลิงก์ชื่อตาราง BackgroundTableLineOddColor=สีพื้นหลังสำหรับสายตารางแปลก BackgroundTableLineEvenColor=สีพื้นหลังสำหรับแม้แต่เส้นตาราง MinimumNoticePeriod=ระยะเวลาการแจ้งให้ทราบล่วงหน้าขั้นต่ำ (ตามคำขอลาของคุณจะต้องทำก่อนการหน่วงเวลานี้) NbAddedAutomatically=จำนวนวันที่เพิ่มเข้าไปในเคาน์เตอร์ของผู้ใช้ (โดยอัตโนมัติ) ในแต่ละเดือน -EnterAnyCode=This field contains a reference to identify the line. Enter any value of your choice, but without special characters. -Enter0or1=Enter 0 or 1 -UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] -ColorFormat=The RGB color is in HEX format, eg: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +EnterAnyCode=ฟิลด์นี้มีการอ้างอิงเพื่อระบุบรรทัด ป้อนค่าใดๆ ที่คุณเลือก แต่ไม่มีอักขระพิเศษ +Enter0or1=ป้อน 0 หรือ 1 +UnicodeCurrency=ป้อนที่นี่ระหว่างเครื่องหมายปีกกา รายการหมายเลขไบต์ที่แสดงสัญลักษณ์สกุลเงิน ตัวอย่างเช่น: สำหรับ $ ให้ป้อน [36] - สำหรับบราซิลเรียล R$ [82,36] - สำหรับ € ให้ป้อน [8364] +ColorFormat=สี RGB อยู่ในรูปแบบ HEX เช่น FF0000 +PictoHelp=ชื่อไอคอนในรูปแบบ:
      - image.png สำหรับไฟล์ภาพลงในไดเร็กทอรีธีมปัจจุบัน
      - image.png@module หากไฟล์อยู่ในไดเรกทอรี /img/ ของโมดูล
      - fa-xxx สำหรับ FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size สำหรับ FontAwesome fa-xxx picto (พร้อมคำนำหน้า ชุดสี และขนาด) PositionIntoComboList=ตำแหน่งของเส้นเป็นรายการคำสั่งผสม -SellTaxRate=Sales tax rate -RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. -UrlTrackingDesc=If the provider or transport service offers a page or web site to check the status of your shipments, you may enter it here. You can use the key {TRACKID} in the URL parameters so the system will replace it with the tracking number the user entered into the shipment card. -OpportunityPercent=When you create a lead, you will define an estimated amount of project/lead. According to status of the lead, this amount may be multiplied by this rate to evaluate a total amount all your leads may generate. Value is a percentage (between 0 and 100). -TemplateForElement=This mail template is related to what type of object? An email template is available only when using the "Send Email" button from the related object. +SellTaxRate=อัตราภาษีการขาย +RecuperableOnly=ใช่ สำหรับ VAT "ไม่รับรู้แต่สามารถขอคืนได้" สำหรับบางรัฐในฝรั่งเศส คงค่าเป็น "ไม่" ในกรณีอื่นๆ ทั้งหมด +UrlTrackingDesc=หากผู้ให้บริการหรือบริการขนส่งเสนอหน้าหรือเว็บไซต์เพื่อตรวจสอบสถานะการจัดส่งของคุณ คุณสามารถป้อนได้ที่นี่ คุณสามารถใช้คีย์ {TRACKID} ในพารามิเตอร์ URL เพื่อให้ระบบจะแทนที่ด้วยหมายเลขติดตามที่ผู้ใช้ป้อนลงในบัตรการจัดส่ง +OpportunityPercent=เมื่อคุณสร้างลูกค้าเป้าหมาย คุณจะต้องกำหนดจำนวนโครงการ/ลูกค้าเป้าหมายโดยประมาณ ตามสถานะของลูกค้าเป้าหมาย จำนวนนี้อาจคูณด้วยอัตรานี้เพื่อประเมินยอดรวมที่ลูกค้าเป้าหมายทั้งหมดของคุณอาจสร้างได้ ค่าคือเปอร์เซ็นต์ (ระหว่าง 0 ถึง 100) +TemplateForElement=เทมเพลตอีเมลนี้เกี่ยวข้องกับวัตถุประเภทใด เทมเพลตอีเมลจะพร้อมใช้งานเมื่อใช้ปุ่ม "ส่งอีเมล" จากออบเจ็กต์ที่เกี่ยวข้องเท่านั้น TypeOfTemplate=ประเภทของแม่แบบ -TemplateIsVisibleByOwnerOnly=Template is visible to owner only -VisibleEverywhere=Visible everywhere -VisibleNowhere=Visible nowhere +TemplateIsVisibleByOwnerOnly=เทมเพลตจะปรากฏแก่เจ้าของเท่านั้น +VisibleEverywhere=มองเห็นได้ทุกที่ +VisibleNowhere=มองไม่เห็นที่ไหนเลย FixTZ=แก้ไขเขตเวลา -FillFixTZOnlyIfRequired=Example: +2 (fill only if problem experienced) -ExpectedChecksum=Expected Checksum -CurrentChecksum=Current Checksum -ExpectedSize=Expected size -CurrentSize=Current size -ForcedConstants=Required constant values -MailToSendProposal=Customer proposals -MailToSendOrder=Sales orders -MailToSendInvoice=Customer invoices +FillFixTZOnlyIfRequired=ตัวอย่าง: +2 (กรอกเฉพาะเมื่อประสบปัญหา) +ExpectedChecksum=เช็คซัมที่คาดหวัง +CurrentChecksum=เช็คซัมปัจจุบัน +ExpectedSize=ขนาดที่คาดหวัง +CurrentSize=ขนาดปัจจุบัน +ForcedConstants=ค่าคงที่ที่ต้องการ +MailToSendProposal=ข้อเสนอของลูกค้า +MailToSendOrder=ใบสั่งขาย +MailToSendInvoice=ใบแจ้งหนี้ของลูกค้า MailToSendShipment=การจัดส่ง MailToSendIntervention=การแทรกแซง -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices +MailToSendSupplierRequestForQuotation=ขอใบเสนอราคา +MailToSendSupplierOrder=ใบสั่งซื้อ +MailToSendSupplierInvoice=ใบแจ้งหนี้ของผู้ขาย MailToSendContract=สัญญา -MailToSendReception=Receptions +MailToSendReception=แผนกต้อนรับ MailToExpenseReport=รายงานค่าใช้จ่าย MailToThirdparty=บุคคลที่สาม MailToMember=สมาชิก MailToUser=ผู้ใช้ MailToProject=โปรเจค -MailToTicket=Tickets -ByDefaultInList=Show by default on list view -YouUseLastStableVersion=You use the latest stable version -TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) -TitleExampleForMaintenanceRelease=Example of message you can use to announce this maintenance release (feel free to use it on your web sites) -ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s is available. Version %s is a major release with a lot of new features for both users and developers. You can download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read ChangeLog for complete list of changes. -ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is available. Version %s is a maintenance version, so contains only bug fixes. We recommend all users to upgrade to this version. A maintenance release does not introduce new features or changes to the database. You may download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read the ChangeLog for complete list of changes. -MultiPriceRuleDesc=When option "Several levels of prices per product/service" is enabled, you can define different prices (one per price level) for each product. To save you time, here you may enter a rule to autocalculate a price for each level based on the price of the first level, so you will have to only enter a price for the first level for each product. This page is designed to save you time but is useful only if your prices for each level are relative to first level. You can ignore this page in most cases. -ModelModulesProduct=Templates for product documents -WarehouseModelModules=Templates for documents of warehouses -ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate codes automatically, you must first define a manager to auto-define the barcode number. -SeeSubstitutionVars=See * note for list of possible substitution variables -SeeChangeLog=See ChangeLog file (english only) -AllPublishers=All publishers -UnknownPublishers=Unknown publishers -AddRemoveTabs=Add or remove tabs -AddDataTables=Add object tables -AddDictionaries=Add dictionaries tables -AddData=Add objects or dictionaries data -AddBoxes=Add widgets -AddSheduledJobs=Add scheduled jobs -AddHooks=Add hooks -AddTriggers=Add triggers -AddMenus=Add menus -AddPermissions=Add permissions -AddExportProfiles=Add export profiles -AddImportProfiles=Add import profiles -AddOtherPagesOrServices=Add other pages or services -AddModels=Add document or numbering templates -AddSubstitutions=Add keys substitutions -DetectionNotPossible=Detection not possible -UrlToGetKeyToUseAPIs=Url to get token to use API (once token has been received it is saved in database user table and must be provided on each API call) -ListOfAvailableAPIs=List of available APIs -activateModuleDependNotSatisfied=Module "%s" depends on module "%s", that is missing, so module "%1$s" may not work correctly. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise -CommandIsNotInsideAllowedCommands=The command you are trying to run is not in the list of allowed commands defined in parameter $dolibarr_main_restrict_os_commands in the conf.php file. -LandingPage=Landing page -SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", the price will also be the same for all companies if products are shared between environments -ModuleEnabledAdminMustCheckRights=Module has been activated. Permissions for activated module(s) were given to admin users only. You may need to grant permissions to other users or groups manually if necessary. -UserHasNoPermissions=This user has no permissions defined -TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "%s")
      Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "%s" in days)
      Use "Current/Next" to have payment term date being the first Nth of the month after delta (delta is field "%s", N is stored into field "%s") -BaseCurrency=Reference currency of the company (go into setup of company to change this) -WarningNoteModuleInvoiceForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016). -WarningNoteModulePOSForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016) because module Non Reversible Logs is automatically activated. -WarningInstallationMayBecomeNotCompliantWithLaw=You are trying to install module %s that is an external module. Activating an external module means you trust the publisher of that module and that you are sure that this module does not adversely impact the behavior of your application, and is compliant with laws of your country (%s). If the module introduces an illegal feature, you become responsible for the use of illegal software. +MailToTicket=ตั๋ว +ByDefaultInList=แสดงตามค่าเริ่มต้นในมุมมองรายการ +YouUseLastStableVersion=คุณใช้เวอร์ชันเสถียรล่าสุด +TitleExampleForMajorRelease=ตัวอย่างข้อความที่คุณสามารถใช้เพื่อประกาศข่าวประชาสัมพันธ์ฉบับนี้ (โปรดใช้บนเว็บไซต์ของคุณ) +TitleExampleForMaintenanceRelease=ตัวอย่างข้อความที่คุณสามารถใช้เพื่อประกาศรุ่นการบำรุงรักษานี้ (โปรดใช้บนเว็บไซต์ของคุณ) +ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s พร้อมใช้งานแล้ว เวอร์ชัน %s เป็นเวอร์ชันหลักที่มีคุณลักษณะใหม่มากมายสำหรับทั้งผู้ใช้และนักพัฒนา คุณสามารถดาวน์โหลดได้จากพื้นที่ดาวน์โหลดของพอร์ทัล https://www.dolibarr.org (เวอร์ชันเสถียรของไดเรกทอรีย่อย) คุณสามารถอ่าน ChangeLog เพื่อดูรายการการเปลี่ยนแปลงทั้งหมด +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s พร้อมใช้งานแล้ว เวอร์ชัน %s เป็นเวอร์ชันบำรุงรักษา ดังนั้นจึงมีเพียงการแก้ไขข้อบกพร่องเท่านั้น เราขอแนะนำให้ผู้ใช้ทุกคนอัปเกรดเป็นเวอร์ชันนี้ รุ่นการบำรุงรักษาไม่แนะนำคุณลักษณะใหม่หรือการเปลี่ยนแปลงฐานข้อมูล คุณสามารถดาวน์โหลดได้จากพื้นที่ดาวน์โหลดของพอร์ทัล https://www.dolibarr.org (เวอร์ชันเสถียรของไดเรกทอรีย่อย) คุณสามารถอ่าน ChangeLog เพื่อดูรายการการเปลี่ยนแปลงทั้งหมด +MultiPriceRuleDesc=เมื่อเปิดใช้งานตัวเลือก "ราคาหลายระดับต่อผลิตภัณฑ์/บริการ" คุณสามารถกำหนดราคาที่แตกต่างกัน (หนึ่งราคาต่อระดับราคา) สำหรับแต่ละผลิตภัณฑ์ เพื่อประหยัดเวลา ที่นี่คุณสามารถป้อนกฎเพื่อคำนวณราคาสำหรับแต่ละระดับโดยอัตโนมัติตามราคาของระดับแรก ดังนั้นคุณจะต้องป้อนเฉพาะราคาสำหรับระดับแรกสำหรับแต่ละผลิตภัณฑ์ หน้านี้ออกแบบมาเพื่อช่วยคุณประหยัดเวลา แต่จะมีประโยชน์ก็ต่อเมื่อราคาของคุณสำหรับแต่ละระดับสัมพันธ์กับระดับแรกเท่านั้น คุณสามารถเพิกเฉยต่อหน้านี้ได้เป็นส่วนใหญ่ +ModelModulesProduct=แม่แบบสำหรับเอกสารผลิตภัณฑ์ +WarehouseModelModules=แม่แบบเอกสารคลังสินค้า +ToGenerateCodeDefineAutomaticRuleFirst=เพื่อให้สามารถสร้างรหัสได้โดยอัตโนมัติ คุณต้องกำหนดผู้จัดการเพื่อกำหนดหมายเลขบาร์โค้ดโดยอัตโนมัติก่อน +SeeSubstitutionVars=ดู * หมายเหตุ สำหรับรายการตัวแปรทดแทนที่เป็นไปได้ +SeeChangeLog=ดูไฟล์ ChangeLog (ภาษาอังกฤษเท่านั้น) +AllPublishers=ผู้จัดพิมพ์ทุกท่าน +UnknownPublishers=ผู้จัดพิมพ์ที่ไม่รู้จัก +AddRemoveTabs=เพิ่มหรือลบแท็บ +AddDataTables=เพิ่มตารางวัตถุ +AddDictionaries=เพิ่มตารางพจนานุกรม +AddData=เพิ่มข้อมูลวัตถุหรือพจนานุกรม +AddBoxes=เพิ่มวิดเจ็ต +AddSheduledJobs=เพิ่มงานที่กำหนดเวลาไว้ +AddHooks=เพิ่มตะขอ +AddTriggers=เพิ่มทริกเกอร์ +AddMenus=เพิ่มเมนู +AddPermissions=เพิ่มสิทธิ์ +AddExportProfiles=เพิ่มโปรไฟล์การส่งออก +AddImportProfiles=เพิ่มโปรไฟล์การนำเข้า +AddOtherPagesOrServices=เพิ่มเพจหรือบริการอื่นๆ +AddModels=เพิ่มเอกสารหรือเทมเพลตการกำหนดหมายเลข +AddSubstitutions=เพิ่มการทดแทนคีย์ +DetectionNotPossible=ไม่สามารถตรวจจับได้ +UrlToGetKeyToUseAPIs=URL ที่จะรับโทเค็นเพื่อใช้ API (เมื่อได้รับโทเค็นแล้ว จะถูกบันทึกไว้ในตารางผู้ใช้ฐานข้อมูล และต้องระบุในการเรียก API แต่ละครั้ง) +ListOfAvailableAPIs=รายการ API ที่มีอยู่ +activateModuleDependNotSatisfied=โมดูล "%s" ขึ้นอยู่กับโมดูล "%s" ที่หายไป ดังนั้นโมดูล " %1$s" อาจทำงานไม่ถูกต้อง โปรดติดตั้งโมดูล "%2$s" หรือปิดใช้งานโมดูล "%1$s" หากคุณต้องการปลอดภัยจากเหตุไม่คาดคิดใดๆ +CommandIsNotInsideAllowedCommands=คำสั่งที่คุณพยายามเรียกใช้ไม่อยู่ในรายการคำสั่งที่อนุญาตซึ่งกำหนดในพารามิเตอร์ $dolibarr_main_restrict_os_commands ใน conf.php +LandingPage=หน้า Landing Page +SamePriceAlsoForSharedCompanies=หากคุณใช้โมดูลที่มีหลายบริษัท โดยมีตัวเลือก "ราคาเดียว" ราคาก็จะเท่ากันสำหรับทุกบริษัทด้วยหากมีการใช้ผลิตภัณฑ์ร่วมกันระหว่างสภาพแวดล้อม +ModuleEnabledAdminMustCheckRights=เปิดใช้งานโมดูลแล้ว สิทธิ์สำหรับโมดูลที่เปิดใช้งานนั้นมอบให้กับผู้ใช้ที่เป็นผู้ดูแลระบบเท่านั้น คุณอาจต้องให้สิทธิ์แก่ผู้ใช้หรือกลุ่มอื่นด้วยตนเองหากจำเป็น +UserHasNoPermissions=ผู้ใช้รายนี้ไม่มีสิทธิ์ที่กำหนดไว้ +TypeCdr=ใช้ "ไม่มี" หากวันที่ชำระเงินคือวันที่ในใบแจ้งหนี้บวกค่าเดลต้าเป็นจำนวนวัน (เดลต้าคือช่อง "%s")
      ใช้ "ณ สิ้นเดือน" หากต้องเพิ่มวันที่หลังจากเดลต้าเพื่อให้ถึงสิ้นเดือน (+ ตัวเลือก "%s" เป็นวัน)
      ใช้ "ปัจจุบัน/ถัดไป" เพื่อให้วันที่เงื่อนไขการชำระเงินเป็นวันที่ N แรกของเดือนหลังจากเดลต้า (เดลต้าคือฟิลด์ "%s" , N ถูกเก็บไว้ในฟิลด์ "%s") +BaseCurrency=สกุลเงินอ้างอิงของบริษัท (เข้าไปที่การตั้งค่าของบริษัทเพื่อเปลี่ยนแปลงสิ่งนี้) +WarningNoteModuleInvoiceForFrenchLaw=โมดูลนี้ %s เป็นไปตามกฎหมายฝรั่งเศส (Loi Finance 2016) +WarningNoteModulePOSForFrenchLaw=โมดูลนี้ %s เป็นไปตามกฎหมายฝรั่งเศส (Loi Finance 2016) เนื่องจากโมดูล Non Reversible Logs ถูกเปิดใช้งานโดยอัตโนมัติ +WarningInstallationMayBecomeNotCompliantWithLaw=คุณกำลังพยายามติดตั้งโมดูล %s ที่เป็นโมดูลภายนอก การเปิดใช้งานโมดูลภายนอกหมายความว่าคุณเชื่อถือผู้เผยแพร่โมดูลนั้น และคุณแน่ใจว่าโมดูลนี้ไม่ส่งผลเสียต่อพฤติกรรมของแอปพลิเคชันของคุณ และเป็นไปตามกฎหมายในประเทศของคุณ (%s) หากโมดูลแนะนำคุณสมบัติที่ผิดกฎหมาย คุณจะต้องรับผิดชอบต่อการใช้ซอฟต์แวร์ที่ผิดกฎหมาย -MAIN_PDF_MARGIN_LEFT=Left margin on PDF -MAIN_PDF_MARGIN_RIGHT=Right margin on PDF -MAIN_PDF_MARGIN_TOP=Top margin on PDF -MAIN_PDF_MARGIN_BOTTOM=Bottom margin on PDF -MAIN_DOCUMENTS_LOGO_HEIGHT=Height for logo on PDF -DOC_SHOW_FIRST_SALES_REP=Show first sales representative -MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Add column for picture on proposal lines -MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Width of the column if a picture is added on lines -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders -MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame -MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code -MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block -PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions -PROPOSAL_PDF_HIDE_PAYMENTMODE=Hide payment mode -MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Add electronic sign in PDF -NothingToSetup=There is no specific setup required for this module. -SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes.
      For example:
      CODEGRP1+CODEGRP2 -SeveralLangugeVariatFound=Several language variants found -RemoveSpecialChars=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code -COMPANY_DIGITARIA_CLEAN_REGEX=Regex filter to clean value (COMPANY_DIGITARIA_CLEAN_REGEX) -COMPANY_DIGITARIA_UNIQUE_CODE=Duplicate not allowed -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word -GDPRContact=Data Protection Officer (DPO, Data Privacy or GDPR contact) -GDPRContactDesc=If you store personal data in your Information System, you can name the contact who is responsible for the General Data Protection Regulation here -HelpOnTooltip=Help text to show on tooltip -HelpOnTooltipDesc=Put text or a translation key here for the text to show in a tooltip when this field appears in a form -YouCanDeleteFileOnServerWith=You can delete this file on the server with Command Line:
      %s -ChartLoaded=Chart of account loaded -SocialNetworkSetup=Setup of module Social Networks -EnableFeatureFor=Enable features for %s -VATIsUsedIsOff=Note: The option to use Sales Tax or VAT has been set to Off in the menu %s - %s, so Sales tax or Vat used will always be 0 for sales. -SwapSenderAndRecipientOnPDF=Swap sender and recipient address position on PDF documents -FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields and combo lists only. Also an URL parameter action=create or action=edit must be set OR page name must end with 'new.php' to trigger this feature. -EmailCollector=Email collector -EmailCollectors=Email collectors -EmailCollectorDescription=Add a scheduled job and a setup page to scan regularly email boxes (using IMAP protocol) and record emails received into your application, at the right place and/or create some records automatically (like leads). -NewEmailCollector=New Email Collector -EMailHost=Host of email IMAP server -EMailHostPort=Port of email IMAP server -loginPassword=Login/Password -oauthToken=OAuth2 token -accessType=Acces type -oauthService=Oauth service -TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session -MailboxSourceDirectory=Mailbox source directory -MailboxTargetDirectory=Mailbox target directory -EmailcollectorOperations=Operations to do by collector -EmailcollectorOperationsDesc=Operations are executed from top to bottom order -MaxEmailCollectPerCollect=Max number of emails collected per collect -TestCollectNow=Test collect -CollectNow=Collect now -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s? -DateLastCollectResult=Date of latest collect try -DateLastcollectResultOk=Date of latest collect success -LastResult=Latest result -EmailCollectorHideMailHeaders=Do not include the content of email header into the saved content of collected e-mails -EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. -EmailCollectorConfirmCollectTitle=Email collect confirmation -EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). -EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software -EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. -EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. -EmailCollectorExampleToCollectLeads=Example collecting leads -EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. -EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail -NoNewEmailToProcess=No new email (matching filters) to process -NothingProcessed=Nothing done -RecordEvent=Record an event in agenda (with type Email sent or received) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation or was guessed from a tracker in email header, without third party otherwise) -CodeLastResult=Latest result code -NbOfEmailsInInbox=Number of emails in source directory -LoadThirdPartyFromName=Load third party searching on %s (load only) -LoadThirdPartyFromNameOrCreate=Load third party searching on %s (create if not found) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) -AttachJoinedDocumentsToObject=Save attached files into object documents if a ref of an object is found into email topic. -WithDolTrackingID=Message from a conversation initiated by a first email sent from Dolibarr -WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr -WithDolTrackingIDInMsgId=Message sent from Dolibarr -WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr -CreateCandidature=Create job application +MAIN_PDF_MARGIN_LEFT=ขอบซ้ายบน PDF +MAIN_PDF_MARGIN_RIGHT=ขอบขวาบน PDF +MAIN_PDF_MARGIN_TOP=อัตรากำไรขั้นต้นบน PDF +MAIN_PDF_MARGIN_BOTTOM=ขอบล่างของ PDF +MAIN_DOCUMENTS_LOGO_HEIGHT=ความสูงสำหรับโลโก้ในรูปแบบ PDF +DOC_SHOW_FIRST_SALES_REP=แสดงตัวแทนฝ่ายขายรายแรก +MAIN_GENERATE_PROPOSALS_WITH_PICTURE=เพิ่มคอลัมน์สำหรับรูปภาพในบรรทัดข้อเสนอ +MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=ความกว้างของคอลัมน์หากมีการเพิ่มรูปภาพในบรรทัด +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=ซ่อนคอลัมน์ราคาต่อหน่วยในคำขอใบเสนอราคา +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=ซ่อนคอลัมน์ราคารวมในคำขอใบเสนอราคา +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=ซ่อนคอลัมน์ราคาต่อหน่วยในใบสั่งซื้อ +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=ซ่อนคอลัมน์ราคารวมในคำสั่งซื้อขาย +MAIN_PDF_NO_SENDER_FRAME=ซ่อนเส้นขอบในกรอบที่อยู่ผู้ส่ง +MAIN_PDF_NO_RECIPENT_FRAME=ซ่อนเส้นขอบในกรอบที่อยู่ผู้รับ +MAIN_PDF_HIDE_CUSTOMER_CODE=ซ่อนรหัสลูกค้า +MAIN_PDF_HIDE_SENDER_NAME=ซ่อนชื่อผู้ส่ง/บริษัทในช่องที่อยู่ +PROPOSAL_PDF_HIDE_PAYMENTTERM=ซ่อนเงื่อนไขการชำระเงิน +PROPOSAL_PDF_HIDE_PAYMENTMODE=ซ่อนโหมดการชำระเงิน +MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=เพิ่มเครื่องหมายอิเล็กทรอนิกส์ในรูปแบบ PDF +NothingToSetup=ไม่จำเป็นต้องมีการตั้งค่าเฉพาะสำหรับโมดูลนี้ +SetToYesIfGroupIsComputationOfOtherGroups=ตั้งค่านี้เป็นใช่หากกลุ่มนี้เป็นการคำนวณของกลุ่มอื่นๆ +EnterCalculationRuleIfPreviousFieldIsYes=ป้อนกฎการคำนวณหากช่องก่อนหน้าตั้งค่าเป็นใช่
      ตัวอย่างเช่น:
      CODEGRP1+CODEGRP2 +SeveralLangugeVariatFound=พบหลายภาษา +RemoveSpecialChars=ลบอักขระพิเศษ +COMPANY_AQUARIUM_CLEAN_REGEX=ตัวกรอง Regex เพื่อล้างค่า (COMPANY_AQUARIUM_CLEAN_REGEX) +COMPANY_AQUARIUM_NO_PREFIX=ห้ามใช้คำนำหน้า เพียงคัดลอกรหัสลูกค้าหรือซัพพลายเออร์เท่านั้น +COMPANY_DIGITARIA_CLEAN_REGEX=ตัวกรอง Regex เพื่อล้างค่า (COMPANY_DIGITARIA_CLEAN_REGEX) +COMPANY_DIGITARIA_UNIQUE_CODE=ไม่อนุญาตให้ทำซ้ำ +RemoveSpecialWords=ทำความสะอาดคำบางคำเมื่อสร้างบัญชีย่อยสำหรับลูกค้าหรือซัพพลายเออร์ +RemoveSpecialWordsHelp=ระบุคำที่ต้องการล้างก่อนคำนวณบัญชีลูกค้าหรือซัพพลายเออร์ ใช้ ";" ระหว่างแต่ละคำ +GDPRContact=เจ้าหน้าที่คุ้มครองข้อมูล (DPO, ความเป็นส่วนตัวของข้อมูล หรือการติดต่อ GDPR) +GDPRContactDesc=หากคุณจัดเก็บข้อมูลส่วนบุคคลไว้ในระบบข้อมูลของคุณ คุณสามารถตั้งชื่อผู้ติดต่อที่รับผิดชอบตามกฎการคุ้มครองข้อมูลทั่วไปได้ที่นี่ +HelpOnTooltip=ข้อความช่วยเหลือที่จะแสดงบนคำแนะนำเครื่องมือ +HelpOnTooltipDesc=ใส่ข้อความหรือคีย์การแปลที่นี่เพื่อให้ข้อความแสดงในคำแนะนำเครื่องมือเมื่อฟิลด์นี้ปรากฏในแบบฟอร์ม +YouCanDeleteFileOnServerWith=คุณสามารถลบไฟล์นี้บนเซิร์ฟเวอร์ได้ด้วยบรรทัดคำสั่ง:
      %s +ChartLoaded=โหลดผังบัญชีแล้ว +SocialNetworkSetup=การตั้งค่าโมดูลเครือข่ายโซเชียล +EnableFeatureFor=เปิดใช้งานคุณลักษณะสำหรับ %s +VATIsUsedIsOff=หมายเหตุ: ตัวเลือกในการใช้ภาษีการขายหรือ VAT ได้รับการตั้งค่าเป็น ปิด ในเมนู %s - %s ดังนั้นภาษีการขายหรือ Vat ที่ใช้จะเป็น 0 สำหรับการขายเสมอ +SwapSenderAndRecipientOnPDF=สลับตำแหน่งที่อยู่ผู้ส่งและผู้รับในเอกสาร PDF +FeatureSupportedOnTextFieldsOnly=คำเตือน คุณสมบัตินี้รองรับช่องข้อความและรายการคอมโบเท่านั้น นอกจากนี้ จะต้องตั้งค่าพารามิเตอร์ URL action=create หรือ action=edit หรือชื่อเพจต้องลงท้ายด้วย 'new.php' เพื่อทริกเกอร์คุณลักษณะนี้ +EmailCollector=นักสะสมอีเมล +EmailCollectors=นักสะสมอีเมล +EmailCollectorDescription=เพิ่มงานที่กำหนดเวลาไว้และหน้าการตั้งค่าเพื่อสแกนกล่องอีเมลเป็นประจำ (โดยใช้โปรโตคอล IMAP) และบันทึกอีเมลที่ได้รับในใบสมัครของคุณ ในตำแหน่งที่ถูกต้อง และ/หรือสร้างบันทึกบางส่วนโดยอัตโนมัติ (เช่น ลูกค้าเป้าหมาย) +NewEmailCollector=นักสะสมอีเมลใหม่ +EMailHost=โฮสต์ของเซิร์ฟเวอร์อีเมล IMAP +EMailHostPort=พอร์ตของเซิร์ฟเวอร์ IMAP อีเมล +loginPassword=รหัสผ่านการเข้าใช้งาน +oauthToken=โทเค็น OAuth2 +accessType=ประเภทการเข้าถึง +oauthService=บริการ Oauth +TokenMustHaveBeenCreated=ต้องเปิดใช้งานโมดูล OAuth2 และต้องสร้างโทเค็น oauth2 ด้วยสิทธิ์ที่ถูกต้อง (เช่น ขอบเขต "gmail_full" ด้วย OAuth สำหรับ Gmail) +ImapEncryption = วิธีการเข้ารหัสแบบ IMAP +ImapEncryptionHelp = ตัวอย่าง: ไม่มี, ssl, tls, notls +NoRSH = ใช้การกำหนดค่า NoRSH +NoRSHHelp = อย่าใช้โปรโตคอล RSH หรือ SSH เพื่อสร้างเซสชันการระบุล่วงหน้าของ IMAP +MailboxSourceDirectory=ไดเร็กทอรีแหล่งที่มาของกล่องจดหมาย +MailboxTargetDirectory=ไดเร็กทอรีเป้าหมายของกล่องจดหมาย +EmailcollectorOperations=การดำเนินการที่ต้องทำโดยนักสะสม +EmailcollectorOperationsDesc=การดำเนินการจะดำเนินการจากลำดับบนลงล่าง +MaxEmailCollectPerCollect=จำนวนอีเมลสูงสุดที่รวบรวมต่อการรวบรวม +TestCollectNow=ทดสอบรวบรวม +CollectNow=รวบรวมตอนนี้ +ConfirmCloneEmailCollector=คุณแน่ใจหรือไม่ว่าต้องการโคลนตัวรวบรวมอีเมล %s +DateLastCollectResult=วันที่พยายามรวบรวมครั้งล่าสุด +DateLastcollectResultOk=วันที่รวบรวมความสำเร็จล่าสุด +LastResult=ผลล่าสุด +EmailCollectorHideMailHeaders=อย่ารวมเนื้อหาของส่วนหัวอีเมลลงในเนื้อหาที่บันทึกไว้ของอีเมลที่รวบรวม +EmailCollectorHideMailHeadersHelp=เมื่อเปิดใช้งาน ส่วนหัวอีเมลจะไม่ถูกเพิ่มที่ส่วนท้ายของเนื้อหาอีเมลที่ถูกบันทึกเป็นกิจกรรมวาระการประชุม +EmailCollectorConfirmCollectTitle=อีเมลยืนยันการรวบรวม +EmailCollectorConfirmCollect=คุณต้องการรันตัวสะสมนี้ตอนนี้หรือไม่? +EmailCollectorExampleToCollectTicketRequestsDesc=รวบรวมอีเมลที่ตรงกับกฎบางอย่างและสร้างตั๋วโดยอัตโนมัติ (ต้องเปิดใช้งานตั๋วโมดูล) พร้อมข้อมูลอีเมล คุณสามารถใช้ตัวรวบรวมนี้ได้หากคุณให้การสนับสนุนทางอีเมล ดังนั้นคำขอตั๋วของคุณจะถูกสร้างขึ้นโดยอัตโนมัติ เปิดใช้งาน Collect_Responses เพื่อรวบรวมคำตอบของลูกค้าของคุณโดยตรงในมุมมองตั๋ว (คุณต้องตอบกลับจาก Dolibarr) +EmailCollectorExampleToCollectTicketRequests=ตัวอย่างการรวบรวมคำขอตั๋ว (ข้อความแรกเท่านั้น) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=สแกนไดเรกทอรีกล่องจดหมาย "ส่งแล้ว" เพื่อค้นหาอีเมลที่ส่งเป็นคำตอบของอีเมลอื่นโดยตรงจากซอฟต์แวร์อีเมลของคุณ ไม่ใช่จาก Dolibarr หากพบอีเมลดังกล่าว เหตุการณ์การตอบจะถูกบันทึกลงใน Dolibarr +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=ตัวอย่างการรวบรวมคำตอบทางอีเมลที่ส่งจากซอฟต์แวร์อีเมลภายนอก +EmailCollectorExampleToCollectDolibarrAnswersDesc=รวบรวมอีเมลทั้งหมดที่เป็นคำตอบของอีเมลที่ส่งจากใบสมัครของคุณ กิจกรรม (ต้องเปิดใช้งานโมดูลวาระ) ที่มีการตอบกลับอีเมลจะถูกบันทึกไว้ในตำแหน่งที่ดี ตัวอย่างเช่น หากคุณส่งข้อเสนอเชิงพาณิชย์ คำสั่งซื้อ ใบแจ้งหนี้ หรือข้อความสำหรับตั๋วทางอีเมลจากแอปพลิเคชัน และผู้รับตอบอีเมลของคุณ ระบบจะจับคำตอบโดยอัตโนมัติและเพิ่มลงใน ERP ของคุณ +EmailCollectorExampleToCollectDolibarrAnswers=ตัวอย่างการรวบรวมข้อความขาเข้าทั้งหมดเป็นการตอบกลับข้อความที่ส่งจาก Dolibarr' +EmailCollectorExampleToCollectLeadsDesc=รวบรวมอีเมลที่ตรงกับกฎบางอย่างและสร้างลูกค้าเป้าหมายโดยอัตโนมัติ (ต้องเปิดใช้งานโครงการโมดูล) ด้วยข้อมูลอีเมล คุณสามารถใช้ตัวรวบรวมนี้ได้หากคุณต้องการติดตามลูกค้าเป้าหมายของคุณโดยใช้โมดูลโครงการ (1 ลูกค้าเป้าหมาย = 1 โครงการ) ดังนั้นลูกค้าเป้าหมายของคุณจะถูกสร้างขึ้นโดยอัตโนมัติ หากเปิดใช้งานตัวรวบรวม Collect_Responses ด้วย เมื่อคุณส่งอีเมลจากลูกค้าเป้าหมาย ข้อเสนอ หรือวัตถุอื่น ๆ ของคุณ คุณอาจเห็นคำตอบของลูกค้าหรือคู่ค้าของคุณโดยตรงบนแอปพลิเคชัน
      หมายเหตุ: ด้วยตัวอย่างเริ่มต้นนี้ ชื่อของลูกค้าเป้าหมายจะถูกสร้างขึ้นรวมถึงอีเมลด้วย หากไม่พบบุคคลที่สามในฐานข้อมูล (ลูกค้าใหม่) ลูกค้าเป้าหมายจะถูกแนบไปกับบุคคลที่สามที่มี ID 1 +EmailCollectorExampleToCollectLeads=ตัวอย่างการรวบรวมโอกาสในการขาย +EmailCollectorExampleToCollectJobCandidaturesDesc=รวบรวมอีเมลที่สมัครเข้ารับข้อเสนองาน (ต้องเปิดใช้งานโมดูลการสรรหาบุคลากร) คุณสามารถดำเนินการตัวรวบรวมนี้ได้ถ้าคุณต้องการสร้างผู้สมัครสำหรับการร้องของานโดยอัตโนมัติ หมายเหตุ: ด้วยตัวอย่างเบื้องต้นนี้ ชื่อของผู้สมัครจะถูกสร้างขึ้นรวมถึงอีเมลด้วย +EmailCollectorExampleToCollectJobCandidatures=ตัวอย่างการรวบรวมผู้สมัครงานที่ได้รับทางอีเมล์ +NoNewEmailToProcess=ไม่มีอีเมลใหม่ (ตัวกรองที่ตรงกัน) ที่ต้องดำเนินการ +NothingProcessed=ไม่มีอะไรทำ +RecordEvent=บันทึกเหตุการณ์เป็นวาระการประชุม (แบบ Email send or gets) +CreateLeadAndThirdParty=สร้างโอกาสในการขาย (และบุคคลที่สามหากจำเป็น) +CreateTicketAndThirdParty=สร้างตั๋ว (เชื่อมโยงกับบุคคลที่สามหากบุคคลที่สามโหลดโดยการดำเนินการก่อนหน้านี้หรือเดาได้จากตัวติดตามในส่วนหัวของอีเมล โดยไม่มีบุคคลที่สามเป็นอย่างอื่น) +CodeLastResult=รหัสผลลัพธ์ล่าสุด +NbOfEmailsInInbox=จำนวนอีเมลในไดเรกทอรีต้นทาง +LoadThirdPartyFromName=โหลดการค้นหาของบุคคลที่สามบน %s (โหลดเท่านั้น) +LoadThirdPartyFromNameOrCreate=โหลดการค้นหาโดยบุคคลที่สามบน %s (สร้างหากไม่พบ) +LoadContactFromEmailOrCreate=โหลดการค้นหาผู้ติดต่อบน %s (สร้างหากไม่พบ) +AttachJoinedDocumentsToObject=บันทึกไฟล์ที่แนบมาลงในเอกสารออบเจ็กต์ หากพบการอ้างอิงของออบเจ็กต์ในหัวข้ออีเมล +WithDolTrackingID=ข้อความจากการสนทนาที่เริ่มต้นโดยอีเมลแรกที่ส่งจาก Dolibarr +WithoutDolTrackingID=ข้อความจากการสนทนาที่เริ่มต้นโดยอีเมลฉบับแรกที่ไม่ได้ส่งจาก Dolibarr +WithDolTrackingIDInMsgId=ข้อความที่ส่งมาจากโดลิบาร์ +WithoutDolTrackingIDInMsgId=ข้อความไม่ได้ส่งจาก Dolibarr +CreateCandidature=สร้างการสมัครงาน FormatZip=รหัสไปรษณีย์ -MainMenuCode=Menu entry code (mainmenu) -ECMAutoTree=Show automatic ECM tree -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. +MainMenuCode=รหัสรายการเมนู (เมนูหลัก) +ECMAutoTree=แสดงแผนผัง ECM อัตโนมัติ +OperationParamDesc=กำหนดกฎเพื่อใช้แยกข้อมูลบางส่วนหรือตั้งค่าเพื่อใช้สำหรับการดำเนินการ

      ตัวอย่างในการแยกชื่อบริษัทจาก หัวเรื่องอีเมลเป็นตัวแปรชั่วคราว:
      tmp_var=EXTRACT:SUBJECT:ข้อความจากบริษัท ([^\n]*)

      ตัวอย่างการตั้งค่าคุณสมบัติของออบเจ็กต์ที่จะสร้าง:
      objproperty1=SET:ค่าฮาร์ดโค้ด
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (ค่า ถูกตั้งค่าเฉพาะเมื่อคุณสมบัติไม่ได้ถูกกำหนดไว้แล้ว)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:ชื่อบริษัทของฉันคือ\\ s([^\\s]*)

      ใช้บรรทัดใหม่เพื่อแยกหรือตั้งค่าคุณสมบัติหลายรายการ OpeningHours=เวลาเปิดทำการ -OpeningHoursDesc=Enter here the regular opening hours of your company. -ResourceSetup=Configuration of Resource module -UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). -DisabledResourceLinkUser=Disable feature to link a resource to users -DisabledResourceLinkContact=Disable feature to link a resource to contacts -EnableResourceUsedInEventCheck=Prohibit the use of the same resource at the same time in the agenda -ConfirmUnactivation=Confirm module reset -OnMobileOnly=On small screen (smartphone) only -DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be "Prospect" or "Customer", but can't be both) -MAIN_OPTIMIZEFORTEXTBROWSER=Simplify interface for blind person -MAIN_OPTIMIZEFORTEXTBROWSERDesc=Enable this option if you are a blind person, or if you use the application from a text browser like Lynx or Links. -MAIN_OPTIMIZEFORCOLORBLIND=Change interface's color for color blind person -MAIN_OPTIMIZEFORCOLORBLINDDesc=Enable this option if you are a color blind person, in some case interface will change color setup to increase contrast. -Protanopia=Protanopia -Deuteranopes=Deuteranopes -Tritanopes=Tritanopes -ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' -DefaultCustomerType=Default thirdparty type for "New customer" creation form -ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. -RootCategoryForProductsToSell=Root category of products to sell -RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale -DebugBar=Debug Bar -DebugBarDesc=Toolbar that comes with a plenty of tools to simplify debugging -DebugBarSetup=DebugBar Setup -GeneralOptions=General Options -LogsLinesNumber=Number of lines to show on logs tab -UseDebugBar=Use the debug bar -DEBUGBAR_LOGS_LINES_NUMBER=Number of last log lines to keep in console -WarningValueHigherSlowsDramaticalyOutput=Warning, higher values slows dramaticaly output -ModuleActivated=Module %s is activated and slows the interface -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) -IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. -AntivirusEnabledOnUpload=Antivirus enabled on uploaded files -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode -EXPORTS_SHARE_MODELS=Export models are share with everybody -ExportSetup=Setup of module Export -ImportSetup=Setup of module Import -InstanceUniqueID=Unique ID of the instance +OpeningHoursDesc=ป้อนเวลาทำการปกติของบริษัทของคุณที่นี่ +ResourceSetup=การกำหนดค่าโมดูลทรัพยากร +UseSearchToSelectResource=ใช้แบบฟอร์มการค้นหาเพื่อเลือกทรัพยากร (แทนที่จะเป็นรายการแบบเลื่อนลง) +DisabledResourceLinkUser=ปิดใช้งานคุณลักษณะเพื่อเชื่อมโยงทรัพยากรกับผู้ใช้ +DisabledResourceLinkContact=ปิดใช้งานคุณสมบัติเพื่อเชื่อมโยงทรัพยากรกับผู้ติดต่อ +EnableResourceUsedInEventCheck=ห้ามใช้ทรัพยากรเดียวกันในเวลาเดียวกันในวาระการประชุม +ConfirmUnactivation=ยืนยันการรีเซ็ตโมดูล +OnMobileOnly=บนหน้าจอขนาดเล็ก (สมาร์ทโฟน) เท่านั้น +DisableProspectCustomerType=ปิดการใช้งานประเภทบุคคลที่สาม "ผู้ที่มีแนวโน้มจะเป็นลูกค้า + ลูกค้า" (ดังนั้นบุคคลที่สามจะต้องเป็น "ผู้ที่มีแนวโน้มจะเป็นลูกค้า" หรือ "ลูกค้า" แต่ไม่สามารถเป็นทั้งสองอย่างได้) +MAIN_OPTIMIZEFORTEXTBROWSER=ลดความซับซ้อนของอินเทอร์เฟซสำหรับคนตาบอด +MAIN_OPTIMIZEFORTEXTBROWSERDesc=เปิดใช้งานตัวเลือกนี้หากคุณเป็นคนตาบอด หรือหากคุณใช้แอปพลิเคชันจากเบราว์เซอร์ข้อความ เช่น Lynx หรือ Links +MAIN_OPTIMIZEFORCOLORBLIND=เปลี่ยนสีของอินเทอร์เฟซสำหรับคนตาบอดสี +MAIN_OPTIMIZEFORCOLORBLINDDesc=เปิดใช้งานตัวเลือกนี้หากคุณเป็นคนตาบอดสี ในบางกรณี อินเทอร์เฟซจะเปลี่ยนการตั้งค่าสีเพื่อเพิ่มคอนทราสต์ +Protanopia=โพรโทเปีย +Deuteranopes=ดิวเทอราโนปส์ +Tritanopes=ไทรทาโนปส์ +ThisValueCanOverwrittenOnUserLevel=ผู้ใช้แต่ละคนสามารถเขียนทับค่านี้ได้จากหน้าผู้ใช้ - แท็บ '%s' +DefaultCustomerType=ประเภทบุคคลที่สามเริ่มต้นสำหรับแบบฟอร์มการสร้าง "ลูกค้าใหม่" +ABankAccountMustBeDefinedOnPaymentModeSetup=หมายเหตุ: ต้องกำหนดบัญชีธนาคารในโมดูลของโหมดการชำระเงินแต่ละโหมด (Paypal, Stripe, ...) เพื่อให้ฟีเจอร์นี้ทำงานได้ +RootCategoryForProductsToSell=หมวดหมู่หลักของผลิตภัณฑ์ที่จะขาย +RootCategoryForProductsToSellDesc=หากกำหนด เฉพาะผลิตภัณฑ์ในหมวดหมู่นี้หรือรายการย่อยของหมวดหมู่นี้เท่านั้นที่จะมีจำหน่ายที่จุดขาย +DebugBar=แถบดีบั๊ก +DebugBarDesc=แถบเครื่องมือที่มาพร้อมกับเครื่องมือมากมายเพื่อทำให้การดีบักง่ายขึ้น +DebugBarSetup=การตั้งค่า DebugBar +GeneralOptions=ตัวเลือกทั่วไป +LogsLinesNumber=จำนวนบรรทัดที่จะแสดงในแท็บบันทึก +UseDebugBar=ใช้แถบแก้ไขข้อบกพร่อง +DEBUGBAR_LOGS_LINES_NUMBER=จำนวนบรรทัดบันทึกสุดท้ายที่จะเก็บไว้ในคอนโซล +WarningValueHigherSlowsDramaticalyOutput=คำเตือน ค่าที่สูงกว่าจะทำให้เอาต์พุตช้าลงอย่างมาก +ModuleActivated=โมดูล %s ถูกเปิดใช้งานและทำให้อินเทอร์เฟซช้าลง +ModuleActivatedWithTooHighLogLevel=โมดูล %s ถูกเปิดใช้งานโดยมีระดับการบันทึกสูงเกินไป (ลองใช้ระดับที่ต่ำกว่าเพื่อประสิทธิภาพและความปลอดภัยที่ดีขึ้น) +ModuleSyslogActivatedButLevelNotTooVerbose=โมดูล %s ถูกเปิดใช้งานและระดับการบันทึก (%s) ถูกต้อง (ไม่ละเอียดเกินไป) +IfYouAreOnAProductionSetThis=หากคุณอยู่ในสภาพแวดล้อมการใช้งานจริง คุณควรตั้งค่าคุณสมบัตินี้เป็น %s +AntivirusEnabledOnUpload=เปิดใช้งานโปรแกรมป้องกันไวรัสในไฟล์ที่อัพโหลด +SomeFilesOrDirInRootAreWritable=ไฟล์หรือไดเร็กทอรีบางไฟล์ไม่อยู่ในโหมดอ่านอย่างเดียว +EXPORTS_SHARE_MODELS=โมเดลการส่งออกมีการแบ่งปันกับทุกคน +ExportSetup=การตั้งค่าการส่งออกโมดูล +ImportSetup=การตั้งค่าการนำเข้าโมดูล +InstanceUniqueID=ID เฉพาะของอินสแตนซ์ SmallerThan=เล็กกว่า LargerThan=ใหญ่กว่า -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). -EndPointFor=End point for %s : %s -DeleteEmailCollector=Delete email collector -ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? -RecipientEmailsWillBeReplacedWithThisValue=Recipient emails will be always replaced with this value -AtLeastOneDefaultBankAccountMandatory=At least 1 default bank account must be defined -RESTRICT_ON_IP=Allow API access to only certain client IPs (wildcard not allowed, use space between values). Empty means every clients can access. +IfTrackingIDFoundEventWillBeLinked=โปรดทราบว่าหากพบ ID ติดตามของออบเจ็กต์ในอีเมล หรือหากอีเมลเป็นคำตอบของอีเมลที่รวบรวมและเชื่อมโยงกับออบเจ็กต์แล้ว เหตุการณ์ที่สร้างขึ้นจะเชื่อมโยงกับออบเจ็กต์ที่เกี่ยวข้องที่ทราบโดยอัตโนมัติ +WithGMailYouCanCreateADedicatedPassword=ด้วยบัญชี GMail หากคุณเปิดใช้งานการตรวจสอบความถูกต้อง 2 ขั้นตอน ขอแนะนำให้สร้างรหัสผ่านที่สองเฉพาะสำหรับแอปพลิเคชัน แทนที่จะใช้รหัสผ่านบัญชีของคุณเองจาก https://myaccount.google.com/ +EmailCollectorTargetDir=อาจเป็นพฤติกรรมที่ต้องการในการย้ายอีเมลไปยังแท็ก/ไดเรกทอรีอื่นเมื่อประมวลผลสำเร็จ เพียงตั้งชื่อไดเรกทอรีที่นี่เพื่อใช้คุณสมบัตินี้ (อย่าใช้อักขระพิเศษในชื่อ) โปรดทราบว่าคุณต้องใช้บัญชีเข้าสู่ระบบแบบอ่าน/เขียนด้วย +EmailCollectorLoadThirdPartyHelp=คุณสามารถใช้การกระทำนี้เพื่อใช้เนื้อหาอีเมลเพื่อค้นหาและโหลดบุคคลที่สามที่มีอยู่ในฐานข้อมูลของคุณ (การค้นหาจะดำเนินการในคุณสมบัติที่กำหนดไว้ระหว่าง 'id', 'name', 'name_alias', 'email') บุคคลที่สามที่พบ (หรือสร้าง) จะถูกนำมาใช้เพื่อดำเนินการต่อไปนี้ที่จำเป็น
      ตัวอย่างเช่น หากคุณต้องการสร้างบุคคลที่สามด้วยชื่อที่ดึงมาจากสตริง ' ชื่อ: ชื่อที่จะค้นหา' แสดงอยู่ในเนื้อหา ใช้อีเมลของผู้ส่งเป็นอีเมล คุณสามารถตั้งค่าฟิลด์พารามิเตอร์ดังนี้:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=คำเตือน: เซิร์ฟเวอร์อีเมลจำนวนมาก (เช่น Gmail) กำลังค้นหาคำแบบเต็มเมื่อค้นหาสตริง และจะไม่ส่งคืนผลลัพธ์หากพบสตริงเป็นคำเพียงบางส่วนเท่านั้น ด้วยเหตุนี้ การใช้อักขระพิเศษในเกณฑ์การค้นหาจะถูกละเว้น หากอักขระเหล่านั้นไม่ได้เป็นส่วนหนึ่งของคำที่มีอยู่
      หากต้องการยกเว้นการค้นหาคำ (ส่งคืนอีเมลหากเป็นคำ ไม่พบ) คุณสามารถใช้ ! อักขระหน้าคำ (อาจใช้ไม่ได้กับเมลเซิร์ฟเวอร์บางตัว) +EndPointFor=จุดสิ้นสุดสำหรับ %s : %s +DeleteEmailCollector=ลบตัวรวบรวมอีเมล +ConfirmDeleteEmailCollector=คุณแน่ใจหรือไม่ว่าต้องการลบตัวรวบรวมอีเมลนี้ +RecipientEmailsWillBeReplacedWithThisValue=อีเมลผู้รับจะถูกแทนที่ด้วยค่านี้เสมอ +AtLeastOneDefaultBankAccountMandatory=ต้องกำหนดบัญชีธนาคารเริ่มต้นอย่างน้อย 1 บัญชี +RESTRICT_ON_IP=อนุญาตให้ API เข้าถึงเฉพาะ IP ไคลเอ็นต์บางตัวเท่านั้น (ไม่อนุญาตให้ใช้ไวด์การ์ด ใช้ช่องว่างระหว่างค่า) ว่างเปล่าหมายความว่าลูกค้าทุกคนสามารถเข้าถึงได้ IPListExample=127.0.0.1 192.168.0.2 [::1] -BaseOnSabeDavVersion=Based on the library SabreDAV version -NotAPublicIp=Not a public IP -MakeAnonymousPing=Make an anonymous Ping '+1' to the Dolibarr foundation server (done 1 time only after installation) to allow the foundation to count the number of Dolibarr installation. -FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled -EmailTemplate=Template for email -EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF -FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. -RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard -JumpToBoxes=Jump to Setup -> Widgets -MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" -MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values. -TemplateAdded=Template added -TemplateUpdated=Template updated -TemplateDeleted=Template deleted -MailToSendEventPush=Event reminder email -SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security -DictionaryProductNature= Nature of product -CountryIfSpecificToOneCountry=Country (if specific to a given country) -YouMayFindSecurityAdviceHere=You may find security advisory here -ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. -ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. -CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples -SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. -AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only -ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. -MailToSendEventOrganization=Event Organization -MailToPartnership=Partnership -AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s +BaseOnSabeDavVersion=อิงตามเวอร์ชัน SabreDAV ของไลบรารี +NotAPublicIp=ไม่ใช่ IP สาธารณะ +MakeAnonymousPing=สร้าง Ping โดยไม่ระบุชื่อ '+1' ไปยังเซิร์ฟเวอร์พื้นฐาน Dolibarr (ทำ 1 ครั้งหลังการติดตั้งเท่านั้น) เพื่อให้มูลนิธินับจำนวนการติดตั้ง Dolibarr +FeatureNotAvailableWithReceptionModule=คุณลักษณะไม่พร้อมใช้งานเมื่อเปิดใช้งานการรับโมดูล +EmailTemplate=เทมเพลตสำหรับอีเมล +EMailsWillHaveMessageID=อีเมลจะมีแท็ก 'ข้อมูลอ้างอิง' ที่ตรงกับไวยากรณ์นี้ +PDF_SHOW_PROJECT=แสดงโครงการในเอกสาร +ShowProjectLabel=ป้ายโครงการ +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=รวมนามแฝงในชื่อบุคคลที่สาม +THIRDPARTY_ALIAS=ชื่อบุคคลที่สาม - นามแฝงของบุคคลที่สาม +ALIAS_THIRDPARTY=นามแฝงบุคคลที่สาม - ชื่อบุคคลที่สาม +PDFIn2Languages=แสดงป้ายกำกับในรูปแบบ PDF ใน 2 ภาษาที่แตกต่างกัน (ฟีเจอร์นี้อาจใช้ไม่ได้กับบางภาษา) +PDF_USE_ALSO_LANGUAGE_CODE=หากคุณต้องการให้ข้อความบางส่วนใน PDF ของคุณซ้ำกันใน 2 ภาษาที่แตกต่างกันใน PDF ที่สร้างขึ้นเดียวกัน คุณต้องตั้งค่าภาษาที่สองนี้ที่นี่ ดังนั้น PDF ที่สร้างขึ้นจะมี 2 ภาษาที่แตกต่างกันในหน้าเดียวกัน ภาษาที่เลือกเมื่อสร้าง PDF และภาษานี้ ( มีเทมเพลต PDF เพียงไม่กี่แบบเท่านั้นที่รองรับสิ่งนี้) เว้นว่างไว้ 1 ภาษาต่อ PDF +PDF_USE_A=สร้างเอกสาร PDF ด้วยรูปแบบ PDF/A แทนรูปแบบ PDF เริ่มต้น +FafaIconSocialNetworksDesc=ป้อนรหัสของไอคอน FontAwesome ที่นี่ หากคุณไม่รู้ว่า FontAwesome คืออะไร คุณสามารถใช้ค่า fa-address-book ทั่วไปได้ +RssNote=หมายเหตุ: ข้อกำหนดฟีด RSS แต่ละรายการมีวิดเจ็ตที่คุณต้องเปิดใช้งานเพื่อให้พร้อมใช้งานในแดชบอร์ด +JumpToBoxes=ข้ามไปที่การตั้งค่า -> วิดเจ็ต +MeasuringUnitTypeDesc=ใช้ค่าเช่น "ขนาด", "พื้นผิว", "ปริมาตร", "น้ำหนัก", "เวลา" ที่นี่ +MeasuringScaleDesc=มาตราส่วนคือจำนวนตำแหน่งที่คุณต้องย้ายส่วนทศนิยมเพื่อให้ตรงกับหน่วยอ้างอิงเริ่มต้น สำหรับประเภทหน่วย "เวลา" จะเป็นจำนวนวินาที ค่าระหว่าง 80 ถึง 99 เป็นค่าที่สงวนไว้ +TemplateAdded=เพิ่มเทมเพลตแล้ว +TemplateUpdated=อัปเดตเทมเพลตแล้ว +TemplateDeleted=ลบเทมเพลตแล้ว +MailToSendEventPush=อีเมลแจ้งเตือนกิจกรรม +SwitchThisForABetterSecurity=แนะนำให้เปลี่ยนค่านี้เป็น %s เพื่อความปลอดภัยที่มากขึ้น +DictionaryProductNature= ลักษณะของผลิตภัณฑ์ +CountryIfSpecificToOneCountry=ประเทศ (หากเฉพาะเจาะจงกับประเทศใดประเทศหนึ่ง) +YouMayFindSecurityAdviceHere=คุณสามารถดูคำแนะนำด้านความปลอดภัยได้ที่นี่ +ModuleActivatedMayExposeInformation=ส่วนขยาย PHP นี้อาจเปิดเผยข้อมูลที่ละเอียดอ่อน หากคุณไม่ต้องการมัน ให้ปิดการใช้งานมัน +ModuleActivatedDoNotUseInProduction=เปิดใช้งานโมดูลที่ออกแบบมาเพื่อการพัฒนาแล้ว อย่าเปิดใช้งานในสภาพแวดล้อมการผลิต +CombinationsSeparator=อักขระตัวคั่นสำหรับการรวมผลิตภัณฑ์ +SeeLinkToOnlineDocumentation=ดูตัวอย่างลิงก์ไปยังเอกสารออนไลน์ที่เมนูด้านบน +SHOW_SUBPRODUCT_REF_IN_PDF=หากคุณลักษณะ "%s" ของโมดูล %s
      แสดงรายละเอียดผลิตภัณฑ์ย่อยของชุดอุปกรณ์ในรูปแบบ PDF +AskThisIDToYourBank=ติดต่อธนาคารของคุณเพื่อรับรหัสนี้ +AdvancedModeOnly=การอนุญาตมีให้ในโหมดการอนุญาตขั้นสูงเท่านั้น +ConfFileIsReadableOrWritableByAnyUsers=ไฟล์ conf สามารถอ่านหรือเขียนได้โดยผู้ใช้ ให้สิทธิ์แก่ผู้ใช้เว็บเซิร์ฟเวอร์และกลุ่มเท่านั้น +MailToSendEventOrganization=การจัดงาน +MailToPartnership=ห้างหุ้นส่วน +AGENDA_EVENT_DEFAULT_STATUS=สถานะเหตุการณ์เริ่มต้นเมื่อสร้างเหตุการณ์จากแบบฟอร์ม +YouShouldDisablePHPFunctions=คุณควรปิดการใช้งานฟังก์ชั่น PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=คุณควรปิดการใช้งานฟังก์ชัน PHP ยกเว้นในกรณีที่คุณจำเป็นต้องเรียกใช้คำสั่งระบบในโค้ดที่กำหนดเอง +PHPFunctionsRequiredForCLI=สำหรับวัตถุประสงค์ของเชลล์ (เช่น การสำรองข้อมูลงานที่กำหนดเวลาไว้หรือการรันโปรแกรมป้องกันไวรัส) คุณต้องคงฟังก์ชัน PHP ไว้ +NoWritableFilesFoundIntoRootDir=ไม่พบไฟล์หรือไดเร็กทอรีของโปรแกรมทั่วไปที่สามารถเขียนได้ในไดเร็กทอรีรากของคุณ (ดี) +RecommendedValueIs=แนะนำ: %s Recommended=แนะนำ -NotRecommended=Not recommended -ARestrictedPath=Some restricted path for data files -CheckForModuleUpdate=Check for external modules updates -CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. -ModuleUpdateAvailable=An update is available -NoExternalModuleWithUpdate=No updates found for external modules -SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) -YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=You enabled deprecated WS API. You should use REST API instead. -RandomlySelectedIfSeveral=Randomly selected if several pictures are available -SalesRepresentativeInfo=For Proposals, Orders, Invoices. -DatabasePasswordObfuscated=Database password is obfuscated in conf file -DatabasePasswordNotObfuscated=Database password is NOT obfuscated in conf file -APIsAreNotEnabled=APIs modules are not enabled -YouShouldSetThisToOff=You should set this to 0 or off -InstallAndUpgradeLockedBy=Install and upgrades are locked by the file %s -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. -OldImplementation=Old implementation -PDF_SHOW_LINK_TO_ONLINE_PAYMENT=If some online payment modules are enabled (Paypal, Stripe, ...), add a link on the PDF to make the online payment -DashboardDisableGlobal=Disable globally all the thumbs of open objects -BoxstatsDisableGlobal=Disable totally box statistics -DashboardDisableBlocks=Thumbs of open objects (to process or late) on main dashboard -DashboardDisableBlockAgenda=Disable the thumb for agenda -DashboardDisableBlockProject=Disable the thumb for projects -DashboardDisableBlockCustomer=Disable the thumb for customers -DashboardDisableBlockSupplier=Disable the thumb for suppliers -DashboardDisableBlockContract=Disable the thumb for contracts -DashboardDisableBlockTicket=Disable the thumb for tickets -DashboardDisableBlockBank=Disable the thumb for banks -DashboardDisableBlockAdherent=Disable the thumb for memberships -DashboardDisableBlockExpenseReport=Disable the thumb for expense reports -DashboardDisableBlockHoliday=Disable the thumb for leaves -EnabledCondition=Condition to have field enabled (if not enabled, visibility will always be off) -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -LanguageAndPresentation=Language and presentation -SkinAndColors=Skin and colors -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -PDF_USE_1A=Generate PDF with PDF/A-1b format -MissingTranslationForConfKey = Missing translation for %s -NativeModules=Native modules -NoDeployedModulesFoundWithThisSearchCriteria=No modules found for these search criteria -API_DISABLE_COMPRESSION=Disable compression of API responses -EachTerminalHasItsOwnCounter=Each terminal use its own counter. -FillAndSaveAccountIdAndSecret=Fill and save account ID and secret first -PreviousHash=Previous hash -LateWarningAfter="Late" warning after -TemplateforBusinessCards=Template for a business card in different size -InventorySetup= Inventory Setup -ExportUseLowMemoryMode=Use a low memory mode -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. +NotRecommended=ไม่แนะนำ +ARestrictedPath=เส้นทางที่จำกัดสำหรับไฟล์ข้อมูล +CheckForModuleUpdate=ตรวจสอบการอัพเดตโมดูลภายนอก +CheckForModuleUpdateHelp=การดำเนินการนี้จะเชื่อมต่อกับบรรณาธิการของโมดูลภายนอกเพื่อตรวจสอบว่ามีเวอร์ชันใหม่หรือไม่ +ModuleUpdateAvailable=มีการอัปเดตให้ใช้งาน +NoExternalModuleWithUpdate=ไม่พบการอัปเดตสำหรับโมดูลภายนอก +SwaggerDescriptionFile=ไฟล์คำอธิบาย Swagger API (สำหรับใช้กับ redoc เป็นต้น) +YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=คุณเปิดใช้งาน WS API ที่เลิกใช้แล้ว คุณควรใช้ REST API แทน +RandomlySelectedIfSeveral=สุ่มเลือกหากมีรูปภาพหลายรูป +SalesRepresentativeInfo=สำหรับข้อเสนอ คำสั่งซื้อ ใบแจ้งหนี้ +DatabasePasswordObfuscated=รหัสผ่านฐานข้อมูลถูกทำให้สับสนในไฟล์ conf +DatabasePasswordNotObfuscated=รหัสผ่านฐานข้อมูลไม่สับสนในไฟล์ conf +APIsAreNotEnabled=ไม่ได้เปิดใช้งานโมดูล APIs +YouShouldSetThisToOff=คุณควรตั้งค่านี้เป็น 0 หรือปิด +InstallAndUpgradeLockedBy=การติดตั้งและการอัปเกรดถูกล็อกโดยไฟล์ %s +InstallLockedBy=การติดตั้ง/การติดตั้งใหม่ถูกล็อคโดยไฟล์ %s +InstallOfAddonIsNotBlocked=การติดตั้งส่วนเสริมไม่ได้ถูกล็อค สร้างไฟล์ installmodules.lock ลงในไดเร็กทอรี %s เพื่อบล็อกการติดตั้งส่วนเสริม/โมดูลภายนอก +OldImplementation=การใช้งานแบบเก่า +PDF_SHOW_LINK_TO_ONLINE_PAYMENT=หากเปิดใช้งานโมดูลการชำระเงินออนไลน์บางรายการ (Paypal, Stripe, ...) ให้เพิ่มลิงก์ใน PDF เพื่อชำระเงินออนไลน์ +DashboardDisableGlobal=ปิดการใช้งานนิ้วหัวแม่มือทั้งหมดของวัตถุที่เปิดอยู่ทั่วโลก +BoxstatsDisableGlobal=ปิดการใช้งานสถิติกล่องทั้งหมด +DashboardDisableBlocks=นิ้วหัวแม่มือของวัตถุที่เปิดอยู่ (กำลังดำเนินการหรือล่าช้า) บนแดชบอร์ดหลัก +DashboardDisableBlockAgenda=ปิดการใช้งานนิ้วหัวแม่มือสำหรับวาระการประชุม +DashboardDisableBlockProject=ปิดการใช้งานนิ้วหัวแม่มือสำหรับโครงการ +DashboardDisableBlockCustomer=ปิดการใช้งานนิ้วหัวแม่มือสำหรับลูกค้า +DashboardDisableBlockSupplier=ปิดการใช้งานนิ้วหัวแม่มือสำหรับซัพพลายเออร์ +DashboardDisableBlockContract=ปิดการใช้งานนิ้วหัวแม่มือสำหรับสัญญา +DashboardDisableBlockTicket=ปิดการใช้งานนิ้วหัวแม่มือสำหรับตั๋ว +DashboardDisableBlockBank=ปิดการใช้งานนิ้วหัวแม่มือสำหรับธนาคาร +DashboardDisableBlockAdherent=ปิดการใช้งานนิ้วหัวแม่มือสำหรับการเป็นสมาชิก +DashboardDisableBlockExpenseReport=ปิดการใช้งานนิ้วหัวแม่มือสำหรับรายงานค่าใช้จ่าย +DashboardDisableBlockHoliday=ปิดการใช้งานนิ้วหัวแม่มือสำหรับใบไม้ +EnabledCondition=เงื่อนไขในการเปิดใช้งานฟิลด์ (หากไม่ได้เปิดใช้งาน การมองเห็นจะถูกปิดเสมอ) +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=หากคุณต้องการใช้ภาษีที่สอง คุณต้องเปิดใช้งานภาษีการขายแรกด้วย +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=หากคุณต้องการใช้ภาษีที่สาม คุณต้องเปิดใช้งานภาษีการขายแรกด้วย +LanguageAndPresentation=ภาษาและการนำเสนอ +SkinAndColors=ผิวและสี +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=หากคุณต้องการใช้ภาษีที่สอง คุณต้องเปิดใช้งานภาษีการขายแรกด้วย +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=หากคุณต้องการใช้ภาษีที่สาม คุณต้องเปิดใช้งานภาษีการขายแรกด้วย +PDF_USE_1A=สร้าง PDF ด้วยรูปแบบ PDF/A-1b +MissingTranslationForConfKey = ไม่มีการแปลสำหรับ %s +NativeModules=โมดูลดั้งเดิม +NoDeployedModulesFoundWithThisSearchCriteria=ไม่พบโมดูลสำหรับเกณฑ์การค้นหาเหล่านี้ +API_DISABLE_COMPRESSION=ปิดใช้การบีบอัดการตอบสนองของ API +EachTerminalHasItsOwnCounter=แต่ละอาคารผู้โดยสารใช้เคาน์เตอร์ของตัวเอง +FillAndSaveAccountIdAndSecret=กรอกและบันทึกรหัสบัญชีและความลับก่อน +PreviousHash=แฮชก่อนหน้า +LateWarningAfter=คำเตือน "ล่าช้า" หลังจากนั้น +TemplateforBusinessCards=เทมเพลตสำหรับนามบัตรขนาดต่างๆ +InventorySetup= การตั้งค่าสินค้าคงคลัง +ExportUseLowMemoryMode=ใช้โหมดหน่วยความจำเหลือน้อย +ExportUseLowMemoryModeHelp=ใช้โหมดหน่วยความจำเหลือน้อยเพื่อสร้างไฟล์ดัมพ์ (การบีบอัดทำได้ผ่านไพพ์แทนที่จะเป็นหน่วยความจำ PHP) วิธีนี้ไม่อนุญาตให้ตรวจสอบว่าไฟล์เสร็จสมบูรณ์และไม่สามารถรายงานข้อความแสดงข้อผิดพลาดได้หากล้มเหลว ใช้มันหากคุณพบข้อผิดพลาดของหน่วยความจำไม่เพียงพอ -ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL -WebhookSetup = Webhook setup -Settings = Settings -WebhookSetupPage = Webhook setup page -ShowQuickAddLink=Show a button to quickly add an element in top right menu +ModuleWebhookName = เว็บฮุค +ModuleWebhookDesc = อินเทอร์เฟซสำหรับจับทริกเกอร์ dolibarr และส่งข้อมูลของเหตุการณ์ไปยัง URL +WebhookSetup = การตั้งค่าเว็บฮุค +Settings = การตั้งค่า +WebhookSetupPage = หน้าการตั้งค่า Webhook +ShowQuickAddLink=แสดงปุ่มเพื่อเพิ่มองค์ประกอบอย่างรวดเร็วในเมนูด้านบนขวา +ShowSearchAreaInTopMenu=แสดงพื้นที่ค้นหาในเมนูด้านบน +HashForPing=แฮชที่ใช้สำหรับการปิง +ReadOnlyMode=อินสแตนซ์อยู่ในโหมด "อ่านอย่างเดียว" +DEBUGBAR_USE_LOG_FILE=ใช้ไฟล์ dolibarr.log เพื่อดักจับบันทึก +UsingLogFileShowAllRecordOfSubrequestButIsSlower=ใช้ไฟล์ dolibarr.log เพื่อดักจับบันทึกแทนที่จะจับหน่วยความจำแบบสด อนุญาตให้จับบันทึกทั้งหมดแทนที่จะบันทึกเฉพาะกระบวนการปัจจุบันเท่านั้น (ดังนั้นรวมถึงหน้าคำขอย่อย ajax หน้าใดหน้าหนึ่งด้วย) แต่จะทำให้อินสแตนซ์ของคุณช้ามาก ไม่แนะนำ. +FixedOrPercent=คงที่ (ใช้คำหลัก 'คงที่') หรือเปอร์เซ็นต์ (ใช้คำหลัก 'เปอร์เซ็นต์') +DefaultOpportunityStatus=สถานะโอกาสทางการขายเริ่มต้น (สถานะแรกเมื่อมีการสร้างลูกค้าเป้าหมาย) -HashForPing=Hash used for ping -ReadOnlyMode=Is instance in "Read Only" mode -DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs -UsingLogFileShowAllRecordOfSubrequestButIsSlower=Use the dolibarr.log file to trap Logs instead of live memory catching. It allows to catch all logs instead of only log of current process (so including the one of ajax subrequests pages) but will make your instance very very slow. Not recommended. -FixedOrPercent=Fixed (use keyword 'fixed') or percent (use keyword 'percent') -DefaultOpportunityStatus=Default opportunity status (first status when lead is created) - -IconAndText=Icon and text -TextOnly=Text only -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon -IconOnly=Icon only - Text on tooltip only -INVOICE_ADD_ZATCA_QR_CODE=Show the ZATCA QR code on invoices -INVOICE_ADD_ZATCA_QR_CODEMore=Some Arabic countries need this QR Code on their invoices -INVOICE_ADD_SWISS_QR_CODE=Show the swiss QR-Bill code on invoices -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. -INVOICE_SHOW_SHIPPING_ADDRESS=Show shipping address -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) -UrlSocialNetworksDesc=Url link of social network. Use {socialid} for the variable part that contains the social network ID. -IfThisCategoryIsChildOfAnother=If this category is a child of another one -DarkThemeMode=Dark theme mode -AlwaysDisabled=Always disabled -AccordingToBrowser=According to browser -AlwaysEnabled=Always Enabled -DoesNotWorkWithAllThemes=Will not work with all themes -NoName=No name -ShowAdvancedOptions= Show advanced options -HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service -DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method -UsePassword=Use a password -UseOauth=Use a OAUTH token -Images=Images -MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -ScriptIsEmpty=The script is empty -ShowHideTheNRequests=Show/hide the %s SQL request(s) -DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s -TriggerCodes=Triggerable events -TriggerCodeInfo=Enter here the trigger code(s) that must generate a post of a web request (only external URL are allowed). You can enter several trigger codes separated by a comma. -EditableWhenDraftOnly=If unchecked, the value can only be modified when object has a draft status -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" -RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents for receptions -MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions -WarningDisabled=Warning disabled -LimitsAndMitigation=Access limits and mitigation -DesktopsOnly=Desktops only -DesktopsAndSmartphones=Desktops et smartphones -AllowOnlineSign=Allow online signing -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. -CSSPage=CSS Style +IconAndText=ไอคอนและข้อความ +TextOnly=ข้อความเท่านั้น +IconOnlyAllTextsOnHover=ไอคอนเท่านั้น - ข้อความทั้งหมดจะปรากฏใต้ไอคอนบนแถบเมนู +IconOnlyTextOnHover=ไอคอนเท่านั้น - ข้อความของไอคอนปรากฏใต้ไอคอนบนเมาส์เหนือไอคอน +IconOnly=ไอคอนเท่านั้น - ข้อความบนคำแนะนำเครื่องมือเท่านั้น +INVOICE_ADD_ZATCA_QR_CODE=แสดงรหัส QR ZATCA บนใบแจ้งหนี้ +INVOICE_ADD_ZATCA_QR_CODEMore=ประเทศอาหรับบางประเทศต้องใช้รหัส QR นี้ในใบแจ้งหนี้ +INVOICE_ADD_SWISS_QR_CODE=แสดงรหัส QR-Bill สวิสบนใบแจ้งหนี้ +INVOICE_ADD_SWISS_QR_CODEMore=มาตรฐานของสวิตเซอร์แลนด์สำหรับใบแจ้งหนี้ ตรวจสอบให้แน่ใจว่าได้กรอกรหัสไปรษณีย์และเมืองแล้ว และบัญชีมี IBAN ของสวิส/ลิกเตนสไตน์ที่ถูกต้อง +INVOICE_SHOW_SHIPPING_ADDRESS=แสดงที่อยู่ในการจัดส่ง +INVOICE_SHOW_SHIPPING_ADDRESSMore=ข้อบ่งชี้ภาคบังคับในบางประเทศ (ฝรั่งเศส, ... ) +UrlSocialNetworksDesc=ลิงก์ URL ของเครือข่ายโซเชียล ใช้ {socialid} สำหรับส่วนของตัวแปรที่มีรหัสเครือข่ายโซเชียล +IfThisCategoryIsChildOfAnother=หากหมวดนี้เป็นลูกของอีกประเภทหนึ่ง +DarkThemeMode=โหมดธีมสีเข้ม +AlwaysDisabled=ปิดการใช้งานเสมอ +AccordingToBrowser=ตามเบราว์เซอร์ +AlwaysEnabled=เปิดใช้งานเสมอ +DoesNotWorkWithAllThemes=จะไม่ทำงานกับทุกธีม +NoName=ไม่มีชื่อ +ShowAdvancedOptions= แสดงตัวเลือกขั้นสูง +HideAdvancedoptions= ซ่อนตัวเลือกขั้นสูง +CIDLookupURL=โมดูลนำ URL ที่เครื่องมือภายนอกสามารถใช้ได้เพื่อรับชื่อของบุคคลที่สามหรือผู้ติดต่อจากหมายเลขโทรศัพท์ URL ที่จะใช้คือ: +OauthNotAvailableForAllAndHadToBeCreatedBefore=การรับรองความถูกต้อง OAUTH2 ไม่พร้อมใช้งานสำหรับโฮสต์ทั้งหมด และโทเค็นที่มีสิทธิ์ที่ถูกต้องจะต้องถูกสร้างขึ้นต้นทางด้วยโมดูล OAUTH +MAIN_MAIL_SMTPS_OAUTH_SERVICE=บริการตรวจสอบสิทธิ์ OAUTH2 +DontForgetCreateTokenOauthMod=โทเค็นที่มีสิทธิ์ที่ถูกต้องจะต้องถูกสร้างขึ้นต้นทางด้วยโมดูล OAUTH +MAIN_MAIL_SMTPS_AUTH_TYPE=วิธีการรับรองความถูกต้อง +UsePassword=ใช้รหัสผ่าน +UseOauth=ใช้โทเค็น OAUTH +Images=รูปภาพ +MaxNumberOfImagesInGetPost=จำนวนรูปภาพสูงสุดที่อนุญาตในช่อง HTML ที่ส่งในแบบฟอร์ม +MaxNumberOfPostOnPublicPagesByIP=จำนวนโพสต์สูงสุดบนหน้าสาธารณะที่มีที่อยู่ IP เดียวกันในหนึ่งเดือน +CIDLookupURL=โมดูลนำ URL ที่เครื่องมือภายนอกสามารถใช้ได้เพื่อรับชื่อของบุคคลที่สามหรือผู้ติดต่อจากหมายเลขโทรศัพท์ URL ที่จะใช้คือ: +ScriptIsEmpty=สคริปต์ว่างเปล่า +ShowHideTheNRequests=แสดง/ซ่อนคำขอ %s SQL +DefinedAPathForAntivirusCommandIntoSetup=กำหนดเส้นทางสำหรับโปรแกรมป้องกันไวรัสลงใน %s +TriggerCodes=เหตุการณ์ที่ทริกเกอร์ได้ +TriggerCodeInfo=ป้อนรหัสทริกเกอร์ที่ต้องสร้างโพสต์ของคำขอเว็บที่นี่ (อนุญาตเฉพาะ URL ภายนอกเท่านั้น) คุณสามารถป้อนรหัสทริกเกอร์หลายรหัสโดยคั่นด้วยเครื่องหมายจุลภาค +EditableWhenDraftOnly=หากไม่ได้เลือก ค่าจะสามารถแก้ไขได้เมื่อออบเจ็กต์มีสถานะแบบร่างเท่านั้น +CssOnEdit=CSS บนหน้าแก้ไข +CssOnView=CSS ในหน้าดู +CssOnList=CSS ในรายการ +HelpCssOnEditDesc=CSS ที่ใช้ในการแก้ไขช่อง
      ตัวอย่าง: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=CSS ที่ใช้ในการดูฟิลด์ +HelpCssOnListDesc=CSS ที่ใช้เมื่อช่องอยู่ในตารางรายการ
      ตัวอย่าง: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=ซ่อนปริมาณที่สั่งในเอกสารที่สร้างขึ้นสำหรับการรับรองงาน +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=แสดงราคาบนเอกสารที่สร้างขึ้นสำหรับการรับเลี้ยงรับรอง +WarningDisabled=คำเตือนถูกปิดใช้งาน +LimitsAndMitigation=ขีดจำกัดการเข้าถึงและการบรรเทาผลกระทบ +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. +DesktopsOnly=เดสก์ท็อปเท่านั้น +DesktopsAndSmartphones=เดสก์ท็อปและสมาร์ทโฟน +AllowOnlineSign=อนุญาตให้ลงนามออนไลน์ +AllowExternalDownload=อนุญาตการดาวน์โหลดภายนอก (โดยไม่ต้องเข้าสู่ระบบ โดยใช้ลิงก์ที่แชร์) +DeadlineDayVATSubmission=กำหนดเส้นตายในการยื่นภาษีมูลค่าเพิ่มในเดือนถัดไป +MaxNumberOfAttachementOnForms=จำนวนไฟล์ที่รวมสูงสุดในแบบฟอร์ม +IfDefinedUseAValueBeetween=หากกำหนดไว้ ให้ใช้ค่าระหว่าง %s และ %s +Reload=โหลดซ้ำ +ConfirmReload=ยืนยันการโหลดโมดูลใหม่ +WarningModuleHasChangedLastVersionCheckParameter=คำเตือน: โมดูล %s ได้ตั้งค่าพารามิเตอร์เพื่อตรวจสอบเวอร์ชันในการเข้าถึงแต่ละเพจ นี่เป็นแนวทางปฏิบัติที่ไม่ดีและไม่ได้รับอนุญาต ซึ่งอาจทำให้เพจในการจัดการโมดูลไม่เสถียร โปรดติดต่อผู้เขียนโมดูลเพื่อแก้ไขปัญหานี้ +WarningModuleHasChangedSecurityCsrfParameter=คำเตือน: โมดูล %s ได้ปิดใช้งานการรักษาความปลอดภัย CSRF สำหรับอินสแตนซ์ของคุณ การกระทำนี้น่าสงสัยและการติดตั้งของคุณอาจไม่ปลอดภัยอีกต่อไป โปรดติดต่อผู้เขียนโมดูลเพื่อขอคำอธิบาย +EMailsInGoingDesc=อีเมลขาเข้าได้รับการจัดการโดยโมดูล %s คุณต้องเปิดใช้งานและกำหนดค่าหากคุณต้องการรองรับอีเมลขาเข้า +MAIN_IMAP_USE_PHPIMAP=ใช้ไลบรารี PHP-IMAP สำหรับ IMAP แทน PHP IMAP ดั้งเดิม นอกจากนี้ยังอนุญาตให้ใช้การเชื่อมต่อ OAuth2 สำหรับ IMAP (ต้องเปิดใช้งานโมดูล OAuth ด้วย) +MAIN_CHECKBOX_LEFT_COLUMN=แสดงคอลัมน์สำหรับการเลือกฟิลด์และบรรทัดทางด้านซ้าย (ทางขวาตามค่าเริ่มต้น) +NotAvailableByDefaultEnabledOnModuleActivation=ไม่ได้สร้างขึ้นโดยค่าเริ่มต้น สร้างเมื่อเปิดใช้งานโมดูลเท่านั้น +CSSPage=สไตล์ CSS Defaultfortype=ผิดนัด -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +DefaultForTypeDesc=เทมเพลตที่ใช้เป็นค่าเริ่มต้นเมื่อสร้างอีเมลใหม่สำหรับประเภทเทมเพลต +OptionXShouldBeEnabledInModuleY=ตัวเลือก "%s" ควรเปิดใช้งานในโมดูล %s +OptionXIsCorrectlyEnabledInModuleY=ตัวเลือก "%s" ถูกเปิดใช้งานในโมดูล %s +AllowOnLineSign=อนุญาตลายเซ็นออนไลน์ +AtBottomOfPage=ที่ด้านล่างของหน้า +FailedAuth=การรับรองความถูกต้องล้มเหลว +MaxNumberOfFailedAuth=จำนวนสูงสุดของการตรวจสอบสิทธิ์ที่ล้มเหลวใน 24 ชั่วโมงเพื่อปฏิเสธการเข้าสู่ระบบ +AllowPasswordResetBySendingANewPassByEmail=หากผู้ใช้ A ได้รับอนุญาตนี้ และแม้ว่าผู้ใช้ A จะไม่ใช่ผู้ใช้ "ผู้ดูแลระบบ" แต่ A ก็ได้รับอนุญาตให้รีเซ็ตรหัสผ่านของผู้ใช้ B คนอื่นได้ รหัสผ่านใหม่จะถูกส่งไปยังอีเมลของผู้ใช้ B คนอื่น A จะไม่สามารถมองเห็นได้ หากผู้ใช้ A มีสถานะเป็น "ผู้ดูแลระบบ" เขาจะสามารถรู้ได้ว่ารหัสผ่านที่สร้างขึ้นใหม่ของ B คืออะไร ดังนั้นเขาจะสามารถควบคุมบัญชีผู้ใช้ B ได้ +AllowAnyPrivileges=หากผู้ใช้ A มีสิทธิ์นี้ เขาสามารถสร้างผู้ใช้ B ที่มีสิทธิ์ทั้งหมด จากนั้นจึงใช้ผู้ใช้ B รายนี้ หรือให้สิทธิ์แก่กลุ่มอื่นใดแก่ตนเองก็ได้ หมายความว่าผู้ใช้ A เป็นเจ้าของสิทธิ์ทางธุรกิจทั้งหมด (ห้ามเฉพาะการเข้าถึงระบบไปยังหน้าการตั้งค่าเท่านั้น) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=ค่านี้สามารถอ่านได้เนื่องจากอินสแตนซ์ของคุณไม่ได้ตั้งค่าในโหมดการใช้งานจริง +SeeConfFile=ดูไฟล์ conf.php ภายในบนเซิร์ฟเวอร์ +ReEncryptDesc=เข้ารหัสข้อมูลอีกครั้งหากยังไม่ได้เข้ารหัส +PasswordFieldEncrypted=%s บันทึกใหม่มีการเข้ารหัสฟิลด์นี้ +ExtrafieldsDeleted=ช่องพิเศษ %s ถูกลบแล้ว +LargeModern=ใหญ่-ทันสมัย +SpecialCharActivation=เปิดใช้งานปุ่มเพื่อเปิดแป้นพิมพ์เสมือนเพื่อป้อนอักขระพิเศษ +DeleteExtrafield=ลบสนามพิเศษ +ConfirmDeleteExtrafield=คุณยืนยันการลบฟิลด์ %s หรือไม่ ข้อมูลทั้งหมดที่บันทึกไว้ในช่องนี้จะถูกลบออกอย่างแน่นอน +ExtraFieldsSupplierInvoicesRec=คุณลักษณะเสริม (เทมเพลตใบแจ้งหนี้) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=พารามิเตอร์สำหรับสภาพแวดล้อมการทดสอบ +TryToKeepOnly=พยายามเก็บเฉพาะ %s +RecommendedForProduction=แนะนำสำหรับการผลิต +RecommendedForDebug=แนะนำสำหรับการดีบัก diff --git a/htdocs/langs/th_TH/bills.lang b/htdocs/langs/th_TH/bills.lang index 7f2faeb0420..c5f73c56b03 100644 --- a/htdocs/langs/th_TH/bills.lang +++ b/htdocs/langs/th_TH/bills.lang @@ -1,37 +1,37 @@ # Dolibarr language file - Source file is en_US - bills Bill=ใบกำกับสินค้า Bills=ใบแจ้งหนี้ -BillsCustomers=Customer invoices +BillsCustomers=ใบแจ้งหนี้ของลูกค้า BillsCustomer=ใบแจ้งหนี้ของลูกค้า -BillsSuppliers=Vendor invoices +BillsSuppliers=ใบแจ้งหนี้ของผู้ขาย BillsCustomersUnpaid=ใบแจ้งหนี้ของลูกค้าที่ค้างชำระ -BillsCustomersUnpaidForCompany=Unpaid customer invoices for %s -BillsSuppliersUnpaid=Unpaid vendor invoices -BillsSuppliersUnpaidForCompany=Unpaid vendors invoices for %s +BillsCustomersUnpaidForCompany=ใบแจ้งหนี้ของลูกค้าที่ค้างชำระสำหรับ %s +BillsSuppliersUnpaid=ใบแจ้งหนี้ของผู้ขายที่ค้างชำระ +BillsSuppliersUnpaidForCompany=ใบแจ้งหนี้ของผู้จัดจำหน่ายที่ค้างชำระสำหรับ %s BillsLate=การชำระเงินล่าช้า BillsStatistics=สถิติใบแจ้งหนี้ลูกค้า -BillsStatisticsSuppliers=Vendors invoices statistics -DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping -DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. -DisabledBecauseNotLastSituationInvoice=Disabled because invoice is not erasable. This invoice is not the last one in situation invoice cycle. -DisabledBecauseNotErasable=Disabled because cannot be erased +BillsStatisticsSuppliers=สถิติใบแจ้งหนี้ของผู้ขาย +DisabledBecauseDispatchedInBookkeeping=ปิดใช้งานเนื่องจากใบแจ้งหนี้ถูกส่งไปยังการทำบัญชี +DisabledBecauseNotLastInvoice=ปิดใช้งานเนื่องจากไม่สามารถลบใบแจ้งหนี้ได้ หลังจากนี้ใบแจ้งหนี้บางใบจะถูกบันทึกไว้และจะสร้างช่องโหว่ในเคาน์เตอร์ +DisabledBecauseNotLastSituationInvoice=ปิดใช้งานเนื่องจากไม่สามารถลบใบแจ้งหนี้ได้ ใบแจ้งหนี้นี้ไม่ใช่ใบสุดท้ายในรอบใบแจ้งหนี้ของสถานการณ์ +DisabledBecauseNotErasable=ปิดการใช้งานเนื่องจากไม่สามารถลบได้ InvoiceStandard=ใบแจ้งหนี้มาตรฐาน InvoiceStandardAsk=ใบแจ้งหนี้มาตรฐาน InvoiceStandardDesc=ชนิดของใบแจ้งหนี้นี้เป็นใบแจ้งหนี้ที่พบบ่อย -InvoiceStandardShort=Standard -InvoiceDeposit=Down payment invoice -InvoiceDepositAsk=Down payment invoice -InvoiceDepositDesc=This kind of invoice is done when a down payment has been received. +InvoiceStandardShort=มาตรฐาน +InvoiceDeposit=ใบแจ้งการชำระเงินดาวน์ +InvoiceDepositAsk=ใบแจ้งการชำระเงินดาวน์ +InvoiceDepositDesc=ใบแจ้งหนี้ประเภทนี้จะดำเนินการเมื่อได้รับการชำระเงินดาวน์แล้ว InvoiceProForma=ใบแจ้งหนี้ Proforma InvoiceProFormaAsk=ใบแจ้งหนี้ Proforma InvoiceProFormaDesc=ใบแจ้งหนี้ Proforma คือภาพของใบแจ้งหนี้ที่แท้จริง แต่มีค่าไม่มีบัญชี InvoiceReplacement=เปลี่ยนใบแจ้งหนี้ -InvoiceReplacementShort=Replacement +InvoiceReplacementShort=การทดแทน InvoiceReplacementAsk=ใบแจ้งหนี้แทนใบแจ้งหนี้ -InvoiceReplacementDesc=Replacement invoice is used to completely replace an invoice with no payment already received.

      Note: Only invoices with no payment on it can be replaced. If the invoice you replace is not yet closed, it will be automatically closed to 'abandoned'. +InvoiceReplacementDesc=ใบแจ้งหนี้ทดแทน ใช้เพื่อแทนที่ใบแจ้งหนี้โดยสมบูรณ์โดยไม่ได้รับการชำระเงินแล้ว

      หมายเหตุ: สามารถเปลี่ยนเฉพาะใบแจ้งหนี้ที่ไม่มีการชำระเงินเท่านั้น หากใบแจ้งหนี้ที่คุณเปลี่ยนยังไม่ถูกปิด ใบแจ้งหนี้นั้นจะถูกปิดโดยอัตโนมัติเป็น 'ละทิ้ง' InvoiceAvoir=ใบลดหนี้ InvoiceAvoirAsk=ใบลดหนี้ใบแจ้งหนี้ที่ถูกต้อง -InvoiceAvoirDesc=The credit note is a negative invoice used to correct the fact that an invoice shows an amount that differs from the amount actually paid (eg the customer paid too much by mistake, or will not pay the complete amount since some products were returned). +InvoiceAvoirDesc=ใบลดหนี้ เป็นใบแจ้งหนี้ค่าลบที่ใช้เพื่อแก้ไขข้อเท็จจริงที่ว่าใบแจ้งหนี้แสดงจำนวนเงินที่แตกต่างจากจำนวนเงินจริง ชำระเงินแล้ว (เช่น ลูกค้าชำระเงินเกินจำนวนโดยไม่ได้ตั้งใจ หรือชำระเงินไม่ครบเนื่องจากสินค้าบางส่วนถูกส่งคืน) invoiceAvoirWithLines=สร้างหมายเหตุเครดิตที่มีเส้นใบแจ้งหนี้จากแหล่งกำเนิด invoiceAvoirWithPaymentRestAmount=สร้างหนี้ที่ค้างชำระที่เหลืออยู่กับใบแจ้งหนี้ต้นกำเนิด invoiceAvoirLineWithPaymentRestAmount=หมายเหตุเครดิตสำหรับจำนวนเงินที่เหลือยังไม่ได้ชำระ @@ -44,9 +44,9 @@ CorrectionInvoice=การแก้ไขใบแจ้งหนี้ UsedByInvoice=ใช้ชำระใบแจ้งหนี้ %s ConsumedBy=บริโภคโดย NotConsumed=บริโภคไม่ได้ -NoReplacableInvoice=No replaceable invoices +NoReplacableInvoice=ไม่มีใบแจ้งหนี้ที่เปลี่ยนได้ NoInvoiceToCorrect=ใบแจ้งหนี้ที่ยังไม่ได้แก้ไข -InvoiceHasAvoir=Was source of one or several credit notes +InvoiceHasAvoir=เป็นแหล่งที่มาของใบลดหนี้หนึ่งใบหรือหลายใบ CardBill=การ์ดใบแจ้งหนี้ PredefinedInvoices=ใบแจ้งหนี้ที่กำหนดไว้ล่วงหน้า Invoice=ใบกำกับสินค้า @@ -55,52 +55,52 @@ Invoices=ใบแจ้งหนี้ InvoiceLine=เส้นใบแจ้งหนี้ InvoiceCustomer=ใบแจ้งหนี้ของลูกค้า CustomerInvoice=ใบแจ้งหนี้ของลูกค้า -CustomersInvoices=Customer invoices -SupplierInvoice=Vendor invoice -SuppliersInvoices=Vendor invoices -SupplierInvoiceLines=Vendor invoice lines -SupplierBill=Vendor invoice -SupplierBills=Vendor invoices +CustomersInvoices=ใบแจ้งหนี้ของลูกค้า +SupplierInvoice=ใบแจ้งหนี้ของผู้จัดจำหน่าย +SuppliersInvoices=ใบแจ้งหนี้ของผู้ขาย +SupplierInvoiceLines=รายการใบแจ้งหนี้ของผู้จัดจำหน่าย +SupplierBill=ใบแจ้งหนี้ของผู้จัดจำหน่าย +SupplierBills=ใบแจ้งหนี้ของผู้ขาย Payment=การชำระเงิน -PaymentBack=Refund -CustomerInvoicePaymentBack=Refund +PaymentBack=คืนเงิน +CustomerInvoicePaymentBack=คืนเงิน Payments=วิธีการชำระเงิน -PaymentsBack=Refunds -paymentInInvoiceCurrency=in invoices currency +PaymentsBack=การคืนเงิน +paymentInInvoiceCurrency=ในสกุลเงินของใบแจ้งหนี้ PaidBack=จ่ายคืน DeletePayment=ลบการชำระเงิน -ConfirmDeletePayment=Are you sure you want to delete this payment? -ConfirmConvertToReduc=Do you want to convert this %s into an available credit? -ConfirmConvertToReduc2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this customer. -ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit? -ConfirmConvertToReducSupplier2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this vendor. -SupplierPayments=Vendor payments +ConfirmDeletePayment=คุณแน่ใจหรือไม่ว่าต้องการลบการชำระเงินนี้ +ConfirmConvertToReduc=คุณต้องการแปลง %s นี้เป็นเครดิตที่มีอยู่หรือไม่ +ConfirmConvertToReduc2=จำนวนเงินจะถูกบันทึกไว้ในส่วนลดทั้งหมด และสามารถใช้เป็นส่วนลดสำหรับใบแจ้งหนี้ปัจจุบันหรือในอนาคตสำหรับลูกค้ารายนี้ +ConfirmConvertToReducSupplier=คุณต้องการแปลง %s นี้เป็นเครดิตที่มีอยู่หรือไม่ +ConfirmConvertToReducSupplier2=จำนวนเงินจะถูกบันทึกในส่วนลดทั้งหมด และสามารถใช้เป็นส่วนลดสำหรับใบแจ้งหนี้ปัจจุบันหรือในอนาคตสำหรับผู้จัดจำหน่ายรายนี้ +SupplierPayments=การชำระเงินของผู้ขาย ReceivedPayments=การชำระเงินที่ได้รับ ReceivedCustomersPayments=การชำระเงินที่ได้รับจากลูกค้า -PayedSuppliersPayments=Payments paid to vendors +PayedSuppliersPayments=การชำระเงินที่จ่ายให้กับผู้ขาย ReceivedCustomersPaymentsToValid=การชำระเงินของลูกค้าที่ได้รับการตรวจสอบ PaymentsReportsForYear=รายงานการชำระเงินสำหรับ%s PaymentsReports=รายงานการชำระเงิน PaymentsAlreadyDone=การชำระเงินที่ทำมาแล้ว -PaymentsBackAlreadyDone=Refunds already done +PaymentsBackAlreadyDone=ทำการคืนเงินเรียบร้อยแล้ว PaymentRule=กฎการชำระเงิน -PaymentMode=Payment method -PaymentModes=Payment methods -DefaultPaymentMode=Default Payment method -DefaultBankAccount=Default Bank Account -IdPaymentMode=Payment method (id) -CodePaymentMode=Payment method (code) -LabelPaymentMode=Payment method (label) -PaymentModeShort=Payment method -PaymentTerm=Payment Term +PaymentMode=วิธีการชำระเงิน +PaymentModes=วิธีการชำระเงิน +DefaultPaymentMode=วิธีการชำระเงินเริ่มต้น +DefaultBankAccount=บัญชีธนาคารเริ่มต้น +IdPaymentMode=วิธีการชำระเงิน (รหัส) +CodePaymentMode=วิธีการชำระเงิน (รหัส) +LabelPaymentMode=วิธีการชำระเงิน (ฉลาก) +PaymentModeShort=วิธีการชำระเงิน +PaymentTerm=เงื่อนไขการชำระเงิน PaymentConditions=เงื่อนไขการชำระเงิน PaymentConditionsShort=เงื่อนไขการชำระเงิน PaymentAmount=จำนวนเงินที่ชำระ PaymentHigherThanReminderToPay=การชำระเงินที่สูงกว่าการแจ้งเตือนที่จะต้องจ่าย -HelpPaymentHigherThanReminderToPay=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess received for each overpaid invoice. -HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess paid for each overpaid invoice. +HelpPaymentHigherThanReminderToPay=โปรดทราบว่าจำนวนเงินที่ชำระของตั๋วเงินหนึ่งใบขึ้นไปนั้นสูงกว่าจำนวนเงินคงค้างที่ต้องชำระ
      แก้ไขรายการของคุณ หรือยืนยันและพิจารณาสร้างใบลดหนี้สำหรับส่วนเกินที่ได้รับสำหรับใบแจ้งหนี้ที่ชำระเกินแต่ละใบ +HelpPaymentHigherThanReminderToPaySupplier=โปรดทราบว่าจำนวนเงินที่ชำระของตั๋วเงินหนึ่งใบขึ้นไปนั้นสูงกว่าจำนวนเงินคงค้างที่ต้องชำระ
      แก้ไขรายการของคุณ หรือยืนยันและพิจารณาสร้างใบลดหนี้สำหรับจำนวนเงินส่วนเกินที่ชำระสำหรับใบแจ้งหนี้ที่ชำระเกินแต่ละใบ ClassifyPaid=จำแนก 'ชำระเงิน' -ClassifyUnPaid=Classify 'Unpaid' +ClassifyUnPaid=จำแนกประเภท 'ค้างชำระ' ClassifyPaidPartially=จำแนก 'ชำระบางส่วน' ClassifyCanceled=จำแนก 'Abandoned' ClassifyClosed=จำแนก 'ปิด' @@ -111,155 +111,159 @@ AddBill=สร้างใบแจ้งหนี้หรือใบลดห AddToDraftInvoices=เพิ่มลงในร่างใบแจ้งหนี้ DeleteBill=ลบใบแจ้งหนี้ SearchACustomerInvoice=ค้นหาใบแจ้งหนี้ลูกค้า -SearchASupplierInvoice=Search for a vendor invoice +SearchASupplierInvoice=ค้นหาใบแจ้งหนี้ของผู้จัดจำหน่าย CancelBill=ยกเลิกใบแจ้งหนี้ SendRemindByMail=ส่งการแจ้งเตือนทางอีเมล -DoPayment=Enter payment -DoPaymentBack=Enter refund -ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into available credit -ConvertExcessPaidToReduc=Convert excess paid into available discount +DoPayment=ป้อนการชำระเงิน +DoPaymentBack=ป้อนเงินคืน +ConvertToReduc=ทำเครื่องหมายว่าเป็นเครดิตที่มีอยู่ +ConvertExcessReceivedToReduc=แปลงส่วนเกินที่ได้รับเป็นเครดิตที่มีอยู่ +ConvertExcessPaidToReduc=แปลงส่วนที่ชำระส่วนเกินให้เป็นส่วนลดที่มีอยู่ EnterPaymentReceivedFromCustomer=ป้อนการชำระเงินที่ได้รับจากลูกค้า EnterPaymentDueToCustomer=ชำระเงินเนื่องจากลูกค้า DisabledBecauseRemainderToPayIsZero=ปิดใช้งานเนื่องจากค้างชำระที่เหลือเป็นศูนย์ -PriceBase=Base price +PriceBase=ราคาพื้นฐาน BillStatus=สถานะใบแจ้งหนี้ -StatusOfGeneratedInvoices=Status of generated invoices +StatusOfAutoGeneratedInvoices=สถานะของใบแจ้งหนี้ที่สร้างขึ้นโดยอัตโนมัติ BillStatusDraft=ร่าง (จะต้องมีการตรวจสอบ) BillStatusPaid=ต้องจ่าย -BillStatusPaidBackOrConverted=Credit note refund or marked as credit available -BillStatusConverted=Paid (ready for consumption in final invoice) +BillStatusPaidBackOrConverted=การคืนเงินใบลดหนี้หรือทำเครื่องหมายว่าเป็นเครดิตที่มีอยู่ +BillStatusConverted=ชำระเงินแล้ว (พร้อมบริโภคในใบแจ้งหนี้สุดท้าย) BillStatusCanceled=ถูกปล่อยปละละเลย BillStatusValidated=การตรวจสอบ (จะต้องมีการจ่าย) BillStatusStarted=เริ่มต้น BillStatusNotPaid=จ่ายเงินไม่ได้ -BillStatusNotRefunded=Not refunded +BillStatusNotRefunded=ไม่ได้รับเงินคืน BillStatusClosedUnpaid=ปิดให้บริการ (ค้างชำระ) BillStatusClosedPaidPartially=การชำระเงิน (บางส่วน) BillShortStatusDraft=ร่าง BillShortStatusPaid=ต้องจ่าย -BillShortStatusPaidBackOrConverted=Refunded or converted -Refunded=Refunded +BillShortStatusPaidBackOrConverted=คืนเงินหรือแปลงแล้ว +Refunded=คืนเงินแล้ว BillShortStatusConverted=ต้องจ่าย BillShortStatusCanceled=ถูกปล่อยปละละเลย BillShortStatusValidated=ผ่านการตรวจสอบ BillShortStatusStarted=เริ่มต้น BillShortStatusNotPaid=จ่ายเงินไม่ได้ -BillShortStatusNotRefunded=Not refunded +BillShortStatusNotRefunded=ไม่ได้รับเงินคืน BillShortStatusClosedUnpaid=ปิด BillShortStatusClosedPaidPartially=การชำระเงิน (บางส่วน) PaymentStatusToValidShort=ในการตรวจสอบ -ErrorVATIntraNotConfigured=Intra-Community VAT number not yet defined -ErrorNoPaiementModeConfigured=No default payment type defined. Go to Invoice module setup to fix this. -ErrorCreateBankAccount=Create a bank account, then go to Setup panel of Invoice module to define payment types +ErrorVATIntraNotConfigured=ยังไม่ได้กำหนดหมายเลข VAT ภายในชุมชน +ErrorNoPaiementModeConfigured=ไม่มีการกำหนดประเภทการชำระเงินเริ่มต้น ไปที่การตั้งค่าโมดูลใบแจ้งหนี้เพื่อแก้ไขปัญหานี้ +ErrorCreateBankAccount=สร้างบัญชีธนาคาร จากนั้นไปที่แผงการตั้งค่าของโมดูลใบแจ้งหนี้เพื่อกำหนดประเภทการชำระเงิน ErrorBillNotFound=ใบแจ้งหนี้ %s ไม่พบข้อมูล -ErrorInvoiceAlreadyReplaced=Error, you tried to validate an invoice to replace invoice %s. But this one has already been replaced by invoice %s. +ErrorInvoiceAlreadyReplaced=เกิดข้อผิดพลาด คุณพยายามตรวจสอบใบแจ้งหนี้เพื่อแทนที่ใบแจ้งหนี้ %s แต่ใบนี้ถูกแทนที่ด้วยใบแจ้งหนี้ %s แล้ว ErrorDiscountAlreadyUsed=ข้อผิดพลาดลดที่ใช้แล้ว ErrorInvoiceAvoirMustBeNegative=ข้อผิดพลาดในใบแจ้งหนี้ที่ถูกต้องจะต้องมีมูลค่าติดลบ -ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have an amount excluding tax positive (or null) +ErrorInvoiceOfThisTypeMustBePositive=ข้อผิดพลาด ใบแจ้งหนี้ประเภทนี้ต้องมีจำนวนเงินที่ไม่รวมภาษีบวก (หรือ null) ErrorCantCancelIfReplacementInvoiceNotValidated=ข้อผิดพลาดที่ไม่สามารถยกเลิกใบแจ้งหนี้ที่ได้รับการแทนที่ด้วยใบแจ้งหนี้อื่นที่ยังคงอยู่ในสถานะร่าง -ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=This part or another is already used so discount series cannot be removed. -ErrorInvoiceIsNotLastOfSameType=Error: The date of invoice %s is %s. It must be posterior or equal to last date for same type invoices (%s). Please change the invoice date. +ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=ส่วนนี้หรือส่วนอื่นถูกใช้ไปแล้ว ดังนั้นจึงไม่สามารถลบชุดส่วนลดได้ +ErrorInvoiceIsNotLastOfSameType=ข้อผิดพลาด: วันที่ของใบแจ้งหนี้ %s คือ %s ต้องเป็นวันที่หลังหรือเท่ากับวันสุดท้ายสำหรับใบแจ้งหนี้ประเภทเดียวกัน (%s) กรุณาเปลี่ยนวันที่ในใบแจ้งหนี้ BillFrom=จาก BillTo=ไปยัง -ShippingTo=Shipping to +ShippingTo=การจัดส่งสินค้า ActionsOnBill=การดำเนินการในใบแจ้งหนี้ -RecurringInvoiceTemplate=Template / Recurring invoice -NoQualifiedRecurringInvoiceTemplateFound=No recurring template invoice qualified for generation. -FoundXQualifiedRecurringInvoiceTemplate=Found %s recurring template invoice(s) qualified for generation. -NotARecurringInvoiceTemplate=Not a recurring template invoice +ActionsOnBillRec=การดำเนินการกับใบแจ้งหนี้ที่เกิดซ้ำ +RecurringInvoiceTemplate=เทมเพลต / ใบแจ้งหนี้ที่เกิดขึ้นประจำ +NoQualifiedRecurringInvoiceTemplateFound=ไม่มีใบแจ้งหนี้เทมเพลตที่เกิดซ้ำที่เข้าเกณฑ์สำหรับการสร้าง +FoundXQualifiedRecurringInvoiceTemplate=%s ใบแจ้งหนี้เทมเพลตที่เกิดซ้ำผ่านการรับรองสำหรับการสร้าง +NotARecurringInvoiceTemplate=ไม่ใช่ใบแจ้งหนี้เทมเพลตที่เกิดซ้ำ NewBill=ใบแจ้งหนี้ใหม่ -LastBills=Latest %s invoices -LatestTemplateInvoices=Latest %s template invoices -LatestCustomerTemplateInvoices=Latest %s customer template invoices -LatestSupplierTemplateInvoices=Latest %s vendor template invoices -LastCustomersBills=Latest %s customer invoices -LastSuppliersBills=Latest %s vendor invoices +LastBills=ใบแจ้งหนี้ %s ล่าสุด +LatestTemplateInvoices=เทมเพลตใบแจ้งหนี้ %s ล่าสุด +LatestCustomerTemplateInvoices=%s ใบแจ้งหนี้เทมเพลตลูกค้าล่าสุด +LatestSupplierTemplateInvoices=%s ใบแจ้งหนี้เทมเพลตผู้จัดจำหน่ายล่าสุด +LastCustomersBills=ใบแจ้งหนี้ลูกค้า %s ล่าสุด +LastSuppliersBills=ใบแจ้งหนี้ของผู้จัดจำหน่าย %s ล่าสุด AllBills=ใบแจ้งหนี้ทั้งหมด -AllCustomerTemplateInvoices=All template invoices +AllCustomerTemplateInvoices=ใบแจ้งหนี้เทมเพลตทั้งหมด OtherBills=ใบแจ้งหนี้อื่น ๆ DraftBills=ใบแจ้งหนี้ร่าง -CustomersDraftInvoices=Customer draft invoices -SuppliersDraftInvoices=Vendor draft invoices +CustomersDraftInvoices=ใบแจ้งหนี้ฉบับร่างของลูกค้า +SuppliersDraftInvoices=ใบแจ้งหนี้ฉบับร่างของผู้จัดจำหน่าย Unpaid=ยังไม่ได้ชำระ -ErrorNoPaymentDefined=Error No payment defined -ConfirmDeleteBill=Are you sure you want to delete this invoice? -ConfirmValidateBill=Are you sure you want to validate this invoice with reference %s? -ConfirmUnvalidateBill=Are you sure you want to change invoice %s to draft status? -ConfirmClassifyPaidBill=Are you sure you want to change invoice %s to status paid? -ConfirmCancelBill=Are you sure you want to cancel invoice %s? -ConfirmCancelBillQuestion=Why do you want to classify this invoice 'abandoned'? -ConfirmClassifyPaidPartially=Are you sure you want to change invoice %s to status paid? -ConfirmClassifyPaidPartiallyQuestion=This invoice has not been paid completely. What is the reason for closing this invoice? -ConfirmClassifyPaidPartiallyReasonAvoir=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I regularize the VAT with a credit note. -ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. +ErrorNoPaymentDefined=เกิดข้อผิดพลาด ไม่ได้กำหนดการชำระเงิน +ConfirmDeleteBill=คุณแน่ใจหรือไม่ว่าต้องการลบใบแจ้งหนี้นี้ +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? +ConfirmUnvalidateBill=คุณแน่ใจหรือไม่ว่าต้องการเปลี่ยนใบแจ้งหนี้ %s เป็นสถานะฉบับร่าง ? +ConfirmClassifyPaidBill=คุณแน่ใจหรือไม่ว่าต้องการเปลี่ยนใบแจ้งหนี้ %s เป็นสถานะชำระแล้ว ? +ConfirmCancelBill=คุณแน่ใจหรือไม่ว่าต้องการยกเลิกใบแจ้งหนี้ %s +ConfirmCancelBillQuestion=เหตุใดคุณจึงต้องการจัดประเภทใบแจ้งหนี้นี้ว่า 'ละทิ้ง' +ConfirmClassifyPaidPartially=คุณแน่ใจหรือไม่ว่าต้องการเปลี่ยนใบแจ้งหนี้ %s เป็นสถานะชำระแล้ว ? +ConfirmClassifyPaidPartiallyQuestion=ใบแจ้งหนี้นี้ยังไม่ได้รับการชำระเงินครบถ้วน เหตุผลในการปิดใบแจ้งหนี้นี้คืออะไร? +ConfirmClassifyPaidPartiallyReasonAvoir=ยอดค้างชำระที่เหลือ (%s %s) เป็นส่วนลดที่ได้รับเนื่องจากชำระเงินก่อนกำหนด ฉันปรับภาษีมูลค่าเพิ่มให้เป็นปกติด้วยใบลดหนี้ +ConfirmClassifyPaidPartiallyReasonDiscount=ยอดค้างชำระที่เหลือ (%s %s) เป็นส่วนลดที่ได้รับเนื่องจากชำระเงินก่อนกำหนด ConfirmClassifyPaidPartiallyReasonDiscountNoVat=ยังไม่ได้ชำระ (%s %s) เป็นส่วนลดที่ได้รับเนื่องจากชำระเงินก่อนกำหนด ฉันยอมรับที่จะเสียภาษีมูลค่าเพิ่มจากส่วนลดนี้ ConfirmClassifyPaidPartiallyReasonDiscountVat=ส่วนที่เหลือค้างชำระ (%s %s) เป็นส่วนลดที่ได้รับเนื่องจากชำระเงินก่อนกำหนด ฉันขอคืนภาษีมูลค่าเพิ่มจากส่วนลดนี้โดยไม่ต้องใช้ใบลดหนี้ ConfirmClassifyPaidPartiallyReasonBadCustomer=ลูกค้าที่ไม่ดี -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) -ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax +ConfirmClassifyPaidPartiallyReasonBadSupplier=ผู้ขายที่ไม่ดี +ConfirmClassifyPaidPartiallyReasonBankCharge=หักผ่านธนาคาร (ค่าธรรมเนียมธนาคารกลาง) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=ภาษีหัก ณ ที่จ่าย ConfirmClassifyPaidPartiallyReasonProductReturned=ผลิตภัณฑ์กลับมาบางส่วน ConfirmClassifyPaidPartiallyReasonOther=จำนวนเงินที่ถูกทอดทิ้งด้วยเหตุผลอื่น ๆ -ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=This choice is possible if your invoice has been provided with suitable comments. (Example «Only the tax corresponding to the price that has been actually paid gives rights to deduction») -ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=In some countries, this choice might be possible only if your invoice contains correct notes. +ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=ตัวเลือกนี้เป็นไปได้หากใบแจ้งหนี้ของคุณได้รับความคิดเห็นที่เหมาะสม (ตัวอย่าง «เฉพาะภาษีที่สอดคล้องกับราคาที่จ่ายจริงเท่านั้นที่ให้สิทธิ์ในการหักลดหย่อน») +ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=ในบางประเทศ ตัวเลือกนี้อาจทำได้ก็ต่อเมื่อใบแจ้งหนี้ของคุณมีหมายเหตุที่ถูกต้องเท่านั้น ConfirmClassifyPaidPartiallyReasonAvoirDesc=ใช้ทางเลือกนี้ถ้าอื่น ๆ ไม่เหมาะกับ -ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=A bad customer is a customer that refuses to pay his debt. +ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=ลูกค้าที่ไม่ดี คือลูกค้าที่ปฏิเสธที่จะชำระหนี้ ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=ทางเลือกนี้จะใช้เมื่อการชำระเงินที่ไม่สมบูรณ์เพราะบางส่วนของผลิตภัณฑ์ที่ถูกส่งกลับ -ConfirmClassifyPaidPartiallyReasonBankChargeDesc=The unpaid amount is intermediary bank fees, deducted directly from the correct amount paid by the Customer. -ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax -ConfirmClassifyPaidPartiallyReasonOtherDesc=Use this choice if all others are not suitable, for example in following situation:
      - payment not complete because some products were shipped back
      - amount claimed too important because a discount was forgotten
      In all cases, amount over-claimed must be corrected in accountancy system by creating a credit note. +ConfirmClassifyPaidPartiallyReasonBankChargeDesc=จำนวนเงินที่ยังไม่ได้ชำระคือ ค่าธรรมเนียมธนาคารตัวกลาง ซึ่งหักโดยตรงจาก จำนวนเงินที่ถูกต้องที่ลูกค้าชำระ +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=จำนวนเงินที่ยังไม่ได้ชำระจะไม่ได้รับการชำระเนื่องจากเป็นภาษีหัก ณ ที่จ่าย +ConfirmClassifyPaidPartiallyReasonOtherDesc=ใช้ตัวเลือกนี้หากรายการอื่นๆ ทั้งหมดไม่เหมาะสม เช่น ในสถานการณ์ต่อไปนี้:
      - การชำระเงินไม่เสร็จสมบูรณ์เนื่องจากมีการจัดส่งผลิตภัณฑ์บางรายการส่งคืน
      - จำนวนเงินที่อ้างสิทธิ์มีความสำคัญเกินไปเนื่องจากลืมส่วนลด
      ในทุกกรณี จำนวนเงินที่อ้างสิทธิ์เกินจะต้องได้รับการแก้ไขในระบบบัญชีโดยการสร้างใบลดหนี้ +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=ซัพพลายเออร์ที่ไม่ดี คือซัพพลายเออร์ที่เราปฏิเสธที่จะจ่ายเงิน ConfirmClassifyAbandonReasonOther=อื่น ๆ ConfirmClassifyAbandonReasonOtherDesc=ทางเลือกนี้จะถูกนำมาใช้ในกรณีอื่น ๆ ตัวอย่างเช่นเพราะคุณวางแผนที่จะสร้างใบแจ้งหนี้แทน -ConfirmCustomerPayment=Do you confirm this payment input for %s %s? -ConfirmSupplierPayment=Do you confirm this payment input for %s %s? -ConfirmValidatePayment=Are you sure you want to validate this payment? No change can be made once payment is validated. +ConfirmCustomerPayment=คุณยืนยันข้อมูลการชำระเงินนี้สำหรับ %s %s? +ConfirmSupplierPayment=คุณยืนยันข้อมูลการชำระเงินนี้สำหรับ %s %s? +ConfirmValidatePayment=คุณแน่ใจหรือไม่ว่าต้องการตรวจสอบการชำระเงินนี้ ไม่สามารถเปลี่ยนแปลงได้เมื่อการชำระเงินได้รับการยืนยันแล้ว ValidateBill=ตรวจสอบใบแจ้งหนี้ -UnvalidateBill=ใบแจ้งหนี้ Unvalidate -NumberOfBills=No. of invoices -NumberOfBillsByMonth=No. of invoices per month +UnvalidateBill=Invalidate invoice +NumberOfBills=จำนวนใบแจ้งหนี้ +NumberOfBillsByMonth=จำนวนใบแจ้งหนี้ต่อเดือน AmountOfBills=จำนวนเงินของใบแจ้งหนี้ -AmountOfBillsHT=Amount of invoices (net of tax) +AmountOfBillsHT=จำนวนใบแจ้งหนี้ (สุทธิจากภาษี) AmountOfBillsByMonthHT=จำนวนเงินของใบแจ้งหนี้ตามเดือน (สุทธิจากภาษี) -UseSituationInvoices=Allow situation invoice -UseSituationInvoicesCreditNote=Allow situation invoice credit note -Retainedwarranty=Retained warranty -AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices -RetainedwarrantyDefaultPercent=Retained warranty default percent -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation -ToPayOn=To pay on %s -toPayOn=to pay on %s -RetainedWarranty=Retained Warranty -PaymentConditionsShortRetainedWarranty=Retained warranty payment terms -DefaultPaymentConditionsRetainedWarranty=Default retained warranty payment terms -setPaymentConditionsShortRetainedWarranty=Set retained warranty payment terms -setretainedwarranty=Set retained warranty -setretainedwarrantyDateLimit=Set retained warranty date limit -RetainedWarrantyDateLimit=Retained warranty date limit -RetainedWarrantyNeed100Percent=The situation invoice need to be at 100%% progress to be displayed on PDF +UseSituationInvoices=อนุญาตใบแจ้งหนี้สถานการณ์ +UseSituationInvoicesCreditNote=อนุญาตให้ใช้ใบลดหนี้ของใบแจ้งหนี้ของสถานการณ์ +Retainedwarranty=ประกันเหลือ +AllowedInvoiceForRetainedWarranty=การรับประกันที่คงเหลือใช้ได้กับใบแจ้งหนี้ประเภทต่อไปนี้ +RetainedwarrantyDefaultPercent=เปอร์เซ็นต์การผิดนัดการรับประกันที่คงเหลือ +RetainedwarrantyOnlyForSituation=ทำให้ "การรับประกันคงเหลือ" ใช้ได้กับใบแจ้งหนี้ตามสถานการณ์เท่านั้น +RetainedwarrantyOnlyForSituationFinal=ในใบแจ้งหนี้ของสถานการณ์ การหักเงิน "การรับประกันที่คงเหลือ" ทั่วโลกจะใช้เฉพาะในสถานการณ์สุดท้ายเท่านั้น +ToPayOn=วิธีชำระเงินใน %s +toPayOn=เพื่อชำระเงินใน %s +RetainedWarranty=การรับประกันที่เก็บไว้ +PaymentConditionsShortRetainedWarranty=เงื่อนไขการชำระเงินการรับประกันที่คงเหลือ +DefaultPaymentConditionsRetainedWarranty=เงื่อนไขการชำระเงินการรับประกันคงเหลือเริ่มต้น +setPaymentConditionsShortRetainedWarranty=กำหนดเงื่อนไขการชำระเงินการรับประกันที่คงอยู่ +setretainedwarranty=ตั้งประกันไว้ +setretainedwarrantyDateLimit=กำหนดขีดจำกัดวันที่รับประกันคงไว้ +RetainedWarrantyDateLimit=ขีดจำกัดวันที่รับประกันที่คงเหลือ +RetainedWarrantyNeed100Percent=ใบแจ้งหนี้ของสถานการณ์ต้องมีความคืบหน้าอยู่ที่ 100%% จึงจะแสดงบน PDF AlreadyPaid=จ่ายเงินไปแล้ว AlreadyPaidBack=จ่ายเงินไปแล้วกลับมา -AlreadyPaidNoCreditNotesNoDeposits=Already paid (without credit notes and down payments) +AlreadyPaidNoCreditNotesNoDeposits=ชำระเงินแล้ว (ไม่มีใบลดหนี้และเงินดาวน์) Abandoned=ถูกปล่อยปละละเลย RemainderToPay=ที่เหลือยังไม่ได้ชำระ -RemainderToPayMulticurrency=Remaining unpaid, original currency +RemainderToPayMulticurrency=ยอดเงินคงเหลือที่ยังไม่ได้ชำระเป็นสกุลเงินเดิม RemainderToTake=เงินส่วนที่เหลือจะใช้ -RemainderToTakeMulticurrency=Remaining amount to take, original currency -RemainderToPayBack=Remaining amount to refund -RemainderToPayBackMulticurrency=Remaining amount to refund, original currency -NegativeIfExcessRefunded=negative if excess refunded +RemainderToTakeMulticurrency=จำนวนเงินที่เหลือเป็นสกุลเงินเดิม +RemainderToPayBack=ยอดเงินคงเหลือเพื่อขอคืน +RemainderToPayBackMulticurrency=จำนวนเงินคงเหลือที่จะคืนเงินเป็นสกุลเงินเดิม +NegativeIfExcessReceived=ลบหากได้รับส่วนเกิน +NegativeIfExcessRefunded=ค่าลบหากคืนเงินส่วนเกิน +NegativeIfExcessPaid=negative if excess paid Rest=ที่รอดำเนินการ AmountExpected=จำนวนเงินที่อ้างว่า ExcessReceived=ส่วนเกินที่ได้รับ -ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received -ExcessPaid=Excess paid -ExcessPaidMulticurrency=Excess paid, original currency +ExcessReceivedMulticurrency=ได้รับส่วนเกินสกุลเงินเดิม +ExcessPaid=จ่ายเกิน +ExcessPaidMulticurrency=จ่ายเกินสกุลเงินเดิม EscompteOffered=ส่วนลดที่นำเสนอ (ชำระเงินก่อนที่จะยาว) EscompteOfferedShort=ส่วนลด SendBillRef=การส่งใบแจ้งหนี้ %s SendReminderBillRef=การส่งใบแจ้งหนี้ %s (เตือนความจำ) -SendPaymentReceipt=Submission of payment receipt %s +SendPaymentReceipt=การส่งใบเสร็จรับเงิน %s NoDraftBills=ไม่มีใบแจ้งหนี้ร่าง NoOtherDraftBills=ไม่มีใบแจ้งหนี้ร่างอื่น ๆ NoDraftInvoices=ไม่มีใบแจ้งหนี้ร่าง @@ -269,43 +273,43 @@ RemainderToBill=เพื่อเรียกเก็บเงินส่ว SendBillByMail=ส่งใบแจ้งหนี้ทางอีเมล SendReminderBillByMail=ส่งการแจ้งเตือนทางอีเมล RelatedCommercialProposals=ข้อเสนอในเชิงพาณิชย์ที่เกี่ยวข้อง -RelatedRecurringCustomerInvoices=Related recurring customer invoices +RelatedRecurringCustomerInvoices=ใบแจ้งหนี้ของลูกค้าที่เกิดซ้ำที่เกี่ยวข้อง MenuToValid=เพื่อให้ถูกต้อง -DateMaxPayment=Payment due on +DateMaxPayment=ชำระเงินครบกำหนดวันที่ DateInvoice=วันที่ใบแจ้งหนี้ -DatePointOfTax=Point of tax +DatePointOfTax=จุดเสียภาษี NoInvoice=ไม่มีใบแจ้งหนี้ -NoOpenInvoice=No open invoice -NbOfOpenInvoices=Number of open invoices +NoOpenInvoice=ไม่มีใบแจ้งหนี้ที่เปิดอยู่ +NbOfOpenInvoices=จำนวนใบแจ้งหนี้ที่เปิดอยู่ ClassifyBill=แยกประเภทใบแจ้งหนี้ -SupplierBillsToPay=Unpaid vendor invoices +SupplierBillsToPay=ใบแจ้งหนี้ของผู้ขายที่ค้างชำระ CustomerBillsUnpaid=ใบแจ้งหนี้ของลูกค้าที่ค้างชำระ NonPercuRecuperable=ไม่รับคืน -SetConditions=Set Payment Terms -SetMode=Set Payment Type -SetRevenuStamp=Set revenue stamp +SetConditions=กำหนดเงื่อนไขการชำระเงิน +SetMode=กำหนดประเภทการชำระเงิน +SetRevenuStamp=ตั้งค่าแสตมป์รายได้ Billed=การเรียกเก็บเงิน -RecurringInvoices=Recurring invoices -RecurringInvoice=Recurring invoice -RecurringInvoiceSource=Source recurring invoice +RecurringInvoices=ใบแจ้งหนี้ที่เกิดซ้ำ +RecurringInvoice=ใบแจ้งหนี้ที่เกิดซ้ำ +RecurringInvoiceSource=แหล่งที่มาของใบแจ้งหนี้ที่เกิดซ้ำ RepeatableInvoice=แม่แบบใบแจ้งหนี้ RepeatableInvoices=แม่แบบใบแจ้งหนี้ -RecurringInvoicesJob=Generation of recurring invoices (sales invoices) -RecurringSupplierInvoicesJob=Generation of recurring invoices (purchase invoices) +RecurringInvoicesJob=การสร้างใบแจ้งหนี้ที่เกิดซ้ำ (ใบแจ้งหนี้การขาย) +RecurringSupplierInvoicesJob=การสร้างใบแจ้งหนี้ที่เกิดซ้ำ (ใบแจ้งหนี้การซื้อ) Repeatable=แบบ Repeatables=แม่แบบ ChangeIntoRepeatableInvoice=แปลงเป็นแม่แบบใบแจ้งหนี้ CreateRepeatableInvoice=สร้างแม่แบบใบแจ้งหนี้ CreateFromRepeatableInvoice=สร้างจากแม่แบบใบแจ้งหนี้ -CustomersInvoicesAndInvoiceLines=Customer invoices and invoice details +CustomersInvoicesAndInvoiceLines=ใบแจ้งหนี้ของลูกค้าและรายละเอียดใบแจ้งหนี้ CustomersInvoicesAndPayments=ใบแจ้งหนี้ของลูกค้าและการชำระเงิน -ExportDataset_invoice_1=Customer invoices and invoice details +ExportDataset_invoice_1=ใบแจ้งหนี้ของลูกค้าและรายละเอียดใบแจ้งหนี้ ExportDataset_invoice_2=ใบแจ้งหนี้ของลูกค้าและการชำระเงิน ProformaBill=Proforma บิล: Reduction=การลดลง -ReductionShort=Disc. +ReductionShort=แผ่นดิสก์ Reductions=ลด -ReductionsShort=Disc. +ReductionsShort=แผ่นดิสก์ Discounts=ส่วนลด AddDiscount=สร้างส่วนลด AddRelativeDiscount=สร้างส่วนลดที่เกี่ยวข้อง @@ -314,183 +318,183 @@ AddGlobalDiscount=สร้างส่วนลดแน่นอน EditGlobalDiscounts=แก้ไขส่วนลดแน่นอน AddCreditNote=สร้างบันทึกเครดิต ShowDiscount=แสดงส่วนลด -ShowReduc=Show the discount -ShowSourceInvoice=Show the source invoice +ShowReduc=แสดงส่วนลด +ShowSourceInvoice=แสดงใบแจ้งหนี้ต้นทาง RelativeDiscount=ส่วนลดที่เกี่ยวข้อง GlobalDiscount=ลดราคาทั่วโลก CreditNote=ใบลดหนี้ CreditNotes=บันทึกเครดิต -CreditNotesOrExcessReceived=Credit notes or excess received -Deposit=Down payment -Deposits=Down payments +CreditNotesOrExcessReceived=ใบลดหนี้หรือส่วนเกินที่ได้รับ +Deposit=เงินดาวน์ +Deposits=เงินดาวน์ DiscountFromCreditNote=ส่วนลดจากใบลดหนี้ %s -DiscountFromDeposit=Down payments from invoice %s -DiscountFromExcessReceived=Payments in excess of invoice %s -DiscountFromExcessPaid=Payments in excess of invoice %s +DiscountFromDeposit=เงินดาวน์จากใบแจ้งหนี้ %s +DiscountFromExcessReceived=การชำระเงินที่เกินกว่าใบแจ้งหนี้ %s +DiscountFromExcessPaid=การชำระเงินที่เกินกว่าใบแจ้งหนี้ %s AbsoluteDiscountUse=ชนิดของเครดิตนี้สามารถใช้ในใบแจ้งหนี้ก่อนการตรวจสอบของ -CreditNoteDepositUse=Invoice must be validated to use this kind of credits +CreditNoteDepositUse=ใบแจ้งหนี้ต้องได้รับการตรวจสอบเพื่อใช้เครดิตประเภทนี้ NewGlobalDiscount=ส่วนลดใหม่แน่นอน -NewSupplierGlobalDiscount=New supplier absolute discount -NewClientGlobalDiscount=New client absolute discount +NewSupplierGlobalDiscount=ใหม่ส่วนลดซัพพลายเออร์แน่นอน +NewClientGlobalDiscount=ใหม่ส่วนลดลูกค้าแน่นอน NewRelativeDiscount=ส่วนลดญาติใหม่ -DiscountType=Discount type +DiscountType=ประเภทส่วนลด NoteReason=หมายเหตุ / เหตุผล ReasonDiscount=เหตุผล DiscountOfferedBy=ที่ได้รับจาก -DiscountStillRemaining=Discounts or credits available -DiscountAlreadyCounted=Discounts or credits already consumed -CustomerDiscounts=Customer discounts -SupplierDiscounts=Vendors discounts +DiscountStillRemaining=มีส่วนลดหรือเครดิตให้ +DiscountAlreadyCounted=ส่วนลดหรือเครดิตที่ใช้ไปแล้ว +CustomerDiscounts=ส่วนลดลูกค้า +SupplierDiscounts=ส่วนลดผู้ขาย BillAddress=ที่อยู่บิล -HelpEscompte=This discount is a discount granted to customer because payment was made before term. -HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loss. -HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by another for example) +HelpEscompte=ส่วนลดนี้เป็นส่วนลดที่มอบให้แก่ลูกค้าเนื่องจากมีการชำระเงินก่อนกำหนด +HelpAbandonBadCustomer=จำนวนนี้ถูกยกเลิก (ลูกค้ากล่าวว่าเป็นลูกค้าที่ไม่ดี) และถือเป็นการสูญเสียพิเศษ +HelpAbandonOther=จำนวนเงินนี้ถูกยกเลิกเนื่องจากเป็นข้อผิดพลาด (เช่น ลูกค้าหรือใบแจ้งหนี้ที่ไม่ถูกต้องถูกแทนที่ด้วยรายการอื่น) IdSocialContribution=สังคม / รหัสชำระภาษีการคลัง PaymentId=รหัสการชำระเงิน -PaymentRef=Payment ref. +PaymentRef=การอ้างอิงการชำระเงิน InvoiceId=รหัสใบแจ้งหนี้ InvoiceRef=อ้างอิงใบแจ้งหนี้ InvoiceDateCreation=วันที่สร้างใบแจ้งหนี้ InvoiceStatus=สถานะใบแจ้งหนี้ InvoiceNote=บันทึกใบแจ้งหนี้ InvoicePaid=ใบแจ้งหนี้การชำระเงิน -InvoicePaidCompletely=Paid completely -InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. -OrderBilled=Order billed -DonationPaid=Donation paid +InvoicePaidCompletely=ชำระเงินเรียบร้อยแล้ว +InvoicePaidCompletelyHelp=ใบแจ้งหนี้ที่ชำระครบถ้วนแล้ว ซึ่งไม่รวมใบแจ้งหนี้ที่ชำระบางส่วน หากต้องการรับรายการใบแจ้งหนี้ที่ 'ปิด' หรือไม่ 'ปิด' ทั้งหมด ควรใช้ตัวกรองสถานะใบแจ้งหนี้ +OrderBilled=เรียกเก็บเงินตามคำสั่งซื้อแล้ว +DonationPaid=บริจาคเงินแล้ว PaymentNumber=จำนวนการชำระเงิน RemoveDiscount=ลบส่วนลด WatermarkOnDraftBill=ลายน้ำในใบแจ้งหนี้ร่าง (ไม่มีอะไรถ้าว่างเปล่า) InvoiceNotChecked=ใบแจ้งหนี้ไม่ได้เลือก -ConfirmCloneInvoice=Are you sure you want to clone this invoice %s? +ConfirmCloneInvoice=คุณแน่ใจหรือไม่ว่าต้องการโคลนใบแจ้งหนี้นี้ %s DisabledBecauseReplacedInvoice=การดำเนินการปิดใช้งานเนื่องจากใบแจ้งหนี้ที่ได้รับการแทนที่ -DescTaxAndDividendsArea=This area presents a summary of all payments made for special expenses. Only records with payments during the fixed year are included here. -NbOfPayments=No. of payments +DescTaxAndDividendsArea=บริเวณนี้จะนำเสนอสรุปการชำระเงินทั้งหมดสำหรับค่าใช้จ่ายพิเศษ รวมเฉพาะบันทึกที่มีการชำระเงินระหว่างปีที่กำหนดไว้ที่นี่ +NbOfPayments=จำนวนการชำระเงิน SplitDiscount=แบ่งส่วนลดออกเป็นสองส่วน -ConfirmSplitDiscount=Are you sure you want to split this discount of %s %s into two smaller discounts? -TypeAmountOfEachNewDiscount=Input amount for each of two parts: -TotalOfTwoDiscountMustEqualsOriginal=The total of the two new discounts must be equal to the original discount amount. -ConfirmRemoveDiscount=Are you sure you want to remove this discount? +ConfirmSplitDiscount=คุณแน่ใจหรือไม่ว่าต้องการแบ่งส่วนลด %s %s เป็นส่วนลดเล็ก ๆ สองอันใช่ไหม +TypeAmountOfEachNewDiscount=จำนวนอินพุตสำหรับแต่ละสองส่วน: +TotalOfTwoDiscountMustEqualsOriginal=ผลรวมของส่วนลดใหม่สองรายการจะต้องเท่ากับจำนวนส่วนลดเดิม +ConfirmRemoveDiscount=คุณแน่ใจหรือไม่ว่าต้องการลบส่วนลดนี้ RelatedBill=ใบแจ้งหนี้ที่เกี่ยวข้อง RelatedBills=ใบแจ้งหนี้ที่เกี่ยวข้อง RelatedCustomerInvoices=ใบแจ้งหนี้ของลูกค้าที่เกี่ยวข้อง -RelatedSupplierInvoices=Related vendor invoices +RelatedSupplierInvoices=ใบแจ้งหนี้ของผู้จัดจำหน่ายที่เกี่ยวข้อง LatestRelatedBill=ใบแจ้งหนี้ที่เกี่ยวข้องล่าสุด -WarningBillExist=Warning, one or more invoices already exist +WarningBillExist=คำเตือน มีใบแจ้งหนี้อย่างน้อยหนึ่งรายการแล้ว MergingPDFTool=ผสานเครื่องมือรูปแบบไฟล์ PDF -AmountPaymentDistributedOnInvoice=Payment amount distributed on invoice -PaymentOnDifferentThirdBills=Allow payments on different third parties bills but same parent company -PaymentNote=Payment note -ListOfPreviousSituationInvoices=List of previous situation invoices -ListOfNextSituationInvoices=List of next situation invoices -ListOfSituationInvoices=List of situation invoices -CurrentSituationTotal=Total current situation -DisabledBecauseNotEnouthCreditNote=To remove a situation invoice from cycle, this invoice's credit note total must cover this invoice total -RemoveSituationFromCycle=Remove this invoice from cycle -ConfirmRemoveSituationFromCycle=Remove this invoice %s from cycle ? -ConfirmOuting=Confirm outing -FrequencyPer_d=Every %s days -FrequencyPer_m=Every %s months -FrequencyPer_y=Every %s years -FrequencyUnit=Frequency unit -toolTipFrequency=Examples:
      Set 7, Day: give a new invoice every 7 days
      Set 3, Month: give a new invoice every 3 month -NextDateToExecution=Date for next invoice generation -NextDateToExecutionShort=Date next gen. -DateLastGeneration=Date of latest generation -DateLastGenerationShort=Date latest gen. -MaxPeriodNumber=Max. number of invoice generation -NbOfGenerationDone=Number of invoice generation already done -NbOfGenerationOfRecordDone=Number of record generation already done -NbOfGenerationDoneShort=Number of generation done -MaxGenerationReached=Maximum number of generations reached -InvoiceAutoValidate=Validate invoices automatically -GeneratedFromRecurringInvoice=Generated from template recurring invoice %s -DateIsNotEnough=Date not reached yet -InvoiceGeneratedFromTemplate=Invoice %s generated from recurring template invoice %s -GeneratedFromTemplate=Generated from template invoice %s -WarningInvoiceDateInFuture=Warning, the invoice date is higher than current date -WarningInvoiceDateTooFarInFuture=Warning, the invoice date is too far from current date -ViewAvailableGlobalDiscounts=View available discounts -GroupPaymentsByModOnReports=Group payments by mode on reports +AmountPaymentDistributedOnInvoice=จำนวนเงินที่ชำระจะกระจายไปตามใบแจ้งหนี้ +PaymentOnDifferentThirdBills=อนุญาตให้ชำระเงินในใบเรียกเก็บเงินของบุคคลที่สามที่แตกต่างกันแต่บริษัทแม่เดียวกัน +PaymentNote=บันทึกการชำระเงิน +ListOfPreviousSituationInvoices=รายการใบแจ้งหนี้ของสถานการณ์ก่อนหน้า +ListOfNextSituationInvoices=รายการใบแจ้งหนี้ของสถานการณ์ถัดไป +ListOfSituationInvoices=รายการใบแจ้งหนี้ของสถานการณ์ +CurrentSituationTotal=สถานการณ์ปัจจุบันทั้งหมด +DisabledBecauseNotEnouthCreditNote=เมื่อต้องการลบใบแจ้งหนี้ของสถานการณ์ออกจากรอบ ยอดรวมใบลดหนี้ของใบแจ้งหนี้นี้ต้องครอบคลุมผลรวมของใบแจ้งหนี้นี้ +RemoveSituationFromCycle=ลบใบแจ้งหนี้นี้ออกจากวงจร +ConfirmRemoveSituationFromCycle=ลบใบแจ้งหนี้นี้ %s ออกจากวงจรหรือไม่ +ConfirmOuting=ยืนยันการออกนอกบ้าน +FrequencyPer_d=ทุก %s วัน +FrequencyPer_m=ทุก %s เดือน +FrequencyPer_y=ทุก %s ปี +FrequencyUnit=หน่วยความถี่ +toolTipFrequency=ตัวอย่าง:
      Set 7, Day: ให้ใบแจ้งหนี้ใหม่ ทุก 7 วัน
      ชุดที่ 3, เดือน: ให้ใหม่ ใบแจ้งหนี้ทุกๆ 3 เดือน +NextDateToExecution=วันที่สำหรับการสร้างใบแจ้งหนี้ครั้งถัดไป +NextDateToExecutionShort=วันที่รุ่นถัดไป +DateLastGeneration=วันที่รุ่นล่าสุด +DateLastGenerationShort=วันที่รุ่นล่าสุด +MaxPeriodNumber=สูงสุด จำนวนการสร้างใบแจ้งหนี้ +NbOfGenerationDone=จำนวนการสร้างใบแจ้งหนี้เสร็จสิ้นแล้ว +NbOfGenerationOfRecordDone=จำนวนการสร้างบันทึกที่เสร็จสิ้นแล้ว +NbOfGenerationDoneShort=จำนวนรุ่นที่ทำเสร็จแล้ว +MaxGenerationReached=ถึงจำนวนรุ่นสูงสุดแล้ว +InvoiceAutoValidate=ตรวจสอบใบแจ้งหนี้โดยอัตโนมัติ +GeneratedFromRecurringInvoice=สร้างจากเทมเพลตใบแจ้งหนี้ที่เกิดซ้ำ %s +DateIsNotEnough=ยังไม่ถึงวันที่ +InvoiceGeneratedFromTemplate=ใบแจ้งหนี้ %s ที่สร้างจากใบแจ้งหนี้เทมเพลตที่เกิดซ้ำ %s +GeneratedFromTemplate=สร้างจากเทมเพลตใบแจ้งหนี้ %s +WarningInvoiceDateInFuture=คำเตือน วันที่ในใบแจ้งหนี้สูงกว่าวันที่ปัจจุบัน +WarningInvoiceDateTooFarInFuture=คำเตือน วันที่ในใบแจ้งหนี้อยู่ไกลจากวันที่ปัจจุบันมากเกินไป +ViewAvailableGlobalDiscounts=ดูส่วนลดที่มีอยู่ +GroupPaymentsByModOnReports=จัดกลุ่มการชำระเงินตามโหมดในรายงาน # PaymentConditions Statut=สถานะ -PaymentConditionShortRECEP=Due Upon Receipt -PaymentConditionRECEP=Due Upon Receipt +PaymentConditionShortRECEP=ครบกำหนดเมื่อได้รับ +PaymentConditionRECEP=ครบกำหนดเมื่อได้รับ PaymentConditionShort30D=30 วัน PaymentCondition30D=30 วัน -PaymentConditionShort30DENDMONTH=30 days of month-end -PaymentCondition30DENDMONTH=Within 30 days following the end of the month +PaymentConditionShort30DENDMONTH=30 วันสิ้นเดือน +PaymentCondition30DENDMONTH=ภายใน 30 วัน ถัดจากสิ้นเดือน PaymentConditionShort60D=60 วัน PaymentCondition60D=60 วัน -PaymentConditionShort60DENDMONTH=60 days of month-end -PaymentCondition60DENDMONTH=Within 60 days following the end of the month +PaymentConditionShort60DENDMONTH=60 วันสิ้นเดือน +PaymentCondition60DENDMONTH=ภายใน 60 วัน ถัดจากสิ้นเดือน PaymentConditionShortPT_DELIVERY=การจัดส่งสินค้า PaymentConditionPT_DELIVERY=ในการจัดส่ง PaymentConditionShortPT_ORDER=สั่งซื้อ PaymentConditionPT_ORDER=ในการสั่งซื้อ PaymentConditionShortPT_5050=50-50 PaymentConditionPT_5050=50 %% ล่วงหน้า 50 %% ในการจัดส่ง -PaymentConditionShort10D=10 days -PaymentCondition10D=10 days -PaymentConditionShort10DENDMONTH=10 days of month-end -PaymentCondition10DENDMONTH=Within 10 days following the end of the month -PaymentConditionShort14D=14 days -PaymentCondition14D=14 days -PaymentConditionShort14DENDMONTH=14 days of month-end -PaymentCondition14DENDMONTH=Within 14 days following the end of the month -PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit -PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit, remainder on delivery -FixAmount=Fixed amount - 1 line with label '%s' +PaymentConditionShort10D=10 วัน +PaymentCondition10D=10 วัน +PaymentConditionShort10DENDMONTH=สิ้นเดือน 10 วัน +PaymentCondition10DENDMONTH=ภายใน 10 วันหลังจากสิ้นเดือน +PaymentConditionShort14D=14 วัน +PaymentCondition14D=14 วัน +PaymentConditionShort14DENDMONTH=สิ้นเดือน 14 วัน +PaymentCondition14DENDMONTH=ภายใน 14 วันหลังสิ้นเดือน +PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% เงินฝาก +PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% มัดจำ ส่วนที่เหลือในการจัดส่ง +FixAmount=จำนวนเงินคงที่ - 1 บรรทัดที่มีป้ายกำกับ '%s' VarAmount=ปริมาณ (ทีโอที %%.) -VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' -VarAmountAllLines=Variable amount (%% tot.) - all lines from origin -DepositPercent=Deposit %% -DepositGenerationPermittedByThePaymentTermsSelected=This is permitted by the payment terms selected -GenerateDeposit=Generate a %s%% deposit invoice -ValidateGeneratedDeposit=Validate the generated deposit -DepositGenerated=Deposit generated -ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=You can only automatically generate a deposit from a proposal or an order -ErrorPaymentConditionsNotEligibleToDepositCreation=The chose payment conditions are not eligible for automatic deposit generation +VarAmountOneLine=จำนวนตัวแปร (%% tot.) - 1 บรรทัดที่มีป้ายกำกับ '%s' +VarAmountAllLines=จำนวนตัวแปร (%% tot.) - บรรทัดทั้งหมดจากจุดเริ่มต้น +DepositPercent=ฝาก %% +DepositGenerationPermittedByThePaymentTermsSelected=สิ่งนี้ได้รับอนุญาตตามเงื่อนไขการชำระเงินที่เลือก +GenerateDeposit=สร้างใบแจ้งหนี้เงินฝาก %s%% +ValidateGeneratedDeposit=ตรวจสอบเงินฝากที่สร้างขึ้น +DepositGenerated=สร้างเงินฝากแล้ว +ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=คุณสามารถสร้างเงินฝากโดยอัตโนมัติจากข้อเสนอหรือคำสั่งซื้อเท่านั้น +ErrorPaymentConditionsNotEligibleToDepositCreation=เงื่อนไขการชำระเงินที่เลือกไม่มีสิทธิ์ในการสร้างเงินฝากอัตโนมัติ # PaymentType PaymentTypeVIR=โอนเงินผ่านธนาคาร PaymentTypeShortVIR=โอนเงินผ่านธนาคาร -PaymentTypePRE=Direct debit payment order -PaymentTypePREdetails=(on account %s...) -PaymentTypeShortPRE=Debit payment order +PaymentTypePRE=คำสั่งชำระเงินแบบหักบัญชีธนาคาร +PaymentTypePREdetails=(ในบัญชี %s...) +PaymentTypeShortPRE=คำสั่งจ่ายเงินเดบิต PaymentTypeLIQ=เงินสด PaymentTypeShortLIQ=เงินสด PaymentTypeCB=เครดิตการ์ด PaymentTypeShortCB=เครดิตการ์ด PaymentTypeCHQ=ตรวจสอบ PaymentTypeShortCHQ=ตรวจสอบ -PaymentTypeTIP=TIP (Documents against Payment) -PaymentTypeShortTIP=TIP Payment -PaymentTypeVAD=Online payment -PaymentTypeShortVAD=Online payment -PaymentTypeTRA=Bank draft +PaymentTypeTIP=TIP (เอกสารประกอบการชำระเงิน) +PaymentTypeShortTIP=การชำระเงินทิป +PaymentTypeVAD=ชำระเงินออนไลน์ +PaymentTypeShortVAD=ชำระเงินออนไลน์ +PaymentTypeTRA=ตั๋วแลกเงินธนาคาร PaymentTypeShortTRA=ร่าง -PaymentTypeFAC=Factor -PaymentTypeShortFAC=Factor -PaymentTypeDC=Debit/Credit Card -PaymentTypePP=PayPal +PaymentTypeFAC=ปัจจัย +PaymentTypeShortFAC=ปัจจัย +PaymentTypeDC=บัตรเดบิต/เครดิต +PaymentTypePP=เพย์พาล BankDetails=รายละเอียดธนาคาร BankCode=รหัสธนาคาร -DeskCode=Branch code +DeskCode=รหัสสาขา BankAccountNumber=เลขที่บัญชี -BankAccountNumberKey=Checksum +BankAccountNumberKey=เช็คซัม Residence=ที่อยู่ -IBANNumber=IBAN account number +IBANNumber=หมายเลขบัญชี IBAN IBAN=IBAN -CustomerIBAN=IBAN of customer -SupplierIBAN=IBAN of vendor +CustomerIBAN=IBAN ของลูกค้า +SupplierIBAN=IBAN ของผู้จัดจำหน่าย BIC=BIC / SWIFT -BICNumber=BIC/SWIFT code +BICNumber=รหัส BIC/SWIFT ExtraInfos=ข้อมูลเพิ่มเติม RegulatedOn=ในการควบคุม ChequeNumber=ตรวจสอบไม่มี° ChequeOrTransferNumber=ตรวจสอบ / โอนไม่มี° -ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer sender +ChequeBordereau=ตรวจสอบตารางเวลา +ChequeMaker=เช็ค/โอนผู้ส่ง ChequeBank=ธนาคารแห่งตรวจสอบ CheckBank=ตรวจสอบ NetToBePaid=สุทธิที่จะต้องจ่าย @@ -498,81 +502,81 @@ PhoneNumber=โทร FullPhoneNumber=โทรศัพท์ TeleFax=แฟกซ์ PrettyLittleSentence=รับจำนวนเงินของการชำระเงินเนื่องจากโดยการตรวจสอบที่ออกในชื่อของฉันเป็นสมาชิกของสมาคมการบัญชีที่ได้รับการอนุมัติโดยการบริหารการคลัง -IntracommunityVATNumber=Intra-Community VAT ID -PaymentByChequeOrderedTo=Check payments (including tax) are payable to %s, send to -PaymentByChequeOrderedToShort=Check payments (incl. tax) are payable to +IntracommunityVATNumber=หมายเลขประจำตัวผู้เสียภาษีมูลค่าเพิ่มภายในชุมชน +PaymentByChequeOrderedTo=การชำระเงินด้วยเช็ค (รวมภาษี) จะต้องชำระให้กับ %s ส่งไปที่ +PaymentByChequeOrderedToShort=การชำระเงินด้วยเช็ค (รวมภาษี) จะต้องชำระให้กับ SendTo=ส่งไปยัง -PaymentByTransferOnThisBankAccount=Payment by transfer to the following bank account +PaymentByTransferOnThisBankAccount=ชำระเงินโดยโอนเข้าบัญชีธนาคารดังต่อไปนี้ VATIsNotUsedForInvoice=* ไม่รวมภาษีมูลค่าเพิ่มบังคับศิลปะ 293B ซีจี -VATIsNotUsedForInvoiceAsso=* Non applicable VAT art-261-7 of CGI +VATIsNotUsedForInvoiceAsso=* VAT art-261-7 ของ CGI ที่ไม่เกี่ยวข้อง LawApplicationPart1=โดยการใช้กฎหมายของ 80.335 12/05/80 LawApplicationPart2=สินค้าที่ยังคงเป็นทรัพย์สินของ -LawApplicationPart3=the seller until full payment of +LawApplicationPart3=ผู้ขายจนกว่าจะชำระเงินเต็มจำนวน LawApplicationPart4=ราคาของพวกเขา LimitedLiabilityCompanyCapital=SARL ด้วยทุนของ UseLine=ใช้ UseDiscount=ใช้ส่วนลด UseCredit=ใช้บัตรเครดิต UseCreditNoteInInvoicePayment=ลดปริมาณการชำระเงินด้วยบัตรเครดิตนี้ -MenuChequeDeposits=Deposits slips +MenuChequeDeposits=สลิปเงินฝาก MenuCheques=การตรวจสอบ -MenuChequesReceipts=Deposit slips -NewChequeDeposit=New deposit slip -ChequesReceipts=Cheque deposit slips -DocumentsDepositArea=Deposit slip area -ChequesArea=Deposit slips area -ChequeDeposits=Deposit slips +MenuChequesReceipts=สลิปการฝากเงิน +NewChequeDeposit=สลิปการฝากเงินใหม่ +ChequesReceipts=ตรวจสอบสลิปการฝากเงิน +DocumentsDepositArea=พื้นที่สลิปเงินฝาก +ChequesArea=พื้นที่สลิปเงินฝาก +ChequeDeposits=สลิปการฝากเงิน Cheques=การตรวจสอบ -DepositId=Id deposit -NbCheque=Number of checks -CreditNoteConvertedIntoDiscount=This %s has been converted into %s -UsBillingContactAsIncoiveRecipientIfExist=Use contact/address with type 'billing contact' instead of third-party address as recipient for invoices +DepositId=รหัสเงินฝาก +NbCheque=จำนวนเช็ค +CreditNoteConvertedIntoDiscount=%s นี้ถูกแปลงเป็น %s +UsBillingContactAsIncoiveRecipientIfExist=ใช้ผู้ติดต่อ/ที่อยู่ที่มีประเภท 'ผู้ติดต่อสำหรับการเรียกเก็บเงิน' แทนที่อยู่บุคคลที่สามเป็นผู้รับใบแจ้งหนี้ ShowUnpaidAll=แสดงใบแจ้งหนี้ที่ค้างชำระทั้งหมด ShowUnpaidLateOnly=แสดงใบแจ้งหนี้ที่ค้างชำระปลายเท่านั้น PaymentInvoiceRef=ชำระเงินใบแจ้งหนี้ %s ValidateInvoice=ตรวจสอบใบแจ้งหนี้ -ValidateInvoices=Validate invoices +ValidateInvoices=ตรวจสอบใบแจ้งหนี้ Cash=เงินสด Reported=ล่าช้า DisabledBecausePayments=เป็นไปไม่ได้เนื่องจากมีการชำระเงินบางส่วน CantRemovePaymentWithOneInvoicePaid=ไม่สามารถลบการชำระเงินเนื่องจากมีอย่างน้อยหนึ่งใบแจ้งหนี้แยกจ่าย -CantRemovePaymentVATPaid=Can't remove payment since VAT declaration is classified paid -CantRemovePaymentSalaryPaid=Can't remove payment since salary is classified paid +CantRemovePaymentVATPaid=ไม่สามารถลบการชำระเงินได้เนื่องจากมีการจัดประเภทการสำแดง VAT แล้ว +CantRemovePaymentSalaryPaid=ไม่สามารถลบการชำระเงินได้เนื่องจากมีการจัดประเภทเงินเดือนแล้ว ExpectedToPay=การชำระเงินที่คาดว่าจะ -CantRemoveConciliatedPayment=Can't remove reconciled payment +CantRemoveConciliatedPayment=ไม่สามารถลบการชำระเงินที่ปรับยอดแล้ว PayedByThisPayment=การชำระเงินโดยการชำระเงินนี้ -ClosePaidInvoicesAutomatically=Classify automatically all standard, down payment or replacement invoices as "Paid" when payment is done entirely. -ClosePaidCreditNotesAutomatically=Classify automatically all credit notes as "Paid" when refund is done entirely. -ClosePaidContributionsAutomatically=Classify automatically all social or fiscal contributions as "Paid" when payment is done entirely. -ClosePaidVATAutomatically=Classify automatically VAT declaration as "Paid" when payment is done entirely. -ClosePaidSalaryAutomatically=Classify automatically salary as "Paid" when payment is done entirely. -AllCompletelyPayedInvoiceWillBeClosed=All invoices with no remainder to pay will be automatically closed with status "Paid". +ClosePaidInvoicesAutomatically=จัดประเภทใบแจ้งหนี้มาตรฐาน การชำระเงินดาวน์ หรือใบแจ้งหนี้ทดแทนทั้งหมดโดยอัตโนมัติเป็น "ชำระแล้ว" เมื่อชำระเงินเสร็จสิ้นแล้ว +ClosePaidCreditNotesAutomatically=จัดประเภทใบลดหนี้ทั้งหมดเป็น "ชำระแล้ว" โดยอัตโนมัติเมื่อคืนเงินเสร็จสิ้นทั้งหมด +ClosePaidContributionsAutomatically=จัดประเภทการบริจาคทางสังคมหรือการเงินทั้งหมดเป็น "ชำระแล้ว" โดยอัตโนมัติเมื่อชำระเงินเสร็จสิ้นทั้งหมด +ClosePaidVATAutomatically=จัดประเภทการสำแดง VAT โดยอัตโนมัติเป็น "ชำระแล้ว" เมื่อชำระเงินเสร็จสิ้นทั้งหมด +ClosePaidSalaryAutomatically=จัดประเภทเงินเดือนเป็น "จ่ายแล้ว" โดยอัตโนมัติเมื่อชำระเงินเสร็จสิ้นทั้งหมด +AllCompletelyPayedInvoiceWillBeClosed=ใบแจ้งหนี้ทั้งหมดที่ไม่มียอดคงเหลือที่ต้องชำระจะถูกปิดโดยอัตโนมัติโดยมีสถานะ "ชำระแล้ว" ToMakePayment=จ่ายเงิน ToMakePaymentBack=คืนทุน ListOfYourUnpaidInvoices=รายการของใบแจ้งหนี้ที่ค้างชำระ NoteListOfYourUnpaidInvoices=หมายเหตุ: รายการนี้มีเฉพาะใบแจ้งหนี้สำหรับบุคคลที่สามที่คุณเชื่อมโยงด้วยในฐานะตัวแทนฝ่ายขาย -RevenueStamp=Tax stamp -YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party -YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party -YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) -PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template -PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +RevenueStamp=แสตมป์ภาษี +YouMustCreateInvoiceFromThird=ตัวเลือกนี้ใช้ได้เฉพาะเมื่อสร้างใบแจ้งหนี้จากแท็บ "ลูกค้า" ของบุคคลที่สามเท่านั้น +YouMustCreateInvoiceFromSupplierThird=ตัวเลือกนี้ใช้ได้เฉพาะเมื่อสร้างใบแจ้งหนี้จากแท็บ "ผู้ขาย" ของบุคคลที่สามเท่านั้น +YouMustCreateStandardInvoiceFirstDesc=คุณต้องสร้างใบแจ้งหนี้มาตรฐานก่อนแล้วแปลงเป็น "เทมเพลต" เพื่อสร้างใบแจ้งหนี้เทมเพลตใหม่ +PDFCrabeDescription=เทมเพลต PDF ใบแจ้งหนี้ Crabe เทมเพลตใบแจ้งหนี้ที่สมบูรณ์ (การใช้เทมเพลต Sponge แบบเก่า) +PDFSpongeDescription=เทมเพลตใบแจ้งหนี้ PDF ฟองน้ำ เทมเพลตใบแจ้งหนี้ที่สมบูรณ์ +PDFCrevetteDescription=เทมเพลตใบแจ้งหนี้ PDF Crevette เทมเพลตใบแจ้งหนี้ที่สมบูรณ์สำหรับใบแจ้งหนี้ตามสถานการณ์ +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=มีบิลที่ขึ้นต้นด้วย $syymm อยู่แล้ว และไม่รองรับกับโมเดลลำดับนี้ ลบออกหรือเปลี่ยนชื่อเพื่อเปิดใช้งานโมดูลนี้ -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -EarlyClosingReason=Early closing reason -EarlyClosingComment=Early closing note +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +EarlyClosingReason=เหตุผลในการปิดก่อนกำหนด +EarlyClosingComment=บันทึกการปิดต้น ##### Types de contacts ##### TypeContact_facture_internal_SALESREPFOLL=แทนใบแจ้งหนี้ของลูกค้าต่อไปนี้ขึ้น TypeContact_facture_external_BILLING=ติดต่อใบแจ้งหนี้ของลูกค้า TypeContact_facture_external_SHIPPING=ติดต่อลูกค้าการจัดส่งสินค้า TypeContact_facture_external_SERVICE=ติดต่อบริการลูกค้า -TypeContact_invoice_supplier_internal_SALESREPFOLL=Representative following-up vendor invoice -TypeContact_invoice_supplier_external_BILLING=Vendor invoice contact -TypeContact_invoice_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_invoice_supplier_external_SERVICE=Vendor service contact +TypeContact_invoice_supplier_internal_SALESREPFOLL=ตัวแทนติดตามใบแจ้งหนี้ของผู้ขาย +TypeContact_invoice_supplier_external_BILLING=ติดต่อใบแจ้งหนี้ของผู้ขาย +TypeContact_invoice_supplier_external_SHIPPING=ช่องทางติดต่อจัดส่งของแม่ค้า +TypeContact_invoice_supplier_external_SERVICE=ติดต่อฝ่ายบริการผู้ขาย # Situation invoices InvoiceFirstSituationAsk=ใบแจ้งหนี้สถานการณ์แรก InvoiceFirstSituationDesc=ใบแจ้งหนี้สถานการณ์จะเชื่อมโยงกับสถานการณ์ที่เกี่ยวข้องกับความก้าวหน้าเช่นความก้าวหน้าของการก่อสร้าง สถานการณ์แต่ละครั้งจะถูกผูกติดอยู่กับใบแจ้งหนี้ @@ -584,57 +588,62 @@ SituationAmount=จำนวนใบแจ้งหนี้สถานกา SituationDeduction=ลบสถานการณ์ ModifyAllLines=การปรับเปลี่ยนสายทั้งหมด CreateNextSituationInvoice=สร้างสถานการณ์ต่อไป -ErrorFindNextSituationInvoice=Error unable to find next situation cycle ref -ErrorOutingSituationInvoiceOnUpdate=Unable to outing this situation invoice. -ErrorOutingSituationInvoiceCreditNote=Unable to outing linked credit note. -NotLastInCycle=This invoice is not the latest in cycle and must not be modified. +ErrorFindNextSituationInvoice=เกิดข้อผิดพลาดไม่พบการอ้างอิงรอบสถานการณ์ถัดไป +ErrorOutingSituationInvoiceOnUpdate=ไม่สามารถออกใบแจ้งหนี้ของสถานการณ์นี้ได้ +ErrorOutingSituationInvoiceCreditNote=ไม่สามารถออกใบลดหนี้ที่เชื่อมโยงได้ +NotLastInCycle=ใบแจ้งหนี้นี้ไม่ใช่รอบล่าสุดและต้องไม่แก้ไข DisabledBecauseNotLastInCycle=สถานการณ์ต่อไปอยู่แล้ว DisabledBecauseFinal=สถานการณ์เช่นนี้ถือเป็นที่สิ้นสุด -situationInvoiceShortcode_AS=AS +situationInvoiceShortcode_AS=เช่น situationInvoiceShortcode_S=S CantBeLessThanMinPercent=ความคืบหน้าไม่สามารถที่จะมีขนาดเล็กกว่าค่าของมันอยู่ในสถานการณ์ที่ผ่านมา NoSituations=ไม่มีสถานการณ์ที่เปิด InvoiceSituationLast=ใบแจ้งหนี้สุดท้ายและทั่วไป -PDFCrevetteSituationNumber=Situation N°%s -PDFCrevetteSituationInvoiceLineDecompte=Situation invoice - COUNT +PDFCrevetteSituationNumber=สถานการณ์ N°%s +PDFCrevetteSituationInvoiceLineDecompte=ใบแจ้งหนี้ของสถานการณ์ - COUNT PDFCrevetteSituationInvoiceTitle=ใบแจ้งหนี้สถานการณ์ -PDFCrevetteSituationInvoiceLine=Situation N°%s: Inv. N°%s on %s -TotalSituationInvoice=Total situation -invoiceLineProgressError=Invoice line progress can't be greater than or equal to the next invoice line -updatePriceNextInvoiceErrorUpdateline=Error: update price on invoice line: %s -ToCreateARecurringInvoice=To create a recurring invoice for this contract, first create this draft invoice, then convert it into an invoice template and define the frequency for generation of future invoices. -ToCreateARecurringInvoiceGene=To generate future invoices regularly and manually, just go on menu %s - %s - %s. -ToCreateARecurringInvoiceGeneAuto=If you need to have such invoices generated automatically, ask your administrator to enable and setup module %s. Note that both methods (manual and automatic) can be used together with no risk of duplication. -DeleteRepeatableInvoice=Delete template invoice -ConfirmDeleteRepeatableInvoice=Are your sure you want to delete the template invoice? -CreateOneBillByThird=Create one invoice per third party (otherwise, one invoice per selected object) -BillCreated=%s invoice(s) generated -BillXCreated=Invoice %s generated -StatusOfGeneratedDocuments=Status of document generation -DoNotGenerateDoc=Do not generate document file -AutogenerateDoc=Auto generate document file -AutoFillDateFrom=Set start date for service line with invoice date -AutoFillDateFromShort=Set start date -AutoFillDateTo=Set end date for service line with next invoice date -AutoFillDateToShort=Set end date -MaxNumberOfGenerationReached=Max number of gen. reached -BILL_DELETEInDolibarr=Invoice deleted -BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted -UnitPriceXQtyLessDiscount=Unit price x Qty - Discount -CustomersInvoicesArea=Customer billing area -SupplierInvoicesArea=Supplier billing area -SituationTotalRayToRest=Remainder to pay without taxe -PDFSituationTitle=Situation n° %d -SituationTotalProgress=Total progress %d %% -SearchUnpaidInvoicesWithDueDate=Search unpaid invoices with a due date = %s -SearchValidatedInvoicesWithDate=Search unpaid invoices with a validation date = %s -NoPaymentAvailable=No payment available for %s -PaymentRegisteredAndInvoiceSetToPaid=Payment registered and invoice %s set to paid -SendEmailsRemindersOnInvoiceDueDate=Send reminder by email for validated and unpaid invoices -MakePaymentAndClassifyPayed=Record payment -BulkPaymentNotPossibleForInvoice=Bulk payment is not possible for invoice %s (bad type or status) -MentionVATDebitOptionIsOn=Option to pay tax based on debits -MentionCategoryOfOperations=Category of operations -MentionCategoryOfOperations0=Delivery of goods -MentionCategoryOfOperations1=Provision of services -MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +PDFCrevetteSituationInvoiceLine=สถานการณ์ N°%s: ใบแจ้งหนี้ N°%s บน %s +TotalSituationInvoice=สถานการณ์โดยรวม +invoiceLineProgressError=ความคืบหน้าของรายการใบแจ้งหนี้ต้องไม่มากกว่าหรือเท่ากับรายการใบแจ้งหนี้ถัดไป +updatePriceNextInvoiceErrorUpdateline=ข้อผิดพลาด: อัปเดตราคาในบรรทัดใบแจ้งหนี้: %s +ToCreateARecurringInvoice=หากต้องการสร้างใบแจ้งหนี้ที่เกิดซ้ำสำหรับสัญญานี้ ให้สร้างใบแจ้งหนี้ฉบับร่างก่อน จากนั้นแปลงเป็นเทมเพลตใบแจ้งหนี้และกำหนดความถี่ในการสร้างใบแจ้งหนี้ในอนาคต +ToCreateARecurringInvoiceGene=หากต้องการสร้างใบแจ้งหนี้ในอนาคตอย่างสม่ำเสมอและด้วยตนเอง เพียงไปที่เมนู %s - %s span> - %s +ToCreateARecurringInvoiceGeneAuto=หากคุณต้องการให้สร้างใบแจ้งหนี้ดังกล่าวโดยอัตโนมัติ โปรดขอให้ผู้ดูแลระบบของคุณเปิดใช้งานและตั้งค่าโมดูล %s. โปรดทราบว่าทั้งสองวิธี (ด้วยตนเองและอัตโนมัติ) สามารถใช้ร่วมกันได้โดยไม่มีความเสี่ยงที่จะทำซ้ำ +DeleteRepeatableInvoice=ลบใบแจ้งหนี้เทมเพลต +ConfirmDeleteRepeatableInvoice=คุณแน่ใจหรือไม่ว่าต้องการลบเทมเพลตใบแจ้งหนี้ +CreateOneBillByThird=สร้างใบแจ้งหนี้หนึ่งใบต่อบุคคลที่สาม (มิฉะนั้น หนึ่งใบแจ้งหนี้ต่อออบเจ็กต์ที่เลือก) +BillCreated=สร้างใบแจ้งหนี้ %s แล้ว +BillXCreated=สร้างใบแจ้งหนี้แล้ว %s +StatusOfGeneratedDocuments=สถานะของการสร้างเอกสาร +DoNotGenerateDoc=อย่าสร้างไฟล์เอกสาร +AutogenerateDoc=สร้างไฟล์เอกสารอัตโนมัติ +AutoFillDateFrom=กำหนดวันที่เริ่มต้นสำหรับรายการบริการพร้อมวันที่ในใบแจ้งหนี้ +AutoFillDateFromShort=ตั้งวันที่เริ่มต้น +AutoFillDateTo=กำหนดวันที่สิ้นสุดสำหรับรายการบริการด้วยวันที่ในใบแจ้งหนี้ถัดไป +AutoFillDateToShort=กำหนดวันที่สิ้นสุด +MaxNumberOfGenerationReached=จำนวนเจนสูงสุด ถึง +BILL_DELETEInDolibarr=ลบใบแจ้งหนี้แล้ว +BILL_SUPPLIER_DELETEInDolibarr=ลบใบแจ้งหนี้ของซัพพลายเออร์แล้ว +UnitPriceXQtyLessDiscount=ราคาต่อหน่วย x จำนวน - ส่วนลด +CustomersInvoicesArea=พื้นที่การเรียกเก็บเงินของลูกค้า +SupplierInvoicesArea=พื้นที่การเรียกเก็บเงินของซัพพลายเออร์ +SituationTotalRayToRest=ส่วนที่เหลือชำระโดยไม่ต้องเสียภาษี +PDFSituationTitle=สถานการณ์ n° %d +SituationTotalProgress=ความคืบหน้าทั้งหมด %d %% +SearchUnpaidInvoicesWithDueDate=ค้นหาใบแจ้งหนี้ที่ยังไม่ได้ชำระโดยมีวันครบกำหนด = %s +SearchValidatedInvoicesWithDate=ค้นหาใบแจ้งหนี้ที่ยังไม่ได้ชำระด้วยวันที่ตรวจสอบความถูกต้อง = %s +NoPaymentAvailable=ไม่มีการชำระเงินสำหรับ %s +PaymentRegisteredAndInvoiceSetToPaid=การชำระเงินที่ลงทะเบียนแล้วและใบแจ้งหนี้ %s ตั้งค่าเป็นชำระเงินแล้ว +SendEmailsRemindersOnInvoiceDueDate=ส่งการแจ้งเตือนทางอีเมลสำหรับใบแจ้งหนี้ที่ตรวจสอบแล้วและยังไม่ได้ชำระเงิน +MakePaymentAndClassifyPayed=บันทึกการชำระเงิน +BulkPaymentNotPossibleForInvoice=ไม่สามารถชำระเงินจำนวนมากสำหรับใบแจ้งหนี้ %s (ประเภทหรือสถานะไม่ถูกต้อง) +MentionVATDebitOptionIsOn=ตัวเลือกในการชำระภาษีตามเดบิต +MentionCategoryOfOperations=ประเภทของการดำเนินงาน +MentionCategoryOfOperations0=จัดส่งสินค้า +MentionCategoryOfOperations1=การให้บริการ +MentionCategoryOfOperations2=ผสม - การส่งมอบสินค้าและบริการ +Salaries=เงินเดือน +InvoiceSubtype=ประเภทย่อยของใบแจ้งหนี้ +SalaryInvoice=เงินเดือน +BillsAndSalaries=ตั๋วเงินและเงินเดือน +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/th_TH/cashdesk.lang b/htdocs/langs/th_TH/cashdesk.lang index 92a894045ee..317950e47c3 100644 --- a/htdocs/langs/th_TH/cashdesk.lang +++ b/htdocs/langs/th_TH/cashdesk.lang @@ -14,9 +14,9 @@ ShoppingCart=รถเข็น NewSell=ขายใหม่ AddThisArticle=เพิ่มบทความนี้ RestartSelling=กลับไปขาย -SellFinished=Sale complete +SellFinished=ขายเสร็จแล้ว PrintTicket=ตั๋วพิมพ์ -SendTicket=Send ticket +SendTicket=ส่งตั๋ว NoProductFound=บทความไม่พบ ProductFound=สินค้าที่พบ NoArticle=บทความไม่มี @@ -26,111 +26,130 @@ Difference=ข้อแตกต่าง TotalTicket=ตั๋วทั้งหมด NoVAT=ภาษีมูลค่าเพิ่มสำหรับการขายนี้ไม่มี Change=ส่วนเกินที่ได้รับ -BankToPay=Account for payment +BankToPay=บัญชีสำหรับการชำระเงิน ShowCompany=แสดง บริษัท ShowStock=แสดงคลังสินค้า DeleteArticle=คลิกเพื่อลบบทความนี้ FilterRefOrLabelOrBC=ค้นหา (Ref / ป้าย) -UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. -DolibarrReceiptPrinter=Dolibarr Receipt Printer -PointOfSale=Point of Sale -PointOfSaleShort=POS -CloseBill=Close Bill -Floors=Floors -Floor=Floor -AddTable=Add table -Place=Place -TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) -NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser -SearchProduct=Search product +UserNeedPermissionToEditStockToUsePos=คุณขอให้ลดสต็อกในการสร้างใบแจ้งหนี้ ดังนั้นผู้ใช้ที่ใช้ POS จำเป็นต้องมีสิทธิ์ในการแก้ไขสต็อก +DolibarrReceiptPrinter=เครื่องพิมพ์ใบเสร็จ Dolibarr +PointOfSale=จุดขาย +PointOfSaleShort=จุดขาย +CloseBill=ปิดบิล +Floors=พื้น +Floor=พื้น +AddTable=เพิ่มตาราง +Place=สถานที่ +TakeposConnectorNecesary=จำเป็นต้องมี 'ตัวเชื่อมต่อ TakePOS' +OrderPrinters=เพิ่มปุ่มเพื่อส่งคำสั่งซื้อไปยังเครื่องพิมพ์ที่กำหนดโดยไม่ต้องชำระเงิน (เช่น ส่งคำสั่งซื้อไปที่ครัว) +NotAvailableWithBrowserPrinter=ไม่สามารถใช้งานได้เมื่อตั้งค่าเครื่องพิมพ์สำหรับใบเสร็จเป็นเบราว์เซอร์ +SearchProduct=ค้นหาผลิตภัณฑ์ Receipt=ใบเสร็จรับเงิน -Header=Header -Footer=Footer -AmountAtEndOfPeriod=Amount at end of period (day, month or year) -TheoricalAmount=Theorical amount -RealAmount=Real amount -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period +Header=หัวข้อ +Footer=ส่วนท้าย +AmountAtEndOfPeriod=จำนวนเงิน ณ สิ้นงวด (วัน เดือน หรือปี) +TheoricalAmount=ปริมาณทางทฤษฎี +RealAmount=จำนวนจริง +CashFence=การปิดกล่องเงินสด +CashFenceDone=ปิดกล่องเงินสดสำหรับงวดแล้ว NbOfInvoices=nb ของใบแจ้งหนี้ -Paymentnumpad=Type of Pad to enter payment -Numberspad=Numbers Pad -BillsCoinsPad=Coins and banknotes Pad -DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work -TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work -OrderNotes=Can add some notes to each ordered items -CashDeskBankAccountFor=Default account to use for payments in -NoPaimementModesDefined=No paiment mode defined in TakePOS configuration -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts -EnableBarOrRestaurantFeatures=Enable features for Bar or Restaurant -ConfirmDeletionOfThisPOSSale=Do your confirm the deletion of this current sale ? -ConfirmDiscardOfThisPOSSale=Do you want to discard this current sale ? +Paymentnumpad=ประเภทของ Pad ที่จะเข้าสู่การชำระเงิน +Numberspad=แป้นตัวเลข +BillsCoinsPad=แผ่นรองเหรียญและธนบัตร +DolistorePosCategory=โมดูล TakePOS และโซลูชัน POS อื่น ๆ สำหรับ Dolibarr +TakeposNeedsCategories=TakePOS ต้องการผลิตภัณฑ์อย่างน้อยหนึ่งหมวดหมู่จึงจะใช้งานได้ +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS ต้องการอย่างน้อย 1 หมวดหมู่ผลิตภัณฑ์ภายใต้หมวดหมู่ %s เพื่อ งาน +OrderNotes=สามารถเพิ่มบันทึกลงในแต่ละรายการที่สั่งซื้อได้ +CashDeskBankAccountFor=บัญชีเริ่มต้นที่จะใช้สำหรับการชำระเงิน +NoPaimementModesDefined=ไม่มีโหมดการชำระเงินที่กำหนดไว้ในการกำหนดค่า TakePOS +TicketVatGrouped=จัดกลุ่ม VAT ตามอัตราในตั๋ว|ใบเสร็จรับเงิน +AutoPrintTickets=พิมพ์ตั๋ว | ใบเสร็จรับเงินอัตโนมัติ +PrintCustomerOnReceipts=พิมพ์ลูกค้าบนตั๋ว|ใบเสร็จรับเงิน +EnableBarOrRestaurantFeatures=เปิดใช้งานคุณสมบัติสำหรับบาร์หรือร้านอาหาร +ConfirmDeletionOfThisPOSSale=คุณยืนยันการลบการขายปัจจุบันนี้หรือไม่? +ConfirmDiscardOfThisPOSSale=คุณต้องการยกเลิกการขายปัจจุบันนี้หรือไม่ History=ประวัติศาสตร์ -ValidateAndClose=Validate and close -Terminal=Terminal -NumberOfTerminals=Number of Terminals -TerminalSelect=Select terminal you want to use: -POSTicket=POS Ticket -POSTerminal=POS Terminal -POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones -SetupOfTerminalNotComplete=Setup of terminal %s is not complete -DirectPayment=Direct payment -DirectPaymentButton=Add a "Direct cash payment" button -InvoiceIsAlreadyValidated=Invoice is already validated -NoLinesToBill=No lines to bill -CustomReceipt=Custom Receipt -ReceiptName=Receipt Name -ProductSupplements=Manage supplements of products -SupplementCategory=Supplement category -ColorTheme=Color theme -Colorful=Colorful -HeadBar=Head Bar -SortProductField=Field for sorting products +ValidateAndClose=ตรวจสอบและปิด +Terminal=เทอร์มินัล +NumberOfTerminals=จำนวนเทอร์มินัล +TerminalSelect=เลือกเทอร์มินัลที่คุณต้องการใช้: +POSTicket=ตั๋ว POS +POSTerminal=เครื่อง POS +POSModule=โมดูล POS +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) +SetupOfTerminalNotComplete=การตั้งค่าเทอร์มินัล %s ไม่สมบูรณ์ +DirectPayment=ชำระเงินโดยตรง +DirectPaymentButton=เพิ่มปุ่ม "ชำระเงินสดโดยตรง" +InvoiceIsAlreadyValidated=ใบแจ้งหนี้ได้รับการตรวจสอบแล้ว +NoLinesToBill=ไม่มีบรรทัดที่จะเรียกเก็บเงิน +CustomReceipt=ใบเสร็จรับเงินแบบกำหนดเอง +ReceiptName=ชื่อใบเสร็จรับเงิน +ProductSupplements=จัดการผลิตภัณฑ์เสริมอาหาร +SupplementCategory=หมวดอาหารเสริม +ColorTheme=ธีมสี +Colorful=สีสัน +HeadBar=เฮดบาร์ +SortProductField=ช่องสำหรับจัดเรียงสินค้า Browser=เบราว์เซอร์ -BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. -PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad -CashDeskRefNumberingModules=Numbering module for POS sales -CashDeskGenericMaskCodes6 =
      {TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -SaleStartedAt=Sale started at %s -ControlCashOpening=Open the "Control cash" popup when opening the POS -CloseCashFence=Close cash desk control -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use -BarRestaurant=Bar Restaurant -AutoOrder=Order by the customer himself -RestaurantMenu=Menu -CustomerMenu=Customer menu -ScanToMenu=Scan QR code to see the menu -ScanToOrder=Scan QR code to order -Appearance=Appearance -HideCategoryImages=Hide Category Images -HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show -DefineTablePlan=Define tables plan -GiftReceiptButton=Add a "Gift receipt" button -GiftReceipt=Gift receipt -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first -AllowDelayedPayment=Allow delayed payment -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts -WeighingScale=Weighing scale -ShowPriceHT = Display the column with the price excluding tax (on screen) -ShowPriceHTOnReceipt = Display the column with the price excluding tax (on the receipt) -CustomerDisplay=Customer display -SplitSale=Split sale -PrintWithoutDetailsButton=Add "Print without details" button -PrintWithoutDetailsLabelDefault=Line label by default on printing without details -PrintWithoutDetails=Print without details -YearNotDefined=Year is not defined +BrowserMethodDescription=การพิมพ์ใบเสร็จที่ง่ายและสะดวก มีพารามิเตอร์เพียงไม่กี่ตัวในการกำหนดค่าใบเสร็จรับเงิน พิมพ์ผ่านเบราว์เซอร์ +TakeposConnectorMethodDescription=โมดูลภายนอกพร้อมคุณสมบัติพิเศษ ความสามารถในการพิมพ์จากระบบคลาวด์ +PrintMethod=วิธีการพิมพ์ +ReceiptPrinterMethodDescription=วิธีการอันทรงพลังพร้อมพารามิเตอร์มากมาย ปรับแต่งได้เต็มที่ด้วยเทมเพลต เซิร์ฟเวอร์ที่โฮสต์แอปพลิเคชันไม่สามารถอยู่ในคลาวด์ (ต้องสามารถเข้าถึงเครื่องพิมพ์ในเครือข่ายของคุณ) +ByTerminal=โดยเทอร์มินัล +TakeposNumpadUsePaymentIcon=ใช้ไอคอนแทนข้อความบนปุ่มชำระเงินของ numpad +CashDeskRefNumberingModules=โมดูลการกำหนดหมายเลขสำหรับการขาย POS +CashDeskGenericMaskCodes6 =
      {TN}
      ใช้แท็กเพื่อเพิ่มหมายเลขเทอร์มินัล +TakeposGroupSameProduct=Merge lines of the same products +StartAParallelSale=เริ่มการขายแบบคู่ขนานใหม่ +SaleStartedAt=เริ่มขายที่ %s +ControlCashOpening=เปิดป๊อปอัป "ควบคุมกล่องเงินสด" เมื่อเปิด POS +CloseCashFence=ปิดการควบคุมกล่องเงินสด +CashReport=รายงานเงินสด +MainPrinterToUse=เครื่องพิมพ์หลักที่จะใช้ +OrderPrinterToUse=สั่งเครื่องพิมพ์มาใช้ +MainTemplateToUse=เทมเพลตหลักที่จะใช้ +OrderTemplateToUse=สั่งแม่แบบไปใช้ +BarRestaurant=ร้านอาหารบาร์ +AutoOrder=ลูกค้าสั่งเอง +RestaurantMenu=เมนู +CustomerMenu=เมนูลูกค้า +ScanToMenu=สแกนรหัส QR เพื่อดูเมนู +ScanToOrder=สแกนรหัส QR เพื่อสั่งซื้อ +Appearance=รูปร่าง +HideCategoryImages=ซ่อนรูปภาพหมวดหมู่ +HideProductImages=ซ่อนรูปภาพสินค้า +NumberOfLinesToShow=จำนวนบรรทัดข้อความสูงสุดที่จะแสดงบนภาพขนาดย่อ +DefineTablePlan=กำหนดแผนตาราง +GiftReceiptButton=เพิ่มปุ่ม "ใบเสร็จรับเงินของขวัญ" +GiftReceipt=ใบเสร็จรับเงินของขวัญ +ModuleReceiptPrinterMustBeEnabled=ต้องเปิดใช้งานเครื่องพิมพ์ใบเสร็จโมดูลก่อน +AllowDelayedPayment=อนุญาตให้ชำระเงินล่าช้า +PrintPaymentMethodOnReceipts=พิมพ์วิธีการชำระเงินบนตั๋ว|ใบเสร็จรับเงิน +WeighingScale=เครื่องชั่งน้ำหนัก +ShowPriceHT = แสดงคอลัมน์ราคาไม่รวมภาษี (บนหน้าจอ) +ShowPriceHTOnReceipt = แสดงคอลัมน์ราคาไม่รวมภาษี (บนใบเสร็จรับเงิน) +CustomerDisplay=การแสดงของลูกค้า +SplitSale=แยกขาย +PrintWithoutDetailsButton=เพิ่มปุ่ม "พิมพ์โดยไม่มีรายละเอียด" +PrintWithoutDetailsLabelDefault=ป้ายกำกับเส้นตามค่าเริ่มต้นในการพิมพ์โดยไม่มีรายละเอียด +PrintWithoutDetails=พิมพ์โดยไม่มีรายละเอียด +YearNotDefined=ไม่ได้กำหนดปี +TakeposBarcodeRuleToInsertProduct=กฎบาร์โค้ดในการใส่สินค้า +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=พิมพ์ไปแล้ว +HideCategories=ซ่อนการเลือกหมวดหมู่ทั้งส่วน +HideStockOnLine=ซ่อนหุ้นออนไลน์ +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=แสดงข้อมูลอ้างอิงหรือฉลากของผลิตภัณฑ์ +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=เทอร์มินัล %s +TerminalNameDesc=ชื่อเทอร์มินัล +DefaultPOSThirdLabel=ลูกค้าทั่วไป TakePOS +DefaultPOSCatLabel=ผลิตภัณฑ์ระบบขายหน้าร้าน (POS) +DefaultPOSProductLabel=ตัวอย่างสินค้า TakePOS +TakeposNeedsPayment=TakePOS ต้องการวิธีการชำระเงินจึงจะใช้งานได้ คุณต้องการสร้างวิธีการชำระเงิน 'เงินสด' หรือไม่? +LineDiscount=ส่วนลดไลน์ +LineDiscountShort=ไลน์ดิส. +InvoiceDiscount=ส่วนลดใบแจ้งหนี้ +InvoiceDiscountShort=แผ่นดิสก์ใบแจ้งหนี้ diff --git a/htdocs/langs/th_TH/categories.lang b/htdocs/langs/th_TH/categories.lang index bd257759674..bc2d546739b 100644 --- a/htdocs/langs/th_TH/categories.lang +++ b/htdocs/langs/th_TH/categories.lang @@ -1,25 +1,25 @@ # Dolibarr language file - Source file is en_US - categories Rubrique=Tag / หมวดหมู่ Rubriques=แท็ก / หมวดหมู่ -RubriquesTransactions=Tags/Categories of transactions +RubriquesTransactions=แท็ก/หมวดหมู่ธุรกรรม categories=แท็ก / ประเภท -NoCategoryYet=No tag/category of this type has been created +NoCategoryYet=ไม่มีการสร้างแท็ก/หมวดหมู่ประเภทนี้ In=ใน AddIn=เพิ่มใน modify=แก้ไข Classify=แยกประเภท CategoriesArea=แท็ก / พื้นที่หมวดหมู่ -ProductsCategoriesArea=Product/Service tags/categories area -SuppliersCategoriesArea=Vendor tags/categories area -CustomersCategoriesArea=Customer tags/categories area -MembersCategoriesArea=Member tags/categories area -ContactsCategoriesArea=Contact tags/categories area -AccountsCategoriesArea=Bank account tags/categories area -ProjectsCategoriesArea=Project tags/categories area -UsersCategoriesArea=User tags/categories area -SubCats=Sub-categories +ProductsCategoriesArea=ป้ายสินค้า/บริการ/หมวดหมู่สินค้า +SuppliersCategoriesArea=แท็กผู้ขาย/พื้นที่หมวดหมู่ +CustomersCategoriesArea=แท็กลูกค้า/พื้นที่หมวดหมู่ +MembersCategoriesArea=แท็กสมาชิก/พื้นที่หมวดหมู่ +ContactsCategoriesArea=แท็กติดต่อ/พื้นที่หมวดหมู่ +AccountsCategoriesArea=แท็กบัญชีธนาคาร/หมวดหมู่พื้นที่ +ProjectsCategoriesArea=แท็กโครงการ/พื้นที่หมวดหมู่ +UsersCategoriesArea=แท็กผู้ใช้/พื้นที่หมวดหมู่ +SubCats=หมวดหมู่ย่อย CatList=รายการของแท็ก / ประเภท -CatListAll=List of tags/categories (all types) +CatListAll=รายการแท็ก/หมวดหมู่ (ทุกประเภท) NewCategory=แท็กใหม่ / หมวดหมู่ ModifCat=ปรับเปลี่ยนแท็ก / หมวดหมู่ CatCreated=Tag / สร้างหมวดหมู่ @@ -28,78 +28,79 @@ CreateThisCat=สร้างแท็กนี้ / หมวดหมู่ NoSubCat=ไม่มีหมวดหมู่ SubCatOf=ประเภทย่อย FoundCats=พบแท็ก / ประเภท -ImpossibleAddCat=Impossible to add the tag/category %s +ImpossibleAddCat=ไม่สามารถเพิ่มแท็ก/หมวดหมู่ %s WasAddedSuccessfully=%s ถูกเพิ่มเรียบร้อยแล้ว ObjectAlreadyLinkedToCategory=องค์ประกอบที่มีการเชื่อมโยงกับแท็กนี้ / หมวดหมู่ ProductIsInCategories=สินค้า / บริการที่มีการเชื่อมโยงต่อไปนี้แท็ก / ประเภท CompanyIsInCustomersCategories=บุคคลที่สามนี้มีการเชื่อมโยงต่อกับ ลูกค้า / ลูกค้าเป้าหมาย แท็ก / ประเภท นี้ -CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories +CompanyIsInSuppliersCategories=บุคคลที่สามนี้เชื่อมโยงกับแท็ก/หมวดหมู่ผู้ขายต่อไปนี้ MemberIsInCategories=สมาชิกนี้จะถูกเชื่อมโยงกับสมาชิกต่อไปนี้แท็ก / ประเภท ContactIsInCategories=ติดต่อนี้มีการเชื่อมโยงต่อไปนี้แท็กรายชื่อ / ประเภท ProductHasNoCategory=สินค้า/บริการนี้ไม่อยู่ในแท็ก/หมวดหมู่ใดๆ -CompanyHasNoCategory=This third party is not in any tags/categories +CompanyHasNoCategory=บุคคลที่สามนี้ไม่ได้อยู่ในแท็ก/หมวดหมู่ใดๆ MemberHasNoCategory=สมาชิกท่านนี้ไม่ได้อยู่ในแท็กใด ๆ / ประเภท ContactHasNoCategory=ติดต่อนี้ไม่ได้อยู่ในแท็กใด ๆ / ประเภท -ProjectHasNoCategory=This project is not in any tags/categories +ProjectHasNoCategory=โครงการนี้ไม่ได้อยู่ในแท็ก/หมวดหมู่ใด ๆ ClassifyInCategory=เพิ่มแท็ก / หมวดหมู่ -RemoveCategory=Remove category +RemoveCategory=ลบหมวดหมู่ NotCategorized=โดยไม่ต้องแท็ก / หมวดหมู่ CategoryExistsAtSameLevel=ประเภทนี้มีอยู่แล้วที่มีการอ้างอิงนี้ ContentsVisibleByAllShort=เนื้อหาที่มองเห็นได้โดยทั้งหมด ContentsNotVisibleByAllShort=ไม่สามารถมองเห็นเนื้อหาโดยทั้งหมด DeleteCategory=ลบแท็ก / หมวดหมู่ -ConfirmDeleteCategory=Are you sure you want to delete this tag/category? +ConfirmDeleteCategory=คุณแน่ใจหรือไม่ว่าต้องการลบแท็ก/หมวดหมู่นี้ NoCategoriesDefined=ไม่มีแท็ก / หมวดหมู่ที่กำหนดไว้ -SuppliersCategoryShort=Vendors tag/category +SuppliersCategoryShort=แท็กผู้ขาย/หมวดหมู่ CustomersCategoryShort=ลูกค้าแท็ก / หมวดหมู่ ProductsCategoryShort=แท็กสินค้า / หมวดหมู่ MembersCategoryShort=แท็กสมาชิก / หมวดหมู่ -SuppliersCategoriesShort=Vendors tags/categories +SuppliersCategoriesShort=แท็ก/หมวดหมู่ผู้ขาย CustomersCategoriesShort=ลูกค้าแท็ก / ประเภท -ProspectsCategoriesShort=Prospects tags/categories -CustomersProspectsCategoriesShort=Cust./Prosp. tags/categories +ProspectsCategoriesShort=แท็ก/หมวดหมู่กลุ่มเป้าหมาย +CustomersProspectsCategoriesShort=ลูกค้า/พรอส. แท็ก/หมวดหมู่ ProductsCategoriesShort=แท็กสินค้า / ประเภท MembersCategoriesShort=แท็กสมาชิก / ประเภท ContactCategoriesShort=แท็กติดต่อ / ประเภท -AccountsCategoriesShort=Accounts tags/categories -ProjectsCategoriesShort=Projects tags/categories -UsersCategoriesShort=Users tags/categories -StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoItems=This category does not contain any items. +AccountsCategoriesShort=แท็ก/หมวดหมู่บัญชี +ProjectsCategoriesShort=แท็กโครงการ/หมวดหมู่ +UsersCategoriesShort=แท็ก/หมวดหมู่ผู้ใช้ +StockCategoriesShort=แท็ก/หมวดหมู่คลังสินค้า +ThisCategoryHasNoItems=หมวดหมู่นี้ไม่มีรายการใดๆ CategId=Tag / รหัสหมวดหมู่ -ParentCategory=Parent tag/category -ParentCategoryID=ID of parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories +ParentCategory=แท็กหลัก/หมวดหมู่ +ParentCategoryID=รหัสของแท็กหลัก/หมวดหมู่ +ParentCategoryLabel=ป้ายกำกับของแท็กหลัก/หมวดหมู่ +CatSupList=รายชื่อแท็ก/หมวดหมู่ผู้ขาย +CatCusList=รายชื่อลูกค้า/ผู้มีแนวโน้มจะเป็นลูกค้า แท็ก/หมวดหมู่ CatProdList=รายการของแท็ก / ผลิตภัณฑ์ประเภท CatMemberList=รายชื่อสมาชิกแท็ก / ประเภท -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories +CatContactList=รายการแท็ก/หมวดหมู่ผู้ติดต่อ +CatProjectsList=รายการแท็ก/หมวดหมู่โครงการ +CatUsersList=รายชื่อแท็ก/หมวดหมู่ผู้ใช้ +CatSupLinks=การเชื่อมโยงระหว่างผู้ขายและแท็ก/หมวดหมู่ CatCusLinks=การเชื่อมโยงระหว่างลูกค้า / ลูกค้าเป้าหมาย และ แท็ก / ประเภท -CatContactsLinks=Links between contacts/addresses and tags/categories +CatContactsLinks=การเชื่อมโยงระหว่างผู้ติดต่อ/ที่อยู่ และแท็ก/หมวดหมู่ CatProdLinks=การเชื่อมโยงระหว่างผลิตภัณฑ์ / บริการและแท็ก / ประเภท CatMembersLinks=การเชื่อมโยงระหว่างสมาชิกและแท็ก / ประเภท -CatProjectsLinks=Links between projects and tags/categories -CatUsersLinks=Links between users and tags/categories +CatProjectsLinks=ลิงก์ระหว่างโครงการและแท็ก/หมวดหมู่ +CatUsersLinks=การเชื่อมโยงระหว่างผู้ใช้และแท็ก/หมวดหมู่ DeleteFromCat=ลบออกจากแท็ก / หมวดหมู่ ExtraFieldsCategories=คุณลักษณะที่สมบูรณ์ CategoriesSetup=แท็ก / ประเภทการติดตั้ง CategorieRecursiv=การเชื่อมโยงที่มีแท็กแม่ / หมวดหมู่โดยอัตโนมัติ -CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. -AddProductServiceIntoCategory=Assign category to the product/service -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier -AssignCategoryTo=Assign category to +CategorieRecursivHelp=หากเปิดตัวเลือกไว้ เมื่อคุณเพิ่มออบเจ็กต์ลงในหมวดหมู่ย่อย ออบเจ็กต์นั้นจะถูกเพิ่มลงในหมวดหมู่หลักด้วย +AddProductServiceIntoCategory=กำหนดหมวดหมู่ให้กับสินค้า/บริการ +AddCustomerIntoCategory=กำหนดหมวดหมู่ให้กับลูกค้า +AddSupplierIntoCategory=กำหนดหมวดหมู่ให้กับซัพพลายเออร์ +AssignCategoryTo=กำหนดหมวดหมู่ให้กับ ShowCategory=แสดงแท็ก / หมวดหมู่ ByDefaultInList=โดยค่าเริ่มต้นในรายการ -ChooseCategory=Choose category -StocksCategoriesArea=Warehouse Categories -TicketsCategoriesArea=Tickets Categories -ActionCommCategoriesArea=Event Categories -WebsitePagesCategoriesArea=Page-Container Categories -KnowledgemanagementsCategoriesArea=KM article Categories -UseOrOperatorForCategories=Use 'OR' operator for categories -AddObjectIntoCategory=Assign the category +ChooseCategory=เลือกหมวดหมู่ +StocksCategoriesArea=หมวดหมู่คลังสินค้า +TicketsCategoriesArea=หมวดหมู่ตั๋ว +ActionCommCategoriesArea=หมวดหมู่เหตุการณ์ +WebsitePagesCategoriesArea=หมวดหมู่เพจคอนเทนเนอร์ +KnowledgemanagementsCategoriesArea=หมวดหมู่บทความ KM +UseOrOperatorForCategories=ใช้ตัวดำเนินการ 'OR' สำหรับหมวดหมู่ +AddObjectIntoCategory=กำหนดให้กับหมวดหมู่ +Position=ตำแหน่ง diff --git a/htdocs/langs/th_TH/holiday.lang b/htdocs/langs/th_TH/holiday.lang index b07d0d8a258..3a0b673008e 100644 --- a/htdocs/langs/th_TH/holiday.lang +++ b/htdocs/langs/th_TH/holiday.lang @@ -1,12 +1,12 @@ # Dolibarr language file - Source file is en_US - holiday HRM=ระบบบริหารจัดการทรัพยากรบุคคล -Holidays=Leaves -Holiday=Leave -CPTitreMenu=Leave +Holidays=ออกจาก +Holiday=ออกจาก +CPTitreMenu=ออกจาก MenuReportMonth=คำสั่งรายเดือน MenuAddCP=คำขอลาใหม่ -MenuCollectiveAddCP=New collective leave request -NotActiveModCP=You must enable the module Leave to view this page. +MenuCollectiveAddCP=New collective leave +NotActiveModCP=คุณต้องเปิดใช้งานโมดูล ลา เพื่อดูหน้านี้ AddCP=ขอลา DateDebCP=วันที่เริ่มต้น DateFinCP=วันที่สิ้นสุด @@ -15,21 +15,21 @@ ToReviewCP=รอการอนุมัติ ApprovedCP=ได้รับการอนุมัติ CancelCP=ยกเลิก RefuseCP=ปฏิเสธ -ValidatorCP=Approver -ListeCP=List of leave +ValidatorCP=ผู้อนุมัติ +ListeCP=รายการลา Leave=คำขอฝาก -LeaveId=Leave ID -ReviewedByCP=Will be approved by -UserID=User ID -UserForApprovalID=User for approval ID -UserForApprovalFirstname=First name of approval user -UserForApprovalLastname=Last name of approval user -UserForApprovalLogin=Login of approval user +LeaveId=ทิ้งไอดีไว้ +ReviewedByCP=จะได้รับการอนุมัติจาก +UserID=รหัสผู้ใช้ +UserForApprovalID=ผู้ใช้สำหรับรหัสการอนุมัติ +UserForApprovalFirstname=ชื่อของผู้ใช้ที่ได้รับการอนุมัติ +UserForApprovalLastname=นามสกุลของผู้ใช้ที่อนุมัติ +UserForApprovalLogin=เข้าสู่ระบบของผู้ใช้ที่ได้รับการอนุมัติ DescCP=ลักษณะ SendRequestCP=สร้างการร้องขอลา DelayToRequestCP=ออกจากการร้องขอจะต้องทำอย่างน้อย% s วัน (s) ก่อนหน้าพวกเขา -MenuConfCP=Balance of leave -SoldeCPUser=Leave balance (in days) %s +MenuConfCP=ยอดคงเหลือของการลา +SoldeCPUser=ออกจากยอดคงเหลือ (เป็นวัน) : %s ErrorEndDateCP=คุณต้องเลือกวันที่สิ้นสุดมากกว่าวันที่เริ่มต้น ErrorSQLCreateCP=ข้อผิดพลาดที่เกิดขึ้นในช่วง SQL สร้าง: ErrorIDFicheCP=เกิดข้อผิดพลาดขอลาไม่อยู่ @@ -38,16 +38,16 @@ ErrorUserViewCP=คุณยังไม่ได้รับอนุญาต InfosWorkflowCP=ข้อมูลเวิร์กโฟลว์ RequestByCP=การร้องขอจาก TitreRequestCP=คำขอฝาก -TypeOfLeaveId=Type of leave ID -TypeOfLeaveCode=Type of leave code -TypeOfLeaveLabel=Type of leave label -NbUseDaysCP=Number of days of leave used -NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. -NbUseDaysCPShort=Days of leave -NbUseDaysCPShortInMonth=Days of leave in month -DayIsANonWorkingDay=%s is a non-working day -DateStartInMonth=Start date in month -DateEndInMonth=End date in month +TypeOfLeaveId=ประเภทของรหัสการลา +TypeOfLeaveCode=ประเภทของรหัสการลา +TypeOfLeaveLabel=ประเภทของฉลากการลา +NbUseDaysCP=จำนวนวันลาที่ใช้ +NbUseDaysCPHelp=การคำนวณจะคำนึงถึงวันที่ไม่ทำงานและวันหยุดที่กำหนดไว้ในพจนานุกรม +NbUseDaysCPShort=วันลา +NbUseDaysCPShortInMonth=วันลาในเดือน +DayIsANonWorkingDay=%s เป็นวันที่ไม่ทำงาน +DateStartInMonth=วันที่เริ่มต้นในเดือน +DateEndInMonth=วันที่สิ้นสุดในเดือน EditCP=แก้ไข DeleteCP=ลบ ActionRefuseCP=ปฏิเสธ @@ -57,8 +57,8 @@ TitleDeleteCP=ลบคำขอลา ConfirmDeleteCP=ยืนยันการลบคำขอออกจากนี้หรือไม่? ErrorCantDeleteCP=ข้อผิดพลาดของคุณไม่ได้มีสิทธิ์ในการลบคำขอลานี้ CantCreateCP=คุณไม่ได้มีสิทธิที่จะขอลา -InvalidValidatorCP=You must choose the approver for your leave request. -InvalidValidator=The user chosen isn't an approver. +InvalidValidatorCP=คุณต้องเลือกผู้อนุมัติสำหรับการขอลาของคุณ +InvalidValidator=ผู้ใช้ที่เลือกไม่ใช่ผู้อนุมัติ NoDateDebut=คุณต้องเลือกวันที่เริ่มต้น NoDateFin=คุณต้องเลือกวันที่สิ้นสุด ErrorDureeCP=คำขอลาของคุณไม่ได้มีวันทำงาน @@ -77,47 +77,46 @@ DateRefusCP=วันที่ของการปฏิเสธ DateCancelCP=วันที่มีการยกเลิก DefineEventUserCP=กำหนดลาพิเศษสำหรับผู้ใช้ addEventToUserCP=กำหนดออกจาก -NotTheAssignedApprover=You are not the assigned approver +NotTheAssignedApprover=คุณไม่ใช่ผู้อนุมัติที่ได้รับมอบหมาย MotifCP=เหตุผล UserCP=ผู้ใช้งาน ErrorAddEventToUserCP=เกิดข้อผิดพลาดในขณะที่เพิ่มการลาพิเศษ AddEventToUserOkCP=นอกเหนือจากการลาพิเศษเสร็จเรียบร้อยแล้ว -ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be filled in -fusionGroupsUsers=The groups field and the user field will be merged +ErrorFieldRequiredUserOrGroup=ต้องกรอกช่อง "กลุ่ม" หรือช่อง "ผู้ใช้" +fusionGroupsUsers=ฟิลด์กลุ่มและฟิลด์ผู้ใช้จะถูกรวมเข้าด้วยกัน MenuLogCP=ดูบันทึกการเปลี่ยนแปลง -LogCP=Log of all updates made to "Balance of Leave" -ActionByCP=Updated by -UserUpdateCP=Updated for +LogCP=บันทึกการอัปเดตทั้งหมดที่เกิดขึ้นกับ "ยอดคงเหลือของการลา" +ActionByCP=ปรับปรุงโดย +UserUpdateCP=อัปเดตสำหรับ PrevSoldeCP=คงเหลือก่อนหน้า NewSoldeCP=นิวบาลานซ์ alreadyCPexist=คำขอลาได้ทำไปแล้วในเวลานี้ -UseralreadyCPexist=A leave request has already been done on this period for %s. +UseralreadyCPexist=ได้ดำเนินการขอลาแล้วในช่วงเวลานี้สำหรับ %s groups=กลุ่ม users=ผู้ใช้ -AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request -AutoValidationOnCreate=Automatic validation -FirstDayOfHoliday=Beginning day of leave request -LastDayOfHoliday=Ending day of leave request -BoxTitleLastLeaveRequests=Latest %s modified leave requests +AutoSendMail=การส่งจดหมายอัตโนมัติ +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave +AutoValidationOnCreate=การตรวจสอบอัตโนมัติ +FirstDayOfHoliday=วันเริ่มต้นของการขอลา +LastDayOfHoliday=วันสิ้นสุดการขอลา HolidaysMonthlyUpdate=การปรับปรุงรายเดือน ManualUpdate=การปรับปรุงคู่มือการใช้งาน -HolidaysCancelation=ออกจากคำขอยกเลิก -EmployeeLastname=Employee last name -EmployeeFirstname=Employee first name -TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests -HalfDay=Half day -NotTheAssignedApprover=You are not the assigned approver -LEAVE_PAID=Paid vacation -LEAVE_SICK=Sick leave -LEAVE_OTHER=Other leave -LEAVE_PAID_FR=Paid vacation +HolidaysCancelation=ยกเลิกการขอลาออก +EmployeeLastname=นามสกุลพนักงาน +EmployeeFirstname=ชื่อพนักงาน +TypeWasDisabledOrRemoved=ประเภทการลา (id %s) ถูกปิดใช้งานหรือลบออก +LastHolidays=คำขอออก %s ล่าสุด +AllHolidays=คำร้องขอลาทั้งหมด +HalfDay=ครึ่งวัน +NotTheAssignedApprover=คุณไม่ใช่ผู้อนุมัติที่ได้รับมอบหมาย +LEAVE_PAID=จ่ายวันหยุด +LEAVE_SICK=ลาป่วย +LEAVE_OTHER=ลาอื่นๆ +LEAVE_PAID_FR=จ่ายวันหยุด ## Configuration du Module ## -LastUpdateCP=Last automatic update of leave allocation -MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation +LastUpdateCP=อัปเดตการจัดสรรการลาอัตโนมัติครั้งล่าสุด +MonthOfLastMonthlyUpdate=เดือนของการอัปเดตการจัดสรรการลาอัตโนมัติครั้งล่าสุด UpdateConfCPOK=ปรับปรุงเรียบร้อยแล้ว Module27130Name= การบริหารจัดการของการร้องขอลา Module27130Desc= การบริหารจัดการของการร้องขอลา @@ -127,32 +126,32 @@ NoticePeriod=ระยะเวลาการแจ้งให้ทราบ HolidaysToValidate=ตรวจสอบการร้องขอลา HolidaysToValidateBody=ด้านล่างคำขอลาในการตรวจสอบคือ HolidaysToValidateDelay=คำขอลานี้จะเกิดขึ้นภายในระยะเวลาน้อยกว่า% s วัน -HolidaysToValidateAlertSolde=The user who made this leave request does not have enough available days. +HolidaysToValidateAlertSolde=ผู้ใช้ที่ทำการร้องขอการลานี้มีจำนวนวันที่ว่างไม่เพียงพอ HolidaysValidated=การตรวจสอบการร้องขอลา HolidaysValidatedBody=คำขอลาสำหรับ% s% s ได้รับการตรวจสอบ HolidaysRefused=ขอปฏิเสธ -HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason: +HolidaysRefusedBody=คำร้องขอลาของคุณสำหรับ %s ถึง %s ถูกปฏิเสธด้วยเหตุผลต่อไปนี้: HolidaysCanceled=ยกเลิกคำขอใบ HolidaysCanceledBody=คำขอลาสำหรับ% s% s ได้ถูกยกเลิก -FollowedByACounter=1: This type of leave need to be followed by a counter. Counter is incremented manually or automatically and when a leave request is validated, counter is decremented.
      0: Not followed by a counter. -NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter -GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leave to setup the different types of leaves. -HolidaySetup=Setup of module Leave -HolidaysNumberingModules=Numbering models for leave requests -TemplatePDFHolidays=Template for leave requests PDF -FreeLegalTextOnHolidays=Free text on PDF -WatermarkOnDraftHolidayCards=Watermarks on draft leave requests -HolidaysToApprove=Holidays to approve -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays -HolidayBalanceMonthlyUpdate=Monthly update of holiday balance -XIsAUsualNonWorkingDay=%s is usualy a NON working day -BlockHolidayIfNegative=Block if balance negative -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative -ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted -IncreaseHolidays=Increase holiday -HolidayRecordsIncreased= %s holiday records increased -HolidayRecordIncreased=Holiday record increased -ConfirmMassIncreaseHoliday=Bulk holiday increase -NumberDayAddMass=Number of day to add to the selection -ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? -HolidayQtyNotModified=Balance of remaining days for %s has not been changed +FollowedByACounter=1: การลาประเภทนี้ต้องมีเคาน์เตอร์ตาม ตัวนับจะเพิ่มขึ้นด้วยตนเองหรือโดยอัตโนมัติ และเมื่อมีการตรวจสอบคำขอลา ตัวนับจะลดลง
      0: ไม่ตามด้วยตัวนับ +NoLeaveWithCounterDefined=ไม่มีการกำหนดประเภทการลางานที่ต้องตามด้วยตัวนับ +GoIntoDictionaryHolidayTypes=ไปที่ หน้าแรก - การตั้งค่า - พจนานุกรม - ประเภทการลา เพื่อตั้งค่าการลาประเภทต่างๆ +HolidaySetup=การตั้งค่าโมดูลลา +HolidaysNumberingModules=การกำหนดหมายเลขแบบจำลองสำหรับการขอลา +TemplatePDFHolidays=เทมเพลตสำหรับการขอลาพักร้อน PDF +FreeLegalTextOnHolidays=ข้อความฟรีในรูปแบบ PDF +WatermarkOnDraftHolidayCards=ลายน้ำในการขอลาร่าง +HolidaysToApprove=วันหยุดเพื่ออนุมัติ +NobodyHasPermissionToValidateHolidays=ไม่มีใครได้รับอนุญาตให้ตรวจสอบคำขอลา +HolidayBalanceMonthlyUpdate=อัพเดตยอดการลาประจำเดือน +XIsAUsualNonWorkingDay=%s มักจะเป็นวันที่ไม่ใช่วันทำการ +BlockHolidayIfNegative=บล็อกหากยอดคงเหลือติดลบ +LeaveRequestCreationBlockedBecauseBalanceIsNegative=การสร้างคำขอลานี้ถูกบล็อกเนื่องจากยอดคงเหลือของคุณติดลบ +ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=คำขอออก %s จะต้องเป็นแบบร่าง ยกเลิก หรือปฏิเสธที่จะลบ +IncreaseHolidays=เพิ่มยอดการลา +HolidayRecordsIncreased= %s ยอดคงเหลือเพิ่มขึ้น +HolidayRecordIncreased=ยอดคงเหลือการลาเพิ่มขึ้น +ConfirmMassIncreaseHoliday=ยอดการลาจำนวนมากเพิ่มขึ้น +NumberDayAddMass=จำนวนวันที่จะเพิ่มลงในส่วนที่เลือก +ConfirmMassIncreaseHolidayQuestion=คุณแน่ใจหรือไม่ว่าต้องการเพิ่มวันหยุดของระเบียนที่เลือก %s +HolidayQtyNotModified=ยอดคงเหลือของวันที่เหลือสำหรับ %s ไม่มีการเปลี่ยนแปลง diff --git a/htdocs/langs/th_TH/hrm.lang b/htdocs/langs/th_TH/hrm.lang index 2450224f349..344a93c639d 100644 --- a/htdocs/langs/th_TH/hrm.lang +++ b/htdocs/langs/th_TH/hrm.lang @@ -2,91 +2,96 @@ # Admin -HRM_EMAIL_EXTERNAL_SERVICE=Email to prevent HRM external service -Establishments=Establishments -Establishment=Establishment -NewEstablishment=New establishment -DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? -OpenEtablishment=Open establishment -CloseEtablishment=Close establishment +HRM_EMAIL_EXTERNAL_SERVICE=อีเมลเพื่อป้องกันบริการภายนอกของ HRM +Establishments=สถานประกอบการ +Establishment=สถานประกอบการ +NewEstablishment=สถานประกอบการใหม่ +DeleteEstablishment=ลบสถานประกอบการ +ConfirmDeleteEstablishment=คุณแน่ใจหรือไม่ว่าต้องการลบสถานประกอบการนี้ +OpenEtablishment=เปิดสถานประกอบการ +CloseEtablishment=ปิดสถานประกอบการ # Dictionary -DictionaryPublicHolidays=Leave - Public holidays -DictionaryDepartment=HRM - Organizational Unit -DictionaryFunction=HRM - Job positions +DictionaryPublicHolidays=ลา-วันหยุดนักขัตฤกษ์ +DictionaryDepartment=HRM - หน่วยองค์กร +DictionaryFunction=HRM - ตำแหน่งงาน # Module -Employees=Employees +Employees=พนักงาน Employee=ลูกจ้าง -NewEmployee=New employee -ListOfEmployees=List of employees -HrmSetup=HRM module setup -SkillsManagement=Skills management -HRM_MAXRANK=Maximum number of levels to rank a skill -HRM_DEFAULT_SKILL_DESCRIPTION=Default description of ranks when skill is created -deplacement=Shift -DateEval=Evaluation date -JobCard=Job card -JobPosition=Job profile -JobsPosition=Job profiles -NewSkill=New Skill -SkillType=Skill type -Skilldets=List of ranks for this skill -Skilldet=Skill level -rank=Rank -ErrNoSkillSelected=No skill selected -ErrSkillAlreadyAdded=This skill is already in the list -SkillHasNoLines=This skill has no lines -skill=Skill -Skills=Skills -SkillCard=Skill card -EmployeeSkillsUpdated=Employee skills have been updated (see "Skills" tab of employee card) -Eval=Evaluation -Evals=Evaluations -NewEval=New evaluation -ValidateEvaluation=Validate evaluation -ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with reference %s? -EvaluationCard=Evaluation card -RequiredRank=Required rank for this job -EmployeeRank=Employee rank for this skill -EmployeePosition=Employee position -EmployeePositions=Employee positions -EmployeesInThisPosition=Employees in this position -group1ToCompare=Usergroup to analyze -group2ToCompare=Second usergroup for comparison -OrJobToCompare=Compare to job skills requirements +NewEmployee=พนักงานใหม่ +ListOfEmployees=รายชื่อพนักงาน +HrmSetup=การตั้งค่าโมดูล HRM +SkillsManagement=การจัดการทักษะ +HRM_MAXRANK=จำนวนระดับสูงสุดในการจัดอันดับทักษะ +HRM_DEFAULT_SKILL_DESCRIPTION=คำอธิบายเริ่มต้นของอันดับเมื่อมีการสร้างทักษะ +deplacement=กะ +DateEval=วันที่ประเมิน +JobCard=บัตรงาน +NewJobProfile=รายละเอียดงานใหม่ +JobProfile=รายละเอียดงาน +JobsProfiles=โปรไฟล์งาน +NewSkill=ทักษะใหม่ +SkillType=ประเภททักษะ +Skilldets=รายชื่ออันดับของทักษะนี้ +Skilldet=ระดับทักษะ +rank=อันดับ +ErrNoSkillSelected=ไม่ได้เลือกทักษะ +ErrSkillAlreadyAdded=ทักษะนี้มีอยู่ในรายการแล้ว +SkillHasNoLines=ทักษะนี้ไม่มีเส้น +Skill=ทักษะ +Skills=ทักษะ +SkillCard=การ์ดทักษะ +EmployeeSkillsUpdated=ทักษะของพนักงานได้รับการอัปเดตแล้ว (ดูแท็บ "ทักษะ" ของบัตรพนักงาน) +Eval=การประเมิน +Evals=การประเมินผล +NewEval=การประเมินผลใหม่ +ValidateEvaluation=ตรวจสอบการประเมิน +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? +EvaluationCard=บัตรประเมินผล +RequiredRank=ตำแหน่งที่ต้องการสำหรับโปรไฟล์งาน +RequiredRankShort=Required rank +PositionsWithThisProfile=ตำแหน่งที่มีประวัติงานนี้ +EmployeeRank=อันดับพนักงานสำหรับทักษะนี้ +EmployeeRankShort=Employee rank +EmployeePosition=ตำแหน่งพนักงาน +EmployeePositions=ตำแหน่งพนักงาน +EmployeesInThisPosition=พนักงานในตำแหน่งนี้ +group1ToCompare=กลุ่มผู้ใช้ที่จะวิเคราะห์ +group2ToCompare=กลุ่มผู้ใช้ที่สองสำหรับการเปรียบเทียบ +OrJobToCompare=เปรียบเทียบกับข้อกำหนดทักษะของโปรไฟล์งาน difference=ข้อแตกต่าง -CompetenceAcquiredByOneOrMore=Competence acquired by one or more users but not requested by the second comparator -MaxlevelGreaterThan=Max level greater than the one requested -MaxLevelEqualTo=Max level equal to that demand -MaxLevelLowerThan=Max level lower than that demand -MaxlevelGreaterThanShort=Employee level greater than the one requested -MaxLevelEqualToShort=Employee level equals to that demand -MaxLevelLowerThanShort=Employee level lower than that demand -SkillNotAcquired=Skill not acquired by all users and requested by the second comparator +CompetenceAcquiredByOneOrMore=ความสามารถที่ได้รับจากผู้ใช้หนึ่งรายขึ้นไป แต่ไม่ได้ร้องขอจากผู้เปรียบเทียบรายที่สอง +MaxlevelGreaterThan=ระดับพนักงานสูงกว่าระดับที่คาดไว้ +MaxLevelEqualTo=ระดับพนักงานเท่ากับระดับที่คาดหวัง +MaxLevelLowerThan=ระดับพนักงานต่ำกว่าระดับที่คาดไว้ +MaxlevelGreaterThanShort=ระดับสูงกว่าที่คาดไว้ +MaxLevelEqualToShort=ระดับเท่ากับระดับที่คาดหวัง +MaxLevelLowerThanShort=ระดับต่ำกว่าที่คาดไว้ +SkillNotAcquired=ผู้ใช้ทุกคนไม่ได้ทักษะมาและร้องขอโดยผู้เปรียบเทียบคนที่สอง legend=ตำนาน -TypeSkill=Skill type -AddSkill=Add skills to job -RequiredSkills=Required skills for this job -UserRank=User Rank -SkillList=Skill list -SaveRank=Save rank -TypeKnowHow=Know how -TypeHowToBe=How to be -TypeKnowledge=Knowledge -AbandonmentComment=Abandonment comment -DateLastEval=Date last evaluation -NoEval=No evaluation done for this employee -HowManyUserWithThisMaxNote=Number of users with this rank -HighestRank=Highest rank -SkillComparison=Skill comparison -ActionsOnJob=Events on this job -VacantPosition=job vacancy -VacantCheckboxHelper=Checking this option will show unfilled positions (job vacancy) -SaveAddSkill = Skill(s) added -SaveLevelSkill = Skill(s) level saved -DeleteSkill = Skill removed -SkillsExtraFields=Attributs supplémentaires (Compétences) -JobsExtraFields=Attributs supplémentaires (Emplois) -EvaluationsExtraFields=Attributs supplémentaires (Evaluations) -NeedBusinessTravels=Need business travels -NoDescription=No description +TypeSkill=ประเภททักษะ +AddSkill=เพิ่มทักษะให้กับโปรไฟล์งาน +RequiredSkills=ทักษะที่จำเป็นสำหรับโปรไฟล์งานนี้ +UserRank=อันดับผู้ใช้ +SkillList=รายการทักษะ +SaveRank=บันทึกอันดับ +TypeKnowHow=ความรู้ +TypeHowToBe=จะเป็นเช่นไร +TypeKnowledge=ความรู้ +AbandonmentComment=ความคิดเห็นที่ละทิ้ง +DateLastEval=วันที่ประเมินครั้งล่าสุด +NoEval=ไม่มีการประเมินผลสำหรับพนักงานรายนี้ +HowManyUserWithThisMaxNote=จำนวนผู้ใช้ที่มีอันดับนี้ +HighestRank=อันดับสูงสุด +SkillComparison=การเปรียบเทียบทักษะ +ActionsOnJob=กิจกรรมในงานนี้ +VacantPosition=ตำแหน่งงานว่าง +VacantCheckboxHelper=การเลือกตัวเลือกนี้จะแสดงตำแหน่งที่ยังไม่สำเร็จ (ตำแหน่งงานว่าง) +SaveAddSkill = เพิ่มทักษะแล้ว +SaveLevelSkill = บันทึกระดับทักษะแล้ว +DeleteSkill = ทักษะถูกลบออก +SkillsExtraFields=คุณสมบัติเสริม (ทักษะ) +JobsExtraFields=คุณสมบัติเสริม (ประวัติงาน) +EvaluationsExtraFields=คุณลักษณะเสริม (การประเมินผล) +NeedBusinessTravels=ต้องการการเดินทางเพื่อธุรกิจ +NoDescription=ไม่มีคำอธิบาย +TheJobProfileHasNoSkillsDefinedFixBefore=ประวัติงานที่ประเมินของพนักงานคนนี้ไม่มีทักษะที่กำหนดไว้ โปรดเพิ่มทักษะ จากนั้นลบและเริ่มการประเมินใหม่ diff --git a/htdocs/langs/th_TH/main.lang b/htdocs/langs/th_TH/main.lang index 7e3077338b9..6064e63140c 100644 --- a/htdocs/langs/th_TH/main.lang +++ b/htdocs/langs/th_TH/main.lang @@ -20,7 +20,7 @@ FormatDateShortJava=dd/MM/yyyy FormatDateShortJavaInput=dd/MM/yyyy FormatDateShortJQuery=dd/mm/yy FormatDateShortJQueryInput=dd/mm/yy -FormatHourShortJQuery=HH: MI +FormatHourShortJQuery=HH:MI FormatHourShort=%I:%M %p FormatHourShortDuration=%H:%M FormatDateTextShort=%b %d, %Y @@ -30,17 +30,17 @@ FormatDateHourSecShort=%d/%m/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p DatabaseConnection=เชื่อมต่อฐานข้อมูล -NoTemplateDefined=No template available for this email type -AvailableVariables=Available substitution variables +NoTemplateDefined=ไม่มีเทมเพลตสำหรับอีเมลประเภทนี้ +AvailableVariables=ตัวแปรทดแทนที่มีอยู่ NoTranslation=แปลไม่มี Translation=การแปล -Translations=Translations +Translations=การแปล CurrentTimeZone=เขต PHP (เซิร์ฟเวอร์) -EmptySearchString=Enter non empty search criterias -EnterADateCriteria=Enter a date criteria +EmptySearchString=ป้อนเกณฑ์การค้นหาที่ไม่ว่างเปล่า +EnterADateCriteria=ป้อนเกณฑ์วันที่ NoRecordFound=บันทึกไม่พบ -NoRecordDeleted=No record deleted -NotEnoughDataYet=Not enough data +NoRecordDeleted=ไม่มีการลบบันทึก +NotEnoughDataYet=ข้อมูลไม่เพียงพอ NoError=ไม่มีข้อผิดพลาด Error=ความผิดพลาด Errors=ข้อผิดพลาด @@ -54,86 +54,88 @@ ErrorConstantNotDefined=พารามิเตอร์% s ไม่ได้ ErrorUnknown=ข้อผิดพลาดที่ไม่รู้จัก ErrorSQL=ข้อผิดพลาด SQL ErrorLogoFileNotFound=ไฟล์โลโก้ '% s' ไม่พบ -ErrorGoToGlobalSetup=Go to 'Company/Organization' setup to fix this +ErrorGoToGlobalSetup=ไปที่การตั้งค่า 'บริษัท/องค์กร' เพื่อแก้ไขปัญหานี้ ErrorGoToModuleSetup=ไปยังโมดูลการติดตั้งการแก้ไขปัญหานี้ ErrorFailedToSendMail=ล้มเหลวในการส่งอีเมล (ส่ง =% s รับ =% s) ErrorFileNotUploaded=ไฟล์ที่อัปโหลดไม่ได้ ตรวจสอบขนาดที่ไม่เกินสูงสุดที่อนุญาตที่พื้นที่ว่างที่มีอยู่บนดิสก์และนั่นก็คือไม่ได้อยู่แล้วไฟล์ที่มีชื่อเดียวกันในไดเรกทอรีนี้ ErrorInternalErrorDetected=ข้อผิดพลาดที่ตรวจพบ ErrorWrongHostParameter=โฮสต์พารามิเตอร์ที่ไม่ถูกต้อง -ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post the form again. -ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child record. +ErrorYourCountryIsNotDefined=ไม่ได้กำหนดประเทศของคุณ ไปที่ Home-Setup-Company/Foundation แล้วโพสต์แบบฟอร์มอีกครั้ง +ErrorRecordIsUsedByChild=ไม่สามารถลบบันทึกนี้ เรกคอร์ดนี้ถูกใช้โดยเรกคอร์ดลูกอย่างน้อยหนึ่งรายการ ErrorWrongValue=ค่าที่ไม่ถูกต้อง ErrorWrongValueForParameterX=ค่าที่ไม่ถูกต้องสำหรับพารามิเตอร์% s ErrorNoRequestInError=คำขอในไม่มีข้อผิดพลาด -ErrorServiceUnavailableTryLater=Service not available at the moment. Try again later. +ErrorServiceUnavailableTryLater=ไม่สามารถให้บริการได้ในขณะนี้ ลองอีกครั้งในภายหลัง ErrorDuplicateField=ค่าที่ซ้ำกันในสนามที่ไม่ซ้ำกัน -ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. Changes have been rolled back. -ErrorConfigParameterNotDefined=Parameter %s is not defined in the Dolibarr config file conf.php. +ErrorSomeErrorWereFoundRollbackIsDone=พบข้อผิดพลาดบางประการ การเปลี่ยนแปลงถูกย้อนกลับแล้ว +ErrorConfigParameterNotDefined=พารามิเตอร์ %s ไม่ได้ถูกกำหนดไว้ในไฟล์กำหนดค่า Dolibarr conf.php. ErrorCantLoadUserFromDolibarrDatabase=ไม่พบผู้ใช้% s ในฐานข้อมูล Dolibarr ErrorNoVATRateDefinedForSellerCountry=ข้อผิดพลาดอัตราภาษีมูลค่าเพิ่มไม่มีกำหนดสำหรับประเทศ '% s' ErrorNoSocialContributionForSellerCountry=ข้อผิดพลาดที่ไม่มีทางสังคม / ประเภทภาษีทางการคลังที่กำหนดไว้สำหรับประเทศ '% s' ErrorFailedToSaveFile=ข้อผิดพลาดล้มเหลวที่จะบันทึกไฟล์ -ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of a existing warehouse -FieldCannotBeNegative=Field "%s" cannot be negative -MaxNbOfRecordPerPage=Max. number of records per page -NotAuthorized=You are not authorized to do that. +ErrorCannotAddThisParentWarehouse=คุณกำลังพยายามเพิ่มคลังสินค้าหลักซึ่งเป็นรายการย่อยของคลังสินค้าที่มีอยู่แล้ว +ErrorInvalidSubtype=ไม่อนุญาตให้ใช้ประเภทย่อยที่เลือก +FieldCannotBeNegative=ฟิลด์ "%s" ไม่สามารถเป็นค่าลบได้ +MaxNbOfRecordPerPage=สูงสุด จำนวนบันทึกต่อหน้า +NotAuthorized=คุณไม่ได้รับอนุญาตให้ทำเช่นนั้น SetDate=วันที่ตั้ง SelectDate=เลือกวันที่ SeeAlso=ดูยัง% s SeeHere=ดูที่นี่ ClickHere=คลิกที่นี่ -Here=Here +Here=ที่นี่ Apply=ใช้ BackgroundColorByDefault=สีพื้นหลังเริ่มต้น -FileRenamed=The file was successfully renamed -FileGenerated=The file was successfully generated -FileSaved=The file was successfully saved +FileRenamed=เปลี่ยนชื่อไฟล์สำเร็จแล้ว +FileGenerated=สร้างไฟล์สำเร็จแล้ว +FileSaved=บันทึกไฟล์เรียบร้อยแล้ว FileUploaded=ไฟล์อัพโหลดประสบความสำเร็จ -FileTransferComplete=File(s) uploaded successfully -FilesDeleted=File(s) successfully deleted +FileTransferComplete=อัปโหลดไฟล์สำเร็จแล้ว +FilesDeleted=ลบไฟล์สำเร็จแล้ว FileWasNotUploaded=ไฟล์ที่ถูกเลือกสำหรับสิ่งที่แนบมา แต่ยังไม่ได้อัปโหลดยัง คลิกที่ "แนบไฟล์" สำหรับเรื่องนี้ -NbOfEntries=No. of entries +NbOfEntries=จำนวนรายการ GoToWikiHelpPage=อ่านความช่วยเหลือออนไลน์ (อินเทอร์เน็ตจำเป็น) GoToHelpPage=อ่านความช่วยเหลือ -DedicatedPageAvailable=Dedicated help page related to your current screen -HomePage=Home Page +DedicatedPageAvailable=หน้าความช่วยเหลือเฉพาะที่เกี่ยวข้องกับหน้าจอปัจจุบันของคุณ +HomePage=หน้าแรก RecordSaved=บันทึกที่บันทึกไว้ RecordDeleted=บันทึกลบ -RecordGenerated=Record generated +RecordGenerated=สร้างบันทึกแล้ว LevelOfFeature=ระดับของคุณสมบัติ NotDefined=ไม่กำหนด -DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is set to %s in configuration file conf.php.
      This means that the password database is external to Dolibarr, so changing this field may have no effect. -Administrator=ผู้บริหาร +DolibarrInHttpAuthenticationSoPasswordUseless=โหมดการตรวจสอบสิทธิ์ Dolibarr ถูกตั้งค่าเป็น %s ในไฟล์การกำหนดค่า conf.php.
      ซึ่งหมายความว่าฐานข้อมูลรหัสผ่านอยู่ภายนอก Dolibarr ดังนั้นการเปลี่ยนแปลงฟิลด์นี้อาจไม่มีผลใดๆ +Administrator=ผู้ดูแลระบบ +AdministratorDesc=ผู้ดูแลระบบ (สามารถจัดการผู้ใช้ สิทธิ์ แต่ยังรวมถึงการตั้งค่าระบบและการกำหนดค่าโมดูล) Undefined=ตะคุ่ม PasswordForgotten=ลืมรหัสผ่าน? -NoAccount=No account? +NoAccount=ไม่มีบัญชี? SeeAbove=ดูข้างต้น HomeArea=หน้าแรก -LastConnexion=Last login -PreviousConnexion=Previous login -PreviousValue=Previous value +LastConnexion=เข้าสู่ระบบครั้งล่าสุด +PreviousConnexion=เข้าสู่ระบบครั้งก่อน +PreviousValue=ค่าก่อนหน้า ConnectedOnMultiCompany=ที่เชื่อมต่อกับสภาพแวดล้อม ConnectedSince=เชื่อมต่อตั้งแต่ AuthenticationMode=การรับรองโหมด RequestedUrl=URL ที่ร้องขอ DatabaseTypeManager=ผู้จัดการฐานข้อมูลประเภท -RequestLastAccessInError=Latest database access request error -ReturnCodeLastAccessInError=Return code for latest database access request error -InformationLastAccessInError=Information for latest database access request error +RequestLastAccessInError=ข้อผิดพลาดคำขอเข้าถึงฐานข้อมูลล่าสุด +ReturnCodeLastAccessInError=รหัสส่งคืนสำหรับข้อผิดพลาดคำขอเข้าถึงฐานข้อมูลล่าสุด +InformationLastAccessInError=ข้อมูลสำหรับข้อผิดพลาดคำขอเข้าถึงฐานข้อมูลล่าสุด DolibarrHasDetectedError=Dolibarr ตรวจพบข้อผิดพลาดทางเทคนิค -YouCanSetOptionDolibarrMainProdToZero=You can read log file or set option $dolibarr_main_prod to '0' in your config file to get more information. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) +YouCanSetOptionDolibarrMainProdToZero=คุณสามารถอ่านไฟล์บันทึกหรือตั้งค่าตัวเลือก $dolibarr_main_prod เป็น '0' ในไฟล์กำหนดค่าของคุณเพื่อรับข้อมูลเพิ่มเติม +InformationToHelpDiagnose=ข้อมูลนี้อาจมีประโยชน์สำหรับวัตถุประสงค์ในการวินิจฉัย (คุณสามารถตั้งค่าตัวเลือก $dolibarr_main_prod เป็น '1' เพื่อซ่อนข้อมูลที่ละเอียดอ่อน) MoreInformation=ข้อมูลเพิ่มเติม TechnicalInformation=ข้อมูลด้านเทคนิค -TechnicalID=Technical ID -LineID=Line ID +TechnicalID=รหัสทางเทคนิค +LineID=ไลน์ไอดี NotePublic=หมายเหตุ (มหาชน) NotePrivate=หมายเหตุ (เอกชน) PrecisionUnitIsLimitedToXDecimals=Dolibarr ถูกติดตั้งเพื่อ จำกัด แม่นยำของราคาต่อหน่วย% s ทศนิยม DoTest=ทดสอบ ToFilter=กรอง -NoFilter=No filter -WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance time. +NoFilter=ไม่มีตัวกรอง +WarningYouHaveAtLeastOneTaskLate=คำเตือน คุณมีอย่างน้อยหนึ่งองค์ประกอบที่เกินเวลาที่ยอมรับได้ yes=ใช่ Yes=ใช่ no=ไม่ @@ -143,19 +145,19 @@ Home=หน้าแรก Help=ช่วย OnlineHelp=ความช่วยเหลือออนไลน์ PageWiki=หน้าวิกิพีเดีย -MediaBrowser=Media browser +MediaBrowser=เบราว์เซอร์สื่อ Always=เสมอ Never=ไม่เคย Under=ภายใต้ Period=ระยะเวลา PeriodEndDate=วันที่สิ้นสุดระยะเวลา -SelectedPeriod=Selected period -PreviousPeriod=Previous period +SelectedPeriod=ระยะเวลาที่เลือก +PreviousPeriod=ช่วงก่อนหน้า Activate=กระตุ้น Activated=เปิดใช้งาน Closed=ปิด Closed2=ปิด -NotClosed=Not closed +NotClosed=ไม่ปิด Enabled=ที่เปิดใช้งาน Enable=เปิดใช้งาน Deprecated=เลิกใช้ @@ -163,80 +165,80 @@ Disable=ปิดการใช้งาน Disabled=พิการ Add=เพิ่ม AddLink=เพิ่มการเชื่อมโยง -RemoveLink=Remove link -AddToDraft=Add to draft +RemoveLink=ลบลิงก์ +AddToDraft=เพิ่มลงในร่าง Update=ปรับปรุง Close=ใกล้ -CloseAs=Set status to -CloseBox=Remove widget from your dashboard +CloseAs=ตั้งสถานะเป็น +CloseBox=ลบวิดเจ็ตออกจากแดชบอร์ดของคุณ Confirm=ยืนยัน -ConfirmSendCardByMail=Do you really want to send the content of this card by mail to %s? +ConfirmSendCardByMail=คุณต้องการส่งเนื้อหาของการ์ดนี้ทางไปรษณีย์ไปที่ %s< /ช่วง>? Delete=ลบ Remove=เอาออก -Resiliate=Terminate +Resiliate=ยุติ Cancel=ยกเลิก Modify=แก้ไข Edit=แก้ไข Validate=ตรวจสอบ ValidateAndApprove=ตรวจสอบและอนุมัติ ToValidate=ในการตรวจสอบ -NotValidated=Not validated +NotValidated=ไม่ได้รับการตรวจสอบ Save=บันทึก SaveAs=บันทึกเป็น -SaveAndStay=Save and stay -SaveAndNew=Save and new +SaveAndStay=บันทึกและอยู่ +SaveAndNew=บันทึกและใหม่ TestConnection=ทดสอบการเชื่อมต่อ ToClone=โคลน -ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose the data you want to clone: +ConfirmCloneAsk=คุณแน่ใจหรือไม่ว่าต้องการโคลนออบเจ็กต์ %s +ConfirmClone=เลือกข้อมูลที่คุณต้องการโคลน: NoCloneOptionsSpecified=ไม่มีข้อมูลที่จะโคลนที่กำหนดไว้ Of=ของ Go=ไป Run=วิ่ง CopyOf=สำเนา Show=แสดง -Hide=Hide +Hide=ซ่อน ShowCardHere=การ์ดแสดง Search=ค้นหา SearchOf=ค้นหา -QuickAdd=Quick add +QuickAdd=เพิ่มด่วน Valid=ถูกต้อง Approve=อนุมัติ Disapprove=ไม่พอใจ ReOpen=Re: เปิด OpenVerb=เปิด -Upload=Upload +Upload=ที่อัพโหลด ToLink=ลิงค์ Select=เลือก -SelectAll=Select all +SelectAll=เลือกทั้งหมด Choose=เลือก Resize=การปรับขนาด -ResizeOrCrop=Resize or Crop -Recenter=Recenter +Crop=ครอบตัด +ResizeOrCrop=ปรับขนาดหรือครอบตัด Author=ผู้เขียน User=ผู้ใช้งาน Users=ผู้ใช้ Group=กลุ่ม Groups=กลุ่ม -UserGroup=User group -UserGroups=User groups +UserGroup=กลุ่มผู้ใช้ +UserGroups=กลุ่มผู้ใช้ NoUserGroupDefined=ไม่มีกลุ่มผู้ใช้ที่กำหนดไว้ Password=รหัสผ่าน -PasswordRetype=Repeat your password +PasswordRetype=ทำซ้ำรหัสผ่านของคุณ NoteSomeFeaturesAreDisabled=โปรดทราบว่าจำนวนมากของคุณสมบัติ / โมดูลถูกปิดใช้งานในการสาธิตนี้ -YourUserFile=Your user file +YourUserFile=ไฟล์ผู้ใช้ของคุณ Name=ชื่อ -NameSlashCompany=Name / Company +NameSlashCompany=ชื่อ / บริษัท Person=คน Parameter=พารามิเตอร์ Parameters=พารามิเตอร์ Value=มูลค่า PersonalValue=ค่าส่วนบุคคล -NewObject=New %s +NewObject=ใหม่ %s NewValue=ค่าใหม่ -OldValue=Old value %s -FieldXModified=Field %s modified -FieldXModifiedFromYToZ=Field %s modified from %s to %s +OldValue=ค่าเก่า %s +FieldXModified=แก้ไขฟิลด์ %s แล้ว +FieldXModifiedFromYToZ=ฟิลด์ %s แก้ไขจาก %s เป็น %s CurrentValue=มูลค่าปัจจุบัน Code=รหัส Type=ชนิด @@ -251,15 +253,15 @@ Family=ครอบครัว Description=ลักษณะ Designation=ลักษณะ DescriptionOfLine=คำอธิบายของสาย -DateOfLine=Date of line -DurationOfLine=Duration of line -ParentLine=Parent line ID -Model=Doc template -DefaultModel=Default doc template +DateOfLine=วันที่ของบรรทัด +DurationOfLine=ระยะเวลาของบรรทัด +ParentLine=รหัสบรรทัดผู้ปกครอง +Model=แม่แบบเอกสาร +DefaultModel=เทมเพลตเอกสารเริ่มต้น Action=เหตุการณ์ About=เกี่ยวกับ Number=จำนวน -NumberByMonth=Total reports by month +NumberByMonth=รายงานรวมตามเดือน AmountByMonth=จํานวนเงินตามเดือน Numero=จำนวน Limit=จำกัด @@ -276,22 +278,22 @@ Cards=การ์ด Card=บัตร Now=ตอนนี้ HourStart=เริ่มต้นชั่วโมง -Deadline=Deadline +Deadline=วันกำหนดส่ง Date=วันที่ DateAndHour=วันที่และชั่วโมง -DateToday=Today's date -DateReference=Reference date +DateToday=วันนี้วันที่ +DateReference=วันที่อ้างอิง DateStart=วันที่เริ่มต้น DateEnd=วันที่สิ้นสุด DateCreation=วันที่สร้าง -DateCreationShort=Creat. date -IPCreation=Creation IP +DateCreationShort=สร้าง. วันที่ +IPCreation=การสร้าง IP DateModification=วันที่แก้ไข DateModificationShort=Modif วันที่ -IPModification=Modification IP -DateLastModification=Latest modification date +IPModification=การปรับเปลี่ยนไอพี +DateLastModification=วันที่แก้ไขล่าสุด DateValidation=วันที่ตรวจสอบ -DateSigning=Signing date +DateSigning=วันที่ลงนาม DateClosing=วันปิดสมุดทะเบียน DateDue=วันที่ครบกำหนด DateValue=วันที่คิดมูลค่า @@ -305,15 +307,15 @@ DateBuild=รายงานวันที่สร้าง DatePayment=วันที่ชำระเงิน DateApprove=วันที่อนุมัติ DateApprove2=วันที่อนุมัติ (ที่สองได้รับการอนุมัติ) -RegistrationDate=Registration date -UserCreation=Creation user -UserModification=Modification user -UserValidation=Validation user -UserCreationShort=Creat. user -UserModificationShort=Modif. user -UserValidationShort=Valid. user -UserClosing=Closing user -UserClosingShort=Closing user +RegistrationDate=วันที่ลงทะเบียน +UserCreation=ผู้ใช้ที่สร้าง +UserModification=ผู้ใช้การแก้ไข +UserValidation=ผู้ใช้การตรวจสอบ +UserCreationShort=สร้าง. ผู้ใช้ +UserModificationShort=แก้ไข ผู้ใช้ +UserValidationShort=ถูกต้อง. ผู้ใช้ +UserClosing=กำลังปิดผู้ใช้ +UserClosingShort=กำลังปิดผู้ใช้ DurationYear=ปี DurationMonth=เดือน DurationWeek=สัปดาห์ @@ -345,20 +347,20 @@ Morning=ตอนเช้า Afternoon=บ่าย Quadri=Quadri MonthOfDay=เดือนของวัน -DaysOfWeek=Days of week +DaysOfWeek=วันในสัปดาห์ HourShort=H MinuteShort=ล้าน -SecondShort=sec +SecondShort=วินาที Rate=ประเมิน -CurrencyRate=Currency conversion rate +CurrencyRate=อัตราการแปลงสกุลเงิน UseLocalTax=รวมภาษี Bytes=ไบต์ KiloBytes=กิโลไบต์ MegaBytes=เมกะไบต์ GigaBytes=กิกะไบต์ TeraBytes=เทราไบต์ -UserAuthor=Created by -UserModif=Updated by +UserAuthor=สร้างโดย +UserModif=ปรับปรุงโดย b=ข Kb=กิโลไบต์ Mb=Mb @@ -369,99 +371,99 @@ Copy=สำเนา Paste=แปะ Default=ผิดนัด DefaultValue=ค่ามาตรฐาน -DefaultValues=Default values/filters/sorting +DefaultValues=ค่าเริ่มต้น/ตัวกรอง/การเรียงลำดับ Price=ราคา -PriceCurrency=Price (currency) +PriceCurrency=ราคา (สกุลเงิน) UnitPrice=ราคาต่อหน่วย -UnitPriceHT=Unit price (excl.) -UnitPriceHTCurrency=Unit price (excl.) (currency) +UnitPriceHT=ราคาต่อหน่วย (ไม่รวม) +UnitPriceHTCurrency=ราคาต่อหน่วย (ไม่รวม) (สกุลเงิน) UnitPriceTTC=ราคาต่อหน่วย PriceU=UP PriceUHT=UP (สุทธิ) -PriceUHTCurrency=U.P (net) (currency) +PriceUHTCurrency=U.P (สุทธิ) (สกุลเงิน) PriceUTTC=UP (รวมภาษี). Amount=จำนวน AmountInvoice=จำนวนใบแจ้งหนี้ -AmountInvoiced=Amount invoiced -AmountInvoicedHT=Amount invoiced (excl. tax) -AmountInvoicedTTC=Amount invoiced (inc. tax) +AmountInvoiced=จำนวนเงินที่ออกใบแจ้งหนี้ +AmountInvoicedHT=จำนวนเงินที่ออกใบแจ้งหนี้ (ไม่รวมภาษี) +AmountInvoicedTTC=จำนวนเงินที่ออกใบแจ้งหนี้ (รวมภาษี) AmountPayment=จำนวนเงินที่ชำระ -AmountHTShort=Amount (excl.) +AmountHTShort=จำนวนเงิน (ไม่รวม) AmountTTCShort=จํานวนเงิน (รวมภาษี). -AmountHT=Amount (excl. tax) +AmountHT=จำนวนเงิน (ไม่รวมภาษี) AmountTTC=จํานวนเงิน (รวมภาษี). AmountVAT=จํานวนเงินภาษี -MulticurrencyAlreadyPaid=Already paid, original currency -MulticurrencyRemainderToPay=Remain to pay, original currency -MulticurrencyPaymentAmount=Payment amount, original currency -MulticurrencyAmountHT=Amount (excl. tax), original currency -MulticurrencyAmountTTC=Amount (inc. of tax), original currency -MulticurrencyAmountVAT=Amount tax, original currency -MulticurrencySubPrice=Amount sub price multi currency +MulticurrencyAlreadyPaid=ชำระเงินแล้วเป็นสกุลเงินเดิม +MulticurrencyRemainderToPay=คงเหลือเงินสกุลเดิม +MulticurrencyPaymentAmount=จำนวนเงินที่ชำระเป็นสกุลเงินเดิม +MulticurrencyAmountHT=จำนวนเงิน (ไม่รวมภาษี) สกุลเงินเดิม +MulticurrencyAmountTTC=จำนวนเงิน (รวมภาษี) สกุลเงินเดิม +MulticurrencyAmountVAT=จำนวนภาษีสกุลเงินเดิม +MulticurrencySubPrice=จำนวนเงินย่อยราคาหลายสกุลเงิน AmountLT1=จำนวนเงินภาษี 2 AmountLT2=จำนวนเงินภาษี 3 AmountLT1ES=จำนวน RE AmountLT2ES=จำนวน IRPF AmountTotal=จำนวนเงินรวม AmountAverage=จำนวนเงินเฉลี่ย -PriceQtyMinHT=Price quantity min. (excl. tax) -PriceQtyMinHTCurrency=Price quantity min. (excl. tax) (currency) -PercentOfOriginalObject=Percent of original object -AmountOrPercent=Amount or percent +PriceQtyMinHT=ราคา ปริมาณ ขั้นต่ำ (ไม่รวมภาษี) +PriceQtyMinHTCurrency=ราคา ปริมาณ ขั้นต่ำ (ไม่รวมภาษี) (สกุลเงิน) +PercentOfOriginalObject=เปอร์เซ็นต์ของวัตถุดั้งเดิม +AmountOrPercent=จำนวนหรือเปอร์เซ็นต์ Percentage=ร้อยละ Total=ทั้งหมด SubTotal=ไม่ทั้งหมด -TotalHTShort=Total (excl.) -TotalHT100Short=Total 100%% (excl.) -TotalHTShortCurrency=Total (excl. in currency) +TotalHTShort=รวม (ไม่รวม) +TotalHT100Short=รวม 100%% (ไม่รวม) +TotalHTShortCurrency=รวม (ไม่รวมในสกุลเงิน) TotalTTCShort=รวม (รวมภาษี). -TotalHT=Total (excl. tax) -TotalHTforthispage=Total (excl. tax) for this page -Totalforthispage=Total for this page +TotalHT=รวม (ไม่รวมภาษี) +TotalHTforthispage=ยอดรวม (ไม่รวมภาษี) สำหรับหน้านี้ +Totalforthispage=รวมสำหรับหน้านี้ TotalTTC=รวม (รวมภาษี). TotalTTCToYourCredit=รวม (inc. ภาษี) เพื่อเครดิตของคุณ TotalVAT=รวมภาษี -TotalVATIN=Total IGST +TotalVATIN=รวม IGST TotalLT1=ภาษีทั้งหมด 2 TotalLT2=ภาษีทั้งหมด 3 TotalLT1ES=RE รวม TotalLT2ES=IRPF รวม -TotalLT1IN=Total CGST -TotalLT2IN=Total SGST -HT=Excl. tax +TotalLT1IN=รวม CGST +TotalLT2IN=รวมภาษีมูลค่าเพิ่ม +HT=ไม่รวม ภาษี TTC=อิงค์ภาษี -INCVATONLY=Inc. VAT -INCT=Inc. all taxes +INCVATONLY=รวมภาษีมูลค่าเพิ่ม +INCT=รวมภาษีทั้งหมดแล้ว VAT=ภาษีการขาย -VATIN=IGST +VATIN=ไอจีเอสที VATs=ภาษีขาย -VATINs=IGST taxes -LT1=Sales tax 2 -LT1Type=Sales tax 2 type -LT2=Sales tax 3 -LT2Type=Sales tax 3 type +VATINs=ภาษี IGST +LT1=ภาษีการขาย2 +LT1Type=ภาษีการขายประเภทที่ 2 +LT2=ภาษีการขาย3 +LT2Type=ภาษีการขายประเภทที่ 3 LT1ES=RE LT2ES=IRPF -LT1IN=CGST -LT2IN=SGST -LT1GC=Additionnal cents +LT1IN=ซีจีเอสที +LT2IN=ส.ส.ท +LT1GC=เซนต์เพิ่มเติม VATRate=อัตราภาษี -RateOfTaxN=Rate of tax %s -VATCode=Tax Rate code -VATNPR=Tax Rate NPR -DefaultTaxRate=Default tax rate +RateOfTaxN=อัตราภาษี %s +VATCode=รหัสอัตราภาษี +VATNPR=อัตราภาษี NPR +DefaultTaxRate=อัตราภาษีเริ่มต้น Average=เฉลี่ย Sum=รวม Delta=รูปสามเหลี่ยม StatusToPay=ที่จะต้องจ่าย -RemainToPay=Remain to pay -Module=Module/Application -Modules=Modules/Applications +RemainToPay=เหลือที่จะจ่าย. +Module=โมดูล/แอปพลิเคชัน +Modules=โมดูล/แอปพลิเคชัน Option=ตัวเลือก -Filters=Filters +Filters=ตัวกรอง List=รายการ FullList=รายการเต็มรูปแบบ -FullConversation=Full conversation +FullConversation=บทสนทนาเต็ม Statistics=สถิติ OtherStatistics=สถิติอื่น ๆ Status=สถานะ @@ -469,7 +471,7 @@ Favorite=ที่ชื่นชอบ ShortInfo=ข้อมูล Ref=อ้าง ExternalRef=อ้าง extern -RefSupplier=Ref. vendor +RefSupplier=อ้างอิง ผู้ขาย RefPayment=อ้าง การชำระเงิน CommercialProposalsShort=ข้อเสนอเชิงพาณิชย์ Comment=ความเห็น @@ -479,28 +481,28 @@ ActionsToDoShort=ที่จะทำ ActionsDoneShort=เสร็จสิ้น ActionNotApplicable=ไม่สามารถใช้งาน ActionRunningNotStarted=ในการเริ่มต้น -ActionRunningShort=In progress +ActionRunningShort=กำลังดำเนินการ ActionDoneShort=เสร็จสิ้น -ActionUncomplete=Incomplete -LatestLinkedEvents=Latest %s linked events -CompanyFoundation=Company/Organization -Accountant=Accountant +ActionUncomplete=ไม่สมบูรณ์ +LatestLinkedEvents=%s เหตุการณ์ที่เชื่อมโยงล่าสุด +CompanyFoundation=บริษัท/องค์กร +Accountant=นักบัญชี ContactsForCompany=สำหรับรายชื่อของบุคคลที่สามนี้ ContactsAddressesForCompany=รายชื่อ / ที่อยู่สำหรับบุคคลที่สามนี้ AddressesForCompany=สำหรับที่อยู่ของบุคคลที่สามนี้ -ActionsOnCompany=Events for this third party -ActionsOnContact=Events for this contact/address -ActionsOnContract=Events for this contract +ActionsOnCompany=กิจกรรมสำหรับบุคคลที่สามนี้ +ActionsOnContact=กิจกรรมสำหรับผู้ติดต่อ/ที่อยู่นี้ +ActionsOnContract=เหตุการณ์สำหรับสัญญานี้ ActionsOnMember=เหตุการณ์ที่เกิดขึ้นเกี่ยวกับสมาชิกในนี้ -ActionsOnProduct=Events about this product -ActionsOnAsset=Events for this fixed asset +ActionsOnProduct=กิจกรรมเกี่ยวกับผลิตภัณฑ์นี้ +ActionsOnAsset=เหตุการณ์สำหรับสินทรัพย์ถาวรนี้ NActionsLate=% s ปลาย ToDo=ที่จะทำ -Completed=Completed -Running=In progress +Completed=สมบูรณ์ +Running=กำลังดำเนินการ RequestAlreadyDone=ขอบันทึกไว้แล้ว Filter=กรอง -FilterOnInto=Search criteria '%s' into fields %s +FilterOnInto=เกณฑ์การค้นหา '%s' ลงในฟิลด์ %s RemoveFilter=ลบฟิลเตอร์ ChartGenerated=สร้างแผนภูมิ ChartNotGenerated=ผังไม่ได้สร้างขึ้น @@ -509,15 +511,15 @@ Generate=ผลิต Duration=ระยะเวลา TotalDuration=ระยะเวลารวม Summary=ย่อ -DolibarrStateBoard=Database Statistics -DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No open element to process +DolibarrStateBoard=สถิติฐานข้อมูล +DolibarrWorkBoard=เปิดรายการ +NoOpenedElementToProcess=ไม่มีองค์ประกอบเปิดที่จะประมวลผล Available=มีจำหน่าย NotYetAvailable=ยังไม่สามารถใช้ได้ NotAvailable=ไม่พร้อม Categories=แท็ก / ประเภท Category=Tag / หมวดหมู่ -SelectTheTagsToAssign=Select the tags/categories to assign +SelectTheTagsToAssign=เลือกแท็ก/หมวดหมู่ที่จะกำหนด By=โดย From=จาก FromDate=จาก @@ -526,12 +528,12 @@ to=ไปยัง To=ไปยัง ToDate=ไปยัง ToLocation=ไปยัง -at=at +at=ที่ and=และ or=หรือ Other=อื่น ๆ Others=คนอื่น ๆ -OtherInformations=Other information +OtherInformations=ข้อมูลอื่น ๆ Workflow=ขั้นตอนการทำงาน Quantity=ปริมาณ Qty=จำนวน @@ -546,24 +548,25 @@ Reporting=การรายงาน Reportings=การรายงาน Draft=ร่าง Drafts=ร่าง -StatusInterInvoiced=Invoiced +StatusInterInvoiced=ออกใบแจ้งหนี้แล้ว +Done=เสร็จสิ้น Validated=ผ่านการตรวจสอบ -ValidatedToProduce=Validated (To produce) +ValidatedToProduce=ตรวจสอบแล้ว (เพื่อผลิต) Opened=เปิด -OpenAll=Open (All) -ClosedAll=Closed (All) +OpenAll=เปิด(ทั้งหมด) +ClosedAll=ปิด(ทั้งหมด) New=ใหม่ Discount=ส่วนลด Unknown=ไม่ทราบ General=ทั่วไป Size=ขนาด -OriginalSize=Original size -RotateImage=Rotate 90° +OriginalSize=ขนาดเดิม +RotateImage=หมุน 90° Received=ที่ได้รับ Paid=ต้องจ่าย -Topic=Subject +Topic=เรื่อง ByCompanies=โดยบุคคลที่สาม -ByUsers=By user +ByUsers=โดยผู้ใช้ Links=ลิงค์ Link=ลิงค์ Rejects=เสีย @@ -572,20 +575,20 @@ NextStep=ขั้นตอนต่อไป Datas=ข้อมูล None=ไม่ NoneF=ไม่ -NoneOrSeveral=None or several +NoneOrSeveral=ไม่มีหรือหลายอย่าง Late=สาย -LateDesc=An item is defined as Delayed as per the system configuration in menu Home - Setup - Alerts. -NoItemLate=No late item +LateDesc=รายการถูกกำหนดเป็นล่าช้าตามการกำหนดค่าระบบในเมนูหน้าแรก - การตั้งค่า - การแจ้งเตือน +NoItemLate=ไม่มีของล่าช้า Photo=ภาพ Photos=รูปภาพ AddPhoto=เพิ่มรูปภาพ DeletePicture=รูปภาพลบ ConfirmDeletePicture=ลบภาพยืนยัน? Login=เข้าสู่ระบบ -LoginEmail=Login (email) -LoginOrEmail=Login or Email +LoginEmail=เข้าสู่ระบบ (อีเมล) +LoginOrEmail=เข้าสู่ระบบหรืออีเมล CurrentLogin=เข้าสู่ระบบปัจจุบัน -EnterLoginDetail=Enter login details +EnterLoginDetail=กรอกรายละเอียดการเข้าสู่ระบบ January=มกราคม February=กุมภาพันธ์ March=มีนาคม @@ -622,21 +625,21 @@ MonthShort09=กันยายน MonthShort10=ตุลาคม MonthShort11=พฤศจิกายน MonthShort12=ธันวาคม -MonthVeryShort01=J +MonthVeryShort01=เจ MonthVeryShort02=F MonthVeryShort03=M -MonthVeryShort04=A +MonthVeryShort04=ก MonthVeryShort05=M -MonthVeryShort06=J -MonthVeryShort07=J -MonthVeryShort08=A +MonthVeryShort06=เจ +MonthVeryShort07=เจ +MonthVeryShort08=ก MonthVeryShort09=S -MonthVeryShort10=O -MonthVeryShort11=N -MonthVeryShort12=D +MonthVeryShort10=โอ +MonthVeryShort11=เอ็น +MonthVeryShort12=ดี AttachedFiles=ไฟล์ที่แนบมาและเอกสาร -JoinMainDoc=Join main document -JoinMainDocOrLastGenerated=Send the main document or the last generated one if not found +JoinMainDoc=เข้าร่วมเอกสารหลัก +JoinMainDocOrLastGenerated=ส่งเอกสารหลักหรือเอกสารที่สร้างล่าสุดหากไม่พบ DateFormatYYYYMM=YYYY-MM DateFormatYYYYMMDD=YYYY-MM-DD DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS @@ -644,8 +647,8 @@ ReportName=ชื่อรายงาน ReportPeriod=ระยะเวลาที่รายงาน ReportDescription=ลักษณะ Report=รายงาน -Keyword=Keyword -Origin=Origin +Keyword=คำสำคัญ +Origin=ต้นทาง Legend=ตำนาน Fill=ใส่ Reset=ตั้งใหม่ @@ -661,8 +664,8 @@ FindBug=รายงานข้อผิดพลาด NbOfThirdParties=จำนวนของบุคคลที่สาม NbOfLines=จำนวนของเส้น NbOfObjects=จำนวนของวัตถุ -NbOfObjectReferers=Number of related items -Referers=Related items +NbOfObjectReferers=จำนวนรายการที่เกี่ยวข้อง +Referers=รายการที่เกี่ยวข้อง TotalQuantity=ปริมาณรวม DateFromTo=จาก% s% s DateFrom=จาก% s @@ -679,68 +682,70 @@ BuildDoc=สร้างหมอ Entity=สิ่งแวดล้อม Entities=หน่วยงานที่ CustomerPreview=ตัวอย่างลูกค้า -SupplierPreview=Vendor preview +SupplierPreview=การแสดงตัวอย่างผู้ขาย ShowCustomerPreview=แสดงตัวอย่างของลูกค้า -ShowSupplierPreview=Show vendor preview +ShowSupplierPreview=แสดงตัวอย่างผู้ขาย RefCustomer=อ้าง ลูกค้า -InternalRef=Internal ref. +InternalRef=การอ้างอิงภายใน Currency=เงินตรา InfoAdmin=ข้อมูลสำหรับผู้ดูแล Undo=แก้ Redo=ทำซ้ำ ExpandAll=ขยายทั้งหมด UndoExpandAll=ยกเลิกการขยาย -SeeAll=See all +SeeAll=ดูทั้งหมด Reason=เหตุผล FeatureNotYetSupported=มียังไม่สนับสนุน CloseWindow=ปิดหน้าต่าง Response=คำตอบ Priority=ลำดับความสำคัญ -SendByMail=Send by email +SendByMail=ส่งโดยอีเมล์ MailSentBy=อีเมล์ที่ส่งมาจาก +MailSentByTo=อีเมลที่ส่งโดย %s ถึง %s NotSent=ส่งไม่ได้ TextUsedInTheMessageBody=ร่างกายอีเมล์ -SendAcknowledgementByMail=Send confirmation email +SendAcknowledgementByMail=ส่งอีเมลยืนยัน SendMail=ส่งอีเมล Email=อีเมล์ NoEMail=ไม่มีอีเมล -AlreadyRead=Already read -NotRead=Unread +AlreadyRead=อ่านแล้ว +NotRead=ยังไม่ได้อ่าน NoMobilePhone=ไม่มีโทรศัพท์มือถือ Owner=เจ้าของ FollowingConstantsWillBeSubstituted=ค่าคงที่ต่อไปนี้จะถูกแทนที่ด้วยค่าที่สอดคล้องกัน Refresh=รีเฟรช BackToList=กลับไปยังรายการ -BackToTree=Back to tree +BackToTree=กลับไปที่ต้นไม้ GoBack=กลับไป CanBeModifiedIfOk=สามารถแก้ไขได้ถ้าถูกต้อง CanBeModifiedIfKo=สามารถแก้ไขได้ถ้าไม่ถูกต้อง ValueIsValid=ค่าที่ถูกต้อง -ValueIsNotValid=Value is not valid -RecordCreatedSuccessfully=Record created successfully +ValueIsNotValid=ค่าไม่ถูกต้อง +RecordCreatedSuccessfully=สร้างบันทึกเรียบร้อยแล้ว RecordModifiedSuccessfully=บันทึกแก้ไขเรียบร้อย -RecordsModified=%s record(s) modified -RecordsDeleted=%s record(s) deleted -RecordsGenerated=%s record(s) generated +RecordsModified=แก้ไขระเบียน %s แล้ว +RecordsDeleted=ลบบันทึก %s แล้ว +RecordsGenerated=สร้างบันทึก %s แล้ว +ValidatedRecordWhereFound = บันทึกที่เลือกบางส่วนได้รับการตรวจสอบความถูกต้องแล้ว ไม่มีบันทึกที่ถูกลบ AutomaticCode=รหัสอัตโนมัติ FeatureDisabled=ปิดใช้งานคุณลักษณะ -MoveBox=Move widget +MoveBox=ย้ายวิดเจ็ต Offered=ที่นำเสนอ NotEnoughPermissions=คุณไม่ได้รับอนุญาตสำหรับการดำเนินการนี​​้ -UserNotInHierachy=This action is reserved to the supervisors of this user +UserNotInHierachy=การดำเนินการนี้สงวนไว้สำหรับหัวหน้างานของผู้ใช้รายนี้ SessionName=ชื่อเซสชั่น Method=วิธี Receive=ได้รับ -CompleteOrNoMoreReceptionExpected=Complete or nothing more expected -ExpectedValue=Expected Value -ExpectedQty=Expected Qty +CompleteOrNoMoreReceptionExpected=เสร็จสมบูรณ์หรือไม่มีอะไรคาดหวังอีกต่อไป +ExpectedValue=มูลค่าที่คาดหวัง +ExpectedQty=จำนวนที่คาดหวัง PartialWoman=เป็นบางส่วน TotalWoman=ทั้งหมด NeverReceived=ไม่เคยได้รับ Canceled=ยกเลิก -YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu Setup - Dictionaries -YouCanChangeValuesForThisListFrom=You can change values for this list from menu %s -YouCanSetDefaultValueInModuleSetup=You can set the default value used when creating a new record in module setup +YouCanChangeValuesForThisListFromDictionarySetup=คุณสามารถเปลี่ยนค่าสำหรับรายการนี้ได้จากเมนู การตั้งค่า - พจนานุกรม +YouCanChangeValuesForThisListFrom=คุณสามารถเปลี่ยนค่าสำหรับรายการนี้ได้จากเมนู %s +YouCanSetDefaultValueInModuleSetup=คุณสามารถตั้งค่าเริ่มต้นที่ใช้เมื่อสร้างเรกคอร์ดใหม่ในการตั้งค่าโมดูลได้ Color=สี Documents=แฟ้มที่เชื่อมโยง Documents2=เอกสาร @@ -750,57 +755,56 @@ MenuECM=เอกสาร MenuAWStats=AWStats MenuMembers=สมาชิก MenuAgendaGoogle=วาระการประชุมของ Google -MenuTaxesAndSpecialExpenses=Taxes | Special expenses +MenuTaxesAndSpecialExpenses=ภาษี | ค่าใช้จ่ายพิเศษ ThisLimitIsDefinedInSetup=Dolibarr ขีด จำกัด (เมนูที่บ้านการตั้งค่าการรักษาความปลอดภัย):% s Kb, PHP ขีด จำกัด :% s Kb -ThisLimitIsDefinedInSetupAt=Dolibarr limit (Menu %s): %s Kb, PHP limit (Param %s): %s Kb -NoFileFound=No documents uploaded +ThisLimitIsDefinedInSetupAt=ขีดจำกัด Dolibarr (เมนู %s): %s Kb, ขีดจำกัด PHP (พารามิเตอร์ %s): %s Kb +NoFileFound=ไม่มีการอัปโหลดเอกสาร CurrentUserLanguage=ภาษาปัจจุบัน CurrentTheme=รูปแบบปัจจุบัน CurrentMenuManager=ผู้จัดการเมนูปัจจุบัน Browser=เบราว์เซอร์ -Layout=Layout -Screen=Screen +Layout=เค้าโครง +Screen=หน้าจอ DisabledModules=โมดูลพิการ For=สำหรับ ForCustomer=สำหรับลูกค้า Signature=ลายเซ็น -DateOfSignature=Date of signature HidePassword=แสดงคำสั่งที่มีรหัสผ่านที่ซ่อน UnHidePassword=แสดงคำสั่งที่แท้จริงด้วยรหัสผ่านที่ชัดเจน Root=ราก -RootOfMedias=Root of public medias (/medias) +RootOfMedias=รากของสื่อสาธารณะ (/medias) Informations=ข้อมูล Page=หน้า Notes=หมายเหตุ AddNewLine=เพิ่มบรรทัดใหม่ AddFile=เพิ่มไฟล์ -FreeZone=Free-text product -FreeLineOfType=Free-text item, type: +FreeZone=ผลิตภัณฑ์ข้อความอิสระ +FreeLineOfType=รายการข้อความอิสระ ประเภท: CloneMainAttributes=วัตถุโคลนที่มีคุณลักษณะหลัก -ReGeneratePDF=Re-generate PDF +ReGeneratePDF=สร้าง PDF อีกครั้ง PDFMerge=ผสานรูปแบบไฟล์ PDF Merge=ผสาน -DocumentModelStandardPDF=Standard PDF template +DocumentModelStandardPDF=เทมเพลต PDF มาตรฐาน PrintContentArea=หน้าแสดงพื้นที่ในการพิมพ์เนื้อหาหลัก MenuManager=ผู้จัดการเมนู -WarningYouAreInMaintenanceMode=Warning, you are in maintenance mode: only login %s is allowed to use the application in this mode. +WarningYouAreInMaintenanceMode=คำเตือน คุณอยู่ในโหมดการบำรุงรักษา: เฉพาะการเข้าสู่ระบบ %s เท่านั้น อนุญาตให้ใช้แอปพลิเคชันในโหมดนี้ CoreErrorTitle=ผิดพลาดของระบบ -CoreErrorMessage=Sorry, an error occurred. Contact your system administrator to check the logs or disable $dolibarr_main_prod=1 to get more information. +CoreErrorMessage=ขออภัย เกิดข้อผิดพลาด ติดต่อผู้ดูแลระบบของคุณเพื่อตรวจสอบบันทึกหรือปิดการใช้งาน $dolibarr_main_prod=1 เพื่อรับข้อมูลเพิ่มเติม CreditCard=เครดิตการ์ด ValidatePayment=ตรวจสอบการชำระเงิน -CreditOrDebitCard=Credit or debit card +CreditOrDebitCard=บัตรเครดิตหรือบัตรเดบิต FieldsWithAreMandatory=เขตข้อมูลที่มี% s มีผลบังคับใช้ -FieldsWithIsForPublic=Fields with %s are shown in public list of members. If you don't want this, uncheck the "public" box. -AccordingToGeoIPDatabase=(according to GeoIP conversion) +FieldsWithIsForPublic=ช่องที่มี %s จะแสดงอยู่ในรายชื่อสมาชิกแบบสาธารณะ หากคุณไม่ต้องการสิ่งนี้ ให้ยกเลิกการเลือกช่อง "สาธารณะ" +AccordingToGeoIPDatabase=(ตามการแปลง GeoIP) Line=สาย NotSupported=ไม่สนับสนุน RequiredField=ฟิลด์ที่จำเป็น Result=ผล ToTest=ทดสอบ -ValidateBefore=Item must be validated before using this feature +ValidateBefore=รายการจะต้องได้รับการตรวจสอบก่อนที่จะใช้คุณลักษณะนี้ Visibility=ความชัดเจน -Totalizable=Totalizable -TotalizableDesc=This field is totalizable in list +Totalizable=รวมได้ +TotalizableDesc=ฟิลด์นี้สามารถรวมได้ในรายการ Private=ส่วนตัว Hidden=ซ่อนเร้น Resources=ทรัพยากร @@ -815,26 +819,26 @@ NewAttribute=คุณลักษณะใหม่ AttributeCode=รหัสแอตทริบิวต์ URLPhoto=URL ของภาพ / โลโก้ SetLinkToAnotherThirdParty=เชื่อมโยงไปยังบุคคลที่สามอีก -LinkTo=Link to -LinkToProposal=Link to proposal -LinkToExpedition= Link to expedition +LinkTo=เชื่อมโยงไปยัง +LinkToProposal=เชื่อมโยงไปยังข้อเสนอ +LinkToExpedition= เชื่อมโยงไปยังการสำรวจ LinkToOrder=เชื่อมโยงการสั่งซื้อ -LinkToInvoice=Link to invoice -LinkToTemplateInvoice=Link to template invoice -LinkToSupplierOrder=Link to purchase order -LinkToSupplierProposal=Link to vendor proposal -LinkToSupplierInvoice=Link to vendor invoice -LinkToContract=Link to contract -LinkToIntervention=Link to intervention -LinkToTicket=Link to ticket -LinkToMo=Link to Mo +LinkToInvoice=เชื่อมโยงไปยังใบแจ้งหนี้ +LinkToTemplateInvoice=ลิงก์ไปยังเทมเพลตใบแจ้งหนี้ +LinkToSupplierOrder=ลิงค์สั่งซื้อสินค้า +LinkToSupplierProposal=ลิงก์ไปยังข้อเสนอของผู้ขาย +LinkToSupplierInvoice=เชื่อมโยงไปยังใบแจ้งหนี้ของผู้จัดจำหน่าย +LinkToContract=ลิงค์สัญญา +LinkToIntervention=เชื่อมโยงไปยังการแทรกแซง +LinkToTicket=เชื่อมโยงไปยังตั๋ว +LinkToMo=ลิงค์ไปยังโม CreateDraft=สร้างร่าง SetToDraft=กลับไปร่าง ClickToEdit=คลิกเพื่อแก้ไข -ClickToRefresh=Click to refresh -EditWithEditor=Edit with CKEditor -EditWithTextEditor=Edit with Text editor -EditHTMLSource=Edit HTML Source +ClickToRefresh=คลิกเพื่อรีเฟรช +EditWithEditor=แก้ไขด้วย CKEditor +EditWithTextEditor=แก้ไขด้วยโปรแกรมแก้ไขข้อความ +EditHTMLSource=แก้ไขซอร์ส HTML ObjectDeleted=วัตถุ% s ลบ ByCountry=ตามประเทศ ByTown=โดยเมือง @@ -846,135 +850,136 @@ ByDay=โดยวันที่ BySalesRepresentative=โดยตัวแทนฝ่ายขาย LinkedToSpecificUsers=เชื่อมโยงกับการติดต่อผู้ใช้โดยเฉพาะอย่างยิ่ง NoResults=ไม่มีผลลัพธ์ -AdminTools=Admin Tools +AdminTools=เครื่องมือผู้ดูแลระบบ SystemTools=เครื่องมือของระบบ ModulesSystemTools=เครื่องมือโมดูล Test=ทดสอบ Element=ธาตุ NoPhotoYet=ภาพที่ยังไม่มี -Dashboard=Dashboard -MyDashboard=My Dashboard +Dashboard=แผงควบคุม +MyDashboard=แดชบอร์ดของฉัน Deductible=หัก from=จาก toward=ไปทาง Access=การเข้าถึง -SelectAction=Select action -SelectTargetUser=Select target user/employee +SelectAction=เลือกการกระทำ +SelectTargetUser=เลือกผู้ใช้/พนักงานเป้าหมาย HelpCopyToClipboard=ใช้ Ctrl + C เพื่อคัดลอกไปที่คลิปบอร์ด SaveUploadedFileWithMask=บันทึกไฟล์บนเซิร์ฟเวอร์ที่มีชื่อ "%s" (มิฉะนั้น "%s") OriginFileName=ชื่อไฟล์ต้นฉบับ SetDemandReason=แหล่งที่มาของการตั้งค่า SetBankAccount=กำหนดบัญชีธนาคาร -AccountCurrency=Account currency +AccountCurrency=สกุลเงินในบัญชี ViewPrivateNote=ดูบันทึก XMoreLines=% s สาย (s) ซ่อน -ShowMoreLines=Show more/less lines +ShowMoreLines=แสดงบรรทัดมากขึ้น/น้อยลง PublicUrl=URL ที่สาธารณะ AddBox=เพิ่มกล่อง -SelectElementAndClick=Select an element and click on %s +SelectElementAndClick=เลือกองค์ประกอบและคลิก %s PrintFile=พิมพ์ไฟล์% s -ShowTransaction=Show entry on bank account +ShowTransaction=แสดงรายการในบัญชีธนาคาร ShowIntervention=การแทรกแซงการแสดง ShowContract=แสดงสัญญา -GoIntoSetupToChangeLogo=Go to Home - Setup - Company to change logo or go to Home - Setup - Display to hide. +GoIntoSetupToChangeLogo=ไปที่หน้าแรก - ตั้งค่า - บริษัท เพื่อเปลี่ยนโลโก้หรือไปที่หน้าแรก - ตั้งค่า - แสดงเพื่อซ่อน Deny=ปฏิเสธ Denied=ปฏิเสธ -ListOf=List of %s +ListOf=รายการ %s ListOfTemplates=รายชื่อของแม่แบบ -Gender=Gender -Genderman=Male -Genderwoman=Female +Gender=เพศ +Genderman=ชาย +Genderwoman=หญิง Genderother=อื่น ๆ ViewList=มุมมองรายการ -ViewGantt=Gantt view -ViewKanban=Kanban view -Mandatory=Mandatory +ViewGantt=มุมมองแกนต์ +ViewKanban=มุมมองคัมบัง +Mandatory=บังคับ Hello=สวัสดี -GoodBye=GoodBye -Sincerely=Sincerely -ConfirmDeleteObject=Are you sure you want to delete this object? +GoodBye=ลาก่อน +Sincerely=ขอแสดงความนับถือ +ConfirmDeleteObject=คุณแน่ใจหรือไม่ว่าต้องการลบวัตถุนี้ DeleteLine=ลบบรรทัด -ConfirmDeleteLine=Are you sure you want to delete this line? -ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. -NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record -TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. -NoRecordSelected=No record selected -MassFilesArea=Area for files built by mass actions -ShowTempMassFilesArea=Show area of files built by mass actions -ConfirmMassDeletion=Bulk Delete confirmation -ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record(s)? -ConfirmMassClone=Bulk clone confirmation -ConfirmMassCloneQuestion=Select project to clone to -ConfirmMassCloneToOneProject=Clone to project %s -RelatedObjects=Related Objects -ClassifyBilled=Classify Billed -ClassifyUnbilled=Classify Unbilled +ConfirmDeleteLine=คุณแน่ใจหรือไม่ว่าต้องการลบบรรทัดนี้ +ErrorPDFTkOutputFileNotFound=ข้อผิดพลาด: ไฟล์ไม่ได้ถูกสร้างขึ้น โปรดตรวจสอบว่าคำสั่ง 'pdftk' ได้รับการติดตั้งในไดเร็กทอรีที่รวมอยู่ในตัวแปรสภาพแวดล้อม $PATH (เฉพาะ linux/unix) หรือติดต่อผู้ดูแลระบบของคุณ +NoPDFAvailableForDocGenAmongChecked=ไม่มี PDF สำหรับการสร้างเอกสารระหว่างบันทึกที่ตรวจสอบ +TooManyRecordForMassAction=มีบันทึกที่เลือกสำหรับการดำเนินการจำนวนมากมากเกินไป การดำเนินการนี้จำกัดไว้เฉพาะรายการระเบียน %s +NoRecordSelected=ไม่ได้เลือกบันทึก +MassFilesArea=พื้นที่สำหรับไฟล์ที่สร้างขึ้นโดยการกระทำของมวลชน +ShowTempMassFilesArea=แสดงพื้นที่ของไฟล์ที่สร้างขึ้นจากการกระทำของมวลชน +ConfirmMassDeletion=การยืนยันการลบจำนวนมาก +ConfirmMassDeletionQuestion=คุณแน่ใจหรือไม่ว่าต้องการลบบันทึกที่เลือก %s +ConfirmMassClone=การยืนยันการโคลนจำนวนมาก +ConfirmMassCloneQuestion=เลือกโปรเจ็กต์ที่จะโคลน +ConfirmMassCloneToOneProject=โคลนไปยังโปรเจ็กต์ %s +RelatedObjects=วัตถุที่เกี่ยวข้อง +ClassifyBilled=จำแนกประเภทการเรียกเก็บเงิน +ClassifyUnbilled=จำแนกประเภทที่ยังไม่ได้เรียกเก็บเงิน Progress=ความคืบหน้า -ProgressShort=Progr. -FrontOffice=Front office +ProgressShort=โปรแกรม +FrontOffice=หน้าสำนักงาน BackOffice=สำนักงานกลับ -Submit=Submit -View=View +Submit=ส่ง +View=ดู Export=ส่งออก +Import=นำเข้า Exports=การส่งออก -ExportFilteredList=Export filtered list -ExportList=Export list +ExportFilteredList=ส่งออกรายการที่กรอง +ExportList=รายการส่งออก ExportOptions=ตัวเลือกการส่งออก -IncludeDocsAlreadyExported=Include docs already exported -ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and will be exported -ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported -AllExportedMovementsWereRecordedAsExported=All exported movements were recorded as exported -NotAllExportedMovementsCouldBeRecordedAsExported=Not all exported movements could be recorded as exported +IncludeDocsAlreadyExported=รวมเอกสารที่ส่งออกแล้ว +ExportOfPiecesAlreadyExportedIsEnable=เอกสารที่ส่งออกไปแล้วจะมองเห็นได้และจะถูกส่งออก +ExportOfPiecesAlreadyExportedIsDisable=เอกสารที่ส่งออกไปแล้วจะถูกซ่อนไว้และจะไม่ถูกส่งออก +AllExportedMovementsWereRecordedAsExported=ความเคลื่อนไหวที่ส่งออกทั้งหมดถูกบันทึกว่าส่งออกแล้ว +NotAllExportedMovementsCouldBeRecordedAsExported=ความเคลื่อนไหวที่ส่งออกทั้งหมดไม่สามารถบันทึกเป็นการส่งออกได้ Miscellaneous=เบ็ดเตล็ด Calendar=ปฏิทิน -GroupBy=Group by... -GroupByX=Group by %s -ViewFlatList=View flat list -ViewAccountList=View ledger -ViewSubAccountList=View subaccount ledger -RemoveString=Remove string '%s' -SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. -DirectDownloadLink=Public download link -PublicDownloadLinkDesc=Only the link is required to download the file -DirectDownloadInternalLink=Private download link -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file -Download=Download -DownloadDocument=Download document -DownloadSignedDocument=Download signed document -ActualizeCurrency=Update currency rate +GroupBy=จัดกลุ่มตาม... +GroupByX=จัดกลุ่มตาม %s +ViewFlatList=ดูรายการแบน +ViewAccountList=ดูบัญชีแยกประเภท +ViewSubAccountList=ดูบัญชีแยกประเภทบัญชีย่อย +RemoveString=ลบสตริง '%s' +SomeTranslationAreUncomplete=ภาษาที่นำเสนอบางส่วนอาจมีการแปลเพียงบางส่วนหรืออาจมีข้อผิดพลาด โปรดช่วยแก้ไขภาษาของคุณโดยการลงทะเบียนที่ https://transifex.com/projects/p/dolibarr/ เพื่อ เพิ่มการปรับปรุงของคุณ +DirectDownloadLink=ลิงค์ดาวน์โหลดสาธารณะ +PublicDownloadLinkDesc=ต้องใช้ลิงก์เท่านั้นในการดาวน์โหลดไฟล์ +DirectDownloadInternalLink=ลิงค์ดาวน์โหลดส่วนตัว +PrivateDownloadLinkDesc=คุณต้องเข้าสู่ระบบและต้องมีสิทธิ์ในการดูหรือดาวน์โหลดไฟล์ +Download=ดาวน์โหลด +DownloadDocument=ดาวน์โหลดเอกสาร +DownloadSignedDocument=ดาวน์โหลดเอกสารที่ลงนามแล้ว +ActualizeCurrency=อัพเดตอัตราสกุลเงิน Fiscalyear=ปีงบประมาณ -ModuleBuilder=Module and Application Builder -SetMultiCurrencyCode=Set currency -BulkActions=Bulk actions -ClickToShowHelp=Click to show tooltip help -WebSite=Website -WebSites=Websites -WebSiteAccounts=Website accounts +ModuleBuilder=ตัวสร้างโมดูลและแอปพลิเคชัน +SetMultiCurrencyCode=ตั้งค่าสกุลเงิน +BulkActions=การดำเนินการเป็นกลุ่ม +ClickToShowHelp=คลิกเพื่อแสดงคำแนะนำเครื่องมือช่วยเหลือ +WebSite=เว็บไซต์ +WebSites=เว็บไซต์ +WebSiteAccounts=บัญชีการเข้าถึงเว็บ ExpenseReport=รายงานค่าใช้จ่าย ExpenseReports=รายงานค่าใช้จ่าย -HR=HR -HRAndBank=HR and Bank -AutomaticallyCalculated=Automatically calculated -TitleSetToDraft=Go back to draft -ConfirmSetToDraft=Are you sure you want to go back to Draft status? -ImportId=Import id +HR=ทรัพยากรบุคคล +HRAndBank=ทรัพยากรบุคคลและธนาคาร +AutomaticallyCalculated=คำนวณโดยอัตโนมัติ +TitleSetToDraft=กลับไปที่ร่าง +ConfirmSetToDraft=คุณแน่ใจหรือไม่ว่าต้องการกลับไปสู่สถานะฉบับร่าง +ImportId=รหัสนำเข้า Events=เหตุการณ์ที่เกิดขึ้น -EMailTemplates=Email templates -FileNotShared=File not shared to external public +EMailTemplates=เทมเพลตอีเมล +FileNotShared=ไฟล์ไม่ได้แชร์กับสาธารณะภายนอก Project=โครงการ Projects=โครงการ -LeadOrProject=Lead | Project -LeadsOrProjects=Leads | Projects -Lead=Lead -Leads=Leads -ListOpenLeads=List open leads -ListOpenProjects=List open projects -NewLeadOrProject=New lead or project +LeadOrProject=ตะกั่ว | โครงการ +LeadsOrProjects=โอกาสในการขาย | โครงการ +Lead=ตะกั่ว +Leads=โอกาสในการขาย +ListOpenLeads=แสดงรายการโอกาสในการขายที่เปิดอยู่ +ListOpenProjects=แสดงรายการโครงการที่เปิดอยู่ +NewLeadOrProject=โอกาสในการขายหรือโครงการใหม่ Rights=สิทธิ์ -LineNb=Line no. +LineNb=หมายเลขบรรทัด IncotermLabel=Incoterms -TabLetteringCustomer=Customer lettering -TabLetteringSupplier=Vendor lettering +TabLetteringCustomer=อักษรลูกค้า +TabLetteringSupplier=ตัวอักษรผู้ขาย Monday=วันจันทร์ Tuesday=วันอังคาร Wednesday=วันพุธ @@ -1003,239 +1008,255 @@ ShortThursday=T ShortFriday=F ShortSaturday=S ShortSunday=S -one=one -two=two -three=three -four=four -five=five -six=six -seven=seven -eight=eight -nine=nine -ten=ten -eleven=eleven -twelve=twelve -thirteen=thirdteen -fourteen=fourteen -fifteen=fifteen -sixteen=sixteen -seventeen=seventeen -eighteen=eighteen -nineteen=nineteen -twenty=twenty -thirty=thirty -forty=forty -fifty=fifty -sixty=sixty -seventy=seventy -eighty=eighty -ninety=ninety -hundred=hundred -thousand=thousand -million=million -billion=billion -trillion=trillion -quadrillion=quadrillion -SelectMailModel=Select an email template -SetRef=Set ref -Select2ResultFoundUseArrows=Some results found. Use arrows to select. -Select2NotFound=No result found -Select2Enter=Enter -Select2MoreCharacter=or more character -Select2MoreCharacters=or more characters -Select2MoreCharactersMore=Search syntax:
      | OR (a|b)
      * Any character (a*b)
      ^ Start with (^ab)
      $ End with (ab$)
      -Select2LoadingMoreResults=Loading more results... -Select2SearchInProgress=Search in progress... +one=หนึ่ง +two=สอง +three=สาม +four=สี่ +five=ห้า +six=หก +seven=เจ็ด +eight=แปด +nine=เก้า +ten=สิบ +eleven=สิบเอ็ด +twelve=สิบสอง +thirteen=สิบสาม +fourteen=สิบสี่ +fifteen=สิบห้า +sixteen=สิบหก +seventeen=สิบเจ็ด +eighteen=สิบแปด +nineteen=สิบเก้า +twenty=ยี่สิบ +thirty=สามสิบ +forty=สี่สิบ +fifty=ห้าสิบ +sixty=หกสิบ +seventy=เจ็ดสิบ +eighty=แปดสิบ +ninety=เก้าสิบ +hundred=ร้อย +thousand=พัน +million=ล้าน +billion=พันล้าน +trillion=ล้านล้าน +quadrillion=สี่ล้านล้าน +SelectMailModel=เลือกเทมเพลตอีเมล +SetRef=ตั้งค่าการอ้างอิง +Select2ResultFoundUseArrows=พบผลลัพธ์บางส่วน ใช้ลูกศรเพื่อเลือก +Select2NotFound=ไม่พบผลลัพธ์ +Select2Enter=เข้า +Select2MoreCharacter=หรือตัวละครเพิ่มเติม +Select2MoreCharacters=หรือตัวละครเพิ่มเติม +Select2MoreCharactersMore=ไวยากรณ์การค้นหา:
      | หรือ (a|b)
      * อักขระใดก็ได้ (a*b)
      ^ เริ่มต้นด้วย (^ab)
      $ ลงท้ายด้วย (ab$)
      +Select2LoadingMoreResults=กำลังโหลดผลลัพธ์เพิ่มเติม... +Select2SearchInProgress=อยู่ระหว่างการค้นหา... SearchIntoThirdparties=บุคคลที่สาม SearchIntoContacts=รายชื่อผู้ติดต่อ SearchIntoMembers=สมาชิก SearchIntoUsers=ผู้ใช้ -SearchIntoProductsOrServices=Products or services -SearchIntoBatch=Lots / Serials +SearchIntoProductsOrServices=สินค้าหรือบริการ +SearchIntoBatch=ล็อต / อนุกรม SearchIntoProjects=โครงการ -SearchIntoMO=Manufacturing Orders +SearchIntoMO=คำสั่งผลิต SearchIntoTasks=งาน -SearchIntoCustomerInvoices=Customer invoices -SearchIntoSupplierInvoices=Vendor invoices -SearchIntoCustomerOrders=Sales orders -SearchIntoSupplierOrders=Purchase orders +SearchIntoCustomerInvoices=ใบแจ้งหนี้ของลูกค้า +SearchIntoSupplierInvoices=ใบแจ้งหนี้ของผู้ขาย +SearchIntoCustomerOrders=ใบสั่งขาย +SearchIntoSupplierOrders=ใบสั่งซื้อ SearchIntoCustomerProposals=ข้อเสนอเชิงพาณิชย์ -SearchIntoSupplierProposals=Vendor proposals +SearchIntoSupplierProposals=ข้อเสนอของผู้ขาย SearchIntoInterventions=การแทรกแซง SearchIntoContracts=สัญญา -SearchIntoCustomerShipments=Customer shipments +SearchIntoCustomerShipments=จัดส่งลูกค้า SearchIntoExpenseReports=รายงานค่าใช้จ่าย -SearchIntoLeaves=Leave -SearchIntoKM=Knowledge base -SearchIntoTickets=Tickets -SearchIntoCustomerPayments=Customer payments -SearchIntoVendorPayments=Vendor payments -SearchIntoMiscPayments=Miscellaneous payments +SearchIntoLeaves=ออกจาก +SearchIntoKM=ฐานความรู้ +SearchIntoTickets=ตั๋ว +SearchIntoCustomerPayments=การชำระเงินของลูกค้า +SearchIntoVendorPayments=การชำระเงินของผู้ขาย +SearchIntoMiscPayments=การชำระเงินเบ็ดเตล็ด CommentLink=ความคิดเห็น -NbComments=Number of comments -CommentPage=Comments space -CommentAdded=Comment added -CommentDeleted=Comment deleted +NbComments=จำนวนความคิดเห็น +CommentPage=พื้นที่แสดงความคิดเห็น +CommentAdded=เพิ่มความคิดเห็นแล้ว +CommentDeleted=ลบความคิดเห็นแล้ว Everybody=ทุกคน +EverybodySmall=ทุกคน PayedBy=จ่ายโดย -PayedTo=Paid to -Monthly=Monthly -Quarterly=Quarterly -Annual=Annual -Local=Local -Remote=Remote -LocalAndRemote=Local and Remote -KeyboardShortcut=Keyboard shortcut +PayedTo=จ่ายให้กับ +Monthly=รายเดือน +Quarterly=รายไตรมาส +Annual=ประจำปี +Local=ท้องถิ่น +Remote=ระยะไกล +LocalAndRemote=ท้องถิ่นและระยะไกล +KeyboardShortcut=แป้นพิมพ์ลัด AssignedTo=ได้รับมอบหมายให้ -Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft mass delete confirmation -FileSharedViaALink=File shared with a public link -SelectAThirdPartyFirst=Select a third party first... -YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode -Inventory=Inventory -AnalyticCode=Analytic code -TMenuMRP=MRP -ShowCompanyInfos=Show company infos -ShowMoreInfos=Show More Infos -NoFilesUploadedYet=Please upload a document first -SeePrivateNote=See private note -PaymentInformation=Payment information -ValidFrom=Valid from -ValidUntil=Valid until -NoRecordedUsers=No users -ToClose=To close -ToRefuse=To refuse +Deletedraft=ลบฉบับร่าง +ConfirmMassDraftDeletion=ร่างการยืนยันการลบจำนวนมาก +FileSharedViaALink=Public file shared via link +SelectAThirdPartyFirst=เลือกบุคคลที่สามก่อน... +YouAreCurrentlyInSandboxMode=ขณะนี้คุณอยู่ในโหมด %s "แซนด์บ็อกซ์" +Inventory=รายการสิ่งของ +AnalyticCode=รหัสวิเคราะห์ +TMenuMRP=รพ +ShowCompanyInfos=แสดงข้อมูลบริษัท +ShowMoreInfos=แสดงข้อมูลเพิ่มเติม +NoFilesUploadedYet=กรุณาอัพโหลดเอกสารก่อน +SeePrivateNote=ดูบันทึกส่วนตัว +PaymentInformation=ข้อมูลการชำระเงิน +ValidFrom=มีผลตั้งแต่ +ValidUntil=ใช้ได้ถึงวันที่ +NoRecordedUsers=ไม่มีผู้ใช้ +ToClose=ใกล้ +ToRefuse=ที่จะปฏิเสธ ToProcess=ในการประมวลผล -ToApprove=To approve -GlobalOpenedElemView=Global view -NoArticlesFoundForTheKeyword=No article found for the keyword '%s' -NoArticlesFoundForTheCategory=No article found for the category -ToAcceptRefuse=To accept | refuse +ToApprove=เพื่ออนุมัติ +GlobalOpenedElemView=มุมมองทั่วโลก +NoArticlesFoundForTheKeyword=ไม่พบบทความสำหรับคำหลัก '%s' +NoArticlesFoundForTheCategory=ไม่พบบทความสำหรับหมวดหมู่นี้ +ToAcceptRefuse=ที่จะยอมรับ | ปฏิเสธ ContactDefault_agenda=เหตุการณ์ ContactDefault_commande=สั่งซื้อ ContactDefault_contrat=สัญญา ContactDefault_facture=ใบกำกับสินค้า ContactDefault_fichinter=การแทรกแซง -ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Purchase Order +ContactDefault_invoice_supplier=ใบแจ้งหนี้ของซัพพลายเออร์ +ContactDefault_order_supplier=ใบสั่งซื้อ ContactDefault_project=โครงการ ContactDefault_project_task=งาน ContactDefault_propal=ข้อเสนอ -ContactDefault_supplier_proposal=Supplier Proposal -ContactDefault_ticket=Ticket -ContactAddedAutomatically=Contact added from contact thirdparty roles -More=More -ShowDetails=Show details -CustomReports=Custom reports -StatisticsOn=Statistics on -SelectYourGraphOptionsFirst=Select your graph options to build a graph -Measures=Measures -XAxis=X-Axis -YAxis=Y-Axis -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? -ShowOtherLanguages=Show other languages -SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language -NotUsedForThisCustomer=Not used for this customer -NotUsedForThisVendor=Not used for this vendor -AmountMustBePositive=Amount must be positive -ByStatus=By status +ContactDefault_supplier_proposal=ข้อเสนอของซัพพลายเออร์ +ContactDefault_ticket=ตั๋ว +ContactAddedAutomatically=ผู้ติดต่อที่เพิ่มจากบทบาทผู้ติดต่อบุคคลที่สาม +More=มากกว่า +ShowDetails=แสดงรายละเอียด +CustomReports=รายงานที่กำหนดเอง +StatisticsOn=สถิติบน +SelectYourGraphOptionsFirst=เลือกตัวเลือกกราฟของคุณเพื่อสร้างกราฟ +Measures=มาตรการ +XAxis=แกน X +YAxis=แกน Y +StatusOfRefMustBe=สถานะของ %s ต้องเป็น %s +DeleteFileHeader=ยืนยันการลบไฟล์ +DeleteFileText=คุณต้องการลบไฟล์นี้จริง ๆ หรือไม่? +ShowOtherLanguages=แสดงภาษาอื่นๆ +SwitchInEditModeToAddTranslation=สลับในโหมดแก้ไขเพื่อเพิ่มคำแปลสำหรับภาษานี้ +NotUsedForThisCustomer=ไม่ได้ใช้สำหรับลูกค้ารายนี้ +NotUsedForThisVendor=ไม่ได้ใช้สำหรับผู้ขายรายนี้ +AmountMustBePositive=จำนวนเงินจะต้องเป็นบวก +ByStatus=ตามสถานะ InformationMessage=ข้อมูล -Used=Used -ASAP=As Soon As Possible -CREATEInDolibarr=Record %s created -MODIFYInDolibarr=Record %s modified -DELETEInDolibarr=Record %s deleted -VALIDATEInDolibarr=Record %s validated -APPROVEDInDolibarr=Record %s approved -DefaultMailModel=Default Mail Model -PublicVendorName=Public name of vendor +Used=ใช้แล้ว +ASAP=โดยเร็วที่สุด +CREATEInDolibarr=สร้างบันทึก %s แล้ว +MODIFYInDolibarr=แก้ไขบันทึก %s แล้ว +DELETEInDolibarr=ลบบันทึก %s แล้ว +VALIDATEInDolibarr=บันทึก %s ได้รับการตรวจสอบแล้ว +APPROVEDInDolibarr=บันทึก %s ได้รับการอนุมัติแล้ว +DefaultMailModel=โมเดลเมลเริ่มต้น +PublicVendorName=ชื่อสาธารณะของผู้ขาย DateOfBirth=วันเกิด -SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again. -UpToDate=Up-to-date -OutOfDate=Out-of-date -EventReminder=Event Reminder -UpdateForAllLines=Update for all lines +SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=โทเค็นความปลอดภัยหมดอายุแล้ว การดำเนินการจึงถูกยกเลิก กรุณาลองอีกครั้ง. +UpToDate=ปัจจุบัน +OutOfDate=ตกยุค +EventReminder=การแจ้งเตือนกิจกรรม +UpdateForAllLines=อัพเดททุกสายครับ OnHold=ไว้ -Civility=Civility -AffectTag=Assign a Tag -AffectUser=Assign a User -SetSupervisor=Set the supervisor -CreateExternalUser=Create external user -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) -ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records +Civility=ความสุภาพ +AffectTag=กำหนดแท็ก +AffectUser=กำหนดผู้ใช้ +SetSupervisor=ตั้งหัวหน้างาน +CreateExternalUser=สร้างผู้ใช้ภายนอก +ConfirmAffectTag=การกำหนดแท็กจำนวนมาก +ConfirmAffectUser=การกำหนดผู้ใช้จำนวนมาก +ProjectRole=บทบาทที่ได้รับมอบหมายในแต่ละโครงการ/โอกาส +TasksRole=บทบาทที่ได้รับมอบหมายในแต่ละงาน (ถ้าใช้) +ConfirmSetSupervisor=ชุดหัวหน้างานจำนวนมาก +ConfirmUpdatePrice=เลือกอัตราราคาเพิ่ม/ลด +ConfirmAffectTagQuestion=คุณแน่ใจหรือไม่ว่าต้องการกำหนดแท็กให้กับระเบียนที่เลือก %s +ConfirmAffectUserQuestion=คุณแน่ใจหรือไม่ว่าต้องการกำหนดผู้ใช้ให้กับบันทึกที่เลือก %s +ConfirmSetSupervisorQuestion=คุณแน่ใจหรือไม่ว่าต้องการตั้งค่าหัวหน้างานเป็น %s ระเบียนที่เลือก +ConfirmUpdatePriceQuestion=คุณแน่ใจหรือไม่ว่าต้องการอัปเดตราคาของระเบียนที่เลือก %s +CategTypeNotFound=ไม่พบประเภทแท็กสำหรับประเภทของบันทึก Rate=ประเมิน -SupervisorNotFound=Supervisor not found -CopiedToClipboard=Copied to clipboard -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. -ConfirmCancel=Are you sure you want to cancel -EmailMsgID=Email MsgID -EmailDate=Email date -SetToStatus=Set to status %s -SetToEnabled=Set to enabled -SetToDisabled=Set to disabled -ConfirmMassEnabling=mass enabling confirmation -ConfirmMassEnablingQuestion=Are you sure you want to enable the %s selected record(s)? -ConfirmMassDisabling=mass disabling confirmation -ConfirmMassDisablingQuestion=Are you sure you want to disable the %s selected record(s)? -RecordsEnabled=%s record(s) enabled -RecordsDisabled=%s record(s) disabled -RecordEnabled=Record enabled -RecordDisabled=Record disabled -Forthcoming=Forthcoming -Currently=Currently -ConfirmMassLeaveApprovalQuestion=Are you sure you want to approve the %s selected record(s)? -ConfirmMassLeaveApproval=Mass leave approval confirmation -RecordAproved=Record approved -RecordsApproved=%s Record(s) approved -Properties=Properties -hasBeenValidated=%s has been validated +SupervisorNotFound=ไม่พบผู้ดูแล +CopiedToClipboard=คัดลอกไปยังคลิปบอร์ดแล้ว +InformationOnLinkToContract=จำนวนเงินนี้เป็นเพียงผลรวมของบรรทัดทั้งหมดของสัญญา ไม่มีการพิจารณาเรื่องเวลา +ConfirmCancel=คุณแน่ใจหรือไม่ว่าต้องการยกเลิก +EmailMsgID=อีเมล MsgID +EmailDate=อีเมล์วันที่ +SetToStatus=ตั้งเป็นสถานะ %s +SetToEnabled=ตั้งค่าเป็นเปิดใช้งาน +SetToDisabled=ตั้งค่าเป็นปิดใช้งาน +ConfirmMassEnabling=การยืนยันจำนวนมาก +ConfirmMassEnablingQuestion=คุณแน่ใจหรือไม่ว่าต้องการเปิดใช้งาน %s ระเบียนที่เลือก +ConfirmMassDisabling=การยืนยันการปิดการใช้งานจำนวนมาก +ConfirmMassDisablingQuestion=คุณแน่ใจหรือไม่ว่าต้องการปิดการใช้งาน %s ระเบียนที่เลือก +RecordsEnabled=เปิดใช้งานระเบียน %s แล้ว +RecordsDisabled=%s ปิดใช้งานระเบียนแล้ว +RecordEnabled=เปิดใช้งานการบันทึกแล้ว +RecordDisabled=บันทึกถูกปิดใช้งาน +Forthcoming=เตรียมพร้อม +Currently=ตอนนี้ +ConfirmMassLeaveApprovalQuestion=คุณแน่ใจหรือไม่ว่าต้องการอนุมัติบันทึกที่เลือก %s +ConfirmMassLeaveApproval=การยืนยันการอนุมัติการลาจำนวนมาก +RecordAproved=บันทึกได้รับการอนุมัติแล้ว +RecordsApproved=%s ได้รับการอนุมัติแล้ว +Properties=คุณสมบัติ +hasBeenValidated=%s ได้รับการตรวจสอบแล้ว ClientTZ=โซนเวลาไคลเอ็นต์ (ผู้ใช้) -NotClosedYet=Not yet closed -ClearSignature=Reset signature -CanceledHidden=Canceled hidden -CanceledShown=Canceled shown -Terminate=Terminate -Terminated=Terminated -AddLineOnPosition=Add line on position (at the end if empty) -ConfirmAllocateCommercial=Assign sales representative confirmation -ConfirmAllocateCommercialQuestion=Are you sure you want to assign the %s selected record(s)? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned -YourMessage=Your message -YourMessageHasBeenReceived=Your message has been received. We will answer or contact you as soon as possible. -UrlToCheck=Url to check -Automation=Automation -CreatedByEmailCollector=Created by Email collector -CreatedByPublicPortal=Created from Public portal -UserAgent=User Agent +NotClosedYet=ยังไม่ปิด +ClearSignature=รีเซ็ตลายเซ็น +CanceledHidden=ยกเลิกการซ่อนแล้ว +CanceledShown=ยกเลิกการแสดง +Terminate=ยุติ +Terminated=สิ้นสุด +AddLineOnPosition=เพิ่มบรรทัดบนตำแหน่ง (ตอนท้ายถ้าว่าง) +ConfirmAllocateCommercial=กำหนดการยืนยันตัวแทนฝ่ายขาย +ConfirmAllocateCommercialQuestion=คุณแน่ใจหรือไม่ว่าต้องการกำหนด %s ระเบียนที่เลือก +CommercialsAffected=ตัวแทนขายที่ได้รับมอบหมาย +CommercialAffected=ตัวแทนฝ่ายขายที่ได้รับมอบหมาย +YourMessage=ข้อความของคุณ +YourMessageHasBeenReceived=ได้รับข้อความของคุณแล้ว เราจะตอบหรือติดต่อคุณโดยเร็วที่สุด +UrlToCheck=URL ที่จะตรวจสอบ +Automation=ระบบอัตโนมัติ +CreatedByEmailCollector=สร้างโดยนักสะสมอีเมล +CreatedByPublicPortal=สร้างจากพอร์ทัลสาธารณะ +UserAgent=ตัวแทนผู้ใช้ InternalUser=ผู้ใช้ภายใน ExternalUser=ผู้ใช้ภายนอก -NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. -HideOnVCard=Hide %s -AddToContacts=Add address to my contacts -LastAccess=Last access -UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here -LastPasswordChangeDate=Last password change date -PublicVirtualCardUrl=Virtual business card page URL -PublicVirtualCard=Virtual business card -TreeView=Tree view -DropFileToAddItToObject=Drop a file to add it to this object -UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison -InProgress=In progress -DateOfPrinting=Date of printing -ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. -UserNotYetValid=Not yet valid +NoSpecificContactAddress=ไม่มีการติดต่อหรือที่อยู่เฉพาะ +NoSpecificContactAddressBis=แท็บนี้มีไว้เพื่อบังคับผู้ติดต่อหรือที่อยู่เฉพาะสำหรับออบเจ็กต์ปัจจุบัน ใช้เฉพาะในกรณีที่คุณต้องการกำหนดผู้ติดต่อหรือที่อยู่เฉพาะหนึ่งรายการหรือหลายรายการสำหรับออบเจ็กต์ เมื่อข้อมูลของบุคคลที่สามไม่เพียงพอหรือไม่ถูกต้อง +HideOnVCard=ซ่อน %s +AddToContacts=เพิ่มที่อยู่ในรายชื่อติดต่อของฉัน +LastAccess=การเข้าถึงครั้งสุดท้าย +UploadAnImageToSeeAPhotoHere=อัปโหลดรูปภาพจากแท็บ %s เพื่อดูรูปภาพที่นี่ +LastPasswordChangeDate=วันที่เปลี่ยนรหัสผ่านครั้งล่าสุด +PublicVirtualCardUrl=URL หน้านามบัตรเสมือน +PublicVirtualCard=นามบัตรเสมือนจริง +TreeView=วิวต้นไม้ +DropFileToAddItToObject=วางไฟล์เพื่อเพิ่มลงในวัตถุนี้ +UploadFileDragDropSuccess=อัพโหลดไฟล์สำเร็จแล้ว +SearchSyntaxTooltipForStringOrNum=สำหรับการค้นหาภายในช่องข้อความ คุณสามารถใช้อักขระ ^ หรือ $ เพื่อค้นหา 'เริ่มต้นหรือลงท้ายด้วย' หรือใช้ ! เพื่อทำการทดสอบ 'ไม่มี' คุณสามารถใช้ | ระหว่างสองสตริงแทนที่จะเว้นวรรคสำหรับเงื่อนไข 'OR' แทนที่จะเป็น 'AND' สำหรับค่าตัวเลข คุณสามารถใช้โอเปอเรเตอร์ <, >, <=, >= หรือ != ก่อนค่า เพื่อกรองโดยใช้การเปรียบเทียบทางคณิตศาสตร์ +InProgress=กำลังดำเนินการ +DateOfPrinting=วันที่พิมพ์ +ClickFullScreenEscapeToLeave=คลิกที่นี่เพื่อเปลี่ยนในโหมดเต็มหน้าจอ กด ESCAPE เพื่อออกจากโหมดเต็มหน้าจอ +UserNotYetValid=ยังไม่ถูกต้อง UserExpired=หมดอายุ +LinkANewFile=เชื่อมโยงไฟล์ใหม่ / เอกสาร +LinkedFiles=แฟ้มที่เชื่อมโยงและเอกสาร +NoLinkFound=ไม่มีการเชื่อมโยงลงทะเบียน +LinkComplete=ไฟล์ที่ได้รับการประสบความสำเร็จในการเชื่อมโยง +ErrorFileNotLinked=ไฟล์ไม่สามารถเชื่อมโยง +LinkRemoved=การเชื่อมโยง% s ได้ถูกลบออก +ErrorFailedToDeleteLink= ล้มเหลวในการลบการเชื่อมโยง '% s' +ErrorFailedToUpdateLink= ล้มเหลวในการปรับปรุงการเชื่อมโยง '% s' +URLToLink=URL ที่จะเชื่อมโยง +OverwriteIfExists=เขียนทับหากมีไฟล์อยู่ +AmountSalary=จำนวนเงินเดือน +InvoiceSubtype=ประเภทย่อยของใบแจ้งหนี้ +ConfirmMassReverse=การยืนยันการย้อนกลับจำนวนมาก +ConfirmMassReverseQuestion=คุณแน่ใจหรือไม่ว่าต้องการย้อนกลับระเบียนที่เลือก %s + diff --git a/htdocs/langs/th_TH/oauth.lang b/htdocs/langs/th_TH/oauth.lang index 075ff49a895..ccef9d1ac20 100644 --- a/htdocs/langs/th_TH/oauth.lang +++ b/htdocs/langs/th_TH/oauth.lang @@ -1,32 +1,42 @@ # Dolibarr language file - Source file is en_US - oauth -ConfigOAuth=OAuth Configuration -OAuthServices=OAuth Services -ManualTokenGeneration=Manual token generation -TokenManager=Token Manager -IsTokenGenerated=Is token generated ? -NoAccessToken=No access token saved into local database -HasAccessToken=A token was generated and saved into local database -NewTokenStored=Token received and saved -ToCheckDeleteTokenOnProvider=Click here to check/delete authorization saved by %s OAuth provider -TokenDeleted=Token deleted -RequestAccess=Click here to request/renew access and receive a new token to save -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider: -ListOfSupportedOauthProviders=Enter the credentials provided by your OAuth2 provider. Only supported OAuth2 providers are listedd here. These services may be used by other modules that need OAuth2 authentication. -OAuthSetupForLogin=Page to generate an OAuth token -SeePreviousTab=See previous tab -OAuthIDSecret=OAuth ID and Secret -TOKEN_REFRESH=Token Refresh Present -TOKEN_EXPIRED=Token expired -TOKEN_EXPIRE_AT=Token expire at -TOKEN_DELETE=Delete saved token -OAUTH_GOOGLE_NAME=OAuth Google service -OAUTH_GOOGLE_ID=OAuth Google Id -OAUTH_GOOGLE_SECRET=OAuth Google Secret -OAUTH_GOOGLE_DESC=Go to this page then "Credentials" to create OAuth credentials -OAUTH_GITHUB_NAME=OAuth GitHub service -OAUTH_GITHUB_ID=OAuth GitHub Id -OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_GITHUB_DESC=Go to this page then "Register a new application" to create OAuth credentials -OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test -OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live +ConfigOAuth=การกำหนดค่า OAuth +OAuthServices=บริการ OAuth +ManualTokenGeneration=การสร้างโทเค็นด้วยตนเอง +TokenManager=ผู้จัดการโทเค็น +IsTokenGenerated=มีการสร้างโทเค็นหรือไม่ +NoAccessToken=ไม่มีโทเค็นการเข้าถึงที่บันทึกไว้ในฐานข้อมูลท้องถิ่น +HasAccessToken=โทเค็นถูกสร้างขึ้นและบันทึกลงในฐานข้อมูลท้องถิ่น +NewTokenStored=ได้รับโทเค็นและบันทึกแล้ว +ToCheckDeleteTokenOnProvider=คลิกที่นี่เพื่อตรวจสอบ/ลบการให้สิทธิ์ที่บันทึกโดยผู้ให้บริการ OAuth %s +TokenDeleted=ลบโทเค็นแล้ว +GetAccess=คลิกที่นี่เพื่อรับโทเค็น +RequestAccess=คลิกที่นี่เพื่อขอ/ต่ออายุการเข้าถึงและรับโทเค็นใหม่ +DeleteAccess=คลิกที่นี่เพื่อลบโทเค็น +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider +ListOfSupportedOauthProviders=เพิ่มผู้ให้บริการโทเค็น OAuth2 ของคุณ จากนั้น ไปที่หน้าผู้ดูแลระบบผู้ให้บริการ OAuth เพื่อสร้าง/รับ OAuth ID และข้อมูลลับ แล้วบันทึกไว้ที่นี่ เมื่อเสร็จแล้ว ให้เปิดแท็บอื่นเพื่อสร้างโทเค็นของคุณ +OAuthSetupForLogin=หน้าที่จะจัดการ (สร้าง/ลบ) โทเค็น OAuth +SeePreviousTab=ดูแท็บก่อนหน้า +OAuthProvider=ผู้ให้บริการ OAuth +OAuthIDSecret=รหัส OAuth และความลับ +TOKEN_REFRESH=โทเค็นการรีเฟรชปัจจุบัน +TOKEN_EXPIRED=โทเค็นหมดอายุ +TOKEN_EXPIRE_AT=โทเค็นหมดอายุเมื่อ +TOKEN_DELETE=ลบโทเค็นที่บันทึกไว้ +OAUTH_GOOGLE_NAME=บริการ OAuth ของ Google +OAUTH_GOOGLE_ID=รหัส Google OAuth +OAUTH_GOOGLE_SECRET=OAuth ความลับของ Google +OAUTH_GITHUB_NAME=บริการ OAuth GitHub +OAUTH_GITHUB_ID=รหัส OAuth GitHub +OAUTH_GITHUB_SECRET=ข้อมูลลับ OAuth GitHub +OAUTH_URL_FOR_CREDENTIAL=ไปที่ หน้านี้ เพื่อสร้างหรือรับ OAuth ID และ Secret ของคุณ +OAUTH_STRIPE_TEST_NAME=การทดสอบแถบ OAuth +OAUTH_STRIPE_LIVE_NAME=OAuth ลายสด +OAUTH_ID=รหัสไคลเอ็นต์ OAuth +OAUTH_SECRET=ข้อมูลลับ OAuth +OAUTH_TENANT=ผู้เช่า OAuth +OAuthProviderAdded=เพิ่มผู้ให้บริการ OAuth แล้ว +AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=มีรายการ OAuth สำหรับผู้ให้บริการและป้ายกำกับนี้อยู่แล้ว +URLOfServiceForAuthorization=URL ที่จัดทำโดยบริการ OAuth สำหรับการตรวจสอบสิทธิ์ +Scopes=สิทธิ์ (ขอบเขต) +ScopeUndefined=สิทธิ์ (ขอบเขต) ไม่ได้กำหนด (ดูแท็บก่อนหน้า) diff --git a/htdocs/langs/th_TH/products.lang b/htdocs/langs/th_TH/products.lang index 186300a6afe..0374c15eaa6 100644 --- a/htdocs/langs/th_TH/products.lang +++ b/htdocs/langs/th_TH/products.lang @@ -1,10 +1,10 @@ # Dolibarr language file - Source file is en_US - products ProductRef=สินค้าอ้างอิง ProductLabel=ฉลากสินค้า -ProductLabelTranslated=Translated product label -ProductDescription=Product description -ProductDescriptionTranslated=Translated product description -ProductNoteTranslated=Translated product note +ProductLabelTranslated=แปลฉลากสินค้า +ProductDescription=รายละเอียดสินค้า +ProductDescriptionTranslated=รายละเอียดสินค้าที่แปลแล้ว +ProductNoteTranslated=แปลบันทึกผลิตภัณฑ์ ProductServiceCard=สินค้า / บริการบัตร TMenuProducts=ผลิตภัณฑ์ TMenuServices=บริการ @@ -17,43 +17,43 @@ Create=สร้าง Reference=การอ้างอิง NewProduct=ผลิตภัณฑ์ใหม่ NewService=บริการใหม่ -ProductVatMassChange=Global VAT Update -ProductVatMassChangeDesc=This tool updates the VAT rate defined on ALL products and services! +ProductVatMassChange=การอัปเดต VAT ทั่วโลก +ProductVatMassChangeDesc=เครื่องมือนี้จะอัปเดตอัตรา VAT ที่กำหนดไว้ใน ALL สินค้าและบริการ! MassBarcodeInit=init บาร์โค้ดมวล MassBarcodeInitDesc=หน้านี้สามารถนำมาใช้ในการเริ่มต้นบาร์โค้ดบนวัตถุที่ไม่ได้มีการกำหนดบาร์โค้ด ก่อนที่จะตรวจสอบการตั้งค่าของบาร์โค้ดโมดูลที่เสร็จสมบูรณ์ -ProductAccountancyBuyCode=Accounting code (purchase) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) -ProductAccountancySellCode=Accounting code (sale) -ProductAccountancySellIntraCode=Accounting code (sale intra-Community) -ProductAccountancySellExportCode=Accounting code (sale export) +ProductAccountancyBuyCode=รหัสบัญชี (ซื้อ) +ProductAccountancyBuyIntraCode=รหัสบัญชี (ซื้อภายในชุมชน) +ProductAccountancyBuyExportCode=รหัสบัญชี (นำเข้าซื้อ) +ProductAccountancySellCode=รหัสบัญชี (ขาย) +ProductAccountancySellIntraCode=รหัสบัญชี (การขายภายในชุมชน) +ProductAccountancySellExportCode=รหัสบัญชี (ส่งออกการขาย) ProductOrService=สินค้าหรือบริการ ProductsAndServices=สินค้าและบริการ ProductsOrServices=ผลิตภัณฑ์หรือบริการ -ProductsPipeServices=Products | Services -ProductsOnSale=Products for sale -ProductsOnPurchase=Products for purchase -ProductsOnSaleOnly=Products for sale only -ProductsOnPurchaseOnly=Products for purchase only -ProductsNotOnSell=Products not for sale and not for purchase +ProductsPipeServices=สินค้า | บริการ +ProductsOnSale=สินค้าขาย +ProductsOnPurchase=สินค้าสำหรับการซื้อ +ProductsOnSaleOnly=สินค้าจำหน่ายเท่านั้น +ProductsOnPurchaseOnly=สินค้าสำหรับการซื้อเท่านั้น +ProductsNotOnSell=สินค้าไม่ขายและไม่ซื้อ ProductsOnSellAndOnBuy=ผลิตภัณฑ์สำหรับการขายและการซื้อ -ServicesOnSale=Services for sale -ServicesOnPurchase=Services for purchase -ServicesOnSaleOnly=Services for sale only -ServicesOnPurchaseOnly=Services for purchase only -ServicesNotOnSell=Services not for sale and not for purchase +ServicesOnSale=บริการสำหรับการขาย +ServicesOnPurchase=บริการรับซื้อ +ServicesOnSaleOnly=บริการสำหรับการขายเท่านั้น +ServicesOnPurchaseOnly=บริการสำหรับการซื้อเท่านั้น +ServicesNotOnSell=บริการไม่มีขายและไม่ซื้อ ServicesOnSellAndOnBuy=บริการสำหรับการขายและการซื้อ -LastModifiedProductsAndServices=Latest %s products/services which were modified -LastRecordedProducts=Latest %s recorded products -LastRecordedServices=Latest %s recorded services +LastModifiedProductsAndServices=ผลิตภัณฑ์/บริการ %s ล่าสุดที่ได้รับการแก้ไข +LastRecordedProducts=%s ผลิตภัณฑ์ที่บันทึกไว้ล่าสุด +LastRecordedServices=%s บริการที่บันทึกไว้ล่าสุด CardProduct0=สินค้า CardProduct1=บริการ Stock=สต็อกสินค้า MenuStocks=หุ้น -Stocks=Stocks and location (warehouse) of products +Stocks=สต็อคและที่ตั้ง (คลังสินค้า) ของผลิตภัณฑ์ Movements=การเคลื่อนไหว Sell=ขาย -Buy=Purchase +Buy=ซื้อ OnSell=สำหรับการขาย OnBuy=สำหรับการซื้อ NotOnSell=ไม่ขาย @@ -65,30 +65,33 @@ ProductStatusOnBuy=สำหรับการซื้อ ProductStatusNotOnBuy=ไม่ได้สำหรับการซื้อ ProductStatusOnBuyShort=สำหรับการซื้อ ProductStatusNotOnBuyShort=ไม่ได้สำหรับการซื้อ -UpdateVAT=Update vat -UpdateDefaultPrice=Update default price -UpdateLevelPrices=Update prices for each level -AppliedPricesFrom=Applied from +UpdateVAT=อัพเดทภาษีมูลค่าเพิ่ม +UpdateDefaultPrice=อัพเดทราคาเริ่มต้น +UpdateLevelPrices=อัพเดทราคาในแต่ละระดับ +AppliedPricesFrom=ประยุกต์มาจาก SellingPrice=ราคาขาย -SellingPriceHT=Selling price (excl. tax) +SellingPriceHT=ราคาขาย (ไม่รวมภาษี) SellingPriceTTC=ราคาขาย (รวมภาษี). -SellingMinPriceTTC=Minimum Selling price (inc. tax) -CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. -CostPriceUsage=This value could be used for margin calculation. -ManufacturingPrice=Manufacturing price -SoldAmount=Sold amount -PurchasedAmount=Purchased amount +SellingMinPriceTTC=ราคาขายขั้นต่ำ (รวมภาษี) +CostPriceDescription=ช่องราคานี้ (ไม่รวมภาษี) สามารถใช้เพื่อรวบรวมจำนวนเงินโดยเฉลี่ยที่ต้นทุนผลิตภัณฑ์นี้ให้กับบริษัทของคุณ อาจเป็นราคาใดๆ ที่คุณคำนวณเอง เช่น จากราคาซื้อเฉลี่ยบวกกับต้นทุนการผลิตและจัดจำหน่ายโดยเฉลี่ย +CostPriceUsage=ค่านี้สามารถใช้สำหรับการคำนวณมาร์จิ้นได้ +ManufacturingPrice=ราคาผลิต +SoldAmount=จำนวนที่ขาย +PurchasedAmount=จำนวนที่ซื้อ NewPrice=ราคาใหม่ -MinPrice=Min. selling price -EditSellingPriceLabel=Edit selling price label -CantBeLessThanMinPrice=ราคาขายไม่สามารถจะต่ำกว่าขั้นต่ำที่ได้รับอนุญาตสำหรับสินค้านี้ (% s โดยไม่มีภาษี) ข้อความนี้ยังสามารถปรากฏขึ้นถ้าคุณพิมพ์ส่วนลดสำคัญมากเกินไป +MinPrice=นาที. ราคาขาย +MinPriceHT=นาที. ราคาขาย (ไม่รวมภาษี) +MinPriceTTC=นาที ขายราคา (รวมภาษี). +EditSellingPriceLabel=แก้ไขป้ายราคาขาย +CantBeLessThanMinPrice=ราคาขายต้องไม่ต่ำกว่าขั้นต่ำที่อนุญาตสำหรับผลิตภัณฑ์นี้ (%s ไม่รวมภาษี) ข้อความนี้อาจปรากฏขึ้นหากคุณพิมพ์ส่วนลดจำนวนมาก +CantBeLessThanMinPriceInclTax=ราคาขายต้องไม่ต่ำกว่าขั้นต่ำที่อนุญาตสำหรับผลิตภัณฑ์นี้ (%s รวมภาษีแล้ว) ข้อความนี้อาจปรากฏขึ้นหากคุณพิมพ์ส่วนลดที่สำคัญเกินไป ContractStatusClosed=ปิด ErrorProductAlreadyExists=ผลิตภัณฑ์ที่มีการอ้างอิง% s อยู่แล้ว ErrorProductBadRefOrLabel=ค่าที่ไม่ถูกต้องสำหรับการอ้างอิงหรือฉลาก ErrorProductClone=มีปัญหาในขณะที่พยายามจะโคลนสินค้าหรือบริการ ErrorPriceCantBeLowerThanMinPrice=ข้อผิดพลาดราคาไม่สามารถจะต่ำกว่าราคาขั้นต่ำ Suppliers=ผู้ขาย -SupplierRef=Vendor SKU +SupplierRef=SKU ของผู้ขาย ShowProduct=แสดงผลิตภัณฑ์ ShowService=แสดงบริการ ProductsAndServicesArea=สินค้าและพื้นที่บริการ @@ -96,8 +99,8 @@ ProductsArea=พื้นที่สินค้า ServicesArea=พื้นที่บริการ ListOfStockMovements=รายการเคลื่อนไหวของหุ้น BuyingPrice=ราคาที่ซื้อ -PriceForEachProduct=Products with specific prices -SupplierCard=Vendor card +PriceForEachProduct=สินค้าที่มีราคาเฉพาะ +SupplierCard=บัตรผู้ขาย PriceRemoved=ราคาลบออก BarCode=บาร์โค้ด BarcodeType=ประเภทเครื่องอ่านบาร์โค้ด @@ -105,25 +108,25 @@ SetDefaultBarcodeType=ตั้งค่าชนิดบาร์โค้ด BarcodeValue=ค่าบาร์โค้ด NoteNotVisibleOnBill=หมายเหตุ (ไม่ปรากฏในใบแจ้งหนี้ข้อเสนอ ... ) ServiceLimitedDuration=หากผลิตภัณฑ์เป็นบริการที่มีระยะเวลา จำกัด : -FillWithLastServiceDates=Fill with last service line dates -MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) +FillWithLastServiceDates=กรอกวันที่ให้บริการล่าสุด +MultiPricesAbility=กลุ่มราคาหลายรายการต่อผลิตภัณฑ์/บริการ (ลูกค้าแต่ละรายอยู่ในกลุ่มราคาเดียว) MultiPricesNumPrices=จำนวนของราคา -DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices -AssociatedProductsAbility=Enable Kits (set of several products) -VariantsAbility=Enable Variants (variations of products, for example color, size) -AssociatedProducts=Kits -AssociatedProductsNumber=Number of products composing this kit +DefaultPriceType=ฐานของราคาต่อค่าเริ่มต้น (พร้อมเทียบกับไม่รวมภาษี) เมื่อเพิ่มราคาขายใหม่ +AssociatedProductsAbility=เปิดใช้งานชุดอุปกรณ์ (ชุดผลิตภัณฑ์หลายรายการ) +VariantsAbility=เปิดใช้งานตัวเลือกสินค้า (รูปแบบของผลิตภัณฑ์ เช่น สี ขนาด) +AssociatedProducts=ชุดอุปกรณ์ +AssociatedProductsNumber=จำนวนผลิตภัณฑ์ที่สร้างชุดอุปกรณ์นี้ ParentProductsNumber=จำนวนผู้ปกครองผลิตภัณฑ์บรรจุภัณฑ์ -ParentProducts=Parent products -IfZeroItIsNotAVirtualProduct=If 0, this product is not a kit -IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit +ParentProducts=สินค้าพ่อแม่ +IfZeroItIsNotAVirtualProduct=หากเป็น 0 แสดงว่าผลิตภัณฑ์นี้ไม่ใช่ชุดอุปกรณ์ +IfZeroItIsNotUsedByVirtualProduct=หากเป็น 0 แสดงว่าผลิตภัณฑ์นี้ไม่ได้ใช้กับชุดอุปกรณ์ใดๆ KeywordFilter=กรองคำ CategoryFilter=ตัวกรองหมวดหมู่ ProductToAddSearch=ค้นหาสินค้าที่จะเพิ่ม NoMatchFound=ไม่พบการแข่งขัน -ListOfProductsServices=List of products/services -ProductAssociationList=List of products/services that are component(s) of this kit -ProductParentList=List of kits with this product as a component +ListOfProductsServices=รายการสินค้า/บริการ +ProductAssociationList=รายการผลิตภัณฑ์/บริการที่เป็นส่วนประกอบของชุดอุปกรณ์นี้ +ProductParentList=รายการชุดอุปกรณ์ที่มีผลิตภัณฑ์นี้เป็นส่วนประกอบ ErrorAssociationIsFatherOfThis=หนึ่งในผลิตภัณฑ์ที่เลือกเป็นผู้ปกครองกับผลิตภัณฑ์ในปัจจุบัน DeleteProduct=ลบสินค้า / บริการ ConfirmDeleteProduct=คุณแน่ใจหรือว่าต้องการลบสินค้า / บริการนี​​้ @@ -135,21 +138,22 @@ ImportDataset_service_1=บริการ DeleteProductLine=ลบสายผลิตภัณฑ์ ConfirmDeleteProductLine=คุณแน่ใจหรือว่าต้องการลบบรรทัดผลิตภัณฑ์นี้หรือไม่ ProductSpecial=พิเศษ -QtyMin=Min. purchase quantity -PriceQtyMin=Price quantity min. -PriceQtyMinCurrency=Price (currency) for this qty. (no discount) -VATRateForSupplierProduct=VAT Rate (for this vendor/product) -DiscountQtyMin=Discount for this qty. -NoPriceDefinedForThisSupplier=No price/qty defined for this vendor/product -NoSupplierPriceDefinedForThisProduct=No vendor price/qty defined for this product -PredefinedItem=Predefined item -PredefinedProductsToSell=Predefined Product -PredefinedServicesToSell=Predefined Service +QtyMin=นาที. ปริมาณการซื้อ +PriceQtyMin=ราคา ปริมาณ ขั้นต่ำ +PriceQtyMinCurrency=ราคา (สกุลเงิน) สำหรับจำนวนนี้ +WithoutDiscount=โดยไม่มีส่วนลด +VATRateForSupplierProduct=อัตราภาษีมูลค่าเพิ่ม (สำหรับผู้ขาย/ผลิตภัณฑ์นี้) +DiscountQtyMin=ส่วนลดสำหรับจำนวนนี้ +NoPriceDefinedForThisSupplier=ไม่มีการกำหนดราคา/จำนวนสำหรับผู้ขาย/ผลิตภัณฑ์นี้ +NoSupplierPriceDefinedForThisProduct=ไม่มีการกำหนดราคา/จำนวนผู้ขายสำหรับผลิตภัณฑ์นี้ +PredefinedItem=รายการที่กำหนดไว้ล่วงหน้า +PredefinedProductsToSell=ผลิตภัณฑ์ที่กำหนดไว้ล่วงหน้า +PredefinedServicesToSell=บริการที่กำหนดไว้ล่วงหน้า PredefinedProductsAndServicesToSell=ผลิตภัณฑ์ที่กำหนดไว้ล่วงหน้า / บริการที่จะขาย PredefinedProductsToPurchase=สินค้าที่กำหนดไว้ล่วงหน้าจะซื้อ PredefinedServicesToPurchase=บริการที่กำหนดไว้ล่วงหน้าจะซื้อ -PredefinedProductsAndServicesToPurchase=Predefined products/services to purchase -NotPredefinedProducts=Not predefined products/services +PredefinedProductsAndServicesToPurchase=ผลิตภัณฑ์/บริการที่กำหนดไว้ล่วงหน้าที่จะซื้อ +NotPredefinedProducts=ไม่ใช่ผลิตภัณฑ์/บริการที่กำหนดไว้ล่วงหน้า GenerateThumb=สร้างหัวแม่มือ ServiceNb=บริการ #% s ListProductServiceByPopularity=รายการผลิตภัณฑ์ / บริการตามความนิยม @@ -157,26 +161,26 @@ ListProductByPopularity=รายการของผลิตภัณฑ์ ListServiceByPopularity=รายการของการบริการตามความนิยม Finished=ผลิตภัณฑ์ที่ผลิต RowMaterial=วัตถุดิบ -ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of the product/service -ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone linked tags/categories -CloneCompositionProduct=Clone virtual products/services -CloneCombinationsProduct=Clone the product variants +ConfirmCloneProduct=คุณแน่ใจหรือไม่ว่าต้องการโคลนผลิตภัณฑ์หรือบริการ %s +CloneContentProduct=โคลนข้อมูลหลักทั้งหมดของผลิตภัณฑ์/บริการ +ClonePricesProduct=ราคาโคลน +CloneCategoriesProduct=โคลนแท็ก/หมวดหมู่ที่เชื่อมโยง +CloneCompositionProduct=โคลนผลิตภัณฑ์/บริการเสมือน +CloneCombinationsProduct=โคลนตัวเลือกสินค้า ProductIsUsed=ผลิตภัณฑ์นี้ถูกนำมาใช้ NewRefForClone=อ้าง ของผลิตภัณฑ์ / บริการใหม่ -SellingPrices=Selling prices -BuyingPrices=Buying prices +SellingPrices=ราคาขาย +BuyingPrices=ราคารับซื้อ CustomerPrices=ราคาของลูกค้า -SuppliersPrices=Vendor prices -SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) -CustomCode=Customs|Commodity|HS code -CountryOrigin=Country of origin -RegionStateOrigin=Region of origin -StateOrigin=State|Province of origin -Nature=Nature of product (raw/manufactured) -NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or manufactured product +SuppliersPrices=ราคาผู้ขาย +SuppliersPricesOfProductsOrServices=ราคาผู้ขาย (ของผลิตภัณฑ์หรือบริการ) +CustomCode=ศุลกากร | สินค้าโภคภัณฑ์ | รหัส HS +CountryOrigin=ประเทศต้นกำเนิด +RegionStateOrigin=ภูมิภาคต้นทาง +StateOrigin=รัฐ|จังหวัดต้นทาง +Nature=ลักษณะผลิตภัณฑ์ (ดิบ/ผลิต) +NatureOfProductShort=ลักษณะของผลิตภัณฑ์ +NatureOfProductDesc=วัตถุดิบหรือผลิตภัณฑ์ที่ผลิต ShortLabel=ป้ายสั้น Unit=หน่วย p=ยู @@ -199,41 +203,41 @@ m2=ตารางเมตร m3=ลูกบาศก์เมตร liter=ลิตร l=L -unitP=Piece -unitSET=Set +unitP=ชิ้นส่วน +unitSET=ชุด unitS=ที่สอง unitH=ชั่วโมง unitD=วัน -unitG=Gram -unitM=Meter -unitLM=Linear meter -unitM2=Square meter -unitM3=Cubic meter -unitL=Liter -unitT=ton +unitG=กรัม +unitM=เมตร +unitLM=มิเตอร์เชิงเส้น +unitM2=ตารางเมตร +unitM3=ลูกบาศก์เมตร +unitL=ลิตร +unitT=ตัน unitKG=กก. -unitG=Gram +unitG=กรัม unitMG=มก. unitLB=ปอนด์ unitOZ=ออนซ์ -unitM=Meter +unitM=เมตร unitDM=DM unitCM=ซม. unitMM=มิลลิเมตร -unitFT=ft -unitIN=in -unitM2=Square meter -unitDM2=dm² -unitCM2=cm² -unitMM2=mm² -unitFT2=ft² -unitIN2=in² -unitM3=Cubic meter -unitDM3=dm³ -unitCM3=cm³ -unitMM3=mm³ -unitFT3=ft³ -unitIN3=in³ +unitFT=ฟุต +unitIN=ใน +unitM2=ตารางเมตร +unitDM2=ตร.ม +unitCM2=ซม.² +unitMM2=มม.² +unitFT2=ฟุต² +unitIN2=ใน² +unitM3=ลูกบาศก์เมตร +unitDM3=ลูกบาศก์เมตร +unitCM3=ซม.³ +unitMM3=มม. +unitFT3=ฟุต³ +unitIN3=ใน³ unitOZ3=ออนซ์ unitgallon=แกลลอน ProductCodeModel=แม่แบบสินค้าอ้างอิง @@ -242,172 +246,194 @@ CurrentProductPrice=ราคาปัจจุบัน AlwaysUseNewPrice=มักจะใช้ราคาปัจจุบันของสินค้า / บริการ AlwaysUseFixedPrice=ใช้ราคาคงที่ PriceByQuantity=ราคาที่แตกต่างกันตามปริมาณ -DisablePriceByQty=Disable prices by quantity +DisablePriceByQty=ปิดการใช้งานราคาตามปริมาณ PriceByQuantityRange=จำนวนช่วง -MultipriceRules=Automatic prices for segment -UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment -PercentVariationOver=%% variation over %s -PercentDiscountOver=%% discount over %s -KeepEmptyForAutoCalculation=Keep empty to have this calculated automatically from weight or volume of products -VariantRefExample=Examples: COL, SIZE -VariantLabelExample=Examples: Color, Size +MultipriceRules=ราคาอัตโนมัติสำหรับกลุ่ม +UseMultipriceRules=ใช้กฎเซ็กเมนต์ราคา (กำหนดไว้ในการตั้งค่าโมดูลผลิตภัณฑ์) เพื่อคำนวณราคาของเซ็กเมนต์อื่นๆ ทั้งหมดตามเซ็กเมนต์แรกโดยอัตโนมัติ +PercentVariationOver=%% รูปแบบเหนือ %s +PercentDiscountOver=%% ส่วนลดมากกว่า %s +KeepEmptyForAutoCalculation=เว้นว่างไว้เพื่อให้คำนวณโดยอัตโนมัติจากน้ำหนักหรือปริมาตรของผลิตภัณฑ์ +VariantRefExample=ตัวอย่าง: COL, SIZE +VariantLabelExample=ตัวอย่าง: สี, ขนาด ### composition fabrication Build=ก่อ -ProductsMultiPrice=Products and prices for each price segment +ProductsMultiPrice=ผลิตภัณฑ์และราคาสำหรับแต่ละส่วนราคา ProductsOrServiceMultiPrice=ราคาของลูกค้า (ของผลิตภัณฑ์หรือบริการราคาหลาย) -ProductSellByQuarterHT=Products turnover quarterly before tax -ServiceSellByQuarterHT=Services turnover quarterly before tax +ProductSellByQuarterHT=มูลค่าการซื้อขายผลิตภัณฑ์รายไตรมาสก่อนหักภาษี +ServiceSellByQuarterHT=ผลประกอบการรายไตรมาสก่อนหักภาษี Quarter1=1 ย่าน Quarter2=2 ย่าน Quarter3=3 ย่าน Quarter4=4 ย่าน -BarCodePrintsheet=Print barcode -PageToGenerateBarCodeSheets=With this tool, you can print sheets of barcode stickers. Choose format of your sticker page, type of barcode and value of barcode, then click on button %s. +BarCodePrintsheet=พิมพ์บาร์โค้ด +PageToGenerateBarCodeSheets=ด้วยเครื่องมือนี้ คุณสามารถพิมพ์แผ่นสติกเกอร์บาร์โค้ดได้ เลือกรูปแบบหน้าสติกเกอร์ ประเภทบาร์โค้ด และค่าบาร์โค้ด จากนั้นคลิกที่ปุ่ม %s. NumberOfStickers=จำนวนสติกเกอร์พิมพ์บนหน้า PrintsheetForOneBarCode=พิมพ์สติกเกอร์หลายหนึ่งบาร์โค้ด BuildPageToPrint=สร้างหน้าในการพิมพ์ FillBarCodeTypeAndValueManually=กรอกประเภทบาร์โค้ดและความคุ้มค่าด้วยตนเอง FillBarCodeTypeAndValueFromProduct=กรอกประเภทบาร์โค้ดและความคุ้มค่าจากบาร์โค้ดของผลิตภัณฑ์ -FillBarCodeTypeAndValueFromThirdParty=Fill barcode type and value from barcode of a third party. -DefinitionOfBarCodeForProductNotComplete=Definition of type or value of barcode not complete for product %s. -DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of barcode non complete for third party %s. -BarCodeDataForProduct=Barcode information of product %s: -BarCodeDataForThirdparty=Barcode information of third party %s: -ResetBarcodeForAllRecords=Define barcode value for all record (this will also reset barcode value already defined with new values) -PriceByCustomer=Different prices for each customer -PriceCatalogue=A single sell price per product/service -PricingRule=Rules for selling prices +FillBarCodeTypeAndValueFromThirdParty=กรอกประเภทบาร์โค้ดและค่าจากบาร์โค้ดของบุคคลที่สาม +DefinitionOfBarCodeForProductNotComplete=คำจำกัดความของประเภทหรือค่าของบาร์โค้ดที่ไม่สมบูรณ์สำหรับผลิตภัณฑ์ %s +DefinitionOfBarCodeForThirdpartyNotComplete=คำจำกัดความของประเภทหรือค่าของบาร์โค้ดที่ไม่สมบูรณ์สำหรับบุคคลที่สาม %s +BarCodeDataForProduct=ข้อมูลบาร์โค้ดของผลิตภัณฑ์ %s: +BarCodeDataForThirdparty=ข้อมูลบาร์โค้ดของบุคคลที่สาม %s: +ResetBarcodeForAllRecords=กำหนดค่าบาร์โค้ดสำหรับบันทึกทั้งหมด (ซึ่งจะรีเซ็ตค่าบาร์โค้ดที่กำหนดไว้แล้วด้วยค่าใหม่ด้วย) +PriceByCustomer=ราคาที่แตกต่างกันสำหรับลูกค้าแต่ละราย +PriceCatalogue=ราคาขายเดียวต่อผลิตภัณฑ์/บริการ +PricingRule=กฎเกณฑ์สำหรับราคาขาย AddCustomerPrice=เพิ่มราคาโดยลูกค้า -ForceUpdateChildPriceSoc=Set same price on customer's subsidiaries -PriceByCustomerLog=Log of previous customer prices +ForceUpdateChildPriceSoc=กำหนดราคาเดียวกันกับบริษัทในเครือของลูกค้า +PriceByCustomerLog=บันทึกราคาของลูกค้าก่อนหน้านี้ MinimumPriceLimit=ราคาขั้นต่ำไม่สามารถจะลดลงแล้ว% s -MinimumRecommendedPrice=Minimum recommended price is: %s +MinimumRecommendedPrice=ราคาแนะนำขั้นต่ำคือ: %s PriceExpressionEditor=บรรณาธิการแสดงออกราคา PriceExpressionSelected=การแสดงออกของราคาที่เลือกไว้ PriceExpressionEditorHelp1="ราคา = 2 + 2" หรือ "2 + 2" สำหรับการตั้งราคา ใช้; การแสดงออกทางแยก PriceExpressionEditorHelp2=คุณสามารถเข้าถึง ExtraFields กับตัวแปรเช่น # # extrafield_myextrafieldkey และตัวแปรระดับโลกที่มี global_mycode # # -PriceExpressionEditorHelp3=In both product/service and vendor prices there are these variables available:
      #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# -PriceExpressionEditorHelp4=In product/service price only: #supplier_min_price#
      In vendor prices only: #supplier_quantity# and #supplier_tva_tx# +PriceExpressionEditorHelp3=ทั้งในผลิตภัณฑ์/บริการและราคาของผู้ขาย มีตัวแปรเหล่านี้:
      #tva_tx# #localtax1_tx# #localtax2_tx# # น้ำหนัก# #ความยาว# #พื้นผิว# #price_min# +PriceExpressionEditorHelp4=ในราคาผลิตภัณฑ์/บริการเท่านั้น: #supplier_min_price#
      ใน ราคาผู้ขายเท่านั้น: #supplier_quantity# และ #supplier_tva_tx# PriceExpressionEditorHelp5=ค่าระดับโลกที่มีจำหน่าย: PriceMode=โหมดราคา PriceNumeric=จำนวน DefaultPrice=ราคาเริ่มต้น -DefaultPriceLog=Log of previous default prices +DefaultPriceLog=บันทึกราคาเริ่มต้นก่อนหน้า ComposedProductIncDecStock=เพิ่มขึ้น / ลดลงหุ้นเกี่ยวกับการเปลี่ยนแปลงผู้ปกครอง -ComposedProduct=Child products +ComposedProduct=สินค้าเด็ก MinSupplierPrice=ราคารับซื้อขั้นต่ำ -MinCustomerPrice=Minimum selling price -NoDynamicPrice=No dynamic price +MinCustomerPrice=ราคาขายขั้นต่ำ +NoDynamicPrice=ไม่มีราคาแบบไดนามิก DynamicPriceConfiguration=การกำหนดค่าราคาแบบไดนามิก -DynamicPriceDesc=You may define mathematical formulae to calculate Customer or Vendor prices. Such formulas can use all mathematical operators, some constants and variables. You can define here the variables you wish to use. If the variable needs an automatic update, you may define the external URL to allow Dolibarr to update the value automatically. -AddVariable=Add Variable -AddUpdater=Add Updater +DynamicPriceDesc=คุณสามารถกำหนดสูตรทางคณิตศาสตร์เพื่อคำนวณราคาลูกค้าหรือผู้ขายได้ สูตรดังกล่าวสามารถใช้ตัวดำเนินการทางคณิตศาสตร์ ค่าคงที่และตัวแปรบางตัวได้ คุณสามารถกำหนดตัวแปรที่คุณต้องการใช้ได้ที่นี่ หากตัวแปรต้องการการอัปเดตอัตโนมัติ คุณอาจกำหนด URL ภายนอกเพื่ออนุญาตให้ Dolibarr อัปเดตค่าโดยอัตโนมัติ +AddVariable=เพิ่มตัวแปร +AddUpdater=เพิ่มตัวอัพเดต GlobalVariables=ตัวแปรทั่วโลก -VariableToUpdate=Variable to update -GlobalVariableUpdaters=External updaters for variables +VariableToUpdate=ตัวแปรที่จะอัปเดต +GlobalVariableUpdaters=ตัวอัพเดตภายนอกสำหรับตัวแปร GlobalVariableUpdaterType0=ข้อมูล JSON GlobalVariableUpdaterHelp0=แยกวิเคราะห์ข้อมูล JSON จาก URL ที่ระบุมูลค่าระบุตำแหน่งของค่าที่เกี่ยวข้อง -GlobalVariableUpdaterHelpFormat0=Format for request {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"} +GlobalVariableUpdaterHelpFormat0=รูปแบบสำหรับคำขอ {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"} GlobalVariableUpdaterType1=ข้อมูลเว็บเซอร์ GlobalVariableUpdaterHelp1=แยกวิเคราะห์ข้อมูลจากเว็บเซอร์ URL ที่ระบุ, NS ระบุ namespace, มูลค่าระบุตำแหน่งของค่าที่เกี่ยวข้อง, ข้อมูลควรมีข้อมูลที่จะส่งและเป็นวิธีการเรียกวิธี WS -GlobalVariableUpdaterHelpFormat1=Format for request is {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD": "myWSMethod", "DATA": {"your": "data", "to": "send"}} +GlobalVariableUpdaterHelpFormat1=รูปแบบของคำขอคือ {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD" : "myWSMethod", "DATA": {"ของคุณ": "data", "ถึง": "ส่ง"}} UpdateInterval=ช่วงเวลาการปรับปรุง (นาที) -LastUpdated=Latest update +LastUpdated=ปรับปรุงล่าสุด CorrectlyUpdated=ปรับปรุงอย่างถูกต้อง PropalMergePdfProductActualFile=ไฟล์ที่ใช้ในการเพิ่มเป็น PDF ดาซูร์มี / เป็น PropalMergePdfProductChooseFile=ไฟล์ PDF เลือก -IncludingProductWithTag=Including products/services with the tag +IncludingProductWithTag=รวมถึงสินค้า/บริการที่มีแท็ก DefaultPriceRealPriceMayDependOnCustomer=ราคาเริ่มต้นราคาที่แท้จริงอาจขึ้นอยู่กับลูกค้า -WarningSelectOneDocument=Please select at least one document +WarningSelectOneDocument=โปรดเลือกอย่างน้อยหนึ่งเอกสาร DefaultUnitToShow=หน่วย -NbOfQtyInProposals=Qty in proposals -ClinkOnALinkOfColumn=Click on a link of column %s to get a detailed view... -ProductsOrServicesTranslations=Products/Services translations -TranslatedLabel=Translated label -TranslatedDescription=Translated description -TranslatedNote=Translated notes -ProductWeight=Weight for 1 product -ProductVolume=Volume for 1 product -WeightUnits=Weight unit -VolumeUnits=Volume unit -WidthUnits=Width unit -LengthUnits=Length unit -HeightUnits=Height unit -SurfaceUnits=Surface unit -SizeUnits=Size unit -DeleteProductBuyPrice=Delete buying price -ConfirmDeleteProductBuyPrice=Are you sure you want to delete this buying price? -SubProduct=Sub product -ProductSheet=Product sheet -ServiceSheet=Service sheet -PossibleValues=Possible values -GoOnMenuToCreateVairants=Go on menu %s - %s to prepare attribute variants (like colors, size, ...) -UseProductFournDesc=Add a feature to define the product description defined by the vendors (for each vendor reference) in addition to the description for customers -ProductSupplierDescription=Vendor description for the product -UseProductSupplierPackaging=Use packaging on supplier prices (recalculate quantities according to packaging set on supplier price when adding/updating line in supplier documents) -PackagingForThisProduct=Packaging -PackagingForThisProductDesc=On supplier order, you will automaticly order this quantity (or a multiple of this quantity). Cannot be less than minimum buying quantity -QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging +NbOfQtyInProposals=จำนวนในข้อเสนอ +ClinkOnALinkOfColumn=คลิกลิงก์ของคอลัมน์ %s เพื่อดูรายละเอียด... +ProductsOrServicesTranslations=แปลผลิตภัณฑ์/บริการ +TranslatedLabel=ป้ายกำกับที่แปลแล้ว +TranslatedDescription=คำอธิบายที่แปลแล้ว +TranslatedNote=บันทึกที่แปลแล้ว +ProductWeight=น้ำหนักต่อ 1 สินค้า +ProductVolume=ปริมาณต่อ 1 สินค้า +WeightUnits=หน่วยน้ำหนัก +VolumeUnits=หน่วยระดับเสียง +WidthUnits=หน่วยความกว้าง +LengthUnits=หน่วยความยาว +HeightUnits=หน่วยความสูง +SurfaceUnits=หน่วยพื้นผิว +SizeUnits=หน่วยขนาด +DeleteProductBuyPrice=ลบราคาซื้อ +ConfirmDeleteProductBuyPrice=คุณแน่ใจหรือไม่ว่าต้องการลบราคาซื้อนี้ +SubProduct=สินค้าย่อย +ProductSheet=แผ่นผลิตภัณฑ์ +ServiceSheet=ใบบริการ +PossibleValues=ค่าที่เป็นไปได้ +GoOnMenuToCreateVairants=ไปที่เมนู %s - %s เพื่อเตรียมรูปแบบแอตทริบิวต์ (เช่น สี, ขนาด, ...) +UseProductFournDesc=เพิ่มคุณลักษณะเพื่อกำหนดคำอธิบายผลิตภัณฑ์ที่กำหนดโดยผู้จำหน่าย (สำหรับการอ้างอิงผู้จำหน่ายแต่ละราย) นอกเหนือจากคำอธิบายสำหรับลูกค้า +ProductSupplierDescription=คำอธิบายผู้ขายสำหรับผลิตภัณฑ์ +UseProductSupplierPackaging=ใช้คุณลักษณะ "บรรจุภัณฑ์" เพื่อปัดเศษปริมาณเป็นทวีคูณที่กำหนด (เมื่อเพิ่ม/อัปเดตบรรทัดในเอกสารของผู้จัดจำหน่าย คำนวณปริมาณใหม่และราคาซื้อตามชุดที่สูงกว่าในราคาซื้อของผลิตภัณฑ์) +PackagingForThisProduct=การบรรจุตามปริมาณ +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. +QtyRecalculatedWithPackaging=ปริมาณของรายการถูกคำนวณใหม่ตามบรรจุภัณฑ์ของซัพพลายเออร์ #Attributes -VariantAttributes=Variant attributes -ProductAttributes=Variant attributes for products -ProductAttributeName=Variant attribute %s -ProductAttribute=Variant attribute -ProductAttributeDeleteDialog=Are you sure you want to delete this attribute? All values will be deleted -ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with reference "%s" of this attribute? -ProductCombinationDeleteDialog=Are you sure want to delete the variant of the product "%s"? -ProductCombinationAlreadyUsed=There was an error while deleting the variant. Please check it is not being used in any object -ProductCombinations=Variants -PropagateVariant=Propagate variants -HideProductCombinations=Hide products variant in the products selector -ProductCombination=Variant -NewProductCombination=New variant -EditProductCombination=Editing variant -NewProductCombinations=New variants -EditProductCombinations=Editing variants -SelectCombination=Select combination -ProductCombinationGenerator=Variants generator -Features=Features -PriceImpact=Price impact -ImpactOnPriceLevel=Impact on price level %s -ApplyToAllPriceImpactLevel= Apply to all levels -ApplyToAllPriceImpactLevelHelp=By clicking here you set the same price impact on all levels -WeightImpact=Weight impact +Attributes=คุณลักษณะ +VariantAttributes=คุณลักษณะตัวแปร +ProductAttributes=แอตทริบิวต์รายละเอียดปลีกย่อยสำหรับผลิตภัณฑ์ +ProductAttributeName=แอตทริบิวต์ตัวแปร %s +ProductAttribute=แอตทริบิวต์ตัวแปร +ProductAttributeDeleteDialog=คุณแน่ใจหรือไม่ว่าต้องการลบแอตทริบิวต์นี้ ค่าทั้งหมดจะถูกลบ +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? +ProductCombinationDeleteDialog=คุณแน่ใจหรือไม่ว่าต้องการลบรายละเอียดปลีกย่อยของผลิตภัณฑ์ "%s"? +ProductCombinationAlreadyUsed=เกิดข้อผิดพลาดขณะลบตัวแปร โปรดตรวจสอบว่าไม่ได้ถูกใช้ในวัตถุใดๆ +ProductCombinations=สายพันธุ์ +PropagateVariant=เผยแพร่ตัวแปร +HideProductCombinations=ซ่อนตัวเลือกสินค้าในตัวเลือกผลิตภัณฑ์ +ProductCombination=ตัวแปร +NewProductCombination=ตัวแปรใหม่ +EditProductCombination=กำลังแก้ไขตัวแปร +NewProductCombinations=สายพันธุ์ใหม่ +EditProductCombinations=การแก้ไขตัวแปร +SelectCombination=เลือกชุดค่าผสม +ProductCombinationGenerator=เครื่องกำเนิดตัวแปร +Features=คุณสมบัติ +PriceImpact=ผลกระทบด้านราคา +ImpactOnPriceLevel=ผลกระทบต่อระดับราคา %s +ApplyToAllPriceImpactLevel= นำไปใช้กับทุกระดับ +ApplyToAllPriceImpactLevelHelp=เมื่อคลิกที่นี่ คุณจะกำหนดผลกระทบด้านราคาที่เท่ากันในทุกระดับ +WeightImpact=ผลกระทบต่อน้ำหนัก NewProductAttribute=คุณลักษณะใหม่ -NewProductAttributeValue=New attribute value -ErrorCreatingProductAttributeValue=There was an error while creating the attribute value. It could be because there is already an existing value with that reference -ProductCombinationGeneratorWarning=If you continue, before generating new variants, all previous ones will be DELETED. Already existing ones will be updated with the new values -TooMuchCombinationsWarning=Generating lots of variants may result in high CPU, memory usage and Dolibarr not able to create them. Enabling the option "%s" may help reduce memory usage. -DoNotRemovePreviousCombinations=Do not remove previous variants -UsePercentageVariations=Use percentage variations -PercentageVariation=Percentage variation -ErrorDeletingGeneratedProducts=There was an error while trying to delete existing product variants -NbOfDifferentValues=No. of different values -NbProducts=Number of products -ParentProduct=Parent product -HideChildProducts=Hide variant products -ShowChildProducts=Show variant products -NoEditVariants=Go to Parent product card and edit variants price impact in the variants tab -ConfirmCloneProductCombinations=Would you like to copy all the product variants to the other parent product with the given reference? -CloneDestinationReference=Destination product reference -ErrorCopyProductCombinations=There was an error while copying the product variants -ErrorDestinationProductNotFound=Destination product not found -ErrorProductCombinationNotFound=Product variant not found -ActionAvailableOnVariantProductOnly=Action only available on the variant of product -ProductsPricePerCustomer=Product prices per customers -ProductSupplierExtraFields=Additional Attributes (Supplier Prices) -DeleteLinkedProduct=Delete the child product linked to the combination -AmountUsedToUpdateWAP=Amount to use to update the Weighted Average Price +NewProductAttributeValue=ค่าแอตทริบิวต์ใหม่ +ErrorCreatingProductAttributeValue=เกิดข้อผิดพลาดขณะสร้างค่าแอตทริบิวต์ อาจเป็นเพราะมีค่าอ้างอิงนั้นอยู่แล้ว +ProductCombinationGeneratorWarning=หากคุณดำเนินการต่อ ก่อนที่จะสร้างรูปแบบใหม่ รูปแบบก่อนหน้าทั้งหมดจะถูกลบ สิ่งที่มีอยู่แล้วจะได้รับการอัปเดตด้วยค่าใหม่ +TooMuchCombinationsWarning=การสร้างตัวแปรจำนวนมากอาจส่งผลให้มีการใช้งาน CPU, หน่วยความจำสูง และ Dolibarr ไม่สามารถสร้างได้ การเปิดใช้งานตัวเลือก "%s" อาจช่วยลดการใช้หน่วยความจำได้ +DoNotRemovePreviousCombinations=อย่าลบตัวแปรก่อนหน้านี้ +UsePercentageVariations=ใช้รูปแบบเปอร์เซ็นต์ +PercentageVariation=การเปลี่ยนแปลงเปอร์เซ็นต์ +ErrorDeletingGeneratedProducts=เกิดข้อผิดพลาดขณะพยายามลบตัวเลือกสินค้าที่มีอยู่ +NbOfDifferentValues=จำนวนค่าที่แตกต่างกัน +NbProducts=จำนวนสินค้า +ParentProduct=สินค้าแม่ +ParentProductOfVariant=สินค้าหลักของตัวเลือกสินค้า +HideChildProducts=ซ่อนสินค้าแบบต่างๆ +ShowChildProducts=แสดงผลิตภัณฑ์แบบต่างๆ +NoEditVariants=ไปที่บัตรผลิตภัณฑ์หลักและแก้ไขผลกระทบด้านราคาของตัวเลือกสินค้าในแท็บตัวเลือกสินค้า +ConfirmCloneProductCombinations=คุณต้องการคัดลอกตัวเลือกสินค้าทั้งหมดไปยังผลิตภัณฑ์หลักอื่นที่มีการอ้างอิงที่ระบุหรือไม่ +CloneDestinationReference=อ้างอิงสินค้าปลายทาง +ErrorCopyProductCombinations=เกิดข้อผิดพลาดขณะคัดลอกตัวเลือกสินค้า +ErrorDestinationProductNotFound=ไม่พบสินค้าปลายทาง +ErrorProductCombinationNotFound=ไม่พบตัวเลือกสินค้า +ActionAvailableOnVariantProductOnly=การดำเนินการมีเฉพาะกับตัวเลือกสินค้าเท่านั้น +ProductsPricePerCustomer=ราคาสินค้าต่อลูกค้า +ProductSupplierExtraFields=คุณสมบัติเพิ่มเติม (ราคาซัพพลายเออร์) +DeleteLinkedProduct=ลบผลิตภัณฑ์ย่อยที่เชื่อมโยงกับชุดค่าผสม +AmountUsedToUpdateWAP=จำนวนหน่วยที่จะใช้ในการอัปเดตราคาถัวเฉลี่ยถ่วงน้ำหนัก PMPValue=ราคาเฉลี่ยถ่วงน้ำหนัก PMPValueShort=WAP -mandatoryperiod=Mandatory periods -mandatoryPeriodNeedTobeSet=Note: Period (start and end date) must be defined -mandatoryPeriodNeedTobeSetMsgValidate=A service requires a start and end period -mandatoryHelper=Check this if you want a message to the user when creating / validating an invoice, commercial proposal, sales order without entering a start and end date on lines with this service.
      Note that the message is a warning and not a blocking error. -DefaultBOM=Default BOM -DefaultBOMDesc=The default BOM recommended to use to manufacture this product. This field can be set only if nature of product is '%s'. -Rank=Rank -SwitchOnSaleStatus=Switch on sale status -SwitchOnPurchaseStatus=Switch on purchase status -StockMouvementExtraFields= Extra Fields (stock mouvement) +mandatoryperiod=ระยะเวลาบังคับ +mandatoryPeriodNeedTobeSet=หมายเหตุ: ต้องกำหนดช่วงเวลา (วันที่เริ่มต้นและสิ้นสุด) +mandatoryPeriodNeedTobeSetMsgValidate=บริการต้องมีระยะเวลาเริ่มต้นและสิ้นสุด +mandatoryHelper=เลือกตัวเลือกนี้หากคุณต้องการส่งข้อความถึงผู้ใช้เมื่อสร้าง/ตรวจสอบใบแจ้งหนี้ ข้อเสนอเชิงพาณิชย์ ใบสั่งขายโดยไม่ต้องป้อนวันที่เริ่มต้นและสิ้นสุดในบรรทัดด้วยบริการนี้
      โปรดทราบว่า ข้อความดังกล่าวเป็นการเตือนไม่ใช่ข้อผิดพลาดในการบล็อก +DefaultBOM=BOM เริ่มต้น +DefaultBOMDesc=BOM เริ่มต้นที่แนะนำเพื่อใช้ในการผลิตผลิตภัณฑ์นี้ ช่องนี้สามารถตั้งค่าได้เฉพาะในกรณีที่ลักษณะของผลิตภัณฑ์คือ '%s' +Rank=อันดับ +MergeOriginProduct=สินค้าซ้ำ (สินค้าที่คุณต้องการลบ) +MergeProducts=ผสานผลิตภัณฑ์ +ConfirmMergeProducts=คุณแน่ใจหรือไม่ว่าต้องการรวมผลิตภัณฑ์ที่เลือกเข้ากับผลิตภัณฑ์ปัจจุบัน ออบเจ็กต์ที่เชื่อมโยงทั้งหมด (ใบแจ้งหนี้ คำสั่งซื้อ ...) จะถูกย้ายไปยังผลิตภัณฑ์ปัจจุบัน หลังจากนั้นผลิตภัณฑ์ที่เลือกจะถูกลบ +ProductsMergeSuccess=สินค้าได้ถูกรวมเข้าด้วยกัน +ErrorsProductsMerge=ข้อผิดพลาดในการรวมผลิตภัณฑ์ +SwitchOnSaleStatus=เปิดสถานะการขาย +SwitchOnPurchaseStatus=เปิดสถานะการซื้อ +UpdatePrice=เพิ่ม/ลดราคาลูกค้า +StockMouvementExtraFields= Extra Fields (stock movement) +InventoryExtraFields= ช่องพิเศษ (สินค้าคงคลัง) +ScanOrTypeOrCopyPasteYourBarCodes=สแกนหรือพิมพ์หรือคัดลอก/วางบาร์โค้ดของคุณ +PuttingPricesUpToDate=อัปเดตราคาด้วยราคาที่ทราบในปัจจุบัน +PuttingDescUpToDate=อัปเดตคำอธิบายด้วยคำอธิบายที่ทราบในปัจจุบัน +PMPExpected=PMP ที่คาดหวัง +ExpectedValuation=การประเมินมูลค่าที่คาดหวัง +PMPReal=พีเอ็มพีตัวจริง +RealValuation=การประเมินมูลค่าที่แท้จริง +ConfirmEditExtrafield = เลือกช่องพิเศษที่คุณต้องการแก้ไข +ConfirmEditExtrafieldQuestion = คุณแน่ใจหรือไม่ว่าต้องการแก้ไขสนามพิเศษนี้ +ModifyValueExtrafields = แก้ไขค่าของสนามพิเศษ +OrProductsWithCategories=หรือสินค้าที่มีแท็ก/หมวดหมู่ +WarningTransferBatchStockMouvToGlobal = หากคุณต้องการดีซีเรียลไลซ์ผลิตภัณฑ์นี้ สต็อกซีเรียลไลซ์ทั้งหมดจะถูกแปลงเป็นสต็อกทั่วโลก +WarningConvertFromBatchToSerial=หากปัจจุบันคุณมีปริมาณสูงกว่าหรือเท่ากับ 2 สำหรับผลิตภัณฑ์ การเปลี่ยนมาเลือกตัวเลือกนี้หมายความว่าคุณจะยังคงมีผลิตภัณฑ์ที่มีวัตถุที่แตกต่างกันในชุดเดียวกัน (ในขณะที่คุณต้องการหมายเลขซีเรียลที่ไม่ซ้ำกัน) รายการที่ซ้ำกันจะยังคงอยู่จนกว่าสินค้าคงคลังหรือการเคลื่อนย้ายสต็อคด้วยตนเองเพื่อแก้ไขปัญหานี้จะเสร็จสิ้น diff --git a/htdocs/langs/th_TH/projects.lang b/htdocs/langs/th_TH/projects.lang index f4234145761..a27364c3a5e 100644 --- a/htdocs/langs/th_TH/projects.lang +++ b/htdocs/langs/th_TH/projects.lang @@ -1,53 +1,58 @@ # Dolibarr language file - Source file is en_US - projects RefProject=อ้าง โครงการ -ProjectRef=Project ref. +ProjectRef=อ้างอิงโครงการ ProjectId=Id โครงการ -ProjectLabel=Project label -ProjectsArea=Projects Area +ProjectLabel=ป้ายโครงการ +ProjectsArea=พื้นที่โครงการ ProjectStatus=สถานะของโครงการ SharedProject=ทุกคน -PrivateProject=Assigned contacts -ProjectsImContactFor=Projects for which I am explicitly a contact -AllAllowedProjects=All project I can read (mine + public) +PrivateProject=ผู้ติดต่อที่ได้รับมอบหมาย +ProjectsImContactFor=โครงการที่ฉันติดต่ออย่างชัดเจน +AllAllowedProjects=โครงการทั้งหมดที่ฉันสามารถอ่านได้ (ของฉัน + สาธารณะ) AllProjects=ทุกโครงการ -MyProjectsDesc=This view is limited to the projects that you are a contact for +MyProjectsDesc=มุมมองนี้จำกัดเฉพาะโครงการที่คุณเป็นผู้ติดต่อ ProjectsPublicDesc=มุมมองนี้จะนำเสนอโครงการทั้งหมดที่คุณได้รับอนุญาตให้อ่าน -TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. +TasksOnProjectsPublicDesc=มุมมองนี้นำเสนองานทั้งหมดในโครงการที่คุณได้รับอนุญาตให้อ่าน ProjectsPublicTaskDesc=มุมมองนี้นำเสนอทุกโครงการและงานที่คุณได้รับอนุญาตในการอ่าน ProjectsDesc=มุมมองนี้นำเสนอทุกโครงการ (สิทธิ์ผู้ใช้ของคุณอนุญาตให้คุณสามารถดูทุกอย่าง) -TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to the projects or tasks that you are a contact for +TasksOnProjectsDesc=มุมมองนี้นำเสนองานทั้งหมดในทุกโครงการ (สิทธิ์ผู้ใช้ของคุณให้สิทธิ์คุณในการดูทุกอย่าง) +MyTasksDesc=มุมมองนี้จำกัดเฉพาะโครงการหรืองานที่คุณเป็นผู้ติดต่อ OnlyOpenedProject=เฉพาะโครงการที่เปิดจะมองเห็นได้ (โครงการในร่างหรือสถานะปิดจะมองไม่เห็น) -ClosedProjectsAreHidden=Closed projects are not visible. +ClosedProjectsAreHidden=มองไม่เห็นโครงการที่ปิดแล้ว TasksPublicDesc=มุมมองนี้นำเสนอทุกโครงการและงานที่คุณได้รับอนุญาตในการอ่าน TasksDesc=มุมมองนี้นำเสนอทุกโครงการและงาน (สิทธิ์ผู้ใช้ของคุณอนุญาตให้คุณสามารถดูทุกอย่าง) -AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. -ImportDatasetTasks=Tasks of projects -ProjectCategories=Project tags/categories +AllTaskVisibleButEditIfYouAreAssigned=งานทั้งหมดสำหรับโครงการที่ผ่านการรับรองจะมองเห็นได้ แต่คุณสามารถป้อนเวลาเฉพาะสำหรับงานที่มอบหมายให้กับผู้ใช้ที่เลือกเท่านั้น มอบหมายงานหากคุณต้องการป้อนเวลา +OnlyYourTaskAreVisible=เฉพาะงานที่มอบหมายให้คุณเท่านั้นที่มองเห็นได้ หากคุณต้องการป้อนเวลาในงานและหากงานไม่ปรากฏที่นี่ คุณจะต้องมอบหมายงานให้กับตัวคุณเอง +ImportDatasetProjects=โครงการหรือโอกาส +ImportDatasetTasks=งานของโครงการ +ProjectCategories=แท็กโครงการ/หมวดหมู่ NewProject=โครงการใหม่ AddProject=สร้างโครงการ DeleteAProject=ลบโครงการ DeleteATask=ลบงาน -ConfirmDeleteAProject=Are you sure you want to delete this project? -ConfirmDeleteATask=Are you sure you want to delete this task? -OpenedProjects=Open projects -OpenedTasks=Open tasks -OpportunitiesStatusForOpenedProjects=Leads amount of open projects by status -OpportunitiesStatusForProjects=Leads amount of projects by status +ConfirmDeleteAProject=คุณแน่ใจหรือไม่ว่าต้องการลบโครงการนี้ +ConfirmDeleteATask=คุณแน่ใจหรือไม่ว่าต้องการลบงานนี้ +OpenedProjects=เปิดโครงการ +OpenedProjectsOpportunities=เปิดโอกาส +OpenedTasks=เปิดงาน +OpportunitiesStatusForOpenedProjects=เป็นผู้นำจำนวนโครงการที่เปิดอยู่ตามสถานะ +OpportunitiesStatusForProjects=เป็นผู้นำจำนวนโครงการตามสถานะ ShowProject=แสดงโครงการ ShowTask=แสดงงาน +SetThirdParty=ตั้งค่าบุคคลที่สาม SetProject=โครงการตั้ง +OutOfProject=ออกจากโครงการ NoProject=ไม่มีโครงการที่กำหนดไว้หรือเป็นเจ้าของ -NbOfProjects=Number of projects -NbOfTasks=Number of tasks +NbOfProjects=จำนวนโครงการ +NbOfTasks=จำนวนงาน +TimeEntry=การติดตามเวลา TimeSpent=เวลาที่ใช้ +TimeSpentSmall=เวลาที่ใช้ TimeSpentByYou=เวลาที่ใช้โดยคุณ TimeSpentByUser=เวลาที่ใช้โดยผู้ใช้ -TimesSpent=เวลาที่ใช้ -TaskId=Task ID -RefTask=Task ref. -LabelTask=Task label +TaskId=รหัสงาน +RefTask=การอ้างอิงงาน +LabelTask=ป้ายชื่องาน TaskTimeSpent=เวลาที่ใช้ในงาน TaskTimeUser=ผู้ใช้งาน TaskTimeNote=บันทึก @@ -56,10 +61,10 @@ TasksOnOpenedProject=งานเกี่ยวกับโครงการ WorkloadNotDefined=ภาระงานที่ไม่ได้กำหนดไว้ NewTimeSpent=เวลาที่ใช้ MyTimeSpent=เวลาของการใช้จ่าย -BillTime=Bill the time spent -BillTimeShort=Bill time -TimeToBill=Time not billed -TimeBilled=Time billed +BillTime=เรียกเก็บเงินเวลาที่ใช้ไป +BillTimeShort=เวลาวางบิล +TimeToBill=เวลาไม่ถูกเรียกเก็บเงิน +TimeBilled=เวลาที่เรียกเก็บเงิน Tasks=งาน Task=งาน TaskDateStart=วันที่เริ่มต้นงาน @@ -67,80 +72,81 @@ TaskDateEnd=งานวันที่สิ้นสุด TaskDescription=รายละเอียดงาน NewTask=งานใหม่ AddTask=สร้างงาน -AddTimeSpent=Create time spent -AddHereTimeSpentForDay=Add here time spent for this day/task -AddHereTimeSpentForWeek=Add here time spent for this week/task +AddTimeSpent=สร้างเวลาที่ใช้ +AddHereTimeSpentForDay=เพิ่มเวลาที่ใช้สำหรับวัน/งานนี้ที่นี่ +AddHereTimeSpentForWeek=เพิ่มเวลาที่ใช้สำหรับสัปดาห์/งานนี้ที่นี่ Activity=กิจกรรม Activities=งาน / กิจกรรม MyActivities=งานของฉัน / กิจกรรม MyProjects=โครงการของฉัน -MyProjectsArea=My projects Area +MyProjectsArea=พื้นที่โครงการของฉัน DurationEffective=ระยะเวลาที่มีประสิทธิภาพ -ProgressDeclared=Declared real progress -TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently open tasks -TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption -ProgressCalculated=Progress on consumption -WhichIamLinkedTo=which I'm linked to -WhichIamLinkedToProject=which I'm linked to project +ProgressDeclared=ประกาศความก้าวหน้าอย่างแท้จริง +TaskProgressSummary=ความคืบหน้าของงาน +CurentlyOpenedTasks=งานที่เปิดอยู่ในปัจจุบัน +TheReportedProgressIsLessThanTheCalculatedProgressionByX=ความคืบหน้าที่แท้จริงที่ประกาศไว้ %s น้อยกว่าความคืบหน้าในการใช้งาน +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=ความคืบหน้าที่แท้จริงที่ประกาศไว้นั้น %s มากกว่าความคืบหน้าในการใช้งาน +ProgressCalculated=ความก้าวหน้าด้านการบริโภค +WhichIamLinkedTo=ที่ฉันเชื่อมโยงอยู่ +WhichIamLinkedToProject=ซึ่งฉันเชื่อมโยงกับโครงการ Time=เวลา -TimeConsumed=Consumed -ListOfTasks=List of tasks -GoToListOfTimeConsumed=Go to list of time consumed -GanttView=Gantt View -ListWarehouseAssociatedProject=List of warehouses associated to the project -ListProposalsAssociatedProject=List of the commercial proposals related to the project -ListOrdersAssociatedProject=List of sales orders related to the project -ListInvoicesAssociatedProject=List of customer invoices related to the project -ListPredefinedInvoicesAssociatedProject=List of customer template invoices related to the project -ListSupplierOrdersAssociatedProject=List of purchase orders related to the project -ListSupplierInvoicesAssociatedProject=List of vendor invoices related to the project -ListContractAssociatedProject=List of contracts related to the project -ListShippingAssociatedProject=List of shippings related to the project -ListFichinterAssociatedProject=List of interventions related to the project -ListExpenseReportsAssociatedProject=List of expense reports related to the project -ListDonationsAssociatedProject=List of donations related to the project -ListVariousPaymentsAssociatedProject=List of miscellaneous payments related to the project -ListSalariesAssociatedProject=List of payments of salaries related to the project -ListActionsAssociatedProject=List of events related to the project -ListMOAssociatedProject=List of manufacturing orders related to the project +TimeConsumed=บริโภค +ListOfTasks=รายการงาน +GoToListOfTimeConsumed=ไปที่รายการเวลาที่ใช้ +GanttView=แกนต์วิว +ListWarehouseAssociatedProject=รายชื่อคลังสินค้าที่เกี่ยวข้องกับโครงการ +ListProposalsAssociatedProject=รายการข้อเสนอทางการค้าที่เกี่ยวข้องกับโครงการ +ListOrdersAssociatedProject=รายการใบสั่งขายที่เกี่ยวข้องกับโครงการ +ListInvoicesAssociatedProject=รายการใบแจ้งหนี้ของลูกค้าที่เกี่ยวข้องกับโครงการ +ListPredefinedInvoicesAssociatedProject=รายการใบแจ้งหนี้เทมเพลตลูกค้าที่เกี่ยวข้องกับโครงการ +ListSupplierOrdersAssociatedProject=รายการใบสั่งซื้อที่เกี่ยวข้องกับโครงการ +ListSupplierInvoicesAssociatedProject=รายการใบแจ้งหนี้ของผู้จัดจำหน่ายที่เกี่ยวข้องกับโครงการ +ListContractAssociatedProject=รายการสัญญาที่เกี่ยวข้องกับโครงการ +ListShippingAssociatedProject=รายการจัดส่งที่เกี่ยวข้องกับโครงการ +ListFichinterAssociatedProject=รายการการแทรกแซงที่เกี่ยวข้องกับโครงการ +ListExpenseReportsAssociatedProject=รายการรายงานค่าใช้จ่ายที่เกี่ยวข้องกับโครงการ +ListDonationsAssociatedProject=รายชื่อผู้บริจาคที่เกี่ยวข้องกับโครงการ +ListVariousPaymentsAssociatedProject=รายการการชำระเงินเบ็ดเตล็ดที่เกี่ยวข้องกับโครงการ +ListSalariesAssociatedProject=รายการการจ่ายเงินเดือนที่เกี่ยวข้องกับโครงการ +ListActionsAssociatedProject=รายการเหตุการณ์ที่เกี่ยวข้องกับโครงการ +ListMOAssociatedProject=รายการใบสั่งผลิตที่เกี่ยวข้องกับโครงการ ListTaskTimeUserProject=รายชื่อของเวลาที่ใช้ในงานของโครงการ -ListTaskTimeForTask=List of time consumed on task +ListTaskTimeForTask=รายการเวลาที่ใช้ในงาน ActivityOnProjectToday=กิจกรรมในโครงการในวันนี้ ActivityOnProjectYesterday=กิจกรรมในโครงการเมื่อวานนี้ ActivityOnProjectThisWeek=กิจกรรมในโครงการสัปดาห์นี้ ActivityOnProjectThisMonth=กิจกรรมในโครงการในเดือนนี้ ActivityOnProjectThisYear=กิจกรรมในโครงการในปีนี้ ChildOfProjectTask=เด็กของโครงการ / งาน -ChildOfTask=Child of task -TaskHasChild=Task has child +ChildOfTask=ลูกของงาน +TaskHasChild=งานมีลูก NotOwnerOfProject=ไม่ได้เป็นเจ้าของโครงการนี​​้ส่วนตัว AffectedTo=จัดสรรให้กับ -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=ตรวจสอบ Projet -ConfirmValidateProject=Are you sure you want to validate this project? +CantRemoveProject=ไม่สามารถลบโปรเจ็กต์นี้ได้เนื่องจากมีการอ้างอิงโดยออบเจ็กต์อื่น (ใบแจ้งหนี้ คำสั่งซื้อ หรืออื่นๆ) ดูแท็บ '%s' +ValidateProject=ตรวจสอบโครงการ +ConfirmValidateProject=คุณแน่ใจหรือไม่ว่าต้องการตรวจสอบโครงการนี้ CloseAProject=โครงการปิด -ConfirmCloseAProject=Are you sure you want to close this project? -AlsoCloseAProject=Also close project (keep it open if you still need to follow production tasks on it) +ConfirmCloseAProject=คุณแน่ใจหรือไม่ว่าต้องการปิดโครงการนี้ +AlsoCloseAProject=ปิดโครงการด้วย +AlsoCloseAProjectTooltip=เปิดไว้หากคุณยังต้องติดตามงานการผลิตอยู่ ReOpenAProject=เปิดโครงการ -ConfirmReOpenAProject=Are you sure you want to re-open this project? +ConfirmReOpenAProject=คุณแน่ใจหรือไม่ว่าต้องการเปิดโปรเจ็กต์นี้อีกครั้ง ProjectContact=รายชื่อของโครงการ -TaskContact=Task contacts +TaskContact=ผู้ติดต่องาน ActionsOnProject=เหตุการณ์ที่เกิดขึ้นในโครงการ YouAreNotContactOfProject=คุณยังไม่ได้ติดต่อส่วนตัวของโครงการนี​​้ -UserIsNotContactOfProject=User is not a contact of this private project +UserIsNotContactOfProject=ผู้ใช้ไม่ใช่ผู้ติดต่อของโครงการส่วนตัวนี้ DeleteATimeSpent=ลบเวลาที่ใช้ -ConfirmDeleteATimeSpent=Are you sure you want to delete this time spent? +ConfirmDeleteATimeSpent=คุณแน่ใจหรือไม่ว่าต้องการลบเวลาที่ใช้ไปนี้ DoNotShowMyTasksOnly=ดูยังไม่ได้รับมอบหมายงานมาให้ฉัน ShowMyTasksOnly=ดูเฉพาะงานที่ได้รับมอบหมายมาให้ฉัน -TaskRessourceLinks=Contacts of task +TaskRessourceLinks=ติดต่องาน ProjectsDedicatedToThisThirdParty=โครงการที่ทุ่มเทให้กับบุคคลที่สามนี้ NoTasks=ไม่มีงานสำหรับโครงการนี​​้ LinkedToAnotherCompany=เชื่อมโยงไปยังบุคคลที่สาม -TaskIsNotAssignedToUser=Task not assigned to user. Use button '%s' to assign task now. +TaskIsNotAssignedToUser=ไม่ได้มอบหมายงานให้กับผู้ใช้ ใช้ปุ่ม '%s' เพื่อมอบหมายงานทันที ErrorTimeSpentIsEmpty=เวลาที่ใช้เป็นที่ว่างเปล่า -TimeRecordingRestrictedToNMonthsBack=Time recording is restricted to %s months back +TimeRecordingRestrictedToNMonthsBack=การบันทึกเวลาถูกจำกัดไว้ที่ %s หลายเดือนก่อน ThisWillAlsoRemoveTasks=การดำเนินการนี้จะลบงานทั้งหมดของโครงการ (% s งานในขณะนี้) และปัจจัยการผลิตทั้งหมดของเวลาที่ใช้ IfNeedToUseOtherObjectKeepEmpty=หากวัตถ​​ุบางอย่าง (ใบแจ้งหนี้การสั่งซื้อ ... ) เป็นของอีกบุคคลที่สามจะต้องเชื่อมโยงกับโครงการที่จะสร้างให้ที่ว่างเปล่านี้จะมีโครงการที่เป็นบุคคลที่สามหลาย CloneTasks=งานโคลน @@ -148,28 +154,28 @@ CloneContacts=รายชื่อโคลน CloneNotes=บันทึกโคลน CloneProjectFiles=เข้าร่วมโครงการโคลนไฟล์ CloneTaskFiles=งานโคลน (s) เข้าร่วมไฟล์ (ถ้างาน (s) โคลน) -CloneMoveDate=Update project/tasks dates from now? -ConfirmCloneProject=Are you sure to clone this project? -ProjectReportDate=Change task dates according to new project start date +CloneMoveDate=อัพเดทวันที่โครงการ/งานต่อจากนี้? +ConfirmCloneProject=คุณแน่ใจหรือว่าโคลนโครงการนี้ +ProjectReportDate=เปลี่ยนวันที่งานตามวันที่เริ่มต้นโครงการใหม่ ErrorShiftTaskDate=เป็นไปไม่ได้ที่จะเปลี่ยนวันงานตามโครงการใหม่วันที่เริ่มต้น ProjectsAndTasksLines=โครงการและงาน ProjectCreatedInDolibarr=โครงการสร้าง% s -ProjectValidatedInDolibarr=Project %s validated -ProjectModifiedInDolibarr=Project %s modified +ProjectValidatedInDolibarr=ตรวจสอบโปรเจ็กต์ %s แล้ว +ProjectModifiedInDolibarr=แก้ไขโปรเจ็กต์ %s แล้ว TaskCreatedInDolibarr=งาน% s สร้าง TaskModifiedInDolibarr=งาน% s การแก้ไข TaskDeletedInDolibarr=งาน% s ลบ -OpportunityStatus=Lead status -OpportunityStatusShort=Lead status -OpportunityProbability=Lead probability -OpportunityProbabilityShort=Lead probab. -OpportunityAmount=Lead amount -OpportunityAmountShort=Lead amount -OpportunityWeightedAmount=Opportunity weighted amount -OpportunityWeightedAmountShort=Opp. weighted amount -OpportunityAmountAverageShort=Average lead amount -OpportunityAmountWeigthedShort=Weighted lead amount -WonLostExcluded=Won/Lost excluded +OpportunityStatus=สถานะโอกาสในการขาย +OpportunityStatusShort=สถานะโอกาสในการขาย +OpportunityProbability=ความน่าจะเป็นของตะกั่ว +OpportunityProbabilityShort=น่าจะเป็นตะกั่ว +OpportunityAmount=ปริมาณตะกั่ว +OpportunityAmountShort=ปริมาณตะกั่ว +OpportunityWeightedAmount=จำนวนโอกาส ถ่วงน้ำหนักด้วยความน่าจะเป็น +OpportunityWeightedAmountShort=ตรงข้าม จำนวนถ่วงน้ำหนัก +OpportunityAmountAverageShort=จำนวนลูกค้าเป้าหมายโดยเฉลี่ย +OpportunityAmountWeigthedShort=ปริมาณตะกั่วถ่วงน้ำหนัก +WonLostExcluded=ไม่รวมชนะ/แพ้ ##### Types de contacts ##### TypeContact_project_internal_PROJECTLEADER=หัวหน้าโครงการ TypeContact_project_external_PROJECTLEADER=หัวหน้าโครงการ @@ -181,116 +187,118 @@ TypeContact_project_task_internal_TASKCONTRIBUTOR=ผู้สนับสนุ TypeContact_project_task_external_TASKCONTRIBUTOR=ผู้สนับสนุน SelectElement=องค์ประกอบที่เลือก AddElement=เชื่อมโยงไปยังองค์ประกอบ -LinkToElementShort=Link to +LinkToElementShort=เชื่อมโยงไปยัง # Documents models -DocumentModelBeluga=Project document template for linked objects overview -DocumentModelBaleine=Project document template for tasks -DocumentModelTimeSpent=Project report template for time spent +DocumentModelBeluga=เทมเพลตเอกสารโครงการสำหรับภาพรวมออบเจ็กต์ที่เชื่อมโยง +DocumentModelBaleine=เทมเพลตเอกสารโครงการสำหรับงาน +DocumentModelTimeSpent=เทมเพลตรายงานโครงการสำหรับเวลาที่ใช้ PlannedWorkload=ภาระงานที่วางแผนไว้ PlannedWorkloadShort=จำนวนงาน -ProjectReferers=Related items +ProjectReferers=รายการที่เกี่ยวข้อง ProjectMustBeValidatedFirst=โครงการจะต้องผ่านการตรวจสอบครั้งแรก -MustBeValidatedToBeSigned=%s must be validated first to be set to Signed. -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time +MustBeValidatedToBeSigned=%s จะต้องได้รับการตรวจสอบก่อนจึงจะตั้งค่าเป็น Signed ได้ +FirstAddRessourceToAllocateTime=กำหนดทรัพยากรผู้ใช้เป็นผู้ติดต่อของโครงการเพื่อจัดสรรเวลา InputPerDay=การป้อนข้อมูลต่อวัน InputPerWeek=การป้อนข้อมูลต่อสัปดาห์ -InputPerMonth=Input per month -InputDetail=Input detail -TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s +InputPerMonth=อินพุตต่อเดือน +InputDetail=รายละเอียดการป้อนข้อมูล +TimeAlreadyRecorded=นี่คือเวลาที่ใช้บันทึกไว้แล้วสำหรับงานนี้/วันและผู้ใช้ %s ProjectsWithThisUserAsContact=โครงการที่มีผู้ใช้เป็นการติดต่อนี้ -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=โปรเจ็กต์ที่มีผู้ติดต่อบุคคลที่สามนี้ TasksWithThisUserAsContact=Tasks ได้รับมอบหมายให้ผู้ใช้รายนี้ ResourceNotAssignedToProject=ไม่ได้กำหนดโครงการ -ResourceNotAssignedToTheTask=Not assigned to the task -NoUserAssignedToTheProject=No users assigned to this project -TimeSpentBy=Time spent by -TasksAssignedTo=Tasks assigned to -AssignTaskToMe=Assign task to myself -AssignTaskToUser=Assign task to %s -SelectTaskToAssign=Select task to assign... +ResourceNotAssignedToTheTask=ไม่ได้รับมอบหมายให้ทำหน้าที่ +NoUserAssignedToTheProject=ไม่มีผู้ใช้ที่ได้รับมอบหมายให้กับโปรเจ็กต์นี้ +TimeSpentBy=เวลาที่ใช้ไป +TasksAssignedTo=งานที่ได้รับมอบหมายให้ +AssignTaskToMe=มอบหมายงานให้ตัวเอง +AssignTaskToUser=มอบหมายงานให้กับ %s +SelectTaskToAssign=เลือกงานที่จะมอบหมาย... AssignTask=กำหนด ProjectOverview=ภาพรวม -ManageTasks=Use projects to follow tasks and/or report time spent (timesheets) +ManageTasks=ใช้โครงการเพื่อติดตามงานและ/หรือรายงานเวลาที่ใช้ไป (แผ่นเวลา) ManageOpportunitiesStatus=ใช้โครงการที่จะนำไปสู่​​การปฏิบัติตาม / opportinuties -ProjectNbProjectByMonth=No. of created projects by month -ProjectNbTaskByMonth=No. of created tasks by month -ProjectOppAmountOfProjectsByMonth=Amount of leads by month -ProjectWeightedOppAmountOfProjectsByMonth=Weighted amount of leads by month -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads +ProjectNbProjectByMonth=จำนวนโครงการที่สร้างขึ้นตามเดือน +ProjectNbTaskByMonth=จำนวนงานที่สร้างขึ้นตามเดือน +ProjectOppAmountOfProjectsByMonth=จำนวนโอกาสในการขายต่อเดือน +ProjectWeightedOppAmountOfProjectsByMonth=จำนวนลูกค้าเป้าหมายแบบถ่วงน้ำหนักตามเดือน +ProjectOpenedProjectByOppStatus=เปิดโครงการ|นำโดยสถานะลูกค้าเป้าหมาย +ProjectsStatistics=สถิติเกี่ยวกับโครงการหรือโอกาสในการขาย +TasksStatistics=สถิติงานของโครงการหรือโอกาสในการขาย TaskAssignedToEnterTime=งานที่ได้รับมอบหมาย เข้าครั้งในงานนี้จะเป็นไปได้ -IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX -OpenedProjectsByThirdparties=Open projects by third parties -OnlyOpportunitiesShort=Only leads -OpenedOpportunitiesShort=Open leads -NotOpenedOpportunitiesShort=Not an open lead -NotAnOpportunityShort=Not a lead -OpportunityTotalAmount=Total amount of leads -OpportunityPonderatedAmount=Weighted amount of leads -OpportunityPonderatedAmountDesc=Leads amount weighted with probability -OppStatusPROSP=Prospection -OppStatusQUAL=Qualification +IdTaskTime=รหัสเวลางาน +YouCanCompleteRef=หากคุณต้องการกรอกการอ้างอิงด้วยส่วนต่อท้าย ขอแนะนำให้เพิ่มอักขระ - เพื่อแยกออกจากกัน เพื่อให้การกำหนดหมายเลขอัตโนมัติจะยังคงทำงานได้อย่างถูกต้องสำหรับโปรเจ็กต์ถัดไป ตัวอย่างเช่น %s-MYSUFFIX +OpenedProjectsByThirdparties=เปิดโครงการโดยบุคคลที่สาม +OnlyOpportunitiesShort=โอกาสในการขายเท่านั้น +OpenedOpportunitiesShort=เปิดโอกาสในการขาย +NotOpenedOpportunitiesShort=ไม่ใช่ตะกั่วแบบเปิด +NotAnOpportunityShort=ไม่ใช่ผู้นำ +OpportunityTotalAmount=จำนวนโอกาสในการขายทั้งหมด +OpportunityPonderatedAmount=จำนวนลูกค้าเป้าหมายแบบถ่วงน้ำหนัก +OpportunityPonderatedAmountDesc=จำนวนลูกค้าเป้าหมายถ่วงน้ำหนักด้วยความน่าจะเป็น +OppStatusPROSP=การสำรวจ +OppStatusQUAL=คุณสมบัติ OppStatusPROPO=ข้อเสนอ -OppStatusNEGO=Negociation +OppStatusNEGO=การเจรจาต่อรอง OppStatusPENDING=ที่รอดำเนินการ -OppStatusWON=Won -OppStatusLOST=Lost -Budget=Budget -AllowToLinkFromOtherCompany=Allow to link project from other company

      Supported values:
      - Keep empty: Can link any project of the company (default)
      - "all": Can link any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
      -LatestProjects=Latest %s projects -LatestModifiedProjects=Latest %s modified projects -OtherFilteredTasks=Other filtered tasks -NoAssignedTasks=No assigned tasks found (assign project/tasks to the current user from the top select box to enter time on it) -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ChooseANotYetAssignedTask=Choose a task not yet assigned to you +OppStatusWON=วอน +OppStatusLOST=สูญหาย +Budget=งบประมาณ +AllowToLinkFromOtherCompany=อนุญาตให้เชื่อมโยงองค์ประกอบกับโครงการของบริษัทอื่น

      ค่าที่รองรับ:
      - เว้นว่างไว้: สามารถลิงก์องค์ประกอบกับโครงการใดๆ ในบริษัทเดียวกันได้ (ค่าเริ่มต้น)
      - "all": สามารถลิงก์องค์ประกอบกับโปรเจ็กต์ใดก็ได้ แม้แต่โปรเจ็กต์ของบริษัทอื่น
      - รายการรหัสบุคคลที่สามโดยคั่นด้วยเครื่องหมายจุลภาค : สามารถเชื่อมโยงองค์ประกอบกับโครงการใดๆ ของบุคคลที่สามเหล่านี้ (ตัวอย่าง: 123,4795,53)
      +LatestProjects=โปรเจ็กต์ %s ล่าสุด +LatestModifiedProjects=%s โปรเจ็กต์ที่แก้ไขล่าสุด +OtherFilteredTasks=งานอื่นๆ ที่ถูกกรอง +NoAssignedTasks=ไม่พบงานที่มอบหมาย (มอบหมายโครงการ/งานให้กับผู้ใช้ปัจจุบันจากช่องเลือกด้านบนเพื่อป้อนเวลา) +ThirdPartyRequiredToGenerateInvoice=ต้องกำหนดบุคคลที่สามในโครงการเพื่อให้สามารถออกใบแจ้งหนี้ได้ +ThirdPartyRequiredToGenerateInvoice=ต้องกำหนดบุคคลที่สามในโครงการเพื่อให้สามารถออกใบแจ้งหนี้ได้ +ChooseANotYetAssignedTask=เลือกงานที่ยังไม่ได้มอบหมายให้กับคุณ # Comments trans -AllowCommentOnTask=Allow user comments on tasks -AllowCommentOnProject=Allow user comments on projects -DontHavePermissionForCloseProject=You do not have permissions to close the project %s -DontHaveTheValidateStatus=The project %s must be open to be closed -RecordsClosed=%s project(s) closed -SendProjectRef=Information project %s -ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized -NewTaskRefSuggested=Task ref already used, a new task ref is required -TimeSpentInvoiced=Time spent billed +AllowCommentOnTask=อนุญาตให้ผู้ใช้แสดงความคิดเห็นเกี่ยวกับงาน +AllowCommentOnProject=อนุญาตให้ผู้ใช้แสดงความคิดเห็นเกี่ยวกับโครงการ +DontHavePermissionForCloseProject=คุณไม่มีสิทธิ์ปิดโปรเจ็กต์ %s +DontHaveTheValidateStatus=โปรเจ็กต์ %s จะต้องเปิดจึงจะถูกปิด +RecordsClosed=%s ปิดโครงการแล้ว +SendProjectRef=โครงการข้อมูล %s +ModuleSalaryToDefineHourlyRateMustBeEnabled=ต้องเปิดใช้งานโมดูล 'เงินเดือน' เพื่อกำหนดอัตรารายชั่วโมงของพนักงานเพื่อให้มีเวลาที่ใช้ไป +NewTaskRefSuggested=การอ้างอิงงานถูกใช้ไปแล้ว จำเป็นต้องมีการอ้างอิงงานใหม่ +NumberOfTasksCloned=โคลนงาน %s แล้ว +TimeSpentInvoiced=เวลาที่ใช้เรียกเก็บเงิน TimeSpentForIntervention=เวลาที่ใช้ TimeSpentForInvoice=เวลาที่ใช้ -OneLinePerUser=One line per user -ServiceToUseOnLines=Service to use on lines -InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. -ProjectFollowOpportunity=Follow opportunity -ProjectFollowTasks=Follow tasks or time spent -Usage=Usage -UsageOpportunity=Usage: Opportunity -UsageTasks=Usage: Tasks -UsageBillTimeShort=Usage: Bill time -InvoiceToUse=Draft invoice to use -InterToUse=Draft intervention to use +OneLinePerUser=หนึ่งบรรทัดต่อผู้ใช้ +ServiceToUseOnLines=บริการใช้งานออนไลน์เป็นค่าเริ่มต้น +InvoiceGeneratedFromTimeSpent=ใบแจ้งหนี้ %s ถูกสร้างขึ้นจากเวลาที่ใช้ในโครงการ +InterventionGeneratedFromTimeSpent=การแทรกแซง %s ถูกสร้างขึ้นจากเวลาที่ใช้ในโปรเจ็กต์ +ProjectBillTimeDescription=ตรวจสอบว่าคุณป้อนไทม์ชีทในงานของโครงการหรือไม่ และคุณวางแผนที่จะสร้างใบแจ้งหนี้จากไทม์ชีทเพื่อเรียกเก็บเงินจากลูกค้าของโครงการหรือไม่ (อย่าตรวจสอบว่าคุณวางแผนที่จะสร้างใบแจ้งหนี้ที่ไม่ได้ขึ้นอยู่กับไทม์ชีทที่ป้อนหรือไม่) หมายเหตุ: หากต้องการสร้างใบแจ้งหนี้ ให้ไปที่แท็บ 'เวลาที่ใช้' ของโครงการ และเลือกรายการที่จะรวม +ProjectFollowOpportunity=ติดตามโอกาส +ProjectFollowTasks=ติดตามงานหรือเวลาที่ใช้ไป +Usage=การใช้งาน +UsageOpportunity=การใช้งาน: โอกาส +UsageTasks=การใช้งาน: งาน +UsageBillTimeShort=การใช้งาน: เวลาเรียกเก็บเงิน +InvoiceToUse=ร่างใบแจ้งหนี้ที่จะใช้ +InterToUse=ร่างการแทรกแซงที่จะใช้ NewInvoice=ใบแจ้งหนี้ใหม่ NewInter=การแทรกแซงใหม่ -OneLinePerTask=One line per task -OneLinePerPeriod=One line per period -OneLinePerTimeSpentLine=One line for each time spent declaration -AddDetailDateAndDuration=With date and duration into line description -RefTaskParent=Ref. Parent Task -ProfitIsCalculatedWith=Profit is calculated using -AddPersonToTask=Add also to tasks -UsageOrganizeEvent=Usage: Event Organization -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks at 100 %% progress won't be affected: you will have to close them manually. This option only affects open projects. -SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them -ProjectTasksWithoutTimeSpent=Project tasks without time spent -FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. -ProjectsHavingThisContact=Projects having this contact +OneLinePerTask=หนึ่งบรรทัดต่องาน +OneLinePerPeriod=หนึ่งบรรทัดต่อช่วง +OneLinePerTimeSpentLine=หนึ่งบรรทัดสำหรับการประกาศแต่ละครั้งที่ใช้ไป +AddDetailDateAndDuration=พร้อมวันที่และระยะเวลาในคำอธิบายบรรทัด +RefTaskParent=อ้างอิง งานผู้ปกครอง +ProfitIsCalculatedWith=กำไรคำนวณโดยใช้ +AddPersonToTask=เพิ่มไปยังงานด้วย +UsageOrganizeEvent=การใช้งาน: การจัดงาน +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=จัดประเภทโปรเจ็กต์เป็นปิดเมื่องานทั้งหมดเสร็จสิ้น (ความคืบหน้า 100%%) +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=หมายเหตุ: โปรเจ็กต์ที่มีอยู่ซึ่งกำหนดงานทั้งหมดไว้ที่ความคืบหน้า 100%% จะไม่ได้รับผลกระทบ คุณจะต้องปิดโปรเจ็กต์ด้วยตนเอง ตัวเลือกนี้มีผลกับโปรเจ็กต์ที่เปิดอยู่เท่านั้น +SelectLinesOfTimeSpentToInvoice=เลือกบรรทัดเวลาที่ใช้ที่ยังไม่ได้เรียกเก็บเงิน จากนั้นดำเนินการเป็นกลุ่ม "สร้างใบแจ้งหนี้" เพื่อเรียกเก็บเงิน +ProjectTasksWithoutTimeSpent=งานโครงการโดยไม่ต้องเสียเวลา +FormForNewLeadDesc=ขอขอบคุณที่กรอกแบบฟอร์มต่อไปนี้เพื่อติดต่อเรา คุณยังสามารถส่งอีเมลถึงเราโดยตรงไปที่ %s +ProjectsHavingThisContact=โครงการที่มีการติดต่อนี้ StartDateCannotBeAfterEndDate=วันที่สิ้นสุดไม่สามารถก่อนวันเริ่มต้น -ErrorPROJECTLEADERRoleMissingRestoreIt=The "PROJECTLEADER" role is missing or has been de-activited, please restore in the dictionary of contact types -LeadPublicFormDesc=You can enable here a public page to allow your prospects to make a first contact to you from a public online form -EnablePublicLeadForm=Enable the public form for contact -NewLeadbyWeb=Your message or request has been recorded. We will answer or contact your soon. -NewLeadForm=New contact form -LeadFromPublicForm=Online lead from public form +ErrorPROJECTLEADERRoleMissingRestoreIt=บทบาท "PROJECTLEADER" หายไปหรือถูกปิดใช้งานแล้ว โปรดคืนค่าในพจนานุกรมของประเภทผู้ติดต่อ +LeadPublicFormDesc=คุณสามารถเปิดใช้งานเพจสาธารณะได้ที่นี่เพื่อให้ผู้มีโอกาสเป็นลูกค้าติดต่อกับคุณเป็นครั้งแรกจากแบบฟอร์มออนไลน์สาธารณะ +EnablePublicLeadForm=เปิดใช้งานแบบฟอร์มสาธารณะสำหรับการติดต่อ +NewLeadbyWeb=ข้อความหรือคำขอของคุณได้รับการบันทึกแล้ว เราจะตอบกลับหรือติดต่อคุณโดยเร็วที่สุด +NewLeadForm=แบบฟอร์มการติดต่อใหม่ +LeadFromPublicForm=โอกาสในการขายออนไลน์จากแบบฟอร์มสาธารณะ +ExportAccountingReportButtonLabel=รับรายงาน diff --git a/htdocs/langs/th_TH/propal.lang b/htdocs/langs/th_TH/propal.lang index 5d7a4a51d0a..45e94ebe2ba 100644 --- a/htdocs/langs/th_TH/propal.lang +++ b/htdocs/langs/th_TH/propal.lang @@ -12,28 +12,32 @@ NewPropal=ข้อเสนอใหม่ Prospect=โอกาส DeleteProp=ลบข้อเสนอในเชิงพาณิชย์ ValidateProp=ตรวจสอบข้อเสนอในเชิงพาณิชย์ +CancelPropal=ยกเลิก AddProp=สร้างข้อเสนอ -ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? -ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? -LastPropals=Latest %s proposals -LastModifiedProposals=Latest %s modified proposals +ConfirmDeleteProp=คุณแน่ใจหรือไม่ว่าต้องการลบข้อเสนอทางการค้านี้ +ConfirmValidateProp=คุณแน่ใจหรือไม่ว่าต้องการตรวจสอบข้อเสนอเชิงพาณิชย์นี้ภายใต้ชื่อ %s? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? +LastPropals=ข้อเสนอ %s ล่าสุด +LastModifiedProposals=ข้อเสนอที่แก้ไข %s ล่าสุด AllPropals=ข้อเสนอทั้งหมด SearchAProposal=ค้นหาข้อเสนอ -NoProposal=No proposal +NoProposal=ไม่มีข้อเสนอ ProposalsStatistics=สถิติข้อเสนอในเชิงพาณิชย์ NumberOfProposalsByMonth=จำนวนเดือน -AmountOfProposalsByMonthHT=Amount by month (excl. tax) +AmountOfProposalsByMonthHT=จำนวนเงินต่อเดือน (ไม่รวมภาษี) NbOfProposals=จำนวนของข้อเสนอในเชิงพาณิชย์ ShowPropal=แสดงข้อเสนอ PropalsDraft=ร่าง PropalsOpened=เปิด +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=ร่าง (จะต้องมีการตรวจสอบ) PropalStatusValidated=การตรวจสอบ (ข้อเสนอเปิด) PropalStatusSigned=ลงนาม (ความต้องการของการเรียกเก็บเงิน) PropalStatusNotSigned=ไม่ได้ลงชื่อ (ปิด) PropalStatusBilled=การเรียกเก็บเงิน +PropalStatusCanceledShort=ยกเลิก PropalStatusDraftShort=ร่าง -PropalStatusValidatedShort=Validated (open) +PropalStatusValidatedShort=ตรวจสอบแล้ว (เปิด) PropalStatusClosedShort=ปิด PropalStatusSignedShort=ลงนาม PropalStatusNotSignedShort=ไม่ได้ลงนาม @@ -47,20 +51,21 @@ SendPropalByMail=ส่งข้อเสนอในเชิงพาณิช DatePropal=วันของข้อเสนอ DateEndPropal=ตั้งแต่วันที่วันที่สิ้นสุด ValidityDuration=ระยะเวลาตั้งแต่วันที่ -SetAcceptedRefused=Set accepted/refused +SetAcceptedRefused=กำหนดให้ยอมรับ/ปฏิเสธ ErrorPropalNotFound=Propal% s ไม่พบ AddToDraftProposals=เพิ่มลงในร่างข้อเสนอ NoDraftProposals=ไม่มีร่างข้อเสนอ CopyPropalFrom=สร้างข้อเสนอในเชิงพาณิชย์โดยการคัดลอกข้อเสนอที่มีอยู่ -CreateEmptyPropal=Create empty commercial proposal or from list of products/services +CreateEmptyPropal=สร้างข้อเสนอเชิงพาณิชย์ที่ว่างเปล่าหรือจากรายการผลิตภัณฑ์/บริการ DefaultProposalDurationValidity=ระยะเวลาเริ่มต้นความถูกต้องข้อเสนอในเชิงพาณิชย์ (ในวัน) -DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal -UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address -ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? -ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? +DefaultPuttingPricesUpToDate=โดยค่าเริ่มต้น อัปเดตราคาด้วยราคาที่ทราบในปัจจุบันในการโคลนข้อเสนอ +DefaultPuttingDescUpToDate=ตามค่าเริ่มต้น คำอธิบายการอัปเดตพร้อมคำอธิบายที่ทราบในปัจจุบันเกี่ยวกับการโคลนข้อเสนอ +UseCustomerContactAsPropalRecipientIfExist=ใช้ข้อมูลติดต่อ/ที่อยู่ที่มีประเภท 'ติดต่อข้อเสนอการติดตามผล' หากกำหนดไว้แทนที่อยู่ของบุคคลที่สามเป็นที่อยู่ของผู้รับข้อเสนอ +ConfirmClonePropal=คุณแน่ใจหรือไม่ว่าต้องการลอกแบบข้อเสนอเชิงพาณิชย์ %s +ConfirmReOpenProp=คุณแน่ใจหรือไม่ว่าต้องการเปิดข้อเสนอเชิงพาณิชย์ %s ? ProposalsAndProposalsLines=ข้อเสนอเชิงพาณิชย์และสาย ProposalLine=โฆษณาข้อเสนอ -ProposalLines=Proposal lines +ProposalLines=เส้นข้อเสนอ AvailabilityPeriod=ความล่าช้าที่ว่าง SetAvailability=ความล่าช้าในการตั้งค่าความพร้อม AfterOrder=หลังจากที่สั่งซื้อ @@ -77,42 +82,43 @@ AvailabilityTypeAV_1M=1 เดือน TypeContact_propal_internal_SALESREPFOLL=แทนข้อเสนอดังต่อไปนี้ขึ้น TypeContact_propal_external_BILLING=ติดต่อใบแจ้งหนี้ของลูกค้า TypeContact_propal_external_CUSTOMER=การติดต่อกับลูกค้าข้อเสนอดังต่อไปนี้ขึ้น -TypeContact_propal_external_SHIPPING=Customer contact for delivery +TypeContact_propal_external_SHIPPING=ลูกค้าติดต่อเพื่อจัดส่ง # Document models -CantBeNoSign=cannot be set not signed -CaseFollowedBy=Case followed by -ConfirmMassNoSignature=Bulk Not signed confirmation -ConfirmMassNoSignatureQuestion=Are you sure you want to set not signed the selected records ? -ConfirmMassSignature=Bulk Signature confirmation -ConfirmMassSignatureQuestion=Are you sure you want to sign the selected records ? -ConfirmMassValidation=Bulk Validate confirmation -ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? -ContractSigned=Contract signed +CantBeNoSign=ไม่สามารถตั้งค่าไม่ได้ลงนาม +CaseFollowedBy=กรณีตามมา. +ConfirmMassNoSignature=จำนวนมากไม่ได้ลงนามยืนยัน +ConfirmMassNoSignatureQuestion=คุณแน่ใจหรือไม่ว่าต้องการตั้งค่าไม่ลงนามในบันทึกที่เลือก +ConfirmMassSignature=การยืนยันลายเซ็นจำนวนมาก +ConfirmMassSignatureQuestion=คุณแน่ใจหรือไม่ว่าต้องการลงนามในบันทึกที่เลือก +ConfirmMassValidation=การยืนยันการตรวจสอบจำนวนมาก +ConfirmMassValidationQuestion=คุณแน่ใจหรือไม่ว่าต้องการตรวจสอบความถูกต้องของบันทึกที่เลือก +ConfirmRefusePropal=คุณแน่ใจหรือไม่ว่าต้องการปฏิเสธข้อเสนอเชิงพาณิชย์นี้ +ContractSigned=เซ็นสัญญาแล้ว DefaultModelPropalClosed=แม่แบบเริ่มต้นเมื่อปิดข้อเสนอทางธุรกิจ (ยังไม่เรียกเก็บ) DefaultModelPropalCreate=เริ่มต้นการสร้างแบบจำลอง DefaultModelPropalToBill=แม่แบบเริ่มต้นเมื่อปิดข้อเสนอทางธุรกิจ (ที่จะออกใบแจ้งหนี้) -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model -FichinterSigned=Intervention signed -IdProduct=Product ID -IdProposal=Proposal ID -IsNotADraft=is not a draft -LineBuyPriceHT=Buy Price Amount net of tax for line +DocModelAzurDescription=โมเดลข้อเสนอที่สมบูรณ์ (การใช้เทมเพลต Cyan แบบเก่า) +DocModelCyanDescription=รูปแบบข้อเสนอที่สมบูรณ์ +FichinterSigned=ลงนามการแทรกแซงแล้ว +IdProduct=รหัสผลิตภัณฑ์ +IdProposal=รหัสข้อเสนอ +IsNotADraft=ไม่ใช่แบบร่าง +LineBuyPriceHT=ราคาซื้อจำนวนสุทธิจากภาษีสำหรับรายการ NoSign=ปฏิเสธ -NoSigned=set not signed -PassedInOpenStatus=has been validated -PropalAlreadyRefused=Proposal already refused -PropalAlreadySigned=Proposal already accepted -PropalRefused=Proposal refused -PropalSigned=Proposal accepted +NoSigned=ชุดไม่ได้ลงนาม +PassedInOpenStatus=ได้รับการตรวจสอบแล้ว +PropalAlreadyRefused=ข้อเสนอถูกปฏิเสธแล้ว +PropalAlreadySigned=ยอมรับข้อเสนอแล้ว +PropalRefused=ข้อเสนอถูกปฏิเสธ +PropalSigned=ยอมรับข้อเสนอแล้ว ProposalCustomerSignature=ยอมรับเขียนประทับ บริษัท วันและลายเซ็น -ProposalsStatisticsSuppliers=Vendor proposals statistics -RefusePropal=Refuse proposal -Sign=Sign -SignContract=Sign contract -SignFichinter=Sign intervention -SignPropal=Accept proposal -Signed=signed -SignedOnly=Signed only +ProposalsStatisticsSuppliers=สถิติข้อเสนอของผู้ขาย +RefusePropal=ปฏิเสธข้อเสนอ +Sign=เข้าสู่ระบบ +SignContract=เซ็นสัญญา +SignFichinter=เข้าสู่ระบบการแทรกแซง +SignSociete_rib=Sign mandate +SignPropal=ยอมรับข้อเสนอ +Signed=ลงนาม +SignedOnly=ลงนามเท่านั้น diff --git a/htdocs/langs/th_TH/receptions.lang b/htdocs/langs/th_TH/receptions.lang index 1c13c8ebf5b..fafbd1b64e4 100644 --- a/htdocs/langs/th_TH/receptions.lang +++ b/htdocs/langs/th_TH/receptions.lang @@ -1,54 +1,58 @@ # Dolibarr language file - Source file is en_US - receptions -ReceptionDescription=Vendor reception management (Create reception documents) -ReceptionsSetup=Vendor Reception setup -RefReception=Ref. reception -Reception=Reception -Receptions=Receptions -AllReceptions=All Receptions -Reception=Reception -Receptions=Receptions -ShowReception=Show Receptions -ReceptionsArea=Receptions area -ListOfReceptions=List of receptions -ReceptionMethod=Reception method -LastReceptions=Latest %s receptions -StatisticsOfReceptions=Statistics for receptions -NbOfReceptions=Number of receptions -NumberOfReceptionsByMonth=Number of receptions by month -ReceptionCard=Reception card -NewReception=New reception -CreateReception=Create reception -QtyInOtherReceptions=Qty in other receptions -OtherReceptionsForSameOrder=Other receptions for this order -ReceptionsAndReceivingForSameOrder=Receptions and receipts for this order -ReceptionsToValidate=Receptions to validate +ReceptionDescription=การจัดการการรับผู้ขาย (สร้างเอกสารการรับ) +ReceptionsSetup=การตั้งค่าการรับของผู้ขาย +RefReception=อ้างอิง แผนกต้อนรับ +Reception=แผนกต้อนรับ +Receptions=แผนกต้อนรับ +AllReceptions=แผนกต้อนรับทั้งหมด +Reception=แผนกต้อนรับ +Receptions=แผนกต้อนรับ +ShowReception=แสดงการต้อนรับ +ReceptionsArea=บริเวณแผนกต้อนรับ +ListOfReceptions=รายการรับแขก +ReceptionMethod=วิธีการรับ +LastReceptions=การรับ %s ล่าสุด +StatisticsOfReceptions=สถิติการรับ +NbOfReceptions=จำนวนการรับ +NumberOfReceptionsByMonth=จำนวนการรับในแต่ละเดือน +ReceptionCard=บัตรต้อนรับ +NewReception=การต้อนรับใหม่ +CreateReception=สร้างการต้อนรับ +QtyInOtherReceptions=จำนวนในงานเลี้ยงรับรองอื่น ๆ +OtherReceptionsForSameOrder=การรับอื่น ๆ สำหรับคำสั่งซื้อนี้ +ReceptionsAndReceivingForSameOrder=การรับและใบเสร็จรับเงินสำหรับคำสั่งซื้อนี้ +ReceptionsToValidate=การรับเพื่อตรวจสอบ StatusReceptionCanceled=ยกเลิก StatusReceptionDraft=ร่าง -StatusReceptionValidated=Validated (products to receive or already received) -StatusReceptionValidatedToReceive=Validated (products to receive) -StatusReceptionValidatedReceived=Validated (products received) +StatusReceptionValidated=ตรวจสอบแล้ว (สินค้าที่จะได้รับหรือได้รับแล้ว) +StatusReceptionValidatedToReceive=ตรวจสอบแล้ว (สินค้าที่จะได้รับ) +StatusReceptionValidatedReceived=ตรวจสอบแล้ว (ได้รับสินค้าแล้ว) StatusReceptionProcessed=การประมวลผล StatusReceptionDraftShort=ร่าง StatusReceptionValidatedShort=ผ่านการตรวจสอบ StatusReceptionProcessedShort=การประมวลผล -ReceptionSheet=Reception sheet -ConfirmDeleteReception=Are you sure you want to delete this reception? -ConfirmValidateReception=Are you sure you want to validate this reception with reference %s? -ConfirmCancelReception=Are you sure you want to cancel this reception? -StatsOnReceptionsOnlyValidated=Statistics conducted on receptions only validated. Date used is date of validation of reception (planed delivery date is not always known). -SendReceptionByEMail=Send reception by email -SendReceptionRef=Submission of reception %s -ActionsOnReception=Events on reception -ReceptionCreationIsDoneFromOrder=For the moment, creation of a new reception is done from the Purchase Order. -ReceptionLine=Reception line -ProductQtyInReceptionAlreadySent=Product quantity from open sales order already sent -ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplier order already received -ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. -ReceptionsNumberingModules=Numbering module for receptions -ReceptionsReceiptModel=Document templates for receptions -NoMorePredefinedProductToDispatch=No more predefined products to dispatch -ReceptionExist=A reception exists -ByingPrice=Bying price -ReceptionBackToDraftInDolibarr=Reception %s back to draft -ReceptionClassifyClosedInDolibarr=Reception %s classified Closed -ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +ReceptionSheet=ใบรับ +ValidateReception=ตรวจสอบการรับ +ConfirmDeleteReception=คุณแน่ใจหรือไม่ว่าต้องการลบการรับนี้ +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? +ConfirmCancelReception=คุณแน่ใจหรือไม่ว่าต้องการยกเลิกการรับสัญญาณนี้ +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). +SendReceptionByEMail=ส่งการรับทางอีเมล +SendReceptionRef=การส่งการต้อนรับ %s +ActionsOnReception=กิจกรรมที่แผนกต้อนรับ +ReceptionCreationIsDoneFromOrder=ในขณะนี้ การสร้างการรับใหม่เสร็จสิ้นจากใบสั่งซื้อ +ReceptionLine=สายต้อนรับ +ProductQtyInReceptionAlreadySent=จำนวนสินค้าจากการเปิดใบสั่งขายที่ส่งไปแล้ว +ProductQtyInSuppliersReceptionAlreadyRecevied=ได้รับปริมาณสินค้าจากการสั่งซื้อของซัพพลายเออร์ที่เปิดแล้ว +ValidateOrderFirstBeforeReception=คุณต้องตรวจสอบคำสั่งซื้อก่อนจึงจะสามารถออกงานได้ +ReceptionsNumberingModules=โมดูลการนับเลขสำหรับการรับแขก +ReceptionsReceiptModel=แม่แบบเอกสารสำหรับการต้อนรับ +NoMorePredefinedProductToDispatch=ไม่มีผลิตภัณฑ์ที่กำหนดไว้ล่วงหน้าที่จะจัดส่งอีกต่อไป +ReceptionExist=มีแผนกต้อนรับ +ReceptionBackToDraftInDolibarr=การรับ %s กลับสู่แบบร่าง +ReceptionClassifyClosedInDolibarr=การรับ %s จำแนกแล้ว ปิด +ReceptionUnClassifyCloseddInDolibarr=แผนกต้อนรับ %s เปิดอีกครั้ง +RestoreWithCurrentQtySaved=กรอกปริมาณด้วยค่าที่บันทึกไว้ล่าสุด +ReceptionsRecorded=บันทึกการต้อนรับแล้ว +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=การกระจายแผนกต้อนรับ diff --git a/htdocs/langs/th_TH/sendings.lang b/htdocs/langs/th_TH/sendings.lang index b17d2a080e6..42c9d1e0b57 100644 --- a/htdocs/langs/th_TH/sendings.lang +++ b/htdocs/langs/th_TH/sendings.lang @@ -5,12 +5,12 @@ Sendings=การจัดส่ง AllSendings=ทั้งหมดจัดส่ง Shipment=การส่งสินค้า Shipments=การจัดส่ง -ShowSending=Show Shipments -Receivings=Delivery Receipts +ShowSending=แสดงการจัดส่ง +Receivings=ใบเสร็จรับเงินการจัดส่ง SendingsArea=พื้นที่การจัดส่ง ListOfSendings=รายชื่อของการจัดส่ง SendingMethod=วิธีการจัดส่งสินค้า -LastSendings=Latest %s shipments +LastSendings=การจัดส่ง %s ล่าสุด StatisticsOfSendings=สถิติสำหรับการจัดส่ง NbOfSendings=จำนวนการจัดส่ง NumberOfShipmentsByMonth=จำนวนการจัดส่งโดย @@ -18,16 +18,16 @@ SendingCard=การจัดส่งบัตร NewSending=การจัดส่งใหม่ CreateShipment=สร้างการจัดส่ง QtyShipped=จำนวนการจัดส่ง -QtyShippedShort=Qty ship. -QtyPreparedOrShipped=Qty prepared or shipped +QtyShippedShort=จำนวนเรือ. +QtyPreparedOrShipped=จำนวนที่จัดเตรียมหรือจัดส่ง QtyToShip=จำนวนที่จะจัดส่ง -QtyToReceive=Qty to receive +QtyToReceive=จำนวนที่จะได้รับ QtyReceived=จำนวนที่ได้รับ -QtyInOtherShipments=Qty in other shipments +QtyInOtherShipments=จำนวนในการจัดส่งอื่นๆ KeepToShip=ยังคงอยู่ในการจัดส่ง -KeepToShipShort=Remain +KeepToShipShort=ยังคง OtherSendingsForSameOrder=การจัดส่งอื่น ๆ สำหรับการสั่งซื้อนี้ -SendingsAndReceivingForSameOrder=Shipments and receipts for this order +SendingsAndReceivingForSameOrder=การจัดส่งและใบเสร็จรับเงินสำหรับคำสั่งซื้อนี้ SendingsToValidate=ในการตรวจสอบการจัดส่ง StatusSendingCanceled=ยกเลิก StatusSendingCanceledShort=ยกเลิก @@ -38,39 +38,49 @@ StatusSendingDraftShort=ร่าง StatusSendingValidatedShort=ผ่านการตรวจสอบ StatusSendingProcessedShort=การประมวลผล SendingSheet=แผ่นจัดส่ง -ConfirmDeleteSending=Are you sure you want to delete this shipment? -ConfirmValidateSending=Are you sure you want to validate this shipment with reference %s? -ConfirmCancelSending=Are you sure you want to cancel this shipment? +ConfirmDeleteSending=คุณแน่ใจหรือไม่ว่าต้องการลบการจัดส่งนี้ +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? +ConfirmCancelSending=คุณแน่ใจหรือไม่ว่าต้องการยกเลิกการจัดส่งนี้ DocumentModelMerou=Merou A5 รูปแบบ WarningNoQtyLeftToSend=คำเตือนผลิตภัณฑ์ไม่มีการรอคอยที่จะส่ง -StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) +StatsOnShipmentsOnlyValidated=สถิติมีไว้สำหรับการจัดส่งที่ผ่านการตรวจสอบแล้วเท่านั้น วันที่ที่ใช้คือวันที่ตรวจสอบความถูกต้องของการจัดส่ง (วันที่จัดส่งตามแผนไม่เป็นที่รู้จักเสมอไป) DateDeliveryPlanned=วันที่มีการวางแผนในการส่งสินค้า -RefDeliveryReceipt=Ref delivery receipt -StatusReceipt=Status delivery receipt +RefDeliveryReceipt=อ้างอิงใบเสร็จรับเงินการจัดส่ง +StatusReceipt=ใบเสร็จรับเงินการจัดส่งสถานะ DateReceived=วันที่ได้รับการส่งมอบ -ClassifyReception=Classify reception -SendShippingByEMail=Send shipment by email +ClassifyReception=จำแนกประเภทที่ได้รับ +SendShippingByEMail=ส่งของทางอีเมล์ครับ SendShippingRef=การส่งของการขนส่ง% s ActionsOnShipping=เหตุการณ์ที่เกิดขึ้นในการจัดส่ง LinkToTrackYourPackage=เชื่อมโยงไปยังติดตามแพคเกจของคุณ -ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the Sales Order record. +ShipmentCreationIsDoneFromOrder=ในขณะนี้ การสร้างการจัดส่งใหม่เสร็จสิ้นจากบันทึกใบสั่งขาย ShipmentLine=สายการจัดส่ง -ProductQtyInCustomersOrdersRunning=Product quantity from open sales orders -ProductQtyInSuppliersOrdersRunning=Product quantity from open purchase orders -ProductQtyInShipmentAlreadySent=Product quantity from open sales order already sent -ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase orders already received -NoProductToShipFoundIntoStock=No product to ship found in warehouse %s. Correct stock or go back to choose another warehouse. -WeightVolShort=Weight/Vol. -ValidateOrderFirstBeforeShipment=You must first validate the order before being able to make shipments. +ProductQtyInCustomersOrdersRunning=ปริมาณผลิตภัณฑ์จากใบสั่งขายที่เปิดอยู่ +ProductQtyInSuppliersOrdersRunning=ปริมาณผลิตภัณฑ์จากคำสั่งซื้อที่เปิดอยู่ +ProductQtyInShipmentAlreadySent=จำนวนสินค้าจากการเปิดใบสั่งขายที่ส่งไปแล้ว +ProductQtyInSuppliersShipmentAlreadyRecevied=จำนวนสินค้าจากการเปิดคำสั่งซื้อที่ได้รับแล้ว +NoProductToShipFoundIntoStock=ไม่พบผลิตภัณฑ์ที่จะจัดส่งในคลังสินค้า %s แก้ไขสต๊อกหรือกลับไปเลือกคลังสินค้าอื่น +WeightVolShort=น้ำหนัก/ปริมาตร +ValidateOrderFirstBeforeShipment=คุณต้องตรวจสอบความถูกต้องของคำสั่งซื้อก่อนจึงจะสามารถดำเนินการจัดส่งได้ +NoLineGoOnTabToAddSome=ไม่มีบรรทัด ไปที่แท็บ "%s" เพื่อเพิ่ม # Sending methods # ModelDocument DocumentModelTyphon=รูปแบบเอกสารที่สมบูรณ์มากขึ้นสำหรับการจัดส่งใบเสร็จรับเงิน (โลโก้ ... ) -DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...) +DocumentModelStorm=แบบจำลองเอกสารที่สมบูรณ์ยิ่งขึ้นสำหรับใบเสร็จรับเงินการจัดส่งและความเข้ากันได้กับฟิลด์พิเศษ (โลโก้...) Error_EXPEDITION_ADDON_NUMBER_NotDefined=EXPEDITION_ADDON_NUMBER คงที่ไม่ได้กำหนดไว้ SumOfProductVolumes=ผลรวมของปริมาณสินค้า SumOfProductWeights=ผลรวมของน้ำหนักสินค้า # warehouse details DetailWarehouseNumber= รายละเอียดคลังสินค้า -DetailWarehouseFormat= W:%s (Qty: %d) +DetailWarehouseFormat= W:%s (จำนวน: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=แสดงวันที่ล่าสุดของสินค้าในสต็อกระหว่างการสร้างการจัดส่งสำหรับหมายเลขซีเรียลหรือชุดงาน +CreationOptions=ตัวเลือกที่มีให้ระหว่างการสร้างการจัดส่ง + +ShipmentDistribution=การกระจายสินค้า + +ErrorTooManyCombinationBatchcode=ไม่มีการจัดส่งสำหรับบรรทัด %s เนื่องจากพบคลังสินค้า ผลิตภัณฑ์ รหัสชุดงานมากเกินไป (%s) +ErrorNoCombinationBatchcode=ไม่สามารถบันทึกบรรทัด %s เป็นการรวมของ warehouse-product-lot/serial (%s, %s, %s) ในสต็อก + +ErrorTooMuchShipped=ปริมาณที่จัดส่งไม่ควรมากกว่าปริมาณที่สั่งซื้อสำหรับบรรทัด %s diff --git a/htdocs/langs/th_TH/stocks.lang b/htdocs/langs/th_TH/stocks.lang index 1a7262d62ce..d2e4b3ae243 100644 --- a/htdocs/langs/th_TH/stocks.lang +++ b/htdocs/langs/th_TH/stocks.lang @@ -2,316 +2,336 @@ WarehouseCard=บัตรคลังสินค้า Warehouse=คลังสินค้า Warehouses=โกดัง -ParentWarehouse=Parent warehouse -NewWarehouse=New warehouse / Stock Location +ParentWarehouse=โกดังแม่ +NewWarehouse=คลังสินค้าใหม่ / ที่ตั้งสต็อก WarehouseEdit=แก้ไขคลังสินค้า MenuNewWarehouse=คลังสินค้าใหม่ WarehouseSource=คลังสินค้าที่มา WarehouseSourceNotDefined=ไม่มีคลังสินค้าที่กำหนดไว้ -AddWarehouse=Create warehouse +AddWarehouse=สร้างโกดัง AddOne=เพิ่มอีกหนึ่ง -DefaultWarehouse=Default warehouse +DefaultWarehouse=คลังสินค้าเริ่มต้น WarehouseTarget=คลังสินค้าเป้าหมาย -ValidateSending=Confirm shipment -CancelSending=Cancel shipment -DeleteSending=Delete shipment +ValidateSending=ยืนยันการจัดส่ง +CancelSending=ยกเลิกการจัดส่ง +DeleteSending=ลบการจัดส่ง Stock=สต็อกสินค้า Stocks=หุ้น -MissingStocks=Missing stocks -StockAtDate=Stocks at date -StockAtDateInPast=Date in the past -StockAtDateInFuture=Date in the future -StocksByLotSerial=Stocks by lot/serial -LotSerial=Lots/Serials -LotSerialList=List of lot/serials +MissingStocks=หุ้นขาด +StockAtDate=หุ้น ณ วันที่ +StockAtDateInPast=วันที่ในอดีต +StockAtDateInFuture=วันที่ในอนาคต +StocksByLotSerial=หุ้นตามล็อต/อนุกรม +LotSerial=ล็อต/ซีเรียล +LotSerialList=รายการล็อต/ซีเรียล +SubjectToLotSerialOnly=สินค้าขึ้นอยู่กับล็อต/ซีเรียลเท่านั้น Movements=การเคลื่อนไหว ErrorWarehouseRefRequired=ชื่ออ้างอิงคลังสินค้าจะต้อง ListOfWarehouses=รายชื่อของคลังสินค้า ListOfStockMovements=รายการเคลื่อนไหวของหุ้น -ListOfInventories=List of inventories -MovementId=Movement ID -StockMovementForId=Movement ID %d -ListMouvementStockProject=List of stock movements associated to project +ListOfInventories=รายการสินค้าคงคลัง +MovementId=รหัสการเคลื่อนไหว +StockMovementForId=รหัสการเคลื่อนไหว %d +ListMouvementStockProject=รายการความเคลื่อนไหวของสต็อกที่เกี่ยวข้องกับโครงการ StocksArea=พื้นที่โกดัง -AllWarehouses=All warehouses -IncludeEmptyDesiredStock=Include also negative stock with undefined desired stock -IncludeAlsoDraftOrders=Include also draft orders +AllWarehouses=โกดังทั้งหมด +IncludeEmptyDesiredStock=รวมถึงหุ้นติดลบที่มีหุ้นที่ต้องการที่ไม่ได้กำหนดไว้ด้วย +IncludeAlsoDraftOrders=รวมถึงร่างคำสั่งด้วย Location=สถานที่ -LocationSummary=Short name of location -NumberOfDifferentProducts=Number of unique products +LocationSummary=ชื่อย่อของสถานที่ +NumberOfDifferentProducts=จำนวนผลิตภัณฑ์ที่ไม่ซ้ำ NumberOfProducts=จำนวนของผลิตภัณฑ์ -LastMovement=Latest movement -LastMovements=Latest movements +LastMovement=ความเคลื่อนไหวล่าสุด +LastMovements=ความเคลื่อนไหวล่าสุด Units=หน่วย Unit=หน่วย -StockCorrection=Stock correction +StockCorrection=การแก้ไขสต๊อก CorrectStock=หุ้นที่ถูกต้อง StockTransfer=การโอนหุ้น -TransferStock=Transfer stock -MassStockTransferShort=Mass stock transfer -StockMovement=Stock movement -StockMovements=Stock movements +TransferStock=โอนสต๊อก +MassStockTransferShort=การเปลี่ยนแปลงสต็อกจำนวนมาก +StockMovement=การเคลื่อนไหวของสต็อก +StockMovements=การเคลื่อนไหวของหุ้น NumberOfUnit=จำนวนหน่วย UnitPurchaseValue=ราคาซื้อหน่วย StockTooLow=หุ้นต่ำเกินไป -StockLowerThanLimit=Stock lower than alert limit (%s) +StockLowerThanLimit=สต็อกต่ำกว่าขีดจำกัดการแจ้งเตือน (%s) EnhancedValue=มูลค่า EnhancedValueOfWarehouses=ค่าโกดัง -UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user -AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product -RuleForWarehouse=Rule for warehouses -WarehouseAskWarehouseOnThirparty=Set a warehouse on Third-parties -WarehouseAskWarehouseDuringPropal=Set a warehouse on Commercial proposals -WarehouseAskWarehouseDuringOrder=Set a warehouse on Sales Orders -WarehouseAskWarehouseDuringProject=Set a warehouse on Projects -UserDefaultWarehouse=Set a warehouse on Users -MainDefaultWarehouse=Default warehouse -MainDefaultWarehouseUser=Use a default warehouse for each user -MainDefaultWarehouseUserDesc=By activating this option, during creation of a product, the warehouse assigned to the product will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. -IndependantSubProductStock=Product stock and subproduct stock are independent +UserWarehouseAutoCreate=สร้างคลังผู้ใช้โดยอัตโนมัติเมื่อสร้างผู้ใช้ +AllowAddLimitStockByWarehouse=จัดการมูลค่าสต็อคขั้นต่ำและที่ต้องการต่อการจับคู่ (ผลิตภัณฑ์-คลังสินค้า) นอกเหนือจากมูลค่าสต็อคขั้นต่ำและสต็อคที่ต้องการต่อผลิตภัณฑ์ +RuleForWarehouse=กฎสำหรับคลังสินค้า +WarehouseAskWarehouseOnThirparty=ตั้งคลังสินค้าบนบุคคลที่สาม +WarehouseAskWarehouseDuringPropal=ตั้งคลังสินค้าตามข้อเสนอเชิงพาณิชย์ +WarehouseAskWarehouseDuringOrder=ตั้งค่าคลังสินค้าในใบสั่งขาย +WarehouseAskWarehouseDuringProject=ตั้งคลังสินค้าในโครงการ +UserDefaultWarehouse=ตั้งค่าคลังสินค้าสำหรับผู้ใช้ +MainDefaultWarehouse=คลังสินค้าเริ่มต้น +MainDefaultWarehouseUser=ใช้คลังสินค้าเริ่มต้นสำหรับผู้ใช้แต่ละราย +MainDefaultWarehouseUserDesc=เมื่อเปิดใช้งานตัวเลือกนี้ ในระหว่างการสร้างผลิตภัณฑ์ คลังสินค้าที่กำหนดให้กับผลิตภัณฑ์จะถูกกำหนดในคลังสินค้านี้ หากไม่มีการกำหนดคลังสินค้าให้กับผู้ใช้ จะมีการกำหนดคลังสินค้าเริ่มต้น +IndependantSubProductStock=สต็อกสินค้าและสต็อกสินค้าย่อยมีความเป็นอิสระ QtyDispatched=ปริมาณส่ง QtyDispatchedShort=จำนวนส่ง QtyToDispatchShort=จำนวนการจัดส่ง -OrderDispatch=Item receipts -RuleForStockManagementDecrease=Choose Rule for automatic stock decrease (manual decrease is always possible, even if an automatic decrease rule is activated) -RuleForStockManagementIncrease=Choose Rule for automatic stock increase (manual increase is always possible, even if an automatic increase rule is activated) -DeStockOnBill=Decrease real stocks on validation of customer invoice/credit note -DeStockOnValidateOrder=Decrease real stocks on validation of sales order -DeStockOnShipment=Decrease real stocks on shipping validation -DeStockOnShipmentOnClosing=Decrease real stocks when shipping is set to closed -ReStockOnBill=Increase real stocks on validation of vendor invoice/credit note -ReStockOnValidateOrder=Increase real stocks on purchase order approval -ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouse, after purchase order receipt of goods -StockOnReception=Increase real stocks on validation of reception -StockOnReceptionOnClosing=Increase real stocks when reception is set to closed +OrderDispatch=ใบเสร็จรับเงินรายการ +RuleForStockManagementDecrease=เลือกกฎสำหรับการลดสต็อกอัตโนมัติ (การลดลงด้วยตนเองสามารถทำได้เสมอ แม้ว่าจะเปิดใช้งานกฎการลดอัตโนมัติก็ตาม) +RuleForStockManagementIncrease=เลือกกฎสำหรับการเพิ่มสต็อกอัตโนมัติ (การเพิ่มด้วยตนเองสามารถทำได้เสมอ แม้ว่าจะเปิดใช้งานกฎการเพิ่มอัตโนมัติก็ตาม) +DeStockOnBill=ลดจำนวนสต๊อกจริงในการตรวจสอบใบแจ้งหนี้/ใบลดหนี้ของลูกค้า +DeStockOnValidateOrder=ลดจำนวนสต๊อกจริงในการตรวจสอบความถูกต้องของใบสั่งขาย +DeStockOnShipment=ลดสต็อกจริงในการตรวจสอบการจัดส่ง +DeStockOnShipmentOnClosing=ลดสต๊อกจริงเมื่อตั้งค่าการจัดส่งเป็นปิด +ReStockOnBill=เพิ่มสต็อคจริงในการตรวจสอบความถูกต้องของใบแจ้งหนี้/ใบลดหนี้ของผู้ขาย +ReStockOnValidateOrder=เพิ่มสต็อคจริงเมื่ออนุมัติคำสั่งซื้อ +ReStockOnDispatchOrder=เพิ่มสต็อคจริงในการจัดส่งด้วยตนเองไปยังคลังสินค้า หลังจากได้รับสินค้าตามคำสั่งซื้อ +StockOnReception=เพิ่มสต็อกจริงในการตรวจสอบการรับ +StockOnReceptionOnClosing=เพิ่มสต๊อกจริงเมื่อตั้งค่าการรับเป็นปิด OrderStatusNotReadyToDispatch=การสั่งซื้อที่ยังไม่ได้มีหรือไม่ขึ้นสถานะที่ช่วยให้การจัดส่งสินค้าในคลังสินค้าหุ้น -StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock +StockDiffPhysicTeoric=คำอธิบายความแตกต่างระหว่างสต็อกจริงและเสมือน NoPredefinedProductToDispatch=ไม่มีสินค้าที่กำหนดไว้ล่วงหน้าสำหรับวัตถุนี้ จึงไม่มีการฝึกอบรมในสต็อกจะต้อง DispatchVerb=ฆ่า StockLimitShort=จำกัด สำหรับการแจ้งเตือน StockLimit=ขีด จำกัด ของสต็อกสำหรับการแจ้งเตือน -StockLimitDesc=(empty) means no warning.
      0 can be used to trigger a warning as soon as the stock is empty. -PhysicalStock=Physical Stock +StockLimitDesc=(ว่าง) หมายถึงไม่มีการเตือน
      0 สามารถใช้เพื่อทริกเกอร์คำเตือนทันทีที่สินค้าในคลังว่างเปล่า +PhysicalStock=สต็อกทางกายภาพ RealStock=หุ้นจริง -RealStockDesc=Physical/real stock is the stock currently in the warehouses. -RealStockWillAutomaticallyWhen=The real stock will be modified according to this rule (as defined in the Stock module): +RealStockDesc=สต็อคทางกายภาพ/จริง คือ สต็อคที่อยู่ในคลังสินค้าในปัจจุบัน +RealStockWillAutomaticallyWhen=สต็อกจริงจะได้รับการแก้ไขตามกฎนี้ (ตามที่กำหนดไว้ในโมดูลสต็อก): VirtualStock=หุ้นเสมือนจริง -VirtualStockAtDate=Virtual stock at a future date -VirtualStockAtDateDesc=Virtual stock once all the pending orders that are planned to be processed before the chosen date will be finished -VirtualStockDesc=Virtual stock is the calculated stock available once all open/pending actions (that affect stocks) are closed (purchase orders received, sales orders shipped, manufacturing orders produced, etc) -AtDate=At date +VirtualStockAtDate=หุ้นเสมือนจริงในอนาคต +VirtualStockAtDateDesc=สต็อกเสมือนเมื่อคำสั่งซื้อที่รอดำเนินการทั้งหมดที่วางแผนไว้ว่าจะดำเนินการก่อนวันที่เลือกจะเสร็จสิ้น +VirtualStockDesc=สต็อกเสมือนคือสต็อกที่จะยังคงอยู่หลังจากดำเนินการเปิด/รอดำเนินการทั้งหมด (ซึ่งส่งผลต่อสต็อก) (ได้รับใบสั่งซื้อ จัดส่งใบสั่งขาย ใบสั่งผลิตที่ผลิต ฯลฯ) +AtDate=ณ วันที่ IdWarehouse=คลังสินค้า Id DescWareHouse=คลังสินค้ารายละเอียด LieuWareHouse=คลังสินค้าภาษาท้องถิ่น WarehousesAndProducts=โกดังและผลิตภัณฑ์ WarehousesAndProductsBatchDetail=โกดังและผลิตภัณฑ์ (ที่มีรายละเอียดมากต่อ / อนุกรม) AverageUnitPricePMPShort=ราคาเฉลี่ยถ่วงน้ำหนัก -AverageUnitPricePMPDesc=The input average unit price we had to expense to get 1 unit of product into our stock. +AverageUnitPricePMPDesc=ราคาต่อหน่วยโดยเฉลี่ยที่เราต้องจ่ายเพื่อให้ได้ผลิตภัณฑ์ 1 หน่วยเข้าสต็อกของเรา SellPriceMin=ราคาขายต่อหน่วย -EstimatedStockValueSellShort=Value for sell -EstimatedStockValueSell=Value for sell +EstimatedStockValueSellShort=มูลค่าการขาย +EstimatedStockValueSell=มูลค่าการขาย EstimatedStockValueShort=ป้อนข้อมูลมูลค่าหุ้น EstimatedStockValue=ป้อนข้อมูลมูลค่าหุ้น DeleteAWarehouse=ลบคลังสินค้า -ConfirmDeleteWarehouse=Are you sure you want to delete the warehouse %s? +ConfirmDeleteWarehouse=คุณแน่ใจหรือไม่ว่าต้องการลบคลังสินค้า %s PersonalStock=ส่วนตัวหุ้น% s ThisWarehouseIsPersonalStock=คลังสินค้านี้เป็นหุ้นส่วนบุคคล% s% s SelectWarehouseForStockDecrease=เลือกคลังสินค้าที่จะใช้สำหรับการลดลงของหุ้น SelectWarehouseForStockIncrease=เลือกคลังสินค้าที่จะใช้สำหรับการเพิ่มขึ้นของหุ้น +RevertProductsToStock=คืนสินค้าเข้าสต๊อก ? NoStockAction=ไม่มีการกระทำหุ้น -DesiredStock=Desired Stock -DesiredStockDesc=This stock amount will be the value used to fill the stock by replenishment feature. +DesiredStock=หุ้นที่ต้องการ +DesiredStockDesc=จำนวนสต็อคนี้จะเป็นค่าที่ใช้ในการเติมสต็อคตามคุณลักษณะการเติมสินค้า StockToBuy=ต้องการสั่งซื้อ Replenishment=การเสริมกำลัง ReplenishmentOrders=คำสั่งการเติมเต็ม -VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical stock + open orders) may differ -UseRealStockByDefault=Use real stock, instead of virtual stock, for replenishment feature -ReplenishmentCalculation=Amount to order will be (desired quantity - real stock) instead of (desired quantity - virtual stock) +VirtualDiffersFromPhysical=ตามตัวเลือกการเพิ่ม/ลดสต็อก สต็อกจริงและสต็อกเสมือน (สต็อกจริง + คำสั่งซื้อที่เปิดอยู่) อาจแตกต่างกัน +UseRealStockByDefault=ใช้สต็อคจริงแทนสต็อคเสมือนสำหรับคุณลักษณะการเติมสินค้า +ReplenishmentCalculation=จำนวนที่จะสั่งซื้อจะเป็น (ปริมาณที่ต้องการ - สต็อคจริง) แทน (ปริมาณที่ต้องการ - สต็อคเสมือน) UseVirtualStock=ใช้หุ้นเสมือนจริง UsePhysicalStock=ใช้หุ้นทางกายภาพ CurentSelectionMode=โหมดการเลือกปัจจุบัน CurentlyUsingVirtualStock=หุ้นเสมือนจริง CurentlyUsingPhysicalStock=หุ้นทางกายภาพ RuleForStockReplenishment=กฎสำหรับหุ้นการเติมเต็ม -SelectProductWithNotNullQty=Select at least one product with a qty not null and a vendor +SelectProductWithNotNullQty=เลือกอย่างน้อยหนึ่งผลิตภัณฑ์ที่มีจำนวนไม่เป็นโมฆะและผู้จำหน่าย AlertOnly= การแจ้งเตือนเท่านั้น -IncludeProductWithUndefinedAlerts = Include also negative stock for products with no desired quantity defined, to restore them to 0 +IncludeProductWithUndefinedAlerts = รวมสต็อกติดลบสำหรับผลิตภัณฑ์ที่ไม่มีการกำหนดปริมาณที่ต้องการด้วย เพื่อคืนค่าเป็น 0 WarehouseForStockDecrease=s คลังสินค้า% จะใช้สำหรับการลดลงของหุ้น WarehouseForStockIncrease=คลังสินค้า% s จะใช้สำหรับการเพิ่มขึ้นของหุ้น ForThisWarehouse=สำหรับคลังสินค้านี้ -ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. -ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. -ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. +ReplenishmentStatusDesc=นี่คือรายการผลิตภัณฑ์ทั้งหมดที่มีสต็อกต่ำกว่าสต็อกที่ต้องการ (หรือต่ำกว่าค่าการแจ้งเตือนหากเลือกช่องทำเครื่องหมาย "แจ้งเตือนเท่านั้น") เมื่อใช้ช่องทำเครื่องหมาย คุณสามารถสร้างใบสั่งซื้อเพื่อเติมส่วนต่างได้ +ReplenishmentStatusDescPerWarehouse=หากคุณต้องการการเติมสินค้าตามปริมาณที่ต้องการซึ่งกำหนดไว้ต่อคลังสินค้า คุณต้องเพิ่มตัวกรองในคลังสินค้า +ReplenishmentOrdersDesc=นี่คือรายการคำสั่งซื้อที่เปิดอยู่ทั้งหมดรวมถึงผลิตภัณฑ์ที่กำหนดไว้ล่วงหน้า เฉพาะคำสั่งซื้อที่เปิดอยู่กับผลิตภัณฑ์ที่กำหนดไว้ล่วงหน้าเท่านั้น ดังนั้นจึงสามารถดูคำสั่งซื้อที่อาจส่งผลกระทบต่อสต็อกได้ที่นี่ Replenishments=replenishments NbOfProductBeforePeriod=ปริมาณของ% s สินค้าในสต็อกก่อนระยะเวลาที่เลือก (<% s) NbOfProductAfterPeriod=จำนวนของผลิตภัณฑ์% s ในสต็อกหลังจากระยะเวลาที่เลือก (>% s) MassMovement=การเคลื่อนไหวมวลชน -SelectProductInAndOutWareHouse=Select a source warehouse and a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click on "%s". -RecordMovement=Record transfer +SelectProductInAndOutWareHouse=เลือกคลังสินค้าต้นทาง (ไม่บังคับ) คลังสินค้าเป้าหมาย ผลิตภัณฑ์ และปริมาณ จากนั้นคลิก "%s" เมื่อเสร็จสิ้นสำหรับการเคลื่อนไหวที่จำเป็นทั้งหมดแล้ว ให้คลิกที่ "%s" +RecordMovement=บันทึกการโอน +RecordMovements=บันทึกความเคลื่อนไหวของหุ้น ReceivingForSameOrder=ใบเสร็จรับเงินสำหรับการสั่งซื้อนี้ StockMovementRecorded=การเคลื่อนไหวของหุ้นที่บันทึกไว้ RuleForStockAvailability=หลักเกณฑ์ในการความต้องการหุ้น -StockMustBeEnoughForInvoice=Stock level must be enough to add product/service to invoice (check is done on current real stock when adding a line into invoice whatever the rule for automatic stock change) -StockMustBeEnoughForOrder=Stock level must be enough to add product/service to order (check is done on current real stock when adding a line into order whatever the rule for automatic stock change) -StockMustBeEnoughForShipment= Stock level must be enough to add product/service to shipment (check is done on current real stock when adding a line into shipment whatever the rule for automatic stock change) +StockMustBeEnoughForInvoice=ระดับสต็อคจะต้องเพียงพอที่จะเพิ่มผลิตภัณฑ์/บริการลงในใบแจ้งหนี้ (ตรวจสอบสต็อคจริงปัจจุบันเมื่อเพิ่มบรรทัดลงในใบแจ้งหนี้ ไม่ว่ากฎสำหรับการเปลี่ยนแปลงสต็อคอัตโนมัติจะเป็นอย่างไร) +StockMustBeEnoughForOrder=ระดับสต็อคต้องเพียงพอต่อการเพิ่มสินค้า/บริการที่จะสั่งซื้อ (ตรวจสอบสต็อคจริงปัจจุบันเมื่อเพิ่มบรรทัดในการสั่งซื้อไม่ว่าจะมีกฎการเปลี่ยนสต็อคอัตโนมัติก็ตาม) +StockMustBeEnoughForShipment= ระดับสต็อคจะต้องเพียงพอที่จะเพิ่มสินค้า/บริการในการจัดส่ง (ตรวจสอบสต็อคจริงในปัจจุบันเมื่อเพิ่มรายการในการจัดส่ง ไม่ว่ากฎสำหรับการเปลี่ยนแปลงสต็อคอัตโนมัติจะเป็นอย่างไร) MovementLabel=ป้ายของการเคลื่อนไหว -TypeMovement=Direction of movement -DateMovement=Date of movement +TypeMovement=ทิศทางการเคลื่อนไหว +DateMovement=วันที่เคลื่อนไหว InventoryCode=การเคลื่อนไหวหรือรหัสสินค้าคงคลัง IsInPackage=เป็นแพคเกจที่มีอยู่ -WarehouseAllowNegativeTransfer=Stock can be negative -qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. -qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). +WarehouseAllowNegativeTransfer=หุ้นอาจเป็นลบ +qtyToTranferIsNotEnough=คุณมีสต็อกไม่เพียงพอจากคลังสินค้าต้นทาง และการตั้งค่าของคุณไม่อนุญาตให้มีสต็อกติดลบ +qtyToTranferLotIsNotEnough=คุณมีสต็อกไม่เพียงพอสำหรับหมายเลขล็อตนี้จากคลังสินค้าต้นทางของคุณและการตั้งค่าของคุณไม่อนุญาตให้มีสต็อกติดลบ (จำนวนสำหรับผลิตภัณฑ์ '%s' พร้อมล็อต '%s' คือ %s ในคลังสินค้า '%s') ShowWarehouse=แสดงคลังสินค้า MovementCorrectStock=แก้ไขหุ้นสำหรับผลิตภัณฑ์% s MovementTransferStock=การโอนหุ้นของผลิตภัณฑ์% s เข้าไปในโกดังอีก +BatchStockMouvementAddInGlobal=สต็อกแบทช์ย้ายเข้าสู่สต็อกทั่วโลก (ผลิตภัณฑ์ไม่ใช้แบทช์อีกต่อไป) InventoryCodeShort=Inv. / Mov รหัส -NoPendingReceptionOnSupplierOrder=No pending reception due to open purchase order +NoPendingReceptionOnSupplierOrder=ไม่มีการรับที่รอดำเนินการเนื่องจากเปิดคำสั่งซื้อ ThisSerialAlreadyExistWithDifferentDate=จำนวนมากนี้ / หมายเลขประจำเครื่อง (% s) อยู่แล้ว แต่ด้วยความแตกต่างกันหรือ eatby วัน sellby (ที่พบ% s แต่คุณป้อน% s) -OpenAnyMovement=Open (all movement) -OpenInternal=Open (only internal movement) -UseDispatchStatus=Use a dispatch status (approve/refuse) for product lines on purchase order reception -OptionMULTIPRICESIsOn=Option "several prices per segment" is on. It means a product has several selling price so value for sell can't be calculated -ProductStockWarehouseCreated=Stock limit for alert and desired optimal stock correctly created -ProductStockWarehouseUpdated=Stock limit for alert and desired optimal stock correctly updated -ProductStockWarehouseDeleted=Stock limit for alert and desired optimal stock correctly deleted -AddNewProductStockWarehouse=Set new limit for alert and desired optimal stock -AddStockLocationLine=Decrease quantity then click to split the line -InventoryDate=Inventory date -Inventories=Inventories -NewInventory=New inventory -inventorySetup = Inventory Setup -inventoryCreatePermission=Create new inventory -inventoryReadPermission=View inventories -inventoryWritePermission=Update inventories -inventoryValidatePermission=Validate inventory -inventoryDeletePermission=Delete inventory -inventoryTitle=Inventory -inventoryListTitle=Inventories -inventoryListEmpty=No inventory in progress -inventoryCreateDelete=Create/Delete inventory -inventoryCreate=Create new +OpenAnyMovement=เปิด (ทุกการเคลื่อนไหว) +OpenInternal=เปิด (เฉพาะการเคลื่อนไหวภายใน) +UseDispatchStatus=ใช้สถานะการจัดส่ง (อนุมัติ/ปฏิเสธ) สำหรับรายการผลิตภัณฑ์ในการรับใบสั่งซื้อ +OptionMULTIPRICESIsOn=ตัวเลือก "หลายราคาต่อกลุ่ม" เปิดอยู่ หมายความว่าผลิตภัณฑ์มีราคาขายหลายรายการ ดังนั้นจึงไม่สามารถคำนวณมูลค่าการขายได้ +ProductStockWarehouseCreated=ขีดจำกัดสต็อคสำหรับการแจ้งเตือนและสร้างสต็อคที่เหมาะสมที่สุดที่ต้องการอย่างถูกต้อง +ProductStockWarehouseUpdated=ขีดจำกัดสต็อกสำหรับการแจ้งเตือนและสต็อกที่เหมาะสมที่สุดที่ต้องการได้รับการอัปเดตอย่างถูกต้อง +ProductStockWarehouseDeleted=ขีดจำกัดสต็อคสำหรับการแจ้งเตือนและลบสต็อคที่เหมาะสมที่สุดที่ต้องการอย่างถูกต้อง +ProductStockWarehouse=ขีดจำกัดสต็อคเพื่อการแจ้งเตือนและสต็อคที่เหมาะสมที่สุดตามผลิตภัณฑ์และคลังสินค้า +AddNewProductStockWarehouse=กำหนดขีดจำกัดใหม่สำหรับการแจ้งเตือนและสต็อกที่เหมาะสมที่สุดที่ต้องการ +AddStockLocationLine=ลดจำนวนแล้วคลิกเพื่อแยกบรรทัด +InventoryDate=วันที่สินค้าคงคลัง +Inventories=สินค้าคงคลัง +NewInventory=สินค้าคงคลังใหม่ +inventorySetup = การตั้งค่าสินค้าคงคลัง +inventoryCreatePermission=สร้างสินค้าคงคลังใหม่ +inventoryReadPermission=ดูสินค้าคงคลัง +inventoryWritePermission=อัพเดทสต๊อกสินค้า +inventoryValidatePermission=ตรวจสอบสินค้าคงคลัง +inventoryDeletePermission=ลบสินค้าคงคลัง +inventoryTitle=รายการสิ่งของ +inventoryListTitle=สินค้าคงคลัง +inventoryListEmpty=ไม่มีสินค้าคงคลังอยู่ระหว่างดำเนินการ +inventoryCreateDelete=สร้าง/ลบสินค้าคงคลัง +inventoryCreate=สร้างใหม่ inventoryEdit=แก้ไข inventoryValidate=ผ่านการตรวจสอบ inventoryDraft=วิ่ง -inventorySelectWarehouse=Warehouse choice +inventorySelectWarehouse=ทางเลือกคลังสินค้า inventoryConfirmCreate=สร้าง -inventoryOfWarehouse=Inventory for warehouse: %s -inventoryErrorQtyAdd=Error: one quantity is less than zero -inventoryMvtStock=By inventory -inventoryWarningProductAlreadyExists=This product is already into list +inventoryOfWarehouse=สินค้าคงคลังสำหรับคลังสินค้า: %s +inventoryErrorQtyAdd=ข้อผิดพลาด: ปริมาณหนึ่งมีค่าน้อยกว่าศูนย์ +inventoryMvtStock=ตามสินค้าคงคลัง +inventoryWarningProductAlreadyExists=สินค้านี้อยู่ในรายการแล้ว SelectCategory=ตัวกรองหมวดหมู่ -SelectFournisseur=Vendor filter -inventoryOnDate=Inventory -INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Stock movements will have the date of inventory (instead of the date of inventory validation) -inventoryChangePMPPermission=Allow to change PMP value for a product -ColumnNewPMP=New unit PMP -OnlyProdsInStock=Do not add product without stock -TheoricalQty=Theorical qty -TheoricalValue=Theorical qty -LastPA=Last BP -CurrentPA=Curent BP -RecordedQty=Recorded Qty -RealQty=Real Qty -RealValue=Real Value -RegulatedQty=Regulated Qty -AddInventoryProduct=Add product to inventory +SelectFournisseur=ตัวกรองผู้ขาย +inventoryOnDate=รายการสิ่งของ +INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=ความเคลื่อนไหวของสต็อคจะมีวันที่สินค้าคงคลัง (แทนที่จะเป็นวันที่ตรวจสอบสินค้าคงคลัง) +inventoryChangePMPPermission=อนุญาตให้เปลี่ยนค่า PMP สำหรับผลิตภัณฑ์ +ColumnNewPMP=พีเอ็มพียูนิตใหม่ +OnlyProdsInStock=อย่าเพิ่มสินค้าโดยไม่มีสต็อก +TheoricalQty=Theoretical qty +TheoricalValue=Theoretical qty +LastPA=ความดันโลหิตครั้งสุดท้าย +CurrentPA=Current BP +RecordedQty=จำนวนที่บันทึกไว้ +RealQty=จำนวนจริง +RealValue=มูลค่าที่แท้จริง +RegulatedQty=จำนวนควบคุม +AddInventoryProduct=เพิ่มผลิตภัณฑ์ลงในสินค้าคงคลัง AddProduct=เพิ่ม -ApplyPMP=Apply PMP -FlushInventory=Flush inventory -ConfirmFlushInventory=Do you confirm this action? -InventoryFlushed=Inventory flushed -ExitEditMode=Exit edition +ApplyPMP=สมัครพีเอ็มพี +FlushInventory=ล้างสินค้าคงคลัง +ConfirmFlushInventory=คุณยืนยันการกระทำนี้หรือไม่? +InventoryFlushed=ล้างสินค้าคงคลังแล้ว +ExitEditMode=ออกจากฉบับ inventoryDeleteLine=ลบบรรทัด -RegulateStock=Regulate Stock +RegulateStock=ควบคุมสต็อก ListInventory=รายการ -StockSupportServices=Stock management supports Services -StockSupportServicesDesc=By default, you can stock only products of type "product". You may also stock a product of type "service" if both module Services and this option are enabled. -ReceiveProducts=Receive items -StockIncreaseAfterCorrectTransfer=Increase by correction/transfer -StockDecreaseAfterCorrectTransfer=Decrease by correction/transfer -StockIncrease=Stock increase -StockDecrease=Stock decrease -InventoryForASpecificWarehouse=Inventory for a specific warehouse -InventoryForASpecificProduct=Inventory for a specific product -StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use -ForceTo=Force to -AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) -StockAtDatePastDesc=You can view here the stock (real stock) at a given date in the past -StockAtDateFutureDesc=You can view here the stock (virtual stock) at a given date in the future -CurrentStock=Current stock -InventoryRealQtyHelp=Set value to 0 to reset qty
      Keep field empty, or remove line, to keep unchanged -UpdateByScaning=Complete real qty by scaning -UpdateByScaningProductBarcode=Update by scan (product barcode) -UpdateByScaningLot=Update by scan (lot|serial barcode) -DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement. -ImportFromCSV=Import CSV list of movement -ChooseFileToImport=Upload file then click on the %s icon to select file as source import file... -SelectAStockMovementFileToImport=select a stock movement file to import -InfoTemplateImport=Uploaded file needs to have this format (* are mandatory fields):
      Source Warehouse* | Target Warehouse* | Product* | Quantity* | Lot/serial number
      CSV character separator must be "%s" -LabelOfInventoryMovemement=Inventory %s +StockSupportServices=การจัดการสต็อกรองรับบริการ +StockSupportServicesDesc=ตามค่าเริ่มต้น คุณจะสต็อกได้เฉพาะสินค้าประเภท "ผลิตภัณฑ์" เท่านั้น คุณยังอาจสต็อกสินค้าประเภท "บริการ" ได้ หากเปิดใช้งานทั้งบริการโมดูลและตัวเลือกนี้ +ReceiveProducts=รับของ +StockIncreaseAfterCorrectTransfer=เพิ่มขึ้นโดยการแก้ไข/โอน +StockDecreaseAfterCorrectTransfer=ลดลงโดยการแก้ไข/โอน +StockIncrease=สต็อกเพิ่มขึ้น +StockDecrease=สต็อกลดลง +InventoryForASpecificWarehouse=สินค้าคงคลังสำหรับคลังสินค้าเฉพาะ +InventoryForASpecificProduct=สินค้าคงคลังสำหรับผลิตภัณฑ์เฉพาะ +StockIsRequiredToChooseWhichLotToUse=ต้องมีสต็อกที่มีอยู่จึงจะสามารถเลือกได้ว่าจะใช้ล็อตไหน +ForceTo=บังคับให้ +AlwaysShowFullArbo=แสดงเส้นทางแบบเต็มของคลังสินค้า (คลังสินค้าหลัก) บนป๊อปอัปของลิงก์คลังสินค้า (คำเตือน: สิ่งนี้อาจลดประสิทธิภาพลงอย่างมาก) +StockAtDatePastDesc=คุณสามารถดูหุ้น (หุ้นจริง) ได้ที่นี่ ณ วันที่กำหนดในอดีต +StockAtDateFutureDesc=คุณสามารถดูหุ้น (หุ้นเสมือนจริง) ได้ที่นี่ ณ วันที่กำหนดในอนาคต +CurrentStock=หุ้นปัจจุบัน +InventoryRealQtyHelp=ตั้งค่าเป็น 0 เพื่อรีเซ็ต qty
      ทำให้ช่องว่างไว้หรือลบบรรทัดออกเพื่อไม่ให้มีการเปลี่ยนแปลง +UpdateByScaning=Complete real qty by scanning +UpdateByScaningProductBarcode=อัพเดตด้วยการสแกน (บาร์โค้ดสินค้า) +UpdateByScaningLot=อัปเดตโดยการสแกน (ล็อต|บาร์โค้ดอนุกรม) +DisableStockChangeOfSubProduct=ปิดการใช้งานการเปลี่ยนแปลงสต็อกสำหรับผลิตภัณฑ์ย่อยทั้งหมดของ Kit นี้ในระหว่างการเคลื่อนไหวนี้ +ImportFromCSV=นำเข้ารายการความเคลื่อนไหว CSV +ChooseFileToImport=อัปโหลดไฟล์ จากนั้นคลิกที่ไอคอน %s เพื่อเลือกไฟล์เป็นไฟล์นำเข้าต้นฉบับ... +SelectAStockMovementFileToImport=เลือกไฟล์การเคลื่อนย้ายหุ้นที่จะนำเข้า +InfoTemplateImport=ไฟล์ที่อัปโหลดต้องมีรูปแบบนี้ (* เป็นช่องบังคับ):
      Source Warehouse* | คลังสินค้าเป้าหมาย* | สินค้า* | จำนวน* | ล็อต/หมายเลขซีเรียล
      ตัวแยกอักขระ CSV ต้องเป็น "%s" +LabelOfInventoryMovemement=สินค้าคงคลัง %s ReOpen=เปิดใหม่ -ConfirmFinish=Do you confirm the closing of the inventory ? This will generate all stock movements to update your stock to the real qty you entered into the inventory. -ObjectNotFound=%s not found -MakeMovementsAndClose=Generate movements and close -AutofillWithExpected=Fill real quantity with expected quantity -ShowAllBatchByDefault=By default, show batch details on product "stock" tab -CollapseBatchDetailHelp=You can set batch detail default display in stocks module configuration -ErrorWrongBarcodemode=Unknown Barcode mode -ProductDoesNotExist=Product does not exist -ErrorSameBatchNumber=Several record for the batch number were found in the inventory sheet. No way to know which one to increase. -ProductBatchDoesNotExist=Product with batch/serial does not exist -ProductBarcodeDoesNotExist=Product with barcode does not exist -WarehouseId=Warehouse ID -WarehouseRef=Warehouse Ref -SaveQtyFirst=Save the real inventoried quantities first, before asking creation of the stock movement. +ConfirmFinish=คุณยืนยันการปิดสินค้าคงคลังหรือไม่? สิ่งนี้จะสร้างความเคลื่อนไหวของสต็อกทั้งหมดเพื่ออัปเดตสต็อกของคุณให้เป็นจำนวนจริงที่คุณป้อนลงในสินค้าคงคลัง +ObjectNotFound=ไม่พบ %s +MakeMovementsAndClose=สร้างการเคลื่อนไหวและปิด +AutofillWithExpected=กรอกปริมาณจริงด้วยปริมาณที่คาดหวัง +ShowAllBatchByDefault=ตามค่าเริ่มต้น แสดงรายละเอียดชุดงานบนแท็บ "สต็อก" ของผลิตภัณฑ์ +CollapseBatchDetailHelp=คุณสามารถตั้งค่าการแสดงรายละเอียดแบทช์เริ่มต้นได้ในการกำหนดค่าโมดูลหุ้น +ErrorWrongBarcodemode=โหมดบาร์โค้ดที่ไม่รู้จัก +ProductDoesNotExist=ไม่มีผลิตภัณฑ์อยู่ +ErrorSameBatchNumber=พบบันทึกหลายรายการสำหรับหมายเลขชุดงานในแผ่นสินค้าคงคลัง ไม่มีทางรู้ได้เลยว่าจะเพิ่มอันไหน +ProductBatchDoesNotExist=ไม่มีผลิตภัณฑ์ที่มีแบทช์/ซีเรียล +ProductBarcodeDoesNotExist=ไม่มีผลิตภัณฑ์ที่มีบาร์โค้ด +WarehouseId=รหัสคลังสินค้า +WarehouseRef=คลังสินค้าอ้างอิง +SaveQtyFirst=บันทึกปริมาณสินค้าคงคลังจริงก่อน ก่อนที่จะขอให้สร้างการเคลื่อนไหวของสต็อก ToStart=เริ่มต้น InventoryStartedShort=เริ่มต้น -ErrorOnElementsInventory=Operation canceled for the following reason: -ErrorCantFindCodeInInventory=Can't find the following code in inventory -QtyWasAddedToTheScannedBarcode=Success !! The quantity was added to all the requested barcode. You can close the Scanner tool. -StockChangeDisabled=Change on stock disabled -NoWarehouseDefinedForTerminal=No warehouse defined for terminal -ClearQtys=Clear all quantities -ModuleStockTransferName=Advanced Stock Transfer -ModuleStockTransferDesc=Advanced management of Stock Transfer, with generation of transfer sheet -StockTransferNew=New stock transfer -StockTransferList=Stock transfers list -ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with reference %s ? -ConfirmDestock=Decrease of stocks with transfer %s -ConfirmDestockCancel=Cancel decrease of stocks with transfer %s -DestockAllProduct=Decrease of stocks -DestockAllProductCancel=Cancel decrease of stocks -ConfirmAddStock=Increase stocks with transfer %s -ConfirmAddStockCancel=Cancel increase of stocks with transfer %s -AddStockAllProduct=Increase of stocks -AddStockAllProductCancel=Cancel increase of stocks -DatePrevueDepart=Intended date of departure -DateReelleDepart=Real date of departure -DatePrevueArrivee=Intended date of arrival -DateReelleArrivee=Real date of arrival -HelpWarehouseStockTransferSource=If this warehouse is set, only itself and its children will be available as source warehouse -HelpWarehouseStockTransferDestination=If this warehouse is set, only itself and its children will be available as destination warehouse -LeadTimeForWarning=Lead time before alert (in days) -TypeContact_stocktransfer_internal_STFROM=Sender of stocks transfer -TypeContact_stocktransfer_internal_STDEST=Recipient of stocks transfer -TypeContact_stocktransfer_internal_STRESP=Responsible of stocks transfer -StockTransferSheet=Stocks transfer sheet -StockTransferSheetProforma=Proforma stocks transfer sheet -StockTransferDecrementation=Decrease source warehouses -StockTransferIncrementation=Increase destination warehouses -StockTransferDecrementationCancel=Cancel decrease of source warehouses -StockTransferIncrementationCancel=Cancel increase of destination warehouses -StockStransferDecremented=Source warehouses decreased -StockStransferDecrementedCancel=Decrease of source warehouses canceled -StockStransferIncremented=Closed - Stocks transfered -StockStransferIncrementedShort=Stocks transfered +ErrorOnElementsInventory=การดำเนินการถูกยกเลิกด้วยเหตุผลดังต่อไปนี้: +ErrorCantFindCodeInInventory=ไม่พบรหัสต่อไปนี้ในสินค้าคงคลัง +QtyWasAddedToTheScannedBarcode=ความสำเร็จ !! เพิ่มปริมาณลงในบาร์โค้ดที่ร้องขอทั้งหมดแล้ว คุณสามารถปิดเครื่องมือสแกนเนอร์ได้ +StockChangeDisabled=การเปลี่ยนแปลงสต็อคถูกปิดใช้งาน +NoWarehouseDefinedForTerminal=ไม่มีคลังสินค้าที่กำหนดไว้สำหรับอาคารผู้โดยสาร +ClearQtys=เคลียร์ทุกปริมาณ +ModuleStockTransferName=การโอนหุ้นขั้นสูง +ModuleStockTransferDesc=การจัดการขั้นสูงของการโอนสต็อคพร้อมการสร้างใบโอน +StockTransferNew=โอนสต๊อกใหม่ +StockTransferList=รายการโอนสต๊อก +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? +ConfirmDestock=การลดลงของสต็อกพร้อมการโอน %s +ConfirmDestockCancel=ยกเลิกการลดสต๊อกด้วยการโอน %s +DestockAllProduct=การลดลงของหุ้น +DestockAllProductCancel=ยกเลิกการลดจำนวนสต๊อก +ConfirmAddStock=เพิ่มสต็อกด้วยการโอน %s +ConfirmAddStockCancel=ยกเลิกการเพิ่มสต็อกด้วยการโอน %s +AddStockAllProduct=การเพิ่มขึ้นของหุ้น +AddStockAllProductCancel=ยกเลิกการเพิ่มสต๊อก +DatePrevueDepart=วันที่ตั้งใจจะออกเดินทาง +DateReelleDepart=วันที่ออกเดินทางจริง +DatePrevueArrivee=วันที่ตั้งใจจะมาถึง +DateReelleArrivee=วันที่มาถึงจริง +HelpWarehouseStockTransferSource=หากมีการตั้งค่าคลังสินค้านี้ เฉพาะตัวเองและรายการย่อยเท่านั้นที่จะพร้อมใช้งานเป็นคลังสินค้าต้นทาง +HelpWarehouseStockTransferDestination=หากมีการตั้งค่าคลังสินค้านี้ เฉพาะตัวเองและรายการย่อยเท่านั้นที่จะพร้อมใช้งานเป็นคลังสินค้าปลายทาง +LeadTimeForWarning=ระยะเวลาก่อนการแจ้งเตือน (เป็นวัน) +TypeContact_stocktransfer_internal_STFROM=ผู้ส่งการโอนหุ้น +TypeContact_stocktransfer_internal_STDEST=ผู้รับโอนหุ้น +TypeContact_stocktransfer_internal_STRESP=รับผิดชอบการโอนหุ้น +StockTransferSheet=ใบโอนหุ้น +StockTransferSheetProforma=เอกสารการโอนหุ้น Proforma +StockTransferDecrementation=ลดคลังต้นทาง +StockTransferIncrementation=เพิ่มคลังสินค้าปลายทาง +StockTransferDecrementationCancel=ยกเลิกการลดคลังสินค้าต้นทาง +StockTransferIncrementationCancel=ยกเลิกการเพิ่มคลังสินค้าปลายทาง +StockStransferDecremented=คลังสินค้าต้นทางลดลง +StockStransferDecrementedCancel=การลดลงของคลังสินค้าต้นทางถูกยกเลิก +StockStransferIncremented=Closed - Stocks transferred +StockStransferIncrementedShort=Stocks transferred StockStransferIncrementedShortCancel=Increase of destination warehouses canceled -StockTransferNoBatchForProduct=Product %s doesn't use batch, clear batch on line and retry -StockTransferSetup = Stocks Transfer module configuration -Settings=Settings -StockTransferSetupPage = Configuration page for stocks transfer module -StockTransferRightRead=Read stocks transfers -StockTransferRightCreateUpdate=Create/Update stocks transfers -StockTransferRightDelete=Delete stocks transfers -BatchNotFound=Lot / serial not found for this product +StockTransferNoBatchForProduct=ผลิตภัณฑ์ %s ไม่ได้ใช้แบทช์ ล้างแบตช์ออนไลน์แล้วลองอีกครั้ง +StockTransferSetup = การกำหนดค่าโมดูลการโอนหุ้น +Settings=การตั้งค่า +StockTransferSetupPage = หน้าการกำหนดค่าสำหรับโมดูลการโอนหุ้น +StockTransferRightRead=อ่านการโอนหุ้น +StockTransferRightCreateUpdate=สร้าง/อัพเดตการโอนหุ้น +StockTransferRightDelete=ลบการโอนหุ้น +BatchNotFound=ไม่พบล็อต / ซีเรียลสำหรับผลิตภัณฑ์นี้ +StockEntryDate=วันที่
      มีสินค้าในสต็อก +StockMovementWillBeRecorded=การเคลื่อนไหวของสต็อกจะถูกบันทึก +StockMovementNotYetRecorded=การเคลื่อนไหวของสต็อกจะไม่ได้รับผลกระทบจากขั้นตอนนี้ +ReverseConfirmed=Stock movement has been reversed successfully + +WarningThisWIllAlsoDeleteStock=คำเตือน การดำเนินการนี้จะทำลายปริมาณทั้งหมดในสต็อกในคลังสินค้าด้วย +ValidateInventory=การตรวจสอบสินค้าคงคลัง +IncludeSubWarehouse=รวมคลังสินค้าย่อย ? +IncludeSubWarehouseExplanation=ทำเครื่องหมายกล่องนี้หากคุณต้องการรวมคลังสินค้าย่อยทั้งหมดของคลังสินค้าที่เกี่ยวข้องในสินค้าคงคลัง +DeleteBatch=ลบล็อต/ซีเรียล +ConfirmDeleteBatch=คุณแน่ใจหรือไม่ว่าต้องการลบ lot/serial ? +WarehouseUsage=การใช้งานคลังสินค้า +InternalWarehouse=คลังสินค้าภายใน +ExternalWarehouse=คลังสินค้าภายนอก +WarningThisWIllAlsoDeleteStock=คำเตือน การดำเนินการนี้จะทำลายปริมาณทั้งหมดในสต็อกในคลังสินค้าด้วย diff --git a/htdocs/langs/th_TH/website.lang b/htdocs/langs/th_TH/website.lang index 2e512bed0c6..ac868df4c25 100644 --- a/htdocs/langs/th_TH/website.lang +++ b/htdocs/langs/th_TH/website.lang @@ -1,162 +1,166 @@ # Dolibarr language file - Source file is en_US - website Shortname=รหัส -WebsiteName=Name of the website -WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them. -DeleteWebsite=Delete website -ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. -WEBSITE_TYPE_CONTAINER=Type of page/container -WEBSITE_PAGE_EXAMPLE=Web page to use as example -WEBSITE_PAGENAME=Page name/alias -WEBSITE_ALIASALT=Alternative page names/aliases -WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
      alternativename1, alternativename2, ... -WEBSITE_CSS_URL=URL of external CSS file -WEBSITE_CSS_INLINE=CSS file content (common to all pages) -WEBSITE_JS_INLINE=Javascript file content (common to all pages) -WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) -WEBSITE_ROBOT=Robot file (robots.txt) -WEBSITE_HTACCESS=Website .htaccess file -WEBSITE_MANIFEST_JSON=Website manifest.json file -WEBSITE_KEYWORDSDesc=Use a comma to separate values -EnterHereReadmeInformation=Enter here a description of the website. If you distribute your website as a template, the file will be included into the temptate package. -EnterHereLicenseInformation=Enter here the LICENSE of the code of the website. If you distribute your website as a template, the file will be included into the temptate package. -HtmlHeaderPage=HTML header (specific to this page only) -PageNameAliasHelp=Name or alias of the page.
      This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. -EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. -MediaFiles=Media library -EditCss=Edit website properties -EditMenu=Edit menu -EditMedias=Edit medias -EditPageMeta=Edit page/container properties -EditInLine=Edit inline -AddWebsite=Add website -Webpage=Web page/container -AddPage=Add page/container +WebsiteName=ชื่อของเว็บไซต์ +WebsiteSetupDesc=สร้างเว็บไซต์ที่คุณต้องการใช้ที่นี่ จากนั้นเข้าไปที่เมนู Websites เพื่อแก้ไข +DeleteWebsite=ลบเว็บไซต์ +ConfirmDeleteWebsite=คุณแน่ใจหรือไม่ว่าต้องการลบเว็บไซต์นี้ หน้าและเนื้อหาทั้งหมดจะถูกลบออกด้วย ไฟล์ที่อัพโหลด (เช่น ในไดเร็กทอรีมีเดีย, โมดูล ECM, ...) จะยังคงอยู่ +WEBSITE_TYPE_CONTAINER=ประเภทของหน้า/คอนเทนเนอร์ +WEBSITE_PAGE_EXAMPLE=เว็บเพจเพื่อใช้เป็นตัวอย่าง +WEBSITE_PAGENAME=ชื่อเพจ/นามแฝง +WEBSITE_ALIASALT=ชื่อ/นามแฝงหน้าทางเลือก +WEBSITE_ALIASALTDesc=ใช้รายชื่อ/นามแฝงอื่นๆ ที่นี่ เพื่อให้สามารถเข้าถึงเพจได้โดยใช้ชื่อ/นามแฝงอื่นๆ นี้ (เช่น ชื่อเก่าหลังจากเปลี่ยนชื่อนามแฝง เพื่อให้ลิงก์ย้อนกลับในลิงก์/ชื่อเก่าใช้งานได้) ไวยากรณ์คือ:
      alternativename1, Alternativename2, ... +WEBSITE_CSS_URL=URL ของไฟล์ CSS ภายนอก +WEBSITE_CSS_INLINE=เนื้อหาไฟล์ CSS (ทั่วไปสำหรับทุกหน้า) +WEBSITE_JS_INLINE=เนื้อหาไฟล์ JavaScript (ทั่วไปสำหรับทุกหน้า) +WEBSITE_HTML_HEADER=นอกจากนี้ที่ด้านล่างของส่วนหัว HTML (ทั่วไปสำหรับทุกหน้า) +WEBSITE_ROBOT=ไฟล์โรบ็อต (robots.txt) +WEBSITE_HTACCESS=ไฟล์เว็บไซต์ .htaccess +WEBSITE_MANIFEST_JSON=ไฟล์ manifest.json ของเว็บไซต์ +WEBSITE_KEYWORDSDesc=ใช้เครื่องหมายจุลภาคเพื่อแยกค่า +EnterHereReadmeInformation=ป้อนคำอธิบายของเว็บไซต์ที่นี่ หากคุณเผยแพร่เว็บไซต์ของคุณเป็นเทมเพลต ไฟล์จะถูกรวมไว้ในแพ็คเกจล่อใจ +EnterHereLicenseInformation=ป้อนใบอนุญาตของรหัสของเว็บไซต์ที่นี่ หากคุณเผยแพร่เว็บไซต์ของคุณเป็นเทมเพลต ไฟล์จะถูกรวมไว้ในแพ็คเกจล่อใจ +HtmlHeaderPage=ส่วนหัว HTML (เฉพาะหน้านี้เท่านั้น) +PageNameAliasHelp=ชื่อหรือนามแฝงของเพจ
      นามแฝงนี้ยังใช้เพื่อสร้าง URL ของ SEO เมื่อเรียกใช้เว็บไซต์จากโฮสต์เสมือนของเว็บเซิร์ฟเวอร์ (เช่น Apacke, Nginx, .. .) ใช้ปุ่ม "%s" เพื่อแก้ไขนามแฝงนี้ +EditTheWebSiteForACommonHeader=หมายเหตุ: หากคุณต้องการกำหนดส่วนหัวส่วนบุคคลสำหรับทุกหน้า ให้แก้ไขส่วนหัวในระดับไซต์แทนการแก้ไขบนหน้า/คอนเทนเนอร์ +MediaFiles=ห้องสมุดสื่อ +EditCss=แก้ไขคุณสมบัติของเว็บไซต์ +EditMenu=แก้ไขเมนู +EditMedias=แก้ไขสื่อ +EditPageMeta=แก้ไขคุณสมบัติของเพจ/คอนเทนเนอร์ +EditInLine=แก้ไขแบบอินไลน์ +AddWebsite=เพิ่มเว็บไซต์ +Webpage=หน้าเว็บ/คอนเทนเนอร์ +AddPage=เพิ่มหน้า/คอนเทนเนอร์ PageContainer=หน้า -PreviewOfSiteNotYetAvailable=The preview of your website %s is not yet available. You must first 'Import a full website template' or just 'Add a page/container'. -RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this. -SiteDeleted=Web site '%s' deleted -PageContent=Page/Contenair -PageDeleted=Page/Contenair '%s' of website %s deleted -PageAdded=Page/Contenair '%s' added -ViewSiteInNewTab=View site in new tab -ViewPageInNewTab=View page in new tab -SetAsHomePage=Set as Home page -RealURL=Real URL -ViewWebsiteInProduction=View web site using home URLs -Virtualhost=Virtual host or domain name -VirtualhostDesc=The name of the Virtual host or domain (For example: www.mywebsite.com, mybigcompany.net, ...) -SetHereVirtualHost=Use with Apache/NGinx/...
      Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
      %s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: -YouCanAlsoTestWithPHPS=Use with PHP embedded server
      On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
      php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
      If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org -CheckVirtualHostPerms=Check also that the virtual host user (for example www-data) has %s permissions on files into
      %s +PreviewOfSiteNotYetAvailable=ตัวอย่างเว็บไซต์ของคุณ %s ยังไม่พร้อมใช้งาน ก่อนอื่นคุณต้อง 'นำเข้าเทมเพลตเว็บไซต์แบบเต็ม' หรือเพียงแค่ ' span>เพิ่มหน้า/คอนเทนเนอร์' +RequestedPageHasNoContentYet=หน้าที่ขอซึ่งมีรหัส %s ยังไม่มีเนื้อหา หรือไฟล์แคช .tpl.php ถูกลบออก แก้ไขเนื้อหาของหน้าเพื่อแก้ไขปัญหานี้ +SiteDeleted=ลบเว็บไซต์ '%s' แล้ว +PageContent=หน้า/คอนเทนแอร์ +PageDeleted=หน้า/Contenair '%s' ของเว็บไซต์ %s ถูกลบแล้ว +PageAdded=เพิ่มหน้า/Contenair '%s' แล้ว +ViewSiteInNewTab=ดูไซต์ในแท็บใหม่ +ViewPageInNewTab=ดูหน้าในแท็บใหม่ +SetAsHomePage=ตั้งเป็นหน้าแรก +RealURL=URL จริง +ViewWebsiteInProduction=ดูเว็บไซต์โดยใช้ URL หน้าแรก +Virtualhost=โฮสต์เสมือนหรือชื่อโดเมน +VirtualhostDesc=ชื่อของโฮสต์หรือโดเมนเสมือน (เช่น www.mywebsite.com, mybigcompany.net, ...) +SetHereVirtualHost=ใช้กับ Apache/NGinx/...
      สร้างบน เว็บเซิร์ฟเวอร์ของคุณ (Apache, Nginx, ...) โฮสต์เสมือนเฉพาะที่เปิดใช้งาน PHP และไดเรกทอรีรากบน
      %s +ExampleToUseInApacheVirtualHostConfig=ตัวอย่างที่ใช้ในการตั้งค่าโฮสต์เสมือน Apache: +YouCanAlsoTestWithPHPS=ใช้กับเซิร์ฟเวอร์ฝังตัว PHP
      ในสภาพแวดล้อมการพัฒนา คุณอาจ ต้องการทดสอบไซต์ด้วยเว็บเซิร์ฟเวอร์แบบฝัง PHP (ต้องใช้ PHP 5.5) โดยการเรียกใช้
      php -S 0.0.0.0 :8080 -t %s +YouCanAlsoDeployToAnotherWHP=ใช้งานเว็บไซต์ของคุณกับผู้ให้บริการโฮสติ้ง Dolibarr รายอื่น
      หากคุณ ไม่มีเว็บเซิร์ฟเวอร์เช่น Apache หรือ NGinx บนอินเทอร์เน็ต คุณสามารถส่งออกและนำเข้าเว็บไซต์ของคุณไปยังอินสแตนซ์ Dolibarr อื่นที่จัดทำโดยผู้ให้บริการโฮสติ้ง Dolibarr รายอื่นที่ให้การบูรณาการอย่างสมบูรณ์กับโมดูลเว็บไซต์ คุณสามารถดูรายชื่อผู้ให้บริการโฮสติ้ง Dolibarr บางรายได้ที่ https://saas.dolibarr.org +CheckVirtualHostPerms=ตรวจสอบด้วยว่าผู้ใช้โฮสต์เสมือน (เช่น www-data) มี %s สิทธิ์ในไฟล์ใน
      %s ReadPerm=อ่าน -WritePerm=Write -TestDeployOnWeb=Test/deploy on web -PreviewSiteServedByWebServer=Preview %s in a new tab.

      The %s will be served by an external web server (like Apache, Nginx, IIS). You must install and setup this server before to point to directory:
      %s
      URL served by external server:
      %s -PreviewSiteServedByDolibarr=Preview %s in a new tab.

      The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed.
      The inconvenient is that the URLs of pages are not user friendly and start with the path of your Dolibarr.
      URL served by Dolibarr:
      %s

      To use your own external web server to serve this web site, create a virtual host on your web server that points on directory
      %s
      then enter the name of this virtual server in the properties of this website and click on the link "Test/Deploy on the web". -VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined -NoPageYet=No pages yet -YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template -SyntaxHelp=Help on specific syntax tips -YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . -ClonePage=Clone page/container -CloneSite=Clone site -SiteAdded=Website added -ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page. -PageIsANewTranslation=The new page is a translation of the current page ? -LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page. -ParentPageId=Parent page ID -WebsiteId=Website ID -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... -OrEnterPageInfoManually=Or create page from scratch or from a page template... -FetchAndCreate=Fetch and Create -ExportSite=Export website -ImportSite=Import website template -IDOfPage=Id of page -Banner=Banner -BlogPost=Blog post -WebsiteAccount=Website account -WebsiteAccounts=Website accounts -AddWebsiteAccount=Create web site account -BackToListForThirdParty=Back to list for the third parties -DisableSiteFirst=Disable website first -MyContainerTitle=My web site title -AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists) -SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please comme back later... -WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table -WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party -YouMustDefineTheHomePage=You must first define the default Home page -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correclty when used on a grabbed external page. -OnlyEditionOfSourceForGrabbedContent=Only edition of HTML source is possible when content was grabbed from an external site -GrabImagesInto=Grab also images found into css and page. -ImagesShouldBeSavedInto=Images should be saved into directory -WebsiteRootOfImages=Root directory for website images -SubdirOfPage=Sub-directory dedicated to page -AliasPageAlreadyExists=Alias page %s already exists -CorporateHomePage=Corporate Home page -EmptyPage=Empty page -ExternalURLMustStartWithHttp=External URL must start with http:// or https:// -ZipOfWebsitePackageToImport=Upload the Zip file of the website template package -ZipOfWebsitePackageToLoad=or Choose an available embedded website template package -ShowSubcontainers=Show dynamic content -InternalURLOfPage=Internal URL of page -ThisPageIsTranslationOf=This page/container is a translation of -ThisPageHasTranslationPages=This page/container has translation -NoWebSiteCreateOneFirst=No website has been created yet. Create one first. -GoTo=Go to -DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). -NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. -ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? -MyWebsitePages=My website pages -SearchReplaceInto=Search | Replace into -ReplaceString=New string -CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. -Dynamiccontent=Sample of a page with dynamic content -ImportSite=Import website template -EditInLineOnOff=Mode 'Edit inline' is %s -ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s -GlobalCSSorJS=Global CSS/JS/Header file of web site -BackToHomePage=Back to home page... -TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
      (ref=%s, type=%s, status=%s) -UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters -MainLanguage=Main language -OtherLanguages=Other languages -UseManifest=Provide a manifest.json file -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers +WritePerm=เขียน +TestDeployOnWeb=ทดสอบ/ปรับใช้บนเว็บ +PreviewSiteServedByWebServer=ดูตัวอย่าง %s ในแท็บใหม่

      %s จะถูกให้บริการโดยเว็บเซิร์ฟเวอร์ภายนอก (เช่น Apache, Nginx, IIS ). คุณต้องติดตั้งและตั้งค่าเซิร์ฟเวอร์นี้ก่อนที่จะชี้ไปที่ไดเรกทอรี:
      %s%s
      URL ที่ให้บริการโดยเซิร์ฟเวอร์ภายนอก:
      %s +PreviewSiteServedByDolibarr=ดูตัวอย่าง %s ในแท็บใหม่

      %s จะถูกให้บริการโดยเซิร์ฟเวอร์ Dolibarr ดังนั้นจึงไม่จำเป็นต้องมีเว็บเซิร์ฟเวอร์เพิ่มเติมใดๆ (เช่น Apache, Nginx, IIS) ที่จะติดตั้ง
      ข้อเสียคือ URL ของหน้าเว็บไม่เป็นมิตรกับผู้ใช้และเริ่มต้นด้วยเส้นทางของ Dolibarr ของคุณ
      URL ที่ให้บริการโดย Dolibarr:
      %s

      หากต้องการใช้เว็บเซิร์ฟเวอร์ภายนอกของคุณเองเพื่อ ให้บริการเว็บไซต์นี้ สร้างโฮสต์เสมือนบนเว็บเซิร์ฟเวอร์ของคุณที่ชี้ไปที่ไดเรกทอรี
      %s
      จากนั้นป้อนชื่อของเซิร์ฟเวอร์เสมือนนี้ในคุณสมบัติของเว็บไซต์นี้ และคลิกที่ ลิงค์ "ทดสอบ/ปรับใช้บนเว็บ" +VirtualHostUrlNotDefined=URL ของโฮสต์เสมือนที่ให้บริการโดยเว็บเซิร์ฟเวอร์ภายนอกไม่ได้กำหนดไว้ +NoPageYet=ยังไม่มีหน้า +YouCanCreatePageOrImportTemplate=คุณสามารถสร้างหน้าใหม่หรือนำเข้าเทมเพลตเว็บไซต์แบบเต็มได้ +SyntaxHelp=ความช่วยเหลือเกี่ยวกับเคล็ดลับไวยากรณ์เฉพาะ +YouCanEditHtmlSourceckeditor=คุณสามารถแก้ไขซอร์สโค้ด HTML ได้โดยใช้ปุ่ม "แหล่งที่มา" ในตัวแก้ไข +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      +YouCanEditHtmlSource2=สำหรับรูปภาพที่แชร์ด้วยลิงก์แชร์ (เปิดการเข้าถึงโดยใช้คีย์แฮชการแชร์ของไฟล์) ไวยากรณ์คือ:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      +ClonePage=โคลนเพจ/คอนเทนเนอร์ +CloneSite=ไซต์โคลน +SiteAdded=เพิ่มเว็บไซต์แล้ว +ConfirmClonePage=กรุณากรอกรหัส/นามแฝงของหน้าใหม่และหากเป็นการแปลของหน้าที่ลอกแบบมา +PageIsANewTranslation=หน้าใหม่เป็นการแปลหน้าปัจจุบัน ? +LanguageMustNotBeSameThanClonedPage=คุณลอกแบบเพจเป็นการแปล ภาษาของหน้าใหม่จะต้องแตกต่างจากภาษาของหน้าต้นฉบับ +ParentPageId=รหัสเพจหลัก +WebsiteId=รหัสเว็บไซต์ +CreateByFetchingExternalPage=สร้างเพจ/คอนเทนเนอร์โดยการดึงเพจจาก URL ภายนอก... +OrEnterPageInfoManually=หรือสร้างเพจตั้งแต่เริ่มต้นหรือจากเทมเพลตเพจ... +FetchAndCreate=ดึงข้อมูลและสร้าง +ExportSite=เว็บไซต์ส่งออก +ImportSite=นำเข้าเทมเพลตเว็บไซต์ +IDOfPage=รหัสของหน้า +Banner=แบนเนอร์ +BlogPost=โพสต์บล็อก +WebsiteAccount=บัญชีเว็บไซต์ +WebsiteAccounts=บัญชีเว็บไซต์ +AddWebsiteAccount=สร้างบัญชีเว็บไซต์ +BackToListForThirdParty=กลับไปที่รายการสำหรับบุคคลที่สาม +DisableSiteFirst=ปิดการใช้งานเว็บไซต์ก่อน +MyContainerTitle=ชื่อเว็บไซต์ของฉัน +AnotherContainer=นี่คือวิธีการรวมเนื้อหาของเพจ/คอนเทนเนอร์อื่น (คุณอาจมีข้อผิดพลาดที่นี่หากคุณเปิดใช้งานโค้ดไดนามิกเนื่องจากคอนเทนเนอร์ย่อยที่ฝังอยู่อาจไม่มีอยู่) +SorryWebsiteIsCurrentlyOffLine=ขออภัย เว็บไซต์นี้อยู่ในสถานะออฟไลน์ กรุณากลับมาทีหลัง... +WEBSITE_USE_WEBSITE_ACCOUNTS=เปิดใช้งานตารางบัญชีเว็บไซต์ +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=เปิดใช้งานตารางเพื่อจัดเก็บบัญชีเว็บไซต์ (เข้าสู่ระบบ/ผ่าน) สำหรับแต่ละเว็บไซต์/บุคคลที่สาม +YouMustDefineTheHomePage=คุณต้องกำหนดโฮมเพจเริ่มต้นก่อน +OnlyEditionOfSourceForGrabbedContentFuture=คำเตือน: การสร้างเว็บเพจโดยการนำเข้าเว็บเพจภายนอกนั้นสงวนไว้สำหรับผู้ใช้ที่มีประสบการณ์ ผลลัพธ์ของการนำเข้าอาจแตกต่างไปจากต้นฉบับ ขึ้นอยู่กับความซับซ้อนของเพจต้นฉบับ นอกจากนี้ หากหน้าต้นฉบับใช้สไตล์ CSS ทั่วไปหรือ JavaScript ที่ขัดแย้งกัน อาจทำให้รูปลักษณ์หรือคุณสมบัติของตัวแก้ไขเว็บไซต์เสียหายเมื่อทำงานในหน้านี้ วิธีนี้เป็นวิธีที่รวดเร็วกว่าในการสร้างเพจ แต่ขอแนะนำให้สร้างเพจใหม่ตั้งแต่ต้นหรือจากเทมเพลตเพจที่แนะนำ
      โปรดทราบด้วยว่าโปรแกรมแก้ไขแบบอินไลน์อาจไม่ทำงาน ความถูกต้องเมื่อใช้กับหน้าภายนอกที่คว้ามา +OnlyEditionOfSourceForGrabbedContent=แหล่งที่มา HTML รุ่นเดียวเท่านั้นที่สามารถทำได้เมื่อมีการดึงเนื้อหาจากไซต์ภายนอก +GrabImagesInto=คว้ารูปภาพที่พบใน css และหน้าด้วย +ImagesShouldBeSavedInto=รูปภาพควรถูกบันทึกลงในไดเร็กทอรี +WebsiteRootOfImages=ไดเร็กทอรีรากสำหรับรูปภาพของเว็บไซต์ +SubdirOfPage=ไดเร็กทอรีย่อยสำหรับเพจโดยเฉพาะ +AliasPageAlreadyExists=หน้านามแฝง %s มีอยู่แล้ว +CorporateHomePage=หน้าแรกของบริษัท +EmptyPage=หน้าว่าง +ExternalURLMustStartWithHttp=URL ภายนอกต้องขึ้นต้นด้วย http:// หรือ https:// +ZipOfWebsitePackageToImport=อัปโหลดไฟล์ Zip ของแพ็คเกจเทมเพลตเว็บไซต์ +ZipOfWebsitePackageToLoad=หรือเลือกแพ็คเกจเทมเพลตเว็บไซต์แบบฝังที่มีอยู่ +ShowSubcontainers=แสดงเนื้อหาแบบไดนามิก +InternalURLOfPage=URL ภายในของเพจ +ThisPageIsTranslationOf=หน้า/คอนเทนเนอร์นี้เป็นคำแปลของ +ThisPageHasTranslationPages=เพจ/คอนเทนเนอร์นี้มีคำแปล +NoWebSiteCreateOneFirst=ยังไม่มีการสร้างเว็บไซต์ สร้างอันแรกก่อน +GoTo=ไปที่ +DynamicPHPCodeContainsAForbiddenInstruction=คุณเพิ่มโค้ด PHP แบบไดนามิกที่มีคำสั่ง PHP '%s ' ที่ถูกห้ามโดยค่าเริ่มต้นเป็นเนื้อหาแบบไดนามิก (ดูตัวเลือกที่ซ่อนอยู่ WEBSITE_PHP_ALLOW_xxx เพื่อเพิ่มรายการคำสั่งที่อนุญาต) +NotAllowedToAddDynamicContent=คุณไม่ได้รับอนุญาตให้เพิ่มหรือแก้ไขเนื้อหาไดนามิก PHP ในเว็บไซต์ ขออนุญาตหรือเก็บโค้ดไว้ในแท็ก php โดยไม่มีการแก้ไข +ReplaceWebsiteContent=ค้นหาหรือแทนที่เนื้อหาเว็บไซต์ +DeleteAlsoJs=ลบไฟล์ JavaScript ทั้งหมดเฉพาะสำหรับเว็บไซต์นี้ด้วยหรือไม่ +DeleteAlsoMedias=ลบไฟล์สื่อทั้งหมดเฉพาะของเว็บไซต์นี้ด้วยหรือไม่ +MyWebsitePages=หน้าเว็บไซต์ของฉัน +SearchReplaceInto=ค้นหา | แทนที่เป็น +ReplaceString=สตริงใหม่ +CSSContentTooltipHelp=ป้อนเนื้อหา CSS ที่นี่ เพื่อหลีกเลี่ยงความขัดแย้งกับ CSS ของแอปพลิเคชัน อย่าลืมเพิ่มคลาส .bodywebsite นำหน้าการประกาศทั้งหมด ตัวอย่างเช่น:

      #mycssselector, input.myclass:hover { ...
      จะต้อง
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ...

      หมายเหตุ: หากคุณมีไฟล์ขนาดใหญ่ที่ไม่มีคำนำหน้านี้ คุณสามารถใช้ 'lessc' เพื่อแปลงไฟล์เพื่อต่อท้ายคำนำหน้า .bodywebsite ทุกที่ +LinkAndScriptsHereAreNotLoadedInEditor=คำเตือน: เนื้อหานี้จะส่งออกเฉพาะเมื่อมีการเข้าถึงไซต์จากเซิร์ฟเวอร์ มันไม่ได้ใช้ในโหมดแก้ไข ดังนั้นหากคุณต้องการโหลดไฟล์ JavaScript ในโหมดแก้ไขด้วย เพียงเพิ่มแท็ก 'script src=...' ของคุณลงในเพจ +Dynamiccontent=ตัวอย่างเพจที่มีเนื้อหาแบบไดนามิก +ImportSite=นำเข้าเทมเพลตเว็บไซต์ +EditInLineOnOff=โหมด 'แก้ไขแบบอินไลน์' คือ %s +ShowSubContainersOnOff=โหมดในการดำเนินการ 'เนื้อหาแบบไดนามิก' คือ %s +GlobalCSSorJS=ไฟล์ CSS/JS/Header ทั่วโลกของเว็บไซต์ +BackToHomePage=กลับหน้าแรก... +TranslationLinks=ลิงก์การแปล +YouTryToAccessToAFileThatIsNotAWebsitePage=คุณพยายามเข้าถึงเพจที่ไม่พร้อมใช้งาน
      (ref=%s, type=%s, สถานะ=%s) +UseTextBetween5And70Chars=สำหรับแนวทางปฏิบัติ SEO ที่ดี ให้ใช้ข้อความที่มีความยาวระหว่าง 5 ถึง 70 อักขระ +MainLanguage=ภาษาหลัก +OtherLanguages=ภาษาอื่น ๆ +UseManifest=ระบุไฟล์ manifest.json +PublicAuthorAlias=นามแฝงผู้เขียนสาธารณะ +AvailableLanguagesAreDefinedIntoWebsiteProperties=ภาษาที่ใช้ได้ถูกกำหนดไว้ในคุณสมบัติของเว็บไซต์ +ReplacementDoneInXPages=การแทนที่ทำได้ในหน้าหรือคอนเทนเนอร์ %s RSSFeed=RSS Feed -RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL -PagesRegenerated=%s page(s)/container(s) regenerated -RegenerateWebsiteContent=Regenerate web site cache files -AllowedInFrames=Allowed in Frames -DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties. -GenerateSitemaps=Generate website sitemap.xml file -ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... -ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap file %s generated -ImportFavicon=Favicon -ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 -FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) -NextContainer=Next page/container -PreviousContainer=Previous page/container -WebsiteMustBeDisabled=The website must have the status "%s" -WebpageMustBeDisabled=The web page must have the status "%s" -SetWebsiteOnlineBefore=When website is offline, all pages are offline. Change status of website first. -Booking=Booking -Reservation=Reservation -PagesViewedPreviousMonth=Pages viewed (previous month) -PagesViewedTotal=Pages viewed (total) +RSSFeedDesc=คุณสามารถรับฟีด RSS ของบทความล่าสุดประเภท 'blogpost' ได้โดยใช้ URL นี้ +PagesRegenerated=%s เพจ/คอนเทนเนอร์ถูกสร้างใหม่ +RegenerateWebsiteContent=สร้างไฟล์แคชของเว็บไซต์ใหม่ +AllowedInFrames=อนุญาตในเฟรม +DefineListOfAltLanguagesInWebsiteProperties=กำหนดรายการภาษาที่มีอยู่ทั้งหมดลงในคุณสมบัติของเว็บไซต์ +GenerateSitemaps=สร้างไฟล์ sitemap.xml ของเว็บไซต์ +ConfirmGenerateSitemaps=หากคุณยืนยัน คุณจะลบไฟล์แผนผังไซต์ที่มีอยู่... +ConfirmSitemapsCreation=ยืนยันการสร้างแผนผังเว็บไซต์ +SitemapGenerated=ไฟล์แผนผังไซต์ %s สร้างแล้ว +ImportFavicon=ฟาวิคอน +ErrorFaviconType=ไอคอน Fav ต้องเป็น PNG +ErrorFaviconSize=ไอคอน Fav ต้องมีขนาด 16x16, 32x32 หรือ 64x64 +FaviconTooltip=อัปโหลดภาพที่ต้องเป็น PNG (16x16, 32x32 หรือ 64x64) +NextContainer=หน้าถัดไป/คอนเทนเนอร์ +PreviousContainer=หน้าก่อนหน้า/คอนเทนเนอร์ +WebsiteMustBeDisabled=เว็บไซต์ต้องมีสถานะ "%s" +WebpageMustBeDisabled=หน้าเว็บต้องมีสถานะ "%s" +SetWebsiteOnlineBefore=เมื่อเว็บไซต์ออฟไลน์ หน้าทั้งหมดจะออฟไลน์ เปลี่ยนสถานะของเว็บไซต์ก่อน +Booking=การจอง +Reservation=การจอง +PagesViewedPreviousMonth=หน้าที่ดู (เดือนก่อน) +PagesViewedTotal=หน้าที่ดู (ทั้งหมด) Visibility=ความชัดเจน -Everyone=Everyone -AssignedContacts=Assigned contacts +Everyone=ทุกคน +AssignedContacts=ผู้ติดต่อที่ได้รับมอบหมาย +WebsiteTypeLabel=ประเภทของเว็บไซต์ +WebsiteTypeDolibarrWebsite=เว็บไซต์ (CMS Dolibarr) +WebsiteTypeDolibarrPortal=พอร์ทัล Dolibarr ดั้งเดิม diff --git a/htdocs/langs/th_TH/withdrawals.lang b/htdocs/langs/th_TH/withdrawals.lang index 58bba57ed5d..9d16b923669 100644 --- a/htdocs/langs/th_TH/withdrawals.lang +++ b/htdocs/langs/th_TH/withdrawals.lang @@ -1,163 +1,174 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Payments by Direct debit orders -SuppliersStandingOrdersArea=Payments by Credit transfer -StandingOrdersPayment=Direct debit payment orders -StandingOrderPayment=Direct debit payment order -NewStandingOrder=New direct debit order -NewPaymentByBankTransfer=New payment by credit transfer +CustomersStandingOrdersArea=การชำระเงินด้วยคำสั่งหักบัญชีเงินฝากอัตโนมัติ +SuppliersStandingOrdersArea=การชำระเงินโดยการโอนเครดิต +StandingOrdersPayment=คำสั่งชำระเงินแบบหักบัญชีธนาคาร +StandingOrderPayment=คำสั่งชำระเงินแบบหักบัญชีธนาคาร +NewStandingOrder=คำสั่งหักบัญชีธนาคารใหม่ +NewPaymentByBankTransfer=การชำระเงินใหม่โดยการโอนเครดิต StandingOrderToProcess=ในการประมวลผล -PaymentByBankTransferReceipts=Credit transfer orders -PaymentByBankTransferLines=Credit transfer order lines -WithdrawalsReceipts=Direct debit orders -WithdrawalReceipt=Direct debit order -BankTransferReceipts=Credit transfer orders -BankTransferReceipt=Credit transfer order -LatestBankTransferReceipts=Latest %s credit transfer orders -LastWithdrawalReceipts=Latest %s direct debit files -WithdrawalsLine=Direct debit order line -CreditTransfer=Credit transfer -CreditTransferLine=Credit transfer line -WithdrawalsLines=Direct debit order lines -CreditTransferLines=Credit transfer lines -RequestStandingOrderToTreat=Requests for direct debit payment order to process -RequestStandingOrderTreated=Requests for direct debit payment order processed -RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process -RequestPaymentsByBankTransferTreated=Requests for credit transfer processed +PaymentByBankTransferReceipts=คำสั่งโอนเครดิต +PaymentByBankTransferLines=รายการใบสั่งโอนย้ายเครดิต +WithdrawalsReceipts=คำสั่งหักบัญชีธนาคาร +WithdrawalReceipt=คำสั่งหักบัญชีธนาคาร +BankTransferReceipts=คำสั่งโอนเครดิต +BankTransferReceipt=คำสั่งโอนเครดิต +LatestBankTransferReceipts=คำสั่งซื้อการโอนเครดิต %s ล่าสุด +LastWithdrawalReceipts=ไฟล์การหักบัญชีธนาคาร %s ล่าสุด +WithdrawalsLine=รายการใบสั่งหักบัญชีเงินฝากอัตโนมัติ +CreditTransfer=โอนเครดิต +CreditTransferLine=สายโอนเครดิต +WithdrawalsLines=รายการใบสั่งเดบิตโดยตรง +CreditTransferLines=สายการโอนเครดิต +RequestStandingOrderToTreat=คำขอให้ดำเนินการตามคำสั่งหักบัญชีเงินฝากอัตโนมัติ +RequestStandingOrderTreated=คำขอสำหรับคำสั่งการชำระเงินแบบหักบัญชีเงินฝากอัตโนมัติที่ประมวลผลแล้ว +RequestPaymentsByBankTransferToTreat=คำร้องขอให้โอนเครดิตเพื่อดำเนินการ +RequestPaymentsByBankTransferTreated=ดำเนินการคำขอโอนเครดิตแล้ว NotPossibleForThisStatusOfWithdrawReceiptORLine=ยังไม่ได้เป็นไปได้ สถานะถอนจะต้องตั้งค่า 'เครดิต' ก่อนที่จะประกาศปฏิเสธสายที่เฉพาะเจาะจง -NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order -NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information -NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer -SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer -InvoiceWaitingWithdraw=Invoice waiting for direct debit -InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer +NbOfInvoiceToWithdraw=จำนวนใบแจ้งหนี้ของลูกค้าที่มีคุณสมบัติพร้อมคำสั่งหักบัญชีเงินฝากอัตโนมัติที่รออยู่ +NbOfInvoiceToWithdrawWithInfo=จำนวนใบแจ้งหนี้ของลูกค้าที่มีคำสั่งชำระเงินแบบหักบัญชีเงินฝากอัตโนมัติที่มีการกำหนดข้อมูลบัญชีธนาคาร +NbOfInvoiceToPayByBankTransfer=จำนวนใบแจ้งหนี้ของซัพพลายเออร์ที่ผ่านการรับรองที่รอการชำระเงินด้วยการโอนเครดิต +SupplierInvoiceWaitingWithdraw=ใบแจ้งหนี้ของผู้จัดจำหน่ายรอการชำระเงินโดยการโอนเครดิต +InvoiceWaitingWithdraw=ใบแจ้งหนี้ที่รอการหักบัญชีธนาคาร +InvoiceWaitingPaymentByBankTransfer=ใบแจ้งหนี้รอการโอนเครดิต AmountToWithdraw=จำนวนเงินที่จะถอนตัว -AmountToTransfer=Amount to transfer -NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. -NoSupplierInvoiceToWithdraw=No supplier invoice with open '%s' is waiting. Go on tab '%s' on invoice card to make a request. -ResponsibleUser=User Responsible -WithdrawalsSetup=Direct debit payment setup -CreditTransferSetup=Credit transfer setup -WithdrawStatistics=Direct debit payment statistics -CreditTransferStatistics=Credit transfer statistics +AmountToTransfer=จำนวนเงินที่จะโอน +NoInvoiceToWithdraw=ไม่มีใบแจ้งหนี้ที่เปิดสำหรับ '%s' กำลังรออยู่ ไปที่แท็บ '%s' บนบัตรใบแจ้งหนี้เพื่อส่งคำขอ +NoSupplierInvoiceToWithdraw=ไม่มีใบแจ้งหนี้ของซัพพลายเออร์ที่เปิด '%s' กำลังรออยู่ ไปที่แท็บ '%s' บนบัตรใบแจ้งหนี้เพื่อส่งคำขอ +ResponsibleUser=ผู้ใช้มีความรับผิดชอบ +WithdrawalsSetup=การตั้งค่าการชำระเงินแบบหักบัญชีธนาคาร +CreditTransferSetup=การตั้งค่าการโอนเครดิต +WithdrawStatistics=สถิติการชำระแบบหักบัญชีเงินฝากอัตโนมัติ +CreditTransferStatistics=สถิติการโอนเครดิต Rejects=ปฏิเสธ -LastWithdrawalReceipt=Latest %s direct debit receipts -MakeWithdrawRequest=Make a direct debit payment request -MakeWithdrawRequestStripe=Make a direct debit payment request via Stripe -MakeBankTransferOrder=Make a credit transfer request -WithdrawRequestsDone=%s direct debit payment requests recorded -BankTransferRequestsDone=%s credit transfer requests recorded -ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. -WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. +LastWithdrawalReceipt=ใบเสร็จรับเงินแบบหักบัญชีธนาคาร %s ล่าสุด +MakeWithdrawRequest=ทำการร้องขอการหักบัญชีเงินฝากอัตโนมัติ +MakeWithdrawRequestStripe=ทำการร้องขอการหักบัญชีธนาคารผ่าน Stripe +MakeBankTransferOrder=ทำการขอโอนเครดิต +WithdrawRequestsDone=%s บันทึกคำขอชำระเงินแบบหักบัญชีธนาคาร +BankTransferRequestsDone=บันทึกคำขอโอนเครดิต %s แล้ว +ThirdPartyBankCode=รหัสธนาคารบุคคลที่สาม +NoInvoiceCouldBeWithdrawed=ไม่มีการประมวลผลใบแจ้งหนี้สำเร็จ ตรวจสอบว่าใบแจ้งหนี้อยู่ในบริษัทที่มี IBAN ที่ถูกต้อง และ IBAN มี UMR (Unique Mandate Reference) ที่มีโหมด %s +NoInvoiceCouldBeWithdrawedSupplier=ไม่มีการประมวลผลใบแจ้งหนี้สำเร็จ ตรวจสอบว่าใบแจ้งหนี้อยู่ในบริษัทที่มี IBAN ที่ถูกต้อง +NoSalariesCouldBeWithdrawed=ไม่มีการประมวลผลเงินเดือนสำเร็จ ตรวจสอบว่าเงินเดือนเป็นของผู้ใช้ที่มี IBAN ที่ถูกต้อง +WithdrawalCantBeCreditedTwice=ใบเสร็จรับเงินการถอนนี้ถูกทำเครื่องหมายว่าได้รับเครดิตแล้ว ไม่สามารถทำได้สองครั้ง เนื่องจากอาจสร้างการชำระเงินและรายการธนาคารที่ซ้ำกัน ClassCredited=จำแนกเครดิต -ClassDebited=Classify debited +ClassDebited=จำแนกประเภทเดบิต ClassCreditedConfirm=คุณแน่ใจว่าคุณต้องการที่จะจำแนกได้รับการถอนนี้เป็นเครดิตในบัญชีธนาคารของคุณ? TransData=วันที่ส่ง TransMetod=วิธีการส่ง Send=ส่ง Lines=เส้น -StandingOrderReject=Record a rejection -WithdrawsRefused=Direct debit refused +StandingOrderReject=บันทึกการปฏิเสธ +WithdrawsRefused=การหักบัญชีธนาคารถูกปฏิเสธ WithdrawalRefused=ปฏิเสธการถอนเงิน -CreditTransfersRefused=Credit transfers refused +CreditTransfersRefused=การโอนเครดิตถูกปฏิเสธ WithdrawalRefusedConfirm=คุณแน่ใจหรือว่าต้องการที่จะเข้าสู่การปฏิเสธการถอนสังคม RefusedData=วันที่ของการปฏิเสธ RefusedReason=เหตุผลในการปฏิเสธ RefusedInvoicing=การเรียกเก็บเงินการปฏิเสธ -NoInvoiceRefused=ไม่คิดค่าบริการการปฏิเสธ -InvoiceRefused=ใบแจ้งหนี้ไม่ยอม (ชาร์จปฏิเสธให้กับลูกค้า) -StatusDebitCredit=Status debit/credit +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer +StatusDebitCredit=สถานะเดบิต/เครดิต StatusWaiting=ที่รอ StatusTrans=ส่ง -StatusDebited=Debited +StatusDebited=เดบิตแล้ว StatusCredited=เครดิต StatusPaid=ต้องจ่าย StatusRefused=ปฏิเสธ StatusMotif0=ยังไม่ระบุ StatusMotif1=เงินไม่เพียงพอ StatusMotif2=ขอเข้าร่วมแข่งขัน -StatusMotif3=No direct debit payment order -StatusMotif4=Sales Order +StatusMotif3=ไม่มีคำสั่งชำระเงินแบบหักบัญชีธนาคาร +StatusMotif4=ใบสั่งขาย StatusMotif5=RIB ใช้ไม่ได้ StatusMotif6=บัญชีโดยไม่สมดุล StatusMotif7=การตัดสินใจการพิจารณาคดี StatusMotif8=เหตุผลอื่น ๆ -CreateForSepaFRST=Create direct debit file (SEPA FRST) -CreateForSepaRCUR=Create direct debit file (SEPA RCUR) -CreateAll=Create direct debit file -CreateFileForPaymentByBankTransfer=Create file for credit transfer -CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) +CreateForSepaFRST=สร้างไฟล์การหักบัญชีธนาคาร (SEPA FRST) +CreateForSepaRCUR=สร้างไฟล์การหักบัญชีธนาคาร (SEPA RCUR) +CreateAll=สร้างไฟล์เดบิตโดยตรง +CreateFileForPaymentByBankTransfer=สร้างไฟล์สำหรับการโอนเครดิต +CreateSepaFileForPaymentByBankTransfer=สร้างไฟล์การโอนย้ายเครดิต (SEPA) CreateGuichet=สำนักงานเท่านั้น CreateBanque=เฉพาะธนาคาร OrderWaiting=กำลังรอการรักษา -NotifyTransmision=Record file transmission of order -NotifyCredit=Record credit of order +NotifyTransmision=บันทึกการส่งไฟล์คำสั่ง +NotifyCredit=บันทึกเครดิตการสั่งซื้อ NumeroNationalEmetter=จำนวนเครื่องส่งสัญญาณแห่งชาติ WithBankUsingRIB=สำหรับบัญชีเงินฝากธนาคารโดยใช้ RIB WithBankUsingBANBIC=สำหรับบัญชีเงินฝากธนาคารโดยใช้ IBAN / BIC / SWIFT -BankToReceiveWithdraw=Receiving Bank Account -BankToPayCreditTransfer=Bank Account used as source of payments +BankToReceiveWithdraw=การรับบัญชีธนาคาร +BankToPayCreditTransfer=บัญชีธนาคารที่ใช้เป็นแหล่งชำระเงิน CreditDate=เกี่ยวกับบัตรเครดิต WithdrawalFileNotCapable=ไม่สามารถสร้างไฟล์ใบเสร็จรับเงินการถอนเงินสำหรับประเทศ% s ของคุณ (ประเทศของคุณไม่ได้รับการสนับสนุน) -ShowWithdraw=Show Direct Debit Order -IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. -DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. -DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -WithdrawalFile=Debit order file -CreditTransferFile=Credit transfer file +ShowWithdraw=แสดงคำสั่งหักบัญชีธนาคาร +IfInvoiceNeedOnWithdrawPaymentWontBeClosed=อย่างไรก็ตาม หากใบแจ้งหนี้มีใบสั่งการชำระเงินแบบหักบัญชีเงินฝากอัตโนมัติอย่างน้อยหนึ่งรายการที่ยังไม่ได้ประมวลผล จะไม่ถูกตั้งค่าเป็นการชำระเงินเพื่อให้สามารถจัดการการถอนเงินล่วงหน้าได้ +DoStandingOrdersBeforePayments=แท็บนี้ช่วยให้คุณสามารถขอคำสั่งการชำระเงินแบบหักบัญชีธนาคารได้ เมื่อเสร็จแล้ว คุณสามารถไปที่เมนู "ธนาคาร->การชำระเงินด้วยการหักบัญชีธนาคาร" เพื่อสร้างและจัดการไฟล์คำสั่งหักบัญชีเงินฝากอัตโนมัติ +DoStandingOrdersBeforePayments2=คุณยังสามารถส่งคำขอโดยตรงไปยังผู้ประมวลผลการชำระเงิน SEPA เช่น Stripe, ... +DoStandingOrdersBeforePayments3=เมื่อคำขอถูกปิด การชำระเงินตามใบแจ้งหนี้จะถูกบันทึกโดยอัตโนมัติ และใบแจ้งหนี้จะถูกปิดหากส่วนที่เหลือที่ต้องชำระเป็นโมฆะ +DoCreditTransferBeforePayments=แท็บนี้ช่วยให้คุณสามารถขอคำสั่งโอนเครดิตได้ เมื่อเสร็จแล้ว ไปที่เมนู "ธนาคาร->การชำระเงินโดยการโอนเงินเครดิต" เพื่อสร้างและจัดการไฟล์คำสั่งโอนเครดิต +DoCreditTransferBeforePayments3=เมื่อปิดใบสั่งโอนย้ายเครดิต การชำระเงินตามใบแจ้งหนี้จะถูกบันทึกโดยอัตโนมัติ และใบแจ้งหนี้ที่ถูกปิดถ้าส่วนที่เหลือที่ต้องชำระเป็นโมฆะ +WithdrawalFile=ไฟล์คำสั่งเดบิต +CreditTransferFile=ไฟล์โอนเครดิต SetToStatusSent=ตั้งสถานะ "แฟ้มส่ง" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=นอกจากนี้ยังจะบันทึกการชำระเงินในใบแจ้งหนี้ด้วย และจะจัดประเภทเป็น "ชำระแล้ว" หากยอดค้างชำระเป็นโมฆะ StatisticsByLineStatus=สถิติตามสถานะของสาย RUM=UMR -DateRUM=Mandate signature date -RUMLong=Unique Mandate Reference -RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) -WithdrawRequestAmount=Amount of Direct debit request: -BankTransferAmount=Amount of Credit Transfer request: -WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. -SepaMandate=SEPA Direct Debit Mandate -SepaMandateShort=SEPA Mandate -PleaseReturnMandate=Please return this mandate form by email to %s or by mail to -SEPALegalText=By signing this mandate form, you authorize (A) %s and its payment service provider to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. You agree to receive notifications about future charges up to 2 days before they occur. -CreditorIdentifier=Creditor Identifier -CreditorName=Creditor Name -SEPAFillForm=(B) Please complete all the fields marked * -SEPAFormYourName=Your name -SEPAFormYourBAN=Your Bank Account Name (IBAN) -SEPAFormYourBIC=Your Bank Identifier Code (BIC) -SEPAFrstOrRecur=Type of payment -ModeRECUR=Recurring payment -ModeFRST=One-off payment -PleaseCheckOne=Please check one only -CreditTransferOrderCreated=Credit transfer order %s created -DirectDebitOrderCreated=Direct debit order %s created -AmountRequested=Amount requested +DateRUM=วันที่ลงนามอาณัติ +RUMLong=การอ้างอิงอาณัติที่ไม่ซ้ำ +RUMWillBeGenerated=หากว่างเปล่า UMR (การอ้างอิงอาณัติที่ไม่ซ้ำกัน) จะถูกสร้างขึ้นเมื่อข้อมูลบัญชีธนาคารถูกบันทึก +WithdrawMode=โหมดเดบิตโดยตรง (FRST หรือ RCUR) +WithdrawRequestAmount=จำนวนคำขอหักบัญชีธนาคาร: +BankTransferAmount=จำนวนเงินที่ขอโอนเครดิต: +WithdrawRequestErrorNilAmount=ไม่สามารถสร้างคำขอหักบัญชีเงินฝากอัตโนมัติสำหรับจำนวนเงินที่ว่างเปล่า +SepaMandate=ข้อบังคับการหักบัญชีเงินฝากอัตโนมัติของ SEPA +SepaMandateShort=อาณัติ SEPA +PleaseReturnMandate=โปรดส่งแบบฟอร์มหนังสือมอบอำนาจนี้ทางอีเมลไปที่ %s หรือทางไปรษณีย์ไปที่ +SEPALegalText=การลงนามในแบบฟอร์มหนังสือมอบอำนาจนี้ แสดงว่าคุณอนุญาตให้ (A) %s และผู้ให้บริการการชำระเงินส่งคำแนะนำไปยังธนาคารของคุณเพื่อหักบัญชีของคุณ และ (B) ธนาคารของคุณหักบัญชีจากบัญชีของคุณใน ตามคำแนะนำจาก %s ในฐานะส่วนหนึ่งของสิทธิ์ของคุณ คุณมีสิทธิ์ได้รับเงินคืนจากธนาคารของคุณภายใต้ข้อกำหนดและเงื่อนไขของข้อตกลงระหว่างคุณกับธนาคาร สิทธิ์ของคุณเกี่ยวกับข้อบังคับข้างต้นมีการอธิบายไว้ในใบแจ้งยอดที่คุณสามารถขอได้จากธนาคารของคุณ คุณตกลงที่จะรับการแจ้งเตือนเกี่ยวกับการเรียกเก็บเงินในอนาคตล่วงหน้าสูงสุด 2 วันก่อนที่จะเกิดขึ้น +CreditorIdentifier=ตัวระบุเจ้าหนี้ +CreditorName=ชื่อเจ้าหนี้ +SEPAFillForm=(B) กรุณากรอกข้อมูลในช่องที่มีเครื่องหมาย * ให้ครบถ้วน +SEPAFormYourName=ชื่อของคุณ +SEPAFormYourBAN=ชื่อบัญชีธนาคารของคุณ (IBAN) +SEPAFormYourBIC=รหัสระบุธนาคารของคุณ (BIC) +SEPAFrstOrRecur=ประเภทการชำระเงิน +ModeRECUR=การชำระเงินที่เกิดซ้ำ +ModeRCUR=การชำระเงินที่เกิดซ้ำ +ModeFRST=ชำระเงินครั้งเดียว +PleaseCheckOne=โปรดตรวจสอบเพียงหนึ่งรายการเท่านั้น +CreditTransferOrderCreated=สร้างใบสั่งโอนเครดิต %s แล้ว +DirectDebitOrderCreated=สร้างใบสั่งหักบัญชีธนาคาร %s แล้ว +AmountRequested=จำนวนเงินที่ร้องขอ SEPARCUR=SEPA CUR SEPAFRST=SEPA FRST -ExecutionDate=Execution date -CreateForSepa=Create direct debit file -ICS=Creditor Identifier - ICS -IDS=Debitor Identifier -END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction -USTRD="Unstructured" SEPA XML tag -ADDDAYS=Add days to Execution Date -NoDefaultIBANFound=No default IBAN found for this third party +ExecutionDate=วันที่ดำเนินการ +CreateForSepa=สร้างไฟล์เดบิตโดยตรง +ICS=ตัวระบุเจ้าหนี้ - ICS +IDS=ตัวระบุลูกหนี้ +END_TO_END=แท็ก SEPA XML "EndToEndId" - รหัสเฉพาะที่กำหนดต่อธุรกรรม +USTRD=แท็ก SEPA XML "ไม่มีโครงสร้าง" +ADDDAYS=เพิ่มวันในวันที่ดำเนินการ +NoDefaultIBANFound=ไม่พบ IBAN เริ่มต้นสำหรับบุคคลที่สามนี้ ### Notifications -InfoCreditSubject=Payment of direct debit payment order %s by the bank -InfoCreditMessage=The direct debit payment order %s has been paid by the bank
      Data of payment: %s -InfoTransSubject=Transmission of direct debit payment order %s to bank -InfoTransMessage=The direct debit payment order %s has been sent to bank by %s %s.

      +InfoCreditSubject=การชำระเงินของคำสั่งชำระเงินแบบหักบัญชีธนาคาร %s โดยธนาคาร +InfoCreditMessage=ใบสั่งการชำระเงินแบบหักบัญชีธนาคาร %s ได้รับการชำระโดยธนาคารแล้ว
      ข้อมูลการชำระเงิน: %s +InfoTransSubject=การส่งคำสั่งการชำระเงินแบบหักบัญชีธนาคาร %s ไปยังธนาคาร +InfoTransMessage=ใบสั่งชำระเงินแบบหักบัญชีธนาคาร %s ถูกส่งไปยังธนาคารแล้วโดย %s %s .

      InfoTransData=จำนวนเงิน: %s
      วิธีการ: %s
      วันที่: %s -InfoRejectSubject=Direct debit payment order refused -InfoRejectMessage=Hello,

      the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

      --
      %s +InfoRejectSubject=คำสั่งการชำระเงินแบบหักบัญชีธนาคารถูกปฏิเสธ +InfoRejectMessage=สวัสดี

      คำสั่งการหักบัญชีธนาคารของใบแจ้งหนี้ %s ที่เกี่ยวข้องกับ บริษัท %s ซึ่งมีจำนวนเงิน %s ถูกธนาคารปฏิเสธ

      --
      %s ModeWarning=ตัวเลือกสำหรับโหมดจริงไม่ได้ตั้งค่าเราหยุดหลังจากจำลองนี้ -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. -ErrorICSmissing=Missing ICS in Bank account %s -TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines -WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s -WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s -UsedFor=Used for %s +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. +ErrorICSmissing=ICS หายไปในบัญชีธนาคาร %s +TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=ยอดเงินรวมของใบสั่งหักบัญชีเงินฝากอัตโนมัติแตกต่างจากผลรวมของรายการ +WarningSomeDirectDebitOrdersAlreadyExists=คำเตือน: มีคำสั่งซื้อหักบัญชีธนาคารที่รอดำเนินการอยู่แล้ว (%s) ที่ร้องขอเป็นจำนวน %s +WarningSomeCreditTransferAlreadyExists=คำเตือน: มีการร้องขอการโอนเครดิตที่รอดำเนินการอยู่ (%s) สำหรับจำนวน %s +UsedFor=ใช้สำหรับ %s +Societe_ribSigned=ลงนามอาณัติ SEPA แล้ว +NbOfInvoiceToPayByBankTransferForSalaries=จำนวนเงินเดือนที่มีคุณสมบัติรอรับชำระด้วยการโอนเครดิต +SalaryWaitingWithdraw=เงินเดือนรอรับชำระแบบโอนเครดิต +RefSalary=เงินเดือน +NoSalaryInvoiceToWithdraw=ไม่มีเงินเดือนที่รอ '%s' ไปที่แท็บ '%s' บนบัตรเงินเดือนเพื่อส่งคำขอ +SalaryInvoiceWaitingWithdraw=เงินเดือนรอรับชำระแบบโอนเครดิต + diff --git a/htdocs/langs/th_TH/workflow.lang b/htdocs/langs/th_TH/workflow.lang index b2b4d53e354..d0140d9bae0 100644 --- a/htdocs/langs/th_TH/workflow.lang +++ b/htdocs/langs/th_TH/workflow.lang @@ -1,26 +1,38 @@ # Dolibarr language file - Source file is en_US - workflow WorkflowSetup=เวิร์กโฟลว์การติดตั้งโมดูล -WorkflowDesc=This module provides some automatic actions. By default, the workflow is open (you can do things in the order you want) but here you can activate some automatic actions. +WorkflowDesc=โมดูลนี้มีการดำเนินการอัตโนมัติบางอย่าง ตามค่าเริ่มต้น เวิร์กโฟลว์จะเปิดอยู่ (คุณสามารถทำสิ่งต่างๆ ตามลำดับที่คุณต้องการได้) แต่ที่นี่คุณสามารถเปิดใช้งานการดำเนินการอัตโนมัติบางอย่างได้ ThereIsNoWorkflowToModify=ไม่มีการปรับเปลี่ยนขั้นตอนการทำงานที่มีอยู่กับโมดูลเปิดใช้งานคือ # Autocreate -descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a sales order after a commercial proposal is signed (the new order will have same amount as the proposal) -descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Automatically create a customer invoice after a commercial proposal is signed (the new invoice will have same amount as the proposal) -descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automatically create a customer invoice after a contract is validated -descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automatically create a customer invoice after a sales order is closed (the new invoice will have same amount as the order) +descWORKFLOW_PROPAL_AUTOCREATE_ORDER=สร้างใบสั่งขายโดยอัตโนมัติหลังจากลงนามข้อเสนอเชิงพาณิชย์ (คำสั่งซื้อใหม่จะมีจำนวนเท่ากับข้อเสนอ) +descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=สร้างใบแจ้งหนี้ของลูกค้าโดยอัตโนมัติหลังจากลงนามข้อเสนอทางการค้าแล้ว (ใบแจ้งหนี้ใหม่จะมีจำนวนเงินเท่ากับข้อเสนอ) +descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=สร้างใบแจ้งหนี้ของลูกค้าโดยอัตโนมัติหลังจากตรวจสอบสัญญาแล้ว +descWORKFLOW_ORDER_AUTOCREATE_INVOICE=สร้างใบแจ้งหนี้ของลูกค้าโดยอัตโนมัติหลังจากปิดใบสั่งขาย (ใบแจ้งหนี้ใหม่จะมีจำนวนเงินเท่ากับใบสั่ง) +descWORKFLOW_TICKET_CREATE_INTERVENTION=ในการสร้างตั๋ว ให้สร้างการแทรกแซงโดยอัตโนมัติ # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales order as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classify linked source sales order as shipped when a shipment is closed (and if the quantity shipped by all shipments is the same as in the order to update) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=จัดประเภทใบสั่งขายแหล่งที่มาที่เชื่อมโยงเป็นจัดส่งเมื่อมีการตรวจสอบการจัดส่ง (และถ้าปริมาณที่จัดส่งโดยการจัดส่งทั้งหมดเหมือนกันกับในใบสั่งที่จะอัพเดต) +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=จัดประเภทใบสั่งขายแหล่งที่มาที่เชื่อมโยงเป็นจัดส่งเมื่อมีการปิดการจัดส่ง (และถ้าปริมาณที่จัดส่งโดยการจัดส่งทั้งหมดเหมือนกันกับในใบสั่งที่จะอัพเดต) +# Autoclassify purchase proposal +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated -# Autoclose intervention -descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed -AutomaticCreation=Automatic creation -AutomaticClassification=Automatic classification +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=จัดประเภทใบสั่งซื้อแหล่งที่มาที่เชื่อมโยงเป็นที่ได้รับเมื่อมีการตรวจสอบการรับ (และถ้าปริมาณที่ได้รับจากการรับทั้งหมดจะเหมือนกับในใบสั่งซื้อที่จะอัพเดต) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=จัดประเภทใบสั่งซื้อแหล่งที่มาที่เชื่อมโยงเป็นที่ได้รับเมื่อมีการปิดการรับ (และถ้าปริมาณที่ได้รับจากการรับทั้งหมดจะเหมือนกับในใบสั่งซื้อที่จะอัพเดต) # Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=จัดประเภทการจัดส่งแหล่งที่มาที่เชื่อมโยงเป็นปิดเมื่อมีการตรวจสอบใบแจ้งหนี้ของลูกค้า (และถ้ายอดเงินของใบแจ้งหนี้เท่ากับยอดรวมของการจัดส่งที่เชื่อมโยง) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=จัดประเภทการจัดส่งต้นทางที่เชื่อมโยงเป็นเรียกเก็บเงินเมื่อมีการตรวจสอบใบแจ้งหนี้ของลูกค้า (และหากจำนวนเงินของใบแจ้งหนี้เท่ากับยอดรวมของการจัดส่งที่เชื่อมโยง) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=จัดประเภทการรับแหล่งที่มาที่เชื่อมโยงเป็นเรียกเก็บเงินเมื่อมีการตรวจสอบใบแจ้งหนี้การซื้อ (และถ้ายอดเงินของใบแจ้งหนี้เท่ากับยอดรวมของการรับที่เชื่อมโยง) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=จัดประเภทการรับแหล่งที่มาที่เชื่อมโยงเป็นเรียกเก็บเงินเมื่อมีการตรวจสอบใบแจ้งหนี้การซื้อ (และถ้ายอดเงินของใบแจ้งหนี้เท่ากับยอดรวมของการรับที่เชื่อมโยง) +# Automatically link ticket to contract +descWORKFLOW_TICKET_LINK_CONTRACT=เมื่อสร้างตั๋ว ให้เชื่อมโยงสัญญาที่มีอยู่ทั้งหมดของบุคคลที่สามที่ตรงกัน +descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=เมื่อเชื่อมโยงสัญญา ให้ค้นหาระหว่างบริษัทแม่ +# Autoclose intervention +descWORKFLOW_TICKET_CLOSE_INTERVENTION=ปิดการแทรกแซงทั้งหมดที่เชื่อมโยงกับตั๋วเมื่อปิดตั๋ว +AutomaticCreation=การสร้างอัตโนมัติ +AutomaticClassification=การจำแนกประเภทอัตโนมัติ +AutomaticClosing=ปิดอัตโนมัติ +AutomaticLinking=การเชื่อมโยงอัตโนมัติ diff --git a/htdocs/langs/tr_TR/admin.lang b/htdocs/langs/tr_TR/admin.lang index 2447223406f..5ac51db3ff1 100644 --- a/htdocs/langs/tr_TR/admin.lang +++ b/htdocs/langs/tr_TR/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Bu modül Dolibarr'ınızla uyumlu görünmüyor %s (Min %s - Maks CompatibleAfterUpdate=Bu modül, Dolibarr %s (Min %s - Maks %s) için bir güncelleme gerektirir. SeeInMarkerPlace=Market place alanına bakın SeeSetupOfModule=%s modülü kurulumuna bak +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=Set option %s to %s Updated=Güncellendi AchatTelechargement=Satın Al/Yükle @@ -292,22 +294,22 @@ EmailSenderProfiles=E-posta gönderici profilleri EMailsSenderProfileDesc=Bu bölümü boş bırakabilirsiniz. Buraya gireceğiniz e-posta adresleri, yeni bir e-posta adresi yazdığınızda comboboxtaki olası gönderenler listesine eklenecekler. MAIN_MAIL_SMTP_PORT=SMTP Portu (php.ini içinde varsayılan değer: %s) MAIN_MAIL_SMTP_SERVER=SMTP Sunucusu (php.ini içinde varsayılan değer: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP Portu (Unix benzeri sistemlerdeki PHP'de tanımlanmamış) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP Sunucusu (Unix benzeri sistemlerdeki PHP'de tanımlanmamış) -MAIN_MAIL_EMAIL_FROM=Otomatik e-postalar için gönderen E-Posta adresi (php.ini içindeki varsayılan değer: %s) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=Geri dönen hatalı mailler için kullanılacak e-posta adresi (gönderilen maillerdeki 'Hatalar-buraya' alanı) MAIN_MAIL_AUTOCOPY_TO= Gönderilen tüm maillerin kopyasının (Bcc) gönderileceği e-posta adresi MAIN_DISABLE_ALL_MAILS=Tüm e-posta gönderimini devre dışı bırak (test veya demo kullanımı için) MAIN_MAIL_FORCE_SENDTO=Tüm e-postaları şu adreslere gönder (gerçek alıcıların yerine, test amaçlı) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Yeni bir e-posta yazarken, önceden tanımlanmış alıcı listesine çalışanların e-postalarını (tanımlanmışsa) önerin -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=E-posta gönderme yöntemi MAIN_MAIL_SMTPS_ID=SMTP ID (gönderme sunucusu kimlik doğrulama gerektiriyorsa) MAIN_MAIL_SMTPS_PW=SMTP Şifresi (gönderme sunucusu kimlik doğrulama gerektiriyorsa) MAIN_MAIL_EMAIL_TLS=TLS (SSL) şifreleme kullan MAIN_MAIL_EMAIL_STARTTLS=TLS (STARTTLS) şifreleme kullan -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Sertifika otomatik imzalarını yetkilendirin +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=E-posta imzası oluşturmak için DKIM kullan MAIN_MAIL_EMAIL_DKIM_DOMAIN=Dkim ile kullanım için Eposta Alan adı MAIN_MAIL_EMAIL_DKIM_SELECTOR=Dkim seçicinin adı @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Dkim imzalama için özel anahtar MAIN_DISABLE_ALL_SMS=Tüm SMS gönderimlerini devre dışı bırak (test ya da demo amaçlı) MAIN_SMS_SENDMODE=SMS göndermek için kullanılacak yöntem MAIN_MAIL_SMS_FROM=SMS gönderimi için varsayılan gönderici telefon numarası -MAIN_MAIL_DEFAULT_FROMTYPE=Manuel gönderim için varsayılan gönderici e-posta adresi (Kullanıcı e-postası veya Firmat e-postası) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=Kullanıcı e-posta adresi CompanyEmail=Firma e-posta adresi FeatureNotAvailableOnLinux=Unix gibi sistemlerde bu özellik yoktur. @@ -417,6 +419,7 @@ PDFLocaltax=%siçin kurallar HideLocalTaxOnPDF=Satış Vergisi/KDV sütununda %s oranını gizle HideDescOnPDF=Ürün açıklamasını gizle HideRefOnPDF=Ürün Referans No'sunu gizle +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=Ürün satır detaylarını gizle PlaceCustomerAddressToIsoLocation=Müşteri adresi konumu için fransız konum standartını (La Poste) kullanın Library=Kütüphane @@ -424,7 +427,7 @@ UrlGenerationParameters=URL güvenliği için parametreler SecurityTokenIsUnique=Her URL için benzersiz bir güvenlik anahtarı kullan EnterRefToBuildUrl=Nesen %s için hata referansı GetSecuredUrl=Hesaplanan URL al -ButtonHideUnauthorized=Yetkisiz işlem düğmelerini dahili kullanıcılar için de gizleyin (aksi takdirde gri renklidir) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=Eski KDV oranı NewVATRates=Yeni KDV oranı PriceBaseTypeToChange=Buna göre tanımlanan temel referans değerli fiyatları değiştir @@ -458,11 +461,11 @@ ComputedFormula=Hesaplanmış alan ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Hesaplanan alanı sakla ComputedpersistentDesc=Hesaplanan fazladan alanlar veritabanında saklanacaktır, ancak değer yalnızca bu alanın nesnesi değiştirildiğinde yeniden hesaplanacaktır. Hesaplanan alan diğer nesnelere veya genel verilere bağlıysa, bu değer yanlış olabilir !! -ExtrafieldParamHelpPassword=Bu alanı boş bırakmak, bu değerin şifreleme olmadan saklanacağı anlamına gelir (alan yalnızca ekranda yıldızla gizlenmelidir).
      Parolayı veritabanına kaydetmek için varsayılan şifreleme kuralını kullanmak için 'otomatik'i ayarlayın (daha sonra okunan değer, hash olacaktır yalnızca, orijinal değeri almanın yolu yoktur) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=Değerlerin listesi, biçim anahtarı ve değeri olan satırlar olmalıdır (burada anahtar '0' olamaz)

      örneğin:
      1,value1
      2,value2
      code3,value3
      ...

      Listenin başka bir tamamlayıcı öznitelik listesine bağlı olması için:
      1, değer1|options_parent_list_code:parent_key
      2, value2|options_parent_list_code:parent_key

      Listenin başka bir listeye bağlı olması için:
      1, value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=Değerler listesi, biçim anahtarı ve değeri olan satırlar olmalıdır (burada anahtar '0' olamaz)

      örneğin:
      1, değer1
      2,değer2
      3,değer3
      ... ExtrafieldParamHelpradio=Değerler listesi, biçim anahtarı ve değeri olan satırlar olmalıdır (burada anahtar '0' olamaz)

      örneğin:
      1,değer1
      2,değer2
      3,değer3
      ... -ExtrafieldParamHelpsellist=Değerlerin listesi bir tablodan gelir
      Sözdizimi: table_name: label_field: id_field :: filtersql
      Örnek: c_typent: libelle: id :: filtersql

      - id_field zorunlu olarak bir birincil int anahtarıdır
      - filtersql bir SQL koşuludur. Sadece aktif değeri görüntülemek için basit bir test olabilir (örn. active=1)
      Filtrede mevcut nesnenin geçerli kimliği olan $ ID $ da kullanabilirsiniz
      Filtreye bir SELECT kullanmak için anahtar kelimeyi kullanın Enjeksiyon önleme korumasını atlamak için $SEL$.
      dış alanlara filtre uygulamak istiyorsanız, extra.fieldcode=... sözdizimini kullanın (burada alan kodu, extrafield kodudur)

      başka bir tamamlayıcı öznitelik listesine bağlı olarak liste:
      c_typent:libelle:id:options_ parent_list_code|parent_column: filter

      Listenin başka bir listeye bağlı olması için:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Değerlerin listesi bir tablodan gelir
      Sözdizimi: table_name: label_field: id_field :: filtersql
      Örnek: c_typent: libelle: id :: filtersql

      filtre basit bir test olabilir (ör. active=1) sadece aktif değeri görüntülemek için
      Ayrıca filtre adı içinde $ID$ kullanabilirsiniz, geçerli nesnenin geçerli kimliğidir
      Filtrede SELECT yapmak için, extrafields'da filtrelemek istiyorsanız $SEL$
      kullanın sözdizimi extra.fieldcode=... (burada alan kodu extrafield kodudur)

      Listenin başka bir tamamlayıcı nitelik listesine bağlı olması için:
      c_typent: libelle: id: options_ parent_list_code | parent_column: filter

      Listenin başka bir listeye bağlı olması için:
      c_typent: libelle: id: parent_list_code | parent_column: filter ExtrafieldParamHelplink=Parametreler NesneAdı olmalıdır: Sınıfyolu
      Sözdizimi:NesneAdı:Sınıfyolu ObjectName:Classpath ExtrafieldParamHelpSeparator=Basit bir ayırıcı için boş tut
      Daraltılan ayırıcı için bunu 1 olarak ayarlayın (yeni oturum için varsayılan olarak açılır, ardından her kullanıcı oturumu için durum tutulur)
      Daraltılan ayırıcı için bunu 2 olarak ayarlayın (varsayılan olarak daraltıldı yeni oturum, ardından durum her kullanıcı oturumu için tutulur) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Kullanıcı %s için ClickTodial url dene RefreshPhoneLink=Bağlantıyı yenile LinkToTest=Kullanıcı %s için oluşturulan tıklanabilir bağlantı (denemek için telefon numarasına tıkla) KeepEmptyToUseDefault=Varsayılan değeri kullanmak için boş bırak -KeepThisEmptyInMostCases=Çoğu durumda, bu alanı boş tutabilirsiniz. +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=Varsayılan bağlantı SetAsDefault=Varsayılan olarak ayarla ValueOverwrittenByUserSetup=Uyarı, bu değer kullanıcıya özel kurulum ile üzerine yazılabilir (her kullanıcı kendine ait clicktodial url ayarlayabilir) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Bu, HTML alanının adıdır. Bir alanın anahtar ad PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate=
      Örnek:
      Yeni bir cari oluşturma formu kullanacaksak bu değer %s şeklindedir.
      Özel dizinde kurulmuş olan harici modüllerin URL'ne "custom/" eklemeyin, yani custom/mymodule/mypage.php yerine mymodule/mypage.php gibi bir yol kullanın.
      Url bazı parametreler içeriyorsa ve sadece varsayılan değeri istiyorsanız %s kullanabilirsiniz. PageUrlForDefaultValuesList=
      Örnek:
      Carileri listeleyen sayfa için, bu %s.
      Özel dizine yüklenmiş harici modüllerin URL'si için, "custom/" custom/mymodule /mypagelist.php yerine mymodule/mypagelist.php gibi bir yol kullanın.
      Varsayılan değeri yalnızca url'de bir parametre varsa istiyorsanız, %s -AlsoDefaultValuesAreEffectiveForActionCreate=Form oluşturmak için varsayılan değerlerin üzerine yazma işleminin sadece doğru bir şekilde tasarlanmış sayfalarda çalışacağını unutmayın (action=create veya presend... parametresi ile) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=Varsayılan değerlerin kişiselleştirilmesini etkinleştir EnableOverwriteTranslation=Allow customization of translations GoIntoTranslationMenuToChangeThis=Bu kodlu anahtar için bir çeviri bulundu. Bu değeri değiştirmek için onu Giriş-Ayarlar-Çeviri bölümünde düzenlemelisiniz. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Jenerik özel dizin, uygulamanın oturum açma/şif DAV_ALLOW_PUBLIC_DIR=Genel genel dizini etkinleştirin ("public" adlı WebDAV'a ayrılmış dizin - oturum açma gerekmez) DAV_ALLOW_PUBLIC_DIRTooltip=Genel genel dizin, yetkilendirme gerektirmeden (oturum açma/parola hesabı) herkesin erişebileceği (okuma ve yazma modunda) bir WebDAV dizinidir. DAV_ALLOW_ECM_DIR=DMS/ECM özel dizinini etkinleştirin (DMS/ECM modülünün kök dizini - oturum açma gerekli) -DAV_ALLOW_ECM_DIRTooltip=DMS/ECM modülü kullanılırken tüm dosyaların manuel olarak yüklendiği kök dizin. Benzer şekilde, web arayüzünden erişimde olduğu gibi, erişmek için yeterli izinlere sahip geçerli bir giriş/şifreye ihtiyacınız olacaktır. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=Kullanıcılar ve Gruplar Module0Desc=Kullanıcı / Çalışan ve Grup Yönetimi @@ -566,7 +569,7 @@ Module40Desc=Satıcılar ve satın alma yönetimi (satınalma siparişleri ve te Module42Name=Hata Ayıklama Günlükleri Module42Desc=Günlükleme araçları (dosya, syslog, ...). Bu gibi günlükler teknik/hata ayıklama amaçları içindir. Module43Name=Hata Ayıklama Çubuğu -Module43Desc=Tarayıcınıza bir hata ayıklama çubuğu ekleyen geliştiriciye yönelik bir araç. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=Düzenleyiciler Module49Desc=Düzenleyici yönetimi Module50Name=Ürünler @@ -582,7 +585,7 @@ Module54Desc=Sözleşmelerin yönetimi (hizmetler veya yinelenen abonelikler) Module55Name=Barkodlar Module55Desc=Barkod veya QR kod yönetimi Module56Name=Kredi transferiyle ödeme -Module56Desc=Kredi Transferi siparişleri ile tedarikçilerin ödemelerinin yönetimi. Avrupa ülkeleri için SEPA dosyası oluşturmayı içerir. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=Otomatik Ödeme ile Ödemeler Module57Desc=Otomatik Ödeme emirlerinin yönetimi. Avrupa ülkeleri için SEPA dosyası oluşturmayı içerir. Module58Name=TıklaAra @@ -630,6 +633,10 @@ Module600Desc=Bir iş etkinliği tarafından tetiklenen e-posta bildirimleri gö Module600Long=Bu modülün, belirli bir iş olayı gerçekleştiğinde gerçek zamanlı olarak e-posta gönderdiğini unutmayın. Gündem etkinlikleri için e-posta hatırlatıcıları göndermek için bir özellik arıyorsanız, Ajanda modülünün kurulumuna gidin. Module610Name=Ürün Değişkenleri Module610Desc=Ürün değişkenlerinin oluşturulması (renk, ebat v.b.) +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=Bağışlar Module700Desc=Bağış yönetimi Module770Name=Gider Raporları @@ -650,8 +657,8 @@ Module2300Name=Planlı İşler Module2300Desc=Zamanlanmış iş yönetimi (alias cron veya chrono tablosu) Module2400Name=Etkinlik/Gündem Module2400Desc=Etkinlikleri takip edin. İzleme amacıyla otomatik etkinlikleri günlüğe geçirin veya manuel etkinlikleri ya da toplantıları kaydedin. Bu, iyi bir Müşteri veya Tedarikçi İlişkileri Yönetimi için temel modüldür. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS/ECM Module2500Desc=Belge Yönetim Sistemi/Elektronik İçerik Yönetimi. Oluşturulan veya saklanan belgelerinizin otomatik organizasyonu. İhtiyacınız olduğunda paylaşın. Module2600Name=API / Web services (SOAP server) @@ -672,7 +679,7 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=Sosyal Ağlar Module3400Desc=Sosyal Ağ alanlarını Carilere ve adreslere (skype, twitter, facebook, ...) etkinleştirin. Module4000Name=IK -Module4000Desc=İnsan kaynakları yönetimi (departman, çalışan sözleşmeleri ve duygu yönetimi) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Çoklu-firma Module5000Desc=Birden çok firmayı yönetmenizi sağlar Module6000Name=Modüller arası İş Akışı @@ -712,6 +719,8 @@ Module63000Desc=Etkinliklere tahsis etmek için kaynakları (yazıcılar, arabal Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=Resepsiyonlar +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Read customer invoices (and payments) Permission12=Müşteri faturaları oluştur/düzenle @@ -996,7 +1005,7 @@ Permission4031=Read personal information Permission4032=Write personal information Permission4033=Read all evaluations (even those of user not subordinates) Permission10001=Web sitesi içeriğini okuyun -Permission10002=Web sitesi içeriği oluşturun/değiştirin (HTML ve Javascript içeriği) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=Web sitesi içeriği oluşturun/değiştirin (dinamik php kodu). Tehlikeli, kısıtlı geliştiricilere ayrılmalıdır. Permission10005=Web sitesi içeriğini silin Permission20001=İzin taleplerini okuyun (izniniz ve astlarınızın izinleri) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Gider raporu - Ulaşım kategorisine göre menzil DictionaryTransportMode=Dahili iletişim raporu - Taşıma modu DictionaryBatchStatus=Product lot/serial Quality Control status DictionaryAssetDisposalType=Type of disposal of assets +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Ünite türü SetupSaved=Kurulum kaydedildi SetupNotSaved=Kurulum kaydedilmedi @@ -1109,10 +1119,11 @@ BackToModuleList=Modül listesine dön BackToDictionaryList=Sözlük listesine dön TypeOfRevenueStamp=Damga pulu türü VATManagement=Satış Vergisi Yönetimi -VATIsUsedDesc=Potansiyel müşteriler, faturalar, siparişler vb. oluştururken KDV oranı varsayılan olarak aktif standart kuralı izler:
      Eğer satıcı taraf vergiye tabi değilse KDV oranı 0 olacaktır. Kuralın sonu.
      Eğer satıcı ve alıcının ülkesi aynı ise (satıcı ülkesi=alıcı ülkesi), KDV oranı varsayılan olarak ürünün satıcı ülkesindeki KDV oranına eşittir. Kuralın sonu.
      Hem satıcı hem de alıcı taraf Avrupa Topluluğu'nda yer alıyorsa ve mallar taşımayla ilgili (taşıma, nakliye, havayolu) ürünler ise varsayılan KDV 0 olacaktır. Bu kural satıcının ülkesine bağlıdır - lütfen muhasebecinize danışın. KDV alıcı tarafından satıcıya değil, ülkesindeki gümrük idaresine ödenmelidir. Kuralın sonu.
      Hem satıcı hem de alıcı taraf Avrupa Topluluğu'nda yer alıyorsa ve alıcı taraf bir şirket değil ise (kayıtlı bir Topluluk içi Vergi numarasına sahip), KDV oranı varsayılan olarak satıcının ülkesinin KDV oranına eşit olacaktır. Kuralın sonu.
      Hem satıcı hem de alıcı taraf Avrupa Topluluğu'nda yer alıyorsa ve alıcı taraf bir şirketse (kayıtlı bir Topluluk içi Vergi numarasına sahip), KDV oranı varsayılan olarak 0 olacaktır. Kuralın sonu.
      Bunların dışındaki durumlarda KDV oranı için önerilen varsayılan değer 0'dır. Kuralın sonu. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=Dernekler, şahıslar veya küçük şirketler söz konusu olduğunda varsayılan olarak önerilen KDV oranı 0 olacaktır. VATIsUsedExampleFR=Fransa'da gerçek mali sisteme sahip şirketler veya kuruluşlar (Basitleştirilmiş gerçek veya normal gerçek) anlamına gelir. KDV'nin beyan edildiği bir sistem. VATIsNotUsedExampleFR=Fransa'da bu, Satış vergisi beyan edilmeyen dernekler veya mikro işletme mali sistemini seçen (franchise satış vergisi) ve herhangi bir Satış vergisi beyannamesi olmaksızın bir franchise Satış vergisi ödeyen şirketler, kuruluşlar veya serbest meslekler anlamına gelir. Bu seçim, faturalarda "Geçerli olmayan Satış vergisi - art-293B CGI" referansını gösterecektir. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Satış vergisi türü LTRate=Oran @@ -1399,8 +1410,8 @@ PHPModuleLoaded=%s PHP bileşeni yüklendi PreloadOPCode=Önceden yüklenmiş OPCode kullanılır AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=İletişim e-postasını (veya tanımlanmamışsa telefonları) ve şehir bilgi listesini görüntüleyin
      Kişiler "Ali Koç - ali.koc@email.com - Istanbul" veya "Ali Koç - ad biçiminde görünecektir. +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=Cariler için tercih edilen gönderme yöntemini isteyin. FieldEdition=%s Alanının düzenlenmesi FillThisOnlyIfRequired=Örnek: +2 (saat dilimi farkını yalnız zaman farkı sorunları yaşıyorsanız kullanın) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Oturum açma sayfasında “Parolanızı m UsersSetup=Kullanıcılar modülü kurulumu UserMailRequired=Yeni bir kullanıcı oluşturmak için e-posta gerekli UserHideInactive=Etkin olmayan kullanıcıları tüm kullanıcı listelerinden gizleyin (Önerilmez: Bu, bazı sayfalarda eski kullanıcıları filtreleyemeyeceğiniz veya bunlarda arama yapamayacağınız anlamına gelebilir) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Kullanıcı kaydından oluşturulan belgeler için belge şablonları GroupsDocModules=Grup kaydından oluşturulan belgeler için belge şablonları ##### HRM setup ##### @@ -1427,7 +1440,7 @@ HRMSetup=İK modülü ayarları CompanySetup=Firmalar modülü kurulumu CompanyCodeChecker=Müşteri/tedarikçi kodlarının otomatik olarak üretilmesi için seçenekler AccountCodeManager=Müşteri/tedarikçi muhasebe kodlarının otomatik olarak üretilmesi için seçenekler -NotificationsDesc=Bazı Dolibar etkinlikleri için e-posta bildirimleri otomatik olarak gönderilebilir.
      Bildirimlerin alıcıları şu şekilde tanımlanabilir: +NotificationsDesc=Bazı Dolibarr etkinlikleri için e-posta bildirimleri otomatik olarak gönderilebilir.
      Bildirimlerin alıcıları şu şekilde tanımlanabilir: NotificationsDescUser=* kullanıcı başına, her seferde bir kullanıcı. NotificationsDescContact=* cari kişisi başına (müşteri veya tedarikçiler), her seferinde bir cari kişisi. NotificationsDescGlobal=* or by setting global email addresses in the setup page of the module. @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Gruplar LDAPContactsSynchro=Kişiler LDAPMembersSynchro=Üyeler LDAPMembersTypesSynchro=Üye türleri -LDAPSynchronization=LDAP senkronizasyonu +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=LDAP fonksiyonları PHP nizde kullanılamaz LDAPToDolibarr=LDAP --> Dolibarr DolibarrToLDAP=Dolibarr --> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=Kullanıcı kimliği LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=Ana dizin -LDAPFieldHomedirectoryExample=Örnek: ana dizin +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=Giriş dizini öneki LDAPSetupNotComplete=LDAP kurulumu tamamlanmamış (diğer sekmelere git) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Hiçbir yönetici veya parola verilmiştir. LDAP erişimi anonim ve salt okunur modunda olacaktır. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Uygulamalı önbellek için memcached modül MemcachedAvailableAndSetup=Memcached modülü etkinleştirilmiş memcached sunucusunu kullanmak içindir. OPCodeCache=OPCode önbelleği NoOPCodeCacheFound=OPCode önbelleği bulunamadı. Belki XCache veya eAccelerator (iyi) dışında bir OPCode önbelleği kullanıyorsunuz veya belki de OPCode önbelleğiniz yok (çok kötü). -HTTPCacheStaticResources=Statik kaynaklar (css, img, javascript) için HTTP önbelleği +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=%s türündeki dosyalar HTTP sunucusu tarafından önbelleğe alınır FilesOfTypeNotCached=%s türündeki dosyalar HTTP sunucusu tarafından önbelleğe alınmaz FilesOfTypeCompressed=%s türündeki dosyalar HTTP sunucusu tarafından sıkıştırılır @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Teslimat fişlerinde serbest metin ##### FCKeditor ##### AdvancedEditor=Gelişmiş editör ActivateFCKeditor=Gelişmiş düzenleyiciyi şunun için etkinleştir: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= Toplu e-postalar için WYSIWIG oluşturma/düzenleme (Araçlar->E-postalamalar) -FCKeditorForUserSignature=Kullanıcı imzasının WYSIWIG olarak oluşturulması/düzenlenmesi -FCKeditorForMail=Tüm mailler için WYSIWIG oluşturma/düzenleme (Araçlar->E-postalamalar hariç) -FCKeditorForTicket=Destek bildirimleri için WYSIWIG oluşturma/düzenleme +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=Stok modülü kurulumu IfYouUsePointOfSaleCheckModule=Varsayılan olarak sağlanan Satış Noktası modülünü (POS) veya harici bir modülü kullanırsanız, bu kurulum POS modülünüz tarafından göz ardı edilebilir. Çoğu POS modülü, varsayılan olarak, hemen bir fatura oluşturmak ve buradaki seçeneklerden bağımsız olarak stoğu azaltmak için tasarlanmıştır. Bu nedenle, POS'unuzdan satış kaydederken bir stok düşüşüne ihtiyacınız varsa veya olmamak istiyorsanız, POS modülü kurulumunuzu da kontrol edin. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Özelleştirilmiş menüler bir üst menüye bağlant NewMenu=Yeni menü MenuHandler=Menü işleyicisi MenuModule=Kaynak modül -HideUnauthorizedMenu=Yetkisiz menüleri dahili kullanıcılar için de gizleyin (aksi takdirde gri renklidir) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=Kimlik menüsü DetailMenuHandler=Yeni menü göstermek için menü işleyicisi DetailMenuModule=Eğer menü girişi bir modülden geliyorsa modül adı @@ -1802,7 +1815,7 @@ DetailType=Menü türü (üst ya da sol) DetailTitre=Çeviri için menü etiketi veya etiket kodu DetailUrl=URL where menu send you (Relative URL link or external link with https://) DetailEnabled=Giriş gösterip göstermeme koşulu -DetailRight=Yetkisiz gri menüleri gösterme koşulu +DetailRight=Condition to display unauthorized gray menus DetailLangs=Etiket kodu çevirisi için Lang dosya adı DetailUser=İç/dış/tümü Target=Hedef @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Nakit ödemeleri almak için kullanılan varsayılan CashDeskBankAccountForCheque=Çekle ödeme almak için kullanılacak varsayılan hesap CashDeskBankAccountForCB=Nakit ödemeleri kredi kartıyla almak için kullanılan varsayılan hesap CashDeskBankAccountForSumup=SumUp ile ödeme almak için kullanılacak varsayılan banka hesabı -CashDeskDoNotDecreaseStock=Satış Noktasından satış yapıldığında stok düşüşünü devre dışı bırakın ("hayır" ise, stok modülündeki opsiyon setine bakılmaksızın POS'tan yapılan her satış için stok azalması yapılır). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Depoyu stok azaltmada kullanmak için zorla ve sınırla StockDecreaseForPointOfSaleDisabled=Satış Noktasından stok düşüşü devre dışı bırakıldı StockDecreaseForPointOfSaleDisabledbyBatch=POS'taki stok düşüşü Seri/Lot yönetimi modülü ile uyumlu değildir (şu anda aktif) bu nedenle stok düşüşü devre dışı bırakılmıştır. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Tablo satırlarını fare üzerine geldiğinde vurgul HighlightLinesColor=Fare üzerinden geçerken satırı vurgulama rengi (vurgulama rengi istemiyorsanız 'ffffff' kullanın) HighlightLinesChecked=Bir satır işaretlendiğinde bu satırı vurgulama rengi (vurgulama rengi istemiyorsanız 'ffffff' kullanın) UseBorderOnTable=Show left-right borders on tables +TableLineHeight=Table line height BtnActionColor=Color of the action button TextBtnActionColor=Text color of the action button TextTitleColor=Sayfa başlığının metin rengi @@ -1991,7 +2006,7 @@ EnterAnyCode=Bu alan, çizgiyi tanımlamak için bir referans içerir. Seçtiği Enter0or1=0 veya 1 girin UnicodeCurrency=Buraya parantezlerin arasına para birimi sembolünü temsil eden bayt numaralarının listesini girin. Örneğin: $ için [36] girin - Türk Lirası TL [84,76] - € için [8364] girin ColorFormat=RGB rengi HEX formatındadır, örn: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=Satırın kombo listesindeki konumu SellTaxRate=Sales tax rate RecuperableOnly=Evet, Fransa'daki bazı eyaletler için adanmış "Algılanmayan Ama Geri Kazanılır" KDV için. Diğer tüm durumlarda değeri "Hayır" olarak tutun. @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions @@ -2118,7 +2133,7 @@ EMailHost=E-posta IMAP sunucusu ana bilgisayarı EMailHostPort=Port of email IMAP server loginPassword=Login/Password oauthToken=OAuth2 token -accessType=Acces type +accessType=Access type oauthService=Oauth service TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Do not include the content of email header into th EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. EmailCollectorConfirmCollectTitle=E-posta toplama onayı EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Example collecting leads EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail @@ -2188,10 +2203,10 @@ Protanopia=Kırmızı körlüğü Deuteranopes=Renk körü Tritanopes=Renk körlüğü ThisValueCanOverwrittenOnUserLevel=Bu değer, kullanıcı sayfasından her kullanıcı tarafından üzerine yazılabilir - sekme '%s' -DefaultCustomerType="Yeni müşteri" oluşturma formunda varsayılan cari türü +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=Not: Bu özelliğin çalışması için banka hesabı her ödeme modunun (Paypal, Stripe, ...) modülünde tanımlanmalıdır. RootCategoryForProductsToSell=Satılacak ürünlerin kök kategorisi -RootCategoryForProductsToSellDesc=Tanımlanırsa, yalnızca bu kategorideki ürünler veya bu kategorinin alt öğeleri Satış Noktasında bulunacaktır. +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=Hata Ayıklama Çubuğu DebugBarDesc=Hata ayıklamayı basitleştirmek için bir çok araç ile gelen araç çubuğu DebugBarSetup=Hata Ayıklama Çubuğu Kurulumu @@ -2212,10 +2227,10 @@ ImportSetup=İçe aktarım modülünün kurulumu InstanceUniqueID=Örneğin benzersiz kimliği SmallerThan=Şundan daha küçük LargerThan=Şundan daha büyük -IfTrackingIDFoundEventWillBeLinked=Bir nesnenin izleme kimliği e-postada bulunursa veya e-posta bir e-postanın hemen toplanan ve bir nesneye bağlanan bir cevabıysa, oluşturulan olayın otomatik olarak bilinen ilgili nesneye bağlanacağını unutmayın. -WithGMailYouCanCreateADedicatedPassword=Bir GMail hesabıyla, 2 adımlı doğrulamayı etkinleştirdiyseniz, https://myaccount.google.com/ adresinden kendi hesap şifrenizi kullanmak yerine uygulama için özel bir ikinci şifre oluşturmanız önerilir. -EmailCollectorTargetDir=Başarıyla işlendiğinde e-postayı başka bir etikete/dizine taşımak istenen bir davranış olabilir. Bu özelliği kullanmak için burada dizinin adını ayarlamanız yeterlidir (isimde özel karakterler KULLANMAYIN). Ayrıca bir okuma/yazma oturum açma hesabı kullanmanız gerektiğini unutmayın. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=%s için bitiş noktası: %s DeleteEmailCollector=E-posta toplayıcıyı sil @@ -2232,12 +2247,12 @@ EmailTemplate=E-posta şablonu EMailsWillHaveMessageID=E-postalarda bu sözdizimiyle eşleşen bir 'Referanslar' etiketi bulunacak PDF_SHOW_PROJECT=Belgede projeyi göster ShowProjectLabel=Proje Etiketi -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=PDF'nizdeki bazı metinlerin aynı oluşturulan PDF'de 2 farklı dilde çoğaltılmasını istiyorsanız, burada bu ikinci dili ayarlamanız gerekir, böylece oluşturulan PDF aynı sayfada 2 farklı dil içerir, biri PDF oluşturulurken seçilir ve bu ( yalnızca birkaç PDF şablonu bunu destekler). PDF başına 1 dil için boş bırakın. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Buraya FontAwesome simgesinin kodunu girin. FontAwesome'ın ne olduğunu bilmiyorsanız, fa-address-book genel değerini kullanabilirsiniz. RssNote=Not: Her RSS akışı tanımı, gösterge tablosunda mevcut olması için etkinleştirmeniz gereken bir pencere öğesi sağlar. JumpToBoxes=Kuruluma Atla -> Widget'lar @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Güvenlik danışmanlığını burada bulabilirsini ModuleActivatedMayExposeInformation=Bu PHP uzantısı hassas verileri açığa çıkarabilir. İhtiyacınız yoksa devre dışı bırakın. ModuleActivatedDoNotUseInProduction=Geliştirme için tasarlanmış bir modül etkinleştirildi. Bunu bir üretim ortamında etkinleştirmeyin. CombinationsSeparator=Ürün kombinasyonları için ayırıcı karakter -SeeLinkToOnlineDocumentation=Örnekler için üst menüdeki çevrimiçi belgelere bağlantıya bakın +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=%s modülünün "%s" özelliği kullanılıyorsa, bir kitin alt ürünlerinin ayrıntılarını PDF'de gösterin. AskThisIDToYourBank=Bu kimliği almak için bankanızla iletişime geçin -AdvancedModeOnly=İzin yalnızca Gelişmiş izin modunda mevcuttur +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=Conf dosyası herhangi bir kullanıcı tarafından okunabilir veya yazılabilir. Yalnızca web sunucusu kullanıcısına ve grubuna izin verin. MailToSendEventOrganization=Etkinlik organizasyonu MailToPartnership=Partnership AGENDA_EVENT_DEFAULT_STATUS=Formdan bir olay oluştururken varsayılan olay durumu YouShouldDisablePHPFunctions=PHP işlevlerini devre dışı bırakmalısınız -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions NoWritableFilesFoundIntoRootDir=Kök dizininizde ortak programların yazılabilir dosyaları veya dizinleri bulunamadı (İyi) RecommendedValueIs=Önerilen: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook setup Settings = Ayarlar WebhookSetupPage = Webhook setup page ShowQuickAddLink=Show a button to quickly add an element in top right menu - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Hash used for ping ReadOnlyMode=Is instance in "Read Only" mode DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Will not work with all themes NoName=No name ShowAdvancedOptions= Show advanced options HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Use a password UseOauth=Use a OAUTH token Images=Images MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=The script is empty ShowHideTheNRequests=Show/hide the %s SQL request(s) DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2403,6 +2419,24 @@ Defaultfortype=Varsayılan DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Tamamlayıcı özellikler (şablon faturalar) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/tr_TR/bills.lang b/htdocs/langs/tr_TR/bills.lang index 0650a47edcc..7dbcc8f89b5 100644 --- a/htdocs/langs/tr_TR/bills.lang +++ b/htdocs/langs/tr_TR/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Müşteri nedeniyle ödeme yap DisabledBecauseRemainderToPayIsZero=Ödenmemiş kalan sıfır olduğundan devre dışı PriceBase=Base price BillStatus=Fatura durumu -StatusOfGeneratedInvoices=Oluşturulan faturaların durumu +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Taslak (doğrulanma gerektirir) BillStatusPaid=Ödenmiş BillStatusPaidBackOrConverted=Credit note refund or marked as credit available @@ -164,9 +164,10 @@ BillFrom=Kimden BillTo=Kime ShippingTo=Shipping to ActionsOnBill=Fatura üzerindeki eylemler +ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Şablon/Yinelenen fatura NoQualifiedRecurringInvoiceTemplateFound=Oluşturmak için gerekli nitelikte yinelenen fatura şablonu yok. -FoundXQualifiedRecurringInvoiceTemplate=Oluşturmak için gerekli nitelikte %s yinelenen fatura(lar) şablonu bulundu. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Bir yinelenen fatura şablonu değil NewBill=Yeni fatura LastBills=En son %s fatura @@ -184,7 +185,7 @@ SuppliersDraftInvoices=Tedarikçi taslak faturaları Unpaid=Ödenmemiş ErrorNoPaymentDefined=Error No payment defined ConfirmDeleteBill=Bu faturayı silmek istediğinizden emin misiniz? -ConfirmValidateBill=%s referanslı bu faturayı doğrulamak istediğiniz emin misiniz? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=%s faturasını taslak durumuna değiştirmek istediğinizden emin misiniz? ConfirmClassifyPaidBill=%s faturasının durumunu ödenmiş olarak değiştirmek istediğinizden emin misiniz? ConfirmCancelBill=%s faturasını iptal etmek istediğinizden emin misiniz? @@ -196,6 +197,7 @@ ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Kalan ödenmemiş tutar (%s %s) ödeme vadesinden önce ödendiğinden bir indirim olarak verilmiştir. Burada KDV sini kaybetmeyi kabul ediyorum. ConfirmClassifyPaidPartiallyReasonDiscountVat=Kalan bakiye (%s %s) ödeme vadesinden önce yapıldığından dolayı verilmiş bir indirimdr. KDV bir iade faturasıyla düzeltilir. ConfirmClassifyPaidPartiallyReasonBadCustomer=Kötü müşteri +ConfirmClassifyPaidPartiallyReasonBadSupplier=Bad vendor ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax ConfirmClassifyPaidPartiallyReasonProductReturned=Ürünler kısmen iade edildi @@ -208,13 +210,14 @@ ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Bu seçenek, bazı ürün ConfirmClassifyPaidPartiallyReasonBankChargeDesc=The unpaid amount is intermediary bank fees, deducted directly from the correct amount paid by the Customer. ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax ConfirmClassifyPaidPartiallyReasonOtherDesc=Use this choice if all others are not suitable, for example in following situation:
      - payment not complete because some products were shipped back
      - amount claimed too important because a discount was forgotten
      In all cases, amount over-claimed must be corrected in accountancy system by creating a credit note. +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=A bad supplier is a supplier we refuse to pay. ConfirmClassifyAbandonReasonOther=Diğer ConfirmClassifyAbandonReasonOtherDesc=Diğer bütün durumlarda bu seçenek kullanılacaktır. Örneğin; bir fatura değiştirmeyi tasarladığınızda. ConfirmCustomerPayment=Bu ödeme girişini %s %s için onaylıyor musunuz? ConfirmSupplierPayment=Bu ödeme girişini %s %s için onaylıyor musunuz? ConfirmValidatePayment=Bu ödemeyi doğrulamak istediğinizden emin misiniz? Ödeme doğrulandıktan sonra hiçbir değişiklik yapılamaz. ValidateBill=Fatura doğrula -UnvalidateBill=Faturadan doğrulamayı kaldır +UnvalidateBill=Invalidate invoice NumberOfBills=Fatura sayısı NumberOfBillsByMonth=Aylık fatura sayısı AmountOfBills=Faturaların tutarı @@ -247,12 +250,13 @@ RemainderToTake=Alınacak kalan tutar RemainderToTakeMulticurrency=Remaining amount to take, original currency RemainderToPayBack=Remaining amount to refund RemainderToPayBackMulticurrency=Remaining amount to refund, original currency +NegativeIfExcessReceived=negative if excess received NegativeIfExcessRefunded=negative if excess refunded +NegativeIfExcessPaid=negative if excess paid Rest=Bekleyen ödeme AmountExpected=İstenen tutar ExcessReceived=Fazla alınan ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received ExcessPaid=Fazla ödenen ExcessPaidMulticurrency=Excess paid, original currency EscompteOffered=Teklif edilen indirim (vadeden önce ödemede) @@ -330,8 +334,8 @@ DiscountFromExcessPaid=Payments in excess of invoice %s AbsoluteDiscountUse=Bu tür alacak fatura onaylanmadan önce faturada kullanılabilir CreditNoteDepositUse=Bu türde alacakları kullanmadan önce fatura doğrulanmış olmalıdır NewGlobalDiscount=Yeni mutlak indirim -NewSupplierGlobalDiscount=New supplier absolute discount -NewClientGlobalDiscount=New client absolute discount +NewSupplierGlobalDiscount=New absolute supplier discount +NewClientGlobalDiscount=New absolute client discount NewRelativeDiscount=Yeni göreceli indirim DiscountType=İndirim türü NoteReason=Not/Nedeni @@ -401,7 +405,7 @@ DateLastGenerationShort=En son oluşturma tarihi MaxPeriodNumber=Oluşturulacak maksimum fatura sayısı NbOfGenerationDone=Oluşturulmuş fatura sayısı NbOfGenerationOfRecordDone=Number of record generation already done -NbOfGenerationDoneShort=Number of generation done +NbOfGenerationDoneShort=Number of generations done MaxGenerationReached=Maksimum oluşturma sayısına ulaşıldı InvoiceAutoValidate=Faturaları otomatik olarak doğrula GeneratedFromRecurringInvoice=Şablondan oluşturulan yinelenen fatura %s @@ -558,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Yeni bir fatura şablonu oluşturmak için PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Fatura PDF şablonu Crevette. Durum faturaları için eksiksiz bir fatura şablonu -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=$syymm ile başlayan bir fatura hali hazırda vardır ve bu sıra dizisi için uygun değildir. Bu modülü etkinleştirmek için onu kaldırın ya da adını değiştirin. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Early closing reason EarlyClosingComment=Early closing note ##### Types de contacts ##### @@ -638,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Maaşlar +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Maaş +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/tr_TR/categories.lang b/htdocs/langs/tr_TR/categories.lang index 62bedb13ee2..d7813ffb379 100644 --- a/htdocs/langs/tr_TR/categories.lang +++ b/htdocs/langs/tr_TR/categories.lang @@ -102,4 +102,5 @@ ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories KnowledgemanagementsCategoriesArea=KM article Categories UseOrOperatorForCategories=Use 'OR' operator for categories -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Assign to the category +Position=Konum diff --git a/htdocs/langs/tr_TR/products.lang b/htdocs/langs/tr_TR/products.lang index 2c0ea276dad..0e6f3bb91dc 100644 --- a/htdocs/langs/tr_TR/products.lang +++ b/htdocs/langs/tr_TR/products.lang @@ -80,8 +80,11 @@ SoldAmount=Satılan tutar PurchasedAmount=Satınalınan tutar NewPrice=Yeni fiyat MinPrice=Min. selling price +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=En düş. satış fiyatı (vergi dahil) EditSellingPriceLabel=Satış fiyatı etiketini düzenle -CantBeLessThanMinPrice=Satış fiyatı bu ürün için izin verilen en düşük fiyattan az olamaz (%s vergi hariç). Bu mesaj, çok fazla indirim yaparsanız da belirir. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Kapalı ErrorProductAlreadyExists=%s Referanslı bir ürün zaten var var. ErrorProductBadRefOrLabel=Referans veya etiket için yanlış değer. @@ -347,16 +350,17 @@ UseProductFournDesc=Add a feature to define the product description defined by t ProductSupplierDescription=Ürün için tedarikçi açıklaması UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=You will automaticaly purchase a multiple of this quantity. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging #Attributes +Attributes=Öznitelikleri VariantAttributes=Değişken öznitelikleri ProductAttributes=Ürünler için değişken öznitelikleri ProductAttributeName=Değişken özniteliği %s ProductAttribute=Değişken özniteliği ProductAttributeDeleteDialog=Bu özniteliği silmek istediğinizden min misiniz? Tüm değerler silinecektir. -ProductAttributeValueDeleteDialog=Bu niteliğin "%s" değerini ("%s" referanslı) silmek istediğinize emin misiniz? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog="%s"ürününün varyantını silmek istediğinizden emin misiniz? ProductCombinationAlreadyUsed=Varyantı silirken bir hata oluştu. Lütfen herhangi bir nesnede kullanılmadığını kontrol edin ProductCombinations=Değişkenler @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Mevcut ürün varyantlarını silmeye çalışır NbOfDifferentValues=Farklı değerlerin sayısı NbProducts=Ürün sayısı ParentProduct=Ana ürün +ParentProductOfVariant=Parent product of variant HideChildProducts=Değişken ürünleri sakla ShowChildProducts=Varyant ürünlerini göster NoEditVariants=Ana ürün kartına gidin ve değişkenler sekmesinden değişkenin fiyata olan etkisini düzenleyin @@ -417,7 +422,7 @@ ErrorsProductsMerge=Errors in products merge SwitchOnSaleStatus=Switch on sale status SwitchOnPurchaseStatus=Switch on purchase status UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Extra Fields (stock mouvement) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Extra Fields (inventory) ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes PuttingPricesUpToDate=Update prices with current known prices @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Select the extrafield you want modify ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? ModifyValueExtrafields = Modify value of an extrafield OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/tr_TR/projects.lang b/htdocs/langs/tr_TR/projects.lang index 3cc6cb2b9aa..1e48495dc27 100644 --- a/htdocs/langs/tr_TR/projects.lang +++ b/htdocs/langs/tr_TR/projects.lang @@ -23,6 +23,7 @@ TasksPublicDesc=Bu görünüm okuma izininiz olan tüm projeleri ve görevleri i TasksDesc=Bu görünüm tüm projeleri ve görevleri içerir (size verilen kullanıcı izinleri her şeyi görmenizi sağlar). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. +ImportDatasetProjects=Projects or opportunities ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=Yeni proje @@ -32,19 +33,23 @@ DeleteATask=Bir görev sil ConfirmDeleteAProject=Bu projeyi silmek istediğinizden emin misiniz? ConfirmDeleteATask=Bu görevi silmek istediğinizden emin misiniz? OpenedProjects=Açık projeler +OpenedProjectsOpportunities=Open opportunities OpenedTasks=Açık görevler OpportunitiesStatusForOpenedProjects=Leads amount of open projects by status OpportunitiesStatusForProjects=Leads amount of projects by status ShowProject=Proje göster ShowTask=Görev göster +SetThirdParty=Set third party SetProject=Proje ayarla +OutOfProject=Out of project NoProject=Tanımlı ya da sahip olunan hiçbir proje yok NbOfProjects=Number of projects NbOfTasks=Number of tasks +TimeEntry=Time tracking TimeSpent=Harcanan süre +TimeSpentSmall=Harcanan süre TimeSpentByYou=Tarafınızdan harcanan süre TimeSpentByUser=Kullanıcı tarafından harcanan süre -TimesSpent=Harcanan süre TaskId=Task ID RefTask=Task ref. LabelTask=Task label @@ -78,7 +83,7 @@ MyProjectsArea=Projelerim Alanı DurationEffective=Etken süre ProgressDeclared=Declared real progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Mevcut açık görevler +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption ProgressCalculated=Progress on consumption @@ -118,11 +123,12 @@ TaskHasChild=Task has child NotOwnerOfProject=Bu özel projenin sahibi değil AffectedTo=Tahsis edilen CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=Proje doğrula +ValidateProject=Validate project ConfirmValidateProject=Bu projeyi doğrulamak istediğinizden emin misiniz? CloseAProject=Proje kapat ConfirmCloseAProject=Bu projeyi kapatmak istediğinizden emin misiniz? -AlsoCloseAProject=Also close project (keep it open if you still need to follow production tasks on it) +AlsoCloseAProject=Also close project +AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it ReOpenAProject=Proje aç ConfirmReOpenAProject=Bu projeyi tekrar açmak istediğinizden emin misiniz? ProjectContact=Proje ilgilileri @@ -165,7 +171,7 @@ OpportunityProbability=Lead probability OpportunityProbabilityShort=Lead probab. OpportunityAmount=Lead amount OpportunityAmountShort=Lead amount -OpportunityWeightedAmount=Opportunity weighted amount +OpportunityWeightedAmount=Amount of opportunity, weighted by probability OpportunityWeightedAmountShort=Opp. weighted amount OpportunityAmountAverageShort=Average lead amount OpportunityAmountWeigthedShort=Weighted lead amount @@ -198,7 +204,7 @@ InputPerMonth=Input per month InputDetail=Giriş detayı TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s ProjectsWithThisUserAsContact=İlgili olarak bu kullanıcı olan projeler -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=Projects with this third-party contact TasksWithThisUserAsContact=Bu kullanıcıya atanmış görevler ResourceNotAssignedToProject=Projeye atanmamış ResourceNotAssignedToTheTask=Bu göreve atanmamış @@ -221,7 +227,7 @@ ProjectsStatistics=Statistics on projects or leads TasksStatistics=Statistics on tasks of projects or leads TaskAssignedToEnterTime=Atanan görevler. Bu göreve süre girmek mümkün olmalı. IdTaskTime=Görev zamanı kimliği -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Open projects by third parties OnlyOpportunitiesShort=Only leads OpenedOpportunitiesShort=Open leads @@ -233,12 +239,12 @@ OpportunityPonderatedAmountDesc=Leads amount weighted with probability OppStatusPROSP=Araştırma OppStatusQUAL=Nitelendirme OppStatusPROPO=Teklif -OppStatusNEGO=Pazarlık +OppStatusNEGO=Negotiation OppStatusPENDING=Beklemede OppStatusWON=Kazanç OppStatusLOST=Kayıp Budget=Bütçe -AllowToLinkFromOtherCompany=Allow to link project from other company

      Supported values:
      - Keep empty: Can link any project of the company (default)
      - "all": Can link any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
      +AllowToLinkFromOtherCompany=Allow to link an element with a project of other company

      Supported values:
      - Keep empty: Can link elements with any projects in the same company (default)
      - "all": Can link elements with any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link elements with any projects of these third partys (Example: 123,4795,53)
      LatestProjects=Son %s proje LatestModifiedProjects=Değiştirilen son %s proje OtherFilteredTasks=Diğer filtrelenmiş görevler @@ -255,11 +261,12 @@ RecordsClosed=%s project(s) closed SendProjectRef=Information project %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized NewTaskRefSuggested=Task ref already used, a new task ref is required +NumberOfTasksCloned=%s task(s) cloned TimeSpentInvoiced=Time spent billed TimeSpentForIntervention=Harcanan süre TimeSpentForInvoice=Harcanan süre OneLinePerUser=Kullanıcı başına bir satır -ServiceToUseOnLines=Service to use on lines +ServiceToUseOnLines=Service to use on lines by default InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. @@ -282,7 +289,7 @@ ProfitIsCalculatedWith=Profit is calculated using AddPersonToTask=Add also to tasks UsageOrganizeEvent=Usage: Event Organization PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks at 100 %% progress won't be affected: you will have to close them manually. This option only affects open projects. +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them ProjectTasksWithoutTimeSpent=Project tasks without time spent FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. @@ -294,3 +301,4 @@ EnablePublicLeadForm=Enable the public form for contact NewLeadbyWeb=Your message or request has been recorded. We will answer or contact your soon. NewLeadForm=New contact form LeadFromPublicForm=Online lead from public form +ExportAccountingReportButtonLabel=Get report diff --git a/htdocs/langs/tr_TR/propal.lang b/htdocs/langs/tr_TR/propal.lang index c6c30305ef6..80f288d3bb8 100644 --- a/htdocs/langs/tr_TR/propal.lang +++ b/htdocs/langs/tr_TR/propal.lang @@ -12,9 +12,11 @@ NewPropal=Yeni teklif Prospect=Aday DeleteProp=Teklif sil ValidateProp=Teklif doğrula +CancelPropal=İptal AddProp=Teklif oluştur ConfirmDeleteProp=Bu teklifi silmek istediğinizden emin misiniz? ConfirmValidateProp=Bu teklifi %s adı altında onaylamak istediğinizden emin misiniz? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Son %s teklif LastModifiedProposals=Değiştirilen son %s teklif AllPropals=Tüm teklifler @@ -27,11 +29,13 @@ NbOfProposals=Teklif sayısı ShowPropal=Teklif göster PropalsDraft=Taslaklar PropalsOpened=Açık +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Taslak (doğrulanması gerekir) PropalStatusValidated=Doğrulanmış (teklif açıktır) PropalStatusSigned=İmzalı (faturalanacak) PropalStatusNotSigned=İmzalanmamış (kapalı) PropalStatusBilled=Faturalanmış +PropalStatusCanceledShort=İptal edildi PropalStatusDraftShort=Taslak PropalStatusValidatedShort=Doğrulanmış (açık) PropalStatusClosedShort=Kapalı @@ -55,6 +59,7 @@ CopyPropalFrom=Varolan teklifi kopyalayarak teklif oluştur CreateEmptyPropal=Boş veya Ürünler/Hizmetler listesinden teklif oluştur DefaultProposalDurationValidity=Varsayılan teklif geçerlilik süresi (gün olarak) DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address ConfirmClonePropal=%s teklifinin kopyasını oluşturmak istediğinizden emin misiniz? ConfirmReOpenProp=%s teklifini tekrar açmak istediğinizden emin misiniz ? @@ -113,6 +118,7 @@ RefusePropal=Teklifi reddet Sign=Sign SignContract=Sign contract SignFichinter=Sign intervention +SignSociete_rib=Sign mandate SignPropal=Accept proposal Signed=signed SignedOnly=Sadece imzalı diff --git a/htdocs/langs/tr_TR/sendings.lang b/htdocs/langs/tr_TR/sendings.lang index 2e8a66283cf..b8fddcb53f3 100644 --- a/htdocs/langs/tr_TR/sendings.lang +++ b/htdocs/langs/tr_TR/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Doğrulanmış StatusSendingProcessedShort=İşlenmiş SendingSheet=Sevkiyat tablosu ConfirmDeleteSending=Bu sevkiyatı silmek istediğinizden emin misiniz? -ConfirmValidateSending=%s referanslı bu gönderiyi doğrulamak istediğiniz emin misiniz? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Bu gönderiyi iptal etmek istediğinizden emin misiniz? DocumentModelMerou=Merou A5 modeli WarningNoQtyLeftToSend=Uyarı, sevkiyat için bekleyen herhangi bir ürün yok. @@ -48,7 +48,7 @@ DateDeliveryPlanned=Teslimat için planlanan tarih RefDeliveryReceipt=Teslimat makbuzu referansı StatusReceipt=Status delivery receipt DateReceived=Teslim alınan tarih -ClassifyReception=Classify reception +ClassifyReception=Classify Received SendShippingByEMail=Sevkiyatı e-posta ile gönder SendShippingRef=% Nakliyatının yapılması ActionsOnShipping=Sevkiyattaki etkinlikler @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase NoProductToShipFoundIntoStock=No product to ship found in warehouse %s. Correct stock or go back to choose another warehouse. WeightVolShort=Ağırlık/Hac. ValidateOrderFirstBeforeShipment=Sevkiyatları yapabilmek için önce siparişi doğrulamlısınız. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,3 +75,12 @@ SumOfProductWeights=Ürün ağırlıkları toplamı # warehouse details DetailWarehouseNumber= Depo ayrıntıları DetailWarehouseFormat= W:%s (Qty: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation + +ShipmentDistribution=Shipment distribution + +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/tr_TR/withdrawals.lang b/htdocs/langs/tr_TR/withdrawals.lang index f80bb820bdb..fd86426c9f6 100644 --- a/htdocs/langs/tr_TR/withdrawals.lang +++ b/htdocs/langs/tr_TR/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Make a credit transfer request WithdrawRequestsDone=%s direct debit payment requests recorded BankTransferRequestsDone=%s credit transfer requests recorded ThirdPartyBankCode=Üçüncü parti banka kodu -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. ClassCredited=Alacak olarak sınıflandır ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Dernek için bir para çekme reddedilme işlemi girmek RefusedData=Ret Tarihi RefusedReason=Ret nedeni RefusedInvoicing=Rettin faturalandırılması -NoInvoiceRefused=Reddi borç yazmayın -InvoiceRefused=Fatura reddedildi (Reddedileni müşterinin hesabına yaz) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debit/credit StatusWaiting=Bekliyor StatusTrans=Gönderildi @@ -103,7 +106,7 @@ ShowWithdraw=Show Direct Debit Order IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Debit order file @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Zorunlu imza tarihi RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Otomatik ödeme modu (FRST veya RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Amount of Direct debit request: BankTransferAmount=Amount of Credit Transfer request: WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Banka Hesap Adınız (IBAN) SEPAFormYourBIC=Banka Kimlik Kodunuz (BIC) SEPAFrstOrRecur=Ödeme türü ModeRECUR=Yinelenen ödeme +ModeRCUR=Yinelenen ödeme ModeFRST=Bir kerelik ödeme PleaseCheckOne=Please check one only CreditTransferOrderCreated=Credit transfer order %s created @@ -155,9 +159,16 @@ InfoTransData=Tutarı: %s
      Yöntemi: %s
      Tarihi: %s InfoRejectSubject=Direct debit payment order refused InfoRejectMessage=Merhaba,

      fatura %s, ait olduğu firma %s, tutarı %s olan otomatik ödeme talimatı banka tarafından reddedilmiştir.
      -
      --
      %s ModeWarning=Gerçek mod için seçenek ayarlanmamış, bu simülasyondan sonra durdururuz -ErrorCompanyHasDuplicateDefaultBAN=%s kimlik numaralı şirket birden fazla varsayılan banka hesabına sahip. Hangisini kullanacağını bilme imkanı yok. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Missing ICS in Bank account %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Maaş +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/tr_TR/workflow.lang b/htdocs/langs/tr_TR/workflow.lang index 333c51646f6..a04924ec1e7 100644 --- a/htdocs/langs/tr_TR/workflow.lang +++ b/htdocs/langs/tr_TR/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Bir sözleşme doğrulandıktan sonra k descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Bir müşteri siparişinin kapatılmasının ardından otomatik olarak müşteri faturası oluştur (yeni fatura sipariş ile aynı tutara sahip olacaktır) descWORKFLOW_TICKET_CREATE_INTERVENTION=On ticket creation, automatically create an intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Müşteri siparişi "faturalandı" olarak ayarlandığında (ve siparişin tutarı imzalanmış olan bağlantılı teklifin toplam tutarı ile aynı ise) bağlantılı kaynak teklifi de "faturalandı" olarak sınıflandır -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Müşteri faturası doğrulandığında (ve faturanın tutarı imzalanmış olan bağlantılı teklifin toplam tutarı ile aynı ise) bağlantılı kaynak teklifi "faturalandı" olarak sınıflandır -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Müşteri faturası doğrulandığında (ve faturanın tutarı bağlantılı siparişin toplam tutarı ile aynı ise) bağlantılı kaynak müşteri siparişini "faturalandı" olarak sınıflandır -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Bir sevkiyat doğrulandığında (ve tüm sevkiyatlardan sonra sevk edilen miktar siparişteki miktar ile aynı ise) bağlantılı kaynak müşteri siparişini "sevk edildi" olarak sınıflandır +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classify linked source sales order as shipped when a shipment is closed (and if the quantity shipped by all shipments is the same as in the order to update) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Tedarikçi faturası doğrulandığında (ve faturanın tutarı bağlantılı teklifin toplam tutarı ile aynı ise) bağlantılı kaynak tedarikçi teklifini "faturalandı" olarak sınıflandır +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Tedarikçi faturası doğrulandığında (ve faturanın tutarı bağlantılı siparişin toplam tutarı ile aynı ise) bağlantılı kaynak tedarikçi siparişini "faturalandı" olarak sınıflandır +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Classify linked source purchase order as received when a reception is validated (and if the quantity received by all receptions is the same as in the purchase order to update) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Classify linked source purchase order as received when a reception is closed (and if the quantity received by all rceptions is the same as in the purchase order to update) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link available contracts of matching thirdparty +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=When linking contracts, search among those of parents companies # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed AutomaticCreation=Otomatik oluşturma AutomaticClassification=Otomatik sınıflandırma -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Automatic closing AutomaticLinking=Automatic linking diff --git a/htdocs/langs/uk_UA/accountancy.lang b/htdocs/langs/uk_UA/accountancy.lang index 8dced5ad2fb..e951e02472e 100644 --- a/htdocs/langs/uk_UA/accountancy.lang +++ b/htdocs/langs/uk_UA/accountancy.lang @@ -14,8 +14,8 @@ ACCOUNTING_EXPORT_ENDLINE=Виберіть тип перенесення ряд ACCOUNTING_EXPORT_PREFIX_SPEC=Задати префікс для назви файлу ThisService=Ця послуга ThisProduct=Цей товар -DefaultForService=Default for services -DefaultForProduct=Default for products +DefaultForService=За замовчуванням для обслуговування +DefaultForProduct=За замовчуванням для продуктів ProductForThisThirdparty=Продукт для цієї третьої сторони ServiceForThisThirdparty=Сервіс для цієї третьої сторони CantSuggest=Не можу запропонувати @@ -41,7 +41,7 @@ AlreadyInGeneralLedger=Вже переведено в бухгалтерські NotYetInGeneralLedger=Ще не переведено в бухгалтерські журнали та бухгалтерську книгу GroupIsEmptyCheckSetup=Група порожня, перевірте налаштування персоніфікованої облікової групи DetailByAccount=Показати відомості по рахунку -DetailBy=Detail by +DetailBy=Деталі за AccountWithNonZeroValues=Рахунки з ненульовими значеннями ListOfAccounts=Список рахунків CountriesInEEC=Країни ЄЕС @@ -52,31 +52,30 @@ AccountantFiles=Експортувати вихідні документи ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). ExportAccountingSourceDocHelp2=Щоб експортувати свої журнали, використовуйте пункт меню %s - %s. ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +ExportAccountancy=Облік експорту +WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported, click on the button above. VueByAccountAccounting=Переглянути за обліковим записом VueBySubAccountAccounting=Перегляд за бухгалтерським субрахунком -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup +MainAccountForCustomersNotDefined=Основний обліковий запис (з Плану рахунків) для клієнтів, не визначений у налаштуваннях MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup -UserAccountNotDefined=Accounting account for user not defined in setup +UserAccountNotDefined=Бухгалтерський рахунок для користувача, не визначений у налаштуваннях AccountancyArea=Зона обліку AccountancyAreaDescIntro=Використання облікового модуля здійснюється в декілька кроків: AccountancyAreaDescActionOnce=Наступні дії зазвичай виконуються лише один раз або раз на рік... -AccountancyAreaDescActionOnceBis=Наступні кроки слід зробити, щоб заощадити ваш час у майбутньому, запропонувавши вам автоматично правильний обліковий запис за замовчуванням під час передачі даних в обліку +AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automatically the correct default accounting account when transferring data in accounting AccountancyAreaDescActionFreq=Наступні кроки зазвичай виконуються раз на місяць, раз на тиждень або раз на день для дуже великих компаній... AccountancyAreaDescJournalSetup=КРОК %s: Перевірте вміст свого списку журналів у меню %s AccountancyAreaDescChartModel=КРОК %s: Перевірте наявність моделі плану рахунків або створіть її з меню %s AccountancyAreaDescChart=КРОК %s: Виберіть та|або заповніть план рахунків у меню %s +AccountancyAreaDescFiscalPeriod=STEP %s: Define a fiscal year by default on which to integrate your accounting entries. For this, use the menu entry %s. AccountancyAreaDescVat=КРОК %s: Визначте облікові рахунки для кожної Ставки ПДВ. Для цього скористайтеся пунктом меню %s. AccountancyAreaDescDefault=КРОК %s: Визначте облікові рахунки за замовчуванням. Для цього скористайтеся пунктом меню %s. AccountancyAreaDescExpenseReport=КРОК %s: Визначте облікові рахунки за замовчуванням для кожного типу звіту про витрати. Для цього скористайтеся пунктом меню %s. @@ -84,17 +83,18 @@ AccountancyAreaDescSal=КРОК %s: Визначте рахунки бухгал AccountancyAreaDescContrib=КРОК %s: Визначте рахунки бухгалтерського обліку за замовчуванням для податків (спеціальних витрат). Для цього скористайтеся пунктом меню %s. AccountancyAreaDescDonation=КРОК %s: Визначте облікові рахунки за замовчуванням для пожертв. Для цього скористайтеся пунктом меню %s. AccountancyAreaDescSubscription=КРОК %s: Визначте облікові записи за замовчуванням для підписки членів. Для цього скористайтеся пунктом меню %s. -AccountancyAreaDescMisc=КРОК %s: Визначте обов'язковий рахунок за замовчуванням і рахунки обліку за замовчуванням для різних операцій. Для цього скористайтеся пунктом меню %s. +AccountancyAreaDescMisc=STEP %s: Define mandatory default accounts and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. AccountancyAreaDescLoan=КРОК %s: Визначте рахунки обліку за замовчуванням для позик. Для цього скористайтеся пунктом меню %s. AccountancyAreaDescBank=КРОК %s: Визначте облікові рахунки та код журналу для кожного банку та фінансових рахунків. Для цього скористайтеся пунктом меню %s. AccountancyAreaDescProd=КРОК %s: Визначте облікові рахунки у своїх Продуктах/Послугах. Для цього скористайтеся пунктом меню %s. AccountancyAreaDescBind=КРОК %s: Перевірте, чи виконано зв’язування між наявними рядками %s та обліковим рахунком, тому програма зможе реєструвати транзакції в Ledger одним клацанням миші. Повністю відсутні прив’язки. Для цього скористайтеся пунктом меню %s. -AccountancyAreaDescWriteRecords=КРОК %s: Запишіть транзакції до книги. Для цього перейдіть до меню %s і натисніть кнопку %s a0a65dc07z. +AccountancyAreaDescWriteRecords=КРОК %s: Запишіть транзакції до книги. Для цього перейдіть до меню %s і натисніть кнопку %s . AccountancyAreaDescAnalyze=КРОК %s: Додайте або відредагуйте наявні транзакції та створіть звіти та експортуйте. AccountancyAreaDescClosePeriod=КРОК %s: Закрийте період, щоб ми не могли вносити зміни в майбутньому. +TheFiscalPeriodIsNotDefined=A mandatory step in setup has not been completed (Fiscal period is not defined) TheJournalCodeIsNotDefinedOnSomeBankAccount=Обов’язковий крок налаштування не виконано (журнал облікових кодів не визначено для всіх банківських рахунків) Selectchartofaccounts=Виберіть активний план рахунків ChangeAndLoad=Змінити і завантажити @@ -134,7 +134,7 @@ WriteBookKeeping=Записати операції в бухгалтерсько Bookkeeping=Головна книга BookkeepingSubAccount=Підкнига AccountBalance=Баланс -AccountBalanceSubAccount=Sub-accounts balance +AccountBalanceSubAccount=Баланс субрахунків ObjectsRef=Посилання на вихідний об'єкт CAHTF=Загальна сума закупівлі постачальника до оподаткування TotalExpenseReport=Звіт про загальні витрати @@ -171,21 +171,23 @@ ACCOUNTING_MANAGE_ZERO=Дозволяє керувати різною кільк BANK_DISABLE_DIRECT_INPUT=Вимкнути прямий запис транзакції на банківському рахунку ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Увімкнути експорт чернетки в журналі ACCOUNTANCY_COMBO_FOR_AUX=Увімкнути комбінований список для дочірнього облікового запису (може працювати повільно, якщо у вас багато третіх сторін, порушує можливість пошуку на частині вартості) -ACCOUNTING_DATE_START_BINDING=Визначте дату початку зв’язування та перенесення в бухгалтерію. Нижче цієї дати операції не будуть передані до бухгалтерського обліку. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_DATE_START_BINDING=Disable binding & transfer in accountancy when date is below this date (the transactions before this date will be excluded by default) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On the page to transfer data into accountancy, what is the period selected by default ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal -ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal +ACCOUNTING_MISCELLANEOUS_JOURNAL=Загальний журнал ACCOUNTING_HAS_NEW_JOURNAL=Має новий журнал -ACCOUNTING_INVENTORY_JOURNAL=Inventory journal -ACCOUNTING_SOCIAL_JOURNAL=Social journal +ACCOUNTING_INVENTORY_JOURNAL=Журнал інвентаризації +ACCOUNTING_SOCIAL_JOURNAL=Соціальний журнал ACCOUNTING_RESULT_PROFIT=Облік результатів (прибуток) ACCOUNTING_RESULT_LOSS=Облік результатів (збиток) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Журнал закриття +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Accounting groups used for the balance sheet account (separate by comma) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Accounting groups used for the income statement (separate by comma) ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers TransitionalAccount=Перехідний рахунок банківського переказу @@ -227,8 +229,8 @@ Codejournal=Journal JournalLabel=Етикетка журналу NumPiece=Номер штуки TransactionNumShort=Кількість транзакції -AccountingCategory=Custom group of accounts -AccountingCategories=Custom groups of accounts +AccountingCategory=Спеціальна група облікових записів +AccountingCategories=Спеціальні групи облікових записів GroupByAccountAccounting=Групувати за рахунками Головної книги GroupBySubAccountAccounting=Групувати за рахунками підкниги AccountingAccountGroupsDesc=Тут можна визначити кілька груп облікових рахунків. Вони будуть використовуватися для персоніфікованих бухгалтерських звітів. @@ -245,7 +247,7 @@ ConfirmDeleteMvt=Це призведе до видалення всіх рядк ConfirmDeleteMvtPartial=Це призведе до видалення транзакції з бухгалтерського обліку (будуть видалені всі рядки, пов’язані з тією ж операцією) FinanceJournal=Finance journal ExpenseReportsJournal=Журнал звітів про витрати -InventoryJournal=Inventory journal +InventoryJournal=Журнал інвентаризації DescFinanceJournal=Finance journal including all the types of payments by bank account DescJournalOnlyBindedVisible=Це подання записів, які прив’язані до бухгалтерського рахунку і можуть бути записані в Журнали та Головну книгу. VATAccountNotDefined=Рахунок ПДВ не визначено @@ -290,7 +292,7 @@ DescVentilDoneCustomer=Consult here the list of the lines of invoices customers DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transferred in accountancy are visible) DescVentilDoneSupplier=Ознайомтеся зі списком рядків рахунків-фактур постачальників та їх бухгалтерського обліку DescVentilTodoExpenseReport=Прив’язати рядки звіту про витрати, які ще не зв’язані з рахунком обліку комісій DescVentilExpenseReport=Ознайомтеся зі списком рядків звіту про витрати, прив’язаних (або ні) до рахунку обліку комісій @@ -298,8 +300,8 @@ DescVentilExpenseReportMore=Якщо ви налаштуєте рахунок б DescVentilDoneExpenseReport=Ознайомтеся з переліком рядків звітів про витрати та їх обліковим рахунком Closure=Щорічне закриття -DescClosure=Consult here the number of movements by month not yet validated & locked -OverviewOfMovementsNotValidated=Огляд переміщень не підтверджених і заблокованих +AccountancyClosureStep1Desc=Consult here the number of movements by month not yet validated & locked +OverviewOfMovementsNotValidated=Overview of movements not validated and locked AllMovementsWereRecordedAsValidated=Усі рухи були зафіксовані як підтверджені та заблоковані NotAllMovementsCouldBeRecordedAsValidated=Не всі переміщення можна записати як підтверджені та заблоковані ValidateMovements=Validate and lock movements @@ -352,12 +354,14 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Вимкнути прив'язку та ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Вимкнути прив'язку та перенесення в бухгалтерії у звітах про витрати (звіти про витрати не враховуватимуться в бухгалтерії) ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. +EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigorous accounting management. ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not chosen by the end user +ACCOUNTING_LETTERING_NBLETTERS=Number of letters when generating lettering code (default 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Some accounting software only accepts a two-letter code. This parameter allows you to set this aspect. The default number of letters is three. OptionsAdvanced=Advanced options ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transferred into accountancy differently: A additional debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. ## Export NotExportLettering=Do not export the lettering when generating the file @@ -420,7 +424,7 @@ SaleLocal=Місцевий розпродаж SaleExport=Продаж на експорт SaleEEC=Продаж в ЄЕС SaleEECWithVAT=Продаж в ЄЕС з ПДВ не є нульовим, тому ми припускаємо, що це НЕ внутрішньокомунальний продаж, а запропонований обліковий запис є стандартним рахунком продукту. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of third party is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the third party, or change the product account suggested for binding if needed. ForbiddenTransactionAlreadyExported=Заборонено: трансакцію підтверджено та/або експортовано. ForbiddenTransactionAlreadyValidated=Заборонено: трансакцію підтверджено. ## Dictionary @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Неузгодження не змінене AccountancyOneUnletteringModifiedSuccessfully=Одне неузгодження успішно змінено AccountancyUnletteringModifiedSuccessfully=%s неузгодженнь успішно змінено +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock movements +AccountancyClosureStep2=Step 2 : Close fiscal period +AccountancyClosureStep3=Step 3 : Extract entries (Optional) +AccountancyClosureClose=Close fiscal period +AccountancyClosureAccountingReversal=Extract entries +AccountancyClosureStep3NewFiscalPeriod=Next fiscal period +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "has-new" entry on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "has-new" entry, detail the sub-ledger accounts +AccountancyClosureCloseSuccessfully=Fiscal period has been closed successfully +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping records has been inserted successfully + ## Confirm box ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? ConfirmMassDeleteBookkeepingWriting=Підтвердження масового видалення ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +AccountancyClosureConfirmClose=Are you sure you want to close the current fiscal period ? You understand that closing the fiscal period is an irreversible action and will permanently block any modification or deletion of entries over this period. +AccountancyClosureConfirmAccountingReversal=Are you sure you want to accounting reversal ? ## Error SomeMandatoryStepsOfSetupWereNotDone=Деякі обов’язкові кроки налаштування не були виконані, будь ласка, виконайте їх -ErrorNoAccountingCategoryForThisCountry=Немає доступної групи облікових записів для країни %s (Див. Головну сторінку - Налаштування - Словники) +ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Ви намагаєтеся зареєструвати деякі рядки рахунка-фактури %s , але деякі інші рядки ще не прив’язані до бухгалтерського рахунку. Журналізувати всі рядки рахунків-фактур для цього рахунка-фактури відмовлено. ErrorInvoiceContainsLinesNotYetBoundedShort=Деякі рядки в рахунку-фактурі не прив’язані до бухгалтерського рахунку. ExportNotSupported=Налаштований формат експорту не підтримується на цій сторінці @@ -465,6 +483,9 @@ AccountancyErrorMismatchBalanceAmount=Залишок (%s) не дорівнює AccountancyErrorLetteringBookkeeping=Сталися помилки щодо транзакцій: %s ErrorAccountNumberAlreadyExists=The accounting number %s already exists ErrorArchiveAddFile=Can't put "%s" file in archive +ErrorNoFiscalPeriodActiveFound=No active fiscal period found +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=The bookkeeping doc date is not inside the active fiscal period +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=The bookkeeping doc date is inside a closed fiscal period ## Import ImportAccountingEntries=Бухгалтерські проводки diff --git a/htdocs/langs/uk_UA/admin.lang b/htdocs/langs/uk_UA/admin.lang index 7d3578e5ef2..c65f4022b65 100644 --- a/htdocs/langs/uk_UA/admin.lang +++ b/htdocs/langs/uk_UA/admin.lang @@ -227,6 +227,8 @@ NotCompatible=Цей модуль не сумісний з вашою версі CompatibleAfterUpdate=Цей модуль вимагає оновлення версії Dolibarr до %s (Мін %s - Макс %s). SeeInMarkerPlace=Дивіться у магазині SeeSetupOfModule=Див. налаштування модуля %s +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=Установіть параметр %s на %s Updated=Оновлено AchatTelechargement=Придбати / завантажити @@ -292,22 +294,22 @@ EmailSenderProfiles=Профілі надсилання ел. пошти EMailsSenderProfileDesc=Ви можете залишати цей розділ порожнім. Якщо ви введете тут деякі повідомлення електронної пошти, вони будуть додані до списку можливих відправників під час написання нового електронного листа. MAIN_MAIL_SMTP_PORT=Порт SMTP/SMTPS (значення за замовчуванням у php.ini: %s ) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS сервер (значення за замовчуванням у php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Порт SMTP/SMTPS (Не визначено в PHP для Unix-подібних систем) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS сервер (Не визначено в PHP для Unix-подібних систем) -MAIN_MAIL_EMAIL_FROM=Відправник електронної пошти для автоматичних електронних листів (значення за замовчуванням у php.ini: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS порт +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS хост +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=Електронний лист, який використовується для повернення повідомлень про помилку (поле "Errors-To" в надісланих електронних листах) MAIN_MAIL_AUTOCOPY_TO= Копія (Bcc) усіх листів надсилати до MAIN_DISABLE_ALL_MAILS=Вимкнути надсилання всіх електронної пошти (для тестових цілей або демонстрацій) MAIN_MAIL_FORCE_SENDTO=Надіслати всі електронні листи до (замість реальних одержувачів, для тестових цілей) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Пропонувати електронні адреси працівників (якщо їх визначено) у списку попередньо визначених одержувачів під час написання нового електронного листа -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=Спосіб надсилання електронної пошти MAIN_MAIL_SMTPS_ID=SMTP-ідентифікатор (якщо для надсилання сервер вимагає автентифікації) MAIN_MAIL_SMTPS_PW=Пароль SMTP (якщо для надсилання сервер вимагає автентифікації) MAIN_MAIL_EMAIL_TLS=Використовувати шифрування TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Використовувати шифрування TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Авторизуйте auto-signés les certificats +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorize self-signed certificates MAIN_MAIL_EMAIL_DKIM_ENABLED=Використовувати DKIM для створення підпису електронної пошти MAIN_MAIL_EMAIL_DKIM_DOMAIN=Домен електронної пошти для використання з dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Ім'я селектора dkim @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Приватний ключ для підпис MAIN_DISABLE_ALL_SMS=Вимкнути надсилання всіх SMS (для тестових цілей або демонстрацій) MAIN_SMS_SENDMODE=Спосіб що використовується для надсилання SMS MAIN_MAIL_SMS_FROM=Номер телефону відправника за замовчуванням для надсилання SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Електронна адреса відправника за замовчуванням для ручного надсилання (Електронна адреса користувача або компанії) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=Електронна пошта користувача CompanyEmail=Корпоративна електронна пошта FeatureNotAvailableOnLinux=Функція недоступна в Unix-системах. Протестуйте свою програму sendmail локально. @@ -417,6 +419,7 @@ PDFLocaltax=Правило для %s HideLocalTaxOnPDF=Сховати значення %sв колонці податків та зборів HideDescOnPDF=Сховати опис товарів HideRefOnPDF=Сховати характеристики товарів +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=Приховати деталі лінійки продуктів PlaceCustomerAddressToIsoLocation=Використовувати французький стандарт (La Poste) розміщення для адрес контрагентів Library=Бібліотека @@ -424,7 +427,7 @@ UrlGenerationParameters=Параметри безпеки URL SecurityTokenIsUnique=Використовувати унікальний ключ безпеки для кожної URL-адреси EnterRefToBuildUrl=Введіть характеристику для об'єкта %s GetSecuredUrl=Отримати обчислену URL-адресу -ButtonHideUnauthorized=Приховати кнопки несанкціонованих дій також для внутрішніх користувачів (в іншому випадку вони будуть сірими) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=Старе значення комісії NewVATRates=Нове значення комісії PriceBaseTypeToChange=Змінити ціни з базовим довідковим значенням, визначеним на @@ -458,11 +461,11 @@ ComputedFormula=Обчислюване поле ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Зберегти обчислюване поле ComputedpersistentDesc=Обчислювальні поля будуть збережені в базі, тому значення буде перераховане лише тоді, коли об'єкт з цим полем буде змінено. Якщо обчислюване поле залежить від інших об'єктів, або глобальних даних - це значення може бути не правильним! -ExtrafieldParamHelpPassword=Залишивши це поле порожнім, це значення буде зберігатися без шифрування (поле буде приховане лише зірочками на екрані).
      Виберіть значення "Авто", щоб використовувати стандартне правило для шифрування паролів у базі даних (в такому випадку буде зчитуватися лише хеш, без можливості відновити оригінальне значення) +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored WITHOUT encryption (field is just hidden with stars on screen).

      Enter value 'dolcrypt' to encode value with a reversible encryption algorithm. Clear data can still be known and edited but is encrypted into database.

      Enter 'auto' (or 'md5', 'sha256', 'password_hash', ...) to use the default password encryption algorithm (or md5, sha256, password_hash...) to save the non reversible hashed password into database (no way to retrieve original value) ExtrafieldParamHelpselect=Список значень складається з рядків вигляду ключ,значення (де ключ не повинен бути '0')

      Наприклад:
      1,value1
      2,value2
      code3,value3
      ...

      У випадку, коли потрібно щоб список залежав від значень іншого додаткового списку:
      1,value1|options_parent_list_code:parent_key
      2,value2|options_parent_list_code:parent_key

      У випадку, якщо потрібно мати список залежний від іншого:
      1,value1|parent_list_code:parent_key
      2,value2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=Список значень повинен складатися з рядків з форматом ключ,значення (де ключ не може бути "0")

      , наприклад:
      1,значення1
      2,значення2
      3,значення3
      ... ExtrafieldParamHelpradio=Список значень повинен складатися з рядків з форматом ключ,значення (де ключ не може бути "0")

      , наприклад:
      1,значення1
      2,значення2
      3,значення3
      ... -ExtrafieldParamHelpsellist=Список значень надходить із таблиці
      Синтаксис: table_name: label_field: id_field :: filtersql
      Приклад: c_typent: libelle: id: initemblcs. intiplters intumblcllcs0 intills. idgllylllys0 intills. intiplits. Це може бути простий тест (наприклад, active=1) для відображення лише активного значення
      Ви також можете використовувати $ID$ у фільтрі, який є поточним ідентифікатором поточного об’єкта
      Щоб використовувати SELECT у фільтрі, використовуйте ключове слово $SEL$, щоб обхідний захист від упорскування.
      , якщо ви хочете фільтрувати за додатковими полями, використовуйте синтаксис extra.fieldcode=... (де код поля є кодом extrafield)

      Щоб список залежав від іншого додаткового списку атрибутів:
      :
      parent_list_code |parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id: parent_list_code |parent_column:filter +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=Список значень походить із таблиці
      Синтаксис: table_name:label_field:id_field::filtersql
      Приклад: c_typent:libelle:id::filtersql





      a0342fcc0 активне значення a0342fcc0 ви можете відображати тільки a29bcc0 активне значення a0342fcc0 також можна використовувати $ID$ у фільтрі, який є поточним ідентифікатором поточного об’єкта
      Щоб зробити SELECT у фільтрі, використовуйте $SEL$
      , якщо ви хочете фільтрувати за додатковими полями, використовуйте синтаксис extra.fieldcode=... (де код поля є code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_ parent_list_code |parent_column:filter

      In order to have the list depending on another list:
      c_typent: libelle:id: parent_list_code |parent_column:filter ExtrafieldParamHelplink=Параметри мають бути ObjectName:Classpath
      Синтаксис: ObjectName:Classpath ExtrafieldParamHelpSeparator=Залиште пустим для простого роздільника
      Встановіть значення 1 для роздільника, що згортається (відкривається за замовчуванням для нового сеансу, потім статус зберігається для кожного сеансу користувача)
      Встановіть значення 2 для роздільника, що згортається (згорнутий за замовчуванням для нового сеансу, потім статус зберігається для кожного сеансу користувача) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=Це назва поля HTML. Щоб читати в PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. PageUrlForDefaultValuesCreate=
      Приклад:
      Для форми для створення нової третьої сторони це %s .
      Для URL-адрес зовнішніх модулів, встановлених у користувацький каталог, не включайте "custom/", тому використовуйте шлях, наприклад mymodule/mypage.php , а не custom/mymodule/mypage.php.
      Якщо ви хочете значення за замовчуванням, лише якщо URL-адреса має якийсь параметр, ви можете використовувати %s PageUrlForDefaultValuesList=
      Приклад:
      Для сторінки, яка містить перелік третіх сторін, це %s .
      Для URL-адрес зовнішніх модулів, встановлених у користувацькому каталозі, не включайте "custom/", тому використовуйте шлях, наприклад mymodule/mypagelist.php , а не custom/mymodule/mypagelist.php.
      Якщо ви хочете значення за замовчуванням, лише якщо URL-адреса має якийсь параметр, ви можете використовувати %s -AlsoDefaultValuesAreEffectiveForActionCreate=Також зауважте, що перезапис значень за замовчуванням для створення форми працює лише для сторінок, які були правильно розроблені (тому з параметром action=create або presen...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=Увімкнути налаштування значень за замовчуванням EnableOverwriteTranslation=Allow customization of translations GoIntoTranslationMenuToChangeThis=Знайдено переклад для ключа з цим кодом. Щоб змінити це значення, ви повинні відредагувати його з Home-Setup-translation. @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Загальний приватний катало DAV_ALLOW_PUBLIC_DIR=Увімкнути загальний загальнодоступний каталог (спеціальний каталог WebDAV з назвою "public" - вхід не потрібен) DAV_ALLOW_PUBLIC_DIRTooltip=Загальний загальнодоступний каталог — це каталог WebDAV, доступ до якого може отримати будь-хто (у режимі читання та запису), без авторизації (обліковий запис для входу/паролю). DAV_ALLOW_ECM_DIR=Увімкнути приватний каталог DMS/ECM (кореневий каталог модуля DMS/ECM - потрібен вхід) -DAV_ALLOW_ECM_DIRTooltip=Кореневий каталог, куди всі файли завантажуються вручну під час використання модуля DMS/ECM. Подібно до доступу з веб-інтерфейсу, вам знадобиться дійсний логін/пароль з відповідними дозволами для доступу до нього. +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=Користувачі та групи Module0Desc=Керування користувачами / співробітниками та групами @@ -566,7 +569,7 @@ Module40Desc=Постачальники та управління закупів Module42Name=Журнали налагодження Module42Desc=Засоби ведення журналу (файл, системний журнал, ...). Такі журнали призначені для технічних/налагоджувальних цілей. Module43Name=Панель налагодження -Module43Desc=Інструмент для розробника, який додає панель налагодження у ваш браузер. +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=Редактори Module49Desc=Керівництво редактором Module50Name=Продукти @@ -582,7 +585,7 @@ Module54Desc=Управління контрактами (послуги або Module55Name=Штрих-коди Module55Desc=Управління штрих-кодами або QR-кодами Module56Name=Оплата кредитним переказом -Module56Desc=Управління оплатою постачальників за дорученнями кредитного переказу. Він включає створення файлу SEPA для європейських країн. +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=Платежі прямим дебетом Module57Desc=Керування замовленнями прямого дебету. Він включає створення файлу SEPA для європейських країн. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Надсилати сповіщення електронною п Module600Long=Зауважте, що цей модуль надсилає електронні листи в режимі реального часу, коли відбувається конкретна бізнес-подія. Якщо ви шукаєте функцію надсилання нагадувань електронною поштою про події порядку денного, перейдіть до налаштування модуля Порядок денний. Module610Name=Варіанти товару Module610Desc=Створення варіантів продукції (колір, розмір тощо) +Module650Name=Bills Of Material (BOM) +Module650Desc=Module to define your Bills Of Materials (BOM). Can be used for Manufacturing Resource Planning by the module Manufacturing Orders (MO) +Module660Name=Manufacturing Resource Planning (MRP) +Module660Desc=Module to Manage Manufacturing Orders (MO) Module700Name=Пожертвування Module700Desc=Управління пожертвуваннями Module770Name=Звіти про витрати @@ -650,8 +657,8 @@ Module2300Name=Заплановані роботи Module2300Desc=Керування запланованими завданнями (псевдонім cron або chrono table) Module2400Name=Події/Порядок денний Module2400Desc=Відстежуйте події. Записуйте автоматичні події з метою відстеження або записуйте події чи зустрічі вручну. Це основний модуль для хорошого управління відносинами з клієнтами або постачальниками. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Online appointment scheduling +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM Module2500Desc=Система документообігу / Управління електронним вмістом. Автоматична організація створених або збережених документів. Поділіться ними, коли вам потрібно. Module2600Name=API / Web services (SOAP server) @@ -672,7 +679,7 @@ Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool Module3400Name=Соціальні мережі Module3400Desc=Увімкнути поля соціальних мереж для третіх сторін і адрес (skype, twitter, facebook, ...). Module4000Name=HRM -Module4000Desc=Управління людськими ресурсами (управління відділом, контрактами та почуттями співробітників) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Мультикомпанія Module5000Desc=Дозволяє керувати кількома компаніями Module6000Name=Міжмодульний робочий процес @@ -712,6 +719,8 @@ Module63000Desc=Керуйте ресурсами (принтерами, авт Module66000Name=OAuth2 token management Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. Module94160Name=Receptions +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=Read customer invoices (and payments) Permission12=Створення/змінювання рахунків-фактур клієнтів @@ -996,7 +1005,7 @@ Permission4031=Прочитайте особисту інформацію Permission4032=Напишіть особисту інформацію Permission4033=Read all evaluations (even those of user not subordinates) Permission10001=Читайте вміст веб-сайту -Permission10002=Створення/змінювання вмісту веб-сайту (вміст HTML і JavaScript) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=Створення/змінювання вмісту веб-сайту (динамічний php-код). Небезпечно, має бути зарезервовано для обмежених розробників. Permission10005=Видалити вміст веб-сайту Permission20001=Ознайомтеся з заявами на відпустку (вашої відпустки та відпустки ваших підлеглих) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=Звіт про витрати - Діапазон за DictionaryTransportMode=Intracomm report - Transport mode DictionaryBatchStatus=Статус контролю якості партії/серійного продукту DictionaryAssetDisposalType=Вид вибуття активів +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=Тип агрегату SetupSaved=Налаштування збережено SetupNotSaved=Налаштування не збережено @@ -1109,10 +1119,11 @@ BackToModuleList=Повернутися до списку модулів BackToDictionaryList=Повернутися до списку словників TypeOfRevenueStamp=Вид податкової марки VATManagement=Управління податку з продажу -VATIsUsedDesc=За замовчуванням під час створення перспектив, рахунків-фактур, замовлень тощо ставка податку з продажів відповідає діючому стандартному правилу:
      Якщо продавець не оподатковується податком із продажів, тоді податок з продажів за умовчанням дорівнює 0. Кінець правила.
      Якщо (країна продавця = країна покупця), то податок з продажів за замовчуванням дорівнює податку з продажу товару в країні продавця. Кінець правління.
      Якщо продавець і покупець знаходяться в Європейському співтоваристві, а товари є товарами, пов’язаними з транспортуванням (перевезення, доставка, авіакомпанія), ПДВ за замовчуванням дорівнює 0. Це правило залежить від країни продавця – проконсультуйтеся зі своїм бухгалтером. ПДВ повинен сплачувати покупець у митниці своєї країни, а не продавцю. Кінець правління.
      Якщо продавець і покупець знаходяться в Європейському співтоваристві, а покупець не є компанією (з зареєстрованим номером ПДВ у межах Співтовариства), тоді ПДВ за замовчуванням відповідає ставці ПДВ країни продавця. Кінець правління.
      Якщо продавець і покупець знаходяться в Європейському співтоваристві, а покупець є компанією (з зареєстрованим номером ПДВ у межах Співтовариства), тоді ПДВ за замовчуванням дорівнює 0. Кінець правління.
      У будь-якому іншому випадку запропонованим за замовчуванням є податок з продажу=0. Кінець правління. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=За замовчуванням запропонований податок з продажу дорівнює 0, який можна використовувати для таких випадків, як асоціації, фізичні особи чи невеликі компанії. VATIsUsedExampleFR=У Франції це означає компанії або організації, що мають реальну фіскальну систему (спрощена реальна або звичайна реальна). Система, в якій декларується ПДВ. VATIsNotUsedExampleFR=У Франції це означає асоціації, які не оголошено податку з продажів, або компанії, організації чи вільні професії, які вибрали фіскальну систему мікропідприємств (податок з продажів у франшизі) і сплатили податок з продажів франшизи без будь-якої декларації з податку з продажів. У цьому випадку в рахунках-фактурах відображатиметься посилання «Податковий податок із продажів, який не застосовується – арт-293B CGI». +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Вид податку з продажу LTRate=Оцінити @@ -1399,8 +1410,8 @@ PHPModuleLoaded=Компонент PHP %s завантажено PreloadOPCode=Використовується попередньо завантажений OPCode AddRefInList=Показати номер клієнта/постачальника у комбіновані списки.
      Треті сторони з'являться з форматом назви "CC12345 - SC45678 - The Big Company corp." замість "The Big Company corp". AddVatInList=Відображати номер платника ПДВ клієнта/постачальника в комбінованих списках. -AddAdressInList=Відображення адреси клієнта/постачальника в комбінованих списках.
      Треті сторони з'являться з форматом назви "The Big Company corp. - 21 Jump street 123456 Big town - USA" замість "The Big Company corp". -AddEmailPhoneTownInContactList=Показати контактну електронну адресу (або телефони, якщо не визначено) та список інформації про місто (виберіть список або поле зі списком)
      Контакти відображатимуться у форматі імені «Dupond Durand - dupond.durand@email.com - Paris» або «Dupond Durand - 06 07 59 65 66 – Париж» замість «Дюпон Дюран». +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@example.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". AskForPreferredShippingMethod=Запитуйте бажаний спосіб доставки для третіх сторін. FieldEdition=Видання поля %s FillThisOnlyIfRequired=Приклад: +2 (заповнювати, лише якщо виникають проблеми зі зміщенням часового поясу) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Не показувати посиланн UsersSetup=Налаштування модуля користувача UserMailRequired=Для створення нового користувача потрібна електронна адреса UserHideInactive=Приховати неактивних користувачів з усіх комбінованих списків користувачів (не рекомендується: це може означати, що ви не зможете фільтрувати або шукати старих користувачів на деяких сторінках) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Шаблони документів для документів, створені з запису користувача GroupsDocModules=Шаблони документів для документів, створених із групового запису ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=Групи LDAPContactsSynchro=Контакти LDAPMembersSynchro=Члени LDAPMembersTypesSynchro=Типи членів -LDAPSynchronization=Синхронізація LDAP +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=Функції LDAP недоступні у вашому PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=Example : gidnumber LDAPFieldUserid=Ідентифікатор користувача LDAPFieldUseridExample=Example : uidnumber LDAPFieldHomedirectory=Домашній каталог -LDAPFieldHomedirectoryExample=Приклад: домашній каталог +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=Префікс домашнього каталогу LDAPSetupNotComplete=Налаштування LDAP не завершено (перейдіть на інші вкладки) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Не вказано адміністратор або пароль. Доступ LDAP буде анонімним і в режимі лише для читання. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Знайдено модуль memcached дл MemcachedAvailableAndSetup=Модуль memcached, призначений для використання сервера memcached, увімкнено. OPCodeCache=Кеш OPCode NoOPCodeCacheFound=Не знайдено кешу OPCode. Можливо, ви використовуєте кеш OPCode, відмінний від XCache або eAccelerator (добре), або, можливо, у вас немає кешу OPCode (дуже погано). -HTTPCacheStaticResources=Кеш HTTP для статичних ресурсів (css, img, javascript) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=Файли типу %s кешуються сервером HTTP FilesOfTypeNotCached=Файли типу %s не кешуються сервером HTTP FilesOfTypeCompressed=Файли типу %s стискаються HTTP-сервером @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Безкоштовний текст на кви ##### FCKeditor ##### AdvancedEditor=Розширений редактор ActivateFCKeditor=Активувати розширений редактор для: -FCKeditorForNotePublic=Створення/видання WYSIWIG поля «публічні примітки» елементів -FCKeditorForNotePrivate=Створення/видання WYSIWIG поля «приватні примітки» елементів -FCKeditorForCompany=Створення/видання WYSIWIG опису поля елементів (крім продуктів/послуг) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). +FCKeditorForNotePublic=WYSIWYG creation/edition of the field "public notes" of elements +FCKeditorForNotePrivate=WYSIWYG creation/edition of the field "private notes" of elements +FCKeditorForCompany=WYSIWYG creation/edition of the field description of elements (except products/services) +FCKeditorForProductDetails=WYSIWYG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= Створення/видання WYSIWIG для масових розсилок електронною поштою (Інструменти->Електронна розсилка) -FCKeditorForUserSignature=Створення/видання підпису користувача WYSIWIG -FCKeditorForMail=Створення/видання WYSIWIG для всієї пошти (крім Інструменти->Електронна розсилка) -FCKeditorForTicket=Створення/видання WYSIWIG для квитків +FCKeditorForMailing= WYSIWYG creation/edition for mass eMailings (Tools->eMailing) +FCKeditorForUserSignature=WYSIWYG creation/edition of user signature +FCKeditorForMail=WYSIWYG creation/edition for all mail (except Tools->eMailing) +FCKeditorForTicket=WYSIWYG creation/edition for tickets ##### Stock ##### StockSetup=Налаштування стандартного модуля IfYouUsePointOfSaleCheckModule=Якщо ви використовуєте модуль точки продажу (POS), наданий за замовчуванням, або зовнішній модуль, це налаштування може ігноруватися вашим POS-модулем. Більшість POS-модулів розроблені за замовчуванням для негайного створення рахунка-фактури та зменшення запасів, незалежно від наведених тут опцій. Тому, якщо вам потрібно чи ні, щоб зменшити запаси під час реєстрації продажу з вашого POS, перевірте також налаштування вашого POS-модуля. @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=Персоналізовані меню, не пов NewMenu=Нове меню MenuHandler=Обробник меню MenuModule=Модуль джерела -HideUnauthorizedMenu=Приховати неавторизовані меню також для внутрішніх користувачів (в іншому випадку вони будуть сірими) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=Меню ідентифікатора DetailMenuHandler=Обробник меню, де відображати нове меню DetailMenuModule=Ім’я модуля, якщо вхід в меню надходить із модуля @@ -1802,7 +1815,7 @@ DetailType=Тип меню (верхнє або ліворуч) DetailTitre=Мітка меню або код етикетки для перекладу DetailUrl=URL where menu send you (Relative URL link or external link with https://) DetailEnabled=Умова для показу чи не входу -DetailRight=Умова для відображення несанкціонованих сірих меню +DetailRight=Condition to display unauthorized gray menus DetailLangs=Назва файлу мови для перекладу коду етикетки DetailUser=Інтерн / Екстерн / Усі Target=Ціль @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=Рахунок за замовчуванням для CashDeskBankAccountForCheque=Обліковий запис за замовчуванням для отримання платежів чеком CashDeskBankAccountForCB=Обліковий запис за замовчуванням для отримання платежів кредитними картками CashDeskBankAccountForSumup=Банківський рахунок за умовчанням для отримання платежів через SumUp -CashDeskDoNotDecreaseStock=Вимкнути зменшення запасів, коли продаж здійснюється з точки продажу (якщо «ні», зменшення запасу здійснюється для кожного продажу, здійсненого з POS, незалежно від параметра, встановленого в модулі «Запас»). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Змусити та обмежити використання складу для зменшення запасів StockDecreaseForPointOfSaleDisabled=Зменшення запасів з точки продажу вимкнено StockDecreaseForPointOfSaleDisabledbyBatch=Зменшення запасів у POS несумісне з модулем керування серійним/партійним зв’язком (наразі активним), тому зменшення запасів вимкнено. @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=Підсвічуйте рядки таблиці, к HighlightLinesColor=Колір виділення лінії, коли курсор миші проходить (використовуйте "ffffff", щоб не виділяти) HighlightLinesChecked=Колір виділення рядка, коли його встановлено (використовуйте 'ffffff', щоб не виділяти) UseBorderOnTable=Показати ліву-праву межі таблиць +TableLineHeight=Table line height BtnActionColor=Колір кнопки дії TextBtnActionColor=Колір тексту кнопки дії TextTitleColor=Колір тексту заголовка сторінки @@ -1991,7 +2006,7 @@ EnterAnyCode=Це поле містить посилання для іденти Enter0or1=Введіть 0 або 1 UnicodeCurrency=Введіть сюди між дужками список номерів байтів, які представляють символ валюти. Наприклад: для $ введіть [36] - для бразильських реалів R$ [82,36] - для € введіть [8364] ColorFormat=Колір RGB у форматі HEX, наприклад: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) PositionIntoComboList=Розташування рядка в комбінованих списках SellTaxRate=Ставка податку з продажу RecuperableOnly=Так, для ПДВ "Не сприймається, але підлягає відшкодуванню", призначений для деяких штатів у Франції. У всіх інших випадках зберігайте значення "Ні". @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total pr MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders MAIN_PDF_NO_SENDER_FRAME=Приховати межі в рамці адреси відправника -MAIN_PDF_NO_RECIPENT_FRAME=Приховати межі на фреймі адреси одержувача +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=Приховати код клієнта MAIN_PDF_HIDE_SENDER_NAME=Приховати назву відправника/компанію в адресному блоці PROPOSAL_PDF_HIDE_PAYMENTTERM=Приховати умови оплати @@ -2118,7 +2133,7 @@ EMailHost=Хост сервера електронної пошти IMAP EMailHostPort=Port of email IMAP server loginPassword=Login/Password oauthToken=OAuth2 token -accessType=Acces type +accessType=Access type oauthService=Oauth service TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). ImapEncryption = IMAP encryption method @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=Не включайте вміст заголов EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. EmailCollectorConfirmCollectTitle=Отримати підтвердження електронною поштою EmailCollectorConfirmCollect=Ви хочете запустити цей колектор зараз? -EmailCollectorExampleToCollectTicketRequestsDesc=Збирайте електронні листи, які відповідають деяким правилам, і автоматично створюйте квиток (модульний квиток має бути ввімкнено) з інформацією електронної пошти. Ви можете використовувати цей збірник, якщо надасте певну підтримку електронною поштою, тож ваш запит на квиток буде згенеровано автоматично. Активуйте також Collect_Responses, щоб збирати відповіді вашого клієнта безпосередньо на перегляді квитка (ви повинні відповісти від Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=Приклад отримання запиту на квиток (лише перше повідомлення) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Скануйте каталог «Відправлені» своєї поштової скриньки, щоб знайти електронні листи, надіслані як відповідь на іншу електронну пошту, безпосередньо з вашого програмного забезпечення електронної пошти, а не з Dolibarr. Якщо такий електронний лист знайдено, подія відповіді записується в Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Приклад збору відповідей електронною поштою, надісланих із зовнішнього програмного забезпечення електронної пошти EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. EmailCollectorExampleToCollectDolibarrAnswers=Приклад збору всіх вхідних повідомлень, які є відповідями на повідомлення, надіслані з Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Збирайте електронні листи, які відповідають деяким правилам, і автоматично створюйте потенційного клієнта (модульний проект має бути ввімкнено) з інформацією електронної пошти. Ви можете використовувати цей збірник, якщо хочете слідкувати за вашими прикладами за допомогою модуля Проект (1 лідик = 1 проект), тож ваші потенційні клієнти будуть автоматично створені. Якщо також увімкнено збірник Collect_Responses, коли ви надсилаєте електронний лист від ваших потенційних клієнтів, пропозицій чи будь-якого іншого об’єкта, ви також можете бачити відповіді своїх клієнтів або партнерів безпосередньо в програмі.
      Примітка. У цьому початковому прикладі генерується назва потенційного клієнта, включаючи електронну пошту. Якщо третю сторону неможливо знайти в базі даних (новий клієнт), потенційний клієнт буде приєднано до третьої сторони з ідентифікатором 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=Приклад збору потенційних клієнтів EmailCollectorExampleToCollectJobCandidaturesDesc=Збирайте електронні листи з пропозиціями про роботу (потрібно ввімкнути модуль набору персоналу). Ви можете заповнити цей збірник, якщо хочете автоматично створити кандидатуру для запиту на роботу. Примітка. У цьому початковому прикладі генерується назва кандидатури, включаючи електронну пошту. EmailCollectorExampleToCollectJobCandidatures=Приклад збору кандидатур на роботу, отриманих на електронну пошту @@ -2188,10 +2203,10 @@ Protanopia=Протанопія Deuteranopes=Дейтераноп Tritanopes=Тританопи ThisValueCanOverwrittenOnUserLevel=Це значення може бути перезаписано кожним користувачем зі своєї сторінки користувача - вкладка '%s' -DefaultCustomerType=Тип третьої сторони за замовчуванням для форми створення "Новий клієнт". +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=Примітка: банківський рахунок має бути визначений у модулі кожного режиму оплати (Paypal, Stripe, ...), щоб ця функція працювала. RootCategoryForProductsToSell=Основна категорія товарів, що продаються -RootCategoryForProductsToSellDesc=Якщо визначено, у торговій точці будуть доступні лише продукти цієї категорії або дочірні товари цієї категорії +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=Панель налагодження DebugBarDesc=Панель інструментів із великою кількістю інструментів для спрощення налагодження DebugBarSetup=Налаштування DebugBar @@ -2212,10 +2227,10 @@ ImportSetup=Налаштування імпорту модуля InstanceUniqueID=Унікальний ідентифікатор екземпляра SmallerThan=Менший за LargerThan=Більший за -IfTrackingIDFoundEventWillBeLinked=Зауважте, що якщо ідентифікатор відстеження об’єкта знайдено в електронній пошті, або якщо електронний лист є відповіддю області електронної пошти, зібраної та пов’язаної з об’єктом, створена подія буде автоматично пов’язана з відомим пов’язаним об’єктом. -WithGMailYouCanCreateADedicatedPassword=Якщо в обліковому записі GMail ви ввімкнули двоетапну перевірку, рекомендується створити спеціальний другий пароль для програми замість використання власного пароля облікового запису з https://myaccount.google.com/. -EmailCollectorTargetDir=Можливо, бажано перемістити електронний лист в інший тег/каталог, коли воно було успішно оброблено. Просто встановіть тут назву каталогу, щоб використовувати цю функцію (НЕ використовуйте спеціальні символи в імені). Зауважте, що ви також повинні використовувати обліковий запис для входу для читання/запису. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=Кінцева точка для %s : %s DeleteEmailCollector=Видалити збірник електронної пошти @@ -2232,12 +2247,12 @@ EmailTemplate=Шаблон для електронної пошти EMailsWillHaveMessageID=Електронні листи матимуть тег "Посилання", що відповідає цьому синтаксису PDF_SHOW_PROJECT=Показати проект на документі ShowProjectLabel=Етикетка проекту -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) PDF_USE_ALSO_LANGUAGE_CODE=Якщо ви хочете, щоб деякі тексти у вашому PDF-файлі були продубльовані двома різними мовами в одному згенерованому PDF-файлі, ви повинні встановити тут цю другу мову, щоб згенерований PDF-файл містив 2 різні мови на одній сторінці, одну, вибрану під час створення PDF-файлу, і цю ( лише кілька шаблонів PDF підтримують це). Залиште порожнім для 1 мови для PDF. -PDF_USE_A=Створюйте PDF-документи у форматі PDF/A замість формату PDF за умовчанням +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=Введіть тут код значка FontAwesome. Якщо ви не знаєте, що таке FontAwesome, ви можете використовувати загальне значення fa-address-book. RssNote=Примітка. Кожне визначення RSS-каналу містить віджет, який потрібно ввімкнути, щоб він був доступним на інформаційній панелі JumpToBoxes=Перейдіть до Налаштування -> Віджети @@ -2254,16 +2269,16 @@ YouMayFindSecurityAdviceHere=Ви можете знайти рекомендац ModuleActivatedMayExposeInformation=Це розширення PHP може розкривати конфіденційні дані. Якщо він вам не потрібен, вимкніть його. ModuleActivatedDoNotUseInProduction=Увімкнено модуль, призначений для розробки. Не вмикайте його у виробничому середовищі. CombinationsSeparator=Символ роздільника для комбінацій продуктів -SeeLinkToOnlineDocumentation=Для прикладів дивіться посилання на онлайн-документацію у верхньому меню +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=Якщо використовується функція "%s" модуля %s , показати деталі підпродуктів комплекту в PDF. AskThisIDToYourBank=Зверніться до свого банку, щоб отримати цей ідентифікатор -AdvancedModeOnly=Дозвіл доступний лише в режимі розширеного дозволу +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=Файл conf доступний для читання або запису будь-якими користувачами. Надайте дозвіл лише користувачеві та групі веб-сервера. MailToSendEventOrganization=Організація заходу MailToPartnership=Партнерство AGENDA_EVENT_DEFAULT_STATUS=Статус події за замовчуванням під час створення події з форми YouShouldDisablePHPFunctions=Вам слід вимкнути функції PHP -IfCLINotRequiredYouShouldDisablePHPFunctions=За винятком випадків, коли вам потрібно запускати системні команди в спеціальному коді, ви повинні вимкнути функції PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions NoWritableFilesFoundIntoRootDir=У вашому кореневому каталозі не знайдено жодних записуваних файлів або каталогів звичайних програм (Добре) RecommendedValueIs=Рекомендовано: %s @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook setup Settings = Налаштування WebhookSetupPage = Webhook setup page ShowQuickAddLink=Show a button to quickly add an element in top right menu - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=Хеш, що використовується для пінгу ReadOnlyMode=Є екземпляром у режимі «Тільки для читання». DEBUGBAR_USE_LOG_FILE=Використовуйте файл dolibarr.log для захоплення журналів @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=Will not work with all themes NoName=No name ShowAdvancedOptions= Show advanced options HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=Use a password UseOauth=Use a OAUTH token Images=Images MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=The script is empty ShowHideTheNRequests=Show/hide the %s SQL request(s) DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=Warning disabled LimitsAndMitigation=Access limits and mitigation +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=Desktops only DesktopsAndSmartphones=Desktops et smartphones AllowOnlineSign=Allow online signing @@ -2403,6 +2419,24 @@ Defaultfortype=Default DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/uk_UA/assets.lang b/htdocs/langs/uk_UA/assets.lang index 7fdd74fa306..89d12675fa9 100644 --- a/htdocs/langs/uk_UA/assets.lang +++ b/htdocs/langs/uk_UA/assets.lang @@ -168,7 +168,7 @@ AssetDepreciationReversal=Розворот # # Errors # -AssetErrorAssetOrAssetModelIDNotProvide=Ідентифікатор активу або звук моделі не надано +AssetErrorAssetOrAssetModelIDNotProvide=Ідентифікатор asset або знайдена модель не була надана AssetErrorFetchAccountancyCodesForMode=Помилка під час отримання облікових рахунків для режиму амортизації "%s" AssetErrorDeleteAccountancyCodesForMode=Помилка під час видалення рахунків бухгалтерського обліку з режиму амортизації «%s» AssetErrorInsertAccountancyCodesForMode=Помилка під час вставки облікових рахунків режиму амортизації '%s' diff --git a/htdocs/langs/uk_UA/bills.lang b/htdocs/langs/uk_UA/bills.lang index 6123a346d35..aee98ef9e7f 100644 --- a/htdocs/langs/uk_UA/bills.lang +++ b/htdocs/langs/uk_UA/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Здійснити платіж за рахунок к DisabledBecauseRemainderToPayIsZero=Відключено, тому що оплата, що залишилася є нульовою PriceBase=Базова ціна BillStatus=Статус рахунку-фактури -StatusOfGeneratedInvoices=Статус створених рахунків-фактур +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=Проект (має бути підтверджений) BillStatusPaid=Сплачений BillStatusPaidBackOrConverted=Повернення кредитної ноти або позначено як доступний кредит @@ -167,7 +167,7 @@ ActionsOnBill=Дії з рахунком-фактурою ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Шаблон/Повторний рахунок-фактура NoQualifiedRecurringInvoiceTemplateFound=Немає повторюваних шаблонів рахунків-фактур для створення. -FoundXQualifiedRecurringInvoiceTemplate=Знайдено %s регулярні шаблони рахунків-фактур, які відповідають вимогам для створення. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Не повторюваний шаблон рахунка-фактури NewBill=Новий рахунок-фактура LastBills=Останні рахунки-фактури %s @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Проекти рахунків-фактур від по Unpaid=Неоплачений ErrorNoPaymentDefined=Помилка Платіж не визначено ConfirmDeleteBill=Ви впевнені, що хочете видалити цей рахунок-фактуру? -ConfirmValidateBill=Ви впевнені, що хочете підтвердити цей рахунок-фактуру з посиланням %s ? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Ви впевнені, що хочете змінити рахунок-фактуру %s на статус чернетки? ConfirmClassifyPaidBill=Ви впевнені, що хочете змінити рахунок-фактуру %s на статус оплаченого? ConfirmCancelBill=Ви впевнені, що хочете скасувати рахунок-фактуру %s ? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=Ви підтверджуєте цей платіжний ConfirmSupplierPayment=Ви підтверджуєте цей платіжний вхід для %s %s? ConfirmValidatePayment=Ви впевнені, що хочете підтвердити цей платіж? Після підтвердження платежу жодні зміни не можуть бути внесені. ValidateBill=Підтвердити рахунок-фактуру -UnvalidateBill=Скасувати дію рахунка-фактури +UnvalidateBill=Invalidate invoice NumberOfBills=№ рахунків-фактур NumberOfBillsByMonth=Кількість рахунків на місяць AmountOfBills=Сума рахунків-фактур @@ -250,12 +250,13 @@ RemainderToTake=Сума, що залишилася для прийому RemainderToTakeMulticurrency=Сума, що залишилася для отримання, оригінальна валюта RemainderToPayBack=Сума, що залишилася для повернення RemainderToPayBackMulticurrency=Сума, що залишилася до повернення, оригінальна валюта +NegativeIfExcessReceived=негативний, якщо отримано перевищення NegativeIfExcessRefunded=негативний, якщо перевищення повернено +NegativeIfExcessPaid=negative if excess paid Rest=В очікуванні AmountExpected=Заявлена сума ExcessReceived=Отриманий надлишок ExcessReceivedMulticurrency=Надлишок отримано, оригінальна валюта -NegativeIfExcessReceived=негативний, якщо отримано перевищення ExcessPaid=Надмірна оплата ExcessPaidMulticurrency=Надмірна оплата, оригінальна валюта EscompteOffered=Надана знижка (за достроковий платіж) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Спершу потрібно створи PDFCrabeDescription=Шаблон рахунку-фактури PDF Crabe. Повний шаблон рахунку-фактури (стара реалізація шаблону Sponge) PDFSpongeDescription=Шаблон рахунку-фактури PDF Губка. Повний шаблон рахунка-фактури PDFCrevetteDescription=Шаблон рахунку-фактури PDF Crevette. Повний шаблон рахунка-фактури для рахунків-фактур -TerreNumRefModelDesc1=Номер повернення у форматі %syymm-nnnn для стандартних рахунків-фактур і %syymm-nnnn для кредитних нот, де yy – рік, mm – місяць, а nnnn – послідовне число, що автоматично збільшується без перерви та повернення до 0 -MarsNumRefModelDesc1=Номер повернення у форматі %syymm-nnnn для стандартних рахунків-фактур, %syymm-nnnn для заміни рахунків-фактур, %syymm-nnnn inclement incementnn incementn incementn incementnn incementnn incemnnnn incementnn incemnn incementnn incementnn incemnn inlementnn incemnn incemnn incemnn incemnn incemnn incemnn incemnn без перерви і без повернення до 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Законопроект, який починається з $syymm, вже існує і не сумісна з цією моделлю послідовності. Видаліть його або перейменуйте, щоб активувати цей модуль. -CactusNumRefModelDesc1=Номер повернення у форматі %syymm-nnnn для стандартних рахунків-фактур, %syymm-nnnn для кредитних нот і %syymm-nnnn для рахунків-фактур, де yy - це рік, а число повернення - місяць, а число "номер повернення" - це місяць 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Причина дострокового закриття EarlyClosingComment=Дострокове закриття ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Salaries +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Salary +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/uk_UA/cashdesk.lang b/htdocs/langs/uk_UA/cashdesk.lang index 5c3f47444d4..3c5db862963 100644 --- a/htdocs/langs/uk_UA/cashdesk.lang +++ b/htdocs/langs/uk_UA/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=Квитанція Header=Заголовок Footer=Нижній колонтитул AmountAtEndOfPeriod=Сума на кінець періоду (день, місяць або рік) -TheoricalAmount=Теоретична сума +TheoricalAmount=Theoretical amount RealAmount=Реальна сума CashFence=Cash box closing CashFenceDone=Cash box closing done for the period @@ -57,7 +57,7 @@ Paymentnumpad=Тип планшета для введення платежу Numberspad=Цифровий блокнот BillsCoinsPad=Монети та банкноти Pad DolistorePosCategory=Модулі TakePOS та інші POS-рішення для Dolibarr -TakeposNeedsCategories=Для роботи TakePOS потрібна принаймні одна категорія продукту +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=Для роботи TakePOS потрібна принаймні 1 категорія продукту в категорії %s OrderNotes=Можна додати деякі примітки до кожного замовленого товару CashDeskBankAccountFor=Обліковий запис за умовчанням для платежів @@ -76,7 +76,7 @@ TerminalSelect=Виберіть термінал, який ви хочете в POSTicket=POS квиток POSTerminal=POS термінал POSModule=POS модуль -BasicPhoneLayout=Використовуйте базовий макет для телефонів +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Налаштування терміналу %s не завершено DirectPayment=Пряма оплата DirectPaymentButton=Додайте кнопку «Пряма оплата готівкою». @@ -92,14 +92,14 @@ HeadBar=Головна панель SortProductField=Поле для сортування продуктів Browser=браузер BrowserMethodDescription=Простий і легкий друк чеків. Лише кілька параметрів для налаштування квитанції. Друк через браузер. -TakeposConnectorMethodDescription=Зовнішній модуль з додатковими функціями. Можливість друку з хмари. +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=Метод друку ReceiptPrinterMethodDescription=Потужний метод з великою кількістю параметрів. Повна можливість налаштування за допомогою шаблонів. Сервер, на якому розміщено програму, не може бути в хмарі (повинен мати доступ до принтерів у вашій мережі). ByTerminal=Через термінал TakeposNumpadUsePaymentIcon=Використовуйте піктограму замість тексту на кнопках оплати цифрової панелі CashDeskRefNumberingModules=Модуль нумерації для POS продажу CashDeskGenericMaskCodes6 = Для додавання номера терміналу використовується тег
      {TN} -TakeposGroupSameProduct=Згрупуйте ті ж лінії продуктів +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Почніть новий паралельний продаж SaleStartedAt=Розпродаж розпочалася за адресою %s ControlCashOpening=Open the "Control cash box" popup when opening the POS @@ -118,7 +118,7 @@ ScanToOrder=Скануйте QR-код для замовлення Appearance=Зовнішній вигляд HideCategoryImages=Приховати зображення категорій HideProductImages=Приховати зображення продуктів -NumberOfLinesToShow=Кількість рядків зображень для відображення +NumberOfLinesToShow=Maximum number of lines of text to show on thumb images DefineTablePlan=Визначте план таблиць GiftReceiptButton=Додайте кнопку «Подарунковий чек». GiftReceipt=Подарункова квитанція @@ -135,4 +135,21 @@ PrintWithoutDetailsLabelDefault=Лінійна етикетка за замов PrintWithoutDetails=Друк без деталей YearNotDefined=Рік не визначений TakeposBarcodeRuleToInsertProduct=Правило штрих-коду для вставки товару -TakeposBarcodeRuleToInsertProductDesc=Правило вилучення посилання на продукт + кількості зі відсканованого штрих-коду.
      Якщо порожній (значення за замовчуванням), програма використовуватиме повний відсканований штрих-код, щоб знайти продукт.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Already printed +HideCategories=Hide the whole section of categories selection +HideStockOnLine=Hide stock on line +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Show reference or label of products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Terminal %s +TerminalNameDesc=Terminal name +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/uk_UA/categories.lang b/htdocs/langs/uk_UA/categories.lang index 35a0d2c28c4..14b7b5b0967 100644 --- a/htdocs/langs/uk_UA/categories.lang +++ b/htdocs/langs/uk_UA/categories.lang @@ -102,4 +102,5 @@ ActionCommCategoriesArea=Категорії подій WebsitePagesCategoriesArea=Категорії контейнерів сторінки KnowledgemanagementsCategoriesArea=Категорії статті КМ UseOrOperatorForCategories=Використовуйте оператор «АБО» для категорій -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Assign to the category +Position=Позиція diff --git a/htdocs/langs/uk_UA/contracts.lang b/htdocs/langs/uk_UA/contracts.lang index b3068c4c68b..63aae923b86 100644 --- a/htdocs/langs/uk_UA/contracts.lang +++ b/htdocs/langs/uk_UA/contracts.lang @@ -2,7 +2,7 @@ ContractsArea=Контрактна зона ListOfContracts=Перелік договорів AllContracts=Усі договори -ContractCard=Contract +ContractCard=Договір ContractStatusNotRunning=Не працює ContractStatusDraft=Проект ContractStatusValidated=Підтверджений @@ -78,9 +78,9 @@ CloseAllContracts=Закрийте всі контрактні лінії DeleteContractLine=Видалити рядок контракту ConfirmDeleteContractLine=Ви впевнені, що хочете видалити цей рядок договору? MoveToAnotherContract=Перенесіть послугу в інший контракт. -ConfirmMoveToAnotherContract=Я вибрав новий цільовий контракт і підтверджую, що хочу перемістити цю послугу в цей контракт. +ConfirmMoveToAnotherContract=Я вибрав новий цільовий договір і підтверджую, що хочу перемістити цю послугу в цей договір. ConfirmMoveToAnotherContractQuestion=Виберіть, у якому існуючому контракті (одної третьої сторони) ви хочете перемістити цю послугу? -PaymentRenewContractId=Renew contract %s (service %s) +PaymentRenewContractId=Поновити доровір %s (послуга %s) ExpiredSince=Термін придатності NoExpiredServices=Немає прострочених активних послуг ListOfServicesToExpireWithDuration=Термін дії списку служб закінчується через %s днів diff --git a/htdocs/langs/uk_UA/cron.lang b/htdocs/langs/uk_UA/cron.lang index 0889c2ccaed..6ba8bf36462 100644 --- a/htdocs/langs/uk_UA/cron.lang +++ b/htdocs/langs/uk_UA/cron.lang @@ -13,7 +13,7 @@ KeyForCronAccess=Ключ безпеки для URL-адреси для запу FileToLaunchCronJobs=Командний рядок для перевірки та запуску кваліфікованих завдань cron CronExplainHowToRunUnix=У середовищі Unix ви повинні використовувати наступний запис crontab для запуску командного рядка кожні 5 хвилин CronExplainHowToRunWin=У середовищі Microsoft(tm) Windows ви можете використовувати інструменти запланованих завдань, щоб запускати командний рядок кожні 5 хвилин -CronMethodDoesNotExists=Class %s does not contain any method %s +CronMethodDoesNotExists=Клас %s не містить жодного методу %s CronMethodNotAllowed=Метод %s класу %s знаходиться в чорному списку заборонених методів CronJobDefDesc=Профілі завдань Cron визначаються у файлі дескриптора модуля. Коли модуль активовано, вони завантажуються та доступні, тому ви можете адмініструвати завдання з меню інструментів адміністратора %s. CronJobProfiles=Список попередньо визначених профілів завдань cron @@ -26,7 +26,7 @@ CronCommand=Команда CronList=Заплановані роботи CronDelete=Видалити заплановані завдання CronConfirmDelete=Ви впевнені, що хочете видалити ці заплановані завдання? -CronExecute=Launch now +CronExecute=Запустити CronConfirmExecute=Ви впевнені, що хочете виконати ці заплановані завдання зараз? CronInfo=Модуль запланованих завдань дозволяє планувати завдання для їх автоматичного виконання. Роботи також можна запускати вручну. CronTask=Робота @@ -58,7 +58,7 @@ CronNote=Коментар CronFieldMandatory=Поля %s є обов’язковими для заповнення CronErrEndDateStartDt=Дата завершення не може передувати даті початку StatusAtInstall=Статус при установці модуля -CronStatusActiveBtn=Enable scheduling +CronStatusActiveBtn=Увімкнути розклад CronStatusInactiveBtn=Вимкнути CronTaskInactive=Це завдання вимкнено (не заплановано) CronId=id @@ -67,7 +67,7 @@ CronModuleHelp=Назва каталогу модуля Dolibarr (також р CronClassFileHelp=Відносний шлях та ім’я файлу для завантаження (шлях відносно кореневого каталогу веб-сервера).
      Наприклад, щоб викликати метод отримання об'єкта Dolibarr Product htdocs/product/class/ product.class.php , значення для назви файлу класу a0342fccfda19bclass38fcfda19bclass19bclass38fcfda19bclass38 CronObjectHelp=Ім'я об'єкта для завантаження.
      Наприклад, щоб викликати метод вибірки об'єкта Dolibarr Product /htdocs/product/class/product.class.php, значення для імені файлу класу:
      Product a0ae64758bac33z CronMethodHelp=Об'єктний метод для запуску.
      Наприклад, щоб викликати метод вибірки об'єкта Dolibarr Product /htdocs/product/class/product.class.php, значення для методу:
      fetch a0ae64758bac33z -CronArgsHelp=Аргументи методу.
      Наприклад, щоб викликати метод вибірки об'єкта Dolibarr Product /htdocs/product/class/product.class.php, значення параметрів може бути
      0, ProductRef a0a8bac34z +CronArgsHelp=Аргументи методу.
      Наприклад, щоб викликати метод вибірки об'єкта Dolibarr Product /htdocs/product/class/product.class.php, значення параметрів може бути
      0, ProductRef CronCommandHelp=Системний командний рядок для виконання. CronCreateJob=Створити нове завдання за розкладом CronFrom=Продавець @@ -84,17 +84,18 @@ MakeLocalDatabaseDumpShort=Резервне копіювання локальн MakeLocalDatabaseDump=Створіть локальний дамп бази даних. Параметри: стиснення ('gz' або 'bz' або 'none'), тип резервної копії ('mysql', 'pgsql', 'auto'), 1, 'auto' або ім'я файлу для створення, кількість файлів резервної копії для збереження MakeSendLocalDatabaseDumpShort=Надіслати резервну копію локальної бази даних MakeSendLocalDatabaseDump=Надсилайте резервну копію локальної бази даних електронною поштою. Параметри: до, від, тема, повідомлення, ім'я файлу (ім'я надісланого файлу), фільтр ("sql" лише для резервної копії бази даних) -BackupIsTooLargeSend=Sorry, last backup file is too large to be send by email -CleanUnfinishedCronjobShort=Clean unfinished cronjob -CleanUnfinishedCronjob=Clean cronjob stuck in processing when the process is no longer running +BackupIsTooLargeSend=На жаль, останній файл резервної копії завеликий для надсилання електронною поштою +CleanUnfinishedCronjobShort=Очистити незавершені cronjob +CleanUnfinishedCronjob=Очистити cronjob, який застряг в обробці, коли процес більше не виконується WarningCronDelayed=Увага, з метою продуктивності, незалежно від наступної дати виконання ввімкнених завдань, ваші завдання можуть бути відкладені максимум на %s годин перед запуском. DATAPOLICYJob=Засіб очищення та анонімізації даних JobXMustBeEnabled=Завдання %s має бути увімкнено -EmailIfError=Email for warning on error -ErrorInBatch=Error when running the job %s +EmailIfError=Email для попередження про помилку +JobNotFound=Завдання %s не знайдено в списку завдань (спробуй вимкнути/увімкнути модуль) +ErrorInBatch=Помилка під час виконання завдання %s # Cron Boxes LastExecutedScheduledJob=Остання виконана запланована робота NextScheduledJobExecute=Наступне заплановано завдання для виконання NumberScheduledJobError=Кількість запланованих завдань з помилкою -NumberScheduledJobNeverFinished=Number of scheduled jobs never finished +NumberScheduledJobNeverFinished=Кількість невиконаних запланованих завдань diff --git a/htdocs/langs/uk_UA/deliveries.lang b/htdocs/langs/uk_UA/deliveries.lang index 37d286f6d26..5040d8d555a 100644 --- a/htdocs/langs/uk_UA/deliveries.lang +++ b/htdocs/langs/uk_UA/deliveries.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - deliveries Delivery=Доставка DeliveryRef=Ref Доставка -DeliveryCard=Stock receipt +DeliveryCard=Квитанція DeliveryOrder=Квитанція про доставку DeliveryDate=Дата доставки CreateDeliveryOrder=Сформувати квитанцію про доставку diff --git a/htdocs/langs/uk_UA/dict.lang b/htdocs/langs/uk_UA/dict.lang index 305919ab898..48f985ae580 100644 --- a/htdocs/langs/uk_UA/dict.lang +++ b/htdocs/langs/uk_UA/dict.lang @@ -137,7 +137,7 @@ CountryLV=Латвія CountryLB=Ліван CountryLS=Лесото CountryLR=Ліберія -CountryLY=Libya +CountryLY=Лівія CountryLI=Ліхтенштейн CountryLT=Литва CountryLU=Люксембург @@ -247,13 +247,13 @@ CountryJE=Джерсі CountryME=Чорногорія CountryBL=Сен-Бартелемі CountryMF=Святий Мартін -CountryXK=Kosovo +CountryXK=Косово ##### Civilities ##### CivilityMME=Пані. -CivilityMMEShort=Mrs. +CivilityMMEShort=Місіс CivilityMR=Містер. -CivilityMRShort=Mr. +CivilityMRShort=Містер CivilityMLE=РС. CivilityMTRE=Майстер CivilityDR=лікар diff --git a/htdocs/langs/uk_UA/donations.lang b/htdocs/langs/uk_UA/donations.lang index ece2051a4af..35bb870d5bc 100644 --- a/htdocs/langs/uk_UA/donations.lang +++ b/htdocs/langs/uk_UA/donations.lang @@ -29,7 +29,7 @@ FreeTextOnDonations=Вільний текст для відображення в FrenchOptions=Варіанти для Франції DONATION_ART200=Якщо вас турбує, покажіть статтю 200 із CGI DONATION_ART238=Якщо вас турбує, покажіть статтю 238 із CGI -DONATION_ART978=Show article 978 from CGI if you are concerned +DONATION_ART978=Якщо ви стурбовані, покажіть статтю 978 із CGI DonationPayment=Оплата пожертв DonationValidated=Пожертвування %s підтверджено -DonationUseThirdparties=Використовуйте наявну третю сторону як координати донорів +DonationUseThirdparties=Використовуйте адресу існуючої третьої сторони як адресу донора diff --git a/htdocs/langs/uk_UA/errors.lang b/htdocs/langs/uk_UA/errors.lang index 1cd4633d865..50baba35f48 100644 --- a/htdocs/langs/uk_UA/errors.lang +++ b/htdocs/langs/uk_UA/errors.lang @@ -14,8 +14,8 @@ ErrorLoginAlreadyExists=Вхід %s вже існує. ErrorGroupAlreadyExists=Група %s вже існує. ErrorEmailAlreadyExists=Електронна адреса %s вже існує. ErrorRecordNotFound=Запис не знайдено. -ErrorRecordNotFoundShort=Not found -ErrorFailToCopyFile=Не вдалося скопіювати файл ' %s ' в ' %s a09a4b73. +ErrorRecordNotFoundShort=Не знайдено +ErrorFailToCopyFile=Не вдалося скопіювати файл ' %s ' в ' %s'. ErrorFailToCopyDir=Не вдалося скопіювати каталог ' %s ' в ' %s a09a17f7. ErrorFailToRenameFile=Не вдалося перейменувати файл ' %s ' в ' %s a09a17f7. ErrorFailToDeleteFile=Не вдалося видалити файл " %s ". @@ -32,6 +32,7 @@ ErrorBadThirdPartyName=Неправильне значення для імені ForbiddenBySetupRules=Заборонено правилами налаштування ErrorProdIdIsMandatory=%s є обов’язковим ErrorAccountancyCodeCustomerIsMandatory=Бухгалтерський код клієнта %s є обов'язковим +ErrorAccountancyCodeSupplierIsMandatory=The accountancy code of supplier %s is mandatory ErrorBadCustomerCodeSyntax=Поганий синтаксис коду клієнта ErrorBadBarCodeSyntax=Поганий синтаксис штрих-коду. Можливо, ви встановили неправильний тип штрих-коду або визначили маску штрих-коду для нумерації, яка не відповідає відсканованому значенню. ErrorCustomerCodeRequired=Необхідний код клієнта @@ -57,17 +58,18 @@ ErrorSubjectIsRequired=Тема електронного листа обов’ ErrorFailedToCreateDir=Не вдалося створити каталог. Перевірте, чи має користувач веб-сервера права запису в каталог документів Dolibarr. Якщо параметр safe_mode увімкнено на цьому PHP, переконайтеся, що файли Dolibarr php належать користувачеві (або групі) веб-сервера. ErrorNoMailDefinedForThisUser=Для цього користувача не визначено пошту ErrorSetupOfEmailsNotComplete=Налаштування електронних листів не завершено -ErrorFeatureNeedJavascript=Щоб ця функція працювала, потрібен javascript. Змініть це в налаштуваннях - дисплей. +ErrorFeatureNeedJavascript=This feature needs JavaScript to be activated to work. Change this in setup - display. ErrorTopMenuMustHaveAParentWithId0=Меню типу "Верхнє" не може мати батьківського меню. Поставте 0 у батьківському меню або виберіть меню типу «Ліво». ErrorLeftMenuMustHaveAParentId=Меню типу "Ліво" повинно мати батьківський ідентифікатор. ErrorFileNotFound=Файл %s не знайдено (поганий шлях, неправильні дозволи або доступ заборонено PHP openbasedir або параметр safe_mode) ErrorDirNotFound=Каталог %s не знайдено (поганий шлях, неправильні дозволи або доступ заборонено PHP openbasedir або параметр safe_mode) ErrorFunctionNotAvailableInPHP=Функція %s потрібна для цієї функції, але вона недоступна в цій версії/налаштуванні PHP. ErrorDirAlreadyExists=Каталог з такою назвою вже існує. +ErrorDirNotWritable=Directory %s is not writable. ErrorFileAlreadyExists=Файл з такою назвою вже існує. ErrorDestinationAlreadyExists=Інший файл з іменем %s вже існує. ErrorPartialFile=Файл не отримав повністю сервер. -ErrorNoTmpDir=Тимчасовий каталог %s не існує. +ErrorNoTmpDir=Temporary directory %s does not exists. ErrorUploadBlockedByAddon=Завантаження заблоковано плагіном PHP/Apache. ErrorFileSizeTooLarge=Розмір файлу завеликий або файл не надано. ErrorFieldTooLong=Поле %s задовге. @@ -90,9 +92,9 @@ ErrorPleaseTypeBankTransactionReportName=Будь ласка, введіть н ErrorRecordHasChildren=Не вдалося видалити запис, оскільки він має деякі дочірні записи. ErrorRecordHasAtLeastOneChildOfType=Об’єкт %s має принаймні одну дочірню частину типу %s ErrorRecordIsUsedCantDelete=Не вдається видалити запис. Він уже використовується або включений до іншого об'єкта. -ErrorModuleRequireJavascript=Javascript не потрібно відключати, щоб ця функція працювала. Щоб увімкнути/вимкнути Javascript, перейдіть до меню Головна->Налаштування->Дисплей. +ErrorModuleRequireJavascript=JavaScript must not be disabled to have this feature working. To enable/disable JavaScript, go to menu Home->Setup->Display. ErrorPasswordsMustMatch=Обидва введені паролі повинні відповідати один одному -ErrorContactEMail=Сталася технічна помилка. Будь ласка, зв’яжіться з адміністратором за електронною поштою %s і вкажіть код помилки %s a09a4b730 або додайте копію сторінки вашого повідомлення. +ErrorContactEMail=A technical error occurred. Please, contact administrator to following email %s and provide the error code %s in your message, or add a screen copy of this page. ErrorWrongValueForField=Поле %s : ' %s A09NICFRIMS0FZ0 A0CB20FRIFTIONM0303030303030303030303030303030308520308508508352030858350835083508358358358358358358358358358583583583583583583583583583583583583583583583. ErrorHtmlInjectionForField=Field %s: The value '%s' contains a malicious data not allowed ErrorFieldValueNotIn=Field %s : ' %s ' is not a value found in field %s of %s @@ -103,7 +105,8 @@ ErrorFileIsInfectedWithAVirus=Антивірусна програма не зм ErrorNumRefModel=Посилання існує в базі даних (%s) і несумісне з цим правилом нумерації. Видаліть запис або перейменуйте посилання, щоб активувати цей модуль. ErrorQtyTooLowForThisSupplier=Замала кількість для цього постачальника або ціна не визначена на цей продукт для цього постачальника ErrorOrdersNotCreatedQtyTooLow=Деякі замовлення не створено через занадто малу кількість -ErrorModuleSetupNotComplete=Налаштування модуля %s виглядає незавершеним. Щоб завершити, перейдіть на «Головна» - «Налаштування» - «Модулі». +ErrorOrderStatusCantBeSetToDelivered=Order status can't be set to delivered. +ErrorModuleSetupNotComplete=Setup of module %s looks to be incomplete. Go on Home - Setup - Modules to complete. ErrorBadMask=Помилка на масці ErrorBadMaskFailedToLocatePosOfSequence=Помилка, маска без порядкового номера ErrorBadMaskBadRazMonth=Помилка, неправильне значення скидання @@ -131,7 +134,7 @@ ErrorLoginDoesNotExists=Користувача з логіном %s н ErrorLoginHasNoEmail=Цей користувач не має електронної адреси. Процес перервано. ErrorBadValueForCode=Погане значення для коду безпеки. Спробуйте ще раз з новим значенням... ErrorBothFieldCantBeNegative=Поля %s і %s не можуть бути від’ємними -ErrorFieldCantBeNegativeOnInvoice=Поле %s не може бути від’ємним для цього типу рахунка-фактури. Якщо вам потрібно додати рядок знижки, просто спочатку створіть знижку (з поля '%s' в картці третьої сторони) і застосуйте її до рахунку-фактури. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in third-party card) and apply it to the invoice. ErrorLinesCantBeNegativeForOneVATRate=Загальна кількість рядків (за вирахуванням податку) не може бути від’ємною для даної ненульової ставки ПДВ (Знайдено від’ємну суму для ставки ПДВ %s %%). ErrorLinesCantBeNegativeOnDeposits=У депозиті рядки не можуть бути від’ємними. Ви зіткнетеся з проблемами, коли вам потрібно буде витратити заставу в остаточному рахунку-фактурі, якщо ви це зробите. ErrorQtyForCustomerInvoiceCantBeNegative=Кількість для рядка в рахунках-фактурах клієнта не може бути від’ємною @@ -166,7 +169,7 @@ ErrorPriceExpression4=Недопустимий символ "%s" ErrorPriceExpression5=Неочікуваний "%s" ErrorPriceExpression6=Неправильна кількість аргументів (вказано %s, очікувано %s) ErrorPriceExpression8=Неочікуваний оператор '%s' -ErrorPriceExpression9=Сталася неочікувана помилка +ErrorPriceExpression9=An unexpected error occurred ErrorPriceExpression10=В операторі '%s' відсутній операнд ErrorPriceExpression11=Очікується "%s" ErrorPriceExpression14=Ділення на нуль @@ -191,6 +194,7 @@ ErrorGlobalVariableUpdater4=Помилка клієнта SOAP з помилко ErrorGlobalVariableUpdater5=Глобальну змінну не вибрано ErrorFieldMustBeANumeric=Поле %s має бути числовим значенням ErrorMandatoryParametersNotProvided=Обов’язковий параметр(и) не вказано +ErrorOppStatusRequiredIfUsage=You choose to follow an opportunity in this project, so you must also fill out the Lead status. ErrorOppStatusRequiredIfAmount=Ви встановили приблизну суму для цього потенційного клієнта. Тому ви також повинні ввести його статус. ErrorFailedToLoadModuleDescriptorForXXX=Не вдалося завантажити клас дескриптора модуля для %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Погане визначення масиву меню в дескрипторі модуля (погане значення для клавіші fk_menu) @@ -239,7 +243,7 @@ ErrorURLMustStartWithHttp=URL-адреса %s має починатися з htt ErrorHostMustNotStartWithHttp=Ім'я хоста %s НЕ повинно починатися з http:// або https:// ErrorNewRefIsAlreadyUsed=Помилка, новий посилання вже використовується ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Помилка. Видалити платіж, пов’язаний із закритим рахунком-фактурою, неможливо. -ErrorSearchCriteriaTooSmall=Критерії пошуку замалі. +ErrorSearchCriteriaTooSmall=Search criteria too short. ErrorObjectMustHaveStatusActiveToBeDisabled=Об’єкти повинні мати статус «Активні», щоб бути вимкненими ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Щоб увімкнути, об’єкти повинні мати статус «Чернетка» або «Вимкнено». ErrorNoFieldWithAttributeShowoncombobox=Жодне поля не має властивості 'showoncombobox' у визначенні об'єкта '%s'. Неможливо показати комболіст. @@ -258,10 +262,11 @@ ErrorReplaceStringEmpty=Помилка, рядок для заміни поро ErrorProductNeedBatchNumber=Помилка, продукту ' %s ' потрібна партія/серійний номер ErrorProductDoesNotNeedBatchNumber=Помилка, продукт ' %s ' не приймає партію/серійний номер ErrorFailedToReadObject=Помилка, не вдалося прочитати об’єкт типу %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Помилка, параметр %s має бути включений в conf/conf.php a0aee833365837fz0, щоб дозволити використання Interface внутрішнє завдання команди Liface +ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php<> to allow use of Command Line Interface by the internal job scheduler ErrorLoginDateValidity=Помилка, цей логін вийшов за межі діапазону дат дії ErrorValueLength=Довжина поля ' %s ' має бути вищою за ' %s a09f147 ErrorReservedKeyword=Слово ' %s ' є зарезервованим ключовим словом +ErrorFilenameReserved=The filename %s can't be used as it is a reserved and protected command. ErrorNotAvailableWithThisDistribution=Недоступно з цим дистрибутивом ErrorPublicInterfaceNotEnabled=Загальнодоступний інтерфейс не ввімкнено ErrorLanguageRequiredIfPageIsTranslationOfAnother=Мова нової сторінки має бути визначена, якщо вона встановлена як переклад іншої сторінки @@ -294,15 +299,36 @@ ErrorAjaxRequestFailed=Request failed ErrorThirpdartyOrMemberidIsMandatory=Third party or Member of partnership is mandatory ErrorFailedToWriteInTempDirectory=Failed to write in temp directory ErrorQuantityIsLimitedTo=Quantity is limited to %s -ErrorFailedToLoadThirdParty=Failed to find/load thirdparty from id=%s, email=%s, name=%s +ErrorFailedToLoadThirdParty=Failed to find/load third party from id=%s, email=%s, name=%s ErrorThisPaymentModeIsNotSepa=This payment mode is not a bank account -ErrorStripeCustomerNotFoundCreateFirst=Stripe customer is not set for this thirdparty (or set to a value deleted on Stripe side). Create (or re-attach) it first. +ErrorStripeCustomerNotFoundCreateFirst=Stripe customer is not set for this third party (or set to a value deleted on Stripe side). Create (or re-attach) it first. ErrorCharPlusNotSupportedByImapForSearch=IMAP search is not able to search into sender or recipient for a string containing the character + ErrorTableNotFound=Table %s not found +ErrorRefNotFound=Ref %s not found ErrorValueForTooLow=Value for %s is too low ErrorValueCantBeNull=Value for %s can't be null ErrorDateOfMovementLowerThanDateOfFileTransmission=The date of the bank transaction can't be lower than the date of the file transmission ErrorTooMuchFileInForm=Too much files in form, the maximum number is %s file(s) +ErrorSessionInvalidatedAfterPasswordChange=The session was been invalidated following a change of password, email, status or dates of validity. Please relogin. +ErrorExistingPermission = Permission %s for object %s already exists +ErrorFieldExist=The value for %s already exist +ErrorEqualModule=Module invalid in %s +ErrorFieldValue=Value for %s is incorrect +ErrorCoherenceMenu=%s is required when %s is 'left' +ErrorUploadFileDragDrop=There was an error while the file(s) upload +ErrorUploadFileDragDropPermissionDenied=There was an error while the file(s) upload : Permission denied +ErrorFixThisHere=Fix this here +ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Error: The URL of you current instance (%s) does not match the URL defined into your OAuth2 login setup (%s). Doing OAuth2 login in such a configuration is not allowed. +ErrorMenuExistValue=A Menu already exist with this Title or URL +ErrorSVGFilesNotAllowedAsLinksWithout=SVG files are not allowed as external links without the option %s +ErrorTypeMenu=Impossible to add another menu for the same module on the navbar, not handle yet +ErrorObjectNotFound = The object %s is not found, please check your url +ErrorCountryCodeMustBe2Char=Country code must be a 2 character string + +ErrorTableExist=Table %s already exist +ErrorDictionaryNotFound=Dictionary %s not found +ErrorFailedToCreateSymLinkToMedias=Failed to create the symbolic link %s to point to %s +ErrorCheckTheCommandInsideTheAdvancedOptions=Check the command used for the export into the Advanced options of the export # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Ваш параметр PHP upload_max_filesize (%s) вищий за параметр PHP post_max_size (%s). Це не послідовне налаштування. @@ -325,6 +351,7 @@ WarningPaymentDateLowerThanInvoiceDate=Дата платежу (%s) раніше WarningTooManyDataPleaseUseMoreFilters=Забагато даних (більше, ніж %s рядків). Будь ласка, використовуйте більше фільтрів або встановіть для константи %s вищу межу. WarningSomeLinesWithNullHourlyRate=Деякі користувачі зафіксували деякі часи, а їхня погодинна ставка не була визначена. Використано значення 0 %s на годину, але це може призвести до неправильної оцінки витраченого часу. WarningYourLoginWasModifiedPleaseLogin=Ваш логін був змінений. З метою безпеки вам доведеться увійти під своїм новим логіном перед наступною дією. +WarningYourPasswordWasModifiedPleaseLogin=Your password was modified. For security purpose you will have to login now with your new password. WarningAnEntryAlreadyExistForTransKey=Для ключа перекладу для цієї мови вже існує запис WarningNumberOfRecipientIsRestrictedInMassAction=Попередження, кількість різних одержувачів обмежена до %s при використанні масових дій у списках WarningDateOfLineMustBeInExpenseReportRange=Попередження, дата рядка не входить у діапазон звіту про витрати @@ -340,6 +367,19 @@ WarningPaypalPaymentNotCompatibleWithStrict=Значення "Strict" робит WarningThemeForcedTo=Warning, theme has been forced to %s by hidden constant MAIN_FORCETHEME WarningPagesWillBeDeleted=Warning, this will also delete all existing pages/containers of the website. You should export your website before, so you have a backup to re-import it later. WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Automatic validation is disabled when option to decrease stock is set on "Invoice validation". +WarningModuleNeedRefresh = Module %s has been disabled. Don't forget to enable it +WarningPermissionAlreadyExist=Existing permissions for this object +WarningGoOnAccountancySetupToAddAccounts=If this list is empty, go into menu %s - %s - %s to load or create accounts for your chart of account. +WarningCorrectedInvoiceNotFound=Corrected invoice not found +WarningCommentNotFound=Please check placement of start and end comments for %s section in file %s before submitting your action +WarningAlreadyReverse=Stock movement already reversed + +SwissQrOnlyVIR = SwissQR invoice can only be added on invoices set to be paid with credit transfer payments. +SwissQrCreditorAddressInvalid = Creditor address is invalid (are ZIP and city set? (%s) +SwissQrCreditorInformationInvalid = Creditor information is invalid for IBAN (%s): %s +SwissQrIbanNotImplementedYet = QR-IBAN not implemented yet +SwissQrPaymentInformationInvalid = Payment information was invalid for total %s : %s +SwissQrDebitorAddressInvalid = Debitor information was invalid (%s) # Validate RequireValidValue = Недійсне значення @@ -361,3 +401,4 @@ BadSetupOfField = Помилка неправильне налаштування BadSetupOfFieldClassNotFoundForValidation = Помилка неправильного налаштування поля: клас не знайдено для перевірки BadSetupOfFieldFileNotFound = Помилка неправильного налаштування поля: файл не знайдено для включення BadSetupOfFieldFetchNotCallable = Помилка неправильного налаштування поля: вибірку не можна викликати у класі +ErrorTooManyAttempts= Too many attempts, please try again later diff --git a/htdocs/langs/uk_UA/hrm.lang b/htdocs/langs/uk_UA/hrm.lang index 9175e5488ca..3c32a7eb48a 100644 --- a/htdocs/langs/uk_UA/hrm.lang +++ b/htdocs/langs/uk_UA/hrm.lang @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Опис звань за замовчування deplacement=Зміна DateEval=Дата оцінки JobCard=Картка роботи -JobPosition=Робота -JobsPosition=Робота +NewJobProfile=New Job Profile +JobProfile=Job profile +JobsProfiles=Job profiles NewSkill=Нова навичка SkillType=Тип навику Skilldets=Список звань для цієї навички @@ -36,7 +37,7 @@ rank=Ранг ErrNoSkillSelected=Навичку не вибрано ErrSkillAlreadyAdded=Ця навичка вже є в списку SkillHasNoLines=Цей навик не має ліній -skill=майстерність +Skill=Skill Skills=Навички SkillCard=Карта навичок EmployeeSkillsUpdated=Оновлено навички співробітників (див. вкладку «Навички» картки співробітника) @@ -44,33 +45,36 @@ Eval=Оцінка Evals=Оцінки NewEval=Нова оцінка ValidateEvaluation=Підтвердити оцінку -ConfirmValidateEvaluation=Ви впевнені, що хочете підтвердити цю оцінку за посиланням %s ? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=Оціночна картка -RequiredRank=Необхідний ранг для цієї роботи +RequiredRank=Required rank for the job profile +RequiredRankShort=Required rank +PositionsWithThisProfile=Positions with this job profiles EmployeeRank=Ранг співробітника за цю навичку +EmployeeRankShort=Employee rank EmployeePosition=Посада співробітника EmployeePositions=Посади співробітників EmployeesInThisPosition=Співробітники на цій посаді group1ToCompare=Група користувачів для аналізу group2ToCompare=Друга група користувачів для порівняння -OrJobToCompare=Порівняйте з вимогами до професійних навичок +OrJobToCompare=Compare to skill requirements of a job profile difference=Різниця CompetenceAcquiredByOneOrMore=Компетенція, отримана одним або кількома користувачами, але не запитувана другим компаратором -MaxlevelGreaterThan=Максимальний рівень, більший за запитаний -MaxLevelEqualTo=Максимальний рівень, що відповідає цій потребі -MaxLevelLowerThan=Максимальний рівень нижчий за цей попит -MaxlevelGreaterThanShort=Рівень співробітника вище, ніж запитуваний -MaxLevelEqualToShort=Рівень працівників відповідає цьому попиту -MaxLevelLowerThanShort=Рівень співробітників нижчий за цей попит +MaxlevelGreaterThan=Employee level is greater than the expected level +MaxLevelEqualTo=Employee level is equals to the expected level +MaxLevelLowerThan=Employee level is lower than that the expected level +MaxlevelGreaterThanShort=Level greater than expected +MaxLevelEqualToShort=Level equal to the expected level +MaxLevelLowerThanShort=Level lower than expected SkillNotAcquired=Навички набувають не всі користувачі та запитують другий компаратор legend=Легенда TypeSkill=Тип навику -AddSkill=Додайте навички до роботи -RequiredSkills=Необхідні навички для цієї роботи +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile UserRank=Ранг користувача SkillList=Список навичок SaveRank=Збережіть звання -TypeKnowHow=Know how +TypeKnowHow=Know-how TypeHowToBe=How to be TypeKnowledge=Knowledge AbandonmentComment=Коментар про відмову @@ -85,7 +89,9 @@ VacantCheckboxHelper=Якщо вибрати цей параметр, відоб SaveAddSkill = Навички додані SaveLevelSkill = Рівень навичок(ів) збережено DeleteSkill = Навик видалено -SkillsExtraFields=Attributs supplémentaires (Compétences) -JobsExtraFields=Додаткові атрибути (Emplois) -EvaluationsExtraFields=Attributes supplémentaires (оцінки) +SkillsExtraFields=Complementary attributes (Skills) +JobsExtraFields=Complementary attributes (Job profile) +EvaluationsExtraFields=Complementary attributes (Evaluations) NeedBusinessTravels=Need business travels +NoDescription=No description +TheJobProfileHasNoSkillsDefinedFixBefore=The evaluated job profile of this employee has no skill defined on it. Please add skill(s), then delete and restart the evaluation. diff --git a/htdocs/langs/uk_UA/loan.lang b/htdocs/langs/uk_UA/loan.lang index d56a8ab0944..48fbae07c0b 100644 --- a/htdocs/langs/uk_UA/loan.lang +++ b/htdocs/langs/uk_UA/loan.lang @@ -23,7 +23,7 @@ AddLoan=Створити позику FinancialCommitment=Фінансові зобов'язання InterestAmount=Інтерес CapitalRemain=Залишається капітал -TermPaidAllreadyPaid = Цей термін уже оплачений +TermPaidAllreadyPaid = Цей срок вже оплачений CantUseScheduleWithLoanStartedToPaid = Can't generate a timeline for a loan with a payment started CantModifyInterestIfScheduleIsUsed = Ви не можете змінити відсотки, якщо використовуєте розклад # Admin diff --git a/htdocs/langs/uk_UA/main.lang b/htdocs/langs/uk_UA/main.lang index 15c268cddd7..8a1a85d43a8 100644 --- a/htdocs/langs/uk_UA/main.lang +++ b/htdocs/langs/uk_UA/main.lang @@ -20,7 +20,7 @@ FormatDateShortJava=dd.MM.yyyy FormatDateShortJavaInput=dd.MM.yyyy FormatDateShortJQuery=dd.mm.yy FormatDateShortJQueryInput=dd.mm.yy -FormatHourShortJQuery=HH: MI +FormatHourShortJQuery=HH:MI FormatHourShort=%I:%M %p FormatHourShortDuration=ЧЧ:ММ FormatDateTextShort=%d %b %Y @@ -36,7 +36,7 @@ NoTranslation=Немає перекладу Translation=Переклад Translations=Translations CurrentTimeZone=PHP TimeZone (сервер) -EmptySearchString=Введіть не порожні критерії пошуку +EmptySearchString=Enter non empty search criteria EnterADateCriteria=Введіть критерії дати NoRecordFound=Записів не знайдено NoRecordDeleted=Жодного запису не видалено @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Не вдалося надіслати пошту (від ErrorFileNotUploaded=Файл не завантажений. Переконайтеся, що розмір не перевищує максимально допустимий, що достатньо вільного місця на диску і що не існує вже файл з таким же ім'ям в цій директорії. ErrorInternalErrorDetected=Виявлено помилку ErrorWrongHostParameter=Неправильний параметр хосту -ErrorYourCountryIsNotDefined=Ваша країна не визначена. Перейдіть до Home-Setup-Edit і знову опублікуйте форму. +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=Не вдалося видалити цей запис. Цей запис використовується принаймні одним дочірнім записом. ErrorWrongValue=Неправильне значення ErrorWrongValueForParameterX=Неправильне значення для параметра %s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Помилка, для країни "%s" ErrorNoSocialContributionForSellerCountry=Помилка, тип соціальних/фіскальних податків не визначено для країни "%s". ErrorFailedToSaveFile=Помилка, не вдалося зберегти файл. ErrorCannotAddThisParentWarehouse=Ви намагаєтеся додати батьківський склад, який уже є дочірнім до існуючого складу +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=Поле "%s" не може бути від'ємним MaxNbOfRecordPerPage=Макс. кількість записів на сторінці NotAuthorized=Ви не уповноважені це робити. @@ -103,7 +104,8 @@ RecordGenerated=Запис створено LevelOfFeature=Рівень можливостей NotDefined=Не визначено DolibarrInHttpAuthenticationSoPasswordUseless=Режим автентифікації Dolibarr встановлено на %s у файлі конфігурації conf.php
      Це означає, що база даних паролів є зовнішньою для Dolibarr, тому зміна цього поля може не мати ефекту. -Administrator=Адміністратор +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=Невизначено PasswordForgotten=Пароль забули? NoAccount=Немає облікового запису? @@ -211,8 +213,8 @@ Select=Виберіть SelectAll=Вибрати все Choose=Виберіть Resize=Змінити розмір +Crop=Crop ResizeOrCrop=Змінити розмір або обрізати -Recenter=Recenter Author=Автор User=Користувач Users=Користувачі @@ -235,6 +237,8 @@ PersonalValue=Особиста цінність NewObject=Новий %s NewValue=Нове значення OldValue=Старе значення %s +FieldXModified=Field %s modified +FieldXModifiedFromYToZ=Field %s modified from %s to %s CurrentValue=Поточна вартість Code=код Type=Тип @@ -346,6 +350,7 @@ MonthOfDay=Місяць дня DaysOfWeek=Дні тижня HourShort=Х MinuteShort=мн +SecondShort=sec Rate=Оцінити CurrencyRate=Курс обміну валют UseLocalTax=Включити податок @@ -441,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Додаткові центи +LT1GC=Additional cents VATRate=Ставка податку RateOfTaxN=Ставка податку %s VATCode=Код ставки податку @@ -544,6 +549,7 @@ Reportings=Звітність Draft=Проект Drafts=Чернетки StatusInterInvoiced=Виставлений рахунок +Done=Done Validated=Підтверджений ValidatedToProduce=Перевірено (для виробництва) Opened=ВІДЧИНЕНО @@ -555,6 +561,7 @@ Unknown=Невизначена General=Генеральний Size=Розмір OriginalSize=Оригінальний розмір +RotateImage=Rotate 90° Received=Отримано Paid=Сплачений Topic=Тема @@ -694,6 +701,7 @@ Response=Відповідь Priority=Пріоритет SendByMail=Надіслати електронною поштою MailSentBy=Електронний лист надіслав +MailSentByTo=Email sent by %s to %s NotSent=Не надіслано TextUsedInTheMessageBody=Тіло електронної пошти SendAcknowledgementByMail=Надіслати підтвердження електронною поштою @@ -718,6 +726,7 @@ RecordModifiedSuccessfully=Запис успішно змінено RecordsModified=%s запис(и) змінено RecordsDeleted=%s запис(ів) видалено RecordsGenerated=%s згенеровано запис(ів). +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=Автоматичний код FeatureDisabled=Функція вимкнена MoveBox=Перемістити віджет @@ -760,11 +769,10 @@ DisabledModules=Відключені модулі For=Для ForCustomer=Для замовника Signature=Підпис -DateOfSignature=Дата підпису HidePassword=Показати команду з прихованим паролем UnHidePassword=Показати справжню команду з чітким паролем Root=Корінь -RootOfMedias=Корінь публічних ЗМІ (/medias) +RootOfMedias=Root of public media (/medias) Informations=Інформація Page=Сторінка Notes=Примітки @@ -912,6 +920,7 @@ BackOffice=Бек-офіс Submit=Подати View=Переглянути Export=Export +Import=Import Exports=Exports ExportFilteredList=Експортувати відфільтрований список ExportList=Список експорту @@ -945,7 +954,7 @@ BulkActions=Масові дії ClickToShowHelp=Натисніть, щоб показати підказку WebSite=Веб-сайт WebSites=веб-сайти -WebSiteAccounts=Облікові записи веб-сайтів +WebSiteAccounts=Web access accounts ExpenseReport=Звіт про витрати ExpenseReports=Звіти про витрати HR=HR @@ -1073,6 +1082,7 @@ CommentPage=Місце для коментарів CommentAdded=Коментар додано CommentDeleted=Коментар видалено Everybody=Усі +EverybodySmall=Everybody PayedBy=Оплачено PayedTo=Оплачено до Monthly=Щомісячно @@ -1085,7 +1095,7 @@ KeyboardShortcut=Комбінація клавіш AssignedTo=Призначено Deletedraft=Видалити чернетку ConfirmMassDraftDeletion=Підтвердження масового видалення чернетки -FileSharedViaALink=Файл надано за загальнодоступним посиланням +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Спочатку виберіть третю сторону... YouAreCurrentlyInSandboxMode=Зараз ви перебуваєте в режимі «пісочниці» %s Inventory=Інвентаризація @@ -1119,7 +1129,7 @@ ContactDefault_project_task=Завдання ContactDefault_propal=Пропозиція ContactDefault_supplier_proposal=Пропозиція постачальника ContactDefault_ticket=Квиток -ContactAddedAutomatically=Контакт додано зі сторонніх ролей контакту +ContactAddedAutomatically=Contact added from third-party contact roles More=Більше ShowDetails=Показати деталі CustomReports=Спеціальні звіти @@ -1159,8 +1169,8 @@ AffectTag=Assign a Tag AffectUser=Assign a User SetSupervisor=Set the supervisor CreateExternalUser=Створити зовнішнього користувача -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=Role assigned on each project/opportunity TasksRole=Role assigned on each task (if used) ConfirmSetSupervisor=Bulk Supervisor Set @@ -1218,7 +1228,7 @@ UserAgent=User Agent InternalUser=Внутрішній користувач ExternalUser=Зовнішній користувач NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=Hide %s AddToContacts=Add address to my contacts LastAccess=Last access @@ -1229,4 +1239,24 @@ PublicVirtualCard=Virtual business card TreeView=Tree view DropFileToAddItToObject=Drop a file to add it to this object UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <= or >= before the value to filter using a mathematical comparison +SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +InProgress=In progress +DateOfPrinting=Date of printing +ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. +UserNotYetValid=Not yet valid +UserExpired=Expired +LinkANewFile=Link a new file/document +LinkedFiles=Linked files and documents +NoLinkFound=No registered links +LinkComplete=The file has been linked successfully +ErrorFileNotLinked=The file could not be linked +LinkRemoved=The link %s has been removed +ErrorFailedToDeleteLink= Failed to remove link '%s' +ErrorFailedToUpdateLink= Failed to update link '%s' +URLToLink=URL to link +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/uk_UA/oauth.lang b/htdocs/langs/uk_UA/oauth.lang index c59d15d7fe4..4c518a5c9ac 100644 --- a/htdocs/langs/uk_UA/oauth.lang +++ b/htdocs/langs/uk_UA/oauth.lang @@ -9,9 +9,11 @@ HasAccessToken=Токен було створено та збережено в NewTokenStored=Токен отримано та збережено ToCheckDeleteTokenOnProvider=Натисніть тут, щоб перевірити/видалити авторизацію, збережену постачальником OAuth %s TokenDeleted=Токен видалено +GetAccess=Click here to get a token RequestAccess=Click here to request/renew access and receive a new token -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=Використовуйте таку URL-адресу як URI переспрямування під час створення облікових даних у свого постачальника OAuth: +DeleteAccess=Click here to delete the token +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens SeePreviousTab=Дивіться попередню вкладку @@ -30,7 +32,11 @@ OAUTH_GITHUB_SECRET=Секрет OAuth GitHub OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live -OAUTH_ID=OAuth ID +OAUTH_ID=OAuth Client ID OAUTH_SECRET=OAuth secret +OAUTH_TENANT=OAuth tenant OAuthProviderAdded=OAuth provider added AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists +URLOfServiceForAuthorization=URL provided by OAuth service for authentication +Scopes=Permissions (Scopes) +ScopeUndefined=Permissions (Scopes) undefined (see previous tab) diff --git a/htdocs/langs/uk_UA/productbatch.lang b/htdocs/langs/uk_UA/productbatch.lang index b4b86b640c1..b05b95ed914 100644 --- a/htdocs/langs/uk_UA/productbatch.lang +++ b/htdocs/langs/uk_UA/productbatch.lang @@ -17,9 +17,9 @@ printBatch=Лот/Серійний номер: %s printEatby=Споживання: %s printSellby=Продавець: %s printQty=Кількість: %d -printPlannedWarehouse=Warehouse: %s +printPlannedWarehouse=Склад: %s AddDispatchBatchLine=Додайте рядок для відправлення терміну придатності -WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic stock decrease is forced to '%s' and automatic increase mode is forced to '%s'. Some choices may be not available. Other options can be defined as you want. +WhenProductBatchModuleOnOptionAreForced=Коли модуль Lot/Serial увімкнено, автоматичне зменшення запасів стає '%s' , а режим автоматичного збільшення '%s'. Деякі варіанти можуть бути недоступними. Інші параметри можна визначити за бажанням. ProductDoesNotUseBatchSerial=Цей продукт не використовує партію/серійний номер ProductLotSetup=Налаштування лоту/серійного модуля ShowCurrentStockOfLot=Показати поточний запас для пари продуктів/партії @@ -45,3 +45,5 @@ OutOfOrder=Вийшов з ладу InWorkingOrder=В робочому стані ToReplace=Замінити CantMoveNonExistantSerial=Помилка. Ви просите перенести платівку для серіалу, який більше не існує. Можливо, ви берете один і той же серійний номер на тому самому складі кілька разів в одній відправці або він використовувався іншим відправленням. Видаліть цю відправку та підготуйте іншу. +TableLotIncompleteRunRepairWithParamStandardEqualConfirmed=Таблиця lot незавершила відновлення з параметром '...repair.php?standard=confirmed' +IlligalQtyForSerialNumbers= Потрібна корекція запасу через унікальний серійний номер. diff --git a/htdocs/langs/uk_UA/products.lang b/htdocs/langs/uk_UA/products.lang index b99304298cc..b2d980fced3 100644 --- a/htdocs/langs/uk_UA/products.lang +++ b/htdocs/langs/uk_UA/products.lang @@ -80,8 +80,11 @@ SoldAmount=Продана сума PurchasedAmount=Куплена сума NewPrice=Нова ціна MinPrice=Хв. відпускна ціна +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=Редагувати етикетку ціни продажу -CantBeLessThanMinPrice=Ціна продажу не може бути нижчою за мінімально дозволений для цього продукту (%s без податку). Це повідомлення також може з’явитися, якщо ви введете надто важливу знижку. +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=Зачинено ErrorProductAlreadyExists=Продукт із посиланням %s вже існує. ErrorProductBadRefOrLabel=Неправильне значення для посилання або етикетки. @@ -347,16 +350,17 @@ UseProductFournDesc=Додайте функцію для визначення о ProductSupplierDescription=Опис постачальника товару UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=Ви автоматично придбаєте кратну цю кількість. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=Кількість лінії було перераховано відповідно до упаковки постачальника #Attributes +Attributes=Attributes VariantAttributes=Варіантні атрибути ProductAttributes=Варіантні атрибути для продуктів ProductAttributeName=Атрибут варіанта %s ProductAttribute=Варіантний атрибут ProductAttributeDeleteDialog=Ви впевнені, що хочете видалити цей атрибут? Усі значення буде видалено -ProductAttributeValueDeleteDialog=Ви впевнені, що хочете видалити значення "%s" із посиланням "%s" цього атрибута? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Ви впевнені, що хочете видалити варіант товару " %s "? ProductCombinationAlreadyUsed=Під час видалення варіанта сталася помилка. Будь ласка, перевірте, чи він не використовується в жодному об’єкті ProductCombinations=Варіанти @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Під час спроби видалити на NbOfDifferentValues=Кількість різних значень NbProducts=Кількість продуктів ParentProduct=Батьківський продукт +ParentProductOfVariant=Parent product of variant HideChildProducts=Приховати варіанти товарів ShowChildProducts=Показати варіанти товарів NoEditVariants=Перейдіть до картки батьківського продукту та відредагуйте вплив на ціну варіантів на вкладці "Варианти". @@ -417,7 +422,7 @@ ErrorsProductsMerge=Помилки в продуктах злиття SwitchOnSaleStatus=Увімкнути статус продажу SwitchOnPurchaseStatus=Увімкніть статус покупки UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Додаткові поля (рух акцій) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Додаткові поля (інвентар) ScanOrTypeOrCopyPasteYourBarCodes=Скануйте або введіть або скопіюйте/вставте свої штрих-коди PuttingPricesUpToDate=Оновіть ціни з поточними відомими цінами @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Select the extrafield you want modify ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? ModifyValueExtrafields = Modify value of an extrafield OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/uk_UA/projects.lang b/htdocs/langs/uk_UA/projects.lang index 714b5cbdb06..35bf8608b31 100644 --- a/htdocs/langs/uk_UA/projects.lang +++ b/htdocs/langs/uk_UA/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Out of project NoProject=Жодного проекту не визначено чи належить NbOfProjects=Кількість проектів NbOfTasks=Кількість завдань +TimeEntry=Time tracking TimeSpent=Витрачений час +TimeSpentSmall=Time spent TimeSpentByYou=Час, проведений вами TimeSpentByUser=Час, витрачений користувачем -TimesSpent=Витрачений час TaskId=Ідентифікатор завдання RefTask=Завдання ref. LabelTask=Мітка завдання @@ -82,7 +83,7 @@ MyProjectsArea=Зона моїх проектів DurationEffective=Ефективна тривалість ProgressDeclared=Заявлений реальний прогрес TaskProgressSummary=Хід завдання -CurentlyOpenedTasks=Наразі відкриті завдання +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=Заявлений реальний прогрес менший %s, ніж прогрес споживання TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Заявлений реальний прогрес більше %s, ніж прогрес споживання ProgressCalculated=Прогрес у споживанні @@ -122,7 +123,7 @@ TaskHasChild=Завдання має дитину NotOwnerOfProject=Не власник цього приватного проекту AffectedTo=Виділено до CantRemoveProject=Цей проект не можна видалити, оскільки на нього посилаються деякі інші об’єкти (рахунки-фактури, замовлення тощо). Дивіться вкладку "%s". -ValidateProject=Перевірити проект +ValidateProject=Validate project ConfirmValidateProject=Ви впевнені, що хочете підтвердити цей проект? CloseAProject=Закрити проект ConfirmCloseAProject=Ви впевнені, що хочете закрити цей проект? @@ -226,7 +227,7 @@ ProjectsStatistics=Статистика проектів або лідів TasksStatistics=Статистика по завданнях проектів або лідів TaskAssignedToEnterTime=Завдання поставлено. Введення часу на це завдання має бути можливим. IdTaskTime=Ідентифікатор часу завдання -YouCanCompleteRef=Якщо ви хочете доповнити посилання деяким суфіксом, рекомендується додати символ - для його розділення, щоб автоматична нумерація все одно працювала правильно для наступних проектів. Наприклад, %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Відкриті проекти сторонніх осіб OnlyOpportunitiesShort=Тільки веде OpenedOpportunitiesShort=Відкриті відведення @@ -238,7 +239,7 @@ OpportunityPonderatedAmountDesc=Кількість потенційних клі OppStatusPROSP=Розвідка OppStatusQUAL=Кваліфікація OppStatusPROPO=Пропозиція -OppStatusNEGO=Переговори +OppStatusNEGO=Negotiation OppStatusPENDING=В очікуванні OppStatusWON=Виграв OppStatusLOST=Загублено diff --git a/htdocs/langs/uk_UA/receptions.lang b/htdocs/langs/uk_UA/receptions.lang index cdcc80ceed3..32e11ed4140 100644 --- a/htdocs/langs/uk_UA/receptions.lang +++ b/htdocs/langs/uk_UA/receptions.lang @@ -32,10 +32,11 @@ StatusReceptionDraftShort=Проект StatusReceptionValidatedShort=Підтверджений StatusReceptionProcessedShort=Оброблений ReceptionSheet=Приймальний лист +ValidateReception=Validate reception ConfirmDeleteReception=Ви впевнені, що хочете видалити цей прийом? -ConfirmValidateReception=Ви впевнені, що хочете підтвердити цей прийом посиланням %s ? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Ви впевнені, що хочете скасувати цей прийом? -StatsOnReceptionsOnlyValidated=Статистика, проведена на прийомах, лише перевірена. Використовується дата підтвердження отримання (запланована дата доставки не завжди відома). +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=Надіслати прийом електронною поштою SendReceptionRef=Подання прийому %s ActionsOnReception=Події на прийомі @@ -48,7 +49,10 @@ ReceptionsNumberingModules=Нумераційний модуль для прий ReceptionsReceiptModel=Шаблони документів для прийомів NoMorePredefinedProductToDispatch=Більше ніяких попередньо визначених продуктів для відправки ReceptionExist=Приймальня існує -ByingPrice=Вихідна ціна ReceptionBackToDraftInDolibarr=Прийом %s повернутися до чернетки ReceptionClassifyClosedInDolibarr=Прийом %s закритий ReceptionUnClassifyCloseddInDolibarr=Прийом %s знову відкритий +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/uk_UA/sendings.lang b/htdocs/langs/uk_UA/sendings.lang index 62ee03e56c6..a70be7b0daa 100644 --- a/htdocs/langs/uk_UA/sendings.lang +++ b/htdocs/langs/uk_UA/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Підтверджений StatusSendingProcessedShort=Оброблений SendingSheet=Відвантажувальний лист ConfirmDeleteSending=Ви впевнені, що хочете видалити це відправлення? -ConfirmValidateSending=Ви впевнені, що хочете підтвердити це відправлення з посиланням %s ? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Ви впевнені, що хочете скасувати цю відправку? DocumentModelMerou=Модель Merou A5 WarningNoQtyLeftToSend=Попередження, немає продуктів, які очікують на відправку. @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Кількість товару з NoProductToShipFoundIntoStock=На складі не знайдено жодного товару для відправлення %s . Виправте запас або поверніться, щоб вибрати інший склад. WeightVolShort=Вага/об. ValidateOrderFirstBeforeShipment=Ви повинні спочатку підтвердити замовлення, перш ніж мати можливість здійснювати відправлення. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Сума ваг продукту # warehouse details DetailWarehouseNumber= Деталі складу DetailWarehouseFormat= W:%s (кількість: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/uk_UA/website.lang b/htdocs/langs/uk_UA/website.lang index c72ced3c481..71d3b42ed39 100644 --- a/htdocs/langs/uk_UA/website.lang +++ b/htdocs/langs/uk_UA/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=Альтернативні назви/псевдоніми ст WEBSITE_ALIASALTDesc=Використовуйте тут список інших імен/псевдонімів, щоб отримати доступ до сторінки за допомогою інших імен/псевдонімів (наприклад, старе ім’я після перейменування псевдоніма, щоб зворотне посилання на старе посилання/ім’я працювало). Синтаксис:
      альтернативне ім'я1, альтернативне ім'я2, ... WEBSITE_CSS_URL=URL-адреса зовнішнього файлу CSS WEBSITE_CSS_INLINE=Вміст файлу CSS (загальний для всіх сторінок) -WEBSITE_JS_INLINE=Вміст файлу Javascript (загальний для всіх сторінок) +WEBSITE_JS_INLINE=JavaScript file content (common to all pages) WEBSITE_HTML_HEADER=Додавання внизу заголовка HTML (загальне для всіх сторінок) WEBSITE_ROBOT=Файл робота (robots.txt) WEBSITE_HTACCESS=Файл веб-сайту .htaccess @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=Примітка. Якщо ви хочете ви MediaFiles=Медіатека EditCss=Редагувати властивості веб-сайту EditMenu=Редагувати меню -EditMedias=Редагувати медіа +EditMedias=Edit media EditPageMeta=Редагувати властивості сторінки/контейнера EditInLine=Редагувати вбудовані AddWebsite=Додати веб-сайт @@ -60,10 +60,11 @@ NoPageYet=Ще немає сторінок YouCanCreatePageOrImportTemplate=Ви можете створити нову сторінку або імпортувати повний шаблон веб-сайту SyntaxHelp=Довідка щодо конкретних порад щодо синтаксису YouCanEditHtmlSourceckeditor=Ви можете редагувати вихідний код HTML за допомогою кнопки «Джерело» в редакторі. -YouCanEditHtmlSource=
      Ви можете включити PHP-код до цього джерела за допомогою тегів <?php ?a0012c08z65d0c0b08z6d7d750c0b08z6d75 Доступні такі глобальні змінні: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      Ви також можете включити вміст іншої сторінки/контейнера з таким синтаксисом:
      a0e7cfda19bz0 a0e7cfda19bz0 a0e7cfda19bz0 a0e7cfda19bz0 a0e7cfda19bz0 a0e7cfda19bz0 a0e7cfda19bz0 a0e7cfda19bz0 a0e7cfda19bz0
      ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/ ]filename.ext">
      Синтаксис файлу в документах/засобах масової інформації (відкритий каталог для загального доступу):
      a0e784070784070707070707070707070707070707070073d06b07dc07db04dcdcbdcbe087z0 "/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href=" /document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Синтаксис зображення, надано за допомогою посилання для спільного доступу (відкритий доступ, використовуючи хеш-ключ спільного доступу до файлу), такий:
      <img src="/viewimage.php?hashp=123425cf0707cf07c07c07c070fc077cd07cf077c07cd07cf07cb07cb07c07cb07cdcb07cb07cb07cb07cb07cb07cb07cdc07cbc -YouCanEditHtmlSourceMore=
      Більше прикладів HTML або динамічного коду доступно на у вікі-документації
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Клонувати сторінку/контейнер CloneSite=Клонувати сайт SiteAdded=Веб-сайт додано @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=На жаль, цей веб-сайт нараз WEBSITE_USE_WEBSITE_ACCOUNTS=Увімкнути таблицю облікових записів веб-сайту WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Увімкніть таблицю для зберігання облікових записів веб-сайтів (логін/пропуск) для кожного веб-сайту / третьої сторони YouMustDefineTheHomePage=Спочатку потрібно визначити домашню сторінку за замовчуванням -OnlyEditionOfSourceForGrabbedContentFuture=Попередження: створення веб-сторінки шляхом імпорту зовнішньої веб-сторінки зарезервовано для досвідчених користувачів. Залежно від складності вихідної сторінки результат імпортування може відрізнятися від оригіналу. Крім того, якщо вихідна сторінка використовує звичайні стилі CSS або конфліктуючий JavaScript, це може порушити зовнішній вигляд або функції редактора веб-сайту під час роботи на цій сторінці. Цей метод є швидшим способом створення сторінки, але рекомендується створити нову сторінку з нуля або із запропонованого шаблону сторінки.
      Також зауважте, що вбудований редактор може працювати некоректно, якщо використовується на захопленій зовнішній сторінці. +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting JavaScript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correctty when used on a grabbed external page. OnlyEditionOfSourceForGrabbedContent=Лише видання джерела HTML можливе, якщо вміст було захоплено із зовнішнього сайту GrabImagesInto=Візьміть також зображення, знайдені в css та на сторінці. ImagesShouldBeSavedInto=Зображення слід зберегти в каталозі @@ -112,13 +113,13 @@ GoTo=Йти до DynamicPHPCodeContainsAForbiddenInstruction=Ви додаєте динамічний код PHP, який містить інструкцію PHP ' %s ', яка заборонена за замовчуванням як динамічний вміст (див. приховані параметри WEBSITE_PHP_ALLOW list_xxx, щоб збільшити команду дозволених). NotAllowedToAddDynamicContent=Ви не маєте дозволу додавати чи редагувати динамічний вміст PHP на веб-сайтах. Попросіть дозволу або просто збережіть код у тегах php без змін. ReplaceWebsiteContent=Пошук або заміна вмісту веб-сайту -DeleteAlsoJs=Видалити також усі файли javascript, характерні для цього веб-сайту? -DeleteAlsoMedias=Видалити також усі медіафайли, характерні для цього веб-сайту? +DeleteAlsoJs=Delete also all JavaScript files specific to this website? +DeleteAlsoMedias=Delete also all media files specific to this website? MyWebsitePages=Сторінки мого сайту SearchReplaceInto=Пошук | Замініть на ReplaceString=Нова струна CSSContentTooltipHelp=Введіть сюди вміст CSS. Щоб уникнути будь-яких конфліктів із CSS програми, не забудьте додати до всіх декларацій клас .bodywebsite. Наприклад:

      #mycssselector, input.myclass:hover { ... }
      має бути
      .bodywebsite #mycssselector, .bodywebsite #mycssselector, . цього префікса, ви можете використовувати 'lessc', щоб перетворити його, щоб додавати префікс .bodywebsite всюди. -LinkAndScriptsHereAreNotLoadedInEditor=Попередження: цей вміст виводиться лише при доступі до сайту із сервера. Він не використовується в режимі редагування, тому, якщо вам потрібно завантажити файли JavaScript також у режимі редагування, просто додайте на сторінку свій тег 'script src=...'. +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=Зразок сторінки з динамічним вмістом ImportSite=Імпортувати шаблон веб-сайту EditInLineOnOff=Режим «Редагувати вбудований» — %s @@ -157,3 +158,9 @@ Booking=Booking Reservation=Reservation PagesViewedPreviousMonth=Pages viewed (previous month) PagesViewedTotal=Pages viewed (total) +Visibility=Visibility +Everyone=Everyone +AssignedContacts=Assigned contacts +WebsiteTypeLabel=Type of Web site +WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/uk_UA/withdrawals.lang b/htdocs/langs/uk_UA/withdrawals.lang index ef2d345195c..c3b3ed94999 100644 --- a/htdocs/langs/uk_UA/withdrawals.lang +++ b/htdocs/langs/uk_UA/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Зробіть запит на кредитний пере WithdrawRequestsDone=%s Записи запитів на оплату прямого дебету BankTransferRequestsDone=%s Записи запитів на переказ кредиту ThirdPartyBankCode=Код стороннього банку -NoInvoiceCouldBeWithdrawed=Рахунок-фактура не списаний успішно. Переконайтеся, що рахунки-фактури надаються компаніям із дійсним номером IBAN і чи IBAN має UMR (унікальний довідник мандату) з режимом %s . +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=Ця квитанція про зняття коштів уже позначена як зарахована; це не можна робити двічі, оскільки це може призвести до повторюваних платежів та банківських записів. ClassCredited=Класифікувати зараховано ClassDebited=Класифікувати дебетовані @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Ви впевнені, що хочете ввести RefusedData=Дата відхилення RefusedReason=Причина відмови RefusedInvoicing=Виставлення рахунків за відмову -NoInvoiceRefused=Не стягуйте плату за відмову -InvoiceRefused=Рахунок-фактура відхилено (стягнути плату за відмову клієнту) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Стан дебету/кредиту StatusWaiting=Очікування StatusTrans=Надісланий @@ -103,7 +106,7 @@ ShowWithdraw=Показати замовлення прямого дебету IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Однак, якщо в рахунку-фактурі є принаймні одне платіжне доручення прямого дебету, яке ще не оброблено, воно не буде визначено як оплачене, щоб дозволити попереднє зняття коштів. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=Файл дебетового доручення @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Дата підписання доручення RUMLong=Унікальна довідка про мандат RUMWillBeGenerated=Якщо порожній, UMR (унікальний довідник про мандат) буде створено після збереження інформації про банківський рахунок. -WithdrawMode=Режим прямого дебету (FRST або RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Сума запиту на прямий дебет: BankTransferAmount=Сума запиту на переказ кредиту: WithdrawRequestErrorNilAmount=Не вдається створити запит на прямий дебет для порожньої суми. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Назва вашого банківського рахунку SEPAFormYourBIC=Ваш банківський ідентифікаційний код (BIC) SEPAFrstOrRecur=Вид оплати ModeRECUR=Регулярна оплата +ModeRCUR=Recurring payment ModeFRST=Одноразовий платіж PleaseCheckOne=Будь ласка, позначте лише один CreditTransferOrderCreated=Доручення на кредитний переказ %s створено @@ -155,9 +159,16 @@ InfoTransData=Сума: %s
      Метод: %s
      Дата: %s InfoRejectSubject=Платіжне доручення прямого дебету відхилено InfoRejectMessage=Привіт,

      банк відхилив доручення прямого дебету за рахунком-фактурою %s, пов’язаним із компанією %s, на суму %s.

      --
      %s ModeWarning=Опція реального режиму не була встановлена, ми зупиняємося після цієї симуляції -ErrorCompanyHasDuplicateDefaultBAN=Компанія з ідентифікатором %s має більше одного банківського рахунку за умовчанням. Немає можливості дізнатися, який із них використовувати. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Відсутня ICS на банківському рахунку %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Загальна сума доручення прямого дебету відрізняється від суми рядків WarningSomeDirectDebitOrdersAlreadyExists=Попередження. Уже є запити на розпорядження прямого дебету (%s) на суму %s WarningSomeCreditTransferAlreadyExists=Попередження: уже запитаний кредитний переказ (%s) на суму %s UsedFor=Використовується для %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Salary +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/uk_UA/workflow.lang b/htdocs/langs/uk_UA/workflow.lang index f86ee72d0d0..0ba152000af 100644 --- a/htdocs/langs/uk_UA/workflow.lang +++ b/htdocs/langs/uk_UA/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Автоматично створюва descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Автоматично створювати рахунок-фактуру клієнта після закриття замовлення на продаж (новий рахунок-фактура матиме ту ж суму, що й замовлення) descWORKFLOW_TICKET_CREATE_INTERVENTION=Під час створення квитка автоматично створіть інтервенцію. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Класифікувати пов’язану вихідну пропозицію як оплачену, якщо для замовлення на продаж встановлено рахунок (і якщо сума замовлення така ж, як загальна сума підписаної пов’язаної пропозиції) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Класифікувати пов’язану вихідну пропозицію як оплачену, коли рахунок-фактура клієнта підтверджено (і якщо сума рахунка-фактури збігається з загальною сумою підписаної пов’язаної пропозиції) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Класифікувати пов’язане джерело замовлення на продаж як оплачене, коли рахунок-фактура клієнта підтверджено (і якщо сума рахунка-фактури така ж, як загальна сума зв’язаного замовлення) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Класифікувати пов’язане джерело замовлення на продаж як оплачене, коли рахунок-фактура клієнта налаштовано на оплату (і якщо сума рахунка-фактури така ж, як загальна сума зв’язаного замовлення) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Класифікувати замовлення на продаж із зв’язаним джерелом як відвантажене, коли відправлення підтверджено (і якщо кількість відвантажених усіх відправлень така сама, як у замовленні на оновлення) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Класифікувати замовлення на продаж із зв'язаним джерелом як відвантажене, коли відправлення закрито (і якщо кількість відвантажених усіх відправлень така сама, як у замовленні на оновлення) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Класифікувати пропозицію пов’язаного джерела постачальника як оплачену, коли рахунок-фактуру постачальника підтверджено (і якщо сума рахунка-фактури така ж, як загальна сума пов’язаної пропозиції) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Класифікувати пов’язане джерело замовлення на закупівлю як оплачене, коли рахунок-фактура постачальника підтверджено (і якщо сума рахунка-фактури така ж, як загальна сума зв’язаного замовлення) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Класифікувати пов’язане джерело замовлення на закупівлю як отримане, коли прийом підтверджено (і якщо кількість, отримана всіма прийомами, така ж, як у замовленні на покупку для оновлення) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Класифікувати замовлення на закупівлю з пов’язаним джерелом як отримане, коли прийом закритий (і якщо кількість, отримана всіма прийомами, така ж, як у замовленні на покупку для оновлення) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=При створенні квитка зв’яжіть доступні контракти відповідної третьої сторони +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Зв’язуючи договори, шукайте серед тих материнських компаній # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Закрийте всі заходи, пов’язані з квитком, коли квиток закрито AutomaticCreation=Автоматичне створення AutomaticClassification=Автоматична класифікація -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Автоматичне закриття AutomaticLinking=Автоматичне підключення diff --git a/htdocs/langs/ur_PK/accountancy.lang b/htdocs/langs/ur_PK/accountancy.lang index 4a7ffc8e48c..999f91d97c0 100644 --- a/htdocs/langs/ur_PK/accountancy.lang +++ b/htdocs/langs/ur_PK/accountancy.lang @@ -14,10 +14,10 @@ ACCOUNTING_EXPORT_ENDLINE=گاڑی کی واپسی کی قسم منتخب کری ACCOUNTING_EXPORT_PREFIX_SPEC=فائل کے نام کے لیے سابقہ کی وضاحت کریں۔ ThisService=یہ سروس ThisProduct=یہ مصنوعات -DefaultForService=Default for services -DefaultForProduct=Default for products -ProductForThisThirdparty=اس تھرڈ پارٹی کے لیے پروڈکٹ -ServiceForThisThirdparty=اس تھرڈ پارٹی کے لیے سروس +DefaultForService=خدمات کے لیے ڈیفالٹ +DefaultForProduct=مصنوعات کے لیے ڈیفالٹ +ProductForThisThirdparty=اس تیسرے فریق کے لیے پروڈکٹ +ServiceForThisThirdparty=اس تیسرے فریق کے لیے خدمت CantSuggest=تجویز نہیں کر سکتے AccountancySetupDoneFromAccountancyMenu=اکاؤنٹنسی کا زیادہ تر سیٹ اپ مینو %s سے کیا جاتا ہے ConfigAccountingExpert=ماڈیول اکاؤنٹنگ کی ترتیب (ڈبل اندراج) @@ -38,10 +38,10 @@ DeleteCptCategory=اکاؤنٹنگ اکاؤنٹ کو گروپ سے ہٹا دیں ConfirmDeleteCptCategory=کیا آپ واقعی اس اکاؤنٹنگ اکاؤنٹ کو اکاؤنٹنگ اکاؤنٹنگ گروپ سے ہٹانا چاہتے ہیں؟ JournalizationInLedgerStatus=جرنلائزیشن کی حیثیت AlreadyInGeneralLedger=پہلے ہی اکاؤنٹنگ جرنلز اور لیجر میں منتقل کر دیا گیا ہے۔ -NotYetInGeneralLedger=ابھی تک اکاؤٹنگ جرنلز اور لیجر میں منتقل نہیں کیا گیا ہے۔ +NotYetInGeneralLedger=ابھی تک اکاؤنٹنگ جرنلز اور لیجر میں منتقل نہیں کیا گیا ہے۔ GroupIsEmptyCheckSetup=گروپ خالی ہے، ذاتی اکاؤنٹنگ گروپ کا سیٹ اپ چیک کریں۔ DetailByAccount=اکاؤنٹ کے حساب سے تفصیل دکھائیں۔ -DetailBy=Detail by +DetailBy=کی طرف سے تفصیل AccountWithNonZeroValues=غیر صفر اقدار والے اکاؤنٹس ListOfAccounts=اکاؤنٹس کی فہرست CountriesInEEC=ای ای سی میں ممالک @@ -49,54 +49,54 @@ CountriesNotInEEC=وہ ممالک جو EEC میں نہیں ہیں۔ CountriesInEECExceptMe=ای ای سی میں شامل ممالک سوائے %s کے CountriesExceptMe=%s کے علاوہ تمام ممالک AccountantFiles=ماخذ کی دستاویزات برآمد کریں۔ -ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). +ExportAccountingSourceDocHelp=اس ٹول کے ذریعے، آپ ان سورس ایونٹس کو تلاش اور ایکسپورٹ کر سکتے ہیں جو آپ کے اکاؤنٹنسی کو جنریٹ کرنے کے لیے استعمال ہوتے ہیں۔
      برآمد کردہ زپ فائل میں CSV میں مطلوبہ آئٹمز کی فہرستیں ہوں گی، ساتھ ہی ساتھ ان کی منسلک فائلیں ان کے اصل فارمیٹ (PDF, ODT, DOCX...) میں ہوں گی۔ ExportAccountingSourceDocHelp2=اپنے جریدے برآمد کرنے کے لیے، مینو اندراج %s - %s استعمال کریں۔ -ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +ExportAccountingProjectHelp=اگر آپ کو صرف ایک مخصوص پروجیکٹ کے لیے اکاؤنٹنگ رپورٹ کی ضرورت ہو تو ایک پروجیکٹ کی وضاحت کریں۔ اخراجات کی رپورٹس اور قرض کی ادائیگیاں پروجیکٹ رپورٹس میں شامل نہیں ہیں۔ +ExportAccountancy=ایکسپورٹ اکاؤنٹنسی +WarningDataDisappearsWhenDataIsExported=انتباہ، اس فہرست میں صرف اکاؤنٹنگ اندراجات ہیں جو پہلے سے برآمد نہیں کی گئی ہیں (برآمد کی تاریخ خالی ہے)۔ اگر آپ پہلے سے برآمد شدہ اکاؤنٹنگ اندراجات شامل کرنا چاہتے ہیں تو اوپر والے بٹن پر کلک کریں۔ VueByAccountAccounting=حساب کتاب کے حساب سے دیکھیں VueBySubAccountAccounting=اکاؤنٹنگ ذیلی اکاؤنٹ کے ذریعہ دیکھیں -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup -UserAccountNotDefined=Accounting account for user not defined in setup +MainAccountForCustomersNotDefined=صارفین کے لیے مین اکاؤنٹ (اکاؤنٹ کے چارٹ سے) سیٹ اپ میں بیان نہیں کیا گیا ہے۔ +MainAccountForSuppliersNotDefined=مین اکاؤنٹ (اکاؤنٹ کے چارٹ سے) وینڈرز کے لیے سیٹ اپ میں بیان نہیں کیا گیا ہے۔ +MainAccountForUsersNotDefined=مین اکاؤنٹ (اکاؤنٹ کے چارٹ سے) صارفین کے لیے سیٹ اپ میں بیان نہیں کیا گیا ہے۔ +MainAccountForVatPaymentNotDefined=VAT ادائیگی کے لیے اکاؤنٹ (اکاؤنٹ کے چارٹ سے) سیٹ اپ میں بیان نہیں کیا گیا ہے۔ +MainAccountForSubscriptionPaymentNotDefined=رکنیت کی ادائیگی کے لیے اکاؤنٹ (اکاؤنٹ کے چارٹ سے) سیٹ اپ میں بیان نہیں کیا گیا ہے۔ +MainAccountForRetainedWarrantyNotDefined=برقرار رکھی وارنٹی کے لیے اکاؤنٹ (اکاؤنٹ کے چارٹ سے) سیٹ اپ میں بیان نہیں کیا گیا ہے۔ +UserAccountNotDefined=صارف کے لیے اکاؤنٹنگ اکاؤنٹ سیٹ اپ میں بیان نہیں کیا گیا ہے۔ AccountancyArea=اکاؤنٹنگ ایریا AccountancyAreaDescIntro=اکاؤنٹنسی ماڈیول کا استعمال کئی مراحل میں کیا جاتا ہے: AccountancyAreaDescActionOnce=درج ذیل اعمال عام طور پر صرف ایک بار، یا سال میں ایک بار کیے جاتے ہیں... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting +AccountancyAreaDescActionOnceBis=اکاؤنٹنگ میں ڈیٹا منتقل کرتے وقت آپ کو خود بخود درست ڈیفالٹ اکاؤنٹنگ اکاؤنٹ تجویز کرکے مستقبل میں آپ کا وقت بچانے کے لیے اگلے اقدامات کیے جانے چاہئیں۔ AccountancyAreaDescActionFreq=درج ذیل کارروائیاں عام طور پر بہت بڑی کمپنیوں کے لیے ہر مہینے، ہفتے یا دن کی جاتی ہیں... -AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s +AccountancyAreaDescJournalSetup=مرحلہ %s: مینو سے اپنے جریدے کی فہرست کا مواد چیک کریں %s AccountancyAreaDescChartModel=STEP %s: چیک کریں کہ اکاؤنٹ کے چارٹ کا ماڈل موجود ہے یا مینو سے ایک بنائیں %s AccountancyAreaDescChart=STEP %s: منتخب کریں اور|یا اپنے اکاؤنٹ کا چارٹ مینو %s سے مکمل کریں +AccountancyAreaDescFiscalPeriod=مرحلہ %s: پہلے سے طے شدہ مالی سال کی وضاحت کریں جس پر آپ کے اکاؤنٹنگ اندراجات کو مربوط کرنا ہے۔ اس کے لیے، مینو اندراج %s استعمال کریں۔ AccountancyAreaDescVat=STEP %s: ہر VAT کی شرح کے لیے اکاؤنٹنگ اکاؤنٹس کی وضاحت کریں۔ اس کے لیے مینو انٹری %s استعمال کریں۔ AccountancyAreaDescDefault=STEP %s: پہلے سے طے شدہ اکاؤنٹنگ اکاؤنٹس کی وضاحت کریں۔ اس کے لیے مینو انٹری %s استعمال کریں۔ -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. +AccountancyAreaDescExpenseReport=مرحلہ %s: ہر قسم کے اخراجات کی رپورٹ کے لیے ڈیفالٹ اکاؤنٹنگ اکاؤنٹس کی وضاحت کریں۔ اس کے لیے، مینو اندراج %s استعمال کریں۔ AccountancyAreaDescSal=STEP %s: تنخواہوں کی ادائیگی کے لیے پہلے سے طے شدہ اکاؤنٹنگ اکاؤنٹس کی وضاحت کریں۔ اس کے لیے مینو انٹری %s استعمال کریں۔ -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. +AccountancyAreaDescContrib=STEP %s: ٹیکسز (خصوصی اخراجات) کے لیے ڈیفالٹ اکاؤنٹنگ اکاؤنٹس کی وضاحت کریں۔ اس کے لیے، مینو اندراج %s استعمال کریں۔ AccountancyAreaDescDonation=STEP %s: عطیہ کے لیے ڈیفالٹ اکاؤنٹنگ اکاؤنٹس کی وضاحت کریں۔ اس کے لیے مینو انٹری %s استعمال کریں۔ AccountancyAreaDescSubscription=STEP %s: ممبر سبسکرپشن کے لیے ڈیفالٹ اکاؤنٹنگ اکاؤنٹس کی وضاحت کریں۔ اس کے لیے مینو انٹری %s استعمال کریں۔ -AccountancyAreaDescMisc=STEP %s: متفرق لین دین کے لیے لازمی ڈیفالٹ اکاؤنٹ اور ڈیفالٹ اکاؤنٹنگ اکاؤنٹس کی وضاحت کریں۔ اس کے لیے مینو انٹری %s استعمال کریں۔ +AccountancyAreaDescMisc=STEP %s: متفرق لین دین کے لیے لازمی ڈیفالٹ اکاؤنٹس اور ڈیفالٹ اکاؤنٹنگ اکاؤنٹس کی وضاحت کریں۔ اس کے لیے، مینو اندراج %s استعمال کریں۔ AccountancyAreaDescLoan=STEP %s: قرضوں کے لیے پہلے سے طے شدہ اکاؤنٹنگ اکاؤنٹس کی وضاحت کریں۔ اس کے لیے مینو انٹری %s استعمال کریں۔ AccountancyAreaDescBank=STEP %s: ہر بینک اور مالیاتی کھاتوں کے لیے اکاؤنٹنگ اکاؤنٹس اور جرنل کوڈ کی وضاحت کریں۔ اس کے لیے مینو انٹری %s استعمال کریں۔ -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. +AccountancyAreaDescProd=مرحلہ %s: اپنے پروڈکٹس/سروسز پر اکاؤنٹنگ اکاؤنٹس کی وضاحت کریں۔ اس کے لیے، مینو اندراج %s استعمال کریں۔ AccountancyAreaDescBind=STEP %s: موجودہ %s لائنوں کے درمیان بائنڈنگ کو چیک کریں اور اکاؤنٹنگ اکاؤنٹ مکمل ہو گیا ہے، لہذا ایپلیکیشن ایک کلک میں لیجر میں لین دین کو جرنلائز کر سکے گی۔ مکمل گمشدہ پابندیاں۔ اس کے لیے مینو انٹری %s استعمال کریں۔ AccountancyAreaDescWriteRecords=STEP %s: لیجر میں لین دین لکھیں۔ اس کے لیے، مینو میں جائیں %s ، اور بٹن پر کلک کریں %s a0a65d07z. -AccountancyAreaDescAnalyze=STEP %s: موجودہ لین دین کو شامل کریں یا ان میں ترمیم کریں اور رپورٹیں اور برآمدات بنائیں۔ - -AccountancyAreaDescClosePeriod=STEP %s: مدت بند کریں تاکہ ہم مستقبل میں ترمیم نہ کر سکیں۔ +AccountancyAreaDescAnalyze=STEP %s: Read reportings or generate export files for other bookkeepers. +AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't transfer anymore data in the same period in a future. +TheFiscalPeriodIsNotDefined=سیٹ اپ میں ایک لازمی مرحلہ مکمل نہیں ہوا ہے (مالی مدت کی وضاحت نہیں کی گئی ہے) TheJournalCodeIsNotDefinedOnSomeBankAccount=سیٹ اپ میں ایک لازمی مرحلہ مکمل نہیں ہوا ہے (اکاؤنٹنگ کوڈ جرنل تمام بینک اکاؤنٹس کے لیے متعین نہیں ہے) Selectchartofaccounts=اکاؤنٹس کا فعال چارٹ منتخب کریں۔ +CurrentChartOfAccount=Current active chart of account ChangeAndLoad=تبدیل کریں اور لوڈ کریں۔ Addanaccount=اکاؤنٹنگ اکاؤنٹ شامل کریں۔ AccountAccounting=حساب کتاب @@ -107,8 +107,8 @@ ShowAccountingAccount=حساب کتاب دکھائیں۔ ShowAccountingJournal=اکاؤنٹنگ جرنل دکھائیں۔ ShowAccountingAccountInLedger=لیجر میں حساب کتاب دکھائیں۔ ShowAccountingAccountInJournals=جرائد میں حساب کتاب دکھائیں۔ -DataUsedToSuggestAccount=Data used to suggest account -AccountAccountingSuggest=Account suggested +DataUsedToSuggestAccount=اکاؤنٹ تجویز کرنے کے لیے استعمال ہونے والا ڈیٹا +AccountAccountingSuggest=اکاؤنٹ تجویز کیا گیا۔ MenuDefaultAccounts=ڈیفالٹ اکاؤنٹس MenuBankAccounts=بینک اکاؤنٹ MenuVatAccounts=واٹ اکاؤنٹس @@ -118,11 +118,11 @@ MenuLoanAccounts=قرض کے اکاؤنٹس MenuProductsAccounts=پروڈکٹ اکاؤنٹس MenuClosureAccounts=بند کرنے والے اکاؤنٹس MenuAccountancyClosure=بندش -MenuExportAccountancy=Export accountancy +MenuExportAccountancy=ایکسپورٹ اکاؤنٹنسی MenuAccountancyValidationMovements=نقل و حرکت کی توثیق کریں۔ ProductsBinding=مصنوعات کے اکاؤنٹس TransferInAccounting=اکاؤنٹنگ میں منتقلی -RegistrationInAccounting=Recording in accounting +RegistrationInAccounting=اکاؤنٹنگ میں ریکارڈنگ Binding=اکاؤنٹس کا پابند CustomersVentilation=کسٹمر انوائس بائنڈنگ SuppliersVentilation=وینڈر انوائس بائنڈنگ @@ -130,11 +130,11 @@ ExpenseReportsVentilation=اخراجات کی رپورٹ کا پابند CreateMvts=نیا لین دین بنائیں UpdateMvts=لین دین میں ترمیم ValidTransaction=لین دین کی توثیق کریں۔ -WriteBookKeeping=Record transactions in accounting +WriteBookKeeping=اکاؤنٹنگ میں لین دین کو ریکارڈ کریں۔ Bookkeeping=لیجر BookkeepingSubAccount=ذیلی AccountBalance=اکاؤنٹ بیلنس -AccountBalanceSubAccount=Sub-accounts balance +AccountBalanceSubAccount=ذیلی کھاتوں کا بیلنس ObjectsRef=ماخذ آبجیکٹ ریف CAHTF=ٹیکس سے پہلے کل خرید فروش TotalExpenseReport=کل اخراجات کی رپورٹ @@ -171,48 +171,50 @@ ACCOUNTING_MANAGE_ZERO=اکاؤنٹنگ اکاؤنٹ کے آخر میں زیرو BANK_DISABLE_DIRECT_INPUT=بینک اکاؤنٹ میں لین دین کی براہ راست ریکارڈنگ کو غیر فعال کریں۔ ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=جرنل پر ڈرافٹ ایکسپورٹ کو فعال کریں۔ ACCOUNTANCY_COMBO_FOR_AUX=ذیلی اکاؤنٹ کے لیے کومبو لسٹ کو فعال کریں (اگر آپ کے پاس بہت سارے فریق ثالث ہیں تو سست ہو سکتے ہیں، قدر کے کسی حصے پر تلاش کرنے کی صلاحیت کو توڑ دیں) -ACCOUNTING_DATE_START_BINDING=اکاؤنٹنسی میں بائنڈنگ اور ٹرانسفر شروع کرنے کے لیے تاریخ کی وضاحت کریں۔ اس تاریخ کے نیچے، لین دین کو اکاؤنٹنگ میں منتقل نہیں کیا جائے گا۔ -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_DATE_START_BINDING=جب تاریخ اس تاریخ سے کم ہو تو اکاؤنٹنسی میں بائنڈنگ اور ٹرانسفر کو غیر فعال کریں (اس تاریخ سے پہلے کے لین دین کو بطور ڈیفالٹ خارج کر دیا جائے گا) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=اکاؤنٹنسی میں ڈیٹا کی منتقلی کے لیے صفحہ پر، پہلے سے طے شدہ مدت کا انتخاب کیا ہے۔ -ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns -ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements +ACCOUNTING_SELL_JOURNAL=سیلز جرنل - سیلز اور ریٹرن +ACCOUNTING_PURCHASE_JOURNAL=جریدہ خریدیں - خریداری اور واپسی۔ +ACCOUNTING_BANK_JOURNAL=کیش جرنل - رسیدیں اور تقسیم ACCOUNTING_EXPENSEREPORT_JOURNAL=اخراجات کی رپورٹ جرنل -ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal +ACCOUNTING_MISCELLANEOUS_JOURNAL=جنرل جرنل ACCOUNTING_HAS_NEW_JOURNAL=نیا جریدہ ہے۔ -ACCOUNTING_INVENTORY_JOURNAL=Inventory journal +ACCOUNTING_INVENTORY_JOURNAL=انوینٹری جرنل ACCOUNTING_SOCIAL_JOURNAL=سماجی جریدہ ACCOUNTING_RESULT_PROFIT=نتیجہ اکاؤنٹنگ اکاؤنٹ (منافع) ACCOUNTING_RESULT_LOSS=نتیجہ اکاؤنٹنگ اکاؤنٹ (نقصان) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=بندش کا جریدہ +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=بیلنس شیٹ اکاؤنٹ کے لیے استعمال کیے گئے اکاؤنٹنگ گروپس (کوما سے الگ) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=آمدنی کے بیان کے لیے استعمال کیے گئے اکاؤنٹنگ گروپس (کوما سے الگ) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers +ACCOUNTING_ACCOUNT_TRANSFER_CASH=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) عبوری بینک کی منتقلی کے لیے اکاؤنٹ کے طور پر استعمال کیا جائے گا۔ TransitionalAccount=عبوری بینک ٹرانسفر اکاؤنٹ -ACCOUNTING_ACCOUNT_SUSPENSE=Account (from the Chart Of Account) to be used as the account for unallocated funds either received or paid i.e. funds in "wait[ing]" -DONATION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register donations (Donation module) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ACCOUNTING_ACCOUNT_SUSPENSE=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) غیر مختص شدہ فنڈز کے اکاؤنٹ کے طور پر استعمال کیا جائے یا تو موصول ہو یا ادا کی جائے یعنی "انتظار[ing]" میں فنڈز +DONATION_ACCOUNTINGACCOUNT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) عطیات کے اندراج کے لیے استعمال کیا جائے گا (عطیہ ماڈیول) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) ممبرشپ سبسکرپشنز کو رجسٹر کرنے کے لیے استعمال کیا جائے گا (ممبرشپ ماڈیول - اگر ممبرشپ بغیر رسید کے ریکارڈ کی گئی ہو) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit -UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default -UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Accounting account by default to register customer retained warranty +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) کسٹمر ڈپازٹ کو رجسٹر کرنے کے لیے ڈیفالٹ اکاؤنٹ کے طور پر استعمال کیا جائے۔ +UseAuxiliaryAccountOnCustomerDeposit=ڈاون پیمنٹ لائنوں کے لیے سبسڈری لیجر میں کسٹمر اکاؤنٹ کو انفرادی اکاؤنٹ کے طور پر اسٹور کریں (اگر غیر فعال ہو تو، ڈاؤن پیمنٹ لائنوں کے لیے انفرادی اکاؤنٹ خالی رہے گا) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) بطور ڈیفالٹ استعمال کیا جائے۔ +UseAuxiliaryAccountOnSupplierDeposit=ڈاون پیمنٹ لائنز کے لیے سبسڈیری لیجر میں انفرادی اکاؤنٹ کے طور پر سپلائر اکاؤنٹ اسٹور کریں (اگر غیر فعال ہو تو، ڈاؤن پیمنٹ لائنوں کے لیے انفرادی اکاؤنٹ خالی رہے گا) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=اکاؤنٹنگ اکاؤنٹنگ ڈیفالٹ کسٹمر برقرار وارنٹی رجسٹر کرنے کے لئے -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) ایک ہی ملک میں خریدی گئی مصنوعات کے لیے بطور ڈیفالٹ اکاؤنٹ استعمال کیا جائے (اگر پروڈکٹ شیٹ میں اس کی وضاحت نہ کی گئی ہو) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) EEC سے دوسرے EEC ملک میں خریدی گئی مصنوعات کے لیے بطور ڈیفالٹ اکاؤنٹ استعمال کیا جائے (اگر پروڈکٹ شیٹ میں اس کی وضاحت نہ کی گئی ہو) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) کسی دوسرے غیر ملکی ملک سے خریدی اور درآمد شدہ مصنوعات کے لیے بطور ڈیفالٹ اکاؤنٹ استعمال کیا جائے (اگر پروڈکٹ شیٹ میں اس کی وضاحت نہ کی گئی ہو) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) فروخت شدہ مصنوعات کے لیے بطور ڈیفالٹ اکاؤنٹ استعمال کیا جائے (اگر پروڈکٹ شیٹ میں اس کی وضاحت نہ کی گئی ہو) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) EEC سے دوسرے EEC ملک میں فروخت ہونے والی مصنوعات کے لیے بطور ڈیفالٹ اکاؤنٹ استعمال کیا جائے (اگر پروڈکٹ شیٹ میں اس کی وضاحت نہ کی گئی ہو) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) کسی دوسرے غیر ملکی ملک میں فروخت اور برآمد کی جانے والی مصنوعات کے لیے بطور ڈیفالٹ اکاؤنٹ استعمال کیا جائے (اگر پروڈکٹ شیٹ میں اس کی وضاحت نہ کی گئی ہو) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased within same country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) ایک ہی ملک میں خریدی گئی خدمات کے لیے بطور ڈیفالٹ اکاؤنٹ استعمال کیا جائے (اگر سروس شیٹ میں اس کی وضاحت نہ کی گئی ہو) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) EEC سے دوسرے EEC ملک میں خریدی گئی خدمات کے لیے بطور ڈیفالٹ اکاؤنٹ استعمال کیا جائے (اگر سروس شیٹ میں اس کی وضاحت نہ کی گئی ہو) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) دوسرے غیر ملکی ملک سے خریدی اور درآمد کی جانے والی خدمات کے لیے بطور ڈیفالٹ اکاؤنٹ استعمال کیا جائے (اگر سروس شیٹ میں اس کی وضاحت نہ کی گئی ہو) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) فروخت شدہ خدمات کے لیے بطور ڈیفالٹ اکاؤنٹ استعمال کیا جائے (اگر سروس شیٹ میں اس کی وضاحت نہ کی گئی ہو) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) EEC سے دوسرے EEC ملک کو فروخت کی جانے والی خدمات کے لیے بطور ڈیفالٹ اکاؤنٹ استعمال کیا جائے (اگر سروس شیٹ میں اس کی وضاحت نہ کی گئی ہو) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=اکاؤنٹ (اکاؤنٹ کے چارٹ سے) کسی دوسرے غیر ملکی ملک کو فروخت اور برآمد کی جانے والی خدمات کے لیے بطور ڈیفالٹ اکاؤنٹ استعمال کیا جائے (اگر سروس شیٹ میں اس کی وضاحت نہ کی گئی ہو) Doctype=دستاویز کی قسم Docdate=تاریخ @@ -227,8 +229,8 @@ Codejournal=جرنل JournalLabel=جرنل لیبل NumPiece=ٹکڑا نمبر TransactionNumShort=نمبر لین دین -AccountingCategory=Custom group of accounts -AccountingCategories=Custom groups of accounts +AccountingCategory=اکاؤنٹس کا حسب ضرورت گروپ +AccountingCategories=اکاؤنٹس کے حسب ضرورت گروپس GroupByAccountAccounting=عام لیجر اکاؤنٹ کے لحاظ سے گروپ کریں۔ GroupBySubAccountAccounting=سبلیجر اکاؤنٹ کے لحاظ سے گروپ کریں۔ AccountingAccountGroupsDesc=آپ یہاں اکاؤنٹنگ اکاؤنٹ کے کچھ گروپس کی وضاحت کر سکتے ہیں۔ وہ ذاتی اکاؤنٹنگ رپورٹس کے لیے استعمال کیے جائیں گے۔ @@ -237,15 +239,15 @@ ByPredefinedAccountGroups=پہلے سے طے شدہ گروپوں کے ذریعے ByPersonalizedAccountGroups=ذاتی نوعیت کے گروپوں کے ذریعے ByYear=سال کے حساب سے NotMatch=سیٹ نہیں ہے -DeleteMvt=Delete some lines from accounting +DeleteMvt=اکاؤنٹنگ سے کچھ لائنیں حذف کریں۔ DelMonth=حذف کرنے کا مہینہ DelYear=حذف کرنے کا سال DelJournal=حذف کرنے کے لیے جرنل -ConfirmDeleteMvt=This will delete all lines in accountancy for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) +ConfirmDeleteMvt=یہ سال/ماہ اور/یا کسی مخصوص جریدے کے لیے اکاؤنٹنسی میں تمام سطروں کو حذف کر دے گا (کم از کم ایک معیار درکار ہے)۔ حذف شدہ ریکارڈ کو لیجر میں واپس لانے کے لیے آپ کو '%s' فیچر کو دوبارہ استعمال کرنا ہوگا۔ +ConfirmDeleteMvtPartial=یہ اکاؤنٹنگ سے لین دین کو حذف کر دے گا (اسی لین دین سے متعلق تمام لائنوں کو حذف کر دیا جائے گا) FinanceJournal=فنانس جرنل ExpenseReportsJournal=اخراجات کی رپورٹ کا جریدہ -InventoryJournal=Inventory journal +InventoryJournal=انوینٹری جرنل DescFinanceJournal=فنانس جرنل بشمول بینک اکاؤنٹ کے ذریعے ادائیگیوں کی تمام اقسام DescJournalOnlyBindedVisible=یہ ریکارڈ کا ایک منظر ہے جو اکاؤنٹنگ اکاؤنٹ کے پابند ہیں اور اسے جرنلز اور لیجر میں ریکارڈ کیا جا سکتا ہے۔ VATAccountNotDefined=VAT کے لیے اکاؤنٹ کی وضاحت نہیں کی گئی ہے۔ @@ -277,20 +279,20 @@ ShowSubtotalByGroup=سطح کے لحاظ سے ذیلی کل دکھائیں۔ Pcgtype=اکاؤنٹ کا گروپ PcgtypeDesc=اکاؤنٹ کے گروپ کو کچھ اکاؤنٹنگ رپورٹس کے لیے پہلے سے طے شدہ 'فلٹر' اور 'گروپنگ' کے معیار کے طور پر استعمال کیا جاتا ہے۔ مثال کے طور پر، 'انکم' یا 'خرچ' کو اخراجات/آمدنی کی رپورٹ بنانے کے لیے مصنوعات کے اکاؤنٹنگ اکاؤنٹس کے لیے بطور گروپ استعمال کیا جاتا ہے۔ -AccountingCategoriesDesc=Custom group of accounts can be used to group accounting accounts into one name to ease filter use or building of custom reports. +AccountingCategoriesDesc=اکاؤنٹس کے حسب ضرورت گروپ کو اکاؤنٹنگ اکاؤنٹس کو ایک نام میں گروپ کرنے کے لیے استعمال کیا جا سکتا ہے تاکہ فلٹر کے استعمال یا حسب ضرورت رپورٹس کی تعمیر کو آسان بنایا جا سکے۔ Reconcilable=قابلِ مصالحت TotalVente=ٹیکس سے پہلے کل کاروبار TotalMarge=فروخت کا کل مارجن -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account -DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product account from chart of account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account -ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: +DescVentilCustomer=اکاؤنٹ کے چارٹ سے پروڈکٹ اکاؤنٹ سے منسلک کسٹمر انوائس لائنوں کی فہرست یہاں دیکھیں +DescVentilMore=زیادہ تر معاملات میں، اگر آپ پہلے سے طے شدہ مصنوعات یا خدمات استعمال کرتے ہیں اور آپ پروڈکٹ/سروس کارڈ پر اکاؤنٹ (اکاؤنٹ کے چارٹ سے) سیٹ کرتے ہیں، تو ایپلیکیشن آپ کے انوائس لائنوں اور آپ کے چارٹ کے اکاؤنٹنگ اکاؤنٹ کے درمیان تمام پابندیاں عائد کر سکے گی۔ اکاؤنٹس کے، بٹن کے ساتھ صرف ایک کلک میں "%s" > اگر اکاؤنٹ پروڈکٹ/سروس کارڈز پر سیٹ نہیں کیا گیا تھا یا اگر آپ کے پاس اب بھی کچھ لائنیں ہیں جو اکاؤنٹ سے منسلک نہیں ہیں، تو آپ کو مینو "%s"۔ +DescVentilDoneCustomer=اکاؤنٹ کے چارٹ سے انوائس کے صارفین اور ان کے پروڈکٹ اکاؤنٹ کی لائنوں کی فہرست یہاں دیکھیں +DescVentilTodoCustomer=اکاؤنٹ کے چارٹ سے پروڈکٹ اکاؤنٹ کے ساتھ پہلے سے پابند انوائس لائنوں کو باندھیں۔ +ChangeAccount=درج ذیل اکاؤنٹ کے ساتھ منتخب لائنوں کے لیے پروڈکٹ/سروس اکاؤنٹ (اکاؤنٹ کے چارٹ سے) تبدیل کریں: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=یہاں اکاؤنٹ کے چارٹ سے کسی پروڈکٹ اکاؤنٹ سے پابند یا ابھی تک پابند نہ ہونے والے وینڈر انوائس لائنوں کی فہرست سے مشورہ کریں (صرف اکاؤنٹنسی میں پہلے سے منتقل نہیں کیا گیا ریکارڈ نظر آتا ہے) DescVentilDoneSupplier=یہاں وینڈر انوائس کی لائنوں کی فہرست اور ان کے اکاؤنٹنگ اکاؤنٹ سے مشورہ کریں۔ DescVentilTodoExpenseReport=اخراجات کی رپورٹ لائنوں کو باندھیں جو فیس اکاؤنٹنگ اکاؤنٹ کے ساتھ پہلے سے پابند نہیں ہیں۔ DescVentilExpenseReport=فیس اکاؤنٹنگ اکاؤنٹ سے منسلک (یا نہیں) اخراجات کی رپورٹ لائنوں کی فہرست یہاں دیکھیں @@ -298,32 +300,32 @@ DescVentilExpenseReportMore=اگر آپ اکاؤنٹنگ اکاؤنٹ کو اخ DescVentilDoneExpenseReport=یہاں اخراجات کی رپورٹوں کی فہرست اور ان کے فیس اکاؤنٹنگ اکاؤنٹ سے مشورہ کریں۔ Closure=سالانہ بندش -DescClosure=Consult here the number of movements by month not yet validated & locked -OverviewOfMovementsNotValidated=Overview of movements not validated and locked -AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked -ValidateMovements=Validate and lock movements +AccountancyClosureStep1Desc=یہاں سے مشورہ کریں کہ مہینے کے حساب سے نقل و حرکت کی تعداد ابھی تک توثیق شدہ اور مقفل نہیں ہے۔ +OverviewOfMovementsNotValidated=نقل و حرکت کا جائزہ توثیق شدہ اور مقفل نہیں ہے۔ +AllMovementsWereRecordedAsValidated=تمام نقل و حرکت کو توثیق شدہ اور مقفل کے طور پر ریکارڈ کیا گیا تھا۔ +NotAllMovementsCouldBeRecordedAsValidated=تمام حرکات کو توثیق شدہ اور مقفل کے طور پر ریکارڈ نہیں کیا جا سکتا +ValidateMovements=نقل و حرکت کی توثیق اور مقفل کریں۔ DescValidateMovements=تحریر، حروف اور حذف میں کسی قسم کی ترمیم یا حذف ممنوع ہو گا۔ مشق کے لیے تمام اندراجات کی توثیق ہونی چاہیے ورنہ بند کرنا ممکن نہیں ہوگا۔ ValidateHistory=خودکار طور پر باندھیں۔ AutomaticBindingDone=خودکار بائنڈنگ ہو گئی (%s) - کچھ ریکارڈ کے لیے خودکار بائنڈنگ ممکن نہیں ہے (%s) -DoManualBindingForFailedRecord=You have to do a manual link for the %s row(s) not linked automatically. +DoManualBindingForFailedRecord=آپ کو %s قطاروں کے لیے ایک دستی لنک کرنا ہوگا جو خود بخود منسلک نہیں ہیں۔ -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s & Credit = %s +ErrorAccountancyCodeIsAlreadyUse=خرابی، آپ اکاؤنٹ کے چارٹ کے اس اکاؤنٹ کو ہٹا یا غیر فعال نہیں کر سکتے ہیں کیونکہ یہ استعمال ہوتا ہے۔ +MvtNotCorrectlyBalanced=نقل و حرکت درست طریقے سے متوازن نہیں ہے۔ ڈیبٹ = %s اور کریڈٹ = %s Balancing=توازن FicheVentilation=بائنڈنگ کارڈ GeneralLedgerIsWritten=لین دین لیجر میں لکھا جاتا ہے۔ GeneralLedgerSomeRecordWasNotRecorded=کچھ لین دین کو جرنلائز نہیں کیا جا سکا۔ اگر کوئی اور غلطی کا پیغام نہیں ہے، تو شاید اس کی وجہ یہ ہے کہ وہ پہلے ہی جرنلائز ہو چکے تھے۔ -NoNewRecordSaved=No more record to transfer -ListOfProductsWithoutAccountingAccount=List of products not bound to any account of chart of account +NoNewRecordSaved=منتقلی کے لیے مزید کوئی ریکارڈ نہیں۔ +ListOfProductsWithoutAccountingAccount=پروڈکٹس کی فہرست اکاؤنٹ کے چارٹ کے کسی بھی اکاؤنٹ سے پابند نہیں ہے۔ ChangeBinding=بائنڈنگ کو تبدیل کریں۔ Accounted=لیجر میں حساب NotYetAccounted=ابھی تک اکاؤنٹنگ میں منتقل نہیں ہوا ہے۔ ShowTutorial=ٹیوٹوریل دکھائیں۔ NotReconciled=صلح نہیں ہوئی۔ -WarningRecordWithoutSubledgerAreExcluded=Warning, all lines without subledger account defined are filtered and excluded from this view -AccountRemovedFromCurrentChartOfAccount=Accounting account that does not exist in the current chart of accounts +WarningRecordWithoutSubledgerAreExcluded=انتباہ، سبلیجر اکاؤنٹ کے بغیر تمام لائنوں کو فلٹر کیا گیا ہے اور اس منظر سے خارج کر دیا گیا ہے۔ +AccountRemovedFromCurrentChartOfAccount=اکاؤنٹنگ اکاؤنٹ جو اکاؤنٹس کے موجودہ چارٹ میں موجود نہیں ہے۔ ## Admin BindingOptions=بائنڈنگ کے اختیارات @@ -339,10 +341,10 @@ AccountingJournalType1=متفرق آپریشنز AccountingJournalType2=سیلز AccountingJournalType3=خریداری AccountingJournalType4=بینک -AccountingJournalType5=Expense reports +AccountingJournalType5=اخراجات کی رپورٹ AccountingJournalType8=انوینٹری -AccountingJournalType9=نیا ہے۔ -GenerationOfAccountingEntries=Generation of accounting entries +AccountingJournalType9=کمائی برقرار رکھی +GenerationOfAccountingEntries=اکاؤنٹنگ اندراجات کی تخلیق ErrorAccountingJournalIsAlreadyUse=یہ جریدہ پہلے ہی استعمال میں ہے۔ AccountingAccountForSalesTaxAreDefinedInto=نوٹ: سیلز ٹیکس کے اکاؤنٹنگ اکاؤنٹ کی وضاحت مینو میں %s - %s a097fz0 a09784a میں کی گئی ہے۔ NumberOfAccountancyEntries=اندراجات کی تعداد @@ -350,21 +352,23 @@ NumberOfAccountancyMovements=نقل و حرکت کی تعداد ACCOUNTING_DISABLE_BINDING_ON_SALES=سیلز پر اکاؤنٹنسی میں بائنڈنگ اور ٹرانسفر کو غیر فعال کریں (کسٹمر انوائس کو اکاؤنٹنگ میں مدنظر نہیں رکھا جائے گا) ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=خریداری پر اکاؤنٹنسی میں بائنڈنگ اور ٹرانسفر کو غیر فعال کریں (وینڈر انوائس کو اکاؤنٹنگ میں مدنظر نہیں رکھا جائے گا) ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=اخراجات کی رپورٹوں پر اکاؤنٹنسی میں بائنڈنگ اور ٹرانسفر کو غیر فعال کریں (اکاؤنٹنگ میں اخراجات کی رپورٹوں کو مدنظر نہیں رکھا جائے گا) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting -ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. -ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user -OptionsAdvanced=Advanced options -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_ENABLE_LETTERING=اکاؤنٹنگ میں لیٹرنگ فنکشن کو فعال کریں۔ +ACCOUNTING_ENABLE_LETTERING_DESC=جب یہ اختیارات فعال ہوتے ہیں، تو آپ اکاؤنٹنگ کے ہر اندراج پر، ایک کوڈ کی وضاحت کر سکتے ہیں تاکہ آپ اکاؤنٹنگ کی مختلف حرکات کو ایک ساتھ گروپ کر سکیں۔ ماضی میں، جب مختلف جرائد کو آزادانہ طور پر منظم کیا جاتا تھا، تو یہ خصوصیت مختلف جرائد کی نقل و حرکت کی لائنوں کو ایک ساتھ گروپ کرنے کے لیے ضروری تھی۔ تاہم، Dolibarr اکاؤنٹنسی کے ساتھ، ایک ٹریکنگ کوڈ، جسے "%sکہا جاتا ہے span>" پہلے سے ہی خود بخود محفوظ ہو چکا ہے، اس لیے ایک خودکار خطوط پہلے سے ہی ہو چکا ہے، جس میں غلطی کا کوئی خطرہ نہیں ہے اس لیے یہ فیچر عام استعمال کے لیے بیکار ہو گیا ہے۔ دستی خطوط کی خصوصیت ان آخری صارفین کے لیے فراہم کی گئی ہے جو اکاؤنٹنسی میں ڈیٹا کی منتقلی کرنے والے کمپیوٹر انجن پر واقعی بھروسہ نہیں کرتے ہیں۔ +EnablingThisFeatureIsNotNecessary=اکاؤنٹنگ کے سخت انتظام کے لیے اس خصوصیت کو فعال کرنا مزید ضروری نہیں ہے۔ +ACCOUNTING_ENABLE_AUTOLETTERING=اکاؤنٹنگ میں منتقل کرتے وقت خودکار حروف کو فعال کریں۔ +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=حروف کے لیے کوڈ خود بخود تیار ہوتا ہے اور بڑھایا جاتا ہے اور آخری صارف کے ذریعے منتخب نہیں کیا جاتا ہے۔ +ACCOUNTING_LETTERING_NBLETTERS=لیٹرنگ کوڈ تیار کرتے وقت حروف کی تعداد (پہلے سے طے شدہ 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=کچھ اکاؤنٹنگ سافٹ ویئر صرف دو حرفی کوڈ کو قبول کرتا ہے۔ یہ پیرامیٹر آپ کو اس پہلو کو ترتیب دینے کی اجازت دیتا ہے۔ حروف کی پہلے سے طے شدہ تعداد تین ہے۔ +OptionsAdvanced=اعلی درجے کے اختیارات +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=سپلائر کی خریداریوں پر VAT ریورس چارج کے انتظام کو فعال کریں۔ +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=جب یہ اختیار فعال ہوتا ہے، تو آپ اس بات کی وضاحت کر سکتے ہیں کہ سپلائی کرنے والے یا دیے گئے وینڈر انوائس کو اکاؤنٹنسی میں مختلف طریقے سے منتقل کیا جانا چاہیے: اکاؤنٹنگ کے چارٹ سے 2 دیے گئے اکاؤنٹس پر اکاؤنٹنگ میں ایک اضافی ڈیبٹ اور ایک کریڈٹ لائن تیار ہو جائے گی جس کی وضاحت "%s" سیٹ اپ صفحہ۔ ## Export -NotExportLettering=Do not export the lettering when generating the file -NotifiedExportDate=Flag not yet exported lines as Exported (to modify a line flagged as exported, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries not yet already locked (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) -NotifiedExportFull=Export documents ? -DateValidationAndLock=Date validation and lock +NotExportLettering=فائل تیار کرتے وقت حروف کو برآمد نہ کریں۔ +NotifiedExportDate=ابھی تک ایکسپورٹ نہیں کی گئی لائنوں کو ایکسپورٹڈ کے بطور جھنڈا لگائیں (برآمد شدہ کے طور پر جھنڈے والی لائن میں ترمیم کرنے کے لیے، آپ کو پوری ٹرانزیکشن کو حذف کرنا ہوگا اور اسے اکاؤنٹنگ میں دوبارہ منتقل کرنا ہوگا) +NotifiedValidationDate=برآمد شدہ اندراجات کی توثیق کریں اور ان کو لاک کریں جو ابھی تک مقفل نہیں ہیں ("%s" خصوصیت، ترمیم اور حذف سے ایک ہی اثر لائنیں یقینی طور پر ممکن نہیں ہوں گی) +NotifiedExportFull=برآمد دستاویزات؟ +DateValidationAndLock=تاریخ کی توثیق اور تالا ConfirmExportFile=اکاؤنٹنگ برآمد فائل کی نسل کی تصدیق؟ ExportDraftJournal=ڈرافٹ جرنل برآمد کریں۔ Modelcsv=ایکسپورٹ کا ماڈل @@ -394,7 +398,7 @@ ChartofaccountsId=اکاؤنٹس کی شناخت کا چارٹ ## Tools - Init accounting account on product / service InitAccountancy=اکاؤنٹنسی شروع کریں۔ InitAccountancyDesc=اس صفحہ کو ان مصنوعات اور خدمات پر اکاؤنٹنگ اکاؤنٹ شروع کرنے کے لیے استعمال کیا جا سکتا ہے جن میں سیلز اور خریداریوں کے لیے اکاؤنٹنگ اکاؤنٹ کی وضاحت نہیں کی گئی ہے۔ -DefaultBindingDesc=This page can be used to set the default accounts (from the chart of account) to use to link business objects with an account, like payment salaries, donation, taxes and VAT, when no specific account were already set. +DefaultBindingDesc=اس صفحہ کو پہلے سے طے شدہ اکاؤنٹس (اکاؤنٹ کے چارٹ سے) سیٹ کرنے کے لیے استعمال کیا جا سکتا ہے تاکہ کاروباری اشیاء کو اکاؤنٹ سے جوڑنے کے لیے استعمال کیا جا سکے، جیسے ادائیگی کی تنخواہ، عطیہ، ٹیکس اور VAT، جب کوئی مخصوص اکاؤنٹ پہلے سے سیٹ نہیں کیا گیا تھا۔ DefaultClosureDesc=یہ صفحہ اکاؤنٹنگ بند کرنے کے لیے استعمال ہونے والے پیرامیٹرز کو سیٹ کرنے کے لیے استعمال کیا جا سکتا ہے۔ Options=اختیارات OptionModeProductSell=موڈ سیلز @@ -420,7 +424,7 @@ SaleLocal=مقامی فروخت SaleExport=برآمد کی فروخت SaleEEC=ای ای سی میں فروخت SaleEECWithVAT=VAT کے ساتھ EEC میں فروخت کالعدم نہیں، لہذا ہم سمجھتے ہیں کہ یہ انٹرا کمیونٹری سیل نہیں ہے اور تجویز کردہ اکاؤنٹ معیاری پروڈکٹ اکاؤنٹ ہے۔ -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithoutVATNumber=بغیر VAT کے EEC میں فروخت لیکن تیسرے فریق کی VAT ID کی وضاحت نہیں کی گئی ہے۔ ہم معیاری فروخت کے حساب سے واپس آتے ہیں۔ آپ فریق ثالث کی VAT ID کو ٹھیک کر سکتے ہیں، یا ضرورت پڑنے پر بائنڈنگ کے لیے تجویز کردہ پروڈکٹ اکاؤنٹ کو تبدیل کر سکتے ہیں۔ ForbiddenTransactionAlreadyExported=ممنوع: لین دین کی توثیق اور/یا برآمد کی گئی ہے۔ ForbiddenTransactionAlreadyValidated=ممنوع: لین دین کی توثیق کر دی گئی ہے۔ ## Dictionary @@ -429,28 +433,42 @@ Calculated=حساب لگایا Formula=فارمولا ## Reconcile -LetteringAuto=Reconcile auto -LetteringManual=Reconcile manual -Unlettering=Unreconcile -UnletteringAuto=Unreconcile auto -UnletteringManual=Unreconcile manual -AccountancyNoLetteringModified=No reconcile modified -AccountancyOneLetteringModifiedSuccessfully=One reconcile successfully modified -AccountancyLetteringModifiedSuccessfully=%s reconcile successfully modified -AccountancyNoUnletteringModified=No unreconcile modified -AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified -AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +LetteringAuto=خود کار طریقے سے صلح کریں۔ +LetteringManual=دستی مفاہمت +Unlettering=صلح نہیں کرنا +UnletteringAuto=خود کار طریقے سے مفاہمت نہ کریں۔ +UnletteringManual=دستی کو ختم کرنا +AccountancyNoLetteringModified=کوئی مفاہمت میں ترمیم نہیں کی گئی۔ +AccountancyOneLetteringModifiedSuccessfully=ایک مفاہمت کامیابی کے ساتھ ترمیم کی گئی۔ +AccountancyLetteringModifiedSuccessfully=%s صلح کامیابی سے ترمیم کی گئی +AccountancyNoUnletteringModified=کوئی غیر مفاہمت میں ترمیم نہیں کی گئی۔ +AccountancyOneUnletteringModifiedSuccessfully=ایک غیر مفاہمت میں کامیابی کے ساتھ ترمیم کی گئی۔ +AccountancyUnletteringModifiedSuccessfully=%s غیر مفاہمت کامیابی سے ترمیم کی گئی + +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period +AccountancyClosureStep3=مرحلہ 3 : اندراجات نکالیں (اختیاری) +AccountancyClosureClose=مالی مدت بند کریں۔ +AccountancyClosureAccountingReversal="برقرار آمدنی" کے اندراجات کو نکالیں اور ریکارڈ کریں۔ +AccountancyClosureStep3NewFiscalPeriod=اگلی مالی مدت +AccountancyClosureGenerateClosureBookkeepingRecords=اگلی مالی مدت پر "برقرار آمدنی" کے اندراجات بنائیں +AccountancyClosureSeparateAuxiliaryAccounts="برقرار آمدنی" کے اندراجات تیار کرتے وقت، ذیلی لیجر اکاؤنٹس کی تفصیل دیں۔ +AccountancyClosureCloseSuccessfully=مالی مدت کامیابی سے بند ہو گئی ہے۔ +AccountancyClosureInsertAccountingReversalSuccessfully="برقرار آمدنی" کے لیے بک کیپنگ اندراجات کامیابی کے ساتھ داخل کر دیے گئے ہیں۔ ## Confirm box -ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation -ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? -ConfirmMassDeleteBookkeepingWriting=Bulk Delete confirmation -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +ConfirmMassUnletteringAuto=بڑی تعداد میں خود کار طریقے سے غیر مفاہمت کی تصدیق +ConfirmMassUnletteringManual=بلک دستی غیر مفاہمت کی تصدیق +ConfirmMassUnletteringQuestion=کیا آپ واقعی %s منتخب کردہ ریکارڈ (ریکارڈز) کو ختم کرنا چاہتے ہیں؟ +ConfirmMassDeleteBookkeepingWriting=بلک ڈیلیٹ کی تصدیق +ConfirmMassDeleteBookkeepingWritingQuestion=یہ اکاؤنٹنگ سے لین دین کو حذف کر دے گا (اسی لین دین سے متعلق تمام لائن اندراجات کو حذف کر دیا جائے گا)۔ کیا آپ واقعی %s منتخب اندراجات کو حذف کرنا چاہتے ہیں؟ +AccountancyClosureConfirmClose=کیا آپ واقعی موجودہ مالی مدت کو بند کرنا چاہتے ہیں؟ آپ سمجھتے ہیں کہ مالی مدت کو بند کرنا ایک ناقابل واپسی عمل ہے اور اس مدت کے دوران اندراجات میں کسی بھی ترمیم یا حذف کو مستقل طور پر روک دے گا . +AccountancyClosureConfirmAccountingReversal=کیا آپ واقعی "برقرار آمدنی" کے اندراجات ریکارڈ کرنا چاہتے ہیں؟ ## Error SomeMandatoryStepsOfSetupWereNotDone=سیٹ اپ کے کچھ لازمی اقدامات نہیں کیے گئے، براہ کرم انہیں مکمل کریں۔ -ErrorNoAccountingCategoryForThisCountry=ملک %s کے لیے کوئی اکاؤنٹنگ اکاؤنٹ گروپ دستیاب نہیں (دیکھیں ہوم - سیٹ اپ - ڈکشنریز) +ErrorNoAccountingCategoryForThisCountry=ملک %s کے لیے کوئی اکاؤنٹنگ اکاؤنٹ گروپ دستیاب نہیں (دیکھیں %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=آپ انوائس کی کچھ لائنوں کو جرنلائز کرنے کی کوشش کرتے ہیں %s ، لیکن کچھ دوسری لائنیں ابھی تک اکاؤنٹنگ اکاؤنٹ کے پابند نہیں ہیں۔ اس انوائس کے لیے تمام انوائس لائنوں کی جرنلائزیشن سے انکار کر دیا گیا ہے۔ ErrorInvoiceContainsLinesNotYetBoundedShort=انوائس پر کچھ لائنیں اکاؤنٹنگ اکاؤنٹ کے پابند نہیں ہیں۔ ExportNotSupported=ایکسپورٹ فارمیٹ سیٹ اپ اس صفحہ میں تعاون یافتہ نہیں ہے۔ @@ -459,12 +477,15 @@ NoJournalDefined=کسی جریدے کی وضاحت نہیں کی گئی۔ Binded=لکیریں جڑی ہوئی ہیں۔ ToBind=باندھنے کے لیے لکیریں۔ UseMenuToSetBindindManualy=لائنیں ابھی تک پابند نہیں ہیں، دستی طور پر بائنڈنگ بنانے کے لیے مینو %s استعمال کریں۔ -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Note: this module or page is not completely compatible with the experimental feature of situation invoices. Some data may be wrong. -AccountancyErrorMismatchLetterCode=Mismatch in reconcile code -AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 -AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s -ErrorAccountNumberAlreadyExists=The accounting number %s already exists -ErrorArchiveAddFile=Can't put "%s" file in archive +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=نوٹ: یہ ماڈیول یا صفحہ حالات کی رسیدوں کی تجرباتی خصوصیت سے پوری طرح مطابقت نہیں رکھتا ہے۔ کچھ ڈیٹا غلط ہو سکتا ہے۔ +AccountancyErrorMismatchLetterCode=مصالحتی کوڈ میں مماثلت نہیں ہے۔ +AccountancyErrorMismatchBalanceAmount=بیلنس (%s) 0 کے برابر نہیں ہے +AccountancyErrorLetteringBookkeeping=لین دین سے متعلق غلطیاں پیش آ گئی ہیں: %s +ErrorAccountNumberAlreadyExists=اکاؤنٹنگ نمبر %s پہلے سے موجود ہے +ErrorArchiveAddFile="%s" فائل کو آرکائیو میں نہیں رکھا جا سکتا +ErrorNoFiscalPeriodActiveFound=کوئی فعال مالی مدت نہیں ملی +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=بک کیپنگ دستاویز کی تاریخ فعال مالی مدت کے اندر نہیں ہے۔ +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=بک کیپنگ ڈاک کی تاریخ بند مالی مدت کے اندر ہے۔ ## Import ImportAccountingEntries=اکاؤنٹنگ اندراجات @@ -489,9 +510,9 @@ FECFormatMulticurrencyAmount=ملٹی کرنسی کی رقم (Montantdevise) FECFormatMulticurrencyCode=ملٹی کرنسی کوڈ (آئیڈیوائز) DateExport=تاریخ برآمد -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contain transactions modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. +WarningReportNotReliable=انتباہ، یہ رپورٹ لیجر پر مبنی نہیں ہے، اس لیے لیجر میں دستی طور پر ترمیم شدہ لین دین پر مشتمل نہیں ہے۔ اگر آپ کی جرنلائزیشن اپ ٹو ڈیٹ ہے، تو بک کیپنگ کا منظر زیادہ درست ہے۔ ExpenseReportJournal=اخراجات کی رپورٹ جرنل -DocsAlreadyExportedAreIncluded=Docs already exported are included -ClickToShowAlreadyExportedLines=Click to show already exported lines +DocsAlreadyExportedAreIncluded=پہلے سے برآمد شدہ دستاویزات شامل ہیں۔ +ClickToShowAlreadyExportedLines=پہلے سے برآمد شدہ لائنوں کو دکھانے کے لیے کلک کریں۔ NAccounts=%s اکاؤنٹس diff --git a/htdocs/langs/ur_PK/admin.lang b/htdocs/langs/ur_PK/admin.lang index 25d10018b8e..8fc034873fc 100644 --- a/htdocs/langs/ur_PK/admin.lang +++ b/htdocs/langs/ur_PK/admin.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - admin -BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF -BoldLabelOnPDF=Print label of product item in Bold in PDF +BoldRefAndPeriodOnPDF=پی ڈی ایف میں پروڈکٹ آئٹم کا حوالہ اور مدت پرنٹ کریں۔ +BoldLabelOnPDF=پی ڈی ایف میں بولڈ میں پروڈکٹ آئٹم کا لیبل پرنٹ کریں۔ Foundation=فاؤنڈیشن Version=ورژن Publisher=پبلشر @@ -51,8 +51,8 @@ ClientSortingCharset=کلائنٹ کولیشن WarningModuleNotActive=ماڈیول %s فعال ہونا ضروری ہے WarningOnlyPermissionOfActivatedModules=یہاں صرف فعال ماڈیولز سے متعلق اجازتیں دکھائی گئی ہیں۔ آپ ہوم-> سیٹ اپ-> ماڈیولز صفحہ میں دوسرے ماڈیولز کو چالو کر سکتے ہیں۔ DolibarrSetup=Dolibarr انسٹال یا اپ گریڈ کریں۔ -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=Dolibarr اپ گریڈ +DolibarrAddonInstall=ایڈون/بیرونی ماڈیولز کی تنصیب (اپ لوڈ یا تیار کردہ) InternalUsers=اندرونی صارفین ExternalUsers=بیرونی صارفین UserInterface=یوزر انٹرفیس @@ -109,7 +109,7 @@ NextValueForReplacements=اگلی قدر (متبادل) MustBeLowerThanPHPLimit=نوٹ: آپ کی PHP کنفیگریشن فی الحال %s %s پر اپ لوڈ کرنے کے لیے زیادہ سے زیادہ فائل سائز کو محدود کرتی ہے، اس پیرامیٹر کی قدر سے قطع نظر NoMaxSizeByPHPLimit=نوٹ: آپ کی پی ایچ پی کی ترتیب میں کوئی حد مقرر نہیں ہے۔ MaxSizeForUploadedFiles=اپ لوڈ کردہ فائلوں کے لیے زیادہ سے زیادہ سائز (0 کسی بھی اپ لوڈ کی اجازت نہ دینے کے لیے) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page and some public pages +UseCaptchaCode=لاگ ان پیج اور کچھ عوامی صفحات پر گرافیکل کوڈ (کیپچا) استعمال کریں۔ AntiVirusCommand=اینٹی وائرس کمانڈ کا مکمل راستہ AntiVirusCommandExample=ClamAv ڈیمون کی مثال (کلاماو ڈیمون کی ضرورت ہے): /usr/bin/clamdscan
      کلیم ون کی مثال (بہت سست): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe AntiVirusParam= کمانڈ لائن پر مزید پیرامیٹرز @@ -147,7 +147,7 @@ Box=ویجیٹ Boxes=وجیٹس MaxNbOfLinesForBoxes=زیادہ سے زیادہ ویجٹ کے لیے لائنوں کی تعداد AllWidgetsWereEnabled=تمام دستیاب وجیٹس فعال ہیں۔ -WidgetAvailable=Widget available +WidgetAvailable=ویجیٹ دستیاب ہے۔ PositionByDefault=پہلے سے طے شدہ آرڈر Position=پوزیشن MenusDesc=مینو مینیجر دو مینو بارز (افقی اور عمودی) کا مواد سیٹ کرتے ہیں۔ @@ -227,6 +227,8 @@ NotCompatible=یہ ماڈیول آپ کے Dolibarr %s (Min %s - Max %s) کے س CompatibleAfterUpdate=اس ماڈیول کو آپ کے Dolibarr %s (Min %s - زیادہ سے زیادہ %s) میں اپ ڈیٹ کی ضرورت ہے۔ SeeInMarkerPlace=بازار میں دیکھیں SeeSetupOfModule=ماڈیول %s کا سیٹ اپ دیکھیں +SeeSetupPage=%s پر سیٹ اپ صفحہ دیکھیں +SeeReportPage=رپورٹ کا صفحہ %s پر دیکھیں SetOptionTo=آپشن %s کو %s پر سیٹ کریں Updated=اپ ڈیٹ AchatTelechargement=خریدیں / ڈاؤن لوڈ کریں۔ @@ -292,22 +294,22 @@ EmailSenderProfiles=ای میل بھیجنے والے پروفائلز EMailsSenderProfileDesc=آپ اس حصے کو خالی رکھ سکتے ہیں۔ اگر آپ یہاں کچھ ای میلز درج کرتے ہیں، تو وہ ممکنہ ارسال کنندگان کی فہرست میں شامل کر دی جائیں گی جب آپ نیا ای میل لکھیں گے۔ MAIN_MAIL_SMTP_PORT=SMTP/SMTPS پورٹ (php.ini میں پہلے سے طے شدہ قدر: %s ) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS میزبان (php.ini میں پہلے سے طے شدہ قدر: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS پورٹ (یونکس جیسے سسٹمز پر پی ایچ پی میں بیان نہیں کیا گیا) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS میزبان (یونکس جیسے سسٹمز پر پی ایچ پی میں بیان نہیں کیا گیا) -MAIN_MAIL_EMAIL_FROM=خودکار ای میلز کے لیے بھیجنے والا ای میل (php.ini میں ڈیفالٹ ویلیو: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS پورٹ +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS میزبان +MAIN_MAIL_EMAIL_FROM=خودکار ای میلز کے لیے بھیجنے والا ای میل +EMailHelpMsgSPFDKIM=Dolibarr ای میلز کو اسپام کے طور پر درجہ بندی کرنے سے روکنے کے لیے، اس بات کو یقینی بنائیں کہ سرور اس شناخت کے تحت ای میل بھیجنے کا مجاز ہے (ڈومین نام کی SPF اور DKIM کنفیگریشن کو چیک کرکے) MAIN_MAIL_ERRORS_TO=غلطی کے لیے استعمال ہونے والی ای میل ای میلز واپس کرتی ہے (بھیجے گئے ای میلز میں فیلڈز 'Errors-To') MAIN_MAIL_AUTOCOPY_TO= تمام بھیجی گئی ای میلز کو کاپی (Bcc) کریں۔ MAIN_DISABLE_ALL_MAILS=تمام ای میل بھیجنے کو غیر فعال کریں (ٹیسٹ کے مقاصد یا ڈیمو کے لیے) MAIN_MAIL_FORCE_SENDTO=تمام ای میلز کو بھیجیں (حقیقی وصول کنندگان کے بجائے، آزمائشی مقاصد کے لیے) MAIN_MAIL_ENABLED_USER_DEST_SELECT=نیا ای میل لکھتے وقت پہلے سے طے شدہ وصول کنندہ کی فہرست میں ملازمین کی ای میلز (اگر وضاحت کی گئی ہو) تجویز کریں۔ -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=پہلے سے طے شدہ وصول کنندہ کا انتخاب نہ کریں چاہے صرف 1 ممکنہ انتخاب ہو۔ MAIN_MAIL_SENDMODE=ای میل بھیجنے کا طریقہ MAIN_MAIL_SMTPS_ID=SMTP ID (اگر سرور بھیجنے کے لیے تصدیق کی ضرورت ہو) MAIN_MAIL_SMTPS_PW=SMTP پاس ورڈ (اگر سرور بھیجنے کے لیے تصدیق کی ضرورت ہے) MAIN_MAIL_EMAIL_TLS=TLS (SSL) انکرپشن استعمال کریں۔ MAIN_MAIL_EMAIL_STARTTLS=TLS (STARTTLS) انکرپشن استعمال کریں۔ -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=les سرٹیفکیٹس کو خودکار دستخطوں کی اجازت دیں۔ +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=خود دستخط شدہ سرٹیفکیٹ کی اجازت دیں۔ MAIN_MAIL_EMAIL_DKIM_ENABLED=ای میل دستخط بنانے کے لیے DKIM استعمال کریں۔ MAIN_MAIL_EMAIL_DKIM_DOMAIN=dkim کے ساتھ استعمال کے لیے ای میل ڈومین MAIN_MAIL_EMAIL_DKIM_SELECTOR=dkim سلیکٹر کا نام @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=dkim پر دستخط کرنے کے لیے نج MAIN_DISABLE_ALL_SMS=تمام ایس ایم ایس بھیجنے کو غیر فعال کریں (ٹیسٹ کے مقاصد یا ڈیمو کے لیے) MAIN_SMS_SENDMODE=SMS بھیجنے کے لیے استعمال کرنے کا طریقہ MAIN_MAIL_SMS_FROM=ایس ایم ایس بھیجنے کے لیے ڈیفالٹ بھیجنے والے کا فون نمبر -MAIN_MAIL_DEFAULT_FROMTYPE=دستی بھیجنے کے لیے ڈیفالٹ بھیجنے والا ای میل (صارف کا ای میل یا کمپنی کا ای میل) +MAIN_MAIL_DEFAULT_FROMTYPE=ای میل بھیجنے کے لیے پہلے سے طے شدہ بھیجنے والے کا ای میل فارمز پر منتخب کیا گیا ہے۔ UserEmail=صارف کا ای میل CompanyEmail=کمپنی کا ای میل FeatureNotAvailableOnLinux=فیچر یونکس جیسے سسٹمز پر دستیاب نہیں ہے۔ مقامی طور پر اپنے بھیجے گئے میل پروگرام کی جانچ کریں۔ @@ -346,7 +348,7 @@ StepNb=مرحلہ %s FindPackageFromWebSite=ایک ایسا پیکیج تلاش کریں جو آپ کو مطلوبہ خصوصیات فراہم کرتا ہو (مثال کے طور پر سرکاری ویب سائٹ %s پر)۔ DownloadPackageFromWebSite=پیکیج ڈاؤن لوڈ کریں (مثال کے طور پر سرکاری ویب سائٹ %s سے)۔ UnpackPackageInDolibarrRoot=پیک شدہ فائلوں کو اپنی ڈولیبر سرور ڈائرکٹری میں کھولیں/ان زپ کریں: %s -UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s +UnpackPackageInModulesRoot=کسی بیرونی ماڈیول کو تعینات/انسٹال کرنے کے لیے، آپ کو بیرونی ماڈیولز کے لیے مختص سرور ڈائرکٹری میں آرکائیو فائل کو کھولنا/ان زپ کرنا ہوگا:
      b0aee8365837fz0 >%s
      SetupIsReadyForUse=ماڈیول کی تعیناتی ختم ہو گئی ہے۔ تاہم آپ کو صفحہ سیٹ اپ ماڈیولز: %s پر جا کر اپنی درخواست میں ماڈیول کو فعال اور سیٹ اپ کرنا ہوگا۔ NotExistsDirect=متبادل روٹ ڈائرکٹری موجودہ ڈائرکٹری سے متعین نہیں ہے۔
      InfDirAlt=ورژن 3 کے بعد سے، متبادل روٹ ڈائریکٹری کی وضاحت ممکن ہے۔ یہ آپ کو ایک وقف شدہ ڈائرکٹری، پلگ ان اور حسب ضرورت ٹیمپلیٹس میں ذخیرہ کرنے کی اجازت دیتا ہے۔
      بس Dolibarr کے روٹ پر ایک ڈائرکٹری بنائیں (جیسے: کسٹم)۔
      @@ -365,10 +367,10 @@ GenericMaskCodes=آپ کوئی بھی نمبرنگ ماسک درج کر سکتے GenericMaskCodes2= {cccc} n حروف پر کلائنٹ کا کوڈ گاہک کے لیے وقف یہ کاؤنٹر عالمی کاؤنٹر کے ساتھ ہی دوبارہ ترتیب دیا جاتا ہے۔
      {tttt} n حروف پر تیسری پارٹی کی قسم کا کوڈ (مینیو دیکھیں ہوم - سیٹ اپ - ڈکشنری - تھرڈ پارٹیز کی اقسام)۔ اگر آپ یہ ٹیگ شامل کرتے ہیں، تو کاؤنٹر ہر قسم کے تیسرے فریق کے لیے مختلف ہوگا۔
      GenericMaskCodes3=ماسک میں باقی تمام کردار برقرار رہیں گے۔
      خالی جگہوں کی اجازت نہیں ہے۔
      GenericMaskCodes3EAN=ماسک میں باقی تمام حروف برقرار رہیں گے (سوائے * یا ? EAN13 میں 13ویں پوزیشن پر)۔
      خالی جگہوں کی اجازت نہیں ہے۔
      EAN13 میں، 13ویں پوزیشن میں آخری } کے بعد آخری حرف * یا ؟ . اسے کیلکولیٹڈ کلید سے بدل دیا جائے گا۔
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes4a=تیسرے فریق TheCompany کی 99ویں %s پر مثال، تاریخ 2023-01-31 کے ساتھ:
      +GenericMaskCodes4b=31-01-2023 کو بنائے گئے فریق ثالث کی مثال:
      > +GenericMaskCodes4c=31-01-2023 کو تیار کردہ پروڈکٹ کی مثال:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000} دے گا b0aee83365830 span>ABC2301-000099

      b0aee8365837fz0{0@0@0@span }-ZZZ/{dd}/XXX دے گا 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} class='notranslate'>
      دے گا IN2301-0099-A اگر کمپنی کی قسم ہے 'ذمہ دار انسکرپٹو' اس قسم کے کوڈ کے ساتھ جو 'A_RI' ہے GenericNumRefModelDesc=ایک متعین ماسک کے مطابق حسب ضرورت نمبر لوٹاتا ہے۔ ServerAvailableOnIPOrPort=سرور %s پورٹ %s a09a4b739f17f80 پر دستیاب ہے۔ ServerNotAvailableOnIPOrPort=پورٹ %s پر سرور دستیاب نہیں ہے %s a09a4b739f178 @@ -378,7 +380,7 @@ DoTestSendHTML=HTML بھیجنے کی جانچ کریں۔ ErrorCantUseRazIfNoYearInMask=خرابی، اگر ترتیب {yy} یا {yyyy} ماسک میں نہیں ہے تو ہر سال کاؤنٹر کو دوبارہ ترتیب دینے کے لیے @ آپشن کا استعمال نہیں کر سکتے۔ ErrorCantUseRazInStartedYearIfNoYearMonthInMask=خرابی، اگر ترتیب {yy}{mm} یا {yyyy}{mm} ماسک میں نہیں ہے تو @ آپشن استعمال نہیں کر سکتے۔ UMask=Unix/Linux/BSD/Mac فائل سسٹم پر نئی فائلوں کے لیے UMask پیرامیٹر۔ -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. +UMaskExplanation=یہ پیرامیٹر آپ کو سرور پر Dolibarr کی طرف سے بنائی گئی فائلوں پر بطور ڈیفالٹ سیٹ کردہ اجازتوں کی وضاحت کرنے کی اجازت دیتا ہے (مثال کے طور پر اپ لوڈ کے دوران)۔
      یہ آکٹل قدر ہونی چاہیے (مثال کے طور پر، 0666 کا مطلب ہے پڑھنا) اور سب کے لیے لکھیں۔) تجویز کردہ قدر 0600 یا 0660 ہے
      یہ پیرامیٹر ونڈوز سرور پر بیکار ہے۔ SeeWikiForAllTeam=شراکت داروں اور ان کی تنظیم کی فہرست کے لیے وکی صفحہ پر ایک نظر ڈالیں۔ UseACacheDelay= ایکسپورٹ رسپانس کو سیکنڈ میں کیش کرنے میں تاخیر (0 یا بغیر کیشے کے خالی) DisableLinkToHelpCenter=لاگ ان پیج پر لنک کو چھپائیں " مدد کی ضرورت ہے یا " @@ -417,6 +419,7 @@ PDFLocaltax=%s کے قواعد HideLocalTaxOnPDF=کالم سیل ٹیکس / VAT میں %s کی شرح چھپائیں HideDescOnPDF=مصنوعات کی تفصیل چھپائیں۔ HideRefOnPDF=مصنوعات کا حوالہ چھپائیں۔ +ShowProductBarcodeOnPDF=مصنوعات کا بارکوڈ نمبر دکھائیں۔ HideDetailsOnPDF=پروڈکٹ لائنز کی تفصیلات چھپائیں۔ PlaceCustomerAddressToIsoLocation=کسٹمر ایڈریس پوزیشن کے لیے فرانسیسی معیاری پوزیشن (لا پوسٹ) کا استعمال کریں۔ Library=کتب خانہ @@ -424,7 +427,7 @@ UrlGenerationParameters=URLs کو محفوظ کرنے کے لیے پیرامیٹ SecurityTokenIsUnique=ہر یو آر ایل کے لیے ایک منفرد سیکیورکی پیرامیٹر استعمال کریں۔ EnterRefToBuildUrl=آبجیکٹ %s کے لیے حوالہ درج کریں۔ GetSecuredUrl=حسابی یو آر ایل حاصل کریں۔ -ButtonHideUnauthorized=اندرونی صارفین کے لیے بھی غیر مجاز ایکشن بٹن چھپائیں (بصورت دیگر صرف خاکستری) +ButtonHideUnauthorized=اندرونی صارفین کے لیے بھی غیر مجاز ایکشن بٹن چھپائیں (بصورت دیگر سرمئی) OldVATRates=VAT کی پرانی شرح NewVATRates=VAT کی نئی شرح PriceBaseTypeToChange=پر بیان کردہ بنیادی حوالہ قدر کے ساتھ قیمتوں میں ترمیم کریں۔ @@ -442,10 +445,10 @@ Unique=منفرد Boolean=بولین (ایک چیک باکس) ExtrafieldPhone = فون ExtrafieldPrice = قیمت -ExtrafieldPriceWithCurrency=Price with currency +ExtrafieldPriceWithCurrency=کرنسی کے ساتھ قیمت ExtrafieldMail = ای میل ExtrafieldUrl = یو آر ایل -ExtrafieldIP = IP +ExtrafieldIP = آئی پی ExtrafieldSelect = فہرست منتخب کریں۔ ExtrafieldSelectList = ٹیبل سے منتخب کریں۔ ExtrafieldSeparator=الگ کرنے والا (فیلڈ نہیں) @@ -455,14 +458,14 @@ ExtrafieldCheckBox=چیک باکسز ExtrafieldCheckBoxFromList=میز سے چیک باکسز ExtrafieldLink=کسی چیز سے لنک کریں۔ ComputedFormula=شمار شدہ فیلڈ -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' +ComputedFormulaDesc=ڈائنامک کمپیوٹیڈ ویلیو حاصل کرنے کے لیے آپ یہاں آبجیکٹ کی دیگر خصوصیات یا کسی بھی پی ایچ پی کوڈنگ کا استعمال کرتے ہوئے ایک فارمولا درج کر سکتے ہیں۔ آپ کسی بھی پی ایچ پی کے موافق فارمولے استعمال کر سکتے ہیں بشمول "؟" حالت آپریٹر، اور مندرجہ ذیل عالمی آبجیکٹ: $db, $conf, $langs, $mysoc, $user, $objectoffield >.
      وارننگ: اگر آپ کو کسی چیز کی خصوصیات کی ضرورت ہو لوڈ نہیں ہے، بس اپنے آپ کو اپنے فارمولے میں آبجیکٹ لائیں جیسا کہ دوسری مثال میں ہے۔
      کمپیوٹیڈ فیلڈ استعمال کرنے کا مطلب ہے کہ آپ انٹرفیس سے اپنی کوئی قدر درج نہیں کر سکتے۔ نیز، اگر نحو کی خرابی ہے تو، فارمولہ کچھ نہیں لوٹا سکتا۔

      فارمولے کی مثال:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      آجیکٹ کو دوبارہ لوڈ کرنے کی مثال
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldreloadedkey'*-j >capital / 5: '-1')

      آجیکٹ اور اس کے بنیادی آبجیکٹ کو زبردستی لوڈ کرنے کے فارمولے کی دوسری مثال:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project( $db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ؟ $secondloadedobj->ref: 'پیرنٹ پروجیکٹ نہیں ملا' Computedpersistent=حسابی فیلڈ اسٹور کریں۔ ComputedpersistentDesc=کمپیوٹ شدہ اضافی فیلڈز کو ڈیٹا بیس میں اسٹور کیا جائے گا، تاہم، اس فیلڈ کی آبجیکٹ کو تبدیل کرنے پر ہی قدر کی دوبارہ گنتی کی جائے گی۔ اگر کمپیوٹنگ فیلڈ دیگر اشیاء یا عالمی ڈیٹا پر منحصر ہے تو یہ قدر غلط ہو سکتی ہے!! -ExtrafieldParamHelpPassword=اس فیلڈ کو خالی چھوڑنے کا مطلب ہے کہ اس قدر کو بغیر خفیہ کاری کے محفوظ کیا جائے گا (فیلڈ صرف اسکرین پر ستارے کے ساتھ چھپا ہوا ہونا چاہیے)۔
      ڈیٹا بیس میں پاس ورڈ کو محفوظ کرنے کے لیے ڈیفالٹ انکرپشن رول کو استعمال کرنے کے لیے 'آٹو' سیٹ کریں (پھر ویلیو ریڈ صرف ہیش ہوگی، اصل قدر کو بازیافت کرنے کا کوئی طریقہ نہیں) +ExtrafieldParamHelpPassword=اس فیلڈ کو خالی چھوڑنے کا مطلب ہے کہ یہ قدر بغیر خفیہ کاری کے محفوظ ہو جائے گی (فیلڈ صرف اسکرین پر ستاروں کے ساتھ چھپی ہوئی ہے)۔

      درج کریں قدر 'ڈول کریپٹ' کو ایک الٹ ایبل انکرپشن الگورتھم کے ساتھ قدر کو انکوڈ کرنے کے لیے۔ صاف ڈیٹا اب بھی جانا اور اس میں ترمیم کیا جا سکتا ہے لیکن ڈیٹا بیس میں انکرپٹ کیا جاتا ہے۔

      'auto' (یا 'md5' درج کریں، 'sha256', 'password_hash', ...) ڈیفالٹ پاس ورڈ انکرپشن الگورتھم (یا md5, sha256, password_hash...) استعمال کرنے کے لیے نان ریورسیبل ہیشڈ پاس ورڈ کو ڈیٹا بیس میں محفوظ کرنے کے لیے (اصل قدر بازیافت کرنے کا کوئی طریقہ نہیں) ExtrafieldParamHelpselect=اقدار کی فہرست شکل کلید کے ساتھ لائنوں کا ہونا لازمی ہے، قدر (جہاں چابی نہیں ہو سکتا '0') مثال کے

      :
      1، VALUE1
      2، VALUE2
      code3، value3
      ...

      ہے کرنے کے لئے فہرست ایک اور اعزازی وصف فہرست پر منحصر:
      1، VALUE1 | options_ parent_list_code : parent_key
      2، VALUE2 | options_ parent_list_code : parent_key

      واسطے ایک اور فہرست کے لحاظ فہرست ہے کرنا:
      1، VALUE1 | parent_list_code :parent_key
      2,value2| parent_list_code :parent_key ExtrafieldParamHelpcheckbox=اقدار کی فہرست فارمیٹ کلید کے ساتھ لائنوں میں ہونی چاہیے، ویلیو (جہاں کلید '0' نہیں ہو سکتی)

      مثال کے طور پر:
      1,value1

      a0342fda19bz0 2,342fdavalue... ExtrafieldParamHelpradio=اقدار کی فہرست فارمیٹ کلید کے ساتھ لائنوں میں ہونی چاہیے، ویلیو (جہاں کلید '0' نہیں ہو سکتی)

      مثال کے طور پر:
      1,value1

      a0342fda19bz0 2,342fdavalue... -ExtrafieldParamHelpsellist=table_name: label_field: اقدار کی فہرست نحو
      ایک میز سے آتا id_field :: filtersql
      مثال: c_typent: libelle: ID :: filtersql

      - id_field necessarly ایک بنیادی INT چابی
      ہے - filtersql ایک SQL شرط ہے. صرف ایکٹیو ویلیو
      ظاہر کرنے کے لیے یہ ایک سادہ ٹیسٹ (مثلاً فعال=1) ہو سکتا ہے آپ فلٹر میں $ID$ بھی استعمال کر سکتے ہیں جو کہ موجودہ آبجیکٹ
      کی موجودہ آئی ڈی ہے فلٹر میں SELECT استعمال کرنے کے لیے مطلوبہ لفظ $SEL$ کا استعمال کریں۔ بائی پاس اینٹی انجکشن تحفظ.
      اگر آپ ایکسٹرا فیلڈز پر فلٹر کرنا چاہتے ہیں تو نحو کا استعمال کریں extra.fieldcode=... (جہاں فیلڈ کوڈ ایکسٹرا فیلڈ کا کوڈ ہوتا ہے)

      ایک اور تکمیلی وصف کی فہرست پر منحصر فہرست رکھنے کے لیے:
      parent_list_code | parent_column: |: فلٹر
      c_typent: libelle: ID parent_column parent_list_code ایک اور فہرست کے لحاظ فہرست حاصل کرنے کے لیے فلٹر

      +ExtrafieldParamHelpsellist=اقدار کی فہرست ایک ٹیبل سے آتی ہے
      نحو: table_name:label_field:id_field::filtersql
      مثال: ccfda19bz0 ::filtersql

      - id_field لازمی طور پر ایک بنیادی int کلید ہے
      - filtersql ایک SQL شرط ہے۔ صرف فعال قدر ظاہر کرنے کے لیے یہ ایک سادہ ٹیسٹ (مثلاً فعال=1) ہو سکتا ہے
      آپ $ID$ کو فلٹر میں بھی استعمال کر سکتے ہیں جو موجودہ آبجیکٹ کی موجودہ id ہے
      فلٹر میں SELECT استعمال کرنے کے لیے اینٹی انجیکشن تحفظ کو نظرانداز کرنے کے لیے مطلوبہ لفظ $SEL$ استعمال کریں۔
      اگر آپ ایکسٹرا فیلڈز پر فلٹر کرنا چاہتے ہیں نحو کا استعمال کریں extra.fieldcode=... (جہاں فیلڈ کوڈ extrafield کا کوڈ ہے)

      فہرست ایک اور تکمیلی انتساب کی فہرست پر منحصر ہے:
      c_typent:libelle:id:options_parent_list_code'notranslate'>'notranslate'
      |parent_column:filter

      دوسری فہرست پر منحصر فہرست رکھنے کے لیے:
      c_typent:libelle:id:parent_list_codeb0ae64758bac33parent_col> ExtrafieldParamHelpchkbxlst=اقدار کی فہرست ایک ٹیبل سے آتی ہے فلٹر ڈائن میں $ID$ بھی استعمال کر سکتے ہیں موجودہ آبجیکٹ
      کی موجودہ آئی ڈی ہے extrafield کا کوڈ)

      ایک اور اعزازی وصف فہرست پر منحصر فہرست حاصل کرنے کے لیے:
      c_typent: libelle: ID: options_ parent_list_code | parent_column: فلٹر

      ایک اور فہرست کے لحاظ فہرست حاصل کرنے کے لیے:
      c_typent: libelle:id: parent_list_code |parent_column:filter ExtrafieldParamHelplink=پیرامیٹرز کا ہونا ضروری ہے ObjectName:Classpath
      نحو: ObjectName:Classpath ExtrafieldParamHelpSeparator=ایک سادہ سیپریٹر کے لیے خالی رکھیں اسٹیٹس کو ہر صارف کے سیشن کے لیے رکھا جاتا ہے) @@ -482,7 +485,7 @@ InstalledInto=ڈائرکٹری %s میں انسٹال ہے۔ BarcodeInitForThirdparties=فریق ثالث کے لیے بڑے پیمانے پر بارکوڈ init BarcodeInitForProductsOrServices=بڑے پیمانے پر بارکوڈ شروع کریں یا مصنوعات یا خدمات کے لیے دوبارہ ترتیب دیں۔ CurrentlyNWithoutBarCode=فی الحال، آپ کے پاس %s ریکارڈ ہے -InitEmptyBarCode=Init value for the %s empty barcodes +InitEmptyBarCode=%s خالی بارکوڈز کے لیے ابتدائی قدر EraseAllCurrentBarCode=تمام موجودہ بارکوڈ اقدار کو مٹا دیں۔ ConfirmEraseAllCurrentBarCode=کیا آپ واقعی بارکوڈ کی تمام موجودہ اقدار کو مٹانا چاہتے ہیں؟ AllBarcodeReset=بارکوڈ کی تمام اقدار کو ہٹا دیا گیا ہے۔ @@ -506,32 +509,32 @@ WarningPHPMail=انتباہ: ایپلیکیشن سے ای میلز بھیجنے WarningPHPMailA=- ای میل سروس فراہم کنندہ کے سرور کا استعمال آپ کے ای میل کی قابل اعتمادیت کو بڑھاتا ہے، لہذا یہ سپیم کے طور پر نشان زد کیے بغیر ڈیلیوریبلٹی کو بڑھاتا ہے۔ WarningPHPMailB=- کچھ ای میل سروس فراہم کرنے والے (جیسے Yahoo) آپ کو اپنے سرور کے بجائے کسی دوسرے سرور سے ای میل بھیجنے کی اجازت نہیں دیتے ہیں۔ آپ کا موجودہ سیٹ اپ ای میل بھیجنے کے لیے ایپلیکیشن کے سرور کا استعمال کرتا ہے نہ کہ آپ کے ای میل فراہم کنندہ کا سرور، اس لیے کچھ وصول کنندگان (جو پابندی والے DMARC پروٹوکول کے ساتھ مطابقت رکھتا ہے) آپ کے ای میل فراہم کنندہ سے پوچھیں گے کہ کیا وہ آپ کی ای میل اور کچھ ای میل فراہم کنندگان کو قبول کر سکتے ہیں۔ (جیسے Yahoo) "نہیں" میں جواب دے سکتا ہے کیونکہ سرور ان کا نہیں ہے، اس لیے آپ کی بھیجی گئی ای میلز میں سے کچھ کو ڈیلیوری کے لیے قبول نہیں کیا جا سکتا ہے (اپنے ای میل فراہم کنندہ کے بھیجنے کے کوٹے سے بھی محتاط رہیں)۔ WarningPHPMailC=- ای میلز بھیجنے کے لیے آپ کے اپنے ای میل سروس پرووائیڈر کے SMTP سرور کا استعمال کرنا بھی دلچسپ ہے اس لیے ایپلی کیشن سے بھیجی گئی تمام ای میلز آپ کے میل باکس کی "بھیجی گئی" ڈائرکٹری میں بھی محفوظ ہو جائیں گی۔ -WarningPHPMailD=It is therefore recommended to change the sending method of e-mails to the value "SMTP". -WarningPHPMailDbis=If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by %sclicking here%s. +WarningPHPMailD=اس لیے ای میل بھیجنے کے طریقے کو "SMTP" کی قدر میں تبدیل کرنے کی سفارش کی جاتی ہے۔ +WarningPHPMailDbis=اگر آپ واقعی ای میلز بھیجنے کے لیے پہلے سے طے شدہ "PHP" طریقہ کو برقرار رکھنا چاہتے ہیں، تو صرف اس انتباہ کو نظر انداز کریں، یا اسے %sیہاں کلک کرکے ہٹا دیں%s۔ WarningPHPMail2=اگر آپ کے ای میل SMTP فراہم کنندہ کو ای میل کلائنٹ کو کچھ IP پتوں تک محدود کرنے کی ضرورت ہے (بہت کم)، یہ آپ کی ERP CRM درخواست کے لیے میل صارف ایجنٹ (MUA) کا IP پتہ ہے: %s ۔ WarningPHPMailSPF=اگر آپ کے بھیجنے والے کے ای میل ایڈریس میں موجود ڈومین کا نام SPF ریکارڈ کے ذریعے محفوظ ہے (اپنے ڈومین نام کے رجسٹرار سے پوچھیں)، تو آپ کو اپنے ڈومین کے DNS کے SPF ریکارڈ میں درج ذیل آئی پیز کو شامل کرنا ہوگا: %s a0a65d071f6f6fz0. -ActualMailSPFRecordFound=Actual SPF record found (for email %s) : %s +ActualMailSPFRecordFound=اصل SPF ریکارڈ ملا (ای میل %s کے لیے): %s ClickToShowDescription=تفصیل دکھانے کے لیے کلک کریں۔ DependsOn=اس ماڈیول کو ماڈیول کی ضرورت ہے RequiredBy=یہ ماڈیول ماڈیول (زبانوں) کو درکار ہے TheKeyIsTheNameOfHtmlField=یہ HTML فیلڈ کا نام ہے۔ کسی فیلڈ کا کلیدی نام حاصل کرنے کے لیے HTML صفحہ کے مواد کو پڑھنے کے لیے تکنیکی علم کی ضرورت ہوتی ہے۔ -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. +PageUrlForDefaultValues=آپ کو صفحہ کے URL کا رشتہ دار راستہ درج کرنا ہوگا۔ اگر آپ URL میں پیرامیٹرز شامل کرتے ہیں، تو یہ مؤثر ہو گا اگر براؤز کیے گئے URL میں تمام پیرامیٹرز کی قدر یہاں بیان کی گئی ہو۔ PageUrlForDefaultValuesCreate=
      مثال:
      ایک نیا فریق ثالث بنانے کے لیے، یہ ہے %s ۔
      کسٹم ڈائرکٹری میں نصب بیرونی ماڈیولز کے URL کے لیے، "کسٹم/" شامل نہ کریں، اس لیے mymodule/mypage.php جیسا راستہ استعمال کریں نہ کہ custom/mymodule/mypage.php۔
      اگر آپ صرف اس صورت میں ڈیفالٹ قدر چاہتے ہیں جب url میں کچھ پیرامیٹر ہو تو آپ %s استعمال کرسکتے ہیں۔ PageUrlForDefaultValuesList=
      مثال:
      تیسرے فریقوں کی فہرست والے صفحہ کے لیے، یہ %s ہے۔
      کسٹم ڈائرکٹری میں نصب بیرونی ماڈیولز کے URL کے لیے، "کسٹم/" شامل نہ کریں اس لیے mymodule/mypagelist.php جیسا راستہ استعمال کریں نہ کہ custom/mymodule/mypage.list.
      اگر آپ صرف اس صورت میں ڈیفالٹ قدر چاہتے ہیں جب url میں کچھ پیرامیٹر ہو تو آپ %s استعمال کرسکتے ہیں۔ -AlsoDefaultValuesAreEffectiveForActionCreate=یہ بھی نوٹ کریں کہ فارم بنانے کے لیے پہلے سے طے شدہ اقدار کو اوور رائٹنگ کرنا صرف ان صفحات کے لیے کام کرتا ہے جو درست طریقے سے ڈیزائن کیے گئے تھے (لہذا پیرامیٹر ایکشن = تخلیق یا پیش کریں...) +AlsoDefaultValuesAreEffectiveForActionCreate=یہ بھی نوٹ کریں کہ فارم بنانے کے لیے پہلے سے طے شدہ اقدار کو اوور رائٹ کرنا صرف ان صفحات کے لیے کام کرتا ہے جو درست طریقے سے ڈیزائن کیے گئے تھے (لہذا پیرامیٹر ایکشن = تخلیق یا پیش کریں...) EnableDefaultValues=ڈیفالٹ اقدار کی حسب ضرورت کو فعال کریں۔ -EnableOverwriteTranslation=Allow customization of translations +EnableOverwriteTranslation=ترجمہ کو حسب ضرورت بنانے کی اجازت دیں۔ GoIntoTranslationMenuToChangeThis=اس کوڈ والی کلید کا ترجمہ ملا ہے۔ اس قدر کو تبدیل کرنے کے لیے، آپ کو Home-Setup-translation سے اس میں ترمیم کرنا ہوگی۔ WarningSettingSortOrder=تنبیہ، پہلے سے طے شدہ ترتیب ترتیب دینے کے نتیجے میں فہرست کے صفحہ پر جاتے وقت تکنیکی خرابی ہو سکتی ہے اگر فیلڈ ایک نامعلوم فیلڈ ہے۔ اگر آپ کو ایسی غلطی کا سامنا کرنا پڑتا ہے تو، پہلے سے طے شدہ ترتیب کو ہٹانے اور پہلے سے طے شدہ رویے کو بحال کرنے کے لیے اس صفحہ پر واپس آئیں۔ Field=میدان ProductDocumentTemplates=پروڈکٹ کی دستاویز تیار کرنے کے لیے دستاویزی ٹیمپلیٹس -ProductBatchDocumentTemplates=Document templates to generate product lots document +ProductBatchDocumentTemplates=پروڈکٹ لاٹ دستاویز بنانے کے لیے دستاویز کے سانچے FreeLegalTextOnExpenseReports=اخراجات کی رپورٹوں پر مفت قانونی متن WatermarkOnDraftExpenseReports=ڈرافٹ اخراجات کی رپورٹوں پر واٹر مارک ProjectIsRequiredOnExpenseReports=اخراجات کی رپورٹ درج کرنے کے لیے پروجیکٹ لازمی ہے۔ PrefillExpenseReportDatesWithCurrentMonth=موجودہ مہینے کی شروع اور اختتامی تاریخوں کے ساتھ نئے اخراجات کی رپورٹ کے آغاز اور اختتامی تاریخوں کو پہلے سے پُر کریں۔ ForceExpenseReportsLineAmountsIncludingTaxesOnly=اخراجات کی رپورٹ کی رقم کو ہمیشہ ٹیکس کے ساتھ رقم میں داخل کرنے پر مجبور کریں۔ -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) +AttachMainDocByDefault=اسے ہاں پر سیٹ کریں اگر آپ ای میل کے ساتھ بنیادی دستاویز کو بطور ڈیفالٹ منسلک کرنا چاہتے ہیں (اگر قابل اطلاق ہو) FilesAttachedToEmail=فائل منسلک SendEmailsReminders=ای میلز کے ذریعے ایجنڈے کی یاددہانی بھیجیں۔ davDescription=WebDAV سرور سیٹ اپ کریں۔ @@ -566,7 +569,7 @@ Module40Desc=وینڈرز اور پرچیز مینجمنٹ (پرچیز آرڈر Module42Name=ڈیبگ لاگز Module42Desc=لاگنگ کی سہولیات (فائل، syslog، ...) اس طرح کے لاگز تکنیکی/ڈیبگ مقاصد کے لیے ہیں۔ Module43Name=ڈیبگ بار -Module43Desc=آپ کے براؤزر میں ڈیبگ بار شامل کرنے والے ڈویلپر کے لیے ایک ٹول۔ +Module43Desc=ڈویلپرز کے لیے ایک ٹول، آپ کے براؤزر میں ڈیبگ بار شامل کرنا۔ Module49Name=ایڈیٹرز Module49Desc=ایڈیٹر مینجمنٹ Module50Name=مصنوعات @@ -574,7 +577,7 @@ Module50Desc=مصنوعات کا انتظام Module51Name=بڑے پیمانے پر میلنگز Module51Desc=ماس پیپر میلنگ کا انتظام Module52Name=اسٹاکس -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Desc=اسٹاک مینجمنٹ (اسٹاک کی نقل و حرکت سے باخبر رہنے اور انوینٹری) Module53Name=خدمات Module53Desc=خدمات کا انتظام Module54Name=معاہدے/سبسکرپشنز @@ -582,7 +585,7 @@ Module54Desc=معاہدوں کا انتظام (خدمات یا بار بار چ Module55Name=بارکوڈز Module55Desc=بارکوڈ یا کیو آر کوڈ کا انتظام Module56Name=کریڈٹ ٹرانسفر کے ذریعے ادائیگی -Module56Desc=کریڈٹ ٹرانسفر آرڈرز کے ذریعے سپلائرز کی ادائیگی کا انتظام۔ اس میں یورپی ممالک کے لیے SEPA فائل کی جنریشن شامل ہے۔ +Module56Desc=کریڈٹ ٹرانسفر آرڈرز کے ذریعے سپلائرز یا تنخواہوں کی ادائیگی کا انتظام۔ اس میں یورپی ممالک کے لیے SEPA فائل کی جنریشن شامل ہے۔ Module57Name=براہ راست ڈیبٹ کے ذریعے ادائیگیاں Module57Desc=ڈائریکٹ ڈیبٹ آرڈرز کا انتظام۔ اس میں یورپی ممالک کے لیے SEPA فائل کی جنریشن شامل ہے۔ Module58Name=کلک ٹو ڈائل @@ -630,6 +633,10 @@ Module600Desc=ای میل اطلاعات بھیجیں جو کاروباری ای Module600Long=نوٹ کریں کہ یہ ماڈیول ریئل ٹائم میں ای میلز بھیجتا ہے جب کوئی مخصوص کاروباری واقعہ ہوتا ہے۔ اگر آپ ایجنڈے کے واقعات کے لیے ای میل یاددہانی بھیجنے کے لیے فیچر تلاش کر رہے ہیں، تو ماڈیول ایجنڈا کے سیٹ اپ میں جائیں۔ Module610Name=مصنوعات کی مختلف حالتیں Module610Desc=مصنوعات کی مختلف قسموں کی تخلیق (رنگ، سائز وغیرہ) +Module650Name=مواد کے بل (BOM) +Module650Desc=اپنے بلز آف میٹریلز (BOM) کی وضاحت کرنے کے لیے ماڈیول۔ ماڈیول مینوفیکچرنگ آرڈرز (MO) کے ذریعے مینوفیکچرنگ ریسورس پلاننگ کے لیے استعمال کیا جا سکتا ہے۔ +Module660Name=مینوفیکچرنگ ریسورس پلاننگ (MRP) +Module660Desc=مینوفیکچرنگ آرڈرز (MO) کے انتظام کے لیے ماڈیول Module700Name=عطیات Module700Desc=عطیہ کا انتظام Module770Name=اخراجات کی رپورٹس @@ -650,13 +657,13 @@ Module2300Name=طے شدہ ملازمتیں۔ Module2300Desc=طے شدہ ملازمتوں کا انتظام (عرف کرون یا کرونو ٹیبل) Module2400Name=تقریبات/ایجنڈا Module2400Desc=واقعات کو ٹریک کریں۔ ٹریکنگ کے مقاصد کے لیے خودکار ایونٹس کو لاگ کریں یا دستی ایونٹس یا میٹنگز کو ریکارڈ کریں۔ یہ اچھے کسٹمر یا وینڈر ریلیشن شپ مینجمنٹ کے لیے پرنسپل ماڈیول ہے۔ -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=آن لائن ملاقات کا شیڈولنگ +Module2430Desc=آن لائن اپائنٹمنٹ بکنگ کا نظام فراہم کرتا ہے۔ یہ کسی کو بھی پہلے سے طے شدہ رینجز یا دستیابی کے مطابق رینڈیز واؤس بک کرنے کی اجازت دیتا ہے۔ Module2500Name=ڈی ایم ایس / ای سی ایم Module2500Desc=دستاویز مینجمنٹ سسٹم / الیکٹرانک مواد کا انتظام۔ آپ کے تیار کردہ یا ذخیرہ شدہ دستاویزات کی خودکار تنظیم۔ جب آپ کو ضرورت ہو تو ان کا اشتراک کریں۔ -Module2600Name=API / Web services (SOAP server) +Module2600Name=API / ویب سروسز (SOAP سرور) Module2600Desc=API خدمات فراہم کرنے والے Dolibarr SOAP سرور کو فعال کریں۔ -Module2610Name=API / Web services (REST server) +Module2610Name=API / ویب سروسز (REST سرور) Module2610Desc=API خدمات فراہم کرنے والے Dolibarr REST سرور کو فعال کریں۔ Module2660Name=ویب سروسز کو کال کریں (SOAP کلائنٹ) Module2660Desc=Dolibarr ویب سروسز کلائنٹ کو فعال کریں (ڈیٹا/درخواستوں کو بیرونی سرورز تک پہنچانے کے لیے استعمال کیا جا سکتا ہے۔ فی الحال صرف پرچیز آرڈرز سپورٹ ہیں۔) @@ -667,12 +674,12 @@ Module2900Name=GeoIPMaxmind Module2900Desc=GeoIP میکس مائنڈ تبادلوں کی صلاحیتیں۔ Module3200Name=ناقابل تبدیلی آرکائیوز Module3200Desc=کاروباری واقعات کا ایک غیر تبدیل شدہ لاگ کو فعال کریں۔ واقعات کو حقیقی وقت میں محفوظ کیا جاتا ہے۔ لاگ ان زنجیروں سے جڑے واقعات کی صرف پڑھنے کے لیے جدول ہے جسے برآمد کیا جا سکتا ہے۔ یہ ماڈیول کچھ ممالک کے لیے لازمی ہو سکتا ہے۔ -Module3300Name=Module Builder -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. +Module3300Name=ماڈیول بلڈر +Module3300Desc=ایک RAD (Rapid Application Development - Low-code and no-code) ٹول ڈویلپرز یا جدید صارفین کو اپنا ماڈیول/ایپلی کیشن بنانے میں مدد کرنے کے لیے۔ Module3400Name=سوشل نیٹ ورک Module3400Desc=سوشل نیٹ ورکس فیلڈز کو تھرڈ پارٹیز اور ایڈریسز (سکائپ، ٹویٹر، فیس بک، ...) میں فعال کریں۔ Module4000Name=HRM -Module4000Desc=انسانی وسائل کا انتظام (محکمہ کا انتظام، ملازمین کے معاہدے اور احساسات) +Module4000Desc=انسانی وسائل کا انتظام (محکمہ کا انتظام، ملازمین کے معاہدے، مہارت کا انتظام اور انٹرویو) Module5000Name=ملٹی کمپنی Module5000Desc=آپ کو متعدد کمپنیوں کا انتظام کرنے کی اجازت دیتا ہے۔ Module6000Name=انٹر ماڈیول ورک فلو @@ -709,11 +716,13 @@ Module62000Name=انکوٹرمز Module62000Desc=Incoterms کا نظم کرنے کے لیے خصوصیات شامل کریں۔ Module63000Name=حوالہ جات Module63000Desc=ایونٹس کو مختص کرنے کے لیے وسائل (پرنٹرز، کاریں، کمرے، ...) کا نظم کریں۔ -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. -Module94160Name=Receptions +Module66000Name=OAuth2 ٹوکن مینجمنٹ +Module66000Desc=OAuth2 ٹوکنز بنانے اور ان کا نظم کرنے کے لیے ایک ٹول فراہم کریں۔ اس کے بعد ٹوکن کو کچھ دوسرے ماڈیولز کے ذریعے استعمال کیا جا سکتا ہے۔ +Module94160Name=استقبالیہ +ModuleBookCalName=بکنگ کیلنڈر سسٹم +ModuleBookCalDesc=اپائنٹمنٹ بک کرنے کے لیے کیلنڈر کا نظم کریں۔ ##### Permissions ##### -Permission11=Read customer invoices (and payments) +Permission11=کسٹمر کی رسیدیں پڑھیں (اور ادائیگیاں) Permission12=کسٹمر انوائس بنائیں/ترمیم کریں۔ Permission13=گاہک کی رسیدیں باطل کریں۔ Permission14=کسٹمر انوائس کی توثیق کریں۔ @@ -729,14 +738,14 @@ Permission27=تجارتی تجاویز کو حذف کریں۔ Permission28=تجارتی تجاویز برآمد کریں۔ Permission31=مصنوعات پڑھیں Permission32=مصنوعات بنائیں/ترمیم کریں۔ -Permission33=Read prices products +Permission33=مصنوعات کی قیمتیں پڑھیں Permission34=مصنوعات کو حذف کریں۔ Permission36=پوشیدہ پروڈکٹس دیکھیں/ان کا نظم کریں۔ Permission38=مصنوعات برآمد کریں۔ Permission39=کم از کم قیمت کو نظر انداز کریں۔ -Permission41=Read projects and tasks (shared projects and projects of which I am a contact). -Permission42=Create/modify projects (shared projects and projects of which I am a contact). Can also assign users to projects and tasks -Permission44=Delete projects (shared projects and projects of which I am a contact) +Permission41=پروجیکٹس اور ٹاسک پڑھیں (مشترکہ پروجیکٹس اور پروجیکٹس جن کا میں رابطہ ہوں)۔ +Permission42=پروجیکٹ بنائیں/ترمیم کریں (مشترکہ پروجیکٹس اور پروجیکٹس جن کا میں رابطہ ہوں)۔ صارفین کو منصوبوں اور کاموں کے لیے بھی تفویض کر سکتے ہیں۔ +Permission44=پروجیکٹس کو حذف کریں (مشترکہ پروجیکٹس اور پروجیکٹس جن کا میں رابطہ ہوں) Permission45=ایکسپورٹ پروجیکٹس Permission61=مداخلتیں پڑھیں Permission62=مداخلتیں بنائیں/ترمیم کریں۔ @@ -755,7 +764,7 @@ Permission79=سبسکرپشنز بنائیں/ترمیم کریں۔ Permission81=گاہکوں کے احکامات پڑھیں Permission82=صارفین کے آرڈرز بنائیں/ترمیم کریں۔ Permission84=صارفین کے آرڈرز کی توثیق کریں۔ -Permission85=Generate the documents sales orders +Permission85=دستاویزات کی فروخت کے آرڈر تیار کریں۔ Permission86=صارفین کو آرڈر بھیجیں۔ Permission87=گاہکوں کے احکامات کو بند کریں۔ Permission88=صارفین کے آرڈرز منسوخ کریں۔ @@ -773,7 +782,7 @@ Permission106=بھیجیں برآمد کریں۔ Permission109=بھیجیں حذف کریں۔ Permission111=مالی اکاؤنٹس پڑھیں Permission112=لین دین بنائیں/ترمیم کریں/حذف کریں اور موازنہ کریں۔ -Permission113=Setup financial accounts (create, manage categories of bank transactions) +Permission113=مالی اکاؤنٹس ترتیب دیں (بینک لین دین کے زمرے بنائیں، ان کا نظم کریں) Permission114=لین دین کو ہم آہنگ کریں۔ Permission115=لین دین اور اکاؤنٹ کے بیانات برآمد کریں۔ Permission116=اکاؤنٹس کے درمیان منتقلی @@ -783,10 +792,10 @@ Permission122=صارف سے منسلک تیسرے فریق بنائیں/ترمی Permission125=صارف سے منسلک تیسرے فریق کو حذف کریں۔ Permission126=تیسرے فریق کو برآمد کریں۔ Permission130=تیسرے فریق کی ادائیگی کی معلومات بنائیں/ترمیم کریں۔ -Permission141=Read all projects and tasks (as well as the private projects for which I am not a contact) -Permission142=Create/modify all projects and tasks (as well as the private projects for which I am not a contact) -Permission144=Delete all projects and tasks (as well as the private projects I am not a contact) -Permission145=Can enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) +Permission141=تمام منصوبوں اور کاموں کو پڑھیں (نیز نجی پروجیکٹس جن کے لیے میں رابطہ نہیں ہوں) +Permission142=تمام پروجیکٹس اور کاموں کو بنائیں/ترمیم کریں (نیز نجی پروجیکٹس جن کے لیے میں رابطہ نہیں ہوں) +Permission144=تمام پروجیکٹس اور کاموں کو حذف کریں (نیز نجی پروجیکٹس جن سے میں رابطہ نہیں ہوں) +Permission145=تفویض کردہ کاموں (ٹائم شیٹ) پر، میرے یا میرے درجہ بندی کے لیے استعمال شدہ وقت درج کر سکتے ہیں Permission146=فراہم کنندگان کو پڑھیں Permission147=اعدادوشمار پڑھیں Permission151=براہ راست ڈیبٹ ادائیگی کے آرڈر پڑھیں @@ -857,9 +866,9 @@ Permission286=رابطے برآمد کریں۔ Permission291=ٹیرف پڑھیں Permission292=ٹیرف پر اجازتیں مقرر کریں۔ Permission293=کسٹمر کے ٹیرف میں ترمیم کریں۔ -Permission301=Generate PDF sheets of barcodes -Permission304=Create/modify barcodes -Permission305=Delete barcodes +Permission301=بارکوڈز کی پی ڈی ایف شیٹس بنائیں +Permission304=بارکوڈز بنائیں/ترمیم کریں۔ +Permission305=بارکوڈز کو حذف کریں۔ Permission311=خدمات پڑھیں Permission312=معاہدے کے لیے سروس/سبسکرپشن تفویض کریں۔ Permission331=بُک مارکس پڑھیں @@ -891,7 +900,7 @@ Permission525=قرض کیلکولیٹر تک رسائی حاصل کریں۔ Permission527=قرضے برآمد کریں۔ Permission531=خدمات پڑھیں Permission532=خدمات بنائیں/ترمیم کریں۔ -Permission533=Read prices services +Permission533=قیمتوں کی خدمات پڑھیں Permission534=خدمات کو حذف کریں۔ Permission536=پوشیدہ خدمات دیکھیں/ان کا نظم کریں۔ Permission538=ایکسپورٹ سروسز @@ -902,9 +911,9 @@ Permission564=کریڈٹ کی منتقلی کے ڈیبٹ/مسترد ریکارڈ Permission601=اسٹیکرز پڑھیں Permission602=اسٹیکرز بنائیں/ترمیم کریں۔ Permission609=اسٹیکرز کو حذف کریں۔ -Permission611=Read attributes of variants -Permission612=Create/Update attributes of variants -Permission613=Delete attributes of variants +Permission611=متغیرات کی خصوصیات پڑھیں +Permission612=متغیرات کی خصوصیات بنائیں/اپ ڈیٹ کریں۔ +Permission613=متغیرات کی خصوصیات کو حذف کریں۔ Permission650=مواد کے بل پڑھیں Permission651=مواد کے بل بنائیں/اپ ڈیٹ کریں۔ Permission652=مواد کے بلز کو حذف کریں۔ @@ -915,11 +924,11 @@ Permission701=عطیات پڑھیں Permission702=عطیات بنائیں/ترمیم کریں۔ Permission703=عطیات کو حذف کریں۔ Permission771=اخراجات کی رپورٹیں پڑھیں (آپ کی اور آپ کے ماتحت) -Permission772=Create/modify expense reports (for you and your subordinates) +Permission772=اخراجات کی رپورٹیں بنائیں/ترمیم کریں (آپ اور آپ کے ماتحتوں کے لیے) Permission773=اخراجات کی رپورٹیں حذف کریں۔ Permission775=اخراجات کی رپورٹوں کو منظور کریں۔ Permission776=اخراجات کی رپورٹیں ادا کریں۔ -Permission777=Read all expense reports (even those of user not subordinates) +Permission777=تمام اخراجات کی رپورٹیں پڑھیں (یہاں تک کہ وہ صارف جو ماتحت نہیں ہیں) Permission778=ہر ایک کے اخراجات کی رپورٹیں بنائیں/ترمیم کریں۔ Permission779=اخراجات کی رپورٹیں برآمد کریں۔ Permission1001=اسٹاک پڑھیں @@ -955,7 +964,7 @@ Permission1190=(دوسری منظوری) خریداری کے آرڈر کو من Permission1191=سپلائر کے احکامات اور ان کی صفات برآمد کریں۔ Permission1201=برآمد کا نتیجہ حاصل کریں۔ Permission1202=ایکسپورٹ بنائیں/ترمیم کریں۔ -Permission1231=Read vendor invoices (and payments) +Permission1231=وینڈر انوائس (اور ادائیگیاں) پڑھیں Permission1232=وینڈر انوائسز بنائیں/ترمیم کریں۔ Permission1233=وینڈر انوائس کی توثیق کریں۔ Permission1234=وینڈر کی رسیدیں حذف کریں۔ @@ -979,40 +988,40 @@ Permission2501=دستاویزات پڑھیں/ڈاؤن لوڈ کریں۔ Permission2502=دستاویزات ڈاؤن لوڈ کریں۔ Permission2503=دستاویزات جمع کروائیں یا حذف کریں۔ Permission2515=دستاویزات کی ڈائریکٹریز ترتیب دیں۔ -Permission2610=Generate/modify users API key +Permission2610=صارف API کلید بنائیں/ترمیم کریں۔ Permission2801=FTP کلائنٹ کو پڑھنے کے موڈ میں استعمال کریں (صرف براؤز اور ڈاؤن لوڈ کریں) Permission2802=FTP کلائنٹ کو رائٹ موڈ میں استعمال کریں (فائلیں حذف یا اپ لوڈ کریں) Permission3200=محفوظ شدہ واقعات اور فنگر پرنٹس پڑھیں Permission3301=نئے ماڈیولز بنائیں -Permission4001=Read skill/job/position -Permission4002=Create/modify skill/job/position -Permission4003=Delete skill/job/position -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations -Permission4023=Validate evaluation -Permission4025=Delete evaluation -Permission4028=See comparison menu -Permission4031=Read personal information -Permission4032=Write personal information -Permission4033=Read all evaluations (even those of user not subordinates) +Permission4001=مہارت/نوکری/پوزیشن پڑھیں +Permission4002=مہارت/نوکری/پوزیشن بنائیں/ترمیم کریں۔ +Permission4003=مہارت/نوکری/پوزیشن کو حذف کریں۔ +Permission4021=جائزے پڑھیں (آپ کے اور آپ کے ماتحت) +Permission4022=تشخیصات بنائیں/ترمیم کریں۔ +Permission4023=تشخیص کی توثیق کریں۔ +Permission4025=تشخیص کو حذف کریں۔ +Permission4028=موازنہ کا مینو دیکھیں +Permission4031=ذاتی معلومات پڑھیں +Permission4032=ذاتی معلومات لکھیں۔ +Permission4033=تمام جائزے پڑھیں (یہاں تک کہ وہ صارف جو ماتحت نہیں ہیں) Permission10001=ویب سائٹ کا مواد پڑھیں -Permission10002=ویب سائٹ کا مواد بنائیں/ترمیم کریں (HTML اور جاوا اسکرپٹ مواد) +Permission10002=ویب سائٹ کا مواد بنائیں/ترمیم کریں (HTML اور JavaScript مواد) Permission10003=ویب سائٹ کا مواد بنائیں/ترمیم کریں (متحرک پی ایچ پی کوڈ)۔ خطرناک، محدود ڈویلپرز کے لیے محفوظ ہونا چاہیے۔ Permission10005=ویب سائٹ کا مواد حذف کریں۔ Permission20001=چھٹی کی درخواستیں پڑھیں (آپ کی چھٹی اور آپ کے ماتحتوں کی) Permission20002=اپنی چھٹی کی درخواستیں بنائیں/ترمیم کریں (آپ کی چھٹی اور آپ کے ماتحتوں کی) Permission20003=چھٹی کی درخواستوں کو حذف کریں۔ -Permission20004=Read all leave requests (even those of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) -Permission20006=Administer leave requests (setup and update balance) +Permission20004=چھٹی کی تمام درخواستیں پڑھیں (یہاں تک کہ وہ صارف جو ماتحت نہیں ہیں) +Permission20005=ہر ایک کے لیے چھٹی کی درخواستیں بنائیں/ترمیم کریں (یہاں تک کہ وہ صارف جو ماتحت نہ ہوں) +Permission20006=چھٹی کی درخواستوں کا انتظام کریں (بیلنس سیٹ اپ اور اپ ڈیٹ کریں) Permission20007=چھٹی کی درخواستیں منظور کریں۔ Permission23001=طے شدہ کام پڑھیں Permission23002=شیڈول شدہ جاب بنائیں/اپ ڈیٹ کریں۔ Permission23003=طے شدہ کام کو حذف کریں۔ Permission23004=طے شدہ کام کو انجام دیں۔ -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates +Permission40001=کرنسیوں اور ان کے نرخ پڑھیں +Permission40002=کرنسیوں اور ان کی شرحیں بنائیں/اپ ڈیٹ کریں۔ +Permission40003=کرنسیوں اور ان کے نرخوں کو حذف کریں۔ Permission50101=پوائنٹ آف سیل کا استعمال کریں (SimplePOS) Permission50151=پوائنٹ آف سیل (TakePOS) کا استعمال کریں Permission50152=سیلز لائنوں میں ترمیم کریں۔ @@ -1097,22 +1106,24 @@ DictionaryExpenseTaxCat=اخراجات کی رپورٹ - نقل و حمل کے DictionaryExpenseTaxRange=اخراجات کی رپورٹ - نقل و حمل کے زمرے کے لحاظ سے حد DictionaryTransportMode=انٹرا کام رپورٹ - ٹرانسپورٹ موڈ DictionaryBatchStatus=پروڈکٹ لاٹ/سیریل کوالٹی کنٹرول کی حیثیت -DictionaryAssetDisposalType=Type of disposal of assets +DictionaryAssetDisposalType=اثاثوں کو ضائع کرنے کی قسم +DictionaryInvoiceSubtype=انوائس کی ذیلی قسمیں TypeOfUnit=یونٹ کی قسم SetupSaved=سیٹ اپ محفوظ ہو گیا۔ SetupNotSaved=سیٹ اپ محفوظ نہیں ہوا۔ -OAuthServiceConfirmDeleteTitle=Delete OAuth entry -OAuthServiceConfirmDeleteMessage=Are you sure you want to delete this OAuth entry ? All existing tokens for it will also be deleted. -ErrorInEntryDeletion=Error in entry deletion -EntryDeleted=Entry deleted +OAuthServiceConfirmDeleteTitle=OAuth اندراج کو حذف کریں۔ +OAuthServiceConfirmDeleteMessage=کیا آپ واقعی اس OAuth اندراج کو حذف کرنا چاہتے ہیں؟ اس کے لیے موجود تمام ٹوکنز بھی حذف کر دیے جائیں گے۔ +ErrorInEntryDeletion=اندراج کو حذف کرنے میں خرابی۔ +EntryDeleted=اندراج حذف کر دیا گیا۔ BackToModuleList=ماڈیول کی فہرست پر واپس جائیں۔ BackToDictionaryList=لغت کی فہرست پر واپس جائیں۔ TypeOfRevenueStamp=ٹیکس سٹیمپ کی قسم VATManagement=سیلز ٹیکس مینجمنٹ -VATIsUsedDesc=امکانات، رسیدیں، آرڈرز وغیرہ بناتے وقت پہلے سے طے شدہ طور پر سیلز ٹیکس کی شرح فعال معیاری اصول کی پیروی کرتی ہے:
      اگر بیچنے والا سیلز ٹیکس کے تابع نہیں ہے، تو سیلز ٹیکس ڈیفالٹ 0 پر ہوتا ہے۔ اصول کا اختتام۔
      اگر (بیچنے والے کا ملک = خریدار کا ملک)، تو سیلز ٹیکس بطور ڈیفالٹ بیچنے والے کے ملک میں پروڈکٹ کے سیلز ٹیکس کے برابر ہے۔ حکمرانی کا خاتمہ۔
      اگر بیچنے والا اور خریدار دونوں یورپی کمیونٹی میں ہیں اور سامان نقل و حمل سے متعلق مصنوعات ہیں (ہولیج، شپنگ، ایئر لائن) تو پہلے سے طے شدہ VAT 0 ہے۔ یہ اصول بیچنے والے کے ملک پر منحصر ہے - براہ کرم اپنے اکاؤنٹنٹ سے مشورہ کریں۔ VAT خریدار کو اپنے ملک کے کسٹم آفس کو ادا کرنا چاہیے نہ کہ بیچنے والے کو۔ حکمرانی کا خاتمہ۔
      اگر بیچنے والا اور خریدار دونوں یورپی کمیونٹی میں ہیں اور خریدار کمپنی نہیں ہے (ایک رجسٹرڈ انٹرا کمیونٹی VAT نمبر کے ساتھ) تو VAT بیچنے والے کے ملک کی VAT شرح سے ڈیفالٹ ہو جاتا ہے۔ حکمرانی کا خاتمہ۔
      اگر بیچنے والا اور خریدار دونوں یورپی کمیونٹی میں ہیں اور خریدار ایک کمپنی ہے (ایک رجسٹرڈ انٹرا کمیونٹی VAT نمبر کے ساتھ)، تو VAT بطور ڈیفالٹ 0 ہے۔ حکمرانی کا خاتمہ۔
      کسی بھی دوسری صورت میں مجوزہ ڈیفالٹ سیلز ٹیکس = 0 ہے۔ حکمرانی کا خاتمہ۔ +VATIsUsedDesc=امکانات، رسیدیں، آرڈرز وغیرہ بناتے وقت سیلز ٹیکس کی شرح فعال معیاری اصول کی پیروی کرتی ہے:
      اگر بیچنے والا سیلز ٹیکس کے تابع نہیں ہے، تو سیلز ٹیکس ڈیفالٹ 0 پر ہوتا ہے۔ اصول کا اختتام۔
      اگر (بیچنے والے کا ملک = خریدار کا ملک)، تو سیلز ٹیکس بطور ڈیفالٹ بیچنے والے کے ملک میں پروڈکٹ کے سیلز ٹیکس کے برابر ہوتا ہے۔ اصول کا اختتام۔
      اگر بیچنے والا اور خریدار دونوں یورپی کمیونٹی میں ہیں اور سامان نقل و حمل سے متعلق مصنوعات (ہولیج، شپنگ، ایئر لائن) ہیں، تو پہلے سے طے شدہ VAT 0 ہے۔ اصول بیچنے والے کے ملک پر منحصر ہے - براہ کرم اپنے اکاؤنٹنٹ سے مشورہ کریں۔ VAT خریدار کو اپنے ملک کے کسٹم آفس کو ادا کرنا چاہیے نہ کہ بیچنے والے کو۔ اصول کا اختتام۔
      اگر بیچنے والا اور خریدار دونوں یورپی کمیونٹی میں ہیں اور خریدار کمپنی نہیں ہے (ایک رجسٹرڈ انٹرا کمیونٹی VAT نمبر کے ساتھ) تو VAT ڈیفالٹ ہو جائے گا بیچنے والے کے ملک کی VAT کی شرح۔ اصول کا اختتام۔
      اگر بیچنے والا اور خریدار دونوں یورپی کمیونٹی میں ہیں اور خریدار ایک کمپنی ہے (ایک رجسٹرڈ انٹرا کمیونٹی VAT نمبر کے ساتھ)، تو VAT 0 ہے۔ پہلے سے طے شدہ طور پر اصول کا اختتام۔
      کسی اور صورت میں مجوزہ ڈیفالٹ سیلز ٹیکس=0 ہے۔ حکمرانی کا خاتمہ۔ VATIsNotUsedDesc=پہلے سے طے شدہ طور پر مجوزہ سیلز ٹیکس 0 ہے جسے ایسوسی ایشنز، افراد یا چھوٹی کمپنیوں جیسے معاملات کے لیے استعمال کیا جا سکتا ہے۔ VATIsUsedExampleFR=فرانس میں، اس کا مطلب ہے حقیقی مالیاتی نظام رکھنے والی کمپنیاں یا تنظیمیں (آسان اصلی یا نارمل اصلی)۔ ایک ایسا نظام جس میں VAT کا اعلان کیا جاتا ہے۔ VATIsNotUsedExampleFR=فرانس میں، اس سے مراد ایسی انجمنیں ہیں جو کہ غیر سیلز ٹیکس کا اعلان کر رہی ہیں یا ایسی کمپنیاں، تنظیمیں یا لبرل پیشے جنہوں نے مائیکرو انٹرپرائز مالیاتی نظام (فرنچائز میں سیلز ٹیکس) کا انتخاب کیا ہے اور بغیر کسی سیلز ٹیکس کے اعلان کے فرنچائز سیلز ٹیکس ادا کیا ہے۔ یہ انتخاب رسیدوں پر حوالہ "غیر قابل اطلاق سیلز ٹیکس - آرٹ -293B آف CGI" ظاہر کرے گا۔ +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=سیلز ٹیکس کی قسم LTRate=شرح @@ -1156,7 +1167,7 @@ ValueOfConstantKey=کنفیگریشن مستقل کی قدر ConstantIsOn=آپشن %s آن ہے۔ NbOfDays=دنوں کی تعداد AtEndOfMonth=مہینے کے آخر میں -CurrentNext=A given day in month +CurrentNext=مہینے میں ایک مقررہ دن Offset=آفسیٹ AlwaysActive=ہمیشہ متحرک Upgrade=اپ گریڈ @@ -1221,7 +1232,7 @@ BankModuleNotActive=بینک اکاؤنٹس ماڈیول فعال نہیں ہے ShowBugTrackLink=لنک دکھائیں " %s " ShowBugTrackLinkDesc=اس لنک کو ظاہر نہ کرنے کے لیے خالی رکھیں، Dolibarr پروجیکٹ کے لنک کے لیے ویلیو 'github' استعمال کریں یا براہ راست ایک url 'https://...' کی وضاحت کریں۔ Alerts=انتباہات -DelaysOfToleranceBeforeWarning=Displaying a warning alert for... +DelaysOfToleranceBeforeWarning=انتباہی انتباہ ڈسپلے کر رہا ہے... DelaysOfToleranceDesc=تاخیر کو سیٹ کریں اس سے پہلے کہ الرٹ آئیکن %s دیر کے عنصر کے لیے اسکرین پر دکھایا جائے۔ Delays_MAIN_DELAY_ACTIONS_TODO=منصوبہ بند واقعات (ایجنڈا ایونٹس) مکمل نہیں ہوئے۔ Delays_MAIN_DELAY_PROJECT_TO_CLOSE=پروجیکٹ وقت پر بند نہیں ہوا۔ @@ -1246,7 +1257,7 @@ SetupDescription4= %s -> %s

      یہ سافٹ ویئر SetupDescription5=دیگر سیٹ اپ مینو اندراجات اختیاری پیرامیٹرز کا نظم کرتی ہیں۔ SetupDescriptionLink= %s - %s SetupDescription3b=بنیادی پیرامیٹرز جو آپ کی درخواست کے پہلے سے طے شدہ رویے کو حسب ضرورت بنانے کے لیے استعمال کیے جاتے ہیں (مثلاً ملک سے متعلقہ خصوصیات کے لیے)۔ -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. +SetupDescription4b=یہ سافٹ ویئر بہت سے ماڈیولز/ایپلی کیشنز کا مجموعہ ہے۔ آپ کی ضروریات سے متعلق ماڈیولز کو چالو کرنا ضروری ہے۔ ان ماڈیولز کے ایکٹیویشن کے ساتھ مینو اندراجات ظاہر ہوں گے۔ AuditedSecurityEvents=سیکیورٹی کے واقعات جن کا آڈٹ کیا جاتا ہے۔ NoSecurityEventsAreAduited=سیکیورٹی کے کوئی واقعات کا آڈٹ نہیں کیا جاتا ہے۔ آپ انہیں مینو %s سے فعال کر سکتے ہیں۔ Audit=سیکیورٹی کے واقعات @@ -1262,13 +1273,13 @@ BrowserName=براؤزر کا نام BrowserOS=براؤزر OS ListOfSecurityEvents=Dolibarr سیکورٹی کے واقعات کی فہرست SecurityEventsPurged=سیکورٹی کے واقعات کو صاف کیا -TrackableSecurityEvents=Trackable security events +TrackableSecurityEvents=قابل ٹریک سیکیورٹی ایونٹس LogEventDesc=مخصوص سیکیورٹی ایونٹس کے لیے لاگنگ کو فعال کریں۔ منتظمین لاگ ان مینو کے ذریعے %s - %s ۔ وارننگ، یہ فیچر ڈیٹا بیس میں بڑی مقدار میں ڈیٹا تیار کر سکتا ہے۔ AreaForAdminOnly=سیٹ اپ پیرامیٹرز صرف ایڈمنسٹریٹر صارفین کے ذریعے سیٹ کیے جا سکتے ہیں۔ SystemInfoDesc=سسٹم کی معلومات متفرق تکنیکی معلومات ہیں جو آپ کو صرف پڑھنے کے موڈ میں ملتی ہیں اور صرف منتظمین کے لیے دکھائی دیتی ہیں۔ SystemAreaForAdminOnly=یہ علاقہ صرف منتظم صارفین کے لیے دستیاب ہے۔ Dolibarr صارف کی اجازت اس پابندی کو تبدیل نہیں کر سکتی۔ CompanyFundationDesc=اپنی کمپنی/تنظیم کی معلومات میں ترمیم کریں۔ مکمل ہونے پر صفحہ کے نیچے "%s" بٹن پر کلک کریں۔ -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". +MoreNetworksAvailableWithModule=ماڈیول "سوشل نیٹ ورکس" کو فعال کر کے مزید سوشل نیٹ ورکس دستیاب ہو سکتے ہیں۔ AccountantDesc=اگر آپ کے پاس ایک بیرونی اکاؤنٹنٹ/بک کیپر ہے، تو آپ یہاں اس کی معلومات میں ترمیم کر سکتے ہیں۔ AccountantFileNumber=اکاؤنٹنٹ کوڈ DisplayDesc=درخواست کی شکل اور پیشکش کو متاثر کرنے والے پیرامیٹرز کو یہاں تبدیل کیا جا سکتا ہے۔ @@ -1286,7 +1297,7 @@ TriggerActiveAsModuleActive=اس فائل میں محرکات فعال ہیں ک GeneratedPasswordDesc=خود کار طریقے سے تیار کردہ پاس ورڈز کے لیے استعمال کرنے کا طریقہ منتخب کریں۔ DictionaryDesc=تمام حوالہ ڈیٹا داخل کریں۔ آپ اپنی اقدار کو ڈیفالٹ میں شامل کر سکتے ہیں۔ ConstDesc=یہ صفحہ آپ کو پیرامیٹرز میں ترمیم (اوور رائڈ) کرنے کی اجازت دیتا ہے جو دوسرے صفحات میں دستیاب نہیں ہیں۔ یہ زیادہ تر صرف ڈویلپرز / ایڈوانس ٹربل شوٹنگ کے لیے مخصوص پیرامیٹرز ہیں۔ -MiscellaneousOptions=Miscellaneous options +MiscellaneousOptions=متفرق اختیارات MiscellaneousDesc=سیکورٹی سے متعلق دیگر تمام پیرامیٹرز یہاں بیان کیے گئے ہیں۔ LimitsSetup=حدود/صحت سے متعلق سیٹ اپ LimitsDesc=آپ یہاں Dolibarr کی طرف سے استعمال کردہ حدود، درستگی اور اصلاح کی وضاحت کر سکتے ہیں۔ @@ -1320,8 +1331,8 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=آپ کو صارف %s YourPHPDoesNotHaveSSLSupport=ایس ایس ایل فنکشنز آپ کے پی ایچ پی میں دستیاب نہیں ہیں۔ DownloadMoreSkins=ڈاؤن لوڈ کرنے کے لیے مزید کھالیں۔ SimpleNumRefModelDesc=حوالہ نمبر %syymm-nnnn فارمیٹ میں لوٹاتا ہے جہاں yy سال ہے، mm مہینہ ہے اور nnnn ایک ترتیب وار خود بخود بڑھنے والا نمبر ہے بغیر کسی ری سیٹ کے -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset -AdvancedNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleRefNumRefModelDesc=n فارمیٹ میں حوالہ نمبر لوٹاتا ہے جہاں n ایک ترتیب وار خود بخود بڑھنے والا نمبر ہے بغیر کسی ری سیٹ کے +AdvancedNumRefModelDesc=حوالہ نمبر کو فارمیٹ میں لوٹاتا ہے %syymm-nnnn جہاں yy سال ہے، mm مہینہ ہے اور nnnn ایک ترتیب وار خود بخود بڑھنے والا نمبر ہے بغیر کسی ری سیٹ کے SimpleNumRefNoDateModelDesc=حوالہ نمبر %s-nnnn فارمیٹ میں لوٹاتا ہے جہاں nnnn ایک ترتیب وار خود بخود بڑھنے والا نمبر ہے بغیر کسی ری سیٹ کے ShowProfIdInAddress=ایڈریس کے ساتھ پروفیشنل آئی ڈی دکھائیں۔ ShowVATIntaInAddress=انٹرا کمیونٹی VAT نمبر چھپائیں۔ @@ -1378,7 +1389,7 @@ TransKeyWithoutOriginalValue=آپ نے ترجمہ کلید ' %s %s
      / %s a09a4b739f17f80 YouMustEnableOneModule=آپ کو کم از کم 1 ماڈیول کو فعال کرنا ہوگا۔ -YouMustEnableTranslationOverwriteBefore=You must first enable translation overwriting to be allowed to replace a translation +YouMustEnableTranslationOverwriteBefore=ترجمہ کو تبدیل کرنے کی اجازت دینے کے لیے آپ کو پہلے ترجمے کی اوور رائٹنگ کو فعال کرنا ہوگا۔ ClassNotFoundIntoPathWarning=کلاس %s پی ایچ پی پاتھ میں نہیں ملی YesInSummer=ہاں گرمیوں میں OnlyFollowingModulesAreOpenedToExternalUsers=نوٹ کریں، صرف مندرجہ ذیل ماڈیولز بیرونی صارفین کے لیے دستیاب ہیں (اس طرح کے صارفین کی اجازتوں سے قطع نظر) اور صرف اس صورت میں جب اجازت دی گئی ہو:
      @@ -1399,8 +1410,8 @@ PHPModuleLoaded=پی ایچ پی کا جزو %s لوڈ ہے۔ PreloadOPCode=پہلے سے لوڈ شدہ اوپکوڈ استعمال کیا جاتا ہے۔ AddRefInList=کسٹمر/وینڈر ریفری ڈسپلے کریں۔ کومبو فہرستوں میں۔
      فریق ثالث "CC12345 - SC45678 - The Big Company corp" کے نام کی شکل کے ساتھ ظاہر ہوں گے۔ "The Big Company corp" کے بجائے۔ AddVatInList=کسٹمر/وینڈر VAT نمبر کومبو لسٹوں میں دکھائیں۔ -AddAdressInList=کومبو لسٹوں میں کسٹمر/وینڈر کا پتہ دکھائیں۔
      فریق ثالث "The Big Company corp." کے بجائے "The Big Company corp. - 21 jump street 123456 Big town - USA" کے نام کی شکل کے ساتھ ظاہر ہوں گے۔ -AddEmailPhoneTownInContactList=رابطہ ای میل (یا فونز کی اگر وضاحت نہیں کی گئی ہے) اور شہر کی معلومات کی فہرست (منتخب فہرست یا کومبو باکس)
      رابطے "Dupond Durand - dupond.durand@email.com - پیرس" یا "Dupond Durand - 06 07" کے نام کی شکل کے ساتھ ظاہر ہوں گے۔ 59 65 66 - "ڈوپونڈ ڈیورنڈ" کی بجائے پیرس۔ +AddAdressInList=کامبو فہرستوں میں کسٹمر/وینڈر کا پتہ دکھائیں۔
      تیسرے فریق "The Big Company corp. - 21 jump street 123456 Big town - USA" کے نام کی شکل کے ساتھ ظاہر ہوں گے۔ دی بگ کمپنی کارپوریشن"۔ +AddEmailPhoneTownInContactList=رابطہ ای میل (یا فونز کی اگر وضاحت نہیں کی گئی ہے) اور شہر کی معلومات کی فہرست (منتخب فہرست یا کومبو باکس)
      رابطے "Dupond Durand - dupond.durand@example کے نام کی شکل کے ساتھ ظاہر ہوں گے۔ .com - پیرس" یا "Dupond Durand - 06 07 59 65 66 - Paris" کے بجائے "Dupond Durand"۔ AskForPreferredShippingMethod=فریق ثالث کے لیے ترسیل کا ترجیحی طریقہ پوچھیں۔ FieldEdition=فیلڈ کا ایڈیشن %s FillThisOnlyIfRequired=مثال: +2 (صرف اس صورت میں بھریں جب ٹائم زون آفسیٹ کے مسائل کا سامنا ہو) @@ -1408,7 +1419,7 @@ GetBarCode=بارکوڈ حاصل کریں۔ NumberingModules=نمبر دینے والے ماڈل DocumentModules=دستاویزی ماڈلز ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters. +PasswordGenerationStandard=داخلی Dolibarr الگورتھم کے مطابق تیار کردہ پاس ورڈ واپس کریں: %s حروف جن میں مشترکہ نمبرز اور حروف ہوں۔ PasswordGenerationNone=تیار کردہ پاس ورڈ تجویز نہ کریں۔ پاس ورڈ کو دستی طور پر ٹائپ کرنا ضروری ہے۔ PasswordGenerationPerso=اپنی ذاتی طور پر طے شدہ ترتیب کے مطابق پاس ورڈ واپس کریں۔ SetupPerso=آپ کی ترتیب کے مطابق @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=لاگ ان صفحہ پر "پاس ورڈ ب UsersSetup=صارفین کا ماڈیول سیٹ اپ UserMailRequired=نیا صارف بنانے کے لیے ای میل درکار ہے۔ UserHideInactive=غیر فعال صارفین کو صارفین کی تمام کومبو فہرستوں سے چھپائیں (تجویز نہیں کی گئی: اس کا مطلب یہ ہو سکتا ہے کہ آپ کچھ صفحات پر پرانے صارفین کو فلٹر یا تلاش نہیں کر سکیں گے) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=صارف کے ریکارڈ سے تیار کردہ دستاویزات کے لیے دستاویزی ٹیمپلیٹس GroupsDocModules=ایک گروپ ریکارڈ سے تیار کردہ دستاویزات کے لیے دستاویزی ٹیمپلیٹس ##### HRM setup ##### @@ -1460,12 +1473,12 @@ WatermarkOnDraftInvoices=ڈرافٹ رسیدوں پر واٹر مارک (اگر PaymentsNumberingModule=ادائیگیوں کا نمبر دینے والا ماڈل SuppliersPayment=وینڈر کی ادائیگی SupplierPaymentSetup=وینڈر ادائیگیوں کا سیٹ اپ -InvoiceCheckPosteriorDate=Check facture date before validation -InvoiceCheckPosteriorDateHelp=Validating an invoice will be forbidden if its date is anterior to the date of last invoice of same type. -InvoiceOptionCategoryOfOperations=Display the mention "category of operations" on the invoice. -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
      - Category of operations: Delivery of goods
      - Category of operations: Provision of services
      - Category of operations: Mixed - Delivery of goods & provision of services -InvoiceOptionCategoryOfOperationsYes1=Yes, below the address block -InvoiceOptionCategoryOfOperationsYes2=Yes, in the lower left-hand corner +InvoiceCheckPosteriorDate=تصدیق سے پہلے حقیقت کی تاریخ چیک کریں۔ +InvoiceCheckPosteriorDateHelp=انوائس کی توثیق کرنا منع ہے اگر اس کی تاریخ اسی قسم کی آخری رسید کی تاریخ سے آگے ہے۔ +InvoiceOptionCategoryOfOperations=انوائس پر "کیٹیگری آف آپریشنز" کا ذکر دکھائیں۔ +InvoiceOptionCategoryOfOperationsHelp=صورتحال پر منحصر ہے، تذکرہ اس شکل میں ظاہر ہوگا:
      - کاموں کا زمرہ: سامان کی ترسیل
      - کا زمرہ آپریشنز: خدمات کی فراہمی
      - آپریشنز کا زمرہ: مخلوط - سامان کی فراہمی اور خدمات کی فراہمی +InvoiceOptionCategoryOfOperationsYes1=ہاں، ایڈریس بلاک کے نیچے +InvoiceOptionCategoryOfOperationsYes2=ہاں، نیچے بائیں کونے میں ##### Proposals ##### PropalSetup=تجارتی تجاویز ماڈیول سیٹ اپ ProposalsNumberingModules=تجارتی تجویز نمبر دینے والے ماڈل @@ -1508,13 +1521,13 @@ WatermarkOnDraftContractCards=مسودہ معاہدوں پر واٹر مارک ( ##### Members ##### MembersSetup=ممبران ماڈیول سیٹ اپ MemberMainOptions=اہم اختیارات -MemberCodeChecker=Options for automatic generation of member codes -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +MemberCodeChecker=ممبر کوڈز کی خودکار تخلیق کے اختیارات +AdherentLoginRequired=ہر رکن کے لیے لاگ ان/پاس ورڈ کا نظم کریں۔ +AdherentLoginRequiredDesc=ممبر فائل پر لاگ ان اور پاس ورڈ کے لیے ایک قدر شامل کریں۔ اگر ممبر کسی صارف سے منسلک ہے تو ممبر لاگ ان اور پاس ورڈ کو اپ ڈیٹ کرنے سے صارف کا لاگ ان اور پاس ورڈ بھی اپ ڈیٹ ہو جائے گا۔ AdherentMailRequired=نیا رکن بنانے کے لیے ای میل درکار ہے۔ MemberSendInformationByMailByDefault=اراکین کو میل کی تصدیق بھیجنے کے لیے چیک باکس (توثیق یا نئی رکنیت) بطور ڈیفالٹ آن ہے۔ MemberCreateAnExternalUserForSubscriptionValidated=ہر نئے رکن کی توثیق شدہ رکنیت کے لیے ایک بیرونی صارف لاگ ان بنائیں -VisitorCanChooseItsPaymentMode=Visitor can choose from any available payment modes +VisitorCanChooseItsPaymentMode=وزیٹر کسی بھی دستیاب ادائیگی کے طریقوں میں سے انتخاب کر سکتا ہے۔ MEMBER_REMINDER_EMAIL=میعاد ختم ہونے والی سبسکرپشنز کی ای میل
      کے ذریعے خودکار یاد دہانی کو فعال کریں۔ نوٹ: یاد دہانی بھیجنے کے لیے ماڈیول %s فعال اور درست طریقے سے سیٹ اپ ہونا چاہیے۔ MembersDocModules=ممبر کے ریکارڈ سے تیار کردہ دستاویزات کے لیے دستاویزی ٹیمپلیٹس ##### LDAP setup ##### @@ -1643,9 +1656,9 @@ LDAPFieldEndLastSubscription=سبسکرپشن ختم ہونے کی تاریخ LDAPFieldTitle=عہدہ LDAPFieldTitleExample=مثال: عنوان LDAPFieldGroupid=گروپ آئی ڈی -LDAPFieldGroupidExample=Example : gidnumber +LDAPFieldGroupidExample=مثال: gidnumber LDAPFieldUserid=صارف کی شناخت -LDAPFieldUseridExample=Example : uidnumber +LDAPFieldUseridExample=مثال: uidnumber LDAPFieldHomedirectory=ہوم ڈائریکٹری LDAPFieldHomedirectoryExample=مثال: ہوم ڈائریکٹری LDAPFieldHomedirectoryprefix=ہوم ڈائریکٹری کا سابقہ @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=اطلاقی کیشے کے لیے ماڈیو MemcachedAvailableAndSetup=memcached سرور کو استعمال کرنے کے لیے وقف کردہ ماڈیول میم کیش فعال ہے۔ OPCodeCache=اوپکوڈ کیشے NoOPCodeCacheFound=کوئی OPCode کیشے نہیں ملا۔ ہو سکتا ہے کہ آپ XCache یا eAccelerator (اچھا) کے علاوہ کوئی OPCode کیشے استعمال کر رہے ہوں، یا ہو سکتا ہے کہ آپ کے پاس OPCode کیش نہ ہو (بہت خراب)۔ -HTTPCacheStaticResources=جامد وسائل کے لیے HTTP کیشے (css، img، javascript) +HTTPCacheStaticResources=جامد وسائل کے لیے HTTP کیش (css، img، JavaScript) FilesOfTypeCached=%s قسم کی فائلیں HTTP سرور کے ذریعہ کیش کی جاتی ہیں۔ FilesOfTypeNotCached=%s قسم کی فائلیں HTTP سرور کے ذریعہ کیش نہیں ہوتی ہیں۔ FilesOfTypeCompressed=%s قسم کی فائلوں کو HTTP سرور کے ذریعے کمپریس کیا جاتا ہے۔ @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=ترسیل کی رسیدوں پر مفت متن ##### FCKeditor ##### AdvancedEditor=ایڈوانس ایڈیٹر ActivateFCKeditor=اعلی درجے کے ایڈیٹر کو فعال کریں: -FCKeditorForNotePublic=WYSIWIG عناصر کے "عوامی نوٹس" فیلڈ کا تخلیق/ایڈیشن -FCKeditorForNotePrivate=WYSIWIG عناصر کے "نجی نوٹ" فیلڈ کی تخلیق/ایڈیشن -FCKeditorForCompany=WYSIWIG عناصر کی فیلڈ تفصیل کا تخلیق/ایڈیشن (سوائے پروڈکٹس/سروسز) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= بڑے پیمانے پر ای میلنگ کے لیے WYSIWIG تخلیق/ایڈیشن (ٹولز-> ای میلنگ) -FCKeditorForUserSignature=WYSIWIG تخلیق/صارف کے دستخط کا ایڈیشن -FCKeditorForMail=تمام میل کے لیے WYSIWIG تخلیق/ایڈیشن (سوائے ٹولز-> ای میلنگ) -FCKeditorForTicket=ٹکٹوں کے لیے WYSIWIG تخلیق/ایڈیشن +FCKeditorForNotePublic=WYSIWYG عناصر کی فیلڈ "عوامی نوٹس" کی تخلیق/ایڈیشن +FCKeditorForNotePrivate=عناصر کے "نجی نوٹ" فیلڈ کا WYSIWYG تخلیق/ایڈیشن +FCKeditorForCompany=WYSIWYG عناصر کی فیلڈ تفصیل کا تخلیق/ایڈیشن (سوائے پروڈکٹس/سروسز) +FCKeditorForProductDetails=WYSIWYG کی تخلیق/ایڈیشن کی مصنوعات کی تفصیل یا اشیاء کے لیے لائنیں (تجاویز، آرڈرز، انوائسز وغیرہ...)۔ +FCKeditorForProductDetails2=انتباہ: اس کیس کے لیے اس اختیار کو استعمال کرنے کی سنجیدگی سے سفارش نہیں کی جاتی ہے کیونکہ یہ پی ڈی ایف فائلز بناتے وقت خصوصی حروف اور صفحہ کی فارمیٹنگ میں مسائل پیدا کر سکتا ہے۔ +FCKeditorForMailing= بڑے پیمانے پر ای میلنگ کے لیے WYSIWYG تخلیق/ایڈیشن (ٹولز-> ای میلنگ) +FCKeditorForUserSignature=WYSIWYG تخلیق/صارف کے دستخط کا ایڈیشن +FCKeditorForMail=تمام میل کے لیے WYSIWYG تخلیق/ایڈیشن (سوائے ٹولز-> ای میلنگ) +FCKeditorForTicket=ٹکٹوں کے لیے WYSIWYG تخلیق/ایڈیشن ##### Stock ##### StockSetup=اسٹاک ماڈیول سیٹ اپ IfYouUsePointOfSaleCheckModule=اگر آپ ڈیفالٹ کے ذریعہ فراہم کردہ پوائنٹ آف سیل ماڈیول (POS) یا کسی بیرونی ماڈیول کا استعمال کرتے ہیں، تو اس سیٹ اپ کو آپ کے POS ماڈیول کے ذریعے نظر انداز کیا جا سکتا ہے۔ زیادہ تر POS ماڈیولز کو بطور ڈیفالٹ فوری طور پر انوائس بنانے اور یہاں کے اختیارات سے قطع نظر اسٹاک کو کم کرنے کے لیے ڈیزائن کیا گیا ہے۔ لہذا اگر آپ کو اپنے POS سے سیل رجسٹر کرتے وقت اسٹاک میں کمی کی ضرورت ہے یا نہیں، تو اپنے POS ماڈیول سیٹ اپ کو بھی چیک کریں۔ @@ -1800,9 +1813,9 @@ DetailMenuHandler=مینو ہینڈلر جہاں نیا مینو دکھانا ہ DetailMenuModule=ماڈیول کا نام اگر مینو اندراج ماڈیول سے آتا ہے۔ DetailType=مینو کی قسم (اوپر یا بائیں) DetailTitre=ترجمہ کے لیے مینو لیبل یا لیبل کوڈ -DetailUrl=URL where menu send you (Relative URL link or external link with https://) +DetailUrl=URL جہاں مینو آپ کو بھیجتا ہے (متعلقہ URL لنک یا https:// کے ساتھ بیرونی لنک) DetailEnabled=اندراج دکھانے یا نہ کرنے کی شرط -DetailRight=غیر مجاز گرے مینو ڈسپلے کرنے کی حالت +DetailRight=غیر مجاز گرے مینو ڈسپلے کرنے کی شرط DetailLangs=لیبل کوڈ کے ترجمہ کے لیے Lang فائل کا نام DetailUser=اندرونی / بیرونی / تمام Target=ہدف @@ -1840,9 +1853,9 @@ AgendaSetup = واقعات اور ایجنڈا ماڈیول سیٹ اپ AGENDA_DEFAULT_FILTER_TYPE = ایجنڈا ویو کے سرچ فلٹر میں اس قسم کے ایونٹ کو خودکار طور پر سیٹ کریں۔ AGENDA_DEFAULT_FILTER_STATUS = ایجنڈا ویو کے سرچ فلٹر میں ایونٹس کے لیے خودکار طور پر یہ اسٹیٹس سیٹ کریں۔ AGENDA_DEFAULT_VIEW = مینو ایجنڈا کو منتخب کرتے وقت آپ ڈیفالٹ کے ذریعے کون سا منظر کھولنا چاہتے ہیں۔ -AGENDA_EVENT_PAST_COLOR = Past event color -AGENDA_EVENT_CURRENT_COLOR = Current event color -AGENDA_EVENT_FUTURE_COLOR = Future event color +AGENDA_EVENT_PAST_COLOR = گزشتہ واقعہ کا رنگ +AGENDA_EVENT_CURRENT_COLOR = موجودہ واقعہ کا رنگ +AGENDA_EVENT_FUTURE_COLOR = مستقبل کے ایونٹ کا رنگ AGENDA_REMINDER_BROWSER = صارف کے براؤزر پر ایونٹ کی یاد دہانی کو فعال کریں AGENDA_REMINDER_BROWSER_SOUND = آواز کی اطلاع کو فعال کریں۔ AGENDA_REMINDER_EMAIL = ای میلز
      کے ذریعے ایونٹ کی یاد دہانی کو فعال کریں @@ -1855,7 +1868,7 @@ PastDelayVCalExport=سے پرانا واقعہ برآمد نہ کریں۔ SecurityKey = سیکیورٹی کلید ##### ClickToDial ##### ClickToDialSetup=ماڈیول سیٹ اپ ڈائل کرنے کے لیے کلک کریں۔ -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). +ClickToDialUrlDesc=یو آر ایل اس وقت کال کیا جاتا ہے جب فون پکٹو پر کلک کیا جاتا ہے۔ URL میں، آپ ٹیگز استعمال کر سکتے ہیں
      __PHONETO__یہ ہوگا کال کرنے والے شخص کے فون نمبر سے بدل دیا گیا
      __PHONEFROM__ کال کرنے والے شخص (آپ کا) کے فون نمبر سے بدل دیا جائے گا
      __LOGIN__b09a4b739f17f span> جسے کلک ٹوڈیل لاگ ان سے تبدیل کیا جائے گا (یوزر کارڈ پر بیان کیا گیا ہے)
      __PASS__ جسے کلک ٹوڈیل پاس ورڈ (یوزر کارڈ پر بیان کیا گیا) سے بدل دیا جائے گا۔ ClickToDialDesc=یہ ماڈیول ڈیسک ٹاپ کمپیوٹر کا استعمال کرتے وقت فون نمبروں کو کلک کے قابل لنکس میں تبدیل کرتا ہے۔ ایک کلک نمبر پر کال کرے گا۔ یہ آپ کے ڈیسک ٹاپ پر سافٹ فون استعمال کرتے وقت یا مثال کے طور پر SIP پروٹوکول پر مبنی CTI سسٹم استعمال کرتے وقت فون کال شروع کرنے کے لیے استعمال کیا جا سکتا ہے۔ نوٹ: اسمارٹ فون استعمال کرتے وقت، فون نمبرز ہمیشہ کلک کے قابل ہوتے ہیں۔ ClickToDialUseTelLink=فون نمبرز پر صرف ایک لنک "tel:" استعمال کریں۔ ClickToDialUseTelLinkDesc=یہ طریقہ استعمال کریں اگر آپ کے صارفین کے پاس سافٹ فون یا سافٹ ویئر انٹرفیس ہے، جو براؤزر والے کمپیوٹر پر انسٹال ہے، اور جب آپ اپنے براؤزر میں "tel:" سے شروع ہونے والے لنک پر کلک کرتے ہیں تو اسے کال کیا جاتا ہے۔ اگر آپ کو کسی ایسے لنک کی ضرورت ہے جو "sip:" سے شروع ہو یا ایک مکمل سرور حل (مقامی سافٹ ویئر انسٹالیشن کی ضرورت نہیں)، آپ کو اسے "نہیں" پر سیٹ کرنا ہوگا اور اگلا فیلڈ بھرنا ہوگا۔ @@ -1867,14 +1880,15 @@ CashDeskBankAccountForSell=نقد ادائیگی حاصل کرنے کے لیے CashDeskBankAccountForCheque=چیک کے ذریعے ادائیگیاں وصول کرنے کے لیے استعمال کرنے کے لیے ڈیفالٹ اکاؤنٹ CashDeskBankAccountForCB=کریڈٹ کارڈز کے ذریعے ادائیگیاں وصول کرنے کے لیے استعمال کرنے کے لیے ڈیفالٹ اکاؤنٹ CashDeskBankAccountForSumup=SumUp کے ذریعے ادائیگیاں وصول کرنے کے لیے استعمال کرنے کے لیے ڈیفالٹ بینک اکاؤنٹ -CashDeskDoNotDecreaseStock=پوائنٹ آف سیل سے فروخت ہونے پر اسٹاک میں کمی کو غیر فعال کریں (اگر "نہیں"، تو اسٹاک میں کمی POS سے کی گئی ہر فروخت کے لیے کی جاتی ہے، ماڈیول اسٹاک میں سیٹ کردہ آپشن سے قطع نظر)۔ +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=سٹاک میں کمی کے لیے گودام کو استعمال کرنے پر مجبور کریں اور اسے محدود کریں۔ StockDecreaseForPointOfSaleDisabled=پوائنٹ آف سیل سے اسٹاک میں کمی کو غیر فعال کر دیا گیا۔ StockDecreaseForPointOfSaleDisabledbyBatch=POS میں اسٹاک میں کمی ماڈیول سیریل/لاٹ مینجمنٹ (فی الحال فعال) کے ساتھ مطابقت نہیں رکھتی ہے لہذا اسٹاک میں کمی کو غیر فعال کردیا گیا ہے۔ CashDeskYouDidNotDisableStockDecease=آپ نے پوائنٹ آف سیل سے سیل کرتے وقت اسٹاک میں کمی کو غیر فعال نہیں کیا۔ اس لیے گودام کی ضرورت ہے۔ CashDeskForceDecreaseStockLabel=بیچ کی مصنوعات کے اسٹاک میں کمی کو مجبور کیا گیا تھا۔ CashDeskForceDecreaseStockDesc=سب سے پہلے سب سے پرانے کھانے اور فروخت کی تاریخوں سے کم کریں۔ -CashDeskReaderKeyCodeForEnter=Key ASCII code for "Enter" defined in barcode reader (Example: 13) +CashDeskReaderKeyCodeForEnter=بار کوڈ ریڈر میں بیان کردہ "Enter" کے لیے کلیدی ASCII کوڈ (مثال: 13) ##### Bookmark ##### BookmarkSetup=بک مارک ماڈیول سیٹ اپ BookmarkDesc=یہ ماڈیول آپ کو بک مارکس کا انتظام کرنے کی اجازت دیتا ہے۔ آپ اپنے بائیں مینو میں کسی بھی Dolibarr صفحات یا بیرونی ویب سائٹس میں شارٹ کٹس بھی شامل کر سکتے ہیں۔ @@ -1912,7 +1926,7 @@ SuppliersInvoiceNumberingModel=وینڈر انوائسز نمبرنگ ماڈلز IfSetToYesDontForgetPermission=اگر غیر null قدر پر سیٹ ہے تو، دوسری منظوری کے لیے اجازت یافتہ گروپوں یا صارفین کو اجازت دینا نہ بھولیں۔ ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=GeoIP Maxmind ماڈیول سیٹ اپ -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation +PathToGeoIPMaxmindCountryDataFile=میکس مائنڈ آئی پی ٹو کنٹری ترجمہ پر مشتمل فائل کا راستہ NoteOnPathLocation=نوٹ کریں کہ آپ کی آئی پی ٹو کنٹری ڈیٹا فائل ایک ڈائرکٹری کے اندر ہونی چاہیے جسے آپ کا پی ایچ پی پڑھ سکتا ہے (اپنا پی ایچ پی اوپن_بیسڈر سیٹ اپ اور فائل سسٹم کی اجازتوں کو چیک کریں)۔ YouCanDownloadFreeDatFileTo=آپ %s پر Maxmind GeoIP کنٹری فائل کا مفت ڈیمو ورژن ڈاؤن لوڈ کرسکتے ہیں۔ YouCanDownloadAdvancedDatFileTo=آپ %s پر Maxmind GeoIP کنٹری فائل کے
      اپ ڈیٹس کے ساتھ مزید مکمل ورژن بھی ڈاؤن لوڈ کر سکتے ہیں۔ @@ -1963,22 +1977,23 @@ BackupDumpWizard=ڈیٹا بیس ڈمپ فائل بنانے کے لیے وزرڈ BackupZipWizard=دستاویزات کی ڈائرکٹری کے آرکائیو بنانے کے لیے مددگار SomethingMakeInstallFromWebNotPossible=مندرجہ ذیل وجہ سے ویب انٹرفیس سے بیرونی ماڈیول کی تنصیب ممکن نہیں ہے۔ SomethingMakeInstallFromWebNotPossible2=اس وجہ سے، یہاں بیان کردہ اپ گریڈ کرنے کا عمل ایک دستی عمل ہے جو صرف ایک مراعات یافتہ صارف انجام دے سکتا ہے۔ -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. +InstallModuleFromWebHasBeenDisabledContactUs=ایپلیکیشن سے بیرونی ماڈیولز یا ڈائنامک ویب سائٹس کو انسٹال یا ڈیولپ کرنا فی الحال سیکیورٹی کے مقصد کے لیے بند ہے۔ اگر آپ کو اس خصوصیت کو فعال کرنے کی ضرورت ہے تو براہ کرم ہم سے رابطہ کریں۔ InstallModuleFromWebHasBeenDisabledByFile=آپ کے منتظم کے ذریعہ ایپلیکیشن سے بیرونی ماڈیول کی تنصیب کو غیر فعال کر دیا گیا ہے۔ اس خصوصیت کی اجازت دینے کے لیے آپ کو اس سے فائل %s کو ہٹانے کے لیے کہنا چاہیے۔ ConfFileMustContainCustom=ایپلیکیشن سے کسی بیرونی ماڈیول کو انسٹال کرنے یا بنانے کے لیے ماڈیول فائلوں کو ڈائرکٹری میں محفوظ کرنے کی ضرورت ہے %s ۔ اس ڈائرکٹری کو Dolibarr کے ذریعے پروسیس کرنے کے لیے، آپ کو اپنا conf/conf.php سیٹ اپ کرنا چاہیے تاکہ 2 ڈائرکٹیو لائنیں شامل کی جا سکیں:
      _c06bz0.
      $dolibarr_main_document_root_alt='%s/custom'; HighlightLinesOnMouseHover=جب ماؤس کی حرکت گزر جاتی ہے تو ٹیبل لائنوں کو نمایاں کریں۔ HighlightLinesColor=ماؤس کے اوپر سے گزرنے پر لائن کا رنگ نمایاں کریں (کسی ہائی لائٹ کے لیے 'ffffff' استعمال کریں) HighlightLinesChecked=جب لائن کو چیک کیا جائے تو اس کے رنگ کو ہائی لائٹ کریں (کسی ہائی لائٹ کے لیے 'ffffff' استعمال کریں) -UseBorderOnTable=Show left-right borders on tables -BtnActionColor=Color of the action button -TextBtnActionColor=Text color of the action button +UseBorderOnTable=میزوں پر دائیں بائیں سرحدیں دکھائیں۔ +TableLineHeight=ٹیبل لائن کی اونچائی +BtnActionColor=ایکشن بٹن کا رنگ +TextBtnActionColor=ایکشن بٹن کا متن کا رنگ TextTitleColor=صفحہ کے عنوان کا متن کا رنگ LinkColor=لنکس کا رنگ PressF5AfterChangingThis=کی بورڈ پر CTRL+F5 دبائیں یا اس قدر کو تبدیل کرنے کے بعد اپنا براؤزر کیش صاف کریں تاکہ اسے موثر بنایا جاسکے NotSupportedByAllThemes=ول بنیادی تھیمز کے ساتھ کام کرتا ہے، ہو سکتا ہے کہ بیرونی تھیمز کی حمایت نہ ہو۔ BackgroundColor=پس منظر کا رنگ TopMenuBackgroundColor=ٹاپ مینو کے لیے پس منظر کا رنگ -TopMenuDisableImages=Icon or Text in Top menu +TopMenuDisableImages=ٹاپ مینو میں آئیکن یا ٹیکسٹ LeftMenuBackgroundColor=بائیں مینو کے لیے پس منظر کا رنگ BackgroundTableTitleColor=ٹیبل ٹائٹل لائن کے لیے پس منظر کا رنگ BackgroundTableTitleTextColor=ٹیبل ٹائٹل لائن کے لیے متن کا رنگ @@ -1991,7 +2006,7 @@ EnterAnyCode=یہ فیلڈ لائن کی شناخت کے لیے ایک حوال Enter0or1=0 یا 1 درج کریں۔ UnicodeCurrency=یہاں منحنی خطوط وحدانی کے درمیان درج کریں، بائٹ نمبر کی فہرست جو کرنسی کی علامت کی نمائندگی کرتی ہے۔ مثال کے طور پر: $ کے لیے، درج کریں [36] - برازیل اصلی R$ [82,36] کے لیے - € کے لیے، [8364] درج کریں ColorFormat=RGB رنگ HEX فارمیٹ میں ہے، جیسے: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=شکل میں آئیکن کا نام:
      - موجودہ تھیم ڈائرکٹری میں تصویری فائل کے لیے image.png
      - image.png@module اگر فائل کسی ماڈیول کی ڈائرکٹری /img/ میں ہے
      - fa-xxx ایک FontAwesome fa-xxx تصویر کے لیے
      - ایک FontAwesome fa-xxx تصویر کے لیے fontawesome_xxx_fa_color_size (سابقہ، رنگ اور سائز سیٹ کے ساتھ) PositionIntoComboList=کومبو فہرستوں میں لائن کی پوزیشن SellTaxRate=سیلز ٹیکس کی شرح RecuperableOnly=جی ہاں فرانس کی کسی ریاست کے لیے مختص VAT کے لیے "معلوم نہیں ہوا لیکن قابل بازیافت"۔ دیگر تمام معاملات میں قدر کو "نہیں" پر رکھیں۔ @@ -2019,7 +2034,7 @@ MailToSendSupplierOrder=خریداری کے احکامات MailToSendSupplierInvoice=وینڈر کی رسیدیں MailToSendContract=معاہدے MailToSendReception=استقبالیہ -MailToExpenseReport=Expense reports +MailToExpenseReport=اخراجات کی رپورٹ MailToThirdparty=تیسرے فریقوں MailToMember=ممبران MailToUser=صارفین @@ -2074,13 +2089,13 @@ MAIN_PDF_MARGIN_RIGHT=پی ڈی ایف پر دایاں مارجن MAIN_PDF_MARGIN_TOP=پی ڈی ایف پر ٹاپ مارجن MAIN_PDF_MARGIN_BOTTOM=پی ڈی ایف پر نیچے کا مارجن MAIN_DOCUMENTS_LOGO_HEIGHT=پی ڈی ایف پر لوگو کی اونچائی -DOC_SHOW_FIRST_SALES_REP=Show first sales representative +DOC_SHOW_FIRST_SALES_REP=پہلا سیلز نمائندہ دکھائیں۔ MAIN_GENERATE_PROPOSALS_WITH_PICTURE=پروپوزل لائنز پر تصویر کے لیے کالم شامل کریں۔ MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=کالم کی چوڑائی اگر لائنوں پر تصویر شامل کی جائے۔ -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=کوٹیشن کی درخواستوں پر یونٹ قیمت کا کالم چھپائیں۔ +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=کوٹیشن کی درخواستوں پر کل قیمت کا کالم چھپائیں۔ +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=خریداری کے آرڈر پر یونٹ قیمت کا کالم چھپائیں۔ +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=puchase آرڈرز پر کل قیمت کا کالم چھپائیں۔ MAIN_PDF_NO_SENDER_FRAME=مرسل ایڈریس فریم پر بارڈرز چھپائیں۔ MAIN_PDF_NO_RECIPENT_FRAME=وصول کنندہ کے ایڈریس فریم پر بارڈرز چھپائیں۔ MAIN_PDF_HIDE_CUSTOMER_CODE=کسٹمر کوڈ چھپائیں۔ @@ -2094,13 +2109,13 @@ EnterCalculationRuleIfPreviousFieldIsYes=اگر پچھلا فیلڈ ہاں پر SeveralLangugeVariatFound=زبان کی کئی قسمیں ملیں۔ RemoveSpecialChars=خصوصی حروف کو ہٹا دیں۔ COMPANY_AQUARIUM_CLEAN_REGEX=کلین ویلیو کے لیے ریجیکس فلٹر (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code +COMPANY_AQUARIUM_NO_PREFIX=سابقہ استعمال نہ کریں، صرف کسٹمر یا سپلائر کوڈ کاپی کریں۔ COMPANY_DIGITARIA_CLEAN_REGEX=کلین ویلیو کے لیے ریجیکس فلٹر (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=نقل کی اجازت نہیں ہے۔ -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word +RemoveSpecialWords=گاہکوں یا سپلائرز کے لیے ذیلی اکاؤنٹس بناتے وقت کچھ الفاظ صاف کریں۔ +RemoveSpecialWordsHelp=گاہک یا سپلائر کے اکاؤنٹ کا حساب لگانے سے پہلے صاف کیے جانے والے الفاظ کی وضاحت کریں۔ استعمال کریں "؛" ہر لفظ کے درمیان GDPRContact=ڈیٹا پروٹیکشن آفیسر (ڈی پی او، ڈیٹا پرائیویسی یا جی ڈی پی آر رابطہ) -GDPRContactDesc=If you store personal data in your Information System, you can name the contact who is responsible for the General Data Protection Regulation here +GDPRContactDesc=اگر آپ اپنے انفارمیشن سسٹم میں ذاتی ڈیٹا اسٹور کرتے ہیں، تو آپ اس رابطہ کا نام دے سکتے ہیں جو یہاں جنرل ڈیٹا پروٹیکشن ریگولیشن کے لیے ذمہ دار ہے۔ HelpOnTooltip=ٹول ٹپ پر دکھانے کے لیے متن کی مدد کریں۔ HelpOnTooltipDesc=جب یہ فیلڈ فارم میں ظاہر ہوتا ہے تو ٹول ٹپ میں متن دکھانے کے لیے متن یا ترجمہ کی کلید یہاں رکھیں YouCanDeleteFileOnServerWith=آپ اس فائل کو سرور پر کمانڈ لائن کے ساتھ حذف کر سکتے ہیں:
      %s @@ -2111,56 +2126,56 @@ VATIsUsedIsOff=نوٹ: مینو %s - %s میں سیلز ٹیکس یا VAT است SwapSenderAndRecipientOnPDF=پی ڈی ایف دستاویزات پر بھیجنے والے اور وصول کنندہ کے پتے کی پوزیشن کو تبدیل کریں۔ FeatureSupportedOnTextFieldsOnly=تنبیہ، خصوصیت صرف ٹیکسٹ فیلڈز اور کومبو لسٹوں پر معاون ہے۔ نیز ایک URL پیرامیٹر ایکشن=create or action=edit سیٹ ہونا چاہیے یا اس فیچر کو متحرک کرنے کے لیے صفحہ کا نام 'new.php' کے ساتھ ختم ہونا چاہیے۔ EmailCollector=ای میل کلکٹر -EmailCollectors=Email collectors +EmailCollectors=ای میل جمع کرنے والے EmailCollectorDescription=باقاعدگی سے ای میل باکسز (IMAP پروٹوکول کا استعمال کرتے ہوئے) اسکین کرنے کے لیے ایک طے شدہ جاب اور سیٹ اپ صفحہ شامل کریں اور اپنی درخواست میں موصول ہونے والی ای میلز کو صحیح جگہ پر ریکارڈ کریں اور/یا کچھ ریکارڈ خود بخود بنائیں (جیسے لیڈز)۔ NewEmailCollector=نیا ای میل کلکٹر EMailHost=ای میل IMAP سرور کا میزبان -EMailHostPort=Port of email IMAP server -loginPassword=Login/Password -oauthToken=OAuth2 token -accessType=Acces type -oauthService=Oauth service -TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session +EMailHostPort=ای میل IMAP سرور کا پورٹ +loginPassword=لاگ ان پاس ورڈ +oauthToken=OAuth2 ٹوکن +accessType=رسائی کی قسم +oauthService=اوتھ سروس +TokenMustHaveBeenCreated=ماڈیول OAuth2 کا فعال ہونا ضروری ہے اور ایک oauth2 ٹوکن درست اجازتوں کے ساتھ بنایا گیا ہو گا (مثال کے طور پر Gmail کے لیے OAuth کے ساتھ دائرہ کار "gmail_full")۔ +ImapEncryption = IMAP خفیہ کاری کا طریقہ +ImapEncryptionHelp = مثال: کوئی نہیں، ssl، tls، notls +NoRSH = NoRSH کنفیگریشن استعمال کریں۔ +NoRSHHelp = IMAP سے پہلے شناختی سیشن قائم کرنے کے لیے RSH یا SSH پروٹوکول استعمال نہ کریں۔ MailboxSourceDirectory=میل باکس سورس ڈائرکٹری MailboxTargetDirectory=میل باکس ٹارگٹ ڈائرکٹری EmailcollectorOperations=کلیکٹر کے ذریعہ کرنے کے لئے آپریشن EmailcollectorOperationsDesc=اوپر سے نیچے کے حکم تک آپریشنز کیے جاتے ہیں۔ MaxEmailCollectPerCollect=فی جمع کردہ ای میلز کی زیادہ سے زیادہ تعداد -TestCollectNow=Test collect +TestCollectNow=ٹیسٹ جمع کرنا CollectNow=ابھی جمع کریں۔ -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s? +ConfirmCloneEmailCollector=کیا آپ واقعی ای میل کلکٹر %s کو کلون کرنا چاہتے ہیں؟ DateLastCollectResult=جمع کرنے کی تازہ ترین کوشش کی تاریخ DateLastcollectResultOk=جمع کرنے کی تازہ ترین کامیابی کی تاریخ LastResult=تازہ ترین نتیجہ -EmailCollectorHideMailHeaders=Do not include the content of email header into the saved content of collected e-mails -EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. +EmailCollectorHideMailHeaders=ای میل ہیڈر کے مواد کو جمع کردہ ای میلز کے محفوظ کردہ مواد میں شامل نہ کریں۔ +EmailCollectorHideMailHeadersHelp=فعال ہونے پر، ای میل مواد کے آخر میں ای میل ہیڈر شامل نہیں کیے جاتے ہیں جو ایجنڈا ایونٹ کے طور پر محفوظ کیا جاتا ہے۔ EmailCollectorConfirmCollectTitle=ای میل جمع تصدیق -EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). -EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software -EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. -EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. -EmailCollectorExampleToCollectLeads=Example collecting leads -EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. -EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail +EmailCollectorConfirmCollect=کیا آپ اب اس کلکٹر کو چلانا چاہتے ہیں؟ +EmailCollectorExampleToCollectTicketRequestsDesc=ای میلز جمع کریں جو کچھ اصولوں سے مماثل ہوں اور ای میل کی معلومات کے ساتھ خود بخود ایک ٹکٹ بنائیں (ماڈیول ٹکٹ کا فعال ہونا ضروری ہے)۔ اگر آپ ای میل کے ذریعہ کچھ مدد فراہم کرتے ہیں تو آپ اس کلکٹر کو استعمال کرسکتے ہیں، لہذا آپ کی ٹکٹ کی درخواست خود بخود تیار ہوجائے گی۔ اپنے کلائنٹ کے جوابات براہ راست ٹکٹ ویو پر جمع کرنے کے لیے Collect_Responses کو بھی فعال کریں (آپ کو Dolibarr سے جواب دینا چاہیے)۔ +EmailCollectorExampleToCollectTicketRequests=ٹکٹ کی درخواست جمع کرنے کی مثال (صرف پہلا پیغام) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=ان ای میلز کو تلاش کرنے کے لیے اپنے میل باکس "بھیجے گئے" ڈائرکٹری کو اسکین کریں جو براہ راست آپ کے ای میل سافٹ ویئر سے کسی اور ای میل کے جواب کے طور پر بھیجی گئی تھیں نہ کہ Dolibarr سے۔ اگر ایسی ای میل مل جاتی ہے تو جواب کا واقعہ ڈولیبر میں درج کیا جاتا ہے۔ +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=بیرونی ای میل سافٹ ویئر سے بھیجے گئے ای میل جوابات جمع کرنے کی مثال +EmailCollectorExampleToCollectDolibarrAnswersDesc=وہ تمام ای میلز اکٹھا کریں جو آپ کی درخواست سے بھیجے گئے ای میل کا جواب ہیں۔ ای میل کے جواب کے ساتھ ایک واقعہ (ماڈیول ایجنڈا فعال ہونا ضروری ہے) اچھی جگہ پر ریکارڈ کیا جائے گا۔ مثال کے طور پر، اگر آپ درخواست سے ای میل کے ذریعے ٹکٹ کے لیے تجارتی تجویز، آرڈر، انوائس یا پیغام بھیجتے ہیں، اور وصول کنندہ آپ کے ای میل کا جواب دیتا ہے، تو سسٹم خود بخود جواب کو پکڑ کر آپ کے ERP میں شامل کر لے گا۔ +EmailCollectorExampleToCollectDolibarrAnswers=Dolibarr' سے بھیجے گئے پیغامات کے جوابات ہونے والے تمام آنے والے پیغامات کو جمع کرنے کی مثال +EmailCollectorExampleToCollectLeadsDesc=ای میلز جمع کریں جو کچھ اصولوں سے مماثل ہوں اور ای میل کی معلومات کے ساتھ خود بخود ایک لیڈ بنائیں (ماڈیول پروجیکٹ کو فعال ہونا چاہیے)۔ اگر آپ ماڈیول پروجیکٹ (1 لیڈ = 1 پروجیکٹ) کا استعمال کرتے ہوئے اپنی لیڈ کی پیروی کرنا چاہتے ہیں تو آپ اس کلکٹر کو استعمال کرسکتے ہیں، لہذا آپ کی لیڈز خود بخود تیار ہوجائیں گی۔ اگر کلکٹر Collect_Responses بھی فعال ہے، جب آپ اپنے لیڈز، پروپوزل یا کسی اور چیز سے ای میل بھیجتے ہیں، تو آپ اپنے صارفین یا شراکت داروں کے جوابات بھی براہ راست درخواست پر دیکھ سکتے ہیں۔
      نوٹ: اس ابتدائی مثال کے ساتھ، لیڈ کا عنوان ای میل سمیت تیار کیا جاتا ہے۔ اگر ڈیٹا بیس (نیا کسٹمر) میں تھرڈ پارٹی نہیں مل پاتی ہے، تو لیڈ کو آئی ڈی 1 کے ساتھ تھرڈ پارٹی سے منسلک کر دیا جائے گا۔ +EmailCollectorExampleToCollectLeads=لیڈز جمع کرنے کی مثال +EmailCollectorExampleToCollectJobCandidaturesDesc=ملازمت کی پیشکشوں کے لیے درخواست دینے والے ای میلز کو جمع کریں (ماڈیول بھرتی کا فعال ہونا ضروری ہے)۔ اگر آپ نوکری کی درخواست کے لیے خود بخود امیدوار بنانا چاہتے ہیں تو آپ اس کلکٹر کو مکمل کر سکتے ہیں۔ نوٹ: اس ابتدائی مثال کے ساتھ، امیدوار کا عنوان ای میل سمیت تیار کیا جاتا ہے۔ +EmailCollectorExampleToCollectJobCandidatures=ای میل کے ذریعے موصول ہونے والی ملازمت کے امیدواروں کو جمع کرنے کی مثال NoNewEmailToProcess=کارروائی کے لیے کوئی نیا ای میل (مماثل فلٹرز) نہیں ہے۔ NothingProcessed=کچھ نہیں کیا -RecordEvent=Record an event in agenda (with type Email sent or received) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation or was guessed from a tracker in email header, without third party otherwise) +RecordEvent=ایجنڈے میں واقعہ ریکارڈ کریں (جیسی ای میل بھیجی یا موصول ہوئی ہے) +CreateLeadAndThirdParty=ایک لیڈ بنائیں (اور اگر ضروری ہو تو تیسرا فریق) +CreateTicketAndThirdParty=ٹکٹ بنائیں (اگر تیسرے فریق کو پچھلے آپریشن کے ذریعے لوڈ کیا گیا ہو یا ای میل ہیڈر میں کسی ٹریکر سے اندازہ لگایا گیا ہو تو تیسرے فریق سے منسلک ہو، بصورت دیگر تیسرے فریق کے بغیر) CodeLastResult=تازہ ترین نتیجہ کوڈ NbOfEmailsInInbox=سورس ڈائرکٹری میں ای میلز کی تعداد LoadThirdPartyFromName=%s پر تیسرے فریق کی تلاش کو لوڈ کریں (صرف لوڈ) LoadThirdPartyFromNameOrCreate=%s پر تیسرے فریق کی تلاش کو لوڈ کریں (اگر نہیں ملا تو بنائیں) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) -AttachJoinedDocumentsToObject=Save attached files into object documents if a ref of an object is found into email topic. +LoadContactFromEmailOrCreate=رابطہ کی تلاش کو %s پر لوڈ کریں (اگر نہیں ملا تو بنائیں) +AttachJoinedDocumentsToObject=منسلک فائلوں کو آبجیکٹ دستاویزات میں محفوظ کریں اگر ای میل کے عنوان میں کسی شے کا کوئی حوالہ ملتا ہے۔ WithDolTrackingID=Dolibarr سے بھیجے گئے پہلے ای میل کے ذریعے شروع کی گئی گفتگو کا پیغام WithoutDolTrackingID=Dolibarr سے نہیں بھیجے گئے پہلے ای میل کے ذریعے شروع کی گئی گفتگو کا پیغام WithDolTrackingIDInMsgId=Dolibarr سے پیغام بھیجا گیا۔ @@ -2169,14 +2184,14 @@ CreateCandidature=ملازمت کی درخواست بنائیں FormatZip=زپ MainMenuCode=مینو انٹری کوڈ (مین مینو) ECMAutoTree=خودکار ECM درخت دکھائیں۔ -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. +OperationParamDesc=کچھ ڈیٹا نکالنے کے لیے استعمال کرنے کے لیے قواعد کی وضاحت کریں یا آپریشن کے لیے استعمال کرنے کے لیے قدریں سیٹ کریں۔

      سے کمپنی کا نام نکالنے کی مثال ای میل کا موضوع ایک عارضی متغیر میں:
      tmp_var=EXTRACT:SUBJECT:کمپنی کی طرف سے پیغام ([^\n]*)

      تخلیق کے لیے کسی آبجیکٹ کی خصوصیات سیٹ کرنے کی مثالیں:
      objproperty1=SET:ایک ہارڈ کوڈ شدہ قدر
      objproperty2=SET:__tmp_var__
      objproperty (MPvalue3=SETIFEa value: صرف اس صورت میں سیٹ کیا جاتا ہے جب پراپرٹی کی پہلے سے وضاحت نہ کی گئی ہو)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY is:My s([^\\s]*)

      متعدد خصوصیات کو نکالنے یا سیٹ کرنے کے لیے ایک نئی لائن استعمال کریں۔ OpeningHours=ابتدائی گھنٹے OpeningHoursDesc=اپنی کمپنی کے باقاعدہ کھلنے کے اوقات یہاں درج کریں۔ ResourceSetup=وسائل کے ماڈیول کی ترتیب UseSearchToSelectResource=وسائل کا انتخاب کرنے کے لیے سرچ فارم کا استعمال کریں (ڈراپ ڈاؤن فہرست کے بجائے)۔ DisabledResourceLinkUser=کسی وسائل کو صارفین سے منسلک کرنے کے لیے خصوصیت کو غیر فعال کریں۔ DisabledResourceLinkContact=کسی وسائل کو رابطوں سے جوڑنے کے لیے خصوصیت کو غیر فعال کریں۔ -EnableResourceUsedInEventCheck=Prohibit the use of the same resource at the same time in the agenda +EnableResourceUsedInEventCheck=ایجنڈے میں ایک ہی وقت میں ایک ہی وسائل کے استعمال کی ممانعت ConfirmUnactivation=ماڈیول ری سیٹ کی تصدیق کریں۔ OnMobileOnly=صرف چھوٹی اسکرین (اسمارٹ فون) پر DisableProspectCustomerType="Prospect + Customer" تیسرے فریق کی قسم کو غیر فعال کریں (لہذا فریق ثالث کو "Prospect" یا "Customer" ہونا چاہیے، لیکن دونوں نہیں ہو سکتے) @@ -2191,7 +2206,7 @@ ThisValueCanOverwrittenOnUserLevel=اس قدر کو ہر صارف اپنے صا DefaultCustomerType="نئے گاہک" تخلیق فارم کے لیے پہلے سے طے شدہ تیسری پارٹی کی قسم ABankAccountMustBeDefinedOnPaymentModeSetup=نوٹ: اس خصوصیت کو کام کرنے کے لیے بینک اکاؤنٹ کو ادائیگی کے ہر موڈ (Paypal، Stripe، ...) کے ماڈیول پر بیان کیا جانا چاہیے۔ RootCategoryForProductsToSell=فروخت کرنے کے لئے مصنوعات کی جڑ زمرہ -RootCategoryForProductsToSellDesc=اگر وضاحت کی گئی ہے تو، صرف اس زمرے کے اندر کی مصنوعات یا اس زمرے کے بچے ہی پوائنٹ آف سیل میں دستیاب ہوں گے۔ +RootCategoryForProductsToSellDesc=اگر وضاحت کی گئی ہے تو، صرف اس زمرے کے اندر کی مصنوعات یا اس زمرے کے بچے پوائنٹ آف سیل میں دستیاب ہوں گے۔ DebugBar=ڈیبگ بار DebugBarDesc=ٹول بار جو ڈیبگنگ کو آسان بنانے کے لیے بہت سارے ٹولز کے ساتھ آتا ہے۔ DebugBarSetup=ڈیبگ بار سیٹ اپ @@ -2212,17 +2227,17 @@ ImportSetup=ماڈیول درآمد کا سیٹ اپ InstanceUniqueID=مثال کی منفرد ID SmallerThan=سے چھوٹا LargerThan=سے بڑا -IfTrackingIDFoundEventWillBeLinked=نوٹ کریں کہ اگر ای میل میں کسی آبجیکٹ کی ٹریکنگ آئی ڈی پائی جاتی ہے، یا اگر ای میل کسی ای میل کا جواب ہے جو کسی شے سے جمع اور منسلک ہے، تو تخلیق شدہ واقعہ خود بخود معلوم متعلقہ آبجیکٹ سے منسلک ہو جائے گا۔ -WithGMailYouCanCreateADedicatedPassword=جی میل اکاؤنٹ کے ساتھ، اگر آپ نے 2 مراحل کی توثیق کو فعال کیا ہے، تو یہ سفارش کی جاتی ہے کہ https://myaccount.google.com/ سے اپنے اکاؤنٹ کا پاس ورڈ استعمال کرنے کے بجائے ایپلیکیشن کے لیے ایک وقف شدہ دوسرا پاس ورڈ بنائیں۔ -EmailCollectorTargetDir=ای میل کو کامیابی کے ساتھ پروسیس ہونے پر اسے کسی اور ٹیگ/ڈائریکٹری میں منتقل کرنا ایک مطلوبہ رویہ ہو سکتا ہے۔ اس فیچر کو استعمال کرنے کے لیے صرف ڈائرکٹری کا نام یہاں سیٹ کریں (نام میں خصوصی حروف کا استعمال نہ کریں)۔ نوٹ کریں کہ آپ کو پڑھنا/لکھنا لاگ ان اکاؤنٹ بھی استعمال کرنا چاہیے۔ -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). +IfTrackingIDFoundEventWillBeLinked=نوٹ کریں کہ اگر ای میل میں کسی آبجیکٹ کی ٹریکنگ آئی ڈی پائی جاتی ہے، یا اگر ای میل پہلے سے جمع کردہ اور کسی آبجیکٹ سے منسلک ای میل کا جواب ہے، تو تخلیق شدہ واقعہ خود بخود معلوم متعلقہ آبجیکٹ سے منسلک ہو جائے گا۔ +WithGMailYouCanCreateADedicatedPassword=GMail اکاؤنٹ کے ساتھ، اگر آپ نے 2 مراحل کی توثیق کو فعال کیا ہے، تو یہ تجویز کیا جاتا ہے کہ https://myaccount.google.com/ سے اپنے اکاؤنٹ کا پاس ورڈ استعمال کرنے کے بجائے ایپلیکیشن کے لیے ایک وقف شدہ دوسرا پاس ورڈ بنائیں۔ +EmailCollectorTargetDir=یہ ایک مطلوبہ رویہ ہو سکتا ہے کہ ای میل کو کسی دوسرے ٹیگ/ڈائریکٹری میں منتقل کر دیا جائے جب اس پر کامیابی سے کارروائی ہو جائے۔ اس فیچر کو استعمال کرنے کے لیے صرف ڈائرکٹری کا نام یہاں سیٹ کریں (نام میں خصوصی حروف کا استعمال نہ کریں)۔ نوٹ کریں کہ آپ کو پڑھنا/لکھنا لاگ ان اکاؤنٹ بھی استعمال کرنا چاہیے۔ +EmailCollectorLoadThirdPartyHelp=آپ اپنے ڈیٹا بیس میں موجود تیسرے فریق کو تلاش کرنے اور لوڈ کرنے کے لیے ای میل کے مواد کو استعمال کرنے کے لیے اس کارروائی کا استعمال کر سکتے ہیں (تلاش 'id', 'name', 'name_alias', 'email' کے درمیان متعین پراپرٹی پر کی جائے گی)۔ پایا (یا تخلیق کردہ) فریق ثالث کو مندرجہ ذیل کارروائیوں کے لیے استعمال کیا جائے گا جن کو اس کی ضرورت ہے۔
      مثال کے طور پر، اگر آپ سٹرنگ سے نکالے گئے نام کے ساتھ تھرڈ پارٹی بنانا چاہتے ہیں۔ نام: تلاش کرنے کے لیے نام' باڈی میں موجود ہے، بھیجنے والے کے ای میل کو بطور ای میل استعمال کریں، آپ پیرامیٹر فیلڈ کو اس طرح سیٹ کر سکتے ہیں:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=انتباہ: بہت سارے ای میل سرورز (جیسے جی میل) کسی سٹرنگ پر تلاش کرتے وقت مکمل الفاظ کی تلاش کر رہے ہیں اور اگر سٹرنگ صرف جزوی طور پر کسی لفظ میں پائی جاتی ہے تو نتیجہ واپس نہیں آئے گا۔ اس وجہ سے بھی، تلاش کے معیار میں خصوصی حروف کا استعمال نظر انداز کر دیا جائے گا اگر وہ موجودہ الفاظ کا حصہ نہیں ہیں۔
      کسی لفظ کو خارج کرنے کے لیے (اگر لفظ ہو تو ای میل واپس کریں) نہیں ملا)، آپ استعمال کر سکتے ہیں! لفظ سے پہلے کا کردار (ہو سکتا ہے کچھ میل سرورز پر کام نہ کرے)۔ EndPointFor=%s کے لیے اختتامی نقطہ : %s DeleteEmailCollector=ای میل کلیکٹر کو حذف کریں۔ ConfirmDeleteEmailCollector=کیا آپ واقعی اس ای میل کلیکٹر کو حذف کرنا چاہتے ہیں؟ RecipientEmailsWillBeReplacedWithThisValue=وصول کنندہ کے ای میلز کو ہمیشہ اس قدر سے بدل دیا جائے گا۔ AtLeastOneDefaultBankAccountMandatory=کم از کم 1 ڈیفالٹ بینک اکاؤنٹ کی وضاحت ہونی چاہیے۔ -RESTRICT_ON_IP=Allow API access to only certain client IPs (wildcard not allowed, use space between values). Empty means every clients can access. +RESTRICT_ON_IP=API کو صرف مخصوص کلائنٹ IPs تک رسائی کی اجازت دیں (وائلڈ کارڈ کی اجازت نہیں، اقدار کے درمیان جگہ استعمال کریں)۔ خالی کا مطلب ہے کہ ہر کلائنٹ تک رسائی حاصل کر سکتے ہیں۔ IPListExample=127.0.0.1 192.168.0.2 [::1] BaseOnSabeDavVersion=لائبریری SabreDAV ورژن پر مبنی NotAPublicIp=عوامی IP نہیں ہے۔ @@ -2232,12 +2247,12 @@ EmailTemplate=ای میل کے لیے ٹیمپلیٹ EMailsWillHaveMessageID=ای میلز میں اس نحو سے مماثل ٹیگ 'حوالہ جات' ہوگا۔ PDF_SHOW_PROJECT=دستاویز پر پروجیکٹ دکھائیں۔ ShowProjectLabel=پروجیکٹ لیبل -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=تیسرے فریق کے نام میں عرف شامل کریں۔ +THIRDPARTY_ALIAS=تھرڈ پارٹی کا نام - تھرڈ پارٹی عرف +ALIAS_THIRDPARTY=تھرڈ پارٹی عرف - تھرڈ پارٹی کا نام +PDFIn2Languages=پی ڈی ایف میں لیبلز کو 2 مختلف زبانوں میں دکھائیں (ہو سکتا ہے یہ فیچر کچھ زبانوں کے لیے کام نہ کرے) PDF_USE_ALSO_LANGUAGE_CODE=اگر آپ چاہتے ہیں کہ آپ کی پی ڈی ایف میں کچھ متن ایک ہی جنریٹڈ پی ڈی ایف میں 2 مختلف زبانوں میں ڈپلیکیٹ ہوں، تو آپ کو یہاں یہ دوسری زبان سیٹ کرنی ہوگی تاکہ جنریٹ کی گئی پی ڈی ایف ایک ہی صفحہ میں 2 مختلف زبانوں پر مشتمل ہو، جو پی ڈی ایف بنانے کے وقت منتخب کی گئی ہو اور یہ ( صرف چند پی ڈی ایف ٹیمپلیٹس اس کی حمایت کرتے ہیں)۔ فی پی ڈی ایف 1 زبان کے لیے خالی رکھیں۔ -PDF_USE_A=ڈیفالٹ فارمیٹ پی ڈی ایف کے بجائے PDF/A فارمیٹ کے ساتھ پی ڈی ایف دستاویزات تیار کریں۔ +PDF_USE_A=ڈیفالٹ فارمیٹ PDF کے بجائے PDF/A فارمیٹ کے ساتھ PDF دستاویزات بنائیں FafaIconSocialNetworksDesc=یہاں ایک FontAwesome آئیکن کا کوڈ درج کریں۔ اگر آپ نہیں جانتے کہ FontAwesome کیا ہے، تو آپ عام قدر fa-address-book استعمال کر سکتے ہیں۔ RssNote=نوٹ: ہر آر ایس ایس فیڈ کی تعریف ایک ویجیٹ فراہم کرتی ہے جسے ڈیش بورڈ میں دستیاب رکھنے کے لیے آپ کو اسے فعال کرنا ہوگا۔ JumpToBoxes=سیٹ اپ پر جائیں -> وجیٹس @@ -2263,13 +2278,13 @@ MailToSendEventOrganization=ایونٹ آرگنائزیشن MailToPartnership=شراکت داری AGENDA_EVENT_DEFAULT_STATUS=فارم سے ایونٹ بناتے وقت ڈیفالٹ ایونٹ کی حیثیت YouShouldDisablePHPFunctions=آپ کو پی ایچ پی کے افعال کو غیر فعال کرنا چاہئے۔ -IfCLINotRequiredYouShouldDisablePHPFunctions=سوائے اس کے کہ اگر آپ کو کسٹم کوڈ میں سسٹم کمانڈ چلانے کی ضرورت ہو، تو آپ کو پی ایچ پی فنکشنز کو غیر فعال کرنا چاہیے۔ -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions +IfCLINotRequiredYouShouldDisablePHPFunctions=جب تک کہ آپ کو کسٹم کوڈ میں سسٹم کمانڈز چلانے کی ضرورت نہ ہو، آپ کو پی ایچ پی کے افعال کو غیر فعال کرنا چاہیے۔ +PHPFunctionsRequiredForCLI=شیل مقصد کے لیے (جیسے شیڈولڈ جاب بیک اپ یا اینٹی وائرس پروگرام چلانا)، آپ کو پی ایچ پی کے فنکشنز کو برقرار رکھنا چاہیے۔ NoWritableFilesFoundIntoRootDir=آپ کی روٹ ڈائرکٹری (اچھی) میں عام پروگراموں کی کوئی قابل تحریر فائل یا ڈائرکٹری نہیں ملی RecommendedValueIs=تجویز کردہ: %s Recommended=تجویز کردہ NotRecommended=تجویز کردہ نہیں -ARestrictedPath=Some restricted path for data files +ARestrictedPath=ڈیٹا فائلوں کے لیے کچھ محدود راستہ CheckForModuleUpdate=بیرونی ماڈیولز کی تازہ کاریوں کی جانچ کریں۔ CheckForModuleUpdateHelp=یہ عمل بیرونی ماڈیولز کے ایڈیٹرز سے رابطہ کرے گا تاکہ یہ چیک کیا جا سکے کہ آیا کوئی نیا ورژن دستیاب ہے۔ ModuleUpdateAvailable=ایک اپ ڈیٹ دستیاب ہے۔ @@ -2277,14 +2292,14 @@ NoExternalModuleWithUpdate=بیرونی ماڈیولز کے لیے کوئی اپ SwaggerDescriptionFile=سویگر API تفصیل فائل (مثال کے طور پر redoc کے ساتھ استعمال کے لیے) YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=آپ نے فرسودہ WS API کو فعال کیا۔ اس کے بجائے آپ کو REST API استعمال کرنا چاہیے۔ RandomlySelectedIfSeveral=اگر متعدد تصاویر دستیاب ہوں تو تصادفی طور پر منتخب کریں۔ -SalesRepresentativeInfo=For Proposals, Orders, Invoices. +SalesRepresentativeInfo=پروپوزل، آرڈرز، انوائسز کے لیے۔ DatabasePasswordObfuscated=ڈیٹا بیس کا پاس ورڈ conf فائل میں مبہم ہے۔ DatabasePasswordNotObfuscated=ڈیٹا بیس کا پاس ورڈ conf فائل میں مبہم نہیں ہے۔ APIsAreNotEnabled=APIs ماڈیولز فعال نہیں ہیں۔ YouShouldSetThisToOff=آپ کو اسے 0 یا آف پر سیٹ کرنا چاہیے۔ InstallAndUpgradeLockedBy=انسٹال اور اپ گریڈ فائل %s کے ذریعہ مقفل ہیں۔ -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. +InstallLockedBy=انسٹال/دوبارہ انسٹال فائل %s کے ذریعہ مقفل ہے۔ +InstallOfAddonIsNotBlocked=ایڈونز کی تنصیبات مقفل نہیں ہیں۔ ایک فائل installmodules.lock ڈائرکٹری میں بنائیں ='notranslate'>%s
      بیرونی ایڈونز/ماڈیولز کی تنصیبات کو بلاک کرنے کے لیے۔ OldImplementation=پرانا عمل درآمد PDF_SHOW_LINK_TO_ONLINE_PAYMENT=اگر آن لائن ادائیگی کے کچھ ماڈیولز فعال ہیں (پے پال، پٹی، ...)، آن لائن ادائیگی کرنے کے لیے پی ڈی ایف پر ایک لنک شامل کریں۔ DashboardDisableGlobal=کھلی اشیاء کے تمام انگوٹھوں کو عالمی سطح پر غیر فعال کریں۔ @@ -2301,108 +2316,127 @@ DashboardDisableBlockAdherent=رکنیت کے لیے انگوٹھے کو غیر DashboardDisableBlockExpenseReport=اخراجات کی رپورٹ کے لیے انگوٹھے کو غیر فعال کریں۔ DashboardDisableBlockHoliday=پتیوں کے لیے انگوٹھے کو غیر فعال کریں۔ EnabledCondition=فیلڈ کو فعال کرنے کی شرط (اگر فعال نہیں ہے تو، مرئیت ہمیشہ بند رہے گی) -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=اگر آپ دوسرا ٹیکس استعمال کرنا چاہتے ہیں تو آپ کو پہلے سیلز ٹیکس کو بھی فعال کرنا ہوگا۔ +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=اگر آپ تیسرا ٹیکس استعمال کرنا چاہتے ہیں تو آپ کو پہلے سیلز ٹیکس کو بھی فعال کرنا ہوگا۔ LanguageAndPresentation=زبان اور پیشکش SkinAndColors=جلد اور رنگ -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=اگر آپ دوسرا ٹیکس استعمال کرنا چاہتے ہیں تو آپ کو پہلے سیلز ٹیکس کو بھی فعال کرنا ہوگا۔ +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=اگر آپ تیسرا ٹیکس استعمال کرنا چاہتے ہیں تو آپ کو پہلے سیلز ٹیکس کو بھی فعال کرنا ہوگا۔ PDF_USE_1A=PDF/A-1b فارمیٹ کے ساتھ پی ڈی ایف بنائیں MissingTranslationForConfKey = %s کا ترجمہ غائب ہے۔ NativeModules=مقامی ماڈیولز NoDeployedModulesFoundWithThisSearchCriteria=تلاش کے ان معیارات کے لیے کوئی ماڈیول نہیں ملا API_DISABLE_COMPRESSION=API جوابات کے کمپریشن کو غیر فعال کریں۔ -EachTerminalHasItsOwnCounter=Each terminal use its own counter. -FillAndSaveAccountIdAndSecret=Fill and save account ID and secret first -PreviousHash=Previous hash -LateWarningAfter="Late" warning after -TemplateforBusinessCards=Template for a business card in different size -InventorySetup= Inventory Setup -ExportUseLowMemoryMode=Use a low memory mode -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. +EachTerminalHasItsOwnCounter=ہر ٹرمینل اپنا کاؤنٹر استعمال کرتا ہے۔ +FillAndSaveAccountIdAndSecret=پہلے اکاؤنٹ کی شناخت اور راز کو بھریں اور محفوظ کریں۔ +PreviousHash=پچھلا ہیش +LateWarningAfter="دیر" وارننگ کے بعد +TemplateforBusinessCards=مختلف سائز میں بزنس کارڈ کے لیے ٹیمپلیٹ +InventorySetup= انوینٹری سیٹ اپ +ExportUseLowMemoryMode=کم میموری موڈ استعمال کریں۔ +ExportUseLowMemoryModeHelp=ڈمپ فائل بنانے کے لیے لو میموری موڈ کا استعمال کریں (کمپریشن پی ایچ پی میموری کے بجائے پائپ کے ذریعے کیا جاتا ہے)۔ یہ طریقہ یہ چیک کرنے کی اجازت نہیں دیتا ہے کہ فائل مکمل ہے اور اگر یہ ناکام ہوجاتی ہے تو غلطی کے پیغام کی اطلاع نہیں دی جاسکتی ہے۔ اگر آپ کو میموری کی کافی خرابیاں نہیں ہیں تو اسے استعمال کریں۔ -ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL -WebhookSetup = Webhook setup -Settings = Settings -WebhookSetupPage = Webhook setup page -ShowQuickAddLink=Show a button to quickly add an element in top right menu +ModuleWebhookName = ویب ہُک +ModuleWebhookDesc = ڈولیبر ٹرگرز کو پکڑنے اور ایونٹ کا ڈیٹا یو آر ایل پر بھیجنے کا انٹرفیس +WebhookSetup = ویب ہک سیٹ اپ +Settings = ترتیبات +WebhookSetupPage = ویب ہک سیٹ اپ صفحہ +ShowQuickAddLink=اوپری دائیں مینو میں ایک عنصر کو تیزی سے شامل کرنے کے لیے ایک بٹن دکھائیں۔ +ShowSearchAreaInTopMenu=ٹاپ مینو میں سرچ ایریا دکھائیں۔ +HashForPing=ہیش پنگ کے لیے استعمال ہوتا ہے۔ +ReadOnlyMode=مثال "صرف پڑھنے" موڈ میں ہے۔ +DEBUGBAR_USE_LOG_FILE=لاگز کو پھنسانے کے لیے dolibarr.log فائل استعمال کریں +UsingLogFileShowAllRecordOfSubrequestButIsSlower=لائیو میموری کیچنگ کے بجائے لاگز کو پھنسانے کے لیے dolibarr.log فائل کا استعمال کریں۔ یہ موجودہ عمل کے صرف لاگ کے بجائے تمام لاگز کو پکڑنے کی اجازت دیتا ہے (لہذا ایجیکس کے ذیلی درخواستوں کے صفحات میں سے ایک بھی شامل ہے) لیکن آپ کی مثال بہت سست ہوجائے گی۔ سفارش نہیں کی جاتی۔ +FixedOrPercent=فکسڈ (کلیدی لفظ 'فکسڈ' استعمال کریں) یا فیصد (کلیدی لفظ 'فیصد' استعمال کریں) +DefaultOpportunityStatus=پہلے سے طے شدہ موقع کی حیثیت (لیڈ بننے پر پہلی حیثیت) -HashForPing=Hash used for ping -ReadOnlyMode=Is instance in "Read Only" mode -DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs -UsingLogFileShowAllRecordOfSubrequestButIsSlower=Use the dolibarr.log file to trap Logs instead of live memory catching. It allows to catch all logs instead of only log of current process (so including the one of ajax subrequests pages) but will make your instance very very slow. Not recommended. -FixedOrPercent=Fixed (use keyword 'fixed') or percent (use keyword 'percent') -DefaultOpportunityStatus=Default opportunity status (first status when lead is created) - -IconAndText=Icon and text -TextOnly=Text only -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon -IconOnly=Icon only - Text on tooltip only -INVOICE_ADD_ZATCA_QR_CODE=Show the ZATCA QR code on invoices -INVOICE_ADD_ZATCA_QR_CODEMore=Some Arabic countries need this QR Code on their invoices -INVOICE_ADD_SWISS_QR_CODE=Show the swiss QR-Bill code on invoices -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. -INVOICE_SHOW_SHIPPING_ADDRESS=Show shipping address -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) -UrlSocialNetworksDesc=Url link of social network. Use {socialid} for the variable part that contains the social network ID. -IfThisCategoryIsChildOfAnother=If this category is a child of another one -DarkThemeMode=Dark theme mode -AlwaysDisabled=Always disabled -AccordingToBrowser=According to browser -AlwaysEnabled=Always Enabled -DoesNotWorkWithAllThemes=Will not work with all themes -NoName=No name -ShowAdvancedOptions= Show advanced options -HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service -DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method -UsePassword=Use a password -UseOauth=Use a OAUTH token -Images=Images -MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -ScriptIsEmpty=The script is empty -ShowHideTheNRequests=Show/hide the %s SQL request(s) -DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s -TriggerCodes=Triggerable events -TriggerCodeInfo=Enter here the trigger code(s) that must generate a post of a web request (only external URL are allowed). You can enter several trigger codes separated by a comma. -EditableWhenDraftOnly=If unchecked, the value can only be modified when object has a draft status -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" -RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents for receptions -MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions -WarningDisabled=Warning disabled -LimitsAndMitigation=Access limits and mitigation -DesktopsOnly=Desktops only -DesktopsAndSmartphones=Desktops et smartphones -AllowOnlineSign=Allow online signing -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. -CSSPage=CSS Style -Defaultfortype=Default -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +IconAndText=آئیکن اور متن +TextOnly=صرف متن +IconOnlyAllTextsOnHover=صرف آئیکن - تمام متن مینو بار پر ماؤس پر آئیکن کے نیچے ظاہر ہوتا ہے۔ +IconOnlyTextOnHover=صرف آئیکن - آئیکن کا متن آئیکن کے اوپر ماؤس پر آئیکن کے نیچے ظاہر ہوتا ہے۔ +IconOnly=صرف آئیکن - صرف ٹول ٹپ پر متن +INVOICE_ADD_ZATCA_QR_CODE=انوائسز پر ZATCA QR کوڈ دکھائیں۔ +INVOICE_ADD_ZATCA_QR_CODEMore=کچھ عربی ممالک کو اپنے رسیدوں پر اس QR کوڈ کی ضرورت ہوتی ہے۔ +INVOICE_ADD_SWISS_QR_CODE=انوائسز پر سوئس QR-Bill کوڈ دکھائیں۔ +INVOICE_ADD_SWISS_QR_CODEMore=انوائس کے لیے سوئٹزرلینڈ کا معیار؛ یقینی بنائیں کہ زپ اور سٹی بھرے ہوئے ہیں اور یہ کہ اکاؤنٹس میں درست سوئس/لیچٹینسٹائن IBANs ہیں۔ +INVOICE_SHOW_SHIPPING_ADDRESS=شپنگ ایڈریس دکھائیں۔ +INVOICE_SHOW_SHIPPING_ADDRESSMore=کچھ ممالک میں لازمی اشارہ (فرانس، ...) +UrlSocialNetworksDesc=سوشل نیٹ ورک کا یو آر ایل لنک۔ سوشل نیٹ ورک ID پر مشتمل متغیر حصے کے لیے {socialid} استعمال کریں۔ +IfThisCategoryIsChildOfAnother=اگر یہ زمرہ کسی دوسرے کا بچہ ہے۔ +DarkThemeMode=ڈارک تھیم موڈ +AlwaysDisabled=ہمیشہ معذور +AccordingToBrowser=براؤزر کے مطابق +AlwaysEnabled=ہمیشہ فعال +DoesNotWorkWithAllThemes=تمام تھیمز کے ساتھ کام نہیں کریں گے۔ +NoName=گمنام +ShowAdvancedOptions= اعلی درجے کے اختیارات دکھائیں۔ +HideAdvancedoptions= اعلی درجے کے اختیارات چھپائیں۔ +CIDLookupURL=ماڈیول ایک URL لاتا ہے جسے کسی بیرونی ٹول کے ذریعے کسی تیسرے فریق کا نام یا اس کے فون نمبر سے رابطہ حاصل کرنے کے لیے استعمال کیا جا سکتا ہے۔ استعمال کرنے کے لیے URL ہے: +OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 کی توثیق تمام میزبانوں کے لیے دستیاب نہیں ہے، اور OAUTH ماڈیول کے ساتھ صحیح اجازتوں کے ساتھ ایک ٹوکن ضرور بنایا گیا ہو گا۔ +MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 تصدیق کی خدمت +DontForgetCreateTokenOauthMod=صحیح اجازتوں کے ساتھ ایک ٹوکن OAUTH ماڈیول کے ساتھ اوپر کی طرف بنایا گیا ہوگا۔ +MAIN_MAIL_SMTPS_AUTH_TYPE=تصدیق کا طریقہ +UsePassword=پاس ورڈ استعمال کریں۔ +UseOauth=OAUTH ٹوکن استعمال کریں۔ +Images=امیجز +MaxNumberOfImagesInGetPost=فارم میں جمع کرائے گئے HTML فیلڈ میں زیادہ سے زیادہ تصاویر کی اجازت ہے۔ +MaxNumberOfPostOnPublicPagesByIP=ایک مہینے میں ایک ہی IP ایڈریس کے ساتھ عوامی صفحات پر پوسٹس کی زیادہ سے زیادہ تعداد +CIDLookupURL=ماڈیول ایک URL لاتا ہے جسے کسی بیرونی ٹول کے ذریعے کسی تیسرے فریق کا نام یا اس کے فون نمبر سے رابطہ حاصل کرنے کے لیے استعمال کیا جا سکتا ہے۔ استعمال کرنے کے لیے URL ہے: +ScriptIsEmpty=اسکرپٹ خالی ہے۔ +ShowHideTheNRequests=دکھائیں/چھپائیں %s SQL درخواستیں +DefinedAPathForAntivirusCommandIntoSetup=اینٹی وائرس پروگرام کے لیے %s +TriggerCodes=متحرک واقعات +TriggerCodeInfo=یہاں وہ ٹرگر کوڈ درج کریں جو ویب درخواست کی پوسٹ تیار کرے (صرف بیرونی URL کی اجازت ہے)۔ آپ کوما سے الگ کیے گئے کئی ٹرگر کوڈز درج کر سکتے ہیں۔ +EditableWhenDraftOnly=اگر نشان زد نہ کیا گیا ہو، تو قدر میں تب ہی ترمیم کی جا سکتی ہے جب آبجیکٹ کا مسودہ کی حیثیت ہو۔ +CssOnEdit=ترمیمی صفحات پر سی ایس ایس +CssOnView=دیکھنے کے صفحات پر سی ایس ایس +CssOnList=فہرستوں پر سی ایس ایس +HelpCssOnEditDesc=فیلڈ میں ترمیم کرتے وقت استعمال ہونے والا CSS۔
      مثال: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=فیلڈ دیکھتے وقت استعمال ہونے والا CSS۔ +HelpCssOnListDesc=سی ایس ایس اس وقت استعمال ہوتا ہے جب فیلڈ لسٹ ٹیبل کے اندر ہو۔
      مثال: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=استقبالیہ کے لیے تیار کردہ دستاویزات پر آرڈر کی گئی مقدار کو چھپائیں۔ +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=استقبالیہ کے لیے تیار کردہ دستاویزات پر قیمت دکھائیں۔ +WarningDisabled=وارننگ کو غیر فعال کر دیا گیا۔ +LimitsAndMitigation=رسائی کی حدود اور تخفیف +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. +DesktopsOnly=صرف ڈیسک ٹاپس +DesktopsAndSmartphones=ڈیسک ٹاپس اور اسمارٹ فونز +AllowOnlineSign=آن لائن دستخط کرنے کی اجازت دیں۔ +AllowExternalDownload=بیرونی ڈاؤن لوڈ کی اجازت دیں (لاگ ان کے بغیر، مشترکہ لنک کا استعمال کرتے ہوئے) +DeadlineDayVATSubmission=اگلے مہینے وٹ جمع کرانے کی آخری تاریخ +MaxNumberOfAttachementOnForms=ایک فارم میں جوائنڈ فائلوں کی زیادہ سے زیادہ تعداد +IfDefinedUseAValueBeetween=اگر وضاحت کی گئی ہو تو، %s اور %s کے درمیان ایک قدر استعمال کریں +Reload=دوبارہ لوڈ کریں۔ +ConfirmReload=ماڈیول دوبارہ لوڈ کرنے کی تصدیق کریں۔ +WarningModuleHasChangedLastVersionCheckParameter=انتباہ: ماڈیول %s نے ہر صفحہ تک رسائی پر اپنا ورژن چیک کرنے کے لیے ایک پیرامیٹر سیٹ کیا ہے۔ یہ ایک بری اور اجازت نہیں دی گئی مشق ہے جو ماڈیولز کے انتظام کے لیے صفحہ کو غیر مستحکم بنا سکتی ہے۔ اس کو ٹھیک کرنے کے لیے براہ کرم ماڈیول کے مصنف سے رابطہ کریں۔ +WarningModuleHasChangedSecurityCsrfParameter=انتباہ: ماڈیول %s نے آپ کی مثال کی CSRF سیکیورٹی کو غیر فعال کر دیا ہے۔ یہ کارروائی مشتبہ ہے اور آپ کی تنصیب مزید محفوظ نہیں رہ سکتی ہے۔ براہ کرم وضاحت کے لیے ماڈیول کے مصنف سے رابطہ کریں۔ +EMailsInGoingDesc=آنے والی ای میلز کا نظم ماڈیول %s کے ذریعے کیا جاتا ہے۔ اگر آپ کو آنے والی ای میلز کو سپورٹ کرنے کی ضرورت ہو تو آپ کو اسے فعال اور کنفیگر کرنا ہوگا۔ +MAIN_IMAP_USE_PHPIMAP=مقامی PHP IMAP کے بجائے IMAP کے لیے PHP-IMAP لائبریری کا استعمال کریں۔ یہ IMAP کے لیے OAuth2 کنکشن کے استعمال کی بھی اجازت دیتا ہے (ماڈیول OAuth کو بھی چالو کیا جانا چاہیے)۔ +MAIN_CHECKBOX_LEFT_COLUMN=بائیں طرف فیلڈ اور لائن کے انتخاب کے لیے کالم دکھائیں (بطور ڈیفالٹ دائیں طرف) +NotAvailableByDefaultEnabledOnModuleActivation=ڈیفالٹ کے ذریعہ نہیں بنایا گیا ہے۔ صرف ماڈیول ایکٹیویشن پر بنایا گیا۔ +CSSPage=سی ایس ایس اسٹائل +Defaultfortype=طے شدہ +DefaultForTypeDesc=ٹیمپلیٹ کی قسم کے لیے نیا ای میل بناتے وقت بطور ڈیفالٹ استعمال کیا جاتا ہے۔ +OptionXShouldBeEnabledInModuleY=آپشن "%s" ماڈیول %s +OptionXIsCorrectlyEnabledInModuleY=آپشن "%s" ماڈیول میں فعال ہے
      %s +AllowOnLineSign=آن لائن دستخط کی اجازت دیں۔ +AtBottomOfPage=صفحہ کے نیچے +FailedAuth=ناکام تصدیق +MaxNumberOfFailedAuth=لاگ ان کو مسترد کرنے کے لیے 24 گھنٹے میں ناکام تصدیق کی زیادہ سے زیادہ تعداد۔ +AllowPasswordResetBySendingANewPassByEmail=اگر کسی صارف A کو یہ اجازت ہے، اور اگر صارف A "ایڈمن" صارف نہیں ہے تو بھی A کو کسی دوسرے صارف B کا پاس ورڈ دوبارہ ترتیب دینے کی اجازت ہے، نیا پاس ورڈ دوسرے صارف B کے ای میل پر بھیجا جائے گا لیکن یہ A کو نظر نہیں آئے گا۔ اگر صارف A کے پاس "ایڈمن" کا جھنڈا ہے، تو وہ یہ بھی جان سکے گا کہ B کا نیا تیار کردہ پاس ورڈ کیا ہے تاکہ وہ B صارف کے اکاؤنٹ کا کنٹرول سنبھال سکے۔ +AllowAnyPrivileges=اگر کسی صارف A کے پاس یہ اجازت ہے، تو وہ تمام مراعات کے ساتھ صارف B بنا سکتا ہے پھر اس صارف B کو استعمال کر سکتا ہے، یا کسی بھی اجازت کے ساتھ اپنے آپ کو کوئی دوسرا گروپ دے سکتا ہے۔ تو اس کا مطلب ہے کہ صارف A تمام کاروباری مراعات کا مالک ہے (صرف سیٹ اپ صفحات تک سسٹم کی رسائی ممنوع ہوگی) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=اس قدر کو پڑھا جا سکتا ہے کیونکہ آپ کی مثال پروڈکشن موڈ میں سیٹ نہیں ہے۔ +SeeConfFile=سرور پر conf.php فائل کے اندر دیکھیں +ReEncryptDesc=ڈیٹا کو دوبارہ انکرپٹ کریں اگر ابھی تک انکرپٹ نہیں کیا گیا ہے۔ +PasswordFieldEncrypted=%s نیا ریکارڈ اس فیلڈ کو انکرپٹ کیا گیا ہے +ExtrafieldsDeleted=ایکسٹرا فیلڈز %s کو حذف کر دیا گیا ہے +LargeModern=بڑا - جدید +SpecialCharActivation=خصوصی حروف داخل کرنے کے لیے ورچوئل کی بورڈ کھولنے کے لیے بٹن کو فعال کریں۔ +DeleteExtrafield=ایکسٹرا فیلڈ کو حذف کریں۔ +ConfirmDeleteExtrafield=کیا آپ %s فیلڈ کو حذف کرنے کی تصدیق کرتے ہیں؟ اس فیلڈ میں محفوظ کردہ تمام ڈیٹا کو یقینی طور پر حذف کر دیا جائے گا۔ +ExtraFieldsSupplierInvoicesRec=تکمیلی صفات (ٹیمپلیٹس رسیدیں) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=ٹیسٹ کے ماحول کے لیے پیرامیٹرز +TryToKeepOnly=صرف %s رکھنے کی کوشش کریں +RecommendedForProduction=پیداوار کے لیے تجویز کردہ +RecommendedForDebug=ڈیبگ کے لیے تجویز کردہ diff --git a/htdocs/langs/ur_PK/bills.lang b/htdocs/langs/ur_PK/bills.lang index ef6c1eceb5b..38604133b54 100644 --- a/htdocs/langs/ur_PK/bills.lang +++ b/htdocs/langs/ur_PK/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=گاہک کی وجہ سے ادائیگی کریں۔ DisabledBecauseRemainderToPayIsZero=غیرفعال ہے کیونکہ بقیہ غیر ادا شدہ صفر ہے۔ PriceBase=بنیادی قیمت BillStatus=رسید کی حیثیت -StatusOfGeneratedInvoices=تیار کردہ رسیدوں کی حیثیت +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=مسودہ (توثیق کرنے کی ضرورت ہے) BillStatusPaid=ادا کیا BillStatusPaidBackOrConverted=کریڈٹ نوٹ کی واپسی یا کریڈٹ دستیاب کے بطور نشان زد @@ -167,7 +167,7 @@ ActionsOnBill=انوائس پر کارروائیاں ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=ٹیمپلیٹ / بار بار چلنے والی رسید NoQualifiedRecurringInvoiceTemplateFound=کوئی اعادی ٹیمپلیٹ انوائس جنریشن کے لیے اہل نہیں ہے۔ -FoundXQualifiedRecurringInvoiceTemplate=%s اعادی ٹیمپلیٹ انوائس جنریشن کے لیے اہل ملا۔ +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=اعادی ٹیمپلیٹ انوائس نہیں ہے۔ NewBill=نئی رسید LastBills=تازہ ترین %s رسیدیں۔ @@ -185,7 +185,7 @@ SuppliersDraftInvoices=وینڈر ڈرافٹ انوائس Unpaid=بلا معاوضہ ErrorNoPaymentDefined=خرابی کوئی ادائیگی کی وضاحت نہیں کی گئی ہے۔ ConfirmDeleteBill=کیا آپ واقعی اس رسید کو حذف کرنا چاہتے ہیں؟ -ConfirmValidateBill=کیا آپ واقعی %s حوالہ کے ساتھ اس رسید کی توثیق کرنا چاہتے ہیں؟ +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=کیا آپ واقعی انوائس %s کو ڈرافٹ اسٹیٹس میں تبدیل کرنا چاہتے ہیں؟ ConfirmClassifyPaidBill=کیا آپ واقعی انوائس %s کو ادا شدہ اسٹیٹس میں تبدیل کرنا چاہتے ہیں؟ ConfirmCancelBill=کیا آپ واقعی %s رسید منسوخ کرنا چاہتے ہیں؟ @@ -217,7 +217,7 @@ ConfirmCustomerPayment=کیا آپ %s %s کے لیے اس ادائیگ ConfirmSupplierPayment=کیا آپ %s %s کے لیے اس ادائیگی کے ان پٹ کی تصدیق کرتے ہیں؟ ConfirmValidatePayment=کیا آپ واقعی اس ادائیگی کی توثیق کرنا چاہتے ہیں؟ ادائیگی کی توثیق ہونے کے بعد کوئی تبدیلی نہیں کی جا سکتی۔ ValidateBill=رسید کی توثیق کریں۔ -UnvalidateBill=انوائس کو غیر درست کریں۔ +UnvalidateBill=Invalidate invoice NumberOfBills=رسیدوں کی تعداد NumberOfBillsByMonth=ماہانہ رسیدوں کی تعداد AmountOfBills=رسیدوں کی رقم @@ -250,12 +250,13 @@ RemainderToTake=لینے کے لیے باقی رقم RemainderToTakeMulticurrency=لینے کے لیے باقی رقم، اصل کرنسی RemainderToPayBack=ریفنڈ کے لیے باقی رقم RemainderToPayBackMulticurrency=ریفنڈ کے لیے باقی رقم، اصل کرنسی +NegativeIfExcessReceived=اضافی موصول ہونے پر منفی NegativeIfExcessRefunded=اضافی رقم کی واپسی کی صورت میں منفی +NegativeIfExcessPaid=negative if excess paid Rest=زیر التواء AmountExpected=دعوی کردہ رقم ExcessReceived=ضرورت سے زیادہ موصول ہوئی۔ ExcessReceivedMulticurrency=اضافی موصول ہوئی، اصل کرنسی -NegativeIfExcessReceived=اضافی موصول ہونے پر منفی ExcessPaid=زائد ادائیگی ExcessPaidMulticurrency=اضافی ادا شدہ، اصل کرنسی EscompteOffered=رعایت کی پیشکش (مدت سے پہلے ادائیگی) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=آپ کو سب سے پہلے ایک معی PDFCrabeDescription=انوائس پی ڈی ایف ٹیمپلیٹ کریب۔ ایک مکمل انوائس ٹیمپلیٹ (سپنج ٹیمپلیٹ کا پرانا نفاذ) PDFSpongeDescription=انوائس پی ڈی ایف ٹیمپلیٹ سپنج۔ ایک مکمل انوائس ٹیمپلیٹ PDFCrevetteDescription=انوائس پی ڈی ایف ٹیمپلیٹ کریویٹ۔ صورت حال کی رسیدوں کے لیے ایک مکمل انوائس ٹیمپلیٹ -TerreNumRefModelDesc1=معیاری رسیدوں کے لیے %syymm-nnnn فارمیٹ میں واپسی نمبر اور کریڈٹ نوٹ کے لیے %syymm-nnnn جہاں yy سال ہے، mm مہینہ ہے اور nnnn ایک ترتیب وار خود بخود بڑھنے والا نمبر ہے جس میں کوئی وقفہ نہیں ہے اور 0 پر واپس نہیں آتا ہے۔ -MarsNumRefModelDesc1=معیاری رسیدوں کے لیے %syymm-nnnn فارمیٹ میں واپسی کا نمبر، متبادل رسیدوں کے لیے %syymm-nnnn، ڈاؤن پیمنٹ انوائسز کے لیے %syymm-nnnn اور %syymm-nnnn کے لیے %syymm-nnnn سال کے لیے کریڈٹ نمبر ہے، اور a0ecb2ec87mm-90000000000000 سال کے لیے خودکار نمبر ہے۔ بغیر کسی وقفے اور 0 پر واپسی کے بغیر +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=$syymm سے شروع ہونے والا بل پہلے سے موجود ہے اور ترتیب کے اس ماڈل کے ساتھ مطابقت نہیں رکھتا ہے۔ اس ماڈیول کو فعال کرنے کے لیے اسے ہٹا دیں یا اس کا نام تبدیل کریں۔ -CactusNumRefModelDesc1=معیاری رسیدوں کے لیے %syymm-nnnn فارمیٹ میں واپسی کا نمبر، کریڈٹ نوٹس کے لیے %syymm-nnnn اور ڈاؤن پیمنٹ انوائسز کے لیے %syymm-nnnn جہاں yy سال ہے، mm ایک مہینہ ہے اور نمبر کے ساتھ کوئی وقفہ نہیں ہے 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=ابتدائی بندش کی وجہ EarlyClosingComment=ابتدائی اختتامی نوٹ ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Salaries +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Salary +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/ur_PK/cashdesk.lang b/htdocs/langs/ur_PK/cashdesk.lang index 0d77912f4a5..1731a075257 100644 --- a/htdocs/langs/ur_PK/cashdesk.lang +++ b/htdocs/langs/ur_PK/cashdesk.lang @@ -50,8 +50,8 @@ Footer=فوٹر AmountAtEndOfPeriod=مدت کے اختتام پر رقم (دن، مہینہ یا سال) TheoricalAmount=نظریاتی رقم RealAmount=اصلی رقم -CashFence=Cash box closing -CashFenceDone=Cash box closing done for the period +CashFence=کیش باکس بند ہو رہا ہے۔ +CashFenceDone=کیش باکس کی بندش مدت کے لیے ہو گئی۔ NbOfInvoices=رسیدوں کا نمبر Paymentnumpad=ادائیگی داخل کرنے کے لیے پیڈ کی قسم Numberspad=نمبرز پیڈ @@ -76,7 +76,7 @@ TerminalSelect=ٹرمینل منتخب کریں جو آپ استعمال کرن POSTicket=POS ٹکٹ POSTerminal=پی او ایس ٹرمینل POSModule=POS ماڈیول -BasicPhoneLayout=فونز کے لیے بنیادی ترتیب استعمال کریں۔ +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=ٹرمینل %s کا سیٹ اپ مکمل نہیں ہے۔ DirectPayment=براہ راست ادائیگی DirectPaymentButton="براہ راست نقد ادائیگی" بٹن شامل کریں۔ @@ -99,11 +99,11 @@ ByTerminal=ٹرمینل کے ذریعے TakeposNumpadUsePaymentIcon=نمبر پیڈ کے پیمنٹ بٹن پر ٹیکسٹ کی بجائے آئیکن استعمال کریں۔ CashDeskRefNumberingModules=POS سیلز کے لیے نمبرنگ ماڈیول CashDeskGenericMaskCodes6 =
      {TN} ٹیگ ٹرمینل نمبر شامل کرنے کے لیے استعمال کیا جاتا ہے -TakeposGroupSameProduct=ایک ہی مصنوعات کی لائنوں کو گروپ کریں۔ +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=ایک نئی متوازی فروخت شروع کریں۔ SaleStartedAt=فروخت %s پر شروع ہوئی۔ -ControlCashOpening=Open the "Control cash box" popup when opening the POS -CloseCashFence=Close cash box control +ControlCashOpening=POS کھولتے وقت "کنٹرول کیش باکس" پاپ اپ کھولیں۔ +CloseCashFence=کیش باکس کنٹرول بند کریں۔ CashReport=کیش رپورٹ MainPrinterToUse=استعمال کرنے کے لیے مین پرنٹر OrderPrinterToUse=پرنٹر کو استعمال کرنے کا آرڈر دیں۔ @@ -118,7 +118,7 @@ ScanToOrder=آرڈر کرنے کے لیے کیو آر کوڈ اسکین کریں Appearance=ظہور HideCategoryImages=زمرہ کی تصاویر چھپائیں۔ HideProductImages=پروڈکٹ کی تصاویر چھپائیں۔ -NumberOfLinesToShow=دکھانے کے لیے تصاویر کی لائنوں کی تعداد +NumberOfLinesToShow=انگوٹھے کی تصاویر پر دکھانے کے لیے متن کی زیادہ سے زیادہ تعداد DefineTablePlan=ٹیبل پلان کی وضاحت کریں۔ GiftReceiptButton=ایک "تحفے کی رسید" بٹن شامل کریں۔ GiftReceipt=تحفے کی رسید @@ -134,5 +134,22 @@ PrintWithoutDetailsButton="تفصیلات کے بغیر پرنٹ کریں" بٹ PrintWithoutDetailsLabelDefault=بغیر تفصیلات کے پرنٹنگ پر بطور ڈیفالٹ لائن لیبل PrintWithoutDetails=تفصیلات کے بغیر پرنٹ کریں۔ YearNotDefined=سال کی تعریف نہیں ہے۔ -TakeposBarcodeRuleToInsertProduct=Barcode rule to insert product -TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProduct=پروڈکٹ داخل کرنے کے لیے بارکوڈ کا اصول +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=پہلے ہی چھپی ہوئی ہے۔ +HideCategories=زمرہ جات کے انتخاب کے پورے حصے کو چھپائیں۔ +HideStockOnLine=آن لائن اسٹاک چھپائیں۔ +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=مصنوعات کا حوالہ یا لیبل دکھائیں۔ +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=ٹرمینل %s +TerminalNameDesc=ٹرمینل کا نام +DefaultPOSThirdLabel=TakePOS عام صارف +DefaultPOSCatLabel=پوائنٹ آف سیل (POS) مصنوعات +DefaultPOSProductLabel=TakePOS کے لیے پروڈکٹ کی مثال +TakeposNeedsPayment=TakePOS کو کام کرنے کے لیے ادائیگی کا طریقہ درکار ہے، کیا آپ ادائیگی کا طریقہ 'کیش' بنانا چاہتے ہیں؟ +LineDiscount=لائن ڈسکاؤنٹ +LineDiscountShort=لائن ڈسک۔ +InvoiceDiscount=رسید کی چھوٹ +InvoiceDiscountShort=انوائس ڈسک۔ diff --git a/htdocs/langs/ur_PK/holiday.lang b/htdocs/langs/ur_PK/holiday.lang index 7da83c1f375..cf80ba33d47 100644 --- a/htdocs/langs/ur_PK/holiday.lang +++ b/htdocs/langs/ur_PK/holiday.lang @@ -1,11 +1,11 @@ # Dolibarr language file - Source file is en_US - holiday HRM=HRM -Holidays=Leaves -Holiday=Leave +Holidays=پتے +Holiday=چھوڑو CPTitreMenu=چھوڑو MenuReportMonth=ماہانہ بیان MenuAddCP=چھٹی کی نئی درخواست -MenuCollectiveAddCP=New collective leave request +MenuCollectiveAddCP=New collective leave NotActiveModCP=اس صفحہ کو دیکھنے کے لیے آپ کو ماڈیول Leave کو فعال کرنا ہوگا۔ AddCP=چھٹی کی درخواست کریں۔ DateDebCP=شروع کرنے کی تاریخ @@ -29,7 +29,7 @@ DescCP=تفصیل SendRequestCP=چھٹی کی درخواست بنائیں DelayToRequestCP=چھٹی کی درخواستیں کم از کم %s دن (s) سے پہلے کی جانی چاہئیں۔ MenuConfCP=چھٹی کا توازن -SoldeCPUser=Leave balance (in days) : %s +SoldeCPUser=بیلنس چھوڑیں (دنوں میں) : %s ErrorEndDateCP=آپ کو ایک اختتامی تاریخ منتخب کرنا ہوگی جو تاریخ آغاز سے بڑی ہو۔ ErrorSQLCreateCP=تخلیق کے دوران ایک ایس کیو ایل کی خرابی واقع ہوئی: ErrorIDFicheCP=ایک خرابی پیش آ گئی ہے، چھٹی کی درخواست موجود نہیں ہے۔ @@ -58,7 +58,7 @@ ConfirmDeleteCP=اس چھٹی کی درخواست کو حذف کرنے کی تص ErrorCantDeleteCP=غلطی آپ کو اس چھٹی کی درخواست کو حذف کرنے کا حق نہیں ہے۔ CantCreateCP=آپ کو چھٹی کی درخواستیں کرنے کا حق نہیں ہے۔ InvalidValidatorCP=آپ کو اپنی چھٹی کی درخواست کے لیے منظور کنندہ کا انتخاب کرنا چاہیے۔ -InvalidValidator=The user chosen isn't an approver. +InvalidValidator=منتخب کردہ صارف منظور کنندہ نہیں ہے۔ NoDateDebut=آپ کو شروع کی تاریخ کا انتخاب کرنا ہوگا۔ NoDateFin=آپ کو ایک اختتامی تاریخ منتخب کرنی ہوگی۔ ErrorDureeCP=آپ کی چھٹی کی درخواست میں کام کا دن شامل نہیں ہے۔ @@ -82,8 +82,8 @@ MotifCP=وجہ UserCP=صارف ErrorAddEventToUserCP=غیر معمولی چھٹی شامل کرتے وقت ایک خرابی پیش آگئی۔ AddEventToUserOkCP=غیر معمولی چھٹی کا اضافہ مکمل ہو گیا ہے۔ -ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be filled in -fusionGroupsUsers=The groups field and the user field will be merged +ErrorFieldRequiredUserOrGroup="گروپ" فیلڈ یا "صارف" فیلڈ کو بھرنا ضروری ہے۔ +fusionGroupsUsers=گروپ فیلڈ اور یوزر فیلڈ کو ضم کر دیا جائے گا۔ MenuLogCP=تبدیلی کے نوشتہ جات دیکھیں LogCP="بیلنس آف لیو" میں کی گئی تمام اپ ڈیٹس کا لاگ ActionByCP=کی طرف سے اپ ڈیٹ @@ -91,18 +91,18 @@ UserUpdateCP=کے لیے اپ ڈیٹ کیا گیا۔ PrevSoldeCP=پچھلا بیلنس NewSoldeCP=نیا بیلنس alreadyCPexist=اس مدت پر چھٹی کی درخواست پہلے ہی کی جا چکی ہے۔ -UseralreadyCPexist=A leave request has already been done on this period for %s. -groups=Groups -users=Users -AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request -AutoValidationOnCreate=Automatic validation +UseralreadyCPexist=%s کے لیے اس مدت پر چھٹی کی درخواست پہلے ہی کی جا چکی ہے۔ +groups=گروپس +users=صارفین +AutoSendMail=خودکار میلنگ +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave +AutoValidationOnCreate=خودکار توثیق FirstDayOfHoliday=چھٹی کی درخواست کا ابتدائی دن LastDayOfHoliday=چھٹی کی درخواست کا اختتامی دن HolidaysMonthlyUpdate=ماہانہ اپ ڈیٹ ManualUpdate=دستی اپ ڈیٹ -HolidaysCancelation=درخواست منسوخی چھوڑ دیں۔ +HolidaysCancelation=چھٹی کی درخواست منسوخی EmployeeLastname=ملازم کا آخری نام EmployeeFirstname=ملازم کا پہلا نام TypeWasDisabledOrRemoved=چھوڑنے کی قسم (id %s) کو غیر فعال یا ہٹا دیا گیا تھا۔ @@ -142,16 +142,16 @@ TemplatePDFHolidays=چھٹی کی درخواستوں کے لیے سانچہ PDF FreeLegalTextOnHolidays=پی ڈی ایف پر مفت متن WatermarkOnDraftHolidayCards=ڈرافٹ چھٹی کی درخواستوں پر واٹر مارکس HolidaysToApprove=منظوری کے لیے چھٹیاں -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate leave requests -HolidayBalanceMonthlyUpdate=Monthly update of leave balance -XIsAUsualNonWorkingDay=%s عام طور پر غیر کام کا دن ہوتا ہے۔ -BlockHolidayIfNegative=Block if balance negative -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative +NobodyHasPermissionToValidateHolidays=کسی کو بھی چھٹی کی درخواستوں کی توثیق کرنے کی اجازت نہیں ہے۔ +HolidayBalanceMonthlyUpdate=چھٹی بیلنس کی ماہانہ اپ ڈیٹ +XIsAUsualNonWorkingDay=%s عام طور پر غیر کام کا دن ہوتا ہے +BlockHolidayIfNegative=بیلنس منفی ہونے پر بلاک کریں۔ +LeaveRequestCreationBlockedBecauseBalanceIsNegative=اس چھٹی کی درخواست کی تخلیق کو بلاک کر دیا گیا ہے کیونکہ آپ کا بیلنس منفی ہے۔ ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=چھوڑنے کی درخواست %s کو مسودہ، منسوخ یا حذف کرنے سے انکار کیا جانا چاہیے -IncreaseHolidays=Increase leave balance -HolidayRecordsIncreased= %s leave balances increased -HolidayRecordIncreased=Leave balance increased -ConfirmMassIncreaseHoliday=Bulk leave balance increase -NumberDayAddMass=Number of day to add to the selection -ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? -HolidayQtyNotModified=Balance of remaining days for %s has not been changed +IncreaseHolidays=چھٹی کے توازن میں اضافہ کریں۔ +HolidayRecordsIncreased= %s چھٹیوں میں اضافہ ہوا +HolidayRecordIncreased=لیو بیلنس بڑھ گیا۔ +ConfirmMassIncreaseHoliday=بلک چھٹی بیلنس میں اضافہ +NumberDayAddMass=انتخاب میں شامل کرنے کے لیے دن کی تعداد +ConfirmMassIncreaseHolidayQuestion=کیا آپ واقعی %s منتخب ریکارڈ (ریکارڈز) کی چھٹی بڑھانا چاہتے ہیں؟ +HolidayQtyNotModified=%s کے باقی دنوں کا بیلنس تبدیل نہیں کیا گیا diff --git a/htdocs/langs/ur_PK/hrm.lang b/htdocs/langs/ur_PK/hrm.lang index 8eddfbc2d61..56060320255 100644 --- a/htdocs/langs/ur_PK/hrm.lang +++ b/htdocs/langs/ur_PK/hrm.lang @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=صفوں کی پہلے سے طے شدہ تفصیل deplacement=شفٹ DateEval=تشخیص کی تاریخ JobCard=جاب کارڈ -JobPosition=جاب -JobsPosition=نوکریاں +NewJobProfile=New Job Profile +JobProfile=Job profile +JobsProfiles=Job profiles NewSkill=نیا ہنر SkillType=مہارت کی قسم Skilldets=اس مہارت کے لیے درجات کی فہرست @@ -36,7 +37,7 @@ rank=رینک ErrNoSkillSelected=کوئی ہنر منتخب نہیں کیا گیا۔ ErrSkillAlreadyAdded=یہ مہارت پہلے سے ہی فہرست میں ہے۔ SkillHasNoLines=اس مہارت کی کوئی لکیر نہیں ہے۔ -skill=ہنر +Skill=Skill Skills=ہنر SkillCard=ہنر کارڈ EmployeeSkillsUpdated=ملازمین کی مہارتوں کو اپ ڈیٹ کر دیا گیا ہے (ملازمین کارڈ کا "ہنر" ٹیب دیکھیں) @@ -44,33 +45,36 @@ Eval=تشخیص Evals=تشخیصات NewEval=نئی تشخیص ValidateEvaluation=تشخیص کی توثیق کریں۔ -ConfirmValidateEvaluation=کیا آپ واقعی %s حوالہ کے ساتھ اس تشخیص کی توثیق کرنا چاہتے ہیں؟ +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=تشخیصی کارڈ -RequiredRank=اس نوکری کے لیے مطلوبہ رینک +RequiredRank=Required rank for the job profile +RequiredRankShort=Required rank +PositionsWithThisProfile=Positions with this job profiles EmployeeRank=اس مہارت کے لیے ملازم کا درجہ +EmployeeRankShort=Employee rank EmployeePosition=ملازم کی پوزیشن EmployeePositions=ملازمین کے عہدے EmployeesInThisPosition=اس عہدے پر ملازمین group1ToCompare=تجزیہ کرنے کے لیے صارف گروپ group2ToCompare=موازنہ کے لیے دوسرا صارف گروپ -OrJobToCompare=ملازمت کی مہارت کی ضروریات کا موازنہ کریں۔ +OrJobToCompare=Compare to skill requirements of a job profile difference=فرق CompetenceAcquiredByOneOrMore=قابلیت ایک یا زیادہ صارفین نے حاصل کی ہے لیکن دوسرے موازنہ کنندہ کے ذریعہ درخواست نہیں کی گئی ہے۔ -MaxlevelGreaterThan=درخواست کردہ سے زیادہ سے زیادہ سطح -MaxLevelEqualTo=اس مانگ کے برابر زیادہ سے زیادہ سطح -MaxLevelLowerThan=زیادہ سے زیادہ سطح اس مانگ سے کم ہے۔ -MaxlevelGreaterThanShort=ملازم کی سطح درخواست کردہ سے زیادہ -MaxLevelEqualToShort=ملازمین کی سطح اس مانگ کے برابر ہے۔ -MaxLevelLowerThanShort=ملازمین کی سطح اس مانگ سے کم ہے۔ +MaxlevelGreaterThan=Employee level is greater than the expected level +MaxLevelEqualTo=Employee level is equals to the expected level +MaxLevelLowerThan=Employee level is lower than that the expected level +MaxlevelGreaterThanShort=Level greater than expected +MaxLevelEqualToShort=Level equal to the expected level +MaxLevelLowerThanShort=Level lower than expected SkillNotAcquired=مہارت تمام صارفین کے ذریعہ حاصل نہیں کی گئی ہے اور دوسرے موازنہ کنندہ کے ذریعہ درخواست کی گئی ہے۔ legend=لیجنڈ TypeSkill=مہارت کی قسم -AddSkill=ملازمت میں مہارتیں شامل کریں۔ -RequiredSkills=اس کام کے لیے درکار ہنر +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile UserRank=صارف کی درجہ بندی SkillList=ہنر کی فہرست SaveRank=رینک محفوظ کریں۔ -TypeKnowHow=Know how +TypeKnowHow=Know-how TypeHowToBe=How to be TypeKnowledge=Knowledge AbandonmentComment=ترک تبصرہ @@ -85,7 +89,9 @@ VacantCheckboxHelper=Checking this option will show unfilled positions (job vaca SaveAddSkill = Skill(s) added SaveLevelSkill = Skill(s) level saved DeleteSkill = Skill removed -SkillsExtraFields=Attributs supplémentaires (Compétences) -JobsExtraFields=Attributs supplémentaires (Emplois) -EvaluationsExtraFields=Attributs supplémentaires (Evaluations) +SkillsExtraFields=Complementary attributes (Skills) +JobsExtraFields=Complementary attributes (Job profile) +EvaluationsExtraFields=Complementary attributes (Evaluations) NeedBusinessTravels=Need business travels +NoDescription=No description +TheJobProfileHasNoSkillsDefinedFixBefore=The evaluated job profile of this employee has no skill defined on it. Please add skill(s), then delete and restart the evaluation. diff --git a/htdocs/langs/ur_PK/main.lang b/htdocs/langs/ur_PK/main.lang index 35bacbf2ace..1b3e5d6be6e 100644 --- a/htdocs/langs/ur_PK/main.lang +++ b/htdocs/langs/ur_PK/main.lang @@ -34,9 +34,9 @@ NoTemplateDefined=اس ای میل کی قسم کے لیے کوئی ٹیمپلی AvailableVariables=دستیاب متبادل متغیرات NoTranslation=کوئی ترجمہ نہیں Translation=ترجمہ -Translations=Translations +Translations=ترجمے CurrentTimeZone=ٹائم زون پی ایچ پی (سرور) -EmptySearchString=غیر خالی تلاش کے معیارات درج کریں۔ +EmptySearchString=غیر خالی تلاش کا معیار درج کریں۔ EnterADateCriteria=تاریخ کا معیار درج کریں۔ NoRecordFound=کوئی ریکارڈ نہیں ملا NoRecordDeleted=کوئی ریکارڈ حذف نہیں ہوا۔ @@ -60,7 +60,7 @@ ErrorFailedToSendMail=میل بھیجنے میں ناکام (بھیجنے وال ErrorFileNotUploaded=فائل اپ لوڈ نہیں ہوئی تھی۔ چیک کریں کہ سائز زیادہ سے زیادہ اجازت سے زیادہ نہیں ہے، وہ خالی جگہ ڈسک پر دستیاب ہے اور یہ کہ اس ڈائرکٹری میں پہلے سے ہی اسی نام کی کوئی فائل موجود نہیں ہے۔ ErrorInternalErrorDetected=خرابی کا پتہ چلا ErrorWrongHostParameter=غلط میزبان پیرامیٹر -ErrorYourCountryIsNotDefined=آپ کا ملک متعین نہیں ہے۔ Home-Setup-Edit پر جائیں اور فارم کو دوبارہ پوسٹ کریں۔ +ErrorYourCountryIsNotDefined=آپ کا ملک متعین نہیں ہے۔ Home-Setup-Company/Foundation پر جائیں اور فارم دوبارہ پوسٹ کریں۔ ErrorRecordIsUsedByChild=اس ریکارڈ کو حذف کرنے میں ناکام۔ یہ ریکارڈ کم از کم ایک بچے کے ریکارڈ کے ذریعے استعمال کیا جاتا ہے۔ ErrorWrongValue=غلط قدر ErrorWrongValueForParameterX=پیرامیٹر %s کے لیے غلط قدر @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=خرابی، ملک '%s' کے لیے کو ErrorNoSocialContributionForSellerCountry=خرابی، ملک '%s' کے لیے سماجی/مالیاتی ٹیکس کی قسم کی وضاحت نہیں کی گئی ہے۔ ErrorFailedToSaveFile=خرابی، فائل کو محفوظ کرنے میں ناکام۔ ErrorCannotAddThisParentWarehouse=آپ پیرنٹ گودام کو شامل کرنے کی کوشش کر رہے ہیں جو پہلے سے موجود گودام کا بچہ ہے۔ +ErrorInvalidSubtype=منتخب ذیلی قسم کی اجازت نہیں ہے۔ FieldCannotBeNegative=فیلڈ "%s" منفی نہیں ہو سکتی MaxNbOfRecordPerPage=زیادہ سے زیادہ فی صفحہ ریکارڈز کی تعداد NotAuthorized=آپ ایسا کرنے کے مجاز نہیں ہیں۔ @@ -103,7 +104,8 @@ RecordGenerated=ریکارڈ بنایا LevelOfFeature=خصوصیات کی سطح NotDefined=متعین نہیں۔ DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr توثیق کا موڈ %s کنفیگریشن فائل میں conf.php a09a4b739f17f17f پر سیٹ ہے۔
      اس کا مطلب ہے کہ پاس ورڈ ڈیٹا بیس Dolibarr سے باہر ہے، اس لیے اس فیلڈ کو تبدیل کرنے کا کوئی اثر نہیں ہو سکتا۔ -Administrator=ایڈمنسٹریٹر +Administrator=نظام کا منتظم +AdministratorDesc=سسٹم ایڈمنسٹریٹر (صارف، اجازتوں بلکہ سسٹم سیٹ اپ اور ماڈیول کنفیگریشن کا بھی انتظام کر سکتا ہے) Undefined=غیر متعینہ PasswordForgotten=پاس ورڈ بھول گئے؟ NoAccount=کوئی اکاؤنٹ نہیں؟ @@ -204,27 +206,27 @@ Valid=درست Approve=منظور کرو Disapprove=نامنظور کرنا ReOpen=دوبارہ کھولیں۔ -OpenVerb=Open +OpenVerb=کھولیں۔ Upload=اپ لوڈ کریں۔ ToLink=لنک Select=منتخب کریں۔ SelectAll=تمام منتخب کریں Choose=منتخب کریں۔ Resize=سائز تبدیل کریں۔ +Crop=فصل ResizeOrCrop=سائز تبدیل کریں یا کاٹیں۔ -Recenter=دوبارہ مرکز کرنا Author=مصنف User=صارف Users=صارفین Group=گروپ Groups=گروپس -UserGroup=User group -UserGroups=User groups +UserGroup=صارف گروپ +UserGroups=صارف گروپس NoUserGroupDefined=کسی صارف گروپ کی وضاحت نہیں کی گئی۔ Password=پاس ورڈ -PasswordRetype=Repeat your password +PasswordRetype=اپنا پاس ورڈ دہرائیں۔ NoteSomeFeaturesAreDisabled=نوٹ کریں کہ اس مظاہرے میں بہت ساری خصوصیات/ماڈیولز غیر فعال ہیں۔ -YourUserFile=Your user file +YourUserFile=آپ کی صارف فائل Name=نام NameSlashCompany=نام / کمپنی Person=شخص @@ -235,6 +237,8 @@ PersonalValue=ذاتی قدر NewObject=نیا %s NewValue=نئی قدر OldValue=پرانی قدر %s +FieldXModified=فیلڈ %s میں ترمیم کی گئی +FieldXModifiedFromYToZ=فیلڈ %s کو %s سے %s میں تبدیل کر دیا گیا CurrentValue=موجودہ قیمت Code=کوڈ Type=قسم @@ -251,7 +255,7 @@ Designation=تفصیل DescriptionOfLine=لائن کی تفصیل DateOfLine=لائن کی تاریخ DurationOfLine=لائن کا دورانیہ -ParentLine=Parent line ID +ParentLine=پیرنٹ لائن ID Model=دستاویز ٹیمپلیٹ DefaultModel=ڈیفالٹ دستاویز ٹیمپلیٹ Action=تقریب @@ -310,8 +314,8 @@ UserValidation=توثیق کرنے والا صارف UserCreationShort=بنائیں۔ صارف UserModificationShort=موڈیف صارف UserValidationShort=درست صارف -UserClosing=Closing user -UserClosingShort=Closing user +UserClosing=بند کرنے والا صارف +UserClosingShort=بند کرنے والا صارف DurationYear=سال DurationMonth=مہینہ DurationWeek=ہفتہ @@ -346,6 +350,7 @@ MonthOfDay=دن کا مہینہ DaysOfWeek=ہفتے کے دن HourShort=ایچ MinuteShort=mn +SecondShort=سیکنڈ Rate=شرح CurrencyRate=کرنسی کی تبدیلی کی شرح UseLocalTax=ٹیکس شامل کریں۔ @@ -354,7 +359,7 @@ KiloBytes=کلو بائٹس MegaBytes=میگا بائٹس GigaBytes=گیگا بائٹس TeraBytes=ٹیرا بائٹس -UserAuthor=Created by +UserAuthor=بنائی گئی UserModif=کی طرف سے اپ ڈیٹ b=ب Kb=Kb @@ -490,7 +495,7 @@ ActionsOnContact=اس رابطہ/پتہ کے لیے واقعات ActionsOnContract=اس معاہدے کے لیے تقریبات ActionsOnMember=اس رکن کے بارے میں واقعات ActionsOnProduct=اس پروڈکٹ کے بارے میں واقعات -ActionsOnAsset=Events for this fixed asset +ActionsOnAsset=اس مقررہ اثاثہ کے واقعات NActionsLate=%s دیر سے ToDo=ایسا کرنے کے لئے Completed=مکمل @@ -514,7 +519,7 @@ NotYetAvailable=ابھی تک دستیاب نہیں ہے۔ NotAvailable=دستیاب نہیں ہے Categories=ٹیگز/زمرے Category=ٹیگ/زمرہ -SelectTheTagsToAssign=Select the tags/categories to assign +SelectTheTagsToAssign=تفویض کرنے کے لیے ٹیگز/زمرے منتخب کریں۔ By=کی طرف سے From=سے FromDate=سے @@ -529,7 +534,7 @@ or=یا Other=دیگر Others=دوسرے OtherInformations=دوسری معلومات -Workflow=Workflow +Workflow=ورک فلو Quantity=مقدار Qty=مقدار ChangedBy=کی طرف سے تبدیل @@ -544,6 +549,7 @@ Reportings=رپورٹنگ Draft=مسودہ Drafts=ڈرافٹ StatusInterInvoiced=انوائس +Done=ہو گیا Validated=تصدیق شدہ ValidatedToProduce=تصدیق شدہ (پیدا کرنے کے لئے) Opened=کھولیں۔ @@ -555,6 +561,7 @@ Unknown=نامعلوم General=جنرل Size=سائز OriginalSize=اصل سائز +RotateImage=90° گھمائیں۔ Received=موصول ہوا۔ Paid=ادا کیا Topic=مضمون @@ -632,7 +639,7 @@ MonthVeryShort11=ن MonthVeryShort12=ڈی AttachedFiles=منسلک فائلیں اور دستاویزات JoinMainDoc=مرکزی دستاویز میں شامل ہوں۔ -JoinMainDocOrLastGenerated=Send the main document or the last generated one if not found +JoinMainDocOrLastGenerated=اگر نہ ملے تو مرکزی دستاویز یا آخری تیار کردہ دستاویز بھیجیں۔ DateFormatYYYYMM=YYYY-MM DateFormatYYYYMMDD=YYYY-MM-DD DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS @@ -694,6 +701,7 @@ Response=جواب Priority=ترجیح SendByMail=بذریعہ ای میل بھیجین MailSentBy=ای میل بھیجی گئی۔ +MailSentByTo=%s کی طرف سے %s کو ای میل بھیجا گیا NotSent=بھیجا نہیں۔ TextUsedInTheMessageBody=ای میل باڈی SendAcknowledgementByMail=تصدیقی ای میل بھیجیں۔ @@ -718,12 +726,13 @@ RecordModifiedSuccessfully=ریکارڈ میں کامیابی کے ساتھ تر RecordsModified=%s ریکارڈ (ریکارڈز) میں ترمیم کی گئی۔ RecordsDeleted=%s ریکارڈ حذف کر دیا گیا۔ RecordsGenerated=%s ریکارڈ تیار کیا گیا۔ +ValidatedRecordWhereFound = منتخب کردہ ریکارڈز میں سے کچھ کی توثیق ہو چکی ہے۔ کوئی ریکارڈ حذف نہیں کیا گیا ہے۔ AutomaticCode=خودکار کوڈ FeatureDisabled=خصوصیت غیر فعال ہے۔ MoveBox=ویجیٹ کو منتقل کریں۔ Offered=کی پیشکش کی NotEnoughPermissions=آپ کو اس کارروائی کی اجازت نہیں ہے۔ -UserNotInHierachy=This action is reserved to the supervisors of this user +UserNotInHierachy=یہ کارروائی اس صارف کے نگرانوں کے لیے محفوظ ہے۔ SessionName=سیشن کا نام Method=طریقہ Receive=وصول کریں۔ @@ -760,7 +769,6 @@ DisabledModules=غیر فعال ماڈیولز For=کے لیے ForCustomer=گاہک کے لیے Signature=دستخط -DateOfSignature=دستخط کی تاریخ HidePassword=پوشیدہ پاس ورڈ کے ساتھ کمانڈ دکھائیں۔ UnHidePassword=واضح پاس ورڈ کے ساتھ اصلی کمانڈ دکھائیں۔ Root=جڑ @@ -813,7 +821,7 @@ URLPhoto=تصویر/لوگو کا URL SetLinkToAnotherThirdParty=کسی اور تیسرے فریق سے لنک کریں۔ LinkTo=سے لنک کریں۔ LinkToProposal=تجویز کا لنک -LinkToExpedition= Link to expedition +LinkToExpedition= مہم کا لنک LinkToOrder=آرڈر کے لیے لنک LinkToInvoice=انوائس سے لنک کریں۔ LinkToTemplateInvoice=ٹیمپلیٹ انوائس کا لنک @@ -899,12 +907,12 @@ MassFilesArea=بڑے پیمانے پر کارروائیوں کے ذریعے بن ShowTempMassFilesArea=بڑے پیمانے پر کارروائیوں سے بنی فائلوں کا علاقہ دکھائیں۔ ConfirmMassDeletion=بلک ڈیلیٹ کی تصدیق ConfirmMassDeletionQuestion=کیا آپ واقعی %s منتخب کردہ ریکارڈ (ریکارڈز) کو حذف کرنا چاہتے ہیں؟ -ConfirmMassClone=Bulk clone confirmation -ConfirmMassCloneQuestion=Select project to clone to -ConfirmMassCloneToOneProject=Clone to project %s +ConfirmMassClone=بلک کلون کی تصدیق +ConfirmMassCloneQuestion=کلون کرنے کے لیے پروجیکٹ کو منتخب کریں۔ +ConfirmMassCloneToOneProject=پروجیکٹ کے لیے کلون %s RelatedObjects=متعلقہ اشیاء -ClassifyBilled=Classify Billed -ClassifyUnbilled=Classify Unbilled +ClassifyBilled=بل کی درجہ بندی کریں۔ +ClassifyUnbilled=غیر بل کی درجہ بندی کریں۔ Progress=پیش رفت ProgressShort=پروگرام FrontOffice=سامنے والا دفتر @@ -912,19 +920,20 @@ BackOffice=واپس دفتر Submit=جمع کرائیں View=دیکھیں Export=برآمد کریں۔ +Import=درآمد کریں۔ Exports=برآمدات ExportFilteredList=فلٹر شدہ فہرست برآمد کریں۔ ExportList=برآمد کی فہرست ExportOptions=برآمد کے اختیارات IncludeDocsAlreadyExported=پہلے سے برآمد شدہ دستاویزات شامل کریں۔ -ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and will be exported -ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported +ExportOfPiecesAlreadyExportedIsEnable=پہلے سے برآمد شدہ دستاویزات نظر آرہی ہیں اور برآمد کی جائیں گی۔ +ExportOfPiecesAlreadyExportedIsDisable=پہلے سے برآمد شدہ دستاویزات پوشیدہ ہیں اور برآمد نہیں کی جائیں گی۔ AllExportedMovementsWereRecordedAsExported=تمام برآمد شدہ نقل و حرکت بطور برآمد ریکارڈ کی گئیں۔ NotAllExportedMovementsCouldBeRecordedAsExported=تمام برآمد شدہ نقل و حرکت کو برآمد کے طور پر ریکارڈ نہیں کیا جا سکتا Miscellaneous=متفرق Calendar=کیلنڈر GroupBy=گروپ بذریعہ... -GroupByX=Group by %s +GroupByX=گروپ بذریعہ %s ViewFlatList=فلیٹ کی فہرست دیکھیں ViewAccountList=لیجر دیکھیں ViewSubAccountList=ذیلی اکاؤنٹ لیجر دیکھیں @@ -936,7 +945,7 @@ DirectDownloadInternalLink=نجی ڈاؤن لوڈ لنک PrivateDownloadLinkDesc=آپ کو لاگ ان ہونے کی ضرورت ہے اور آپ کو فائل دیکھنے یا ڈاؤن لوڈ کرنے کے لیے اجازت کی ضرورت ہے۔ Download=ڈاؤن لوڈ کریں DownloadDocument=دستاویز ڈاؤن لوڈ کریں۔ -DownloadSignedDocument=Download signed document +DownloadSignedDocument=دستخط شدہ دستاویز ڈاؤن لوڈ کریں۔ ActualizeCurrency=کرنسی کی شرح کو اپ ڈیٹ کریں۔ Fiscalyear=مالی سال ModuleBuilder=ماڈیول اور ایپلیکیشن بلڈر @@ -945,7 +954,7 @@ BulkActions=بڑی تعداد میں کارروائیاں ClickToShowHelp=ٹول ٹپ مدد دکھانے کے لیے کلک کریں۔ WebSite=ویب سائٹ WebSites=ویب سائٹس -WebSiteAccounts=ویب سائٹ اکاؤنٹس +WebSiteAccounts=ویب تک رسائی کے اکاؤنٹس ExpenseReport=اخراجات کی رپورٹ ExpenseReports=اخراجات کی رپورٹ HR=HR @@ -1062,7 +1071,7 @@ SearchIntoContracts=معاہدے SearchIntoCustomerShipments=گاہک کی ترسیل SearchIntoExpenseReports=اخراجات کی رپورٹ SearchIntoLeaves=چھوڑو -SearchIntoKM=Knowledge base +SearchIntoKM=علم کی بنیاد SearchIntoTickets=ٹکٹ SearchIntoCustomerPayments=گاہک کی ادائیگی SearchIntoVendorPayments=وینڈر کی ادائیگی @@ -1073,6 +1082,7 @@ CommentPage=تبصرے کی جگہ CommentAdded=تبصرہ شامل کیا گیا۔ CommentDeleted=تبصرہ حذف کر دیا گیا۔ Everybody=ہر کوئی +EverybodySmall=ہر کوئی PayedBy=کی طرف سے ادا کیا PayedTo=کو ادائیگی Monthly=ماہانہ @@ -1085,7 +1095,7 @@ KeyboardShortcut=کی بورڈ شارٹ کٹ AssignedTo=مقرر کیا، مقرر کرنا Deletedraft=مسودہ حذف کریں۔ ConfirmMassDraftDeletion=ڈرافٹ بڑے پیمانے پر حذف کرنے کی تصدیق -FileSharedViaALink=فائل عوامی لنک کے ساتھ شیئر کی گئی۔ +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=پہلے کسی تیسرے فریق کو منتخب کریں... YouAreCurrentlyInSandboxMode=آپ فی الحال %s "سینڈ باکس" موڈ میں ہیں۔ Inventory=انوینٹری @@ -1119,7 +1129,7 @@ ContactDefault_project_task=کام ContactDefault_propal=تجویز ContactDefault_supplier_proposal=سپلائر کی تجویز ContactDefault_ticket=ٹکٹ -ContactAddedAutomatically=رابطہ تیسرے فریق کے کرداروں سے شامل کیا گیا۔ +ContactAddedAutomatically=تیسرے فریق کے رابطے کے کرداروں سے رابطہ شامل کیا گیا۔ More=مزید ShowDetails=تفصیلات دکھائیں CustomReports=حسب ضرورت رپورٹس @@ -1134,7 +1144,7 @@ DeleteFileText=کیا آپ واقعی اس فائل کو حذف کرنا چاہ ShowOtherLanguages=دوسری زبانیں دکھائیں۔ SwitchInEditModeToAddTranslation=اس زبان کے لیے ترجمے شامل کرنے کے لیے ترمیم کے موڈ میں جائیں۔ NotUsedForThisCustomer=اس گاہک کے لیے استعمال نہیں کیا گیا۔ -NotUsedForThisVendor=Not used for this vendor +NotUsedForThisVendor=اس وینڈر کے لیے استعمال نہیں کیا گیا۔ AmountMustBePositive=رقم مثبت ہونی چاہیے۔ ByStatus=حیثیت سے InformationMessage=معلومات @@ -1155,29 +1165,29 @@ EventReminder=واقعہ کی یاد دہانی UpdateForAllLines=تمام لائنوں کے لیے اپ ڈیٹ کریں۔ OnHold=ہولڈ پر Civility=تہذیب -AffectTag=Assign a Tag -AffectUser=Assign a User -SetSupervisor=Set the supervisor +AffectTag=ایک ٹیگ تفویض کریں۔ +AffectUser=ایک صارف کو تفویض کریں۔ +SetSupervisor=سپروائزر مقرر کریں۔ CreateExternalUser=بیرونی صارف بنائیں -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) -ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? +ConfirmAffectTag=بلک ٹیگ اسائنمنٹ +ConfirmAffectUser=بلک یوزر اسائنمنٹ +ProjectRole=ہر پروجیکٹ/موقع پر تفویض کردہ کردار +TasksRole=ہر کام پر تفویض کردہ کردار (اگر استعمال کیا جائے) +ConfirmSetSupervisor=بلک سپروائزر سیٹ +ConfirmUpdatePrice=قیمت میں اضافہ/کمی کی شرح کا انتخاب کریں۔ +ConfirmAffectTagQuestion=کیا آپ واقعی %s منتخب ریکارڈ (ریکارڈز) کو ٹیگز تفویض کرنا چاہتے ہیں؟ +ConfirmAffectUserQuestion=کیا آپ واقعی صارفین کو %s منتخب کردہ ریکارڈ (ریکارڈز) پر تفویض کرنا چاہتے ہیں؟ +ConfirmSetSupervisorQuestion=کیا آپ واقعی %s منتخب ریکارڈ (ریکارڈز) پر سپروائزر سیٹ کرنا چاہتے ہیں؟ +ConfirmUpdatePriceQuestion=کیا آپ واقعی %s منتخب کردہ ریکارڈ (ریکارڈز) کی قیمت کو اپ ڈیٹ کرنا چاہتے ہیں؟ CategTypeNotFound=ریکارڈ کی قسم کے لیے کوئی ٹیگ کی قسم نہیں ملی Rate=شرح -SupervisorNotFound=Supervisor not found +SupervisorNotFound=سپروائزر نہیں ملا CopiedToClipboard=کلپ بورڈ پر کاپی ہو گیا۔ InformationOnLinkToContract=یہ رقم صرف معاہدے کی تمام لائنوں کا کل ہے۔ وقت کا کوئی خیال نہیں رکھا جاتا۔ ConfirmCancel=کیا تمہیں یقین ہے تم اسے ملتوی کرنا چاہتے ہو EmailMsgID=MsgID کو ای میل کریں۔ -EmailDate=Email date -SetToStatus=Set to status %s +EmailDate=ای میل کی تاریخ +SetToStatus=اسٹیٹس پر سیٹ کریں %s SetToEnabled=فعال پر سیٹ کریں۔ SetToDisabled=غیر فعال پر سیٹ کریں۔ ConfirmMassEnabling=بڑے پیمانے پر چالو کرنے کی تصدیق @@ -1201,32 +1211,52 @@ NotClosedYet=ابھی بند نہیں ہوا۔ ClearSignature=دستخط دوبارہ ترتیب دیں۔ CanceledHidden=چھپا ہوا منسوخ کر دیا گیا۔ CanceledShown=منسوخ شدہ دکھایا گیا ہے۔ -Terminate=Terminate -Terminated=Terminated -AddLineOnPosition=Add line on position (at the end if empty) -ConfirmAllocateCommercial=Assign sales representative confirmation -ConfirmAllocateCommercialQuestion=Are you sure you want to assign the %s selected record(s)? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned -YourMessage=Your message -YourMessageHasBeenReceived=Your message has been received. We will answer or contact you as soon as possible. -UrlToCheck=Url to check -Automation=Automation -CreatedByEmailCollector=Created by Email collector -CreatedByPublicPortal=Created from Public portal -UserAgent=User Agent -InternalUser=Internal user -ExternalUser=External user -NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. -HideOnVCard=Hide %s -AddToContacts=Add address to my contacts -LastAccess=Last access -UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here -LastPasswordChangeDate=Last password change date -PublicVirtualCardUrl=Virtual business card page URL -PublicVirtualCard=Virtual business card -TreeView=Tree view -DropFileToAddItToObject=Drop a file to add it to this object -UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <= or >= before the value to filter using a mathematical comparison +Terminate=ختم کرنا +Terminated=ختم +AddLineOnPosition=پوزیشن پر لائن شامل کریں (آخر میں اگر خالی ہو) +ConfirmAllocateCommercial=سیلز کے نمائندے کی تصدیق تفویض کریں۔ +ConfirmAllocateCommercialQuestion=کیا آپ واقعی %s منتخب کردہ ریکارڈ تفویض کرنا چاہتے ہیں؟ +CommercialsAffected=سیلز کے نمائندے تفویض کیے گئے۔ +CommercialAffected=سیلز کا نمائندہ تفویض کیا گیا۔ +YourMessage=آپ کا پیغام +YourMessageHasBeenReceived=آپ کا پیغام موصول ہو گیا ہے۔ ہم جلد از جلد جواب دیں گے یا آپ سے رابطہ کریں گے۔ +UrlToCheck=چیک کرنے کے لیے یو آر ایل +Automation=آٹومیشن +CreatedByEmailCollector=ای میل کلکٹر کے ذریعہ تخلیق کیا گیا۔ +CreatedByPublicPortal=پبلک پورٹل سے تخلیق کیا گیا۔ +UserAgent=صارف ایجنٹ +InternalUser=اندرونی صارف +ExternalUser=بیرونی صارف +NoSpecificContactAddress=کوئی مخصوص رابطہ یا پتہ نہیں۔ +NoSpecificContactAddressBis=یہ ٹیب موجودہ آبجیکٹ کے لیے مخصوص رابطوں یا پتے کو مجبور کرنے کے لیے وقف ہے۔ اسے صرف اس صورت میں استعمال کریں جب آپ اعتراض کے لیے ایک یا متعدد مخصوص رابطوں یا پتے کی وضاحت کرنا چاہتے ہیں جب فریق ثالث کی معلومات کافی نہیں ہیں یا درست نہیں ہیں۔ +HideOnVCard=چھپائیں %s +AddToContacts=میرے رابطوں میں پتہ شامل کریں۔ +LastAccess=آخری رسائی +UploadAnImageToSeeAPhotoHere=یہاں تصویر دیکھنے کے لیے ٹیب %s سے ایک تصویر اپ لوڈ کریں +LastPasswordChangeDate=پاس ورڈ کی تبدیلی کی آخری تاریخ +PublicVirtualCardUrl=ورچوئل بزنس کارڈ پیج کا URL +PublicVirtualCard=ورچوئل بزنس کارڈ +TreeView=درخت کا نظارہ +DropFileToAddItToObject=فائل کو اس آبجیکٹ میں شامل کرنے کے لیے ڈراپ کریں۔ +UploadFileDragDropSuccess=فائل (فائلیں) کامیابی کے ساتھ اپ لوڈ ہو گئی ہیں۔ +SearchSyntaxTooltipForStringOrNum=ٹیکسٹ فیلڈز کے اندر تلاش کرنے کے لیے، آپ ^ یا $ کو 'شروع یا اختتام کے ساتھ' تلاش کرنے کے لیے استعمال کر سکتے ہیں یا ! ایک 'مشتمل نہیں' ٹیسٹ بنانے کے لیے۔ آپ استعمال کر سکتے ہیں | دو تاروں کے درمیان 'AND' کی بجائے 'OR' حالت کے لیے جگہ کی بجائے۔ عددی قدروں کے لیے، آپ آپریٹر <, >, <=, >= یا != قدر سے پہلے، ریاضیاتی موازنہ کا استعمال کرتے ہوئے فلٹر کرنے کے لیے استعمال کر سکتے ہیں۔ +InProgress=کام جاری ہے +DateOfPrinting=پرنٹنگ کی تاریخ +ClickFullScreenEscapeToLeave=فل سکرین موڈ میں سوئچ کرنے کے لیے یہاں کلک کریں۔ فل سکرین موڈ چھوڑنے کے لیے ESCAPE کو دبائیں۔ +UserNotYetValid=ابھی تک درست نہیں ہے۔ +UserExpired=میعاد ختم +LinkANewFile=ایک نئی فائل/دستاویز سے لنک کریں۔ +LinkedFiles=منسلک فائلیں اور دستاویزات +NoLinkFound=کوئی رجسٹرڈ لنکس نہیں۔ +LinkComplete=فائل کو کامیابی کے ساتھ جوڑ دیا گیا ہے۔ +ErrorFileNotLinked=فائل کو لنک نہیں کیا جا سکا +LinkRemoved=لنک %s ہٹا دیا گیا ہے +ErrorFailedToDeleteLink= لنک '%s' ہٹانے میں ناکام +ErrorFailedToUpdateLink= لنک '%s' اپ ڈیٹ کرنے میں ناکام +URLToLink=لنک کرنے کے لیے URL +OverwriteIfExists=اگر فائل موجود ہے تو اوور رائٹ کریں۔ +AmountSalary=تنخواہ کی رقم +InvoiceSubtype=انوائس ذیلی قسم +ConfirmMassReverse=بلک ریورس تصدیق +ConfirmMassReverseQuestion=کیا آپ واقعی %s منتخب ریکارڈ (ریکارڈز) کو ریورس کرنا چاہتے ہیں؟ + diff --git a/htdocs/langs/ur_PK/oauth.lang b/htdocs/langs/ur_PK/oauth.lang index 3cb9e11cc37..10b206ab0b0 100644 --- a/htdocs/langs/ur_PK/oauth.lang +++ b/htdocs/langs/ur_PK/oauth.lang @@ -9,13 +9,15 @@ HasAccessToken=ایک ٹوکن تیار کیا گیا اور مقامی ڈیٹا NewTokenStored=ٹوکن موصول ہوا اور محفوظ کیا گیا۔ ToCheckDeleteTokenOnProvider=%s OAuth فراہم کنندہ کے ذریعہ محفوظ کردہ اجازت کو چیک کرنے / حذف کرنے کے لیے یہاں کلک کریں TokenDeleted=ٹوکن حذف ہو گیا۔ -RequestAccess=Click here to request/renew access and receive a new token -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=اپنے OAuth فراہم کنندہ کے ساتھ اپنی اسناد بناتے وقت درج ذیل URL کو ری ڈائریکٹ URI کے بطور استعمال کریں: -ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. -OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens +GetAccess=ٹوکن حاصل کرنے کے لیے یہاں کلک کریں۔ +RequestAccess=رسائی کی درخواست/ تجدید کے لیے یہاں کلک کریں اور نیا ٹوکن وصول کریں۔ +DeleteAccess=ٹوکن کو حذف کرنے کے لیے یہاں کلک کریں۔ +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider +ListOfSupportedOauthProviders=اپنے OAuth2 ٹوکن فراہم کنندگان کو شامل کریں۔ پھر، OAuth ID اور خفیہ بنانے/حاصل کرنے اور انہیں یہاں محفوظ کرنے کے لیے اپنے OAuth فراہم کنندہ کے منتظم صفحہ پر جائیں۔ ایک بار مکمل ہونے کے بعد، اپنا ٹوکن بنانے کے لیے دوسرے ٹیب پر سوئچ کریں۔ +OAuthSetupForLogin=OAuth ٹوکنز کا نظم کرنے (جنریٹ/ڈیلیٹ) کا صفحہ SeePreviousTab=پچھلا ٹیب دیکھیں -OAuthProvider=OAuth provider +OAuthProvider=OAuth فراہم کنندہ OAuthIDSecret=OAuth ID اور خفیہ TOKEN_REFRESH=ٹوکن ریفریش پیش کریں۔ TOKEN_EXPIRED=ٹوکن کی میعاد ختم ہو گئی۔ @@ -27,10 +29,14 @@ OAUTH_GOOGLE_SECRET=OAuth گوگل سیکریٹ OAUTH_GITHUB_NAME=OAuth GitHub سروس OAUTH_GITHUB_ID=OAuth GitHub Id OAUTH_GITHUB_SECRET=OAuth GitHub سیکریٹ -OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret +OAUTH_URL_FOR_CREDENTIAL=اس صفحہ
      اپنی OAuth ID اور خفیہ بنانے یا حاصل کرنے کے لیے OAUTH_STRIPE_TEST_NAME=OAuth اسٹرائپ ٹیسٹ OAUTH_STRIPE_LIVE_NAME=OAuth اسٹرائپ لائیو -OAUTH_ID=OAuth ID -OAUTH_SECRET=OAuth secret -OAuthProviderAdded=OAuth provider added -AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists +OAUTH_ID=OAuth کلائنٹ ID +OAUTH_SECRET=OAuth راز +OAUTH_TENANT=OAuth کرایہ دار +OAuthProviderAdded=OAuth فراہم کنندہ شامل کیا گیا۔ +AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=اس فراہم کنندہ اور لیبل کے لیے ایک OAuth اندراج پہلے سے موجود ہے۔ +URLOfServiceForAuthorization=تصدیق کے لیے OAuth سروس کے ذریعے فراہم کردہ URL +Scopes=اجازتیں (دائرہ کار) +ScopeUndefined=اجازتیں (دائرہ کار) غیر متعینہ (پچھلا ٹیب دیکھیں) diff --git a/htdocs/langs/ur_PK/products.lang b/htdocs/langs/ur_PK/products.lang index 27746f7dfec..c12b0bb7dcd 100644 --- a/htdocs/langs/ur_PK/products.lang +++ b/htdocs/langs/ur_PK/products.lang @@ -80,8 +80,11 @@ SoldAmount=فروخت شدہ رقم PurchasedAmount=خریدی ہوئی رقم NewPrice=نئی قیمت MinPrice=کم سے کم قیمت فروخت +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=فروخت کی قیمت کے لیبل میں ترمیم کریں۔ -CantBeLessThanMinPrice=فروخت کی قیمت اس پروڈکٹ کے لیے اجازت شدہ کم از کم سے کم نہیں ہو سکتی (بغیر ٹیکس کے %s)۔ اگر آپ بہت اہم رعایت ٹائپ کرتے ہیں تو یہ پیغام بھی ظاہر ہو سکتا ہے۔ +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=بند ErrorProductAlreadyExists=حوالہ %s کے ساتھ ایک پروڈکٹ پہلے سے موجود ہے۔ ErrorProductBadRefOrLabel=حوالہ یا لیبل کے لیے غلط قدر۔ @@ -347,16 +350,17 @@ UseProductFournDesc=صارفین کے لیے تفصیل کے علاوہ وینڈ ProductSupplierDescription=پروڈکٹ کے لیے وینڈر کی تفصیل UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=You will automaticaly purchase a multiple of this quantity. +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=لائن کی مقدار کو سپلائر پیکیجنگ کے مطابق دوبارہ شمار کیا گیا تھا۔ #Attributes +Attributes=Attributes VariantAttributes=متغیر صفات ProductAttributes=مصنوعات کے لیے متغیر صفات ProductAttributeName=متغیر وصف %s ProductAttribute=متغیر وصف ProductAttributeDeleteDialog=کیا آپ واقعی اس وصف کو حذف کرنا چاہتے ہیں؟ تمام اقدار کو حذف کر دیا جائے گا۔ -ProductAttributeValueDeleteDialog=کیا آپ واقعی اس انتساب کے حوالہ "%s" کے ساتھ قدر "%s" کو حذف کرنا چاہتے ہیں؟ +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=کیا آپ یقینی طور پر پروڈکٹ کے مختلف قسم کو حذف کرنا چاہتے ہیں " %s "؟ ProductCombinationAlreadyUsed=متغیر کو حذف کرتے وقت ایک خامی تھی۔ براہ کرم چیک کریں کہ یہ کسی چیز میں استعمال نہیں ہو رہا ہے۔ ProductCombinations=متغیرات @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=موجودہ پروڈکٹ کی مختلف حال NbOfDifferentValues=مختلف اقدار کی تعداد NbProducts=مصنوعات کی تعداد ParentProduct=پیرنٹ پروڈکٹ +ParentProductOfVariant=Parent product of variant HideChildProducts=مختلف مصنوعات چھپائیں۔ ShowChildProducts=مختلف مصنوعات دکھائیں۔ NoEditVariants=پیرنٹ پروڈکٹ کارڈ پر جائیں اور ویریئنٹس ٹیب میں مختلف قیمتوں کے اثرات میں ترمیم کریں۔ @@ -417,7 +422,7 @@ ErrorsProductsMerge=Errors in products merge SwitchOnSaleStatus=فروخت کی حالت پر سوئچ کریں۔ SwitchOnPurchaseStatus=خریداری کی حیثیت کو آن کریں۔ UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Extra Fields (stock mouvement) +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= Extra Fields (inventory) ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes PuttingPricesUpToDate=Update prices with current known prices @@ -430,3 +435,5 @@ ConfirmEditExtrafield = Select the extrafield you want modify ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? ModifyValueExtrafields = Modify value of an extrafield OrProductsWithCategories=Or products with tags/categories +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/ur_PK/projects.lang b/htdocs/langs/ur_PK/projects.lang index f5692cc356c..18035166065 100644 --- a/htdocs/langs/ur_PK/projects.lang +++ b/htdocs/langs/ur_PK/projects.lang @@ -6,7 +6,7 @@ ProjectLabel=پروجیکٹ لیبل ProjectsArea=پروجیکٹس ایریا ProjectStatus=پروجیکٹ کی حیثیت SharedProject=ہر کوئی -PrivateProject=Assigned contacts +PrivateProject=تفویض کردہ رابطے ProjectsImContactFor=پروجیکٹس جن کے لیے میں واضح طور پر ایک رابطہ ہوں۔ AllAllowedProjects=تمام پروجیکٹ جو میں پڑھ سکتا ہوں (میرا + عوامی) AllProjects=تمام منصوبے @@ -23,7 +23,7 @@ TasksPublicDesc=یہ منظر ان تمام منصوبوں اور کاموں ک TasksDesc=یہ منظر تمام منصوبوں اور کاموں کو پیش کرتا ہے (آپ کے صارف کی اجازت آپ کو سب کچھ دیکھنے کی اجازت دیتی ہے)۔ AllTaskVisibleButEditIfYouAreAssigned=اہل پروجیکٹس کے تمام کام نظر آتے ہیں، لیکن آپ صرف منتخب صارف کو تفویض کردہ کام کے لیے وقت درج کر سکتے ہیں۔ اگر آپ کو اس پر وقت داخل کرنے کی ضرورت ہو تو کام تفویض کریں۔ OnlyYourTaskAreVisible=صرف آپ کو تفویض کردہ کام نظر آتے ہیں۔ اگر آپ کو کسی ٹاسک پر وقت دینے کی ضرورت ہے اور اگر ٹاسک یہاں نظر نہیں آ رہا ہے، تو آپ کو اپنے آپ کو ٹاسک تفویض کرنے کی ضرورت ہے۔ -ImportDatasetProjects=Projects or opportunities +ImportDatasetProjects=منصوبے یا مواقع ImportDatasetTasks=منصوبوں کے کام ProjectCategories=پروجیکٹ ٹیگز/زمرے NewProject=نیا کام @@ -33,21 +33,23 @@ DeleteATask=ایک کام کو حذف کریں۔ ConfirmDeleteAProject=کیا آپ واقعی اس پروجیکٹ کو حذف کرنا چاہتے ہیں؟ ConfirmDeleteATask=کیا آپ واقعی اس کام کو حذف کرنا چاہتے ہیں؟ OpenedProjects=پروجیکٹس کھولیں۔ +OpenedProjectsOpportunities=کھلے مواقع OpenedTasks=کام کھولیں۔ OpportunitiesStatusForOpenedProjects=اسٹیٹس کے لحاظ سے کھلے پروجیکٹس کی مقدار لیڈ کرتا ہے۔ OpportunitiesStatusForProjects=اسٹیٹس کے لحاظ سے پروجیکٹس کی مقدار لیڈ کرتا ہے۔ ShowProject=پروجیکٹ دکھائیں۔ ShowTask=کام دکھائیں۔ -SetThirdParty=Set third party +SetThirdParty=تھرڈ پارٹی سیٹ کریں۔ SetProject=پروجیکٹ سیٹ کریں۔ -OutOfProject=Out of project +OutOfProject=پروجیکٹ سے باہر NoProject=کوئی پروجیکٹ متعین یا ملکیت نہیں ہے۔ NbOfProjects=منصوبوں کی تعداد NbOfTasks=کاموں کی تعداد +TimeEntry=ٹائم ٹریکنگ TimeSpent=وقت گزارا۔ +TimeSpentSmall=Time spent TimeSpentByYou=آپ کا گزارا ہوا وقت TimeSpentByUser=صارف کے ذریعہ خرچ کردہ وقت -TimesSpent=وقت گزارا۔ TaskId=ٹاسک ID RefTask=ٹاسک ریف. LabelTask=ٹاسک لیبل @@ -125,8 +127,8 @@ ValidateProject=پروجیکٹ کی توثیق کریں۔ ConfirmValidateProject=کیا آپ واقعی اس پروجیکٹ کی توثیق کرنا چاہتے ہیں؟ CloseAProject=پروجیکٹ بند کریں۔ ConfirmCloseAProject=کیا آپ واقعی اس پروجیکٹ کو بند کرنا چاہتے ہیں؟ -AlsoCloseAProject=Also close project -AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it +AlsoCloseAProject=پروجیکٹ کو بھی بند کریں۔ +AlsoCloseAProjectTooltip=اگر آپ کو ابھی بھی اس پر پیداواری کاموں کی پیروی کرنے کی ضرورت ہے تو اسے کھلا رکھیں ReOpenAProject=پروجیکٹ کھولیں۔ ConfirmReOpenAProject=کیا آپ واقعی اس پروجیکٹ کو دوبارہ کھولنا چاہتے ہیں؟ ProjectContact=پروجیکٹ کے رابطے @@ -169,7 +171,7 @@ OpportunityProbability=لیڈ کا امکان OpportunityProbabilityShort=لیڈ پروباب۔ OpportunityAmount=لیڈ کی مقدار OpportunityAmountShort=لیڈ کی مقدار -OpportunityWeightedAmount=Amount of opportunity, weighted by probability +OpportunityWeightedAmount=موقع کی مقدار، امکان کے لحاظ سے وزنی ہے۔ OpportunityWeightedAmountShort=بالمقابل وزنی رقم OpportunityAmountAverageShort=لیڈ کی اوسط رقم OpportunityAmountWeigthedShort=وزنی لیڈ کی مقدار @@ -194,7 +196,7 @@ PlannedWorkload=منصوبہ بند کام کا بوجھ PlannedWorkloadShort=کام کا بوجھ ProjectReferers=متعلقہ اشیاء ProjectMustBeValidatedFirst=پہلے پروجیکٹ کی توثیق ہونی چاہیے۔ -MustBeValidatedToBeSigned=%s must be validated first to be set to Signed. +MustBeValidatedToBeSigned=%s کو دستخط شدہ پر سیٹ کرنے کے لیے پہلے توثیق کرنا ضروری ہے۔ FirstAddRessourceToAllocateTime=وقت مختص کرنے کے لیے صارف کے وسائل کو پروجیکٹ کے رابطے کے طور پر تفویض کریں۔ InputPerDay=ان پٹ فی دن InputPerWeek=ان پٹ فی ہفتہ @@ -202,7 +204,7 @@ InputPerMonth=ان پٹ فی مہینہ InputDetail=ان پٹ کی تفصیل TimeAlreadyRecorded=یہ اس کام/دن اور صارف %s کے لیے پہلے ہی ریکارڈ شدہ وقت ہے ProjectsWithThisUserAsContact=اس صارف کے ساتھ پروجیکٹس بطور رابطہ -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=اس تیسرے فریق کے رابطے والے پروجیکٹس TasksWithThisUserAsContact=اس صارف کو تفویض کردہ کام ResourceNotAssignedToProject=پروجیکٹ کو تفویض نہیں کیا گیا۔ ResourceNotAssignedToTheTask=کام کے لیے تفویض نہیں کیا گیا ہے۔ @@ -225,7 +227,7 @@ ProjectsStatistics=منصوبوں یا لیڈز کے اعدادوشمار TasksStatistics=منصوبوں یا لیڈز کے کاموں کے اعدادوشمار TaskAssignedToEnterTime=کام تفویض کر دیا گیا۔ اس کام پر وقت داخل کرنا ممکن ہونا چاہیے۔ IdTaskTime=آئی ڈی ٹاسک ٹائم -YouCanCompleteRef=اگر آپ ریف کو کچھ لاحقہ کے ساتھ مکمل کرنا چاہتے ہیں، تو اسے الگ کرنے کے لیے ایک - حرف شامل کرنے کی سفارش کی جاتی ہے، لہذا خودکار نمبرنگ اب بھی اگلے پروجیکٹس کے لیے صحیح طریقے سے کام کرے گی۔ مثال کے طور پر %s-MYSUFFIX +YouCanCompleteRef=اگر آپ ریف کو کچھ لاحقے کے ساتھ مکمل کرنا چاہتے ہیں، تو اسے الگ کرنے کے لیے ایک - حرف شامل کرنے کی سفارش کی جاتی ہے، لہذا خودکار نمبرنگ اب بھی اگلے پروجیکٹس کے لیے صحیح طریقے سے کام کرے گی۔ مثال کے طور پر %s-MYSUFFIX OpenedProjectsByThirdparties=تیسرے فریق کے ذریعہ کھولیں پروجیکٹس OnlyOpportunitiesShort=صرف لیڈز OpenedOpportunitiesShort=کھلی لیڈز @@ -242,7 +244,7 @@ OppStatusPENDING=زیر التواء OppStatusWON=جیت گیا۔ OppStatusLOST=کھو دیا Budget=بجٹ -AllowToLinkFromOtherCompany=Allow to link an element with a project of other company

      Supported values:
      - Keep empty: Can link elements with any projects in the same company (default)
      - "all": Can link elements with any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link elements with any projects of these third partys (Example: 123,4795,53)
      +AllowToLinkFromOtherCompany=کسی عنصر کو دوسری کمپنی کے پروجیکٹ کے ساتھ لنک کرنے کی اجازت دیں

      تعاون یافتہ اقدار:
      - خالی رکھیں: عناصر کو ایک ہی کمپنی میں کسی بھی پروجیکٹ کے ساتھ جوڑ سکتا ہے (ڈیفالٹ)
      - "تمام": عناصر کو کسی بھی پروجیکٹ کے ساتھ جوڑ سکتا ہے، یہاں تک کہ دوسری کمپنیوں کے پروجیکٹ بھی
      - کوما سے الگ کی گئی فریق ثالث آئی ڈیز کی فہرست : عناصر کو ان فریق ثالث کے کسی بھی پروجیکٹ کے ساتھ جوڑ سکتا ہے (مثال: 123,4795,53)
      LatestProjects=تازہ ترین %s پروجیکٹس LatestModifiedProjects=تازہ ترین %s ترمیم شدہ پروجیکٹس OtherFilteredTasks=دیگر فلٹر شدہ کام @@ -259,11 +261,12 @@ RecordsClosed=%s پروجیکٹ بند SendProjectRef=معلوماتی پروجیکٹ %s ModuleSalaryToDefineHourlyRateMustBeEnabled=ماڈیول 'تنخواہوں' کو ملازم کی فی گھنٹہ کی شرح کی وضاحت کرنے کے لیے فعال ہونا چاہیے NewTaskRefSuggested=ٹاسک ریف پہلے ہی استعمال ہوا ہے، ایک نیا ٹاسک ریف درکار ہے۔ +NumberOfTasksCloned=%s کام کلون کیے گئے TimeSpentInvoiced=وقت گزارا ہوا بل TimeSpentForIntervention=وقت گزارا۔ TimeSpentForInvoice=وقت گزارا۔ OneLinePerUser=فی صارف ایک لائن -ServiceToUseOnLines=Service to use on lines by default +ServiceToUseOnLines=لائنوں پر بطور ڈیفالٹ استعمال کرنے کی خدمت InvoiceGeneratedFromTimeSpent=انوائس %s پروجیکٹ پر خرچ کیے گئے وقت سے تیار کیا گیا ہے InterventionGeneratedFromTimeSpent=مداخلت %s پروجیکٹ پر خرچ کیے گئے وقت سے پیدا کی گئی ہے۔ ProjectBillTimeDescription=چیک کریں کہ آیا آپ پروجیکٹ کے کاموں پر ٹائم شیٹ درج کرتے ہیں اور آپ پروجیکٹ کے کسٹمر کو بل دینے کے لیے ٹائم شیٹ سے انوائس (انوائسز) بنانے کا ارادہ رکھتے ہیں (یہ چیک نہ کریں کہ آیا آپ انوائس بنانے کا ارادہ رکھتے ہیں جو درج کردہ ٹائم شیٹ پر مبنی نہیں ہے)۔ نوٹ: انوائس بنانے کے لیے، پراجیکٹ کے 'وقت گزارا ہوا' ٹیب پر جائیں اور شامل کرنے کے لیے لائنوں کو منتخب کریں۔ @@ -286,16 +289,16 @@ ProfitIsCalculatedWith=منافع کا استعمال کرتے ہوئے شمار AddPersonToTask=کاموں میں بھی شامل کریں۔ UsageOrganizeEvent=استعمال: ایونٹ آرگنائزیشن PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=پروجیکٹ کو بند کے طور پر درجہ بندی کریں جب اس کے تمام کام مکمل ہوجائیں (100%% پیش رفت) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=نوٹ: تمام کاموں کے ساتھ موجودہ پروجیکٹس جو پہلے سے ہی 100%% پر سیٹ ہیں متاثر نہیں ہوں گے: آپ کو انہیں دستی طور پر بند کرنا پڑے گا۔ یہ اختیار صرف کھلے منصوبوں کو متاثر کرتا ہے۔ SelectLinesOfTimeSpentToInvoice=گزارے گئے وقت کی لائنیں منتخب کریں جن کا بل نہیں ہے، پھر ان کو بل کرنے کے لیے بڑی تعداد میں "انوائس تیار کریں" ProjectTasksWithoutTimeSpent=بغیر وقت کے پروجیکٹ کے کام FormForNewLeadDesc=ہم سے رابطہ کرنے کے لیے درج ذیل فارم کو پُر کرنے کا شکریہ۔ آپ ہمیں براہ راست %s پر ای میل بھی بھیج سکتے ہیں۔ -ProjectsHavingThisContact=Projects having this contact -StartDateCannotBeAfterEndDate=End date cannot be before start date -ErrorPROJECTLEADERRoleMissingRestoreIt=The "PROJECTLEADER" role is missing or has been de-activited, please restore in the dictionary of contact types -LeadPublicFormDesc=You can enable here a public page to allow your prospects to make a first contact to you from a public online form -EnablePublicLeadForm=Enable the public form for contact -NewLeadbyWeb=Your message or request has been recorded. We will answer or contact your soon. -NewLeadForm=New contact form -LeadFromPublicForm=Online lead from public form -ExportAccountingReportButtonLabel=Get report +ProjectsHavingThisContact=یہ رابطہ رکھنے والے پروجیکٹس +StartDateCannotBeAfterEndDate=اختتامی تاریخ تاریخ آغاز سے پہلے کی نہیں ہو سکتی +ErrorPROJECTLEADERRoleMissingRestoreIt="PROJECTLEADER" کا کردار غائب ہے یا اسے غیر فعال کر دیا گیا ہے، براہ کرم رابطہ کی اقسام کی لغت میں بحال کریں +LeadPublicFormDesc=آپ یہاں ایک عوامی صفحہ کو فعال کر سکتے ہیں تاکہ آپ کے امکانات عوامی آن لائن فارم سے آپ سے پہلا رابطہ کر سکیں +EnablePublicLeadForm=رابطہ کے لیے عوامی فارم کو فعال کریں۔ +NewLeadbyWeb=آپ کا پیغام یا درخواست ریکارڈ کر لی گئی ہے۔ ہم جلد ہی جواب دیں گے یا آپ سے رابطہ کریں گے۔ +NewLeadForm=نیا رابطہ فارم +LeadFromPublicForm=عوامی فارم سے آن لائن لیڈ +ExportAccountingReportButtonLabel=رپورٹ حاصل کریں۔ diff --git a/htdocs/langs/ur_PK/receptions.lang b/htdocs/langs/ur_PK/receptions.lang index 05d84f5a860..de8e98aa643 100644 --- a/htdocs/langs/ur_PK/receptions.lang +++ b/htdocs/langs/ur_PK/receptions.lang @@ -32,10 +32,11 @@ StatusReceptionDraftShort=مسودہ StatusReceptionValidatedShort=تصدیق شدہ StatusReceptionProcessedShort=پروسیس شدہ ReceptionSheet=استقبالیہ شیٹ +ValidateReception=Validate reception ConfirmDeleteReception=کیا آپ واقعی اس استقبالیہ کو حذف کرنا چاہتے ہیں؟ -ConfirmValidateReception=کیا آپ واقعی %s حوالہ کے ساتھ اس استقبالیہ کی توثیق کرنا چاہتے ہیں؟ +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=کیا آپ واقعی اس استقبالیہ کو منسوخ کرنا چاہتے ہیں؟ -StatsOnReceptionsOnlyValidated=صرف استقبالیہ پر کئے گئے اعدادوشمار کی توثیق کی گئی۔ استعمال ہونے والی تاریخ استقبالیہ کی توثیق کی تاریخ ہے (منصوبہ بندی کی ترسیل کی تاریخ ہمیشہ معلوم نہیں ہوتی ہے)۔ +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=ای میل کے ذریعے استقبالیہ بھیجیں۔ SendReceptionRef=استقبالیہ %s جمع کروانا ActionsOnReception=استقبالیہ پر تقریبات @@ -48,7 +49,10 @@ ReceptionsNumberingModules=استقبالیہ کے لیے نمبرنگ ماڈی ReceptionsReceiptModel=استقبالیہ کے لیے دستاویز کے سانچے NoMorePredefinedProductToDispatch=بھیجنے کے لیے مزید پہلے سے طے شدہ مصنوعات نہیں۔ ReceptionExist=ایک استقبالیہ موجود ہے۔ -ByingPrice=قیمت کے حساب سے ReceptionBackToDraftInDolibarr=استقبالیہ %s ڈرافٹ پر واپس ReceptionClassifyClosedInDolibarr=استقبالیہ %s کلاسیفائیڈ بند ReceptionUnClassifyCloseddInDolibarr=استقبالیہ %s دوبارہ کھولیں۔ +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/ur_PK/sendings.lang b/htdocs/langs/ur_PK/sendings.lang index 4576f6fa19a..a384fbcc5cd 100644 --- a/htdocs/langs/ur_PK/sendings.lang +++ b/htdocs/langs/ur_PK/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=تصدیق شدہ StatusSendingProcessedShort=پروسیس شدہ SendingSheet=شپمنٹ شیٹ ConfirmDeleteSending=کیا آپ واقعی اس کھیپ کو حذف کرنا چاہتے ہیں؟ -ConfirmValidateSending=کیا آپ واقعی %s حوالہ کے ساتھ اس کھیپ کی توثیق کرنا چاہتے ہیں؟ +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=کیا آپ واقعی اس کھیپ کو منسوخ کرنا چاہتے ہیں؟ DocumentModelMerou=میرو A5 ماڈل WarningNoQtyLeftToSend=انتباہ، کوئی پروڈکٹس بھیجے جانے کا انتظار نہیں۔ @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=کھلے خریداری کے آرڈ NoProductToShipFoundIntoStock=گودام %s میں بھیجنے کے لیے کوئی پروڈکٹ نہیں ملا۔ اسٹاک کو درست کریں یا دوسرا گودام منتخب کرنے کے لیے واپس جائیں۔ WeightVolShort=وزن/جلد ValidateOrderFirstBeforeShipment=ترسیل کرنے کے قابل ہونے سے پہلے آپ کو پہلے آرڈر کی توثیق کرنی ہوگی۔ +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=مصنوعات کے وزن کا مجموعہ # warehouse details DetailWarehouseNumber= گودام کی تفصیلات DetailWarehouseFormat= W:%s (Qty: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/ur_PK/website.lang b/htdocs/langs/ur_PK/website.lang index 50d66061f13..ce8f05e0f37 100644 --- a/htdocs/langs/ur_PK/website.lang +++ b/htdocs/langs/ur_PK/website.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - website Shortname=کوڈ -WebsiteName=Name of the website +WebsiteName=ویب سائٹ کا نام WebsiteSetupDesc=یہاں وہ ویب سائٹس بنائیں جو آپ استعمال کرنا چاہتے ہیں۔ پھر ان میں ترمیم کرنے کے لیے مینو ویب سائٹس میں جائیں۔ DeleteWebsite=ویب سائٹ کو حذف کریں۔ ConfirmDeleteWebsite=کیا آپ واقعی اس ویب سائٹ کو حذف کرنا چاہتے ہیں؟ اس کے تمام صفحات اور مواد کو بھی ہٹا دیا جائے گا۔ اپ لوڈ کی گئی فائلیں (جیسے میڈیا ڈائرکٹری، ECM ماڈیول، ...) باقی رہیں گی۔ @@ -11,14 +11,14 @@ WEBSITE_ALIASALT=صفحہ کے متبادل نام/عرف WEBSITE_ALIASALTDesc=یہاں دوسرے نام/عرفوں کی فہرست استعمال کریں تاکہ صفحہ تک ان دیگر ناموں/عرفوں کا استعمال کرتے ہوئے بھی رسائی حاصل کی جا سکے (مثال کے طور پر پرانے لنک/نام پر بیک لنک کو کام کرنے کے لیے عرف کا نام تبدیل کرنے کے بعد پرانا نام)۔ نحو ہے:
      متبادل نام1، متبادل نام2، ... WEBSITE_CSS_URL=بیرونی CSS فائل کا URL WEBSITE_CSS_INLINE=CSS فائل کا مواد (تمام صفحات پر عام) -WEBSITE_JS_INLINE=جاوا اسکرپٹ فائل کا مواد (تمام صفحات پر عام) +WEBSITE_JS_INLINE=JavaScript فائل کا مواد (تمام صفحات پر عام) WEBSITE_HTML_HEADER=HTML ہیڈر کے نیچے اضافہ (تمام صفحات پر عام) WEBSITE_ROBOT=روبوٹ فائل (robots.txt) WEBSITE_HTACCESS=ویب سائٹ .htaccess فائل WEBSITE_MANIFEST_JSON=ویب سائٹ manifest.json فائل WEBSITE_KEYWORDSDesc=اقدار کو الگ کرنے کے لیے کوما کا استعمال کریں۔ -EnterHereReadmeInformation=Enter here a description of the website. If you distribute your website as a template, the file will be included into the temptate package. -EnterHereLicenseInformation=Enter here the LICENSE of the code of the website. If you distribute your website as a template, the file will be included into the temptate package. +EnterHereReadmeInformation=یہاں ویب سائٹ کی تفصیل درج کریں۔ اگر آپ اپنی ویب سائٹ کو ٹیمپلیٹ کے طور پر تقسیم کرتے ہیں، تو فائل کو آزمائشی پیکج میں شامل کیا جائے گا۔ +EnterHereLicenseInformation=ویب سائٹ کے کوڈ کا لائسنس یہاں درج کریں۔ اگر آپ اپنی ویب سائٹ کو ٹیمپلیٹ کے طور پر تقسیم کرتے ہیں، تو فائل کو آزمائشی پیکج میں شامل کیا جائے گا۔ HtmlHeaderPage=HTML ہیڈر (صرف اس صفحہ کے لیے مخصوص) PageNameAliasHelp=صفحہ کا نام یا عرف۔
      یہ عرف SEO یو آر ایل بنانے کے لیے بھی استعمال ہوتا ہے جب ویب سائٹ کسی ویب سرور کے ورچوئل ہوسٹ (جیسے Apacke, Nginx, ...) سے چلائی جاتی ہے۔ اس عرف میں ترمیم کرنے کے لیے بٹن " %s " استعمال کریں۔ EditTheWebSiteForACommonHeader=نوٹ: اگر آپ تمام صفحات کے لیے ذاتی نوعیت کے ہیڈر کی وضاحت کرنا چاہتے ہیں تو صفحہ/کنٹینر کے بجائے سائٹ کی سطح پر ہیڈر میں ترمیم کریں۔ @@ -43,8 +43,8 @@ ViewPageInNewTab=نئے ٹیب میں صفحہ دیکھیں SetAsHomePage=ہوم پیج سیٹ کریں RealURL=اصلی URL ViewWebsiteInProduction=ہوم یو آر ایل کا استعمال کرتے ہوئے ویب سائٹ دیکھیں -Virtualhost=Virtual host or domain name -VirtualhostDesc=The name of the Virtual host or domain (For example: www.mywebsite.com, mybigcompany.net, ...) +Virtualhost=ورچوئل ہوسٹ یا ڈومین کا نام +VirtualhostDesc=ورچوئل میزبان یا ڈومین کا نام (مثال کے طور پر: www.mywebsite.com، mybigcompany.net، ...) SetHereVirtualHost= اپاچی کے ساتھ استعمال / NGinx / ...
      آپ کے ویب سرور پر تخلیق کریں (اپاچی، Nginx ...) پی ایچ پی کے ساتھ ایک سرشار مجازی میزبان فعال اور پر ایک روٹ ڈائریکٹری
      %s ExampleToUseInApacheVirtualHostConfig=اپاچی ورچوئل ہوسٹ سیٹ اپ میں استعمال کرنے کی مثال: YouCanAlsoTestWithPHPS= پر
      PHP سرایت سرور
      ساتھ استعمال کے ماحول کی ترقی، آپ
      PHP -S 0.0.0.0:8080 -t %s چلا کر PHP سرایت ویب سرور کے ساتھ سائٹ (PHP 5.5 درکار) کی جانچ کے لیے پسند کر سکتے ہیں @@ -60,10 +60,11 @@ NoPageYet=ابھی تک کوئی صفحہ نہیں ہے۔ YouCanCreatePageOrImportTemplate=آپ ایک نیا صفحہ بنا سکتے ہیں یا مکمل ویب سائٹ ٹیمپلیٹ درآمد کر سکتے ہیں۔ SyntaxHelp=مخصوص نحوی نکات پر مدد کریں۔ YouCanEditHtmlSourceckeditor=آپ ایڈیٹر میں "ماخذ" بٹن کا استعمال کرتے ہوئے HTML سورس کوڈ میں ترمیم کر سکتے ہیں۔ -YouCanEditHtmlSource=
      آپ PHP کوڈ کو اس سورس میں <?php ?a0010dc درج ذیل عالمی متغیر دستیاب ہیں: $conf، $db، $mysoc، $user، $website، $websitepage، $weblangs، $pagelangs۔

      آپ مندرجہ ذیل نحو کے ساتھ ایک اور صفحہ / کنٹینر کے مواد شامل کر سکتے ہیں:؟
      < PHP includeContainer ( 'alias_of_container_to_include')؛ ؟ >

      آپ مندرجہ ذیل نحو کے ساتھ ایک اور صفحہ / کنٹینر کو ری بنا سکتے ہیں (نوٹ: نہ پیداوار ایک ری سے پہلے کسی بھی مواد کو ایسا):
      < PHP redirectToContainer ( 'alias_of_container_to_redirect_to')؛ ؟ >

      ، ایک اور صفحے پر ایک لنک شامل کرنے کے لئے نحو کا استعمال: دستاویزات میں ذخیرہ کردہ فائل لوڈ کرنے کے لئے ایک لنک شامل کرنا
      <a href کی = "alias_of_page_to_link_to.php" >mylink<a>

      ڈائریکٹری، document.php چادر استعمال: دستاویزات / ECM میں ایک فائل کے لئے،
      مثال (لاگ ان کرنے کی ضرورت ہے)، نحو ہے؟
      <a href کی = "/ document.php modulepart = ECM & فائل = [relative_dir / فائل کا نام "/document.php؟modulepart=medias&file=[relative_dir/]filename.ext">
      ایک حصہ لنک (فائل کے اشتراک کا ہیش کلید کا استعمال کرتے ہوئے کھلی رسائی) کے ساتھ اشتراک ایک فائل کے طور پر، نحو ہے:
      <a href کی =" (دستاویزات / میڈیاز میں ایک تصویر کے طور پر،
      مثال کھلے: /document.php؟hashp=publicsharekeyoffile">


      ڈائریکٹری
      دستاویزات میں ذخیرہ کردہ ایک تصویر viewimage.php چادر استعمال کرتے ہیں، شامل کرنے کے لئے
      عوامی رسائی کے لئے ڈائریکٹری)، نحو ہے:
      <img ایسآرسی = "؟ / viewimage.php modulepart = medias&file = [relative_dir /] filename.ext" >
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=شیئر لنک کے ساتھ شیئر کردہ تصویر کے لیے (فائل کی شیئرنگ ہیش کلید کا استعمال کرتے ہوئے کھلی رسائی)، نحو یہ ہے:
      <img src="/viewimage.php?hashp=1234256a...20120ccd07800d50d50d50d5080cd57800mg -YouCanEditHtmlSourceMore=
      HTML یا متحرک کوڈ کی مزید مثالیں پر دستیاب ہیں ویکی دستاویزات
      ۔ +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=کلون صفحہ/کنٹینر CloneSite=کلون سائٹ SiteAdded=ویب سائٹ شامل کی گئی۔ @@ -83,7 +84,7 @@ BlogPost=بلاگ پوسٹ WebsiteAccount=ویب سائٹ اکاؤنٹ WebsiteAccounts=ویب سائٹ اکاؤنٹس AddWebsiteAccount=ویب سائٹ اکاؤنٹ بنائیں -BackToListForThirdParty=Back to list for the third parties +BackToListForThirdParty=تیسرے فریقوں کی فہرست پر واپس جائیں۔ DisableSiteFirst=پہلے ویب سائٹ کو غیر فعال کریں۔ MyContainerTitle=میری ویب سائٹ کا عنوان AnotherContainer=دوسرے صفحہ/کنٹینر کے مواد کو شامل کرنے کا طریقہ یہ ہے (اگر آپ ڈائنامک کوڈ کو فعال کرتے ہیں تو آپ کو یہاں غلطی ہو سکتی ہے کیونکہ ایمبیڈڈ سب کنٹینر موجود نہیں ہو سکتا ہے) @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=معذرت، یہ ویب سائٹ فی الحال WEBSITE_USE_WEBSITE_ACCOUNTS=ویب سائٹ اکاؤنٹ ٹیبل کو فعال کریں۔ WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=ہر ویب سائٹ / تیسرے فریق کے لیے ویب سائٹ اکاؤنٹس (لاگ ان/پاس) ذخیرہ کرنے کے لیے ٹیبل کو فعال کریں۔ YouMustDefineTheHomePage=آپ کو پہلے ڈیفالٹ ہوم پیج کی وضاحت کرنی ہوگی۔ -OnlyEditionOfSourceForGrabbedContentFuture=انتباہ: ایک بیرونی ویب صفحہ درآمد کرکے ویب صفحہ بنانا تجربہ کار صارفین کے لیے مخصوص ہے۔ ماخذ صفحہ کی پیچیدگی پر منحصر ہے، درآمد کا نتیجہ اصل سے مختلف ہو سکتا ہے۔ نیز اگر سورس پیج عام سی ایس ایس اسٹائلز یا متضاد جاوا اسکرپٹ استعمال کرتا ہے، تو اس صفحہ پر کام کرتے وقت یہ ویب سائٹ ایڈیٹر کی شکل یا خصوصیات کو توڑ سکتا ہے۔ یہ طریقہ صفحہ بنانے کا ایک تیز ترین طریقہ ہے لیکن یہ تجویز کیا جاتا ہے کہ آپ اپنا نیا صفحہ شروع سے یا تجویز کردہ صفحہ ٹیمپلیٹ سے بنائیں۔
      یہ بھی نوٹ کریں کہ جب پکڑے گئے بیرونی صفحہ پر استعمال کیا جائے تو ان لائن ایڈیٹر درست طریقے سے کام نہیں کر سکتا۔ +OnlyEditionOfSourceForGrabbedContentFuture=انتباہ: ایک بیرونی ویب صفحہ درآمد کرکے ویب صفحہ بنانا تجربہ کار صارفین کے لیے مخصوص ہے۔ ماخذ صفحہ کی پیچیدگی پر منحصر ہے، درآمد کا نتیجہ اصل سے مختلف ہو سکتا ہے۔ نیز اگر سورس پیج عام سی ایس ایس اسٹائلز یا متضاد JavaScript استعمال کرتا ہے، تو اس صفحہ پر کام کرتے وقت یہ ویب سائٹ ایڈیٹر کی شکل یا خصوصیات کو توڑ سکتا ہے۔ یہ طریقہ ایک صفحہ بنانے کا ایک تیز طریقہ ہے لیکن یہ تجویز کیا جاتا ہے کہ آپ اپنا نیا صفحہ شروع سے یا تجویز کردہ صفحہ ٹیمپلیٹ سے بنائیں۔
      یہ بھی نوٹ کریں کہ ان لائن ایڈیٹر کام نہیں کرسکتا ہے۔ درستگی جب پکڑے گئے بیرونی صفحہ پر استعمال کی جائے۔ OnlyEditionOfSourceForGrabbedContent=HTML ماخذ کا صرف ایڈیشن ہی ممکن ہے جب مواد کسی بیرونی سائٹ سے پکڑا گیا ہو۔ GrabImagesInto=سی ایس ایس اور صفحہ میں پائی جانے والی تصاویر کو بھی پکڑو۔ ImagesShouldBeSavedInto=تصاویر کو ڈائریکٹری میں محفوظ کیا جانا چاہیے۔ @@ -112,7 +113,7 @@ GoTo=کے پاس جاؤ DynamicPHPCodeContainsAForbiddenInstruction=آپ ڈائنامک پی ایچ پی کوڈ شامل کرتے ہیں جس میں پی ایچ پی انسٹرکشن ' %s ' شامل ہوتا ہے جو بطور ڈیفالٹ ممنوع ہوتا ہے بطور ڈائنامک مواد (دیکھیں پوشیدہ آپشنز آف کمانڈ پی ایچ پی_ایل ایکس ایکس کی اجازت دی گئی فہرست WELOBS_XX کو بڑھانے کے لیے)۔ NotAllowedToAddDynamicContent=آپ کو ویب سائٹس میں پی ایچ پی کے متحرک مواد کو شامل یا ترمیم کرنے کی اجازت نہیں ہے۔ اجازت طلب کریں یا صرف کوڈ کو پی ایچ پی ٹیگز میں غیر ترمیم شدہ رکھیں۔ ReplaceWebsiteContent=ویب سائٹ کا مواد تلاش کریں یا تبدیل کریں۔ -DeleteAlsoJs=اس ویب سائٹ سے متعلق تمام جاوا اسکرپٹ فائلوں کو بھی حذف کریں؟ +DeleteAlsoJs=اس ویب سائٹ کے لیے مخصوص تمام JavaScript فائلوں کو بھی حذف کریں؟ DeleteAlsoMedias=اس ویب سائٹ سے متعلق تمام میڈیا فائلوں کو بھی حذف کریں؟ MyWebsitePages=میری ویب سائٹ کے صفحات SearchReplaceInto=تلاش کریں | میں تبدیل کریں۔ @@ -140,7 +141,7 @@ PagesRegenerated=%s صفحہ/کنٹینر دوبارہ تیار کیا گیا RegenerateWebsiteContent=ویب سائٹ کیش فائلوں کو دوبارہ تخلیق کریں۔ AllowedInFrames=فریموں میں اجازت ہے۔ DefineListOfAltLanguagesInWebsiteProperties=ویب سائٹ کی خصوصیات میں تمام دستیاب زبانوں کی فہرست کی وضاحت کریں۔ -GenerateSitemaps=Generate website sitemap.xml file +GenerateSitemaps=ویب سائٹ sitemap.xml فائل بنائیں ConfirmGenerateSitemaps=اگر آپ تصدیق کرتے ہیں، تو آپ موجودہ سائٹ میپ فائل کو مٹا دیں گے... ConfirmSitemapsCreation=سائٹ کا نقشہ تیار کرنے کی تصدیق کریں۔ SitemapGenerated=سائٹ کا نقشہ فائل %s تیار کیا گیا @@ -148,12 +149,18 @@ ImportFavicon=فیویکان ErrorFaviconType=Favicon png ہونا چاہیے۔ ErrorFaviconSize=فیویکن کا سائز 16x16، 32x32 یا 64x64 ہونا چاہیے۔ FaviconTooltip=ایک تصویر اپ لوڈ کریں جس کا png ہونا ضروری ہے (16x16، 32x32 یا 64x64) -NextContainer=Next page/container -PreviousContainer=Previous page/container -WebsiteMustBeDisabled=The website must have the status "%s" -WebpageMustBeDisabled=The web page must have the status "%s" -SetWebsiteOnlineBefore=When website is offline, all pages are offline. Change status of website first. -Booking=Booking -Reservation=Reservation -PagesViewedPreviousMonth=Pages viewed (previous month) -PagesViewedTotal=Pages viewed (total) +NextContainer=اگلا صفحہ/کنٹینر +PreviousContainer=پچھلا صفحہ/کنٹینر +WebsiteMustBeDisabled=ویب سائٹ کی حیثیت "%s" ہونی چاہیے +WebpageMustBeDisabled=ویب صفحہ کی حیثیت "%s" ہونی چاہیے۔ +SetWebsiteOnlineBefore=جب ویب سائٹ آف لائن ہوتی ہے تو تمام صفحات آف لائن ہوتے ہیں۔ پہلے ویب سائٹ کا سٹیٹس تبدیل کریں۔ +Booking=بکنگ +Reservation=بکنگ +PagesViewedPreviousMonth=دیکھے گئے صفحات (پچھلا مہینہ) +PagesViewedTotal=دیکھے گئے صفحات (کل) +Visibility=مرئیت +Everyone=ہر کوئی +AssignedContacts=تفویض کردہ رابطے +WebsiteTypeLabel=ویب سائٹ کی قسم +WebsiteTypeDolibarrWebsite=ویب سائٹ (CMS Dolibarr) +WebsiteTypeDolibarrPortal=مقامی Dolibarr پورٹل diff --git a/htdocs/langs/ur_PK/withdrawals.lang b/htdocs/langs/ur_PK/withdrawals.lang index cb9d1a3918b..f84564c3beb 100644 --- a/htdocs/langs/ur_PK/withdrawals.lang +++ b/htdocs/langs/ur_PK/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=کریڈٹ ٹرانسفر کی درخواست کریں۔ WithdrawRequestsDone=%s براہ راست ڈیبٹ ادائیگی کی درخواستیں ریکارڈ کی گئیں۔ BankTransferRequestsDone=%s کریڈٹ ٹرانسفر کی درخواستیں ریکارڈ کی گئیں۔ ThirdPartyBankCode=تھرڈ پارٹی بینک کوڈ -NoInvoiceCouldBeWithdrawed=کوئی انوائس کامیابی سے ڈیبٹ نہیں ہوئی۔ چیک کریں کہ رسیدیں ایک درست IBAN والی کمپنیوں پر ہیں اور IBAN کے پاس UMR (منفرد مینڈیٹ حوالہ) ہے %s موڈ کے ساتھ۔ +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=یہ واپسی کی رسید پہلے ہی بطور کریڈٹ نشان زد ہے۔ یہ دو بار نہیں کیا جا سکتا، کیونکہ اس سے ممکنہ طور پر ڈپلیکیٹ ادائیگیاں اور بینک اندراجات پیدا ہوں گے۔ ClassCredited=درجہ بندی کریڈٹ ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=کیا آپ کو یقین ہے کہ آپ سوسائٹی RefusedData=مسترد ہونے کی تاریخ RefusedReason=انکار کی وجہ RefusedInvoicing=مسترد کرنے کا بل دینا -NoInvoiceRefused=مسترد ہونے کا الزام نہ لگائیں۔ -InvoiceRefused=انوائس سے انکار کر دیا گیا (کسٹمر سے مسترد ہونے کا چارج) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=اسٹیٹس ڈیبٹ/کریڈٹ StatusWaiting=انتظار کر رہا ہے۔ StatusTrans=بھیجا @@ -103,7 +106,7 @@ ShowWithdraw=براہ راست ڈیبٹ آرڈر دکھائیں۔ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=تاہم، اگر انوائس میں کم از کم ایک براہ راست ڈیبٹ ادائیگی کا آرڈر ابھی تک پروسیس نہیں ہوا ہے، تو اسے پہلے سے نکالنے کے انتظام کی اجازت دینے کے لیے بطور ادائیگی سیٹ نہیں کیا جائے گا۔ DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=ڈیبٹ آرڈر فائل @@ -115,7 +118,7 @@ RUM=UMR DateRUM=مینڈیٹ کے دستخط کی تاریخ RUMLong=منفرد مینڈیٹ حوالہ RUMWillBeGenerated=خالی ہونے کی صورت میں، بینک اکاؤنٹ کی معلومات محفوظ ہونے کے بعد ایک UMR (منفرد مینڈیٹ حوالہ) تیار کیا جائے گا۔ -WithdrawMode=ڈائریکٹ ڈیبٹ موڈ (FRST یا RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=براہ راست ڈیبٹ کی درخواست کی رقم: BankTransferAmount=کریڈٹ ٹرانسفر کی درخواست کی رقم: WithdrawRequestErrorNilAmount=خالی رقم کے لیے براہ راست ڈیبٹ کی درخواست بنانے سے قاصر۔ @@ -131,6 +134,7 @@ SEPAFormYourBAN=آپ کے بینک اکاؤنٹ کا نام (IBAN) SEPAFormYourBIC=آپ کا بینک شناختی کوڈ (BIC) SEPAFrstOrRecur=ادائیگی کی قسم ModeRECUR=بار بار چلنے والی ادائیگی +ModeRCUR=Recurring payment ModeFRST=یک طرفہ ادائیگی PleaseCheckOne=براہ کرم صرف ایک چیک کریں۔ CreditTransferOrderCreated=کریڈٹ ٹرانسفر آرڈر %s بنایا گیا۔ @@ -155,9 +159,16 @@ InfoTransData=رقم: %s
      طریقہ: %s
      تاریخ: %s InfoRejectSubject=براہ راست ڈیبٹ ادائیگی کے آرڈر سے انکار کر دیا گیا۔ InfoRejectMessage=ہیلو،

      کمپنی %s سے متعلق انوائس %s کا براہ راست ڈیبٹ ادائیگی آرڈر، جس میں %s کی رقم ہے بینک نے انکار کر دیا ہے۔

      --
      %s ModeWarning=اصلی موڈ کے لیے آپشن سیٹ نہیں کیا گیا تھا، ہم اس سمولیشن کے بعد رک جاتے ہیں۔ -ErrorCompanyHasDuplicateDefaultBAN=id %s والی کمپنی کے پاس ایک سے زیادہ ڈیفالٹ بینک اکاؤنٹ ہیں۔ یہ جاننے کا کوئی طریقہ نہیں کہ کون سا استعمال کرنا ہے۔ +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=بینک اکاؤنٹ %s میں ICS غائب ہے۔ TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=براہ راست ڈیبٹ آرڈر کی کل رقم لائنوں کے مجموعے سے مختلف ہے۔ WarningSomeDirectDebitOrdersAlreadyExists=انتباہ: پہلے سے ہی کچھ زیر التواء ڈائریکٹ ڈیبٹ آرڈرز (%s) کی درخواست کی گئی ہے %s WarningSomeCreditTransferAlreadyExists=انتباہ: پہلے سے ہی کچھ زیر التواء کریڈٹ ٹرانسفر (%s) کی درخواست کی گئی ہے %s کی رقم UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Salary +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/ur_PK/workflow.lang b/htdocs/langs/ur_PK/workflow.lang index 7da2a5f992f..98055a3372e 100644 --- a/htdocs/langs/ur_PK/workflow.lang +++ b/htdocs/langs/ur_PK/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=معاہدے کی توثیق کے بع descWORKFLOW_ORDER_AUTOCREATE_INVOICE=سیلز آرڈر بند ہونے کے بعد خودکار طور پر کسٹمر انوائس بنائیں (نئے انوائس میں آرڈر کے برابر رقم ہوگی) descWORKFLOW_TICKET_CREATE_INTERVENTION=On ticket creation, automatically create an intervention. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=جب سیلز آرڈر کو بل پر سیٹ کیا جاتا ہے تو لنکڈ سورس پروپوزل کو بطور بل کی درجہ بندی کریں (اور اگر آرڈر کی رقم دستخط شدہ لنکڈ پروپوزل کی کل رقم کے برابر ہے) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=جب گاہک کی انوائس کی توثیق کی جاتی ہے تو لنک شدہ سورس پروپوزل کو بل کے طور پر درجہ بندی کریں (اور اگر انوائس کی رقم دستخط شدہ لنکڈ پروپوزل کی کل رقم کے برابر ہے) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=جب کسٹمر انوائس کی توثیق کی جاتی ہے تو لنکڈ سورس سیلز آرڈر کو بل کے طور پر درجہ بندی کریں (اور اگر انوائس کی رقم منسلک آرڈر کی کل رقم کے برابر ہے) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=جب کسٹمر انوائس کو ادائیگی پر سیٹ کیا جاتا ہے تو لنکڈ سورس سیلز آرڈر کو بل کے طور پر درجہ بندی کریں (اور اگر انوائس کی رقم منسلک آرڈر کی کل رقم کے برابر ہے) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=جب کھیپ کی توثیق کی جاتی ہے تو منسلک سورس سیلز آرڈر کو بھیجے گئے کے طور پر درجہ بندی کریں (اور اگر تمام کھیپوں کے ذریعے بھیجی گئی مقدار وہی ہے جو اپ ڈیٹ کرنے کے حکم میں ہے) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=کھیپ بند ہونے پر لنکڈ سورس سیلز آرڈر کو بھیجے جانے کے طور پر درجہ بندی کریں (اور اگر تمام کھیپوں کے ذریعے بھیجی گئی مقدار وہی ہے جو اپ ڈیٹ کرنے کے لیے ہے) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=جب وینڈر انوائس کی توثیق کی جاتی ہے تو لنکڈ سورس وینڈر پروپوزل کو بل کے طور پر درجہ بندی کریں (اور اگر انوائس کی رقم منسلک پروپوزل کی کل رقم کے برابر ہے) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=جب وینڈر انوائس کی توثیق کی جاتی ہے تو لنکڈ سورس پرچیز آرڈر کو بل کے طور پر درجہ بندی کریں (اور اگر انوائس کی رقم منسلک آرڈر کی کل رقم کے برابر ہے) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=جب کسی استقبالیہ کی توثیق ہو جاتی ہے تو منسلک ذریعہ خریداری کے آرڈر کو موصول ہونے کے مطابق درجہ بندی کریں (اور اگر تمام استقبالیوں کو موصول ہونے والی مقدار وہی ہے جو اپ ڈیٹ کرنے کے لیے خریداری آرڈر میں ہے) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=ریسیپشن بند ہونے پر موصول ہونے والے لنکڈ سورس پرچیز آرڈر کی درجہ بندی کریں (اور اگر تمام ریسپشنز کو موصول ہونے والی مقدار وہی ہے جو اپ ڈیٹ کرنے کے لیے خریداری آرڈر میں ہے) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link available contracts of matching thirdparty +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=When linking contracts, search among those of parents companies # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=ٹکٹ بند ہونے پر ٹکٹ سے منسلک تمام مداخلتوں کو بند کر دیں۔ AutomaticCreation=خودکار تخلیق AutomaticClassification=خودکار درجہ بندی -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Automatic closing AutomaticLinking=Automatic linking diff --git a/htdocs/langs/uz_UZ/accountancy.lang b/htdocs/langs/uz_UZ/accountancy.lang index 8f5c174039a..379c783de71 100644 --- a/htdocs/langs/uz_UZ/accountancy.lang +++ b/htdocs/langs/uz_UZ/accountancy.lang @@ -14,8 +14,8 @@ ACCOUNTING_EXPORT_ENDLINE=Vagonni qaytarish turini tanlang ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name ThisService=Ushbu xizmat ThisProduct=Ushbu mahsulot -DefaultForService=Default for services -DefaultForProduct=Default for products +DefaultForService=Xizmatlar uchun standart +DefaultForProduct=Mahsulotlar uchun standart ProductForThisThirdparty=Ushbu uchinchi tomon uchun mahsulot ServiceForThisThirdparty=Ushbu uchinchi tomon uchun xizmat CantSuggest=Taklif qila olmayman @@ -38,10 +38,10 @@ DeleteCptCategory=Buxgalteriya hisobini guruhdan olib tashlang ConfirmDeleteCptCategory=Ushbu buxgalteriya hisobini buxgalteriya hisobi guruhidan olib tashlamoqchimisiz? JournalizationInLedgerStatus=Jurnalizatsiya holati AlreadyInGeneralLedger=Buxgalteriya jurnallari va buxgalteriya kitoblariga o'tkazilgan -NotYetInGeneralLedger=Hali ham jurnallar va daftarlarga o'tkazilmagan +NotYetInGeneralLedger=Hali buxgalteriya jurnallari va daftarga o'tkazilmagan GroupIsEmptyCheckSetup=Guruh bo'sh, shaxsiylashtirilgan buxgalteriya guruhini sozlashni tekshiring DetailByAccount=Hisob bo'yicha tafsilotlarni ko'rsatish -DetailBy=Detail by +DetailBy=Tafsilot tomonidan AccountWithNonZeroValues=Nolga teng bo'lmagan qiymatlar bilan hisob-kitoblar ListOfAccounts=Hisob-kitoblar ro'yxati CountriesInEEC=EEC tarkibidagi mamlakatlar @@ -49,23 +49,21 @@ CountriesNotInEEC=EEC tarkibiga kirmagan mamlakatlar CountriesInEECExceptMe=%s dan tashqari EECdagi mamlakatlar CountriesExceptMe=%s dan tashqari barcha mamlakatlar AccountantFiles=Dastlabki hujjatlarni eksport qilish -ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). +ExportAccountingSourceDocHelp=Ushbu vosita yordamida siz buxgalteriya hisobingizni yaratish uchun foydalaniladigan manba voqealarini qidirishingiz va eksport qilishingiz mumkin.
      Eksport qilingan ZIP fayl CSV formatidagi soʻralgan elementlar roʻyxatini hamda ularning asl formatidagi biriktirilgan fayllarini (PDF, ODT, DOCX...) oʻz ichiga oladi. ExportAccountingSourceDocHelp2=Jurnallaringizni eksport qilish uchun %s - %s menyu yozuvidan foydalaning. -ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. +ExportAccountingProjectHelp=Agar sizga faqat ma'lum bir loyiha uchun buxgalteriya hisoboti kerak bo'lsa, loyihani belgilang. Xarajatlar hisobotlari va kredit to'lovlari loyiha hisobotlariga kiritilmagan. +ExportAccountancy=Eksport hisobi +WarningDataDisappearsWhenDataIsExported=Ogohlantirish, bu ro'yxatda faqat eksport qilinmagan buxgalteriya yozuvlari mavjud (Eksport sanasi bo'sh). Agar siz allaqachon eksport qilingan buxgalteriya yozuvlarini qo'shmoqchi bo'lsangiz, yuqoridagi tugmani bosing. VueByAccountAccounting=Buxgalteriya hisobi bo'yicha ko'rish VueBySubAccountAccounting=Buxgalteriya subkontaji bo'yicha ko'rish -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup -UserAccountNotDefined=Accounting account for user not defined in setup +MainAccountForCustomersNotDefined=O'rnatishda aniqlanmagan mijozlar uchun asosiy hisob (Hisob jadvalidan). +MainAccountForSuppliersNotDefined=O'rnatishda aniqlanmagan sotuvchilar uchun asosiy hisob (Hisob jadvalidan). +MainAccountForUsersNotDefined=O'rnatishda aniqlanmagan foydalanuvchilar uchun asosiy hisob (Hisob jadvalidan). +MainAccountForVatPaymentNotDefined=O'rnatishda aniqlanmagan QQS to'lovi uchun hisob (Hisob rejasidan). +MainAccountForSubscriptionPaymentNotDefined=O'rnatishda aniqlanmagan a'zolik to'lovi uchun hisob (Hisob rejasidan). +MainAccountForRetainedWarrantyNotDefined=O'rnatishda aniqlanmagan saqlanib qolgan kafolat uchun hisob (Hisob rejasidan). +UserAccountNotDefined=Foydalanuvchi uchun buxgalteriya hisobi sozlamalarida aniqlanmagan AccountancyArea=Buxgalteriya hisobi maydoni AccountancyAreaDescIntro=Buxgalteriya modulidan foydalanish bir necha bosqichda amalga oshiriladi: @@ -77,6 +75,7 @@ AccountancyAreaDescJournalSetup=QADAM %s: %s menyusidan jurnal ro'yxati tarkibin AccountancyAreaDescChartModel=QADAM %s: hisob jadvalining modeli mavjudligini tekshiring yoki menyudan %s yarating. AccountancyAreaDescChart=QADAM %s: tanlang va | yoki hisob qaydnomangizni %s menyusidan to'ldiring. +AccountancyAreaDescFiscalPeriod=QADAM %s: Buxgalteriya yozuvlarini birlashtirish uchun sukut bo'yicha moliyaviy yilni belgilang. Buning uchun %s menyusidan foydalaning. AccountancyAreaDescVat=QADAM %s: har bir QQS stavkasi bo'yicha buxgalteriya hisobini belgilang. Buning uchun %s menyu yozuvidan foydalaning. AccountancyAreaDescDefault=QADAM %s: sukut bo'yicha buxgalteriya hisoblarini belgilang. Buning uchun %s menyu yozuvidan foydalaning. AccountancyAreaDescExpenseReport=QADAM %s: Xarajatlar hisobotining har bir turi uchun standart buxgalteriya hisoblarini belgilang. Buning uchun %s menyu yozuvidan foydalaning. @@ -84,19 +83,20 @@ AccountancyAreaDescSal=QADAM %s: Ish haqini to'lash bo'yicha buxgalteriya hisobi AccountancyAreaDescContrib=QADAM %s: Soliqlar uchun standart buxgalteriya hisoblarini belgilang (maxsus xarajatlar). Buning uchun %s menyu yozuvidan foydalaning. AccountancyAreaDescDonation=QADAM %s: xayr-ehson uchun buxgalteriya hisobini belgilang. Buning uchun %s menyu yozuvidan foydalaning. AccountancyAreaDescSubscription=QADAM %s: a'zo obuna uchun buxgalteriya hisobini belgilang. Buning uchun %s menyu yozuvidan foydalaning. -AccountancyAreaDescMisc=QADAM %s: Turli xil operatsiyalar uchun majburiy sukut qaydnomasi va buxgalteriya hisobini belgilang. Buning uchun %s menyu yozuvidan foydalaning. +AccountancyAreaDescMisc=QADAM %s: Har xil tranzaksiyalar uchun majburiy standart hisob va standart hisob qaydnomalarini belgilang. Buning uchun %s menyusidan foydalaning. AccountancyAreaDescLoan=QADAM %s: ssudalar bo'yicha ssudalarning buxgalteriya hisobini belgilang. Buning uchun %s menyu yozuvidan foydalaning. AccountancyAreaDescBank=QADAM %s: har bir bank va moliyaviy hisob uchun buxgalteriya hisobi va jurnal kodini aniqlang. Buning uchun %s menyu yozuvidan foydalaning. AccountancyAreaDescProd=QADAM %s: Mahsulotlar/xizmatlaringizda buxgalteriya hisoblarini aniqlang. Buning uchun %s menyu yozuvidan foydalaning. AccountancyAreaDescBind=QADAM %s: mavjud %s satrlari bilan buxgalteriya hisobi o'rtasidagi bog'lanishni tekshiring, shuning uchun dastur bir marta bosish bilan Ledger-dagi operatsiyalarni jurnalga yozib olish imkoniyatiga ega bo'ladi. To'liq etishmayotgan birikmalar. Buning uchun %s menyu yozuvidan foydalaning. AccountancyAreaDescWriteRecords=QADAM %s: operatsiyalarni kitobga yozing. Buning uchun %s menyusiga o'ting va %s tugmachasini bosing. -AccountancyAreaDescAnalyze=QADAM %s: Mavjud operatsiyalarni qo'shish yoki tahrirlash, hisobotlar va eksportlarni yaratish. - -AccountancyAreaDescClosePeriod=QADAM %s: Yopish davri, shuning uchun kelajakda o'zgartirishlar kiritolmaymiz. +AccountancyAreaDescAnalyze=STEP %s: Read reportings or generate export files for other bookkeepers. +AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't transfer anymore data in the same period in a future. +TheFiscalPeriodIsNotDefined=Sozlashning majburiy bosqichi tugallanmagan (moliyaviy davr aniqlanmagan) TheJournalCodeIsNotDefinedOnSomeBankAccount=O'rnatishning majburiy bosqichi tugallanmagan (buxgalteriya kodlari jurnali barcha bank hisoblari uchun aniqlanmagan) Selectchartofaccounts=Faol hisobvaraqlar rejasini tanlang +CurrentChartOfAccount=Current active chart of account ChangeAndLoad=O'zgartirish va yuklash Addanaccount=Add an accounting account AccountAccounting=Accounting account @@ -107,8 +107,8 @@ ShowAccountingAccount=Buxgalteriya hisobini ko'rsatish ShowAccountingJournal=Buxgalteriya jurnalini ko'rsatish ShowAccountingAccountInLedger=Buxgalteriya hisobini daftarda ko'rsatish ShowAccountingAccountInJournals=Buxgalteriya hisobini jurnallarda ko'rsatish -DataUsedToSuggestAccount=Data used to suggest account -AccountAccountingSuggest=Account suggested +DataUsedToSuggestAccount=Hisobni taklif qilish uchun foydalanilgan maʼlumotlar +AccountAccountingSuggest=Hisob taklif qilindi MenuDefaultAccounts=Standart hisoblar MenuBankAccounts=Bank hisobvaraqlari MenuVatAccounts=QQS hisob-kitoblari @@ -118,7 +118,7 @@ MenuLoanAccounts=Kredit hisobvaraqlari MenuProductsAccounts=Mahsulot hisoblari MenuClosureAccounts=Yopish hisoblari MenuAccountancyClosure=Yopish -MenuExportAccountancy=Export accountancy +MenuExportAccountancy=Eksport hisobi MenuAccountancyValidationMovements=Harakatlarni tasdiqlang ProductsBinding=Mahsulotlar hisoblari TransferInAccounting=Buxgalteriya hisobiga o'tkazish @@ -134,7 +134,7 @@ WriteBookKeeping=Buxgalteriya hisobida operatsiyalarni qayd etish Bookkeeping=Kitob BookkeepingSubAccount=Subledger AccountBalance=Hisob balansi -AccountBalanceSubAccount=Sub-accounts balance +AccountBalanceSubAccount=Sub-hisoblar balansi ObjectsRef=Manba ob'ekti ref CAHTF=Soliqqa qadar jami sotib olish sotuvchisi TotalExpenseReport=Jami xarajatlar hisoboti @@ -171,48 +171,50 @@ ACCOUNTING_MANAGE_ZERO=Buxgalteriya hisobi oxirida turli xil nollarni boshqarish BANK_DISABLE_DIRECT_INPUT=Bank hisobvarag'idagi operatsiyani to'g'ridan-to'g'ri yozib olishni o'chirib qo'ying ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Jurnalda qoralama eksportni yoqish ACCOUNTANCY_COMBO_FOR_AUX=Yordamchi hisob uchun kombinatsiyalangan ro'yxatni yoqish (agar sizda uchinchi shaxslar ko'p bo'lsa, sekin bo'lishi mumkin, qiymatning bir qismini qidirish qobiliyati buziladi) -ACCOUNTING_DATE_START_BINDING=Buxgalteriyada majburiy va o'tkazishni boshlash uchun sanani aniqlang. Ushbu sana ostida operatsiyalar buxgalteriya hisobiga o'tkazilmaydi. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTING_DATE_START_BINDING=Sana ushbu sanadan past bo'lsa, buxgalteriya hisobiga majburiy va o'tkazishni o'chirib qo'ying (shu sanagacha bo'lgan operatsiyalar sukut bo'yicha istisno qilinadi) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Sahifada ma'lumotlarni buxgalteriya hisobiga o'tkazish uchun sukut bo'yicha tanlangan davr qancha -ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns -ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements +ACCOUNTING_SELL_JOURNAL=Savdo jurnali - sotish va qaytarish +ACCOUNTING_PURCHASE_JOURNAL=Sotib olish jurnali - sotib olish va qaytarish +ACCOUNTING_BANK_JOURNAL=Kassa jurnali - tushum va to'lovlar ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal -ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal +ACCOUNTING_MISCELLANEOUS_JOURNAL=Umumiy jurnal ACCOUNTING_HAS_NEW_JOURNAL=Yangi jurnal mavjud -ACCOUNTING_INVENTORY_JOURNAL=Inventory journal +ACCOUNTING_INVENTORY_JOURNAL=Inventarizatsiya jurnali ACCOUNTING_SOCIAL_JOURNAL=Social journal ACCOUNTING_RESULT_PROFIT=Natija buxgalteriya hisobi (foyda) ACCOUNTING_RESULT_LOSS=Natija buxgalteriya hisobi (Zarar) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Yopish jurnali +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Balans hisobi uchun foydalaniladigan buxgalteriya guruhlari (vergul bilan ajratilgan) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Daromad hisoboti uchun foydalaniladigan buxgalteriya guruhlari (vergul bilan ajratilgan) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers +ACCOUNTING_ACCOUNT_TRANSFER_CASH=O'tish davri bank o'tkazmalari uchun hisobvaraq sifatida foydalaniladigan hisob (Hisob rejasidan). TransitionalAccount=O'tkazma hisobvarag'i -ACCOUNTING_ACCOUNT_SUSPENSE=Account (from the Chart Of Account) to be used as the account for unallocated funds either received or paid i.e. funds in "wait[ing]" -DONATION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register donations (Donation module) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ACCOUNTING_ACCOUNT_SUSPENSE=Qabul qilingan yoki to'langan taqsimlanmagan mablag'lar, ya'ni "kutish[ing]"dagi mablag'lar uchun hisob sifatida foydalaniladigan hisob (Hisob jadvalidan) +DONATION_ACCOUNTINGACCOUNT=Xayriyalarni ro'yxatdan o'tkazish uchun foydalaniladigan hisob (Hisob jadvalidan) (Xayriya moduli) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Aʼzolik obunalarini roʻyxatdan oʻtkazish uchun foydalaniladigan hisob (Hisob jadvalidan) (Aʼzolik moduli – agar aʼzolik fakturasiz qayd etilgan boʻlsa) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit -UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default -UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Accounting account by default to register customer retained warranty +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Mijoz depozitini ro'yxatdan o'tkazish uchun standart hisob sifatida foydalaniladigan hisob (Hisob jadvalidan). +UseAuxiliaryAccountOnCustomerDeposit=Mijoz hisobini dastlabki to‘lovlar qatori uchun yordamchi daftarda shaxsiy hisob sifatida saqlang (agar o‘chirib qo‘yilgan bo‘lsa, dastlabki to‘lovlar uchun shaxsiy hisob bo‘sh qoladi) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Standart sifatida foydalanish uchun hisob (Hisob jadvalidan). +UseAuxiliaryAccountOnSupplierDeposit=Ta'minotchi hisobvarag'ini dastlabki to'lovlar qatorlari uchun yordamchi daftarda shaxsiy hisob sifatida saqlang (agar o'chirilgan bo'lsa, dastlabki to'lovlar uchun shaxsiy hisob bo'sh qoladi) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Buxgalteriya hisobi sukut bo'yicha mijozning saqlanib qolgan kafolatini ro'yxatdan o'tkazish uchun -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Xuddi shu mamlakatda sotib olingan mahsulotlar uchun standart hisob sifatida foydalaniladigan hisob (Hisob jadvalidan) (mahsulot varaqasida belgilanmagan bo'lsa ishlatiladi) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=EECdan boshqa EEC davlatiga sotib olingan mahsulotlar uchun standart hisob sifatida foydalaniladigan hisob (hisob jadvalidan) (mahsulot varaqasida belgilanmagan bo'lsa ishlatiladi) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Boshqa har qanday xorijiy davlatdan sotib olingan va import qilinadigan mahsulotlar uchun standart hisob sifatida foydalaniladigan hisob (hisob jadvalidan) (agar mahsulot varaqasida ko'rsatilmagan bo'lsa, foydalaniladi) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Sotilgan mahsulotlar uchun standart hisob sifatida foydalaniladigan hisob (hisob jadvalidan) (mahsulot varaqasida belgilanmagan bo'lsa ishlatiladi) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Hisob (Hisob jadvalidan) EECdan boshqa EEC davlatiga sotilgan mahsulotlar uchun standart hisob sifatida foydalaniladi (agar mahsulot varaqasida aniqlanmagan bo'lsa ishlatiladi) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Boshqa xorijiy davlatga sotilgan va eksport qilinadigan mahsulotlar uchun standart hisob sifatida foydalaniladigan hisob (hisob jadvalidan) (agar mahsulot varaqasida belgilanmagan bo'lsa, foydalaniladi) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased within same country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=Xuddi shu mamlakatda sotib olingan xizmatlar uchun standart hisob sifatida foydalaniladigan hisob (Hisob jadvalidan) (xizmat varaqasida belgilanmagan bo'lsa ishlatiladi) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=EECdan boshqa EEC davlatiga sotib olingan xizmatlar uchun standart hisob sifatida foydalaniladigan hisob (hisob jadvalidan) (xizmat varaqasida belgilanmagan bo'lsa ishlatiladi) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Boshqa xorijiy davlatdan sotib olingan va import qilinadigan xizmatlar uchun standart hisob sifatida foydalaniladigan hisob (Hisob rejasidan) (xizmat varaqasida ko'rsatilmagan bo'lsa, foydalaniladi) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=Sotilgan xizmatlar uchun standart hisob sifatida foydalaniladigan hisob (hisob jadvalidan) (xizmat varaqasida belgilanmagan bo'lsa ishlatiladi) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=EECdan boshqa EEC davlatiga sotiladigan xizmatlar uchun standart hisob sifatida foydalaniladigan hisob (hisob jadvalidan) (xizmat varaqasida belgilanmagan bo'lsa ishlatiladi) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Boshqa har qanday xorijiy davlatga sotilgan va eksport qilinadigan xizmatlar uchun standart hisob sifatida foydalaniladigan hisob (Hisob rejasidan) (xizmat varaqasida ko'rsatilmagan bo'lsa, foydalaniladi) Doctype=Type of document Docdate=Date @@ -227,8 +229,8 @@ Codejournal=Journal JournalLabel=Jurnal yorlig'i NumPiece=Parcha raqami TransactionNumShort=Raqam bitim -AccountingCategory=Custom group of accounts -AccountingCategories=Custom groups of accounts +AccountingCategory=Shaxsiy hisoblar guruhi +AccountingCategories=Shaxsiy hisoblar guruhlari GroupByAccountAccounting=Bosh kitob schyoti bo'yicha guruhlash GroupBySubAccountAccounting=Subledger schyoti bo'yicha guruhlash AccountingAccountGroupsDesc=Siz bu erda buxgalteriya hisobining ayrim guruhlarini belgilashingiz mumkin. Ular shaxsiylashtirilgan buxgalteriya hisobotlari uchun ishlatiladi. @@ -245,7 +247,7 @@ ConfirmDeleteMvt=Bu yil/oy va/yoki ma'lum bir jurnal uchun buxgalteriya hisobida ConfirmDeleteMvtPartial=Bu buxgalteriya hisobidan tranzaksiyani o'chiradi (bir xil tranzaksiyaga tegishli barcha qatorlar o'chiriladi) FinanceJournal=Finance journal ExpenseReportsJournal=Xarajatlar hisoboti jurnali -InventoryJournal=Inventory journal +InventoryJournal=Inventarizatsiya jurnali DescFinanceJournal=Finance journal including all the types of payments by bank account DescJournalOnlyBindedVisible=Bu buxgalteriya hisobi bilan bog'liq bo'lgan yozuvlar va Jurnallar va Daftarlarga yozilishi mumkin bo'lgan ko'rinishdir. VATAccountNotDefined=QQS uchun hisob-kitob aniqlanmagan @@ -277,20 +279,20 @@ ShowSubtotalByGroup=Subtotalni daraja bo'yicha ko'rsatish Pcgtype=Hisob guruhi PcgtypeDesc=Hisob-kitoblar guruhi ba'zi buxgalteriya hisobotlari uchun oldindan belgilangan "filtr" va "guruhlash" mezonlari sifatida ishlatiladi. Masalan, "KIRISh" yoki "XARAJATLAR" xarajatlar / daromadlar to'g'risidagi hisobotni tuzish uchun mahsulotlarning buxgalteriya hisobi guruhlari sifatida ishlatiladi. -AccountingCategoriesDesc=Custom group of accounts can be used to group accounting accounts into one name to ease filter use or building of custom reports. +AccountingCategoriesDesc=Maxsus hisoblar guruhi filtrdan foydalanishni yoki maxsus hisobotlarni yaratishni osonlashtirish uchun buxgalteriya hisoblarini bitta nomga guruhlash uchun ishlatilishi mumkin. Reconcilable=Yarashtiriladigan TotalVente=Total turnover before tax TotalMarge=Total sales margin -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account -DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product account from chart of account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account -ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: +DescVentilCustomer=Hisoblar jadvalidan mahsulot hisobiga bog'langan (yoki bog'lanmagan) mijozlar hisob-fakturalari ro'yxatini shu yerda ko'ring. +DescVentilMore=Aksariyat hollarda, agar siz oldindan belgilangan mahsulot yoki xizmatlardan foydalansangiz va mahsulot/xizmat kartasida hisobni (hisob jadvalidan) o'rnatgan bo'lsangiz, dastur hisob-faktura satrlari va jadvalingizning buxgalteriya hisobi o'rtasidagi barcha bog'lanishlarni amalga oshirishi mumkin. bir marta bosish bilan "%s"b0a65d071f6spanfc90z >. Agar hisob mahsulot/xizmat kartalarida oʻrnatilmagan boʻlsa yoki sizda hali ham hisobga bogʻlanmagan qatorlar mavjud boʻlsa, “%s". +DescVentilDoneCustomer=Bu yerda mijozlar hisob-fakturalari qatorlari ro‘yxati va hisoblar jadvalidagi mahsulot hisobi bilan tanishing +DescVentilTodoCustomer=Hisoblar jadvalidan mahsulot hisobi bilan bog'lanmagan hisob-faktura qatorlarini bog'lang +ChangeAccount=Tanlangan qatorlar uchun mahsulot/xizmat hisobini (hisob jadvalidan) quyidagi hisob bilan o'zgartiring: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Hisoblar rejasidan mahsulot hisobiga bog'langan yoki hali bog'lanmagan sotuvchi hisob-fakturalari ro'yxati bilan bu erda tanishing (faqat buxgalteriya hisobiga o'tkazilmagan yozuv ko'rinadi) DescVentilDoneSupplier=Bu erda sotuvchilarning schyot-fakturalari ro'yxati va ularning buxgalteriya hisobi bilan maslahatlashing DescVentilTodoExpenseReport=To'lovlarni hisobga olish hisobvarag'i bilan bog'lanmagan majburiy xarajatlar to'g'risidagi hisobot satrlari DescVentilExpenseReport=To'lovlarni hisobga olish hisobvarag'iga bog'langan (yoki bo'lmagan) xarajatlar hisobotlari ro'yxati bilan bu erda maslahatlashing @@ -298,25 +300,25 @@ DescVentilExpenseReportMore=Agar siz buxgalteriya hisobini xarajatlar to'g'risid DescVentilDoneExpenseReport=Xarajatlar hisobotlari ro'yxati va ularning to'lovlarini hisobga olish hisobi bilan bu erda maslahatlashing Closure=Yillik yopilish -DescClosure=Consult here the number of movements by month not yet validated & locked +AccountancyClosureStep1Desc=Hali tasdiqlanmagan va qulflanmagan oylar bo'yicha harakatlar soni bilan bu erda maslahatlashing OverviewOfMovementsNotValidated=Tasdiqlanmagan va qulflanmagan harakatlarning umumiy ko'rinishi AllMovementsWereRecordedAsValidated=Barcha harakatlar tasdiqlangan va qulflangan sifatida qayd etilgan NotAllMovementsCouldBeRecordedAsValidated=Hamma harakatlarni tasdiqlangan va qulflangan deb yozib bo'lmaydi -ValidateMovements=Validate and lock movements +ValidateMovements=Harakatlarni tasdiqlash va qulflash DescValidateMovements=Yozishni, xatlarni va o'chirishni har qanday o'zgartirish yoki o'chirish taqiqlanadi. Jismoniy mashqlar uchun barcha yozuvlar tasdiqlanishi kerak, aks holda yopish mumkin bo'lmaydi ValidateHistory=Avtomatik bog'lash AutomaticBindingDone=Avtomatik ulanishlar bajarildi (%s) - Ba'zi yozuvlar uchun avtomatik bog'lash mumkin emas (%s) -DoManualBindingForFailedRecord=You have to do a manual link for the %s row(s) not linked automatically. +DoManualBindingForFailedRecord=Avtomatik ulanmagan %s qator(lar)i uchun qoʻlda havola qilishingiz kerak. -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used +ErrorAccountancyCodeIsAlreadyUse=Xato, siz hisob jadvalining ushbu hisobini oʻchira olmaysiz yoki oʻchira olmaysiz, chunki u ishlatilgan MvtNotCorrectlyBalanced=Harakat to'g'ri muvozanatlanmagan. Debet = %s & Kredit = %s Balancing=Balanslash FicheVentilation=Majburiy karta GeneralLedgerIsWritten=Bitimlar kitobda yozilgan GeneralLedgerSomeRecordWasNotRecorded=Ba'zi operatsiyalarni jurnalga yozib bo'lmaydi. Agar boshqa xato xabari bo'lmasa, bu ular allaqachon jurnalga yozilganligi sababli bo'lishi mumkin. NoNewRecordSaved=O‘tkazish uchun boshqa rekord yo‘q -ListOfProductsWithoutAccountingAccount=List of products not bound to any account of chart of account +ListOfProductsWithoutAccountingAccount=Hisoblar rejasining hech qanday hisobiga bog'lanmagan mahsulotlar ro'yxati ChangeBinding=Majburiylikni o'zgartiring Accounted=Hisob kitobida hisobga olingan NotYetAccounted=Buxgalteriya hisobiga hali o'tkazilmagan @@ -339,10 +341,10 @@ AccountingJournalType1=Turli xil operatsiyalar AccountingJournalType2=Sotish AccountingJournalType3=Xaridlar AccountingJournalType4=Bank -AccountingJournalType5=Expense reports +AccountingJournalType5=Xarajatlar hisoboti AccountingJournalType8=Inventarizatsiya -AccountingJournalType9=Yangi-yangi -GenerationOfAccountingEntries=Generation of accounting entries +AccountingJournalType9=Ajratilmagan daromad +GenerationOfAccountingEntries=Buxgalteriya yozuvlarini yaratish ErrorAccountingJournalIsAlreadyUse=Ushbu jurnal allaqachon ishlatilgan AccountingAccountForSalesTaxAreDefinedInto=Izoh: Sotish solig'i bo'yicha buxgalteriya hisobi %s - %s menyusida aniqlanadi NumberOfAccountancyEntries=Yozuvlar soni @@ -350,20 +352,22 @@ NumberOfAccountancyMovements=Harakatlar soni ACCOUNTING_DISABLE_BINDING_ON_SALES=Sotish bo'yicha buxgalteriyada majburiy va o'tkazishni o'chirib qo'ying (mijozlar hisob-kitoblari buxgalteriya hisobida hisobga olinmaydi) ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Xaridlar bo'yicha buxgalteriyada majburiy va o'tkazishni o'chirib qo'ying (sotuvchi hisob-kitoblari buxgalteriya hisobida hisobga olinmaydi) ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Xarajatlar hisobotlari bo'yicha buxgalteriyada majburiy va o'tkazishni o'chirib qo'ying (xarajatlar hisoboti buxgalteriya hisobida hisobga olinmaydi) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting -ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. -ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user -OptionsAdvanced=Advanced options -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_ENABLE_LETTERING=Buxgalteriya hisobida harflar funksiyasini yoqing +ACCOUNTING_ENABLE_LETTERING_DESC=Ushbu parametr yoqilganda, siz har bir buxgalteriya yozuvida turli xil buxgalteriya harakatlarini guruhlashingiz uchun kodni belgilashingiz mumkin. Ilgari, turli jurnallar mustaqil ravishda boshqarilsa, bu xususiyat turli jurnallarning harakat chiziqlarini birlashtirish uchun zarur edi. Biroq, Dolibarr buxgalteriyasi bilan bunday kuzatuv kodi "%sb09a4b739fz01f deb ataladi. span>" allaqachon avtomatik tarzda saqlangan, shuning uchun avtomatik harflar allaqachon bajarilgan, xatolik xavfi yo'q, shuning uchun bu xususiyat umumiy foydalanish uchun foydasiz bo'lib qoldi. Qo'lda harf yozish xususiyati buxgalteriya hisobidagi ma'lumotlarni uzatishni amalga oshiradigan kompyuter dvigateliga haqiqatan ham ishonmaydigan oxirgi foydalanuvchilar uchun taqdim etiladi. +EnablingThisFeatureIsNotNecessary=Bu xususiyatni yoqish buxgalteriya hisobini jiddiy boshqarish uchun endi zarur emas. +ACCOUNTING_ENABLE_AUTOLETTERING=Buxgalteriya hisobiga o'tishda avtomatik harflarni yoqish +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Harf uchun kod avtomatik ravishda yaratiladi va oshiriladi va oxirgi foydalanuvchi tomonidan tanlanmaydi +ACCOUNTING_LETTERING_NBLETTERS=Harf kodini yaratishda harflar soni (standart 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Ba'zi buxgalteriya dasturlari faqat ikki harfli kodni qabul qiladi. Ushbu parametr ushbu jihatni o'rnatishga imkon beradi. Harflarning standart soni uchtadir. +OptionsAdvanced=Kengaytirilgan variantlar +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Yetkazib beruvchining xaridlari uchun QQS teskari to'lovini boshqarishni faollashtiring +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Ushbu parametr yoqilgan bo'lsa, siz yetkazib beruvchi yoki ma'lum bir sotuvchi hisob-fakturasini buxgalteriya hisobiga boshqacha tarzda o'tkazish kerakligini belgilashingiz mumkin: "<" da belgilangan hisoblar rejasidan 2 ta hisobvaraq bo'yicha buxgalteriya hisobiga qo'shimcha debet va kredit liniyasi hosil bo'ladi. span class='notranslate'>%s" sozlash sahifasi. ## Export -NotExportLettering=Do not export the lettering when generating the file -NotifiedExportDate=Flag not yet exported lines as Exported (to modify a line flagged as exported, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries not yet already locked (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) -NotifiedExportFull=Export documents ? +NotExportLettering=Faylni yaratishda harflarni eksport qilmang +NotifiedExportDate=Hali eksport qilinmagan qatorlarni Eksport qilingan deb belgilang (eksport qilingan deb belgilangan qatorni o‘zgartirish uchun butun tranzaksiyani o‘chirib tashlashingiz va uni buxgalteriya hisobiga qayta o‘tkazishingiz kerak) +NotifiedValidationDate=Hali bloklanmagan eksport qilingan yozuvlarni tasdiqlash va bloklash ("%s" funksiyasi bilan bir xil effekt, oʻzgartirish va oʻchirish qatorlar ALBATTA mumkin emas) +NotifiedExportFull=Hujjatlarni eksport qilishmi? DateValidationAndLock=Sanani tekshirish va qulflash ConfirmExportFile=Buxgalteriya eksporti faylini yaratishni tasdiqlashmi? ExportDraftJournal=Jurnal jurnalini eksport qiling @@ -394,7 +398,7 @@ ChartofaccountsId=Hisob-kitoblar rejasi ## Tools - Init accounting account on product / service InitAccountancy=Buxgalteriya hisobi InitAccountancyDesc=Ushbu sahifada sotish va sotib olish uchun aniqlangan buxgalteriya hisobi bo'lmagan mahsulotlar va xizmatlar bo'yicha buxgalteriya hisobini boshlash uchun foydalanish mumkin. -DefaultBindingDesc=This page can be used to set the default accounts (from the chart of account) to use to link business objects with an account, like payment salaries, donation, taxes and VAT, when no specific account were already set. +DefaultBindingDesc=Bu sahifadan maoshlar, xayriya, soliqlar va QQS kabi biznes ob'ektlarini hisob bilan bog'lash uchun foydalanish uchun standart hisoblarni (hisob jadvalidan) o'rnatish uchun foydalanish mumkin, agar aniq hisob o'rnatilmagan bo'lsa. DefaultClosureDesc=Ushbu sahifadan buxgalteriya hisobini yopish uchun ishlatiladigan parametrlarni o'rnatish uchun foydalanish mumkin. Options=Variantlar OptionModeProductSell=Sotish rejimi @@ -420,7 +424,7 @@ SaleLocal=Mahalliy sotuv SaleExport=Eksportni sotish SaleEEC=EECda sotish SaleEECWithVAT=EECda QQS bilan sotish bekor bo'lmaydi, shuning uchun bu kommunal ichki savdo emas va taklif qilingan hisob standart mahsulot hisobvarag'i. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithoutVATNumber=EECda QQSsiz sotish, lekin uchinchi tomonning QQS identifikatori aniqlanmagan. Biz standart savdo hisobiga tushamiz. Siz uchinchi tomonning QQS identifikatorini tuzatishingiz yoki kerak bo'lsa, bog'lash uchun tavsiya etilgan mahsulot hisobini o'zgartirishingiz mumkin. ForbiddenTransactionAlreadyExported=Taqiqlangan: tranzaktsiya tasdiqlangan va/yoki eksport qilingan. ForbiddenTransactionAlreadyValidated=Taqiqlangan: tranzaksiya tasdiqlangan. ## Dictionary @@ -429,11 +433,11 @@ Calculated=Hisoblangan Formula=Formula ## Reconcile -LetteringAuto=Reconcile auto -LetteringManual=Reconcile manual +LetteringAuto=Avtomatik moslashtirish +LetteringManual=Muvofiqlashtirish bo'yicha qo'llanma Unlettering=Murosasiz -UnletteringAuto=Unreconcile auto -UnletteringManual=Unreconcile manual +UnletteringAuto=Avtomatik kelishuvni bekor qilish +UnletteringManual=Murosasiz qo'llanma AccountancyNoLetteringModified=Hech qanday kelishuv o'zgartirilmagan AccountancyOneLetteringModifiedSuccessfully=Bitta yarashuv muvaffaqiyatli oʻzgartirildi AccountancyLetteringModifiedSuccessfully=%s moslashtirish muvaffaqiyatli o'zgartirildi @@ -441,16 +445,30 @@ AccountancyNoUnletteringModified=Hech qanday kelishuv oʻzgartirilmagan AccountancyOneUnletteringModifiedSuccessfully=Bitta kelishuv muvaffaqiyatli oʻzgartirildi AccountancyUnletteringModifiedSuccessfully=%s unreconcile muvaffaqiyatli oʻzgartirildi +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period +AccountancyClosureStep3=3-qadam: Yozuvlarni chiqarib oling (ixtiyoriy) +AccountancyClosureClose=Moliyaviy davrni yopish +AccountancyClosureAccountingReversal="Taqsimlanmagan daromad" yozuvlarini chiqarib oling va yozib oling +AccountancyClosureStep3NewFiscalPeriod=Keyingi moliyaviy davr +AccountancyClosureGenerateClosureBookkeepingRecords=Keyingi moliyaviy davrda "taqsimlanmagan foyda" yozuvlarini yarating +AccountancyClosureSeparateAuxiliaryAccounts="Taqsimlanmagan daromad" yozuvlarini yaratishda sub-buxgalteriya hisoblarini batafsil ko'rsating +AccountancyClosureCloseSuccessfully=Moliyaviy davr muvaffaqiyatli yakunlandi +AccountancyClosureInsertAccountingReversalSuccessfully="Taqsimlanmagan foyda" uchun buxgalteriya yozuvlari muvaffaqiyatli kiritildi + ## Confirm box -ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation -ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? +ConfirmMassUnletteringAuto=Ommaviy avtomatik kelishuvni tasdiqlash +ConfirmMassUnletteringManual=Ommaviy qo‘lda kelishish tasdiqlanishi +ConfirmMassUnletteringQuestion=Haqiqatan ham %s tanlangan yozuv(lar)ni yarashtirmoqchimisiz? ConfirmMassDeleteBookkeepingWriting=Ommaviy oʻchirishni tasdiqlash -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +ConfirmMassDeleteBookkeepingWritingQuestion=Bu operatsiyani buxgalteriya hisobidan o'chiradi (bir xil tranzaksiya bilan bog'liq barcha qator yozuvlari o'chiriladi). Haqiqatan ham %s tanlangan yozuvlarni oʻchirib tashlamoqchimisiz? +AccountancyClosureConfirmClose=Haqiqatan ham joriy moliyaviy davrni yopmoqchimisiz? Fiskal davrni yopish qaytarib bo‘lmaydigan amal ekanligini tushunasiz va bu muddat davomida kiritilgan har qanday o‘zgartirish yoki o‘chirishni butunlay blokirovka qiladi . +AccountancyClosureConfirmAccountingReversal=Haqiqatan ham "Taqsimlanmagan daromad" uchun yozuvlarni yozmoqchimisiz? ## Error SomeMandatoryStepsOfSetupWereNotDone=O'rnatishning ba'zi majburiy bosqichlari bajarilmadi, iltimos, ularni to'ldiring -ErrorNoAccountingCategoryForThisCountry=%s mamlakati uchun buxgalteriya hisobi guruhi mavjud emas (Uyga qarang - O'rnatish - Lug'atlar) +ErrorNoAccountingCategoryForThisCountry=%s mamlakati uchun buxgalteriya hisobi guruhi mavjud emas (Qarang: %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Siz hisob-fakturaning ba'zi satrlarini jurnalga yozishga harakat qilyapsiz %s , ammo boshqa qatorlar hali buxgalteriya hisobi bilan chegaralanmagan. Ushbu hisob-faktura uchun barcha hisob-fakturalarni jurnalizatsiya qilish rad etiladi. ErrorInvoiceContainsLinesNotYetBoundedShort=Hisob-fakturadagi ba'zi satrlar buxgalteriya hisobi bilan bog'liq emas. ExportNotSupported=Ushbu sahifada eksport formati o'rnatilmagan @@ -459,12 +477,15 @@ NoJournalDefined=Hech qanday jurnal aniqlanmagan Binded=Chiziqlar bog'langan ToBind=Bog'lash uchun chiziqlar UseMenuToSetBindindManualy=Chiziqlar hali bog'lanmagan, bog'lanishni qo'lda bajarish uchun %s menyusidan foydalaning -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Note: this module or page is not completely compatible with the experimental feature of situation invoices. Some data may be wrong. +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Eslatma: bu modul yoki sahifa vaziyat hisob-fakturalarining eksperimental xususiyatiga to‘liq mos kelmaydi. Ba'zi ma'lumotlar noto'g'ri bo'lishi mumkin. AccountancyErrorMismatchLetterCode=Kelishuv kodidagi nomuvofiqlik AccountancyErrorMismatchBalanceAmount=Balans (%s) 0 ga teng emas AccountancyErrorLetteringBookkeeping=Tranzaktsiyalarda xatoliklar yuz berdi: %s -ErrorAccountNumberAlreadyExists=The accounting number %s already exists -ErrorArchiveAddFile=Can't put "%s" file in archive +ErrorAccountNumberAlreadyExists=%s hisob raqami allaqachon mavjud +ErrorArchiveAddFile=“%s” faylni arxivga qo‘yib bo‘lmadi +ErrorNoFiscalPeriodActiveFound=Faol moliyaviy davr topilmadi +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Buxgalteriya hujjati sanasi faol moliyaviy davrda emas +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Buxgalteriya hujjati sanasi yopiq moliyaviy davr ichida ## Import ImportAccountingEntries=Buxgalteriya yozuvlari @@ -489,9 +510,9 @@ FECFormatMulticurrencyAmount=Ko'p valyuta miqdori (Montantdevise) FECFormatMulticurrencyCode=Ko'p valyuta kodi (Idevise) DateExport=Sana eksporti -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contain transactions modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. +WarningReportNotReliable=Ogohlantirish, bu hisobot daftarga asoslanmagan, shuning uchun daftarda qo'lda o'zgartirilgan operatsiyalar mavjud emas. Agar sizning jurnalingiz yangilangan bo'lsa, buxgalteriya hisobi ko'rinishi aniqroq bo'ladi. ExpenseReportJournal=Xarajatlar bo'yicha hisobot jurnali -DocsAlreadyExportedAreIncluded=Docs already exported are included -ClickToShowAlreadyExportedLines=Click to show already exported lines +DocsAlreadyExportedAreIncluded=Allaqachon eksport qilingan hujjatlar kiritilgan +ClickToShowAlreadyExportedLines=Allaqachon eksport qilingan qatorlarni ko'rsatish uchun bosing NAccounts=%s hisob qaydnomalari diff --git a/htdocs/langs/uz_UZ/admin.lang b/htdocs/langs/uz_UZ/admin.lang index 2cb01d4d851..d51bf8f00eb 100644 --- a/htdocs/langs/uz_UZ/admin.lang +++ b/htdocs/langs/uz_UZ/admin.lang @@ -51,8 +51,8 @@ ClientSortingCharset=Mijozlarni taqqoslash WarningModuleNotActive= %s moduli yoqilgan bo'lishi kerak WarningOnlyPermissionOfActivatedModules=Bu erda faqat faollashtirilgan modullarga tegishli ruxsatlar ko'rsatilgan. Boshqa modullarni Home-> Setup-> Modules sahifasida faollashtirishingiz mumkin. DolibarrSetup=Dolibarr-ni o'rnating yoki yangilang -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=Dolibarr yangilanishi +DolibarrAddonInstall=Addon/Tashqi modullarni o'rnatish (yuklangan yoki yaratilgan) InternalUsers=Ichki foydalanuvchilar ExternalUsers=Tashqi foydalanuvchilar UserInterface=Foydalanuvchi interfeysi @@ -109,7 +109,7 @@ NextValueForReplacements=Keyingi qiymat (almashtirish) MustBeLowerThanPHPLimit=Eslatma: sizning PHP konfiguratsiyangiz hozirda ushbu parametr qiymatidan qat'i nazar, %s %s-ga yuklash uchun maksimal hajmni cheklaydi NoMaxSizeByPHPLimit=Eslatma: PHP-ning konfiguratsiyasida chegara o'rnatilmagan MaxSizeForUploadedFiles=Yuklangan fayllar uchun maksimal o'lcham (har qanday yuklashga ruxsat bermaslik uchun 0) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page and some public pages +UseCaptchaCode=Kirish sahifasida va ba'zi umumiy sahifalarda grafik koddan (CAPTCHA) foydalaning AntiVirusCommand=Antivirus buyrug'iga to'liq yo'l AntiVirusCommandExample=ClamAv Daemon uchun namuna (clamav-demon talab qilinadi): / usr / bin / clamdscan
      ClamWin uchun misol (juda sekin): c: \\ Progra ~ 1 \\ ClamWin \\ bin \\ clamscan.exe AntiVirusParam= Buyruq satrida ko'proq parametrlar @@ -147,7 +147,7 @@ Box=Vidjet Boxes=Vidjetlar MaxNbOfLinesForBoxes=Maks. vidjetlar uchun qatorlar soni AllWidgetsWereEnabled=Barcha mavjud vidjetlar yoqilgan -WidgetAvailable=Widget available +WidgetAvailable=Vidjet mavjud PositionByDefault=Standart buyurtma Position=Lavozim MenusDesc=Menyu menejerlari ikkita menyu satrining tarkibini belgilaydilar (gorizontal va vertikal). @@ -227,6 +227,8 @@ NotCompatible=Ushbu modul sizning Dolibarr %s (Min %s - Max %s) bilan mos kelmay CompatibleAfterUpdate=Ushbu modul sizning Dolibarr %s (Min %s - Max %s) uchun yangilanishni talab qiladi. SeeInMarkerPlace=Bozor joyida ko'ring SeeSetupOfModule=%s modulini o'rnatishga qarang +SeeSetupPage=Sozlash sahifasiga qarang: %s +SeeReportPage=Hisobot sahifasiga qarang: %s SetOptionTo= %s ni %s ga sozlang Updated=Yangilandi AchatTelechargement=Sotib olish / yuklab olish @@ -292,22 +294,22 @@ EmailSenderProfiles=Elektron pochta xabarlarini yuboruvchi profillari EMailsSenderProfileDesc=Siz ushbu bo'limni bo'sh qoldirishingiz mumkin. Agar siz bu erga ba'zi elektron pochta xabarlarini kiritsangiz, ular yangi elektron pochta xabarini yozganingizda, ularni qutilarga yuborish mumkin bo'lganlar ro'yxatiga qo'shiladi. MAIN_MAIL_SMTP_PORT=SMTP / SMTPS porti (php.ini-da standart qiymat: %s ) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS Host (php.ini-da standart qiymat: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP / SMTPS porti (Unix-ga o'xshash tizimlarda PHP-da aniqlanmagan) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS xosti (Unixga o'xshash tizimlarda PHP-da aniqlanmagan) -MAIN_MAIL_EMAIL_FROM=Avtomatik elektron pochta xabarlari uchun jo'natuvchi elektron pochtasi (php.ini-da standart qiymat: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS porti +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS xost +MAIN_MAIL_EMAIL_FROM=Avtomatik elektron pochta xabarlarini yuborish uchun elektron pochta +EMailHelpMsgSPFDKIM=Dolibarr elektron pochta xabarlarining spam sifatida tasniflanishiga yo'l qo'ymaslik uchun server ushbu identifikatsiya ostida elektron pochta xabarlarini yuborishga ruxsat berilganligiga ishonch hosil qiling (domen nomining SPF va DKIM konfiguratsiyasini tekshirish orqali) MAIN_MAIL_ERRORS_TO=Xato uchun foydalanilgan elektron pochta xabarlarini qaytaradi (elektron pochtalarda "Xatolar" maydonlari) MAIN_MAIL_AUTOCOPY_TO= Barcha elektron pochta xabarlarini nusxa ko'chiring (Bcc) MAIN_DISABLE_ALL_MAILS=Barcha elektron pochta xabarlarini yuborishni o'chirib qo'ying (sinov maqsadida yoki namoyish uchun) MAIN_MAIL_FORCE_SENDTO=Barcha elektron pochta xabarlarini yuboring (haqiqiy qabul qiluvchilar o'rniga, sinov maqsadida) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Yangi elektron pochta xabarini yozishda oldindan aniqlangan qabul qiluvchilar ro'yxatiga xodimlarning elektron pochta xabarlarini (agar aniqlangan bo'lsa) taklif eting -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Faqat bitta variant mavjud bo'lsa ham, standart qabul qiluvchini tanlamang MAIN_MAIL_SENDMODE=Elektron pochta xabarlarini yuborish usuli MAIN_MAIL_SMTPS_ID=SMTP identifikatori (agar serverni yuborish autentifikatsiyani talab qilsa) MAIN_MAIL_SMTPS_PW=SMTP paroli (agar serverni yuborish autentifikatsiyani talab qilsa) MAIN_MAIL_EMAIL_TLS=TLS (SSL) shifrlashdan foydalaning MAIN_MAIL_EMAIL_STARTTLS=TLS (STARTTLS) shifrlashdan foydalaning -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Les sertifikatlariga avtomatik imzo qo'yishga ruxsat berish +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=O'z-o'zidan imzolangan sertifikatlarga ruxsat bering MAIN_MAIL_EMAIL_DKIM_ENABLED=Elektron pochta imzosini yaratish uchun DKIM-dan foydalaning MAIN_MAIL_EMAIL_DKIM_DOMAIN=Dkim bilan ishlatish uchun elektron pochta domeniga MAIN_MAIL_EMAIL_DKIM_SELECTOR=Dkim selektorining nomi @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Dkim imzosi uchun shaxsiy kalit MAIN_DISABLE_ALL_SMS=Barcha SMS-xabarlarni yuborishni o'chirib qo'ying (sinov maqsadida yoki namoyish uchun) MAIN_SMS_SENDMODE=SMS yuborishda foydalanish usuli MAIN_MAIL_SMS_FROM=SMS yuborish uchun standart yuboruvchi telefon raqami -MAIN_MAIL_DEFAULT_FROMTYPE=Qo'lda yuborish uchun standart yuboruvchi elektron pochta xabarlari (foydalanuvchi elektron pochtasi yoki kompaniya elektron pochtasi) +MAIN_MAIL_DEFAULT_FROMTYPE=E-pochta xabarlarini yuborish uchun shakllarda birlamchi jo‘natuvchining e-pochtasi oldindan tanlangan UserEmail=Foydalanuvchi elektron pochtasi CompanyEmail=Kompaniyaning elektron pochtasi FeatureNotAvailableOnLinux=Xususiyat Unix tizimlarida mavjud emas. Sendmail dasturini mahalliy darajada sinab ko'ring. @@ -365,10 +367,10 @@ GenericMaskCodes=Siz istalgan raqamlash maskasini kiritishingiz mumkin. Ushbu ni GenericMaskCodes2= {cccc} n kodidagi mijoz kodi
      {cccc000} a09a4b8 client Xaridorga bag'ishlangan ushbu hisoblagich global hisoblagich bilan bir vaqtning o'zida tiklanadi.
      {tttt} n belgidagi uchinchi tomon kodining kodi (Uy - O'rnatish - Lug'at - Uchinchi tomon turlari menyusiga qarang). Agar siz ushbu yorliqni qo'shsangiz, hisoblagich har bir uchinchi tomon turi uchun farq qiladi.
      GenericMaskCodes3=Maskadagi barcha boshqa belgilar buzilmasdan qoladi.
      bo'sh joylarga ruxsat berilmaydi.
      GenericMaskCodes3EAN=Maskadagi barcha boshqa belgilar buzilmasdan qoladi (* yoki "EAN13" ning 13-pozitsiyasidan tashqari).
      bo'sh joylarga ruxsat berilmaydi.
      EAN13 da 13-o'rinda oxirgi} dan keyin oxirgi belgi * yoki bo'lishi kerak? . U hisoblangan kalit bilan almashtiriladi.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes4a=31-01-2023 sanasi bilan uchinchi tomon TheCompany kompaniyasining 99-chi %sdagi misol:
      +GenericMaskCodes4b=31-01-2023-yilda uchinchi tomonda yaratilgan misol:b0342fccfda19b > +GenericMaskCodes4c=2023-01-31 da yaratilgan mahsulotga misol:b0342fccfda19b +GenericMaskCodes5=ABC{yy}{mm}-{000000} b0aee833608ABC2301-000099

      b0aee83365837{100@ }-ZZZ/{dd}/XXX
      0199-ZZZ/31/XXX

      IN{yy}{mm}-{0000}-{t}, agar kompaniya turi bo'lsa, IN2301-0099-Ab09a4b739f17f8z beradi. "A_RI" turi uchun kodli "Ma'suliyatli Inscripto" GenericNumRefModelDesc=Belgilangan niqobga ko'ra moslashtirilgan raqamni qaytaradi. ServerAvailableOnIPOrPort=Server %s manzilida %s ServerNotAvailableOnIPOrPort=Server %s manzilida %s manzilida mavjud emas @@ -378,7 +380,7 @@ DoTestSendHTML=HTML yuborish uchun sinov ErrorCantUseRazIfNoYearInMask=Xatolik, har yili {yy} yoki {yyyy} ketma-ketligi niqobda bo'lmasa, hisoblagichni tiklash uchun @ parametridan foydalanib bo'lmaydi. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Xato, agar {yy} {mm} yoki {yyyy} {mm} ketma-ketligi niqobda bo'lmasa @ parametridan foydalanib bo'lmaydi. UMask=Unix / Linux / BSD / Mac fayl tizimidagi yangi fayllar uchun UMask parametri. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. +UMaskExplanation=Bu parametr serverda Dolibarr tomonidan yaratilgan fayllarga sukut boʻyicha oʻrnatilgan ruxsatlarni aniqlash imkonini beradi (masalan, yuklash paytida).
      Bu sakkizlik qiymat boʻlishi kerak (masalan, 0666 oʻqilgan degan maʼnoni anglatadi). va hamma uchun yozing.). Tavsiya etilgan qiymat 0600 yoki 0660
      Bu parametr Windows serverida foydasiz. SeeWikiForAllTeam=Hissadorlar va ularning tashkilotlari ro'yxatini olish uchun Wiki sahifasini ko'rib chiqing UseACacheDelay= Bir necha soniya ichida eksportga javobni keshlash uchun kechikish (0 yoki bo'sh joy uchun bo'sh) DisableLinkToHelpCenter=Kirish sahifasida " Yordam kerak yoki " havolasini yashiring. @@ -417,6 +419,7 @@ PDFLocaltax=%s uchun qoidalar HideLocalTaxOnPDF=%s stavkasini sotish bo'yicha soliq / QQS ustunida yashiring HideDescOnPDF=Mahsulotlar tavsifini yashirish HideRefOnPDF=Mahsulotlarni yashirish ref. +ShowProductBarcodeOnPDF=Mahsulotlarning shtrix-kod raqamini ko'rsating HideDetailsOnPDF=Mahsulot liniyalari tafsilotlarini yashirish PlaceCustomerAddressToIsoLocation=Mijozning manzili uchun frantsuz standart pozitsiyasidan (La Poste) foydalaning Library=Kutubxona @@ -424,7 +427,7 @@ UrlGenerationParameters=URL manzillarini himoyalash parametrlari SecurityTokenIsUnique=Har bir URL uchun noyob securekey parametridan foydalaning EnterRefToBuildUrl=%s ob'ekti uchun ma'lumotnomani kiriting GetSecuredUrl=Hisoblangan URLni oling -ButtonHideUnauthorized=Ichki foydalanuvchilar uchun ham ruxsatsiz harakat tugmachalarini yashirish (aks holda och rangda) +ButtonHideUnauthorized=Ruxsatsiz harakat tugmalarini ichki foydalanuvchilar uchun ham yashirish (aks holda kulrang rangda) OldVATRates=Eski QQS stavkasi NewVATRates=QQSning yangi stavkasi PriceBaseTypeToChange=Belgilangan asosiy mos yozuvlar qiymati bilan narxlarni o'zgartiring @@ -442,7 +445,7 @@ Unique=Noyob Boolean=Mantiqiy (bitta katakcha) ExtrafieldPhone = Telefon ExtrafieldPrice = Narx -ExtrafieldPriceWithCurrency=Price with currency +ExtrafieldPriceWithCurrency=Valyuta bilan narx ExtrafieldMail = Elektron pochta ExtrafieldUrl = Url ExtrafieldIP = IP @@ -455,14 +458,14 @@ ExtrafieldCheckBox=Belgilash katakchalari ExtrafieldCheckBoxFromList=Jadvaldagi katakchalar ExtrafieldLink=Ob'ektga havola ComputedFormula=Hisoblangan maydon -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' +ComputedFormulaDesc=Dinamik hisoblangan qiymatni olish uchun ob'ektning boshqa xususiyatlaridan yoki istalgan PHP kodlashidan foydalanib, bu erga formulani kiritishingiz mumkin. Siz har qanday PHP-ga mos formulalardan foydalanishingiz mumkin, shu jumladan "?" shart operatori va quyidagi global obyekt: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      OGOHLANTIRISH of ob'ekt xususiyatlari: Agar sizga kerak bo'lsa. yuklanmagan, faqat ikkinchi misoldagi kabi oʻz formulangizga obʼyektni olib keling.
      Hisoblangan maydondan foydalanish interfeysdan oʻzingizga hech qanday qiymat kirita olmasligingizni anglatadi. Bundan tashqari, sintaksis xatosi bo'lsa, formula hech narsa qaytara olmaydi.

      Formula misoli:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      Obyektni qayta yuklash uchun misol
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] $j- >kapital / 5: '-1')

      Obyekt va uning asosiy ob'ektini majburlash uchun formulaning boshqa misoli:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = yangi loyiha( $db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Ota loyiha topilmadi' Computedpersistent=Hisoblangan maydonni saqlash ComputedpersistentDesc=Hisoblangan qo'shimcha maydonlar ma'lumotlar bazasida saqlanadi, ammo qiymat faqat ushbu maydon ob'ekti o'zgartirilganda qayta hisoblanadi. Agar hisoblangan maydon boshqa ob'ektlarga yoki global ma'lumotlarga bog'liq bo'lsa, bu qiymat noto'g'ri bo'lishi mumkin !! -ExtrafieldParamHelpPassword=Ushbu maydonni bo'sh qoldirish bu qiymat shifrlashsiz saqlanishini anglatadi (maydon faqat ekrandagi yulduz bilan yashirilgan bo'lishi kerak).
      parolni ma'lumotlar bazasiga saqlash uchun standart shifrlash qoidasidan foydalanish uchun "avtomatik" ni o'rnating (u holda o'qilgan qiymat faqat xash bo'ladi, asl qiymatini olishning imkoni yo'q) +ExtrafieldParamHelpPassword=Bu maydonni boʻsh qoldirish, bu qiymat shifrlashSIZ saqlanishini bildiradi (maydon shunchaki yulduzlar bilan ekranda yashiringan).

      Kirish qiymatni teskari shifrlash algoritmi bilan kodlash uchun "dolcrypt" qiymati. Tozalangan maʼlumotlar hali ham maʼlum boʻlishi va tahrirlanishi mumkin, lekin maʼlumotlar bazasiga shifrlangan.

      “auto” (yoki “md5”) kiriting. 'sha256', 'password_hash', ...) standart parolni shifrlash algoritmidan (yoki md5, sha256, password_hash...) foydalanish uchun qaytarilmaydigan xeshlangan parolni maʼlumotlar bazasiga saqlash (asl qiymatni olishning imkoni yoʻq) ExtrafieldParamHelpselect=Qadriyatlar ro'yxati format bo'lishi kerak, bu erda kalit '0' bo'lishi mumkin emas
      masalan:
      2, value2
      boshqa to'ldiruvchi xususiyati ro'yxatida qarab ro'yxati:
      1, VALUE1 | options_ parent_list_code : parent_key
      2, değer2 | options_ parent_list_code : maqsadida parent_key

      boshqa ro'yxatiga qarab ro'yxatini ega bo'lishi:
      1, VALUE1 | parent_list_code : parent_key
      2, value2 | parent_list_code : parent_key ExtrafieldParamHelpcheckbox=Qadriyatlar ro'yxati format kaliti bo'lgan satrlardan iborat bo'lishi kerak, (agar bu erda '0' bo'lishi mumkin emas)

      masalan:
      1, value1
      2, value2
      3 ,03f03f ExtrafieldParamHelpradio=Qadriyatlar ro'yxati format kaliti bo'lgan satrlardan iborat bo'lishi kerak, (agar bu erda '0' bo'lishi mumkin emas)

      masalan:
      1, value1
      2, value2
      3 ,03f03f -ExtrafieldParamHelpsellist=Qadriyatlar ro'yxati
      jadvalidan kelib chiqadi Sintaksis: table_name: label_field: id_field :: filtersql
      Masalan: c_typent: libelle: id :: filtersql

      aqqf - 194
      faol qiymatini ko'rsatish uchun oddiy sinov bo'lishi mumkin (masalan, faol = 1) Siz shuningdek, joriy ob'ekt
      ning joriy identifikatori bo'lgan filtrda $ ID $ dan foydalanishingiz mumkin, SELECTni filtrga ishlatish uchun $ SEL $ kalit so'zidan foydalaning in'ektsiyaga qarshi himoya qilishni chetlab o'tish.
      , agar siz ekstra maydonlarda filtrlashni xohlasangiz, sintaksisidan foydalaning extra.fieldcode = ... (bu erda maydon kodi ekstrafildagi koddir)

      Boshqa qo'shimcha xususiyatlar ro'yxatiga qarab ro'yxatga ega bo'lish uchun:
      cty: parent_list_code | parent_column: filter

      Boshqa ro'yxatga qarab ro'yxatga ega bo'lish uchun:
      c_typent: libelle: parent0 :000800_0_0_0_0_n_06_b_n_06 +ExtrafieldParamHelpsellist=Qiymatlar roʻyxati jadvaldan olingan
      Sintaksis: table_name:label_field:id_field::filtersql
      Misol: c_typent: ::filtersql

      - id_field birlamchi int kalitidirb0342fcczfda19> - filtersql - bu SQL sharti. Bu faqat faol qiymatni ko'rsatish uchun oddiy sinov (masalan, active=1) bo'lishi mumkin
      Shuningdek, joriy ob'ekt
      Filtrda SELECTdan foydalanish uchun in'ektsiyaga qarshi himoyani chetlab o'tish uchun $SEL$ kalit so'zidan foydalaning.
      agar siz qo'shimcha maydonlarda filtrlashni xohlasangiz extra.fieldcode=... sintaksisidan foydalaning (bu erda maydon kodi - ekstrafield kodi)

      boshqa qo'shimcha atributlar ro'yxatiga qarab ro'yxat:
      c_typent:libelle:id:options_parent_list_codeb0ae64758baclum>0333 ExtrafieldParamHelpchkbxlst=Qadriyatlar ro'yxati
      jadvalidan olingan Sintaksis: table_name: label_field: id_field :: filtersql
      Misol: c_typent: libelle: id :: filtersql

      filter faqat oddiy bo'lishi mumkin jodugarda $ ID $ ni ishlatishi mumkin, bu joriy ob'ektning identifikatori
      Filtrda SELECT qilish uchun $ SEL $
      dan foydalaning, agar ekstra maydonlarda filtrlashni xohlasangiz, sintaksisidan foydalaning. extra.fieldcode = ... (bu erda maydon kodi extrafield kodi)

      boshqa to'ldiruvchi xususiyati ro'yxatida qarab ro'yxatini bo'lishi uchun:
      c_typent: libelle: id: options_ parent_list_code | parent_column: filtri

      boshqa ro'yxatiga qarab ro'yxatini ega bo'lish uchun:
      c_typent: libelle: id: parent_list_code | parent_column: filter ExtrafieldParamHelplink=Parametrlar ObjectName: Classpath
      sintaksis: ObjectName: Classpath bo'lishi kerak ExtrafieldParamHelpSeparator=
      oddiy ajratuvchisi uchun bo'sh joyni saqlang holat har bir foydalanuvchi seansida saqlanadi) @@ -473,7 +476,7 @@ LinkToTestClickToDial= %s foydalanuvchisi uchun ClickToDial ur RefreshPhoneLink=Havolani yangilang LinkToTest= %s foydalanuvchisi uchun yaratilgan bosish havolasi (sinov uchun telefon raqamini bosing) KeepEmptyToUseDefault=Standart qiymatdan foydalanish uchun bo'sh joyni saqlang -KeepThisEmptyInMostCases=Ko'pgina hollarda, siz ushbu maydonni empiyani saqlashingiz mumkin. +KeepThisEmptyInMostCases=Aksariyat hollarda siz ushbu maydonni bo'sh qo'yishingiz mumkin. DefaultLink=Standart havola SetAsDefault=Odatiy sifatida o'rnating ValueOverwrittenByUserSetup=Diqqat, ushbu qiymat foydalanuvchi tomonidan o'rnatilishi bilan yozilishi mumkin (har bir foydalanuvchi o'z klikktodial urlini o'rnatishi mumkin) @@ -482,7 +485,7 @@ InstalledInto=%s katalogiga o'rnatilgan BarcodeInitForThirdparties=Uchinchi tomonlar uchun ommaviy shtrix-kod BarcodeInitForProductsOrServices=Mahsulotlar yoki xizmatlar uchun ommaviy shtrix kodni qayta tiklash yoki tiklash CurrentlyNWithoutBarCode=Ayni paytda sizda %s yozuvi %s a0a65d071f60z0c bardefined29fcda mavjud. -InitEmptyBarCode=Init value for the %s empty barcodes +InitEmptyBarCode=%s boʻsh shtrix kodlari uchun boshlangʻich qiymati EraseAllCurrentBarCode=Barcha joriy shtrix qiymatlarini o'chirib tashlang ConfirmEraseAllCurrentBarCode=Haqiqatan ham barcha shtrix kod qiymatlarini o'chirishni xohlaysizmi? AllBarcodeReset=Barcha shtrix qiymatlari o'chirildi @@ -506,32 +509,32 @@ WarningPHPMail=OGOHLANTIRISH: Ilovadan elektron pochta xabarlarini yuborish uchu WarningPHPMailA=- Elektron pochta xizmati provayderining serveridan foydalanish elektron pochtangizning ishonchliligini oshiradi, shuning uchun SPAM sifatida belgilanmasdan etkazib berish qobiliyatini oshiradi. WarningPHPMailB=- Ba'zi elektron pochta xizmatlarini ko'rsatuvchi provayderlar (Yahoo singari) sizga o'z serverlaridan tashqari boshqa serverlardan elektron pochta xabarlarini yuborishga ruxsat bermaydilar. Sizning joriy sozlamangiz dastur serveridan sizning elektron pochta provayderingiz serverini emas, balki elektron pochta xabarlarini yuborish uchun foydalanadi, shuning uchun ba'zi qabul qiluvchilar (cheklovchi DMARC protokoli bilan mos keladigan) sizning elektron pochta provayderingizdan sizning elektron pochtangizni va ba'zi elektron pochta provayderlarini qabul qila oladimi deb so'rashadi. (Yahoo singari) "yo'q" deb javob berishi mumkin, chunki server ularga tegishli emas, shuning uchun yuborilgan elektron pochtangizning oz qismi etkazib berishga qabul qilinmasligi mumkin (elektron pochta provayderingiz yuborish kvotasidan ham ehtiyot bo'ling). WarningPHPMailC=- Elektron pochta xabarlarini yuborish uchun o'zingizning elektron pochta xizmati provayderingizning SMTP-serveridan foydalanish ham qiziq, shuning uchun dasturdan yuborilgan barcha elektron pochta xabarlari sizning pochta qutingizdagi "Yuborilgan" katalogga saqlanadi. -WarningPHPMailD=It is therefore recommended to change the sending method of e-mails to the value "SMTP". -WarningPHPMailDbis=If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by %sclicking here%s. +WarningPHPMailD=Shuning uchun elektron pochta xabarlarini yuborish usulini "SMTP" qiymatiga o'zgartirish tavsiya etiladi. +WarningPHPMailDbis=Agar siz haqiqatan ham e-pochta xabarlarini yuborish uchun standart “PHP” usulini saqlab qolmoqchi bo‘lsangiz, bu ogohlantirishga e’tibor bermang yoki %sbu yerga bosing%s. WarningPHPMail2=Agar sizning SMTP elektron pochta provayderingiz elektron pochta mijozini ba'zi bir IP-manzillar bilan cheklashi kerak bo'lsa (juda kam), bu sizning ERP CRM-ilovangiz uchun pochta foydalanuvchisi agentining (MUA) IP-manzili: %s . WarningPHPMailSPF=Yuboruvchi elektron pochta manzilidagi domen nomi SPF yozuvi bilan himoyalangan bo'lsa (domen nomini ro'yxatga oluvchidan so'rang), siz domeningiz DNS SPF yozuviga quyidagi IP-larni qo'shishingiz kerak: %s . -ActualMailSPFRecordFound=Actual SPF record found (for email %s) : %s +ActualMailSPFRecordFound=Haqiqiy SPF yozuvi topildi (e-pochta uchun %s): %s ClickToShowDescription=Tavsifni ko'rsatish uchun bosing DependsOn=Ushbu modulga modul (lar) kerak RequiredBy=Ushbu modul modul (lar) tomonidan talab qilinadi TheKeyIsTheNameOfHtmlField=Bu HTML maydonining nomi. Maydonning kalit nomini olish uchun HTML-sahifaning tarkibini o'qish uchun texnik bilim talab qilinadi. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. +PageUrlForDefaultValues=Sahifaning URL manzilining nisbiy yo'lini kiritishingiz kerak. Agar siz URL manziliga parametrlarni qo'shsangiz, ko'rib chiqilgan URL manzilidagi barcha parametrlar shu yerda belgilangan qiymatga ega bo'lsa, u samarali bo'ladi. PageUrlForDefaultValuesCreate=
      Masalan:
      forma yangi uchinchi tomonni yaratishi uchun %s .
      Maxsus katalogga o'rnatilgan tashqi modullarning URL manzili uchun "custom /" ni qo'shmang, shuning uchun mymodule / mypage.php va custom / mymodule / mypage.php kabi yo'ldan foydalaning.
      Agar url parametrlari bo'lsa, standart qiymatni xohlasangiz, siz %s dan foydalanishingiz mumkin PageUrlForDefaultValuesList=
      Masalan:
      uchinchi shaxslar ro'yxati berilgan sahifa uchun %s .
      Maxsus katalogga o'rnatilgan tashqi modullarning URL manzili uchun "custom /" ni qo'shmang, shuning uchun mymodule / mypagelist.php va custom / mymodule / mypagelist.php kabi yo'ldan foydalaning.
      Agar url parametrlari bo'lsa, standart qiymatni xohlasangiz, siz %s dan foydalanishingiz mumkin -AlsoDefaultValuesAreEffectiveForActionCreate=Shuni ham yodda tutingki, forma yaratish uchun standart qiymatlarning ustiga yozish faqat to'g'ri ishlab chiqilgan sahifalar uchun ishlaydi (shuning uchun parametr action = create or presend ... bilan) +AlsoDefaultValuesAreEffectiveForActionCreate=Shuni ham yodda tutingki, shakl yaratish uchun standart qiymatlarni qayta yozish faqat to'g'ri ishlab chiqilgan sahifalar uchun ishlaydi (shuning uchun action=create yoki presend... parametri bilan) EnableDefaultValues=Standart qiymatlarni sozlashni yoqish -EnableOverwriteTranslation=Allow customization of translations +EnableOverwriteTranslation=Tarjimalarni moslashtirishga ruxsat bering GoIntoTranslationMenuToChangeThis=Ushbu kod bilan kalit uchun tarjima topildi. Ushbu qiymatni o'zgartirish uchun uni Home-Setup-translation-dan tahrirlashingiz kerak. WarningSettingSortOrder=Ogohlantirish, standart tartiblash tartibini o'rnatish, agar maydon noma'lum maydon bo'lsa, ro'yxat sahifasiga o'tishda texnik xatolarga olib kelishi mumkin. Agar siz bunday xatoga duch kelsangiz, standart saralash tartibini olib tashlash va odatiy xatti-harakatlarni tiklash uchun ushbu sahifaga qayting. Field=Maydon ProductDocumentTemplates=Mahsulot hujjatini yaratish uchun hujjat shablonlari -ProductBatchDocumentTemplates=Document templates to generate product lots document +ProductBatchDocumentTemplates=Mahsulot lotlari hujjatini yaratish uchun hujjat shablonlari FreeLegalTextOnExpenseReports=Xarajatlar to'g'risidagi hisobotlar bo'yicha bepul huquqiy matn WatermarkOnDraftExpenseReports=Xarajatlar hisobotlari bo'yicha suv belgisi ProjectIsRequiredOnExpenseReports=Loyiha xarajatlar hisobotini kiritish uchun majburiydir PrefillExpenseReportDatesWithCurrentMonth=Yangi xarajatlar hisobotining boshlanish va tugash sanalarini joriy oyning boshlanish va tugash sanalari bilan oldindan to'ldiring ForceExpenseReportsLineAmountsIncludingTaxesOnly=Xarajatlar hisoboti summalarini har doim soliqlar bilan birga kiritishga majbur qiling -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) +AttachMainDocByDefault=Agar sukut boʻyicha asosiy hujjatni e-pochtaga biriktirmoqchi boʻlsangiz (agar mavjud boʻlsa) buni Ha qilib belgilang. FilesAttachedToEmail=Faylni biriktiring SendEmailsReminders=Elektron pochta orqali kun tartibidagi eslatmalarni yuboring davDescription=WebDAV serverini o'rnating @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Umumiy shaxsiy katalog - bu WebDAV katalogidir, ung DAV_ALLOW_PUBLIC_DIR=Umumiy umumiy katalogni yoqing ("public" deb nomlangan WebDAV katalogi - kirish shart emas) DAV_ALLOW_PUBLIC_DIRTooltip=Umumiy umumiy katalog - bu WebDAV katalogi bo'lib, unga kirish uchun hech kim kira olmaydi (o'qish va yozish rejimida), hech qanday avtorizatsiya talab qilinmaydi (kirish / parol qayd yozuvi). DAV_ALLOW_ECM_DIR=DMS / ECM shaxsiy katalogini yoqing (DMS / ECM modulining ildiz katalogi - kirish zarur) -DAV_ALLOW_ECM_DIRTooltip=DMS / ECM modulidan foydalanganda barcha fayllar qo'lda yuklanadigan ildiz katalogi. Xuddi shu tarzda veb-interfeysdan kirish kabi sizga kirish uchun ruxsatnomalar bilan tegishli login / parol kerak bo'ladi. +DAV_ALLOW_ECM_DIRTooltip=DMS/ECM modulidan foydalanganda barcha fayllar qo'lda yuklanadigan ildiz katalogi. Xuddi veb-interfeysdan kirish kabi, unga kirish uchun tegishli ruxsatlarga ega haqiqiy login/parol kerak bo'ladi. ##### Modules ##### Module0Name=Foydalanuvchilar va guruhlar Module0Desc=Foydalanuvchilar / xodimlar va guruhlarni boshqarish @@ -566,7 +569,7 @@ Module40Desc=Sotuvchilar va sotib olishni boshqarish (sotib olish buyurtmalari v Module42Name=Xatolarni tuzatish jurnallari Module42Desc=Kundaliklarni ro'yxatga olish vositalari (fayl, syslog, ...). Bunday jurnallar texnik / disk raskadrovka uchun mo'ljallangan. Module43Name=Tuzatish paneli -Module43Desc=Brauzeringizda disk raskadrovka satrini qo'shadigan developper vositasi. +Module43Desc=Dasturchilar uchun vosita, brauzeringizda disk raskadrovka panelini qo'shish. Module49Name=Tahrirlovchilar Module49Desc=Muharrirlarni boshqarish Module50Name=Mahsulotlar @@ -574,7 +577,7 @@ Module50Desc=Mahsulotlarni boshqarish Module51Name=Ommaviy pochta jo'natmalari Module51Desc=Ommaviy qog'ozni pochta orqali boshqarish Module52Name=Qimmatli qog'ozlar -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Desc=Qimmatli qog'ozlarni boshqarish (aksiyalarning harakatini kuzatish va inventarizatsiya) Module53Name=Xizmatlar Module53Desc=Xizmatlarni boshqarish Module54Name=Shartnomalar / Obunalar @@ -582,7 +585,7 @@ Module54Desc=Shartnomalarni boshqarish (xizmatlar yoki takroriy obunalar) Module55Name=Shtrixli kodlar Module55Desc=Shtrixli kod yoki QR kodini boshqarish Module56Name=Kredit o'tkazish yo'li bilan to'lov -Module56Desc=Kredit o'tkazmalari buyurtmalari bo'yicha etkazib beruvchilarning to'lovlarini boshqarish. U Evropa mamlakatlari uchun SEPA faylini yaratishni o'z ichiga oladi. +Module56Desc=Kredit o'tkazmasi buyurtmalari bo'yicha etkazib beruvchilar yoki ish haqini to'lashni boshqarish. U Yevropa mamlakatlari uchun SEPA faylini yaratishni o'z ichiga oladi. Module57Name=To'g'ridan-to'g'ri debet orqali to'lovlar Module57Desc=To'g'ridan-to'g'ri debet buyurtmalarini boshqarish. U Evropa mamlakatlari uchun SEPA faylini yaratishni o'z ichiga oladi. Module58Name=ClickToDial @@ -630,6 +633,10 @@ Module600Desc=Ishbilarmonlik hodisasi bilan bog'liq elektron pochta xabarlarini Module600Long=Shuni esda tutingki, ushbu modul ma'lum bir ish hodisasi yuz berganda elektron pochta xabarlarini real vaqtda yuboradi. Agar kun tartibidagi voqealar uchun elektron pochta orqali eslatmalar yuborish xususiyatini qidirsangiz, kun tartibi modulini sozlang. Module610Name=Mahsulot variantlari Module610Desc=Mahsulot variantlarini yaratish (rang, o'lcham va boshqalar). +Module650Name=Materiallar varaqlari (BOM) +Module650Desc=Materiallar Xarajatlarini (BOM) aniqlash uchun modul. Ishlab chiqarish buyurtmalari (MO) moduli orqali ishlab chiqarish resurslarini rejalashtirish uchun foydalanish mumkin. +Module660Name=Ishlab chiqarish resurslarini rejalashtirish (MRP) +Module660Desc=Ishlab chiqarish buyurtmalarini boshqarish moduli (MO) Module700Name=Xayriyalar Module700Desc=Xayriya mablag'larini boshqarish Module770Name=Xarajatlar bo'yicha hisobotlar @@ -650,13 +657,13 @@ Module2300Name=Rejalashtirilgan ish joylari Module2300Desc=Rejalashtirilgan ishlarni boshqarish (taxallusli cron yoki xron jadval) Module2400Name=Tadbirlar / kun tartibi Module2400Desc=Voqealarni kuzatib borish. Kuzatish maqsadida avtomatik tadbirlarni ro'yxatdan o'tkazing yoki qo'lda sodir bo'lgan voqealar yoki uchrashuvlarni yozib oling. Bu yaxshi mijozlar yoki sotuvchilar bilan munosabatlarni boshqarish uchun asosiy moduldir. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Onlayn uchrashuvlarni rejalashtirish +Module2430Desc=Onlayn uchrashuvlarni bron qilish tizimini taqdim etadi. Bu har kimga oldindan belgilangan diapazonlar yoki imkoniyatlarga ko'ra uchrashuvni bron qilish imkonini beradi. Module2500Name=DMS / ECM Module2500Desc=Hujjatlarni boshqarish tizimi / elektron tarkibni boshqarish. Yaratilgan yoki saqlanadigan hujjatlaringizni avtomatik ravishda tashkil etish. Agar kerak bo'lsa, ularni baham ko'ring. -Module2600Name=API / Web services (SOAP server) +Module2600Name=API / veb-xizmatlar (SOAP serveri) Module2600Desc=API xizmatlarini taqdim etadigan Dolibarr SOAP serverini yoqing -Module2610Name=API / Web services (REST server) +Module2610Name=API / veb-xizmatlar (REST server) Module2610Desc=API xizmatlarini ko'rsatadigan Dolibarr REST serverini yoqing Module2660Name=WebServices-ga qo'ng'iroq qiling (SOAP mijozi) Module2660Desc=Dolibarr veb-xizmatlari mijozini yoqing (Ma'lumotlarni / so'rovlarni tashqi serverlarga yuborish uchun ishlatilishi mumkin. Hozirda faqat Buyurtma buyurtmalari qo'llab-quvvatlanadi.) @@ -667,12 +674,12 @@ Module2900Name=GeoIPMaxmind Module2900Desc=GeoIP Maxmind konversiyalari imkoniyatlari Module3200Name=O'zgarmas arxivlar Module3200Desc=O'zgarmas ishbilarmonlik voqealari jurnalini yoqing. Voqealar real vaqtda arxivlanadi. Jurnal eksport qilinishi mumkin bo'lgan zanjirli voqealar uchun faqat o'qish uchun mo'ljallangan jadvaldir. Ushbu modul ba'zi mamlakatlar uchun majburiy bo'lishi mumkin. -Module3300Name=Module Builder -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. +Module3300Name=Modul yaratuvchisi +Module3300Desc=Ishlab chiquvchilarga yoki ilg'or foydalanuvchilarga o'zlarining modul/ilovalarini yaratishda yordam beradigan RAD (Rapid Application Development - past kodli va kodsiz) vositasi. Module3400Name=Ijtimoiy tarmoqlar Module3400Desc=Ijtimoiy tarmoqlarni uchinchi shaxslarga va manzillarga (skype, twitter, facebook, ...) qo'shish. Module4000Name=HRM -Module4000Desc=Inson resurslarini boshqarish (bo'limni boshqarish, xodimlarning shartnomalari va hissiyotlari) +Module4000Desc=Inson resurslarini boshqarish (bo'limni boshqarish, xodimlar bilan shartnomalar tuzish, malakani boshqarish va suhbat) Module5000Name=Ko'p kompaniya Module5000Desc=Bir nechta kompaniyalarni boshqarishga imkon beradi Module6000Name=Modullararo ish jarayoni @@ -709,11 +716,13 @@ Module62000Name=Inkoermalar Module62000Desc=Incoterms-ni boshqarish uchun funktsiyalarni qo'shing Module63000Name=Resurslar Module63000Desc=Tadbirlarga ajratish uchun resurslarni (printerlar, mashinalar, xonalar, ...) boshqaring -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. -Module94160Name=Receptions +Module66000Name=OAuth2 tokenlarini boshqarish +Module66000Desc=OAuth2 tokenlarini yaratish va boshqarish uchun vositani taqdim eting. Token keyinchalik ba'zi boshqa modullar tomonidan ishlatilishi mumkin. +Module94160Name=Qabullar +ModuleBookCalName=Rezervasyon kalendar tizimi +ModuleBookCalDesc=Uchrashuvlarni band qilish uchun kalendarni boshqaring ##### Permissions ##### -Permission11=Read customer invoices (and payments) +Permission11=Mijoz hisob-fakturalarini (va to'lovlarni) o'qing Permission12=Mijozlarning hisob-kitoblarini yaratish / o'zgartirish Permission13=Mijozlarning hisob-kitoblarini bekor qilish Permission14=Xaridorlarning hisob-fakturalarini tasdiqlang @@ -729,7 +738,7 @@ Permission27=Tijorat takliflarini o'chirib tashlang Permission28=Tijorat takliflarini eksport qiling Permission31=Mahsulotlarni o'qing Permission32=Mahsulotlarni yaratish / o'zgartirish -Permission33=Read prices products +Permission33=Mahsulotlar narxini o'qing Permission34=Mahsulotlarni o'chirish Permission36=Yashirin mahsulotlarni ko'ring / boshqaring Permission38=Mahsulotlarni eksport qilish @@ -755,7 +764,7 @@ Permission79=Obunalarni yaratish / o'zgartirish Permission81=Mijozlarning buyurtmalarini o'qing Permission82=Mijozlarning buyurtmalarini yaratish / o'zgartirish Permission84=Mijozlarning buyurtmalarini tasdiqlash -Permission85=Generate the documents sales orders +Permission85=Hujjatlarni sotish buyurtmalarini yarating Permission86=Mijozlarga buyurtmalar yuboring Permission87=Mijozlarning buyurtmalarini yopish Permission88=Mijozlarning buyurtmalarini bekor qilish @@ -857,9 +866,9 @@ Permission286=Kontaktlarni eksport qilish Permission291=Tariflarni o'qing Permission292=Tariflar bo'yicha ruxsatnomalarni o'rnating Permission293=Mijozning tariflarini o'zgartiring -Permission301=Generate PDF sheets of barcodes -Permission304=Create/modify barcodes -Permission305=Delete barcodes +Permission301=Shtrix-kodlarning PDF varaqlarini yarating +Permission304=Shtrix-kodlarni yaratish/o'zgartirish +Permission305=Shtrix-kodlarni o'chirish Permission311=Xizmatlarni o'qing Permission312=Shartnomaga xizmat / obuna tayinlang Permission331=Xatcho'plarni o'qing @@ -891,7 +900,7 @@ Permission525=Kredit kalkulyatori Permission527=Eksport kreditlari Permission531=Xizmatlarni o'qing Permission532=Xizmatlarni yaratish / o'zgartirish -Permission533=Read prices services +Permission533=Xizmatlar narxlarini o'qing Permission534=Xizmatlarni o'chirish Permission536=Yashirin xizmatlarni ko'rish / boshqarish Permission538=Eksport xizmatlari @@ -955,7 +964,7 @@ Permission1190=Sotib olish buyurtmalarini tasdiqlash (ikkinchi tasdiqlash) Permission1191=Eksport etkazib beruvchilarning buyurtmalari va ularning atributlari Permission1201=Eksport natijasini oling Permission1202=Eksportni yaratish / o'zgartirish -Permission1231=Read vendor invoices (and payments) +Permission1231=Sotuvchi hisob-fakturalarini (va to'lovlarni) o'qing Permission1232=Sotuvchi hisob-fakturalarini yaratish / o'zgartirish Permission1233=Sotuvchi hisob-fakturalarini tasdiqlash Permission1234=Sotuvchi hisob-fakturalarini o'chirib tashlang @@ -979,7 +988,7 @@ Permission2501=Hujjatlarni o'qish / yuklab olish Permission2502=Hujjatlarni yuklab oling Permission2503=Hujjatlarni yuborish yoki o'chirish Permission2515=Hujjatlar kataloglarini sozlash -Permission2610=Generate/modify users API key +Permission2610=Foydalanuvchilarning API kalitini yaratish/o‘zgartirish Permission2801=FTP mijozidan o'qish rejimida foydalaning (faqat ko'rib chiqing va yuklab oling) Permission2802=Yozish rejimida FTP mijozidan foydalaning (fayllarni o'chirish yoki yuklash) Permission3200=Arxivlangan voqealar va barmoq izlarini o'qing @@ -987,16 +996,16 @@ Permission3301=Yangi modullarni yarating Permission4001=Ko'nikma / ish / lavozimni o'qing Permission4002=Ko'nikma / ish / pozitsiyani yaratish / o'zgartirish Permission4003=Malaka/ish/lavozimni oʻchirish -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations -Permission4023=Validate evaluation -Permission4025=Delete evaluation -Permission4028=See comparison menu +Permission4021=Baholarni o'qing (sizning va sizning qo'l ostidagilaringiz) +Permission4022=Baholarni yaratish/o'zgartirish +Permission4023=Baholashni tasdiqlash +Permission4025=Baholashni o'chirish +Permission4028=Taqqoslash menyusiga qarang Permission4031=Shaxsiy ma'lumotlarni o'qing Permission4032=Shaxsiy ma'lumotlarni yozing -Permission4033=Read all evaluations (even those of user not subordinates) +Permission4033=Barcha baholashlarni o'qing (hatto foydalanuvchi bo'ysunmaydiganlar ham) Permission10001=Veb-sayt tarkibini o'qing -Permission10002=Veb-sayt tarkibini yaratish / o'zgartirish (HTML va javascript tarkibi) +Permission10002=Veb-sayt tarkibini yaratish/o'zgartirish (html va JavaScript kontenti) Permission10003=Veb-sayt tarkibini yaratish / o'zgartirish (dinamik php-kod). Xavfli, cheklangan ishlab chiquvchilarga tegishli bo'lishi kerak. Permission10005=Veb-sayt tarkibini o'chirish Permission20001=Ta'tilga bo'lgan talablarni o'qing (sizning va sizning bo'ysunuvchilaringizning ta'tillari) @@ -1010,9 +1019,9 @@ Permission23001=Rejalashtirilgan ishni o'qing Permission23002=Rejalashtirilgan ishni yaratish / yangilash Permission23003=Rejalashtirilgan ishni o'chirish Permission23004=Rejalashtirilgan ishni bajaring -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates +Permission40001=Valyutalar va ularning kurslarini o'qing +Permission40002=Valyutalar va ularning kurslarini yaratish/yangilash +Permission40003=Valyutalar va ularning kurslarini o'chiring Permission50101=Savdo punktidan foydalaning (SimplePOS) Permission50151=Savdo punktidan foydalaning (TakePOS) Permission50152=Savdo yo'nalishlarini tahrirlash @@ -1098,21 +1107,23 @@ DictionaryExpenseTaxRange=Xarajatlar to'g'risidagi hisobot - transport kategoriy DictionaryTransportMode=Ichki hisobot - Transport rejimi DictionaryBatchStatus=Mahsulot partiyasi / ketma-ket sifat nazorati holati DictionaryAssetDisposalType=Aktivlarni yo'q qilish turi +DictionaryInvoiceSubtype=Hisob-fakturaning kichik turlari TypeOfUnit=Birlikning turi SetupSaved=O'rnatish saqlandi SetupNotSaved=Sozlash saqlanmadi -OAuthServiceConfirmDeleteTitle=Delete OAuth entry -OAuthServiceConfirmDeleteMessage=Are you sure you want to delete this OAuth entry ? All existing tokens for it will also be deleted. -ErrorInEntryDeletion=Error in entry deletion -EntryDeleted=Entry deleted +OAuthServiceConfirmDeleteTitle=OAuth yozuvini o'chirish +OAuthServiceConfirmDeleteMessage=Haqiqatan ham ushbu OAuth yozuvini oʻchirib tashlamoqchimisiz? Buning uchun barcha mavjud tokenlar ham o'chiriladi. +ErrorInEntryDeletion=Yozuvni oʻchirishda xatolik yuz berdi +EntryDeleted=Yozuv oʻchirildi BackToModuleList=Modullar ro'yxatiga qaytish BackToDictionaryList=Lug'atlar ro'yxatiga qaytish TypeOfRevenueStamp=Soliq markasining turi VATManagement=Sotish bo'yicha soliqni boshqarish -VATIsUsedDesc=Sukut bo'yicha istiqbollarni, schyot-fakturalarni, buyurtmalarni va boshqalarni yaratishda Soliq stavkasi amaldagi standart qoidaga amal qiladi:
      Agar sotuvchiga Sotuv solig'i olinmasa, u holda Soliq solig'i sukut bo'yicha 0 ga teng bo'ladi. Qoida oxiri.
      ((sotuvchining mamlakati = xaridorning mamlakati) bo'lsa, u holda sotuvlar bo'yicha soliq sukut bo'yicha sotuvchining mamlakatidagi sotish solig'iga teng bo'ladi. Qoidaning tugashi.
      Agar sotuvchi va xaridor ikkalasi ham Evropa hamjamiyatida bo'lsa va tovarlar transport bilan bog'liq mahsulotlar (yuk tashish, yuk tashish, aviakompaniya) bo'lsa, standart QQS 0. Bu qoida sotuvchining mamlakatiga bog'liq - iltimos, buxgalteringiz bilan maslahatlashing. QQSni xaridor sotuvchiga emas, balki o'z mamlakatlaridagi bojxona idoralariga to'lashi kerak. Qoidaning tugashi.
      Agar sotuvchi va xaridor ikkalasi ham Evropa hamjamiyatida bo'lsa va xaridor kompaniya bo'lmasa (ro'yxatdan o'tgan QQS raqami bilan), u holda QQS sotuvchi mamlakatining QQS stavkasiga mos kelmaydi. Qoidaning tugashi.
      Agar sotuvchi va xaridor ikkalasi ham Evropa hamjamiyatida bo'lsa va xaridor shirkat bo'lsa (ro'yxatdan o'tgan jamiyat ichidagi QQS raqami bilan), unda QQS sukut bo'yicha 0 ga teng. Qoidaning tugashi.
      Boshqa har qanday holatda, taklif qilingan sukut sotish solig'i = 0. Qoidaning tugashi. +VATIsUsedDesc=Istiqbollar, schyot-fakturalar, buyurtmalar va hokazolarni yaratishda sukut bo'yicha Savdo solig'i stavkasi faol standart qoidaga amal qiladi:
      Agar sotuvchi Savdo solig'iga tobe bo'lmasa, u holda Savdo solig'i 0 ga teng bo'ladi. Qoidaning oxiri.
      Agar (sotuvchining mamlakati = xaridorning mamlakati) boʻlsa, Sotish soligʻi sukut boʻyicha sotuvchi mamlakatidagi mahsulotning Sotish soligʻiga teng boʻladi. Qoida oxiri.
      Agar sotuvchi ham, xaridor ham Yevropa hamjamiyatida boʻlsa va tovarlar transport bilan bogʻliq mahsulotlar (tashuv, yuk tashish, aviakompaniya) boʻlsa, standart QQS 0. Bu qoida sotuvchining mamlakatiga bog'liq - iltimos, buxgalteringiz bilan maslahatlashing. QQSni xaridor sotuvchiga emas, balki o'z mamlakatidagi bojxona idorasiga to'lashi kerak. Qoida tugaydi.
      Agar sotuvchi va xaridor Yevropa hamjamiyatida boʻlsa va xaridor kompaniya boʻlmasa (hamjamiyat ichidagi QQS raqamiga ega boʻlsa), QQS birlamchi hisoblanadi. sotuvchi mamlakatning QQS stavkasi. Qoidaning oxiri.
      Agar sotuvchi ham, xaridor ham Yevropa hamjamiyatida boʻlsa va xaridor kompaniya boʻlsa (hamjamiyat ichida roʻyxatdan oʻtgan QQS raqami bilan), QQS 0 boʻladi. avvalboshdan. Qoidaning oxiri.
      Boshqa har qanday holatda ham taklif qilingan sukut boʻyicha Sotish soligʻi=0 boʻladi. Qoidaning oxiri. VATIsNotUsedDesc=Sukut bo'yicha taklif qilinadigan Soliq solig'i 0 ga teng bo'lib, u assotsiatsiyalar, jismoniy shaxslar yoki kichik kompaniyalar kabi hollarda ishlatilishi mumkin. VATIsUsedExampleFR=Frantsiyada bu haqiqiy fiskal tizimga ega bo'lgan kompaniyalar yoki tashkilotlarni anglatadi (Soddalashtirilgan real yoki normal real). QQS e'lon qilingan tizim. VATIsNotUsedExampleFR=Frantsiyada bu Sotishdan tashqari deklaratsiyalangan assotsiatsiyalarni yoki mikrofirma fiskal tizimini tanlagan (franchayzadagi savdo solig'i) va franchayzing savdo soliqlarini hech qanday savdo deklaratsiyasisiz to'lagan kompaniyalar, tashkilotlar yoki liberal kasblarni anglatadi. Ushbu tanlovda hisobvaraq-fakturalarda "Amalga oshirilmaydigan savdo solig'i - CGI san'ati-293B" ma'lumotnomasi ko'rsatiladi. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Sotishdan olinadigan soliq turi LTRate=Tezlik @@ -1156,7 +1167,7 @@ ValueOfConstantKey=Konfiguratsiya doimiyligining qiymati ConstantIsOn=%s variant yoniq NbOfDays=Kunlar soni AtEndOfMonth=Oy oxirida -CurrentNext=A given day in month +CurrentNext=Oyning ma'lum bir kuni Offset=Ofset AlwaysActive=Har doim faol Upgrade=Yangilash @@ -1246,7 +1257,7 @@ SetupDescription4= %s -> %s

      Ushbu dastur ko'plab mo SetupDescription5=Boshqa O'rnatish menyusi yozuvlari ixtiyoriy parametrlarni boshqaradi. SetupDescriptionLink= %s - %s SetupDescription3b=Ilovangizning odatiy xatti-harakatlarini sozlash uchun ishlatiladigan asosiy parametrlar (masalan, mamlakat bilan bog'liq xususiyatlar uchun). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. +SetupDescription4b=Ushbu dastur ko'plab modullar/ilovalar to'plamidir. Sizning ehtiyojlaringiz bilan bog'liq modullar faollashtirilgan bo'lishi kerak. Ushbu modullar faollashtirilganda menyu yozuvlari paydo bo'ladi. AuditedSecurityEvents=Tekshiriladigan xavfsizlik hodisalari NoSecurityEventsAreAduited=Hech qanday xavfsizlik hodisalari tekshirilmaydi. Siz ularni %s menyusidan faollashtirishingiz mumkin Audit=Xavfsizlik tadbirlari @@ -1262,13 +1273,13 @@ BrowserName=Brauzer nomi BrowserOS=Brauzer OS ListOfSecurityEvents=Dolibarr xavfsizlik tadbirlari ro'yxati SecurityEventsPurged=Xavfsizlik tadbirlari tozalandi -TrackableSecurityEvents=Trackable security events +TrackableSecurityEvents=Kuzatiladigan xavfsizlik hodisalari LogEventDesc=Muayyan xavfsizlik hodisalari uchun jurnalga yozishni yoqing. Administratorlar jurnalni %s - %s menyusi orqali qayd etishadi. Ogohlantirish, ushbu xususiyat ma'lumotlar bazasida katta hajmdagi ma'lumotlarni yaratishi mumkin. AreaForAdminOnly=O'rnatish parametrlarini faqat administrator foydalanuvchilari tomonidan o'rnatishi mumkin. SystemInfoDesc=Tizim ma'lumotlari faqat o'qish rejimida olinadigan va faqat administratorlar uchun ko'rinadigan turli xil texnik ma'lumotlardir. SystemAreaForAdminOnly=Ushbu maydon faqat administrator foydalanuvchilari uchun mavjud. Dolibarr foydalanuvchi ruxsatnomalari ushbu cheklovni o'zgartira olmaydi. CompanyFundationDesc=Kompaniyangiz / tashkilotingiz ma'lumotlarini tahrirlash. Ish tugagandan so'ng sahifaning pastki qismidagi "%s" tugmasini bosing. -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". +MoreNetworksAvailableWithModule="Ijtimoiy tarmoqlar" modulini yoqish orqali ko'proq ijtimoiy tarmoqlar mavjud bo'lishi mumkin. AccountantDesc=Agar sizda tashqi buxgalter / buxgalter bo'lsa, bu erda uning ma'lumotlarini tahrirlashingiz mumkin. AccountantFileNumber=Buxgalter kodi DisplayDesc=Ilovaning ko'rinishi va taqdimotiga ta'sir qiluvchi parametrlarni bu erda o'zgartirish mumkin. @@ -1286,7 +1297,7 @@ TriggerActiveAsModuleActive= %s moduli yoqilganligi sababli ushbu faylda GeneratedPasswordDesc=Avtomatik ravishda yaratilgan parollar uchun ishlatiladigan usulni tanlang. DictionaryDesc=Barcha mos yozuvlar ma'lumotlarini joylashtiring. Siz o'zingizning qadriyatlarni sukut bo'yicha qo'shishingiz mumkin. ConstDesc=Ushbu sahifa boshqa sahifalarda mavjud bo'lmagan parametrlarni tahrirlash (bekor qilish) imkonini beradi. Ular asosan ishlab chiquvchilar uchun ajratilgan parametrlardir / faqat rivojlangan muammolarni bartaraf etish. -MiscellaneousOptions=Miscellaneous options +MiscellaneousOptions=Turli xil variantlar MiscellaneousDesc=Xavfsizlik bilan bog'liq barcha boshqa parametrlar bu erda aniqlangan. LimitsSetup=Cheklovlar / aniqlik sozlamalari LimitsDesc=Dolibarr tomonidan qo'llaniladigan limitlar, aniqliklar va optimallashtirishlarni bu erda belgilashingiz mumkin @@ -1320,8 +1331,8 @@ YouMustRunCommandFromCommandLineAfterLoginToUser= %s foydalanuvchisi bil YourPHPDoesNotHaveSSLSupport=Sizning PHP-da SSL funktsiyalari mavjud emas DownloadMoreSkins=Yuklab olish uchun ko'proq terilar SimpleNumRefModelDesc=%syymm-nnnn formatidagi mos yozuvlar raqamini qaytaradi, bu erda yy yil, mm oy va nnnn ketma-ket avtomatik ortib boruvchi raqam -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset -AdvancedNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleRefNumRefModelDesc=Malumot raqamini n formatida qaytaradi, bunda n — qayta oʻrnatilmagan, ketma-ket avtomatik oʻsuvchi raqam +AdvancedNumRefModelDesc=Ma'lumot raqamini %syymm-nnnn formatida qaytaradi, bunda yy - yil, mm - oy va nnnn - asl holatini tiklashsiz ketma-ket avtomatik oshiruvchi raqam SimpleNumRefNoDateModelDesc=%s-nnnn formatidagi mos yozuvlar raqamini qaytaradi, bu erda nnnn qayta tiklanmagan ketma-ket avtomatik ko'paytiruvchi raqam ShowProfIdInAddress=Manzillari ko'rsatilgan professional identifikatorni ko'rsating ShowVATIntaInAddress=Hamjamiyat ichida QQS raqamini yashirish @@ -1399,8 +1410,8 @@ PHPModuleLoaded=PH0 komponenti %s yuklandi PreloadOPCode=Oldindan yuklangan OPCode ishlatiladi AddRefInList=Mijoz/sotuvchi ref. kombinatsiyalangan ro'yxatlarga.
      Uchinchi tomonlar "CC12345 - SC45678 - The Big Company corp" nom formati bilan paydo bo'ladi. "The Big Company corp" o'rniga. AddVatInList=Mijoz/sotuvchi QQS raqamini birlashtirilgan ro'yxatlarda ko'rsatish. -AddAdressInList=Mijoz/sotuvchi manzilini birlashtirilgan ro'yxatlarda ko'rsatish.
      Uchinchi tomonlar "The Big Company corp" o'rniga "The Big Company corp. - 21 jump street 123456 Big town - USA" nom formati bilan paydo bo'ladi. -AddEmailPhoneTownInContactList=
      Aloqa uchun elektron pochta manzilini (yoki aniqlanmagan telefonlar bilan) va shahar haqida ma'lumot ro'yxatini (tanlang ro'yxati yoki kombinat qutisi) ko'rsating "Dupond Durand - dupond.durand@email.com - Parij" yoki "Dyupond Durand - 06 07 59 65 66 - "Dyupond Dyurand" o'rniga "Parij". +AddAdressInList=Mijoz/sotuvchi manzilini birlashtirilgan roʻyxatlarda koʻrsating.
      Uchinchi tomonlarda "" oʻrniga "The Big Company corp. - 21 jump street 123456 Big town - USA" nom formati paydo boʻladi. Katta kompaniya korporatsiyasi". +AddEmailPhoneTownInContactList=Kontakt e-pochtasini (yoki aniqlanmagan bo‘lsa, telefonlarni) va shahar ma’lumotlari ro‘yxatini (ro‘yxat yoki kombinatsiyalangan qutini tanlang) ko‘rsatish
      Kontaktlar “Dupond Durand - dupond.durand@example” nom formatida paydo bo‘ladi. .com - Parij" yoki "Dupond Durand" o'rniga "Dupond Durand - 06 07 59 65 66 - Parij". AskForPreferredShippingMethod=Uchinchi shaxslar uchun jo'natilgan transport usulini so'rang. FieldEdition=%s maydonining nashri FillThisOnlyIfRequired=Misol: +2 (faqat vaqt mintaqasini ofset bilan bog'liq muammolar yuzaga kelganda to'ldiring) @@ -1408,7 +1419,7 @@ GetBarCode=Shtrixli kodni oling NumberingModules=Nomerlash modellari DocumentModules=Hujjat modellari ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters. +PasswordGenerationStandard=Ichki Dolibarr algoritmiga muvofiq yaratilgan parolni qaytaring: %s umumiy raqamlar va belgilarni o'z ichiga olgan belgilar. PasswordGenerationNone=Yaratilgan parolni taklif qilmang. Parolni qo'lda kiritish kerak. PasswordGenerationPerso=Shaxsiy belgilangan konfiguratsiyaga muvofiq parolni qaytaring. SetupPerso=Sizning konfiguratsiyangizga muvofiq @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=Kirish sahifasida "Parol unutilgan" havolas UsersSetup=Foydalanuvchilar modulini sozlash UserMailRequired=Yangi foydalanuvchi yaratish uchun elektron pochta kerak UserHideInactive=Faol bo'lmagan foydalanuvchilarni barcha foydalanuvchilar ro'yxatidan yashirish (Tavsiya etilmaydi: bu ba'zi sahifalarda eski foydalanuvchilarni filtrlay olmaysiz yoki qidira olmaysiz degan ma'noni anglatadi) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Foydalanuvchi yozuvidan hosil bo'lgan hujjatlar uchun hujjat shablonlari GroupsDocModules=Guruh yozuvidan hosil qilingan hujjatlar uchun hujjat shablonlari ##### HRM setup ##### @@ -1462,10 +1475,10 @@ SuppliersPayment=Sotuvchi uchun to'lovlar SupplierPaymentSetup=Sotuvchi to'lovlarini sozlash InvoiceCheckPosteriorDate=Tasdiqlashdan oldin haqiqiy sanani tekshiring InvoiceCheckPosteriorDateHelp=Hisob-fakturaning sanasi xuddi shu turdagi oxirgi hisob-faktura sanasidan oldin bo'lsa, uni tasdiqlash taqiqlanadi. -InvoiceOptionCategoryOfOperations=Display the mention "category of operations" on the invoice. -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
      - Category of operations: Delivery of goods
      - Category of operations: Provision of services
      - Category of operations: Mixed - Delivery of goods & provision of services -InvoiceOptionCategoryOfOperationsYes1=Yes, below the address block -InvoiceOptionCategoryOfOperationsYes2=Yes, in the lower left-hand corner +InvoiceOptionCategoryOfOperations=Hisob-fakturada "operatsiyalar toifasi" ni ko'rsating. +InvoiceOptionCategoryOfOperationsHelp=Vaziyatga qarab, eslatma quyidagi shaklda paydo bo'ladi:
      - Operatsiyalar toifasi: Tovarlarni yetkazib berish
      - Turkum operatsiyalar: xizmatlar ko'rsatish
      - Operatsiyalar toifasi: Aralash - Tovarlarni yetkazib berish va xizmatlar ko'rsatish +InvoiceOptionCategoryOfOperationsYes1=Ha, manzil bloki ostida +InvoiceOptionCategoryOfOperationsYes2=Ha, pastki chap burchakda ##### Proposals ##### PropalSetup=Tijorat takliflari modulini sozlash ProposalsNumberingModules=Tijorat takliflarini raqamlash modellari @@ -1508,13 +1521,13 @@ WatermarkOnDraftContractCards=Shartnoma loyihalari bo'yicha suv belgisi (agar bo ##### Members ##### MembersSetup=A'zolar modulini sozlash MemberMainOptions=Asosiy variantlar -MemberCodeChecker=Options for automatic generation of member codes -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +MemberCodeChecker=A'zo kodlarini avtomatik yaratish imkoniyatlari +AdherentLoginRequired=Har bir a'zo uchun login/parolni boshqaring +AdherentLoginRequiredDesc=A'zo faylida login va parol uchun qiymat qo'shing. Agar a'zo foydalanuvchi bilan bog'langan bo'lsa, a'zo login va parolni yangilash foydalanuvchi login va parolini ham yangilaydi. AdherentMailRequired=Yangi a'zo yaratish uchun elektron pochta kerak MemberSendInformationByMailByDefault=Odatiy ravishda a'zolarga pochta orqali tasdiqlash (tasdiqlash yoki yangi obuna) yuborish uchun tasdiqlash qutisi yoqilgan MemberCreateAnExternalUserForSubscriptionValidated=Tasdiqlangan har bir yangi a'zo obuna uchun tashqi foydalanuvchi loginini yarating -VisitorCanChooseItsPaymentMode=Visitor can choose from any available payment modes +VisitorCanChooseItsPaymentMode=Mehmon har qanday mavjud to'lov usullaridan birini tanlashi mumkin MEMBER_REMINDER_EMAIL=Muddati o'tgan obunalarni
      elektron pochta orqali avtomatik eslatib turishni yoqing. Eslatma: %s moduli yoqilgan va eslatmalarni yuborish uchun to'g'ri sozlangan bo'lishi kerak. MembersDocModules=Ro'yxatdan yozuvlaridan hosil bo'lgan hujjatlar uchun hujjat shablonlari ##### LDAP setup ##### @@ -1643,11 +1656,11 @@ LDAPFieldEndLastSubscription=Obuna tugagan sana LDAPFieldTitle=Ish joyi LDAPFieldTitleExample=Misol: sarlavha LDAPFieldGroupid=Guruh identifikatori -LDAPFieldGroupidExample=Example : gidnumber +LDAPFieldGroupidExample=Misol: gidnumber LDAPFieldUserid=Foydalanuvchi IDsi -LDAPFieldUseridExample=Example : uidnumber +LDAPFieldUseridExample=Misol: uid raqami LDAPFieldHomedirectory=Uy katalogi -LDAPFieldHomedirectoryExample=Misol: homedirectory +LDAPFieldHomedirectoryExample=Misol: uy katalogi LDAPFieldHomedirectoryprefix=Uy katalogi prefiksi LDAPSetupNotComplete=LDAP-ni sozlash tugallanmagan (boshqalarga o'tish) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Hech qanday administrator yoki parol taqdim etilmagan. LDAP-ga kirish noma'lum va faqat o'qish rejimida bo'ladi. @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=Amaliy kesh uchun memcached moduli topildi, MemcachedAvailableAndSetup=Memcached serveridan foydalanishga bag'ishlangan memcached moduli yoqilgan. OPCodeCache=OPCode kesh NoOPCodeCacheFound=OPCode keshi topilmadi. Ehtimol, siz XCache yoki eAccelerator (yaxshi) dan tashqari OPCode keshidan foydalanmoqdasiz yoki ehtimol sizda OPCode keshi yo'q (juda yomon). -HTTPCacheStaticResources=Statik manbalar uchun HTTP kesh (css, img, javascript) +HTTPCacheStaticResources=Statik resurslar uchun HTTP kesh (css, img, JavaScript) FilesOfTypeCached=%s turidagi fayllar HTTP server tomonidan keshlanadi FilesOfTypeNotCached=%s turidagi fayllar HTTP server tomonidan keshlanmagan FilesOfTypeCompressed=%s tipidagi fayllar HTTP server tomonidan siqiladi @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=Yetkazib berish kvitansiyalari bo'yicha bepul ma ##### FCKeditor ##### AdvancedEditor=Murakkab muharrir ActivateFCKeditor=Kengaytirilgan tahrirlovchini faollashtirish: -FCKeditorForNotePublic=WYSIWIG elementlarning "ommaviy eslatmalar" maydonini yaratish/nashr qilish -FCKeditorForNotePrivate=WYSIWIG elementlarning "shaxsiy qaydlari" maydonini yaratish/nashr qilish -FCKeditorForCompany=WYSIWIG elementlarining tavsifini yaratish/nashr qilish (mahsulotlar/xizmatlardan tashqari) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= Ommaviy elektron pochta xabarlari uchun WYSIWIG yaratish / nashr (Asboblar -> Elektron pochta) -FCKeditorForUserSignature=WYSIWIG yaratish / foydalanuvchi imzosini nashr etish -FCKeditorForMail=Barcha pochta uchun WYSIWIG yaratish / nashr (Asboblar -> elektron pochtadan tashqari) -FCKeditorForTicket=WYSIWIG yaratish / chiptalar uchun nashr +FCKeditorForNotePublic=WYSIWYG elementlarning "ommaviy eslatmalar" maydonini yaratish/nashr qilish +FCKeditorForNotePrivate=WYSIWYG elementlarning "shaxsiy qaydlari" maydonini yaratish/nashr qilish +FCKeditorForCompany=WYSIWYG elementlarning maydon tavsifini yaratish/nashr qilish (mahsulotlar/xizmatlardan tashqari) +FCKeditorForProductDetails=WYSIWYG mahsulot tavsifini yoki ob'ektlar uchun satrlarni yaratish/nashr qilish (takliflar qatorlari, buyurtmalar, schyot-fakturalar va boshqalar). +FCKeditorForProductDetails2=Ogohlantirish: Ushbu holatda ushbu parametrdan foydalanish tavsiya etilmaydi, chunki u PDF-fayllarni yaratishda maxsus belgilar va sahifa formatlash bilan bog'liq muammolarni keltirib chiqarishi mumkin. +FCKeditorForMailing= Ommaviy elektron pochta jo'natmalari uchun WYSIWYG yaratish/nashr qilish (Asboblar->emailing) +FCKeditorForUserSignature=WYSIWYG foydalanuvchi imzosini yaratish/nashr qilish +FCKeditorForMail=Barcha pochta uchun WYSIWYG yaratish/nashr qilish (Asboblar-> Elektron pochtadan tashqari) +FCKeditorForTicket=Chiptalar uchun WYSIWYG yaratish/nashr ##### Stock ##### StockSetup=Birja modulini sozlash IfYouUsePointOfSaleCheckModule=Agar siz sukut bo'yicha taqdim etilgan Sotish nuqtasi moduli (POS) yoki tashqi moduldan foydalansangiz, ushbu sozlash POS modulingiz tomonidan e'tiborsiz qoldirilishi mumkin. Ko'pgina POS-modullar sukut bo'yicha darhol hisob-fakturani yaratish va bu erdagi variantlardan qat'iy nazar zaxiralarni kamaytirish uchun ishlab chiqilgan. Shunday qilib, sizning POS-dan savdo-sotiqni ro'yxatdan o'tkazishda sizda aktsiyalar kamayishi kerak bo'lsa yoki kerak bo'lmasa, shuningdek POS modul sozlamalarini tekshiring. @@ -1794,13 +1807,13 @@ NotTopTreeMenuPersonalized=Shaxsiy menyular yuqori menyu yozuviga bog'lanmagan NewMenu=Yangi menyu MenuHandler=Menyu boshqaruvchisi MenuModule=Manba moduli -HideUnauthorizedMenu=Ichki foydalanuvchilar uchun ham ruxsatsiz menyularni yashirish (aks holda ochko'zlik) +HideUnauthorizedMenu=Ruxsatsiz menyularni ichki foydalanuvchilar uchun ham yashirish (aks holda kulrang rangda) DetailId=Id menyusi DetailMenuHandler=Yangi menyu ko'rsatiladigan menyu boshqaruvchisi DetailMenuModule=Agar menyuga kirish moduldan keladigan bo'lsa, modul nomi DetailType=Menyu turi (yuqori yoki chap) DetailTitre=Tarjima qilish uchun menyu yorlig'i yoki yorliq kodi -DetailUrl=URL where menu send you (Relative URL link or external link with https://) +DetailUrl=Menyu sizga yuboriladigan URL manzili (nisbiy URL havolasi yoki https:// bilan tashqi havola) DetailEnabled=Kirish yoki ko'rsatmaslik sharti DetailRight=Ruxsatsiz kulrang menyularni ko'rsatish sharti DetailLangs=Yorliq kodini tarjima qilish uchun lang fayl nomi @@ -1840,9 +1853,9 @@ AgendaSetup = Voqealar va kun tartibi modulini o'rnatish AGENDA_DEFAULT_FILTER_TYPE = Ushbu turdagi tadbirlarni kun tartibi ko'rinishidagi qidiruv filtrida avtomatik ravishda o'rnating AGENDA_DEFAULT_FILTER_STATUS = Ushbu holatni kun tartibi ko'rinishidagi qidiruv filtridagi voqealar uchun avtomatik ravishda o'rnating AGENDA_DEFAULT_VIEW = Kun tartibi menyusini tanlashda qaysi ko'rinishni sukut bo'yicha ochishni xohlaysiz -AGENDA_EVENT_PAST_COLOR = Past event color -AGENDA_EVENT_CURRENT_COLOR = Current event color -AGENDA_EVENT_FUTURE_COLOR = Future event color +AGENDA_EVENT_PAST_COLOR = O'tgan voqea rangi +AGENDA_EVENT_CURRENT_COLOR = Joriy voqea rangi +AGENDA_EVENT_FUTURE_COLOR = Kelajakdagi voqea rangi AGENDA_REMINDER_BROWSER = foydalanuvchi brauzerida voqea eslatmasini yoqish AGENDA_REMINDER_BROWSER_SOUND = Ovozli bildirishnomani yoqish AGENDA_REMINDER_EMAIL = hodisasini eslatishni elektron pochta orqali yoqing (har bir tadbirda eslatish opsiyasi / kechikishi aniqlanishi mumkin). @@ -1855,7 +1868,7 @@ PastDelayVCalExport=Eskiroq voqeani eksport qilmang SecurityKey = Elektron kalit ##### ClickToDial ##### ClickToDialSetup=To Dial modulini o'rnatish uchun bosing -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). +ClickToDialUrlDesc=Telefon piktogrammasi bosilganda URL chaqiriladi. URL manzilida siz teglardan foydalanishingiz mumkin
      __PHONETO__b09a4b739f17f80 bo'ladi qo'ng'iroq qilish uchun shaxsning telefon raqami bilan almashtirildi
      __PHONEFROM__b09a4b739f017 qo'ng'iroq qilayotgan shaxsning telefon raqami (sizniki) bilan almashtiriladi
      __LOGIN__b09a4170z span> bu klik orqali kirish bilan almashtiriladi (foydalanuvchi kartasida belgilangan)
      __PASS__ bu tugmani bosish paroli bilan almashtiriladi (foydalanuvchi kartasida belgilangan). ClickToDialDesc=Ushbu modul statsionar kompyuterdan foydalanilganda telefon raqamlarini bosish mumkin bo'lgan havolalarga o'zgartiradi. Bir marta bosish raqamga qo'ng'iroq qiladi. Bu ish stolida yumshoq telefondan foydalanilganda yoki masalan, SIP protokoliga asoslangan CTI tizimidan foydalanilganda telefon qo'ng'irog'ini boshlash uchun ishlatilishi mumkin. Eslatma: Smartfondan foydalanganda telefon raqamlari doim bosilishi mumkin. ClickToDialUseTelLink=Telefon raqamlarida faqat "tel:" havolasidan foydalaning ClickToDialUseTelLinkDesc=Agar sizning foydalanuvchilaringiz brauzer bilan bir xil kompyuterda o'rnatilgan va brauzeringizda "tel:" bilan boshlangan havolani bosganingizda qo'ng'iroq qiladigan dasturiy ta'minot yoki dasturiy ta'minot interfeysi bo'lsa, ushbu usuldan foydalaning. Agar sizga "sip:" bilan boshlanadigan havola yoki serverning to'liq echimi kerak bo'lsa (mahalliy dasturiy ta'minotni o'rnatishga hojat yo'q), buni "Yo'q" deb belgilashingiz va keyingi maydonni to'ldirishingiz kerak. @@ -1867,14 +1880,15 @@ CashDeskBankAccountForSell=Naqd to'lovlarni qabul qilish uchun foydalaniladigan CashDeskBankAccountForCheque=To'lovlarni chek orqali qabul qilish uchun foydalaniladigan standart hisob CashDeskBankAccountForCB=Kredit kartalar orqali to'lovlarni qabul qilish uchun foydalaniladigan standart hisob CashDeskBankAccountForSumup=SumUp tomonidan to'lovlarni qabul qilish uchun ishlatiladigan standart bank hisobvarag'i -CashDeskDoNotDecreaseStock=Sotish nuqtasi Savdo punktidan amalga oshirilganda aktsiyalarni pasaytirishni o'chirib qo'ying (agar "yo'q" bo'lsa, aktsiyalarni pasaytirish har bir POS-dan amalga oshiriladi, ushbu modulda o'rnatilgan variantdan qat'i nazar). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Omborni kamaytirish uchun omborni majburan cheklang va cheklang StockDecreaseForPointOfSaleDisabled=Savdo punktida aksiyalarning pasayishi o'chirilgan StockDecreaseForPointOfSaleDisabledbyBatch=POS-da aktsiyalarning pasayishi Serial / Lot moduli bilan mos kelmaydi (hozirda faol), shuning uchun aktsiyalarni pasaytirish o'chirilgan. CashDeskYouDidNotDisableStockDecease=Sale of Sale-dan savdo-sotiqni amalga oshirayotganda siz aktsiyalarning pasayishini o'chirib qo'ymadingiz. Shuning uchun ombor kerak. CashDeskForceDecreaseStockLabel=Partiya mahsulotlari uchun zaxiralarni pasaytirish majbur bo'ldi. CashDeskForceDecreaseStockDesc=Avvaliga eng qadimgi ovqatlanish va sotish sanalari bo'yicha kamaytiring. -CashDeskReaderKeyCodeForEnter=Key ASCII code for "Enter" defined in barcode reader (Example: 13) +CashDeskReaderKeyCodeForEnter=Shtrix-kodni o'quvchida aniqlangan "Enter" uchun kalit ASCII kodi (Misol: 13) ##### Bookmark ##### BookmarkSetup=Xatcho'plar modulini sozlash BookmarkDesc=Ushbu modul sizga xatcho'plarni boshqarish imkonini beradi. Shuningdek, chap menyuda joylashgan har qanday Dolibarr sahifalariga yoki tashqi veb-saytlarga yorliq qo'shishingiz mumkin. @@ -1912,7 +1926,7 @@ SuppliersInvoiceNumberingModel=Sotuvchi fakturalarni raqamlash modellari IfSetToYesDontForgetPermission=Agar nol qiymatga o'rnatilgan bo'lsa, ikkinchi tasdiqlash uchun ruxsat berilgan guruhlarga yoki foydalanuvchilarga ruxsat berishni unutmang ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=GeoIP Maxmind modulini sozlash -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation +PathToGeoIPMaxmindCountryDataFile=Maxmind IP-ni o'z ichiga olgan faylga yo'lni mamlakatga tarjima qilish NoteOnPathLocation=Sizning mamlakatingizga ip ma'lumotlari sizning PHP o'qishi mumkin bo'lgan katalog ichida bo'lishi kerakligini unutmang (PHP open_basedir sozlamalarini va fayl tizimining ruxsatlarini tekshiring). YouCanDownloadFreeDatFileTo=Maxmind GeoIP mamlakat faylining bepul demo versiyasini %s manzilidan yuklab olishingiz mumkin. YouCanDownloadAdvancedDatFileTo=Bundan tashqari, %s manzilidan Maxmind GeoIP mamlakat faylining
      yangilangan to'liq versiyasini yuklab olishingiz mumkin. @@ -1963,13 +1977,14 @@ BackupDumpWizard=Ma'lumotlar bazasi dump faylini yaratish ustasi BackupZipWizard=Hujjatlar katalogini yaratish uchun sehrgar SomethingMakeInstallFromWebNotPossible=Tashqi modulni o'rnatish quyidagi sabablarga ko'ra veb-interfeysdan mumkin emas: SomethingMakeInstallFromWebNotPossible2=Shu sababli, bu erda tavsiflangan yangilash jarayoni faqat imtiyozli foydalanuvchi amalga oshirishi mumkin bo'lgan qo'lda bajariladigan jarayondir. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. +InstallModuleFromWebHasBeenDisabledContactUs=Ilovadan tashqi modullar yoki dinamik veb-saytlarni o'rnatish yoki ishlab chiqish hozirda xavfsizlik maqsadida bloklangan. Agar siz ushbu xususiyatni yoqishingiz kerak bo'lsa, biz bilan bog'laning. InstallModuleFromWebHasBeenDisabledByFile=Ilovadan tashqi modulni o'rnatishni administratoringiz o'chirib qo'ydi. Ushbu funktsiyaga ruxsat berish uchun siz undan %s faylini olib tashlashini so'rashingiz kerak. ConfFileMustContainCustom=Tashqi modulni dasturdan o'rnatish yoki yaratish uchun modul fayllarini %s katalogiga saqlash kerak. Ushbu katalogni Dolibarr tomonidan qayta ishlash uchun siz ikkita direktiv qatorini qo'shish uchun conf / conf.php -ni o'rnatishingiz kerak:
      $ dolibarr_main_url_root_;
      $ dolibarr_main_document_root_alt = '%s / custom'; HighlightLinesOnMouseHover=Sichqoncha harakati o'tib ketganda jadval satrlarini ajratib ko'rsatish HighlightLinesColor=Sichqoncha o'tib ketganda chiziq rangini belgilang (ajratish uchun 'ffffff' dan foydalaning) HighlightLinesChecked=Tekshirilganda chiziq rangini ajratib ko'rsatish (ajratish uchun 'ffffff' dan foydalaning) UseBorderOnTable=Jadvallarda chap va o'ng chegaralarni ko'rsatish +TableLineHeight=Jadval chizig'ining balandligi BtnActionColor=Harakat tugmasi rangi TextBtnActionColor=Harakat tugmasi matn rangi TextTitleColor=Sahifa sarlavhasining matni rangi @@ -1978,7 +1993,7 @@ PressF5AfterChangingThis=Klaviaturada CTRL + F5 tugmachalarini bosing yoki ushbu NotSupportedByAllThemes=Will asosiy mavzular bilan ishlaydi, tashqi mavzular tomonidan qo'llab-quvvatlanmasligi mumkin BackgroundColor=Fon rangi TopMenuBackgroundColor=Yuqori menyu uchun fon rangi -TopMenuDisableImages=Icon or Text in Top menu +TopMenuDisableImages=Yuqori menyudagi belgi yoki matn LeftMenuBackgroundColor=Chap menyu uchun fon rangi BackgroundTableTitleColor=Jadval sarlavhasi uchun fon rangi BackgroundTableTitleTextColor=Jadval sarlavhasi uchun matn rangi @@ -1991,7 +2006,7 @@ EnterAnyCode=Ushbu maydonda chiziqni aniqlash uchun ma'lumotnoma mavjud. Siz tan Enter0or1=0 yoki 1 kiriting UnicodeCurrency=Qavslar oralig'iga bu erga kiriting, valyuta belgisini ko'rsatadigan bayt raqamlari ro'yxati. Masalan: $ uchun, [36] kiriting - Braziliya uchun haqiqiy R $ [82,36] - € uchun, [8364] kiriting ColorFormat=RGB rangi HEX formatida, masalan: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Belgi nomi formatda:
      - joriy mavzu katalogiga rasm fayli uchun image.png
      - image.png@module agar fayl modulning /img/ katalogida bo'lsa
      - FontAwesome fa-xxx picto uchun fa-xxx
      - FontAwesome fa-xxx picto uchun fontawesome_xxx_fa_color_size (prefiks, rang va oʻlchamlar toʻplami bilan) PositionIntoComboList=Chiziqning kombinatsion ro'yxatlarga joylashishi SellTaxRate=Sotishdan olinadigan soliq stavkasi RecuperableOnly=Frantsiyaning biron bir shtati uchun ajratilgan "Qabul qilinmagan, ammo tiklanadigan" QQS uchun ha. Boshqa barcha holatlarda "Yo'q" qiymatini saqlang. @@ -2019,7 +2034,7 @@ MailToSendSupplierOrder=Sotib olish uchun buyurtmalar MailToSendSupplierInvoice=Sotuvchi hisob-fakturalari MailToSendContract=Shartnomalar MailToSendReception=Qabullar -MailToExpenseReport=Expense reports +MailToExpenseReport=Xarajatlar hisoboti MailToThirdparty=Uchinchi shaxslar MailToMember=A'zolar MailToUser=Foydalanuvchilar @@ -2074,15 +2089,15 @@ MAIN_PDF_MARGIN_RIGHT=PDF-dagi o'ng chekka MAIN_PDF_MARGIN_TOP=PDF-dagi eng yaxshi margin MAIN_PDF_MARGIN_BOTTOM=PDF-dagi pastki hoshiya MAIN_DOCUMENTS_LOGO_HEIGHT=PDF-dagi logotip uchun balandlik -DOC_SHOW_FIRST_SALES_REP=Show first sales representative +DOC_SHOW_FIRST_SALES_REP=Birinchi savdo vakilini ko'rsatish MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Taklif satrlarida rasm uchun ustun qo'shing MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Chiziqlarga rasm qo'shilsa, ustunning kengligi -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Kotirovka so'rovlarida birlik narxi ustunini yashirish +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Kotirovka so'rovlarida umumiy narx ustunini yashirish +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Xarid qilish buyurtmalarida birlik narxi ustunini yashirish +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Xarid qilish buyurtmalarida umumiy narx ustunini yashirish MAIN_PDF_NO_SENDER_FRAME=Yuboruvchining manzil ramkasidagi chegaralarni yashirish -MAIN_PDF_NO_RECIPENT_FRAME=Qabul qiluvchilar manzillar doirasidagi chegaralarni yashirish +MAIN_PDF_NO_RECIPENT_FRAME=Qabul qiluvchining manzil ramkasida chegaralarni yashirish MAIN_PDF_HIDE_CUSTOMER_CODE=Mijoz kodini yashirish MAIN_PDF_HIDE_SENDER_NAME=Manzil blokida yuboruvchi/kompaniya nomini yashirish PROPOSAL_PDF_HIDE_PAYMENTTERM=To'lov shartlarini yashirish @@ -2094,13 +2109,13 @@ EnterCalculationRuleIfPreviousFieldIsYes=Agar oldingi maydon "Ha" ga o'rnatilgan SeveralLangugeVariatFound=Bir nechta til variantlari topildi RemoveSpecialChars=Maxsus belgilarni olib tashlang COMPANY_AQUARIUM_CLEAN_REGEX=Regex filtri toza qiymatga (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code +COMPANY_AQUARIUM_NO_PREFIX=Prefiksdan foydalanmang, faqat mijoz yoki yetkazib beruvchi kodini nusxalang COMPANY_DIGITARIA_CLEAN_REGEX=Regex filtri toza qiymatga (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=Uni nusxalashga ruxsat berilmagan -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word +RemoveSpecialWords=Mijozlar yoki etkazib beruvchilar uchun sub-hisoblarni yaratishda ma'lum so'zlarni tozalang +RemoveSpecialWordsHelp=Xaridor yoki yetkazib beruvchi hisobini hisoblashdan oldin tozalanishi kerak bo'lgan so'zlarni belgilang. ";" dan foydalaning har bir so'z orasida GDPRContact=Ma'lumotlarni himoya qilish bo'yicha mutaxassis (DPO, ma'lumotlarning maxfiyligi yoki GDPR aloqasi) -GDPRContactDesc=If you store personal data in your Information System, you can name the contact who is responsible for the General Data Protection Regulation here +GDPRContactDesc=Agar siz shaxsiy ma'lumotlarni Axborot tizimingizda saqlasangiz, bu yerda Ma'lumotlarni himoya qilish bo'yicha Umumiy Nizomga mas'ul bo'lgan kontaktni nomlashingiz mumkin HelpOnTooltip=Matnni ko'rsatmalar panelida ko'rsatish uchun yordam bering HelpOnTooltipDesc=Matn yoki tarjima kalitini bu erga qo'ying, bu maydon formada paydo bo'lganda matn asboblar panelida ko'rsatilsin YouCanDeleteFileOnServerWith=Bu faylni serverda buyruq satri bilan o'chirib tashlashingiz mumkin:
      %s @@ -2111,42 +2126,42 @@ VATIsUsedIsOff=Eslatma: %s - %s menyusida Off menyusida Eslatma: Ushbu dastlabki misolda yetakchi sarlavhasi, jumladan, e-pochta ham yaratiladi. Agar uchinchi tomon ma'lumotlar bazasida topilmasa (yangi mijoz), yetakchi ID 1 bilan uchinchi tomonga biriktiriladi. +EmailCollectorExampleToCollectLeadsDesc=Ba'zi qoidalarga mos keladigan elektron pochta xabarlarini to'plang va elektron pochta ma'lumotlari bilan avtomatik ravishda etakchi (Module loyihasi yoqilgan bo'lishi kerak) yarating. Agar siz loyiha moduli (1 ta yetakchi = 1 loyiha) yordamida oʻz yetakchingizni kuzatib borishni istasangiz, ushbu kollektordan foydalanishingiz mumkin, shuning uchun mijozlar avtomatik tarzda yaratiladi. Agar Collect_Responses kollektori ham yoqilgan bo‘lsa, mijozlaringiz, takliflaringiz yoki boshqa ob’yektlaringizdan elektron xat yuborganingizda, mijozlaringiz yoki hamkorlaringiz javoblarini bevosita ilovada ko‘rishingiz mumkin.
      Izoh: Ushbu dastlabki misolda yetakchi sarlavhasi, jumladan, elektron pochta orqali ham yaratiladi. Maʼlumotlar bazasida uchinchi shaxs topilmasa (yangi mijoz), yetakchi ID 1 bilan uchinchi shaxsga biriktiriladi. EmailCollectorExampleToCollectLeads=Qo'llanmalarni yig'ish misoli EmailCollectorExampleToCollectJobCandidaturesDesc=Ish takliflariga murojaat qilish uchun elektron pochta xabarlarini to'plang (Moduli ishga yollash yoqilgan bo'lishi kerak). Agar siz ish so'rovi uchun nomzodni avtomatik ravishda yaratmoqchi bo'lsangiz, ushbu kollektorni to'ldirishingiz mumkin. Eslatma: Ushbu dastlabki misolda nomzodning sarlavhasi, shu jumladan elektron pochta orqali hosil bo'ladi. EmailCollectorExampleToCollectJobCandidatures=Elektron pochta orqali olingan nomzodlarni yig'ish misoli @@ -2159,7 +2174,7 @@ CodeLastResult=Oxirgi natija kodi NbOfEmailsInInbox=Manba katalogidagi elektron pochta xabarlari soni LoadThirdPartyFromName=%s-da qidiruvni uchinchi tomonga yuklang (faqat yuklash uchun) LoadThirdPartyFromNameOrCreate=%s-da qidiruvni uchinchi tomonga yuklash (agar topilmasa yaratish) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) +LoadContactFromEmailOrCreate=%s orqali kontaktlarni qidirishni yuklang (agar topilmasa, yarating) AttachJoinedDocumentsToObject=Agar elektron pochta mavzusida ob'ektning refi topilsa, biriktirilgan fayllarni ob'ekt hujjatlariga saqlang. WithDolTrackingID=Dolibarr-dan yuborilgan birinchi elektron pochta orqali boshlangan suhbatdan xabar WithoutDolTrackingID=Dolibarr-dan birinchi elektron pochta orqali yuborilgan suhbatdan xabar @@ -2169,7 +2184,7 @@ CreateCandidature=Ishga ariza yarating FormatZip=Zip MainMenuCode=Menyu kirish kodi (asosiy menyu) ECMAutoTree=Avtomatik ECM daraxtini ko'rsating -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. +OperationParamDesc=Ayrim maʼlumotlarni chiqarishda foydalanish qoidalarini belgilang yoki ishlash uchun foydalaniladigan qiymatlarni oʻrnating.

      Kompaniya nomini olish uchun misol. elektron pochta mavzusi vaqtinchalik oʻzgaruvchiga:
      tmp_var=EXTRACT:SUBJECT:Kompaniyadan xabar ([^\n]*)

      Yaraladigan ob'ekt xususiyatlarini o'rnatishga misollar:
      objproperty1=SET:qattiq kodlangan qiymat
      objproperty2=SET:__tmp_var__
      objFETIvalty:value:SETIMP3a faqat xususiyat hali aniqlanmagan bo'lsa o'rnatiladi)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:\\y s([^\\s]*)

      Bir nechta xususiyatlarni ajratib olish yoki oʻrnatish uchun yangi qatordan foydalaning. OpeningHours=Ish vaqti OpeningHoursDesc=Bu erga kompaniyangizning muntazam ish vaqtiga kiring. ResourceSetup=Resurs modulining konfiguratsiyasi @@ -2191,7 +2206,7 @@ ThisValueCanOverwrittenOnUserLevel=Ushbu qiymat har bir foydalanuvchi tomonidan DefaultCustomerType="Yangi mijoz" yaratish shakli uchun standart uchinchi tomon turi ABankAccountMustBeDefinedOnPaymentModeSetup=Izoh: Ushbu xususiyat ishlashi uchun bank hisobvarag'i har bir to'lov rejimining modulida (Paypal, Stripe, ...) aniqlanishi kerak. RootCategoryForProductsToSell=Sotiladigan mahsulotlarning asosiy toifasi -RootCategoryForProductsToSellDesc=Belgilangan bo'lsa, faqat ushbu toifadagi mahsulotlar yoki ushbu toifadagi bolalar ishlab chiqarilishi mumkin +RootCategoryForProductsToSellDesc=Belgilangan bo'lsa, Savdo nuqtasida faqat ushbu turkumdagi mahsulotlar yoki ushbu turkumdagi bolalar mavjud bo'ladi DebugBar=Tuzatish paneli DebugBarDesc=Nosozliklarni tuzatishni soddalashtirish uchun ko'plab vositalar bilan ta'minlangan asboblar paneli DebugBarSetup=DebugBar-ni sozlash @@ -2212,11 +2227,11 @@ ImportSetup=Import modulini o'rnatish InstanceUniqueID=Namunaning noyob identifikatori SmallerThan=Undan kichikroq LargerThan=Undan kattaroq -IfTrackingIDFoundEventWillBeLinked=E'tibor bering, agar elektron pochtada ob'ektning kuzatuv identifikatori topilgan bo'lsa yoki elektron pochta manzili to'plangan va ob'ekt bilan bog'langan elektron pochta xabarining javobi bo'lsa, yaratilgan voqea avtomatik ravishda ma'lum tegishli ob'ektga bog'lanadi. -WithGMailYouCanCreateADedicatedPassword=GMail hisob qaydnomasi yordamida, agar siz 2 bosqichli tekshiruvni yoqsangiz, https://myaccount.google.com/ manzilidagi o'zingizning shaxsiy parol so'zingiz o'rniga dastur uchun maxsus ikkinchi parolni yaratish tavsiya etiladi. -EmailCollectorTargetDir=Muvaffaqiyatli ishlov berilganda elektron pochtani boshqa yorliq / katalogga ko'chirish istalgan xatti-harakatlar bo'lishi mumkin. Ushbu xususiyatdan foydalanish uchun faqat katalog nomini o'rnating (Ismda maxsus belgilarni ishlatmang). E'tibor bering, siz o'qish / yozish uchun kirish qayd yozuvidan foydalanishingiz kerak. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). +IfTrackingIDFoundEventWillBeLinked=E'tibor bering, agar ob'ektning kuzatuv identifikatori elektron pochtada topilsa yoki elektron pochta allaqachon to'plangan va ob'ektga bog'langan elektron pochtaga javob bo'lsa, yaratilgan voqea avtomatik ravishda ma'lum tegishli ob'ektga bog'lanadi. +WithGMailYouCanCreateADedicatedPassword=GMail hisob qaydnomasi bilan, agar siz 2 bosqichli tekshirishni yoqqan boʻlsangiz, https://myaccount.google.com/ saytidan oʻz hisob parolingizdan foydalanish oʻrniga ilova uchun maxsus ikkinchi parol yaratish tavsiya etiladi. +EmailCollectorTargetDir=Muvaffaqiyatli qayta ishlanganda elektron pochtani boshqa teg/katalogga ko'chirish istalgan xatti-harakatlar bo'lishi mumkin. Bu funksiyadan foydalanish uchun bu yerda katalog nomini o‘rnatish kifoya (nomda maxsus belgilardan foydalanmang). Shuni yodda tutingki, siz o'qish/yozish hisob qaydnomasidan ham foydalanishingiz kerak. +EmailCollectorLoadThirdPartyHelp=Maʼlumotlar bazasida mavjud boʻlgan uchinchi tomonni topish va yuklash uchun elektron pochta tarkibidan foydalanish uchun ushbu amaldan foydalanishingiz mumkin (qidiruv “id”, “name”, “name_alias”, “email” oʻrtasida belgilangan xususiyatda amalga oshiriladi). Topilgan (yoki yaratilgan) uchinchi tomon zarur boʻlgan quyidagi harakatlar uchun ishlatiladi.
      Masalan, agar siz satrdan olingan nom bilan uchinchi tomon yaratmoqchi boʻlsangiz ' Ism: topiladigan nom' tanada mavjud bo'lsa, jo'natuvchining elektron pochtasidan elektron pochta sifatida foydalaning, parametr maydonini shunday o'rnatishingiz mumkin:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=Ogohlantirish: ko'pgina elektron pochta serverlari (masalan, Gmail) satrda qidirishda to'liq so'zlarni qidirishadi va agar satr faqat qisman so'zda topilsa, natijani qaytarmaydi. Shu sababli, qidiruv mezonlarida maxsus belgilardan foydalanish, agar ular mavjud so‘zlarning bir qismi bo‘lmasa, e’tiborga olinmaydi.
      So‘z bo‘yicha qidiruvni istisno qilish uchun (agar so‘z bo‘lsa, e-pochtani qaytaring. topilmadi), dan foydalanishingiz mumkin! so'z oldidagi belgi (ba'zi pochta serverlarida ishlamasligi mumkin). EndPointFor=%s uchun yakuniy nuqta: %s DeleteEmailCollector=Elektron pochta kollektorini o'chirish ConfirmDeleteEmailCollector=Ushbu elektron pochta kollektorini o'chirishni xohlaysizmi? @@ -2232,12 +2247,12 @@ EmailTemplate=Elektron pochta uchun shablon EMailsWillHaveMessageID=Elektron pochta xabarlarida ushbu sintaksisga mos keladigan 'Adabiyotlar' yorlig'i bo'ladi PDF_SHOW_PROJECT=Loyihani hujjatda ko'rsatish ShowProjectLabel=Loyiha yorlig'i -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Taxallusni uchinchi tomon nomiga kiriting +THIRDPARTY_ALIAS=Uchinchi tomon nomi - Uchinchi tomon taxalluslari +ALIAS_THIRDPARTY=Uchinchi tomon taxalluslari - uchinchi tomon nomi +PDFIn2Languages=PDF-da yorliqlarni 2 xil tilda ko'rsatish (bu xususiyat ba'zi tillarda ishlamasligi mumkin) PDF_USE_ALSO_LANGUAGE_CODE=Agar siz o'zingizning PDF-dagi ba'zi matnlarni bir xil hosil qilingan PDF-da 2 xil tilda nusxalashni xohlasangiz, siz ushbu ikkinchi tilni o'rnatishingiz kerak, shuning uchun yaratilgan PDF bir xil sahifada 2 xil tilni o'z ichiga oladi, bu PDF yaratishda tanlangan va shu ( faqat bir nechta PDF shablonlari buni qo'llab-quvvatlaydi). PDF uchun 1 ta til uchun bo'sh qoldiring. -PDF_USE_A=PDF hujjatlarini standart PDF formati o'rniga PDF/A formatida yarating +PDF_USE_A=Standart PDF formati o'rniga PDF/A formatida PDF hujjatlarini yarating FafaIconSocialNetworksDesc=Bu erga FontAwesome ikonkasining kodini kiriting. Agar siz FontAwesome nima ekanligini bilmasangiz, umumiy qiymatdan foydalanishingiz mumkin. RssNote=Izoh: Har bir RSS tasmali ta'rifi vidjetni taqdim etadi, uni boshqarish panelida bo'lishini ta'minlash kerak JumpToBoxes=O'rnatish -> Vidjetlarga o'tish @@ -2254,22 +2269,22 @@ YouMayFindSecurityAdviceHere=Siz bu erda xavfsizlik bo'yicha maslahatni topishin ModuleActivatedMayExposeInformation=Ushbu PHP kengaytmasi maxfiy ma'lumotlarni oshkor qilishi mumkin. Agar sizga kerak bo'lmasa, uni o'chirib qo'ying. ModuleActivatedDoNotUseInProduction=Rivojlanish uchun mo'ljallangan modul yoqilgan. Uni ishlab chiqarish muhitida yoqmang. CombinationsSeparator=Mahsulot birikmalari uchun ajratuvchi belgi -SeeLinkToOnlineDocumentation=Misollar uchun yuqori menyuda onlayn hujjatlarga havolani ko'ring +SeeLinkToOnlineDocumentation=Misollar uchun yuqori menyudagi onlayn hujjatlarga havolani ko'ring SHOW_SUBPRODUCT_REF_IN_PDF=Agar %s modulining "%s" xususiyati ishlatilgan bo'lsa, to'plamning pastki mahsulotlarini tafsilotlarini PDF-da ko'rsating. AskThisIDToYourBank=Ushbu identifikatorni olish uchun bankingizga murojaat qiling -AdvancedModeOnly=Ruxsat faqat kengaytirilgan ruxsat rejimida mavjud +AdvancedModeOnly=Ruxsat faqat Kengaytirilgan ruxsat rejimida mavjud ConfFileIsReadableOrWritableByAnyUsers=Conf fayli har qanday foydalanuvchilar tomonidan o'qilishi yoki yozilishi mumkin. Faqat veb-server foydalanuvchisi va guruhiga ruxsat bering. MailToSendEventOrganization=Tadbirni tashkil etish MailToPartnership=Hamkorlik AGENDA_EVENT_DEFAULT_STATUS=Shakldan voqea yaratishda odatiy hodisa holati YouShouldDisablePHPFunctions=PHP funktsiyalarini o'chirib qo'yishingiz kerak -IfCLINotRequiredYouShouldDisablePHPFunctions=Agar siz tizim buyruqlarini maxsus kodda ishlatishingiz kerak bo'lsa, siz PHP funktsiyalarini o'chirib qo'yasiz -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions +IfCLINotRequiredYouShouldDisablePHPFunctions=Tizim buyruqlarini maxsus kodda ishlatishingiz kerak bo'lmasa, PHP funksiyalarini o'chirib qo'yishingiz kerak +PHPFunctionsRequiredForCLI=Qobiq maqsadlari uchun (masalan, rejalashtirilgan ishni zaxiralash yoki antivirus dasturini ishga tushirish) siz PHP funktsiyalarini saqlashingiz kerak NoWritableFilesFoundIntoRootDir=Ildiz katalogingizda yoziladigan fayllar yoki umumiy dasturlarning kataloglari topilmadi (Yaxshi) RecommendedValueIs=Tavsiya etiladi: %s Recommended=Tavsiya etiladi NotRecommended=Tavsiya etilmaydi -ARestrictedPath=Some restricted path for data files +ARestrictedPath=Ma'lumotlar fayllari uchun ba'zi cheklangan yo'llar CheckForModuleUpdate=Tashqi modullarning yangilanishlarini tekshiring CheckForModuleUpdateHelp=Ushbu amal tashqi modullar tahrirlovchilariga yangi versiya mavjudligini tekshirish uchun ulanadi. ModuleUpdateAvailable=Yangilanish mavjud @@ -2277,14 +2292,14 @@ NoExternalModuleWithUpdate=Tashqi modullar uchun hech qanday yangilanish topilma SwaggerDescriptionFile=Swagger API tavsif fayli (masalan, redoc bilan ishlatish uchun) YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=Siz bekor qilingan WS API-ni yoqdingiz. Buning o'rniga REST API-dan foydalanishingiz kerak. RandomlySelectedIfSeveral=Agar bir nechta rasm mavjud bo'lsa, tasodifiy tanlanadi -SalesRepresentativeInfo=For Proposals, Orders, Invoices. +SalesRepresentativeInfo=Takliflar, Buyurtmalar, Invoyslar uchun. DatabasePasswordObfuscated=Ma'lumotlar bazasi paroli conf faylida buzilgan DatabasePasswordNotObfuscated=Ma'lumotlar bazasi paroli conf faylida buzilmaydi APIsAreNotEnabled=API modullari yoqilmagan YouShouldSetThisToOff=Buni 0 ga yoki o'chirib qo'yishingiz kerak InstallAndUpgradeLockedBy=O'rnatish va yangilanishlar %s fayli bilan qulflangan. -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. +InstallLockedBy=Oʻrnatish/qayta oʻrnatish %s fayli tomonidan bloklangan. +InstallOfAddonIsNotBlocked=Qo'shimchalarning o'rnatilishi qulflanmagan. installmodules.lock faylini b0aee83365837fz%s
      tashqi qoʻshimchalar/modullarni oʻrnatishni bloklash. OldImplementation=Eski dastur PDF_SHOW_LINK_TO_ONLINE_PAYMENT=Agar ba'zi onlayn to'lov modullari yoqilgan bo'lsa (Paypal, Stripe, ...), onlayn to'lovni amalga oshirish uchun PDF -ga havola qo'shing. DashboardDisableGlobal=Butun dunyo bo'ylab ochiq narsalarning bosh barmog'ini o'chirib qo'ying @@ -2319,15 +2334,15 @@ LateWarningAfter=Keyin "kechik" ogohlantirish TemplateforBusinessCards=Turli o'lchamdagi biznes karta uchun shablon InventorySetup= Inventarizatsiyani sozlash ExportUseLowMemoryMode=Kam xotira rejimidan foydalaning -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. - -ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL -WebhookSetup = Webhook setup -Settings = Settings -WebhookSetupPage = Webhook setup page -ShowQuickAddLink=Show a button to quickly add an element in top right menu +ExportUseLowMemoryModeHelp=Dump faylini yaratish uchun kam xotira rejimidan foydalaning (siqish PHP xotirasiga emas, balki quvur orqali amalga oshiriladi). Ushbu usul faylning to'liqligini tekshirishga imkon bermaydi va agar u muvaffaqiyatsiz bo'lsa, xato xabari haqida xabar berib bo'lmaydi. Agar xotirada xatolik yetarli boʻlmasa, undan foydalaning. +ModuleWebhookName = Webhuk +ModuleWebhookDesc = Dolibarr triggerlarini ushlash va voqea ma'lumotlarini URL manziliga yuborish uchun interfeys +WebhookSetup = Webhookni sozlash +Settings = Sozlamalar +WebhookSetupPage = Webhook sozlamalari sahifasi +ShowQuickAddLink=Yuqori o'ng menyuda elementni tezda qo'shish uchun tugmani ko'rsating +ShowSearchAreaInTopMenu=Yuqori menyuda qidiruv maydonini ko'rsating HashForPing=Ping uchun ishlatiladigan xesh ReadOnlyMode=Misol "Faqat o'qish" rejimida DEBUGBAR_USE_LOG_FILE=Jurnallarni yopish uchun dolibarr.log faylidan foydalaning @@ -2335,74 +2350,93 @@ UsingLogFileShowAllRecordOfSubrequestButIsSlower=Jonli xotirani ushlash o'rniga FixedOrPercent=Ruxsat etilgan ("fikrlangan" kalit so'zidan foydalaning) yoki foiz ("foiz" kalit so'zidan foydalaning) DefaultOpportunityStatus=Birlamchi imkoniyat holati (etakchi yaratilgandagi birinchi holat) -IconAndText=Icon and text -TextOnly=Text only -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon -IconOnly=Icon only - Text on tooltip only -INVOICE_ADD_ZATCA_QR_CODE=Show the ZATCA QR code on invoices -INVOICE_ADD_ZATCA_QR_CODEMore=Some Arabic countries need this QR Code on their invoices -INVOICE_ADD_SWISS_QR_CODE=Show the swiss QR-Bill code on invoices -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. -INVOICE_SHOW_SHIPPING_ADDRESS=Show shipping address -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) -UrlSocialNetworksDesc=Url link of social network. Use {socialid} for the variable part that contains the social network ID. -IfThisCategoryIsChildOfAnother=If this category is a child of another one -DarkThemeMode=Dark theme mode -AlwaysDisabled=Always disabled -AccordingToBrowser=According to browser -AlwaysEnabled=Always Enabled -DoesNotWorkWithAllThemes=Will not work with all themes -NoName=No name -ShowAdvancedOptions= Show advanced options -HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service -DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method -UsePassword=Use a password -UseOauth=Use a OAUTH token -Images=Images -MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -ScriptIsEmpty=The script is empty -ShowHideTheNRequests=Show/hide the %s SQL request(s) -DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s -TriggerCodes=Triggerable events -TriggerCodeInfo=Enter here the trigger code(s) that must generate a post of a web request (only external URL are allowed). You can enter several trigger codes separated by a comma. -EditableWhenDraftOnly=If unchecked, the value can only be modified when object has a draft status -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" -RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents for receptions -MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions -WarningDisabled=Warning disabled -LimitsAndMitigation=Access limits and mitigation -DesktopsOnly=Desktops only -DesktopsAndSmartphones=Desktops et smartphones -AllowOnlineSign=Allow online signing -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. -CSSPage=CSS Style -Defaultfortype=Default -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +IconAndText=Belgi va matn +TextOnly=Faqat matn +IconOnlyAllTextsOnHover=Faqat piktogramma - Barcha matnlar menyu paneli ustidagi sichqonchaning belgisi ostida ko'rinadi +IconOnlyTextOnHover=Faqat ikonka - ikonka matni sichqonchadagi belgi ostida ikonka ustida paydo bo'ladi +IconOnly=Faqat piktogramma - faqat asboblar maslahatidagi matn +INVOICE_ADD_ZATCA_QR_CODE=Invoyslarda ZATCA QR kodini ko'rsating +INVOICE_ADD_ZATCA_QR_CODEMore=Ba'zi arab mamlakatlari hisob-fakturalarida ushbu QR kodga muhtoj +INVOICE_ADD_SWISS_QR_CODE=Invoyslarda Shveytsariya QR-Bill kodini ko'rsating +INVOICE_ADD_SWISS_QR_CODEMore=Hisob-fakturalar uchun Shveytsariya standarti; ZIP & City toʻldirilganligiga va hisoblarda Shveytsariya/Lixtenshteyn IBAN’lari mavjudligiga ishonch hosil qiling. +INVOICE_SHOW_SHIPPING_ADDRESS=Yetkazib berish manzilini ko'rsatish +INVOICE_SHOW_SHIPPING_ADDRESSMore=Ba'zi mamlakatlarda majburiy ko'rsatma (Frantsiya, ...) +UrlSocialNetworksDesc=Ijtimoiy tarmoqning url havolasi. Ijtimoiy tarmoq identifikatorini o'z ichiga olgan o'zgaruvchan qism uchun {socialid} dan foydalaning. +IfThisCategoryIsChildOfAnother=Agar bu toifa boshqa birining farzandi bo'lsa +DarkThemeMode=Qorong'i mavzu rejimi +AlwaysDisabled=Har doim o'chirilgan +AccordingToBrowser=Brauzerga ko'ra +AlwaysEnabled=Har doim yoqilgan +DoesNotWorkWithAllThemes=Barcha mavzular bilan ishlamaydi +NoName=Ism yo'q +ShowAdvancedOptions= Kengaytirilgan variantlarni ko'rsatish +HideAdvancedoptions= Kengaytirilgan variantlarni yashirish +CIDLookupURL=Modul uchinchi tomon nomini yoki uning telefon raqamidan aloqani olish uchun tashqi vosita tomonidan ishlatilishi mumkin bo'lgan URL manzilini olib keladi. Foydalanish uchun URL: +OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 autentifikatsiyasi barcha xostlar uchun mavjud emas va token OAUTH moduli bilan yuqori oqimda yaratilgan boʻlishi kerak. +MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 autentifikatsiya xizmati +DontForgetCreateTokenOauthMod=To'g'ri ruxsatlarga ega token OAUTH moduli bilan yuqori oqimda yaratilgan bo'lishi kerak +MAIN_MAIL_SMTPS_AUTH_TYPE=Autentifikatsiya usuli +UsePassword=Paroldan foydalaning +UseOauth=OAUTH tokenidan foydalaning +Images=Tasvirlar +MaxNumberOfImagesInGetPost=Formada yuborilgan HTML maydonida ruxsat etilgan rasmlarning maksimal soni +MaxNumberOfPostOnPublicPagesByIP=Bir oy ichida bir xil IP-manzilga ega bo'lgan umumiy sahifalardagi postlarning maksimal soni +CIDLookupURL=Modul uchinchi tomon nomini yoki uning telefon raqamidan aloqani olish uchun tashqi vosita tomonidan ishlatilishi mumkin bo'lgan URL manzilini olib keladi. Foydalanish uchun URL: +ScriptIsEmpty=Skript bo'sh +ShowHideTheNRequests=%s SQL soʻrovini koʻrsatish/yashirish +DefinedAPathForAntivirusCommandIntoSetup=Antivirus dasturining yoʻlini %sga belgilang +TriggerCodes=Tegishli hodisalar +TriggerCodeInfo=Bu yerga veb-so'rov postini yaratishi kerak bo'lgan trigger kod(lar)ni kiriting (faqat tashqi URLga ruxsat beriladi). Siz vergul bilan ajratilgan bir nechta trigger kodlarini kiritishingiz mumkin. +EditableWhenDraftOnly=Belgilanmagan bo'lsa, qiymat faqat ob'ekt qoralama holatiga ega bo'lganda o'zgartirilishi mumkin +CssOnEdit=Tahrirlash sahifalarida CSS +CssOnView=Ko'rish sahifalarida CSS +CssOnList=Ro'yxatlardagi CSS +HelpCssOnEditDesc=Maydonni tahrirlashda foydalaniladigan CSS.
      Masalan: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=Maydonni ko'rishda ishlatiladigan CSS. +HelpCssOnListDesc=Maydon roʻyxat jadvali ichida boʻlganda foydalaniladigan CSS.
      Misol: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=Qabullar uchun yaratilgan hujjatlarda buyurtma miqdorini yashirish +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Qabullar uchun yaratilgan hujjatlarda narxni ko'rsating +WarningDisabled=Ogohlantirish o'chirilgan +LimitsAndMitigation=Kirish cheklovlari va kamaytirish +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. +DesktopsOnly=Faqat ish stollari +DesktopsAndSmartphones=Ish stollari va smartfonlar +AllowOnlineSign=Onlayn imzolashga ruxsat bering +AllowExternalDownload=Tashqi yuklab olishga ruxsat berish (tizimga kirmasdan, umumiy havoladan foydalanib) +DeadlineDayVATSubmission=Keyingi oyda QQS topshirishning oxirgi kuni +MaxNumberOfAttachementOnForms=Shaklda birlashtirilgan fayllarning maksimal soni +IfDefinedUseAValueBeetween=Belgilangan bo'lsa, %s va %s orasidagi qiymatdan foydalaning. +Reload=Qayta yuklash +ConfirmReload=Modulni qayta yuklashni tasdiqlang +WarningModuleHasChangedLastVersionCheckParameter=Ogohlantirish: %s moduli har bir sahifaga kirishda uning versiyasini tekshirish uchun parametr o‘rnatdi. Bu noto'g'ri va ruxsat etilmagan amaliyot bo'lib, modullarni boshqarish uchun sahifani beqaror qilishi mumkin. Buni tuzatish uchun modul muallifiga murojaat qiling. +WarningModuleHasChangedSecurityCsrfParameter=Ogohlantirish: %s moduli namunangizning CSRF xavfsizligini o‘chirib qo‘ydi. Bu harakat shubhali va oʻrnatishingiz endi xavfsiz boʻlmasligi mumkin. Iltimos, tushuntirish uchun modul muallifiga murojaat qiling. +EMailsInGoingDesc=Kiruvchi xatlar %s moduli tomonidan boshqariladi. Kiruvchi elektron pochta xabarlarini qo'llab-quvvatlashingiz kerak bo'lsa, uni yoqishingiz va sozlashingiz kerak. +MAIN_IMAP_USE_PHPIMAP=Mahalliy PHP IMAP o‘rniga IMAP uchun PHP-IMAP kutubxonasidan foydalaning. Bu IMAP uchun OAuth2 ulanishidan foydalanishga ham imkon beradi (OAuth moduli ham faollashtirilgan bo'lishi kerak). +MAIN_CHECKBOX_LEFT_COLUMN=Chapda maydon va qator tanlash ustunini ko'rsating (sukut bo'yicha o'ngda) +NotAvailableByDefaultEnabledOnModuleActivation=Sukut bo'yicha yaratilmagan. Faqat modul faollashtirilganda yaratilgan. +CSSPage=CSS uslubi +Defaultfortype=Standart +DefaultForTypeDesc=Shablon turi uchun yangi elektron pochta yaratishda sukut bo'yicha qo'llaniladigan shablon +OptionXShouldBeEnabledInModuleY="%s" varianti %s +OptionXIsCorrectlyEnabledInModuleY="%s" varianti %s +AllowOnLineSign=Onlayn imzoga ruxsat berish +AtBottomOfPage=Sahifaning pastki qismida +FailedAuth=muvaffaqiyatsiz autentifikatsiyalar +MaxNumberOfFailedAuth=Kirishni rad etish uchun 24 soat ichida bajarilmagan autentifikatsiyaning maksimal soni. +AllowPasswordResetBySendingANewPassByEmail=Agar A foydalanuvchisi bunday ruxsatga ega bo'lsa va A foydalanuvchisi "administrator" foydalanuvchi bo'lmasa ham, A boshqa istalgan B foydalanuvchisining parolini tiklashga ruxsat berilsa, yangi parol boshqa B foydalanuvchisining elektron pochtasiga yuboriladi, lekin u A ga ko'rinmaydi. Agar A foydalanuvchisi "admin" bayrog'iga ega bo'lsa, u B ning yangi yaratilgan paroli nima ekanligini ham bilishi mumkin, shuning uchun u B foydalanuvchi hisobini boshqarishi mumkin bo'ladi. +AllowAnyPrivileges=Agar A foydalanuvchisi bunday ruxsatga ega bo'lsa, u barcha imtiyozlarga ega bo'lgan B foydalanuvchisini yaratishi, so'ngra ushbu foydalanuvchi B dan foydalanishi yoki har qanday ruxsat bilan o'ziga boshqa guruhni berishi mumkin. Bu shuni anglatadiki, A foydalanuvchisi barcha biznes imtiyozlariga ega (faqat tizimni sozlash sahifalariga kirish taqiqlanadi) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Bu qiymatni oʻqish mumkin, chunki namunangiz ishlab chiqarish rejimida oʻrnatilmagan +SeeConfFile=Serverdagi conf.php fayliga qarang +ReEncryptDesc=Agar hali shifrlanmagan bo'lsa, ma'lumotlarni qayta shifrlash +PasswordFieldEncrypted=%s yangi yozuv bu maydon shifrlangan +ExtrafieldsDeleted=%s qoʻshimcha maydonlar oʻchirib tashlandi +LargeModern=Katta - zamonaviy +SpecialCharActivation=Maxsus belgilarni kiritish uchun virtual klaviaturani ochish tugmachasini yoqing +DeleteExtrafield=Qo'shimcha maydonni o'chirish +ConfirmDeleteExtrafield=%s maydonini oʻchirishni tasdiqlaysizmi? Ushbu maydonga saqlangan barcha ma'lumotlar, albatta, o'chiriladi +ExtraFieldsSupplierInvoicesRec=Qo'shimcha atributlar (invoys shablonlari) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Sinov muhiti uchun parametrlar +TryToKeepOnly=Faqat %sni saqlashga harakat qiling +RecommendedForProduction=Ishlab chiqarish uchun tavsiya etiladi +RecommendedForDebug=Nosozliklarni tuzatish uchun tavsiya etiladi diff --git a/htdocs/langs/uz_UZ/agenda.lang b/htdocs/langs/uz_UZ/agenda.lang index fab35a3c7e8..76aa6562f2f 100644 --- a/htdocs/langs/uz_UZ/agenda.lang +++ b/htdocs/langs/uz_UZ/agenda.lang @@ -57,18 +57,18 @@ MemberValidatedInDolibarr=%s a'zosi tasdiqlangan MemberModifiedInDolibarr=%s a'zosi o'zgartirildi MemberResiliatedInDolibarr=%s a'zosi tugatildi MemberDeletedInDolibarr=%s a'zosi o'chirildi -MemberExcludedInDolibarr=Member %s excluded +MemberExcludedInDolibarr=%s a'zosi chiqarib tashlandi MemberSubscriptionAddedInDolibarr=%s a'zosi uchun %s obunasi qo'shildi MemberSubscriptionModifiedInDolibarr=%s a'zosi uchun obuna %s o'zgartirildi MemberSubscriptionDeletedInDolibarr=%s a'zosi uchun %s obunasi o'chirildi ShipmentValidatedInDolibarr=%s jo'natmasi tasdiqlangan -ShipmentClassifyClosedInDolibarr=Shipment %s classified closed +ShipmentClassifyClosedInDolibarr=Yuklash %s yopiq tasniflangan ShipmentUnClassifyCloseddInDolibarr=%s jo'natmasi qayta ochilgan ShipmentBackToDraftInDolibarr=%s jo'natmasi qoralama holatiga qaytadi ShipmentDeletedInDolibarr=%s jo'natmasi o'chirildi ShipmentCanceledInDolibarr=%s yetkazib berish bekor qilindi ReceptionValidatedInDolibarr=%s qabul qilish tasdiqlangan -ReceptionDeletedInDolibarr=Reception %s deleted +ReceptionDeletedInDolibarr=%s qabuli oʻchirib tashlandi ReceptionClassifyClosedInDolibarr=Qabul %s yopiq tasniflangan OrderCreatedInDolibarr=%s buyurtmasi yaratildi OrderValidatedInDolibarr=%s buyurtmasi tasdiqlangan @@ -88,7 +88,7 @@ SupplierInvoiceSentByEMail=Sotuvchi hisob-fakturasi %s elektron pochta orqali yu ShippingSentByEMail=%s jo'natmasi elektron pochta orqali yuborilgan ShippingValidated= %s jo'natmasi tasdiqlangan InterventionSentByEMail=Elektron pochta orqali yuborilgan aralashuv %s -ProjectSentByEMail=Project %s sent by email +ProjectSentByEMail=%s loyihasi elektron pochta orqali yuborilgan ProposalDeleted=Taklif o'chirildi OrderDeleted=Buyurtma o'chirildi InvoiceDeleted=Hisob-faktura o'chirildi @@ -128,6 +128,7 @@ MRP_MO_PRODUCEDInDolibarr=MO ishlab chiqarilgan MRP_MO_DELETEInDolibarr=MO o'chirildi MRP_MO_CANCELInDolibarr=MO bekor qilindi PAIDInDolibarr=%s to'langan +ENABLEDISABLEInDolibarr=Foydalanuvchi yoqilgan yoki o'chirilgan ##### End agenda events ##### AgendaModelModule=Hodisa uchun hujjat shablonlari DateActionStart=Boshlanish vaqti @@ -162,7 +163,7 @@ DateActionBegin=Tadbirni boshlash sanasi ConfirmCloneEvent=Hodisani %s klonlashni xohlaysizmi? RepeatEvent=Voqeani takrorlang OnceOnly=Faqat bir marta -EveryDay=Every day +EveryDay=Har kuni EveryWeek=Har hafta EveryMonth=Har oy DayOfMonth=Oy kuni @@ -177,7 +178,27 @@ ReminderType=Qayta qo'ng'iroq turi AddReminder=Ushbu tadbir uchun avtomatik eslatma xabarnomasini yarating ErrorReminderActionCommCreation=Ushbu voqea uchun eslatma bildirishnomasini yaratishda xatolik yuz berdi BrowserPush=Brauzerning popup-xabarnomasi -Reminders=Reminders +Reminders=Eslatmalar ActiveByDefault=Odatiy bo'lib yoqilgan -Until=until -DataFromWasMerged=Data from %s was merged +Until=qadar +DataFromWasMerged=%s maʼlumotlari birlashtirildi +AgendaShowBookcalCalendar=Bandlov taqvimi: %s +MenuBookcalIndex=Onlayn uchrashuv +BookcalLabelAvailabilityHelp=Mavjudlik oralig'i yorlig'i. Masalan:
      Umumiy mavjudlik
      Rojdestvo bayramlarida mavjudlik +DurationOfRange=Diapazonlarning davomiyligi +BookCalSetup = Onlayn uchrashuvni sozlash +Settings = Sozlamalar +BookCalSetupPage = Onlayn uchrashuvni sozlash sahifasi +BOOKCAL_PUBLIC_INTERFACE_TOPIC = Interfeys sarlavhasi +About = Haqida +BookCalAbout = BookCal haqida +BookCalAboutPage = BookCal sahifa haqida +Calendars=Kalendarlar +Availabilities=Mavjudligi +NewAvailabilities=Yangi imkoniyatlar +NewCalendar=Yangi kalendar +ThirdPartyBookCalHelp=Ushbu taqvimda band qilingan tadbir avtomatik ravishda ushbu uchinchi tomon bilan bog'lanadi. +AppointmentDuration = Uchrashuv davomiyligi : %s +BookingSuccessfullyBooked=Bandlovingiz saqlandi +BookingReservationHourAfter=%s sanasida uchrashuvimiz band qilinganligini tasdiqlaymiz +BookcalBookingTitle=Onlayn uchrashuv diff --git a/htdocs/langs/uz_UZ/assets.lang b/htdocs/langs/uz_UZ/assets.lang index 847eabea049..9c78f7235d5 100644 --- a/htdocs/langs/uz_UZ/assets.lang +++ b/htdocs/langs/uz_UZ/assets.lang @@ -168,7 +168,7 @@ AssetDepreciationReversal=Orqaga qaytish # # Errors # -AssetErrorAssetOrAssetModelIDNotProvide=Obyekt identifikatori yoki model ovozi berilmagan +AssetErrorAssetOrAssetModelIDNotProvide=Obyekt identifikatori yoki topilgan model taqdim etilmagan AssetErrorFetchAccountancyCodesForMode="%s" amortizatsiya rejimi uchun buxgalteriya hisoblarini olishda xatolik yuz berdi AssetErrorDeleteAccountancyCodesForMode=Buxgalteriya hisoblarini "%s" amortizatsiya rejimidan o'chirishda xatolik yuz berdi AssetErrorInsertAccountancyCodesForMode="%s" amortizatsiya rejimining buxgalteriya hisoblarini kiritishda xatolik yuz berdi. diff --git a/htdocs/langs/uz_UZ/banks.lang b/htdocs/langs/uz_UZ/banks.lang index 9e90382104e..ebcbd344c52 100644 --- a/htdocs/langs/uz_UZ/banks.lang +++ b/htdocs/langs/uz_UZ/banks.lang @@ -16,6 +16,7 @@ CashAccounts=Naqd pul hisobvaraqlari CurrentAccounts=Joriy hisob-kitoblar SavingAccounts=Jamg'arma hisobvaraqlari ErrorBankLabelAlreadyExists=Moliyaviy hisob yorlig'i allaqachon mavjud +ErrorBankReceiptAlreadyExists=Bank cheki ma'lumotnomasi allaqachon mavjud BankBalance=Balans BankBalanceBefore=Oldingi qoldiq BankBalanceAfter=Balansdan keyin @@ -49,9 +50,9 @@ BankAccountDomiciliation=Bank manzili BankAccountCountry=Hisob qaydnomasi mamlakati BankAccountOwner=Hisob qaydnomasi egasining ismi BankAccountOwnerAddress=Hisob egasining manzili -BankAccountOwnerZip=Account owner zip -BankAccountOwnerTown=Account owner town -BankAccountOwnerCountry=Account owner country +BankAccountOwnerZip=Hisob egasi zip +BankAccountOwnerTown=Hisob egasi shahri +BankAccountOwnerCountry=Hisob egasi mamlakati CreateAccount=Hisob yaratish NewBankAccount=Yangi hisob NewFinancialAccount=Yangi moliyaviy hisob @@ -60,7 +61,7 @@ EditFinancialAccount=Hisobni tahrirlash LabelBankCashAccount=Bank yoki pul yorlig'i AccountType=Hisob turi BankType0=Jamg'arma hisobi -BankType1=Current, cheque or credit card account +BankType1=Joriy, chek yoki kredit karta hisobi BankType2=Naqd hisob AccountsArea=Hisoblar maydoni AccountCard=Hisob kartasi @@ -106,8 +107,8 @@ BankLineNotReconciled=Murosaga kelmagan CustomerInvoicePayment=Mijozlar uchun to'lov SupplierInvoicePayment=Sotuvchining to'lovi SubscriptionPayment=Obuna to'lovi -WithdrawalPayment=Direct Debit payment -BankTransferPayment=Credit Transfer payment +WithdrawalPayment=To'g'ridan-to'g'ri debet to'lovi +BankTransferPayment=Kredit o'tkazmasi to'lovi SocialContributionPayment=Ijtimoiy / soliq soliq to'lovi BankTransfer=Kredit o'tkazish BankTransfers=Kredit o'tkazmalari @@ -121,7 +122,7 @@ ValidateCheckReceipt=Ushbu chek kvitansiyasi tasdiqlansinmi? ConfirmValidateCheckReceipt=Bu chek kvitansiyasini tasdiqlash uchun topshirmoqchimisiz? Tasdiqlanganidan keyin hech qanday o'zgartirish mumkin bo'lmaydi. DeleteCheckReceipt=Ushbu chek kvitansiyasi o'chirilsinmi? ConfirmDeleteCheckReceipt=Ushbu chek kvitansiyasini o'chirishni xohlaysizmi? -DocumentsForDeposit=Documents to deposit at the bank +DocumentsForDeposit=Bankka omonat uchun hujjatlar BankChecks=Bank cheklari BankChecksToReceipt=Depozitni kutayotgan cheklar BankChecksToReceiptShort=Depozitni kutayotgan cheklar @@ -147,9 +148,9 @@ BackToAccount=Hisobga qaytish ShowAllAccounts=Barcha hisoblar uchun ko'rsatish FutureTransaction=Kelajakdagi operatsiya. Yarashmayapti. SelectChequeTransactionAndGenerate=Chek depozit kvitansiyasiga kiritiladigan cheklarni tanlang / filtrlang. Keyin, "Yaratish" tugmasini bosing. -SelectPaymentTransactionAndGenerate=Select/filter the documents which are to be included in the %s deposit receipt. Then, click on "Create". -InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value -InputReceiptNumberBis=YYYYMM or YYYYMMDD +SelectPaymentTransactionAndGenerate=%s depozit kvitansiyasiga kiritiladigan hujjatlarni tanlang/filtrlang. Keyin, "Yaratish" tugmasini bosing. +InputReceiptNumber=Kelishuv bilan bog'liq bank ko'chirmasini tanlang. Saralanadigan raqamli qiymatdan foydalaning +InputReceiptNumberBis=YYYYMM yoki YYYYMM EventualyAddCategory=Oxir-oqibat, yozuvlarni tasniflash uchun toifani ko'rsating ToConciliate=Yarashish uchunmi? ThenCheckLinesAndConciliate=So'ngra, bank ko'chirmasidagi satrlarni tekshiring va bosing @@ -179,8 +180,8 @@ SEPAMandate=SEPA vakolati YourSEPAMandate=Sizning SEPA vakolatingiz FindYourSEPAMandate=Bu sizning kompaniyangizga sizning bankingizda to'g'ridan-to'g'ri debet buyurtma berish huquqini berish uchun sizning SEPA vakolatingiz. Uni imzolangan holda qaytaring (imzolangan hujjatni skanerlash) yoki pochta orqali yuboring AutoReportLastAccountStatement=Taqqoslash paytida avtomatik ravishda 'bank ko'chirma raqami' maydonini oxirgi ko'chirma raqami bilan to'ldiring -CashControl=POS cash control -NewCashFence=New cash control (opening or closing) +CashControl=POS naqd pul nazorati +NewCashFence=Yangi kassa nazorati (ochish yoki yopish) BankColorizeMovement=Harakatlarni ranglang BankColorizeMovementDesc=Agar bu funktsiya yoqilgan bo'lsa, siz debet yoki kredit harakatlari uchun aniq fon rangini tanlashingiz mumkin BankColorizeMovementName1=Debet harakati uchun fon rangi @@ -189,6 +190,7 @@ IfYouDontReconcileDisableProperty=Agar siz ba'zi bir bank hisobvaraqlari bo'yich NoBankAccountDefined=Bank hisob raqami aniqlanmagan NoRecordFoundIBankcAccount=Bank hisob raqamida yozuv topilmadi. Odatda, bu yozuv bank hisobvarag'idagi operatsiyalar ro'yxatidan qo'lda o'chirilganda sodir bo'ladi (masalan, bank hisobvarag'ini taqqoslash paytida). Yana bir sabab shundaki, to'lov "%s" moduli o'chirilganda qayd etilgan. AlreadyOneBankAccount=Allaqachon bitta bank hisobi aniqlangan -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=SEPA o'tkazmasi: "Kredit o'tkazmasi" darajasida "To'lov turi" -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=Kredit o'tkazmalari uchun SEPA XML faylini yaratishda "To'lov turi haqida ma'lumot" bo'limi endi "CreditTransferTransactionInformation" bo'limiga joylashtirilishi mumkin ("To'lov" bo'limi o'rniga). PaymentTypeInformation-ni Toʻlov darajasiga qoʻyish uchun ushbu belgini olib qoʻyishni qatʼiy tavsiya qilamiz, chunki barcha banklar uni CreditTransferTransactionInformation darajasida qabul qilishlari shart emas. To'lov turi ma'lumotlarini CreditTransferTransactionMa'lumot darajasiga joylashtirishdan oldin bankingizga murojaat qiling. +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=SEPA fayl varianti +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=Ha = “Toʻlov turi”ni SEPA faylining “Kredit oʻtkazish” boʻlimida saqlang

      Kredit uchun SEPA XML faylini yaratishda pul o'tkazmalari uchun "To'lov turi ma'lumotlari" bo'limi endi "KreditTransferTransactionInformation" bo'limiga joylashtirilishi mumkin ("To'lov" bo'limi o'rniga). Toʻlov turi maʼlumotlarini toʻlov darajasiga qoʻyish uchun ushbu belgini olib qoʻyishni qatʼiy tavsiya qilamiz, chunki barcha banklar uni CreditTransferTransactionInformation darajasida qabul qilishlari shart emas. To'lov turi ma'lumotlarini CreditTransferTransactionMa'lumot darajasiga joylashtirishdan oldin bankingizga murojaat qiling. ToCreateRelatedRecordIntoBank=Yo'qolgan tegishli bank rekordini yaratish uchun +XNewLinesConciliated=%s yangi qator(lar) kelishildi diff --git a/htdocs/langs/uz_UZ/bills.lang b/htdocs/langs/uz_UZ/bills.lang index c7a26f5e35c..0d9e1b82073 100644 --- a/htdocs/langs/uz_UZ/bills.lang +++ b/htdocs/langs/uz_UZ/bills.lang @@ -13,12 +13,12 @@ BillsStatistics=Mijozlar hisob-fakturalari statistikasi BillsStatisticsSuppliers=Sotuvchilarning hisob-fakturalari statistikasi DisabledBecauseDispatchedInBookkeeping=Faktura buxgalteriya hisobiga yuborilganligi sababli o'chirib qo'yildi DisabledBecauseNotLastInvoice=Fakturani o'chirib bo'lmaydiganligi sababli o'chirib qo'yilgan. Shundan so'ng ba'zi hisob-fakturalar yozilgan va bu hisoblagichda teshiklar hosil qiladi. -DisabledBecauseNotLastSituationInvoice=Disabled because invoice is not erasable. This invoice is not the last one in situation invoice cycle. +DisabledBecauseNotLastSituationInvoice=Hisob-fakturani oʻchirib boʻlmagani uchun oʻchirib qoʻyilgan. Bu hisob-faktura vaziyatdagi hisob-faktura siklidagi oxirgisi emas. DisabledBecauseNotErasable=O'chirilganligi sababli o'chirib qo'yilgan InvoiceStandard=Standart hisob-faktura InvoiceStandardAsk=Standart hisob-faktura InvoiceStandardDesc=Ushbu turdagi schyot-faktura umumiy hisob-fakturadir. -InvoiceStandardShort=Standard +InvoiceStandardShort=Standart InvoiceDeposit=Dastlabki hisob-faktura InvoiceDepositAsk=Dastlabki hisob-faktura InvoiceDepositDesc=Bunday hisob-faktura dastlabki to'lov kelib tushganda amalga oshiriladi. @@ -26,7 +26,7 @@ InvoiceProForma=Dastlabki hisob InvoiceProFormaAsk=Dastlabki hisob InvoiceProFormaDesc= Proforma hisob-fakturasi haqiqiy fakturaning tasviridir, ammo buxgalteriya qiymati yo'q. InvoiceReplacement=O'zgartirilgan hisob-faktura -InvoiceReplacementShort=Replacement +InvoiceReplacementShort=O'zgartirish InvoiceReplacementAsk=Hisob-fakturani almashtirish InvoiceReplacementDesc= zaxira hisob-fakturasi allaqachon qabul qilinmagan to'lovsiz hisob-fakturani to'liq almashtirish uchun ishlatiladi.

      Eslatma: Faqat to'lovi bo'lmagan hisob-fakturalarni almashtirish mumkin. Agar siz almashtirgan hisob-faktura hali yopilmagan bo'lsa, u avtomatik ravishda "tashlab qo'yilgan" uchun yopiladi. InvoiceAvoir=Kredit eslatma @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=Mijozga tegishli to'lovni amalga oshiring DisabledBecauseRemainderToPayIsZero=O'chirilgan, chunki to'lovsiz qolgan nolga teng PriceBase=Asosiy narx BillStatus=Hisob-faktura holati -StatusOfGeneratedInvoices=Tuzilgan hisob-fakturalarning holati +StatusOfAutoGeneratedInvoices=Avtomatik tuzilgan hisob-fakturalar holati BillStatusDraft=Qoralama (tasdiqlanishi kerak) BillStatusPaid=To'langan BillStatusPaidBackOrConverted=Kredit yozuvini qaytarish yoki kredit sifatida belgilangan @@ -162,12 +162,12 @@ ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Ushbu yoki boshq ErrorInvoiceIsNotLastOfSameType=Xato: %s hisob-faktura sanasi %s. U bir xil turdagi hisob-fakturalar uchun oxirgi sanadan keyin yoki unga teng boʻlishi kerak (%s). Iltimos, hisob-faktura sanasini o'zgartiring. BillFrom=Kimdan BillTo=Kimga -ShippingTo=Shipping to +ShippingTo=ga yetkazib berish ActionsOnBill=Hisob-fakturadagi harakatlar -ActionsOnBillRec=Actions on recurring invoice +ActionsOnBillRec=Takroriy hisob-faktura bo'yicha harakatlar RecurringInvoiceTemplate=Shablon / Takroriy hisob-faktura NoQualifiedRecurringInvoiceTemplateFound=Avlodga mos keladigan takrorlanadigan shablon hisob-fakturasi yo'q. -FoundXQualifiedRecurringInvoiceTemplate=%s takrorlanadigan shablon hisob-fakturalari (lar) ni yaratish uchun mos deb topildi. +FoundXQualifiedRecurringInvoiceTemplate=%s takrorlanuvchi hisob-faktura shablonlari ishlab chiqarish uchun mos. NotARecurringInvoiceTemplate=Takrorlanadigan shablon hisob-fakturasi emas NewBill=Yangi hisob-faktura LastBills=Oxirgi %s hisob-fakturalari @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Xaridor hisob-fakturalari Unpaid=To'lanmagan ErrorNoPaymentDefined=Xato To'lov aniqlanmadi ConfirmDeleteBill=Ushbu hisob-fakturani o'chirishni xohlaysizmi? -ConfirmValidateBill=Ushbu fakturani %s ma'lumotnomasi bilan tasdiqlamoqchimisiz? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Hisob-fakturani %s holatini qoralama holatiga o'zgartirishni xohlaysizmi? ConfirmClassifyPaidBill=Hisob-fakturani %s ni to'langan holatga o'zgartirishni xohlaysizmi? ConfirmCancelBill=Hisob-fakturani bekor qilishni xohlaysizmi %s ? @@ -197,9 +197,9 @@ ConfirmClassifyPaidPartiallyReasonDiscount=Qolgan to'lanmagan (%s %s) - ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Qolgan to'lanmagan (%s %s) - bu chegirma, chunki to'lov muddatidan oldin amalga oshirilgan. Ushbu chegirmada QQSni yo'qotishni qabul qilaman. ConfirmClassifyPaidPartiallyReasonDiscountVat=Qolgan to'lanmagan (%s %s) - bu chegirma, chunki to'lov muddatidan oldin amalga oshirilgan. Men ushbu chegirma bo'yicha QQSni kredit yozuvisiz qaytarib olaman. ConfirmClassifyPaidPartiallyReasonBadCustomer=Yomon mijoz -ConfirmClassifyPaidPartiallyReasonBadSupplier=Bad vendor -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) -ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax +ConfirmClassifyPaidPartiallyReasonBadSupplier=Yomon sotuvchi +ConfirmClassifyPaidPartiallyReasonBankCharge=Bank tomonidan chegirma (vositachi bank komissiyasi) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=Daromat solig'i ConfirmClassifyPaidPartiallyReasonProductReturned=Mahsulotlar qisman qaytarildi ConfirmClassifyPaidPartiallyReasonOther=Miqdor boshqa sabablarga ko'ra qoldirilgan ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=Ushbu tanlov sizning hisob-fakturangizga tegishli izohlar bilan ta'minlangan bo'lsa mumkin. (Masalan «Faqatgina to'langan narxga mos keladigan soliq chegirma huquqini beradi») @@ -208,16 +208,16 @@ ConfirmClassifyPaidPartiallyReasonAvoirDesc=Agar boshqalari mos kelmasa, ushbu t ConfirmClassifyPaidPartiallyReasonBadCustomerDesc= yomon mijoz - qarzini to'lashdan bosh tortgan mijoz. ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Ushbu tanlov to'lov to'liq bo'lmaganda ishlatiladi, chunki ba'zi mahsulotlar qaytarib berildi ConfirmClassifyPaidPartiallyReasonBankChargeDesc=To'lanmagan summa vositachi bank to'lovlari , to'g'ridan-to'g'ri Mijoz tomonidan to'langan to'g'ridan-to'g'ri chegirib tashlanadi. -ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=To'lanmagan summa hech qachon to'lanmaydi, chunki u ushlab qolingan soliq hisoblanadi ConfirmClassifyPaidPartiallyReasonOtherDesc=Agar boshqalar mos kelmasa, ushbu tanlovdan foydalaning, masalan quyidagi vaziyatda:
      - to'lov to'liq emas, chunki ba'zi mahsulotlar orqaga jo'natildi kredit yozuvini yaratish orqali buxgalteriya tizimida. -ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=A bad supplier is a supplier we refuse to pay. +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=yomon yetkazib beruvchi biz to‘lashdan bosh tortgan yetkazib beruvchidir. ConfirmClassifyAbandonReasonOther=Boshqalar ConfirmClassifyAbandonReasonOtherDesc=Ushbu tanlov boshqa barcha hollarda qo'llaniladi. Masalan, siz hisob-fakturani almashtirishni rejalashtirganingiz uchun. ConfirmCustomerPayment= %s %s uchun ushbu to'lov kiritilishini tasdiqlaysizmi? ConfirmSupplierPayment= %s %s uchun ushbu to'lov kiritilishini tasdiqlaysizmi? ConfirmValidatePayment=Ushbu to'lovni tasdiqlamoqchimisiz? To'lov tasdiqlangandan keyin hech qanday o'zgartirish kiritilmaydi. ValidateBill=Hisob-fakturani tasdiqlang -UnvalidateBill=Hisob-faktura yaroqsiz +UnvalidateBill=Hisob-fakturani bekor qilish NumberOfBills=Hisob-fakturalar soni NumberOfBillsByMonth=Oyiga hisob-fakturalar soni AmountOfBills=Hisob-fakturalar miqdori @@ -250,12 +250,13 @@ RemainderToTake=Qolgan miqdor RemainderToTakeMulticurrency=Qolgan summa, asl valyuta RemainderToPayBack=Pulni qaytarish uchun qolgan mablag ' RemainderToPayBackMulticurrency=Qaytish uchun qolgan summa, asl valyuta +NegativeIfExcessReceived=ortiqcha qabul qilingan taqdirda salbiy NegativeIfExcessRefunded=ortiqcha qaytarilgan taqdirda salbiy +NegativeIfExcessPaid=negative if excess paid Rest=Kutilmoqda AmountExpected=Da'vo qilingan miqdor ExcessReceived=Ortiqcha olingan ExcessReceivedMulticurrency=Ortiqcha qabul qilingan, asl valyuta -NegativeIfExcessReceived=ortiqcha qabul qilingan taqdirda salbiy ExcessPaid=Ortiqcha to'langan ExcessPaidMulticurrency=Ortiqcha to'langan, asl valyuta EscompteOffered=Taklif qilingan chegirma (muddatidan oldin to'lov) @@ -290,7 +291,7 @@ SetRevenuStamp=Daromad shtampini o'rnating Billed=Hisob-kitob RecurringInvoices=Takroriy hisob-fakturalar RecurringInvoice=Takroriy hisob-faktura -RecurringInvoiceSource=Source recurring invoice +RecurringInvoiceSource=Takroriy hisob-faktura manbasi RepeatableInvoice=Shablon hisob-fakturasi RepeatableInvoices=Shablon hisob-fakturalari RecurringInvoicesJob=Takroriy schyot-fakturalarni yaratish (sotish invoyslari) @@ -333,8 +334,8 @@ DiscountFromExcessPaid=Hisob-fakturadan ortiqcha to'lovlar %s AbsoluteDiscountUse=Ushbu turdagi kreditni tasdiqlashdan oldin hisob-fakturada ishlatish mumkin CreditNoteDepositUse=Ushbu turdagi kreditlardan foydalanish uchun hisob-fakturani tasdiqlash kerak NewGlobalDiscount=Yangi mutlaq chegirma -NewSupplierGlobalDiscount=New absolute supplier discount -NewClientGlobalDiscount=New absolute client discount +NewSupplierGlobalDiscount=Yangi mutlaq yetkazib beruvchi chegirma +NewClientGlobalDiscount=Yangi mutlaq mijoz chegirmasi NewRelativeDiscount=Yangi nisbiy chegirma DiscountType=Chegirma turi NoteReason=Izoh / sabab @@ -404,7 +405,7 @@ DateLastGenerationShort=Sana so'nggi gen. MaxPeriodNumber=Maks. hisob-fakturani yaratish soni NbOfGenerationDone=Hisob-fakturani yaratish soni allaqachon bajarilgan NbOfGenerationOfRecordDone=Bajarilgan yozuvlar soni -NbOfGenerationDoneShort=Number of generations done +NbOfGenerationDoneShort=Amalga oshirilgan avlodlar soni MaxGenerationReached=Yetib kelgan avlodlarning maksimal soni InvoiceAutoValidate=Hisob-fakturalarni avtomatik ravishda tasdiqlang GeneratedFromRecurringInvoice=%s shablonidan takrorlanadigan hisob-fakturadan yaratilgan @@ -458,7 +459,7 @@ ErrorPaymentConditionsNotEligibleToDepositCreation=Tanlangan toʻlov shartlari a PaymentTypeVIR=Bank o'tkazmasi PaymentTypeShortVIR=Bank o'tkazmasi PaymentTypePRE=To'g'ridan-to'g'ri debet to'lovi buyurtmasi -PaymentTypePREdetails=(on account %s...) +PaymentTypePREdetails=(%s hisobida...) PaymentTypeShortPRE=Debet bo'yicha to'lov topshirig'i PaymentTypeLIQ=Naqd pul PaymentTypeShortLIQ=Naqd pul @@ -517,14 +518,14 @@ UseLine=Qo'llash UseDiscount=Chegirmadan foydalaning UseCredit=Kreditdan foydalaning UseCreditNoteInInvoicePayment=Ushbu kredit bilan to'lash miqdorini kamaytiring -MenuChequeDeposits=Deposits slips +MenuChequeDeposits=Depozit varaqlari MenuCheques=Chexlar -MenuChequesReceipts=Deposit slips -NewChequeDeposit=New deposit slip -ChequesReceipts=Cheque deposit slips -DocumentsDepositArea=Deposit slip area -ChequesArea=Deposit slips area -ChequeDeposits=Deposit slips +MenuChequesReceipts=Depozit varaqlari +NewChequeDeposit=Yangi depozit slip +ChequesReceipts=Depozit varaqlarini tekshiring +DocumentsDepositArea=Depozit qog'ozi maydoni +ChequesArea=Depozit varaqlari maydoni +ChequeDeposits=Depozit varaqlari Cheques=Chexlar DepositId=Identifikatsiya depoziti NbCheque=Cheklar soni @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Avval siz standart hisob-fakturani yaratis PDFCrabeDescription=Hisob-fakturaning PDF shabloni Crabe. To'liq hisob-faktura shablonini (shimgichni shablonini eski versiyasi) PDFSpongeDescription=Hisob-faktura PDF shablonini shimgich. To'liq hisob-faktura shabloni PDFCrevetteDescription=Hisob-fakturaning PDF shablonini Crevette. Vaziyat-fakturalar uchun to'liq hisob-faktura shabloni -TerreNumRefModelDesc1=Standart hisob-fakturalar uchun %syymm-nnnn formatidagi qaytarish raqami va kredit yozuvlari uchun %syymm-nnnn, yy yil, mm oy va nnnn ketma-ket avtomatik ko'paytiriladigan raqam bo'lib, tanaffussiz va 0 ga qaytish mumkin emas. -MarsNumRefModelDesc1=standart fakturalar, almashtirish fakturalar uchun %syymm-NNNN, to'lov fakturalar va yillar yil kredit yozuvlari bo'yicha %syymm-NNNN pastga, mm nnnn oy va %syymm-nnnn uchun format %syymm-NNNN yilda Qaytish soni davriy avtomatik artırılmıyor soni tanaffussiz va 0 ga qaytmasdan +TerreNumRefModelDesc1=Qaytariladigan raqam standart invoyslar uchun %syymm-nnnn va kredit eslatmalari uchun %syymm-nnnn formatida, yy yil, mm - oy va nnnn - uzilishsiz va 0 ga qaytmaydigan ketma-ket avtomatik oshiruvchi raqam +MarsNumRefModelDesc1=Qaytish raqami %sstandart hisob-fakturalar uchun yymm-nnnn, almashtiriladigan hisob-fakturalar uchun %syymm-nnnn, %syymm-nnnn dastlabki toʻlov hisob-fakturalari uchun va %syymm-nnnn kredit notalari uchun bu erda yy yil, mm oy va nnnn ketma-ket avtomatik tanaffussiz va 0 ga qaytmaydigan sonni oshirish TerreNumRefModelError=$ Syymm bilan boshlangan qonun loyihasi allaqachon mavjud va ushbu ketma-ketlik modeliga mos kelmaydi. Ushbu modulni faollashtirish uchun uni olib tashlang yoki nomini o'zgartiring. -CactusNumRefModelDesc1=Standart hisob-fakturalar uchun %syymm-nnnn formatidagi, kredit yozuvlari uchun %syymm-nnnn va %syymm-nnnn formatidagi qaytarish raqami, yy yil, mm-raqam o'sish va raqamlar 0 +CactusNumRefModelDesc1=Qaytish raqami %sstandart hisob-fakturalar uchun yymm-nnnn, kredit eslatmalari uchun %syymm-nnnn va %syymm-nnnn avans to‘lov schyot-fakturalari uchun bu yerda yy yil, mm oy va nnnn uzilishsiz va 0 ga qaytmaydigan ketma-ket avtomatik oshiruvchi raqamdir. EarlyClosingReason=Erta yopilish sababi EarlyClosingComment=Erta yopilish eslatmasi ##### Types de contacts ##### @@ -630,14 +631,19 @@ SituationTotalRayToRest=Soliqsiz to'lash uchun qoldiq PDFSituationTitle=Vaziyat n ° %d SituationTotalProgress=Jami taraqqiyot %d %% SearchUnpaidInvoicesWithDueDate=Belgilangan sana = %s bilan to'lanmagan hisob-fakturalarni qidiring -SearchValidatedInvoicesWithDate=Search unpaid invoices with a validation date = %s +SearchValidatedInvoicesWithDate=Tasdiqlash sanasi bilan toʻlanmagan invoyslarni qidiring = %s NoPaymentAvailable=%s uchun to'lov yo'q PaymentRegisteredAndInvoiceSetToPaid=To'lov qayd etildi va %s hisob -fakturasi to'langan deb belgilandi -SendEmailsRemindersOnInvoiceDueDate=Send reminder by email for validated and unpaid invoices +SendEmailsRemindersOnInvoiceDueDate=Tasdiqlangan va toʻlanmagan hisob-fakturalar uchun elektron pochta orqali eslatma yuboring MakePaymentAndClassifyPayed=To'lovni qayd etish BulkPaymentNotPossibleForInvoice=Invoys %s (noto‘g‘ri turi yoki holati) uchun ommaviy to‘lovni amalga oshirib bo‘lmaydi. -MentionVATDebitOptionIsOn=Option to pay tax based on debits -MentionCategoryOfOperations=Category of operations -MentionCategoryOfOperations0=Delivery of goods -MentionCategoryOfOperations1=Provision of services -MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +MentionVATDebitOptionIsOn=Debetlar asosida soliq to'lash imkoniyati +MentionCategoryOfOperations=Operatsiyalar toifasi +MentionCategoryOfOperations0=Tovarlarni yetkazib berish +MentionCategoryOfOperations1=Xizmatlarni taqdim etish +MentionCategoryOfOperations2=Aralash - tovarlarni etkazib berish va xizmatlar ko'rsatish +Salaries=Maoshlar +InvoiceSubtype=Hisob-fakturaning pastki turi +SalaryInvoice=Ish haqi +BillsAndSalaries=Hisoblar va ish haqi +CreateCreditNoteWhenClientInvoiceExists=Bu parametr faqat mijoz uchun tasdiqlangan hisob-faktura(lar) mavjud bo‘lganda yoki doimiy INVOICE_CREDIT_NOTE_STANDALONE ishlatilsa (ayrim mamlakatlar uchun foydali) yoqiladi. diff --git a/htdocs/langs/uz_UZ/blockedlog.lang b/htdocs/langs/uz_UZ/blockedlog.lang index 449cc4e4bba..c367dd30e2a 100644 --- a/htdocs/langs/uz_UZ/blockedlog.lang +++ b/htdocs/langs/uz_UZ/blockedlog.lang @@ -14,28 +14,6 @@ OkCheckFingerprintValidityButChainIsKo=Arxivlangan jurnal avvalgisiga nisbatan h AddedByAuthority=Masofaviy hokimiyatda saqlanadi NotAddedByAuthorityYet=Hali ham uzoqdan saqlanadigan joyda saqlanmagan ShowDetails=Saqlangan ma'lumotlarni ko'rsatish -logPAYMENT_VARIOUS_CREATE=To'lov (hisob-fakturaga tayinlanmagan) yaratilgan -logPAYMENT_VARIOUS_MODIFY=To'lov o'zgartirildi (hisob-fakturaga tayinlanmagan) -logPAYMENT_VARIOUS_DELETE=To'lov (hisob-fakturaga tayinlanmagan) mantiqiy o'chirish -logPAYMENT_ADD_TO_BANK=To'lov bankka qo'shildi -logPAYMENT_CUSTOMER_CREATE=Mijozlar to'lovi yaratildi -logPAYMENT_CUSTOMER_DELETE=Mijozlar to'lovlarini mantiqiy o'chirish -logDONATION_PAYMENT_CREATE=Xayriya to'lovi yaratildi -logDONATION_PAYMENT_DELETE=Xayriya to'lovini mantiqiy o'chirish -logBILL_PAYED=Mijozlarning hisob-fakturasi to'landi -logBILL_UNPAYED=Mijozlarning hisob-fakturasi to'lanmagan -logBILL_VALIDATE=Mijozlarning hisob-fakturasi tasdiqlangan -logBILL_SENTBYMAIL=Mijozlarning hisob-fakturasini pochta orqali yuborish -logBILL_DELETE=Mijozlarning hisob-kitobi mantiqan o'chirildi -logMODULE_RESET=BlockedLog moduli o'chirilgan -logMODULE_SET=BlockedLog moduli yoqildi -logDON_VALIDATE=Xayriya tasdiqlandi -logDON_MODIFY=Xayriya tahrirlangan -logDON_DELETE=Xayriyani mantiqiy o'chirish -logMEMBER_SUBSCRIPTION_CREATE=Ro'yxatdan obuna yaratildi -logMEMBER_SUBSCRIPTION_MODIFY=A'zo obunasi o'zgartirildi -logMEMBER_SUBSCRIPTION_DELETE=Ro'yxatdan obuna mantiqiy o'chirish -logCASHCONTROL_VALIDATE=Yopiq kassa yozuvlari BlockedLogBillDownload=Mijozlarning hisob-fakturasini yuklab olish BlockedLogBillPreview=Xaridorlarning hisob-fakturasini oldindan ko'rish BlockedlogInfoDialog=Jurnal ma'lumotlari @@ -44,7 +22,7 @@ Fingerprint=Barmoq izi DownloadLogCSV=Arxivlangan jurnallarni eksport qilish (CSV) logDOC_PREVIEW=Bosib chiqarish yoki yuklab olish uchun tasdiqlangan hujjatni oldindan ko'rish logDOC_DOWNLOAD=Bosib chiqarish yoki yuborish uchun tasdiqlangan hujjatni yuklab olish -DataOfArchivedEvent=Arxivlangan tadbirning to'liq ma'lumotlari +DataOfArchivedEvent=Arxivlangan hodisaning toʻliq maʼlumotlari ImpossibleToReloadObject=Asl ob'ekt (%s yozing, id %s) bog'lanmagan (o'zgartirilmaydigan saqlangan ma'lumotlarni olish uchun 'To'liq ma'lumotlar' ustuniga qarang) BlockedLogAreRequiredByYourCountryLegislation=O'zgarmas jurnallar moduli mamlakatingiz qonunchiligida talab qilinishi mumkin. Ushbu modulni o'chirib qo'yish kelajakdagi har qanday operatsiyalarni qonun va huquqiy dasturiy ta'minotdan foydalanishga yaroqsiz holga keltirishi mumkin, chunki ularni soliq tekshiruvi tasdiqlashi mumkin emas. BlockedLogActivatedBecauseRequiredByYourCountryLegislation=O'zgarmas jurnallar moduli sizning mamlakatingiz qonunchiligi tufayli faollashtirildi. Ushbu modulni o'chirib qo'yish kelajakdagi har qanday operatsiyalarni qonunchilikka va huquqiy dasturiy ta'minotdan foydalanishga yaroqsiz holga keltirishi mumkin, chunki ular soliq tekshiruvi tomonidan tasdiqlanishi mumkin emas. @@ -55,3 +33,30 @@ RestrictYearToExport=Eksport qilish uchun oyni / yilni cheklang BlockedLogEnabled=Voqealarni o'zgartirib bo'lmaydigan jurnallarda kuzatish tizimi yoqilgan BlockedLogDisabled=Voqealarni o'zgartirib bo'lmaydigan jurnallarda kuzatish tizimi bir oz yozib olingandan so'ng o'chirib qo'yildi. Biz zanjirning buzilganligini kuzatish uchun maxsus Barmoq izini saqladik BlockedLogDisabledBis=Voqealarni oʻzgarmas jurnallarda kuzatish tizimi oʻchirib qoʻyilgan. Bu mumkin, chunki hali hech qanday rekord o'tkazilmagan. +LinkHasBeenDisabledForPerformancePurpose=Ishlash maqsadida hujjatga to'g'ridan-to'g'ri havola 100-qatordan keyin ko'rsatilmaydi. + +## logTypes +logBILL_DELETE=Mijozlarning hisob-kitobi mantiqan o'chirildi +logBILL_PAYED=Mijozlarning hisob-fakturasi to'landi +logBILL_SENTBYMAIL=Mijozlarning hisob-fakturasini pochta orqali yuborish +logBILL_UNPAYED=Mijozlarning hisob-fakturasi to'lanmagan +logBILL_VALIDATE=Mijozlarning hisob-fakturasi tasdiqlangan +logCASHCONTROL_VALIDATE=Yopiq kassa yozuvlari +logDOC_DOWNLOAD=Bosib chiqarish yoki yuborish uchun tasdiqlangan hujjatni yuklab olish +logDOC_PREVIEW=Bosib chiqarish yoki yuklab olish uchun tasdiqlangan hujjatni oldindan ko'rish +logDONATION_PAYMENT_CREATE=Xayriya to'lovi yaratildi +logDONATION_PAYMENT_DELETE=Xayriya to'lovini mantiqiy o'chirish +logDON_DELETE=Xayriyani mantiqiy o'chirish +logDON_MODIFY=Xayriya tahrirlangan +logDON_VALIDATE=Xayriya tasdiqlandi +logMEMBER_SUBSCRIPTION_CREATE=Ro'yxatdan obuna yaratildi +logMEMBER_SUBSCRIPTION_DELETE=Ro'yxatdan obuna mantiqiy o'chirish +logMEMBER_SUBSCRIPTION_MODIFY=A'zo obunasi o'zgartirildi +logMODULE_RESET=BlockedLog moduli o'chirilgan +logMODULE_SET=BlockedLog moduli yoqildi +logPAYMENT_ADD_TO_BANK=To'lov bankka qo'shildi +logPAYMENT_CUSTOMER_CREATE=Mijozlar to'lovi yaratildi +logPAYMENT_CUSTOMER_DELETE=Mijozlar to'lovlarini mantiqiy o'chirish +logPAYMENT_VARIOUS_CREATE=To'lov (hisob-fakturaga tayinlanmagan) yaratilgan +logPAYMENT_VARIOUS_DELETE=To'lov (hisob-fakturaga tayinlanmagan) mantiqiy o'chirish +logPAYMENT_VARIOUS_MODIFY=To'lov o'zgartirildi (hisob-fakturaga tayinlanmagan) diff --git a/htdocs/langs/uz_UZ/bookmarks.lang b/htdocs/langs/uz_UZ/bookmarks.lang index d279dd25924..6b9f76c46ba 100644 --- a/htdocs/langs/uz_UZ/bookmarks.lang +++ b/htdocs/langs/uz_UZ/bookmarks.lang @@ -1,22 +1,24 @@ -# Dolibarr language file - Source file is en_US - marque pages -AddThisPageToBookmarks=Xatcho'plarga joriy sahifani qo'shing -Bookmark=Xatcho'p -Bookmarks=Xatcho'plar -ListOfBookmarks=Xatcho'plar ro'yxati -EditBookmarks=Xatcho'plarni ro'yxatlash / tahrirlash -NewBookmark=Yangi xatcho'p -ShowBookmark=Xatcho'pni ko'rsatish -OpenANewWindow=Yangi yorliqni oching -ReplaceWindow=Joriy yorliqni almashtirish -BookmarkTargetNewWindowShort=Yangi yorliq -BookmarkTargetReplaceWindowShort=Joriy yorliq -BookmarkTitle=Xatcho'p nomi -UrlOrLink=URL manzili -BehaviourOnClick=Xatcho'p URL manzili tanlanganida o'zini tutishi -CreateBookmark=Xatcho'p yarating -SetHereATitleForLink=Xatcho'p uchun nom o'rnating -UseAnExternalHttpLinkOrRelativeDolibarrLink=Tashqi/mutlaq havoladan (https://externalurl.com) yoki ichki/nisbiy havoladan (/mypage.php) foydalaning. Siz 0123456 kabi telefondan ham foydalanishingiz mumkin. -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Bog'langan sahifa joriy yorliqda yoki yangi yorliqda ochilishini tanlang -BookmarksManagement=Xatcho'plarni boshqarish -BookmarksMenuShortCut=Ctrl + shift + m -NoBookmarks=Xatcho‘plar aniqlanmagan +# Dolibarr language file - Source file is en_US - marque pages / bookmarks + +AddThisPageToBookmarks = Xatcho'plarga joriy sahifani qo'shing +BehaviourOnClick = Xatcho‘p URL manzili tanlangandagi xatti-harakatlari +Bookmark = Xatcho'p +Bookmarks = Xatcho'plar +BookmarkTargetNewWindowShort = Yangi yorliq +BookmarkTargetReplaceWindowShort = Joriy yorliq +BookmarkTitle = Xatcho'p nomi +BookmarksManagement = Xatcho'plarni boshqarish +BookmarksMenuShortCut = Ctrl + shift + m +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark = Bog'langan sahifa joriy yorliqda yoki yangi yorliqda ochilishini tanlang +CreateBookmark = Xatcho'p yarating +EditBookmarks = Xatcho'plarni ro'yxatlash / tahrirlash +ListOfBookmarks = Xatcho'plar ro'yxati +NewBookmark = Yangi xatcho'p +NoBookmarkFound = Xatcho‘p topilmadi +NoBookmarks = Xatcho‘plar aniqlanmagan +OpenANewWindow = Yangi yorliqni oching +ReplaceWindow = Joriy yorliqni almashtirish +SetHereATitleForLink = Xatcho'p uchun nom o'rnating +ShowBookmark = Xatcho'pni ko'rsatish +UrlOrLink = URL manzili +UseAnExternalHttpLinkOrRelativeDolibarrLink = Tashqi/mutlaq havoladan (https://externalurl.com) yoki ichki/nisbiy havoladan (/mypage.php) foydalaning. Siz 0123456 kabi telefondan ham foydalanishingiz mumkin. diff --git a/htdocs/langs/uz_UZ/boxes.lang b/htdocs/langs/uz_UZ/boxes.lang index 5a9fd266034..e54e31b8457 100644 --- a/htdocs/langs/uz_UZ/boxes.lang +++ b/htdocs/langs/uz_UZ/boxes.lang @@ -24,6 +24,7 @@ BoxFicheInter=Oxirgi tadbirlar BoxCurrentAccounts=Hisob balansini oching BoxTitleMemberNextBirthdays=Ushbu oyning tug'ilgan kunlari (a'zolar) BoxTitleMembersByType=Turi va holati bo'yicha a'zolar +BoxTitleMembersByTags=Teglar va holat bo'yicha a'zolar BoxTitleMembersSubscriptionsByYear=A'zolar obunalari yil bo'yicha BoxTitleLastRssInfos=%s dan so'nggi %s yangiliklari. BoxTitleLastProducts=Mahsulotlar / xizmatlar: oxirgi %s o'zgartirilgan @@ -44,8 +45,11 @@ BoxTitleSupplierOrdersAwaitingReception=Qabul qilishni kutayotgan etkazib beruvc BoxTitleLastModifiedContacts=Aloqa / manzillar: oxirgi marta o'zgartirilgan %s BoxMyLastBookmarks=Xatcho'plar: so'nggi %s BoxOldestExpiredServices=Muddati tugagan eng qadimgi faol xizmatlar +BoxOldestActions=Eng qadimgi voqealar BoxLastExpiredServices=Faol muddati o'tgan xizmatlar bilan eng so'nggi %s eng eski aloqalar BoxTitleLastActionsToDo=Oxirgi %s amallari +BoxTitleOldestActionsToDo=Eng eski %s bajariladigan tadbirlar, tugallanmagan +BoxTitleFutureActions=Keyingi %s kutilayotgan tadbirlar BoxTitleLastContracts=O'zgartirilgan so'nggi %s shartnomalari BoxTitleLastModifiedDonations=O'zgartirilgan so'nggi %s xayriya mablag'lari BoxTitleLastModifiedExpenses=Oxirgi %s xarajatlar hisoboti o'zgartirildi @@ -109,12 +113,34 @@ NumberOfLinesInSuspenseAccount=To'xtatilgan hisobdagi satr soni SuspenseAccountNotDefined=To'xtatilgan hisob qaydnomasi aniqlanmadi BoxLastCustomerShipments=Mijozlarning so'nggi jo'natmalari BoxTitleLastCustomerShipments=%s mijozlarining so'nggi jo'natmalari +BoxTitleLastLeaveRequests=Oxirgi %s oʻzgartirilgan taʼtil soʻrovlari NoRecordedShipments=Mijozlarni ro'yxatdan o'tkazish bo'yicha ro'yxatdan o'tkazilmagan -BoxCustomersOutstandingBillReached=Ostanding limitiga ega mijozlar yetib kelishdi +BoxCustomersOutstandingBillReached=Cheklovga yetmagan mijozlar # Pages UsersHome=Uy foydalanuvchilari va guruhlari MembersHome=Uyga a'zolik ThirdpartiesHome=Uyning uchinchi tomonlari +productindex=Uy mahsulotlari va xizmatlari +mrpindex=Uy MRP +commercialindex=Uy reklama +projectsindex=Uy loyihalari +invoiceindex=Uy hisob-fakturalari +hrmindex=Uy hisob-fakturalari TicketsHome=Uy chiptalari +stockindex=Uy zaxiralari +sendingindex=Uyga etkazib berish +receptionindex=Uyda qabul qilish +activityindex=Uy faoliyati +proposalindex=Uy taklifi +ordersindex=Uy sotish buyurtmalari +orderssuppliersindex=Uy sotib olish uchun buyurtmalar +contractindex=Uy shartnomalari +interventionindex=Uydagi aralashuvlar +suppliersproposalsindex=Uy yetkazib beruvchilar takliflari +donationindex=Uy xayriyalari +specialexpensesindex=Uy uchun maxsus xarajatlar +expensereportindex=Uy xarajatlari bo'yicha hisobot +mailingindex=Uy pochtasi +opensurveyindex=Uyda ochiq so'rov AccountancyHome=Uy hisobi ValidatedProjects=Tasdiqlangan loyihalar diff --git a/htdocs/langs/uz_UZ/cashdesk.lang b/htdocs/langs/uz_UZ/cashdesk.lang index df725d1099e..8bbe257bc86 100644 --- a/htdocs/langs/uz_UZ/cashdesk.lang +++ b/htdocs/langs/uz_UZ/cashdesk.lang @@ -50,14 +50,14 @@ Footer=Altbilgi AmountAtEndOfPeriod=Davr oxiridagi summa (kun, oy yoki yil) TheoricalAmount=Nazariy miqdor RealAmount=Haqiqiy miqdor -CashFence=Cash box closing -CashFenceDone=Cash box closing done for the period +CashFence=Kassaning yopilishi +CashFenceDone=Naqd pul qutisining yopilishi davr uchun amalga oshirildi NbOfInvoices=Nb-fakturalar Paymentnumpad=To'lovni kiritish uchun maydonchaning turi Numberspad=Numbers Pad BillsCoinsPad=Tangalar va banknotalar Pad DolistorePosCategory=Dolibarr uchun TakePOS modullari va boshqa POS echimlari -TakeposNeedsCategories=TakePOS-da ishlash uchun kamida bitta mahsulot turkumi kerak +TakeposNeedsCategories=TakePOS ishlashi uchun kamida bitta mahsulot toifasi kerak TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS-ga %s toifasida kamida 1 ta mahsulot toifasi kerak. OrderNotes=Har bir buyurtma qilingan narsalarga bir nechta eslatmalarni qo'shishi mumkin CashDeskBankAccountFor=To'lovlar uchun foydalaniladigan standart hisob @@ -76,7 +76,7 @@ TerminalSelect=Siz foydalanmoqchi bo'lgan terminalni tanlang: POSTicket=POS chiptasi POSTerminal=POS terminali POSModule=POS moduli -BasicPhoneLayout=Telefonlar uchun asosiy tartibdan foydalaning +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=%s terminalini sozlash tugallanmagan DirectPayment=To'g'ridan-to'g'ri to'lov DirectPaymentButton="To'g'ridan-to'g'ri naqd to'lov" tugmachasini qo'shing @@ -92,18 +92,18 @@ HeadBar=Bosh bar SortProductField=Mahsulotlarni saralash uchun maydon Browser=Brauzer BrowserMethodDescription=Oddiy va oson kvitansiyani bosib chiqarish. Kvitansiyani sozlash uchun faqat bir nechta parametrlar. Brauzer orqali chop etish. -TakeposConnectorMethodDescription=Qo'shimcha funktsiyalarga ega tashqi modul. Bulutdan chop etish uchun qulaylik. +TakeposConnectorMethodDescription=Qo'shimcha funktsiyalarga ega tashqi modul. Bulutdan chop etish imkoniyati. PrintMethod=Bosib chiqarish usuli ReceiptPrinterMethodDescription=Ko'p parametrlarga ega kuchli usul. Shablonlar bilan to'liq moslashtiriladi. Ilovani joylashtiruvchi server Bulutda bo'lishi mumkin emas (tarmoqdagi printerlarga etib borishi kerak). ByTerminal=Terminal orqali TakeposNumpadUsePaymentIcon=Numpad-ning to'lov tugmachalarida matn o'rniga belgini ishlating CashDeskRefNumberingModules=POS sotish uchun raqamlash moduli CashDeskGenericMaskCodes6 =
      {TN} yorlig'i terminal raqamini qo'shish uchun ishlatiladi -TakeposGroupSameProduct=Bir xil mahsulot qatorlarini guruhlang +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Yangi parallel sotuvni boshlang SaleStartedAt=Savdo %s da boshlandi -ControlCashOpening=Open the "Control cash box" popup when opening the POS -CloseCashFence=Close cash box control +ControlCashOpening=POS-ni ochishda "Naqd pulni boshqarish qutisi" qalqib chiquvchi oynasini oching +CloseCashFence=Kassa nazoratini yoping CashReport=Naqd hisobot MainPrinterToUse=Foydalanadigan asosiy printer OrderPrinterToUse=Printerdan foydalanishga buyurtma bering @@ -118,7 +118,7 @@ ScanToOrder=Buyurtma uchun QR kodni skanerlang Appearance=Tashqi ko'rinishi HideCategoryImages=Turkum rasmlarini yashirish HideProductImages=Mahsulot rasmlarini yashirish -NumberOfLinesToShow=Ko'rsatiladigan rasmlarning soni +NumberOfLinesToShow=Bosh barmoq rasmlarida ko'rsatiladigan matn satrlarining maksimal soni DefineTablePlan=Jadvallar rejasini aniqlang GiftReceiptButton="Sovg'a kvitansiyasi" tugmachasini qo'shing GiftReceipt=Sovg'a kvitansiyasi @@ -135,4 +135,21 @@ PrintWithoutDetailsLabelDefault=Tafsilotlarsiz chop etishda satr yorlig'i sukut PrintWithoutDetails=Tafsilotlarsiz chop eting YearNotDefined=Yil aniqlanmagan TakeposBarcodeRuleToInsertProduct=Mahsulotni kiritish uchun shtrix kod qoidasi -TakeposBarcodeRuleToInsertProductDesc=Skanerlangan shtrix-koddan mahsulot ma'lumotnomasini + miqdorni olish qoidasi.
      Agar bo'sh bo'lsa (standart qiymat), dastur mahsulotni topish uchun skanerlangan to'liq shtrix-koddan foydalanadi.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Allaqachon chop etilgan +HideCategories=Kategoriyalar tanlovining butun qismini yashirish +HideStockOnLine=Onlayn zaxiralarni yashirish +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Mahsulotlar yorlig'i yoki ma'lumotnomasini ko'rsatish +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Terminal %s +TerminalNameDesc=Terminal nomi +DefaultPOSThirdLabel=TakePOS umumiy mijozi +DefaultPOSCatLabel=Savdo nuqtasi (POS) mahsulotlari +DefaultPOSProductLabel=TakePOS uchun mahsulot namunasi +TakeposNeedsPayment=TakePOS ishlashi uchun toʻlov usuli kerak. “Naqd pul” toʻlov usulini yaratmoqchimisiz? +LineDiscount=Chiziqli chegirma +LineDiscountShort=Chiziqli disk. +InvoiceDiscount=Hisob-faktura chegirmasi +InvoiceDiscountShort=Hisob-faktura diski. diff --git a/htdocs/langs/uz_UZ/categories.lang b/htdocs/langs/uz_UZ/categories.lang index 95e0724f992..59196299b3f 100644 --- a/htdocs/langs/uz_UZ/categories.lang +++ b/htdocs/langs/uz_UZ/categories.lang @@ -42,7 +42,7 @@ MemberHasNoCategory=Ushbu a'zo hech qanday teg / toifada emas ContactHasNoCategory=Ushbu aloqa hech qanday teg / toifada emas ProjectHasNoCategory=Ushbu loyiha biron bir teg / toifada emas ClassifyInCategory=Tag / toifaga qo'shish -RemoveCategory=Remove category +RemoveCategory=Kategoriyani olib tashlash NotCategorized=Tag / toifasiz CategoryExistsAtSameLevel=Ushbu turkum ushbu havola bilan allaqachon mavjud ContentsVisibleByAllShort=Hamma ko'rinadigan tarkib @@ -68,7 +68,7 @@ StockCategoriesShort=Ombor teglari / toifalari ThisCategoryHasNoItems=Ushbu turkumda biron bir narsa mavjud emas. CategId=Tag / kategoriya identifikatori ParentCategory=Ota-ona yorlig'i / toifasi -ParentCategoryID=ID of parent tag/category +ParentCategoryID=Asosiy teg/toifa identifikatori ParentCategoryLabel=Ota-ona yorlig'i / toifasi yorlig'i CatSupList=Sotuvchilar teglari / toifalari ro'yxati CatCusList=Mijozlar ro'yxati / istiqbollari teglari / toifalari @@ -88,8 +88,8 @@ DeleteFromCat=Teglardan / toifadan olib tashlash ExtraFieldsCategories=Bir-birini to'ldiruvchi atributlar CategoriesSetup=Teglar / toifalarni sozlash CategorieRecursiv=Ota-ona yorlig'i / toifasi bilan avtomatik ravishda bog'lanish -CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. -AddProductServiceIntoCategory=Assign category to the product/service +CategorieRecursivHelp=Agar parametr yoniq bo'lsa, ob'ektni pastki toifaga qo'shganingizda, ob'ekt asosiy toifalarga ham qo'shiladi. +AddProductServiceIntoCategory=Mahsulot/xizmatga toifani belgilang AddCustomerIntoCategory=Mijozga toifani tayinlang AddSupplierIntoCategory=Yetkazib beruvchiga toifani tayinlang AssignCategoryTo=Kategoriyani tayinlang @@ -97,9 +97,9 @@ ShowCategory=Teg / toifani ko'rsatish ByDefaultInList=Odatiy bo'lib, ro'yxatda ChooseCategory=Toifani tanlang StocksCategoriesArea=Ombor toifalari -TicketsCategoriesArea=Tickets Categories +TicketsCategoriesArea=Chiptalar toifalari ActionCommCategoriesArea=Voqealar toifalari WebsitePagesCategoriesArea=Sahifa konteynerlari toifalari KnowledgemanagementsCategoriesArea=KM maqola toifalari UseOrOperatorForCategories=Kategoriyalar uchun 'OR' operatoridan foydalaning -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Kategoriyaga tayinlang diff --git a/htdocs/langs/uz_UZ/commercial.lang b/htdocs/langs/uz_UZ/commercial.lang index 5a48efe3f5c..1aaf2e63e4d 100644 --- a/htdocs/langs/uz_UZ/commercial.lang +++ b/htdocs/langs/uz_UZ/commercial.lang @@ -65,8 +65,8 @@ ActionAC_SUP_ORD=Xarid buyurtmasini pochta orqali yuboring ActionAC_SUP_INV=Sotuvchi hisob-fakturasini pochta orqali yuboring ActionAC_OTH=Boshqalar ActionAC_OTH_AUTO=Boshqa avtoulov -ActionAC_MANUAL=Events inserted manually (by a user) -ActionAC_AUTO=Events inserted automatically +ActionAC_MANUAL=Qo'lda kiritilgan voqealar (foydalanuvchi tomonidan) +ActionAC_AUTO=Voqealar avtomatik ravishda kiritiladi ActionAC_OTH_AUTOShort=Boshqalar ActionAC_EVENTORGANIZATION=Tadbirlarni tashkil qilish tadbirlari Stats=Savdo statistikasi @@ -74,16 +74,20 @@ StatusProsp=Istiqbol holati DraftPropals=Tijorat takliflari loyihasi NoLimit=Cheklov yo'q ToOfferALinkForOnlineSignature=Onlayn imzo uchun havola -WelcomeOnOnlineSignaturePageProposal=Welcome to the page to accept commercial proposals from %s -WelcomeOnOnlineSignaturePageContract=Welcome to %s Contract PDF Signing Page -WelcomeOnOnlineSignaturePageFichinter=Welcome to %s Intervention PDF Signing Page -ThisScreenAllowsYouToSignDocFromProposal=This screen allow you to accept and sign, or refuse, a quote/commercial proposal -ThisScreenAllowsYouToSignDocFromContract=This screen allow you to sign contract on PDF format online. -ThisScreenAllowsYouToSignDocFromFichinter=This screen allow you to sign intervention on PDF format online. -ThisIsInformationOnDocumentToSignProposal=This is information on document to accept or refuse -ThisIsInformationOnDocumentToSignContract=This is information on contract to sign -ThisIsInformationOnDocumentToSignFichinter=This is information on intervention to sign +WelcomeOnOnlineSignaturePageProposal=%s tijorat takliflarini qabul qilish uchun sahifaga xush kelibsiz +WelcomeOnOnlineSignaturePageContract=%s Shartnomani PDF imzolash sahifasiga xush kelibsiz +WelcomeOnOnlineSignaturePageFichinter=%s Intervention PDF imzolash sahifasiga xush kelibsiz +WelcomeOnOnlineSignaturePageSociete_rib=%s SEPA mandati PDF imzolash sahifasiga xush kelibsiz +ThisScreenAllowsYouToSignDocFromProposal=Bu ekran sizga kotirovka/tijorat taklifini qabul qilish va imzolash yoki rad etish imkonini beradi +ThisScreenAllowsYouToSignDocFromContract=Ushbu ekran PDF formatida onlayn shartnoma imzolash imkonini beradi. +ThisScreenAllowsYouToSignDocFromFichinter=Ushbu ekran sizga PDF formatidagi intervensiyani onlayn tarzda imzolash imkonini beradi. +ThisScreenAllowsYouToSignDocFromSociete_rib=Ushbu ekran sizga PDF formatida SEPA mandatini onlayn imzolash imkonini beradi. +ThisIsInformationOnDocumentToSignProposal=Bu qabul qilish yoki rad etish uchun hujjat haqida ma'lumot +ThisIsInformationOnDocumentToSignContract=Bu imzolanadigan shartnoma haqida ma'lumot +ThisIsInformationOnDocumentToSignFichinter=Bu imzolash uchun aralashuv haqida ma'lumot +ThisIsInformationOnDocumentToSignSociete_rib=Bu imzolash uchun SEPA Mandati haqidagi ma'lumot SignatureProposalRef=%s taklifi / tijorat taklifining imzosi -SignatureContractRef=Signature of contract %s -SignatureFichinterRef=Signature of intervention %s +SignatureContractRef=Shartnoma imzosi %s +SignatureFichinterRef=Aralashuv imzosi %s +SignatureSociete_ribRef=SEPA mandati imzosi %s FeatureOnlineSignDisabled=Onlayn imzo chekish xususiyati o'chirilgan yoki ushbu xususiyat yoqilmaguncha yaratilgan hujjat diff --git a/htdocs/langs/uz_UZ/companies.lang b/htdocs/langs/uz_UZ/companies.lang index 84dbd2fcdef..664d8ede5e3 100644 --- a/htdocs/langs/uz_UZ/companies.lang +++ b/htdocs/langs/uz_UZ/companies.lang @@ -1,4 +1,6 @@ # Dolibarr language file - Source file is en_US - companies +newSocieteAdded=Sizning aloqa ma'lumotlaringiz yozib olindi. Tez orada sizga qaytamiz... +ContactUsDesc=Ushbu shakl sizga birinchi aloqa uchun bizga xabar yuborish imkonini beradi. ErrorCompanyNameAlreadyExists=%s kompaniyasining nomi allaqachon mavjud. Boshqasini tanlang. ErrorSetACountryFirst=Avval mamlakatni o'rnating SelectThirdParty=Uchinchi tomonni tanlang @@ -60,14 +62,14 @@ NatureOfThirdParty=Uchinchi shaxsning tabiati NatureOfContact=Aloqa xususiyati Address=Manzil State=Shtat / viloyat -StateId=State ID +StateId=Davlat identifikatori StateCode=Shtat / viloyat kodi StateShort=Shtat Region=Mintaqa Region-State=Hudud - shtat Country=Mamlakat CountryCode=Mamlakat kodi -CountryId=Country ID +CountryId=Mamlakat identifikatori Phone=Telefon PhoneShort=Telefon Skype=Skype @@ -86,6 +88,9 @@ DefaultLang=Standart til VATIsUsed=Sotishdan foydalanilgan soliq VATIsUsedWhenSelling=Bu uchinchi tomon o'z mijozlariga hisob -fakturani tuzganda sotishdan olinadigan soliqni o'z ichiga oladimi yoki yo'qligini aniqlaydi VATIsNotUsed=Savdo solig'i ishlatilmaydi +VATReverseCharge=QQS teskari to'lovi +VATReverseChargeByDefault=Sukut bo'yicha QQS teskari to'lovi +VATReverseChargeByDefaultDesc=Yetkazib beruvchi schyot-fakturasida sukut bo'yicha QQS teskari to'lovi qo'llaniladi CopyAddressFromSoc=Uchinchi tomon tafsilotlaridan manzilni nusxalash ThirdpartyNotCustomerNotSupplierSoNoRef=Uchinchi tomon na mijoz, na sotuvchi, mavjud mos yozuvlar ob'ekti yo'q ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Uchinchi tomon na mijoz, na sotuvchi, chegirmalar mavjud emas @@ -114,12 +119,20 @@ ProfId3Short=Prof. id 3 ProfId4Short=Prof. id 4 ProfId5Short=Prof. id 5 ProfId6Short=Prof. id 6 +ProfId7Short=Prof. id 7 +ProfId8Short=Prof. id 8 +ProfId9Short=Prof. id 9 +ProfId10Short=Prof. id 10 ProfId1=Professional ID 1 ProfId2=Professional ID 2 ProfId3=Professional ID 3 ProfId4=Professional ID 4 ProfId5=Professional ID 5 ProfId6=Professional ID 6 +ProfId7=Professional ID 7 +ProfId8=Professional ID 8 +ProfId9=Professional ID 9 +ProfId10=Professional ID 10 ProfId1AR=Prof Id 1 (CUIT / CUIL) ProfId2AR=Prof Id 2 (Revenu brutes) ProfId3AR=- @@ -164,15 +177,15 @@ ProfId5CL=- ProfId6CL=- ProfId1CM=Id. prof. 1 (savdo reestri) ProfId2CM=Id. prof. 2 (Soliq to'lovchi raqami) -ProfId3CM=Id. prof. 3 (No. of creation decree) -ProfId4CM=Id. prof. 4 (Deposit certificate No.) -ProfId5CM=Id. prof. 5 (Others) +ProfId3CM=Id. prof. 3 (Yaratilish to'g'risidagi farmon №) +ProfId4CM=Id. prof. 4 (Depozit sertifikat raqami) +ProfId5CM=Id. prof. 5 (boshqalar) ProfId6CM=- ProfId1ShortCM=Savdo reestri ProfId2ShortCM=Soliq to'lovchi raqami -ProfId3ShortCM=No. of creation decree -ProfId4ShortCM=Deposit certificate No. -ProfId5ShortCM=Others +ProfId3ShortCM=Yaratilish to'g'risidagi dekret raqami +ProfId4ShortCM=Depozit sertifikat raqami +ProfId5ShortCM=Boshqalar ProfId6ShortCM=- ProfId1CO=Prof Id 1 (R.U.T.) ProfId2CO=- @@ -198,12 +211,20 @@ ProfId3FR=Prof Id 3 (NAF, eski APE) ProfId4FR=Prof Id 4 (RCS / RM) ProfId5FR=Prof Id 5 (raqamli EORI) ProfId6FR=- +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- ProfId1ShortFR=SIREN ProfId2ShortFR=SIRET ProfId3ShortFR=NAF ProfId4ShortFR=RCS ProfId5ShortFR=EORI ProfId6ShortFR=- +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- ProfId1GB=Ro'yxatdan o'tish raqami ProfId2GB=- ProfId3GB=SIC @@ -242,7 +263,7 @@ ProfId5MA=Id prof. 5 (miloddan avvalgi) ProfId6MA=- ProfId1MX=Prof Id 1 (R.F.C). ProfId2MX=Prof Id 2 (R..P. IMSS) -ProfId3MX=Prof Id 3 (Professional Nizom) +ProfId3MX=Prof ID 3 (Kasbiy Nizom) ProfId4MX=- ProfId5MX=- ProfId6MX=- @@ -312,12 +333,12 @@ CustomerRelativeDiscountShort=Nisbatan chegirma CustomerAbsoluteDiscountShort=Mutlaq chegirma CompanyHasRelativeDiscount=Ushbu mijozda standart chegirma mavjud: %s%% CompanyHasNoRelativeDiscount=Ushbu mijozda sukut bo'yicha nisbatan chegirma mavjud emas -HasRelativeDiscountFromSupplier=Sizda ushbu sotuvchidan %s%% chegirmasi mavjud -HasNoRelativeDiscountFromSupplier=Sizda ushbu sotuvchidan standart chegirma yo'q +HasRelativeDiscountFromSupplier=Sizda birlamchi chegirmangiz %s%% ushbu sotuvchi bilan +HasNoRelativeDiscountFromSupplier=Ushbu sotuvchida standart nisbiy chegirma yo'q CompanyHasAbsoluteDiscount=Ushbu mijozda %s %s uchun chegirmalar mavjud (kredit yozuvlari yoki dastlabki to'lovlar). CompanyHasDownPaymentOrCommercialDiscount=Ushbu mijozda %s %s uchun chegirmalar mavjud (tijorat, dastlabki to'lovlar). CompanyHasCreditNote=Ushbu mijozda hali ham %s %s uchun kredit yozuvlari mavjud -HasNoAbsoluteDiscountFromSupplier=Ushbu sotuvchida chegirmali kreditingiz yo'q +HasNoAbsoluteDiscountFromSupplier=Bu sotuvchidan chegirma/kredit mavjud emas HasAbsoluteDiscountFromSupplier=Sizda ushbu sotuvchidan %s %s uchun chegirmalar mavjud (kredit yozuvlari yoki dastlabki to'lovlar). HasDownPaymentOrCommercialDiscountFromSupplier=Ushbu sotuvchidan %s %s uchun chegirmalar mavjud (tijorat, dastlabki to'lovlar) HasCreditNoteFromSupplier=Sizda ushbu sotuvchidan %s %s uchun kredit yozuvlari mavjud @@ -384,7 +405,7 @@ EditCompany=Kompaniyani tahrirlash ThisUserIsNot=Ushbu foydalanuvchi istiqbolli, mijoz yoki sotuvchi emas VATIntraCheck=Tekshiring VATIntraCheckDesc=QQS identifikatorida mamlakat prefiksi bo'lishi kerak. %s havolasida Dolibarr serveridan Internetga kirishni talab qiladigan Evropa QQS tekshiruvi xizmati (VIES) ishlatiladi. -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation VATIntraCheckableOnEUSite=Evropa Komissiyasi veb-saytida Jamiyat ichidagi QQS identifikatorini tekshiring VATIntraManualCheck=Shuningdek, siz Yevropa Komissiyasining veb-saytida qo'lda tekshirishingiz mumkin %s ErrorVATCheckMS_UNAVAILABLE=Tekshirib bo'lmaydi. Chek xizmati a'zo davlat tomonidan taqdim etilmaydi (%s). @@ -444,7 +465,7 @@ AddAddress=Manzil qo'shing SupplierCategory=Sotuvchi toifasi JuridicalStatus200=Mustaqil DeleteFile=Faylni o'chirish -ConfirmDeleteFile=Are you sure you want to delete this file? +ConfirmDeleteFile=Haqiqatan ham bu faylni %s o‘chirib tashlamoqchimisiz? AllocateCommercial=Savdo vakiliga tayinlangan Organization=Tashkilot FiscalYearInformation=Moliyaviy yil @@ -472,7 +493,7 @@ CurrentOutstandingBill=Amaldagi hisob-kitob OutstandingBill=Maks. qarzdorlik uchun OutstandingBillReached=Maks. qarzdorlik uchun OrderMinAmount=Buyurtma uchun minimal miqdor -MonkeyNumRefModelDesc=Mijoz kodi uchun %syymm-nnnn formatidagi raqamni va sotuvchi kodi uchun %syymm-nnnn ni qaytaring, bu erda yy yil, mm oy va nnnn ketma-ket avtomatik ortib boruvchi raqam va 0 ga qaytmaydi. +MonkeyNumRefModelDesc=Mijoz kodi uchun %syymm-nnnn va yy bo'lgan sotuvchi kodi uchun %syymm-nnnn formatida raqamni qaytaring yil, mm - oy va nnnn - uzilishsiz va 0 ga qaytmaydigan ketma-ket avtomatik oshiruvchi raqam. LeopardNumRefModelDesc=Kod bepul. Ushbu kodni istalgan vaqtda o'zgartirish mumkin. ManagingDirectors=Menejer (lar) ning ismi (bosh direktor, direktor, prezident ...) MergeOriginThirdparty=Uchinchi tomonning nusxasini oling (o'chirmoqchi bo'lgan uchinchi tomon) @@ -497,4 +518,13 @@ InEEC=Evropa (EEC) RestOfEurope=Evropaning qolgan qismi (EEC) OutOfEurope=Evropadan tashqarida (EEC) CurrentOutstandingBillLate=Amaldagi qonun loyihasi kechiktirildi -BecarefullChangeThirdpartyBeforeAddProductToInvoice=Ehtiyot bo'ling, mahsulot narxlari sozlamalariga qarab, mahsulotni POS-ga qo'shishdan oldin uchinchi tomonni o'zgartirishingiz kerak. +BecarefullChangeThirdpartyBeforeAddProductToInvoice=Ehtiyot bo'ling, mahsulot narxi sozlamalariga qarab, mahsulotni POS-ga qo'shishdan oldin uchinchi tomonni o'zgartirishingiz kerak. +EmailAlreadyExistsPleaseRewriteYourCompanyName=elektron pochta allaqachon mavjud, iltimos kompaniya nomini qayta yozing +TwoRecordsOfCompanyName=ushbu kompaniya uchun bir nechta rekord mavjud bo'lsa, hamkorlik so'rovingizni bajarish uchun biz bilan bog'laning +CompanySection=Kompaniya bo'limi +ShowSocialNetworks=Ijtimoiy tarmoqlarni ko'rsatish +HideSocialNetworks=Ijtimoiy tarmoqlarni yashirish +ExternalSystemID=Tashqi tizim identifikatori +IDOfPaymentInAnExternalSystem=To'lov rejimining tashqi tizimga identifikatori (masalan, Stripe, Paypal, ...) +AADEWebserviceCredentials=AADE veb-xizmati hisob ma'lumotlari +ThirdPartyMustBeACustomerToCreateBANOnStripe=Stripe tomonida bank ma'lumotlarini yaratishga ruxsat berish uchun uchinchi tomon mijoz bo'lishi kerak diff --git a/htdocs/langs/uz_UZ/compta.lang b/htdocs/langs/uz_UZ/compta.lang index ec27c83f3bd..1626fa466d7 100644 --- a/htdocs/langs/uz_UZ/compta.lang +++ b/htdocs/langs/uz_UZ/compta.lang @@ -29,8 +29,8 @@ BalanceBefore=Balans (oldin) Balance=Balans Debit=Debet Credit=Kredit -AccountingDebit=Debit -AccountingCredit=Credit +AccountingDebit=Debet +AccountingCredit=Kredit Piece=Buxgalteriya hujjati. AmountHTVATRealReceived=Tarmoq yig'ildi AmountHTVATRealPaid=Net to'langan @@ -82,8 +82,8 @@ MenuNewSocialContribution=Yangi ijtimoiy / fiskal soliq NewSocialContribution=Yangi ijtimoiy / fiskal soliq AddSocialContribution=Ijtimoiy / soliq soliqlarini qo'shing ContributionsToPay=To'lanadigan ijtimoiy / soliq soliqlari -AccountancyTreasuryArea=Accounting area -InvoicesArea=Billing and payment area +AccountancyTreasuryArea=Buxgalteriya maydoni +InvoicesArea=Hisob-kitob va to'lov maydoni NewPayment=Yangi to'lov PaymentCustomerInvoice=Mijozlar uchun hisob-fakturani to'lash PaymentSupplierInvoice=sotuvchiga hisob-fakturani to'lash @@ -131,17 +131,17 @@ SalesTurnoverMinimum=Minimal oborot ByExpenseIncome=Xarajatlar va daromadlar bo'yicha ByThirdParties=Uchinchi shaxslar tomonidan ByUserAuthorOfInvoice=Hisob-faktura muallifi tomonidan -CheckReceipt=Deposit slip -CheckReceiptShort=Deposit slip -LastCheckReceiptShort=Latest %s deposit slips -LastPaymentForDepositShort=Latest %s %s deposit slips +CheckReceipt=Depozit slip +CheckReceiptShort=Depozit slip +LastCheckReceiptShort=Oxirgi %s depozit sliplari +LastPaymentForDepositShort=Oxirgi %s %s depozit varaqlari NewCheckReceipt=Yangi chegirma -NewCheckDeposit=New deposit slip +NewCheckDeposit=Yangi depozit slip NewCheckDepositOn=Hisob raqamiga depozit uchun kvitansiya yarating: %s NoWaitingChecks=Depozitni kutayotgan cheklar yo'q. -NoWaitingPaymentForDeposit=No %s payment awaiting deposit. +NoWaitingPaymentForDeposit=Depozit kutilayotgan %s toʻlov yoʻq. DateChequeReceived=Qabul qilingan kunni tekshiring -DatePaymentReceived=Date of document reception +DatePaymentReceived=Hujjatlarni qabul qilish sanasi NbOfCheques=Chexlar soni PaySocialContribution=Ijtimoiy / soliq soliqlarini to'lang PayVAT=QQS deklaratsiyasini to'lash @@ -160,10 +160,10 @@ ConfirmDeleteVariousPayment=Haqiqatan ham bu turli toʻlovlarni oʻchirib tashla ExportDataset_tax_1=Ijtimoiy va soliq soliqlari va to'lovlari CalcModeVATDebt=Modda %s majburiyatlarni hisobga olish bo'yicha QQS %s . CalcModeVATEngagement= %s daromad-xarajatlar bo'yicha QQS %s . -CalcModeDebt=Analysis of known recorded documents -CalcModeEngagement=Analysis of known recorded payments +CalcModeDebt=Ma'lum qayd etilgan hujjatlarni tahlil qilish +CalcModeEngagement=Ma'lum qayd etilgan to'lovlarni tahlil qilish CalcModeBookkeeping=Buxgalteriya hisobi jadvalida qayd etilgan ma'lumotlarni tahlil qilish. -CalcModeNoBookKeeping=Even if they are not yet accounted in Ledger +CalcModeNoBookKeeping=Agar ular hali Ledgerda hisobga olinmagan bo'lsa ham CalcModeLT1= Xaridorlarning hisob-fakturalarida %sRE rejimi - etkazib beruvchilar invoices%s CalcModeLT1Debt= %sRE rejimi xaridorlarning invoyslarida %s CalcModeLT1Rec= %sRE rejimi etkazib beruvchilar bo'yicha invoices%s @@ -177,7 +177,7 @@ AnnualByCompaniesDueDebtMode=Daromadlar va xarajatlar balansi, oldindan aniqlang AnnualByCompaniesInputOutputMode=Daromadlar va xarajatlar balansi, oldindan belgilangan guruhlar bo'yicha tafsilotlar, %sInomes-Exenses%s dedi pul buxgalteriyasi a09a4b73. SeeReportInInputOutputMode= %s to'lovni tahlil qilishs%s ga asoslanib, asosida yozilgan to'lovlarni ko'ring , agar ular amalga oshirilmagan bo'lsa ham SeeReportInDueDebtMode= %s yozilgan hujjatlarni tahlil qilish %s ga asoslanib, ma'lum yozilgan hujjatlar even ifed -SeeReportInBookkeepingMode= %s buxgalteriya hisobi jadvalini tahlil qilish table%s ga asoslangan hisobot uchun buxgalteriya hisobi jadvali a09f89 +SeeReportInBookkeepingMode=Qarang: %sbuxgalteriya hisobi jadvali tahlili%s Buxgalteriya hisobi jadvali asosidagi hisobot uchun notranslate'>
      RulesAmountWithTaxIncluded=- Ko'rsatilgan summalar barcha soliqlarni hisobga olgan holda RulesAmountWithTaxExcluded=- Ko'rsatilgan schyot-fakturalar summalari barcha soliqlarsiz RulesResultDue=- Unga barcha hisob-fakturalar, xarajatlar, QQS, xayriyalar, maoshlar, ular to‘langan yoki to‘lanmaganligi kiradi.
      - Bu schyot-fakturalarning hisob-kitob sanasiga va xarajatlar yoki soliq to'lovlari uchun to'lov sanasiga asoslanadi. Ish haqi uchun muddat tugash sanasi qo'llaniladi. @@ -251,14 +251,16 @@ TurnoverPerProductInCommitmentAccountingNotRelevant=Har bir mahsulot uchun to'pl TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=Sotish uchun soliq stavkasi bo'yicha yig'ilgan tovar aylanmasi to'g'risidagi hisobot mavjud emas. Ushbu hisobot faqat tovar aylanmasi uchun taqdim etiladi. CalculationMode=Hisoblash rejimi AccountancyJournal=Buxgalteriya kodlari jurnali -ACCOUNTING_VAT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on sales (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_PAY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for paying VAT -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Credit) -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Debit) -ACCOUNTING_ACCOUNT_CUSTOMER=Account (from the Chart Of Account) used for "customer" third parties +ACCOUNTING_VAT_SOLD_ACCOUNT=Savdoga QQS uchun standart hisob sifatida foydalaniladigan hisob (Hisob jadvalidan) (QQS lug'atida belgilanmagan bo'lsa ishlatiladi) +ACCOUNTING_VAT_BUY_ACCOUNT=Xaridlar uchun QQS uchun birlamchi hisob sifatida foydalaniladigan hisob (Hisob jadvalidan) (QQS lug'atida belgilanmagan bo'lsa ishlatiladi) +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=Sotish bo'yicha daromad tamg'asi uchun foydalaniladigan hisob (hisob jadvalidan). +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=Xaridlar bo'yicha daromad tamg'asi uchun foydalaniladigan hisob (hisob jadvalidan). +ACCOUNTING_VAT_PAY_ACCOUNT=Hisob (Hisob jadvalidan) QQS to'lash uchun standart hisob sifatida ishlatiladi +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Teskari to'lovlar uchun xaridlar bo'yicha QQS uchun standart hisob sifatida foydalaniladigan hisob (Hisob jadvalidan) (Kredit) +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Teskari to'lovlar bo'yicha xaridlar bo'yicha QQS uchun standart hisob sifatida foydalaniladigan hisob (hisob jadvalidan) (debet) +ACCOUNTING_ACCOUNT_CUSTOMER=Hisob (Hisob jadvalidan) "mijoz" uchinchi shaxslar uchun foydalaniladi ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Uchinchi tomon kartasida belgilangan buxgalteriya hisobi faqat Subledger buxgalteriyasi uchun ishlatiladi. Ushbu mablag 'Bosh daftar uchun ishlatiladi va Subledger buxgalteriya hisobining standart qiymati sifatida, agar uchinchi tomonning maxsus mijozlar hisobi aniqlanmagan bo'lsa. -ACCOUNTING_ACCOUNT_SUPPLIER=Account (from the Chart of Account) used for the "vendor" third parties +ACCOUNTING_ACCOUNT_SUPPLIER="Sotuvchi" uchinchi shaxslar uchun foydalaniladigan hisob (Hisob rejasidan). ACCOUNTING_ACCOUNT_SUPPLIER_Desc=Uchinchi tomon kartasida belgilangan buxgalteriya hisobi faqat Subledger buxgalteriyasi uchun ishlatiladi. Ushbu mablag 'Bosh daftar uchun va Subledger buxgalteriya hisobining standart qiymati sifatida ishlatiladi, agar uchinchi tomonning maxsus sotuvchisi buxgalteriya hisobi aniqlanmasa. ConfirmCloneTax=Ijtimoiy / soliq soliqlarining klonini tasdiqlang ConfirmCloneVAT=QQS deklaratsiyasining klonini tasdiqlang @@ -309,4 +311,4 @@ InvoiceToPay15Days=To'lash uchun (15 dan 30 kungacha) InvoiceToPay30Days=To'lash uchun (> 30 kun) ConfirmPreselectAccount=Buxgalteriya kodini oldindan tanlang ConfirmPreselectAccountQuestion=Haqiqatan ham ushbu hisob kodi bilan tanlangan %s qatorlarini oldindan tanlamoqchimisiz? -AmountPaidMustMatchAmountOfDownPayment=Amount paid must match amount of down payment +AmountPaidMustMatchAmountOfDownPayment=To'langan summa dastlabki to'lov miqdoriga mos kelishi kerak diff --git a/htdocs/langs/uz_UZ/contracts.lang b/htdocs/langs/uz_UZ/contracts.lang index 9b7af93c8b5..68c2adda176 100644 --- a/htdocs/langs/uz_UZ/contracts.lang +++ b/htdocs/langs/uz_UZ/contracts.lang @@ -2,7 +2,7 @@ ContractsArea=Shartnomalar maydoni ListOfContracts=Shartnomalar ro'yxati AllContracts=Barcha shartnomalar -ContractCard=Contract +ContractCard=Shartnoma ContractStatusNotRunning=Ishlamayapti ContractStatusDraft=Qoralama ContractStatusValidated=Tasdiqlangan @@ -78,9 +78,9 @@ CloseAllContracts=Barcha shartnoma satrlarini yoping DeleteContractLine=Shartnoma satrini o'chirib tashlang ConfirmDeleteContractLine=Ushbu shartnoma qatorini o'chirishni xohlaysizmi? MoveToAnotherContract=Xizmatni boshqa shartnomaga o'tkazing. -ConfirmMoveToAnotherContract=Men yangi maqsadli shartnomani tanladim va ushbu xizmatni ushbu shartnomaga o'tkazishni xohlayotganimni tasdiqladim. +ConfirmMoveToAnotherContract=Men yangi maqsadli shartnomani tanladim va ushbu xizmatni ushbu shartnomaga koʻchirmoqchi ekanligimni tasdiqladim. ConfirmMoveToAnotherContractQuestion=Qaysi amaldagi shartnomada (xuddi shu uchinchi tomonda) ushbu xizmatga o'tishni xohlaysizmi? -PaymentRenewContractId=Renew contract %s (service %s) +PaymentRenewContractId=Shartnomani yangilash %s (xizmat %s) ExpiredSince=Tugash muddati NoExpiredServices=Muddati o'tgan faol xizmatlar yo'q ListOfServicesToExpireWithDuration=%s kun ichida tugaydigan xizmatlar ro'yxati diff --git a/htdocs/langs/uz_UZ/cron.lang b/htdocs/langs/uz_UZ/cron.lang index bea07661811..48c7424f311 100644 --- a/htdocs/langs/uz_UZ/cron.lang +++ b/htdocs/langs/uz_UZ/cron.lang @@ -13,8 +13,8 @@ KeyForCronAccess=Cron ishlarini boshlash uchun URL uchun xavfsizlik kaliti FileToLaunchCronJobs=Malakali cron ishlarini tekshirish va ishga tushirish uchun buyruq satri CronExplainHowToRunUnix=Unix muhitida buyruq satrini har 5 daqiqada bajarish uchun quyidagi crontab yozuvidan foydalanishingiz kerak CronExplainHowToRunWin=Microsoft (tm) Windows muhitida har 5 daqiqada buyruq satrini bajarish uchun Rejalashtirilgan Vazifa vositalaridan foydalanishingiz mumkin -CronMethodDoesNotExists=Class %s does not contain any method %s -CronMethodNotAllowed=%s sinfidagi %s usuli taqiqlangan usullarning qora ro'yxatiga kiritilgan +CronMethodDoesNotExists=%s sinfida hech qanday usul mavjud emas %s +CronMethodNotAllowed=%s sinfining %s usuli taqiqlangan usullar bloklangan ro‘yxatida CronJobDefDesc=Cron ishi profillari modul identifikatori faylida aniqlanadi. Modul faollashtirilganda, ular yuklanadi va mavjud bo'ladi, shuning uchun siz ishlarni administrator vositalari menyusidan %s boshqarishingiz mumkin. CronJobProfiles=Oldindan belgilangan cron ish profillari ro'yxati # Menu @@ -26,7 +26,7 @@ CronCommand=Buyruq CronList=Rejalashtirilgan ish joylari CronDelete=Rejalashtirilgan ishlarni o'chirish CronConfirmDelete=Ushbu rejalashtirilgan ishlarni o'chirishni xohlaysizmi? -CronExecute=Launch now +CronExecute=Hozir ishga tushiring CronConfirmExecute=Ushbu rejalashtirilgan ishlarni hoziroq bajarishni xohlaysizmi? CronInfo=Rejalashtirilgan ish moduli ishlarni avtomatik ravishda bajarilishini rejalashtirishga imkon beradi. Ishlarni qo'lda boshlash ham mumkin. CronTask=Ish @@ -58,7 +58,7 @@ CronNote=Izoh CronFieldMandatory=%s maydonlari majburiydir CronErrEndDateStartDt=Tugash sanasi boshlanish sanasidan oldin bo'lishi mumkin emas StatusAtInstall=Modulni o'rnatish holati -CronStatusActiveBtn=Enable scheduling +CronStatusActiveBtn=Rejalashtirishni yoqish CronStatusInactiveBtn=O'chirish CronTaskInactive=Bu ish o'chirilgan (rejalashtirilgan emas) CronId=Id @@ -67,7 +67,7 @@ CronModuleHelp=Dolibarr moduli katalogining nomi (tashqi Dolibarr moduli bilan h CronClassFileHelp=Yuklanadigan nisbiy yo'l va fayl nomi (yo'l veb-serverning ildiz katalogiga nisbatan).
      Masalan, Dolibarr Product ob'ektini olish usulini chaqirish uchun htdocs / product / class / product.class.php , sinf fayli nomi uchun qiymati
      a049271ecaf / product07f.c8f CronObjectHelp=Yuklanadigan ob'ekt nomi.
      Masalan, Dolibarr Product ob'ektini olish usulini chaqirish uchun CronMethodHelp=Ob'ektni ishga tushirish usuli.
      Masalan, Dolibarr Product ob'ektini olish usulini chaqirish uchun -CronArgsHelp=Usul argumentlari.
      Masalan, Dolibarr Product ob'ektini olish usulini chaqirish uchun +CronArgsHelp=Usul argumentlari.
      Masalan, Dolibarr mahsuloti obyektining /htdocs/product/class/product.class.php olish usulini chaqirish uchun parametrlar qiymati
      0, ProductRef CronCommandHelp=Amalga oshirish uchun tizim buyruq satri. CronCreateJob=Yangi Rejalashtirilgan ish yarating CronFrom=Kimdan @@ -84,17 +84,18 @@ MakeLocalDatabaseDumpShort=Mahalliy ma'lumotlar bazasini zaxiralash MakeLocalDatabaseDump=Mahalliy ma'lumotlar bazasi axlatxonasini yarating. Parametrlar quyidagilardir: siqish ('gz' yoki 'bz' yoki 'yo'q'), zaxira turi ('mysql', 'pgsql', 'auto'), 1, 'auto' yoki fayl nomi yaratish, saqlash uchun zaxira fayllar soni MakeSendLocalDatabaseDumpShort=Mahalliy ma'lumotlar bazasi zahirasini yuboring MakeSendLocalDatabaseDump=Mahalliy ma'lumotlar bazasi zahirasini elektron pochta orqali yuboring. Parametrlar: kimga, kimdan, mavzu, xabar, fayl nomi (yuborilgan fayl nomi), filtr (faqat maʼlumotlar bazasini zaxiralash uchun "sql") -BackupIsTooLargeSend=Sorry, last backup file is too large to be send by email -CleanUnfinishedCronjobShort=Clean unfinished cronjob -CleanUnfinishedCronjob=Clean cronjob stuck in processing when the process is no longer running +BackupIsTooLargeSend=Kechirasiz, oxirgi zaxira fayl juda katta va elektron pochta orqali yuborilmaydi +CleanUnfinishedCronjobShort=Tugallanmagan cronjobni tozalang +CleanUnfinishedCronjob=Jarayon endi ishlamay qolganda, ishlov berishda tiqilib qolgan toza cronjob WarningCronDelayed=E'tibor bering, ishga tushirilgan ish kunining keyingi sanasi qanday bo'lishidan qat'i nazar, sizning ishingiz bajarilishidan oldin maksimal %s soatga kechiktirilishi mumkin. DATAPOLICYJob=Ma'lumotlarni tozalovchi va anonimayzer JobXMustBeEnabled=%s ishi yoqilgan bo'lishi kerak -EmailIfError=Email for warning on error -ErrorInBatch=Error when running the job %s +EmailIfError=Xato haqida ogohlantirish uchun elektron pochta +JobNotFound=Ish %s ishlar roʻyxatida topilmadi (modulni oʻchirib/yoqib koʻring) +ErrorInBatch=%s ishni bajarishda xatolik yuz berdi # Cron Boxes LastExecutedScheduledJob=Oxirgi marta rejalashtirilgan ish NextScheduledJobExecute=Keyingi rejalashtirilgan ish NumberScheduledJobError=Xatoda rejalashtirilgan ishlarning soni -NumberScheduledJobNeverFinished=Number of scheduled jobs never finished +NumberScheduledJobNeverFinished=Hech qachon tugatilmagan rejalashtirilgan ishlar soni diff --git a/htdocs/langs/uz_UZ/datapolicy.lang b/htdocs/langs/uz_UZ/datapolicy.lang index aad90c75e2f..28c6057f7dc 100644 --- a/htdocs/langs/uz_UZ/datapolicy.lang +++ b/htdocs/langs/uz_UZ/datapolicy.lang @@ -14,79 +14,79 @@ # along with this program. If not, see . # Module label 'ModuledatapolicyName' -Module4100Name = Data Privacy Policy +Module4100Name = Ma'lumotlar maxfiyligi siyosati # Module description 'ModuledatapolicyDesc' -Module4100Desc = Module to manage Data Privacy (Conformity with the GDPR) +Module4100Desc = Ma'lumotlar maxfiyligini boshqarish moduli (GDPRga muvofiqlik) # # Administration page # -datapolicySetup = Module Data Privacy Policy Setup -Deletion = Deletion of data -datapolicySetupPage = Depending of laws of your countries (Example Article 5 of the GDPR), personal data must be kept for a period not exceeding that necessary for the purposes for which they were collected, except for archival purposes.
      The deletion will be done automatically after a certain duration without event (the duration which you will have indicated below). -NB_MONTHS = %s months -ONE_YEAR = 1 year -NB_YEARS = %s years -DATAPOLICY_TIERS_CLIENT = Customer -DATAPOLICY_TIERS_PROSPECT = Prospect -DATAPOLICY_TIERS_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = Nor prospect/Nor customer -DATAPOLICY_TIERS_FOURNISSEUR = Supplier -DATAPOLICY_CONTACT_CLIENT = Customer -DATAPOLICY_CONTACT_PROSPECT = Prospect -DATAPOLICY_CONTACT_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = Nor prospect/Nor customer -DATAPOLICY_CONTACT_FOURNISSEUR = Supplier -DATAPOLICY_ADHERENT = Member -DATAPOLICY_Tooltip_SETUP = Type of contact - Indicate your choices for each type. -DATAPOLICYMail = Emails Setup -DATAPOLICYSUBJECTMAIL = Subject of email -DATAPOLICYCONTENTMAIL = Content of the email -DATAPOLICYSUBSITUTION = You can use the following variables in your email (LINKACCEPT allows to create a link recording the agreement of the person, LINKREFUSED makes it possible to record the refusal of the person): -DATAPOLICYACCEPT = Message after agreement -DATAPOLICYREFUSE = Message after desagreement -SendAgreementText = You can send a GDPR email to all your relevant contacts (who have not yet received an email and for which you have not registered anything about their GDPR agreement). To do this, use the following button. -SendAgreement = Send emails -AllAgreementSend = All emails have been sent -TXTLINKDATAPOLICYACCEPT = Text for the link "agreement" -TXTLINKDATAPOLICYREFUSE = Text for the link "desagreement" +datapolicySetup = Modul maʼlumotlarining maxfiylik siyosatini oʻrnatish +Deletion = Ma'lumotlarni o'chirish +datapolicySetupPage = Mamlakatingiz qonunlariga qarab (misol GDPRning 5-moddasi), shaxsiy ma'lumotlar belgilangan muddatgacha saqlanishi kerak. arxiv maqsadlari bundan mustasno, ular yig'ilgan maqsadlar uchun zarur bo'lganidan oshib ketadi.
      O'chirish ma'lum bir vaqtdan so'ng avtomatik ravishda hech qanday hodisasiz amalga oshiriladi (siz ko'rsatgan muddat). quyida). +NB_MONTHS = %s oy +ONE_YEAR = 1 yil +NB_YEARS = %s yil +DATAPOLICY_TIERS_CLIENT = Mijoz +DATAPOLICY_TIERS_PROSPECT = Istiqbol +DATAPOLICY_TIERS_PROSPECT_CLIENT = Istiqbolli/mijoz +DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = Na istiqbolli / na mijoz +DATAPOLICY_TIERS_FOURNISSEUR = Yetkazib beruvchi +DATAPOLICY_CONTACT_CLIENT = Mijoz +DATAPOLICY_CONTACT_PROSPECT = Istiqbol +DATAPOLICY_CONTACT_PROSPECT_CLIENT = Istiqbolli/mijoz +DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = Na istiqbolli / na mijoz +DATAPOLICY_CONTACT_FOURNISSEUR = Yetkazib beruvchi +DATAPOLICY_ADHERENT = A'zo +DATAPOLICY_Tooltip_SETUP = Kontakt turi - har bir tur uchun tanlovingizni ko'rsating. +DATAPOLICYMail = Elektron pochta xabarlarini sozlash +DATAPOLICYSUBJECTMAIL = Elektron pochta mavzusi +DATAPOLICYCONTENTMAIL = Elektron pochtaning mazmuni +DATAPOLICYSUBSITUTION = Siz o'z elektron pochtangizda quyidagi o'zgaruvchilardan foydalanishingiz mumkin (LINKACCEPT shaxsning kelishuvini qayd qiluvchi havola yaratish imkonini beradi, LINK REFUSED shaxsning rad etishini qayd etish imkonini beradi): +DATAPOLICYACCEPT = Kelishuvdan keyin xabar +DATAPOLICYREFUSE = Kelishmovchilikdan keyin xabar +SendAgreementText = Siz GDPR elektron pochta xabarini barcha tegishli kontaktlaringizga yuborishingiz mumkin (ular hali elektron pochta xabarini olmagan va siz GDPR shartnomasi haqida hech narsa ro'yxatdan o'tmagan). Buning uchun quyidagi tugmani ishlating. +SendAgreement = Elektron pochta xabarlarini yuboring +AllAgreementSend = Barcha elektron pochta xabarlari yuborildi +TXTLINKDATAPOLICYACCEPT = "Shartnoma" havolasi uchun matn +TXTLINKDATAPOLICYREFUSE = "Desgreement" havolasi uchun matn # # Extrafields # -DATAPOLICY_BLOCKCHECKBOX = GDPR : Processing of personal data -DATAPOLICY_consentement = Consent obtained for the processing of personal data -DATAPOLICY_opposition_traitement = Opposes the processing of his personal data -DATAPOLICY_opposition_prospection = Opposes the processing of his personal data for the purposes of prospecting +DATAPOLICY_BLOCKCHECKBOX = GDPR: Shaxsiy ma'lumotlarni qayta ishlash +DATAPOLICY_consentement = Shaxsiy ma'lumotlarni qayta ishlash uchun olingan rozilik +DATAPOLICY_opposition_traitement = Uning shaxsiy ma'lumotlarini qayta ishlashga qarshi +DATAPOLICY_opposition_prospection = O'zining shaxsiy ma'lumotlarini qidiruv maqsadlarida qayta ishlashga qarshi # # Popup # -DATAPOLICY_POPUP_ANONYME_TITLE = Anonymize a thirdparty -DATAPOLICY_POPUP_ANONYME_TEXTE = You can not delete this contact from Dolibarr because there are related items. In accordance with the GDPR, you will make all this data anonymous to respect your obligations. Would you like to continue ? +DATAPOLICY_POPUP_ANONYME_TITLE = Uchinchi tomonni anonimlashtirish +DATAPOLICY_POPUP_ANONYME_TEXTE = Bu kontaktni Dolibarr’dan o‘chira olmaysiz, chunki tegishli elementlar mavjud. GDPRga muvofiq, siz o'z majburiyatlaringizni hurmat qilish uchun ushbu ma'lumotlarning barchasini anonim qilib qo'yasiz. Davom etishni xohlaysizmi? # # Button for portability # -DATAPOLICY_PORTABILITE = Portability GDPR -DATAPOLICY_PORTABILITE_TITLE = Export of personal data -DATAPOLICY_PORTABILITE_CONFIRMATION = You want to export the personal data of this contact. Are you sure ? +DATAPOLICY_PORTABILITE = Portativlik GDPR +DATAPOLICY_PORTABILITE_TITLE = Shaxsiy ma'lumotlarni eksport qilish +DATAPOLICY_PORTABILITE_CONFIRMATION = Siz ushbu kontaktning shaxsiy ma'lumotlarini eksport qilmoqchisiz. Ishonchingiz komilmi ? # # Notes added during an anonymization # -ANONYMISER_AT = Anonymised the %s +ANONYMISER_AT = %s anonimlashtirildi # V2 -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_date = Date of agreement/desagreement GDPR -DATAPOLICY_send = Date sending agreement email -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_SEND = Send GDPR email -MailSent = Email has been sent +DATAPOLICYReturn = GDPR tekshiruvi +DATAPOLICY_date = Kelishuv/kelishmovchilik sanasi GDPR +DATAPOLICY_send = Shartnoma yuborilgan sana +DATAPOLICYReturn = GDPR tekshiruvi +DATAPOLICY_SEND = GDPR e-pochtasini yuboring +MailSent = Email yuborildi # ERROR -ErrorSubjectIsRequired = Error : The subject of email is required. Indicate it in the module setup -=Due to a technical problem, we were unable to register your choice. We apologize for that. Contact us to send us your choice. -NUMBER_MONTH_BEFORE_DELETION = Number of month before deletion +ErrorSubjectIsRequired = Xato: elektron pochta mavzusi kerak. Uni modul sozlamalarida ko'rsating +=Texnik nosozlik tufayli tanlovingizni ro‘yxatdan o‘tkaza olmadik. Buning uchun uzr so'raymiz. Bizga tanlovingizni yuborish uchun biz bilan bog'laning. +NUMBER_MONTH_BEFORE_DELETION = O'chirishdan oldingi oy soni diff --git a/htdocs/langs/uz_UZ/deliveries.lang b/htdocs/langs/uz_UZ/deliveries.lang index a5e0615e66b..2d6b7146033 100644 --- a/htdocs/langs/uz_UZ/deliveries.lang +++ b/htdocs/langs/uz_UZ/deliveries.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - deliveries Delivery=Yetkazib berish DeliveryRef=Yetkazib berish -DeliveryCard=Stock receipt +DeliveryCard=Birja kvitansiyasi DeliveryOrder=Yetkazib berish kvitansiyasi DeliveryDate=Yetkazib berish sanasi CreateDeliveryOrder=Yetkazib berish kvitansiyasini yarating diff --git a/htdocs/langs/uz_UZ/dict.lang b/htdocs/langs/uz_UZ/dict.lang index c472d164767..dbbf8685af5 100644 --- a/htdocs/langs/uz_UZ/dict.lang +++ b/htdocs/langs/uz_UZ/dict.lang @@ -137,7 +137,7 @@ CountryLV=Latviya CountryLB=Livan CountryLS=Lesoto CountryLR=Liberiya -CountryLY=Libya +CountryLY=Liviya CountryLI=Lixtenshteyn CountryLT=Litva CountryLU=Lyuksemburg @@ -158,7 +158,7 @@ CountryMX=Meksika CountryFM=Mikroneziya CountryMD=Moldova CountryMN=Mo'g'uliston -CountryMS=Monserrat +CountryMS=Montserrat CountryMZ=Mozambik CountryMM=Myanma (Birma) CountryNA=Namibiya @@ -251,9 +251,9 @@ CountryXK=Kosovo ##### Civilities ##### CivilityMME=Xonim. -CivilityMMEShort=Mrs. +CivilityMMEShort=Xonim. CivilityMR=Janob. -CivilityMRShort=Mr. +CivilityMRShort=Janob. CivilityMLE=Xonim. CivilityMTRE=Ustoz CivilityDR=Doktor diff --git a/htdocs/langs/uz_UZ/donations.lang b/htdocs/langs/uz_UZ/donations.lang index 227e28b36cf..5680774995f 100644 --- a/htdocs/langs/uz_UZ/donations.lang +++ b/htdocs/langs/uz_UZ/donations.lang @@ -29,7 +29,7 @@ FreeTextOnDonations=Taglavhada ko'rsatish uchun bepul matn FrenchOptions=Frantsiya uchun variantlar DONATION_ART200=Agar xavotirda bo'lsangiz, CGI-dan 200-maqolani ko'rsating DONATION_ART238=Agar xavotirda bo'lsangiz, CGI-dan 238-maqolani ko'rsating -DONATION_ART978=Show article 978 from CGI if you are concerned +DONATION_ART978=Agar tashvishlansangiz, CGI-dan 978-maqolani ko'rsating DonationPayment=Xayriya to'lovi DonationValidated=%s ehsoni tasdiqlandi -DonationUseThirdparties=Donorlarning koordinatalari sifatida mavjud uchinchi tomondan foydalaning +DonationUseThirdparties=Donorning manzili sifatida mavjud uchinchi tomonning manzilidan foydalaning diff --git a/htdocs/langs/uz_UZ/ecm.lang b/htdocs/langs/uz_UZ/ecm.lang index 414fb082bbd..c91d3851474 100644 --- a/htdocs/langs/uz_UZ/ecm.lang +++ b/htdocs/langs/uz_UZ/ecm.lang @@ -3,9 +3,9 @@ ECMNbOfDocs=Katalogdagi hujjatlar soni ECMSection=Katalog ECMSectionManual=Qo'llanma katalogi ECMSectionAuto=Avtomatik katalog -ECMSectionsManual=Qo'lda ishlatiladigan daraxt -ECMSectionsAuto=Avtomatik daraxt -ECMSectionsMedias=Medias tree +ECMSectionsManual=Shaxsiy qo'llanma daraxti +ECMSectionsAuto=Shaxsiy avtomatik daraxt +ECMSectionsMedias=Umumiy daraxt ECMSections=Kataloglar ECMRoot=ECM ildizi ECMNewSection=Yangi katalog @@ -17,9 +17,9 @@ ECMNbOfFilesInSubDir=Ichki kataloglardagi fayllar soni ECMCreationUser=Ijodkor ECMArea=DMS / ECM maydoni ECMAreaDesc=DMS / ECM (Hujjatlarni boshqarish tizimi / Elektron kontentni boshqarish) maydoni Dolibarrdagi barcha turdagi hujjatlarni saqlash, almashish va tezkor qidirish imkonini beradi. -ECMAreaDesc2a=* Manual directories can be used to save documents not linked to a particular element. -ECMAreaDesc2b=* Automatic directories are filled automatically when adding documents from the page of an element. -ECMAreaDesc3=* Medias directories are files into the subdirectory /medias of documents directory, readable by everybody with no need to be logged and no need to have the file shared explicitely. It is used to store image files from emailing or website module. +ECMAreaDesc2a=* Daraxt tuzilishini bepul tashkil qilish bilan hujjatlarni saqlash uchun qo'lda kataloglardan foydalanish mumkin. +ECMAreaDesc2b=* Element sahifasidan hujjatlar qo'shilganda avtomatik kataloglar avtomatik ravishda to'ldiriladi. +ECMAreaDesc3=* Umumiy kataloglar hujjatlar katalogining /medias kichik katalogidagi fayllar boʻlib, tizimga kirishga hojat yoʻq hamma tomonidan oʻqilishi mumkin. va faylni aniq taqsimlash shart emas. Masalan, elektron pochta yoki veb-sayt moduli uchun rasm fayllarini saqlash uchun ishlatiladi. ECMSectionWasRemoved= %s katalog o'chirildi. ECMSectionWasCreated= %s katalogi yaratildi. ECMSearchByKeywords=Kalit so'zlar bo'yicha qidirish @@ -45,8 +45,12 @@ ExtraFieldsEcmFiles=Extrafields Ecm fayllari ExtraFieldsEcmDirectories=Extrafields Ecm kataloglari ECMSetup=ECM-ni sozlash GenerateImgWebp=Barcha rasmlarni .webp formatidagi boshqa versiyasi bilan takrorlang -ConfirmGenerateImgWebp=Agar tasdiqlasangiz, ushbu papkada joylashgan barcha rasmlar uchun .webp formatida rasm hosil qilasiz (pastki papkalar kiritilmagan) ... +ConfirmGenerateImgWebp=Tasdiqlasangiz, ushbu jilddagi barcha rasmlar uchun .webp formatida rasm yaratasiz (papkalar qo'shilmaydi, o'lchami asl nusxadan katta bo'lsa, webp tasvirlari yaratilmaydi)... ConfirmImgWebpCreation=Barcha rasmlarning takrorlanishini tasdiqlang +GenerateChosenImgWebp=Tanlangan rasmni .webp formatidagi boshqa versiya bilan nusxalash +ConfirmGenerateChosenImgWebp=Tasdiqlasangiz, %s uchun .webp formatida rasm yaratasiz. +ConfirmChosenImgWebpCreation=Tanlangan rasmlarning takrorlanishini tasdiqlang SucessConvertImgWebp=Rasmlar muvaffaqiyatli takrorlandi +SucessConvertChosenImgWebp=Tanlangan rasm muvaffaqiyatli takrorlandi ECMDirName=Direktor nomi ECMParentDirectory=Ota -ona katalogi diff --git a/htdocs/langs/uz_UZ/errors.lang b/htdocs/langs/uz_UZ/errors.lang index d5d58644cae..91869376996 100644 --- a/htdocs/langs/uz_UZ/errors.lang +++ b/htdocs/langs/uz_UZ/errors.lang @@ -4,7 +4,7 @@ NoErrorCommitIsDone=Biz xato qilamiz # Errors ErrorButCommitIsDone=Xatolar topildi, ammo shunga qaramay biz tasdiqlaymiz -ErrorBadEMail=%s elektron pochtasi noto'g'ri +ErrorBadEMail=%s elektron pochta manzili noto‘g‘ri ErrorBadMXDomain=%s elektron pochtasi noto'g'ri ko'rinadi (domenda MX yozuvi mavjud emas) ErrorBadUrl=Url %s noto'g'ri ErrorBadValueForParamNotAString=Parametringiz uchun yomon qiymat. Odatda tarjima etishmayotganida qo'shiladi. @@ -14,7 +14,7 @@ ErrorLoginAlreadyExists=%s-ga kirish allaqachon mavjud. ErrorGroupAlreadyExists=%s guruhi allaqachon mavjud. ErrorEmailAlreadyExists=%s elektron pochtasi allaqachon mavjud. ErrorRecordNotFound=Yozuv topilmadi. -ErrorRecordNotFoundShort=Not found +ErrorRecordNotFoundShort=Topilmadi ErrorFailToCopyFile=' %s ' faylini ' %s ' ga ko'chirib bo'lmadi. ErrorFailToCopyDir=' %s ' katalogini ' %s ' ga ko'chirib bo'lmadi. ErrorFailToRenameFile=' %s ' faylini ' %s ' deb o'zgartirib bo'lmadi. @@ -32,6 +32,7 @@ ErrorBadThirdPartyName=Uchinchi tomon nomi uchun noto'g'ri qiymat ForbiddenBySetupRules=O'rnatish qoidalari bilan taqiqlangan ErrorProdIdIsMandatory=%s majburiydir ErrorAccountancyCodeCustomerIsMandatory=%s mijozining buxgalteriya kodi majburiydir +ErrorAccountancyCodeSupplierIsMandatory=%s yetkazib beruvchining buxgalteriya kodi majburiy ErrorBadCustomerCodeSyntax=Mijoz kodi uchun noto'g'ri sintaksis ErrorBadBarCodeSyntax=Shtrixli kod uchun noto'g'ri sintaksis. Ehtimol, siz shtrix-kodning yomon turini o'rnatdingiz yoki skanerlangan qiymatga mos kelmaydigan raqamlash uchun shtrix-niqobni aniqladingiz. ErrorCustomerCodeRequired=Mijoz kodi talab qilinadi @@ -49,7 +50,7 @@ ErrorBadImageFormat=Rasm fayli qo'llab-quvvatlanadigan formatga ega emas (siznin ErrorBadDateFormat="%s" qiymati noto'g'ri sana formatiga ega ErrorWrongDate=Sana to'g'ri emas! ErrorFailedToWriteInDir=%s katalogiga yozib bo'lmadi -ErrorFailedToBuildArchive=Failed to build archive file %s +ErrorFailedToBuildArchive=%s arxiv faylini yaratib bo‘lmadi ErrorFoundBadEmailInFile=Faylda %s satrlari uchun noto'g'ri elektron pochta sintaksisini topdi (masalan, %s qatori elektron pochta bilan = %s) ErrorUserCannotBeDelete=Foydalanuvchini o'chirib bo'lmaydi. Ehtimol, bu Dolibarr sub'ektlari bilan bog'liq. ErrorFieldsRequired=Ba'zi majburiy maydonlar bo'sh qoldirildi. @@ -57,17 +58,18 @@ ErrorSubjectIsRequired=Elektron pochta mavzusi talab qilinadi ErrorFailedToCreateDir=Katalog yaratilmadi. Veb-server foydalanuvchisida Dolibarr hujjatlar katalogiga yozish uchun ruxsat borligini tekshiring. Agar ushbu PHP-da safe_mode parametri yoqilgan bo'lsa, Dolibarr php fayllari veb-server foydalanuvchisiga (yoki guruhiga) tegishli ekanligini tekshiring. ErrorNoMailDefinedForThisUser=Ushbu foydalanuvchi uchun hech qanday pochta belgilanmagan ErrorSetupOfEmailsNotComplete=Elektron pochta xabarlarini sozlash tugallanmagan -ErrorFeatureNeedJavascript=Ushbu xususiyatni ishga tushirish uchun javascript kerak. Buni sozlash - displeyda o'zgartiring. +ErrorFeatureNeedJavascript=Bu funksiya ishlashi uchun JavaScript faollashtirilishi kerak. Buni sozlash - displeyda o'zgartiring. ErrorTopMenuMustHaveAParentWithId0="Top" turidagi menyuda asosiy menyu bo'lishi mumkin emas. Bosh menyuga 0 qo'ying yoki "Chap" turidagi menyuni tanlang. ErrorLeftMenuMustHaveAParentId="Chap" turidagi menyuda ota-ona identifikatori bo'lishi kerak. ErrorFileNotFound= %s fayl topilmadi (Yomon yo'l, noto'g'ri ruxsat yoki PHP openbasedir yoki safe_mode parametri tomonidan rad etilgan) ErrorDirNotFound= %s katalog topilmadi (Yomon yo'l, noto'g'ri ruxsat yoki PHP openbasedir yoki safe_mode parametri tomonidan rad etilgan) ErrorFunctionNotAvailableInPHP=Ushbu funktsiya uchun %s funktsiyasi talab qilinadi, ammo PHP-ning ushbu versiyasida / sozlamalarida mavjud emas. ErrorDirAlreadyExists=Ushbu nomdagi katalog allaqachon mavjud. +ErrorDirNotWritable=%s katalogini yozish mumkin emas. ErrorFileAlreadyExists=Bunday nomdagi fayl allaqachon mavjud. ErrorDestinationAlreadyExists= %s ismli boshqa fayl allaqachon mavjud. ErrorPartialFile=Fayl server tomonidan to'liq qabul qilinmadi. -ErrorNoTmpDir=Vaqtinchalik to'g'ridan-to'g'ri %s mavjud emas. +ErrorNoTmpDir=%s vaqtinchalik katalogi mavjud emas. ErrorUploadBlockedByAddon=Yuklash PHP / Apache plaginlari tomonidan bloklangan. ErrorFileSizeTooLarge=Fayl hajmi juda katta yoki fayl taqdim etilmagan. ErrorFieldTooLong=%s maydoni juda uzun. @@ -78,7 +80,7 @@ ErrorNoValueForCheckBoxType=Iltimos, katakchalar ro'yxati uchun qiymatni to'ldir ErrorNoValueForRadioType=Iltimos, radio ro'yxati uchun qiymatni to'ldiring ErrorBadFormatValueList=Ro'yxat qiymati bitta verguldan iborat bo'lishi mumkin emas: %s , lekin kamida bittasi kerak: key, value ErrorFieldCanNotContainSpecialCharacters= %s maydonida maxsus belgilar bo'lmasligi kerak. -ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters, and must start with an alphabetical character (a-z) +ErrorFieldCanNotContainSpecialNorUpperCharacters=%s maydonida na maxsus, na katta harflar bo‘lishi kerak belgilar va alifbo tartibida (a-z) boshlanishi kerak ErrorFieldMustHaveXChar= %s maydonida kamida %s belgilar bo'lishi kerak. ErrorNoAccountancyModuleLoaded=Buxgalteriya moduli faollashtirilmagan ErrorExportDuplicateProfil=Ushbu eksport to'plami uchun ushbu profil nomi allaqachon mavjud. @@ -90,20 +92,21 @@ ErrorPleaseTypeBankTransactionReportName=Iltimos, yozuv haqida xabar berish kera ErrorRecordHasChildren=Yozuv o'chirilmadi, chunki ba'zi bir bolalar yozuvlari mavjud. ErrorRecordHasAtLeastOneChildOfType=%s ob'ektida kamida %s turdagi bitta bola bor ErrorRecordIsUsedCantDelete=Yozuvni o‘chirib bo‘lmadi. U allaqachon ishlatilgan yoki boshqa ob'ektga kiritilgan. -ErrorModuleRequireJavascript=Ushbu xususiyat ishlashi uchun Javascript o'chirib qo'yilmasligi kerak. Javascriptni yoqish / o'chirish uchun Home-> Setup-> Display menyusiga o'ting. +ErrorModuleRequireJavascript=Bu funksiya ishlashi uchun JavaScript oʻchirib qoʻyilmasligi kerak. JavaScript-ni yoqish/o‘chirish uchun Bosh sahifa->Sozlash->Displey menyusiga o‘ting. ErrorPasswordsMustMatch=Yozilgan har ikkala parol bir-biriga mos kelishi kerak -ErrorContactEMail=Texnik xatolik yuz berdi. Iltimos, administrator bilan bog'laning. %s elektron pochta manziliga va sizning xabaringiz nusxasida ushbu ekranning nusxasini yoki sizning ekraningizda nusxa ko'chirish xatosini yuboring %s , +ErrorContactEMail=Texnik xatolik yuz berdi. Iltimos, quyidagi e-pochta manziliga administrator bilan bog'laning %s va xatoni kiriting. Xabaringizda %s kodi yoki ekran nusxasini qo‘shing bu sahifa. ErrorWrongValueForField=Maydon %s : ' %s ' regex qoida %s -ErrorHtmlInjectionForField=Field %s: The value '%s' contains a malicious data not allowed +ErrorHtmlInjectionForField=Maydon %s: qiymati ''notranslate= '>
      %s' ruxsat etilmagan zararli maʼlumotlarni oʻz ichiga oladi ErrorFieldValueNotIn=Dala %s : « %s " bir qiymati dala %s topilmadi %s ErrorFieldRefNotIn=Maydon %s : ' %s ' %s emas -ErrorMultipleRecordFoundFromRef=Several record found when searching from ref %s. No way to know which ID to use. +ErrorMultipleRecordFoundFromRef=%s dan qidirilayotganda bir nechta yozuv topildi. Qaysi identifikatordan foydalanishni bilishning iloji yo'q. ErrorsOnXLines=%s xatolar topildi ErrorFileIsInfectedWithAVirus=Antivirus dasturi faylni tekshira olmadi (faylga virus yuqishi mumkin) ErrorNumRefModel=Ma'lumotlar bazasida (%s) ma'lumotlar bazasi mavjud va bu raqamlash qoidalariga mos kelmaydi. Ushbu modulni faollashtirish uchun yozuvni o'chirib tashlang yoki nomini o'zgartiring. ErrorQtyTooLowForThisSupplier=Ushbu sotuvchi uchun juda kam miqdor yoki ushbu sotuvchida ushbu mahsulot uchun narx belgilanmagan ErrorOrdersNotCreatedQtyTooLow=Kam miqdordagi buyurtma tufayli ba'zi buyurtmalar yaratilmagan -ErrorModuleSetupNotComplete=%s modulini sozlash tugallanmaganga o'xshaydi. Tugatish uchun Home - Setup - Modullarga o'ting. +ErrorOrderStatusCantBeSetToDelivered=Buyurtma holatini yetkazib berish uchun sozlash mumkin emas. +ErrorModuleSetupNotComplete=%s modulini sozlash tugallanmagan ko‘rinadi. Tugallash uchun Bosh sahifa - O'rnatish - Modullarga o'ting. ErrorBadMask=Maskada xato ErrorBadMaskFailedToLocatePosOfSequence=Xato, tartib raqami bo'lmagan niqob ErrorBadMaskBadRazMonth=Xato, qayta tiklash qiymati yomon @@ -131,7 +134,7 @@ ErrorLoginDoesNotExists= %s tizimiga kirgan foydalanuvchi topilmadi. ErrorLoginHasNoEmail=Ushbu foydalanuvchi elektron pochta manziliga ega emas. Jarayon bekor qilindi. ErrorBadValueForCode=Xavfsizlik kodi noto'g'ri. Yangi qiymat bilan qayta urinib ko'ring ... ErrorBothFieldCantBeNegative=%s va %s maydonlari ikkalasi ham salbiy bo'lishi mumkin emas -ErrorFieldCantBeNegativeOnInvoice= %s maydonchasi ushbu schyot-fakturada salbiy bo'lishi mumkin emas. Agar sizga chegirma chizig'ini qo'shishingiz kerak bo'lsa, avval chegirmani yarating (uchinchi tomon kartasidagi '%s' maydonidan) va uni hisob-fakturaga qo'llang. +ErrorFieldCantBeNegativeOnInvoice=%s maydoni bu turdagi invoda salbiy bo'lishi mumkin emas. Agar chegirma qatorini qo'shishingiz kerak bo'lsa, avval chegirma yarating (uchinchi tomon kartasidagi '%s' maydonidan) va uni hisob-fakturaga qo'llang. ErrorLinesCantBeNegativeForOneVATRate=Qatorlar yig'indisi (soliqni olib tashlagan holda) QQSning nol bo'lmagan stavkasi uchun salbiy bo'lishi mumkin emas (QQS stavkasi uchun %s %% uchun salbiy jami topildi). ErrorLinesCantBeNegativeOnDeposits=Depozitda chiziqlar salbiy bo'lishi mumkin emas. Agar shunday qilsangiz, siz oxirgi hisob-fakturada depozitni iste'mol qilishingiz kerak bo'lganda siz muammolarga duch kelasiz. ErrorQtyForCustomerInvoiceCantBeNegative=Xaridorlarning schyot-fakturalari qatori salbiy bo'lishi mumkin emas @@ -191,6 +194,7 @@ ErrorGlobalVariableUpdater4=SOAP mijozi "%s" xatosi bilan ishlamadi ErrorGlobalVariableUpdater5=Hech qanday global o'zgaruvchi tanlanmagan ErrorFieldMustBeANumeric= %s maydon raqamli qiymat bo'lishi kerak ErrorMandatoryParametersNotProvided=Majburiy parametr (lar) taqdim etilmagan +ErrorOppStatusRequiredIfUsage=Siz ushbu loyihada imkoniyatdan foydalanishni tanlaysiz, shuning uchun siz Etakchi maqomini ham to'ldirishingiz kerak. ErrorOppStatusRequiredIfAmount=Siz ushbu tanlov uchun taxminiy miqdorni belgiladingiz. Shunday qilib, siz uning holatini ham kiritishingiz kerak. ErrorFailedToLoadModuleDescriptorForXXX=%s uchun modul identifikatori sinfini yuklab bo'lmadi ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Modul tavsiflovchisidagi menyu qatorining noto'g'ri ta'rifi (fk_menu tugmasi uchun yomon qiymat) @@ -239,12 +243,12 @@ ErrorURLMustStartWithHttp=%s URL manzili http: // yoki https: // bilan boshlanis ErrorHostMustNotStartWithHttp=%s xost nomi http: // yoki https: // bilan boshlanmasligi kerak. ErrorNewRefIsAlreadyUsed=Xato, yangi ma'lumotnoma allaqachon ishlatilgan ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Xatolik yuz berdi, yopiq hisob-fakturaga ulangan to'lovni o'chirib bo'lmaydi. -ErrorSearchCriteriaTooSmall=Qidiruv mezonlari juda kichik. +ErrorSearchCriteriaTooSmall=Qidiruv mezonlari juda qisqa. ErrorObjectMustHaveStatusActiveToBeDisabled=O'chirish uchun ob'ektlar "Faol" holatiga ega bo'lishi kerak ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Ob'ektlarni yoqish uchun "Qoralama" yoki "O'chirilgan" holati bo'lishi kerak ErrorNoFieldWithAttributeShowoncombobox=Hech bir maydonda '%s' ob'ekti ta'rifida 'showoncombobox' xususiyati mavjud emas. Kombolistni ko'rsatishning imkoni yo'q. ErrorFieldRequiredForProduct=%s mahsuloti uchun '%s' maydoni talab qilinadi -AlreadyTooMuchPostOnThisIPAdress=You have already posted too much on this IP address. +AlreadyTooMuchPostOnThisIPAdress=Siz allaqachon bu IP manzilda juda ko'p postlar joylashtirgansiz. ProblemIsInSetupOfTerminal=Muammo %s terminalini o'rnatishda. ErrorAddAtLeastOneLineFirst=Avval kamida bitta satr qo'shing ErrorRecordAlreadyInAccountingDeletionNotPossible=Xato, yozuv allaqachon buxgalteriya hisobiga o'tkazilgan, yo'q qilish mumkin emas. @@ -258,10 +262,11 @@ ErrorReplaceStringEmpty=Xato, o'rnini bosadigan satr bo'sh ErrorProductNeedBatchNumber=Xato, ' %s ' mahsulotiga juda ko'p / seriya raqami kerak ErrorProductDoesNotNeedBatchNumber=Xato, ' %s ' mahsuloti ko'p / seriya raqamini qabul qilmaydi ErrorFailedToReadObject=Xato, %s turidagi ob'ekt o'qilmadi -ErrorParameterMustBeEnabledToAllwoThisFeature=Xato, %s parametri conf / conf.php ga o'rnatilgan bo'lishi kerak. +ErrorParameterMustBeEnabledToAllwoThisFeature=Xato, %s parametri conf/conf.php<> ichki ish rejalashtiruvchisi tomonidan buyruq qatori interfeysidan foydalanishga ruxsat berish ErrorLoginDateValidity=Xato, ushbu kirish amal qilish muddati oralig'ida emas ErrorValueLength=' %s ' maydonining uzunligi ' %s ' dan yuqori bo'lishi kerak ErrorReservedKeyword=' %s ' so'zi zaxiralangan kalit so'z +ErrorFilenameReserved=%s fayl nomidan foydalanib bo‘lmaydi, chunki u himoyalangan va himoyalangan buyruq. ErrorNotAvailableWithThisDistribution=Ushbu tarqatish bilan mavjud emas ErrorPublicInterfaceNotEnabled=Umumiy interfeys yoqilmagan ErrorLanguageRequiredIfPageIsTranslationOfAnother=Yangi sahifaning tili boshqa sahifaning tarjimasi sifatida o'rnatilgan bo'lsa aniqlanishi kerak @@ -274,14 +279,14 @@ ErrorYouMustFirstSetupYourChartOfAccount=Avval hisob qaydnomangizni o'rnatishing ErrorFailedToFindEmailTemplate=%s kodli shablonni topib bo'lmadi ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Xizmat muddati aniqlanmagan. Bir soatlik narxni hisoblashning iloji yo'q. ErrorActionCommPropertyUserowneridNotDefined=Foydalanuvchi egasi talab qilinadi -ErrorActionCommBadType=Selected event type (id: %s, code: %s) do not exist in Event Type dictionary +ErrorActionCommBadType=Tanlangan tadbir turi (id: %s, kod: %s) Voqealar turi lug‘atida mavjud emas CheckVersionFail=Versiyani tekshirib bo'lmadi ErrorWrongFileName=Fayl nomida __SOMETHING__ bo'lishi mumkin emas ErrorNotInDictionaryPaymentConditions=To'lov shartlari lug'atida yo'q, iltimos o'zgartiring. ErrorIsNotADraft=%s qoralama emas ErrorExecIdFailed="ID" buyrug'ini bajarib bo'lmadi -ErrorBadCharIntoLoginName=Unauthorized character in the field %s -ErrorRequestTooLarge=Error, request too large or session expired +ErrorBadCharIntoLoginName=%s maydonidagi ruxsatsiz belgi +ErrorRequestTooLarge=Xato, so‘rov juda katta yoki seans muddati tugagan ErrorNotApproverForHoliday=Siz %s tark etishni tasdiqlovchi emassiz ErrorAttributeIsUsedIntoProduct=Ushbu atribut bir yoki bir nechta mahsulot variantida qo'llaniladi ErrorAttributeValueIsUsedIntoProduct=Ushbu atribut qiymati bir yoki bir nechta mahsulot variantida ishlatiladi @@ -289,25 +294,46 @@ ErrorPaymentInBothCurrency=Xato, barcha summalar bitta ustunga kiritilishi kerak ErrorYouTryToPayInvoicesInACurrencyFromBankWithAnotherCurrency=Hisob-fakturalarni %s valyutasidagi hisobdan %s valyutasida to‘lashga harakat qilasiz. ErrorInvoiceLoadThirdParty=“%s” invoys uchun uchinchi tomon obyektini yuklab bo‘lmadi ErrorInvoiceLoadThirdPartyKey=“%s” uchinchi tomon kaliti “%s” invoys uchun sozlanmagan -ErrorDeleteLineNotAllowedByObjectStatus=Delete line is not allowed by current object status +ErrorDeleteLineNotAllowedByObjectStatus=Joriy ob'ekt holati bo'yicha qatorni o'chirishga ruxsat berilmagan ErrorAjaxRequestFailed=So‘rov bajarilmadi -ErrorThirpdartyOrMemberidIsMandatory=Third party or Member of partnership is mandatory -ErrorFailedToWriteInTempDirectory=Failed to write in temp directory -ErrorQuantityIsLimitedTo=Quantity is limited to %s -ErrorFailedToLoadThirdParty=Failed to find/load thirdparty from id=%s, email=%s, name=%s -ErrorThisPaymentModeIsNotSepa=This payment mode is not a bank account -ErrorStripeCustomerNotFoundCreateFirst=Stripe customer is not set for this thirdparty (or set to a value deleted on Stripe side). Create (or re-attach) it first. -ErrorCharPlusNotSupportedByImapForSearch=IMAP search is not able to search into sender or recipient for a string containing the character + -ErrorTableNotFound=Table %s not found -ErrorValueForTooLow=Value for %s is too low -ErrorValueCantBeNull=Value for %s can't be null -ErrorDateOfMovementLowerThanDateOfFileTransmission=The date of the bank transaction can't be lower than the date of the file transmission -ErrorTooMuchFileInForm=Too much files in form, the maximum number is %s file(s) +ErrorThirpdartyOrMemberidIsMandatory=Uchinchi tomon yoki sheriklik a'zosi majburiydir +ErrorFailedToWriteInTempDirectory=Vaqtinchalik katalogga yozib bo‘lmadi +ErrorQuantityIsLimitedTo=Miqdor chegaralangan: %s +ErrorFailedToLoadThirdParty=id=%s, email=%s, name= saytidan uchinchi tomonni topib/yuklab bo‘lmadi %s +ErrorThisPaymentModeIsNotSepa=Bu toʻlov usuli bank hisobi emas +ErrorStripeCustomerNotFoundCreateFirst=Stripe mijozi bu uchinchi tomon uchun sozlanmagan (yoki Stripe tomonida oʻchirilgan qiymatga oʻrnatilgan). Avval uni yarating (yoki qayta biriktiring). +ErrorCharPlusNotSupportedByImapForSearch=IMAP qidiruvi yuboruvchi yoki qabul qiluvchida + belgisini o'z ichiga olgan qatorni qidira olmaydi +ErrorTableNotFound=Jadval %s topilmadi +ErrorRefNotFound=Ref %s topilmadi +ErrorValueForTooLow=%s uchun qiymat juda past +ErrorValueCantBeNull=%s uchun qiymat null bo‘lishi mumkin emas +ErrorDateOfMovementLowerThanDateOfFileTransmission=Bank operatsiyasining sanasi faylni yuborish sanasidan past bo'lishi mumkin emas +ErrorTooMuchFileInForm=Formadagi fayllar juda koʻp, maksimal soni %s fayl(lar) +ErrorSessionInvalidatedAfterPasswordChange=Parol, elektron pochta manzili, holat yoki amal qilish sanasi oʻzgargandan keyin sessiya bekor qilingan. Iltimos, qayta kiring. +ErrorExistingPermission = Ruxsat %s %s “chap” +ErrorUploadFileDragDrop=Fayl(lar)ni yuklashda xatolik yuz berdi +ErrorUploadFileDragDropPermissionDenied=Fayl(lar)ni yuklashda xatolik yuz berdi: Ruxsat berilmadi +ErrorFixThisHere=Buni shu yerda tuzating +ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Xato: Joriy namunangizning URL manzili (%s) OAuth2 login sozlamalarida belgilangan URL bilan mos kelmaydi (%s). Bunday konfiguratsiyada OAuth2 tizimiga kirishga ruxsat berilmaydi. +ErrorMenuExistValue=Bu sarlavha yoki URL bilan allaqachon menyu mavjud +ErrorSVGFilesNotAllowedAsLinksWithout=SVG fayllariga %s parametrisiz tashqi havola sifatida ruxsat berilmaydi. +ErrorTypeMenu=Navbarga bir xil modul uchun boshqa menyu qo‘shishning imkoni yo‘q, lekin hozircha ishlamaydi +ErrorObjectNotFound = %s topilmadi, url manzilingizni tekshiring +ErrorCountryCodeMustBe2Char=Mamlakat kodi 2 ta belgidan iborat boʻlishi kerak + +ErrorTableExist=Jadval %s allaqachon mavjud +ErrorDictionaryNotFound=Lug'at %s topilmadi +ErrorFailedToCreateSymLinkToMedias=%s ga ishora qilish uchun %s ramziy havolasini yaratib bo‘lmadi. +ErrorCheckTheCommandInsideTheAdvancedOptions=Eksport uchun ishlatiladigan buyruqni eksportning Kengaytirilgan parametrlariga tekshiring # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=PHP parametringiz upload_max_filesize (%s) PHP post_max_size (%s) parametridan yuqori. Bu izchil o'rnatish emas. WarningPasswordSetWithNoAccount=Ushbu a'zo uchun parol o'rnatildi. Biroq, foydalanuvchi hisobi yaratilmagan. Shunday qilib, ushbu parol saqlanadi, ammo Dolibarr-ga kirish uchun foydalanib bo'lmaydi. U tashqi modul / interfeys tomonidan ishlatilishi mumkin, ammo agar siz a'zo uchun hech qanday login va parolni belgilashga hojat bo'lmasa, siz "har bir a'zo uchun kirishni boshqarish" parametrini a'zo modulidan o'chirib qo'yishingiz mumkin. Agar sizga loginni boshqarish kerak bo'lsa, lekin hech qanday parol kerak bo'lmasa, ushbu ogohlantirishni oldini olish uchun ushbu maydonni bo'sh qoldirishingiz mumkin. Izoh: Agar foydalanuvchi bilan bog'langan bo'lsa, elektron pochta orqali kirish sifatida ham foydalanish mumkin. -WarningMandatorySetupNotComplete=Click here to setup main parameters +WarningMandatorySetupNotComplete=Asosiy parametrlarni sozlash uchun shu yerni bosing WarningEnableYourModulesApplications=Modul va dasturlarni yoqish uchun shu erni bosing WarningSafeModeOnCheckExecDir=Ogohlantirish, PHP opsiyasi yoniq, shuning uchun buyruq php parametri safe_mode_exec_dir php parametri bilan e'lon qilingan katalog ichida saqlanishi kerak. WarningBookmarkAlreadyExists=Ushbu nom yoki ushbu maqsad (URL) bilan xatcho'p allaqachon mavjud. @@ -316,7 +342,7 @@ WarningConfFileMustBeReadOnly=Ogohlantirish, sizning konfiguratsiya fayli ( h WarningsOnXLines= %s manba yozuvlari (lar) haqida ogohlantirishlar WarningNoDocumentModelActivated=Hujjatlarni yaratish uchun hech qanday model faollashtirilmagan. Modul sozlamalarini tekshirguningizcha sukut bo'yicha model tanlanadi. WarningLockFileDoesNotExists=Ogohlantirish, o'rnatish tugagandan so'ng, faylini qo'shib o'rnatish / ko'chirish vositalarini o'chirib qo'yishingiz kerak katalogiga %s . Ushbu faylni yaratishni tashlab qo'yish xavfsizlikka katta xavf tug'diradi. -WarningUntilDirRemoved=This security warning will remain active as long as the vulnerability is present. +WarningUntilDirRemoved=Ushbu xavfsizlik ogohlantirishi zaiflik mavjud ekan, faol bo'lib qoladi. WarningCloseAlways=Ogohlantirish, yopish, agar manba va maqsad elementlari o'rtasida farq bo'lsa ham amalga oshiriladi. Ushbu xususiyatni ehtiyotkorlik bilan yoqing. WarningUsingThisBoxSlowDown=Ogohlantirish, ushbu katakchadan foydalanib, katakchani ko'rsatadigan barcha sahifalarni sekinlashtiring. WarningClickToDialUserSetupNotComplete=Foydalanuvchingiz uchun ClickToDial ma'lumotlarini sozlash tugallanmagan (ClickToDial yorlig'ini foydalanuvchi kartangizga qarang). @@ -325,6 +351,7 @@ WarningPaymentDateLowerThanInvoiceDate=To'lov sanasi (%s) %s hisob-fakturasi uch WarningTooManyDataPleaseUseMoreFilters=Ma'lumot juda ko'p (%s qatorlaridan ko'p). Iltimos, ko'proq filtrlardan foydalaning yoki %s doimiyligini yuqori chegaraga o'rnating. WarningSomeLinesWithNullHourlyRate=Ba'zi foydalanuvchilar ba'zi soatlarda soatlik stavkasi aniqlanmagan holda qayd etishgan. Soatiga 0 %s qiymati ishlatilgan, ammo bu sarflangan vaqtni noto'g'ri baholashga olib kelishi mumkin. WarningYourLoginWasModifiedPleaseLogin=Kirishingiz o'zgartirildi. Xavfsizlik maqsadida keyingi harakatlar oldidan yangi tizimga kirishingiz kerak bo'ladi. +WarningYourPasswordWasModifiedPleaseLogin=Parolingiz o'zgartirildi. Xavfsizlik maqsadida siz hozir yangi parolingiz bilan tizimga kirishingiz kerak bo'ladi. WarningAnEntryAlreadyExistForTransKey=Ushbu til uchun tarjima kaliti uchun yozuv allaqachon mavjud WarningNumberOfRecipientIsRestrictedInMassAction=Ogohlantirish, turli xil qabul qiluvchilar soni %s bilan ro'yxatdagi ommaviy harakatlardan foydalanishda cheklangan WarningDateOfLineMustBeInExpenseReportRange=Ogohlantirish, satr sanasi xarajatlar hisoboti doirasiga kirmaydi @@ -337,9 +364,22 @@ WarningCreateSubAccounts=Ogohlantirish, siz to'g'ridan-to'g'ri sub-qayd yozuvini WarningAvailableOnlyForHTTPSServers=Faqat HTTPS xavfsiz ulanishidan foydalanish mumkin. WarningModuleXDisabledSoYouMayMissEventHere=%s moduli yoqilmagan. Shunday qilib, siz bu erda ko'plab tadbirlarni o'tkazib yuborishingiz mumkin. WarningPaypalPaymentNotCompatibleWithStrict="Qat'iy" qiymati onlayn to'lov xususiyatlarining noto'g'ri ishlashiga olib keladi. Buning o'rniga "Lax" dan foydalaning. -WarningThemeForcedTo=Warning, theme has been forced to %s by hidden constant MAIN_FORCETHEME -WarningPagesWillBeDeleted=Warning, this will also delete all existing pages/containers of the website. You should export your website before, so you have a backup to re-import it later. -WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Automatic validation is disabled when option to decrease stock is set on "Invoice validation". +WarningThemeForcedTo=Ogohlantirish, mavzuni %s maxfiy MAHEMEETRC tomonidan ko'rib chiqildi. +WarningPagesWillBeDeleted=Ogohlantirish, bu veb-saytning barcha mavjud sahifalarini/konteynerlarini ham o'chirib tashlaydi. Veb-saytingizni avval eksport qilishingiz kerak, shuning uchun uni keyinroq qayta import qilish uchun zaxirangiz bor. +WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=“Hisob-fakturani tekshirish”da zaxiralarni kamaytirish opsiyasi o‘rnatilgan bo‘lsa, avtomatik tekshirish o‘chirib qo‘yiladi. +WarningModuleNeedRefresh = %s moduli o‘chirilgan. Uni yoqishni unutmang +WarningPermissionAlreadyExist=Ushbu obyekt uchun mavjud ruxsatlar +WarningGoOnAccountancySetupToAddAccounts=Agar bu roʻyxat boʻsh boʻlsa, menyuga oʻting %s - %s - %s hisob jadvalingiz uchun hisoblarni yuklash yoki yaratish uchun. +WarningCorrectedInvoiceNotFound=Tuzatilgan hisob-faktura topilmadi +WarningCommentNotFound=Iltimos, %s bo'limining boshlanish va yakuniy fikrlarini tekshiring. harakatingizni yuborishdan oldin %s fayli +WarningAlreadyReverse=Birja harakati allaqachon teskari + +SwissQrOnlyVIR = SwissQR hisob-fakturasini faqat kredit o'tkazmalari bilan to'lanadigan hisob-fakturalarga qo'shish mumkin. +SwissQrCreditorAddressInvalid = Kreditor manzili noto‘g‘ri (zip va shahar o‘rnatilganmi? (%s) +SwissQrCreditorInformationInvalid = Kreditor ma'lumotlari IBAN uchun yaroqsiz (%s): %s +SwissQrIbanNotImplementedYet = QR-IBAN hali amalga oshirilmagan +SwissQrPaymentInformationInvalid = Jami %s uchun toʻlov maʼlumotlari yaroqsiz: %s +SwissQrDebitorAddressInvalid = Debitor ma'lumotlari yaroqsiz (%s) # Validate RequireValidValue = Qiymat yaroqsiz @@ -361,3 +401,4 @@ BadSetupOfField = Maydonni noto'g'ri sozlashda xato BadSetupOfFieldClassNotFoundForValidation = Maydonni noto'g'ri o'rnatish xatosi: Tasdiqlash uchun sinf topilmadi BadSetupOfFieldFileNotFound = Maydonni noto'g'ri o'rnatishda xato: Faylni kiritish uchun topilmadi BadSetupOfFieldFetchNotCallable = Maydonni noto'g'ri o'rnatish xatosi: Sinfda qo'ng'iroq qilib bo'lmaydi +ErrorTooManyAttempts= Juda koʻp urinishlar, keyinroq qayta urinib koʻring diff --git a/htdocs/langs/uz_UZ/eventorganization.lang b/htdocs/langs/uz_UZ/eventorganization.lang index 983d1451daa..99dc62362af 100644 --- a/htdocs/langs/uz_UZ/eventorganization.lang +++ b/htdocs/langs/uz_UZ/eventorganization.lang @@ -53,17 +53,17 @@ EVENTORGANIZATION_FILTERATTENDEES_TYPE = Ishtirokchini yaratish/qo'shish shaklid # # Object # -OrganizedEvent=Organized event +OrganizedEvent=Tashkil etilgan tadbir EventOrganizationConfOrBooth= Konferentsiya yoki stend -EventOrganizationConfOrBoothes=Conferences or Boothes +EventOrganizationConfOrBoothes=Konferentsiyalar yoki stendlar ManageOrganizeEvent = Tadbirni tashkil qilishni boshqaring ConferenceOrBooth = Konferentsiya yoki stend ConferenceOrBoothTab = Konferentsiya yoki stend AmountPaid = To'langan miqdor DateOfRegistration = Ro'yxatdan o'tish sanasi ConferenceOrBoothAttendee = Konferentsiya yoki stend ishtirokchisi -ApplicantOrVisitor=Applicant or visitor -Speaker=Speaker +ApplicantOrVisitor=Ariza beruvchi yoki tashrif buyuruvchi +Speaker=Spiker # # Template Mail @@ -90,7 +90,7 @@ PriceOfRegistrationHelp=Ro'yxatdan o'tish yoki tadbirda qatnashish uchun to'lana PriceOfBooth=Stendda turish uchun obuna narxi PriceOfBoothHelp=Stendda turish uchun obuna narxi EventOrganizationICSLink=Konferentsiyalar uchun ICS havolasi -ConferenceOrBoothInformation=Konferentsiya yoki stend ma'lumotlari +ConferenceOrBoothInformation=Konferentsiya yoki stend haqida ma'lumot Attendees=Ishtirokchilar ListOfAttendeesOfEvent=Loyiha ishtirokchilari ro'yxati DownloadICSLink = ICS havolasini yuklab oling @@ -98,6 +98,7 @@ EVENTORGANIZATION_SECUREKEY = Konferentsiyani taklif qilish uchun ommaviy ro'yxa SERVICE_BOOTH_LOCATION = Stend joylashgan joy haqida hisob-faktura qatori uchun ishlatiladigan xizmat SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Tadbir ishtirokchisining obunasi haqidagi hisob-faktura qatori uchun foydalanilgan xizmat NbVotes=Ovozlar soni + # # Status # @@ -106,9 +107,10 @@ EvntOrgSuggested = Tavsiya etilgan EvntOrgConfirmed = Tasdiqlandi EvntOrgNotQualified = Malakali emas EvntOrgDone = Bajarildi -EvntOrgCancelled = Bekor qilindi +EvntOrgCancelled = Bekor qilingan + # -# Public page +# Other # SuggestForm = Takliflar sahifasi SuggestOrVoteForConfOrBooth = Taklif yoki ovoz berish uchun sahifa @@ -116,15 +118,15 @@ EvntOrgRegistrationHelpMessage = Bu yerda siz konferentsiya uchun ovoz berishing EvntOrgRegistrationConfHelpMessage = Bu yerda siz tadbir davomida jonlantirish uchun yangi konferentsiya taklif qilishingiz mumkin. EvntOrgRegistrationBoothHelpMessage = Bu erda siz tadbir davomida stendga ega bo'lish uchun ariza berishingiz mumkin. ListOfSuggestedConferences = Tavsiya etilgan konferentsiyalar ro'yxati -ListOfSuggestedBooths=Suggested booths -ListOfConferencesOrBooths=Conferences or booths of event project +ListOfSuggestedBooths=Tavsiya etilgan stendlar +ListOfConferencesOrBooths=Konferentsiyalar yoki tadbirlar loyihasi stendlari SuggestConference = Yangi konferentsiyani taklif eting SuggestBooth = Stendni taklif qiling ViewAndVote = Taklif etilgan tadbirlarni ko'ring va ovoz bering PublicAttendeeSubscriptionGlobalPage = Tadbirga ro'yxatdan o'tish uchun ochiq havola PublicAttendeeSubscriptionPage = Faqat ushbu tadbirga ro'yxatdan o'tish uchun ochiq havola MissingOrBadSecureKey = Elektron kalit yaroqsiz yoki yo'q -EvntOrgWelcomeMessage = This form allows you to register as a new participant to the event +EvntOrgWelcomeMessage = Ushbu shakl sizga tadbirning yangi ishtirokchisi sifatida ro'yxatdan o'tish imkonini beradi EvntOrgDuration = Ushbu anjuman %s da boshlanadi va %s da tugaydi. ConferenceAttendeeFee = Tadbir uchun konferentsiya qatnashchilari uchun to'lov: '%s' %s dan %s gacha. BoothLocationFee = Hodisa uchun stend joylashuvi: %s dan %s gacha bo'lgan '%s'. @@ -134,7 +136,7 @@ LabelOfconference=Konferentsiya yorlig'i ConferenceIsNotConfirmed=Ro'yxatdan o'tish mumkin emas, konferentsiya hali tasdiqlanmagan DateMustBeBeforeThan=%s %sdan oldin bo'lishi kerak DateMustBeAfterThan=%s %s dan keyin bo'lishi kerak -MaxNbOfAttendeesReached=The maximum number of participants has been reached +MaxNbOfAttendeesReached=Ishtirokchilarning maksimal soniga erishildi NewSubscription=Ro'yxatdan o'tish OrganizationEventConfRequestWasReceived=Sizning konferentsiya haqidagi taklifingiz qabul qilindi OrganizationEventBoothRequestWasReceived=Stend uchun so'rovingiz qabul qilindi @@ -143,14 +145,9 @@ OrganizationEventPaymentOfRegistrationWasReceived=Tadbirni ro'yxatdan o'tkazish OrganizationEventBulkMailToAttendees=Bu sizning tadbirda ishtirokchi sifatida ishtirok etishingizni eslatadi OrganizationEventBulkMailToSpeakers=Bu sizning ma'ruzachi sifatida tadbirda ishtirok etishingizni eslatadi OrganizationEventLinkToThirdParty=Uchinchi shaxsga havola (mijoz, yetkazib beruvchi yoki hamkor) -OrganizationEvenLabelName=Public name of the conference or booth - +OrganizationEvenLabelName=Konferentsiya yoki stendning umumiy nomi NewSuggestionOfBooth=Stend uchun ariza -NewSuggestionOfConference=Application to hold a conference - -# -# Vote page -# +NewSuggestionOfConference=Konferentsiya o'tkazish uchun ariza EvntOrgRegistrationWelcomeMessage = Konferentsiyada yoki kabinet takliflari sahifasida xush kelibsiz. EvntOrgRegistrationConfWelcomeMessage = Konferentsiya takliflari sahifasida xush kelibsiz. EvntOrgRegistrationBoothWelcomeMessage = Stend takliflari sahifasida xush kelibsiz. @@ -158,8 +155,8 @@ EvntOrgVoteHelpMessage = Bu erda siz loyiha uchun taklif qilingan tadbirlarni ko VoteOk = Sizning ovozingiz qabul qilindi. AlreadyVoted = Siz ushbu tadbir uchun allaqachon ovoz bergansiz. VoteError = Ovoz berish paytida xatolik yuz berdi, qayta urinib ko'ring. - -SubscriptionOk=Your registration has been recorded +SubscriptionOk=Sizning ro'yxatdan o'tishingiz qayd etildi +AmountOfRegistrationPaid=To'langan ro'yxatdan o'tish summasi ConfAttendeeSubscriptionConfirmation = Tadbirga obunangizni tasdiqlash Attendee = Ishtirokchi PaymentConferenceAttendee = Konferentsiya qatnashchilarining to'lovlari @@ -167,11 +164,17 @@ PaymentBoothLocation = Stend joylashgan joy uchun to'lov DeleteConferenceOrBoothAttendee=Ishtirokchini olib tashlash RegistrationAndPaymentWereAlreadyRecorder= %s elektron pochta uchun ro'yxatdan o'tish va to'lov allaqachon qayd qilingan. EmailAttendee=Ishtirokchining elektron pochtasi -EmailCompany=Company email +EmailCompany=Kompaniya elektron pochtasi EmailCompanyForInvoice=Kompaniyaning elektron pochtasi (hisob -faktura uchun, agar ishtirokchining elektron pochtasi boshqacha bo'lsa) -ErrorSeveralCompaniesWithEmailContactUs=Bu elektron pochtaga ega bo'lgan bir nechta kompaniyalar topildi, shuning uchun biz sizning ro'yxatdan o'tishingizni avtomatik tarzda tasdiqlay olmaymiz. Iltimos, qo'lda tekshirish uchun %s biz bilan bog'laning -ErrorSeveralCompaniesWithNameContactUs=Bu nomdagi bir nechta kompaniyalar topilgan, shuning uchun biz sizning ro'yxatdan o'tishingizni avtomatik tarzda tasdiqlay olmaymiz. Iltimos, qo'lda tekshirish uchun %s biz bilan bog'laning +ErrorSeveralCompaniesWithEmailContactUs=Ushbu e-pochtaga ega boʻlgan bir nechta kompaniyalar topildi, shuning uchun biz sizning roʻyxatdan oʻtishingizni avtomatik ravishda tasdiqlay olmaymiz. Qo'lda tekshirish uchun %s orqali biz bilan bog'laning +ErrorSeveralCompaniesWithNameContactUs=Bunday nomdagi bir nechta kompaniyalar topildi, shuning uchun biz sizning roʻyxatdan oʻtganingizni avtomatik ravishda tasdiqlay olmaymiz. Qo'lda tekshirish uchun %s orqali biz bilan bog'laning NoPublicActionsAllowedForThisEvent=Ushbu tadbir uchun ochiq aksiyalar ochiq emas MaxNbOfAttendees=Maksimal ishtirokchilar soni -DateStartEvent=Event start date -DateEndEvent=Event end date +DateStartEvent=Tadbir boshlanish sanasi +DateEndEvent=Tadbir tugash sanasi +ModifyStatus=Holatni o'zgartirish +ConfirmModifyStatus=Vaziyat o'zgarishini tasdiqlang +ConfirmModifyStatusQuestion=Haqiqatan ham %s tanlangan yozuv(lar)ni o‘zgartirmoqchimisiz? +RecordsUpdated = %s Yozuvlar yangilandi +RecordUpdated = Yozuv yangilandi +NoRecordUpdated = Hech qanday yozuv yangilanmagan diff --git a/htdocs/langs/uz_UZ/exports.lang b/htdocs/langs/uz_UZ/exports.lang index d48bbad44f0..0e61fd7daf1 100644 --- a/htdocs/langs/uz_UZ/exports.lang +++ b/htdocs/langs/uz_UZ/exports.lang @@ -18,6 +18,7 @@ ExportableFields=Eksport qilinadigan maydonlar ExportedFields=Eksport qilingan maydonlar ImportModelName=Profil nomini import qilish ImportModelSaved=Import profil %s sifatida saqlandi. +ImportProfile=Profilni import qilish DatasetToExport=Eksport qilinadigan ma'lumotlar to'plami DatasetToImport=Ma'lumotlar to'plamiga faylni import qilish ChooseFieldsOrdersAndTitle=Maydonlar tartibini tanlang ... @@ -26,8 +27,8 @@ FieldTitle=Maydon nomi NowClickToGenerateToBuildExportFile=Endi, ochilgan maydonda fayl formatini tanlang va eksport faylini yaratish uchun "Yaratish" tugmasini bosing ... AvailableFormats=Mavjud formatlar LibraryShort=Kutubxona -ExportCsvSeparator=CSV karakterlarni ajratuvchi -ImportCsvSeparator=CSV karakterlarni ajratuvchi +ExportCsvSeparator=Csv belgilar ajratuvchi +ImportCsvSeparator=Csv belgilar ajratuvchi Step=Qadam FormatedImport=Import yordamchisi FormatedImportDesc1=Ushbu modul yordamchi yordamida texnik ma'lumotlarga ega bo'lmagan fayldan mavjud ma'lumotlarni yangilash yoki ma'lumotlar bazasiga yangi moslamalarni qo'shish imkonini beradi. @@ -53,8 +54,9 @@ TypeOfLineServiceOrProduct=Qator turi (0 = mahsulot, 1 = xizmat) FileWithDataToImport=Import qilish uchun ma'lumotlar bilan fayl FileToImport=Import qilish uchun manba fayl FileMustHaveOneOfFollowingFormat=Import qilish uchun fayl quyidagi formatlardan biriga ega bo'lishi kerak -DownloadEmptyExample=Download a template file with examples and information on fields you can import -StarAreMandatory=Into the template file, all fields with a * are mandatory fields +DownloadEmptyExampleShort=Namuna faylni yuklab oling +DownloadEmptyExample=Import qilishingiz mumkin bo'lgan maydonlar haqidagi misollar va ma'lumotlarga ega shablon faylini yuklab oling +StarAreMandatory=Shablon faylida * belgisi bo'lgan barcha maydonlar majburiy maydonlardir ChooseFormatOfFileToImport=Faylni import qilish formati sifatida tanlang, uni tanlash uchun %s belgisini bosing ... ChooseFileToImport=Faylni yuklang, so'ngra faylni manba import fayli sifatida tanlash uchun %s belgisini bosing ... SourceFileFormat=Manba fayl formati @@ -82,7 +84,7 @@ SelectFormat=Ushbu import fayl formatini tanlang RunImportFile=Ma'lumotlarni import qilish NowClickToRunTheImport=Importni simulyatsiya qilish natijalarini tekshiring. Xatolarni tuzating va qayta sinovdan o'tkazing.
      simulyatsiya xatolar haqida xabar bermasa, ma'lumotlar bazasiga ma'lumotlarni import qilishga o'tishingiz mumkin. DataLoadedWithId=Import qilingan ma'lumotlar har bir ma'lumotlar bazasi jadvalida ushbu import identifikatori bilan qo'shimcha maydonga ega bo'ladi: %s , bu import bilan bog'liq muammoni tekshirishda uni qidirib topishga imkon berish uchun. -ErrorMissingMandatoryValue=Majburiy ma'lumotlar %s maydonining manba faylida bo'sh. +ErrorMissingMandatoryValue=%s ustunidagi manba faylida majburiy maʼlumotlar boʻsh. TooMuchErrors=%s hali ham xatolar mavjud bo'lgan boshqa manba satrlari mavjud, ammo chiqishi cheklangan. TooMuchWarnings= %s hali ogohlantirishlar bilan boshqa manba chiziqlari bor, lekin chiqish cheklangan. EmptyLine=Bo'sh satr (bekor qilinadi) @@ -92,9 +94,9 @@ YouCanUseImportIdToFindRecord=Ma'lumotlar bazangizdagi barcha import qilingan yo NbOfLinesOK=Xato va ogohlantirishsiz qatorlar soni: %s . NbOfLinesImported=Muvaffaqiyatli import qilingan qatorlar soni: %s . DataComeFromNoWhere=Qo'shish uchun qiymat manba faylida yo'q. -DataComeFromFileFieldNb=Qo'shish uchun qiymat manba faylidagi %s maydon raqamidan kelib chiqadi. -DataComeFromIdFoundFromRef=Manba faylining %s maydon raqamidan kelib chiqadigan qiymat ota-ona ob'ektini identifikatorini topish uchun ishlatiladi (shuning uchun %s a09 -DataComeFromIdFoundFromCodeId=Manba faylining %s maydon raqamidan kelib chiqadigan kod ota-ona ob'ektini identifikatorini topish uchun ishlatiladi (shuning uchun manba faylidan olingan kod %s) E'tibor bering, agar siz idni bilsangiz, uni kod o'rniga manba faylida ishlatishingiz mumkin. Import ikkala holatda ham ishlashi kerak. +DataComeFromFileFieldNb=Qo'shiladigan qiymat manba faylidagi %s ustunidan olinadi. +DataComeFromIdFoundFromRef=Manba faylidan keladigan qiymat foydalaniladigan asosiy ob'ektning identifikatorini topish uchun ishlatiladi (shuning uchun ob'ekt %s manba faylidan olingan koʻrsatma maʼlumotlar bazasida boʻlishi kerak). +DataComeFromIdFoundFromCodeId=Manba faylidan keladigan kod qiymati foydalaniladigan asosiy ob'ekt identifikatorini topish uchun ishlatiladi (shuning uchun manba fayldagi kod %s). E'tibor bering, agar siz identifikatorni bilsangiz, uni kod o'rniga manba faylida ham ishlatishingiz mumkin. Import ikkala holatda ham ishlashi kerak. DataIsInsertedInto=Dastlabki fayldan olingan ma'lumotlar quyidagi maydonga kiritiladi: DataIDSourceIsInsertedInto=Manba faylidagi ma'lumotlar yordamida topilgan asosiy ob'ektning identifikatori quyidagi maydonga kiritiladi: DataCodeIDSourceIsInsertedInto=Koddan topilgan ota -onaning identifikatori quyidagi maydonga kiritiladi: @@ -132,9 +134,14 @@ FormatControlRule=Formatni boshqarish qoidasi ## imports updates KeysToUseForUpdates=Mavjud ma'lumotlarni yangilash uchun uchun ishlatiladigan kalit (ustun) NbInsert=Kiritilgan qatorlar soni: %s +NbInsertSim=Kiritilgan qatorlar soni: %s NbUpdate=Yangilangan qatorlar soni: %s +NbUpdateSim=Yangilanadigan qatorlar soni: %s MultipleRecordFoundWithTheseFilters=Ushbu filtrlar yordamida bir nechta yozuvlar topildi: %s StocksWithBatch=Partiya / seriya raqami bo'lgan mahsulot zaxiralari va joylashuvi (ombor) WarningFirstImportedLine=Birinchi qator(lar) joriy tanlov bilan import qilinmaydi NotUsedFields=Ma'lumotlar bazasi maydonlaridan foydalanilmaydi SelectImportFieldsSource = Import qilmoqchi bo'lgan manba fayl maydonlarini va ularning ma'lumotlar bazasidagi maqsadli maydonini har bir tanlash qutisidagi maydonlarni tanlash orqali tanlang yoki oldindan belgilangan import profilini tanlang: +MandatoryTargetFieldsNotMapped=Ba'zi majburiy maqsadli maydonlar xaritaga kiritilmagan +AllTargetMandatoryFieldsAreMapped=Majburiy qiymatga muhtoj bo'lgan barcha maqsadli maydonlar xaritada ko'rsatilgan +ResultOfSimulationNoError=Simulyatsiya natijasi: xatolik yo'q diff --git a/htdocs/langs/uz_UZ/help.lang b/htdocs/langs/uz_UZ/help.lang index 770993fa3c9..d5e0ab9adfc 100644 --- a/htdocs/langs/uz_UZ/help.lang +++ b/htdocs/langs/uz_UZ/help.lang @@ -11,7 +11,7 @@ TypeOfSupport=Qo'llab-quvvatlash turi TypeSupportCommunauty=Hamjamiyat (bepul) TypeSupportCommercial=Tijorat TypeOfHelp=Turi -NeedHelpCenter=Need support? +NeedHelpCenter=Yordam kerakmi? Efficiency=Samaradorlik TypeHelpOnly=Faqat yordam bering TypeHelpDev=Yordam + taraqqiyot diff --git a/htdocs/langs/uz_UZ/holiday.lang b/htdocs/langs/uz_UZ/holiday.lang index e0b9fe3ee30..7b280b310ea 100644 --- a/htdocs/langs/uz_UZ/holiday.lang +++ b/htdocs/langs/uz_UZ/holiday.lang @@ -1,11 +1,11 @@ # Dolibarr language file - Source file is en_US - holiday HRM=HRM -Holidays=Leaves -Holiday=Leave +Holidays=Barglar +Holiday=Tashlab ket CPTitreMenu=Keting MenuReportMonth=Oylik bayonot MenuAddCP=Yangi ta'til so'rovi -MenuCollectiveAddCP=New collective leave request +MenuCollectiveAddCP=New collective leave NotActiveModCP=Ushbu sahifani ko'rish uchun "Ketish" modulini yoqishingiz kerak. AddCP=Dam olish to'g'risida so'rov yuboring DateDebCP=Boshlanish vaqti @@ -29,7 +29,7 @@ DescCP=Tavsif SendRequestCP=Dam olish uchun so'rov yarating DelayToRequestCP=Dam olish uchun so'rovlar kamida %s kun (lar) dan oldin amalga oshirilishi kerak. MenuConfCP=Ta'til qoldig'i -SoldeCPUser=Leave balance (in days) : %s +SoldeCPUser=Qoldirish balansi (kunlarda): %s ErrorEndDateCP=Boshlanish sanasidan kattaroq tugash sanasini tanlashingiz kerak. ErrorSQLCreateCP=Yaratish paytida SQL xatosi paydo bo'ldi: ErrorIDFicheCP=Xatolik yuz berdi, ta'til so'rovi mavjud emas. @@ -58,7 +58,7 @@ ConfirmDeleteCP=Ushbu ta'til so'rovi o'chirilganligini tasdiqlaysizmi? ErrorCantDeleteCP=Xatolik, ushbu ta'tilni o'chirish huquqiga ega emassiz. CantCreateCP=Sizda ta'tilga chiqish to'g'risida so'rov yuborish huquqingiz yo'q. InvalidValidatorCP=Ta'tilga chiqish uchun tasdiqlovchini tanlashingiz kerak. -InvalidValidator=The user chosen isn't an approver. +InvalidValidator=Tanlangan foydalanuvchi tasdiqlovchi emas. NoDateDebut=Boshlanish sanasini tanlashingiz kerak. NoDateFin=Tugash sanasini tanlashingiz kerak. ErrorDureeCP=Sizning ta'til so'rovingiz ish kunini o'z ichiga olmaydi. @@ -82,8 +82,8 @@ MotifCP=Sabab UserCP=Foydalanuvchi ErrorAddEventToUserCP=Istisno ta'tilini qo'shishda xatolik yuz berdi. AddEventToUserOkCP=Istisno ta'tiliga qo'shilish tugallandi. -ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be filled in -fusionGroupsUsers=The groups field and the user field will be merged +ErrorFieldRequiredUserOrGroup="Guruh" maydoni yoki "foydalanuvchi" maydoni to'ldirilishi kerak +fusionGroupsUsers=Guruhlar maydoni va foydalanuvchi maydoni birlashtiriladi MenuLogCP=O'zgarish jurnallarini ko'rish LogCP="Ta'til balansi" ga kiritilgan barcha yangilanishlar jurnali ActionByCP=Tomonidan yangilangan @@ -91,13 +91,13 @@ UserUpdateCP=Uchun yangilangan PrevSoldeCP=Oldingi qoldiq NewSoldeCP=Yangi balans alreadyCPexist=Ushbu davrda ta'til so'ralgan. -UseralreadyCPexist=A leave request has already been done on this period for %s. -groups=Groups -users=Users -AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request -AutoValidationOnCreate=Automatic validation +UseralreadyCPexist=Bu davrda %s uchun taʼtil soʻrovi allaqachon qilingan. +groups=Guruhlar +users=Foydalanuvchilar +AutoSendMail=Avtomatik pochta jo'natmalari +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave +AutoValidationOnCreate=Avtomatik tekshirish FirstDayOfHoliday=Ta'tilga chiqish kunining boshlanishi LastDayOfHoliday=Ta'tilni talab qilish kuni tugaydi HolidaysMonthlyUpdate=Oylik yangilanish @@ -142,16 +142,16 @@ TemplatePDFHolidays=PDF ta'tilga chiqish so'rovlari uchun shablon FreeLegalTextOnHolidays=PDF-dagi bepul matn WatermarkOnDraftHolidayCards=Dam olish ta'tiliga yuborilgan so'rovlar bo'yicha moybo'yoqli belgilar HolidaysToApprove=Bayramlarni tasdiqlash -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate leave requests -HolidayBalanceMonthlyUpdate=Monthly update of leave balance -XIsAUsualNonWorkingDay=%s odatda NON ish kuni hisoblanadi +NobodyHasPermissionToValidateHolidays=Hech kim ta'til so'rovlarini tasdiqlash uchun ruxsatga ega emas +HolidayBalanceMonthlyUpdate=Ta'til balansining oylik yangilanishi +XIsAUsualNonWorkingDay=%s odatda BO'LGAN ish kunidir BlockHolidayIfNegative=Balans salbiy bo'lsa blokirovka qiling LeaveRequestCreationBlockedBecauseBalanceIsNegative=Balansingiz manfiy bo‘lgani uchun ta’til so‘rovini yaratish bloklandi ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Qoldirish soʻrovi %s qoralama boʻlishi, bekor qilinishi yoki oʻchirish rad etilishi kerak -IncreaseHolidays=Increase leave balance -HolidayRecordsIncreased= %s leave balances increased -HolidayRecordIncreased=Leave balance increased -ConfirmMassIncreaseHoliday=Bulk leave balance increase -NumberDayAddMass=Number of day to add to the selection -ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? -HolidayQtyNotModified=Balance of remaining days for %s has not been changed +IncreaseHolidays=Ta'til balansini oshiring +HolidayRecordsIncreased= %s qoldiq qoldiqlari oshdi +HolidayRecordIncreased=Qoldirish balansi oshdi +ConfirmMassIncreaseHoliday=Ommaviy qoldiq balansining oshishi +NumberDayAddMass=Tanlovga qo'shiladigan kun soni +ConfirmMassIncreaseHolidayQuestion=Haqiqatan ham %s tanlangan yozuv(lar)ning ta'tilini oshirmoqchimisiz? +HolidayQtyNotModified=%s uchun qolgan kunlar balansi o‘zgartirilmadi diff --git a/htdocs/langs/uz_UZ/hrm.lang b/htdocs/langs/uz_UZ/hrm.lang index 99d100ed717..6699cd1541d 100644 --- a/htdocs/langs/uz_UZ/hrm.lang +++ b/htdocs/langs/uz_UZ/hrm.lang @@ -12,7 +12,7 @@ OpenEtablishment=Ochiq muassasa CloseEtablishment=Yaqin muassasasi # Dictionary DictionaryPublicHolidays=Ta'til - rasmiy bayramlar -DictionaryDepartment=HRM - Organizational Unit +DictionaryDepartment=HRM - Tashkiliy birlik DictionaryFunction=HRM - ish joylari # Module Employees=Xodimlar @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Ko'nikma yaratilganda darajalarning standart tavsi deplacement=Shift DateEval=Baholash sanasi JobCard=Ish kartasi -JobPosition=Ish -JobsPosition=Ishlar +NewJobProfile=Yangi ish profili +JobProfile=Ish profili +JobsProfiles=Ish profillari NewSkill=Yangi mahorat SkillType=Malaka turi Skilldets=Ushbu mahorat uchun darajalar ro'yxati @@ -36,7 +37,7 @@ rank=Daraja ErrNoSkillSelected=Hech qanday mahorat tanlanmagan ErrSkillAlreadyAdded=Ushbu mahorat allaqachon ro'yxatda SkillHasNoLines=Bu mahorat hech qanday chiziqqa ega emas -skill=Malaka +Skill=Malaka Skills=Ko'nikmalar SkillCard=Malaka kartasi EmployeeSkillsUpdated=Xodimlarning malakasi yangilandi (xodimlar kartasining "Ko'nikmalar" yorlig'iga qarang) @@ -44,35 +45,38 @@ Eval=Baholash Evals=Baholar NewEval=Yangi baholash ValidateEvaluation=Baholashni tasdiqlash -ConfirmValidateEvaluation=Haqiqatan ham bu baholashni %s havolasi bilan tasdiqlamoqchimisiz? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=Baholash kartasi -RequiredRank=Ushbu ish uchun zarur daraja +RequiredRank=Ish profili uchun talab qilinadigan daraja +RequiredRankShort=Majburiy daraja +PositionsWithThisProfile=Ushbu ish profillari bilan lavozimlar EmployeeRank=Ushbu mahorat uchun xodim darajasi +EmployeeRankShort=Xodimlar darajasi EmployeePosition=Xodimning pozitsiyasi EmployeePositions=Xodimlarning lavozimlari EmployeesInThisPosition=Ushbu lavozimdagi xodimlar group1ToCompare=Tahlil qilish uchun foydalanuvchi guruhi group2ToCompare=Taqqoslash uchun ikkinchi foydalanuvchi guruhi -OrJobToCompare=Ish qobiliyatlari talablari bilan solishtiring +OrJobToCompare=Ish profilining malaka talablari bilan solishtiring difference=Farq CompetenceAcquiredByOneOrMore=Bir yoki bir nechta foydalanuvchilar tomonidan olingan, ammo ikkinchi taqqoslash tomonidan so'ralmagan vakolat -MaxlevelGreaterThan=Maksimal daraja talab qilinganidan kattaroq -MaxLevelEqualTo=Maksimal daraja bu talabga teng -MaxLevelLowerThan=Maksimal daraja bu talabdan past -MaxlevelGreaterThanShort=Xodimlar darajasi talab qilinganidan yuqori -MaxLevelEqualToShort=Xodimlar darajasi bu talabga teng -MaxLevelLowerThanShort=Xodimlar darajasi bu talabdan past +MaxlevelGreaterThan=Xodimlar darajasi kutilgan darajadan yuqori +MaxLevelEqualTo=Xodimlar darajasi kutilgan darajaga teng +MaxLevelLowerThan=Xodimlar darajasi kutilgan darajadan past +MaxlevelGreaterThanShort=Kutilganidan yuqori daraja +MaxLevelEqualToShort=Kutilgan darajaga teng daraja +MaxLevelLowerThanShort=Kutilgandan past daraja SkillNotAcquired=Ko'nikmalar hamma foydalanuvchilar tomonidan qo'lga kiritilmagan va ikkinchi taqqoslashchi tomonidan talab qilingan legend=Afsona TypeSkill=Malaka turi -AddSkill=Ishga malaka qo'shing -RequiredSkills=Ushbu ish uchun zarur bo'lgan ko'nikmalar +AddSkill=Ish profiliga ko'nikmalar qo'shing +RequiredSkills=Ushbu ish profili uchun talab qilinadigan ko'nikmalar UserRank=Foydalanuvchi darajasi SkillList=Ko'nikmalar ro'yxati SaveRank=Darajani saqlang -TypeKnowHow=Know how -TypeHowToBe=How to be -TypeKnowledge=Knowledge +TypeKnowHow=Nou-hau +TypeHowToBe=Qanday bo'lish kerak +TypeKnowledge=Bilim AbandonmentComment=Bekor qilish sharhi DateLastEval=Oxirgi baholash sanasi NoEval=Ushbu xodim uchun hech qanday baholash o'tkazilmagan @@ -85,7 +89,9 @@ VacantCheckboxHelper=Ushbu parametr belgilansa, to'ldirilmagan lavozimlar ko'rsa SaveAddSkill = Qo'shilgan malaka(lar). SaveLevelSkill = Ko'nikma(lar) darajasi saqlangan DeleteSkill = Ko'nikma olib tashlandi -SkillsExtraFields=Atributlar qo'shimchalari (Kompentsiyalar) -JobsExtraFields=Attributs supplémentaires (Emplois) -EvaluationsExtraFields=Atributlar qoʻshimchalari (baholar) -NeedBusinessTravels=Need business travels +SkillsExtraFields=Qo'shimcha atributlar (ko'nikmalar) +JobsExtraFields=Qo'shimcha atributlar (Ish profili) +EvaluationsExtraFields=Qo'shimcha atributlar (baholar) +NeedBusinessTravels=Ish safarlari kerak +NoDescription=Ta'rif yo'q +TheJobProfileHasNoSkillsDefinedFixBefore=Ushbu xodimning baholangan ish profili unda aniqlangan malakaga ega emas. Iltimos, malaka(lar)ni qo'shing, keyin o'chiring va baholashni qaytadan boshlang. diff --git a/htdocs/langs/uz_UZ/install.lang b/htdocs/langs/uz_UZ/install.lang index 1a3a0f12097..4859dfa1959 100644 --- a/htdocs/langs/uz_UZ/install.lang +++ b/htdocs/langs/uz_UZ/install.lang @@ -8,7 +8,7 @@ ConfFileIsNotWritable= %s konfiguratsiya fayli yozib bo'lmaydi. Ruxsatla ConfFileIsWritable= %s konfiguratsiya fayli yozilishi mumkin. ConfFileMustBeAFileNotADir=Konfiguratsiya fayli %s fayl bo'lishi kerak, katalog emas. ConfFileReload=Parametrlarni konfiguratsiya faylidan qayta yuklash. -NoReadableConfFileSoStartInstall=The configuration file conf/conf.php does not exists or is not readable. We will run the installation process to try to initialize it. +NoReadableConfFileSoStartInstall=conf/conf.php konfiguratsiya fayli mavjud emas yoki o‘qib bo‘lmaydi. Uni ishga tushirishga harakat qilish uchun o'rnatish jarayonini ishga tushiramiz. PHPSupportPOSTGETOk=Ushbu PHP POST va GET o'zgaruvchilarini qo'llab-quvvatlaydi. PHPSupportPOSTGETKo=PHP sozlamangiz POST va / yoki GET o'zgaruvchilarini qo'llab-quvvatlamasligi mumkin. Php.ini da variables_order parametrini tekshiring. PHPSupportSessions=Ushbu PHP sessiyalarni qo'llab-quvvatlaydi. @@ -24,11 +24,11 @@ ErrorWrongValueForParameter=Siz '%s' parametri uchun noto'g'ri qiymat yozgan bo' ErrorFailedToCreateDatabase='%s' ma'lumotlar bazasini yaratib bo'lmadi. ErrorFailedToConnectToDatabase='%s' ma'lumotlar bazasiga ulanib bo'lmadi. ErrorDatabaseVersionTooLow=Ma'lumotlar bazasi versiyasi (%s) juda eski. %s yoki undan yuqori versiyasi talab qilinadi. -ErrorPHPVersionTooLow=PHP version too old. Version %s or higher is required. -ErrorPHPVersionTooHigh=PHP version too high. Version %s or lower is required. +ErrorPHPVersionTooLow=PHP versiyasi juda eski. %s yoki undan yuqori versiya talab qilinadi. +ErrorPHPVersionTooHigh=PHP versiyasi juda yuqori. %s yoki undan pastroq versiya talab qilinadi. ErrorConnectedButDatabaseNotFound=Serverga ulanish muvaffaqiyatli bo'ldi, ammo '%s' ma'lumotlar bazasi topilmadi. ErrorDatabaseAlreadyExists='%s' ma'lumotlar bazasi allaqachon mavjud. -ErrorNoMigrationFilesFoundForParameters=No migration file found for the selected versions +ErrorNoMigrationFilesFoundForParameters=Tanlangan versiyalar uchun migratsiya fayli topilmadi IfDatabaseNotExistsGoBackAndUncheckCreate=Agar ma'lumotlar bazasi mavjud bo'lmasa, orqaga qayting va "Ma'lumotlar bazasini yaratish" bandini tekshiring. IfDatabaseExistsGoBackAndCheckCreate=Agar ma'lumotlar bazasi allaqachon mavjud bo'lsa, orqaga qayting va "Ma'lumotlar bazasini yaratish" parametrini olib tashlang. WarningBrowserTooOld=Brauzer versiyasi juda eski. Brauzeringizni Firefox, Chrome yoki Opera-ning so'nggi versiyasiga yangilash tavsiya etiladi. @@ -88,7 +88,7 @@ LoginAlreadyExists=Allaqachon mavjud DolibarrAdminLogin=Dolibarr administratori bilan kirish AdminLoginAlreadyExists=Dolibarr administrator hisobi ' %s ' allaqachon mavjud. Agar boshqasini yaratmoqchi bo'lsangiz, orqaga qayting. FailedToCreateAdminLogin=Dolibarr administratori hisobini yaratib bo'lmadi. -WarningRemoveInstallDir=Warning, for security reasons, once the installation process is complete, you must add a file called install.lock into the Dolibarr document directory in order to prevent the accidental/malicious use of the install tools again. +WarningRemoveInstallDir=Ogohlantirish, xavfsizlik nuqtai nazaridan, o'rnatish jarayoni tugallangach, install.lock nomli faylni qo'shishingiz kerak. O'rnatish vositalaridan tasodifiy/zararli foydalanishni oldini olish uchun Dolibarr hujjat katalogi. FunctionNotAvailableInThisPHP=Ushbu PHP-da mavjud emas ChoosedMigrateScript=Ko'chirish skriptini tanlang DataMigration=Ma'lumotlar bazasining ko'chishi (ma'lumotlar) @@ -129,7 +129,7 @@ MigrationCustomerOrderShipping=Savdo buyurtmalarini saqlash uchun yuklarni ko'ch MigrationShippingDelivery=Yuk tashish omborini yangilang MigrationShippingDelivery2=2. Yuk tashish omborini yangilash MigrationFinished=Migratsiya tugadi -LastStepDesc= Oxirgi qadam : Dolibarr-ga ulanish uchun foydalanmoqchi bo'lgan login va parolni aniqlang. buni yo'qotmang, chunki bu boshqa barcha / qo'shimcha foydalanuvchi hisoblarini boshqarish uchun asosiy hisob. +LastStepDesc=Oxirgi qadam: Dolibarrga ulanish uchun foydalanmoqchi bo‘lgan login va parolni shu yerda belgilang. Buni yo'qotmang, chunki u barcha boshqa/qo'shimcha foydalanuvchi hisoblarini boshqarish uchun asosiy hisob hisoblanadi. ActivateModule=%s modulini faollashtiring ShowEditTechnicalParameters=Kengaytirilgan parametrlarni ko'rsatish / tahrirlash uchun shu erni bosing (ekspert rejimi) WarningUpgrade=Ogohlantirish:\nAvval ma'lumotlar bazasini zaxira nusxasini yaratdingizmi?\nBu juda tavsiya etiladi. Ma'lumotlarni yo'qotish (masalan, 5.5.40 / 41/42/43 mysql versiyasidagi xatolar tufayli) bu jarayonda bo'lishi mumkin, shuning uchun har qanday ko'chishni boshlashdan oldin ma'lumotlar bazangizni to'liq tashlab qo'yish kerak.\n\nMigratsiya jarayonini boshlash uchun OK tugmasini bosing ... @@ -208,12 +208,12 @@ HideNotAvailableOptions=Mavjud bo'lmagan variantlarni yashirish ErrorFoundDuringMigration=Migratsiya jarayonida xato (lar) haqida xabar berilgan, shuning uchun keyingi qadam mavjud emas. Xatolarni e'tiborsiz qoldirish uchun siz tugmachasini bosishingiz mumkin, ammo xatolar echilmaguncha dastur yoki ba'zi funktsiyalar to'g'ri ishlamasligi mumkin. YouTryInstallDisabledByDirLock=Ilova o'z-o'zini yangilashga harakat qildi, lekin xavfsizlik / o'rnatish uchun sahifalar o'chirildi (katalog nomi .lock qo'shimchasi bilan o'zgartirildi).
      YouTryInstallDisabledByFileLock=Ilova o'zini o'zi yangilashga harakat qildi, lekin xavfsizlik / o'rnatish uchun sahifalar o'chirilgan (dolibarr hujjatlar katalogida install.lock blokirovka fayli mavjudligi sababli).
      -YouTryUpgradeDisabledByMissingFileUnLock=The application tried to self-upgrade, but the upgrade process is currently not allowed.
      +YouTryUpgradeDisabledByMissingFileUnLock=Ilova oʻz-oʻzini yangilashga urindi, lekin yangilash jarayoniga hozircha ruxsat berilmagan.
      ClickHereToGoToApp=Arizangizga o'tish uchun shu erni bosing ClickOnLinkOrRemoveManualy=Agar yangilanish davom etayotgan bo'lsa, iltimos, kuting. Agar yo'q bo'lsa, quyidagi havolani bosing. Agar siz doimo shu sahifani ko'rsangiz, hujjatlar katalogidagi install.lock faylini olib tashlashingiz yoki nomini o'zgartirishingiz kerak. -ClickOnLinkOrCreateUnlockFileManualy=If an upgrade is in progress, please wait... If not, you must create a file upgrade.unlock into the Dolibarr documents directory. +ClickOnLinkOrCreateUnlockFileManualy=Agar yangilanish davom etayotgan bo'lsa, kuting... Agar yo'q bo'lsa, install.lock faylini olib tashlashingiz yoki Dolibarr hujjatlari katalogiga upgrade.unlock faylini yaratishingiz kerak. Loaded=Yuklandi FunctionTest=Funktsiya sinovi -NodoUpgradeAfterDB=No action requested by external modules after upgrade of database -NodoUpgradeAfterFiles=No action requested by external modules after upgrade of files or directories -MigrationContractLineRank=Migrate Contract Line to use Rank (and enable Reorder) +NodoUpgradeAfterDB=Ma'lumotlar bazasini yangilashdan keyin tashqi modullar tomonidan hech qanday harakat talab qilinmaydi +NodoUpgradeAfterFiles=Fayllar yoki kataloglarni yangilashdan keyin tashqi modullar tomonidan hech qanday harakat talab qilinmaydi +MigrationContractLineRank=Rankdan foydalanish uchun kontrakt liniyasini ko'chiring (va Qayta tartibni yoqing) diff --git a/htdocs/langs/uz_UZ/interventions.lang b/htdocs/langs/uz_UZ/interventions.lang index 85fedccac39..7207d67cf36 100644 --- a/htdocs/langs/uz_UZ/interventions.lang +++ b/htdocs/langs/uz_UZ/interventions.lang @@ -14,10 +14,12 @@ InterventionContact=Interventsiya aloqasi DeleteIntervention=Aralashuvni o'chirib tashlang ValidateIntervention=Aralashuvni tasdiqlang ModifyIntervention=Aralashuvni o'zgartiring +CloseIntervention=Yaqin aralashuv DeleteInterventionLine=Intervensiya chizig'ini o'chirish ConfirmDeleteIntervention=Ushbu aralashuvni o'chirishni xohlaysizmi? ConfirmValidateIntervention=Ushbu aralashuvni %s nomi bilan tasdiqlamoqchimisiz? ConfirmModifyIntervention=Ushbu aralashuvni o'zgartirmoqchi ekanligingizga aminmisiz? +ConfirmCloseIntervention=Haqiqatan ham bu aralashuvni yopmoqchimisiz? ConfirmDeleteInterventionLine=Ushbu aralashuv satrini o'chirishni xohlaysizmi? ConfirmCloneIntervention=Ushbu aralashuvni klonlamoqchimisiz? NameAndSignatureOfInternalContact=Aralashuvning nomi va imzosi: @@ -36,6 +38,7 @@ InterventionModifiedInDolibarr=%s aralashuvi o'zgartirildi InterventionClassifiedBilledInDolibarr=%s aralashuvi hisob-kitob sifatida o'rnatildi InterventionClassifiedUnbilledInDolibarr=%s aralashuvi to'lanmagan deb belgilandi InterventionSentByEMail=Elektron pochta orqali yuborilgan aralashuv %s +InterventionClosedInDolibarr= Intervensiya %s yopildi InterventionDeletedInDolibarr=%s aralashuvi o'chirildi InterventionsArea=Intervensiyalar maydoni DraftFichinter=Aralashmalarning loyihasi @@ -50,7 +53,7 @@ UseDateWithoutHourOnFichinter=Interventsiya yozuvlari uchun sana maydonidan tash InterventionStatistics=Ta'sirlarning statistikasi NbOfinterventions=Interventsiya kartalari soni NumberOfInterventionsByMonth=Oy bo'yicha aralashuv kartalarining soni (tasdiqlangan sana) -AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. +AmountOfInteventionNotIncludedByDefault=Interventsiya miqdori sukut bo'yicha foydaga kiritilmaydi (ko'p hollarda vaqt jadvallari sarflangan vaqtni hisoblash uchun ishlatiladi). Daromadga kiritilgan elementlar roʻyxatini toʻldirish uchun siz PROJECT_ELEMENTS_FOR_ADD_MARGIN va PROJECT_ELEMENTS_FOR_MINUS_MARGIN opsiyalarini uy-sozlash-boshqaga ishlatishingiz mumkin. InterId=Interferentsiya id InterRef=Aralashish ref. InterDateCreation=Sana yaratishga aralashish @@ -68,5 +71,5 @@ ConfirmReopenIntervention=Siz aralashuvni qayta ochishni xohlaysizmi %s GenerateInter=Interventsiya yarating FichinterNoContractLinked=Intervention %s bog'langan shartnomasiz yaratilgan. ErrorFicheinterCompanyDoesNotExist=Kompaniya mavjud emas. Intervensiya yaratilmagan. -NextDateToIntervention=Date for next intervention generation -NoIntervention=No intervention +NextDateToIntervention=Keyingi aralashuv avlodi uchun sana +NoIntervention=Hech qanday aralashuv diff --git a/htdocs/langs/uz_UZ/knowledgemanagement.lang b/htdocs/langs/uz_UZ/knowledgemanagement.lang index 8311d8e14c7..c21ae1cd17a 100644 --- a/htdocs/langs/uz_UZ/knowledgemanagement.lang +++ b/htdocs/langs/uz_UZ/knowledgemanagement.lang @@ -39,6 +39,7 @@ KnowledgeManagementAboutPage = Sahifadagi bilimlarni boshqarish KnowledgeManagementArea = Bilimlarni boshqarish MenuKnowledgeRecord = Bilimlar bazasi +MenuKnowledgeRecordShort = Bilim bazasi ListKnowledgeRecord = Maqolalar ro'yxati NewKnowledgeRecord = Yangi maqola ValidateReply = Eritmani tasdiqlang @@ -46,9 +47,15 @@ KnowledgeRecords = Maqolalar KnowledgeRecord = Maqola KnowledgeRecordExtraFields = Maqola uchun qo'shimcha joylar GroupOfTicket=Chiptalar guruhi -YouCanLinkArticleToATicketCategory=You can link the article to a ticket group (so the article will be highlighted on any tickets in this group) -SuggestedForTicketsInGroup=Guruh bo'lganda chiptalar taklif etiladi +YouCanLinkArticleToATicketCategory=Siz maqolani chiptalar guruhiga bog'lashingiz mumkin (shuning uchun maqola ushbu guruhdagi har qanday chiptalarda ajratib ko'rsatiladi) +SuggestedForTicketsInGroup=Chipta yaratish bo'yicha tavsiya etiladi SetObsolete=Eskirgan deb belgilang ConfirmCloseKM=Ushbu maqolaning yopilishini eskirgan deb tasdiqlaysizmi? ConfirmReopenKM=Ushbu maqolani "Tasdiqlangan" holatiga qaytarmoqchimisiz? +BoxLastKnowledgerecordDescription=Oxirgi %s maqolalar +BoxLastKnowledgerecord=Oxirgi maqolalar +BoxLastKnowledgerecordContent=Oxirgi maqolalar +BoxLastKnowledgerecordModifiedContent=Oxirgi tahrirlangan maqolalar +BoxLastModifiedKnowledgerecordDescription=Oxirgi %s tahrirlangan maqolalar +BoxLastModifiedKnowledgerecord=Oxirgi tahrirlangan maqolalar diff --git a/htdocs/langs/uz_UZ/languages.lang b/htdocs/langs/uz_UZ/languages.lang index c96cf4a4630..f7dfef334be 100644 --- a/htdocs/langs/uz_UZ/languages.lang +++ b/htdocs/langs/uz_UZ/languages.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - languages Language_am_ET=Efiopiya -Language_af_ZA=Afrikaans (South Africa) +Language_af_ZA=Afrikaans (Janubiy Afrika) +Language_en_AE=Arab (Birlashgan Arab Amirliklari) Language_ar_AR=Arabcha Language_ar_DZ=Arab (Jazoir) Language_ar_EG=Arab (Misr) Language_ar_JO=Arab (Iordaniya) Language_ar_MA=Arabcha (Maroko) -Language_ar_SA=Arabcha +Language_ar_SA=Arab (Saudiya Arabistoni) Language_ar_TN=Arab (Tunis) Language_ar_IQ=Arab (Iroq) Language_as_IN=Assam @@ -14,7 +15,7 @@ Language_az_AZ=Ozarbayjon Language_bn_BD=Bengal tili Language_bn_IN=Bengal (Hindiston) Language_bg_BG=Bolgar -Language_bo_CN=Tibetan +Language_bo_CN=tibet Language_bs_BA=Bosniya Language_ca_ES=Kataloniya Language_cs_CZ=Chex @@ -24,27 +25,27 @@ Language_da_DK=Daniya Language_de_DE=Nemis Language_de_AT=Nemis (Avstriya) Language_de_CH=Nemis (Shveytsariya) -Language_de_LU=German (Luxembourg) +Language_de_LU=Nemis (Lyuksemburg) Language_el_GR=Yunoncha Language_el_CY=Yunon (Kipr) -Language_en_AE=Ingliz (Birlashgan Arab Amirliklari) +Language_en_AE=Arab (Birlashgan Arab Amirliklari) Language_en_AU=Ingliz (Avstraliya) Language_en_CA=Ingliz (Kanada) Language_en_GB=Ingliz (Buyuk Britaniya) Language_en_IN=Ingliz (Hindiston) -Language_en_MY=English (Myanmar) +Language_en_MY=Ingliz (Myanma) Language_en_NZ=Ingliz (Yangi Zelandiya) Language_en_SA=Ingliz tili (Saudiya Arabistoni) Language_en_SG=Ingliz (Singapur) Language_en_US=Ingliz (Amerika Qo'shma Shtatlari) Language_en_ZA=Ingliz (Janubiy Afrika) -Language_en_ZW=English (Zimbabwe) +Language_en_ZW=Ingliz (Zimbabve) Language_es_ES=Ispaniya Language_es_AR=Ispaniya (Argentina) Language_es_BO=Ispan (Boliviya) Language_es_CL=Ispan (Chili) Language_es_CO=Ispan (Kolumbiya) -Language_es_CR=Spanish (Costa Rica) +Language_es_CR=Ispan (Kosta-Rika) Language_es_DO=Ispaniya (Dominik Respublikasi) Language_es_EC=Ispan (Ekvador) Language_es_GT=Ispan (Gvatemala) @@ -99,7 +100,7 @@ Language_nl_BE=Golland (Belgiya) Language_nl_NL=Golland Language_pl_PL=Polsha Language_pt_AO=Portugal (Angola) -Language_pt_MZ=Portuguese (Mozambique) +Language_pt_MZ=Portugal (Mozambik) Language_pt_BR=Portugal (Braziliya) Language_pt_PT=Portugal Language_ro_MD=Rumin (Moldaviya) @@ -115,7 +116,7 @@ Language_sv_SE=Shved Language_sq_AL=Albancha Language_sk_SK=Slovakiya Language_sr_RS=Serb -Language_sw_KE=Swahili +Language_sw_KE=suahili Language_sw_SW=Kisvaxili Language_th_TH=Tailandcha Language_uk_UA=Ukrain @@ -123,6 +124,6 @@ Language_ur_PK=urdu Language_uz_UZ=O'zbek Language_vi_VN=Vetnam Language_zh_CN=Xitoy -Language_zh_TW=Chinese (Taiwan) +Language_zh_TW=Xitoy (Tayvan) Language_zh_HK=Xitoy (Gonkong) Language_bh_MY=Malaycha diff --git a/htdocs/langs/uz_UZ/ldap.lang b/htdocs/langs/uz_UZ/ldap.lang index 5a467afc145..a6a5164e070 100644 --- a/htdocs/langs/uz_UZ/ldap.lang +++ b/htdocs/langs/uz_UZ/ldap.lang @@ -29,3 +29,5 @@ LDAPPasswordHashType=Parol xesh turi LDAPPasswordHashTypeExample=Serverda ishlatiladigan parol xesh turi SupportedForLDAPExportScriptOnly=Faqat ldap eksport skripti tomonidan quvvatlanadi SupportedForLDAPImportScriptOnly=Faqat ldap import skripti tomonidan qo'llab-quvvatlanadi +LDAPUserAccountControl = Yaratishda userAccountControl (faol katalog) +LDAPUserAccountControlExample = 512 Oddiy hisob / 546 Oddiy hisob + Passwd yo'q + O'chirilgan (qarang: https://fr.wikipedia.org/wiki/Active_Directory) diff --git a/htdocs/langs/uz_UZ/loan.lang b/htdocs/langs/uz_UZ/loan.lang index 6170dfea12c..80c7cffa34b 100644 --- a/htdocs/langs/uz_UZ/loan.lang +++ b/htdocs/langs/uz_UZ/loan.lang @@ -23,12 +23,12 @@ AddLoan=Kredit yaratish FinancialCommitment=Moliyaviy majburiyat InterestAmount=Qiziqish CapitalRemain=Kapital qoladi -TermPaidAllreadyPaid = Ushbu muddat allaqachon to'langan -CantUseScheduleWithLoanStartedToPaid = Can't generate a timeline for a loan with a payment started +TermPaidAllreadyPaid = Bu muddat allaqachon to'langan +CantUseScheduleWithLoanStartedToPaid = Toʻlov boshlangan kredit uchun vaqt jadvalini yaratib boʻlmadi CantModifyInterestIfScheduleIsUsed = Agar jadvaldan foydalansangiz, foizlarni o'zgartira olmaysiz # Admin ConfigLoan=Modulli kreditni sozlash -LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Account (from the Chart Of Account) to be used by default for capital (Loan module) -LOAN_ACCOUNTING_ACCOUNT_INTEREST=Account (from the Chart Of Account) to be used by default for interest (Loan module) -LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Account (from the Chart Of Account) to be used by default for insurance (Loan module) +LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Kapital uchun sukut bo'yicha foydalaniladigan hisob (hisob jadvalidan) (qarz moduli) +LOAN_ACCOUNTING_ACCOUNT_INTEREST=Foizlar uchun sukut bo'yicha foydalaniladigan hisob (Hisob jadvalidan) (qarz moduli) +LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Sug'urtalash uchun sukut bo'yicha foydalaniladigan hisob (hisob jadvalidan) (qarz moduli) CreateCalcSchedule=Moliyaviy majburiyatni tahrirlash diff --git a/htdocs/langs/uz_UZ/mailmanspip.lang b/htdocs/langs/uz_UZ/mailmanspip.lang index 4465f2e4267..4a472b2fdd2 100644 --- a/htdocs/langs/uz_UZ/mailmanspip.lang +++ b/htdocs/langs/uz_UZ/mailmanspip.lang @@ -7,7 +7,7 @@ MailmanCreationSuccess=Obuna testi muvaffaqiyatli bajarildi MailmanDeletionSuccess=Obunani bekor qilish testi muvaffaqiyatli bajarildi SynchroMailManEnabled=Pochta xizmatining yangilanishi amalga oshiriladi SynchroSpipEnabled=Spip yangilanishi amalga oshiriladi -DescADHERENT_MAILMAN_ADMIN_PASSWORD=Mailman administrator password +DescADHERENT_MAILMAN_ADMIN_PASSWORD=Pochtachi administrator paroli DescADHERENT_MAILMAN_URL=Pochtachi obunalari uchun URL manzili DescADHERENT_MAILMAN_UNSUB_URL=Pochtachi obunalarini bekor qilish uchun URL manzili DescADHERENT_MAILMAN_LISTS=Yangi a'zolarni avtomatik ravishda yozish uchun ro'yxat (lar) (vergul bilan ajratilgan) diff --git a/htdocs/langs/uz_UZ/mails.lang b/htdocs/langs/uz_UZ/mails.lang index 9b98b43b5de..ad949a50c71 100644 --- a/htdocs/langs/uz_UZ/mails.lang +++ b/htdocs/langs/uz_UZ/mails.lang @@ -7,10 +7,10 @@ MailCard=Elektron pochta kartasi MailRecipients=Qabul qiluvchilar MailRecipient=Qabul qiluvchi MailTitle=Tavsif -MailFrom=From +MailFrom=Kimdan MailErrorsTo=Xatolar MailReply=Ga javob -MailTo=To +MailTo=Kimga MailToUsers=Foydalanuvchi (lar) ga MailCC=Nusxalash MailToCCUsers=Foydalanuvchilar (lar) ga nusxalash @@ -91,9 +91,9 @@ MailingModuleDescContactsByFunction=Kontaktlar joylashuvi bo'yicha MailingModuleDescEmailsFromFile=Fayldan elektron pochta xabarlari MailingModuleDescEmailsFromUser=Foydalanuvchi tomonidan kiritilgan elektron pochta xabarlari MailingModuleDescDolibarrUsers=Elektron pochta xabarlari bo'lgan foydalanuvchilar -MailingModuleDescThirdPartiesByCategories=Third parties +MailingModuleDescThirdPartiesByCategories=Uchinchi shaxslar SendingFromWebInterfaceIsNotAllowed=Veb-interfeysdan yuborishga yo'l qo'yilmaydi. -EmailCollectorFilterDesc=All filters must match to have an email being collected.
      You can use the character "!" before the search string value if you need a negative test +EmailCollectorFilterDesc=Email to‘planishi uchun barcha filtrlar mos kelishi kerak.
      Siz “!” belgisidan foydalanishingiz mumkin. Agar salbiy test kerak bo'lsa, qidiruv satri qiymatidan oldin # Libelle des modules de liste de destinataires mailing LineInFile=Faylda %s qatori @@ -178,9 +178,9 @@ IsAnAnswer=Dastlabki elektron pochtaning javobi RecordCreatedByEmailCollector=%s elektron pochtasidan elektron pochta yig'uvchisi %s tomonidan yaratilgan yozuv DefaultBlacklistMailingStatus=Yangi kontakt yaratishda "%s" maydonining standart qiymati DefaultStatusEmptyMandatory=Bo'sh, ammo majburiy -WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. -NoMoreRecipientToSendTo=No more recipient to send the email to -EmailOptedOut=Email owner has requested to not contact him with this email anymore -EvenUnsubscribe=Include opt-out emails -EvenUnsubscribeDesc=Include opt-out emails when you select emails as targets. Usefull for mandatory service emails for example. -XEmailsDoneYActionsDone=%s emails pre-qualified, %s emails successfully processed (for %s record/actions done) +WarningLimitSendByDay=OGOHLANTIRISH: Namunangizni sozlash yoki shartnomasi kunlik xatlar soningizni %s. Koʻproq yuborishga urinish misolingiz sekinlashishiga yoki toʻxtatilishiga olib kelishi mumkin. Agar sizga kattaroq kvota kerak bo'lsa, qo'llab-quvvatlash xizmatiga murojaat qiling. +NoMoreRecipientToSendTo=E-pochtani yuborish uchun boshqa qabul qiluvchi yo'q +EmailOptedOut=E-pochta egasi u bilan endi bu xat orqali bog‘lanmaslikni so‘radi +EvenUnsubscribe=O'chirish xatlarini ham qo'shing +EvenUnsubscribeDesc=Maqsad sifatida elektron pochta xabarlarini tanlaganingizda, rad etish xatlarini qo'shing. Masalan, majburiy elektron pochta xabarlari uchun foydalidir. +XEmailsDoneYActionsDone=%s e-pochta xatlari oldindan malakali, %s xatlar muvaffaqiyatli qayta ishlandi (%s uchun) /bajarilgan harakatlar) diff --git a/htdocs/langs/uz_UZ/main.lang b/htdocs/langs/uz_UZ/main.lang index 0291dfee611..b540acb2fb6 100644 --- a/htdocs/langs/uz_UZ/main.lang +++ b/htdocs/langs/uz_UZ/main.lang @@ -20,7 +20,7 @@ FormatDateShortJava=dd.MM.yyyy FormatDateShortJavaInput=dd.MM.yyyy FormatDateShortJQuery=dd.mm.yy FormatDateShortJQueryInput=dd.mm.yy -FormatHourShortJQuery=HH: MI +FormatHourShortJQuery=HH:MI FormatHourShort=%H:%M FormatHourShortDuration=%H:%M FormatDateTextShort=%d %b %Y @@ -34,7 +34,7 @@ NoTemplateDefined=Ushbu elektron pochta turi uchun shablon mavjud emas AvailableVariables=Mavjud almashtirish o'zgaruvchilari NoTranslation=Tarjima yo'q Translation=Tarjima -Translations=Translations +Translations=Tarjimalar CurrentTimeZone=TimeZone PHP (server) EmptySearchString=Bo'sh bo'lmagan qidiruv mezonlarini kiriting EnterADateCriteria=Sana mezonlarini kiriting @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Pochta yuborilmadi (jo'natuvchi = %s, qabul qiluvchi = %s) ErrorFileNotUploaded=Fayl yuklanmadi. Hajmi ruxsat etilgan maksimal qiymatdan oshmaganligini, diskda bo'sh joy mavjudligini va ushbu katalogda bir xil nomdagi fayl mavjud emasligini tekshiring. ErrorInternalErrorDetected=Xato aniqlandi ErrorWrongHostParameter=Xost parametri noto'g'ri -ErrorYourCountryIsNotDefined=Sizning mamlakatingiz aniqlanmagan. Home-Setup-Edit-ga o'ting va formani qayta joylashtiring. +ErrorYourCountryIsNotDefined=Mamlakatingiz aniqlanmagan. Home-Setup-Company/Foundation-ga o'ting va shaklni qayta joylashtiring. ErrorRecordIsUsedByChild=Ushbu yozuv o'chirilmadi. Ushbu yozuvdan kamida bitta bolalar yozuvlari foydalanadi. ErrorWrongValue=Noto'g'ri qiymat ErrorWrongValueForParameterX=%s parametri uchun noto'g'ri qiymat @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Xato, '%s' mamlakati uchun QQS stavkalari ErrorNoSocialContributionForSellerCountry=Xato, '%s' mamlakati uchun ijtimoiy / soliq soliqlari turi aniqlanmagan. ErrorFailedToSaveFile=Xato, faylni saqlab bo'lmadi. ErrorCannotAddThisParentWarehouse=Siz allaqachon mavjud bo'lgan omborning farzandi bo'lgan ota-ona omborini qo'shishga harakat qilyapsiz +ErrorInvalidSubtype=Tanlangan pastki turga ruxsat berilmagan FieldCannotBeNegative="%s" maydoni salbiy bo'lishi mumkin emas MaxNbOfRecordPerPage=Maks. bir varaqdagi yozuvlar soni NotAuthorized=Buning uchun sizning vakolatingiz yo'q. @@ -103,7 +104,8 @@ RecordGenerated=Yozuv yaratildi LevelOfFeature=Xususiyatlar darajasi NotDefined=Belgilanmagan DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr autentifikatsiya qilish rejimi conf.php konfiguratsiya faylida %s ga o'rnatildi.
      bu shuni anglatadiki, parol ma'lumotlar bazasi Dolibarr uchun tashqi, shuning uchun bu maydonni o'zgartirish hech qanday ta'sir ko'rsatmasligi mumkin. -Administrator=Ma'mur +Administrator=Tizim administratori +AdministratorDesc=Tizim administratori (foydalanuvchini, ruxsatlarni, shuningdek tizimni sozlash va modullar konfiguratsiyasini boshqarishi mumkin) Undefined=Aniqlanmagan PasswordForgotten=Parol unutdingizmi? NoAccount=Hisob yo'qmi? @@ -204,15 +206,15 @@ Valid=Yaroqli Approve=Tasdiqlash Disapprove=Tasdiqlamayman ReOpen=Qayta oching -OpenVerb=Open +OpenVerb=Ochiq Upload=Yuklash ToLink=Havola Select=Tanlang SelectAll=Hammasini belgilash Choose=Tanlang Resize=O'lchamini o'zgartirish +Crop=Ekin ResizeOrCrop=O'lchamini o'zgartirish yoki kesish -Recenter=Keyingi Author=Muallif User=Foydalanuvchi Users=Foydalanuvchilar @@ -222,9 +224,9 @@ UserGroup=Foydalanuvchilar guruhi UserGroups=Foydalanuvchi guruhlari NoUserGroupDefined=Hech qanday foydalanuvchi guruhi aniqlanmagan Password=Parol -PasswordRetype=Repeat your password +PasswordRetype=Parolingizni takrorlang NoteSomeFeaturesAreDisabled=Ushbu namoyishda ko'plab funktsiyalar / modullar o'chirilganligini unutmang. -YourUserFile=Your user file +YourUserFile=Sizning foydalanuvchi faylingiz Name=Ism NameSlashCompany=Ism / kompaniya Person=Shaxs @@ -235,6 +237,8 @@ PersonalValue=Shaxsiy qiymat NewObject=Yangi %s NewValue=Yangi qiymat OldValue=Eski qiymat %s +FieldXModified=%s maydoni o‘zgartirildi +FieldXModifiedFromYToZ=%s maydoni %s dan %s ga o‘zgartirildi CurrentValue=Joriy qiymat Code=Kod Type=Turi @@ -310,8 +314,8 @@ UserValidation=Tasdiqlash foydalanuvchisi UserCreationShort=Yaratuvchi. foydalanuvchi UserModificationShort=Modif. foydalanuvchi UserValidationShort=Yaroqli. foydalanuvchi -UserClosing=Closing user -UserClosingShort=Closing user +UserClosing=Foydalanuvchini yopish +UserClosingShort=Foydalanuvchini yopish DurationYear=yil DurationMonth=oy DurationWeek=hafta @@ -346,6 +350,7 @@ MonthOfDay=Kunning oyi DaysOfWeek=Haftaning kunlari HourShort=H MinuteShort=mn +SecondShort=sek Rate=Tezlik CurrencyRate=Valyutani konvertatsiya qilish darajasi UseLocalTax=Soliqni kiriting @@ -354,7 +359,7 @@ KiloBytes=Kilobayt MegaBytes=Megabayt GigaBytes=Gigabayt TeraBytes=Terabayt -UserAuthor=Created by +UserAuthor=Tomonidan yaratilgan UserModif=Tomonidan yangilangan b=b. Kb=Kb @@ -441,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Qo'shimcha sentlar +LT1GC=Qo'shimcha sent VATRate=Soliq stavkasi RateOfTaxN=%s soliq stavkasi VATCode=Soliq stavkasi kodi @@ -490,7 +495,7 @@ ActionsOnContact=Ushbu aloqa / manzil uchun tadbirlar ActionsOnContract=Ushbu shartnoma bo'yicha tadbirlar ActionsOnMember=Ushbu a'zo haqidagi tadbirlar ActionsOnProduct=Ushbu mahsulot haqidagi tadbirlar -ActionsOnAsset=Events for this fixed asset +ActionsOnAsset=Ushbu asosiy vosita uchun hodisalar NActionsLate=%s kech ToDo=Qilmoq Completed=Bajarildi @@ -514,7 +519,7 @@ NotYetAvailable=Hali mavjud emas NotAvailable=Mavjud emas Categories=Teglar / toifalar Category=Tag / kategoriya -SelectTheTagsToAssign=Select the tags/categories to assign +SelectTheTagsToAssign=Belgilash uchun teglar/toifalarni tanlang By=By From=Kimdan FromDate=Kimdan @@ -544,6 +549,7 @@ Reportings=Hisobot berish Draft=Qoralama Drafts=Qoralamalar StatusInterInvoiced=Hisob-faktura +Done=Bajarildi Validated=Tasdiqlangan ValidatedToProduce=Tasdiqlangan (ishlab chiqarish uchun) Opened=Ochiq @@ -555,6 +561,7 @@ Unknown=Noma'lum General=Umumiy Size=Hajmi OriginalSize=Asl o'lcham +RotateImage=90° aylantiring Received=Qabul qildi Paid=To'langan Topic=Mavzu @@ -694,6 +701,7 @@ Response=Javob Priority=Afzallik SendByMail=Elektron pochta orqali yuboring MailSentBy=Elektron pochta orqali yuborilgan +MailSentByTo=%s tomonidan %s manziliga xat yuborildi NotSent=Yuborilmadi TextUsedInTheMessageBody=Elektron pochta qutisi SendAcknowledgementByMail=Tasdiqlovchi elektron pochta xabarini yuboring @@ -718,12 +726,13 @@ RecordModifiedSuccessfully=Yozuv muvaffaqiyatli o'zgartirildi RecordsModified=%s yozuvlari o'zgartirildi RecordsDeleted=%s yozuvlari o'chirildi RecordsGenerated=%s yozuvlari yaratildi +ValidatedRecordWhereFound = Tanlangan yozuvlarning ba'zilari allaqachon tasdiqlangan. Hech qanday yozuv o'chirilmagan. AutomaticCode=Avtomatik kod FeatureDisabled=Funktsiya o'chirilgan MoveBox=Vidjetni ko'chirish Offered=Taklif qilingan NotEnoughPermissions=Sizda bu harakat uchun ruxsat yo'q -UserNotInHierachy=This action is reserved to the supervisors of this user +UserNotInHierachy=Ushbu harakat ushbu foydalanuvchining nazoratchilariga tegishli SessionName=Sessiya nomi Method=Usul Receive=Qabul qiling @@ -760,11 +769,10 @@ DisabledModules=O'chirilgan modullar For=Uchun ForCustomer=Mijoz uchun Signature=Imzo -DateOfSignature=Imzo qo'yilgan sana HidePassword=Parolni yashirgan holda buyruqni ko'rsatish UnHidePassword=Haqiqiy buyruqni aniq parol bilan ko'rsating Root=Ildiz -RootOfMedias=Ommaviy medianing ildizi (/ medias) +RootOfMedias=Ommaviy axborot vositalarining ildizi (/medias) Informations=Ma `lumot Page=Sahifa Notes=Izohlar @@ -813,7 +821,7 @@ URLPhoto=Surat / logotipning URL manzili SetLinkToAnotherThirdParty=Boshqa uchinchi tomon bilan bog'lanish LinkTo=Ga havola LinkToProposal=Taklifga havola -LinkToExpedition= Link to expedition +LinkToExpedition= Ekspeditsiyaga havola LinkToOrder=Buyurtma uchun havola LinkToInvoice=Hisob-fakturaga havola LinkToTemplateInvoice=Shablon hisob-fakturasiga havola @@ -899,12 +907,12 @@ MassFilesArea=Ommaviy harakatlar bilan qurilgan fayllar maydoni ShowTempMassFilesArea=Ommaviy harakatlar bilan qurilgan fayllar maydonini ko'rsating ConfirmMassDeletion=Ommaviy o'chirishni tasdiqlash ConfirmMassDeletionQuestion=Siz tanlagan %s yozuvlarini o'chirishni xohlaysizmi? -ConfirmMassClone=Bulk clone confirmation -ConfirmMassCloneQuestion=Select project to clone to -ConfirmMassCloneToOneProject=Clone to project %s +ConfirmMassClone=Ommaviy klonni tasdiqlash +ConfirmMassCloneQuestion=Klonlash uchun loyihani tanlang +ConfirmMassCloneToOneProject=%s loyihasiga klonlash RelatedObjects=Tegishli ob'ektlar -ClassifyBilled=Classify Billed -ClassifyUnbilled=Classify Unbilled +ClassifyBilled=To'lovlarni tasniflash +ClassifyUnbilled=To'lanmaganlarni tasniflash Progress=Taraqqiyot ProgressShort=Progr. FrontOffice=Old ofis @@ -912,19 +920,20 @@ BackOffice=Orqa ofis Submit=Yuborish View=Ko'rinish Export=Export +Import=Import Exports=Exports ExportFilteredList=Filtrlangan ro'yxatni eksport qilish ExportList=Eksport ro'yxati ExportOptions=Eksport parametrlari IncludeDocsAlreadyExported=Allaqachon eksport qilingan hujjatlarni qo'shib qo'ying -ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and will be exported -ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported +ExportOfPiecesAlreadyExportedIsEnable=Eksport qilingan hujjatlar ko'rinadi va eksport qilinadi +ExportOfPiecesAlreadyExportedIsDisable=Allaqachon eksport qilingan hujjatlar yashirin va eksport qilinmaydi AllExportedMovementsWereRecordedAsExported=Eksport qilingan barcha harakatlar eksport sifatida qayd etildi NotAllExportedMovementsCouldBeRecordedAsExported=Barcha eksport qilingan harakatlarni eksport sifatida qayd etish mumkin emas Miscellaneous=Turli xil Calendar=Taqvim GroupBy=Guruh bo'yicha ... -GroupByX=Group by %s +GroupByX=%s boʻyicha guruhlash ViewFlatList=Yassi ro'yxatni ko'rish ViewAccountList=Hisob kitobini ko'rish ViewSubAccountList=Hisob osti daftarini ko'rish @@ -936,7 +945,7 @@ DirectDownloadInternalLink=Shaxsiy yuklab olish havolasi PrivateDownloadLinkDesc=Siz tizimga kirishingiz kerak va faylni ko'rish yoki yuklab olish uchun sizga ruxsat kerak Download=Yuklash DownloadDocument=Hujjatni yuklab oling -DownloadSignedDocument=Download signed document +DownloadSignedDocument=Imzolangan hujjatni yuklab oling ActualizeCurrency=Valyuta kursini yangilang Fiscalyear=Moliyaviy yil ModuleBuilder=Modul va dastur yaratuvchisi @@ -945,7 +954,7 @@ BulkActions=Ommaviy harakatlar ClickToShowHelp=Maslahatlar bo'yicha yordamni ko'rsatish uchun bosing WebSite=Veb-sayt WebSites=Veb-saytlar -WebSiteAccounts=Veb-sayt qayd yozuvlari +WebSiteAccounts=Internetga kirish hisoblari ExpenseReport=Xarajatlar to'g'risida hisobot ExpenseReports=Xarajatlar bo'yicha hisobotlar HR=Kadrlar @@ -1062,7 +1071,7 @@ SearchIntoContracts=Shartnomalar SearchIntoCustomerShipments=Mijozlar jo'natmalari SearchIntoExpenseReports=Xarajatlar bo'yicha hisobotlar SearchIntoLeaves=Keting -SearchIntoKM=Knowledge base +SearchIntoKM=Bilim bazasi SearchIntoTickets=Chiptalar SearchIntoCustomerPayments=Mijozlar uchun to'lovlar SearchIntoVendorPayments=Sotuvchi uchun to'lovlar @@ -1073,6 +1082,7 @@ CommentPage=Fikrlar maydoni CommentAdded=Fikr qo'shildi CommentDeleted=Fikr o'chirildi Everybody=Hamma +EverybodySmall=Hamma PayedBy=To'langan PayedTo=To'langan Monthly=Oylik @@ -1085,7 +1095,7 @@ KeyboardShortcut=Klaviatura yorlig'i AssignedTo=Tayinlangan Deletedraft=Qoralamani o'chirish ConfirmMassDraftDeletion=Ommaviy o'chirishni tasdiqlash loyihasi -FileSharedViaALink=Fayl umumiy havola bilan baham ko'rildi +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Avval uchinchi tomonni tanlang ... YouAreCurrentlyInSandboxMode=Siz hozirda %s "sandbox" rejimidasiz Inventory=Inventarizatsiya @@ -1119,7 +1129,7 @@ ContactDefault_project_task=Vazifa ContactDefault_propal=Taklif ContactDefault_supplier_proposal=Ta'minlovchining taklifi ContactDefault_ticket=Chipta -ContactAddedAutomatically=Kontakt uchinchi tomon rollaridan qo'shilgan aloqa +ContactAddedAutomatically=Uchinchi tomon kontakt rollaridan qo‘shilgan kontakt More=Ko'proq ShowDetails=Tafsilotlarni ko'rsatish CustomReports=Maxsus hisobotlar @@ -1134,7 +1144,7 @@ DeleteFileText=Haqiqatan ham ushbu faylni o'chirishni xohlaysizmi? ShowOtherLanguages=Boshqa tillarni ko'rsatish SwitchInEditModeToAddTranslation=Ushbu til uchun tarjimalarni qo'shish uchun tahrirlash rejimiga o'ting NotUsedForThisCustomer=Ushbu mijoz uchun ishlatilmaydi -NotUsedForThisVendor=Not used for this vendor +NotUsedForThisVendor=Bu sotuvchi uchun ishlatilmaydi AmountMustBePositive=Miqdor ijobiy bo'lishi kerak ByStatus=Holati bo'yicha InformationMessage=Ma `lumot @@ -1155,29 +1165,29 @@ EventReminder=Voqealar to'g'risida eslatma UpdateForAllLines=Barcha satrlar uchun yangilash OnHold=Ushlab qolingan Civility=Fuqarolik -AffectTag=Assign a Tag -AffectUser=Assign a User -SetSupervisor=Set the supervisor +AffectTag=Teg belgilang +AffectUser=Foydalanuvchi tayinlash +SetSupervisor=Nazoratchini o'rnating CreateExternalUser=Tashqi foydalanuvchini yarating -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) -ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? +ConfirmAffectTag=Ommaviy teg tayinlash +ConfirmAffectUser=Ommaviy foydalanuvchi tayinlash +ProjectRole=Har bir loyiha/imkoniyatda tayinlangan rol +TasksRole=Har bir vazifaga tayinlangan rol (agar foydalanilsa) +ConfirmSetSupervisor=Ommaviy nazoratchi to'plami +ConfirmUpdatePrice=Narxni oshirish/pasaytirish stavkasini tanlang +ConfirmAffectTagQuestion=Haqiqatan ham %s tanlangan yozuv(lar)ga teg belgilashni xohlaysizmi? +ConfirmAffectUserQuestion=Haqiqatan ham %s tanlangan yozuv(lar)ga foydalanuvchilarni tayinlashni xohlaysizmi? +ConfirmSetSupervisorQuestion=Haqiqatan ham tanlangan yozuv(lar)ga %s nazoratchi o‘rnatmoqchimisiz? +ConfirmUpdatePriceQuestion=Haqiqatan ham %s tanlangan yozuv(lar)ning narxini yangilamoqchimisiz? CategTypeNotFound=Yozuvlar turi uchun yorliq turi topilmadi Rate=Tezlik -SupervisorNotFound=Supervisor not found +SupervisorNotFound=Nazoratchi topilmadi CopiedToClipboard=Buferga nusxa olindi InformationOnLinkToContract=Ushbu miqdor faqat shartnomadagi barcha satrlarning jami hisoblanadi. Vaqt tushunchasi hisobga olinmaydi. ConfirmCancel=Bekor qilishni xohlaysizmi? EmailMsgID=MsgID-ga elektron pochta orqali yuboring -EmailDate=Email date -SetToStatus=Set to status %s +EmailDate=Elektron pochta sanasi +SetToStatus=%s holatiga o'rnating SetToEnabled=Faol qilib sozlang SetToDisabled=O'chirib qo'yilgan ConfirmMassEnabling=tasdiqlashga imkon beradigan ommaviy @@ -1206,27 +1216,47 @@ Terminated=Tugatilgan AddLineOnPosition=Lavozimga qator qo'shing (bo'sh bo'lsa oxirida) ConfirmAllocateCommercial=Savdo vakilini tasdiqlashni tayinlang ConfirmAllocateCommercialQuestion=Haqiqatan ham %s tanlangan yozuv(lar)ni tayinlashni xohlaysizmi? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned -YourMessage=Your message +CommercialsAffected=Savdo vakillari tayinlangan +CommercialAffected=Savdo vakili tayinlandi +YourMessage=Xabaringiz YourMessageHasBeenReceived=Sizning xabaringiz qabul qilindi. Biz imkon qadar tezroq javob beramiz yoki siz bilan bog'lanamiz. -UrlToCheck=Url to check -Automation=Automation -CreatedByEmailCollector=Created by Email collector -CreatedByPublicPortal=Created from Public portal -UserAgent=User Agent -InternalUser=Internal user -ExternalUser=External user -NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. -HideOnVCard=Hide %s -AddToContacts=Add address to my contacts -LastAccess=Last access -UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here -LastPasswordChangeDate=Last password change date -PublicVirtualCardUrl=Virtual business card page URL -PublicVirtualCard=Virtual business card -TreeView=Tree view -DropFileToAddItToObject=Drop a file to add it to this object -UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <= or >= before the value to filter using a mathematical comparison +UrlToCheck=Tekshirish uchun URL +Automation=Avtomatlashtirish +CreatedByEmailCollector=Elektron pochta kollektori tomonidan yaratilgan +CreatedByPublicPortal=Umumiy portaldan yaratilgan +UserAgent=Foydalanuvchi agenti +InternalUser=Ichki foydalanuvchi +ExternalUser=Tashqi foydalanuvchi +NoSpecificContactAddress=Muayyan aloqa yoki manzil yo'q +NoSpecificContactAddressBis=Ushbu yorliq joriy ob'ekt uchun maxsus kontaktlar yoki manzillarni majburlashga bag'ishlangan. Agar siz uchinchi tomon ma'lumotlari etarli bo'lmasa yoki aniq bo'lmasa, ob'ekt uchun bir yoki bir nechta aniq kontaktlar yoki manzillarni aniqlamoqchi bo'lsangiz, undan foydalaning. +HideOnVCard=%sni yashirish +AddToContacts=Mening kontaktlarimga manzil qo'shing +LastAccess=Oxirgi kirish +UploadAnImageToSeeAPhotoHere=Rasmni shu yerda koʻrish uchun %s sahifasidan rasm yuklang. +LastPasswordChangeDate=Parolni oxirgi o'zgartirish sanasi +PublicVirtualCardUrl=Virtual tashrif qog'ozi sahifasi URL +PublicVirtualCard=Virtual biznes karta +TreeView=Daraxt ko'rinishi +DropFileToAddItToObject=Ushbu ob'ektga qo'shish uchun faylni tashlang +UploadFileDragDropSuccess=Fayl(lar) muvaffaqiyatli yuklandi +SearchSyntaxTooltipForStringOrNum=Matn maydonlarini qidirish uchun ^ yoki $ belgilaridan foydalanib, “boshlash yoki tugatish” qidiruvini amalga oshirishingiz yoki ! "o'z ichiga olmaydi" testini o'tkazish. | dan foydalanishingiz mumkin ikki satr orasiga 'AND' o'rniga 'OR' sharti uchun bo'sh joy o'rniga. Raqamli qiymatlar uchun matematik taqqoslash yordamida filtrlash uchun qiymatdan oldin <, >, <=, >= yoki != operatoridan foydalanishingiz mumkin. +InProgress=Jarayonda +DateOfPrinting=Chop etish sanasi +ClickFullScreenEscapeToLeave=Toʻliq ekran rejimiga oʻtish uchun shu yerni bosing. Toʻliq ekran rejimidan chiqish uchun ESCAPE tugmasini bosing. +UserNotYetValid=Hali haqiqiy emas +UserExpired=Muddati tugagan +LinkANewFile=Yangi fayl/hujjatni bog'lang +LinkedFiles=Bog'langan fayllar va hujjatlar +NoLinkFound=Roʻyxatdan oʻtgan havolalar yoʻq +LinkComplete=Fayl muvaffaqiyatli bog'landi +ErrorFileNotLinked=Faylni bog‘lab bo‘lmadi +LinkRemoved=%s havolasi olib tashlandi +ErrorFailedToDeleteLink= '%s' havolasini olib tashlab bo‘lmadi +ErrorFailedToUpdateLink= '%s' havolasini yangilab bo‘lmadi +URLToLink=Bog'lanish uchun URL +OverwriteIfExists=Agar fayl mavjud bo'lsa, ustiga yozing +AmountSalary=Ish haqi miqdori +InvoiceSubtype=Hisob-fakturaning pastki turi +ConfirmMassReverse=Ommaviy teskari tasdiqlash +ConfirmMassReverseQuestion=Haqiqatan ham %s tanlangan yozuv(lar)ni oʻzgartirmoqchimisiz? + diff --git a/htdocs/langs/uz_UZ/margins.lang b/htdocs/langs/uz_UZ/margins.lang index 14258e3e4d7..76f47475540 100644 --- a/htdocs/langs/uz_UZ/margins.lang +++ b/htdocs/langs/uz_UZ/margins.lang @@ -6,6 +6,7 @@ TotalMargin=Jami marj MarginOnProducts=Marj / Mahsulotlar MarginOnServices=Marj / xizmatlar MarginRate=Marj darajasi +ModifyMarginRates=Marja stavkalarini o'zgartirish MarkRate=Belgilangan stavka DisplayMarginRates=Marj stavkalarini ko'rsatish DisplayMarkRates=Belgilash stavkalarini ko'rsatish @@ -37,7 +38,7 @@ CostPrice=Xarajat narxi UnitCharges=Birlik uchun to'lovlar Charges=To'lovlar AgentContactType=Tijorat agentining aloqa turi -AgentContactTypeDetails=Kontakt / manzil bo'yicha margin hisoboti uchun qanday aloqa turini (hisob-fakturalarda bog'langan) ishlatilishini aniqlang. Kontakt bo'yicha statistik ma'lumotlarni o'qish ishonchli emasligiga e'tibor bering, chunki aksariyat hollarda hisob-fakturalarda aloqa aniq belgilanmasligi mumkin. +AgentContactTypeDetails=Har bir kontakt/manzil uchun marja hisoboti uchun qaysi kontakt turini (hisob-kitoblarda bog'langan) ishlatishini belgilang. E'tibor bering, kontakt bo'yicha statistikani o'qish ishonchli emas, chunki ko'p hollarda kontakt fakturalarda aniq belgilanmasligi mumkin. rateMustBeNumeric=Narx raqamli qiymat bo'lishi kerak markRateShouldBeLesserThan100=Belgilanish darajasi 100 dan past bo'lishi kerak ShowMarginInfos=Margin ma'lumotlarini ko'rsatish diff --git a/htdocs/langs/uz_UZ/members.lang b/htdocs/langs/uz_UZ/members.lang index eed428ab25a..f40df017d80 100644 --- a/htdocs/langs/uz_UZ/members.lang +++ b/htdocs/langs/uz_UZ/members.lang @@ -4,8 +4,8 @@ MemberCard=A'zo kartasi SubscriptionCard=Obuna kartasi Member=A'zo Members=A'zolar -NoRecordedMembers=No recorded members -NoRecordedMembersByType=No recorded members +NoRecordedMembers=Roʻyxatga olingan aʼzolar yoʻq +NoRecordedMembersByType=Roʻyxatga olingan aʼzolar yoʻq ShowMember=A'zo kartasini ko'rsatish UserNotLinkedToMember=Foydalanuvchi a'zo bilan bog'lanmagan ThirdpartyNotLinkedToMember=Uchinchi tomon a'zo bilan bog'lanmagan @@ -17,7 +17,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s , ErrorUserPermissionAllowsToLinksToItselfOnly=Xavfsizlik nuqtai nazaridan, barcha foydalanuvchilarni tahrirlash uchun sizga o'zingizga tegishli bo'lmagan foydalanuvchi bilan bog'lanish uchun ruxsat berilishi kerak. SetLinkToUser=Dolibarr foydalanuvchisiga havola SetLinkToThirdParty=Dolibarr uchinchi tomoniga havola -MemberCountersArePublic=Counters of valid members are public +MemberCountersArePublic=Haqiqiy a'zolarning hisoblagichlari ochiqdir MembersCards=A'zolar uchun kartalarni yaratish MembersList=A'zolar ro'yxati MembersListToValid=Loyiha a'zolari ro'yxati (tasdiqlanishi kerak) @@ -27,8 +27,8 @@ MembersListNotUpToDate=Hissasi eskirgan haqiqiy a'zolar ro'yxati MembersListExcluded=Chetlatilgan a'zolarning ro'yxati MembersListResiliated=Tugatilgan a'zolar ro'yxati MembersListQualified=Malakali a'zolar ro'yxati -MembersShowMembershipTypesTable=Show a table of all available membership types (if no, show directly the registration form) -MembersShowVotesAllowed=Show whether votes are allowed, in the table of membership types +MembersShowMembershipTypesTable=Barcha mavjud aʼzolik turlari jadvalini koʻrsating (agar yoʻq boʻlsa, toʻgʻridan-toʻgʻri roʻyxatdan oʻtish formasini koʻrsating) +MembersShowVotesAllowed=A'zolik turlari jadvalida ovoz berishga ruxsat berilganligini ko'rsating MenuMembersToValidate=Loyiha a'zolari MenuMembersValidated=Tasdiqlangan a'zolar MenuMembersExcluded=Chetlatilgan a'zolar @@ -39,11 +39,11 @@ DateSubscription=Ro'yxatdan o'tish sanasi DateEndSubscription=A'zolikning tugash sanasi EndSubscription=Obunaning tugashi SubscriptionId=Hissa identifikatori -WithoutSubscription=Without membership -WaitingSubscription=Membership pending -WaitingSubscriptionShort=Pending -MemberId=Member Id -MemberRef=Member Ref +WithoutSubscription=A'zoliksiz +WaitingSubscription=Aʼzolik kutilmoqda +WaitingSubscriptionShort=Kutilmoqda +MemberId=Aʼzo identifikatori +MemberRef=A'zo Ref NewMember=Yangi a'zo MemberType=Ro'yxatdan turi MemberTypeId=Ro'yxatdan turi identifikatori @@ -79,12 +79,12 @@ MemberTypeCanNotBeDeleted=Ro'yxatdan turini o'chirib bo'lmaydi NewSubscription=Yangi hissa NewSubscriptionDesc=Ushbu shakl sizga obunangizni fondning yangi a'zosi sifatida qayd etish imkonini beradi. Agar siz obunangizni yangilamoqchi bo'lsangiz (agar u allaqachon a'zo bo'lsa), %s elektron pochta orqali poydevor kengashiga murojaat qiling. Subscription=Hissa -AnyAmountWithAdvisedAmount=Any amount of your choice, recommended %s -AnyAmountWithoutAdvisedAmount=Any amount of your choice -CanEditAmountShort=Any amount -CanEditAmountShortForValues=recommended, any amount -MembershipDuration=Duration -GetMembershipButtonLabel=Join +AnyAmountWithAdvisedAmount=Siz tanlagan istalgan miqdor, tavsiya etiladi %s +AnyAmountWithoutAdvisedAmount=Siz tanlagan har qanday miqdor +CanEditAmountShort=Har qanday miqdor +CanEditAmountShortForValues=tavsiya etilgan, istalgan miqdor +MembershipDuration=Davomiyligi +GetMembershipButtonLabel=Qo'shilish Subscriptions=Hissa SubscriptionLate=Kech SubscriptionNotReceived=Hissa hech qachon olinmagan @@ -95,7 +95,7 @@ NoTypeDefinedGoToSetup=Hech qanday a'zo turi aniqlanmagan. "A'zolar turlari" men NewMemberType=Yangi a'zo turi WelcomeEMail=Xush kelibsiz elektron pochta SubscriptionRequired=Hissa kerak -SubscriptionRequiredDesc=If subscription is required, a subscription with a start or end date must be recorded to have the member up to date (whatever is subscription amount, even if subscription is free). +SubscriptionRequiredDesc=Agar obuna zarur bo'lsa, a'zo yangilangan bo'lishi uchun boshlanish yoki tugash sanasi bilan obuna yozilishi kerak (obuna miqdori qancha bo'lishidan qat'i nazar, obuna bepul bo'lsa ham). DeleteType=O'chirish VoteAllowed=Ovoz berishga ruxsat berildi Physical=Shaxsiy @@ -128,7 +128,7 @@ String=Ip Text=Matn Int=Int DateAndTime=Sana va vaqt -PublicMemberCard=A'zolarning ommaviy kartasi +PublicMemberCard=Umumiy aʼzolik kartasi SubscriptionNotRecorded=Hissa yozilmagan AddSubscription=Hissa yaratish ShowSubscription=Hissa qo'shish @@ -138,7 +138,7 @@ SendingEmailOnAutoSubscription=Avtomatik ro'yxatdan o'tishda elektron pochta xab SendingEmailOnMemberValidation=Yangi a'zoni tasdiqlash to'g'risida elektron pochta xabarini yuborish SendingEmailOnNewSubscription=Yangi hissasi haqida elektron pochta xabarini yuborish SendingReminderForExpiredSubscription=Muddati o'tgan hissalar uchun eslatma yuborilmoqda -SendingEmailOnCancelation=Bekor qilish to'g'risida elektron pochta xabarini yuborish +SendingEmailOnCancelation=Bekor qilish to'g'risida elektron pochta xabarlarini yuborish SendingReminderActionComm=Kun tartibidagi tadbir uchun eslatma yuborish # Topic of email templates YourMembershipRequestWasReceived=Sizning a'zoligingiz qabul qilindi. @@ -150,7 +150,7 @@ CardContent=A'zo kartangizning tarkibi # Text of email templates ThisIsContentOfYourMembershipRequestWasReceived=A'zolik so'rovi olinganligini sizga xabar qilmoqchimiz.

      ThisIsContentOfYourMembershipWasValidated=Sizning a'zoligingiz quyidagi ma'lumotlar bilan tasdiqlanganligini sizga xabar qilmoqchimiz:

      -ThisIsContentOfYourSubscriptionWasRecorded=We want to let you know that your new subscription was recorded. Please find your invoice here enclosed.

      +ThisIsContentOfYourSubscriptionWasRecorded=Sizning yangi obunangiz yozib olingani haqida xabar bermoqchimiz. Iltimos, ilova qilingan fakturani shu yerda toping.

      ThisIsContentOfSubscriptionReminderEmail=Obunangiz muddati tugashini yoki allaqachon tugaganligini sizga xabar qilmoqchimiz (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). Siz uni yangilaysiz degan umiddamiz.

      ThisIsContentOfYourCard=Bu siz haqingizda mavjud bo'lgan ma'lumotlarning qisqacha mazmuni. Iltimos, biron bir narsa noto'g'ri bo'lsa, biz bilan bog'laning.

      DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Agar mehmon avtomatik ravishda yozgan bo'lsa, elektron pochta xabarining mavzusi @@ -159,10 +159,10 @@ DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Elektron pochta shabloni a'zolarni avto DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=E-pochta shablonini a'zolarni tasdiqlash bo'yicha a'zolarga elektron pochta xabarlarini yuborish uchun ishlatish DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Elektron pochta shabloni, a'zolarga yangi hissa qo'shish to'g'risida elektron pochta xabarini yuborish uchun ishlatiladi DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Hisob muddati tugash arafasida elektron pochta eslatmasini yuborish uchun ishlatiladigan elektron pochta shabloni -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=A'zo bekor qilinganida a'zoga elektron pochta xabarini yuborish uchun elektron pochta shablonini +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=E-pochta shablonini a'zo bekor qilinganida elektron pochta xabarini yuborish uchun foydalaniladi DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=E-pochta shablonini a'zolardan chetlatish bo'yicha a'zolarga elektron pochta xabarlarini yuborish uchun ishlatish DescADHERENT_MAIL_FROM=Avtomatik elektron pochta xabarlari uchun yuboruvchi elektron pochta -DescADHERENT_CC_MAIL_FROM=Send automatic email copy to +DescADHERENT_CC_MAIL_FROM=Avtomatik elektron pochta nusxasini quyidagi manzilga yuboring DescADHERENT_ETIQUETTE_TYPE=Yorliqlar sahifasining formati DescADHERENT_ETIQUETTE_TEXT=Ro'yxatdan manzil varaqalarida bosilgan matn DescADHERENT_CARD_TYPE=Kartalar formati sahifasi @@ -175,7 +175,7 @@ HTPasswordExport=htpassword faylini yaratish NoThirdPartyAssociatedToMember=Bu a'zo bilan bog'langan uchinchi tomon yo'q MembersAndSubscriptions=A'zolar va hissalar MoreActions=Yozib olish bo'yicha qo'shimcha harakatlar -MoreActionsOnSubscription=Toʻlovni roʻyxatdan oʻtkazishda sukut boʻyicha tavsiya etilgan qoʻshimcha harakat, shuningdek, badalni onlayn toʻlashda avtomatik ravishda amalga oshiriladi +MoreActionsOnSubscription=Hissani yozib olishda sukut bo'yicha tavsiya etilgan qo'shimcha harakat, shuningdek, badalni onlayn to'lashda avtomatik ravishda amalga oshiriladi MoreActionBankDirect=Bank hisobvarag'ida to'g'ridan-to'g'ri yozuvni yarating MoreActionBankViaInvoice=Hisob-fakturani va bank hisobvarag'ida to'lovni yarating MoreActionInvoiceOnly=To'lovsiz hisob-fakturani yarating @@ -206,22 +206,23 @@ LastMemberDate=Oxirgi a'zolik sanasi LatestSubscriptionDate=Hisobotning oxirgi sanasi MemberNature=A'zoning tabiati MembersNature=A'zolarning tabiati -Public=%s can publish my membership in the public register +Public=%s mening aʼzoligimni jamoat reestrida nashr qilishi mumkin +MembershipPublic=Jamoatchilik a'zoligi NewMemberbyWeb=Yangi a'zo qo'shildi. Tasdiqlash kutilmoqda NewMemberForm=Yangi a'zo shakli SubscriptionsStatistics=Hisob -kitoblar statistikasi NbOfSubscriptions=Hissalar soni AmountOfSubscriptions=Hisob -kitoblardan yig'ilgan mablag ' TurnoverOrBudget=Tovar aylanmasi (kompaniya uchun) yoki byudjet (fond uchun) -DefaultAmount=Default amount of contribution (used only if no amount is defined at member type level) -MinimumAmount=Minimum amount (used only when contribution amount is free) -CanEditAmount=Subscription amount can be defined by the member -CanEditAmountDetail=Visitor can choose/edit amount of its contribution regardless of the member type -AmountIsLowerToMinimumNotice=sur un dû total de %s -MEMBER_NEWFORM_PAYONLINE=After the online registration, switch automatically on the online payment page +DefaultAmount=Birlamchi badal miqdori (agar a'zolar turi darajasida miqdor belgilanmagan bo'lsagina foydalaniladi) +MinimumAmount=Minimal miqdor (faqat badal miqdori bepul bo'lganda foydalaniladi) +CanEditAmount=Obuna miqdori a'zo tomonidan belgilanishi mumkin +CanEditAmountDetail=Mehmon a'zo turidan qat'i nazar, o'z hissasi miqdorini tanlashi/tahrirlashi mumkin +AmountIsLowerToMinimumNotice=Miqdor minimal %sdan past. +MEMBER_NEWFORM_PAYONLINE=Onlayn ro'yxatdan o'tgandan so'ng, avtomatik ravishda onlayn to'lov sahifasiga o'ting ByProperties=Tabiatan MembersStatisticsByProperties=A'zolar statistikasi tabiatan -VATToUseForSubscriptions=Hisob -kitoblar uchun QQS stavkasi +VATToUseForSubscriptions=Toʻlovlar uchun QQS stavkasi NoVatOnSubscription=Hissalar uchun QQS olinmaydi ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Hisob -fakturaga hissa qo'shish uchun ishlatiladigan mahsulot: %s NameOrCompany=Ism yoki kompaniya @@ -229,15 +230,17 @@ SubscriptionRecorded=Hissa qo'shildi NoEmailSentToMember=Ro'yxatdanga elektron pochta xabarlari yuborilmadi EmailSentToMember=%s orqali a'zoga elektron pochta xabarlari yuborildi SendReminderForExpiredSubscriptionTitle=Muddati o'tgan hissalar uchun elektron pochta orqali eslatma yuboring -SendReminderForExpiredSubscription=Hisobot muddati tugashi bilan a'zolarga elektron pochta orqali eslatma yuboring (parametr-eslatmani yuborish uchun a'zolik tugashidan bir necha kun oldin. Bu nuqta-vergul bilan ajratilgan kunlar ro'yxati bo'lishi mumkin, masalan '10; 5; 0; -5) ') +SendReminderForExpiredSubscription=Hissa muddati tugashi arafasida aʼzolarga eslatmani elektron pochta orqali yuboring (parametr eslatmani yuborish uchun aʼzolik tugashidan bir necha kun oldin. Bu nuqta-vergul bilan ajratilgan kunlar roʻyxati boʻlishi mumkin, masalan, '10;5;0;-5 ') MembershipPaid=Joriy davr uchun to'langan a'zolik (%s gacha) YouMayFindYourInvoiceInThisEmail=Sizning hisob-fakturangizni ushbu elektron pochtaga biriktirilgan holda topishingiz mumkin XMembersClosed=%s a'zo (lar) yopildi XExternalUserCreated=%s tashqi foydalanuvchi (lar) yaratildi ForceMemberNature=Majburiy a'zoning tabiati (Individual yoki Corporation) CreateDolibarrLoginDesc=A'zolar uchun foydalanuvchi loginini yaratish ularga ilovaga ulanish imkonini beradi. Berilgan ruxsatnomalarga qarab, ular, masalan, o'z fayllarini ko'rib chiqishlari yoki o'zgartirishlari mumkin bo'ladi. -CreateDolibarrThirdPartyDesc=Uchinchi tomon, agar siz har bir hissa uchun hisob -fakturani tuzishga qaror qilsangiz, hisob -fakturada ishlatiladigan yuridik shaxs. Hisobni yozish jarayonida siz uni keyinchalik yaratishingiz mumkin bo'ladi. +CreateDolibarrThirdPartyDesc=Agar siz har bir hissa uchun hisob-faktura yaratishga qaror qilsangiz, hisob-fakturada foydalaniladigan yuridik shaxs uchinchi shaxsdir. Siz uni keyinchalik hissani yozib olish jarayonida yaratishingiz mumkin. MemberFirstname=A'zoning ismi MemberLastname=A'zo familiyasi -MemberCodeDesc=Member Code, unique for all members -NoRecordedMembers=No recorded members +MemberCodeDesc=A'zo kodi, barcha a'zolar uchun yagona +NoRecordedMembers=Roʻyxatga olingan aʼzolar yoʻq +MemberSubscriptionStartFirstDayOf=Aʼzolikning boshlanish sanasi aʼning birinchi kuniga toʻgʻri keladi +MemberSubscriptionStartAfter=Obunaning boshlanish sanasi kuchga kirishigacha bo‘lgan minimal muddat, yangilashdan tashqari (misol, +3m = +3 oy, -5d = -5 kun, +1Y = +1 yil) diff --git a/htdocs/langs/uz_UZ/modulebuilder.lang b/htdocs/langs/uz_UZ/modulebuilder.lang index 554d6c3abd1..87e1b35e8d3 100644 --- a/htdocs/langs/uz_UZ/modulebuilder.lang +++ b/htdocs/langs/uz_UZ/modulebuilder.lang @@ -1,16 +1,16 @@ # Dolibarr language file - Source file is en_US - loan -IdModule= Module id +IdModule= Modul identifikatori ModuleBuilderDesc=Ushbu vositadan faqat tajribali foydalanuvchilar yoki ishlab chiquvchilar foydalanishi kerak. U o'z modulingizni yaratish yoki tahrirlash uchun yordamchi dasturlarni taqdim etadi. Muqobil qo'lda ishlab chiqish uchun hujjatlar bu yerda . EnterNameOfModuleDesc=Bo'sh joy qoldirmasdan yaratish uchun modul/ilova nomini kiriting. So'zlarni ajratish uchun katta harflardan foydalaning (masalan: MyModule, EcommerceForShop, SyncWithMySystem...) -EnterNameOfObjectDesc=Enter the name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, the pages to list/add/edit/delete the object and the SQL files will be generated. +EnterNameOfObjectDesc=Yaratish uchun ob'ekt nomini bo'sh joysiz kiriting. So'zlarni ajratish uchun katta harflardan foydalaning (Masalan: MyObject, Student, Teacher...). CRUD sinf fayli, ob'ektni ro'yxatga olish/qo'shish/tahrirlash/o'chirish sahifalari va SQL fayllari yaratiladi. EnterNameOfDictionaryDesc=Boʻsh joy qoldirmasdan yaratish uchun lugʻat nomini kiriting. So'zlarni ajratish uchun katta harflardan foydalaning (Masalan: MyDico...). Sinf fayli, balki SQL fayli ham yaratiladi. ModuleBuilderDesc2=Modullar ishlab chiqarilgan / tahrirlangan yo'l (tashqi modullar uchun birinchi katalog %s da belgilangan): %s ModuleBuilderDesc3=Yaratilgan / tahrirlanadigan modullar topildi: %s -ModuleBuilderDesc4=A module is detected as a 'module for Module Builer' when the file %s exists in the root of the module directory +ModuleBuilderDesc4=Fayl %sb0a650d faylda modul “Module Builder uchun modul” sifatida aniqlanadi. modul katalogining ildizida mavjud NewModule=Yangi modul NewObjectInModulebuilder=Yangi ob'ekt NewDictionary=Yangi lug'at -ModuleName=Module name +ModuleName=Modul nomi ModuleKey=Modul kaliti ObjectKey=Ob'ekt kaliti DicKey=Lug'at kaliti @@ -28,6 +28,7 @@ ModuleBuilderDescwidgets=Ushbu yorliq vidjetlarni boshqarish / qurishga bag'ishl ModuleBuilderDescbuildpackage=Siz bu erda modulingizning "tarqatishga tayyor" paketli faylini (normalizatsiya qilingan .zip fayli) va "tarqatishga tayyor" hujjat faylini yaratishingiz mumkin. Paket yoki hujjatlar faylini yaratish uchun tugmani bosing. EnterNameOfModuleToDeleteDesc=Siz modulingizni o'chirib tashlashingiz mumkin. OGOHLANTIRISH: Modulning barcha kodlash fayllari (qo'lda yaratilgan yoki yaratilgan) VA tuzilgan ma'lumotlar va hujjatlar o'chiriladi! EnterNameOfObjectToDeleteDesc=Ob'ektni o'chirishingiz mumkin. OGOHLANTIRISH: Ob'ektga tegishli bo'lgan barcha kodlash fayllari (qo'lda yaratilgan yoki yaratilgan) o'chiriladi! +EnterNameOfObjectToDeleteDesc=Ob'ektni o'chirishingiz mumkin. OGOHLANTIRISH: Ob'ektga tegishli bo'lgan barcha kodlash fayllari (qo'lda yaratilgan yoki yaratilgan) o'chiriladi! DangerZone=Xavfli hudud BuildPackage=Paket yaratish BuildPackageDesc=Siz o'zingizning arizangizning zip paketini yaratishingiz mumkin, shunda siz uni har qanday Dolibarr-da tarqatishga tayyor bo'lasiz. Siz uni tarqatishingiz yoki kabi bozorda sotishingiz mumkin DoliStore.com . @@ -39,7 +40,7 @@ EditorName=Muharrir nomi EditorUrl=Tahrirlovchining URL manzili DescriptorFile=Modulning tavsiflovchi fayli ClassFile=PHP DAO CRUD klassi uchun fayl -ApiClassFile=PHP API klassi uchun fayl +ApiClassFile=modulning API fayli PageForList=Rekordlar ro'yxati uchun PHP sahifasi PageForCreateEditView=Yozuvni yaratish / tahrirlash / ko'rish uchun PHP sahifasi PageForAgendaTab=Voqealar yorlig'i uchun PHP sahifasi @@ -50,14 +51,14 @@ PathToModulePackage=Modul / dastur paketini zipga yo'naltirish PathToModuleDocumentation=Modul / dastur hujjatlari fayliga yo'l (%s) SpaceOrSpecialCharAreNotAllowed=Bo'sh joy yoki maxsus belgilarga ruxsat berilmaydi. FileNotYetGenerated=Fayl hali yaratilmagan -GenerateCode=Generate code +GenerateCode=Kod yarating RegenerateClassAndSql=.Class va .sql fayllarini majburiy yangilash RegenerateMissingFiles=Yo'qotilgan fayllarni yaratish SpecificationFile=Hujjatlar fayli LanguageFile=Til uchun fayl ObjectProperties=Ob'ekt xususiyatlari -Property=Propery -PropertyDesc=A property is an attribute that characterizes an object. This attribute has a code, a label and a type with several options. +Property=Mulk +PropertyDesc=Xususiyat ob'ektni tavsiflovchi atributdir. Bu atribut kod, yorliq va bir nechta variantga ega turga ega. ConfirmDeleteProperty= %s xususiyatini o'chirishni xohlaysizmi? Bu PHP sinfidagi kodni o'zgartiradi, shuningdek ob'ektni jadval ta'rifidan ustunni olib tashlaydi. NotNull=NULL emas NotNullDesc=1=Ma'lumotlar bazasini NO NULL ga o'rnating, 0=Nul qiymatlarga ruxsat bering, -1=Bo'sh bo'lsa, qiymatni NULLga majburlash orqali null qiymatlarga ruxsat bering ('' yoki 0) @@ -70,7 +71,7 @@ ArrayOfKeyValues=Key-val qatori ArrayOfKeyValuesDesc=Agar maydon belgilangan qiymatlarga ega bo'lgan kombinatsion ro'yxat bo'lsa, kalitlar va qiymatlar qatori WidgetFile=Vidjet fayli CSSFile=CSS fayli -JSFile=Javascript fayli +JSFile=JavaScript fayli ReadmeFile=Readme fayli ChangeLog=ChangeLog fayli TestClassFile=PHP birligi testi uchun fayl @@ -86,16 +87,16 @@ IsAMeasure=Bu o'lchovdir DirScanned=Katalog skanerdan o'tkazildi NoTrigger=Trigger yo'q NoWidget=Vidjet yo‘q -ApiExplorer=API explorer +ApiExplorer=API tadqiqotchisi ListOfMenusEntries=Menyu yozuvlari ro'yxati ListOfDictionariesEntries=Lug'at yozuvlari ro'yxati ListOfPermissionsDefined=Belgilangan ruxsatnomalar ro'yxati SeeExamples=Bu erda misollarni ko'ring -EnabledDesc=Condition to have this field active.

      Examples:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update).

      Using a negative value means field is not shown by default on list but can be selected for viewing). -ItCanBeAnExpression=It can be an expression. Example:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
      For document :
      0 = not displayed
      1 = display
      2 = display only if not empty

      For document lines :
      0 = not displayed
      1 = displayed in a column
      3 = display in line description column after the description
      4 = display in description column after the description only if not empty -DisplayOnPdf=On PDF +EnabledDesc=Bu maydonni faollashtirish sharti.

      Misollar:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=Maydon ko'rinadimi? (Misollar: 0=Hech qachon koʻrinmaydi, 1=Roʻyxatda koʻrinadi va shakllarni yaratish/yangilash/koʻrish, 2=Faqat roʻyxatda koʻrinadi, 3=Faqat shakl yaratish/yangilash/koʻrishda koʻrinadi (roʻyxatlarda emas), 4=Roʻyxatlarda koʻrinadi va faqat shaklni yangilash/ko‘rish (yaratmaydi), 5=Ro‘yxatda ko‘rinadi va forma faqat ko‘rinadi (yaratmaydi, yangilanmaydi).

      Salbiy qiymatdan foydalanish, bu maydon sukut boʻyicha roʻyxatda koʻrsatilmaydi, lekin koʻrish uchun tanlanishi mumkin). +ItCanBeAnExpression=Bu ifoda bo'lishi mumkin. Misol:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user ->hasRight('holiday', 'define_holiday')?1:5 +DisplayOnPdfDesc=Bu maydonni mos keluvchi PDF hujjatlarida ko‘rsating, siz “Joylashuv” maydoni bilan joylashuvni boshqarishingiz mumkin.
      Hujjat uchun:
      0 = ko'rsatilmaydi
      1 = displey
      b09b784 span>Hujjat qatorlari uchun:

      0 = koʻrsatilmagan
      = ustunda ko'rsatiladi
      3 = tavsifdan keyin satr tavsifi ustunida ko'rsatiladi
      4 = tavsifdan keyin tavsif ustunida ko'rsatiladi faqat bo'sh bo'lmasa +DisplayOnPdf=PDF formatida IsAMeasureDesc=Jami ro'yxatga kiritish uchun maydon qiymatini yig'ish mumkinmi? (Masalan: 1 yoki 0) SearchAllDesc=Ushbu maydon tezkor qidiruv vositasidan qidirish uchun foydalaniladimi? (Masalan: 1 yoki 0) SpecDefDesc=O'zingizning modulingiz bilan ta'minlamoqchi bo'lgan barcha boshqa hujjatlarni bu erga kiriting. Siz .md yoki undan yaxshiroq, boy .asciidoc sintaksisidan foydalanishingiz mumkin. @@ -106,7 +107,7 @@ PermissionsDefDesc=Sizning modulingiz tomonidan taqdim etilgan yangi ruxsatlarni MenusDefDescTooltip=Modulingiz/ilovangiz tomonidan taqdim etilgan menyular $this->menyu massivida modul identifikatori faylida aniqlanadi. Siz ushbu faylni qo'lda tahrirlashingiz yoki o'rnatilgan muharriridan foydalanishingiz mumkin.

      Eslatma: Aniqlangandan so'ng (va modul qayta faollashtirilgan), menyular %s da administrator foydalanuvchilari uchun mavjud bo'lgan menyu muharririda ham ko'rinadi. DictionariesDefDescTooltip=Sizning modulingiz / ilovangiz tomonidan taqdim etilgan lug'atlar $ this-> lug'atlar massivida modul tavsiflovchi faylida aniqlangan. Siz ushbu faylni qo'lda tahrirlashingiz yoki o'rnatilgan muharrirdan foydalanishingiz mumkin.

      Eslatma: Belgilanganidan keyin (va modul qayta yoqilganda), lug'atlar administrator foydalanuvchilariga %s-da o'rnatish maydonchasida ham ko'rinadi. PermissionsDefDescTooltip=Sizning modulingiz / ilovangiz tomonidan berilgan ruxsatlar $ this-> huquqlari qatorida modul identifikatori faylida aniqlangan. Siz ushbu faylni qo'lda tahrirlashingiz yoki o'rnatilgan muharrirdan foydalanishingiz mumkin.

      Izoh: Belgilanganidan keyin (va modul qayta yoqilganda), ruxsatnomalar standart ruxsatlar %s-da ko'rinadi. -HooksDefDesc= module_parts ['ilgaklar'] xususiyatida, modul identifikatorida siz boshqarmoqchi bo'lgan ilgaklar kontekstini aniqlang (kontekstlar ro'yxati ' initHooks (a09c094) kodlari) sizning bog'langan funktsiyalaringizning kodini qo'shish uchun kanca fayli (kanca funktsiyalarini ' executeHooks ' dan qidirish orqali topishingiz mumkin). +HooksDefDesc=Modul identifikatori faylida module_parts['hooks'] xossasida kancangiz ochilganda kontekstlar roʻyxatini aniqlang. bajarilishi kerak (mumkin kontekstlar roʻyxatini 'initHooks(' asosiy kodda qidirish orqali topish mumkin) .
      Keyin, ilgaklar kodi boʻlgan faylni oʻzingizning bogʻlangan funksiyalaringiz kodi bilan tahrirlang (bogʻlanadigan funksiyalar roʻyxatini ' orqali qidirish orqali topish mumkin. executeHooks' asosiy kodda). TriggerDefDesc=Trigger faylida modulingizdan tashqari biznes hodisasi (boshqa modullar tomonidan ishga tushirilgan hodisalar) bajarilganda bajarmoqchi bo'lgan kodni aniqlang. SeeIDsInUse=O'rnatishda foydalanilayotgan identifikatorlarni ko'ring SeeReservedIDsRangeHere=Saqlangan identifikatorlar qatorini ko'ring @@ -127,7 +128,7 @@ RealPathOfModule=Modulning haqiqiy yo'li ContentCantBeEmpty=Fayl tarkibi bo'sh bo'lishi mumkin emas WidgetDesc=Siz o'zingizning modulingizga o'rnatilgan vidjetlarni yaratishingiz va tahrirlashingiz mumkin. CSSDesc=Siz o'zingizning modulingizga kiritilgan shaxsiy CSS-ga ega faylni yaratishingiz va tahrirlashingiz mumkin. -JSDesc=Siz o'zingizning modulingizga kiritilgan shaxsiylashtirilgan Javascript bilan fayl yaratishingiz va tahrirlashingiz mumkin. +JSDesc=Siz bu yerda modulingizga oʻrnatilgan shaxsiylashtirilgan JavaScript-ga ega faylni yaratishingiz va tahrirlashingiz mumkin. CLIDesc=Siz o'zingizning modulingiz bilan ta'minlamoqchi bo'lgan ba'zi buyruq satri skriptlarini yaratishingiz mumkin. CLIFile=CLI fayli NoCLIFile=CLI fayllari yo'q @@ -136,44 +137,49 @@ UseSpecificEditorURL = Muayyan tahrirlovchining URL manzilidan foydalaning UseSpecificFamily = Muayyan oiladan foydalaning UseSpecificAuthor = Muayyan muallifdan foydalaning UseSpecificVersion = Muayyan dastlabki versiyadan foydalaning -IncludeRefGeneration=The reference of this object must be generated automatically by custom numbering rules +IncludeRefGeneration=Ushbu ob'ektga havola maxsus raqamlash qoidalari bilan avtomatik ravishda yaratilishi kerak IncludeRefGenerationHelp=Maxsus raqamlash qoidalaridan foydalangan holda ma'lumotnomani avtomatik ravishda yaratishni boshqarish uchun kod qo'shmoqchi bo'lsangiz, buni belgilang -IncludeDocGeneration=I want the feature to generate some documents (PDF, ODT) from templates for this object +IncludeDocGeneration=Men ushbu ob'ekt uchun shablonlardan ba'zi hujjatlarni (PDF, ODT) yaratishni xohlayman IncludeDocGenerationHelp=Agar buni belgilasangiz, yozuvga "Hujjat yaratish" katagini qo'shish uchun ba'zi kodlar hosil bo'ladi. -ShowOnCombobox=Show value into combo boxes +ShowOnCombobox=Qiymatni birlashtirilgan qutilarga ko'rsatish KeyForTooltip=Maslahatlar uchun kalit CSSClass=Formani tahrirlash / yaratish uchun CSS CSSViewClass=O'qish shakli uchun CSS CSSListClass=Ro'yxat uchun CSS NotEditable=Tahrirlash mumkin emas ForeignKey=Chet el kaliti -ForeignKeyDesc=If the value of this field must be guaranted to exists into another table. Enter here a value matching syntax: tablename.parentfieldtocheck -TypeOfFieldsHelp=Example:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1' means we add a + button after the combo to create the record
      'filter' is a sql condition, example: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' -TypeOfFieldsHelpIntro=This is the type of the field/attribute. +ForeignKeyDesc=Agar ushbu maydonning qiymati boshqa jadvalda mavjudligi kafolatlangan bo'lsa. Bu yerga mos qiymat sintaksisini kiriting: tablename.parentfieldtocheck +TypeOfFieldsHelp=Misol:
      varchar(99)
      elektron pochta
      telefon ='notranslate'>
      ip
      url
      parolb span>double(24,8)
      real
      matn

      date
      datetime
      vaqt tamg'asi
      integer
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]ccb01
      '1' yozuv yaratish uchun kombinatsiyadan keyin + tugmasi qo'shilganligini bildiradi
      'filtr Universal filtr sintaksisi sharti, misol: '((status:=:1) VA (fk_user:=:__USER_ID__) AND (obyekt:IN:(__SHARED_ENTITIES__))' +TypeOfFieldsHelpIntro=Bu maydon/atributning turi. AsciiToHtmlConverter=Ascii-dan HTML-ga o'zgartiruvchi AsciiToPdfConverter=Ascii-dan PDF-ga o'tkazuvchi TableNotEmptyDropCanceled=Stol bo'sh emas Drop bekor qilindi. ModuleBuilderNotAllowed=Modul yaratuvchisi mavjud, ammo sizning foydalanuvchingizga ruxsat berilmagan. ImportExportProfiles=Import va eksport rejimlari -ValidateModBuilderDesc=Set this to 1 if you want to have the method $this->validateField() of object being called to validate the content of the field during insert or update. Set 0 if there is no validation required. +ValidateModBuilderDesc=Qo'shish yoki yangilash vaqtida maydon mazmunini tekshirish uchun chaqirilayotgan ob'ektning $this->validateField() usuliga ega bo'lishni istasangiz, buni 1 ga o'rnating. Agar tekshirish talab qilinmasa, 0 ni o'rnating. WarningDatabaseIsNotUpdated=Ogohlantirish: Ma'lumotlar bazasi avtomatik ravishda yangilanmaydi, siz jadvallarni yo'q qilishingiz va jadvallarni qayta yaratish uchun modulni o'chirib qo'yishingiz kerak. LinkToParentMenu=Asosiy menyu (fk_xxxxmenu) ListOfTabsEntries=Yorliqlar ro'yxati TabsDefDesc=Bu yerda modulingiz tomonidan taqdim etilgan yorliqlarni belgilang TabsDefDescTooltip=Modul/ilovangiz tomonidan taqdim etilgan yorliqlar $this->tabs massivida modul identifikatori faylida aniqlanadi. Siz ushbu faylni qo'lda tahrirlashingiz yoki o'rnatilgan muharriridan foydalanishingiz mumkin. -BadValueForType=Bad value for type %s -DefinePropertiesFromExistingTable=Define properties from an existing table -DefinePropertiesFromExistingTableDesc=If a table in the database (for the object to create) already exists, you can use it to define the properties of the object. -DefinePropertiesFromExistingTableDesc2=Keep empty if the table does not exist yet. The code generator will use different kinds of fields to build an example of table that you can edit later. -GeneratePermissions=I want to add the rights for this object -GeneratePermissionsHelp=generate default rights for this object -PermissionDeletedSuccesfuly=Permission has been successfully removed -PermissionUpdatedSuccesfuly=Permission has been successfully updated -PermissionAddedSuccesfuly=Permission has been successfully added -MenuDeletedSuccessfuly=Menu has been successfully deleted -MenuAddedSuccessfuly=Menu has been successfully added -MenuUpdatedSuccessfuly=Menu has been successfully updated -ApiObjectDeleted=API for object %s has been successfully deleted -CRUDRead=Read -CRUDCreateWrite=Create or Update -FailedToAddCodeIntoDescriptor=Failed to add code into descriptor. Check that the string comment "%s" is still present into the file. +BadValueForType=%s turi uchun noto'g'ri qiymat +DefinePropertiesFromExistingTable=Mavjud jadvaldagi maydonlarni/xususiyatlarni aniqlang +DefinePropertiesFromExistingTableDesc=Agar ma'lumotlar bazasida jadval (ob'ekt yaratish uchun) allaqachon mavjud bo'lsa, uni ob'ekt xususiyatlarini aniqlash uchun ishlatishingiz mumkin. +DefinePropertiesFromExistingTableDesc2=Agar jadval hali mavjud bo'lmasa, bo'sh qoldiring. Kod generatori keyinchalik tahrir qilishingiz mumkin bo'lgan jadval namunasini yaratish uchun turli xil maydonlardan foydalanadi. +GeneratePermissions=Men ushbu obyektdagi ruxsatlarni boshqarmoqchiman +GeneratePermissionsHelp=Agar buni belgilasangiz, ob'ektlar yozuvini o'qish, yozish va o'chirish uchun ruxsatlarni boshqarish uchun ba'zi kodlar qo'shiladi +PermissionDeletedSuccesfuly=Ruxsat muvaffaqiyatli olib tashlandi +PermissionUpdatedSuccesfuly=Ruxsat muvaffaqiyatli yangilandi +PermissionAddedSuccesfuly=Ruxsat muvaffaqiyatli qo'shildi +MenuDeletedSuccessfuly=Menyu muvaffaqiyatli o'chirildi +MenuAddedSuccessfuly=Menyu muvaffaqiyatli qo'shildi +MenuUpdatedSuccessfuly=Menyu muvaffaqiyatli yangilandi +ApiObjectDeleted=%s obyekti uchun API muvaffaqiyatli o‘chirildi +CRUDRead=O'qing +CRUDCreateWrite=Yarating yoki yangilang +FailedToAddCodeIntoDescriptor=Deskriptorga kod qo‘shib bo‘lmadi. Faylda “%s” qator izohi mavjudligini tekshiring. +DictionariesCreated=%s lug'ati muvaffaqiyatli yaratildi. +DictionaryDeleted=%s lug'ati olib tashlandi. +PropertyModuleUpdated=%s mulki muvaffaqiyatli yangilandi +InfoForApiFile=* Faylni birinchi marta yaratganingizda, har bir obyekt uchun barcha usullar yaratiladi.
      * oʻchirishni bosganingizda ni bosganingizda, tanlangan obyekt. +SetupFile=Modulni sozlash sahifasi diff --git a/htdocs/langs/uz_UZ/mrp.lang b/htdocs/langs/uz_UZ/mrp.lang index 1824a6b07bb..4a6a26461d3 100644 --- a/htdocs/langs/uz_UZ/mrp.lang +++ b/htdocs/langs/uz_UZ/mrp.lang @@ -11,8 +11,8 @@ Bom=Materiallar veksellari BillOfMaterials=Materiallar hujjati BillOfMaterialsLines=Materiallar ro'yxati BOMsSetup=BOM modulini sozlash -ListOfBOMs=Bills of material - BOM -ListOfManufacturingOrders=Manufacturing Orders +ListOfBOMs=Materiallar varaqlari - BOM +ListOfManufacturingOrders=Ishlab chiqarish buyurtmalari NewBOM=Yangi hisobot materiallari ProductBOMHelp=Ushbu BOM bilan yaratish (yoki qismlarga ajratish) uchun mahsulot.
      Izoh: 'Mahsulotning tabiati' = 'Xomashyo' xususiyatiga ega mahsulotlar ushbu ro'yxatda ko'rinmaydi. BOMsNumberingModules=BOM raqamlash shablonlari @@ -27,13 +27,18 @@ ConfirmCloneBillOfMaterials=%s materiallar hisobini klonlamoqchimisiz? ConfirmCloneMo=%s ishlab chiqarish buyurtmasini klonlamoqchimisiz? ManufacturingEfficiency=Ishlab chiqarish samaradorligi ConsumptionEfficiency=Iste'mol samaradorligi -Consumption=Consumption +Consumption=Iste'mol ValueOfMeansLoss=0,95 qiymati ishlab chiqarish yoki demontaj paytida o'rtacha 5%% yo'qotishni bildiradi. ValueOfMeansLossForProductProduced=0,95 qiymati ishlab chiqarilgan mahsulotning o'rtacha 5%% yo'qolishini anglatadi DeleteBillOfMaterials=Materiallar varaqasini o'chirish +CancelMo=Ishlab chiqarish buyurtmasini bekor qilish +MoCancelConsumedAndProducedLines=Shuningdek, barcha iste'mol qilingan va ishlab chiqarilgan liniyalarni bekor qiling (chiziqlar va zaxiralarni o'chirish) +ConfirmCancelMo=Haqiqatan ham ushbu ishlab chiqarish buyurtmasini bekor qilmoqchimisiz? DeleteMo=Ishlab chiqarish buyurtmasini o'chirib tashlang ConfirmDeleteBillOfMaterials=Ushbu Bill Of Materialni o'chirishni xohlaysizmi? ConfirmDeleteMo=Haqiqatan ham ushbu ishlab chiqarish buyurtmasini o‘chirib tashlamoqchimisiz? +DeleteMoChild = Ushbu MO ga bogʻlangan asosiy MOlarni oʻchirib tashlang %s +MoChildsDeleted = Barcha bolalar MO o'chirildi MenuMRP=Ishlab chiqarish buyurtmalari NewMO=Yangi ishlab chiqarish tartibi QtyToProduce=Miqdor ishlab chiqarish @@ -60,7 +65,7 @@ ToProduce=Ishlab chiqarish ToObtain=Olish uchun QtyAlreadyConsumed=Miqdor allaqachon iste'mol qilingan QtyAlreadyProduced=Miqdor allaqachon ishlab chiqarilgan -QtyRequiredIfNoLoss=Qty required to produce the quantity defined into the BOM if there is no loss (if the manufacturing efficiency is 100%%) +QtyRequiredIfNoLoss=Agar yo'qotish bo'lmasa, BOMda belgilangan miqdorni ishlab chiqarish uchun zarur bo'lgan miqdor (ishlab chiqarish samaradorligi 100%% bo'lsa) ConsumeOrProduce=Iste'mol qiling yoki ishlab chiqaring ConsumeAndProduceAll=Hammasini iste'mol qiling va ishlab chiqaring Manufactured=Ishlab chiqarilgan @@ -83,7 +88,7 @@ ProductsToProduce=Ishlab chiqarish uchun mahsulotlar UnitCost=Birlik narxi TotalCost=Umumiy qiymati BOMTotalCost=Ushbu BOMni ishlab chiqarish uchun har bir miqdor va iste'mol qilinadigan mahsulot narxiga qarab xarajatlar (agar belgilangan bo'lsa, Narx narxidan foydalaning, boshqasi aniqlangan bo'lsa, o'rtacha og'irlik narxidan, eng yaxshi sotib olish narxidan) -BOMTotalCostService=If the "Workstation" module is activated and a workstation is defined by default on the line, then the calculation is "quantity (converted into hours) x workstation ahr", otherwise "quantity x cost price of the service" +BOMTotalCostService=Agar "Ish stantsiyasi" moduli faollashtirilgan bo'lsa va liniyada sukut bo'yicha ish stantsiyasi aniqlangan bo'lsa, u holda hisoblash "miqdori (soatga aylantirilgan) x ish stantsiyasi ahr", aks holda "miqdori x xizmat narxi" hisoblanadi. GoOnTabProductionToProduceFirst=Ishlab chiqarish buyurtmasini yopish uchun siz avval ishlab chiqarishni boshlashingiz kerak ('%s' yorlig'iga qarang). Ammo siz buni bekor qilishingiz mumkin. ErrorAVirtualProductCantBeUsedIntoABomOrMo=Kitni BOM yoki MOda ishlatib bo'lmaydi Workstation=Ish stantsiyasi @@ -102,7 +107,7 @@ NbOperatorsRequired=Kerakli operatorlar soni THMOperatorEstimated=Taxminiy operator THM THMMachineEstimated=Taxminiy mashina THM WorkstationType=Ish stantsiyasining turi -DefaultWorkstation=Default workstation +DefaultWorkstation=Standart ish stantsiyasi Human=Inson Machine=Mashina HumanMachine=Inson / mashina @@ -113,12 +118,20 @@ BOM=Materiallar ro'yxati CollapseBOMHelp=BOM moduli konfiguratsiyasida nomenklatura tafsilotlarining standart ko'rinishini belgilashingiz mumkin MOAndLines=Buyurtma va chiziqlarni ishlab chiqarish MoChildGenerate=Generate Child Mo -ParentMo=MO Parent -MOChild=MO Child -BomCantAddChildBom=The nomenclature %s is already present in the tree leading to the nomenclature %s -BOMNetNeeds = BOM Net Needs -BOMProductsList=BOM's products -BOMServicesList=BOM's services -Manufacturing=Manufacturing -Disassemble=Disassemble -ProducedBy=Produced by +ParentMo=MO ota-onasi +MOChild=MO bola +BomCantAddChildBom=%s nomenklaturasi %s nomenklaturasiga olib boruvchi daraxtda allaqachon mavjud. +BOMNetNeeds = BOM Net Ehtiyojlari +BOMProductsList=BOM mahsulotlari +BOMServicesList=BOM xizmatlari +Manufacturing=Ishlab chiqarish +Disassemble=Demontaj qilish +ProducedBy=tomonidan ishlab chiqarilgan +QtyTot=Jami miqdor + +QtyCantBeSplit= Miqdorni bo'lish mumkin emas +NoRemainQtyToDispatch=Bo'lish uchun miqdor qolmadi + +THMOperatorEstimatedHelp=Operatorning soatiga taxminiy narxi. Ushbu ish stantsiyasidan foydalangan holda BOM narxini baholash uchun foydalaniladi. +THMMachineEstimatedHelp=Mashinaning soatiga taxminiy narxi. Ushbu ish stantsiyasidan foydalangan holda BOM narxini baholash uchun foydalaniladi. + diff --git a/htdocs/langs/uz_UZ/multicurrency.lang b/htdocs/langs/uz_UZ/multicurrency.lang index 41bb4630ee0..fa732fc554f 100644 --- a/htdocs/langs/uz_UZ/multicurrency.lang +++ b/htdocs/langs/uz_UZ/multicurrency.lang @@ -18,7 +18,7 @@ MulticurrencyReceived=Qabul qilingan, asl valyuta MulticurrencyRemainderToTake=Qolgan summa, asl valyuta MulticurrencyPaymentAmount=To'lov miqdori, asl valyuta AmountToOthercurrency=Miqdor (qabul qiluvchi hisob raqamida) -CurrencyRateSyncSucceed=Valyuta kurslarini sinxronlashtirish muvaffaqiyatli amalga oshirildi +CurrencyRateSyncSucceed=Valyuta kursi sinxronizatsiyasi muvaffaqiyatli amalga oshirildi MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Onlayn to'lovlar uchun hujjat valyutasidan foydalaning TabTitleMulticurrencyRate=Narxlar ro'yxati ListCurrencyRate=Valyuta kurslarining ro'yxati @@ -36,3 +36,8 @@ Codemulticurrency=valyuta kodi UpdateRate=stavkani o'zgartirish CancelUpdate=bekor qilish NoEmptyRate=Stavka maydoni bo'sh bo'lmasligi kerak +CurrencyCodeId=Valyuta identifikatori +CurrencyCode=Valyuta kodi +CurrencyUnitPrice=Xorijiy valyutadagi birlik narxi +CurrencyPrice=Chet el valyutasida narx +MutltiCurrencyAutoUpdateCurrencies=Barcha valyuta kurslarini yangilang diff --git a/htdocs/langs/uz_UZ/oauth.lang b/htdocs/langs/uz_UZ/oauth.lang index b14e3e406e9..8c5468bbe38 100644 --- a/htdocs/langs/uz_UZ/oauth.lang +++ b/htdocs/langs/uz_UZ/oauth.lang @@ -9,13 +9,15 @@ HasAccessToken=Token yaratildi va mahalliy ma'lumotlar bazasiga saqlandi NewTokenStored=Token qabul qilindi va saqlandi ToCheckDeleteTokenOnProvider=%s OAuth provayderi tomonidan saqlangan avtorizatsiyani tekshirish / o'chirish uchun shu erni bosing TokenDeleted=Jeton o'chirildi -RequestAccess=Click here to request/renew access and receive a new token -DeleteAccess=Click here to delete token -UseTheFollowingUrlAsRedirectURI=OAuth provayderingiz bilan hisobga olish ma'lumotlarini yaratishda quyidagi URL manzilini qayta yo'naltirish URI sifatida foydalaning: -ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. -OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens +GetAccess=Token olish uchun shu yerni bosing +RequestAccess=Kirish soʻrash/yangilash va yangi token olish uchun shu yerni bosing +DeleteAccess=Tokenni o'chirish uchun shu yerni bosing +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider +ListOfSupportedOauthProviders=OAuth2 token provayderlaringizni qo'shing. Keyin OAuth identifikatori va sirini yaratish/olish va ularni shu yerda saqlash uchun OAuth provayderingizning administrator sahifasiga o‘ting. Tugatganingizdan so'ng, tokeningizni yaratish uchun boshqa yorliqni yoqing. +OAuthSetupForLogin=OAuth tokenlarini boshqarish (yaratish/oʻchirish) uchun sahifa SeePreviousTab=Oldingi yorliqni ko'ring -OAuthProvider=OAuth provider +OAuthProvider=OAuth provayderi OAuthIDSecret=OAuth identifikatori va maxfiy TOKEN_REFRESH=Tokenni yangilash sovg'asi TOKEN_EXPIRED=Jeton muddati tugagan @@ -27,10 +29,14 @@ OAUTH_GOOGLE_SECRET=OAuth Google Secret OAUTH_GITHUB_NAME=OAuth GitHub xizmati OAUTH_GITHUB_ID=OAuth GitHub Id OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret +OAUTH_URL_FOR_CREDENTIAL=bu sahifaga o'ting Barcha vositalarga chap menyu orqali kirish mumkin. Birthday=Tug'ilgan kun -BirthdayAlert=Birthday alert +BirthdayAlert=Tug'ilgan kun haqida ogohlantirish BirthdayAlertOn=tug'ilgan kun haqida ogohlantirish faol BirthdayAlertOff=tug'ilgan kun haqida ogohlantirish faol emas TransKey=TransKey kalitining tarjimasi @@ -31,7 +31,7 @@ PreviousYearOfInvoice=Hisob-fakturaning oldingi yili NextYearOfInvoice=Keyingi hisob-faktura sanasi DateNextInvoiceBeforeGen=Keyingi hisob-fakturaning sanasi (ishlab chiqarishdan oldin) DateNextInvoiceAfterGen=Keyingi hisob-fakturaning sanasi (avloddan keyin) -GraphInBarsAreLimitedToNMeasures=Grapics %s o'lchovlari bilan "Bars" rejimida cheklangan. Buning o'rniga "Lines" rejimi avtomatik ravishda tanlandi. +GraphInBarsAreLimitedToNMeasures=Grafika “Bars” rejimida %s o‘lchovlari bilan cheklangan. Buning o'rniga "Chiziqlar" rejimi avtomatik ravishda tanlandi. OnlyOneFieldForXAxisIsPossible=X o'qi sifatida hozirda faqat bitta maydon mavjud. Faqat birinchi tanlangan maydon tanlangan. AtLeastOneMeasureIsRequired=O'lchov uchun kamida 1 ta maydon kerak AtLeastOneXAxisIsRequired=X o'qi uchun kamida 1 maydon kerak @@ -41,10 +41,11 @@ notiftofixedemail=Ruxsat etilgan pochtaga notiftouserandtofixedemail=Foydalanuvchiga va doimiy pochtaga Notify_ORDER_VALIDATE=Savdo buyurtmasi tasdiqlangan Notify_ORDER_SENTBYMAIL=Savdo buyurtmasi pochta orqali yuborilgan -Notify_ORDER_CLOSE=Sales order delivered +Notify_ORDER_CLOSE=Sotish buyurtmasi yetkazib berildi Notify_ORDER_SUPPLIER_SENTBYMAIL=Xarid qilish buyurtmasi elektron pochta orqali yuborilgan Notify_ORDER_SUPPLIER_VALIDATE=Sotib olish to'g'risida buyurtma yozib olindi Notify_ORDER_SUPPLIER_APPROVE=Xarid qilish tartibi tasdiqlandi +Notify_ORDER_SUPPLIER_SUBMIT=Buyurtma topshirildi Notify_ORDER_SUPPLIER_REFUSE=Xarid qilish buyurtmasi rad etildi Notify_PROPAL_VALIDATE=Mijozning taklifi tasdiqlandi Notify_PROPAL_CLOSE_SIGNED=Mijozlar taklifi imzolangan holda yopildi @@ -54,7 +55,7 @@ Notify_WITHDRAW_TRANSMIT=Transmissiyani olib qo'yish Notify_WITHDRAW_CREDIT=Kredit olish Notify_WITHDRAW_EMIT=Cheklashni amalga oshiring Notify_COMPANY_CREATE=Uchinchi tomon yaratildi -Notify_COMPANY_SENTBYMAIL=Mails sent from the page of third party +Notify_COMPANY_SENTBYMAIL=Uchinchi tomon sahifasidan yuborilgan xatlar Notify_BILL_VALIDATE=Mijozlarning hisob-fakturasi tasdiqlangan Notify_BILL_UNVALIDATE=Mijozlarning hisob-fakturasi tasdiqlanmagan Notify_BILL_PAYED=Mijozlarning hisob-fakturasi to'landi @@ -63,9 +64,10 @@ Notify_BILL_SENTBYMAIL=Mijozlarning hisob-fakturasi pochta orqali yuborilgan Notify_BILL_SUPPLIER_VALIDATE=Sotuvchi fakturasi tasdiqlangan Notify_BILL_SUPPLIER_PAYED=Sotuvchi hisob-fakturasi to'langan Notify_BILL_SUPPLIER_SENTBYMAIL=Sotuvchi hisob-fakturasi pochta orqali yuborilgan -Notify_BILL_SUPPLIER_CANCELED=Sotuvchi fakturasi bekor qilindi +Notify_BILL_SUPPLIER_CANCELED=Sotuvchi hisob-fakturasi bekor qilindi Notify_CONTRACT_VALIDATE=Shartnoma tasdiqlangan Notify_FICHINTER_VALIDATE=Interventsiya tasdiqlandi +Notify_FICHINTER_CLOSE=Intervensiya yopildi Notify_FICHINTER_ADD_CONTACT=Interventsiyaga kontakt qo'shildi Notify_FICHINTER_SENTBYMAIL=Pochta orqali yuborilgan aralashuv Notify_SHIPPING_VALIDATE=Yuk tashish tasdiqlangan @@ -112,7 +114,7 @@ ChooseYourDemoProfilMore=... yoki o'zingizning profilingizni yarating
      (modu DemoFundation=Jamg'arma a'zolarini boshqarish DemoFundation2=Jamg'arma a'zolari va bankdagi hisob raqamlarini boshqarish DemoCompanyServiceOnly=Faqat kompaniya yoki erkin sotish xizmati -DemoCompanyShopWithCashDesk=Manage a shop with a cash box +DemoCompanyShopWithCashDesk=Naqd pul qutisi bilan do'konni boshqaring DemoCompanyProductAndStocks=Savdo nuqtasi bilan mahsulot sotadigan do'kon DemoCompanyManufacturing=Kompaniya mahsulot ishlab chiqaradi DemoCompanyAll=Faoliyati ko'p bo'lgan kompaniya (barcha asosiy modullar) @@ -183,35 +185,39 @@ SizeUnitfoot=oyoq SizeUnitpoint=nuqta BugTracker=Xatolarni kuzatuvchi SendNewPasswordDesc=Ushbu shakl yangi parolni so'rashga imkon beradi. Bu sizning elektron pochta manzilingizga yuboriladi.
      O'zgartirish elektron pochtadagi tasdiqlash havolasini bosgandan so'ng kuchga kiradi.
      pochta qutisini tekshiring. -EnterNewPasswordHere=Enter your new password here +EnterNewPasswordHere=Bu yerda yangi parolingizni kiriting BackToLoginPage=Kirish sahifasiga qaytish AuthenticationDoesNotAllowSendNewPassword=Autentifikatsiya rejimi %s .
      Ushbu rejimda Dolibarr parolingizni bilolmaydi va o'zgartira olmaydi.
      Agar parolingizni o'zgartirmoqchi bo'lsangiz, tizim ma'muringizga murojaat qiling. EnableGDLibraryDesc=Ushbu parametrdan foydalanish uchun PHP o'rnatishingizda GD kutubxonasini o'rnating yoki yoqing. ProfIdShortDesc= Prof Id %s - bu uchinchi tomon mamlakatiga bog'liq bo'lgan ma'lumot.
      Masalan, %s mamlakati uchun bu %s a09a4b739f8 DolibarrDemo=Dolibarr ERP / CRM demo -StatsByAmount=Statistics on amount of products/services +StatsByAmount=Mahsulotlar/xizmatlar miqdori bo'yicha statistik ma'lumotlar +StatsByAmountProducts=Mahsulotlar miqdori bo'yicha statistika +StatsByAmountServices=Xizmatlar miqdori bo'yicha statistika StatsByNumberOfUnits=Mahsulotlar / xizmatlar miqdori yig'indisi statistikasi +StatsByNumberOfUnitsProducts=Mahsulot miqdori bo'yicha statistik ma'lumotlar +StatsByNumberOfUnitsServices=Xizmatlar miqdori bo'yicha statistika StatsByNumberOfEntities=Yo'naltiruvchi tashkilotlarning statistikasi (hisob-fakturalar yoki buyurtmalar ...) -NumberOf=Number of %s -NumberOfUnits=Number of units on %s -AmountIn=Amount in %s +NumberOf=%s soni +NumberOfUnits=%s da birliklar soni +AmountIn=%sdagi summa NumberOfUnitsMos=Ishlab chiqarish buyurtmalarida ishlab chiqariladigan birliklar soni EMailTextInterventionAddedContact=Sizga %s yangi aralashuvi tayinlandi. EMailTextInterventionValidated=%s aralashuvi tasdiqlandi. +EMailTextInterventionClosed=%s aralashuvi yopildi. EMailTextInvoiceValidated=%s hisob-fakturasi tasdiqlangan. EMailTextInvoicePayed=%s hisob-fakturasi to'landi. EMailTextProposalValidated=%s taklifi tasdiqlandi. EMailTextProposalClosedSigned=%s taklifi imzolandi. -EMailTextProposalClosedSignedWeb=Proposal %s has been closed signed on portal page. -EMailTextProposalClosedRefused=Proposal %s has been closed refused. -EMailTextProposalClosedRefusedWeb=Proposal %s has been closed refuse on portal page. +EMailTextProposalClosedSignedWeb=%s taklifi portal sahifasida imzolangan holda yopildi. +EMailTextProposalClosedRefused=%s taklifi rad etildi. +EMailTextProposalClosedRefusedWeb=%s taklifi portal sahifasida rad etildi. EMailTextOrderValidated=%s buyurtmasi tasdiqlangan. -EMailTextOrderClose=Order %s has been delivered. -EMailTextOrderApproved=%s buyurtmasi tasdiqlandi. -EMailTextOrderValidatedBy=%s buyurtmasi %s tomonidan qayd etilgan. -EMailTextOrderApprovedBy=%s buyurtmasi %s tomonidan tasdiqlangan. -EMailTextOrderRefused=%s buyurtmasi rad etildi. -EMailTextOrderRefusedBy=%s buyurtmasi %s tomonidan rad etildi. +EMailTextOrderClose=Buyurtma %s yetkazib berildi. +EMailTextSupplierOrderApprovedBy=%s xarid buyurtmasi %s tomonidan tasdiqlangan. +EMailTextSupplierOrderValidatedBy=%s xarid buyurtmasi %s tomonidan qayd etildi. +EMailTextSupplierOrderSubmittedBy=%s xarid buyurtmasi %s tomonidan yuborildi. +EMailTextSupplierOrderRefusedBy=%s xarid buyurtmasi %s tomonidan rad etildi. EMailTextExpeditionValidated=%s jo'natmasi tasdiqlangan. EMailTextExpenseReportValidated=%s xarajatlar hisoboti tasdiqlandi. EMailTextExpenseReportApproved=%s xarajatlar hisoboti tasdiqlandi. @@ -289,10 +295,12 @@ LinesToImport=Import qilish uchun chiziqlar MemoryUsage=Xotiradan foydalanish RequestDuration=So'rov muddati -ProductsPerPopularity=Ommabopligi bo'yicha mahsulotlar / xizmatlar -PopuProp=Takliflarda mashhurligi bo'yicha mahsulotlar / xizmatlar -PopuCom=Buyurtmalardagi mashhurligi bo'yicha mahsulotlar / xizmatlar -ProductStatistics=Mahsulotlar / xizmatlar statistikasi +ProductsServicesPerPopularity=Mahsulotlar|Mashhurlik bo'yicha xizmatlar +ProductsPerPopularity=Mashhurlik bo'yicha mahsulotlar +ServicesPerPopularity=Mashhurlik bo'yicha xizmatlar +PopuProp=Mahsulotlar|Takliflardagi mashhurlik bo'yicha xizmatlar +PopuCom=Mahsulotlar|Buyurtmalardagi mashhurlik bo'yicha xizmatlar +ProductStatistics=Mahsulotlar|Xizmatlar statistikasi NbOfQtyInOrders=Buyurtmalar soni SelectTheTypeOfObjectToAnalyze=Uning statistikasini ko'rish uchun ob'ektni tanlang ... @@ -300,30 +308,31 @@ ConfirmBtnCommonContent = Haqiqatan ham "%s" ni xohlaysizmi? ConfirmBtnCommonTitle = Sizning harakatingizni tasdiqlang CloseDialog = Yopish Autofill = Avtomatik toʻldirish +OrPasteAnURL=yoki URL manzilini joylashtiring # externalsite -ExternalSiteSetup=Setup link to external website -ExternalSiteURL=External Site URL of HTML iframe content -ExternalSiteModuleNotComplete=Module ExternalSite was not configured properly. -ExampleMyMenuEntry=My menu entry +ExternalSiteSetup=Tashqi veb-saytga havolani o'rnatish +ExternalSiteURL=HTML iframe kontentining tashqi sayt URL manzili +ExternalSiteModuleNotComplete=Module ExternalSite to'g'ri sozlanmagan. +ExampleMyMenuEntry=Mening menyuga kirishim # ftp -FTPClientSetup=FTP or SFTP Client module setup -NewFTPClient=New FTP/SFTP connection setup -FTPArea=FTP/SFTP Area -FTPAreaDesc=This screen shows a view of an FTP et SFTP server. -SetupOfFTPClientModuleNotComplete=The setup of the FTP or SFTP client module seems to be incomplete -FTPFeatureNotSupportedByYourPHP=Your PHP does not support FTP or SFTP functions -FailedToConnectToFTPServer=Failed to connect to server (server %s, port %s) -FailedToConnectToFTPServerWithCredentials=Failed to login to server with defined login/password -FTPFailedToRemoveFile=Failed to remove file %s. -FTPFailedToRemoveDir=Failed to remove directory %s: check permissions and that the directory is empty. -FTPPassiveMode=Passive mode -ChooseAFTPEntryIntoMenu=Choose a FTP/SFTP site from the menu... -FailedToGetFile=Failed to get files %s -ErrorFTPNodisconnect=Error to disconnect FTP/SFTP server -FileWasUpload=File %s was uploaded -FTPFailedToUploadFile=Failed to upload the file %s. -AddFolder=Create folder -FileWasCreateFolder=Folder %s has been created -FTPFailedToCreateFolder=Failed to create folder %s. +FTPClientSetup=FTP yoki SFTP mijoz modulini sozlash +NewFTPClient=Yangi FTP/SFTP ulanish sozlamalari +FTPArea=FTP/SFTP maydoni +FTPAreaDesc=Ushbu ekran FTP va SFTP serverining ko'rinishini ko'rsatadi. +SetupOfFTPClientModuleNotComplete=FTP yoki SFTP mijoz modulini sozlash tugallanmaganga o'xshaydi +FTPFeatureNotSupportedByYourPHP=Sizning PHP FTP yoki SFTP funksiyalarini qo'llab-quvvatlamaydi +FailedToConnectToFTPServer=Serverga ulanib bo'lmadi (server %s, port %s) +FailedToConnectToFTPServerWithCredentials=Belgilangan login/parol bilan serverga kirib bo'lmadi +FTPFailedToRemoveFile=%s faylini olib tashlab bo‘lmadi. +FTPFailedToRemoveDir=Katalogni olib tashlab bo'lmadi %s: ruxsatlarni tekshiring va bo'sh. +FTPPassiveMode=Passiv rejim +ChooseAFTPEntryIntoMenu=Menyudan FTP/SFTP saytini tanlang... +FailedToGetFile=%s fayllarini olib bo‘lmadi +ErrorFTPNodisconnect=FTP/SFTP serverini uzishda xatolik yuz berdi +FileWasUpload=%s fayl yuklandi +FTPFailedToUploadFile=%s faylini yuklab bo‘lmadi. +AddFolder=Jild yaratish +FileWasCreateFolder=%s jild yaratildi +FTPFailedToCreateFolder=%s jildini yaratib bo‘lmadi. diff --git a/htdocs/langs/uz_UZ/partnership.lang b/htdocs/langs/uz_UZ/partnership.lang index a02f290037b..b958ab70336 100644 --- a/htdocs/langs/uz_UZ/partnership.lang +++ b/htdocs/langs/uz_UZ/partnership.lang @@ -20,6 +20,7 @@ ModulePartnershipName=Hamkorlikni boshqarish PartnershipDescription=Modul sherikligini boshqarish PartnershipDescriptionLong= Modul sherikligini boshqarish Partnership=Hamkorlik +Partnerships=Hamkorlik AddPartnership=Hamkorlik qo'shing CancelPartnershipForExpiredMembers=Hamkorlik: muddati o'tgan obunalari bo'lgan a'zolarning sherikligini bekor qiling PartnershipCheckBacklink=Hamkorlik: teskari bog'lanishni tekshiring @@ -28,6 +29,7 @@ PartnershipCheckBacklink=Hamkorlik: teskari bog'lanishni tekshiring # Menu # NewPartnership=Yangi hamkorlik +NewPartnershipbyWeb=Hamkorlik soʻrovingiz muvaffaqiyatli qoʻshildi. Tez orada siz bilan bog'lanishimiz mumkin... ListOfPartnerships=Hamkorlik ro'yxati # @@ -36,10 +38,10 @@ ListOfPartnerships=Hamkorlik ro'yxati PartnershipSetup=Hamkorlikni o'rnatish PartnershipAbout=Hamkorlik haqida PartnershipAboutPage=Sahifa haqida hamkorlik -partnershipforthirdpartyormember=Hamkor maqomi "uchinchi tomon" yoki "a'zo" da o'rnatilishi kerak +partnershipforthirdpartyormember=Hamkor maqomi "uchinchi tomon" yoki "a'zo" ga o'rnatilishi kerak PARTNERSHIP_IS_MANAGED_FOR=Hamkorlik boshqarildi PARTNERSHIP_BACKLINKS_TO_CHECK=Tekshirish uchun qayta bog'lanishlar -PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Obuna muddati tugaganidan keyin hamkorlik maqomini bekor qilishdan bir necha kun oldin +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Obuna muddati tugashi bilan hamkorlik holatini bekor qilishdan bir kun oldin ReferingWebsiteCheck=Veb-saytga yo'naltirilganligini tekshiring ReferingWebsiteCheckDesc=Siz o'zingizning veb-saytingizda sheriklaringizning veb-sayt domenlariga orqa bog'lanishni qo'shganligini tekshirish uchun xususiyatni yoqishingiz mumkin. PublicFormRegistrationPartnerDesc=Dolibarr sizga tashqi tashrif buyuruvchilarga hamkorlik dasturining bir qismi bo'lishni so'rashiga ruxsat berish uchun sizga umumiy URL/veb-sayt taqdim etishi mumkin. @@ -80,10 +82,10 @@ YourPartnershipRefusedTopic=Hamkorlik rad etildi YourPartnershipAcceptedTopic=Hamkorlik qabul qilindi YourPartnershipCanceledTopic=Hamkorlik bekor qilindi -YourPartnershipWillSoonBeCanceledContent=Sizning hamkorligingiz yaqinda bekor qilinishini xabar qilamiz (Backlink topilmadi) -YourPartnershipRefusedContent=Sizning sheriklik so'rovingiz rad etilganligi haqida xabar beramiz. -YourPartnershipAcceptedContent=Sizga sheriklik so'rovingiz qabul qilinganligi to'g'risida xabar beramiz. -YourPartnershipCanceledContent=Sizning hamkorligingiz bekor qilinganligi haqida xabar beramiz. +YourPartnershipWillSoonBeCanceledContent=Sizga shuni ma'lum qilamizki, bizning hamkorligimiz tez orada bekor qilinadi (biz yangilanmagan yoki hamkorligimiz uchun zarur shart bajarilmagan). Agar siz buni xatolik tufayli olgan bo'lsangiz, iltimos biz bilan bog'laning. +YourPartnershipRefusedContent=Sizning sheriklik so'rovingiz rad etilganligini ma'lum qilamiz. Old shartlar bajarilmagan. Agar sizga qo'shimcha ma'lumot kerak bo'lsa, biz bilan bog'laning. +YourPartnershipAcceptedContent=Sizning hamkorlikka bo'lgan talabingiz qabul qilinganligini ma'lum qilamiz. +YourPartnershipCanceledContent=Sizga shuni ma'lum qilamizki, bizning hamkorligimiz bekor qilingan. Agar sizga qo'shimcha ma'lumot kerak bo'lsa, biz bilan bog'laning. CountLastUrlCheckError=Oxirgi URL tekshiruvidagi xatolar soni LastCheckBacklink=URLni oxirgi tekshirish sanasi @@ -91,4 +93,7 @@ ReasonDeclineOrCancel=Rad etish sababi NewPartnershipRequest=Yangi hamkorlik talabi NewPartnershipRequestDesc=Ushbu shakl sizga hamkorlik dasturimizning bir qismi bo'lish uchun so'rov yuborish imkonini beradi. Agar sizga ushbu shaklni to'ldirishda yordam kerak bo'lsa, %s elektron pochta orqali bog'laning. +ThisUrlMustContainsAtLeastOneLinkToWebsite=Bu sahifada quyidagi domenlardan biriga kamida bitta havola boʻlishi kerak: %s + +IPOfApplicant=Ariza beruvchining IP diff --git a/htdocs/langs/uz_UZ/paypal.lang b/htdocs/langs/uz_UZ/paypal.lang index 1d035fcfb6a..8355a88b00e 100644 --- a/htdocs/langs/uz_UZ/paypal.lang +++ b/htdocs/langs/uz_UZ/paypal.lang @@ -34,3 +34,4 @@ ARollbackWasPerformedOnPostActions=Postning barcha harakatlarida orqaga qaytaris ValidationOfPaymentFailed=To'lov tasdiqlanmadi CardOwner=Karta egasi PayPalBalance=Paypal krediti +OnlineSubscriptionPaymentLine=%s
      da yozilgan onlayn obuna %s
      Asl IP-manzili: %s
      Tranzaksiya identifikatori: diff --git a/htdocs/langs/uz_UZ/productbatch.lang b/htdocs/langs/uz_UZ/productbatch.lang index ea30aff260a..d86dae301fc 100644 --- a/htdocs/langs/uz_UZ/productbatch.lang +++ b/htdocs/langs/uz_UZ/productbatch.lang @@ -17,9 +17,9 @@ printBatch=Lot / ketma-ket: %s printEatby=Ovqatlanish: %s printSellby=Sotuvchi: %s printQty=Miqdor: %d -printPlannedWarehouse=Warehouse: %s +printPlannedWarehouse=Ombor: %s AddDispatchBatchLine=Raf umrini jo'natish uchun qator qo'shing -WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic stock decrease is forced to '%s' and automatic increase mode is forced to '%s'. Some choices may be not available. Other options can be defined as you want. +WhenProductBatchModuleOnOptionAreForced=Lot/Serial moduli yoqilgan bo'lsa, zaxiralarni avtomatik kamaytirish "%s"ga, avtomatik oshirish rejimi esa "%sga majburlanadi. '. Ba'zi variantlar mavjud bo'lmasligi mumkin. Boshqa variantlar siz xohlagancha belgilanishi mumkin. ProductDoesNotUseBatchSerial=Ushbu mahsulotda lot / seriya raqami ishlatilmaydi ProductLotSetup=Modul partiyasini o'rnatish / ketma-ketlik ShowCurrentStockOfLot=Er-xotin mahsulot / lot uchun joriy zaxiralarni ko'rsating @@ -45,3 +45,5 @@ OutOfOrder=Ishdan chiqdi InWorkingOrder=Ish tartibida ToReplace=O'zgartiring CantMoveNonExistantSerial=Xato. Siz endi mavjud bo'lmagan serial uchun rekordni ko'chirishni so'raysiz. Balki siz bir xil seriyani bitta omborda bir necha marta bir jo'natishda olgansiz yoki u boshqa jo'natmada ishlatilgan. Ushbu yukni olib tashlang va boshqasini tayyorlang. +TableLotIncompleteRunRepairWithParamStandardEqualConfirmed=“...repair.php?standard=confirmed” parametri bilan lot jadvali toʻliq bajarilmagan taʼmirlash +IlligalQtyForSerialNumbers= Aktsiyalarni tuzatish talab qilinadi, chunki noyob seriya raqami. diff --git a/htdocs/langs/uz_UZ/products.lang b/htdocs/langs/uz_UZ/products.lang index f611e1f0303..3035e65bac2 100644 --- a/htdocs/langs/uz_UZ/products.lang +++ b/htdocs/langs/uz_UZ/products.lang @@ -80,8 +80,11 @@ SoldAmount=Sotilgan summa PurchasedAmount=Xarid qilingan summa NewPrice=Yangi narx MinPrice=Min. sotish narxi +MinPriceHT=Min. sotish narxi (soliqdan tashqari) +MinPriceTTC=Min. sotish narxi (soliq bilan birga) EditSellingPriceLabel=Sotish narxlari yorlig'ini tahrirlash -CantBeLessThanMinPrice=Sotish narxi ushbu mahsulot uchun ruxsat etilgan minimal qiymatdan past bo'lishi mumkin emas (%s soliqsiz). Agar siz juda muhim chegirma yozsangiz, bu xabar ham paydo bo'lishi mumkin. +CantBeLessThanMinPrice=Sotish narxi bu mahsulot uchun ruxsat etilgan minimal qiymatdan past boʻlishi mumkin emas (soliqsiz %s). Agar siz sezilarli chegirma yozsangiz, bu xabar paydo bo'lishi mumkin. +CantBeLessThanMinPriceInclTax=Sotish narxi bu mahsulot uchun ruxsat etilgan minimal qiymatdan past boʻlishi mumkin emas (%s soliqlar bilan birga). Agar siz juda muhim chegirma yozsangiz, bu xabar ham paydo bo'lishi mumkin. ContractStatusClosed=Yopiq ErrorProductAlreadyExists=%s mos yozuvli mahsulot allaqachon mavjud. ErrorProductBadRefOrLabel=Malumot yoki yorliq uchun noto'g'ri qiymat. @@ -262,7 +265,7 @@ Quarter1=1-chi. Chorak Quarter2=2-chi. Chorak Quarter3=3-chi. Chorak Quarter4=4-chi. Chorak -BarCodePrintsheet=Print barcodes +BarCodePrintsheet=Shtrix-kodlarni chop etish PageToGenerateBarCodeSheets=Ushbu vosita yordamida siz shtrix-stiker varaqlarini chop etishingiz mumkin. Stiker sahifangizning formatini, shtrix-kod turini va shtrix-kodning qiymatini tanlang, so'ng %s tugmachasini bosing. NumberOfStickers=Sahifada chop etiladigan stikerlar soni PrintsheetForOneBarCode=Bitta shtrix-kod uchun bir nechta stikerlarni chop eting @@ -345,18 +348,19 @@ PossibleValues=Mumkin bo'lgan qiymatlar GoOnMenuToCreateVairants=Atribut variantlarini tayyorlash uchun (ranglar, o'lchamlar, ... kabi) %s - %s menyusiga o'ting. UseProductFournDesc=Xaridorlar tavsifiga qo'shimcha ravishda sotuvchilar tomonidan aniqlangan mahsulot tavsifini (har bir sotuvchi ma'lumotnomasi uchun) belgilash xususiyatini qo'shing. ProductSupplierDescription=Mahsulot uchun sotuvchining tavsifi -UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) -PackagingForThisProduct=Packaging of quantities +UseProductSupplierPackaging=Miqdorlarni bir necha berilgan ko'paytmalarga yaxlitlash uchun "qadoqlash" funksiyasidan foydalaning (sotuvchi hujjatlariga qator qo'shish/yangilashda mahsulotning sotib olish bahosidagi yuqori ko'p to'plamga muvofiq miqdor va xarid narxlarini qayta hisoblang) +PackagingForThisProduct=Miqdorlarni qadoqlash PackagingForThisProductDesc=Siz avtomatik ravishda ushbu miqdorning bir nechtasini sotib olasiz. QtyRecalculatedWithPackaging=Chiziq miqdori etkazib beruvchilarning qadoqlariga muvofiq qayta hisoblab chiqilgan #Attributes +Attributes=Atributlar VariantAttributes=Variant atributlari ProductAttributes=Mahsulotlar uchun turli xil atributlar ProductAttributeName=Variant atributi %s ProductAttribute=Variant atributi ProductAttributeDeleteDialog=Ushbu xususiyatni o'chirishni xohlaysizmi? Barcha qiymatlar o'chiriladi -ProductAttributeValueDeleteDialog=Ushbu atributning "%s" mos yozuvlar bilan "%s" qiymatini o'chirishni xohlaysizmi? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Haqiqatan ham mahsulotning " %s " variantini o'chirishni xohlaysizmi? ProductCombinationAlreadyUsed=Variantni o'chirishda xatolik yuz berdi. Iltimos, u hech qanday ob'ektda ishlatilmayotganligini tekshiring ProductCombinations=Variantlar @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Mavjud mahsulot variantlarini o'chirishda xatolik NbOfDifferentValues=Turli xil qiymatlar soni NbProducts=Mahsulotlar soni ParentProduct=Asosiy mahsulot +ParentProductOfVariant=Variantning asosiy mahsuloti HideChildProducts=Variant mahsulotlarini yashirish ShowChildProducts=Variant mahsulotlarini ko'rsating NoEditVariants=Ota-ona mahsulot kartasiga o'ting va variantlar ko'rinishida variantlar narxiga ta'sirini tahrir qiling @@ -399,7 +404,7 @@ ActionAvailableOnVariantProductOnly=Aksiya faqat mahsulotning variantida mavjud ProductsPricePerCustomer=Xaridorlar uchun mahsulot narxi ProductSupplierExtraFields=Qo'shimcha atributlar (etkazib beruvchilar narxi) DeleteLinkedProduct=Kombinatsiyaga bog'langan bolalar mahsulotini o'chirib tashlang -AmountUsedToUpdateWAP=Unit amount to use to update the Weighted Average Price +AmountUsedToUpdateWAP=O'rtacha o'lchangan narxni yangilash uchun foydalaniladigan birlik miqdori PMPValue=O'rtacha narx PMPValueShort=WAP mandatoryperiod=Majburiy davrlar @@ -416,12 +421,12 @@ ProductsMergeSuccess=Mahsulotlar birlashtirildi ErrorsProductsMerge=Mahsulotlarni birlashtirishdagi xatolar SwitchOnSaleStatus=Sotish holatini yoqing SwitchOnPurchaseStatus=Xarid holatini yoqing -UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Qo'shimcha maydonlar (birja harakati) +UpdatePrice=Mijoz narxini oshirish/pasaytirish +StockMouvementExtraFields= Qo'shimcha maydonlar (birjalar harakati) InventoryExtraFields= Qo'shimcha maydonlar (inventarizatsiya) ScanOrTypeOrCopyPasteYourBarCodes=Shtrix-kodlaringizni skanerlang yoki yozing yoki nusxalash/joylashtirish PuttingPricesUpToDate=Joriy ma'lum narxlar bilan narxlarni yangilang -PuttingDescUpToDate=Update descriptions with current known descriptions +PuttingDescUpToDate=Ta'riflarni joriy ma'lum tavsiflar bilan yangilang PMPExpected=Kutilayotgan PMP ExpectedValuation=Kutilayotgan baholash PMPReal=Haqiqiy PMP @@ -429,4 +434,6 @@ RealValuation=Haqiqiy baholash ConfirmEditExtrafield = O'zgartirmoqchi bo'lgan qo'shimcha maydonni tanlang ConfirmEditExtrafieldQuestion = Haqiqatan ham bu qoʻshimcha maydonni oʻzgartirmoqchimisiz? ModifyValueExtrafields = Qo'shimcha maydonning qiymatini o'zgartirish -OrProductsWithCategories=Or products with tags/categories +OrProductsWithCategories=Yoki teglar/toifali mahsulotlar +WarningTransferBatchStockMouvToGlobal = Agar siz ushbu mahsulotni seriyadan chiqarishni istasangiz, uning barcha seriyali zaxiralari global zaxiraga aylantiriladi +WarningConvertFromBatchToSerial=Agar sizda mahsulot uchun 2 ga teng yoki kattaroq miqdor mavjud bo'lsa, ushbu tanlovga o'tish sizda bir xil partiyaning turli ob'ektlari bo'lgan mahsulotga ega bo'lishingizni anglatadi (agar siz noyob seriya raqamini xohlasangiz). Dublikat inventarizatsiya qilinmaguncha yoki uni tuzatish uchun qo'lda stok harakati amalga oshirilgunga qadar qoladi. diff --git a/htdocs/langs/uz_UZ/projects.lang b/htdocs/langs/uz_UZ/projects.lang index f6be6baf051..4ada0cf6340 100644 --- a/htdocs/langs/uz_UZ/projects.lang +++ b/htdocs/langs/uz_UZ/projects.lang @@ -23,7 +23,7 @@ TasksPublicDesc=Ushbu ko'rinish sizga o'qishga ruxsat berilgan barcha loyihalar TasksDesc=Ushbu ko'rinish barcha loyihalar va vazifalarni taqdim etadi (foydalanuvchi ruxsatlari sizga hamma narsani ko'rishga ruxsat beradi). AllTaskVisibleButEditIfYouAreAssigned=Malakali loyihalar uchun barcha vazifalar ko'rinib turadi, ammo siz faqat tanlangan foydalanuvchiga berilgan topshiriq uchun vaqt kiritishingiz mumkin. Agar unga vaqt kiritishingiz kerak bo'lsa, vazifani tayinlang. OnlyYourTaskAreVisible=Faqat sizga yuklangan vazifalar ko'rinadi. Agar topshiriq bo'yicha vaqtni kiritishingiz kerak bo'lsa va agar bu erda vazifa ko'rinmasa, unda siz o'zingiz uchun vazifani tayinlashingiz kerak. -ImportDatasetProjects=Projects or opportunities +ImportDatasetProjects=Loyihalar yoki imkoniyatlar ImportDatasetTasks=Loyihalarning vazifalari ProjectCategories=Loyiha teglari / toifalari NewProject=Yangi loyiha @@ -33,22 +33,23 @@ DeleteATask=Vazifani o'chirib tashlang ConfirmDeleteAProject=Ushbu loyihani o'chirishni xohlaysizmi? ConfirmDeleteATask=Ushbu vazifani o'chirishni xohlaysizmi? OpenedProjects=Ochiq loyihalar -OpenedProjectsOpportunities=Open opportunities +OpenedProjectsOpportunities=Ochiq imkoniyatlar OpenedTasks=Ochiq vazifalar OpportunitiesStatusForOpenedProjects=Status bo'yicha ochiq loyihalarning etakchisi OpportunitiesStatusForProjects=Loyihalar miqdori bo'yicha maqomi bo'yicha etakchilik qiladi ShowProject=Loyihani namoyish etish ShowTask=Vazifani ko'rsatish -SetThirdParty=Set third party +SetThirdParty=Uchinchi tomonni o'rnating SetProject=Loyihani o'rnating -OutOfProject=Out of project +OutOfProject=Loyihadan tashqari NoProject=Hech qanday loyiha aniqlanmagan yoki tegishli emas NbOfProjects=Loyihalar soni NbOfTasks=Vazifalar soni +TimeEntry=Vaqtni kuzatish TimeSpent=O'tkazilgan vaqt +TimeSpentSmall=Time spent TimeSpentByYou=Siz sarflagan vaqt TimeSpentByUser=Foydalanuvchi sarflagan vaqt -TimesSpent=O'tkazilgan vaqt TaskId=Vazifa identifikatori RefTask=Vazifa ref. LabelTask=Vazifa yorlig'i @@ -82,7 +83,7 @@ MyProjectsArea=Mening loyihalarim DurationEffective=Amal qilish muddati ProgressDeclared=Haqiqiy taraqqiyot e'lon qilindi TaskProgressSummary=Vazifaning bajarilishi -CurentlyOpenedTasks=Ochiq vazifalar +CurentlyOpenedTasks=Hozir ochiq vazifalar TheReportedProgressIsLessThanTheCalculatedProgressionByX=E'lon qilingan haqiqiy taraqqiyot iste'molga nisbatan kamroq %s TheReportedProgressIsMoreThanTheCalculatedProgressionByX=E'lon qilingan haqiqiy taraqqiyot iste'molning rivojlanishiga qaraganda ko'proq %s ProgressCalculated=Iste'mol bo'yicha taraqqiyot @@ -122,12 +123,12 @@ TaskHasChild=Vazifada bola bor NotOwnerOfProject=Ushbu xususiy loyihaning egasi emas AffectedTo=Ajratilgan CantRemoveProject=Ushbu loyihani olib tashlash mumkin emas, chunki u boshqa ob'ektlar (faktura, buyurtma yoki boshqa) tomonidan havola qilinadi. '%s' yorlig'iga qarang. -ValidateProject=Proyektorni tasdiqlang +ValidateProject=Loyihani tasdiqlash ConfirmValidateProject=Ushbu loyihani tasdiqlamoqchimisiz? CloseAProject=Loyihani yoping ConfirmCloseAProject=Ushbu loyihani yopmoqchi ekanligingizga aminmisiz? -AlsoCloseAProject=Also close project -AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it +AlsoCloseAProject=Shuningdek, loyihani yoping +AlsoCloseAProjectTooltip=Agar siz hali ham ishlab chiqarish vazifalarini bajarishingiz kerak bo'lsa, uni ochiq saqlang ReOpenAProject=Ochiq loyiha ConfirmReOpenAProject=Ushbu loyihani qayta ochishni xohlaysizmi? ProjectContact=Loyiha aloqalari @@ -170,7 +171,7 @@ OpportunityProbability=Qo'rg'oshin ehtimoli OpportunityProbabilityShort=Qo'rg'oshin probab. OpportunityAmount=Qo'rg'oshin miqdori OpportunityAmountShort=Qo'rg'oshin miqdori -OpportunityWeightedAmount=Amount of opportunity, weighted by probability +OpportunityWeightedAmount=Imkoniyat miqdori, ehtimollik bo'yicha OpportunityWeightedAmountShort=Opp. tortilgan miqdor OpportunityAmountAverageShort=O'rtacha qo'rg'oshin miqdori OpportunityAmountWeigthedShort=Qo'rg'oshin miqdori @@ -203,7 +204,7 @@ InputPerMonth=Oyiga kiritish InputDetail=Kirish tafsiloti TimeAlreadyRecorded=Bu allaqachon ushbu vazifa uchun yozilgan vaqt va foydalanuvchi %s ProjectsWithThisUserAsContact=Ushbu foydalanuvchi bilan aloqa sifatida loyihalar -ProjectsWithThisContact=Projects with this third-party contact +ProjectsWithThisContact=Ushbu uchinchi tomon aloqasi bilan loyihalar TasksWithThisUserAsContact=Ushbu foydalanuvchiga berilgan vazifalar ResourceNotAssignedToProject=Loyihaga tayinlanmagan ResourceNotAssignedToTheTask=Vazifaga tayinlanmagan @@ -226,7 +227,7 @@ ProjectsStatistics=Loyihalar yoki etakchilar bo'yicha statistika TasksStatistics=Loyihalar yoki rahbarlarning vazifalari bo'yicha statistika TaskAssignedToEnterTime=Vazifa tayinlandi. Ushbu topshiriq bo'yicha vaqtni kiritish mumkin bo'lishi kerak. IdTaskTime=Id vazifasi vaqti -YouCanCompleteRef=Agar siz ba'zi bir qo'shimchalar bilan refni to'ldirishni istasangiz, uni ajratish uchun belgi qo'shishingiz tavsiya etiladi, shuning uchun avtomatik raqamlash keyingi loyihalar uchun to'g'ri ishlaydi. Masalan %s-MYSUFFIX +YouCanCompleteRef=Agar siz refni ba'zi qo'shimchalar bilan to'ldirmoqchi bo'lsangiz, uni ajratish uchun - belgisini qo'shish tavsiya etiladi, shuning uchun avtomatik raqamlash keyingi loyihalar uchun to'g'ri ishlaydi. Masalan, %s-MYSUFFIX OpenedProjectsByThirdparties=Uchinchi tomonlarning ochiq loyihalari OnlyOpportunitiesShort=Faqat rahbarlik qiladi OpenedOpportunitiesShort=Ochiq chiziqlar @@ -238,12 +239,12 @@ OpportunityPonderatedAmountDesc=Ehtimollik bilan tortilgan etakchi miqdor OppStatusPROSP=Istiqbol OppStatusQUAL=Malaka OppStatusPROPO=Taklif -OppStatusNEGO=Salbiylik +OppStatusNEGO=Muzokaralar OppStatusPENDING=Kutilmoqda OppStatusWON=Yutuq OppStatusLOST=Yo'qotilgan Budget=Byudjet -AllowToLinkFromOtherCompany=Allow to link an element with a project of other company

      Supported values:
      - Keep empty: Can link elements with any projects in the same company (default)
      - "all": Can link elements with any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link elements with any projects of these third partys (Example: 123,4795,53)
      +AllowToLinkFromOtherCompany=Elementni boshqa kompaniya loyihasi bilan bog‘lashga ruxsat berish

      Qo'llab-quvvatlanadigan qiymatlar:
      - Bo'sh qoldiring: Elementlarni bitta kompaniyadagi istalgan loyihalar bilan bog'lashi mumkin (standart)
      - "barchasi": Elementlarni istalgan loyihalar, hatto boshqa kompaniyalar loyihalari bilan bog'lashi mumkin
      - Vergul bilan ajratilgan uchinchi tomon identifikatorlari ro'yxati : elementlarni ushbu uchinchi tomonlarning istalgan loyihalari bilan bog‘lashi mumkin (Misol: 123,4795,53)
      LatestProjects=Oxirgi %s loyihalari LatestModifiedProjects=Oxirgi %s o'zgartirilgan loyihalar OtherFilteredTasks=Boshqa filtrlangan vazifalar @@ -260,12 +261,12 @@ RecordsClosed=%s loyihasi yopildi SendProjectRef=Axborot loyihasi %s ModuleSalaryToDefineHourlyRateMustBeEnabled="Ish haqi" moduli ishchilarning soatlik stavkasini aniqlash uchun sarflangan vaqtni aniqlash uchun yoqilishi kerak NewTaskRefSuggested=Vazifa allaqachon ishlatilgan, yangi vazifa talab qilinadi -NumberOfTasksCloned=%s task(s) cloned +NumberOfTasksCloned=%s topshiriq(lar) klonlangan TimeSpentInvoiced=Hisob-kitob qilingan vaqt TimeSpentForIntervention=O'tkazilgan vaqt TimeSpentForInvoice=O'tkazilgan vaqt OneLinePerUser=Har bir foydalanuvchi uchun bitta qator -ServiceToUseOnLines=Service to use on lines by default +ServiceToUseOnLines=Sukut bo'yicha liniyada foydalanish uchun xizmat InvoiceGeneratedFromTimeSpent=%s hisob-fakturasi loyihaga sarf qilingan vaqtdan boshlab tuzildi InterventionGeneratedFromTimeSpent=%s aralashuvi loyihaga sarflangan vaqtdan kelib chiqqan ProjectBillTimeDescription=Loyiha vazifalari bo'yicha ish jadvalini kiritganingizni tekshiring va loyiha buyurtmachisiga hisob-kitob qilish uchun hisob varag'idan hisob-kitob (lar) yaratishni rejalashtiryapsiz (kiritilgan ish jadvallariga asoslanmagan hisob-faktura yaratishni rejalashtirayotganingizni tekshirmang). Izoh: Hisob-fakturani yaratish uchun loyihaning "sarflangan vaqt" yorlig'iga o'ting va qo'shiladigan qatorlarni tanlang. @@ -288,7 +289,7 @@ ProfitIsCalculatedWith=Foyda yordamida hisoblanadi AddPersonToTask=Vazifalarga qo'shimcha ravishda qo'shing UsageOrganizeEvent=Foydalanish: tadbirlarni tashkil etish PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Barcha vazifalar bajarilgandan so'ng loyihani yopiq deb tasniflang (100%% taraqqiyoti) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Eslatma: barcha vazifalari 100%% darajasiga o‘rnatilgan mavjud loyihalarga ta’sir qilmaydi: ularni qo‘lda yopishingiz kerak bo‘ladi. Ushbu parametr faqat ochiq loyihalarga ta'sir qiladi. SelectLinesOfTimeSpentToInvoice=Hisob-kitob qilinmagan sarflangan vaqtni tanlang, so'ngra hisob-kitob qilish uchun "Hisob-fakturani yaratish" ommaviy harakati ProjectTasksWithoutTimeSpent=Vaqt sarflamasdan loyiha vazifalari FormForNewLeadDesc=Biz bilan bog'lanish uchun quyidagi shaklni to'ldirganingiz uchun tashakkur. Shuningdek, bizga to'g'ridan-to'g'ri %s elektron pochta xabarini yuborishingiz mumkin. @@ -300,4 +301,4 @@ EnablePublicLeadForm=Aloqa uchun umumiy shaklni yoqing NewLeadbyWeb=Sizning xabaringiz yoki so'rovingiz yozib olindi. Tez orada javob beramiz yoki siz bilan bog'lanamiz. NewLeadForm=Yangi aloqa shakli LeadFromPublicForm=Ommaviy shakldan onlayn rahbar -ExportAccountingReportButtonLabel=Get report +ExportAccountingReportButtonLabel=Hisobot olish diff --git a/htdocs/langs/uz_UZ/propal.lang b/htdocs/langs/uz_UZ/propal.lang index 98c7577d27f..98fcda74727 100644 --- a/htdocs/langs/uz_UZ/propal.lang +++ b/htdocs/langs/uz_UZ/propal.lang @@ -55,6 +55,7 @@ CopyPropalFrom=Mavjud taklifni nusxalash orqali tijorat taklifini yarating CreateEmptyPropal=Bo'sh tijorat taklifini yoki mahsulot / xizmatlar ro'yxatidan yarating DefaultProposalDurationValidity=Standart tijorat taklifining amal qilish muddati (kunlar ichida) DefaultPuttingPricesUpToDate=Odatiy bo'lib, taklifni klonlashda narxlarni joriy ma'lum narxlar bilan yangilang +DefaultPuttingDescUpToDate=Sukut boʻyicha taklifni klonlash boʻyicha joriy maʼlum tavsiflar bilan tavsiflarni yangilang UseCustomerContactAsPropalRecipientIfExist=Uchinchi shaxs manzili o'rniga taklif oluvchining manzili belgilangan bo'lsa, "Kontaktni kuzatib boruvchi taklif" turi bilan aloqa / manzildan foydalaning ConfirmClonePropal= %s tijorat taklifini klonlamoqchimisiz? ConfirmReOpenProp= %s tijorat taklifini ochmoqchi ekanligingizga aminmisiz? @@ -89,18 +90,18 @@ ConfirmMassSignatureQuestion=Tanlangan yozuvlarni imzolashni xohlaysizmi? ConfirmMassValidation=Ommaviy tasdiqlash tasdiqlanishi ConfirmMassValidationQuestion=Haqiqatan ham tanlangan yozuvlarni tasdiqlamoqchimisiz? ConfirmRefusePropal=Haqiqatan ham bu tijorat taklifini rad qilmoqchimisiz? -ContractSigned=Contract signed +ContractSigned=Shartnoma imzolandi DefaultModelPropalClosed=Tijorat taklifini yopish paytida standart shablon (taqdim etilmagan) DefaultModelPropalCreate=Standart model yaratish DefaultModelPropalToBill=Tijorat taklifini yopish paytida standart shablon (hisob-faktura) DocModelAzurDescription=Taklifning to'liq modeli (Cyan shablonining eski tatbiqi) DocModelCyanDescription=To'liq taklif modeli -FichinterSigned=Intervention signed +FichinterSigned=Interventsiya imzolandi IdProduct=Mahsulot identifikatori IdProposal=Taklif identifikatori IsNotADraft=qoralama emas LineBuyPriceHT=Sotib olish narxlari qatori uchun soliqni olib tashlagan holda -NoSign=Refuse +NoSign=Rad etish NoSigned=imzolanmagan to'plam PassedInOpenStatus=tasdiqlangan PropalAlreadyRefused=Taklif allaqachon rad etilgan @@ -111,8 +112,8 @@ ProposalCustomerSignature=Yozma qabul, kompaniya muhri, sanasi va imzosi ProposalsStatisticsSuppliers=Sotuvchi takliflari statistikasi RefusePropal=Taklifni rad etish Sign=Imzo -SignContract=Sign contract -SignFichinter=Sign intervention +SignContract=Shartnoma imzolash +SignFichinter=Imzo aralashuvi SignPropal=Taklifni qabul qiling Signed=imzolangan SignedOnly=Faqat imzolangan diff --git a/htdocs/langs/uz_UZ/receiptprinter.lang b/htdocs/langs/uz_UZ/receiptprinter.lang index bd492add769..993c6c775d6 100644 --- a/htdocs/langs/uz_UZ/receiptprinter.lang +++ b/htdocs/langs/uz_UZ/receiptprinter.lang @@ -55,15 +55,15 @@ DOL_DEFAULT_HEIGHT_WIDTH=Standart balandlik va kenglik o'lchami DOL_UNDERLINE=Chiziqni yoqish DOL_UNDERLINE_DISABLED=Chiziqni o‘chirish DOL_BEEP=Ovozli signal -DOL_BEEP_ALTERNATIVE=Beep sound (alternative mode) -DOL_PRINT_CURR_DATE=Print current date/time +DOL_BEEP_ALTERNATIVE=Ovozli signal (muqobil rejim) +DOL_PRINT_CURR_DATE=Joriy sana/vaqtni chop eting DOL_PRINT_TEXT=Matnni chop etish DateInvoiceWithTime=Hisob-fakturaning sanasi va vaqti YearInvoice=Hisob-faktura yili DOL_VALUE_MONTH_LETTERS=Hisob-faktura oyi harflar bilan DOL_VALUE_MONTH=Hisob-faktura oyi DOL_VALUE_DAY=Hisob-faktura kuni -DOL_VALUE_DAY_LETTERS=Inovice kuni xatlarda +DOL_VALUE_DAY_LETTERS=Xatlar bilan hisob-faktura kuni DOL_LINE_FEED_REVERSE=Qatorli uzatma teskari InvoiceID=Hisob-faktura identifikatori InvoiceRef=Hisob-faktura diff --git a/htdocs/langs/uz_UZ/receptions.lang b/htdocs/langs/uz_UZ/receptions.lang index 787d6425a1c..d754acb8cc1 100644 --- a/htdocs/langs/uz_UZ/receptions.lang +++ b/htdocs/langs/uz_UZ/receptions.lang @@ -32,10 +32,11 @@ StatusReceptionDraftShort=Qoralama StatusReceptionValidatedShort=Tasdiqlangan StatusReceptionProcessedShort=Qayta ishlangan ReceptionSheet=Qabul qilish varaqasi +ValidateReception=Qabulni tasdiqlash ConfirmDeleteReception=Ushbu qabulxonani o'chirishni xohlaysizmi? -ConfirmValidateReception=Ushbu qabulxonani %s ma'lumotnomasi bilan tasdiqlamoqchimisiz? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Haqiqatan ham ushbu ziyofatni bekor qilmoqchimisiz? -StatsOnReceptionsOnlyValidated=Qabullarda o'tkazilgan statistika faqat tasdiqlangan. Amaldagi sana - qabul qilishning tasdiqlangan sanasi (etkazib berishning rejalashtirilgan sanasi har doim ham ma'lum emas). +StatsOnReceptionsOnlyValidated=Statistik ma'lumotlar faqat tasdiqlangan qabullar bo'yicha o'tkaziladi. Ishlatilgan sana - qabul qilishning tasdiqlangan sanasi (rejalashtirilgan etkazib berish sanasi har doim ham ma'lum emas). SendReceptionByEMail=Qabulni elektron pochta orqali yuboring SendReceptionRef=Qabulni yuborish %s ActionsOnReception=Qabul qilish tadbirlari @@ -48,7 +49,10 @@ ReceptionsNumberingModules=Qabul qilish uchun raqamlash moduli ReceptionsReceiptModel=Qabul qilish uchun hujjat shablonlari NoMorePredefinedProductToDispatch=Yuborish uchun oldindan belgilangan mahsulotlar yo'q ReceptionExist=Qabulxona mavjud -ByingPrice=Narxi bo'yicha ReceptionBackToDraftInDolibarr=Qabul qilish %s qoralamaga qaytdi ReceptionClassifyClosedInDolibarr=Qabul %s tasniflangan Yopiq ReceptionUnClassifyCloseddInDolibarr=Qabul %s qayta ochiladi +RestoreWithCurrentQtySaved=Miqdorlarni oxirgi saqlangan qiymatlar bilan to'ldiring +ReceptionsRecorded=Qabullar qayd etildi +ReceptionUpdated=Qabul qilish muvaffaqiyatli yangilandi +ReceptionDistribution=Qabul qilish taqsimoti diff --git a/htdocs/langs/uz_UZ/recruitment.lang b/htdocs/langs/uz_UZ/recruitment.lang index 7aecf47dee4..f9be0f0fd4c 100644 --- a/htdocs/langs/uz_UZ/recruitment.lang +++ b/htdocs/langs/uz_UZ/recruitment.lang @@ -57,16 +57,16 @@ EmailRecruiter=Elektron pochta orqali yollovchi ToUseAGenericEmail=Umumiy elektron pochtadan foydalanish uchun. Agar aniqlanmagan bo'lsa, ishga qabul qilish uchun mas'ul bo'lgan elektron pochtadan foydalaniladi NewCandidature=Yangi dastur ListOfCandidatures=Arizalar ro'yxati -Remuneration=Salary -RequestedRemuneration=Requested salary -ProposedRemuneration=Proposed salary +Remuneration=Ish haqi +RequestedRemuneration=Talab qilingan ish haqi +ProposedRemuneration=Taklif etilgan ish haqi ContractProposed=Shartnoma taklif qilingan ContractSigned=Shartnoma imzolandi ContractRefused=Shartnoma rad etildi RecruitmentCandidature=Ilova JobPositions=Ish joylari RecruitmentCandidatures=Ilovalar -InterviewToDo=Contacts to follow +InterviewToDo=Kuzatiladigan kontaktlar AnswerCandidature=Ariza javobi YourCandidature=Sizning arizangiz YourCandidatureAnswerMessage=Arizangiz uchun tashakkur.
      ... @@ -77,3 +77,5 @@ ExtrafieldsApplication=Qo'shimcha atributlar (ish uchun arizalar) MakeOffer=Taklif qiling WeAreRecruiting=Biz ishga qabul qilamiz. Bu to'ldirilishi kerak bo'lgan ochiq lavozimlar ro'yxati... NoPositionOpen=Ayni paytda hech qanday lavozim ochilmagan +ConfirmClose=Bekor qilishni tasdiqlang +ConfirmCloseAsk=Haqiqatan ham bu ishga yollash nomzodini bekor qilmoqchimisiz diff --git a/htdocs/langs/uz_UZ/salaries.lang b/htdocs/langs/uz_UZ/salaries.lang index 649eb52e696..c563b016750 100644 --- a/htdocs/langs/uz_UZ/salaries.lang +++ b/htdocs/langs/uz_UZ/salaries.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - salaries -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Account (from the Chart of Account) used by default for "user" third parties -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=The dedicated account defined on user card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated user accounting account on user is not defined. +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Hisob qaydnomasi (Hisob jadvalidan) sukut bo'yicha "foydalanuvchi" uchinchi shaxslar uchun ishlatiladi +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=Foydalanuvchi kartasida belgilangan ajratilgan hisob faqat Subledger hisobi uchun ishlatiladi. Agar foydalanuvchi uchun maxsus hisob qaydnomasi aniqlanmagan bo'lsa, bu Bosh kitob uchun va Subledger hisobining standart qiymati sifatida ishlatiladi. SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Ish haqi to'lovlari bo'yicha sukut bo'yicha buxgalteriya hisobi CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=Odatiy bo'lib, Ish haqini yaratishda "Umumiy to'lovni avtomatik ravishda yaratish" parametrini bo'sh qoldiring Salary=Ish haqi @@ -24,4 +24,10 @@ SalariesStatistics=Ish haqi statistikasi SalariesAndPayments=Ish haqi va to'lovlar ConfirmDeleteSalaryPayment=Ushbu ish haqi to'lovini o'chirmoqchimisiz? FillFieldFirst=Avval xodimlar maydonini to'ldiring -UpdateAmountWithLastSalary=Set amount of last salary +UpdateAmountWithLastSalary=Oxirgi ish haqi miqdorini belgilang +MakeTransferRequest=Transfer so'rovini yuboring +VirementOrder=Kredit o'tkazish talabi +BankTransferAmount=Kredit o'tkazmasining miqdori +WithdrawalReceipt=Kreditni o'tkazish tartibi +OrderWaiting=Buyurtma kutilmoqda +FillEndOfMonth=Oy oxiri bilan to'ldiring diff --git a/htdocs/langs/uz_UZ/sendings.lang b/htdocs/langs/uz_UZ/sendings.lang index 738fd6c7eb2..de41cbd95fc 100644 --- a/htdocs/langs/uz_UZ/sendings.lang +++ b/htdocs/langs/uz_UZ/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=Tasdiqlangan StatusSendingProcessedShort=Qayta ishlangan SendingSheet=Yuk jo'natmasi ConfirmDeleteSending=Ushbu yukni o'chirishni xohlaysizmi? -ConfirmValidateSending=Ushbu jo'natmani %s ma'lumotnomasi bilan tasdiqlamoqchimisiz? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Ushbu yukni bekor qilmoqchi ekanligingizga aminmisiz? DocumentModelMerou=Merou A5 modeli WarningNoQtyLeftToSend=Ogohlantirish, jo'natilishini kutayotgan mahsulotlar yo'q. @@ -48,7 +48,7 @@ DateDeliveryPlanned=Rejalashtirilgan etkazib berish sanasi RefDeliveryReceipt=Yetkazib berish kvitansiyasi StatusReceipt=Vaziyatni etkazib berish kvitansiyasi DateReceived=Qabul qilingan sana qabul qilindi -ClassifyReception=Classify Received +ClassifyReception=Qabul qilinganlarni tasniflash SendShippingByEMail=Yukni elektron pochta orqali yuboring SendShippingRef=%s jo'natmasini yuborish ActionsOnShipping=Yuk tashish bo'yicha tadbirlar @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Qabul qilingan ochiq xarid buyurtma NoProductToShipFoundIntoStock= %s omborida jo'natiladigan mahsulot topilmadi. Zaxirani to'g'rilang yoki boshqa omborni tanlash uchun qaytib boring. WeightVolShort=Og'irligi / jild ValidateOrderFirstBeforeShipment=Yuklarni jo'natishdan oldin avval buyurtmani tasdiqlashingiz kerak. +NoLineGoOnTabToAddSome=Qator yoʻq, qoʻshish uchun “%s” sahifasiga oʻting # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=Mahsulot og'irliklari yig'indisi # warehouse details DetailWarehouseNumber= Ombor tafsilotlari DetailWarehouseFormat= V: %s (Miqdor: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Seriya raqami yoki partiya uchun jo'natishni yaratish paytida stokda so'nggi kirish sanasini ko'rsatish +CreationOptions=Yukni yaratish vaqtida mavjud variantlar -ShipmentDistribution=Shipment distribution +ShipmentDistribution=Yuklarni taqsimlash -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=%s qatori uchun jo‘natma yo‘q, chunki ombor, mahsulot, partiya kodining juda ko‘p kombinatsiyasi topilmadi (%s). +ErrorNoCombinationBatchcode=%s qatorini ombor-mahsulot-lot/serial (%s, %s, %s) zaxirada topilmadi. + +ErrorTooMuchShipped=Yuborilgan miqdor %s qatori uchun buyurtma qilingan miqdordan oshmasligi kerak diff --git a/htdocs/langs/uz_UZ/stocks.lang b/htdocs/langs/uz_UZ/stocks.lang index cb4afd24291..4fe223f0c9a 100644 --- a/htdocs/langs/uz_UZ/stocks.lang +++ b/htdocs/langs/uz_UZ/stocks.lang @@ -24,7 +24,7 @@ StockAtDateInFuture=Kelajakdagi sana StocksByLotSerial=Qurilma / seriya bo'yicha aktsiyalar LotSerial=Ko'p / seriyalar LotSerialList=Lot / seriyalar ro'yxati -SubjectToLotSerialOnly=Products subject to lot/serial only +SubjectToLotSerialOnly=Mahsulotlar faqat lot/seriyaga tegishli Movements=Harakatlar ErrorWarehouseRefRequired=Omborga mos yozuvlar nomi talab qilinadi ListOfWarehouses=Omborlar ro'yxati @@ -49,7 +49,7 @@ StockCorrection=Qimmatli qog'ozlarni tuzatish CorrectStock=To'g'ri aktsiyalar StockTransfer=Qimmatli qog'ozlarni o'tkazish TransferStock=O'tkazma zaxiralari -MassStockTransferShort=Bulk stock change +MassStockTransferShort=Ommaviy aktsiyalarni almashtirish StockMovement=Birja harakati StockMovements=Birja harakatlari NumberOfUnit=Birlik soni @@ -99,7 +99,7 @@ RealStockWillAutomaticallyWhen=Haqiqiy zaxira ushbu qoidaga muvofiq o'zgartirila VirtualStock=Virtual zaxira VirtualStockAtDate=Kelgusi sanadagi virtual aktsiya VirtualStockAtDateDesc=Tanlangan sanadan oldin qayta ishlashni rejalashtirgan barcha kutilayotgan buyurtmalar tugagandan so'ng, virtual zaxiralar -VirtualStockDesc=Virtual stock is the stock that will remain after all open/pending actions (that affect stocks) have been performed (purchase orders received, sales orders shipped, manufacturing orders produced, etc) +VirtualStockDesc=Virtual aktsiya - barcha ochiq/kutishdagi harakatlar (zaxiralarga ta'sir qiluvchi) amalga oshirilgandan so'ng (qabul qilingan xaridlar, jo'natilgan savdo buyurtmalari, ishlab chiqarilgan ishlab chiqarish buyurtmalari va h.k.) AtDate=Hozirgi kunda IdWarehouse=Idish ombori DescWareHouse=Tavsif ombori @@ -119,6 +119,7 @@ PersonalStock=Shaxsiy kabinetga %s ThisWarehouseIsPersonalStock=Ushbu ombor %s %s shaxsiy zaxirasini aks ettiradi SelectWarehouseForStockDecrease=Qimmatli qog'ozlarni kamaytirish uchun foydalaniladigan omborni tanlang SelectWarehouseForStockIncrease=Qimmatli qog'ozlarni ko'paytirish uchun foydalaniladigan omborni tanlang +RevertProductsToStock=Mahsulotlar zaxiraga qaytarilsinmi? NoStockAction=Birja aktsiyasi yo'q DesiredStock=Kerakli aksiya DesiredStockDesc=Ushbu zaxira miqdori zaxirani to'ldirish xususiyati bilan to'ldirish uchun ishlatiladigan qiymat bo'ladi. @@ -147,9 +148,9 @@ Replenishments=To'ldirish NbOfProductBeforePeriod=%s mahsulotining tanlangan muddatgacha zaxiradagi miqdori (<%s) NbOfProductAfterPeriod=Tanlangan davrdan keyin zaxiradagi %s mahsulotining miqdori (> %s) MassMovement=Ommaviy harakat -SelectProductInAndOutWareHouse=Select a source warehouse (optional), a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click on "%s". +SelectProductInAndOutWareHouse=Manba omborini (ixtiyoriy), maqsadli omborni, mahsulot va miqdorni tanlang va “%s” tugmasini bosing. Bu barcha kerakli harakatlar uchun bajarilgandan so'ng, "%s" tugmasini bosing. RecordMovement=Yozuvni o'tkazish -RecordMovements=Record stock movements +RecordMovements=Qimmatli qog'ozlar harakatini yozib oling ReceivingForSameOrder=Ushbu buyurtma uchun kvitansiyalar StockMovementRecorded=Qimmatli qog'ozlar harakati qayd etildi RuleForStockAvailability=Qimmatli qog'ozlarga talablar bo'yicha qoidalar @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=Sizda ushbu zaxira ombori uchun etarli miqdordagi zax ShowWarehouse=Omborni ko'rsatish MovementCorrectStock=%s mahsuloti uchun aktsiyalarni tuzatish MovementTransferStock=%s mahsulotini boshqa omborga zaxirada o'tkazish +BatchStockMouvementAddInGlobal=Ommaviy zaxiralar global zaxiraga o'tadi (mahsulot endi partiyadan foydalanmaydi) InventoryCodeShort=Inv. / Mov. kod NoPendingReceptionOnSupplierOrder=Ochiq sotib olish buyurtmasi tufayli kutish kutilmagan ThisSerialAlreadyExistWithDifferentDate=Bu ko'p / seriya raqami ( %s ) allaqachon mavjud, lekin har xil eatby yoki sellby sana ( %s topildi lekin siz %s kiriting). @@ -177,7 +179,7 @@ OptionMULTIPRICESIsOn="Bir segment uchun bir nechta narxlar" opsiyasi yoqilgan. ProductStockWarehouseCreated=Ogohlantirish uchun stok chegarasi va kerakli optimal stok to'g'ri yaratilgan ProductStockWarehouseUpdated=Ogohlantirish uchun kerakli limit va kerakli optimal stok to'g'ri yangilangan ProductStockWarehouseDeleted=Ogohlantirish uchun kerakli limit va kerakli optimal stok to'g'ri o'chirildi -ProductStockWarehouse=Stock limit for alert and desired optimal stock by product and warehouse +ProductStockWarehouse=Ogohlantirish uchun zahira chegarasi va mahsulot va ombor bo'yicha kerakli optimal zaxira AddNewProductStockWarehouse=Ogohlantirish va kerakli optimal stok uchun yangi chegara o'rnating AddStockLocationLine=Miqdorni kamaytiring, keyin chiziqni ajratish uchun bosing InventoryDate=Inventarizatsiya sanasi @@ -213,7 +215,7 @@ OnlyProdsInStock=Mahsulotni zaxirasiz qo'shmang TheoricalQty=Nazariy miqdor TheoricalValue=Nazariy miqdor LastPA=Oxirgi BP -CurrentPA=Curent BP +CurrentPA=Hozirgi BP RecordedQty=Yozilgan Miqdor RealQty=Haqiqiy miqdor RealValue=Haqiqiy qiymat @@ -237,9 +239,9 @@ StockIncrease=Qimmatli qog'ozlarning ko'payishi StockDecrease=Qimmatli qog'ozlar kamayadi InventoryForASpecificWarehouse=Muayyan ombor uchun inventarizatsiya InventoryForASpecificProduct=Muayyan mahsulot uchun inventarizatsiya -StockIsRequiredToChooseWhichLotToUse=An existing stock is required to be able to choose which lot to use +StockIsRequiredToChooseWhichLotToUse=Qaysi lotdan foydalanishni tanlash imkoniyati uchun mavjud aktsiya talab qilinadi ForceTo=Majburlash -AlwaysShowFullArbo=Display the full path of a warehouse (parent warehouses) on the popup of warehouse links (Warning: This may decrease dramatically performances) +AlwaysShowFullArbo=Ombor havolalarining qalqib chiquvchi oynasida omborning toʻliq yoʻlini koʻrsating (Ogohlantirish: Bu samaradorlikni sezilarli darajada kamaytirishi mumkin) StockAtDatePastDesc=Siz bu erda o'tmishda berilgan sanada aktsiyalarni (haqiqiy aktsiyalar) ko'rishingiz mumkin StockAtDateFutureDesc=Kelajakda ushbu sanada aktsiyalarni (virtual aktsiyalar) ma'lum bir sanada ko'rishingiz mumkin CurrentStock=Joriy aktsiyalar @@ -268,58 +270,68 @@ ProductBarcodeDoesNotExist=Shtrixli mahsulot mavjud emas WarehouseId=Ombor identifikatori WarehouseRef=Ombor Ref SaveQtyFirst=Qimmatli qog'ozlar harakati yaratilishini so'rashdan oldin, birinchi navbatda, haqiqiy inventarizatsiya miqdorini saqlang. -ToStart=Start +ToStart=Boshlash InventoryStartedShort=Boshlandi ErrorOnElementsInventory=Operatsiya quyidagi sabablarga ko'ra bekor qilindi: ErrorCantFindCodeInInventory=Inventarda quyidagi kod topilmadi QtyWasAddedToTheScannedBarcode=Muvaffaqiyat!! Miqdor barcha so'ralgan shtrix-kodga qo'shildi. Skaner vositasini yopishingiz mumkin. -StockChangeDisabled=Stock change disabled +StockChangeDisabled=Qimmatli qog'ozlarni almashtirish o'chirildi NoWarehouseDefinedForTerminal=Terminal uchun ombor aniqlanmagan ClearQtys=Barcha miqdorlarni tozalang -ModuleStockTransferName=Advanced Stock Transfer -ModuleStockTransferDesc=Advanced management of Stock Transfer, with generation of transfer sheet -StockTransferNew=New stock transfer -StockTransferList=Stock transfers list -ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with reference %s ? -ConfirmDestock=Decrease of stocks with transfer %s -ConfirmDestockCancel=Cancel decrease of stocks with transfer %s -DestockAllProduct=Decrease of stocks -DestockAllProductCancel=Cancel decrease of stocks -ConfirmAddStock=Increase stocks with transfer %s -ConfirmAddStockCancel=Cancel increase of stocks with transfer %s -AddStockAllProduct=Increase of stocks -AddStockAllProductCancel=Cancel increase of stocks -DatePrevueDepart=Intended date of departure -DateReelleDepart=Real date of departure -DatePrevueArrivee=Intended date of arrival -DateReelleArrivee=Real date of arrival -HelpWarehouseStockTransferSource=If this warehouse is set, only itself and its children will be available as source warehouse -HelpWarehouseStockTransferDestination=If this warehouse is set, only itself and its children will be available as destination warehouse -LeadTimeForWarning=Lead time before alert (in days) -TypeContact_stocktransfer_internal_STFROM=Sender of stocks transfer -TypeContact_stocktransfer_internal_STDEST=Recipient of stocks transfer -TypeContact_stocktransfer_internal_STRESP=Responsible of stocks transfer -StockTransferSheet=Stocks transfer sheet -StockTransferSheetProforma=Proforma stocks transfer sheet -StockTransferDecrementation=Decrease source warehouses -StockTransferIncrementation=Increase destination warehouses -StockTransferDecrementationCancel=Cancel decrease of source warehouses -StockTransferIncrementationCancel=Cancel increase of destination warehouses -StockStransferDecremented=Source warehouses decreased -StockStransferDecrementedCancel=Decrease of source warehouses canceled -StockStransferIncremented=Closed - Stocks transfered -StockStransferIncrementedShort=Stocks transfered -StockStransferIncrementedShortCancel=Increase of destination warehouses canceled -StockTransferNoBatchForProduct=Product %s doesn't use batch, clear batch on line and retry -StockTransferSetup = Stocks Transfer module configuration -Settings=Settings -StockTransferSetupPage = Configuration page for stocks transfer module -StockTransferRightRead=Read stocks transfers -StockTransferRightCreateUpdate=Create/Update stocks transfers -StockTransferRightDelete=Delete stocks transfers -BatchNotFound=Lot / serial not found for this product -StockMovementWillBeRecorded=Stock movement will be recorded -StockMovementNotYetRecorded=Stock movement will not be affected by this step -WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse -DeleteBatch=Delete lot/serial -ConfirmDeleteBatch=Are you sure you want to delete lot/serial ? +ModuleStockTransferName=Kengaytirilgan aktsiyalarni uzatish +ModuleStockTransferDesc=O'tkazma varaqlarini yaratish bilan birja transferini ilg'or boshqarish +StockTransferNew=Yangi aktsiyalarni o'tkazish +StockTransferList=Birja o'tkazmalari ro'yxati +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? +ConfirmDestock=%s transferi bilan aksiyalar kamayishi +ConfirmDestockCancel=%s transferi bilan aksiyalar kamayishini bekor qilish +DestockAllProduct=Aksiyalarning kamayishi +DestockAllProductCancel=Qimmatli qog'ozlar kamayishini bekor qilish +ConfirmAddStock=%s transferi bilan zaxiralarni oshiring +ConfirmAddStockCancel=%s transferi bilan aksiyalar koʻpayishini bekor qilish +AddStockAllProduct=Aksiyalarning ko'payishi +AddStockAllProductCancel=Aktsiyalarning ko'payishini bekor qilish +DatePrevueDepart=Belgilangan jo'nash sanasi +DateReelleDepart=Haqiqiy ketish sanasi +DatePrevueArrivee=Belgilangan kelish sanasi +DateReelleArrivee=Haqiqiy kelish sanasi +HelpWarehouseStockTransferSource=Agar bu ombor o'rnatilsa, manba ombori sifatida faqat o'zi va uning bolalari mavjud bo'ladi +HelpWarehouseStockTransferDestination=Agar bu ombor o'rnatilgan bo'lsa, faqat o'zi va uning bolalari maqsadli ombor sifatida mavjud bo'ladi +LeadTimeForWarning=Ogohlantirishdan oldin etkazib berish vaqti (kunlarda) +TypeContact_stocktransfer_internal_STFROM=Aktsiyalarni o'tkazuvchi +TypeContact_stocktransfer_internal_STDEST=Aktsiyalarni o'tkazishni oluvchi +TypeContact_stocktransfer_internal_STRESP=Aktsiyalarni o'tkazish uchun javobgar +StockTransferSheet=Aktsiyalarni o'tkazish varaqasi +StockTransferSheetProforma=Proforma aktsiyalarni o'tkazish varaqasi +StockTransferDecrementation=Manba omborlarini kamaytiring +StockTransferIncrementation=Belgilangan omborlarni ko'paytirish +StockTransferDecrementationCancel=Manba omborlarining qisqarishini bekor qilish +StockTransferIncrementationCancel=Belgilangan omborlarni ko'paytirishni bekor qilish +StockStransferDecremented=Manba omborlari kamaydi +StockStransferDecrementedCancel=Manba omborlarining qisqarishi bekor qilindi +StockStransferIncremented=Yopiq - aktsiyalar o'tkazildi +StockStransferIncrementedShort=Aksiyalar o'tkazildi +StockStransferIncrementedShortCancel=Belgilangan omborlarni ko'paytirish bekor qilindi +StockTransferNoBatchForProduct=%s mahsuloti to‘plamdan foydalanmaydi, tarmoqdagi to‘plamni tozalang va qayta urinib ko‘ring +StockTransferSetup = Aktsiyalarni uzatish moduli konfiguratsiyasi +Settings=Sozlamalar +StockTransferSetupPage = Aktsiyalarni uzatish moduli uchun konfiguratsiya sahifasi +StockTransferRightRead=Qimmatli qog'ozlar o'tkazmalarini o'qing +StockTransferRightCreateUpdate=Qimmatli qog'ozlar o'tkazmalarini yaratish/yangilash +StockTransferRightDelete=Aksiya o'tkazmalarini o'chirish +BatchNotFound=Ushbu mahsulot uchun lot/seriya topilmadi +StockEntryDate=Stokda
      kiritilgan sana +StockMovementWillBeRecorded=Qimmatli qog'ozlar harakati qayd etiladi +StockMovementNotYetRecorded=Birja harakati bu bosqichdan ta'sirlanmaydi +ReverseConfirmed=Birja harakati muvaffaqiyatli bekor qilindi + +WarningThisWIllAlsoDeleteStock=Ogohlantirish, bu shuningdek, ombordagi barcha miqdorlarni yo'q qiladi +ValidateInventory=Inventarizatsiyani tekshirish +IncludeSubWarehouse=Qo'shimcha omborni o'z ichiga oladimi? +IncludeSubWarehouseExplanation=Agar bog'langan omborning barcha kichik omborlarini inventarga qo'shishni istasangiz, ushbu katakchani belgilang +DeleteBatch=Partiya/seriyani o'chirish +ConfirmDeleteBatch=Haqiqatan ham lot/seriyani oʻchirib tashlamoqchimisiz? +WarehouseUsage=Ombordan foydalanish +InternalWarehouse=Ichki ombor +ExternalWarehouse=Tashqi ombor +WarningThisWIllAlsoDeleteStock=Ogohlantirish, bu shuningdek, ombordagi barcha miqdorlarni yo'q qiladi diff --git a/htdocs/langs/uz_UZ/stripe.lang b/htdocs/langs/uz_UZ/stripe.lang index 36795c6075c..848ef8ed6a2 100644 --- a/htdocs/langs/uz_UZ/stripe.lang +++ b/htdocs/langs/uz_UZ/stripe.lang @@ -41,8 +41,8 @@ STRIPE_LIVE_WEBHOOK_KEY=Webhook jonli kaliti ONLINE_PAYMENT_WAREHOUSE=Onlayn to'lov amalga oshirilganda aktsiyalarni pasaytirish uchun foydalaniladigan zaxiralar StripeLiveEnabled=Stripe jonli yoqilgan (aks holda sinov / sandbox rejimi) StripeImportPayment=Stripe to'lovlarini import qilish -ExampleOfTestCreditCard=Example of credit card for SEPA test: %s => valid, %s => error CVC, %s => expired, %s => charge fails -ExampleOfTestBankAcountForSEPA=Example of bank account BAN for direct debit test: %s +ExampleOfTestCreditCard=Sinov toʻlovi uchun kredit karta misoli: %s => toʻgʻri, %s => xato CVC, %s => muddati tugadi, %s => to‘lov amalga oshmadi +ExampleOfTestBankAcountForSEPA=To'g'ridan-to'g'ri debet testi uchun bank hisobining BANiga misol: %s StripeGateways=Stripe shlyuzlari OAUTH_STRIPE_TEST_ID=Stripe Connect mijoz identifikatori (taxminan _...) OAUTH_STRIPE_LIVE_ID=Stripe Connect mijoz identifikatori (taxminan _...) @@ -51,6 +51,7 @@ StripeAccount=Stripe hisob qaydnomasi StripeChargeList=Stripe to'lovlari ro'yxati StripeTransactionList=Stripe operatsiyalari ro'yxati StripeCustomerId=Stripe mijoz identifikatori +StripePaymentId=Stripe toʻlov identifikatori StripePaymentModes=Stripe to'lov rejimlari LocalID=Mahalliy identifikator StripeID=Stripe ID @@ -62,7 +63,7 @@ DeleteACard=Kartani o'chirish ConfirmDeleteCard=Ushbu Kredit yoki Debet kartani o'chirishni xohlaysizmi? CreateCustomerOnStripe=Stripe-da mijoz yarating CreateCardOnStripe=Stripe-da karta yarating -CreateBANOnStripe=Create bank on Stripe +CreateBANOnStripe=Stripe-da bank yarating ShowInStripe=Stripe-da ko'rsatish StripeUserAccountForActions=Stripe voqealari (Stripe to'lovlari) haqida elektron pochta orqali xabar berish uchun foydalanuvchi hisob qaydnomasi StripePayoutList=Stripe to'lovlari ro'yxati @@ -70,9 +71,9 @@ ToOfferALinkForTestWebhook=IPH-ga qo'ng'iroq qilish uchun Stripe WebHook-ni o'rn ToOfferALinkForLiveWebhook=IPH-ga qo'ng'iroq qilish uchun Stripe WebHook-ni sozlash uchun havola (jonli rejim) PaymentWillBeRecordedForNextPeriod=To'lov keyingi davr uchun qayd etiladi. ClickHereToTryAgain=
      Qayta urinish uchun shu erni bosing ... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Mijozlarni kuchli autentifikatsiya qilish qoidalari tufayli kartani yaratish Stripe backoffice-da amalga oshirilishi kerak. Stripe mijozlar yozuvini yoqish uchun bu erni bosishingiz mumkin: %s -STRIPE_CARD_PRESENT=Card Present for Stripe Terminals -TERMINAL_LOCATION=Location (address) for Stripe Terminals -RequestDirectDebitWithStripe=Request Direct Debit with Stripe -STRIPE_SEPA_DIRECT_DEBIT=Enable the Direct Debit payments through Stripe - +CreationOfPaymentModeMustBeDoneFromStripeInterface=Kuchli mijozlarni autentifikatsiya qilish qoidalariga ko'ra, kartani yaratish Stripe orqa ofisidan amalga oshirilishi kerak. Stripe mijozlar rekordini yoqish uchun shu yerni bosing: %s +STRIPE_CARD_PRESENT=Stripe terminallari uchun karta sovg'asi +TERMINAL_LOCATION=Stripe terminallari uchun joy (manzil). +RequestDirectDebitWithStripe=Stripe bilan to'g'ridan-to'g'ri debetni talab qiling +STRIPE_SEPA_DIRECT_DEBIT=Stripe orqali to'g'ridan-to'g'ri debet to'lovlarini yoqing +StripeConnect_Mode=Stripe Connect rejimi diff --git a/htdocs/langs/uz_UZ/supplier_proposal.lang b/htdocs/langs/uz_UZ/supplier_proposal.lang index f73618659a5..a46c19a90b7 100644 --- a/htdocs/langs/uz_UZ/supplier_proposal.lang +++ b/htdocs/langs/uz_UZ/supplier_proposal.lang @@ -42,8 +42,8 @@ SendAskRef=%s narx so'rovini yuborish SupplierProposalCard=Kartani so'rash ConfirmDeleteAsk=Ushbu narx talabini o'chirishni xohlaysizmi %s ? ActionsOnSupplierProposal=Narxlar bo'yicha so'rov bo'yicha tadbirlar -DocModelAuroreDescription=A complete template for a vendor quotation request template (old implementation of Sponge template) -DocModelZenithDescription=A complete template for a vendor quotation request template +DocModelAuroreDescription=Sotuvchidan kotirovka so'rovi uchun to'liq shablon (Sponge shablonining eski ilovasi) +DocModelZenithDescription=Sotuvchidan kotirovka so'rovi uchun to'liq shablon CommercialAsk=Narx so'rovi DefaultModelSupplierProposalCreate=Standart model yaratish DefaultModelSupplierProposalToBill=Narx so'rovini yopishda standart shablon (qabul qilinadi) diff --git a/htdocs/langs/uz_UZ/suppliers.lang b/htdocs/langs/uz_UZ/suppliers.lang index 90bef766a01..067b1a2e201 100644 --- a/htdocs/langs/uz_UZ/suppliers.lang +++ b/htdocs/langs/uz_UZ/suppliers.lang @@ -4,6 +4,7 @@ SuppliersInvoice=Sotuvchi hisob-fakturasi SupplierInvoices=Sotuvchi hisob-fakturalari ShowSupplierInvoice=Sotuvchi fakturasini ko'rsating NewSupplier=Yangi sotuvchi +NewSupplierInvoice = Sotuvchining yangi hisob-fakturasi History=Tarix ListOfSuppliers=Sotuvchilar ro'yxati ShowSupplier=Sotuvchini ko'rsatish diff --git a/htdocs/langs/uz_UZ/ticket.lang b/htdocs/langs/uz_UZ/ticket.lang index 47e9acc3b77..67788f237c6 100644 --- a/htdocs/langs/uz_UZ/ticket.lang +++ b/htdocs/langs/uz_UZ/ticket.lang @@ -26,16 +26,16 @@ Permission56002=Chiptalarni o'zgartirish Permission56003=Chiptalarni o'chirish Permission56004=Chiptalarni boshqarish Permission56005=Uchinchi tomonlarning chiptalarini ko'ring (tashqi foydalanuvchilar uchun samarali emas, har doim ular bog'liq bo'lgan uchinchi tomon bilan cheklaning) -Permission56006=Export tickets +Permission56006=Chiptalarni eksport qilish -Tickets=Tickets +Tickets=Chiptalar TicketDictType=Chipta - turlari -TicketDictCategory=Chipta - guruhlar +TicketDictCategory=Chipta - Guruhlar TicketDictSeverity=Chipta - jiddiyliklar TicketDictResolution=Chipta - Qaror TicketTypeShortCOM=Tijorat savoli -TicketTypeShortHELP=Funktsional yordam uchun so'rov +TicketTypeShortHELP=Funktsional yordam so'rash TicketTypeShortISSUE=Muammo yoki xato TicketTypeShortPROBLEM=Muammo TicketTypeShortREQUEST=O'zgartirish yoki takomillashtirish bo'yicha so'rov @@ -62,7 +62,7 @@ TypeContact_ticket_external_CONTRIBUTOR=Tashqi yordamchi OriginEmail=Muxbirning elektron pochtasi Notify_TICKET_SENTBYMAIL=Elektron pochta orqali chiptani yuboring -ExportDataset_ticket_1=Tickets +ExportDataset_ticket_1=Chiptalar # Status Read=O'qing @@ -93,8 +93,8 @@ TicketPublicAccess=Identifikatsiyani talab qilmaydigan umumiy interfeys quyidagi TicketSetupDictionaries=Chipta turi, jiddiyligi va analitik kodlari lug'atlarda sozlanishi mumkin TicketParamModule=Modulning o'zgaruvchini sozlash TicketParamMail=Elektron pochtani sozlash -TicketEmailNotificationFrom=Sender e-mail for notification on answers -TicketEmailNotificationFromHelp=Sender e-mail to use to send the notification email when an answer is provided inside the backoffice. For example noreply@example.com +TicketEmailNotificationFrom=Javoblar haqida bildirishnoma olish uchun yuboruvchi elektron pochta +TicketEmailNotificationFromHelp=Yuboruvchining elektron pochtasi orqa ofisda javob berilganda bildirishnomani yuborish uchun ishlatiladi. Masalan, noreply@example.com TicketEmailNotificationTo=Chipta yaratilishi haqida ushbu elektron pochta manziliga xabar bering TicketEmailNotificationToHelp=Agar mavjud bo'lsa, ushbu elektron pochta manziliga chipta yaratilishi haqida xabar beriladi TicketNewEmailBodyLabel=Chipta yaratilgandan so'ng yuborilgan matnli xabar @@ -102,8 +102,8 @@ TicketNewEmailBodyHelp=Bu erda ko'rsatilgan matn ommaviy interfeysdan yangi chip TicketParamPublicInterface=Umumiy interfeysni sozlash TicketsEmailMustExist=Chipta yaratish uchun mavjud elektron pochta manzilini talab qiling TicketsEmailMustExistHelp=Umumiy interfeysda elektron pochta manzili yangi chipta yaratish uchun ma'lumotlar bazasida to'ldirilgan bo'lishi kerak. -TicketsShowProgression=Display the ticket progress in the public interface -TicketsShowProgressionHelp=Enable this option to hide the progress of the ticket in the public interface pages +TicketsShowProgression=Umumiy interfeysda chiptaning borishini ko'rsating +TicketsShowProgressionHelp=Umumiy interfeys sahifalarida chiptaning borishini yashirish uchun ushbu parametrni yoqing TicketCreateThirdPartyWithContactIfNotExist=Noma'lum elektron pochta xabarlari uchun ism va kompaniya nomini so'rang. TicketCreateThirdPartyWithContactIfNotExistHelp=Kiritilgan elektron pochta uchun uchinchi tomon yoki kontakt mavjudligini tekshiring. Agar yo'q bo'lsa, kontakt bilan uchinchi tomon yaratish uchun ism va kompaniya nomini so'rang. PublicInterface=Ommaviy interfeys @@ -126,9 +126,9 @@ TicketParams=Paramlar TicketsShowModuleLogo=Modul logotipini umumiy interfeysda ko'rsatish TicketsShowModuleLogoHelp=Logotip modulini umumiy interfeys sahifalarida yashirish uchun ushbu parametrni yoqing TicketsShowCompanyLogo=Kompaniya logotipini ommaviy interfeysda namoyish eting -TicketsShowCompanyLogoHelp=Enable this option to show the logo of the main company in the pages of the public interface -TicketsShowCompanyFooter=Display the footer of the company in the public interface -TicketsShowCompanyFooterHelp=Enable this option to show the footer of the main company in the pages of the public interface +TicketsShowCompanyLogoHelp=Umumiy interfeys sahifalarida asosiy kompaniya logotipini ko'rsatish uchun ushbu parametrni yoqing +TicketsShowCompanyFooter=Umumiy interfeysda kompaniyaning pastki ma'lumotlarini ko'rsating +TicketsShowCompanyFooterHelp=Umumiy interfeys sahifalarida asosiy kompaniyaning pastki ma'lumotlarini ko'rsatish uchun ushbu parametrni yoqing TicketsEmailAlsoSendToMainAddress=Asosiy elektron pochta manziliga xabarnoma yuboring TicketsEmailAlsoSendToMainAddressHelp="%s" sozlamalarida belgilangan manzilga elektron pochta xabarlarini yuborish uchun ushbu parametrni yoqing ("%s" yorlig'iga qarang) TicketsLimitViewAssignedOnly=Displeyni joriy foydalanuvchiga tayinlangan chiptalar bilan cheklang (tashqi foydalanuvchilar uchun samarali emas, har doim ular bog'liq bo'lgan uchinchi shaxs bilan cheklaning) @@ -145,8 +145,8 @@ TicketsPublicNotificationNewMessage=Chipta yangi xabar / sharh qo'shilganda elek TicketsPublicNotificationNewMessageHelp=Umumiy interfeysdan yangi xabar qo'shilganda elektron pochta xabarlarini yuboring (tayinlangan foydalanuvchiga yoki bildirishnomalar elektron pochtasiga (yangilash) va / yoki elektron pochta xabarlariga) TicketPublicNotificationNewMessageDefaultEmail=Bildirishnomalar elektron pochtasi (yangilash) TicketPublicNotificationNewMessageDefaultEmailHelp=Agar chiptada foydalanuvchi tayinlanmagan bo'lsa yoki foydalanuvchi ma'lum bir elektron pochta xabariga ega bo'lmasa, har bir yangi xabar xabarnomasi uchun ushbu manzilga elektron pochta xabarini yuboring. -TicketsAutoReadTicket=Chiptani avtomatik ravishda o'qilgan deb belgilash (backofficedan yaratilganda) -TicketsAutoReadTicketHelp=Bek ofisdan yaratilganda chiptani avtomatik ravishda o'qilgan deb belgilang. Chipta umumiy interfeysdan yaratilganda, chipta "O'qilmagan" holatida qoladi. +TicketsAutoReadTicket=Chiptani avtomatik ravishda o'qilgan deb belgilash (back-ofisdan yaratilganda) +TicketsAutoReadTicketHelp=Chiptani orqa ofisdan yaratilganda avtomatik ravishda o'qilgan deb belgilang. Chipta umumiy interfeysdan yaratilganda, chipta "O'qilmagan" holatida qoladi. TicketsDelayBeforeFirstAnswer=Yangi chipta birinchi javobni (soatlardan oldin) olishi kerak: TicketsDelayBeforeFirstAnswerHelp=Agar yangi chipta ushbu vaqtdan keyin (soatlarda) javob olmasa, ro'yxat ko'rinishida muhim ogohlantirish belgisi ko'rsatiladi. TicketsDelayBetweenAnswers=Yechilmagan chipta (soat) davomida faol bo'lmasligi kerak: @@ -156,8 +156,10 @@ TicketsAutoNotifyCloseHelp=Chiptani yopish paytida sizga uchinchi tomon kontaktl TicketWrongContact=Taqdim etilgan kontakt joriy chipta kontaktlarining bir qismi emas. Email yuborilmadi. TicketChooseProductCategory=Chiptalarni qo'llab-quvvatlash uchun mahsulot toifasi TicketChooseProductCategoryHelp=Chiptalarni qo'llab-quvvatlash mahsulot toifasini tanlang. Bu shartnomani chiptaga avtomatik bog'lash uchun ishlatiladi. -TicketUseCaptchaCode=Use graphical code (CAPTCHA) when creating a ticket -TicketUseCaptchaCodeHelp=Adds CAPTCHA verification when creating a new ticket. +TicketUseCaptchaCode=Chipta yaratishda grafik koddan (CAPTCHA) foydalaning +TicketUseCaptchaCodeHelp=Yangi chipta yaratishda CAPTCHA tekshiruvini qo'shadi. +TicketsAllowClassificationModificationIfClosed=Yopiq chiptalar tasnifini o'zgartirishga ruxsat bering +TicketsAllowClassificationModificationIfClosedHelp=Chiptalar yopiq bo'lsa ham tasnifni (turi, chipta guruhi, jiddiyligi) o'zgartirishga ruxsat bering. # # Index & list page @@ -189,7 +191,7 @@ CreatedBy=Tomonidan yaratilgan NewTicket=Yangi chipta SubjectAnswerToTicket=Chipta javobi TicketTypeRequest=So'rov turi -TicketCategory=Ticket group +TicketCategory=Chiptalar guruhi SeeTicket=Chiptani ko'ring TicketMarkedAsRead=Chipta o'qilgan deb belgilandi TicketReadOn=O'qing @@ -201,8 +203,8 @@ TicketAssigned=Endi chipta tayinlandi TicketChangeType=Turini o'zgartirish TicketChangeCategory=Analitik kodni o'zgartiring TicketChangeSeverity=Zo'ravonlikni o'zgartiring -TicketAddMessage=Add or send a message -TicketAddPrivateMessage=Add a private message +TicketAddMessage=Xabar qo'shing yoki yuboring +TicketAddPrivateMessage=Shaxsiy xabar qo'shing MessageSuccessfullyAdded=Chipta qo'shildi TicketMessageSuccessfullyAdded=Xabar muvaffaqiyatli qo'shildi TicketMessagesList=Xatlar ro'yxati @@ -213,8 +215,8 @@ TicketSeverity=Jiddiylik ShowTicket=Chiptani ko'ring RelatedTickets=Tegishli chiptalar TicketAddIntervention=Aralashuvni yarating -CloseTicket=Close|Solve -AbandonTicket=Abandon +CloseTicket=Yopish|Yechish +AbandonTicket=Tashlab ketish CloseATicket=Yoping | Chiptani hal qiling ConfirmCloseAticket=Chipta yopilishini tasdiqlang ConfirmAbandonTicket=Chiptaning "tashlab ketilgan" maqomiga yopilishini tasdiqlaysizmi? @@ -228,17 +230,17 @@ SendMessageByEmail=Elektron pochta orqali xabar yuboring TicketNewMessage=Yangi xabar ErrorMailRecipientIsEmptyForSendTicketMessage=Qabul qiluvchi bo'sh. Elektron pochta xabarlari yo'q TicketGoIntoContactTab=Ularni tanlash uchun "Kontaktlar" yorlig'iga o'ting -TicketMessageMailIntro=Message header +TicketMessageMailIntro=Xabar sarlavhasi TicketMessageMailIntroHelp=Ushbu matn faqat elektron pochta boshida qo'shiladi va saqlanmaydi. TicketMessageMailIntroText=Salom,
      Siz kuzatayotgan chiptaga yangi javob qo'shildi. Bu xabar:
      TicketMessageMailIntroHelpAdmin=Bu matn Dolibarrdan chiptaga javob berishda javob oldidan kiritiladi -TicketMessageMailFooter=Message footer -TicketMessageMailFooterHelp=This text is added only at the end of the message sent by email and will not be saved. -TicketMessageMailFooterText=Message sent by %s via Dolibarr -TicketMessageMailFooterHelpAdmin=This text will be inserted after the response message. +TicketMessageMailFooter=Xabarning pastki qismi +TicketMessageMailFooterHelp=Ushbu matn faqat elektron pochta orqali yuborilgan xabarning oxiriga qo'shiladi va saqlanmaydi. +TicketMessageMailFooterText=Dolibarr orqali %s tomonidan yuborilgan xabar +TicketMessageMailFooterHelpAdmin=Bu matn javob xabaridan keyin kiritiladi. TicketMessageHelp=Faqat ushbu matn chipta kartasidagi xabarlar ro'yxatida saqlanadi. TicketMessageSubstitutionReplacedByGenericValues=O'zgartirish o'zgaruvchilari umumiy qiymatlar bilan almashtiriladi. -ForEmailMessageWillBeCompletedWith=For email messages sent to external users, the message will be completed with +ForEmailMessageWillBeCompletedWith=Tashqi foydalanuvchilarga yuborilgan elektron pochta xabarlari uchun xabar to'ldiriladi TimeElapsedSince=O'shandan beri vaqt o'tgan TicketTimeToRead=O'qishdan oldin o'tgan vaqt TicketTimeElapsedBeforeSince=Oldin / keyin o'tgan vaqt @@ -248,14 +250,14 @@ ConfirmReOpenTicket=Ushbu chipta qayta ochilganligini tasdiqlaysizmi? TicketMessageMailIntroAutoNewPublicMessage=%s mavzusida chiptada yangi xabar joylashtirildi: TicketAssignedToYou=Chipta tayinlandi TicketAssignedEmailBody=Sizga %s tomonidan # %s chiptasi tayinlangan -TicketAssignedCustomerEmail=Your ticket has been assigned for processing. -TicketAssignedCustomerBody=This is an automatic email to confirm your ticket has been assigned for processing. +TicketAssignedCustomerEmail=Chiptangiz qayta ishlash uchun tayinlandi. +TicketAssignedCustomerBody=Bu chiptangizni qayta ishlashga tayinlanganligini tasdiqlovchi avtomatik elektron pochta. MarkMessageAsPrivate=Xabarni shaxsiy sifatida belgilash -TicketMessageSendEmailHelp=An email will be sent to all assigned contact -TicketMessageSendEmailHelp2a=(internal contacts, but also external contacts except if the option "%s" is checked) -TicketMessageSendEmailHelp2b=(internal contacts, but also external contacts) -TicketMessagePrivateHelp=This message will not be visible to external users -TicketMessageRecipientsHelp=Recipient field completed with active contacts linked to the ticket +TicketMessageSendEmailHelp=Barcha tayinlangan kontaktga elektron pochta xabari yuboriladi +TicketMessageSendEmailHelp2a=(ichki kontaktlar, balki tashqi kontaktlar ham bundan mustasno "%s" opsiyasi belgilansa) +TicketMessageSendEmailHelp2b=(ichki kontaktlar, balki tashqi kontaktlar) +TicketMessagePrivateHelp=Bu xabar tashqi foydalanuvchilar uchun ko‘rinmaydi +TicketMessageRecipientsHelp=Qabul qiluvchi maydoni chiptaga ulangan faol kontaktlar bilan to'ldiriladi TicketEmailOriginIssuer=Chiptalarning kelib chiqishi bo'yicha emitent InitialMessage=Dastlabki xabar LinkToAContract=Shartnomaga havola @@ -278,7 +280,7 @@ TicketsDelayForFirstResponseTooLong=Chipta ochilganidan beri juda ko'p vaqt o'td TicketsDelayFromLastResponseTooLong=Bu chiptadagi oxirgi javobdan beri juda koʻp vaqt oʻtdi. TicketNoContractFoundToLink=Ushbu chiptaga avtomatik ravishda bog'langan shartnoma topilmadi. Iltimos, shartnomani qo'lda bog'lang. TicketManyContractsLinked=Ko'pgina shartnomalar ushbu chiptaga avtomatik ravishda bog'langan. Qaysi birini tanlash kerakligini tekshirishga ishonch hosil qiling. -TicketRefAlreadyUsed=The reference [%s] is already used, your new reference is [%s] +TicketRefAlreadyUsed=[%s] havolasi allaqachon ishlatilgan, yangi havolangiz: [%s] # # Logs @@ -311,7 +313,7 @@ TicketNewEmailBodyInfosTrackUrlCustomer=Siz quyidagi havolani bosish orqali ma'l TicketCloseEmailBodyInfosTrackUrlCustomer=Quyidagi havolani bosish orqali ushbu chipta tarixi bilan tanishishingiz mumkin TicketEmailPleaseDoNotReplyToThisEmail=Iltimos, ushbu elektron pochtaga to'g'ridan-to'g'ri javob bermang! Interfeysga javob berish uchun havoladan foydalaning. TicketPublicInfoCreateTicket=Ushbu shakl sizning boshqaruv tizimimizda qo'llab-quvvatlash chiptasini yozib olishga imkon beradi. -TicketPublicPleaseBeAccuratelyDescribe=Please accurately describe your question. Provide the most information possible to allow us to correctly identify your request. +TicketPublicPleaseBeAccuratelyDescribe=Iltimos, so'rovingizni aniq tasvirlab bering. Sizning so'rovingizni to'g'ri aniqlashimiz uchun imkon qadar ko'proq ma'lumotni taqdim eting. TicketPublicMsgViewLogIn=Iltimos, chiptani kuzatish guvohnomasini kiriting TicketTrackId=Ommaviy kuzatuv identifikatori OneOfTicketTrackId=Kuzatuv identifikatoringizdan biri @@ -329,8 +331,8 @@ OldUser=Eski foydalanuvchi NewUser=Yangi foydalanuvchi NumberOfTicketsByMonth=Oyiga chiptalar soni NbOfTickets=Chiptalar soni -ExternalContributors=External contributors -AddContributor=Add external contributor +ExternalContributors=Tashqi hissa qo'shuvchilar +AddContributor=Tashqi hissa qo'shing # notifications TicketCloseEmailSubjectCustomer=Chipta yopildi diff --git a/htdocs/langs/uz_UZ/trips.lang b/htdocs/langs/uz_UZ/trips.lang index 033f1a79f3f..539b75a7d27 100644 --- a/htdocs/langs/uz_UZ/trips.lang +++ b/htdocs/langs/uz_UZ/trips.lang @@ -1,150 +1,152 @@ # Dolibarr language file - Source file is en_US - trips -ShowExpenseReport=Xarajatlar hisobotini ko'rsatish -Trips=Xarajatlar bo'yicha hisobotlar -TripsAndExpenses=Xarajatlar to'g'risida hisobotlar -TripsAndExpensesStatistics=Xarajatlar bo'yicha hisobotlar -TripCard=Xarajatlarni hisobga olish kartasi +AUTHOR=Yozib olingan +AUTHORPAIEMENT=To'langan AddTrip=Xarajatlar to'g'risida hisobot yarating -ListOfTrips=Xarajatlar bo'yicha hisobotlar ro'yxati -ListOfFees=To'lovlar ro'yxati -TypeFees=To'lov turlari -ShowTrip=Xarajatlar hisobotini ko'rsatish -NewTrip=Yangi xarajatlar hisoboti -LastExpenseReports=Oxirgi %s xarajatlar hisoboti +AllExpenseReport=Xarajatlar bo'yicha hisobotning barcha turlari AllExpenseReports=Barcha xarajatlar to'g'risidagi hisobotlar -CompanyVisited=Kompaniya / tashkilot tashrif buyurdi -FeesKilometersOrAmout=Miqdor yoki kilometr -DeleteTrip=Xarajatlar to'g'risidagi hisobotni o'chirish -ConfirmDeleteTrip=Ushbu xarajatlar hisobotini o'chirishni xohlaysizmi? -ListTripsAndExpenses=Xarajatlar bo'yicha hisobotlar ro'yxati -ListToApprove=Tasdiqlashni kutmoqdaman -ExpensesArea=Xarajatlar bo'yicha hisobotlar maydoni +AnyOtherInThisListCanValidate=So'rovni tasdiqlash uchun xabardor qilinadigan shaxs. +AttachTheNewLineToTheDocument=Yuklangan hujjatga qatorni biriktiring +AucuneLigne=Hozircha xarajatlar to'g'risida hisobot e'lon qilinmagan +BrouillonnerTrip=Xarajatlar hisobotini "Qoralama" holatiga o'tkazing +byEX_DAY=kun bilan (%s chegarasi) +byEX_EXP=satr bo'yicha (%s chegarasi) +byEX_MON=oy bo'yicha (%s chegarasi) +byEX_YEA=yil bo'yicha (%s chegarasi) +CANCEL_USER=O'chirilgan +CarCategory=Avtomobillar toifasi ClassifyRefunded="Qaytarilgan" deb tasniflang +CompanyVisited=Kompaniya / tashkilot tashrif buyurdi +ConfirmBrouillonnerTrip=Ushbu xarajatlar hisobotini "Qoralama" holatiga o'tkazishni xohlaysizmi? +ConfirmCancelTrip=Ushbu xarajatlar hisobotini bekor qilmoqchimisiz? +ConfirmCloneExpenseReport=Ushbu xarajatlar hisobotini klonlamoqchimisiz? +ConfirmDeleteTrip=Ushbu xarajatlar hisobotini o'chirishni xohlaysizmi? +ConfirmPaidTrip=Ushbu xarajatlar hisobotining holatini "Pulli" ga o'zgartirishni xohlaysizmi? +ConfirmRefuseTrip=Ushbu xarajatlar hisobotini rad etishni xohlaysizmi? +ConfirmSaveTrip=Ushbu xarajatlar hisobotini tasdiqlamoqchimisiz? +ConfirmValideTrip=Ushbu xarajatlar hisobotini tasdiqlamoqchimisiz? +DATE_CANCEL=Bekor qilish sanasi +DATE_PAIEMENT=To'lov sanasi +DATE_REFUS=Sana rad etilsin +DATE_SAVE=Tasdiqlash sanasi +DefaultCategoryCar=Standart transport rejimi +DefaultRangeNumber=Standart oraliq raqami +DeleteTrip=Xarajatlar to'g'risidagi hisobotni o'chirish +ErrorDoubleDeclaration=Shunga o'xshash sana oralig'ida boshqa xarajatlar hisobotini e'lon qildingiz. +Error_EXPENSEREPORT_ADDON_NotDefined=Xatoliklar, "xarajatlar hisoboti" modulini o'rnatishda xarajatlar hisobotini raqamlash qoidasi aniqlanmadi +ExpenseRangeOffset=Ofset miqdori: %s +expenseReportCatDisabled=Kategoriya o'chirilgan - c_exp_tax_cat lug'atiga qarang +expenseReportCoef=Koeffitsient +expenseReportCoefUndefined=(qiymat aniqlanmagan) +expenseReportOffset=Ofset +expenseReportPrintExample=ofset + (d x koef) = %s +expenseReportRangeDisabled=Diapazon o'chirilgan - c_exp_tax_range lug'atiga qarang +expenseReportRangeFromTo=%d dan %d gacha +expenseReportRangeMoreThan=%d dan ko'proq +expenseReportTotalForFive= d = 5 bilan misol +ExpenseReportApplyTo=Murojaat qiling +ExpenseReportApproved=Xarajatlar to'g'risidagi hisobot tasdiqlandi +ExpenseReportApprovedMessage=%s xarajatlar hisoboti tasdiqlandi.
      - Foydalanuvchi: %s
      - Tasdiqlagan: %s
      Xarajatlar hisobotini ko'rsatish uchun shu yerni bosing: %s +ExpenseReportCanceled=Xarajatlar to'g'risidagi hisobot bekor qilindi +ExpenseReportCanceledMessage=%s xarajatlar hisoboti bekor qilindi.
      - Foydalanuvchi: %s
      - Bekor qilingan: %s
      - Bekor qilish sababi: %s
      Ko'rsatish uchun bo'sing:%s +ExpenseReportConstraintViolationError=Maksimal miqdor oshib ketdi (%s qoidasi): %s %s dan yuqori (Oshib ketish taqiqlangan) +ExpenseReportConstraintViolationWarning=Maksimal miqdor oshib ketdi (%s qoidasi): %s %s dan yuqori (ruxsatdan oshib ketdi) +ExpenseReportDateEnd=Sana tugashi +ExpenseReportDateStart=Sana boshlanishi +ExpenseReportDomain=Qo'llash uchun domen +ExpenseReportIkDesc=Kilometr sarfini hisob-kitobini toifasi va diapazoni bo'yicha o'zgartirishingiz mumkin. d - kilometrdagi masofa +ExpenseReportLimitAmount=Maksimal miqdor +ExpenseReportLimitOn=Cheklov +ExpenseReportLine=Xarajatlar bo'yicha hisobot chizig'i +ExpenseReportPaid=Xarajatlar to'g'risidagi hisobot to'langan +ExpenseReportPaidMessage=%s xarajatlar hisoboti to'landi.
      - Foydalanuvchi: %s
      - To'langan: %s
      Xarajatlar hisobotini ko'rsatish uchun shu yerni bosing: %s +ExpenseReportPayment=Xarajatlar bo'yicha hisobotni to'lash +ExpenseReportRef=Ref. xarajatlar to'g'risidagi hisobot +ExpenseReportRefused=Xarajatlar to'g'risidagi hisobot rad etildi +ExpenseReportRefusedMessage=%s xarajatlar hisoboti rad etildi.
      - Foydalanuvchi: %s
      - Rad etgan: %s
      - Rad etish sababi: %s
      Hisobot ko'rsatish uchun bo'sing: %s +ExpenseReportRestrictive=Haddan oshib ketish taqiqlangan +ExpenseReportRuleErrorOnSave=Xato: %s +ExpenseReportRuleSave=Xarajatlar bo'yicha hisobot qoidalari saqlandi +ExpenseReportRulesDesc=Xarajatlar hisobotlari uchun maksimal miqdor qoidalarini belgilashingiz mumkin. Ushbu qoidalar xarajat hisobotiga yangi xarajat kiritilganda qo'llaniladi ExpenseReportWaitingForApproval=Tasdiqlash uchun yangi xarajatlar hisoboti taqdim etildi ExpenseReportWaitingForApprovalMessage=Xarajatlar bo'yicha yangi hisobot taqdim etildi va tasdiqlashni kutmoqda.
      - Foydalanuvchi: %s
      - Davr: %s
      Tasdiqlash uchun shu yerni bosing: %s ExpenseReportWaitingForReApproval=Xarajatlar to'g'risidagi hisobot qayta tasdiqlash uchun taqdim etildi ExpenseReportWaitingForReApprovalMessage=Xarajatlar to'g'risidagi hisobot taqdim etildi va qayta tasdiqlashni kutmoqda.
      %s, siz shu sababli xarajatlar hisobotini tasdiqlashdan bosh tortdingiz: %s.
      Yangi versiyasi taklif qilindi va sizning roziligingizni kutmoqda.
      - Foydalanuvchi: %s
      - Davr: %s
      Tasdiqlash uchun shu yerni bosing: %s -ExpenseReportApproved=Xarajatlar to'g'risidagi hisobot tasdiqlandi -ExpenseReportApprovedMessage=%s xarajatlar hisoboti tasdiqlandi.
      - Foydalanuvchi: %s
      - Tasdiqlagan: %s
      Xarajatlar hisobotini ko'rsatish uchun shu yerni bosing: %s -ExpenseReportRefused=Xarajatlar to'g'risidagi hisobot rad etildi -ExpenseReportRefusedMessage=%s xarajatlar hisoboti rad etildi.
      - Foydalanuvchi: %s
      - Rad etgan: %s
      - Rad etish sababi: %s
      Hisobot ko'rsatish uchun bo'sing: %s -ExpenseReportCanceled=Xarajatlar to'g'risidagi hisobot bekor qilindi -ExpenseReportCanceledMessage=%s xarajatlar hisoboti bekor qilindi.
      - Foydalanuvchi: %s
      - Bekor qilingan: %s
      - Bekor qilish sababi: %s
      Ko'rsatish uchun bo'sing:%s -ExpenseReportPaid=Xarajatlar to'g'risidagi hisobot to'langan -ExpenseReportPaidMessage=%s xarajatlar hisoboti to'landi.
      - Foydalanuvchi: %s
      - To'langan: %s
      Xarajatlar hisobotini ko'rsatish uchun shu yerni bosing: %s -TripId=Id xarajatlari to'g'risidagi hisobot -AnyOtherInThisListCanValidate=So'rovni tasdiqlash uchun xabardor qilinadigan shaxs. -TripSociete=Axborot kompaniyasi -TripNDF=Axborot xarajatlari to'g'risidagi hisobot -PDFStandardExpenseReports=Xarajatlar hisoboti uchun PDF hujjatini yaratish uchun standart shablon -ExpenseReportLine=Xarajatlar bo'yicha hisobot chizig'i -TF_OTHER=Boshqalar -TF_TRIP=Transport -TF_LUNCH=Tushlik -TF_METRO=Metro -TF_TRAIN=Poezd -TF_BUS=Avtobus -TF_CAR=Avtomobil -TF_PEAGE=Yo'l uchun haq -TF_ESSENCE=Yoqilg'i -TF_HOTEL=Mehmonxona -TF_TAXI=Taksi -EX_KME=Kilometr narxi -EX_FUE=Yoqilg'i CV -EX_HOT=Mehmonxona -EX_PAR=Avtoturargohning qisqacha bayoni -EX_TOL=Pulli tarjimai hol -EX_TAX=Turli xil soliqlar -EX_IND=Kompensatsiya transportiga obuna bo'lish -EX_SUM=Ta'minot ta'minoti -EX_SUO=Ofis materiallari -EX_CAR=Avtomobil ijarasi -EX_DOC=Hujjatlar -EX_CUR=Mijozlarni qabul qilish -EX_OTR=Boshqa qabul qilish -EX_POS=Pochta aloqasi -EX_CAM=CV-ga texnik xizmat ko'rsatish va ta'mirlash -EX_EMM=Xodimlarning ovqatlanishi -EX_GUM=Mehmonlar ovqat -EX_BRE=Nonushta -EX_FUE_VP=Yoqilg'i PV -EX_TOL_VP=To'lov PV -EX_PAR_VP=Park PV -EX_CAM_VP=PVga texnik xizmat ko'rsatish va ta'mirlash -DefaultCategoryCar=Standart transport rejimi -DefaultRangeNumber=Standart oraliq raqami -UploadANewFileNow=Hozir yangi hujjatni yuklang -Error_EXPENSEREPORT_ADDON_NotDefined=Xatoliklar, "xarajatlar hisoboti" modulini o'rnatishda xarajatlar hisobotini raqamlash qoidasi aniqlanmadi -ErrorDoubleDeclaration=Shunga o'xshash sana oralig'ida boshqa xarajatlar hisobotini e'lon qildingiz. -AucuneLigne=Hozircha xarajatlar to'g'risida hisobot e'lon qilinmagan -ModePaiement=To'lov rejimi -VALIDATOR=Tasdiqlash uchun javobgar foydalanuvchi -VALIDOR=Tomonidan tasdiqlangan -AUTHOR=Yozib olingan -AUTHORPAIEMENT=To'langan -REFUSEUR=Rad etilgan -CANCEL_USER=O'chirilgan -MOTIF_REFUS=Sabab -MOTIF_CANCEL=Sabab -DATE_REFUS=Sana rad etilsin -DATE_SAVE=Tasdiqlash sanasi -DATE_CANCEL=Bekor qilish sanasi -DATE_PAIEMENT=To'lov sanasi -ExpenseReportRef=Ref. xarajatlar to'g'risidagi hisobot -ValidateAndSubmit=Tasdiqlang va tasdiqlash uchun topshiring -ValidatedWaitingApproval=Tasdiqlangan (tasdiqlashni kutmoqda) -NOT_AUTHOR=Siz ushbu xarajatlar hisobotining muallifi emassiz. Amal bekor qilindi. -ConfirmRefuseTrip=Ushbu xarajatlar hisobotini rad etishni xohlaysizmi? -ValideTrip=Xarajatlar to'g'risidagi hisobotni tasdiqlash -ConfirmValideTrip=Ushbu xarajatlar hisobotini tasdiqlamoqchimisiz? -PaidTrip=Xarajatlar to'g'risidagi hisobotni to'lash -ConfirmPaidTrip=Ushbu xarajatlar hisobotining holatini "Pulli" ga o'zgartirishni xohlaysizmi? -ConfirmCancelTrip=Ushbu xarajatlar hisobotini bekor qilmoqchimisiz? -BrouillonnerTrip=Xarajatlar hisobotini "Qoralama" holatiga o'tkazing -ConfirmBrouillonnerTrip=Ushbu xarajatlar hisobotini "Qoralama" holatiga o'tkazishni xohlaysizmi? -SaveTrip=Xarajatlar to'g'risidagi hisobotni tasdiqlash -ConfirmSaveTrip=Ushbu xarajatlar hisobotini tasdiqlamoqchimisiz? -NoTripsToExportCSV=Ushbu davr uchun eksport uchun xarajatlar hisoboti yo'q. -ExpenseReportPayment=Xarajatlar bo'yicha hisobotni to'lash -ExpenseReportsToApprove=Tasdiqlash uchun xarajatlar hisobotlari -ExpenseReportsToPay=To'lov uchun hisobot -ConfirmCloneExpenseReport=Ushbu xarajatlar hisobotini klonlamoqchimisiz? ExpenseReportsIk=Kilometr uchun to'lovlarni sozlash ExpenseReportsRules=Xarajatlarni hisobot qilish qoidalari -ExpenseReportIkDesc=Kilometr sarfini hisob-kitobini toifasi va diapazoni bo'yicha o'zgartirishingiz mumkin. d - kilometrdagi masofa -ExpenseReportRulesDesc=Xarajatlar hisobotlari uchun maksimal miqdor qoidalarini belgilashingiz mumkin. Ushbu qoidalar xarajat hisobotiga yangi xarajat kiritilganda qo'llaniladi -expenseReportOffset=Ofset -expenseReportCoef=Koeffitsient -expenseReportTotalForFive= d = 5 bilan misol -expenseReportRangeFromTo=%d dan %d gacha -expenseReportRangeMoreThan=%d dan ko'proq -expenseReportCoefUndefined=(qiymat aniqlanmagan) -expenseReportCatDisabled=Kategoriya o'chirilgan - c_exp_tax_cat lug'atiga qarang -expenseReportRangeDisabled=Diapazon o'chirilgan - c_exp_tax_range lug'atiga qarang -expenseReportPrintExample=ofset + (d x koef) = %s -ExpenseReportApplyTo=Murojaat qiling -ExpenseReportDomain=Qo'llash uchun domen -ExpenseReportLimitOn=Cheklov -ExpenseReportDateStart=Sana boshlanishi -ExpenseReportDateEnd=Sana tugashi -ExpenseReportLimitAmount=Maksimal miqdor -ExpenseReportRestrictive=Haddan oshib ketish taqiqlangan -AllExpenseReport=Xarajatlar bo'yicha hisobotning barcha turlari -OnExpense=Xarajatlar liniyasi -ExpenseReportRuleSave=Xarajatlar bo'yicha hisobot qoidalari saqlandi -ExpenseReportRuleErrorOnSave=Xato: %s -RangeNum=%d oralig'i -ExpenseReportConstraintViolationError=Maksimal miqdor oshib ketdi (%s qoidasi): %s %s dan yuqori (Oshib ketish taqiqlangan) -byEX_DAY=kun bilan (%s chegarasi) -byEX_MON=oy bo'yicha (%s chegarasi) -byEX_YEA=yil bo'yicha (%s chegarasi) -byEX_EXP=satr bo'yicha (%s chegarasi) -ExpenseReportConstraintViolationWarning=Maksimal miqdor oshib ketdi (%s qoidasi): %s %s dan yuqori (ruxsatdan oshib ketdi) +ExpenseReportsToApprove=Tasdiqlash uchun xarajatlar hisobotlari +ExpenseReportsToPay=To'lov uchun hisobot +ExpensesArea=Xarajatlar bo'yicha hisobotlar maydoni +FeesKilometersOrAmout=Miqdor yoki kilometr +LastExpenseReports=Oxirgi %s xarajatlar hisoboti +ListOfFees=To'lovlar ro'yxati +ListOfTrips=Xarajatlar bo'yicha hisobotlar ro'yxati +ListToApprove=Tasdiqlashni kutmoqdaman +ListTripsAndExpenses=Xarajatlar bo'yicha hisobotlar ro'yxati +MOTIF_CANCEL=Sabab +MOTIF_REFUS=Sabab +ModePaiement=To'lov rejimi +NewTrip=Yangi xarajatlar hisoboti nolimitbyEX_DAY=kunga (cheklovsiz) +nolimitbyEX_EXP=chiziq bo'yicha (cheklovsiz) nolimitbyEX_MON=oy bo'yicha (cheklovsiz) nolimitbyEX_YEA=yil bo'yicha (cheklovsiz) -nolimitbyEX_EXP=chiziq bo'yicha (cheklovsiz) -CarCategory=Avtomobillar toifasi -ExpenseRangeOffset=Ofset miqdori: %s +NoTripsToExportCSV=Ushbu davr uchun eksport uchun xarajatlar hisoboti yo'q. +NOT_AUTHOR=Siz ushbu xarajatlar hisobotining muallifi emassiz. Operatsiya bekor qilindi. +OnExpense=Xarajatlar liniyasi +PDFStandardExpenseReports=Xarajatlar hisoboti uchun PDF hujjatini yaratish uchun standart shablon +PaidTrip=Xarajatlar to'g'risidagi hisobotni to'lash +REFUSEUR=Rad etilgan RangeIk=Kilometr oralig'i -AttachTheNewLineToTheDocument=Yuklangan hujjatga qatorni biriktiring +RangeNum=%d oralig'i +SaveTrip=Xarajatlar to'g'risidagi hisobotni tasdiqlash +ShowExpenseReport=Xarajatlar hisobotini ko'rsatish +ShowTrip=Xarajatlar hisobotini ko'rsatish +TripCard=Xarajatlarni hisobga olish kartasi +TripId=Id xarajatlari to'g'risidagi hisobot +TripNDF=Axborot xarajatlari to'g'risidagi hisobot +TripSociete=Axborot kompaniyasi +Trips=Xarajatlar bo'yicha hisobotlar +TripsAndExpenses=Xarajatlar to'g'risida hisobotlar +TripsAndExpensesStatistics=Xarajatlar bo'yicha hisobotlar +TypeFees=To'lov turlari +UploadANewFileNow=Hozir yangi hujjatni yuklang +VALIDATOR=Tasdiqlash uchun javobgar foydalanuvchi +VALIDOR=Tomonidan tasdiqlangan +ValidateAndSubmit=Tasdiqlang va tasdiqlash uchun topshiring +ValidatedWaitingApproval=Tasdiqlangan (tasdiqlashni kutmoqda) +ValideTrip=Xarajatlar to'g'risidagi hisobotni tasdiqlash + +## Dictionary +EX_BRE=Nonushta +EX_CAM=CV-ga texnik xizmat ko'rsatish va ta'mirlash +EX_CAM_VP=PVga texnik xizmat ko'rsatish va ta'mirlash +EX_CAR=Avtomobil ijarasi +EX_CUR=Mijozlarni qabul qilish +EX_DOC=Hujjatlar +EX_EMM=Xodimlarning ovqatlanishi +EX_FUE=Yoqilg'i CV +EX_FUE_VP=Yoqilg'i PV +EX_GUM=Mehmonlar ovqat +EX_HOT=Mehmonxona +EX_IND=Kompensatsiya transportiga obuna bo'lish +EX_KME=Kilometr narxi +EX_OTR=Boshqa qabul qilish +EX_PAR=Avtoturargohning qisqacha bayoni +EX_PAR_VP=Park PV +EX_POS=Pochta aloqasi +EX_SUM=Ta'minot ta'minoti +EX_SUO=Ofis materiallari +EX_TAX=Turli xil soliqlar +EX_TOL=Pulli tarjimai hol +EX_TOL_VP=To'lov PV +TF_BUS=Avtobus +TF_CAR=Avtomobil +TF_ESSENCE=Yoqilg'i +TF_HOTEL=Mehmonxona +TF_LUNCH=Tushlik +TF_METRO=Metro +TF_OTHER=Boshqalar +TF_PEAGE=Yo'l uchun haq +TF_TAXI=Taksi +TF_TRAIN=Poezd +TF_TRIP=Transport diff --git a/htdocs/langs/uz_UZ/users.lang b/htdocs/langs/uz_UZ/users.lang index 1a2f5a80803..65067f0e741 100644 --- a/htdocs/langs/uz_UZ/users.lang +++ b/htdocs/langs/uz_UZ/users.lang @@ -6,7 +6,7 @@ Permission=Ruxsat Permissions=Ruxsatlar EditPassword=Parolni tahrirlash SendNewPassword=Parolni qayta yarating va yuboring -SendNewPasswordLink=Send link to reset password +SendNewPasswordLink=Parolni tiklash uchun havolani yuboring ReinitPassword=Parolni qayta yarating PasswordChangedTo=Parol o'zgartirildi: %s SubjectNewPassword=%s uchun yangi parolingiz @@ -32,9 +32,8 @@ CreateUser=Foydalanuvchini yarating LoginNotDefined=Kirish aniqlanmagan. NameNotDefined=Ism aniqlanmagan. ListOfUsers=Foydalanuvchilar ro'yxati -SuperAdministrator=Super Administrator -SuperAdministratorDesc=Global administrator -AdministratorDesc=Ma'mur +SuperAdministrator=Ko'p kompaniya ma'muri +SuperAdministratorDesc=Ko'p kompaniyali tizim administratori (sozlash va foydalanuvchilarni o'zgartirishi mumkin) DefaultRights=Standart ruxsatnomalar DefaultRightsDesc=Bu erda avtomatik ravishda yangi foydalanuvchisiga beriladigan standart ruxsatnomalarini aniqlang (mavjud foydalanuvchilar uchun ruxsatlarni o'zgartirish uchun foydalanuvchi kartasiga o'ting). DolibarrUsers=Dolibarr foydalanuvchilari @@ -47,8 +46,8 @@ RemoveFromGroup=Guruhdan olib tashlash PasswordChangedAndSentTo=Parol o'zgartirildi va %s raqamiga yuborildi. PasswordChangeRequest= %s uchun parolni o'zgartirish haqida so'rov PasswordChangeRequestSent= %s uchun %s uchun parolni o'zgartirish uchun so'rov. -IfLoginExistPasswordRequestSent=If this login is a valid account (with a valid email), an email to reset password has been sent. -IfEmailExistPasswordRequestSent=If this email is a valid account, an email to reset password has been sent (remember to check your SPAM folder if you do not receive anything) +IfLoginExistPasswordRequestSent=Agar bu login haqiqiy hisob bo'lsa (to'g'ri elektron pochta bilan), parolni tiklash uchun elektron pochta xabari yuborilgan. +IfEmailExistPasswordRequestSent=Agar bu e-pochta to‘g‘ri hisob bo‘lsa, parolni tiklash uchun xat yuborilgan (agar hech narsa olmagan bo‘lsa, SPAM jildini tekshirishni unutmang) ConfirmPasswordReset=Parolni tiklashni tasdiqlang MenuUsersAndGroups=Foydalanuvchilar va guruhlar LastGroupsCreated=Eng so'nggi %s guruhlari yaratildi @@ -66,8 +65,8 @@ LinkedToDolibarrUser=Foydalanuvchiga havola LinkedToDolibarrThirdParty=Uchinchi tomonga havola CreateDolibarrLogin=Foydalanuvchini yarating CreateDolibarrThirdParty=Uchinchi tomonni yarating -LoginAccountDisableInDolibarr=Account disabled in Dolibarr -PASSWORDInDolibarr=Password modified in Dolibarr +LoginAccountDisableInDolibarr=Dolibarrda hisob o'chirilgan +PASSWORDInDolibarr=Parol Dolibarrda o'zgartirildi UsePersonalValue=Shaxsiy qiymatdan foydalaning ExportDataset_user_1=Foydalanuvchilar va ularning xususiyatlari DomainUser=Domen foydalanuvchisi %s @@ -99,7 +98,7 @@ YourRole=Sizning rollaringiz YourQuotaOfUsersIsReached=Faol foydalanuvchilar kvotangizga erishildi! NbOfUsers=Foydalanuvchilar soni NbOfPermissions=Ruxsatnomalar soni -DontDowngradeSuperAdmin=Only another admin can downgrade an admin +DontDowngradeSuperAdmin=Administratorni faqat boshqa administrator pastroq qilishi mumkin HierarchicalResponsible=Nazoratchi HierarchicView=Ierarxik ko'rinish UseTypeFieldToChange=O'zgartirish uchun maydon turidan foydalaning @@ -110,8 +109,9 @@ ExpectedWorkedHours=Kutilgan haftada ishlagan soatlari ColorUser=Foydalanuvchining rangi DisabledInMonoUserMode=Xizmat ko'rsatish rejimida o'chirilgan UserAccountancyCode=Foydalanuvchining hisobga olish kodi -UserLogoff=Foydalanuvchidan chiqish -UserLogged=Foydalanuvchi tizimga kirdi +UserLogoff=Foydalanuvchi chiqish: %s +UserLogged=Foydalanuvchi tizimga kirdi: %s +UserLoginFailed=Foydalanuvchiga kirish amalga oshmadi: %s DateOfEmployment=Ishga joylashish sanasi DateEmployment=Bandlik DateEmploymentStart=Ishga kirishish sanasi @@ -120,15 +120,17 @@ RangeOfLoginValidity=Kirishning amal qilish muddati CantDisableYourself=O'zingizning foydalanuvchi yozuvingizni o'chirib qo'yolmaysiz ForceUserExpenseValidator=Majburiy xarajatlar to'g'risidagi hisobotni tasdiqlovchi ForceUserHolidayValidator=Majburiy ta'til so'rovini tasdiqlovchi -ValidatorIsSupervisorByDefault=Odatiy bo'lib, tasdiqlovchi foydalanuvchi nazoratchisi hisoblanadi. Ushbu xatti-harakatni saqlash uchun bo'sh joyni saqlang. +ValidatorIsSupervisorByDefault=Odatiy bo'lib, validator foydalanuvchi nazoratchisi hisoblanadi. Ushbu xatti-harakatni saqlab qolish uchun bo'sh qoldiring. UserPersonalEmail=Shaxsiy elektron pochta UserPersonalMobile=Shaxsiy mobil telefon -WarningNotLangOfInterface=Ogohlantirish, bu foydalanuvchi foydalanadigan asosiy til, u tanlagan interfeys tili emas. Ushbu foydalanuvchi tomonidan ko'rinadigan interfeys tilini o'zgartirish uchun %s yorlig'iga o'ting +WarningNotLangOfInterface=Ogohlantirish, bu foydalanuvchi gapiradigan asosiy til, u ko'rishni tanlagan interfeys tili emas. Bu foydalanuvchiga ko‘rinadigan interfeys tilini o‘zgartirish uchun %s sahifasiga o‘ting. DateLastLogin=Oxirgi kirish sanasi DatePreviousLogin=Oldingi kirish sanasi IPLastLogin=IP oxirgi kirish IPPreviousLogin=IP oldingi kirish -ShowAllPerms=Show all permission rows -HideAllPerms=Hide all permission rows -UserPublicPageDesc=You can enable a virtual card for this user. An url with the user profile and a barcode will be available to allow anybody with a smartphone to scan it and add your contact to its address book. -EnablePublicVirtualCard=Enable the user's virtual business card +ShowAllPerms=Barcha ruxsat qatorlarini ko'rsatish +HideAllPerms=Barcha ruxsat qatorlarini yashirish +UserPublicPageDesc=Ushbu foydalanuvchi uchun virtual kartani yoqishingiz mumkin. Foydalanuvchi profili va shtrix-kodi bilan url mavjud bo'lib, u smartfonga ega bo'lgan har bir kishi uni skanerlashi va kontaktingizni manzillar kitobiga qo'shishi mumkin. +EnablePublicVirtualCard=Foydalanuvchining virtual tashrifnomasini yoqing +UserEnabledDisabled=Foydalanuvchi holati oʻzgardi: %s +AlternativeEmailForOAuth2=Alternative Email for OAuth2 login diff --git a/htdocs/langs/uz_UZ/website.lang b/htdocs/langs/uz_UZ/website.lang index 49633d6c55d..528bd6c2208 100644 --- a/htdocs/langs/uz_UZ/website.lang +++ b/htdocs/langs/uz_UZ/website.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - website Shortname=Kod -WebsiteName=Name of the website +WebsiteName=Veb-sayt nomi WebsiteSetupDesc=Bu erda siz foydalanmoqchi bo'lgan veb-saytlarni yarating. Keyin ularni tahrirlash uchun veb-saytlar menyusiga o'ting. DeleteWebsite=Veb-saytni o'chirish ConfirmDeleteWebsite=Ushbu veb-saytni o'chirishni xohlaysizmi? Uning barcha sahifalari va tarkibi ham o'chiriladi. Yuklangan fayllar (masalan, Medlar katalogiga, ECM moduliga, ...) qoladi. @@ -11,21 +11,21 @@ WEBSITE_ALIASALT=Muqobil sahifa nomlari / taxalluslari WEBSITE_ALIASALTDesc=Bu erda boshqa ism / taxalluslar ro'yxatidan foydalaning, shunda sahifaga ushbu boshqa ismlar / taxalluslar yordamida kirish mumkin (masalan, eski havola / ismning ishlashida orqa bog'lanishni saqlab qolish uchun taxallusni o'zgartirgandan keyin eski nom). Sintaksis quyidagicha:
      alternativename1, alternativename2, ... WEBSITE_CSS_URL=Tashqi CSS-faylning URL manzili WEBSITE_CSS_INLINE=CSS fayli tarkibi (barcha sahifalar uchun umumiy) -WEBSITE_JS_INLINE=Javascript fayl tarkibi (barcha sahifalar uchun umumiy) +WEBSITE_JS_INLINE=JavaScript fayl tarkibi (barcha sahifalar uchun umumiy) WEBSITE_HTML_HEADER=HTML sarlavhasi ostidagi qo'shimchalar (barcha sahifalar uchun umumiy) WEBSITE_ROBOT=Robot fayli (robots.txt) WEBSITE_HTACCESS=Veb-sayt .htaccess fayli WEBSITE_MANIFEST_JSON=Veb-sayt manifest.json fayli WEBSITE_KEYWORDSDesc=Qiymatlarni ajratish uchun verguldan foydalaning -EnterHereReadmeInformation=Enter here a description of the website. If you distribute your website as a template, the file will be included into the temptate package. -EnterHereLicenseInformation=Enter here the LICENSE of the code of the website. If you distribute your website as a template, the file will be included into the temptate package. +EnterHereReadmeInformation=Bu yerga veb-sayt tavsifini kiriting. Agar veb-saytingizni shablon sifatida tarqatsangiz, fayl vasvasa paketiga kiritiladi. +EnterHereLicenseInformation=Bu yerga veb-sayt kodining LITSENSIYAsini kiriting. Agar veb-saytingizni shablon sifatida tarqatsangiz, fayl vasvasa paketiga kiritiladi. HtmlHeaderPage=HTML sarlavhasi (faqat ushbu sahifaga xos) PageNameAliasHelp=Sahifaning nomi yoki taxallusi.
      Ushbu taxallus, shuningdek veb-serverning Virtual xostidan (Apacke, Nginx, ... kabi) veb-sayt ishga tushirilganda, SEO URL-ni yaratish uchun ishlatiladi. Ushbu taxallusni tahrirlash uchun " %s " tugmachasidan foydalaning. EditTheWebSiteForACommonHeader=Izoh: Agar siz barcha sahifalar uchun moslashtirilgan sarlavhani belgilamoqchi bo'lsangiz, sarlavhani sahifa / konteyner o'rniga sayt darajasida tahrirlang. MediaFiles=Media kutubxonasi EditCss=Veb-sayt xususiyatlarini tahrirlash EditMenu=Tartibga solish menyusi -EditMedias=Medialarni tahrirlash +EditMedias=Mediani tahrirlash EditPageMeta=Sahifa / konteyner xususiyatlarini tahrirlash EditInLine=Inline-ni tahrirlash AddWebsite=Veb-sayt qo'shish @@ -43,8 +43,8 @@ ViewPageInNewTab=Sahifani yangi varaqda ko'rish SetAsHomePage=Uy sahifasi sifatida o'rnating RealURL=Haqiqiy URL ViewWebsiteInProduction=Uy manzillaridan foydalangan holda veb-saytni ko'ring -Virtualhost=Virtual host or domain name -VirtualhostDesc=The name of the Virtual host or domain (For example: www.mywebsite.com, mybigcompany.net, ...) +Virtualhost=Virtual xost yoki domen nomi +VirtualhostDesc=Virtual xost yoki domen nomi (Masalan: www.mywebsite.com, mybigcompany.net, ...) SetHereVirtualHost= Apache/NGinx/bilan ishlatish ...
      Veb -serveringizda (Apache, Nginx, ...) PHP yoqilgan maxsus Virtual Xost PHP bilan va Root direktoriyada
      %s ExampleToUseInApacheVirtualHostConfig=Apache virtual xostini o'rnatishda foydalanish uchun misol: YouCanAlsoTestWithPHPS= Use with PHP embedded server
      On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
      php -S 0.0.0.0:8080 -t %s @@ -60,10 +60,11 @@ NoPageYet=Hali sahifalar yo'q YouCanCreatePageOrImportTemplate=Siz yangi sahifa yaratishingiz yoki to'liq veb-sayt shablonini import qilishingiz mumkin SyntaxHelp=Sintaksis bo'yicha aniq maslahatlar bo'yicha yordam bering YouCanEditHtmlSourceckeditor=HTML manba kodini tahrirlashdagi "Manba" tugmasi yordamida tahrirlashingiz mumkin. -YouCanEditHtmlSource=
      <? php? > a0a65d teglari yordamida ushbu manbaga PHP kodini qo'shishingiz mumkin. Quyidagi global o'zgaruvchilar mavjud: $ conf, $ db, $ mysoc, $ user, $ website, $ websitepage, $ weblangs, $ pagelangs.

      Siz shuningdek boshqa sahifa / konteyner tarkibini quyidagi sintaksis bilan qo'shishingiz mumkin:
      a_31c_to_of_0_0_b_0_b_0_b_b_0_b_b_0_b_0_b_0_0_b_0_0_06_c46c6c6c6c6c6cb6cbbc0bbc0cbbbc0f3cbbbc0fdbbc0cbbc0cbbbc9cbbbc9cbbc9cbbc0cbbnc ' ? >

      quyidagi sintaksisi rang bilan boshqa sahifa / konteyner uchun yo'naltirishni qilish mumkin (Eslatma: ishlab chiqarish yo'riq oldin, har qanday mazmun, albatta):?
      < php redirectToContainer ( 'alias_of_container_to_redirect_to'); ? hujjatlar ichiga saqlangan fayl yuklab uchun link o'z ichiga uchun
      <a href = "alias_of_page_to_link_to.php" >mylink<a>

      : >


      sintaksisi foydalanishingiz, boshqa sahifaga bilan bog'lanish qo'shish uchun
      katalog, document.php jild foydalanish: hujjatlar / ECM'de bir fayl uchun,
      misol (ehtiyoj identifikatsiyadan kerak), sintaksisi:?
      <a href = "/ document.php modulepart = ecm & fayl = [relative_dir / ] filename.ext ">
      Hujjatlar / mediyadagi fayl (umumiy foydalanish uchun ochiq katalog) uchun sintaksis:
      a039zd7 "/document.php?modulepart=medias&file=(relative_dir/ assignedfilename.ext">
      Sharing havolasi bilan birgalikda foydalaniladigan fayl uchun (ochiq fayl kirish h0904f097). /document.php?hashp=publicsharekeyoffile">


      Direktoriyaning hujjatlar ichiga saqlangan bir tasvir , viewimage.php jild foydalanishni o'z ichiga oladi: ochiq hujjatlar / medias yuzasidan tasvir uchun,
      misoli ( umumiy foydalanish uchun sintaksis:
      <img src = "/ viewimage.php? modulepart = medias&file = [relat_dir / ]00f07006" -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=Almashish havolasi bilan birgalikda foydalaniladigan rasm uchun (faylning umumiy xesh tugmachasidan foydalangan holda ochiq kirish) sintaksis quyidagicha:
      <img src = "/ viewimage.php? Hashp = 12345679012 ..." a0012c7dff0a0z0z00090f0f08a0f09a0f09a09a09cb08a0a09a03c09a03c09c9c9c9c9c9c08f96f96f9f08f08f0f9fdf9fdfdfdfc7fd -YouCanEditHtmlSourceMore=
      HTML yoki dinamik kodning boshqa misollari wiki hujjatlari
      da mavjud. +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Sahifani / konteynerni klonlash CloneSite=Klon sayti SiteAdded=Veb-sayt qo'shildi @@ -83,7 +84,7 @@ BlogPost=Blog post WebsiteAccount=Veb-sayt qayd yozuvi WebsiteAccounts=Veb-sayt qayd yozuvlari AddWebsiteAccount=Veb-sayt qayd yozuvini yarating -BackToListForThirdParty=Back to list for the third parties +BackToListForThirdParty=Uchinchi shaxslar roʻyxatiga qaytish DisableSiteFirst=Avval veb-saytni o'chirib qo'ying MyContainerTitle=Mening veb-saytim nomi AnotherContainer=Boshqa sahifa / konteyner tarkibini qanday kiritish kerak (agar siz ichki kodni yoqsangiz, dinamik kodni yoqsangiz, bu erda sizda xato bo'lishi mumkin) @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Kechirasiz, ushbu veb-sayt hozirda o'chirilgan. I WEBSITE_USE_WEBSITE_ACCOUNTS=Veb-sayt hisob jadvalini yoqing WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Har bir veb-sayt / uchinchi tomon uchun veb-sayt qayd yozuvlarini (kirish / o'tish) saqlash uchun jadvalni yoqing YouMustDefineTheHomePage=Avval standart uy sahifasini belgilashingiz kerak -OnlyEditionOfSourceForGrabbedContentFuture=Ogohlantirish: Tashqi veb-sahifani import qilish orqali veb-sahifa yaratish tajribali foydalanuvchilar uchun saqlanadi. Manba sahifasining murakkabligiga qarab, import natijasi asl nusxadan farq qilishi mumkin. Shuningdek, agar manba sahifasida odatiy CSS uslublari yoki ziddiyatli javascriptlardan foydalanilsa, u ushbu sahifada ishlash paytida veb-sayt muharriri ko'rinishini yoki xususiyatlarini buzishi mumkin. Ushbu usul sahifani yaratishning tezroq usuli hisoblanadi, ammo yangi sahifangizni noldan yoki tavsiya etilgan sahifa shablonidan yaratish tavsiya etiladi.
      Shuni ham ta'kidlash kerakki, ichki muharrir olingan tashqi sahifada ishlatilganda to'g'rilanishi mumkin emas. +OnlyEditionOfSourceForGrabbedContentFuture=Ogohlantirish: Tashqi veb-sahifani import qilish orqali veb-sahifa yaratish tajribali foydalanuvchilar uchun ajratilgan. Manba sahifasining murakkabligiga qarab, import natijasi asl nusxadan farq qilishi mumkin. Shuningdek, agar manba sahifa umumiy CSS uslublari yoki ziddiyatli JavaScript-dan foydalansa, bu sahifada ishlashda veb-sayt muharririning ko'rinishi yoki xususiyatlarini buzishi mumkin. Bu usul sahifa yaratishning tezroq usulidir, lekin yangi sahifangizni noldan yoki tavsiya etilgan sahifa shablonidan yaratish tavsiya etiladi.
      Shuningdek, inline muharriri ishlamasligi mumkinligini ham unutmang. ushlangan tashqi sahifada foydalanilganda to'g'ri. OnlyEditionOfSourceForGrabbedContent=Tashqi saytdan tarkib topilganda faqat HTML manbasini nashr qilish mumkin GrabImagesInto=CSS va sahifada joylashgan rasmlarni ham oling. ImagesShouldBeSavedInto=Rasmlar katalogga saqlanishi kerak @@ -112,13 +113,13 @@ GoTo=Boring DynamicPHPCodeContainsAForbiddenInstruction=Siz sukut bo'yicha dinamik tarkib sifatida taqiqlangan ' %s ' PHP yo'riqnomasini o'z ichiga olgan dinamik PHP kodini qo'shasiz (ruxsat berilgan buyruqlar ro'yxatini oshirish uchun WEBSITE_PHP_ALLOW_xxx yashirin variantlarini ko'ring). NotAllowedToAddDynamicContent=Veb-saytlarga PHP dinamik tarkibini qo'shish yoki tahrirlash huquqiga ega emassiz. Ruxsat so'rang yoki kodni php teglariga o'zgartirmasdan saqlang. ReplaceWebsiteContent=Veb-sayt tarkibini qidirish yoki almashtirish -DeleteAlsoJs=Ushbu veb-saytga tegishli barcha javascript fayllari o'chirilsinmi? -DeleteAlsoMedias=Ushbu veb-saytga tegishli barcha media fayllari ham o'chirilsinmi? +DeleteAlsoJs=Ushbu veb-saytga tegishli barcha JavaScript fayllari ham o'chirilsinmi? +DeleteAlsoMedias=Ushbu veb-saytga tegishli barcha media fayllar ham o'chirilsinmi? MyWebsitePages=Mening veb-sahifalarim SearchReplaceInto=Qidiruv | Ichiga almashtiring ReplaceString=Yangi mag'lubiyat CSSContentTooltipHelp=Bu erga CSS tarkibini kiriting. Ilovaning CSS bilan ziddiyatni oldini olish uchun barcha deklaratsiyani .bodywebsite sinfi bilan oldindan belgilab qo'ying. Masalan:

      #mycssselector, input.myclass: hover {...}

      bo'lishi kerak .bodywebsite #mycssselector, .bodywebsite input.mf190: hoff000 ushbu prefiksni .bodywebsite prefiksini hamma joyda qo'shish uchun "lessc" dan foydalanishingiz mumkin. -LinkAndScriptsHereAreNotLoadedInEditor=Ogohlantirish: Ushbu tarkib faqat saytga serverdan kirganda chiqariladi. U tahrirlash rejimida ishlatilmaydi, shuning uchun javascript fayllarini tahrirlash rejimida yuklashingiz kerak bo'lsa, sahifangizga 'script src = ...' tegini qo'shishingiz kifoya. +LinkAndScriptsHereAreNotLoadedInEditor=Ogohlantirish: Bu kontent faqat serverdan saytga kirishda chiqariladi. U Tahrirlash rejimida ishlatilmaydi, shuning uchun JavaScript fayllarini tahrirlash rejimida ham yuklashingiz kerak bo'lsa, sahifaga "script src=..." tegini qo'shing. Dynamiccontent=Dinamik tarkibga ega sahifaning namunasi ImportSite=Veb-sayt shablonini import qilish EditInLineOnOff="Inline-ni tahrirlash" rejimi %s @@ -140,7 +141,7 @@ PagesRegenerated=%s sahifa / lar / qayta tiklangan konteyner (lar) RegenerateWebsiteContent=Veb-sayt kesh fayllarini qayta yarating AllowedInFrames=Kadrlarda ruxsat berilgan DefineListOfAltLanguagesInWebsiteProperties=Barcha mavjud tillarning ro'yxatini veb-sayt xususiyatlariga aniqlang. -GenerateSitemaps=Generate website sitemap.xml file +GenerateSitemaps=Veb-sayt xaritasi.xml faylini yarating ConfirmGenerateSitemaps=Agar siz tasdiqlasangiz, mavjud sayt xaritasi faylini o'chirib tashlaysiz ... ConfirmSitemapsCreation=Sayt xaritasini yaratishni tasdiqlang SitemapGenerated=Sayt xaritasi fayli %s @@ -148,12 +149,18 @@ ImportFavicon=Favikon ErrorFaviconType=Favicon png bo'lishi kerak ErrorFaviconSize=Favikon hajmi 16x16, 32x32 yoki 64x64 bo'lishi kerak FaviconTooltip=Png (16x16, 32x32 yoki 64x64) bo'lishi kerak bo'lgan rasmni yuklang -NextContainer=Next page/container -PreviousContainer=Previous page/container -WebsiteMustBeDisabled=The website must have the status "%s" -WebpageMustBeDisabled=The web page must have the status "%s" -SetWebsiteOnlineBefore=When website is offline, all pages are offline. Change status of website first. -Booking=Booking -Reservation=Reservation -PagesViewedPreviousMonth=Pages viewed (previous month) -PagesViewedTotal=Pages viewed (total) +NextContainer=Keyingi sahifa/konteyner +PreviousContainer=Oldingi sahifa/konteyner +WebsiteMustBeDisabled=Veb-sayt "%s" maqomiga ega bo'lishi kerak +WebpageMustBeDisabled=Veb-sahifa "%s" holatiga ega bo'lishi kerak +SetWebsiteOnlineBefore=Veb-sayt oflayn bo'lsa, barcha sahifalar oflayn bo'ladi. Avval veb-sayt holatini o'zgartiring. +Booking=Rezervasyon +Reservation=Rezervasyon +PagesViewedPreviousMonth=Koʻrilgan sahifalar (oldingi oy) +PagesViewedTotal=Koʻrilgan sahifalar (jami) +Visibility=Ko'rinish +Everyone=Hamma +AssignedContacts=Belgilangan kontaktlar +WebsiteTypeLabel=Veb-sayt turi +WebsiteTypeDolibarrWebsite=Veb-sayt (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portali diff --git a/htdocs/langs/uz_UZ/withdrawals.lang b/htdocs/langs/uz_UZ/withdrawals.lang index c4112870284..575d8215c8e 100644 --- a/htdocs/langs/uz_UZ/withdrawals.lang +++ b/htdocs/langs/uz_UZ/withdrawals.lang @@ -33,7 +33,7 @@ InvoiceWaitingPaymentByBankTransfer=Kredit o'tkazilishini kutayotgan hisob-faktu AmountToWithdraw=Chiqish uchun mablag ' AmountToTransfer=O'tkazish uchun miqdor NoInvoiceToWithdraw="%s" uchun hech qanday hisob-faktura kutilmaydi. So'rov yuborish uchun faktura kartasidagi '%s' yorlig'iga o'ting. -NoSupplierInvoiceToWithdraw=No supplier invoice with open '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=Ochiq '%s' bilan hech qanday yetkazib beruvchi hisob-fakturasi kutilmayapti. So‘rov yuborish uchun invoys kartasidagi “%s” sahifasiga o‘ting. ResponsibleUser=Foydalanuvchi uchun javobgar WithdrawalsSetup=To'g'ridan-to'g'ri debet to'lovini sozlash CreditTransferSetup=Kredit o'tkazmalarini sozlash @@ -42,12 +42,14 @@ CreditTransferStatistics=Kredit o'tkazmalari statistikasi Rejects=Rad etadi LastWithdrawalReceipt=Oxirgi %s to'g'ridan-to'g'ri debet tushumlari MakeWithdrawRequest=To'g'ridan-to'g'ri debetni to'lash to'g'risida so'rov yuboring -MakeWithdrawRequestStripe=Make a direct debit payment request via Stripe +MakeWithdrawRequestStripe=Stripe orqali to'g'ridan-to'g'ri to'lov so'rovini yuboring MakeBankTransferOrder=Kredit o'tkazish to'g'risida so'rov yuboring WithdrawRequestsDone=%s to'g'ridan-to'g'ri debet to'lovi bo'yicha so'rovlar yozib olindi BankTransferRequestsDone=%s kredit o'tkazish bo'yicha so'rovlar yozib olindi ThirdPartyBankCode=Uchinchi tomonning bank kodi -NoInvoiceCouldBeWithdrawed=Hech qanday schyot-faktura muvaffaqiyatli hisobdan chiqarilmagan. Hisob-kitoblarning amaldagi IBANga ega kompaniyalarda ekanligini va IBAN-da %s rejimida UMR (noyob mandat ma'lumotnomasi) mavjudligini tekshiring. +NoInvoiceCouldBeWithdrawed=Hech qanday hisob-faktura muvaffaqiyatli bajarilmadi. Hisob-fakturalar yaroqli IBANga ega kompaniyalarda ekanligini va IBANda UMR (Noyob mandat maʼlumotnomasi) rejimi %s< borligini tekshiring. span class='notranslate'>
      . +NoInvoiceCouldBeWithdrawedSupplier=Hech qanday hisob-faktura muvaffaqiyatli qayta ishlanmadi. Hisob-fakturalar to'g'ri IBANga ega kompaniyalarda ekanligini tekshiring. +NoSalariesCouldBeWithdrawed=Hech qanday ish haqi muvaffaqiyatli qayta ishlanmadi. Ish haqi to'g'ri IBANga ega bo'lgan foydalanuvchilar uchun ekanligini tekshiring. WithdrawalCantBeCreditedTwice=Ushbu pulni qaytarib olish kvitansiyasi allaqachon kreditlangan deb belgilangan; buni ikki marta bajarish mumkin emas, chunki bu takroriy to'lovlar va bank yozuvlarini yaratishi mumkin. ClassCredited=Tasniflangan kredit ClassDebited=debetlangan tasniflash @@ -56,7 +58,7 @@ TransData=Etkazish sanasi TransMetod=Uzatish usuli Send=Yuborish Lines=Chiziqlar -StandingOrderReject=Record a rejection +StandingOrderReject=Rad etishni yozib oling WithdrawsRefused=To'g'ridan-to'g'ri debet rad etildi WithdrawalRefused=Cheklov rad etildi CreditTransfersRefused=Kredit o'tkazmalari rad etildi @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=Jamiyat uchun pulni rad etishni xohlaganingizga aminmis RefusedData=Rad etilgan sana RefusedReason=Rad etish sababi RefusedInvoicing=Rad etish uchun hisob-kitob -NoInvoiceRefused=Rad etishni talab qilmang -InvoiceRefused=Hisob-faktura rad etildi (rad etish mijozga etkaziladi) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Holati debet / kredit StatusWaiting=Kutish StatusTrans=Yuborildi @@ -101,11 +104,11 @@ CreditDate=Kredit bo'yicha WithdrawalFileNotCapable=%s mamlakatingiz uchun pul olish kvitansiyasini yaratib bo'lmadi (Sizning mamlakatingiz qo'llab-quvvatlanmaydi) ShowWithdraw=To'g'ridan-to'g'ri debet buyurtmasini ko'rsatish IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Biroq, agar hisob-fakturada hali kamida bitta to'g'ridan-to'g'ri debet to'lovi buyurtmasi qayta ishlanmagan bo'lsa, uni oldindan olib qo'yishni boshqarish uchun to'lov sifatida o'rnatilmaydi. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. -DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. -DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments=Ushbu yorliq to'g'ridan-to'g'ri debet to'lov topshirig'ini so'rash imkonini beradi. Tugatganingizdan so'ng, siz "Bank->To'g'ridan-to'g'ri debet orqali to'lov" menyusiga kirishingiz va to'g'ridan-to'g'ri debet buyurtma faylini yaratishingiz mumkin. +DoStandingOrdersBeforePayments2=Shuningdek, siz to'g'ridan-to'g'ri Stripe kabi SEPA to'lov protsessoriga so'rov yuborishingiz mumkin, ... +DoStandingOrdersBeforePayments3=So'rov yopilganda, schyot-fakturalar bo'yicha to'lov avtomatik tarzda qayd etiladi va to'lash uchun qolgan to'lov bekor bo'lsa, schyot-fakturalar yopiladi. +DoCreditTransferBeforePayments=Ushbu yorliq sizga kredit o'tkazish buyurtmasini so'rash imkonini beradi. Tugatganingizdan so'ng, kredit o'tkazmasi buyurtma faylini yaratish va boshqarish uchun "Bank->Kredit o'tkazmasi orqali to'lov" menyusiga o'ting. +DoCreditTransferBeforePayments3=Kredit o'tkazish buyrug'i yopilganda, hisob-fakturalar bo'yicha to'lov avtomatik ravishda qayd qilinadi va to'lash uchun qolgan to'lov bekor bo'lsa, schyot-fakturalar yopiladi. WithdrawalFile=Debet buyurtma fayli CreditTransferFile=Kredit o'tkazish fayli SetToStatusSent="Fayl yuborildi" holatiga o'rnating @@ -115,14 +118,14 @@ RUM=UMR DateRUM=Mandat imzosi sanasi RUMLong=Noyob mandat ma'lumotnomasi RUMWillBeGenerated=Agar bo'sh bo'lsa, UMR (noyob mandat ma'lumotnomasi) bank hisobvarag'i ma'lumotlari saqlangandan so'ng hosil bo'ladi. -WithdrawMode=To'g'ridan-to'g'ri debet rejimi (FRST yoki RECUR) +WithdrawMode=To'g'ridan-to'g'ri debet rejimi (FRST yoki RCUR) WithdrawRequestAmount=To'g'ridan-to'g'ri debetga so'rov miqdori: BankTransferAmount=Kredit o'tkazish bo'yicha so'rov miqdori: WithdrawRequestErrorNilAmount=Bo'sh miqdor uchun to'g'ridan-to'g'ri debet so'rovi yaratib bo'lmadi. SepaMandate=SEPA to'g'ridan-to'g'ri debet mandati SepaMandateShort=SEPA mandati PleaseReturnMandate=Iltimos, ushbu mandat shaklini elektron pochta orqali %s raqamiga yoki pochta orqali qaytaring -SEPALegalText=By signing this mandate form, you authorize (A) %s and its payment service provider to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. You agree to receive notifications about future charges up to 2 days before they occur. +SEPALegalText=Ushbu mandat shaklini imzolash orqali siz (A) %s va uning toʻlov xizmati provayderiga hisobingizni debet qilish boʻyicha koʻrsatmalarni bankingizga yuborishga va (B) bankingizga hisobingizni yechib olishga ruxsat berasiz: %s koʻrsatmalariga muvofiq. Huquqlaringizning bir qismi sifatida siz bankingiz bilan tuzilgan shartnoma shartlariga muvofiq bankingizdan pulingizni qaytarish huquqiga egasiz. Yuqoridagi mandatga oid huquqlaringiz bankingizdan olishingiz mumkin bo'lgan bayonotda tushuntirilgan. Kelgusi toʻlovlar haqida bildirishnomalarni ular yuzaga kelishidan 2 kun oldin olishga rozilik bildirasiz. CreditorIdentifier=Kreditor identifikatori CreditorName=Kreditor nomi SEPAFillForm=(B) * belgilangan barcha maydonlarni to'ldiring. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Sizning bank hisob raqamingiz (IBAN) SEPAFormYourBIC=Sizning bank identifikatoringiz kodi (BIC) SEPAFrstOrRecur=To'lov turi ModeRECUR=Takroriy to'lov +ModeRCUR=Takroriy to'lov ModeFRST=Bir martalik to'lov PleaseCheckOne=Iltimos, bittasini tekshiring CreditTransferOrderCreated=%s kredit o'tkazish bo'yicha buyurtma yaratildi @@ -155,9 +159,16 @@ InfoTransData=Miqdor: %s
      usuli: %s
      Sana: %s InfoRejectSubject=To'g'ridan-to'g'ri debet to'lovi buyurtmasi rad etildi InfoRejectMessage=Salom,

      %s kompaniyasi bilan bog'liq bo'lgan %s schyot -fakturasining %s miqdoridagi to'g'ridan -to'g'ri debet to'lovi bank tomonidan rad etildi.

      -
      %s ModeWarning=Haqiqiy rejim uchun parametr o'rnatilmagan, biz ushbu simulyatsiyadan so'ng to'xtaymiz -ErrorCompanyHasDuplicateDefaultBAN=%s id raqamiga ega kompaniya bir nechta standart bank hisobvarag'iga ega. Qaysi birini ishlatishni bilishning imkoni yo'q. +ErrorCompanyHasDuplicateDefaultBAN=%s identifikatoriga ega kompaniya bir nechta standart bank hisobiga ega. Qaysi birini ishlatishni bilishning iloji yo'q. ErrorICSmissing=Bank hisobidagi %s yo'qolgan ICS TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=To'g'ridan-to'g'ri debet buyurtmasining umumiy miqdori satrlar yig'indisidan farq qiladi WarningSomeDirectDebitOrdersAlreadyExists=Ogohlantirish: %s miqdorida bir qancha kutilayotgan toʻgʻridan-toʻgʻri debet buyurtmalari (%s) soʻralgan WarningSomeCreditTransferAlreadyExists=Ogohlantirish: %s miqdorida kredit o‘tkazmasi (%s) talab qilingan. UsedFor=%s uchun ishlatiladi +Societe_ribSigned=SEPA mandati imzolangan +NbOfInvoiceToPayByBankTransferForSalaries=Kredit o'tkazish yo'li bilan to'lashni kutayotgan malakali ish haqi soni +SalaryWaitingWithdraw=Kredit o'tkazish yo'li bilan to'lashni kutayotgan ish haqi +RefSalary=Ish haqi +NoSalaryInvoiceToWithdraw="%s" uchun maosh kutilmaydi. So‘rov yuborish uchun ish haqi kartasidagi “%s” sahifasiga o‘ting. +SalaryInvoiceWaitingWithdraw=Kredit o'tkazish yo'li bilan to'lashni kutayotgan ish haqi + diff --git a/htdocs/langs/uz_UZ/workflow.lang b/htdocs/langs/uz_UZ/workflow.lang index dd4d1430c94..2bbddec407f 100644 --- a/htdocs/langs/uz_UZ/workflow.lang +++ b/htdocs/langs/uz_UZ/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Shartnoma tasdiqlangandan so'ng mijozni descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Savdo buyurtmasi yopilgandan so'ng avtomatik ravishda mijozning hisob-fakturasini yarating (yangi hisob-faktura buyurtma bilan bir xil miqdorda bo'ladi) descWORKFLOW_TICKET_CREATE_INTERVENTION=Chipta yaratishda avtomatik ravishda intervensiya yarating. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Savdo buyurtmasi billingga o'rnatilganda (va agar buyurtma miqdori imzolangan bog'langan taklifning umumiy miqdori bilan bir xil bo'lsa) bog'langan manba taklifini hisob-kitob sifatida tasniflang. -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Mijozlarning hisob-fakturasi tasdiqlanganda (va agar schyot-faktura miqdori imzolangan bog'langan taklifning umumiy miqdori bilan bir xil bo'lsa) bog'langan manba taklifini hisob-kitob sifatida tasniflang. -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Mijozlarning hisob-fakturasi tasdiqlanganda (va agar schyot-faktura miqdori bog'langan buyurtmaning umumiy miqdori bilan bir xil bo'lsa) bog'langan manbalarni sotish buyurtmasini billing sifatida tasniflang. -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Mijozlarning hisob-fakturasi to'lash uchun o'rnatilganda (va agar schyot-faktura miqdori bog'langan buyurtmaning umumiy miqdori bilan bir xil bo'lsa) bog'langan manbalarni sotish buyurtmasini billing sifatida tasniflang. -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Bog'langan manbalarni sotish buyurtmasini jo'natma tasdiqlanganda jo'natilgan deb tasniflang (va agar barcha jo'natmalar tomonidan jo'natilgan miqdor yangilanish uchun buyurtma bilan bir xil bo'lsa) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Bog'langan manba savdo buyurtmalarini jo'natish tasdiqlanganda jo'natilgan deb tasniflang (va barcha jo'natmalar tomonidan jo'natilgan miqdor yangilash tartibidagi bilan bir xil bo'lsa) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Bog'langan manbalarni sotish buyurtmasini yuk yopilganda yuborilgan deb tasniflang (va agar barcha yuklar jo'natilgan miqdori yangilash tartibidagi kabi bo'lsa). # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Bog'langan manba etkazib beruvchisi taklifini sotuvchi hisob-fakturasi tasdiqlangandan keyin hisob-kitob sifatida tasniflang (va agar faktura miqdori bog'langan taklifning umumiy miqdori bilan bir xil bo'lsa) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Sotib oluvchi hisob-fakturasi tasdiqlanganda bog'langan manbadan sotib olish buyurtmasini billing sifatida tasniflang (va agar schyot-fakturaning miqdori bog'langan buyurtmaning umumiy miqdori bilan bir xil bo'lsa) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Bog'langan manba sotib olish buyurtmasini qabul qilish tasdiqlanganda olingan deb tasniflang (va barcha qabullar tomonidan qabul qilingan miqdor yangilash uchun xarid buyurtmasi bilan bir xil bo'lsa) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Bog'langan manba buyurtmasini qabulxona yopilganda olingan deb tasniflang (va barcha qabulxonalar tomonidan qabul qilingan miqdor yangilash uchun xarid buyurtmasidagi bilan bir xil bo'lsa) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Mijoz hisob-fakturasi tasdiqlanganda (va agar schyot-faktura miqdori bog‘langan jo‘natmalarning umumiy miqdori bilan bir xil bo‘lsa) bog‘langan manba jo‘natmasini yopiq deb tasniflang. +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Mijoz hisob-fakturasi tasdiqlanganda (va agar schyot-faktura miqdori bog‘langan jo‘natmalarning umumiy miqdori bilan bir xil bo‘lsa) bog‘langan manba jo‘natmasini hisob-kitob sifatida tasniflang. +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Bog'langan manba qabullarini xarid hisob-fakturasi tasdiqlanganda hisoblangan deb tasniflang (va agar schyot-faktura miqdori bog'langan qabullarning umumiy miqdori bilan bir xil bo'lsa) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Bog'langan manba qabullarini xarid hisob-fakturasi tasdiqlanganda hisoblangan deb tasniflang (va agar schyot-faktura miqdori bog'langan qabullarning umumiy miqdori bilan bir xil bo'lsa) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=Chipta yaratishda, mos keladigan uchinchi tomonning mavjud shartnomalarini bog'lang +descWORKFLOW_TICKET_LINK_CONTRACT=Chipta yaratishda, mos keladigan uchinchi tomonlarning barcha mavjud shartnomalarini bog'lang descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Shartnomalarni ulashda, ota-onalar kompaniyalari orasidan qidiring # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Chipta yopilganda chipta bilan bog'liq barcha aralashuvlarni yoping AutomaticCreation=Avtomatik yaratish AutomaticClassification=Avtomatik tasnif -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=Avtomatik yopish AutomaticLinking=Avtomatik ulanish diff --git a/htdocs/langs/vi_VN/accountancy.lang b/htdocs/langs/vi_VN/accountancy.lang index 32c20843140..495c1e05d9c 100644 --- a/htdocs/langs/vi_VN/accountancy.lang +++ b/htdocs/langs/vi_VN/accountancy.lang @@ -16,18 +16,18 @@ ThisService=Dịch vụ này ThisProduct=Sản phẩm này DefaultForService=Mặc định cho các dịch vụ DefaultForProduct=Mặc định cho các sản phẩm -ProductForThisThirdparty=Sản phẩm cho bên thứ ba -ServiceForThisThirdparty=Dịch vụ cho bên thứ ba +ProductForThisThirdparty=Sản phẩm dành cho bên thứ ba này +ServiceForThisThirdparty=Dịch vụ cho bên thứ ba này CantSuggest=Không thể gợi ý AccountancySetupDoneFromAccountancyMenu=Hầu hết các thiết lập của kế toán được thực hiện từ menu %s -ConfigAccountingExpert=Configuration of the module accounting (double entry) +ConfigAccountingExpert=Cấu hình của mô-đun kế toán (nhập kép) Journalization=Ghi sổ nhật ký Journals=Sổ nhật ký kế toán JournalFinancial=Nhật ký tài chính BackToChartofaccounts=Quay trở lại hệ thống tài khoản Chartofaccounts=Hệ thống tài khoản -ChartOfSubaccounts=Chart of individual accounts -ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger +ChartOfSubaccounts=Sơ đồ tài khoản cá nhân +ChartOfIndividualAccountsOfSubsidiaryLedger=Sơ đồ tài khoản cá nhân của sổ cái phụ CurrentDedicatedAccountingAccount=Tài khoản vãng lai chuyên dụng AssignDedicatedAccountingAccount=Tài khoản mới để chỉ định InvoiceLabel=Nhãn hóa đơn @@ -37,66 +37,66 @@ OtherInfo=Thông tin khác DeleteCptCategory=Xóa tài khoản kế toán khỏi nhóm ConfirmDeleteCptCategory=Bạn có chắc chắn muốn xóa tài khoản kế toán này khỏi nhóm tài khoản kế toán không? JournalizationInLedgerStatus=Tình trạng của sổ nhật ký -AlreadyInGeneralLedger=Already transferred to accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred to accouting journals and ledger +AlreadyInGeneralLedger=Đã chuyển vào sổ kế toán, sổ cái +NotYetInGeneralLedger=Chưa chuyển vào sổ kế toán, sổ cái GroupIsEmptyCheckSetup=Nhóm trống rỗng, kiểm tra thiết lập nhóm kế toán đã được cá nhân hóa DetailByAccount=Hiển thị chi tiết theo tài khoản -DetailBy=Detail by +DetailBy=Chi tiết theo AccountWithNonZeroValues=Tài khoản có giá trị khác không ListOfAccounts=Danh sách tài khoản CountriesInEEC=Các nước trong EEC CountriesNotInEEC=Các nước không thuộc EEC CountriesInEECExceptMe=Các quốc gia trong EEC ngoại trừ %s CountriesExceptMe=Tất cả các quốc gia trừ %s -AccountantFiles=Export source documents -ExportAccountingSourceDocHelp=With this tool, you can search and export the source events that are used to generate your accountancy.
      The exported ZIP file will contain the lists of requested items in CSV, as well as their attached files in their original format (PDF, ODT, DOCX...). -ExportAccountingSourceDocHelp2=To export your journals, use the menu entry %s - %s. -ExportAccountingProjectHelp=Specify a project if you need an accounting report only for a specific project. Expense reports and loan payments are not included in project reports. -ExportAccountancy=Export accountancy -WarningDataDisappearsWhenDataIsExported=Warning, this list contains only the accounting entries that have not been already exported (Export date is empty). If you want to include the accounting entries already exported to re-export them, click on the button above. -VueByAccountAccounting=View by accounting account -VueBySubAccountAccounting=View by accounting subaccount +AccountantFiles=Xuất tài liệu nguồn +ExportAccountingSourceDocHelp=Với công cụ này, bạn có thể tìm kiếm và xuất các sự kiện nguồn được sử dụng để tạo kế toán của mình.
      Tệp ZIP đã xuất sẽ chứa danh sách các mục được yêu cầu ở dạng CSV cũng như các tệp đính kèm ở định dạng gốc (PDF, ODT, DOCX...). +ExportAccountingSourceDocHelp2=Để xuất tạp chí của bạn, hãy sử dụng mục nhập trình đơn %s - %s. +ExportAccountingProjectHelp=Chỉ định một dự án nếu bạn chỉ cần một báo cáo kế toán cho một dự án cụ thể. Báo cáo chi phí và thanh toán khoản vay không được đưa vào báo cáo dự án. +ExportAccountancy=Kế toán xuất khẩu +WarningDataDisappearsWhenDataIsExported=Cảnh báo, danh sách này chỉ chứa các mục kế toán chưa được xuất (Ngày xuất trống). Nếu bạn muốn bao gồm các mục kế toán đã được xuất, hãy nhấp vào nút ở trên. +VueByAccountAccounting=Xem theo tài khoản kế toán +VueBySubAccountAccounting=Xem theo tài khoản phụ kế toán -MainAccountForCustomersNotDefined=Main account (from the Chart of Account) for customers not defined in setup -MainAccountForSuppliersNotDefined=Main account (from the Chart of Account) for vendors not defined in setup -MainAccountForUsersNotDefined=Main account (from the Chart of Account) for users not defined in setup -MainAccountForRevenueStampSaleNotDefined=Account (from the Chart of Account) for the revenue stamp (sales) not defined in setup -MainAccountForRevenueStampPurchaseNotDefined=Account (from the Chart of Account) for the revenue stamp (purchases) not defined in setup -MainAccountForVatPaymentNotDefined=Account (from the Chart of Account) for VAT payment not defined in setup -MainAccountForSubscriptionPaymentNotDefined=Account (from the Chart of Account) for membership payment not defined in setup -MainAccountForRetainedWarrantyNotDefined=Account (from the Chart of Account) for the retained warranty not defined in setup -UserAccountNotDefined=Accounting account for user not defined in setup +MainAccountForCustomersNotDefined=Tài khoản chính (từ Sơ đồ tài khoản) dành cho khách hàng chưa được xác định khi thiết lập +MainAccountForSuppliersNotDefined=Tài khoản chính (từ Sơ đồ tài khoản) dành cho nhà cung cấp không được xác định trong thiết lập +MainAccountForUsersNotDefined=Tài khoản chính (từ Sơ đồ tài khoản) dành cho người dùng không được xác định trong thiết lập +MainAccountForVatPaymentNotDefined=Tài khoản (từ Sơ đồ tài khoản) cho VAT thanh toán không được xác định trong thiết lập +MainAccountForSubscriptionPaymentNotDefined=Tài khoản (từ Sơ đồ tài khoản) dành cho thành viên thanh toán không được xác định trong thiết lập +MainAccountForRetainedWarrantyNotDefined=Tài khoản (từ Sơ đồ tài khoản) cho bảo hành được giữ lại không được xác định trong thiết lập +UserAccountNotDefined=Tài khoản kế toán cho người dùng không được xác định trong thiết lập AccountancyArea=Khu vực kế toán AccountancyAreaDescIntro=Việc sử dụng mô đun kế toán được thực hiện trong một số bước: AccountancyAreaDescActionOnce=Các hành động sau thường được thực hiện một lần duy nhất hoặc một lần mỗi năm ... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you automaticaly the correct default accounting account when transferring data in accounting +AccountancyAreaDescActionOnceBis=Các bước tiếp theo cần được thực hiện để giúp bạn tiết kiệm thời gian trong tương lai bằng cách tự động gợi ý cho bạn tài khoản kế toán mặc định chính xác khi chuyển dữ liệu trong kế toán AccountancyAreaDescActionFreq=Các hành động sau đây thường được thực hiện mỗi tháng, tuần hoặc ngày đối với các công ty rất lớn ... -AccountancyAreaDescJournalSetup=STEP %s: Check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s -AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s +AccountancyAreaDescJournalSetup=BƯỚC %s: Kiểm tra nội dung danh sách tạp chí của bạn từ menu %s +AccountancyAreaDescChartModel=BƯỚC %s: Kiểm tra xem mô hình biểu đồ tài khoản có tồn tại hay không hoặc tạo một mô hình từ menu %s +AccountancyAreaDescChart=BƯỚC %s: Chọn và|hoặc hoàn thành biểu đồ tài khoản của bạn từ menu %s +AccountancyAreaDescFiscalPeriod=BƯỚC %s: Xác định năm tài chính theo mặc định để tích hợp các mục kế toán của bạn. Để thực hiện việc này, hãy sử dụng mục menu %s. AccountancyAreaDescVat=BƯỚC %s: Xác định tài khoản kế toán cho mỗi mức thuế VAT. Để làm điều này, sử dụng mục menu %s. AccountancyAreaDescDefault=BƯỚC %s: Xác định tài khoản kế toán mặc định. Đối với điều này, sử dụng mục menu %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of Expense report. For this, use the menu entry %s. +AccountancyAreaDescExpenseReport=BƯỚC %s: Xác định tài khoản kế toán mặc định cho từng loại Báo cáo chi phí. Để thực hiện việc này, hãy sử dụng mục menu %s. AccountancyAreaDescSal=BƯỚC %s: Xác định tài khoản kế toán mặc định để thanh toán tiền lương. Đối với điều này, sử dụng mục menu %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for Taxes (special expenses). For this, use the menu entry %s. +AccountancyAreaDescContrib=BƯỚC %s: Xác định tài khoản kế toán mặc định cho Thuế (chi phí đặc biệt). Để thực hiện việc này, hãy sử dụng mục menu %s. AccountancyAreaDescDonation=BƯỚC %s: Xác định tài khoản kế toán mặc định để quyên góp. Đối với điều này, sử dụng mục menu %s. AccountancyAreaDescSubscription=BƯỚC %s: Xác định tài khoản kế toán mặc định cho đăng ký thành viên. Đối với điều này, sử dụng mục menu %s. -AccountancyAreaDescMisc=BƯỚC %s: Xác định tài khoản mặc định bắt buộc và tài khoản kế toán mặc định cho các giao dịch khác. Đối với điều này, sử dụng mục menu %s. +AccountancyAreaDescMisc=BƯỚC %s: Xác định tài khoản mặc định bắt buộc và tài khoản kế toán mặc định cho các giao dịch linh tinh. Để thực hiện việc này, hãy sử dụng mục menu %s. AccountancyAreaDescLoan=BƯỚC %s: Xác định tài khoản kế toán mặc định cho các khoản vay. Đối với điều này, sử dụng mục menu %s. AccountancyAreaDescBank=BƯỚC %s: Xác định tài khoản kế toán và mã nhật ký cho từng ngân hàng và tài khoản tài chính. Đối với điều này, sử dụng mục menu %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your Products/Services. For this, use the menu entry %s. +AccountancyAreaDescProd=BƯỚC %s: Xác định tài khoản kế toán trên Sản phẩm/Dịch vụ của bạn. Để thực hiện việc này, hãy sử dụng mục menu %s. AccountancyAreaDescBind=BƯỚC %s: Kiểm tra ràng buộc giữa các dòng %s hiện tại và tài khoản kế toán được thực hiện, do đó, ứng dụng sẽ có thể ghi nhật ký giao dịch trong Sổ cái chỉ bằng một cú nhấp chuột. Hoàn thành các ràng buộc còn thiếu. Đối với điều này, sử dụng mục menu %s. AccountancyAreaDescWriteRecords=BƯỚC %s: Viết giao dịch vào Sổ Cái. Để làm điều này, hãy vào menu %s và nhấp vào nút %s . -AccountancyAreaDescAnalyze=BƯỚC %s: Thêm hoặc chỉnh sửa các giao dịch hiện có và tạo báo cáo và xuất dữ liệu. +AccountancyAreaDescAnalyze=STEP %s: Read reportings or generate export files for other bookkeepers. +AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't transfer anymore data in the same period in a future. -AccountancyAreaDescClosePeriod=BƯỚC %s: Đóng khoảng thời gian để chúng ta không thể sửa đổi trong tương lai. - -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) +TheFiscalPeriodIsNotDefined=Một bước bắt buộc trong quá trình thiết lập chưa được hoàn thành (Giai đoạn tài chính chưa được xác định) +TheJournalCodeIsNotDefinedOnSomeBankAccount=Một bước bắt buộc trong quá trình thiết lập chưa được hoàn thành (nhật ký mã kế toán chưa được xác định cho tất cả các tài khoản ngân hàng) Selectchartofaccounts=Chọn biểu đồ tài khoản đang hoạt động +CurrentChartOfAccount=Current active chart of account ChangeAndLoad=Thay đổi và tải Addanaccount=Thêm một tài khoản kế toán AccountAccounting=Tài khoản kế toán @@ -105,10 +105,10 @@ SubledgerAccount=Tài khoản sổ phụ SubledgerAccountLabel=Nhãn tài khoản sổ phụ ShowAccountingAccount=Hiển thị tài khoản kế toán ShowAccountingJournal=Hiển thị nhật ký kế toán -ShowAccountingAccountInLedger=Show accounting account in ledger -ShowAccountingAccountInJournals=Show accounting account in journals -DataUsedToSuggestAccount=Data used to suggest account -AccountAccountingSuggest=Account suggested +ShowAccountingAccountInLedger=Hiển thị tài khoản kế toán trên sổ cái +ShowAccountingAccountInJournals=Hiển thị tài khoản kế toán trên tạp chí +DataUsedToSuggestAccount=Dữ liệu dùng để đề xuất tài khoản +AccountAccountingSuggest=Tài khoản được đề xuất MenuDefaultAccounts=Tài khoản mặc định MenuBankAccounts=Tài khoản ngân hàng MenuVatAccounts=Tài khoản VAT @@ -118,11 +118,11 @@ MenuLoanAccounts=Tài khoản cho vay MenuProductsAccounts=Tài khoản sản phẩm MenuClosureAccounts=Tài khoản đóng MenuAccountancyClosure=Đóng -MenuExportAccountancy=Export accountancy +MenuExportAccountancy=Kế toán xuất khẩu MenuAccountancyValidationMovements=Xác nhận các kết chuyển ProductsBinding=Tài khoản sản phẩm TransferInAccounting=Kế toán chuyển khoản -RegistrationInAccounting=Recording in accounting +RegistrationInAccounting=Ghi chép trong kế toán Binding=Liên kết với tài khoản CustomersVentilation=Ràng buộc hóa đơn khách hàng SuppliersVentilation=Ràng buộc hóa đơn nhà cung cấp @@ -130,11 +130,11 @@ ExpenseReportsVentilation=Ràng buộc báo cáo chi phí CreateMvts=Tạo giao dịch mới UpdateMvts=Sửa đổi giao dịch ValidTransaction=Xác nhận giao dịch -WriteBookKeeping=Record transactions in accounting +WriteBookKeeping=Ghi lại các giao dịch trong kế toán Bookkeeping=Sổ cái -BookkeepingSubAccount=Subledger +BookkeepingSubAccount=Sổ cái phụ AccountBalance=Số dư tài khoản -AccountBalanceSubAccount=Sub-accounts balance +AccountBalanceSubAccount=Số dư tiểu khoản ObjectsRef=Tham chiếu đối tượng nguồn CAHTF=Tổng số mua từ nhà cung cấp trước thuế TotalExpenseReport=Tổng báo cáo chi phí @@ -143,7 +143,7 @@ InvoiceLinesDone=Giới hạn dòng hóa đơn ExpenseReportLines=Dòng báo cáo chi phí để ràng buộc ExpenseReportLinesDone=Giới hạn dòng của báo cáo chi phí IntoAccount=Ràng buộc dòng với tài khoản kế toán -TotalForAccount=Total accounting account +TotalForAccount=Tổng tài khoản kế toán Ventilate=Ràng buộc @@ -159,7 +159,7 @@ NotVentilatedinAccount=Không liên kết với tài khoản kế toán XLineSuccessfullyBinded=%s sản phẩm/ dịch vụ được liên kết thành công với tài khoản kế toán XLineFailedToBeBinded=%s sản phẩm/ dịch vụ không bị ràng buộc với bất kỳ tài khoản kế toán nào -ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50) +ACCOUNTING_LIMIT_LIST_VENTILATION=Số dòng tối đa trên danh sách và trang liên kết (khuyến nghị: 50) ACCOUNTING_LIST_SORT_VENTILATION_TODO=Bắt đầu sắp xếp trang "Liên kết cần làm" theo các yếu tố gần đây nhất ACCOUNTING_LIST_SORT_VENTILATION_DONE=Bắt đầu sắp xếp trang "Liên kết" theo các yếu tố gần đây nhất @@ -170,84 +170,86 @@ ACCOUNTING_LENGTH_AACCOUNT=Độ dài của tài khoản kế toán bên thứ b ACCOUNTING_MANAGE_ZERO=Cho phép quản lý các số không khác nhau ở cuối tài khoản kế toán. Nó cần thiết cho một số nước (như Thụy Sĩ). Nếu được đặt thành tắt (mặc định), bạn có thể đặt hai tham số sau để yêu cầu ứng dụng thêm số không ảo. BANK_DISABLE_DIRECT_INPUT=Vô hiệu hóa ghi trực tiếp giao dịch trong tài khoản ngân hàng ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Cho phép xuất dữ liệu bản nháp trong nhật ký -ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties, break ability to search on a part of value) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, what is the period selected by default +ACCOUNTANCY_COMBO_FOR_AUX=Kích hoạt danh sách combo cho tài khoản phụ (có thể chậm nếu bạn có nhiều bên thứ ba, làm mất khả năng tìm kiếm trên một phần giá trị) +ACCOUNTING_DATE_START_BINDING=Vô hiệu hóa ràng buộc và chuyển giao trong kế toán khi ngày thấp hơn ngày này (các giao dịch trước ngày này sẽ bị loại trừ theo mặc định) +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Ở trang chuyển số liệu vào kế toán mặc định chọn khoảng thời gian nào -ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns -ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements +ACCOUNTING_SELL_JOURNAL=Nhật ký bán hàng - bán hàng và trả lại +ACCOUNTING_PURCHASE_JOURNAL=Nhật ký mua hàng - mua hàng và trả lại +ACCOUNTING_BANK_JOURNAL=Nhật ký tiền mặt - thu chi ACCOUNTING_EXPENSEREPORT_JOURNAL=Nhật ký báo cáo chi phí -ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal +ACCOUNTING_MISCELLANEOUS_JOURNAL=Tạp chí phổ thông ACCOUNTING_HAS_NEW_JOURNAL=Có nhật ký mới -ACCOUNTING_INVENTORY_JOURNAL=Inventory journal +ACCOUNTING_INVENTORY_JOURNAL=Nhật ký tồn kho ACCOUNTING_SOCIAL_JOURNAL=Nhật ký chi phí xã hội ACCOUNTING_RESULT_PROFIT=Tài khoản kế toán kết quả kinh doanh (Lợi nhuận) ACCOUNTING_RESULT_LOSS=Tài khoản kế toán kết quả kinh doanh (Lỗ) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Nhật ký đóng +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_BALANCE_SHEET_ACCOUNT=Các nhóm kế toán sử dụng cho tài khoản bảng cân đối kế toán (phân cách bằng dấu phẩy) +ACCOUNTING_CLOSURE_ACCOUNTING_GROUPS_USED_FOR_INCOME_STATEMENT=Các nhóm kế toán sử dụng trong báo cáo kết quả hoạt động kinh doanh (cách nhau bằng dấu phẩy) -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account (from the Chart Of Account) to be used as the account for transitional bank transfers +ACCOUNTING_ACCOUNT_TRANSFER_CASH=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản chuyển khoản ngân hàng chuyển tiếp TransitionalAccount=Tài khoản chuyển khoản ngân hàng chuyển tiếp -ACCOUNTING_ACCOUNT_SUSPENSE=Account (from the Chart Of Account) to be used as the account for unallocated funds either received or paid i.e. funds in "wait[ing]" -DONATION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register donations (Donation module) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ACCOUNTING_ACCOUNT_SUSPENSE=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản cho số tiền chưa được phân bổ đã nhận hoặc đã thanh toán, tức là tiền trong "chờ [ing]" +DONATION_ACCOUNTINGACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng để đăng ký quyên góp (mô-đun quyên góp) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng để đăng ký đăng ký thành viên (Mô-đun thành viên - nếu tư cách thành viên được ghi mà không có hóa đơn) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit -UseAuxiliaryAccountOnCustomerDeposit=Store customer account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default -UseAuxiliaryAccountOnSupplierDeposit=Store supplier account as individual account in subsidiary ledger for lines of down payments (if disabled, individual account for down payment lines will remain empty) -ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Accounting account by default to register customer retained warranty +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định để đăng ký tiền gửi của khách hàng +UseAuxiliaryAccountOnCustomerDeposit=Lưu trữ tài khoản khách hàng dưới dạng tài khoản cá nhân trong sổ cái phụ cho các dòng thanh toán trả trước (nếu bị vô hiệu hóa, tài khoản cá nhân cho các dòng xuống thanh toán sẽ vẫn trống) +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm mặc định +UseAuxiliaryAccountOnSupplierDeposit=Lưu trữ tài khoản nhà cung cấp dưới dạng tài khoản cá nhân trong sổ cái phụ cho các dòng thanh toán trả trước (nếu bị vô hiệu hóa, tài khoản cá nhân cho các dòng xuống thanh toán sẽ vẫn trống) +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Tài khoản kế toán mặc định đăng ký bảo hành giữ lại cho khách hàng -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased within same country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho các sản phẩm được mua trong cùng một quốc gia (được sử dụng nếu không được xác định trong bảng sản phẩm) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho các sản phẩm được mua từ EEC đến một quốc gia EEC khác (được sử dụng nếu không được xác định trong bảng sản phẩm) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho các sản phẩm được mua và nhập khẩu từ bất kỳ quốc gia nước ngoài nào khác (được sử dụng nếu không được xác định trong bảng sản phẩm) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho các sản phẩm đã bán (được sử dụng nếu không được xác định trong bảng sản phẩm) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho các sản phẩm được bán từ EEC sang một quốc gia EEC khác (được sử dụng nếu không được xác định trong bảng sản phẩm) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho các sản phẩm được bán và xuất khẩu sang bất kỳ quốc gia nước ngoài nào khác (được sử dụng nếu không được xác định trong bảng sản phẩm) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased within same country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the sold services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho các dịch vụ được mua trong cùng một quốc gia (được sử dụng nếu không được xác định trong bảng dịch vụ) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho các dịch vụ được mua từ EEC đến một quốc gia EEC khác (được sử dụng nếu không được xác định trong bảng dịch vụ) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) được sử dụng làm tài khoản mặc định cho các dịch vụ được mua và nhập từ nước ngoài khác (được sử dụng nếu không được xác định trong bảng dịch vụ) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho các dịch vụ đã bán (được sử dụng nếu không được xác định trong bảng dịch vụ) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho các dịch vụ được bán từ EEC sang một quốc gia EEC khác (được sử dụng nếu không được xác định trong bảng dịch vụ) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho các dịch vụ được bán và xuất khẩu sang bất kỳ quốc gia nước ngoài nào khác (được sử dụng nếu không được xác định trong bảng dịch vụ) Doctype=Loại chứng từ Docdate=Ngày Docref=Tham chiếu LabelAccount=Nhãn tài khoản LabelOperation=Nhãn hoạt động -Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
      For an accounting account of a supplier, use Debit to record a payment you made +Sens=Phương hướng +AccountingDirectionHelp=Đối với tài khoản kế toán của khách hàng, hãy sử dụng Tín dụng để ghi thanh toán bạn đã nhận được
      Đối với tài khoản kế toán của nhà cung cấp, sử dụng Ghi nợ để ghi lại thanh toán bạn đã thực hiện LetteringCode=Mã sắp đặt chữ Lettering=Sắp đặt chữ Codejournal=Nhật ký JournalLabel=Mã nhật ký NumPiece=Số lượng cái TransactionNumShort=Số Giao dịch -AccountingCategory=Custom group of accounts -AccountingCategories=Custom groups of accounts -GroupByAccountAccounting=Group by general ledger account -GroupBySubAccountAccounting=Group by subledger account +AccountingCategory=Nhóm tài khoản tùy chỉnh +AccountingCategories=Nhóm tài khoản tùy chỉnh +GroupByAccountAccounting=Nhóm theo tài khoản sổ cái chung +GroupBySubAccountAccounting=Nhóm theo tài khoản sổ cái phụ AccountingAccountGroupsDesc=Bạn có thể định nghĩa ở đây một số nhóm tài khoản kế toán. Chúng sẽ được sử dụng cho các báo cáo kế toán đã cá nhân hóa. ByAccounts=Theo tài khoản ByPredefinedAccountGroups=Theo nhóm được xác định trước ByPersonalizedAccountGroups=Theo nhóm đã cá nhân hóa ByYear=Theo năm NotMatch=Không được thiết lập -DeleteMvt=Delete some lines from accounting +DeleteMvt=Xóa một số dòng trong kế toán DelMonth=Tháng cần xóa DelYear=Năm cần xóa DelJournal=Nhật ký cần xóa -ConfirmDeleteMvt=This will delete all lines in accountancy for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all lines related to the same transaction will be deleted) +ConfirmDeleteMvt=Thao tác này sẽ xóa tất cả các dòng trong kế toán của năm/tháng và/hoặc của một tạp chí cụ thể (Cần có ít nhất một tiêu chí). Bạn sẽ phải sử dụng lại tính năng '%s' để đưa bản ghi đã xóa trở lại sổ cái. +ConfirmDeleteMvtPartial=Thao tác này sẽ xóa giao dịch khỏi kế toán (tất cả các dòng liên quan đến cùng một giao dịch sẽ bị xóa) FinanceJournal=Nhật ký tài chính ExpenseReportsJournal=Nhật ký báo cáo chi phí -InventoryJournal=Inventory journal +InventoryJournal=Nhật ký tồn kho DescFinanceJournal=Nhật ký tài chính bao gồm tất cả các loại thanh toán bằng tài khoản ngân hàng -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. +DescJournalOnlyBindedVisible=Đây là dạng xem hồ sơ được liên kết với một tài khoản kế toán và có thể được ghi vào Nhật ký và Sổ cái. VATAccountNotDefined=Tài khoản cho thuế VAT chưa được xác định ThirdpartyAccountNotDefined=Tài khoản cho bên thứ ba chưa được xác định ProductAccountNotDefined=Tài khoản cho sản phẩm chưa được xác định @@ -265,68 +267,68 @@ DescThirdPartyReport=Tham khảo tại đây danh sách khách hàng và nhà cu ListAccounts=Danh sách các tài khoản kế toán UnknownAccountForThirdparty=Không biết tài khoản bên thứ ba. Chúng ta sẽ sử dụng %s UnknownAccountForThirdpartyBlocking=Không biết tài khoản bên thứ ba. Lỗi chặn -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Subledger account not defined or third party or user unknown. We will use %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Tài khoản sổ cái phụ không được xác định hoặc bên thứ ba hoặc người dùng không xác định. Chúng tôi sẽ sử dụng %s ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Bên thứ ba không xác định và người đăng ký không được xác định trên thanh toán. Chúng tôi sẽ giữ giá trị tài khoản subledger trống. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Subledger account not defined or third party or user unknown. Blocking error. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Tài khoản sổ cái phụ không được xác định hoặc bên thứ ba hoặc người dùng không xác định. Lỗi chặn. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Không biết tài khoản bên thứ ba và tài khoản đang chờ không xác định. Lỗi chặn PaymentsNotLinkedToProduct=Thanh toán không được liên kết với bất kỳ sản phẩm/ dịch vụ nào -OpeningBalance=Opening balance +OpeningBalance=Số dư đầu kỳ ShowOpeningBalance=Xem số dư HideOpeningBalance=Ẩn số dư -ShowSubtotalByGroup=Show subtotal by level +ShowSubtotalByGroup=Hiển thị tổng phụ theo cấp độ Pcgtype=Nhóm tài khoản PcgtypeDesc=Nhóm tài khoản được sử dụng làm tiêu chí 'bộ lọc' và 'nhóm' được xác định trước cho một số báo cáo kế toán. Ví dụ: 'THU NHẬP' hoặc 'CHI PHÍ' được sử dụng làm nhóm cho tài khoản kế toán của các sản phẩm để xây dựng báo cáo chi phí / thu nhập. -AccountingCategoriesDesc=Custom group of accounts can be used to group accounting accounts into one name to ease filter use or building of custom reports. +AccountingCategoriesDesc=Nhóm tài khoản tùy chỉnh có thể được sử dụng để nhóm các tài khoản kế toán thành một tên nhằm dễ dàng sử dụng bộ lọc hoặc xây dựng các báo cáo tùy chỉnh. Reconcilable=Đối soát lại TotalVente=Tổng doanh thu trước thuế TotalMarge=Tổng lợi nhuận bán hàng -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product account from chart of account -DescVentilMore=In most cases, if you use predefined products or services and you set the account (from chart of account) on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product account from chart of account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product account from chart of account -ChangeAccount=Change the product/service account (from chart of account) for the selected lines with the following account: +DescVentilCustomer=Tham khảo tại đây danh sách các dòng hóa đơn khách hàng được ràng buộc (hoặc không) với tài khoản sản phẩm từ biểu đồ tài khoản +DescVentilMore=Trong hầu hết các trường hợp, nếu bạn sử dụng các sản phẩm hoặc dịch vụ được xác định trước và bạn đặt tài khoản (từ biểu đồ tài khoản) trên thẻ sản phẩm/dịch vụ, ứng dụng sẽ có thể thực hiện tất cả các ràng buộc giữa các dòng hóa đơn và tài khoản kế toán trong biểu đồ của bạn của các tài khoản, chỉ bằng một cú nhấp chuột bằng nút "%s" >. Nếu tài khoản chưa được đặt trên thẻ sản phẩm/dịch vụ hoặc nếu bạn vẫn còn một số dòng chưa được liên kết với tài khoản, bạn sẽ phải thực hiện liên kết thủ công từ menu "%s". +DescVentilDoneCustomer=Tham khảo tại đây danh sách các dòng hóa đơn khách hàng và tài khoản sản phẩm của họ từ sơ đồ tài khoản +DescVentilTodoCustomer=Liên kết các dòng hóa đơn chưa được liên kết với tài khoản sản phẩm từ biểu đồ tài khoản +ChangeAccount=Thay đổi tài khoản sản phẩm/dịch vụ (từ sơ đồ tài khoản) cho các dòng đã chọn bằng tài khoản sau: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product account from chart of account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Tham khảo tại đây danh sách các dòng hóa đơn của nhà cung cấp được ràng buộc hoặc chưa được ràng buộc với tài khoản sản phẩm từ biểu đồ tài khoản (chỉ hiển thị bản ghi chưa được chuyển trong kế toán) DescVentilDoneSupplier=Tham khảo tại đây danh sách các dòng hóa đơn của nhà cung cấp và tài khoản kế toán của họ DescVentilTodoExpenseReport=Ràng buộc dòng báo cáo chi phí chưa được ràng buộc với tài khoản kế toán phí DescVentilExpenseReport=Tham khảo tại đây danh sách các dòng báo cáo chi phí ràng buộc (hoặc không) với tài khoản kế toán phí DescVentilExpenseReportMore=Nếu bạn thiết lập tài khoản kế toán theo kiểu dòng báo cáo chi phí, ứng dụng sẽ có thể thực hiện tất cả các ràng buộc giữa các dòng báo cáo chi phí và tài khoản kế toán của hệ thống đồ tài khoản của bạn, chỉ bằng một cú nhấp chuột với nút "%s" . Nếu tài khoản không được đặt trong từ điển phí hoặc nếu bạn vẫn có một số dòng không bị ràng buộc với bất kỳ tài khoản nào, bạn sẽ phải thực hiện ràng buộc thủ công từ menu " %s ". DescVentilDoneExpenseReport=Tham khảo tại đây danh sách các dòng báo cáo chi phí và tài khoản kế toán phí của họ -Closure=Annual closure -DescClosure=Consult here the number of movements by month not yet validated & locked -OverviewOfMovementsNotValidated=Overview of movements not validated and locked -AllMovementsWereRecordedAsValidated=All movements were recorded as validated and locked -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated and locked -ValidateMovements=Validate and lock movements +Closure=Đóng cửa hàng năm +AccountancyClosureStep1Desc=Tham khảo tại đây số lượng chuyển động theo tháng chưa được xác thực & bị khóa +OverviewOfMovementsNotValidated=Tổng quan về các chuyển động không được xác thực và bị khóa +AllMovementsWereRecordedAsValidated=Tất cả các chuyển động đã được ghi lại là xác thực và khóa +NotAllMovementsCouldBeRecordedAsValidated=Không phải tất cả các chuyển động đều có thể được ghi lại là đã xác thực và bị khóa +ValidateMovements=Xác thực và khóa chuyển động DescValidateMovements=Bất kỳ sửa đổi hoặc xóa viết, chữ và xóa sẽ bị cấm. Tất cả các mục cho một thi hành phải được xác nhận nếu không việc đóng sẽ không thể thực hiện được ValidateHistory=Tự động ràng buộc -AutomaticBindingDone=Automatic bindings done (%s) - Automatic binding not possible for some record (%s) -DoManualBindingForFailedRecord=You have to do a manual link for the %s row(s) not linked automatically. +AutomaticBindingDone=Đã thực hiện liên kết tự động (%s) - Không thể liên kết tự động đối với một số bản ghi (%s) +DoManualBindingForFailedRecord=Bạn phải thực hiện liên kết thủ công cho (các) hàng %s không được liên kết tự động. -ErrorAccountancyCodeIsAlreadyUse=Error, you cannot remove or disable this account of chart of account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s & Credit = %s +ErrorAccountancyCodeIsAlreadyUse=Lỗi, bạn không thể xóa hoặc vô hiệu hóa tài khoản này trong biểu đồ tài khoản vì nó được sử dụng +MvtNotCorrectlyBalanced=Chuyển động không được cân bằng chính xác. Ghi nợ = %s & Tín dụng = %s Balancing=Số dư FicheVentilation=Thẻ ràng buộc GeneralLedgerIsWritten=Giao dịch được ghi trong Sổ Cái GeneralLedgerSomeRecordWasNotRecorded=Một số giao dịch không thể được ghi nhật ký. Nếu không có thông báo lỗi khác, điều này có thể là do chúng đã được ghi nhật ký. -NoNewRecordSaved=No more record to transfer -ListOfProductsWithoutAccountingAccount=List of products not bound to any account of chart of account +NoNewRecordSaved=Không còn bản ghi nào để chuyển +ListOfProductsWithoutAccountingAccount=Danh sách sản phẩm không ràng buộc với bất kỳ tài khoản nào trong sơ đồ tài khoản ChangeBinding=Thay đổi ràng buộc Accounted=Tài khoản trên Sổ cái -NotYetAccounted=Not yet transferred to accounting +NotYetAccounted=Chưa chuyển sang kế toán ShowTutorial=Chương trình hướng dẫn NotReconciled=Chưa đối chiếu -WarningRecordWithoutSubledgerAreExcluded=Warning, all lines without subledger account defined are filtered and excluded from this view -AccountRemovedFromCurrentChartOfAccount=Accounting account that does not exist in the current chart of accounts +WarningRecordWithoutSubledgerAreExcluded=Cảnh báo, tất cả các dòng không có tài khoản sổ cái phụ được xác định sẽ được lọc và loại trừ khỏi chế độ xem này +AccountRemovedFromCurrentChartOfAccount=Tài khoản kế toán không tồn tại trong sơ đồ tài khoản hiện tại ## Admin -BindingOptions=Binding options +BindingOptions=Tùy chọn ràng buộc ApplyMassCategories=Áp dụng cho số một lớn các danh mục AddAccountFromBookKeepingWithNoCategories=Tài khoản khả dụng chưa có trong nhóm được cá nhân hóa CategoryDeleted=Danh mục cho tài khoản kế toán đã bị xóa @@ -341,31 +343,33 @@ AccountingJournalType3=Mua AccountingJournalType4=Ngân hàng AccountingJournalType5=Báo cáo chi phí AccountingJournalType8=Hàng tồn kho -AccountingJournalType9=Có-mới -GenerationOfAccountingEntries=Generation of accounting entries +AccountingJournalType9=Retained earnings +GenerationOfAccountingEntries=Tạo các mục kế toán ErrorAccountingJournalIsAlreadyUse=Nhật ký này đã được sử dụng AccountingAccountForSalesTaxAreDefinedInto=Lưu ý: Tài khoản kế toán thuế VAT được xác định trong menu %s - %s NumberOfAccountancyEntries=Số lượng mục NumberOfAccountancyMovements=Số lượng kết chuyển -ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting -ACCOUNTING_ENABLE_LETTERING_DESC=When this options is enabled, you can define, on each accounting entry, a code so you can group different accounting movements together. In the past, when different journals was managed independently, this feature was necessary to group movement lines of different journals together. However, with Dolibarr accountancy, such a tracking code, called "%s" is already saved automatically, so an automatic lettering is already done, with no risk of error so this feature has become useless for a common usage. Manual lettering feature is provided for end users that really don't trust the computer engine making the transfer of data in accountancy. -EnablingThisFeatureIsNotNecessary=Enabling this feature is no more necessary for a rigourous accounting management. -ACCOUNTING_ENABLE_AUTOLETTERING=Enable the automatic lettering when transferring to accounting -ACCOUNTING_ENABLE_AUTOLETTERING_DESC=The code for the lettering is automatically generated and incremented and not choosed by the end user -OptionsAdvanced=Advanced options -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Activate the management of VAT reverse charge on supplier purchases -ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=When this option is enabled, you can define that a supplier or a given vendor invoice must be transfered into accountancy differently: A additionnal debit and a credit line will generated into the accounting on 2 given accounts from the chart of account defined into the "%s" setup page. +ACCOUNTING_DISABLE_BINDING_ON_SALES=Vô hiệu hóa ràng buộc và chuyển giao trong kế toán bán hàng (hóa đơn khách hàng sẽ không được tính vào kế toán) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Vô hiệu hóa ràng buộc và chuyển giao trong kế toán khi mua hàng (hóa đơn của nhà cung cấp sẽ không được tính đến trong kế toán) +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Vô hiệu hóa ràng buộc và chuyển giao trong kế toán trên báo cáo chi phí (báo cáo chi phí sẽ không được tính đến trong kế toán) +ACCOUNTING_ENABLE_LETTERING=Kích hoạt chức năng viết chữ trong phần kế toán +ACCOUNTING_ENABLE_LETTERING_DESC=Khi tùy chọn này được bật, bạn có thể xác định, trên mỗi mục nhập kế toán, một mã để bạn có thể nhóm các hoạt động kế toán khác nhau lại với nhau. Trước đây, khi các tạp chí khác nhau được quản lý độc lập, tính năng này là cần thiết để nhóm các dòng chuyển động của các tạp chí khác nhau lại với nhau. Tuy nhiên, với kế toán Dolibarr, mã theo dõi như vậy được gọi là "%s" đã được lưu tự động, do đó việc viết chữ tự động đã được thực hiện, không có nguy cơ xảy ra lỗi nên tính năng này trở nên vô dụng đối với cách sử dụng thông thường. Tính năng viết chữ thủ công được cung cấp cho những người dùng cuối thực sự không tin tưởng vào công cụ máy tính thực hiện việc chuyển dữ liệu trong kế toán. +EnablingThisFeatureIsNotNecessary=Việc kích hoạt tính năng này không còn cần thiết nữa đối với việc quản lý kế toán chặt chẽ. +ACCOUNTING_ENABLE_AUTOLETTERING=Kích hoạt tính năng tự động viết chữ khi chuyển sang kế toán +ACCOUNTING_ENABLE_AUTOLETTERING_DESC=Mã cho chữ được tạo tự động và tăng dần và không được người dùng cuối chọn +ACCOUNTING_LETTERING_NBLETTERS=Số chữ cái khi tạo mã chữ (mặc định 3) +ACCOUNTING_LETTERING_NBLETTERS_DESC=Một số phần mềm kế toán chỉ chấp nhận mã gồm hai chữ cái. Tham số này cho phép bạn thiết lập khía cạnh này. Số chữ cái mặc định là ba. +OptionsAdvanced=Tùy chọn nâng cao +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE=Kích hoạt quản lý hoàn thuế VAT khi mua nhà cung cấp +ACCOUNTING_FORCE_ENABLE_VAT_REVERSE_CHARGE_DESC=Khi tùy chọn này được bật, bạn có thể xác định rằng một nhà cung cấp hoặc hóa đơn của nhà cung cấp nhất định phải được chuyển vào kế toán theo cách khác: Một khoản ghi nợ bổ sung và hạn mức tín dụng sẽ được tạo vào kế toán trên 2 tài khoản nhất định từ biểu đồ tài khoản được xác định trong "%s" trang thiết lập. ## Export -NotExportLettering=Do not export the lettering when generating the file -NotifiedExportDate=Flag not yet exported lines as Exported (to modify a line flagged as exported, you will need to delete the whole transaction and re-transfert it into accounting) -NotifiedValidationDate=Validate and Lock the exported entries not yet already locked (same effect than the "%s" feature, modification and deletion of the lines will DEFINITELY not be possible) -NotifiedExportFull=Export documents ? -DateValidationAndLock=Date validation and lock -ConfirmExportFile=Confirmation of the generation of the accounting export file ? +NotExportLettering=Không xuất chữ khi tạo tệp +NotifiedExportDate=Gắn cờ các dòng chưa được xuất dưới dạng Đã xuất (để sửa đổi một dòng được gắn cờ là đã xuất, bạn sẽ cần xóa toàn bộ giao dịch và chuyển lại vào kế toán) +NotifiedValidationDate=Xác thực và Khóa các mục đã xuất chưa bị khóa (tác dụng tương tự như tính năng "%s", sửa đổi và xóa dòng này HOÀN TOÀN không thể thực hiện được) +NotifiedExportFull=Xuất tài liệu? +DateValidationAndLock=Xác thực ngày và khóa +ConfirmExportFile=Xác nhận việc tạo file xuất kế toán? ExportDraftJournal=Xuất dữ liệu bản nháp nhật ký Modelcsv=Mô hình xuất dữ liệu Selectmodelcsv=Chọn một mô hình xuất dữ liệu @@ -373,28 +377,28 @@ Modelcsv_normal=Xuất dữ liệu cổ điển Modelcsv_CEGID=Xuất dữ liệu cho CEGID Expert Comptabilité Modelcsv_COALA=Xuất dữ liệu cho Sage Coala Modelcsv_bob50=Xuất dữ liệu cho Sage BOB 50 -Modelcsv_ciel=Export for Sage50, Ciel Compta or Compta Evo. (Format XIMPORT) +Modelcsv_ciel=Xuất cho Sage50, Ciel Compta hoặc Compta Evo. (Định dạng XIMPORT) Modelcsv_quadratus=Xuất dữ liệu cho Quadratus QuadraCompta Modelcsv_ebp=Xuất dữ liệu cho EBP Modelcsv_cogilog=Xuất dữ liệu Cogilog -Modelcsv_agiris=Export for Agiris Isacompta -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) +Modelcsv_agiris=Xuất khẩu cho Agiris Isacompta +Modelcsv_LDCompta=Xuất cho LD Compta (v9) (Thử nghiệm) Modelcsv_LDCompta10=Xuất cho chuẩn LD Compta (v10 hoặc cao hơn) Modelcsv_openconcerto=Xuất dữ liệu cho OpenConcerto (Kiểm tra) Modelcsv_configurable=Xuất dữ liệu cấu hình CSV Modelcsv_FEC=Xuất dữ liệu FEC -Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed) +Modelcsv_FEC2=Xuất FEC (Với việc viết/tài liệu tạo ngày bị đảo ngược) Modelcsv_Sage50_Swiss=Xuất dữ liệu cho Sage 50 Thụy Sĩ -Modelcsv_winfic=Export for Winfic - eWinfic - WinSis Compta -Modelcsv_Gestinumv3=Export for Gestinum (v3) -Modelcsv_Gestinumv5=Export for Gestinum (v5) -Modelcsv_charlemagne=Export for Aplim Charlemagne +Modelcsv_winfic=Xuất cho Winfic - eWinfic - WinSis Compta +Modelcsv_Gestinumv3=Xuất cho Gestinum (v3) +Modelcsv_Gestinumv5=Xuất cho Gestinum (v5) +Modelcsv_charlemagne=Xuất khẩu cho Aplim Charlemagne ChartofaccountsId=ID Hệ thống tài khoản ## Tools - Init accounting account on product / service InitAccountancy=Khởi tạo ban đầu Kế toán InitAccountancyDesc=Trang này có thể được sử dụng để khởi tạo tài khoản kế toán trên các sản phẩm và dịch vụ không có tài khoản kế toán được xác định cho bán hàng và mua hàng. -DefaultBindingDesc=This page can be used to set the default accounts (from the chart of account) to use to link business objects with an account, like payment salaries, donation, taxes and VAT, when no specific account were already set. +DefaultBindingDesc=Trang này có thể được sử dụng để đặt các tài khoản mặc định (từ biểu đồ tài khoản) để sử dụng để liên kết các đối tượng kinh doanh với một tài khoản, như thanh toán tiền lương, quyên góp, thuế và VAT, khi chưa có tài khoản cụ thể nào được thiết lập. DefaultClosureDesc=Trang này có thể được sử dụng để thiết lập tham số được sử dụng cho các kế toán đóng. Options=Tùy chọn OptionModeProductSell=Chế độ bán hàng @@ -420,37 +424,51 @@ SaleLocal=Bán địa phương SaleExport=Bán hàng xuất khẩu SaleEEC=Bán trong EEC SaleEECWithVAT=Bán trong EEC với VAT không phải là null, vì vậy chúng tôi cho rằng đây KHÔNG phải là bán hàng nội bộ và tài khoản được đề xuất là tài khoản sản phẩm tiêu chuẩn. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. -ForbiddenTransactionAlreadyExported=Forbidden: The transaction has been validated and/or exported. -ForbiddenTransactionAlreadyValidated=Forbidden: The transaction has been validated. +SaleEECWithoutVATNumber=Bán hàng ở EEC không có VAT nhưng ID VAT của bên thứ ba không được xác định. Chúng tôi dựa vào tài khoản để bán hàng tiêu chuẩn. Bạn có thể sửa ID VAT của bên thứ ba hoặc thay đổi tài khoản sản phẩm được đề xuất để ràng buộc nếu cần. +ForbiddenTransactionAlreadyExported=Bị cấm: Giao dịch đã được xác thực và/hoặc xuất. +ForbiddenTransactionAlreadyValidated=Bị cấm: Giao dịch đã được xác thực. ## Dictionary Range=Phạm vi tài khoản kế toán Calculated=Tính toán Formula=Công thức ## Reconcile -LetteringAuto=Reconcile auto -LetteringManual=Reconcile manual -Unlettering=Unreconcile -UnletteringAuto=Unreconcile auto -UnletteringManual=Unreconcile manual -AccountancyNoLetteringModified=No reconcile modified -AccountancyOneLetteringModifiedSuccessfully=One reconcile successfully modified -AccountancyLetteringModifiedSuccessfully=%s reconcile successfully modified -AccountancyNoUnletteringModified=No unreconcile modified -AccountancyOneUnletteringModifiedSuccessfully=One unreconcile successfully modified -AccountancyUnletteringModifiedSuccessfully=%s unreconcile successfully modified +LetteringAuto=Tự động đối chiếu +LetteringManual=Hướng dẫn đối chiếu +Unlettering=không hòa giải +UnletteringAuto=Tự động không đối chiếu +UnletteringManual=Hướng dẫn không đối chiếu +AccountancyNoLetteringModified=Không sửa đổi hòa giải +AccountancyOneLetteringModifiedSuccessfully=Một bản hòa giải được sửa đổi thành công +AccountancyLetteringModifiedSuccessfully=%s đã sửa đổi điều chỉnh thành công +AccountancyNoUnletteringModified=Không sửa đổi không đối chiếu +AccountancyOneUnletteringModifiedSuccessfully=Một điều không hòa giải đã được sửa đổi thành công +AccountancyUnletteringModifiedSuccessfully=%s đã sửa đổi không đối chiếu thành công + +## Closure +AccountancyClosureStep1=Step 1 : Validate and lock the movements +AccountancyClosureStep2=Step 2 : Close the fiscal period +AccountancyClosureStep3=Bước 3: Trích xuất các mục (Tùy chọn) +AccountancyClosureClose=Đóng kỳ tài chính +AccountancyClosureAccountingReversal=Extract and record "Retained earnings" entries +AccountancyClosureStep3NewFiscalPeriod=Kỳ tài chính tiếp theo +AccountancyClosureGenerateClosureBookkeepingRecords=Generate "Retained earnings" entries on the next fiscal period +AccountancyClosureSeparateAuxiliaryAccounts=When generating the "Retained earnings" entries, detail the sub-ledger accounts +AccountancyClosureCloseSuccessfully=Kỳ tài chính đã được đóng thành công +AccountancyClosureInsertAccountingReversalSuccessfully=Bookkeeping entries for "Retained earnings" has been inserted successfully ## Confirm box -ConfirmMassUnletteringAuto=Bulk auto unreconcile confirmation -ConfirmMassUnletteringManual=Bulk manual unreconcile confirmation -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? +ConfirmMassUnletteringAuto=Xác nhận không đối chiếu tự động hàng loạt +ConfirmMassUnletteringManual=Xác nhận không đối chiếu hàng loạt theo cách thủ công +ConfirmMassUnletteringQuestion=Bạn có chắc chắn muốn hủy đối chiếu %s bản ghi đã chọn không? ConfirmMassDeleteBookkeepingWriting=Xác nhận xóa hàng loạt -ConfirmMassDeleteBookkeepingWritingQuestion=This will delete the transaction from the accounting (all line entries related to the same transaction will be deleted). Are you sure you want to delete the %s selected entries? +ConfirmMassDeleteBookkeepingWritingQuestion=Thao tác này sẽ xóa giao dịch khỏi kế toán (tất cả các mục nhập dòng liên quan đến cùng một giao dịch sẽ bị xóa). Bạn có chắc chắn muốn xóa các mục nhập %s đã chọn không? +AccountancyClosureConfirmClose=Bạn có chắc chắn muốn đóng kỳ tài chính hiện tại không? Bạn hiểu rằng việc đóng kỳ tài chính là một hành động không thể thay đổi được và sẽ chặn vĩnh viễn mọi sửa đổi hoặc xóa các mục nhập trong khoảng thời gian này . +AccountancyClosureConfirmAccountingReversal=Are you sure you want to record entries for the "Retained earnings" ? ## Error SomeMandatoryStepsOfSetupWereNotDone=Một số bước bắt buộc thiết lập không được thực hiện, vui lòng hoàn thành chúng -ErrorNoAccountingCategoryForThisCountry=Không có nhóm tài khoản kế toán có sẵn cho quốc gia %s (Xem Trang chủ - Cài đặt - Từ điển) +ErrorNoAccountingCategoryForThisCountry=Không có nhóm tài khoản kế toán nào có sẵn cho quốc gia %s (Xem %s - %s - %s) ErrorInvoiceContainsLinesNotYetBounded=Bạn cố gắng ghi nhật ký một số dòng của hóa đơn %s , nhưng một số dòng khác chưa được ràng buộc vào tài khoản kế toán. Nhật ký của tất cả các dòng hóa đơn cho hóa đơn này đều bị từ chối. ErrorInvoiceContainsLinesNotYetBoundedShort=Một số dòng trên hóa đơn không bị ràng buộc với tài khoản kế toán. ExportNotSupported=Định dạng xuất dữ liệu được thiết lập không được hỗ trợ bên trong trang này @@ -459,39 +477,42 @@ NoJournalDefined=Không có nhật ký được xác định Binded=Dòng ràng buộc ToBind=Dòng để ràng buộc UseMenuToSetBindindManualy=Các dòng chưa bị ràng buộc, sử dụng menu %s để tạo ràng buộc theo cách thủ công -SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Note: this module or page is not completely compatible with the experimental feature of situation invoices. Some data may be wrong. -AccountancyErrorMismatchLetterCode=Mismatch in reconcile code -AccountancyErrorMismatchBalanceAmount=The balance (%s) is not equal to 0 -AccountancyErrorLetteringBookkeeping=Errors have occurred concerning the transactions: %s -ErrorAccountNumberAlreadyExists=The accounting number %s already exists -ErrorArchiveAddFile=Can't put "%s" file in archive +SorryThisModuleIsNotCompatibleWithTheExperimentalFeatureOfSituationInvoices=Lưu ý: mô-đun hoặc trang này không hoàn toàn tương thích với tính năng thử nghiệm của hóa đơn tình huống. Một số dữ liệu có thể sai. +AccountancyErrorMismatchLetterCode=Mã đối chiếu không khớp +AccountancyErrorMismatchBalanceAmount=Số dư (%s) không bằng 0 +AccountancyErrorLetteringBookkeeping=Đã xảy ra lỗi liên quan đến các giao dịch: %s +ErrorAccountNumberAlreadyExists=Số kế toán %s đã tồn tại +ErrorArchiveAddFile=Không thể đặt tệp "%s" vào kho lưu trữ +ErrorNoFiscalPeriodActiveFound=Không tìm thấy kỳ tài chính đang hoạt động +ErrorBookkeepingDocDateNotOnActiveFiscalPeriod=Ngày lập tài liệu kế toán không nằm trong kỳ tài chính đang hoạt động +ErrorBookkeepingDocDateIsOnAClosedFiscalPeriod=Ngày lập tài liệu kế toán nằm trong kỳ tài chính đã đóng ## Import ImportAccountingEntries=Ghi sổ kế toán -ImportAccountingEntriesFECFormat=Accounting entries - FEC format -FECFormatJournalCode=Code journal (JournalCode) -FECFormatJournalLabel=Label journal (JournalLib) -FECFormatEntryNum=Piece number (EcritureNum) -FECFormatEntryDate=Piece date (EcritureDate) -FECFormatGeneralAccountNumber=General account number (CompteNum) -FECFormatGeneralAccountLabel=General account label (CompteLib) -FECFormatSubledgerAccountNumber=Subledger account number (CompAuxNum) -FECFormatSubledgerAccountLabel=Subledger account number (CompAuxLib) -FECFormatPieceRef=Piece ref (PieceRef) -FECFormatPieceDate=Piece date creation (PieceDate) -FECFormatLabelOperation=Label operation (EcritureLib) -FECFormatDebit=Debit (Debit) -FECFormatCredit=Credit (Credit) -FECFormatReconcilableCode=Reconcilable code (EcritureLet) -FECFormatReconcilableDate=Reconcilable date (DateLet) -FECFormatValidateDate=Piece date validated (ValidDate) -FECFormatMulticurrencyAmount=Multicurrency amount (Montantdevise) -FECFormatMulticurrencyCode=Multicurrency code (Idevise) +ImportAccountingEntriesFECFormat=Mục kế toán - định dạng FEC +FECFormatJournalCode=Nhật ký mã (JournalCode) +FECFormatJournalLabel=Tạp chí nhãn (JournalLib) +FECFormatEntryNum=Số mảnh (EcritureNum) +FECFormatEntryDate=Ngày mảnh (EcritureDate) +FECFormatGeneralAccountNumber=Số tài khoản chung (CompteNum) +FECFormatGeneralAccountLabel=Nhãn tài khoản chung (CompteLib) +FECFormatSubledgerAccountNumber=Số tài khoản sổ cái phụ (CompAuxNum) +FECFormatSubledgerAccountLabel=Số tài khoản sổ cái phụ (CompAuxLib) +FECFormatPieceRef=Số tham chiếu mảnh (PieceRef) +FECFormatPieceDate=Tạo ngày mảnh (PieceDate) +FECFormatLabelOperation=Hoạt động nhãn (EcritureLib) +FECFormatDebit=Nợ (Nợ) +FECFormatCredit=Tín dụng (Tín dụng) +FECFormatReconcilableCode=Mã đối chiếu (EcritureLet) +FECFormatReconcilableDate=Ngày có thể đối chiếu (DateLet) +FECFormatValidateDate=Ngày mảnh được xác thực (ValidDate) +FECFormatMulticurrencyAmount=Số tiền đa tiền tệ (Montantdevise) +FECFormatMulticurrencyCode=Mã đa tiền tệ (Idevise) DateExport=Ngày xuất -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contain transactions modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. +WarningReportNotReliable=Cảnh báo, báo cáo này không dựa trên Sổ cái nên không chứa các giao dịch được sửa đổi thủ công trong Sổ cái. Nếu nhật ký của bạn được cập nhật, chế độ xem sổ sách kế toán sẽ chính xác hơn. ExpenseReportJournal=Nhật ký báo cáo chi phí -DocsAlreadyExportedAreIncluded=Docs already exported are included -ClickToShowAlreadyExportedLines=Click to show already exported lines +DocsAlreadyExportedAreIncluded=Tài liệu đã xuất được bao gồm +ClickToShowAlreadyExportedLines=Nhấp để hiển thị các dòng đã xuất -NAccounts=%s accounts +NAccounts=Tài khoản %s diff --git a/htdocs/langs/vi_VN/admin.lang b/htdocs/langs/vi_VN/admin.lang index bcb5be57907..c6e1b276bfa 100644 --- a/htdocs/langs/vi_VN/admin.lang +++ b/htdocs/langs/vi_VN/admin.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - admin -BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF -BoldLabelOnPDF=Print label of product item in Bold in PDF +BoldRefAndPeriodOnPDF=In tài liệu tham khảo và thời gian của sản phẩm trong PDF +BoldLabelOnPDF=In đậm nhãn của sản phẩm trong PDF Foundation=Tổ chức Version=Phiên bản Publisher=Người xuất bản @@ -39,35 +39,35 @@ UnlockNewSessions=Bỏ việc khóa kết nôi YourSession=Phiên làm việc của bạn Sessions=Phiên người dùng WebUserGroup=Người dùng/nhóm trên máy chủ -PermissionsOnFiles=Permissions on files -PermissionsOnFilesInWebRoot=Permissions on files in web root directory -PermissionsOnFile=Permissions on file %s +PermissionsOnFiles=Quyền hạn trên những tập tin +PermissionsOnFilesInWebRoot=Quyền đối với các tập tin trong thư mục gốc của web +PermissionsOnFile=Quyền trên tệp %s NoSessionFound=Cấu hình PHP của bạn dường như không cho phép liệt kê các phiên hoạt động. Thư mục được sử dụng để lưu phiên ( %s ) có thể được bảo vệ (ví dụ: bằng quyền của hệ điều hành hoặc bằng lệnh open_basingir của PHP). DBStoringCharset=Cơ sở dữ liệu bộ ký tự để lưu trữ dữ liệu DBSortingCharset=Cơ sở dữ liệu bộ ký tự để sắp xếp dữ liệu -HostCharset=Host charset +HostCharset=Bộ ký tự máy chủ ClientCharset=Charset máy khách ClientSortingCharset=Đối chiếu máy khách WarningModuleNotActive=Module %s phải được mở WarningOnlyPermissionOfActivatedModules=Chỉ những quyền liên quan đến các module được kích hoạt mới được hiển thị tại đây. Bạn cần kích hoạt các module khác trong Nhà->Thiết lập->Trang Module. DolibarrSetup=Cài đặt hoặc nâng cấp Dolibarr -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=Cập nhật Dolibarr +DolibarrAddonInstall=Cài đặt các mô-đun Addon/External (được tải lên hoặc tạo) InternalUsers=Người dùng bên trong ExternalUsers=Người dùng bên ngoài -UserInterface=User interface +UserInterface=Giao diện người dùng GUISetup=Hiển thị SetupArea=Thiết lập UploadNewTemplate=Tải lên (các) mẫu mới FormToTestFileUploadForm=Mẫu để thử nghiệm việc tải lên tập tin (dựa theo thiết lập) -ModuleMustBeEnabled=The module/application %s must be enabled -ModuleIsEnabled=The module/application %s has been enabled +ModuleMustBeEnabled=Mô-đun/ứng dụng %s phải được bật +ModuleIsEnabled=Mô-đun/ứng dụng %s đã được bật IfModuleEnabled=Ghi chú: Yes chỉ có tác dụng nếu module %s được mở RemoveLock=Xóa / đổi tên tệp %s nếu nó tồn tại, để cho phép sử dụng công cụ Cập nhật / Cài đặt. RestoreLock=Khôi phục tệp %s , chỉ với quyền đọc, để vô hiệu hóa bất kỳ việc sử dụng thêm công cụ Cập nhật / Cài đặt nào. SecuritySetup=Thiết lập an ninh PHPSetup=Thiết lập PHP -OSSetup=OS setup +OSSetup=thiết lập hệ điều hành SecurityFilesDesc=Xác định các tùy chọn ở đây liên quan đến bảo mật về việc tải lên các tệp. ErrorModuleRequirePHPVersion=Lỗi, module này yêu cầu phiên bản PHP %s hoặc mới hơn ErrorModuleRequireDolibarrVersion=Lỗi, module này yêu cầu Dolibarr phiên bản %s hoặc mới hơn @@ -77,21 +77,21 @@ Dictionary=Từ điển ErrorReservedTypeSystemSystemAuto=Giá trị 'hệ thống' và 'systemauto đối với loại được dành riêng. Bạn có thể sử dụng "người dùng" giá trị để thêm vào bản ghi chính mình ErrorCodeCantContainZero=Mã lệnh không thể chứa giá trị 0 DisableJavascript=Vô hiệu hóa JavaScript và tính năng Ajax -DisableJavascriptNote=Note: For test or debug purpose only. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user +DisableJavascriptNote=Lưu ý: Chỉ dành cho mục đích thử nghiệm hoặc gỡ lỗi. Để tối ưu hóa cho người mù hoặc trình duyệt văn bản, bạn có thể thích sử dụng thiết lập trên hồ sơ người dùng UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. DelaiedFullListToSelectCompany=Đợi cho đến khi một phím được nhấn trước khi tải nội dung của danh sách kết hợp của bên thứ ba.
      Điều này có thể tăng hiệu suất nếu bạn có số lượng lớn bên thứ ba, nhưng nó không thuận tiện. -DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list.
      This may increase performance if you have a large number of contacts, but it is less convenient. +DelaiedFullListToSelectContact=Đợi cho đến khi nhấn một phím trước khi tải nội dung của danh sách kết hợp Liên hệ.
      Điều này có thể tăng hiệu suất nếu bạn có nhiều liên hệ nhưng sẽ kém thuận tiện hơn. NumberOfKeyToSearch=Số lượng ký tự để kích hoạt tìm kiếm: %s NumberOfBytes=Số byte SearchString=Chuỗi tìm kiếm NotAvailableWhenAjaxDisabled=Hiện không có sẵn khi Ajax bị vô hiệu AllowToSelectProjectFromOtherCompany=Trên tài liệu của bên thứ ba, có thể chọn dự án được liên kết với bên thứ ba khác -TimesheetPreventAfterFollowingMonths=Prevent recording time spent after the following number of months +TimesheetPreventAfterFollowingMonths=Ngăn chặn thời gian ghi sau số tháng tiếp theo JavascriptDisabled=Vô hiệu JavaScript UsePreviewTabs=Sử dụng chế độ xem sơ lược tab ShowPreview=Hiển thị xem trước -ShowHideDetails=Show-Hide details +ShowHideDetails=Hiện-Ẩn chi tiết PreviewNotAvailable=Xem trước không sẵn có ThemeCurrentlyActive=Giao diện hiện đã kích hoạt MySQLTimeZone=TimeZone MySql (database) @@ -106,10 +106,10 @@ NextValueForInvoices=Giá trị tiếp theo (hóa đơn) NextValueForCreditNotes=Giá trị tiếp theo (giấy báo có) NextValueForDeposit=Giá trị tiếp theo (giảm thanh toán) NextValueForReplacements=Giá trị tiếp theo (thay thế) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Lưu ý: cấu hình PHP của bạn hiện giới hạn kích thước tệp tối đa để tải lên %s %s, bất kể giá trị của tham số này NoMaxSizeByPHPLimit=Ghi chú: Không có giới hạn được chỉnh sửa trong phần chỉnh sửa PHP MaxSizeForUploadedFiles=Kích thước tối đa của tập tin được tải lên (0 sẽ tắt chế độ tải lên) -UseCaptchaCode=Use graphical code (CAPTCHA) on login page and some public pages +UseCaptchaCode=Sử dụng mã đồ họa (CAPTCHA) trên trang đăng nhập và một số trang công khai AntiVirusCommand=Đường dẫn đầy đủ để thi hành việc quét virus AntiVirusCommandExample=Ví dụ cho ClamAv Daemon (yêu cầu clamav-daemon): / usr / bin / clamdscan
      Example cho ClamWin (rất rất chậm): c: \\ Progra ~ 1 \\ ClamWin \\ bin \\ clamscan.exe AntiVirusParam= Nhiều thông số trên dòng lệnh @@ -120,7 +120,7 @@ MultiCurrencySetup=Thiết lập đa tiền tệ MenuLimits=Giới hạn và độ chính xác MenuIdParent=ID menu chính DetailMenuIdParent=ID menu chính (rỗng nếu là menu gốc) -ParentID=Parent ID +ParentID=ID cha mẹ DetailPosition=Sắp xếp chữ số để xác định vị trí menu AllMenus=Tất cả NotConfigured=Mô-đun/ Ứng dụng chưa được cấu hình @@ -147,7 +147,7 @@ Box=widget Boxes=widgets MaxNbOfLinesForBoxes=Số dòng tối đa cho widgets AllWidgetsWereEnabled=Tất cả các widgets có sẵn được kích hoạt -WidgetAvailable=Widget available +WidgetAvailable=Tiện ích có sẵn PositionByDefault=Trật tự mặc định Position=Chức vụ MenusDesc=Trình quản lý menu để thiết lập nội dung của hai thanh menu (ngang và dọc). @@ -162,8 +162,8 @@ SystemToolsAreaDesc=Khu vực này cung cấp các chức năng quản trị. S Purge=Thanh lọc PurgeAreaDesc=Trang này cho phép bạn xóa tất cả các tệp được tạo hoặc lưu trữ bởi Dolibarr (các tệp tạm thời hoặc tất cả các tệp trong thư mục %s ). Sử dụng tính năng này thường không cần thiết. Nó được cung cấp như một cách giải quyết cho người dùng có Dolibarr được lưu trữ bởi nhà cung cấp không cung cấp quyền xóa các tệp được tạo bởi máy chủ web. PurgeDeleteLogFile=Xóa tập tin nhật ký %s được tạo bởi mô-đun Syslog (không gây nguy hiểm mất dữ liệu) -PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Parameter can be 'tempfilesold', 'logfiles' or both 'tempfilesold+logfiles'. Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files (no risk of losing data) +PurgeDeleteTemporaryFiles=Xóa tất cả các tệp nhật ký và tạm thời (không có nguy cơ mất dữ liệu). Tham số có thể là 'tempfilesold', 'logfiles' hoặc cả hai 'tempfilesold+logfiles'. Lưu ý: Việc xóa các tệp tạm thời chỉ được thực hiện nếu thư mục tạm thời được tạo cách đây hơn 24 giờ. +PurgeDeleteTemporaryFilesShort=Xóa nhật ký và tập tin tạm thời (không có nguy cơ mất dữ liệu) PurgeDeleteAllFilesInDocumentsDir=Xóa tất cả các tệp trong thư mục: %s .
      Việc này sẽ xóa tất cả các tài liệu được tạo liên quan đến các yếu tố (bên thứ ba, hóa đơn, v.v.), các tệp được tải lên mô-đun ECM, các bản sao lưu cơ sở dữ liệu và các tệp tạm thời. PurgeRunNow=Thanh lọc bây giờ PurgeNothingToDelete=Không có thư mục hoặc tập tin để xóa. @@ -213,7 +213,7 @@ FeatureAvailableOnlyOnStable=Tính năng chỉ khả dụng trên các phiên b BoxesDesc=Widget là các thành phần hiển thị một số thông tin mà bạn có thể thêm để cá nhân hóa một số trang. Bạn có thể chọn giữa hiển thị tiện ích hoặc không bằng cách chọn trang đích và nhấp vào 'Kích hoạt' hoặc bằng cách nhấp vào thùng rác để tắt nó. OnlyActiveElementsAreShown=Chỉ có các yếu tố từ module kích hoạt được hiển thị. ModulesDesc=Các mô-đun / ứng dụng xác định các tính năng có sẵn trong phần mềm. Một số mô-đun yêu cầu quyền được cấp cho người dùng sau khi kích hoạt mô-đun.. Bấm nút bật/tắt %scủa từng module để cho phép hoặc tắt một mô-đun / ứng dụng -ModulesDesc2=Click the wheel button %s to configure the module/application. +ModulesDesc2=Nhấp vào nút bánh xe %s để định cấu hình mô-đun/ứng dụng. ModulesMarketPlaceDesc=Bạn có thể tìm thấy nhiều mô-đun để tải về ở các websites trên Internet ... ModulesDeployDesc=Nếu quyền trên hệ thống tệp của bạn cho phép, bạn có thể sử dụng công cụ này để triển khai mô-đun bên ngoài. Mô-đun sau đó sẽ hiển thị trên tab %s . ModulesMarketPlaces=Tìm ứng dụng bên ngoài/ mô-đun @@ -227,12 +227,14 @@ NotCompatible=Mô-đun này dường như không tương thích với Dolibarr % CompatibleAfterUpdate=Mô-đun này yêu cầu cập nhật lên Dolibarr %s của bạn (Min %s - Max %s). SeeInMarkerPlace=Xem ở chợ SeeSetupOfModule=Xem thiết lập mô-đun %s -SetOptionTo=Set option %s to %s +SeeSetupPage=Xem trang thiết lập tại %s +SeeReportPage=Xem trang báo cáo tại %s +SetOptionTo=Đặt tùy chọn %s thành %s Updated=Đã cập nhật AchatTelechargement=Mua / Tải xuống GoModuleSetupArea=Để triển khai / cài đặt một mô-đun mới, hãy chuyển đến khu vực thiết lập Mô-đun: %s . DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
      Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. +DoliPartnersDesc=Danh sách các công ty cung cấp mô-đun hoặc tính năng được phát triển tùy chỉnh.
      Lưu ý: vì Dolibarr là một ứng dụng nguồn mở nên bất kỳ ai có kinh nghiệm về lập trình PHP sẽ có thể phát triển một mô-đun. WebSiteDesc=Các trang web bên ngoài để có thêm các mô-đun bổ sung (không lõi) ... DevelopYourModuleDesc=Một số giải pháp để phát triển mô-đun của riêng bạn ... URL=URL @@ -241,7 +243,7 @@ BoxesAvailable=Widgets có sẵn BoxesActivated=Widgets được kích hoạt ActivateOn=Kích hoạt trên ActiveOn=Đã kích hoạt trên -ActivatableOn=Activatable on +ActivatableOn=Có thể kích hoạt trên SourceFile=Tập tin nguồn AvailableOnlyIfJavascriptAndAjaxNotDisabled=Chỉ có sẵn nếu JavaScript không bị vô hiệu hóa Required=Được yêu cầu @@ -267,9 +269,9 @@ ReferencedPreferredPartners=Đối tác ưu tiên OtherResources=Các tài nguyên khác ExternalResources=Tài nguyên bên ngoài SocialNetworks=Mạng xã hội -SocialNetworkId=Social Network ID -ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),
      take a look at the Dolibarr Wiki:
      %s -ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:
      %s +SocialNetworkId=ID mạng xã hội +ForDocumentationSeeWiki=Để xem tài liệu dành cho người dùng hoặc nhà phát triển (Tài liệu, Câu hỏi thường gặp...),
      hãy xem Dolibarr Wiki:
      %s +ForAnswersSeeForum=Đối với bất kỳ câu hỏi/trợ giúp nào khác, bạn có thể sử dụng diễn đàn Dolibarr:
      %s HelpCenterDesc1=Dưới đây là một số tài nguyên để nhận trợ giúp và hỗ trợ với Dolibarr. HelpCenterDesc2=Một số tài nguyên này chỉ có sẵn bằng tiếng Anh . CurrentMenuHandler=Điều khiển menu hiện tại @@ -282,32 +284,32 @@ SpaceX=Không gian X SpaceY=Không gian Y FontSize=Cỡ chữ Content=Nội dung -ContentForLines=Content to display for each product or service (from variable __LINES__ of Content) +ContentForLines=Nội dung hiển thị cho từng sản phẩm, dịch vụ (từ biến __LINES__ của Nội dung) NoticePeriod=Kỳ thông báo NewByMonth=Mới theo tháng Emails=Emails EMailsSetup=cài đặt Emails -EMailsDesc=This page allows you to set parameters or options for email sending. +EMailsDesc=Trang này cho phép bạn thiết lập các thông số hoặc tùy chọn để gửi email. EmailSenderProfiles=Email hồ sơ người gửi EMailsSenderProfileDesc=Bạn có thể giữ trống phần này. Nếu bạn nhập một số email ở đây, chúng sẽ được thêm vào danh sách những người gửi có thể vào combobox khi bạn viết một email mới. MAIN_MAIL_SMTP_PORT=Cổng SMTP / SMTPS (giá trị mặc định trong php.ini: %s ) MAIN_MAIL_SMTP_SERVER=Máy chủ SMTP / SMTPS (giá trị mặc định trong php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Cổng SMTP / SMTPS (Không được xác định trong PHP trên các hệ thống tương tự Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Máy chủ SMTP / SMTPS (Không được xác định trong PHP trên các hệ thống tương tự Unix) -MAIN_MAIL_EMAIL_FROM=Email người gửi cho email tự động (giá trị mặc định trong php.ini: %s ) -EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails from this address by SPF and DKIM configuration +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Cổng SMTP/SMTPS +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Máy chủ SMTP/SMTPS +MAIN_MAIL_EMAIL_FROM=Email người gửi cho email tự động +EMailHelpMsgSPFDKIM=Để ngăn email Dolibarr bị phân loại là thư rác, hãy đảm bảo rằng máy chủ được phép gửi email dưới danh tính này (bằng cách kiểm tra cấu hình SPF và DKIM của tên miền) MAIN_MAIL_ERRORS_TO=Email được sử dụng cho lỗi trả về email (các trường 'Lỗi-Đến' trong email đã gửi) MAIN_MAIL_AUTOCOPY_TO= Sao chép (Bcc) tất cả các email đã gửi đến MAIN_DISABLE_ALL_MAILS=Vô hiệu hóa tất cả gửi email (cho mục đích thử nghiệm hoặc bản demo) MAIN_MAIL_FORCE_SENDTO=Gửi tất cả email đến (thay vì người nhận thực, cho mục đích thử nghiệm) MAIN_MAIL_ENABLED_USER_DEST_SELECT=Đề xuất email của nhân viên (nếu được xác định) vào danh sách người nhận được xác định trước khi viết email mới -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=Không chọn người nhận mặc định ngay cả khi chỉ có 1 lựa chọn MAIN_MAIL_SENDMODE=Phương thức gửi email MAIN_MAIL_SMTPS_ID=ID SMTP (nếu gửi máy chủ yêu cầu xác thực) MAIN_MAIL_SMTPS_PW=Mật khẩu SMTP (nếu gửi máy chủ yêu cầu xác thực) MAIN_MAIL_EMAIL_TLS=Sử dụng mã hóa TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Sử dụng mã hóa TLS (STARTTLS) -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Ủy quyền chứng chỉ tự ký MAIN_MAIL_EMAIL_DKIM_ENABLED=Sử dụng DKIM để tạo chữ ký email MAIN_MAIL_EMAIL_DKIM_DOMAIN=Tên miền email để sử dụng với dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Tên của bộ chọn dkim @@ -315,13 +317,13 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Khóa riêng để ký dkim MAIN_DISABLE_ALL_SMS=Vô hiệu hóa tất cả gửi SMS (cho mục đích thử nghiệm hoặc bản demo) MAIN_SMS_SENDMODE=Phương pháp sử dụng để gửi SMS MAIN_MAIL_SMS_FROM=Số điện thoại người gửi mặc định để gửi SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Email người gửi mặc định để gửi thủ công (Email người dùng hoặc email Công ty) +MAIN_MAIL_DEFAULT_FROMTYPE=Email người gửi mặc định được chọn trước trên biểu mẫu để gửi email UserEmail=Email người dùng CompanyEmail=Email công ty FeatureNotAvailableOnLinux=Tính năng không có sẵn trên Unix như hệ thống. Kiểm tra chương trình sendmail bản địa của bạn. -FixOnTransifex=Fix the translation on the online translation platform of project +FixOnTransifex=Sửa bản dịch trên nền tảng dịch trực tuyến của dự án SubmitTranslation=Nếu bản dịch cho ngôn ngữ này chưa hoàn thành hoặc bạn thấy có lỗi, bạn có thể sửa lỗi này bằng cách chỉnh sửa các tệp trong thư mục langs / %s và gửi thay đổi của bạn tới www.transifex.com/dolibarr-association/dolibarr/ -SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or, if you are a developer, with a PR on github.com/Dolibarr/dolibarr +SubmitTranslationENUS=Nếu bản dịch cho ngôn ngữ này chưa hoàn chỉnh hoặc bạn phát hiện thấy lỗi, bạn có thể sửa lỗi này bằng cách chỉnh sửa tệp vào thư mục langs/%s và gửi các tệp đã sửa đổi trên dolibarr.org/forum hoặc, nếu bạn là nhà phát triển, có PR trên github.com/Dolibarr/dolibarr ModuleSetup=Cài đặt module ModulesSetup=Thiết lập Mô-đun / Ứng dụng ModuleFamilyBase=Hệ thống @@ -346,7 +348,7 @@ StepNb=Bước %s FindPackageFromWebSite=Tìm gói cung cấp các tính năng bạn cần (ví dụ: trên trang web chính thức %s). DownloadPackageFromWebSite=Tải xuống gói (ví dụ từ trang web chính thức %s). UnpackPackageInDolibarrRoot=Unpack / unzip các tệp được đóng gói vào thư mục máy chủ Dolibarr:%s -UnpackPackageInModulesRoot=To deploy/install an external module, you must unpack/unzip the archive file into the server directory dedicated to external modules:
      %s +UnpackPackageInModulesRoot=Để triển khai/cài đặt mô-đun bên ngoài, bạn phải giải nén/giải nén tệp lưu trữ vào thư mục máy chủ dành riêng cho các mô-đun bên ngoài:
      %s SetupIsReadyForUse=Triển khai mô-đun kết thúc. Tuy nhiên, bạn phải bật và thiết lập mô-đun trong ứng dụng của mình bằng cách đi tới các mô-đun thiết lập trang: %s . NotExistsDirect=Thư mục gốc thay thế không được xác định cho một thư mục hiện có.
      InfDirAlt=Kể từ phiên bản 3, có thể xác định một thư mục gốc thay thế. Điều này cho phép bạn lưu trữ, vào một thư mục chuyên dụng, các trình cắm và các mẫu tùy chỉnh.
      Chỉ cần tạo một thư mục ở thư mục gốc của Dolibarr (ví dụ: tùy chỉnh).
      @@ -358,17 +360,17 @@ LastStableVersion=Phiên bản ổn định mới nhất LastActivationDate=Ngày kích hoạt mới nhất LastActivationAuthor=Tác giả kích hoạt mới nhất LastActivationIP=IP kích hoạt mới nhất -LastActivationVersion=Latest activation version +LastActivationVersion=Phiên bản kích hoạt mới nhất UpdateServerOffline=Cập nhật server offline WithCounter=Quản lý bộ đếm -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
      {000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
      {000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
      {000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
      {dd} day (01 to 31).
      {mm} month (01 to 12).
      {yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
      -GenericMaskCodes2={cccc} the client code on n characters
      {cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
      {tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
      +GenericMaskCodes=Bạn có thể nhập bất kỳ mặt nạ đánh số nào. Trong mặt nạ này, có thể sử dụng các thẻ sau:
      {000000 tương ứng với một số sẽ được tăng lên trên mỗi %s. Nhập bao nhiêu số 0 tùy theo độ dài mong muốn của bộ đếm. Bộ đếm sẽ được hoàn thành bằng các số 0 từ bên trái để có nhiều số 0 như mặt nạ.
      {000000+000 giống như phần trước nhưng phần bù tương ứng với số ở bên phải dấu + được áp dụng bắt đầu từ %s đầu tiên.
      {000000@x giống như phần trước nhưng bộ đếm được đặt lại về 0 khi đạt đến tháng x (x trong khoảng từ 1 đến 12 hoặc 0 để sử dụng những tháng đầu của năm tài chính được xác định trong cấu hình của bạn hoặc 99 để đặt lại về 0 mỗi tháng). Nếu tùy chọn này được sử dụng và x là 2 hoặc cao hơn thì chuỗi {yy}{mm} hoặc {yyyy}{mm} cũng được yêu cầu.
      {dd> ngày (01 đến 31).
      {mm> tháng (01 đến 12).
      {yy, {yyyy hoặc {y> năm trên 2, 4 hoặc 1 số.
      +GenericMaskCodes2={cccc} mã ứng dụng khách trên n ký tự
      {cccc000} mã khách hàng trên n ký tự, theo sau là bộ đếm dành riêng cho khách hàng. Bộ đếm dành riêng cho khách hàng này được đặt lại cùng lúc với bộ đếm toàn cầu.
      {tttt} Mã loại bên thứ ba trên n ký tự (xem menu Trang chủ - Cài đặt - Từ điển - Loại bên thứ ba). Nếu bạn thêm thẻ này, bộ đếm sẽ khác nhau đối với từng loại bên thứ ba.
      GenericMaskCodes3=All other characters in the mask will remain intact.
      Spaces are not allowed.
      -GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
      Spaces are not allowed.
      In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes3EAN=Tất cả các ký tự khác trong mặt nạ sẽ vẫn giữ nguyên (ngoại trừ * hoặc ? ở vị trí thứ 13 trong EAN13).
      Không được phép có dấu cách.
      Trong EAN13, ký tự cuối cùng sau } cuối cùng ở vị trí thứ 13 phải là * hoặc ? . Nó sẽ được thay thế bằng khóa được tính toán.
      +GenericMaskCodes4a=Ví dụ về %s lần thứ 99 của bên thứ ba TheCompany, có ngày 31-01-2023:
      +GenericMaskCodes4b=Ví dụ về bên thứ ba được tạo vào ngày 31-01-2023:
      +GenericMaskCodes4c=Ví dụ về sản phẩm được tạo vào ngày 31-01-2023:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000 sẽ cung cấp ABC2301-000099
      {0000+100@1 }-ZZZ/{dd}/XXX sẽ cho 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t> sẽ cung cấp IN2301-0099-A nếu loại hình công ty là 'Inscripto có trách nhiệm' với mã cho loại là 'A_RI' GenericNumRefModelDesc=Returns a customizable number according to a defined mask. ServerAvailableOnIPOrPort=Server is available at address %s on port %s ServerNotAvailableOnIPOrPort=Server is not available at address %s on port %s @@ -378,11 +380,11 @@ DoTestSendHTML=Kiểm tra gửi HTML ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, can't use option @ if sequence {yy}{mm} or {yyyy}{mm} is not in mask. UMask=UMask parameter for new files on Unix/Linux/BSD/Mac file system. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. +UMaskExplanation=Tham số này cho phép bạn xác định các quyền được đặt theo mặc định trên các tệp do Dolibarr tạo trên máy chủ (ví dụ: trong quá trình tải lên).
      Nó phải là giá trị bát phân (ví dụ: 0666 có nghĩa là đã đọc và viết cho mọi người.). Giá trị được đề xuất là 0600 hoặc 0660
      Tham số này không có tác dụng trên máy chủ Windows. SeeWikiForAllTeam=Hãy xem trang Wiki để biết danh sách những người đóng góp và tổ chức của họ UseACacheDelay= Delay for caching export response in seconds (0 or empty for no cache) -DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page -DisableLinkToHelp=Hide the link to the online help "%s" +DisableLinkToHelpCenter=Ẩn link "Cần trợ giúp hoặc hỗ trợ" trên trang đăng nhập +DisableLinkToHelp=Ẩn liên kết tới trợ giúp trực tuyến "%s" AddCRIfTooLong=Không có cuộn văn bản tự động, văn bản quá dài sẽ không hiển thị trên tài liệu. Vui lòng thêm xuống dòng trong khu vực văn bản nếu cần. ConfirmPurge=Bạn có chắc chắn muốn thực hiện việc thanh lọc này?
      Điều này sẽ xóa vĩnh viễn tất cả các tệp dữ liệu của bạn mà không có cách nào để khôi phục chúng (tệp ECM, tệp đính kèm ...). MinLength=Chiều dài tối thiểu @@ -392,7 +394,7 @@ ExamplesWithCurrentSetup=Ví dụ với cấu hình hiện tại ListOfDirectories=List of OpenDocument templates directories ListOfDirectoriesForModelGenODT=Danh sách các thư mục chứa các tệp mẫu với định dạng OpenDocument.

      Đặt ở đây đường dẫn đầy đủ của các thư mục.
      Thêm một trở lại đầu giữa thư mục eah.
      Để thêm một thư mục của mô-đun GED, thêm ở đây DOL_DATA_ROOT/ecm/yourdirectoryname.

      Các tệp trong các thư mục đó phải kết thúc bằng .odt hoặc .ods. NumberOfModelFilesFound=Số tệp mẫu ODT / ODS được tìm thấy trong các thư mục này -ExampleOfDirectoriesForModelGen=Examples of syntax:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir +ExampleOfDirectoriesForModelGen=Ví dụ về cú pháp:
      c:\\myapp\\mydocumentdir\\mysubdir
      /home/myapp/mydocumentdir/mysubdir
      DOL_DATA_ROOT/ecm/ecmdir FollowingSubstitutionKeysCanBeUsed=
      To know how to create your odt document templates, before storing them in those directories, read wiki documentation: FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template FirstnameNamePosition=Chức vụ của Tên/Họ @@ -408,15 +410,16 @@ ModuleMustBeEnabledFirst=Mô-đun %s phải được bật trước nếu SecurityToken=Key to secure URLs NoSmsEngine=Không có trình quản lý gửi SMS có sẵn. Trình quản lý gửi SMS không được cài đặt với phân phối mặc định vì chúng phụ thuộc vào nhà cung cấp bên ngoài, nhưng bạn có thể tìm thấy một số trên %s PDF=PDF -PDFDesc=Global options for PDF generation -PDFOtherDesc=PDF Option specific to some modules -PDFAddressForging=Rules for address section +PDFDesc=Tùy chọn chung để tạo PDF +PDFOtherDesc=Tùy chọn PDF dành riêng cho một số mô-đun +PDFAddressForging=Quy định về phần địa chỉ HideAnyVATInformationOnPDF=Ẩn tất cả thông tin liên quan đến Thuế bán hàng / VAT PDFRulesForSalesTax=Quy tắc thuế bán hàng / VAT PDFLocaltax=Quy tắc cho %s -HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT +HideLocalTaxOnPDF=Ẩn tỷ lệ %s trong cột Thuế bán hàng / VAT HideDescOnPDF=Ẩn mô tả sản phẩm HideRefOnPDF=Ẩn tham chiếu sản phẩm +ShowProductBarcodeOnPDF=Hiển thị số mã vạch của sản phẩm HideDetailsOnPDF=Ẩn chi tiết dòng sản phẩm PlaceCustomerAddressToIsoLocation=Sử dụng vị trí tiêu chuẩn của Pháp (La Poste) cho vị trí địa chỉ khách hàng Library=Thư viện @@ -424,16 +427,16 @@ UrlGenerationParameters=Các thông số để bảo mật URL SecurityTokenIsUnique=Sử dụng một tham số securekey duy nhất cho mỗi URL EnterRefToBuildUrl=Nhập tham chiếu cho đối tượng %s GetSecuredUrl=Nhận URL được tính -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) +ButtonHideUnauthorized=Ẩn các nút hành động trái phép đối với người dùng nội bộ (chỉ có màu xám) OldVATRates=Thuế suất VAT cũ NewVATRates=Thuế suất VAT mới PriceBaseTypeToChange=Sửa đổi về giá với giá trị tham chiếu cơ sở được xác định trên MassConvert=Khởi chạy chuyển đổi hàng loạt PriceFormatInCurrentLanguage=Định dạng giá trong ngôn ngữ hiện tại String=String -String1Line=String (1 line) +String1Line=Chuỗi (1 dòng) TextLong=Long text -TextLongNLines=Long text (n lines) +TextLongNLines=Văn bản dài (n dòng) HtmlText=Html text Int=Integer Float=Float @@ -442,7 +445,7 @@ Unique=Unique Boolean=Boolean (một hộp kiểm) ExtrafieldPhone = Phone ExtrafieldPrice = Giá -ExtrafieldPriceWithCurrency=Price with currency +ExtrafieldPriceWithCurrency=Giá bằng tiền tệ ExtrafieldMail = Email ExtrafieldUrl = Url ExtrafieldIP = IP @@ -455,16 +458,16 @@ ExtrafieldCheckBox=Hộp kiểm ExtrafieldCheckBoxFromList=Hộp đánh dấu từ bảng ExtrafieldLink=Liên kết với một đối tượng ComputedFormula=Trường tính toán -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' +ComputedFormulaDesc=Bạn có thể nhập vào đây một công thức bằng cách sử dụng các thuộc tính khác của đối tượng hoặc bất kỳ mã PHP nào để nhận giá trị được tính toán động. Bạn có thể sử dụng bất kỳ công thức tương thích PHP nào bao gồm cả dấu "?" toán tử điều kiện và đối tượng chung sau: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      CẢNH BÁO: Nếu bạn cần các thuộc tính của một đối tượng chưa được tải, bạn chỉ cần tìm nạp đối tượng vào công thức của mình như trong ví dụ thứ hai.
      Sử dụng trường được tính toán có nghĩa là bạn không thể tự nhập bất kỳ giá trị nào từ giao diện. Ngoài ra, nếu có lỗi cú pháp, công thức có thể không trả về kết quả nào.

      Ví dụ về công thức:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * ( int) substr($mysoc->zip, 1, 2)

      Ví dụ để tải lại đối tượng
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj- >capital / 5: '-1')

      Ví dụ khác về công thức buộc tải đối tượng và đối tượng mẹ của nó:
      (($reloadedobj = Nhiệm vụ mới($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = Dự án mới( $db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Không tìm thấy dự án gốc' Computedpersistent=Lưu trữ trường tính toán ComputedpersistentDesc=Các trường bổ sung được tính toán sẽ được lưu trữ trong cơ sở dữ liệu, tuy nhiên, giá trị sẽ chỉ được tính toán lại khi đối tượng của trường này bị thay đổi. Nếu trường được tính toán phụ thuộc vào các đối tượng khác hoặc dữ liệu toàn cầu, giá trị này có thể sai !! -ExtrafieldParamHelpPassword=Để trống trường này có nghĩa là giá trị này sẽ được lưu trữ mà không cần mã hóa (trường phải được ẩn với dấu sao trên màn hình).
      Đặt 'tự động' để sử dụng quy tắc mã hóa mặc định để lưu mật khẩu vào cơ sở dữ liệu (khi đó giá trị đọc sẽ chỉ là hàm băm, không có cách nào để lấy giá trị gốc) +ExtrafieldParamHelpPassword=Để trống trường này có nghĩa là giá trị này sẽ được lưu trữ KHÔNG mã hóa (trường chỉ bị ẩn với các dấu sao trên màn hình).

      Enter giá trị 'dolcrypt' để mã hóa giá trị bằng thuật toán mã hóa có thể đảo ngược. Dữ liệu rõ ràng vẫn có thể được biết và chỉnh sửa nhưng được mã hóa vào cơ sở dữ liệu.

      Nhập 'auto' (hoặc 'md5', 'sha256', 'password_hash', ...) để sử dụng thuật toán mã hóa mật khẩu mặc định (hoặc md5, sha256, pass_hash...) để lưu mật khẩu băm không thể đảo ngược vào cơ sở dữ liệu (không có cách nào lấy lại giá trị ban đầu) ExtrafieldParamHelpselect=Danh sách các giá trị phải là các dòng có khóa định dạng, giá trị (trong đó khóa không thể là '0')

      ví dụ:
      1, giá trị1
      2, giá trị2
      mã3, giá trị3
      ...

      Để có danh sách tùy thuộc vào danh sách thuộc tính bổ sung khác:
      1, value1 | tùy chọn_ Parent_list_code : Parent_key
      2, value2 | tùy chọn_ Parent_list_code : Parent_key

      Để có danh sách tùy thuộc vào danh sách khác:
      1, giá trị1 | Parent_list_code : Parent_key
      2, giá trị2 | Parent_list_code : Parent_key ExtrafieldParamHelpcheckbox=Danh sách các giá trị phải là các dòng có khóa định dạng, giá trị (trong đó khóa không thể là '0')

      ví dụ:
      1, giá trị1
      2, giá trị2
      3, giá trị3
      ... ExtrafieldParamHelpradio=Danh sách các giá trị phải là các dòng có khóa định dạng, giá trị (trong đó khóa không thể là '0')

      ví dụ:
      1, giá trị1
      2, giá trị2
      3, giá trị3
      ... -ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarly a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelpchkbxlst=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      filter can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter witch is the current id of current object
      To do a SELECT in filter use $SEL$
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
      Syntax: ObjectName:Classpath +ExtrafieldParamHelpsellist=Danh sách các giá trị đến từ một bảng
      Cú pháp: table_name:label_field:id_field::filtersql
      Ví dụ: c_typent:libelle:id ::filtersql

      - id_field nhất thiết phải là khóa int chính
      - filtersql là một điều kiện SQL. Đây có thể là một thử nghiệm đơn giản (ví dụ: active=1) để chỉ hiển thị giá trị hoạt động
      Bạn cũng có thể sử dụng $ID$ trong bộ lọc là id hiện tại của đối tượng hiện tại
      Để sử dụng SELECT vào bộ lọc, hãy sử dụng từ khóa $SEL$ để bỏ qua tính năng bảo vệ chống tiêm.
      nếu bạn muốn lọc trên các trường ngoại vi sử dụng cú pháp extra.fieldcode=... (trong đó mã trường là mã của trường ngoại vi)

      Để có danh sách tùy thuộc vào danh sách thuộc tính bổ sung khác:
      c_typent:libelle:id:options_parent_list_code |parent_column:filter

      Để có danh sách tùy thuộc vào danh sách khác:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpchkbxlst=Danh sách các giá trị đến từ một bảng
      Cú pháp: table_name:label_field:id_field::filtersql
      Ví dụ: c_typent:libelle:id ::filtersql

      bộ lọc có thể là một thử nghiệm đơn giản (ví dụ: active=1) để chỉ hiển thị giá trị hoạt động
      Bạn cũng có thể sử dụng $ID$ trong bộ lọc phù thủy là id hiện tại của đối tượng hiện tại
      Để thực hiện CHỌN trong bộ lọc, hãy sử dụng $SEL$
      nếu bạn muốn lọc các trường ngoại vi, hãy sử dụng cú pháp extra.fieldcode=... (trong đó mã trường là mã của trường ngoại vi)

      Để có danh sách tùy thuộc vào danh sách thuộc tính bổ sung khác:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      Để có danh sách tùy thuộc vào danh sách khác:
      c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelplink=Các tham số phải là ObjectName:Classpath
      Cú pháp: ObjectName:Classpath ExtrafieldParamHelpSeparator=Giữ trống cho một dấu phân cách đơn giản
      Đặt giá trị này thành 1 cho dấu phân cách thu gọn (mặc định mở cho phiên mới, sau đó trạng thái được giữ cho mỗi phiên người dùng)
      Đặt giá trị này thành 2 cho dấu phân cách thu gọn (mặc định được thu gọn cho phiên mới, sau đó trạng thái được giữ trước mỗi phiên người dùng) LibraryToBuildPDF=Thư viện được sử dụng để tạo PDF LocalTaxDesc=Một số quốc gia có thể áp dụng hai hoặc ba loại thuế cho mỗi dòng hóa đơn. Nếu đây là trường hợp, chọn loại thuế thứ hai và thứ ba và thuế suất của nó. Loại có thể là:
      1: thuế địa phương áp dụng cho các sản phẩm và dịch vụ không có thùng (localtax được tính trên số tiền chưa có thuế)
      2: thuế địa phương áp dụng cho các sản phẩm và dịch vụ bao gồm cả thùng (localtax được tính trên số tiền + thuế chính)
      3: thuế địa phương áp dụng cho các sản phẩm không có thùng (localtax được tính trên số tiền chưa có thuế)
      4: thuế địa phương áp dụng cho các sản phẩm bao gồm vat (localtax được tính trên số tiền + thùng chính)
      5: thuế địa phương áp dụng cho các dịch vụ không có thùng (localtax được tính trên số tiền không có thuế)
      6: thuế địa phương áp dụng cho các dịch vụ bao gồm vat (localtax được tính trên số tiền + thuế) @@ -473,7 +476,7 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Làm mới liên kết LinkToTest=Liên kết có thể click được tạo ra cho người dùng %s (bấm số điện thoại để kiểm tra) KeepEmptyToUseDefault=Giữ trống để sử dụng giá trị mặc định -KeepThisEmptyInMostCases=In most cases, you can keep this field empy. +KeepThisEmptyInMostCases=Trong hầu hết các trường hợp, bạn có thể để trống trường này. DefaultLink=Liên kết mặc định SetAsDefault=Đặt làm mặc định ValueOverwrittenByUserSetup=Cảnh báo, giá trị này có thể được ghi đè bởi các thiết lập cụ thể người sử dụng (mỗi người dùng có thể thiết lập url clicktodial riêng của mình) @@ -482,7 +485,7 @@ InstalledInto=Đã cài đặt vào thư mục %s BarcodeInitForThirdparties=Khởi tạo mã vạch hàng loạt cho bên thứ ba BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Hiện tại, bạn có %s bản ghi %s %s không xác định được mã vạch -InitEmptyBarCode=Init value for the %s empty barcodes +InitEmptyBarCode=Giá trị ban đầu cho %s mã vạch trống EraseAllCurrentBarCode=Xóa tất cả các giá trị hiện tại của mã vạch ConfirmEraseAllCurrentBarCode=Bạn có chắc muốn xóa tất cả các giá trị mã vạch hiện tại? AllBarcodeReset=Tất cả giá trị mã vạch đã được loại bỏ @@ -502,36 +505,36 @@ ModuleCompanyCodeCustomerDigitaria=%s theo sau tên khách hàng bị cắt bớ ModuleCompanyCodeSupplierDigitaria=%s theo sau tên nhà cung cấp bị cắt bớt theo bở số lượng ký tự: %s cho mã kế toán nhà cung cấp. Use3StepsApproval=Theo mặc định, Đơn đặt hàng cần được tạo và phê duyệt bởi 2 người dùng khác nhau (một bước / người dùng để tạo và một bước / người dùng để phê duyệt. Lưu ý rằng nếu người dùng có cả quyền để tạo và phê duyệt, một bước / người dùng sẽ đủ) . Bạn có thể yêu cầu tùy chọn này để giới thiệu bước thứ ba / phê duyệt của người dùng, nếu số tiền cao hơn giá trị chuyên dụng (vì vậy sẽ cần 3 bước: 1 = xác thực, 2 = phê duyệt đầu tiên và 3 = phê duyệt thứ hai nếu số tiền là đủ).
      Đặt điều này thành trống nếu một phê duyệt (2 bước) là đủ, đặt nó thành giá trị rất thấp (0,1) nếu luôn luôn cần phê duyệt thứ hai (3 bước). UseDoubleApproval=Sử dụng phê duyệt 3 bước khi số tiền (chưa có thuế) cao hơn ... -WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons: -WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM -WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota). -WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox. -WarningPHPMailD=It is therefore recommended to change the sending method of e-mails to the value "SMTP". -WarningPHPMailDbis=If you really want to keep the default "PHP" method to send emails, just ignore this warning, or remove it by %sclicking here%s. +WarningPHPMail=CẢNH BÁO: Thiết lập gửi email từ ứng dụng đang sử dụng thiết lập chung mặc định. Thông thường, tốt hơn hết bạn nên thiết lập các email gửi đi để sử dụng máy chủ email của Nhà cung cấp dịch vụ email thay vì thiết lập mặc định vì một số lý do: +WarningPHPMailA=- Sử dụng máy chủ của Nhà cung cấp dịch vụ Email sẽ tăng độ tin cậy cho email của bạn nên tăng khả năng gửi đi mà không bị gắn cờ là SPAM +WarningPHPMailB=- Một số Nhà cung cấp dịch vụ Email (như Yahoo) không cho phép bạn gửi email từ máy chủ khác ngoài máy chủ của họ. Thiết lập hiện tại của bạn sử dụng máy chủ của ứng dụng để gửi email chứ không phải máy chủ của nhà cung cấp email của bạn, vì vậy một số người nhận (máy chủ tương thích với giao thức DMARC hạn chế), sẽ hỏi nhà cung cấp email của bạn xem họ có thể chấp nhận email của bạn và một số nhà cung cấp email không (như Yahoo) có thể trả lời "không" vì máy chủ không phải của họ, vì vậy một số Email đã gửi của bạn có thể không được chấp nhận gửi (cũng hãy cẩn thận với hạn ngạch gửi của nhà cung cấp email của bạn). +WarningPHPMailC=- Việc sử dụng máy chủ SMTP của Nhà cung cấp dịch vụ Email của chính bạn để gửi email cũng rất thú vị vì tất cả các email được gửi từ ứng dụng cũng sẽ được lưu vào thư mục "Đã gửi" trong hộp thư của bạn. +WarningPHPMailD=Do đó, nên thay đổi phương thức gửi e-mail thành giá trị "SMTP". +WarningPHPMailDbis=Nếu bạn thực sự muốn giữ phương thức "PHP" mặc định để gửi email, chỉ cần bỏ qua cảnh báo này hoặc xóa nó bằng cách %snhấp vào đây%s. WarningPHPMail2=Nếu nhà cung cấp dịch vụ email email của bạn cần hạn chế ứng dụng email khách đến một số địa chỉ IP (rất hiếm), thì đây là địa chỉ IP của tác nhân người dùng thư (MUA) cho ứng dụng ERP CRM của bạn: %s . -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask your domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. -ActualMailSPFRecordFound=Actual SPF record found (for email %s) : %s +WarningPHPMailSPF=Nếu tên miền trong địa chỉ email người gửi của bạn được bảo vệ bằng bản ghi SPF (hãy hỏi nhà đăng ký tên miền của bạn), bạn phải thêm các IP sau vào bản ghi SPF của DNS trong miền của bạn: %s. +ActualMailSPFRecordFound=Đã tìm thấy bản ghi SPF thực tế (đối với email %s): %s ClickToShowDescription=Nhấn vào đây để hiển thị mô tả DependsOn=Mô-đun này cần (các) mô-đun RequiredBy=Mô-đun này được yêu cầu bởi (các) mô-đun TheKeyIsTheNameOfHtmlField=Đây là tên của trường HTML. Kiến thức kỹ thuật là cần thiết để đọc nội dung của trang HTML để có được tên khóa của một trường. -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. +PageUrlForDefaultValues=Bạn phải nhập đường dẫn tương đối của URL trang. Nếu bạn bao gồm các tham số trong URL, sẽ có hiệu lực nếu tất cả các tham số trong URL được duyệt có giá trị được xác định ở đây. PageUrlForDefaultValuesCreate=
      Thí dụ:
      Đối với biểu mẫu để tạo bên thứ ba mới, đó là %s .
      Đối với URL của các mô-đun bên ngoài được cài đặt vào thư mục tùy chỉnh, không bao gồm "custom/", vì vậy hãy sử dụng đường dẫn như mymodule/mypage.php và không tùy chỉnh /mymodule/ mypage.php.
      Nếu bạn chỉ muốn giá trị mặc định nếu url có một số tham số, bạn có thể sử dụng %s PageUrlForDefaultValuesList=
      Thí dụ:
      Đối với trang liệt kê các bên thứ ba, đó là %s .
      Đối với URL của các mô-đun bên ngoài được cài đặt vào thư mục tùy chỉnh, không bao gồm "custom/", vì vậy hãy sử dụng một đường dẫn như mymodule/mypagelist.php và không tùy chỉnh /mymodule/mypagelist.php.
      Nếu bạn chỉ muốn giá trị mặc định nếu url có một số tham số, bạn có thể sử dụng %s -AlsoDefaultValuesAreEffectiveForActionCreate=Cũng lưu ý rằng việc ghi đè các giá trị mặc định để tạo biểu mẫu chỉ hoạt động đối với các trang được thiết kế chính xác (vì vậy với tham số action = tạo hoặc đặt trước ...) +AlsoDefaultValuesAreEffectiveForActionCreate=Cũng lưu ý rằng việc ghi đè các giá trị mặc định để tạo biểu mẫu chỉ hoạt động đối với các trang được thiết kế chính xác (vì vậy với tham số action=create hoặc presend...) EnableDefaultValues=Cho phép tùy chỉnh các giá trị mặc định -EnableOverwriteTranslation=Allow customization of translations +EnableOverwriteTranslation=Cho phép tùy chỉnh bản dịch GoIntoTranslationMenuToChangeThis=Một bản dịch đã được tìm thấy cho khóa với mã này. Để thay đổi giá trị này, bạn phải chỉnh sửa nó từ Nhà - Thiết lập - Dịch. WarningSettingSortOrder=Cảnh báo, đặt thứ tự sắp xếp mặc định có thể dẫn đến lỗi kỹ thuật khi vào trang danh sách nếu trường là trường không xác định. Nếu bạn gặp lỗi như vậy, hãy quay lại trang này để xóa thứ tự sắp xếp mặc định và khôi phục hành vi mặc định. Field=Trường ProductDocumentTemplates=Mẫu tài liệu để tạo tài liệu sản phẩm -ProductBatchDocumentTemplates=Document templates to generate product lots document +ProductBatchDocumentTemplates=Mẫu tài liệu để tạo tài liệu lô sản phẩm FreeLegalTextOnExpenseReports=Văn bản pháp lý tự do trên các báo cáo chi phí WatermarkOnDraftExpenseReports=Hình mờ trên dự thảo báo cáo chi phí -ProjectIsRequiredOnExpenseReports=The project is mandatory for entering an expense report -PrefillExpenseReportDatesWithCurrentMonth=Pre-fill start and end dates of new expense report with start and end dates of the current month -ForceExpenseReportsLineAmountsIncludingTaxesOnly=Force the entry of expense report amounts always in amount with taxes -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) +ProjectIsRequiredOnExpenseReports=Dự án là bắt buộc phải nhập báo cáo chi phí +PrefillExpenseReportDatesWithCurrentMonth=Điền trước ngày bắt đầu và ngày kết thúc của báo cáo chi phí mới với ngày bắt đầu và ngày kết thúc của tháng hiện tại +ForceExpenseReportsLineAmountsIncludingTaxesOnly=Buộc nhập số tiền báo cáo chi phí luôn bằng số tiền thuế +AttachMainDocByDefault=Đặt giá trị này thành nếu bạn muốn đính kèm tài liệu chính vào email theo mặc định (nếu có) FilesAttachedToEmail=Đính kèm tập tin SendEmailsReminders=Gửi lời nhắc chương trình nghị sự qua email davDescription=Thiết lập máy chủ WebDAV @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=Thư mục riêng nói chung là thư mục WebDAV DAV_ALLOW_PUBLIC_DIR=Cho phép thư mục công khai nói chung (thư mục dành riêng cho WebDAV có tên "công khai" - không cần đăng nhập) DAV_ALLOW_PUBLIC_DIRTooltip=Thư mục công khai nói chung là thư mục WebDAV mà bất kỳ ai cũng có thể truy cập (ở chế độ đọc và ghi), không cần ủy quyền (tài khoản đăng nhập / mật khẩu). DAV_ALLOW_ECM_DIR=Kích hoạt thư mục riêng DMS / ECM (thư mục gốc của mô-đun DMS / ECM - yêu cầu đăng nhập) -DAV_ALLOW_ECM_DIRTooltip=Thư mục gốc nơi tất cả các tệp được tải lên thủ công khi sử dụng mô-đun DMS / ECM. Tương tự như truy cập từ giao diện web, bạn sẽ cần một thông tin đăng nhập / mật khẩu hợp lệ với quyền truy cập để truy cập nó. +DAV_ALLOW_ECM_DIRTooltip=Thư mục gốc nơi tất cả các tệp được tải lên theo cách thủ công khi sử dụng mô-đun DMS/ECM. Tương tự như truy cập từ giao diện web, bạn sẽ cần thông tin đăng nhập/mật khẩu hợp lệ với đủ quyền để truy cập. ##### Modules ##### Module0Name=Người dùng & Nhóm Module0Desc=Quản lý người dùng / nhân viên và nhóm @@ -566,7 +569,7 @@ Module40Desc=Quản lý nhà cung cấp và mua hàng (Đơn mua và hóa đơn Module42Name=Nhật ký gỡ lỗi Module42Desc=Phương tiện ghi nhật ký (tệp, syslog, ...). Nhật ký như vậy là cho mục đích kỹ thuật / gỡ lỗi. Module43Name=Thanh gỡ lỗi -Module43Desc=A tool for developper adding a debug bar in your browser. +Module43Desc=Một công cụ dành cho nhà phát triển, thêm thanh gỡ lỗi trong trình duyệt của bạn. Module49Name=Biên tập Module49Desc=Quản lý biên tập Module50Name=Sản phẩm @@ -574,17 +577,17 @@ Module50Desc=Quản lý sản phẩm Module51Name=Gửi email hàng loạt Module51Desc=Quản lý gửi thư giấy hàng loạt Module52Name=Tồn kho -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Desc=Quản lý hàng tồn kho (theo dõi chuyển động hàng tồn kho và hàng tồn kho) Module53Name=Dịch vụ Module53Desc=Quản lý dịch vụ Module54Name=Hợp đồng/Thuê bao Module54Desc=Quản lý hợp đồng (dịch vụ hoặc đăng ký định kỳ) Module55Name=Mã vạch -Module55Desc=Barcode or QR code management -Module56Name=Payment by credit transfer -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. -Module57Name=Payments by Direct Debit -Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. +Module55Desc=Quản lý mã vạch hoặc mã QR +Module56Name=thanh toán bằng chuyển khoản tín dụng +Module56Desc=Quản lý thanh toán của nhà cung cấp hoặc tiền lương theo lệnh Chuyển khoản. Nó bao gồm việc tạo tệp SEPA cho các nước Châu Âu. +Module57Name=Thanh toán bằng ghi nợ trực tiếp +Module57Desc=Quản lý lệnh Ghi nợ trực tiếp. Nó bao gồm việc tạo tệp SEPA cho các nước Châu Âu. Module58Name=ClickToDial Module58Desc=Integration of a ClickToDial system (Asterisk, ...) Module60Name=Hình vui nhộn @@ -620,7 +623,7 @@ Module400Desc=Quản lý các dự án, khách hàng tiềm năng / cơ hội v Module410Name=Lịch trên web Module410Desc=Tích hợp lịch trên web Module500Name=Thuế và chi phí đặc biệt -Module500Desc=Management of other expenses (sales taxes, social or fiscal taxes, dividends, ...) +Module500Desc=Quản lý các chi phí khác (thuế bán hàng, thuế tài chính hoặc xã hội, cổ tức, ...) Module510Name=Lương Module510Desc=Ghi lại và theo dõi các khoản thanh toán của nhân viên Module520Name=Cho vay @@ -630,6 +633,10 @@ Module600Desc=Gửi thông báo email được kích hoạt bởi một sự ki Module600Long=Lưu ý rằng mô-đun này gửi email trong thời gian thực khi một sự kiện kinh doanh cụ thể xảy ra. Nếu bạn đang tìm kiếm một tính năng để gửi email nhắc nhở cho các sự kiện chương trình nghị sự, hãy đi vào thiết lập mô-đun Chương trình nghị sự. Module610Name=Biến thể sản phẩm Module610Desc=Tạo các biến thể sản phẩm (màu sắc, kích thước, v.v.) +Module650Name=Hóa đơn vật liệu (BOM) +Module650Desc=Mô-đun để xác định Hóa đơn Vật liệu (BOM) của bạn. Có thể được sử dụng để Lập kế hoạch nguồn lực sản xuất theo mô-đun Đơn đặt hàng sản xuất (MO) +Module660Name=Lập kế hoạch nguồn lực sản xuất (MRP) +Module660Desc=Phân hệ Quản lý Lệnh sản xuất (MO) Module700Name=Tài trợ Module700Desc=Quản lý tài trợ Module770Name=Báo cáo chi tiêu @@ -650,13 +657,13 @@ Module2300Name=Việc theo lịch trình Module2300Desc=Quản lý công việc theo lịch trình (bí danh cron hoặc bảng chrono) Module2400Name=Sự kiện / Chương trình nghị sự Module2400Desc=Theo dấu sự kiện. Đăng nhập các sự kiện tự động cho mục đích theo dõi hoặc ghi lại thủ công các sự kiện hoặc cuộc họp. Đây là mô-đun chính tốt cho Quản lý quan hệ khách hàng hoặc nhà cung cấp. -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=Đặt lịch hẹn trực tuyến +Module2430Desc=Cung cấp hệ thống đặt lịch hẹn trực tuyến. Điều này cho phép mọi người đặt điểm hẹn, theo phạm vi hoặc tình trạng sẵn có được xác định trước. Module2500Name=DMS / ECM Module2500Desc=Hệ thống quản lý tài liệu / Quản lý nội dung điện tử. Tự động tổ chức các tài liệu được tạo hoặc lưu trữ của bạn. Chia sẻ chúng khi bạn cần. -Module2600Name=API / Web services (SOAP server) +Module2600Name=API/Dịch vụ web (máy chủ SOAP) Module2600Desc=Kích hoạt máy chủ Dolibarr SOAP cung cấp dịch vụ API -Module2610Name=API / Web services (REST server) +Module2610Name=API/Dịch vụ web (máy chủ REST) Module2610Desc=Kích hoạt máy chủ Dolibarr REST cung cấp dịch vụ API Module2660Name=Gọi Dịch vụ Web (ứng dụng khách SOAP) Module2660Desc=Kích hoạt ứng dụng khách dịch vụ web Dolibarr (Có thể được sử dụng để đẩy dữ liệu/yêu cầu đến các máy chủ bên ngoài. Chỉ các đơn đặt hàng Mua hiện được hỗ trợ.) @@ -667,16 +674,16 @@ Module2900Name=GeoIPMaxmind Module2900Desc=GeoIP Maxmind conversions capabilities Module3200Name=Lưu trữ không thể thay đổi Module3200Desc=Cho phép một bản ghi không thể thay đổi của các sự kiện kinh doanh. Các sự kiện được lưu trữ trong thời gian thực. Nhật ký là một bảng chỉ đọc các sự kiện được xâu chuỗi có thể được xuất dữ liệu. Mô-đun này có thể là bắt buộc đối với một số quốc gia. -Module3300Name=Module Builder -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. +Module3300Name=Trình tạo mô-đun +Module3300Desc=Công cụ RAD (Phát triển ứng dụng nhanh - mã thấp và không mã) để giúp các nhà phát triển hoặc người dùng nâng cao xây dựng mô-đun/ứng dụng của riêng họ. Module3400Name=Mạng xã hội -Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). +Module3400Desc=Kích hoạt các trường Mạng xã hội thành bên thứ ba và địa chỉ (skype, twitter, facebook, ...). Module4000Name=Nhân sự -Module4000Desc=Quản lý nhân sự (quản lý bộ phận, hợp đồng nhân viên và cảm xúc) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=Đa công ty Module5000Desc=Cho phép bạn quản lý đa công ty -Module6000Name=Inter-modules Workflow -Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) +Module6000Name=Quy trình làm việc giữa các mô-đun +Module6000Desc=Quản lý quy trình làm việc giữa các mô-đun khác nhau (tự động tạo đối tượng và/hoặc thay đổi trạng thái tự động) Module10000Name=Trang web Module10000Desc=Tạo trang web (công khai) với trình soạn thảo WYSIWYG. Đây là một quản trị viên web hoặc nhà phát triển hướng CMS (tốt hơn là nên biết ngôn ngữ HTML và CSS). Chỉ cần thiết lập máy chủ web của bạn (Apache, Nginx, ...) để trỏ đến thư mục Dolibarr dành riêng để truy cập trực tuyến trên internet với tên miền của riêng bạn. Module20000Name=Quản lý yêu cầu nghỉ @@ -696,26 +703,28 @@ Module50200Desc=Đề nghị cho khách hàng một trang thanh toán trực tuy Module50300Name=Cổng thanh toán Stripe Module50300Desc=Đề nghị cho khách hàng một trang thanh toán trực tuyến Stripe (thẻ tín dụng / thẻ ghi nợ). Điều này có thể được sử dụng để cho phép khách hàng của bạn thực hiện thanh toán đột xuất hoặc thanh toán liên quan đến một đối tượng Dolibarr cụ thể (hóa đơn, đơn đặt hàng, v.v.) Module50400Name=Kế toán (hai sổ) -Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats. +Module50400Desc=Quản lý kế toán (ghi kép, hỗ trợ Sổ cái chung và Sổ cái phụ). Xuất sổ cái sang một số định dạng phần mềm kế toán khác. Module54000Name=PrintIPP Module54000Desc=In trực tiếp (không mở tài liệu) bằng giao diện Cups IPP (Máy in phải hiển thị từ máy chủ và phải cài đặt CUPS trên máy chủ). Module55000Name=Thăm dò ý kiến, khảo sát hoặc bình chọn Module55000Desc=Tạo các cuộc thăm dò, khảo sát hoặc bình chọn trực tuyến (như Doodle, Studs, RDVz, v.v.) Module59000Name=Lợi nhuận -Module59000Desc=Module to follow margins +Module59000Desc=Mô-đun để theo dõi lợi nhuận Module60000Name=Hoa hồng Module60000Desc=Module quản lý hoa hồng Module62000Name=Incoterms Module62000Desc=Thêm các tính năng để quản lý Incoterms Module63000Name=Tài nguyên Module63000Desc=Quản lý tài nguyên (máy in, ô tô, phòng, ...) để phân bổ cho các sự kiện -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. +Module66000Name=Quản lý mã thông báo OAuth2 +Module66000Desc=Cung cấp công cụ để tạo và quản lý mã thông báo OAuth2. Mã thông báo sau đó có thể được sử dụng bởi một số mô-đun khác. Module94160Name=Tiếp nhận +ModuleBookCalName=Hệ thống lịch đặt chỗ +ModuleBookCalDesc=Quản lý Lịch để đặt lịch hẹn ##### Permissions ##### -Permission11=Read customer invoices (and payments) +Permission11=Đọc hóa đơn của khách hàng (và thanh toán) Permission12=Tạo/chỉnh sửa hóa đơn khách hàng -Permission13=Invalidate customer invoices +Permission13=Hóa đơn khách hàng không hợp lệ Permission14=Xác nhận hoá đơn khách hàng Permission15=Gửi hóa đơn khách hàng qua email Permission16=Tạo thanh toán cho hoá đơn khách hàng @@ -729,22 +738,22 @@ Permission27=Xóa đơn hàng đề xuất Permission28=Xuất dữ liệu đơn hàng đề xuất Permission31=Xem sản phẩm Permission32=Tạo/chỉnh sửa sản phẩm -Permission33=Read prices products +Permission33=Đọc giá sản phẩm Permission34=Xóa sản phẩm Permission36=Xem/quản lý sản phẩm ẩn Permission38=Xuất dữ liệu sản phẩm -Permission39=Ignore minimum price -Permission41=Read projects and tasks (shared projects and projects of which I am a contact). -Permission42=Create/modify projects (shared projects and projects of which I am a contact). Can also assign users to projects and tasks -Permission44=Delete projects (shared projects and projects of which I am a contact) +Permission39=Bỏ qua giá tối thiểu +Permission41=Đọc các dự án và nhiệm vụ (các dự án và dự án được chia sẻ mà tôi là người liên hệ). +Permission42=Tạo/sửa đổi dự án (dự án được chia sẻ và dự án mà tôi là người liên hệ). Cũng có thể chỉ định người dùng cho các dự án và nhiệm vụ +Permission44=Xóa các dự án (dự án được chia sẻ và các dự án mà tôi là người liên hệ) Permission45=Xuất dữ liệu dự án Permission61=Xem intervention Permission62=Tạo/chỉnh sửa intervention Permission64=Xóa intervention Permission67=Xuất dữ liệu intervention -Permission68=Send interventions by email -Permission69=Validate interventions -Permission70=Invalidate interventions +Permission68=Gửi can thiệp qua email +Permission69=Xác thực các biện pháp can thiệp +Permission70=Can thiệp vô hiệu Permission71=Xem thành viên Permission72=Tạo/chỉnh sửa thành viên Permission74=Xóa thành viên @@ -755,7 +764,7 @@ Permission79=Tạo/sửa đổi thuê bao Permission81=Xem đơn hàng khách hàng Permission82=Tạo/chỉnh sửa đơn hàng khách hàng Permission84=Xác nhận đơn hàng khách hàng -Permission85=Generate the documents sales orders +Permission85=Tạo các tài liệu đơn đặt hàng bán hàng Permission86=Gửi đơn hàng khách hàng Permission87=Đóng đơn hàng khách hàng Permission88=Hủy bỏ đơn hàng khách hàng @@ -768,12 +777,12 @@ Permission95=Xem báo cáo Permission101=Xem sendings Permission102=Tạo/chỉnh sửa sendings Permission104=Xác nhận sendings -Permission105=Send sendings by email +Permission105=Gửi tin nhắn qua email Permission106=Xuất dữ liệu Sendings Permission109=Xóa sendings Permission111=Xem tài khoản tài chính Permission112=Tạo/chỉnh sửa/xóa và so sánh giao dịch -Permission113=Setup financial accounts (create, manage categories of bank transactions) +Permission113=Thiết lập tài khoản tài chính (tạo, quản lý danh mục giao dịch ngân hàng) Permission114=Các giao dịch hợp nhất Permission115=Xuất dữ liệu giao dịch và bảng kê tài khoản Permission116=Chuyển giữa các tài khoản @@ -782,11 +791,11 @@ Permission121=Xem bên thứ ba liên quan đến người dùng Permission122=Tạo/chỉnh sửa bên thứ ba liên quan đến người dùng Permission125=Xóa bên thứ ba liên quan đến người dùng Permission126=Xuất dữ liệu bên thứ ba -Permission130=Create/modify third parties payment information -Permission141=Read all projects and tasks (as well as the private projects for which I am not a contact) -Permission142=Create/modify all projects and tasks (as well as the private projects for which I am not a contact) -Permission144=Delete all projects and tasks (as well as the private projects I am not a contact) -Permission145=Can enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) +Permission130=Tạo/sửa đổi thông tin thanh toán của bên thứ ba +Permission141=Đọc tất cả các dự án và nhiệm vụ (cũng như các dự án riêng tư mà tôi không phải là người liên hệ) +Permission142=Tạo/sửa đổi tất cả các dự án và nhiệm vụ (cũng như các dự án riêng tư mà tôi không phải là người liên hệ) +Permission144=Xóa tất cả các dự án và nhiệm vụ (cũng như các dự án riêng tư mà tôi không liên hệ) +Permission145=Có thể nhập thời gian đã sử dụng của tôi hoặc hệ thống phân cấp của tôi vào các nhiệm vụ được giao (Bảng chấm công) Permission146=Xem nhà cung cấp Permission147=Xem thống kê Permission151=Xem lệnh thanh toán ghi nợ trực tiếp @@ -845,8 +854,8 @@ PermissionAdvanced253=Tạo/chỉnh sửa người sử dụng nội bộ / bên Permission254=Tạo/chỉnh sửa chỉ người dùng bên ngoài Permission255=Chỉnh sửa mật khẩu của người dùng khác Permission256=Xóa hoặc vô hiệu người dùng khác -Permission262=Extend access to all third parties AND their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission263=Extend access to all third parties WITHOUT their objects (not only third parties for which the user is a sale representative).
      Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
      Not effective for projects (only rules on project permissions, visibility and assignment matters). +Permission262=Mở rộng quyền truy cập cho tất cả các bên thứ ba VÀ đối tượng của họ (không chỉ các bên thứ ba mà người dùng là đại diện bán hàng).
      Không hiệu quả đối với người dùng bên ngoài (luôn giới hạn ở chính họ đối với các đề xuất, đơn đặt hàng, hóa đơn, hợp đồng, v.v.).
      Không hiệu quả đối với các dự án (chỉ các quy tắc về quyền của dự án, khả năng hiển thị và các vấn đề chuyển nhượng). +Permission263=Mở rộng quyền truy cập cho tất cả các bên thứ ba MÀ KHÔNG CÓ đối tượng của họ (không chỉ các bên thứ ba mà người dùng là đại diện bán hàng).
      Không hiệu quả đối với người dùng bên ngoài (luôn giới hạn ở chính họ đối với các đề xuất, đơn đặt hàng, hóa đơn, hợp đồng, v.v.).
      Không hiệu quả đối với các dự án (chỉ các quy tắc về quyền của dự án, khả năng hiển thị và các vấn đề chuyển nhượng). Permission271=Xem CA Permission272=Xem hóa đơn Permission273=Xuất hóa đơn @@ -857,7 +866,7 @@ Permission286=Xuất dữ liệu liên lạc Permission291=Xem thuế Permission292=Chỉnh phân quyền trên mức thuế Permission293=Sửa đổi biểu thuế của khách hàng -Permission301=Generate PDF sheets of barcodes +Permission301=Tạo các tờ mã vạch PDF Permission304=Tạo / sửa đổi mã vạch Permission305=Xóa mã vạch Permission311=Xem dịch vụ @@ -879,10 +888,10 @@ Permission402=Tạo/chỉnh sửa giảm giá Permission403=Xác nhận giảm giá Permission404=Xóa giảm giá Permission430=Sử dụng thanh gỡ lỗi -Permission511=Read salaries and payments (yours and subordinates) -Permission512=Create/modify salaries and payments -Permission514=Delete salaries and payments -Permission517=Read salaries and payments everybody +Permission511=Đọc tiền lương và các khoản thanh toán (của bạn và cấp dưới) +Permission512=Tạo/sửa đổi tiền lương và thanh toán +Permission514=Xóa tiền lương và các khoản thanh toán +Permission517=Đọc tiền lương và thanh toán mọi người Permission519=Xuất dữ liệu lương Permission520=Xem cho vay Permission522=Tạo/Chỉnh sửa cho vay @@ -891,36 +900,36 @@ Permission525=Truy cập tính toán cho vay Permission527=Xuất dữ liệu cho vay Permission531=Xem dịch vụ Permission532=Tạo/chỉnh sửa dịch vụ -Permission533=Read prices services +Permission533=Đọc giá dịch vụ Permission534=Xóa dịch vụ Permission536=Xem/quản lý dịch vụ ẩn Permission538=Xuất dữ liệu Dịch vụ -Permission561=Read payment orders by credit transfer -Permission562=Create/modify payment order by credit transfer -Permission563=Send/Transmit payment order by credit transfer -Permission564=Record Debits/Rejections of credit transfer -Permission601=Read stickers -Permission602=Create/modify stickers -Permission609=Delete stickers -Permission611=Read attributes of variants -Permission612=Create/Update attributes of variants -Permission613=Delete attributes of variants +Permission561=Đọc các đơn hàng thanh toán bằng cách chuyển khoản tín dụng +Permission562=Tạo/sửa đổi đơn hàng thanh toán bằng cách chuyển khoản tín dụng +Permission563=Gửi/Truyền lệnh thanh toán bằng chuyển khoản tín dụng +Permission564=Ghi nợ/Từ chối chuyển khoản tín dụng +Permission601=Đọc nhãn dán +Permission602=Tạo/sửa đổi nhãn dán +Permission609=Xóa nhãn dán +Permission611=Đọc thuộc tính của biến thể +Permission612=Tạo/Cập nhật thuộc tính của biến thể +Permission613=Xóa thuộc tính của biến thể Permission650=Xem hóa đơn vật liệu Permission651=Tạo / Sửa đổi nhật hóa đơn vật liệu Permission652=Xóa hóa đơn vật liệu -Permission660=Read Manufacturing Order (MO) -Permission661=Create/Update Manufacturing Order (MO) -Permission662=Delete Manufacturing Order (MO) +Permission660=Đọc Lệnh sản xuất (MO) +Permission661=Tạo/Cập nhật Lệnh sản xuất (MO) +Permission662=Xóa lệnh sản xuất (MO) Permission701=Đọc thông tin Tài trợ Permission702=Tạo/sửa đổi Tài trợ Permission703=Xóa tài trợ Permission771=Xem báo cáo chi phí (của bạn và cấp dưới của bạn) -Permission772=Create/modify expense reports (for you and your subordinates) +Permission772=Tạo/sửa đổi báo cáo chi phí (cho bạn và cấp dưới của bạn) Permission773=Xóa báo cáo chi phí Permission775=Duyệt báo cáo chi phí Permission776=Báo cáo thanh toán chi phí -Permission777=Read all expense reports (even those of user not subordinates) -Permission778=Create/modify expense reports of everybody +Permission777=Đọc tất cả các báo cáo chi phí (kể cả báo cáo của người dùng không phải cấp dưới) +Permission778=Tạo/sửa đổi báo cáo chi phí của mọi người Permission779=Xuất dữ liệu báo cáo chi phí Permission1001=Xem tồn kho Permission1002=Tạo/chỉnh sửa Kho hàng @@ -931,7 +940,7 @@ Permission1011=Xem kiểm kho Permission1012=Tạo kiểm kho mới Permission1014=Xác nhận kiểm kho Permission1015=Cho phép thay đổi giá trị PMP cho sản phẩm -Permission1016=Delete inventory +Permission1016=Xóa hàng tồn kho Permission1101=Xem biên nhận giao hàng Permission1102=Tạo / sửa đổi biên nhận giao hàng Permission1104=Xác nhận biên nhận giao hàng @@ -950,12 +959,12 @@ Permission1185=Phê duyệt đơn đặt hàng mua Permission1186=Yêu cầu đơn đặt hàng mua Permission1187=Xác nhận đã nhận đơn đặt hàng mua Permission1188=Xóa đơn đặt hàng mua -Permission1189=Check/Uncheck a purchase order reception +Permission1189=Kiểm tra/Bỏ chọn việc tiếp nhận đơn đặt hàng Permission1190=Phê duyệt (phê duyệt thứ hai) đơn đặt hàng mua -Permission1191=Export supplier orders and their attributes +Permission1191=Xuất đơn đặt hàng của nhà cung cấp và thuộc tính của chúng Permission1201=Nhận kết quả của xuất dữ liệu Permission1202=Tạo/chỉnh sửa đổi xuất dữ liệu -Permission1231=Read vendor invoices (and payments) +Permission1231=Đọc hóa đơn của nhà cung cấp (và thanh toán) Permission1232=Tạo / sửa đổi hóa đơn nhà cung cấp Permission1233=Xác nhận hóa đơn nhà cung cấp Permission1234=Xóa hóa đơn nhà cung cấp @@ -966,8 +975,8 @@ Permission1251=Chạy nhập dữ liệu khối cho dữ liệu bên ngoài vào Permission1321=Xuất dữ liệu Hóa đơn khách hàng, các thuộc tính và thanh toán Permission1322=Mở lại một hóa đơn thanh toán Permission1421=Xuất dữ liệu đơn đặt hàng và các thuộc tính -Permission1521=Read documents -Permission1522=Delete documents +Permission1521=Đọc tài liệu +Permission1522=Xóa tài liệu Permission2401=Đọc các hành động (sự kiện hoặc tác vụ) được liên kết với tài khoản người dùng của anh ấy (nếu là chủ sở hữu của sự kiện hoặc chỉ được giao cho) Permission2402=Tạo / sửa đổi các hành động (sự kiện hoặc tác vụ) được liên kết với tài khoản người dùng của họ (nếu là chủ sở hữu của sự kiện) Permission2403=Xóa các hành động (sự kiện hoặc tác vụ) được liên kết với tài khoản người dùng của họ (nếu là chủ sở hữu của sự kiện) @@ -979,49 +988,49 @@ Permission2501=Xem/Tải về tài liệu Permission2502=Tải về tài liệu Permission2503=Gửi hoặc xóa tài liệu Permission2515=Cài đặt thư mục tài liệu -Permission2610=Generate/modify users API key +Permission2610=Tạo/sửa đổi khóa API của người dùng Permission2801=Sử dụng FTP client trong chế độ đọc (chỉ duyệt và tải về) Permission2802=Sử dụng FTP client trong chế độ ghi (xóa hoặc tải lên các tập tin) Permission3200=Xem các sự kiện được lưu trữ và dấu vân tay -Permission3301=Generate new modules -Permission4001=Read skill/job/position -Permission4002=Create/modify skill/job/position -Permission4003=Delete skill/job/position -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations -Permission4023=Validate evaluation -Permission4025=Delete evaluation -Permission4028=See comparison menu -Permission4031=Read personal information -Permission4032=Write personal information -Permission4033=Read all evaluations (even those of user not subordinates) +Permission3301=Tạo mô-đun mới +Permission4001=Đọc kỹ năng/công việc/vị trí +Permission4002=Tạo/sửa đổi kỹ năng/công việc/vị trí +Permission4003=Xóa kỹ năng/công việc/vị trí +Permission4021=Đọc các đánh giá (của bạn và cấp dưới của bạn) +Permission4022=Tạo/sửa đổi đánh giá +Permission4023=Xác thực đánh giá +Permission4025=Xóa đánh giá +Permission4028=Xem menu so sánh +Permission4031=Đọc thông tin cá nhân +Permission4032=Viết thông tin cá nhân +Permission4033=Đọc tất cả các đánh giá (ngay cả những đánh giá của người dùng không phải cấp dưới) Permission10001=Xem nội dung trang web -Permission10002=Tạo / sửa đổi nội dung trang web (nội dung html và javascript) +Permission10002=Tạo/sửa đổi nội dung trang web (nội dung html và JavaScript) Permission10003=Tạo / sửa đổi nội dung trang web (mã php động). Cảnh báo, phải được hạn chế và dành riêng cho các nhà phát triển. Permission10005=Xóa nội dung trang web Permission20001=Xem yêu cầu nghỉ phép (nghỉ phép của bạn và của cấp dưới) Permission20002=Tạo / sửa đổi yêu cầu nghỉ phép của bạn (nghỉ phép của bạn và của những người cấp dưới của bạn) Permission20003=Xóa yêu cầu nghỉ phép -Permission20004=Read all leave requests (even those of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even those of user not subordinates) -Permission20006=Administer leave requests (setup and update balance) +Permission20004=Đọc tất cả các yêu cầu nghỉ phép (ngay cả những yêu cầu của người dùng không phải cấp dưới) +Permission20005=Tạo/sửa đổi yêu cầu nghỉ phép cho mọi người (kể cả của người dùng không phải cấp dưới) +Permission20006=Quản lý yêu cầu nghỉ phép (thiết lập và cập nhật số dư) Permission20007=Phê duyệt yêu cầu nghỉ phép Permission23001=Xem công việc theo lịch trình Permission23002=Tạo/cập nhật công việc theo lịch trình Permission23003=Xóa công việc theo lịch trình Permission23004=Thực thi công việc theo lịch trình -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates -Permission50101=Use Point of Sale (SimplePOS) -Permission50151=Use Point of Sale (TakePOS) -Permission50152=Edit sales lines -Permission50153=Edit ordered sales lines +Permission40001=Đọc tiền tệ và tỷ giá của chúng +Permission40002=Tạo/Cập nhật tiền tệ và tỷ giá của chúng +Permission40003=Xóa tiền tệ và tỷ giá của chúng +Permission50101=Sử dụng Điểm bán hàng (SimplePOS) +Permission50151=Sử dụng điểm bán hàng (TakePOS) +Permission50152=Chỉnh sửa dòng bán hàng +Permission50153=Chỉnh sửa dòng bán hàng đã đặt hàng Permission50201=Xem giao dịch Permission50202=Giao dịch nhập dữ liệu -Permission50330=Read objects of Zapier -Permission50331=Create/Update objects of Zapier -Permission50332=Delete objects of Zapier +Permission50330=Đọc đối tượng của Zapier +Permission50331=Tạo/Cập nhật đối tượng của Zapier +Permission50332=Xóa đối tượng của Zapier Permission50401=Ràng buộc sản phẩm và hóa đơn với tài khoản kế toán Permission50411=Xem các hoạt động trong Sổ cái Permission50412=Viết / Chỉnh sửa các hoạt động trong Sổ cái @@ -1045,26 +1054,26 @@ Permission63001=Xem tài nguyên Permission63002=Tạo / sửa đổi tài nguyên Permission63003=Xóa tài nguyên Permission63004=Liên kết tài nguyên với các sự kiện chương trình nghị sự -Permission64001=Allow direct printing -Permission67000=Allow printing of receipts -Permission68001=Read intracomm report -Permission68002=Create/modify intracomm report -Permission68004=Delete intracomm report -Permission941601=Read receipts -Permission941602=Create and modify receipts -Permission941603=Validate receipts -Permission941604=Send receipts by email -Permission941605=Export receipts -Permission941606=Delete receipts +Permission64001=Cho phép in trực tiếp +Permission67000=Cho phép in hóa đơn +Permission68001=Đọc báo cáo nội bộ +Permission68002=Tạo/sửa đổi báo cáo nội bộ +Permission68004=Xóa báo cáo nội bộ +Permission941601=Đọc biên lai +Permission941602=Tạo và sửa đổi biên lai +Permission941603=Xác thực biên lai +Permission941604=Gửi biên lai qua email +Permission941605=Biên lai xuất khẩu +Permission941606=Xóa biên lai DictionaryCompanyType=Các loại bên thứ ba DictionaryCompanyJuridicalType=Pháp nhân bên thứ ba -DictionaryProspectLevel=Prospect potential level for companies -DictionaryProspectContactLevel=Prospect potential level for contacts +DictionaryProspectLevel=Triển vọng mức độ tiềm năng cho các công ty +DictionaryProspectContactLevel=Triển vọng mức độ tiềm năng cho các liên hệ DictionaryCanton=Bang / Tỉnh DictionaryRegion=Vùng DictionaryCountry=Quốc gia DictionaryCurrency=Tiền tệ -DictionaryCivility=Honorific titles +DictionaryCivility=Danh hiệu kính trọng DictionaryActions=Các loại sự kiện chương trình nghị sự DictionarySocialContributions=Các loại thuế xã hội hoặc tài chính DictionaryVAT=Tỉ suất VAT hoặc Tỉ xuất thuế bán hàng @@ -1080,7 +1089,7 @@ DictionaryFees=Báo cáo chi tiêu - Kiểu dòng của báo cáo chi tiêu DictionarySendingMethods=Phương thức vận chuyển DictionaryStaff=Số lượng nhân viên DictionaryAvailability=Trì hoãn giao hàng -DictionaryOrderMethods=Order methods +DictionaryOrderMethods=Phương thức đặt hàng DictionarySource=Chứng từ gốc của đơn hàng đề xuất/đơn hàng DictionaryAccountancyCategory=Các nhóm được cá nhân hóa cho các báo cáo DictionaryAccountancysystem=Kiểu biểu đồ tài khoản @@ -1089,30 +1098,32 @@ DictionaryEMailTemplates=Mẫu thư điện tử DictionaryUnits=Đơn vị DictionaryMeasuringUnits=Đơn vị đo lường DictionarySocialNetworks=Mạng xã hội -DictionaryProspectStatus=Prospect status for companies -DictionaryProspectContactStatus=Prospect status for contacts -DictionaryHolidayTypes=Leave - Types of leave +DictionaryProspectStatus=Tình trạng triển vọng của các công ty +DictionaryProspectContactStatus=Trạng thái triển vọng cho các liên hệ +DictionaryHolidayTypes=Nghỉ phép - Các loại nghỉ phép DictionaryOpportunityStatus=Trạng thái khách hàng tiềm năng cho dự án/ khách hàng tiềm năng DictionaryExpenseTaxCat=Báo cáo chi phí - Danh mục vận tải DictionaryExpenseTaxRange=Báo cáo chi phí - Phạm vi theo danh mục vận chuyển -DictionaryTransportMode=Intracomm report - Transport mode -DictionaryBatchStatus=Product lot/serial Quality Control status -DictionaryAssetDisposalType=Type of disposal of assets -TypeOfUnit=Type of unit +DictionaryTransportMode=Báo cáo nội bộ - Phương thức vận chuyển +DictionaryBatchStatus=Trạng thái kiểm soát chất lượng lô/sê-ri sản phẩm +DictionaryAssetDisposalType=Hình thức xử lý tài sản +DictionaryInvoiceSubtype=Các loại hóa đơn phụ +TypeOfUnit=Loại đơn vị SetupSaved=Cài đặt đã lưu SetupNotSaved=Thiết lập không được lưu -OAuthServiceConfirmDeleteTitle=Delete OAuth entry -OAuthServiceConfirmDeleteMessage=Are you sure you want to delete this OAuth entry ? All existing tokens for it will also be deleted. -ErrorInEntryDeletion=Error in entry deletion -EntryDeleted=Entry deleted +OAuthServiceConfirmDeleteTitle=Xóa mục nhập OAuth +OAuthServiceConfirmDeleteMessage=Bạn có chắc chắn muốn xóa mục OAuth này không? Tất cả các mã thông báo hiện có cho nó cũng sẽ bị xóa. +ErrorInEntryDeletion=Lỗi xóa mục nhập +EntryDeleted=Đã xóa mục nhập BackToModuleList=Quay lại danh sách Mô-đun BackToDictionaryList=Quay lại danh sách Từ điển TypeOfRevenueStamp=Loại tem thuế VATManagement=Quản lý Thuế bán hàng -VATIsUsedDesc=Theo mặc định khi tạo khách hàng tiềm năng, hóa đơn, đơn đặt hàng, v.v ... Thuế suất thuế bán hàng tuân theo quy tắc hoạt động tiêu chuẩn:
      Nếu người bán không phải chịu thuế Bán hàng, thì Thuế bán hàng mặc định là 0. Kết thúc quy tắc.
      Nếu (quốc gia của người bán = quốc gia của người mua), thì theo mặc định, thuế Bán hàng bằng với thuế Bán hàng của sản phẩm tại quốc gia của người bán. Kết thúc quy tắc.
      Nếu cả người bán và người mua đều ở Cộng đồng Châu Âu và hàng hóa là các sản phẩm liên quan đến vận tải (vận tải, vận chuyển, hàng không), VAT mặc định là 0. Quy tắc này phụ thuộc vào quốc gia của người bán - vui lòng tham khảo ý kiến của kế toán viên. Người mua phải trả thuế VAT cho cơ quan hải quan ở nước họ chứ không phải cho người bán. Kết thúc quy tắc.
      Nếu cả người bán và người mua đều ở Cộng đồng Châu Âu và người mua không phải là công ty (có số VAT nội bộ cộng đồng đã đăng ký) thì VAT mặc định theo thuế suất VAT của quốc gia người bán. Kết thúc quy tắc.
      Nếu cả người bán và người mua đều ở Cộng đồng Châu Âu và người mua là một công ty (có số VAT nội bộ cộng đồng đã đăng ký), thì VAT theo mặc định là 0. Kết thúc quy tắc.
      Trong mọi trường hợp khác, mặc định được đề xuất là Thuế doanh thu = 0. Kết thúc quy tắc. +VATIsUsedDesc=Theo mặc định khi tạo khách hàng tiềm năng, hóa đơn, đơn đặt hàng, v.v., thuế suất Thuế bán hàng tuân theo quy tắc tiêu chuẩn hiện hoạt:
      Nếu người bán không phải chịu thuế Bán hàng thì Thuế bán hàng sẽ mặc định là 0 . Kết thúc quy tắc.
      Nếu (quốc gia của người bán = quốc gia của người mua), thì thuế bán hàng theo mặc định bằng thuế bán hàng của sản phẩm tại quốc gia của người bán. Kết thúc quy tắc.
      Nếu người bán và người mua đều thuộc Cộng đồng Châu Âu và hàng hóa là sản phẩm liên quan đến vận tải (vận chuyển, vận chuyển, hàng không) thì VAT mặc định là 0. Khoản này quy tắc phụ thuộc vào quốc gia của người bán - vui lòng tham khảo ý kiến của kế toán viên của bạn. Người mua phải trả thuế VAT cho cơ quan hải quan ở nước họ chứ không phải cho người bán. Kết thúc quy tắc.
      Nếu người bán và người mua đều thuộc Cộng đồng Châu Âu và người mua không phải là công ty (có số VAT đã đăng ký trong Cộng đồng) thì VAT sẽ mặc định là thuế suất VAT của nước người bán. Kết thúc quy tắc.
      Nếu người bán và người mua đều thuộc Cộng đồng Châu Âu và người mua là công ty (có số VAT đã đăng ký trong Cộng đồng) thì VAT là 0 theo mặc định. Kết thúc quy tắc.
      Trong mọi trường hợp khác, mặc định được đề xuất là Thuế bán hàng=0. Kết thúc quy tắc. VATIsNotUsedDesc=Theo mặc định, thuế Bán hàng được đề xuất là 0 có thể được sử dụng cho các trường hợp như hiệp hội, cá nhân hoặc công ty nhỏ. VATIsUsedExampleFR=Ở Pháp, nó có nghĩa là các công ty hoặc tổ chức có một hệ thống tài chính thực sự (Đơn giản hóa thực tế hoặc thực tế bình thường). Một hệ thống trong đó VAT được khai báo. VATIsNotUsedExampleFR=Ở Pháp, điều đó có nghĩa là các hiệp hội không khai thuế bán hàng hoặc các công ty, tổ chức hoặc ngành nghề tự do đã chọn hệ thống tài chính doanh nghiệp siêu nhỏ (Thuế bán hàng trong nhượng quyền thương mại) và nộp thuế nhượng quyền Thuế bán hàng mà không cần khai báo thuế Bán hàng. Lựa chọn này sẽ hiển thị tham chiếu "Thuế bán hàng không áp dụng - art-293B của CGI" trên hóa đơn. +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=Loại thuế bán hàng LTRate=Tỷ suất @@ -1138,9 +1149,9 @@ LocalTax2IsUsedDescES=Tỷ lệ IRPF theo mặc định khi tạo khách hàng t LocalTax2IsNotUsedDescES=By default the proposed IRPF is 0. End of rule. LocalTax2IsUsedExampleES=In Spain, freelancers and independent professionals who provide services and companies who have chosen the tax system of modules. LocalTax2IsNotUsedExampleES=Ở Tây Ban Nha, họ là các doanh nghiệp không phải chịu hệ thống thuế của các mô-đun. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. +RevenueStampDesc=“Phiếu thuế” hay “tem doanh thu” là số thuế cố định trên mỗi hóa đơn (Không phụ thuộc vào số lượng hóa đơn). Nó cũng có thể là thuế phần trăm nhưng sử dụng loại thuế thứ hai hoặc thứ ba sẽ tốt hơn cho thuế phần trăm vì tem thuế không cung cấp bất kỳ báo cáo nào. Chỉ có một số quốc gia sử dụng loại thuế này. UseRevenueStamp=Sử dụng một tem thuế -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) +UseRevenueStampExample=Giá trị của tem thuế được xác định theo mặc định trong quá trình thiết lập từ điển (%s - %s - %s) CalcLocaltax=Báo cáo thuế địa phương CalcLocaltax1=Bán - Mua CalcLocaltax1Desc=Báo cáo Thuế địa phương được tính toán với sự khác biệt giữa localtaxes bán hàng và mua hàng localtaxes @@ -1148,15 +1159,15 @@ CalcLocaltax2=Mua CalcLocaltax2Desc=Báo cáo Thuế địa phương là tổng của localtaxes mua CalcLocaltax3=Bán CalcLocaltax3Desc=Báo cáo Thuế địa phương là tổng của localtaxes bán hàng -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax +NoLocalTaxXForThisCountry=Theo cách thiết lập thuế (Xem %s - %s - %s) , nước bạn không cần sử dụng loại thuế này LabelUsedByDefault=Nhãn được sử dụng bởi mặc định nếu không có bản dịch có thể được tìm thấy với code đó LabelOnDocuments=Nhãn trên các tài liệu LabelOrTranslationKey=Nhãn hoặc từ khóa dịch ValueOfConstantKey=Giá trị của hằng số -ConstantIsOn=Option %s is on +ConstantIsOn=Tùy chọn %s được bật NbOfDays=Số ngày AtEndOfMonth=Vào cuối tháng -CurrentNext=A given day in month +CurrentNext=Một ngày nhất định trong tháng Offset=Offset AlwaysActive=Luôn hoạt động Upgrade=Nâng cấp @@ -1198,7 +1209,7 @@ LoginPage=Trang đăng nhập BackgroundImageLogin=Hình nền PermanentLeftSearchForm=Forrm tìm kiếm cố định trên menu bên trái DefaultLanguage=Ngôn ngữ mặc định -EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships +EnableMultilangInterface=Cho phép hỗ trợ đa ngôn ngữ cho các mối quan hệ khách hàng hoặc nhà cung cấp EnableShowLogo=Hiển thị logo công ty trong menu CompanyInfo=Thông Tin Công ty/Tổ chức CompanyIds=Danh tính công ty / tổ chức @@ -1218,10 +1229,10 @@ DoNotSuggestPaymentMode=Không đề nghị NoActiveBankAccountDefined=Không có tài khoản ngân hàng hoạt động được xác định OwnerOfBankAccount=Chủ sở hữu của tài khoản ngân hàng %s BankModuleNotActive=Module tài khoản ngân hàng chưa được mở -ShowBugTrackLink=Show the link "%s" -ShowBugTrackLinkDesc=Keep empty to not display this link, use value 'github' for the link to the Dolibarr project or define directly an url 'https://...' +ShowBugTrackLink=Hiển thị liên kết "%s" +ShowBugTrackLinkDesc=Để trống để không hiển thị liên kết này, sử dụng giá trị 'github' cho liên kết đến dự án Dolibarr hoặc xác định trực tiếp url 'https://...' Alerts=Cảnh báo -DelaysOfToleranceBeforeWarning=Displaying a warning alert for... +DelaysOfToleranceBeforeWarning=Hiển thị cảnh báo cho... DelaysOfToleranceDesc=Đặt độ trễ trước khi biểu tượng cảnh báo %s được hiển thị trên màn hình cho thành phần trễ. Delays_MAIN_DELAY_ACTIONS_TODO=Sự kiện có kế hoạch (sự kiện chương trình nghị sự) chưa hoàn thành Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Dự án không đóng kịp thời @@ -1241,15 +1252,15 @@ Delays_MAIN_DELAY_EXPENSEREPORTS=Báo cáo chi phí để phê duyệt Delays_MAIN_DELAY_HOLIDAYS=Yêu cầu nghỉ phép để phê duyệt SetupDescription1=Trước khi bắt đầu sử dụng Dolibarr, một số tham số ban đầu phải được xác định và các mô-đun được kích hoạt/ định cấu hình. SetupDescription2=Hai phần sau đây là bắt buộc (hai mục đầu tiên trong menu Cài đặt): -SetupDescription3=%s -> %s

      Basic parameters used to customize the default behavior of your application (e.g for country-related features). +SetupDescription3=%s -> %s

      Các tham số cơ bản được sử dụng để tùy chỉnh hành vi mặc định của ứng dụng của bạn (ví dụ: đối với các tính năng liên quan đến quốc gia). SetupDescription4=%s -> %s
      Phần mềm này là một bộ gồm nhiều mô-đun/ứng dụng, tất cả đều ít nhiều độc lập nhau. Các mô-đun liên quan đến nhu cầu của bạn phải được kích hoạt và cấu hình. Các mục/tùy chọn sẽ được thêm vào menu với sự kích hoạt của một mô-đun. SetupDescription5=Các menu thiết lập khác quản lý các tham số tùy chọn. -SetupDescriptionLink=%s - %s -SetupDescription3b=Basic parameters used to customize the default behavior of your application (e.g for country-related features). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s -Audit=Security events +SetupDescriptionLink=%s - %s< /nhịp> +SetupDescription3b=Các tham số cơ bản được sử dụng để tùy chỉnh hành vi mặc định của ứng dụng của bạn (ví dụ: đối với các tính năng liên quan đến quốc gia). +SetupDescription4b=Phần mềm này là một bộ gồm nhiều mô-đun/ứng dụng. Các mô-đun liên quan đến nhu cầu của bạn phải được kích hoạt. Các mục menu sẽ xuất hiện khi kích hoạt các mô-đun này. +AuditedSecurityEvents=Các sự kiện bảo mật được kiểm tra +NoSecurityEventsAreAduited=Không có sự kiện bảo mật nào được kiểm tra. Bạn có thể kích hoạt chúng từ menu %s +Audit=Sự kiện bảo mật InfoDolibarr=Thông tin về Dolibarr InfoBrowser=Thông tin trình duyệt InfoOS=Thông tin về hệ điều hành @@ -1257,26 +1268,26 @@ InfoWebServer=Thông tin về máy chủ web InfoDatabase=Thông tin về cơ sở dữ liệu InfoPHP=Thông tin về PHP InfoPerf=Thông tin về hiệu suất thực hiện -InfoSecurity=About Security +InfoSecurity=Về bảo mật BrowserName=Tên trình duyệt BrowserOS=Trình duyệt hệ điều hành ListOfSecurityEvents=Danh sách các sự kiện bảo mật Dolibarr SecurityEventsPurged=Sự kiện bảo mật được thanh lọc -TrackableSecurityEvents=Trackable security events +TrackableSecurityEvents=Sự kiện bảo mật có thể theo dõi LogEventDesc=Cho phép đăng nhập cho các sự kiện bảo mật cụ thể. Quản trị các nhật ký thông qua menu %s - %s . Cảnh báo, tính năng này có thể tạo ra một lượng lớn dữ liệu trong cơ sở dữ liệu. AreaForAdminOnly=Thông số cài đặt chỉ có thể được đặt bởi người dùng quản trị viên . SystemInfoDesc=Hệ thống thông tin là thông tin kỹ thuật linh tinh bạn nhận được trong chế độ chỉ đọc và có thể nhìn thấy chỉ cho quản trị viên. SystemAreaForAdminOnly=Khu vực này chỉ dành cho người dùng quản trị viên. Quyền người dùng Dolibarr không thể thay đổi hạn chế này. CompanyFundationDesc=Chỉnh sửa thông tin của công ty/tổ chức. Nhấp vào nút "%s" ở cuối trang. -MoreNetworksAvailableWithModule=More social networks may be available by enabling the module "Social networks". +MoreNetworksAvailableWithModule=Có thể có nhiều mạng xã hội hơn bằng cách kích hoạt mô-đun "Mạng xã hội". AccountantDesc=Nếu bạn có một kế toán viên/ kế toán bên ngoài, bạn có thể chỉnh sửa thông tin ở đây. AccountantFileNumber=Mã kế toán -DisplayDesc=Parameters affecting the look and presentation of the application can be modified here. +DisplayDesc=Các thông số ảnh hưởng đến giao diện và cách trình bày của ứng dụng có thể được sửa đổi tại đây. AvailableModules=Ứng dụng/mô-đun có sẵn ToActivateModule=Để kích hoạt mô-đun, đi vào Cài đặt Khu vực (Nhà-> Cài đặt-> Modules). SessionTimeOut=Time out for session SessionExplanation=Con số này đảm bảo rằng phiên làm việc sẽ không bao giờ hết hạn trước độ trễ này, nếu trình dọn dẹp phiên được thực hiện bởi trình dọn dẹp phiên PHP nội bộ (và không có gì khác). Trình dọn dẹp phiên PHP nội bộ không đảm bảo rằng phiên sẽ hết hạn sau thời gian trì hoãn này. Nó sẽ hết hạn, sau sự chậm trễ này và khi trình dọn dẹp phiên chạy, do đó, mọi %s / %s truy cập, nhưng chỉ trong quá trình truy cập được thực hiện bởi các phiên khác (nếu giá trị là 0, thì việc xóa phiên chỉ được thực hiện bởi một quy trình bên ngoài) .
      Lưu ý: trên một số máy chủ có cơ chế làm sạch phiên bên ngoài (cron theo debian, ubfox ...), các phiên có thể bị hủy sau một khoảng thời gian được xác định bởi thiết lập bên ngoài, bất kể giá trị được nhập ở đây là gì. -SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. +SessionsPurgedByExternalSystem=Các phiên trên máy chủ này dường như được làm sạch bằng một cơ chế bên ngoài (cron trong debian, ubuntu ...), có thể là mọi %s giây (= giá trị của tham số session.gc_maxlifetime) , do đó việc thay đổi giá trị ở đây không có tác dụng. Bạn phải yêu cầu quản trị viên máy chủ thay đổi độ trễ phiên. TriggersAvailable=Trigger có sẵn TriggersDesc=Triggers là các tệp sẽ sửa đổi hành vi của quy trình công việc Dolibarr sau khi được sao chép vào thư mục htdocs / core/trigger . Nó nhận ra các hành động mới, được kích hoạt trên các sự kiện của Dolibarr (tạo công ty mới, xác thực hóa đơn, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1286,7 +1297,7 @@ TriggerActiveAsModuleActive=Triggers in this file are active as module %s GeneratedPasswordDesc=Chọn phương thức được sử dụng cho tự động tạo mật khẩu. DictionaryDesc=Chèn vào tất cả giá trị tham khảo. Bạn có thể thêm vào giá trị mặc định ConstDesc=Trang này cho phép bạn chỉnh sửa (ghi đè) các tham số không có sẵn trong các trang khác. Trong đó hầu hết là các tham số dành riêng cho nhà phát triển/nâng cao chỉ để khắc phục sự cố. -MiscellaneousOptions=Miscellaneous options +MiscellaneousOptions=Sự lựa chọn hỗn hợp MiscellaneousDesc=Tất cả các thông số liên quan đến bảo mật khác được xác định ở đây. LimitsSetup=Cài đặt Giới hạn và độ chính xác LimitsDesc=Bạn có thể xác định giới hạn, giới hạn và tối ưu hóa được sử dụng bởi Dolibarr tại đây @@ -1311,7 +1322,7 @@ RestoreDesc2=Khôi phục tệp sao lưu (ví dụ tệp zip) của thư mục " RestoreDesc3=Khôi phục cấu trúc cơ sở dữ liệu và dữ liệu từ tệp kết xuất dự phòng - dump file vào cơ sở dữ liệu của bản cài đặt Dolibarr mới hoặc vào cơ sở dữ liệu của bản cài đặt hiện tại này ( %s ). Cảnh báo, khi quá trình khôi phục hoàn tất, bạn phải sử dụng thông tin đăng nhập / mật khẩu tồn tại từ thời gian sao lưu / cài đặt để kết nối lại.
      Để khôi phục cơ sở dữ liệu sao lưu vào bản cài đặt hiện tại này, bạn có thể làm theo trợ lý này. RestoreMySQL=MySQL nhập dữ liệu ForcedToByAModule=Quy luật này buộc %s bởi một mô-đun được kích hoạt -ValueIsForcedBySystem=This value is forced by the system. You can't change it. +ValueIsForcedBySystem=Giá trị này do hệ thống ép buộc. Bạn không thể thay đổi nó. PreviousDumpFiles=Các tập tin sao lưu hiện có PreviousArchiveFiles=Các tập tin sao lưu hiện có WeekStartOnDay=Ngày đầu tiên trong tuần @@ -1319,14 +1330,14 @@ RunningUpdateProcessMayBeRequired=Quá trình chạy nâng cấp dường như l YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. YourPHPDoesNotHaveSSLSupport=Chức năng SSL không có sẵn trong chương trình PHP DownloadMoreSkins=Nhiều giao diện để tải về -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset -AdvancedNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset -SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset -ShowProfIdInAddress=Show professional ID with addresses -ShowVATIntaInAddress=Hide intra-Community VAT number +SimpleNumRefModelDesc=Trả về số tham chiếu ở định dạng %syymm-nnnn trong đó yy là năm, mm là tháng và nnnn là số tự động tăng tuần tự mà không cần đặt lại +SimpleRefNumRefModelDesc=Trả về số tham chiếu ở định dạng n trong đó n là số tăng tự động tuần tự mà không cần đặt lại +AdvancedNumRefModelDesc=Trả về số tham chiếu ở định dạng %syymm-nnnn trong đó yy là năm, mm là tháng và nnnn là số tự động tăng tuần tự mà không cần đặt lại +SimpleNumRefNoDateModelDesc=Trả về số tham chiếu ở định dạng %s-nnnn trong đó nnnn là số tăng tự động tuần tự mà không cần đặt lại +ShowProfIdInAddress=Hiển thị ID chuyên nghiệp có địa chỉ +ShowVATIntaInAddress=Ẩn mã số VAT trong cộng đồng TranslationUncomplete=Partial translation -MAIN_DISABLE_METEO=Disable weather thumb +MAIN_DISABLE_METEO=Vô hiệu hóa ngón tay cái thời tiết MeteoStdMod=Chế độ tiêu chuẩn MeteoStdModEnabled=Chế độ tiêu chuẩn được kích hoạt MeteoPercentageMod=Chế độ tỷ lệ phần trăm @@ -1340,7 +1351,7 @@ MAIN_PROXY_HOST=Máy chủ proxy: Tên / Địa chỉ MAIN_PROXY_PORT=Máy chủ proxy: Cổng MAIN_PROXY_USER=Máy chủ proxy: Đăng nhập / Người dùng MAIN_PROXY_PASS=Máy chủ proxy: Mật khẩu -DefineHereComplementaryAttributes=Define any additional / custom attributes that must be added to: %s +DefineHereComplementaryAttributes=Xác định bất kỳ thuộc tính bổ sung/tùy chỉnh nào phải được thêm vào: %s ExtraFields=Thuộc tính bổ sung ExtraFieldsLines=Thuộc tính bổ sung (dòng) ExtraFieldsLinesRec=Thuộc tính bổ sung (dòng hóa đơn mẫu) @@ -1375,10 +1386,10 @@ WarningAtLeastKeyOrTranslationRequired=Một tiêu chí tìm kiếm được yê NewTranslationStringToShow=Chuỗi dịch mới để hiển thị OriginalValueWas=Bản dịch gốc được ghi đè. Giá trị ban đầu là:

      %s TransKeyWithoutOriginalValue=Bạn đã ép buộc một bản dịch mới cho từ khóa dịch ' %s ' không tồn tại trong bất kỳ tệp ngôn ngữ nào -TitleNumberOfActivatedModules=Activated modules -TotalNumberOfActivatedModules=Activated modules: %s / %s +TitleNumberOfActivatedModules=Các mô-đun được kích hoạt +TotalNumberOfActivatedModules=Các mô-đun đã kích hoạt: %s / %s YouMustEnableOneModule=Bạn phải có ít nhất 1 mô-đun cho phép -YouMustEnableTranslationOverwriteBefore=You must first enable translation overwriting to be allowed to replace a translation +YouMustEnableTranslationOverwriteBefore=Trước tiên bạn phải kích hoạt tính năng ghi đè bản dịch để được phép thay thế bản dịch ClassNotFoundIntoPathWarning=Không tìm thấy lớp %s trong đường dẫn PHP YesInSummer=Yes in summer OnlyFollowingModulesAreOpenedToExternalUsers=Lưu ý, chỉ các mô-đun sau mới khả dụng cho người dùng bên ngoài (không phân biệt quyền của những người dùng đó) và chỉ khi quyền được cấp:
      @@ -1387,28 +1398,28 @@ ConditionIsCurrently=Điều kiện là hiện tại %s YouUseBestDriver=Bạn sử dụng trình điều khiển %s, trình điều khiển tốt nhất hiện có. YouDoNotUseBestDriver=Bạn sử dụng trình điều khiển %s nhưng trình điều khiển %s được khuyến nghị. NbOfObjectIsLowerThanNoPb=Bạn chỉ có %s %s trong cơ sở dữ liệu. Điều này không yêu cầu bất kỳ tối ưu hóa cụ thể. -ComboListOptim=Combo list loading optimization +ComboListOptim=Tối ưu hóa tải danh sách kết hợp SearchOptim=Tối ưu hóa tìm kiếm -YouHaveXObjectUseComboOptim=You have %s %s in the database. You can go into setup of module to enable loading of combo list on key pressed event. -YouHaveXObjectUseSearchOptim=You have %s %s in the database. You can add the constant %s to 1 in Home-Setup-Other. -YouHaveXObjectUseSearchOptimDesc=This limits the search to the beginning of strings which makes it possible for the database to use indexes and you should get an immediate response. -YouHaveXObjectAndSearchOptimOn=You have %s %s in the database and constant %s is set to %s in Home-Setup-Other. +YouHaveXObjectUseComboOptim=Bạn có %s %s trong cơ sở dữ liệu. Bạn có thể vào thiết lập mô-đun để cho phép tải danh sách kết hợp khi nhấn phím. +YouHaveXObjectUseSearchOptim=Bạn có %s %s trong cơ sở dữ liệu. Bạn có thể thêm hằng số %s vào 1 trong Home-Setup-Other. +YouHaveXObjectUseSearchOptimDesc=Điều này giới hạn việc tìm kiếm ở đầu chuỗi, giúp cơ sở dữ liệu có thể sử dụng các chỉ mục và bạn sẽ nhận được phản hồi ngay lập tức. +YouHaveXObjectAndSearchOptimOn=Bạn có %s %s trong cơ sở dữ liệu và hằng số %s được đặt thành %s trong Home-Setup-Other. BrowserIsOK=Bạn đang sử dụng trình duyệt web %s. Trình duyệt này là ổn cho bảo mật và hiệu suất. BrowserIsKO=Bạn đang sử dụng trình duyệt web %s. Trình duyệt này được biết đến là một lựa chọn xấu cho bảo mật, hiệu suất và độ tin cậy. Chúng tôi khuyên bạn nên sử dụng Firefox, Chrome, Opera hoặc Safari. PHPModuleLoaded=Thành phần PHP %s được tải PreloadOPCode=Tải sẵn OPCode được sử dụng -AddRefInList=Display Customer/Vendor ref. into combo lists.
      Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". -AddVatInList=Display Customer/Vendor VAT number into combo lists. -AddAdressInList=Display Customer/Vendor adress into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
      Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". +AddRefInList=Hiển thị khách hàng/nhà cung cấp ref. vào danh sách kết hợp.
      Bên thứ ba sẽ xuất hiện với định dạng tên là "CC12345 - SC45678 - The Big Company corp." thay vì "The Big Company corp". +AddVatInList=Hiển thị số VAT của Khách hàng/Nhà cung cấp vào danh sách kết hợp. +AddAdressInList=Hiển thị địa chỉ Khách hàng/Nhà cung cấp thành danh sách kết hợp.
      Bên thứ ba sẽ xuất hiện với định dạng tên là "The Big Company corp. - 21 jump street 123456 Big town - USA" thay vì " Tập đoàn Big Company". +AddEmailPhoneTownInContactList=Hiển thị Email liên hệ (hoặc số điện thoại nếu chưa được xác định) và danh sách thông tin thị trấn (danh sách chọn hoặc hộp tổ hợp)
      Các liên hệ sẽ xuất hiện với định dạng tên là "Dupond Durand - dupond.durand@example .com - Paris" hoặc "Dupond Durand - 06 07 59 65 66 - Paris" thay vì "Dupond Durand". AskForPreferredShippingMethod=Yêu cầu phương thức vận chuyển ưa thích cho bên thứ ba. FieldEdition=Biên soạn của trường %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Nhận mã vạch NumberingModules=Kiểu thiết lập số -DocumentModules=Document models +DocumentModules=Mô hình tài liệu ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters. +PasswordGenerationStandard=Trả về mật khẩu được tạo theo thuật toán Dolibarr nội bộ: %s ký tự chứa số và ký tự dùng chung. PasswordGenerationNone=Không có gợi ý tạo mật khẩu. Mật khẩu phải được nhập bằng tay. PasswordGenerationPerso=Trả lại mật khẩu theo định nghĩa cấu hình cá nhân của bạn. SetupPerso=Theo cấu hình của bạn @@ -1418,7 +1429,9 @@ RuleForGeneratedPasswords=Quy tắc tạo và xác thực mật khẩu DisableForgetPasswordLinkOnLogonPage=Không hiển thị liên kết "Quên mật khẩu" trên trang Đăng nhập UsersSetup=Thiết lập module người dùng UserMailRequired=Yêu cầu email để tạo người dùng mới -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) +UserHideInactive=Ẩn người dùng không hoạt động khỏi tất cả danh sách kết hợp người dùng (Không khuyến nghị: điều này có thể có nghĩa là bạn sẽ không thể lọc hoặc tìm kiếm người dùng cũ trên một số trang) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=Mẫu tài liệu cho tài liệu được tạo từ hồ sơ người dùng GroupsDocModules=Mẫu tài liệu cho các tài liệu được tạo từ một bản ghi nhóm ##### HRM setup ##### @@ -1430,7 +1443,7 @@ AccountCodeManager=Tùy chọn để tự động tạo mã kế toán khách h NotificationsDesc=Thông báo email có thể được gửi tự động cho một số sự kiện Dolibarr.
      Người nhận thông báo có thể được xác định: NotificationsDescUser=* theo người dùng, một người dùng tại một thời điểm. NotificationsDescContact=* theo liên lạc của bên thứ ba (khách hàng hoặc nhà cung cấp), một liên lạc tại một thời điểm. -NotificationsDescGlobal=* or by setting global email addresses in the setup page of the module. +NotificationsDescGlobal=* hoặc bằng cách đặt địa chỉ email chung trong trang thiết lập của mô-đun. ModelModules=Mẫu tài liệu DocumentModelOdt=Tạo tài liệu từ các mẫu OpenDocument (các tệp .ODT / .ODS từ LibreOffice, OpenOffice, KOffice, TextEdit, ...) WatermarkOnDraft=Watermark vào dự thảo văn bản @@ -1460,12 +1473,12 @@ WatermarkOnDraftInvoices=Watermark on draft invoices (none if empty) PaymentsNumberingModule=Mô hình đánh số thanh toán SuppliersPayment=Thanh toán của nhà cung cấp SupplierPaymentSetup=Thiết lập thanh toán của nhà cung cấp -InvoiceCheckPosteriorDate=Check facture date before validation -InvoiceCheckPosteriorDateHelp=Validating an invoice will be forbidden if its date is anterior to the date of last invoice of same type. -InvoiceOptionCategoryOfOperations=Display the mention "category of operations" on the invoice. -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
      - Category of operations: Delivery of goods
      - Category of operations: Provision of services
      - Category of operations: Mixed - Delivery of goods & provision of services -InvoiceOptionCategoryOfOperationsYes1=Yes, below the address block -InvoiceOptionCategoryOfOperationsYes2=Yes, in the lower left-hand corner +InvoiceCheckPosteriorDate=Kiểm tra ngày thực tế trước khi xác nhận +InvoiceCheckPosteriorDateHelp=Việc xác thực hóa đơn sẽ bị cấm nếu ngày của hóa đơn trước ngày hóa đơn cuối cùng cùng loại. +InvoiceOptionCategoryOfOperations=Hiển thị “loại hoạt động” đề cập trên hóa đơn. +InvoiceOptionCategoryOfOperationsHelp=Tùy theo tình huống, nội dung đề cập sẽ xuất hiện dưới dạng:
      - Danh mục hoạt động: Giao hàng
      - Danh mục hoạt động hoạt động: Cung cấp dịch vụ
      - Loại hình hoạt động: Hỗn hợp - Giao hàng & cung cấp dịch vụ +InvoiceOptionCategoryOfOperationsYes1=Có, bên dưới khối địa chỉ +InvoiceOptionCategoryOfOperationsYes2=Có, ở góc dưới bên trái ##### Proposals ##### PropalSetup=Cài đặt module đơn hàng đề xuất ProposalsNumberingModules=Mô hình đánh số đơn hàng đề xuất @@ -1485,7 +1498,7 @@ WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Hỏi nguồn kho để đặt hàng ##### Suppliers Orders ##### BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Hỏi tài khoản ngân hàng đích của đơn đặt hàng mua ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sales order by default if not defined on the order +SuggestedPaymentModesIfNotDefinedInOrder=Chế độ thanh toán được đề xuất theo đơn đặt hàng theo mặc định nếu không được xác định trên đơn hàng OrdersSetup=Thiết lập quản lý đơn đặt hàng OrdersNumberingModules=Mô hình đánh số đơn hàng OrdersModelModule=Mô hình chứng từ đơn hàng @@ -1508,15 +1521,15 @@ WatermarkOnDraftContractCards=Watermark on dự thảo hợp đồng (none if em ##### Members ##### MembersSetup=Cài đặt module thành viên MemberMainOptions=Lựa chọn chính -MemberCodeChecker=Options for automatic generation of member codes -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +MemberCodeChecker=Tùy chọn tạo mã thành viên tự động +AdherentLoginRequired=Quản lý thông tin đăng nhập/mật khẩu cho từng thành viên +AdherentLoginRequiredDesc=Thêm giá trị cho thông tin đăng nhập và mật khẩu vào tệp thành viên. Nếu thành viên được liên kết với một người dùng, việc cập nhật thông tin đăng nhập và mật khẩu của thành viên cũng sẽ cập nhật thông tin đăng nhập và mật khẩu của người dùng. AdherentMailRequired=Yêu cầu email để tạo thành viên mới MemberSendInformationByMailByDefault=Hộp kiểm để gửi thư xác nhận cho các thành viên (xác nhận hoặc đăng ký mới) là theo mặc định -MemberCreateAnExternalUserForSubscriptionValidated=Create an external user login for each new member subscription validated -VisitorCanChooseItsPaymentMode=Visitor can choose from any available payment modes +MemberCreateAnExternalUserForSubscriptionValidated=Tạo thông tin đăng nhập người dùng bên ngoài cho mỗi đăng ký thành viên mới được xác thực +VisitorCanChooseItsPaymentMode=Khách truy cập có thể chọn từ bất kỳ chế độ thanh toán nào có sẵn MEMBER_REMINDER_EMAIL=Cho phép nhắc nhở tự động qua email của các thuê bao đã hết hạn. Lưu ý: Mô-đun %s phải được bật và thiết lập chính xác để gửi lời nhắc. -MembersDocModules=Document templates for documents generated from member record +MembersDocModules=Mẫu tài liệu cho các tài liệu được tạo từ hồ sơ thành viên ##### LDAP setup ##### LDAPSetup=Thiết lập LDAP LDAPGlobalParameters=Các thông số toàn cầu @@ -1538,10 +1551,10 @@ LDAPSynchronizeMembersTypes=Tổ chức các loại thành viên của tổ ch LDAPPrimaryServer=Máy chủ chính LDAPSecondaryServer=Máy chủ thứ cấp LDAPServerPort=Cổng máy chủ -LDAPServerPortExample=Standard or StartTLS: 389, LDAPs: 636 +LDAPServerPortExample=Tiêu chuẩn hoặc StartTLS: 389, LDAP: 636 LDAPServerProtocolVersion=Phiên bản giao thức LDAPServerUseTLS=Use TLS -LDAPServerUseTLSExample=Your LDAP server use StartTLS +LDAPServerUseTLSExample=Máy chủ LDAP của bạn sử dụng StartTLS LDAPServerDn=Server DN LDAPAdminDn=Administrator DN LDAPAdminDnExample=Toàn bộ DN (ví dụ: cn = admin, dc = example, dc = com hoặc cn = Administrator, cn = Users, dc = example, dc = com cho thư mục hoạt động) @@ -1598,7 +1611,7 @@ LDAPFieldLoginUnix=Login (unix) LDAPFieldLoginExample=Ví dụ: uid LDAPFilterConnection=Bộ lọc tìm kiếm LDAPFilterConnectionExample=Ví dụ: &(objectClass = inetOrgPerson) -LDAPGroupFilterExample=Example: &(objectClass=groupOfUsers) +LDAPGroupFilterExample=Ví dụ: &(objectClass=groupOfUsers) LDAPFieldLoginSamba=Login (samba, activedirectory) LDAPFieldLoginSambaExample=Ví dụ: samaccountname LDAPFieldFullname=Họ và tên @@ -1643,11 +1656,11 @@ LDAPFieldEndLastSubscription=Ngày đăng ký cuối cùng LDAPFieldTitle=Vị trí công việc LDAPFieldTitleExample=Ví dụ: tiêu đề LDAPFieldGroupid=Id nhóm -LDAPFieldGroupidExample=Example : gidnumber +LDAPFieldGroupidExample=Ví dụ: gidnumber LDAPFieldUserid=ID Người dùng -LDAPFieldUseridExample=Example : uidnumber +LDAPFieldUseridExample=Ví dụ: số uid LDAPFieldHomedirectory=Thư mục nhà -LDAPFieldHomedirectoryExample=Ví dụ: homedirectory +LDAPFieldHomedirectoryExample=Ví dụ: thư mục chính LDAPFieldHomedirectoryprefix=Tiền tố thư mục nhà LDAPSetupNotComplete=LDAP setup not complete (go on others tabs) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=No administrator or password provided. LDAP access will be anonymous and in read only mode. @@ -1660,16 +1673,16 @@ LDAPDescValues=Example values are designed for OpenLDAP with following lo ForANonAnonymousAccess=For an authenticated access (for a write access for example) PerfDolibarr=Báo cáo cài đặt trình diễn/ tối ưu hóa YouMayFindPerfAdviceHere=Trang này cung cấp một số kiểm tra hoặc lời khuyên liên quan đến hiệu suất. -NotInstalled=Not installed. -NotSlowedDownByThis=Not slowed down by this. -NotRiskOfLeakWithThis=Not risk of leak with this. +NotInstalled=Chưa cài đặt. +NotSlowedDownByThis=Không bị chậm lại bởi điều này. +NotRiskOfLeakWithThis=Không có nguy cơ rò rỉ với điều này. ApplicativeCache=Applicative cache MemcachedNotAvailable=No applicative cache found. You can enhance performance by installing a cache server Memcached and a module able to use this cache server.
      More information here http://wiki.dolibarr.org/index.php/Module_MemCached_EN.
      Note that a lot of web hosting provider does not provide such cache server. MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete. MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled. OPCodeCache=OPCode cache NoOPCodeCacheFound=Không tìm thấy bộ đệm OPCode. Có thể bạn đang sử dụng bộ đệm OPCode khác với XCache hoặc eAccelerator (tốt) hoặc có thể bạn không có bộ đệm OPCode (rất tệ). -HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript) +HTTPCacheStaticResources=Bộ đệm HTTP cho tài nguyên tĩnh (css, img, JavaScript) FilesOfTypeCached=Files of type %s are cached by HTTP server FilesOfTypeNotCached=Files of type %s are not cached by HTTP server FilesOfTypeCompressed=Files of type %s are compressed by HTTP server @@ -1691,13 +1704,13 @@ ProductSetup=Cài đặt module sản phẩm ServiceSetup=Cài đặt module dịch vụ ProductServiceSetup=Cài đặt module Sản phẩm và Dịch vụ NumberOfProductShowInSelect=Số lượng sản phẩm tối đa được hiển thị trong danh sách chọn kết hợp (0 = không giới hạn) -ViewProductDescInFormAbility=Display product descriptions in lines of items (otherwise show description in a tooltip popup) -OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document -AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product -DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. -DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents +ViewProductDescInFormAbility=Hiển thị mô tả sản phẩm theo dòng mục (nếu không hiển thị mô tả trong cửa sổ bật lên chú giải công cụ) +OnProductSelectAddProductDesc=Cách sử dụng mô tả sản phẩm khi thêm sản phẩm làm dòng tài liệu +AutoFillFormFieldBeforeSubmit=Tự động điền mô tả sản phẩm vào trường nhập mô tả +DoNotAutofillButAutoConcat=Không tự động điền mô tả sản phẩm vào trường nhập. Mô tả sản phẩm sẽ được tự động nối với mô tả đã nhập. +DoNotUseDescriptionOfProdut=Mô tả sản phẩm sẽ không bao giờ được đưa vào phần mô tả của các dòng tài liệu MergePropalProductCard=Kích hoạt trong sản phẩm/dịch vụ Tệp tệp đính kèm một tùy chọn để hợp nhất tài liệu PDF của sản phẩm với đề xuất PDF azur nếu sản phẩm/dịch vụ nằm trong đề xuất -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) +ViewProductDescInThirdpartyLanguageAbility=Hiển thị mô tả sản phẩm dưới dạng biểu mẫu bằng ngôn ngữ của bên thứ ba (nếu không thì bằng ngôn ngữ của người dùng) UseSearchToSelectProductTooltip=Ngoài ra, nếu bạn có số lượng lớn sản phẩm (> 100 000), bạn có thể tăng tốc độ bằng cách đặt hằng số PRODUCT_DONOTSEARCH_ANYWHERE thành 1 trong Cài đặt-> Khác. Tìm kiếm sau đó sẽ được giới hạn để bắt đầu chuỗi tìm kiếm. UseSearchToSelectProduct=Đợi cho đến khi bạn nhấn một phím trước khi tải nội dung của danh sách kết hợp sản phẩm - combo list (Điều này có thể tăng hiệu suất nếu bạn có số lượng lớn sản phẩm, nhưng nó không thuận tiện) SetDefaultBarcodeTypeProducts=Loại mã vạch mặc định để sử dụng cho các sản phẩm @@ -1714,9 +1727,9 @@ SyslogLevel=Mức SyslogFilename=Tên tập tin và đường dẫn YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant -OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported +OnlyWindowsLOG_USER=Trên Windows, chỉ hỗ trợ tiện ích LOG_USER CompressSyslogs=Nén và sao lưu các tệp nhật ký gỡ lỗi (được tạo bởi mô-đun Nhật ký để gỡ lỗi) -SyslogFileNumberOfSaves=Number of backup logs to keep +SyslogFileNumberOfSaves=Số lượng nhật ký sao lưu cần lưu giữ ConfigureCleaningCronjobToSetFrequencyOfSaves=Cấu hình công việc làm sạch theo lịch trình để đặt tần suất sao lưu nhật ký ##### Donations ##### DonationsSetup=Cài đặt module Tài trợ @@ -1755,9 +1768,9 @@ MailingDelay=Số giây để chờ đợi sau khi gửi tin nhắn tiếp theo NotificationSetup=Thiết lập mô-đun thông báo email NotificationEMailFrom=Email người gửi (Từ) cho các email được gửi bởi mô-đun Thông báo FixedEmailTarget=Người nhận -NotificationDisableConfirmMessageContact=Hide the list of recipients (subscribed as contact) of notifications into the confirmation message -NotificationDisableConfirmMessageUser=Hide the list of recipients (subscribed as user) of notifications into the confirmation message -NotificationDisableConfirmMessageFix=Hide the list of recipients (subscribed as global email) of notifications into the confirmation message +NotificationDisableConfirmMessageContact=Ẩn danh sách người nhận (đăng ký là liên hệ) thông báo vào tin nhắn xác nhận +NotificationDisableConfirmMessageUser=Ẩn danh sách người nhận (đăng ký với tư cách người dùng) thông báo vào tin nhắn xác nhận +NotificationDisableConfirmMessageFix=Ẩn danh sách người nhận (đăng ký dưới dạng email chung) thông báo vào tin nhắn xác nhận ##### Sendings ##### SendingsSetup=Thiết lập mô-đun vận chuyển SendingsReceiptModel=Mô hình biên nhận Gửi @@ -1773,36 +1786,36 @@ FreeLegalTextOnDeliveryReceipts=Free text trên phiếu giao nhận ##### FCKeditor ##### AdvancedEditor=Trình soạn thảo nâng cao ActivateFCKeditor=Kích hoạt trình soạn thảo nâng cao cho: -FCKeditorForNotePublic=WYSIWIG creation/edition of the field "public notes" of elements -FCKeditorForNotePrivate=WYSIWIG creation/edition of the field "private notes" of elements -FCKeditorForCompany=WYSIWIG creation/edition of the field description of elements (except products/services) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= WYSIWIG creation/edition for mass eMailings (Công cụ->eMailing) -FCKeditorForUserSignature=WYSIWIG tạo / sửa chữ ký người sử dụng -FCKeditorForMail=WYSIWIG tạo/soạn thảo cho tất cả thư (ngoại trừ Công cụ-> Gửi thư điện tử) -FCKeditorForTicket=WYSIWIG Tạo/soạn thảo cho vé +FCKeditorForNotePublic=Tạo/ấn bản WYSIWYG của trường "ghi chú công khai" của các phần tử +FCKeditorForNotePrivate=Tạo/ấn bản WYSIWYG của trường "ghi chú riêng" của các phần tử +FCKeditorForCompany=Tạo/ấn bản WYSIWYG mô tả trường của các thành phần (ngoại trừ sản phẩm/dịch vụ) +FCKeditorForProductDetails=Tạo/chỉnh sửa WYSIWYG mô tả sản phẩm hoặc dòng cho các đối tượng (dòng đề xuất, đơn đặt hàng, hóa đơn, v.v.). +FCKeditorForProductDetails2=Cảnh báo: Thực sự không nên sử dụng tùy chọn này cho trường hợp này vì nó có thể gây ra sự cố với các ký tự đặc biệt và định dạng trang khi xây dựng tệp PDF. +FCKeditorForMailing= Tạo/phiên bản WYSIWYG cho gửi email hàng loạt (Công cụ->gửi email) +FCKeditorForUserSignature=Tạo/chỉnh sửa chữ ký người dùng WYSIWYG +FCKeditorForMail=Tạo/phiên bản WYSIWYG cho tất cả thư (ngoại trừ Công cụ->gửi email) +FCKeditorForTicket=Tạo/phiên bản WYSIWYG cho vé ##### Stock ##### StockSetup=Thiết lập mô-đun tồn kho IfYouUsePointOfSaleCheckModule=Nếu bạn sử dụng mô-đun Điểm bán hàng (POS) được cung cấp theo mặc định hoặc mô-đun bên ngoài, thiết lập này có thể bị bỏ qua bởi mô-đun POS của bạn. Hầu hết các mô-đun POS được thiết kế theo mặc định để tạo hóa đơn ngay lập tức và giảm tồn kho bất kể các tùy chọn ở đây. Vì vậy, nếu bạn cần hoặc không giảm tồn kho khi đăng ký bán hàng từ POS của mình, hãy kiểm tra thiết lập mô-đun POS của bạn. ##### Menu ##### MenuDeleted=Menu bị xóa -Menu=Menu +Menu=Thực đơn Menus=Menu TreeMenuPersonalized=Menu cá nhân hóa NotTopTreeMenuPersonalized=Các menu được cá nhân hóa không được liên kết với một mục menu trên cùng NewMenu=Menu mới MenuHandler=Xử lý menu MenuModule=Module nguồn -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) +HideUnauthorizedMenu=Ẩn các menu trái phép đối với người dùng nội bộ (chỉ có màu xám) DetailId=ID menu DetailMenuHandler=Xử lý menu nơi hiển thị menu mới DetailMenuModule=Tên module nếu menu vào đến từ một module DetailType=Loại menu (trên hoặc bên trái) DetailTitre=Nhãn Menu hoặc mã nhãn để dịch -DetailUrl=URL where menu send you (Relative URL link or external link with https://) +DetailUrl=URL nơi menu gửi cho bạn (Liên kết URL tương đối hoặc liên kết bên ngoài với https://) DetailEnabled=Điều kiện để hiển thị hoặc không nhập -DetailRight=Điều kiện để hiển thị menu không được phép màu xám +DetailRight=Điều kiện hiển thị menu màu xám trái phép DetailLangs=Tên file lang cho việc dịch mã nhãn DetailUser=Trong/ Ngoài/ Tất cả Target=Target @@ -1834,31 +1847,31 @@ YourCompanyDoesNotUseVAT=Công ty của bạn đã được xác định không AccountancyCode=Mã kế toán AccountancyCodeSell=Mã kế toán bán hàng AccountancyCodeBuy=Mã kế toán mua hàng -CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Keep the checkbox “Automatically create the payment” empty by default when creating a new tax +CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Giữ trống hộp kiểm “Tự động tạo thanh toán” theo mặc định khi tạo thuế mới ##### Agenda ##### AgendaSetup = Cài đặt module sự kiện và chương trình nghị sự AGENDA_DEFAULT_FILTER_TYPE = Tự động đặt loại sự kiện này trong bộ lọc tìm kiếm của chế độ xem chương trình nghị sự AGENDA_DEFAULT_FILTER_STATUS = Tự động đặt trạng thái này cho các sự kiện trong bộ lọc tìm kiếm của chế độ xem chương trình nghị sự -AGENDA_DEFAULT_VIEW = Which view do you want to open by default when selecting menu Agenda -AGENDA_EVENT_PAST_COLOR = Past event color -AGENDA_EVENT_CURRENT_COLOR = Current event color -AGENDA_EVENT_FUTURE_COLOR = Future event color -AGENDA_REMINDER_BROWSER = Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). +AGENDA_DEFAULT_VIEW = Bạn muốn mở chế độ xem nào theo mặc định khi chọn menu Chương trình làm việc +AGENDA_EVENT_PAST_COLOR = Màu sự kiện trong quá khứ +AGENDA_EVENT_CURRENT_COLOR = Màu sự kiện hiện tại +AGENDA_EVENT_FUTURE_COLOR = Màu sự kiện trong tương lai +AGENDA_REMINDER_BROWSER = Bật lời nhắc sự kiện trên trình duyệt của người dùng (Khi đến ngày nhắc, trình duyệt sẽ hiển thị một cửa sổ bật lên. Mỗi người dùng có thể tắt các thông báo như vậy khỏi thiết lập thông báo trình duyệt của nó). AGENDA_REMINDER_BROWSER_SOUND = Bật thông báo âm thanh -AGENDA_REMINDER_EMAIL = Enable event reminder by emails (remind option/delay can be defined on each event). -AGENDA_REMINDER_EMAIL_NOTE = Note: The frequency of the scheduled job %s must be enough to be sure that the remind are sent at the correct moment. +AGENDA_REMINDER_EMAIL = Bật lời nhắc sự kiện qua email (có thể xác định tùy chọn nhắc nhở/độ trễ cho mỗi sự kiện). +AGENDA_REMINDER_EMAIL_NOTE = Lưu ý: Tần suất của công việc đã lên lịch %s phải đủ để đảm bảo rằng lời nhắc được gửi vào đúng thời điểm. AGENDA_SHOW_LINKED_OBJECT = Hiển thị đối tượng được liên kết vào chế độ xem chương trình nghị sự AGENDA_USE_EVENT_TYPE = Sử dụng các loại sự kiện (được quản lý trong menu Cài đặt -> Từ điển -> Loại sự kiện chương trình nghị sự) AGENDA_USE_EVENT_TYPE_DEFAULT = Tự động đặt giá trị mặc định này cho loại sự kiện trong biểu mẫu tạo sự kiện PasswordTogetVCalExport = Khóa được phép xuất liên kết PastDelayVCalExport=Không xuất dữ liệu sự kiện cũ hơn -SecurityKey = Security Key +SecurityKey = Chìa khóa bảo mật ##### ClickToDial ##### ClickToDialSetup=Click To Dial module setup -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). -ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. +ClickToDialUrlDesc=URL được gọi khi nhấp chuột vào hình ảnh điện thoại được thực hiện. Trong URL, bạn có thể sử dụng các thẻ
      __PHONETO__ sẽ được thay thế bằng số điện thoại của người cần gọi
      __PHONEFROM__ đó sẽ được thay thế bằng số điện thoại của người gọi (của bạn)
      __LOGIN__ sẽ được thay thế bằng thông tin đăng nhập clicktodial (được xác định trên thẻ người dùng)
      __PASS__ sẽ được thay thế bằng mật khẩu clicktodial (được xác định trên thẻ người dùng). +ClickToDialDesc=Mô-đun này thay đổi số điện thoại khi sử dụng máy tính để bàn thành các liên kết có thể nhấp được. Một cú nhấp chuột sẽ gọi đến số đó. Điều này có thể được sử dụng để bắt đầu cuộc gọi điện thoại khi sử dụng điện thoại mềm trên máy tính để bàn của bạn hoặc khi sử dụng hệ thống CTI dựa trên giao thức SIP chẳng hạn. Lưu ý: Khi sử dụng điện thoại thông minh, số điện thoại luôn có thể bấm được. ClickToDialUseTelLink=Chỉ sử dụng một liên kết "tel:" trên các số điện thoại -ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface, installed on the same computer as the browser, and called when you click on a link starting with "tel:" in your browser. If you need a link that start with "sip:" or a full server solution (no need of local software installation), you must set this to "No" and fill the next field. +ClickToDialUseTelLinkDesc=Sử dụng phương pháp này nếu người dùng của bạn có điện thoại mềm hoặc giao diện phần mềm, được cài đặt trên cùng một máy tính với trình duyệt và được gọi khi bạn nhấp vào liên kết bắt đầu bằng "tel:" trong trình duyệt của bạn. Nếu bạn cần một liên kết bắt đầu bằng "sip:" hoặc một giải pháp máy chủ đầy đủ (không cần cài đặt phần mềm cục bộ), bạn phải đặt liên kết này thành "Không" và điền vào trường tiếp theo. ##### Point Of Sale (CashDesk) ##### CashDesk=Điểm bán hàng CashDeskSetup=Thiết lập mô-đun Điểm bán hàng @@ -1867,14 +1880,15 @@ CashDeskBankAccountForSell=Tài khoản mặc định để sử dụng để nh CashDeskBankAccountForCheque=Tài khoản mặc định được sử dụng để nhận thanh toán bằng séc CashDeskBankAccountForCB=Tài khoản mặc định để sử dụng để nhận thanh toán bằng thẻ tín dụng CashDeskBankAccountForSumup=Tài khoản ngân hàng mặc định được sử dụng để nhận thanh toán của SumUp -CashDeskDoNotDecreaseStock=Vô hiệu hóa giảm tồn kho khi việc bán hàng được thực hiện từ Điểm bán hàng (nếu "không", việc giảm tồn kho được thực hiện cho mỗi lần bán được thực hiện từ POS, bất kể tùy chọn được đặt trong mô-đun Tồn kho). +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=Buộc và hạn chế kho hàng để sử dụng cho giảm tồn kho StockDecreaseForPointOfSaleDisabled=Giảm tồn kho từ Điểm bán hàng bị vô hiệu hóa StockDecreaseForPointOfSaleDisabledbyBatch=Giảm tồn kho trong POS không tương thích với mô-đun Quản lý Sê-ri/lô (hiện đang hoạt động) nên việc giảm tồn kho bị vô hiệu hóa. CashDeskYouDidNotDisableStockDecease=Bạn đã không vô hiệu hóa giảm tồn kho khi thực hiện bán hàng từ Điểm bán hàng. Do đó có một kho được yêu cầu. CashDeskForceDecreaseStockLabel=Giảm tồn kho cho các lô sản phẩm đã bị buộc. -CashDeskForceDecreaseStockDesc=Decrease first by the oldest eatby and sellby dates. -CashDeskReaderKeyCodeForEnter=Key ASCII code for "Enter" defined in barcode reader (Example: 13) +CashDeskForceDecreaseStockDesc=Giảm đầu tiên theo ngày ăn và ngày bán lâu nhất. +CashDeskReaderKeyCodeForEnter=Mã ASCII chính cho "Enter" được xác định trong đầu đọc mã vạch (Ví dụ: 13) ##### Bookmark ##### BookmarkSetup=Cài đặt module Bookmark BookmarkDesc=Mô-đun này cho phép bạn quản lý dấu trang. Bạn cũng có thể thêm lối tắt vào bất kỳ trang Dolibarr hoặc các trang web bên ngoài trên menu bên trái của bạn. @@ -1912,7 +1926,7 @@ SuppliersInvoiceNumberingModel=Mô hình đánh số hóa đơn nhà cung cấp IfSetToYesDontForgetPermission=Nếu được đặt thành giá trị không null, đừng quên cung cấp quyền cho các nhóm hoặc người dùng được phép phê duyệt lần thứ hai ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=Cài đặt module GeoIP MaxMind -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation +PathToGeoIPMaxmindCountryDataFile=Đường dẫn tới file chứa ip Maxmind dịch sang quốc gia NoteOnPathLocation=Note that your ip to country data file must be inside a directory your PHP can read (Check your PHP open_basedir setup and filesystem permissions). YouCanDownloadFreeDatFileTo=You can download a free demo version of the Maxmind GeoIP country file at %s. YouCanDownloadAdvancedDatFileTo=You can also download a more complete version, with updates, of the Maxmind GeoIP country file at %s. @@ -1952,7 +1966,7 @@ ExpenseReportsRulesSetup=Thiết lập mô đun Báo cáo chi phí - Quy tắc ExpenseReportNumberingModules=Mô đun đánh số báo cáo chi phí NoModueToManageStockIncrease=Không có module có thể quản lý tăng tồn kho được kích hoạt. Tăng tồn kho sẽ chỉ được thực hiện thủ công. YouMayFindNotificationsFeaturesIntoModuleNotification=Bạn có thể tìm thấy các tùy chọn cho thông báo qua email bằng cách bật và định cấu hình mô-đun "Thông báo". -TemplatesForNotifications=Templates for notifications +TemplatesForNotifications=Các mẫu thông báo ListOfNotificationsPerUser=Danh sách thông báo tự động cho mỗi người dùng * ListOfNotificationsPerUserOrContact=Danh sách các thông báo tự động có thể có (về sự kiện kinh doanh) có sẵn cho mỗi người dùng * hoặc mỗi liên lạc ** ListOfFixedNotifications=Danh sách thông báo cố định tự động @@ -1963,41 +1977,42 @@ BackupDumpWizard=Hướng dẫn cách dump file dữ liệu BackupZipWizard=Hướng dẫn tạo lưu trữ của thư mục hồ sơ SomethingMakeInstallFromWebNotPossible=Cài đặt module bên ngoài là không thể từ giao diện web với các lý do sau: SomethingMakeInstallFromWebNotPossible2=Vì lý do này, quá trình nâng cấp được mô tả ở đây là quy trình thủ công chỉ người dùng đặc quyền mới có thể thực hiện. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. +InstallModuleFromWebHasBeenDisabledContactUs=Việc cài đặt hoặc phát triển các mô-đun bên ngoài hoặc trang web động từ ứng dụng hiện bị khóa vì mục đích bảo mật. Vui lòng liên hệ với chúng tôi nếu bạn cần kích hoạt tính năng này. InstallModuleFromWebHasBeenDisabledByFile=Cài đặt các module bên ngoài từ các ứng dụng đã bị vô hiệu bởi quản trị viên của bạn. Bạn phải yêu cầu ông phải loại bỏ các tập tin %s để cho phép tính năng này. ConfFileMustContainCustom=Cài đặt hoặc xây dựng một mô-đun bên ngoài từ ứng dụng cần lưu các tệp mô-đun vào thư mục %s. Để thư mục này được Dolibarr xử lý, bạn phải thiết lập conf/conf.php của mình để thêm 2 dòng lệnh:
      $dolibarr_main_url_root_alt='/custom';
      $dolibarr_main_document_root_alt='%s/custom'; HighlightLinesOnMouseHover=Tô sáng các dòng bảng khi chuột di chuyển qua HighlightLinesColor=Tô sáng màu của dòng khi chuột đi qua (sử dụng 'ffffff' để không làm nổi bật) HighlightLinesChecked=Tô sáng màu của dòng khi được chọn (sử dụng 'ffffff' để không tô sáng) -UseBorderOnTable=Show left-right borders on tables -BtnActionColor=Color of the action button -TextBtnActionColor=Text color of the action button +UseBorderOnTable=Hiển thị đường viền trái phải trên bảng +TableLineHeight=Chiều cao dòng bảng +BtnActionColor=Màu của nút hành động +TextBtnActionColor=Màu văn bản của nút hành động TextTitleColor=Màu văn bản của tiêu đề trang LinkColor=Màu của liên kết PressF5AfterChangingThis=Nhấn CTRL + F5 trên bàn phím hoặc xóa bộ nhớ cache của trình duyệt sau khi thay đổi giá trị này để có hiệu lực NotSupportedByAllThemes=Sẽ hoạt động với các theme cốt lõi, có thể không được hỗ trợ bởi các theme bên ngoài BackgroundColor=Màu nền TopMenuBackgroundColor=Màu nền của menu trên -TopMenuDisableImages=Icon or Text in Top menu +TopMenuDisableImages=Biểu tượng hoặc văn bản ở menu trên cùng LeftMenuBackgroundColor=Màu nền của menu Trái BackgroundTableTitleColor=Màu nền cho tiêu đề của Table BackgroundTableTitleTextColor=Màu văn bản cho dòng tiêu đề Bảng -BackgroundTableTitleTextlinkColor=Text color for Table title link line +BackgroundTableTitleTextlinkColor=Màu chữ cho dòng liên kết tiêu đề bảng BackgroundTableLineOddColor=Màu nền của hàng lẻ BackgroundTableLineEvenColor=Màu nền của hàng chẵn MinimumNoticePeriod=Thời gian thông báo tối thiểu (Yêu cầu nghỉ phép của bạn phải được thực hiện trước khi trì hoãn này) NbAddedAutomatically=Số ngày được thêm vào bộ đếm của người dùng (tự động) mỗi tháng -EnterAnyCode=This field contains a reference to identify the line. Enter any value of your choice, but without special characters. +EnterAnyCode=Trường này chứa tham chiếu để xác định dòng. Nhập bất kỳ giá trị nào bạn chọn nhưng không có ký tự đặc biệt. Enter0or1=Lỗi 0 hoặc 1 UnicodeCurrency=Nhập vào đây giữa các dấu ngoặc nhọn, danh sách số byte đại diện cho ký hiệu tiền tệ. Ví dụ: với $, nhập [36] - đối với brazil real R $ [82,36] - với €, nhập [8364] ColorFormat=Màu RGB ở định dạng HEX, ví dụ: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=Tên biểu tượng ở định dạng:
      - image.png cho tệp hình ảnh vào thư mục chủ đề hiện tại
      - image.png@module nếu tệp nằm trong thư mục /img/ của mô-đun
      - fa-xxx cho FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size cho ảnh FontAwesome fa-xxx (có tiền tố, màu sắc và kích thước được đặt) PositionIntoComboList=Vị trí của dòng ở trong danh sách kết hợp -SellTaxRate=Sales tax rate +SellTaxRate=Thuế suất bán hàng RecuperableOnly="Có" cho VAT "Không được nhận nhưng có thể thu hồi" dành riêng cho một số tiểu bang ở Pháp. Giữ giá trị thành "Không" trong tất cả các trường hợp khác. UrlTrackingDesc=Nếu nhà cung cấp hoặc dịch vụ vận chuyển cung cấp một trang hoặc trang web để kiểm tra trạng thái của lô hàng của bạn, bạn có thể nhập nó ở đây. Bạn có thể sử dụng khóa {TRACKID} trong các tham số URL để hệ thống sẽ thay thế nó bằng số theo dõi mà người dùng đã nhập vào thẻ giao hàng. OpportunityPercent=Khi bạn tạo khách hàng tiềm năng, bạn sẽ xác định số tiền dự án/khách hàng tiềm năng ước tính. Theo trạng thái của khách hàng tiềm năng, số tiền này có thể được nhân với tỷ lệ này để đánh giá tổng số tiền mà tất cả khách hàng tiềm năng của bạn có thể tạo ra. Giá trị là một tỷ lệ phần trăm (từ 0 đến 100). -TemplateForElement=This mail template is related to what type of object? An email template is available only when using the "Send Email" button from the related object. +TemplateForElement=Mẫu thư này có liên quan đến loại đối tượng nào? Mẫu email chỉ khả dụng khi sử dụng nút "Gửi Email" từ đối tượng liên quan. TypeOfTemplate=Loại mẫu TemplateIsVisibleByOwnerOnly=Mẫu chỉ hiển thị cho chủ sở hữu VisibleEverywhere=Hiển thị ở mọi nơi @@ -2033,7 +2048,7 @@ ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s có sẵn. Phiên ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s có sẵn. Phiên bản %s là phiên bản bảo trì, do đó chỉ chứa các bản sửa lỗi. Chúng tôi khuyên tất cả người dùng nâng cấp lên phiên bản này. Một bản phát hành bảo trì không giới thiệu các tính năng mới hoặc thay đổi cơ sở dữ liệu. Bạn có thể tải xuống từ khu vực tải xuống của https://www.dolibarr.org cổng thông tin (thư mục con Phiên bản ổn định). Bạn có thể đọc ChangeLog để biết danh sách đầy đủ các thay đổi. MultiPriceRuleDesc=Khi tùy chọn "Một số mức giá cho mỗi sản phẩm/dịch vụ" được bật, bạn có thể xác định các mức giá khác nhau (một mức cho mỗi mức giá) cho mỗi sản phẩm. Để tiết kiệm thời gian của bạn, ở đây bạn có thể nhập quy tắc để tự động định giá cho từng cấp dựa trên giá của cấp đầu tiên, do đó bạn sẽ chỉ phải nhập giá cho cấp đầu tiên cho mỗi sản phẩm. Trang này được thiết kế để giúp bạn tiết kiệm thời gian nhưng chỉ hữu ích nếu giá của bạn cho mỗi cấp tương đối so với cấp đầu tiên. Bạn có thể bỏ qua trang này trong hầu hết các trường hợp. ModelModulesProduct=Mẫu cho tài liệu sản phẩm -WarehouseModelModules=Templates for documents of warehouses +WarehouseModelModules=Mẫu tài liệu kho hàng ToGenerateCodeDefineAutomaticRuleFirst=Để có thể tạo mã tự động, trước tiên bạn phải xác định người quản lý để tự động xác định số mã vạch. SeeSubstitutionVars=Xem * lưu ý cho danh sách các biến thay thế có thể SeeChangeLog=Xem tệp ChangeLog (chỉ bằng tiếng Anh) @@ -2073,34 +2088,34 @@ MAIN_PDF_MARGIN_LEFT=Lề trái trên PDF MAIN_PDF_MARGIN_RIGHT=Lề phải trên PDF MAIN_PDF_MARGIN_TOP=Lề trên PDF MAIN_PDF_MARGIN_BOTTOM=Lề dưới PDF -MAIN_DOCUMENTS_LOGO_HEIGHT=Height for logo on PDF -DOC_SHOW_FIRST_SALES_REP=Show first sales representative -MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Add column for picture on proposal lines -MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Width of the column if a picture is added on lines -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders -MAIN_PDF_NO_SENDER_FRAME=Hide borders on sender address frame -MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipent address frame -MAIN_PDF_HIDE_CUSTOMER_CODE=Hide customer code -MAIN_PDF_HIDE_SENDER_NAME=Hide sender/company name in address block -PROPOSAL_PDF_HIDE_PAYMENTTERM=Hide payments conditions -PROPOSAL_PDF_HIDE_PAYMENTMODE=Hide payment mode -MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Add electronic sign in PDF +MAIN_DOCUMENTS_LOGO_HEIGHT=Chiều cao cho logo trên PDF +DOC_SHOW_FIRST_SALES_REP=Hiển thị đại diện bán hàng đầu tiên +MAIN_GENERATE_PROPOSALS_WITH_PICTURE=Thêm cột cho hình ảnh trên dòng đề xuất +MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=Chiều rộng của cột nếu ảnh được thêm vào dòng +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Ẩn cột đơn giá trên yêu cầu báo giá +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Ẩn cột tổng giá trên yêu cầu báo giá +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Ẩn cột đơn giá trên đơn hàng +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Ẩn cột tổng giá trên đơn hàng mua hàng +MAIN_PDF_NO_SENDER_FRAME=Ẩn đường viền trên khung địa chỉ người gửi +MAIN_PDF_NO_RECIPENT_FRAME=Ẩn đường viền khung địa chỉ người nhận +MAIN_PDF_HIDE_CUSTOMER_CODE=Ẩn mã khách hàng +MAIN_PDF_HIDE_SENDER_NAME=Ẩn tên người gửi/công ty trong khối địa chỉ +PROPOSAL_PDF_HIDE_PAYMENTTERM=Ẩn điều kiện thanh toán +PROPOSAL_PDF_HIDE_PAYMENTMODE=Ẩn chế độ thanh toán +MAIN_PDF_PROPAL_USE_ELECTRONIC_SIGNING=Thêm ký hiệu điện tử vào PDF NothingToSetup=Không có thiết lập cụ thể cần thiết cho mô-đun này. SetToYesIfGroupIsComputationOfOtherGroups=Đặt cái này thành Có nếu nhóm này là sự tính toán của các nhóm khác -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes.
      For example:
      CODEGRP1+CODEGRP2 +EnterCalculationRuleIfPreviousFieldIsYes=Nhập quy tắc tính toán nếu trường trước đó được đặt thành Có.
      Ví dụ:
      CODEGRP1+CODEGRP2 SeveralLangugeVariatFound=Một số biến thể ngôn ngữ được tìm thấy RemoveSpecialChars=Xóa các ký tự đặc biệt COMPANY_AQUARIUM_CLEAN_REGEX=Bộ lọc Regex để làm sạch giá trị (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code +COMPANY_AQUARIUM_NO_PREFIX=Không sử dụng tiền tố, chỉ sao chép mã khách hàng hoặc nhà cung cấp COMPANY_DIGITARIA_CLEAN_REGEX=Bộ lọc Regex để làm sạch giá trị (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=Không cho phép trùng lặp -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word +RemoveSpecialWords=Xóa một số từ nhất định khi tạo tài khoản phụ cho khách hàng hoặc nhà cung cấp +RemoveSpecialWordsHelp=Chỉ định các từ cần làm sạch trước khi tính toán tài khoản khách hàng hoặc nhà cung cấp. Sử dụng một ";" giữa mỗi từ GDPRContact=Cán bộ bảo vệ dữ liệu (DPO, Bảo mật dữ liệu hoặc liên lạc GDPR) -GDPRContactDesc=If you store personal data in your Information System, you can name the contact who is responsible for the General Data Protection Regulation here +GDPRContactDesc=Nếu bạn lưu trữ dữ liệu cá nhân trong Hệ thống thông tin của mình, bạn có thể nêu tên người liên hệ chịu trách nhiệm về Quy định chung về bảo vệ dữ liệu tại đây HelpOnTooltip=Trợ giúp văn bản để hiển thị trên tooltip HelpOnTooltipDesc=Đặt văn bản hoặc từ khóa dịch ở đây để văn bản hiển thị trong tooltip khi trường này xuất hiện trong một biểu mẫu YouCanDeleteFileOnServerWith=Bạn có thể xóa tệp này trên máy chủ bằng Dòng lệnh:
      %s @@ -2109,77 +2124,77 @@ SocialNetworkSetup=Thiết lập mô-đun Mạng xã hội EnableFeatureFor=Kích hoạt tính năng cho %s VATIsUsedIsOff=Lưu ý: Tùy chọn sử dụng Thuế bán hàng hoặc VAT đã được đặt thành Tắt trong menu %s - %s, vì vậy Thuế bán hàng hoặc Vat được sử dụng sẽ luôn là 0 cho bán hàng. SwapSenderAndRecipientOnPDF=Hoán đổi vị trí địa chỉ người gửi và người nhận trên tài liệu PDF -FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields and combo lists only. Also an URL parameter action=create or action=edit must be set OR page name must end with 'new.php' to trigger this feature. +FeatureSupportedOnTextFieldsOnly=Cảnh báo, tính năng chỉ được hỗ trợ trên các trường văn bản và danh sách kết hợp. Ngoài ra, tham số URL action=create hoặc action=edit phải được đặt HOẶC tên trang phải kết thúc bằng 'new.php' để kích hoạt tính năng này. EmailCollector=Trình thu thập email -EmailCollectors=Email collectors +EmailCollectors=Người thu thập email EmailCollectorDescription=Thêm một công việc được lên lịch và một trang thiết lập để quét các hộp thư điện tử thường xuyên (sử dụng giao thức IMAP) và ghi lại các email nhận được vào ứng dụng của bạn, đúng nơi và/hoặc tự động tạo một số bản ghi (như khách hàng tiềm năng). NewEmailCollector=Trình thu thập email mới EMailHost=Máy chủ email IMAP -EMailHostPort=Port of email IMAP server -loginPassword=Login/Password -oauthToken=OAuth2 token -accessType=Acces type -oauthService=Oauth service -TokenMustHaveBeenCreated=Module OAuth2 must be enabled and an oauth2 token must have been created with the correct permissions (for example scope "gmail_full" with OAuth for Gmail). -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session +EMailHostPort=Cổng email máy chủ IMAP +loginPassword=Mật khẩu đăng nhập +oauthToken=Mã thông báo OAuth2 +accessType=Loại truy cập +oauthService=Dịch vụ xác thực +TokenMustHaveBeenCreated=Mô-đun OAuth2 phải được bật và mã thông báo oauth2 phải được tạo với các quyền chính xác (ví dụ: phạm vi "gmail_full" với OAuth cho Gmail). +ImapEncryption = Phương pháp mã hóa IMAP +ImapEncryptionHelp = Ví dụ: không có, ssl, tls, notls +NoRSH = Sử dụng cấu hình NoRSH +NoRSHHelp = Không sử dụng giao thức RSH hoặc SSH để thiết lập phiên nhận dạng trước IMAP MailboxSourceDirectory=Thư mục nguồn hộp thư MailboxTargetDirectory=Thư mục đích hộp thư EmailcollectorOperations=Hoạt động để làm bởi trình thu thập -EmailcollectorOperationsDesc=Operations are executed from top to bottom order +EmailcollectorOperationsDesc=Các thao tác được thực hiện theo thứ tự từ trên xuống dưới MaxEmailCollectPerCollect=Số lượng email tối đa được thu thập trên mỗi thu thập -TestCollectNow=Test collect +TestCollectNow=Thu thập thử nghiệm CollectNow=Thu thập ngay bây giờ -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s? -DateLastCollectResult=Date of latest collect try -DateLastcollectResultOk=Date of latest collect success +ConfirmCloneEmailCollector=Bạn có chắc chắn muốn sao chép Trình thu thập email %s không? +DateLastCollectResult=Ngày thử thu thập mới nhất +DateLastcollectResultOk=Ngày thu thập thành công gần nhất LastResult=Kết quả mới nhất -EmailCollectorHideMailHeaders=Do not include the content of email header into the saved content of collected e-mails -EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. +EmailCollectorHideMailHeaders=Không gộp nội dung tiêu đề email vào nội dung đã lưu của các email thu thập +EmailCollectorHideMailHeadersHelp=Khi được bật, tiêu đề e-mail sẽ không được thêm vào cuối nội dung email được lưu dưới dạng sự kiện chương trình nghị sự. EmailCollectorConfirmCollectTitle=Email xác nhận thu thập -EmailCollectorConfirmCollect=Do you want to run this collector now? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). -EmailCollectorExampleToCollectTicketRequests=Example collecting the ticket request (first message only) -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Example collecting e-mail answers sent from an external e-mail software -EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. -EmailCollectorExampleToCollectDolibarrAnswers=Example collecting all ingoing messages being answers to messages sent from Dolibarr' -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. -EmailCollectorExampleToCollectLeads=Example collecting leads -EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. -EmailCollectorExampleToCollectJobCandidatures=Example collecting job candidatures received by e-mail +EmailCollectorConfirmCollect=Bạn có muốn chạy bộ sưu tập này ngay bây giờ không? +EmailCollectorExampleToCollectTicketRequestsDesc=Thu thập các email phù hợp với một số quy tắc và tự động tạo một yêu cầu (Phải bật Vé mô-đun) với thông tin email. Bạn có thể sử dụng bộ sưu tập này nếu bạn cung cấp một số hỗ trợ qua email, vì vậy yêu cầu vé của bạn sẽ được tạo tự động. Đồng thời kích hoạt Collect_Responses để thu thập câu trả lời của khách hàng của bạn trực tiếp trên chế độ xem yêu cầu (bạn phải trả lời từ Dolibarr). +EmailCollectorExampleToCollectTicketRequests=Ví dụ thu thập yêu cầu vé (chỉ tin nhắn đầu tiên) +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Quét thư mục "Đã gửi" trong hộp thư của bạn để tìm các email được gửi dưới dạng câu trả lời cho một email khác trực tiếp từ phần mềm email của bạn chứ không phải từ Dolibarr. Nếu tìm thấy email như vậy, sự kiện trả lời sẽ được ghi vào Dolibarr +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=Ví dụ thu thập câu trả lời e-mail được gửi từ phần mềm e-mail bên ngoài +EmailCollectorExampleToCollectDolibarrAnswersDesc=Thu thập tất cả các email là câu trả lời cho email được gửi từ ứng dụng của bạn. Một sự kiện (Chương trình nghị sự mô-đun phải được bật) có phản hồi qua email sẽ được ghi lại ở vị trí phù hợp. Ví dụ: nếu bạn gửi đề xuất thương mại, đơn đặt hàng, hóa đơn hoặc tin nhắn cho một vé qua email từ ứng dụng và người nhận trả lời email của bạn, hệ thống sẽ tự động nhận câu trả lời và thêm nó vào ERP của bạn. +EmailCollectorExampleToCollectDolibarrAnswers=Ví dụ thu thập tất cả các tin nhắn gửi đến là câu trả lời cho các tin nhắn được gửi từ Dolibarr' +EmailCollectorExampleToCollectLeadsDesc=Thu thập các email phù hợp với một số quy tắc và tự động tạo khách hàng tiềm năng (Phải bật Dự án mô-đun) với thông tin email. Bạn có thể sử dụng trình thu thập này nếu muốn theo dõi khách hàng tiềm năng của mình bằng mô-đun Dự án (1 khách hàng tiềm năng = 1 dự án), do đó, khách hàng tiềm năng của bạn sẽ được tạo tự động. Nếu người thu thập Collect_Responses cũng được bật thì khi bạn gửi email từ khách hàng tiềm năng, đề xuất hoặc bất kỳ đối tượng nào khác, bạn cũng có thể thấy câu trả lời của khách hàng hoặc đối tác của mình trực tiếp trên ứng dụng.
      Lưu ý: Với ví dụ ban đầu này, tiêu đề của khách hàng tiềm năng sẽ được tạo bao gồm cả email. Nếu không tìm thấy bên thứ ba trong cơ sở dữ liệu (khách hàng mới), khách hàng tiềm năng sẽ được gắn với bên thứ ba có ID 1. +EmailCollectorExampleToCollectLeads=Ví dụ thu thập khách hàng tiềm năng +EmailCollectorExampleToCollectJobCandidaturesDesc=Thu thập các email đăng ký tuyển dụng (Phải bật Mô-đun Tuyển dụng). Bạn có thể hoàn thành bộ sưu tập này nếu bạn muốn tự động tạo ứng cử viên cho yêu cầu công việc. Lưu ý: Với ví dụ ban đầu này, tiêu đề của ứng cử viên sẽ được tạo bao gồm cả email. +EmailCollectorExampleToCollectJobCandidatures=Ví dụ thu thập các ứng viên công việc nhận được qua e-mail NoNewEmailToProcess=Không có email mới (bộ lọc phù hợp) để xử lý NothingProcessed=Chưa có gì hoàn thành -RecordEvent=Record an event in agenda (with type Email sent or received) -CreateLeadAndThirdParty=Create a lead (and a third party if necessary) -CreateTicketAndThirdParty=Create a ticket (linked to a third party if the third party was loaded by a previous operation or was guessed from a tracker in email header, without third party otherwise) +RecordEvent=Ghi lại sự kiện vào chương trình nghị sự (có loại Email đã gửi hoặc đã nhận) +CreateLeadAndThirdParty=Tạo khách hàng tiềm năng (và bên thứ ba nếu cần thiết) +CreateTicketAndThirdParty=Tạo một yêu cầu (được liên kết với bên thứ ba nếu bên thứ ba được tải bởi hoạt động trước đó hoặc được đoán từ trình theo dõi trong tiêu đề email mà không có bên thứ ba) CodeLastResult=Mã kết quả mới nhất NbOfEmailsInInbox=Số lượng email trong thư mục nguồn LoadThirdPartyFromName=Tải tìm kiếm bên thứ ba trên %s (chỉ tải) LoadThirdPartyFromNameOrCreate=Tải tìm kiếm bên thứ ba trên %s (tạo nếu không tìm thấy) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) -AttachJoinedDocumentsToObject=Save attached files into object documents if a ref of an object is found into email topic. -WithDolTrackingID=Message from a conversation initiated by a first email sent from Dolibarr -WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr -WithDolTrackingIDInMsgId=Message sent from Dolibarr -WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr -CreateCandidature=Create job application +LoadContactFromEmailOrCreate=Tải tìm kiếm liên hệ trên %s (tạo nếu không tìm thấy) +AttachJoinedDocumentsToObject=Lưu các tệp đính kèm vào tài liệu đối tượng nếu tìm thấy tham chiếu của đối tượng trong chủ đề email. +WithDolTrackingID=Tin nhắn từ cuộc trò chuyện được bắt đầu bằng email đầu tiên được gửi từ Dolibarr +WithoutDolTrackingID=Tin nhắn từ cuộc trò chuyện được bắt đầu bởi email đầu tiên KHÔNG được gửi từ Dolibarr +WithDolTrackingIDInMsgId=Tin nhắn được gửi từ Dolibarr +WithoutDolTrackingIDInMsgId=Tin nhắn KHÔNG được gửi từ Dolibarr +CreateCandidature=Tạo đơn xin việc FormatZip=Zip MainMenuCode=Mã mục nhập menu (mainmenu) ECMAutoTree=Hiển thị cây ECM tự động -OperationParamDesc=Define the rules to use to extract some data or set values to use for operation.

      Example to extract a company name from email subject into a temporary variable:
      tmp_var=EXTRACT:SUBJECT:Message from company ([^\n]*)

      Examples to set the properties of an object to create:
      objproperty1=SET:a hard coded value
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a value (value is set only if property is not already defined)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

      Use a new line to extract or set several properties. +OperationParamDesc=Xác định các quy tắc sẽ sử dụng để trích xuất một số dữ liệu hoặc đặt giá trị để sử dụng cho hoạt động.

      Ví dụ về trích xuất tên công ty từ chủ đề email thành một biến tạm thời:
      tmp_var=EXTRACT:SUBJECT:Tin nhắn từ công ty ([^\n]*)

      Ví dụ về cách đặt thuộc tính của đối tượng cần tạo:
      objproperty1=SET:giá trị được mã hóa cứng
      objproperty2=SET:__tmp_var__
      objproperty3=SETIFEMPTY:a giá trị (giá trị chỉ được đặt nếu thuộc tính chưa được xác định)
      objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
      options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
      object.objproperty5=EXTRACT:BODY:Tên công ty của tôi là\\ s([^\\s]*)

      Sử dụng một dòng mới để trích xuất hoặc đặt một số thuộc tính. OpeningHours=Giờ mở cửa OpeningHoursDesc=Nhập vào đây giờ mở cửa thường xuyên của công ty bạn. ResourceSetup=Cấu hình của mô-đun tài nguyên UseSearchToSelectResource=Sử dụng một hình thức tìm kiếm để chọn một tài nguyên (chứ không phải là một danh sách thả xuống). DisabledResourceLinkUser=Vô hiệu hóa tính năng để liên kết tài nguyên với người dùng DisabledResourceLinkContact=Vô hiệu hóa tính năng để liên kết tài nguyên với các liên lạc -EnableResourceUsedInEventCheck=Prohibit the use of the same resource at the same time in the agenda +EnableResourceUsedInEventCheck=Cấm sử dụng cùng một nguồn lực vào cùng một thời điểm trong chương trình nghị sự ConfirmUnactivation=Xác nhận reset mô đun OnMobileOnly=Chỉ trên màn hình nhỏ (điện thoại thông minh) -DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be "Prospect" or "Customer", but can't be both) +DisableProspectCustomerType=Tắt loại bên thứ ba "Khách hàng tiềm năng + Khách hàng" (vì vậy bên thứ ba phải là "Khách hàng tiềm năng" hoặc "Khách hàng", nhưng không thể là cả hai) MAIN_OPTIMIZEFORTEXTBROWSER=Giao diện đơn giản cho người mù MAIN_OPTIMIZEFORTEXTBROWSERDesc=Bật tùy chọn này nếu bạn là người mù hoặc nếu bạn sử dụng ứng dụng từ trình duyệt văn bản như Lynx hoặc Links. MAIN_OPTIMIZEFORCOLORBLIND=Thay đổi màu của giao diện cho người mù màu @@ -2188,10 +2203,10 @@ Protanopia=Mù màu Protanopia Deuteranopes=Mù màu Deuteranopes Tritanopes=Mù màu Tritanopes ThisValueCanOverwrittenOnUserLevel=Giá trị này có thể được ghi đè bởi mỗi người dùng từ trang người dùng của nó - tab '%s' -DefaultCustomerType=Loại thứ ba mặc định cho biểu mẫu tạo "Khách hàng mới" +DefaultCustomerType=Loại bên thứ ba mặc định cho biểu mẫu tạo "Khách hàng mới" ABankAccountMustBeDefinedOnPaymentModeSetup=Lưu ý: Tài khoản ngân hàng phải được xác định trên mô-đun của từng chế độ thanh toán (Paypal, Stripe, ...) để tính năng này hoạt động. RootCategoryForProductsToSell=Danh mục gốc của sản phẩm để bán -RootCategoryForProductsToSellDesc=Nếu được xác định, chỉ các sản phẩm trong danh mục này hoặc con của danh mục này sẽ có sẵn trong Điểm bán hàng +RootCategoryForProductsToSellDesc=Nếu được xác định, chỉ những sản phẩm trong danh mục này hoặc các sản phẩm con của danh mục này mới có sẵn trong Điểm bán hàng DebugBar=Thanh gỡ lỗi DebugBarDesc=Thanh công cụ đi kèm với nhiều công cụ để đơn giản hóa việc gỡ lỗi DebugBarSetup=Cài đặt Thanh gỡ lỗi @@ -2201,28 +2216,28 @@ UseDebugBar=Sử dụng thanh gỡ lỗi DEBUGBAR_LOGS_LINES_NUMBER=Số dòng nhật ký cuối cùng cần giữ trong bảng điều khiển WarningValueHigherSlowsDramaticalyOutput=Cảnh báo, giá trị cao hơn làm chậm đáng kể ở đầu ra ModuleActivated=Mô-đun %s được kích hoạt và làm chậm giao diện -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) -IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. -AntivirusEnabledOnUpload=Antivirus enabled on uploaded files -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode +ModuleActivatedWithTooHighLogLevel=Mô-đun %s được kích hoạt với mức ghi nhật ký quá cao (cố gắng sử dụng mức thấp hơn để có hiệu suất và bảo mật tốt hơn) +ModuleSyslogActivatedButLevelNotTooVerbose=Mô-đun %s được kích hoạt và cấp độ nhật ký (%s) là chính xác (không quá dài dòng) +IfYouAreOnAProductionSetThis=Nếu bạn đang ở trong môi trường sản xuất, bạn nên đặt thuộc tính này thành %s. +AntivirusEnabledOnUpload=Đã bật tính năng chống vi-rút trên các tệp đã tải lên +SomeFilesOrDirInRootAreWritable=Một số tệp hoặc thư mục không ở chế độ chỉ đọc EXPORTS_SHARE_MODELS=Mô hình xuất dữ liệu được chia sẻ với mọi người ExportSetup=Thiết lập mô-đun Xuất dữ liệu ImportSetup=Thiết lập module nhập liệu InstanceUniqueID=ID duy nhất của đối tượng SmallerThan=Nhỏ hơn LargerThan=Lớn hơn -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=Với tài khoản GMail, nếu bạn đã bật xác thực 2 bước, bạn nên tạo mật khẩu thứ hai dành riêng cho ứng dụng thay vì sử dụng mật khẩu tài khoản của riêng bạn từ https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      -FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). +IfTrackingIDFoundEventWillBeLinked=Lưu ý rằng nếu tìm thấy ID theo dõi của một đối tượng trong email hoặc nếu email đó là câu trả lời của một email đã được thu thập và liên kết với một đối tượng thì sự kiện đã tạo sẽ tự động được liên kết với đối tượng liên quan đã biết. +WithGMailYouCanCreateADedicatedPassword=Với tài khoản Gmail, nếu bạn đã bật xác thực 2 bước, bạn nên tạo mật khẩu thứ hai dành riêng cho ứng dụng thay vì sử dụng mật khẩu tài khoản của chính bạn từ https://myaccount.google.com/. +EmailCollectorTargetDir=Có thể bạn nên chuyển email sang thẻ/thư mục khác khi nó được xử lý thành công. Chỉ cần đặt tên thư mục ở đây để sử dụng tính năng này (KHÔNG sử dụng ký tự đặc biệt trong tên). Lưu ý rằng bạn cũng phải sử dụng tài khoản đăng nhập đọc/ghi. +EmailCollectorLoadThirdPartyHelp=Bạn có thể sử dụng hành động này để sử dụng nội dung email nhằm tìm và tải bên thứ ba hiện có trong cơ sở dữ liệu của mình (việc tìm kiếm sẽ được thực hiện trên thuộc tính được xác định trong số 'id','name','name_alias','email'). Bên thứ ba được tìm thấy (hoặc đã tạo) sẽ được sử dụng cho các hành động cần đến nó.
      Ví dụ: nếu bạn muốn tạo bên thứ ba có tên được trích xuất từ một chuỗi ' Tên: tên cần tìm' hiện trong nội dung, sử dụng email người gửi làm email, bạn có thể đặt trường tham số như thế này:
      'email=HEADER:^From:(. *);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +FilterSearchImapHelp=Cảnh báo: rất nhiều máy chủ email (như Gmail) đang thực hiện tìm kiếm từ đầy đủ khi tìm kiếm trên một chuỗi và sẽ không trả về kết quả nếu chuỗi đó chỉ được tìm thấy một phần trong một từ. Vì lý do này, việc sử dụng các ký tự đặc biệt vào tiêu chí tìm kiếm sẽ bị bỏ qua vì chúng không phải là một phần của các từ hiện có.
      Để thực hiện tìm kiếm loại trừ trên một từ (trả lại email nếu từ đó không tìm thấy), bạn có thể sử dụng ! ký tự trước từ (có thể không hoạt động trên một số máy chủ thư). EndPointFor=Điểm kết thúc cho %s: %s DeleteEmailCollector=Xóa trình thu thập email ConfirmDeleteEmailCollector=Bạn có chắc chắn muốn xóa trình thu thập email này? RecipientEmailsWillBeReplacedWithThisValue=Email người nhận sẽ luôn được thay thế bằng giá trị này AtLeastOneDefaultBankAccountMandatory=Phải xác định ít nhất 1 tài khoản ngân hàng mặc định -RESTRICT_ON_IP=Allow API access to only certain client IPs (wildcard not allowed, use space between values). Empty means every clients can access. +RESTRICT_ON_IP=Chỉ cho phép truy cập API vào một số IP khách hàng nhất định (không cho phép ký tự đại diện, sử dụng khoảng trắng giữa các giá trị). Trống có nghĩa là mọi khách hàng đều có thể truy cập. IPListExample=127.0.0.1 192.168.0.2 [::1] BaseOnSabeDavVersion=Dựa trên thư viện phiên bản SabreDAV NotAPublicIp=Không phải IP công cộng @@ -2230,179 +2245,198 @@ MakeAnonymousPing=Tạo một Ping ẩn danh '+1' cho máy chủ nền tảng Do FeatureNotAvailableWithReceptionModule=Tính năng không khả dụng khi mô-đun Tiếp nhận được bật EmailTemplate=Mẫu cho email EMailsWillHaveMessageID=Email sẽ có thẻ 'Tài liệu tham khảo' khớp với cú pháp này -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in thirdparty name -THIRDPARTY_ALIAS=Name thirdparty - Alias thirdparty -ALIAS_THIRDPARTY=Alias thirdparty - Name thirdparty -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) +PDF_SHOW_PROJECT=Hiển thị dự án trên tài liệu +ShowProjectLabel=Nhãn dự án +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Bao gồm bí danh trong tên của bên thứ ba +THIRDPARTY_ALIAS=Tên bên thứ ba - Bí danh của bên thứ ba +ALIAS_THIRDPARTY=Bí danh của bên thứ ba - Tên của bên thứ ba +PDFIn2Languages=Hiển thị nhãn trong PDF bằng 2 ngôn ngữ khác nhau (tính năng này có thể không hoạt động đối với một số ngôn ngữ) PDF_USE_ALSO_LANGUAGE_CODE=Nếu bạn muốn có text trong PDF của mình bằng 2 ngôn ngữ khác nhau trong cùng một tệp PDF được tạo, bạn phải đặt ở đây ngôn ngữ thứ hai này để PDF được tạo sẽ chứa 2 ngôn ngữ khác nhau trong cùng một trang, một ngôn ngữ được chọn khi tạo PDF và ngôn ngữ này ( chỉ có vài mẫu PDF hỗ trợ này). Giữ trống cho 1 ngôn ngữ trên mỗi PDF. -PDF_USE_A=Gererate PDF documents with format PDF/A instead of defaut format PDF +PDF_USE_A=Tạo tài liệu PDF với định dạng PDF/A thay vì định dạng PDF mặc định FafaIconSocialNetworksDesc=Nhập vào đây mã của biểu tượng FontAwgie. Nếu bạn không biết FontAwgie là gì, bạn có thể sử dụng fa-address-book RssNote=Lưu ý: Mỗi nguồn cấp RSS cung cấp một tiện ích mà bạn phải kích hoạt để có sẵn trong bảng điều khiển JumpToBoxes=Chuyển tới Thiết lập --> Widgets MeasuringUnitTypeDesc=Sử dụng ở đây một giá trị như "kích thước", "diện tích", "khối lượng", "trọng lượng", "thời gian" MeasuringScaleDesc=Thang đo là số vị trí bạn phải di chuyển phần thập phân để khớp với đơn vị tham chiếu mặc định. Đối với loại đơn vị "thời gian", đó là số giây. Giá trị từ 80 đến 99 là giá trị dành riêng. -TemplateAdded=Template added -TemplateUpdated=Template updated -TemplateDeleted=Template deleted -MailToSendEventPush=Event reminder email -SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security -DictionaryProductNature= Nature of product -CountryIfSpecificToOneCountry=Country (if specific to a given country) -YouMayFindSecurityAdviceHere=You may find security advisory here -ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. -ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. -CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples -SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. -AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only -ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. -MailToSendEventOrganization=Event Organization -MailToPartnership=Partnership -AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands in custom code, you shoud disable PHP functions -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s +TemplateAdded=Đã thêm mẫu +TemplateUpdated=Đã cập nhật mẫu +TemplateDeleted=Đã xóa mẫu +MailToSendEventPush=Email nhắc nhở sự kiện +SwitchThisForABetterSecurity=Nên chuyển giá trị này thành %s để bảo mật hơn +DictionaryProductNature= Bản chất của sản phẩm +CountryIfSpecificToOneCountry=Quốc gia (nếu cụ thể cho một quốc gia nhất định) +YouMayFindSecurityAdviceHere=Bạn có thể tìm thấy lời khuyên bảo mật ở đây +ModuleActivatedMayExposeInformation=Tiện ích mở rộng PHP này có thể làm lộ dữ liệu nhạy cảm. Nếu bạn không cần nó, hãy vô hiệu hóa nó. +ModuleActivatedDoNotUseInProduction=Một mô-đun được thiết kế để phát triển đã được kích hoạt. Không kích hoạt nó trên môi trường sản xuất. +CombinationsSeparator=Ký tự phân cách cho sự kết hợp sản phẩm +SeeLinkToOnlineDocumentation=Xem liên kết đến tài liệu trực tuyến trên menu trên cùng để biết ví dụ +SHOW_SUBPRODUCT_REF_IN_PDF=Nếu tính năng "%s" của mô-đun %s được sử dụng, hiển thị chi tiết các sản phẩm phụ của một bộ trên PDF. +AskThisIDToYourBank=Liên hệ với ngân hàng của bạn để nhận ID này +AdvancedModeOnly=Quyền chỉ khả dụng ở chế độ cấp phép nâng cao +ConfFileIsReadableOrWritableByAnyUsers=Tệp conf có thể đọc hoặc ghi được bởi bất kỳ người dùng nào. Chỉ cấp quyền cho người dùng và nhóm máy chủ web. +MailToSendEventOrganization=Tổ chức sự kiện +MailToPartnership=quan hệ đối tác +AGENDA_EVENT_DEFAULT_STATUS=Trạng thái sự kiện mặc định khi tạo sự kiện từ biểu mẫu +YouShouldDisablePHPFunctions=Bạn nên tắt các chức năng PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=Trừ khi bạn cần chạy các lệnh hệ thống trong mã tùy chỉnh, bạn nên tắt các hàm PHP +PHPFunctionsRequiredForCLI=Vì mục đích shell (như sao lưu công việc theo lịch trình hoặc chạy chương trình chống vi-rút), bạn phải giữ các hàm PHP +NoWritableFilesFoundIntoRootDir=Không tìm thấy tập tin hoặc thư mục có thể ghi nào của các chương trình phổ biến trong thư mục gốc của bạn (Tốt) +RecommendedValueIs=Được đề xuất: %s Recommended=Khuyên dùng -NotRecommended=Not recommended -ARestrictedPath=Some restricted path for data files -CheckForModuleUpdate=Check for external modules updates -CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. -ModuleUpdateAvailable=An update is available -NoExternalModuleWithUpdate=No updates found for external modules -SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) -YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=You enabled deprecated WS API. You should use REST API instead. -RandomlySelectedIfSeveral=Randomly selected if several pictures are available -SalesRepresentativeInfo=For Proposals, Orders, Invoices. -DatabasePasswordObfuscated=Database password is obfuscated in conf file -DatabasePasswordNotObfuscated=Database password is NOT obfuscated in conf file -APIsAreNotEnabled=APIs modules are not enabled -YouShouldSetThisToOff=You should set this to 0 or off -InstallAndUpgradeLockedBy=Install and upgrades are locked by the file %s -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. -OldImplementation=Old implementation -PDF_SHOW_LINK_TO_ONLINE_PAYMENT=If some online payment modules are enabled (Paypal, Stripe, ...), add a link on the PDF to make the online payment -DashboardDisableGlobal=Disable globally all the thumbs of open objects -BoxstatsDisableGlobal=Disable totally box statistics -DashboardDisableBlocks=Thumbs of open objects (to process or late) on main dashboard -DashboardDisableBlockAgenda=Disable the thumb for agenda -DashboardDisableBlockProject=Disable the thumb for projects -DashboardDisableBlockCustomer=Disable the thumb for customers -DashboardDisableBlockSupplier=Disable the thumb for suppliers -DashboardDisableBlockContract=Disable the thumb for contracts -DashboardDisableBlockTicket=Disable the thumb for tickets -DashboardDisableBlockBank=Disable the thumb for banks -DashboardDisableBlockAdherent=Disable the thumb for memberships -DashboardDisableBlockExpenseReport=Disable the thumb for expense reports -DashboardDisableBlockHoliday=Disable the thumb for leaves -EnabledCondition=Condition to have field enabled (if not enabled, visibility will always be off) -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -LanguageAndPresentation=Language and presentation -SkinAndColors=Skin and colors -IfYouUseASecondTaxYouMustSetYouUseTheMainTax=If you want to use a second tax, you must enable also the first sales tax -IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=If you want to use a third tax, you must enable also the first sales tax -PDF_USE_1A=Generate PDF with PDF/A-1b format -MissingTranslationForConfKey = Missing translation for %s -NativeModules=Native modules -NoDeployedModulesFoundWithThisSearchCriteria=No modules found for these search criteria -API_DISABLE_COMPRESSION=Disable compression of API responses -EachTerminalHasItsOwnCounter=Each terminal use its own counter. -FillAndSaveAccountIdAndSecret=Fill and save account ID and secret first -PreviousHash=Previous hash -LateWarningAfter="Late" warning after -TemplateforBusinessCards=Template for a business card in different size +NotRecommended=Không được khuyến khích +ARestrictedPath=Một số đường dẫn hạn chế cho file dữ liệu +CheckForModuleUpdate=Kiểm tra các bản cập nhật mô-đun bên ngoài +CheckForModuleUpdateHelp=Hành động này sẽ kết nối với trình soạn thảo của các mô-đun bên ngoài để kiểm tra xem có phiên bản mới hay không. +ModuleUpdateAvailable=Đã có bản cập nhật +NoExternalModuleWithUpdate=Không tìm thấy bản cập nhật nào cho các mô-đun bên ngoài +SwaggerDescriptionFile=Tệp mô tả API Swagger (để sử dụng với redoc chẳng hạn) +YouEnableDeprecatedWSAPIsUseRESTAPIsInstead=Bạn đã bật API WS không được dùng nữa. Thay vào đó, bạn nên sử dụng API REST. +RandomlySelectedIfSeveral=Chọn ngẫu nhiên nếu có nhiều hình ảnh +SalesRepresentativeInfo=Đối với các đề xuất, đơn đặt hàng, hóa đơn. +DatabasePasswordObfuscated=Mật khẩu cơ sở dữ liệu bị xáo trộn trong tệp conf +DatabasePasswordNotObfuscated=Mật khẩu cơ sở dữ liệu KHÔNG bị xáo trộn trong tệp conf +APIsAreNotEnabled=Các mô-đun API chưa được bật +YouShouldSetThisToOff=Bạn nên đặt giá trị này thành 0 hoặc tắt +InstallAndUpgradeLockedBy=Cài đặt và nâng cấp bị khóa bởi tệp %s +InstallLockedBy=Cài đặt/Cài đặt lại bị khóa bởi tệp %s +InstallOfAddonIsNotBlocked=Cài đặt các addon không bị khóa. Tạo một tệp installmodules.lock vào thư mục %s để chặn cài đặt các tiện ích bổ sung/mô-đun bên ngoài. +OldImplementation=Cách triển khai cũ +PDF_SHOW_LINK_TO_ONLINE_PAYMENT=Nếu một số mô-đun thanh toán trực tuyến được bật (Paypal, Stripe, ...), hãy thêm liên kết trên tệp PDF để tạo thanh toán +DashboardDisableGlobal=Vô hiệu hóa trên toàn cầu tất cả các ngón tay cái của các đối tượng đang mở +BoxstatsDisableGlobal=Tắt thống kê toàn bộ hộp +DashboardDisableBlocks=Thumbs của các đối tượng đang mở (để xử lý hoặc xử lý muộn) trên bảng điều khiển chính +DashboardDisableBlockAgenda=Vô hiệu hóa ngón tay cái cho chương trình nghị sự +DashboardDisableBlockProject=Vô hiệu hóa ngón tay cái cho các dự án +DashboardDisableBlockCustomer=Vô hiệu hóa ngón tay cái cho khách hàng +DashboardDisableBlockSupplier=Vô hiệu hóa ngón tay cái cho nhà cung cấp +DashboardDisableBlockContract=Vô hiệu hóa ngón tay cái cho hợp đồng +DashboardDisableBlockTicket=Vô hiệu hóa ngón tay cái cho vé +DashboardDisableBlockBank=Vô hiệu hóa ngón tay cái cho ngân hàng +DashboardDisableBlockAdherent=Vô hiệu hóa ngón tay cái cho tư cách thành viên +DashboardDisableBlockExpenseReport=Vô hiệu hóa ngón tay cái cho các báo cáo chi phí +DashboardDisableBlockHoliday=Vô hiệu hóa ngón tay cái cho lá +EnabledCondition=Điều kiện để bật trường (nếu không bật, khả năng hiển thị sẽ luôn tắt) +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=Nếu bạn muốn sử dụng thuế thứ hai, bạn cũng phải kích hoạt thuế bán hàng đầu tiên +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Nếu bạn muốn sử dụng thuế thứ ba, bạn cũng phải kích hoạt thuế bán hàng đầu tiên +LanguageAndPresentation=Ngôn ngữ và cách trình bày +SkinAndColors=Da và màu sắc +IfYouUseASecondTaxYouMustSetYouUseTheMainTax=Nếu bạn muốn sử dụng thuế thứ hai, bạn cũng phải kích hoạt thuế bán hàng đầu tiên +IfYouUseAThirdTaxYouMustSetYouUseTheMainTax=Nếu bạn muốn sử dụng thuế thứ ba, bạn cũng phải kích hoạt thuế bán hàng đầu tiên +PDF_USE_1A=Tạo PDF với định dạng PDF/A-1b +MissingTranslationForConfKey = Thiếu bản dịch cho %s +NativeModules=Mô-đun gốc +NoDeployedModulesFoundWithThisSearchCriteria=Không tìm thấy mô-đun nào cho các tiêu chí tìm kiếm này +API_DISABLE_COMPRESSION=Tắt tính năng nén phản hồi API +EachTerminalHasItsOwnCounter=Mỗi thiết bị đầu cuối sử dụng bộ đếm riêng của mình. +FillAndSaveAccountIdAndSecret=Điền và lưu ID tài khoản và bí mật trước +PreviousHash=Địa chỉ khối phía trước +LateWarningAfter=Cảnh báo "muộn" sau +TemplateforBusinessCards=Mẫu danh thiếp có kích thước khác nhau InventorySetup= Thiết lập kiểm kho -ExportUseLowMemoryMode=Use a low memory mode -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. +ExportUseLowMemoryMode=Sử dụng chế độ bộ nhớ thấp +ExportUseLowMemoryModeHelp=Sử dụng chế độ bộ nhớ thấp để tạo tệp kết xuất (việc nén được thực hiện thông qua một đường ống thay vì vào bộ nhớ PHP). Phương pháp này không cho phép kiểm tra xem tệp đã hoàn chỉnh chưa và không thể báo cáo thông báo lỗi nếu thất bại. Hãy sử dụng nó nếu bạn gặp phải lỗi bộ nhớ không đủ. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL -WebhookSetup = Webhook setup +ModuleWebhookDesc = Giao diện để bắt các trình kích hoạt dolibarr và gửi dữ liệu của sự kiện tới một URL +WebhookSetup = Thiết lập webhook Settings = Cài đặt -WebhookSetupPage = Webhook setup page -ShowQuickAddLink=Show a button to quickly add an element in top right menu +WebhookSetupPage = Trang thiết lập webhook +ShowQuickAddLink=Hiển thị nút để thêm nhanh một phần tử vào menu trên cùng bên phải +ShowSearchAreaInTopMenu=Hiển thị khu vực tìm kiếm ở menu trên cùng +HashForPing=Hàm băm được sử dụng để ping +ReadOnlyMode=Là phiên bản ở chế độ "Chỉ đọc" +DEBUGBAR_USE_LOG_FILE=Sử dụng tệp dolibarr.log để bẫy Nhật ký +UsingLogFileShowAllRecordOfSubrequestButIsSlower=Sử dụng tệp dolibarr.log để bẫy Nhật ký thay vì bắt bộ nhớ trực tiếp. Nó cho phép bắt tất cả nhật ký thay vì chỉ nhật ký của quy trình hiện tại (vì vậy bao gồm một trong các trang yêu cầu phụ ajax) nhưng sẽ làm cho phiên bản của bạn rất rất chậm. Không được khuyến khích. +FixedOrPercent=Đã sửa (sử dụng từ khóa 'cố định') hoặc phần trăm (sử dụng từ khóa 'phần trăm') +DefaultOpportunityStatus=Trạng thái cơ hội mặc định (trạng thái đầu tiên khi tạo khách hàng tiềm năng) -HashForPing=Hash used for ping -ReadOnlyMode=Is instance in "Read Only" mode -DEBUGBAR_USE_LOG_FILE=Use the dolibarr.log file to trap Logs -UsingLogFileShowAllRecordOfSubrequestButIsSlower=Use the dolibarr.log file to trap Logs instead of live memory catching. It allows to catch all logs instead of only log of current process (so including the one of ajax subrequests pages) but will make your instance very very slow. Not recommended. -FixedOrPercent=Fixed (use keyword 'fixed') or percent (use keyword 'percent') -DefaultOpportunityStatus=Default opportunity status (first status when lead is created) - -IconAndText=Icon and text -TextOnly=Text only -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon -IconOnly=Icon only - Text on tooltip only -INVOICE_ADD_ZATCA_QR_CODE=Show the ZATCA QR code on invoices -INVOICE_ADD_ZATCA_QR_CODEMore=Some Arabic countries need this QR Code on their invoices -INVOICE_ADD_SWISS_QR_CODE=Show the swiss QR-Bill code on invoices -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. -INVOICE_SHOW_SHIPPING_ADDRESS=Show shipping address -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) -UrlSocialNetworksDesc=Url link of social network. Use {socialid} for the variable part that contains the social network ID. -IfThisCategoryIsChildOfAnother=If this category is a child of another one -DarkThemeMode=Dark theme mode -AlwaysDisabled=Always disabled -AccordingToBrowser=According to browser -AlwaysEnabled=Always Enabled -DoesNotWorkWithAllThemes=Will not work with all themes -NoName=No name -ShowAdvancedOptions= Show advanced options -HideAdvancedoptions= Hide advanced options -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 authentication service -DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=Authentification method -UsePassword=Use a password -UseOauth=Use a OAUTH token -Images=Images -MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: -ScriptIsEmpty=The script is empty -ShowHideTheNRequests=Show/hide the %s SQL request(s) -DefinedAPathForAntivirusCommandIntoSetup=Define a path for an antivirus program into %s -TriggerCodes=Triggerable events -TriggerCodeInfo=Enter here the trigger code(s) that must generate a post of a web request (only external URL are allowed). You can enter several trigger codes separated by a comma. -EditableWhenDraftOnly=If unchecked, the value can only be modified when object has a draft status -CssOnEdit=CSS on edit pages -CssOnView=CSS on view pages -CssOnList=CSS on lists -HelpCssOnEditDesc=The CSS used when editing the field.
      Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The CSS used when viewing the field. -HelpCssOnListDesc=The CSS used when field is inside a list table.
      Example: "tdoverflowmax200" -RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents for receptions -MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions -WarningDisabled=Warning disabled -LimitsAndMitigation=Access limits and mitigation -DesktopsOnly=Desktops only -DesktopsAndSmartphones=Desktops et smartphones -AllowOnlineSign=Allow online signing -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month -MaxNumberOfAttachementOnForms=Max number of joinded files in a form -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s -Reload=Reload -ConfirmReload=Confirm module reload -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). -MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) -NotAvailableByDefaultEnabledOnModuleActivation=Not created by default. Created on module activation only. -CSSPage=CSS Style +IconAndText=Biểu tượng và văn bản +TextOnly=Chỉ văn bản +IconOnlyAllTextsOnHover=Chỉ biểu tượng - Tất cả văn bản xuất hiện dưới biểu tượng khi di chuột qua thanh menu +IconOnlyTextOnHover=Chỉ biểu tượng - Văn bản của biểu tượng xuất hiện dưới biểu tượng khi di chuột qua biểu tượng +IconOnly=Chỉ biểu tượng - Chỉ văn bản trên chú giải công cụ +INVOICE_ADD_ZATCA_QR_CODE=Hiển thị mã QR ZATCA trên hóa đơn +INVOICE_ADD_ZATCA_QR_CODEMore=Một số quốc gia Ả Rập cần Mã QR này trên hóa đơn của họ +INVOICE_ADD_SWISS_QR_CODE=Hiển thị mã QR-Bill Thụy Sĩ trên hóa đơn +INVOICE_ADD_SWISS_QR_CODEMore=Tiêu chuẩn hóa đơn của Thụy Sĩ; đảm bảo ZIP & Thành phố được điền đầy đủ và các tài khoản có IBAN Thụy Sĩ/Liechtenstein hợp lệ. +INVOICE_SHOW_SHIPPING_ADDRESS=Hiển thị địa chỉ giao hàng +INVOICE_SHOW_SHIPPING_ADDRESSMore=Chỉ định bắt buộc ở một số nước (Pháp,...) +UrlSocialNetworksDesc=Liên kết url của mạng xã hội. Sử dụng {socialid} cho phần biến chứa ID mạng xã hội. +IfThisCategoryIsChildOfAnother=Nếu thể loại này là con của thể loại khác +DarkThemeMode=Chế độ chủ đề tối +AlwaysDisabled=Luôn bị vô hiệu hóa +AccordingToBrowser=Theo trình duyệt +AlwaysEnabled=Luôn bật +DoesNotWorkWithAllThemes=Sẽ không hoạt động với tất cả các chủ đề +NoName=Không có tên +ShowAdvancedOptions= Hiển thị tùy chọn nâng cao +HideAdvancedoptions= Ẩn tùy chọn nâng cao +CIDLookupURL=Mô-đun này mang đến một URL mà công cụ bên ngoài có thể sử dụng để lấy tên của bên thứ ba hoặc địa chỉ liên hệ từ số điện thoại của họ. URL để sử dụng là: +OauthNotAvailableForAllAndHadToBeCreatedBefore=Xác thực OAUTH2 không khả dụng cho tất cả các máy chủ và mã thông báo có quyền phù hợp phải được tạo ngược dòng với mô-đun OAUTH +MAIN_MAIL_SMTPS_OAUTH_SERVICE=Dịch vụ xác thực OAUTH2 +DontForgetCreateTokenOauthMod=Mã thông báo có quyền phù hợp phải được tạo ngược dòng bằng mô-đun OAUTH +MAIN_MAIL_SMTPS_AUTH_TYPE=Phương pháp xác thực +UsePassword=Sử dụng mật khẩu +UseOauth=Sử dụng mã thông báo OAUTH +Images=Hình ảnh +MaxNumberOfImagesInGetPost=Số lượng hình ảnh tối đa được phép trong trường HTML được gửi dưới dạng +MaxNumberOfPostOnPublicPagesByIP=Số lượng bài đăng tối đa trên các trang công khai có cùng địa chỉ IP trong một tháng +CIDLookupURL=Mô-đun này mang đến một URL mà công cụ bên ngoài có thể sử dụng để lấy tên của bên thứ ba hoặc địa chỉ liên hệ từ số điện thoại của họ. URL để sử dụng là: +ScriptIsEmpty=Kịch bản trống +ShowHideTheNRequests=Hiển thị/ẩn (các) yêu cầu SQL %s +DefinedAPathForAntivirusCommandIntoSetup=Xác định đường dẫn cho chương trình chống vi-rút vào %s +TriggerCodes=Sự kiện có thể kích hoạt +TriggerCodeInfo=Nhập vào đây (các) mã kích hoạt phải tạo bài đăng của yêu cầu web (chỉ cho phép URL bên ngoài). Bạn có thể nhập nhiều mã kích hoạt được phân tách bằng dấu phẩy. +EditableWhenDraftOnly=Nếu không được chọn, giá trị chỉ có thể được sửa đổi khi đối tượng có trạng thái nháp +CssOnEdit=CSS trên các trang chỉnh sửa +CssOnView=CSS trên các trang xem +CssOnList=CSS trên danh sách +HelpCssOnEditDesc=CSS được sử dụng khi chỉnh sửa trường.
      Ví dụ: "minwiwdth100 maxwidth500 widthcentpercentminusx" +HelpCssOnViewDesc=CSS được sử dụng khi xem trường. +HelpCssOnListDesc=CSS được sử dụng khi trường nằm trong bảng danh sách.
      Ví dụ: "tdoverflowmax200" +RECEPTION_PDF_HIDE_ORDERED=Ẩn số lượng đặt hàng trên các tài liệu được tạo để tiếp nhận +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Hiển thị giá trên các tài liệu được tạo để tiếp nhận +WarningDisabled=Đã tắt cảnh báo +LimitsAndMitigation=Giới hạn truy cập và giảm thiểu +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. +DesktopsOnly=Chỉ máy tính để bàn +DesktopsAndSmartphones=Máy tính để bàn và điện thoại thông minh +AllowOnlineSign=Cho phép ký trực tuyến +AllowExternalDownload=Cho phép tải xuống bên ngoài (không cần đăng nhập, sử dụng liên kết được chia sẻ) +DeadlineDayVATSubmission=Ngày hết hạn nộp thuế GTGT vào tháng tiếp theo +MaxNumberOfAttachementOnForms=Số lượng tệp được nối tối đa trong một biểu mẫu +IfDefinedUseAValueBeetween=Nếu được xác định, hãy sử dụng giá trị giữa %s và %s +Reload=Tải lại +ConfirmReload=Xác nhận tải lại mô-đun +WarningModuleHasChangedLastVersionCheckParameter=Cảnh báo: mô-đun %s đã đặt tham số để kiểm tra phiên bản của nó tại mỗi lần truy cập trang. Đây là một hành vi không tốt và không được phép, có thể khiến trang quản trị các module không ổn định. Vui lòng liên hệ với tác giả của mô-đun để khắc phục điều này. +WarningModuleHasChangedSecurityCsrfParameter=Cảnh báo: mô-đun %s đã vô hiệu hóa bảo mật CSRF cho phiên bản của bạn. Hành động này bị nghi ngờ và cài đặt của bạn có thể không còn được bảo mật nữa. Vui lòng liên hệ với tác giả của mô-đun để được giải thích. +EMailsInGoingDesc=Email đến được quản lý bởi mô-đun %s. Bạn phải kích hoạt và định cấu hình nó nếu bạn cần hỗ trợ gửi email. +MAIN_IMAP_USE_PHPIMAP=Sử dụng thư viện PHP-IMAP cho IMAP thay vì IMAP PHP gốc. Điều này cũng cho phép sử dụng kết nối OAuth2 cho IMAP (mô-đun OAuth cũng phải được kích hoạt). +MAIN_CHECKBOX_LEFT_COLUMN=Hiển thị cột để chọn trường và dòng ở bên trái (theo mặc định ở bên phải) +NotAvailableByDefaultEnabledOnModuleActivation=Không được tạo theo mặc định. Chỉ được tạo khi kích hoạt mô-đun. +CSSPage=Kiểu CSS Defaultfortype=Mặc định -DefaultForTypeDesc=Template used by default when creating a new email for the template type -OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s -OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s -AtBottomOfPage=At bottom of page -FailedAuth=failed authentications -MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +DefaultForTypeDesc=Mẫu được sử dụng theo mặc định khi tạo email mới cho loại mẫu +OptionXShouldBeEnabledInModuleY=Tùy chọn "%s" phải được bật trong mô-đun %s +OptionXIsCorrectlyEnabledInModuleY=Tùy chọn "%s" được bật trong mô-đun %s +AllowOnLineSign=Cho phép chữ ký trực tuyến +AtBottomOfPage=Ở cuối trang +FailedAuth=xác thực thất bại +MaxNumberOfFailedAuth=Số lần xác thực không thành công tối đa trong 24h để từ chối đăng nhập. +AllowPasswordResetBySendingANewPassByEmail=Nếu người dùng A có quyền này và ngay cả khi người dùng A không phải là người dùng "quản trị viên", A được phép đặt lại mật khẩu của bất kỳ người dùng B nào khác, mật khẩu mới sẽ được gửi đến email của người dùng B khác nhưng nó sẽ không hiển thị với A. Nếu người dùng A có cờ "quản trị viên", anh ta cũng có thể biết mật khẩu mới được tạo của B là gì để anh ta có thể kiểm soát tài khoản người dùng B. +AllowAnyPrivileges=Nếu người dùng A có quyền này, anh ta có thể tạo người dùng B với tất cả các đặc quyền, sau đó sử dụng người dùng B này hoặc cấp cho bất kỳ nhóm nào khác bất kỳ quyền nào. Vì vậy, điều đó có nghĩa là người dùng A sở hữu tất cả các đặc quyền kinh doanh (chỉ cấm quyền truy cập hệ thống vào các trang thiết lập) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=Giá trị này có thể được đọc vì phiên bản của bạn không được đặt ở chế độ sản xuất +SeeConfFile=Xem bên trong tệp conf.php trên máy chủ +ReEncryptDesc=Mã hóa lại dữ liệu nếu chưa được mã hóa +PasswordFieldEncrypted=%s bản ghi mới trường này đã được mã hóa chưa +ExtrafieldsDeleted=Các trường bổ sung %s đã bị xóa +LargeModern=Lớn - Hiện đại +SpecialCharActivation=Kích hoạt nút mở bàn phím ảo để nhập ký tự đặc biệt +DeleteExtrafield=Xóa trường ngoại khóa +ConfirmDeleteExtrafield=Bạn có xác nhận xóa trường %s không? Tất cả dữ liệu được lưu vào trường này chắc chắn sẽ bị xóa +ExtraFieldsSupplierInvoicesRec=Thuộc tính bổ sung (hóa đơn mẫu) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Các thông số cho môi trường thử nghiệm +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/vi_VN/agenda.lang b/htdocs/langs/vi_VN/agenda.lang index c330136139b..2c7e0bce55f 100644 --- a/htdocs/langs/vi_VN/agenda.lang +++ b/htdocs/langs/vi_VN/agenda.lang @@ -4,7 +4,7 @@ Actions=Sự kiện Agenda=Lịch làm việc TMenuAgenda=Chương trình nghị sự Agendas=Lịch làm việc -LocalAgenda=Default calendar +LocalAgenda=lịch mặc định ActionsOwnedBy=Tổ chức sự kiện thuộc sở hữu của ActionsOwnedByShort=Chủ sở hữu AffectedTo=Giao cho @@ -14,13 +14,13 @@ EventsNb=Số sự kiện ListOfActions=Danh sách các sự kiện EventReports=Báo cáo sự kiện Location=Địa phương -ToUserOfGroup=Event assigned to any user in the group +ToUserOfGroup=Sự kiện được chỉ định cho bất kỳ người dùng nào trong nhóm EventOnFullDay=Tất cả sự kiện MenuToDoActions=Tất cả sự kiện chưa xong MenuDoneActions=Tất cả sự kiện đã chấm dứt MenuToDoMyActions=Sự kiện chưa xong của tôi MenuDoneMyActions=Sự kiện đã chấm dứt của tôi -ListOfEvents=List of events (default calendar) +ListOfEvents=Danh sách sự kiện (lịch mặc định) ActionsAskedBy=Sự kiện báo cáo bởi ActionsToDoBy=Sự kiện được giao ActionsDoneBy=Sự kiện được thực hiện bởi @@ -38,14 +38,14 @@ ActionsEvents=Sự kiện mà Dolibarr sẽ tạo ra một hành động trong c EventRemindersByEmailNotEnabled=Lời nhắc sự kiện qua email không được bật vào thiết lập mô-đun %s. ##### Agenda event labels ##### NewCompanyToDolibarr=Đã tạo bên thứ ba %s -COMPANY_MODIFYInDolibarr=Third party %s modified +COMPANY_MODIFYInDolibarr=Đã sửa đổi %s của bên thứ ba COMPANY_DELETEInDolibarr=Đã xóa bên thứ ba %s ContractValidatedInDolibarr=Hợp đồng %s được xác thực CONTRACT_DELETEInDolibarr=Hợp đồng %s đã bị xóa PropalClosedSignedInDolibarr=Đề xuất %s đã ký PropalClosedRefusedInDolibarr=Đề xuất %s từ chối PropalValidatedInDolibarr=Đề nghị xác nhận %s -PropalBackToDraftInDolibarr=Proposal %s go back to draft status +PropalBackToDraftInDolibarr=Đề xuất %s quay lại trạng thái dự thảo PropalClassifiedBilledInDolibarr=Đề xuất %s được phân loại hóa đơn InvoiceValidatedInDolibarr=Hoá đơn %s xác nhận InvoiceValidatedInDolibarrFromPos=Hóa đơn %s được xác thực từ POS @@ -57,19 +57,19 @@ MemberValidatedInDolibarr=Thành viên %s được xác thực MemberModifiedInDolibarr=Thành viên %s đã sửa đổi MemberResiliatedInDolibarr=Thành viên %s chấm dứt MemberDeletedInDolibarr=Thành viên %s đã bị xóa -MemberExcludedInDolibarr=Member %s excluded +MemberExcludedInDolibarr=Đã loại trừ thành viên %s MemberSubscriptionAddedInDolibarr=Đăng ký %s cho thành viên %s đã thêm MemberSubscriptionModifiedInDolibarr=Đăng ký %s cho thành viên %s đã sửa đổi MemberSubscriptionDeletedInDolibarr=Đăng ký %s cho thành viên %s đã bị xóa ShipmentValidatedInDolibarr=Lô hàng %s được xác thực -ShipmentClassifyClosedInDolibarr=Shipment %s classified closed +ShipmentClassifyClosedInDolibarr=Lô hàng %s được phân loại đã đóng ShipmentUnClassifyCloseddInDolibarr=Lô hàng %s được phân loại mở lại ShipmentBackToDraftInDolibarr=Lô hàng %s trở lại trạng thái dự thảo ShipmentDeletedInDolibarr=Lô hàng %s đã bị xóa -ShipmentCanceledInDolibarr=Shipment %s canceled -ReceptionValidatedInDolibarr=Reception %s validated -ReceptionDeletedInDolibarr=Reception %s deleted -ReceptionClassifyClosedInDolibarr=Reception %s classified closed +ShipmentCanceledInDolibarr=Lô hàng %s đã bị hủy +ReceptionValidatedInDolibarr=Việc tiếp nhận %s đã được xác thực +ReceptionDeletedInDolibarr=Lễ tân %s đã bị xóa +ReceptionClassifyClosedInDolibarr=Lễ tân %s được phân loại đã đóng cửa OrderCreatedInDolibarr=Đặt hàng %s đã tạo OrderValidatedInDolibarr=Thứ tự %s xác nhận OrderDeliveredInDolibarr=Đặt hàng %s được phân loại @@ -88,14 +88,14 @@ SupplierInvoiceSentByEMail=Hóa đơn nhà cung cấp %s được gửi qua emai ShippingSentByEMail=Lô hàng %s được gửi qua email ShippingValidated= Lô hàng %s được xác thực InterventionSentByEMail=Can thiệp %s được gửi qua email -ProjectSentByEMail=Project %s sent by email +ProjectSentByEMail=Dự án %s được gửi qua email ProposalDeleted=Đề xuất đã bị xóa OrderDeleted=Đã xóa đơn hàng InvoiceDeleted=Hóa đơn đã bị xóa DraftInvoiceDeleted=Hoá đơn dự thảo đã được xoá -CONTACT_CREATEInDolibarr=Contact %s created -CONTACT_MODIFYInDolibarr=Contact %s modified -CONTACT_DELETEInDolibarr=Contact %s deleted +CONTACT_CREATEInDolibarr=Đã tạo liên hệ %s +CONTACT_MODIFYInDolibarr=Đã sửa đổi liên hệ %s +CONTACT_DELETEInDolibarr=Đã xóa liên hệ %s PRODUCT_CREATEInDolibarr=Sản phẩm %s được tạo PRODUCT_MODIFYInDolibarr=Sản phẩm %s được sửa đổi PRODUCT_DELETEInDolibarr=Đã xóa sản phẩm %s @@ -123,11 +123,12 @@ BOM_CLOSEInDolibarr=BOM bị vô hiệu hóa BOM_REOPENInDolibarr=BOM mở lại BOM_DELETEInDolibarr=BOM đã xóa MRP_MO_VALIDATEInDolibarr=MO đã xác nhận -MRP_MO_UNVALIDATEInDolibarr=MO set to draft status +MRP_MO_UNVALIDATEInDolibarr=MO được đặt ở trạng thái nháp MRP_MO_PRODUCEDInDolibarr=MO đã tạo MRP_MO_DELETEInDolibarr=MO đã xóa -MRP_MO_CANCELInDolibarr=MO canceled -PAIDInDolibarr=%s paid +MRP_MO_CANCELInDolibarr=MO đã bị hủy +PAIDInDolibarr=%s đã thanh toán +ENABLEDISABLEInDolibarr=Người dùng kích hoạt hoặc vô hiệu hóa ##### End agenda events ##### AgendaModelModule=Mẫu tài liệu cho sự kiện DateActionStart=Ngày bắt đầu @@ -139,7 +140,7 @@ AgendaUrlOptions4=logint = %s để hạn chế đầu ra cho các hành AgendaUrlOptionsProject=project = __PROJECT_ID__ để hạn chế đầu ra cho các hành động được liên kết với dự án __PROJECT_ID__. AgendaUrlOptionsNotAutoEvent=notactiontype = systemauto để loại trừ các sự kiện tự động. AgendaUrlOptionsIncludeHolidays=includeholidays=1 bào gồm các ngày nghỉ sự kiện -AgendaShowBirthdayEvents=Birthdays of contacts +AgendaShowBirthdayEvents=Sinh nhật của các liên hệ AgendaHideBirthdayEvents=Ẩn ngày sinh của các liên lạc Busy=Bận ExportDataset_event1=Danh sách các sự kiện chương trình nghị sự @@ -161,23 +162,43 @@ ActionType=Loại sự kiện DateActionBegin=Ngày bắt đầu sự kiện ConfirmCloneEvent=Bạn có chắc chắn muốn sao chép sự kiện %s ? RepeatEvent=Lặp lại sự kiện -OnceOnly=Once only -EveryDay=Every day +OnceOnly=Chỉ một lần +EveryDay=Hằng ngày EveryWeek=Mỗi tuần EveryMonth=Mỗi tháng DayOfMonth=Ngày trong tháng DayOfWeek=Ngày trong tuần DateStartPlusOne=Ngày bắt đầu + 1 giờ -SetAllEventsToTodo=Set all events to todo -SetAllEventsToInProgress=Set all events to in progress -SetAllEventsToFinished=Set all events to finished -ReminderTime=Reminder period before the event -TimeType=Duration type -ReminderType=Callback type -AddReminder=Create an automatic reminder notification for this event -ErrorReminderActionCommCreation=Error creating the reminder notification for this event -BrowserPush=Browser Popup Notification -Reminders=Reminders -ActiveByDefault=Enabled by default -Until=until -DataFromWasMerged=Data from %s was merged +SetAllEventsToTodo=Đặt tất cả sự kiện thành việc cần làm +SetAllEventsToInProgress=Đặt tất cả các sự kiện đang diễn ra +SetAllEventsToFinished=Đặt tất cả các sự kiện thành kết thúc +ReminderTime=Giai đoạn nhắc nhở trước sự kiện +TimeType=Loại thời lượng +ReminderType=Kiểu gọi lại +AddReminder=Tạo thông báo nhắc nhở tự động cho sự kiện này +ErrorReminderActionCommCreation=Lỗi tạo thông báo nhắc nhở cho sự kiện này +BrowserPush=Thông báo bật lên của trình duyệt +Reminders=Lời nhắc +ActiveByDefault=Được bật theo mặc định +Until=cho đến khi +DataFromWasMerged=Dữ liệu từ %s đã được hợp nhất +AgendaShowBookcalCalendar=Lịch đặt chỗ: %s +MenuBookcalIndex=Cuộc hẹn trực tuyến +BookcalLabelAvailabilityHelp=Nhãn của phạm vi sẵn có. Ví dụ:
      Có sẵn rộng rãi
      Có sẵn trong dịp lễ Giáng sinh +DurationOfRange=Thời lượng của phạm vi +BookCalSetup = Thiết lập cuộc hẹn trực tuyến +Settings = Cài đặt +BookCalSetupPage = Trang thiết lập cuộc hẹn trực tuyến +BOOKCAL_PUBLIC_INTERFACE_TOPIC = Tiêu đề giao diện +About = Về +BookCalAbout = Giới thiệu về BookCal +BookCalAboutPage = BookCal về trang +Calendars=Lịch +Availabilities=sẵn có +NewAvailabilities=sẵn có mới +NewCalendar=Lịch mới +ThirdPartyBookCalHelp=Sự kiện được đặt trong lịch này sẽ được tự động liên kết với bên thứ ba này. +AppointmentDuration = Thời lượng cuộc hẹn: %s +BookingSuccessfullyBooked=Đặt chỗ của bạn đã được lưu +BookingReservationHourAfter=Chúng tôi xác nhận việc đặt trước cuộc họp của chúng tôi vào ngày %s +BookcalBookingTitle=Cuộc hẹn trực tuyến diff --git a/htdocs/langs/vi_VN/assets.lang b/htdocs/langs/vi_VN/assets.lang index bc09463a66e..f4c117b8626 100644 --- a/htdocs/langs/vi_VN/assets.lang +++ b/htdocs/langs/vi_VN/assets.lang @@ -1,4 +1,4 @@ -# Copyright (C) 2018 Alexandre Spangaro +# Copyright (C) 2018-2022 Alexandre Spangaro # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by @@ -16,50 +16,171 @@ # # Generic # -Assets = Tài sản -NewAsset = Tài sản mới -AccountancyCodeAsset = Mã kế toán (tài sản) -AccountancyCodeDepreciationAsset = Mã kế toán (tài khoản khấu hao tài sản) -AccountancyCodeDepreciationExpense = Mã kế toán (tài khoản chi phí khấu hao) -NewAssetType=Loại tài sản mới -AssetsTypeSetup=Thiết lập loại tài sản -AssetTypeModified=Loại tài sản sửa đổi -AssetType=Loại tài sản +NewAsset=Tài sản mới +AccountancyCodeAsset=Mã kế toán (tài sản) +AccountancyCodeDepreciationAsset=Mã kế toán (tài khoản khấu hao tài sản) +AccountancyCodeDepreciationExpense=Mã kế toán (tài khoản chi phí khấu hao) AssetsLines=Tài sản DeleteType=Xóa -DeleteAnAssetType=Xóa một loại tài sản -ConfirmDeleteAssetType=Bạn có chắc chắn muốn xóa loại tài sản này? -ShowTypeCard=Hiển thị loại '% s' +DeleteAnAssetType=Xóa một mô hình tài sản +ConfirmDeleteAssetType=Bạn có chắc muốn xóa mô hình tài sản này? +ShowTypeCard=Hiển thị mô hình '%s' # Module label 'ModuleAssetsName' -ModuleAssetsName = Tài sản +ModuleAssetsName=Tài sản # Module description 'ModuleAssetsDesc' -ModuleAssetsDesc = Mô tả tài sản +ModuleAssetsDesc=Mô tả tài sản # # Admin page # -AssetsSetup = Thiết lập tài sản -Settings = Cài đặt -AssetsSetupPage = Trang thiết lập tài sản -ExtraFieldsAssetsType = Thuộc tính bổ sung (loại tài sản) -AssetsType=Loại tài sản -AssetsTypeId=ID Loại tài sản -AssetsTypeLabel=Nhãn loại tài sản -AssetsTypes=Các loại tài sản +AssetSetup=Thiết lập tài sản +AssetSetupPage=Trang thiết lập tài sản +ExtraFieldsAssetModel=Thuộc tính bổ sung (Mô hình tài sản) + +AssetsType=Mô hình tài sản +AssetsTypeId=ID mô hình tài sản +AssetsTypeLabel=Nhãn mô hình nội dung +AssetsTypes=Mô hình tài sản +ASSET_ACCOUNTANCY_CATEGORY=Nhóm kế toán tài sản cố định # # Menu # -MenuAssets = Tài sản -MenuNewAsset = Tài sản mới -MenuTypeAssets = Loại tài sản -MenuListAssets = Danh sách -MenuNewTypeAssets = Mới -MenuListTypeAssets = Danh sách +MenuAssets=Tài sản +MenuNewAsset=Tài sản mới +MenuAssetModels=Nội dung mô hình +MenuListAssets=Danh sách +MenuNewAssetModel=Mô hình tài sản mới +MenuListAssetModels=Danh sách # # Module # -NewAssetType=Loại tài sản mới -NewAsset=Tài sản mới +ConfirmDeleteAsset=Bạn có thực sự muốn xóa nội dung này không? + +# +# Tab +# +AssetDepreciationOptions=Tùy chọn khấu hao +AssetAccountancyCodes=Tài khoản kế toán +AssetDepreciation=Khấu hao + +# +# Asset +# +Asset=Tài sản +Assets=Tài sản +AssetReversalAmountHT=Số tiền hoàn lại (không có thuế) +AssetAcquisitionValueHT=Số tiền mua lại (không có thuế) +AssetRecoveredVAT=VAT được thu hồi +AssetReversalDate=Ngày đảo ngược +AssetDateAcquisition=Ngày mua lại +AssetDateStart=Ngày khởi động +AssetAcquisitionType=Loại mua lại +AssetAcquisitionTypeNew=Mới +AssetAcquisitionTypeOccasion=Đã sử dụng +AssetType=Loại tài sản +AssetTypeIntangible=Vô hình +AssetTypeTangible=Hữu hình +AssetTypeInProgress=Trong tiến trình xử lý +AssetTypeFinancial=Tài chính +AssetNotDepreciated=Không khấu hao +AssetDisposal=Xử lý +AssetConfirmDisposalAsk=Bạn có chắc chắn muốn thanh lý nội dung %s không? +AssetConfirmReOpenAsk=Bạn có chắc chắn muốn mở lại nội dung %s không? + +# +# Asset status +# +AssetInProgress=Trong tiến trình xử lý +AssetDisposed=xử lý +AssetRecorded=Đã hạch toán + +# +# Asset disposal +# +AssetDisposalDate=Ngày xử lý +AssetDisposalAmount=Giá trị thải bỏ +AssetDisposalType=Loại xử lý +AssetDisposalDepreciated=Khấu hao năm chuyển nhượng +AssetDisposalSubjectToVat=Việc thải bỏ phải chịu thuế VAT + +# +# Asset model +# +AssetModel=Mô hình tài sản +AssetModels=Mô hình tài sản + +# +# Asset depreciation options +# +AssetDepreciationOptionEconomic=Khấu hao kinh tế +AssetDepreciationOptionAcceleratedDepreciation=Khấu hao nhanh (thuế) +AssetDepreciationOptionDepreciationType=Loại khấu hao +AssetDepreciationOptionDepreciationTypeLinear=tuyến tính +AssetDepreciationOptionDepreciationTypeDegressive=thoái hóa +AssetDepreciationOptionDepreciationTypeExceptional=Đặc biệt +AssetDepreciationOptionDegressiveRate=Tỷ lệ giảm dần +AssetDepreciationOptionAcceleratedDepreciation=Khấu hao nhanh (thuế) +AssetDepreciationOptionDuration=Thời hạn +AssetDepreciationOptionDurationType=Loại thời lượng +AssetDepreciationOptionDurationTypeAnnual=Hàng năm +AssetDepreciationOptionDurationTypeMonthly=Hàng tháng +AssetDepreciationOptionDurationTypeDaily=Hằng ngày +AssetDepreciationOptionRate=Tỷ lệ (%%) +AssetDepreciationOptionAmountBaseDepreciationHT=Căn cứ khấu hao (chưa bao gồm VAT) +AssetDepreciationOptionAmountBaseDeductibleHT=Căn cứ khấu trừ (chưa bao gồm VAT) +AssetDepreciationOptionTotalAmountLastDepreciationHT=Tổng số tiền khấu hao gần đây nhất (chưa bao gồm VAT) + +# +# Asset accountancy codes +# +AssetAccountancyCodeDepreciationEconomic=Khấu hao kinh tế +AssetAccountancyCodeAsset=Tài sản +AssetAccountancyCodeDepreciationAsset=Khấu hao +AssetAccountancyCodeDepreciationExpense=Chi phí khấu hao +AssetAccountancyCodeValueAssetSold=Giá trị tài sản được xử lý +AssetAccountancyCodeReceivableOnAssignment=Phải thu khi thanh lý +AssetAccountancyCodeProceedsFromSales=Tiền thu được từ việc thanh lý +AssetAccountancyCodeVatCollected=VAT đã thu +AssetAccountancyCodeVatDeductible=Thuế GTGT của tài sản được thu hồi +AssetAccountancyCodeDepreciationAcceleratedDepreciation=Khấu hao nhanh (thuế) +AssetAccountancyCodeAcceleratedDepreciation=Tài khoản +AssetAccountancyCodeEndowmentAcceleratedDepreciation=Chi phí khấu hao +AssetAccountancyCodeProvisionAcceleratedDepreciation=Thu hồi/Cung cấp + +# +# Asset depreciation +# +AssetBaseDepreciationHT=Cơ sở khấu hao (chưa bao gồm VAT) +AssetDepreciationBeginDate=Bắt đầu khấu hao vào +AssetDepreciationDuration=Thời hạn +AssetDepreciationRate=Tỷ lệ (%%) +AssetDepreciationDate=Ngày khấu hao +AssetDepreciationHT=Khấu hao (không bao gồm VAT) +AssetCumulativeDepreciationHT=Khấu hao lũy kế (chưa bao gồm VAT) +AssetResidualHT=Giá trị còn lại (chưa bao gồm VAT) +AssetDispatchedInBookkeeping=Khấu hao được ghi nhận +AssetFutureDepreciationLine=Khấu hao trong tương lai +AssetDepreciationReversal=Đảo ngược + +# +# Errors +# +AssetErrorAssetOrAssetModelIDNotProvide=Id của nội dung hoặc mô hình được tìm thấy chưa được cung cấp +AssetErrorFetchAccountancyCodesForMode=Lỗi khi truy xuất tài khoản kế toán ở chế độ khấu hao '%s' +AssetErrorDeleteAccountancyCodesForMode=Lỗi khi xóa tài khoản kế toán khỏi chế độ khấu hao '%s' +AssetErrorInsertAccountancyCodesForMode=Lỗi khi chèn tài khoản kế toán chế độ khấu hao '%s' +AssetErrorFetchDepreciationOptionsForMode=Lỗi khi truy xuất các tùy chọn cho chế độ khấu hao '%s' +AssetErrorDeleteDepreciationOptionsForMode=Lỗi khi xóa tùy chọn chế độ khấu hao '%s' +AssetErrorInsertDepreciationOptionsForMode=Lỗi khi chèn tùy chọn chế độ khấu hao '%s' +AssetErrorFetchDepreciationLines=Lỗi khi truy xuất dòng khấu hao đã ghi +AssetErrorClearDepreciationLines=Lỗi khi xóa các dòng khấu hao đã ghi (đảo ngược và tương lai) +AssetErrorAddDepreciationLine=Lỗi khi thêm dòng khấu hao +AssetErrorCalculationDepreciationLines=Lỗi khi tính đường khấu hao (thu hồi và tương lai) +AssetErrorReversalDateNotProvidedForMode=Ngày đảo ngược không được cung cấp cho phương pháp khấu hao '%s' +AssetErrorReversalDateNotGreaterThanCurrentBeginFiscalDateForMode=Ngày đảo ngược phải lớn hơn hoặc bằng ngày đầu năm tài chính hiện tại đối với phương pháp khấu hao '%s' +AssetErrorReversalAmountNotProvidedForMode=Số tiền đảo ngược không được cung cấp cho chế độ khấu hao '%s'. +AssetErrorFetchCumulativeDepreciation=Lỗi khi lấy số tiền khấu hao lũy kế từ dòng khấu hao +AssetErrorSetLastCumulativeDepreciation=Lỗi khi ghi số tiền khấu hao lũy kế gần nhất diff --git a/htdocs/langs/vi_VN/banks.lang b/htdocs/langs/vi_VN/banks.lang index ecd7173b1ba..0091c109999 100644 --- a/htdocs/langs/vi_VN/banks.lang +++ b/htdocs/langs/vi_VN/banks.lang @@ -16,6 +16,7 @@ CashAccounts=Tài khoản tiền mặt CurrentAccounts=Tài khoản vãng lai SavingAccounts=Tài khoản tiết kiệm ErrorBankLabelAlreadyExists=Tên tài khoản tài chính đã tồn tại +ErrorBankReceiptAlreadyExists=Tham chiếu biên lai ngân hàng đã tồn tại BankBalance=Số dư BankBalanceBefore=Cân đối trước BankBalanceAfter=Cân đối sau @@ -37,9 +38,9 @@ IbanValid=BAN hợp lệ IbanNotValid=BAN không hợp lệ StandingOrders=Lệnh ghi nợ trực tiếp StandingOrder=Lệnh ghi nợ trực tiếp -PaymentByDirectDebit=Payment by direct debit -PaymentByBankTransfers=Payments by credit transfer -PaymentByBankTransfer=Payment by credit transfer +PaymentByDirectDebit=thanh toán bằng ghi nợ trực tiếp +PaymentByBankTransfers=Thanh toán bằng chuyển khoản tín dụng +PaymentByBankTransfer=thanh toán bằng chuyển khoản tín dụng AccountStatement=Sao kê tài khoản AccountStatementShort=Sao kê AccountStatements=Sao kê tài khoản @@ -49,9 +50,9 @@ BankAccountDomiciliation=Địa chỉ ngân hàng BankAccountCountry=Quốc gia tài khoản BankAccountOwner=Tên chủ tài khoản BankAccountOwnerAddress=Địa chỉ chủ sở hữu tài khoản -BankAccountOwnerZip=Account owner zip -BankAccountOwnerTown=Account owner town -BankAccountOwnerCountry=Account owner country +BankAccountOwnerZip=Mã zip của chủ tài khoản +BankAccountOwnerTown=Thị trấn chủ tài khoản +BankAccountOwnerCountry=Quốc gia của chủ tài khoản CreateAccount=Tạo tài khoản NewBankAccount=Tài khoản mới NewFinancialAccount=Tài khoản tài chính mới @@ -60,7 +61,7 @@ EditFinancialAccount=Chỉnh sửa tài khoản LabelBankCashAccount=Nhãn ngân hàng hoặc tiền AccountType=Loại tài khoản BankType0=Tài khoản tiết kiệm -BankType1=Current, cheque or credit card account +BankType1=Tài khoản hiện tại, séc hoặc thẻ tín dụng BankType2=Tài khoản tiền mặt AccountsArea=Khu vực tài khoản AccountCard=Thẻ tài khoản @@ -106,22 +107,22 @@ BankLineNotReconciled=Chưa đối soát CustomerInvoicePayment=Thanh toán của khách hàng SupplierInvoicePayment=Nhà cung cấp thanh toán SubscriptionPayment=Thanh toán đăng ký -WithdrawalPayment=Direct Debit payment -BankTransferPayment=Credit Transfer payment +WithdrawalPayment=Ghi nợ trực tiếp thanh toán +BankTransferPayment=Chuyển khoản tín dụng thanh toán SocialContributionPayment=Thanh toán phí/thuế khác -BankTransfer=Credit transfer -BankTransfers=Credit transfers +BankTransfer=Chuyển khoản tín dụng +BankTransfers=Chuyển khoản tín dụng MenuBankInternalTransfer=Chuyển tiền nội bộ -TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. +TransferDesc=Sử dụng chuyển khoản nội bộ để chuyển từ tài khoản này sang tài khoản khác, ứng dụng sẽ ghi hai bản ghi: một bản ghi nợ ở tài khoản nguồn và một bản ghi có ở tài khoản đích. Số tiền, nhãn và ngày tương tự sẽ được sử dụng cho giao dịch này. TransferFrom=Từ TransferTo=Đến TransferFromToDone=Một chuyển khoản từ %s đến %s của %s %s đã được ghi lại. CheckTransmitter=Người gửi ValidateCheckReceipt=Kiểm tra chứng từ séc này? -ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes will be possible once validated. +ConfirmValidateCheckReceipt=Bạn có chắc chắn muốn gửi biên lai séc này để xác thực không? Sẽ không có thay đổi nào có thể thực hiện được sau khi được xác nhận. DeleteCheckReceipt=Xóa biên nhận séc này? ConfirmDeleteCheckReceipt=Bạn có muốn xóa biên nhận séc này? -DocumentsForDeposit=Documents to deposit at the bank +DocumentsForDeposit=Giấy tờ gửi tại ngân hàng BankChecks=Séc ngân hàng BankChecksToReceipt=Séc đợi tiền gửi BankChecksToReceiptShort=Séc đợi tiền gửi @@ -132,7 +133,7 @@ ConfirmDeleteTransaction=Bạn có muốn xóa kê khai này? ThisWillAlsoDeleteBankRecord=Đồng thời còn xóa kê khai ngân hàng đã tạo BankMovements=Biến động PlannedTransactions=Kê khai theo kế hoạch -Graph=Graphs +Graph=Đồ thị ExportDataset_banque_1=Kê khai ngân hàng và bảng kê tài khoản ExportDataset_banque_2=Phiếu nộp tiền TransactionOnTheOtherAccount=Giao dịch trên tài khoản khác @@ -146,10 +147,10 @@ AllAccounts=Tất cả tài khoản ngân hàng và tiền mặt BackToAccount=Trở lại tài khoản ShowAllAccounts=Hiển thị tất cả tài khoản FutureTransaction=Giao dịch trong tương lai. Không thể đối chiếu -SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". -SelectPaymentTransactionAndGenerate=Select/filter the documents which are to be included in the %s deposit receipt. Then, click on "Create". -InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value -InputReceiptNumberBis=YYYYMM or YYYYMMDD +SelectChequeTransactionAndGenerate=Chọn/lọc các séc sẽ được đưa vào biên lai gửi séc. Sau đó, nhấp vào "Tạo". +SelectPaymentTransactionAndGenerate=Chọn/lọc các tài liệu sẽ có trong biên lai ký gửi %s. Sau đó, nhấp vào "Tạo". +InputReceiptNumber=Chọn sao kê ngân hàng liên quan đến việc hòa giải. Sử dụng một giá trị số có thể sắp xếp +InputReceiptNumberBis=YYYYMM hoặc YYYYMMDD EventualyAddCategory=Cuối cùng, chỉ định một danh mục trong đó để phân loại các hồ sơ ToConciliate=Cần đối soát? ThenCheckLinesAndConciliate=Sau đó, kiểm tra những dòng hiện trong báo cáo ngân hàng và nhấp @@ -172,23 +173,24 @@ VariousPayment=Thanh toán khác VariousPayments=Các thanh toán khác ShowVariousPayment=Hiển thị thanh toán khác AddVariousPayment=Thêm thanh toán khác -VariousPaymentId=Miscellaneous payment ID -VariousPaymentLabel=Miscellaneous payment label -ConfirmCloneVariousPayment=Confirm the clone of a miscellaneous payment +VariousPaymentId=ID thanh toán khác +VariousPaymentLabel=Nhãn thanh toán khác +ConfirmCloneVariousPayment=Xác nhận bản sao của thanh toán linh tinh SEPAMandate=Ủy quyền SEPA YourSEPAMandate=Ủy quyền SEPA của bạn FindYourSEPAMandate=Đây là ủy quyền SEPA của bạn để ủy quyền cho công ty chúng tôi thực hiện lệnh ghi nợ trực tiếp vào ngân hàng của bạn. Trả lại nó đã ký (quét tài liệu đã ký) hoặc gửi thư đến AutoReportLastAccountStatement=Tự động điền vào trường "số báo cáo ngân hàng" với số sao kê cuối cùng khi thực hiện đối chiếu -CashControl=POS cash control -NewCashFence=New cash control (opening or closing) +CashControl=Kiểm soát tiền mặt POS +NewCashFence=Kiểm soát tiền mặt mới (mở hoặc đóng) BankColorizeMovement=Tô màu cho các kết chuyển BankColorizeMovementDesc=Nếu chức năng này được bật, bạn có thể chọn màu nền cụ thể cho các kết chuyển ghi nợ hoặc tín dụng BankColorizeMovementName1=Màu nền cho kết chuyển ghi nợ BankColorizeMovementName2=Màu nền cho kết chuyển ghi có -IfYouDontReconcileDisableProperty=If you don't make the bank reconciliations on some bank accounts, disable the property "%s" on them to remove this warning. -NoBankAccountDefined=No bank account defined -NoRecordFoundIBankcAccount=No record found in bank account. Commonly, this occurs when a record has been deleted manually from the list of transaction in the bank account (for example during a reconciliation of the bank account). Another reason is that the payment was recorded when the module "%s" was disabled. -AlreadyOneBankAccount=Already one bank account defined -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=SEPA transfer: 'Payment Type' at 'Credit Transfer' level -SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=When generatin a SEPA XML file for Credit transfers, the section "PaymentTypeInformation" can now be placed inside the "CreditTransferTransactionInformation" section (instead of "Payment" section). We strongly recommend to keep this unchecked to place PaymentTypeInformation at Payment level, as all banks will not necessarily accept it at CreditTransferTransactionInformation level. Contact your bank before placing PaymentTypeInformation at CreditTransferTransactionInformation level. -ToCreateRelatedRecordIntoBank=To create missing related bank record +IfYouDontReconcileDisableProperty=Nếu bạn không thực hiện đối chiếu ngân hàng trên một số tài khoản ngân hàng, hãy vô hiệu hóa thuộc tính "%s" trên chúng để xóa cảnh báo này. +NoBankAccountDefined=Không có tài khoản ngân hàng nào được xác định +NoRecordFoundIBankcAccount=Không tìm thấy hồ sơ trong tài khoản ngân hàng. Thông thường, điều này xảy ra khi một bản ghi đã bị xóa thủ công khỏi danh sách giao dịch trong tài khoản ngân hàng (ví dụ: trong quá trình đối chiếu tài khoản ngân hàng). Một lý do khác là thanh toán đã được ghi lại khi mô-đun "%s" bị tắt. +AlreadyOneBankAccount=Đã xác định được một tài khoản ngân hàng +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformation=Biến thể tệp SEPA +SEPAXMLPlacePaymentTypeInformationInCreditTransfertransactionInformationHelp=Có = Lưu trữ 'thanh toán Nhập' vào phần 'Chuyển khoản tín dụng' của tệp SEPA

      Khi tạo tệp XML SEPA để chuyển khoản Tín dụng, phần "PaymentTypeInformation" hiện có thể được đặt bên trong phần "CreditTransferTransactionInformation" (thay vì phần "thanh toán"). Chúng tôi thực sự khuyên bạn nên bỏ chọn tùy chọn này để đặt PaymentTypeInformation ở cấp độ thanh toán, vì tất cả các ngân hàng không nhất thiết phải chấp nhận nó ở cấp độ CreditTransferTransactionInformation. Liên hệ với ngân hàng của bạn trước khi đặt PaymentTypeInformation ở cấp độ CreditTransferTransactionInformation. +ToCreateRelatedRecordIntoBank=Để tạo hồ sơ ngân hàng liên quan bị thiếu +XNewLinesConciliated=%s (các) dòng mới đã được đối chiếu diff --git a/htdocs/langs/vi_VN/bills.lang b/htdocs/langs/vi_VN/bills.lang index 0a6c7910891..6bdf77104d4 100644 --- a/htdocs/langs/vi_VN/bills.lang +++ b/htdocs/langs/vi_VN/bills.lang @@ -13,12 +13,12 @@ BillsStatistics=Thống kê hóa đơn khách hàng BillsStatisticsSuppliers=Thống kê hóa đơn nhà cung cấp DisabledBecauseDispatchedInBookkeeping=Đã vô hiệu vì hóa đơn đã được đưa vào sổ sách kế toán DisabledBecauseNotLastInvoice=Đã vô hiệu vì hóa đơn không thể xóa được. Một số hóa đơn đã được ghi lại sau cái này và nó sẽ tạo ra các ô trống trên bộ đếm. -DisabledBecauseNotLastSituationInvoice=Disabled because invoice is not erasable. This invoice is not the last one in situation invoice cycle. +DisabledBecauseNotLastSituationInvoice=Bị vô hiệu hóa vì hóa đơn không thể xóa được. Hóa đơn này không phải là hóa đơn cuối cùng trong chu kỳ hóa đơn. DisabledBecauseNotErasable=Vô hiệu hóa vì không thể bị xóa InvoiceStandard=Hóa đơn chuẩn InvoiceStandardAsk=Hóa đơn chuẩn InvoiceStandardDesc=Đây là loại hóa đơn là hóa đơn thông thường. -InvoiceStandardShort=Standard +InvoiceStandardShort=Tiêu chuẩn InvoiceDeposit=Hóa đơn thanh toán tiền đặt cọc InvoiceDepositAsk=Hóa đơn thanh toán tiền đặt cọc InvoiceDepositDesc=Loại hóa đơn này được thực hiện khi nhận được một khoản thanh toán tiền đặt cọc. @@ -26,7 +26,7 @@ InvoiceProForma=Hóa đơn hình thức InvoiceProFormaAsk=Hóa đơn hình thức InvoiceProFormaDesc=Hóa đơn hình thức là một hình ảnh của một hóa đơn thực, nhưng không có giá trị kế toán. InvoiceReplacement=Hóa đơn thay thế -InvoiceReplacementShort=Replacement +InvoiceReplacementShort=thay thế InvoiceReplacementAsk=Hóa đơn thay thế cho hóa đơn InvoiceReplacementDesc=Hóa đơn thay thế được sử dụng để thay thế hoàn toàn hóa đơn mà không nhận được khoản thanh toán nào.

      Lưu ý: Chỉ những hóa đơn không có thanh toán trên đó mới có thể được thay thế. Nếu hóa đơn bạn thay thế chưa được đóng, nó sẽ tự động được đóng thành 'bị bỏ'. InvoiceAvoir=Giấy báo có @@ -58,7 +58,7 @@ CustomerInvoice=Hóa đơn khách hàng CustomersInvoices=Hóa đơn khách hàng SupplierInvoice=Hóa đơn nhà cung cấp SuppliersInvoices=Hóa đơn nhà cung cấp -SupplierInvoiceLines=Vendor invoice lines +SupplierInvoiceLines=Dòng hóa đơn nhà cung cấp SupplierBill=Hóa đơn nhà cung cấp SupplierBills=Hóa đơn nhà cung cấp Payment=Thanh toán @@ -84,14 +84,14 @@ PaymentsReports=Báo cáo thanh toán PaymentsAlreadyDone=Đã thanh toán PaymentsBackAlreadyDone=Đã thanh toán lại PaymentRule=Quy tắc thanh toán -PaymentMode=Payment method -PaymentModes=Payment methods -DefaultPaymentMode=Default Payment method -DefaultBankAccount=Default Bank Account -IdPaymentMode=Payment method (id) -CodePaymentMode=Payment method (code) -LabelPaymentMode=Payment method (label) -PaymentModeShort=Payment method +PaymentMode=Phương thức thanh toán +PaymentModes=Phương thức thanh toán +DefaultPaymentMode=Phương thức thanh toán mặc định +DefaultBankAccount=Tài khoản ngân hàng mặc định +IdPaymentMode=Phương thức thanh toán (id) +CodePaymentMode=Phương thức thanh toán (mã) +LabelPaymentMode=Phương thức thanh toán (nhãn) +PaymentModeShort=Phương thức thanh toán PaymentTerm=Điều khoản thanh toán PaymentConditions=Điều khoản thanh toán PaymentConditionsShort=Điều khoản thanh toán @@ -122,9 +122,9 @@ ConvertExcessPaidToReduc=Chuyển đổi thanh toán vượt mức thành giảm EnterPaymentReceivedFromCustomer=Nhập thanh toán đã nhận được từ khách hàng EnterPaymentDueToCustomer=Thực hiện thanh toán do khách hàng DisabledBecauseRemainderToPayIsZero=Vô hiệu hóa bởi vì phần chưa thanh toán còn lại là bằng 0 -PriceBase=Base price +PriceBase=Giá cơ bản BillStatus=Trạng thái hóa đơn -StatusOfGeneratedInvoices=Tình trạng hóa đơn được tạo +StatusOfAutoGeneratedInvoices=Trạng thái hóa đơn được tạo tự động BillStatusDraft=Dự thảo (cần được xác nhận) BillStatusPaid=Đã trả BillStatusPaidBackOrConverted=Hoàn trả ghi chú tín dụng hoặc được đánh dấu là tín dụng có sẵn @@ -159,15 +159,15 @@ ErrorInvoiceAvoirMustBeNegative=Lỗi, chỉnh sửa hóa đơn phải có một ErrorInvoiceOfThisTypeMustBePositive=Lỗi, loại hóa đơn này phải có số tiền không bao gồm thuế dương (hoặc null) ErrorCantCancelIfReplacementInvoiceNotValidated=Lỗi, không thể hủy bỏ một hóa đơn đã được thay thế bằng hóa đơn khác mà vẫn còn trong tình trạng dự thảo ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Phần này hay phần khác đã được sử dụng để giảm giá hàng loạt không thể được gỡ bỏ. -ErrorInvoiceIsNotLastOfSameType=Error: The date of invoice %s is %s. It must be posterior or equal to last date for same type invoices (%s). Please change the invoice date. +ErrorInvoiceIsNotLastOfSameType=Lỗi: Ngày hóa đơn %s là %s. Ngày này phải sau hoặc bằng ngày cuối cùng đối với hóa đơn cùng loại (%s). Vui lòng thay đổi ngày hóa đơn. BillFrom=Từ BillTo=Đến -ShippingTo=Shipping to +ShippingTo=Vận chuyển đến ActionsOnBill=Hành động trên hoá đơn -ActionsOnBillRec=Actions on recurring invoice +ActionsOnBillRec=Các hành động trên hóa đơn định kỳ RecurringInvoiceTemplate=Mẫu / Hóa đơn định kỳ NoQualifiedRecurringInvoiceTemplateFound=Không có hóa đơn mẫu định kỳ đủ điều kiện để tạo. -FoundXQualifiedRecurringInvoiceTemplate=Đã tìm thấy %s hóa đơn mẫu định kỳ đủ điều kiện để tạo. +FoundXQualifiedRecurringInvoiceTemplate=%s (các) hóa đơn mẫu định kỳ đủ điều kiện để tạo. NotARecurringInvoiceTemplate=Không phải là hóa đơn mẫu định kỳ NewBill=Hóa đơn mới LastBills=Hóa đơn %s mới nhất @@ -185,7 +185,7 @@ SuppliersDraftInvoices=Hóa đơn dự thảo nhà cung cấp Unpaid=Chưa trả ErrorNoPaymentDefined=Lỗi không xác định thanh toán ConfirmDeleteBill=Bạn có muốn xóa hóa đơn này? -ConfirmValidateBill=Bạn có chắc chắn muốn xác nhận hóa đơn này với tham chiếu %s không? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=Bạn có chắc chắn muốn thay đổi hóa đơn %s thành trạng thái dự thảo không? ConfirmClassifyPaidBill=Bạn có chắc chắn muốn thay đổi hóa đơn %s sang trạng thái đã thanh toán không? ConfirmCancelBill=Bạn có chắc chắn muốn hủy hóa đơn %s ? @@ -197,9 +197,9 @@ ConfirmClassifyPaidPartiallyReasonDiscount=Còn lại chưa thanh toán (%s % ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Phần chưa trả còn lại (%s %s) là giảm giá đã gán vì thanh toán đã được thực hiện trước thời hạn. Tôi chấp nhận mất thuế VAT trên giảm giá này. ConfirmClassifyPaidPartiallyReasonDiscountVat=Phần chưa thanh trả còn lại (%s %s) là giảm giá được cấp vì thanh toán đã được thực hiện trước thời hạn. Tôi thu hồi thuế VAT đối với giảm giá này mà không có một giấy báo có. ConfirmClassifyPaidPartiallyReasonBadCustomer=Khách hàng xấu -ConfirmClassifyPaidPartiallyReasonBadSupplier=Bad vendor -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) -ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax +ConfirmClassifyPaidPartiallyReasonBadSupplier=Nhà cung cấp tồi +ConfirmClassifyPaidPartiallyReasonBankCharge=Khấu trừ qua ngân hàng (phí ngân hàng trung gian) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=Thuế nhà thầu ConfirmClassifyPaidPartiallyReasonProductReturned=Sản phẩm đã trả lại một phần ConfirmClassifyPaidPartiallyReasonOther=Số tiền đã bị loại bỏ cho lý do khác ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=Lựa chọn này là khả thi nếu hóa đơn của bạn đã được cung cấp với các chú thích phù hợp. (Ví dụ «Chỉ thuế tương ứng với giá đã được thanh toán thực sự mới có quyền khấu trừ») @@ -207,17 +207,17 @@ ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=Ở một số quốc gia, l ConfirmClassifyPaidPartiallyReasonAvoirDesc=Sử dụng lựa chọn này nếu tất cả các khác không phù hợp ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=Một khách hàng xấu là một khách hàng từ chối trả nợ của mình. ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Lựa chọn này được sử dụng khi thanh toán không đầy đủ vì một số sản phẩm đã được trả lại -ConfirmClassifyPaidPartiallyReasonBankChargeDesc=The unpaid amount is intermediary bank fees, deducted directly from the correct amount paid by the Customer. -ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax +ConfirmClassifyPaidPartiallyReasonBankChargeDesc=Số tiền chưa thanh toán là phí ngân hàng trung gian, được trừ trực tiếp từ >số tiền chính xác mà Khách hàng đã thanh toán. +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=Số tiền chưa thanh toán sẽ không bao giờ được thanh toán vì đây là thuế khấu trừ ConfirmClassifyPaidPartiallyReasonOtherDesc=Sử dụng lựa chọn này nếu tất cả các lựa chọn khác không phù hợp, ví dụ trong tình huống sau:
      - thanh toán chưa hoàn tất vì một số sản phẩm đã được chuyển trở lại
      - số tiền được yêu cầu quá quan trọng vì đã giảm giá
      Trong mọi trường hợp, số tiền được yêu cầu quá mức phải được sửa chữa trong hệ thống kế toán bằng cách tạo một ghi chú tín dụng. -ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=A bad supplier is a supplier we refuse to pay. +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=nhà cung cấp xấu là nhà cung cấp mà chúng tôi từ chối thanh toán. ConfirmClassifyAbandonReasonOther=Khác ConfirmClassifyAbandonReasonOtherDesc=Lựa chọn này sẽ được sử dụng trong tất cả các trường hợp khác. Ví dụ bởi vì bạn có kế hoạch để tạo ra một hóa đơn thay thế. ConfirmCustomerPayment=Bạn có xác nhận đầu vào thanh toán này cho %s %s không? ConfirmSupplierPayment=Bạn có xác nhận đầu vào thanh toán này cho %s %s không? ConfirmValidatePayment=Bạn có chắc chắn muốn xác nhận khoản thanh toán này? Không thể thay đổi khi thanh toán được xác nhận. ValidateBill=Xác nhận hóa đơn -UnvalidateBill=Chưa xác nhận hóa đơn +UnvalidateBill=Hóa đơn không hợp lệ NumberOfBills=Số lượng hóa đơn NumberOfBillsByMonth=Số lượng hóa đơn mỗi tháng AmountOfBills=Số tiền của hóa đơn @@ -245,24 +245,25 @@ AlreadyPaidBack=Đã trả lại AlreadyPaidNoCreditNotesNoDeposits=Đã thanh toán (không có ghi chú tín dụng và giảm thanh toán) Abandoned=Đã loại bỏ RemainderToPay=Chưa trả còn lại -RemainderToPayMulticurrency=Remaining unpaid, original currency +RemainderToPayMulticurrency=Tiền gốc còn lại chưa thanh toán RemainderToTake=Số tiền còn lại để lấy -RemainderToTakeMulticurrency=Remaining amount to take, original currency +RemainderToTakeMulticurrency=Số tiền còn lại cần lấy, nguyên tệ RemainderToPayBack=Số tiền còn lại để hoàn trả -RemainderToPayBackMulticurrency=Remaining amount to refund, original currency -NegativeIfExcessRefunded=negative if excess refunded +RemainderToPayBackMulticurrency=Số tiền còn lại phải hoàn, nguyên tệ +NegativeIfExcessReceived=tiêu cực nếu nhận quá mức +NegativeIfExcessRefunded=tiêu cực nếu hoàn trả vượt mức +NegativeIfExcessPaid=negative if excess paid Rest=Chờ xử lý AmountExpected=Số tiền đã đòi ExcessReceived=Số dư đã nhận -ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received +ExcessReceivedMulticurrency=Nhận thừa, nguyên tệ ExcessPaid=Trả tiền vượt mức -ExcessPaidMulticurrency=Excess paid, original currency +ExcessPaidMulticurrency=Thanh toán vượt mức, tiền gốc EscompteOffered=Giảm giá được tặng (thanh toán trước hạn) EscompteOfferedShort=Giảm giá SendBillRef=Nộp hóa đơn %s SendReminderBillRef=Nộp hóa đơn %s (nhắc nhở) -SendPaymentReceipt=Submission of payment receipt %s +SendPaymentReceipt=Gửi thanh toán biên nhận %s NoDraftBills=Không có hóa đơn dự thảo NoOtherDraftBills=Không có hóa đơn dự thảo khác NoDraftInvoices=Không có hóa đơn dự thảo @@ -278,8 +279,8 @@ DateMaxPayment=Thanh toán vào ngày DateInvoice=Ngày hóa đơn DatePointOfTax=Điểm thuế NoInvoice=Không có hoá đơn -NoOpenInvoice=No open invoice -NbOfOpenInvoices=Number of open invoices +NoOpenInvoice=Không có hóa đơn mở +NbOfOpenInvoices=Số hóa đơn mở ClassifyBill=Phân loại hóa đơn SupplierBillsToPay=Hóa đơn nhà cung cấp chưa thanh toán CustomerBillsUnpaid=Hóa đơn khách hàng chưa thanh toán @@ -289,12 +290,12 @@ SetMode=Thiết lập loại thanh toán SetRevenuStamp=Đặt tem doanh thu Billed=Đã ra hóa đơn RecurringInvoices=Hóa đơn định kỳ -RecurringInvoice=Recurring invoice -RecurringInvoiceSource=Source recurring invoice +RecurringInvoice=Hóa đơn định kỳ +RecurringInvoiceSource=Nguồn hóa đơn định kỳ RepeatableInvoice=Hóa đơn mẫu RepeatableInvoices=Hoá đơn mẫu -RecurringInvoicesJob=Generation of recurring invoices (sales invoices) -RecurringSupplierInvoicesJob=Generation of recurring invoices (purchase invoices) +RecurringInvoicesJob=Tạo hóa đơn định kỳ (hóa đơn bán hàng) +RecurringSupplierInvoicesJob=Tạo hóa đơn định kỳ (hóa đơn mua hàng) Repeatable=Mẫu Repeatables=Mẫu ChangeIntoRepeatableInvoice=Chuyển đổi thành hóa đơn mẫu @@ -333,8 +334,8 @@ DiscountFromExcessPaid=Thanh toán vượt quá hóa đơn %s AbsoluteDiscountUse=Đây là loại giấy báo có được sử dụng trên hóa đơn trước khi xác nhận CreditNoteDepositUse=Hóa đơn phải được xác nhận để sử dụng loại tín dụng này NewGlobalDiscount=Tạo giảm giá theo số tiền -NewSupplierGlobalDiscount=New absolute supplier discount -NewClientGlobalDiscount=New absolute client discount +NewSupplierGlobalDiscount=Giảm giá nhà cung cấp tuyệt đối mới +NewClientGlobalDiscount=Giảm giá tuyệt đối cho khách hàng mới NewRelativeDiscount=Tạo giảm giá theo % DiscountType=Loại giảm giá NoteReason=Ghi chú/Lý do @@ -403,8 +404,8 @@ DateLastGeneration=Ngày tạo cuối DateLastGenerationShort=Ngày tạo cuối MaxPeriodNumber=Tối đa số lượng hóa đơn NbOfGenerationDone=Số lượng hóa đơn đã được tạo xong -NbOfGenerationOfRecordDone=Number of record generation already done -NbOfGenerationDoneShort=Number of generations done +NbOfGenerationOfRecordDone=Số lượng bản ghi đã được tạo +NbOfGenerationDoneShort=Số thế hệ đã thực hiện MaxGenerationReached=Số lượng tạo ra tối đa đạt được InvoiceAutoValidate=Xác nhận hóa đơn tự động GeneratedFromRecurringInvoice=Được tạo từ hóa đơn định kỳ mẫu %s @@ -414,7 +415,7 @@ GeneratedFromTemplate=Được tạo từ hóa đơn mẫu %s WarningInvoiceDateInFuture=Cảnh báo, ngày hóa đơn cao hơn ngày hiện tại WarningInvoiceDateTooFarInFuture=Cảnh báo, ngày hóa đơn quá xa so với ngày hiện tại ViewAvailableGlobalDiscounts=Xem giảm giá có sẵn -GroupPaymentsByModOnReports=Group payments by mode on reports +GroupPaymentsByModOnReports=Nhóm thanh toán theo phương thức trên báo cáo # PaymentConditions Statut=Trạng thái PaymentConditionShortRECEP=Đến khi nhận @@ -441,24 +442,24 @@ PaymentConditionShort14D=14 ngày PaymentCondition14D=14 ngày PaymentConditionShort14DENDMONTH=14 ngày cuối tháng PaymentCondition14DENDMONTH=Trong vòng 14 ngày sau khi kết thúc tháng -PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit -PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit, remainder on delivery +PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% tiền gửi +PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% đặt cọc, phần còn lại khi giao hàng FixAmount=Số tiền không đổi -1 dòng với nhãn là '%s' VarAmount=Số tiền thay đổi (%% tot.) VarAmountOneLine=Số tiền thay đổi (%% tot.) - 1 dòng có nhãn '%s' -VarAmountAllLines=Variable amount (%% tot.) - all lines from origin -DepositPercent=Deposit %% -DepositGenerationPermittedByThePaymentTermsSelected=This is permitted by the payment terms selected -GenerateDeposit=Generate a %s%% deposit invoice -ValidateGeneratedDeposit=Validate the generated deposit -DepositGenerated=Deposit generated -ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=You can only automatically generate a deposit from a proposal or an order -ErrorPaymentConditionsNotEligibleToDepositCreation=The chose payment conditions are not eligible for automatic deposit generation +VarAmountAllLines=Tổng số tiền có thể thay đổi (%%) - tất cả các dòng từ gốc +DepositPercent=Gửi tiền %% +DepositGenerationPermittedByThePaymentTermsSelected=Điều này được cho phép bởi các điều khoản thanh toán đã chọn +GenerateDeposit=Tạo hóa đơn tiền gửi %s%% +ValidateGeneratedDeposit=Xác thực khoản tiền gửi được tạo +DepositGenerated=Tiền gửi được tạo +ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=Bạn chỉ có thể tự động tạo khoản tiền gửi từ một đề xuất hoặc đơn đặt hàng +ErrorPaymentConditionsNotEligibleToDepositCreation=Các điều kiện thanh toán đã chọn không đủ điều kiện để tạo tiền gửi tự động # PaymentType PaymentTypeVIR=Chuyển khoản ngân hàng PaymentTypeShortVIR=Chuyển khoản ngân hàng PaymentTypePRE=Lệnh thanh toán thấu chi trực tiếp -PaymentTypePREdetails=(on account %s...) +PaymentTypePREdetails=(trên tài khoản %s...) PaymentTypeShortPRE=Lệnh thanh toán ghi nợ PaymentTypeLIQ=Tiền mặt PaymentTypeShortLIQ=Tiền mặt @@ -484,8 +485,8 @@ BankAccountNumberKey=Tổng kiểm tra Residence=Địa chỉ IBANNumber=Số tài khoản IBAN IBAN=IBAN -CustomerIBAN=IBAN of customer -SupplierIBAN=IBAN of vendor +CustomerIBAN=IBAN của khách hàng +SupplierIBAN=IBAN của nhà cung cấp BIC=BIC / SWIFT BICNumber=Mã BIC / SWIFT ExtraInfos=Thông tin thêm @@ -493,7 +494,7 @@ RegulatedOn=Quy định trên ChequeNumber=Kiểm tra N° ChequeOrTransferNumber=Kiểm tra/Chuyển N° ChequeBordereau=Ghi Séc -ChequeMaker=Check/Transfer sender +ChequeMaker=Kiểm tra/Chuyển người gửi ChequeBank=Ngân hàng của Séc CheckBank=Séc NetToBePaid=Số tiền chưa thuế được trả @@ -507,7 +508,7 @@ PaymentByChequeOrderedToShort=Thanh toán séc (bao gồm thuế) phải trả c SendTo=Đã gửi đến PaymentByTransferOnThisBankAccount=Thanh toán bằng chuyển khoản theo tài khoản ngân hàng VATIsNotUsedForInvoice=* Không áp dụng thuế VAT art-293B of CGI -VATIsNotUsedForInvoiceAsso=* Non applicable VAT art-261-7 of CGI +VATIsNotUsedForInvoiceAsso=* Không áp dụng VAT art-261-7 của CGI LawApplicationPart1=Bằng cách áp dụng luật 80.335 of 12/05/80 LawApplicationPart2=hàng hóa duy trì đặc tính của LawApplicationPart3=người bán cho đến khi thanh toán đầy đủ của @@ -517,14 +518,14 @@ UseLine=Áp dụng UseDiscount=Sử dụng giảm giá UseCredit=Sử dụng giấy ghi có UseCreditNoteInInvoicePayment=Giảm số tiền trả bằng giấy báo có này -MenuChequeDeposits=Deposits slips +MenuChequeDeposits=Phiếu gửi tiền MenuCheques=Séc -MenuChequesReceipts=Deposit slips -NewChequeDeposit=New deposit slip -ChequesReceipts=Cheque deposit slips -DocumentsDepositArea=Deposit slip area -ChequesArea=Deposit slips area -ChequeDeposits=Deposit slips +MenuChequesReceipts=Phiếu gửi tiền +NewChequeDeposit=Phiếu gửi tiền mới +ChequesReceipts=Kiểm tra phiếu gửi tiền +DocumentsDepositArea=Khu vực phiếu gửi tiền +ChequesArea=Khu vực phiếu gửi tiền +ChequeDeposits=Phiếu gửi tiền Cheques=Séc DepositId=id Ứng trước NbCheque=Số lượng séc @@ -539,16 +540,16 @@ Cash=Tiền mặt Reported=Bị trễ DisabledBecausePayments=Không được khi có nhiều khoản thanh toán CantRemovePaymentWithOneInvoicePaid=Không thể xóa bỏ thanh toán khi có ít nhất một hóa đơn được phân loại đã trả -CantRemovePaymentVATPaid=Can't remove payment since VAT declaration is classified paid -CantRemovePaymentSalaryPaid=Can't remove payment since salary is classified paid +CantRemovePaymentVATPaid=Không thể xóa thanh toán vì tờ khai VAT đã được phân loại là đã nộp +CantRemovePaymentSalaryPaid=Không thể xóa thanh toán vì lương đã được phân loại là đã trả ExpectedToPay=Thanh toán dự kiến CantRemoveConciliatedPayment=Không thể xóa đối chiếu thanh toán PayedByThisPayment=Đã trả bởi khoản thanh toán này ClosePaidInvoicesAutomatically=Tự động phân loại tất cả các tiêu chuẩn, giảm thanh toán hoặc hóa đơn thay thế là "Trả tiền" khi thanh toán được thực hiện hoàn thành. ClosePaidCreditNotesAutomatically=Tự động phân loại tất cả các ghi chú tín dụng là "Trả tiền" khi hoàn trả hoàn thành. ClosePaidContributionsAutomatically=Tự động phân loại tất cả các khoản đóng góp xã hội hoặc tài chính là "Trả tiền" khi thanh toán được thực hiện hoàn thành. -ClosePaidVATAutomatically=Classify automatically VAT declaration as "Paid" when payment is done entirely. -ClosePaidSalaryAutomatically=Classify automatically salary as "Paid" when payment is done entirely. +ClosePaidVATAutomatically=Tự động phân loại tờ khai VAT là "Đã thanh toán" khi thanh toán được thực hiện hoàn toàn. +ClosePaidSalaryAutomatically=Tự động phân loại lương là "Được trả" khi thanh toán được thực hiện hoàn toàn. AllCompletelyPayedInvoiceWillBeClosed=Tất cả các hóa đơn không có phần thanh toán còn lại sẽ được tự động đóng lại với trạng thái "Đã thanh toán";. ToMakePayment=Trả ToMakePaymentBack=Trả lại @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=Trước tiên, bạn phải tạo hóa đ PDFCrabeDescription=Hóa đơn mẫu PDF Crabe. Một mẫu hóa đơn đầy đủ (mẫu đề nghị) PDFSpongeDescription=Hóa đơn PDF mẫu Sponge. Một mẫu hóa đơn hoàn chỉnh PDFCrevetteDescription=Hóa đơn PDF mẫu Crevette. Mẫu hóa đơn hoàn chỉnh cho hóa đơn tình huống -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=Trả về số ở định dạng %syymm-nnnn cho hóa đơn tiêu chuẩn và %syymm-nnnn cho ghi chú tín dụng trong đó yy là năm, mm là tháng và nnnn là số tự động tăng tuần tự, không ngắt và không quay về 0 +MarsNumRefModelDesc1=Trả về số ở định dạng %syymm-nnnn cho hóa đơn tiêu chuẩn, %syymm-nnnn cho hóa đơn thay thế, %syymm-nnnn cho thanh toán hóa đơn và %syymm-nnnn cho các ghi chú tín dụng có yy năm, mm là tháng và nnnn là số tự động tăng tuần tự, không ngắt và không quay về 0 TerreNumRefModelError=Bắt đầu ra một hóa đơn với $syymm mà đã tồn tại thì không tương thích với mô hình này của chuỗi. Xóa bỏ nó hoặc đổi tên nó để kích hoạt module này. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +CactusNumRefModelDesc1=Trả về số ở định dạng %syymm-nnnn cho hóa đơn tiêu chuẩn, %syymm-nnnn cho ghi chú tín dụng và %syymm-nnnn cho các hóa đơn xuống thanh toán trong đó yy là năm, mm là tháng và nnnn là số tăng tự động tuần tự, không ngắt và không trả lại đến 0 EarlyClosingReason=Lý do đóng sớm EarlyClosingComment=Ghi chú lý do đóng sớm ##### Types de contacts ##### @@ -610,9 +611,9 @@ ToCreateARecurringInvoiceGene=Để tạo hóa đơn trong tương lai thường ToCreateARecurringInvoiceGeneAuto=Nếu bạn cần tạo các hóa đơn tự động như vậy, hãy yêu cầu quản trị viên của bạn kích hoạt và thiết lập mô-đun %s . Lưu ý rằng cả hai phương pháp (thủ công và tự động) có thể được sử dụng cùng nhau mà không có nguy cơ trùng lặp. DeleteRepeatableInvoice=Xóa hóa đơn mẫu ConfirmDeleteRepeatableInvoice=Bạn có chắc chắn muốn xóa hóa đơn mẫu? -CreateOneBillByThird=Create one invoice per third party (otherwise, one invoice per selected object) -BillCreated=%s invoice(s) generated -BillXCreated=Invoice %s generated +CreateOneBillByThird=Tạo một hóa đơn cho mỗi bên thứ ba (nếu không, một hóa đơn cho mỗi đối tượng được chọn) +BillCreated=Đã tạo %s hóa đơn +BillXCreated=Đã tạo hóa đơn %s StatusOfGeneratedDocuments=Tình trạng tạo tài liệu DoNotGenerateDoc=Không tạo tệp tài liệu AutogenerateDoc=Tự động tạo tập tin tài liệu @@ -623,21 +624,26 @@ AutoFillDateToShort=Đặt ngày kết thúc MaxNumberOfGenerationReached=Số lượng tạo ra đạt tối đa BILL_DELETEInDolibarr=Hóa đơn đã bị xóa BILL_SUPPLIER_DELETEInDolibarr=Hoá đơn Nhà cung cấp đã được xoá -UnitPriceXQtyLessDiscount=Unit price x Qty - Discount -CustomersInvoicesArea=Customer billing area -SupplierInvoicesArea=Supplier billing area -SituationTotalRayToRest=Remainder to pay without taxe -PDFSituationTitle=Situation n° %d -SituationTotalProgress=Total progress %d %% -SearchUnpaidInvoicesWithDueDate=Search unpaid invoices with a due date = %s -SearchValidatedInvoicesWithDate=Search unpaid invoices with a validation date = %s -NoPaymentAvailable=No payment available for %s -PaymentRegisteredAndInvoiceSetToPaid=Payment registered and invoice %s set to paid -SendEmailsRemindersOnInvoiceDueDate=Send reminder by email for validated and unpaid invoices -MakePaymentAndClassifyPayed=Record payment -BulkPaymentNotPossibleForInvoice=Bulk payment is not possible for invoice %s (bad type or status) -MentionVATDebitOptionIsOn=Option to pay tax based on debits -MentionCategoryOfOperations=Category of operations -MentionCategoryOfOperations0=Delivery of goods -MentionCategoryOfOperations1=Provision of services -MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +UnitPriceXQtyLessDiscount=Đơn giá x Số lượng - Chiết khấu +CustomersInvoicesArea=Khu vực thanh toán của khách hàng +SupplierInvoicesArea=Khu vực thanh toán nhà cung cấp +SituationTotalRayToRest=Phần còn lại được miễn thuế +PDFSituationTitle=Tình huống n° %d +SituationTotalProgress=Tổng tiến độ %d %% +SearchUnpaidInvoicesWithDueDate=Tìm kiếm các hóa đơn chưa thanh toán có ngày đến hạn = %s +SearchValidatedInvoicesWithDate=Tìm kiếm các hóa đơn chưa thanh toán có ngày xác thực = %s +NoPaymentAvailable=Không có thanh toán cho %s +PaymentRegisteredAndInvoiceSetToPaid=thanh toán đã đăng ký và hóa đơn %s được đặt thành đã thanh toán +SendEmailsRemindersOnInvoiceDueDate=Gửi lời nhắc qua email cho các hóa đơn đã được xác thực và chưa thanh toán +MakePaymentAndClassifyPayed=Bản ghi thanh toán +BulkPaymentNotPossibleForInvoice=Không thể sử dụng hàng loạt thanh toán cho hóa đơn %s (loại hoặc trạng thái sai) +MentionVATDebitOptionIsOn=Tùy chọn nộp thuế dựa trên các khoản ghi nợ +MentionCategoryOfOperations=Hạng mục hoạt động +MentionCategoryOfOperations0=Giao hàng +MentionCategoryOfOperations1=Cung cấp dịch vụ +MentionCategoryOfOperations2=Hỗn hợp - Giao hàng & cung cấp dịch vụ +Salaries=Lương +InvoiceSubtype=Loại hóa đơn phụ +SalaryInvoice=Mức lương +BillsAndSalaries=Hóa đơn & Tiền lương +CreateCreditNoteWhenClientInvoiceExists=Tùy chọn này chỉ được bật khi có (các) hóa đơn được xác thực cho khách hàng hoặc khi sử dụng hằng số INVOICE_CREDIT_NOTE_STANDALONE (hữu ích cho một số quốc gia) diff --git a/htdocs/langs/vi_VN/blockedlog.lang b/htdocs/langs/vi_VN/blockedlog.lang index 7b24279fe84..8ff2b1821e1 100644 --- a/htdocs/langs/vi_VN/blockedlog.lang +++ b/htdocs/langs/vi_VN/blockedlog.lang @@ -8,34 +8,12 @@ BrowseBlockedLog=Nhật ký không thể thay đổi ShowAllFingerPrintsMightBeTooLong=Hiển thị tất cả các nhật ký lưu trữ (có thể dài) ShowAllFingerPrintsErrorsMightBeTooLong=Hiển thị tất cả các nhật ký lưu trữ không hợp lệ (có thể dài) DownloadBlockChain=Tải dấu vân tay -KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists) or has modified checksum of the previous record. +KoCheckFingerprintValidity=Mục nhật ký được lưu trữ không hợp lệ. Điều đó có nghĩa là ai đó (một hacker?) đã sửa đổi một số dữ liệu của bản ghi này sau khi nó được ghi lại hoặc đã xóa bản ghi lưu trữ trước đó (kiểm tra dòng có # trước đó tồn tại) hoặc đã sửa đổi tổng kiểm tra của bản ghi trước đó. OkCheckFingerprintValidity=Bản ghi nhật ký lưu trữ là hợp lệ. Dữ liệu trên dòng này không được sửa đổi và mục nhập theo sau. OkCheckFingerprintValidityButChainIsKo=Nhật ký lưu trữ có vẻ hợp lệ so với trước đó nhưng chuỗi đã bị hỏng trước đó. AddedByAuthority=Lưu trữ vào ủy quyền từ xa NotAddedByAuthorityYet=Chưa được lưu trữ vào ủy quyền từ xa ShowDetails=Hiển thị chi tiết được lưu trữ -logPAYMENT_VARIOUS_CREATE=Thanh toán (không được chỉ định cho hóa đơn) đã được tạo -logPAYMENT_VARIOUS_MODIFY=Thanh toán (không được chỉ định cho hóa đơn) được sửa đổi -logPAYMENT_VARIOUS_DELETE=Thanh toán (không được chỉ định cho hóa đơn) xóa logic -logPAYMENT_ADD_TO_BANK=Thanh toán thêm vào ngân hàng -logPAYMENT_CUSTOMER_CREATE=Thanh toán của khách hàng được tạo -logPAYMENT_CUSTOMER_DELETE=Thanh toán của khách hàng xóa logic -logDONATION_PAYMENT_CREATE=Thanh toán cho đóng góp đã tạo -logDONATION_PAYMENT_DELETE=Thanh toán cho đóng góp đã xóa logic -logBILL_PAYED=Hóa đơn khách hàng đã thanh toán -logBILL_UNPAYED=Hóa đơn khách hàng chưa thanh toán -logBILL_VALIDATE=Hóa đơn khách hàng được xác thực -logBILL_SENTBYMAIL=Hóa đơn khách hàng gửi qua mail -logBILL_DELETE=Hóa đơn khách hàng bị xóa logic -logMODULE_RESET=Mô-đun BlockedLog đã bị vô hiệu hóa -logMODULE_SET=Mô-đun BlockedLog đã được bật -logDON_VALIDATE=Đóng góp được xác nhận -logDON_MODIFY=Đóng góp được sửa đổi -logDON_DELETE=Đóng góp được xóa logic -logMEMBER_SUBSCRIPTION_CREATE=Đăng ký thành viên đã tạo -logMEMBER_SUBSCRIPTION_MODIFY=Đăng ký thành viên đã sửa đổi -logMEMBER_SUBSCRIPTION_DELETE=Đăng ký thành viên đã xóa logic -logCASHCONTROL_VALIDATE=Cash desk closing recording BlockedLogBillDownload=Tải hóa đơn khách hàng BlockedLogBillPreview=Xem trước hóa đơn khách hàng BlockedlogInfoDialog=Chi tiết nhật ký @@ -44,7 +22,7 @@ Fingerprint=Vân tay DownloadLogCSV=Xuất nhật ký lưu trữ (CSV) logDOC_PREVIEW=Xem trước tài liệu được xác nhận để in hoặc tải xuống logDOC_DOWNLOAD=Tải xuống tài liệu được xác nhận để in hoặc gửi -DataOfArchivedEvent=Dữ liệu đầy đủ của sự kiện lưu trữ +DataOfArchivedEvent=Dữ liệu đầy đủ của sự kiện được lưu trữ ImpossibleToReloadObject=Đối tượng gốc (loại %s, id %s) không được liên kết (xem cột 'Dữ liệu đầy đủ' để có được dữ liệu đã lưu không thể thay đổi) BlockedLogAreRequiredByYourCountryLegislation=Mô-đun Nhật ký không thể thay đổi có thể được yêu cầu theo luật pháp của nước bạn. Việc vô hiệu hóa mô-đun này có thể khiến bất kỳ giao dịch nào trong tương lai không hợp lệ đối với luật pháp và việc sử dụng phần mềm hợp pháp vì chúng không thể được xác nhận bởi kiểm toán thuế. BlockedLogActivatedBecauseRequiredByYourCountryLegislation=Mô-đun Nhật ký không thể thay đổi đã được kích hoạt do luật pháp của quốc gia bạn. Vô hiệu hóa mô-đun này có thể khiến bất kỳ giao dịch nào trong tương lai không hợp lệ đối với luật pháp và việc sử dụng phần mềm hợp pháp vì chúng không thể được xác nhận bởi kiểm toán thuế. @@ -52,6 +30,33 @@ BlockedLogDisableNotAllowedForCountry=Danh sách các quốc gia nơi sử dụn OnlyNonValid=Không hợp lệ TooManyRecordToScanRestrictFilters=Quá nhiều bản ghi để quét / phân tích. Vui lòng hạn chế liệt kê với các bộ lọc hạn chế hơn. RestrictYearToExport=Hạn chế tháng / năm để xuất dữ liệu -BlockedLogEnabled=System to track events into unalterable logs has been enabled -BlockedLogDisabled=System to track events into unalterable logs has been disabled after some recording were done. We saved a special Fingerprint to track the chain as broken -BlockedLogDisabledBis=System to track events into unalterable logs has been disabled. This is possible because no record were done yet. +BlockedLogEnabled=Hệ thống theo dõi các sự kiện vào nhật ký không thể thay đổi đã được kích hoạt +BlockedLogDisabled=Hệ thống theo dõi các sự kiện vào nhật ký không thể thay đổi đã bị vô hiệu hóa sau khi thực hiện xong một số bản ghi. Chúng tôi đã lưu Dấu vân tay đặc biệt để theo dõi chuỗi bị hỏng +BlockedLogDisabledBis=Hệ thống theo dõi các sự kiện vào nhật ký không thể thay đổi đã bị vô hiệu hóa. Điều này có thể thực hiện được vì chưa có bản ghi nào được thực hiện. +LinkHasBeenDisabledForPerformancePurpose=Vì mục đích hiệu suất, liên kết trực tiếp tới tài liệu không được hiển thị sau dòng thứ 100. + +## logTypes +logBILL_DELETE=Hóa đơn khách hàng bị xóa logic +logBILL_PAYED=Hóa đơn khách hàng đã thanh toán +logBILL_SENTBYMAIL=Hóa đơn khách hàng gửi qua mail +logBILL_UNPAYED=Hóa đơn khách hàng chưa thanh toán +logBILL_VALIDATE=Hóa đơn khách hàng được xác thực +logCASHCONTROL_VALIDATE=Ghi âm đóng quầy thu ngân +logDOC_DOWNLOAD=Tải xuống tài liệu được xác nhận để in hoặc gửi +logDOC_PREVIEW=Xem trước tài liệu được xác nhận để in hoặc tải xuống +logDONATION_PAYMENT_CREATE=Thanh toán cho đóng góp đã tạo +logDONATION_PAYMENT_DELETE=Thanh toán cho đóng góp đã xóa logic +logDON_DELETE=Đóng góp được xóa logic +logDON_MODIFY=Đóng góp được sửa đổi +logDON_VALIDATE=Đóng góp được xác nhận +logMEMBER_SUBSCRIPTION_CREATE=Đăng ký thành viên đã tạo +logMEMBER_SUBSCRIPTION_DELETE=Đăng ký thành viên đã xóa logic +logMEMBER_SUBSCRIPTION_MODIFY=Đăng ký thành viên đã sửa đổi +logMODULE_RESET=Mô-đun BlockedLog đã bị vô hiệu hóa +logMODULE_SET=Mô-đun BlockedLog đã được bật +logPAYMENT_ADD_TO_BANK=Thanh toán thêm vào ngân hàng +logPAYMENT_CUSTOMER_CREATE=Thanh toán của khách hàng được tạo +logPAYMENT_CUSTOMER_DELETE=Thanh toán của khách hàng xóa logic +logPAYMENT_VARIOUS_CREATE=Thanh toán (không được chỉ định cho hóa đơn) đã được tạo +logPAYMENT_VARIOUS_DELETE=Thanh toán (không được chỉ định cho hóa đơn) xóa logic +logPAYMENT_VARIOUS_MODIFY=Thanh toán (không được chỉ định cho hóa đơn) được sửa đổi diff --git a/htdocs/langs/vi_VN/bookmarks.lang b/htdocs/langs/vi_VN/bookmarks.lang index 9ec5898769c..35c40a199d7 100644 --- a/htdocs/langs/vi_VN/bookmarks.lang +++ b/htdocs/langs/vi_VN/bookmarks.lang @@ -1,22 +1,24 @@ -# Dolibarr language file - Source file is en_US - marque pages -AddThisPageToBookmarks=Thêm trang hiện tại vào dấu trang -Bookmark=Đánh dấu trang -Bookmarks=Dấu trang -ListOfBookmarks=Danh sách đánh dấu trang -EditBookmarks=Danh sách / chỉnh sửa dấu trang -NewBookmark=Dấu trang mới -ShowBookmark=Hiển thị dấu trang -OpenANewWindow=Mở một tab mới -ReplaceWindow=Thay thế tab hiện tại -BookmarkTargetNewWindowShort=Tab mới -BookmarkTargetReplaceWindowShort=Tab hiện tại -BookmarkTitle=Tên dấu trang -UrlOrLink=URL -BehaviourOnClick=Hành vi khi một URL đánh dấu trang được chọn -CreateBookmark=Tạo dấu trang -SetHereATitleForLink=Đặt tên cho dấu trang -UseAnExternalHttpLinkOrRelativeDolibarrLink=Use an external/absolute link (https://externalurl.com) or an internal/relative link (/mypage.php). You can also use phone like tel:0123456. -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Chọn nếu trang được liên kết sẽ mở trong tab hiện tại hoặc tab mới -BookmarksManagement=Quản lý dấu trang -BookmarksMenuShortCut=Ctrl + shift + m -NoBookmarks=No bookmarks defined +# Dolibarr language file - Source file is en_US - marque pages / bookmarks + +AddThisPageToBookmarks = Thêm trang hiện tại vào dấu trang +BehaviourOnClick = Hành vi khi URL dấu trang được chọn +Bookmark = Đánh dấu trang +Bookmarks = Dấu trang +BookmarkTargetNewWindowShort = Tab mới +BookmarkTargetReplaceWindowShort = Tab hiện tại +BookmarkTitle = Tên dấu trang +BookmarksManagement = Quản lý dấu trang +BookmarksMenuShortCut = Ctrl + shift + m +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark = Chọn nếu trang được liên kết sẽ mở trong tab hiện tại hoặc tab mới +CreateBookmark = Tạo dấu trang +EditBookmarks = Danh sách / chỉnh sửa dấu trang +ListOfBookmarks = Danh sách đánh dấu trang +NewBookmark = Dấu trang mới +NoBookmarkFound = Không tìm thấy dấu trang +NoBookmarks = Không có dấu trang nào được xác định +OpenANewWindow = Mở một tab mới +ReplaceWindow = Thay thế tab hiện tại +SetHereATitleForLink = Đặt tên cho dấu trang +ShowBookmark = Hiển thị dấu trang +UrlOrLink = URL +UseAnExternalHttpLinkOrRelativeDolibarrLink = Sử dụng liên kết bên ngoài/tuyệt đối (https://externalurl.com) hoặc liên kết nội bộ/tương đối (/mypage.php). Bạn cũng có thể sử dụng điện thoại như tel:0123456. diff --git a/htdocs/langs/vi_VN/boxes.lang b/htdocs/langs/vi_VN/boxes.lang index 6f415cf4d6f..bbf65e29d4e 100644 --- a/htdocs/langs/vi_VN/boxes.lang +++ b/htdocs/langs/vi_VN/boxes.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - boxes -BoxDolibarrStateBoard=Statistics on main business objects in database +BoxDolibarrStateBoard=Thống kê các đối tượng nghiệp vụ chính trong cơ sở dữ liệu BoxLoginInformation=Thông tin đăng nhập BoxLastRssInfos=Thông tin RSS BoxLastProducts=Sản phẩm/Dịch vụ mới nhất %s @@ -18,14 +18,14 @@ BoxLastActions=Hành động mới nhất BoxLastContracts=Hợp đồng mới nhất BoxLastContacts=Liên lạc / địa chỉ mới nhất BoxLastMembers=Thành viên mới nhất -BoxLastModifiedMembers=Latest modified members -BoxLastMembersSubscriptions=Latest member subscriptions +BoxLastModifiedMembers=Thành viên sửa đổi mới nhất +BoxLastMembersSubscriptions=Đăng ký thành viên mới nhất BoxFicheInter=Can thiệp mới nhất BoxCurrentAccounts=Số dư tài khoản mở BoxTitleMemberNextBirthdays=Sinh nhật của tháng này (thành viên) -BoxTitleMembersByType=Members by type and status -BoxTitleMembersByTags=Members by tags and status -BoxTitleMembersSubscriptionsByYear=Members Subscriptions by year +BoxTitleMembersByType=Thành viên theo loại và trạng thái +BoxTitleMembersByTags=Thành viên theo thẻ và trạng thái +BoxTitleMembersSubscriptionsByYear=Đăng ký thành viên theo năm BoxTitleLastRssInfos=Tin tức mới nhất %s từ %s BoxTitleLastProducts=Sản phẩm / Dịch vụ: %s được sửa đổi lần cuối BoxTitleProductsAlertStock=Sản phẩm: cảnh báo tồn kho @@ -45,22 +45,22 @@ BoxTitleSupplierOrdersAwaitingReception=Đơn đặt hàng nhà cung cấp đang BoxTitleLastModifiedContacts=Liên lạc / Địa chỉ: %s được sửa đổi lần cuối BoxMyLastBookmarks=Dấu trang: mới nhất %s BoxOldestExpiredServices=Dịch vụ đã hết hạn hoạt động cũ nhất -BoxOldestActions=Oldest events to do +BoxOldestActions=Sự kiện cũ nhất để làm BoxLastExpiredServices=Các liên lạc cũ nhất với các dịch vụ đã hết hạn hoạt động mới nhất %s BoxTitleLastActionsToDo=Các hành động cần làm mới nhất %s -BoxTitleOldestActionsToDo=Oldest %s events to do, not completed -BoxTitleFutureActions=The next %s upcoming events -BoxTitleLastContracts=Latest %s contracts which were modified -BoxTitleLastModifiedDonations=Latest %s donations which were modified -BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified -BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified -BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified -BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded +BoxTitleOldestActionsToDo=Sự kiện %s cũ nhất cần làm, chưa hoàn thành +BoxTitleFutureActions=Các sự kiện sắp tới %s +BoxTitleLastContracts=Hợp đồng %s mới nhất đã được sửa đổi +BoxTitleLastModifiedDonations=Khoản đóng góp %s mới nhất đã được sửa đổi +BoxTitleLastModifiedExpenses=Báo cáo chi phí %s mới nhất đã được sửa đổi +BoxTitleLatestModifiedBoms=BOM %s mới nhất đã được sửa đổi +BoxTitleLatestModifiedMos=%s Đơn đặt hàng sản xuất mới nhất đã được sửa đổi +BoxTitleLastOutstandingBillReached=Khách hàng có dư nợ tối đa vượt quá BoxGlobalActivity=Hoạt động toàn cầu (hoá đơn, đề xuất, đơn đặt hàng) BoxGoodCustomers=Khách hàng thân thiết BoxTitleGoodCustomers=%s Khách hàng thân thiết BoxScheduledJobs=Công việc theo lịch trình -BoxTitleFunnelOfProspection=Lead funnel +BoxTitleFunnelOfProspection=Phễu dẫn FailedToRefreshDataInfoNotUpToDate=Không thể làm mới thông lượng RSS. Ngày làm mới thành công mới nhất: %s LastRefreshDate=Ngày làm tươi mới nhất NoRecordedBookmarks=Không có dấu trang được xác định. @@ -95,8 +95,8 @@ BoxTitleLatestModifiedSupplierOrders=Đơn đặt hàng của nhà cung cấp: % BoxTitleLastModifiedCustomerBills=Hóa đơn khách hàng: %s được sửa đổi lần cuối BoxTitleLastModifiedCustomerOrders=Đơn đặt hàng bán: %s được sửa đổi lần cuối BoxTitleLastModifiedPropals=Đề xuất sửa đổi %s mới nhất -BoxTitleLatestModifiedJobPositions=Latest %s modified job positions -BoxTitleLatestModifiedCandidatures=Latest %s modified job applications +BoxTitleLatestModifiedJobPositions=Vị trí công việc được sửa đổi %s mới nhất +BoxTitleLatestModifiedCandidatures=Đơn xin việc được sửa đổi %s mới nhất ForCustomersInvoices=Khách hàng hoá đơn ForCustomersOrders=Khách hàng đặt hàng ForProposals=Đề xuất @@ -104,8 +104,8 @@ LastXMonthRolling=%s tháng mới nhất ChooseBoxToAdd=Thêm widget vào bảng điều khiển của bạn BoxAdded=Widget đã được thêm vào trong bảng điều khiển của bạn BoxTitleUserBirthdaysOfMonth=Sinh nhật của tháng này (người dùng) -BoxLastManualEntries=Latest record in accountancy entered manually or without source document -BoxTitleLastManualEntries=%s latest record entered manually or without source document +BoxLastManualEntries=Hồ sơ kế toán mới nhất được nhập thủ công hoặc không có chứng từ nguồn +BoxTitleLastManualEntries=%s bản ghi mới nhất được nhập thủ công hoặc không có tài liệu nguồn NoRecordedManualEntries=Không có mục nhập thủ công được ghi lại trong kế toán BoxSuspenseAccount=Đếm hoạt động kế toán với tài khoản bị đình chỉ BoxTitleSuspenseAccount=Số dòng chưa phân bổ @@ -115,32 +115,32 @@ BoxLastCustomerShipments=Lô hàng cuối cùng của khách hàng BoxTitleLastCustomerShipments=Lô hàng mới nhất của khách hàng %s BoxTitleLastLeaveRequests=%s yêu cầu nghỉ phép mới được sửa NoRecordedShipments=Không ghi nhận lô hàng của khách hàng -BoxCustomersOutstandingBillReached=Customers with oustanding limit reached +BoxCustomersOutstandingBillReached=Khách hàng đã đạt hạn mức dư nợ # Pages -UsersHome=Home users and groups -MembersHome=Home Membership -ThirdpartiesHome=Home Thirdparties -productindex=Home products and services -mrpindex=Home MRP -commercialindex=Home commercial -projectsindex=Home projects -invoiceindex=Home invoices -hrmindex=Home invoices -TicketsHome=Home Tickets -stockindex=Home stocks -sendingindex=Home shippings -receptionindex=Home receivings -activityindex=Home activity -proposalindex=Home proposal -ordersindex=Home sale orders -orderssuppliersindex=Home purchase orders -contractindex=Home contracts -interventionindex=Home interventions -suppliersproposalsindex=Home suppliers proposals -donationindex=Home donations -specialexpensesindex=Home specials expenses -expensereportindex=Home expensereport -mailingindex=Home mailing -opensurveyindex=Home opensurvey -AccountancyHome=Home Accountancy -ValidatedProjects=Validated projects +UsersHome=Người dùng và nhóm gia đình +MembersHome=Trang chủ Tư cách thành viên +ThirdpartiesHome=Trang chủ Bên thứ ba +productindex=Sản phẩm và dịch vụ gia đình +mrpindex=Trang chủ MRP +commercialindex=Trang chủ thương mại +projectsindex=dự án nhà +invoiceindex=Hoá đơn tại nhà +hrmindex=Hoá đơn tại nhà +TicketsHome=Trang chủ Vé +stockindex=cổ phiếu nhà +sendingindex=Vận chuyển tận nhà +receptionindex=Nhận tại nhà +activityindex=Hoạt động tại nhà +proposalindex=Đề xuất nhà +ordersindex=Lệnh bán nhà +orderssuppliersindex=Đơn đặt hàng mua nhà +contractindex=Hợp đồng nhà +interventionindex=Can thiệp tại nhà +suppliersproposalsindex=Đề xuất nhà cung cấp nhà +donationindex=Nhà quyên góp +specialexpensesindex=Chi phí đặc biệt tại nhà +expensereportindex=Báo cáo chi phí gia đình +mailingindex=Gửi thư tại nhà +opensurveyindex=Khảo sát mở nhà +AccountancyHome=Kế toán tại nhà +ValidatedProjects=Dự án đã được xác thực diff --git a/htdocs/langs/vi_VN/cashdesk.lang b/htdocs/langs/vi_VN/cashdesk.lang index c0bdee9357c..96cec62bb2c 100644 --- a/htdocs/langs/vi_VN/cashdesk.lang +++ b/htdocs/langs/vi_VN/cashdesk.lang @@ -41,8 +41,8 @@ Floor=Sàn AddTable=Thêm bảng Place=Địa điểm TakeposConnectorNecesary=Yêu cầu 'Trình kết nối TakePOS' -OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) -NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser +OrderPrinters=Thêm nút gửi đơn hàng tới một số máy in nhất định, không có thanh toán (ví dụ gửi đơn hàng đến nhà bếp) +NotAvailableWithBrowserPrinter=Không khả dụng khi máy in để nhận được đặt thành trình duyệt SearchProduct=Tìm kiếm sản phẩm Receipt=Bên nhận Header=Tiêu đề @@ -50,16 +50,16 @@ Footer=Chân trang AmountAtEndOfPeriod=Số tiền cuối kỳ (ngày, tháng hoặc năm) TheoricalAmount=Số lượng lý thuyết RealAmount=Số tiền thực tế -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period +CashFence=Đóng hộp đựng tiền +CashFenceDone=Đóng hộp tiền mặt được thực hiện trong kỳ NbOfInvoices=Nb của hoá đơn Paymentnumpad=Loại Bảng để nhập thanh toán Numberspad=Bảng số BillsCoinsPad=Bảng tiền xu và tiền giấy DolistorePosCategory=Các mô-đun TakePOS và các giải pháp POS khác cho Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work -TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work -OrderNotes=Can add some notes to each ordered items +TakeposNeedsCategories=TakePOS cần ít nhất một danh mục sản phẩm để hoạt động +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS cần ít nhất 1 danh mục sản phẩm trong danh mục %s để công việc +OrderNotes=Có thể thêm một số ghi chú cho từng mặt hàng đã đặt hàng CashDeskBankAccountFor=Tài khoản mặc định được sử dụng để thanh toán trong NoPaimementModesDefined=Không có chế độ thanh toán được xác định trong cấu hình TakePOS TicketVatGrouped=VAT nhóm theo tỷ lệ trong vé | biên lai @@ -76,15 +76,15 @@ TerminalSelect=Chọn thiết bị đầu cuối bạn muốn sử dụng: POSTicket=Vé POS POSTerminal=Thiết bị đầu cuối POS POSModule=Mô-đun POS -BasicPhoneLayout=Sử dụng bố trí cơ bản cho điện thoại +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Thiết lập đầu cuối %s chưa hoàn tất DirectPayment=Thanh toán trực tiếp -DirectPaymentButton=Add a "Direct cash payment" button +DirectPaymentButton=Thêm nút "Tiền mặt trực tiếp thanh toán" InvoiceIsAlreadyValidated=Hóa đơn đã được xác nhận NoLinesToBill=Không có dòng hóa đơn CustomReceipt=Biên nhận tùy chỉnh ReceiptName=Tên biên nhận -ProductSupplements=Manage supplements of products +ProductSupplements=Quản lý sản phẩm bổ sung SupplementCategory=Danh mục bổ sung ColorTheme=Màu giao diện Colorful=Màu sắc @@ -92,45 +92,64 @@ HeadBar=Phần tiêu đề SortProductField=Sắp xếp các trường sản phẩm Browser=Trình duyệt BrowserMethodDescription=In hóa đơn đơn giản và dễ dàng. Chỉ có một vài tham số để cấu hình hóa đơn. In qua trình duyệt. -TakeposConnectorMethodDescription=Module ngoài với các tính năng bổ sung. Khả năng in từ đám mây. +TakeposConnectorMethodDescription=Mô-đun bên ngoài với các tính năng bổ sung. Khả năng in từ đám mây. PrintMethod=Phương pháp in -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). +ReceiptPrinterMethodDescription=Phương pháp mạnh mẽ với rất nhiều tham số. Hoàn toàn có thể tùy chỉnh với các mẫu. Máy chủ lưu trữ ứng dụng không thể ở trên Đám mây (phải có khả năng kết nối với các máy in trong mạng của bạn). ByTerminal=Bởi cổng -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad -CashDeskRefNumberingModules=Numbering module for POS sales +TakeposNumpadUsePaymentIcon=Sử dụng biểu tượng thay vì văn bản trên các nút thanh toán của bàn phím số +CashDeskRefNumberingModules=Mô-đun đánh số cho bán hàng POS CashDeskGenericMaskCodes6 =
      {TN}được sử dụng để thêm số thiết bị đầu cuối -TakeposGroupSameProduct=Nhóm sản phẩm cùng dòng +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Bắt đầu bán hàng mới -SaleStartedAt=Sale started at %s -ControlCashOpening=Open the "Control cash" popup when opening the POS -CloseCashFence=Close cash desk control +SaleStartedAt=Chương trình giảm giá bắt đầu lúc %s +ControlCashOpening=Mở Popup "Hộp đựng tiền điều khiển" khi mở POS +CloseCashFence=Đóng kiểm soát hộp đựng tiền CashReport=Báo cáo tiền mặt MainPrinterToUse=Máy in chính để dùng OrderPrinterToUse=Máy in đơn hàng để dùng MainTemplateToUse=Mẫu chính để dùng OrderTemplateToUse=Mẫu đơn hàng để dùng -BarRestaurant=Bar Restaurant -AutoOrder=Order by the customer himself -RestaurantMenu=Menu -CustomerMenu=Customer menu -ScanToMenu=Scan QR code to see the menu -ScanToOrder=Scan QR code to order -Appearance=Appearance -HideCategoryImages=Hide Category Images -HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show -DefineTablePlan=Define tables plan -GiftReceiptButton=Add a "Gift receipt" button -GiftReceipt=Gift receipt -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first -AllowDelayedPayment=Allow delayed payment -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts -WeighingScale=Weighing scale -ShowPriceHT = Display the column with the price excluding tax (on screen) -ShowPriceHTOnReceipt = Display the column with the price excluding tax (on the receipt) -CustomerDisplay=Customer display -SplitSale=Split sale -PrintWithoutDetailsButton=Add "Print without details" button -PrintWithoutDetailsLabelDefault=Line label by default on printing without details -PrintWithoutDetails=Print without details -YearNotDefined=Year is not defined +BarRestaurant=Nhà hàng quán bar +AutoOrder=Khách hàng tự đặt hàng +RestaurantMenu=Thực đơn +CustomerMenu=Thực đơn khách hàng +ScanToMenu=Quét mã QR để xem menu +ScanToOrder=Quét mã QR để đặt hàng +Appearance=Vẻ bề ngoài +HideCategoryImages=Ẩn hình ảnh danh mục +HideProductImages=Ẩn hình ảnh sản phẩm +NumberOfLinesToShow=Số dòng văn bản tối đa hiển thị trên hình ảnh ngón tay cái +DefineTablePlan=Xác định kế hoạch bảng +GiftReceiptButton=Thêm nút "Nhận quà" +GiftReceipt=Biên lai nhận quà +ModuleReceiptPrinterMustBeEnabled=Mô-đun máy in biên lai phải được bật trước tiên +AllowDelayedPayment=Cho phép trì hoãn thanh toán +PrintPaymentMethodOnReceipts=In phương thức thanh toán trên vé|biên lai +WeighingScale=Cân trọng lượng +ShowPriceHT = Hiển thị cột giá chưa bao gồm thuế (trên màn hình) +ShowPriceHTOnReceipt = Hiển thị cột giá chưa bao gồm thuế (trên biên lai) +CustomerDisplay=Hiển thị khách hàng +SplitSale=Bán chia đôi +PrintWithoutDetailsButton=Thêm nút "In không có chi tiết" +PrintWithoutDetailsLabelDefault=Nhãn dòng theo mặc định khi in mà không có chi tiết +PrintWithoutDetails=In không có chi tiết +YearNotDefined=Năm không được xác định +TakeposBarcodeRuleToInsertProduct=Quy tắc mã vạch để chèn sản phẩm +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Đã in rồi +HideCategories=Ẩn toàn bộ phần lựa chọn danh mục +HideStockOnLine=Ẩn hàng trực tuyến +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Hiển thị tài liệu tham khảo hoặc nhãn của sản phẩm +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Thiết bị đầu cuối %s +TerminalNameDesc=Tên thiết bị đầu cuối +DefaultPOSThirdLabel=Khách hàng chung của TakePOS +DefaultPOSCatLabel=Sản phẩm tại điểm bán hàng (POS) +DefaultPOSProductLabel=Ví dụ về sản phẩm TakePOS +TakeposNeedsPayment=TakePOS cần phương thức thanh toán để hoạt động, bạn có muốn tạo phương thức thanh toán 'Tiền mặt' không? +LineDiscount=Giảm giá dòng +LineDiscountShort=Đĩa dòng. +InvoiceDiscount=chiết khấu hóa đơn +InvoiceDiscountShort=Đĩa hóa đơn. diff --git a/htdocs/langs/vi_VN/categories.lang b/htdocs/langs/vi_VN/categories.lang index d390d86ab8d..04632a3c55c 100644 --- a/htdocs/langs/vi_VN/categories.lang +++ b/htdocs/langs/vi_VN/categories.lang @@ -3,23 +3,23 @@ Rubrique=Thẻ/ Danh mục Rubriques=Thẻ/ Danh mục RubriquesTransactions=Thẻ/ Danh mục của giao dịch categories=thẻ/danh mục -NoCategoryYet=No tag/category of this type has been created +NoCategoryYet=Không có thẻ/danh mục nào thuộc loại này được tạo In=Trong AddIn=Thêm vào modify=sửa đổi Classify=Phân loại CategoriesArea=Khu vực thẻ/danh mục -ProductsCategoriesArea=Product/Service tags/categories area -SuppliersCategoriesArea=Vendor tags/categories area -CustomersCategoriesArea=Customer tags/categories area -MembersCategoriesArea=Member tags/categories area -ContactsCategoriesArea=Contact tags/categories area -AccountsCategoriesArea=Bank account tags/categories area -ProjectsCategoriesArea=Project tags/categories area -UsersCategoriesArea=User tags/categories area +ProductsCategoriesArea=Khu vực thẻ/danh mục sản phẩm/dịch vụ +SuppliersCategoriesArea=Khu vực thẻ/danh mục nhà cung cấp +CustomersCategoriesArea=Khu vực thẻ/danh mục khách hàng +MembersCategoriesArea=Khu vực thẻ/danh mục thành viên +ContactsCategoriesArea=Khu vực thẻ/danh mục liên hệ +AccountsCategoriesArea=Khu vực thẻ/danh mục tài khoản ngân hàng +ProjectsCategoriesArea=Khu vực thẻ/danh mục dự án +UsersCategoriesArea=Khu vực thẻ/danh mục người dùng SubCats=Danh mục con CatList=Danh sách thẻ/danh mục -CatListAll=List of tags/categories (all types) +CatListAll=Danh sách thẻ/danh mục (tất cả các loại) NewCategory=Thẻ/danh mục mới ModifCat=Sửa thẻ/ danh mục CatCreated=Thẻ/danh mục đã tạo @@ -42,7 +42,7 @@ MemberHasNoCategory=Thành viên này không có trong bất kỳ thẻ/ danh m ContactHasNoCategory=Liên lạc này không có trong bất kỳ thẻ/ danh mục ProjectHasNoCategory=Dự án này không có trong bất kỳ thẻ/ danh mục nào ClassifyInCategory=Thêm vào thẻ/ danh mục -RemoveCategory=Remove category +RemoveCategory=Xóa danh mục NotCategorized=Không có thẻ/ danh mục CategoryExistsAtSameLevel=Danh mục này đã tồn tại với tham chiếu này ContentsVisibleByAllShort=Nội dung hiển thị bởi tất cả @@ -67,39 +67,40 @@ UsersCategoriesShort=thẻ/ danh mục Người dùng StockCategoriesShort=thẻ/ danh mục Kho ThisCategoryHasNoItems=Danh mục này không có dữ liệu nào CategId=ID thẻ/ danh mục -ParentCategory=Parent tag/category -ParentCategoryID=ID of parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories +ParentCategory=Thẻ/danh mục gốc +ParentCategoryID=ID của thẻ/danh mục gốc +ParentCategoryLabel=Nhãn của thẻ/danh mục gốc +CatSupList=Danh sách thẻ/danh mục nhà cung cấp +CatCusList=Danh sách khách hàng/thẻ/danh mục khách hàng tiềm năng CatProdList=Danh sách sản phẩm thẻ/danh mục CatMemberList=Danh sách thành viên thẻ/ danh mục -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories +CatContactList=Danh sách thẻ/danh mục liên hệ +CatProjectsList=Danh sách thẻ/danh mục dự án +CatUsersList=Danh sách thẻ/danh mục người dùng +CatSupLinks=Liên kết giữa nhà cung cấp và thẻ/danh mục CatCusLinks=Liên kết giữa khách hàng/ tiềm năng và thẻ/ danh mục CatContactsLinks=Liên kết Liên hệ/địa chỉ với danh mục CatProdLinks=Liên kết giữa sản phẩm/ dịch vụ và thẻ/ danh mục -CatMembersLinks=Links between members and tags/categories +CatMembersLinks=Liên kết giữa các thành viên và thẻ/danh mục CatProjectsLinks=Liên kết giữa dự án và thẻ/ danh mục -CatUsersLinks=Links between users and tags/categories +CatUsersLinks=Liên kết giữa người dùng và thẻ/danh mục DeleteFromCat=Xóa khỏi thẻ/ danh mục ExtraFieldsCategories=Thuộc tính bổ sung CategoriesSetup=Thiết lập thẻ/ danh mục CategorieRecursiv=Tự động liên kết với thẻ/ danh mục cha -CategorieRecursivHelp=If option is on, when you add an object into a subcategory, the object will also be added into the parent categories. -AddProductServiceIntoCategory=Assign category to the product/service -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier -AssignCategoryTo=Assign category to +CategorieRecursivHelp=Nếu tùy chọn được bật, khi bạn thêm một đối tượng vào danh mục con, đối tượng đó cũng sẽ được thêm vào danh mục chính. +AddProductServiceIntoCategory=Chỉ định danh mục cho sản phẩm/dịch vụ +AddCustomerIntoCategory=Gán danh mục cho khách hàng +AddSupplierIntoCategory=Chỉ định danh mục cho nhà cung cấp +AssignCategoryTo=Chỉ định danh mục cho ShowCategory=Hiển thị thẻ/ danh mục ByDefaultInList=Theo mặc định trong danh sách ChooseCategory=Chọn danh mục -StocksCategoriesArea=Warehouse Categories -TicketsCategoriesArea=Tickets Categories -ActionCommCategoriesArea=Event Categories -WebsitePagesCategoriesArea=Page-Container Categories -KnowledgemanagementsCategoriesArea=KM article Categories -UseOrOperatorForCategories=Use 'OR' operator for categories -AddObjectIntoCategory=Assign the category +StocksCategoriesArea=Danh mục kho +TicketsCategoriesArea=Hạng mục vé +ActionCommCategoriesArea=Danh mục sự kiện +WebsitePagesCategoriesArea=Danh mục vùng chứa trang +KnowledgemanagementsCategoriesArea=Bài viết KM +UseOrOperatorForCategories=Sử dụng toán tử 'HOẶC' cho danh mục +AddObjectIntoCategory=Gán vào danh mục +Position=Chức vụ diff --git a/htdocs/langs/vi_VN/commercial.lang b/htdocs/langs/vi_VN/commercial.lang index 9d4ab4138ed..1f1427bed27 100644 --- a/htdocs/langs/vi_VN/commercial.lang +++ b/htdocs/langs/vi_VN/commercial.lang @@ -64,26 +64,30 @@ ActionAC_SHIP=Gửi đơn hàng vận chuyển bằng thư ActionAC_SUP_ORD=Gửi đơn đặt hàng mua qua thư ActionAC_SUP_INV=Gửi hóa đơn nhà cung cấp qua thư ActionAC_OTH=Khác -ActionAC_OTH_AUTO=Other auto -ActionAC_MANUAL=Events inserted manually (by a user) -ActionAC_AUTO=Events inserted automatically +ActionAC_OTH_AUTO=Ô tô khác +ActionAC_MANUAL=Sự kiện được chèn thủ công (bởi người dùng) +ActionAC_AUTO=Sự kiện được chèn tự động ActionAC_OTH_AUTOShort=Khác -ActionAC_EVENTORGANIZATION=Event organization events +ActionAC_EVENTORGANIZATION=Sự kiện tổ chức sự kiện Stats=Thống kê bán hàng StatusProsp=Trạng thái KH tiềm năng DraftPropals=Dự thảo đơn hàng đề xuất NoLimit=Không giới hạn ToOfferALinkForOnlineSignature=Liên kết cho chữ ký trực tuyến WelcomeOnOnlineSignaturePageProposal=Chào mừng bạn đến trang để chấp nhận các đề xuất thương mại từ %s -WelcomeOnOnlineSignaturePageContract=Welcome to %s Contract PDF Signing Page -WelcomeOnOnlineSignaturePageFichinter=Welcome to %s Intervention PDF Signing Page +WelcomeOnOnlineSignaturePageContract=Chào mừng bạn đến với %s Trang ký PDF hợp đồng +WelcomeOnOnlineSignaturePageFichinter=Chào mừng bạn đến với %s Trang ký PDF can thiệp +WelcomeOnOnlineSignaturePageSociete_rib=Chào mừng bạn đến với %s Trang ký PDF ủy quyền SEPA ThisScreenAllowsYouToSignDocFromProposal=Màn hình này cho phép bạn chấp nhận và ký, hoặc từ chối, một báo giá / đề xuất thương mại -ThisScreenAllowsYouToSignDocFromContract=This screen allow you to sign contract on PDF format online. -ThisScreenAllowsYouToSignDocFromFichinter=This screen allow you to sign intervention on PDF format online. +ThisScreenAllowsYouToSignDocFromContract=Màn hình này cho phép bạn ký hợp đồng trực tuyến dưới dạng PDF. +ThisScreenAllowsYouToSignDocFromFichinter=Màn hình này cho phép bạn ký can thiệp vào định dạng PDF trực tuyến. +ThisScreenAllowsYouToSignDocFromSociete_rib=Màn hình này cho phép bạn ký Ủy nhiệm SEPA trên định dạng PDF trực tuyến. ThisIsInformationOnDocumentToSignProposal=Đây là thông tin trên tài liệu để chấp nhận hoặc từ chối -ThisIsInformationOnDocumentToSignContract=This is information on contract to sign -ThisIsInformationOnDocumentToSignFichinter=This is information on intervention to sign +ThisIsInformationOnDocumentToSignContract=Đây là thông tin về hợp đồng ký kết +ThisIsInformationOnDocumentToSignFichinter=Đây là thông tin can thiệp để ký +ThisIsInformationOnDocumentToSignSociete_rib=Đây là thông tin về SEPA Ủy quyền ký SignatureProposalRef=Chữ ký của báo giá / đề xuất thương mại %s -SignatureContractRef=Signature of contract %s -SignatureFichinterRef=Signature of intervention %s +SignatureContractRef=Chữ ký hợp đồng %s +SignatureFichinterRef=Chữ ký can thiệp %s +SignatureSociete_ribRef=Chữ ký của Ủy quyền SEPA %s FeatureOnlineSignDisabled=Tính năng ký trực tuyến bị vô hiệu hóa hoặc tài liệu được tạo trước khi tính năng được bật diff --git a/htdocs/langs/vi_VN/companies.lang b/htdocs/langs/vi_VN/companies.lang index 21fce333e9a..2c46e974d3a 100644 --- a/htdocs/langs/vi_VN/companies.lang +++ b/htdocs/langs/vi_VN/companies.lang @@ -1,10 +1,12 @@ # Dolibarr language file - Source file is en_US - companies +newSocieteAdded=Chi tiết liên lạc của bạn đã được ghi lại. Chúng tôi sẽ lấy lại cho bạn sớm... +ContactUsDesc=Biểu mẫu này cho phép bạn gửi tin nhắn cho chúng tôi về lần liên hệ đầu tiên. ErrorCompanyNameAlreadyExists=Tên công ty %s đã tồn tại. Chọn tên khác khác. ErrorSetACountryFirst=Thiết lập quốc gia trước SelectThirdParty=Chọn một bên thứ ba -ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? +ConfirmDeleteCompany=Bạn có chắc chắn muốn xóa công ty này và tất cả thông tin liên quan không? DeleteContact=Xóa một liên lạc/địa chỉ -ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? +ConfirmDeleteContact=Bạn có chắc chắn muốn xóa liên hệ này và tất cả thông tin liên quan không? MenuNewThirdParty=Bên thứ ba mới MenuNewCustomer=Khách hàng mới MenuNewProspect=Triển vọng mới @@ -19,7 +21,7 @@ ProspectionArea=Khu vực khảo sát IdThirdParty=ID bên thứ ba IdCompany=ID công ty IdContact=ID liên lạc -ThirdPartyAddress=Third-party address +ThirdPartyAddress=Địa chỉ của bên thứ ba ThirdPartyContacts=Liên lạc của bên thứ ba ThirdPartyContact=Liên lạc/ địa chỉ của bên thứ ba Company=Công ty @@ -44,36 +46,36 @@ Individual=Cá nhân ToCreateContactWithSameName=Sẽ tự động tạo một liên hệ/ địa chỉ có cùng thông tin với bên thứ ba dưới bên thứ ba. Trong hầu hết các trường hợp, ngay cả khi bên thứ ba của bạn là một người thực tế, chỉ tạo một bên thứ ba là đủ. ParentCompany=Công ty mẹ Subsidiaries=Các chi nhánh -ReportByMonth=Report per month -ReportByCustomers=Report per customer -ReportByThirdparties=Report per thirdparty -ReportByQuarter=Report per rate +ReportByMonth=Báo cáo mỗi tháng +ReportByCustomers=Báo cáo theo khách hàng +ReportByThirdparties=Báo cáo cho mỗi bên thứ ba +ReportByQuarter=Báo cáo theo tỷ lệ CivilityCode=Mã Civility RegisteredOffice=Trụ sở đăng ký Lastname=Họ Firstname=Tên -RefEmployee=Employee reference -NationalRegistrationNumber=National registration number +RefEmployee=Tham khảo nhân viên +NationalRegistrationNumber=Số đăng ký quốc gia PostOrFunction=Vị trí công việc UserTitle=Tiêu đề NatureOfThirdParty=Nature của Third party NatureOfContact=Bản chất của liên hệ Address=Địa chỉ State=Bang/Tỉnh -StateId=State ID +StateId=ID tiểu bang StateCode=Mã tiểu bang / tỉnh StateShort=Tỉnh/ thành Region=Vùng Region-State=Vùng - Tỉnh/ thành Country=Quốc gia CountryCode=Mã quốc gia -CountryId=Country ID +CountryId=Mã quốc gia Phone=Điện thoại PhoneShort=Tel Skype=Skype Call=Call Chat=Chat -PhonePro=Bus. phone +PhonePro=Xe buýt. điện thoại PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Từ chối gửi email hàng loạt @@ -82,10 +84,13 @@ Zip=Mã Zip Town=Thành phố Web=Web Poste= Chức vụ -DefaultLang=Default language +DefaultLang=Ngôn ngữ mặc định VATIsUsed=Thuế bán hàng được sử dụng -VATIsUsedWhenSelling=This defines if this third party includes a sales tax or not when it makes an invoice to its own customers +VATIsUsedWhenSelling=Điều này xác định xem bên thứ ba này có bao gồm thuế bán hàng hay không khi lập hóa đơn cho khách hàng của mình VATIsNotUsed=Thuế kinh doanh không được dùng +VATReverseCharge=hoàn thuế VAT +VATReverseChargeByDefault=Phí hoàn thuế VAT theo mặc định +VATReverseChargeByDefaultDesc=Trên hóa đơn của nhà cung cấp, tính phí ngược VAT được sử dụng theo mặc định CopyAddressFromSoc=Sao chép địa chỉ từ chi tiết của bên thứ ba ThirdpartyNotCustomerNotSupplierSoNoRef=Bên thứ ba không phải khách hàng cũng không phải nhà cung cấp, không có đối tượng tham chiếu có sẵn ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Bên thứ ba không phải khách hàng cũng không phải nhà cung cấp, giảm giá không có sẵn @@ -106,7 +111,7 @@ WrongSupplierCode=Mã nhà cung cấp không hợp lệ CustomerCodeModel=Kiểu mã khách hàng SupplierCodeModel=Mô hình mã nhà cung cấp Gencod=Mã vạch -GencodBuyPrice=Barcode of price ref +GencodBuyPrice=Mã vạch báo giá ##### Professional ID ##### ProfId1Short=Prof. id 1 ProfId2Short=Prof. id 2 @@ -114,12 +119,20 @@ ProfId3Short=Prof. id 3 ProfId4Short=Prof. id 4 ProfId5Short=Prof. id 5 ProfId6Short=Prof. id 6 +ProfId7Short=Giáo sư id 7 +ProfId8Short=Giáo sư id 8 +ProfId9Short=Giáo sư id 9 +ProfId10Short=Giáo sư id 10 ProfId1=Professional ID 1 ProfId2=Professional ID 2 ProfId3=Professional ID 3 ProfId4=Professional ID 4 ProfId5=Professional ID 5 ProfId6=Professional ID 6 +ProfId7=ID chuyên nghiệp 7 +ProfId8=ID chuyên nghiệp 8 +ProfId9=ID chuyên nghiệp 9 +ProfId10=ID chuyên nghiệp 10 ProfId1AR=Prof Id 1 (CUIT/CUIL) ProfId2AR=Prof Id 2 (Revenu brutes) ProfId3AR=- @@ -130,7 +143,7 @@ ProfId1AT=Prof Id 1 (USt.-IdNr) ProfId2AT=Prof Id 2 (USt.-Nr) ProfId3AT=Prof Id 3 (Handelsregister-Nr.) ProfId4AT=- -ProfId5AT=EORI number +ProfId5AT=số EORI ProfId6AT=- ProfId1AU=Prof Id 1 (ABN) ProfId2AU=- @@ -142,7 +155,7 @@ ProfId1BE=Prof Id 1 (Professional number) ProfId2BE=- ProfId3BE=- ProfId4BE=- -ProfId5BE=EORI number +ProfId5BE=số EORI ProfId6BE=- ProfId1BR=- ProfId2BR=IE (Inscricao Estadual) @@ -150,11 +163,11 @@ ProfId3BR=IM (Inscricao Municipal) ProfId4BR=CPF #ProfId5BR=CNAE #ProfId6BR=INSS -ProfId1CH=UID-Nummer +ProfId1CH=Số UID ProfId2CH=- ProfId3CH=Prof Id 1 (Federal number) ProfId4CH=Prof Id 2 (Commercial Record number) -ProfId5CH=EORI number +ProfId5CH=số EORI ProfId6CH=- ProfId1CL=Prof Id 1 (R.U.T.) ProfId2CL=- @@ -162,16 +175,16 @@ ProfId3CL=- ProfId4CL=- ProfId5CL=- ProfId6CL=- -ProfId1CM=Id. prof. 1 (Trade Register) -ProfId2CM=Id. prof. 2 (Taxpayer No.) -ProfId3CM=Id. prof. 3 (No. of creation decree) -ProfId4CM=Id. prof. 4 (Deposit certificate No.) -ProfId5CM=Id. prof. 5 (Others) +ProfId1CM=Nhận dạng. giáo sư 1 (Đăng ký giao dịch) +ProfId2CM=Nhận dạng. giáo sư 2 (Mã số người nộp thuế) +ProfId3CM=Nhận dạng. giáo sư 3 (Số nghị định sáng tạo) +ProfId4CM=Nhận dạng. giáo sư 4 (Số Chứng chỉ tiền gửi) +ProfId5CM=Nhận dạng. giáo sư 5 (Khác) ProfId6CM=- -ProfId1ShortCM=Trade Register -ProfId2ShortCM=Taxpayer No. -ProfId3ShortCM=No. of creation decree -ProfId4ShortCM=Deposit certificate No. +ProfId1ShortCM=Đăng ký giao dịch +ProfId2ShortCM=Số người nộp thuế +ProfId3ShortCM=Số nghị định sáng tạo +ProfId4ShortCM=Số chứng chỉ tiền gửi ProfId5ShortCM=Khác ProfId6ShortCM=- ProfId1CO=Prof Id 1 (R.U.T.) @@ -184,26 +197,34 @@ ProfId1DE=Prof Id 1 (USt.-IdNr) ProfId2DE=Prof Id 2 (USt.-Nr) ProfId3DE=Prof Id 3 (Handelsregister-Nr.) ProfId4DE=- -ProfId5DE=EORI number +ProfId5DE=số EORI ProfId6DE=- ProfId1ES=Prof Id 1 (CIF/NIF) ProfId2ES=Prof Id 2 (Social security number) ProfId3ES=Prof Id 3 (CNAE) ProfId4ES=Prof Id 4 (Collegiate number) -ProfId5ES=Prof Id 5 (EORI number) +ProfId5ES=Giáo sư Id 5 (số EORI) ProfId6ES=- ProfId1FR=Prof Id 1 (SIREN) ProfId2FR=Prof Id 2 (SIRET) ProfId3FR=Prof Id 3 (NAF, old APE) ProfId4FR=Prof Id 4 (RCS/RM) -ProfId5FR=Prof Id 5 (numéro EORI) +ProfId5FR=Giáo sư Id 5 (số EORI) ProfId6FR=- -ProfId1ShortFR=SIREN +ProfId7FR=- +ProfId8FR=- +ProfId9FR=- +ProfId10FR=- +ProfId1ShortFR=Còi báo động ProfId2ShortFR=SIRET ProfId3ShortFR=NAF ProfId4ShortFR=RCS ProfId5ShortFR=EORI ProfId6ShortFR=- +ProfId7ShortFR=- +ProfId8ShortFR=- +ProfId9ShortFR=- +ProfId10ShortFR=- ProfId1GB=Registration Number ProfId2GB=- ProfId3GB=SIC @@ -226,23 +247,23 @@ ProfId1IT=- ProfId2IT=- ProfId3IT=- ProfId4IT=- -ProfId5IT=EORI number +ProfId5IT=số EORI ProfId6IT=- ProfId1LU=Id. prof. 1 (R.C.S. Luxembourg) ProfId2LU=Id. prof. 2 (Giấy phép kinh doanh) ProfId3LU=- ProfId4LU=- -ProfId5LU=EORI number +ProfId5LU=số EORI ProfId6LU=- ProfId1MA=Id prof. 1 (R.C.) ProfId2MA=Id prof. 2 (Patente) ProfId3MA=Id prof. 3 (I.F.) ProfId4MA=Id prof. 4 (C.N.S.S.) -ProfId5MA=Id prof. 5 (I.C.E.) +ProfId5MA=Id giáo sư. 5 (I.C.E.) ProfId6MA=- ProfId1MX=Prof Id 1 (R.F.C). ProfId2MX=Prof Id 2 (R..P. IMSS) -ProfId3MX=Prof Id 3 (Profesional Charter) +ProfId3MX=Prof Id 3 (Điều lệ chuyên môn) ProfId4MX=- ProfId5MX=- ProfId6MX=- @@ -250,13 +271,13 @@ ProfId1NL=KVK nummer ProfId2NL=- ProfId3NL=- ProfId4NL=Burgerservicenummer (BSN) -ProfId5NL=EORI number +ProfId5NL=số EORI ProfId6NL=- ProfId1PT=Prof Id 1 (NIPC) ProfId2PT=Prof Id 2 (Social security number) ProfId3PT=Prof Id 3 (Commercial Record number) ProfId4PT=Prof Id 4 (Conservatory) -ProfId5PT=Prof Id 5 (EORI number) +ProfId5PT=Giáo sư Id 5 (số EORI) ProfId6PT=- ProfId1SN=RC ProfId2SN=NINEA @@ -280,7 +301,7 @@ ProfId1RO=Prof Id 1 (NaN) ProfId2RO=Prof Id 2 (Nr. Înmatriculare) ProfId3RO=Prof Id 3 (CAEN) ProfId4RO=Prof Id 5 (EUID) -ProfId5RO=Prof Id 5 (EORI number) +ProfId5RO=Giáo sư Id 5 (số EORI) ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) @@ -288,12 +309,12 @@ ProfId3RU=Prof Id 3 (KPP) ProfId4RU=Prof Id 4 (OKPO) ProfId5RU=- ProfId6RU=- -ProfId1UA=Prof Id 1 (EDRPOU) -ProfId2UA=Prof Id 2 (DRFO) -ProfId3UA=Prof Id 3 (INN) -ProfId4UA=Prof Id 4 (Certificate) -ProfId5UA=Prof Id 5 (RNOKPP) -ProfId6UA=Prof Id 6 (TRDPAU) +ProfId1UA=Id giáo sư 1 (EDRPOU) +ProfId2UA=Id giáo sư 2 (DRFO) +ProfId3UA=Giáo sư Id 3 (INN) +ProfId4UA=Giáo sư Id 4 (Chứng chỉ) +ProfId5UA=Giáo sư Id 5 (RNOKPP) +ProfId6UA=Giáo sư Id 6 (TRDPAU) ProfId1DZ=RC ProfId2DZ=Art. ProfId3DZ=NIF @@ -312,12 +333,12 @@ CustomerRelativeDiscountShort=Giảm giá theo % CustomerAbsoluteDiscountShort=Giảm giá theo số tiền CompanyHasRelativeDiscount=Khách hàng này có giảm giá mặc định là %s%% CompanyHasNoRelativeDiscount=Khách hàng này không có mặc định giảm giá theo % -HasRelativeDiscountFromSupplier=Bạn có giảm giá mặc định là %s%% từ nhà cung cấp này -HasNoRelativeDiscountFromSupplier=Bạn không có giảm giá tương đối (%) mặc định từ nhà cung cấp này +HasRelativeDiscountFromSupplier=Bạn được giảm giá mặc định là %s%% với nhà cung cấp này +HasNoRelativeDiscountFromSupplier=Không có giảm giá tương đối mặc định với nhà cung cấp này CompanyHasAbsoluteDiscount=Khách hàng này có sẵn giảm giá (ghi chú tín dụng hoặc giảm thanh toán) cho %s %s CompanyHasDownPaymentOrCommercialDiscount=Khách hàng này có sẵn giảm giá (thương mại, giảm thanh toán) cho %s %s CompanyHasCreditNote=Khách hàng này vẫn có ghi nợ cho %s %s -HasNoAbsoluteDiscountFromSupplier=Bạn không có sẵn tín dụng giảm giá từ nhà cung cấp này +HasNoAbsoluteDiscountFromSupplier=Không có giảm giá/tín dụng từ nhà cung cấp này HasAbsoluteDiscountFromSupplier=Bạn có giảm giá có sẵn (ghi chú tín dụng hoặc giảm thanh toán) cho %s %s từ nhà cung cấp này HasDownPaymentOrCommercialDiscountFromSupplier=Bạn có sẵn giảm giá (thương mại, giảm thanh toán) cho %s %s từ nhà cung cấp này HasCreditNoteFromSupplier=Bạn có ghi chú tín dụng cho %s %s từ nhà cung cấp này @@ -333,7 +354,7 @@ AddContact=Tạo liên lạc AddContactAddress=Tạo liên lạc/địa chỉ EditContact=Sửa liên lạc EditContactAddress=Sửa liên lạc/địa chỉ -Contact=Contact/Address +Contact=Địa chỉ liên hệ Contacts=Liên lạc/Địa chỉ ContactId=ID Liên lạc ContactsAddresses=Liên lạc/địa chỉ @@ -354,17 +375,17 @@ CustomerCodeDesc=Mã khách hàng, duy nhất cho tất cả khách hàng SupplierCodeDesc=Mã nhà cung cấp, duy nhất cho tất cả các nhà cung cấp RequiredIfCustomer=Yêu cầu nếu bên thứ ba là một khách hàng hoặc KH tiềm năng RequiredIfSupplier=Buộc phải nhập nếu bên thứ ba là nhà cung cấp -ValidityControledByModule=Validity controlled by the module +ValidityControledByModule=Hiệu lực được kiểm soát bởi mô-đun ThisIsModuleRules=Quy tắc cho mô-đun này ProspectToContact=KH tiềm năng để liên lạc CompanyDeleted=Công ty "%s" đã xóa khỏi cơ sở dữ liệu. ListOfContacts=Danh sách liên lạc/địa chỉ ListOfContactsAddresses=Danh sách liên lạc/địa chỉ ListOfThirdParties=Danh sách các bên thứ ba -ShowCompany=Third Party -ShowContact=Contact-Address +ShowCompany=Bên thứ ba +ShowContact=Địa chỉ liên hệ ContactsAllShort=Tất cả (không lọc) -ContactType=Contact role +ContactType=Vai trò liên hệ ContactForOrders=Liên lạc đơn hàng ContactForOrdersOrShipments=Liên lạc của đơn đặt hàng hoặc vận chuyển ContactForProposals=Liên lạc đơn hàng đề xuất @@ -384,13 +405,13 @@ EditCompany=Chỉnh sửa công ty ThisUserIsNot=Người này không phải tiềm năng, khách hàng hoặc NCC VATIntraCheck=Kiểm tra VATIntraCheckDesc=ID VAT phải bao gồm tiền tố quốc gia. Liên kết %s sử dụng dịch vụ kiểm tra VAT Châu Âu (VIES) yêu cầu truy cập internet từ máy chủ Dolibarr. -VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do +VATIntraCheckURL=https://ec.europa.eu/taxation_customs/vies/#/vat-validation VATIntraCheckableOnEUSite=Kiểm tra ID VAT nội bộ cộng đồng trên trang web của Ủy ban Châu Âu -VATIntraManualCheck=You can also check manually on the European Commission website %s +VATIntraManualCheck=Bạn cũng có thể kiểm tra thủ công trên trang web của Ủy ban Châu Âu %s ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s). NorProspectNorCustomer=Không phải triển vọng, cũng không phải khách hàng -JuridicalStatus=Business entity type -Workforce=Workforce +JuridicalStatus=Loại thực thể kinh doanh +Workforce=Lực lượng lao động Staff=Nhân viên ProspectLevelShort=Tiềm năng ProspectLevel=KH tiềm năng @@ -444,7 +465,7 @@ AddAddress=Thêm địa chỉ SupplierCategory=Danh mục nhà cung cấp JuridicalStatus200=Độc lập DeleteFile=Xóa tập tin -ConfirmDeleteFile=Bạn có chắc muốn xóa tập tin này? +ConfirmDeleteFile=Bạn có chắc chắn muốn xóa tệp này %s không? AllocateCommercial=Giao cho đại diện bán hàng Organization=Tổ chức FiscalYearInformation=Năm tài chính @@ -462,22 +483,22 @@ ListSuppliersShort=Danh sách nhà cung cấp ListProspectsShort=Danh sách các triển vọng ListCustomersShort=Danh sách khách hàng ThirdPartiesArea=Bên thứ ba/ Liên lạc -LastModifiedThirdParties=Latest %s Third Parties which were modified -UniqueThirdParties=Total number of Third Parties +LastModifiedThirdParties=%s Bên thứ ba mới nhất đã được sửa đổi +UniqueThirdParties=Tổng số bên thứ ba InActivity=Mở ActivityCeased=Đóng ThirdPartyIsClosed=Bên thứ ba bị đóng -ProductsIntoElements=List of products/services mapped to %s +ProductsIntoElements=Danh sách sản phẩm/dịch vụ được ánh xạ tới %s CurrentOutstandingBill=Công nợ hiện tại OutstandingBill=Công nợ tối đa OutstandingBillReached=Tối đa cho hóa đơn chưa thanh toán OrderMinAmount=Số lượng tối thiểu cho đơn hàng -MonkeyNumRefModelDesc=Return a number in the format %syymm-nnnn for the customer code and %syymm-nnnn for the vendor code where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0. +MonkeyNumRefModelDesc=Trả về một số ở định dạng %syymm-nnnn cho mã khách hàng và %syymm-nnnn cho mã nhà cung cấp trong đó yy là năm, mm là tháng và nnnn là số tự động tăng tuần tự, không ngắt và không quay về 0. LeopardNumRefModelDesc=Mã này tự do. Mã này có thể được sửa đổi bất cứ lúc nào. ManagingDirectors=Tên quản lý (CEO, giám đốc, chủ tịch...) MergeOriginThirdparty=Sao y bên thứ ba (bên thứ ba bạn muốn xóa) MergeThirdparties=Hợp nhất bên thứ ba -ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. +ConfirmMergeThirdparties=Bạn có chắc chắn muốn hợp nhất bên thứ ba đã chọn với bên hiện tại không? Tất cả các đối tượng được liên kết (hóa đơn, đơn đặt hàng, ...) sẽ được chuyển sang bên thứ ba hiện tại, sau đó bên thứ ba được chọn sẽ bị xóa. ThirdpartiesMergeSuccess=Các bên thứ ba đã được sáp nhập SaleRepresentativeLogin=Đăng nhập của đại diện bán hàng SaleRepresentativeFirstname=Tên đại diện bán hàng @@ -493,8 +514,17 @@ PaymentTermsSupplier=Điều khoản thanh toán - Nhà cung cấp PaymentTypeBoth=Loại thanh toán - Khách hàng và nhà cung cấp MulticurrencyUsed=Sử dụng đa tiền tệ MulticurrencyCurrency=Tiền tệ -InEEC=Europe (EEC) -RestOfEurope=Rest of Europe (EEC) -OutOfEurope=Out of Europe (EEC) -CurrentOutstandingBillLate=Current outstanding bill late -BecarefullChangeThirdpartyBeforeAddProductToInvoice=Be carefull, depending on your product price settings, you should change thirdparty before adding product to POS. +InEEC=Châu Âu (EEC) +RestOfEurope=Phần còn lại của Châu Âu (EEC) +OutOfEurope=Ngoài Châu Âu (EEC) +CurrentOutstandingBillLate=Hóa đơn chưa thanh toán hiện tại bị trễ +BecarefullChangeThirdpartyBeforeAddProductToInvoice=Hãy cẩn thận, tùy thuộc vào cài đặt giá sản phẩm của bạn, bạn nên thay đổi bên thứ ba trước khi thêm sản phẩm vào POS. +EmailAlreadyExistsPleaseRewriteYourCompanyName=email đã tồn tại vui lòng viết lại tên công ty của bạn +TwoRecordsOfCompanyName=có nhiều hơn một bản ghi cho công ty này, vui lòng liên hệ với chúng tôi để hoàn thành yêu cầu hợp tác của bạn +CompanySection=Phần công ty +ShowSocialNetworks=Hiển thị mạng xã hội +HideSocialNetworks=Ẩn mạng xã hội +ExternalSystemID=ID hệ thống bên ngoài +IDOfPaymentInAnExternalSystem=ID của chế độ thanh toán vào hệ thống bên ngoài (như Stripe, Paypal, ...) +AADEWebserviceCredentials=Thông tin xác thực dịch vụ web AADE +ThirdPartyMustBeACustomerToCreateBANOnStripe=Bên thứ ba phải là khách hàng để cho phép tạo thông tin ngân hàng của mình ở phía Stripe diff --git a/htdocs/langs/vi_VN/compta.lang b/htdocs/langs/vi_VN/compta.lang index 3f0e4451ca0..4cecdc70a5e 100644 --- a/htdocs/langs/vi_VN/compta.lang +++ b/htdocs/langs/vi_VN/compta.lang @@ -67,12 +67,12 @@ LT2SupplierIN=SGST mua hàng VATCollected=Thu thuế GTGT StatusToPay=Để trả SpecialExpensesArea=Khu vực dành cho tất cả các khoản thanh toán đặc biệt -VATExpensesArea=Area for all TVA payments +VATExpensesArea=Khu vực dành cho tất cả các khoản thanh toán TVA SocialContribution=Thuế xã hội hoặc tài chính SocialContributions=Thuế xã hội hoặc tài chính SocialContributionsDeductibles=Khấu trừ thuế xã hội hoặc tài khóa SocialContributionsNondeductibles=Thuế xã hội hoặc tài chính không được khấu trừ -DateOfSocialContribution=Date of social or fiscal tax +DateOfSocialContribution=Ngày đóng thuế xã hội hoặc tài chính LabelContrib=Nhãn đóng góp TypeContrib=Loại đóng góp MenuSpecialExpenses=Chi phí đặc biệt @@ -89,7 +89,7 @@ PaymentCustomerInvoice=Thanh toán hóa đơn của khách hàng PaymentSupplierInvoice=Thanh toán hóa đơn nhà cung cấp PaymentSocialContribution=Thanh toán xã hội/ fiscal tax PaymentVat=Nộp thuế GTGT -AutomaticCreationPayment=Automatically record the payment +AutomaticCreationPayment=Tự động ghi lại thanh toán ListPayment=Danh sách thanh toán ListOfCustomerPayments=Danh sách các khoản thanh toán của khách hàng ListOfSupplierPayments=Danh sách thanh toán nhà cung cấp @@ -109,8 +109,8 @@ LT2PaymentES=IRPF thanh toán LT2PaymentsES=IRPF Thanh toán VATPayment=Thanh toán thuế bán hàng VATPayments=Thanh toán thuế bán hàng -VATDeclarations=VAT declarations -VATDeclaration=VAT declaration +VATDeclarations=tờ khai thuế GTGT +VATDeclaration=kê khai thuế GTGT VATRefund=Hoàn thuế bán hàng NewVATPayment=Thêm thanh toán thuế bán hàng NewLocalTaxPayment=Thêm thanh toán thuế %s @@ -118,7 +118,7 @@ Refund=Hoàn thuế SocialContributionsPayments=Thanh toán thuế xã hội / tài chính ShowVatPayment=Hiện nộp thuế GTGT TotalToPay=Tổng số trả -BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters) +BalanceVisibilityDependsOnSortAndFilters=Số dư chỉ hiển thị trong danh sách này nếu bảng được sắp xếp trên %s và được lọc trên 1 tài khoản ngân hàng (không có bộ lọc nào khác) CustomerAccountancyCode=Mã kế toán khách hàng SupplierAccountancyCode=Mã kế toán nhà cung cấp CustomerAccountancyCodeShort=Mã K.toán K.H @@ -133,37 +133,37 @@ ByThirdParties=Do các bên thứ ba ByUserAuthorOfInvoice=Của tác giả hóa đơn CheckReceipt=Phiếu nộp tiền CheckReceiptShort=Phiếu nộp tiền -LastCheckReceiptShort=Latest %s deposit slips -LastPaymentForDepositShort=Latest %s %s deposit slips +LastCheckReceiptShort=Phiếu gửi tiền %s mới nhất +LastPaymentForDepositShort=%s %s phiếu gửi tiền mới nhất NewCheckReceipt=Giảm giá mới -NewCheckDeposit=New deposit slip +NewCheckDeposit=Phiếu gửi tiền mới NewCheckDepositOn=Tạo nhận đối với tiền gửi trên tài khoản: %s NoWaitingChecks=Không có séc chờ đặt cọc -NoWaitingPaymentForDeposit=No %s payment awaiting deposit. -DateChequeReceived=Check receiving date -DatePaymentReceived=Date of document reception +NoWaitingPaymentForDeposit=Không có %s thanh toán đang chờ gửi tiền. +DateChequeReceived=Kiểm tra ngày nhận +DatePaymentReceived=Ngày nhận hồ sơ NbOfCheques=Số lượng séc PaySocialContribution=Nộp thuế xã hội / tài chính -PayVAT=Pay a VAT declaration -PaySalary=Pay a salary card -ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid ? -ConfirmPayVAT=Are you sure you want to classify this VAT declaration as paid ? -ConfirmPaySalary=Are you sure you want to classify this salary card as paid? +PayVAT=Nộp tờ khai thuế GTGT +PaySalary=Trả thẻ lương +ConfirmPaySocialContribution=Bạn có chắc chắn muốn phân loại thuế xã hội hoặc tài chính này là đã nộp không? +ConfirmPayVAT=Bạn có chắc chắn muốn phân loại tờ khai VAT này là đã thanh toán không? +ConfirmPaySalary=Bạn có chắc chắn muốn phân loại thẻ lương này là được thanh toán không? DeleteSocialContribution=Xóa một khoản thanh toán thuế xã hội hoặc tài chính -DeleteVAT=Delete a VAT declaration -DeleteSalary=Delete a salary card -DeleteVariousPayment=Delete a various payment -ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment ? -ConfirmDeleteVAT=Are you sure you want to delete this VAT declaration ? -ConfirmDeleteSalary=Are you sure you want to delete this salary ? -ConfirmDeleteVariousPayment=Are you sure you want to delete this various payment ? +DeleteVAT=Xóa tờ khai VAT +DeleteSalary=Xóa thẻ lương +DeleteVariousPayment=Xóa một thanh toán khác nhau +ConfirmDeleteSocialContribution=Bạn có chắc chắn muốn xóa thuế xã hội/tài chính thanh toán này không? +ConfirmDeleteVAT=Bạn có chắc chắn muốn xóa tờ khai VAT này không? +ConfirmDeleteSalary=Bạn có chắc chắn muốn xóa mức lương này không? +ConfirmDeleteVariousPayment=Bạn có chắc chắn muốn xóa thanh toán này không? ExportDataset_tax_1=Thuế và tài chính xã hội và thanh toán CalcModeVATDebt=Chế độ %sVAT về kế toán cam kết%s. CalcModeVATEngagement=Chế độ %sVAT đối với thu nhập-chi phí%s. -CalcModeDebt=Analysis of known recorded documents -CalcModeEngagement=Analysis of known recorded payments +CalcModeDebt=Phân tích các tài liệu được ghi lại đã biết +CalcModeEngagement=Phân tích các khoản thanh toán được ghi nhận đã biết CalcModeBookkeeping=Phân tích dữ liệu được báo cáo trong bảng Sổ sách kế toán. -CalcModeNoBookKeeping=Even if they are not yet accounted in Ledger +CalcModeNoBookKeeping=Ngay cả khi chúng chưa được hạch toán vào Sổ Cái CalcModeLT1= Chế độ %sRE trên hoá đơn của khách hàng - nhà cung cấp hoá đơn%s CalcModeLT1Debt=Chế độ %sRE% trên hóa đơn khách hàng%s CalcModeLT1Rec= Chế độ %sRE các nhà cung cấp hoá đơn%s @@ -175,48 +175,48 @@ AnnualSummaryInputOutputMode=Cán cân thu nhập và chi phí, tổng kết hà AnnualByCompanies=Cân đối thu nhập và chi phí, theo các nhóm tài khoản được xác định trước AnnualByCompaniesDueDebtMode=Cân đối thu nhập và chi phí, chi tiết theo các nhóm được xác định trước, chế độ %sKhiếu nại - Nợ%s cho biết Kế toán cam kết . AnnualByCompaniesInputOutputMode=Cân đối thu nhập và chi phí, chi tiết theo các nhóm được xác định trước, chế độ %sThu nhập - Chi phí %s cho biết kế toán tiền mặt . -SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger -SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger -SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table +SeeReportInInputOutputMode=Xem %sphân tích thanh toán%s để tính toán dựa trên các khoản thanh toán được ghi lại được thực hiện ngay cả khi chúng chưa được hạch toán trong Sổ cái +SeeReportInDueDebtMode=Xem %sphân tích tài liệu đã ghi%s để tính toán dựa trên tài liệu được ghi lại ngay cả khi chúng chưa được hạch toán trong Sổ cái +SeeReportInBookkeepingMode=Xem %sphân tích bảng sổ kế toán%s cho báo cáo dựa trên Bảng sổ kế toán RulesAmountWithTaxIncluded=- Các khoản hiển thị là với tất cả các loại thuế bao gồm -RulesAmountWithTaxExcluded=- Amounts of invoices shown are with all taxes excluded -RulesResultDue=- It includes all invoices, expenses, VAT, donations, salaries, whether they are paid or not.
      - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries, the date of end of period is used. -RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries.
      - It is based on the payment dates of the invoices, expenses, VAT, donations and salaries. -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
      - It is based on the billing date of these invoices.
      +RulesAmountWithTaxExcluded=- Số lượng hóa đơn hiển thị chưa bao gồm tất cả các loại thuế +RulesResultDue=- Nó bao gồm tất cả các hóa đơn, chi phí, thuế VAT, các khoản quyên góp, tiền lương, cho dù chúng có được thanh toán hay không.
      - Nó dựa trên ngày lập hóa đơn và ngày đến hạn cho chi phí hoặc nộp thuế. Đối với tiền lương, ngày kết thúc kỳ được sử dụng. +RulesResultInOut=- Nó bao gồm các khoản thanh toán thực tế được thực hiện trên hoá đơn, chi phí, thuế VAT và tiền lương.
      - Nó dựa trên ngày thanh toán của hóa đơn, chi phí, VAT, quyên góp và tiền lương. +RulesCADue=- Bao gồm các hóa đơn đến hạn của khách hàng dù đã được thanh toán hay chưa.
      - Nó dựa trên ngày thanh toán của các hóa đơn này.
      RulesCAIn=- Nó bao gồm tất cả các khoản thanh toán hiệu quả của hóa đơn nhận được từ khách hàng.
      - Nó được dựa trên ngày thanh toán của các hóa đơn này
      RulesCATotalSaleJournal=Nó bao gồm tất cả các hạn mức tín dụng từ nhật ký Bán hàng. -RulesSalesTurnoverOfIncomeAccounts=It includes (credit - debit) of lines for product accounts in group INCOME +RulesSalesTurnoverOfIncomeAccounts=Nó bao gồm (tín dụng - ghi nợ) các dòng cho tài khoản sản phẩm trong nhóm THU NHẬP RulesAmountOnInOutBookkeepingRecord=Nó bao gồm bản ghi trong Sổ cái của bạn với các tài khoản kế toán có nhóm "CHI PHÍ" hoặc "THU NHẬP" RulesResultBookkeepingPredefined=Nó bao gồm bản ghi trong Sổ cái của bạn với các tài khoản kế toán có nhóm "CHI PHÍ" hoặc "THU NHẬP" RulesResultBookkeepingPersonalized=Nó hiển thị ghi nhận trong Sổ cái của bạn với các tài khoản kế toán được nhóm theo các nhóm được cá nhân hóa SeePageForSetup=Xem menu %s để thiết lập DepositsAreNotIncluded=- Không bao gồm hóa đơn giảm thanh toán DepositsAreIncluded=- Bao gồm hóa đơn giảm thanh toán -LT1ReportByMonth=Tax 2 report by month -LT2ReportByMonth=Tax 3 report by month +LT1ReportByMonth=Báo cáo thuế 2 theo tháng +LT2ReportByMonth=Báo cáo thuế 3 theo tháng LT1ReportByCustomers=Báo cáo thuế 2 của bên thứ ba LT2ReportByCustomers=Báo cáo thuế 3 của bên thứ ba LT1ReportByCustomersES=Báo cáo của bên thứ ba RE LT2ReportByCustomersES=Báo cáo của bên thứ ba IRPF -VATReport=Sales tax report -VATReportByPeriods=Sales tax report by period -VATReportByMonth=Sales tax report by month -VATReportByRates=Sales tax report by rate -VATReportByThirdParties=Sales tax report by third party -VATReportByCustomers=Sales tax report by customer +VATReport=Báo cáo thuế bán hàng +VATReportByPeriods=Báo cáo thuế bán hàng theo kỳ +VATReportByMonth=Báo cáo thuế bán hàng theo tháng +VATReportByRates=Báo cáo thuế bán hàng theo tỷ lệ +VATReportByThirdParties=Báo cáo thuế bán hàng của bên thứ ba +VATReportByCustomers=Báo cáo thuế bán hàng theo khách hàng VATReportByCustomersInInputOutputMode=Báo cáo của thuế GTGT của khách hàng thu thập và trả -VATReportByQuartersInInputOutputMode=Report by Sales tax rate of the tax collected and paid -VATReportShowByRateDetails=Show details of this rate +VATReportByQuartersInInputOutputMode=Báo cáo theo tỷ lệ thuế doanh thu của số thuế đã thu, đã nộp +VATReportShowByRateDetails=Hiển thị chi tiết về tỷ lệ này LT1ReportByQuarters=Báo cáo thuế 2 theo thuế suất LT2ReportByQuarters=Báo cáo thuế 3 theo thuế suất LT1ReportByQuartersES=Báo cáo của tỷ lệ RE LT2ReportByQuartersES=Báo cáo của tỷ lệ IRPF -SeeVATReportInInputOutputMode=See report %sVAT collection%s for a standard calculation -SeeVATReportInDueDebtMode=See report %sVAT on debit%s for a calculation with an option on the invoicing -RulesVATInServices=- For services, the report includes the VAT of payments actually received or paid on the basis of the date of payment. -RulesVATInProducts=- For material assets, the report includes the VAT on the basis of the date of payment. -RulesVATDueServices=- For services, the report includes VAT of due invoices, paid or not, based on the invoice date. -RulesVATDueProducts=- For material assets, the report includes the VAT of due invoices, based on the invoice date. +SeeVATReportInInputOutputMode=Xem báo cáo %sThu VAT%s để tính toán chuẩn +SeeVATReportInDueDebtMode=Xem báo cáo %sVAT khi ghi nợ%s để tính toán với tùy chọn trên hóa đơn +RulesVATInServices=- Đối với dịch vụ, báo cáo bao gồm VAT của các khoản thanh toán thực tế đã nhận hoặc thanh toán trên cơ sở ngày thanh toán. +RulesVATInProducts=- Đối với tài sản vật chất, báo cáo bao gồm thuế VAT trên cơ sở ngày thanh toán. +RulesVATDueServices=- Đối với dịch vụ, báo cáo bao gồm thuế GTGT của các hóa đơn đến hạn, đã thanh toán hay chưa thanh toán căn cứ vào ngày lập hóa đơn. +RulesVATDueProducts=- Đối với tài sản cố định, báo cáo bao gồm thuế GTGT của các hóa đơn đến hạn căn cứ vào ngày lập hóa đơn. OptionVatInfoModuleComptabilite=Lưu ý: Đối với tài sản vật chất, nó sẽ sử dụng ngày giao hàng để được công bằng hơn. ThisIsAnEstimatedValue=Đây là bản xem trước, dựa trên các sự kiện kinh doanh và không phải từ bảng sổ cái cuối cùng, vì vậy kết quả cuối cùng có thể khác với các giá trị xem trước này PercentOfInvoice=%% / Hóa đơn @@ -241,7 +241,7 @@ Pcg_subtype=PCG chủng InvoiceLinesToDispatch=Dòng hoá đơn để gửi ByProductsAndServices=Theo sản phẩm và dịch vụ RefExt=Ref bên ngoài -ToCreateAPredefinedInvoice=To create a template invoice, create a standard invoice, then, without validating it, click on button "%s". +ToCreateAPredefinedInvoice=Để tạo hóa đơn mẫu, hãy tạo hóa đơn chuẩn, sau đó, không cần xác thực hóa đơn, hãy nhấp vào nút "%s". LinkedOrder=Liên kết để đặt hàng Mode1=Phương pháp 1 Mode2=Phương pháp 2 @@ -251,18 +251,20 @@ TurnoverPerProductInCommitmentAccountingNotRelevant=Báo cáo Doanh thu được TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=Báo cáo Doanh thu được thu thập trên mỗi mức thuế suất bán hàng không có sẵn. Báo cáo này chỉ có sẵn cho doanh thu có hóa đơn. CalculationMode=Chế độ tính toán AccountancyJournal=Mã nhật ký kế toán -ACCOUNTING_VAT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on sales (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_PAY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for paying VAT -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Credit) -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Debit) -ACCOUNTING_ACCOUNT_CUSTOMER=Account (from the Chart Of Account) used for "customer" third parties +ACCOUNTING_VAT_SOLD_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho VAT khi bán hàng (được sử dụng nếu không được xác định khi thiết lập từ điển VAT) +ACCOUNTING_VAT_BUY_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho VAT khi mua hàng (được sử dụng nếu không được xác định khi thiết lập từ điển VAT) +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng để đóng dấu doanh thu khi bán hàng +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng để đóng dấu doanh thu khi mua hàng +ACCOUNTING_VAT_PAY_ACCOUNT=Tài khoản (từ Sơ đồ tài khoản) được sử dụng làm tài khoản mặc định để nộp thuế VAT +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho VAT khi mua hàng với các khoản phí ngược lại (Tín dụng) +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Tài khoản (từ Sơ đồ tài khoản) sẽ được sử dụng làm tài khoản mặc định cho VAT khi mua hàng với khoản phí ngược lại (Ghi nợ) +ACCOUNTING_ACCOUNT_CUSTOMER=Tài khoản (từ Sơ đồ tài khoản) được sử dụng cho bên thứ ba "khách hàng" ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Tài khoản kế toán chuyên dụng được xác định trên thẻ của bên thứ ba sẽ chỉ được sử dụng cho kế toán Sổ phụ. Cái này sẽ được sử dụng cho Sổ cái và là giá trị mặc định của kế toán Sô phụ nếu tài khoản kế toán chuyên dụng của khách hàng bên thứ ba không được xác định. -ACCOUNTING_ACCOUNT_SUPPLIER=Account (from the Chart of Account) used for the "vendor" third parties +ACCOUNTING_ACCOUNT_SUPPLIER=Tài khoản (từ Sơ đồ tài khoản) được sử dụng cho bên thứ ba "nhà cung cấp" ACCOUNTING_ACCOUNT_SUPPLIER_Desc=Tài khoản kế toán chuyên dụng được xác định trên thẻ của bên thứ ba sẽ chỉ được sử dụng cho kế toán Sổ phụ. Cái này sẽ được sử dụng cho Sổ cái và là giá trị mặc định của kế toán Sổ phụ nếu tài khoản kế toán chuyên dụng của nhà cung cấp bên thứ ba không được xác định. ConfirmCloneTax=Xác nhận nhân bản thuế xã hội / tài chính -ConfirmCloneVAT=Confirm the clone of a VAT declaration -ConfirmCloneSalary=Confirm the clone of a salary +ConfirmCloneVAT=Xác nhận bản sao của tờ khai VAT +ConfirmCloneSalary=Xác nhận bản sao của mức lương CloneTaxForNextMonth=Sao chép nó vào tháng tới SimpleReport=Báo cáo đơn giản AddExtraReport=Báo cáo bổ sung (thêm báo cáo khách hàng nước ngoài và quốc nội) @@ -281,8 +283,8 @@ AccountingAffectation=Phân công kế toán LastDayTaxIsRelatedTo=Ngày cuối cùng của kỳ thuế có liên quan đến VATDue=Khiếu nại thuế bán hàng ClaimedForThisPeriod=Thời gian yêu cầu bồi thường -PaidDuringThisPeriod=Paid for this period -PaidDuringThisPeriodDesc=This is the sum of all payments linked to VAT declarations which have an end-of-period date in the selected date range +PaidDuringThisPeriod=Đã thanh toán cho kỳ này +PaidDuringThisPeriodDesc=Đây là tổng của tất cả các khoản thanh toán liên quan đến tờ khai VAT có ngày kết thúc kỳ trong phạm vi ngày đã chọn ByVatRate=Theo thuế suất bán hàng TurnoverbyVatrate=Doanh thu được lập hóa đơn theo thuế suất bán hàng TurnoverCollectedbyVatrate=Doanh thu được thu thập theo thuế suất bán hàng @@ -290,23 +292,23 @@ PurchasebyVatrate=Mua theo thuế suất bán hàng LabelToShow=Nhãn ngắn PurchaseTurnover=Doanh số hàng mua PurchaseTurnoverCollected=Doanh số hàng mua -RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
      - It is based on the invoice date of these invoices.
      -RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers.
      - It is based on the payment date of these invoices
      +RulesPurchaseTurnoverDue=- Bao gồm các hoá đơn đến hạn của nhà cung cấp dù đã được thanh toán hay chưa.
      - Căn cứ vào ngày lập hóa đơn của các hóa đơn này.
      +RulesPurchaseTurnoverIn=- Nó bao gồm tất cả các khoản thanh toán hiệu quả của các hóa đơn được thực hiện cho nhà cung cấp.
      - Nó dựa trên ngày thanh toán của các hóa đơn này
      RulesPurchaseTurnoverTotalPurchaseJournal=Nó bao gồm tất cả các dòng ghi nợ từ nhật ký -RulesPurchaseTurnoverOfExpenseAccounts=It includes (debit - credit) of lines for product accounts in group EXPENSE +RulesPurchaseTurnoverOfExpenseAccounts=Nó bao gồm (ghi nợ - ghi có) các dòng cho tài khoản sản phẩm trong nhóm CHI PHÍ ReportPurchaseTurnover=Doanh số hàng mua đã ra hoá đơn ReportPurchaseTurnoverCollected=Doanh số hàng mua đã tập hợp -IncludeVarpaysInResults = Include various payments in reports -IncludeLoansInResults = Include loans in reports -InvoiceLate30Days = Late (> 30 days) -InvoiceLate15Days = Late (15 to 30 days) -InvoiceLateMinus15Days = Late (< 15 days) -InvoiceNotLate = To be collected (< 15 days) -InvoiceNotLate15Days = To be collected (15 to 30 days) -InvoiceNotLate30Days = To be collected (> 30 days) -InvoiceToPay=To pay (< 15 days) -InvoiceToPay15Days=To pay (15 to 30 days) -InvoiceToPay30Days=To pay (> 30 days) -ConfirmPreselectAccount=Preselect accountancy code -ConfirmPreselectAccountQuestion=Are you sure you want to preselect the %s selected lines with this accountancy code ? -AmountPaidMustMatchAmountOfDownPayment=Amount paid must match amount of down payment +IncludeVarpaysInResults = Bao gồm các khoản thanh toán khác nhau trong báo cáo +IncludeLoansInResults = Đưa các khoản vay vào báo cáo +InvoiceLate30Days = Trễ (> 30 ngày) +InvoiceLate15Days = Muộn (15 đến 30 ngày) +InvoiceLateMinus15Days = Trễ (< 15 ngày) +InvoiceNotLate = Sẽ được thu thập (< 15 ngày) +InvoiceNotLate15Days = Sẽ được thu thập (15 đến 30 ngày) +InvoiceNotLate30Days = Sẽ được thu thập (> 30 ngày) +InvoiceToPay=Phải thanh toán (< 15 ngày) +InvoiceToPay15Days=Thanh toán (15 đến 30 ngày) +InvoiceToPay30Days=Phải trả (> 30 ngày) +ConfirmPreselectAccount=Chọn trước mã số kế toán +ConfirmPreselectAccountQuestion=Bạn có chắc chắn muốn chọn trước các dòng đã chọn %s với mã kế toán này không? +AmountPaidMustMatchAmountOfDownPayment=Số tiền thanh toán phải khớp với số tiền trả trước thanh toán diff --git a/htdocs/langs/vi_VN/contracts.lang b/htdocs/langs/vi_VN/contracts.lang index eb2e3351a52..fdb4c67ddeb 100644 --- a/htdocs/langs/vi_VN/contracts.lang +++ b/htdocs/langs/vi_VN/contracts.lang @@ -20,7 +20,7 @@ ContractsSubscriptions=Hợp đồng/Thuê bao ContractsAndLine=Hợp đồng và chi tiết của hợp đồng Contract=Hợp đồng ContractLine=Phạm vi hợp đồng -ContractLines=Contract lines +ContractLines=Dòng hợp đồng Closing=Đang đóng NoContracts=Không có hợp đồng nào MenuServices=Dịch vụ @@ -29,7 +29,7 @@ MenuRunningServices=Dịch vụ đang hoạt động MenuExpiredServices=Dịch vụ đã hết hạn MenuClosedServices=Dịch vụ đã đóng NewContract=Hợp đồng mới -NewContractSubscription=New contract or subscription +NewContractSubscription=Hợp đồng hoặc đăng ký mới AddContract=Tạo hợp đồng DeleteAContract=Xóa hợp đồng ActivateAllOnContract=Kích hoạt toàn bộ dịch vụ @@ -37,7 +37,7 @@ CloseAContract=Đóng hợp đồng ConfirmDeleteAContract=Bạn có chắc chắn là sẽ xoá hợp đồng này và mọi dịch vụ của nó? ConfirmValidateContract=Bạn có chắc chắn muốn xác nhận hợp đồng này dưới tên %s ? ConfirmActivateAllOnContract=Hành động này sẽ mở mọi dịch vụ (chưa được kích hoạt). Bạn có muốn mở tất cả dịch vụ không? -ConfirmCloseContract=This will close all services (expired or not). Are you sure you want to close this contract? +ConfirmCloseContract=Điều này sẽ đóng tất cả các dịch vụ (đã hết hạn hoặc chưa). Bạn có chắc chắn muốn đóng hợp đồng này không? ConfirmCloseService=Bạn có chắc chắn muốn đóng dịch vụ này với ngày %s ? ValidateAContract=Xác nhận hợp đồng ActivateService=Kích hoạt dịch vụ @@ -78,9 +78,9 @@ CloseAllContracts=Đóng tất cả các chi tiết hợp đồng DeleteContractLine=Xóa một chi tiết hợp đồng ConfirmDeleteContractLine=Bạn có chắc chắn muốn xoá phạm vi hợp đồng này? MoveToAnotherContract=Chuyển dịch vụ vào hợp đồng khác. -ConfirmMoveToAnotherContract=Tôi đã chọn hợp đồng đích mới và xác nhận muốn chuyển dịch vụ này vào hợp đồng đó. +ConfirmMoveToAnotherContract=Tôi đã chọn một hợp đồng mục tiêu mới và xác nhận rằng tôi muốn chuyển dịch vụ này vào hợp đồng này. ConfirmMoveToAnotherContractQuestion=Choose in which existing contract (of same third party), you want to move this service to? -PaymentRenewContractId=Renew contract %s (service %s) +PaymentRenewContractId=Gia hạn hợp đồng %s (dịch vụ %s) ExpiredSince=Ngày hết hạn NoExpiredServices=Không có dịch vụ kích hoạt đã hết hạn ListOfServicesToExpireWithDuration=Danh sách dịch vụ sẽ hết hạn trong %s ngày @@ -100,8 +100,8 @@ TypeContact_contrat_internal_SALESREPFOLL=Đại diện bán hàng theo dõi h TypeContact_contrat_external_BILLING=Liên hệ để thanh toán của khách hàng TypeContact_contrat_external_CUSTOMER=Liên lạc để theo dõi của khách hàng TypeContact_contrat_external_SALESREPSIGN=Liên lạc để ký hợp đồng của khách hàng -HideClosedServiceByDefault=Hide closed services by default -ShowClosedServices=Show Closed Services -HideClosedServices=Hide Closed Services -UserStartingService=User starting service -UserClosingService=User closing service +HideClosedServiceByDefault=Ẩn các dịch vụ đã đóng theo mặc định +ShowClosedServices=Hiển thị các dịch vụ đã đóng +HideClosedServices=Ẩn các dịch vụ đã đóng +UserStartingService=Dịch vụ khởi động người dùng +UserClosingService=Dịch vụ đóng của người dùng diff --git a/htdocs/langs/vi_VN/cron.lang b/htdocs/langs/vi_VN/cron.lang index b1ea0e650dd..add9bbe610e 100644 --- a/htdocs/langs/vi_VN/cron.lang +++ b/htdocs/langs/vi_VN/cron.lang @@ -7,14 +7,14 @@ Permission23103 = Xóa công việc theo lịch trình Permission23104 = Thực hiện công việc theo lịch trình # Admin CronSetup=Thiết lập quản lý công việc theo lịch trình -URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser -OrToLaunchASpecificJob=Or to check and launch a specific job from a browser +URLToLaunchCronJobs=URL để kiểm tra và khởi chạy các công việc định kỳ đủ điều kiện từ trình duyệt +OrToLaunchASpecificJob=Hoặc để kiểm tra và khởi chạy một công việc cụ thể từ trình duyệt KeyForCronAccess=Khóa bảo mật cho URL để khởi chạy các công việc định kỳ FileToLaunchCronJobs=Dòng lệnh để kiểm tra và khởi chạy các công việc định kỳ đủ điều kiện CronExplainHowToRunUnix=Trên môi trường Unix, bạn nên sử dụng mục crontab sau để chạy dòng lệnh mỗi 5 phút CronExplainHowToRunWin=Trên môi trường Microsoft (tm) Windows, bạn có thể sử dụng các công cụ Tác vụ theo lịch để chạy dòng lệnh mỗi 5 phút -CronMethodDoesNotExists=Class %s does not contain any method %s -CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods +CronMethodDoesNotExists=Lớp %s không chứa bất kỳ phương thức nào %s +CronMethodNotAllowed=Phương thức %s của lớp %s nằm trong danh sách chặn các phương thức bị cấm CronJobDefDesc=Hồ sơ công việc theo định kỳ được xác định vào tập tin mô tả mô-đun. Khi mô-đun được kích hoạt, chúng được tải và có sẵn để bạn có thể quản lý các công việc từ menu công cụ quản trị %s. CronJobProfiles=Danh sách hồ sơ công việc định kỳ được xác định trước # Menu @@ -26,7 +26,7 @@ CronCommand=Lệnh CronList=Công việc theo lịch trình CronDelete=Xóa công việc theo lịch trình CronConfirmDelete=Bạn có chắc chắn muốn xóa các công việc theo lịch trình này? -CronExecute=Launch now +CronExecute=Khởi chạy ngay bây giờ CronConfirmExecute=Bạn có chắc chắn muốn thực hiện các công việc theo lịch trình này ngay bây giờ? CronInfo=Mô-đun công việc được lên lịch cho phép lên lịch các công việc để thực hiện chúng tự động. Công việc cũng có thể được bắt đầu bằng tay. CronTask=Công việc @@ -47,7 +47,7 @@ CronNbRun=Số lần khởi chạy CronMaxRun=Số lần khởi chạy tối đa CronEach=Mỗi JobFinished=Công việc khởi chạy và kết thúc -Scheduled=Scheduled +Scheduled=Lên kế hoạch #Page card CronAdd= Thêm công việc CronEvery=Thực hiện mỗi công việc @@ -58,16 +58,16 @@ CronNote=Nhận xét CronFieldMandatory=Các trường %s là bắt buộc CronErrEndDateStartDt=Ngày kết thúc không thể trước ngày bắt đầu StatusAtInstall=Trạng thái khi cài đặt mô-đun -CronStatusActiveBtn=Enable scheduling +CronStatusActiveBtn=Bật lập lịch CronStatusInactiveBtn=Vô hiệu hoá -CronTaskInactive=This job is disabled (not scheduled) +CronTaskInactive=Công việc này bị vô hiệu hóa (không được lên lịch) CronId=Id CronClassFile=Tên tệp với lớp CronModuleHelp=Tên của thư mục mô-đun Dolibarr (cũng hoạt động với mô-đun Dolibarr bên ngoài).
      Ví dụ: để gọi phương thức tìm nạp của đối tượng sản phẩm Dolibarr/htdocs/product/class/products.class.php, giá trị cho mô-đun là
      product CronClassFileHelp=Đường dẫn tương đối và tên tệp để tải (đường dẫn có liên quan đến thư mục gốc của máy chủ web).
      Ví dụ: để gọi phương thức tìm nạp của đối tượng Sản phẩm Dolibarr htdocs/product/class/product.class.php , giá trị cho tên tệp lớp là
      product/class/product.class.php CronObjectHelp=Tên đối tượng để tải.
      Ví dụ: để gọi phương thức tìm nạp của đối tượng Sản phẩm Dolibarr /htdocs/product/class/products.class.php, giá trị cho tên tệp lớp là
      Product CronMethodHelp=Phương thức đối tượng để khởi chạy.
      Ví dụ: để gọi phương thức tìm nạp của đối tượng Sản phẩm Dolibarr /htdocs/product/class/products.class.php, giá trị của phương thức là
      fetch -CronArgsHelp=Các đối số phương thức.
      Ví dụ: để gọi phương thức tìm nạp của đối tượng Sản phẩm Dolibarr /htdocs/product/class/products.class.php, giá trị cho tham số có thể là
      0, ProductRef +CronArgsHelp=Các đối số của phương thức.
      Ví dụ để gọi phương thức tìm nạp của đối tượng Dolibarr Product /htdocs/product/class/product.class.php, giá trị cho tham số có thể là
      0, ProductRef CronCommandHelp=Dòng lệnh hệ thống để thực thi. CronCreateJob=Tạo công việc theo lịch trình mới CronFrom=Từ @@ -82,19 +82,20 @@ UseMenuModuleToolsToAddCronJobs=Đi vào menu " Trang chủ - Công JobDisabled=Công việc bị vô hiệu hóa MakeLocalDatabaseDumpShort=Sao lưu cơ sở dữ liệu cục bộ MakeLocalDatabaseDump=Tạo một kết xuất cơ sở dữ liệu cục bộ. Các tham số là: nén('gz' hoặc 'bz' hoặc 'none'), loại sao lưu ('mysql', 'pssql', 'auto'), 1, 'auto' hoặc tên tệp để tạo, số lượng tệp sao lưu cần giữ -MakeSendLocalDatabaseDumpShort=Send local database backup -MakeSendLocalDatabaseDump=Send local database backup by email. Parameters are: to, from, subject, message, filename (Name of file sent), filter ('sql' for backup of database only) -BackupIsTooLargeSend=Sorry, last backup file is too large to be send by email -CleanUnfinishedCronjobShort=Clean unfinished cronjob -CleanUnfinishedCronjob=Clean cronjob stuck in processing when the process is no longer running +MakeSendLocalDatabaseDumpShort=Gửi bản sao lưu cơ sở dữ liệu cục bộ +MakeSendLocalDatabaseDump=Gửi bản sao lưu cơ sở dữ liệu cục bộ qua email. Các tham số là: đến, từ, chủ đề, tin nhắn, tên tệp (Tên tệp được gửi), bộ lọc ('sql' chỉ để sao lưu cơ sở dữ liệu) +BackupIsTooLargeSend=Xin lỗi, tệp sao lưu cuối cùng quá lớn để gửi qua email +CleanUnfinishedCronjobShort=Làm sạch cronjob chưa hoàn thành +CleanUnfinishedCronjob=Làm sạch cronjob bị kẹt trong quá trình xử lý khi tiến trình không còn chạy WarningCronDelayed=Chú ý, vì mục đích hiệu suất, bất kể ngày nào là ngày thực hiện các công việc được kích hoạt, công việc của bạn có thể bị trì hoãn tối đa là %s giờ trước khi được chạy. DATAPOLICYJob=Trình dọn dẹp dữ liệu và ẩn danh -JobXMustBeEnabled=Job %s must be enabled -EmailIfError=Email for warning on error -ErrorInBatch=Error when running the job %s +JobXMustBeEnabled=Công việc %s phải được bật +EmailIfError=Email cảnh báo về lỗi +JobNotFound=Không tìm thấy công việc %s trong danh sách công việc (cố gắng tắt/bật mô-đun) +ErrorInBatch=Lỗi khi chạy công việc %s # Cron Boxes -LastExecutedScheduledJob=Last executed scheduled job -NextScheduledJobExecute=Next scheduled job to execute -NumberScheduledJobError=Number of scheduled jobs in error -NumberScheduledJobNeverFinished=Number of scheduled jobs never finished +LastExecutedScheduledJob=Công việc theo lịch trình được thực hiện lần cuối +NextScheduledJobExecute=Công việc được lên lịch tiếp theo để thực hiện +NumberScheduledJobError=Số lượng công việc đã lên lịch bị lỗi +NumberScheduledJobNeverFinished=Số công việc đã lên lịch chưa bao giờ hoàn thành diff --git a/htdocs/langs/vi_VN/datapolicy.lang b/htdocs/langs/vi_VN/datapolicy.lang index 41ec560e4b7..b3d0c50e7fd 100644 --- a/htdocs/langs/vi_VN/datapolicy.lang +++ b/htdocs/langs/vi_VN/datapolicy.lang @@ -14,79 +14,79 @@ # along with this program. If not, see . # Module label 'ModuledatapolicyName' -Module4100Name = Data Privacy Policy +Module4100Name = Chính sách bảo mật dữ liệu # Module description 'ModuledatapolicyDesc' -Module4100Desc = Module to manage Data Privacy (Conformity with the GDPR) +Module4100Desc = Mô-đun quản lý quyền riêng tư dữ liệu (Tuân thủ GDPR) # # Administration page # -datapolicySetup = Module Data Privacy Policy Setup -Deletion = Deletion of data -datapolicySetupPage = Depending of laws of your countries (Example Article 5 of the GDPR), personal data must be kept for a period not exceeding that necessary for the purposes for which they were collected, except for archival purposes.
      The deletion will be done automatically after a certain duration without event (the duration which you will have indicated below). -NB_MONTHS = %s months -ONE_YEAR = 1 year -NB_YEARS = %s years +datapolicySetup = Thiết lập chính sách bảo mật dữ liệu mô-đun +Deletion = Xóa dữ liệu +datapolicySetupPage = Tùy thuộc vào luật pháp của quốc gia bạn (Ví dụ Điều 5 của GDPR), dữ liệu cá nhân phải được lưu giữ trong khoảng thời gian không vượt quá mức cần thiết cho các mục đích mà chúng được thu thập, ngoại trừ mục đích lưu trữ.
      Việc xóa sẽ được thực hiện tự động sau một khoảng thời gian nhất định mà không có sự kiện (khoảng thời gian mà bạn sẽ chỉ định dưới). +NB_MONTHS = %s tháng +ONE_YEAR = 1 năm +NB_YEARS = %s năm DATAPOLICY_TIERS_CLIENT = Khách hàng DATAPOLICY_TIERS_PROSPECT = KH tiềm năng -DATAPOLICY_TIERS_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = Nor prospect/Nor customer +DATAPOLICY_TIERS_PROSPECT_CLIENT = Khách hàng tiềm năng +DATAPOLICY_TIERS_NIPROSPECT_NICLIENT = Cũng không phải khách hàng tiềm năng/Cũng không phải khách hàng DATAPOLICY_TIERS_FOURNISSEUR = Nhà cung cấp DATAPOLICY_CONTACT_CLIENT = Khách hàng DATAPOLICY_CONTACT_PROSPECT = KH tiềm năng -DATAPOLICY_CONTACT_PROSPECT_CLIENT = Prospect/Customer -DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = Nor prospect/Nor customer +DATAPOLICY_CONTACT_PROSPECT_CLIENT = Khách hàng tiềm năng +DATAPOLICY_CONTACT_NIPROSPECT_NICLIENT = Cũng không phải khách hàng tiềm năng/Cũng không phải khách hàng DATAPOLICY_CONTACT_FOURNISSEUR = Nhà cung cấp DATAPOLICY_ADHERENT = Thành viên -DATAPOLICY_Tooltip_SETUP = Type of contact - Indicate your choices for each type. -DATAPOLICYMail = Emails Setup -DATAPOLICYSUBJECTMAIL = Subject of email -DATAPOLICYCONTENTMAIL = Content of the email -DATAPOLICYSUBSITUTION = You can use the following variables in your email (LINKACCEPT allows to create a link recording the agreement of the person, LINKREFUSED makes it possible to record the refusal of the person): -DATAPOLICYACCEPT = Message after agreement -DATAPOLICYREFUSE = Message after desagreement -SendAgreementText = You can send a GDPR email to all your relevant contacts (who have not yet received an email and for which you have not registered anything about their GDPR agreement). To do this, use the following button. -SendAgreement = Send emails -AllAgreementSend = All emails have been sent -TXTLINKDATAPOLICYACCEPT = Text for the link "agreement" -TXTLINKDATAPOLICYREFUSE = Text for the link "desagreement" +DATAPOLICY_Tooltip_SETUP = Loại liên hệ - Cho biết các lựa chọn của bạn cho từng loại. +DATAPOLICYMail = Cài đặt email +DATAPOLICYSUBJECTMAIL = Chủ đề của email +DATAPOLICYCONTENTMAIL = Nội dung của email +DATAPOLICYSUBSITUTION = Bạn có thể sử dụng các biến sau trong email của mình (LINKACCEPT cho phép tạo liên kết ghi lại sự đồng ý của người đó, LINKREFUSED cho phép ghi lại lời từ chối của người đó): +DATAPOLICYACCEPT = Tin nhắn sau khi thỏa thuận +DATAPOLICYREFUSE = Lời nhắn sau khi không đồng ý +SendAgreementText = Bạn có thể gửi email GDPR đến tất cả các địa chỉ liên hệ có liên quan của mình (những người chưa nhận được email và bạn chưa đăng ký bất kỳ điều gì về thỏa thuận GDPR của họ). Để thực hiện việc này, hãy sử dụng nút sau. +SendAgreement = Gửi email +AllAgreementSend = Tất cả các email đã được gửi +TXTLINKDATAPOLICYACCEPT = Văn bản cho liên kết "thỏa thuận" +TXTLINKDATAPOLICYREFUSE = Văn bản cho liên kết "không đồng ý" # # Extrafields # -DATAPOLICY_BLOCKCHECKBOX = GDPR : Processing of personal data -DATAPOLICY_consentement = Consent obtained for the processing of personal data -DATAPOLICY_opposition_traitement = Opposes the processing of his personal data -DATAPOLICY_opposition_prospection = Opposes the processing of his personal data for the purposes of prospecting +DATAPOLICY_BLOCKCHECKBOX = GDPR: Xử lý dữ liệu cá nhân +DATAPOLICY_consentement = Đã có sự đồng ý cho việc xử lý dữ liệu cá nhân +DATAPOLICY_opposition_traitement = Phản đối việc xử lý dữ liệu cá nhân của anh ấy +DATAPOLICY_opposition_prospection = Phản đối việc xử lý dữ liệu cá nhân của mình cho mục đích tìm kiếm # # Popup # -DATAPOLICY_POPUP_ANONYME_TITLE = Anonymize a thirdparty -DATAPOLICY_POPUP_ANONYME_TEXTE = You can not delete this contact from Dolibarr because there are related items. In accordance with the GDPR, you will make all this data anonymous to respect your obligations. Would you like to continue ? +DATAPOLICY_POPUP_ANONYME_TITLE = Ẩn danh bên thứ ba +DATAPOLICY_POPUP_ANONYME_TEXTE = Bạn không thể xóa liên hệ này khỏi Dolibarr vì có các mục liên quan. Theo GDPR, bạn sẽ ẩn danh tất cả dữ liệu này để tôn trọng nghĩa vụ của mình. Bạn có muốn tiếp tục không ? # # Button for portability # -DATAPOLICY_PORTABILITE = Portability GDPR -DATAPOLICY_PORTABILITE_TITLE = Export of personal data -DATAPOLICY_PORTABILITE_CONFIRMATION = You want to export the personal data of this contact. Are you sure ? +DATAPOLICY_PORTABILITE = Tính di động GDPR +DATAPOLICY_PORTABILITE_TITLE = Xuất dữ liệu cá nhân +DATAPOLICY_PORTABILITE_CONFIRMATION = Bạn muốn xuất dữ liệu cá nhân của liên hệ này. Bạn có chắc không ? # # Notes added during an anonymization # -ANONYMISER_AT = Anonymised the %s +ANONYMISER_AT = Ẩn danh %s # V2 -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_date = Date of agreement/desagreement GDPR -DATAPOLICY_send = Date sending agreement email -DATAPOLICYReturn = GDPR Validation -DATAPOLICY_SEND = Send GDPR email -MailSent = Email has been sent +DATAPOLICYReturn = Xác thực GDPR +DATAPOLICY_date = Ngày thỏa thuận/không đồng ý GDPR +DATAPOLICY_send = Ngày gửi email thỏa thuận +DATAPOLICYReturn = Xác thực GDPR +DATAPOLICY_SEND = Gửi email GDPR +MailSent = Email đã được gửi # ERROR -ErrorSubjectIsRequired = Error : The subject of email is required. Indicate it in the module setup -=Due to a technical problem, we were unable to register your choice. We apologize for that. Contact us to send us your choice. -NUMBER_MONTH_BEFORE_DELETION = Number of month before deletion +ErrorSubjectIsRequired = Lỗi: Cần phải có chủ đề của email. Chỉ ra nó trong phần thiết lập mô-đun +=Do sự cố kỹ thuật nên chúng tôi không thể đăng ký lựa chọn của bạn. Chúng tôi xin lỗi vì điều đó. Hãy liên hệ với chúng tôi để gửi cho chúng tôi sự lựa chọn của bạn. +NUMBER_MONTH_BEFORE_DELETION = Số tháng trước khi xóa diff --git a/htdocs/langs/vi_VN/deliveries.lang b/htdocs/langs/vi_VN/deliveries.lang index 8c19a5c34c2..df533033130 100644 --- a/htdocs/langs/vi_VN/deliveries.lang +++ b/htdocs/langs/vi_VN/deliveries.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - deliveries Delivery=Giao hàng DeliveryRef=Tham chiếu giao hàng -DeliveryCard=Stock receipt +DeliveryCard=Biên nhận chứng khoán DeliveryOrder=Biên nhận giao hàng DeliveryDate=Ngày giao hàng CreateDeliveryOrder=Tạo biên nhận giao hàng @@ -27,7 +27,7 @@ Recipient=Người nhận ErrorStockIsNotEnough=Không có đủ tồn kho Shippable=Vận chuyển được NonShippable=Không vận chuyển được -ShowShippableStatus=Show shippable status +ShowShippableStatus=Hiển thị trạng thái có thể gửi được ShowReceiving=Hiển thị biên nhận giao hàng NonExistentOrder=Đơn hàng không tồn tại -StockQuantitiesAlreadyAllocatedOnPreviousLines = Stock quantities already allocated on previous lines +StockQuantitiesAlreadyAllocatedOnPreviousLines = Số lượng hàng tồn kho đã được phân bổ trên các dòng trước đó diff --git a/htdocs/langs/vi_VN/dict.lang b/htdocs/langs/vi_VN/dict.lang index 53cb6c20f2d..1d4af2151ac 100644 --- a/htdocs/langs/vi_VN/dict.lang +++ b/htdocs/langs/vi_VN/dict.lang @@ -137,7 +137,7 @@ CountryLV=Latvia CountryLB=Lebanon CountryLS=Lesotho CountryLR=Liberia -CountryLY=Libya +CountryLY=Li-bi CountryLI=Liechtenstein CountryLT=Litva CountryLU=Luxembourg @@ -158,7 +158,7 @@ CountryMX=Mexico CountryFM=Liên bang Micronesia CountryMD=Moldova CountryMN=Mông Cổ -CountryMS=Monserrat +CountryMS=Montserrat CountryMZ=Mozambique CountryMM=Myanmar (Miến Điện) CountryNA=Namibia diff --git a/htdocs/langs/vi_VN/donations.lang b/htdocs/langs/vi_VN/donations.lang index dc1823416ee..d40c19b547b 100644 --- a/htdocs/langs/vi_VN/donations.lang +++ b/htdocs/langs/vi_VN/donations.lang @@ -29,7 +29,7 @@ FreeTextOnDonations=Văn bản tủy ý để hiển thị ở chân trang FrenchOptions=Tùy chọn cho Pháp DONATION_ART200=Hiển thị điều 200 từ CGI nếu bạn quan tâm DONATION_ART238=Hiển thị điều 238 từ CGI nếu bạn quan tâm -DONATION_ART978=Show article 978 from CGI if you are concerned +DONATION_ART978=Hiển thị bài viết 978 từ CGI nếu bạn lo ngại DonationPayment=Thanh toán tài trợ DonationValidated=Tài trợ %s đã được xác nhận -DonationUseThirdparties=Use an existing thirdparty as coordinates of donators +DonationUseThirdparties=Sử dụng địa chỉ của bên thứ ba hiện có làm địa chỉ của nhà tài trợ diff --git a/htdocs/langs/vi_VN/ecm.lang b/htdocs/langs/vi_VN/ecm.lang index 82018cff366..59662ac54bf 100644 --- a/htdocs/langs/vi_VN/ecm.lang +++ b/htdocs/langs/vi_VN/ecm.lang @@ -3,9 +3,9 @@ ECMNbOfDocs=Số lượng tài liệu trong thư mục ECMSection=Thư mục ECMSectionManual=Thư mục ECMSectionAuto=Thư mục tự động -ECMSectionsManual=Cây thư mục -ECMSectionsAuto=Cây tự động -ECMSectionsMedias=Medias tree +ECMSectionsManual=Cây hướng dẫn sử dụng riêng +ECMSectionsAuto=Cây tự động riêng +ECMSectionsMedias=Cây công cộng ECMSections=Thư mục ECMRoot=Gốc ECMNewSection=Thư mục mới @@ -17,16 +17,16 @@ ECMNbOfFilesInSubDir=Số ảnh trong thư mục con ECMCreationUser=Người tạo ECMArea=Vùng DMS/ECM ECMAreaDesc=Vùng DMS/ECM (Document Management System / Electronic Content Management) cho phép bạn lưu, chia sẻ và tìm nhanh mọi loại tài liệu trong hệ thống. -ECMAreaDesc2a=* Manual directories can be used to save documents not linked to a particular element. -ECMAreaDesc2b=* Automatic directories are filled automatically when adding documents from the page of an element. -ECMAreaDesc3=* Medias directories are files into the subdirectory /medias of documents directory, readable by everybody with no need to be logged and no need to have the file shared explicitely. It is used to store image files from emailing or website module. +ECMAreaDesc2a=* Có thể sử dụng các thư mục thủ công để lưu tài liệu với cách tổ chức cấu trúc cây tự do. +ECMAreaDesc2b=* Thư mục tự động được điền tự động khi thêm tài liệu từ trang của một phần tử. +ECMAreaDesc3=* Thư mục công cộng là các tệp trong thư mục con /medias của thư mục tài liệu, mọi người đều có thể đọc được mà không cần phải đăng nhập và không cần phải chia sẻ tệp một cách rõ ràng. Nó được sử dụng để lưu trữ các tập tin hình ảnh cho mô-đun gửi email hoặc trang web chẳng hạn. ECMSectionWasRemoved=Thư mục% s đã bị xóa. ECMSectionWasCreated=Thư mục %s đã được tạo ECMSearchByKeywords=Tìm kiếm theo từ khóa ECMSearchByEntity=Tìm kiếm theo đối tượng ECMSectionOfDocuments=Thư mục tài liệu ECMTypeAuto=Tự động -ECMDocsBy=Documents linked to %s +ECMDocsBy=Các tài liệu được liên kết với %s ECMNoDirectoryYet=Không có thư mục được tạo ra ShowECMSection=Hiện thư mục DeleteSection=Hủy bỏ thư mục @@ -41,12 +41,16 @@ ReSyncListOfDir=Đồng bộ hóa lại danh sách các thư mục HashOfFileContent=Hàm băm nội dung tập tin NoDirectoriesFound=Không tìm thấy thư mục FileNotYetIndexedInDatabase=Tệp chưa được lập chỉ mục vào cơ sở dữ liệu (cố gắng tải lên lại) -ExtraFieldsEcmFiles=Extrafields Ecm Files -ExtraFieldsEcmDirectories=Extrafields Ecm Directories -ECMSetup=ECM Setup -GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... -ConfirmImgWebpCreation=Confirm all images duplication -SucessConvertImgWebp=Images successfully duplicated -ECMDirName=Dir name -ECMParentDirectory=Parent directory +ExtraFieldsEcmFiles=Tệp Ecm ngoại trường +ExtraFieldsEcmDirectories=Thư mục Ecm ngoài trường +ECMSetup=Cài đặt ECM +GenerateImgWebp=Sao chép tất cả hình ảnh với phiên bản khác có định dạng .webp +ConfirmGenerateImgWebp=Nếu bạn xác nhận, bạn sẽ tạo một hình ảnh ở định dạng .webp cho tất cả các hình ảnh hiện có trong thư mục này (không bao gồm các thư mục con, hình ảnh webp sẽ không được tạo nếu kích thước lớn hơn kích thước gốc)... +ConfirmImgWebpCreation=Xác nhận tất cả hình ảnh trùng lặp +GenerateChosenImgWebp=Sao chép hình ảnh đã chọn với một phiên bản khác có định dạng .webp +ConfirmGenerateChosenImgWebp=Nếu xác nhận, bạn sẽ tạo hình ảnh ở định dạng .webp cho hình ảnh %s +ConfirmChosenImgWebpCreation=Xác nhận trùng lặp hình ảnh đã chọn +SucessConvertImgWebp=Hình ảnh được sao chép thành công +SucessConvertChosenImgWebp=Hình ảnh đã chọn được sao chép thành công +ECMDirName=Tên thư mục +ECMParentDirectory=Thư mục gốc diff --git a/htdocs/langs/vi_VN/errors.lang b/htdocs/langs/vi_VN/errors.lang index aaa1e41fa65..83ad759ac23 100644 --- a/htdocs/langs/vi_VN/errors.lang +++ b/htdocs/langs/vi_VN/errors.lang @@ -4,16 +4,17 @@ NoErrorCommitIsDone=Không có lỗi, chúng tôi cam kết # Errors ErrorButCommitIsDone=Lỗi được tìm thấy nhưng chúng tôi xác nhận mặc dù điều này -ErrorBadEMail=Email %s is incorrect -ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) -ErrorBadUrl=Url %s is incorrect +ErrorBadEMail=Địa chỉ email %s không chính xác +ErrorBadMXDomain=Email %s có vẻ không chính xác (miền không có bản ghi MX hợp lệ) +ErrorBadUrl=Url %s không chính xác ErrorBadValueForParamNotAString=Giá trị xấu cho tham số của bạn. Nói chung khi dịch bị thiếu. -ErrorRefAlreadyExists=Reference %s already exists. -ErrorTitleAlreadyExists=Title %s already exists. +ErrorRefAlreadyExists=Tài liệu tham khảo %s đã tồn tại. +ErrorTitleAlreadyExists=Tiêu đề %s đã tồn tại. ErrorLoginAlreadyExists=Đăng nhập% s đã tồn tại. ErrorGroupAlreadyExists=Nhóm% s đã tồn tại. -ErrorEmailAlreadyExists=Email %s already exists. +ErrorEmailAlreadyExists=Email %s đã tồn tại. ErrorRecordNotFound=Ghi lại không tìm thấy. +ErrorRecordNotFoundShort=Không tìm thấy ErrorFailToCopyFile=Không thể sao chép tập tin '% s' vào '% s'. ErrorFailToCopyDir=Không thể sao chép thư mục ' %s ' vào ' %s '. ErrorFailToRenameFile=Không thể đổi tên tập tin '% s' vào '% s'. @@ -28,9 +29,10 @@ ErrorThisContactIsAlreadyDefinedAsThisType=Liên hệ này đã được xác đ ErrorCashAccountAcceptsOnlyCashMoney=Tài khoản ngân hàng Đây là một tài khoản tiền mặt, vì vậy nó chấp nhận thanh toán các loại chỉ tiền mặt. ErrorFromToAccountsMustDiffers=Nguồn tài khoản ngân hàng và các mục tiêu phải khác. ErrorBadThirdPartyName=Giá trị xấu cho tên của bên thứ ba -ForbiddenBySetupRules=Forbidden by setup rules +ForbiddenBySetupRules=Bị cấm bởi các quy tắc thiết lập ErrorProdIdIsMandatory=% S là bắt buộc -ErrorAccountancyCodeCustomerIsMandatory=The accountancy code of customer %s is mandatory +ErrorAccountancyCodeCustomerIsMandatory=Mã kế toán của khách hàng %s là bắt buộc +ErrorAccountancyCodeSupplierIsMandatory=Mã kế toán nhà cung cấp %s là bắt buộc ErrorBadCustomerCodeSyntax=Bad cú pháp cho mã khách hàng ErrorBadBarCodeSyntax=Cú pháp tồi cho mã vạch. Có thể bạn đặt loại mã vạch tồi hoặc bạn đã định nghĩa mặt nạ mã vạch để đánh số không khớp với giá trị được quét. ErrorCustomerCodeRequired=Mã khách hàng yêu cầu @@ -42,32 +44,34 @@ ErrorBadSupplierCodeSyntax=Cú pháp sai cho mã nhà cung cấp ErrorSupplierCodeRequired=Yêu cầu mã nhà cung cấp ErrorSupplierCodeAlreadyUsed=Mã nhà cung cấp đã được sử dụng ErrorBadParameters=Thông số xấu -ErrorWrongParameters=Wrong or missing parameters +ErrorWrongParameters=Tham số sai hoặc thiếu ErrorBadValueForParameter=Giá trị sai '%s' cho tham số '%s' ErrorBadImageFormat=Không hỗ trợ định dạng của tệp hình ảnh (PHP của bạn không hỗ trợ các chức năng để chuyển đổi hình ảnh của định dạng này) ErrorBadDateFormat=Giá trị '% s' có định dạng sai ngày ErrorWrongDate=Ngày là không đúng! ErrorFailedToWriteInDir=Không thể viết trong thư mục% s +ErrorFailedToBuildArchive=Không tạo được tệp lưu trữ %s ErrorFoundBadEmailInFile=Tìm thấy cú pháp email không chính xác cho% s dòng trong tập tin (ví dụ dòng% s với email =% s) ErrorUserCannotBeDelete=Người dùng không thể bị xóa. Có lẽ nó được liên kết với các thực thể Dolibarr. -ErrorFieldsRequired=Some required fields have been left blank. -ErrorSubjectIsRequired=The email subject is required +ErrorFieldsRequired=Một số trường bắt buộc đã bị bỏ trống. +ErrorSubjectIsRequired=Tiêu đề email là bắt buộc ErrorFailedToCreateDir=Không thể tạo một thư mục. Kiểm tra xem người sử dụng máy chủ web có quyền ghi vào thư mục tài liệu Dolibarr. Nếu tham số safe_mode được kích hoạt trên PHP này, hãy kiểm tra các tập tin php Dolibarr sở hữu cho người sử dụng máy chủ web (hoặc một nhóm). ErrorNoMailDefinedForThisUser=Không có thư xác định cho người dùng này -ErrorSetupOfEmailsNotComplete=Setup of emails is not complete -ErrorFeatureNeedJavascript=Tính năng này cần javascript để được kích hoạt để làm việc. Thay đổi điều này trong thiết lập - hiển thị. +ErrorSetupOfEmailsNotComplete=Việc thiết lập email chưa hoàn tất +ErrorFeatureNeedJavascript=Tính năng này cần kích hoạt JavaScript để hoạt động. Thay đổi điều này trong thiết lập - hiển thị. ErrorTopMenuMustHaveAParentWithId0=Một thực đơn của loại 'Top' không thể có một trình đơn phụ huynh. Đặt 0 trong trình đơn phụ huynh hoặc chọn một trình đơn của loại 'trái'. ErrorLeftMenuMustHaveAParentId=Một thực đơn của loại 'trái' phải có một id cha mẹ. ErrorFileNotFound=Tập tin% s không tìm thấy (đường dẫn không hợp, cho phép sai hoặc truy cập bị từ chối bởi PHP openbasedir hoặc tham số safe_mode) ErrorDirNotFound=Thư mục% s không tìm thấy (con đường xấu, cho phép sai hoặc truy cập bị từ chối bởi PHP openbasedir hoặc tham số safe_mode) ErrorFunctionNotAvailableInPHP=Chức năng% s là cần thiết cho tính năng này nhưng không có sẵn trong phiên bản này / thiết lập PHP. ErrorDirAlreadyExists=Một thư mục với tên này đã tồn tại. +ErrorDirNotWritable=Thư mục %s không thể ghi được. ErrorFileAlreadyExists=Một tập tin với tên này đã tồn tại. -ErrorDestinationAlreadyExists=Another file with the name %s already exists. +ErrorDestinationAlreadyExists=Một tệp khác có tên %s đã tồn tại. ErrorPartialFile=File không nhận được hoàn toàn bởi máy chủ. -ErrorNoTmpDir=Directy tạm thời% s không tồn tại. +ErrorNoTmpDir=Thư mục tạm thời %s không tồn tại. ErrorUploadBlockedByAddon=Tải bị chặn bởi một plugin PHP / Apache. -ErrorFileSizeTooLarge=File size is too large or file not provided. +ErrorFileSizeTooLarge=Kích thước tệp quá lớn hoặc tệp không được cung cấp. ErrorFieldTooLong=Kích thước trường %squá lớn. ErrorSizeTooLongForIntType=Kích thước quá dài cho kiểu int (tối đa số% s) ErrorSizeTooLongForVarcharType=Kích thước quá dài cho kiểu chuỗi (ký tự tối đa% s) @@ -76,32 +80,33 @@ ErrorNoValueForCheckBoxType=Xin vui lòng điền giá trị so với danh sách ErrorNoValueForRadioType=Xin vui lòng điền giá trị so với danh sách phát thanh ErrorBadFormatValueList=Giá trị danh sách không thể có nhiều hơn một dấu phẩy: %s , nhưng cần ít nhất một: khóa, giá trị ErrorFieldCanNotContainSpecialCharacters=Trường %s không được chứa các ký tự đặc biệt. -ErrorFieldCanNotContainSpecialNorUpperCharacters=Trường %s không được chứa các ký tự đặc biệt, cũng không chứa các ký tự in hoa và không thể chỉ chứa các số. +ErrorFieldCanNotContainSpecialNorUpperCharacters=Trường %s không được chứa các ký tự đặc biệt cũng như chữ hoa ký tự và phải bắt đầu bằng ký tự chữ cái (a-z) ErrorFieldMustHaveXChar=Trường %s phải có ít nhất %s ký tự. ErrorNoAccountancyModuleLoaded=Không có mô-đun kế toán kích hoạt ErrorExportDuplicateProfil=Tên hồ sơ này đã tồn tại cho bộ xuất khẩu này. ErrorLDAPSetupNotComplete=Dolibarr-LDAP phù hợp là không đầy đủ. ErrorLDAPMakeManualTest=Một tập tin .ldif đã được tạo ra trong thư mục% s. Hãy thử để tải nó bằng tay từ dòng lệnh để có thêm thông tin về lỗi. ErrorCantSaveADoneUserWithZeroPercentage=Không thể lưu một hành động với "trạng thái chưa bắt đầu" nếu trường "được thực hiện bởi" cũng được điền. -ErrorRefAlreadyExists=Reference %s already exists. +ErrorRefAlreadyExists=Tài liệu tham khảo %s đã tồn tại. ErrorPleaseTypeBankTransactionReportName=Vui lòng nhập tên sao kê ngân hàng nơi mục nhập phải được báo cáo (Định dạng YYYYMM hoặc YYYYMMDD) ErrorRecordHasChildren=Không thể xóa hồ sơ vì nó có một số hồ sơ con. -ErrorRecordHasAtLeastOneChildOfType=Object %s has at least one child of type %s +ErrorRecordHasAtLeastOneChildOfType=Đối tượng %s có ít nhất một con thuộc loại %s ErrorRecordIsUsedCantDelete=Không thể xóa hồ sơ. Nó đã được sử dụng hoặc đưa vào một đối tượng khác. -ErrorModuleRequireJavascript=Javascript không được vô hiệu hóa để làm việc có tính năng này. Để kích hoạt / vô hiệu hóa Javascript, bạn vào menu chủ-> Setup-> Display. +ErrorModuleRequireJavascript=Không được tắt JavaScript để tính năng này hoạt động. Để bật/tắt JavaScript, hãy chuyển đến menu Trang chủ->Cài đặt->Hiển thị. ErrorPasswordsMustMatch=Cả hai mật khẩu gõ phải phù hợp với nhau -ErrorContactEMail=Xảy ra lỗi kỹ thuật. Vui lòng liên hệ với quản trị viên để theo dõi email %s và cung cấp mã lỗi %s trong tin nhắn của bạn hoặc thêm bản chụp màn hình của trang này. +ErrorContactEMail=Đã xảy ra lỗi kỹ thuật. Vui lòng liên hệ với quản trị viên theo email %s và cung cấp lỗi mã %s trong tin nhắn của bạn hoặc thêm bản sao màn hình của trang này. ErrorWrongValueForField=Trường %s : ' %s ' không khớp với quy tắc regex %s -ErrorHtmlInjectionForField=Field %s: The value '%s' contains a malicious data not allowed +ErrorHtmlInjectionForField=Trường %s: Giá trị '%s' chứa dữ liệu độc hại không được phép ErrorFieldValueNotIn=Trường %s : ' %s ' không phải là giá trị được tìm thấy trong trường %s của %s ErrorFieldRefNotIn=Trường %s : ' %s ' không phải là %s ref hiện có +ErrorMultipleRecordFoundFromRef=Một số bản ghi được tìm thấy khi tìm kiếm từ ref %s. Không có cách nào để biết ID nào sẽ được sử dụng. ErrorsOnXLines=Đã tìm thấy lỗi %s ErrorFileIsInfectedWithAVirus=Các chương trình chống virus đã không thể xác nhận các tập tin (tập tin có thể bị nhiễm bởi một loại virus) -ErrorSpecialCharNotAllowedForField=Ký tự đặc biệt không được phép cho lĩnh vực "% s" ErrorNumRefModel=Một tham chiếu tồn tại vào cơ sở dữ liệu (% s) và không tương thích với quy tắc đánh số này. Di chuyển hồ sơ hoặc tài liệu tham khảo đổi tên để kích hoạt module này. ErrorQtyTooLowForThisSupplier=Số lượng quá thấp cho nhà cung cấp này hoặc không có giá được xác định trên sản phẩm cho nhà cung cấp này ErrorOrdersNotCreatedQtyTooLow=Một số đơn đặt hàng chưa được tạo vì số lượng quá ít -ErrorModuleSetupNotComplete=Thiết lập mô-đun %s có vẻ chưa hoàn tất. Vào Nhà - Cài đặt - Mô-đun để hoàn thành. +ErrorOrderStatusCantBeSetToDelivered=Không thể đặt trạng thái đơn hàng thành đã giao hàng. +ErrorModuleSetupNotComplete=Quá trình thiết lập mô-đun %s có vẻ chưa hoàn tất. Tiếp tục Trang chủ - Thiết lập - Các mô-đun để hoàn thành. ErrorBadMask=Lỗi trên mặt nạ ErrorBadMaskFailedToLocatePosOfSequence=Lỗi, mặt nạ mà không có số thứ tự ErrorBadMaskBadRazMonth=Lỗi, giá trị thiết lập lại xấu @@ -115,7 +120,7 @@ ErrorFailedToLoadRSSFile=Không có nguồn cấp dữ liệu RSS. Cố gắng t ErrorForbidden=Truy cập bị từ chối.
      Bạn cố gắng truy cập vào một trang, khu vực hoặc tính năng của một mô-đun bị vô hiệu hóa hoặc không có trong một phiên xác thực hoặc không được phép cho người dùng của bạn. ErrorForbidden2=Cho phép đăng nhập này có thể được xác định bởi người quản trị Dolibarr của bạn từ trình đơn% s ->% s. ErrorForbidden3=Dường như Dolibarr không được sử dụng thông qua một phiên chứng thực. Hãy xem tài liệu hướng dẫn thiết lập Dolibarr biết làm thế nào để quản lý xác thực (htaccess, mod_auth hay khác ...). -ErrorForbidden4=Note: clear your browser cookies to destroy existing sessions for this login. +ErrorForbidden4=Lưu ý: xóa cookie trình duyệt của bạn để hủy các phiên hiện có cho lần đăng nhập này. ErrorNoImagickReadimage=Lớp Imagick không tìm thấy trong PHP này. Không có xem trước có thể có sẵn. Quản trị có thể vô hiệu hóa tab này từ menu Setup - Hiển thị. ErrorRecordAlreadyExists=Kỷ lục đã tồn tại ErrorLabelAlreadyExists=Nhãn này đã tồn tại @@ -123,14 +128,14 @@ ErrorCantReadFile=Không thể đọc tập tin '% s' ErrorCantReadDir=Không thể đọc thư mục '% s' ErrorBadLoginPassword=Bad giá trị để đăng nhập hoặc mật khẩu ErrorLoginDisabled=Tài khoản của bạn đã bị vô hiệu -ErrorFailedToRunExternalCommand=Failed to run external command. Check it is available and runnable by your PHP server user. Check also the command is not protected on shell level by a security layer like apparmor. +ErrorFailedToRunExternalCommand=Không thể chạy lệnh bên ngoài. Kiểm tra xem nó có sẵn và có thể chạy được bởi người dùng máy chủ PHP của bạn không. Ngoài ra, hãy kiểm tra xem lệnh không được bảo vệ ở cấp shell bởi lớp bảo mật như apparmor. ErrorFailedToChangePassword=Không thể thay đổi mật khẩu ErrorLoginDoesNotExists=Người sử dụng có đăng nhập% s không thể được tìm thấy. ErrorLoginHasNoEmail=Thành viên này không có địa chỉ email. Quá trình hủy bỏ. ErrorBadValueForCode=Bad giá trị so với mã bảo vệ. Hãy thử lại với giá trị mới ... ErrorBothFieldCantBeNegative=Fields% s và% s không thể được cả hai tiêu cực -ErrorFieldCantBeNegativeOnInvoice=Trường %s không thể có giá trị âm trên loại hóa đơn này. Nếu bạn muốn thêm một dòng giảm giá, trước tiên chỉ cần tạo giảm giá (từ trường'%s' trong thẻ bên thứ 3) và áp dụng nó vào hóa đơn -ErrorLinesCantBeNegativeForOneVATRate=Total of lines (net of tax) can't be negative for a given not null VAT rate (Found a negative total for VAT rate %s%%). +ErrorFieldCantBeNegativeOnInvoice=Trường %s không thể âm đối với loại hóa đơn này. Nếu bạn cần thêm dòng giảm giá, trước tiên bạn chỉ cần tạo dòng giảm giá (từ trường '%s' trong thẻ của bên thứ ba) và áp dụng nó vào hóa đơn. +ErrorLinesCantBeNegativeForOneVATRate=Tổng số dòng (chưa bao gồm thuế) không thể âm đối với thuế suất VAT không rỗng (Đã tìm thấy tổng số âm cho thuế suất VAT %s %%). ErrorLinesCantBeNegativeOnDeposits=Các dòng này không thể âm. Bạn sẽ gặp khó khăn khi bạn tổng hợp đặt cọc vào hoá đơn cuối ErrorQtyForCustomerInvoiceCantBeNegative=Số lượng cho dòng vào hóa đơn của khách hàng không thể âm ErrorWebServerUserHasNotPermission=Tài khoản người dùng% s được sử dụng để thực hiện các máy chủ web không có sự cho phép cho điều đó @@ -146,8 +151,8 @@ ErrorNewValueCantMatchOldValue=Giá trị mới không thể bằng cũ ErrorFailedToValidatePasswordReset=Không thể reinit mật khẩu. Có thể là reinit đã được thực hiện (liên kết này có thể được sử dụng một lần duy nhất). Nếu không, hãy thử khởi động lại quá trình reinit. ErrorToConnectToMysqlCheckInstance=Kết nối với cơ sở dữ liệu không thành công. Kiểm tra máy chủ cơ sở dữ liệu đang chạy (ví dụ: với mysql / mariadb, bạn có thể khởi chạy nó từ dòng lệnh với 'sudo service mysql start'). ErrorFailedToAddContact=Không thể thêm số điện thoại -ErrorDateMustBeBeforeToday=The date must be lower than today -ErrorDateMustBeInFuture=The date must be greater than today +ErrorDateMustBeBeforeToday=Ngày phải thấp hơn ngày hôm nay +ErrorDateMustBeInFuture=Ngày phải lớn hơn ngày hôm nay ErrorPaymentModeDefinedToWithoutSetup=Một phương thức thanh toán đã được thiết lập để gõ% s nhưng thiết lập các mô-đun hóa đơn không được hoàn thành để xác định thông tin để hiển thị cho phương thức thanh toán này. ErrorPHPNeedModule=Lỗi, PHP của bạn phải có mô-đun% s được cài đặt để sử dụng tính năng này. ErrorOpenIDSetupNotComplete=Bạn thiết lập Dolibarr tập tin cấu hình để cho phép xác thực OpenID, nhưng URL của dịch vụ OpenID không được xác định vào liên tục% s @@ -164,7 +169,7 @@ ErrorPriceExpression4=Ký tự không đúng luật '%s' ErrorPriceExpression5=Không mong muốn '%s' ErrorPriceExpression6=Sai lượng đối số (%s đã cho, %s dự kiến) ErrorPriceExpression8=Toán tử không mong muốn '%s' -ErrorPriceExpression9=Xảy ra lỗi không mong muốn +ErrorPriceExpression9=Đã xảy ra lỗi không mong muốn ErrorPriceExpression10=Toán tử '%s' thiếu toán hạng ErrorPriceExpression11=Mong đợi '%s' ErrorPriceExpression14=Chia cho số không @@ -189,13 +194,14 @@ ErrorGlobalVariableUpdater4=Máy khách SOAP không thành công với lỗi '%s ErrorGlobalVariableUpdater5=Không có biến toàn cục được chọn ErrorFieldMustBeANumeric=Trường %s phải là một giá trị số ErrorMandatoryParametersNotProvided=(Các) tham số bắt buộc không được cung cấp +ErrorOppStatusRequiredIfUsage=Bạn chọn theo dõi một cơ hội trong dự án này, vì vậy bạn cũng phải điền vào trạng thái Khách hàng tiềm năng. ErrorOppStatusRequiredIfAmount=Bạn đặt số tiền dự tính cho khách hàng tiềm năng này. Vì vậy, bạn cũng phải nhập vào trạng thái của nó. ErrorFailedToLoadModuleDescriptorForXXX=Không thể tải lớp mô tả mô-đun cho %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Định nghĩa xấu của mảng menu trong mô tả mô-đun (giá trị xấu cho khóa fk_menu) ErrorSavingChanges=Đã xảy ra lỗi khi lưu các thay đổi ErrorWarehouseRequiredIntoShipmentLine=Cần có kho trên đòng để vận chuyển ErrorFileMustHaveFormat=Tệp phải có định dạng %s -ErrorFilenameCantStartWithDot=Filename can't start with a '.' +ErrorFilenameCantStartWithDot=Tên tệp không thể bắt đầu bằng dấu '.' ErrorSupplierCountryIsNotDefined=Quốc gia cho nhà cung cấp này không được xác định. Sửa lỗi này trước. ErrorsThirdpartyMerge=Không thể hợp nhất hai bản ghi. Yêu cầu hủy bỏ. ErrorStockIsNotEnoughToAddProductOnOrder=Tồn kho không đủ cho sản phẩm %s để thêm nó vào một đơn đặt hàng mới. @@ -226,22 +232,23 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Bạn phải chọn nếu sản p ErrorDiscountLargerThanRemainToPaySplitItBefore=Giảm giá bạn cố gắng áp dụng là lớn hơn tiền còn lại để trả. Chia giảm giá trong 2 giảm giá nhỏ hơn trước. ErrorFileNotFoundWithSharedLink=Tập tin không được tìm thấy. Có thể là khóa chia sẻ đã được sửa đổi hoặc tập tin đã bị xóa gần đây. ErrorProductBarCodeAlreadyExists=Mã vạch sản phẩm %s đã tồn tại trên một tham chiếu sản phẩm khác. -ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number. +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Cũng lưu ý rằng không thể sử dụng bộ công cụ để tự động tăng/giảm sản phẩm phụ khi ít nhất một sản phẩm phụ (hoặc sản phẩm phụ của sản phẩm phụ) cần số sê-ri/lô. ErrorDescRequiredForFreeProductLines=Mô tả là bắt buộc đối với các dòng có sản phẩm miễn phí ErrorAPageWithThisNameOrAliasAlreadyExists=Trang/ khung chứa %s có cùng tên hoặc bí danh thay thế mà bạn cố gắng sử dụng ErrorDuringChartLoad=Lỗi khi tải hệ thống tài khoản. Nếu một vài tài khoản chưa được tải, bạn vẫn có thể nhập chúng theo cách thủ công. ErrorBadSyntaxForParamKeyForContent=Cú pháp sai cho thông số keycontcontent. Phải có giá trị bắt đầu bằng %s hoặc %s ErrorVariableKeyForContentMustBeSet=Lỗi, hằng số có tên %s (có nội dung văn bản sẽ hiển thị) hoặc %s (có url bên ngoài để hiển thị) phải được đặt. -ErrorURLMustEndWith=URL %s must end %s +ErrorURLMustEndWith=URL %s phải kết thúc %s ErrorURLMustStartWithHttp=URL %s phải bắt đầu bằng http: // hoặc https: // -ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// +ErrorHostMustNotStartWithHttp=Tên máy chủ %s KHÔNG được bắt đầu bằng http:// hoặc https:// ErrorNewRefIsAlreadyUsed=Lỗi, tham chiếu mới đã được sử dụng ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Lỗi, xóa thanh toán liên kết với một hóa đơn đã đóng là không thể. -ErrorSearchCriteriaTooSmall=Tiêu chí tìm kiếm quá nhỏ. +ErrorSearchCriteriaTooSmall=Tiêu chí tìm kiếm quá ngắn. ErrorObjectMustHaveStatusActiveToBeDisabled=Các đối tượng phải có trạng thái 'Hoạt động' để được vô hiệu ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Các đối tượng phải có trạng thái 'Dự thảo' hoặc 'Đã vô hiệu' để được kích hoạt ErrorNoFieldWithAttributeShowoncombobox=Không có trường nào có thuộc tính 'showoncombobox' bên trong định nghĩa của đối tượng '%s'. Không có cách nào để hiển thị combolist. ErrorFieldRequiredForProduct=Cần khai báo trường '%s' cho sản phẩm%s +AlreadyTooMuchPostOnThisIPAdress=Bạn đã đăng quá nhiều trên địa chỉ IP này. ProblemIsInSetupOfTerminal=Vấn đề là do thiết lập cổng %s ErrorAddAtLeastOneLineFirst=Thêm ít nhất một dòng ErrorRecordAlreadyInAccountingDeletionNotPossible=Lỗi, dữ liệu đã được chuyển vào sổ kế toán, việc xoá là không thể thực hiện @@ -252,50 +259,81 @@ ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Số lượng không đủ ErrorOnlyOneFieldForGroupByIsPossible=Chỉ có 1 trường được Nhóm bởi là có thể (các trường khác không phù hợp) ErrorTooManyDifferentValueForSelectedGroupBy=Tìm thấy rất nhiều giá trị khác nhau (hơn một %s) cho trường ' %s', nên chúng tôi không thể tạo nó như một 'Nhóm' cho Biểu đồ. Trường 'Nhóm bởi' đã được xóa. Có phải bạn muốn tạo nó cho trục X? ErrorReplaceStringEmpty=Lỗi, cụm từ để thay thế đang trống -ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number -ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number -ErrorFailedToReadObject=Error, failed to read object of type %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler -ErrorLoginDateValidity=Error, this login is outside the validity date range -ErrorValueLength=Length of field '%s' must be higher than '%s' -ErrorReservedKeyword=The word '%s' is a reserved keyword -ErrorNotAvailableWithThisDistribution=Not available with this distribution +ErrorProductNeedBatchNumber=Lỗi, sản phẩm '%s' cần số lô/số sê-ri +ErrorProductDoesNotNeedBatchNumber=Lỗi, sản phẩm '%s' không chấp nhận nhiều/ số seri +ErrorFailedToReadObject=Lỗi, không đọc được đối tượng thuộc loại %s +ErrorParameterMustBeEnabledToAllwoThisFeature=Lỗi, tham số %s phải được bật vào conf/conf.php<> để cho phép bộ lập lịch công việc nội bộ sử dụng Giao diện dòng lệnh +ErrorLoginDateValidity=Lỗi, thông tin đăng nhập này nằm ngoài phạm vi ngày hiệu lực +ErrorValueLength=Độ dài của trường '%s' phải cao hơn '%s' +ErrorReservedKeyword=Từ '%s' là từ khóa dành riêng +ErrorFilenameReserved=Không thể sử dụng tên tệp %s vì đây là một lệnh dành riêng và bảo vệ. +ErrorNotAvailableWithThisDistribution=Không có sẵn với bản phân phối này ErrorPublicInterfaceNotEnabled=Giao diện công cộng không được kích hoạt -ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page -ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page -ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation -ErrorDateIsInFuture=Error, the date can't be in the future -ErrorAnAmountWithoutTaxIsRequired=Error, amount is mandatory -ErrorAPercentIsRequired=Error, please fill in the percentage correctly -ErrorYouMustFirstSetupYourChartOfAccount=You must first setup your chart of account -ErrorFailedToFindEmailTemplate=Failed to find template with code name %s -ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Duration not defined on service. No way to calculate the hourly price. -ErrorActionCommPropertyUserowneridNotDefined=User's owner is required -ErrorActionCommBadType=Selected event type (id: %s, code: %s) do not exist in Event Type dictionary -CheckVersionFail=Version check fail -ErrorWrongFileName=Name of the file cannot have __SOMETHING__ in it -ErrorNotInDictionaryPaymentConditions=Not in Payment Terms Dictionary, please modify. -ErrorIsNotADraft=%s is not a draft -ErrorExecIdFailed=Can't execute command "id" -ErrorBadCharIntoLoginName=Unauthorized character in the login name -ErrorRequestTooLarge=Error, request too large -ErrorNotApproverForHoliday=You are not the approver for leave %s -ErrorAttributeIsUsedIntoProduct=This attribute is used in one or more product variants -ErrorAttributeValueIsUsedIntoProduct=This attribute value is used in one or more product variants -ErrorPaymentInBothCurrency=Error, all amounts must be entered in the same column -ErrorYouTryToPayInvoicesInACurrencyFromBankWithAnotherCurrency=You try to pay invoices in the currency %s from an account with the currency %s -ErrorInvoiceLoadThirdParty=Can't load third-party object for invoice "%s" -ErrorInvoiceLoadThirdPartyKey=Third-party key "%s" no set for invoice "%s" -ErrorDeleteLineNotAllowedByObjectStatus=Delete line is not allowed by current object status -ErrorAjaxRequestFailed=Request failed -ErrorThirpdartyOrMemberidIsMandatory=Third party or Member of partnership is mandatory -ErrorFailedToWriteInTempDirectory=Failed to write in temp directory -ErrorQuantityIsLimitedTo=Quantity is limited to %s +ErrorLanguageRequiredIfPageIsTranslationOfAnother=Ngôn ngữ của trang mới phải được xác định nếu nó được đặt làm bản dịch của trang khác +ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=Ngôn ngữ của trang mới không được là ngôn ngữ nguồn nếu nó được đặt làm bản dịch của trang khác +ErrorAParameterIsRequiredForThisOperation=Một tham số là bắt buộc cho hoạt động này +ErrorDateIsInFuture=Lỗi, ngày không thể ở trong tương lai +ErrorAnAmountWithoutTaxIsRequired=Lỗi, số tiền là bắt buộc +ErrorAPercentIsRequired=Lỗi, vui lòng điền đúng tỷ lệ phần trăm +ErrorYouMustFirstSetupYourChartOfAccount=Trước tiên bạn phải thiết lập biểu đồ tài khoản của mình +ErrorFailedToFindEmailTemplate=Không tìm thấy mẫu có tên mã %s +ErrorDurationForServiceNotDefinedCantCalculateHourlyPrice=Thời lượng không được xác định trên dịch vụ. Không có cách nào để tính giá theo giờ. +ErrorActionCommPropertyUserowneridNotDefined=Cần phải có chủ sở hữu của người dùng +ErrorActionCommBadType=Loại sự kiện đã chọn (id: %s, mã: %s) không tồn tại trong từ điển Loại sự kiện +CheckVersionFail=Kiểm tra phiên bản không thành công +ErrorWrongFileName=Tên của tệp không được có __SOMETHING__ trong đó +ErrorNotInDictionaryPaymentConditions=Không có trong Từ điển thuật ngữ thanh toán, vui lòng sửa đổi. +ErrorIsNotADraft=%s không phải là bản nháp +ErrorExecIdFailed=Không thể thực thi lệnh "id" +ErrorBadCharIntoLoginName=Ký tự trái phép trong trường %s +ErrorRequestTooLarge=Lỗi, yêu cầu quá lớn hoặc phiên đã hết hạn +ErrorNotApproverForHoliday=Bạn không phải là người phê duyệt nghỉ phép %s +ErrorAttributeIsUsedIntoProduct=Thuộc tính này được sử dụng trong một hoặc nhiều biến thể sản phẩm +ErrorAttributeValueIsUsedIntoProduct=Giá trị thuộc tính này được sử dụng trong một hoặc nhiều biến thể sản phẩm +ErrorPaymentInBothCurrency=Lỗi, tất cả số tiền phải được nhập vào cùng một cột +ErrorYouTryToPayInvoicesInACurrencyFromBankWithAnotherCurrency=Bạn cố gắng thanh toán hóa đơn bằng loại tiền %s từ tài khoản có loại tiền tệ %s +ErrorInvoiceLoadThirdParty=Không thể tải đối tượng của bên thứ ba cho hóa đơn "%s" +ErrorInvoiceLoadThirdPartyKey=Khóa của bên thứ ba "%s" chưa được đặt cho hóa đơn "%s" +ErrorDeleteLineNotAllowedByObjectStatus=Trạng thái đối tượng hiện tại không cho phép xóa dòng +ErrorAjaxRequestFailed=Yêu cầu không thành công +ErrorThirpdartyOrMemberidIsMandatory=Bên thứ ba hoặc Thành viên hợp danh là bắt buộc +ErrorFailedToWriteInTempDirectory=Không thể ghi vào thư mục tạm thời +ErrorQuantityIsLimitedTo=Số lượng được giới hạn ở %s +ErrorFailedToLoadThirdParty=Không tìm thấy/tải bên thứ ba từ id=%s, email=%s, name= %s +ErrorThisPaymentModeIsNotSepa=Chế độ thanh toán này không phải là tài khoản ngân hàng +ErrorStripeCustomerNotFoundCreateFirst=Khách hàng Stripe không được đặt cho bên thứ ba này (hoặc được đặt thành giá trị bị xóa ở phía Stripe). Tạo (hoặc đính kèm lại) nó trước. +ErrorCharPlusNotSupportedByImapForSearch=Tìm kiếm IMAP không thể tìm kiếm người gửi hoặc người nhận cho chuỗi chứa ký tự + +ErrorTableNotFound=Không tìm thấy bảng %s +ErrorRefNotFound=Không tìm thấy tham chiếu %s +ErrorValueForTooLow=Giá trị của %s quá thấp +ErrorValueCantBeNull=Giá trị của %s không được rỗng +ErrorDateOfMovementLowerThanDateOfFileTransmission=Ngày giao dịch ngân hàng không thể thấp hơn ngày truyền tệp +ErrorTooMuchFileInForm=Có quá nhiều tệp trong biểu mẫu, số lượng tối đa là %s tệp +ErrorSessionInvalidatedAfterPasswordChange=Phiên đã bị vô hiệu sau khi thay đổi mật khẩu, email, trạng thái hoặc ngày có hiệu lực. Vui lòng đăng nhập lại. +ErrorExistingPermission = Quyền %s cho đối tượng %s đã tồn tại +ErrorFieldExist=Giá trị cho %s đã tồn tại +ErrorEqualModule=Mô-đun không hợp lệ trong %s +ErrorFieldValue=Giá trị của %s không chính xác +ErrorCoherenceMenu=%s là bắt buộc khi %s là 'trái' +ErrorUploadFileDragDrop=Đã xảy ra lỗi khi tải lên (các) tệp +ErrorUploadFileDragDropPermissionDenied=Đã xảy ra lỗi khi tải lên (các) tệp: Quyền bị từ chối +ErrorFixThisHere=Sửa lỗi này tại đây +ErrorTheUrlOfYourDolInstanceDoesNotMatchURLIntoOAuthSetup=Lỗi: URL của phiên bản hiện tại của bạn (%s) không khớp với URL được xác định trong thiết lập đăng nhập OAuth2 của bạn (%s). Không được phép đăng nhập OAuth2 trong cấu hình như vậy. +ErrorMenuExistValue=Một Menu đã tồn tại với Tiêu đề hoặc URL này +ErrorSVGFilesNotAllowedAsLinksWithout=Tệp SVG không được phép dưới dạng liên kết bên ngoài nếu không có tùy chọn %s +ErrorTypeMenu=Không thể thêm menu khác cho cùng một mô-đun trên thanh điều hướng, chưa xử lý được +ErrorObjectNotFound = Không tìm thấy đối tượng %s, vui lòng kiểm tra url của bạn +ErrorCountryCodeMustBe2Char=Mã quốc gia phải là chuỗi 2 ký tự + +ErrorTableExist=Bảng %s đã tồn tại +ErrorDictionaryNotFound=Không tìm thấy từ điển %s +ErrorFailedToCreateSymLinkToMedias=Không tạo được liên kết tượng trưng %s để trỏ tới %s +ErrorCheckTheCommandInsideTheAdvancedOptions=Kiểm tra lệnh được sử dụng để xuất vào Tùy chọn nâng cao của xuất # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Tham số PHP của bạn upload_max_filesize (%s) cao hơn tham số PHP post_max_size (%s). Đây không phải là một thiết lập phù hợp. WarningPasswordSetWithNoAccount=Một mật khẩu đã được đặt cho thành viên này. Tuy nhiên, không có tài khoản người dùng nào được tạo. Vì vậy, mật khẩu này được lưu trữ nhưng không thể được sử dụng để đăng nhập vào Dolibarr. Nó có thể được sử dụng bởi một mô-đun / giao diện bên ngoài nhưng nếu bạn không cần xác định bất kỳ thông tin đăng nhập hay mật khẩu nào cho thành viên, bạn có thể tắt tùy chọn "Quản lý đăng nhập cho từng thành viên" từ thiết lập mô-đun Thành viên. Nếu bạn cần quản lý thông tin đăng nhập nhưng không cần bất kỳ mật khẩu nào, bạn có thể để trống trường này để tránh cảnh báo này. Lưu ý: Email cũng có thể được sử dụng làm thông tin đăng nhập nếu thành viên được liên kết với người dùng. -WarningMandatorySetupNotComplete=Click here to setup main parameters +WarningMandatorySetupNotComplete=Bấm vào đây để thiết lập các thông số chính WarningEnableYourModulesApplications=Nhấn vào đây để kích hoạt các mô-đun và ứng dụng của bạn WarningSafeModeOnCheckExecDir=Cảnh báo, PHP safe_mode lựa chọn là do đó, lệnh phải được lưu trữ bên trong một thư mục tuyên bố tham số php safe_mode_exec_dir. WarningBookmarkAlreadyExists=Dấu trang với danh hiệu này hay mục tiêu này (URL) đã tồn tại. @@ -304,7 +342,7 @@ WarningConfFileMustBeReadOnly=Cảnh báo, tập tin cấu hình của bạn WarningsOnXLines=Cảnh báo trên hồ sơ nguồn% s (s) WarningNoDocumentModelActivated=Không có mô hình, để tạo tài liệu, đã được kích hoạt. Một mô hình sẽ được chọn theo mặc định cho đến khi bạn kiểm tra thiết lập mô-đun của mình. WarningLockFileDoesNotExists=Cảnh báo, sau khi thiết lập xong, bạn phải vô hiệu hóa các công cụ cài đặt / di chuyển bằng cách thêm tệp install.lock vào thư mục %s . Bỏ qua việc tạo tập tin này là một rủi ro bảo mật nghiêm trọng. -WarningUntilDirRemoved=Tất cả các cảnh báo bảo mật (chỉ hiển thị bởi người dùng quản trị viên) sẽ vẫn hoạt động miễn là có lỗ hổng (hoặc hằng số MAIN_REMISE_INSTALL_WARNING được thêm vào trong Cài đặt->Cài đặt khác). +WarningUntilDirRemoved=Cảnh báo bảo mật này sẽ vẫn hoạt động miễn là có lỗ hổng bảo mật. WarningCloseAlways=Cảnh báo, đóng cửa được thực hiện ngay cả khi số lượng khác nhau giữa các nguồn và đích yếu tố. Bật tính năng này một cách thận trọng. WarningUsingThisBoxSlowDown=Cảnh báo, sử dụng hộp này làm chậm nghiêm túc tất cả các trang hiển thị hộp. WarningClickToDialUserSetupNotComplete=Thiết lập các thông tin ClickToDial cho người dùng của bạn không hoàn thành (xem tab ClickToDial vào thẻ người dùng của bạn). @@ -313,37 +351,54 @@ WarningPaymentDateLowerThanInvoiceDate=Ngày thanh toán (%s) sớm hơn ngày h WarningTooManyDataPleaseUseMoreFilters=Quá nhiều dữ liệu (nhiều hơn %s dòng). Vui lòng sử dụng nhiều bộ lọc hơn hoặc đặt hằng số %s tới giới hạn cao hơn. WarningSomeLinesWithNullHourlyRate=Thỉnh thoảng được ghi lại bởi một số người dùng trong khi tiền lương theo giờ của họ không được xác định. Giá trị 0 %s mỗi giờ đã được sử dụng nhưng điều này có thể dẫn đến việc đánh giá sai thời gian đã qua. WarningYourLoginWasModifiedPleaseLogin=Đăng nhập của bạn đã được sửa đổi. Vì mục đích bảo mật, bạn sẽ phải đăng nhập bằng thông tin đăng nhập mới trước khi có hành động tiếp theo. +WarningYourPasswordWasModifiedPleaseLogin=Mật khẩu của bạn đã được sửa đổi. Vì mục đích bảo mật, bạn sẽ phải đăng nhập ngay bây giờ bằng mật khẩu mới của mình. WarningAnEntryAlreadyExistForTransKey=Một mục đã tồn tại cho khóa dịch của ngôn ngữ này WarningNumberOfRecipientIsRestrictedInMassAction=Cảnh báo, số lượng người nhận khác nhau được giới hạn ở %s khi sử dụng các hành động hàng loạt trong danh sách WarningDateOfLineMustBeInExpenseReportRange=Cảnh báo, ngày của dòng không nằm trong phạm vi của báo cáo chi phí -WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks. +WarningProjectDraft=Dự án vẫn đang ở chế độ dự thảo. Đừng quên xác nhận nó nếu bạn dự định sử dụng các tác vụ. WarningProjectClosed=Dự án đã đóng. Bạn phải mở lại nó trước. WarningSomeBankTransactionByChequeWereRemovedAfter=Một số giao dịch ngân hàng đã bị xóa sau đó biên nhận bao gồm cả chúng được tạo ra. Vì vậy, số lượng séc và tổng số hóa đơn có thể khác với số lượng và tổng số trong danh sách. -WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table -WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on. -WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list -WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection. -WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. -WarningPaypalPaymentNotCompatibleWithStrict=The value 'Strict' makes the online payment features not working correctly. Use 'Lax' instead. -WarningThemeForcedTo=Warning, theme has been forced to %s by hidden constant MAIN_FORCETHEME +WarningFailedToAddFileIntoDatabaseIndex=Cảnh báo, không thể thêm mục nhập tệp vào bảng chỉ mục cơ sở dữ liệu ECM +WarningTheHiddenOptionIsOn=Cảnh báo, tùy chọn ẩn %s đang bật. +WarningCreateSubAccounts=Cảnh báo, bạn không thể tạo trực tiếp tài khoản phụ, bạn phải tạo bên thứ ba hoặc người dùng và gán cho họ mã kế toán để tìm thấy họ trong danh sách này +WarningAvailableOnlyForHTTPSServers=Chỉ khả dụng nếu sử dụng kết nối bảo mật HTTPS. +WarningModuleXDisabledSoYouMayMissEventHere=Mô-đun %s chưa được bật. Vì vậy, bạn có thể bỏ lỡ rất nhiều sự kiện ở đây. +WarningPaypalPaymentNotCompatibleWithStrict=Giá trị 'Strict' làm cho các tính năng thanh toán trực tuyến không hoạt động chính xác. Thay vào đó hãy sử dụng 'Lax'. +WarningThemeForcedTo=Cảnh báo, chủ đề đã bị buộc phải %s bởi hằng số ẩn MAIN_FORCETHEME +WarningPagesWillBeDeleted=Cảnh báo, thao tác này cũng sẽ xóa tất cả các trang/vùng chứa hiện có của trang web. Bạn nên xuất trang web của mình trước để có bản sao lưu để nhập lại sau. +WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Xác thực tự động bị tắt khi tùy chọn giảm lượng hàng tồn kho được đặt trên "Xác thực hóa đơn". +WarningModuleNeedRefresh = Mô-đun %s đã bị tắt. Đừng quên kích hoạt nó +WarningPermissionAlreadyExist=Quyền hiện có cho đối tượng này +WarningGoOnAccountancySetupToAddAccounts=Nếu danh sách này trống, hãy vào menu %s - %s - %s để tải hoặc tạo tài khoản cho biểu đồ tài khoản của bạn. +WarningCorrectedInvoiceNotFound=Không tìm thấy hóa đơn đã sửa +WarningCommentNotFound=Vui lòng kiểm tra vị trí của nhận xét bắt đầu và kết thúc cho phần %s trong tệp %s trước khi gửi hành động của bạn +WarningAlreadyReverse=Chuyển động cổ phiếu đã đảo ngược + +SwissQrOnlyVIR = Hóa đơn SwissQR chỉ có thể được thêm vào các hóa đơn được thiết lập để thanh toán bằng thanh toán chuyển khoản tín dụng. +SwissQrCreditorAddressInvalid = Địa chỉ của bên được chi trả không hợp lệ (ZIP và thành phố có được đặt không? (%s) +SwissQrCreditorInformationInvalid = Thông tin chủ nợ không hợp lệ đối với IBAN (%s): %s +SwissQrIbanNotImplementedYet = QR-IBAN chưa được triển khai +SwissQrPaymentInformationInvalid = Thông tin thanh toán không hợp lệ cho tổng số %s : %s +SwissQrDebitorAddressInvalid = Thông tin người ghi nợ không hợp lệ (%s) # Validate -RequireValidValue = Value not valid -RequireAtLeastXString = Requires at least %s character(s) -RequireXStringMax = Requires %s character(s) max -RequireAtLeastXDigits = Requires at least %s digit(s) -RequireXDigitsMax = Requires %s digit(s) max -RequireValidNumeric = Requires a numeric value -RequireValidEmail = Email address is not valid -RequireMaxLength = Length must be less than %s chars -RequireMinLength = Length must be more than %s char(s) -RequireValidUrl = Require valid URL -RequireValidDate = Require a valid date -RequireANotEmptyValue = Is required -RequireValidDuration = Require a valid duration -RequireValidExistingElement = Require an existing value -RequireValidBool = Require a valid boolean -BadSetupOfField = Error bad setup of field -BadSetupOfFieldClassNotFoundForValidation = Error bad setup of field : Class not found for validation -BadSetupOfFieldFileNotFound = Error bad setup of field : File not found for inclusion -BadSetupOfFieldFetchNotCallable = Error bad setup of field : Fetch not callable on class +RequireValidValue = Giá trị không hợp lệ +RequireAtLeastXString = Yêu cầu ít nhất %s ký tự +RequireXStringMax = Yêu cầu tối đa %s ký tự +RequireAtLeastXDigits = Yêu cầu ít nhất %s chữ số +RequireXDigitsMax = Yêu cầu tối đa %s chữ số +RequireValidNumeric = Yêu cầu một giá trị số +RequireValidEmail = Địa chỉ email không hợp lệ +RequireMaxLength = Độ dài phải nhỏ hơn %s ký tự +RequireMinLength = Độ dài phải lớn hơn %s char(s) +RequireValidUrl = Yêu cầu URL hợp lệ +RequireValidDate = Yêu cầu một ngày hợp lệ +RequireANotEmptyValue = Bắt buộc +RequireValidDuration = Yêu cầu thời lượng hợp lệ +RequireValidExistingElement = Yêu cầu một giá trị hiện có +RequireValidBool = Yêu cầu một boolean hợp lệ +BadSetupOfField = Lỗi thiết lập trường sai +BadSetupOfFieldClassNotFoundForValidation = Lỗi thiết lập trường xấu: Không tìm thấy lớp để xác thực +BadSetupOfFieldFileNotFound = Lỗi thiết lập trường xấu: Không tìm thấy tệp để đưa vào +BadSetupOfFieldFetchNotCallable = Lỗi thiết lập trường không đúng: Tìm nạp không thể gọi được trên lớp +ErrorTooManyAttempts= Quá nhiều lần thử, vui lòng thử lại sau diff --git a/htdocs/langs/vi_VN/eventorganization.lang b/htdocs/langs/vi_VN/eventorganization.lang index 3b4abf4bb83..a3beb7c3fbb 100644 --- a/htdocs/langs/vi_VN/eventorganization.lang +++ b/htdocs/langs/vi_VN/eventorganization.lang @@ -17,151 +17,164 @@ # # Generic # -ModuleEventOrganizationName = Event Organization -EventOrganizationDescription = Event Organization through Module Project -EventOrganizationDescriptionLong= Manage the organization of an event (show, conferences, attendees or speakers, with public pages for suggestion, vote or registration) +ModuleEventOrganizationName = Tổ chức sự kiện +EventOrganizationDescription = Tổ chức sự kiện thông qua dự án module +EventOrganizationDescriptionLong= Quản lý việc tổ chức một sự kiện (chương trình, hội nghị, người tham dự hoặc diễn giả, với các trang công khai để gợi ý, bình chọn hoặc đăng ký) # # Menu # -EventOrganizationMenuLeft = Organized events -EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth +EventOrganizationMenuLeft = Sự kiện đã tổ chức +EventOrganizationConferenceOrBoothMenuLeft = Hội nghị hoặc gian hàng -PaymentEvent=Payment of event +PaymentEvent=thanh toán của sự kiện # # Admin page # -NewRegistration=Registration -EventOrganizationSetup=Event Organization setup -EventOrganization=Event organization +NewRegistration=Sự đăng ký +EventOrganizationSetup=Thiết lập tổ chức sự kiện +EventOrganization=Tổ chức sự kiện Settings=Cài đặt -EventOrganizationSetupPage = Event Organization setup page -EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated -EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

      For example:
      Send Call for Conference
      Send Call for Booth
      Receive call for conferences
      Receive call for Booth
      Open subscriptions to events for attendees
      Send remind of event to speakers
      Send remind of event to Booth hoster
      Send remind of event to attendees -EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference -EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth -EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. -EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. -EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a registration to a booth has been paid. -EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a registration to an event has been paid. -EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email to use when sending emails from the massaction "Send emails" to speakers -EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email to use when sending emails from the massaction "Send emails" on attendee list -EVENTORGANIZATION_FILTERATTENDEES_CAT = In the form to create/add an attendee, restricts the list of thirdparties to thirdparties in the category -EVENTORGANIZATION_FILTERATTENDEES_TYPE = In the form to create/add an attendee, restricts the list of thirdparties to thirdparties with the nature +EventOrganizationSetupPage = Trang thiết lập tổ chức sự kiện +EVENTORGANIZATION_TASK_LABEL = Nhãn nhiệm vụ được tạo tự động khi dự án được xác thực +EVENTORGANIZATION_TASK_LABELTooltip = Khi bạn xác thực một sự kiện để tổ chức, một số nhiệm vụ có thể được tạo tự động trong dự án

      Ví dụ:
      Gửi cuộc gọi cho hội nghị
      Gửi cuộc gọi cho các gian hàng
      Xác thực đề xuất của hội nghị
      Xác thực đơn đăng ký Gian hàng
      Mở đăng ký sự kiện cho người tham dự
      Gửi lời nhắc về sự kiện tới các diễn giả
      Gửi lời nhắc về sự kiện tới người tổ chức Booth
      Gửi lời nhắc về sự kiện đến những người tham dự +EVENTORGANIZATION_TASK_LABELTooltip2=Để trống nếu bạn không cần tạo nhiệm vụ tự động. +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Danh mục để thêm vào bên thứ ba được tạo tự động khi ai đó đề xuất hội nghị +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Danh mục để thêm vào bên thứ ba được tạo tự động khi họ đề xuất gian hàng +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Mẫu email để gửi sau khi nhận được đề xuất về một cuộc hội thảo. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Mẫu email gửi sau khi nhận được gợi ý về gian hàng. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Mẫu email gửi sau khi đăng ký gian hàng đã được thanh toán. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Mẫu email để gửi sau khi đăng ký tham gia sự kiện đã được thanh toán. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Mẫu email sử dụng khi gửi email từ chương trình "Gửi email" tới diễn giả +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Mẫu email sử dụng khi gửi email từ sự kiện "Gửi email" trên danh sách người tham dự +EVENTORGANIZATION_FILTERATTENDEES_CAT = Trong biểu mẫu tạo/thêm người tham dự, giới hạn danh sách bên thứ ba đối với các bên thứ ba trong danh mục +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Trong hình thức tạo/thêm người tham dự, hạn chế danh sách bên thứ ba đối với bên thứ ba với tính chất # # Object # -EventOrganizationConfOrBooth= Conference Or Booth -ManageOrganizeEvent = Manage the organization of an event -ConferenceOrBooth = Conference Or Booth -ConferenceOrBoothTab = Conference Or Booth -AmountPaid = Amount paid -DateOfRegistration = Date of registration -ConferenceOrBoothAttendee = Conference Or Booth Attendee +OrganizedEvent=Sự kiện được tổ chức +EventOrganizationConfOrBooth= Hội nghị hoặc gian hàng +EventOrganizationConfOrBoothes=Hội nghị hoặc gian hàng +ManageOrganizeEvent = Quản lý việc tổ chức một sự kiện +ConferenceOrBooth = Hội nghị hoặc gian hàng +ConferenceOrBoothTab = Hội nghị hoặc gian hàng +AmountPaid = Số tiền đã trả +DateOfRegistration = Ngày đăng ký +ConferenceOrBoothAttendee = Người tham dự hội nghị hoặc gian hàng +ApplicantOrVisitor=Người nộp đơn hoặc khách truy cập +Speaker=Loa # # Template Mail # -YourOrganizationEventConfRequestWasReceived = Your request for conference was received -YourOrganizationEventBoothRequestWasReceived = Your request for booth was received -EventOrganizationEmailAskConf = Request for conference -EventOrganizationEmailAskBooth = Request for booth -EventOrganizationEmailBoothPayment = Payment of your booth -EventOrganizationEmailRegistrationPayment = Registration for an event -EventOrganizationMassEmailAttendees = Communication to attendees -EventOrganizationMassEmailSpeakers = Communication to speakers -ToSpeakers=To speakers +YourOrganizationEventConfRequestWasReceived = Yêu cầu hội nghị của bạn đã được nhận +YourOrganizationEventBoothRequestWasReceived = Yêu cầu gian hàng của bạn đã được nhận +EventOrganizationEmailAskConf = Yêu cầu hội nghị +EventOrganizationEmailAskBooth = Yêu cầu gian hàng +EventOrganizationEmailBoothPayment = thanh toán trong gian hàng của bạn +EventOrganizationEmailRegistrationPayment = Đăng ký cho một sự kiện +EventOrganizationMassEmailAttendees = Truyền thông tới người tham dự +EventOrganizationMassEmailSpeakers = Giao tiếp với diễn giả +ToSpeakers=Tới loa # # Event # -AllowUnknownPeopleSuggestConf=Allow people to suggest conferences -AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest a conference they want to do -AllowUnknownPeopleSuggestBooth=Allow people to apply for a booth -AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to apply for a booth -PriceOfRegistration=Price of registration -PriceOfRegistrationHelp=Price to pay to register or participate in the event -PriceOfBooth=Subscription price to stand a booth -PriceOfBoothHelp=Subscription price to stand a booth -EventOrganizationICSLink=Link ICS for conferences -ConferenceOrBoothInformation=Conference Or Booth informations -Attendees=Attendees -ListOfAttendeesOfEvent=List of attendees of the event project -DownloadICSLink = Download ICS link -EVENTORGANIZATION_SECUREKEY = Seed to secure the key for the public registration page to suggest a conference -SERVICE_BOOTH_LOCATION = Service used for the invoice row about a booth location -SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Service used for the invoice row about an attendee subscription to an event -NbVotes=Number of votes +AllowUnknownPeopleSuggestConf=Cho phép mọi người đề xuất hội nghị +AllowUnknownPeopleSuggestConfHelp=Cho phép những người chưa biết đề xuất một cuộc hội thảo mà họ muốn thực hiện +AllowUnknownPeopleSuggestBooth=Cho phép mọi người đăng ký gian hàng +AllowUnknownPeopleSuggestBoothHelp=Cho phép những người chưa biết đăng ký gian hàng +PriceOfRegistration=Giá đăng ký +PriceOfRegistrationHelp=Giá phải trả để đăng ký hoặc tham gia sự kiện +PriceOfBooth=Giá đăng ký đứng gian hàng +PriceOfBoothHelp=Giá đăng ký đứng gian hàng +EventOrganizationICSLink=Liên kết ICS cho hội nghị +ConferenceOrBoothInformation=Thông tin hội nghị hoặc gian hàng +Attendees=Người tham dự +ListOfAttendeesOfEvent=Danh sách người tham dự dự án sự kiện +DownloadICSLink = Tải xuống liên kết ICS +EVENTORGANIZATION_SECUREKEY = Seed để bảo mật key cho trang đăng ký công khai để đề xuất hội nghị +SERVICE_BOOTH_LOCATION = Dịch vụ sử dụng cho dòng hóa đơn về địa điểm gian hàng +SERVICE_CONFERENCE_ATTENDEE_SUBSCRIPTION = Dịch vụ được sử dụng cho hàng hóa đơn về việc đăng ký người tham dự một sự kiện +NbVotes=Số phiếu bầu + # # Status # EvntOrgDraft = Dự thảo -EvntOrgSuggested = Suggested -EvntOrgConfirmed = Confirmed -EvntOrgNotQualified = Not Qualified +EvntOrgSuggested = được đề xuất +EvntOrgConfirmed = Đã xác nhận +EvntOrgNotQualified = Không chất lượng EvntOrgDone = Đã hoàn thành -EvntOrgCancelled = Cancelled +EvntOrgCancelled = Đã hủy + # -# Public page +# Other # -SuggestForm = Suggestion page -SuggestOrVoteForConfOrBooth = Page for suggestion or vote -EvntOrgRegistrationHelpMessage = Here, you can vote for a conference or suggest a new one for the event. You can also apply to have a booth during the event. -EvntOrgRegistrationConfHelpMessage = Here, you can suggest a new conference to animate during the event. -EvntOrgRegistrationBoothHelpMessage = Here, you can apply to have a booth during the event. -ListOfSuggestedConferences = List of suggested conferences -ListOfSuggestedBooths = List of suggested booths -ListOfConferencesOrBooths=List of conferences or booths of event project -SuggestConference = Suggest a new conference -SuggestBooth = Suggest a booth -ViewAndVote = View and vote for suggested events -PublicAttendeeSubscriptionGlobalPage = Public link for registration to the event -PublicAttendeeSubscriptionPage = Public link for registration to this event only -MissingOrBadSecureKey = The security key is invalid or missing -EvntOrgWelcomeMessage = This form allows you to register as a new participant to the event : %s -EvntOrgDuration = This conference starts on %s and ends on %s. -ConferenceAttendeeFee = Conference attendee fee for the event : '%s' occurring from %s to %s. -BoothLocationFee = Booth location for the event : '%s' occurring from %s to %s +SuggestForm = Trang gợi ý +SuggestOrVoteForConfOrBooth = Trang để gợi ý hoặc bình chọn +EvntOrgRegistrationHelpMessage = Tại đây, bạn có thể bỏ phiếu cho một hội nghị hoặc đề xuất một hội nghị mới cho sự kiện. Bạn cũng có thể đăng ký để có một gian hàng trong sự kiện. +EvntOrgRegistrationConfHelpMessage = Tại đây, bạn có thể đề xuất một hội nghị mới để tạo hiệu ứng sinh động trong sự kiện. +EvntOrgRegistrationBoothHelpMessage = Tại đây, bạn có thể đăng ký để có gian hàng trong thời gian diễn ra sự kiện. +ListOfSuggestedConferences = Danh sách các hội nghị được đề xuất +ListOfSuggestedBooths=Gian hàng được đề xuất +ListOfConferencesOrBooths=Hội nghị hoặc gian hàng của dự án sự kiện +SuggestConference = Đề xuất một hội nghị mới +SuggestBooth = Đề xuất gian hàng +ViewAndVote = Xem và bình chọn cho các sự kiện được đề xuất +PublicAttendeeSubscriptionGlobalPage = Liên kết công khai để đăng ký sự kiện +PublicAttendeeSubscriptionPage = Liên kết công khai chỉ để đăng ký sự kiện này +MissingOrBadSecureKey = Khóa bảo mật không hợp lệ hoặc bị thiếu +EvntOrgWelcomeMessage = Biểu mẫu này cho phép bạn đăng ký làm người tham gia mới cho sự kiện +EvntOrgDuration = Hội nghị này bắt đầu vào %s và kết thúc vào %s. +ConferenceAttendeeFee = Phí tham dự hội nghị cho sự kiện: '%s' diễn ra từ %s đến %s. +BoothLocationFee = Vị trí gian hàng cho sự kiện: '%s' diễn ra từ %s đến %s EventType = Loại sự kiện -LabelOfBooth=Booth label -LabelOfconference=Conference label -ConferenceIsNotConfirmed=Registration not available, conference is not confirmed yet -DateMustBeBeforeThan=%s must be before %s -DateMustBeAfterThan=%s must be after %s - -NewSubscription=Registration -OrganizationEventConfRequestWasReceived=Your suggestion for a conference has been received -OrganizationEventBoothRequestWasReceived=Your request for a booth has been received -OrganizationEventPaymentOfBoothWasReceived=Your payment for your booth has been recorded -OrganizationEventPaymentOfRegistrationWasReceived=Your payment for your event registration has been recorded -OrganizationEventBulkMailToAttendees=This is a remind about your participation in the event as an attendee -OrganizationEventBulkMailToSpeakers=This is a reminder on your participation in the event as a speaker -OrganizationEventLinkToThirdParty=Link to third party (customer, supplier or partner) - -NewSuggestionOfBooth=Application for a booth -NewSuggestionOfConference=Application for a conference - -# -# Vote page -# -EvntOrgRegistrationWelcomeMessage = Welcome on the conference or booth suggestion page. -EvntOrgRegistrationConfWelcomeMessage = Welcome on the conference suggestion page. -EvntOrgRegistrationBoothWelcomeMessage = Welcome on the booth suggestion page. -EvntOrgVoteHelpMessage = Here, you can view and vote for the suggested events for the project -VoteOk = Your vote has been accepted. -AlreadyVoted = You have already voted for this event. -VoteError = An error has occurred during the vote, please try again. - -SubscriptionOk = Your registration has been validated -ConfAttendeeSubscriptionConfirmation = Confirmation of your subscription to an event -Attendee = Attendee -PaymentConferenceAttendee = Conference attendee payment -PaymentBoothLocation = Booth location payment -DeleteConferenceOrBoothAttendee=Remove attendee -RegistrationAndPaymentWereAlreadyRecorder=A registration and a payment were already recorded for the email %s -EmailAttendee=Attendee email -EmailCompanyForInvoice=Company email (for invoice, if different of attendee email) -ErrorSeveralCompaniesWithEmailContactUs=Several companies with this email has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation -ErrorSeveralCompaniesWithNameContactUs=Several companies with this name has been found so we can't validate automaticaly your registration. Please contact us at %s for a manual validation -NoPublicActionsAllowedForThisEvent=No public actions are open to public for this event +LabelOfBooth=Nhãn gian hàng +LabelOfconference=Nhãn hội nghị +ConferenceIsNotConfirmed=Đăng ký không có sẵn, hội nghị chưa được xác nhận +DateMustBeBeforeThan=%s phải trước %s +DateMustBeAfterThan=%s phải sau %s +MaxNbOfAttendeesReached=Đã đạt đến số lượng người tham gia tối đa +NewSubscription=Sự đăng ký +OrganizationEventConfRequestWasReceived=Đề xuất của bạn cho một hội nghị đã được nhận +OrganizationEventBoothRequestWasReceived=Yêu cầu gian hàng của bạn đã được nhận +OrganizationEventPaymentOfBoothWasReceived=thanh toán cho gian hàng của bạn đã được ghi lại +OrganizationEventPaymentOfRegistrationWasReceived=thanh toán đăng ký sự kiện của bạn đã được ghi lại +OrganizationEventBulkMailToAttendees=Đây là lời nhắc nhở về việc bạn tham gia sự kiện với tư cách là người tham dự +OrganizationEventBulkMailToSpeakers=Đây là lời nhắc nhở về việc bạn tham gia sự kiện với tư cách là diễn giả +OrganizationEventLinkToThirdParty=Liên kết với bên thứ ba (khách hàng, nhà cung cấp hoặc đối tác) +OrganizationEvenLabelName=Tên công khai của hội nghị hoặc gian hàng +NewSuggestionOfBooth=Đơn xin gian hàng +NewSuggestionOfConference=Đơn xin tổ chức hội nghị +EvntOrgRegistrationWelcomeMessage = Chào mừng bạn đến với trang gợi ý hội nghị hoặc gian hàng. +EvntOrgRegistrationConfWelcomeMessage = Chào mừng bạn đến với trang gợi ý hội nghị. +EvntOrgRegistrationBoothWelcomeMessage = Chào mừng bạn đến với trang gợi ý gian hàng. +EvntOrgVoteHelpMessage = Tại đây, bạn có thể xem và bình chọn cho các sự kiện được đề xuất cho dự án +VoteOk = Phiếu bầu của bạn đã được chấp nhận. +AlreadyVoted = Bạn đã bình chọn cho sự kiện này. +VoteError = Đã xảy ra lỗi trong quá trình bỏ phiếu, vui lòng thử lại. +SubscriptionOk=Đăng ký của bạn đã được ghi lại +AmountOfRegistrationPaid=Số tiền đăng ký đã thanh toán +ConfAttendeeSubscriptionConfirmation = Xác nhận đăng ký của bạn với một sự kiện +Attendee = Người tham dự +PaymentConferenceAttendee = Người tham dự hội nghị thanh toán +PaymentBoothLocation = Vị trí gian hàng thanh toán +DeleteConferenceOrBoothAttendee=Xóa người tham dự +RegistrationAndPaymentWereAlreadyRecorder=Đăng ký và thanh toán đã được ghi lại cho email %s +EmailAttendee=Email người tham dự +EmailCompany=Email công ty +EmailCompanyForInvoice=Email công ty (đối với hóa đơn, nếu khác với email người tham dự) +ErrorSeveralCompaniesWithEmailContactUs=Một số công ty có email này đã được tìm thấy nên chúng tôi không thể tự động xác thực đăng ký của bạn. Vui lòng liên hệ với chúng tôi tại %s để xác thực thủ công +ErrorSeveralCompaniesWithNameContactUs=Một số công ty có tên này đã được tìm thấy nên chúng tôi không thể tự động xác thực đăng ký của bạn. Vui lòng liên hệ với chúng tôi tại %s để xác thực thủ công +NoPublicActionsAllowedForThisEvent=Không có hoạt động công khai nào được mở công khai cho sự kiện này +MaxNbOfAttendees=Số lượng người tham dự tối đa +DateStartEvent=Ngày bắt đầu sự kiện +DateEndEvent=Ngày kết thúc sự kiện +ModifyStatus=Sửa đổi trạng thái +ConfirmModifyStatus=Xác nhận sửa đổi trạng thái +ConfirmModifyStatusQuestion=Bạn có chắc chắn muốn sửa đổi (các) bản ghi đã chọn %s không? +RecordsUpdated = %s Đã cập nhật bản ghi +RecordUpdated = Đã cập nhật bản ghi +NoRecordUpdated = Không có bản ghi nào được cập nhật diff --git a/htdocs/langs/vi_VN/exports.lang b/htdocs/langs/vi_VN/exports.lang index 19f79e933f2..fc8008f6e00 100644 --- a/htdocs/langs/vi_VN/exports.lang +++ b/htdocs/langs/vi_VN/exports.lang @@ -18,6 +18,7 @@ ExportableFields=Các trường có thể xuất dữ liệu ExportedFields=Các trường đã xuất dữ liệu ImportModelName=Tên hồ sơ nhập dữ liệu ImportModelSaved=Hồ sơ nhập dữ liệu được lưu dưới dạng %s. +ImportProfile=Nhập hồ sơ DatasetToExport=Tập dữ liệu để xuất DatasetToImport=Nhập dữ liệu tệp vào tập dữ liệu ChooseFieldsOrdersAndTitle=Chọn thứ tự các trường ... @@ -26,8 +27,8 @@ FieldTitle=Tiêu đề trường NowClickToGenerateToBuildExportFile=Bây giờ, chọn định dạng tệp trong hộp combo và nhấp vào "Tạo" để tạo tệp xuất ... AvailableFormats=Các định dạng có sẵn LibraryShort=Thư viện -ExportCsvSeparator=Phân cách thập phân -ImportCsvSeparator=Phân cách thập phân +ExportCsvSeparator=Dấu phân cách ký tự csv +ImportCsvSeparator=Dấu phân cách ký tự csv Step=Bước FormatedImport=Trợ lý nhập dữ liệu FormatedImportDesc1=Mô-đun này cho phép bạn cập nhật dữ liệu hiện có hoặc thêm các đối tượng mới vào cơ sở dữ liệu từ một tệp mà không có kiến ​​thức kỹ thuật, sử dụng trợ lý. @@ -53,8 +54,9 @@ TypeOfLineServiceOrProduct=Loại dòng (0 = sản phẩm, dịch vụ = 1) FileWithDataToImport=Tập tin với dữ liệu để nhập FileToImport=Tập tin nguồn để nhập dữ liệu FileMustHaveOneOfFollowingFormat=Tệp để nhập phải có một trong các định dạng sau -DownloadEmptyExample=Download template file with field content information -StarAreMandatory=* are mandatory fields +DownloadEmptyExampleShort=Tải xuống một tập tin mẫu +DownloadEmptyExample=Tải xuống tệp mẫu có ví dụ và thông tin về các trường bạn có thể nhập +StarAreMandatory=Trong file mẫu tất cả các trường có dấu * đều là trường bắt buộc ChooseFormatOfFileToImport=Chọn định dạng tệp để sử dụng làm định dạng tệp nhập bằng cách nhấp vào biểu tượng %s để chọn ... ChooseFileToImport=Tải lên tệp sau đó nhấp vào biểu tượng %s để lựa chọn tệp là tệp nguồn nhập SourceFileFormat=Định dạng tệp nguồn @@ -82,7 +84,7 @@ SelectFormat=Chọn định dạng tập tin nhập dữ liệu này RunImportFile=Nhập dữ liệu NowClickToRunTheImport=Kiểm tra kết quả mô phỏng nhập khẩu. Sửa lỗi và kiểm tra lại.
      Khi mô phỏng báo cáo không có lỗi, bạn có thể tiến hành nhập dữ liệu vào cơ sở dữ liệu. DataLoadedWithId=Dữ liệu đã nhập sẽ có một trường bổ sung trong mỗi bảng cơ sở dữ liệu với id nhập này: %s , để cho phép nó có thể tìm kiếm được trong trường hợp điều tra một vấn đề liên quan đến việc nhập này. -ErrorMissingMandatoryValue=Dữ liệu bắt buộc trống trong tệp nguồn cho trường %s . +ErrorMissingMandatoryValue=Dữ liệu bắt buộc trống trong tệp nguồn ở cột %s. TooMuchErrors=Vẫn còn %s các dòng nguồn khác có lỗi nhưng đầu ra đã bị giới hạn. TooMuchWarnings=Vẫn còn %s các dòng nguồn khác có cảnh báo nhưng đầu ra đã bị giới hạn. EmptyLine=Dòng trống (sẽ bị loại bỏ) @@ -92,12 +94,12 @@ YouCanUseImportIdToFindRecord=Bạn có thể tìm thấy tất cả các bản NbOfLinesOK=Số dòng không có lỗi và không có cảnh báo %s. NbOfLinesImported=Số dòng nhập thành công %s. DataComeFromNoWhere=Giá trị để chèn đến từ hư không trong tập tin nguồn. -DataComeFromFileFieldNb=Giá trị để chèn đến từ số lĩnh vực %s trong tập tin nguồn. -DataComeFromIdFoundFromRef=Giá trị xuất phát từ số trường %s của tệp nguồn sẽ được sử dụng để tìm id của đối tượng cha để sử dụng (vì vậy đối tượng %s có tham chiếu từ tệp nguồn phải tồn tại trong cơ sở dữ liệu). -DataComeFromIdFoundFromCodeId=Mã tới từ số trường %s của tệp nguồn sẽ được sử dụng để tìm id của đối tượng cha để sử dụng (vì vậy mã từ tệp nguồn phải tồn tại trong từ điển %s ). Lưu ý rằng nếu bạn biết id, bạn cũng có thể sử dụng nó trong tệp nguồn thay vì mã. Nhập dữ liệu nên làm việc trong cả hai trường hợp. +DataComeFromFileFieldNb=Giá trị cần chèn đến từ cột %s trong tệp nguồn. +DataComeFromIdFoundFromRef=Giá trị lấy từ file nguồn sẽ được dùng để tìm id của đối tượng cha cần sử dụng (vì vậy đối tượng %s có tham chiếu từ tệp nguồn phải tồn tại trong cơ sở dữ liệu). +DataComeFromIdFoundFromCodeId=Giá trị của code lấy từ file nguồn sẽ dùng để tìm id của đối tượng cha cần sử dụng (vì vậy code từ file nguồn phải tồn tại trong từ điển %s). Lưu ý rằng nếu biết id, bạn cũng có thể sử dụng nó trong tệp nguồn thay vì mã. Nhập khẩu sẽ hoạt động trong cả hai trường hợp. DataIsInsertedInto=Dữ liệu từ tập tin nguồn sẽ được chèn vào các lĩnh vực sau đây: -DataIDSourceIsInsertedInto=The id of the parent object, that was found using the data in the source file, will be inserted into the following field: -DataCodeIDSourceIsInsertedInto=The id of the parent line, that was found from code, will be inserted into the following field: +DataIDSourceIsInsertedInto=Id của đối tượng gốc được tìm thấy bằng cách sử dụng dữ liệu trong tệp nguồn sẽ được chèn vào trường sau: +DataCodeIDSourceIsInsertedInto=Id của dòng gốc được tìm thấy từ mã sẽ được chèn vào trường sau: SourceRequired=Giá trị dữ liệu là bắt buộc SourceExample=Ví dụ về giá trị dữ liệu có thể ExampleAnyRefFoundIntoElement=Bất kỳ ref tìm thấy cho các phần từ %s. @@ -132,6 +134,14 @@ FormatControlRule=Quy tắc điều khiển định dạng ## imports updates KeysToUseForUpdates=Khóa (cột) được sử dụng cho cập nhật dữ liệu hiện có NbInsert=Số dòng được chèn: %s +NbInsertSim=Số dòng sẽ được chèn: %s NbUpdate=Số dòng cập nhật: %s +NbUpdateSim=Số dòng sẽ được cập nhật: %s MultipleRecordFoundWithTheseFilters=Nhiều bản ghi đã được tìm thấy với các bộ lọc này: %s -StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number +StocksWithBatch=Kho và địa điểm (kho) của sản phẩm có số lô/số seri +WarningFirstImportedLine=(Các) dòng đầu tiên sẽ không được nhập với lựa chọn hiện tại +NotUsedFields=Các trường cơ sở dữ liệu không được sử dụng +SelectImportFieldsSource = Chọn các trường tệp nguồn bạn muốn nhập và trường mục tiêu của chúng trong cơ sở dữ liệu bằng cách chọn các trường trong mỗi hộp chọn hoặc chọn cấu hình nhập được xác định trước: +MandatoryTargetFieldsNotMapped=Một số trường mục tiêu bắt buộc không được ánh xạ +AllTargetMandatoryFieldsAreMapped=Tất cả các trường mục tiêu cần giá trị bắt buộc đều được ánh xạ +ResultOfSimulationNoError=Kết quả mô phỏng: Không có lỗi diff --git a/htdocs/langs/vi_VN/help.lang b/htdocs/langs/vi_VN/help.lang index 09094f0268e..afa792825a8 100644 --- a/htdocs/langs/vi_VN/help.lang +++ b/htdocs/langs/vi_VN/help.lang @@ -11,7 +11,7 @@ TypeOfSupport=Loại hỗ trợ TypeSupportCommunauty=Cộng đồng (miễn phí) TypeSupportCommercial=Thương mại TypeOfHelp=Loại -NeedHelpCenter=Need support? +NeedHelpCenter=Cần sự ủng hộ? Efficiency=Hiệu quả TypeHelpOnly=Chỉ giúp TypeHelpDev=Trợ giúp + Phát triển @@ -20,4 +20,4 @@ BackToHelpCenter=Nếu không, hãy quay lại trang chủ của tr LinkToGoldMember=Bạn có thể gọi một trong những giảng viên được Dolibarr chọn trước cho ngôn ngữ của bạn (%s) bằng cách nhấp vào Widget của họ (trạng thái và giá tối đa được tự động cập nhật): PossibleLanguages=Ngôn ngữ được hỗ trợ SubscribeToFoundation=Giúp dự án Dolibarr, đăng ký vào sáng lập -SeeOfficalSupport=For official Dolibarr support in your language:
      %s +SeeOfficalSupport=Để được hỗ trợ Dolibarr chính thức bằng ngôn ngữ của bạn:
      %s diff --git a/htdocs/langs/vi_VN/holiday.lang b/htdocs/langs/vi_VN/holiday.lang index 7573afac3d8..4b058a156e7 100644 --- a/htdocs/langs/vi_VN/holiday.lang +++ b/htdocs/langs/vi_VN/holiday.lang @@ -1,11 +1,11 @@ # Dolibarr language file - Source file is en_US - holiday HRM=HRM -Holidays=Leaves +Holidays=Lá Holiday=Nghỉ CPTitreMenu=Nghỉ MenuReportMonth=Báo cáo hàng tháng MenuAddCP=Xin nghỉ phép -MenuCollectiveAddCP=New collective leave request +MenuCollectiveAddCP=New collective leave NotActiveModCP=Bạn phải kích hoạt mô-đun Nghỉ để xem trang này. AddCP=Tạo một yêu cầu nghỉ phép DateDebCP=Ngày bắt đầu @@ -15,7 +15,7 @@ ToReviewCP=Đang chờ phê duyệt ApprovedCP=Đã phê duyệt CancelCP=Đã hủy RefuseCP=Bị từ chối -ValidatorCP=Approver +ValidatorCP=Người phê duyệt ListeCP=Danh sách nghỉ phép Leave=Yêu cầu rời LeaveId=ID Người nghỉ @@ -29,7 +29,7 @@ DescCP=Mô tả SendRequestCP=Tạo yêu cầu nghỉ phép DelayToRequestCP=Để lại yêu cầu phải được thực hiện vào ngày thứ nhất là% s (s) trước họ. MenuConfCP=Số dư ngày nghỉ phép -SoldeCPUser=Leave balance (in days) : %s +SoldeCPUser=Số dư nghỉ phép (tính theo ngày): %s ErrorEndDateCP=Bạn phải chọn ngày kết thúc lớn hơn ngày bắt đầu. ErrorSQLCreateCP=Đã xảy ra lỗi SQL trong quá trình tạo: ErrorIDFicheCP=Một lỗi đã xảy ra, yêu cầu nghỉ phép không tồn tại. @@ -41,11 +41,11 @@ TitreRequestCP=Yêu cầu rời TypeOfLeaveId=ID Loại nghỉ phép TypeOfLeaveCode=Mã Loại nghỉ phép TypeOfLeaveLabel=Nhãn Loại nghỉ phép -NbUseDaysCP=Number of days of leave used -NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. -NbUseDaysCPShort=Days of leave -NbUseDaysCPShortInMonth=Days of leave in month -DayIsANonWorkingDay=%s is a non-working day +NbUseDaysCP=Số ngày nghỉ phép đã sử dụng +NbUseDaysCPHelp=Việc tính toán có tính đến những ngày không làm việc và những ngày nghỉ lễ được xác định trong từ điển. +NbUseDaysCPShort=Ngày nghỉ phép +NbUseDaysCPShortInMonth=Ngày nghỉ phép trong tháng +DayIsANonWorkingDay=%s là ngày không làm việc DateStartInMonth=Ngày bắt đầu trong tháng DateEndInMonth=Ngày kết thúc trong tháng EditCP=Chỉnh sửa @@ -57,8 +57,8 @@ TitleDeleteCP=Xóa yêu cầu nghỉ ConfirmDeleteCP=Xác nhận việc xóa yêu cầu nghỉ này? ErrorCantDeleteCP=Lỗi bạn không có quyền xóa yêu cầu nghỉ phép này. CantCreateCP=Bạn không có quyền thực hiện các yêu cầu nghỉ phép. -InvalidValidatorCP=You must choose the approver for your leave request. -InvalidValidator=The user chosen isn't an approver. +InvalidValidatorCP=Bạn phải chọn người phê duyệt cho yêu cầu nghỉ phép của bạn. +InvalidValidator=Người dùng được chọn không phải là người phê duyệt. NoDateDebut=Bạn phải chọn một ngày bắt đầu. NoDateFin=Bạn phải chọn ngày kết thúc. ErrorDureeCP=Yêu cầu nghỉ phép của bạn không có một ngày làm việc. @@ -82,27 +82,27 @@ MotifCP=Lý do UserCP=Người dùng ErrorAddEventToUserCP=Đã xảy ra lỗi khi thêm ngày nghỉ đặc biệt. AddEventToUserOkCP=Việc bổ sung nghỉ đặc biệt đã được hoàn thành. -ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be filled in -fusionGroupsUsers=The groups field and the user field will be merged +ErrorFieldRequiredUserOrGroup=Phải điền vào trường "nhóm" hoặc trường "người dùng" +fusionGroupsUsers=Trường nhóm và trường người dùng sẽ được hợp nhất MenuLogCP=Lịch sử thay đổi -LogCP=Log of all updates made to "Balance of Leave" -ActionByCP=Updated by -UserUpdateCP=Updated for +LogCP=Nhật ký của tất cả các cập nhật được thực hiện đối với "Số dư nghỉ phép" +ActionByCP=Cập nhật +UserUpdateCP=Đã cập nhật cho PrevSoldeCP=Cân bằng trước NewSoldeCP=Tạo cân bằng alreadyCPexist=Một yêu cầu nghỉ phép đã được thực hiện vào thời gian này. -UseralreadyCPexist=A leave request has already been done on this period for %s. +UseralreadyCPexist=Yêu cầu nghỉ phép đã được thực hiện trong khoảng thời gian này cho %s. groups=Nhóm users=Người dùng -AutoSendMail=Automatic mailing -NewHolidayForGroup=New collective leave request -SendRequestCollectiveCP=Send collective leave request -AutoValidationOnCreate=Automatic validation -FirstDayOfHoliday=Beginning day of leave request -LastDayOfHoliday=Ending day of leave request +AutoSendMail=Gửi thư tự động +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave +AutoValidationOnCreate=Xác thực tự động +FirstDayOfHoliday=Ngày bắt đầu xin nghỉ phép +LastDayOfHoliday=Ngày kết thúc yêu cầu nghỉ phép HolidaysMonthlyUpdate=Cập nhật hàng tháng ManualUpdate=Cập nhật thủ công -HolidaysCancelation=Để lại yêu cầu hủy bỏ +HolidaysCancelation=Hủy yêu cầu nghỉ phép EmployeeLastname=Họ của nhân viên EmployeeFirstname=Tên nhân viên TypeWasDisabledOrRemoved=Loại nghỉ (id %s) đã bị vô hiệu hóa hoặc bị xóa @@ -115,8 +115,8 @@ LEAVE_SICK=Nghỉ ốm LEAVE_OTHER=Nghỉ phép khác LEAVE_PAID_FR=Kỳ nghỉ có trả lương ## Configuration du Module ## -LastUpdateCP=Last automatic update of leave allocation -MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation +LastUpdateCP=Cập nhật tự động lần cuối về phân bổ nghỉ phép +MonthOfLastMonthlyUpdate=Tháng cập nhật tự động phân bổ nghỉ phép gần đây nhất UpdateConfCPOK=Cập nhật thành công. Module27130Name= Quản lý các yêu cầu nghỉ Module27130Desc= Quản lý các yêu cầu nghỉ phép @@ -136,22 +136,22 @@ HolidaysCanceledBody=Yêu cầu nghỉ phép của bạn cho% s đến% s đã FollowedByACounter=1: Loại nghỉ phép này cần phải được theo sau bởi một bộ đếm. Bộ đếm được tăng bằng tay hoặc tự động và khi yêu cầu nghỉ được xác thực, bộ đếm bị giảm.
      0: Không được theo dõi bởi một bộ đếm. NoLeaveWithCounterDefined=Chưa xác định rõ loại nghỉ phép cần thiết cho việc bộ đếm theo dõi GoIntoDictionaryHolidayTypes=Vào Trang chủ - Cài đặt - Từ điển - Loại nghỉ phép để thiết lập các loại nghỉ phép khác nhau. -HolidaySetup=Setup of module Leave -HolidaysNumberingModules=Numbering models for leave requests +HolidaySetup=Thiết lập mô-đun nghỉ phép +HolidaysNumberingModules=Mô hình đánh số cho các yêu cầu nghỉ phép TemplatePDFHolidays=Template cho các yêu cầu nghỉ PDF FreeLegalTextOnHolidays=Chữ tủy thích trên PDF WatermarkOnDraftHolidayCards=Hình mờ trên yêu cầu nghỉ phép HolidaysToApprove=Ngày lễ để phê duyệt -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate leave requests -HolidayBalanceMonthlyUpdate=Monthly update of leave balance -XIsAUsualNonWorkingDay=%s is usualy a NON working day -BlockHolidayIfNegative=Block if balance negative -LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative -ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted -IncreaseHolidays=Increase leave balance -HolidayRecordsIncreased= %s leave balances increased -HolidayRecordIncreased=Leave balance increased -ConfirmMassIncreaseHoliday=Bulk leave balance increase -NumberDayAddMass=Number of day to add to the selection -ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? -HolidayQtyNotModified=Balance of remaining days for %s has not been changed +NobodyHasPermissionToValidateHolidays=Không ai có quyền xác nhận yêu cầu nghỉ phép +HolidayBalanceMonthlyUpdate=Cập nhật số dư nghỉ phép hàng tháng +XIsAUsualNonWorkingDay=%s thường là một ngày KHÔNG làm việc +BlockHolidayIfNegative=Chặn nếu số dư âm +LeaveRequestCreationBlockedBecauseBalanceIsNegative=Việc tạo yêu cầu nghỉ phép này bị chặn vì số dư của bạn bị âm +ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Yêu cầu nghỉ phép %s phải là bản nháp, đã hủy hoặc bị từ chối xóa +IncreaseHolidays=Tăng số dư nghỉ phép +HolidayRecordsIncreased= Số dư nghỉ phép %s đã tăng lên +HolidayRecordIncreased=Số dư nghỉ phép tăng lên +ConfirmMassIncreaseHoliday=Tăng số dư nghỉ phép hàng loạt +NumberDayAddMass=Số ngày để thêm vào lựa chọn +ConfirmMassIncreaseHolidayQuestion=Bạn có chắc chắn muốn tăng ngày nghỉ của %s bản ghi đã chọn không? +HolidayQtyNotModified=Số dư số ngày còn lại của %s không bị thay đổi diff --git a/htdocs/langs/vi_VN/hrm.lang b/htdocs/langs/vi_VN/hrm.lang index b890940b18a..3a148ed9847 100644 --- a/htdocs/langs/vi_VN/hrm.lang +++ b/htdocs/langs/vi_VN/hrm.lang @@ -11,81 +11,87 @@ ConfirmDeleteEstablishment=Bạn có chắc chắn muốn xóa cơ sở này? OpenEtablishment=Mở cơ sở CloseEtablishment=Đóng cơ sở # Dictionary -DictionaryPublicHolidays=Leave - Public holidays -DictionaryDepartment=HRM - Organizational Unit -DictionaryFunction=HRM - Job positions +DictionaryPublicHolidays=Nghỉ phép - Ngày nghỉ lễ +DictionaryDepartment=HRM - Đơn vị tổ chức +DictionaryFunction=HRM - Vị trí công việc # Module Employees=Nhân viên Employee=Nhân viên NewEmployee=Tạo nhân viên -ListOfEmployees=List of employees +ListOfEmployees=Danh sách nhân viên HrmSetup=Thiết lập mô-đun Nhân sự -SkillsManagement=Skills management -HRM_MAXRANK=Maximum number of levels to rank a skill -HRM_DEFAULT_SKILL_DESCRIPTION=Default description of ranks when skill is created -deplacement=Shift -DateEval=Evaluation date -JobCard=Job card -JobPosition=Công việc -JobsPosition=Jobs -NewSkill=New Skill -SkillType=Skill type -Skilldets=List of ranks for this skill -Skilldet=Skill level -rank=Rank -ErrNoSkillSelected=No skill selected -ErrSkillAlreadyAdded=This skill is already in the list -SkillHasNoLines=This skill has no lines -skill=Skill -Skills=Skills -SkillCard=Skill card -EmployeeSkillsUpdated=Employee skills have been updated (see "Skills" tab of employee card) -Eval=Evaluation -Evals=Evaluations -NewEval=New evaluation -ValidateEvaluation=Validate evaluation -ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with reference %s? -EvaluationCard=Evaluation card -RequiredRank=Required rank for this job -EmployeeRank=Employee rank for this skill -EmployeePosition=Employee position -EmployeePositions=Employee positions -EmployeesInThisPosition=Employees in this position -group1ToCompare=Usergroup to analyze -group2ToCompare=Second usergroup for comparison -OrJobToCompare=Compare to job skills requirements +SkillsManagement=Quản lý kỹ năng +HRM_MAXRANK=Số cấp độ tối đa để xếp hạng một kỹ năng +HRM_DEFAULT_SKILL_DESCRIPTION=Mô tả mặc định về cấp bậc khi kỹ năng được tạo +deplacement=Sự thay đổi +DateEval=Ngày đánh giá +JobCard=Thẻ công việc +NewJobProfile=Hồ sơ công việc mới +JobProfile=Hồ sơ công việc +JobsProfiles=Hồ sơ công việc +NewSkill=Kĩ năng mới +SkillType=Loại kỹ năng +Skilldets=Danh sách cấp bậc cho kỹ năng này +Skilldet=Cấp độ kỹ năng +rank=Thứ hạng +ErrNoSkillSelected=Không có kỹ năng nào được chọn +ErrSkillAlreadyAdded=Kỹ năng này đã có trong danh sách +SkillHasNoLines=Kỹ năng này không có dòng +Skill=Kỹ năng +Skills=Kỹ năng +SkillCard=Thẻ kỹ năng +EmployeeSkillsUpdated=Kỹ năng của nhân viên đã được cập nhật (xem tab "Kỹ năng" của thẻ nhân viên) +Eval=Sự đánh giá +Evals=Đánh giá +NewEval=Đánh giá mới +ValidateEvaluation=Xác thực đánh giá +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? +EvaluationCard=Thẻ đánh giá +RequiredRank=Cấp bậc bắt buộc cho hồ sơ công việc +RequiredRankShort=Thứ hạng bắt buộc +PositionsWithThisProfile=Các vị trí có hồ sơ công việc này +EmployeeRank=Xếp hạng nhân viên cho kỹ năng này +EmployeeRankShort=Cấp bậc nhân viên +EmployeePosition=Vị trí nhân viên +EmployeePositions=Vị trí nhân viên +EmployeesInThisPosition=Nhân viên ở vị trí này +group1ToCompare=Nhóm người dùng để phân tích +group2ToCompare=Nhóm người dùng thứ hai để so sánh +OrJobToCompare=So sánh với yêu cầu kỹ năng của hồ sơ công việc difference=Sự khác biệt -CompetenceAcquiredByOneOrMore=Competence acquired by one or more users but not requested by the second comparator -MaxlevelGreaterThan=Max level greater than the one requested -MaxLevelEqualTo=Max level equal to that demand -MaxLevelLowerThan=Max level lower than that demand -MaxlevelGreaterThanShort=Employee level greater than the one requested -MaxLevelEqualToShort=Employee level equals to that demand -MaxLevelLowerThanShort=Employee level lower than that demand -SkillNotAcquired=Skill not acquired by all users and requested by the second comparator +CompetenceAcquiredByOneOrMore=Năng lực được một hoặc nhiều người dùng đạt được nhưng không được bộ so sánh thứ hai yêu cầu +MaxlevelGreaterThan=Trình độ nhân viên lớn hơn mức mong đợi +MaxLevelEqualTo=Trình độ của nhân viên bằng với mức mong đợi +MaxLevelLowerThan=Trình độ nhân viên thấp hơn mức mong đợi +MaxlevelGreaterThanShort=Mức độ lớn hơn dự kiến +MaxLevelEqualToShort=Mức độ bằng mức dự kiến +MaxLevelLowerThanShort=Mức thấp hơn dự kiến +SkillNotAcquired=Kỹ năng không được tất cả người dùng đạt được và được người so sánh thứ hai yêu cầu legend=Chú thích -TypeSkill=Skill type -AddSkill=Add skills to job -RequiredSkills=Required skills for this job -UserRank=User Rank -SkillList=Skill list -SaveRank=Save rank -TypeKnowHow=Know how -TypeHowToBe=How to be -TypeKnowledge=Knowledge -AbandonmentComment=Abandonment comment -DateLastEval=Date last evaluation -NoEval=No evaluation done for this employee -HowManyUserWithThisMaxNote=Number of users with this rank -HighestRank=Highest rank -SkillComparison=Skill comparison -ActionsOnJob=Events on this job -VacantPosition=job vacancy -VacantCheckboxHelper=Checking this option will show unfilled positions (job vacancy) -SaveAddSkill = Skill(s) added -SaveLevelSkill = Skill(s) level saved -DeleteSkill = Skill removed -SkillsExtraFields=Attributs supplémentaires (Compétences) -JobsExtraFields=Attributs supplémentaires (Emplois) -EvaluationsExtraFields=Attributs supplémentaires (Evaluations) -NeedBusinessTravels=Need business travels +TypeSkill=Loại kỹ năng +AddSkill=Thêm kỹ năng vào hồ sơ công việc +RequiredSkills=Kỹ năng cần thiết cho hồ sơ công việc này +UserRank=Xếp hạng người dùng +SkillList=Danh sách kỹ năng +SaveRank=Lưu thứ hạng +TypeKnowHow=Chuyên gia +TypeHowToBe=Làm sao để +TypeKnowledge=Kiến thức +AbandonmentComment=Bỏ bình luận +DateLastEval=Ngày đánh giá cuối cùng +NoEval=Không có đánh giá nào được thực hiện cho nhân viên này +HowManyUserWithThisMaxNote=Số lượng người dùng có thứ hạng này +HighestRank=Thứ hạng cao nhất +SkillComparison=So sánh kỹ năng +ActionsOnJob=Sự kiện về công việc này +VacantPosition=vị trí tuyển dụng +VacantCheckboxHelper=Việc kiểm tra tùy chọn này sẽ hiển thị các vị trí chưa được tuyển dụng (vị trí tuyển dụng) +SaveAddSkill = (Các) kỹ năng đã được thêm +SaveLevelSkill = Đã lưu cấp độ kỹ năng +DeleteSkill = Đã xóa kỹ năng +SkillsExtraFields=Thuộc tính bổ sung (Kỹ năng) +JobsExtraFields=Thuộc tính bổ sung (Hồ sơ công việc) +EvaluationsExtraFields=Thuộc tính bổ sung (Đánh giá) +NeedBusinessTravels=Cần đi công tác +NoDescription=Không có mô tả +TheJobProfileHasNoSkillsDefinedFixBefore=Hồ sơ công việc được đánh giá của nhân viên này không có kỹ năng nào được xác định trên đó. Vui lòng thêm (các) kỹ năng, sau đó xóa và bắt đầu lại quá trình đánh giá. diff --git a/htdocs/langs/vi_VN/install.lang b/htdocs/langs/vi_VN/install.lang index 4b83b2f9693..5513bafe003 100644 --- a/htdocs/langs/vi_VN/install.lang +++ b/htdocs/langs/vi_VN/install.lang @@ -8,7 +8,7 @@ ConfFileIsNotWritable=Tệp cấu hình %s không thể ghi. Kiểm tra q ConfFileIsWritable=Tập tin cấu hình %s có thể ghi. ConfFileMustBeAFileNotADir=Tệp cấu hình %s phải là một tệp, không phải là một thư mục. ConfFileReload=Tải lại các tham số từ tập tin cấu hình. -NoReadableConfFileSoStartInstall=The configuration file conf/conf.php does not exists or is not readable. We will run the installation process to try to initialize it. +NoReadableConfFileSoStartInstall=Tệp cấu hình conf/conf.php không tồn tại hoặc không thể đọc được. Chúng tôi sẽ chạy quá trình cài đặt để cố gắng khởi tạo nó. PHPSupportPOSTGETOk=PHP này hỗ trợ các biến POST và GET. PHPSupportPOSTGETKo=Có thể thiết lập PHP của bạn không hỗ trợ các biến POST và / hoặc GET. Kiểm tra tham số variables_order trong php.ini. PHPSupportSessions=PHP này hỗ trợ phiên. @@ -24,11 +24,11 @@ ErrorWrongValueForParameter=Bạn có thể gõ một giá trị sai cho tham s ErrorFailedToCreateDatabase=Không thể tạo cơ sở dữ liệu '%s'. ErrorFailedToConnectToDatabase=Không thể kết nối với cơ sở dữ liệu '%s'. ErrorDatabaseVersionTooLow=Phiên bản cơ sở dữ liệu (%s) quá già. Phiên bản %s hoặc cao hơn là cần thiết. -ErrorPHPVersionTooLow=PHP version too old. Version %s or higher is required. -ErrorPHPVersionTooHigh=PHP version too high. Version %s or lower is required. +ErrorPHPVersionTooLow=Phiên bản PHP quá cũ. Cần có phiên bản %s trở lên. +ErrorPHPVersionTooHigh=Phiên bản PHP quá cao. Cần có phiên bản %s trở xuống. ErrorConnectedButDatabaseNotFound=Kết nối với máy chủ thành công nhưng không tìm thấy cơ sở dữ liệu '%s'. ErrorDatabaseAlreadyExists=Cơ sở dữ liệu '%s' đã tồn tại. -ErrorNoMigrationFilesFoundForParameters=No migration file found for the selected versions +ErrorNoMigrationFilesFoundForParameters=Không tìm thấy tệp di chuyển cho các phiên bản đã chọn IfDatabaseNotExistsGoBackAndUncheckCreate=Nếu cơ sở dữ liệu không tồn tại, hãy quay lại và kiểm tra tùy chọn "Tạo cơ sở dữ liệu". IfDatabaseExistsGoBackAndCheckCreate=Nếu cơ sở dữ liệu đã tồn tại, quay trở lại và bỏ chọn "Tạo cơ sở dữ liệu" tùy chọn. WarningBrowserTooOld=Phiên bản trình duyệt quá cũ. Nâng cấp trình duyệt của bạn lên phiên bản Firefox, Chrome hoặc Opera gần đây rất được khuyến nghị. @@ -88,7 +88,7 @@ LoginAlreadyExists=Đã tồn tại DolibarrAdminLogin=Dolibarr quản trị đăng nhập AdminLoginAlreadyExists=Tài khoản quản trị viên Dolibarr '%s' đã tồn tại. Quay trở lại nếu bạn muốn tạo một cái khác. FailedToCreateAdminLogin=Không thể tạo tài khoản quản trị viên Dolibarr. -WarningRemoveInstallDir=Warning, for security reasons, once the installation process is complete, you must add a file called install.lock into the Dolibarr document directory in order to prevent the accidental/malicious use of the install tools again. +WarningRemoveInstallDir=Cảnh báo, vì lý do bảo mật, sau khi quá trình cài đặt hoàn tất, bạn phải thêm tệp có tên install.lock vào Thư mục tài liệu Dolibarr để ngăn chặn việc sử dụng lại các công cụ cài đặt một cách vô tình/có hại. FunctionNotAvailableInThisPHP=Không có sẵn trong PHP này ChoosedMigrateScript=Chọn kịch bản di cư DataMigration=Di chuyển cơ sở dữ liệu (dữ liệu) @@ -129,7 +129,7 @@ MigrationCustomerOrderShipping=Di chuyển lô hàng để lưu trữ đơn đ MigrationShippingDelivery=Nâng cấp lưu trữ vận chuyển MigrationShippingDelivery2=Nâng cấp lưu trữ vận chuyển 2 MigrationFinished=Di cư đã hoàn thành -LastStepDesc=Bước cuối cùng : Xác định ở đây thông tin đăng nhập và mật khẩu bạn muốn sử dụng để kết nối với Dolibarr. Đừng để mất điều này vì đây là tài khoản chính để quản lý tất cả các tài khoản người dùng khác / bổ sung. +LastStepDesc=Bước cuối cùng: Xác định tại đây thông tin đăng nhập và mật khẩu bạn muốn sử dụng để kết nối với Dolibarr. Đừng đánh mất tài khoản này vì đây là tài khoản chính để quản lý tất cả các tài khoản người dùng khác/bổ sung. ActivateModule=Kích hoạt module %s ShowEditTechnicalParameters=Click vào đây để hiển thị các thông số tiên tiến / chỉnh sửa (chế độ chuyên môn) WarningUpgrade=Cảnh báo: \nBạn đã chạy sao lưu cơ sở dữ liệu trước chưa? \nĐiều này rất được khuyến khích. Mất dữ liệu (do lỗi ví dụ trong phiên bản mysql 5.5.40 / 41/42/43) có thể xảy ra trong quá trình này, do đó, điều cần thiết là phải lấy toàn bộ cơ sở dữ liệu của bạn trước khi bắt đầu bất kỳ di chuyển nào. \n\nNhấp OK để bắt đầu quá trình di chuyển ... @@ -202,18 +202,18 @@ MigrationUserPhotoPath=Di chuyển đường dẫn ảnh cho người dùng MigrationFieldsSocialNetworks=Di chuyển các trường người dùng mạng xã hội (%s) MigrationReloadModule=Tải lại mô-đun %s MigrationResetBlockedLog=Đặt lại mô-đun BlockedLog cho thuật toán v7 -MigrationImportOrExportProfiles=Migration of import or export profiles (%s) +MigrationImportOrExportProfiles=Di chuyển hồ sơ nhập hoặc xuất (%s) ShowNotAvailableOptions=Hiển thị các tùy chọn không khả dụng HideNotAvailableOptions=Ẩn các tùy chọn không khả dụng ErrorFoundDuringMigration=(Các) lỗi đã được báo cáo trong quá trình di chuyển nên bước tiếp theo không khả dụng. Để bỏ qua lỗi, bạn có thể nhấp vào đây , nhưng ứng dụng hoặc một số tính năng có thể không hoạt động chính xác cho đến khi lỗi được giải quyết. YouTryInstallDisabledByDirLock=Ứng dụng đã cố gắng tự nâng cấp, nhưng các trang cài đặt / nâng cấp đã bị vô hiệu hóa để bảo mật (thư mục được đổi tên với hậu tố .lock).
      YouTryInstallDisabledByFileLock=Ứng dụng đã cố gắng tự nâng cấp, nhưng các trang cài đặt / nâng cấp đã bị vô hiệu hóa để bảo mật (bởi sự tồn tại của tệp khóa install.lock trong thư mục tài liệu dolibarr).
      -YouTryUpgradeDisabledByMissingFileUnLock=The application tried to self-upgrade, but the upgrade process is currently not allowed.
      +YouTryUpgradeDisabledByMissingFileUnLock=Ứng dụng đã cố gắng tự nâng cấp nhưng quá trình nâng cấp hiện không được phép.
      ClickHereToGoToApp=Nhấn vào đây để đi đến ứng dụng của bạn -ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. -ClickOnLinkOrCreateUnlockFileManualy=If an upgrade is in progress, please wait... If not, you must create a file upgrade.unlock into the Dolibarr documents directory. +ClickOnLinkOrRemoveManualy=Nếu quá trình nâng cấp đang diễn ra, vui lòng đợi. Nếu không, hãy nhấp vào liên kết sau. Nếu bạn luôn nhìn thấy cùng một trang này, bạn phải xóa/đổi tên tệp install.lock trong thư mục tài liệu. +ClickOnLinkOrCreateUnlockFileManualy=Nếu quá trình nâng cấp đang được tiến hành, vui lòng đợi... Nếu không, bạn phải xóa tệp install.lock hoặc tạo tệp nâng cấp.unlock vào thư mục tài liệu Dolibarr. Loaded=Đã tải FunctionTest=Thử nghiệm chức năng -NodoUpgradeAfterDB=No action requested by external modules after upgrade of database -NodoUpgradeAfterFiles=No action requested by external modules after upgrade of files or directories -MigrationContractLineRank=Migrate Contract Line to use Rank (and enable Reorder) +NodoUpgradeAfterDB=Không có hành động nào được yêu cầu bởi các mô-đun bên ngoài sau khi nâng cấp cơ sở dữ liệu +NodoUpgradeAfterFiles=Không có hành động nào được mô-đun bên ngoài yêu cầu sau khi nâng cấp tệp hoặc thư mục +MigrationContractLineRank=Di chuyển Dòng hợp đồng để sử dụng Xếp hạng (và bật Sắp xếp lại) diff --git a/htdocs/langs/vi_VN/interventions.lang b/htdocs/langs/vi_VN/interventions.lang index 14bee02d420..37f52782119 100644 --- a/htdocs/langs/vi_VN/interventions.lang +++ b/htdocs/langs/vi_VN/interventions.lang @@ -14,10 +14,12 @@ InterventionContact=Liên lạc can thiệp DeleteIntervention=Xóa can thiệp ValidateIntervention=Xác nhận can thiệp ModifyIntervention=Sửa can thiệp +CloseIntervention=Đóng can thiệp DeleteInterventionLine=Xóa đường can thiệp ConfirmDeleteIntervention=Bạn có chắc chắn muốn xóa can thiệp này? ConfirmValidateIntervention=Bạn có chắc chắn muốn xác nhận can thiệp này dưới tên %s ? ConfirmModifyIntervention=Bạn có chắc chắn muốn sửa đổi can thiệp này? +ConfirmCloseIntervention=Bạn có chắc chắn muốn đóng sự can thiệp này không? ConfirmDeleteInterventionLine=Bạn có chắc chắn muốn xóa dòng can thiệp này? ConfirmCloneIntervention=Bạn có chắc chắn muốn sao chép sự can thiệp này? NameAndSignatureOfInternalContact=Tên và chữ ký can thiệp: @@ -36,6 +38,7 @@ InterventionModifiedInDolibarr=Can thiệp %s được sửa đổi InterventionClassifiedBilledInDolibarr=Can thiệp %s đã đặt là ra hóa đơn InterventionClassifiedUnbilledInDolibarr=Can thiệp %s đã đặt là không có hóa đơn InterventionSentByEMail=Can thiệp %s được gửi qua email +InterventionClosedInDolibarr= Can thiệp %s đã đóng InterventionDeletedInDolibarr=Can thiệp %s đã xóa InterventionsArea=Khu vực can thiệp DraftFichinter=Dự thảo can thiệp @@ -50,7 +53,7 @@ UseDateWithoutHourOnFichinter=Ẩn giờ và phút ra của trường ngày cho InterventionStatistics=Thống kê các can thiệp NbOfinterventions=Số lượng thẻ can thiệp NumberOfInterventionsByMonth=Số thẻ can thiệp theo tháng (ngày xác nhận) -AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. +AmountOfInteventionNotIncludedByDefault=Theo mặc định, lượng can thiệp không được tính vào lợi nhuận (trong hầu hết các trường hợp, bảng chấm công được sử dụng để tính thời gian đã sử dụng). Bạn có thể sử dụng tùy chọn PROJECT_ELEMENTS_FOR_ADD_MARGIN và PROJECT_ELEMENTS_FOR_MINUS_MARGIN vào home-setup-other để hoàn thành danh sách các yếu tố được đưa vào lợi nhuận. InterId=Id Can thiệp InterRef=Tham chiếu Can thiệp. InterDateCreation=Ngày tạo Can thiệp @@ -63,10 +66,10 @@ InterLineDate=Ngày của dòng Can thiệp InterLineDuration=Thời hạn dòng Can thiệp InterLineDesc=Mô tả dòng Can thiệp RepeatableIntervention=Mẫu can thiệp -ToCreateAPredefinedIntervention=To create a predefined or recurring intervention, create a common intervention and convert it into intervention template -ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? -GenerateInter=Generate intervention -FichinterNoContractLinked=Intervention %s has been created without a linked contract. -ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. -NextDateToIntervention=Date for next intervention generation -NoIntervention=No intervention +ToCreateAPredefinedIntervention=Để tạo một biện pháp can thiệp được xác định trước hoặc định kỳ, hãy tạo một biện pháp can thiệp chung và chuyển đổi nó thành mẫu can thiệp +ConfirmReopenIntervention=Bạn có chắc chắn muốn mở lại can thiệp %s không? +GenerateInter=Tạo sự can thiệp +FichinterNoContractLinked=Sự can thiệp %s đã được tạo mà không có hợp đồng được liên kết. +ErrorFicheinterCompanyDoesNotExist=Công ty không tồn tại. Sự can thiệp chưa được tạo ra. +NextDateToIntervention=Ngày cho thế hệ can thiệp tiếp theo +NoIntervention=Không can thiệp diff --git a/htdocs/langs/vi_VN/intracommreport.lang b/htdocs/langs/vi_VN/intracommreport.lang index 8a0a7e02cf3..6b946cf1909 100644 --- a/htdocs/langs/vi_VN/intracommreport.lang +++ b/htdocs/langs/vi_VN/intracommreport.lang @@ -1,40 +1,40 @@ -Module68000Name = Intracomm report -Module68000Desc = Intracomm report management (Support for French DEB/DES format) -IntracommReportSetup = Intracommreport module setup -IntracommReportAbout = About intracommreport +Module68000Name = báo cáo nội bộ +Module68000Desc = Quản lý báo cáo nội bộ (Hỗ trợ định dạng DEB/DES của Pháp) +IntracommReportSetup = Thiết lập mô-đun báo cáo nội bộ +IntracommReportAbout = Giới thiệu về báo cáo nội bộ # Setup INTRACOMMREPORT_NUM_AGREMENT=Numéro d'agrément (délivré par le CISD de rattachement) -INTRACOMMREPORT_TYPE_ACTEUR=Type d'acteur +INTRACOMMREPORT_TYPE_ACTEUR=Loại diễn viên INTRACOMMREPORT_ROLE_ACTEUR=Rôle joué par l'acteur -INTRACOMMREPORT_NIV_OBLIGATION_INTRODUCTION=Niveau d'obligation sur les introductions -INTRACOMMREPORT_NIV_OBLIGATION_EXPEDITION=Niveau d'obligation sur les expéditions -INTRACOMMREPORT_CATEG_FRAISDEPORT=Catégorie de services de type "Frais de port" +INTRACOMMREPORT_NIV_OBLIGATION_INTRODUCTION=Giới thiệu về Niveau d'obligation sur les +INTRACOMMREPORT_NIV_OBLIGATION_EXPEDITION=Niveau d'nghĩa vụ trên chuyến thám hiểm +INTRACOMMREPORT_CATEG_FRAISDEPORT=Danh mục dịch vụ thuộc loại "Frais de port" -INTRACOMMREPORT_NUM_DECLARATION=Numéro de déclarant +INTRACOMMREPORT_NUM_DECLARATION=Số khai báo # Menu -MenuIntracommReport=Intracomm report -MenuIntracommReportNew=New declaration +MenuIntracommReport=báo cáo nội bộ +MenuIntracommReportNew=Khai báo mới MenuIntracommReportList=Danh sách # View -NewDeclaration=New declaration -Declaration=Declaration -AnalysisPeriod=Analysis period -TypeOfDeclaration=Type of declaration -DEB=Goods exchange declaration (DEB) -DES=Services exchange declaration (DES) +NewDeclaration=Khai báo mới +Declaration=Tuyên ngôn +AnalysisPeriod=Giai đoạn phân tích +TypeOfDeclaration=Loại khai báo +DEB=Tờ khai trao đổi hàng hóa (DEB) +DES=Khai báo trao đổi dịch vụ (DES) # Export page -IntracommReportTitle=Preparation of an XML file in ProDouane format +IntracommReportTitle=Chuẩn bị tệp XML ở định dạng ProDouane # List -IntracommReportList=List of generated declarations -IntracommReportNumber=Numero of declaration -IntracommReportPeriod=Period of nalysis -IntracommReportTypeDeclaration=Type of declaration -IntracommReportDownload=download XML file +IntracommReportList=Danh sách các khai báo được tạo +IntracommReportNumber=Số khai báo +IntracommReportPeriod=Giai đoạn phân tích +IntracommReportTypeDeclaration=Loại khai báo +IntracommReportDownload=tải xuống tệp XML # Invoice -IntracommReportTransportMode=Transport mode +IntracommReportTransportMode=Phương tiện giao thông diff --git a/htdocs/langs/vi_VN/knowledgemanagement.lang b/htdocs/langs/vi_VN/knowledgemanagement.lang index fbae30aad45..5b6b4d105d8 100644 --- a/htdocs/langs/vi_VN/knowledgemanagement.lang +++ b/htdocs/langs/vi_VN/knowledgemanagement.lang @@ -18,37 +18,44 @@ # # Module label 'ModuleKnowledgeManagementName' -ModuleKnowledgeManagementName = Knowledge Management System +ModuleKnowledgeManagementName = Hệ thống quản lý tri thức # Module description 'ModuleKnowledgeManagementDesc' -ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base +ModuleKnowledgeManagementDesc=Quản lý cơ sở Quản lý kiến thức (KM) hoặc Bộ phận trợ giúp # # Admin page # -KnowledgeManagementSetup = Knowledge Management System setup +KnowledgeManagementSetup = Thiết lập hệ thống quản lý tri thức Settings = Cài đặt -KnowledgeManagementSetupPage = Knowledge Management System setup page +KnowledgeManagementSetupPage = Trang thiết lập Hệ thống quản lý kiến thức # # About page # About = Về -KnowledgeManagementAbout = About Knowledge Management -KnowledgeManagementAboutPage = Knowledge Management about page +KnowledgeManagementAbout = Giới thiệu về Quản lý tri thức +KnowledgeManagementAboutPage = Quản lý kiến thức về trang -KnowledgeManagementArea = Knowledge Management -MenuKnowledgeRecord = Knowledge base -ListKnowledgeRecord = List of articles -NewKnowledgeRecord = New article -ValidateReply = Validate solution -KnowledgeRecords = Articles +KnowledgeManagementArea = Quản lý kiến thức +MenuKnowledgeRecord = Kiến thức cơ bản +MenuKnowledgeRecordShort = Kiến thức cơ bản +ListKnowledgeRecord = Danh sách bài viết +NewKnowledgeRecord = Bài viết mới +ValidateReply = Xác thực giải pháp +KnowledgeRecords = Bài viết KnowledgeRecord = Điều -KnowledgeRecordExtraFields = Extrafields for Article -GroupOfTicket=Group of tickets -YouCanLinkArticleToATicketCategory=You can link an article to a ticket group (so the article will be suggested during qualification of new tickets) -SuggestedForTicketsInGroup=Suggested for tickets when group is +KnowledgeRecordExtraFields = Trường ngoại lệ cho bài viết +GroupOfTicket=Nhóm vé +YouCanLinkArticleToATicketCategory=Bạn có thể liên kết bài viết với một nhóm yêu cầu (vì vậy bài viết sẽ được đánh dấu trên bất kỳ yêu cầu nào trong nhóm này) +SuggestedForTicketsInGroup=Đề xuất tạo vé -SetObsolete=Set as obsolete -ConfirmCloseKM=Do you confirm the closing of this article as obsolete ? -ConfirmReopenKM=Do you want to restore this article to status "Validated" ? +SetObsolete=Đặt là lỗi thời +ConfirmCloseKM=Bạn có xác nhận việc đóng bài viết này là lỗi thời không? +ConfirmReopenKM=Bạn có muốn khôi phục bài viết này về trạng thái "Đã xác thực" không? +BoxLastKnowledgerecordDescription=%s bài viết cuối cùng +BoxLastKnowledgerecord=Bài viết cuối cùng +BoxLastKnowledgerecordContent=Bài viết cuối cùng +BoxLastKnowledgerecordModifiedContent=Bài viết sửa đổi lần cuối +BoxLastModifiedKnowledgerecordDescription=Bài viết được sửa đổi %s cuối cùng +BoxLastModifiedKnowledgerecord=Bài viết sửa đổi lần cuối diff --git a/htdocs/langs/vi_VN/languages.lang b/htdocs/langs/vi_VN/languages.lang index 0df2d1d3b4e..8ae37ac0e88 100644 --- a/htdocs/langs/vi_VN/languages.lang +++ b/htdocs/langs/vi_VN/languages.lang @@ -1,62 +1,63 @@ # Dolibarr language file - Source file is en_US - languages -Language_am_ET=Ethiopian -Language_af_ZA=Afrikaans (South Africa) +Language_am_ET=tiếng Ethiopia +Language_af_ZA=Tiếng Afrikaans (Nam Phi) +Language_en_AE=Tiếng Ả Rập (Các tiểu vương quốc Ả Rập thống nhất) Language_ar_AR=Ả Rập -Language_ar_DZ=Arabic (Algeria) +Language_ar_DZ=Tiếng Ả Rập (Algeria) Language_ar_EG=Ả Rập (Ai Cập) -Language_ar_JO=Arabic (Jordania) -Language_ar_MA=Arabic (Moroco) -Language_ar_SA=Ả Rập -Language_ar_TN=Arabic (Tunisia) -Language_ar_IQ=Arabic (Iraq) -Language_as_IN=Assamese -Language_az_AZ=Azerbaijani +Language_ar_JO=Tiếng Ả Rập (Jordania) +Language_ar_MA=Tiếng Ả Rập (Maroc) +Language_ar_SA=Tiếng Ả Rập (Ả Rập Saudi) +Language_ar_TN=Tiếng Ả Rập (Tunisia) +Language_ar_IQ=Tiếng Ả Rập (Iraq) +Language_as_IN=Tiếng Assam +Language_az_AZ=Tiếng Azerbaijan Language_bn_BD=Tiếng Bengal -Language_bn_IN=Bengali (India) +Language_bn_IN=Tiếng Bengal (Ấn Độ) Language_bg_BG=Bungari -Language_bo_CN=Tibetan +Language_bo_CN=tiếng Tây Tạng Language_bs_BA=Bosnia Language_ca_ES=Catalan Language_cs_CZ=Cộng hòa Séc -Language_cy_GB=Welsh +Language_cy_GB=người xứ Wales Language_da_DA=Đan Mạch Language_da_DK=Đan Mạch Language_de_DE=Đức Language_de_AT=Đức (Áo) Language_de_CH=Đức (Thụy Sĩ) -Language_de_LU=German (Luxembourg) +Language_de_LU=Tiếng Đức (Luxembourg) Language_el_GR=Hy Lạp Language_el_CY=Hy Lạp (Síp) -Language_en_AE=English (United Arab Emirates) +Language_en_AE=Tiếng Ả Rập (Các tiểu vương quốc Ả Rập thống nhất) Language_en_AU=Anh (Úc) Language_en_CA=Anh (Canada) Language_en_GB=Anh (Vương quốc Anh) Language_en_IN=Anh (Ấn Độ) -Language_en_MY=English (Myanmar) +Language_en_MY=Tiếng Anh (Myanmar) Language_en_NZ=Anh (New Zealand) Language_en_SA=Anh (Ả rập Saudi) -Language_en_SG=English (Singapore) +Language_en_SG=Tiếng Anh (Singapo) Language_en_US=Anh (Hoa Kỳ) Language_en_ZA=Anh (Nam Phi) -Language_en_ZW=English (Zimbabwe) +Language_en_ZW=Tiếng Anh (Zimbabwe) Language_es_ES=Tây Ban Nha Language_es_AR=Tây Ban Nha (Argentina) Language_es_BO=Tây Ban Nha (Bôlivia) Language_es_CL=Tây Ban Nha (Chile) Language_es_CO=Tây Ban Nha (Colombia) -Language_es_CR=Spanish (Costa Rica) +Language_es_CR=Tiếng Tây Ban Nha (Costa Rica) Language_es_DO=Tây Ban Nha (Cộng hòa Dominica) Language_es_EC=Tây Ban Nha (Ecuador) -Language_es_GT=Spanish (Guatemala) +Language_es_GT=Tiếng Tây Ban Nha (Guatemala) Language_es_HN=Tây Ban Nha (Honduras) Language_es_MX=Tây Ban Nha (Mexico) Language_es_PA=Tây Ban Nha (Panama) Language_es_PY=Tây Ban Nha (Paraguay) Language_es_PE=Tây Ban Nha (Peru) Language_es_PR=Tây Ban Nha (Puerto Rico) -Language_es_US=Spanish (USA) +Language_es_US=Tiếng Tây Ban Nha (Mỹ) Language_es_UY=Tây Ban Nha (Uruguay) -Language_es_GT=Spanish (Guatemala) +Language_es_GT=Tiếng Tây Ban Nha (Guatemala) Language_es_VE=Tây Ban Nha (Venezuela) Language_et_EE=Tiếng Estonia Language_eu_ES=Basque @@ -65,25 +66,25 @@ Language_fi_FI=Phần Lan Language_fr_BE=Pháp (Bỉ) Language_fr_CA=Pháp (Canada) Language_fr_CH=Pháp (Thụy Sĩ) -Language_fr_CI=French (Cost Ivory) -Language_fr_CM=French (Cameroun) +Language_fr_CI=Tiếng Pháp (Cost Ivory) +Language_fr_CM=Tiếng Pháp (Cameroon) Language_fr_FR=Pháp -Language_fr_GA=French (Gabon) +Language_fr_GA=Tiếng Pháp (Gabon) Language_fr_NC=Pháp (New Caledonia) -Language_fr_SN=French (Senegal) +Language_fr_SN=Tiếng Pháp (Sénégal) Language_fy_NL=Frisian -Language_gl_ES=Galician +Language_gl_ES=tiếng Galicia Language_he_IL=Do Thái -Language_hi_IN=Hindi (India) +Language_hi_IN=Tiếng Hindi (Ấn Độ) Language_hr_HR=Croatia Language_hu_HU=Hungary Language_id_ID=Indonesia Language_is_IS=Iceland Language_it_IT=Ý -Language_it_CH=Italian (Switzerland) +Language_it_CH=Tiếng Ý (Thụy Sĩ) Language_ja_JP=Nhật Bản Language_ka_GE=Gruzia -Language_kk_KZ=Kazakh +Language_kk_KZ=Kazakhstan Language_km_KH=Tiếng Khmer Language_kn_IN=Kannada Language_ko_KR=Hàn Quốc @@ -92,22 +93,22 @@ Language_lt_LT=Lithuania Language_lv_LV=Latvia Language_mk_MK=Macedonian Language_mn_MN=Mông Cổ -Language_my_MM=Burmese +Language_my_MM=Miến Điện Language_nb_NO=Na Uy (Bokmål) -Language_ne_NP=Nepali +Language_ne_NP=tiếng Nepal Language_nl_BE=Hà Lan (Bỉ) Language_nl_NL=Hà Lan Language_pl_PL=Ba Lan -Language_pt_AO=Portuguese (Angola) -Language_pt_MZ=Portuguese (Mozambique) +Language_pt_AO=Tiếng Bồ Đào Nha (Angola) +Language_pt_MZ=Tiếng Bồ Đào Nha (Mozambique) Language_pt_BR=Bồ Đào Nha (Brazil) Language_pt_PT=Bồ Đào Nha -Language_ro_MD=Romanian (Moldavia) +Language_ro_MD=Rumani (Moldavia) Language_ro_RO=Rumani Language_ru_RU=Nga Language_ru_UA=Nga (Ukraine) -Language_ta_IN=Tamil -Language_tg_TJ=Tajik +Language_ta_IN=Tiếng Tamil +Language_tg_TJ=Tiếng Tajik Language_tr_TR=Thổ Nhĩ Kỳ Language_sl_SI=Slovenia Language_sv_SV=Thụy Điển @@ -115,14 +116,14 @@ Language_sv_SE=Thụy Điển Language_sq_AL=Albania Language_sk_SK=Slovakia Language_sr_RS=Tiếng Serbia -Language_sw_KE=Swahili +Language_sw_KE=tiếng Swahili Language_sw_SW=Kiswilian Language_th_TH=Thái Lan Language_uk_UA=Ukraina -Language_ur_PK=Urdu +Language_ur_PK=tiếng Urdu Language_uz_UZ=Uzbek Language_vi_VN=Việt Language_zh_CN=Trung Quốc -Language_zh_TW=Chinese (Taiwan) -Language_zh_HK=Chinese (Hong Kong) +Language_zh_TW=Tiếng Trung (Đài Loan) +Language_zh_HK=Tiếng Trung (Hồng Kông) Language_bh_MY=Mã Lai diff --git a/htdocs/langs/vi_VN/ldap.lang b/htdocs/langs/vi_VN/ldap.lang index e17cc534d5d..0462946eb9d 100644 --- a/htdocs/langs/vi_VN/ldap.lang +++ b/htdocs/langs/vi_VN/ldap.lang @@ -25,3 +25,9 @@ ContactSynchronized=Liên lạc được đồng bộ hóa ForceSynchronize=Ép buộc đồng bộ hóa Dolibarr -> LDAP ErrorFailedToReadLDAP=Không thể đọc cơ sở dữ liệu LDAP. Kiểm tra thiết lập mô-đun LDAP và khả năng tiếp cận cơ sở dữ liệu. PasswordOfUserInLDAP=Mật khẩu của người dùng trong LDAP +LDAPPasswordHashType=Kiểu băm mật khẩu +LDAPPasswordHashTypeExample=Loại băm mật khẩu được sử dụng trên máy chủ +SupportedForLDAPExportScriptOnly=Chỉ được hỗ trợ bởi tập lệnh xuất ldap +SupportedForLDAPImportScriptOnly=Chỉ được hỗ trợ bởi tập lệnh nhập ldap +LDAPUserAccountControl = userAccountControl khi tạo (thư mục hoạt động) +LDAPUserAccountControlExample = 512 Tài khoản thông thường / 546 Tài khoản thông thường + Không có mật khẩu + Bị vô hiệu hóa (xem : https://fr.wikipedia.org/wiki/Active_Directory) diff --git a/htdocs/langs/vi_VN/loan.lang b/htdocs/langs/vi_VN/loan.lang index c05598741c8..3259294fa12 100644 --- a/htdocs/langs/vi_VN/loan.lang +++ b/htdocs/langs/vi_VN/loan.lang @@ -23,12 +23,12 @@ AddLoan=Tạo khoản vay FinancialCommitment=Cam kết tài chính InterestAmount=Lãi suất CapitalRemain=Gốc còn lại -TermPaidAllreadyPaid = This term is allready paid -CantUseScheduleWithLoanStartedToPaid = Can't generate a timeline for a loan with a payment started -CantModifyInterestIfScheduleIsUsed = You can't modify interest if you use schedule +TermPaidAllreadyPaid = Kỳ hạn này đã được thanh toán +CantUseScheduleWithLoanStartedToPaid = Không thể tạo dòng thời gian cho khoản vay khi thanh toán đã bắt đầu +CantModifyInterestIfScheduleIsUsed = Bạn không thể sửa đổi sở thích nếu bạn sử dụng lịch trình # Admin ConfigLoan=Cấu hình của mô-đun cho vay -LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Account (from the Chart Of Account) to be used by default for capital (Loan module) -LOAN_ACCOUNTING_ACCOUNT_INTEREST=Account (from the Chart Of Account) to be used by default for interest (Loan module) -LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Account (from the Chart Of Account) to be used by default for insurance (Loan module) +LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Tài khoản (từ Sơ đồ tài khoản) được sử dụng làm vốn theo mặc định (mô-đun khoản vay) +LOAN_ACCOUNTING_ACCOUNT_INTEREST=Tài khoản (từ Sơ đồ tài khoản) được sử dụng theo mặc định để lấy lãi (mô-đun Khoản vay) +LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Tài khoản (từ Sơ đồ tài khoản) được sử dụng mặc định cho bảo hiểm (mô-đun khoản vay) CreateCalcSchedule=Chỉnh sửa cam kết tài chính diff --git a/htdocs/langs/vi_VN/mails.lang b/htdocs/langs/vi_VN/mails.lang index f694b07cfd0..c358de12cec 100644 --- a/htdocs/langs/vi_VN/mails.lang +++ b/htdocs/langs/vi_VN/mails.lang @@ -15,7 +15,7 @@ MailToUsers=(những) Người dùng MailCC=Sao chép vào MailToCCUsers=Sao chép cho (những) người dùng MailCCC=Bản cache để -MailTopic=Email subject +MailTopic=Chủ đề email MailText=Tin nhắn MailFile=File đính kèm MailMessage=Nội dung Email @@ -60,7 +60,7 @@ EMailTestSubstitutionReplacedByGenericValues=Khi sử dụng chế độ kiểm MailingAddFile=Đính kèm tập tin này NoAttachedFiles=Không có tập tin đính kèm BadEMail=Giá trị xấu cho Email -EMailNotDefined=Email not defined +EMailNotDefined=Email không được xác định ConfirmCloneEMailing=Bạn có chắc chắn muốn sao chép email này? CloneContent=Sao chép tin nhắn CloneReceivers=Người nhận Cloner @@ -93,7 +93,7 @@ MailingModuleDescEmailsFromUser=Email đầu vào của người dùng MailingModuleDescDolibarrUsers=Người dùng có email MailingModuleDescThirdPartiesByCategories=Bên thứ ba SendingFromWebInterfaceIsNotAllowed=Gửi từ giao diện web không được phép. -EmailCollectorFilterDesc=All filters must match to have an email being collected +EmailCollectorFilterDesc=Tất cả các bộ lọc phải khớp nhau để thu thập email.
      Bạn có thể sử dụng ký tự "!" trước giá trị chuỗi tìm kiếm nếu bạn cần kiểm tra âm tính # Libelle des modules de liste de destinataires mailing LineInFile=Dòng %s trong tập tin @@ -127,13 +127,13 @@ TagMailtoEmail=Email người nhận (bao gồm liên kết "mailto:" html) NoEmailSentBadSenderOrRecipientEmail=Không có email nào được gửi. Người gửi hoặc người nhận email xấu. Xác nhận hồ sơ người dùng. # Module Notifications Notifications=Thông báo -NotificationsAuto=Notifications Auto. -NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company -ANotificationsWillBeSent=1 automatic notification will be sent by email -SomeNotificationsWillBeSent=%s automatic notifications will be sent by email -AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List of all automatic email notifications sent +NotificationsAuto=Thông báo Tự động. +NoNotificationsWillBeSent=Không có thông báo email tự động nào được lên kế hoạch cho loại sự kiện và công ty này +ANotificationsWillBeSent=1 thông báo tự động sẽ được gửi qua email +SomeNotificationsWillBeSent=%s thông báo tự động sẽ được gửi qua email +AddNewNotification=Đăng ký nhận thông báo email tự động mới (mục tiêu/sự kiện) +ListOfActiveNotifications=Danh sách tất cả các đăng ký đang hoạt động (mục tiêu/sự kiện) để nhận thông báo email tự động +ListOfNotificationsDone=Danh sách tất cả các thông báo email tự động được gửi MailSendSetupIs=Cấu hình gửi email đã được thiết lập thành '%s'. Chế độ này không thể được sử dụng để gửi email hàng loạt. MailSendSetupIs2=Trước tiên, bạn phải đi, với tài khoản quản trị viên, vào menu %sNhà - Cài đặt - EMails %s để thay đổi tham số '%s' để sử dụng chế độ '%s' . Với chế độ này, bạn có thể nhập thiết lập máy chủ SMTP do Nhà cung cấp dịch vụ Internet của bạn cung cấp và sử dụng tính năng gửi email hàng loạt. MailSendSetupIs3=Nếu bạn có bất kỳ câu hỏi nào về cách thiết lập máy chủ SMTP của mình, bạn có thể hỏi %s. @@ -143,7 +143,7 @@ UseFormatFileEmailToTarget=Tệp đã nhập phải có định dạng e UseFormatInputEmailToTarget=Nhập một chuỗi với định dạng email;tên;họ;tênkhác MailAdvTargetRecipients=Người nhận (lựa chọn nâng cao) AdvTgtTitle=Điền vào các trường đầu vào để chọn trước bên thứ ba hoặc liên hệ / địa chỉ để nhắm mục tiêu -AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima +AdvTgtSearchTextHelp=Sử dụng %% làm ký tự đại diện. Ví dụ: để tìm tất cả các mục như jean, joe, jim, bạn có thể nhập j%%, bạn cũng có thể sử dụng ; làm dấu phân cách cho giá trị và sử dụng ! ngoại trừ giá trị này. Ví dụ jean;joe;jim%%;!jimo;!jima%% sẽ nhắm mục tiêu tất cả jean, joe, bắt đầu bằng jim nhưng không phải jimo và không phải mọi thứ bắt đầu bằng jima AdvTgtSearchIntHelp=Sử dụng khoảng để chọn giá trị int hoặc float AdvTgtMinVal=Giá trị tối thiểu AdvTgtMaxVal=Gia trị tối đa @@ -163,20 +163,24 @@ AdvTgtDeleteFilter=Xóa bộ lọc AdvTgtSaveFilter=Lưu bộ lọc AdvTgtCreateFilter=Tạo bộ lọc AdvTgtOrCreateNewFilter=Tên bộ lọc mới -NoContactWithCategoryFound=No category found linked to some contacts/addresses -NoContactLinkedToThirdpartieWithCategoryFound=No category found linked to some thirdparties -OutGoingEmailSetup=Outgoing emails -InGoingEmailSetup=Incoming emails -OutGoingEmailSetupForEmailing=Outgoing emails (for module %s) -DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup +NoContactWithCategoryFound=Không tìm thấy danh mục nào được liên kết với một số liên hệ/địa chỉ +NoContactLinkedToThirdpartieWithCategoryFound=Không tìm thấy danh mục nào được liên kết với một số bên thứ ba +OutGoingEmailSetup=Email gửi đi +InGoingEmailSetup=Email đến +OutGoingEmailSetupForEmailing=Email gửi đi (đối với mô-đun %s) +DefaultOutgoingEmailSetup=Cấu hình tương tự như thiết lập email gửi đi toàn cầu Information=Thông tin ContactsWithThirdpartyFilter=Danh bạ với bộ lọc của bên thứ ba -Unanswered=Unanswered +Unanswered=Chưa được trả lời Answered=Đã trả lời -IsNotAnAnswer=Is not answer (initial email) -IsAnAnswer=Is an answer of an initial email -RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s -DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact -DefaultStatusEmptyMandatory=Empty but mandatory -WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. -NoMoreRecipientToSendTo=No more recipient to send the email to +IsNotAnAnswer=Không trả lời (email đầu tiên) +IsAnAnswer=Là câu trả lời của email ban đầu +RecordCreatedByEmailCollector=Bản ghi được tạo bởi Trình thu thập Email %s từ email %s +DefaultBlacklistMailingStatus=Giá trị mặc định cho trường '%s' khi tạo liên hệ mới +DefaultStatusEmptyMandatory=Trống nhưng bắt buộc +WarningLimitSendByDay=CẢNH BÁO: Việc thiết lập hoặc hợp đồng phiên bản của bạn giới hạn số lượng email mỗi ngày của bạn ở mức %s. Việc cố gắng gửi nhiều hơn có thể khiến phiên bản của bạn bị chậm hoặc bị treo. Vui lòng liên hệ với bộ phận hỗ trợ của bạn nếu bạn cần hạn ngạch cao hơn. +NoMoreRecipientToSendTo=Không còn người nhận để gửi email đến +EmailOptedOut=Chủ sở hữu email đã yêu cầu không liên hệ với anh ta bằng email này nữa +EvenUnsubscribe=Bao gồm các email chọn không tham gia +EvenUnsubscribeDesc=Bao gồm các email chọn không tham gia khi bạn chọn email làm mục tiêu. Ví dụ: hữu ích cho các email dịch vụ bắt buộc. +XEmailsDoneYActionsDone=%s email đủ điều kiện trước, %s email đã được xử lý thành công (đối với bản ghi %s /hành động đã thực hiện) diff --git a/htdocs/langs/vi_VN/main.lang b/htdocs/langs/vi_VN/main.lang index d7e489d4c02..41bfa6b1353 100644 --- a/htdocs/langs/vi_VN/main.lang +++ b/htdocs/langs/vi_VN/main.lang @@ -34,10 +34,10 @@ NoTemplateDefined=Không có sẵn mẫu nào cho loại email này AvailableVariables=Các biến thay thế có sẵn NoTranslation=Không dịch Translation=Dịch -Translations=Translations +Translations=Bản dịch CurrentTimeZone=Mã vùng thời gian PHP (server) -EmptySearchString=Enter non empty search criterias -EnterADateCriteria=Enter a date criteria +EmptySearchString=Nhập tiêu chí tìm kiếm không trống +EnterADateCriteria=Nhập tiêu chí ngày NoRecordFound=Không tìm thấy bản ghi NoRecordDeleted=Không có bản ghi nào bị xóa NotEnoughDataYet=Không đủ dữ liệu @@ -60,7 +60,7 @@ ErrorFailedToSendMail=Lỗi gửi mail (người gửi=%s, người nhận=%s) ErrorFileNotUploaded=Tập tin không được tải lên. Kiểm tra kích thước không vượt quá tối đa cho phép, không gian miễn phí có sẵn trên đĩa và không có một tập tin đã có cùng tên trong thư mục này. ErrorInternalErrorDetected=Lỗi được phát hiện ErrorWrongHostParameter=Tham số máy chủ sai -ErrorYourCountryIsNotDefined=Quốc gia của bạn không được xác định. Chuyển đến Nhà-Thiết lập-Soạn thảo và đăng lại mẫu khai báo. +ErrorYourCountryIsNotDefined=Quốc gia của bạn không được xác định. Đi tới Home-Setup-Company/Foundation và đăng lại biểu mẫu. ErrorRecordIsUsedByChild=Không thể xóa hồ sơ này. Hồ sơ này được sử dụng bởi ít nhất một hồ sơ con. ErrorWrongValue=Giá trị sai ErrorWrongValueForParameterX=Giá trị sai cho tham số %s @@ -74,7 +74,8 @@ ErrorNoVATRateDefinedForSellerCountry=Lỗi, không xác định tỉ lệ VAT c ErrorNoSocialContributionForSellerCountry=Lỗi, không có loại thuế xã hội/ tài chính được xác định cho quốc gia '%s'. ErrorFailedToSaveFile=Lỗi, lưu tập tin thất bại ErrorCannotAddThisParentWarehouse=Bạn đang cố gắng thêm một kho mẹ đã là con của một kho hiện có -FieldCannotBeNegative=Field "%s" cannot be negative +ErrorInvalidSubtype=Loại phụ đã chọn không được phép +FieldCannotBeNegative=Trường "%s" không được âm MaxNbOfRecordPerPage=Tối đa số lượng bản ghi trên mỗi trang NotAuthorized=Bạn không được phép làm điều đó. SetDate=Thiết lập ngày @@ -95,7 +96,7 @@ FileWasNotUploaded=Một tập tin được chọn để đính kèm nhưng vẫ NbOfEntries=Số lượng các mục GoToWikiHelpPage=Đọc trợ giúp trực tuyến (Cần truy cập Internet) GoToHelpPage=Đọc giúp đỡ -DedicatedPageAvailable=Dedicated help page related to your current screen +DedicatedPageAvailable=Trang trợ giúp chuyên dụng liên quan đến màn hình hiện tại của bạn HomePage=Trang chủ RecordSaved=Bản ghi đã lưu RecordDeleted=Bản ghi đã xóa @@ -103,7 +104,8 @@ RecordGenerated=Bản ghi được tạo LevelOfFeature=Mức tính năng NotDefined=Không xác định DolibarrInHttpAuthenticationSoPasswordUseless=Chế độ xác thực Dolibarr được đặt thành %s trong tệp cấu hình conf.php.
      Điều này có nghĩa là cơ sở dữ liệu mật khẩu nằm ngoài Dolibarr, vì vậy việc thay đổi trường này có thể không có hiệu lực. -Administrator=Quản trị +Administrator=Quản trị hệ thống +AdministratorDesc=Quản trị viên hệ thống (có thể quản trị người dùng, quyền cũng như thiết lập hệ thống và cấu hình mô-đun) Undefined=Không xác định PasswordForgotten=Quên mật khẩu? NoAccount=Không tài khoản? @@ -122,7 +124,7 @@ ReturnCodeLastAccessInError=Trả về mã cho lỗi yêu cầu truy cập cơ s InformationLastAccessInError=Thông tin cho lỗi yêu cầu truy cập cơ sở dữ liệu mới nhất DolibarrHasDetectedError=Dolibarr đã phát hiện một lỗi kỹ thuật YouCanSetOptionDolibarrMainProdToZero=Để có thêm thông tin, bạn có thể đọc tệp nhật ký hoặc thiết lâp tùy chọn $ dolibarr_main_prod thành '0' trong tệp cấu hình của bạn. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) +InformationToHelpDiagnose=Thông tin này có thể hữu ích cho mục đích chẩn đoán (bạn có thể đặt tùy chọn $dolibarr_main_prod thành '1' để ẩn thông tin nhạy cảm) MoreInformation=Thông tin chi tiết TechnicalInformation=Thông tin kỹ thuật TechnicalID=ID kỹ thuật @@ -188,7 +190,7 @@ SaveAndNew=Lưu và tạo mới TestConnection=Kiểm tra kết nối ToClone=Nhân bản ConfirmCloneAsk=Có chắc bạn muốn sao chép %s không? -ConfirmClone=Choose the data you want to clone: +ConfirmClone=Chọn dữ liệu bạn muốn sao chép: NoCloneOptionsSpecified=Không có dữ liệu nhân bản được xác định. Of=của Go=Tới @@ -199,7 +201,7 @@ Hide=Ẩn đi ShowCardHere=Thẻ hiển thị Search=Tìm kiếm SearchOf=Tìm kiếm -QuickAdd=Quick add +QuickAdd=Thêm nhanh Valid=Xác nhận Approve=Duyệt Disapprove=Không chấp thuận @@ -208,23 +210,23 @@ OpenVerb=Mở Upload=Tải lên ToLink=Liên kết Select=Chọn -SelectAll=Select all +SelectAll=Chọn tất cả Choose=Lựa Resize=Đổi kích thước +Crop=Mùa vụ ResizeOrCrop=Thay đổi kích thước hoặc cắt -Recenter=Recenter Author=Quyền User=Người dùng Users=Người dùng Group=Nhóm Groups=Nhóm -UserGroup=User group -UserGroups=User groups +UserGroup=Nhóm người dùng +UserGroups=Các nhóm người sử dụng NoUserGroupDefined=Không có nhóm người dùng được xác định Password=Mật khẩu -PasswordRetype=Repeat your password +PasswordRetype=Lặp lại mật khẩu của bạn NoteSomeFeaturesAreDisabled=Lưu ý rằng rất nhiều tính năng/modules bị vô hiệu hóa trong trình diễn này. -YourUserFile=Your user file +YourUserFile=Tập tin người dùng của bạn Name=Tên NameSlashCompany=Tên / Công ty Person=Cá nhân @@ -234,9 +236,9 @@ Value=Giá trị PersonalValue=Giá trị cá nhân NewObject=Tạo mới %s NewValue=Giá trị mới -OldValue=Old value %s -FieldXModified=Field %s modified -FieldXModifiedFromYToZ=Field %s modified from %s to %s +OldValue=Giá trị cũ %s +FieldXModified=Đã sửa đổi trường %s +FieldXModifiedFromYToZ=Trường %s được sửa đổi từ %s thành %s CurrentValue=Giá trị hiện tại Code=Mã Type=Loại @@ -253,13 +255,13 @@ Designation=Mô tả DescriptionOfLine=Mô tả dòng DateOfLine=Ngày của dòng DurationOfLine=Thời hạn của dòng -ParentLine=Parent line ID +ParentLine=ID dòng gốc Model=Mẫu tài liệu DefaultModel=Mẫu tài liệu mặc định Action=Sự kiện About=Về Number=Số -NumberByMonth=Total reports by month +NumberByMonth=Tổng số báo cáo theo tháng AmountByMonth=Số tiền theo tháng Numero=Số Limit=Giới hạn @@ -276,7 +278,7 @@ Cards=Thẻ Card=Thẻ Now=Bây giờ HourStart=Giờ bắt đầu -Deadline=Deadline +Deadline=Thời hạn Date=Ngày DateAndHour=Ngày và giờ DateToday=Ngày hôm nay @@ -285,13 +287,13 @@ DateStart=Ngày bắt đầu DateEnd=Ngày kết thúc DateCreation=Ngày tạo DateCreationShort=Ngày tạo -IPCreation=Creation IP +IPCreation=IP sáng tạo DateModification=Ngày điều chỉnh DateModificationShort=Ngày điều chỉnh -IPModification=Modification IP +IPModification=IP sửa đổi DateLastModification=Ngày sửa đổi mới nhất DateValidation=Ngày xác nhận -DateSigning=Signing date +DateSigning=Ngày ký DateClosing=Ngày kết thúc DateDue=Ngày đáo hạn DateValue=Giá trị ngày @@ -312,8 +314,8 @@ UserValidation=Xác nhận người dùng UserCreationShort=Thêm người sử dụng UserModificationShort=Sửa đổi người sử dụng UserValidationShort=Xác nhận người sử dụng -UserClosing=Closing user -UserClosingShort=Closing user +UserClosing=Đóng người dùng +UserClosingShort=Đóng người dùng DurationYear=năm DurationMonth=tháng DurationWeek=tuần @@ -345,10 +347,10 @@ Morning=Sáng Afternoon=Chiều Quadri=Quý MonthOfDay=Tháng của ngày -DaysOfWeek=Days of week +DaysOfWeek=Ngày trong tuần HourShort=H MinuteShort=mn -SecondShort=sec +SecondShort=giây Rate=Tỷ lệ CurrencyRate=Tỷ giá chuyển đổi tiền tệ UseLocalTax=Gồm thuế @@ -358,7 +360,7 @@ MegaBytes=MB GigaBytes=Gigabyte TeraBytes=Terabyte UserAuthor=Được tạo bởi -UserModif=Updated by +UserModif=Cập nhật b=b. Kb=Kb Mb=Mb @@ -378,13 +380,13 @@ UnitPriceHTCurrency=Đơn giá (không bao gồm) (tiền tệ) UnitPriceTTC=Đơn giá PriceU=U.P. PriceUHT=U.P. (net) -PriceUHTCurrency=U.P (net) (currency) +PriceUHTCurrency=U.P (ròng) (tiền tệ) PriceUTTC=Đơn giá (gồm thuế) Amount=Số tiền AmountInvoice=Số tiền hóa đơn AmountInvoiced=Số tiền đã xuất hóa đơn AmountInvoicedHT=Số tiền (chưa gồm thuế) -AmountInvoicedTTC=Amount invoiced (inc. tax) +AmountInvoicedTTC=Số tiền được lập hoá đơn (bao gồm thuế) AmountPayment=Số tiền thanh toán AmountHTShort=Số tiền (không bao gồm) AmountTTCShort=Số tiền (gồm thuế) @@ -397,7 +399,7 @@ MulticurrencyPaymentAmount=Số tiền thanh toán, nguyên tệ MulticurrencyAmountHT=Số tiền (chưa thuế), nguyên tệ MulticurrencyAmountTTC=Số tiền (gồm thuế), nguyên tệ MulticurrencyAmountVAT=Số tiền thuế, nguyên tệ -MulticurrencySubPrice=Amount sub price multi currency +MulticurrencySubPrice=Số lượng giá phụ đa tiền tệ AmountLT1=Số tiền thuế 2 AmountLT2=Số tiền thuế 3 AmountLT1ES=Amount RE @@ -406,8 +408,8 @@ AmountTotal=Tổng số tiền AmountAverage=Số tiền trung bình PriceQtyMinHT=Giá theo số lượng tối thiểu (không bao gồm thuế) PriceQtyMinHTCurrency=Giá theo số lượng tối thiểu (không bao gồm thuế) (tiền tệ) -PercentOfOriginalObject=Percent of original object -AmountOrPercent=Amount or percent +PercentOfOriginalObject=Phần trăm đối tượng ban đầu +AmountOrPercent=Số lượng hoặc phần trăm Percentage=Phần trăm Total=Tổng SubTotal=Tổng phụ @@ -444,9 +446,9 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=Xu bổ sung +LT1GC=xu bổ sung VATRate=Thuế suất -RateOfTaxN=Rate of tax %s +RateOfTaxN=Thuế suất %s VATCode=Mã thuế suất VATNPR=Thuế suất NPR DefaultTaxRate=Thuế suất mặc định @@ -458,10 +460,10 @@ RemainToPay=Còn lại để trả tiền Module=Mô-đun / Ứng dụng Modules=Mô-đun / Ứng dụng Option=Tùy chọn -Filters=Filters +Filters=Bộ lọc List=Danh sách FullList=Danh mục đầy đủ -FullConversation=Full conversation +FullConversation=Cuộc trò chuyện đầy đủ Statistics=Thống kê OtherStatistics=Thống kê khác Status=Trạng thái @@ -493,7 +495,7 @@ ActionsOnContact=Sự kiện cho liên lạc/ địa chỉ này ActionsOnContract=Sự kiện cho hợp đồng này ActionsOnMember=Sự kiện về thành viên này ActionsOnProduct=Sự kiện về sản phẩm này -ActionsOnAsset=Events for this fixed asset +ActionsOnAsset=Sự kiện đối với tài sản cố định này NActionsLate=%s cuối ToDo=Việc cần làm Completed=Đã hoàn thành @@ -517,7 +519,7 @@ NotYetAvailable=Chưa có NotAvailable=Chưa có Categories=Gán thẻ/phân nhóm Category=Gán thẻ/phân nhóm -SelectTheTagsToAssign=Select the tags/categories to assign +SelectTheTagsToAssign=Chọn thẻ/danh mục để gán By=Theo From=Từ FromDate=Từ @@ -526,7 +528,7 @@ to=đến To=đến ToDate=đến ToLocation=đến -at=at +at=Tại and=và or=hoặc Other=Khác @@ -547,8 +549,9 @@ Reportings=Việc báo cáo Draft=Dự thảo Drafts=Dự thảo StatusInterInvoiced=Đã xuất hóa đơn +Done=Đã hoàn thành Validated=Đã xác nhận -ValidatedToProduce=Validated (To produce) +ValidatedToProduce=Đã xác thực (Để sản xuất) Opened=Mở OpenAll=Mở (Tất cả) ClosedAll=Đã đóng (Tất cả) @@ -558,7 +561,7 @@ Unknown=Không biết General=Tổng hợp Size=Kích thước OriginalSize=Kích thước nguyên mẫu -RotateImage=Rotate 90° +RotateImage=Xoay 90° Received=Đã nhận Paid=Đã trả Topic=Chủ đề @@ -636,7 +639,7 @@ MonthVeryShort11=N MonthVeryShort12=D AttachedFiles=Được đính kèm tập tin và tài liệu JoinMainDoc=Tham gia tài liệu chính -JoinMainDocOrLastGenerated=Send the main document or the last generated one if not found +JoinMainDocOrLastGenerated=Gửi tài liệu chính hoặc tài liệu được tạo lần cuối nếu không tìm thấy DateFormatYYYYMM=YYYY-MM DateFormatYYYYMMDD=YYYY-MM-DD DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS @@ -683,7 +686,7 @@ SupplierPreview=Xem trước nhà cung cấp ShowCustomerPreview=Xem trước khách hàng hiển thị ShowSupplierPreview=Hiển thị xem trước nhà cung cấp RefCustomer=Tham chiếu khách hàng -InternalRef=Internal ref. +InternalRef=Giới thiệu nội bộ. Currency=Tiền tệ InfoAdmin=Thông tin dành cho người quản trị Undo=Lùi lại @@ -698,6 +701,7 @@ Response=Đáp trả Priority=Ưu tiên SendByMail=Gửi bằng email MailSentBy=Email gửi bởi +MailSentByTo=Email sent by %s to %s NotSent=Chưa được gửi TextUsedInTheMessageBody=Thân email SendAcknowledgementByMail=Gửi email xác nhận @@ -711,7 +715,7 @@ Owner=Chủ sở hữu FollowingConstantsWillBeSubstituted=Các hằng số sau đây sẽ được thay thế bằng giá trị tương ứng. Refresh=Làm mới BackToList=Trở lại danh sách -BackToTree=Back to tree +BackToTree=Trở lại cây GoBack=Quay trở lại CanBeModifiedIfOk=Có thể được điều chỉnh nếu hợp lệ CanBeModifiedIfKo=Có thể được điều sửa nếu không hợp lệ @@ -722,18 +726,19 @@ RecordModifiedSuccessfully=Bản ghi được điều chỉnh thành công RecordsModified=%s (các) bản ghi đã sửa đổi RecordsDeleted=%s (các) bản ghi đã bị xóa RecordsGenerated=%s (các) bản ghi được tạo +ValidatedRecordWhereFound = Một số bản ghi được chọn đã được xác thực. Không có hồ sơ đã bị xóa. AutomaticCode=Mã tự động FeatureDisabled=Tính năng bị vô hiệu hóa MoveBox=Di chuyển widget Offered=Đã đề nghị NotEnoughPermissions=Bạn không có quyền cho hành động này -UserNotInHierachy=This action is reserved to the supervisors of this user +UserNotInHierachy=Hành động này được dành riêng cho người giám sát của người dùng này SessionName=Tên phiên Method=Phương pháp Receive=Nhận CompleteOrNoMoreReceptionExpected=Hoàn thành hoặc không mong đợi gì hơn ExpectedValue=Gia trị được ki vọng -ExpectedQty=Expected Qty +ExpectedQty=Số lượng dự kiến PartialWoman=Một phần TotalWoman=Tổng NeverReceived=Chưa từng nhận @@ -750,10 +755,10 @@ MenuECM=Chứng từ MenuAWStats=AWStats MenuMembers=Thành viên MenuAgendaGoogle=Google agenda -MenuTaxesAndSpecialExpenses=Taxes | Special expenses +MenuTaxesAndSpecialExpenses=Thuế | Chi phí đặc biệt ThisLimitIsDefinedInSetup=Giới hạn của Dolibarr (Thực đơn Nhà-Thiết lập-Bảo mật): %s Kb, giới hạn của PHP: %s Kb -ThisLimitIsDefinedInSetupAt=Dolibarr limit (Menu %s): %s Kb, PHP limit (Param %s): %s Kb -NoFileFound=No documents uploaded +ThisLimitIsDefinedInSetupAt=Giới hạn Dolibarr (Menu %s): %s Kb, Giới hạn PHP (Param %s): %s Kb +NoFileFound=Không có tài liệu nào được tải lên CurrentUserLanguage=Ngôn ngữ hiện tại CurrentTheme=Theme hiện tại CurrentMenuManager=Quản lý menu hiện tại @@ -764,17 +769,16 @@ DisabledModules=Module đã tắt For=Cho ForCustomer=cho khách hàng Signature=Chữ ký -DateOfSignature=Ngày ký HidePassword=Hiện lệnh với mật khẩu ẩn UnHidePassword=Hiển thị lệnh thực với mật khẩu rõ ràng Root=Gốc -RootOfMedias=Thư mục gốc của file phương tiện truyền thông công khai (/ medias) +RootOfMedias=Gốc của phương tiện truyền thông đại chúng (/medias) Informations=Thông tin Page=Trang Notes=Ghi chú AddNewLine=Thêm dòng mới AddFile=Thêm tập tin -FreeZone=Free-text product +FreeZone=Sản phẩm văn bản tự do FreeLineOfType=Văn bản tự do, loại: CloneMainAttributes=Nhân bản đối tượng và các thuộc tính chính của nó ReGeneratePDF=Tạo lại PDF @@ -817,7 +821,7 @@ URLPhoto=URL của hình ảnh / logo SetLinkToAnotherThirdParty=Liên kết đến một bên thứ ba LinkTo=Liên kết đến LinkToProposal=Liên kết với đề xuất -LinkToExpedition= Link to expedition +LinkToExpedition= Liên kết đến cuộc thám hiểm LinkToOrder=Liên kết để đặt hàng LinkToInvoice=Liên kết với hóa đơn LinkToTemplateInvoice=Liên kết với mẫu hóa đơn @@ -827,7 +831,7 @@ LinkToSupplierInvoice=Liên kết với hóa đơn nhà cung cấp LinkToContract=Liên kết với hợp đồng LinkToIntervention=Liên kết với sự can thiệp LinkToTicket=Liên kết với vé -LinkToMo=Link to Mo +LinkToMo=Liên kết tới Mo CreateDraft=Tạo dự thảo SetToDraft=Trở về dự thảo ClickToEdit=Nhấn vào để sửa @@ -871,7 +875,7 @@ XMoreLines=%s dòng ẩn ShowMoreLines=Hiển thị thêm hơn/ ít dòng PublicUrl=URL công khai AddBox=Thêm hộp -SelectElementAndClick=Select an element and click on %s +SelectElementAndClick=Chọn một phần tử và nhấp vào %s PrintFile=In tập tin %s ShowTransaction=Hiển thị mục trên tài khoản ngân hàng ShowIntervention=Hiện can thiệp @@ -882,8 +886,8 @@ Denied=Đã từ chối ListOf=Danh sách %s ListOfTemplates=Danh sách các mẫu Gender=Giới tính -Genderman=Male -Genderwoman=Female +Genderman=Nam giới +Genderwoman=Nữ giới Genderother=Khác ViewList=Danh sách xem ViewGantt=Xem dạng Gantt @@ -895,7 +899,7 @@ Sincerely=Trân trọng ConfirmDeleteObject=Bạn có chắc chắn muốn xóa đối tượng này? DeleteLine=Xóa dòng ConfirmDeleteLine=Bạn có chắc chắn muốn xóa dòng này? -ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. +ErrorPDFTkOutputFileNotFound=Lỗi: tập tin không được tạo ra. Vui lòng kiểm tra xem lệnh 'pdftk' đã được cài đặt trong thư mục có trong biến môi trường $PATH (chỉ linux/unix) hay liên hệ với quản trị viên hệ thống của bạn. NoPDFAvailableForDocGenAmongChecked=Không có bản PDF nào để tạo tài liệu trong số các bản ghi được kiểm tra TooManyRecordForMassAction=Quá nhiều bản ghi được chọn cho hành động hàng loạt. Hành động được giới hạn trong danh sách các bản ghi %s. NoRecordSelected=Không có bản ghi nào được chọn @@ -903,12 +907,12 @@ MassFilesArea=Khu vực tạo các tệp bằng hành động hàng loạt ShowTempMassFilesArea=Hiển thị khu vực tạo các tệp bằng hành động hàng loạt ConfirmMassDeletion=Xác nhận xóa hàng loạt ConfirmMassDeletionQuestion=Bạn có chắc chắn muốn xóa (các) bản ghi đã chọn %s không? -ConfirmMassClone=Bulk clone confirmation -ConfirmMassCloneQuestion=Select project to clone to -ConfirmMassCloneToOneProject=Clone to project %s +ConfirmMassClone=Xác nhận bản sao hàng loạt +ConfirmMassCloneQuestion=Chọn dự án để sao chép vào +ConfirmMassCloneToOneProject=Sao chép vào dự án %s RelatedObjects=Đối tượng liên quan -ClassifyBilled=Classify Billed -ClassifyUnbilled=Classify Unbilled +ClassifyBilled=Phân loại hóa đơn +ClassifyUnbilled=Phân loại chưa lập hóa đơn Progress=Tiến trình ProgressShort=Chương trình FrontOffice=Trụ sở chính @@ -916,31 +920,32 @@ BackOffice=Trở lại văn phòng Submit=Gửi đi View=Xem Export=Xuất dữ liệu +Import=Nhập dữ liệu Exports=Xuất khẩu ExportFilteredList=Xuất danh sách đã lọc ExportList=Danh sách xuất ExportOptions=Tùy chọn xuất dữ liệu IncludeDocsAlreadyExported=Bao gồm các tài liệu đã được xuất -ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and will be exported -ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported +ExportOfPiecesAlreadyExportedIsEnable=Các tài liệu đã xuất sẽ được hiển thị và sẽ được xuất +ExportOfPiecesAlreadyExportedIsDisable=Các tài liệu đã xuất sẽ bị ẩn và sẽ không được xuất AllExportedMovementsWereRecordedAsExported=Tất cả các dịch chuyển đã xuất đã được ghi là đã xuất NotAllExportedMovementsCouldBeRecordedAsExported=Không phải tất cả các dịch chuyển đã xuất có thể được ghi là đã xuất Miscellaneous=Linh tinh Calendar=Lịch GroupBy=Nhóm bởi ... -GroupByX=Group by %s +GroupByX=Nhóm theo %s ViewFlatList=Xem danh sách phẳng -ViewAccountList=View ledger -ViewSubAccountList=View subaccount ledger +ViewAccountList=Xem sổ cái +ViewSubAccountList=Xem sổ cái tài khoản phụ RemoveString=Xóa chuỗi '%s' -SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. -DirectDownloadLink=Public download link -PublicDownloadLinkDesc=Only the link is required to download the file -DirectDownloadInternalLink=Private download link -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file +SomeTranslationAreUncomplete=Một số ngôn ngữ được cung cấp có thể chỉ được dịch một phần hoặc có thể có lỗi. Vui lòng giúp sửa ngôn ngữ của bạn bằng cách đăng ký tại https://transifex.com/projects/p/dolibarr/ để thêm những cải tiến của bạn. +DirectDownloadLink=Liên kết tải xuống công khai +PublicDownloadLinkDesc=Chỉ cần có liên kết để tải tập tin +DirectDownloadInternalLink=Liên kết tải xuống riêng tư +PrivateDownloadLinkDesc=Bạn cần phải đăng nhập và cần có quyền để xem hoặc tải xuống tệp Download=Tải xuống DownloadDocument=Tải tài liệu -DownloadSignedDocument=Download signed document +DownloadSignedDocument=Tải xuống tài liệu đã ký ActualizeCurrency=Cập nhật tỷ giá tiền tệ Fiscalyear=Năm tài chính ModuleBuilder=Xây dựng mô-đun và ứng dụng @@ -949,7 +954,7 @@ BulkActions=Hành động hàng loạt ClickToShowHelp=Nhấn vào đây để hiển thị trợ giúp tooltip WebSite=Trang web WebSites=Trang web -WebSiteAccounts=Tài khoản trang web +WebSiteAccounts=Tài khoản truy cập web ExpenseReport=Báo cáo chi tiêu ExpenseReports=Báo cáo chi tiêu HR=Nhân sự @@ -1003,39 +1008,39 @@ ShortThursday=N ShortFriday=S ShortSaturday=B ShortSunday=C -one=one -two=two -three=three -four=four -five=five -six=six -seven=seven -eight=eight -nine=nine -ten=ten -eleven=eleven -twelve=twelve -thirteen=thirdteen -fourteen=fourteen -fifteen=fifteen -sixteen=sixteen -seventeen=seventeen -eighteen=eighteen -nineteen=nineteen -twenty=twenty -thirty=thirty -forty=forty -fifty=fifty -sixty=sixty -seventy=seventy -eighty=eighty -ninety=ninety -hundred=hundred -thousand=thousand -million=million -billion=billion -trillion=trillion -quadrillion=quadrillion +one=một +two=hai +three=ba +four=bốn +five=năm +six=sáu +seven=bảy +eight=tám +nine=chín +ten=mười +eleven=mười một +twelve=mười hai +thirteen=mười ba +fourteen=mười bốn +fifteen=mười lăm +sixteen=mười sáu +seventeen=mười bảy +eighteen=mười tám +nineteen=mười chín +twenty=hai mươi +thirty=ba mươi +forty=bốn mươi +fifty=năm mươi +sixty=sáu mươi +seventy=bảy mươi +eighty=tám mươi +ninety=chín mươi +hundred=trăm +thousand=nghìn +million=triệu +billion=tỷ +trillion=nghìn tỷ +quadrillion=triệu tỷ SelectMailModel=Chọn một mẫu email SetRef=Đặt tham chiếu Select2ResultFoundUseArrows=Một số kết quả được tìm thấy. Sử dụng mũi tên để chọn. @@ -1051,7 +1056,7 @@ SearchIntoContacts=Liên lạc SearchIntoMembers=Thành viên SearchIntoUsers=Người dùng SearchIntoProductsOrServices=Sản phẩm hoặc dịch vụ -SearchIntoBatch=Lots / Serials +SearchIntoBatch=Lô/Sê-ri SearchIntoProjects=Các dự án SearchIntoMO=Đơn đặt hàng sản xuất SearchIntoTasks=Tác vụ @@ -1066,9 +1071,9 @@ SearchIntoContracts=Hợp đồng SearchIntoCustomerShipments=Lô hàng của khách hàng SearchIntoExpenseReports=Báo cáo chi tiêu SearchIntoLeaves=Nghỉ -SearchIntoKM=Knowledge base +SearchIntoKM=Kiến thức cơ bản SearchIntoTickets=Vé -SearchIntoCustomerPayments=Customer payments +SearchIntoCustomerPayments=Thanh toán của khách hàng SearchIntoVendorPayments=Thanh toán của nhà cung cấp SearchIntoMiscPayments=Thanh toán khác CommentLink=Chú thích @@ -1077,6 +1082,7 @@ CommentPage=Không gian nhận xét CommentAdded=Đã thêm nhận xét CommentDeleted=Nhận xét đã bị xóa Everybody=Mọi người +EverybodySmall=Mọi người PayedBy=Trả tiền bởi PayedTo=Trả tiền cho Monthly=Hàng tháng @@ -1089,13 +1095,13 @@ KeyboardShortcut=Phim tắt AssignedTo=Giao cho Deletedraft=Xóa dự thảo ConfirmMassDraftDeletion=Xác nhận xóa hàng loạt Dự thảo -FileSharedViaALink=File shared with a public link +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=Chọn bên thứ ba trước ... YouAreCurrentlyInSandboxMode=Bạn hiện đang ở chế độ "hộp cát" %s Inventory=Hàng tồn kho AnalyticCode=Mã phân tích TMenuMRP=MRP -ShowCompanyInfos=Show company infos +ShowCompanyInfos=Hiển thị thông tin công ty ShowMoreInfos=Hiển thị thêm thông tin NoFilesUploadedYet=Đầu tiên vui lòng tải lên một tài liệu SeePrivateNote=Xem ghi chú riêng @@ -1104,7 +1110,7 @@ ValidFrom=Có hiệu lực từ ValidUntil=Có hiệu lực đến NoRecordedUsers=Không có người dùng ToClose=Để đóng -ToRefuse=To refuse +ToRefuse=Từ chối ToProcess=Để xử lý ToApprove=Phê duyệt GlobalOpenedElemView=Xem toàn cục @@ -1123,7 +1129,7 @@ ContactDefault_project_task=Tác vụ ContactDefault_propal=Đơn hàng đề xuất ContactDefault_supplier_proposal=Đề xuất nhà cung cấp ContactDefault_ticket=Vé -ContactAddedAutomatically=Liên lạc được thêm từ vai trò liên lạc của bên thứ ba +ContactAddedAutomatically=Liên hệ được thêm từ vai trò liên hệ của bên thứ ba More=Thêm nữa ShowDetails=Xem chi tiết CustomReports=Báo cáo khách hàng @@ -1138,104 +1144,119 @@ DeleteFileText=Bạn có chắc muốn xoá file này? ShowOtherLanguages=Xem ngôn ngữ khác SwitchInEditModeToAddTranslation=Mở sang chế độ chỉnh sửa và thêm bản dịch khác cho ngôn ngữ này NotUsedForThisCustomer=Không sử dụng cho khách hàng này -NotUsedForThisVendor=Not used for this vendor -AmountMustBePositive=Amount must be positive -ByStatus=By status +NotUsedForThisVendor=Không được sử dụng cho nhà cung cấp này +AmountMustBePositive=Số tiền phải dương +ByStatus=Theo trạng thái InformationMessage=Thông tin -Used=Used -ASAP=As Soon As Possible -CREATEInDolibarr=Record %s created -MODIFYInDolibarr=Record %s modified -DELETEInDolibarr=Record %s deleted -VALIDATEInDolibarr=Record %s validated -APPROVEDInDolibarr=Record %s approved -DefaultMailModel=Default Mail Model -PublicVendorName=Public name of vendor +Used=Đã sử dụng +ASAP=Sớm nhất có thể +CREATEInDolibarr=Đã tạo bản ghi %s +MODIFYInDolibarr=Đã sửa đổi bản ghi %s +DELETEInDolibarr=Đã xóa bản ghi %s +VALIDATEInDolibarr=Bản ghi %s đã được xác thực +APPROVEDInDolibarr=Bản ghi %s đã được phê duyệt +DefaultMailModel=Mẫu thư mặc định +PublicVendorName=Tên công khai của nhà cung cấp DateOfBirth=Ngày tháng năm sinh -SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again. -UpToDate=Up-to-date -OutOfDate=Out-of-date -EventReminder=Event Reminder -UpdateForAllLines=Update for all lines -OnHold=On hold -Civility=Civility -AffectTag=Assign a Tag -AffectUser=Assign a User -SetSupervisor=Set the supervisor -CreateExternalUser=Create external user -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) -ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records +SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Mã thông báo bảo mật đã hết hạn nên hành động đã bị hủy. Vui lòng thử lại. +UpToDate=Cập nhật +OutOfDate=Hết hạn +EventReminder=Lời nhắc sự kiện +UpdateForAllLines=Cập nhật cho tất cả các dòng +OnHold=Đang chờ +Civility=sự lịch sự +AffectTag=Gán một thẻ +AffectUser=Chỉ định một người dùng +SetSupervisor=Đặt người giám sát +CreateExternalUser=Tạo người dùng bên ngoài +ConfirmAffectTag=Gán thẻ hàng loạt +ConfirmAffectUser=Phân công người dùng hàng loạt +ProjectRole=Vai trò được giao trên từng dự án/cơ hội +TasksRole=Vai trò được giao trên mỗi nhiệm vụ (nếu được sử dụng) +ConfirmSetSupervisor=Bộ giám sát hàng loạt +ConfirmUpdatePrice=Chọn mức tăng/giảm giá +ConfirmAffectTagQuestion=Bạn có chắc chắn muốn gán thẻ cho (các) bản ghi đã chọn %s không? +ConfirmAffectUserQuestion=Bạn có chắc chắn muốn chỉ định người dùng cho (các) bản ghi đã chọn %s không? +ConfirmSetSupervisorQuestion=Bạn có chắc chắn muốn đặt người giám sát cho (các) bản ghi đã chọn %s không? +ConfirmUpdatePriceQuestion=Bạn có chắc chắn muốn cập nhật giá của %s bản ghi đã chọn không? +CategTypeNotFound=Không tìm thấy loại thẻ cho loại bản ghi Rate=Tỷ lệ -SupervisorNotFound=Supervisor not found -CopiedToClipboard=Copied to clipboard -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. -ConfirmCancel=Are you sure you want to cancel -EmailMsgID=Email MsgID -EmailDate=Email date -SetToStatus=Set to status %s -SetToEnabled=Set to enabled -SetToDisabled=Set to disabled -ConfirmMassEnabling=mass enabling confirmation -ConfirmMassEnablingQuestion=Are you sure you want to enable the %s selected record(s)? -ConfirmMassDisabling=mass disabling confirmation -ConfirmMassDisablingQuestion=Are you sure you want to disable the %s selected record(s)? -RecordsEnabled=%s record(s) enabled -RecordsDisabled=%s record(s) disabled -RecordEnabled=Record enabled -RecordDisabled=Record disabled -Forthcoming=Forthcoming -Currently=Currently -ConfirmMassLeaveApprovalQuestion=Are you sure you want to approve the %s selected record(s)? -ConfirmMassLeaveApproval=Mass leave approval confirmation -RecordAproved=Record approved -RecordsApproved=%s Record(s) approved -Properties=Properties -hasBeenValidated=%s has been validated +SupervisorNotFound=Không tìm thấy người giám sát +CopiedToClipboard=Sao chép vào clipboard +InformationOnLinkToContract=Số tiền này chỉ là tổng của tất cả các dòng trong hợp đồng. Không có khái niệm về thời gian được xem xét. +ConfirmCancel=Bạn có chắc là muốn hủy bỏ +EmailMsgID=ID tin nhắn email +EmailDate=Ngày gửi email +SetToStatus=Đặt thành trạng thái %s +SetToEnabled=Đặt thành đã bật +SetToDisabled=Đặt thành vô hiệu hóa +ConfirmMassEnabling=xác nhận kích hoạt hàng loạt +ConfirmMassEnablingQuestion=Bạn có chắc chắn muốn bật %s bản ghi đã chọn không? +ConfirmMassDisabling=xác nhận vô hiệu hóa hàng loạt +ConfirmMassDisablingQuestion=Bạn có chắc chắn muốn vô hiệu hóa (các) bản ghi đã chọn %s không? +RecordsEnabled=Đã bật %s bản ghi +RecordsDisabled=%s bản ghi bị vô hiệu hóa +RecordEnabled=Đã bật bản ghi +RecordDisabled=Bản ghi bị vô hiệu hóa +Forthcoming=Sắp tới +Currently=Hiện nay +ConfirmMassLeaveApprovalQuestion=Bạn có chắc chắn muốn phê duyệt %s bản ghi đã chọn không? +ConfirmMassLeaveApproval=Xác nhận phê duyệt nghỉ phép hàng loạt +RecordAproved=Hồ sơ đã được phê duyệt +RecordsApproved=%s Bản ghi đã được phê duyệt +Properties=Của cải +hasBeenValidated=%s đã được xác thực ClientTZ=Time Zone khách hàng (người sử dụng) -NotClosedYet=Not yet closed -ClearSignature=Reset signature -CanceledHidden=Canceled hidden -CanceledShown=Canceled shown +NotClosedYet=Chưa đóng cửa +ClearSignature=Đặt lại chữ ký +CanceledHidden=Đã hủy ẩn +CanceledShown=Đã hủy hiển thị Terminate=Chấm dứt Terminated=Chấm dứt -AddLineOnPosition=Add line on position (at the end if empty) -ConfirmAllocateCommercial=Assign sales representative confirmation -ConfirmAllocateCommercialQuestion=Are you sure you want to assign the %s selected record(s)? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned -YourMessage=Your message -YourMessageHasBeenReceived=Your message has been received. We will answer or contact you as soon as possible. -UrlToCheck=Url to check -Automation=Automation -CreatedByEmailCollector=Created by Email collector -CreatedByPublicPortal=Created from Public portal -UserAgent=User Agent +AddLineOnPosition=Thêm dòng vào vị trí (ở cuối nếu trống) +ConfirmAllocateCommercial=Chỉ định xác nhận đại diện bán hàng +ConfirmAllocateCommercialQuestion=Bạn có chắc chắn muốn chỉ định (các) bản ghi đã chọn %s không? +CommercialsAffected=Đại diện bán hàng được phân công +CommercialAffected=Đại diện bán hàng được phân công +YourMessage=Tin nhắn của bạn +YourMessageHasBeenReceived=Thông điệp của bạn đã được nhận. Chúng tôi sẽ trả lời hoặc liên hệ với bạn trong thời gian sớm nhất. +UrlToCheck=Url để kiểm tra +Automation=Tự động hóa +CreatedByEmailCollector=Tạo bởi Người thu thập email +CreatedByPublicPortal=Được tạo từ Cổng thông tin công cộng +UserAgent=Đại lý người dùng InternalUser=Người dùng bên trong ExternalUser=Người dùng bên ngoài -NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. -HideOnVCard=Hide %s -AddToContacts=Add address to my contacts -LastAccess=Last access -UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here -LastPasswordChangeDate=Last password change date -PublicVirtualCardUrl=Virtual business card page URL -PublicVirtualCard=Virtual business card -TreeView=Tree view -DropFileToAddItToObject=Drop a file to add it to this object -UploadFileDragDropSuccess=The file(s) have been uploaded successfully -SearchSyntaxTooltipForStringOrNum=For searching inside text fields, you can use the characters ^ or $ to make a 'start or end with' search or use the ! to make a 'does not contain' test. You can use the | between two strings instead of a space for a 'OR' condition instead of 'AND'. For numeric values, you can use the operator <, >, <=, >= or != before the value, to filter using a mathematical comparison +NoSpecificContactAddress=Không có liên hệ hoặc địa chỉ cụ thể +NoSpecificContactAddressBis=Tab này được dành riêng để buộc các liên hệ hoặc địa chỉ cụ thể cho đối tượng hiện tại. Chỉ sử dụng nó nếu bạn muốn xác định một hoặc một số liên hệ hoặc địa chỉ cụ thể cho đối tượng khi thông tin về bên thứ ba không đủ hoặc không chính xác. +HideOnVCard=Ẩn %s +AddToContacts=Thêm địa chỉ vào danh bạ của tôi +LastAccess=Truy cập lần cuối +UploadAnImageToSeeAPhotoHere=Tải hình ảnh lên từ tab %s để xem ảnh tại đây +LastPasswordChangeDate=Ngày thay đổi mật khẩu lần cuối +PublicVirtualCardUrl=URL trang danh thiếp ảo +PublicVirtualCard=danh thiếp ảo +TreeView=Chế độ xem dạng cây +DropFileToAddItToObject=Thả một tập tin để thêm nó vào đối tượng này +UploadFileDragDropSuccess=(Các) tệp đã được tải lên thành công +SearchSyntaxTooltipForStringOrNum=Để tìm kiếm bên trong các trường văn bản, bạn có thể sử dụng các ký tự ^ hoặc $ để thực hiện tìm kiếm 'bắt đầu hoặc kết thúc bằng' hoặc sử dụng ! để thực hiện kiểm tra 'không chứa'. Bạn có thể sử dụng | giữa hai chuỗi thay vì khoảng trắng cho điều kiện 'OR' thay vì 'AND'. Đối với các giá trị số, bạn có thể sử dụng toán tử <, >, <=, >= hoặc != trước giá trị, để lọc bằng phép so sánh toán học InProgress=Trong tiến trình xử lý -DateOfPrinting=Date of printing -ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. -UserNotYetValid=Not yet valid +DateOfPrinting=Ngày in +ClickFullScreenEscapeToLeave=Nhấn vào đây để chuyển sang chế độ Toàn màn hình. Nhấn ESCAPE để thoát khỏi chế độ Toàn màn hình. +UserNotYetValid=Chưa hợp lệ UserExpired=Đã hết hạn +LinkANewFile=Liên kết một tập tin / tài liệu mới +LinkedFiles=Các tập tin và tài liệu được liên kết +NoLinkFound=Không có liên kết đã đăng ký +LinkComplete=Các tập tin đã được liên kết thành công +ErrorFileNotLinked=Các tập tin không thể được liên kết +LinkRemoved=Liên kết %s đã bị xóa +ErrorFailedToDeleteLink= Không thể xóa liên kết ' %s ' +ErrorFailedToUpdateLink= Không thể cập nhật liên kết ' %s ' +URLToLink=URL để liên kết +OverwriteIfExists=Ghi đè nếu tập tin tồn tại +AmountSalary=Số tiền lương +InvoiceSubtype=Loại hóa đơn phụ +ConfirmMassReverse=Xác nhận ngược hàng loạt +ConfirmMassReverseQuestion=Bạn có chắc chắn muốn đảo ngược (các) bản ghi đã chọn %s không? + diff --git a/htdocs/langs/vi_VN/margins.lang b/htdocs/langs/vi_VN/margins.lang index f1af027c88c..afc018b9df7 100644 --- a/htdocs/langs/vi_VN/margins.lang +++ b/htdocs/langs/vi_VN/margins.lang @@ -6,6 +6,7 @@ TotalMargin=Tổng biên MarginOnProducts=Tỷ suất biên lợi nhuận / Sản phẩm MarginOnServices=Tỷ suất biên lợi nhuận / Dịch vụ MarginRate=Tỷ lệ Biên lợi nhuận +ModifyMarginRates=Sửa đổi tỷ lệ ký quỹ MarkRate=Đánh dấu tỷ lệ DisplayMarginRates=Tỷ lệ biên lợi nhuận hiển thị DisplayMarkRates=Giá đánh dấu hiển thị @@ -22,7 +23,7 @@ ProductService=Sản phẩm hoặc dịch vụ AllProducts=Tất cả các sản phẩm và dịch vụ ChooseProduct/Service=Chọn sản phẩm hoặc dịch vụ ForceBuyingPriceIfNull=Ép buộc mua/giá thành giá bán nếu không được xác định -ForceBuyingPriceIfNullDetails=If buying/cost price not provided when we add a new line, and this option is "ON", the margin will be 0%% on the new line (buying/cost price = selling price). If this option is "OFF" (recommended), margin will be equal to the value suggested by default (and may be 100%% if no default value can be found). +ForceBuyingPriceIfNullDetails=Nếu giá mua/giá vốn không được cung cấp khi chúng tôi thêm một dòng mới và tùy chọn này là "BẬT", biên độ sẽ là 0%% trên dòng mới (giá mua/giá vốn = gia ban). Nếu tùy chọn này là "TẮT" (được khuyến nghị), lề sẽ bằng giá trị được đề xuất theo mặc định (và có thể là 100%% nếu không tìm thấy giá trị mặc định nào). MARGIN_METHODE_FOR_DISCOUNT=Phương pháp biên giảm giá toàn cầu UseDiscountAsProduct=Là một sản phẩm UseDiscountAsService=Là một dịch vụ @@ -37,7 +38,7 @@ CostPrice=Giá thành UnitCharges=Phí đơn vị Charges=Phí AgentContactType=Loại liên lạc là đại lý thương mại -AgentContactTypeDetails=Xác định loại liên lạc nào (được liên kết trên hóa đơn) sẽ được sử dụng cho báo cáo lợi nhuận trên mỗi liên lạc/địa chỉ. Lưu ý rằng việc đọc số liệu thống kê về một liên lạc là không đáng tin cậy vì trong hầu hết các trường hợp, liên lạc có thể không được xác định rõ ràng trên hóa đơn. +AgentContactTypeDetails=Xác định loại liên hệ nào (được liên kết trên hóa đơn) sẽ được sử dụng cho báo cáo lợi nhuận cho mỗi liên hệ/địa chỉ. Lưu ý rằng việc đọc số liệu thống kê về một người liên hệ là không đáng tin cậy vì trong hầu hết các trường hợp, người liên hệ đó có thể không được xác định rõ ràng trên hóa đơn. rateMustBeNumeric=Tỷ giá phải là một giá trị số markRateShouldBeLesserThan100=Đánh dấu suất phải thấp hơn 100 ShowMarginInfos=Hiển thị thông tin lợi nhuận diff --git a/htdocs/langs/vi_VN/members.lang b/htdocs/langs/vi_VN/members.lang index 3df2fa66587..b00e3706df3 100644 --- a/htdocs/langs/vi_VN/members.lang +++ b/htdocs/langs/vi_VN/members.lang @@ -4,12 +4,12 @@ MemberCard=Thẻ thành viên SubscriptionCard=Thẻ đăng ký Member=Thành viên Members=Thành viên -NoRecordedMembers=No recorded members -NoRecordedMembersByType=No recorded members +NoRecordedMembers=Không có thành viên nào được ghi nhận +NoRecordedMembersByType=Không có thành viên nào được ghi nhận ShowMember=Hiển thị thẻ thành viên UserNotLinkedToMember=Người dùng không liên kết với thành viên ThirdpartyNotLinkedToMember=Bên thứ ba không liên kết với thành viên -MembersTickets=Membership address sheet +MembersTickets=Bảng địa chỉ thành viên FundationMembers=Thành viên tổ chức ListOfValidatedPublicMembers=Danh sách thành viên công khai hợp lệ ErrorThisMemberIsNotPublic=Thành viên này không công khai @@ -17,33 +17,33 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Một thành viên khác (tên: %s ErrorUserPermissionAllowsToLinksToItselfOnly=Vì lý do bảo mật, bạn phải được cấp quyền chỉnh sửa tất cả người dùng để có thể liên kết thành viên với người dùng không phải của bạn. SetLinkToUser=Liên kết với người dùng Dolibarr SetLinkToThirdParty=Liên kết với bên thứ ba Dolibarr -MemberCountersArePublic=Counters of valid members are public -MembersCards=Generation of cards for members +MemberCountersArePublic=Bộ đếm thành viên hợp lệ được công khai +MembersCards=Tạo thẻ cho thành viên MembersList=Danh sách thành viên MembersListToValid=Danh sách thành viên dự thảo (sẽ được xác nhận) MembersListValid=Danh sách thành viên hợp lệ -MembersListUpToDate=List of valid members with up-to-date contribution -MembersListNotUpToDate=List of valid members with out-of-date contribution -MembersListExcluded=List of excluded members +MembersListUpToDate=Danh sách thành viên hợp lệ có đóng góp cập nhật +MembersListNotUpToDate=Danh sách thành viên hợp lệ có đóng góp cũ +MembersListExcluded=Danh sách thành viên bị loại trừ MembersListResiliated=Danh sách thành viên bị chấm dứt MembersListQualified=Danh sách thành viên đủ điều kiện -MembersShowMembershipTypesTable=Show a table of all available membership types (if no, show directly the registration form) -MembersShowVotesAllowed=Show whether votes are allowed, in the table of membership types +MembersShowMembershipTypesTable=Hiển thị bảng tất cả các loại thành viên hiện có (nếu không, hiển thị trực tiếp mẫu đăng ký) +MembersShowVotesAllowed=Hiển thị xem có được phép bỏ phiếu hay không, trong bảng loại thành viên MenuMembersToValidate=Thành viên dự thảo MenuMembersValidated=Thành viên hợp lệ -MenuMembersExcluded=Excluded members +MenuMembersExcluded=Thành viên bị loại trừ MenuMembersResiliated=Thành viên bị chấm dứt -MembersWithSubscriptionToReceive=Members with contribution to receive -MembersWithSubscriptionToReceiveShort=Contributions to receive -DateSubscription=Date of membership -DateEndSubscription=End date of membership -EndSubscription=End of membership -SubscriptionId=Contribution ID -WithoutSubscription=Without membership -WaitingSubscription=Membership pending +MembersWithSubscriptionToReceive=Thành viên có đóng góp sẽ nhận được +MembersWithSubscriptionToReceiveShort=Những đóng góp nhận được +DateSubscription=Ngày thành viên +DateEndSubscription=Ngày kết thúc tư cách thành viên +EndSubscription=Kết thúc tư cách thành viên +SubscriptionId=ID đóng góp +WithoutSubscription=Không có thành viên +WaitingSubscription=Tư cách thành viên đang chờ xử lý WaitingSubscriptionShort=Chờ xử lý -MemberId=Member Id -MemberRef=Member Ref +MemberId=Mã thành viên +MemberRef=Giới thiệu thành viên NewMember=Thành viên mới MemberType=Loại thành viên MemberTypeId=Id Loại thành viên @@ -51,22 +51,22 @@ MemberTypeLabel=Nhãn loại thành viên MembersTypes=Loại thành viên MemberStatusDraft=Dự thảo (cần được xác nhận) MemberStatusDraftShort=Dự thảo -MemberStatusActive=Validated (waiting contribution) +MemberStatusActive=Đã xác thực (đang chờ đóng góp) MemberStatusActiveShort=Đã xác nhận -MemberStatusActiveLate=Contribution expired +MemberStatusActiveLate=Đóng góp đã hết hạn MemberStatusActiveLateShort=Đã hết hạn MemberStatusPaid=Đăng ký cập nhật MemberStatusPaidShort=Cập nhật -MemberStatusExcluded=Excluded member -MemberStatusExcludedShort=Excluded +MemberStatusExcluded=Thành viên bị loại trừ +MemberStatusExcludedShort=Đã loại trừ MemberStatusResiliated=Thành viên bị chấm dứt MemberStatusResiliatedShort=Chấm dứt MembersStatusToValid=Thành viên dự thảo -MembersStatusExcluded=Excluded members +MembersStatusExcluded=Thành viên bị loại trừ MembersStatusResiliated=Thành viên bị chấm dứt -MemberStatusNoSubscription=Validated (no contribution required) +MemberStatusNoSubscription=Đã xác thực (không cần đóng góp) MemberStatusNoSubscriptionShort=Đã xác nhận -SubscriptionNotNeeded=No contribution required +SubscriptionNotNeeded=Không cần đóng góp NewCotisation=Đóng góp mới PaymentSubscription=Thanh toán khoản đóng góp mới SubscriptionEndDate=Ngày kết thúc đăng ký của @@ -78,91 +78,91 @@ MemberTypeDeleted=Loại thành viên đã xóa MemberTypeCanNotBeDeleted=Loại thành viên không thể bị xóa NewSubscription=Đóng góp mới NewSubscriptionDesc=Biểu mẫu này cho phép bạn ghi lại đăng ký của mình như một thành viên mới của tổ chức. Nếu bạn muốn gia hạn đăng ký của mình (nếu đã là thành viên), vui lòng liên hệ với hội đồng sáng lập thay vì gửi email %s. -Subscription=Contribution -AnyAmountWithAdvisedAmount=Any amount of your choice, recommended %s -AnyAmountWithoutAdvisedAmount=Any amount of your choice -CanEditAmountShort=Any amount -CanEditAmountShortForValues=recommended, any amount +Subscription=Sự đóng góp +AnyAmountWithAdvisedAmount=Bất kỳ số tiền nào bạn chọn, đều được đề xuất %s +AnyAmountWithoutAdvisedAmount=Bất kỳ số lượng nào bạn chọn +CanEditAmountShort=Số lượng bất kỳ +CanEditAmountShortForValues=được đề nghị, bất kỳ số lượng nào MembershipDuration=Thời hạn -GetMembershipButtonLabel=Join -Subscriptions=Contributions +GetMembershipButtonLabel=Tham gia +Subscriptions=Đóng góp SubscriptionLate=Trễ -SubscriptionNotReceived=Contribution never received -ListOfSubscriptions=List of contributions +SubscriptionNotReceived=Đóng góp không bao giờ nhận được +ListOfSubscriptions=Danh sách đóng góp SendCardByMail=Gửi thẻ qua email AddMember=Tạo thành viên NoTypeDefinedGoToSetup=Không có loại thành viên được xác định. Tới menu "Thành viên loại" NewMemberType=Loại thành viên mới WelcomeEMail=Email chào mừng -SubscriptionRequired=Contribution required -SubscriptionRequiredDesc=If subscription is required, a subscription with a start or end date must be recorded to have the member up to date (whatever is subscription amount, even if subscription is free). +SubscriptionRequired=Yêu cầu đóng góp +SubscriptionRequiredDesc=Nếu cần đăng ký, đăng ký có ngày bắt đầu hoặc ngày kết thúc phải được ghi lại để thành viên được cập nhật (bất kể số lượng đăng ký là bao nhiêu, ngay cả khi đăng ký là miễn phí). DeleteType=Xóa VoteAllowed=Bình chọn cho phép -Physical=Individual -Moral=Corporation -MorAndPhy=Corporation and Individual -Reenable=Re-Enable -ExcludeMember=Exclude a member -Exclude=Exclude -ConfirmExcludeMember=Are you sure you want to exclude this member ? +Physical=Cá nhân +Moral=Tập đoàn +MorAndPhy=Tập đoàn và cá nhân +Reenable=Kích hoạt lại +ExcludeMember=Loại trừ một thành viên +Exclude=Loại trừ +ConfirmExcludeMember=Bạn có chắc chắn muốn loại trừ thành viên này? ResiliateMember=Chấm dứt thành viên ConfirmResiliateMember=Bạn có chắc chắn muốn chấm dứt thành viên này? DeleteMember=Xóa thành viên -ConfirmDeleteMember=Are you sure you want to delete this member (Deleting a member will delete all his contributions)? +ConfirmDeleteMember=Bạn có chắc chắn muốn xóa thành viên này (Xóa một thành viên sẽ xóa tất cả những đóng góp của anh ấy)? DeleteSubscription=Xóa đăng ký -ConfirmDeleteSubscription=Are you sure you want to delete this contribution? +ConfirmDeleteSubscription=Bạn có chắc chắn muốn xóa đóng góp này? Filehtpasswd=tập tin htpasswd ValidateMember=Xác nhận một thành viên ConfirmValidateMember=Bạn có chắc chắn muốn xác nhận thành viên này? FollowingLinksArePublic=Các liên kết sau đây là các trang mở không được bảo vệ bởi bất kỳ sự cho phép của Dolibarr. Chúng không phải là các trang được định dạng, được cung cấp làm ví dụ để hiển thị cách liệt kê cơ sở dữ liệu thành viên. PublicMemberList=Danh sách thành viên công khai -BlankSubscriptionForm=Public self-registration form +BlankSubscriptionForm=Mẫu tự đăng ký công khai BlankSubscriptionFormDesc=Dolibarr có thể cung cấp cho bạn một URL / trang web công khai để cho phép khách truy cập bên ngoài yêu cầu đăng ký vào nền tảng. Nếu một mô-đun thanh toán trực tuyến được bật, một hình thức thanh toán cũng có thể được cung cấp tự động. EnablePublicSubscriptionForm=Cho phép trang web công cộng với biểu mẫu tự đăng ký ForceMemberType=Ép buộc loại thành viên -ExportDataset_member_1=Members and contributions +ExportDataset_member_1=Thành viên và đóng góp ImportDataset_member_1=Thành viên LastMembersModified=Thành viên sửa đổi mới nhất %s -LastSubscriptionsModified=Latest %s modified contributions +LastSubscriptionsModified=Đóng góp được sửa đổi %s mới nhất String=Chuỗi Text=Chữ Int=Số DateAndTime=Ngày và thời gian PublicMemberCard=Thẻ thành viên công khai -SubscriptionNotRecorded=Contribution not recorded -AddSubscription=Create contribution -ShowSubscription=Show contribution +SubscriptionNotRecorded=Đóng góp không được ghi lại +AddSubscription=Tạo đóng góp +ShowSubscription=Hiển thị đóng góp # Label of email templates SendingAnEMailToMember=Gửi email thông tin cho thành viên SendingEmailOnAutoSubscription=Gửi email để đăng ký tự động SendingEmailOnMemberValidation=Gửi email để xác nhận thành viên mới -SendingEmailOnNewSubscription=Sending email on new contribution -SendingReminderForExpiredSubscription=Sending reminder for expired contributions +SendingEmailOnNewSubscription=Gửi email về đóng góp mới +SendingReminderForExpiredSubscription=Gửi lời nhắc về những đóng góp đã hết hạn SendingEmailOnCancelation=Gửi email khi hủy -SendingReminderActionComm=Sending reminder for agenda event +SendingReminderActionComm=Gửi lời nhắc cho sự kiện chương trình nghị sự # Topic of email templates YourMembershipRequestWasReceived=Tư cách thành viên của bạn đã được nhận. YourMembershipWasValidated=Tư cách thành viên của bạn đã được xác nhận -YourSubscriptionWasRecorded=Your new contribution was recorded -SubscriptionReminderEmail=contribution reminder +YourSubscriptionWasRecorded=Đóng góp mới của bạn đã được ghi lại +SubscriptionReminderEmail=nhắc nhở đóng góp YourMembershipWasCanceled=Tư cách thành viên của bạn đã bị hủy CardContent=Nội dung thẻ thành viên của bạn # Text of email templates ThisIsContentOfYourMembershipRequestWasReceived=Chúng tôi muốn cho bạn biết rằng yêu cầu thành viên của bạn đã được nhận.

      ThisIsContentOfYourMembershipWasValidated=Chúng tôi muốn cho bạn biết rằng tư cách thành viên của bạn đã được xác nhận với các thông tin sau:

      -ThisIsContentOfYourSubscriptionWasRecorded=We want to let you know that your new subscription was recorded. Please find your invoice here enclosed.

      +ThisIsContentOfYourSubscriptionWasRecorded=Chúng tôi muốn cho bạn biết rằng đăng ký mới của bạn đã được ghi lại. Vui lòng xem hóa đơn của bạn được đính kèm ở đây.

      ThisIsContentOfSubscriptionReminderEmail=Chúng tôi muốn cho bạn biết rằng đăng ký của bạn sắp hết hạn hoặc đã hết hạn (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). Chúng tôi hy vọng bạn sẽ làm mới nó.

      ThisIsContentOfYourCard=Đây là một bản tóm tắt các thông tin chúng tôi có về bạn. Vui lòng liên hệ với chúng tôi nếu bất cứ điều gì là không chính xác.

      DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Chủ đề của email thông báo nhận được trong trường hợp tự động đăng ký của khách DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Nội dung của email thông báo nhận được trong trường hợp tự động đăng ký của khách -DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Email template to use to send email to a member on member auto-registration +DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Mẫu email dùng để gửi email cho thành viên khi đăng ký tự động thành viên DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Mẫu email để sử dụng để gửi email cho thành viên khi xác nhận thành viên -DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Email template to use to send email to a member on new contribution recording -DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Email template to use to send email reminder when contribution is about to expire -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Mẫu email để sử dụng để gửi email cho thành viên khi hủy thành viên -DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Email template to use to send email to a member on member exclusion +DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Mẫu email dùng để gửi email cho thành viên khi ghi lại đóng góp mới +DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Mẫu email dùng để gửi email nhắc nhở khi đóng góp sắp hết hạn +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Mẫu email dùng để gửi email cho thành viên khi hủy thành viên +DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Mẫu email dùng để gửi email cho thành viên về việc loại trừ thành viên DescADHERENT_MAIL_FROM=Email người gửi cho gửi email tự động -DescADHERENT_CC_MAIL_FROM=Send automatic email copy to +DescADHERENT_CC_MAIL_FROM=Gửi bản sao email tự động tới DescADHERENT_ETIQUETTE_TYPE=Định dạng của trang nhãn DescADHERENT_ETIQUETTE_TEXT=Văn bản in trên tờ địa chỉ thành viên DescADHERENT_CARD_TYPE=Định dạng của trang thẻ @@ -172,72 +172,75 @@ DescADHERENT_CARD_TEXT_RIGHT=Văn bản được in trên thẻ thành viên (c DescADHERENT_CARD_FOOTER_TEXT=Văn bản được in ở dưới cùng của thẻ thành viên ShowTypeCard=Hiển thị loại '%s' HTPasswordExport=tạo tập tin htpassword -NoThirdPartyAssociatedToMember=No third party associated with this member -MembersAndSubscriptions=Members and Contributions +NoThirdPartyAssociatedToMember=Không có bên thứ ba liên kết với thành viên này +MembersAndSubscriptions=Thành viên và đóng góp MoreActions=Hành động bổ sung ghi lại -MoreActionsOnSubscription=Complementary action suggested by default when recording a contribution, also done automatially on online payment of a contribution +MoreActionsOnSubscription=Hành động bổ sung được đề xuất theo mặc định khi ghi lại đóng góp, cũng được thực hiện tự động trên thanh toán trực tuyến của đóng góp MoreActionBankDirect=Tạo một mục nhập trực tiếp vào tài khoản ngân hàng MoreActionBankViaInvoice=Tạo hóa đơn và thanh toán trên tài khoản ngân hàng MoreActionInvoiceOnly=Tạo hóa đơn không thanh toán -LinkToGeneratedPages=Generation of business cards or address sheets +LinkToGeneratedPages=Tạo danh thiếp hoặc bảng địa chỉ LinkToGeneratedPagesDesc=Màn hình này cho phép bạn tạo các tệp PDF bằng danh thiếp cho tất cả các thành viên hoặc một thành viên cụ thể. DocForAllMembersCards=Tạo danh thiếp cho tất cả các thành viên DocForOneMemberCards=Tạo danh thiếp cho một thành viên cụ thể DocForLabels=Tạo tờ địa chỉ -SubscriptionPayment=Contribution payment -LastSubscriptionDate=Date of latest contribution payment -LastSubscriptionAmount=Amount of latest contribution -LastMemberType=Last Member type +SubscriptionPayment=Đóng góp thanh toán +LastSubscriptionDate=Ngày đóng góp mới nhất thanh toán +LastSubscriptionAmount=Số tiền đóng góp mới nhất +LastMemberType=Loại thành viên cuối cùng MembersStatisticsByCountries=Thống kê thành viên theo quốc gia MembersStatisticsByState=Thống kê thành viên theo tiểu bang / tỉnh MembersStatisticsByTown=Thống kê thành viên theo thị trấn MembersStatisticsByRegion=Thống kê thành viên theo khu vực -NbOfMembers=Total number of members -NbOfActiveMembers=Total number of current active members +NbOfMembers=Tổng số thành viên +NbOfActiveMembers=Tổng số thành viên đang hoạt động hiện tại NoValidatedMemberYet=Không có thành viên đã xác nhận tìm thấy -MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. -MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics of members by town. -MembersByNature=This screen show you statistics of members by nature. -MembersByRegion=This screen show you statistics of members by region. +MembersByCountryDesc=Màn hình này hiển thị cho bạn số liệu thống kê về thành viên theo quốc gia. Đồ thị và biểu đồ phụ thuộc vào tính khả dụng của dịch vụ biểu đồ trực tuyến của Google cũng như tính khả dụng của kết nối Internet đang hoạt động. +MembersByStateDesc=Màn hình này hiển thị cho bạn số liệu thống kê về thành viên theo tiểu bang/tỉnh/bang. +MembersByTownDesc=Màn hình này hiển thị cho bạn số liệu thống kê về thành viên theo thị trấn. +MembersByNature=Màn hình này hiển thị cho bạn số liệu thống kê về các thành viên theo bản chất. +MembersByRegion=Màn hình này hiển thị cho bạn số liệu thống kê về thành viên theo khu vực. MembersStatisticsDesc=Chọn thống kê mà bạn muốn đọc ... MenuMembersStats=Thống kê -LastMemberDate=Latest membership date -LatestSubscriptionDate=Latest contribution date -MemberNature=Nature of the member -MembersNature=Nature of the members -Public=%s can publish my membership in the public register +LastMemberDate=Ngày thành viên mới nhất +LatestSubscriptionDate=Ngày đóng góp mới nhất +MemberNature=Bản chất của thành viên +MembersNature=Bản chất của các thành viên +Public=%s có thể công bố tư cách thành viên của tôi trong danh sách công khai +MembershipPublic=Thành viên công cộng NewMemberbyWeb=Thành viên mới được thêm vào. Chờ phê duyệt NewMemberForm=Hình thức thành viên mới -SubscriptionsStatistics=Contributions statistics -NbOfSubscriptions=Number of contributions -AmountOfSubscriptions=Amount collected from contributions +SubscriptionsStatistics=Thống kê đóng góp +NbOfSubscriptions=Số lượng đóng góp +AmountOfSubscriptions=Số tiền thu được từ đóng góp TurnoverOrBudget=Doanh thu (cho một công ty) hoặc Ngân sách (cho một tổ chức) -DefaultAmount=Default amount of contribution (used only if no amount is defined at member type level) -MinimumAmount=Minimum amount (used only when contribution amount is free) -CanEditAmount=Subscription amount can be defined by the member -CanEditAmountDetail=Visitor can choose/edit amount of its contribution regardless of the member type -AmountIsLowerToMinimumNotice=sur un dû total de %s -MEMBER_NEWFORM_PAYONLINE=After the online registration, switch automatically on the online payment page +DefaultAmount=Số tiền đóng góp mặc định (chỉ được sử dụng nếu không có số tiền nào được xác định ở cấp loại thành viên) +MinimumAmount=Số tiền tối thiểu (chỉ được sử dụng khi số tiền đóng góp là miễn phí) +CanEditAmount=Số tiền đăng ký có thể được xác định bởi thành viên +CanEditAmountDetail=Khách truy cập có thể chọn/chỉnh sửa số tiền đóng góp của mình bất kể loại thành viên +AmountIsLowerToMinimumNotice=Số tiền thấp hơn mức tối thiểu %s +MEMBER_NEWFORM_PAYONLINE=Sau khi đăng ký trực tuyến, tự động chuyển sang trang thanh toán trực tuyến ByProperties=Theo bản chất tự nhiên MembersStatisticsByProperties=Thống kê thành viên theo bản chất -VATToUseForSubscriptions=VAT rate to use for contributionss -NoVatOnSubscription=No VAT for contributions -ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for contribution line into invoice: %s +VATToUseForSubscriptions=Thuế suất VAT được sử dụng để đóng góp +NoVatOnSubscription=Không có VAT cho các khoản đóng góp +ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Sản phẩm dùng cho dòng đóng góp vào hóa đơn: %s NameOrCompany=Tên hoặc công ty -SubscriptionRecorded=Contribution recorded +SubscriptionRecorded=Đóng góp được ghi lại NoEmailSentToMember=Không có email gửi đến thành viên EmailSentToMember=Email được gửi đến thành viên tại %s -SendReminderForExpiredSubscriptionTitle=Send reminder by email for expired contributions -SendReminderForExpiredSubscription=Send reminder by email to members when contribution is about to expire (parameter is number of days before end of membership to send the remind. It can be a list of days separated by a semicolon, for example '10;5;0;-5') +SendReminderForExpiredSubscriptionTitle=Gửi lời nhắc qua email cho những đóng góp đã hết hạn +SendReminderForExpiredSubscription=Gửi lời nhắc qua email tới các thành viên khi đóng góp sắp hết hạn (tham số là số ngày trước khi kết thúc tư cách thành viên để gửi lời nhắc. Có thể là danh sách các ngày cách nhau bằng dấu chấm phẩy, ví dụ '10;5;0;-5 ') MembershipPaid=Tư cách thành viên đã trả tiền cho kỳ hiện tại (cho đến khi %s) YouMayFindYourInvoiceInThisEmail=Bạn có thể tìm thấy hóa đơn của bạn được đính kèm với email này XMembersClosed=%s (các) thành viên đã đóng -XExternalUserCreated=%s external user(s) created -ForceMemberNature=Force member nature (Individual or Corporation) -CreateDolibarrLoginDesc=The creation of a user login for members allows them to connect to the application. Depending on the authorizations granted, they will be able, for example, to consult or modify their file themselves. -CreateDolibarrThirdPartyDesc=A thirdparty is the legal entity that will be used on the invoice if you decide to generate invoice for each contribution. You will be able to create it later during the process of recording the contribution. -MemberFirstname=Member firstname -MemberLastname=Member lastname -MemberCodeDesc=Member Code, unique for all members -NoRecordedMembers=No recorded members +XExternalUserCreated=Đã tạo %s người dùng bên ngoài +ForceMemberNature=Tính chất thành viên lực lượng (Cá nhân hoặc Tập đoàn) +CreateDolibarrLoginDesc=Việc tạo thông tin đăng nhập người dùng cho các thành viên cho phép họ kết nối với ứng dụng. Tùy thuộc vào sự ủy quyền được cấp, ví dụ, họ sẽ có thể tự tham khảo hoặc sửa đổi tệp của mình. +CreateDolibarrThirdPartyDesc=Bên thứ ba là pháp nhân sẽ được sử dụng trên hóa đơn nếu bạn quyết định tạo hóa đơn cho mỗi khoản đóng góp. Bạn sẽ có thể tạo nó sau này trong quá trình ghi lại đóng góp. +MemberFirstname=Tên thành viên +MemberLastname=Họ của thành viên +MemberCodeDesc=Mã thành viên, duy nhất cho tất cả thành viên +NoRecordedMembers=Không có thành viên nào được ghi nhận +MemberSubscriptionStartFirstDayOf=Ngày bắt đầu tư cách thành viên tương ứng với ngày đầu tiên của +MemberSubscriptionStartAfter=Khoảng thời gian tối thiểu trước khi ngày bắt đầu đăng ký có hiệu lực, ngoại trừ gia hạn (ví dụ +3 tháng = +3 tháng, -5d = -5 ngày, +1Y = +1 năm) diff --git a/htdocs/langs/vi_VN/modulebuilder.lang b/htdocs/langs/vi_VN/modulebuilder.lang index 6a816485bbb..b569c69e950 100644 --- a/htdocs/langs/vi_VN/modulebuilder.lang +++ b/htdocs/langs/vi_VN/modulebuilder.lang @@ -1,19 +1,19 @@ # Dolibarr language file - Source file is en_US - loan -IdModule= Module id -ModuleBuilderDesc=This tool must be used only by experienced users or developers. It provides utilities to build or edit your own module. Documentation for alternative manual development is here. -EnterNameOfModuleDesc=Enter the name of the module/application to create with no spaces. Use uppercase to separate words (For example: MyModule, EcommerceForShop, SyncWithMySystem...) -EnterNameOfObjectDesc=Enter the name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, the pages to list/add/edit/delete the object and the SQL files will be generated. -EnterNameOfDictionaryDesc=Enter the name of the dictionary to create with no spaces. Use uppercase to separate words (For example: MyDico...). The class file, but also the SQL file will be generated. +IdModule= Id mô-đun +ModuleBuilderDesc=Công cụ này chỉ được sử dụng bởi người dùng hoặc nhà phát triển có kinh nghiệm. Nó cung cấp các tiện ích để xây dựng hoặc chỉnh sửa mô-đun của riêng bạn. Tài liệu về cách phát triển thủ công thay thế có tại đây. +EnterNameOfModuleDesc=Nhập tên module/ứng dụng cần tạo không có dấu cách. Sử dụng chữ hoa để phân tách các từ (Ví dụ: MyModule, EcommerceForShop, SyncWithMySystem...) +EnterNameOfObjectDesc=Nhập tên đối tượng cần tạo không có dấu cách. Dùng chữ hoa để phân cách các từ (Ví dụ: MyObject, Sinh viên, Giáo viên...). Tệp lớp CRUD, các trang cần liệt kê/thêm/chỉnh sửa/xóa đối tượng và các tệp SQL sẽ được tạo. +EnterNameOfDictionaryDesc=Nhập tên từ điển cần tạo không có dấu cách. Dùng chữ hoa để phân cách các từ (Ví dụ: MyDico...). Tệp lớp cũng như tệp SQL sẽ được tạo. ModuleBuilderDesc2=Đường dẫn nơi các mô-đun được tạo/chỉnh sửa (thư mục đầu tiên cho các mô-đun bên ngoài được xác định vào %s): %s ModuleBuilderDesc3=Các mô-đun được tạo / chỉnh sửa được tìm thấy: %s -ModuleBuilderDesc4=A module is detected as a 'module for Module Builer' when the file %s exists in the root of the module directory +ModuleBuilderDesc4=Một mô-đun được phát hiện là 'mô-đun dành cho Trình tạo mô-đun' khi tệp %s tồn tại trong thư mục gốc của mô-đun NewModule=Mô-đun mới NewObjectInModulebuilder=Đối tượng mới -NewDictionary=New dictionary -ModuleName=Module name +NewDictionary=Từ điển mới +ModuleName=Tên mô-đun ModuleKey=Khóa mô-đun ObjectKey=Khóa đối tượng -DicKey=Dictionary key +DicKey=Chìa khóa từ điển ModuleInitialized=Mô-đun được khởi tạo FilesForObjectInitialized=Các tệp cho đối tượng mới '%s' được khởi tạo FilesForObjectUpdated=Các tệp cho đối tượng '%s' được cập nhật (tệp .sql và tệp .class.php) @@ -28,39 +28,40 @@ ModuleBuilderDescwidgets=Tab này được dành riêng để quản lý/xây d ModuleBuilderDescbuildpackage=Bạn có thể tạo ở đây một gói tệp "sẵn sàng để phân phối" (tệp .zip được chuẩn hóa) của mô-đun của bạn và tệp tài liệu "sẵn sàng phân phối". Chỉ cần nhấp vào nút để xây dựng gói hoặc tập tin tài liệu. EnterNameOfModuleToDeleteDesc=Bạn có thể xóa mô-đun của bạn. CẢNH BÁO: Tất cả các tệp mã hóa của mô-đun (được tạo hoặc tạo thủ công) VÀ cấu trúc dữ liệu và tài liệu có cấu trúc sẽ bị xóa! EnterNameOfObjectToDeleteDesc=Bạn có thể xóa một đối tượng. CẢNH BÁO: Tất cả các tệp mã hóa (được tạo hoặc tạo thủ công) liên quan đến đối tượng sẽ bị xóa! +EnterNameOfObjectToDeleteDesc=Bạn có thể xóa một đối tượng. CẢNH BÁO: Tất cả các tệp mã hóa (được tạo hoặc tạo thủ công) liên quan đến đối tượng sẽ bị xóa! DangerZone=Khu vực nguy hiểm BuildPackage=Xây dựng gói BuildPackageDesc=Bạn có thể tạo gói zip của ứng dụng để bạn sẵn sàng phân phối nó trên bất kỳ Dolibarr nào. Bạn cũng có thể phân phối hoặc bán nó trên thị trường như DoliStore.com . BuildDocumentation=Xây dựng tài liệu -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here +ModuleIsNotActive=Mô-đun này chưa được kích hoạt. Đi tới %s để phát trực tiếp hoặc nhấp vào đây ModuleIsLive=Mô-đun này đã được kích hoạt. Bất kỳ thay đổi có thể phá vỡ một tính năng sống hiện tại. DescriptionLong=Mô tả dài EditorName=Tên biên tập viên EditorUrl=URL của biên tập viên DescriptorFile=Tập tin mô tả của mô-đun ClassFile=Tệp cho lớp CRUD PHP DAO -ApiClassFile=Tệp cho lớp API PHP +ApiClassFile=Tệp API của mô-đun PageForList=Trang PHP cho danh sách các bản ghi PageForCreateEditView=Trang PHP để tạo/chỉnh sửa/xem bản ghi PageForAgendaTab=Trang PHP cho tab sự kiện PageForDocumentTab=Trang PHP cho tab tài liệu PageForNoteTab=Trang PHP cho tab ghi chú -PageForContactTab=PHP page for contact tab +PageForContactTab=Trang PHP cho tab liên hệ PathToModulePackage=Đường dẫn đến zip của gói mô-đun/ứng dụng PathToModuleDocumentation=Đường dẫn đến tệp tài liệu mô-đun/ứng dụng (%s) SpaceOrSpecialCharAreNotAllowed=Khoảng trắng hoặc ký tự đặc biệt không được phép. FileNotYetGenerated=Tệp chưa được tạo -GenerateCode=Generate code +GenerateCode=Tạo mã RegenerateClassAndSql=Ép buộc cập nhật các tập tin .class và .sql RegenerateMissingFiles=Tạo tập tin bị thiếu SpecificationFile=Tập tin tài liệu LanguageFile=Tập tin cho ngôn ngữ ObjectProperties=Thuộc tính đối tượng -Property=Propery -PropertyDesc=A property is an attribute that characterizes an object. This attribute has a code, a label and a type with several options. +Property=Tài sản +PropertyDesc=Thuộc tính là một thuộc tính đặc trưng cho một đối tượng. Thuộc tính này có mã, nhãn và loại với một số tùy chọn. ConfirmDeleteProperty=Bạn có chắc chắn muốn xóa thuộc tính %s ? Điều này sẽ thay đổi mã trong lớp PHP nhưng cũng loại bỏ cột khỏi bảng định nghĩa của đối tượng. NotNull=Không NULL -NotNullDesc=1=Set database to NOT NULL, 0=Allow null values, -1=Allow null values by forcing value to NULL if empty ('' or 0) +NotNullDesc=1=Đặt cơ sở dữ liệu thành NOT NULL, 0=Cho phép giá trị null, -1=Cho phép giá trị null bằng cách buộc giá trị về NULL nếu trống ('' hoặc 0) SearchAll=Được sử dụng cho 'tìm kiếm tất cả' DatabaseIndex=Chỉ mục cơ sở dữ liệu FileAlreadyExists=Tệp %s đã tồn tại @@ -70,7 +71,7 @@ ArrayOfKeyValues=Mảng Khóa và Giá trị ArrayOfKeyValuesDesc=Mảng Khóa và Giá trị nếu trường là danh sách kết hợp với giá trị cố định WidgetFile=Tập tin widget CSSFile=Tệp CSS -JSFile=Tập tin Javascript +JSFile=tập tin JavaScript ReadmeFile=Tập tin Readme ChangeLog=Tệp tin ChangeLog TestClassFile=Tệp cho lớp PHP Unit Test @@ -86,16 +87,16 @@ IsAMeasure=Là một phép do DirScanned=Thư mục được quét NoTrigger=Không trigger NoWidget=Không có widget -ApiExplorer=API explorer +ApiExplorer=Trình khám phá API ListOfMenusEntries=Danh sách các mục menu ListOfDictionariesEntries=Danh sách các mục từ điển ListOfPermissionsDefined=Danh sách các quyền được định nghĩa SeeExamples=Xem ví dụ ở đây -EnabledDesc=Condition to have this field active.

      Examples:
      1
      isModEnabled('MAIN_MODULE_MYMODULE')
      getDolGlobalString('MYMODULE_OPTION')==2 -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update).

      Using a negative value means field is not shown by default on list but can be selected for viewing). -ItCanBeAnExpression=It can be an expression. Example:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user->hasRight('holiday', 'define_holiday')?1:5 -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
      For document :
      0 = not displayed
      1 = display
      2 = display only if not empty

      For document lines :
      0 = not displayed
      1 = displayed in a column
      3 = display in line description column after the description
      4 = display in description column after the description only if not empty -DisplayOnPdf=On PDF +EnabledDesc=Điều kiện để trường này hoạt động.

      Ví dụ:
      1
      isModEnabled('anothermodule')
      getDolGlobalString('MYMODULE_OPTION')==2 +VisibleDesc=Trường có hiển thị không? (Ví dụ: 0=Không bao giờ hiển thị, 1=Hiển thị trên danh sách và tạo/cập nhật/xem biểu mẫu, 2=Chỉ hiển thị trên danh sách, 3=Chỉ hiển thị trên biểu mẫu tạo/cập nhật/xem (không hiển thị trên danh sách), 4=Hiển thị trên danh sách và chỉ cập nhật/xem biểu mẫu (không tạo), 5=Chỉ hiển thị trên danh sách và xem biểu mẫu (không tạo, không cập nhật).

      Sử dụng giá trị âm có nghĩa là trường không được hiển thị theo mặc định trong danh sách nhưng có thể được chọn để xem). +ItCanBeAnExpression=Nó có thể là một biểu hiện. Ví dụ:
      preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
      $user ->hasRight('nghỉ lễ', 'define_holiday')?1:5 +DisplayOnPdfDesc=Hiển thị trường này trên các tài liệu PDF tương thích, bạn có thể quản lý vị trí bằng trường "Vị trí".
      Đối với tài liệu :
      0 = không hiển thị
      1 = hiển thị
      2 = chỉ hiển thị nếu không trống

      Đối với các dòng tài liệu :
      0 = không hiển thị
      1 = hiển thị trong một cột
      3 = hiển thị trong cột mô tả dòng sau mô tả
      4 = hiển thị trong cột mô tả sau mô tả chỉ khi không trống +DisplayOnPdf=Trên PDF IsAMeasureDesc=Giá trị của trường có thể được tích lũy để có được tổng số vào danh sách không? (Ví dụ: 1 hoặc 0) SearchAllDesc=Là trường được sử dụng để thực hiện tìm kiếm từ công cụ tìm kiếm nhanh? (Ví dụ: 1 hoặc 0) SpecDefDesc=Nhập vào đây tất cả tài liệu bạn muốn cung cấp với mô-đun chưa được xác định bởi các tab khác. Bạn có thể sử dụng .md hoặc tốt hơn, cú pháp .asciidoc đầy đủ. @@ -103,11 +104,11 @@ LanguageDefDesc=Nhập vào tệp này, tất cả khóa và bản dịch cho t MenusDefDesc=Định nghĩa ở đây các menu được cung cấp bởi mô-đun của bạn DictionariesDefDesc=Định nghĩa ở đây các từ điển được cung cấp bởi mô-đun của bạn PermissionsDefDesc=Định nghĩa ở đây các quyền mới được cung cấp bởi mô-đun của bạn -MenusDefDescTooltip=The menus provided by your module/application are defined into the array $this->menus into the module descriptor file. You can edit manually this file or use the embedded editor.

      Note: Once defined (and the module re-activated), the menus are also visible into the menu editor available to administrator users on %s. +MenusDefDescTooltip=Các menu do mô-đun/ứng dụng của bạn cung cấp được xác định thành mảng $this->menus trong tệp mô tả mô-đun. Bạn có thể chỉnh sửa tệp này theo cách thủ công hoặc sử dụng trình chỉnh sửa được nhúng.

      Lưu ý: Sau khi xác định (và mô-đun được kích hoạt lại) , các menu cũng hiển thị trong trình chỉnh sửa menu dành cho người dùng quản trị viên trên %s. DictionariesDefDescTooltip=Các từ điển được cung cấp bởi mô-đun / ứng dụng của bạn được định nghĩa trong mảng $this->dictionaries vào tệp mô tả mô-đun. Bạn có thể chỉnh sửa thủ công tệp này hoặc sử dụng trình chỉnh sửa được nhúng.

      Lưu ý: Sau khi được định nghĩa (và kích hoạt lại mô-đun), từ điển cũng được hiển thị trong khu vực thiết lập cho người dùng quản trị viên trên %s. PermissionsDefDescTooltip=Các quyền được cung cấp bởi mô-đun / ứng dụng của bạn được định nghĩa trong mảng $this->rights vào tệp mô tả mô-đun. Bạn có thể chỉnh sửa thủ công tệp này hoặc sử dụng trình chỉnh sửa được nhúng.

      Lưu ý: Sau khi được định nghĩa (và kích hoạt lại mô-đun), các quyền được hiển thị trong thiết lập quyền mặc định %s. -HooksDefDesc=Định nghĩa trong thuộc tính module_parts ['hook'] , trong mô tả mô-đun, ngữ cảnh của các hook bạn muốn quản lý (có thể tìm thấy danh sách các ngữ cảnh bằng cách tìm kiếm trên ' initHooks ( ' trong mã lõi).
      Chỉnh sửa tệp hook để thêm mã của các hàm hooked của bạn (có thể tìm thấy các hàm hookable bằng cách tìm kiếm trên ' execHooks ' trong mã lõi). -TriggerDefDesc=Define in the trigger file the code that you want to execute when a business event external to your module is executed (events triggered by other modules). +HooksDefDesc=Xác định trong thuộc tính module_parts['hooks'], trong tệp mô tả mô-đun, danh sách các ngữ cảnh khi hook của bạn phải được thực thi (có thể tìm thấy danh sách các ngữ cảnh có thể bằng cách tìm kiếm trên 'initHooks(' trong mã lõi) .
      Sau đó, chỉnh sửa tệp có mã hook với mã của các hàm được hook của bạn (bạn có thể tìm thấy danh sách các hàm có thể hook bằng cách tìm kiếm trên ' executeHooks' trong mã lõi). +TriggerDefDesc=Xác định trong tệp kích hoạt mã mà bạn muốn thực thi khi một sự kiện kinh doanh bên ngoài mô-đun của bạn được thực thi (các sự kiện được kích hoạt bởi các mô-đun khác). SeeIDsInUse=Xem ID được sử dụng trong cài đặt của bạn SeeReservedIDsRangeHere=Xem phạm vi ID dành riêng ToolkitForDevelopers=Bộ công cụ dành cho nhà phát triển Dolibarr @@ -115,11 +116,11 @@ TryToUseTheModuleBuilder=Nếu bạn có kiến thức về SQL và PHP, bạn c SeeTopRightMenu=Xem trên menu bên phải AddLanguageFile=Thêm tập tin ngôn ngữ YouCanUseTranslationKey=Bạn có thể sử dụng ở đây một khóa là khóa dịch được tìm thấy trong tệp ngôn ngữ (xem tab "Ngôn ngữ") -DropTableIfEmpty=(Destroy table if empty) +DropTableIfEmpty=(Hủy bảng nếu trống) TableDoesNotExists=Bảng %s không tồn tại TableDropped=Bảng %s đã bị xóa InitStructureFromExistingTable=Xây dựng cấu trúc mảng chuỗi của một bảng hiện có -UseAboutPage=Do not generate the About page +UseAboutPage=Không tạo trang Giới thiệu UseDocFolder=Vô hiệu hóa thư mục tài liệu UseSpecificReadme=Sử dụng một ReadMe cụ thể ContentOfREADMECustomized=Lưu ý: Nội dung của tệp README.md đã được thay thế bằng giá trị cụ thể được định nghĩa trong thiết lập ModuleBuilder. @@ -127,7 +128,7 @@ RealPathOfModule=Đường dẫn thực của mô-đun ContentCantBeEmpty=Nội dung của tệp không thể để trống WidgetDesc=Bạn có thể tạo và chỉnh sửa ở đây các widget sẽ được nhúng với mô-đun của bạn. CSSDesc=Bạn có thể tạo và chỉnh sửa ở đây một tệp có CSS đã cá nhân hóa được nhúng với mô-đun của bạn. -JSDesc=Bạn có thể tạo và chỉnh sửa ở đây một tệp có Javascript được cá nhân hóa được nhúng với mô-đun của bạn. +JSDesc=Bạn có thể tạo và chỉnh sửa tại đây một tệp có JavaScript được cá nhân hóa được nhúng trong mô-đun của bạn. CLIDesc=Bạn có thể tạo ở đây một số tập lệnh dòng lệnh bạn muốn cung cấp với mô-đun của mình. CLIFile=Tệp CLI NoCLIFile=Không có tệp CLI @@ -136,44 +137,49 @@ UseSpecificEditorURL = Sử dụng một URL biên tập cụ thể UseSpecificFamily = Sử dụng một họ cụ thể UseSpecificAuthor = Sử dụng một tác giả cụ thể UseSpecificVersion = Sử dụng một phiên bản mở đầu cụ thể -IncludeRefGeneration=The reference of this object must be generated automatically by custom numbering rules -IncludeRefGenerationHelp=Check this if you want to include code to manage the generation of the reference automatically using custom numbering rules -IncludeDocGeneration=I want the feature to generate some documents (PDF, ODT) from templates for this object +IncludeRefGeneration=Tham chiếu của đối tượng này phải được tạo tự động theo quy tắc đánh số tùy chỉnh +IncludeRefGenerationHelp=Chọn tùy chọn này nếu bạn muốn bao gồm mã để tự động quản lý việc tạo tham chiếu bằng cách sử dụng quy tắc đánh số tùy chỉnh +IncludeDocGeneration=Tôi muốn tính năng này tạo ra một số tài liệu (PDF, ODT) từ các mẫu cho đối tượng này IncludeDocGenerationHelp=Nếu bạn kiểm tra điều này, một số mã sẽ được tạo để thêm hộp "Tạo tài liệu" trong hồ sơ. -ShowOnCombobox=Show value into combo boxes +ShowOnCombobox=Hiển thị giá trị vào hộp tổ hợp KeyForTooltip=Khóa cho tooltip -CSSClass=CSS for edit/create form -CSSViewClass=CSS for read form -CSSListClass=CSS for list +CSSClass=CSS để chỉnh sửa/tạo biểu mẫu +CSSViewClass=CSS cho dạng đọc +CSSListClass=CSS cho danh sách NotEditable=Không thể chỉnh sửa ForeignKey=Khóa ngoại -ForeignKeyDesc=If the value of this field must be guaranted to exists into another table. Enter here a value matching syntax: tablename.parentfieldtocheck -TypeOfFieldsHelp=Example:
      varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
      '1' means we add a + button after the combo to create the record
      'filter' is a sql condition, example: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' -TypeOfFieldsHelpIntro=This is the type of the field/attribute. +ForeignKeyDesc=Nếu giá trị của trường này phải đảm bảo tồn tại ở bảng khác. Nhập vào đây cú pháp khớp giá trị: tablename.parentfieldtocheck +TypeOfFieldsHelp=Ví dụ:
      varchar(99)
      email
      điện thoại
      ip
      url
      mật khẩu
      double(24,8)
      real
      text
      html
      date
      datetime
      dấu thời gian
      integer
      integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]

      '1' nghĩa là chúng ta thêm nút + sau tổ hợp để tạo bản ghi
      'filter' là một Điều kiện cú pháp của Bộ lọc chung, ví dụ: '((status:=:1) AND (fk_user:=:__USER_ID__) AND (entity:IN:(__SHARED_ENTITIES__))' +TypeOfFieldsHelpIntro=Đây là loại trường/thuộc tính. AsciiToHtmlConverter=Chuyển mã ASCII sang HTML AsciiToPdfConverter=Chuyển ASCII sang PDF -TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. -ModuleBuilderNotAllowed=The module builder is available but not allowed to your user. -ImportExportProfiles=Import and export profiles -ValidateModBuilderDesc=Set this to 1 if you want to have the method $this->validateField() of object being called to validate the content of the field during insert or update. Set 0 if there is no validation required. -WarningDatabaseIsNotUpdated=Warning: The database is not updated automatically, you must destroy tables and disable-enable the module to have tables recreated -LinkToParentMenu=Parent menu (fk_xxxxmenu) -ListOfTabsEntries=List of tab entries -TabsDefDesc=Define here the tabs provided by your module -TabsDefDescTooltip=The tabs provided by your module/application are defined into the array $this->tabs into the module descriptor file. You can edit manually this file or use the embedded editor. -BadValueForType=Bad value for type %s -DefinePropertiesFromExistingTable=Define properties from an existing table -DefinePropertiesFromExistingTableDesc=If a table in the database (for the object to create) already exists, you can use it to define the properties of the object. -DefinePropertiesFromExistingTableDesc2=Keep empty if the table does not exist yet. The code generator will use different kinds of fields to build an example of table that you can edit later. -GeneratePermissions=I want to add the rights for this object -GeneratePermissionsHelp=generate default rights for this object -PermissionDeletedSuccesfuly=Permission has been successfully removed -PermissionUpdatedSuccesfuly=Permission has been successfully updated -PermissionAddedSuccesfuly=Permission has been successfully added -MenuDeletedSuccessfuly=Menu has been successfully deleted -MenuAddedSuccessfuly=Menu has been successfully added -MenuUpdatedSuccessfuly=Menu has been successfully updated -ApiObjectDeleted=API for object %s has been successfully deleted +TableNotEmptyDropCanceled=Bảng không trống. Việc thả đã bị hủy bỏ. +ModuleBuilderNotAllowed=Trình tạo mô-đun có sẵn nhưng không được phép đối với người dùng của bạn. +ImportExportProfiles=Nhập và xuất hồ sơ +ValidateModBuilderDesc=Đặt giá trị này thành 1 nếu bạn muốn có phương thức $this->validateField() của đối tượng được gọi để xác thực nội dung của trường trong khi chèn hoặc cập nhật. Đặt 0 nếu không có yêu cầu xác thực. +WarningDatabaseIsNotUpdated=Cảnh báo: Cơ sở dữ liệu không được cập nhật tự động, bạn phải hủy các bảng và tắt-bật mô-đun để tạo lại các bảng +LinkToParentMenu=Menu gốc (fk_xxxxmenu) +ListOfTabsEntries=Danh sách các mục tab +TabsDefDesc=Xác định ở đây các tab được cung cấp bởi mô-đun của bạn +TabsDefDescTooltip=Các tab do mô-đun/ứng dụng của bạn cung cấp được xác định thành mảng $this->tabs trong tệp mô tả mô-đun. Bạn có thể chỉnh sửa thủ công tệp này hoặc sử dụng trình chỉnh sửa được nhúng. +BadValueForType=Giá trị không hợp lệ cho loại %s +DefinePropertiesFromExistingTable=Xác định các trường/thuộc tính từ một bảng hiện có +DefinePropertiesFromExistingTableDesc=Nếu một bảng trong cơ sở dữ liệu (để đối tượng tạo) đã tồn tại, bạn có thể sử dụng bảng đó để xác định các thuộc tính của đối tượng. +DefinePropertiesFromExistingTableDesc2=Để trống nếu bảng chưa tồn tại. Trình tạo mã sẽ sử dụng các loại trường khác nhau để xây dựng một bảng mẫu mà bạn có thể chỉnh sửa sau này. +GeneratePermissions=Tôi muốn quản lý quyền trên đối tượng này +GeneratePermissionsHelp=Nếu bạn kiểm tra điều này, một số mã sẽ được thêm vào để quản lý quyền đọc, ghi và xóa bản ghi của các đối tượng +PermissionDeletedSuccesfuly=Quyền đã được xóa thành công +PermissionUpdatedSuccesfuly=Quyền đã được cập nhật thành công +PermissionAddedSuccesfuly=Quyền đã được thêm thành công +MenuDeletedSuccessfuly=Menu đã được xóa thành công +MenuAddedSuccessfuly=Menu đã được thêm thành công +MenuUpdatedSuccessfuly=Menu đã được cập nhật thành công +ApiObjectDeleted=API cho đối tượng %s đã được xóa thành công CRUDRead=Đọc -CRUDCreateWrite=Create or Update -FailedToAddCodeIntoDescriptor=Failed to add code into descriptor. Check that the string comment "%s" is still present into the file. +CRUDCreateWrite=Tạo hoặc cập nhật +FailedToAddCodeIntoDescriptor=Không thêm được mã vào bộ mô tả. Kiểm tra xem nhận xét chuỗi "%s" có còn trong tệp hay không. +DictionariesCreated=Từ điển %s đã được tạo thành công +DictionaryDeleted=Đã xóa thành công từ điển %s +PropertyModuleUpdated=Thuộc tính %s đã được cập nhật thành công +InfoForApiFile=* Khi bạn tạo tệp lần đầu tiên thì tất cả các phương thức sẽ được tạo cho từng đối tượng.
      * Khi bạn nhấp vào remove, bạn chỉ cần xóa tất cả các phương thức cho lớp ='notranslate'>đối tượng được chọn. +SetupFile=Trang để thiết lập mô-đun diff --git a/htdocs/langs/vi_VN/mrp.lang b/htdocs/langs/vi_VN/mrp.lang index 9c4f78a96b4..46b4a1cd383 100644 --- a/htdocs/langs/vi_VN/mrp.lang +++ b/htdocs/langs/vi_VN/mrp.lang @@ -1,20 +1,20 @@ Mrp=Đơn đặt hàng sản xuất -MOs=Manufacturing orders +MOs=Đơn đặt hàng sản xuất ManufacturingOrder=Đơn hàng sản xuất -MRPDescription=Module to manage production and Manufacturing Orders (MO). +MRPDescription=Phân hệ quản lý sản xuất và Lệnh sản xuất (MO). MRPArea=Khu vực MRP MrpSetupPage=Thiết lập mô-đun MRP MenuBOM=Hóa đơn của vật liệu LatestBOMModified=Hóa đơn vật liệu được sửa đổi mới nhất %s LatestMOModified=Đơn đặt hàng sản xuất được sửa đổi mới nhất %s Bom=Hóa đơn của vật liệu -BillOfMaterials=Bill of Materials -BillOfMaterialsLines=Bill of Materials lines +BillOfMaterials=Hóa đơn nguyên vật liệu +BillOfMaterialsLines=Dòng hóa đơn vật liệu BOMsSetup=Thiết lập mô-đun BOM -ListOfBOMs=Bills of material - BOM +ListOfBOMs=Hóa đơn vật liệu - BOM ListOfManufacturingOrders=Đơn đặt hàng sản xuất -NewBOM=New bill of materials -ProductBOMHelp=Product to create (or disassemble) with this BOM.
      Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list. +NewBOM=Hóa đơn vật liệu mới +ProductBOMHelp=Sản phẩm cần tạo (hoặc tháo rời) bằng BOM này.
      Lưu ý: Các sản phẩm có thuộc tính 'Bản chất của sản phẩm' = 'Nguyên liệu thô' không hiển thị trong danh sách này. BOMsNumberingModules=Mẫu đánh số BOM BOMsModelModule=Mẫu tài liệu BOM MOsNumberingModules=Mẫu đánh số MO @@ -23,17 +23,22 @@ FreeLegalTextOnBOMs=Văn bản tủy ý trên tài liệu của BOM WatermarkOnDraftBOMs=Hình mờ trên dự thảo BOM FreeLegalTextOnMOs=Văn bản tủy ý trên tài liệu của MO WatermarkOnDraftMOs=Hình mờ trên dự thảo MO -ConfirmCloneBillOfMaterials=Are you sure you want to clone the bill of materials %s ? +ConfirmCloneBillOfMaterials=Bạn có chắc chắn muốn sao chép hóa đơn vật liệu %s không? ConfirmCloneMo=Bạn có chắc chắn muốn sao chép Đơn hàng sản xuất %s không? ManufacturingEfficiency=Hiệu quả sản xuất -ConsumptionEfficiency=Consumption efficiency -Consumption=Consumption -ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the manufacturing or the disassembly -ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product +ConsumptionEfficiency=Hiệu quả tiêu thụ +Consumption=Sự tiêu thụ +ValueOfMeansLoss=Giá trị 0,95 có nghĩa là mất trung bình 5%% trong quá trình sản xuất hoặc tháo dỡ +ValueOfMeansLossForProductProduced=Giá trị 0,95 có nghĩa là trung bình 5%% bị mất sản phẩm đã sản xuất DeleteBillOfMaterials=Xóa hóa đơn vật liệu +CancelMo=Hủy lệnh sản xuất +MoCancelConsumedAndProducedLines=Hủy bỏ tất cả các dòng tiêu thụ và sản xuất (xóa dòng và khôi phục cổ phiếu) +ConfirmCancelMo=Bạn có chắc chắn muốn hủy Đơn đặt hàng sản xuất này không? DeleteMo=Xóa đơn hàng sản xuất -ConfirmDeleteBillOfMaterials=Are you sure you want to delete this Bill Of Materials? -ConfirmDeleteMo=Are you sure you want to delete this Manufacturing Order? +ConfirmDeleteBillOfMaterials=Bạn có chắc chắn muốn xóa Bill Of Materials này không? +ConfirmDeleteMo=Bạn có chắc chắn muốn xóa Lệnh sản xuất này không? +DeleteMoChild = Xóa các MO con được liên kết với MO này %s +MoChildsDeleted = Tất cả các MO con đã bị xóa MenuMRP=Đơn đặt hàng sản xuất NewMO=Thêm Đơn hàng sản xuất QtyToProduce=Số lượng để sản xuất @@ -41,7 +46,7 @@ DateStartPlannedMo=Ngày bắt đầu kế hoạch DateEndPlannedMo=Ngày kết thúc dự kiến KeepEmptyForAsap=Trống có nghĩa là 'càng sớm càng tốt' EstimatedDuration=Thời gian dự tính -EstimatedDurationDesc=Estimated duration to manufacture (or disassemble) this product using this BOM +EstimatedDurationDesc=Thời gian ước tính để sản xuất (hoặc tháo rời) sản phẩm này bằng cách sử dụng BOM này ConfirmValidateBom=Bạn có chắc chắn muốn xác nhận BOM với tham chiếu %s (bạn sẽ có thể sử dụng nó để xây dựng Đơn hàng sản xuất mới) ConfirmCloseBom=Bạn có chắc chắn muốn hủy BOM này (bạn sẽ không thể sử dụng nó để xây dựng Đơn đặt hàng sản xuất mới nữa)? ConfirmReopenBom=Bạn có chắc chắn muốn mở lại BOM này (bạn sẽ có thể sử dụng nó để xây dựng Đơn đặt hàng sản xuất mới) @@ -49,72 +54,84 @@ StatusMOProduced=Sản xuất QtyFrozen=S.lượng tồn đọng QuantityFrozen=Số lượng tồn đọng QuantityConsumedInvariable=Khi cờ này được đặt, số lượng tiêu thụ luôn là giá trị được xác định và không liên quan đến số lượng sản xuất. -DisableStockChange=Stock change disabled -DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed +DisableStockChange=Thay đổi cổ phiếu bị vô hiệu hóa +DisableStockChangeHelp=Khi cờ này được đặt, không có thay đổi nào trong kho đối với sản phẩm này, bất kể số lượng tiêu thụ là bao nhiêu BomAndBomLines=Hóa đơn vật liệu và dòng BOMLine=Dòng của BOM WarehouseForProduction=Kho sản xuất CreateMO=Tạo MO ToConsume=Để tiêu thụ ToProduce=Để sản xuất -ToObtain=To obtain +ToObtain=Để có được QtyAlreadyConsumed=Số lượng đã tiêu thụ QtyAlreadyProduced=Số lượng đã được sản xuất -QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) -ConsumeOrProduce=Consume or Produce +QtyRequiredIfNoLoss=Số lượng cần thiết để sản xuất số lượng được xác định trong BOM nếu không bị hao hụt (nếu hiệu suất sản xuất là 100%%) +ConsumeOrProduce=Tiêu thụ hoặc sản xuất ConsumeAndProduceAll=Tiêu thụ và sản xuất tất cả Manufactured=Được sản xuất TheProductXIsAlreadyTheProductToProduce=Các sản phẩm để thêm đã là sản phẩm để sản xuất. -ForAQuantityOf=For a quantity to produce of %s -ForAQuantityToConsumeOf=For a quantity to disassemble of %s +ForAQuantityOf=Để sản xuất số lượng %s +ForAQuantityToConsumeOf=Để phân tách số lượng %s ConfirmValidateMo=Bạn có chắc chắn muốn xác nhận Đơn hàng sản xuất này không? -ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRef=Production of %s -CancelProductionForRef=Cancellation of product stock decrementation for product %s -TooltipDeleteAndRevertStockMovement=Delete line and revert stock movement -AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached -NoStockChangeOnServices=No stock change on services -ProductQtyToConsumeByMO=Product quantity still to consume by open MO -ProductQtyToProduceByMO=Product quantity still to produce by open MO -AddNewConsumeLines=Add new line to consume -AddNewProduceLines=Add new line to produce -ProductsToConsume=Products to consume -ProductsToProduce=Products to produce -UnitCost=Unit cost -TotalCost=Total cost -BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) -BOMTotalCostService=If the "Workstation" module is activated and a workstation is defined by default on the line, then the calculation is "quantity (converted into hours) x workstation ahr", otherwise "quantity (converted into hours) x cost price of the service" -GoOnTabProductionToProduceFirst=You must first have started the production to close a Manufacturing Order (See tab '%s'). But you can Cancel it. -ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO -Workstation=Workstation -Workstations=Workstations -WorkstationsDescription=Workstations management -WorkstationSetup = Workstations setup -WorkstationSetupPage = Workstations setup page -WorkstationList=Workstation list -WorkstationCreate=Add new workstation -ConfirmEnableWorkstation=Are you sure you want to enable workstation %s ? -EnableAWorkstation=Enable a workstation -ConfirmDisableWorkstation=Are you sure you want to disable workstation %s ? -DisableAWorkstation=Disable a workstation +ConfirmProductionDesc=Bằng cách nhấp vào '%s', bạn sẽ xác thực mức tiêu thụ và/hoặc sản xuất cho số lượng đã đặt. Điều này cũng sẽ cập nhật cổ phiếu và ghi lại biến động cổ phiếu. +ProductionForRef=Sản xuất %s +CancelProductionForRef=Hủy bỏ việc giảm tồn kho sản phẩm cho sản phẩm %s +TooltipDeleteAndRevertStockMovement=Xóa dòng và hoàn nguyên chuyển động cổ phiếu +AutoCloseMO=Tự động đóng Lệnh sản xuất nếu đạt đủ số lượng tiêu thụ và sản xuất +NoStockChangeOnServices=Không có thay đổi cổ phiếu trên các dịch vụ +ProductQtyToConsumeByMO=Số lượng sản phẩm vẫn được tiêu thụ bởi MO mở +ProductQtyToProduceByMO=Số lượng sản phẩm còn sản xuất bằng MO mở +AddNewConsumeLines=Thêm dòng mới để tiêu thụ +AddNewProduceLines=Thêm dòng mới để sản xuất +ProductsToConsume=Sản phẩm tiêu thụ +ProductsToProduce=Sản phẩm để sản xuất +UnitCost=Đơn giá +TotalCost=Tổng chi phí +BOMTotalCost=Chi phí để sản xuất BOM này dựa trên chi phí của từng số lượng và sản phẩm sẽ tiêu thụ (sử dụng Giá vốn nếu được xác định, nếu không thì sử dụng Giá bình quân gia quyền nếu được xác định, nếu không thì sử dụng Giá mua tốt nhất) +BOMTotalCostService=Nếu mô-đun "Máy trạm" được kích hoạt và một máy trạm được xác định theo mặc định trên dòng thì phép tính là "số lượng (quy đổi thành giờ) x ahr của máy trạm", nếu không thì "số lượng x giá thành của dịch vụ" +GoOnTabProductionToProduceFirst=Trước tiên, bạn phải bắt đầu sản xuất để đóng Đơn đặt hàng sản xuất (Xem tab '%s'). Nhưng bạn có thể hủy nó. +ErrorAVirtualProductCantBeUsedIntoABomOrMo=Không thể sử dụng bộ sản phẩm vào BOM hoặc MO +Workstation=máy trạm +Workstations=Máy trạm +WorkstationsDescription=Quản lý máy trạm +WorkstationSetup = Thiết lập máy trạm +WorkstationSetupPage = Trang thiết lập máy trạm +WorkstationList=Danh sách máy trạm +WorkstationCreate=Thêm máy trạm mới +ConfirmEnableWorkstation=Bạn có chắc chắn muốn bật máy trạm %s không? +EnableAWorkstation=Kích hoạt máy trạm +ConfirmDisableWorkstation=Bạn có chắc chắn muốn tắt máy trạm %s không? +DisableAWorkstation=Vô hiệu hóa máy trạm DeleteWorkstation=Xóa -NbOperatorsRequired=Number of operators required -THMOperatorEstimated=Estimated operator THM -THMMachineEstimated=Estimated machine THM -WorkstationType=Workstation type -Human=Human -Machine=Machine -HumanMachine=Human / Machine -WorkstationArea=Workstation area -Machines=Machines -THMEstimatedHelp=This rate makes it possible to define a forecast cost of the item -BOM=Bill Of Materials -CollapseBOMHelp=You can define the default display of the details of the nomenclature in the configuration of the BOM module -MOAndLines=Manufacturing Orders and lines -MoChildGenerate=Generate Child Mo -ParentMo=MO Parent -MOChild=MO Child -BomCantAddChildBom=The nomenclature %s is already present in the tree leading to the nomenclature %s -BOMNetNeeds = BOM Net Needs -BOMProductsList=BOM's products -BOMServicesList=BOM's services +NbOperatorsRequired=Số lượng người vận hành cần thiết +THMOperatorEstimated=Nhà điều hành ước tính THM +THMMachineEstimated=Máy ước tính THM +WorkstationType=Loại máy trạm +DefaultWorkstation=máy trạm mặc định +Human=Nhân loại +Machine=Máy móc +HumanMachine=Con người/Máy móc +WorkstationArea=Khu vực máy trạm +Machines=Máy móc +THMEstimatedHelp=Tỷ lệ này giúp xác định chi phí dự báo của mặt hàng +BOM=Hóa đơn nguyên vật liệu +CollapseBOMHelp=Bạn có thể xác định hiển thị mặc định các chi tiết của danh pháp trong cấu hình của mô-đun BOM +MOAndLines=Đơn đặt hàng và dây chuyền sản xuất +MoChildGenerate=Tạo con Mo +ParentMo=MO phụ huynh +MOChild=MO Con +BomCantAddChildBom=Danh pháp %s đã có trong cây dẫn đến danh pháp %s +BOMNetNeeds = Nhu cầu ròng của BOM +BOMProductsList=Sản phẩm của BOM +BOMServicesList=Các dịch vụ của BOM +Manufacturing=Chế tạo +Disassemble=Tháo rời +ProducedBy=Được sản xuất bởi +QtyTot=Tổng số lượng + +QtyCantBeSplit= Số lượng không thể chia nhỏ +NoRemainQtyToDispatch=Không còn số lượng để chia + +THMOperatorEstimatedHelp=Chi phí ước tính của người vận hành mỗi giờ. Sẽ được sử dụng để ước tính chi phí của BOM khi sử dụng máy trạm này. +THMMachineEstimatedHelp=Ước tính chi phí của máy mỗi giờ. Sẽ được sử dụng để ước tính chi phí của BOM khi sử dụng máy trạm này. + diff --git a/htdocs/langs/vi_VN/multicurrency.lang b/htdocs/langs/vi_VN/multicurrency.lang index c5650585f4d..e2fd09bd469 100644 --- a/htdocs/langs/vi_VN/multicurrency.lang +++ b/htdocs/langs/vi_VN/multicurrency.lang @@ -18,5 +18,26 @@ MulticurrencyReceived=Đã nhận, nguyên tệ MulticurrencyRemainderToTake=Số tiền còn lại, nguyên tệ MulticurrencyPaymentAmount=Số tiền thanh toán, nguyên tệ AmountToOthercurrency=Số tiền chuyển (bằng tiền tệ tài khoản nhận) -CurrencyRateSyncSucceed=Tỷ giá được đồng bộ thành công +CurrencyRateSyncSucceed=Đồng bộ hóa tỷ giá tiền tệ được thực hiện thành công MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Sử dụng tiền tệ cho hồ sơ thanh toán trực tuyến +TabTitleMulticurrencyRate=Bảng giá +ListCurrencyRate=Danh sách tỷ giá hối đoái của tiền tệ +CreateRate=Tạo tỷ lệ +FormCreateRate=Tạo tỷ lệ +FormUpdateRate=Sửa đổi tỷ lệ +successRateCreate=Tỷ giá cho loại tiền tệ %s đã được thêm vào cơ sở dữ liệu +ConfirmDeleteLineRate=Bạn có chắc chắn muốn xóa tỷ giá %s cho loại tiền tệ %s trên %s ngày? +DeleteLineRate=Tỷ lệ rõ ràng +successRateDelete=Đã xóa tỷ lệ +errorRateDelete=Lỗi khi xóa tỷ lệ +successUpdateRate=Đã thực hiện sửa đổi +ErrorUpdateRate=Lỗi khi thay đổi tỷ giá +Codemulticurrency=Mã tiền tệ +UpdateRate=thay đổi tỷ lệ +CancelUpdate=Hủy bỏ +NoEmptyRate=Trường tỷ lệ không được để trống +CurrencyCodeId=ID tiền tệ +CurrencyCode=Mã tiền tệ +CurrencyUnitPrice=Đơn giá bằng ngoại tệ +CurrencyPrice=Giá bằng ngoại tệ +MutltiCurrencyAutoUpdateCurrencies=Cập nhật tất cả tỷ giá tiền tệ diff --git a/htdocs/langs/vi_VN/oauth.lang b/htdocs/langs/vi_VN/oauth.lang index 4e2be4ca8d8..009f4fb3298 100644 --- a/htdocs/langs/vi_VN/oauth.lang +++ b/htdocs/langs/vi_VN/oauth.lang @@ -9,13 +9,15 @@ HasAccessToken=Một token đã được tạo và lưu vào cơ sở dữ liệ NewTokenStored=Token đã nhận và lưu ToCheckDeleteTokenOnProvider=Nhấn vào đây để kiểm tra / xóa ủy quyền được lưu bởi nhà cung cấp %s OAuth TokenDeleted=Token đã bị xóa -RequestAccess=Click here to request/renew access and receive a new token -DeleteAccess=Nhấn vào đây để xóa token -UseTheFollowingUrlAsRedirectURI=Sử dụng URL sau đây làm URI chuyển hướng khi tạo thông tin đăng nhập với nhà cung cấp OAuth của bạn: -ListOfSupportedOauthProviders=Add your OAuth2 token providers. Then, go on your OAuth provider admin page to create/get an OAuth ID and Secret and save them here. Once done, switch on the other tab to generate your token. -OAuthSetupForLogin=Page to manage (generate/delete) OAuth tokens +GetAccess=Bấm vào đây để nhận token +RequestAccess=Nhấp vào đây để yêu cầu/gia hạn quyền truy cập và nhận mã thông báo mới +DeleteAccess=Bấm vào đây để xóa mã thông báo +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider +ListOfSupportedOauthProviders=Thêm nhà cung cấp mã thông báo OAuth2 của bạn. Sau đó, hãy truy cập trang quản trị nhà cung cấp OAuth của bạn để tạo/nhận ID OAuth và Bí mật rồi lưu chúng tại đây. Sau khi hoàn tất, hãy chuyển sang tab khác để tạo mã thông báo của bạn. +OAuthSetupForLogin=Trang quản lý (tạo/xóa) mã thông báo OAuth SeePreviousTab=Xem tab trước -OAuthProvider=OAuth provider +OAuthProvider=Nhà cung cấp OAuth OAuthIDSecret=ID OAuth và bảo mật TOKEN_REFRESH=Làm mới token TOKEN_EXPIRED=Token đã hết hạn @@ -27,10 +29,14 @@ OAUTH_GOOGLE_SECRET=Bảo mật Google OAuth OAUTH_GITHUB_NAME=Dịch vụ OAuth GitHub OAUTH_GITHUB_ID=OAuth GitHub Id OAUTH_GITHUB_SECRET=Bảo mật của OAuth GitHub -OAUTH_URL_FOR_CREDENTIAL=Go to this page to create or get your OAuth ID and Secret +OAUTH_URL_FOR_CREDENTIAL=Đi tới trang này để tạo hoặc lấy ID và bí mật OAuth của bạn OAUTH_STRIPE_TEST_NAME=OAuth Stripe Thử nghiệm OAUTH_STRIPE_LIVE_NAME=OAuth Stripe chạy thực tế -OAUTH_ID=OAuth ID -OAUTH_SECRET=OAuth secret -OAuthProviderAdded=OAuth provider added -AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=An OAuth entry for this provider and label already exists +OAUTH_ID=ID ứng dụng khách OAuth +OAUTH_SECRET=Bí mật OAuth +OAUTH_TENANT=Đối tượng thuê OAuth +OAuthProviderAdded=Đã thêm nhà cung cấp OAuth +AOAuthEntryForThisProviderAndLabelAlreadyHasAKey=Mục nhập OAuth cho nhà cung cấp và nhãn này đã tồn tại +URLOfServiceForAuthorization=URL được cung cấp bởi dịch vụ OAuth để xác thực +Scopes=Quyền (Phạm vi) +ScopeUndefined=Quyền (Phạm vi) không xác định (xem tab trước) diff --git a/htdocs/langs/vi_VN/opensurvey.lang b/htdocs/langs/vi_VN/opensurvey.lang index 096beb4385c..ea91af20a09 100644 --- a/htdocs/langs/vi_VN/opensurvey.lang +++ b/htdocs/langs/vi_VN/opensurvey.lang @@ -11,7 +11,7 @@ PollTitle=Tiêu đề cuộc thăm dò ToReceiveEMailForEachVote=Nhận được một email cho mỗi phiếu bầu TypeDate=Loại ngày TypeClassic=Loại tiêu chuẩn -OpenSurveyStep2=Chọn ngày của bạn trong số những ngày tự do (màu xám). Những ngày được chọn có màu xanh. Bạn có thể bỏ chọn một ngày đã chọn trước đó bằng cách nhấp lại vào nó +OpenSurveyStep2=Chọn ngày của bạn trong số những ngày miễn phí (màu xám). Những ngày được chọn có màu xanh lá cây. Bạn có thể bỏ chọn một ngày đã chọn trước đó bằng cách nhấp lại vào ngày đó RemoveAllDays=Hủy bỏ tất cả các ngày CopyHoursOfFirstDay=Giờ bản sao của ngày đầu tiên RemoveAllHours=Hủy bỏ tất cả các giờ @@ -48,8 +48,8 @@ AddEndHour=Thêm vào cuối giờ votes=bầu (s) NoCommentYet=Không có ý kiến ​​đã được đưa lên thăm dò ý kiến ​​này được nêu ra CanComment=Cử tri có thể bình luận trong cuộc thăm dò -YourVoteIsPrivate=This poll is private, nobody can see your vote. -YourVoteIsPublic=This poll is public, anybody with the link can see your vote. +YourVoteIsPrivate=Cuộc thăm dò này là riêng tư, không ai có thể nhìn thấy phiếu bầu của bạn. +YourVoteIsPublic=Cuộc thăm dò này được công khai, bất kỳ ai có liên kết đều có thể thấy phiếu bầu của bạn. CanSeeOthersVote=Cử tri có thể nhìn thấy bầu của người khác SelectDayDesc=Đối với mỗi ngày được chọn, bạn có thể chọn hoặc không, giờ họp theo định dạng sau:
      - trống,
      - "8h", "8H" hoặc "8:00" để đưa ra giờ bắt đầu cuộc họp,
      - "8-11", "8h-11h", "8H-11H" hoặc "8:00-11:00" để đưa ra giờ bắt đầu và kết thúc cuộc họp,
      - "8h15-11h15", "8H15-11H15" hoặc "8:15-11:15" cho cùng một thứ nhưng với vài phút. BackToCurrentMonth=Về tháng hiện tại @@ -61,3 +61,4 @@ SurveyExpiredInfo=Cuộc thăm dò đã bị đóng hoặc bỏ phiếu chậm t EmailSomeoneVoted=% S đã lấp đầy một đường thẳng. Bạn có thể tìm thăm dò ý kiến ​​của bạn tại liên kết:% s ShowSurvey=Hiển thị khảo sát UserMustBeSameThanUserUsedToVote=Bạn phải bỏ phiếu và sử dụng cùng tên người dùng đã sử dụng để bỏ phiếu, để đăng nhận xét +ListOfOpenSurveys=Danh sách khảo sát mở diff --git a/htdocs/langs/vi_VN/orders.lang b/htdocs/langs/vi_VN/orders.lang index d2c78cff4c0..e1761d18278 100644 --- a/htdocs/langs/vi_VN/orders.lang +++ b/htdocs/langs/vi_VN/orders.lang @@ -1,4 +1,5 @@ # Dolibarr language file - Source file is en_US - orders +OrderExists=Một đơn hàng đã được mở liên kết với đề xuất này nên không có đơn hàng nào khác được tạo tự động OrdersArea=Khu vực đặt hàng của khách hàng SuppliersOrdersArea=Khu vực đặt hàng thu mua OrderCard=Thẻ đặt hàng @@ -17,8 +18,8 @@ ToOrder=Tạo đơn hàng MakeOrder=Tạo đơn hàng SupplierOrder=Đơn đặt hàng mua SuppliersOrders=Đơn đặt hàng mua -SaleOrderLines=Sales order lines -PurchaseOrderLines=Puchase order lines +SaleOrderLines=Dòng lệnh bán hàng +PurchaseOrderLines=Dòng đơn đặt hàng SuppliersOrdersRunning=Đơn đặt hàng mua hiện tại CustomerOrder=Đơn đặt hàng bán CustomersOrders=Đơn bán hàng bán @@ -68,8 +69,10 @@ CreateOrder=Tạo đơn hàng RefuseOrder=Từ chối đơn hàng ApproveOrder=Duyệt đơn hàng Approve2Order=Duyệt đơn hàng (mức thứ hai) +UserApproval=Người dùng phê duyệt +UserApproval2=Người dùng phê duyệt (cấp thứ hai) ValidateOrder=Xác nhận đơn hàng -UnvalidateOrder=Đơn hàng chưa xác nhận +UnvalidateOrder=Lệnh không hợp lệ DeleteOrder=Xóa đơn hàng CancelOrder=Hủy đơn hàng OrderReopened= Đơn hàng %s được mở lại @@ -93,6 +96,10 @@ OrdersStatisticsSuppliers=Thống kê đơn đặt hàng mua NumberOfOrdersByMonth=Số lượng đơn hàng theo tháng AmountOfOrdersByMonthHT=Số lượng đơn đặt hàng theo tháng (chưa bao gồm thuế) ListOfOrders=Danh sách đơn hàng +ListOrderLigne=Dòng lệnh +productobuy=Sản phẩm chỉ mua +productonly=Chỉ sản phẩm +disablelinefree=Không có dòng miễn phí CloseOrder=Đóng đơn hàng ConfirmCloseOrder=Bạn có chắc chắn muốn đặt đơn hàng này để giao hàng? Khi một đơn đặt hàng được giao, nó có thể được đặt thành đã xuất hóa đơn. ConfirmDeleteOrder=Bạn có chắc chắn muốn xóa đơn hàng này? @@ -102,6 +109,8 @@ ConfirmCancelOrder=Bạn có chắc chắn muốn hủy đơn hàng này? ConfirmMakeOrder=Bạn có chắc chắn muốn xác nhận bạn đã thực hiện đơn hàng này trên %s ? GenerateBill=Xuất ra hóa đơn ClassifyShipped=Phân vào đã giao hàng +PassedInShippedStatus=phân loại giao +YouCantShipThis=Tôi không thể phân loại điều này. Vui lòng kiểm tra quyền của người dùng DraftOrders=Dự thảo đơn hàng DraftSuppliersOrders=Dự thảo đơn đặt hàng mua OnProcessOrders=Đang xử lý đơn hàng @@ -124,8 +133,9 @@ SupplierOrderReceivedInDolibarr=Đơn đặt hàng mua %s đã nhận %s SupplierOrderSubmitedInDolibarr=Đơn đặt hàng mua %s đã gửi SupplierOrderClassifiedBilled=Đơn đặt hàng mua %s đã xuất hóa đơn OtherOrders=Đơn hàng khác -SupplierOrderValidatedAndApproved=Supplier order is validated and approved : %s -SupplierOrderValidated=Supplier order is validated : %s +SupplierOrderValidatedAndApproved=Đơn đặt hàng của nhà cung cấp được xác thực và phê duyệt: %s +SupplierOrderValidated=Đơn đặt hàng của nhà cung cấp đã được xác thực: %s +OrderShowDetail=Hiển thị chi tiết đơn hàng ##### Types de contacts ##### TypeContact_commande_internal_SALESREPFOLL=Đại diện theo dõi đơn đặt hàng bán TypeContact_commande_internal_SHIPPING=Đại diện theo dõi vận chuyển @@ -153,7 +163,7 @@ PDFEdisonDescription=Mẫu đơn hàng đơn giản PDFProformaDescription=Mẫu hoàn thiện của hoá đơn hình thức CreateInvoiceForThisCustomer=Thanh toán đơn hàng CreateInvoiceForThisSupplier=Thanh toán đơn hàng -CreateInvoiceForThisReceptions=Bill receptions +CreateInvoiceForThisReceptions=Tiếp nhận hóa đơn NoOrdersToInvoice=Không có đơn hàng có thể lập hóa đơn CloseProcessedOrdersAutomatically=Phân loại "Đã xử lý" cho tất cả các đơn hàng được chọn. OrderCreation=Tạo đơn hàng @@ -194,3 +204,5 @@ StatusSupplierOrderApproved=Đã phê duyệt StatusSupplierOrderRefused=Bị từ chối StatusSupplierOrderReceivedPartially=Đã nhận một phần StatusSupplierOrderReceivedAll=Tất cả sản phẩm đã nhận +NeedAtLeastOneInvoice = Phải có ít nhất một Hóa đơn +LineAlreadyDispatched = Dòng đặt hàng đã được nhận. diff --git a/htdocs/langs/vi_VN/other.lang b/htdocs/langs/vi_VN/other.lang index e2d58c22337..4d27075a02e 100644 --- a/htdocs/langs/vi_VN/other.lang +++ b/htdocs/langs/vi_VN/other.lang @@ -5,7 +5,7 @@ Tools=Công cụ TMenuTools=Công cụ ToolsDesc=Tất cả các công cụ không bao gồm trong các mục menu khác được nhóm ở đây.
      Tất cả các công cụ có thể được truy cập thông qua menu bên trái. Birthday=Sinh nhật -BirthdayAlert=Birthday alert +BirthdayAlert=Thông báo sinh nhật BirthdayAlertOn=sinh nhật cảnh báo hoạt động BirthdayAlertOff=sinh nhật không hoạt động cảnh báo TransKey=Dịch khóa TransKey @@ -15,8 +15,8 @@ PreviousMonthOfInvoice=Tháng trước (số 1-12) ngày hóa đơn TextPreviousMonthOfInvoice=Tháng trước (chữ) của ngày hóa đơn NextMonthOfInvoice=Tháng sau (số 1-12) của ngày hóa đơn TextNextMonthOfInvoice=Tháng sau (chữ) của ngày hóa đơn -PreviousMonth=Previous month -CurrentMonth=Current month +PreviousMonth=Tháng trước +CurrentMonth=Tháng này ZipFileGeneratedInto=Tệp zip được tạo vào %s . DocFileGeneratedInto=Tệp doc được tạo vào %s . JumpToLogin=Ngắt kết nối. Chuyển đến trang đăng nhập ... @@ -31,20 +31,21 @@ PreviousYearOfInvoice=Năm trước của ngày hóa đơn NextYearOfInvoice=Năm sau của ngày hóa đơn DateNextInvoiceBeforeGen=Ngày của hóa đơn tiếp theo (trước khi tạo) DateNextInvoiceAfterGen=Ngày của hóa đơn tiếp theo (sau khi tạo) -GraphInBarsAreLimitedToNMeasures=Đồ họa được giới hạn%s ở các số đo trong chế độ 'Bars'. Thay vào đó, chế độ 'Lines' được chọn tự động. +GraphInBarsAreLimitedToNMeasures=Đồ họa bị giới hạn ở các thước đo %s trong chế độ 'Thanh'. Thay vào đó, chế độ 'Dòng' đã được chọn tự động. OnlyOneFieldForXAxisIsPossible=Hiện tại chỉ có 1 trường là X-Trục. Chỉ có trường được chọn đầu tiên đã được chọn. AtLeastOneMeasureIsRequired=Ít nhất 1 trường đo lường là được yêu cầu AtLeastOneXAxisIsRequired=Ít nhất 1 trường cho trục X là được yêu cầu LatestBlogPosts=Các tin tức mới nhất -notiftouser=To users -notiftofixedemail=To fixed mail -notiftouserandtofixedemail=To user and fixed mail +notiftouser=Gửi người dùng +notiftofixedemail=Đến thư cố định +notiftouserandtofixedemail=Gửi tới người dùng và thư cố định Notify_ORDER_VALIDATE=Đơn đặt hàng bán đã được xác nhận Notify_ORDER_SENTBYMAIL=Đơn đặt hàng bán được gửi email -Notify_ORDER_CLOSE=Sales order delivered +Notify_ORDER_CLOSE=Đơn bán hàng đã được giao Notify_ORDER_SUPPLIER_SENTBYMAIL=Đơn đặt hàng mua được gửi qua email Notify_ORDER_SUPPLIER_VALIDATE=Đơn đặt hàng mua được ghi nhận Notify_ORDER_SUPPLIER_APPROVE=Đơn đặt hàng mua được phê duyệt +Notify_ORDER_SUPPLIER_SUBMIT=Đơn đặt hàng đã được gửi Notify_ORDER_SUPPLIER_REFUSE=Đơn đặt hàng mua bị từ chối Notify_PROPAL_VALIDATE=Đề nghị khách hàng xác nhận Notify_PROPAL_CLOSE_SIGNED=Đề xuất khách hàng được đóng đã ký @@ -54,7 +55,7 @@ Notify_WITHDRAW_TRANSMIT=Rút truyền Notify_WITHDRAW_CREDIT=Rút tín dụng Notify_WITHDRAW_EMIT=Thực hiện thu hồi Notify_COMPANY_CREATE=Bên thứ ba tạo ra -Notify_COMPANY_SENTBYMAIL=Mails sent from the page of third party +Notify_COMPANY_SENTBYMAIL=Thư được gửi từ trang của bên thứ ba Notify_BILL_VALIDATE=Hóa đơn khách hàng xác nhận Notify_BILL_UNVALIDATE=Hóa đơn của khách hàng unvalidated Notify_BILL_PAYED=Hóa đơn khách hàng đã thanh toán @@ -66,6 +67,7 @@ Notify_BILL_SUPPLIER_SENTBYMAIL=Hóa đơn nhà cung cấp được gửi qua em Notify_BILL_SUPPLIER_CANCELED=Hóa đơn nhà cung cấp bị hủy Notify_CONTRACT_VALIDATE=Hợp đồng xác nhận Notify_FICHINTER_VALIDATE=Can thiệp xác nhận +Notify_FICHINTER_CLOSE=Đã đóng can thiệp Notify_FICHINTER_ADD_CONTACT=Đã thêm liên lạc cho Can thiệp Notify_FICHINTER_SENTBYMAIL=Can thiệp gửi qua đường bưu điện Notify_SHIPPING_VALIDATE=Vận chuyển xác nhận @@ -83,7 +85,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Báo cáo chi phí được xác nhận (yêu c Notify_EXPENSE_REPORT_APPROVE=Báo cáo chi phí đã được phê duyệt Notify_HOLIDAY_VALIDATE=Yêu cầu nghỉ phép được xác nhận (yêu cầu phê duyệt) Notify_HOLIDAY_APPROVE=Yêu cầu nghỉ phép đã được phê duyệt -Notify_ACTION_CREATE=Added action to Agenda +Notify_ACTION_CREATE=Đã thêm hành động vào Chương trình nghị sự SeeModuleSetup=Xem thiết lập mô-đun %s NbOfAttachedFiles=Số đính kèm tập tin / tài liệu TotalSizeOfAttachedFiles=Tổng dung lượng của các file đính kèm / tài liệu @@ -91,8 +93,8 @@ MaxSize=Kích thước tối đa AttachANewFile=Đính kèm một tập tin mới / tài liệu LinkedObject=Đối tượng liên quan NbOfActiveNotifications=Số lượng thông báo (số lượng email của người nhận) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__
      This is a test mail sent to __EMAIL__ (the word test must be in bold).
      The lines are separated by a carriage return.

      __USER_SIGNATURE__ +PredefinedMailTest=__(Xin chào)__\nĐây là thư kiểm tra được gửi tới __EMAIL__.\nCác dòng được phân tách bằng dấu xuống dòng.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Xin chào)__
      Đây là test thư đã được gửi tới __EMAIL__ (kiểm tra từ phải được in đậm).
      Các dòng được phân tách bằng dấu xuống dòng.

      __USER_SIGNATURE__ PredefinedMailContentContract=__ (Xin chào) __ \n\n\n__ (Trân trọng) __ \n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__ (Xin chào) __\nVui lòng tìm hóa đơn __REF__ đính kèm \n\n__ONLINE_PAYMENT_TEXT_AND_URL__ \n\n__ (Trân trọng) __ \n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__ (Xin chào) __ \n\nChúng tôi muốn nhắc bạn rằng hóa đơn __REF__ dường như chưa được thanh toán. Một bản sao của hóa đơn được đính kèm như một lời nhắc nhở. \n\n__ONLINE_PAYMENT_TEXT_AND_URL__ \n\n__ (Trân trọng) __ \n\n__USER_SIGNATURE__ @@ -105,21 +107,21 @@ PredefinedMailContentSendShipping=__ (Xin chào) __ \n\nVui lòng tìm vận chu PredefinedMailContentSendFichInter=__ (Xin chào) __ \n\nVui lòng tìm sự can thiệp __REF__ đính kèm \n\n\n__ (Trân trọng) __ \n\n__USER_SIGNATURE__ PredefinedMailContentLink=Bạn có thể nhấp vào liên kết bên dưới để thực hiện thanh toán nếu chưa được thực hiện.\n\n %s\n\n PredefinedMailContentGeneric=__ (Xin chào) __ \n\n\n__ (Trân trọng) __ \n\n__USER_SIGNATURE__ -PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__

      This is an automatic message, please do not reply. +PredefinedMailContentSendActionComm=Lời nhắc sự kiện "__EVENT_LABEL__" vào __EVENT_DATE__ lúc __EVENT_TIME__

      Đây là tin nhắn tự động, vui lòng không trả lời. DemoDesc=Dolibarr là một ERP / CRM nhỏ gọn hỗ trợ một số mô-đun kinh doanh. Một bản demo giới thiệu tất cả các mô-đun không có ý nghĩa vì kịch bản này không bao giờ xảy ra (có sẵn hàng trăm). Vì vậy, một số hồ sơ demo là có sẵn. ChooseYourDemoProfil=Chọn hồ sơ demo phù hợp nhất với nhu cầu của bạn ... ChooseYourDemoProfilMore=... hoặc xây dựng hồ sơ của riêng bạn
      (lựa chọn mô-đun thủ công) DemoFundation=Quản lý thành viên của một nền tảng DemoFundation2=Quản lý thành viên và tài khoản ngân hàng của một nền tảng DemoCompanyServiceOnly=Chỉ công ty hoặc dịch vụ bán hàng tự do -DemoCompanyShopWithCashDesk=Manage a shop with a cash box +DemoCompanyShopWithCashDesk=Quản lý cửa hàng bằng hộp đựng tiền DemoCompanyProductAndStocks=Cửa hàng bán sản phẩm qua điểm bán hàng DemoCompanyManufacturing=Công ty sản xuất sản phẩm. DemoCompanyAll=Công ty có nhiều hoạt động (tất cả các mô-đun chính) CreatedBy=Được tạo ra bởi %s ModifiedBy=Được thay đổi bởi %s ValidatedBy=Xác nhận bởi %s -SignedBy=Signed by %s +SignedBy=Được ký bởi %s ClosedBy=Đóng bởi %s CreatedById=Id người dùng đã tạo ra ModifiedById=Id người dùng đó đã thực hiện thay đổi mới nhất @@ -134,7 +136,7 @@ ClosedByLogin=Người sử dụng đăng nhập người đóng FileWasRemoved=Tập tin% s đã được gỡ bỏ DirWasRemoved=Thư mục% s đã được gỡ bỏ FeatureNotYetAvailable=Tính năng chưa có trong phiên bản hiện tại -FeatureNotAvailableOnDevicesWithoutMouse=Feature not available on devices without mouse +FeatureNotAvailableOnDevicesWithoutMouse=Tính năng không khả dụng trên các thiết bị không có chuột FeaturesSupported=Các tính năng được hỗ trợ Width=Chiều rộng Height=Chiều cao @@ -172,7 +174,7 @@ VolumeUnitmm3=mm³ (µl) VolumeUnitfoot3=ft VolumeUnitinch3=in³ VolumeUnitounce=ounce -VolumeUnitlitre=lít +VolumeUnitlitre=liter VolumeUnitgallon=gallon SizeUnitm=m SizeUnitdm=dm @@ -183,41 +185,45 @@ SizeUnitfoot=chân SizeUnitpoint=điểm BugTracker=Theo dõi lỗi SendNewPasswordDesc=Hình thức này cho phép bạn yêu cầu một mật khẩu mới. Nó sẽ được gửi đến địa chỉ email của bạn.
      Thay đổi sẽ có hiệu lực khi bạn nhấp vào liên kết xác nhận trong email.
      Kiểm tra hộp thư của bạn. -EnterNewPasswordHere=Enter your new password here +EnterNewPasswordHere=Nhập mật khẩu mới của bạn vào đây BackToLoginPage=Trở lại trang đăng nhập AuthenticationDoesNotAllowSendNewPassword=Chế độ xác thực là% s.
      Trong chế độ này, Dolibarr không thể biết và cũng không thay đổi mật khẩu của bạn.
      Liên hệ quản trị hệ thống của bạn nếu bạn muốn thay đổi mật khẩu của bạn. EnableGDLibraryDesc=Cài đặt hoặc kích hoạt thư viện GD trên bản cài đặt PHP của bạn để sử dụng tùy chọn này. ProfIdShortDesc=Id Giáo sư% s là một thông tin phụ thuộc vào quốc gia của bên thứ ba.
      Ví dụ, đối với đất nước% s, đó là mã% s. DolibarrDemo=Giới thiệu Dolibarr ERP / CRM -StatsByAmount=Statistics on amount of products/services +StatsByAmount=Thống kê số lượng sản phẩm/dịch vụ +StatsByAmountProducts=Thống kê số lượng sản phẩm +StatsByAmountServices=Thống kê số lượng dịch vụ StatsByNumberOfUnits=Thống kê tổng số lượng sản phẩm / dịch vụ -StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) -NumberOf=Number of %s -NumberOfUnits=Number of units on %s -AmountIn=Amount in %s +StatsByNumberOfUnitsProducts=Thống kê tổng số lượng sản phẩm +StatsByNumberOfUnitsServices=Thống kê tổng số lượng dịch vụ +StatsByNumberOfEntities=Thống kê số lượng đối tượng giới thiệu (số hóa đơn, đơn hàng...) +NumberOf=Số lượng %s +NumberOfUnits=Số lượng đơn vị trên %s +AmountIn=Số tiền trong %s NumberOfUnitsMos=Số lượng đơn vị cần sản xuất trong đơn sản xuất EMailTextInterventionAddedContact=Một can thiệp mới %s đã được chỉ định cho bạn. EMailTextInterventionValidated=Sự can thiệp% s đã được xác nhận. +EMailTextInterventionClosed=Sự can thiệp %s đã bị đóng. EMailTextInvoiceValidated=Hóa đơn %s đã được xác nhận. EMailTextInvoicePayed=Hóa đơn %s đã được thanh toán. EMailTextProposalValidated=Đề xuất %s đã được xác nhận. EMailTextProposalClosedSigned=Đề xuất %s đã được đóng đã ký. -EMailTextProposalClosedSignedWeb=Proposal %s has been closed signed on portal page. -EMailTextProposalClosedRefused=Proposal %s has been closed refused. -EMailTextProposalClosedRefusedWeb=Proposal %s has been closed refuse on portal page. +EMailTextProposalClosedSignedWeb=Đề xuất %s đã bị đóng và được ký trên trang cổng thông tin. +EMailTextProposalClosedRefused=Đề xuất %s đã bị đóng và bị từ chối. +EMailTextProposalClosedRefusedWeb=Đề xuất %s đã bị đóng từ chối trên trang cổng thông tin. EMailTextOrderValidated=Đơn hàng %s đã được xác nhận. -EMailTextOrderClose=Order %s has been delivered. -EMailTextOrderApproved=Đơn hàng %s đã được phê duyệt. -EMailTextOrderValidatedBy=Đơn hàng %s đã được ghi lại bởi %s. -EMailTextOrderApprovedBy=Đơn hàng %s đã được phê duyệt bởi %s . -EMailTextOrderRefused=Đơn hàng %s đã bị từ chối. -EMailTextOrderRefusedBy=Đơn hàng %s đã bị từ chối bởi %s . +EMailTextOrderClose=Đơn hàng %s đã được giao. +EMailTextSupplierOrderApprovedBy=Đơn đặt hàng %s đã được phê duyệt bởi %s. +EMailTextSupplierOrderValidatedBy=Đơn đặt hàng %s đã được ghi lại bởi %s. +EMailTextSupplierOrderSubmittedBy=Đơn đặt hàng %s đã được gửi bởi %s. +EMailTextSupplierOrderRefusedBy=Đơn đặt hàng %s đã bị từ chối bởi %s. EMailTextExpeditionValidated=Vận chuyển %s đã được xác nhận. EMailTextExpenseReportValidated=Báo cáo chi phí %s đã được xác nhận. EMailTextExpenseReportApproved=Báo cáo chi phí %s đã được phê duyệt. EMailTextHolidayValidated=Yêu cầu nghỉ phép %s đã được xác nhận. EMailTextHolidayApproved=Yêu cầu nghỉ phép %s đã được phê duyệt. -EMailTextActionAdded=The action %s has been added to the Agenda. +EMailTextActionAdded=Hành động %s đã được thêm vào Chương trình làm việc. ImportedWithSet=Thiết lập nhập dữ liệu DolibarrNotification=Thông báo tự động ResizeDesc=Nhập chiều rộng mới HOẶC chiều cao mới. Tỷ lệ sẽ được giữ trong khi thay đổi kích thước ... @@ -245,7 +251,7 @@ NewKeyIs=Đây là chìa khóa mới để đăng nhập NewKeyWillBe=Khóa mới của bạn để đăng nhập vào phần mềm sẽ được ClickHereToGoTo=Click vào đây để đi đến% s YouMustClickToChange=Tuy nhiên, trước tiên bạn phải nhấp vào liên kết sau đây để xác nhận thay đổi mật khẩu này -ConfirmPasswordChange=Confirm password change +ConfirmPasswordChange=Xác nhận thay đổi mật khẩu ForgetIfNothing=Nếu bạn không yêu cầu thay đổi này, chỉ cần quên email này. Thông tin của bạn được lưu giữ an toàn. IfAmountHigherThan=Nếu số tiền cao hơn %s SourcesRepository=Kho lưu trữ cho các nguồn @@ -254,10 +260,10 @@ PassEncoding=Mã hóa mật khẩu PermissionsAdd=Quyền được thêm PermissionsDelete=Quyền đã bị xóa YourPasswordMustHaveAtLeastXChars=Mật khẩu của bạn phải có ít nhất %s ký tự -PasswordNeedAtLeastXUpperCaseChars=The password need at least %s upper case chars -PasswordNeedAtLeastXDigitChars=The password need at least %s numeric chars -PasswordNeedAtLeastXSpecialChars=The password need at least %s special chars -PasswordNeedNoXConsecutiveChars=The password must not have %s consecutive similar chars +PasswordNeedAtLeastXUpperCaseChars=Mật khẩu cần ít nhất %s ký tự viết hoa +PasswordNeedAtLeastXDigitChars=Mật khẩu cần ít nhất %s ký tự số +PasswordNeedAtLeastXSpecialChars=Mật khẩu cần ít nhất %s ký tự đặc biệt +PasswordNeedNoXConsecutiveChars=Mật khẩu không được có %s ký tự tương tự liên tiếp YourPasswordHasBeenReset=Mật khẩu của bạn đã được đặt lại thành công ApplicantIpAddress=Địa chỉ IP của người nộp đơn SMSSentTo=SMS được gửi tới %s @@ -267,8 +273,8 @@ ContactCreatedByEmailCollector=Liên hệ / địa chỉ được tạo bởi tr ProjectCreatedByEmailCollector=Dự án được tạo bởi trình thu thập email từ email MSGID %s TicketCreatedByEmailCollector=Vé được tạo bởi trình thu thập email từ email MSGID %s OpeningHoursFormatDesc=Sử dụng một - để tách giờ mở và đóng cửa.
      Sử dụng một khoảng trắng để nhập các phạm vi khác nhau.
      Ví dụ: 8-12 14-18 -SuffixSessionName=Suffix for session name -LoginWith=Login with %s +SuffixSessionName=Hậu tố cho tên phiên +LoginWith=Đăng nhập bằng %s ##### Export ##### ExportsArea=Khu vực xuất khẩu @@ -289,41 +295,44 @@ LinesToImport=Dòng để nhập MemoryUsage=Sử dụng bộ nhớ RequestDuration=Thời hạn yêu cầu -ProductsPerPopularity=Products/Services by popularity -PopuProp=Sản phẩm/Dịch vụ phổ biến trong Đơn đề xuất -PopuCom=Sản phẩm/dịch vụ phổ biến trong Đơn hàng -ProductStatistics=Thống kê sản phẩm/dịch vụ +ProductsServicesPerPopularity=Sản phẩm|Dịch vụ theo mức độ phổ biến +ProductsPerPopularity=Sản phẩm theo mức độ phổ biến +ServicesPerPopularity=Dịch vụ theo mức độ phổ biến +PopuProp=Sản phẩm|Dịch vụ theo mức độ phổ biến trong Đề xuất +PopuCom=Sản phẩm|Dịch vụ theo mức độ phổ biến trong Đơn hàng +ProductStatistics=Sản phẩm|Dịch vụ Thống kê NbOfQtyInOrders=Số lượng đã đặt hàng -SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... +SelectTheTypeOfObjectToAnalyze=Chọn một đối tượng để xem số liệu thống kê của nó... -ConfirmBtnCommonContent = Are you sure you want to "%s" ? -ConfirmBtnCommonTitle = Confirm your action +ConfirmBtnCommonContent = Bạn có chắc chắn muốn "%s" không? +ConfirmBtnCommonTitle = Xác nhận hành động của bạn CloseDialog = Đóng -Autofill = Autofill +Autofill = Tự động điền +OrPasteAnURL=hoặc Dán một URL # externalsite ExternalSiteSetup=Thiết lập liên kết đến trang web bên ngoài -ExternalSiteURL=External Site URL of HTML iframe content +ExternalSiteURL=URL trang web bên ngoài của nội dung iframe HTML ExternalSiteModuleNotComplete=Mô-đun trang web bên ngoài được cấu hình không đúng. ExampleMyMenuEntry=Mục menu của tôi # ftp -FTPClientSetup=FTP or SFTP Client module setup -NewFTPClient=New FTP/SFTP connection setup -FTPArea=FTP/SFTP Area -FTPAreaDesc=This screen shows a view of an FTP et SFTP server. -SetupOfFTPClientModuleNotComplete=The setup of the FTP or SFTP client module seems to be incomplete -FTPFeatureNotSupportedByYourPHP=Your PHP does not support FTP or SFTP functions -FailedToConnectToFTPServer=Failed to connect to server (server %s, port %s) -FailedToConnectToFTPServerWithCredentials=Failed to login to server with defined login/password +FTPClientSetup=Thiết lập mô-đun máy khách FTP hoặc SFTP +NewFTPClient=Thiết lập kết nối FTP/SFTP mới +FTPArea=Khu vực FTP/SFTP +FTPAreaDesc=Màn hình này hiển thị chế độ xem máy chủ FTP và SFTP. +SetupOfFTPClientModuleNotComplete=Quá trình thiết lập mô-đun máy khách FTP hoặc SFTP dường như chưa hoàn tất +FTPFeatureNotSupportedByYourPHP=PHP của bạn không hỗ trợ chức năng FTP hoặc SFTP +FailedToConnectToFTPServer=Không thể kết nối với máy chủ (máy chủ %s, cổng %s) +FailedToConnectToFTPServerWithCredentials=Không thể đăng nhập vào máy chủ với thông tin đăng nhập/mật khẩu được xác định FTPFailedToRemoveFile=Không thể xóa bỏ các tập tin %s. FTPFailedToRemoveDir=Không thể xóa thư mục %s : kiểm tra quyền và thư mục đó là rỗng. FTPPassiveMode=Chế độ thụ động -ChooseAFTPEntryIntoMenu=Choose a FTP/SFTP site from the menu... +ChooseAFTPEntryIntoMenu=Chọn một trang FTP/SFTP từ menu... FailedToGetFile=Lỗi khi tải tệp tin %s -ErrorFTPNodisconnect=Error to disconnect FTP/SFTP server -FileWasUpload=File %s was uploaded -FTPFailedToUploadFile=Failed to upload the file %s. -AddFolder=Create folder -FileWasCreateFolder=Folder %s has been created -FTPFailedToCreateFolder=Failed to create folder %s. +ErrorFTPNodisconnect=Lỗi ngắt kết nối máy chủ FTP/SFTP +FileWasUpload=Tệp %s đã được tải lên +FTPFailedToUploadFile=Không tải được tệp lên %s. +AddFolder=Tạo thư mục +FileWasCreateFolder=Thư mục %s đã được tạo +FTPFailedToCreateFolder=Không tạo được thư mục %s. diff --git a/htdocs/langs/vi_VN/partnership.lang b/htdocs/langs/vi_VN/partnership.lang index 162589515a6..16b49fac8a8 100644 --- a/htdocs/langs/vi_VN/partnership.lang +++ b/htdocs/langs/vi_VN/partnership.lang @@ -16,77 +16,84 @@ # # Generic # -ModulePartnershipName=Partnership management -PartnershipDescription=Module Partnership management -PartnershipDescriptionLong= Module Partnership management -Partnership=Partnership -AddPartnership=Add partnership -CancelPartnershipForExpiredMembers=Partnership: Cancel partnership of members with expired subscriptions -PartnershipCheckBacklink=Partnership: Check referring backlink +ModulePartnershipName=Quản lý quan hệ đối tác +PartnershipDescription=Mô-đun quản lý quan hệ đối tác +PartnershipDescriptionLong= Mô-đun quản lý quan hệ đối tác +Partnership=quan hệ đối tác +Partnerships=Quan hệ đối tác +AddPartnership=Thêm quan hệ đối tác +CancelPartnershipForExpiredMembers=Quan hệ đối tác: Hủy quan hệ đối tác của các thành viên với đăng ký đã hết hạn +PartnershipCheckBacklink=Quan hệ đối tác: Kiểm tra backlink giới thiệu # # Menu # -NewPartnership=New Partnership -ListOfPartnerships=List of partnership +NewPartnership=Quan hệ đối tác mới +NewPartnershipbyWeb=Yêu cầu hợp tác của bạn đã được thêm thành công. Chúng tôi có thể liên hệ với bạn sớm... +ListOfPartnerships=Danh sách hợp tác # # Admin page # -PartnershipSetup=Partnership setup -PartnershipAbout=About Partnership -PartnershipAboutPage=Partnership about page -partnershipforthirdpartyormember=Partner status must be set on a 'thirdparty' or a 'member' -PARTNERSHIP_IS_MANAGED_FOR=Partnership managed for -PARTNERSHIP_BACKLINKS_TO_CHECK=Backlinks to check -PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb of days before cancelling status of a partnership when a subscription has expired -ReferingWebsiteCheck=Check of website referring -ReferingWebsiteCheckDesc=You can enable a feature to check that your partners has added a backlink to your website domains on their own website. +PartnershipSetup=Thiết lập quan hệ đối tác +PartnershipAbout=Giới thiệu về quan hệ đối tác +PartnershipAboutPage=Quan hệ đối tác về trang +partnershipforthirdpartyormember=Trạng thái đối tác phải được đặt thành 'bên thứ ba' hoặc 'thành viên' +PARTNERSHIP_IS_MANAGED_FOR=Quan hệ đối tác được quản lý cho +PARTNERSHIP_BACKLINKS_TO_CHECK=Liên kết ngược để kiểm tra +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb ngày trước khi hủy trạng thái hợp tác khi đăng ký đã hết hạn +ReferingWebsiteCheck=Kiểm tra trang web giới thiệu +ReferingWebsiteCheckDesc=Bạn có thể bật tính năng để kiểm tra xem đối tác của bạn đã thêm liên kết ngược vào tên miền trang web của bạn trên trang web riêng của họ chưa. +PublicFormRegistrationPartnerDesc=Dolibarr có thể cung cấp cho bạn URL/trang web công khai để cho phép khách truy cập bên ngoài yêu cầu tham gia chương trình hợp tác. # # Object # -DeletePartnership=Delete a partnership -PartnershipDedicatedToThisThirdParty=Partnership dedicated to this third party -PartnershipDedicatedToThisMember=Partnership dedicated to this member +DeletePartnership=Xóa quan hệ đối tác +PartnershipDedicatedToThisThirdParty=Quan hệ đối tác dành riêng cho bên thứ ba này +PartnershipDedicatedToThisMember=Quan hệ đối tác dành riêng cho thành viên này DatePartnershipStart=Ngày bắt đầu DatePartnershipEnd=Ngày kết thúc -ReasonDecline=Decline reason -ReasonDeclineOrCancel=Decline reason -PartnershipAlreadyExist=Partnership already exist -ManagePartnership=Manage partnership -BacklinkNotFoundOnPartnerWebsite=Backlink not found on partner website -ConfirmClosePartnershipAsk=Are you sure you want to cancel this partnership? -PartnershipType=Partnership type -PartnershipRefApproved=Partnership %s approved - -# -# Template Mail -# -SendingEmailOnPartnershipWillSoonBeCanceled=Partnership will soon be canceled -SendingEmailOnPartnershipRefused=Partnership refused -SendingEmailOnPartnershipAccepted=Partnership accepted -SendingEmailOnPartnershipCanceled=Partnership canceled - -YourPartnershipWillSoonBeCanceledTopic=Partnership will soon be canceled -YourPartnershipRefusedTopic=Partnership refused -YourPartnershipAcceptedTopic=Partnership accepted -YourPartnershipCanceledTopic=Partnership canceled - -YourPartnershipWillSoonBeCanceledContent=We inform you that your partnership will soon be canceled (Backlink not found) -YourPartnershipRefusedContent=We inform you that your partnership request has been refused. -YourPartnershipAcceptedContent=We inform you that your partnership request has been accepted. -YourPartnershipCanceledContent=We inform you that your partnership has been canceled. - -CountLastUrlCheckError=Number of errors for last URL check -LastCheckBacklink=Date of last URL check -ReasonDeclineOrCancel=Decline reason - -# -# Status -# +ReasonDecline=Lý do từ chối +ReasonDeclineOrCancel=Lý do từ chối +PartnershipAlreadyExist=Quan hệ đối tác đã tồn tại +ManagePartnership=Quản lý quan hệ đối tác +BacklinkNotFoundOnPartnerWebsite=Không tìm thấy backlink trên trang web đối tác +ConfirmClosePartnershipAsk=Bạn có chắc chắn muốn hủy bỏ mối quan hệ hợp tác này không? +PartnershipType=Loại hình hợp tác +PartnershipRefApproved=Đã phê duyệt quan hệ đối tác %s +KeywordToCheckInWebsite=Nếu bạn muốn kiểm tra xem một từ khóa nhất định có xuất hiện trên trang web của từng đối tác hay không, hãy xác định từ khóa này tại đây PartnershipDraft=Dự thảo PartnershipAccepted=Đã được chấp nhận PartnershipRefused=Bị từ chối PartnershipCanceled=Đã hủy -PartnershipManagedFor=Partners are +PartnershipManagedFor=Đối tác là + +# +# Template Mail +# +SendingEmailOnPartnershipWillSoonBeCanceled=Quan hệ đối tác sẽ sớm bị hủy bỏ +SendingEmailOnPartnershipRefused=Quan hệ đối tác bị từ chối +SendingEmailOnPartnershipAccepted=Đã chấp nhận quan hệ đối tác +SendingEmailOnPartnershipCanceled=Đã hủy quan hệ đối tác + +YourPartnershipWillSoonBeCanceledTopic=Quan hệ đối tác sẽ sớm bị hủy bỏ +YourPartnershipRefusedTopic=Quan hệ đối tác bị từ chối +YourPartnershipAcceptedTopic=Đã chấp nhận quan hệ đối tác +YourPartnershipCanceledTopic=Đã hủy quan hệ đối tác + +YourPartnershipWillSoonBeCanceledContent=Chúng tôi muốn thông báo cho bạn rằng mối quan hệ hợp tác của chúng tôi sẽ sớm bị hủy bỏ (chúng tôi chưa được gia hạn hoặc chưa đáp ứng được điều kiện tiên quyết cho mối quan hệ hợp tác của chúng tôi). Vui lòng liên hệ với chúng tôi nếu bạn nhận được thông tin này do nhầm lẫn. +YourPartnershipRefusedContent=Chúng tôi muốn thông báo cho bạn rằng yêu cầu hợp tác của bạn đã bị từ chối. Điều kiện tiên quyết chưa được đáp ứng. Vui lòng liên hệ với chúng tôi nếu bạn cần thêm thông tin. +YourPartnershipAcceptedContent=Chúng tôi muốn thông báo cho bạn rằng yêu cầu hợp tác của bạn đã được chấp nhận. +YourPartnershipCanceledContent=Chúng tôi muốn thông báo cho bạn rằng quan hệ đối tác của chúng tôi đã bị hủy bỏ. Vui lòng liên hệ với chúng tôi nếu bạn cần thêm thông tin. + +CountLastUrlCheckError=Số lỗi trong lần kiểm tra URL cuối cùng +LastCheckBacklink=Ngày kiểm tra URL lần cuối +ReasonDeclineOrCancel=Lý do từ chối + +NewPartnershipRequest=Yêu cầu hợp tác mới +NewPartnershipRequestDesc=Biểu mẫu này cho phép bạn yêu cầu tham gia một trong các chương trình hợp tác của chúng tôi. Nếu bạn cần trợ giúp để điền vào biểu mẫu này, vui lòng liên hệ qua email %s. +ThisUrlMustContainsAtLeastOneLinkToWebsite=Trang này phải chứa ít nhất một liên kết đến một trong các tên miền sau: %s + +IPOfApplicant=IP của người nộp đơn + diff --git a/htdocs/langs/vi_VN/paybox.lang b/htdocs/langs/vi_VN/paybox.lang index 0d14e75bdc8..95e0f96b1ff 100644 --- a/htdocs/langs/vi_VN/paybox.lang +++ b/htdocs/langs/vi_VN/paybox.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - paybox PayBoxSetup=Thiết lập mô-đun PayBox -PayBoxDesc=Mô-đun này cung cấp các trang để cho phép thanh toán trên Paybox của khách hàng. Điều này có thể được sử dụng để thanh toán tự do hoặc thanh toán cho một đối tượng Dolibarr cụ thể (hóa đơn, đơn đặt hàng, ...) +PayBoxDesc=Mô-đun này cung cấp các trang cho phép thanh toán trên Paybox của khách hàng. Điều này có thể được sử dụng cho thanh toán miễn phí hoặc cho thanh toán trên một đối tượng Dolibarr cụ thể (hóa đơn, đơn đặt hàng, ...) FollowingUrlAreAvailableToMakePayments=Các URL sau có sẵn để cung cấp một trang cho khách hàng để thanh toán trên các đối tượng Dolibarr PaymentForm=Hình thức thanh toán WelcomeOnPaymentPage=Chào mừng bạn đến với dịch vụ thanh toán trực tuyến của chúng tôi @@ -20,7 +20,6 @@ AccountParameter=Thông số tài khoản UsageParameter=Thông số sử dụng InformationToFindParameters=Trợ giúp tìm thông tin tài khoản %s của bạn PAYBOX_CGI_URL_V2=Url của mô-đun Paybox CGI để thanh toán -VendorName=Tên nhà cung cấp CSSUrlForPaymentForm=CSS style sheet Url cho hình thức thanh toán NewPayboxPaymentReceived=Thanh toán Paybox mới nhận được NewPayboxPaymentFailed=Thanh toán Paybox mới đã thử nhưng không thành công diff --git a/htdocs/langs/vi_VN/printing.lang b/htdocs/langs/vi_VN/printing.lang index a40b3e9cbc4..727bb4768e7 100644 --- a/htdocs/langs/vi_VN/printing.lang +++ b/htdocs/langs/vi_VN/printing.lang @@ -1,10 +1,10 @@ # Dolibarr language file - Source file is en_US - printing -Module64000Name=One click Printing -Module64000Desc=Enable One click Printing System -PrintingSetup=Setup of One click Printing System -PrintingDesc=This module adds a Print button to various modules to allow documents to be printed directly to a printer with no need to open the document into another application. -MenuDirectPrinting=One click Printing jobs -DirectPrint=One click Print +Module64000Name=In bằng một cú nhấp chuột +Module64000Desc=Kích hoạt hệ thống in bằng một cú nhấp chuột +PrintingSetup=Thiết lập hệ thống in bằng một cú nhấp chuột +PrintingDesc=Mô-đun này thêm nút In vào các mô-đun khác nhau để cho phép tài liệu được in trực tiếp tới máy in mà không cần phải mở tài liệu sang ứng dụng khác. +MenuDirectPrinting=Công việc in ấn chỉ bằng một cú nhấp chuột +DirectPrint=In bằng một cú nhấp chuột PrintingDriverDesc=Các biến cấu hình cho trình điều khiển in. ListDrivers=Danh sách trình điều khiển PrintTestDesc=Danh sách máy in. diff --git a/htdocs/langs/vi_VN/productbatch.lang b/htdocs/langs/vi_VN/productbatch.lang index 16872418ba1..ed2a59faf09 100644 --- a/htdocs/langs/vi_VN/productbatch.lang +++ b/htdocs/langs/vi_VN/productbatch.lang @@ -1,10 +1,10 @@ # ProductBATCH language file - Source file is en_US - ProductBATCH ManageLotSerial=Sử dụng số lô / số sê-ri -ProductStatusOnBatch=Yes (lot required) -ProductStatusOnSerial=Yes (unique serial number required) +ProductStatusOnBatch=Có (yêu cầu rất nhiều) +ProductStatusOnSerial=Có (yêu cầu số sê-ri duy nhất) ProductStatusNotOnBatch=Không (lô/ sê-ri không sử dụng) -ProductStatusOnBatchShort=Lot -ProductStatusOnSerialShort=Serial +ProductStatusOnBatchShort=Nhiều +ProductStatusOnSerialShort=nối tiếp ProductStatusNotOnBatchShort=Không Batch=Lô/ Sê-ri atleast1batchfield=Hạn sử dụng hoặc Hạn bán hoặc Lô / Số sê-ri @@ -17,31 +17,33 @@ printBatch=Lô/ Sê-ri: %s printEatby=Ăn theo: %s printSellby=Bán theo: %s printQty=SL: %d -printPlannedWarehouse=Warehouse: %s +printPlannedWarehouse=Kho: %s AddDispatchBatchLine=Thêm một dòng cho Thời hạn sử dụng -WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic stock decrease is forced to '%s' and automatic increase mode is forced to '%s'. Some choices may be not available. Other options can be defined as you want. +WhenProductBatchModuleOnOptionAreForced=Khi mô-đun Lot/Serial được bật, việc giảm hàng tồn kho tự động buộc phải thành '%s' và chế độ tự động tăng hàng hóa buộc phải thành '%s '. Một số lựa chọn có thể không có sẵn. Các tùy chọn khác có thể được xác định theo ý muốn của bạn. ProductDoesNotUseBatchSerial=Sản phẩm này không sử dụng số Lô/ Sê-ri ProductLotSetup=Thiết lập mô-đun Lô/ Sê-ri ShowCurrentStockOfLot=Hiển thị tồn kho hiện tại cho cặp sản phẩm/ lô ShowLogOfMovementIfLot=Hiển thị nhật ký biến động kho cho cặp sản phẩm/ lô StockDetailPerBatch=Chi tiết tồn kho trên mỗi lô -SerialNumberAlreadyInUse=Serial number %s is already used for product %s -TooManyQtyForSerialNumber=You can only have one product %s for serial number %s -ManageLotMask=Custom mask -CustomMasks=Option to define a different numbering mask for each product -BatchLotNumberingModules=Numbering rule for automatic generation of lot number -BatchSerialNumberingModules=Numbering rule for automatic generation of serial number (for products with property 1 unique lot/serial for each product) -QtyToAddAfterBarcodeScan=Qty to %s for each barcode/lot/serial scanned -LifeTime=Life span (in days) -EndOfLife=End of life -ManufacturingDate=Manufacturing date -DestructionDate=Destruction date -FirstUseDate=First use date -QCFrequency=Quality control frequency (in days) -ShowAllLots=Show all lots -HideLots=Hide lots +SerialNumberAlreadyInUse=Số sê-ri %s đã được sử dụng cho sản phẩm %s +TooManyQtyForSerialNumber=Bạn chỉ có thể có một sản phẩm %s với số sê-ri %s +ManageLotMask=Mặt nạ tùy chỉnh +CustomMasks=Tùy chọn xác định mặt nạ đánh số khác nhau cho từng sản phẩm +BatchLotNumberingModules=Quy tắc đánh số để tự động tạo số lô +BatchSerialNumberingModules=Quy tắc đánh số để tự động tạo số sê-ri (đối với sản phẩm có thuộc tính 1 lô/serial duy nhất cho mỗi sản phẩm) +QtyToAddAfterBarcodeScan=Số lượng đến %s cho mỗi mã vạch/lô/sê-ri được quét +LifeTime=Tuổi thọ (tính theo ngày) +EndOfLife=Cuối cuộc đời +ManufacturingDate=Ngày sản xuất +DestructionDate=Ngày tiêu hủy +FirstUseDate=Ngày sử dụng đầu tiên +QCFrequency=Tần suất kiểm soát chất lượng (ngày) +ShowAllLots=Hiển thị tất cả các lô +HideLots=Ẩn lô #Traceability - qc status -OutOfOrder=Out of order -InWorkingOrder=In working order -ToReplace=Replace -CantMoveNonExistantSerial=Error. You ask a move on a record for a serial that does not exists anymore. May be you take the same serial on same warehouse several times in same shipment or it was used by another shipment. Remove this shipment and prepare another one. +OutOfOrder=Không theo thứ tự +InWorkingOrder=Để làm việc +ToReplace=Thay thế +CantMoveNonExistantSerial=Lỗi. Bạn yêu cầu chuyển bản ghi cho một sê-ri không còn tồn tại nữa. Có thể bạn lấy cùng một số serial trên cùng một kho hàng nhiều lần trong cùng một lô hàng hoặc nó đã được sử dụng bởi một lô hàng khác. Loại bỏ lô hàng này và chuẩn bị một lô hàng khác. +TableLotIncompleteRunRepairWithParamStandardEqualConfirmed=Sửa chữa bảng lô không đầy đủ với tham số '...repair.php?standard=confirmed' +IlligalQtyForSerialNumbers= Cần phải chỉnh sửa chứng khoán vì số sê-ri duy nhất. diff --git a/htdocs/langs/vi_VN/products.lang b/htdocs/langs/vi_VN/products.lang index 5575d05bbc3..b1784fb8996 100644 --- a/htdocs/langs/vi_VN/products.lang +++ b/htdocs/langs/vi_VN/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Dịch vụ chỉ để bán ServicesOnPurchaseOnly=Dịch vụ chỉ để mua ServicesNotOnSell=Dịch vụ không để bán, không mua ServicesOnSellAndOnBuy=Dịch vụ để bán và mua -LastModifiedProductsAndServices=Latest %s products/services which were modified +LastModifiedProductsAndServices=Sản phẩm/dịch vụ %s mới nhất đã được sửa đổi LastRecordedProducts=%s sản phẩm mới được ghi lại LastRecordedServices=%s dịch vụ mới được ghi lại CardProduct0=Sản phẩm @@ -73,15 +73,18 @@ SellingPrice=Giá bán SellingPriceHT=Giá bán (chưa thuế) SellingPriceTTC=Giá bán (đã có thuế.) SellingMinPriceTTC=Giá bán tối thiểu (gồm thuế) -CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. +CostPriceDescription=Trường giá này (không bao gồm thuế) có thể được sử dụng để nắm bắt số tiền trung bình mà sản phẩm này mang lại cho công ty của bạn. Đó có thể là bất kỳ mức giá nào bạn tự tính toán, ví dụ, từ giá mua trung bình cộng với chi phí sản xuất và phân phối trung bình. CostPriceUsage=Giá trị này sẽ được sử dụng cho tính toán biên độ lợi nhuận -ManufacturingPrice=Manufacturing price +ManufacturingPrice=Giá sản xuất SoldAmount=Tổng bán PurchasedAmount=Tổng mua NewPrice=Giá mới -MinPrice=Min. selling price +MinPrice=Tối thiểu. gia ban +MinPriceHT=Tối thiểu. giá bán (chưa bao gồm thuế) +MinPriceTTC=Tối thiểu. giá bán (đã bao gồm thuế) EditSellingPriceLabel=Sửa đổi nhãn giá bán -CantBeLessThanMinPrice=Giá bán không thấp hơn mức tối thiểu được cho phép của sản phẩm này (%s chưa thuế). Thông điệp này chỉ xuất hiện khi bạn nhập giảm giá quá lớn. +CantBeLessThanMinPrice=Giá bán không được thấp hơn mức tối thiểu cho phép đối với sản phẩm này (%s chưa bao gồm thuế). Thông báo này cũng có thể xuất hiện nếu bạn nhập giảm giá đáng kể. +CantBeLessThanMinPriceInclTax=Giá bán không được thấp hơn mức tối thiểu cho phép đối với sản phẩm này (%s bao gồm thuế). Thông báo này cũng có thể xuất hiện nếu bạn nhập mức giảm giá quá quan trọng. ContractStatusClosed=Đã đóng ErrorProductAlreadyExists=Một sản phẩm với tham chiếu %s đã tồn tại. ErrorProductBadRefOrLabel=Sai giá trị tham chiếu hoặc nhãn @@ -105,25 +108,25 @@ SetDefaultBarcodeType=Đặt loại mã vạch BarcodeValue=Giá trị mã vạch NoteNotVisibleOnBill=Ghi chú (không hiển thị trên hóa đơn, đơn hàng đề xuất ...) ServiceLimitedDuration=Nếu sản phẩm là một dịch vụ có giới hạn thời gian: -FillWithLastServiceDates=Fill with last service line dates +FillWithLastServiceDates=Điền ngày dòng dịch vụ cuối cùng MultiPricesAbility=Nhiều phân khúc giá cho mỗi sản phẩm/ dịch vụ (mỗi khách hàng một phân khúc giá) MultiPricesNumPrices=Số lượng Giá -DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices -AssociatedProductsAbility=Enable Kits (set of several products) -VariantsAbility=Enable Variants (variations of products, for example color, size) -AssociatedProducts=Kits -AssociatedProductsNumber=Number of products composing this kit +DefaultPriceType=Cơ sở giá mặc định (có thuế so với không có thuế) khi thêm giá ưu đãi mới +AssociatedProductsAbility=Kích hoạt Bộ công cụ (bộ một số sản phẩm) +VariantsAbility=Bật các biến thể (các biến thể của sản phẩm, ví dụ như màu sắc, kích thước) +AssociatedProducts=Bộ dụng cụ +AssociatedProductsNumber=Số lượng sản phẩm tạo nên bộ sản phẩm này ParentProductsNumber=Số lượng của gói sản phẩm gốc ParentProducts=Sản phẩm cha -IfZeroItIsNotAVirtualProduct=If 0, this product is not a kit -IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit +IfZeroItIsNotAVirtualProduct=Nếu 0, sản phẩm này không phải là một bộ sản phẩm +IfZeroItIsNotUsedByVirtualProduct=Nếu là 0 thì sản phẩm này chưa được bộ nào sử dụng KeywordFilter=Bộ lọc từ khóa CategoryFilter=Bộ lọc phân nhóm ProductToAddSearch=Tìm kiếm sản phẩm để thêm NoMatchFound=Không tìm thấy ListOfProductsServices=Danh sách sản phẩm/dịch vụ -ProductAssociationList=List of products/services that are component(s) of this kit -ProductParentList=List of kits with this product as a component +ProductAssociationList=Danh sách các sản phẩm/dịch vụ là (các) thành phần của bộ sản phẩm này +ProductParentList=Danh sách các bộ dụng cụ có sản phẩm này là một thành phần ErrorAssociationIsFatherOfThis=Một trong những sản phẩm được chọn là gốc của sản phẩm hiện tại DeleteProduct=Xóa một sản phẩm/dịch vụ ConfirmDeleteProduct=Bạn có chắc muốn xóa sản phẩm/dịch vụ này ? @@ -137,13 +140,13 @@ ConfirmDeleteProductLine=Bạn Bạn có chắc chắn muốn xóa dòng sản p ProductSpecial=Đặc biệt QtyMin=S.lượng mua tối thiểu PriceQtyMin=Giá cho s.lượng tối thiểu -PriceQtyMinCurrency=Price (currency) for this qty. -WithoutDiscount=Without discount +PriceQtyMinCurrency=Giá (tiền tệ) cho số lượng này. +WithoutDiscount=Không giảm giá VATRateForSupplierProduct=Tỷ lệ VAT (cho nhà cung cấp/ sản phẩm này) DiscountQtyMin=Chiết khấu cho s.lượng này NoPriceDefinedForThisSupplier=Không có giá/ s.lượng được định rõ cho nhà cung cấp/ sản phẩm này NoSupplierPriceDefinedForThisProduct=Không có giá/ s.lượng của nhà cung cấp được định rõ cho sản phẩm này -PredefinedItem=Predefined item +PredefinedItem=Mục được xác định trước PredefinedProductsToSell=Sản phẩm định sẵn PredefinedServicesToSell=Dịch vụ định sẵn PredefinedProductsAndServicesToSell=Sản phẩm/dịch vụ định sẵn để bán @@ -159,11 +162,11 @@ ListServiceByPopularity=Danh sách các dịch vụ phổ biến Finished=Thành phẩm RowMaterial=Nguyên liệu ConfirmCloneProduct=Bạn có chắc muốn sao chép sản phẩm này %s ? -CloneContentProduct=Clone all main information of the product/service +CloneContentProduct=Sao chép toàn bộ thông tin chính của sản phẩm/dịch vụ ClonePricesProduct=Sao chép giá -CloneCategoriesProduct=Clone linked tags/categories -CloneCompositionProduct=Clone virtual products/services -CloneCombinationsProduct=Clone the product variants +CloneCategoriesProduct=Sao chép các thẻ/danh mục được liên kết +CloneCompositionProduct=Sao chép sản phẩm/dịch vụ ảo +CloneCombinationsProduct=Sao chép các biến thể sản phẩm ProductIsUsed=Sản phẩm này đã được dùng NewRefForClone=Tham chiếu sản phẩm/dịch vụ mới SellingPrices=Giá bán @@ -171,13 +174,13 @@ BuyingPrices=Giá mua CustomerPrices=Giá khách hàng SuppliersPrices=Giá nhà cung cấp SuppliersPricesOfProductsOrServices=Giá nhà cung cấp (của sản phẩm hoặc dịch vụ) -CustomCode=Customs|Commodity|HS code -CountryOrigin=Country of origin -RegionStateOrigin=Region of origin -StateOrigin=State|Province of origin -Nature=Nature of product (raw/manufactured) -NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or manufactured product +CustomCode=Hải quan|Hàng hóa|Mã HS +CountryOrigin=Nước xuất xứ +RegionStateOrigin=Khu vực xuất xứ +StateOrigin=Bang|Tỉnh xuất xứ +Nature=Bản chất của sản phẩm (thô/sản xuất) +NatureOfProductShort=Bản chất của sản phẩm +NatureOfProductDesc=Nguyên liệu thô hoặc sản phẩm được sản xuất ShortLabel=Nhãn ngắn Unit=Đơn vị p=u. @@ -245,7 +248,7 @@ AlwaysUseFixedPrice=Sử dụng giá cố định PriceByQuantity=Giá thay đổi theo số lượng DisablePriceByQty=Vô hiệu giá theo số lượng PriceByQuantityRange=Phạm vi số lượng -MultipriceRules=Automatic prices for segment +MultipriceRules=Giá tự động cho phân khúc UseMultipriceRules=Sử dụng các quy tắc phân khúc giá (được định nghĩa bên trong thiết lập module sản phẩm) để tự động tính giá của tất cả phân khúc giá khác dựa theo phân khúc đầu tiên PercentVariationOver=%% biến đổi hơn %s PercentDiscountOver=%% giảm giá hơn %s @@ -262,7 +265,7 @@ Quarter1=Quý 1 Quarter2=Quý 2 Quarter3=Quý 3 Quarter4=Quý 4 -BarCodePrintsheet=Print barcodes +BarCodePrintsheet=In mã vạch PageToGenerateBarCodeSheets=Với công cụ này, bạn có thể in các tờ giấy dán mã vạch. Chọn định dạng của nhãn dán, loại mã vạch và giá trị của mã vạch, sau đó nhấp vào nút %s . NumberOfStickers=Số lượng nhãn để in trên trang PrintsheetForOneBarCode=In nhiều nhãn cho một mã vạch @@ -279,7 +282,7 @@ PriceByCustomer=Giá khác nhau cho mỗi khách hàng PriceCatalogue=Giá bán lẻ cho từng sản phẩm/dịch vụ PricingRule=Quy tắc cho giá bán AddCustomerPrice=Thêm giá theo khách hàng -ForceUpdateChildPriceSoc=Set same price on customer's subsidiaries +ForceUpdateChildPriceSoc=Đặt cùng một mức giá cho các công ty con của khách hàng PriceByCustomerLog=Nhật ký giá trước đây của khách hàng MinimumPriceLimit=Giá tối thiểu không thể thấp hơn %s MinimumRecommendedPrice=Giá đề xuất tối thiểu là: %s @@ -293,12 +296,12 @@ PriceExpressionEditorHelp5=Giá trị toàn cầu sẵn có: PriceMode=Chế độ giá PriceNumeric=Số DefaultPrice=giá mặc định -DefaultPriceLog=Log of previous default prices +DefaultPriceLog=Nhật ký giá mặc định trước đó ComposedProductIncDecStock=Tăng/Giảm tồn kho trên thay đổi gốc ComposedProduct=Các sản phẩm con MinSupplierPrice=Giá mua tối thiểu MinCustomerPrice=Giá bán tối thiểu -NoDynamicPrice=No dynamic price +NoDynamicPrice=Không có giá năng động DynamicPriceConfiguration=Cấu hình giá linh hoạt DynamicPriceDesc=Bạn có thể định nghĩa các công thức toán học để tính giá cho Khách hàng hoặc của Nhà cung cấp. Các công thức như vậy có thể sử dụng tất cả các toán tử, hằng số và biến. Ở đây, bạn có thể định nghĩa các biến bạn muốn sử dụng. Nếu biến cần cập nhật tự động, bạn có thể định rõ URL bên ngoài để cho phép Dolibarr tự động cập nhật giá trị. AddVariable=Thêm biến @@ -317,7 +320,7 @@ LastUpdated=Cập nhật mới nhất CorrectlyUpdated=Đã cập nhật chính xác PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is PropalMergePdfProductChooseFile=Chọn file PDF -IncludingProductWithTag=Including products/services with the tag +IncludingProductWithTag=Bao gồm các sản phẩm/dịch vụ có gắn thẻ DefaultPriceRealPriceMayDependOnCustomer=Giá mặc định, giá thực có thể phụ thuộc vào khách hàng WarningSelectOneDocument=Hãy chọn ít nhất một tài liệu DefaultUnitToShow=Đơn vị @@ -343,20 +346,21 @@ ProductSheet=Sản phẩm ServiceSheet=Sheet dịch vụ PossibleValues=Các giá trị có thể GoOnMenuToCreateVairants=Vào menu %s - %s để chuẩn bị các biến thể thuộc tính (như màu sắc, kích thước, ...) -UseProductFournDesc=Add a feature to define the product description defined by the vendors (for each vendor reference) in addition to the description for customers +UseProductFournDesc=Thêm tính năng xác định mô tả sản phẩm do nhà cung cấp xác định (cho từng tài liệu tham khảo của nhà cung cấp) ngoài mô tả dành cho khách hàng ProductSupplierDescription=Mô tả sản phẩm của nhà cung cấp -UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) -PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=You will automaticaly purchase a multiple of this quantity. +UseProductSupplierPackaging=Sử dụng tính năng "đóng gói" để làm tròn số lượng thành một số bội số nhất định (khi thêm/cập nhật dòng trong tài liệu của nhà cung cấp, tính toán lại số lượng và giá mua theo bội số cao hơn được đặt trên giá mua của sản phẩm) +PackagingForThisProduct=Đóng gói số lượng +PackagingForThisProductDesc=Bạn sẽ tự động mua bội số của số lượng này. QtyRecalculatedWithPackaging=Số lượng của dòng được tính toán lại theo đóng gói của nhà cung cấp #Attributes +Attributes=Thuộc tính VariantAttributes=Thuộc tính biến thể ProductAttributes=Thuộc tính biến thể cho sản phẩm ProductAttributeName=Biến thể thuộc tính %s ProductAttribute=Thuộc tính biến thể ProductAttributeDeleteDialog=Bạn có chắc muốn xóa thuộc tính này? Tất cả giá trị sẽ bị xóa -ProductAttributeValueDeleteDialog=Bạn có chắc muốn xóa giá trị "%s" với tham chiếu "%s" của thuộc tính này? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=Bạn có chắc muốn xóa biến thể của sản phẩm " %s " không? ProductCombinationAlreadyUsed=Có lỗi trong khi xóa biến thể. Vui lòng kiểm tra xem nó không được sử dụng trong bất kỳ đối tượng nào ProductCombinations=Các biến thể @@ -371,9 +375,9 @@ SelectCombination=Chọn kết hợp ProductCombinationGenerator=Tạo ra biến thể Features=Các tính năng PriceImpact=Tác động giá -ImpactOnPriceLevel=Impact on price level %s -ApplyToAllPriceImpactLevel= Apply to all levels -ApplyToAllPriceImpactLevelHelp=By clicking here you set the same price impact on all levels +ImpactOnPriceLevel=Tác động đến mức giá %s +ApplyToAllPriceImpactLevel= Áp dụng cho mọi cấp độ +ApplyToAllPriceImpactLevelHelp=Bằng cách nhấp vào đây, bạn đặt tác động giá như nhau lên tất cả các cấp độ WeightImpact=Tác động trọng số NewProductAttribute=Thuộc tính mới NewProductAttributeValue=Giá trị thuộc tính mới @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=Có lỗi trong khi cố gắng xóa biến thể NbOfDifferentValues=Số các giá trị khác nhau NbProducts=Số sản phẩm ParentProduct=Sản phẩm cha +ParentProductOfVariant=Sản phẩm gốc của biến thể HideChildProducts=Ẩn biến thể sản phẩm ShowChildProducts=Hiển thị biến thể sản phẩm NoEditVariants=Đi tới thẻ sản phẩm cha và chỉnh sửa biến thể tác động giá trong tab biến thể @@ -399,34 +404,36 @@ ActionAvailableOnVariantProductOnly=Hành động chỉ có hiệu lực trên b ProductsPricePerCustomer=Giá sản phẩm mỗi khách hàng ProductSupplierExtraFields=Thuộc tính bổ sung (Giá Nhà cung cấp) DeleteLinkedProduct=Xóa sản phẩm con được liên kết với sự kết hợp -AmountUsedToUpdateWAP=Unit amount to use to update the Weighted Average Price +AmountUsedToUpdateWAP=Đơn vị số tiền sử dụng để cập nhật Giá bình quân gia quyền PMPValue=Giá bình quân gia quyền PMPValueShort=WAP -mandatoryperiod=Mandatory periods -mandatoryPeriodNeedTobeSet=Note: Period (start and end date) must be defined -mandatoryPeriodNeedTobeSetMsgValidate=A service requires a start and end period -mandatoryHelper=Check this if you want a message to the user when creating / validating an invoice, commercial proposal, sales order without entering a start and end date on lines with this service.
      Note that the message is a warning and not a blocking error. -DefaultBOM=Default BOM -DefaultBOMDesc=The default BOM recommended to use to manufacture this product. This field can be set only if nature of product is '%s'. -Rank=Rank -MergeOriginProduct=Duplicate product (product you want to delete) -MergeProducts=Merge products -ConfirmMergeProducts=Are you sure you want to merge the chosen product with the current one? All linked objects (invoices, orders, ...) will be moved to the current product, after which the chosen product will be deleted. -ProductsMergeSuccess=Products have been merged -ErrorsProductsMerge=Errors in products merge -SwitchOnSaleStatus=Switch on sale status -SwitchOnPurchaseStatus=Switch on purchase status -UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= Extra Fields (stock mouvement) -InventoryExtraFields= Extra Fields (inventory) -ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes -PuttingPricesUpToDate=Update prices with current known prices -PuttingDescUpToDate=Update descriptions with current known descriptions -PMPExpected=Expected PMP -ExpectedValuation=Expected Valuation -PMPReal=Real PMP -RealValuation=Real Valuation -ConfirmEditExtrafield = Select the extrafield you want modify -ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? -ModifyValueExtrafields = Modify value of an extrafield -OrProductsWithCategories=Or products with tags/categories +mandatoryperiod=Thời gian bắt buộc +mandatoryPeriodNeedTobeSet=Lưu ý: Khoảng thời gian (ngày bắt đầu và ngày kết thúc) phải được xác định +mandatoryPeriodNeedTobeSetMsgValidate=Một dịch vụ yêu cầu khoảng thời gian bắt đầu và kết thúc +mandatoryHelper=Chọn tùy chọn này nếu bạn muốn gửi thông báo tới người dùng khi tạo/xác thực hóa đơn, đề xuất thương mại, đơn đặt hàng mà không cần nhập ngày bắt đầu và ngày kết thúc trên các dòng với dịch vụ này.
      Lưu ý rằng thông báo là một cảnh báo chứ không phải lỗi chặn. +DefaultBOM=BOM mặc định +DefaultBOMDesc=BOM mặc định được khuyến nghị sử dụng để sản xuất sản phẩm này. Bạn chỉ có thể đặt trường này nếu bản chất của sản phẩm là '%s'. +Rank=Thứ hạng +MergeOriginProduct=Sản phẩm trùng lặp (sản phẩm bạn muốn xóa) +MergeProducts=Hợp nhất sản phẩm +ConfirmMergeProducts=Bạn có chắc chắn muốn hợp nhất sản phẩm đã chọn với sản phẩm hiện tại không? Tất cả các đối tượng liên kết (hóa đơn, đơn hàng,...) sẽ được chuyển sang sản phẩm hiện tại, sau đó sản phẩm đã chọn sẽ bị xóa. +ProductsMergeSuccess=Sản phẩm đã được hợp nhất +ErrorsProductsMerge=Lỗi khi hợp nhất sản phẩm +SwitchOnSaleStatus=Bật trạng thái bán hàng +SwitchOnPurchaseStatus=Bật trạng thái mua hàng +UpdatePrice=Tăng/giảm giá khách hàng +StockMouvementExtraFields= Trường bổ sung (chuyển động chứng khoán) +InventoryExtraFields= Trường bổ sung (khoảng không quảng cáo) +ScanOrTypeOrCopyPasteYourBarCodes=Quét hoặc gõ hoặc sao chép/dán mã vạch của bạn +PuttingPricesUpToDate=Cập nhật giá với giá đã biết hiện tại +PuttingDescUpToDate=Cập nhật mô tả với các mô tả đã biết hiện tại +PMPExpected=PMP dự kiến +ExpectedValuation=Định giá dự kiến +PMPReal=PMP thực +RealValuation=Định giá thực +ConfirmEditExtrafield = Chọn trường ngoại vi bạn muốn sửa đổi +ConfirmEditExtrafieldQuestion = Bạn có chắc chắn muốn sửa đổi trường bổ sung này không? +ModifyValueExtrafields = Sửa đổi giá trị của trường ngoại vi +OrProductsWithCategories=Hoặc các sản phẩm có thẻ/danh mục +WarningTransferBatchStockMouvToGlobal = Nếu bạn muốn giải tuần tự hóa sản phẩm này, tất cả hàng tồn kho được xê-ri hóa của nó sẽ được chuyển thành hàng tồn kho toàn cầu +WarningConvertFromBatchToSerial=Nếu bạn hiện có số lượng cao hơn hoặc bằng 2 cho sản phẩm, việc chuyển sang lựa chọn này có nghĩa là bạn vẫn sẽ có một sản phẩm với các đối tượng khác nhau trong cùng một lô (trong khi bạn muốn có một số sê-ri duy nhất). Bản sao sẽ vẫn tồn tại cho đến khi hoàn thành việc kiểm kê hoặc di chuyển kho thủ công để khắc phục vấn đề này. diff --git a/htdocs/langs/vi_VN/projects.lang b/htdocs/langs/vi_VN/projects.lang index 75037997ecc..a61a2d87efc 100644 --- a/htdocs/langs/vi_VN/projects.lang +++ b/htdocs/langs/vi_VN/projects.lang @@ -6,24 +6,24 @@ ProjectLabel=Nhãn dự án ProjectsArea=Khu vực dự án ProjectStatus=Trạng thái dự án SharedProject=Mọi người -PrivateProject=Assigned contacts -ProjectsImContactFor=Projects for which I am explicitly a contact +PrivateProject=Địa chỉ liên hệ được chỉ định +ProjectsImContactFor=Các dự án mà tôi rõ ràng là người liên hệ AllAllowedProjects=Tất cả dự án tôi có thể đọc (của tôi + công khai) AllProjects=Tất cả dự án -MyProjectsDesc=This view is limited to the projects that you are a contact for +MyProjectsDesc=Chế độ xem này được giới hạn ở các dự án mà bạn là người liên hệ ProjectsPublicDesc=Phần xem này hiển thị tất cả các dự án mà bạn được phép đọc. TasksOnProjectsPublicDesc=Chế độ xem này trình bày tất cả các nhiệm vụ trên các dự án bạn được phép đọc. ProjectsPublicTaskDesc=Phần xem này hiển thị tất cả dự án và tác vụ mà bạn được phép đọc. ProjectsDesc=Phần xem này hiển thị tất cả các dự án (quyền người dùng cấp cho bạn được phép xem mọi thứ). TasksOnProjectsDesc=Phần xem này thể hiện tất cả các nhiệm vụ trên tất cả các dự án (quyền người dùng của bạn cấp cho bạn quyền xem mọi thứ). -MyTasksDesc=This view is limited to the projects or tasks that you are a contact for +MyTasksDesc=Chế độ xem này được giới hạn ở các dự án hoặc nhiệm vụ mà bạn là người liên hệ OnlyOpenedProject=Chỉ các dự án mở được hiển thị (các dự án ở trạng thái dự thảo hoặc đóng không hiển thị). ClosedProjectsAreHidden=Các dự án đóng không nhìn thấy được. TasksPublicDesc=Phần xem này hiển thị tất cả dự án và tác vụ mà bạn được phép đọc. TasksDesc=Phần xem này hiển thị tất cả các dự án và tác vụ (quyền người dùng của bạn hiện đang cho phép bạn xem tất cả thông tin). AllTaskVisibleButEditIfYouAreAssigned=Tất cả các nhiệm vụ cho các dự án đủ điều kiện đều hiển thị, nhưng bạn chỉ có thể nhập thời gian cho nhiệm vụ được giao cho người dùng đã chọn. Phân công nhiệm vụ nếu bạn cần nhập thời gian vào nó. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. -ImportDatasetProjects=Projects or opportunities +OnlyYourTaskAreVisible=Chỉ những nhiệm vụ được giao cho bạn mới được hiển thị. Nếu bạn cần nhập thời gian cho một nhiệm vụ và nếu nhiệm vụ đó không hiển thị ở đây thì bạn cần giao nhiệm vụ đó cho chính mình. +ImportDatasetProjects=Dự án hoặc cơ hội ImportDatasetTasks=Nhiệm vụ của dự án ProjectCategories=Thẻ dự án/ danh mục NewProject=Dự án mới @@ -33,21 +33,23 @@ DeleteATask=Xóa một tác vụ ConfirmDeleteAProject=Bạn có chắc chắn muốn xóa dự án này? ConfirmDeleteATask=Bạn có chắc chắn muốn xóa nhiệm vụ này? OpenedProjects=Dự án mở +OpenedProjectsOpportunities=Cơ hội mở OpenedTasks=Nhiệm vụ mở OpportunitiesStatusForOpenedProjects=Số tiền tiềm năng của dự án mở theo trạng thái OpportunitiesStatusForProjects=Số tiền tiềm năng của dự án theo trạng thái ShowProject=Hiển thị dự án ShowTask=Hiện tác vụ -SetThirdParty=Set third party +SetThirdParty=Đặt bên thứ ba SetProject=Lập dự án -OutOfProject=Out of project +OutOfProject=Ngoài dự án NoProject=Không có dự án được xác định hoặc tự tạo NbOfProjects=Số dự án NbOfTasks=Số công việc +TimeEntry=Theo dõi thời gian TimeSpent=Thời gian đã qua +TimeSpentSmall=Thời gian đã qua TimeSpentByYou=Thời gian đã qua bởi bạn TimeSpentByUser=Thời gian đã qua bởi người dùng -TimesSpent=Thời gian đã qua TaskId=ID nhiệm vụ RefTask=Tham chiếu Nhiệm vụ LabelTask=Nhãn nhiệm vụ @@ -79,20 +81,20 @@ MyActivities=Tác vụ/hoạt động của tôi MyProjects=Dự án của tôi MyProjectsArea=Khu vực dự án của tôi DurationEffective=Thời hạn hiệu lực -ProgressDeclared=Declared real progress +ProgressDeclared=Tuyên bố tiến bộ thực sự TaskProgressSummary=Tiến độ công việc -CurentlyOpenedTasks=Công việc còn mở -TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption -ProgressCalculated=Progress on consumption +CurentlyOpenedTasks=Nhiệm vụ hiện đang mở +TheReportedProgressIsLessThanTheCalculatedProgressionByX=Tiến độ thực được khai báo nhỏ hơn %s so với tiến độ tiêu thụ +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Tiến trình thực tế được khai báo nhiều hơn %s so với tiến trình tiêu thụ +ProgressCalculated=Tiến độ tiêu thụ WhichIamLinkedTo=cái mà tôi liên kết đến WhichIamLinkedToProject=cái mà tôi liên kết với dự án Time=Thời gian -TimeConsumed=Consumed +TimeConsumed=tiêu thụ ListOfTasks=Danh sách nhiệm vụ GoToListOfTimeConsumed=Tới danh sách thời gian tiêu thụ GanttView=Chế độ xem Gantt -ListWarehouseAssociatedProject=List of warehouses associated to the project +ListWarehouseAssociatedProject=Danh sách kho liên quan đến dự án ListProposalsAssociatedProject=Danh sách các đề xuất thương mại liên quan đến dự án ListOrdersAssociatedProject=Danh sách các đơn đặt hàng bán liên quan đến dự án ListInvoicesAssociatedProject=Danh sách hóa đơn khách hàng liên quan đến dự án @@ -120,13 +122,13 @@ ChildOfTask=Nhiệm vụ con TaskHasChild=Nhiệm vụ có nhiệm vụ con NotOwnerOfProject=Không phải chủ dự án cá nhân này AffectedTo=Được phân bổ đến -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. -ValidateProject=Xác nhận dự án +CantRemoveProject=Không thể xóa dự án này vì nó được tham chiếu bởi một số đối tượng khác (hóa đơn, đơn đặt hàng hoặc đối tượng khác). Xem tab '%s'. +ValidateProject=Xác thực dự án ConfirmValidateProject=Bạn có chắc chắn muốn xác nhận dự án này? CloseAProject=Đóng dự án ConfirmCloseAProject=Bạn có chắc chắn muốn đóng dự án này? -AlsoCloseAProject=Also close project -AlsoCloseAProjectTooltip=Keep it open if you still need to follow production tasks on it +AlsoCloseAProject=Đồng thời đóng dự án +AlsoCloseAProjectTooltip=Giữ nó mở nếu bạn vẫn cần thực hiện các nhiệm vụ sản xuất trên đó ReOpenAProject=Mở dự án ConfirmReOpenAProject=Bạn có chắc chắn muốn mở lại dự án này? ProjectContact=Liên lạc của dự án @@ -144,7 +146,7 @@ NoTasks=Không có tác vụ nào cho dự án này LinkedToAnotherCompany=Được liên kết đến các bên thứ ba TaskIsNotAssignedToUser=Nhiệm vụ không được giao cho người dùng. Sử dụng nút ' %s ' để phân công nhiệm vụ ngay bây giờ. ErrorTimeSpentIsEmpty=Thời gian đã qua đang trống -TimeRecordingRestrictedToNMonthsBack=Time recording is restricted to %s months back +TimeRecordingRestrictedToNMonthsBack=Việc ghi thời gian bị giới hạn ở %s tháng trước ThisWillAlsoRemoveTasks=Thao tác này sẽ xóa toàn bộ các tác vụ của dự án (%s các tác vụ ở thời điểm hiện tại) và toàn bộ dữ liệu đã nhập vào trong suốt thời gian vừa qua. IfNeedToUseOtherObjectKeepEmpty=Nếu một số đối tượng (hóa đơn, đơn hàng, ...), thuộc về một bên thứ ba khác, phải có liên kết đến dự án để tạo, giữ phần này trống để dự án có sự tham gia của nhiều bên thứ ba khác CloneTasks=Nhân bản tác vụ @@ -169,7 +171,7 @@ OpportunityProbability=Xác suất tiềm năng OpportunityProbabilityShort=Xác suất tiềm năng OpportunityAmount=Số tiền tiềm năng OpportunityAmountShort=Số tiền tiềm năng -OpportunityWeightedAmount=Amount of opportunity, weighted by probability +OpportunityWeightedAmount=Số lượng cơ hội, tính theo xác suất OpportunityWeightedAmountShort=Tổng trị giá cơ hội OpportunityAmountAverageShort=Số tiền tiềm năng trung bình OpportunityAmountWeigthedShort=Số tiền tiềm năng thận trọng @@ -194,7 +196,7 @@ PlannedWorkload=Khối lượng công việc dự tính PlannedWorkloadShort=Khối lượng công việc ProjectReferers=Những thứ có liên quan ProjectMustBeValidatedFirst=Dự án phải được xác nhận trước -MustBeValidatedToBeSigned=%s must be validated first to be set to Signed. +MustBeValidatedToBeSigned=%s phải được xác thực trước để được đặt thành Đã ký. FirstAddRessourceToAllocateTime=Chỉ định tài nguyên người dùng làm liên hệ của dự án để phân bổ thời gian InputPerDay=Đầu vào mỗi ngày InputPerWeek=Đầu vào mỗi tuần @@ -202,14 +204,14 @@ InputPerMonth=Lượng nhập liệu theo tháng InputDetail=Chi tiết đầu vào TimeAlreadyRecorded=Đây là thời gian đã qua được ghi nhận cho nhiệm vụ/ ngày này và người dùng %s ProjectsWithThisUserAsContact=Dự án với người dùng này là người liên lạc -ProjectsWithThisContact=Projects with this contact +ProjectsWithThisContact=Các dự án có liên hệ của bên thứ ba này TasksWithThisUserAsContact=Nhiệm vụ được giao cho người dùng này ResourceNotAssignedToProject=Không được giao cho dự án ResourceNotAssignedToTheTask=Không được giao nhiệm vụ NoUserAssignedToTheProject=Không có người dùng nào được chỉ định cho dự án này TimeSpentBy=Thời gian đã qua bởi TasksAssignedTo=Nhiệm vụ được giao -AssignTaskToMe=Assign task to myself +AssignTaskToMe=Giao nhiệm vụ cho chính tôi AssignTaskToUser=Giao nhiệm vụ cho %s SelectTaskToAssign=Chọn nhiệm vụ để giao... AssignTask=Phân công @@ -220,12 +222,12 @@ ProjectNbProjectByMonth=Số lượng dự án được tạo theo tháng ProjectNbTaskByMonth=Số lượng nhiệm vụ được tạo theo tháng ProjectOppAmountOfProjectsByMonth=Số lượng khách hàng tiềm năng theo tháng ProjectWeightedOppAmountOfProjectsByMonth=Số tiền khách hàng tiềm năng có trọng số theo tháng -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads +ProjectOpenedProjectByOppStatus=Dự án mở|trạng thái dẫn đầu +ProjectsStatistics=Thống kê về dự án hoặc khách hàng tiềm năng +TasksStatistics=Thống kê nhiệm vụ của dự án hoặc khách hàng tiềm năng TaskAssignedToEnterTime=Nhiệm vụ được giao. Nhập thời gian vào nhiệm vụ này là có thể. IdTaskTime=ID Thời gian nhiệm vụ -YouCanCompleteRef=Nếu bạn muốn hoàn thành tham chiếu này với một số hậu tố, bạn nên thêm một ký tự để tách nó, vì vậy việc đánh số tự động vẫn sẽ hoạt động chính xác cho các dự án tiếp theo. Ví dụ: %s-MYSUFFIX +YouCanCompleteRef=Nếu muốn hoàn thiện phần ref với một số hậu tố thì nên thêm ký tự - để phân tách, như vậy việc đánh số tự động vẫn hoạt động chính xác cho các dự án tiếp theo. Ví dụ: %s-MYSUFFIX OpenedProjectsByThirdparties=Dự án mở của bên thứ ba OnlyOpportunitiesShort=Chỉ có Tiềm năng OpenedOpportunitiesShort=Tiềm năng mở @@ -237,12 +239,12 @@ OpportunityPonderatedAmountDesc=Số tiền tiềm năng có trọng số với OppStatusPROSP=Triển vọng OppStatusQUAL=Đánh giá chuyên môn OppStatusPROPO=Đơn hàng đề xuất -OppStatusNEGO=Tiêu cực +OppStatusNEGO=đàm phán OppStatusPENDING=Chờ xử lý OppStatusWON=Thắng OppStatusLOST=Thua Budget=Ngân sách -AllowToLinkFromOtherCompany=Allow to link an element with a project of other company

      Supported values:
      - Keep empty: Can link elements with any projects in the same company (default)
      - "all": Can link elements with any projects, even projects of other companies
      - A list of third-party ids separated by commas: can link elements with any projects of these third partys (Example: 123,4795,53)
      +AllowToLinkFromOtherCompany=Cho phép liên kết một phần tử với một dự án của công ty khác

      Các giá trị được hỗ trợ:
      - Để trống: Có thể liên kết các thành phần với bất kỳ dự án nào trong cùng một công ty (mặc định)
      - "all": Có thể liên kết các phần tử với bất kỳ dự án nào, kể cả dự án của các công ty khác
      - Danh sách id bên thứ ba được phân tách bằng dấu phẩy : có thể liên kết các phần tử với bất kỳ dự án nào của các bên thứ ba này (Ví dụ: 123,4795,53)
      LatestProjects=Dự án %s mới nhất LatestModifiedProjects=Dự án sửa đổi %s mới nhất OtherFilteredTasks=Các nhiệm vụ được lọc khác @@ -259,43 +261,44 @@ RecordsClosed=%s (các) dự án đã đóng SendProjectRef=Thông tin dự án %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Mô-đun "Tiền lương" phải được bật để xác định mức lương hàng giờ của nhân viên để có thời gian được định giá NewTaskRefSuggested=Tham chiếu nhiệm vụ đã được sử dụng, yêu cầu một tham chiếu nhiệm vụ mới +NumberOfTasksCloned=%s nhiệm vụ được sao chép TimeSpentInvoiced=Thời gian đã qua được lập hóa đơn TimeSpentForIntervention=Thời gian đã qua TimeSpentForInvoice=Thời gian đã qua OneLinePerUser=Một dòng trên mỗi người dùng -ServiceToUseOnLines=Service to use on lines by default +ServiceToUseOnLines=Dịch vụ được sử dụng trên đường dây theo mặc định InvoiceGeneratedFromTimeSpent=Hóa đơn %s đã được tạo từ thời gian dành đã qua trên dự án -InterventionGeneratedFromTimeSpent=Intervention %s has been generated from time spent on project +InterventionGeneratedFromTimeSpent=Sự can thiệp %s đã được tạo từ thời gian dành cho dự án ProjectBillTimeDescription=Kiểm tra xem bạn nhập bảng thời gian vào các nhiệm vụ của dự án VÀ bạn có kế hoạch tạo (các) hóa đơn từ bảng chấm công để lập hóa đơn cho khách hàng của dự án (không kiểm tra xem bạn có kế hoạch tạo hóa đơn không dựa trên bảng thời gian đã nhập không). Lưu ý: Để tạo hóa đơn, hãy chuyển đến tab 'Thời gian sử dụng' của dự án và chọn các dòng để đưa vào. ProjectFollowOpportunity=Theo dõi cơ hội -ProjectFollowTasks=Follow tasks or time spent +ProjectFollowTasks=Thực hiện theo các nhiệm vụ hoặc thời gian đã sử dụng Usage=Chức năng UsageOpportunity=Cách dùng: Cơ hội UsageTasks=Cách dùng: Nhiệm vụ UsageBillTimeShort=Cách dùng: Hóa đơn thời gian InvoiceToUse=Hoá đơn dự thảo sử dụng -InterToUse=Draft intervention to use +InterToUse=Dự thảo can thiệp để sử dụng NewInvoice=Hóa đơn mới NewInter=Can thiệp mới OneLinePerTask=Dòng dòng một công việc OneLinePerPeriod=Một dòng cho một khoảng thời gian -OneLinePerTimeSpentLine=One line for each time spent declaration -AddDetailDateAndDuration=With date and duration into line description +OneLinePerTimeSpentLine=Một dòng cho mỗi lần khai báo thời gian sử dụng +AddDetailDateAndDuration=Với ngày và thời lượng vào dòng mô tả RefTaskParent=Tham chiếu công việc cấp cha -ProfitIsCalculatedWith=Profit is calculated using -AddPersonToTask=Add also to tasks -UsageOrganizeEvent=Usage: Event Organization -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. -SelectLinesOfTimeSpentToInvoice=Select lines of time spent that are unbilled, then bulk action "Generate Invoice" to bill them -ProjectTasksWithoutTimeSpent=Project tasks without time spent -FormForNewLeadDesc=Thanks to fill the following form to contact us. You can also send us an email directly to %s. -ProjectsHavingThisContact=Projects having this contact +ProfitIsCalculatedWith=Lợi nhuận được tính bằng +AddPersonToTask=Thêm vào nhiệm vụ +UsageOrganizeEvent=Cách sử dụng: Tổ chức sự kiện +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Phân loại dự án là đã đóng khi tất cả nhiệm vụ của dự án đã hoàn thành (100%% tiến độ) +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Lưu ý: các dự án hiện có với tất cả nhiệm vụ đã được đặt ở tiến độ 100%% sẽ không bị ảnh hưởng: bạn sẽ phải đóng chúng theo cách thủ công. Tùy chọn này chỉ ảnh hưởng đến các dự án đang mở. +SelectLinesOfTimeSpentToInvoice=Chọn những khoảng thời gian đã sử dụng chưa được lập hóa đơn, sau đó thực hiện hành động hàng loạt "Tạo hóa đơn" để lập hóa đơn cho chúng +ProjectTasksWithoutTimeSpent=Nhiệm vụ dự án không tốn thời gian +FormForNewLeadDesc=Cảm ơn bạn hãy điền vào mẫu sau để liên hệ với chúng tôi. Bạn cũng có thể gửi email trực tiếp cho chúng tôi tới %s. +ProjectsHavingThisContact=Các dự án có liên hệ này StartDateCannotBeAfterEndDate=Ngày kết thúc không thể trước ngày bắt đầu -ErrorPROJECTLEADERRoleMissingRestoreIt=The "PROJECTLEADER" role is missing or has been de-activited, please restore in the dictionary of contact types -LeadPublicFormDesc=You can enable here a public page to allow your prospects to make a first contact to you from a public online form -EnablePublicLeadForm=Enable the public form for contact -NewLeadbyWeb=Your message or request has been recorded. We will answer or contact your soon. -NewLeadForm=New contact form -LeadFromPublicForm=Online lead from public form -ExportAccountingReportButtonLabel=Get report +ErrorPROJECTLEADERRoleMissingRestoreIt=Vai trò "PROJECTLEADER" bị thiếu hoặc đã bị hủy kích hoạt, vui lòng khôi phục trong từ điển các loại liên hệ +LeadPublicFormDesc=Bạn có thể kích hoạt một trang công khai ở đây để cho phép khách hàng tiềm năng liên hệ lần đầu với bạn từ một biểu mẫu trực tuyến công khai +EnablePublicLeadForm=Kích hoạt biểu mẫu công khai để liên hệ +NewLeadbyWeb=Tin nhắn hoặc yêu cầu của bạn đã được ghi lại. Chúng tôi sẽ trả lời hoặc liên hệ sớm với bạn. +NewLeadForm=Mẫu liên hệ mới +LeadFromPublicForm=Khách hàng tiềm năng trực tuyến từ biểu mẫu công khai +ExportAccountingReportButtonLabel=Nhận báo cáo diff --git a/htdocs/langs/vi_VN/propal.lang b/htdocs/langs/vi_VN/propal.lang index fef81544d68..71b02fac1c7 100644 --- a/htdocs/langs/vi_VN/propal.lang +++ b/htdocs/langs/vi_VN/propal.lang @@ -12,9 +12,11 @@ NewPropal=Đơn hàng đề xuất mới Prospect=KH tiềm năng DeleteProp=Xóa đơn hàng đề xuất ValidateProp=Xác nhận đơn hàng đề xuất +CancelPropal=Hủy AddProp=Tạo đơn hàng đề xuất ConfirmDeleteProp=Bạn có chắc chắn muốn xóa đề xuất thương mại này? ConfirmValidateProp=Bạn có chắc chắn muốn xác nhận đề xuất thương mại này dưới tên %s ? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=Đề xuất %s mới nhất LastModifiedProposals=Đề xuất sửa đổi %s mới nhất AllPropals=Tất cả đơn hàng đề xuất @@ -27,11 +29,13 @@ NbOfProposals=Số lượng đơn hàng đề xuất ShowPropal=Hiện đơn hàng đề xuất PropalsDraft=Dự thảo PropalsOpened=Mở +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=Dự thảo (cần được xác nhận) PropalStatusValidated=Xác nhận (đề xuất được mở) PropalStatusSigned=Đã ký (cần ra hóa đơn) PropalStatusNotSigned=Không ký (đã đóng) PropalStatusBilled=Đã ra hóa đơn +PropalStatusCanceledShort=Đã hủy PropalStatusDraftShort=Dự thảo PropalStatusValidatedShort=Xác nhận (mở) PropalStatusClosedShort=Đã đóng @@ -54,13 +58,14 @@ NoDraftProposals=Không có đề xuất dự thảo CopyPropalFrom=Tạo đơn hàng đề xuất bằng cách sao chép đề nghị hiện tại CreateEmptyPropal=Tạo đề xuất thương mại trống hoặc từ danh sách các sản phẩm/ dịch vụ DefaultProposalDurationValidity=Thời gian hiệu lực mặc định của đơn hàng đề xuất (theo ngày) -DefaultPuttingPricesUpToDate=By default update prices with current known prices on cloning a proposal +DefaultPuttingPricesUpToDate=Theo mặc định, cập nhật giá với mức giá đã biết hiện tại khi sao chép một đề xuất +DefaultPuttingDescUpToDate=Theo mặc định, cập nhật các mô tả với các mô tả đã biết hiện tại về việc sao chép một đề xuất UseCustomerContactAsPropalRecipientIfExist=Sử dụng liên hệ / địa chỉ với loại 'liên hệ theo dõi đề xuất' nếu được xác định thay vì địa chỉ bên thứ ba làm địa chỉ người nhận đề xuất ConfirmClonePropal=Bạn có chắc chắn muốn nhân bản đề xuất thương mại %s ? ConfirmReOpenProp=Bạn có chắc chắn muốn mở lại đề xuất thương mại %s ? ProposalsAndProposalsLines=Đơn hàng đề xuất và chi tiết ProposalLine=Chi tiết đơn hàng đề xuất -ProposalLines=Proposal lines +ProposalLines=Dòng đề xuất AvailabilityPeriod=Độ chậm trễ có thể SetAvailability=Chỉnh thời gian trì hoãn sẵn có AfterOrder=sau đơn hàng @@ -80,39 +85,40 @@ TypeContact_propal_external_CUSTOMER=Liên hệ với khách hàng sau-up đề TypeContact_propal_external_SHIPPING=Liên lạc khách hàng để giao hàng # Document models -CantBeNoSign=cannot be set not signed +CantBeNoSign=không thể thiết lập không được ký CaseFollowedBy=Theo bởi trường hợp -ConfirmMassNoSignature=Bulk Not signed confirmation -ConfirmMassNoSignatureQuestion=Are you sure you want to set not signed the selected records ? -ConfirmMassSignature=Bulk Signature confirmation -ConfirmMassSignatureQuestion=Are you sure you want to sign the selected records ? -ConfirmMassValidation=Bulk Validate confirmation -ConfirmMassValidationQuestion=Are you sure you want to validate the selected records ? -ConfirmRefusePropal=Are you sure you want to refuse this commercial proposal? -ContractSigned=Contract signed +ConfirmMassNoSignature=Xác nhận hàng loạt Chưa được ký +ConfirmMassNoSignatureQuestion=Bạn có chắc chắn muốn đặt không ký các bản ghi đã chọn không? +ConfirmMassSignature=Xác nhận chữ ký hàng loạt +ConfirmMassSignatureQuestion=Bạn có chắc chắn muốn ký vào các bản ghi đã chọn không? +ConfirmMassValidation=Xác nhận xác thực hàng loạt +ConfirmMassValidationQuestion=Bạn có chắc chắn muốn xác thực các bản ghi đã chọn không? +ConfirmRefusePropal=Bạn có chắc chắn muốn từ chối đề xuất thương mại này không? +ContractSigned=Hợp đồng đã ký DefaultModelPropalClosed=Mặc định mẫu khi đóng cửa một đề xuất kinh doanh (chưa lập hoá đơn) DefaultModelPropalCreate=Tạo mô hình mặc định DefaultModelPropalToBill=Mặc định mẫu khi đóng cửa một đề xuất kinh doanh (được lập hoá đơn) DocModelAzurDescription=Mẫu hoàn chỉnh của báo giá (mẫu cũ của Cyan) DocModelCyanDescription=Mẫu hoàn chỉnh của báo giá -FichinterSigned=Intervention signed -IdProduct=Product ID -IdProposal=Proposal ID -IsNotADraft=is not a draft -LineBuyPriceHT=Buy Price Amount net of tax for line +FichinterSigned=Can thiệp đã ký +IdProduct=ID sản phẩm +IdProposal=ID đề xuất +IsNotADraft=không phải là một bản nháp +LineBuyPriceHT=Giá Mua Số tiền chưa bao gồm thuế cho dòng NoSign=Từ chối -NoSigned=set not signed -PassedInOpenStatus=has been validated -PropalAlreadyRefused=Proposal already refused -PropalAlreadySigned=Proposal already accepted -PropalRefused=Proposal refused -PropalSigned=Proposal accepted +NoSigned=bộ chưa được ký +PassedInOpenStatus=đã được xác nhận +PropalAlreadyRefused=Đề xuất đã bị từ chối +PropalAlreadySigned=Đề xuất đã được chấp nhận +PropalRefused=Đề xuất bị từ chối +PropalSigned=Đề xuất được chấp nhận ProposalCustomerSignature=Văn bản chấp nhận, dấu công ty, ngày và chữ ký ProposalsStatisticsSuppliers=Thống kê đề xuất nhà cung cấp -RefusePropal=Refuse proposal -Sign=Sign -SignContract=Sign contract -SignFichinter=Sign intervention -SignPropal=Accept proposal -Signed=signed -SignedOnly=Signed only +RefusePropal=Từ chối đề xuất +Sign=Dấu hiệu +SignContract=Ký hợp đồng +SignFichinter=Dấu hiệu can thiệp +SignSociete_rib=Sign mandate +SignPropal=Chấp nhận đề xuất +Signed=đã ký +SignedOnly=Chỉ có chữ ký diff --git a/htdocs/langs/vi_VN/receiptprinter.lang b/htdocs/langs/vi_VN/receiptprinter.lang index f2ae5218cdc..e12bcaf6c06 100644 --- a/htdocs/langs/vi_VN/receiptprinter.lang +++ b/htdocs/langs/vi_VN/receiptprinter.lang @@ -7,7 +7,7 @@ TestSentToPrinter=Kiểm tra gửi đến máy in %s ReceiptPrinter=Máy in hóa đơn ReceiptPrinterDesc=Thiết lập máy in hóa đơn ReceiptPrinterTemplateDesc=Thiết lập mẫu -ReceiptPrinterTypeDesc=Mô tả loại máy in hóa đơn +ReceiptPrinterTypeDesc=Ví dụ về các giá trị có thể có cho trường "Tham số" theo loại trình điều khiển ReceiptPrinterProfileDesc=Mô tả hồ sơ của máy in hóa đơn ListPrinters=Danh sách máy in SetupReceiptTemplate=Thiết lập mẫu @@ -54,15 +54,17 @@ DOL_DOUBLE_WIDTH=Tăng gấp đôi chiều rộng DOL_DEFAULT_HEIGHT_WIDTH=Chiều cao và rộng mặc định DOL_UNDERLINE=Cho phép gạch đưới DOL_UNDERLINE_DISABLED=Tắt gạch dưới -DOL_BEEP=Âm thanh báo hiệu bíp +DOL_BEEP=Âm thanh tiếng bíp +DOL_BEEP_ALTERNATIVE=Tiếng bíp (chế độ thay thế) +DOL_PRINT_CURR_DATE=In ngày/giờ hiện tại DOL_PRINT_TEXT=In câu chữ DateInvoiceWithTime=Ngày giờ hóa đơn YearInvoice=Năm hóa đơn -DOL_VALUE_MONTH_LETTERS=Invoice month in letters +DOL_VALUE_MONTH_LETTERS=Tháng hóa đơn bằng chữ DOL_VALUE_MONTH=Tháng hóa đơn DOL_VALUE_DAY=Ngày hóa đơn -DOL_VALUE_DAY_LETTERS=Inovice day in letters -DOL_LINE_FEED_REVERSE=Line feed reverse +DOL_VALUE_DAY_LETTERS=Ngày hóa đơn bằng chữ +DOL_LINE_FEED_REVERSE=Nguồn cấp dữ liệu đảo ngược InvoiceID=ID hóa đơn InvoiceRef=Hóa đơn tham chiếu DOL_PRINT_OBJECT_LINES=Dòng hóa đơn @@ -77,6 +79,6 @@ DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Số dư khách hàng DOL_VALUE_MYSOC_NAME=Công ty của bạn VendorLastname=Tên của nhà cung cấp VendorFirstname=Họ và tên đệm của nhà cung cấp -VendorEmail=Vendor email +VendorEmail=Email nhà cung cấp DOL_VALUE_CUSTOMER_POINTS=Điểm tích lũy của khách hàng DOL_VALUE_OBJECT_POINTS=Điểm đối tượng diff --git a/htdocs/langs/vi_VN/receptions.lang b/htdocs/langs/vi_VN/receptions.lang index bc4b3d3628c..1f14ed71329 100644 --- a/htdocs/langs/vi_VN/receptions.lang +++ b/htdocs/langs/vi_VN/receptions.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - receptions -ReceptionDescription=Vendor reception management (Create reception documents) -ReceptionsSetup=Vendor Reception setup +ReceptionDescription=Quản lý lễ tân nhà cung cấp (Tạo hồ sơ tiếp tân) +ReceptionsSetup=Thiết lập lễ tân nhà cung cấp RefReception=Tham chiếu tiếp nhận Reception=Tiếp nhận Receptions=Tiếp nhận @@ -24,31 +24,35 @@ ReceptionsAndReceivingForSameOrder=Tiếp nhận và biên nhận cho đơn hàn ReceptionsToValidate=Tiếp nhận để xác nhận StatusReceptionCanceled=Đã hủy StatusReceptionDraft=Dự thảo -StatusReceptionValidated=Validated (products to receive or already received) -StatusReceptionValidatedToReceive=Validated (products to receive) -StatusReceptionValidatedReceived=Validated (products received) +StatusReceptionValidated=Đã xác thực (sản phẩm sẽ nhận hoặc đã nhận) +StatusReceptionValidatedToReceive=Đã xác thực (sản phẩm sẽ nhận) +StatusReceptionValidatedReceived=Đã xác thực (sản phẩm đã nhận) StatusReceptionProcessed=Đã xử lý StatusReceptionDraftShort=Dự thảo StatusReceptionValidatedShort=Đã xác nhận StatusReceptionProcessedShort=Đã xử lý ReceptionSheet=Phiếu tiếp nhận +ValidateReception=Xác thực việc tiếp nhận ConfirmDeleteReception=Bạn có chắc chắn muốn xóa tiếp nhận này? -ConfirmValidateReception=Bạn có chắc chắn muốn xác nhận sự tiếp nhận này với tham chiếu %s ? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=Bạn có chắc chắn muốn hủy tiếp nhận này? -StatsOnReceptionsOnlyValidated=Thống kê được tiến hành chỉ trên các tiếp nhận đã được xác nhận. Ngày sử dụng là ngày xác nhận tiếp nhận (ngày giao hàng theo kế hoạch không phải lúc nào cũng được biết). +StatsOnReceptionsOnlyValidated=Thống kê được thực hiện trên các lần tiếp nhận chỉ được xác nhận. Ngày được sử dụng là ngày xác nhận việc tiếp nhận (ngày giao hàng dự kiến không phải lúc nào cũng được biết). SendReceptionByEMail=Gửi tiếp nhận qua email SendReceptionRef=Đệ trình tiếp nhận %s ActionsOnReception=Sự kiện trên tiếp nhận -ReceptionCreationIsDoneFromOrder=For the moment, creation of a new reception is done from the Purchase Order. +ReceptionCreationIsDoneFromOrder=Hiện tại, việc tạo một quầy tiếp tân mới được thực hiện từ Đơn đặt hàng. ReceptionLine=Dòng tiếp nhận ProductQtyInReceptionAlreadySent=Số lượng sản phẩm từ đơn bán hàng mở đã được gửi ProductQtyInSuppliersReceptionAlreadyRecevied=Số lượng sản phẩm từ đơn đặt hàng nhà cung cấp mở đã nhận được ValidateOrderFirstBeforeReception=Trước tiên, bạn phải xác nhận đơn đặt hàng trước khi có thể tiếp nhận. ReceptionsNumberingModules=Mô-đun đánh số cho tiếp nhận ReceptionsReceiptModel=Mẫu tài liệu cho tiếp nhận -NoMorePredefinedProductToDispatch=No more predefined products to dispatch -ReceptionExist=A reception exists -ByingPrice=Bying price -ReceptionBackToDraftInDolibarr=Reception %s back to draft -ReceptionClassifyClosedInDolibarr=Reception %s classified Closed -ReceptionUnClassifyCloseddInDolibarr=Reception %s re-open +NoMorePredefinedProductToDispatch=Không còn sản phẩm được xác định trước để gửi đi +ReceptionExist=Có sự tiếp nhận +ReceptionBackToDraftInDolibarr=Tiếp nhận %s quay lại bản nháp +ReceptionClassifyClosedInDolibarr=Lễ tân %s được phân loại Đã đóng +ReceptionUnClassifyCloseddInDolibarr=Lễ tân %s mở lại +RestoreWithCurrentQtySaved=Điền số lượng với các giá trị đã lưu mới nhất +ReceptionsRecorded=Lễ tân được ghi lại +ReceptionUpdated=Lễ tân đã cập nhật thành công +ReceptionDistribution=Phân phối tiếp tân diff --git a/htdocs/langs/vi_VN/recruitment.lang b/htdocs/langs/vi_VN/recruitment.lang index e6f3a651a40..590e9e91aba 100644 --- a/htdocs/langs/vi_VN/recruitment.lang +++ b/htdocs/langs/vi_VN/recruitment.lang @@ -18,62 +18,64 @@ # # Module label 'ModuleRecruitmentName' -ModuleRecruitmentName = Recruitment +ModuleRecruitmentName = Tuyển dụng # Module description 'ModuleRecruitmentDesc' -ModuleRecruitmentDesc = Manage and follow recruitment campaigns for new job positions +ModuleRecruitmentDesc = Quản lý và theo dõi các chiến dịch tuyển dụng cho các vị trí công việc mới # # Admin page # -RecruitmentSetup = Recruitment setup +RecruitmentSetup = Cài đặt tuyển dụng Settings = Cài đặt -RecruitmentSetupPage = Enter here the setup of main options for the recruitment module -RecruitmentArea=Recruitement area -PublicInterfaceRecruitmentDesc=Public pages of jobs are public URLs to show and answer to open jobs. There is one different link for each open job, found on each job record. -EnablePublicRecruitmentPages=Enable public pages of open jobs +RecruitmentSetupPage = Nhấn vào đây để thiết lập các tùy chọn chính cho module tuyển dụng +RecruitmentArea=Khu vực tuyển dụng +PublicInterfaceRecruitmentDesc=Các trang công khai về việc làm là các URL công khai để hiển thị và trả lời các công việc đang mở. Có một liên kết khác nhau cho mỗi công việc đang mở, được tìm thấy trên mỗi bản ghi công việc. +EnablePublicRecruitmentPages=Kích hoạt các trang công khai của việc làm đang mở # # About page # About = Về -RecruitmentAbout = About Recruitment -RecruitmentAboutPage = Recruitment about page -NbOfEmployeesExpected=Expected nb of employees -JobLabel=Label of job position -WorkPlace=Work place -DateExpected=Expected date -FutureManager=Future manager -ResponsibleOfRecruitement=Responsible of recruitment -IfJobIsLocatedAtAPartner=If job is located at a partner place +RecruitmentAbout = Giới thiệu tuyển dụng +RecruitmentAboutPage = Tuyển dụng về trang +NbOfEmployeesExpected=Số lượng nhân viên dự kiến +JobLabel=Nhãn vị trí công việc +WorkPlace=Nơi làm việc +DateExpected=Ngày dự kiến +FutureManager=Người quản lý tương lai +ResponsibleOfRecruitement=Phụ trách tuyển dụng +IfJobIsLocatedAtAPartner=Nếu công việc được đặt tại địa điểm đối tác PositionToBeFilled=Vị trí công việc -PositionsToBeFilled=Job positions -ListOfPositionsToBeFilled=List of job positions -NewPositionToBeFilled=New job positions +PositionsToBeFilled=Vị trí công việc +ListOfPositionsToBeFilled=Danh sách vị trí công việc +NewPositionToBeFilled=Vị trí công việc mới -JobOfferToBeFilled=Job position to be filled -ThisIsInformationOnJobPosition=Information of the job position to be filled -ContactForRecruitment=Contact for recruitment -EmailRecruiter=Email recruiter -ToUseAGenericEmail=To use a generic email. If not defined, the email of the responsible of recruitment will be used -NewCandidature=New application -ListOfCandidatures=List of applications +JobOfferToBeFilled=Vị trí công việc cần tuyển +ThisIsInformationOnJobPosition=Thông tin vị trí công việc cần điền +ContactForRecruitment=Liên hệ tuyển dụng +EmailRecruiter=Nhà tuyển dụng email +ToUseAGenericEmail=Để sử dụng một email chung. Nếu không được xác định, email của người chịu trách nhiệm tuyển dụng sẽ được sử dụng +NewCandidature=Ứng dụng mới +ListOfCandidatures=Danh sách ứng dụng Remuneration=Mức lương -RequestedRemuneration=Requested salary -ProposedRemuneration=Proposed salary -ContractProposed=Contract proposed -ContractSigned=Contract signed -ContractRefused=Contract refused -RecruitmentCandidature=Application -JobPositions=Job positions -RecruitmentCandidatures=Applications -InterviewToDo=Contacts to follow -AnswerCandidature=Application answer -YourCandidature=Your application -YourCandidatureAnswerMessage=Thanks you for your application.
      ... -JobClosedTextCandidateFound=The job position is closed. The position has been filled. -JobClosedTextCanceled=The job position is closed. -ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsApplication=Complementary attributes (job applications) -MakeOffer=Make an offer -WeAreRecruiting=We are recruiting. This is a list of open positions to be filled... -NoPositionOpen=No positions open at the moment +RequestedRemuneration=Mức lương yêu cầu +ProposedRemuneration=Mức lương đề xuất +ContractProposed=Hợp đồng đề xuất +ContractSigned=Hợp đồng đã ký +ContractRefused=Hợp đồng bị từ chối +RecruitmentCandidature=Ứng dụng +JobPositions=Vị trí công việc +RecruitmentCandidatures=Các ứng dụng +InterviewToDo=Liên hệ để theo dõi +AnswerCandidature=Câu trả lời ứng dụng +YourCandidature=Ứng dụng của bạn +YourCandidatureAnswerMessage=Cảm ơn bạn đã đăng ký.
      ... +JobClosedTextCandidateFound=Vị trí công việc đã được đóng lại. Vị trí đã được lấp đầy. +JobClosedTextCanceled=Vị trí công việc đã được đóng lại. +ExtrafieldsJobPosition=Thuộc tính bổ sung (vị trí công việc) +ExtrafieldsApplication=Thuộc tính bổ sung (đơn xin việc) +MakeOffer=Thực hiện một đề nghị +WeAreRecruiting=Chúng tôi đang tuyển dụng. Đây là danh sách các vị trí đang trống cần tuyển... +NoPositionOpen=Không có vị trí nào mở vào lúc này +ConfirmClose=Xác nhận hủy +ConfirmCloseAsk=Bạn có chắc chắn muốn hủy ứng tuyển tuyển dụng này không diff --git a/htdocs/langs/vi_VN/salaries.lang b/htdocs/langs/vi_VN/salaries.lang index 1f4b418f2a5..9717af82aa8 100644 --- a/htdocs/langs/vi_VN/salaries.lang +++ b/htdocs/langs/vi_VN/salaries.lang @@ -1,27 +1,33 @@ # Dolibarr language file - Source file is en_US - salaries -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Account (from the Chart of Account) used by default for "user" third parties -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=The dedicated account defined on user card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated user accounting account on user is not defined. +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Tài khoản (từ Sơ đồ tài khoản) được sử dụng theo mặc định cho bên thứ ba "người dùng" +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=Tài khoản chuyên dụng được xác định trên thẻ người dùng sẽ chỉ được sử dụng cho kế toán Sổ cái phụ. Cái này sẽ được sử dụng cho Sổ cái chung và làm giá trị mặc định của kế toán Sổ cái phụ nếu tài khoản kế toán người dùng chuyên dụng trên người dùng không được xác định. SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Tài khoản kế toán theo mặc định cho các khoản thanh toán tiền lương -CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=By default, leave empty the option "Automatically create a total payment" when creating a Salary +CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=Theo mặc định, để trống tùy chọn "Tự động tạo tổng thanh toán" khi tạo Lương Salary=Mức lương Salaries=Tiền lương -NewSalary=New salary -AddSalary=Add salary -NewSalaryPayment=New salary card +NewSalary=Mức lương mới +AddSalary=Thêm lương +NewSalaryPayment=Thẻ lương mới AddSalaryPayment=Thêm thanh toán tiền lương SalaryPayment=Thanh toán tiền lương SalariesPayments=Lương thanh toán -SalariesPaymentsOf=Salaries payments of %s +SalariesPaymentsOf=Các khoản thanh toán lương của %s ShowSalaryPayment=Hiện thanh toán tiền lương THM=Tỷ lệ trung bình mỗi giờ TJM=Tỷ lệ trung bình hàng ngày CurrentSalary=Mức lương hiện tại THMDescription=Giá trị này có thể được sử dụng để tính chi phí thời gian tiêu thụ cho một dự án được nhập bởi người dùng nếu mô-đun dự án được sử dụng TJMDescription=Giá trị này hiện chỉ là thông tin và không được sử dụng cho bất kỳ phép tính nào -LastSalaries=Latest %s salaries -AllSalaries=All salaries +LastSalaries=Mức lương %s mới nhất +AllSalaries=Tất cả tiền lương SalariesStatistics=Thống kê lương SalariesAndPayments=Lương và thanh toán -ConfirmDeleteSalaryPayment=Do you want to delete this salary payment ? -FillFieldFirst=Fill employee field first -UpdateAmountWithLastSalary=Set amount with last salary +ConfirmDeleteSalaryPayment=Bạn có muốn xóa mức lương này thanh toán không? +FillFieldFirst=Điền vào trường nhân viên trước +UpdateAmountWithLastSalary=Đặt số tiền lương cuối cùng +MakeTransferRequest=Thực hiện yêu cầu chuyển +VirementOrder=Yêu cầu chuyển tín dụng +BankTransferAmount=Số tiền chuyển khoản tín dụng +WithdrawalReceipt=Lệnh chuyển tín dụng +OrderWaiting=Danh sách hàng chờ +FillEndOfMonth=Điền vào cuối tháng diff --git a/htdocs/langs/vi_VN/sendings.lang b/htdocs/langs/vi_VN/sendings.lang index 03d9e2a4ca4..123647c4835 100644 --- a/htdocs/langs/vi_VN/sendings.lang +++ b/htdocs/langs/vi_VN/sendings.lang @@ -39,21 +39,21 @@ StatusSendingValidatedShort=Xác nhận StatusSendingProcessedShort=Xử lý SendingSheet=Lô hàng ConfirmDeleteSending=Bạn có chắc chắn muốn xóa lô hàng này? -ConfirmValidateSending=Bạn có chắc chắn muốn xác nhận lô hàng này với tham chiếu %s ? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=Bạn có chắc chắn muốn hủy lô hàng này? DocumentModelMerou=Mô hình Merou A5 WarningNoQtyLeftToSend=Cảnh báo, không có sản phẩm chờ đợi để được vận chuyển. -StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) +StatsOnShipmentsOnlyValidated=Số liệu thống kê chỉ dành cho các lô hàng đã được xác nhận. Ngày được sử dụng là ngày xác nhận lô hàng (ngày giao hàng dự kiến không phải lúc nào cũng được biết) DateDeliveryPlanned=Ngày giao hàng theo kế hoạch RefDeliveryReceipt=Tham chiếu biên nhận giao hàng StatusReceipt=Trạng thái biên nhận giao hàng DateReceived=Đã nhận ngày giao hàng -ClassifyReception=Classify Received +ClassifyReception=Phân loại đã nhận SendShippingByEMail=Gửi hàng qua email SendShippingRef=Nộp hồ sơ lô hàng %s ActionsOnShipping=Các sự kiện trên lô hàng LinkToTrackYourPackage=Liên kết để theo dõi gói của bạn -ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the Sales Order record. +ShipmentCreationIsDoneFromOrder=Hiện tại, việc tạo lô hàng mới được thực hiện từ bản ghi Đơn đặt hàng. ShipmentLine=Đường vận chuyển ProductQtyInCustomersOrdersRunning=Số lượng sản phẩm từ các đơn bán hàng mở ProductQtyInSuppliersOrdersRunning=Số lượng sản phẩm từ đơn mua hàng mở @@ -62,11 +62,12 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Số lượng sản phẩm từ cá NoProductToShipFoundIntoStock=Không có sản phẩm nào được tìm thấy trong kho %s . Làm đúng tồn kho hoặc quay trở lại để chọn một kho khác. WeightVolShort=Trọng lượng / Khối lượng. ValidateOrderFirstBeforeShipment=Trước tiên, bạn phải xác nhận đơn đặt hàng trước khi có thể thực hiện chuyển hàng. +NoLineGoOnTabToAddSome=Không có dòng nào, vào tab "%s" để thêm # Sending methods # ModelDocument DocumentModelTyphon=Mô hình tài liệu đầy đủ hơn cho hóa đơn giao hàng (logo ...) -DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...) +DocumentModelStorm=Mô hình tài liệu hoàn chỉnh hơn cho biên lai giao hàng và khả năng tương thích với các trường ngoại vi (logo...) Error_EXPEDITION_ADDON_NUMBER_NotDefined=EXPEDITION_ADDON_NUMBER liên tục không được xác định SumOfProductVolumes=Tổng khối lượng sản phẩm SumOfProductWeights=Tổng trọng lượng sản phẩm @@ -74,8 +75,12 @@ SumOfProductWeights=Tổng trọng lượng sản phẩm # warehouse details DetailWarehouseNumber= Chi tiết kho DetailWarehouseFormat= W: %s (Số lượng: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Hiển thị ngày nhập kho cuối cùng trong quá trình tạo lô hàng cho số sê-ri hoặc lô +CreationOptions=Các tùy chọn có sẵn trong quá trình tạo lô hàng -ShipmentDistribution=Shipment distribution +ShipmentDistribution=Phân phối lô hàng -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=Không có công văn nào cho dòng %s vì tìm thấy quá nhiều kết hợp kho, sản phẩm, mã lô (%s). +ErrorNoCombinationBatchcode=Không thể lưu dòng %s dưới dạng kết hợp của Warehouse-product-lot/serial (%s, %s, %s) không được tìm thấy trong kho. + +ErrorTooMuchShipped=Số lượng vận chuyển không được lớn hơn số lượng đặt hàng cho dòng %s diff --git a/htdocs/langs/vi_VN/stocks.lang b/htdocs/langs/vi_VN/stocks.lang index 65198013c61..d4321fa706b 100644 --- a/htdocs/langs/vi_VN/stocks.lang +++ b/htdocs/langs/vi_VN/stocks.lang @@ -12,18 +12,19 @@ AddWarehouse=Tạo kho AddOne=Thêm một DefaultWarehouse=Kho mặc định WarehouseTarget=Kho tiêu -ValidateSending=Confirm shipment -CancelSending=Cancel shipment -DeleteSending=Delete shipment +ValidateSending=Xác nhận lô hàng +CancelSending=Hủy lô hàng +DeleteSending=Xóa lô hàng Stock=Tồn kho Stocks=Tồn kho -MissingStocks=Missing stocks -StockAtDate=Stocks at date -StockAtDateInPast=Date in the past -StockAtDateInFuture=Date in the future +MissingStocks=Thiếu cổ phiếu +StockAtDate=Cổ phiếu tại ngày +StockAtDateInPast=Ngày trong quá khứ +StockAtDateInFuture=Ngày trong tương lai StocksByLotSerial=Tồn kho theo lô / sê-ri LotSerial=Lô/ Sê-ri LotSerialList=Danh sách lô/ sê-ri +SubjectToLotSerialOnly=Sản phẩm chỉ theo lô/sê-ri Movements=Danh sách chuyển kho ErrorWarehouseRefRequired=Tên tài liệu tham khảo kho là cần thiết ListOfWarehouses=Danh sách kho @@ -34,11 +35,11 @@ StockMovementForId=ID dịch chuyển %d ListMouvementStockProject=Danh sách các dịch chuyển tồn kho liên quan đến dự án StocksArea=Khu vực kho AllWarehouses=Tất cả kho -IncludeEmptyDesiredStock=Include also negative stock with undefined desired stock +IncludeEmptyDesiredStock=Bao gồm cả lượng hàng tồn kho âm với lượng hàng tồn kho mong muốn không xác định IncludeAlsoDraftOrders=Bao gồm cả dự thảo đơn đặt hàng Location=Đến từ -LocationSummary=Short name of location -NumberOfDifferentProducts=Number of unique products +LocationSummary=Tên viết tắt của địa điểm +NumberOfDifferentProducts=Số lượng sản phẩm độc đáo NumberOfProducts=Tổng số sản phẩm LastMovement=Dịch chuyển mới nhất LastMovements=Dịch chuyển mới nhất @@ -48,7 +49,7 @@ StockCorrection=Điều chỉnh tồn kho CorrectStock=Điều chỉnh tồn kho StockTransfer=Chuyển nhượng kho TransferStock=Chuyển tồn kho -MassStockTransferShort=Chuyển tồn kho hàng loạt +MassStockTransferShort=Thay đổi hàng loạt StockMovement=Dịch chuyển tồn kho StockMovements=Dịch chuyển tồn kho NumberOfUnit=Số đơn vị @@ -59,15 +60,15 @@ EnhancedValue=Giá trị EnhancedValueOfWarehouses=Giá trị kho UserWarehouseAutoCreate=Tự động tạo người dùng kho khi tạo người dùng AllowAddLimitStockByWarehouse=Quản lý đồng thời giá trị cho tồn kho tối thiểu và mong muốn trên mỗi cặp (sản phẩm - kho) ngoài giá trị cho tồn kho tối thiểu và mong muốn trên mỗi sản phẩm -RuleForWarehouse=Rule for warehouses -WarehouseAskWarehouseOnThirparty=Set a warehouse on Third-parties -WarehouseAskWarehouseDuringPropal=Set a warehouse on Commercial proposals -WarehouseAskWarehouseDuringOrder=Set a warehouse on Sales Orders -WarehouseAskWarehouseDuringProject=Set a warehouse on Projects -UserDefaultWarehouse=Set a warehouse on Users +RuleForWarehouse=Quy định về kho +WarehouseAskWarehouseOnThirparty=Đặt kho cho bên thứ ba +WarehouseAskWarehouseDuringPropal=Đặt kho trên đề xuất thương mại +WarehouseAskWarehouseDuringOrder=Đặt kho trên Đơn bán hàng +WarehouseAskWarehouseDuringProject=Đặt kho trên Dự án +UserDefaultWarehouse=Đặt kho cho Người dùng MainDefaultWarehouse=Kho mặc định -MainDefaultWarehouseUser=Use a default warehouse for each user -MainDefaultWarehouseUserDesc=By activating this option, during creation of a product, the warehouse assigned to the product will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. +MainDefaultWarehouseUser=Sử dụng kho mặc định cho mỗi người dùng +MainDefaultWarehouseUserDesc=Bằng cách kích hoạt tùy chọn này, trong quá trình tạo sản phẩm, kho được chỉ định cho sản phẩm sẽ được xác định trên sản phẩm này. Nếu không có kho nào được xác định trên người dùng thì kho mặc định sẽ được xác định. IndependantSubProductStock=Tồn kho sản phẩm và tồn kho sản phẩm phụ là độc lập QtyDispatched=Số lượng cử QtyDispatchedShort=Số lượng được gửi đi @@ -90,23 +91,23 @@ NoPredefinedProductToDispatch=Không có sản phẩm được xác định trư DispatchVerb=Công văn StockLimitShort=Hạn cảnh báo StockLimit=Hạn tồn kho cho cảnh báo -StockLimitDesc=(empty) means no warning.
      0 can be used to trigger a warning as soon as the stock is empty. +StockLimitDesc=(trống) nghĩa là không có cảnh báo.
      0 có thể được sử dụng để kích hoạt cảnh báo ngay khi hết hàng. PhysicalStock=Tồn kho vật lý RealStock=Tồn kho thực RealStockDesc=Vật lý/ tồn kho thực là tồn kho hiện tại trong kho. RealStockWillAutomaticallyWhen=Tồn kho thực sẽ được sửa đổi theo quy tắc này (như được xác định trong mô-đun Tồn kho): VirtualStock=Tồn kho ảo -VirtualStockAtDate=Virtual stock at a future date -VirtualStockAtDateDesc=Virtual stock once all the pending orders that are planned to be processed before the chosen date will be finished -VirtualStockDesc=Virtual stock is the calculated stock available once all open/pending actions (that affect stocks) are closed (purchase orders received, sales orders shipped, manufacturing orders produced, etc) -AtDate=At date +VirtualStockAtDate=Cổ phiếu ảo vào một ngày trong tương lai +VirtualStockAtDateDesc=Kho ảo một khi tất cả các đơn đặt hàng đang chờ xử lý được lên kế hoạch xử lý trước ngày đã chọn sẽ được hoàn thành +VirtualStockDesc=Hàng ảo là hàng tồn kho sẽ còn lại sau khi tất cả các hành động mở/đang chờ xử lý (có ảnh hưởng đến hàng tồn kho) đã được thực hiện (nhận đơn đặt hàng, gửi đơn bán hàng, sản xuất đơn hàng, v.v.) +AtDate=Vào ngày IdWarehouse=Mã kho DescWareHouse=Mô tả kho LieuWareHouse=Địa phương hóa kho WarehousesAndProducts=Các kho hàng và sản phẩm WarehousesAndProductsBatchDetail=Kho và sản phẩm (với chi tiết mỗi lô /sê-ri) AverageUnitPricePMPShort=Giá bình quân gia quyền -AverageUnitPricePMPDesc=The input average unit price we had to expense to get 1 unit of product into our stock. +AverageUnitPricePMPDesc=Đơn giá trung bình đầu vào mà chúng tôi phải bỏ ra để có được 1 đơn vị sản phẩm vào kho. SellPriceMin=Đơn giá bán EstimatedStockValueSellShort=Giá trị bán EstimatedStockValueSell=Giá trị bán @@ -118,15 +119,16 @@ PersonalStock=Tồn kho cá nhân của% s ThisWarehouseIsPersonalStock=Kho này đại diện cho tồn kho cá nhân của% s% s SelectWarehouseForStockDecrease=Chọn nhà kho để sử dụng cho kho giảm SelectWarehouseForStockIncrease=Chọn nhà kho để sử dụng cho kho tăng +RevertProductsToStock=Hoàn nguyên sản phẩm về kho? NoStockAction=Không có hành động kho DesiredStock=Tồn kho mong muốn DesiredStockDesc=Số lượng tồn kho này sẽ là giá trị được sử dụng để lấp đầy tồn kho bằng tính năng bổ sung. StockToBuy=Để đặt hàng Replenishment=Bổ sung ReplenishmentOrders=Đơn đặt hàng bổ sung -VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical stock + open orders) may differ -UseRealStockByDefault=Use real stock, instead of virtual stock, for replenishment feature -ReplenishmentCalculation=Amount to order will be (desired quantity - real stock) instead of (desired quantity - virtual stock) +VirtualDiffersFromPhysical=Theo tùy chọn cổ phiếu tăng/giảm, cổ phiếu vật lý và cổ phiếu ảo (cổ phiếu vật lý + lệnh mở) có thể khác nhau +UseRealStockByDefault=Sử dụng hàng thật, thay vì hàng ảo, để bổ sung thêm hàng +ReplenishmentCalculation=Số lượng đặt hàng sẽ là (số lượng mong muốn - hàng thật) thay vì (số lượng mong muốn - hàng ảo) UseVirtualStock=Sử dụng kho ảo UsePhysicalStock=Sử dụng vật lý tồn kho CurentSelectionMode=Chế độ lựa chọn hiện tại @@ -135,19 +137,20 @@ CurentlyUsingPhysicalStock=Tồn kho vật lý RuleForStockReplenishment=Quy tắc cho tồn kho bổ sung SelectProductWithNotNullQty=Chọn ít nhất một sản phẩm có số lượng không phải là null và một nhà cung cấp AlertOnly= Cảnh báo chỉ -IncludeProductWithUndefinedAlerts = Include also negative stock for products with no desired quantity defined, to restore them to 0 +IncludeProductWithUndefinedAlerts = Bao gồm cả số lượng tồn kho âm cho các sản phẩm không có số lượng mong muốn được xác định, để khôi phục chúng về 0 WarehouseForStockDecrease=Kho% s sẽ được sử dụng cho kho giảm WarehouseForStockIncrease=Kho% s sẽ được sử dụng cho kho tăng ForThisWarehouse=Đối với kho này ReplenishmentStatusDesc=Đây là danh sách tất cả các sản phẩm có tồn kho thấp hơn tồn kho mong muốn (hoặc thấp hơn giá trị cảnh báo nếu hộp kiểm "chỉ cảnh báo" được chọn). Sử dụng hộp kiểm, bạn có thể tạo đơn đặt hàng mua để điền vào phần chênh lệch. -ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. +ReplenishmentStatusDescPerWarehouse=Nếu bạn muốn bổ sung dựa trên số lượng mong muốn được xác định cho mỗi kho, bạn phải thêm bộ lọc vào kho. ReplenishmentOrdersDesc=Đây là danh sách tất cả các đơn đặt hàng mua mở bao gồm các sản phẩm được xác định trước. Chỉ các đơn đặt hàng mở với các sản phẩm được xác định trước, vì vậy các đơn hàng có thể ảnh hưởng đến tồn kho, có thể nhìn thấy ở đây. Replenishments=Replenishments NbOfProductBeforePeriod=Số lượng sản phẩm% s trong kho trước khi thời gian được lựa chọn (<% s) NbOfProductAfterPeriod=Số lượng sản phẩm% s trong kho sau khi được lựa chọn thời gian (>% s) MassMovement=Chuyển kho toàn bộ -SelectProductInAndOutWareHouse=Select a source warehouse and a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click on "%s". +SelectProductInAndOutWareHouse=Chọn kho nguồn (tùy chọn), kho mục tiêu, sản phẩm và số lượng, sau đó nhấp vào "%s". Sau khi hoàn tất việc này cho tất cả các chuyển động cần thiết, hãy nhấp vào "%s". RecordMovement=Chuyển bản ghi +RecordMovements=Ghi lại biến động chứng khoán ReceivingForSameOrder=Biên nhận cho đơn đặt hàng này StockMovementRecorded=Chuyển động kho được ghi nhận RuleForStockAvailability=Quy định về yêu cầu kho @@ -155,28 +158,30 @@ StockMustBeEnoughForInvoice=Mức tồn kho phải đủ để thêm sản phẩ StockMustBeEnoughForOrder=Mức tồn kho phải đủ để thêm sản phẩm/dịch vụ để đặt hàng (kiểm tra được thực hiện trên tồn kho thực hiện tại khi thêm một dòng vào đơn hàng bất kể quy tắc nào để thay đổi tồn kho tự động) StockMustBeEnoughForShipment= Mức tồn kho phải đủ để thêm sản phẩm / dịch vụ vào lô hàng (kiểm tra được thực hiện trên tồn kho thực hiện tại khi thêm một dòng vào lô hàng bất kể quy tắc thay đổi tồn kho tự động) MovementLabel=Nhãn chuyển kho -TypeMovement=Direction of movement +TypeMovement=Hướng di chuyển DateMovement=Ngày chuyển InventoryCode=Mã chuyển kho hoặc mã kiểm kho IsInPackage=Chứa vào gói WarehouseAllowNegativeTransfer=Tồn kho có thể âm qtyToTranferIsNotEnough=Bạn không có đủ tồn kho từ kho nguồn của mình và thiết lập của bạn không cho phép các tồn kho âm. -qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). +qtyToTranferLotIsNotEnough=Bạn không có đủ hàng cho số lô này từ kho nguồn của mình và thiết lập của bạn không cho phép tồn kho âm (Số lượng cho sản phẩm '%s' với lô '%s' là %s trong kho '%s'). ShowWarehouse=Hiện kho MovementCorrectStock=Hiệu chỉnh tồn kho cho sản phẩm %s MovementTransferStock=Chuyển tồn kho của sản phẩm %s vào kho khác +BatchStockMouvementAddInGlobal=Hàng loạt chuyển sang kho toàn cầu (sản phẩm không sử dụng hàng loạt nữa) InventoryCodeShort=Mã chuyển/kiểm kho NoPendingReceptionOnSupplierOrder=Không chờ tiếp nhận do đơn đặt hàng mua mở ThisSerialAlreadyExistWithDifferentDate=Số lô/sê-ri này ( %s ) đã tồn tại nhưng với hạn sử dụng hoặc hạn bán khác nhau (tìm thấy %s nhưng bạn nhập %s ). -OpenAnyMovement=Open (all movement) -OpenInternal=Open (only internal movement) +OpenAnyMovement=Mở (tất cả chuyển động) +OpenInternal=Mở (chỉ chuyển động bên trong) UseDispatchStatus=Sử dụng trạng thái trình công văn (phê duyệt / từ chối) cho các dòng sản phẩm khi nhận đơn đặt hàng OptionMULTIPRICESIsOn=Tùy chọn "một vài mức giá cho mỗi phân khúc" được bật. Điều đó có nghĩa là một sản phẩm có nhiều giá bán nên không thể tính được giá trị bán ProductStockWarehouseCreated=Giới hạn tồn kho để cảnh báo và tồn kho tối ưu mong muốn được tạo chính xác ProductStockWarehouseUpdated=Giới hạn tồn kho để cảnh báo và tồn kho tối ưu mong muốn được cập nhật chính xác ProductStockWarehouseDeleted=Giới hạn tồn kho để cảnh báo và tồn kho tối ưu mong muốn được xóa chính xác +ProductStockWarehouse=Giới hạn tồn kho để cảnh báo và tồn kho tối ưu mong muốn theo sản phẩm và kho AddNewProductStockWarehouse=Đặt giới hạn mới cho cảnh báo và tồn kho tối ưu mong muốn -AddStockLocationLine=Decrease quantity then click to split the line +AddStockLocationLine=Giảm số lượng rồi click để tách dòng InventoryDate=Ngày Kiểm kho Inventories=Kiểm kho NewInventory=Kiểm kho mới @@ -185,7 +190,7 @@ inventoryCreatePermission=Tạo kiểm kho mới inventoryReadPermission=Xem kiểm kho inventoryWritePermission=Cập nhật kiểm kho inventoryValidatePermission=Xác nhận kiểm kho -inventoryDeletePermission=Delete inventory +inventoryDeletePermission=Xóa hàng tồn kho inventoryTitle=Hàng tồn kho inventoryListTitle=Kiểm kho inventoryListEmpty=Không việc kiểm kho trong tiến trình @@ -207,11 +212,11 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Các biến động tồn kho sẽ inventoryChangePMPPermission=Cho phép thay đổi giá trị PMP cho sản phẩm ColumnNewPMP=PMP đơn vị mới OnlyProdsInStock=Không thêm sản phẩm mà không có tồn kho -TheoricalQty=Theorical qty -TheoricalValue=Theorical qty +TheoricalQty=Số lượng lý thuyết +TheoricalValue=Số lượng lý thuyết LastPA=BP cuối cùng -CurrentPA=BP hiện tại -RecordedQty=Recorded Qty +CurrentPA=Huyết áp hiện tại +RecordedQty=Số lượng đã ghi RealQty=Số lượng thực tế RealValue=Giá trị thực tế RegulatedQty=Số lượng quy định @@ -234,84 +239,99 @@ StockIncrease=Tồn kho tăng StockDecrease=Tồn kho giảm InventoryForASpecificWarehouse=Kiểm kho cho một kho cụ thể InventoryForASpecificProduct=Kiểm kho cho một sản phẩm cụ thể -StockIsRequiredToChooseWhichLotToUse=Tồn kho là bắt buộc để chọn lô nào để sử dụng +StockIsRequiredToChooseWhichLotToUse=Cần có một kho hàng hiện có để có thể chọn lô nào sẽ sử dụng ForceTo=Ép buộc -AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) -StockAtDatePastDesc=You can view here the stock (real stock) at a given date in the past -StockAtDateFutureDesc=You can view here the stock (virtual stock) at a given date in the future -CurrentStock=Current stock -InventoryRealQtyHelp=Set value to 0 to reset qty
      Keep field empty, or remove line, to keep unchanged -UpdateByScaning=Complete real qty by scaning -UpdateByScaningProductBarcode=Update by scan (product barcode) -UpdateByScaningLot=Update by scan (lot|serial barcode) -DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement. -ImportFromCSV=Import CSV list of movement +AlwaysShowFullArbo=Hiển thị đường dẫn đầy đủ của kho (kho mẹ) trên cửa sổ bật lên của liên kết kho (Cảnh báo: Điều này có thể làm giảm đáng kể hiệu suất) +StockAtDatePastDesc=Bạn có thể xem tại đây cổ phiếu (hàng thật) vào một ngày nhất định trong quá khứ +StockAtDateFutureDesc=Bạn có thể xem tại đây cổ phiếu (cổ phiếu ảo) vào một ngày nhất định trong tương lai +CurrentStock=cổ phiếu hiện tại +InventoryRealQtyHelp=Đặt giá trị thành 0 để đặt lại qty
      Giữ trường trống hoặc xóa dòng để giữ nguyên +UpdateByScaning=Hoàn thành số lượng thực bằng cách quét +UpdateByScaningProductBarcode=Cập nhật bằng cách quét (mã vạch sản phẩm) +UpdateByScaningLot=Cập nhật bằng cách quét (lô|mã vạch nối tiếp) +DisableStockChangeOfSubProduct=Vô hiệu hóa thay đổi hàng tồn kho đối với tất cả các sản phẩm phụ của Bộ sản phẩm này trong đợt di chuyển này. +ImportFromCSV=Nhập danh sách chuyển động CSV ChooseFileToImport=Tải lên tệp sau đó nhấp vào biểu tượng %s để lựa chọn tệp là tệp nguồn nhập -SelectAStockMovementFileToImport=select a stock movement file to import -InfoTemplateImport=Uploaded file needs to have this format (* are mandatory fields):
      Source Warehouse* | Target Warehouse* | Product* | Quantity* | Lot/serial number
      CSV character separator must be "%s" -LabelOfInventoryMovemement=Inventory %s +SelectAStockMovementFileToImport=chọn tệp chuyển động chứng khoán để nhập +InfoTemplateImport=Tệp đã tải lên cần có định dạng này (* là các trường bắt buộc):
      Kho nguồn* | Kho mục tiêu* | Sản phẩm* | Số lượng* | Số lô/số sê-ri
      Dấu phân cách ký tự CSV phải là "%s" +LabelOfInventoryMovemement=Khoảng không quảng cáo %s ReOpen=Mở lại -ConfirmFinish=Do you confirm the closing of the inventory ? This will generate all stock movements to update your stock to the real qty you entered into the inventory. -ObjectNotFound=%s not found -MakeMovementsAndClose=Generate movements and close -AutofillWithExpected=Fill real quantity with expected quantity -ShowAllBatchByDefault=By default, show batch details on product "stock" tab -CollapseBatchDetailHelp=You can set batch detail default display in stocks module configuration -ErrorWrongBarcodemode=Unknown Barcode mode -ProductDoesNotExist=Product does not exist -ErrorSameBatchNumber=Several record for the batch number were found in the inventory sheet. No way to know which one to increase. -ProductBatchDoesNotExist=Product with batch/serial does not exist -ProductBarcodeDoesNotExist=Product with barcode does not exist -WarehouseId=Warehouse ID -WarehouseRef=Warehouse Ref -SaveQtyFirst=Save the real inventoried quantities first, before asking creation of the stock movement. +ConfirmFinish=Bạn có xác nhận việc đóng hàng tồn kho không? Điều này sẽ tạo ra tất cả các chuyển động trong kho để cập nhật lượng hàng trong kho của bạn về số lượng thực mà bạn đã nhập vào kho. +ObjectNotFound=Không tìm thấy %s +MakeMovementsAndClose=Tạo chuyển động và đóng +AutofillWithExpected=Điền số lượng thực tế với số lượng dự kiến +ShowAllBatchByDefault=Theo mặc định, hiển thị chi tiết lô trên tab "kho" sản phẩm +CollapseBatchDetailHelp=Bạn có thể đặt hiển thị mặc định chi tiết lô trong cấu hình mô-đun chứng khoán +ErrorWrongBarcodemode=Chế độ mã vạch không xác định +ProductDoesNotExist=Sản phẩm không tồn tại +ErrorSameBatchNumber=Một số bản ghi về số lô đã được tìm thấy trong bảng kiểm kê. Không có cách nào để biết cái nào sẽ tăng. +ProductBatchDoesNotExist=Sản phẩm có lô/sê-ri không tồn tại +ProductBarcodeDoesNotExist=Sản phẩm có mã vạch không tồn tại +WarehouseId=Mã kho +WarehouseRef=Giới thiệu kho +SaveQtyFirst=Trước tiên, hãy lưu số lượng hàng tồn kho thực tế trước khi yêu cầu tạo ra chuyển động hàng tồn kho. ToStart=Bắt đầu InventoryStartedShort=Đã bắt đầu -ErrorOnElementsInventory=Operation canceled for the following reason: -ErrorCantFindCodeInInventory=Can't find the following code in inventory -QtyWasAddedToTheScannedBarcode=Success !! The quantity was added to all the requested barcode. You can close the Scanner tool. -StockChangeDisabled=Change on stock disabled -NoWarehouseDefinedForTerminal=No warehouse defined for terminal -ClearQtys=Clear all quantities -ModuleStockTransferName=Advanced Stock Transfer -ModuleStockTransferDesc=Advanced management of Stock Transfer, with generation of transfer sheet -StockTransferNew=New stock transfer -StockTransferList=Stock transfers list -ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with reference %s ? -ConfirmDestock=Decrease of stocks with transfer %s -ConfirmDestockCancel=Cancel decrease of stocks with transfer %s -DestockAllProduct=Decrease of stocks -DestockAllProductCancel=Cancel decrease of stocks -ConfirmAddStock=Increase stocks with transfer %s -ConfirmAddStockCancel=Cancel increase of stocks with transfer %s -AddStockAllProduct=Increase of stocks -AddStockAllProductCancel=Cancel increase of stocks -DatePrevueDepart=Intended date of departure -DateReelleDepart=Real date of departure -DatePrevueArrivee=Intended date of arrival -DateReelleArrivee=Real date of arrival -HelpWarehouseStockTransferSource=If this warehouse is set, only itself and its children will be available as source warehouse -HelpWarehouseStockTransferDestination=If this warehouse is set, only itself and its children will be available as destination warehouse -LeadTimeForWarning=Lead time before alert (in days) -TypeContact_stocktransfer_internal_STFROM=Sender of stocks transfer -TypeContact_stocktransfer_internal_STDEST=Recipient of stocks transfer -TypeContact_stocktransfer_internal_STRESP=Responsible of stocks transfer -StockTransferSheet=Stocks transfer sheet -StockTransferSheetProforma=Proforma stocks transfer sheet -StockTransferDecrementation=Decrease source warehouses -StockTransferIncrementation=Increase destination warehouses -StockTransferDecrementationCancel=Cancel decrease of source warehouses -StockTransferIncrementationCancel=Cancel increase of destination warehouses -StockStransferDecremented=Source warehouses decreased -StockStransferDecrementedCancel=Decrease of source warehouses canceled -StockStransferIncremented=Closed - Stocks transfered -StockStransferIncrementedShort=Stocks transfered -StockStransferIncrementedShortCancel=Increase of destination warehouses canceled -StockTransferNoBatchForProduct=Product %s doesn't use batch, clear batch on line and retry -StockTransferSetup = Stocks Transfer module configuration +ErrorOnElementsInventory=Hoạt động bị hủy vì lý do sau: +ErrorCantFindCodeInInventory=Không thể tìm thấy mã sau trong kho +QtyWasAddedToTheScannedBarcode=Thành công !! Số lượng đã được thêm vào tất cả các mã vạch được yêu cầu. Bạn có thể đóng công cụ Máy quét. +StockChangeDisabled=Thay đổi cổ phiếu bị vô hiệu hóa +NoWarehouseDefinedForTerminal=Không có kho được xác định cho thiết bị đầu cuối +ClearQtys=Xóa tất cả số lượng +ModuleStockTransferName=Chuyển nhượng cổ phiếu nâng cao +ModuleStockTransferDesc=Quản lý nâng cao việc chuyển nhượng chứng khoán, với việc tạo bảng chuyển nhượng +StockTransferNew=Chuyển nhượng cổ phiếu mới +StockTransferList=Danh sách chuyển nhượng cổ phiếu +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? +ConfirmDestock=Giảm cổ phiếu khi chuyển %s +ConfirmDestockCancel=Hủy giảm cổ phiếu bằng cách chuyển %s +DestockAllProduct=Giảm cổ phiếu +DestockAllProductCancel=Hủy bỏ việc giảm cổ phiếu +ConfirmAddStock=Tăng lượng hàng tồn kho bằng cách chuyển %s +ConfirmAddStockCancel=Hủy tăng cổ phiếu bằng cách chuyển %s +AddStockAllProduct=Tăng cổ phiếu +AddStockAllProductCancel=Hủy tăng cổ phiếu +DatePrevueDepart=Ngày dự định khởi hành +DateReelleDepart=Ngày khởi hành thực sự +DatePrevueArrivee=Ngày dự định đến +DateReelleArrivee=Ngày đến thực sự +HelpWarehouseStockTransferSource=Nếu kho này được thiết lập, chỉ có chính nó và các con của nó mới có sẵn làm kho nguồn +HelpWarehouseStockTransferDestination=Nếu kho này được thiết lập, chỉ có chính nó và các kho con của nó mới có sẵn làm kho đích +LeadTimeForWarning=Thời gian thực hiện trước khi cảnh báo (tính bằng ngày) +TypeContact_stocktransfer_internal_STFROM=Người gửi chuyển nhượng cổ phiếu +TypeContact_stocktransfer_internal_STDEST=Người nhận chuyển nhượng cổ phiếu +TypeContact_stocktransfer_internal_STRESP=Chịu trách nhiệm chuyển nhượng cổ phiếu +StockTransferSheet=Phiếu chuyển nhượng cổ phiếu +StockTransferSheetProforma=Bảng chuyển nhượng cổ phiếu Proforma +StockTransferDecrementation=Giảm kho nguồn +StockTransferIncrementation=Tăng kho đích +StockTransferDecrementationCancel=Hủy giảm kho nguồn +StockTransferIncrementationCancel=Hủy tăng kho đích +StockStransferDecremented=Kho nguồn giảm +StockStransferDecrementedCancel=Giảm kho nguồn bị hủy +StockStransferIncremented=Đã đóng - Cổ phiếu được chuyển giao +StockStransferIncrementedShort=Cổ phiếu được chuyển nhượng +StockStransferIncrementedShortCancel=Tăng kho đích bị hủy +StockTransferNoBatchForProduct=Sản phẩm %s không sử dụng lô, xóa lô trực tuyến và thử lại +StockTransferSetup = Cấu hình mô-đun chuyển nhượng cổ phiếu Settings=Cài đặt -StockTransferSetupPage = Configuration page for stocks transfer module -StockTransferRightRead=Read stocks transfers -StockTransferRightCreateUpdate=Create/Update stocks transfers -StockTransferRightDelete=Delete stocks transfers -BatchNotFound=Lot / serial not found for this product +StockTransferSetupPage = Trang cấu hình module chuyển nhượng cổ phiếu +StockTransferRightRead=Đọc chuyển nhượng cổ phiếu +StockTransferRightCreateUpdate=Tạo/Cập nhật chuyển nhượng cổ phiếu +StockTransferRightDelete=Xóa chuyển nhượng cổ phiếu +BatchNotFound=Không tìm thấy lô / sê-ri cho sản phẩm này +StockEntryDate=Ngày
      nhập kho +StockMovementWillBeRecorded=Chuyển động chứng khoán sẽ được ghi lại +StockMovementNotYetRecorded=Diễn biến chứng khoán sẽ không bị ảnh hưởng bởi bước này +ReverseConfirmed=Chuyển động cổ phiếu đã được đảo ngược thành công + +WarningThisWIllAlsoDeleteStock=Cảnh báo, điều này cũng sẽ tiêu hủy toàn bộ số lượng tồn kho trong kho +ValidateInventory=Xác thực hàng tồn kho +IncludeSubWarehouse=Bao gồm kho phụ? +IncludeSubWarehouseExplanation=Chọn hộp này nếu bạn muốn đưa tất cả các kho phụ của kho liên kết vào kho +DeleteBatch=Xóa lô/serial +ConfirmDeleteBatch=Bạn có chắc chắn muốn xóa lô/serial không? +WarehouseUsage=Sử dụng kho +InternalWarehouse=Kho nội bộ +ExternalWarehouse=Kho bên ngoài +WarningThisWIllAlsoDeleteStock=Cảnh báo, điều này cũng sẽ tiêu hủy toàn bộ số lượng tồn kho trong kho diff --git a/htdocs/langs/vi_VN/stripe.lang b/htdocs/langs/vi_VN/stripe.lang index 11a6b7c8515..294cc2ca02e 100644 --- a/htdocs/langs/vi_VN/stripe.lang +++ b/htdocs/langs/vi_VN/stripe.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - stripe StripeSetup=Thiết lập mô-đun cổng thanh toán Stripe -StripeDesc=Offer your customers an online payment page for payments with credit/debit cards via Stripe. This can be used to allow your customers to make ad-hoc payments or for payments related to a particular Dolibarr object (invoice, order, ...) +StripeDesc=Cung cấp cho khách hàng của bạn trang thanh toán trực tuyến để thanh toán bằng thẻ tín dụng/thẻ ghi nợ qua Stripe . Điều này có thể được sử dụng để cho phép khách hàng của bạn thực hiện thanh toán đặc biệt hoặc thanh toán liên quan đến một đối tượng Dolibarr cụ thể (hóa đơn, đơn đặt hàng, ...) StripeOrCBDoPayment=Thanh toán bằng thẻ tín dụng hoặc Stripe FollowingUrlAreAvailableToMakePayments=Các URL sau có sẵn để cung cấp một trang cho khách hàng để thanh toán trên các đối tượng Dolibarr PaymentForm=Hình thức thanh toán @@ -31,7 +31,7 @@ STRIPE_CGI_URL_V2=Mô-đun Url của Stripe CGI để thanh toán CSSUrlForPaymentForm=CSS style sheet Url cho hình thức thanh toán NewStripePaymentReceived=Đã nhận thanh toán Stripe mới NewStripePaymentFailed=Thanh toán Stripe mới đã thử nhưng không thành công -FailedToChargeCard=Failed to charge card +FailedToChargeCard=Không nạp được thẻ STRIPE_TEST_SECRET_KEY=Khóa kiểm tra bí mật STRIPE_TEST_PUBLISHABLE_KEY=Khóa kiểm tra có thể xuất bản STRIPE_TEST_WEBHOOK_KEY=Khóa kiểm tra webhook @@ -41,8 +41,8 @@ STRIPE_LIVE_WEBHOOK_KEY=Khóa trực tiếp trên web ONLINE_PAYMENT_WAREHOUSE=Tồn kho để sử dụng để giảm tồn kho khi thanh toán trực tuyến được thực hiện
      (TODO Khi tùy chọn giảm tồn kho được thực hiện trên một hành động trên hóa đơn và thanh toán trực tuyến tự tạo hóa đơn?) StripeLiveEnabled=Stripe trực tiếp được kích hoạt (nếu không là chế độ kiểm tra / hộp cát) StripeImportPayment=Nhập dữ liệu thanh toán Stripe -ExampleOfTestCreditCard=Example of credit card for SEPA test: %s => valid, %s => error CVC, %s => expired, %s => charge fails -ExampleOfTestBankAcountForSEPA=Example of bank account BAN for direct debit test: %s +ExampleOfTestCreditCard=Ví dụ về thẻ tín dụng để kiểm tra thanh toán: %s => hợp lệ, %s => lỗi CVC, %s => đã hết hạn, %s => sạc không thành công +ExampleOfTestBankAcountForSEPA=Ví dụ về BAN tài khoản ngân hàng để kiểm tra ghi nợ trực tiếp: %s StripeGateways=Cổng Stripe OAUTH_STRIPE_TEST_ID=ID khách hàng kết nối Stripe (ca _...) OAUTH_STRIPE_LIVE_ID=ID khách hàng kết nối Stripe (ca _...) @@ -51,6 +51,7 @@ StripeAccount=Tài khoản Stripe StripeChargeList=Danh sách thu phí Stripe StripeTransactionList=Danh sách các giao dịch Stripe StripeCustomerId=Id khách hàng Stripe +StripePaymentId=ID sọc thanh toán StripePaymentModes=Phương thức thanh toán Stripe LocalID=ID địa phương StripeID=ID Stripe @@ -62,7 +63,7 @@ DeleteACard=Xóa thẻ ConfirmDeleteCard=Bạn có chắc chắn muốn xóa thẻ Tín dụng hoặc Thẻ ghi nợ này không? CreateCustomerOnStripe=Tạo khách hàng trên Stripe CreateCardOnStripe=Tạo thẻ trên Stripe -CreateBANOnStripe=Create bank on Stripe +CreateBANOnStripe=Tạo ngân hàng trên Stripe ShowInStripe=Hiển thị trong Stripe StripeUserAccountForActions=Tài khoản người dùng sử dụng để thông báo qua email về một số sự kiện Stripe (Xuất chi Stripe) StripePayoutList=Danh sách các khoản xuất chi của Stripe @@ -70,9 +71,9 @@ ToOfferALinkForTestWebhook=Liên kết để thiết lập Stripe WebHook để ToOfferALinkForLiveWebhook=Liên kết để thiết lập Stripe WebHook để gọi IPN (chế độ trực tiếp) PaymentWillBeRecordedForNextPeriod=Thanh toán sẽ được ghi lại cho giai đoạn tiếp theo. ClickHereToTryAgain=Bấm vào đây để thử lại... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s -STRIPE_CARD_PRESENT=Card Present for Stripe Terminals -TERMINAL_LOCATION=Location (address) for Stripe Terminals -RequestDirectDebitWithStripe=Request Direct Debit with Stripe -STRIPE_SEPA_DIRECT_DEBIT=Enable the Direct Debit payments through Stripe - +CreationOfPaymentModeMustBeDoneFromStripeInterface=Do quy tắc Xác thực khách hàng mạnh mẽ, việc tạo thẻ phải được thực hiện từ văn phòng hỗ trợ của Stripe. Bạn có thể nhấp vào đây để bật hồ sơ khách hàng Stripe: %s +STRIPE_CARD_PRESENT=Thẻ quà tặng cho thiết bị đầu cuối Stripe +TERMINAL_LOCATION=Vị trí (địa chỉ) của Stripe Terminals +RequestDirectDebitWithStripe=Yêu cầu ghi nợ trực tiếp với Stripe +STRIPE_SEPA_DIRECT_DEBIT=Cho phép thanh toán Ghi nợ trực tiếp thông qua Stripe +StripeConnect_Mode=Chế độ kết nối sọc diff --git a/htdocs/langs/vi_VN/supplier_proposal.lang b/htdocs/langs/vi_VN/supplier_proposal.lang index ed0ac35e936..a3271d7631f 100644 --- a/htdocs/langs/vi_VN/supplier_proposal.lang +++ b/htdocs/langs/vi_VN/supplier_proposal.lang @@ -33,7 +33,7 @@ SupplierProposalStatusValidatedShort=Đã xác nhận SupplierProposalStatusClosedShort=Đã đóng SupplierProposalStatusSignedShort=Đã được chấp nhận SupplierProposalStatusNotSignedShort=Đã từ chối -CopyAskFrom=Create a price request by copying an existing request +CopyAskFrom=Tạo yêu cầu giá bằng cách sao chép yêu cầu hiện có CreateEmptyAsk=Tạo yêu cầu trống ConfirmCloneAsk=Bạn có chắc chắn muốn sao chép yêu cầu giá %s ? ConfirmReOpenAsk=Bạn có chắc chắn muốn mở lại yêu cầu giá %s ? @@ -42,8 +42,8 @@ SendAskRef=Gửi yêu cầu giá %s SupplierProposalCard=Thẻ yêu cầu ConfirmDeleteAsk=Bạn có chắc chắn muốn xóa yêu cầu giá này %s ? ActionsOnSupplierProposal=Sự kiện của yêu cầu giá -DocModelAuroreDescription=A complete template for a vendor quotation request template (old implementation of Sponge template) -DocModelZenithDescription=A complete template for a vendor quotation request template +DocModelAuroreDescription=Mẫu hoàn chỉnh cho yêu cầu báo giá của nhà cung cấp (bản triển khai cũ của mẫu Sponge) +DocModelZenithDescription=Mẫu hoàn chỉnh cho yêu cầu báo giá của nhà cung cấp CommercialAsk=Yêu cầu giá DefaultModelSupplierProposalCreate=Tạo mô hình mặc định DefaultModelSupplierProposalToBill=Mẫu mặc định khi đóng yêu cầu giá (được chấp nhận) @@ -54,6 +54,6 @@ SupplierProposalsToClose=Đề nghị nhà cung cấp để đóng SupplierProposalsToProcess=Đề xuất nhà cung cấp để xử lý LastSupplierProposals=Yêu cầu giá mới nhất %s AllPriceRequests=Tất cả các yêu cầu -TypeContact_supplier_proposal_external_SHIPPING=Vendor contact for delivery -TypeContact_supplier_proposal_external_BILLING=Vendor contact for billing +TypeContact_supplier_proposal_external_SHIPPING=Liên hệ nhà cung cấp để giao hàng +TypeContact_supplier_proposal_external_BILLING=Liên hệ nhà cung cấp để thanh toán TypeContact_supplier_proposal_external_SERVICE=Đại diện kinh doanh theo dõi đơn hàng đề xuất diff --git a/htdocs/langs/vi_VN/ticket.lang b/htdocs/langs/vi_VN/ticket.lang index 0bdaa08ed3f..65f12929a09 100644 --- a/htdocs/langs/vi_VN/ticket.lang +++ b/htdocs/langs/vi_VN/ticket.lang @@ -26,18 +26,18 @@ Permission56002=Sửa đổi vé Permission56003=Xóa vé Permission56004=Quản lý vé Permission56005=Xem vé của tất cả các bên thứ ba (không hiệu quả đối với người dùng bên ngoài, luôn bị giới hạn ở bên thứ ba mà họ phụ thuộc) -Permission56006=Export tickets +Permission56006=Xuất vé Tickets=Vé TicketDictType=Vé - Các loại TicketDictCategory=Vé - Nhóm TicketDictSeverity=Vé - Mức độ nghiêm trọng -TicketDictResolution=Ticket - Resolution +TicketDictResolution=Vé - Nghị quyết TicketTypeShortCOM=Câu hỏi thương mại TicketTypeShortHELP=Yêu cầu trợ giúp chức năng -TicketTypeShortISSUE=Issue or bug -TicketTypeShortPROBLEM=Problem +TicketTypeShortISSUE=Sự cố hoặc lỗi +TicketTypeShortPROBLEM=Vấn đề TicketTypeShortREQUEST=Yêu cầu thay đổi hoặc nâng cao TicketTypeShortPROJET=Dự án TicketTypeShortOTHER=Khác @@ -45,7 +45,7 @@ TicketTypeShortOTHER=Khác TicketSeverityShortLOW=Thấp TicketSeverityShortNORMAL=Bình thường TicketSeverityShortHIGH=Cao -TicketSeverityShortBLOCKING=Critical, Blocking +TicketSeverityShortBLOCKING=Quan trọng, Chặn TicketCategoryShortOTHER=Khác @@ -59,7 +59,7 @@ TypeContact_ticket_internal_SUPPORTTEC=Người dùng được chỉ định TypeContact_ticket_external_SUPPORTCLI=Theo dõi liên lạc / sự cố khách hàng  TypeContact_ticket_external_CONTRIBUTOR=Người cộng tác bên ngoài -OriginEmail=Reporter Email +OriginEmail=Email phóng viên Notify_TICKET_SENTBYMAIL=Gửi tin nhắn vé qua email ExportDataset_ticket_1=Vé @@ -67,18 +67,18 @@ ExportDataset_ticket_1=Vé # Status Read=Đọc Assigned=Phân công -NeedMoreInformation=Waiting for reporter feedback -NeedMoreInformationShort=Waiting for feedback +NeedMoreInformation=Chờ phản hồi của phóng viên +NeedMoreInformationShort=Chờ phản hồi Answered=Đã trả lời Waiting=Đang chờ -SolvedClosed=Solved +SolvedClosed=Đã giải quyết Deleted=Đã xóa # Dict Type=Loại Severity=Mức độ nghiêm trọng -TicketGroupIsPublic=Group is public -TicketGroupIsPublicDesc=If a ticket group is public, it will be visible in the form when creating a ticket from the public interface +TicketGroupIsPublic=Nhóm là công khai +TicketGroupIsPublicDesc=Nếu một nhóm yêu cầu được công khai, nó sẽ hiển thị dưới dạng khi tạo yêu cầu từ giao diện chung # Email templates MailToSendTicketMessage=Để gửi email từ tin nhắn vé @@ -93,19 +93,19 @@ TicketPublicAccess=Giao diện công cộng không yêu cầu nhận dạng có TicketSetupDictionaries=Loại vé, mức độ nghiêm trọng và mã phân tích có thể được cấu hình từ từ điển TicketParamModule=Thiết lập biến thể mô-đun TicketParamMail=Thiết lập email -TicketEmailNotificationFrom=Sender e-mail for notification on answers -TicketEmailNotificationFromHelp=Sender e-mail to use to send the notification email when an answer is provided inside the backoffice. For example noreply@example.com -TicketEmailNotificationTo=Notify ticket creation to this e-mail address -TicketEmailNotificationToHelp=If present, this e-mail address will be notified of a ticket creation +TicketEmailNotificationFrom=Người gửi e-mail để thông báo về câu trả lời +TicketEmailNotificationFromHelp=Email của người gửi sẽ được sử dụng để gửi email thông báo khi có câu trả lời được cung cấp bên trong văn phòng hỗ trợ. Ví dụ noreply@example.com +TicketEmailNotificationTo=Thông báo việc tạo vé tới địa chỉ email này +TicketEmailNotificationToHelp=Nếu có, địa chỉ email này sẽ được thông báo về việc tạo vé TicketNewEmailBodyLabel=Thông điệp văn bản được gửi sau khi tạo vé TicketNewEmailBodyHelp=Văn bản được chỉ định ở đây sẽ được chèn vào email xác nhận việc tạo vé mới từ giao diện công cộng. Thông tin về tham khảo của vé được tự động thêm vào. TicketParamPublicInterface=Thiết lập giao diện công cộng TicketsEmailMustExist=Yêu cầu một địa chỉ email hiện có để tạo vé TicketsEmailMustExistHelp=Trong giao diện công cộng, địa chỉ email đã được điền vào cơ sở dữ liệu để tạo một vé mới. -TicketsShowProgression=Display the ticket progress in the public interface -TicketsShowProgressionHelp=Enable this option to hide the progress of the ticket in the public interface pages -TicketCreateThirdPartyWithContactIfNotExist=Ask name and company name for unknown emails. -TicketCreateThirdPartyWithContactIfNotExistHelp=Check if a thirdparty or a contact exists for the email entered. If not, ask a name and a company name to create a third party with contact. +TicketsShowProgression=Hiển thị tiến trình yêu cầu trong giao diện công cộng +TicketsShowProgressionHelp=Bật tùy chọn này để ẩn tiến trình của yêu cầu trong các trang giao diện công cộng +TicketCreateThirdPartyWithContactIfNotExist=Hỏi tên và tên công ty đối với các email không xác định. +TicketCreateThirdPartyWithContactIfNotExistHelp=Kiểm tra xem có tồn tại bên thứ ba hoặc liên hệ đối với email đã nhập hay không. Nếu không, hãy hỏi tên và tên công ty để tạo bên thứ ba có liên hệ. PublicInterface=Giao diện công cộng TicketUrlPublicInterfaceLabelAdmin=URL thay thế cho giao diện công cộng TicketUrlPublicInterfaceHelpAdmin=Có thể xác định bí danh cho máy chủ web và do đó cung cấp giao diện công khai với một URL khác (máy chủ phải hoạt động như một proxy trên URL mới này) @@ -126,11 +126,11 @@ TicketParams=Các thông số TicketsShowModuleLogo=Hiển thị logo của mô-đun trong giao diện công cộng TicketsShowModuleLogoHelp=Cho phép tùy chọn này để ẩn mô-đun logo trong các trang của giao diện công cộng TicketsShowCompanyLogo=Hiển thị logo của công ty trong giao diện công cộng -TicketsShowCompanyLogoHelp=Enable this option to show the logo of the main company in the pages of the public interface -TicketsShowCompanyFooter=Display the footer of the company in the public interface -TicketsShowCompanyFooterHelp=Enable this option to show the footer of the main company in the pages of the public interface -TicketsEmailAlsoSendToMainAddress=Also send a notification to the main email address -TicketsEmailAlsoSendToMainAddressHelp=Enable this option to also send an email to the address defined into setup "%s" (see tab "%s") +TicketsShowCompanyLogoHelp=Bật tùy chọn này để hiển thị logo của công ty chính trên các trang của giao diện công cộng +TicketsShowCompanyFooter=Hiển thị chân trang của công ty trong giao diện công cộng +TicketsShowCompanyFooterHelp=Bật tùy chọn này để hiển thị chân trang của công ty chính trong các trang của giao diện công cộng +TicketsEmailAlsoSendToMainAddress=Đồng thời gửi thông báo đến địa chỉ email chính +TicketsEmailAlsoSendToMainAddressHelp=Bật tùy chọn này để gửi email đến địa chỉ được xác định trong thiết lập "%s" (xem tab "%s") TicketsLimitViewAssignedOnly=Hạn chế hiển thị đối với vé được chỉ định cho người dùng hiện tại (không hiệu quả đối với người dùng bên ngoài, luôn bị giới hạn ở bên thứ ba mà họ phụ thuộc) TicketsLimitViewAssignedOnlyHelp=Chỉ có vé được chỉ định cho người dùng hiện tại sẽ hiển thị. Không áp dụng cho người dùng có quyền quản lý vé. TicketsActivatePublicInterface=Kích hoạt giao diện công cộng @@ -138,31 +138,33 @@ TicketsActivatePublicInterfaceHelp=Giao diện công cộng cho phép bất kỳ TicketsAutoAssignTicket=Tự động chỉ định người dùng đã tạo vé TicketsAutoAssignTicketHelp=Khi tạo vé, người dùng có thể được tự động chỉ định cho vé. TicketNumberingModules=Mô-đun đánh số vé -TicketsModelModule=Document templates for tickets +TicketsModelModule=Mẫu tài liệu cho vé TicketNotifyTiersAtCreation=Thông báo cho bên thứ ba khi tạo TicketsDisableCustomerEmail=Luôn vô hiệu hóa email khi vé được tạo từ giao diện công cộng -TicketsPublicNotificationNewMessage=Send email(s) when a new message/comment is added to a ticket -TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) -TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) -TicketPublicNotificationNewMessageDefaultEmailHelp=Send an email to this address for each new message notifications if the ticket doesn't have a user assigned to it or if the user doesn't have any known email. -TicketsAutoReadTicket=Automatically mark the ticket as read (when created from backoffice) -TicketsAutoReadTicketHelp=Automatically mark the ticket as read when created from backoffice. When ticket is create from the public interface, ticket remains with the status "Not Read". -TicketsDelayBeforeFirstAnswer=A new ticket should receive a first answer before (hours): -TicketsDelayBeforeFirstAnswerHelp=If a new ticket has not received an answer after this time period (in hours), an important warning icon will be displayed in the list view. -TicketsDelayBetweenAnswers=An unresolved ticket should not be unactive during (hours): -TicketsDelayBetweenAnswersHelp=If an unresolved ticket that has already received an answer has not had further interaction after this time period (in hours), a warning icon will be displayed in the list view. -TicketsAutoNotifyClose=Automatically notify thirdparty when closing a ticket -TicketsAutoNotifyCloseHelp=When closing a ticket, you will be proposed to send a message to one of thirdparty's contacts. On mass closing, a message will be sent to one contact of the thirdparty linked to the ticket. -TicketWrongContact=Provided contact is not part of current ticket contacts. Email not sent. -TicketChooseProductCategory=Product category for ticket support -TicketChooseProductCategoryHelp=Select the product category of ticket support. This will be used to automatically link a contract to a ticket. -TicketUseCaptchaCode=Use graphical code (CAPTCHA) when creating a ticket -TicketUseCaptchaCodeHelp=Adds CAPTCHA verification when creating a new ticket. +TicketsPublicNotificationNewMessage=Gửi (các) email khi có tin nhắn/bình luận mới được thêm vào phiếu +TicketsPublicNotificationNewMessageHelp=Gửi (các) email khi có tin nhắn mới được thêm từ giao diện công cộng (đến người dùng được chỉ định hoặc email thông báo tới (cập nhật) và/hoặc email thông báo tới) +TicketPublicNotificationNewMessageDefaultEmail=Thông báo qua email tới (cập nhật) +TicketPublicNotificationNewMessageDefaultEmailHelp=Gửi email đến địa chỉ này cho mỗi thông báo tin nhắn mới nếu vé không được chỉ định người dùng hoặc nếu người dùng không có bất kỳ email nào đã biết. +TicketsAutoReadTicket=Tự động đánh dấu phiếu là đã đọc (khi được tạo từ bộ phận hỗ trợ) +TicketsAutoReadTicketHelp=Tự động đánh dấu phiếu là đã đọc khi được tạo từ bộ phận hỗ trợ. Khi vé được tạo từ giao diện công cộng, vé vẫn có trạng thái "Chưa đọc". +TicketsDelayBeforeFirstAnswer=Một vé mới sẽ nhận được câu trả lời đầu tiên trước (giờ): +TicketsDelayBeforeFirstAnswerHelp=Nếu yêu cầu mới không nhận được câu trả lời sau khoảng thời gian này (tính bằng giờ), một biểu tượng cảnh báo quan trọng sẽ được hiển thị trong chế độ xem danh sách. +TicketsDelayBetweenAnswers=Một yêu cầu chưa được giải quyết sẽ không hoạt động trong (giờ): +TicketsDelayBetweenAnswersHelp=Nếu một yêu cầu chưa được giải quyết đã nhận được câu trả lời và không có tương tác thêm sau khoảng thời gian này (tính bằng giờ), biểu tượng cảnh báo sẽ được hiển thị trong chế độ xem danh sách. +TicketsAutoNotifyClose=Tự động thông báo cho bên thứ ba khi đóng ticket +TicketsAutoNotifyCloseHelp=Khi đóng yêu cầu, bạn sẽ được đề xuất gửi tin nhắn đến một trong các địa chỉ liên hệ của bên thứ ba. Khi đóng hàng loạt, một tin nhắn sẽ được gửi đến một liên hệ của bên thứ ba được liên kết với vé. +TicketWrongContact=Liên hệ được cung cấp không phải là một phần của liên hệ vé hiện tại. Email không được gửi. +TicketChooseProductCategory=Danh mục sản phẩm hỗ trợ vé +TicketChooseProductCategoryHelp=Chọn danh mục sản phẩm hỗ trợ vé. Điều này sẽ được sử dụng để tự động liên kết hợp đồng với vé. +TicketUseCaptchaCode=Sử dụng mã đồ họa (CAPTCHA) khi tạo vé +TicketUseCaptchaCodeHelp=Thêm xác minh CAPTCHA khi tạo vé mới. +TicketsAllowClassificationModificationIfClosed=Cho phép sửa đổi phân loại vé đã đóng +TicketsAllowClassificationModificationIfClosedHelp=Cho phép sửa đổi phân loại (loại, nhóm vé, mức độ nghiêm trọng) ngay cả khi vé bị đóng. # # Index & list page # -TicketsIndex=Tickets area +TicketsIndex=Khu vực bán vé TicketList=Danh sách vé TicketAssignedToMeInfos=Trang này hiển thị danh sách vé được tạo bởi hoặc gán cho người dùng hiện tại NoTicketsFound=Không tìm thấy vé @@ -174,8 +176,8 @@ OrderByDateAsc=Sắp xếp theo ngày tăng dần OrderByDateDesc=Sắp xếp theo ngày giảm dần ShowAsConversation=Hiển thị dưới dạng danh sách cuộc hội thoại MessageListViewType=Hiển thị dưới dạng danh sách bảng -ConfirmMassTicketClosingSendEmail=Automatically send emails when closing tickets -ConfirmMassTicketClosingSendEmailQuestion=Do you want to notify thirdparties when closing these tickets ? +ConfirmMassTicketClosingSendEmail=Tự động gửi email khi đóng yêu cầu +ConfirmMassTicketClosingSendEmailQuestion=Bạn có muốn thông báo cho bên thứ ba khi đóng các vé này không? # # Ticket card @@ -189,7 +191,7 @@ CreatedBy=Được tạo bởi NewTicket=Vé mới SubjectAnswerToTicket=Trả lời vé TicketTypeRequest=Loại yêu cầu -TicketCategory=Ticket group +TicketCategory=Nhóm vé SeeTicket=Xem vé TicketMarkedAsRead=Vé đã được đánh dấu là đã đọc TicketReadOn=Đọc tiếp @@ -201,8 +203,8 @@ TicketAssigned=Vé đã được chỉ định TicketChangeType=Đổi loại TicketChangeCategory=Thay đổi mã phân tích TicketChangeSeverity=Thay đổi mức độ nghiêm trọng -TicketAddMessage=Add or send a message -TicketAddPrivateMessage=Add a private message +TicketAddMessage=Thêm hoặc gửi tin nhắn +TicketAddPrivateMessage=Thêm tin nhắn riêng tư MessageSuccessfullyAdded=Đã thêm vé TicketMessageSuccessfullyAdded=Thông điệp đã được thêm thành công TicketMessagesList=Danh sách tin nhắn @@ -213,11 +215,11 @@ TicketSeverity=Mức độ nghiêm trọng ShowTicket=Xem vé RelatedTickets=Vé liên quan TicketAddIntervention=Tạo sự can thiệp -CloseTicket=Close|Solve -AbandonTicket=Abandon -CloseATicket=Close|Solve a ticket +CloseTicket=Đóng|Giải quyết +AbandonTicket=Bỏ rơi +CloseATicket=Đóng|Giải quyết một vé ConfirmCloseAticket=Xác nhận đóng vé -ConfirmAbandonTicket=Do you confirm the closing of the ticket to status 'Abandonned' +ConfirmAbandonTicket=Bạn có xác nhận việc đóng vé về trạng thái 'Bỏ rơi' ConfirmDeleteTicket=Vui lòng xác nhận xóa vé TicketDeletedSuccess=Vé đã xóa thành công TicketMarkedAsClosed=Vé được đánh dấu là đã đóng @@ -228,34 +230,34 @@ SendMessageByEmail=Gửi tin nhắn qua email TicketNewMessage=Tin nhắn mới ErrorMailRecipientIsEmptyForSendTicketMessage=Người nhận trống rỗng. Không gửi email TicketGoIntoContactTab=Vui lòng vào tab "Danh bạ" để chọn chúng -TicketMessageMailIntro=Message header +TicketMessageMailIntro=Tiêu đề thư TicketMessageMailIntroHelp=Văn bản này chỉ được thêm vào lúc bắt đầu email và sẽ không được lưu. -TicketMessageMailIntroText=Hello,
      A new answer has been added to a ticket that you follow. Here is the message:
      -TicketMessageMailIntroHelpAdmin=This text will be inserted before the answer when replying to a ticket from Dolibarr -TicketMessageMailFooter=Message footer -TicketMessageMailFooterHelp=This text is added only at the end of the message sent by email and will not be saved. -TicketMessageMailFooterText=Message sent by %s via Dolibarr +TicketMessageMailIntroText=Xin chào,
      Một câu trả lời mới đã được thêm vào yêu cầu mà bạn theo dõi. Đây là thông báo:
      +TicketMessageMailIntroHelpAdmin=Văn bản này sẽ được chèn trước câu trả lời khi trả lời vé từ Dolibarr +TicketMessageMailFooter=Chân trang tin nhắn +TicketMessageMailFooterHelp=Văn bản này chỉ được thêm vào cuối tin nhắn được gửi qua email và sẽ không được lưu. +TicketMessageMailFooterText=Tin nhắn được gửi bởi %s qua Dolibarr TicketMessageMailFooterHelpAdmin=Văn bản này sẽ được chèn sau thông báo phản hồi. TicketMessageHelp=Chỉ văn bản này sẽ được lưu trong danh sách tin nhắn trên thẻ vé. TicketMessageSubstitutionReplacedByGenericValues=Các biến thay thế được thay thế bằng các giá trị chung. -ForEmailMessageWillBeCompletedWith=For email messages sent to external users, the message will be completed with +ForEmailMessageWillBeCompletedWith=Đối với các email được gửi tới người dùng bên ngoài, tin nhắn sẽ được hoàn thành bằng TimeElapsedSince=Thời gian trôi qua kể từ khi TicketTimeToRead=Thời gian trôi qua trước khi đọc -TicketTimeElapsedBeforeSince=Time elapsed before / since +TicketTimeElapsedBeforeSince=Thời gian trôi qua trước/kể từ TicketContacts=Liên hệ vé TicketDocumentsLinked=Tài liệu liên kết với vé ConfirmReOpenTicket=Xác nhận mở lại vé này? TicketMessageMailIntroAutoNewPublicMessage=Một tin nhắn mới đã được đăng trên vé với chủ đề %s: TicketAssignedToYou=Vé đã được chỉ định TicketAssignedEmailBody=Bạn đã được chỉ định vé # %s bởi %s -TicketAssignedCustomerEmail=Your ticket has been assigned for processing. -TicketAssignedCustomerBody=This is an automatic email to confirm your ticket has been assigned for processing. +TicketAssignedCustomerEmail=Vé của bạn đã được chỉ định để xử lý. +TicketAssignedCustomerBody=Đây là email tự động để xác nhận vé của bạn đã được chỉ định để xử lý. MarkMessageAsPrivate=Đánh dấu tin nhắn là riêng tư -TicketMessageSendEmailHelp=An email will be sent to all assigned contact -TicketMessageSendEmailHelp2a=(internal contacts, but also external contacts except if the option "%s" is checked) -TicketMessageSendEmailHelp2b=(internal contacts, but also external contacts) -TicketMessagePrivateHelp=This message will not be visible to external users -TicketMessageRecipientsHelp=Recipient field completed with active contacts linked to the ticket +TicketMessageSendEmailHelp=Một email sẽ được gửi đến tất cả các liên hệ được chỉ định +TicketMessageSendEmailHelp2a=(địa chỉ liên hệ nội bộ cũng như địa chỉ liên hệ bên ngoài trừ khi tùy chọn "%s" được chọn) +TicketMessageSendEmailHelp2b=(liên hệ nội bộ, nhưng cũng có liên hệ bên ngoài) +TicketMessagePrivateHelp=Thông báo này sẽ không hiển thị cho người dùng bên ngoài +TicketMessageRecipientsHelp=Trường người nhận đã hoàn tất với những người liên hệ đang hoạt động được liên kết với phiếu TicketEmailOriginIssuer=Tổ chức phát hành gốc của vé InitialMessage=Tin nhắn khởi đầu LinkToAContract=Liên kết với hợp đồng @@ -268,17 +270,17 @@ TicketChangeStatus=Thay đổi trạng thái TicketConfirmChangeStatus=Xác nhận thay đổi trạng thái: %s? TicketLogStatusChanged=Trạng thái đã thay đổi: %s thành %s TicketNotNotifyTiersAtCreate=Không thông báo cho công ty khi tạo -NotifyThirdpartyOnTicketClosing=Contacts to notify while closing the ticket -TicketNotifyAllTiersAtClose=All related contacts -TicketNotNotifyTiersAtClose=No related contact +NotifyThirdpartyOnTicketClosing=Liên hệ để thông báo khi đóng ticket +TicketNotifyAllTiersAtClose=Tất cả các liên hệ liên quan +TicketNotNotifyTiersAtClose=Không có liên hệ liên quan Unread=Chưa đọc TicketNotCreatedFromPublicInterface=Không có sẵn. Vé không được tạo từ giao diện công cộng. ErrorTicketRefRequired=Tên tham chiếu vé là bắt buộc -TicketsDelayForFirstResponseTooLong=Too much time elapsed since ticket opening without any answer. -TicketsDelayFromLastResponseTooLong=Too much time elapsed since last answer on this ticket. -TicketNoContractFoundToLink=No contract was found to be automatically linked to this ticket. Please link a contract manually. -TicketManyContractsLinked=Many contracts have been automatically linked to this ticket. Make sure to verify which should be chosen. -TicketRefAlreadyUsed=The reference [%s] is already used, your new reference is [%s] +TicketsDelayForFirstResponseTooLong=Quá nhiều thời gian trôi qua kể từ khi mở vé mà không có câu trả lời. +TicketsDelayFromLastResponseTooLong=Đã quá nhiều thời gian trôi qua kể từ câu trả lời cuối cùng cho phiếu này. +TicketNoContractFoundToLink=Không có hợp đồng nào được tìm thấy được tự động liên kết với phiếu này. Vui lòng liên kết hợp đồng theo cách thủ công. +TicketManyContractsLinked=Nhiều hợp đồng đã được tự động liên kết với vé này. Hãy chắc chắn để xác minh cái nào nên được chọn. +TicketRefAlreadyUsed=Tham chiếu [%s] đã được sử dụng, tham chiếu mới của bạn là [%s] # # Logs @@ -288,7 +290,7 @@ NoLogForThisTicket=Chưa có log cho vé này TicketLogAssignedTo=Vé %s được giao cho %s TicketLogPropertyChanged=Vé %s được sửa đổi: phân loại từ %s đến %s TicketLogClosedBy=Vé %s được đóng bởi %s -TicketLogReopen=Ticket %s re-open +TicketLogReopen=Vé %s mở lại # # Public pages @@ -298,20 +300,20 @@ ShowListTicketWithTrackId=Hiển thị danh sách vé từ ID theo dõi ShowTicketWithTrackId=Hiển thị vé từ ID theo dõi TicketPublicDesc=Bạn có thể tạo một vé hỗ trợ hoặc kiểm tra từ một ID hiện có. YourTicketSuccessfullySaved=Vé đã được lưu thành công! -MesgInfosPublicTicketCreatedWithTrackId=A new ticket has been created with ID %s and Ref %s. +MesgInfosPublicTicketCreatedWithTrackId=Một vé mới đã được tạo với ID %s và Ref %s. PleaseRememberThisId=Vui lòng giữ số theo dõi mà chúng tôi có thể hỏi bạn sau này. -TicketNewEmailSubject=Ticket creation confirmation - Ref %s (public ticket ID %s) +TicketNewEmailSubject=Xác nhận tạo vé - Tham chiếu %s (ID vé công khai %s) TicketNewEmailSubjectCustomer=Vé hỗ trợ mới TicketNewEmailBody=Đây là một email tự động để xác nhận bạn đã đăng ký một vé mới. TicketNewEmailBodyCustomer=Đây là một email tự động để xác nhận một vé mới vừa được tạo vào tài khoản của bạn. TicketNewEmailBodyInfosTicket=Thông tin để giám sát vé TicketNewEmailBodyInfosTrackId=Số theo dõi vé: %s -TicketNewEmailBodyInfosTrackUrl=You can view the progress of the ticket by clicking the following link +TicketNewEmailBodyInfosTrackUrl=Bạn có thể xem tiến trình của vé bằng cách nhấp vào liên kết sau TicketNewEmailBodyInfosTrackUrlCustomer=Bạn có thể xem tiến trình của vé trong giao diện cụ thể bằng cách nhấp vào liên kết sau -TicketCloseEmailBodyInfosTrackUrlCustomer=You can consult the history of this ticket by clicking the following link +TicketCloseEmailBodyInfosTrackUrlCustomer=Bạn có thể tham khảo lịch sử của vé này bằng cách nhấp vào liên kết sau TicketEmailPleaseDoNotReplyToThisEmail=Xin đừng trả lời trực tiếp email này! Sử dụng liên kết để trả lời trong giao diện. TicketPublicInfoCreateTicket=Biểu mẫu này cho phép bạn ghi lại một vé hỗ trợ trong hệ thống quản lý của chúng tôi. -TicketPublicPleaseBeAccuratelyDescribe=Please accurately describe your question. Provide the most information possible to allow us to correctly identify your request. +TicketPublicPleaseBeAccuratelyDescribe=Hãy mô tả chính xác yêu cầu của bạn. Cung cấp nhiều thông tin nhất có thể để cho phép chúng tôi xác định chính xác yêu cầu của bạn. TicketPublicMsgViewLogIn=Vui lòng nhập ID theo dõi vé TicketTrackId=ID theo dõi công khai OneOfTicketTrackId=Một trong những ID theo dõi của bạn @@ -320,7 +322,7 @@ Subject=Chủ đề ViewTicket=Xem vé ViewMyTicketList=Xem danh sách vé của tôi ErrorEmailMustExistToCreateTicket=Lỗi: không tìm thấy địa chỉ email trong cơ sở dữ liệu của chúng tôi -TicketNewEmailSubjectAdmin=New ticket created - Ref %s (public ticket ID %s) +TicketNewEmailSubjectAdmin=Đã tạo vé mới - Tham chiếu %s (ID vé công khai %s) TicketNewEmailBodyAdmin=

      Vé vừa được tạo với ID # %s, xem thông tin:

      SeeThisTicketIntomanagementInterface=Xem vé trong giao diện quản lý TicketPublicInterfaceForbidden=Giao diện công cộng cho các vé không được kích hoạt @@ -329,14 +331,14 @@ OldUser=Người dùng cũ NewUser=Người dùng mới NumberOfTicketsByMonth=Số lượng vé mỗi tháng NbOfTickets=Số lượng vé -ExternalContributors=External contributors -AddContributor=Add external contributor +ExternalContributors=Cộng tác viên bên ngoài +AddContributor=Thêm cộng tác viên bên ngoài # notifications -TicketCloseEmailSubjectCustomer=Ticket closed -TicketCloseEmailBodyCustomer=This is an automatic message to notify you that ticket %s has just been closed. -TicketCloseEmailSubjectAdmin=Ticket closed - Réf %s (public ticket ID %s) -TicketCloseEmailBodyAdmin=A ticket with ID #%s has just been closed, see information: +TicketCloseEmailSubjectCustomer=Đã đóng vé +TicketCloseEmailBodyCustomer=Đây là thông báo tự động để thông báo cho bạn rằng vé %s vừa bị đóng. +TicketCloseEmailSubjectAdmin=Đã đóng yêu cầu - Réf %s (ID vé công khai %s) +TicketCloseEmailBodyAdmin=Một vé có ID #%s vừa bị đóng, xem thông tin: TicketNotificationEmailSubject=Vé %s được cập nhật TicketNotificationEmailBody=Đây là một tin nhắn tự động để thông báo cho bạn rằng vé %s vừa được cập nhật TicketNotificationRecipient=Người nhận thông báo @@ -357,14 +359,14 @@ BoxLastModifiedTicket=Vé sửa đổi mới nhất BoxLastModifiedTicketDescription=Vé sửa đổi mới nhất %s BoxLastModifiedTicketContent= BoxLastModifiedTicketNoRecordedTickets=Không có vé sửa đổi gần đây -BoxTicketType=Distribution of open tickets by type -BoxTicketSeverity=Number of open tickets by severity -BoxNoTicketSeverity=No tickets opened -BoxTicketLastXDays=Number of new tickets by days the last %s days -BoxTicketLastXDayswidget = Number of new tickets by days the last X days -BoxNoTicketLastXDays=No new tickets the last %s days -BoxNumberOfTicketByDay=Number of new tickets by day -BoxNewTicketVSClose=Number of tickets versus closed tickets (today) -TicketCreatedToday=Ticket created today -TicketClosedToday=Ticket closed today -KMFoundForTicketGroup=We found topics and FAQs that may answers your question, thanks to check them before submitting the ticket +BoxTicketType=Phân bổ vé mở theo loại +BoxTicketSeverity=Số lượng vé mở theo mức độ nghiêm trọng +BoxNoTicketSeverity=Không có vé nào được mở +BoxTicketLastXDays=Số lượng vé mới theo ngày trong %s ngày qua +BoxTicketLastXDayswidget = Số lượng vé mới theo ngày trong X ngày qua +BoxNoTicketLastXDays=Không có vé mới trong %s ngày qua +BoxNumberOfTicketByDay=Số lượng vé mới theo ngày +BoxNewTicketVSClose=Số lượng vé so với vé đã đóng (hôm nay) +TicketCreatedToday=Vé được tạo hôm nay +TicketClosedToday=Hôm nay đã đóng vé +KMFoundForTicketGroup=Chúng tôi đã tìm thấy các chủ đề và Câu hỏi thường gặp có thể trả lời câu hỏi của bạn, nhờ bạn kiểm tra chúng trước khi gửi vé diff --git a/htdocs/langs/vi_VN/trips.lang b/htdocs/langs/vi_VN/trips.lang index 3ccbd113bcc..5a9e048a432 100644 --- a/htdocs/langs/vi_VN/trips.lang +++ b/htdocs/langs/vi_VN/trips.lang @@ -1,150 +1,152 @@ # Dolibarr language file - Source file is en_US - trips -ShowExpenseReport=Hiển thị báo cáo chi phí -Trips=Báo cáo chi phí -TripsAndExpenses=Báo cáo chi phí -TripsAndExpensesStatistics=Thống kê báo cáo chi phí -TripCard=Thẻ báo cáo chi phí +AUTHOR=Ghi nhận bởi +AUTHORPAIEMENT=Được trả tiền bởi AddTrip=Tạo báo cáo chi phí -ListOfTrips=Danh sách báo cáo chi phí -ListOfFees=Danh sách phí -TypeFees=Các loại phí -ShowTrip=Hiển thị báo cáo chi phí -NewTrip=Báo cáo chi phí mới -LastExpenseReports=Báo cáo chi phí mới nhất %s +AllExpenseReport=Tất cả các loại báo cáo chi phí AllExpenseReports=Tất cả các báo cáo chi phí -CompanyVisited=Công ty / tổ chức đã đến thăm -FeesKilometersOrAmout=Số tiền hoặc số km -DeleteTrip=Xóa báo cáo chi phí -ConfirmDeleteTrip=Bạn có chắc chắn muốn xóa báo cáo chi phí này? -ListTripsAndExpenses=Danh sách báo cáo chi phí -ListToApprove=Chờ phê duyệt -ExpensesArea=Khu vực báo cáo chi phí +AnyOtherInThisListCanValidate=Người được thông báo để xác nhận yêu cầu. +AttachTheNewLineToTheDocument=Đính kèm dòng vào một tài liệu được tải lên +AucuneLigne=Không có báo cáo chi phí nào được khai báo +BrouillonnerTrip=Chuyển báo cáo chi phí về trạng thái "Dự thảo" +byEX_DAY=theo ngày (giới hạn đến %s) +byEX_EXP=theo dòng (giới hạn đến %s) +byEX_MON=theo tháng (giới hạn đến %s) +byEX_YEA=theo năm (giới hạn đến %s) +CANCEL_USER=Đã bị xóa bởi +CarCategory=Loại xe ClassifyRefunded=Phân loại 'hoàn trả' +CompanyVisited=Công ty / tổ chức đã đến thăm +ConfirmBrouillonnerTrip=Bạn có chắc chắn muốn chuyển báo cáo chi phí này sang trạng thái "Dự thảo" không? +ConfirmCancelTrip=Bạn có chắc chắn muốn hủy báo cáo chi phí này? +ConfirmCloneExpenseReport=Bạn có chắc chắn muốn sao chép báo cáo chi phí này? +ConfirmDeleteTrip=Bạn có chắc chắn muốn xóa báo cáo chi phí này? +ConfirmPaidTrip=Bạn có chắc chắn muốn thay đổi trạng thái của báo cáo chi phí này thành "Đã trả" không? +ConfirmRefuseTrip=Bạn có chắc chắn muốn từ chối báo cáo chi phí này? +ConfirmSaveTrip=Bạn có chắc chắn muốn xác nhận báo cáo chi phí này? +ConfirmValideTrip=Bạn có chắc chắn muốn phê duyệt báo cáo chi phí này? +DATE_CANCEL=Ngày hủy +DATE_PAIEMENT=Ngày thanh toán +DATE_REFUS=Ngày từ chối +DATE_SAVE=Ngày xác nhận +DefaultCategoryCar=Chế độ vận chuyển mặc định +DefaultRangeNumber=Phạm vi số lượng mặc định +DeleteTrip=Xóa báo cáo chi phí +ErrorDoubleDeclaration=Bạn đã khai báo một báo cáo chi phí khác trong một khoảng ngày tương tự. +Error_EXPENSEREPORT_ADDON_NotDefined=Lỗi, quy tắc đánh số báo cáo chi phí không được xác định khi thiết lập mô-đun 'Báo cáo chi phí' +ExpenseRangeOffset=Số tiền offset: %s +expenseReportCatDisabled=Danh mục bị vô hiệu hóa - xem từ điển c_exp_tax_cat +expenseReportCoef=Hệ số coef +expenseReportCoefUndefined=(giá trị không được xác định) +expenseReportOffset=Offset +expenseReportPrintExample=offset + (d x coef) = %s +expenseReportRangeDisabled=Phạm vi bị vô hiệu hóa - xem từ điển c_exp_tax_range +expenseReportRangeFromTo=từ %d đến %d +expenseReportRangeMoreThan=nhiều hơn %d +expenseReportTotalForFive=Ví dụ với d = 5 +ExpenseReportApplyTo=Áp dụng cho +ExpenseReportApproved=Một báo cáo chi phí đã được phê duyệt +ExpenseReportApprovedMessage=Báo cáo chi phí %s đã được phê duyệt.
      - Người dùng: %s
      - Được chấp thuận bởi: %s
      Nhấn vào đây để hiển thị báo cáo chi phí: %s +ExpenseReportCanceled=Một báo cáo chi phí đã bị hủy +ExpenseReportCanceledMessage=Báo cáo chi phí %s đã bị hủy.
      - Người dùng: %s
      - Đã hủy bởi: %s
      - Động cơ để hủy bỏ: %s
      Nhấn vào đây để hiển thị báo cáo chi phí: %s +ExpenseReportConstraintViolationError=Đã vượt quá số lượng tối đa (quy tắc %s): %s cao hơn %s (Vượt quá bị cấm) +ExpenseReportConstraintViolationWarning=Đã vượt quá số lượng tối đa (quy tắc %s): %s cao hơn %s (Vượt quá quyền) +ExpenseReportDateEnd=Ngày kết thúc +ExpenseReportDateStart=Ngày bắt đầu +ExpenseReportDomain=Tên miền để áp dụng +ExpenseReportIkDesc=Bạn có thể sửa đổi cách tính chi phí km theo danh mục và phạm vi người được xác định trước đó. d là khoảng cách tính bằng km +ExpenseReportLimitAmount=Số lượng tối đa +ExpenseReportLimitOn=Giới hạn +ExpenseReportLine=Dòng báo cáo chi phí +ExpenseReportPaid=Một báo cáo chi phí đã được thanh toán +ExpenseReportPaidMessage=Báo cáo chi phí %s đã được thanh toán.
      - Người dùng: %s
      - Được trả bởi: %s
      Nhấn vào đây để hiển thị báo cáo chi phí: %s +ExpenseReportPayment=Thanh toán báo cáo chi phí +ExpenseReportRef=Tham chiếu báo cáo chi phí +ExpenseReportRefused=Một báo cáo chi phí đã bị từ chối +ExpenseReportRefusedMessage=Báo cáo chi phí %s đã bị từ chối.
      - Người dùng: %s
      - Từ chối bởi: %s
      - Động cơ từ chối: %s
      Nhấn vào đây để hiển thị báo cáo chi phí: %s +ExpenseReportRestrictive=Vượt quá giới hạn +ExpenseReportRuleErrorOnSave=Lỗi: %s +ExpenseReportRuleSave=Quy tắc báo cáo chi phí được lưu +ExpenseReportRulesDesc=Bạn có thể xác định quy tắc số tiền tối đa cho báo cáo chi phí. Các quy tắc này sẽ được áp dụng khi một chi phí mới được thêm vào báo cáo chi phí ExpenseReportWaitingForApproval=Một báo cáo chi phí mới đã được đệ trình để phê duyệt ExpenseReportWaitingForApprovalMessage=Một báo cáo chi phí mới đã được đệ trình và đang chờ phê duyệt.
      - Người dùng: %s
      - Thời gian: %s
      Nhấn vào đây để xác nhận: %s ExpenseReportWaitingForReApproval=Một báo cáo chi phí đã được đệ trình để phê duyệt lại ExpenseReportWaitingForReApprovalMessage=Một báo cáo chi phí đã được đệ trình và đang chờ phê duyệt lại.
      %s, bạn đã từ chối phê duyệt báo cáo chi phí vì lý do này: %s.
      Một phiên bản mới đã được đề xuất và chờ phê duyệt của bạn.
      - Người dùng: %s
      - Thời gian: %s
      Nhấn vào đây để xác nhận: %s -ExpenseReportApproved=Một báo cáo chi phí đã được phê duyệt -ExpenseReportApprovedMessage=Báo cáo chi phí %s đã được phê duyệt.
      - Người dùng: %s
      - Được chấp thuận bởi: %s
      Nhấn vào đây để hiển thị báo cáo chi phí: %s -ExpenseReportRefused=Một báo cáo chi phí đã bị từ chối -ExpenseReportRefusedMessage=Báo cáo chi phí %s đã bị từ chối.
      - Người dùng: %s
      - Từ chối bởi: %s
      - Động cơ từ chối: %s
      Nhấn vào đây để hiển thị báo cáo chi phí: %s -ExpenseReportCanceled=Một báo cáo chi phí đã bị hủy -ExpenseReportCanceledMessage=Báo cáo chi phí %s đã bị hủy.
      - Người dùng: %s
      - Đã hủy bởi: %s
      - Động cơ để hủy bỏ: %s
      Nhấn vào đây để hiển thị báo cáo chi phí: %s -ExpenseReportPaid=Một báo cáo chi phí đã được thanh toán -ExpenseReportPaidMessage=Báo cáo chi phí %s đã được thanh toán.
      - Người dùng: %s
      - Được trả bởi: %s
      Nhấn vào đây để hiển thị báo cáo chi phí: %s -TripId=ID Báo cáo chi phí -AnyOtherInThisListCanValidate=Person to be informed for validating the request. -TripSociete=Thông tin công ty -TripNDF=Thông tin báo cáo chi phí -PDFStandardExpenseReports=Mẫu chuẩn để tạo tài liệu PDF cho báo cáo chi phí -ExpenseReportLine=Dòng báo cáo chi phí -TF_OTHER=Khác -TF_TRIP=Vận chuyển -TF_LUNCH=Ăn trưa -TF_METRO=Tàu điện -TF_TRAIN=Xe lửa -TF_BUS=Xe buýt -TF_CAR=Xe hơi -TF_PEAGE=Phí cầu đường -TF_ESSENCE=Nhiên liệu -TF_HOTEL=Khách sạn -TF_TAXI=Tắc xi -EX_KME=Chi phí dặm -EX_FUE=CV nhiên liệu -EX_HOT=Khách sạn -EX_PAR=CV đậu xe -EX_TOL=CV phí cầu đường -EX_TAX=Thuế khác -EX_IND=Thuê bao vận chuyển -EX_SUM=Cung cấp bảo trì -EX_SUO=Văn phòng phẩm -EX_CAR=Thuê ô tô -EX_DOC=Tài liệu -EX_CUR=Khách hàng nhận -EX_OTR=Nhận khác -EX_POS=Bưu chính -EX_CAM=CV bảo trì và sửa chữa -EX_EMM=Bữa ăn của nhân viên -EX_GUM=Bữa ăn của khách -EX_BRE=Bữa ăn sáng -EX_FUE_VP=PV nhiên liệu -EX_TOL_VP=PV Phí cầu đường -EX_PAR_VP=PV đậu xe -EX_CAM_VP=PV Bảo trì và sửa chữa -DefaultCategoryCar=Chế độ vận chuyển mặc định -DefaultRangeNumber=Phạm vi số lượng mặc định -UploadANewFileNow=Tải lên một tài liệu mới bây giờ -Error_EXPENSEREPORT_ADDON_NotDefined=Lỗi, quy tắc đánh số báo cáo chi phí không được xác định khi thiết lập mô-đun 'Báo cáo chi phí' -ErrorDoubleDeclaration=Bạn đã khai báo một báo cáo chi phí khác trong một khoảng ngày tương tự. -AucuneLigne=Không có báo cáo chi phí nào được khai báo -ModePaiement=Phương thức thanh toán -VALIDATOR=Người dùng chịu trách nhiệm phê duyệt -VALIDOR=Được phê duyệt bởi -AUTHOR=Ghi nhận bởi -AUTHORPAIEMENT=Được trả tiền bởi -REFUSEUR=Bị từ chối bởi -CANCEL_USER=Đã bị xóa bởi -MOTIF_REFUS=Lý do -MOTIF_CANCEL=Lý do -DATE_REFUS=Ngày từ chối -DATE_SAVE=Ngày xác nhận -DATE_CANCEL=Ngày hủy -DATE_PAIEMENT=Ngày thanh toán -ExpenseReportRef=Tham chiếu báo cáo chi phí -ValidateAndSubmit=Xác nhận và trình phê duyệt -ValidatedWaitingApproval=Xác nhận (chờ phê duyệt) -NOT_AUTHOR=Bạn không phải là tác giả của báo cáo chi phí này. Hoạt động bị hủy bỏ. -ConfirmRefuseTrip=Bạn có chắc chắn muốn từ chối báo cáo chi phí này? -ValideTrip=Phê duyệt báo cáo chi phí -ConfirmValideTrip=Bạn có chắc chắn muốn phê duyệt báo cáo chi phí này? -PaidTrip=Trả tiền một báo cáo chi phí -ConfirmPaidTrip=Bạn có chắc chắn muốn thay đổi trạng thái của báo cáo chi phí này thành "Đã trả" không? -ConfirmCancelTrip=Bạn có chắc chắn muốn hủy báo cáo chi phí này? -BrouillonnerTrip=Chuyển báo cáo chi phí về trạng thái "Dự thảo" -ConfirmBrouillonnerTrip=Bạn có chắc chắn muốn chuyển báo cáo chi phí này sang trạng thái "Dự thảo" không? -SaveTrip=Xác nhận báo cáo chi phí -ConfirmSaveTrip=Bạn có chắc chắn muốn xác nhận báo cáo chi phí này? -NoTripsToExportCSV=Không có báo cáo chi phí để xuất dữ liệu trong giai đoạn này. -ExpenseReportPayment=Thanh toán báo cáo chi phí +ExpenseReportsIk=Cấu hình tính phí số dặm +ExpenseReportsRules=Quy tắc báo cáo chi phí ExpenseReportsToApprove=Báo cáo chi phí để phê duyệt ExpenseReportsToPay=Báo cáo chi phí phải trả -ConfirmCloneExpenseReport=Bạn có chắc chắn muốn sao chép báo cáo chi phí này? -ExpenseReportsIk=Configuration of mileage charges -ExpenseReportsRules=Quy tắc báo cáo chi phí -ExpenseReportIkDesc=Bạn có thể sửa đổi cách tính chi phí km theo danh mục và phạm vi người được xác định trước đó. d là khoảng cách tính bằng km -ExpenseReportRulesDesc=You can define max amount rules for expense reports. These rules will be applied when a new expense is added to an expense report -expenseReportOffset=Offset -expenseReportCoef=Hệ số coef -expenseReportTotalForFive=Ví dụ với d = 5 -expenseReportRangeFromTo=từ %d đến %d -expenseReportRangeMoreThan=nhiều hơn %d -expenseReportCoefUndefined=(giá trị không được xác định) -expenseReportCatDisabled=Danh mục bị vô hiệu hóa - xem từ điển c_exp_tax_cat -expenseReportRangeDisabled=Phạm vi bị vô hiệu hóa - xem từ điển c_api_tax_range -expenseReportPrintExample=offset + (d x coef) = %s -ExpenseReportApplyTo=Áp dụng cho -ExpenseReportDomain=Tên miền để áp dụng -ExpenseReportLimitOn=Giới hạn -ExpenseReportDateStart=Ngày bắt đầu -ExpenseReportDateEnd=Ngày kết thúc -ExpenseReportLimitAmount=Max amount -ExpenseReportRestrictive=Exceeding forbidden -AllExpenseReport=Tất cả các loại báo cáo chi phí -OnExpense=Đường chi phí -ExpenseReportRuleSave=Quy tắc báo cáo chi phí được lưu -ExpenseReportRuleErrorOnSave=Lỗi: %s -RangeNum=Phạm vi %d -ExpenseReportConstraintViolationError=Max amount exceeded (rule %s): %s is higher than %s (Exceeding forbidden) -byEX_DAY=theo ngày (giới hạn đến %s) -byEX_MON=theo tháng (giới hạn đến %s) -byEX_YEA=theo năm (giới hạn đến %s) -byEX_EXP=theo dòng (giới hạn đến %s) -ExpenseReportConstraintViolationWarning=Max amount exceeded (rule %s): %s is higher than %s (Exceeding authorized) +ExpensesArea=Khu vực báo cáo chi phí +FeesKilometersOrAmout=Số tiền hoặc số km +LastExpenseReports=Báo cáo chi phí mới nhất %s +ListOfFees=Danh sách phí +ListOfTrips=Danh sách báo cáo chi phí +ListToApprove=Chờ phê duyệt +ListTripsAndExpenses=Danh sách báo cáo chi phí +MOTIF_CANCEL=Lý do +MOTIF_REFUS=Lý do +ModePaiement=Phương thức thanh toán +NewTrip=Báo cáo chi phí mới nolimitbyEX_DAY=theo ngày (không giới hạn) +nolimitbyEX_EXP=theo dòng (không giới hạn) nolimitbyEX_MON=theo tháng (không giới hạn) nolimitbyEX_YEA=theo năm (không giới hạn) -nolimitbyEX_EXP=theo dòng (không giới hạn) -CarCategory=Vehicle category -ExpenseRangeOffset=Số tiền offset: %s +NoTripsToExportCSV=Không có báo cáo chi phí để xuất dữ liệu trong giai đoạn này. +NOT_AUTHOR=Bạn không phải là tác giả của báo cáo chi phí này. Hoạt động bị hủy bỏ. +OnExpense=Đường chi phí +PDFStandardExpenseReports=Mẫu chuẩn để tạo tài liệu PDF cho báo cáo chi phí +PaidTrip=Trả tiền một báo cáo chi phí +REFUSEUR=Bị từ chối bởi RangeIk=Phạm vi số dặm -AttachTheNewLineToTheDocument=Đính kèm dòng vào một tài liệu được tải lên +RangeNum=Phạm vi %d +SaveTrip=Xác nhận báo cáo chi phí +ShowExpenseReport=Hiển thị báo cáo chi phí +ShowTrip=Hiển thị báo cáo chi phí +TripCard=Thẻ báo cáo chi phí +TripId=ID Báo cáo chi phí +TripNDF=Báo cáo chi phí thông tin +TripSociete=Thông tin công ty +Trips=Báo cáo chi phí +TripsAndExpenses=Báo cáo chi phí +TripsAndExpensesStatistics=Thống kê báo cáo chi phí +TypeFees=Các loại phí +UploadANewFileNow=Tải lên một tài liệu mới bây giờ +VALIDATOR=Người dùng chịu trách nhiệm phê duyệt +VALIDOR=Được phê duyệt bởi +ValidateAndSubmit=Xác nhận và trình phê duyệt +ValidatedWaitingApproval=Xác nhận (chờ phê duyệt) +ValideTrip=Phê duyệt báo cáo chi phí + +## Dictionary +EX_BRE=Bữa ăn sáng +EX_CAM=CV bảo trì và sửa chữa +EX_CAM_VP=PV Bảo trì và sửa chữa +EX_CAR=Thuê ô tô +EX_CUR=Khách hàng nhận +EX_DOC=Tài liệu +EX_EMM=Bữa ăn của nhân viên +EX_FUE=CV nhiên liệu +EX_FUE_VP=PV nhiên liệu +EX_GUM=Bữa ăn của khách +EX_HOT=Khách sạn +EX_IND=Thuê bao vận chuyển +EX_KME=Chi phí dặm +EX_OTR=Nhận khác +EX_PAR=CV đậu xe +EX_PAR_VP=PV đậu xe +EX_POS=Bưu chính +EX_SUM=Cung cấp bảo trì +EX_SUO=Văn phòng phẩm +EX_TAX=Thuế khác +EX_TOL=CV phí cầu đường +EX_TOL_VP=PV Phí cầu đường +TF_BUS=Xe buýt +TF_CAR=Xe hơi +TF_ESSENCE=Nhiên liệu +TF_HOTEL=Khách sạn +TF_LUNCH=Ăn trưa +TF_METRO=Tàu điện +TF_OTHER=Khác +TF_PEAGE=Phí cầu đường +TF_TAXI=Tắc xi +TF_TRAIN=Xe lửa +TF_TRIP=Vận chuyển diff --git a/htdocs/langs/vi_VN/users.lang b/htdocs/langs/vi_VN/users.lang index f111a642ff2..ee826f4eee2 100644 --- a/htdocs/langs/vi_VN/users.lang +++ b/htdocs/langs/vi_VN/users.lang @@ -12,7 +12,7 @@ PasswordChangedTo=Mật khẩu đã đổi sang: %s SubjectNewPassword=Mật khẩu mới của bạn cho %s GroupRights=Quyền Nhóm UserRights=Quyền người dùng -Credentials=Credentials +Credentials=Thông tin xác thực UserGUISetup=Cài đặt hiển thị người dùng DisableUser=Vô hiệu hoá DisableAUser=Vô hiệu hóa người dùng @@ -32,9 +32,8 @@ CreateUser=Tạo người dùng LoginNotDefined=Đăng nhập không được xác định. NameNotDefined=Tên không được xác định. ListOfUsers=Danh sách người dùng -SuperAdministrator=Super Administrator -SuperAdministratorDesc=Quản trị toàn cầu -AdministratorDesc=Quản trị +SuperAdministrator=Quản trị viên đa công ty +SuperAdministratorDesc=Quản trị viên hệ thống đa công ty (có thể thay đổi thiết lập và người dùng) DefaultRights=Quyền mặc định DefaultRightsDesc=Xác định ở đây các quyền mặc định được tự động cấp cho người dùng mới (để sửa đổi quyền cho người dùng hiện tại, chuyển đến thẻ người dùng). DolibarrUsers=Dolibarr users @@ -47,8 +46,8 @@ RemoveFromGroup=Xóa khỏi nhóm PasswordChangedAndSentTo=Mật khẩu thay đổi và gửi đến %s. PasswordChangeRequest=Yêu cầu thay đổi mật khẩu cho %s PasswordChangeRequestSent=Yêu cầu thay đổi mật khẩu cho %s đã gửi đến % s. -IfLoginExistPasswordRequestSent=If this login is a valid account (with a valid email), an email to reset password has been sent. -IfEmailExistPasswordRequestSent=If this email is a valid account, an email to reset password has been sent (remember to check your SPAM folder if you do not receive anything) +IfLoginExistPasswordRequestSent=Nếu thông tin đăng nhập này là tài khoản hợp lệ (với email hợp lệ), một email để đặt lại mật khẩu đã được gửi. +IfEmailExistPasswordRequestSent=Nếu email này là tài khoản hợp lệ thì một email reset mật khẩu đã được gửi đi (hãy nhớ kiểm tra thư mục SPAM nếu không nhận được gì) ConfirmPasswordReset=Xác nhận đặt lại mật khẩu MenuUsersAndGroups=Người dùng & Nhóm LastGroupsCreated=Các nhóm %s mới nhất được tạo @@ -62,27 +61,27 @@ ListOfUsersInGroup=Danh sách các người dùng trong nhóm này ListOfGroupsForUser=Danh sách nhóm cho người dùng này LinkToCompanyContact=Liên kết với bên thứ ba/liên lạc LinkedToDolibarrMember=Liên kết với thành viên -LinkedToDolibarrUser=Link to user -LinkedToDolibarrThirdParty=Link to third party +LinkedToDolibarrUser=Liên kết với người dùng +LinkedToDolibarrThirdParty=Liên kết với bên thứ ba CreateDolibarrLogin=Tạo một người dùng CreateDolibarrThirdParty=Tạo một bên thứ ba -LoginAccountDisableInDolibarr=Account disabled in Dolibarr -PASSWORDInDolibarr=Password modified in Dolibarr +LoginAccountDisableInDolibarr=Tài khoản bị vô hiệu hóa trong Dolibarr +PASSWORDInDolibarr=Mật khẩu được sửa đổi trong Dolibarr UsePersonalValue=Dùng giá trị cá nhân ExportDataset_user_1=Người dùng và các tính chất của họ DomainUser=Domain người dùng %s Reactivate=Kích hoạt lại CreateInternalUserDesc=Biểu mẫu này cho phép bạn tạo một người dùng nội bộ trong công ty/ tổ chức của bạn. Để tạo người dùng bên ngoài (khách hàng, nhà cung cấp, v.v.), hãy sử dụng nút 'Tạo Người dùng Dolibarr' từ thẻ liên lạc của bên thứ ba đó. -InternalExternalDesc=An internal user is a user that is part of your company/organization, or is a partner user outside of your organization that may need to see more data than data related to his company (the permission system will define what he can or can't see or do).
      An external user is a customer, vendor or other that must view ONLY data related to himself (Creating an external user for a third-party can be done from the contact record of the third-party).

      In both cases, you must grant permissions on the features that the user need. +InternalExternalDesc=Người dùng internal là người dùng thuộc công ty/tổ chức của bạn hoặc là người dùng đối tác bên ngoài tổ chức của bạn có thể cần xem nhiều dữ liệu hơn dữ liệu liên quan đến công ty của anh ấy (hệ thống cấp phép sẽ xác định những gì anh ấy có thể hoặc không thể xem hoặc làm).
      An external Người dùng là khách hàng, nhà cung cấp hoặc người khác CHỈ phải xem dữ liệu liên quan đến chính mình (Việc tạo người dùng bên ngoài cho bên thứ ba có thể được thực hiện được thực hiện từ bản ghi liên hệ của bên thứ ba).

      Trong cả hai trường hợp, bạn phải cấp quyền đối với các tính năng người dùng cần. PermissionInheritedFromAGroup=Quyền được cấp bởi vì được thừa hưởng từ một trong những nhóm của người dùng. Inherited=Được thừa kế -UserWillBe=Created user will be +UserWillBe=Người dùng đã tạo sẽ được UserWillBeInternalUser=Người dùng tạo ra sẽ là một người dùng nội bộ (vì không liên kết với một bên thứ ba cụ thể) UserWillBeExternalUser=Người dùng tạo ra sẽ là một người dùng bên ngoài (vì liên quan đến một bên thứ ba cụ thể) IdPhoneCaller=Id người gọi điện thoại NewUserCreated=Người dùng %s được tạo NewUserPassword=Thay đổi mật khẩu cho %s -NewPasswordValidated=Your new password have been validated and must be used now to login. +NewPasswordValidated=Mật khẩu mới của bạn đã được xác thực và phải được sử dụng ngay bây giờ để đăng nhập. EventUserModified=Người dùng %s đã chỉnh sửa UserDisabled=Người dùng %s đã bị vô hiệu hóa UserEnabled=Người dùng %s đã được kích hoạt @@ -97,38 +96,41 @@ LoginToCreate=Đăng nhập để tạo NameToCreate=Tên của bên thứ ba để tạo YourRole=Vai trò của bạn YourQuotaOfUsersIsReached=Hạn ngạch của người dùng hoạt động đã hết! -NbOfUsers=Number of users -NbOfPermissions=Number of permissions -DontDowngradeSuperAdmin=Only another admin can downgrade an admin +NbOfUsers=Số lượng người dùng +NbOfPermissions=Số lượng quyền +DontDowngradeSuperAdmin=Chỉ quản trị viên khác mới có thể hạ cấp quản trị viên HierarchicalResponsible=Giám sát HierarchicView=Xem tính kế thừa UseTypeFieldToChange=Dùng trường Loại để thay đổi OpenIDURL=OpenID URL LoginUsingOpenID=Sử dụng OpenID để đăng nhập WeeklyHours=Giờ đã làm (theo tuần) -ExpectedWorkedHours=Expected hours worked per week +ExpectedWorkedHours=Số giờ làm việc dự kiến mỗi tuần ColorUser=Màu của người dùng DisabledInMonoUserMode=Vô hiệu hóa trong chế độ bảo trì UserAccountancyCode=Mã kế toán của người dùng -UserLogoff=Người dùng đăng xuất -UserLogged=Người dùng đăng nhập -DateOfEmployment=Employment date -DateEmployment=Employment +UserLogoff=Đăng xuất của người dùng: %s +UserLogged=Người dùng đã đăng nhập: %s +UserLoginFailed=Đăng nhập của người dùng không thành công: %s +DateOfEmployment=Ngày làm việc +DateEmployment=Thuê người làm DateEmploymentStart=Ngày bắt đầu làm việc DateEmploymentEnd=Ngày kết thúc việc làm -RangeOfLoginValidity=Access validity date range +RangeOfLoginValidity=Phạm vi ngày hiệu lực truy cập CantDisableYourself=Bạn không thể vô hiệu hóa hồ sơ người dùng của bạn ForceUserExpenseValidator=Thúc phê duyệt báo cáo chi phí ForceUserHolidayValidator=Thúc phê duyệt báo cáo chi phí -ValidatorIsSupervisorByDefault=Theo mặc định, việc xác nhận là người giám sát của người dùng. Giữ trống để giữ hành vi này. +ValidatorIsSupervisorByDefault=Theo mặc định, người xác thực là người giám sát người dùng. Giữ trống để giữ hành vi này. UserPersonalEmail=Email cá nhân UserPersonalMobile=Số di động -WarningNotLangOfInterface=Warning, this is the main language the user speak, not the language of the interface he choosed to see. To change the interface language visible by this user, go on tab %s -DateLastLogin=Date last login -DatePreviousLogin=Date previous login -IPLastLogin=IP last login -IPPreviousLogin=IP previous login -ShowAllPerms=Show all permission rows -HideAllPerms=Hide all permission rows -UserPublicPageDesc=You can enable a virtual card for this user. An url with the user profile and a barcode will be available to allow anybody with a smartphone to scan it and add your contact to its address book. -EnablePublicVirtualCard=Enable the user's virtual business card +WarningNotLangOfInterface=Cảnh báo, đây là ngôn ngữ chính mà người dùng nói, không phải ngôn ngữ của giao diện mà anh ta chọn xem. Để thay đổi ngôn ngữ giao diện mà người dùng này hiển thị, hãy chuyển đến tab %s +DateLastLogin=Ngày đăng nhập lần cuối +DatePreviousLogin=Ngày đăng nhập trước đó +IPLastLogin=IP đăng nhập lần cuối +IPPreviousLogin=IP đăng nhập trước đó +ShowAllPerms=Hiển thị tất cả các hàng quyền +HideAllPerms=Ẩn tất cả các hàng quyền +UserPublicPageDesc=Bạn có thể kích hoạt thẻ ảo cho người dùng này. Một url có hồ sơ người dùng và mã vạch sẽ có sẵn để cho phép bất kỳ ai có điện thoại thông minh quét nó và thêm liên hệ của bạn vào sổ địa chỉ của nó. +EnablePublicVirtualCard=Kích hoạt danh thiếp ảo của người dùng +UserEnabledDisabled=Trạng thái người dùng đã thay đổi: %s +AlternativeEmailForOAuth2=Alternative Email for OAuth2 login diff --git a/htdocs/langs/vi_VN/website.lang b/htdocs/langs/vi_VN/website.lang index 52aa0c4301b..d6ffadc83ef 100644 --- a/htdocs/langs/vi_VN/website.lang +++ b/htdocs/langs/vi_VN/website.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - website Shortname=Mã -WebsiteName=Name of the website +WebsiteName=Tên của trang web WebsiteSetupDesc=Tạo ở đây các trang web bạn muốn sử dụng. Sau đó vào menu Trang web để chỉnh sửa chúng. DeleteWebsite=Xóa trang web ConfirmDeleteWebsite=Bạn có chắc chắn muốn xóa trang web này? Tất cả các trang và nội dung của nó cũng sẽ bị xóa. Các tệp được tải lên (như vào thư mục trung gian, mô-đun ECM, ...) sẽ vẫn còn. @@ -11,14 +11,14 @@ WEBSITE_ALIASALT=Tên trang / bí danh thay thế WEBSITE_ALIASALTDesc=Sử dụng ở đây danh sách các tên / bí danh khác để trang cũng có thể được truy cập bằng cách sử dụng tên / bí danh khác này (ví dụ tên cũ sau khi đổi tên bí danh để giữ liên kết ngược trên liên kết / tên cũ hoạt động). Cú pháp là:
      Alternativename1, Alternativename2, ... WEBSITE_CSS_URL=URL của tệp CSS bên ngoài WEBSITE_CSS_INLINE=Nội dung tệp CSS (chung cho tất cả các trang) -WEBSITE_JS_INLINE=Nội dung tệp Javascript (chung cho tất cả các trang) +WEBSITE_JS_INLINE=Nội dung tệp JavaScript (chung cho tất cả các trang) WEBSITE_HTML_HEADER=Bổ sung ở dưới cùng của Tiêu đề HTML (chung cho tất cả các trang) WEBSITE_ROBOT=Tệp robot (robot.txt) WEBSITE_HTACCESS=Trang web tệp .htaccess WEBSITE_MANIFEST_JSON=Trang web tệp manifest.json -WEBSITE_KEYWORDSDesc=Use a comma to separate values -EnterHereReadmeInformation=Enter here a description of the website. If you distribute your website as a template, the file will be included into the temptate package. -EnterHereLicenseInformation=Enter here the LICENSE of the code of the website. If you distribute your website as a template, the file will be included into the temptate package. +WEBSITE_KEYWORDSDesc=Sử dụng dấu phẩy để phân tách các giá trị +EnterHereReadmeInformation=Nhập vào đây một mô tả của trang web. Nếu bạn phân phối trang web của mình dưới dạng trang mẫu, tệp sẽ được đưa vào gói trang mẫu. +EnterHereLicenseInformation=Nhập vào đây GIẤY PHÉP mã của trang web. Nếu bạn phân phối trang web của mình dưới dạng mẫu, tệp sẽ được đưa vào gói temptate. HtmlHeaderPage=Tiêu đề HTML (chỉ dành riêng cho trang này) PageNameAliasHelp=Tên hoặc bí danh của trang.
      Bí danh này cũng được sử dụng để giả mạo SEO URL khi trang web được chạy từ máy chủ ảo của máy chủ Web (như Apacke, Nginx, ...). Sử dụng nút " %s " để chỉnh sửa bí danh này. EditTheWebSiteForACommonHeader=Lưu ý: Nếu bạn muốn xác định tiêu đề được cá nhân hóa cho tất cả các trang, hãy chỉnh sửa tiêu đề ở cấp trang thay vì trên trang / vùng chứa. @@ -32,7 +32,7 @@ AddWebsite=Thêm trang web Webpage=Trang web / vùng chứa AddPage=Thêm trang / vùng chứa PageContainer=Trang -PreviewOfSiteNotYetAvailable=The preview of your website %s is not yet available. You must first 'Import a full website template' or just 'Add a page/container'. +PreviewOfSiteNotYetAvailable=Bản xem trước trang web của bạn %s chưa có sẵn. Trước tiên, bạn phải 'Nhập mẫu trang web đầy đủ' hoặc chỉ 'Thêm trang/vùng chứa'. RequestedPageHasNoContentYet=Trang được yêu cầu có id %s chưa có nội dung hoặc tệp bộ đệm .tpl.php đã bị xóa. Chỉnh sửa nội dung của trang để giải quyết điều này. SiteDeleted=Trang web '%s' đã bị xóa PageContent=Trang / Vùng chứa @@ -43,27 +43,28 @@ ViewPageInNewTab=Xem trang trong tab mới SetAsHomePage=Đặt làm trang chủ RealURL=URL thật ViewWebsiteInProduction=Xem trang web bằng URL nhà -Virtualhost=Virtual host or domain name -VirtualhostDesc=The name of the Virtual host or domain (For example: www.mywebsite.com, mybigcompany.net, ...) -SetHereVirtualHost=Use with Apache/NGinx/...
      Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
      %s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: +Virtualhost=Máy chủ ảo hoặc tên miền +VirtualhostDesc=Tên của Máy chủ ảo hoặc tên miền (Ví dụ: www.mywebsite.com, mybigcompany.net, ...) +SetHereVirtualHost=Sử dụng với Apache/NGinx/...
      Tạo trên máy chủ web của bạn (Apache, Nginx, ...) Máy chủ ảo chuyên dụng có bật PHP và thư mục gốc trên
      %s +ExampleToUseInApacheVirtualHostConfig=Ví dụ để sử dụng trong thiết lập máy chủ ảo Apache: YouCanAlsoTestWithPHPS=Sử dụng với máy chủ nhúng PHP
      Trên môi trường phát triển, bạn có thể muốn kiểm tra trang web với máy chủ web nhúng PHP (yêu cầu PHP 5.5) bằng cách chạy
      php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
      If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org -CheckVirtualHostPerms=Check also that the virtual host user (for example www-data) has %s permissions on files into
      %s +YouCanAlsoDeployToAnotherWHP=Chạy trang web của bạn với một nhà cung cấp dịch vụ lưu trữ Dolibarr Hosting khác
      Nếu bạn không có sẵn máy chủ web như Apache hoặc NGinx trên internet, bạn có thể xuất và nhập trang web của mình vào một phiên bản Dolibarr khác do nhà cung cấp dịch vụ lưu trữ Dolibarr khác cung cấp tích hợp đầy đủ với mô-đun Trang web. Bạn có thể tìm thấy danh sách một số nhà cung cấp dịch vụ lưu trữ Dolibarr trên https://saas.dolibarr.org +CheckVirtualHostPerms=Ngoài ra, hãy kiểm tra xem người dùng máy chủ ảo (ví dụ: www-data) có %s quyền đối với các tệp vào
      %s
      ReadPerm=Đọc WritePerm=Viết TestDeployOnWeb=Kiểm tra / triển khai trên web PreviewSiteServedByWebServer=Xem trước %s trong một tab mới.

      %s sẽ được phục vụ bởi một máy chủ web bên ngoài (như Apache, Nginx, IIS). Bạn phải cài đặt và thiết lập máy chủ này trước khi trỏ đến thư mục:
      %s
      URL được phục vụ bởi máy chủ bên ngoài:
      %s -PreviewSiteServedByDolibarr=Preview %s in a new tab.

      The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed.
      The inconvenient is that the URLs of pages are not user friendly and start with the path of your Dolibarr.
      URL served by Dolibarr:
      %s

      To use your own external web server to serve this web site, create a virtual host on your web server that points on directory
      %s
      then enter the name of this virtual server in the properties of this website and click on the link "Test/Deploy on the web". +PreviewSiteServedByDolibarr=Xem trước %s trong tab mới.

      %s sẽ được phục vụ bởi máy chủ Dolibarr nên không cần thêm bất kỳ máy chủ web nào (như Apache, Nginx, IIS) phải được cài đặt.
      Điều bất tiện là URL của các trang không thân thiện với người dùng và bắt đầu bằng đường dẫn Dolibarr của bạn.
      URL do Dolibarr cung cấp:
      %s

      Để sử dụng máy chủ web bên ngoài của riêng bạn để phục vụ trang web này, tạo một máy chủ ảo trên máy chủ web của bạn trỏ đến thư mục
      %s
      sau đó nhập tên của máy chủ ảo này vào phần thuộc tính của trang web này và nhấp vào liên kết "Thử nghiệm/Triển khai trên web". VirtualHostUrlNotDefined=URL của máy chủ ảo được cung cấp bởi máy chủ web bên ngoài không được xác định NoPageYet=Chưa có trang nào YouCanCreatePageOrImportTemplate=Bạn có thể tạo một trang mới hoặc nhập một mẫu trang web đầy đủ SyntaxHelp=Trợ giúp về các mẹo cú pháp cụ thể YouCanEditHtmlSourceckeditor=Bạn có thể chỉnh sửa mã nguồn HTML bằng nút "Nguồn" trong trình chỉnh sửa. -YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">

      To include an image stored into the documents directory, use the viewimage.php wrapper:
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation
      . +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      +YouCanEditHtmlSource2=Đối với hình ảnh được chia sẻ bằng liên kết chia sẻ (truy cập mở bằng khóa băm chia sẻ của tệp), cú pháp là:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=Nhân bản Trang / vùng chứa CloneSite=Nhân bản trang web SiteAdded=Đã thêm trang web @@ -83,7 +84,7 @@ BlogPost=Bài viết trên blog WebsiteAccount=Tài khoản trang web WebsiteAccounts=Tài khoản trang web AddWebsiteAccount=Tạo tài khoản trang web -BackToListForThirdParty=Back to list for the third parties +BackToListForThirdParty=Quay lại danh sách cho bên thứ ba DisableSiteFirst=Vô hiệu hóa trang web đầu tiên MyContainerTitle=Tiêu đề trang web của tôi AnotherContainer=Đây là cách bao gồm nội dung của trang / vùng chứa khác (bạn có thể gặp lỗi ở đây nếu bạn bật mã động vì nhà cung cấp phụ được nhúng có thể không tồn tại) @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Xin lỗi, trang web này hiện đang tắt. Vui WEBSITE_USE_WEBSITE_ACCOUNTS=Kích hoạt bảng tài khoản trang web WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Cho phép bảng để lưu trữ tài khoản trang web (đăng nhập / mật khẩu) cho mỗi trang web / bên thứ ba YouMustDefineTheHomePage=Trước tiên bạn phải xác định Trang chủ mặc định -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correclty when used on a grabbed external page. +OnlyEditionOfSourceForGrabbedContentFuture=Cảnh báo: Việc tạo trang web bằng cách nhập trang web bên ngoài chỉ dành cho người dùng có kinh nghiệm. Tùy thuộc vào độ phức tạp của trang nguồn, kết quả nhập có thể khác với bản gốc. Ngoài ra, nếu trang nguồn sử dụng các kiểu CSS phổ biến hoặc xung đột với JavaScript, điều đó có thể làm hỏng giao diện hoặc tính năng của Trình chỉnh sửa trang web khi làm việc trên trang này. Phương pháp này là cách tạo trang nhanh hơn nhưng bạn nên tạo trang mới từ đầu hoặc từ mẫu trang được đề xuất.
      Cũng xin lưu ý rằng trình chỉnh sửa nội tuyến có thể không hoạt động chính xác khi được sử dụng trên một trang bên ngoài được lấy. OnlyEditionOfSourceForGrabbedContent=Chỉ có phiên bản nguồn HTML khi nội dung được lấy từ một trang bên ngoài GrabImagesInto=Lấy hình ảnh cũng được tìm thấy trong css và trang. ImagesShouldBeSavedInto=Hình ảnh nên được lưu vào thư mục @@ -103,7 +104,7 @@ EmptyPage=Trang trống ExternalURLMustStartWithHttp=URL bên ngoài phải bắt đầu bằng http:// hoặc https:// ZipOfWebsitePackageToImport=Tải lên tệp Zip của gói mẫu trang web ZipOfWebsitePackageToLoad=hoặc Chọn gói mẫu trang web nhúng có sẵn -ShowSubcontainers=Show dynamic content +ShowSubcontainers=Hiển thị nội dung động InternalURLOfPage=URL nội bộ của trang ThisPageIsTranslationOf=Trang / vùng chứa này là bản dịch của ThisPageHasTranslationPages=Trang / vùng chứa này có bản dịch @@ -112,13 +113,13 @@ GoTo=Đi đến DynamicPHPCodeContainsAForbiddenInstruction=Bạn thêm mã PHP động chứa hướng dẫn PHP ' %s ' bị cấm theo mặc định là nội dung động (xem các tùy chọn ẩn WEBSITE_PHP_ALLOW_xxx để tăng danh sách các lệnh được phép). NotAllowedToAddDynamicContent=Bạn không có quyền thêm hoặc chỉnh sửa nội dung động PHP trong các trang web. Xin phép hoặc chỉ giữ mã vào các thẻ php không được sửa đổi. ReplaceWebsiteContent=Tìm kiếm hoặc Thay thế nội dung trang web -DeleteAlsoJs=Xóa tất cả các tập tin javascript cụ thể cho trang web này? -DeleteAlsoMedias=Xóa tất cả các tập tin trung gian cụ thể cho trang web này? +DeleteAlsoJs=Xóa tất cả các tệp JavaScript dành riêng cho trang web này? +DeleteAlsoMedias=Xóa tất cả các tập tin media cụ thể cho trang web này? MyWebsitePages=Trang web của tôi SearchReplaceInto=Tìm kiếm | Thay thế vào ReplaceString=Chuỗi mới CSSContentTooltipHelp=Nhập vào đây nội dung CSS. Để tránh mọi xung đột với CSS của ứng dụng, hãy đảm bảo thêm trước tất cả khai báo với lớp .bodywebsite. Ví dụ:

      #mycssselector, input.myclass:hover {...}
      cần phải
      .bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}

      Lưu ý: Nếu bạn có một tệp lớn không có tiền tố này, bạn có thể sử dụng 'lessc' để chuyển đổi nó để nối thêm tiền tố .bodywebsite ở mọi nơi. -LinkAndScriptsHereAreNotLoadedInEditor=Cảnh báo: Nội dung này chỉ được xuất khi trang web được truy cập từ máy chủ. Nó không được sử dụng trong chế độ Chỉnh sửa, vì vậy nếu bạn cần tải các tệp javascript cũng ở chế độ chỉnh sửa, chỉ cần thêm thẻ 'script src=...' vào trang. +LinkAndScriptsHereAreNotLoadedInEditor=Cảnh báo: Nội dung này chỉ được xuất ra khi trang web được truy cập từ máy chủ. Nó không được sử dụng trong chế độ Chỉnh sửa, vì vậy nếu bạn cũng cần tải các tệp JavaScript ở chế độ chỉnh sửa, chỉ cần thêm thẻ 'script src=...' vào trang. Dynamiccontent=Mẫu của một trang có nội dung động ImportSite=Nhập mẫu trang web EditInLineOnOff=Chế độ 'Chỉnh sửa nội tuyến' là %s @@ -126,37 +127,40 @@ ShowSubContainersOnOff=Chế độ thực thi 'nội dung động' là %s GlobalCSSorJS=Tệp CSS / JS / Tiêu đề toàn cục của trang web BackToHomePage=Quay lại trang chủ... TranslationLinks=Liên kết dịch -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
      (ref=%s, type=%s, status=%s) +YouTryToAccessToAFileThatIsNotAWebsitePage=Bạn cố gắng truy cập vào một trang không có sẵn.
      (ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=Để thực hành SEO tốt, hãy sử dụng văn bản có từ 5 đến 70 ký tự MainLanguage=Ngôn ngữ chính OtherLanguages=Ngôn ngữ khác UseManifest=Cung cấp một file manifest.json PublicAuthorAlias=Tên tác giả công khai AvailableLanguagesAreDefinedIntoWebsiteProperties=Các ngôn ngữ hiện hữu để thiết lập vào thuộc tính website -ReplacementDoneInXPages=Replacement done in %s pages or containers +ReplacementDoneInXPages=Việc thay thế được thực hiện trong các trang hoặc vùng chứa %s RSSFeed=RSS Feed -RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +RSSFeedDesc=Bạn có thể nhận nguồn cấp dữ liệu RSS của các bài viết mới nhất có loại 'bài đăng blog' bằng URL này PagesRegenerated=%s page(s)/container(s) regenerated -RegenerateWebsiteContent=Regenerate web site cache files -AllowedInFrames=Allowed in Frames -DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties. -GenerateSitemaps=Generate website sitemap.xml file -ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... -ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap file %s generated -ImportFavicon=Favicon -ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 -FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) -NextContainer=Next page/container -PreviousContainer=Previous page/container -WebsiteMustBeDisabled=The website must have the status "%s" -WebpageMustBeDisabled=The web page must have the status "%s" -SetWebsiteOnlineBefore=When website is offline, all pages are offline. Change status of website first. -Booking=Booking -Reservation=Reservation -PagesViewedPreviousMonth=Pages viewed (previous month) -PagesViewedTotal=Pages viewed (total) +RegenerateWebsiteContent=Tái tạo tập tin bộ đệm của trang web +AllowedInFrames=Được phép trong Khung +DefineListOfAltLanguagesInWebsiteProperties=Xác định danh sách tất cả các ngôn ngữ có sẵn vào thuộc tính trang web. +GenerateSitemaps=Tạo tệp sitemap.xml của trang web +ConfirmGenerateSitemaps=Nếu bạn xác nhận, bạn sẽ xóa tệp sơ đồ trang web hiện có... +ConfirmSitemapsCreation=Xác nhận việc tạo sơ đồ trang web +SitemapGenerated=Đã tạo tệp sơ đồ trang web %s +ImportFavicon=Biểu tượng yêu thích +ErrorFaviconType=Biểu tượng yêu thích phải là png +ErrorFaviconSize=Favicon phải có kích thước 16x16, 32x32 hoặc 64x64 +FaviconTooltip=Tải lên hình ảnh cần phải là png (16x16, 32x32 hoặc 64x64) +NextContainer=Trang/vùng chứa tiếp theo +PreviousContainer=Trang/vùng chứa trước đó +WebsiteMustBeDisabled=Trang web phải có trạng thái "%s" +WebpageMustBeDisabled=Trang web phải có trạng thái "%s" +SetWebsiteOnlineBefore=Khi trang web ngoại tuyến, tất cả các trang đều ngoại tuyến. Thay đổi trạng thái của trang web đầu tiên. +Booking=Đặt trước +Reservation=Sự đặt chỗ +PagesViewedPreviousMonth=Các trang đã xem (tháng trước) +PagesViewedTotal=Số trang đã xem (tổng cộng) Visibility=Hiển thị -Everyone=Everyone -AssignedContacts=Assigned contacts +Everyone=Mọi người +AssignedContacts=Địa chỉ liên hệ được chỉ định +WebsiteTypeLabel=Loại trang web +WebsiteTypeDolibarrWebsite=Trang web (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Cổng thông tin Dolibarr bản địa diff --git a/htdocs/langs/vi_VN/withdrawals.lang b/htdocs/langs/vi_VN/withdrawals.lang index 1d780c65ad1..cf95007df23 100644 --- a/htdocs/langs/vi_VN/withdrawals.lang +++ b/htdocs/langs/vi_VN/withdrawals.lang @@ -1,75 +1,78 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Payments by Direct debit orders -SuppliersStandingOrdersArea=Payments by Credit transfer +CustomersStandingOrdersArea=Thanh toán bằng lệnh ghi nợ trực tiếp +SuppliersStandingOrdersArea=Thanh toán bằng chuyển khoản tín dụng StandingOrdersPayment=Lệnh thanh toán ghi nợ trực tiếp StandingOrderPayment=Lệnh thanh toán ghi nợ trực tiếp NewStandingOrder=Lệnh ghi nợ trực tiếp mới -NewPaymentByBankTransfer=New payment by credit transfer +NewPaymentByBankTransfer=thanh toán mới bằng chuyển khoản tín dụng StandingOrderToProcess=Để xử lý -PaymentByBankTransferReceipts=Credit transfer orders -PaymentByBankTransferLines=Credit transfer order lines +PaymentByBankTransferReceipts=Lệnh chuyển tín dụng +PaymentByBankTransferLines=Dòng lệnh chuyển tín dụng WithdrawalsReceipts=Lệnh ghi nợ trực tiếp WithdrawalReceipt=Lệnh ghi nợ trực tiếp -BankTransferReceipts=Credit transfer orders -BankTransferReceipt=Credit transfer order -LatestBankTransferReceipts=Latest %s credit transfer orders +BankTransferReceipts=Lệnh chuyển tín dụng +BankTransferReceipt=Lệnh chuyển tín dụng +LatestBankTransferReceipts=Lệnh chuyển tín dụng %s mới nhất LastWithdrawalReceipts=Tệp ghi nợ trực tiếp mới nhất %s -WithdrawalsLine=Direct debit order line -CreditTransfer=Credit transfer -CreditTransferLine=Credit transfer line +WithdrawalsLine=Dòng lệnh ghi nợ trực tiếp +CreditTransfer=Chuyển khoản tín dụng +CreditTransferLine=Đường dây chuyển tín dụng WithdrawalsLines=Dòng lệnh ghi nợ trực tiếp -CreditTransferLines=Credit transfer lines -RequestStandingOrderToTreat=Requests for direct debit payment order to process -RequestStandingOrderTreated=Requests for direct debit payment order processed -RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process -RequestPaymentsByBankTransferTreated=Requests for credit transfer processed +CreditTransferLines=Đường dây chuyển tín dụng +RequestStandingOrderToTreat=Yêu cầu xử lý lệnh ghi nợ trực tiếp thanh toán +RequestStandingOrderTreated=Yêu cầu ghi nợ trực tiếp thanh toán đã được xử lý +RequestPaymentsByBankTransferToTreat=Yêu cầu chuyển tín dụng để xử lý +RequestPaymentsByBankTransferTreated=Yêu cầu chuyển khoản tín dụng đã được xử lý NotPossibleForThisStatusOfWithdrawReceiptORLine=Chưa khả thi. Trạng thái rút tiền phải được đặt thành "tín dụng" trước khi khai báo từ chối trên các dòng cụ thể. -NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order +NbOfInvoiceToWithdraw=Số hóa đơn khách hàng đủ điều kiện có lệnh ghi nợ trực tiếp đang chờ NbOfInvoiceToWithdrawWithInfo=Số lượng hóa đơn của khách hàng với các lệnh thanh toán ghi nợ trực tiếp có thông tin tài khoản ngân hàng được xác định -NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer -SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer +NbOfInvoiceToPayByBankTransfer=Số hóa đơn nhà cung cấp đủ điều kiện đang chờ thanh toán bằng chuyển khoản tín dụng +SupplierInvoiceWaitingWithdraw=Hóa đơn của nhà cung cấp đang chờ thanh toán bằng chuyển khoản tín dụng InvoiceWaitingWithdraw=Hóa đơn chờ ghi nợ trực tiếp -InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer +InvoiceWaitingPaymentByBankTransfer=Hóa đơn chờ chuyển khoản AmountToWithdraw=Số tiền cần rút -AmountToTransfer=Amount to transfer -NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. -NoSupplierInvoiceToWithdraw=No supplier invoice with open '%s' is waiting. Go on tab '%s' on invoice card to make a request. +AmountToTransfer=Số tiền cần chuyển +NoInvoiceToWithdraw=Không có hóa đơn nào mở cho '%s' đang chờ. Vào tab '%s' trên thẻ hóa đơn để thực hiện yêu cầu. +NoSupplierInvoiceToWithdraw=Không có hóa đơn nhà cung cấp nào đang mở '%s' đang chờ. Vào tab '%s' trên thẻ hóa đơn để thực hiện yêu cầu. ResponsibleUser=Người dùng chịu trách nhiệm WithdrawalsSetup=Thiết lập thanh toán ghi nợ trực tiếp -CreditTransferSetup=Credit transfer setup +CreditTransferSetup=Thiết lập chuyển khoản tín dụng WithdrawStatistics=Thống kê thanh toán ghi nợ trực tiếp -CreditTransferStatistics=Credit transfer statistics +CreditTransferStatistics=Thống kê chuyển khoản tín dụng Rejects=Từ chối LastWithdrawalReceipt=Biên nhận ghi nợ trực tiếp mới nhất %s MakeWithdrawRequest=Tạo một yêu cầu thanh toán ghi nợ trực tiếp -MakeWithdrawRequestStripe=Make a direct debit payment request via Stripe -MakeBankTransferOrder=Make a credit transfer request +MakeWithdrawRequestStripe=Thực hiện yêu cầu ghi nợ trực tiếp thanh toán qua Stripe +MakeBankTransferOrder=Thực hiện yêu cầu chuyển khoản tín dụng WithdrawRequestsDone=%s yêu cầu thanh toán ghi nợ trực tiếp được ghi lại -BankTransferRequestsDone=%s credit transfer requests recorded +BankTransferRequestsDone=%s yêu cầu chuyển tín dụng đã được ghi lại ThirdPartyBankCode=Mã ngân hàng của bên thứ ba -NoInvoiceCouldBeWithdrawed=Không có hóa đơn ghi nợ thành công. Kiểm tra xem hóa đơn có trên các công ty có IBAN hợp lệ không và IBAN có UMR (Tham chiếu ủy quyền duy nhất) với chế độ %s . -WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. +NoInvoiceCouldBeWithdrawed=Không có hóa đơn nào được xử lý thành công. Kiểm tra xem hóa đơn của các công ty có IBAN hợp lệ không và IBAN có UMR (Tham chiếu ủy nhiệm duy nhất) với chế độ %s. +NoInvoiceCouldBeWithdrawedSupplier=Không có hóa đơn nào được xử lý thành công. Kiểm tra xem hóa đơn của các công ty có IBAN hợp lệ hay không. +NoSalariesCouldBeWithdrawed=Không có mức lương nào được xử lý thành công. Kiểm tra xem mức lương dành cho người dùng có IBAN hợp lệ hay không. +WithdrawalCantBeCreditedTwice=Biên nhận rút tiền này đã được đánh dấu là ghi có; việc này không thể được thực hiện hai lần vì điều này có thể tạo ra các khoản thanh toán và mục nhập ngân hàng trùng lặp. ClassCredited=Phân loại tín dụng -ClassDebited=Classify debited +ClassDebited=Phân loại ghi nợ ClassCreditedConfirm=Bạn có chắc chắn muốn phân loại biên nhận rút tiền này là ghi có trên tài khoản ngân hàng của bạn không? TransData=Ngày chuyển TransMetod=Phương thức chuyển Send=Gửi Lines=Dòng -StandingOrderReject=Record a rejection +StandingOrderReject=Ghi lại lời từ chối WithdrawsRefused=Ghi nợ trực tiếp bị từ chối WithdrawalRefused=Rút tiền từ chối -CreditTransfersRefused=Credit transfers refused +CreditTransfersRefused=Chuyển khoản tín dụng bị từ chối WithdrawalRefusedConfirm=Bạn có chắc chắn muốn nhập vào một sự từ chối rút tiền xã hội RefusedData=Ngày từ chối RefusedReason=Lý do từ chối RefusedInvoicing=Thanh toán từ chối -NoInvoiceRefused=Không tính phí từ chối -InvoiceRefused=Hóa đơn từ chối (Tính phí từ chối cho khách hàng) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Tình trạng ghi nợ / tín dụng StatusWaiting=Chờ StatusTrans=Gửi -StatusDebited=Debited +StatusDebited=ghi nợ StatusCredited=Tín dụng StatusPaid=Đã trả StatusRefused=Từ chối @@ -85,44 +88,44 @@ StatusMotif8=Lý do khác CreateForSepaFRST=Tạo tệp ghi nợ trực tiếp (SEPA FRST) CreateForSepaRCUR=Tạo tệp ghi nợ trực tiếp (SEPA RCUR) CreateAll=Tạo tập tin ghi nợ trực tiếp -CreateFileForPaymentByBankTransfer=Create file for credit transfer -CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) +CreateFileForPaymentByBankTransfer=Tạo tập tin để chuyển tín dụng +CreateSepaFileForPaymentByBankTransfer=Tạo tập tin chuyển tín dụng (SEPA) CreateGuichet=Chỉ văn phòng CreateBanque=Chỉ ngân hàng OrderWaiting=Chờ xử lý -NotifyTransmision=Record file transmission of order -NotifyCredit=Record credit of order +NotifyTransmision=Ghi lại tập tin truyền lệnh +NotifyCredit=Ghi lại tín dụng của đơn đặt hàng NumeroNationalEmetter=Con số chuyển lệnh quốc gia WithBankUsingRIB=Đối với tài khoản ngân hàng sử dụng RIB WithBankUsingBANBIC=Đối với tài khoản ngân hàng sử dụng IBAN / BIC / SWIFT BankToReceiveWithdraw=Tài khoản ngân hàng nhận -BankToPayCreditTransfer=Bank Account used as source of payments +BankToPayCreditTransfer=Tài khoản ngân hàng được sử dụng làm nguồn thanh toán CreditDate=Tín dụng vào WithdrawalFileNotCapable=Không thể tạo file biên lai rút tiền cho quốc gia của bạn %s (Quốc gia của bạn không được hỗ trợ) ShowWithdraw=Hiển thị lệnh ghi nợ trực tiếp IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Tuy nhiên, nếu hóa đơn có ít nhất một lệnh thanh toán ghi nợ trực tiếp chưa được xử lý, nó sẽ không được đặt thành thanh toán để cho phép quản lý rút tiền trước đó. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. -DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. -DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -WithdrawalFile=Debit order file -CreditTransferFile=Credit transfer file +DoStandingOrdersBeforePayments=Tab này cho phép bạn yêu cầu một đơn hàng ghi nợ trực tiếp thanh toán. Sau khi hoàn tất, bạn có thể vào menu "Bank->thanh toán bằng ghi nợ trực tiếp" để tạo và quản lý tệp lệnh Ghi nợ trực tiếp. +DoStandingOrdersBeforePayments2=Bạn cũng có thể gửi yêu cầu trực tiếp tới bộ xử lý SEPA thanh toán như Stripe, ... +DoStandingOrdersBeforePayments3=Khi yêu cầu bị đóng, thanh toán trên hóa đơn sẽ được tự động ghi lại và hóa đơn sẽ bị đóng nếu số tiền còn lại cần thanh toán là vô giá trị. +DoCreditTransferBeforePayments=Tab này cho phép bạn yêu cầu lệnh chuyển tín dụng. Sau khi hoàn tất, hãy vào menu "Ngân hàng->thanh toán bằng chuyển khoản tín dụng" để tạo và quản lý tệp Lệnh chuyển tín dụng. +DoCreditTransferBeforePayments3=Khi lệnh chuyển khoản tín dụng bị đóng, thanh toán trên hóa đơn sẽ tự động được ghi lại và hóa đơn sẽ bị đóng nếu số tiền còn lại phải thanh toán là vô giá trị. +WithdrawalFile=Hồ sơ lệnh ghi nợ +CreditTransferFile=Hồ sơ chuyển tín dụng SetToStatusSent=Đặt thành trạng thái "Đã gửi tệp" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=Điều này cũng sẽ ghi lại các khoản thanh toán trên hóa đơn và sẽ phân loại chúng là "Đã thanh toán" nếu số tiền còn lại để thanh toán là vô giá trị. StatisticsByLineStatus=Thống kê theo trạng thái của dòng RUM=UMR DateRUM=Ngày ký ủy thác RUMLong=Tham chiếu ủy thác duy nhất RUMWillBeGenerated=Nếu trống, UMR (Tham chiếu ủy quyền duy nhất) sẽ được tạo sau khi thông tin tài khoản ngân hàng được lưu. -WithdrawMode=Chế độ ghi nợ trực tiếp (FRST hoặc RECUR) +WithdrawMode=Chế độ ghi nợ trực tiếp (FRST hoặc RCUR) WithdrawRequestAmount=Số tiền của yêu cầu ghi nợ trực tiếp: -BankTransferAmount=Amount of Credit Transfer request: +BankTransferAmount=Số tiền yêu cầu chuyển khoản tín dụng: WithdrawRequestErrorNilAmount=Không thể tạo yêu cầu ghi nợ trực tiếp cho số tiền trống. SepaMandate=Ủy thác ghi nợ trực tiếp SEPA SepaMandateShort=Ủy thác SEPA PleaseReturnMandate=Vui lòng gửi lại mẫu ủy quyền này qua email đến %s hoặc gửi thư đến -SEPALegalText=By signing this mandate form, you authorize (A) %s and its payment service provider to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. You agree to receive notifications about future charges up to 2 days before they occur. +SEPALegalText=Bằng việc ký vào biểu mẫu ủy quyền này, bạn ủy quyền cho (A) %s và thanh toán nhà cung cấp dịch vụ của họ gửi hướng dẫn đến ngân hàng của bạn để ghi nợ tài khoản và (B) ngân hàng của bạn ghi nợ tài khoản của bạn theo hướng dẫn từ %s. Là một phần quyền của bạn, bạn có quyền được ngân hàng hoàn lại tiền theo các điều khoản và điều kiện trong thỏa thuận giữa bạn với ngân hàng. Các quyền của bạn liên quan đến nhiệm vụ trên được giải thích trong một tuyên bố mà bạn có thể lấy từ ngân hàng của mình. Bạn đồng ý nhận thông báo về các khoản phí trong tương lai tối đa 2 ngày trước khi chúng xảy ra. CreditorIdentifier=Định danh chủ nợ CreditorName=Tên chủ nợ SEPAFillForm=(B) Vui lòng hoàn thành tất cả các trường được đánh dấu * @@ -131,21 +134,22 @@ SEPAFormYourBAN=Tên tài khoản ngân hàng (IBAN) SEPAFormYourBIC=Mã định danh ngân hàng (BIC) SEPAFrstOrRecur=Hình thức thanh toán ModeRECUR=Thanh toán định kỳ +ModeRCUR=Thanh toán định kỳ ModeFRST=Thanh toán một lần PleaseCheckOne=Vui lòng chỉ một séc -CreditTransferOrderCreated=Credit transfer order %s created +CreditTransferOrderCreated=Lệnh chuyển tín dụng %s đã được tạo DirectDebitOrderCreated=Lệnh ghi nợ trực tiếp %s đã được tạo AmountRequested=Số tiền yêu cầu SEPARCUR=SEPA CUR SEPAFRST=SEPA FRST ExecutionDate=Ngày thi hành CreateForSepa=Tạo tập tin ghi nợ trực tiếp -ICS=Creditor Identifier - ICS -IDS=Debitor Identifier +ICS=Mã định danh bên nợ - ICS +IDS=Mã định danh bên nợ END_TO_END=Thẻ SEPA XML "EndToEndId" - Id duy nhất được gán cho mỗi giao dịch USTRD=Thẻ SEPA XML "không cấu trúc" ADDDAYS=Thêm ngày vào Ngày thực hiện -NoDefaultIBANFound=No default IBAN found for this third party +NoDefaultIBANFound=Không tìm thấy IBAN mặc định cho bên thứ ba này ### Notifications InfoCreditSubject=Thanh toán lệnh thanh toán ghi nợ trực tiếp %s bởi ngân hàng InfoCreditMessage=Lệnh thanh toán ghi nợ trực tiếp %s đã được ngân hàng thanh toán
      Dữ liệu thanh toán: %s @@ -155,9 +159,16 @@ InfoTransData=Số tiền: %s
      Phương pháp: %s
      Ngày: %s InfoRejectSubject=Lệnh thanh toán ghi nợ trực tiếp bị từ chối InfoRejectMessage=Xin chào,

      lệnh thanh toán ghi nợ trực tiếp của hóa đơn %s liên quan đến công ty %s, với số tiền %s đã bị ngân hàng từ chối.

      -
      %s ModeWarning=Tùy chọn cho chế độ thực không được đặt, chúng tôi dừng lại sau mô phỏng này -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. -ErrorICSmissing=Missing ICS in Bank account %s -TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines -WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s -WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s -UsedFor=Used for %s +ErrorCompanyHasDuplicateDefaultBAN=Công ty có id %s có nhiều tài khoản ngân hàng mặc định. Không có cách nào để biết nên sử dụng cái nào. +ErrorICSmissing=Thiếu ICS trong tài khoản ngân hàng %s +TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Tổng số tiền lệnh ghi nợ trực tiếp khác với tổng số dòng +WarningSomeDirectDebitOrdersAlreadyExists=Cảnh báo: Đã có một số lệnh Ghi nợ Trực tiếp đang chờ xử lý (%s) được yêu cầu với số tiền %s +WarningSomeCreditTransferAlreadyExists=Cảnh báo: Đã có một số yêu cầu Chuyển khoản tín dụng đang chờ xử lý (%s) với số tiền %s +UsedFor=Được sử dụng cho %s +Societe_ribSigned=Ủy quyền SEPA Đã ký +NbOfInvoiceToPayByBankTransferForSalaries=Số mức lương đủ điều kiện đang chờ thanh toán bằng chuyển khoản tín dụng +SalaryWaitingWithdraw=Lương chờ thanh toán bằng chuyển khoản tín dụng +RefSalary=Mức lương +NoSalaryInvoiceToWithdraw=Không có lương chờ '%s'. Vào tab '%s' trên thẻ lương để thực hiện yêu cầu. +SalaryInvoiceWaitingWithdraw=Lương chờ thanh toán bằng chuyển khoản tín dụng + diff --git a/htdocs/langs/vi_VN/workflow.lang b/htdocs/langs/vi_VN/workflow.lang index 674f242e16e..7559f81d6bd 100644 --- a/htdocs/langs/vi_VN/workflow.lang +++ b/htdocs/langs/vi_VN/workflow.lang @@ -7,20 +7,32 @@ descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Tự động tạo đơn đặt hàng bán descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Tự động tạo hóa đơn khách hàng sau khi đề xuất thương mại được ký (hóa đơn mới sẽ có cùng số tiền với đề xuất) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Tự động tạo hóa đơn khách hàng sau khi hợp đồng được xác nhận descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Tự động tạo hóa đơn khách hàng sau khi đơn đặt hàng bán được đóng (hóa đơn mới sẽ có cùng số tiền với đơn đặt hàng) +descWORKFLOW_TICKET_CREATE_INTERVENTION=Khi tạo vé, tự động tạo can thiệp. # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Phân loại đề xuất nguồn được liên kết là đã xuất hóa đơn khi đơn đặt hàng được đặt thành đã xuất hóa đơn (và nếu số lượng đơn đặt hàng bằng với tổng số tiền của đề xuất được liên kết đã ký) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Phân loại đề xuất nguồn được liên kết là đã xuất hóa đơn khi hóa đơn của khách hàng được xác nhận (và nếu số tiền của hóa đơn giống với tổng số tiền của đề xuất được liên kết đã ký) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Phân loại đơn đặt hàng bán nguồn được liên kết là đã xuất hóa đơn khi hóa đơn của khách hàng được xác nhận(và nếu số tiền hóa đơn giống với tổng số tiền của đơn hàng được liên kết) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Phân loại đơn đặt hàng bán nguồn được liên kết là đã xuất hóa đơn khi hóa đơn của khách hàng được đặt thành thanh toán (và nếu số tiền của hóa đơn giống với tổng số tiền của đơn hàng được liên kết) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Phân loại đơn đặt hàng bán nguồn được liên kết khi vận chuyển khi một lô hàng được xác nhận (và nếu số tiền vận chuyển của tất cả các lô hàng giống như trong đơn hàng để cập nhật) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Classify linked source sales order as shipped when a shipment is closed (and if the quantity shipped by all shipments is the same as in the order to update) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Phân loại các đơn đặt hàng nguồn được liên kết là đã vận chuyển khi một lô hàng được xác thực (và nếu số lượng vận chuyển của tất cả các lô hàng giống như trong thứ tự cập nhật) +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=Phân loại đơn bán hàng nguồn được liên kết là đã vận chuyển khi đóng một lô hàng (và nếu số lượng vận chuyển của tất cả các lô hàng giống như trong thứ tự cập nhật) +# Autoclassify purchase proposal +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Phân loại đề xuất nhà cung cấp nguồn được liên kết là đã xuất hóa đơn khi hóa đơn của nhà cung cấp được xác nhận (và nếu số tiền hóa đơn giống với tổng số tiền của đề xuất được liên kết) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Phân loại đơn đặt hàng mua nguồn được liên kết là đã xuất hóa đơn khi hóa đơn của nhà cung cấp được xác nhận (và nếu số tiền hóa đơn giống với tổng số tiền của đơn hàng được liên kết) -descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=Phân loại đơn đặt hàng nguồn được liên kết là đã nhận khi việc tiếp nhận được xác thực (và nếu số lượng mà tất cả các lần tiếp nhận nhận được giống như trong đơn đặt hàng để cập nhật) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=Phân loại đơn đặt hàng nguồn liên kết là đã nhận khi quầy tiếp nhận đóng cửa (và nếu số lượng nhận được của tất cả các đơn hàng giống như trong đơn đặt hàng để cập nhật) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Phân loại lô hàng nguồn được liên kết là đã đóng khi hóa đơn của khách hàng được xác thực (và nếu số tiền trong hóa đơn giống với tổng số tiền của các lô hàng được liên kết) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Phân loại lô hàng nguồn được liên kết thành lô hàng được lập hóa đơn khi hóa đơn của khách hàng được xác thực (và nếu số tiền trong hóa đơn giống với tổng số tiền của lô hàng được liên kết) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Phân loại các khoản tiếp nhận nguồn được liên kết thành hóa đơn khi hóa đơn mua hàng được xác thực (và nếu số tiền trong hóa đơn giống với tổng số tiền của các khoản tiếp nhận được liên kết) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Phân loại các khoản tiếp nhận nguồn được liên kết thành hóa đơn khi hóa đơn mua hàng được xác thực (và nếu số tiền trong hóa đơn giống với tổng số tiền của các khoản tiếp nhận được liên kết) +# Automatically link ticket to contract +descWORKFLOW_TICKET_LINK_CONTRACT=Khi tạo vé, liên kết tất cả các hợp đồng có sẵn của bên thứ ba phù hợp +descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=Khi liên kết hợp đồng, tìm kiếm trong số hợp đồng của công ty mẹ # Autoclose intervention -descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed +descWORKFLOW_TICKET_CLOSE_INTERVENTION=Đóng tất cả các biện pháp can thiệp liên quan đến phiếu khi phiếu bị đóng AutomaticCreation=Tạo tự động AutomaticClassification=Phân loại tự động -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated +AutomaticClosing=Tự động đóng +AutomaticLinking=Liên kết tự động diff --git a/htdocs/langs/vi_VN/zapier.lang b/htdocs/langs/vi_VN/zapier.lang index 3eb7187a5c5..9f0830d6722 100644 --- a/htdocs/langs/vi_VN/zapier.lang +++ b/htdocs/langs/vi_VN/zapier.lang @@ -16,6 +16,6 @@ ModuleZapierForDolibarrName = Zapier cho Dolibarr ModuleZapierForDolibarrDesc = Mô-đun Zapier cho Dolibarr ZapierForDolibarrSetup=Thiết lập Zapier cho Dolibarr -ZapierDescription=Interface with Zapier -ZapierAbout=About the module Zapier -ZapierSetupPage=There is no need for a setup on Dolibarr side to use Zapier. However, you must generate and publish a package on zapier to be able to use Zapier with Dolibarr. See documentation on this wiki page. +ZapierDescription=Giao diện với Zapier +ZapierAbout=Giới thiệu về mô-đun Zapier +ZapierSetupPage=Không cần thiết lập bên Dolibarr để sử dụng Zapier. Tuy nhiên, bạn phải tạo và xuất bản gói trên zapier để có thể sử dụng Zapier với Dolibarr. Xem tài liệu trên trang wiki này. diff --git a/htdocs/langs/zh_CN/admin.lang b/htdocs/langs/zh_CN/admin.lang index 1d4157e6ba0..3d1fe50ed5d 100644 --- a/htdocs/langs/zh_CN/admin.lang +++ b/htdocs/langs/zh_CN/admin.lang @@ -123,7 +123,7 @@ DetailMenuIdParent=父菜单ID (空表示顶级菜单) ParentID=父ID DetailPosition=排序编号,以确定菜单位置 AllMenus=全部 -NotConfigured=模块或应用未配置 +NotConfigured=模块/应用未配置 Active=启用 SetupShort=设置 OtherOptions=其他选项 @@ -143,11 +143,11 @@ CurrentHour=PHP 服务器时间 CurrentSessionTimeOut=当前会话超时 YouCanEditPHPTZ=您可以尝试添加一个 .htaccess 文件来设置不同的 PHP 时区(不是必需的),其中包含类似“SetEnv TZ Europe/Paris”的行 HoursOnThisPageAreOnServerTZ=警告,与其他屏幕相反,此页面上的小时不是您当地的时区,而是服务器的时区。 -Box=插件 -Boxes=插件 -MaxNbOfLinesForBoxes=插件的最大行数 -AllWidgetsWereEnabled=全部可用的小工具都已启用 -WidgetAvailable=可用的小部件 +Box=widget小组件 +Boxes=widget小组件 +MaxNbOfLinesForBoxes=widget小组件的最大行数 +AllWidgetsWereEnabled=所有可用的widget小组件均已启用 +WidgetAvailable=可用的widget小组件 PositionByDefault=默认顺序 Position=位置 MenusDesc=菜单管理器定义两个菜单中的内容(横向和纵向菜单栏)。 @@ -210,7 +210,7 @@ IgnoreDuplicateRecords=忽略重复记录错误(INSERT IGNORE) AutoDetectLang=自动检测(浏览器的语言) FeatureDisabledInDemo=功能在演示版中已禁用 FeatureAvailableOnlyOnStable=功能仅适用于官方稳定版本 -BoxesDesc=插件是一些页面中显示信息的屏幕区域。你可以选择目标页面和点击“启用”或垃圾桶按钮来显示或禁用这些插件。 +BoxesDesc=widget小组件是显示一些消息的组件,您可以添加这些信息来个性化某些页面。您可以通过选择目标页面并单击“激活”来选择是否显示widget小组件,或者单击垃圾桶将其禁用。 OnlyActiveElementsAreShown=仅显示 已启用模块 的元素。 ModulesDesc=模块/应用程序确定软件中可用的功能。某些模块需要在激活模块后授予用户权限。单击每个模块的开/关按钮 %s 以启用或禁用模块/应用程序。 ModulesDesc2=单击齿轮按钮 %s 以配置模块/应用程序。 @@ -227,6 +227,8 @@ NotCompatible=此模块似乎与您的Dolibarr %s(Min %s - Max %s)不兼 CompatibleAfterUpdate=此模块需要更新您的Dolibarr %s(最低版本 %s - 最高版本 %s)。 SeeInMarkerPlace=在市场上看到 SeeSetupOfModule=参见模块设置 %s +SeeSetupPage=See setup page at %s +SeeReportPage=See report page at %s SetOptionTo=将选项 %s 设置为 %s Updated=已更新 AchatTelechargement=购买/下载 @@ -237,8 +239,8 @@ WebSiteDesc=可以获取更多附加(非核心)模块的外部网站... DevelopYourModuleDesc=一些开发您自己的模块的解决方案...... URL=URL RelativeURL=相对URL -BoxesAvailable=有可用的插件 -BoxesActivated=插件已启用 +BoxesAvailable=可用的widget小组件 +BoxesActivated=已激活widget小组件 ActivateOn=启用日期 ActiveOn=已启用日期 ActivatableOn=在…可启用 @@ -292,22 +294,22 @@ EmailSenderProfiles=电子邮件发件人资料 EMailsSenderProfileDesc=您可以将此部分留空。如果您在此处输入一些电子邮件地址,当您撰写新电子邮件时,您可以从可选的发件人列表组合框中选择。 MAIN_MAIL_SMTP_PORT=SMTP/SMTPS 端口 ( php.ini 文件中的默认值:%s) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS 主机 ( php.ini 文件中的默认值:%s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS 端口(类 Unix 系统上的 PHP 中未定义) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS 主机(类 Unix 系统上的 PHP 中未定义) -MAIN_MAIL_EMAIL_FROM=自动电子邮件的发件人电子邮件地址(php.ini 中的默认值: %s ) -EMailHelpMsgSPFDKIM=为了防止 Dolibarr 电子邮件被归类为垃圾邮件,请确保服务器通过 SPF 和 DKIM 配置授权从此地址发送电子邮件 +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host +MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails +EMailHelpMsgSPFDKIM=To prevent Dolibarr emails to be classified as spam, make sure that the server is authorized to send e-mails under this identity (by checking the SPF and DKIM configuration of the domain name) MAIN_MAIL_ERRORS_TO=用于错误退信的电子邮件地址(已发送的电子邮件中的“错误退信”字段) MAIN_MAIL_AUTOCOPY_TO= 将所有已发送的电子邮件复制(密件抄送)到 MAIN_DISABLE_ALL_MAILS=禁用所有电子邮件发送(出于测试目的或演示目的) MAIN_MAIL_FORCE_SENDTO=发送电子邮件至(替换实际的收件人,用于测试目的) MAIN_MAIL_ENABLED_USER_DEST_SELECT=在撰写新电子邮件时将员工的电子邮件(如果已定义)建议到预定义收件人列表中 -MAIN_MAIL_NO_WITH_TO_SELECTED=即使只有一个选择,也不要选择默认收件人 +MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if there is only 1 possible choice MAIN_MAIL_SENDMODE=电子邮件发送方式 MAIN_MAIL_SMTPS_ID=SMTP 账号(如果发送服务器需要验证) MAIN_MAIL_SMTPS_PW=SMTP 密码(如果发送服务器需要验证) MAIN_MAIL_EMAIL_TLS=使用 TLS(SSL)加密 MAIN_MAIL_EMAIL_STARTTLS=使用TLS(STARTTLS)加密 -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=允许自签名证书 +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=授权自签名证书 MAIN_MAIL_EMAIL_DKIM_ENABLED=使用 DKIM 生成电子邮件签名 MAIN_MAIL_EMAIL_DKIM_DOMAIN=用于 DKIM 的电子邮件域名 MAIN_MAIL_EMAIL_DKIM_SELECTOR=DKIM选择器名称 @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=DKIM签名的私钥 MAIN_DISABLE_ALL_SMS=禁止所有的短信发送(用于测试或演示目的) MAIN_SMS_SENDMODE=短信发送方法 MAIN_MAIL_SMS_FROM=发送短信的默认发件人电话号码 -MAIN_MAIL_DEFAULT_FROMTYPE=手动发送的默认发件人电子邮件地址(用户电子邮件或公司电子邮件) +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email preselected on forms to send emails UserEmail=用户邮箱 CompanyEmail=公司邮箱 FeatureNotAvailableOnLinux=功能在类Unix系统下不可用。请在本地测试您的sendmail程序。 @@ -369,7 +371,7 @@ GenericMaskCodes4a= 2023-01-31 合作方 TheCompany 的 99 号 %s 示例:< GenericMaskCodes4b= 2023 年 1 月 31 日创建的合作方示例:
      GenericMaskCodes4c= 2023 年 1 月 31 日创建的产品示例:
      GenericMaskCodes5=ABC{yy}{mm}-{000000} 将给出 ABC2301-000099
      {0000+100@1 }-ZZZ/{dd}/XXX 将给出 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} 将给出 IN2301-0099-A 如果公司类型为“Responsible Inscripto”,类型代码为“A_RI” -GenericNumRefModelDesc=根据定义的掩码返回可自定义的数字。 +GenericNumRefModelDesc=根据事先定义的掩码,返回一个定制化的编号,详情可参照说明。 ServerAvailableOnIPOrPort=服务器在地址: %s端口%s上可用 ServerNotAvailableOnIPOrPort=服务器在地址: %s端口%s上不可用 DoTestServerAvailability=测试服务器连通性 @@ -416,7 +418,8 @@ PDFRulesForSalesTax=销售税/VAT规则 PDFLocaltax=%s的规则 HideLocalTaxOnPDF=在销售税/VAT列中隐藏 %s 税率 HideDescOnPDF=隐藏产品描述 -HideRefOnPDF=隐藏产品参考 +HideRefOnPDF=隐藏产品编号 +ShowProductBarcodeOnPDF=Display the barcode number of the products HideDetailsOnPDF=隐藏产品行详细信息 PlaceCustomerAddressToIsoLocation=使用法国标准位置(La Poste)作为客户地址位置 Library=资料库 @@ -424,7 +427,7 @@ UrlGenerationParameters=用于保护 URL 的参数 SecurityTokenIsUnique=为每个URL使用唯一的securekey参数值 EnterRefToBuildUrl=输入对象 %s 的参考 GetSecuredUrl=获取计算的 URL -ButtonHideUnauthorized=对内部用户隐藏未经授权的操作按钮(否则为变灰) +ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just grayed otherwise) OldVATRates=以前的增值税率(VAT) NewVATRates=新的增值税率(VAT) PriceBaseTypeToChange=根据已在…定义的基础参考来修改价格 @@ -458,11 +461,11 @@ ComputedFormula=计算出的字段 ComputedFormulaDesc=您可以在此处输入使用对象的其他属性或任何 PHP 编码的公式,以获得动态计算值。您可以使用任何 PHP 兼容公式,包括“?”条件运算符,以及以下全局对象: $db、$conf、$langs、$mysoc、$user、$objectoffield .
      警告 :如果您需要未加载对象的属性,只需将对象放入公式中即可,如第二个示例所示。
      使用计算字段意味着您无法从界面输入任何值。此外,如果存在语法错误,公式可能不会返回任何内容。

      公式示例:
      $objectoffield->id < 10 ? round($objectoffield-> id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      重新加载对象的示例
      (($reloadedobj = new Societe( $db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      强制加载对象及其父对象的公式的其他示例:
      (( $reloadedobj = 新任务($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = 新项目($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj- >fk_project) > 0)) ? $secondloadedobj->ref: '未找到父项目' Computedpersistent=存储计算出的域 ComputedpersistentDesc=计算出的额外字段将存储在数据库中,但是,只有在更改该字段的对象时才会重新计算该值。如果计算域依赖于其他对象或全局数据,这个值可能是错误的!! -ExtrafieldParamHelpPassword=将此字段留空意味着该值将在不加密的情况下存储(字段必须仅在屏幕上用星号隐藏)。
      设置“auto”以使用默认加密规则将密码保存到数据库中(之后读取的值将只是哈希值,无法检索原始值) +ExtrafieldParamHelpPassword=将该字段留空意味着该值将在不加密的情况下存储(字段在屏幕上用星号隐藏)。

      输入值“dolcrypt ”,用可逆加密算法对值进行编码。明文数据仍然可以被知道和编辑,但在数据库中被加密。

      输入“auto”(或“md5”、“sha256”、“password_hash”等)以使用默认 span> 密码加密算法(或 md5、sha256、password_hash...)将不可逆哈希密码保存到数据库中(无法检索原始值) ExtrafieldParamHelpselect=值列表必须是格式为键/值对的行(其中键不能为'0')

      \n例如:
      1,value1
      2,value2
      code3,value3
      ...

      \n 为了使列表具有另一个补充属性列表:
      1,value1 | options_parent_list_code :parent_key
      2,value2 | options_parent_list_code :parent_key

      \n为了使列表依赖于另一个列表:
      1,value1 | parent_list_code:parent_key
      2,value2 | parent_list_code :parent_key ExtrafieldParamHelpcheckbox=值列表必须是格式为 键/值 的对(其中 键不能为 '0')

      例如:
      1,value1
      2,value2
      3,value3
      ... ExtrafieldParamHelpradio=值列表必须是格式为 键/值 的对(其中 键不能为 '0')1 2 例如:3 1,value1 4 2,value2 5 3,value3 6 ... -ExtrafieldParamHelpsellist=值列表来自表
      语法:table_name:label_field:id_field::filtersql
      示例:c_typent:libelle:id::filtersql

      - id_field 必须是主 int 键
      -sql 过滤器是 SQL 条件。可以是一个简单的测试(例如 active=1),只显示活动值
      您也可以在过滤器中使用 $ID$,它是当前对象
      的当前 ID 要在过滤器中使用 SELECT,请使用关键字 $SEL$ 来绕过防喷油保护。
      如果要过滤额外字段,请使用语法 extra.fieldcode=... (其中字段代码是额外字段的代码)

      为了使列表依赖于另一个补充属性列表:
      c_typent:libelle:id:options_ parent_list_code |parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id: parent_list_code |parent_column:filter +ExtrafieldParamHelpsellist=List of values comes from a table
      Syntax: table_name:label_field:id_field::filtersql
      Example: c_typent:libelle:id::filtersql

      - id_field is necessarily a primary int key
      - filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
      You can also use $ID$ in filter which is the current id of current object
      To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
      if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      In order to have the list depending on another list:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelpchkbxlst=值列表来自表
      语法:table_name:label_field:id_field::filtersql
      示例:c_typent:libelle:id::filtersql

      过滤器可以是一个简单的测试(例如 active=1),只显示活动值
      也可以在过滤器中使用 $ID$ 女巫是当前对象的当前 id
      要在过滤器中进行 SELECT 使用 $SEL$
      如果要过滤额外字段,请使用语法 extra.fieldcode=... (其中字段代码是code of extrafield)

      In order to have the list depending on another complementary attribute list:
      c_typent:libelle:id:options_ parent_list_code |parent_column:filter

      In order to have the list depending on another list:
      c_typent: libelle:id: parent_list_code |parent_column:filter ExtrafieldParamHelplink=参数必须是 ObjectName:Classpath
      语法:ObjectName:Classpath ExtrafieldParamHelpSeparator=为简单分隔符留空
      将此设置为 1 用于折叠分隔符(默认为新会话打开,然后为每个用户会话保留状态)
      将此设置为 2 用于折叠分隔符(默认为新会话折叠,然后在每个用户会话之前保持状态) @@ -473,7 +476,7 @@ LinkToTestClickToDial=输入一个电话号码来为用户显示ClickToDial网 RefreshPhoneLink=刷新链接 LinkToTest=为用户 %s 生成的可点击链接(点击电话号码进行测试) KeepEmptyToUseDefault=留空以使用默认值 -KeepThisEmptyInMostCases=在大多数情况下,您可以将此字段保留为空。 +KeepThisEmptyInMostCases=In most cases, you can keep this field empty. DefaultLink=默认链接 SetAsDefault=设为默认 ValueOverwrittenByUserSetup=警告,此设置可能被用户设置所覆盖(用户可以设置各自的clicktodial链接) @@ -518,7 +521,7 @@ TheKeyIsTheNameOfHtmlField=这是 HTML 字段的名称。需要技术知识才 PageUrlForDefaultValues=您必须输入页面 URL 的相对路径。如果在 URL 中包含参数,则浏览的 URL 中的所有参数都具有此处定义的值才有效。 PageUrlForDefaultValuesCreate=
      示例:
      用于创建新的合作方的表单,它是 %s
      对于安装到自定义目录的外部模块的 URL,不要包含“custom/”,因此使用 mymodule/mypage.php 之类的路径,而不是 custom/mymodule/mypage.php。
      如果只有在 url 有一些参数时才需要默认值,你可以使用 %s PageUrlForDefaultValuesList=
      示例:
      对于列出合作方的页面,它是 %s
      对于安装到自定义目录的外部模块的 URL,不要包含“custom/”,因此请使用 mymodule/mypagelist.php 之类的路径,而不是 custom/mymodule/mypagelist.php。
      如果只有在 url 有一些参数时才需要默认值,你可以使用 %s -AlsoDefaultValuesAreEffectiveForActionCreate=另请注意,覆盖表单创建的默认值仅适用于正确设计的页面(因此请使用参数 action=create 或 presend...) +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwriting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) EnableDefaultValues=启用自定义默认值 EnableOverwriteTranslation=允许自定义翻译 GoIntoTranslationMenuToChangeThis=已使用此代码找到此键的翻译。要更改此值,您必须通过 主页-设置-翻译 对其进行编辑。 @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=通用私有目录是任何人都可以通过其应 DAV_ALLOW_PUBLIC_DIR=启用通用公共目录(名为“public”的 WebDAV 专用目录 - 无需登录) DAV_ALLOW_PUBLIC_DIRTooltip=通用公共目录是任何人都可以访问的 WebDAV 目录(可读可写模式),无需授权(用户名/密码登陆)。 DAV_ALLOW_ECM_DIR=启用 DMS/ECM 私有目录(DMS/ECM 模块的根目录 - 需要登录) -DAV_ALLOW_ECM_DIRTooltip=使用 DMS/ECM 模块时手动上传所有文件的根目录。与从 Web 界面访问类似,您需要具有适当权限的有效登录名/密码才能访问它。 +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adequate permissions to access it. ##### Modules ##### Module0Name=用户和组 Module0Desc=用户/雇员和组管理 @@ -566,7 +569,7 @@ Module40Desc=供应商和采购管理(采购订单和供应商发票开票) Module42Name=调试日志 Module42Desc=日志设施(文件,系统日志,......)。此类日志用于技术/调试目的。 Module43Name=调试栏 -Module43Desc=为开发人员在浏览器中添加调试栏的工具。 +Module43Desc=A tool for developers, adding a debug bar in your browser. Module49Name=编辑器 Module49Desc=编辑器管理 Module50Name=产品 @@ -582,7 +585,7 @@ Module54Desc=合约管理(服务或定期订阅) Module55Name=条码 Module55Desc=条码或二维码管理 Module56Name=通过银行转账付款 -Module56Desc=管理使用银行转账的供应商的付款单。它包括为欧洲国家生成 SEPA 文件。 +Module56Desc=Management of payment of suppliers or salaries by Credit Transfer orders. It includes generation of SEPA file for European countries. Module57Name=直接借记付款 Module57Desc=管理使用直接借记对供应商的付款。它包括为欧洲国家生成 SEPA 文件。 Module58Name=ClickToDial @@ -596,7 +599,7 @@ Module75Desc=费用和差旅记录的管理 Module80Name=发货单 Module80Desc=发货单和交货回执管理 Module85Name=银行和现金 -Module85Desc=银行或现金帐户管理 +Module85Desc=银行或现金账户管理 Module100Name=外部站点 Module100Desc=添加指向外部网站的链接为主菜单图标。网站将显示在顶部菜单下的框架中。 Module105Name=Mailman 及 SPIP @@ -630,6 +633,10 @@ Module600Desc=发送由商业活动触发的电子邮件通知:按用户(在 Module600Long=请注意,此模块会在特定商业活动发生时实时发送电子邮件。如果您正在寻找通过电子邮件发送日程事件提醒的功能,请进入日程模块设置。 Module610Name=产品变体 Module610Desc=创建产品变体(颜色、尺寸等) +Module650Name=物料清单 (BOM) +Module650Desc=用于定义物料清单(BOM)的模块。可用于制造订单(MO)模块的制造资源计划 +Module660Name=制造资源计划 (MRP) +Module660Desc=管理制造订单(MO)的模块 Module700Name=捐献 Module700Desc=捐献管理 Module770Name=费用报销 @@ -650,13 +657,13 @@ Module2300Name=计划任务 Module2300Desc=计划任务管理(cron 或 chrono table) Module2400Name=事件/日程 Module2400Desc=跟踪项目。记录自动事件以进行跟踪或记录手动事件或会议。这是良好的客户或供应商关系管理的主要模块。 -Module2430Name=在线预订日历 -Module2430Desc=提供在线日历,允许任何人根据预定义的范围或可用性预订约会。 +Module2430Name=在线预约日程 +Module2430Desc=Provides an online appointment booking system. This allow anyone to book rendez-vous, according to predefined ranges or availabilities. Module2500Name=DMS / ECM Module2500Desc=文件管理系统/电子内容管理。自动组织生成或存储的文档。在需要时分享。 Module2600Name=API / 网络服务 (SOAP 服务器) Module2600Desc=允许 Dolibarr SOAP 服务器提供 API 服务 -Module2610Name=API / 网络服务 (REST 服务器) +Module2610Name=API / Web 服务 (REST 服务器) Module2610Desc=允许 Dolibarr REST 服务器提供 API 服务 Module2660Name=调用WebServices(SOAP客户端) Module2660Desc=启用 Dolibarr Web服务客户端(可用于将数据/请求推送到外部服务器。目前仅支持采购订单。) @@ -665,14 +672,14 @@ Module2700Desc=使用在线 Gravatar 服务 (www.gravatar.com) 显示用户/会 Module2800Desc=FTP 客户端 Module2900Name=Maxmind的GeoIP全球IP地址数据库 Module2900Desc=Maxmind的GeoIP数据库的转换能力 -Module3200Name=不可更改的档案 -Module3200Desc=启用不可更改的商业活动日志。事件被实时存档。日志是只读的可以导出的链式事件表。对于某些国家/地区,此模块可能是强制性的。 +Module3200Name=防篡改归档 +Module3200Desc=启用商务事件的防篡改日志。事件被实时归档。日志是只读的、可以导出的链式事件表。对于某些国家/地区,此模块可能是要被强制使用的。 Module3300Name=模块生成器 Module3300Desc=RAD(快速应用程序开发 - 低代码和无代码)工具可帮助开发人员或高级用户构建自己的模块/应用程序。 Module3400Name=社交网络 Module3400Desc=启用合作方和地址的社交网络字段(skype、twitter、facebook、...)。 Module4000Name=人力资源管理 -Module4000Desc=人力资源管理(部门管理,员工合约和感受) +Module4000Desc=Human resources management (management of department, employee contracts, skill management and interview) Module5000Name=多公司 Module5000Desc=允许你管理多个公司 Module6000Name=模块间工作流 @@ -712,6 +719,8 @@ Module63000Desc=管理用于分配给事件的资源(打印机、汽车、房 Module66000Name=OAuth2 令牌管理 Module66000Desc=提供生成和管理 OAuth2 令牌的工具。然后该令牌可以被其他一些模块使用。 Module94160Name=收货单 +ModuleBookCalName=Booking Calendar System +ModuleBookCalDesc=Manage a Calendar to book appointments ##### Permissions ##### Permission11=读取客户发票(和付款) Permission12=创建/变更发票 @@ -982,7 +991,7 @@ Permission2515=设置文档目录 Permission2610=生成/变更用户API密钥 Permission2801=在只读模式下使用 FTP 客户端(仅浏览和下载) Permission2802=在写入模式下使用 FTP 客户端(删除或上传文件) -Permission3200=读取已存档的事件和指纹 +Permission3200=读取已归档的事件和指纹 Permission3301=生成新模块 Permission4001=查看技能/工作/职位 Permission4002=创建/修改 技能/工作/职位 @@ -996,7 +1005,7 @@ Permission4031=查看个人信息 Permission4032=写入个人信息 Permission4033=读取所有评价(甚至是非下属用户的评价) Permission10001=查看网站内容 -Permission10002=创建/修改网站内容(HTML和 JavaScript 内容) +Permission10002=Create/modify website content (html and JavaScript content) Permission10003=创建/修改网站内容(动态 PHP代码)。危险,只能提供给受限制的开发人员。 Permission10005=删除网站内容 Permission20001=查看休假请求(您和您下属的休假) @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=费用报告 - 按运输类别划分的范围 DictionaryTransportMode=内部报表 - 传送模式 DictionaryBatchStatus=产品批号/序列号的质量控制状态 DictionaryAssetDisposalType=资产处置类型 +DictionaryInvoiceSubtype=Invoice subtypes TypeOfUnit=单位类型 SetupSaved=设置已保存 SetupNotSaved=设置未保存 @@ -1109,10 +1119,11 @@ BackToModuleList=返回模块列表 BackToDictionaryList=返回字典列表 TypeOfRevenueStamp=印花税票种类 VATManagement=销售税管理 -VATIsUsedDesc=默认情况下,在创建准客户、发票、订单等时,销售税率遵循现行标准规则:
      如果卖方不缴纳销售税,则销售税默认为 0。规则结束。
      如果(卖方国家=买方国家),则销售税默认等于卖方国家/地区的产品销售税。规则结束。
      如果卖方和买方都在欧共体且货物是与运输相关的产品(拖运、海运、航空),则默认增值税为 0。此规则取决于卖家所在的国家/地区 - 请咨询您的会计师。增值税应由买方向其所在国家的海关支付,而不是向卖方支付。规则结束。
      如果卖方和买方都在欧共体,并且买方不是公司(具有注册的欧盟内部增值税号),则增值税默认为卖方所在国家/地区的增值税税率。规则结束。
      如果卖方和买方都在欧共体,并且买方是公司(注册了欧盟内增值税号),则默认增值税为 0。规则结束。
      在任何其他情况下,建议的默认值为销售税 = 0。规则结束。 +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
      If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
      If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
      If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependent on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
      If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
      If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
      In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=默认情况下,建议的销售税为 0,可用于协会、个人或小公司等情况。 VATIsUsedExampleFR=在法国,这意味着这个公司或机构有一个真正的财政系统(简化实际或正常实际),这个体制会申报增值税。 VATIsNotUsedExampleFR=在法国,它指的是非增值税申报的协会或选择微型企业财政系统(特许经营增值税)并在没有任何增值税申报的情况下支付特许经营增值税的公司,组织或自由职业。该选项将在发票上显示“Non applicable VAT - art-293B of CGI”的参考。 +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=销售税类型 LTRate=利率 @@ -1138,7 +1149,7 @@ LocalTax2IsUsedDescES=创建潜在客户,发票,订单等时默认的RE率 LocalTax2IsNotUsedDescES=默认情况下,建议IRPF为0。规则结束。 LocalTax2IsUsedExampleES=在西班牙,提供服务的自由职业者和独立专业人士以及选择模块税制的公司。 LocalTax2IsNotUsedExampleES=在西班牙,它们是不受模块税收制度约束的企业。 -RevenueStampDesc=“印花税票”是基于您每张发票的固定税款(不取决于发票金额)。它也可以是百分比税,但使用第二类或第三类税更适合百分比税,因为印花税票不提供任何报告。只有少数国家使用这种税收。 +RevenueStampDesc=“印花税”或“印花税票”是基于每张发票的固定税费(与发票金额无关)。它也可以是百分比税,但使用第二种或第三种类型的税对于百分比税会更好,因为印花税票不提供任何报表。只有少数国家采用这种税收。 UseRevenueStamp=使用印花税 UseRevenueStampExample=印花税的默认值在设置的字典中定义 (%s - %s - %s) CalcLocaltax=地方税报表 @@ -1215,8 +1226,8 @@ LogoDesc=公司的主LOGO。将用于生成的文档(PDF,...) LogoSquarred=LOGO(方形) LogoSquarredDesc=必须是方形图标(宽度 = 高度)。此徽标将用作收藏夹图标或其他需要例如顶部菜单栏(如在显示设置中未禁用)。 DoNotSuggestPaymentMode=不建议 -NoActiveBankAccountDefined=没有定义有效的银行帐户 -OwnerOfBankAccount=银行帐户 %s 的户主 +NoActiveBankAccountDefined=没有定义有效的银行账户 +OwnerOfBankAccount=银行账户 %s 的户主 BankModuleNotActive=银行账户模块没有启用 ShowBugTrackLink=显示链接“ %s ” ShowBugTrackLinkDesc=留空不显示此链接,使用值 'github' 为 Dolibarr 项目的链接,或直接定义一个 URL 'https://...' @@ -1302,7 +1313,7 @@ NoEventFoundWithCriteria=未发现符合搜索条件的安全事件。 SeeLocalSendMailSetup=参见您的本机 sendmail 设置 BackupDesc=Dolibarr 安装的 完整 备份需要两个步骤。 BackupDesc2=备份包含所有上传和生成的文件的“documents”目录 ( %s ) 的内容。这还将包括在步骤 1 中生成的所有转储文件。此操作可能会持续几分钟。 -BackupDesc3=将数据库 (%s) 的结构和内容备份到转储文件中。您可以使用以下助手。 +BackupDesc3=将数据库 (%s) 的结构和内容备份到转储文件中。您可以使用下列助手。 BackupDescX=存档的文档目录应存储在一个安全的地方。 BackupDescY=生成的转储文件应存放在安全的地方。 BackupPHPWarning=此方法无法确保备份成功。推荐使用前者。 @@ -1340,7 +1351,7 @@ MAIN_PROXY_HOST=代理服务器:名称/地址 MAIN_PROXY_PORT=代理服务器:端口 MAIN_PROXY_USER=代理服务器:登录名/用户名 MAIN_PROXY_PASS=代理服务器:密码 -DefineHereComplementaryAttributes=定义必须添加到:%s的任何附加/自定义属性 +DefineHereComplementaryAttributes=定义必须添加到%s的任何“附加/自定义”属性 ExtraFields=自定义属性 ExtraFieldsLines=自定义属性(行) ExtraFieldsLinesRec=自定义属性(发票行模板) @@ -1399,8 +1410,8 @@ PHPModuleLoaded=PHP 组件 %s 已加载 PreloadOPCode=已使用预加载的 OPCode AddRefInList=在组合列表中显示客户/供应商参考。
      合作方将以“CC12345 - SC45678 - The Big Company corp.”的名称格式出现。而不是“The Big Company corp”。 AddVatInList=在组合列表中显示客户/供应商增值税号。 -AddAdressInList=在组合列表中显示客户/供应商地址。
      合作方将以“The Big Company corp. - 21 jump street 123456 Big town - USA”的名称格式出现,而不是“The Big Company corp”。 -AddEmailPhoneTownInContactList=显示联系人电子邮件(或电话,如果未定义电子邮件)和城镇信息清单(选择清单或组合框)
      联系人将显示为“Dupond Durand - dupond.durand@email.com - 巴黎”或“Dupond Durand - 06 07 59 65 66 - 巴黎”而不是“Dupond Durand”。 +AddAdressInList=Display Customer/Vendor address into combo lists.
      Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AddEmailPhoneTownInContactList=显示联系人电子邮件(或电话,如果未定义)和城镇信息列表(选择列表或组合框)
      联系人将以“Dupond Durand - dupond.durand@example.com - Paris”或“Dupond Durand - 06 07 59 65 66 - Paris”的姓名格式显示,而不是“Dupond Durand”。 AskForPreferredShippingMethod=询问合作方的首选货物运输方式。 FieldEdition=%s 字段的编辑 FillThisOnlyIfRequired=例如:+2 (请只在时区错误问题出现时填写) @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=不要在登录页面上显示“忘记密 UsersSetup=用户模块设置 UserMailRequired=创建新用户时必须输入电子邮件地址 UserHideInactive=从所有用户组合列表中隐藏非活动用户(不推荐:这可能意味着您将无法在某些页面上过滤或搜索旧用户) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=从用户记录生成的文档的文档模板 GroupsDocModules=从组记录生成的文档的文档模板 ##### HRM setup ##### @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=群组 LDAPContactsSynchro=联系人 LDAPMembersSynchro=会员 LDAPMembersTypesSynchro=会员类型 -LDAPSynchronization=LDAP 同步 +LDAPSynchronization=LDAP synchronization LDAPFunctionsNotAvailableOnPHP=您的 PHP 中 LDAP 功能不可用 LDAPToDolibarr=LDAP - > Dolibarr DolibarrToLDAP=Dolibarr - > LDAP @@ -1647,7 +1660,7 @@ LDAPFieldGroupidExample=示例:gidnumber LDAPFieldUserid=用户ID LDAPFieldUseridExample=示例:uidnumber LDAPFieldHomedirectory=主目录 -LDAPFieldHomedirectoryExample=例如:homedirectory +LDAPFieldHomedirectoryExample=Example : homedirectory LDAPFieldHomedirectoryprefix=主目录前缀 LDAPSetupNotComplete=LDAP 的安装程序不完整的 (请检查其他选项卡) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=未提供管理员名称或密码LDAP 将以只读模式匿名访问。 @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=找到应用程序缓存的memcached模块 MemcachedAvailableAndSetup=启用专用于使用memcached服务器的模块memcached。 OPCodeCache=操作码缓存 NoOPCodeCacheFound=未找到 OPCode 缓存。也许您正在使用 XCache 或 eAccelerator 以外的 OPCode 缓存(好),或者您可能没有 OPCode 缓存(非常糟糕)。 -HTTPCacheStaticResources=HTTP缓存的静态资源(CSS,JavaScript,IMG) +HTTPCacheStaticResources=HTTP cache for static resources (css, img, JavaScript) FilesOfTypeCached=HTTP服务器 %s 类型的文件缓存 FilesOfTypeNotCached=HTTP服务器不缓存的文件类型%s FilesOfTypeCompressed=HTTP服务器 %s 类型的文件被压缩 @@ -1685,7 +1698,7 @@ DefaultCreateForm=默认值(用于表单) DefaultSearchFilters=默认搜索过滤器 DefaultSortOrder=默认排序顺序 DefaultFocus=默认焦点字段 -DefaultMandatory=必填表单域 +DefaultMandatory=必填表单字段 ##### Products ##### ProductSetup=产品模块设置 ServiceSetup=服务模块设置 @@ -1773,15 +1786,15 @@ FreeLegalTextOnDeliveryReceipts=交货回执上的附加文本 ##### FCKeditor ##### AdvancedEditor=高级编辑 ActivateFCKeditor=为以下为功能启用高级编辑器功能: -FCKeditorForNotePublic=所见即所得方式创建/编辑元素的“公共笔记”字段 -FCKeditorForNotePrivate=所见即所得方式创建/编辑元素的“内部笔记”字段 -FCKeditorForCompany=所见即所得方式创建/编辑元素的描述字段(产品/服务除外) -FCKeditorForProductDetails=所见即所得方式创建/编辑的产品描述或对象的行 (建议、订单、发票的行等……)。 +FCKeditorForNotePublic=所见即所得地创建/编辑元素的“公共注释”字段 +FCKeditorForNotePrivate=所见即所得地创建/编辑元素的“私人注释”字段 +FCKeditorForCompany=所见即所得地创建/编辑元素字段描述(产品/服务除外) +FCKeditorForProductDetails=所见即所得地创建/编辑产品描述或对象行(报价行、订单、发票等)。 FCKeditorForProductDetails2=警告。严重不建议在这种情况下使用该选项,因为它在建立PDF文件时可能会创建特殊字符和页面格式的问题。 -FCKeditorForMailing= 以所见即所得方式创建/编辑群发邮件(工具->电邮寄送) -FCKeditorForUserSignature=以所见即所得方式创建/编辑用户签名 -FCKeditorForMail=所有邮件的WYSIWIG创建/版本(工具 - > eMailing除外) -FCKeditorForTicket=所见即所得方式创建/编辑服务工单 +FCKeditorForMailing= 所见即所得地创建/编辑群发电子邮件(工具 -> 电子邮件) +FCKeditorForUserSignature=所见即所得地创建/编辑用户签名 +FCKeditorForMail=所见即所得地创建/编辑所有邮件(工具 -> 电子邮件 除外) +FCKeditorForTicket=所见即所得地创建/编辑服务工单 ##### Stock ##### StockSetup=库存模块设置 IfYouUsePointOfSaleCheckModule=如果您使用默认提供的销售点模块 (POS) 或外部模块,您的 POS 模块可能会忽略此设置。大多数 POS 模块默认设计为立即创建发票并减少库存,无论此处的选项如何。因此,如果您在从 POS 销售时需要或不需要减少库存,请检查您的 POS 模块设置。 @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=个性化菜单未链接到顶部菜单条目 NewMenu=新建菜单 MenuHandler=菜单处理程序 MenuModule=源模块 -HideUnauthorizedMenu=对内部用户隐藏未经授权的菜单(否则为变灰) +HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just grayed otherwise) DetailId=菜单编号 DetailMenuHandler=菜单处理程序 (决定何处显示新菜单) DetailMenuModule=模块名称 (如果菜单项来自模块) @@ -1802,7 +1815,7 @@ DetailType=菜单类型 (顶部或左侧) DetailTitre=翻译用的菜单标签或标签代码 DetailUrl=菜单发送给您的 URL (相对的 URL 链接或外部链接 https://) DetailEnabled=菜单是否显示的条件 -DetailRight=菜单显示为变灰禁用的条件 +DetailRight=Condition to display unauthorized gray menus DetailLangs=标签翻译使用的 .lang 文件名 DetailUser=内部 / 外部 / 全部 Target=目标 @@ -1863,11 +1876,12 @@ ClickToDialUseTelLinkDesc=如果您的用户有软件电话或软件界面,安 CashDesk=销售点 CashDeskSetup=销售点模块设置 CashDeskThirdPartyForSell=用于销售的默认通用合作方 -CashDeskBankAccountForSell=接收现金付款的默认帐户 -CashDeskBankAccountForCheque=用于接收支票付款的默认帐户 -CashDeskBankAccountForCB=接收信用卡支付的默认帐户 +CashDeskBankAccountForSell=接收现金付款的默认账户 +CashDeskBankAccountForCheque=用于接收支票付款的默认账户 +CashDeskBankAccountForCB=接收信用卡支付的默认账户 CashDeskBankAccountForSumup=用于接收 SumUp 付款的默认银行帐户 -CashDeskDoNotDecreaseStock=禁用POS模块销售时的库存减少功能(如果选择”否“,则无论库存模块设置如何,每一笔经过POS模块的销售都会减掉该商品的库存)。 +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=为减少库存而强制和限制仓库的使用 StockDecreaseForPointOfSaleDisabled=POS模块减少库存功能被禁用 StockDecreaseForPointOfSaleDisabledbyBatch=POS 中的库存减少与模块序列号/批号管理(当前处于活动状态)不兼容,因此库存减少已被禁用。 @@ -1970,6 +1984,7 @@ HighlightLinesOnMouseHover=当鼠标经过表格明细时高亮显示 HighlightLinesColor=鼠标经过时突出显示线条的颜色(使用 'ffffff' 不突出显示) HighlightLinesChecked=选中时突出显示线条的颜色(使用 'ffffff' 表示不突出显示) UseBorderOnTable=在表格上显示左右边框 +TableLineHeight=表格行高 BtnActionColor=操作按钮的颜色 TextBtnActionColor=操作按钮的文本颜色 TextTitleColor=页面标题的文字颜色 @@ -1991,7 +2006,7 @@ EnterAnyCode=此字段包含用于标识行的引用。输入您选择的任何 Enter0or1=输入 0 或 1 UnicodeCurrency=在大括号之间输入代表货币符号的字节数列表。例如:对于 $,输入 [36] - 对于巴西雷亚尔 R$ [82,36] - 对于 €,输入 [8364] ColorFormat=RGB颜色采用HEX格式,例如:FF0000 -PictoHelp=图标名称的格式:
      - image.png 用于将图像文件放入当前主题目录
      如果文件位于模块的目录 /img/ 中,- image.png@module
      - fa-xxx 用于 FontAwesome fa-xxx picto
      - FontAwesome fa-xxx picto 的 fonwtawesome_xxx_fa_color_size(带有前缀、颜色和大小设置) +PictoHelp=图标名称格式:
      - image.png 表示图像文件放入当前主题目录
      - image.png@module 如果文件位于模块
      - fa-xxx的 /img/ 目录中 表示 FontAwesome fa-xxx picto
      - fontawesome_xxx_fa_color_size 用于 FontAwesome fa-xxx 图片(带有前缀、颜色和大小集) PositionIntoComboList=行位置到组合列表中 SellTaxRate=销售税率 RecuperableOnly=适用于法国某些州的增值税“Not Perceived but Recoverable”是的。在所有其他情况下,将值保持为“否”。 @@ -2043,7 +2058,7 @@ AddRemoveTabs=添加或删除标签 AddDataTables=添加对象表 AddDictionaries=添加词典表 AddData=添加对象或词典数据 -AddBoxes=添加小工具 +AddBoxes=添加widget小组件 AddSheduledJobs=添加计划任务 AddHooks=添加钩子 AddTriggers=添加触发器 @@ -2082,7 +2097,7 @@ MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=隐藏报价申 MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=隐藏采购订单上的单位价格 MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=隐藏采购订单上的总价格 MAIN_PDF_NO_SENDER_FRAME=隐藏发件人地址框的边框 -MAIN_PDF_NO_RECIPENT_FRAME=隐藏收件人地址框的边框 +MAIN_PDF_NO_RECIPENT_FRAME=Hide borders on recipient address frame MAIN_PDF_HIDE_CUSTOMER_CODE=隐藏客户代码 MAIN_PDF_HIDE_SENDER_NAME=在地址块中隐藏发送人/公司名称 PROPOSAL_PDF_HIDE_PAYMENTTERM=隐藏付款条款 @@ -2112,13 +2127,13 @@ SwapSenderAndRecipientOnPDF=交换 PDF 文档上的发件人和收件人地址 FeatureSupportedOnTextFieldsOnly=警告,仅文本字段和组合列表支持的功能。此外,必须设置 URL 参数 action=create 或 action=edit 或页面名称必须以“new.php”结尾才能触发此功能。 EmailCollector=电子邮件收集器 EmailCollectors=电子邮件收集器 -EmailCollectorDescription=添加计划任务和设置页面以定期扫描电子邮件信箱(使用 IMAP 协议)并在正确的位置记录应用程序收到的电子邮件和/或自动创建一些记录(例如商机)。 +EmailCollectorDescription=添加一个计划任务和一个配置页面,用以定期扫描电子邮件信箱(使用 IMAP 协议),并在正确的位置将收到的电子邮件记录到您的应用程序中,和/或自动创建一些记录(例如商机)。 NewEmailCollector=新建电子邮件收集器 EMailHost=电子邮件 IMAP 服务器 EMailHostPort=电子邮件 IMAP 服务器的端口 loginPassword=登入/密码 oauthToken=OAuth2 令牌 -accessType=访问类型 +accessType=Access type oauthService=认证服务 TokenMustHaveBeenCreated=必须启用OAuth2模块,和必须使用正确的权限创建oauth2令牌(例如,Gmail的OAuth范围为"gmail_full") ImapEncryption = IMAP 加密方式 @@ -2140,13 +2155,13 @@ EmailCollectorHideMailHeaders=不要将邮件头的内容保存在已收集的 EmailCollectorHideMailHeadersHelp=启用后,电子邮件头不会添加到保存为日程事件的电子邮件内容的末尾。 EmailCollectorConfirmCollectTitle=电子邮件收集确认 EmailCollectorConfirmCollect=你想现在运行这个收集器吗? -EmailCollectorExampleToCollectTicketRequestsDesc=收集符合某些规则的电子邮件,并使用电子邮件信息自动创建服务工单(必须启用服务工单模块)。如果您通过电子邮件提供一些支持,则可以使用此收集器,因此您的服务工单请求将自动生成。同时激活 Collect_Responses 以直接在服务工单视图上收集客户的回复(您必须从 Dolibarr 回复)。 +EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email information. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). EmailCollectorExampleToCollectTicketRequests=收集服务工单需求的示例(仅限第一条消息) EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=扫描您的邮箱“已发送”目录以查找直接从您的电子邮件软件作为另一封电子邮件的答复而不是从 Dolibarr发送的电子邮件。如果找到这样的电子邮件,则将应答事件记录到 Dolibarr EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=收集从外部电子邮件软件发送的电子邮件回复的示例 EmailCollectorExampleToCollectDolibarrAnswersDesc=收集作为从您的应用程序发送的电子邮件的答复的所有电子邮件。带有电子邮件响应的事件(必须启用日程模块)将记录在合适的位置。例如,如果您从应用程序通过电子邮件发送报价单、订单、发票或服务工单消息,并且收件人回复了您的电子邮件,系统将自动捕获回复并将其添加到您的 ERP 中。 EmailCollectorExampleToCollectDolibarrAnswers=收集所有传入消息的示例,这些消息是从 Dolibarr 发送的消息的答复 -EmailCollectorExampleToCollectLeadsDesc=收集符合某些规则的电子邮件并使用电子邮件信息自动创建商机(必须启用项目模块)。如果您想使用项目模块(1 个商机 = 1 个项目)跟踪您的商机,您可以使用此收集器,因此您的商机将自动生成。如果收集器 Collect_Responses 也已启用,当您从商机、报价单或任何其他对象发送电子邮件时,您还可以直接在应用程序上看到客户或合作伙伴的回复。
      注意:在这个初始示例中,生成的商机标题包括电子邮件。如果在数据库中找不到合作方(新客户),则商机将附加到 ID 为 1 的合作方。 +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=收集商机的示例 EmailCollectorExampleToCollectJobCandidaturesDesc=收集申请工作机会的电子邮件(必须启用招聘模块)。如果您想为工作申请自动创建候选人资格,您可以完成此收集器。注意:在这个初始示例中,会生成候选人资格的标题,包括电子邮件。 EmailCollectorExampleToCollectJobCandidatures=收集通过电子邮件收到的求职者的示例 @@ -2188,10 +2203,10 @@ Protanopia=红眼病 Deuteranopes=氘核 Tritanopes=钛太粉 ThisValueCanOverwrittenOnUserLevel=每个用户都可以从其用户页面覆盖此值 - 选项卡“%s” -DefaultCustomerType=“新客户”创建表单的默认合作方类型 +DefaultCustomerType=“新建客户”创建表单的默认合作方类型 ABankAccountMustBeDefinedOnPaymentModeSetup=注意:必须在每种支付方式(Paypal,Stripe,...)的模块上定义银行帐户才能使此功能正常工作。 RootCategoryForProductsToSell=要销售的产品的根类别 -RootCategoryForProductsToSellDesc=如果已定义,在销售点(POS)中仅可以使用此类别内的产品或子产品 +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=调试栏 DebugBarDesc=带有大量工具的工具栏,可简化调试 DebugBarSetup=调试栏设置 @@ -2199,7 +2214,7 @@ GeneralOptions=常规选项 LogsLinesNumber=日志选项卡上显示的行数 UseDebugBar=使用调试栏 DEBUGBAR_LOGS_LINES_NUMBER=保留在控制台中的最新日志行数 -WarningValueHigherSlowsDramaticalyOutput=警告,较高的值会显着减慢输出 +WarningValueHigherSlowsDramaticalyOutput=警告,较高的值会严重降低输出速度 ModuleActivated=模块 %s 被激活并减慢了界面 ModuleActivatedWithTooHighLogLevel=模块 %s 以过高的日志记录级别激活(尝试使用较低级别以获得更好的性能和安全性) ModuleSyslogActivatedButLevelNotTooVerbose=模块 %s 已激活且日志级别 (%s) 正确(不太冗长) @@ -2212,10 +2227,10 @@ ImportSetup=模块 导入 设置 InstanceUniqueID=实例的唯一标识 SmallerThan=小于 LargerThan=大于 -IfTrackingIDFoundEventWillBeLinked=请注意,如果在电子邮件中找到对象的跟踪 ID,或者如果电子邮件是收集到的并链接到对象的电子邮件区域的答复,则创建的事件将自动链接到已知的相关对象。 -WithGMailYouCanCreateADedicatedPassword=如果您启用了 GMail 帐户的两步验证,需要为Dolibarr创建一个专用的应用密码,而不是使用您自己的来自 https://myaccount.google.com/ 的帐户密码。 -EmailCollectorTargetDir=成功处理电子邮件后,将其移动到另一个标签/目录可能是一种期望中的行为。只需在此处设置目录名称即可使用此功能(请勿在名称中使用特殊字符)。请注意,您还必须使用可以读/写的登录帐户。 -EmailCollectorLoadThirdPartyHelp=您可以使用此操作来使用电子邮件内容来查找并加载数据库中现有的合作方(搜索将在“id”、“name”、“name_alias”、“email”之间定义的属性上完成)。找到(或创建)的合作方将用于以下需要它的操作。
      例如,如果您想要创建一个合作方,其名称是从正文中的字符串“Name: name to find”中提取的,请使用发件人邮箱作为email,您可以这样设置参数字段:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s] *);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=警告:许多电子邮件服务器(例如 Gmail)在搜索字符串时会进行完整单词搜索,如果仅在单词中找到字符串的一部分,则不会返回结果。也出于这个原因,在搜索条件中使用特殊字符将被忽略,因为它们不是现有单词的一部分。
      要对某个单词进行排除搜索(如果未找到该单词,则返回电子邮件),您可以使用 !单词之前的字符(可能不适用于某些邮件服务器)。 EndPointFor=%s 的终点:%s DeleteEmailCollector=删除电子邮件收集器 @@ -2232,15 +2247,15 @@ EmailTemplate=电子邮件模板 EMailsWillHaveMessageID=电子邮件将具有与此语法匹配的标签“参考” PDF_SHOW_PROJECT=在文档上显示项目 ShowProjectLabel=项目标签 -PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=在合作方名称中包含别名 -THIRDPARTY_ALIAS=合作方名 - 合作方别名 -ALIAS_THIRDPARTY=合作方别名 - 合作方名 +PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=Include alias in third-party name +THIRDPARTY_ALIAS=Third-party name - Third-party alias +ALIAS_THIRDPARTY=Third-party alias - Third-party name PDFIn2Languages=以 2 种不同语言显示 PDF 中的标签(此功能可能不适用于某些语言) PDF_USE_ALSO_LANGUAGE_CODE=如果您想在同一个生成的 PDF 中以 2 种不同的语言复制 PDF 中的某些文本,则必须在此处设置第二种语言,以便生成的 PDF 将在同一页面中包含 2 种不同的语言:生成 PDF 时选择的一种和这个(只有少数 PDF 模板支持这一点)。留空为每个 PDF只有1种语言。 -PDF_USE_A=使用 PDF/A 格式而不是默认格式 PDF 生成 PDF 文档 +PDF_USE_A=Generate PDF documents with format PDF/A instead of default format PDF FafaIconSocialNetworksDesc=在此处输入 FontAwesome 图标的代码。如果你不知道什么是 FontAwesome,你可以使用通用值 fa-address-book。 -RssNote=注意:每个 RSS 源定义都提供一个小部件,您必须启用该小部件才能在看板中使用它 -JumpToBoxes=跳转到设置 -> 小根据 +RssNote=注意:每个 RSS 源定义都提供一个widget小组件,您必须启用该widget小组件才能在看板中使用它 +JumpToBoxes=跳转到 设置 -> widget小组件 MeasuringUnitTypeDesc=在这里使用像“大小”、“表面”、“体积”、“重量”、“时间”这样的值 MeasuringScaleDesc=比例是您必须移动小数部分以匹配默认参考单位的位数。对于“时间”单位类型,它是秒数。 80 到 99 之间的值是保留值。 TemplateAdded=模板已添加 @@ -2254,17 +2269,17 @@ YouMayFindSecurityAdviceHere=您可以在此处找到安全建议 ModuleActivatedMayExposeInformation=这个 PHP 扩展可能会暴露敏感数据。如果您不需要它,请禁用它。 ModuleActivatedDoNotUseInProduction=为开发设计的模块已启用。不要在生产环境中启用它。 CombinationsSeparator=产品组合的分隔符 -SeeLinkToOnlineDocumentation=有关示例,请参见顶部菜单上的在线文档链接 +SeeLinkToOnlineDocumentation=See link to online documentation on top menu for examples SHOW_SUBPRODUCT_REF_IN_PDF=如果使用了模块 %s 的特性“%s”,将在 PDF 上显示套件的子产品的详细信息。 AskThisIDToYourBank=请与您的银行联系以获取此 ID -AdvancedModeOnly=权限仅在高级权限模式下可用 +AdvancedModeOnly=Permission available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=任何用户都可以读取或写入 conf 文件。请只向 Web 服务器用户和组授予权限。 MailToSendEventOrganization=活动组织 MailToPartnership=合作伙伴 AGENDA_EVENT_DEFAULT_STATUS=从表单创建事件时的默认事件状态 YouShouldDisablePHPFunctions=您应该禁用 PHP 函数 -IfCLINotRequiredYouShouldDisablePHPFunctions=除非您需要在自定义代码中运行系统命令,否则您应该禁用 PHP 函数 -PHPFunctionsRequiredForCLI=出于 shell 用途(例如计划任务备份或运行防病毒程序),您必须保留 PHP 函数 +IfCLINotRequiredYouShouldDisablePHPFunctions=Unless you need to run system commands in custom code, you should disable PHP functions +PHPFunctionsRequiredForCLI=为了 shell 调用(如定时执行备份作业或运行防病毒程序),您必须保留 PHP 功能 NoWritableFilesFoundIntoRootDir=在您的根目录中没有找到常用程序的可写文件或目录(好) RecommendedValueIs=建议:%s Recommended=推荐 @@ -2327,7 +2342,7 @@ WebhookSetup = Webhook 设置 Settings = 设置 WebhookSetupPage = Webhook 设置页面 ShowQuickAddLink=在右上角的菜单中显示一个快速添加元素的按钮 - +ShowSearchAreaInTopMenu=Show the search area in the top menu HashForPing=用于 Ping 的哈希 ReadOnlyMode=实例是否处于“只读”模式 DEBUGBAR_USE_LOG_FILE=使用 dolibarr.log 文件捕获日志 @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=不适用于所有主题 NoName=无名 ShowAdvancedOptions= 显示高级选项 HideAdvancedoptions= 隐藏高级选项 -CIDLookupURL=该模块带来了一个 URL,外部工具可以使用该 URL 从其电话号码中获取合作方或联系人的名称。可使用的网址是: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 身份验证不适用于所有主机,并且必须已使用 OAUTH 模块在上游创建了具有正确权限的令牌 MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2 认证服务 DontForgetCreateTokenOauthMod=必须使用 OAUTH 模块在上游创建具有正确权限的令牌 -MAIN_MAIL_SMTPS_AUTH_TYPE=认证方式 +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=使用密码 UseOauth=使用 OAUTH 令牌 Images=图像 MaxNumberOfImagesInGetPost=在表单中提交的HTML字段中允许的最大图片数量 MaxNumberOfPostOnPublicPagesByIP=同一IP地址一个月内公共页面上的最大帖子数 -CIDLookupURL=该模块带来了一个 URL,外部工具可以使用该 URL 从其电话号码中获取合作方或联系人的名称。可使用的网址是: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=脚本是空的 ShowHideTheNRequests=显示/隐藏%sSQL请求 DefinedAPathForAntivirusCommandIntoSetup=定义一个杀毒程序的路径到%s @@ -2375,14 +2390,15 @@ TriggerCodeInfo=在这里输入必须生成网络请求帖子的触发代码 ( EditableWhenDraftOnly=如果不勾选,只有当对象在草稿状态时才能修改该值 CssOnEdit=编辑页面上的 CSS CssOnView=视图页面上的 CSS -CssOnList=列表上的 CSS +CssOnList=清单页面上的 CSS HelpCssOnEditDesc=编辑字段时使用的 CSS。
      示例:“minwiwdth100 maxwidth500 widthcentpercentminusx” HelpCssOnViewDesc=查看字段时使用的 CSS。 -HelpCssOnListDesc=当字段位于列表内时使用的 CSS。
      示例:“tdoverflowmax200” +HelpCssOnListDesc=当字段位于清单内时使用的 CSS。
      示例:“tdoverflowmax200” RECEPTION_PDF_HIDE_ORDERED=在生成的收货文档上隐藏订购数量 MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=在生成的收货文档上显示价格 WarningDisabled=警告已禁用 LimitsAndMitigation=访问限制和缓解 +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=仅限台式机 DesktopsAndSmartphones=台式机和智能手机 AllowOnlineSign=允许在线签名 @@ -2403,6 +2419,24 @@ Defaultfortype=默认 DefaultForTypeDesc=为模板类型创建新电子邮件时默认使用的模板 OptionXShouldBeEnabledInModuleY=选项“ %s ”应在模块%s 中被启用 OptionXIsCorrectlyEnabledInModuleY=选项“ %s ”已在模块 %s 中被启用 +AllowOnLineSign=允许在线签名 AtBottomOfPage=在页面底部 FailedAuth=认证失败 MaxNumberOfFailedAuth=达到最大认证失败次数后,将在 24 小时内拒绝登录。 +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=自定义属性(发票模板) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/zh_CN/bills.lang b/htdocs/langs/zh_CN/bills.lang index ec6f5a1daae..3d448fa5e70 100644 --- a/htdocs/langs/zh_CN/bills.lang +++ b/htdocs/langs/zh_CN/bills.lang @@ -1,61 +1,61 @@ # Dolibarr language file - Source file is en_US - bills Bill=发票 Bills=发票 -BillsCustomers=顾客发票 +BillsCustomers=客户发票 BillsCustomer=客户发票 BillsSuppliers=供应商发票 -BillsCustomersUnpaid=未付款顾客发票 -BillsCustomersUnpaidForCompany=%s的未付款顾客发票 +BillsCustomersUnpaid=未付款的客户发票 +BillsCustomersUnpaidForCompany=%s 的未付款客户发票 BillsSuppliersUnpaid=未付款的供应商发票 BillsSuppliersUnpaidForCompany=%s 的未付款供应商发票 BillsLate=逾期付款 BillsStatistics=客户发票统计 BillsStatisticsSuppliers=供应商发票统计 -DisabledBecauseDispatchedInBookkeeping=已禁用,因为发票已发送到簿记中 -DisabledBecauseNotLastInvoice=禁用,因为发票不可擦除。在此之后记录了一些发票,它将在柜台上创建漏洞。 -DisabledBecauseNotLastSituationInvoice=由于发票不可擦除而被禁用。该发票不是形式发票周期中的最后一张发票。 -DisabledBecauseNotErasable=禁止删除 +DisabledBecauseDispatchedInBookkeeping=已禁用,因发票已发送到记账簿中 +DisabledBecauseNotLastInvoice=已禁用,因为发票不可擦除。有些发票是在此之后录入的,这会造成计数器泄漏。 +DisabledBecauseNotLastSituationInvoice=已禁用,因为发票不可擦除。该发票不是形势发票周期中的最后一张发票。 +DisabledBecauseNotErasable=已禁用,因为无法擦除 InvoiceStandard=标准发票 InvoiceStandardAsk=标准发票 -InvoiceStandardDesc=这种发票是一种常见的发票。 +InvoiceStandardDesc=这种发票就是普通发票。 InvoiceStandardShort=标准 -InvoiceDeposit=首付发票 -InvoiceDepositAsk=首付发票 -InvoiceDepositDesc=这种发票是在收到预付款时完成的。 +InvoiceDeposit=预付款发票 +InvoiceDepositAsk=预付款发票 +InvoiceDepositDesc=这种发票是在收到预付款后开具的。 InvoiceProForma=形式发票 InvoiceProFormaAsk=形式发票 -InvoiceProFormaDesc=形式发票是发票的形式,但其没有真正的会计价值。 -InvoiceReplacement=更换发票 -InvoiceReplacementShort=替代品 -InvoiceReplacementAsk=为发票更换发票 -InvoiceReplacementDesc= 替换发票 用于完全替换尚未收到付款的发票。

      注意:只能更换未付款的发票。如果您替换的发票尚未关闭,它将自动关闭为“放弃”。 -InvoiceAvoir=贷项通知 -InvoiceAvoirAsk=更正发票的贷项通知 -InvoiceAvoirDesc=贷项通知是一张负数的发票,用于更正发票显示的金额与实际支付的金额不同的事实(例如,客户错误地支付了过多的金额,或者由于一些产品被退回而不会支付全部金额)。 -invoiceAvoirWithLines=使用原始发票中的行创建贷项通知 -invoiceAvoirWithPaymentRestAmount=使用剩余未付原始发票创建贷项通知 -invoiceAvoirLineWithPaymentRestAmount=剩余未付金额的贷项通知 -ReplaceInvoice=替换%s的发票 -ReplacementInvoice=更换发票 -ReplacedByInvoice=被发票 %s 替换 -ReplacementByInvoice=被发票替换 +InvoiceProFormaDesc=形式发票是真实发票的镜像,但没有会计价值。 +InvoiceReplacement=替换发票 +InvoiceReplacementShort=替换 +InvoiceReplacementAsk=替换发票的发票 +InvoiceReplacementDesc=替换发票用于完全替换尚未收到付款的发票。

      注意:只能更换未付款的发票。如果您替换的发票尚未关闭,它将被自动关闭到“已放弃”状态。 +InvoiceAvoir=贷项凭单 +InvoiceAvoirAsk=更正发票的贷项凭单 +InvoiceAvoirDesc=贷项凭单是一张金额为负的发票,用于纠正发票显示金额与实际付款金额不同的事实(例如,客户错误地支付了过多的金额,或者由于某些产品被退回而不会支付全部金额)。 +invoiceAvoirWithLines=使用原始发票中的行创建贷项凭单 +invoiceAvoirWithPaymentRestAmount=使用原始发票中的剩余未付创建贷项凭单 +invoiceAvoirLineWithPaymentRestAmount=剩余未付金额的贷项凭单 +ReplaceInvoice=替换发票 %s +ReplacementInvoice=替换发票 +ReplacedByInvoice=已替换为发票 %s +ReplacementByInvoice=已替换为发票 CorrectInvoice=更正发票%s -CorrectionInvoice=发票的更正 -UsedByInvoice=用于支付发票%s的 -ConsumedBy=消耗 -NotConsumed=不消耗 -NoReplacableInvoice=不可更换发票 -NoInvoiceToCorrect=没有发票,以纠正 -InvoiceHasAvoir=是一张或多张贷项通知的来源 -CardBill=发票信息 -PredefinedInvoices=预定义的发票 +CorrectionInvoice=更正发票 +UsedByInvoice=被用于支付发票%s +ConsumedBy=消费于 +NotConsumed=未消费 +NoReplacableInvoice=没有可替换发票 +NoInvoiceToCorrect=没有发票需要更正 +InvoiceHasAvoir=是一张或多张贷项凭单的来源 +CardBill=发票 +PredefinedInvoices=预定义发票 Invoice=发票 PdfInvoiceTitle=发票 Invoices=发票 -InvoiceLine=发票线 +InvoiceLine=发票行 InvoiceCustomer=客户发票 CustomerInvoice=客户发票 -CustomersInvoices=顾客发票 +CustomersInvoices=客户发票 SupplierInvoice=供应商发票 SuppliersInvoices=供应商发票 SupplierInvoiceLines=供应商发票行 @@ -66,20 +66,20 @@ PaymentBack=退款 CustomerInvoicePaymentBack=退款 Payments=付款 PaymentsBack=退款 -paymentInInvoiceCurrency=在发票货币 -PaidBack=已退款 +paymentInInvoiceCurrency=发票币种 +PaidBack=付款退回 DeletePayment=删除付款 ConfirmDeletePayment=您确定要删除此付款吗? -ConfirmConvertToReduc=您想将此%s转换为可用积分吗? +ConfirmConvertToReduc=您确定要将 %s 转换为可用的贷项凭单吗? ConfirmConvertToReduc2=该金额将保存在所有折扣中,并可用作该客户当前或未来发票的折扣。 -ConfirmConvertToReducSupplier=您想将此%s转换为可用积分吗? +ConfirmConvertToReducSupplier=您确定要将 %s 转换为可用的贷项凭单吗? ConfirmConvertToReducSupplier2=该金额将保存在所有折扣中,并可用作该供应商当前或未来发票的折扣。 SupplierPayments=供应商付款 -ReceivedPayments=收到的付款 -ReceivedCustomersPayments=收到客户付款 +ReceivedPayments=已收到付款 +ReceivedCustomersPayments=从客户处收到的付款 PayedSuppliersPayments=支付给供应商的款项 -ReceivedCustomersPaymentsToValid=收到需要确认的客户付款 -PaymentsReportsForYear=客户 %s 的付款报告 +ReceivedCustomersPaymentsToValid=收到客户付款进行验证 +PaymentsReportsForYear=%s 的付款报表 PaymentsReports=付款报表 PaymentsAlreadyDone=付款已完成 PaymentsBackAlreadyDone=退款已完成 @@ -88,26 +88,26 @@ PaymentMode=付款方式 PaymentModes=付款方式 DefaultPaymentMode=默认付款方式 DefaultBankAccount=默认银行账户 -IdPaymentMode=付款方式(id) +IdPaymentMode=付款方式(ID) CodePaymentMode=付款方式(代码) -LabelPaymentMode=付款方式(标签) +LabelPaymentMode=付款方式(称谓) PaymentModeShort=付款方式 PaymentTerm=付款期限 PaymentConditions=付款期限 PaymentConditionsShort=付款期限 PaymentAmount=付款金额 PaymentHigherThanReminderToPay=付款金额比需要支付的金额高 -HelpPaymentHigherThanReminderToPay=请注意,一张或多张账单的付款金额高于未付金额。
      编辑您的条目,否则请确认并考虑为每张多付发票收到的超额部分创建贷项通知。 -HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
      Edit your entry, otherwise confirm and consider creating a credit note for the excess paid for each overpaid invoice. -ClassifyPaid=归类为“已支付” +HelpPaymentHigherThanReminderToPay=请注意,一张或多张发票的付款金额高于应付金额
      请修改您录入的付款,否则请确认并考虑为每张多付款发票的超额金额创建贷项凭单。 +HelpPaymentHigherThanReminderToPaySupplier=请注意,一张或多张发票的付款金额高于应付金额
      请修改您录入的付款,否则请确认并考虑为每张多付款发票的超额金额创建贷项凭单。 +ClassifyPaid=归类为“已付款” ClassifyUnPaid=归类为“未付款” -ClassifyPaidPartially=归类为“部分支付” -ClassifyCanceled=归类为“已放弃” +ClassifyPaidPartially=归类为“部分付款” +ClassifyCanceled=归类为“已废弃” ClassifyClosed=归类为“已关闭” ClassifyUnBilled=归类“未开票” CreateBill=创建发票 -CreateCreditNote=创建贷项通知 -AddBill=创建发票或贷项通知 +CreateCreditNote=创建贷项凭单 +AddBill=创建发票或贷项凭单 AddToDraftInvoices=添加到发票草稿 DeleteBill=删除发票 SearchACustomerInvoice=搜索客户发票 @@ -116,59 +116,59 @@ CancelBill=取消发票 SendRemindByMail=通过电子邮件发送提醒 DoPayment=输入付款 DoPaymentBack=输入退款 -ConvertToReduc=标记为可用信用 -ConvertExcessReceivedToReduc=将超出的收入转换为可用信用 +ConvertToReduc=标记为可用的贷项凭单 +ConvertExcessReceivedToReduc=将收到的超额付款转换为可用的贷项凭单 ConvertExcessPaidToReduc=将超额付款转换为可用折扣 -EnterPaymentReceivedFromCustomer=输入从客户收到的付款 -EnterPaymentDueToCustomer=为客户创建付款延迟 -DisabledBecauseRemainderToPayIsZero=禁用,因为未支付金额为0 +EnterPaymentReceivedFromCustomer=输入从客户处收到的付款 +EnterPaymentDueToCustomer=应收客户付款 +DisabledBecauseRemainderToPayIsZero=已禁用,因未付余额为零 PriceBase=底价 BillStatus=发票状态 -StatusOfGeneratedInvoices=生成的发票的状态 +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=草案(需要确认) -BillStatusPaid=已支付 -BillStatusPaidBackOrConverted=可用贷项通知退款或计入贷项 +BillStatusPaid=已付款 +BillStatusPaidBackOrConverted=可按贷项凭单金额退款或转换为可用折扣 BillStatusConverted=已付款(可在最终发票中消费) -BillStatusCanceled=已丢弃 -BillStatusValidated=已确认 (需要付款) -BillStatusStarted=开始 -BillStatusNotPaid=未支付 -BillStatusNotRefunded=没有退款 -BillStatusClosedUnpaid=已关闭 (未支付) -BillStatusClosedPaidPartially=已支付 (部分) +BillStatusCanceled=已废弃 +BillStatusValidated=已确认(需付款) +BillStatusStarted=已开始 +BillStatusNotPaid=未付款 +BillStatusNotRefunded=尚未退款 +BillStatusClosedUnpaid=已关闭(未付款) +BillStatusClosedPaidPartially=已付款(部分) BillShortStatusDraft=草稿 -BillShortStatusPaid=已支付 -BillShortStatusPaidBackOrConverted=Refunded or converted -Refunded=Refunded -BillShortStatusConverted=已支付 -BillShortStatusCanceled=已丢弃 +BillShortStatusPaid=已付款 +BillShortStatusPaidBackOrConverted=退款或转换 +Refunded=已退款 +BillShortStatusConverted=已付款 +BillShortStatusCanceled=已废弃 BillShortStatusValidated=已确认 -BillShortStatusStarted=开始 -BillShortStatusNotPaid=未支付 -BillShortStatusNotRefunded=没有退款 -BillShortStatusClosedUnpaid=禁用 -BillShortStatusClosedPaidPartially=已支付 (部分) +BillShortStatusStarted=已开始 +BillShortStatusNotPaid=未付款 +BillShortStatusNotRefunded=尚未退款 +BillShortStatusClosedUnpaid=已关闭 +BillShortStatusClosedPaidPartially=已付款(部分) PaymentStatusToValidShort=需要确认 -ErrorVATIntraNotConfigured=Intra-Community VAT number not yet defined -ErrorNoPaiementModeConfigured=No default payment type defined. Go to Invoice module setup to fix this. -ErrorCreateBankAccount=Create a bank account, then go to Setup panel of Invoice module to define payment types -ErrorBillNotFound=发票%s不存在 -ErrorInvoiceAlreadyReplaced=Error, you tried to validate an invoice to replace invoice %s. But this one has already been replaced by invoice %s. -ErrorDiscountAlreadyUsed=错误,已经使用优惠 -ErrorInvoiceAvoirMustBeNegative=错误,这种类型的发票必须有一个负数 -ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have an amount excluding tax positive (or null) -ErrorCantCancelIfReplacementInvoiceNotValidated=错误,无法取消一个已经被处于草稿状态发票替代的发票 -ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=This part or another is already used so discount series cannot be removed. -ErrorInvoiceIsNotLastOfSameType=Error: The date of invoice %s is %s. It must be posterior or equal to last date for same type invoices (%s). Please change the invoice date. +ErrorVATIntraNotConfigured=尚未定义共同体内部增值税编号 +ErrorNoPaiementModeConfigured=未定义默认付款类型。请前往发票模块设置来修复此问题。 +ErrorCreateBankAccount=创建一个银行账户,然后进入发票模块的设置页来定义付款类型 +ErrorBillNotFound=发票 %s 不存在 +ErrorInvoiceAlreadyReplaced=错误,您尝试提交新发票去替换旧发票 %s 。但此旧发票已经被发票 %s 替换了。 +ErrorDiscountAlreadyUsed=错误,折扣已被使用过了 +ErrorInvoiceAvoirMustBeNegative=错误,正确的发票金额必须为负数 +ErrorInvoiceOfThisTypeMustBePositive=错误,此类发票的不含税金额必须为正(或为空) +ErrorCantCancelIfReplacementInvoiceNotValidated=错误,无法取消发票,因为其已被处于草稿状态的另一张发票所替换 +ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=本部分或其他部分已被使用,因此无法删除折扣系列。 +ErrorInvoiceIsNotLastOfSameType=错误:发票 %s 的开票日期为 %s。它必须晚于或等于相同类型发票(%s)的最后日期。请更改发票日期。 BillFrom=发送方 BillTo=接收方 ShippingTo=货物运输到 ActionsOnBill=对发票采取的操作 ActionsOnBillRec=对定期发票采取的操作 -RecurringInvoiceTemplate=模板/重复发票 -NoQualifiedRecurringInvoiceTemplateFound=没有经常生成的模板发票。 -FoundXQualifiedRecurringInvoiceTemplate=找到%s经常生效的模板发票。 -NotARecurringInvoiceTemplate=不是定期模板发票 +RecurringInvoiceTemplate=模板/定期发票 +NoQualifiedRecurringInvoiceTemplateFound=没有符合生成条件的定期发票模板。 +FoundXQualifiedRecurringInvoiceTemplate=%s 符合生成条件的定期发票模板。 +NotARecurringInvoiceTemplate=没有定期发票模板 NewBill=新建发票 LastBills=最近新增的 %s 张发票 LatestTemplateInvoices=最近新增的 %s 张发票模板 @@ -177,102 +177,103 @@ LatestSupplierTemplateInvoices=最近新增的 %s 张供应商发票模板 LastCustomersBills=最近新增的 %s 张客户发票 LastSuppliersBills=最近新增的 %s 张供应商发票 AllBills=全部发票 -AllCustomerTemplateInvoices=所有模板发票 +AllCustomerTemplateInvoices=全部发票模板 OtherBills=其他发票 DraftBills=发票草稿 -CustomersDraftInvoices=顾客草稿发票 -SuppliersDraftInvoices=供应商草稿发票 -Unpaid=未付 -ErrorNoPaymentDefined=Error No payment defined +CustomersDraftInvoices=客户发票草稿 +SuppliersDraftInvoices=供应商草稿草稿 +Unpaid=未付款 +ErrorNoPaymentDefined=错误!未定义付款 ConfirmDeleteBill=您确定要删除此发票吗? -ConfirmValidateBill=您确定要参考 %s 验证此发票吗? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=您确定要将发票 %s 更改为草稿状态吗? ConfirmClassifyPaidBill=您确定要将发票 %s 更改为已付款状态吗? ConfirmCancelBill=你确定要取消发票%s吗 ? -ConfirmCancelBillQuestion=为什么要将此发票分类为“废弃”? -ConfirmClassifyPaidPartially=你确定要将发票%s更改为已支付状态吗? -ConfirmClassifyPaidPartiallyQuestion=This invoice has not been paid completely. What is the reason for closing this invoice? -ConfirmClassifyPaidPartiallyReasonAvoir=剩余未付款 (%s %s) 是一项折扣,因为付款是在期限前完成。我通过贷项通知规范增值税。 -ConfirmClassifyPaidPartiallyReasonDiscount=剩余未付款(%s %s)是一项折扣,因为付款是在期限前完成。 -ConfirmClassifyPaidPartiallyReasonDiscountNoVat=剩余未付款(%s %s)是一项折扣,因为付款是在期限前完成。我接受失去这个折扣的增值税。 -ConfirmClassifyPaidPartiallyReasonDiscountVat=剩余未付款 (%s %s) 是一项折扣,因为付款是在期限前完成。我在没有贷项通知的情况下收回了此折扣的增值税。 -ConfirmClassifyPaidPartiallyReasonBadCustomer=坏顾客 +ConfirmCancelBillQuestion=您为何要将这张发票归类为“已废弃”? +ConfirmClassifyPaidPartially=您确定要将发票%s更改为已付款状态吗? +ConfirmClassifyPaidPartiallyQuestion=该发票尚未完全付款。关闭此发票的原因是什么? +ConfirmClassifyPaidPartiallyReasonAvoir=未付余额(%s %s) 是给予的折扣,因为付款是在期限之前完成的。我司通过贷项凭单规范增值税。 +ConfirmClassifyPaidPartiallyReasonDiscount=未付余额(%s %s) 是给予的折扣,因为付款是在期限之前完成的。 +ConfirmClassifyPaidPartiallyReasonDiscountNoVat=未付余额(%s %s) 是给予的折扣,因为付款是在期限之前完成的。我司接受此折扣不加增值税。 +ConfirmClassifyPaidPartiallyReasonDiscountVat=未付余额 (%s %s) 是给予的折扣,因为付款是在期限之前完成的。我司在没有贷项凭单的情况下收回了此折扣的增值税。 +ConfirmClassifyPaidPartiallyReasonBadCustomer=不良客户 ConfirmClassifyPaidPartiallyReasonBadSupplier=不良供应商 -ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) -ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax +ConfirmClassifyPaidPartiallyReasonBankCharge=银行扣款(中介银行费用) +ConfirmClassifyPaidPartiallyReasonWithholdingTax=预提税 ConfirmClassifyPaidPartiallyReasonProductReturned=产品部分退回 -ConfirmClassifyPaidPartiallyReasonOther=因其他原因而放弃余额 -ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=This choice is possible if your invoice has been provided with suitable comments. (Example «Only the tax corresponding to the price that has been actually paid gives rights to deduction») -ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=In some countries, this choice might be possible only if your invoice contains correct notes. -ConfirmClassifyPaidPartiallyReasonAvoirDesc=使用这个选择,如果所有其他不适合 -ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=A bad customer is a customer that refuses to pay his debt. -ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=这个选择是付款时使用的是不完整的,因为一些产品被退回 -ConfirmClassifyPaidPartiallyReasonBankChargeDesc=The unpaid amount is intermediary bank fees, deducted directly from the correct amount paid by the Customer. -ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax -ConfirmClassifyPaidPartiallyReasonOtherDesc=如果所有其他选项都不适合,请使用此选项,例如在以下情况下:
      - 付款未完成,因为某些产品被运回
      - 索赔金额太重要,因为忘记了折扣
      在所有情况下,必须通过创建贷方票据在会计系统中更正多报的金额。 -ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=A bad supplier is a supplier we refuse to pay. +ConfirmClassifyPaidPartiallyReasonOther=因其他原因放弃的金额 +ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=如果您的发票已提供适当的注释,则可以选择此选项。 (例如:“只有与实际支付的价格相对应的税款才有权扣除”) +ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=在某些国家/地区,只有当您的发票包含正确的注释时,才可以选择此选项。 +ConfirmClassifyPaidPartiallyReasonAvoirDesc=如果所有其他选项都不适合,请使用此选项 +ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=不良客户是指拒绝偿还债务的客户。 +ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=当由于部分产品被退回而导致付款未完成时,请使用此选项 +ConfirmClassifyPaidPartiallyReasonBankChargeDesc=未付金额为中介银行费用,直接从客户支付的正确金额中扣除。 +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=未付金额将永远不会被支付,因为它是预提税 +ConfirmClassifyPaidPartiallyReasonOtherDesc=如果所有其他选项都不适合,请使用此选项,例如在以下场景中:
      - 由于某些产品被退回,从而不应按发票金额收款
      - 由于忘记了应用折扣,从而导致发票金额超额
      在任何情况下,都必须在会计系统中通过创建贷项凭单来更正发票金额的超额。 +ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=不良供应商是被我们拒绝付款的供应商。 ConfirmClassifyAbandonReasonOther=其他 -ConfirmClassifyAbandonReasonOtherDesc=这一选择将用于所有的其他情形。例如,因为你要创建一个替代发票。 -ConfirmCustomerPayment=您确认 %s %s的付款输入? -ConfirmSupplierPayment=你确认这笔%s %s的支付吗? -ConfirmValidatePayment=您确定要验证此付款吗?付款验证后,无法进行任何更改。 +ConfirmClassifyAbandonReasonOtherDesc=此选项将用于所有其他情况。例如,因为您计划创建替换发票。 +ConfirmCustomerPayment=您确认为 %s%s 录入的付款吗? +ConfirmSupplierPayment=您确认为 %s%s 录入的付款吗? +ConfirmValidatePayment=您确定要验证此付款吗?付款验证之后,将无法进行任何变更。 ValidateBill=确认发票 -UnvalidateBill=取消确认发票 -NumberOfBills=No. of invoices -NumberOfBillsByMonth=No. of invoices per month +UnvalidateBill=Invalidate invoice +NumberOfBills=发票号 +NumberOfBillsByMonth=每月发票号 AmountOfBills=发票金额 -AmountOfBillsHT=Amount of invoices (net of tax) -AmountOfBillsByMonthHT=按月发票金额 (税后) -UseSituationInvoices=Allow situation invoice -UseSituationInvoicesCreditNote=Allow situation invoice credit note -Retainedwarranty=Retained warranty -AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices -RetainedwarrantyDefaultPercent=Retained warranty default percent -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation -ToPayOn=To pay on %s -toPayOn=to pay on %s -RetainedWarranty=Retained Warranty +AmountOfBillsHT=发票金额(不含税) +AmountOfBillsByMonthHT=按月统计的发票金额(不含税) +UseSituationInvoices=允许形势发票 +UseSituationInvoicesCreditNote=允许形势发票贷项凭单 +Retainedwarranty=保留保修 +AllowedInvoiceForRetainedWarranty=保留保修可用于以下类型的发票 +RetainedwarrantyDefaultPercent=保留保修默认百分比 +RetainedwarrantyOnlyForSituation=使“保留保修”仅适用于形势发票 +RetainedwarrantyOnlyForSituationFinal=在形势发票上,全局“保留保修”扣除仅适用于最终形势 +ToPayOn=支付%s +toPayOn=支付%s +RetainedWarranty=保留保修 PaymentConditionsShortRetainedWarranty=保留保修付款期限 DefaultPaymentConditionsRetainedWarranty=默认保留保修付款期限 setPaymentConditionsShortRetainedWarranty=设置保留保修付款期限 -setretainedwarranty=Set retained warranty -setretainedwarrantyDateLimit=Set retained warranty date limit -RetainedWarrantyDateLimit=Retained warranty date limit -RetainedWarrantyNeed100Percent=The situation invoice need to be at 100%% progress to be displayed on PDF -AlreadyPaid=已支付 -AlreadyPaidBack=已支付 -AlreadyPaidNoCreditNotesNoDeposits=已经支付(没有贷项通知和预付款) -Abandoned=已丢弃 -RemainderToPay=未付金额 -RemainderToPayMulticurrency=Remaining unpaid, original currency -RemainderToTake=应付金额 -RemainderToTakeMulticurrency=Remaining amount to take, original currency -RemainderToPayBack=剩余金额退款 -RemainderToPayBackMulticurrency=Remaining amount to refund, original currency -NegativeIfExcessRefunded=negative if excess refunded +setretainedwarranty=设置保留保修 +setretainedwarrantyDateLimit=设置保留保修日期限制 +RetainedWarrantyDateLimit=保留保修日期限制 +RetainedWarrantyNeed100Percent=形势发票需要达到 100%% 进度才能以 PDF 形式显示 +AlreadyPaid=已付款 +AlreadyPaidBack=已退回付款 +AlreadyPaidNoCreditNotesNoDeposits=已付款(不含贷项凭单和预付款) +Abandoned=已废弃 +RemainderToPay=未付余额 +RemainderToPayMulticurrency=未付余额,原币种 +RemainderToTake=应付余额 +RemainderToTakeMulticurrency=应付余额,原币种 +RemainderToPayBack=应付余额退款 +RemainderToPayBackMulticurrency=应付余额退款,原币种 +NegativeIfExcessReceived=如果超额收款则为负数 +NegativeIfExcessRefunded=如果超额退款则为负数 +NegativeIfExcessPaid=negative if excess paid Rest=待办 -AmountExpected=索赔额 -ExcessReceived=找零 -ExcessReceivedMulticurrency=收到的超额部分,原币 -NegativeIfExcessReceived=如果收到超额则为负 +AmountExpected=要求金额 +ExcessReceived=超额收款 +ExcessReceivedMulticurrency=超额收款,原币种 ExcessPaid=超额付款 -ExcessPaidMulticurrency=Excess paid, original currency -EscompteOffered=提供折扣(期限前付款) +ExcessPaidMulticurrency=超额付款,原币种 +EscompteOffered=已提供折扣(付款日前付款) EscompteOfferedShort=折扣 -SendBillRef=发票 %s 的提交 -SendReminderBillRef=发票 %s 的提交 (提醒) +SendBillRef=提交发票 %s +SendReminderBillRef=提交发票 %s(提醒) SendPaymentReceipt=提交付款收据%s NoDraftBills=没有发票草稿 NoOtherDraftBills=没有其他发票草稿 NoDraftInvoices=没有发票草稿 RefBill=发票号 -ToBill=待付款 -RemainderToBill=其余部分法案 +ToBill=开具账单 +RemainderToBill=剩余的账单 SendBillByMail=通过电子邮件发送发票 SendReminderBillByMail=通过电子邮件发送提醒 -RelatedCommercialProposals=相关报价 -RelatedRecurringCustomerInvoices=再次关联客户发票 +RelatedCommercialProposals=关联的报价单 +RelatedRecurringCustomerInvoices=关联的定期客户发票 MenuToValid=需要确认 DateMaxPayment=付款到期 DateInvoice=发票日期 @@ -281,151 +282,151 @@ NoInvoice=没有发票 NoOpenInvoice=没有未完成的发票 NbOfOpenInvoices=未完成的发票数量 ClassifyBill=分类发票 -SupplierBillsToPay=未支付的供应商发票 -CustomerBillsUnpaid=未付款顾客发票 +SupplierBillsToPay=未付款的供应商发票 +CustomerBillsUnpaid=未付款的客户发票 NonPercuRecuperable=非可收回 SetConditions=设置付款期限 -SetMode=Set Payment Type +SetMode=设置付款类型 SetRevenuStamp=设置印花税 -Billed=帐单 +Billed=已开票 RecurringInvoices=定期发票 -RecurringInvoice=Recurring invoice -RecurringInvoiceSource=Source recurring invoice -RepeatableInvoice=模板发票 -RepeatableInvoices=模板发票 -RecurringInvoicesJob=Generation of recurring invoices (sales invoices) -RecurringSupplierInvoicesJob=Generation of recurring invoices (purchase invoices) +RecurringInvoice=定期发票 +RecurringInvoiceSource=源定期发票 +RepeatableInvoice=发票模板 +RepeatableInvoices=发票模板 +RecurringInvoicesJob=生成定期发票(销售发票) +RecurringSupplierInvoicesJob=生成定期发票(采购发票) Repeatable=模板 Repeatables=模板 -ChangeIntoRepeatableInvoice=转换为模板发票 -CreateRepeatableInvoice=创建模板发票 -CreateFromRepeatableInvoice=从模板发票创建 -CustomersInvoicesAndInvoiceLines=Customer invoices and invoice details -CustomersInvoicesAndPayments=客户发票和付款 -ExportDataset_invoice_1=Customer invoices and invoice details +ChangeIntoRepeatableInvoice=转换为发票模板 +CreateRepeatableInvoice=创建发票模板 +CreateFromRepeatableInvoice=从模板创建发票 +CustomersInvoicesAndInvoiceLines=客户发票与发票明细 +CustomersInvoicesAndPayments=客户发票与付款 +ExportDataset_invoice_1=客户发票与发票明细 ExportDataset_invoice_2=客户发票和付款 ProformaBill=形式发票: Reduction=降价 -ReductionShort=Disc. +ReductionShort=折扣 Reductions=降价 -ReductionsShort=Disc. +ReductionsShort=折扣 Discounts=折扣 -AddDiscount=添加折扣 +AddDiscount=创建折扣 AddRelativeDiscount=创建相对折扣 EditRelativeDiscount=编辑相对折扣 -AddGlobalDiscount=添加折扣 +AddGlobalDiscount=创建绝对折扣 EditGlobalDiscounts=编辑绝对折扣 -AddCreditNote=创建信用记录 +AddCreditNote=创建贷项凭单 ShowDiscount=显示折扣 -ShowReduc=Show the discount -ShowSourceInvoice=Show the source invoice +ShowReduc=显示折扣 +ShowSourceInvoice=显示源发票 RelativeDiscount=相对折扣 -GlobalDiscount=全球折扣 -CreditNote=信用记录 -CreditNotes=信用记录 -CreditNotesOrExcessReceived=贷项通知或超额收到 -Deposit=首付 -Deposits=首付 -DiscountFromCreditNote=从信用记录折扣 %s -DiscountFromDeposit=发票%s的预付款 -DiscountFromExcessReceived=付款超过发票%s -DiscountFromExcessPaid=付款超过发票%s -AbsoluteDiscountUse=这种信用值可以在发票被确认前使用 -CreditNoteDepositUse=必须验证发票才能使用此类信用 -NewGlobalDiscount=新的绝对折扣 -NewSupplierGlobalDiscount=New absolute supplier discount -NewClientGlobalDiscount=New absolute client discount -NewRelativeDiscount=新的相对折扣 +GlobalDiscount=全局折扣 +CreditNote=贷项凭单 +CreditNotes=贷项凭单 +CreditNotesOrExcessReceived=贷项凭单或超额收款 +Deposit=预付款 +Deposits=预付款 +DiscountFromCreditNote=折扣来自贷项凭单 %s +DiscountFromDeposit=预付款来自发票 %s +DiscountFromExcessReceived=发票 %s 超额付款 +DiscountFromExcessPaid=发票 %s 超额付款 +AbsoluteDiscountUse=这种贷项凭单可以在发票被确认之前使用 +CreditNoteDepositUse=发票必须经过确认才能使用此类贷项凭单 +NewGlobalDiscount=新建绝对折扣 +NewSupplierGlobalDiscount=新建供应商绝对折扣 +NewClientGlobalDiscount=新建客户绝对折扣 +NewRelativeDiscount=新建相对折扣 DiscountType=折扣类型 NoteReason=备注/原因 ReasonDiscount=原因 DiscountOfferedBy=授予人 -DiscountStillRemaining=提供折扣或积分 -DiscountAlreadyCounted=已消费的折扣或积分 +DiscountStillRemaining=可用折扣或贷项凭单 +DiscountAlreadyCounted=已消费的折扣或贷项凭单 CustomerDiscounts=客户折扣 SupplierDiscounts=供应商折扣 -BillAddress=账单地址 +BillAddress=帐单地址 HelpEscompte=此折扣是由于在期限前付款而给予客户的折扣。 -HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loss. -HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by another for example) +HelpAbandonBadCustomer=这笔款项已被放弃(客户被视为不良客户),并被视为异常损失。 +HelpAbandonOther=该款项已被放弃,因为发票有错误(例如客户错误或发票已被另一发票替换) IdSocialContribution=财政税/增值税代码 -PaymentId=付款编号 +PaymentId=付款 ID PaymentRef=付款编号 -InvoiceId=发票编号 +InvoiceId=发票 ID InvoiceRef=发票编号 -InvoiceDateCreation=发票的创建日期 +InvoiceDateCreation=发票创建日期 InvoiceStatus=发票状态 -InvoiceNote=发票说明 -InvoicePaid=发票已经支付 -InvoicePaidCompletely=Paid completely -InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. -OrderBilled=Order billed -DonationPaid=Donation paid +InvoiceNote=发票备注 +InvoicePaid=已付款发票 +InvoicePaidCompletely=已全额付款 +InvoicePaidCompletelyHelp=已全额付款的发票。这不包括部分付款的发票。要获取所有“已关闭”或非“已关闭”发票的清单,最好对发票状态使用过滤器。 +OrderBilled=订单已开票 +DonationPaid=捐献已付款 PaymentNumber=付款号码 -RemoveDiscount=删除折扣 -WatermarkOnDraftBill=草稿发票上的水印(如果为空则没有水印) -InvoiceNotChecked=没有选取发票 -ConfirmCloneInvoice=你确定要复制发票 %s 吗 ? +RemoveDiscount=取消折扣 +WatermarkOnDraftBill=发票草稿附水印(如果为空则不附水印) +InvoiceNotChecked=未选择发票 +ConfirmCloneInvoice=您确定要克隆此发票%s吗? DisabledBecauseReplacedInvoice=由于发票已被替换,操作已禁用 -DescTaxAndDividendsArea=This area presents a summary of all payments made for special expenses. Only records with payments during the fixed year are included here. -NbOfPayments=No. of payments -SplitDiscount=折扣分为两部分 -ConfirmSplitDiscount=Are you sure you want to split this discount of %s %s into two smaller discounts? -TypeAmountOfEachNewDiscount=Input amount for each of two parts: -TotalOfTwoDiscountMustEqualsOriginal=The total of the two new discounts must be equal to the original discount amount. -ConfirmRemoveDiscount=您确定要删除此折扣吗? -RelatedBill=关联发票 -RelatedBills=关联发票 -RelatedCustomerInvoices=关联客户发票 -RelatedSupplierInvoices=Related vendor invoices -LatestRelatedBill=最近的相关发票 -WarningBillExist=Warning, one or more invoices already exist +DescTaxAndDividendsArea=此区域显示所有特殊费用付款的摘要。此处仅包含固定年份内的付款记录。 +NbOfPayments=付款号 +SplitDiscount=将折扣分为两部分 +ConfirmSplitDiscount=您确定要将折扣 %s %s 分割成两个较小的折扣吗? +TypeAmountOfEachNewDiscount=两部分各输入金额: +TotalOfTwoDiscountMustEqualsOriginal=这两个新折扣的总金额必须等于原始折扣金额。 +ConfirmRemoveDiscount=您确定要取消此折扣吗? +RelatedBill=关联的发票 +RelatedBills=关联的发票 +RelatedCustomerInvoices=关联的客户发票 +RelatedSupplierInvoices=关联的供应商发票 +LatestRelatedBill=最近关联的发票 +WarningBillExist=警告,已存在一张或多张发票 MergingPDFTool=PDF 合并工具 -AmountPaymentDistributedOnInvoice=付款金额在发票上分配 -PaymentOnDifferentThirdBills=Allow payments on different third parties bills but same parent company +AmountPaymentDistributedOnInvoice=发票上分配的付款金额 +PaymentOnDifferentThirdBills=允许对同一母公司下的不同合作方的发票付款 PaymentNote=付款备注 -ListOfPreviousSituationInvoices=以前的情况发票清单 -ListOfNextSituationInvoices=下一个情况发票清单 -ListOfSituationInvoices=情况发票清单 -CurrentSituationTotal=总现状 -DisabledBecauseNotEnouthCreditNote=要从周期中删除形式发票,此发票的贷项通知总计必须涵盖此发票总额 -RemoveSituationFromCycle=从周期中删除此发票 -ConfirmRemoveSituationFromCycle=从周期中删除此发票%s? -ConfirmOuting=确认外出 +ListOfPreviousSituationInvoices=前期形势发票清单 +ListOfNextSituationInvoices=后续形势发票清单 +ListOfSituationInvoices=形势发票清单 +CurrentSituationTotal=总体形势 +DisabledBecauseNotEnouthCreditNote=要从周期中删除形势发票,该发票的贷项凭单总金额必须涵盖该发票总金额 +RemoveSituationFromCycle=从周期中移除此发票 +ConfirmRemoveSituationFromCycle=从周期中移除此发票 %s 吗? +ConfirmOuting=确认中 FrequencyPer_d=每 %s 天 FrequencyPer_m=每 %s 月 FrequencyPer_y=每 %s 年 FrequencyUnit=频率单位 -toolTipFrequency=例如:
      设置 7 / 天: 每 7 天给它一张新发票
      设置 3 / 个月: 每 3 个月给发一张发票过去 -NextDateToExecution=下一次发票生成的日期 -NextDateToExecutionShort=下一代日期。 -DateLastGeneration=最近的产生日期 -DateLastGenerationShort=最近的产生日期 -MaxPeriodNumber=Max. number of invoice generation -NbOfGenerationDone=已完成的发票数量 -NbOfGenerationOfRecordDone=Number of record generation already done -NbOfGenerationDoneShort=Number of generations done -MaxGenerationReached=达到最大代数 -InvoiceAutoValidate=自动验证发票 -GeneratedFromRecurringInvoice=从模板重复发票%s生成 -DateIsNotEnough=尚未达到日期 -InvoiceGeneratedFromTemplate=从周期性模板发票%s生成的发票%s -GeneratedFromTemplate=Generated from template invoice %s -WarningInvoiceDateInFuture=警告,发票日期高于当前日期 -WarningInvoiceDateTooFarInFuture=警告,发票日期与当前日期相差太远 +toolTipFrequency=示例:
      设置为 7, Day:每隔7天开具一张新发票
      设置为 3, Month:每隔3个月开具一张新发票 +NextDateToExecution=下次开具发票的日期 +NextDateToExecutionShort=下次开票日期 +DateLastGeneration=最近的开票日期 +DateLastGenerationShort=最近的开票日期 +MaxPeriodNumber=开具发票的最大张数限制 +NbOfGenerationDone=已经开具的发票张数 +NbOfGenerationOfRecordDone=已经开具的记录条数 +NbOfGenerationDoneShort=已开具张数 +MaxGenerationReached=生成发票数已达到最大限制 +InvoiceAutoValidate=自动确认发票 +GeneratedFromRecurringInvoice=已从定期发票模板 %s 生成 +DateIsNotEnough=日期尚未到达 +InvoiceGeneratedFromTemplate=从定期发票模板 %s 生成的发票 %s +GeneratedFromTemplate=已从发票模板 %s 生成 +WarningInvoiceDateInFuture=警告,发票日期早于当前日期 +WarningInvoiceDateTooFarInFuture=警告,发票日期距当前日期太远 ViewAvailableGlobalDiscounts=查看可用折扣 -GroupPaymentsByModOnReports=Group payments by mode on reports +GroupPaymentsByModOnReports=在报告中按模式对付款进行分组 # PaymentConditions Statut=状态 -PaymentConditionShortRECEP=由于收到 -PaymentConditionRECEP=由于收到 +PaymentConditionShortRECEP=收到后到期 +PaymentConditionRECEP=收到后到期 PaymentConditionShort30D=30天 PaymentCondition30D=30天 -PaymentConditionShort30DENDMONTH=30天后的那个月底 +PaymentConditionShort30DENDMONTH=本月结束后30天 PaymentCondition30DENDMONTH=本月结束后30天内 PaymentConditionShort60D=60天 PaymentCondition60D=60天 -PaymentConditionShort60DENDMONTH=60天后的那个月底 +PaymentConditionShort60DENDMONTH=本月结束后60天 PaymentCondition60DENDMONTH=本月结束后60天内 PaymentConditionShortPT_DELIVERY=交货 PaymentConditionPT_DELIVERY=交货时 @@ -435,209 +436,214 @@ PaymentConditionShortPT_5050=50-50 PaymentConditionPT_5050=预付 50%%,交货时付 50%% PaymentConditionShort10D=10天 PaymentCondition10D=10天 -PaymentConditionShort10DENDMONTH=月末10天 -PaymentCondition10DENDMONTH=在月底之后的10天内 +PaymentConditionShort10DENDMONTH=本月结束后10天 +PaymentCondition10DENDMONTH=本月结束后10天内 PaymentConditionShort14D=14天 PaymentCondition14D=14天 -PaymentConditionShort14DENDMONTH=月末14天 -PaymentCondition14DENDMONTH=在月底之后的14天内 -PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% deposit -PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% 定金,余款交货时付清 -FixAmount=Fixed amount - 1 line with label '%s' -VarAmount=可变金额(%% tot.) -VarAmountOneLine=可变金额(%% tot。) - 1行标签'%s' -VarAmountAllLines=Variable amount (%% tot.) - all lines from origin -DepositPercent=Deposit %% +PaymentConditionShort14DENDMONTH=本月结束后14天 +PaymentCondition14DENDMONTH=本月结束后14天内 +PaymentConditionShortDEP30PCTDEL=__DEPOSIT_PERCENT__%% 预付款 +PaymentConditionDEP30PCTDEL=__DEPOSIT_PERCENT__%% 预付款,余款交货时付清 +FixAmount=固定金额 - 带有标签“%s”的一行 +VarAmount=可变金额(总计 %%) +VarAmountOneLine=可变金额(总计 %%) - 带有标签“%s”的一行 +VarAmountAllLines=可变金额(总计 %% ) - 来自源的所有行 +DepositPercent=预付款 %% DepositGenerationPermittedByThePaymentTermsSelected=这是所选付款期限允许的 -GenerateDeposit=Generate a %s%% deposit invoice -ValidateGeneratedDeposit=Validate the generated deposit -DepositGenerated=Deposit generated -ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=You can only automatically generate a deposit from a proposal or an order -ErrorPaymentConditionsNotEligibleToDepositCreation=The chose payment conditions are not eligible for automatic deposit generation +GenerateDeposit=生成一张 %s%% 预付款发票 +ValidateGeneratedDeposit=确认生成的预付款发票 +DepositGenerated=预付款发票已生成 +ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=您只能根据报价单或订单自动生成预付款发票 +ErrorPaymentConditionsNotEligibleToDepositCreation=所选付款条件不符合自动预付款发票生成条件 # PaymentType -PaymentTypeVIR=银行转帐 -PaymentTypeShortVIR=银行转帐 -PaymentTypePRE=直接付款订单 -PaymentTypePREdetails=(on account %s...) -PaymentTypeShortPRE=借记卡付款单 +PaymentTypeVIR=银行转账 +PaymentTypeShortVIR=银行转账 +PaymentTypePRE=直接借记卡付款订单 +PaymentTypePREdetails=(帐户 %s...) +PaymentTypeShortPRE=借记卡付款订单 PaymentTypeLIQ=现金 PaymentTypeShortLIQ=现金 PaymentTypeCB=信用卡 PaymentTypeShortCB=信用卡 PaymentTypeCHQ=支票 PaymentTypeShortCHQ=支票 -PaymentTypeTIP=TIP (付款交单) -PaymentTypeShortTIP=TIP款项 +PaymentTypeTIP=TIP(付款凭证) +PaymentTypeShortTIP=TIP 付款 PaymentTypeVAD=在线支付 PaymentTypeShortVAD=在线支付 -PaymentTypeTRA=银行账单草稿 -PaymentTypeShortTRA=草稿 -PaymentTypeFAC=因素 -PaymentTypeShortFAC=因素 +PaymentTypeTRA=银行汇票 +PaymentTypeShortTRA=汇票 +PaymentTypeFAC=系数 +PaymentTypeShortFAC=系数 PaymentTypeDC=借记卡/信用卡 PaymentTypePP=PayPal BankDetails=银行详情 BankCode=银行代码 -DeskCode=Branch code +DeskCode=分行代码 BankAccountNumber=帐号 -BankAccountNumberKey=Checksum +BankAccountNumberKey=校验码 Residence=地址 -IBANNumber=IBAN account number -IBAN=银行IBAN -CustomerIBAN=IBAN of customer -SupplierIBAN=IBAN of vendor +IBANNumber=IBAN 帐号 +IBAN=IBAN +CustomerIBAN=客户的IBAN +SupplierIBAN=供应商的 IBAN BIC=BIC/SWIFT -BICNumber=BIC/SWIFT 码 +BICNumber=BIC/SWIFT 代码 ExtraInfos=自定义信息 -RegulatedOn=规范了 -ChequeNumber=Check N° -ChequeOrTransferNumber=支票/转账 N° -ChequeBordereau=检查计划任务 -ChequeMaker=Check/Transfer sender +RegulatedOn=规范于 +ChequeNumber=支票编号 +ChequeOrTransferNumber=支票/转账编号 +ChequeBordereau=支票行事历 +ChequeMaker=支票/转账发件人 ChequeBank=银行支票 CheckBank=支票 -NetToBePaid=需要净支出 +NetToBePaid=待支付净额 PhoneNumber=电话 FullPhoneNumber=电话 TeleFax=传真 PrettyLittleSentence=接受本人以财政管理机构批准的会计协会会员的名义签发的支票应付的付款金额。 -IntracommunityVATNumber=Intra-Community VAT ID -PaymentByChequeOrderedTo=Check payments (including tax) are payable to %s, send to -PaymentByChequeOrderedToShort=Check payments (incl. tax) are payable to -SendTo=发送到 -PaymentByTransferOnThisBankAccount=Payment by transfer to the following bank account -VATIsNotUsedForInvoice=* 不得包含增值税, 详见CGI-293B -VATIsNotUsedForInvoiceAsso=* Non applicable VAT art-261-7 of CGI -LawApplicationPart1=通过对应用的12/05/80法80.335 -LawApplicationPart2=货物仍然是该人士/组织的资产 -LawApplicationPart3=the seller until full payment of +IntracommunityVATNumber=欧盟增值税 ID +PaymentByChequeOrderedTo=支票付款(含税)支付至 %s,发送至 +PaymentByChequeOrderedToShort=支票付款(含税)支付至 +SendTo=发送给 +PaymentByTransferOnThisBankAccount=通过转账方式付款至以下银行账户 +VATIsNotUsedForInvoice=* 不适用增值税,详见 CGI 的第 293B 条 +VATIsNotUsedForInvoiceAsso=* 不适用增值税,详见 CGI 的第 261-7 条 +LawApplicationPart1=适用 2080 年 12 月 5 日第 80.335 号法律 +LawApplicationPart2=货物仍属于 +LawApplicationPart3=卖方直至全额付款 LawApplicationPart4=他们的价格。 LimitedLiabilityCompanyCapital=有限责任公司(SARL)注册资金 UseLine=申请 UseDiscount=使用折扣 -UseCredit=使用信用卡 -UseCreditNoteInInvoicePayment=减少金额与本信用证支付 -MenuChequeDeposits=Deposits slips +UseCredit=使用贷项凭单 +UseCreditNoteInInvoicePayment=使用贷项凭单减少应付款金额 +MenuChequeDeposits=预付款发票 MenuCheques=支票 -MenuChequesReceipts=Deposit slips -NewChequeDeposit=New deposit slip -ChequesReceipts=Cheque deposit slips -DocumentsDepositArea=Deposit slip area -ChequesArea=Deposit slips area -ChequeDeposits=Deposit slips +MenuChequesReceipts=预付款发票 +NewChequeDeposit=新建预付款发票 +ChequesReceipts=支票预付款发票 +DocumentsDepositArea=预付款发票区 +ChequesArea=预付款发票区 +ChequeDeposits=预付款发票 Cheques=支票 -DepositId=Id存款 +DepositId=预付款发票 ID NbCheque=支票数量 -CreditNoteConvertedIntoDiscount=此%s已被转换为%s +CreditNoteConvertedIntoDiscount=此 %s 已转换为 %s UsBillingContactAsIncoiveRecipientIfExist=请使用“帐单联系人”类型的联系人/地址,而不是使用合作方地址作为发票收件人 ShowUnpaidAll=显示所有未付发票 -ShowUnpaidLateOnly=只显示超时未付发票 -PaymentInvoiceRef=%s的付款发票 +ShowUnpaidLateOnly=仅显示逾期未付的发票 +PaymentInvoiceRef=付款发票%s ValidateInvoice=确认发票 -ValidateInvoices=验证发票 +ValidateInvoices=确认发票 Cash=现金 Reported=延迟 DisabledBecausePayments=不可操作,因为已经接收了付款 -CantRemovePaymentWithOneInvoicePaid=无法删除,因为至少有一份发票被归类为已支付 -CantRemovePaymentVATPaid=Can't remove payment since VAT declaration is classified paid -CantRemovePaymentSalaryPaid=Can't remove payment since salary is classified paid +CantRemovePaymentWithOneInvoicePaid=无法删除付款,因为至少有一张发票被归类为已付款 +CantRemovePaymentVATPaid=无法删除付款,因为增值税申报被归类为已付款 +CantRemovePaymentSalaryPaid=无法删除付款,因为工资已归类为已付款 ExpectedToPay=预期付款 -CantRemoveConciliatedPayment=Can't remove reconciled payment -PayedByThisPayment=已由此付款来支付 -ClosePaidInvoicesAutomatically=Classify automatically all standard, down payment or replacement invoices as "Paid" when payment is done entirely. -ClosePaidCreditNotesAutomatically=Classify automatically all credit notes as "Paid" when refund is done entirely. -ClosePaidContributionsAutomatically=Classify automatically all social or fiscal contributions as "Paid" when payment is done entirely. -ClosePaidVATAutomatically=Classify automatically VAT declaration as "Paid" when payment is done entirely. -ClosePaidSalaryAutomatically=Classify automatically salary as "Paid" when payment is done entirely. -AllCompletelyPayedInvoiceWillBeClosed=All invoices with no remainder to pay will be automatically closed with status "Paid". -ToMakePayment=支付 -ToMakePaymentBack=支付 +CantRemoveConciliatedPayment=无法删除已对账的付款 +PayedByThisPayment=本次付款 +ClosePaidInvoicesAutomatically=当付款全部完成后,自动将所有标准发票、预付款发票或替换发票归类为“已付款”。 +ClosePaidCreditNotesAutomatically=当退款全部完成后,自动将所有贷项凭单归类为“已付款”。 +ClosePaidContributionsAutomatically=当付款全部完成后,自动将所有社会或财政缴款归类为“已付款”。 +ClosePaidVATAutomatically=当付款全部完成后,自动将增值税归类为“已付款”。 +ClosePaidSalaryAutomatically=当付款全部完成后,自动将工资归类为“已付款”。 +AllCompletelyPayedInvoiceWillBeClosed=所有没有余额需要支付的发票将自动关闭,状态为“已付款”。 +ToMakePayment=付款 +ToMakePaymentBack=付款退回 ListOfYourUnpaidInvoices=未付发票清单 -NoteListOfYourUnpaidInvoices=注:此清单只包含链接到指派给您作为销售代表的合作方发票。 -RevenueStamp=Tax stamp -YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party -YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party -YouMustCreateStandardInvoiceFirstDesc=您必须先创建标准发票并将其转换为“模板”以创建新模板发票 -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) -PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template -PDFCrevetteDescription=发票PDF模板Crevette。情况发票的完整发票模板 -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -TerreNumRefModelError=A bill starting with $syymm already exists and is not compatible with this model of sequence. Remove it or rename it to activate this module. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -EarlyClosingReason=Early closing reason -EarlyClosingComment=Early closing note +NoteListOfYourUnpaidInvoices=注意:此列表仅包含您作为销售代表链接到的合作方的发票。 +RevenueStamp=印花税 +YouMustCreateInvoiceFromThird=此选项仅在从合作方的“客户”标签页创建发票时可用 +YouMustCreateInvoiceFromSupplierThird=此选项仅在从合作方的“供应商”标签页创建发票时可用 +YouMustCreateStandardInvoiceFirstDesc=您必须先创建标准发票,并将其转换为“模板”,才能创建新的发票模板 +PDFCrabeDescription=发票 PDF 模板 Crabe。完整的发票模板(Sponge模板的旧实现) +PDFSpongeDescription=发票 PDF 模板 Sponge。完整的发票模板 +PDFCrevetteDescription=发票 PDF 模板 Crevette。形势发票的完整发票模板 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +TerreNumRefModelError=以 $syymm 开头的发票已存在,并且与此编号模型不兼容。请删除它或重命名它以便启用本模型。 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +EarlyClosingReason=提前关闭的原因 +EarlyClosingComment=提前关闭的说明 ##### Types de contacts ##### TypeContact_facture_internal_SALESREPFOLL=跟进客户发票的销售代表 TypeContact_facture_external_BILLING=客户发票联系人 TypeContact_facture_external_SHIPPING=客户货运联系人 TypeContact_facture_external_SERVICE=客户服务联系人 TypeContact_invoice_supplier_internal_SALESREPFOLL=跟进供应商发票的销售代表 -TypeContact_invoice_supplier_external_BILLING=Vendor invoice contact +TypeContact_invoice_supplier_external_BILLING=供应商发票联系人 TypeContact_invoice_supplier_external_SHIPPING=供应商货运联系人 -TypeContact_invoice_supplier_external_SERVICE=Vendor service contact +TypeContact_invoice_supplier_external_SERVICE=供应商服务联系人 # Situation invoices -InvoiceFirstSituationAsk=第一种情况发票 -InvoiceFirstSituationDesc=现状发票与进展相关的情况有关,例如建筑的进展。每种情况都与发票挂钩。 -InvoiceSituation=情况发票 -PDFInvoiceSituation=情况发票 -InvoiceSituationAsk=根据情况发票 -InvoiceSituationDesc=在已有的情况之后创建新情况 -SituationAmount=情况发票金额(净额) -SituationDeduction=情况减法 -ModifyAllLines=全部变更 -CreateNextSituationInvoice=创建下一个情况 -ErrorFindNextSituationInvoice=错误无法找到下一个情况循环参考 -ErrorOutingSituationInvoiceOnUpdate=无法出租这种情况发票。 -ErrorOutingSituationInvoiceCreditNote=无法外出联系贷项通知。 +InvoiceFirstSituationAsk=第一张形势发票 +InvoiceFirstSituationDesc=形势发票挂钩与进度相关的状况,例如施工进度。每种形势状况都挂钩一张发票。 +InvoiceSituation=形势发票 +PDFInvoiceSituation=形势发票 +InvoiceSituationAsk=跟随形势开具发票 +InvoiceSituationDesc=跟随已有的形势之后创建新的形势 +SituationAmount=形势发票金额(净额) +SituationDeduction=形势扣除 +ModifyAllLines=修改所有行 +CreateNextSituationInvoice=创建下一个形势 +ErrorFindNextSituationInvoice=错误!无法找到下一个形势周期编号 +ErrorOutingSituationInvoiceOnUpdate=无法开具此形势发票。 +ErrorOutingSituationInvoiceCreditNote=无法输出链接的贷项凭单。 NotLastInCycle=该发票不是周期中最新的,不得修改。 -DisabledBecauseNotLastInCycle=下一种情况已经存在。 -DisabledBecauseFinal=这种情况是最终的。 -situationInvoiceShortcode_AS=如 +DisabledBecauseNotLastInCycle=后续形势已经存在。 +DisabledBecauseFinal=这是最终形势。 +situationInvoiceShortcode_AS=AS situationInvoiceShortcode_S=S -CantBeLessThanMinPercent=进展不能小于以前情况下的价值。 -NoSituations=没有未完成的情况 -InvoiceSituationLast=最终和一般发票 -PDFCrevetteSituationNumber=情况N°%s -PDFCrevetteSituationInvoiceLineDecompte=情况发票 - COUNT -PDFCrevetteSituationInvoiceTitle=情况发票 -PDFCrevetteSituationInvoiceLine=Situation N°%s: Inv. N°%s on %s -TotalSituationInvoice=总情况 +CantBeLessThanMinPercent=进度值不能小于先前形势下的值。 +NoSituations=没有未完成的形势 +InvoiceSituationLast=最终发票和普通发票 +PDFCrevetteSituationNumber=形势编号 %s +PDFCrevetteSituationInvoiceLineDecompte=形势发票 - COUNT +PDFCrevetteSituationInvoiceTitle=形势发票 +PDFCrevetteSituationInvoiceLine=形势编号 %s:在 %s 上的发票号 %s +TotalSituationInvoice=总体形势 invoiceLineProgressError=发票行进度不能大于或等于下一个发票行 -updatePriceNextInvoiceErrorUpdateline=Error: update price on invoice line: %s -ToCreateARecurringInvoice=要为此合同创建定期发票,请先创建此草稿发票,然后将其转换为发票模板,并定义将来发票的生成频率。 -ToCreateARecurringInvoiceGene=要定期和手动生成未来发票,只需进入菜单 %s - %s - %s 。 -ToCreateARecurringInvoiceGeneAuto=If you need to have such invoices generated automatically, ask your administrator to enable and setup module %s. Note that both methods (manual and automatic) can be used together with no risk of duplication. -DeleteRepeatableInvoice=删除模板发票 -ConfirmDeleteRepeatableInvoice=您确定要删除模板发票吗? -CreateOneBillByThird=Create one invoice per third party (otherwise, one invoice per selected object) -BillCreated=%s invoice(s) generated -BillXCreated=Invoice %s generated -StatusOfGeneratedDocuments=文件生成的状态 +updatePriceNextInvoiceErrorUpdateline=错误:更新发票行:%s 上的价格 +ToCreateARecurringInvoice=要为此合同创建定期发票,请首先创建此发票草稿,然后将其转换为发票模板并定义未来发票的生成频率。 +ToCreateARecurringInvoiceGene=要定期手动生成未来发票,只需进入菜单 %s - %s - %s。 +ToCreateARecurringInvoiceGeneAuto=如果您需要自动生成此类发票,请要求管理员启用并设置模块%s。请注意,两种方法(手动和自动)可以一起使用,没有重复的风险。 +DeleteRepeatableInvoice=删除发票模板 +ConfirmDeleteRepeatableInvoice=您确定要删除发票模板吗? +CreateOneBillByThird=为每个合作方创建一张发票(否则,为每个选定对象创建一张发票) +BillCreated=已生成 %s 张发票 +BillXCreated=已生成发票 %s +StatusOfGeneratedDocuments=文档生成状态 DoNotGenerateDoc=不生成文档文件 AutogenerateDoc=自动生成文档文件 -AutoFillDateFrom=使用发票日期设置服务项目的开始日期 +AutoFillDateFrom=设置服务行的开始日期为发票的日期 AutoFillDateFromShort=设置开始日期 -AutoFillDateTo=使用下一个发票日期设置服务项目的结束日期 +AutoFillDateTo=设置服务行的结束日期为下一张发票的日期 AutoFillDateToShort=设置结束日期 -MaxNumberOfGenerationReached=最大数量。到达 +MaxNumberOfGenerationReached=生成发票数已达到最大限制 BILL_DELETEInDolibarr=发票已删除 -BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted -UnitPriceXQtyLessDiscount=Unit price x Qty - Discount -CustomersInvoicesArea=Customer billing area -SupplierInvoicesArea=Supplier billing area -SituationTotalRayToRest=Remainder to pay without taxe -PDFSituationTitle=Situation n° %d -SituationTotalProgress=Total progress %d %% -SearchUnpaidInvoicesWithDueDate=Search unpaid invoices with a due date = %s -SearchValidatedInvoicesWithDate=Search unpaid invoices with a validation date = %s -NoPaymentAvailable=No payment available for %s -PaymentRegisteredAndInvoiceSetToPaid=Payment registered and invoice %s set to paid -SendEmailsRemindersOnInvoiceDueDate=Send reminder by email for validated and unpaid invoices -MakePaymentAndClassifyPayed=Record payment -BulkPaymentNotPossibleForInvoice=Bulk payment is not possible for invoice %s (bad type or status) -MentionVATDebitOptionIsOn=Option to pay tax based on debits -MentionCategoryOfOperations=Category of operations +BILL_SUPPLIER_DELETEInDolibarr=供应商发票已删除 +UnitPriceXQtyLessDiscount=单价 x 数量 - 折扣 +CustomersInvoicesArea=客户结算区 +SupplierInvoicesArea=供应商结算区 +SituationTotalRayToRest=剩余款项免税支付 +PDFSituationTitle=形势编号%d +SituationTotalProgress=总进度 %d %% +SearchUnpaidInvoicesWithDueDate=搜索付款到期日 = %s 的未付发票 +SearchValidatedInvoicesWithDate=搜索确认日期 = %s 的未付发票 +NoPaymentAvailable=%s 无法付款 +PaymentRegisteredAndInvoiceSetToPaid=付款已录入并且发票 %s 被设置为已付款 +SendEmailsRemindersOnInvoiceDueDate=为已确认并且未付款的发票发送提醒电子邮件 +MakePaymentAndClassifyPayed=录入付款 +BulkPaymentNotPossibleForInvoice=发票 %s 无法批量付款(发票类型或状态错误) +MentionVATDebitOptionIsOn=根据借方缴税的选项 +MentionCategoryOfOperations=经营类别 MentionCategoryOfOperations0=交货 -MentionCategoryOfOperations1=Provision of services +MentionCategoryOfOperations1=提供服务 MentionCategoryOfOperations2=混合 - 交付货物并提供服务 +Salaries=工资 +InvoiceSubtype=Invoice Subtype +SalaryInvoice=工资 +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/zh_CN/cashdesk.lang b/htdocs/langs/zh_CN/cashdesk.lang index cd7f137e979..bd73f6bf8e3 100644 --- a/htdocs/langs/zh_CN/cashdesk.lang +++ b/htdocs/langs/zh_CN/cashdesk.lang @@ -2,7 +2,7 @@ CashDeskMenu=POS CashDesk=POS CashDeskBankCash=现金账户 -CashDeskBankCB=银行账户 (card) +CashDeskBankCB=银行账户(卡) CashDeskBankCheque=支票账户 CashDeskWarehouse=仓库 CashdeskShowServices=服务 @@ -26,7 +26,7 @@ Difference=差异 TotalTicket=服务工单总数 NoVAT=没有为本零售单计算增值税 Change=找零 -BankToPay=付款帐户 +BankToPay=付款账户 ShowCompany=显示公司 ShowStock=显示仓库 DeleteArticle=删除项目 @@ -48,7 +48,7 @@ Receipt=收据 Header=Header Footer=Footer AmountAtEndOfPeriod=Amount at end of period (day, month or year) -TheoricalAmount=Theorical amount +TheoricalAmount=Theoretical amount RealAmount=Real amount CashFence=Cash box closing CashFenceDone=Cash box closing done for the period @@ -57,7 +57,7 @@ Paymentnumpad=Type of Pad to enter payment Numberspad=Numbers Pad BillsCoinsPad=Coins and banknotes Pad DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr -TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in @@ -76,7 +76,7 @@ TerminalSelect=Select terminal you want to use: POSTicket=POS机小票 POSTerminal=POS Terminal POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=Setup of terminal %s is not complete DirectPayment=Direct payment DirectPaymentButton=Add a "Direct cash payment" button @@ -92,14 +92,14 @@ HeadBar=Head Bar SortProductField=Field for sorting products Browser=浏览器 BrowserMethodDescription=简单方便的收据打印。只需几个参数即可配置收据。通过浏览器打印。 -TakeposConnectorMethodDescription=具有额外功能的外部模块。有可能从云端打印。 +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=Print method ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales CashDeskGenericMaskCodes6 =
      {TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=Start a new parallel sale SaleStartedAt=Sale started at %s ControlCashOpening=打开POS时弹出“控制钱箱”窗口 @@ -118,7 +118,7 @@ ScanToOrder=扫描二维码订购 Appearance=Appearance HideCategoryImages=Hide Category Images HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show +NumberOfLinesToShow=Maximum number of lines of text to show on thumb images DefineTablePlan=Define tables plan GiftReceiptButton=添加“礼品收据”按钮 GiftReceipt=礼品收据 @@ -135,13 +135,21 @@ PrintWithoutDetailsLabelDefault=Line label by default on printing without detail PrintWithoutDetails=Print without details YearNotDefined=Year is not defined TakeposBarcodeRuleToInsertProduct=Barcode rule to insert product -TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      • ref : product reference
      • qu : quantity to set when inserting item (units)
      • qd : quantity to set when inserting item (decimals)
      • other : others characters
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters AlreadyPrinted=已打印 -HideCategories=隐藏类别 +HideCategories=Hide the whole section of categories selection HideStockOnLine=在行上隐藏库存 -ShowOnlyProductInStock=显示库存产品 -ShowCategoryDescription=显示类别描述 -ShowProductReference=显示产品参考 -UsePriceHT=Use price excl. taxes and not price incl. taxes +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Show reference or label of products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price TerminalName=Terminal %s TerminalNameDesc=Terminal name +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/zh_CN/categories.lang b/htdocs/langs/zh_CN/categories.lang index fd26b0a7477..dec191e01b4 100644 --- a/htdocs/langs/zh_CN/categories.lang +++ b/htdocs/langs/zh_CN/categories.lang @@ -103,3 +103,4 @@ WebsitePagesCategoriesArea=页面容器类别 KnowledgemanagementsCategoriesArea=KM知识文章类别 UseOrOperatorForCategories=对类别使用“OR”运算符 AddObjectIntoCategory=分配给类别 +Position=位置 diff --git a/htdocs/langs/zh_CN/holiday.lang b/htdocs/langs/zh_CN/holiday.lang index e5626f9165f..077d963b207 100644 --- a/htdocs/langs/zh_CN/holiday.lang +++ b/htdocs/langs/zh_CN/holiday.lang @@ -5,7 +5,7 @@ Holiday=休假 CPTitreMenu=休假 MenuReportMonth=月结单 MenuAddCP=新建休假申请 -MenuCollectiveAddCP=新建集体休假申请 +MenuCollectiveAddCP=New collective leave NotActiveModCP=您必须启用“休假”模块才能查看此页面。 AddCP=提出休假申请 DateDebCP=开始日期 @@ -95,14 +95,14 @@ UseralreadyCPexist=此 %s 期间的休假申请已完成。 groups=群组 users=用户 AutoSendMail=自动发送邮件 -NewHolidayForGroup=新建集体休假申请 -SendRequestCollectiveCP=发送集体休假申请 +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave AutoValidationOnCreate=自动确认 FirstDayOfHoliday=休假申请的开始日期 LastDayOfHoliday=休假申请的结束日期 HolidaysMonthlyUpdate=每月更新 ManualUpdate=手动更新 -HolidaysCancelation=取消的休假申请 +HolidaysCancelation=Leave request cancellation EmployeeLastname=员工姓氏 EmployeeFirstname=员工名字 TypeWasDisabledOrRemoved=请假类型(ID %s)已禁用或已删除 @@ -144,7 +144,7 @@ WatermarkOnDraftHolidayCards=休假申请草稿上的水印 HolidaysToApprove=待批准的休假申请 NobodyHasPermissionToValidateHolidays=没有人有权限验证休假申请 HolidayBalanceMonthlyUpdate=每月更新假期余额 -XIsAUsualNonWorkingDay=%s 通常是非工作日 +XIsAUsualNonWorkingDay=%s is usually a NON working day BlockHolidayIfNegative=如果余额为负值则阻止 LeaveRequestCreationBlockedBecauseBalanceIsNegative=由于您的假期余额为负值,此休假申请的创建被阻止 ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=要删除的休假申请 %s 必须处于草稿、已取消或已拒绝状态 diff --git a/htdocs/langs/zh_CN/hrm.lang b/htdocs/langs/zh_CN/hrm.lang index d7253edbcb6..94cb6b39109 100644 --- a/htdocs/langs/zh_CN/hrm.lang +++ b/htdocs/langs/zh_CN/hrm.lang @@ -26,6 +26,7 @@ HRM_DEFAULT_SKILL_DESCRIPTION=创建技能时默认的等级描述 deplacement=转移 DateEval=评价日期 JobCard=工作卡 +NewJobProfile=New Job Profile JobProfile=职位描述 JobsProfiles=职位简介 NewSkill=新技能 @@ -36,18 +37,21 @@ rank=秩 ErrNoSkillSelected=未选择技能 ErrSkillAlreadyAdded=该技能已存在清单中 SkillHasNoLines=没有这个技能行 -skill=技能 +Skill=Skill Skills=技能 -SkillCard=技能卡 +SkillCard=技能 EmployeeSkillsUpdated=员工技能已更新(参见员工表单视图的“技能”标签页) Eval=评价 Evals=评价 NewEval=新建评价 ValidateEvaluation=验证评价 -ConfirmValidateEvaluation=您确定要验证编号为 %s 的评价吗? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=评价卡 RequiredRank=职位描述所需的级别 +RequiredRankShort=Required rank +PositionsWithThisProfile=Positions with this job profiles EmployeeRank=该技能的员工等级 +EmployeeRankShort=Employee rank EmployeePosition=员工岗位 EmployeePositions=员工职位 EmployeesInThisPosition=担任该职位的员工 @@ -56,21 +60,21 @@ group2ToCompare=用于比较的第二个用户组 OrJobToCompare=与职位描述的技能要求进行比较 difference=差异 CompetenceAcquiredByOneOrMore=一个或多个用户获得但第二个比较者未请求的能力 -MaxlevelGreaterThan=最大级别大于请求的级别 -MaxLevelEqualTo=最高等级等于要求 -MaxLevelLowerThan=最高等级低于要求 -MaxlevelGreaterThanShort=员工等级高于要求的级别 -MaxLevelEqualToShort=员工等级等于要求 -MaxLevelLowerThanShort=员工等级低于要求 +MaxlevelGreaterThan=Employee level is greater than the expected level +MaxLevelEqualTo=Employee level is equals to the expected level +MaxLevelLowerThan=Employee level is lower than that the expected level +MaxlevelGreaterThanShort=Level greater than expected +MaxLevelEqualToShort=Level equal to the expected level +MaxLevelLowerThanShort=Level lower than expected SkillNotAcquired=并非所有用户都获得且第二个比较者要求的技能 legend=图例 TypeSkill=技能类型 -AddSkill=为工作添加技能 -RequiredSkills=这项工作所需的技能 +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile UserRank=用户排名 SkillList=技能清单 SaveRank=保存排名 -TypeKnowHow=知识 +TypeKnowHow=Know-how TypeHowToBe=怎样成为 TypeKnowledge=知识 AbandonmentComment=放弃评论 @@ -85,8 +89,9 @@ VacantCheckboxHelper=勾选此选项将显示未填补的职位(职位空缺 SaveAddSkill = 技能(一个或多个)已添加 SaveLevelSkill = 技能(一个或多个)等级已保存 DeleteSkill = 技能已移除 -SkillsExtraFields=补充属性(能力) -JobsExtraFields=属性补充(工作描述) -EvaluationsExtraFields=补充属性(评价) +SkillsExtraFields=Complementary attributes (Skills) +JobsExtraFields=Complementary attributes (Job profile) +EvaluationsExtraFields=Complementary attributes (Evaluations) NeedBusinessTravels=需要商务出差 NoDescription=没有描述 +TheJobProfileHasNoSkillsDefinedFixBefore=The evaluated job profile of this employee has no skill defined on it. Please add skill(s), then delete and restart the evaluation. diff --git a/htdocs/langs/zh_CN/main.lang b/htdocs/langs/zh_CN/main.lang index cf293f9e77c..e9e31cfd6de 100644 --- a/htdocs/langs/zh_CN/main.lang +++ b/htdocs/langs/zh_CN/main.lang @@ -35,8 +35,8 @@ AvailableVariables=可用的替代变量 NoTranslation=没有翻译 Translation=翻译 Translations=翻译 -CurrentTimeZone=PHP(服务器)的时区 -EmptySearchString=输入非空搜索条件 +CurrentTimeZone=PHP(服务器)的时区 +EmptySearchString=Enter non empty search criteria EnterADateCriteria=输入日期条件 NoRecordFound=没有找到记录 NoRecordDeleted=未删除记录 @@ -44,8 +44,8 @@ NotEnoughDataYet=数据不足 NoError=没有错误 Error=错误 Errors=错误 -ErrorFieldRequired=栏位 '%s' 必须按要求填写 -ErrorFieldFormat=栏位 '%s' 参数值有误 +ErrorFieldRequired=字段 '%s' 必须按要求填写 +ErrorFieldFormat=字段 '%s' 参数值有误 ErrorFileDoesNotExists=文件%s不存在 ErrorFailedToOpenFile=无法打开文件 %s ErrorCanNotCreateDir=无法创建目录 %s @@ -60,13 +60,13 @@ ErrorFailedToSendMail=无法发送邮件(发件人=%s后,接收器=%s)的 ErrorFileNotUploaded=文件没有上传。检查大小不超过允许的最大值,即在磁盘上的可用空间是可用和有没有这已经与in这个目录同名文件。 ErrorInternalErrorDetected=检测到错误 ErrorWrongHostParameter=错误的主机参数 -ErrorYourCountryIsNotDefined=国家未定义。 请转到【主页-设置-编辑】并且编辑后再次提交表单。 +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=记录删除失败。 目前该记录至少还被一个子记录使用。 ErrorWrongValue=错误的值 ErrorWrongValueForParameterX=错误的参数值%s ErrorNoRequestInError=无请求错误 ErrorServiceUnavailableTryLater=暂时没有服务。 稍后再试。 -ErrorDuplicateField=在唯一的栏位中使用了重复值 +ErrorDuplicateField=在唯一的字段中使用了重复值 ErrorSomeErrorWereFoundRollbackIsDone=发现了一些错误。 变更已回滚。 ErrorConfigParameterNotDefined=参数%s没有在Dolibarr配置文件conf.php中定义。 ErrorCantLoadUserFromDolibarrDatabase=在数据库无法找到用户%s @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=错误,没有为国家'%s'设置增值 ErrorNoSocialContributionForSellerCountry=错误,没有为国家'%s'定义社会/财政税类型 ErrorFailedToSaveFile=错误,无法保存文件。 ErrorCannotAddThisParentWarehouse=您正在尝试加入一个父仓库,但是该仓库已经是现有仓库的子仓库 +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=字段%s不能为负值 MaxNbOfRecordPerPage=每页最多记录数量 NotAuthorized=您无权执行此操作。 @@ -103,7 +104,8 @@ RecordGenerated=记录已生成 LevelOfFeature=权限级别 NotDefined=未定义 DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr身份验证模式在配置文件 conf.php 中设置为 %s
      这意味着密码数据库在Dolibarr外部,因此更改此字段可能无效。 -Administrator=管理员 +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=未定义 PasswordForgotten=忘记密码? NoAccount=没有账号? @@ -168,7 +170,7 @@ AddToDraft=添加到草稿 Update=更新 Close=关闭 CloseAs=设置状态 -CloseBox=从您的看板中删除小部件 +CloseBox=从您的看板中删除widget小组件 Confirm=确认 ConfirmSendCardByMail=您真的想把这张卡片的内容邮寄给%s吗? Delete=删除 @@ -211,8 +213,8 @@ Select=选取 SelectAll=全选 Choose=选择 Resize=调整大小 +Crop=Crop ResizeOrCrop=调整大小或裁剪 -Recenter=Recenter Author=创建人 User=用户 Users=用户 @@ -247,7 +249,7 @@ Title=标题 Label=标签 RefOrLabel=编码或标签 Info=日志 -Family=家庭 +Family=所属应用系列 Description=描述 Designation=描述 DescriptionOfLine=说明线 @@ -444,7 +446,7 @@ LT1ES=编号 LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=额外的美分 +LT1GC=Additional cents VATRate=增值税率 RateOfTaxN=税率%s VATCode=税率代码 @@ -485,7 +487,7 @@ ActionUncomplete=不完整的 LatestLinkedEvents=最新的%s链接事件 CompanyFoundation=公司/组织 Accountant=会计 -ContactsForCompany=合作方联系方式 +ContactsForCompany=合作方联系人 ContactsAddressesForCompany=合作方联系人/地址 AddressesForCompany=合作方地址 ActionsOnCompany=该合作方的事件 @@ -547,6 +549,7 @@ Reportings=报告 Draft=草稿 Drafts=草稿 StatusInterInvoiced=已开具发票 +Done=完成 Validated=待批准 ValidatedToProduce=已验证(生产) Opened=打开 @@ -698,6 +701,7 @@ Response=反应 Priority=优先级 SendByMail=用电子邮件发送 MailSentBy=电子邮件发送者: +MailSentByTo=Email sent by %s to %s NotSent=不发送 TextUsedInTheMessageBody=电子邮件正文 SendAcknowledgementByMail=发送确认邮件 @@ -722,9 +726,10 @@ RecordModifiedSuccessfully=记录变更成功 RecordsModified=%s 记录已修改 RecordsDeleted=%s 记录已删除 RecordsGenerated=%s 生成的记录 +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=自动代码 FeatureDisabled=功能禁用 -MoveBox=拖动插件 +MoveBox=拖动widget小组件 Offered=提供 NotEnoughPermissions=您没有执行此操作的权限 UserNotInHierachy=此操作仅供该用户的主管使用 @@ -764,11 +769,10 @@ DisabledModules=已禁用模块 For=为 ForCustomer=对于顾客 Signature=签名 -DateOfSignature=签字日期 HidePassword=显示命令的隐藏密码 UnHidePassword=真正拿出明确的密码命令 Root=根 -RootOfMedias=公共媒体根 (/medias) +RootOfMedias=Root of public media (/medias) Informations=信息 Page=页面 Notes=备注 @@ -873,7 +877,7 @@ PublicUrl=公开网址 AddBox=添加信息框 SelectElementAndClick=选择一个元素并点击 %s PrintFile=打印文件 %s -ShowTransaction=在银行帐户条目 +ShowTransaction=在银行账户条目 ShowIntervention=显示现场服务 ShowContract=查看合同 GoIntoSetupToChangeLogo=进入主页 - 设置 - 公司更改徽标或进入主页 - 设置 - 显示隐藏。 @@ -916,6 +920,7 @@ BackOffice=后台 Submit=提交 View=查看 Export=导出 +Import=导入 Exports=导出 ExportFilteredList=导出筛选列表 ExportList=导出清单 @@ -949,7 +954,7 @@ BulkActions=批量操作 ClickToShowHelp=单击以显示工具提示帮助 WebSite=网站 WebSites=网站 -WebSiteAccounts=网站帐号 +WebSiteAccounts=网站访问帐户 ExpenseReport=费用报销单 ExpenseReports=费用报销单 HR=HR @@ -1077,6 +1082,7 @@ CommentPage=评论空间 CommentAdded=评论补充 CommentDeleted=评论已删除 Everybody=全体同仁 +EverybodySmall=所有人 PayedBy=付款人 PayedTo=支付给 Monthly=月度 @@ -1089,7 +1095,7 @@ KeyboardShortcut=快捷键 AssignedTo=分配给 Deletedraft=删除草稿 ConfirmMassDraftDeletion=草稿批量删除确认 -FileSharedViaALink=通过公共链接共享的文件 +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=首先选择合作方... YouAreCurrentlyInSandboxMode=您目前位于 %s “沙盒模式 Inventory=盘点 @@ -1123,7 +1129,7 @@ ContactDefault_project_task=任务 ContactDefault_propal=报价 ContactDefault_supplier_proposal=供应商报价 ContactDefault_ticket=服务工单 -ContactAddedAutomatically=从联系人合作方角色添加的联系人 +ContactAddedAutomatically=Contact added from third-party contact roles More=更多的 ShowDetails=显示详细资料 CustomReports=定制报告 @@ -1163,8 +1169,8 @@ AffectTag=分配标签 AffectUser=分配用户 SetSupervisor=设置主管 CreateExternalUser=创建外部用户 -ConfirmAffectTag=批量标签分配 -ConfirmAffectUser=批量用户分配 +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=每个项目/机会分配的角色 TasksRole=每个任务分配的角色(如果使用) ConfirmSetSupervisor=批量主管集 @@ -1221,8 +1227,8 @@ CreatedByPublicPortal=从公共门户创建 UserAgent=用户代理 InternalUser=内部用户 ExternalUser=外部用户 -NoSpecificContactAddress=无具体联系方式或地址 -NoSpecificContactAddressBis=此选项卡专用于强制当前对象的特定联系人或地址。仅当您想要为对象定义一个或多个特定联系人或地址且合作方信息不足或不准确时才使用它。 +NoSpecificContactAddress=无具体联系人或地址 +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=隐藏%s AddToContacts=将地址添加到我的联系人 LastAccess=上次访问时间 @@ -1239,3 +1245,18 @@ DateOfPrinting=印刷日期 ClickFullScreenEscapeToLeave=单击此处切换全屏模式。按 ESCAPE 键退出全屏模式。 UserNotYetValid=尚未生效 UserExpired=已到期 +LinkANewFile=链接一份新文件/文档 +LinkedFiles=链接文件和文档 +NoLinkFound=无注册链接 +LinkComplete=文件链接成功 +ErrorFileNotLinked=文件无法链接 +LinkRemoved=链接 %s 已移除 +ErrorFailedToDeleteLink= 移除链接失败 '%s' +ErrorFailedToUpdateLink= 更新链接失败 '%s' +URLToLink=URL网址超链接 +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/zh_CN/products.lang b/htdocs/langs/zh_CN/products.lang index ed1631fe50e..9cb68d2c532 100644 --- a/htdocs/langs/zh_CN/products.lang +++ b/htdocs/langs/zh_CN/products.lang @@ -1,25 +1,25 @@ # Dolibarr language file - Source file is en_US - products ProductRef=产品编号 ProductLabel=产品名称 -ProductLabelTranslated=产品标签已翻译 +ProductLabelTranslated=已翻译的产品名称 ProductDescription=产品描述 -ProductDescriptionTranslated=产品描述已翻译 -ProductNoteTranslated=产品备注已翻译 -ProductServiceCard=产品/服务 信息卡 +ProductDescriptionTranslated=已翻译的产品描述 +ProductNoteTranslated=已翻译的产品备注 +ProductServiceCard=产品/服务 TMenuProducts=产品 TMenuServices=服务 Products=产品 Services=服务 Product=产品 Service=服务 -ProductId=产品/服务 编号 +ProductId=产品/服务 ID Create=创建 Reference=编号 NewProduct=新建产品 NewService=新建服务 -ProductVatMassChange=更新全局增值税 -ProductVatMassChangeDesc=此工具更新所有产品和服务定义的增值税税率。 -MassBarcodeInit=批量条码初始化 +ProductVatMassChange=全局增值税更新 +ProductVatMassChangeDesc=此工具将更新所有产品和服务上定义的增值税税率。 +MassBarcodeInit=批量条形码初始化 MassBarcodeInitDesc=此页面可用于初始化未定义条形码的对象上的条形码。在模块条形码设置完成之前检查。 ProductAccountancyBuyCode=科目代码(采购) ProductAccountancyBuyIntraCode=科目代码 (社区内采购) @@ -73,15 +73,18 @@ SellingPrice=售价 SellingPriceHT=销售价格 ( 不含税 ) SellingPriceTTC=售价(税后) SellingMinPriceTTC=最低销售价格 ( 含税 ) -CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. +CostPriceDescription=此价格字段(不含税)可用于获取贵公司该产品的平均成本。它可以是您自己计算的任何价格,例如,根据平均购买价格加上平均生产和分销成本得出的价格。 CostPriceUsage=此值可用于利润计算。 ManufacturingPrice=制造价格 SoldAmount=销售总额 PurchasedAmount=采购总额 NewPrice=新增价格 MinPrice=最低售价 +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=编辑销售价格标签 -CantBeLessThanMinPrice=售价不能低于此产品的最低价格 (%s 税前)。此消息也可能在您输入折扣巨大时出现 +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=已禁用 ErrorProductAlreadyExists=编号为 %s 的产品已存在。 ErrorProductBadRefOrLabel=输入的编号或标签无效,请输入符合要求的编号或标签。 @@ -97,7 +100,7 @@ ServicesArea=服务区 ListOfStockMovements=库存调拨清单 BuyingPrice=买价 PriceForEachProduct=产品明码标价 -SupplierCard=供应商卡 +SupplierCard=供应商 PriceRemoved=价格已删除 BarCode=条码 BarcodeType=条码类型 @@ -106,24 +109,24 @@ BarcodeValue=条码值 NoteNotVisibleOnBill=备注 (账单、报价...中不可见) ServiceLimitedDuration=如果产品是有限期的服务: FillWithLastServiceDates=填写最后服务行日期 -MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) +MultiPricesAbility=每种产品/服务有多个价格段(每个客户都属于一个价格段) MultiPricesNumPrices=价格个数 -DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices -AssociatedProductsAbility=Enable Kits (set of several products) -VariantsAbility=Enable Variants (variations of products, for example color, size) -AssociatedProducts=Kits -AssociatedProductsNumber=Number of products composing this kit +DefaultPriceType=添加新销售价格时的各种(含税与不含税)默认基础价格 +AssociatedProductsAbility=启用套件(多个产品的集合) +VariantsAbility=启用变体(产品的变体,例如颜色、尺寸) +AssociatedProducts=套件 +AssociatedProductsNumber=组成该套件的产品数量 ParentProductsNumber=父级包装产品的数量 ParentProducts=父产品 IfZeroItIsNotAVirtualProduct=如果为0,这产品不是套件 -IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit +IfZeroItIsNotUsedByVirtualProduct=如果为 0,则任何套件均未使用该产品 KeywordFilter=关键词筛选 CategoryFilter=分类筛选 ProductToAddSearch=搜索要添加的产品 NoMatchFound=未发现匹配项目 ListOfProductsServices=产品/服务清单 -ProductAssociationList=List of products/services that are component(s) of this kit -ProductParentList=List of kits with this product as a component +ProductAssociationList=作为该套件组件的产品/服务清单 +ProductParentList=包含该产品的套件清单 ErrorAssociationIsFatherOfThis=所选产品中有当前产品的父级产品 DeleteProduct=删除产品/服务 ConfirmDeleteProduct=您确定要删除此产品/服务吗? @@ -135,21 +138,21 @@ ImportDataset_service_1=服务 DeleteProductLine=删除产品文字行 ConfirmDeleteProductLine=您确定要删除这行产品吗? ProductSpecial=Special -QtyMin=Min. purchase quantity -PriceQtyMin=Price quantity min. -PriceQtyMinCurrency=Price (currency) for this qty. -WithoutDiscount=Without discount -VATRateForSupplierProduct=VAT Rate (for this vendor/product) -DiscountQtyMin=Discount for this qty. -NoPriceDefinedForThisSupplier=No price/qty defined for this vendor/product -NoSupplierPriceDefinedForThisProduct=No vendor price/qty defined for this product -PredefinedItem=Predefined item -PredefinedProductsToSell=Predefined Product -PredefinedServicesToSell=Predefined Service +QtyMin=最少采购数量 +PriceQtyMin=最少数量价格 +PriceQtyMinCurrency=该数量的价格(货币)。 +WithoutDiscount=无折扣 +VATRateForSupplierProduct=增值税率(针对该供应商/产品) +DiscountQtyMin=此数量的折扣。 +NoPriceDefinedForThisSupplier=没有为此供应商/产品定义价格/数量 +NoSupplierPriceDefinedForThisProduct=没有为此产品定义供应商价格/数量 +PredefinedItem=预定义项 +PredefinedProductsToSell=预定义产品 +PredefinedServicesToSell=预定义服务 PredefinedProductsAndServicesToSell=预定产品/服务到销售 PredefinedProductsToPurchase=预定产品到采购 PredefinedServicesToPurchase=预定服务到采购 -PredefinedProductsAndServicesToPurchase=Predefined products/services to purchase +PredefinedProductsAndServicesToPurchase=要采购的预定义产品/服务 NotPredefinedProducts=没有预定产品/服务 GenerateThumb=生成 缩略图 ServiceNb=服务 #%s @@ -159,25 +162,25 @@ ListServiceByPopularity=服务列表(按人气) Finished=成品 RowMaterial=原料 ConfirmCloneProduct=您确定要克隆产品或服务 %s 吗? -CloneContentProduct=Clone all main information of the product/service +CloneContentProduct=克隆产品/服务的所有主要信息 ClonePricesProduct=克隆价格 -CloneCategoriesProduct=Clone linked tags/categories -CloneCompositionProduct=Clone virtual products/services -CloneCombinationsProduct=Clone the product variants +CloneCategoriesProduct=克隆已链接的标签/类别 +CloneCompositionProduct=克隆虚拟产品/服务 +CloneCombinationsProduct=克隆产品变体 ProductIsUsed=此产品已使用 NewRefForClone=新产品/服务的编号 SellingPrices=售价 BuyingPrices=买价 CustomerPrices=客户价格 SuppliersPrices=供应商价格 -SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) -CustomCode=Customs|Commodity|HS code -CountryOrigin=Country of origin -RegionStateOrigin=Region of origin -StateOrigin=State|Province of origin -Nature=Nature of product (raw/manufactured) +SuppliersPricesOfProductsOrServices=供应商价格(产品或服务) +CustomCode=自定义代码 | 商品代码 | HS代码 +CountryOrigin=原产地国家 +RegionStateOrigin=原产地 +StateOrigin=原产地州 | 省 +Nature=产品性质(原料/成品) NatureOfProductShort=产品性质 -NatureOfProductDesc=Raw material or manufactured product +NatureOfProductDesc=原材料或制成品 ShortLabel=标签别名 Unit=单位 p=u. @@ -211,7 +214,7 @@ unitLM=线性仪表 unitM2=平方米 unitM3=立方米 unitL=升 -unitT=ton +unitT=吨 unitKG=公斤 unitG=公克 unitMG=毫克 @@ -221,8 +224,8 @@ unitM=仪表 unitDM=马克 unitCM=厘米 unitMM=毫米 -unitFT=ft -unitIN=in +unitFT=英尺 +unitIN=英寸 unitM2=平方米 unitDM2=dm² unitCM2=cm² @@ -230,9 +233,9 @@ unitMM2=mm² unitFT2=ft² unitIN2=in² unitM3=立方米 -unitDM3=dm³ -unitCM3=cm³ -unitMM3=mm³ +unitDM3=立方分米 +unitCM3=立方厘米 +unitMM3=立方毫米 unitFT3=ft³ unitIN3=in³ unitOZ3=盎司 @@ -245,13 +248,13 @@ AlwaysUseFixedPrice=使用固定价格 PriceByQuantity=不同数量价格 DisablePriceByQty=按数量禁用价格 PriceByQuantityRange=定量范围 -MultipriceRules=Automatic prices for segment -UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment +MultipriceRules=分段自动定价 +UseMultipriceRules=使用价格分段规则(在产品模块设置中定义)根据第一个分段自动计算所有其他分段的价格 PercentVariationOver=%% 变化 %s PercentDiscountOver=%%折扣超过%s KeepEmptyForAutoCalculation=保持空白,以便根据产品的重量或体积自动计算 -VariantRefExample=Examples: COL, SIZE -VariantLabelExample=Examples: Color, Size +VariantRefExample=示例:颜色、尺寸 +VariantLabelExample=示例:颜色、尺寸 ### composition fabrication Build=生产 ProductsMultiPrice=每个价格段的产品和价格 @@ -262,50 +265,50 @@ Quarter1=一季度 Quarter2=二季度 Quarter3=三季度 Quarter4=四季度 -BarCodePrintsheet=Print barcodes -PageToGenerateBarCodeSheets=With this tool, you can print sheets of barcode stickers. Choose format of your sticker page, type of barcode and value of barcode, then click on button %s. +BarCodePrintsheet=打印条形码 +PageToGenerateBarCodeSheets=使用此工具,您可以打印多张条形码便签贴纸。选择便签贴纸页的格式、条形码类型和条形码值,然后点击按钮 %s。 NumberOfStickers=要打印的标签数量 PrintsheetForOneBarCode=为一个条形码打印几个贴纸 BuildPageToPrint=生成打印页面 FillBarCodeTypeAndValueManually=填入所要打印的条码类型和常规参数值 FillBarCodeTypeAndValueFromProduct=将产品的条码值填入所要打印的条码类型和参数值 FillBarCodeTypeAndValueFromThirdParty=填写条形码类型和合作方条形码的值。 -DefinitionOfBarCodeForProductNotComplete=Definition of type or value of barcode not complete for product %s. -DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of barcode non complete for third party %s. -BarCodeDataForProduct=Barcode information of product %s: -BarCodeDataForThirdparty=Barcode information of third party %s: +DefinitionOfBarCodeForProductNotComplete=产品 %s 的条形码类型或值定义不完整。 +DefinitionOfBarCodeForThirdpartyNotComplete=合作方 %s 的条形码类型或值的定义不完整 。 +BarCodeDataForProduct=产品 %s 的条形码信息: +BarCodeDataForThirdparty=合作方 %s 的条形码信息: ResetBarcodeForAllRecords=为所有记录定义条形码值(这也将重置已使用新值定义的条形码值) PriceByCustomer=每位客户不同价格 PriceCatalogue=每产品/服务单独销售价 -PricingRule=Rules for selling prices +PricingRule=销售价格规则 AddCustomerPrice=为客户添加价格 -ForceUpdateChildPriceSoc=Set same price on customer's subsidiaries +ForceUpdateChildPriceSoc=对客户的子公司设定相同的价格 PriceByCustomerLog=记录以前的客户价格 MinimumPriceLimit=最低价格不允许低于 %s -MinimumRecommendedPrice=Minimum recommended price is: %s +MinimumRecommendedPrice=建议最低价格为:%s PriceExpressionEditor=价格表达式编辑器 PriceExpressionSelected=选择价格表达式 PriceExpressionEditorHelp1="price = 2 + 2" 或 "2 + 2" 价格设置. 使用 ; 单独的表达式 PriceExpressionEditorHelp2=您可以使用 #extrafield_myextrafieldkey#等变量访问ExtraFields,使用 #global_mycode#访问全局变量 -PriceExpressionEditorHelp3=In both product/service and vendor prices there are these variables available:
      #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# -PriceExpressionEditorHelp4=In product/service price only: #supplier_min_price#
      In vendor prices only: #supplier_quantity# and #supplier_tva_tx# +PriceExpressionEditorHelp3=产品/服务和供应商价格中都有以下可用变量:
      #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# +PriceExpressionEditorHelp4=仅在产品/服务价格中:#supplier_min_price#
      仅在供应商价格中:#supplier_quantity# 和 #supplier_tva_tx# PriceExpressionEditorHelp5=全局变量值: PriceMode=价格模式 PriceNumeric=数字 DefaultPrice=默认价格 -DefaultPriceLog=Log of previous default prices +DefaultPriceLog=之前默认价格的日志 ComposedProductIncDecStock=增加/减少父库存变化 -ComposedProduct=Child products +ComposedProduct=子产品 MinSupplierPrice=最低购买价格 MinCustomerPrice=最低售价 -NoDynamicPrice=No dynamic price +NoDynamicPrice=无动态价格 DynamicPriceConfiguration=动态价格配置 -DynamicPriceDesc=You may define mathematical formulae to calculate Customer or Vendor prices. Such formulas can use all mathematical operators, some constants and variables. You can define here the variables you wish to use. If the variable needs an automatic update, you may define the external URL to allow Dolibarr to update the value automatically. +DynamicPriceDesc=您可以定义数学公式来计算客户或供应商价格。此类公式可以使用所有数学运算符、一些常量和变量。您可以在此处定义您想要使用的变量。如果变量需要自动更新,您可以定义外部 URL 以允许 Dolibarr 自动更新值。 AddVariable=添加变量 AddUpdater=添加更新 GlobalVariables=全局变量 VariableToUpdate=变量到更新 -GlobalVariableUpdaters=External updaters for variables +GlobalVariableUpdaters=变量的外部更新器 GlobalVariableUpdaterType0=JSON数据 GlobalVariableUpdaterHelp0=从指定的URL解析JSON数据,VALUE指定相关值的位置, GlobalVariableUpdaterHelpFormat0=请求格式{“URL”:“http://example.com/urlofjson”,“VALUE”:“array1,array2,targetvalue”} @@ -317,13 +320,13 @@ LastUpdated=最新更新 CorrectlyUpdated=当前更新 PropalMergePdfProductActualFile=文件添加到 PDF Azur are/is PropalMergePdfProductChooseFile=选择PDF文件 -IncludingProductWithTag=Including products/services with the tag +IncludingProductWithTag=包括带标签的产品/服务 DefaultPriceRealPriceMayDependOnCustomer=默认价格,实际价格可能取决于客户 WarningSelectOneDocument=请至少选择一个文档 DefaultUnitToShow=单位 NbOfQtyInProposals=报价数 ClinkOnALinkOfColumn=单击%s列的链接以获取详细视图... -ProductsOrServicesTranslations=Products/Services translations +ProductsOrServicesTranslations=产品/服务翻译 TranslatedLabel=翻译标签 TranslatedDescription=翻译描述 TranslatedNote=翻译备注 @@ -331,10 +334,10 @@ ProductWeight=1个产品的重量 ProductVolume=1个产品的体积 WeightUnits=重量单位 VolumeUnits=体积单位 -WidthUnits=Width unit -LengthUnits=Length unit -HeightUnits=Height unit -SurfaceUnits=Surface unit +WidthUnits=宽度单位 +LengthUnits=长度单位 +HeightUnits=高度单位 +SurfaceUnits=面积单位 SizeUnits=大小单位 DeleteProductBuyPrice=删除买价 ConfirmDeleteProductBuyPrice=您确定想要删除买价吗? @@ -343,20 +346,21 @@ ProductSheet=产品表 ServiceSheet=服务单 PossibleValues=可能的值 GoOnMenuToCreateVairants=继续菜单%s - %s准备属性变体(如颜色,大小......) -UseProductFournDesc=Add a feature to define the product description defined by the vendors (for each vendor reference) in addition to the description for customers -ProductSupplierDescription=Vendor description for the product -UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) -PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=You will automaticaly purchase a multiple of this quantity. -QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging +UseProductFournDesc=添加一个功能来定义供应商(针对每个供应商编码)定义的产品描述以及客户的描述 +ProductSupplierDescription=产品的供应商描述 +UseProductSupplierPackaging=使用“包装”功能将数量四舍五入到某个给定倍数(在供应商文档中添加/更新行时,根据产品采购价格中设置的较高倍数重新计算数量和采购价格) +PackagingForThisProduct=包装数量 +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. +QtyRecalculatedWithPackaging=根据供应商的包装重新计算本行的数量 #Attributes +Attributes=属性 VariantAttributes=变体属性 ProductAttributes=产品的变体属性 ProductAttributeName=变体属性%s ProductAttribute=变体属性 ProductAttributeDeleteDialog=您确定要删除此属性吗?所有值都将被删除 -ProductAttributeValueDeleteDialog=您确定要删除该属性的引用“%s”的值“%s”吗? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=您确定要删除产品“ %s ”的变体吗? ProductCombinationAlreadyUsed=删除变体时出错。请检查它是否在任何物体中使用 ProductCombinations=变种 @@ -371,9 +375,9 @@ SelectCombination=选择组合 ProductCombinationGenerator=变种发电机 Features=特征 PriceImpact=价格影响 -ImpactOnPriceLevel=Impact on price level %s -ApplyToAllPriceImpactLevel= Apply to all levels -ApplyToAllPriceImpactLevelHelp=By clicking here you set the same price impact on all levels +ImpactOnPriceLevel=对价格级别 %s 的影响 +ApplyToAllPriceImpactLevel= 适用于所有级别 +ApplyToAllPriceImpactLevelHelp=单击此处,您可以对所有级别设置相同的价格影响 WeightImpact=重量影响 NewProductAttribute=新建属性 NewProductAttributeValue=新属性值 @@ -384,49 +388,52 @@ DoNotRemovePreviousCombinations=不要删除以前的变种 UsePercentageVariations=使用百分比变化 PercentageVariation=百分率变化 ErrorDeletingGeneratedProducts=尝试删除现有产品变体时出错 -NbOfDifferentValues=No. of different values -NbProducts=Number of products +NbOfDifferentValues=不同值的数量 +NbProducts=产品数量 ParentProduct=父产品 +ParentProductOfVariant=变体的父产品 HideChildProducts=隐藏变体产品 -ShowChildProducts=Show variant products -NoEditVariants=Go to Parent product card and edit variants price impact in the variants tab +ShowChildProducts=显示产品变体 +NoEditVariants=前往父产品页面并在变体标签页中编辑变体价格影响 ConfirmCloneProductCombinations=您是否要将所有产品变体复制到具有给定参考的其他父产品? CloneDestinationReference=目的地产品参考 ErrorCopyProductCombinations=复制产品变体时出错 ErrorDestinationProductNotFound=找不到目的地产品 ErrorProductCombinationNotFound=未找到产品变体 ActionAvailableOnVariantProductOnly=操作仅适用于产品变体 -ProductsPricePerCustomer=Product prices per customers -ProductSupplierExtraFields=Additional Attributes (Supplier Prices) -DeleteLinkedProduct=Delete the child product linked to the combination -AmountUsedToUpdateWAP=Unit amount to use to update the Weighted Average Price +ProductsPricePerCustomer=每个客户的产品价格 +ProductSupplierExtraFields=附加属性(供应商价格) +DeleteLinkedProduct=删除链接到组合的子产品 +AmountUsedToUpdateWAP=用于更新加权平均价格的单位量 PMPValue=加权平均价格 PMPValueShort=的WAP -mandatoryperiod=Mandatory periods -mandatoryPeriodNeedTobeSet=Note: Period (start and end date) must be defined -mandatoryPeriodNeedTobeSetMsgValidate=A service requires a start and end period -mandatoryHelper=如果您希望在创建/验证发票、报价单、销售订单时向用户发送消息,而不在使用此服务的行中输入开始和结束日期,请选中此项。
      请注意,该消息是警告而不是阻塞错误。 +mandatoryperiod=强制期限 +mandatoryPeriodNeedTobeSet=注意:必须定义期间(开始日期和结束日期) +mandatoryPeriodNeedTobeSetMsgValidate=服务需要有开始时间和结束时间 +mandatoryHelper=选中此项后,当创建/验证发票、报价单、销售订单时,若在此服务所在行上没有输入开始和结束日期,则向用户弹出一条消息。
      请注意,该消息是一个警告而不是一个阻塞后续操作的错误。 DefaultBOM=默认物料清单 DefaultBOMDesc=建议使用默认 BOM 来制造该产品。仅当产品性质为“%s”时才能设置此字段。 -Rank=Rank -MergeOriginProduct=Duplicate product (product you want to delete) -MergeProducts=Merge products -ConfirmMergeProducts=Are you sure you want to merge the chosen product with the current one? All linked objects (invoices, orders, ...) will be moved to the current product, after which the chosen product will be deleted. -ProductsMergeSuccess=Products have been merged -ErrorsProductsMerge=Errors in products merge -SwitchOnSaleStatus=Switch on sale status -SwitchOnPurchaseStatus=Switch on purchase status -UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= 自定义属性(库存调拨) +Rank=等级 +MergeOriginProduct=重复的产品(您要删除的产品) +MergeProducts=合并产品 +ConfirmMergeProducts=您确定要将所选产品与当前产品合并吗?所有链接的对象(发票、订单等)都将移至当前产品,之后所选产品将被删除。 +ProductsMergeSuccess=产品已合并 +ErrorsProductsMerge=产品合并错误 +SwitchOnSaleStatus=开启销售状态 +SwitchOnPurchaseStatus=开启采购状态 +UpdatePrice=增加/减少客户价格 +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= 自定义属性(盘点) -ScanOrTypeOrCopyPasteYourBarCodes=Scan or type or copy/paste your barcodes -PuttingPricesUpToDate=Update prices with current known prices -PuttingDescUpToDate=Update descriptions with current known descriptions -PMPExpected=Expected PMP -ExpectedValuation=Expected Valuation -PMPReal=Real PMP -RealValuation=Real Valuation +ScanOrTypeOrCopyPasteYourBarCodes=扫描或录入或复制/粘贴您的条形码 +PuttingPricesUpToDate=使用当前已知的价格更新价格 +PuttingDescUpToDate=使用当前已知的描述更新描述 +PMPExpected=预期 PMP +ExpectedValuation=预估值 +PMPReal=实际 PMP +RealValuation=实际估值 ConfirmEditExtrafield = 选择您要变更的自定义属性 ConfirmEditExtrafieldQuestion = 您确定要变更此自定义属性吗? ModifyValueExtrafields = 修改自定义属性的值 -OrProductsWithCategories=Or products with tags/categories +OrProductsWithCategories=或带标签/类别的产品 +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/zh_CN/projects.lang b/htdocs/langs/zh_CN/projects.lang index a666f541473..47983aa0ba2 100644 --- a/htdocs/langs/zh_CN/projects.lang +++ b/htdocs/langs/zh_CN/projects.lang @@ -45,10 +45,11 @@ OutOfProject=项目外 NoProject=没有被定义或被拥有的项目 NbOfProjects=项目数量 NbOfTasks=任务数量 +TimeEntry=Time tracking TimeSpent=工时 +TimeSpentSmall=工时 TimeSpentByYou=你的工时 TimeSpentByUser=用户工时 -TimesSpent=工时 TaskId=任务ID RefTask=任务编号 LabelTask=任务标签 @@ -82,7 +83,7 @@ MyProjectsArea=我的项目区 DurationEffective=有效期限 ProgressDeclared=宣布的实际进度 TaskProgressSummary=任务进度 -CurentlyOpenedTasks=当前已打开任务 +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=宣布的实际进度比消耗进度少%s TheReportedProgressIsMoreThanTheCalculatedProgressionByX=宣布的实际进度比消耗进度多%s ProgressCalculated=消耗进度 @@ -122,7 +123,7 @@ TaskHasChild=任务有子任务 NotOwnerOfProject=不是此私人项目的所有者 AffectedTo=已分配给 CantRemoveProject=此项目不能被删除,因为它被其他对象(发票,订单或其他)引用。 请参看页签“%s” -ValidateProject=验证项目 +ValidateProject=Validate project ConfirmValidateProject=您确定要验证该项目吗? CloseAProject=关闭项目 ConfirmCloseAProject=您确定要关闭此项目吗? @@ -226,7 +227,7 @@ ProjectsStatistics=项目或商机统计 TasksStatistics=项目或商机的任务统计 TaskAssignedToEnterTime=任务已分配。应该可以输入此任务的时间。 IdTaskTime=任务时间ID -YouCanCompleteRef=如果您想增加一些后缀来完善此编号,建议添加一个 - 字符来分隔它,以便自动编号功能在接下来的新增项目编号中仍然可以正常工作。例如 %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=合作方打开项目 OnlyOpportunitiesShort=仅商机 OpenedOpportunitiesShort=打开商机 @@ -238,7 +239,7 @@ OpportunityPonderatedAmountDesc=用概率加权的商机金额 OppStatusPROSP=准客户 OppStatusQUAL=合格 OppStatusPROPO=报价 -OppStatusNEGO=谈判 +OppStatusNEGO=Negotiation OppStatusPENDING=待办 OppStatusWON=拥有 OppStatusLOST=失去 diff --git a/htdocs/langs/zh_CN/propal.lang b/htdocs/langs/zh_CN/propal.lang index 52c3b7a97f8..ae84b523c89 100644 --- a/htdocs/langs/zh_CN/propal.lang +++ b/htdocs/langs/zh_CN/propal.lang @@ -6,15 +6,17 @@ ProposalsDraft=起草报价单 ProposalsOpened=开启商业报价 CommercialProposal=报价单 PdfCommercialProposalTitle=报价 -ProposalCard=报价 信息卡 +ProposalCard=报价单 NewProp=新建报价单 NewPropal=新建报价单 Prospect=准客户 DeleteProp=删除报价单 ValidateProp=验证报价单 +CancelPropal=取消 AddProp=创建报价单 ConfirmDeleteProp=您确定要删除此报价单吗? -ConfirmValidateProp=您确定要在 %s名下验证此报价单吗? +ConfirmValidateProp=您确定要验证这个编码为 %s 的报价单吗? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=最近新增的 %s 份报价单 LastModifiedProposals=最近修改的 %s 份报价单 AllPropals=全部报价单 @@ -27,11 +29,13 @@ NbOfProposals=报价单数量 ShowPropal=显示报价 PropalsDraft=草稿 PropalsOpened=打开 +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=草稿(需要验证) PropalStatusValidated=已验证(打开的报价单) PropalStatusSigned=已签署(待付款) PropalStatusNotSigned=未签署(已关闭) PropalStatusBilled=已到账 +PropalStatusCanceledShort=已取消 PropalStatusDraftShort=草稿 PropalStatusValidatedShort=已验证(打开) PropalStatusClosedShort=已禁用 @@ -94,8 +98,8 @@ ContractSigned=合同已签 DefaultModelPropalClosed=关闭订单时使用的默认模板(待付款) DefaultModelPropalCreate=设置默认模板 DefaultModelPropalToBill=关闭订单时使用的默认模板(待生成账单) -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model +DocModelAzurDescription=完整的报价单模板(Cyan 模板的旧实现) +DocModelCyanDescription=完整的报价单模板 FichinterSigned=现场服务已签署 IdProduct=Product ID IdProposal=报价单 ID @@ -114,6 +118,7 @@ RefusePropal=Refuse proposal Sign=Sign SignContract=Sign contract SignFichinter=签署现场服务 +SignSociete_rib=Sign mandate SignPropal=Accept proposal Signed=signed SignedOnly=Signed only diff --git a/htdocs/langs/zh_CN/receptions.lang b/htdocs/langs/zh_CN/receptions.lang index a1ca3f3e263..18b72961f5c 100644 --- a/htdocs/langs/zh_CN/receptions.lang +++ b/htdocs/langs/zh_CN/receptions.lang @@ -15,7 +15,7 @@ LastReceptions=最近新增的 %s 份收货单 StatisticsOfReceptions=收货统计 NbOfReceptions=收货单数 NumberOfReceptionsByMonth=每月收货单数 -ReceptionCard=收货单标签页 +ReceptionCard=收货单 NewReception=新建收货单 CreateReception=创建收货单 QtyInOtherReceptions=其他收货单中的数量 @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=已处理 ReceptionSheet=收货单表单 ValidateReception=验证收货单 ConfirmDeleteReception=您确定要删除此收货单吗? -ConfirmValidateReception=您确定要验证编号为 %s 的收货单吗? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=您确定要取消此收货单吗? -StatsOnReceptionsOnlyValidated=仅统计已验证的收货单。使用的日期是收货单验证日期(计划的交货日期并不总是已知的)。 +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=通过电子邮件发送收货单 SendReceptionRef=提交收货单%s ActionsOnReception=收货单事件 @@ -53,5 +53,6 @@ ReceptionBackToDraftInDolibarr=收货单 %s 回退到草稿状态 ReceptionClassifyClosedInDolibarr=收货单 %s 分类为已关闭 ReceptionUnClassifyCloseddInDolibarr=收货单 %s 重新打开 RestoreWithCurrentQtySaved=使用最新保存的值填充数量 -ReceptionUpdated=收货单已更新成功 +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated ReceptionDistribution=收货单分布 diff --git a/htdocs/langs/zh_CN/sendings.lang b/htdocs/langs/zh_CN/sendings.lang index afb57366e7c..c7a0a56567d 100644 --- a/htdocs/langs/zh_CN/sendings.lang +++ b/htdocs/langs/zh_CN/sendings.lang @@ -14,7 +14,7 @@ LastSendings=最近的 %s 份发货单 StatisticsOfSendings=发货单统计 NbOfSendings=发货单数量 NumberOfShipmentsByMonth=每月发货单数量 -SendingCard=发货信息卡 +SendingCard=发货单 NewSending=新建发货单 CreateShipment=创建发货单 QtyShipped=已发货数量 @@ -39,7 +39,7 @@ StatusSendingValidatedShort=已验证 StatusSendingProcessedShort=已处理 SendingSheet=发货单 ConfirmDeleteSending=您确定要删除此发货单吗? -ConfirmValidateSending=您确定要验证编号为 %s 的发货单吗? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=您确定要取消此发货单吗? DocumentModelMerou=Merou A5 模板 WarningNoQtyLeftToSend=警告,没有等待发货的产品。 @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=已收货的未完成采购订单 NoProductToShipFoundIntoStock=仓库 %s 中找不到要发货的产品。纠正库存或返回选择另一个仓库。 WeightVolShort=重量/体积 ValidateOrderFirstBeforeShipment=您必须先验证订单才能创建发货单。 +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=产品总重量 # warehouse details DetailWarehouseNumber= 仓库详情 DetailWarehouseFormat= 重量:%s(数量:%d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=发货单分布 -ErrorTooManyCombinationBatchcode=行 %s 未配送,因为发现了太多的(%s)仓库、产品、批次代码的组合。 -ErrorNoCombinationBatchcode=行 %s 未配送,因为未找到仓库、产品、批次代码的组合。 +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/zh_CN/stocks.lang b/htdocs/langs/zh_CN/stocks.lang index 21a46ade5a7..ae5697073c3 100644 --- a/htdocs/langs/zh_CN/stocks.lang +++ b/htdocs/langs/zh_CN/stocks.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - stocks -WarehouseCard=仓库信息 +WarehouseCard=仓库 Warehouse=仓库 Warehouses=仓库 ParentWarehouse=父仓库 @@ -119,6 +119,7 @@ PersonalStock=个人库存 %s ThisWarehouseIsPersonalStock=此仓库代表 %s %s 的个人库存 SelectWarehouseForStockDecrease=选择用于减少库存的仓库 SelectWarehouseForStockIncrease=选择用于增加库存的仓库 +RevertProductsToStock=Revert products to stock ? NoStockAction=无库存操作 DesiredStock=期望库存 DesiredStockDesc=此库存金额将是用于通过补货功能填充库存的值。 @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=对于该批号,您的源仓库中没有足够的 ShowWarehouse=显示仓库 MovementCorrectStock=产品库存校正 %s MovementTransferStock=将产品%s的库存转移到另一个仓库 +BatchStockMouvementAddInGlobal=Batch stock move into global stock (product doesn't use batch anymore) InventoryCodeShort=Inv./Mov. 代码 NoPendingReceptionOnSupplierOrder=由于是未完成的采购订单,没有待收货 ThisSerialAlreadyExistWithDifferentDate=此批/序号( %s )已存在,但具有不同的吃饭或卖出日期(找到 %s 但您输入 %s )。 @@ -210,10 +212,10 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=库存调拨将有盘点日期( inventoryChangePMPPermission=允许更改产品的PMP值 ColumnNewPMP=新单位PMP OnlyProdsInStock=请勿添加无库存产品 -TheoricalQty=理论数量 -TheoricalValue=理论数量 +TheoricalQty=Theoretical qty +TheoricalValue=Theoretical qty LastPA=最后 BP -CurrentPA=当前 BP +CurrentPA=Current BP RecordedQty=记录数量 RealQty=实际数量 RealValue=实际价值 @@ -244,7 +246,7 @@ StockAtDatePastDesc=您可以在此处查看过去给定日期的库存(实际 StockAtDateFutureDesc=您可以在这里查看未来指定日期的库存(虚拟库存) CurrentStock=当前库存 InventoryRealQtyHelp=将值设置为 0 以重置数量
      将字段保留为空,或删除行以保持不变 -UpdateByScaning=扫码填写真实数量 +UpdateByScaning=Complete real qty by scanning UpdateByScaningProductBarcode=扫码更新(产品条形码) UpdateByScaningLot=扫码更新(批次|序列条形码) DisableStockChangeOfSubProduct=在此调拨期间停止该套件所有子产品的库存变化。 @@ -280,7 +282,7 @@ ModuleStockTransferName=高级库存转移 ModuleStockTransferDesc=库存转移的高级管理,生成转移表 StockTransferNew=新建库存转移 StockTransferList=库存转移清单 -ConfirmValidateStockTransfer=您确定要验证此编号 %s 的库存转移? +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? ConfirmDestock=通过转移%s减少库存 ConfirmDestockCancel=取消通过转移%s减少库存 DestockAllProduct=库存减少 @@ -307,8 +309,8 @@ StockTransferDecrementationCancel=取消减少来源仓库 StockTransferIncrementationCancel=取消增加目的仓库 StockStransferDecremented=来源仓库已减少 StockStransferDecrementedCancel=来源仓库的减少已取消 -StockStransferIncremented=已关闭 - 库存已转移 -StockStransferIncrementedShort=库存已转移 +StockStransferIncremented=Closed - Stocks transferred +StockStransferIncrementedShort=Stocks transferred StockStransferIncrementedShortCancel=目的仓库的增加已取消 StockTransferNoBatchForProduct=产品%s未使用批次,请在线清除批次并重试 StockTransferSetup = 库存转移模块配置 @@ -318,8 +320,18 @@ StockTransferRightRead=读取库存转移 StockTransferRightCreateUpdate=创建/变更库存转移 StockTransferRightDelete=删除库存转移 BatchNotFound=未找到该产品的批次/序列号 +StockEntryDate=Date of
      entry in stock StockMovementWillBeRecorded=库存调拨将被记录 StockMovementNotYetRecorded=库存调拨不会受到此步骤的影响 +ReverseConfirmed=Stock movement has been reversed successfully + WarningThisWIllAlsoDeleteStock=警告,这也会销毁仓库中的所有库存数量 +ValidateInventory=Inventory validation +IncludeSubWarehouse=Include sub-warehouse ? +IncludeSubWarehouseExplanation=Check this box if you want to include all sub-warehouses of the associated warehouse in the inventory DeleteBatch=删除批次/序列号 ConfirmDeleteBatch=您确定要删除此批次/序列号吗? +WarehouseUsage=Warehouse usage +InternalWarehouse=Internal warehouse +ExternalWarehouse=External warehouse +WarningThisWIllAlsoDeleteStock=警告,这也会销毁仓库中的所有库存数量 diff --git a/htdocs/langs/zh_CN/website.lang b/htdocs/langs/zh_CN/website.lang index 87fe2cf9b0f..791f9bae483 100644 --- a/htdocs/langs/zh_CN/website.lang +++ b/htdocs/langs/zh_CN/website.lang @@ -1,33 +1,33 @@ # Dolibarr language file - Source file is en_US - website Shortname=代码 -WebsiteName=Name of the website -WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them. -DeleteWebsite=删除网址 -ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. +WebsiteName=网站名称 +WebsiteSetupDesc=在此创建您想要使用的网站。然后进入“网站”菜单进行编辑。 +DeleteWebsite=删除网站 +ConfirmDeleteWebsite=您确定要删除该网站吗?其所有页面和内容也将被删除。上传的文件(例如媒体目录、ECM 模块等)将保留。 WEBSITE_TYPE_CONTAINER=页面/容器的类型 -WEBSITE_PAGE_EXAMPLE=以网页为例 -WEBSITE_PAGENAME=页面名字/别名 +WEBSITE_PAGE_EXAMPLE=用作示例的网页 +WEBSITE_PAGENAME=页面名称/别名 WEBSITE_ALIASALT=替代页面名称/别名 WEBSITE_ALIASALTDesc=在此处使用其他名称/别名列表,以便也可以使用此其他名称/别名访问该页面(例如,重命名别名后的旧名称以保持旧链接/名称工作的反向链接)。语法是:
      alternativename1,alternativename2,... WEBSITE_CSS_URL=外部CSS文件的URL地址 WEBSITE_CSS_INLINE=CSS文件内容(所有页面共有) -WEBSITE_JS_INLINE=Javascript文件内容(所有页面共有) -WEBSITE_HTML_HEADER=在HTML标题的底部添加(对所有页面通用) +WEBSITE_JS_INLINE=JavaScript file content (common to all pages) +WEBSITE_HTML_HEADER=添加在 HTML 页眉的底部(对所有页面通用) WEBSITE_ROBOT=机器人文件(robots.txt) -WEBSITE_HTACCESS=Website .htaccess file -WEBSITE_MANIFEST_JSON=Website manifest.json file -WEBSITE_KEYWORDSDesc=Use a comma to separate values -EnterHereReadmeInformation=Enter here a description of the website. If you distribute your website as a template, the file will be included into the temptate package. -EnterHereLicenseInformation=Enter here the LICENSE of the code of the website. If you distribute your website as a template, the file will be included into the temptate package. -HtmlHeaderPage=HTML标头(仅限此页面) +WEBSITE_HTACCESS=网站 .htaccess 文件 +WEBSITE_MANIFEST_JSON=网站 manifest.json 文件 +WEBSITE_KEYWORDSDesc=使用英文逗号分隔多个值 +EnterHereReadmeInformation=在此输入网站的描述。如果您将网站作为模板分发,该文件将包含在模板包中。 +EnterHereLicenseInformation=在此输入网站代码的许可证。如果您将网站作为模板分发,该文件将包含在模板包中。 +HtmlHeaderPage=HTML 页眉(仅限此页面) PageNameAliasHelp=页面的名称或别名。
      当从Web服务器的虚拟主机(如Apacke,Nginx,...)运行网站时,此别名也用于伪造SEO URL。使用“ %s ”按钮编辑此别名。 -EditTheWebSiteForACommonHeader=注意:如果要为所有页面定义个性化标题,请在站点级别而不是页面/容器上编辑标题。 +EditTheWebSiteForACommonHeader=注意:如果要为所有页面定义个性化页眉,请在站点级别而不是页面/容器上编辑页眉。 MediaFiles=媒体库 -EditCss=Edit website properties +EditCss=编辑网站属性 EditMenu=编辑菜单 -EditMedias=编辑媒体 -EditPageMeta=Edit page/container properties -EditInLine=Edit inline +EditMedias=Edit media +EditPageMeta=编辑页面/容器属性 +EditInLine=编辑内联 AddWebsite=添加网站 Webpage=网页/容器 AddPage=添加页面/容器 @@ -60,10 +60,11 @@ NoPageYet=还没有页面 YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template SyntaxHelp=有关特定语法提示的帮助 YouCanEditHtmlSourceckeditor=您可以使用编辑器中的“源”按钮编辑HTML源代码。 -YouCanEditHtmlSource=
      您可以使用标签将 PHP 代码包含到此源中 <?php ?> 。可以使用以下全局变量:$conf、$db、$mysoc、$user、$website、$websitepage、$weblangs、$pagelangs。

      您还可以使用以下语法包含另一个页面/容器的内容:
      <?php includeContainer('alias_of_container_to_include'); ?>

      您可以使用以下语法重定向到另一个页面/容器(注意:不要输出任何内容)重定向前的内容):
      <?php redirectToContainer(' alias_of_container_to_redirect_to'); ?>

      要添加到其他页面的链接,请使用以下语法:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      包含 用于下载文件的链接,该文件存储在documents 目录,使用 document.php 包装器:
      示例,对于将文件放入documents/ecm(需要记录),语法为:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      对于文档/媒体中的文件(开放目录以供公共访问),语法为:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]文件名。 ext">
      对于通过共享链接共享的文件 (使用文件的共享哈希键打开访问),语法为:
      <a href="/document.php?hashp=publicsharekeyoffile">

      包含 图像 存储到 文档 目录,使用 viewimage.php 包装器:
      例如,要将图像放入文档/媒体(开放目录以供公共访问),语法为:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=对于通过共享链接共享的图像(使用文件的共享哈希键进行开放访问),语法为:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      有关 HTML 或动态代码的更多示例,请参阅 wiki 文档
      . +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=克隆页面/容器 CloneSite=克隆网站 SiteAdded=Website added @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please WEBSITE_USE_WEBSITE_ACCOUNTS=启用网站帐户表 WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party YouMustDefineTheHomePage=您必须先定义默认主页 -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correclty when used on a grabbed external page. +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting JavaScript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correctty when used on a grabbed external page. OnlyEditionOfSourceForGrabbedContent=当从外部站点获取内容时,只能使用HTML源代码 GrabImagesInto=抓住发现到css和页面的图像。 ImagesShouldBeSavedInto=图像应保存到目录中 @@ -112,18 +113,18 @@ GoTo=Go to DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? +DeleteAlsoJs=Delete also all JavaScript files specific to this website? +DeleteAlsoMedias=Delete also all media files specific to this website? MyWebsitePages=My website pages SearchReplaceInto=Search | Replace into ReplaceString=New string CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=Sample of a page with dynamic content ImportSite=Import website template -EditInLineOnOff=Mode 'Edit inline' is %s +EditInLineOnOff=“编辑内联”模式为 %s ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s -GlobalCSSorJS=Global CSS/JS/Header file of web site +GlobalCSSorJS=网站全局 CSS/JS/Header 文件 BackToHomePage=Back to home page... TranslationLinks=Translation links YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
      (ref=%s, type=%s, status=%s) @@ -160,3 +161,6 @@ PagesViewedTotal=Pages viewed (total) Visibility=谁可访问 Everyone=所有人 AssignedContacts=项目联系人 +WebsiteTypeLabel=Type of Web site +WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/zh_CN/withdrawals.lang b/htdocs/langs/zh_CN/withdrawals.lang index 1b5b2ef8a75..98d81c8a6bf 100644 --- a/htdocs/langs/zh_CN/withdrawals.lang +++ b/htdocs/langs/zh_CN/withdrawals.lang @@ -47,11 +47,13 @@ MakeBankTransferOrder=Make a credit transfer request WithdrawRequestsDone=%s记录了直接付款请求 BankTransferRequestsDone=%s credit transfer requests recorded ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=该提款收据已标记为已记入贷方;此操作不能重复两次,因为这可能会产生重复的付款和银行条目。 ClassCredited=分类记 ClassDebited=Classify debited -ClassCreditedConfirm=你确定要分类这一撤离收据上记入您的银行帐户? +ClassCreditedConfirm=您确定要分类这一撤离收据上记入您的银行账户? TransData=数据传输 TransMetod=传输的方法 Send=发送 @@ -63,9 +65,10 @@ CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=你确定要输入一个社会拒绝撤出 RefusedData=日期拒收 RefusedReason=拒绝的原因 -RefusedInvoicing=帐单拒绝 -NoInvoiceRefused=拒绝不收 -InvoiceRefused=订单已被拒绝 (Charge the rejection to customer) +RefusedInvoicing=账单拒绝 +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=状态借记/贷记 StatusWaiting=等候 StatusTrans=传播 @@ -79,7 +82,7 @@ StatusMotif2=Tirage conteste StatusMotif3=没有直接付款的订单 StatusMotif4=销售订单 StatusMotif5=肋inexploitable -StatusMotif6=帐户无余额 +StatusMotif6=账户无余额 StatusMotif7=司法判决 StatusMotif8=其他原因 CreateForSepaFRST=创建直接借记文件(SEPA FRST) @@ -94,7 +97,7 @@ NotifyTransmision=Record file transmission of order NotifyCredit=Record credit of order NumeroNationalEmetter=国家发射数 WithBankUsingRIB=有关银行账户,使用肋 -WithBankUsingBANBIC=使用的IBAN / BIC / SWIFT的银行帐户 +WithBankUsingBANBIC=使用的IBAN / BIC / SWIFT的银行账户 BankToReceiveWithdraw=收款银行账户 BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=信贷 @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Mandate signature date RUMLong=唯一授权参考 RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=直接付款模式(FRST或RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=直接付款申请金额: BankTransferAmount=Amount of Credit Transfer request: WithdrawRequestErrorNilAmount=无法为空金额创建直接付款请求。 @@ -131,6 +134,7 @@ SEPAFormYourBAN=您的银行帐户名称(IBAN) SEPAFormYourBIC=您的银行识别码(BIC) SEPAFrstOrRecur=付款方式 ModeRECUR=Recurring payment +ModeRCUR=Recurring payment ModeFRST=一次性付款 PleaseCheckOne=请检查一个 CreditTransferOrderCreated=Credit transfer order %s created @@ -155,9 +159,16 @@ InfoTransData=金额:%s
      metode:%s
      日期:%s InfoRejectSubject=直接付款订单被拒绝 InfoRejectMessage=您好,

      与公司%s相关的发票%s的直接借记支付订单,金额已被%s拒绝了。



      %s ModeWarning=实模式下的选项没有设置,这个模拟后,我们停止 -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Missing ICS in Bank account %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=工资 +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/zh_CN/workflow.lang b/htdocs/langs/zh_CN/workflow.lang index 1252f53e216..7e43edb5ba9 100644 --- a/htdocs/langs/zh_CN/workflow.lang +++ b/htdocs/langs/zh_CN/workflow.lang @@ -1,36 +1,38 @@ # Dolibarr language file - Source file is en_US - workflow WorkflowSetup=工作流模块设置 -WorkflowDesc=该模块提供了一些自动操作。默认情况下,工作流是打开的(您可以按想要的顺序执行操作),但在这里您可以激活一些自动操作。 -ThereIsNoWorkflowToModify=没有工作流程,您可以修改你已激活的模块。 +WorkflowDesc=该模块提供了一些自动操作。默认情况下,工作流是开启的(您可以按想要的顺序执行操作),但在这里您可以激活一些自动操作。 +ThereIsNoWorkflowToModify=已激活的模块没有可用的工作流修改。 # Autocreate -descWORKFLOW_PROPAL_AUTOCREATE_ORDER=签署报价单后自动创建销售订单(新订单的金额与报价金额相同) -descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=签署报价单后自动创建客户发票(新发票的金额与报价金额相同) -descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=在合同确认后自动创建客户发票 -descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automatically create a customer invoice after a sales order is closed (the new invoice will have same amount as the order) -descWORKFLOW_TICKET_CREATE_INTERVENTION=创建服务工单时,自动创建现场服务。 +descWORKFLOW_PROPAL_AUTOCREATE_ORDER=报价单被客户签字接受后自动创建销售订单(新订单的金额与报价单金额相同) +descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=报价单被客户签字接受后自动创建客户发票(新发票的金额与报价单金额相同) +descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=当合同被验证通过后自动创建客户发票 +descWORKFLOW_ORDER_AUTOCREATE_INVOICE=当销售订单被关闭后自动创建客户发票(新发票的金额与订单金额相同) +descWORKFLOW_TICKET_CREATE_INTERVENTION=创建服务工单时,自动创建现场服务单。 # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposal) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=当发货单被验证时,将链接的源销售订单归类为已发货(并且如果所有发货单的发货数量之和与要更新的订单中的数量相同) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=当发货单被关闭时,将链接的源销售订单归类为已发货(并且如果所有发货单的发货数量之和与要更新的订单中的数量相同) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=当发货单被关闭时,自动将其链接的源销售订单归类为已发货(如果所有发货单的发货数量之和与要更新的订单中的数量相同) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposal) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order) -descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=验证接收时将链接源采购订单分类为已接收(并且如果所有接收收到的数量与要更新的采购订单中的数量相同) -descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=当接收关闭时将链接源采购订单分类为已接收(并且如果所有接收收到的数量与要更新的采购订单中的数量相同) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=当链接的采购发票经过验证(并且发票金额与链接的收款总金额相同时),将收款分类为“已开票” -# Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=创建服务工单时,链接其匹配的合作方的可用合同 -descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=When linking contracts, search among those of parents companies -# Autoclose intervention -descWORKFLOW_TICKET_CLOSE_INTERVENTION=关闭服务工单后,关闭与服务工单关联的所有现场服务 -AutomaticCreation=自动创建 -AutomaticClassification=自动分类 +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=当收货单被验证通过时,自动将其链接的源采购订单归类为已收货(如果所有接货单的接收数量之和与要更新的采购订单中的数量相同) +descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=当收货单被关闭时,自动将其链接的源采购订单归类为已收货(如果所有接货单的接收数量之和与要更新的采购订单中的数量相同) # Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=当客户发票被验证时,将链接的源发货单归类为已关闭(并且发票金额与链接的发货单的总金额相同) -AutomaticClosing=Automatic closing -AutomaticLinking=Automatic linking +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Automatically link ticket to contract +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties +descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=在链接合同时,在母公司的合同中搜索 +# Autoclose intervention +descWORKFLOW_TICKET_CLOSE_INTERVENTION=关闭服务工单后,关闭与服务工单关联的所有现场服务单 +AutomaticCreation=自动创建 +AutomaticClassification=自动归类 +AutomaticClosing=自动关闭 +AutomaticLinking=自动链接 diff --git a/htdocs/langs/zh_HK/bills.lang b/htdocs/langs/zh_HK/bills.lang index 2e77077f121..cd6c84b2cfb 100644 --- a/htdocs/langs/zh_HK/bills.lang +++ b/htdocs/langs/zh_HK/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=應付客戶付款 DisabledBecauseRemainderToPayIsZero=因剩餘未付金額為零而被禁用 PriceBase=基本價格 BillStatus=發票狀態 -StatusOfGeneratedInvoices=Status of generated invoices +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=草案(需要驗證) BillStatusPaid=有薪酬的 BillStatusPaidBackOrConverted=信用票據退款或標記為可用信用 @@ -167,7 +167,7 @@ ActionsOnBill=對發票採取的行動 ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=Template / Recurring invoice NoQualifiedRecurringInvoiceTemplateFound=No recurring template invoice qualified for generation. -FoundXQualifiedRecurringInvoiceTemplate=Found %s recurring template invoice(s) qualified for generation. +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=Not a recurring template invoice NewBill=新發票 LastBills=最新%s 發票 @@ -185,7 +185,7 @@ SuppliersDraftInvoices=供應商草稿發票 Unpaid=未付 ErrorNoPaymentDefined=Error No payment defined ConfirmDeleteBill=您確定要刪除此發票嗎? -ConfirmValidateBill=您確定要使用參考號驗證此發票嗎\n %s ? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=您確定要更改發票 %s 草稿狀態? ConfirmClassifyPaidBill=您確定要更改發票 %s 狀態已付款? ConfirmCancelBill=您確定要取消發票 %s ? @@ -217,7 +217,7 @@ ConfirmCustomerPayment=您是否確認的付 ConfirmSupplierPayment=您是否確認的付款輸入\n %s %s? ConfirmValidatePayment=您確定要驗證此付款嗎?付款一經驗證,將無法進行任何更改。 ValidateBill=驗證發票 -UnvalidateBill=取消發票無效 +UnvalidateBill=Invalidate invoice NumberOfBills=發票數量 NumberOfBillsByMonth=每月發票數量 AmountOfBills=發票金額 @@ -250,12 +250,13 @@ RemainderToTake=剩餘金額 RemainderToTakeMulticurrency=Remaining amount to take, original currency RemainderToPayBack=剩餘金額需退款 RemainderToPayBackMulticurrency=Remaining amount to refund, original currency +NegativeIfExcessReceived=negative if excess received NegativeIfExcessRefunded=negative if excess refunded +NegativeIfExcessPaid=negative if excess paid Rest=待辦的 AmountExpected=索賠金額 ExcessReceived=收到多餘的款項 ExcessReceivedMulticurrency=Excess received, original currency -NegativeIfExcessReceived=negative if excess received ExcessPaid=Excess paid ExcessPaidMulticurrency=Excess paid, original currency EscompteOffered=提供折扣(學期前付款) @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice firs PDFCrabeDescription=發票 PDF 模板 Crabe。完整的發票模板(海綿模板的舊實現) PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices -TerreNumRefModelDesc1=返回格式為 %s 的數字\nyymm-nnnn 適用於標準發票和 %syymm-nnnn 用於貸方票據,其中 yy 是年份,mm 是月份,nnnn 是連續的自動遞增數字,不會中斷,也不會返回到 0 -MarsNumRefModelDesc1=返回格式為 %s 的數字\nyymm-nnnn 對於標準發票,%syymm-nnnn 用於更換發票,%syymm-nnnn 用於預付款發票和 %syymm-nnnn 用於貸方票據,其中 yy 是年份,mm 是月份,nnnn 是連續的自動遞增數字,不會中斷,也不會返回到 0 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=以 $syymm 開頭的帳單已存在,並且與此序列模型不兼容。刪除它或重命名它以激活該模塊。 -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=Early closing reason EarlyClosingComment=Early closing note ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=Salaries +InvoiceSubtype=Invoice Subtype +SalaryInvoice=Salary +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/zh_HK/projects.lang b/htdocs/langs/zh_HK/projects.lang index ff6bc9e58af..aa083483465 100644 --- a/htdocs/langs/zh_HK/projects.lang +++ b/htdocs/langs/zh_HK/projects.lang @@ -45,10 +45,11 @@ OutOfProject=Out of project NoProject=沒有定義或擁有項目 NbOfProjects=項目數量 NbOfTasks=Number of tasks +TimeEntry=Time tracking TimeSpent=所花費的時間 +TimeSpentSmall=Time spent TimeSpentByYou=Time spent by you TimeSpentByUser=Time spent by user -TimesSpent=所花費的時間 TaskId=Task ID RefTask=任務參考號 LabelTask=任務標籤 @@ -82,7 +83,7 @@ MyProjectsArea=My projects Area DurationEffective=有效期限 ProgressDeclared=宣布真正的進展 TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently open tasks +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption ProgressCalculated=消費進展 @@ -122,7 +123,7 @@ TaskHasChild=Task has child NotOwnerOfProject=不是這個私人項目的所有者 AffectedTo=分配給 CantRemoveProject=該項目無法刪除,因為它被其他一些對象(發票、訂單或其他)引用。請參閱選項卡“%s”\n'。 -ValidateProject=驗證項目 +ValidateProject=Validate project ConfirmValidateProject=您確定要驗證該項目嗎? CloseAProject=關閉項目 ConfirmCloseAProject=您確定要關閉該項目嗎? @@ -226,7 +227,7 @@ ProjectsStatistics=Statistics on projects or leads TasksStatistics=Statistics on tasks of projects or leads TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=Open projects by third parties OnlyOpportunitiesShort=Only leads OpenedOpportunitiesShort=Open leads @@ -238,7 +239,7 @@ OpportunityPonderatedAmountDesc=Leads amount weighted with probability OppStatusPROSP=Prospection OppStatusQUAL=Qualification OppStatusPROPO=Proposal -OppStatusNEGO=Negociation +OppStatusNEGO=Negotiation OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost diff --git a/htdocs/langs/zh_HK/sendings.lang b/htdocs/langs/zh_HK/sendings.lang index 1d462a0af80..b222a98b4ba 100644 --- a/htdocs/langs/zh_HK/sendings.lang +++ b/htdocs/langs/zh_HK/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=已驗證 StatusSendingProcessedShort=處理 SendingSheet=發貨單 ConfirmDeleteSending=您確定要刪除此貨件嗎? -ConfirmValidateSending=您確定要使用參考號驗證此貨件嗎\n %s ? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=您確定要取消這批貨件嗎? DocumentModelMerou=梅魯A5車型 WarningNoQtyLeftToSend=警告,沒有等待發貨的產品。 @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase NoProductToShipFoundIntoStock=No product to ship found in warehouse %s. Correct stock or go back to choose another warehouse. WeightVolShort=Weight/Vol. ValidateOrderFirstBeforeShipment=You must first validate the order before being able to make shipments. +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=產品重量總和 # warehouse details DetailWarehouseNumber= Warehouse details DetailWarehouseFormat= W:%s (Qty: %d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/zh_HK/withdrawals.lang b/htdocs/langs/zh_HK/withdrawals.lang index fe82ea333fa..01ce5f781fc 100644 --- a/htdocs/langs/zh_HK/withdrawals.lang +++ b/htdocs/langs/zh_HK/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=Make a credit transfer request WithdrawRequestsDone=%s direct debit payment requests recorded BankTransferRequestsDone=%s credit transfer requests recorded ThirdPartyBankCode=第三方銀行代碼 -NoInvoiceCouldBeWithdrawed=沒有發票成功扣款。檢查發票是否為具有有效 IBAN 的公司,並且 IBAN 是否具有模式為 的 UMR(唯一授權參考)\n %s 。 +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=This withdrawal receipt is already marked as credited; this can't be done twice, as this would potentially create duplicate payments and bank entries. ClassCredited=分類記入 ClassDebited=Classify debited @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=您確定要輸入社會提款拒絕信息嗎 RefusedData=拒絕日期 RefusedReason=拒絕原因 RefusedInvoicing=計費拒絕 -NoInvoiceRefused=拒收不收費 -InvoiceRefused=發票被拒絕(向客戶收取拒絕費用) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=Status debit/credit StatusWaiting=等待 StatusTrans=發送 @@ -115,7 +118,7 @@ RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=Amount of Direct debit request: BankTransferAmount=Amount of Credit Transfer request: WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. @@ -131,6 +134,7 @@ SEPAFormYourBAN=Your Bank Account Name (IBAN) SEPAFormYourBIC=Your Bank Identifier Code (BIC) SEPAFrstOrRecur=Type of payment ModeRECUR=Recurring payment +ModeRCUR=Recurring payment ModeFRST=One-off payment PleaseCheckOne=Please check one only CreditTransferOrderCreated=Credit transfer order %s created @@ -155,9 +159,16 @@ InfoTransData=金額:%s
      方法:%s
      日期:%s InfoRejectSubject=直接借記付款訂單被拒絕 InfoRejectMessage=你好,

      發票直接借記付款順序%s 與公司相關%s,數量為 %s 已被銀行拒絕。

      --
      %s ModeWarning=未設置實模式選項,我們在模擬後停止 -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=Missing ICS in Bank account %s TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines WarningSomeDirectDebitOrdersAlreadyExists=Warning: There is already some pending Direct Debit orders (%s) requested for an amount of %s WarningSomeCreditTransferAlreadyExists=Warning: There is already some pending Credit Transfer (%s) requested for an amount of %s UsedFor=Used for %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=Salary +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/zh_TW/admin.lang b/htdocs/langs/zh_TW/admin.lang index a2d0eeeb7ee..ed75d7dfd53 100644 --- a/htdocs/langs/zh_TW/admin.lang +++ b/htdocs/langs/zh_TW/admin.lang @@ -51,8 +51,8 @@ ClientSortingCharset=客戶端整理 WarningModuleNotActive=模組%s必須啓用 WarningOnlyPermissionOfActivatedModules=在此顯示已啓動模組之相關權限。你可在 首頁 -> 設定 -> 模組頁上啓動其他模組。 DolibarrSetup=Dolibarr 安裝或昇級 -DolibarrUpgrade=Dolibarr upgrade -DolibarrAddonInstall=Installation of Addon/External modules (uploaded or generated) +DolibarrUpgrade=Dolibarr升級 +DolibarrAddonInstall=安裝插件/外部模組(上傳或產生) InternalUsers=內部用戶 ExternalUsers=外部用戶 UserInterface=使用者介面 @@ -147,7 +147,7 @@ Box=小工具 Boxes=小工具 MaxNbOfLinesForBoxes=小工具最大行數 AllWidgetsWereEnabled=所有可用小工具已啟用 -WidgetAvailable=Widget available +WidgetAvailable=可用的小工具 PositionByDefault=預設排序 Position=位置 MenusDesc=選單管理器設定兩個選單欄的內容(水平和垂直)。 @@ -227,6 +227,8 @@ NotCompatible=此模組似乎不相容您 Dolibarr %s (適用最低版本 %s - CompatibleAfterUpdate=此模組需要升級您的 Dolibarr %s (最低版本%s -最高版本 %s)。 SeeInMarkerPlace=在市場可以看到 SeeSetupOfModule=請參閱模組%s的設定 +SeeSetupPage=請參考 %s的設定頁面 +SeeReportPage=請參考 %s報告頁面 SetOptionTo=將選項%s設定為%s Updated=升級 AchatTelechargement=購買 / 下載 @@ -292,16 +294,16 @@ EmailSenderProfiles=電子郵件寄件者資訊 EMailsSenderProfileDesc=您可以將此部分保留空白。如果您在此處輸入一些電子郵件,當您編寫新電子郵件時,它們將被增加到組合框中的可能寄件人清單中。 MAIN_MAIL_SMTP_PORT=SMTP / SMTPS連接埠(php.ini中的預設值: %s ) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS主機(php.ini中的預設值: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP / SMTPS連接埠(類Unix系統上未定義至PHP) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS主機(類Unix系統上未定義至PHP) -MAIN_MAIL_EMAIL_FROM=自動寄送至"自動寄送電子郵件"(php.ini中的預設值: %s ) -EMailHelpMsgSPFDKIM=為避免 Dolibarr 寄出的信件遭標示為垃圾信件,請務必確認該寄件伺服器已已透過設置 SPF 與 DKIM 之方式,授權此寄件者網域傳送電子郵件 +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP / SMTPS連接埠 +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS主機 +MAIN_MAIL_EMAIL_FROM=自動電子郵件的寄件者電子郵件信箱 +EMailHelpMsgSPFDKIM=為了防止Dolibarr郵件被歸類為垃圾郵件,請確保伺服器被授權以此身份發送電子郵件(檢查域名的SPF和DKIM的設定)。 MAIN_MAIL_ERRORS_TO=用於錯誤返回的電子郵件(寄送的電子郵件中的“錯誤至”字段) MAIN_MAIL_AUTOCOPY_TO= 複製(密件)所有已寄送的電子郵件至 MAIN_DISABLE_ALL_MAILS=停用所有電子郵件寄送(出於測試目的或demo) MAIN_MAIL_FORCE_SENDTO=傳送全部電子郵件到(此為測試用,不是真正的收件人) MAIN_MAIL_ENABLED_USER_DEST_SELECT=在編寫新電子郵件時,將員工的電子郵件(如果已建立)建議到預定收件人清單中 -MAIN_MAIL_NO_WITH_TO_SELECTED=Do not select a default recipient even if single choice +MAIN_MAIL_NO_WITH_TO_SELECTED=即使僅有單一選項也不要選擇預設收件人 MAIN_MAIL_SENDMODE=郵件寄送方式 MAIN_MAIL_SMTPS_ID=SMTP 帳號(如果發送服務器需要身份驗證) MAIN_MAIL_SMTPS_PW=SMTP密碼(如果發送伺服器需要身份驗證) @@ -315,7 +317,7 @@ MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=數位簽章金鑰 MAIN_DISABLE_ALL_SMS=關閉簡訊發送功能(用於測試或DEMO) MAIN_SMS_SENDMODE=使用傳送簡訊/SMS的方法 MAIN_MAIL_SMS_FROM=預設簡訊寄件人發送號碼 -MAIN_MAIL_DEFAULT_FROMTYPE=手動寄送的預設寄件人電子郵件(用戶電子郵件或公司電子郵件) +MAIN_MAIL_DEFAULT_FROMTYPE=表單上預先選擇預設的寄件人電子郵件 UserEmail=用戶電子郵件 CompanyEmail=公司電子郵件 FeatureNotAvailableOnLinux=在Unix系列系統中不能使用功能。在本地測試您的寄送郵件程式。 @@ -365,10 +367,10 @@ GenericMaskCodes=您可以輸入任何編號遮罩。在此遮罩中,可以使 GenericMaskCodes2={cccc}客戶端用n個字元的代碼
      {cccc000}在n個字元上的客戶代碼後跟一個專門為客戶提供的計數器。此專用於客戶的計數器與全域計數器在同一時間重置。
      {tttt}合作方類型用n個字元的代碼(請參閱選單 首頁-設定-分類-合作方類型)。如果增加此標籤,則每種類型的合作方的計數器都將不同。
      GenericMaskCodes3=遮罩中的所有其他字元將保持不變。
      不允許使用空格。
      GenericMaskCodes3EAN=遮罩中的所有其他字元將保持不變(EAN13 中第 13 位的 * 或 ? 除外)。
      不允許使用空格。
      在 EAN13 中,第 13 位最後一個 } 之後的最後一個字元應該是 * 或 ? .它將被計算的金鑰替換。
      -GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2023-01-31:
      -GenericMaskCodes4b=Example on third party created on 2023-01-31:
      -GenericMaskCodes4c=Example on product created on 2023-01-31:
      -GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t} will give IN2301-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes4a=在日期 2023-01-31 ,第99個%s合作方公司範例:
      +GenericMaskCodes4b=在2023-01-31 建立的合作方範例:
      +GenericMaskCodes4c=在2023-01-31建立的產品範例:
      +GenericMaskCodes5=ABC{yy}{mm}-{000000}會成為ABC2301-000099
      {0000+100@1}-ZZZ/{dd}/XXX會成為0199-ZZZ/31/XXX
      IN{yy}{mm}-{0000}-{t}會成為IN2301-0099-A。若公司的類型代號是 'Responsable Inscripto' 則會為 'A_RI' GenericNumRefModelDesc=根據事先定義的遮罩值,回傳一個客制化的編號,詳細可參照說明。 ServerAvailableOnIPOrPort=網址為%s與連接埠為%s的伺服器可以使用 ServerNotAvailableOnIPOrPort=網址為%s與連接埠為%s的伺服器無法使用。 @@ -378,7 +380,7 @@ DoTestSendHTML=測試傳送HTML ErrorCantUseRazIfNoYearInMask=錯誤,若序列 {yy} 或 {yyyy} 在條件中,則不能使用 @ 以便每年重新計數。 ErrorCantUseRazInStartedYearIfNoYearMonthInMask=錯誤,若序列 {yy}{mm} 或 {yyyy}{mm} 不在遮罩內則不能使用選項 @。 UMask=在 Unix/Linux/BSD/Mac 的檔案系統中新檔案的 UMask 參數。 -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
      It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
      This parameter is useless on a Windows server. +UMaskExplanation=此參數可讓您定義預設對Dolibarr在伺服器上建立檔案時設定權限(例如在上傳時)。
      必須是八進位值(例如0666表示每個人可讀取並可寫入)建議值為 0600 或 0660
      ,此參數在Windows系統無作用 SeeWikiForAllTeam=在Wiki頁面上查看貢獻者及其組織的清單 UseACacheDelay= 快取匯出響應以秒為單位的延遲(0或為空表示沒有快取) DisableLinkToHelpCenter=在登入頁面上隱藏“ 需要幫助或支援"連結 @@ -414,9 +416,10 @@ PDFAddressForging=規則給地址的部分 HideAnyVATInformationOnPDF=隱藏與銷售稅/營業稅相關的所有訊息 PDFRulesForSalesTax=銷售稅 / 營業稅規則 PDFLocaltax=%s的規則 -HideLocalTaxOnPDF=隱藏 %s 利率 在銷售 稅/增值稅 欄位 +HideLocalTaxOnPDF=隱藏 %s 利率 在銷售稅/增值稅欄位 HideDescOnPDF=隱藏產品說明 HideRefOnPDF=隱藏產品參考號碼 +ShowProductBarcodeOnPDF=顯示產品的條碼 HideDetailsOnPDF=隱藏產品行詳細資訊 PlaceCustomerAddressToIsoLocation=使用法國標準位置(La Poste)作為客戶地址位置 Library=程式庫 @@ -455,14 +458,14 @@ ExtrafieldCheckBox=勾選框 ExtrafieldCheckBoxFromList=表格勾選框 ExtrafieldLink=連結到項目 ComputedFormula=計算欄位 -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
      WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
      Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

      Example of formula:
      $objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

      Example to reload object
      (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

      Other example of formula to force load of object and its parent object:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' +ComputedFormulaDesc=在這裡,您可以輸入一個使用項目的其他屬性或任何PHP編碼的公式,以獲取動態計算的值。您可以使用任何PHP相容的公式,包括"?"條件運算符,以及以下全局項目:$db、$conf、$langs、$mysoc、$user、$objectoffield
      警告:如果您需要未加載的項目的屬性,只需像第二個例子中那樣自己查詢項目。
      使用計算欄位意味著您無法從界面輸入任何值。此外,如果有語法錯誤,公式可能返回空。

      公式範例
      :$objectoffield->id < 10 ? round($objectoffield->id / 2, 2): ($objectoffield->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)。

      重新加載項目的範例
      :(($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')。

      強制加載項目及其母項目的其他公式範例:
      (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: '未找到母專案'。 Computedpersistent=儲存已計算欄位 ComputedpersistentDesc=計算出的額外欄位將儲存在資料庫中,但是,僅當更改此欄位的項目時,才會重新計算該值。如果計算欄位依賴於其他項目或全域數據,則該值可能是錯誤的! -ExtrafieldParamHelpPassword=將欄位保留為空白表示該值將不加密地儲存(欄位只能在螢幕上以星號隱藏)。
      設定“自動”以使用預設的加密規則將密碼保存到資料庫中(然後讀取的值將僅是哈希值,無法搜索原始值) +ExtrafieldParamHelpPassword=將欄位保留為空白表示該值將不加密地儲存(欄位只能在畫面上以星號隱藏)。

      輸入值'dolcrypt'以使用可逆加密算法對值進行編碼。清除的數據仍然可以知道和編輯,但已加密到資料庫中。

      輸入'auto'(或'md5'、'sha256'、'password_hash'等)以使用預設的密碼加密算法(或md5、sha256、password_hash等)將不可逆的雜湊密碼保存到資料庫中(無法查詢原始值)。 ExtrafieldParamHelpselect=數值清單必須為含有關鍵字的行,數值 (關鍵字不能為 '0')

      例如:
      1,值1
      2,值2
      code3,value3
      ...

      為了使此清單取決於另一個互補屬性清單:
      1,value1 | options_ parent_list_code :parent_key
      2,value2 | options_ parent_list_code :parent_key

      為了使清單取決於另一個清單:
      1,值1 | parent_list_code :parent_key
      2,值2 | parent_list_code :parent_key ExtrafieldParamHelpcheckbox=數值清單必須為含有關鍵字的行,數值 (關鍵字不能為 '0')

      範例:
      1,value1
      2,value2
      3,value3
      ... ExtrafieldParamHelpradio=數值清單必須為含有關鍵字的行,數值 (關鍵字不能為 '0')

      範例:
      1,value1
      2,value2
      3,value3
      ... -ExtrafieldParamHelpsellist=數值清單來自表格
      語法:table_name:label_field:id_field :: filter
      範例:c_typent:libelle:id :: filter

      -idfilter一定是初始關鍵字
      -過濾器可以是一個簡單測試(例如,active = 1),僅顯示有效值
      您還可以在過濾器中使用$ ID $作為目前項目的目前ID
      要在過濾器中執行SELECT,請使用$ SEL $
      如果要過濾Extrafield,請使用語法extra.fieldcode = ...(其中欄位代碼是Extrafield的代碼)

      為了使此清單依賴於另一個互補屬性清單:
      c_typent:libelle:id:options_ parent_list_code | parent_column:filter

      為了使清單依賴於另一個清單:
      c_typent:libelle:id: parent_list_code | parent_column:filter +ExtrafieldParamHelpsellist=數值清單來自表格
      語法:table_name:label_field:id_field :: filter
      範例:c_typent:libelle:id :: filter

      -idfilter一定是初始關鍵字
      -過濾器可以是一個簡單測試(例如,active = 1),僅顯示有效值
      您還可以在過濾器中使用$ ID $作為目前項目的目前ID
      要在過濾器中執行SELECT,請使用$ SEL $
      如果要過濾Extrafield,請使用語法extra.fieldcode = ...(其中欄位代碼是Extrafield的代碼)

      為了使此清單依賴於另一個互補屬性清單:
      c_typent:libelle:id:options_ parent_list_code | parent_column:filter

      為了使清單依賴於另一個清單:
      c_typent:libelle:id: parent_list_code | parent_column:filter ExtrafieldParamHelpchkbxlst=表單中的數值清單
      語法: table_name:label_field:id_field::filter
      例如:: c_typent:libelle:id::filter

      篩選可以是一個簡單的測試 (例如 啟動 =1 ) 只顯示啟動的數值
      您也可以在篩選中使用 $ID$作為目前物件的ID
      在篩選器中執行 SELECT 則使用 $SEL$
      若您要在額外欄位篩選使用語法 extra.fieldcode=... (extra.fileldcode為欄位的代碼)

      為使清單明細依賴於另一個補充屬性的清單:
      c_typent:libelle:id:options_parent_list_code|parent_column:filter

      為使清單依賴於另一個補充屬性清單:
      c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=參數必須為ObjectName:Classpath
      語法 ObjectName:Classpath ExtrafieldParamHelpSeparator=保持空白以使用簡單的分隔符號
      對於折疊分隔符號,將此值設定為1(預設情況下,對於新程序打開,然後為每個用戶程序保留狀態)
      將其設定為2可折疊分隔符號(預設情況下,新程序已折疊,然後在每個用戶程序中保持狀態) @@ -515,23 +518,23 @@ ClickToShowDescription=點選顯示描述 DependsOn=此模組需要此模組 RequiredBy=模組需要此模組 TheKeyIsTheNameOfHtmlField=這是HTML欄位的名稱。需要技術知識才能讀取HTML頁面的內容以獲得欄位的關鍵名稱。 -PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, it will be effective if all parameters in browsed URL have the value defined here. +PageUrlForDefaultValues=您必須輸入頁面網址的相對路徑。如果在網址中包含參數,則只有在瀏覽的網址中的所有參數都具有此處定義的值時,它才會生效。 PageUrlForDefaultValuesCreate=
      範例:
      對於建立新合作方的表單,它是%s
      對於安裝到自定義資料夾中的外部模組的網址,請不要包含“ custom /”,因此請使用諸如mymodule / mypage.php之類的路徑,而不要使用custom / mymodule / mypage.php之類的路徑。
      如果僅在網址具有某些參數的情況下您需要預設值,則可以使用%s PageUrlForDefaultValuesList=
      範例:
      對於列出合作方的頁面,它是%s
      對於安裝到自定義資料夾中的外部模組網址,請不要包含“ custom /”,因此請使用諸如mymodule / mypagelist.php之類的路徑,而不要使用custom / mymodule / mypagelist.php之類的路徑。
      如果僅在網址具有某些參數的情況下您需要預設值,則可以使用%s -AlsoDefaultValuesAreEffectiveForActionCreate=另請注意,覆寫預設值以用於表單建立僅適用於正確設計的頁面(因此,使用參數action = create或presend ...) +AlsoDefaultValuesAreEffectiveForActionCreate=同時請注意,僅對正確設計之頁面(具有參數 action=create 或 presend...)建立的表單之預設值可有效覆寫。 EnableDefaultValues=啟用自定義預設值 EnableOverwriteTranslation=允許自定義翻譯 GoIntoTranslationMenuToChangeThis=找到了帶有此代碼的密鑰的翻譯。要更改此值,必須從首頁-設定-翻譯編輯它。 WarningSettingSortOrder=警告,如果欄位是未知欄位,則在清單頁面上設定預設的排列順序可能會導致技術錯誤。如果遇到此類錯誤,請返回此頁面以刪除預設的排列順序並恢復預設行為。 Field=欄位 ProductDocumentTemplates=文件範例產生產品文件檔案 -ProductBatchDocumentTemplates=Document templates to generate product lots document +ProductBatchDocumentTemplates=產生產品批次文件的文件模板 FreeLegalTextOnExpenseReports=費用報表中的自由法律文字 WatermarkOnDraftExpenseReports=費用報表草案上的浮水印 ProjectIsRequiredOnExpenseReports=此專案強制需要輸入費用報表 PrefillExpenseReportDatesWithCurrentMonth=費用報表的開始和結束日期預先使用當月的開始和結束日期 ForceExpenseReportsLineAmountsIncludingTaxesOnly=強制以含稅金額輸入費用報表金額 -AttachMainDocByDefault=Set this to Yes if you want to attach by default the main document to the email (if applicable) +AttachMainDocByDefault=如果您希望預設將主要文件(如適用)附加到電子郵件中,請將此設定為 FilesAttachedToEmail=附加檔案 SendEmailsReminders=用電子郵件傳送行程提醒 davDescription=設定WebDAV伺服器 @@ -541,7 +544,7 @@ DAV_ALLOW_PRIVATE_DIRTooltip=通用私有資料夾是一個WebDAV資料夾,任 DAV_ALLOW_PUBLIC_DIR=啟用通用公共資料夾(名為“ public”的WebDAV專用資料夾-無需登入) DAV_ALLOW_PUBLIC_DIRTooltip=通用公共資料夾是任何人都可以訪問的WebDAV資料夾(以讀寫模式),而無需授權(登入/密碼帳戶)。 DAV_ALLOW_ECM_DIR=啟用DMS / ECM專用資料夾(DMS / ECM模組的根目錄-需要登入) -DAV_ALLOW_ECM_DIRTooltip=使用DMS / ECM模組時手動上傳所有文件的根目錄。與從Web界面進行訪問類似,您將需要具有訪問權限的有效登入名稱/密碼。 +DAV_ALLOW_ECM_DIRTooltip=所有檔案在使用 DMS/ECM 模組時手動上傳的根目錄。與從網頁界面訪問一樣,您將需要有效的帳號/密碼以及足夠的權限來訪問它。 ##### Modules ##### Module0Name=用戶和群組 Module0Desc=用戶/員工以及群組管理 @@ -566,7 +569,7 @@ Module40Desc=供應商和採購管理(採購訂單和供應商發票開票) Module42Name=除錯日誌 Module42Desc=日誌記錄 (file, syslog, ...)。這些日誌是針對技術性以及除錯用途。 Module43Name=除錯列 -Module43Desc=開發人員用來增加瀏覽器除錯欄的工具。 +Module43Desc=一個針對開發者的工具,可在您的瀏覽器中新增一個偵錯欄 Module49Name=編輯器 Module49Desc=編輯器管理 Module50Name=產品 @@ -574,7 +577,7 @@ Module50Desc=產品管理 Module51Name=大量郵件 Module51Desc=大量文件寄送管理 Module52Name=庫存 -Module52Desc=Stock management (stock movement tracking and inventory) +Module52Desc=庫存管理(庫存變動追踪與庫存) Module53Name=服務 Module53Desc=服務管理 Module54Name=合約/訂閱 @@ -582,7 +585,7 @@ Module54Desc=合約管理(服務或定期訂閱) Module55Name=條碼 Module55Desc=條碼或QR code管理 Module56Name=信用轉帳付款 -Module56Desc=以信用轉帳訂單管理供應商的付款。它包括為歐洲國家生產生SEPA檔案。 +Module56Desc=透過信用轉帳訂單進行供應商或薪資的付款管理。這包括產生歐洲國家所需的SEPA檔案。 Module57Name=銀行直接轉帳付款 Module57Desc=管理直接轉帳付款訂單。它包括為歐洲國家產生的SEPA檔案。 Module58Name=點選撥打 @@ -630,6 +633,10 @@ Module600Desc=發送由業務事件觸發的電子郵件通知:每個用戶( Module600Long=請注意,當發生特定業務事件時,此模組會即時發送電子郵件。如果您正在尋找一種為行程事件發送電子郵件提醒的功能,請進入“行程”模組的設定。 Module610Name=產品變數 Module610Desc=建立產品變數(顏色,尺寸等) +Module650Name=物料清單 (BOM) +Module650Desc=用來定義您的物料清單(BOM)的模組。可透過製造訂單(MO)模組進行製造資源規劃。 +Module660Name=製造資源規劃(MRP) +Module660Desc=管理製造訂單(MO)的模組 Module700Name=捐贈 Module700Desc=捐贈管理 Module770Name=費用報表 @@ -650,8 +657,8 @@ Module2300Name=排程工作 Module2300Desc=排程工作管理(連到 cron 或是 chrono table) Module2400Name=事件/應辦事項 Module2400Desc=追蹤事件。記錄自動事件以進行追踪或記錄手動事件或會議。這是良好的客戶或供應商關係管理的主要模組。 -Module2430Name=Online Booking Calendar -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Name=線上預約排程 +Module2430Desc=提供線上預約系統,允許任何人根據預先定義的時間範圍或可用時間預約約會。 Module2500Name=檔案管理系統(DMS) / 電子控制管理(ECM) Module2500Desc=文件管理系統 / 電子內容管理。您產生或是儲存的文件會自動整理組織。當您有需要就分享吧。 Module2600Name=API / 網頁伺服器(SOAP 伺服器) @@ -668,11 +675,11 @@ Module2900Desc=GeoIP Maxmind轉換功能 Module3200Name=不可改變的檔案 Module3200Desc=啟用不可更改的商業事件日誌。事件是即時存檔的。日誌是可以匯出的鍊式事件的唯讀表格。在某些國家/地區,此模組可能是必需的。 Module3300Name=模組產生器 -Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. +Module3300Desc=一個快速應用程式開發(RAD)工具,支援低代碼和無代碼,協助開發者或高級使用者建構自己的模組或應用程式。 Module3400Name=社群網路 Module3400Desc=啟用合作方與地址的社群網路欄位 (skype, twitter, facebook, ...). Module4000Name=人資 -Module4000Desc=人力資源管理(部門、員工合約及感受的管理) +Module4000Desc=人力資源管理(部門管理、員工合約、技能管理和面試管理) Module5000Name=多重公司 Module5000Desc=允許您管理多重公司 Module6000Name=內部模組工作流程 @@ -709,9 +716,11 @@ Module62000Name=國際貿易術語 Module62000Desc=新增功能來管理國際貿易術語 Module63000Name=資源 Module63000Desc=管理用於分配給事件的資源(印表機,汽車,房間等) -Module66000Name=OAuth2 token management -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. +Module66000Name=OAuth2 許可證管理 +Module66000Desc=提供一個工具來產生和管理OAuth2許可證。這個許可證可以被其他一些模組使用。 Module94160Name=收貨(s) +ModuleBookCalName=日曆預約系統 +ModuleBookCalDesc=使用行事曆管理預約 ##### Permissions ##### Permission11=查閱客戶發票(與支付) Permission12=建立/修改客戶發票 @@ -979,7 +988,7 @@ Permission2501=讀取/下載文件 Permission2502=下載文件 Permission2503=上傳或刪除文件 Permission2515=設定文件資料夾 -Permission2610=Generate/modify users API key +Permission2610=產生/修改 使用者 API 金鑰 Permission2801=在唯讀模式下使用 FTP 客戶端 (僅瀏覽及下載) Permission2802=在寫入模式下使用 FTP 客戶端 (可刪除或上傳檔案) Permission3200=讀取存檔的事件和指紋 @@ -996,7 +1005,7 @@ Permission4031=讀取個人資訊 Permission4032=寫入個人資訊 Permission4033=讀取所有評價(即使用戶並非您的下屬之評價) Permission10001=讀取網站內容 -Permission10002=建立/修改網站內容(html和javascript內容) +Permission10002=建立/修改網站內容(HTML 和 JavaScript 內容) Permission10003=建立/修改網站內容(動態php代碼)。危險,必須留給受限開發人員使用。 Permission10005=刪除網站內容 Permission20001=讀取休假申請(您和您下屬的休假) @@ -1010,9 +1019,9 @@ Permission23001=讀取預定工作 Permission23002=建立/更新預定工作 Permission23003=刪除預定工作 Permission23004=執行預定工作 -Permission40001=Read currencies and their rates -Permission40002=Create/Update currencies and their rates -Permission40003=Delete currencies and their rates +Permission40001=讀取貨幣及匯率 +Permission40002=建立/更新貨幣及匯率 +Permission40003=刪除貨幣及匯率 Permission50101=使用銷售點(SimplePOS) Permission50151=使用銷售點(TakePOS) Permission50152=編輯銷售行數 @@ -1098,6 +1107,7 @@ DictionaryExpenseTaxRange=費用報表 - 依交通類別劃分範圍 DictionaryTransportMode=通訊報告-傳送模式 DictionaryBatchStatus=產品批號/序號品質控制狀態 DictionaryAssetDisposalType=資產處置類型 +DictionaryInvoiceSubtype=發票子類型 TypeOfUnit=單位類型 SetupSaved=設定已儲存 SetupNotSaved=設定未儲存 @@ -1109,10 +1119,11 @@ BackToModuleList=返回模組清單 BackToDictionaryList=返回分類清單 TypeOfRevenueStamp=印花稅類型 VATManagement=營業稅管理 -VATIsUsedDesc=預設情況下,建立潛在客戶,發票,訂單等時,營業稅稅率遵循現行標準規則:
      如果賣方不需繳納營業稅,則營業稅默認為0。規則結束。
      如果(賣方所在的國家=買方所在的國家),則默認情況下,營業稅等於賣方所在國家/地區的產品營業稅。規則結束。
      如果買賣雙方都在歐洲共同體中,並且商品是與運輸相關的產品(運輸,貨運,航空),則預設營業稅為0。此規則取決於賣家所在的國家/地區-請諮詢您的會計師。營業稅應由買方支付給本國的海關,而不是賣方。規則結束。
      如果買賣雙方都在歐洲共同體中,而買方不是一家公司(具有註冊的共同體內營業稅號),則該營業稅預設為賣方所在國家/地區的營業稅稅率。規則結束。
      如果買賣雙方都在歐洲共同體中,而買方是一家公司(具有註冊的共同體內增值稅號),則預設情況下營業稅為0。規則結束。
      在任何其他情況下,建議的預設值為“營業稅= 0”。規則結束。 +VATIsUsedDesc=在建立潛在客戶、發票、訂單等時,銷售稅率預設遵循活動標準規則:
      如果賣方不受銷售稅的約束,則銷售稅預設為0。規則結束。
      如果(賣方的國家=買方的國家),則銷售稅預設等於賣方國家產品的銷售稅。規則結束。
      如果賣方和買方都在歐洲共同體,且商品與運輸有關(搬運、發貨、航空),預設的銷售稅為0。此規則取決於賣方的國家 - 請諮詢您的會計師。銷售稅應由買方支付給其國家的海關,而不是支付給賣方。規則結束。
      如果賣方和買方都在歐洲共同體,且買方不是公司(具有注冊的歐洲共同體銷售稅號碼),則銷售稅預設為賣方國家的銷售稅率。規則結束。
      如果賣方和買方都在歐洲共同體,且買方是公司(具有注冊的歐洲共同體銷售稅號碼),則銷售稅預設為0。規則結束。
      在任何其他情況下,建議的預設值為銷售稅=0。規則結束。 VATIsNotUsedDesc=預設情況下,建議的營業稅為0,可用於諸如協會,個人或小型公司的情況。 VATIsUsedExampleFR=在法國,這表示擁有真實財務系統(簡化的真實貨幣或正常真實貨幣)的公司或組織。申報營業稅的系統。 VATIsNotUsedExampleFR=在法國,它表示非宣告營業稅的協會,或者選擇微型企業財務系統(特許經營營業稅)並繳納特許經營營業稅的公司,組織或自由職業者,而無需任何營業稅申報。此選擇將在發票上顯示參考“不適用的營業稅-CGI的art-293B”。 +VATType=VAT type ##### Local Taxes ##### TypeOfSaleTaxes=銷售稅類型 LTRate=稅率 @@ -1246,7 +1257,7 @@ SetupDescription4=  %s-> %s

      此軟體是許多模組 SetupDescription5=其他設定選單項目管理可選參數。 SetupDescriptionLink= %s - %s SetupDescription3b=用於自定義應用程式預設行為的基本參數(例如與國家/地區相關的功能)。 -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. +SetupDescription4b=這個軟體是一套包含許多模組/應用程式的套件。與您需求相關的模組必須啟用。啟用這些模組後,相應的選單項目將出現。 AuditedSecurityEvents=已審計的安全性事件 NoSecurityEventsAreAduited=無已審計的安全性事件。您可以啟用從選單 %s Audit=安全事件 @@ -1324,7 +1335,7 @@ SimpleRefNumRefModelDesc=以格式 n 回傳參考編號,其中 n 是一個連 AdvancedNumRefModelDesc=回傳格式為 %syymm-nnnn 的參考編號,其中 yy 是年份,mm 是月份,nnnn 是自動遞增的連續數字,無法重置 SimpleNumRefNoDateModelDesc=回傳格式為 %s-nnnn 的參考號,其中 nnnn 是自動遞增的連續數字,無法重置 ShowProfIdInAddress=顯示含有地址的專業 ID -ShowVATIntaInAddress=隱藏歐盟內增值稅號 +ShowVATIntaInAddress=隱藏歐盟內銷售稅號 TranslationUncomplete=部分翻譯 MAIN_DISABLE_METEO=停用氣象顯示 MeteoStdMod=標準模式 @@ -1399,7 +1410,7 @@ PHPModuleLoaded=PHP組件%s已載入 PreloadOPCode=已使用預載入OPCode AddRefInList=於組合清單中顯示客戶/供應商代號。
      合作方將以“CC12345 - SC45678 - 大公司.”的名稱格式出現。而不是“大公司”。 AddVatInList=在複合清單中顯示客戶/供應商的統一編號。 -AddAdressInList=於組合清單中顯示客戶/供應商地址。
      合作方將以“大公司. - 21 jump street 123456 Big town - USA”的名稱格式出現,而不是“大公司”。 +AddAdressInList=將客戶/供應商地址顯示在組合清單中。
      合作方將以名稱格式「大公司 - 21 號 123456路 大城市 - 美國」顯示,而不是「大公司」。 AddEmailPhoneTownInContactList=在資訊清單中顯示聯絡人電子郵件(或電話,如果未定義)和城鎮(選擇清單或複合框)
      聯絡人將以“杜邦杜蘭德 - dupond.durand@email.com - 巴黎”或“杜邦杜蘭德 - 06 07”的名稱格式顯示59 65 66 - 巴黎”而不是“杜邦杜蘭德”。 AskForPreferredShippingMethod=要求合作方使用首選的運輸方式。 FieldEdition=欗位 %s編輯 @@ -1408,7 +1419,7 @@ GetBarCode=取得條碼 NumberingModules=編號模型 DocumentModules=文件模型 ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters. +PasswordGenerationStandard=回傳根據 Dolibarr 內部算法產生的密碼:%s 個字元,包含數字和小寫字元。 PasswordGenerationNone=不要產生建議密碼。密碼必須手動輸入。 PasswordGenerationPerso=根據您個人定義的偏好設定返回密碼。 SetupPerso=根據您的偏好設定 @@ -1419,6 +1430,8 @@ DisableForgetPasswordLinkOnLogonPage=不要在登入頁面顯示“忘記密碼 UsersSetup=用戶模組設定 UserMailRequired=建立新用戶需要電子郵件 UserHideInactive=從用戶複合列表中隱藏不活動的用戶(不建議使用:這可能意味著您將無法在某些頁面上過濾或搜尋舊用戶) +UserHideExternal=Hide external users (not linked to a third party) from all combo lists of users (Not recommended: this may means you won't be able to filter or search on external users on some pages) +UserHideNonEmployee=Hide non employee users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on non employee users on some pages) UsersDocModules=文件模板給從使用者紀錄生成的文件 GroupsDocModules=文件模板給從群組紀錄生成的文件 ##### HRM setup ##### @@ -1463,7 +1476,7 @@ SupplierPaymentSetup=供應商付款設定 InvoiceCheckPosteriorDate=在驗證前檢查製造日期 InvoiceCheckPosteriorDateHelp=如果發票日期早於最後一張同類型發票的日期,將禁止驗證發票。 InvoiceOptionCategoryOfOperations=在發票上顯示“操作類別” -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
      - Category of operations: Delivery of goods
      - Category of operations: Provision of services
      - Category of operations: Mixed - Delivery of goods & provision of services +InvoiceOptionCategoryOfOperationsHelp=根據情況,表單中的標記將顯示為:
      操作類別:發貨
      操作類別:提供服務
      操作類別:混合 - 發貨和提供服務 InvoiceOptionCategoryOfOperationsYes1=是的,在地址區塊下方 InvoiceOptionCategoryOfOperationsYes2=是的,在左下角 ##### Proposals ##### @@ -1509,8 +1522,8 @@ WatermarkOnDraftContractCards=草稿合約浮水印(若空白則無) MembersSetup=會員模組設定 MemberMainOptions=主要選項 MemberCodeChecker=自動產生會員代碼的選項 -AdherentLoginRequired=Manage a login/password for each member -AdherentLoginRequiredDesc=Add a value for a login and a password on the member file. If the member is linked to a user, updating the member login and password will also update the user login and password. +AdherentLoginRequired=管理每位會員的登入帳號/密碼 +AdherentLoginRequiredDesc=在會員檔案中新增一個值,用於登入帳號和密碼。如果該會員與一個使用者關聯,更新會員的登入帳號和密碼將同時更新使用者的登入帳號和密碼。 AdherentMailRequired=建立新會員需要電子郵件 MemberSendInformationByMailByDefault=已勾選預設傳送電子郵件驗證成員(驗證或新訂閲) MemberCreateAnExternalUserForSubscriptionValidated=為每個經過驗證的新會員訂閱建立一個外部用戶帳號 @@ -1525,7 +1538,7 @@ LDAPGroupsSynchro=群組 LDAPContactsSynchro=通訊錄 LDAPMembersSynchro= 會員 LDAPMembersTypesSynchro=會員類型 -LDAPSynchronization=LDAP 同步 +LDAPSynchronization=LDAP同步 LDAPFunctionsNotAvailableOnPHP=您的 PHP 中的 LDAP 的功能無法使用 LDAPToDolibarr=LDAP的 - > Dolibarr DolibarrToLDAP=Dolibarr - > LDAP @@ -1643,11 +1656,11 @@ LDAPFieldEndLastSubscription=訂閱結束日期 LDAPFieldTitle=工作職稱 LDAPFieldTitleExample=範例: title LDAPFieldGroupid=群組編號 -LDAPFieldGroupidExample=Example : gidnumber +LDAPFieldGroupidExample=範例:群組ID號碼 LDAPFieldUserid=用戶編號 -LDAPFieldUseridExample=Example : uidnumber +LDAPFieldUseridExample=範例:使用者ID號碼 LDAPFieldHomedirectory=主目錄 -LDAPFieldHomedirectoryExample=範例:homedirectory +LDAPFieldHomedirectoryExample=範例:主目錄 LDAPFieldHomedirectoryprefix=主目錄前綴 LDAPSetupNotComplete=LDAP 的設定不完整(前往其他分頁) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=沒有提供管理者名稱或密碼。 LDAP 將以匿名且唯讀模式存取。 @@ -1669,7 +1682,7 @@ MemcachedModuleAvailableButNotSetup=找到應用程式快取的快取模組, MemcachedAvailableAndSetup=已啟用快取模組以使用 memcached 伺服器 OPCodeCache=OPCode 快取 NoOPCodeCacheFound=找不到OPCode快取。也許您正在使用XCode或eAccelerator之外的OPCode快取(良好),或者您沒有OPCode快取(非常不好)。 -HTTPCacheStaticResources=統計資源 (css, img, javascipt) 的 HTTP 快取 +HTTPCacheStaticResources=靜態資源(CSS、圖像、JavaScript)的HTTP快取 FilesOfTypeCached=HTTP 伺服器已快取%s類型的檔案 FilesOfTypeNotCached=HTTP 伺服器沒有快取%s類型的檔案 FilesOfTypeCompressed=HTTP 伺服器已壓縮%s類型的檔案 @@ -1776,12 +1789,12 @@ ActivateFCKeditor=啟用進階編輯器: FCKeditorForNotePublic=所見即所得編輯器建立/編輯元件欄位的“公開備註” FCKeditorForNotePrivate=所見即所得編輯器建立/編輯元件欄位的“不公開備註” FCKeditorForCompany=所見即所得編輯器建立/編輯元件欄位描述(產品/服務除外) -FCKeditorForProductDetails=WYSIWIG creation/edition of products description or lines for objects (lines of proposals, orders, invoices, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. -FCKeditorForMailing= 以所見即所得建立/編輯電子郵件 ( 工具 --> 電子郵件 ) +FCKeditorForProductDetails=所見即所得為所有項目(提案/建議書,訂單,發票等)建立/編輯產品描述行。 +FCKeditorForProductDetails2=警告:強烈不建議將此選項用於此情況,因為它可能在建立PDF文件時導致特殊字符和頁面格式的問題。 +FCKeditorForMailing= 以所見即所得建立/編輯批次電子郵件 ( 工具 --> 電子郵件 ) FCKeditorForUserSignature=以所見即所得建立/編輯用戶簽名檔 FCKeditorForMail=以所見即所得建立/編輯全部電子郵件( 除了工具 --> 電子郵件) -FCKeditorForTicket=服務單的所見即所得建立/編輯 +FCKeditorForTicket=以所見即所得建立/編輯服務單 ##### Stock ##### StockSetup=庫存模組設定 IfYouUsePointOfSaleCheckModule=如果使用預設提供的銷售點模組(POS)或外部模組,則POS模組可能會忽略此設定。預設情況下,大多數POS模組均設計為可立即建立發票並減少庫存,而與此處的選項無關。因此,如果您在從POS進行銷售註冊時是否需要減少庫存,還請檢查POS模組設定。 @@ -1794,7 +1807,7 @@ NotTopTreeMenuPersonalized=個人化選單沒有連結到頂端選單項目 NewMenu=新選單 MenuHandler=選單處理程式 MenuModule=原始碼模組 -HideUnauthorizedMenu=也為內部用戶隱藏未經授權的選單(灰色) +HideUnauthorizedMenu=對內部用戶也隱藏未授權的選單(否則僅變為灰色) DetailId=選單編號 DetailMenuHandler=顯示新的選單的選單處理程式 DetailMenuModule=若選單項目來自一個模組則為模組名稱 @@ -1802,7 +1815,7 @@ DetailType=選單類型(在頂部或左側) DetailTitre=翻譯的選單標籤或標籤代碼 DetailUrl=選單傳送給您的網址(以 https:// 的相關網址連結或外部連結) DetailEnabled=條件顯示或不進入 -DetailRight=顯示未經授權的灰色菜單條件 +DetailRight=顯示未經授權的灰色選單條件 DetailLangs=標籤代碼轉換的語言檔案名稱 DetailUser=內部/外部/全部 Target=目標 @@ -1855,7 +1868,7 @@ PastDelayVCalExport=不要匯出早於以下時間的事件 SecurityKey = 安全金鑰 ##### ClickToDial ##### ClickToDialSetup=點擊撥號模組設定 -ClickToDialUrlDesc=URL called when a click on phone picto is done. In URL, you can use tags
      __PHONETO__ that will be replaced with the phone number of person to call
      __PHONEFROM__ that will be replaced with phone number of calling person (yours)
      __LOGIN__ that will be replaced with clicktodial login (defined on user card)
      __PASS__ that will be replaced with clicktodial password (defined on user card). +ClickToDialUrlDesc=當點選電話圖示時則呼叫網址。在網址中,你可使用標籤
      __PHONETO__,他可取代個人撥打的電話號碼
      __PHONEFROM__,他可以取代個人的電話號碼(您自己的)
      __LOGIN__,他可以取代點選撥打登錄(在用戶卡中定義)
      __PASS__,他可以取代點選撥打密碼(在用戶卡中定義)。 ClickToDialDesc=此模組在使用桌上型電腦時會將電話號碼更改為可點擊的連結。點擊將會撥打此號碼。例如,當在桌面上使用軟體電話或使用基於 SIP 協議的 CTI 系統時,這可用於啟動撥打電話。注意:使用智慧手機時,電話號碼始終是可點擊的。 ClickToDialUseTelLink=在電話號碼中使用 "tel:" 連線 ClickToDialUseTelLinkDesc=如果您的用戶有軟體電話或軟體界面,與瀏覽器安裝在同一台電腦上,並要在您點擊瀏覽器中以“tel:”開頭的連結時撥打,請使用此方法。如果您需要以“sip:”開頭的連結或完整的服務器解決方案(無需安裝本地軟體),您必須將其設定為“否”並填寫下一個欄位。 @@ -1867,7 +1880,8 @@ CashDeskBankAccountForSell=用於以接收現金付款的預設帳戶 CashDeskBankAccountForCheque=用於以支票接收付款的預設帳戶 CashDeskBankAccountForCB=用於以信用卡接收付款的預設帳戶 CashDeskBankAccountForSumup=用於以SumUp接收付款的預設銀行帳戶 -CashDeskDoNotDecreaseStock=當從銷售點完成銷售時,停用庫存減少(如果為“否”,則通過POS完成的每次銷售都會減少庫存,而與庫存模組中設定的選項無關)。 +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale +CashDeskDoNotDecreaseStockHelp=If "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock. CashDeskIdWareHouse=為減少庫存強制並限制倉庫使用 StockDecreaseForPointOfSaleDisabled=從銷售點減少庫存已停用 StockDecreaseForPointOfSaleDisabledbyBatch=POS中的庫存減少與序列/批次管理模組(當前處於活動狀態)不相容,因此停用了庫存減少。 @@ -1963,13 +1977,14 @@ BackupDumpWizard=建立資料庫轉存檔案的小精靈 BackupZipWizard=建立文件資料夾壓縮檔的小精靈 SomethingMakeInstallFromWebNotPossible=由於以下原因,無法從 Web 界面安裝外部模組: SomethingMakeInstallFromWebNotPossible2=因此,此處描述的升級過程是只有特權用戶才能執行的手動過程。 -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. +InstallModuleFromWebHasBeenDisabledContactUs=由於安全目的,目前在應用程序中安裝或開發外部模組或動態網站已被鎖定。如果您需要啟用此功能,請聯繫我們。 InstallModuleFromWebHasBeenDisabledByFile=您的管理員已禁止從應用程式安裝外部模組。您必須要求他刪除檔案%s才能使用此功能。 ConfFileMustContainCustom=從應用程式安裝或建構外部模組需要將模組檔案保存到資料夾%s中 。要使此資料夾由Dolibarr處理,必須設定新增以下2條指令行到conf / conf.php
      $ dolibarr_main_url_root_alt ='/ custom';
      $ dolibarr_main_document_root_alt ='%s / custom'; HighlightLinesOnMouseHover=滑鼠經過時會顯示表格行 HighlightLinesColor=滑鼠經過時突出顯示行的顏色(使用“ ffffff”表示沒有突出顯示) HighlightLinesChecked=選中時突出顯示行的顏色(使用"ffffff"表示不突出顯示) UseBorderOnTable=在表格上顯示左右邊框 +TableLineHeight=表格行高 BtnActionColor=操作按鈕的顏色 TextBtnActionColor=操作按鈕的文字顏色 TextTitleColor=頁面標題的文字顏色 @@ -1991,7 +2006,7 @@ EnterAnyCode=此欄位包含用於識別行的參考。輸入您選擇的任何 Enter0or1=輸入0或1 UnicodeCurrency=在括號之間輸入代表貨幣符號的字元數列表。例如:對於$,輸入[36]-對於巴西R $ [82,36]-對於€,輸入[8364] ColorFormat=在 HEX 格式中 RGB 顏色,例如: FF0000 -PictoHelp=Icon name in format:
      - image.png for an image file into the current theme directory
      - image.png@module if file is into the directory /img/ of a module
      - fa-xxx for a FontAwesome fa-xxx picto
      - fonwtawesome_xxx_fa_color_size for a FontAwesome fa-xxx picto (with prefix, color and size set) +PictoHelp=圖示名稱的格式:
      -對於位於目前主題資料夾中的影像檔案:image.png
      -對於位於模組資料夾/img/資料夾的檔案:image.png@module
      -對於FontAwesome fa-xxx圖示:fa-xxx
      -對於FontAwesome fa-xxx圖示(具有前綴、顏色和大小設定):fontawesome_xxx_fa_color_size PositionIntoComboList=行的位置放到組合清單中 SellTaxRate=銷售稅率 RecuperableOnly=在法國某些州營業稅是 “Not Perceived but Recoverable”。 在其他情況下,則將該值保持為“否”。 @@ -2077,10 +2092,10 @@ MAIN_DOCUMENTS_LOGO_HEIGHT=PDF上Logo的高度 DOC_SHOW_FIRST_SALES_REP=顯示第一位業務代表 MAIN_GENERATE_PROPOSALS_WITH_PICTURE=在提案/建議書行加入圖片欄位 MAIN_DOCUMENTS_WITH_PICTURE_WIDTH=欄位寬度-如果在行上加入圖片 -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=Hide the unit price column on quotation requests -MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=Hide the total price column on quotation requests -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=Hide the unit price column on purchase orders -MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=Hide the total price column on puchase orders +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_UNIT_PRICE=隱藏報價中的單價欄位 +MAIN_GENERATE_DOCUMENTS_SUPPLIER_PROPOSAL_WITHOUT_TOTAL_COLUMN=隱藏報價中的總價欄位 +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_UNIT_PRICE=隱藏採購訂單中的單價欄位 +MAIN_GENERATE_DOCUMENTS_PURCHASE_ORDER_WITHOUT_TOTAL_COLUMN=隱藏採購訂單中的總價欄位 MAIN_PDF_NO_SENDER_FRAME=隱藏寄件人地址框的邊框 MAIN_PDF_NO_RECIPENT_FRAME=隱藏收件人地址框的邊框 MAIN_PDF_HIDE_CUSTOMER_CODE=隱藏客戶代碼 @@ -2094,7 +2109,7 @@ EnterCalculationRuleIfPreviousFieldIsYes=如果先前欄位設定為“是”, SeveralLangugeVariatFound=發現數個語言變數 RemoveSpecialChars=刪除特殊字元 COMPANY_AQUARIUM_CLEAN_REGEX=用正則表達式篩選器清除值(COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_AQUARIUM_NO_PREFIX=Do not use prefix, only copy customer or supplier code +COMPANY_AQUARIUM_NO_PREFIX=不使用前綴,僅複製客戶或供應商代碼 COMPANY_DIGITARIA_CLEAN_REGEX=用正則表達式篩選器清除值(COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=不允許重複 RemoveSpecialWords=為客戶或供應商產生子帳戶時清除特定文字 @@ -2107,7 +2122,7 @@ YouCanDeleteFileOnServerWith=您可以使用下列命令行在伺服器上刪除 ChartLoaded=已載入會計項目表 SocialNetworkSetup=社群網路模組設定 EnableFeatureFor=為 %s 啓用功能 -VATIsUsedIsOff=注意:在選單%s-%s中,使用營業稅或增值稅的選項已設定為“ 關閉 ”,因此用於銷售的營業稅或增值稅將始終為0。 +VATIsUsedIsOff=注意:在選單%s-%s中,使用營業稅或銷售稅的選項已設定為“ 關閉 ”,因此用於銷售的營業稅或銷售稅將始終為0。 SwapSenderAndRecipientOnPDF=交換PDF文件上的發件人和收件人地址位置 FeatureSupportedOnTextFieldsOnly=警告,僅文字欄位與複合清單支援此功能。另外,必須設定網址參數action = create或action = edit到OR頁面,名稱必須為'new.php' 才能觸發此功能。 EmailCollector=電子郵件收集器 @@ -2117,14 +2132,14 @@ NewEmailCollector=新電子郵件收集器 EMailHost=IMAP伺服器主機 EMailHostPort=電子郵件IMAP伺服器的連接埠 loginPassword=登入/密碼 -oauthToken=OAuth2 token +oauthToken=OAuth2 許可證 accessType=登入類型 oauthService=認證服務 TokenMustHaveBeenCreated=必須啟用OAuth2模組,並且必須有已建立正確權限之oauth2許可證(例如Gmail 的 OAuth之"gmail_full”範圍)。 -ImapEncryption = IMAP encryption method -ImapEncryptionHelp = Example: none, ssl, tls, notls -NoRSH = Use the NoRSH configuration -NoRSHHelp = Do not use RSH or SSH protocols to establish an IMAP pre-identification session +ImapEncryption = IMAP加密方式 +ImapEncryptionHelp = 範例:none、ssl、tls、notls +NoRSH = 使用 NoRSH設定 +NoRSHHelp = 不使用RSH或SSH協議來建立IMAP預識別程序。 MailboxSourceDirectory=信箱來源資料夾 MailboxTargetDirectory=信箱目標資料夾 EmailcollectorOperations=收集器要做的操作 @@ -2137,16 +2152,16 @@ DateLastCollectResult=最新嘗試收集日期 DateLastcollectResultOk=最新收集成功日期 LastResult=最新結果 EmailCollectorHideMailHeaders=不要將郵件標題的內容包含在已收集郵件的保存內容中 -EmailCollectorHideMailHeadersHelp=When enabled, e-mail headers are not added at the end of the email content that is saved as an agenda event. +EmailCollectorHideMailHeadersHelp=啟用後,電子郵件標題不會增加到保存為事件的電子郵件內容的末尾。 EmailCollectorConfirmCollectTitle=郵件收集確認 EmailCollectorConfirmCollect=您是否要立即執行此收集器? -EmailCollectorExampleToCollectTicketRequestsDesc=Collect emails that match some rules and create automatically a ticket (Module Ticket must be enabled) with the email informations. You can use this collector if you provide some support by email, so your ticket request will be automatically generated. Activate also Collect_Responses to collect answers of your client directly on the ticket view (you must reply from Dolibarr). +EmailCollectorExampleToCollectTicketRequestsDesc=收集符合某些規則的電子郵件並自動建立一個服務單(必須啟用服務單模組),其中包含電子郵件資訊。如果您通過電子郵件提供支援,則將自動地產生服務單請求。還應啟用Collect_Responses以在服務單視圖中直接收集客戶的回應(您必須從Dolibarr回覆)。 EmailCollectorExampleToCollectTicketRequests=收集服務單需求的範例(僅第一條訊息) -EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=Scan your mailbox "Sent" directory to find emails that was sent as an answer of another email directly from your email software and not from Dolibarr. If such an email is found, the event of answer is recorded into Dolibarr +EmailCollectorExampleToCollectAnswersFromExternalEmailSoftwareDesc=掃描您信箱的“已寄送”資料夾,尋找直接從您的電子郵件軟體而不是從Dolibarr回覆的電子郵件。如果找到此類電子郵件,將在Dolibarr中記錄回應事件。 EmailCollectorExampleToCollectAnswersFromExternalEmailSoftware=收集從外部電子郵件軟體發送的電子郵件回應的範例 -EmailCollectorExampleToCollectDolibarrAnswersDesc=Collect all emails that are an answer of an email sent from your application. An event (Module Agenda must be enabled) with the email response will be recorded at the good place. For example, if you send a commercial proposal, order, invoice or message for a ticket by email from the application, and the recipient answers your email, the system will automatically catch the answer and add it into your ERP. +EmailCollectorExampleToCollectDolibarrAnswersDesc=收集所有來自您應用程式發送的郵件的回覆電子郵件。使用電子郵件回覆的事件(需要啟用行事曆模組)將被記錄在適當的位置。例如,如果您從應用程式通過電子郵件發送商業提案/建議書、訂單、發票或服務單訊息,並且收件人回覆您的郵件,系統將自動捕捉回覆並將其加入您的ERP系統。 EmailCollectorExampleToCollectDolibarrAnswers=收集所有傳入訊息的範例,這些訊息是從 Dolibarr 發送訊息的回應 -EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email informations. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the thirdparty can't be found in database (new customer), the lead will be attached to the thirdparty with ID 1. +EmailCollectorExampleToCollectLeadsDesc=Collect emails that match some rules and create automatically a lead (Module Project must be enabled) with the email information. You can use this collector if you want to follow your lead using the module Project (1 lead = 1 project), so your leads will be automatically generated. If the collector Collect_Responses is also enabled, when you send an email from your leads, proposals or any other object, you may also see answers of your customers or partners directly on the application.
      Note: With this initial example, the title of the lead is generated including the email. If the third party can't be found in database (new customer), the lead will be attached to the third party with ID 1. EmailCollectorExampleToCollectLeads=收集潛在的範例 EmailCollectorExampleToCollectJobCandidaturesDesc=Collect emails applying to job offers (Module Recruitment must be enabled). You can complete this collector if you want to automatically create a candidature for a job request. Note: With this initial example, the title of the candidature is generated including the email. EmailCollectorExampleToCollectJobCandidatures=使用電子郵件收集職位候選人的範例 @@ -2188,10 +2203,10 @@ Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=每個用戶都可以從其用戶頁面-Tab "%s"覆蓋此值 -DefaultCustomerType=為"新客戶"表單預設新建合作方類型 +DefaultCustomerType=Default third-party type for "New customer" creation form ABankAccountMustBeDefinedOnPaymentModeSetup=注意:必須在每種付款方式(Paypal,Stripe等)的模組上定義銀行帳戶,才能使用此功能。 RootCategoryForProductsToSell=待售產品的根類別 -RootCategoryForProductsToSellDesc=如果定義,則在銷售點中僅此類別中的產品或此類別中的子產品可用 +RootCategoryForProductsToSellDesc=If defined, only products inside this category or children of this category will be available in the Point Of Sale DebugBar=除錯列 DebugBarDesc=工具列附帶了大量簡化除錯的工具 DebugBarSetup=Debug Bar設置 @@ -2212,10 +2227,10 @@ ImportSetup=模組匯入設定 InstanceUniqueID=實例的唯一ID SmallerThan=小於 LargerThan=大於 -IfTrackingIDFoundEventWillBeLinked=請注意,如果在電子郵件中發現項目的追蹤 ID,或者如果電子郵件是已收集並連結到項目的電子郵件的回覆,則建立的事件將自動連結到已知的相關項目。 -WithGMailYouCanCreateADedicatedPassword=對於GMail帳戶,如果啟用了兩步驗證,建議您為應用程序建立專用的第二個密碼,而不要使用來自https://myaccount.google.com/的帳戶密碼。 -EmailCollectorTargetDir=當成功地寄出電子郵件後,您可能想將電子郵件移動到另一個標籤/資料夾。只需在此處設定一個值即可使用此功能。請注意,您還必須使用可讀/寫的登入帳戶。 -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) thirdparty will be used for following actions that need it.
      For example, if you want to create a thirdparty with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email already collected and linked to an object, the created event will be automatically linked to the known related object. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommended to create a dedicated second password for the application instead of using your own account password from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behavior to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing third party in your database (search will be done on the defined property among 'id','name','name_alias','email'). The found (or created) third party will be used for following actions that need it.
      For example, if you want to create a third party with a name extracted from a string 'Name: name to find' present into the body, use the sender email as email, you can set the parameter field like this:
      'email=HEADER:^From:(.*);name=EXTRACT:BODY:Name:\\s([^\\s]*);client=SET:2;'
      FilterSearchImapHelp=Warning: a lot of email servers (like Gmail) are doing full word searches when searching on a string and will not return a result if the string is only found partially into a word. For this reason too, use special characters into a search criteria will be ignored are they are not part of existing words.
      To make an exclude search on a word (return email if word is not found), you can use the ! character before the word (may not work on some mail servers). EndPointFor=%s的端點:%s DeleteEmailCollector=刪除電子郵件收集器 @@ -2235,7 +2250,7 @@ ShowProjectLabel=專案標籤 PDF_INCLUDE_ALIAS_IN_THIRDPARTY_NAME=在合作方名稱中包含別名 THIRDPARTY_ALIAS=合作方名稱 - 合作方別名 ALIAS_THIRDPARTY=合作方別名 - 合作方名稱 -PDFIn2Languages=Show labels in the PDF in 2 different languages (this feature may not work for some couple of languages) +PDFIn2Languages=於PDF的標籤顯示兩種不同的語言(這個功能可能對某些語言無法正常運作) PDF_USE_ALSO_LANGUAGE_CODE=如果您要在生成同一的PDF中以兩種不同的語言複製一些文字,則必須在此處設置第二種語言讓生成的PDF在同一頁中包含兩種不同的語言,選擇的可以用來生成PDF跟另一種語言(只有少數PDF模板支援此功能)。PDF只有一種語言則留空。 PDF_USE_A=產生使用PDF/A格式的PDF文件而不是預設格式的PDF FafaIconSocialNetworksDesc=在此處輸入FontAwesome圖示的代碼。如果您不知道什麼是FontAwesome,則可以使用通用值fa-address-book。 @@ -2283,8 +2298,8 @@ DatabasePasswordNotObfuscated=資料庫密碼在conf檔案中不是加密 APIsAreNotEnabled=未啟用 API 模組 YouShouldSetThisToOff=您應該將此設定為 0 或off InstallAndUpgradeLockedBy=安裝與升級已被檔案%s鎖定 -InstallLockedBy=Install/Reinstall is locked by the file %s -InstallOfAddonIsNotBlocked=Installations of addons are not locked. Create a file installmodules.lock into directory %s to block installations of external addons/modules. +InstallLockedBy=安裝/移除功能已被檔案%s鎖定 +InstallOfAddonIsNotBlocked=外掛程式的安裝並未被鎖定。請在資料夾%s中建立一個名為installmodules.lock的檔案,以阻止外部外掛程式或模組的安裝。 OldImplementation=舊執行 PDF_SHOW_LINK_TO_ONLINE_PAYMENT=如果有一些線上支付模組已啟用(Paypal, Stripe, ...),在PDF中加入一個線上支付的連結 DashboardDisableGlobal=停用所有開放項目縮圖 @@ -2327,26 +2342,26 @@ WebhookSetup = 設定 Webhook Settings = 設定 WebhookSetupPage = Webhook 設定頁 ShowQuickAddLink=在右上角的選單中顯示一個快速增加小工具的按鈕 - +ShowSearchAreaInTopMenu=在上方選單中顯示搜尋區 HashForPing=用於 ping 的Hash ReadOnlyMode=實例是否處於“唯讀”模式 DEBUGBAR_USE_LOG_FILE=使用 dolibarr.log 檔案收集日誌 UsingLogFileShowAllRecordOfSubrequestButIsSlower=Use the dolibarr.log file to trap Logs instead of live memory catching. It allows to catch all logs instead of only log of current process (so including the one of ajax subrequests pages) but will make your instance very very slow. Not recommended. -FixedOrPercent=Fixed (use keyword 'fixed') or percent (use keyword 'percent') +FixedOrPercent=固定(使用關鍵字"固定")或百分比(使用關鍵字"百分比") DefaultOpportunityStatus=預設機會狀態(建立潛在客戶時的第一個狀態) IconAndText=圖示與文字 TextOnly=純文字 -IconOnlyAllTextsOnHover=Icon only - All texts appears under icon on mouse over menu bar -IconOnlyTextOnHover=Icon only - Text of icon appears under icon on mouse over the icon +IconOnlyAllTextsOnHover=圖示 - 當滑鼠停在選單列時所有文字顯示在圖示下方 +IconOnlyTextOnHover=圖示 - 滑鼠停在圖示時,圖示文字顯示在圖示下方 IconOnly=圖示 - 文字在工具提示上 INVOICE_ADD_ZATCA_QR_CODE=在發票上顯示 ZATCA QR Code INVOICE_ADD_ZATCA_QR_CODEMore=一些阿拉伯國家的發票需要這個QR Code INVOICE_ADD_SWISS_QR_CODE=在發票上顯示瑞士QR Code -INVOICE_ADD_SWISS_QR_CODEMore=Switzerland's standard for invoices; make sure ZIP & City are filled and that the accounts have valid Swiss/Liechtenstein IBANs. +INVOICE_ADD_SWISS_QR_CODEMore=瑞士的發票標準:請確保郵遞區號和城市已填寫,並且帳戶擁有有效的瑞士/列支敦士登IBAN INVOICE_SHOW_SHIPPING_ADDRESS=顯示送貨地址 -INVOICE_SHOW_SHIPPING_ADDRESSMore=Compulsory indication in some countries (France, ...) -UrlSocialNetworksDesc=Url link of social network. Use {socialid} for the variable part that contains the social network ID. +INVOICE_SHOW_SHIPPING_ADDRESSMore=在一些國家(如法國等),這是強制性的指示 +UrlSocialNetworksDesc=社群網路的網路連結。使用 {socialid} 作為包含社群網路ID的變數部分 IfThisCategoryIsChildOfAnother=如果此類別是另一個類別的子類別 DarkThemeMode=深色主題模式 AlwaysDisabled=總是停用 @@ -2356,17 +2371,17 @@ DoesNotWorkWithAllThemes=不適用於所有主題 NoName=沒有名稱 ShowAdvancedOptions= 顯示進階選項 HideAdvancedoptions= 隱藏進階選項 -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: OauthNotAvailableForAllAndHadToBeCreatedBefore=OAUTH2 authentication is not available for all hosts, and a token with the right permissions must have been created upstream with the OAUTH module MAIN_MAIL_SMTPS_OAUTH_SERVICE=OAUTH2認證服務 DontForgetCreateTokenOauthMod=A token with the right permissions must have been created upstream with the OAUTH module -MAIN_MAIL_SMTPS_AUTH_TYPE=認證方式 +MAIN_MAIL_SMTPS_AUTH_TYPE=Authentication method UsePassword=使用密碼 UseOauth=使用 OAUTH許可證 Images=圖片 MaxNumberOfImagesInGetPost=Max number of images allowed in a HTML field submitted in a form MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month -CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a thirdparty or contact from its phone number. URL to use is: +CIDLookupURL=The module brings an URL that can be used by an external tool to get the name of a third party or contact from its phone number. URL to use is: ScriptIsEmpty=腳本是空的 ShowHideTheNRequests=顯示/隱藏 %s 的SQL 請求 DefinedAPathForAntivirusCommandIntoSetup=定義防毒軟體的路徑為 %s @@ -2383,6 +2398,7 @@ RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions WarningDisabled=停用警告 LimitsAndMitigation=訪問限制和延遲 +RecommendMitigationOnURL=It is recommended to activate mitigation on critical URL. This is list of fail2ban rules you can use for the main important URLs. DesktopsOnly=僅限桌上型電腦 DesktopsAndSmartphones=桌上型電腦和智能手機 AllowOnlineSign=允許線上簽署 @@ -2403,6 +2419,24 @@ Defaultfortype=預設 DefaultForTypeDesc=Template used by default when creating a new email for the template type OptionXShouldBeEnabledInModuleY=Option "%s" should be enabled into module %s OptionXIsCorrectlyEnabledInModuleY=Option "%s" is enabled into module %s +AllowOnLineSign=Allow On Line signature AtBottomOfPage=At bottom of page FailedAuth=failed authentications MaxNumberOfFailedAuth=Max number of failed authentication in 24h to deny login. +AllowPasswordResetBySendingANewPassByEmail=If a user A has this permission, and even if the user A is not an "admin" user, A is allowed to reset the password of any other user B, the new password will be send to the email of the other user B but it won't be visible to A. If the user A has the "admin" flag, he will also be able to know what is the new generated password of B so he will be able to take control of the B user account. +AllowAnyPrivileges=If a user A has this permission, he can create a user B with all privileges then use this user B, or grant himself any other group with any permission. So it means user A owns all business privileges (only system access to setup pages will be forbidden) +ThisValueCanBeReadBecauseInstanceIsNotInProductionMode=This value can be read because your instance is not set in production mode +SeeConfFile=See inside conf.php file on the server +ReEncryptDesc=Reencrypt data if not yet encrypted +PasswordFieldEncrypted=%s new record have this field been encrypted +ExtrafieldsDeleted=Extrafields %s has been deleted +LargeModern=Large - Modern +SpecialCharActivation=Enable the button to open a virtual keyboard to enter special characters +DeleteExtrafield=Delete extrafield +ConfirmDeleteExtrafield=Do you confirm deletion of the field %s ? All data saved into this field will be definitely deleted +ExtraFieldsSupplierInvoicesRec=互補屬性(範本發票) +ExtraFieldsSupplierInvoicesLinesRec=Complementary attributes (template invoice lines) +ParametersForTestEnvironment=Parameters for test environment +TryToKeepOnly=Try to keep only %s +RecommendedForProduction=Recommended for Production +RecommendedForDebug=Recommended for Debug diff --git a/htdocs/langs/zh_TW/bills.lang b/htdocs/langs/zh_TW/bills.lang index b9e7eaa984d..c9dfb14725a 100644 --- a/htdocs/langs/zh_TW/bills.lang +++ b/htdocs/langs/zh_TW/bills.lang @@ -124,7 +124,7 @@ EnterPaymentDueToCustomer=應付客戶款項 DisabledBecauseRemainderToPayIsZero=已關閉,因為剩餘的未付餘額為零 PriceBase=基本價格 BillStatus=發票狀態 -StatusOfGeneratedInvoices=已產生發票的狀態 +StatusOfAutoGeneratedInvoices=Status of automatically generated invoices BillStatusDraft=草稿(等待驗證) BillStatusPaid=已付款 BillStatusPaidBackOrConverted=同意折讓照會通知退款或已標記為貸項 @@ -167,7 +167,7 @@ ActionsOnBill=發票活動 ActionsOnBillRec=Actions on recurring invoice RecurringInvoiceTemplate=範本/定期發票 NoQualifiedRecurringInvoiceTemplateFound=沒有定期發票範本可產生。 -FoundXQualifiedRecurringInvoiceTemplate=找到符合產生條件的%s定期發票範本。 +FoundXQualifiedRecurringInvoiceTemplate=%s recurring template invoice(s) qualified for generation. NotARecurringInvoiceTemplate=不是定期發票範本 NewBill=新發票 LastBills=最新%s張發票 @@ -185,7 +185,7 @@ SuppliersDraftInvoices=供應商草稿發票 Unpaid=未付 ErrorNoPaymentDefined=錯誤未定義付款 ConfirmDeleteBill=您確定要刪除此發票嗎? -ConfirmValidateBill=您確定要使用參考%s驗證此發票嗎? +ConfirmValidateBill=Are you sure you want to validate this invoice with the reference %s? ConfirmUnvalidateBill=您確定要將發票%s更改為草稿狀態嗎? ConfirmClassifyPaidBill=您確定要將發票%s更改為已付款狀態嗎? ConfirmCancelBill=您確定要取消發票%s嗎? @@ -197,9 +197,9 @@ ConfirmClassifyPaidPartiallyReasonDiscount=未付款餘額(%s %s)是 ConfirmClassifyPaidPartiallyReasonDiscountNoVat=未付款餘額(%s %s)是折扣,因為付款是在付款到期日前進行的。。我司接受此折扣不加營業稅。 ConfirmClassifyPaidPartiallyReasonDiscountVat=剩餘未付款項(%s %s)同意為折扣,因為付款是在付款到期日前完成的。我在沒有同意折讓照會通知的情況下以這種折扣方式恢復營業稅。 ConfirmClassifyPaidPartiallyReasonBadCustomer=壞客戶 -ConfirmClassifyPaidPartiallyReasonBadSupplier=Bad vendor +ConfirmClassifyPaidPartiallyReasonBadSupplier=不良供應商 ConfirmClassifyPaidPartiallyReasonBankCharge=Deduction by bank (intermediary bank fee) -ConfirmClassifyPaidPartiallyReasonWithholdingTax=Withholding tax +ConfirmClassifyPaidPartiallyReasonWithholdingTax=代扣稅 ConfirmClassifyPaidPartiallyReasonProductReturned=產品部分退貨 ConfirmClassifyPaidPartiallyReasonOther=因其他原因而放棄的金額 ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=如果您的發票已提供適當的註釋,則可以選擇此選項。 (例如,“只有與實際支付的價格相對應的稅才有扣除的權利”) @@ -208,7 +208,7 @@ ConfirmClassifyPaidPartiallyReasonAvoirDesc=如果其他所有條件都不適合 ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=壞客戶是拒絕付款的客戶。 ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=由於部分產品已退還而付款未完成時,使用此選項 ConfirmClassifyPaidPartiallyReasonBankChargeDesc=未付金額為 中介銀行費用 ,直接從客戶支付的 正確金額 中扣除。 -ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=The unpaid amount will never be paid as it is a withholding tax +ConfirmClassifyPaidPartiallyReasonWithholdingTaxDesc=未支付的金額將永遠不會支付,因為這是一種代扣稅 ConfirmClassifyPaidPartiallyReasonOtherDesc=如果其他所有選項都不適用,請使用此選擇,例如在以下情況下:
      - 付款不完整因為一些產品被運回
      - 聲稱金額太重要因為忘記了折扣
      在所有情況下,都必須建立同意折讓照會通知在會計系統中更正超額的金額。 ConfirmClassifyPaidPartiallyReasonBadSupplierDesc=A bad supplier is a supplier we refuse to pay. ConfirmClassifyAbandonReasonOther=其他 @@ -217,7 +217,7 @@ ConfirmCustomerPayment=您確認此為%s %s的付款金額? ConfirmSupplierPayment=您確認此為%s的付款金額 %s 嗎? ConfirmValidatePayment=您確定要驗證此付款?一旦付款驗證後將無法變更。 ValidateBill=驗證發票 -UnvalidateBill=未驗證發票 +UnvalidateBill=Invalidate invoice NumberOfBills=發票編號 NumberOfBillsByMonth=每月發票數 AmountOfBills=發票金額 @@ -250,12 +250,13 @@ RemainderToTake=剩餘金額 RemainderToTakeMulticurrency=剩餘金額,原始幣別 RemainderToPayBack=剩餘金額退款 RemainderToPayBackMulticurrency=退還餘額,原始幣別 +NegativeIfExcessReceived=如果超額收款,則為負 NegativeIfExcessRefunded=如果超額退還,則為負數 -Rest=待辦中 +NegativeIfExcessPaid=negative if excess paid +Rest=未付款餘額 AmountExpected=索款額 ExcessReceived=超額收款 ExcessReceivedMulticurrency=超額收款,原始貨幣 -NegativeIfExcessReceived=如果超額收款,則為負 ExcessPaid=超額付款 ExcessPaidMulticurrency=超額付款,原始貨幣 EscompteOffered=已提供折扣(付款日前付款) @@ -287,10 +288,10 @@ NonPercuRecuperable=不可恢復 SetConditions=設定付款條件 SetMode=設定付款類型 SetRevenuStamp=設定印花稅票 -Billed=已開發票 +Billed=已開票 RecurringInvoices=定期發票 -RecurringInvoice=經常性發票 -RecurringInvoiceSource=Source recurring invoice +RecurringInvoice=定期發票 +RecurringInvoiceSource=定期發票來源 RepeatableInvoice=發票範本 RepeatableInvoices=各式發票範本 RecurringInvoicesJob=產生定期發票(銷售發票) @@ -333,8 +334,8 @@ DiscountFromExcessPaid=付款超過發票%s AbsoluteDiscountUse=此種信用可用於發票驗證之前 CreditNoteDepositUse=被驗證後的發票才可使用此信用類型 NewGlobalDiscount=新絕對折扣 -NewSupplierGlobalDiscount=New absolute supplier discount -NewClientGlobalDiscount=New absolute client discount +NewSupplierGlobalDiscount=新供應商絕對折扣 +NewClientGlobalDiscount=新客戶絕對折扣 NewRelativeDiscount=新相對折扣 DiscountType=折扣類別 NoteReason=備註/原因 @@ -404,7 +405,7 @@ DateLastGenerationShort=最新的產生日期 MaxPeriodNumber=產生發票的最大數量 NbOfGenerationDone=已經產生完成的發票數量 NbOfGenerationOfRecordDone=已經完成的產生記錄數量 -NbOfGenerationDoneShort=Number of generations done +NbOfGenerationDoneShort=已產生完成數量 MaxGenerationReached=已達到最大產生數量 InvoiceAutoValidate=自動驗證發票 GeneratedFromRecurringInvoice=已從定期發票範本%s產生 @@ -427,7 +428,7 @@ PaymentConditionShort60D=60天 PaymentCondition60D=60天 PaymentConditionShort60DENDMONTH=60天月底結 PaymentCondition60DENDMONTH=次月起60天內 -PaymentConditionShortPT_DELIVERY=交貨 +PaymentConditionShortPT_DELIVERY=發貨 PaymentConditionPT_DELIVERY=貨到付款 PaymentConditionShortPT_ORDER=訂單 PaymentConditionPT_ORDER=訂購 @@ -447,18 +448,18 @@ FixAmount=固定金額-標籤為“ %s”的1行 VarAmount=可變金額 (%% tot.) VarAmountOneLine=可變金額 (%% tot.) - 有標籤 '%s'的一行 VarAmountAllLines=可變金額(%% tot.)-所有行從起點 -DepositPercent=Deposit %% +DepositPercent=預付款 %% DepositGenerationPermittedByThePaymentTermsSelected=This is permitted by the payment terms selected -GenerateDeposit=Generate a %s%% deposit invoice -ValidateGeneratedDeposit=Validate the generated deposit -DepositGenerated=Deposit generated +GenerateDeposit=產生 %s%%預付款發票 +ValidateGeneratedDeposit=驗證產生的預付款 +DepositGenerated=預付款已產生 ErrorCanOnlyAutomaticallyGenerateADepositFromProposalOrOrder=You can only automatically generate a deposit from a proposal or an order ErrorPaymentConditionsNotEligibleToDepositCreation=The chose payment conditions are not eligible for automatic deposit generation # PaymentType PaymentTypeVIR=銀行轉帳 PaymentTypeShortVIR=銀行轉帳 PaymentTypePRE=直接轉帳付款訂單 -PaymentTypePREdetails=(on account %s...) +PaymentTypePREdetails=(帳戶%s...) PaymentTypeShortPRE=轉帳付款訂單 PaymentTypeLIQ=現金 PaymentTypeShortLIQ=現金 @@ -466,8 +467,8 @@ PaymentTypeCB=信用卡 PaymentTypeShortCB=信用卡 PaymentTypeCHQ=支票 PaymentTypeShortCHQ=支票 -PaymentTypeTIP=提示(付款憑證) -PaymentTypeShortTIP=提示付款 +PaymentTypeTIP=獎金(付款憑證) +PaymentTypeShortTIP=獎金支付 PaymentTypeVAD=線上支付 PaymentTypeShortVAD=線上支付 PaymentTypeTRA=銀行匯票 @@ -517,14 +518,14 @@ UseLine=同意 UseDiscount=使用折扣 UseCredit=使用信用卡 UseCreditNoteInInvoicePayment=減少此抵免額 -MenuChequeDeposits=Deposits slips +MenuChequeDeposits=存款單 MenuCheques=支票 -MenuChequesReceipts=Deposit slips -NewChequeDeposit=New deposit slip -ChequesReceipts=Cheque deposit slips -DocumentsDepositArea=Deposit slip area +MenuChequesReceipts=存款單 +NewChequeDeposit=新存款單 +ChequesReceipts=檢查存款單 +DocumentsDepositArea=存款單區塊 ChequesArea=Deposit slips area -ChequeDeposits=Deposit slips +ChequeDeposits=存款單 Cheques=支票 DepositId=存款編號 NbCheque=支票數量 @@ -561,10 +562,10 @@ YouMustCreateStandardInvoiceFirstDesc=您必須先建立標準發票,然後將 PDFCrabeDescription=發票PDF範本Crabe。完整的發票範本(Sponge範本的舊範本) PDFSpongeDescription=發票PDF範本Sponge。完整的發票範本 PDFCrevetteDescription=發票PDF範本Crevette。狀況發票的完整發票範本 -TerreNumRefModelDesc1=標準發票在格式%syymm-nnnn的退回編號和信用票據格式%syymm-nnnn中yy為年,mm為月,nnnn是一個連續自動遞增沒有中斷的數字而且不為0 -MarsNumRefModelDesc1=退回編號格式,標準發票退回格式為%syymm-nnnn,替換發票為%syymm-nnnn,預付款/訂金發票為%syymm-nnnn,信用票據為 %syymm-nnnn,其中yy是年,mm是月,nnnn不間斷且不返回0的序列 +TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 +MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 TerreNumRefModelError=以$ syymm開頭的帳單已經存在,並且與該序列模型不符合。將其刪除或重新命名以啟動此模組。 -CactusNumRefModelDesc1=退回編號格式,標準發票的退回格式為%syymm-nnnn,信用票據格式為%syymm-nnnn,預付款/訂金發票格式為%syymm-nnnn,其中yy為年,mm為月,nnnn為不間斷且不返回0的序列 +CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequential auto-incrementing number with no break and no return to 0 EarlyClosingReason=提前關閉原因 EarlyClosingComment=提前關閉註記 ##### Types de contacts ##### @@ -641,3 +642,8 @@ MentionCategoryOfOperations=Category of operations MentionCategoryOfOperations0=Delivery of goods MentionCategoryOfOperations1=Provision of services MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +Salaries=薪資 +InvoiceSubtype=Invoice Subtype +SalaryInvoice=薪資 +BillsAndSalaries=Bills & Salaries +CreateCreditNoteWhenClientInvoiceExists=This option is enabled only when validated invoice(s) exist for a customer or when constant INVOICE_CREDIT_NOTE_STANDALONE is used(useful for some countries) diff --git a/htdocs/langs/zh_TW/cashdesk.lang b/htdocs/langs/zh_TW/cashdesk.lang index 03ac29f6ea6..f41a815bed6 100644 --- a/htdocs/langs/zh_TW/cashdesk.lang +++ b/htdocs/langs/zh_TW/cashdesk.lang @@ -48,7 +48,7 @@ Receipt=收據 Header=頁首 Footer=頁尾 AmountAtEndOfPeriod=結算金額(天,月或年) -TheoricalAmount=理論金額 +TheoricalAmount=Theoretical amount RealAmount=實際金額 CashFence=Cash box closing CashFenceDone=Cash box closing done for the period @@ -57,7 +57,7 @@ Paymentnumpad=輸入付款的便籤類型 Numberspad=號碼便籤 BillsCoinsPad=硬幣和紙幣便籤 DolistorePosCategory=用於Dolibarr的TakePOS模組與其他POS解決方案 -TakeposNeedsCategories=TakePOS 需要至少一個產品類別才能正常使用 +TakeposNeedsCategories=TakePOS needs at least one product category to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS 需要在類別 %s 下至少有 1 個產品類別才能正常使用 OrderNotes=可以為每個訂購的項目增加一些註解 CashDeskBankAccountFor=用於付款的預設帳戶 @@ -76,7 +76,7 @@ TerminalSelect=選擇您要使用的終端機: POSTicket=POS 銷售單 POSTerminal=POS 終端機 POSModule=POS 模組 -BasicPhoneLayout=在手機上使用基本佈局 +BasicPhoneLayout=On phones, replace the POS with a minimal layout (Record orders only, no invoice generation, no receipt printing) SetupOfTerminalNotComplete=終端機%s的設定尚未完成 DirectPayment=直接付款 DirectPaymentButton=增加“直接現金付款”按鈕 @@ -92,14 +92,14 @@ HeadBar=標題欄 SortProductField=產品分類欄位 Browser=瀏覽器 BrowserMethodDescription=簡易列印收據。僅需幾個參數即可設定收據。通過瀏覽器列印。 -TakeposConnectorMethodDescription=具有附加功能的外部模組。可以從雲端列印。 +TakeposConnectorMethodDescription=External module with extra features. Possibility to print from the cloud. PrintMethod=列印方式 ReceiptPrinterMethodDescription=具有大量參數的強大方法。完全可定制的模板。程式的伺服器不能位於雲端當中(必須能夠使用您網路中的印表機)。 ByTerminal=依終端機 TakeposNumpadUsePaymentIcon=在小鍵盤的付款按鈕上使用圖示而不是文字 CashDeskRefNumberingModules=POS銷售編號模組 CashDeskGenericMaskCodes6 =
      {TN} 標籤用於增加站台 -TakeposGroupSameProduct=群組相同產品線 +TakeposGroupSameProduct=Merge lines of the same products StartAParallelSale=開啟新的平行銷售 SaleStartedAt=銷售開始於%s ControlCashOpening=Open the "Control cash box" popup when opening the POS @@ -118,7 +118,7 @@ ScanToOrder=掃描QR Code訂購 Appearance=顯示 HideCategoryImages=隱藏類別圖片 HideProductImages=隱藏產品圖片 -NumberOfLinesToShow=要顯示的圖片行數 +NumberOfLinesToShow=Maximum number of lines of text to show on thumb images DefineTablePlan=定義表格計劃 GiftReceiptButton=增加“禮物收據”按鈕 GiftReceipt=禮物收據 @@ -135,4 +135,21 @@ PrintWithoutDetailsLabelDefault=預設列印行標籤時不包含詳細資訊 PrintWithoutDetails=不列印詳細資訊 YearNotDefined=年份未定義 TakeposBarcodeRuleToInsertProduct=插入產品的條碼規則 -TakeposBarcodeRuleToInsertProductDesc=從掃描的條碼中讀取產品參考號 + 數量的規則。
      如果為空(預設值),應用程式將使用掃描的完整條碼來搜尋產品。

      如果已定義,語法必須為:
      ref:NB+qu:NB+qd:NB+other:NB:NB
      其中NB是來自掃描的條碼使用讀取的數據與字元數:
      • ref :產品參考號碼
      • qu:當插入項目(單位)時設定的數量
      • qd :當插入項目(小數)時設定的數量
      • other:其他字元
      +TakeposBarcodeRuleToInsertProductDesc=Rule to extract the product reference + a quantity from a scanned barcode.
      If empty (default value), application will use the full barcode scanned to find the product.

      If defined, syntax must be:
      ref:NB+qu:NB+qd:NB+other:NB
      where NB is the number of characters to use to extract data from the scanned barcode with:
      ref : product reference
      qu : quantity to set when inserting item (units)
      qd : quantity to set when inserting item (decimals)
      other : others characters +AlreadyPrinted=Already printed +HideCategories=Hide the whole section of categories selection +HideStockOnLine=Hide stock on line +ShowOnlyProductInStock=Show only the products in stock +ShowCategoryDescription=Show categories description +ShowProductReference=Show reference or label of products +UsePriceHT=Use price excl. taxes and not price incl. taxes when modifying a price +TerminalName=Terminal %s +TerminalNameDesc=Terminal name +DefaultPOSThirdLabel=TakePOS generic customer +DefaultPOSCatLabel=Point Of Sale (POS) products +DefaultPOSProductLabel=Product example for TakePOS +TakeposNeedsPayment=TakePOS needs a payment method to work, do you want to create the payment method 'Cash'? +LineDiscount=Line discount +LineDiscountShort=Line disc. +InvoiceDiscount=Invoice discount +InvoiceDiscountShort=Invoice disc. diff --git a/htdocs/langs/zh_TW/categories.lang b/htdocs/langs/zh_TW/categories.lang index 5b619e110e7..a7e8fd8e329 100644 --- a/htdocs/langs/zh_TW/categories.lang +++ b/htdocs/langs/zh_TW/categories.lang @@ -102,4 +102,5 @@ ActionCommCategoriesArea=事件分類 WebsitePagesCategoriesArea=頁面容器類別 KnowledgemanagementsCategoriesArea=知識文章分類 UseOrOperatorForCategories=分類使用 'OR' 運算符號 -AddObjectIntoCategory=Assign the category +AddObjectIntoCategory=Assign to the category +Position=職位 diff --git a/htdocs/langs/zh_TW/compta.lang b/htdocs/langs/zh_TW/compta.lang index 2ca6e64912c..a5df5808860 100644 --- a/htdocs/langs/zh_TW/compta.lang +++ b/htdocs/langs/zh_TW/compta.lang @@ -36,7 +36,7 @@ AmountHTVATRealReceived=淨收入 AmountHTVATRealPaid=凈支付 VATToPay=銷售稅 VATReceived=已收稅款 -VATToCollect=收取增值稅 +VATToCollect=銷售稅 VATSummary=每月稅金 VATBalance=稅金餘額 VATPaid=已付稅金 @@ -133,15 +133,15 @@ ByThirdParties=依合作方 ByUserAuthorOfInvoice=依開發票者 CheckReceipt=存款單 CheckReceiptShort=存款單 -LastCheckReceiptShort=Latest %s deposit slips -LastPaymentForDepositShort=Latest %s %s deposit slips +LastCheckReceiptShort=最新%s張存款單 +LastPaymentForDepositShort=最新%s%s張存款單 NewCheckReceipt=新折扣 -NewCheckDeposit=New deposit slip +NewCheckDeposit=新存款單 NewCheckDepositOn=建立帳戶存款收據:%s NoWaitingChecks=沒有支票等待存入。 -NoWaitingPaymentForDeposit=No %s payment awaiting deposit. +NoWaitingPaymentForDeposit=%s筆付款等待存入 DateChequeReceived=確認收到日期 -DatePaymentReceived=Date of document reception +DatePaymentReceived=文件收到的日期 NbOfCheques=支票數量 PaySocialContribution=支付社會/財政稅 PayVAT=支付稅金申報 @@ -154,16 +154,17 @@ DeleteVAT=刪除稅金申報 DeleteSalary=刪除薪資卡 DeleteVariousPayment=刪除各種付款 ConfirmDeleteSocialContribution=您確定要刪除此社會/財政稅款嗎? -ConfirmDeleteVAT=您確定要刪除此增值稅申報單嗎? +ConfirmDeleteVAT=您確定要刪除此銷售稅申報單嗎? ConfirmDeleteSalary=您確定要刪除此薪資嗎? ConfirmDeleteVariousPayment=您確定要刪除此各種付款嗎? ExportDataset_tax_1=社會和財政稅金及繳稅 CalcModeVATDebt=%s承諾會計營業稅%s模式. CalcModeVATEngagement=%s收入-支出營業稅%s模式. -CalcModeDebt=Analysis of known recorded documents -CalcModeEngagement=Analysis of known recorded payments +CalcModeDebt=已知記錄文件的分析 +CalcModeEngagement=已知記錄付款的分析 +CalcModePayment=已知記錄付款的分析 CalcModeBookkeeping=分析記帳簿表中記錄的數據。 -CalcModeNoBookKeeping=Even if they are not yet accounted in Ledger +CalcModeNoBookKeeping=即使它們尚未在分類帳中核算 CalcModeLT1= 客戶發票-供應商發票%s中的%sRE模式 CalcModeLT1Debt=客戶發票中的%sRE%s模式 CalcModeLT1Rec= 供應商發票%s中的%sRE模式 @@ -177,11 +178,11 @@ AnnualByCompaniesDueDebtMode=收支平衡表,依預定義組別明細,模式 AnnualByCompaniesInputOutputMode=收支平衡表,依預定義組別明細,方式%s收入-支出%s表示現金會計 。 SeeReportInInputOutputMode=請參閱 %s 付款分析%s 以了解 付款記錄 的計算,即使付款記錄尚未記入分類帳 SeeReportInDueDebtMode=請參閱 %s 文件記錄分析 %s 以了解基於已知 文件記錄 的計算,即使文件記錄尚未記入分類帳 -SeeReportInBookkeepingMode=請參閱 %s 記帳分類帳表格分析 %s 以獲取基於 記帳分類帳表格 的報告 +SeeReportInBookkeepingMode=檢查%s記帳分類帳表的分析%s,以產生基於記帳分類帳表的報告。 RulesAmountWithTaxIncluded=-顯示的金額包括所有稅費 RulesAmountWithTaxExcluded=- 顯示的發票金額不包括所有稅費 -RulesResultDue=- 它包括所有發票、費用、增值稅、捐贈、薪資,無論是否已支付。
      - 它基於發票的開票日期以及費用或稅款支付的到期日。對於薪資,使用期末日期。 -RulesResultInOut=- 它包括發票、費用、增值稅和薪資的實際付款。
      - 它基於發票、費用、增值稅、捐贈和薪資的付款日期。 +RulesResultDue=- 它包括所有發票、費用、銷售稅、捐贈、薪資,無論是否已支付。
      - 它基於發票的開票日期以及費用或稅款支付的到期日。對於薪資,使用期末日期。 +RulesResultInOut=- 它包括發票、費用、銷售稅和薪資的實際付款。
      - 它基於發票、費用、銷售稅、捐贈和薪資的付款日期。 RulesCADue=-它包括客戶的到期發票,無論是否已付款。
      -它基於這些發票的開票日期。
      RulesCAIn=-包括從客戶收到的所有有效發票付款。
      -此基於這些發票的付款日期
      RulesCATotalSaleJournal=它包括“銷售”日記帳中的所有信用額度。 @@ -213,8 +214,8 @@ LT1ReportByQuartersES=依RE稅率報稅 LT2ReportByQuartersES=依IRPF稅率報稅 SeeVATReportInInputOutputMode=查看報告%s裝箱營業稅%s的標準計算 SeeVATReportInDueDebtMode=請參閱 借記%s 上 的 %s稅率報告 以了解帶有發票選項的計算 -RulesVATInServices=- 對於服務,報告包括根據付款日期實際收到或支付之付款的增值稅。 -RulesVATInProducts=- 對於物質資產,報告包括基於付款日期的增值稅。 +RulesVATInServices=- 對於服務,報告包括根據付款日期實際收到或支付之付款的銷售稅。 +RulesVATInProducts=- 對於物質資產,報告包括基於付款日期的銷售稅。 RulesVATDueServices=- 對於服務,基於發票日期,無論是否支付,報告包含到期發票的稅金。 RulesVATDueProducts=- 對於物質資產,基於發票日期,報告包含到期發票的稅金。 OptionVatInfoModuleComptabilite=註:對於物質資產,它應該使用交貨日期以更加公平。 @@ -251,14 +252,16 @@ TurnoverPerProductInCommitmentAccountingNotRelevant=沒有依產品收集的營 TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=無法提供依銷售稅率收取的營業額報告。該報告僅適用於開具發票的營業額。 CalculationMode=計算模式 AccountancyJournal=會計代碼日記帳 -ACCOUNTING_VAT_SOLD_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on sales (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_BUY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_PAY_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for paying VAT -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Credit) -ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=Account (from the Chart Of Account) to be used as the default account for VAT on purchases for reverse charges (Debit) -ACCOUNTING_ACCOUNT_CUSTOMER=Account (from the Chart Of Account) used for "customer" third parties +ACCOUNTING_VAT_SOLD_ACCOUNT=作為銷售時銷售稅的預設帳戶使用的帳戶(來自會計科目表),則將使用此帳戶(如果在銷售稅分類設定中未定義)。 +ACCOUNTING_VAT_BUY_ACCOUNT=作為購買時銷售稅的預設帳戶使用的帳戶(來自會計科目表),則將使用此帳戶(如果在銷售稅分類設定中未定義)。 +ACCOUNTING_REVENUESTAMP_SOLD_ACCOUNT=用於銷售時印花稅的帳戶(來自會計科目表)。 +ACCOUNTING_REVENUESTAMP_BUY_ACCOUNT=用於購買時印花稅的帳戶(來自會計科目表)。 +ACCOUNTING_VAT_PAY_ACCOUNT=作為支付銷售稅的預設帳戶使用的帳戶(來自會計科目表)。 +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_CREDIT=作為購買時銷售稅免稅(信用)的預設帳戶使用的帳戶(來自會計科目表)。 +ACCOUNTING_VAT_BUY_REVERSE_CHARGES_DEBIT=作為購買時銷售稅免稅(借方)的預設帳戶使用的帳戶(來自會計科目表)。 +ACCOUNTING_ACCOUNT_CUSTOMER=用於「客戶」合作方的帳戶(來自會計科目表)。 ACCOUNTING_ACCOUNT_CUSTOMER_Desc=合作方卡上定義的專用會計科目將僅用於子帳會計。如果未定義合作方的專用客戶會計科目,則該科目將用於“總帳”,並作為“子帳”會計的預設值。 -ACCOUNTING_ACCOUNT_SUPPLIER=Account (from the Chart of Account) used for the "vendor" third parties +ACCOUNTING_ACCOUNT_SUPPLIER=用於「供應商」合作方的帳戶(來自會計科目表) ACCOUNTING_ACCOUNT_SUPPLIER_Desc=合作方卡上定義的專用會計科目將僅用於子帳會計。如果未定義第三方的專用供應商會計科目,則此科目將用於“總帳”,並作為“子帳”會計的預設值。 ConfirmCloneTax=確認複製社會/財政稅 ConfirmCloneVAT=確認複製稅金申報 @@ -282,7 +285,7 @@ LastDayTaxIsRelatedTo=稅期的最後一天 VATDue=要求營業稅 ClaimedForThisPeriod=要求的期間 PaidDuringThisPeriod=本期支付 -PaidDuringThisPeriodDesc=這是在選定日期範圍內有期末日期的增值稅申報相關之所有付款的總和 +PaidDuringThisPeriodDesc=這是在選定日期範圍內有期末日期的銷售稅申報相關之所有付款的總和 ByVatRate=依營業稅率 TurnoverbyVatrate=依營業稅率開票的營業額 TurnoverCollectedbyVatrate=依營業稅率收取的營業額 @@ -309,4 +312,4 @@ InvoiceToPay15Days=支付(15 至 30 天) InvoiceToPay30Days=支付(> 30 天) ConfirmPreselectAccount=預選會計科目代號 ConfirmPreselectAccountQuestion=您確定要使用此會計科目代號預先選擇 %s 選定的行嗎? -AmountPaidMustMatchAmountOfDownPayment=Amount paid must match amount of down payment +AmountPaidMustMatchAmountOfDownPayment=支付的金額必須與預付款/訂金金額相符。 diff --git a/htdocs/langs/zh_TW/holiday.lang b/htdocs/langs/zh_TW/holiday.lang index 31eb16bc1f3..7b0db626653 100644 --- a/htdocs/langs/zh_TW/holiday.lang +++ b/htdocs/langs/zh_TW/holiday.lang @@ -5,7 +5,7 @@ Holiday=休假 CPTitreMenu=休假 MenuReportMonth=月結單 MenuAddCP=新休假單 -MenuCollectiveAddCP=新的集體休假申請 +MenuCollectiveAddCP=New collective leave NotActiveModCP=您必須啟用“休假”模組才能查看此頁面。 AddCP=建立休假申請 DateDebCP=開始日期 @@ -95,14 +95,14 @@ UseralreadyCPexist=此%s期間的休假申請已完成 groups=群組 users=用戶 AutoSendMail=自動發送郵件 -NewHolidayForGroup=新的集體休假申請 -SendRequestCollectiveCP=發送集體休假申請 +NewHolidayForGroup=New collective leave +SendRequestCollectiveCP=Create collective leave AutoValidationOnCreate=自動驗證 FirstDayOfHoliday=假期的第一天 LastDayOfHoliday=假期的最後一天 HolidaysMonthlyUpdate=每月更新 ManualUpdate=手動更新 -HolidaysCancelation=取消的休假申請 +HolidaysCancelation=Leave request cancellation EmployeeLastname=員工姓氏 EmployeeFirstname=員工名字 TypeWasDisabledOrRemoved=休假類型(id %s)被停用或刪除 @@ -144,7 +144,7 @@ WatermarkOnDraftHolidayCards=休假申請草案上的浮水印 HolidaysToApprove=可批准假期 NobodyHasPermissionToValidateHolidays=沒有人有權限驗證假期 HolidayBalanceMonthlyUpdate=每月更新假期餘額 -XIsAUsualNonWorkingDay=%s通常為非工作日 +XIsAUsualNonWorkingDay=%s is usually a NON working day BlockHolidayIfNegative=如果餘額為負值,則鎖定 LeaveRequestCreationBlockedBecauseBalanceIsNegative=由於您的餘額為負值,此休假的建立已被鎖定 ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=休假 %s 為草案、取消或拒絕,將被刪除 diff --git a/htdocs/langs/zh_TW/hrm.lang b/htdocs/langs/zh_TW/hrm.lang index 69879dd2d07..c8115db2746 100644 --- a/htdocs/langs/zh_TW/hrm.lang +++ b/htdocs/langs/zh_TW/hrm.lang @@ -26,8 +26,9 @@ HRM_DEFAULT_SKILL_DESCRIPTION=建立技能時的預設等級描述 deplacement=轉移 DateEval=評估日期 JobCard=工作卡 -JobPosition=職位簡介 -JobsPosition=職位簡介 +NewJobProfile=New Job Profile +JobProfile=職位簡介 +JobsProfiles=職位簡介 NewSkill=新技能 SkillType=技能類型 Skilldets=此技能的等級清單 @@ -36,7 +37,7 @@ rank=等級 ErrNoSkillSelected=未選擇技能 ErrSkillAlreadyAdded=此技能已在清單中 SkillHasNoLines=此技能沒有內容 -skill=技能 +Skill=技能 Skills=技能 SkillCard=技能卡 EmployeeSkillsUpdated=員工技能已更新(於員工卡的"技能"分頁) @@ -44,33 +45,36 @@ Eval=評估 Evals=評估 NewEval=新評估 ValidateEvaluation=驗證評估 -ConfirmValidateEvaluation=您確定想要以參考%s驗證此評估嗎? +ConfirmValidateEvaluation=Are you sure you want to validate this evaluation with the reference %s? EvaluationCard=評估卡 -RequiredRank=此職位所需的等級 +RequiredRank=工作簡介所需的等級 +RequiredRankShort=Required rank +PositionsWithThisProfile=Positions with this job profiles EmployeeRank=此技能的員工等級 +EmployeeRankShort=Employee rank EmployeePosition=員工職位 EmployeePositions=員工職位 EmployeesInThisPosition=此職位的員工 group1ToCompare=要分析的用戶組 group2ToCompare=用於比較的第二個用戶組 -OrJobToCompare=比較工作技能要求 +OrJobToCompare=與工作簡介的技能要求進行比較 difference=差異 CompetenceAcquiredByOneOrMore=獲得一個或多個用戶但未從第二個比較器獲得 -MaxlevelGreaterThan=最高級別大於要求的級別 -MaxLevelEqualTo=最高級別等於該需求 -MaxLevelLowerThan=低於該需求的最高級別 -MaxlevelGreaterThanShort=員工級別高於要求的級別 -MaxLevelEqualToShort=員工級別等於該需求 -MaxLevelLowerThanShort=員工級別低於該需求 +MaxlevelGreaterThan=Employee level is greater than the expected level +MaxLevelEqualTo=Employee level is equals to the expected level +MaxLevelLowerThan=Employee level is lower than that the expected level +MaxlevelGreaterThanShort=Level greater than expected +MaxLevelEqualToShort=Level equal to the expected level +MaxLevelLowerThanShort=Level lower than expected SkillNotAcquired=並非所有用戶都掌握由第二個比較器要求的技能 legend=舊有 TypeSkill=技能類型 -AddSkill=為職位增加技能 -RequiredSkills=此職位的必要技能 +AddSkill=Add skills to job profile +RequiredSkills=Required skills for this job profile UserRank=用戶等級 SkillList=技能清單 SaveRank=儲存等級 -TypeKnowHow=Know how +TypeKnowHow=Know-how TypeHowToBe=怎樣成為 TypeKnowledge=知識 AbandonmentComment=放棄評論 @@ -85,8 +89,9 @@ VacantCheckboxHelper=點選此選項將顯示職位空缺(職位空缺) SaveAddSkill = 技能已增加 SaveLevelSkill = 技能等級已儲存 DeleteSkill = 技能已刪除 -SkillsExtraFields=補充屬性(能力) -JobsExtraFields=補充屬性 (職位) -EvaluationsExtraFields=補充屬性(評估) +SkillsExtraFields=Complementary attributes (Skills) +JobsExtraFields=Complementary attributes (Job profile) +EvaluationsExtraFields=Complementary attributes (Evaluations) NeedBusinessTravels=需要出差 NoDescription=沒有說明 +TheJobProfileHasNoSkillsDefinedFixBefore=The evaluated job profile of this employee has no skill defined on it. Please add skill(s), then delete and restart the evaluation. diff --git a/htdocs/langs/zh_TW/main.lang b/htdocs/langs/zh_TW/main.lang index 62381350cb1..e46100c7609 100644 --- a/htdocs/langs/zh_TW/main.lang +++ b/htdocs/langs/zh_TW/main.lang @@ -36,7 +36,7 @@ NoTranslation=沒有翻譯 Translation=翻譯 Translations=翻譯 CurrentTimeZone=PHP (伺服器)時區 -EmptySearchString=輸入非空白的搜索字串 +EmptySearchString=Enter non empty search criteria EnterADateCriteria=輸入日期條件 NoRecordFound=沒有找到任何紀錄 NoRecordDeleted=沒有刪除記錄 @@ -60,7 +60,7 @@ ErrorFailedToSendMail=無法傳送郵件 (寄件人=%s、收件人=%s) ErrorFileNotUploaded=檔案沒有上傳。檢查檔案大小沒有超過可允許的最大值,磁碟上有足夠可用空間以及在此資料夾中有沒有相同檔案名稱。 ErrorInternalErrorDetected=檢測到錯誤 ErrorWrongHostParameter=錯誤的主機參數 -ErrorYourCountryIsNotDefined=你沒有定義國家。請到「首頁-設定-編輯」再填入表單中。 +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Company/Foundation and post the form again. ErrorRecordIsUsedByChild=刪除此筆記錄失敗。此記錄至少有一筆子記錄。 ErrorWrongValue=錯誤的值 ErrorWrongValueForParameterX=參數%s的錯誤值 @@ -74,6 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=錯誤,沒有定義 '%s' 國家的營業 ErrorNoSocialContributionForSellerCountry=錯誤,在 '%s' 國家中沒有定義社會/財務稅務類別。 ErrorFailedToSaveFile=錯誤,無法儲存檔案。 ErrorCannotAddThisParentWarehouse=您正在嘗試加入一個已經有子倉庫的主倉庫 +ErrorInvalidSubtype=Selected Subtype is not allowed FieldCannotBeNegative=欄位“%s”不能為負值 MaxNbOfRecordPerPage=每頁最大記錄數量 NotAuthorized=您無權這樣做。 @@ -103,7 +104,8 @@ RecordGenerated=記錄已產生 LevelOfFeature=功能等級 NotDefined=未定義 DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr 認證模式是在設定檔案 conf.php 中設定成 %s
      即密碼資料庫是位於外部並連線到 Dolibarr,所以變更此欄位是沒有效果的。 -Administrator=管理員 +Administrator=System administrator +AdministratorDesc=System administrator (can administer user, permissions but also system setup and modules configuration) Undefined=未定義 PasswordForgotten=忘記密碼? NoAccount=沒有帳號? @@ -211,8 +213,8 @@ Select=選擇 SelectAll=全選 Choose=選擇 Resize=調整大小 +Crop=Crop ResizeOrCrop=調整大小或裁剪 -Recenter=重新置中 Author=作者 User=用戶 Users=用戶 @@ -444,7 +446,7 @@ LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST -LT1GC=附加美分 +LT1GC=Additional cents VATRate=稅率 RateOfTaxN=稅率%s VATCode=稅率代碼 @@ -547,6 +549,7 @@ Reportings=建立月報 Draft=草案 Drafts=草案 StatusInterInvoiced=已開票 +Done=完成 Validated=已驗證 ValidatedToProduce=已驗證(生產) Opened=啟用 @@ -698,6 +701,7 @@ Response=反應 Priority=優先權 SendByMail=以電子郵件寄送 MailSentBy=寄件人 +MailSentByTo=Email sent by %s to %s NotSent=未寄送 TextUsedInTheMessageBody=電子郵件正文 SendAcknowledgementByMail=傳送確認電子郵件 @@ -722,6 +726,7 @@ RecordModifiedSuccessfully=成功修改記錄 RecordsModified=%s記錄已修改 RecordsDeleted=%s記錄已刪除 RecordsGenerated=%s記錄已產生 +ValidatedRecordWhereFound = Some of the selected records have already been validated. No records have been deleted. AutomaticCode=自動代碼 FeatureDisabled=功能已關閉 MoveBox=移動小工具 @@ -764,11 +769,10 @@ DisabledModules=已關閉模組 For=為 ForCustomer=客戶 Signature=簽名 -DateOfSignature=簽名日期 HidePassword=顯示命令時隱藏密碼 UnHidePassword=顯示實際命令時顯示密碼 Root=根目錄 -RootOfMedias=公共媒體的根目錄(/ medias) +RootOfMedias=Root of public media (/medias) Informations=資訊 Page=頁面 Notes=備註 @@ -916,6 +920,7 @@ BackOffice=後台 Submit=提交 View=檢視 Export=匯出 +Import=匯入 Exports=匯出 ExportFilteredList=匯出已篩選清單 ExportList=匯出清單 @@ -949,7 +954,7 @@ BulkActions=批次動作 ClickToShowHelp=點擊顯示工具提示 WebSite=網站 WebSites=網站 -WebSiteAccounts=網站帳號 +WebSiteAccounts=Web access accounts ExpenseReport=費用報表 ExpenseReports=費用報表 HR=人資 @@ -1077,6 +1082,7 @@ CommentPage=註解空間 CommentAdded=註解已新增 CommentDeleted=註解已刪除 Everybody=每個人 +EverybodySmall=每一位 PayedBy=付款者 PayedTo=受款人 Monthly=每月 @@ -1089,7 +1095,7 @@ KeyboardShortcut=快捷鍵 AssignedTo=指定人 Deletedraft=刪除草稿 ConfirmMassDraftDeletion=草稿批次刪除確認 -FileSharedViaALink=通過公共連結共享的檔案 +FileSharedViaALink=Public file shared via link SelectAThirdPartyFirst=先選擇合作方(客戶/供應商)... YouAreCurrentlyInSandboxMode=您目前在 %s "沙盒" 模式 Inventory=庫存 @@ -1123,7 +1129,7 @@ ContactDefault_project_task=任務 ContactDefault_propal=提案/建議書 ContactDefault_supplier_proposal=供應商提案/建議書 ContactDefault_ticket=服務單 -ContactAddedAutomatically=通過合作方聯絡人增加的聯絡人 +ContactAddedAutomatically=Contact added from third-party contact roles More=更多 ShowDetails=顯示詳細資料 CustomReports=自定義報告 @@ -1163,8 +1169,8 @@ AffectTag=指定標籤 AffectUser=指定使用者 SetSupervisor=設定主管 CreateExternalUser=建立外部用戶 -ConfirmAffectTag=批次設定標籤 -ConfirmAffectUser=批次指派使用者 +ConfirmAffectTag=Bulk Tag Assignment +ConfirmAffectUser=Bulk User Assignment ProjectRole=角色指定於每個專案/機會 TasksRole=依任務指定角色(若使用) ConfirmSetSupervisor=批量設定主管 @@ -1222,7 +1228,7 @@ UserAgent=代理人 InternalUser=內部用戶 ExternalUser=外部用戶 NoSpecificContactAddress=沒有具體的聯絡方式或地址 -NoSpecificContactAddressBis=此分頁用於為目前對象強制指定聯絡人或地址。僅當合作方資訊不充分或不准確時您希望為對象定義一個或多個特定聯絡人或地址時才使用它。 +NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the third party is not enough or not accurate. HideOnVCard=隱藏%s AddToContacts=增加地址至我的聯絡人 LastAccess=最後的訪問 @@ -1239,3 +1245,18 @@ DateOfPrinting=Date of printing ClickFullScreenEscapeToLeave=Click here to switch in Full screen mode. Press ESCAPE to leave Full screen mode. UserNotYetValid=Not yet valid UserExpired=已過期 +LinkANewFile=連接新文件/檔案 +LinkedFiles=連接新文件/檔案(複數) +NoLinkFound=沒有註冊連線 +LinkComplete=此文件已成功連接 +ErrorFileNotLinked=此文件無法連接 +LinkRemoved=此連線%s已被刪除 +ErrorFailedToDeleteLink= 無法刪除連線“ %s ” +ErrorFailedToUpdateLink= 無法更新連線' %s' +URLToLink=連線網址 +OverwriteIfExists=Overwrite if file exists +AmountSalary=Salary amount +InvoiceSubtype=Invoice subtype +ConfirmMassReverse=Bulk Reverse confirmation +ConfirmMassReverseQuestion=Are you sure you want to reverse the %s selected record(s)? + diff --git a/htdocs/langs/zh_TW/oauth.lang b/htdocs/langs/zh_TW/oauth.lang index b39ed646eaf..3a1d1c70c22 100644 --- a/htdocs/langs/zh_TW/oauth.lang +++ b/htdocs/langs/zh_TW/oauth.lang @@ -12,7 +12,8 @@ TokenDeleted=許可證已刪除 GetAccess=點擊此處獲取許可證 RequestAccess=點擊此處請求/更新訪問權限並接收新許可證 DeleteAccess=點擊此處刪除許可證 -UseTheFollowingUrlAsRedirectURI=使用您的OAuth供應商建立憑證時,請使用以下網址作為重新轉向URI: +RedirectURL=Redirect URL +UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URL when creating your credentials with your OAuth provider ListOfSupportedOauthProviders=新增您的 OAuth2許可證供應商。然後,在您的 OAuth 供應商管理頁面上建立/獲取 OAuth ID 和憑證並將它們保存在此處。完成後,切換到另一個分頁以產生您的許可證。 OAuthSetupForLogin=管理(產生/刪除)OAuth許可證的頁面 SeePreviousTab=查看上一個分頁 diff --git a/htdocs/langs/zh_TW/products.lang b/htdocs/langs/zh_TW/products.lang index 38a3bbc44cf..ede76e52fed 100644 --- a/htdocs/langs/zh_TW/products.lang +++ b/htdocs/langs/zh_TW/products.lang @@ -80,8 +80,11 @@ SoldAmount=銷售金額 PurchasedAmount=採購金額 NewPrice=新價格 MinPrice=最低售價 +MinPriceHT=Min. selling price (excl. tax) +MinPriceTTC=Min. selling price (inc. tax) EditSellingPriceLabel=修改售價標籤 -CantBeLessThanMinPrice=售價不能低於該產品的最低售價(%s 不含稅)。如果你輸入的折扣過高也會出現此訊息。 +CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appear if you type a significant discount. +CantBeLessThanMinPriceInclTax=The selling price can't be lower than minimum allowed for this product (%s including taxes). This message can also appears if you type a too important discount. ContractStatusClosed=已關閉 ErrorProductAlreadyExists=一個產品的參考%s已經存在。 ErrorProductBadRefOrLabel=錯誤的價值參考或標籤。 @@ -262,7 +265,7 @@ Quarter1=1st. Quarter Quarter2=2nd. Quarter Quarter3=3rd. Quarter Quarter4=4th. Quarter -BarCodePrintsheet=Print barcodes +BarCodePrintsheet=列印條碼 PageToGenerateBarCodeSheets=使用此工具,您可以列印條碼貼紙。選擇標籤頁面的格式,條碼的類型和條碼的值,然後點擊按鈕%s 。 NumberOfStickers=要在頁面上列印的貼紙數量 PrintsheetForOneBarCode=為一個條碼列印幾張貼紙 @@ -346,17 +349,18 @@ GoOnMenuToCreateVairants=前往選單%s-%s以準備屬性(例如顏色,大 UseProductFournDesc=增加一個可以定義產品描述的功能,此由供應商(每一位供應商)為客戶增加描述 ProductSupplierDescription=產品的供應商說明 UseProductSupplierPackaging=Use the "packaging" feature to round the quantities to some given multiples (when adding/updating line in a vendor documents, recalculate quantities and purchase prices according to the higher multiple set on the purchase prices of a product) -PackagingForThisProduct=Packaging of quantities -PackagingForThisProductDesc=您將自動採購此數量的倍數。 +PackagingForThisProduct=包裝數量 +PackagingForThisProductDesc=You will automatically purchase a multiple of this quantity. QtyRecalculatedWithPackaging=根據供應商的包裝重新計算了生產線的數量 #Attributes +Attributes=屬性 VariantAttributes=變異屬性 ProductAttributes=產品的變異屬性 ProductAttributeName=變異屬性%s ProductAttribute=變異屬性 ProductAttributeDeleteDialog=您確定要刪除此屬性嗎?所有值將被刪除 -ProductAttributeValueDeleteDialog=您確定要刪除引用“ %s”屬性的“ %s”值嗎? +ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with the reference "%s" of this attribute? ProductCombinationDeleteDialog=您確定要刪除產品“ %s ”的變數嗎? ProductCombinationAlreadyUsed=刪除變數時出錯。請確認它沒有被使用 ProductCombinations=變數 @@ -387,6 +391,7 @@ ErrorDeletingGeneratedProducts=嘗試刪除現有產品變數時發生錯誤 NbOfDifferentValues=不同值的數量 NbProducts=產品數量 ParentProduct=母產品 +ParentProductOfVariant=有變異屬性的母產品 HideChildProducts=隱藏其他產品 ShowChildProducts=顯示其他產品 NoEditVariants=前往母產品卡,然後在“變數”標籤中編輯變數價格影響 @@ -416,17 +421,19 @@ ProductsMergeSuccess=產品已合併 ErrorsProductsMerge=產品合併錯誤 SwitchOnSaleStatus=開啟銷售狀態 SwitchOnPurchaseStatus=開啟採購狀態 -UpdatePrice=Increase/decrease customer price -StockMouvementExtraFields= 額外欄位(庫存移動) +UpdatePrice=增加/減少客戶價格 +StockMouvementExtraFields= Extra Fields (stock movement) InventoryExtraFields= 補充屬性(庫存) ScanOrTypeOrCopyPasteYourBarCodes=掃描或填寫或複制/貼上您的條碼 PuttingPricesUpToDate=使用目前已知的價格更新價格 -PuttingDescUpToDate=Update descriptions with current known descriptions +PuttingDescUpToDate=使用目前已知的描述更新描述 PMPExpected=預期的 PMP ExpectedValuation=預估值 PMPReal=真實的PMP RealValuation=實際估值 -ConfirmEditExtrafield = Select the extrafield you want modify -ConfirmEditExtrafieldQuestion = Are you sure you want to modify this extrafield? -ModifyValueExtrafields = Modify value of an extrafield -OrProductsWithCategories=Or products with tags/categories +ConfirmEditExtrafield = 選擇您要修改的補充屬性 +ConfirmEditExtrafieldQuestion = 您確定要修改此補充屬性嗎? +ModifyValueExtrafields = 修改補充屬性的值 +OrProductsWithCategories=或者帶有標籤/類別的產品 +WarningTransferBatchStockMouvToGlobal = If you want to deserialize this product, all its serialized stock will be transformed into global stock +WarningConvertFromBatchToSerial=If you currently have a quantity higher or equal to 2 for the product, switching to this choice means you will still have a product with different objects of the same batch (while you want a unique serial number). The duplicate will remain until an inventory or a manual stock movement to fix this is done. diff --git a/htdocs/langs/zh_TW/projects.lang b/htdocs/langs/zh_TW/projects.lang index 3c132d7d85d..a184baf08cf 100644 --- a/htdocs/langs/zh_TW/projects.lang +++ b/htdocs/langs/zh_TW/projects.lang @@ -45,10 +45,11 @@ OutOfProject=專案以外 NoProject=沒有被定義或被擁有的專案 NbOfProjects=專案數量 NbOfTasks=任務數量 +TimeEntry=Time tracking TimeSpent=工作時間 +TimeSpentSmall=花費時間 TimeSpentByYou=您的工作時間 TimeSpentByUser=用戶工作時間 -TimesSpent=工作時間 TaskId=任務ID RefTask=任務參考 LabelTask=任務標籤 @@ -82,7 +83,7 @@ MyProjectsArea=專案區 DurationEffective=有效期限 ProgressDeclared=宣布實際進度 TaskProgressSummary=任務進度 -CurentlyOpenedTasks=目前的啟用任務 +CurentlyOpenedTasks=Currently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=宣布的實際進度小於消耗進度%s TheReportedProgressIsMoreThanTheCalculatedProgressionByX=宣布的實際進度比消耗進度多%s ProgressCalculated=消耗進度 @@ -122,7 +123,7 @@ TaskHasChild=任務有子任務 NotOwnerOfProject=不是此私人專案的所有者 AffectedTo=分配給 CantRemoveProject=此專案無法被移除,因為它與其他物件(發票、訂單、或其他)有關聯性。請參考頁籤 '%s'。 -ValidateProject=驗證專案 +ValidateProject=Validate project ConfirmValidateProject=您確定要驗證此專案嗎? CloseAProject=關閉專案 ConfirmCloseAProject=您確定要關閉此專案? @@ -226,7 +227,7 @@ ProjectsStatistics=專案/潛在統計 TasksStatistics=專案/潛在任務的統計 TaskAssignedToEnterTime=任務已分配。應該可以輸入此任務的時間。 IdTaskTime=任務時間ID -YouCanCompleteRef=如果要使用一些後綴來完成引用,則建議增加-字元以將其分隔,因此自動編號仍可正確用於下一個專案。例如%s-MYSUFFIX +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommended to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX OpenedProjectsByThirdparties=合作方的啟用專案 OnlyOpportunitiesShort=僅潛在機會 OpenedOpportunitiesShort=啟用潛在機會 @@ -238,7 +239,7 @@ OpportunityPonderatedAmountDesc=潛在機會數量加權機率 OppStatusPROSP=潛在機會 OppStatusQUAL=符合資格條件 OppStatusPROPO=提案/建議書 -OppStatusNEGO=談判交涉 +OppStatusNEGO=Negotiation OppStatusPENDING=等待中 OppStatusWON=獲得 OppStatusLOST=失去 diff --git a/htdocs/langs/zh_TW/propal.lang b/htdocs/langs/zh_TW/propal.lang index 3d0f7bb3686..f98258c132d 100644 --- a/htdocs/langs/zh_TW/propal.lang +++ b/htdocs/langs/zh_TW/propal.lang @@ -12,9 +12,11 @@ NewPropal=新提案/建議書 Prospect=展望 DeleteProp=刪除商業提案/建議書 ValidateProp=驗證的商業提案/建議書 +CancelPropal=取消 AddProp=建立提案/建議書 ConfirmDeleteProp=您確認要刪除此商業提案/建議書? ConfirmValidateProp=您確定您要用名稱%s驗證此商業提案/建議書? +ConfirmCancelPropal=Are you sure you want to cancel commercial proposal %s? LastPropals=最新提案/建議書 %s LastModifiedProposals=最新修改的提案/建議書%s AllPropals=所有提案/建議書 @@ -27,11 +29,13 @@ NbOfProposals=商業提案/建議書數量 ShowPropal=顯示提案/建議書 PropalsDraft=草稿 PropalsOpened=啟用 +PropalStatusCanceled=Canceled (Abandoned) PropalStatusDraft=草案(等待驗證) PropalStatusValidated=驗證(建議打開) PropalStatusSigned=簽名(需要收費) PropalStatusNotSigned=不簽署(非公開) PropalStatusBilled=已開票 +PropalStatusCanceledShort=已取消 PropalStatusDraftShort=草案 PropalStatusValidatedShort=已驗證(開放) PropalStatusClosedShort=已關閉 @@ -55,6 +59,7 @@ CopyPropalFrom=複製現有的商業提案/建議書建立商業提案/建議書 CreateEmptyPropal=建立空白的商業提案或從產品/服務清單中建立 DefaultProposalDurationValidity=預設的商業提案/建議書有效期(天數) DefaultPuttingPricesUpToDate=預設情況下,在複製提案/建議書時使用目前已知的價格更新價格 +DefaultPuttingDescUpToDate=By default update descriptions with current known descriptions on cloning a proposal UseCustomerContactAsPropalRecipientIfExist=如果已定義,請使用類型為“追蹤提案聯絡人”的聯絡人/地址,而不是使用合作方地址作為建議收件人地址 ConfirmClonePropal=您確定您要完整複製商業提案/建議書%s? ConfirmReOpenProp=您確定要再打開商業提案/建議書%s嗎? @@ -95,9 +100,9 @@ DefaultModelPropalCreate=預設模型建立 DefaultModelPropalToBill=當關閉企業提案/建議書時使用的預設範本(開立發票) DocModelAzurDescription=完整的提案/建議書模型(Cyan範本的舊範本) DocModelCyanDescription=完整的提案/建議書模型 -FichinterSigned=Intervention signed +FichinterSigned=干預已簽名 IdProduct=產品編號 -IdProposal=方案/提案編號 +IdProposal=提案/建議書編號 IsNotADraft=不是草案 LineBuyPriceHT=購買價格扣除稅額 NoSign=拒絕 @@ -107,12 +112,13 @@ PropalAlreadyRefused=提案/建議書已被拒絕 PropalAlreadySigned=提案/建議書已被接受 PropalRefused=提案/建議書已拒絕 PropalSigned=提案/建議書已接受 -ProposalCustomerSignature=書面驗收,公司印章,日期和簽名 +ProposalCustomerSignature=書面驗收,公司大小章,日期與簽名 ProposalsStatisticsSuppliers=供應商提案/建議書統計 RefusePropal=拒絕提案/建議書 Sign=簽名 SignContract=Sign contract SignFichinter=Sign intervention +SignSociete_rib=Sign mandate SignPropal=接受提案/建議書 Signed=已簽名 SignedOnly=僅簽名 diff --git a/htdocs/langs/zh_TW/receptions.lang b/htdocs/langs/zh_TW/receptions.lang index 58bb5e22f4b..14a30f092fc 100644 --- a/htdocs/langs/zh_TW/receptions.lang +++ b/htdocs/langs/zh_TW/receptions.lang @@ -34,9 +34,9 @@ StatusReceptionProcessedShort=已處理 ReceptionSheet=收貨表 ValidateReception=Validate reception ConfirmDeleteReception=您確定要刪除此收貨嗎? -ConfirmValidateReception=您確定要使用參考%s驗證此收貨嗎? +ConfirmValidateReception=Are you sure you want to validate this reception with the reference %s? ConfirmCancelReception=您確定要取消此收貨嗎? -StatsOnReceptionsOnlyValidated=僅對已驗證收貨進行統計。使用的日期是收貨確認的日期(並非總知道計劃出貨日期)。 +StatsOnReceptionsOnlyValidated=Statistics conducted on validated only receptions. Date used is date of validation of reception (planned delivery date is not always known). SendReceptionByEMail=以電子郵件發送收貨 SendReceptionRef=提交收貨%s ActionsOnReception=收貨事件 @@ -52,3 +52,7 @@ ReceptionExist=有櫃台 ReceptionBackToDraftInDolibarr=收貨 %s 回到草案狀態 ReceptionClassifyClosedInDolibarr=收貨%s 分類為已關閉 ReceptionUnClassifyCloseddInDolibarr=收貨 %s 重新啟用 +RestoreWithCurrentQtySaved=Fill quantities with latest saved values +ReceptionsRecorded=Receptions recorded +ReceptionUpdated=Reception successfully updated +ReceptionDistribution=Reception distribution diff --git a/htdocs/langs/zh_TW/sendings.lang b/htdocs/langs/zh_TW/sendings.lang index 96afa78beae..20c87c0dd94 100644 --- a/htdocs/langs/zh_TW/sendings.lang +++ b/htdocs/langs/zh_TW/sendings.lang @@ -39,7 +39,7 @@ StatusSendingValidatedShort=已驗證 StatusSendingProcessedShort=已處理 SendingSheet=出貨單 ConfirmDeleteSending=您確定要刪除此出貨嗎? -ConfirmValidateSending=您確定要使用參考%s驗證此出貨嗎? +ConfirmValidateSending=Are you sure you want to validate this shipment with the reference %s? ConfirmCancelSending=您確定要取消此出貨嗎? DocumentModelMerou=Merou A5 範本 WarningNoQtyLeftToSend=警告,沒有等待出貨的產品。 @@ -62,6 +62,7 @@ ProductQtyInSuppliersShipmentAlreadyRecevied=已收到未清採購訂單中的 NoProductToShipFoundIntoStock=在倉庫%s中找不到要運輸的產品。更正庫存或返回以選擇另一個倉庫。 WeightVolShort=重量/體積 ValidateOrderFirstBeforeShipment=您必須先驗證訂單,然後才能進行出貨。 +NoLineGoOnTabToAddSome=No line, go on tab "%s" to add # Sending methods # ModelDocument @@ -74,8 +75,12 @@ SumOfProductWeights=產品重量總和 # warehouse details DetailWarehouseNumber= 倉庫詳細訊息 DetailWarehouseFormat= 重量:%s(數量:%d) +SHIPPING_DISPLAY_STOCK_ENTRY_DATE=Display last date of entry in stock during shipment creation for serial number or batch +CreationOptions=Available options during shipment creation ShipmentDistribution=Shipment distribution -ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combination warehouse, product, batch code was found (%s). -ErrorNoCombinationBatchcode=No dispatch for line %s as no combination warehouse, product, batch code was found. +ErrorTooManyCombinationBatchcode=No dispatch for line %s as too many combinations of warehouse, product, batch code was found (%s). +ErrorNoCombinationBatchcode=Could not save the line %s as the combination of warehouse-product-lot/serial (%s, %s, %s) was not found in stock. + +ErrorTooMuchShipped=Quantity shipped should not be greater than quantity ordered for line %s diff --git a/htdocs/langs/zh_TW/stocks.lang b/htdocs/langs/zh_TW/stocks.lang index 1f92704506b..50db22f85e2 100644 --- a/htdocs/langs/zh_TW/stocks.lang +++ b/htdocs/langs/zh_TW/stocks.lang @@ -119,6 +119,7 @@ PersonalStock=個人倉庫%s ThisWarehouseIsPersonalStock=此倉庫代表%s的個人庫存%s SelectWarehouseForStockDecrease=選擇用於減少庫存的倉庫 SelectWarehouseForStockIncrease=選擇用於增加庫存的倉庫 +RevertProductsToStock=Revert products to stock ? NoStockAction=無庫存活動 DesiredStock=需求庫存 DesiredStockDesc=該庫存量將是用於補貨功能中補充庫存的值。 @@ -167,6 +168,7 @@ qtyToTranferLotIsNotEnough=您的原始倉庫中沒有足夠的此批號庫存 ShowWarehouse=顯示倉庫 MovementCorrectStock=產品%s的庫存更正 MovementTransferStock=將產品%s庫存轉移到另一個倉庫 +BatchStockMouvementAddInGlobal=Batch stock move into global stock (product doesn't use batch anymore) InventoryCodeShort=庫存/移動碼 NoPendingReceptionOnSupplierOrder=由於是未完成採購訂單,沒有待處理的接收處 ThisSerialAlreadyExistWithDifferentDate=此批號/序列號( %s )已存在,但入庫日期或出庫日期不同(找到%s,但您輸入%s )。 @@ -210,10 +212,10 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=庫存移動將具有庫存日期 inventoryChangePMPPermission=允許更改產品的PMP值 ColumnNewPMP=新PMP單位 OnlyProdsInStock=沒有庫存時不要增加產品 -TheoricalQty=理論數量 -TheoricalValue=理論數量 +TheoricalQty=Theoretical qty +TheoricalValue=Theoretical qty LastPA=最新BP -CurrentPA=目前BP +CurrentPA=Current BP RecordedQty=記錄數量 RealQty=實際數量 RealValue=實際價值 @@ -244,7 +246,7 @@ StockAtDatePastDesc=您可以在此處檢視給定之過去日期的庫存(實 StockAtDateFutureDesc=您可以在此檢視未來某一天的庫存(虛擬庫存) CurrentStock=目前庫存 InventoryRealQtyHelp=將值設定為0以重置數量
      保持欄位為空或刪除行以保持不變 -UpdateByScaning=掃描完整真實數量 +UpdateByScaning=Complete real qty by scanning UpdateByScaningProductBarcode=掃描更新(產品條碼) UpdateByScaningLot=掃描更新(批次|序列條碼) DisableStockChangeOfSubProduct=在此移動期間停止此組合所有子產品的庫存變化。 @@ -280,7 +282,7 @@ ModuleStockTransferName=進階庫存轉移 ModuleStockTransferDesc=進階管理庫存轉移,產生庫存轉移表 StockTransferNew=新庫存轉移 StockTransferList=庫存轉移清單 -ConfirmValidateStockTransfer=您確定要以%s驗證此庫存轉移嗎? +ConfirmValidateStockTransfer=Are you sure you want to validate this stocks transfer with the reference %s ? ConfirmDestock=%s轉移減少庫存 ConfirmDestockCancel=取消%s轉移的減少庫存 DestockAllProduct=庫存減少 @@ -307,8 +309,8 @@ StockTransferDecrementationCancel=取消減少來源倉庫數量 StockTransferIncrementationCancel=取消增加目的地倉庫數量 StockStransferDecremented=來源倉庫數量已減少 StockStransferDecrementedCancel=已取消減少來源倉庫數量 -StockStransferIncremented=已關閉 - 庫存已轉移 -StockStransferIncrementedShort=庫存已轉移 +StockStransferIncremented=Closed - Stocks transferred +StockStransferIncrementedShort=Stocks transferred StockStransferIncrementedShortCancel=Increase of destination warehouses canceled StockTransferNoBatchForProduct=產品%s沒有使用批號,請線上清除批號後再試 StockTransferSetup = 庫存轉移模組設定 @@ -318,8 +320,18 @@ StockTransferRightRead=讀取庫存轉移 StockTransferRightCreateUpdate=建立/更新庫存轉移 StockTransferRightDelete=刪除庫存轉移 BatchNotFound=找不到此產品的批號/序號 +StockEntryDate=Date of
      entry in stock StockMovementWillBeRecorded=Stock movement will be recorded StockMovementNotYetRecorded=Stock movement will not be affected by this step +ReverseConfirmed=Stock movement has been reversed successfully + WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse +ValidateInventory=Inventory validation +IncludeSubWarehouse=Include sub-warehouse ? +IncludeSubWarehouseExplanation=Check this box if you want to include all sub-warehouses of the associated warehouse in the inventory DeleteBatch=Delete lot/serial ConfirmDeleteBatch=Are you sure you want to delete lot/serial ? +WarehouseUsage=Warehouse usage +InternalWarehouse=Internal warehouse +ExternalWarehouse=External warehouse +WarningThisWIllAlsoDeleteStock=Warning, this will also destroy all quantities in stock in the warehouse diff --git a/htdocs/langs/zh_TW/website.lang b/htdocs/langs/zh_TW/website.lang index c24b045984a..3de6570f088 100644 --- a/htdocs/langs/zh_TW/website.lang +++ b/htdocs/langs/zh_TW/website.lang @@ -11,7 +11,7 @@ WEBSITE_ALIASALT=備用頁面名稱/別名 WEBSITE_ALIASALTDesc=使用此處的其他名稱/別名清單,因此也可以使用此其他名稱/別名來訪問頁面(例如,重命名別名以使舊連結/名稱保持反向連結正常工作後的舊名稱)。語法是:
      Alternativename1,Alternativename2,... WEBSITE_CSS_URL=外部CSS檔案的網址 WEBSITE_CSS_INLINE=CSS檔案內容(所有頁面共有) -WEBSITE_JS_INLINE=Javascript檔案內容(所有頁面共有) +WEBSITE_JS_INLINE=JavaScript file content (common to all pages) WEBSITE_HTML_HEADER=附加在HTML標頭底部(所有頁面共有) WEBSITE_ROBOT=Robot檔案(robots.txt) WEBSITE_HTACCESS=網站 .htaccess 檔案 @@ -25,7 +25,7 @@ EditTheWebSiteForACommonHeader=注意:如果要為所有頁面定義個性化 MediaFiles=媒體庫 EditCss=編輯網站屬性 EditMenu=編輯選單 -EditMedias=編輯媒體 +EditMedias=Edit media EditPageMeta=編輯 頁面/容器 屬性 EditInLine=編輯嵌入 AddWebsite=新增網站 @@ -60,10 +60,11 @@ NoPageYet=暫無頁面 YouCanCreatePageOrImportTemplate=您可以建立一個新頁面或匯入完整的網站模板 SyntaxHelp=有關特定語法提示的幫助 YouCanEditHtmlSourceckeditor=您可以使用編輯器中的“Source”按鈕來編輯HTML源代碼。 -YouCanEditHtmlSource=
      您可以使用標籤將PHP代碼包含到此源中<?php ?>. 以下全域變數可用: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs.

      您還可以使用以下語法包含另一個頁面/容器的內容:
      <?php includeContainer('alias_of_container_to_include'); ?>

      您可以使用以下語法重新定向到另一個頁面/容器(注意:重新定向之前請勿輸出任何內容):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      要增加到另一個頁面的連結,請使用以下語法:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      要包含一個 連結 下載儲存到 文件資料夾, 使用document.php打包器:
      例如, 一個檔案要儲存到documents/ecm (需要紀錄)中, 語法為:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      檔案要儲存到documents/medias (公共權限的資料夾)中, 語法為:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      對於使用共用連結共享的檔案(使用檔案的共用hash鍵進行開放訪問), 語法為:
      <a href="/document.php?hashp=publicsharekeyoffile">

      要包含一個影像 檔案且儲存到documents目錄中, 使用 viewimage.php 打包器:
      例如, 儲存影像到documents/medias (公共權限的資料夾), 語法為:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      . -#YouCanEditHtmlSource2=
      To include a image shared publicaly, use the viewimage.php wrapper:
      Example with a shared key 123456789, syntax is:
      <img src="/viewimage.php?hashp=12345679012...">
      +YouCanEditHtmlSource=
      You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

      You can also include content of another Page/Container with the following syntax:
      <?php includeContainer('alias_of_container_to_include'); ?>

      You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
      <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

      To add a link to another page, use the syntax:
      <a href="alias_of_page_to_link_to.php">mylink<a>

      To include a link to download a file stored into the documents directory, use the document.php wrapper:
      Example, for a file into documents/ecm (need to be logged), syntax is:
      <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
      For a file into documents/medias (open directory for public access), syntax is:
      <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
      For a file shared with a share link (open access using the sharing hash key of file), syntax is:
      <a href="/document.php?hashp=publicsharekeyoffile">
      +YouCanEditHtmlSource1=
      To include an image stored into the documents directory, use the viewimage.php wrapper.
      Example, for an image into documents/medias (open directory for public access), syntax is:
      <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
      YouCanEditHtmlSource2=使用有分享連結的影像 (使用檔案的Hash key開啟), 語法為:
      <img src="/viewimage.php?hashp=12345679012...">
      -YouCanEditHtmlSourceMore=
      您可以在Wiki文件中找到更多HTML或是動態編碼的範例
      +YouCanEditHtmlSource3=To get the URL of the image of a PHP object, use
      <img src="<?php print getImagePublicURLOfObject($object, 1, "_small") ?>">
      +YouCanEditHtmlSourceMore=
      More examples of HTML or dynamic code available on the wiki documentation.
      ClonePage=複製頁面/容器 CloneSite=複製網站 SiteAdded=網站已增加 @@ -91,7 +92,7 @@ SorryWebsiteIsCurrentlyOffLine=抱歉,此網站目前離線。請稍後再來 WEBSITE_USE_WEBSITE_ACCOUNTS=啟用網站帳戶列表 WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=啟用表格以存儲每個網站/合作方的網站帳戶(登入/通過) YouMustDefineTheHomePage=您必須先定義預設首頁 -OnlyEditionOfSourceForGrabbedContentFuture=警告:通過匯入外部網頁來建立網頁僅供有經驗的用戶使用。根據來源頁面的複雜程度,匯入結果可能與原始結果不同。同樣,如果來源頁面使用常見的CSS樣式或衝突的javascript,則在處理此頁面時,它可能會破壞網站編輯器的外觀或功能。此方法是建立頁面的較快方法,但建議從頭開始或從建議的頁面模板建立新頁面。
      另請注意,在抓取的外部頁面上使用時,內聯編輯器可能無法正確工作。 +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting JavaScript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
      Note also that the inline editor may not works correctty when used on a grabbed external page. OnlyEditionOfSourceForGrabbedContent=從外部網站獲取內容時,只能使用HTML源代碼版本 GrabImagesInto=抓取圖像到css和頁面。 ImagesShouldBeSavedInto=圖片應儲存到目錄中 @@ -112,13 +113,13 @@ GoTo=前往 DynamicPHPCodeContainsAForbiddenInstruction=您增加了包含PHP指令' %s '的動態PHP代碼,該指令預設情況下被禁止作為動態內容(請參閱隱藏選項WEBSITE_PHP_ALLOW_xxx以增加允許的命令列表)。 NotAllowedToAddDynamicContent=您沒有權限在網站中增加或編輯PHP動態內容。請求權限或僅將代碼保留在未經修改的php標籤中。 ReplaceWebsiteContent=搜尋或替換網站內容 -DeleteAlsoJs=還要刪除網站的所有JavaScript檔案嗎? -DeleteAlsoMedias=還要刪除此網站的所有媒體檔案嗎? +DeleteAlsoJs=Delete also all JavaScript files specific to this website? +DeleteAlsoMedias=Delete also all media files specific to this website? MyWebsitePages=我的網站頁面 SearchReplaceInto=搜尋|替換成 ReplaceString=新字串 CSSContentTooltipHelp=在此處輸入CSS內容。為避免與應用程式的CSS發生任何衝突,請確保在所有聲明之前增加.bodywebsite類別。例如:

      #mycssselector, input.myclass:hover { ... }
      must be
      .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

      注意:如果您有一個沒有此前綴的大檔案,則可以使用“ lessc”將其轉換為.bodywebsite前綴並附加到任何地方。 -LinkAndScriptsHereAreNotLoadedInEditor=警告:僅當從伺服器訪問站台時,才輸出此內容。它在“編輯”模式下不使用,因此,如果您還需要在“編輯”模式下載入javascript文件,只需在頁面中增加標籤“ script src = ...”即可。 +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load JavaScript files also in edit mode, just add your tag 'script src=...' into the page. Dynamiccontent=具有動態內容的頁面範例 ImportSite=匯入網站模板 EditInLineOnOff=模式“內聯編輯”為%s @@ -160,3 +161,6 @@ PagesViewedTotal=Pages viewed (total) Visibility=能見度 Everyone=Everyone AssignedContacts=專案聯絡人 +WebsiteTypeLabel=Type of Web site +WebsiteTypeDolibarrWebsite=Web site (CMS Dolibarr) +WebsiteTypeDolibarrPortal=Native Dolibarr portal diff --git a/htdocs/langs/zh_TW/withdrawals.lang b/htdocs/langs/zh_TW/withdrawals.lang index e7603abf1e8..98b823da219 100644 --- a/htdocs/langs/zh_TW/withdrawals.lang +++ b/htdocs/langs/zh_TW/withdrawals.lang @@ -47,7 +47,9 @@ MakeBankTransferOrder=提出貸記轉帳請求 WithdrawRequestsDone=已記錄%s直接轉帳付款請求 BankTransferRequestsDone=記錄了%s的信用轉移請求 ThirdPartyBankCode=合作方銀行代碼 -NoInvoiceCouldBeWithdrawed=沒有直接轉帳成功的發票。檢查發票上是否有有效IBAN的公司,以及IBAN是否具有模式為 %s 的UMR(唯一授權參考)。 +NoInvoiceCouldBeWithdrawed=No invoice processed successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceCouldBeWithdrawedSupplier=No invoice processed successfully. Check that invoices are on companies with a valid IBAN. +NoSalariesCouldBeWithdrawed=No salary processed successfully. Check that salary are on users with a valid IBAN. WithdrawalCantBeCreditedTwice=此提款收據已標記為已記入;此無法執行兩次,因為這可能會產生重複的付款和銀行分錄。 ClassCredited=分類為已記入 ClassDebited=分類為借方 @@ -64,8 +66,9 @@ WithdrawalRefusedConfirm=您確定要為協會輸入拒絕提款嗎? RefusedData=拒絕日期 RefusedReason=拒絕原因 RefusedInvoicing=開具拒絕單 -NoInvoiceRefused=此拒絕不收費 -InvoiceRefused=發票被拒絕(向客戶收取拒絕費用) +NoInvoiceRefused=Do not charge the customer for the refusal +InvoiceRefused=Charge the customer for the refusal +DirectDebitRefusedInvoicingDesc=Set a flag to say this refusal must be charged to the customer StatusDebitCredit=借項/貸項狀況 StatusWaiting=等候 StatusTrans=傳送 @@ -103,7 +106,7 @@ ShowWithdraw=顯示直接轉帳付款訂單 IfInvoiceNeedOnWithdrawPaymentWontBeClosed=但是,如果發票中至少有一個直接轉帳付款訂單尚未處理,則不會將其設定為已付款以允許事先提款管理。 DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, you can go into menu "Bank->Payment by direct debit" to generate and manage a Direct debit order file. DoStandingOrdersBeforePayments2=You can also send a request directly to a SEPA payment processor like Stripe, ... -DoStandingOrdersBeforePayments3=When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. +DoStandingOrdersBeforePayments3=When request is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu "Bank->Payment by credit transfer" to generate and manage a Credit transfer order file. DoCreditTransferBeforePayments3=When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. WithdrawalFile=直接轉帳文件 @@ -115,7 +118,7 @@ RUM=UMR DateRUM=委託簽名日期 RUMLong=唯一授權參考 RUMWillBeGenerated=如果為空,則在保存銀行帳戶資訊後將產生UMR(唯一授權參考)。 -WithdrawMode=直接轉帳付款模式 (FRST or RECUR) +WithdrawMode=Direct debit mode (FRST or RCUR) WithdrawRequestAmount=直接轉帳付款請求金額: BankTransferAmount=轉帳金額需求: WithdrawRequestErrorNilAmount=無法為空金額建立直接轉帳付款請求。 @@ -131,6 +134,7 @@ SEPAFormYourBAN=您的銀行帳戶名稱(IBAN) SEPAFormYourBIC=您的銀行識別碼(BIC) SEPAFrstOrRecur=付款方式 ModeRECUR=定期付款 +ModeRCUR=定期付款 ModeFRST=一次性付款 PleaseCheckOne=請只確認一個 CreditTransferOrderCreated=已建立轉帳訂單%s @@ -155,9 +159,16 @@ InfoTransData=金額:%s
      方式:%s
      日期:%s InfoRejectSubject=直接轉帳付款訂單已被拒絕 InfoRejectMessage=您好,

      銀行拒絕了與公司%s相關的發票%s的直接轉帳付款訂單 。%s的金額已被銀行拒絕

      --
      %s ModeWarning=未設定實際模式選項,我們將在此模擬後停止 -ErrorCompanyHasDuplicateDefaultBAN=ID為%s的公司擁有多個預設銀行帳戶.無法得知要使用哪一個. +ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know which one to use. ErrorICSmissing=銀行帳戶%s遺失ICS TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=直接借記訂單總金額與行的總和不同 WarningSomeDirectDebitOrdersAlreadyExists=警告:已經有一些待處理的直接借記訂單 (%s) 請求金額為 %s WarningSomeCreditTransferAlreadyExists=警告:已請求金額為 %s 的一些待處理信用轉帳 (%s) UsedFor=用於 %s +Societe_ribSigned=SEPA mandate Signed +NbOfInvoiceToPayByBankTransferForSalaries=No. of qualified salaries waiting for a payment by credit transfer +SalaryWaitingWithdraw=Salaries waiting for payment by credit transfer +RefSalary=薪資 +NoSalaryInvoiceToWithdraw=No salary waiting for a '%s'. Go on tab '%s' on salary card to make a request. +SalaryInvoiceWaitingWithdraw=Salaries waiting for payment by credit transfer + diff --git a/htdocs/langs/zh_TW/workflow.lang b/htdocs/langs/zh_TW/workflow.lang index e869e7a6051..9518c44175a 100644 --- a/htdocs/langs/zh_TW/workflow.lang +++ b/htdocs/langs/zh_TW/workflow.lang @@ -9,28 +9,30 @@ descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=當合約生效,自動建立客戶發 descWORKFLOW_ORDER_AUTOCREATE_INVOICE=關閉銷售訂單後自動建立客戶發票(新發票的金額將與訂單金額相同) descWORKFLOW_TICKET_CREATE_INTERVENTION=在建立服務單時,自動建立干預。 # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=將銷售訂單設定為開票時(如果訂單金額與已簽名的連接提案之總金額相同),將連接之提案分類為已開票 -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=當已開立客戶發票時(如果發票金額與已簽名的連接之提案的總金額相同),將連接之提案分類為已開票 -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=當已開立客戶發票(如果發票金額與連接訂單的總金額相同),將連接的銷售訂單分類為開票 -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=當客戶發票設置為已付款時(如果發票金額與連接訂單的總金額相同),將連接的銷售訂單分類為開票 -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=當已確認裝運後(並且如果所有裝運的裝運數量與更新訂單中的數量相同),將鏈接的銷售訂單分類為已裝運 +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposals as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposals) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice validated for n orders, this may set all orders to billed too. +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales orders as billed when a customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked sales orders). If you have 1 invoice set billed for n orders, this may set all orders to billed too. +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales orders as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING_CLOSED=發貨關閉時將來源連結的銷售訂單分類為已發貨(並且所有發貨的發貨數量與要更新的訂單中的數量相同) # Autoclassify purchase proposal -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=當供應商發票已確認時(如果發票金額與連接提案的總金額相同),將連接供應商提案分類為開票 +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposals) # Autoclassify purchase order -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=當供應商發票已確認時(如果發票金額與連接訂單的總金額相同),將連接的採購訂單分類為開票 +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked orders) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION=在驗證收貨時將連結的來源採購訂單分類為已收貨(並且如果所有收貨的數量與要更新的採購訂單中的數量相同) descWORKFLOW_ORDER_CLASSIFY_RECEIVED_RECEPTION_CLOSED=收貨結束時將連結的來源採購訂單分類為已收貨(如果所有收貨的數量與要更新的採購訂單中的數量相同) -# Autoclassify purchase invoice -descWORKFLOW_EXPEDITION_CLASSIFY_CLOSED_INVOICE=Classify receptions to "billed" when a linked purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +# Autoclassify shipment +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +descWORKFLOW_SHIPPING_CLASSIFY_BILLED_INVOICE=Classify linked source shipment as billed when a customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) +# Autoclassify receptions +descWORKFLOW_RECEPTION_CLASSIFY_CLOSED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) +descWORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE=Classify linked source receptions as billed when a purchase invoice is validated (and if the amount of the invoice is the same as the total amount of the linked receptions) # Automatically link ticket to contract -descWORKFLOW_TICKET_LINK_CONTRACT=當建立服務單時,連結符合之合作方的可用合約 +descWORKFLOW_TICKET_LINK_CONTRACT=When creating a ticket, link all available contracts of matching third parties descWORKFLOW_TICKET_USE_PARENT_COMPANY_CONTRACTS=當連結合約時,在母公司的合約中搜尋 # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=關閉服務單後,關閉與服務單連結的所有干預措施 AutomaticCreation=自動建立 AutomaticClassification=自動分類 -# Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked shipments) AutomaticClosing=自動關閉 AutomaticLinking=自動連結 diff --git a/htdocs/loan/card.php b/htdocs/loan/card.php index 1f167bab403..d29665eef9b 100644 --- a/htdocs/loan/card.php +++ b/htdocs/loan/card.php @@ -132,7 +132,7 @@ if (empty($reshook)) { if (!$error) { $object->label = GETPOST('label'); - $object->fk_bank = GETPOST('accountid'); + $object->fk_bank = GETPOSTINT('accountid'); $object->capital = $capital; $object->datestart = $datestart; $object->dateend = $dateend; @@ -140,7 +140,7 @@ if (empty($reshook)) { $object->rate = $rate; $object->note_private = GETPOST('note_private', 'restricthtml'); $object->note_public = GETPOST('note_public', 'restricthtml'); - $object->fk_project = GETPOST('projectid', 'int'); + $object->fk_project = GETPOSTINT('projectid'); $object->insurance_amount = GETPOST('insurance_amount', 'int'); $accountancy_account_capital = GETPOST('accountancy_account_capital'); @@ -668,7 +668,7 @@ if ($id > 0) { $total_interest = 0; $total_capital = 0; - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '; print ''; print ''; @@ -774,7 +774,7 @@ if ($id > 0) { } } else { // Loan not found - dol_print_error('', $object->error); + dol_print_error(null, $object->error); } } diff --git a/htdocs/loan/class/loan.class.php b/htdocs/loan/class/loan.class.php index a799f20185d..099db8e418c 100644 --- a/htdocs/loan/class/loan.class.php +++ b/htdocs/loan/class/loan.class.php @@ -131,7 +131,7 @@ class Loan extends CommonObject * Load object in memory from database * * @param int $id id object - * @return int <0 error , >=0 no error + * @return int Return integer <0 error , >=0 no error */ public function fetch($id) { @@ -182,7 +182,7 @@ class Loan extends CommonObject * Create a loan into database * * @param User $user User making creation - * @return int <0 if KO, id if OK + * @return int Return integer <0 if KO, id if OK */ public function create($user) { @@ -348,7 +348,7 @@ class Loan extends CommonObject * Update loan * * @param User $user User who modified - * @return int <0 if error, >0 if ok + * @return int Return integer <0 if error, >0 if ok */ public function update($user) { @@ -475,7 +475,7 @@ class Loan extends CommonObject * Return label of loan status (unpaid, paid) * * @param int $mode 0=label, 1=short label, 2=Picto + Short label, 3=Picto, 4=Picto + Label - * @param integer $alreadypaid 0=No payment already done, >0=Some payments were already done (we recommand to put here amount paid if you have it, 1 otherwise) + * @param integer $alreadypaid 0=No payment already done, >0=Some payments were already done (we recommend to put here amount paid if you have it, 1 otherwise) * @return string Label */ public function getLibStatut($mode = 0, $alreadypaid = -1) @@ -489,7 +489,7 @@ class Loan extends CommonObject * * @param int $status Id status * @param int $mode 0=Label, 1=Short label, 2=Picto + Short label, 3=Picto, 4=Picto + Label, 5=Short label + Picto - * @param integer $alreadypaid 0=No payment already done, >0=Some payments were already done (we recommand to put here amount paid if you have it, 1 otherwise) + * @param integer $alreadypaid 0=No payment already done, >0=Some payments were already done (we recommend to put here amount paid if you have it, 1 otherwise) * @return string Label */ public function LibStatut($status, $mode = 0, $alreadypaid = -1) diff --git a/htdocs/loan/class/loanschedule.class.php b/htdocs/loan/class/loanschedule.class.php index 069a798bdd6..4ec3e2908b8 100644 --- a/htdocs/loan/class/loanschedule.class.php +++ b/htdocs/loan/class/loanschedule.class.php @@ -124,7 +124,7 @@ class LoanSchedule extends CommonObject * Use this->amounts to have list of lines for the payment * * @param User $user User making payment - * @return int <0 if KO, id of payment if OK + * @return int Return integer <0 if KO, id of payment if OK */ public function create($user) { @@ -538,7 +538,7 @@ class LoanSchedule extends CommonObject * lastpayment * * @param int $loanid Loan id - * @return int < 0 if KO, Date > 0 if OK + * @return int Return integer < 0 if KO, Date > 0 if OK */ private function lastPayment($loanid) { diff --git a/htdocs/loan/class/paymentloan.class.php b/htdocs/loan/class/paymentloan.class.php index 6125e67afa2..f9a5a119411 100644 --- a/htdocs/loan/class/paymentloan.class.php +++ b/htdocs/loan/class/paymentloan.class.php @@ -77,7 +77,7 @@ class PaymentLoan extends CommonObject public $fk_typepayment; /** - * @var int Payment ID + * @var string Payment ID (ex: 12345-chq1) */ public $num_payment; @@ -120,7 +120,7 @@ class PaymentLoan extends CommonObject * Use this->amounts to have list of lines for the payment * * @param User $user User making payment - * @return int <0 if KO, id of payment if OK + * @return int Return integer <0 if KO, id of payment if OK */ public function create($user) { diff --git a/htdocs/loan/list.php b/htdocs/loan/list.php index 7ade6bb92af..d7487780413 100644 --- a/htdocs/loan/list.php +++ b/htdocs/loan/list.php @@ -323,7 +323,7 @@ $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; $selectedfields = ($mode != 'kanban' ? $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')) : ''); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '.$langs->trans("RefPayment").'
      '."\n"; // Fields title search diff --git a/htdocs/loan/payment/card.php b/htdocs/loan/payment/card.php index 2310dfb89a6..da6159fb493 100644 --- a/htdocs/loan/payment/card.php +++ b/htdocs/loan/payment/card.php @@ -39,7 +39,7 @@ $confirm = GETPOST('confirm'); if ($user->socid) { $socid = $user->socid; } -// TODO ajouter regle pour restreindre acces paiement +// TODO ajouter regle pour restreindre access paiement //$result = restrictedArea($user, 'facture', $id,''); $payment = new PaymentLoan($db); diff --git a/htdocs/loan/payment/payment.php b/htdocs/loan/payment/payment.php index 885440a6812..b2d22fbd1b7 100644 --- a/htdocs/loan/payment/payment.php +++ b/htdocs/loan/payment/payment.php @@ -70,7 +70,7 @@ if ($res > 0) { } } -// Set current line with last unpaid line (only if shedule is used) +// Set current line with last unpaid line (only if schedule is used) if (!empty($line_id)) { $line = new LoanSchedule($db); $res = $line->fetch($line_id); @@ -125,7 +125,7 @@ if ($action == 'add_payment') { $remaindertopay = price2num(GETPOST('remaindertopay')); $amount = $pay_amount_capital + $pay_amount_insurance + $pay_amount_interest; - // This term is allready paid + // This term is already paid if (!empty($line) && !empty($line->fk_bank)) { setEventMessages($langs->trans('TermPaidAllreadyPaid'), null, 'errors'); $error++; @@ -152,9 +152,9 @@ if ($action == 'add_payment') { $payment->amount_capital = $pay_amount_capital; $payment->amount_insurance = $pay_amount_insurance; $payment->amount_interest = $pay_amount_interest; - $payment->fk_bank = GETPOST('accountid', 'int'); + $payment->fk_bank = GETPOSTINT('accountid'); $payment->paymenttype = GETPOST('paymenttype', 'int'); - $payment->num_payment = GETPOST('num_payment'); + $payment->num_payment = GETPOST('num_payment', 'alphanohtml'); $payment->note_private = GETPOST('note_private', 'restricthtml'); $payment->note_public = GETPOST('note_public', 'restricthtml'); @@ -177,7 +177,7 @@ if ($action == 'add_payment') { // Update loan schedule with payment value if (!$error && !empty($line)) { // If payment values are modified, recalculate schedule - if (($line->amount_capital <> $pay_amount_capital) || ($line->amount_insurance <> $pay_amount_insurance) || ($line->amount_interest <> $pay_amount_interest)) { + if (($line->amount_capital != $pay_amount_capital) || ($line->amount_insurance != $pay_amount_insurance) || ($line->amount_interest != $pay_amount_interest)) { $arr_term = loanCalcMonthlyPayment(($pay_amount_capital + $pay_amount_interest), $remaindertopay, ($loan->rate / 100), $echance, $loan->nbterm); foreach ($arr_term as $k => $v) { // Update fk_bank for current line diff --git a/htdocs/loan/schedule.php b/htdocs/loan/schedule.php index fda8d22c792..e4a9424c21c 100644 --- a/htdocs/loan/schedule.php +++ b/htdocs/loan/schedule.php @@ -198,7 +198,7 @@ $(document).ready(function() { var idcap=echeance-1; idcap = '#hi_capital'+idcap; var capital=price2numjs($(idcap).val()); - console.log("Change montly amount echeance="+echeance+" idcap="+idcap+" capital="+capital); + console.log("Change monthly amount echeance="+echeance+" idcap="+idcap+" capital="+capital); $.ajax({ method: "GET", dataType: 'json', diff --git a/htdocs/mailmanspip/class/mailmanspip.class.php b/htdocs/mailmanspip/class/mailmanspip.class.php index bf040d51673..b7ef7d99eb9 100644 --- a/htdocs/mailmanspip/class/mailmanspip.class.php +++ b/htdocs/mailmanspip/class/mailmanspip.class.php @@ -238,7 +238,7 @@ class MailmanSpip // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Fonction qui dit si cet utilisateur est un redacteur existant dans spip + * Indicate if the user is an existing editor in spip * * @param object $object Object with data (->login) * @return int 1=exists, 0=does not exists, -1=error @@ -257,11 +257,11 @@ class MailmanSpip if ($result) { if ($mydb->num_rows($result)) { - // nous avons au moins une reponse + // At least one result for the login query $mydb->close(); return 1; } else { - // nous n'avons pas de reponse => n'existe pas + // No result for the login query $mydb->close(); return 0; } @@ -288,7 +288,7 @@ class MailmanSpip * * @param Adherent $object Object with data (->email, ->pass, ->element, ->type) * @param string $listes To force mailing-list (string separated with ,) - * @return int <0 if KO, >=0 if OK + * @return int Return integer <0 if KO, >=0 if OK */ public function add_to_mailman($object, $listes = '') { @@ -309,7 +309,7 @@ class MailmanSpip if (isModEnabled('adherent')) { // Synchro for members if (getDolGlobalString('ADHERENT_MAILMAN_URL')) { if ($listes == '' && getDolGlobalString('ADHERENT_MAILMAN_LISTS')) { - $lists = explode(',', $conf->global->ADHERENT_MAILMAN_LISTS); + $lists = explode(',', getDolGlobalString('ADHERENT_MAILMAN_LISTS')); } else { $lists = explode(',', $listes); } @@ -358,7 +358,7 @@ class MailmanSpip * * @param Adherent $object Object with data (->email, ->pass, ->element, ->type) * @param string $listes To force mailing-list (string separated with ,) - * @return int <0 if KO, >=0 if OK + * @return int Return integer <0 if KO, >=0 if OK */ public function del_to_mailman($object, $listes = '') { @@ -379,7 +379,7 @@ class MailmanSpip if (isModEnabled('adherent')) { // Synchro for members if (getDolGlobalString('ADHERENT_MAILMAN_UNSUB_URL')) { if ($listes == '' && getDolGlobalString('ADHERENT_MAILMAN_LISTS')) { - $lists = explode(',', $conf->global->ADHERENT_MAILMAN_LISTS); + $lists = explode(',', getDolGlobalString('ADHERENT_MAILMAN_LISTS')); } else { $lists = explode(',', $listes); } diff --git a/htdocs/main.inc.php b/htdocs/main.inc.php index b15559f080c..53eeeba0274 100644 --- a/htdocs/main.inc.php +++ b/htdocs/main.inc.php @@ -17,6 +17,7 @@ * Copyright (C) 2021 Alexandre Spangaro * Copyright (C) 2023 Joachim Küter * Copyright (C) 2023 Eric Seigne + * Copyright (C) 2024 MDW * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -80,7 +81,7 @@ function realCharForNumericEntities($matches) /** * Security: WAF layer for SQL Injection and XSS Injection (scripts) protection (Filters on GET, POST, PHP_SELF). * Warning: Such a protection can't be enough. It is not reliable as it will always be possible to bypass this. Good protection can - * only be guaranted by escaping data during output. + * only be guaranteed by escaping data during output. * * @param string $val Brute value found into $_GET, $_POST or PHP_SELF * @param string $type 0=POST, 1=GET, 2=PHP_SELF, 3=GET without sql reserved keywords (the less tolerant test) @@ -102,11 +103,12 @@ function testSqlAndScriptInject($val, $type) // Sometimes we have entities without the ; at end so html_entity_decode does not work but entities is still interpreted by browser. $val = preg_replace_callback('/&#(x?[0-9][0-9a-f]+;?)/i', function ($m) { // Decode 'n', ... - return realCharForNumericEntities($m); }, $val); + return realCharForNumericEntities($m); + }, $val); - // We clean html comments because some hacks try to obfuscate evil strings by inserting HTML comments. Example: onerror=alert(1) - $val = preg_replace('//', '', $val); - $val = preg_replace('/[\r\n\t]/', '', $val); + // We clean html comments because some hacks try to obfuscate evil strings by inserting HTML comments. Example: onerror=alert(1) + $val = preg_replace('//', '', $val); + $val = preg_replace('/[\r\n\t]/', '', $val); } while ($oldval != $val); //print "type = ".$type." after decoding: ".$val."\n"; @@ -176,6 +178,7 @@ function testSqlAndScriptInject($val, $type) $inj += preg_match('/on(paste|pause|play|playing|progress|ratechange|reset|resize|scroll|search|seeked|seeking|show|stalled|start|submit|suspend)[a-z]*\s*=/i', $val); $inj += preg_match('/on(timeupdate|toggle|unload|volumechange|waiting|wheel)[a-z]*\s*=/i', $val); // More not into the previous list + $inj += preg_match('/on(repeat|begin|finish|beforeinput)[a-z]*\s*=/i', $val); // We refuse html into html because some hacks try to obfuscate evil strings by inserting HTML into HTML. Example: error=alert(1) to bypass test on onerror @@ -220,15 +223,33 @@ function analyseVarsForSqlAndScriptsInjection(&$var, $type) if (analyseVarsForSqlAndScriptsInjection($key, $type) && analyseVarsForSqlAndScriptsInjection($value, $type)) { //$var[$key] = $value; // This is useless } else { + http_response_code(403); + // Get remote IP: PS: We do not use getRemoteIP(), function is not yet loaded and we need a value that can't be spoofed $ip = (empty($_SERVER['REMOTE_ADDR']) ? 'unknown' : $_SERVER['REMOTE_ADDR']); - $errormessage = 'Access refused to '.htmlentities($ip, ENT_COMPAT, 'UTF-8').' by SQL or Script injection protection in main.inc.php - GETPOST type='.htmlentities($type, ENT_COMPAT, 'UTF-8').' paramkey='.htmlentities($key, ENT_COMPAT, 'UTF-8').' paramvalue='.htmlentities($value, ENT_COMPAT, 'UTF-8').' page='.htmlentities($_SERVER["REQUEST_URI"], ENT_COMPAT, 'UTF-8'); + + $errormessage = 'Access refused to '.htmlentities($ip, ENT_COMPAT, 'UTF-8').' by SQL or Script injection protection in main.inc.php:analyseVarsForSqlAndScriptsInjection type='.htmlentities($type, ENT_COMPAT, 'UTF-8'); + + $errormessage2 = 'paramkey='.htmlentities($key, ENT_COMPAT, 'UTF-8'); + $errormessage2 .= ' paramvalue='.htmlentities($value, ENT_COMPAT, 'UTF-8'); + $errormessage2 .= ' page='.htmlentities($_SERVER["REQUEST_URI"], ENT_COMPAT, 'UTF-8'); + print $errormessage; - // Add entry into error log + print "
      \n"; + print 'Try to go back, fix data of your form and resubmit it. You can contact also your technical support.'; + + print ''; + + // Add entry into error the PHP server error log if (function_exists('error_log')) { - error_log($errormessage); + error_log($errormessage.' '.$errormessage2); } - // TODO Add entry into security audit table + + // Note: No addition into security audit table is done because we don't want to execute code in such a case. + // Detection of too many such requests can be done with a fail2ban rule on 403 error code or into the PHP server error log. + exit; } } @@ -262,7 +283,7 @@ if (!defined('NOSCANPHPSELFFORINJECTION') && !empty($_SERVER["PHP_SELF"])) { if (!defined('NOSCANGETFORINJECTION') && !empty($_SERVER["QUERY_STRING"])) { // Note: QUERY_STRING is url encoded, but $_GET and $_POST are already decoded // Because the analyseVarsForSqlAndScriptsInjection is designed for already url decoded value, we must decode QUERY_STRING - // Another solution is to provide $_GET as parameter + // Another solution is to provide $_GET as parameter with analyseVarsForSqlAndScriptsInjection($_GET, 1); $morevaltochecklikeget = array(urldecode($_SERVER["QUERY_STRING"])); analyseVarsForSqlAndScriptsInjection($morevaltochecklikeget, 1); } @@ -321,18 +342,18 @@ if (!empty($php_session_save_handler) && $php_session_save_handler == 'db') { require_once 'core/lib/phpsessionin'.$php_session_save_handler.'.lib.php'; } -// Init session. Name of session is specific to Dolibarr instance. -// Must be done after the include of filefunc.inc.php so global variables of conf file are defined (like $dolibarr_main_instance_unique_id or $dolibarr_main_force_https). -// Note: the function dol_getprefix() is defined into functions.lib.php but may have been defined to return a different key to manage another area to protect. -$prefix = dol_getprefix(''); -$sessionname = 'DOLSESSID_'.$prefix; -$sessiontimeout = 'DOLSESSTIMEOUT_'.$prefix; + // Init session. Name of session is specific to Dolibarr instance. + // Must be done after the include of filefunc.inc.php so global variables of conf file are defined (like $dolibarr_main_instance_unique_id or $dolibarr_main_force_https). + // Note: the function dol_getprefix() is defined into functions.lib.php but may have been defined to return a different key to manage another area to protect. + $prefix = dol_getprefix(''); + $sessionname = 'DOLSESSID_'.$prefix; + $sessiontimeout = 'DOLSESSTIMEOUT_'.$prefix; if (!empty($_COOKIE[$sessiontimeout])) { ini_set('session.gc_maxlifetime', $_COOKIE[$sessiontimeout]); } -// This create lock, released by session_write_close() or end of page. -// We need this lock as long as we read/write $_SESSION ['vars']. We can remove lock when finished. + // This create lock, released by session_write_close() or end of page. + // We need this lock as long as we read/write $_SESSION ['vars']. We can remove lock when finished. if (!defined('NOSESSION')) { if (PHP_VERSION_ID < 70300) { session_set_cookie_params(0, '/', null, ((empty($dolibarr_main_force_https) && isHTTPS() === false) ? false : true), true); // Add tag secure and httponly on session cookie (same as setting session.cookie_httponly into php.ini). Must be called before the session_start. @@ -354,13 +375,13 @@ if (!defined('NOSESSION')) { } -// Init the 6 global objects, this include will make the 'new Xxx()' and set properties for: $conf, $db, $langs, $user, $mysoc, $hookmanager -require_once 'master.inc.php'; + // Init the 6 global objects, this include will make the 'new Xxx()' and set properties for: $conf, $db, $langs, $user, $mysoc, $hookmanager + require_once 'master.inc.php'; -// Uncomment this and set session.save_handler = user to use local session storing -// include DOL_DOCUMENT_ROOT.'/core/lib/phpsessionindb.inc.php + // Uncomment this and set session.save_handler = user to use local session storing + // include DOL_DOCUMENT_ROOT.'/core/lib/phpsessionindb.inc.php -// If software has been locked. Only login $conf->global->MAIN_ONLY_LOGIN_ALLOWED is allowed. + // If software has been locked. Only login $conf->global->MAIN_ONLY_LOGIN_ALLOWED is allowed. if (getDolGlobalString('MAIN_ONLY_LOGIN_ALLOWED')) { $ok = 0; if ((!session_id() || !isset($_SESSION["dol_login"])) && !isset($_POST["username"]) && !empty($_SERVER["GATEWAY_INTERFACE"])) { @@ -390,10 +411,10 @@ if (getDolGlobalString('MAIN_ONLY_LOGIN_ALLOWED')) { } -// Activate end of page function -register_shutdown_function('dol_shutdown'); + // Activate end of page function + register_shutdown_function('dol_shutdown'); -// Load debugbar + // Load debugbar if (isModEnabled('debugbar') && !GETPOST('dol_use_jmobile') && empty($_SESSION['dol_use_jmobile'])) { global $debugbar; include_once DOL_DOCUMENT_ROOT.'/debugbar/class/DebugBar.php'; @@ -407,7 +428,7 @@ if (isModEnabled('debugbar') && !GETPOST('dol_use_jmobile') && empty($_SESSION[' $debugbar['time']->startMeasure('pageaftermaster', 'Page generation (after environment init)'); } -// Detection browser + // Detection browser if (isset($_SERVER["HTTP_USER_AGENT"])) { $tmp = getBrowserInfo($_SERVER["HTTP_USER_AGENT"]); $conf->browser->name = $tmp['browsername']; @@ -422,20 +443,20 @@ if (isset($_SERVER["HTTP_USER_AGENT"])) { } } -// If theme is forced + // If theme is forced if (GETPOST('theme', 'aZ09')) { $conf->theme = GETPOST('theme', 'aZ09'); $conf->css = "/theme/".$conf->theme."/style.css.php"; } -// Set global MAIN_OPTIMIZEFORTEXTBROWSER (must be before login part) + // Set global MAIN_OPTIMIZEFORTEXTBROWSER (must be before login part) if (GETPOST('textbrowser', 'int') || (!empty($conf->browser->name) && $conf->browser->name == 'lynxlinks')) { // If we must enable text browser $conf->global->MAIN_OPTIMIZEFORTEXTBROWSER = 1; } // Force HTTPS if required ($conf->file->main_force_https is 0/1 or 'https dolibarr root url') // $_SERVER["HTTPS"] is 'on' when link is https, otherwise $_SERVER["HTTPS"] is empty or 'off' -if (!empty($conf->file->main_force_https) && (empty($_SERVER["HTTPS"]) || $_SERVER["HTTPS"] != 'on') && !defined('NOHTTPSREDIRECT')) { +if (!empty($conf->file->main_force_https) && isHTTPS() && !defined('NOHTTPSREDIRECT')) { $newurl = ''; if (is_numeric($conf->file->main_force_https)) { if ($conf->file->main_force_https == '1' && !empty($_SERVER["SCRIPT_URI"])) { // If SCRIPT_URI supported by server @@ -477,7 +498,7 @@ if (!defined('NOLOGIN') && !defined('NOIPCHECK') && !empty($dolibarr_main_restri } } -// Loading of additional presentation includes + // Loading of additional presentation includes if (!defined('NOREQUIREHTML')) { require_once DOL_DOCUMENT_ROOT.'/core/class/html.form.class.php'; // Need 660ko memory (800ko in 2.2) } @@ -485,20 +506,20 @@ if (!defined('NOREQUIREAJAX')) { require_once DOL_DOCUMENT_ROOT.'/core/lib/ajax.lib.php'; // Need 22ko memory } -// If install or upgrade process not done or not completely finished, we call the install page. + // If install or upgrade process not done or not completely finished, we call the install page. if (getDolGlobalString('MAIN_NOT_INSTALLED') || getDolGlobalString('MAIN_NOT_UPGRADED')) { dol_syslog("main.inc: A previous install or upgrade was not complete. Redirect to install page.", LOG_WARNING); header("Location: ".DOL_URL_ROOT."/install/index.php"); exit; } -// If an upgrade process is required, we call the install page. + // If an upgrade process is required, we call the install page. if ((getDolGlobalString('MAIN_VERSION_LAST_UPGRADE') && ($conf->global->MAIN_VERSION_LAST_UPGRADE != DOL_VERSION)) || (!getDolGlobalString('MAIN_VERSION_LAST_UPGRADE') && getDolGlobalString('MAIN_VERSION_LAST_INSTALL') && ($conf->global->MAIN_VERSION_LAST_INSTALL != DOL_VERSION))) { - $versiontocompare = !getDolGlobalString('MAIN_VERSION_LAST_UPGRADE') ? $conf->global->MAIN_VERSION_LAST_INSTALL : $conf->global->MAIN_VERSION_LAST_UPGRADE; - require_once DOL_DOCUMENT_ROOT.'/core/lib/admin.lib.php'; - $dolibarrversionlastupgrade = preg_split('/[.-]/', $versiontocompare); - $dolibarrversionprogram = preg_split('/[.-]/', DOL_VERSION); - $rescomp = versioncompare($dolibarrversionprogram, $dolibarrversionlastupgrade); + $versiontocompare = !getDolGlobalString('MAIN_VERSION_LAST_UPGRADE') ? $conf->global->MAIN_VERSION_LAST_INSTALL : $conf->global->MAIN_VERSION_LAST_UPGRADE; + require_once DOL_DOCUMENT_ROOT.'/core/lib/admin.lib.php'; + $dolibarrversionlastupgrade = preg_split('/[.-]/', $versiontocompare); + $dolibarrversionprogram = preg_split('/[.-]/', DOL_VERSION); + $rescomp = versioncompare($dolibarrversionprogram, $dolibarrversionlastupgrade); if ($rescomp > 0) { // Programs have a version higher than database. if (!getDolGlobalString('MAIN_NO_UPGRADE_REDIRECT_ON_LEVEL_3_CHANGE') || $rescomp < 3) { // We did not add "&& $rescomp < 3" because we want upgrade process for build upgrades @@ -509,7 +530,7 @@ if ((getDolGlobalString('MAIN_VERSION_LAST_UPGRADE') && ($conf->global->MAIN_VER } } -// Creation of a token against CSRF vulnerabilities + // Creation of a token against CSRF vulnerabilities if (!defined('NOTOKENRENEWAL') && !defined('NOSESSION')) { // No token renewal on .css.php, .js.php and .json.php (even if the NOTOKENRENEWAL was not provided) if (!preg_match('/\.(css|js|json)\.php$/', $_SERVER["PHP_SELF"])) { @@ -529,14 +550,14 @@ if (!defined('NOTOKENRENEWAL') && !defined('NOSESSION')) { } } -//dol_syslog("CSRF info: ".defined('NOCSRFCHECK')." - ".$dolibarr_nocsrfcheck." - ".$conf->global->MAIN_SECURITY_CSRF_WITH_TOKEN." - ".$_SERVER['REQUEST_METHOD']." - ".GETPOST('token', 'alpha')); + //dol_syslog("CSRF info: ".defined('NOCSRFCHECK')." - ".$dolibarr_nocsrfcheck." - ".$conf->global->MAIN_SECURITY_CSRF_WITH_TOKEN." - ".$_SERVER['REQUEST_METHOD']." - ".GETPOST('token', 'alpha')); -// Check validity of token, only if option MAIN_SECURITY_CSRF_WITH_TOKEN enabled or if constant CSRFCHECK_WITH_TOKEN is set into page + // Check validity of token, only if option MAIN_SECURITY_CSRF_WITH_TOKEN enabled or if constant CSRFCHECK_WITH_TOKEN is set into page if ((!defined('NOCSRFCHECK') && empty($dolibarr_nocsrfcheck) && getDolGlobalInt('MAIN_SECURITY_CSRF_WITH_TOKEN')) || defined('CSRFCHECK_WITH_TOKEN')) { // Array of action code where CSRFCHECK with token will be forced (so token must be provided on url request) $sensitiveget = false; if ((GETPOSTISSET('massaction') || GETPOST('action', 'aZ09')) && getDolGlobalInt('MAIN_SECURITY_CSRF_WITH_TOKEN') >= 3) { - // All GET actions (except the listed exception) and mass actions are processed as sensitive. + // All GET actions (except the listed exception that are post actions) and mass actions are processed as sensitive. if (GETPOSTISSET('massaction') || !in_array(GETPOST('action', 'aZ09'), array('create', 'createsite', 'createcard', 'edit', 'editvalidator', 'file_manager', 'presend', 'presend_addmessage', 'preview', 'specimen'))) { // We exclude some action that are legitimate $sensitiveget = true; } @@ -564,10 +585,10 @@ if ((!defined('NOCSRFCHECK') && empty($dolibarr_nocsrfcheck) && getDolGlobalInt( $sensitiveget || GETPOSTISSET('massaction') || ((GETPOSTISSET('actionlogin') || GETPOSTISSET('action')) && defined('CSRFCHECK_WITH_TOKEN')) - ) { - // If token is not provided or empty, error (we are in case it is mandatory) + ) { + // If token is not provided or empty, error (we are in case it is mandatory) if (!GETPOST('token', 'alpha') || GETPOST('token', 'alpha') == 'notrequired') { - top_httphead(); + top_httphead(); if (GETPOST('uploadform', 'int')) { dol_syslog("--- Access to ".(empty($_SERVER["REQUEST_METHOD"]) ? '' : $_SERVER["REQUEST_METHOD"].' ').$_SERVER["PHP_SELF"]." refused. File size too large or not provided."); $langs->loadLangs(array("errors", "install")); @@ -588,41 +609,41 @@ if ((!defined('NOCSRFCHECK') && empty($dolibarr_nocsrfcheck) && getDolGlobalInt( print " into setup).\n"; } } - die; + die; } } - $sessiontokenforthisurl = (empty($_SESSION['token']) ? '' : $_SESSION['token']); - // TODO Get the sessiontokenforthisurl into an array of session token (one array per base URL so we can use the CSRF per page and we keep ability for several tabs per url in a browser) + $sessiontokenforthisurl = (empty($_SESSION['token']) ? '' : $_SESSION['token']); + // TODO Get the sessiontokenforthisurl into an array of session token (one array per base URL so we can use the CSRF per page and we keep ability for several tabs per url in a browser) if (GETPOSTISSET('token') && GETPOST('token') != 'notrequired' && GETPOST('token', 'alpha') != $sessiontokenforthisurl) { - dol_syslog("--- Access to ".(empty($_SERVER["REQUEST_METHOD"]) ? '' : $_SERVER["REQUEST_METHOD"].' ').$_SERVER["PHP_SELF"]." refused by CSRF protection (invalid token), so we disable POST and some GET parameters - referer=".(empty($_SERVER['HTTP_REFERER'])?'':$_SERVER['HTTP_REFERER']).", action=".GETPOST('action', 'aZ09').", _GET|POST['token']=".GETPOST('token', 'alpha'), LOG_WARNING); - //dol_syslog("_SESSION['token']=".$sessiontokenforthisurl, LOG_DEBUG); - // Do not output anything on standard output because this create problems when using the BACK button on browsers. So we just set a message into session. + dol_syslog("--- Access to ".(empty($_SERVER["REQUEST_METHOD"]) ? '' : $_SERVER["REQUEST_METHOD"].' ').$_SERVER["PHP_SELF"]." refused by CSRF protection (invalid token), so we disable POST and some GET parameters - referrer=".(empty($_SERVER['HTTP_REFERER'])?'':$_SERVER['HTTP_REFERER']).", action=".GETPOST('action', 'aZ09').", _GET|POST['token']=".GETPOST('token', 'alpha'), LOG_WARNING); + //dol_syslog("_SESSION['token']=".$sessiontokenforthisurl, LOG_DEBUG); + // Do not output anything on standard output because this create problems when using the BACK button on browsers. So we just set a message into session. if (!defined('NOTOKENRENEWAL')) { // If the page is not a page that disable the token renewal, we report a warning message to explain token has epired. setEventMessages('SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry', null, 'warnings', '', 1); } - $savid = null; + $savid = null; if (isset($_POST['id'])) { $savid = ((int) $_POST['id']); } - unset($_POST); - unset($_GET['confirm']); - unset($_GET['action']); - unset($_GET['confirmmassaction']); - unset($_GET['massaction']); - unset($_GET['token']); // TODO Make a redirect if we have a token in url to remove it ? + unset($_POST); + unset($_GET['confirm']); + unset($_GET['action']); + unset($_GET['confirmmassaction']); + unset($_GET['massaction']); + unset($_GET['token']); // TODO Make a redirect if we have a token in url to remove it ? if (isset($savid)) { $_POST['id'] = ((int) $savid); } - // So rest of code can know something was wrong here - $_GET['errorcode'] = 'InvalidToken'; + // So rest of code can know something was wrong here + $_GET['errorcode'] = 'InvalidToken'; } - // Note: There is another CSRF protection into the filefunc.inc.php + // Note: There is another CSRF protection into the filefunc.inc.php } -// Disable modules (this must be after session_start and after conf has been loaded) + // Disable modules (this must be after session_start and after conf has been loaded) if (GETPOSTISSET('disablemodules')) { $_SESSION["disablemodules"] = GETPOST('disablemodules', 'alpha'); } @@ -647,8 +668,8 @@ if (!empty($_SESSION["disablemodules"])) { } } -// Set current modulepart -$modulepart = explode("/", $_SERVER["PHP_SELF"]); + // Set current modulepart + $modulepart = explode("/", $_SERVER["PHP_SELF"]); if (is_array($modulepart) && count($modulepart) > 0) { foreach ($conf->modules as $module) { if (in_array($module, $modulepart)) { @@ -662,10 +683,10 @@ if (is_array($modulepart)) { } -/* - * Phase authentication / login - */ -$login = ''; + /* + * Phase authentication / login + */ + $login = ''; if (!defined('NOLOGIN')) { // $authmode lists the different method of identification to be tested in order of preference. // Example: 'http', 'dolibarr', 'ldap', 'http,forceuser', '...' @@ -688,7 +709,7 @@ if (!defined('NOLOGIN')) { // No authentication mode if (!count($authmode)) { $langs->load('main'); - dol_print_error('', $langs->trans("ErrorConfigParameterNotDefined", 'dolibarr_main_authentication')); + dol_print_error(null, $langs->trans("ErrorConfigParameterNotDefined", 'dolibarr_main_authentication')); exit; } @@ -746,7 +767,7 @@ if (!defined('NOLOGIN')) { // Check code if (!$ok) { - dol_syslog('Bad value for code, connexion refused'); + dol_syslog('Bad value for code, connection refused', LOG_NOTICE); // Load translation files required by page $langs->loadLangs(array('main', 'errors')); @@ -854,7 +875,7 @@ if (!defined('NOLOGIN')) { } if (!$login) { - dol_syslog('Bad password, connexion refused', LOG_DEBUG); + dol_syslog('Bad password, connection refused (see a previous notice message for more info)', LOG_NOTICE); // Load translation files required by page $langs->loadLangs(array('main', 'errors')); @@ -888,12 +909,12 @@ if (!defined('NOLOGIN')) { } // End test login / passwords - if (!$login || (in_array('ldap', $authmode) && empty($passwordtotest))) { // With LDAP we refused empty password because some LDAP are "opened" for anonymous access so connexion is a success. + if (!$login || (in_array('ldap', $authmode) && empty($passwordtotest))) { // With LDAP we refused empty password because some LDAP are "opened" for anonymous access so connection is a success. // No data to test login, so we show the login page. dol_syslog("--- Access to ".(empty($_SERVER["REQUEST_METHOD"]) ? '' : $_SERVER["REQUEST_METHOD"].' ').$_SERVER["PHP_SELF"]." - action=".GETPOST('action', 'aZ09')." - actionlogin=".GETPOST('actionlogin', 'aZ09')." - showing the login form and exit", LOG_NOTICE); if (defined('NOREDIRECTBYMAINTOLOGIN')) { // When used with NOREDIRECTBYMAINTOLOGIN set, the http header must already be set when including the main. - // See example with selectsearchbox.php. This case is reserverd for the selectesearchbox.php so we can + // See example with selectsearchbox.php. This case is reserved for the selectesearchbox.php so we can // report a message to ask to login when search ajax component is used after a timeout. //top_httphead(); return 'ERROR_NOT_LOGGED'; @@ -908,7 +929,7 @@ if (!defined('NOLOGIN')) { $resultFetchUser = $user->fetch('', $login, '', 1, ($entitytotest > 0 ? $entitytotest : -1)); // value for $login was retrieved previously when checking password. if ($resultFetchUser <= 0 || $user->isNotIntoValidityDateRange()) { - dol_syslog('User not found or not valid, connexion refused'); + dol_syslog('User not found or not valid, connection refused'); session_destroy(); session_set_cookie_params(0, '/', null, (empty($dolibarr_main_force_https) ? false : true), true); // Add tag secure and httponly on session cookie session_name($sessionname); @@ -984,17 +1005,17 @@ if (!defined('NOLOGIN')) { || ($user->status != $user::STATUS_ENABLED) || ($user->isNotIntoValidityDateRange())) { if ($resultFetchUser <= 0) { - // Account has been removed after login - dol_syslog("Can't load user even if session logged. _SESSION['dol_login']=".$login, LOG_WARNING); + // Account has been removed after login + dol_syslog("Can't load user even if session logged. _SESSION['dol_login']=".$login, LOG_WARNING); } elseif ($user->flagdelsessionsbefore && !empty($_SESSION["dol_logindate"]) && $user->flagdelsessionsbefore > $_SESSION["dol_logindate"]) { - // Session is no more valid - dol_syslog("The user has a date for session invalidation = ".$user->flagdelsessionsbefore." and a session date = ".$_SESSION["dol_logindate"].". We must invalidate its sessions."); + // Session is no more valid + dol_syslog("The user has a date for session invalidation = ".$user->flagdelsessionsbefore." and a session date = ".$_SESSION["dol_logindate"].". We must invalidate its sessions."); } elseif ($user->status != $user::STATUS_ENABLED) { // User is not enabled dol_syslog("The user login is disabled"); } else { // User validity dates are no more valid - dol_syslog("The user login has a validity between [".$user->datestartvalidity." and ".$user->dateendvalidity."], curren date is ".dol_now()); + dol_syslog("The user login has a validity between [".$user->datestartvalidity." and ".$user->dateendvalidity."], current date is ".dol_now()); } session_destroy(); session_set_cookie_params(0, '/', null, (empty($dolibarr_main_force_https) ? false : true), true); // Add tag secure and httponly on session cookie @@ -1045,6 +1066,7 @@ if (!defined('NOLOGIN')) { if (GETPOST('lang', 'aZ09')) { $paramsurl[] = 'lang='.GETPOST('lang', 'aZ09'); } + header('Location: '.DOL_URL_ROOT.'/index.php'.(count($paramsurl) ? '?'.implode('&', $paramsurl) : '')); exit; } else { @@ -1108,7 +1130,7 @@ if (!defined('NOLOGIN')) { } // Is it a new session that has started ? - // If we are here, this means authentication was successfull. + // If we are here, this means authentication was successful. if (!isset($_SESSION["dol_login"])) { // New session for this login has started. $error = 0; @@ -1164,7 +1186,7 @@ if (!defined('NOLOGIN')) { } // End call triggers - // Hooks on successfull login + // Hooks on successful login $action = ''; $hookmanager->initHooks(array('login')); $parameters = array('dol_authmode'=>$dol_authmode, 'dol_loginfo'=>$loginfo); @@ -1251,13 +1273,13 @@ if (!defined('NOLOGIN')) { } -// Case forcing style from url + // Case forcing style from url if (GETPOST('theme', 'aZ09')) { $conf->theme = GETPOST('theme', 'aZ09', 1); $conf->css = "/theme/".$conf->theme."/style.css.php"; } -// Set javascript option + // Set javascript option if (GETPOST('nojs', 'int')) { // If javascript was not disabled on URL $conf->use_javascript_ajax = 0; } else { @@ -1266,15 +1288,15 @@ if (GETPOST('nojs', 'int')) { // If javascript was not disabled on URL } } -// Set MAIN_OPTIMIZEFORTEXTBROWSER for user (must be after login part) + // Set MAIN_OPTIMIZEFORTEXTBROWSER for user (must be after login part) if (!getDolGlobalString('MAIN_OPTIMIZEFORTEXTBROWSER') && !empty($user->conf->MAIN_OPTIMIZEFORTEXTBROWSER)) { $conf->global->MAIN_OPTIMIZEFORTEXTBROWSER = $user->conf->MAIN_OPTIMIZEFORTEXTBROWSER; } -// set MAIN_OPTIMIZEFORCOLORBLIND for user -$conf->global->MAIN_OPTIMIZEFORCOLORBLIND = empty($user->conf->MAIN_OPTIMIZEFORCOLORBLIND) ? '' : $user->conf->MAIN_OPTIMIZEFORCOLORBLIND; + // set MAIN_OPTIMIZEFORCOLORBLIND for user + $conf->global->MAIN_OPTIMIZEFORCOLORBLIND = empty($user->conf->MAIN_OPTIMIZEFORCOLORBLIND) ? '' : $user->conf->MAIN_OPTIMIZEFORCOLORBLIND; -// Set terminal output option according to conf->browser. + // Set terminal output option according to conf->browser. if (GETPOST('dol_hide_leftmenu', 'int') || !empty($_SESSION['dol_hide_leftmenu'])) { $conf->dol_hide_leftmenu = 1; } @@ -1290,24 +1312,24 @@ if (GETPOST('dol_no_mouse_hover', 'int') || !empty($_SESSION['dol_no_mouse_hover if (GETPOST('dol_use_jmobile', 'int') || !empty($_SESSION['dol_use_jmobile'])) { $conf->dol_use_jmobile = 1; } -// If not on Desktop + // If not on Desktop if (!empty($conf->browser->layout) && $conf->browser->layout != 'classic') { $conf->dol_no_mouse_hover = 1; } -// If on smartphone or optmized for small screen +// If on smartphone or optimized for small screen if ((!empty($conf->browser->layout) && $conf->browser->layout == 'phone') || (!empty($_SESSION['dol_screenwidth']) && $_SESSION['dol_screenwidth'] < 400) || (!empty($_SESSION['dol_screenheight']) && $_SESSION['dol_screenheight'] < 400 || getDolGlobalString('MAIN_OPTIMIZEFORTEXTBROWSER')) - ) { - $conf->dol_optimize_smallscreen = 1; +) { + $conf->dol_optimize_smallscreen = 1; if (getDolGlobalInt('PRODUIT_DESC_IN_FORM') == 1) { - $conf->global->PRODUIT_DESC_IN_FORM_ACCORDING_TO_DEVICE = 0; + $conf->global->PRODUIT_DESC_IN_FORM_ACCORDING_TO_DEVICE = 0; } } -// Replace themes bugged with jmobile with eldy + // Replace themes bugged with jmobile with eldy if (!empty($conf->dol_use_jmobile) && in_array($conf->theme, array('bureau2crea', 'cameleo', 'amarok'))) { $conf->theme = 'eldy'; $conf->css = "/theme/".$conf->theme."/style.css.php"; @@ -1346,7 +1368,7 @@ if (!defined('NOLOGIN')) { } dol_syslog("--- Access to ".(empty($_SERVER["REQUEST_METHOD"]) ? '' : $_SERVER["REQUEST_METHOD"].' ').$_SERVER["PHP_SELF"].' - action='.GETPOST('action', 'aZ09').', massaction='.GETPOST('massaction', 'aZ09').(defined('NOTOKENRENEWAL') ? ' NOTOKENRENEWAL='.constant('NOTOKENRENEWAL') : ''), LOG_NOTICE); -//Another call for easy debugg +//Another call for easy debug //dol_syslog("Access to ".$_SERVER["PHP_SELF"].' '.$_SERVER["HTTP_REFERER"].' GET='.join(',',array_keys($_GET)).'->'.join(',',$_GET).' POST:'.join(',',array_keys($_POST)).'->'.join(',',$_POST)); // Load main languages files @@ -1389,9 +1411,9 @@ if (empty($conf->browser->firefox)) { define('ROWS_9', 8); } -$heightforframes = 50; + $heightforframes = 50; -// Init menu manager + // Init menu manager if (!defined('NOREQUIREMENU')) { if (empty($user->socid)) { // If internal user or not defined $conf->standard_menu = (!getDolGlobalString('MAIN_MENU_STANDARD_FORCED') ? (!getDolGlobalString('MAIN_MENU_STANDARD') ? 'eldy_menu.php' : $conf->global->MAIN_MENU_STANDARD) : $conf->global->MAIN_MENU_STANDARD_FORCED); @@ -1433,13 +1455,13 @@ if (!empty(GETPOST('seteventmessages', 'alpha'))) { } } -// Functions + // Functions if (!function_exists("llxHeader")) { /** * Show HTML header HTML + BODY + Top menu + left menu + DIV * - * @param string $head Optionnal head lines + * @param string $head Optional head lines * @param string $title HTML title * @param string $help_url Url links to help page * Syntax is: For a wiki page: EN:EnglishPage|FR:FrenchPage|ES:SpanishPage|DE:GermanPage @@ -1519,13 +1541,13 @@ if (!function_exists("llxHeader")) { } -/** - * Show HTTP header. Called by top_htmlhead(). - * - * @param string $contenttype Content type. For example, 'text/html' - * @param int $forcenocache Force disabling of cache for the page - * @return void - */ + /** + * Show HTTP header. Called by top_htmlhead(). + * + * @param string $contenttype Content type. For example, 'text/html' + * @param int $forcenocache Force disabling of cache for the page + * @return void + */ function top_httphead($contenttype = 'text/html', $forcenocache = 0) { global $db, $conf, $hookmanager; @@ -1543,11 +1565,18 @@ function top_httphead($contenttype = 'text/html', $forcenocache = 0) // X-Frame-Options if (!defined('XFRAMEOPTIONS_ALLOWALL')) { - header("X-Frame-Options: SAMEORIGIN"); // Frames allowed only if on same domain (stop some XSS attacks) + header("X-Frame-Options: SAMEORIGIN"); // By default, frames allowed only if on same domain (stop some XSS attacks) } else { header("X-Frame-Options: ALLOWALL"); } + if (getDolGlobalString('MAIN_SECURITY_FORCE_ACCESS_CONTROL_ALLOW_ORIGIN')) { + $tmpurl = constant('DOL_MAIN_URL_ROOT'); + $tmpurl = preg_replace('/^(https?:\/\/[^\/]+)\/.*$/', '\1', $tmpurl); + header('Access-Control-Allow-Origin: '.$tmpurl); + header('Vary: Origin'); + } + // X-XSS-Protection //header("X-XSS-Protection: 1"); // XSS filtering protection of some browsers (note: use of Content-Security-Policy is more efficient). Disabled as deprecated. @@ -1643,10 +1672,10 @@ function top_httphead($contenttype = 'text/html', $forcenocache = 0) } /** - * Ouput html header of a page. It calls also top_httphead() + * Output html header of a page. It calls also top_httphead() * This code is also duplicated into security2.lib.php::dol_loginfunction * - * @param string $head Optionnal head lines + * @param string $head Optional head lines * @param string $title HTML title * @param int $disablejs Disable js output * @param int $disablehead Disable head output @@ -1657,7 +1686,7 @@ function top_httphead($contenttype = 'text/html', $forcenocache = 0) * @param int $disablenoindex Disable noindex tag for meta robots * @return void */ -function top_htmlhead($head, $title = '', $disablejs = 0, $disablehead = 0, $arrayofjs = '', $arrayofcss = '', $disableforlogin = 0, $disablenofollow = 0, $disablenoindex = 0) +function top_htmlhead($head, $title = '', $disablejs = 0, $disablehead = 0, $arrayofjs = array(), $arrayofcss = array(), $disableforlogin = 0, $disablenofollow = 0, $disablenoindex = 0) { global $db, $conf, $langs, $user, $mysoc, $hookmanager; @@ -1709,12 +1738,15 @@ function top_htmlhead($head, $title = '', $disablejs = 0, $disablehead = 0, $arr print ''."\n"; // Not required into an Android webview } - //if (empty($conf->global->MAIN_OPTIMIZEFORTEXTBROWSER)) print ''."\n"; - //if (empty($conf->global->MAIN_OPTIMIZEFORTEXTBROWSER)) print ''."\n"; - //if (empty($conf->global->MAIN_OPTIMIZEFORTEXTBROWSER)) print ''."\n"; - // Mobile appli like icon $manifest = DOL_URL_ROOT.'/theme/'.$conf->theme.'/manifest.json.php'; + $parameters = array('manifest'=>$manifest); + $resHook = $hookmanager->executeHooks('hookSetManifest', $parameters); // Note that $action and $object may have been modified by some hooks + if ($resHook > 0) { + $manifest = $hookmanager->resPrint; // Replace manifest.json + } else { + $manifest .= $hookmanager->resPrint; // Concat to actual manifest declaration + } if (!empty($manifest)) { print ''."\n"; } @@ -1759,7 +1791,7 @@ function top_htmlhead($head, $title = '', $disablejs = 0, $disablehead = 0, $arr print "\n"; if (GETPOST('version', 'int')) { - $ext = 'version='.GETPOST('version', 'int'); // usefull to force no cache on css/js + $ext = 'version='.GETPOST('version', 'int'); // useful to force no cache on css/js } // Refresh value of MAIN_IHM_PARAMS_REV before forging the parameter line. if (GETPOST('dol_resetcache')) { @@ -2052,23 +2084,23 @@ function top_htmlhead($head, $title = '', $disablejs = 0, $disablehead = 0, $arr } -/** - * Show an HTML header + a BODY + The top menu bar - * - * @param string $head Lines in the HEAD - * @param string $title Title of web page - * @param string $target Target to use in menu links (Example: '' or '_top') - * @param int $disablejs Do not output links to js (Ex: qd fonction utilisee par sous formulaire Ajax) - * @param int $disablehead Do not output head section - * @param array $arrayofjs Array of js files to add in header - * @param array $arrayofcss Array of css files to add in header - * @param string $morequerystring Query string to add to the link "print" to get same parameters (use only if autodetect fails) - * @param string $helppagename Name of wiki page for help ('' by default). - * Syntax is: For a wiki page: EN:EnglishPage|FR:FrenchPage|ES:SpanishPage|DE:GermanPage - * For other external page: http://server/url - * @return void - */ -function top_menu($head, $title = '', $target = '', $disablejs = 0, $disablehead = 0, $arrayofjs = '', $arrayofcss = '', $morequerystring = '', $helppagename = '') + /** + * Show an HTML header + a BODY + The top menu bar + * + * @param string $head Lines in the HEAD + * @param string $title Title of web page + * @param string $target Target to use in menu links (Example: '' or '_top') + * @param int $disablejs Do not output links to js (Ex: qd fonction utilisee par sous formulaire Ajax) + * @param int $disablehead Do not output head section + * @param array $arrayofjs Array of js files to add in header + * @param array $arrayofcss Array of css files to add in header + * @param string $morequerystring Query string to add to the link "print" to get same parameters (use only if autodetect fails) + * @param string $helppagename Name of wiki page for help ('' by default). + * Syntax is: For a wiki page: EN:EnglishPage|FR:FrenchPage|ES:SpanishPage|DE:GermanPage + * For other external page: http://server/url + * @return void + */ +function top_menu($head, $title = '', $target = '', $disablejs = 0, $disablehead = 0, $arrayofjs = array(), $arrayofcss = array(), $morequerystring = '', $helppagename = '') { global $user, $conf, $langs, $db, $form; global $dolibarr_main_authentication, $dolibarr_main_demo; @@ -2175,14 +2207,26 @@ function top_menu($head, $title = '', $target = '', $disablejs = 0, $disablehead $toprightmenu .= $form->textwithtooltip('', $langs->trans("ModuleBuilder"), 2, 1, $text, 'login_block_elem', 2); } - // Link to print main content area + // Link to print main content area (optioncss=print) if (!getDolGlobalString('MAIN_PRINT_DISABLELINK') && !getDolGlobalString('MAIN_OPTIMIZEFORTEXTBROWSER')) { $qs = dol_escape_htmltag($_SERVER["QUERY_STRING"]); if (isset($_POST) && is_array($_POST)) { foreach ($_POST as $key => $value) { - if ($key !== 'action' && $key !== 'password' && !is_array($value)) { - $qs .= '&'.$key.'='.urlencode($value); + $key = preg_replace('/[^a-z0-9_\.\-\[\]]/i', '', $key); + if (in_array($key, array('action', 'massaction', 'password'))) { + continue; + } + if (!is_array($value)) { + if ($value !== '') { + $qs .= '&'.urlencode($key).'='.urlencode($value); + } + } else { + foreach ($value as $value2) { + if (($value2 !== '') && (!is_array($value2))) { + $qs .= '&'.urlencode($key).'[]='.urlencode($value2); + } + } } } } @@ -2303,13 +2347,13 @@ function top_menu($head, $title = '', $target = '', $disablejs = 0, $disablehead } -/** - * Build the tooltip on user login - * - * @param int $hideloginname Hide login name. Show only the image. - * @param string $urllogout URL for logout (Will use DOL_URL_ROOT.'/user/logout.php?token=...' if empty) - * @return string HTML content - */ + /** + * Build the tooltip on user login + * + * @param int $hideloginname Hide login name. Show only the image. + * @param string $urllogout URL for logout (Will use DOL_URL_ROOT.'/user/logout.php?token=...' if empty) + * @return string HTML content + */ function top_menu_user($hideloginname = 0, $urllogout = '') { global $langs, $conf, $db, $hookmanager, $user, $mysoc; @@ -2404,7 +2448,7 @@ function top_menu_user($hideloginname = 0, $urllogout = '') //if ($_SESSION['dol_dst'] > 0) $dropdownBody .= yn(1); //else $dropdownBody .= yn(0); - $dropdownBody .= '
      '.$langs->trans("Browser").': '.$conf->browser->name.($conf->browser->version ? ' '.$conf->browser->version : '').' ('.dol_escape_htmltag($_SERVER['HTTP_USER_AGENT']).')'; + $dropdownBody .= '
      '.$langs->trans("Browser").': '.$conf->browser->name.($conf->browser->version ? ' '.$conf->browser->version : '').' ('.dol_escape_htmltag($_SERVER['HTTP_USER_AGENT']).')'; $dropdownBody .= '
      '.$langs->trans("Layout").': '.$conf->browser->layout; $dropdownBody .= '
      '.$langs->trans("Screen").': '.$_SESSION['dol_screenwidth'].' x '.$_SESSION['dol_screenheight']; if ($conf->browser->layout == 'phone') { @@ -2540,22 +2584,6 @@ function top_menu_user($hideloginname = 0, $urllogout = '') closeTopMenuLoginDropdown(); } }); - - jQuery(".butAction.dropdown-toggle").on("click", function(event) { - console.log("Click on .butAction.dropdown-toggle"); - var parentholder = jQuery(".butAction.dropdown-toggle").closest(".dropdown"); - var offset = parentholder.offset(); - var widthdocument = $(document).width(); - var left = offset.left; - var right = widthdocument - offset.left - parentholder.width(); - var widthpopup = parentholder.children(".dropdown-content").width(); - console.log("left="+left+" right="+right+" width="+widthpopup+" widthdocument="+widthdocument); - if (widthpopup + right >= widthdocument) { - right = 10; - } - parentholder.toggleClass("open"); - parentholder.children(".dropdown-content").css({"right": right+"px", "left": "auto"}); - }); '; @@ -2568,12 +2596,12 @@ function top_menu_user($hideloginname = 0, $urllogout = '') }); jQuery("#topmenulogincompanyinfo-btn").on("click", function() { - console.log("Clik on #topmenulogincompanyinfo-btn"); + console.log("Click on #topmenulogincompanyinfo-btn"); jQuery("#topmenulogincompanyinfo").slideToggle(); }); jQuery("#topmenuloginmoreinfo-btn").on("click", function() { - console.log("Clik on #topmenuloginmoreinfo-btn"); + console.log("Click on #topmenuloginmoreinfo-btn"); jQuery("#topmenuloginmoreinfo").slideToggle(); });'; } @@ -2587,11 +2615,11 @@ function top_menu_user($hideloginname = 0, $urllogout = '') return $btnUser; } -/** - * Build the tooltip on top menu quick add - * - * @return string HTML content - */ + /** + * Build the tooltip on top menu quick add + * + * @return string HTML content + */ function top_menu_quickadd() { global $conf, $langs; @@ -2614,8 +2642,9 @@ function top_menu_quickadd() '; - $html .= ' - + if (!defined('JS_JQUERY_DISABLE_DROPDOWN') && !empty($conf->use_javascript_ajax)) { // This may be set by some pages that use different jquery version to avoid errors + $html .= ' + '; + } return $html; } -/** - * Generate list of quickadd items - * - * @return string HTML output - */ + /** + * Generate list of quickadd items + * + * @return string HTML output + */ function printDropdownQuickadd() { global $conf, $user, $langs, $hookmanager; @@ -2827,11 +2857,11 @@ function printDropdownQuickadd() return $dropDownQuickAddHtml; } -/** - * Build the tooltip on top menu bookmark - * - * @return string HTML content - */ + /** + * Build the tooltip on top menu bookmark + * + * @return string HTML content + */ function top_menu_bookmark() { global $langs, $conf, $db, $user; @@ -2910,11 +2940,11 @@ function top_menu_bookmark() return $html; } -/** - * Build the tooltip on top menu tsearch - * - * @return string HTML content - */ + /** + * Build the tooltip on top menu tsearch + * + * @return string HTML content + */ function top_menu_search() { global $langs, $conf, $db, $user, $hookmanager; @@ -2995,7 +3025,7 @@ function top_menu_search() '; } + // Lines to produce print ''; @@ -1436,7 +1449,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea // Qty print '
      '; /// Unit - if ($conf->global->PRODUCT_USE_UNITS) { + if (getDolGlobalInt('PRODUCT_USE_UNITS')) { print ''; } // Cost price @@ -1448,7 +1461,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea } } // Already produced - print ''; + print ''; // Warehouse print ''; //Unit - if ($conf->global->PRODUCT_USE_UNITS) { + if (getDolGlobalInt('PRODUCT_USE_UNITS')) { print ''; } // Cost price @@ -1556,7 +1569,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea // Qty print ''; // Unit - if ($conf->global->PRODUCT_USE_UNITS) { + if (getDolGlobalInt('PRODUCT_USE_UNITS')) { print ''; } // Cost price @@ -1655,7 +1668,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea // Qty print ''; // Unit - if ($conf->global->PRODUCT_USE_UNITS) { + if (getDolGlobalInt('PRODUCT_USE_UNITS')) { print ''; } // Cost price @@ -1708,7 +1721,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea // Qty print ''; //Unit - if ($conf->global->PRODUCT_USE_UNITS) { + if (getDolGlobalInt('PRODUCT_USE_UNITS')) { print ''; } // Cost diff --git a/htdocs/mrp/tpl/originproductline.tpl.php b/htdocs/mrp/tpl/originproductline.tpl.php index 3a9c031a1ae..50eba62dba6 100644 --- a/htdocs/mrp/tpl/originproductline.tpl.php +++ b/htdocs/mrp/tpl/originproductline.tpl.php @@ -22,7 +22,7 @@ if (empty($conf) || !is_object($conf)) { exit; } -global $db; +global $db, $langs; if (!empty($form) && !is_object($form)) { $form = new Form($db); @@ -35,9 +35,13 @@ $qtytoconsumeforline = $this->tpl['qty'] / (!empty($this->tpl['efficiency']) ? $ $qtytoconsumeforline = price2num($qtytoconsumeforline, 'MS'); $tmpproduct = new Product($db); -$tmpproduct->fetch($line->fk_product); +if ($line->fk_product > 0) { + $tmpproduct->fetch($line->fk_product); +} $tmpbom = new BOM($db); -$res = $tmpbom->fetch($line->fk_bom_child); +if ($line->fk_bom_child > 0) { + $res = $tmpbom->fetch($line->fk_bom_child); +} ?> @@ -63,14 +67,20 @@ print ''; print ''; // Unit print ''; -print ''; -print ''; print ''; diff --git a/htdocs/multicurrency/class/api_multicurrencies.class.php b/htdocs/multicurrency/class/api_multicurrencies.class.php index 4578d627dd3..291de3868a6 100644 --- a/htdocs/multicurrency/class/api_multicurrencies.class.php +++ b/htdocs/multicurrency/class/api_multicurrencies.class.php @@ -48,7 +48,7 @@ class MultiCurrencies extends DolibarrApi * @param int $limit Limit for list * @param int $page Page number * @param string $sqlfilters Other criteria to filter answers separated by a comma. Syntax example "(t.product_id:=:1) and (t.date_creation:<:'20160101')" - * @param string $properties Restrict the data returned to theses properties. Ignored if empty. Comma separated list of properties names + * @param string $properties Restrict the data returned to these properties. Ignored if empty. Comma separated list of properties names * @return array Array of warehouse objects * * @throws RestException @@ -102,9 +102,6 @@ class MultiCurrencies extends DolibarrApi } else { throw new RestException(503, 'Error when retrieve currencies list : '.$this->db->lasterror()); } - if (!count($obj_ret)) { - throw new RestException(404, 'No currencies found'); - } return $obj_ret; } @@ -112,7 +109,7 @@ class MultiCurrencies extends DolibarrApi /** * Get properties of a Currency object * - * Return an array with Currency informations + * Return an array with Currency information * * @param int $id ID of Currency * @return Object Object with cleaned properties @@ -136,7 +133,7 @@ class MultiCurrencies extends DolibarrApi /** * Get properties of a Currency object by code * - * Return an array with Currency informations + * Return an array with Currency information * @url GET /bycode/{code} * * @param string $code Code of Currency (ex: EUR) @@ -259,6 +256,12 @@ class MultiCurrencies extends DolibarrApi if ($field == 'id') { continue; } + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $multicurrency->context['caller'] = $request_data['caller']; + continue; + } + $multicurrency->$field = $value; } @@ -347,7 +350,7 @@ class MultiCurrencies extends DolibarrApi // phpcs:enable $object = parent::_cleanObjectDatas($object); - // Clear all fields out of interrest + // Clear all fields out of interest foreach ($object as $key => $value) { if ($key == "rate") { $object->$key = $this->_cleanObjectDatasRate($object->$key); @@ -373,7 +376,7 @@ class MultiCurrencies extends DolibarrApi // phpcs:enable $object = parent::_cleanObjectDatas($object); - // Clear all fields out of interrest + // Clear all fields out of interest foreach ($object as $key => $value) { if ($key == "id" || $key == "rate" || $key == "date_sync") { continue; diff --git a/htdocs/multicurrency/class/multicurrency.class.php b/htdocs/multicurrency/class/multicurrency.class.php index c03a8ab9952..779d53eecfa 100644 --- a/htdocs/multicurrency/class/multicurrency.class.php +++ b/htdocs/multicurrency/class/multicurrency.class.php @@ -97,7 +97,7 @@ class MultiCurrency extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -108,10 +108,10 @@ class MultiCurrency extends CommonObject * Create object into database * * @param User $user User that creates - * @param bool $trigger true=launch triggers after, false=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $trigger = true) + public function create(User $user, $notrigger = 0) { global $conf, $langs; @@ -160,7 +160,7 @@ class MultiCurrency extends CommonObject $this->date_create = $now; $this->fk_user = $user->id; - if ($trigger) { + if (empty($notrigger)) { $result = $this->call_trigger('CURRENCY_CREATE', $user); if ($result < 0) { $error++; @@ -237,7 +237,7 @@ class MultiCurrency extends CommonObject /** * Load all rates in object from the database * - * @return int <0 if KO, >=0 if OK + * @return int Return integer <0 if KO, >=0 if OK */ public function fetchAllCurrencyRate() { @@ -274,10 +274,10 @@ class MultiCurrency extends CommonObject * Update object into database * * @param User $user User that modifies - * @param bool $trigger true=launch triggers after, false=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $trigger = true) + public function update(User $user, $notrigger = 0) { $error = 0; @@ -310,7 +310,7 @@ class MultiCurrency extends CommonObject dol_syslog('MultiCurrency::update '.join(',', $this->errors), LOG_ERR); } - if (!$error && $trigger) { + if (!$error && empty($notrigger)) { $result = $this->call_trigger('CURRENCY_MODIFY', $user); if ($result < 0) { $error++; @@ -333,10 +333,10 @@ class MultiCurrency extends CommonObject * Delete object in database * * @param User $user User making the deletion - * @param bool $trigger true=launch triggers after, false=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function delete($user, $trigger = true) + public function delete(User $user, $notrigger = 0) { dol_syslog('MultiCurrency::delete', LOG_DEBUG); @@ -344,7 +344,7 @@ class MultiCurrency extends CommonObject $this->db->begin(); - if ($trigger) { + if (empty($notrigger)) { $result = $this->call_trigger('CURRENCY_DELETE', $user); if ($result < 0) { $error++; @@ -409,10 +409,12 @@ class MultiCurrency extends CommonObject */ public function addRate($rate) { + global $user; + $currencyRate = new CurrencyRate($this->db); $currencyRate->rate = price2num($rate); - if ($currencyRate->create($this->id) > 0) { + if ($currencyRate->create($user, $this->id) > 0) { $this->rate = $currencyRate; return 1; } else { @@ -630,7 +632,7 @@ class MultiCurrency extends CommonObject return 1; } - return -1; // Alternate souce not found + return -1; // Alternate source not found } return 0; // Nothing to do @@ -775,7 +777,7 @@ class CurrencyRate extends CommonObjectLine /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -785,13 +787,14 @@ class CurrencyRate extends CommonObjectLine /** * Create object into database * - * @param int $fk_multicurrency Id of currency - * @param bool $trigger true=launch triggers after, false=disable triggers - * @return int Return integer <0 if KO, Id of created object if OK + * @param User $user User making the deletion + * @param int $fk_multicurrency Id of currency + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, Id of created object if OK */ - public function create($fk_multicurrency, $trigger = true) + public function create(User $user, int $fk_multicurrency, $notrigger = 0) { - global $conf, $user; + global $conf; dol_syslog('CurrencyRate::create', LOG_DEBUG); @@ -832,7 +835,7 @@ class CurrencyRate extends CommonObjectLine $this->fk_multicurrency = $fk_multicurrency; $this->date_sync = $now; - if ($trigger) { + if (empty($notrigger)) { $result = $this->call_trigger('CURRENCYRATE_CREATE', $user); if ($result < 0) { $error++; @@ -897,13 +900,12 @@ class CurrencyRate extends CommonObjectLine /** * Update object into database * - * @param bool $trigger true=launch triggers after, false=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User making the deletion + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function update($trigger = true) + public function update(User $user, $notrigger = 0) { - global $user; - $error = 0; dol_syslog('CurrencyRate::update', LOG_DEBUG); @@ -931,7 +933,7 @@ class CurrencyRate extends CommonObjectLine dol_syslog('CurrencyRate::update '.join(',', $this->errors), LOG_ERR); } - if (!$error && $trigger) { + if (!$error && empty($notrigger)) { $result = $this->call_trigger('CURRENCYRATE_MODIFY', $user); if ($result < 0) { $error++; @@ -954,10 +956,10 @@ class CurrencyRate extends CommonObjectLine * Delete object in database * * @param User $user User making the deletion - * @param bool $trigger true=launch triggers after, false=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function delete($user, $trigger = true) + public function delete(User $user, $notrigger = 0) { dol_syslog('CurrencyRate::delete', LOG_DEBUG); @@ -965,7 +967,7 @@ class CurrencyRate extends CommonObjectLine $this->db->begin(); - if ($trigger) { + if (empty($notrigger)) { $result = $this->call_trigger('CURRENCYRATE_DELETE', $user); if ($result < 0) { $error++; diff --git a/htdocs/multicurrency/multicurrency_rate.php b/htdocs/multicurrency/multicurrency_rate.php index 4164a99cb6b..a73ea728088 100644 --- a/htdocs/multicurrency/multicurrency_rate.php +++ b/htdocs/multicurrency/multicurrency_rate.php @@ -40,7 +40,7 @@ require_once DOL_DOCUMENT_ROOT.'/core/lib/multicurrency.lib.php'; // Load translation files required by the page -$langs->loadLangs(array('multicurrency')); +$langs->loadLangs(array('admin', 'multicurrency')); // Get Parameters $action = GETPOST('action', 'alpha'); @@ -57,8 +57,8 @@ $search_rate_indirect = GETPOST('search_rate_indirect', 'alpha'); $search_code = GETPOST('search_code', 'alpha'); $multicurrency_code = GETPOST('multicurrency_code', 'alpha'); $dateinput = dol_mktime(0, 0, 0, GETPOST('dateinputmonth', 'int'), GETPOST('dateinputday', 'int'), GETPOST('dateinputyear', 'int')); -$rateinput = price2num(GETPOST('rateinput', 'alpha')); -$rateindirectinput = price2num(GETPOST('rateinidirectinput', 'alpha')); +$rateinput = (float) price2num(GETPOST('rateinput', 'alpha')); +$rateindirectinput = (float) price2num(GETPOST('rateinidirectinput', 'alpha')); $optioncss = GETPOST('optioncss', 'alpha'); $limit = GETPOST('limit', 'int') ? GETPOST('limit', 'int') : $conf->liste_limit; $sortfield = GETPOST('sortfield', 'aZ09comma'); @@ -78,7 +78,6 @@ if (!$sortorder) { $sortorder = "DESC"; } - // Initialize technical objects $object = new CurrencyRate($db); $form = new Form($db); @@ -150,7 +149,7 @@ if ($action == "create") { $currencyRate_static->rate = $rateinput; $currencyRate_static->rate_indirect = $rateindirectinput; - $result = $currencyRate_static->create(intval($fk_currency)); + $result = $currencyRate_static->create($user, intval($fk_currency)); if ($result > 0) { setEventMessages($langs->trans('successRateCreate', $multicurrency_code), null); } else { @@ -169,7 +168,7 @@ if ($action == 'update') { $currencyRate->date_sync = $dateinput; $currencyRate->fk_multicurrency = $fk_currency; $currencyRate->rate = $rateinput; - $res = $currencyRate->update(); + $res = $currencyRate->update($user); if ($res) { setEventMessages($langs->trans('successUpdateRate'), null); } else { @@ -182,7 +181,7 @@ if ($action == 'update') { if ($action == "deleteRate") { $current_rate = new CurrencyRate($db); - $current_rate->fetch(intval($id_rate_selected)); + $current_rate->fetch((int) $id_rate_selected); if ($current_rate) { $current_currency = new MultiCurrency($db); @@ -207,7 +206,7 @@ if ($action == "deleteRate") { if ($action == "confirm_delete") { $current_rate = new CurrencyRate($db); - $current_rate->fetch(intval($id_rate_selected)); + $current_rate->fetch((int) $id_rate_selected); if ($current_rate) { $result = $current_rate->delete($user); if ($result) { @@ -346,7 +345,7 @@ if ($search_date_sync && $search_date_sync_end) { $sql .= natural_search('cr.date_sync', $db->idate($search_date_sync)); } if ($search_rate) { - $sql .= natural_search('cr.rate', $search_rate); + $sql .= natural_search('cr.rate', $search_rate, 1); } if ($search_code) { $sql .= natural_search('m.code', $search_code); @@ -357,7 +356,7 @@ $sql .= " WHERE m.code <> '".$db->escape($conf->currency)."'"; $parameters = array(); $reshook = $hookmanager->executeHooks('printFieldListWhere', $parameters); // Note that $action and $object may have been modified by hook $sql .= $hookmanager->resPrint; -$sql .= " GROUP BY cr.rowid, cr.date_sync, cr.rate, m.code, cr.entity, m.code, m.name"; +$sql .= " GROUP BY cr.rowid, cr.date_sync, cr.rate, cr.rate_indirect, m.code, cr.entity, m.code, m.name"; // Add fields from hooks $parameters = array(); @@ -477,6 +476,13 @@ if ($resql) { // Lines with input filters print ''; + // Action column + if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { + print ''; + } // date if (!empty($arrayfields['cr.date_sync']['checked'])) { print ''; - + // Action column + if (!getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { + print ''; + } print ''; print ''; + // Action column + if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { + print_liste_field_titre($selectedfields, $_SERVER["PHP_SELF"], "", '', '', '', $sortfield, $sortorder, 'maxwidthsearch center '); + } if (!empty($arrayfields['cr.date_sync']['checked'])) { print_liste_field_titre($arrayfields['cr.date_sync']['label'], $_SERVER["PHP_SELF"], "cr.date_sync", "", $param, "", $sortfield, $sortorder); } @@ -524,8 +536,10 @@ if ($resql) { $parameters = array('arrayfields'=>$arrayfields, 'param'=>$param, 'sortfield'=>$sortfield, 'sortorder'=>$sortorder); $reshook = $hookmanager->executeHooks('printFieldListTitle', $parameters); // Note that $action and $object may have been modified by hook print $hookmanager->resPrint; - - print_liste_field_titre($selectedfields, $_SERVER["PHP_SELF"], "", '', '', 'align="center"', $sortfield, $sortorder, 'maxwidthsearch '); + // Action column + if (!getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { + print_liste_field_titre($selectedfields, $_SERVER["PHP_SELF"], "", '', '', 'align="center"', $sortfield, $sortorder, 'maxwidthsearch center '); + } print "\n"; $i = 0; @@ -537,18 +551,41 @@ if ($resql) { // USER REQUEST UPDATE FOR THIS LINE if ($action == "updateRate" && $obj->rowid == $id_rate_selected) { - // var_dump($obj); - print ' '; + if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { + print ''; + } + print ''; print ''; - print ' '; - - print ''; + if (!getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { + print ''; + } } else { + // Action + if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { + print ''; + if (!$i) { + $totalarray['nbfield']++; + } + } + // date_sync if (!empty($arrayfields['cr.date_sync']['checked'])) { print ''; + if (!$i) { + $totalarray['nbfield']++; } - print 'rowid.'">'.img_picto('edit', 'edit').''; - print 'rowid.'">'.img_picto('delete', 'delete').''; - print ''; - } - print ''; - if (!$i) { - $totalarray['nbfield']++; } print "\n"; diff --git a/htdocs/opensurvey/class/opensurveysondage.class.php b/htdocs/opensurvey/class/opensurveysondage.class.php index 66cbacc4717..45eb9252d18 100644 --- a/htdocs/opensurvey/class/opensurveysondage.class.php +++ b/htdocs/opensurvey/class/opensurveysondage.class.php @@ -21,7 +21,7 @@ * \file htdocs/opensurvey/class/opensurveysondage.class.php * \ingroup opensurvey * \brief This file is an example for a CRUD class file (Create/Read/Update/Delete) - * Initialy built by build_class_from_table on 2013-03-10 00:32 + * Initially built by build_class_from_table on 2013-03-10 00:32 */ // Put here all includes required by your class file @@ -83,7 +83,7 @@ class Opensurveysondage extends CommonObject * 'alwayseditable' says if field can be modified also when status is not draft ('1' or '0') * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 or 2 if field can be used for measure. Field type must be summable like integer or double(24,8). Use 1 in most cases, or 2 if you don't want to see the column total into list (for example for percentage) * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'css'=>'minwidth300 maxwidth500 widthcentpercentminusx', 'cssview'=>'wordbreak', 'csslist'=>'tdoverflowmax200' @@ -168,7 +168,7 @@ class Opensurveysondage extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct($db) { @@ -338,7 +338,6 @@ class Opensurveysondage extends CommonObject */ public function update(User $user, $notrigger = 0) { - global $conf, $langs; $error = 0; // Clean parameters @@ -477,7 +476,7 @@ class Opensurveysondage extends CommonObject } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param int $notooltip 1=Disable tooltip diff --git a/htdocs/opensurvey/css/style.css b/htdocs/opensurvey/css/style.css index 308d92b51f5..820a4b39add 100644 --- a/htdocs/opensurvey/css/style.css +++ b/htdocs/opensurvey/css/style.css @@ -281,7 +281,7 @@ div.jourschoisis { font-size:12px; width:100%; } -/*presenation des pages*/ +/*presentation des pages*/ div.bodydate { padding:10px; font-family:arial, sans-serif; diff --git a/htdocs/opensurvey/exportcsv.php b/htdocs/opensurvey/exportcsv.php index d98720bfd45..4ca53fbd296 100644 --- a/htdocs/opensurvey/exportcsv.php +++ b/htdocs/opensurvey/exportcsv.php @@ -40,7 +40,7 @@ if (GETPOST('id')) { $object = new Opensurveysondage($db); $result = $object->fetch(0, $numsondage); if ($result <= 0) { - dol_print_error('', 'Failed to get survey id '.$numsondage); + dol_print_error(null, 'Failed to get survey id '.$numsondage); } // Security check diff --git a/htdocs/opensurvey/lib/opensurvey.lib.php b/htdocs/opensurvey/lib/opensurvey.lib.php index 123e7f0d54a..c2509c334ec 100644 --- a/htdocs/opensurvey/lib/opensurvey.lib.php +++ b/htdocs/opensurvey/lib/opensurvey.lib.php @@ -17,7 +17,7 @@ */ /** - * \file htdocs/opensurvey/fonctions.php + * \file htdocs/opensurvey/lib/opensurvey.lib.php * \ingroup opensurvey * \brief Functions for module */ @@ -73,12 +73,12 @@ function opensurvey_prepare_head(Opensurveysondage $object) * @param string $numsondage Num survey * @return void */ -function llxHeaderSurvey($title, $head = "", $disablejs = 0, $disablehead = 0, $arrayofjs = '', $arrayofcss = '', $numsondage = '') +function llxHeaderSurvey($title, $head = "", $disablejs = 0, $disablehead = 0, $arrayofjs = [], $arrayofcss = [], $numsondage = '') { global $conf, $langs, $mysoc; global $dolibarr_main_url_root; - //$replacemainarea = (empty($conf->dol_hide_leftmenu) ? '
      ' : '').'
      '; + // $replacemainarea = (empty($conf->dol_hide_leftmenu) ? '
      ' : '').'
      '; top_htmlhead($head, $title, $disablejs, $disablehead, $arrayofjs, $arrayofcss, 0, 1); // Show html headers @@ -95,7 +95,7 @@ function llxHeaderSurvey($title, $head = "", $disablejs = 0, $disablehead = 0, $ // Define logo and logosmall $logosmall = $mysoc->logo_small; $logo = $mysoc->logo; - //print ''."\n"; + // print ''."\n"; // Define urllogo $urllogo = ''; $urllogofull = ''; diff --git a/htdocs/opensurvey/list.php b/htdocs/opensurvey/list.php index 2d4fa98a4ef..ed95a60d577 100644 --- a/htdocs/opensurvey/list.php +++ b/htdocs/opensurvey/list.php @@ -538,7 +538,7 @@ if ($num == 0) { $colspan++; } } - print '
      '; + print ''; } @@ -553,7 +553,7 @@ print ''."\n"; print ''."\n"; -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/opensurvey/results.php b/htdocs/opensurvey/results.php index 0ebab6abc0b..6f33debeb00 100644 --- a/htdocs/opensurvey/results.php +++ b/htdocs/opensurvey/results.php @@ -42,7 +42,7 @@ $numsondage = GETPOST("id", 'alphanohtml'); $object = new Opensurveysondage($db); $result = $object->fetch(0, $numsondage); if ($result <= 0) { - dol_print_error('', 'Failed to get survey id '.$numsondage); + dol_print_error(null, 'Failed to get survey id '.$numsondage); } $nblines = $object->fetch_lines(); @@ -89,8 +89,8 @@ if (GETPOST("boutonp") || GETPOST("boutonp.x") || GETPOST("boutonp_x")) { // bo setEventMessages($langs->trans("VoteNameAlreadyExists"), null, 'errors'); $error++; } else { - $sql = 'INSERT INTO '.MAIN_DB_PREFIX.'opensurvey_user_studs (nom, id_sondage, reponses)'; - $sql .= " VALUES ('".$db->escape($nom)."', '".$db->escape($numsondage)."','".$db->escape($nouveauchoix)."')"; + $sql = 'INSERT INTO '.MAIN_DB_PREFIX.'opensurvey_user_studs (nom, id_sondage, reponses, date_creation)'; + $sql .= " VALUES ('".$db->escape($nom)."', '".$db->escape($numsondage)."', '".$db->escape($nouveauchoix)."', '".$db->idate(dol_now())."')"; $resql = $db->query($sql); if (!$resql) { dol_print_error($db); @@ -165,6 +165,7 @@ if (GETPOST("ajoutercolonne") && GETPOST('nouvellecolonne') && $object->format = dol_print_error($db); } else { header('Location: results.php?id='.$object->id_sondage); + exit; } } @@ -343,7 +344,7 @@ for ($i = 0; $i < $nbcolonnes; $i++) { //parcours de tous les sujets actuels while (isset($toutsujet[$j])) { - //si le sujet n'est pas celui qui a été effacé alors on concatene + // If the subject is not the deleted subject, then concatenate the current subject if ($i != $j) { if (!empty($nouveauxsujets)) { $nouveauxsujets .= ','; @@ -383,7 +384,7 @@ for ($i = 0; $i < $nbcolonnes; $i++) { // parcours de toutes les réponses actuelles for ($j = 0; $j < $nbcolonnes; $j++) { $car = substr($ensemblereponses, $j, 1); - //si les reponses ne concerne pas la colonne effacée, on concatene + //si les reponses ne concerne pas la colonne effacée, on concatenate if ($i != $j) { $newcar .= $car; } @@ -905,7 +906,7 @@ while ($compteur < $num) { } } } else { - //sinon on remplace les choix de l'utilisateur par une ligne de checkbox pour recuperer de nouvelles valeurs + // Else, replace the user's choices with a line of checkboxes to retrieve new values if ($compteur == $ligneamodifier) { for ($i = 0; $i < $nbcolonnes; $i++) { $car = substr($ensemblereponses, $i, 1); @@ -1132,7 +1133,6 @@ for ($i = 0; $i < $nbcolonnes; $i++) { $meilleursujet .= ($meilleursujet ? ", " : ""); if ($object->format == "D") { - $meilleursujetexport = $toutsujet[$i]; //var_dump($toutsujet); if (strpos($toutsujet[$i], '@') !== false) { $toutsujetdate = explode("@", $toutsujet[$i]); @@ -1148,7 +1148,7 @@ for ($i = 0; $i < $nbcolonnes; $i++) { $compteursujet++; } } -$meilleursujet = substr($meilleursujet, 1); +//$meilleursujet = substr($meilleursujet, 1); $meilleursujet = str_replace("°", "'", $meilleursujet); // Show best choice @@ -1157,9 +1157,9 @@ if ($nbofcheckbox >= 2) { print '

      '."\n"; if (isset($meilleurecolonne) && $compteursujet == "1") { - print " ".$langs->trans('TheBestChoice').": ".$meilleursujet." ".$langs->trans("with")." ".$meilleurecolonne." ".$vote_str.".\n"; + print ' '.$langs->trans('TheBestChoice').": ".$meilleursujet." - ".$meilleurecolonne." ".$vote_str.".\n"; } elseif (isset($meilleurecolonne)) { - print " ".$langs->trans('TheBestChoices').": ".$meilleursujet." ".$langs->trans("with")." ".$meilleurecolonne." ".$vote_str.".\n"; + print ' '.$langs->trans('TheBestChoices').": ".$meilleursujet." - ".$meilleurecolonne." ".$vote_str.".\n"; } print '


      '."\n"; } diff --git a/htdocs/opensurvey/wizard/choix_autre.php b/htdocs/opensurvey/wizard/choix_autre.php index 9abccc721d4..aceb0cbe76d 100644 --- a/htdocs/opensurvey/wizard/choix_autre.php +++ b/htdocs/opensurvey/wizard/choix_autre.php @@ -105,7 +105,7 @@ $arrayofcss = array('/opensurvey/css/style.css'); llxHeader('', $langs->trans("OpenSurvey"), "", '', 0, 0, $arrayofjs, $arrayofcss); if (empty($_SESSION['title'])) { - dol_print_error('', $langs->trans('ErrorOpenSurveyFillFirstSection')); + dol_print_error(null, $langs->trans('ErrorOpenSurveyFillFirstSection')); llxFooter(); exit; } @@ -153,7 +153,7 @@ print '
      '.$langs->trans("Qty").''.$langs->trans("Unit").''.$langs->trans("QtyAlreadyProduced").''.$form->textwithpicto($langs->trans("QtyAlreadyProducedShort"), $langs->trans("QtyAlreadyProduced")).''; if ($collapse || in_array($action, array('consumeorproduce', 'consumeandproduceall'))) { @@ -1489,7 +1502,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea // Qty print ''.$line->qty.''.measuringUnitString($line->fk_unit, '', '', 1).''.$this->tpl['qty'].(($this->tpl['efficiency'] > 0 && $this->tpl['efficiency'] < 1) ? ' / '.$form->textwithpicto($this->tpl['efficiency'], $langs->trans("ValueOfMeansLoss")).' = '.$qtytoconsumeforline : '').''.measuringUnitString($this->tpl['fk_unit'], '', '', 1).''.(empty($this->tpl['stock']) ? 0 : price2num($this->tpl['stock'], 'MS')); -if ($this->tpl['seuil_stock_alerte'] != '' && ($this->tpl['stock'] < $this->tpl['seuil_stock_alerte'])) { - print ' '.img_warning($langs->trans("StockLowerThanLimit", $this->tpl['seuil_stock_alerte'])); +print ''; +if ($tmpproduct->isStockManaged()) { + print (empty($this->tpl['stock']) ? 0 : price2num($this->tpl['stock'], 'MS')); + if ($this->tpl['seuil_stock_alerte'] != '' && ($this->tpl['stock'] < $this->tpl['seuil_stock_alerte'])) { + print ' '.img_warning($langs->trans("StockLowerThanLimit", $this->tpl['seuil_stock_alerte'])); + } } print ''.((empty($this->tpl['virtual_stock']) ? 0 : price2num($this->tpl['virtual_stock'], 'MS'))); -if ($this->tpl['seuil_stock_alerte'] != '' && ($this->tpl['virtual_stock'] < $this->tpl['seuil_stock_alerte'])) { - print ' '.img_warning($langs->trans("StockLowerThanLimit", $this->tpl['seuil_stock_alerte'])); +print ''; +if ($tmpproduct->isStockManaged()) { + print ((empty($this->tpl['virtual_stock']) ? 0 : price2num($this->tpl['virtual_stock'], 'MS'))); + if ($this->tpl['seuil_stock_alerte'] != '' && ($this->tpl['virtual_stock'] < $this->tpl['seuil_stock_alerte'])) { + print ' '.img_warning($langs->trans("StockLowerThanLimit", $this->tpl['seuil_stock_alerte'])); + } } print ''.($this->tpl['qty_frozen'] ? yn($this->tpl['qty_frozen']) : '').'
      '; + $searchpicto = $form->showFilterButtons(); + print $searchpicto; + print ''; @@ -502,14 +508,20 @@ if ($resql) { $reshook = $hookmanager->executeHooks('printFieldListOption', $parameters); // Note that $action and $object may have been modified by hook print $hookmanager->resPrint; - print ''; - $searchpicto = $form->showFilterButtons(); - print $searchpicto; - print ''; + $searchpicto = $form->showFilterButtons(); + print $searchpicto; + print '
      '; + print '' . $form->selectMultiCurrency($obj->code, 'multicurrency_code', 1, " code != '".$conf->currency."'", true) . ''; + print ''; print ''; print ''; - print ''; - print ''; + print ''; + print ''; print ''; + print ''; + if ($massactionbutton || $massaction) { // If we are in select mode (massactionbutton defined) or if we have already selected and sent an action ($massaction) defined + $selected = 0; + if (in_array($obj->rowid, $arrayofselected)) { + $selected = 1; + } + print 'rowid.'">'.img_picto('edit', 'edit').''; + print 'rowid.'">'.img_picto('delete', 'delete').''; + print ''; + } + print ''; @@ -598,19 +635,21 @@ if ($resql) { print $hookmanager->resPrint; // Action - print ''; - if ($massactionbutton || $massaction) { // If we are in select mode (massactionbutton defined) or if we have already selected and sent an action ($massaction) defined - $selected = 0; - if (in_array($obj->rowid, $arrayofselected)) { - $selected = 1; + if (!getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { + print ''; + if ($massactionbutton || $massaction) { // If we are in select mode (massactionbutton defined) or if we have already selected and sent an action ($massaction) defined + $selected = 0; + if (in_array($obj->rowid, $arrayofselected)) { + $selected = 1; + } + print 'rowid.'">'.img_picto('edit', 'edit').''; + print 'rowid.'">'.img_picto('delete', 'delete').''; + print ''; + } + print '
      '.$langs->trans("NoRecordFound").'
      '.$langs->trans("NoRecordFound").'
      '."\n"; print ''."\n"; -print ''."\n"; +print ''."\n"; print '


      '."\n"; print '
      '."\n"; diff --git a/htdocs/opensurvey/wizard/choix_date.php b/htdocs/opensurvey/wizard/choix_date.php index dafd2b46a9a..7906d244681 100644 --- a/htdocs/opensurvey/wizard/choix_date.php +++ b/htdocs/opensurvey/wizard/choix_date.php @@ -76,8 +76,8 @@ if (GETPOST('confirmation')) { $debutcreneau = explode(":", $creneaux[1]); $fincreneau = explode(":", $creneaux[2]); - //comparaison des heures de fin et de debut - //si correctes, on entre les données dans la variables de session + // Compare hours for start and end + // If correct, add the data in the session variables if ($debutcreneau[0] < 24 && $fincreneau[0] < 24 && $debutcreneau[1] < 60 && $fincreneau[1] < 60 && ($debutcreneau[0] < $fincreneau[0] || ($debutcreneau[0] == $fincreneau[0] && $debutcreneau[1] < $fincreneau[1]))) { $_SESSION["horaires$i"][$j] = $creneaux[1].'-'.$creneaux[2]; } else { //sinon message d'erreur et nettoyage de la case @@ -89,8 +89,8 @@ if (GETPOST('confirmation')) { $debutcreneau = preg_split("/h/i", $creneaux[1]); $fincreneau = preg_split("/h/i", $creneaux[2]); - //comparaison des heures de fin et de debut - //si correctes, on entre les données dans la variables de session + // Compare hours for start and end + // If correct, add the data in the session variables if ($debutcreneau[0] < 24 && $fincreneau[0] < 24 && $debutcreneau[1] < 60 && $fincreneau[1] < 60 && ($debutcreneau[0] < $fincreneau[0] || ($debutcreneau[0] == $fincreneau[0] && $debutcreneau[1] < $fincreneau[1]))) { $_SESSION["horaires$i"][$j] = $creneaux[1].'-'.$creneaux[2]; } else { //sinon message d'erreur et nettoyage de la case @@ -155,7 +155,7 @@ if (GETPOST('confirmation')) { $choixdate .= ","; $choixdate .= $_SESSION["totalchoixjour"][$i]; $choixdate .= "@"; - // On remplace la virgule et l'arobase pour ne pas avoir de problème par la suite + // Replace the comma and the '@' token to avoid issues $choixdate .= str_replace(array(',', '@'), array(',', '@'), $_SESSION["horaires$i"][$j]); } } @@ -205,7 +205,7 @@ if (GETPOST('reset')) { */ if (!isset($_SESSION['description']) && !isset($_SESSION['mail'])) { - dol_print_error('', $langs->trans('ErrorOpenSurveyFillFirstSection')); + dol_print_error(null, $langs->trans('ErrorOpenSurveyFillFirstSection')); exit; } @@ -536,11 +536,11 @@ if (issetAndNoEmpty('totalchoixjour', $_SESSION) || $erreur) { for ($i = 0; $i < $_SESSION["nbrecaseshoraires"]; $i++) { $j = $i + 1; - print '
      '.$langs->trans("Time").' '.$j.'
      '.$langs->trans("Time").' '.$j.'
      '."\n"; -print ''."\n"; +print ''."\n"; //fin du formulaire et bandeau de pied print ''."\n"; //bandeau de pied diff --git a/htdocs/opensurvey/wizard/create_survey.php b/htdocs/opensurvey/wizard/create_survey.php index a32a8541883..61f5a1ef7d5 100644 --- a/htdocs/opensurvey/wizard/create_survey.php +++ b/htdocs/opensurvey/wizard/create_survey.php @@ -198,7 +198,7 @@ if (GETPOST('choix_sondage')) { print ''; print '
      trans("TypeDate") : $langs->trans("TypeClassic")).')">'; } else { - // Show image to selecte between date survey or other survey + // Show image to select between date survey or other survey print '
      '."\n"; print ' '."\n"; print ''."\n"; diff --git a/htdocs/partnership/admin/setup.php b/htdocs/partnership/admin/setup.php index 81c88ff72f7..7639b936e3e 100644 --- a/htdocs/partnership/admin/setup.php +++ b/htdocs/partnership/admin/setup.php @@ -111,7 +111,7 @@ print ''; print ''; print ''; -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '.$langs->trans("CreateSurveyDate").'
      '; print ''; @@ -154,7 +154,7 @@ print load_fiche_titre($langs->trans("ReferingWebsiteCheck"), '', ''); print ''.$langs->trans("ReferingWebsiteCheckDesc").'
      '; print '
      '; -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '; print ''; diff --git a/htdocs/partnership/class/api_partnerships.class.php b/htdocs/partnership/class/api_partnerships.class.php index dd6fffe37c4..4ac8c70dba3 100644 --- a/htdocs/partnership/class/api_partnerships.class.php +++ b/htdocs/partnership/class/api_partnerships.class.php @@ -56,7 +56,7 @@ class Partnerships extends DolibarrApi /** * Get properties of a partnership object * - * Return an array with partnership informations + * Return an array with partnership information * * @param int $id ID of partnership * @return Object Object with cleaned properties @@ -95,7 +95,7 @@ class Partnerships extends DolibarrApi * @param int $limit Limit for list * @param int $page Page number * @param string $sqlfilters Other criteria to filter answers separated by a comma. Syntax example "(t.ref:like:'SO-%') and (t.date_creation:<:'20160101')" - * @param string $properties Restrict the data returned to theses properties. Ignored if empty. Comma separated list of properties names + * @param string $properties Restrict the data returned to these properties. Ignored if empty. Comma separated list of properties names * @return array Array of order objects * * @throws RestException @@ -113,7 +113,7 @@ class Partnerships extends DolibarrApi throw new RestException(401); } - $socid = DolibarrApiAccess::$user->socid ? DolibarrApiAccess::$user->socid : ''; + $socid = DolibarrApiAccess::$user->socid ? DolibarrApiAccess::$user->socid : 0; $restrictonsocid = 0; // Set to 1 if there is a field socid in table of object @@ -124,35 +124,22 @@ class Partnerships extends DolibarrApi } $sql = "SELECT t.rowid"; - if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) { - $sql .= ", sc.fk_soc, sc.fk_user"; // We need these fields in order to filter by sale (including the case where the user can only see his prospects) - } - $sql .= " FROM ".MAIN_DB_PREFIX.$tmpobject->table_element." AS t LEFT JOIN ".MAIN_DB_PREFIX.$tmpobject->table_element."_extrafields AS ef ON (ef.fk_object = t.rowid)"; // Modification VMR Global Solutions to include extrafields as search parameters in the API GET call, so we will be able to filter on extrafields - - if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) { - $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; // We need this table joined to the select in order to filter by sale - } + $sql .= " FROM ".MAIN_DB_PREFIX.$tmpobject->table_element." AS t"; + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX.$tmpobject->table_element."_extrafields AS ef ON (ef.fk_object = t.rowid)"; // Modification VMR Global Solutions to include extrafields as search parameters in the API GET call, so we will be able to filter on extrafields $sql .= " WHERE 1 = 1"; - - // Example of use $mode - //if ($mode == 1) $sql.= " AND s.client IN (1, 3)"; - //if ($mode == 2) $sql.= " AND s.client IN (2, 3)"; - if ($tmpobject->ismultientitymanaged) { $sql .= ' AND t.entity IN ('.getEntity($tmpobject->element).')'; } - if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) { - $sql .= " AND t.fk_soc = sc.fk_soc"; - } if ($restrictonsocid && $socid) { $sql .= " AND t.fk_soc = ".((int) $socid); } - if ($restrictonsocid && $search_sale > 0) { - $sql .= " AND t.rowid = sc.fk_soc"; // Join for the needed table to filter by sale - } - // Insert sale filter - if ($restrictonsocid && $search_sale > 0) { - $sql .= " AND sc.fk_user = ".((int) $search_sale); + // Search on sale representative + if ($search_sale && $search_sale != '-1') { + if ($search_sale == -2) { + $sql .= " AND NOT EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = t.fk_soc)"; + } elseif ($search_sale > 0) { + $sql .= " AND EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = t.fk_soc AND sc.fk_user = ".((int) $search_sale).")"; + } } if ($sqlfilters) { $errormessage = ''; @@ -187,9 +174,7 @@ class Partnerships extends DolibarrApi } else { throw new RestException(503, 'Error when retrieving partnership list: '.$this->db->lasterror()); } - if (!count($obj_ret)) { - throw new RestException(404, 'No partnership found'); - } + return $obj_ret; } @@ -213,6 +198,12 @@ class Partnerships extends DolibarrApi $result = $this->_validate($request_data); foreach ($request_data as $field => $value) { + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $this->partnership->context['caller'] = $request_data['caller']; + continue; + } + $this->partnership->$field = $this->_checkValForAPI($field, $value, $this->partnership); } @@ -255,6 +246,12 @@ class Partnerships extends DolibarrApi if ($field == 'id') { continue; } + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $this->partnership->context['caller'] = $request_data['caller']; + continue; + } + $this->partnership->$field = $this->_checkValForAPI($field, $value, $this->partnership); } diff --git a/htdocs/partnership/class/partnership.class.php b/htdocs/partnership/class/partnership.class.php index 05be2893076..793cf118b64 100644 --- a/htdocs/partnership/class/partnership.class.php +++ b/htdocs/partnership/class/partnership.class.php @@ -26,6 +26,7 @@ // Put here all includes required by your class file require_once DOL_DOCUMENT_ROOT.'/core/class/commonobject.class.php'; + /** * Class for Partnership */ @@ -85,7 +86,7 @@ class Partnership extends CommonObject * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'maxwidth200', 'wordbreak', 'tdoverflowmax200' @@ -105,16 +106,16 @@ class Partnership extends CommonObject */ public $fields=array( 'rowid' => array('type'=>'integer', 'label'=>'TechnicalID', 'enabled'=>'1', 'position'=>1, 'notnull'=>1, 'visible'=>0, 'noteditable'=>'1', 'index'=>1, 'css'=>'left', 'comment'=>"Id"), - 'ref' => array('type'=>'varchar(128)', 'label'=>'Ref', 'enabled'=>'1', 'position'=>10, 'notnull'=>1, 'visible'=>4, 'noteditable'=>'1', 'default'=>'(PROV)', 'index'=>1, 'searchall'=>1, 'showoncombobox'=>'1', 'comment'=>"Reference of object"), + 'ref' => array('type'=>'varchar(128)', 'label'=>'Ref', 'enabled'=>'1', 'position'=>10, 'notnull'=>1, 'visible'=>4, 'noteditable'=>'1', 'default'=>'(PROV)', 'index'=>1, 'searchall'=>1, 'showoncombobox'=>'1', 'comment'=>"Reference of object", 'csslist'=>'tdoverflowmax150'), 'entity' => array('type'=>'integer', 'label'=>'Entity', 'enabled'=>'isModEnabled("multicompany")', 'position'=>15, 'notnull'=>1, 'visible'=>-2, 'default'=>'1', 'index'=>1,), - 'fk_type' => array('type'=>'integer:PartnershipType:partnership/class/partnership_type.class.php:0:(active:=:1)', 'label'=>'Type', 'enabled'=>'1', 'position'=>20, 'notnull'=>1, 'visible'=>1, 'csslist'=>'tdoverflowmax100'), + 'fk_type' => array('type'=>'integer:PartnershipType:partnership/class/partnership_type.class.php:0:(active:=:1)', 'label'=>'Type', 'enabled'=>'1', 'position'=>20, 'notnull'=>1, 'visible'=>1, 'csslist'=>'tdoverflowmax125'), 'fk_soc' => array('type'=>'integer:Societe:societe/class/societe.class.php:1:((status:=:1) AND (entity:IN:__SHARED_ENTITIES__))', 'label'=>'ThirdParty', 'picto'=>'company', 'enabled'=>'1', 'position'=>50, 'notnull'=>-1, 'visible'=>1, 'index'=>1, 'css'=>'maxwidth500', 'csslist'=>'tdoverflowmax125',), 'note_public' => array('type'=>'html', 'label'=>'NotePublic', 'enabled'=>'1', 'position'=>61, 'notnull'=>0, 'visible'=>0,), 'note_private' => array('type'=>'html', 'label'=>'NotePrivate', 'enabled'=>'1', 'position'=>62, 'notnull'=>0, 'visible'=>0,), - 'date_creation' => array('type'=>'datetime', 'label'=>'DateCreation', 'enabled'=>'1', 'position'=>500, 'notnull'=>1, 'visible'=>-2,), - 'tms' => array('type'=>'timestamp', 'label'=>'DateModification', 'enabled'=>'1', 'position'=>501, 'notnull'=>0, 'visible'=>-2,), - 'fk_user_creat' => array('type'=>'integer:User:user/class/user.class.php', 'label'=>'UserAuthor', 'enabled'=>'1', 'position'=>510, 'notnull'=>1, 'visible'=>-2, 'foreignkey'=>'user.rowid',), - 'fk_user_modif' => array('type'=>'integer:User:user/class/user.class.php', 'label'=>'UserModif', 'enabled'=>'1', 'position'=>511, 'notnull'=>-1, 'visible'=>-2,), + 'date_creation' => array('type'=>'datetime', 'label'=>'DateCreation', 'enabled'=>'1', 'position'=>500, 'notnull'=>1, 'visible'=>-2, 'csslist'=>'nowraponall'), + 'tms' => array('type'=>'timestamp', 'label'=>'DateModification', 'enabled'=>'1', 'position'=>501, 'notnull'=>0, 'visible'=>-2, 'csslist'=>'nowraponall'), + 'fk_user_creat' => array('type'=>'integer:User:user/class/user.class.php', 'label'=>'UserAuthor', 'enabled'=>'1', 'position'=>510, 'notnull'=>1, 'visible'=>-2, 'foreignkey'=>'user.rowid', 'csslist'=>'tdoverflowmax125'), + 'fk_user_modif' => array('type'=>'integer:User:user/class/user.class.php', 'label'=>'UserModif', 'enabled'=>'1', 'position'=>511, 'notnull'=>-1, 'visible'=>-2, 'csslist'=>'tdoverflowmax125'), 'last_main_doc' => array('type'=>'varchar(255)', 'label'=>'LastMainDoc', 'enabled'=>'1', 'position'=>600, 'notnull'=>0, 'visible'=>0,), 'import_key' => array('type'=>'varchar(14)', 'label'=>'ImportId', 'enabled'=>'1', 'position'=>1000, 'notnull'=>-1, 'visible'=>-2,), 'model_pdf' => array('type'=>'varchar(255)', 'label'=>'Model pdf', 'enabled'=>'1', 'position'=>1010, 'notnull'=>-1, 'visible'=>0,), @@ -156,7 +157,7 @@ class Partnership extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -197,10 +198,10 @@ class Partnership extends CommonObject * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { if ($this->fk_soc <= 0 && $this->fk_member <= 0) { $this->error[] = "ErrorThirpdartyOrMemberidIsMandatory"; @@ -341,7 +342,7 @@ class Partnership extends CommonObject if ($id) { $sql .= " WHERE p.rowid = ".((int) $id); } else { - $sql .= " WHERE p.entity IN (0,".getEntity('partnership').")"; // Dont't use entity if you use rowid + $sql .= " WHERE p.entity IN (0,".getEntity('partnership').")"; // Don't use entity if you use rowid } if ($ref) { @@ -502,10 +503,10 @@ class Partnership extends CommonObject * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { if ($this->fk_soc <= 0 && $this->fk_member <= 0) { $this->error[] = "ErrorThirpdartyOrMemberidIsMandatory"; @@ -521,11 +522,11 @@ class Partnership extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); //return $this->deleteCommon($user, $notrigger, 1); @@ -536,10 +537,10 @@ class Partnership extends CommonObject * * @param User $user User that delete * @param int $idline Id of line to delete - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int >0 if OK, <0 if KO */ - public function deleteLine(User $user, $idline, $notrigger = false) + public function deleteLine(User $user, $idline, $notrigger = 0) { if ($this->status < 0) { $this->error = 'ErrorDeleteLineNotAllowedByObjectStatus'; @@ -555,7 +556,7 @@ class Partnership extends CommonObject * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function validate($user, $notrigger = 0) { @@ -567,7 +568,7 @@ class Partnership extends CommonObject // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this)."::validate action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this)."::validate action abandoned: already validated", LOG_WARNING); return 0; } @@ -687,7 +688,7 @@ class Partnership extends CommonObject * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function approve($user, $notrigger = 0) { @@ -699,7 +700,7 @@ class Partnership extends CommonObject // Protection if ($this->status == self::STATUS_APPROVED) { - dol_syslog(get_class($this)."::accept action abandonned: already acceptd", LOG_WARNING); + dol_syslog(get_class($this)."::accept action abandoned: already acceptd", LOG_WARNING); return 0; } @@ -845,7 +846,7 @@ class Partnership extends CommonObject * @param User $user Object user that modify * @param string $reasondeclinenote Reason decline * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function refused($user, $reasondeclinenote = '', $notrigger = 0) { @@ -872,7 +873,7 @@ class Partnership extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function cancel($user, $notrigger = 0) { @@ -896,7 +897,7 @@ class Partnership extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function reopen($user, $notrigger = 0) { @@ -939,7 +940,7 @@ class Partnership extends CommonObject } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -1193,7 +1194,7 @@ class Partnership extends CommonObject $mybool = false; $file = getDolGlobalString('PARTNERSHIP_ADDON') . ".php"; - $classname = $conf->global->PARTNERSHIP_ADDON; + $classname = getDolGlobalString('PARTNERSHIP_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -1205,7 +1206,7 @@ class Partnership extends CommonObject } if ($mybool === false) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -1234,7 +1235,7 @@ class Partnership extends CommonObject * Create a document onto disk according to template module. * * @param string $modele Force template to use ('' to not force) - * @param Translate $outputlangs objet lang a utiliser pour traduction + * @param Translate $outputlangs object lang a utiliser pour traduction * @param int $hidedetails Hide details of lines * @param int $hidedesc Hide description * @param int $hideref Hide ref @@ -1256,7 +1257,7 @@ class Partnership extends CommonObject if (!empty($this->model_pdf)) { $modele = $this->model_pdf; } elseif (getDolGlobalString('PARTNERSHIP_ADDON_PDF')) { - $modele = $conf->global->PARTNERSHIP_ADDON_PDF; + $modele = getDolGlobalString('PARTNERSHIP_ADDON_PDF'); } } @@ -1325,7 +1326,7 @@ class Partnership extends CommonObject $return .= '
      '.$this->thirdparty->getNomUrl(1).'
      '; } if (method_exists($this, 'getLibStatut')) { - $return .= '
      '.$this->getLibStatut(3).'
      '; + $return .= '
      '.$this->getLibStatut(3).'
      '; } $return .= ''; $return .= ''; @@ -1354,7 +1355,7 @@ class PartnershipLine extends CommonObjectLine /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { diff --git a/htdocs/partnership/class/partnership_type.class.php b/htdocs/partnership/class/partnership_type.class.php index aba40325cfd..a627915ad84 100644 --- a/htdocs/partnership/class/partnership_type.class.php +++ b/htdocs/partnership/class/partnership_type.class.php @@ -81,7 +81,7 @@ class PartnershipType extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -125,10 +125,10 @@ class PartnershipType extends CommonObject * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { $resultcreate = $this->createCommon($user, $notrigger); return $resultcreate; @@ -231,10 +231,10 @@ class PartnershipType extends CommonObject * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -242,17 +242,17 @@ class PartnershipType extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) diff --git a/htdocs/partnership/class/partnershiputils.class.php b/htdocs/partnership/class/partnershiputils.class.php index 14608039100..8248860f83b 100644 --- a/htdocs/partnership/class/partnershiputils.class.php +++ b/htdocs/partnership/class/partnershiputils.class.php @@ -47,7 +47,7 @@ class PartnershipUtils /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct($db) { @@ -82,7 +82,7 @@ class PartnershipUtils $this->error = ''; $partnershipsprocessed = array(); - $gracedelay = $conf->global->PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL; + $gracedelay = getDolGlobalString('PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL'); if ($gracedelay < 1) { $this->error = 'BadValueForDelayBeforeCancelCheckSetup'; return -1; @@ -321,7 +321,7 @@ class PartnershipUtils } $sql .= " WHERE p.".$fk_partner." > 0"; $sql .= " AND p.status = ".((int) $partnership::STATUS_APPROVED); // Only accepted and not yet canceled - $sql .= " AND (p.last_check_backlink IS NULL OR p.last_check_backlink <= '".$this->db->idate($now - 24 * 3600)."')"; // Never more than 1 check every day to check that website contains a referal link. + $sql .= " AND (p.last_check_backlink IS NULL OR p.last_check_backlink <= '".$this->db->idate($now - 24 * 3600)."')"; // Never more than 1 check every day to check that website contains a referral link. $sql .= $this->db->order('p.rowid', 'ASC'); // Limit is managed into loop later diff --git a/htdocs/partnership/core/modules/partnership/mod_partnership_standard.php b/htdocs/partnership/core/modules/partnership/mod_partnership_standard.php index 895f28ab753..f5caef8307b 100644 --- a/htdocs/partnership/core/modules/partnership/mod_partnership_standard.php +++ b/htdocs/partnership/core/modules/partnership/mod_partnership_standard.php @@ -149,7 +149,7 @@ class mod_partnership_standard extends ModeleNumRefPartnership //$date=time(); $date = $object->date_creation; - $yymm = strftime("%y%m", $date); + $yymm = dol_print_date($date, "%y%m"); if ($max >= (pow(10, 4) - 1)) { $num = $max + 1; // If counter > 9999, we do not format on 4 chars, we take number as it is diff --git a/htdocs/partnership/partnership_agenda.php b/htdocs/partnership/partnership_agenda.php index a48b03f8c46..e21f9e8b10b 100644 --- a/htdocs/partnership/partnership_agenda.php +++ b/htdocs/partnership/partnership_agenda.php @@ -142,7 +142,7 @@ $form = new Form($db); if ($object->id > 0) { $title = $langs->trans("Agenda"); - //if (!empty($conf->global->MAIN_HTML_TITLE) && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; + //if (getDolGlobalString('MAIN_HTML_TITLE') && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; $help_url = ''; llxHeader('', $title, $help_url); diff --git a/htdocs/partnership/partnership_card.php b/htdocs/partnership/partnership_card.php index 2072c9182c9..1185e3e4bee 100644 --- a/htdocs/partnership/partnership_card.php +++ b/htdocs/partnership/partnership_card.php @@ -56,7 +56,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alpha'); $search = array(); diff --git a/htdocs/partnership/partnership_list.php b/htdocs/partnership/partnership_list.php index 13f6ddc438e..cbd2c7aee69 100644 --- a/htdocs/partnership/partnership_list.php +++ b/htdocs/partnership/partnership_list.php @@ -103,7 +103,7 @@ if (!$sortorder) { $sortorder = "ASC"; } -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST('search_all', 'alphanohtml'); $search = array(); foreach ($object->fields as $key => $val) { @@ -724,7 +724,7 @@ $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; $selectedfields = $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '."\n"; @@ -1060,7 +1060,7 @@ print ''."\n"; print ''."\n"; -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/paybox/lib/paybox.lib.php b/htdocs/paybox/lib/paybox.lib.php index 16d574d71eb..7138646c8ca 100644 --- a/htdocs/paybox/lib/paybox.lib.php +++ b/htdocs/paybox/lib/paybox.lib.php @@ -45,15 +45,15 @@ function print_paybox_redirect($PRICE, $CURRENCY, $EMAIL, $urlok, $urlko, $TAG) // Clean parameters $PBX_IDENTIFIANT = "2"; // Identifiant pour v2 test if (getDolGlobalString('PAYBOX_PBX_IDENTIFIANT')) { - $PBX_IDENTIFIANT = $conf->global->PAYBOX_PBX_IDENTIFIANT; + $PBX_IDENTIFIANT = getDolGlobalString('PAYBOX_PBX_IDENTIFIANT'); } $IBS_SITE = "1999888"; // Site test if (getDolGlobalString('PAYBOX_IBS_SITE')) { - $IBS_SITE = $conf->global->PAYBOX_IBS_SITE; + $IBS_SITE = getDolGlobalString('PAYBOX_IBS_SITE'); } $IBS_RANG = "99"; // Rang test if (getDolGlobalString('PAYBOX_IBS_RANG')) { - $IBS_RANG = $conf->global->PAYBOX_IBS_RANG; + $IBS_RANG = getDolGlobalString('PAYBOX_IBS_RANG'); } $IBS_DEVISE = "840"; // Currency (Dollar US by default) if ($CURRENCY == 'EUR') { @@ -65,44 +65,44 @@ function print_paybox_redirect($PRICE, $CURRENCY, $EMAIL, $urlok, $urlko, $TAG) $URLPAYBOX = ""; if ($conf->global->PAYBOX_CGI_URL_V1) { - $URLPAYBOX = $conf->global->PAYBOX_CGI_URL_V1; + $URLPAYBOX = getDolGlobalString('PAYBOX_CGI_URL_V1'); } if ($conf->global->PAYBOX_CGI_URL_V2) { - $URLPAYBOX = $conf->global->PAYBOX_CGI_URL_V2; + $URLPAYBOX = getDolGlobalString('PAYBOX_CGI_URL_V2'); } if (empty($IBS_DEVISE)) { - dol_print_error('', "Paybox setup param PAYBOX_IBS_DEVISE not defined"); + dol_print_error(null, "Paybox setup param PAYBOX_IBS_DEVISE not defined"); return -1; } if (empty($URLPAYBOX)) { - dol_print_error('', "Paybox setup param PAYBOX_CGI_URL_V1 and PAYBOX_CGI_URL_V2 undefined"); + dol_print_error(null, "Paybox setup param PAYBOX_CGI_URL_V1 and PAYBOX_CGI_URL_V2 undefined"); return -1; } if (empty($IBS_SITE)) { - dol_print_error('', "Paybox setup param PAYBOX_IBS_SITE not defined"); + dol_print_error(null, "Paybox setup param PAYBOX_IBS_SITE not defined"); return -1; } if (empty($IBS_RANG)) { - dol_print_error('', "Paybox setup param PAYBOX_IBS_RANG not defined"); + dol_print_error(null, "Paybox setup param PAYBOX_IBS_RANG not defined"); return -1; } $conf->global->PAYBOX_HASH = 'sha512'; - // Definition des parametres vente produit pour paybox + // Definition des parameters vente produit pour paybox $IBS_CMD = $TAG; $IBS_TOTAL = $PRICE * 100; // En centimes $IBS_MODE = 1; // Mode formulaire $IBS_PORTEUR = $EMAIL; - $IBS_RETOUR = "montant:M;ref:R;auto:A;trans:T"; // Format des parametres du get de validation en reponse (url a definir sous paybox) + $IBS_RETOUR = "montant:M;ref:R;auto:A;trans:T"; // Format of the validation GET parameter in reply (url to define for paybox) $IBS_TXT = ' '; // Use a space $IBS_EFFECTUE = $urlok; $IBS_ANNULE = $urlko; $IBS_REFUSE = $urlko; $IBS_BKGD = "#FFFFFF"; $IBS_WAIT = "2000"; - $IBS_LANG = "GBR"; // By default GBR=english (FRA, GBR, ESP, ITA et DEU...) + $IBS_LANG = "GBR"; // By default GBR=English (FRA, GBR, ESP, ITA et DEU...) if (preg_match('/^FR/i', $langs->defaultlang)) { $IBS_LANG = "FRA"; } @@ -124,7 +124,7 @@ function print_paybox_redirect($PRICE, $CURRENCY, $EMAIL, $urlok, $urlko, $TAG) $IBS_OUTPUT = 'E'; $PBX_SOURCE = 'HTML'; $PBX_TYPEPAIEMENT = 'CARTE'; - $PBX_HASH = $conf->global->PAYBOX_HASH; + $PBX_HASH = getDolGlobalString('PAYBOX_HASH'); $PBX_TIME = dol_print_date(dol_now(), 'dayhourrfc', 'gmt'); $msg = "PBX_IDENTIFIANT=".$PBX_IDENTIFIANT. diff --git a/htdocs/paypal/lib/paypal.lib.php b/htdocs/paypal/lib/paypal.lib.php index ec786f6ce6b..cd9bda1e9f3 100644 --- a/htdocs/paypal/lib/paypal.lib.php +++ b/htdocs/paypal/lib/paypal.lib.php @@ -224,7 +224,7 @@ function callSetExpressCheckout($paymentAmount, $currencyCodeType, $paymentType, $nvpstr = $nvpstr."&SOLUTIONTYPE=".urlencode($solutionType); $nvpstr = $nvpstr."&LANDINGPAGE=".urlencode($landingPage); if (getDolGlobalString('PAYPAL_CUSTOMER_SERVICE_NUMBER')) { - $nvpstr = $nvpstr."&CUSTOMERSERVICENUMBER=".urlencode($conf->global->PAYPAL_CUSTOMER_SERVICE_NUMBER); // Hotline phone number + $nvpstr = $nvpstr."&CUSTOMERSERVICENUMBER=".urlencode(getDolGlobalString('PAYPAL_CUSTOMER_SERVICE_NUMBER')); // Hotline phone number } $paypalprefix = 'PAYMENTREQUEST_0_'; @@ -273,10 +273,10 @@ function callSetExpressCheckout($paymentAmount, $currencyCodeType, $paymentType, $nvpstr = $nvpstr."&LOGOIMG=".urlencode($urllogo); } if (getDolGlobalString('PAYPAL_BRANDNAME')) { - $nvpstr = $nvpstr."&BRANDNAME=".urlencode($conf->global->PAYPAL_BRANDNAME); // BRANDNAME + $nvpstr = $nvpstr."&BRANDNAME=".urlencode(getDolGlobalString('PAYPAL_BRANDNAME')); // BRANDNAME } if (getDolGlobalString('PAYPAL_NOTETOBUYER')) { - $nvpstr = $nvpstr."&NOTETOBUYER=".urlencode($conf->global->PAYPAL_NOTETOBUYER); // PAYPAL_NOTETOBUYER + $nvpstr = $nvpstr."&NOTETOBUYER=".urlencode(getDolGlobalString('PAYPAL_NOTETOBUYER')); // PAYPAL_NOTETOBUYER } $_SESSION["FinalPaymentAmt"] = $paymentAmount; @@ -286,8 +286,8 @@ function callSetExpressCheckout($paymentAmount, $currencyCodeType, $paymentType, //'--------------------------------------------------------------------------------------------------------------- //' Make the API call to PayPal - //' If the API call succeded, then redirect the buyer to PayPal to begin to authorize payment. - //' If an error occured, show the resulting errors + //' If the API call succeeded, then redirect the buyer to PayPal to begin to authorize payment. + //' If an error occurred, show the resulting errors //'--------------------------------------------------------------------------------------------------------------- $resArray = hash_call("SetExpressCheckout", $nvpstr); $ack = strtoupper($resArray["ACK"]); @@ -310,7 +310,7 @@ function getDetails($token) //'-------------------------------------------------------------- //' At this point, the buyer has completed authorizing the payment //' at PayPal. The function will call PayPal to obtain the details - //' of the authorization, incuding any shipping information of the + //' of the authorization, including any shipping information of the //' buyer. Remember, the authorization is not a completed transaction //' at this state - the buyer still needs an additional step to finalize //' the transaction @@ -376,7 +376,7 @@ function confirmPayment($token, $paymentType, $currencyCodeType, $payerID, $ipad $nvpstr .= '&INVNUM='.urlencode($tag); /* Make the call to PayPal to finalize payment - If an error occured, show the resulting errors + If an error occurred, show the resulting errors */ $resArray = hash_call("DoExpressCheckoutPayment", $nvpstr); @@ -446,7 +446,7 @@ function DirectPayment($paymentType, $paymentAmount, $creditCardType, $creditCar * * @param string $methodName is name of API method. * @param string $nvpStr is nvp string. - * @return array returns an associtive array containing the response from the server. + * @return array returns an associative array containing the response from the server. */ function hash_call($methodName, $nvpStr) { @@ -468,19 +468,19 @@ function hash_call($methodName, $nvpStr) // Clean parameters $PAYPAL_API_USER = ""; if (getDolGlobalString('PAYPAL_API_USER')) { - $PAYPAL_API_USER = $conf->global->PAYPAL_API_USER; + $PAYPAL_API_USER = getDolGlobalString('PAYPAL_API_USER'); } $PAYPAL_API_PASSWORD = ""; if (getDolGlobalString('PAYPAL_API_PASSWORD')) { - $PAYPAL_API_PASSWORD = $conf->global->PAYPAL_API_PASSWORD; + $PAYPAL_API_PASSWORD = getDolGlobalString('PAYPAL_API_PASSWORD'); } $PAYPAL_API_SIGNATURE = ""; if (getDolGlobalString('PAYPAL_API_SIGNATURE')) { - $PAYPAL_API_SIGNATURE = $conf->global->PAYPAL_API_SIGNATURE; + $PAYPAL_API_SIGNATURE = getDolGlobalString('PAYPAL_API_SIGNATURE'); } $PAYPAL_API_SANDBOX = ""; if (getDolGlobalString('PAYPAL_API_SANDBOX')) { - $PAYPAL_API_SANDBOX = $conf->global->PAYPAL_API_SANDBOX; + $PAYPAL_API_SANDBOX = getDolGlobalString('PAYPAL_API_SANDBOX'); } // TODO END problem with triggers @@ -568,26 +568,26 @@ function hash_call($methodName, $nvpStr) /** * This function will take NVPString and convert it to an Associative Array and it will decode the response. - * It is usefull to search for a particular key and displaying arrays. + * It is useful to search for a particular key and displaying arrays. * * @param string $nvpstr NVPString * @return array nvpArray = Associative Array */ function deformatNVP($nvpstr) { - $intial = 0; + $initial = 0; $nvpArray = array(); while (strlen($nvpstr)) { - //postion of Key + //position of Key $keypos = strpos($nvpstr, '='); //position of value $valuepos = strpos($nvpstr, '&') ? strpos($nvpstr, '&') : strlen($nvpstr); /*getting the Key and Value values and storing in a Associative Array*/ - $keyval = substr($nvpstr, $intial, $keypos); + $keyval = substr($nvpstr, $initial, $keypos); $valval = substr($nvpstr, $keypos + 1, $valuepos - $keypos - 1); - //decoding the respose + //decoding the response $nvpArray[urldecode($keyval)] = urldecode($valval); $nvpstr = substr($nvpstr, $valuepos + 1, strlen($nvpstr)); } diff --git a/htdocs/paypal/lib/paypalfunctions.lib.php b/htdocs/paypal/lib/paypalfunctions.lib.php index 0403f2c2735..8ea276f56b4 100644 --- a/htdocs/paypal/lib/paypalfunctions.lib.php +++ b/htdocs/paypal/lib/paypalfunctions.lib.php @@ -58,24 +58,24 @@ if (getDolGlobalString('PAYPAL_API_SANDBOX') || GETPOST('forcesandbox', 'alpha') // Clean parameters $PAYPAL_API_USER = ""; if (getDolGlobalString('PAYPAL_API_USER')) { - $PAYPAL_API_USER = $conf->global->PAYPAL_API_USER; + $PAYPAL_API_USER = getDolGlobalString('PAYPAL_API_USER'); } $PAYPAL_API_PASSWORD = ""; if (getDolGlobalString('PAYPAL_API_PASSWORD')) { - $PAYPAL_API_PASSWORD = $conf->global->PAYPAL_API_PASSWORD; + $PAYPAL_API_PASSWORD = getDolGlobalString('PAYPAL_API_PASSWORD'); } $PAYPAL_API_SIGNATURE = ""; if (getDolGlobalString('PAYPAL_API_SIGNATURE')) { - $PAYPAL_API_SIGNATURE = $conf->global->PAYPAL_API_SIGNATURE; + $PAYPAL_API_SIGNATURE = getDolGlobalString('PAYPAL_API_SIGNATURE'); } $PAYPAL_API_SANDBOX = ""; if (getDolGlobalString('PAYPAL_API_SANDBOX')) { - $PAYPAL_API_SANDBOX = $conf->global->PAYPAL_API_SANDBOX; + $PAYPAL_API_SANDBOX = getDolGlobalString('PAYPAL_API_SANDBOX'); } // Proxy -$PROXY_HOST = $conf->global->MAIN_PROXY_HOST; -$PROXY_PORT = $conf->global->MAIN_PROXY_PORT; -$PROXY_USER = $conf->global->MAIN_PROXY_USER; -$PROXY_PASS = $conf->global->MAIN_PROXY_PASS; +$PROXY_HOST = getDolGlobalString('MAIN_PROXY_HOST'); +$PROXY_PORT = getDolGlobalString('MAIN_PROXY_PORT'); +$PROXY_USER = getDolGlobalString('MAIN_PROXY_USER'); +$PROXY_PASS = getDolGlobalString('MAIN_PROXY_PASS'); $USE_PROXY = !getDolGlobalString('MAIN_PROXY_USE') ? false : true; diff --git a/htdocs/product/admin/inventory_extrafields.php b/htdocs/product/admin/inventory_extrafields.php index 45c17e805d0..f28ca9af020 100644 --- a/htdocs/product/admin/inventory_extrafields.php +++ b/htdocs/product/admin/inventory_extrafields.php @@ -27,33 +27,9 @@ */ // Load Dolibarr environment -$res = 0; -// Try main.inc.php into web root known defined into CONTEXT_DOCUMENT_ROOT (not always defined) -if (!$res && !empty($_SERVER["CONTEXT_DOCUMENT_ROOT"])) { - $res = @include $_SERVER["CONTEXT_DOCUMENT_ROOT"]."/main.inc.php"; -} -// Try main.inc.php into web root detected using web root calculated from SCRIPT_FILENAME -$tmp = empty($_SERVER['SCRIPT_FILENAME']) ? '' : $_SERVER['SCRIPT_FILENAME']; $tmp2 = realpath(__FILE__); $i = strlen($tmp) - 1; $j = strlen($tmp2) - 1; -while ($i > 0 && $j > 0 && isset($tmp[$i]) && isset($tmp2[$j]) && $tmp[$i] == $tmp2[$j]) { - $i--; - $j--; -} -if (!$res && $i > 0 && file_exists(substr($tmp, 0, ($i + 1))."/main.inc.php")) { - $res = @include substr($tmp, 0, ($i + 1))."/main.inc.php"; -} -if (!$res && $i > 0 && file_exists(dirname(substr($tmp, 0, ($i + 1)))."/main.inc.php")) { - $res = @include dirname(substr($tmp, 0, ($i + 1)))."/main.inc.php"; -} -// Try main.inc.php using relative path -if (!$res && file_exists("../../main.inc.php")) { - $res = @include "../../main.inc.php"; -} -if (!$res && file_exists("../../../main.inc.php")) { - $res = @include "../../../main.inc.php"; -} -if (!$res) { - die("Include of main fails"); -} +require '../../main.inc.php'; + +global $conf, $langs, $user; require_once DOL_DOCUMENT_ROOT.'/core/class/extrafields.class.php'; require_once DOL_DOCUMENT_ROOT.'/core/lib/stock.lib.php'; @@ -94,7 +70,7 @@ require DOL_DOCUMENT_ROOT.'/core/actions_extrafields.inc.php'; $textobject = $langs->transnoentitiesnoconv("Inventory"); -llxHeader('', $langs->trans("InventorySetup"), $help_url); +llxHeader('', $langs->trans("InventorySetup")); $linkback = ''.$langs->trans("BackToModuleList").''; diff --git a/htdocs/product/admin/price_rules.php b/htdocs/product/admin/price_rules.php index 561c8d48e90..2c2857cd061 100644 --- a/htdocs/product/admin/price_rules.php +++ b/htdocs/product/admin/price_rules.php @@ -167,7 +167,7 @@ for ($i = 1; $i <= $conf->global->PRODUIT_MULTIPRICES_LIMIT; $i++) { // Label of price $keyforlabel = 'PRODUIT_MULTIPRICES_LABEL'.$i; if (!empty($conf->global->$keyforlabel)) { - print ' - '.$langs->trans($conf->global->$keyforlabel); + print ' - '.$langs->trans(getDolGlobalString($keyforlabel)); } ?> diff --git a/htdocs/product/admin/product.php b/htdocs/product/admin/product.php index 87fd2ce60ae..9d64eb4c525 100644 --- a/htdocs/product/admin/product.php +++ b/htdocs/product/admin/product.php @@ -240,7 +240,7 @@ if ($action == 'set') { } } -// To enable a constant whithout javascript +// To enable a constant without javascript if (preg_match('/set_(.+)/', $action, $reg)) { $keyforvar = $reg[1]; if ($keyforvar) { @@ -249,7 +249,7 @@ if (preg_match('/set_(.+)/', $action, $reg)) { } } -// To disable a constant whithout javascript +// To disable a constant without javascript if (preg_match('/del_(.+)/', $action, $reg)) { $keyforvar = $reg[1]; if ($keyforvar) { @@ -460,7 +460,7 @@ foreach ($dirmodels as $reldir) { print ""; } - // Defaut + // Default print ''; print ''; -// Visualiser description produit dans les formulaires activation/desactivation +// Visualiser description produit dans les formulaires activation/deactivation print ''; print ''; print '"; } - // Defaut + // Default print ''; } } + + // SellBy / EatBy mandatory list + if (!empty($sellOrEatByMandatoryList)) { + print ''; + } } $showbarcode = isModEnabled('barcode'); @@ -1867,7 +1879,7 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio * Product card */ - // Fiche en mode edition + // Card in edit mode if ($action == 'edit' && $usercancreate) { //WYSIWYG Editor require_once DOL_DOCUMENT_ROOT.'/core/class/doleditor.class.php'; @@ -1952,7 +1964,7 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio print ''; print ''; - // Batch number managment + // Batch number management if (isModEnabled('productbatch')) { if ($object->isProduct() || getDolGlobalString('STOCK_SUPPORTS_SERVICES')) { print ''; } } + + // SellBy / EatBy mandatory list + if (!empty($sellOrEatByMandatoryList)) { + if (GETPOSTISSET('sell_or_eat_by_mandatory')) { + $sellOrEatByMandatorySelectedId = GETPOST('sell_or_eat_by_mandatory', 'int'); + } else { + $sellOrEatByMandatorySelectedId = $object->sell_or_eat_by_mandatory; + } + print ''; + } } // Barcode @@ -2076,7 +2100,7 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio } else { $fk_barcode_type = $object->barcode_type; if (empty($fk_barcode_type) && getDolGlobalString('PRODUIT_DEFAULT_BARCODE_TYPE')) { - $fk_barcode_type = $conf->global->PRODUIT_DEFAULT_BARCODE_TYPE; + $fk_barcode_type = getDolGlobalString('PRODUIT_DEFAULT_BARCODE_TYPE'); } } require_once DOL_DOCUMENT_ROOT.'/core/class/html.formbarcode.class.php'; @@ -2106,7 +2130,7 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio if (!getDolGlobalString('PRODUCT_DISABLE_PUBLIC_URL')) { print ''; } @@ -2392,7 +2416,7 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio print ''; } else { - // Fiche en mode visu + // Card in view mode $showbarcode = isModEnabled('barcode'); if (getDolGlobalString('MAIN_USE_ADVANCED_PERMS') && !$user->hasRight('barcode', 'lire_advance')) { @@ -2409,7 +2433,7 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio $object->next_prev_filter = "fk_product_type = ".((int) $object->type); $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -2505,6 +2529,10 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio print ''; } } + + print ''; } if (!getDolGlobalString('PRODUCT_DISABLE_ACCOUNTING')) { @@ -2891,11 +2919,11 @@ if ($action != 'create' && $action != 'edit') { $reshook = $hookmanager->executeHooks('addMoreActionsButtons', $parameters, $object, $action); // Note that $action and $object may have been modified by hook if (empty($reshook)) { if ($usercancreate) { - if (!isset($object->no_button_edit) || $object->no_button_edit <> 1) { + if (!isset($object->no_button_edit) || $object->no_button_edit != 1) { print dolGetButtonAction('', $langs->trans('Modify'), 'default', $_SERVER["PHP_SELF"].'?action=edit&token='.newToken().'&id='.$object->id, '', $usercancreate); } - if (!isset($object->no_button_copy) || $object->no_button_copy <> 1) { + if (!isset($object->no_button_copy) || $object->no_button_copy != 1) { if (!empty($conf->use_javascript_ajax) && empty($conf->dol_use_jmobile)) { $cloneProductUrl = ''; $cloneButtonId = 'action-clone'; @@ -2906,7 +2934,7 @@ if ($action != 'create' && $action != 'edit') { $object_is_used = $object->isObjectUsed($object->id); if ($usercandelete) { - if (empty($object_is_used) && (!isset($object->no_button_delete) || $object->no_button_delete <> 1)) { + if (empty($object_is_used) && (!isset($object->no_button_delete) || $object->no_button_delete != 1)) { if (!empty($conf->use_javascript_ajax) && empty($conf->dol_use_jmobile)) { print dolGetButtonAction($langs->trans('Delete'), '', 'delete', '#', 'action-delete', true); } else { diff --git a/htdocs/product/class/api_products.class.php b/htdocs/product/class/api_products.class.php index 862d50f6721..7ff9f8403d4 100644 --- a/htdocs/product/class/api_products.class.php +++ b/htdocs/product/class/api_products.class.php @@ -173,7 +173,7 @@ class Products extends DolibarrApi * @param int $variant_filter Use this param to filter list (0 = all, 1=products without variants, 2=parent of variants, 3=variants only) * @param bool $pagination_data If this parameter is set to true the response will include pagination data. Default value is false. Page starts from 0 * @param int $includestockdata Load also information about stock (slower) - * @param string $properties Restrict the data returned to theses properties. Ignored if empty. Comma separated list of properties names + * @param string $properties Restrict the data returned to these properties. Ignored if empty. Comma separated list of properties names * @return array Array of product objects */ public function index($sortfield = "t.ref", $sortorder = 'ASC', $limit = 100, $page = 0, $mode = 0, $category = 0, $sqlfilters = '', $ids_only = false, $variant_filter = 0, $pagination_data = false, $includestockdata = 0, $properties = '') @@ -277,9 +277,6 @@ class Products extends DolibarrApi } else { throw new RestException(503, 'Error when retrieve product list : '.$this->db->lasterror()); } - if (!count($obj_ret)) { - throw new RestException(404, 'No product found'); - } //if $pagination_data is true the response will contain element data with all values and element pagination with pagination data(total,page,limit) if ($pagination_data) { @@ -316,6 +313,12 @@ class Products extends DolibarrApi $result = $this->_validate($request_data); foreach ($request_data as $field => $value) { + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $this->product->context['caller'] = $request_data['caller']; + continue; + } + $this->product->$field = $value; } if ($this->product->create(DolibarrApiAccess::$user) < 0) { @@ -362,6 +365,12 @@ class Products extends DolibarrApi if ($field == 'stock_reel') { throw new RestException(400, 'Stock reel cannot be updated here. Use the /stockmovements endpoint instead'); } + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $this->product->context['caller'] = $request_data['caller']; + continue; + } + $this->product->$field = $value; } @@ -490,15 +499,15 @@ class Products extends DolibarrApi throw new RestException(401, 'Access not allowed for login '.DolibarrApiAccess::$user->login); } - $childsArbo = $this->product->getChildsArbo($id, 1); + $childrenArbo = $this->product->getChildsArbo($id, 1); $keys = array('rowid', 'qty', 'fk_product_type', 'label', 'incdec', 'ref', 'fk_association', 'rang'); - $childs = array(); - foreach ($childsArbo as $values) { - $childs[] = array_combine($keys, $values); + $children = array(); + foreach ($childrenArbo as $values) { + $children[] = array_combine($keys, $values); } - return $childs; + return $children; } /** @@ -589,10 +598,6 @@ class Products extends DolibarrApi $result = $categories->getListForItem($id, 'product', $sortfield, $sortorder, $limit, $page); - if (empty($result)) { - throw new RestException(404, 'No category found'); - } - if ($result < 0) { throw new RestException(503, 'Error when retrieve category list : '.join(',', array_merge(array($categories->error), $categories->errors))); } @@ -738,7 +743,7 @@ class Products extends DolibarrApi * @param int $availability Product availability * @param string $ref_fourn Supplier ref * @param float $tva_tx New VAT Rate (For example 8.5. Should not be a string) - * @param string $charges costs affering to product + * @param string|float $charges costs affering to product * @param float $remise_percent Discount regarding qty (percent) * @param float $remise Discount regarding qty (amount) * @param int $newnpr Set NPR or not @@ -941,9 +946,7 @@ class Products extends DolibarrApi } else { throw new RestException(503, 'Error when retrieve product list : '.$this->db->lasterror()); } - if (!count($obj_ret)) { - throw new RestException(404, 'No product found'); - } + return $obj_ret; } @@ -1011,7 +1014,7 @@ class Products extends DolibarrApi * @param int $limit Limit for list * @param int $page Page number * @param string $sqlfilters Other criteria to filter answers separated by a comma. Syntax example "(t.ref:like:color)" - * @param string $properties Restrict the data returned to theses properties. Ignored if empty. Comma separated list of properties names + * @param string $properties Restrict the data returned to these properties. Ignored if empty. Comma separated list of properties names * @return array * * @throws RestException 401 @@ -1068,10 +1071,6 @@ class Products extends DolibarrApi $return[] = $this->_filterObjectProperties($this->_cleanObjectDatas($tmp), $properties); } - if (!count($return)) { - throw new RestException(404, 'No product attribute found'); - } - return $return; } @@ -1282,6 +1281,12 @@ class Products extends DolibarrApi if ($field == 'rowid') { continue; } + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $prodattr->context['caller'] = $request_data['caller']; + continue; + } + $prodattr->$field = $value; } @@ -1589,6 +1594,12 @@ class Products extends DolibarrApi if ($field == 'rowid') { continue; } + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $objectval->context['caller'] = $request_data['caller']; + continue; + } + $objectval->$field = $value; } @@ -1728,8 +1739,12 @@ class Products extends DolibarrApi throw new RestException(401); } - if (empty($id) || empty($features) || !is_array($features)) { - throw new RestException(401); + if (empty($id)) { + throw new RestException(400, 'Product ID is mandatory'); + } + + if (empty($features) || !is_array($features)) { + throw new RestException(400, 'Features is mandatory and should be IDs of attribute values indexed by IDs of attributes'); } $weight_impact = price2num($weight_impact); @@ -1739,10 +1754,10 @@ class Products extends DolibarrApi $prodattr_val = new ProductAttributeValue($this->db); foreach ($features as $id_attr => $id_value) { if ($prodattr->fetch((int) $id_attr) < 0) { - throw new RestException(401); + throw new RestException(400, 'Invalid attribute ID: '.$id_attr); } if ($prodattr_val->fetch((int) $id_value) < 0) { - throw new RestException(401); + throw new RestException(400, 'Invalid attribute value ID: '.$id_value); } } @@ -1846,6 +1861,12 @@ class Products extends DolibarrApi if ($field == 'rowid') { continue; } + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $prodcomb->context['caller'] = $request_data['caller']; + continue; + } + $prodcomb->$field = $value; } @@ -1884,7 +1905,7 @@ class Products extends DolibarrApi /** * Get stock data for the product id given. - * Optionaly with $selected_warehouse_id parameter user can get stock of specific warehouse + * Optionally with $selected_warehouse_id parameter user can get stock of specific warehouse * * @param int $id ID of Product * @param int $selected_warehouse_id ID of warehouse @@ -1919,10 +1940,6 @@ class Products extends DolibarrApi } } - if (empty($stockData)) { - throw new RestException(404, 'No stock found'); - } - return array('stock_warehouses'=>$stockData); } @@ -1982,7 +1999,7 @@ class Products extends DolibarrApi unset($object->fk_bank); unset($object->fk_account); - unset($object->supplierprices); // Mut use another API to get them + unset($object->supplierprices); // Must use another API to get them if (empty(DolibarrApiAccess::$user->rights->stock->lire)) { unset($object->stock_reel); @@ -2067,15 +2084,15 @@ class Products extends DolibarrApi } if ($includesubproducts) { - $childsArbo = $this->product->getChildsArbo($id, 1); + $childrenArbo = $this->product->getChildsArbo($id, 1); $keys = array('rowid', 'qty', 'fk_product_type', 'label', 'incdec', 'ref', 'fk_association', 'rang'); - $childs = array(); - foreach ($childsArbo as $values) { - $childs[] = array_combine($keys, $values); + $children = array(); + foreach ($childrenArbo as $values) { + $children[] = array_combine($keys, $values); } - $this->product->sousprods = $childs; + $this->product->sousprods = $children; } if ($includeparentid) { diff --git a/htdocs/product/class/html.formproduct.class.php b/htdocs/product/class/html.formproduct.class.php index b6ec2cb629f..a67f3b2edbe 100644 --- a/htdocs/product/class/html.formproduct.class.php +++ b/htdocs/product/class/html.formproduct.class.php @@ -18,7 +18,7 @@ /** * \file htdocs/product/class/html.formproduct.class.php - * \brief Fichier de la classe des fonctions predefinie de composants html + * \brief File for class with methods for building product related HTML components */ require_once DOL_DOCUMENT_ROOT.'/product/stock/class/entrepot.class.php'; @@ -68,7 +68,7 @@ class FormProduct * 'warehouseinternal' = select products from warehouses for internal correct/transfer only * @param boolean $sumStock sum total stock of a warehouse, default true * @param array $exclude warehouses ids to exclude - * @param bool|int $stockMin [=false] Value of minimum stock to filter or false not not filter by minimum stock + * @param bool|int $stockMin [=false] Value of minimum stock to filter (only warehouse with stock > stockMin are loaded) or false not not filter by minimum stock * @param string $orderBy [='e.ref'] Order by * @return int Nb of loaded lines, 0 if already loaded, <0 if KO * @throws Exception @@ -276,7 +276,7 @@ class FormProduct * @param string $morecss Add more css classes to HTML select * @param array $exclude Warehouses ids to exclude * @param int $showfullpath 1=Show full path of name (parent ref into label), 0=Show only ref of current warehouse - * @param bool|int $stockMin [=false] Value of minimum stock to filter or false not not filter by minimum stock + * @param bool|int $stockMin [=false] Value of minimum stock to filter (only warehouse with stock > stockMin are loaded) or false not not filter by minimum stock * @param string $orderBy [='e.ref'] Order by * @param int $multiselect 1=Allow multiselect * @return string HTML select @@ -309,7 +309,7 @@ class FormProduct if (strpos($htmlname, 'search_') !== 0) { if (empty($user->fk_warehouse) || $user->fk_warehouse == -1) { if (is_scalar($selected) && ($selected == '-2' || $selected == 'ifone') && getDolGlobalString('MAIN_DEFAULT_WAREHOUSE')) { - $selected = $conf->global->MAIN_DEFAULT_WAREHOUSE; + $selected = getDolGlobalString('MAIN_DEFAULT_WAREHOUSE'); } } else { if (is_scalar($selected) && ($selected == '-2' || $selected == 'ifone') && getDolGlobalString('MAIN_DEFAULT_WAREHOUSE_USER')) { @@ -431,7 +431,7 @@ class FormProduct if (strpos($htmlname, 'search_') !== 0) { if (empty($user->fk_workstation) || $user->fk_workstation == -1) { if (($selected == '-2' || $selected == 'ifone') && getDolGlobalString('MAIN_DEFAULT_WORKSTATION')) { - $selected = $conf->global->MAIN_DEFAULT_WORKSTATION; + $selected = getDolGlobalString('MAIN_DEFAULT_WORKSTATION'); } } else { if (($selected == '-2' || $selected == 'ifone') && getDolGlobalString('MAIN_DEFAULT_WORKSTATION')) { @@ -524,7 +524,7 @@ class FormProduct // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** * Output a combo box with list of units - * pour l'instant on ne definit pas les unites dans la base + * Currently the units are not define in the DB * * @param string $name Name of HTML field * @param string $measuring_style Unit to show: weight, size, surface, volume, time diff --git a/htdocs/product/class/product.class.php b/htdocs/product/class/product.class.php index 1297f2a6752..1858ed5f985 100644 --- a/htdocs/product/class/product.class.php +++ b/htdocs/product/class/product.class.php @@ -47,6 +47,14 @@ require_once DOL_DOCUMENT_ROOT.'/product/stock/class/entrepot.class.php'; */ class Product extends CommonObject { + /** + * Const sell or eat by mandatory id + */ + const SELL_OR_EAT_BY_MANDATORY_ID_NONE = 0; + const SELL_OR_EAT_BY_MANDATORY_ID_SELL_BY = 1; + const SELL_OR_EAT_BY_MANDATORY_ID_EAT_BY = 2; + const SELL_OR_EAT_BY_MANDATORY_ID_SELL_AND_EAT = 3; + /** * @var string ID to identify managed object */ @@ -273,7 +281,7 @@ class Product extends CommonObject */ public $duration_value; /** - * Serivce expiration unit + * Service expiration unit */ public $duration_unit; /** @@ -359,6 +367,13 @@ class Product extends CommonObject */ public $status_batch = 0; + /** + * Make sell-by or eat-by date mandatory + * + * @var int + */ + public $sell_or_eat_by_mandatory = 0; + /** * If allowed, we can edit batch or serial number mask for each product * @@ -405,7 +420,7 @@ class Product extends CommonObject public $accountancy_code_buy_export; /** - * @var string Main Barcode value + * @var string|int Main Barcode value, -1 for auto code */ public $barcode; @@ -543,7 +558,7 @@ class Product extends CommonObject * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' is the CSS style to use on field. For example: 'maxwidth200' @@ -594,15 +609,6 @@ class Product extends CommonObject */ const TYPE_SERVICE = 1; - /** - * Const sell or eat by mandatory id - */ - const SELL_OR_EAT_BY_MANDATORY_ID_NONE = 0; - const SELL_OR_EAT_BY_MANDATORY_ID_SELL_BY = 1; - const SELL_OR_EAT_BY_MANDATORY_ID_EAT_BY = 2; - const SELL_OR_EAT_BY_MANDATORY_ID_SELL_AND_EAT = 3; - - /** * Constructor * @@ -663,10 +669,10 @@ class Product extends CommonObject $this->ref = dol_sanitizeFileName(dol_string_nospecial(trim($this->ref))); } $this->label = trim($this->label); - $this->price_ttc = price2num($this->price_ttc); - $this->price = price2num($this->price); - $this->price_min_ttc = price2num($this->price_min_ttc); - $this->price_min = price2num($this->price_min); + $this->price_ttc = (float) price2num($this->price_ttc); + $this->price = (float) price2num($this->price); + $this->price_min_ttc = (float) price2num($this->price_min_ttc); + $this->price_min = (float) price2num($this->price_min); if (empty($this->tva_tx)) { $this->tva_tx = 0; } @@ -795,7 +801,7 @@ class Product extends CommonObject if ($result) { $obj = $this->db->fetch_object($result); if ($obj->nb == 0) { - // Produit non deja existant + // Insert new product, no previous one found $sql = "INSERT INTO ".$this->db->prefix()."product ("; $sql .= "datec"; $sql .= ", entity"; @@ -822,6 +828,7 @@ class Product extends CommonObject $sql .= ", canvas"; $sql .= ", finished"; $sql .= ", tobatch"; + $sql .= ", sell_or_eat_by_mandatory"; $sql .= ", batch_mask"; $sql .= ", fk_unit"; $sql .= ", mandatory_period"; @@ -851,6 +858,7 @@ class Product extends CommonObject $sql .= ", '".$this->db->escape($this->canvas)."'"; $sql .= ", ".((!isset($this->finished) || $this->finished < 0 || $this->finished == '') ? 'NULL' : (int) $this->finished); $sql .= ", ".((empty($this->status_batch) || $this->status_batch < 0) ? '0' : ((int) $this->status_batch)); + $sql .= ", ".((empty($this->sell_or_eat_by_mandatory) || $this->sell_or_eat_by_mandatory < 0) ? 0 : ((int) $this->sell_or_eat_by_mandatory)); $sql .= ", '".$this->db->escape($this->batch_mask)."'"; $sql .= ", ".($this->fk_unit > 0 ? ((int) $this->fk_unit) : 'NULL'); $sql .= ", '".$this->db->escape($this->mandatory_period)."'"; @@ -1045,7 +1053,7 @@ class Product extends CommonObject * @param boolean $updatetype Update product type * @return int 1 if OK, -1 if ref already exists, -2 if other error */ - public function update($id, $user, $notrigger = false, $action = 'update', $updatetype = false) + public function update($id, $user, $notrigger = 0, $action = 'update', $updatetype = false) { global $langs, $conf, $hookmanager; @@ -1165,7 +1173,7 @@ class Product extends CommonObject //$valueforundefinedlot = 'Undefined'; // In previous version, 39 and lower $valueforundefinedlot = '000000'; if (getDolGlobalString('STOCK_DEFAULT_BATCH')) { - $valueforundefinedlot = $conf->global->STOCK_DEFAULT_BATCH; + $valueforundefinedlot = getDolGlobalString('STOCK_DEFAULT_BATCH'); } dol_syslog("Flag batch of product id=".$this->id." is set to ON, so we will create missing records into product_batch"); @@ -1189,7 +1197,7 @@ class Product extends CommonObject } // Quantities in batch details are not same as stock quantity, // so we add a default batch record to complete and get same qty in parent and child table - if ($ObjW->real <> $qty_batch) { + if ($ObjW->real != $qty_batch) { $ObjBatch = new Productbatch($this->db); $ObjBatch->batch = $valueforundefinedlot; $ObjBatch->qty = ($ObjW->real - $qty_batch); @@ -1244,6 +1252,7 @@ class Product extends CommonObject $sql .= ", tosell = ".(int) $this->status; $sql .= ", tobuy = ".(int) $this->status_buy; $sql .= ", tobatch = ".((empty($this->status_batch) || $this->status_batch < 0) ? '0' : (int) $this->status_batch); + $sql .= ", sell_or_eat_by_mandatory = ".((empty($this->sell_or_eat_by_mandatory) || $this->sell_or_eat_by_mandatory < 0) ? 0 : (int) $this->sell_or_eat_by_mandatory); $sql .= ", batch_mask = '".$this->db->escape($this->batch_mask)."'"; $sql .= ", finished = ".((!isset($this->finished) || $this->finished < 0 || $this->finished == '') ? "null" : (int) $this->finished); @@ -1340,7 +1349,7 @@ class Product extends CommonObject } if (!$this->hasbatch() && $this->oldcopy->hasbatch()) { - // Selection of all product stock mouvements that contains batchs + // Selection of all product stock movements that contains batchs $sql = 'SELECT pb.qty, pb.fk_entrepot, pb.batch FROM '.MAIN_DB_PREFIX.'product_batch as pb'; $sql.= ' INNER JOIN '.MAIN_DB_PREFIX.'product_stock as ps ON (ps.rowid = batch.fk_product_stock)'; $sql.= ' WHERE ps.fk_product = '.(int) $this->id; @@ -1458,7 +1467,7 @@ class Product extends CommonObject * * @param User $user User (object) deleting product * @param int $notrigger Do not execute trigger - * @return int < 0 if KO, 0 = Not possible, > 0 if OK + * @return int Return integer < 0 if KO, 0 = Not possible, > 0 if OK */ public function delete(User $user, $notrigger = 0) { @@ -1614,6 +1623,42 @@ class Product extends CommonObject } } + /** + * Get sell or eat by mandatory list + * + * @return array Sell or eat by mandatory list + */ + public static function getSellOrEatByMandatoryList() + { + global $langs; + + $sellByLabel = $langs->trans('SellByDate'); + $eatByLabel = $langs->trans('EatByDate'); + return array( + self::SELL_OR_EAT_BY_MANDATORY_ID_NONE => $langs->trans('BatchSellOrEatByMandatoryNone'), + self::SELL_OR_EAT_BY_MANDATORY_ID_SELL_BY => $sellByLabel, + self::SELL_OR_EAT_BY_MANDATORY_ID_EAT_BY => $eatByLabel, + self::SELL_OR_EAT_BY_MANDATORY_ID_SELL_AND_EAT => $langs->trans('BatchSellOrEatByMandatoryAll', $sellByLabel, $eatByLabel), + ); + } + + /** + * Get sell or eat by mandatory label + * + * @return string Sell or eat by mandatory label + */ + public function getSellOrEatByMandatoryLabel() + { + $sellOrEatByMandatoryLabel = ''; + + $sellOrEatByMandatoryList = self::getSellOrEatByMandatoryList(); + if (isset($sellOrEatByMandatoryList[$this->sell_or_eat_by_mandatory])) { + $sellOrEatByMandatoryLabel = $sellOrEatByMandatoryList[$this->sell_or_eat_by_mandatory]; + } + + return $sellOrEatByMandatoryLabel; + } + /** * Update or add a translation for a product * @@ -1760,7 +1805,7 @@ class Product extends CommonObject * * @param string $type It can be 'buy', 'buy_intra', 'buy_export', 'sell', 'sell_intra' or 'sell_export' * @param string $value Accountancy code - * @return int <0 KO >0 OK + * @return int Return integer <0 KO >0 OK */ public function setAccountancyCode($type, $value) { @@ -1874,13 +1919,13 @@ class Product extends CommonObject $lastPrice = array( 'level' => $level ? $level : 1, - 'multiprices' => doubleval($this->multiprices[$level]), - 'multiprices_ttc' => doubleval($this->multiprices_ttc[$level]), + 'multiprices' => (float) $this->multiprices[$level], + 'multiprices_ttc' => (float) $this->multiprices_ttc[$level], 'multiprices_base_type' => $this->multiprices_base_type[$level], - 'multiprices_min' => doubleval($this->multiprices_min[$level]), - 'multiprices_min_ttc' => doubleval($this->multiprices_min_ttc[$level]), - 'multiprices_tva_tx' => doubleval($this->multiprices_tva_tx[$level]), - 'multiprices_recuperableonly' => doubleval($this->multiprices_recuperableonly[$level]), + 'multiprices_min' => (float) $this->multiprices_min[$level], + 'multiprices_min_ttc' => (float) $this->multiprices_min_ttc[$level], + 'multiprices_tva_tx' => (float) $this->multiprices_tva_tx[$level], + 'multiprices_recuperableonly' => (float) $this->multiprices_recuperableonly[$level], ); return $lastPrice; @@ -2082,13 +2127,30 @@ class Product extends CommonObject * @param int $product_id Filter on a particular product id * @param string $fourn_ref Filter on a supplier price ref. 'none' to exclude ref in search. * @param int $fk_soc If of supplier - * @return int <-1 if KO, -1 if qty not enough, 0 if OK but nothing found, id_product if OK and found. May also initialize some properties like (->ref_supplier, buyprice, fourn_pu, vatrate_supplier...) + * @return int Return integer <-1 if KO, -1 if qty not enough, 0 if OK but nothing found, id_product if OK and found. May also initialize some properties like (->ref_supplier, buyprice, fourn_pu, vatrate_supplier...) * @see getSellPrice(), find_min_price_product_fournisseur() */ public function get_buyprice($prodfournprice, $qty, $product_id = 0, $fourn_ref = '', $fk_soc = 0) { // phpcs:enable - global $conf; + global $action, $hookmanager; + + // Call hook if any + if (is_object($hookmanager)) { + $parameters = array( + 'prodfournprice' => $prodfournprice, + 'qty' => $qty, + 'product_id' => $product_id, + 'fourn_ref' => $fourn_ref, + 'fk_soc' => $fk_soc, + ); + // Note that $action and $object may have been modified by some hooks + $reshook = $hookmanager->executeHooks('getBuyPrice', $parameters, $this, $action); + if ($reshook > 0) { + return $hookmanager->resArray; + } + } + $result = 0; // We do a first search with a select by searching with couple prodfournprice and qty only (later we will search on triplet qty/product_id/fourn_ref) @@ -2296,7 +2358,7 @@ class Product extends CommonObject $price_min_ttc = 0; } } else { - $price = price2num($newprice, 'MU'); + $price = (float) price2num($newprice, 'MU'); $price_ttc = ($newnpr != 1) ? (float) price2num($newprice) * (1 + ($newvat / 100)) : $price; $price_ttc = price2num($price_ttc, 'MU'); @@ -2458,7 +2520,7 @@ class Product extends CommonObject * @param int $ignore_lang_load Load product without loading $this->multilangs language arrays (when we are sure we don't need them) * @return int Return integer <0 if KO, 0 if not found, >0 if OK */ - public function fetch($id = '', $ref = '', $ref_ext = '', $barcode = '', $ignore_expression = 0, $ignore_price_load = 0, $ignore_lang_load = 0) + public function fetch($id = 0, $ref = '', $ref_ext = '', $barcode = '', $ignore_expression = 0, $ignore_price_load = 0, $ignore_lang_load = 0) { include_once DOL_DOCUMENT_ROOT.'/core/lib/company.lib.php'; @@ -2507,7 +2569,7 @@ class Product extends CommonObject } else { $sql .= " p.pmp,"; } - $sql .= " p.datec, p.tms, p.import_key, p.entity, p.desiredstock, p.tobatch, p.batch_mask, p.fk_unit,"; + $sql .= " p.datec, p.tms, p.import_key, p.entity, p.desiredstock, p.tobatch, p.sell_or_eat_by_mandatory, p.batch_mask, p.fk_unit,"; $sql .= " p.fk_price_expression, p.price_autogen, p.model_pdf,"; if ($separatedStock) { $sql .= " SUM(sp.reel) as stock"; @@ -2550,7 +2612,7 @@ class Product extends CommonObject } else { $sql .= " p.pmp,"; } - $sql .= " p.datec, p.tms, p.import_key, p.entity, p.desiredstock, p.tobatch, p.batch_mask, p.fk_unit,"; + $sql .= " p.datec, p.tms, p.import_key, p.entity, p.desiredstock, p.tobatch, p.sell_or_eat_by_mandatory, p.batch_mask, p.fk_unit,"; $sql .= " p.fk_price_expression, p.price_autogen, p.model_pdf"; if (!$separatedStock) { $sql .= ", p.stock"; @@ -2578,6 +2640,7 @@ class Product extends CommonObject $this->status = $obj->tosell; $this->status_buy = $obj->tobuy; $this->status_batch = $obj->tobatch; + $this->sell_or_eat_by_mandatory = $obj->sell_or_eat_by_mandatory; $this->batch_mask = $obj->batch_mask; $this->customcode = $obj->customcode; @@ -2842,8 +2905,8 @@ class Product extends CommonObject if ($price_result >= 0) { $this->price = $price_result; // Calculate the VAT - $this->price_ttc = price2num($this->price) * (1 + ($this->tva_tx / 100)); - $this->price_ttc = price2num($this->price_ttc, 'MU'); + $this->price_ttc = (float) price2num($this->price) * (1 + ($this->tva_tx / 100)); + $this->price_ttc = (float) price2num($this->price_ttc, 'MU'); } } @@ -2884,7 +2947,7 @@ class Product extends CommonObject $sql .= " SUM(mp.qty) as qty"; $sql .= " FROM ".$this->db->prefix()."mrp_mo as c"; $sql .= " INNER JOIN ".$this->db->prefix()."mrp_production as mp ON mp.fk_mo=c.rowid"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " INNER JOIN ".$this->db->prefix()."societe_commerciaux as sc ON sc.fk_soc=c.fk_soc AND sc.fk_user = ".((int) $user->id); } $sql .= " WHERE "; @@ -3007,14 +3070,14 @@ class Product extends CommonObject $sql .= " FROM ".$this->db->prefix()."propaldet as pd"; $sql .= ", ".$this->db->prefix()."propal as p"; $sql .= ", ".$this->db->prefix()."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE p.rowid = pd.fk_propal"; $sql .= " AND p.fk_soc = s.rowid"; $sql .= " AND p.entity IN (".getEntity('propal').")"; $sql .= " AND pd.fk_product = ".((int) $this->id); - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND p.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } //$sql.= " AND pr.fk_statut != 0"; @@ -3082,14 +3145,14 @@ class Product extends CommonObject $sql .= " FROM ".$this->db->prefix()."supplier_proposaldet as pd"; $sql .= ", ".$this->db->prefix()."supplier_proposal as p"; $sql .= ", ".$this->db->prefix()."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE p.rowid = pd.fk_supplier_proposal"; $sql .= " AND p.fk_soc = s.rowid"; $sql .= " AND p.entity IN (".getEntity('supplier_proposal').")"; $sql .= " AND pd.fk_product = ".((int) $this->id); - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND p.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } //$sql.= " AND pr.fk_statut != 0"; @@ -3138,20 +3201,20 @@ class Product extends CommonObject $sql .= " FROM ".$this->db->prefix()."commandedet as cd"; $sql .= ", ".$this->db->prefix()."commande as c"; $sql .= ", ".$this->db->prefix()."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid && !$forVirtualStock) { + if (!$user->hasRight('societe', 'client', 'voir') && !$forVirtualStock) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE c.rowid = cd.fk_commande"; $sql .= " AND c.fk_soc = s.rowid"; $sql .= " AND c.entity IN (".getEntity($forVirtualStock && getDolGlobalString('STOCK_CALCULATE_VIRTUAL_STOCK_TRANSVERSE_MODE') ? 'stock' : 'commande').")"; $sql .= " AND cd.fk_product = ".((int) $this->id); - if (!$user->hasRight('societe', 'client', 'voir') && !$socid && !$forVirtualStock) { + if (!$user->hasRight('societe', 'client', 'voir') && !$forVirtualStock) { $sql .= " AND c.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid > 0) { $sql .= " AND c.fk_soc = ".((int) $socid); } - if ($filtrestatut <> '') { + if ($filtrestatut != '') { $sql .= " AND c.fk_statut in (".$this->db->sanitize($filtrestatut).")"; } @@ -3184,8 +3247,8 @@ class Product extends CommonObject } } - // If stock decrease is on invoice validation, the theorical stock continue to - // count the orders to ship in theorical stock when some are already removed by invoice validation. + // If stock decrease is on invoice validation, the theoretical stock continue to + // count the orders to ship in theoretical stock when some are already removed by invoice validation. if ($forVirtualStock && getDolGlobalString('STOCK_CALCULATE_ON_BILL')) { if (getDolGlobalString('DECREASE_ONLY_UNINVOICEDPRODUCTS')) { // If option DECREASE_ONLY_UNINVOICEDPRODUCTS is on, we make a compensation but only if order not yet invoice. @@ -3266,14 +3329,14 @@ class Product extends CommonObject $sql .= " FROM ".$this->db->prefix()."commande_fournisseurdet as cd"; $sql .= ", ".$this->db->prefix()."commande_fournisseur as c"; $sql .= ", ".$this->db->prefix()."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid && !$forVirtualStock) { + if (!$user->hasRight('societe', 'client', 'voir') && !$forVirtualStock) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE c.rowid = cd.fk_commande"; $sql .= " AND c.fk_soc = s.rowid"; $sql .= " AND c.entity IN (".getEntity($forVirtualStock && getDolGlobalString('STOCK_CALCULATE_VIRTUAL_STOCK_TRANSVERSE_MODE') ? 'stock' : 'supplier_order').")"; $sql .= " AND cd.fk_product = ".((int) $this->id); - if (!$user->hasRight('societe', 'client', 'voir') && !$socid && !$forVirtualStock) { + if (!$user->hasRight('societe', 'client', 'voir') && !$forVirtualStock) { $sql .= " AND c.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid > 0) { @@ -3329,7 +3392,7 @@ class Product extends CommonObject $sql .= ", ".$this->db->prefix()."commande as c"; $sql .= ", ".$this->db->prefix()."expedition as e"; $sql .= ", ".$this->db->prefix()."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid && !$forVirtualStock) { + if (!$user->hasRight('societe', 'client', 'voir') && !$forVirtualStock) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE e.rowid = ed.fk_expedition"; @@ -3338,13 +3401,13 @@ class Product extends CommonObject $sql .= " AND e.entity IN (".getEntity($forVirtualStock && getDolGlobalString('STOCK_CALCULATE_VIRTUAL_STOCK_TRANSVERSE_MODE') ? 'stock' : 'expedition').")"; $sql .= " AND ed.fk_origin_line = cd.rowid"; $sql .= " AND cd.fk_product = ".((int) $this->id); - if (!$user->hasRight('societe', 'client', 'voir') && !$socid && !$forVirtualStock) { + if (!$user->hasRight('societe', 'client', 'voir') && !$forVirtualStock) { $sql .= " AND e.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid > 0) { $sql .= " AND e.fk_soc = ".((int) $socid); } - if ($filtrestatut <> '') { + if ($filtrestatut != '') { $sql .= " AND c.fk_statut IN (".$this->db->sanitize($filtrestatut).")"; } if (!empty($filterShipmentStatus)) { @@ -3413,20 +3476,20 @@ class Product extends CommonObject $sql .= " FROM ".$this->db->prefix()."commande_fournisseur_dispatch as fd"; $sql .= ", ".$this->db->prefix()."commande_fournisseur as cf"; $sql .= ", ".$this->db->prefix()."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid && !$forVirtualStock) { + if (!$user->hasRight('societe', 'client', 'voir') && !$forVirtualStock) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE cf.rowid = fd.fk_commande"; $sql .= " AND cf.fk_soc = s.rowid"; $sql .= " AND cf.entity IN (".getEntity($forVirtualStock && getDolGlobalString('STOCK_CALCULATE_VIRTUAL_STOCK_TRANSVERSE_MODE') ? 'stock' : 'supplier_order').")"; $sql .= " AND fd.fk_product = ".((int) $this->id); - if (!$user->hasRight('societe', 'client', 'voir') && !$socid && !$forVirtualStock) { + if (!$user->hasRight('societe', 'client', 'voir') && !$forVirtualStock) { $sql .= " AND cf.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid > 0) { $sql .= " AND cf.fk_soc = ".((int) $socid); } - if ($filtrestatut <> '') { + if ($filtrestatut != '') { $sql .= " AND cf.fk_statut IN (".$this->db->sanitize($filtrestatut).")"; } if (!empty($dateofvirtualstock)) { @@ -3474,19 +3537,19 @@ class Product extends CommonObject $sql .= " FROM ".$this->db->prefix()."mrp_production as mp"; $sql .= ", ".$this->db->prefix()."mrp_mo as m"; $sql .= " LEFT JOIN ".$this->db->prefix()."societe as s ON s.rowid = m.fk_soc"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid && !$forVirtualStock) { + if (!$user->hasRight('societe', 'client', 'voir') && !$forVirtualStock) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE m.rowid = mp.fk_mo"; $sql .= " AND m.entity IN (".getEntity($forVirtualStock && getDolGlobalString('STOCK_CALCULATE_VIRTUAL_STOCK_TRANSVERSE_MODE') ? 'stock' : 'mrp').")"; $sql .= " AND mp.fk_product = ".((int) $this->id); - if (!$user->hasRight('societe', 'client', 'voir') && !$socid && !$forVirtualStock) { + if (!$user->hasRight('societe', 'client', 'voir') && !$forVirtualStock) { $sql .= " AND m.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid > 0) { $sql .= " AND m.fk_soc = ".((int) $socid); } - if ($filtrestatut <> '') { + if ($filtrestatut != '') { $sql .= " AND m.status IN (".$this->db->sanitize($filtrestatut).")"; } if (!empty($dateofvirtualstock)) { @@ -3570,14 +3633,14 @@ class Product extends CommonObject $sql .= " FROM ".$this->db->prefix()."contratdet as cd"; $sql .= ", ".$this->db->prefix()."contrat as c"; $sql .= ", ".$this->db->prefix()."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE c.rowid = cd.fk_contrat"; $sql .= " AND c.fk_soc = s.rowid"; $sql .= " AND c.entity IN (".getEntity('contract').")"; $sql .= " AND cd.fk_product = ".((int) $this->id); - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND c.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } //$sql.= " AND c.statut != 0"; @@ -3644,14 +3707,14 @@ class Product extends CommonObject $sql .= " FROM ".$this->db->prefix()."facturedet as fd"; $sql .= ", ".$this->db->prefix()."facture as f"; $sql .= ", ".$this->db->prefix()."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE f.rowid = fd.fk_facture"; $sql .= " AND f.fk_soc = s.rowid"; $sql .= " AND f.entity IN (".getEntity('invoice').")"; $sql .= " AND fd.fk_product = ".((int) $this->id); - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND f.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } //$sql.= " AND f.fk_statut != 0"; @@ -3719,14 +3782,14 @@ class Product extends CommonObject $sql .= " FROM ".MAIN_DB_PREFIX."facturedet_rec as fd"; $sql .= ", ".MAIN_DB_PREFIX."facture_rec as f"; $sql .= ", ".MAIN_DB_PREFIX."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE f.rowid = fd.fk_facture"; $sql .= " AND f.fk_soc = s.rowid"; $sql .= " AND f.entity IN (".getEntity('invoice').")"; $sql .= " AND fd.fk_product = ".((int) $this->id); - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND f.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } //$sql.= " AND f.fk_statut != 0"; @@ -3793,14 +3856,14 @@ class Product extends CommonObject $sql .= " FROM ".$this->db->prefix()."facture_fourn_det as fd"; $sql .= ", ".$this->db->prefix()."facture_fourn as f"; $sql .= ", ".$this->db->prefix()."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE f.rowid = fd.fk_facture_fourn"; $sql .= " AND f.fk_soc = s.rowid"; $sql .= " AND f.entity IN (".getEntity('facture_fourn').")"; $sql .= " AND fd.fk_product = ".((int) $this->id); - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND f.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } //$sql.= " AND f.fk_statut != 0"; @@ -3831,12 +3894,12 @@ class Product extends CommonObject // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Return an array formated for showing graphs + * Return an array formatted for showing graphs * * @param string $sql Request to execute * @param string $mode 'byunit'=number of unit, 'bynumber'=nb of entities * @param int $year Year (0=current year, -1=all years) - * @return array|int <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 + * @return array|int Return integer <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 */ private function _get_stats($sql, $mode, $year = 0) { @@ -3872,8 +3935,8 @@ class Product extends CommonObject } if (empty($year)) { - $year = strftime('%Y', time()); - $month = strftime('%m', time()); + $year = dol_print_date(time(), '%Y'); + $month = dol_print_date(time(), '%m'); } elseif ($year == -1) { $year = ''; $month = 12; // We imagine we are at end of year, so we get last 12 month before, so all correct year. @@ -3914,7 +3977,7 @@ class Product extends CommonObject * @param int $filteronproducttype 0=To filter on product only, 1=To filter on services only * @param int $year Year (0=last 12 month, -1=all years) * @param string $morefilter More sql filters - * @return array <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 + * @return array Return integer <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 */ public function get_nb_vente($socid, $mode, $filteronproducttype = -1, $year = 0, $morefilter = '') { @@ -3931,7 +3994,7 @@ class Product extends CommonObject if ($filteronproducttype >= 0) { $sql .= ", ".$this->db->prefix()."product as p"; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE f.rowid = d.fk_facture"; @@ -3945,7 +4008,7 @@ class Product extends CommonObject } $sql .= " AND f.fk_soc = s.rowid"; $sql .= " AND f.entity IN (".getEntity('invoice').")"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND f.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid > 0) { @@ -3968,7 +4031,7 @@ class Product extends CommonObject * @param int $filteronproducttype 0=To filter on product only, 1=To filter on services only * @param int $year Year (0=last 12 month, -1=all years) * @param string $morefilter More sql filters - * @return array <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 + * @return array Return integer <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 */ public function get_nb_achat($socid, $mode, $filteronproducttype = -1, $year = 0, $morefilter = '') { @@ -3985,7 +4048,7 @@ class Product extends CommonObject if ($filteronproducttype >= 0) { $sql .= ", ".$this->db->prefix()."product as p"; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE f.rowid = d.fk_facture_fourn"; @@ -3999,7 +4062,7 @@ class Product extends CommonObject } $sql .= " AND f.fk_soc = s.rowid"; $sql .= " AND f.entity IN (".getEntity('facture_fourn').")"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND f.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid > 0) { @@ -4021,7 +4084,7 @@ class Product extends CommonObject * @param int $filteronproducttype 0=To filter on product only, 1=To filter on services only * @param int $year Year (0=last 12 month, -1=all years) * @param string $morefilter More sql filters - * @return array <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 + * @return array Return integer <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 */ public function get_nb_propal($socid, $mode, $filteronproducttype = -1, $year = 0, $morefilter = '') { @@ -4037,7 +4100,7 @@ class Product extends CommonObject if ($filteronproducttype >= 0) { $sql .= ", ".$this->db->prefix()."product as prod"; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE p.rowid = d.fk_propal"; @@ -4051,7 +4114,7 @@ class Product extends CommonObject } $sql .= " AND p.fk_soc = s.rowid"; $sql .= " AND p.entity IN (".getEntity('propal').")"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND p.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid > 0) { @@ -4073,7 +4136,7 @@ class Product extends CommonObject * @param int $filteronproducttype 0=To filter on product only, 1=To filter on services only * @param int $year Year (0=last 12 month, -1=all years) * @param string $morefilter More sql filters - * @return array <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 + * @return array Return integer <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 */ public function get_nb_propalsupplier($socid, $mode, $filteronproducttype = -1, $year = 0, $morefilter = '') { @@ -4090,7 +4153,7 @@ class Product extends CommonObject if ($filteronproducttype >= 0) { $sql .= ", ".$this->db->prefix()."product as prod"; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE p.rowid = d.fk_supplier_proposal"; @@ -4104,7 +4167,7 @@ class Product extends CommonObject } $sql .= " AND p.fk_soc = s.rowid"; $sql .= " AND p.entity IN (".getEntity('supplier_proposal').")"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND p.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid > 0) { @@ -4126,7 +4189,7 @@ class Product extends CommonObject * @param int $filteronproducttype 0=To filter on product only, 1=To filter on services only * @param int $year Year (0=last 12 month, -1=all years) * @param string $morefilter More sql filters - * @return array <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 + * @return array Return integer <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 */ public function get_nb_order($socid, $mode, $filteronproducttype = -1, $year = 0, $morefilter = '') { @@ -4142,7 +4205,7 @@ class Product extends CommonObject if ($filteronproducttype >= 0) { $sql .= ", ".$this->db->prefix()."product as p"; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE c.rowid = d.fk_commande"; @@ -4156,7 +4219,7 @@ class Product extends CommonObject } $sql .= " AND c.fk_soc = s.rowid"; $sql .= " AND c.entity IN (".getEntity('commande').")"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND c.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid > 0) { @@ -4178,7 +4241,7 @@ class Product extends CommonObject * @param int $filteronproducttype 0=To filter on product only, 1=To filter on services only * @param int $year Year (0=last 12 month, -1=all years) * @param string $morefilter More sql filters - * @return array <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 + * @return array Return integer <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 */ public function get_nb_ordersupplier($socid, $mode, $filteronproducttype = -1, $year = 0, $morefilter = '') { @@ -4194,7 +4257,7 @@ class Product extends CommonObject if ($filteronproducttype >= 0) { $sql .= ", ".$this->db->prefix()."product as p"; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE c.rowid = d.fk_commande"; @@ -4208,7 +4271,7 @@ class Product extends CommonObject } $sql .= " AND c.fk_soc = s.rowid"; $sql .= " AND c.entity IN (".getEntity('supplier_order').")"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND c.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid > 0) { @@ -4230,7 +4293,7 @@ class Product extends CommonObject * @param int $filteronproducttype 0=To filter on product only, 1=To filter on services only * @param int $year Year (0=last 12 month, -1=all years) * @param string $morefilter More sql filters - * @return array <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 + * @return array Return integer <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 */ public function get_nb_contract($socid, $mode, $filteronproducttype = -1, $year = 0, $morefilter = '') { @@ -4246,10 +4309,9 @@ class Product extends CommonObject if ($filteronproducttype >= 0) { $sql .= ", ".$this->db->prefix()."product as p"; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } - $sql .= " WHERE c.entity IN (".getEntity('contract').")"; $sql .= " AND c.rowid = d.fk_contrat"; @@ -4263,7 +4325,7 @@ class Product extends CommonObject } $sql .= " AND c.fk_soc = s.rowid"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND c.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid > 0) { @@ -4285,7 +4347,7 @@ class Product extends CommonObject * @param int $filteronproducttype 0=To filter on product only, 1=To filter on services only * @param int $year Year (0=last 12 month, -1=all years) * @param string $morefilter More sql filters - * @return array <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 + * @return array Return integer <0 if KO, result[month]=array(valuex,valuey) where month is 0 to 11 */ public function get_nb_mos($socid, $mode, $filteronproducttype = -1, $year = 0, $morefilter = '') { @@ -4300,7 +4362,7 @@ class Product extends CommonObject if ($filteronproducttype >= 0) { $sql .= ", ".$this->db->prefix()."product as p"; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } @@ -4316,7 +4378,7 @@ class Product extends CommonObject $sql .= " AND p.rowid = d.fk_product AND p.fk_product_type = ".((int) $filteronproducttype); } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND d.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid > 0) { @@ -4338,7 +4400,7 @@ class Product extends CommonObject * @param int $qty Quantity * @param int $incdec 1=Increase/decrease stock of child when parent stock increase/decrease * @param int $notrigger Disable triggers - * @return int < 0 if KO, > 0 if OK + * @return int Return integer < 0 if KO, > 0 if OK */ public function add_sousproduit($id_pere, $id_fils, $qty, $incdec = 1, $notrigger = 0) { @@ -4411,7 +4473,7 @@ class Product extends CommonObject * @param int $qty Quantity * @param int $incdec 1=Increase/decrease stock of child when parent stock increase/decrease * @param int $notrigger Disable triggers - * @return int < 0 if KO, > 0 if OK + * @return int Return integer < 0 if KO, > 0 if OK */ public function update_sousproduit($id_pere, $id_fils, $qty, $incdec = 1, $notrigger = 0) { @@ -4463,7 +4525,7 @@ class Product extends CommonObject * @param int $fk_parent Id of parent product (child will no more be linked to it) * @param int $fk_child Id of child product * @param int $notrigger Disable triggers - * @return int < 0 if KO, > 0 if OK + * @return int Return integer < 0 if KO, > 0 if OK */ public function del_sousproduit($fk_parent, $fk_child, $notrigger = 0) { @@ -4526,7 +4588,7 @@ class Product extends CommonObject * * @param int $fk_parent Id of parent kit product * @param int $fk_child Id of child product - * @return int Return integer <0 if KO, >0 if OK + * @return int Return 1 or 0; -1 if error */ public function is_sousproduit($fk_parent, $fk_child) { @@ -4546,9 +4608,9 @@ class Product extends CommonObject $this->is_sousproduit_qty = $obj->qty; $this->is_sousproduit_incdec = $obj->incdec; - return true; + return 1; } else { - return false; + return 0; } } else { dol_print_error($this->db); @@ -4566,7 +4628,7 @@ class Product extends CommonObject * @param int $id_fourn Supplier id * @param string $ref_fourn Supplier ref * @param float $quantity Quantity minimum for price - * @return int < 0 if KO, 0 if link already exists for this product, > 0 if OK + * @return int Return integer < 0 if KO, 0 if link already exists for this product, > 0 if OK */ public function add_fournisseur($user, $id_fourn, $ref_fourn, $quantity) { @@ -4695,7 +4757,7 @@ class Product extends CommonObject * * @param int $fromId Id product source * @param int $toId Id product target - * @return int < 0 if KO, > 0 if OK + * @return int Return integer < 0 if KO, > 0 if OK */ public function clone_price($fromId, $toId) { @@ -4788,8 +4850,8 @@ class Product extends CommonObject // phpcs:enable $this->db->begin(); - $sql = 'INSERT INTO '.$this->db->prefix().'product_association (fk_product_pere, fk_product_fils, qty)'; - $sql .= " SELECT ".$toId.", fk_product_fils, qty FROM ".$this->db->prefix()."product_association"; + $sql = 'INSERT INTO '.$this->db->prefix().'product_association (fk_product_pere, fk_product_fils, qty, incdec)'; + $sql .= " SELECT ".$toId.", fk_product_fils, qty, incdec FROM ".$this->db->prefix()."product_association"; $sql .= " WHERE fk_product_pere = ".((int) $fromId); dol_syslog(get_class($this).'::clone_association', LOG_DEBUG); @@ -4808,7 +4870,7 @@ class Product extends CommonObject * * @param int $fromId Id produit source * @param int $toId Id produit cible - * @return int < 0 si erreur, > 0 si ok + * @return int Return integer < 0 si erreur, > 0 si ok */ public function clone_fournisseurs($fromId, $toId) { @@ -4907,7 +4969,7 @@ class Product extends CommonObject 'entity'=>$tmpproduct->entity ); - // Recursive call if there is childs to child + // Recursive call if there child has children of its own if (isset($desc_pere['childs']) && is_array($desc_pere['childs'])) { //print 'YYY We go down for '.$desc_pere[3]." -> \n"; $this->fetch_prod_arbo($desc_pere['childs'], $compl_path.$desc_pere[3]." -> ", $desc_pere[1] * $multiply, $level + 1, $id, $ignore_stock_load); @@ -5000,7 +5062,7 @@ class Product extends CommonObject /** * Return if loaded product is a variant * - * @return int + * @return bool|int Return true if the product is a variant, false if not, -1 if error */ public function isVariant() { @@ -5063,9 +5125,9 @@ class Product extends CommonObject /** - * Return childs of product $id + * Return children of product $id * - * @param int $id Id of product to search childs of + * @param int $id Id of product to search children of * @param int $firstlevelonly Return only direct child * @param int $level Level of recursing call (start to 1) * @param array $parents Array of all parents of $id @@ -5092,7 +5154,7 @@ class Product extends CommonObject dol_syslog(get_class($this).'::getChildsArbo id='.$id.' level='.$level. ' parents='.(is_array($parents) ? implode(',', $parents) : $parents), LOG_DEBUG); if ($level == 1) { - $alreadyfound = array($id=>1); // We init array of found object to start of tree, so if we found it later (should not happened), we stop immediatly + $alreadyfound = array($id=>1); // We init array of found object to start of tree, so if we found it later (should not happened), we stop immediately } // Protection against infinite loop if ($level > 30) { @@ -5153,7 +5215,7 @@ class Product extends CommonObject foreach ($this->getChildsArbo($this->id) as $keyChild => $valueChild) { // Warning. getChildsArbo can call getChildsArbo recursively. Starting point is $value[0]=id of product $parent[$this->label][$keyChild] = $valueChild; } - foreach ($parent as $key => $value) { // key=label, value is array of childs + foreach ($parent as $key => $value) { // key=label, value is array of children $this->sousprods[$key] = $value; } } @@ -5200,7 +5262,7 @@ class Product extends CommonObject $datas['label']= '
      '.$langs->trans('ProductLabel').': '.$this->label; } if (!empty($this->description)) { - $datas['description']= '
      '.$langs->trans('ProductDescription').': '.dolGetFirstLineofText($this->description, 5); + $datas['description']= '
      '.$langs->trans('ProductDescription').': '.dolGetFirstLineOfText($this->description, 5); } if ($this->type == Product::TYPE_PRODUCT || getDolGlobalString('STOCK_SUPPORTS_SERVICES')) { if (isModEnabled('productbatch')) { @@ -5238,9 +5300,19 @@ class Product extends CommonObject $labelsurfacevolume .= ($labelsurfacevolume ? " - " : "")."".$langs->trans("Volume").': '.$this->volume.' '.measuringUnitString(0, 'volume', $this->volume_units); } if ($labelsurfacevolume) { - $datas['surface']= "
      " . $labelsurfacevolume; + $datas['surface'] = "
      " . $labelsurfacevolume; } } + if ($this->type == Product::TYPE_SERVICE && !empty($this->duration_value)) { + // Duration + $datas['duration'] = '
      '.$langs->trans("Duration").': '.$this->duration_value; + if ($this->duration_value > 1) { + $dur = array("i"=>$langs->trans("Minutes"), "h"=>$langs->trans("Hours"), "d"=>$langs->trans("Days"), "w"=>$langs->trans("Weeks"), "m"=>$langs->trans("Months"), "y"=>$langs->trans("Years")); + } elseif ($this->duration_value > 0) { + $dur = array("i"=>$langs->trans("Minute"), "h"=>$langs->trans("Hour"), "d"=>$langs->trans("Day"), "w"=>$langs->trans("Week"), "m"=>$langs->trans("Month"), "y"=>$langs->trans("Year")); + } + $datas['duration'] .= (!empty($this->duration_unit) && isset($dur[$this->duration_unit]) ? " ".$langs->trans($dur[$this->duration_unit]) : ''); + } if (!empty($this->pmp) && $this->pmp) { $datas['pmp'] = "
      ".$langs->trans("PMPValue").': '.price($this->pmp, 0, '', 1, -1, -1, $conf->currency); } @@ -5515,7 +5587,7 @@ class Product extends CommonObject /** * Retour label of nature of product * - * @return string Label + * @return string|int Return label or ''. -1 if error */ public function getLibFinished() { @@ -5554,7 +5626,7 @@ class Product extends CommonObject * @param string $inventorycode Inventory code * @param string $origin_element Origin element type * @param int $origin_id Origin id of element - * @param int $disablestockchangeforsubproduct Disable stock change for sub-products of kit (usefull only if product is a subproduct) + * @param int $disablestockchangeforsubproduct Disable stock change for sub-products of kit (useful only if product is a subproduct) * @param Extrafields $extrafields Array of extrafields * @return int Return integer <0 if KO, >0 if OK */ @@ -5616,7 +5688,7 @@ class Product extends CommonObject * @param string $inventorycode Inventory code * @param string $origin_element Origin element type * @param int $origin_id Origin id of element - * @param int $disablestockchangeforsubproduct Disable stock change for sub-products of kit (usefull only if product is a subproduct) + * @param int $disablestockchangeforsubproduct Disable stock change for sub-products of kit (useful only if product is a subproduct) * @param Extrafields $extrafields Array of extrafields * @param boolean $force_update_batch Force update batch * @return int Return integer <0 if KO, >0 if OK @@ -5672,7 +5744,7 @@ class Product extends CommonObject * You can also filter on 'warehouseclosed', 'warehouseopen', 'warehouseinternal' * @param int $includedraftpoforvirtual Include draft status of PO for virtual stock calculation * @param int $dateofvirtualstock Date of virtual stock - * @return int < 0 if KO, > 0 if OK + * @return int Return integer < 0 if KO, > 0 if OK * @see load_virtual_stock(), loadBatchInfo() */ public function load_stock($option = '', $includedraftpoforvirtual = null, $dateofvirtualstock = null) @@ -5751,7 +5823,7 @@ class Product extends CommonObject * * @param int $includedraftpoforvirtual Include draft status and not yet approved Purchase Orders for virtual stock calculation * @param int $dateofvirtualstock Date of virtual stock - * @return int < 0 if KO, > 0 if OK + * @return int Return integer < 0 if KO, > 0 if OK * @see load_stock(), loadBatchInfo() */ public function load_virtual_stock($includedraftpoforvirtual = null, $dateofvirtualstock = null) @@ -5852,7 +5924,6 @@ class Product extends CommonObject $this->stock_theorique += ($stock_commande_fournisseur - $stock_reception_fournisseur); } - $hookmanager->initHooks(array('productdao')); $parameters = array('id'=>$this->id, 'includedraftpoforvirtual' => $includedraftpoforvirtual); // Note that $action and $object may have been modified by some hooks $reshook = $hookmanager->executeHooks('loadvirtualstock', $parameters, $this, $action); @@ -5975,7 +6046,7 @@ class Product extends CommonObject if (is_resource($handle)) { while (($file = readdir($handle)) !== false) { if (!utf8_check($file)) { - $file = utf8_encode($file); // To be sure data is stored in UTF8 in memory + $file = mb_convert_encoding($file, 'UTF-8', 'ISO-8859-1'); // To be sure data is stored in UTF8 in memory } if (dol_is_file($dir.$file) && image_format_supported($file) >= 0) { return true; @@ -5991,7 +6062,7 @@ class Product extends CommonObject * Return an array with all photos of product found on disk. There is no sorting criteria. * * @param string $dir Directory to scan - * @param int $nbmax Number maxium of photos (0=no maximum) + * @param int $nbmax Number maximum of photos (0=no maximum) * @return array Array of photos */ public function liste_photos($dir, $nbmax = 0) @@ -6008,7 +6079,7 @@ class Product extends CommonObject if (is_resource($handle)) { while (($file = readdir($handle)) !== false) { if (!utf8_check($file)) { - $file = utf8_encode($file); // readdir returns ISO + $file = mb_convert_encoding($file, 'UTF-8', 'ISO-8859-1'); // readdir returns ISO } if (dol_is_file($dir.$file) && image_format_supported($file) >= 0) { $nbphoto++; @@ -6023,7 +6094,7 @@ class Product extends CommonObject $dirthumb = $dir.'thumbs/'; - // Objet + // Object $obj = array(); $obj['photo'] = $photo; if ($photo_vignette && dol_is_file($dirthumb.$photo_vignette)) { @@ -6097,15 +6168,13 @@ class Product extends CommonObject $this->imgHeight = $infoImg[1]; // Hauteur de l'image } - // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** * Load indicators this->nb for the dashboard * * @return int Return integer <0 if KO, >0 if OK */ - public function load_state_board() + public function loadStateBoard() { - // phpcs:enable global $hookmanager; $this->nb = array(); @@ -6140,7 +6209,7 @@ class Product extends CommonObject } /** - * Return if object is a product + * Return if object is a product. * * @return boolean True if it's a product */ @@ -6159,16 +6228,37 @@ class Product extends CommonObject return ($this->type == Product::TYPE_SERVICE ? true : false); } + /** + * Return if object need to have its stock managed + * + * @return boolean True if it's a service + */ + public function isStockManaged() + { + return ($this->isProduct() || getDolGlobalString('STOCK_SUPPORTS_SERVICES')); + } /** * Return if object have a constraint on mandatory_period * - * @return boolean True if mandatory_period setted to 1 + * @return boolean True if mandatory_period set to 1 */ public function isMandatoryPeriod() { return ($this->mandatory_period == 1 ? true : false); } + + /** + * Return if object has a sell-by date or eat-by date + * + * @return boolean True if it's has + */ + public function hasbatch() + { + return ($this->status_batch > 0 ? true : false); + } + + // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** * Get a barcode from the module to generate barcode values. @@ -6192,7 +6282,7 @@ class Product extends CommonObject break; } } - $var = $conf->global->BARCODE_PRODUCT_ADDON_NUM; + $var = getDolGlobalString('BARCODE_PRODUCT_ADDON_NUM'); $mod = new $var(); $result = $mod->getNextValue($object, $type); @@ -6211,8 +6301,6 @@ class Product extends CommonObject */ public function initAsSpecimen() { - global $user, $langs, $conf, $mysoc; - $now = dol_now(); // Initialize parameters @@ -6226,6 +6314,7 @@ class Product extends CommonObject $this->status = 1; $this->status_buy = 1; $this->tobatch = 0; + $this->sell_or_eat_by_mandatory = 0; $this->note_private = 'This is a comment (private)'; $this->note_public = 'This is a comment (public)'; $this->date_creation = $now; @@ -6253,7 +6342,7 @@ class Product extends CommonObject * Returns the text label from units dictionary * * @param string $type Label type (long or short) - * @return string|int <0 if ko, label if ok + * @return string|int Return integer <0 if ko, label if ok */ public function getLabelOfUnit($type = 'long') { @@ -6285,22 +6374,11 @@ class Product extends CommonObject } } - /** - * Return if object has a sell-by date or eat-by date - * - * @return boolean True if it's has - */ - public function hasbatch() - { - return ($this->status_batch > 0 ? true : false); - } - - // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** * Return minimum product recommended price * - * @return int Minimum recommanded price that is higher price among all suppliers * PRODUCT_MINIMUM_RECOMMENDED_PRICE + * @return int Minimum recommended price that is higher price among all suppliers * PRODUCT_MINIMUM_RECOMMENDED_PRICE */ public function min_recommended_price() { @@ -6560,11 +6638,17 @@ class Product extends CommonObject } } } - if (property_exists($this, 'stock_reel')) { - $return .= '
      '.$langs->trans('PhysicalStock').' : '.$this->stock_reel.''; + $br = 1; + if (property_exists($this, 'stock_reel') && $this->isProduct()) { + $return .= '
      '.img_picto($langs->trans('PhysicalStock'), 'stock').'
      '.$this->stock_reel.'
      '; + $br = 0; } if (method_exists($this, 'getLibStatut')) { - $return .='
      '.$this->getLibStatut(3, 1).' '.$this->getLibStatut(3, 0).''; + if ($br) { + $return .= '
      '.$this->getLibStatut(3, 1).' '.$this->getLibStatut(3, 0).'
      '; + } else { + $return .= '
      '.$this->getLibStatut(3, 1).' '.$this->getLibStatut(3, 0).'
      '; + } } $return .= ''; $return .= ''; diff --git a/htdocs/product/class/productbatch.class.php b/htdocs/product/class/productbatch.class.php index 7374673fa02..cac5d5c05ee 100644 --- a/htdocs/product/class/productbatch.class.php +++ b/htdocs/product/class/productbatch.class.php @@ -73,7 +73,7 @@ class Productbatch extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct($db) { @@ -351,7 +351,7 @@ class Productbatch extends CommonObject } /** - * Clean fields (triming) + * Clean fields (trimming) * * @return void */ @@ -374,14 +374,14 @@ class Productbatch extends CommonObject /** * Find first detail record that match eather eat-by or sell-by or batch within given warehouse * - * @param int $fk_product_stock id product_stock for objet + * @param int $fk_product_stock id product_stock for object * @param integer $eatby eat-by date for object - deprecated: a search must be done on batch number * @param integer $sellby sell-by date for object - deprecated: a search must be done on batch number * @param string $batch_number batch number for object * @param int $fk_warehouse filter on warehouse (use it if you don't have $fk_product_stock) * @return int Return integer <0 if KO, >0 if OK */ - public function find($fk_product_stock = 0, $eatby = '', $sellby = '', $batch_number = '', $fk_warehouse = 0) + public function find($fk_product_stock = 0, $eatby = null, $sellby = null, $batch_number = '', $fk_warehouse = 0) { $where = array(); $sql = "SELECT"; @@ -443,10 +443,10 @@ class Productbatch extends CommonObject * Return all batch detail records for a given product and warehouse * * @param DoliDB $dbs database object - * @param int $fk_product_stock id product_stock for objet + * @param int $fk_product_stock id product_stock for object * @param int $with_qty 1 = doesn't return line with 0 quantity * @param int $fk_product If set to a product id, get eatby and sellby from table llx_product_lot - * @return array|int <0 if KO, array of batch + * @return array|int Return integer <0 if KO, array of batch */ public static function findAll($dbs, $fk_product_stock, $with_qty = 0, $fk_product = 0) { @@ -477,14 +477,13 @@ class Productbatch extends CommonObject } if (getDolGlobalString('SHIPPING_DISPLAY_STOCK_ENTRY_DATE')) { $sql .= ' LEFT JOIN '.MAIN_DB_PREFIX.'product_stock AS ps ON (ps.rowid = fk_product_stock)'; - $sql .= ' LEFT JOIN '.MAIN_DB_PREFIX.'stock_mouvement AS sm ON (sm.batch = t.batch AND ps.fk_entrepot=sm.fk_entrepot)'; + $sql .= ' LEFT JOIN '.MAIN_DB_PREFIX.'stock_mouvement AS sm ON (sm.batch = t.batch AND ps.fk_entrepot=sm.fk_entrepot AND sm.type_mouvement IN (0,3))'; } $sql .= " WHERE fk_product_stock=".((int) $fk_product_stock); if ($with_qty) { $sql .= " AND t.qty <> 0"; } if (getDolGlobalString('SHIPPING_DISPLAY_STOCK_ENTRY_DATE')) { - $sql .= ' AND sm.type_mouvement IN (0,3)'; $sql .= ' GROUP BY t.rowid, t.tms, t.fk_product_stock,t.sellby,t.eatby , t.batch,t.qty,t.import_key'; if ($fk_product > 0) { $sql .= ', pl.rowid, pl.eatby, pl.sellby'; @@ -523,10 +522,12 @@ class Productbatch extends CommonObject $tmp->context['stock_date_entry'] = $obj->date_entree; } - // Some properties of the lot - $tmp->lotid = $obj->lotid; // ID in table of the details of properties of each lots - $tmp->sellby = $dbs->jdate($obj->sellby ? $obj->sellby : $obj->oldsellby); - $tmp->eatby = $dbs->jdate($obj->eatby ? $obj->eatby : $obj->oldeatby); + if ($fk_product > 0) { + // Some properties of the lot + $tmp->lotid = $obj->lotid; // ID in table of the details of properties of each lots + $tmp->sellby = $dbs->jdate($obj->sellby ? $obj->sellby : $obj->oldsellby); + $tmp->eatby = $dbs->jdate($obj->eatby ? $obj->eatby : $obj->oldeatby); + } $ret[$tmp->batch] = $tmp; // $ret is for a $fk_product_stock and unique key is on $fk_product_stock+batch $i++; @@ -548,7 +549,7 @@ class Productbatch extends CommonObject * @param int $qty_min [=NULL] Minimum quantity * @param string $sortfield [=NULL] List of sort fields, separated by comma. Example: 't1.fielda,t2.fieldb' * @param string $sortorder [=NULL] Sort order, separated by comma. Example: 'ASC,DESC'; - * @return int|array <0 if KO, array of batch + * @return int|array Return integer <0 if KO, array of batch * * @throws Exception */ diff --git a/htdocs/product/class/productcustomerprice.class.php b/htdocs/product/class/productcustomerprice.class.php index 392ba0b3aa6..8e44d4cc52e 100644 --- a/htdocs/product/class/productcustomerprice.class.php +++ b/htdocs/product/class/productcustomerprice.class.php @@ -105,7 +105,7 @@ class ProductCustomerPrice extends CommonObject /** * Constructor * - * @param DoliDb $db handler + * @param DoliDB $db handler */ public function __construct($db) { @@ -598,7 +598,7 @@ class ProductCustomerPrice extends CommonObject * @param int $forceupdateaffiliate update price on each soc child * @return int Return integer <0 if KO, >0 if OK */ - public function update($user = 0, $notrigger = 0, $forceupdateaffiliate = 0) + public function update(User $user, $notrigger = 0, $forceupdateaffiliate = 0) { global $conf, $langs; $error = 0; @@ -811,7 +811,7 @@ class ProductCustomerPrice extends CommonObject * * @param User $user User that modifies * @param int $forceupdateaffiliate update price on each soc child - * @return int <0 if KO, 0 = action disabled, >0 if OK + * @return int Return integer <0 if KO, 0 = action disabled, >0 if OK */ public function setPriceOnAffiliateThirdparty($user, $forceupdateaffiliate) { diff --git a/htdocs/product/class/productfournisseurprice.class.php b/htdocs/product/class/productfournisseurprice.class.php index 29a242b0238..5f54a8efa77 100644 --- a/htdocs/product/class/productfournisseurprice.class.php +++ b/htdocs/product/class/productfournisseurprice.class.php @@ -74,7 +74,7 @@ class ProductFournisseurPrice extends CommonObject * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'maxwidth200', 'wordbreak', 'tdoverflowmax200' @@ -169,7 +169,7 @@ class ProductFournisseurPrice extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -196,10 +196,10 @@ class ProductFournisseurPrice extends CommonObject * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { return $this->createCommon($user, $notrigger); } @@ -399,10 +399,10 @@ class ProductFournisseurPrice extends CommonObject * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -410,11 +410,11 @@ class ProductFournisseurPrice extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); } @@ -424,7 +424,7 @@ class ProductFournisseurPrice extends CommonObject * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function validate($user, $notrigger = 0) { @@ -436,7 +436,7 @@ class ProductFournisseurPrice extends CommonObject // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this)."::validate action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this)."::validate action abandoned: already validated", LOG_WARNING); return 0; } @@ -566,7 +566,7 @@ class ProductFournisseurPrice extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function cancel($user, $notrigger = 0) { @@ -583,7 +583,7 @@ class ProductFournisseurPrice extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function reopen($user, $notrigger = 0) { @@ -596,7 +596,7 @@ class ProductFournisseurPrice extends CommonObject } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -805,7 +805,7 @@ class ProductFournisseurPrice extends CommonObject $mybool = false; $file = getDolGlobalString('BUYPRICEHISTORY_PRODUCTFOURNISSEURPRICE_ADDON') . ".php"; - $classname = $conf->global->BUYPRICEHISTORY_PRODUCTFOURNISSEURPRICE_ADDON; + $classname = getDolGlobalString('BUYPRICEHISTORY_PRODUCTFOURNISSEURPRICE_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -817,7 +817,7 @@ class ProductFournisseurPrice extends CommonObject } if ($mybool === false) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -846,7 +846,7 @@ class ProductFournisseurPrice extends CommonObject * Create a document onto disk according to template module. * * @param string $modele Force template to use ('' to not force) - * @param Translate $outputlangs objet lang a utiliser pour traduction + * @param Translate $outputlangs object lang a utiliser pour traduction * @param int $hidedetails Hide details of lines * @param int $hidedesc Hide description * @param int $hideref Hide ref @@ -868,7 +868,7 @@ class ProductFournisseurPrice extends CommonObject if (!empty($this->model_pdf)) { $modele = $this->model_pdf; } elseif (getDolGlobalString('PRODUCTFOURNISSEURPRICE_ADDON_PDF')) { - $modele = $conf->global->PRODUCTFOURNISSEURPRICE_ADDON_PDF; + $modele = getDolGlobalString('PRODUCTFOURNISSEURPRICE_ADDON_PDF'); } } diff --git a/htdocs/product/class/propalmergepdfproduct.class.php b/htdocs/product/class/propalmergepdfproduct.class.php index 00774a4f54e..bc6491955fc 100644 --- a/htdocs/product/class/propalmergepdfproduct.class.php +++ b/htdocs/product/class/propalmergepdfproduct.class.php @@ -57,7 +57,7 @@ class Propalmergepdfproduct extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct($db) { @@ -284,7 +284,7 @@ class Propalmergepdfproduct extends CommonObject * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update($user = 0, $notrigger = 0) + public function update(User $user, $notrigger = 0) { global $conf, $langs; $error = 0; diff --git a/htdocs/product/composition/card.php b/htdocs/product/composition/card.php index f2878b035ab..1e86a7bedce 100644 --- a/htdocs/product/composition/card.php +++ b/htdocs/product/composition/card.php @@ -235,7 +235,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -321,7 +321,7 @@ if ($id > 0 || !empty($ref)) { $nbofsubsubproducts = count($prods_arbo); // This include sub sub product into nb $prodschild = $object->getChildsArbo($id, 1); - $nbofsubproducts = count($prodschild); // This include only first level of childs + $nbofsubproducts = count($prodschild); // This include only first level of children print '
      '; @@ -389,6 +389,10 @@ if ($id > 0 || !empty($ref)) { if (isModEnabled('stock')) { print '
      '; } + // Hook fields + $parameters = array(); + $reshook = $hookmanager->executeHooks('printFieldListTitle', $parameters); // Note that $action and $object may have been modified by hook + print $hookmanager->resPrint; // Qty in kit print ''; // Stoc inc/dev @@ -467,6 +471,11 @@ if ($id > 0 || !empty($ref)) { print ''; // Real stock } + // Hook fields + $parameters = array(); + $reshook=$hookmanager->executeHooks('printFieldListValue', $parameters, $productstatic); // Note that $action and $object may have been modified by hook + print $hookmanager->resPrint; + // Qty + IncDec if ($user->hasRight('produit', 'creer') || $user->hasRight('service', 'creer')) { print ''; @@ -517,6 +526,11 @@ if ($id > 0 || !empty($ref)) { print ''; // Real stock } + // Hook fields + $parameters = array(); + $reshook=$hookmanager->executeHooks('printFieldListValue', $parameters, $productstatic); // Note that $action and $object may have been modified by hook + print $hookmanager->resPrint; + // Qty in kit print ''; diff --git a/htdocs/product/document.php b/htdocs/product/document.php index cfdc91efad4..b3e56a9f5ac 100644 --- a/htdocs/product/document.php +++ b/htdocs/product/document.php @@ -90,7 +90,7 @@ if ($id > 0 || !empty($ref)) { $upload_dir = $conf->service->multidir_output[$object->entity].'/'.get_exdir(0, 0, 0, 1, $object, 'product'); } - if (getDolGlobalInt('PRODUCT_USE_OLD_PATH_FOR_PHOTO')) { // For backward compatiblity, we scan also old dirs + if (getDolGlobalInt('PRODUCT_USE_OLD_PATH_FOR_PHOTO')) { // For backward compatibility, we scan also old dirs if (isModEnabled("product")) { $upload_dirold = $conf->product->multidir_output[$object->entity].'/'.substr(substr("000".$object->id, -2), 1, 1).'/'.substr(substr("000".$object->id, -2), 0, 1).'/'.$object->id."/photos"; } else { @@ -228,7 +228,7 @@ if ($object->id) { // Build file list $filearray = dol_dir_list($upload_dir, "files", 0, '', '(\.meta|_preview.*\.png)$', $sortfield, (strtolower($sortorder) == 'desc' ? SORT_DESC : SORT_ASC), 1); - if (getDolGlobalInt('PRODUCT_USE_OLD_PATH_FOR_PHOTO')) { // For backward compatiblity, we scan also old dirs + if (getDolGlobalInt('PRODUCT_USE_OLD_PATH_FOR_PHOTO')) { // For backward compatibility, we scan also old dirs $filearrayold = dol_dir_list($upload_dirold, "files", 0, '', '(\.meta|_preview.*\.png)$', $sortfield, (strtolower($sortorder) == 'desc' ? SORT_DESC : SORT_ASC), 1); $filearray = array_merge($filearray, $filearrayold); } @@ -243,7 +243,7 @@ if ($object->id) { $object->next_prev_filter = "fk_product_type = ".((int) $object->type); $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -283,11 +283,11 @@ if ($object->id) { $filearray = dol_dir_list($upload_dir, "files", 0, '', '\.meta$', 'name', SORT_ASC, 1); - if (getDolGlobalInt('PRODUCT_USE_OLD_PATH_FOR_PHOTO')) { // For backward compatiblity, we scan also old dirs + if (getDolGlobalInt('PRODUCT_USE_OLD_PATH_FOR_PHOTO')) { // For backward compatibility, we scan also old dirs $filearray = array_merge($filearray, dol_dir_list($upload_dirold, "files", 0, '', '\.meta$', 'name', SORT_ASC, 1)); } - // For each file build select list with PDF extention + // For each file build select list with PDF extension if (count($filearray) > 0) { print '
      '; // Actual file to merge is : diff --git a/htdocs/product/dynamic_price/class/price_expression.class.php b/htdocs/product/dynamic_price/class/price_expression.class.php index 8c237b0d1bd..5a0fa5243ff 100644 --- a/htdocs/product/dynamic_price/class/price_expression.class.php +++ b/htdocs/product/dynamic_price/class/price_expression.class.php @@ -25,7 +25,7 @@ /** - * Class for accesing price expression table + * Class for accessing price expression table */ class PriceExpression { @@ -49,7 +49,14 @@ class PriceExpression */ public $id; + /** + * @var string title + */ public $title; + + /** + * @var string math expression + */ public $expression; /** @@ -60,7 +67,7 @@ class PriceExpression /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct($db) { @@ -75,7 +82,7 @@ class PriceExpression * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create($user, $notrigger = 0) + public function create(User $user, $notrigger = 0) { $error = 0; @@ -127,7 +134,7 @@ class PriceExpression * Load object in memory from the database * * @param int $id Id object - * @return int < 0 if KO, 0 if OK but not found, > 0 if OK + * @return int Return integer < 0 if KO, 0 if OK but not found, > 0 if OK */ public function fetch($id) { @@ -163,7 +170,7 @@ class PriceExpression /** * List all price expressions * - * @return array|int Array of price expressions, <0 if ko + * @return PriceExpression[]|int Array of price expressions, <0 if ko */ public function list_price_expression() { @@ -198,8 +205,8 @@ class PriceExpression /** * Returns any existing rowid with specified title * - * @param String $title Title of expression - * @return int < 0 if KO, 0 if OK but not found, > 0 rowid + * @param string $title Title of expression + * @return int Return integer < 0 if KO, 0 if OK but not found, > 0 rowid */ public function find_title($title) { @@ -231,7 +238,7 @@ class PriceExpression * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update($user = 0, $notrigger = 0) + public function update(User $user, $notrigger = 0) { $error = 0; diff --git a/htdocs/product/dynamic_price/class/price_global_variable.class.php b/htdocs/product/dynamic_price/class/price_global_variable.class.php index d6575223866..e14075cfd48 100644 --- a/htdocs/product/dynamic_price/class/price_global_variable.class.php +++ b/htdocs/product/dynamic_price/class/price_global_variable.class.php @@ -25,7 +25,7 @@ /** - * Class for accesing price global variables table + * Class for accessing price global variables table */ class PriceGlobalVariable { @@ -66,7 +66,7 @@ class PriceGlobalVariable /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct($db) { @@ -138,7 +138,7 @@ class PriceGlobalVariable * Load object in memory from the database * * @param int $id Id object - * @return int < 0 if KO, 0 if OK but not found, > 0 if OK + * @return int Return integer < 0 if KO, 0 if OK but not found, > 0 if OK */ public function fetch($id) { diff --git a/htdocs/product/dynamic_price/class/price_global_variable_updater.class.php b/htdocs/product/dynamic_price/class/price_global_variable_updater.class.php index d3fc23e7357..5097d8ac7ba 100644 --- a/htdocs/product/dynamic_price/class/price_global_variable_updater.class.php +++ b/htdocs/product/dynamic_price/class/price_global_variable_updater.class.php @@ -78,7 +78,7 @@ class PriceGlobalVariableUpdater /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct($db) { @@ -154,7 +154,7 @@ class PriceGlobalVariableUpdater * Load object in memory from the database * * @param int $id Id object - * @return int < 0 if KO, 0 if OK but not found, > 0 if OK + * @return int Return integer < 0 if KO, 0 if OK but not found, > 0 if OK */ public function fetch($id) { @@ -445,7 +445,7 @@ class PriceGlobalVariableUpdater /** * Handles the processing of this updater * - * @return int <0 if KO, 0 if OK but no global variable found, >0 if OK + * @return int Return integer <0 if KO, 0 if OK but no global variable found, >0 if OK */ public function process() { diff --git a/htdocs/product/dynamic_price/class/price_parser.class.php b/htdocs/product/dynamic_price/class/price_parser.class.php index e53193481f2..138f5927836 100644 --- a/htdocs/product/dynamic_price/class/price_parser.class.php +++ b/htdocs/product/dynamic_price/class/price_parser.class.php @@ -65,7 +65,7 @@ class PriceParser $langs->load("errors"); /* -No arg - 9, an unexpected error occured + 9, an unexpected error occurred 14, division by zero 19, expression not found 20, empty expression @@ -213,7 +213,7 @@ class PriceParser return -6; } - //Iterate over each expression splitted by $separator_chr + //Iterate over each expression split by $separator_chr $expressions = explode($this->separator_chr, $expression); $expressions = array_slice($expressions, 0, $this->limit); foreach ($expressions as $expr) { @@ -246,7 +246,7 @@ class PriceParser * Calculates product price based on product id and associated expression * * @param Product $product The Product object to get information - * @param array $extra_values Any aditional values for expression + * @param array $extra_values Any additional values for expression * @return int > 0 if OK, < 1 if KO */ public function parseProduct($product, $extra_values = array()) @@ -293,7 +293,7 @@ class PriceParser * Calculates supplier product price based on product supplier price and associated expression * * @param ProductFournisseur $product_supplier The Product supplier object to get information - * @param array $extra_values Any aditional values for expression + * @param array $extra_values Any additional values for expression * @return int > 0 if OK, < 1 if KO */ public function parseProductSupplier($product_supplier, $extra_values = array()) @@ -324,7 +324,7 @@ class PriceParser * * @param int $product_id The Product id to get information * @param string $expression The expression to parse - * @param array $extra_values Any aditional values for expression + * @param array $extra_values Any additional values for expression * @return int > 0 if OK, < 1 if KO */ public function testExpression($product_id, $expression, $extra_values = array()) diff --git a/htdocs/product/dynamic_price/editor.php b/htdocs/product/dynamic_price/editor.php index f32a9708868..714a44081b0 100644 --- a/htdocs/product/dynamic_price/editor.php +++ b/htdocs/product/dynamic_price/editor.php @@ -163,7 +163,7 @@ print ''; // Title input print ''; //Help text diff --git a/htdocs/product/fournisseurs.php b/htdocs/product/fournisseurs.php index 6d33f7bf6d9..aba181da8f9 100644 --- a/htdocs/product/fournisseurs.php +++ b/htdocs/product/fournisseurs.php @@ -395,7 +395,7 @@ if ($id > 0 || $ref) { $object->next_prev_filter = "fk_product_type = ".((int) $object->type); $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -720,52 +720,49 @@ if ($id > 0 || $ref) { } } $currencies = json_encode($currencies); + print " + -END; + var currencies_array = $currencies; + $('select[name=\"multicurrency_code\"]').change(function () { + console.log(\"We change the currency\"); + $('input[name=\"multicurrency_tx\"]').val(currencies_array[$(this).val()]); + update_price_from_multicurrency(); + }); + }); + "; } else { // Price qty min print ''; @@ -810,7 +807,7 @@ END; print ''; print ''; print ''; } diff --git a/htdocs/product/index.php b/htdocs/product/index.php index 5de07fc509c..f26c28b840d 100644 --- a/htdocs/product/index.php +++ b/htdocs/product/index.php @@ -5,7 +5,7 @@ * Copyright (C) 2014-2016 Charlie BENKE * Copyright (C) 2015 Jean-François Ferry * Copyright (C) 2019 Pierre Ardoin - * Copyright (C) 2019-2021 Frédéric France + * Copyright (C) 2019-2024 Frédéric France * Copyright (C) 2019 Nicolas ZABOURI * * This program is free software; you can redistribute it and/or modify @@ -365,7 +365,7 @@ if ((isModEnabled("product") || isModEnabled("service")) && ($user->hasRight("pr print ''; print '\n"; print ''; print ''; // Other field (not used) if (getDolGlobalString('PRODUCT_USE_OTHER_FIELD_IN_TRANSLATION')) { - print ''; diff --git a/htdocs/projet/activity/index.php b/htdocs/projet/activity/index.php index 166baecc5c9..6d7f9656d73 100644 --- a/htdocs/projet/activity/index.php +++ b/htdocs/projet/activity/index.php @@ -163,7 +163,7 @@ print ''; print '
      '; -/* Affichage de la liste des projets d'hier */ +/* Show list of yesterday's projects */ print '
      '; print '
      '; if (getDolGlobalString('PRODUCT_ADDON_PDF') == $name) { print img_picto($langs->trans("Default"), 'on'); @@ -690,7 +690,7 @@ print $form->selectarray( print '
      '.$langs->trans("ViewProductDescInFormAbility").''; @@ -765,7 +765,7 @@ if (getDolGlobalString('PRODUCT_CANVAS_ABILITY')) { $const = "PRODUCT_SPECIAL_".strtoupper($file); - if ($conf->global->$const) { + if (getDolGlobalString($const)) { print img_picto($langs->trans("Active"), 'tick'); print ''; print ''.$langs->trans("Disable").''; diff --git a/htdocs/product/admin/product_lot.php b/htdocs/product/admin/product_lot.php index 4526636d8b1..5ea00762dc7 100644 --- a/htdocs/product/admin/product_lot.php +++ b/htdocs/product/admin/product_lot.php @@ -88,12 +88,12 @@ if ($action == 'updateMaskLot') { dolibarr_set_const($db, "PRODUCTBATCH_SN_ADDON", $value, 'chaine', 0, '', $conf->entity); } elseif ($action == 'setmaskslot') { dolibarr_set_const($db, "PRODUCTBATCH_LOT_USE_PRODUCT_MASKS", $value, 'bool', 0, '', $conf->entity); - if ($value == '1' && $conf->global->PRODUCTBATCH_LOT_ADDONS !== 'mod_lot_advanced') { + if ($value == '1' && getDolGlobalString('PRODUCTBATCH_LOT_ADDONS') !== 'mod_lot_advanced') { dolibarr_set_const($db, "PRODUCTBATCH_LOT_ADDON", 'mod_lot_advanced', 'chaine', 0, '', $conf->entity); } } elseif ($action == 'setmaskssn') { dolibarr_set_const($db, "PRODUCTBATCH_SN_USE_PRODUCT_MASKS", $value, 'bool', 0, '', $conf->entity); - if ($value == '1' && $conf->global->PRODUCTBATCH_SN_ADDONS !== 'mod_sn_advanced') { + if ($value == '1' && getDolGlobalString('PRODUCTBATCH_SN_ADDONS') !== 'mod_sn_advanced') { dolibarr_set_const($db, "PRODUCTBATCH_SN_ADDON", 'mod_sn_advanced', 'chaine', 0, '', $conf->entity); } } elseif ($action == 'set') { @@ -176,7 +176,7 @@ print dol_get_fiche_head($head, 'settings', $langs->trans("Batch"), -1, 'lot'); if (getDolGlobalInt('MAIN_FEATURES_LEVEL') < 2) { - // The feature to define the numbering module of lot or serial is no enabled bcause it is not used anywhere in Dolibarr code: You can set it + // The feature to define the numbering module of lot or serial is no enabled because it is not used anywhere in Dolibarr code: You can set it // but the numbering module is not used. // TODO Use it on lot creation page, when you create a lot and when the lot number is kept empty to define the lot according // to the selected product. @@ -473,7 +473,7 @@ foreach ($dirmodels as $reldir) { print "'; if (getDolGlobalString('PRODUCT_BATCH_ADDON_PDF') == $name) { print img_picto($langs->trans("Default"), 'on'); diff --git a/htdocs/product/admin/product_tools.php b/htdocs/product/admin/product_tools.php index 3faa9d44643..b769f8c2b5f 100644 --- a/htdocs/product/admin/product_tools.php +++ b/htdocs/product/admin/product_tools.php @@ -65,7 +65,9 @@ if ($action == 'convert') { $nbrecordsmodified = 0; - $db->begin(); + if (!getDolGlobalInt('VATUPDATE_NO_TRANSACTION')) { + $db->begin(); + } // Clean vat code old $vat_src_code_old = ''; @@ -94,7 +96,7 @@ if ($action == 'convert') { if ($vat_src_code_old) { $sql .= " AND default_vat_code = '".$db->escape($vat_src_code_old)."'"; } else { - " AND default_vat_code = IS NULL"; + $sql .= " AND default_vat_code = IS NULL"; } $resql = $db->query($sql); @@ -259,10 +261,21 @@ if ($action == 'convert') { dol_print_error($db); } - if (!$error) { - $db->commit(); - } else { - $db->rollback(); + + // add hook for external modules + $parameters = array('oldvatrate' => $oldvatrate, 'newvatrate' => $newvatrate); + $reshook = $hookmanager->executeHooks('hookAfterVatUpdate', $parameters); + if ($reshook < 0) { + setEventMessages($hookmanager->error, $hookmanager->errors, 'errors'); + $error++; + } + + if (!getDolGlobalInt('VATUPDATE_NO_TRANSACTION')) { + if (!$error) { + $db->commit(); + } else { + $db->rollback(); + } } // Output result diff --git a/htdocs/product/admin/stock_mouvement_extrafields.php b/htdocs/product/admin/stock_mouvement_extrafields.php index b4c3542331d..6ce64991f5d 100644 --- a/htdocs/product/admin/stock_mouvement_extrafields.php +++ b/htdocs/product/admin/stock_mouvement_extrafields.php @@ -23,38 +23,11 @@ /** * \file htdocs/product/admin/stock_mouvement_extrafields.php * \ingroup stock - * \brief Page to setup extra fields of stock mouvement + * \brief Page to setup extra fields of stock movement */ // Load Dolibarr environment -$res = 0; -// Try main.inc.php into web root known defined into CONTEXT_DOCUMENT_ROOT (not always defined) -if (!$res && !empty($_SERVER["CONTEXT_DOCUMENT_ROOT"])) { - $res = @include $_SERVER["CONTEXT_DOCUMENT_ROOT"]."/main.inc.php"; -} -// Try main.inc.php into web root detected using web root calculated from SCRIPT_FILENAME -$tmp = empty($_SERVER['SCRIPT_FILENAME']) ? '' : $_SERVER['SCRIPT_FILENAME']; $tmp2 = realpath(__FILE__); $i = strlen($tmp) - 1; $j = strlen($tmp2) - 1; -while ($i > 0 && $j > 0 && isset($tmp[$i]) && isset($tmp2[$j]) && $tmp[$i] == $tmp2[$j]) { - $i--; - $j--; -} -if (!$res && $i > 0 && file_exists(substr($tmp, 0, ($i + 1))."/main.inc.php")) { - $res = @include substr($tmp, 0, ($i + 1))."/main.inc.php"; -} -if (!$res && $i > 0 && file_exists(dirname(substr($tmp, 0, ($i + 1)))."/main.inc.php")) { - $res = @include dirname(substr($tmp, 0, ($i + 1)))."/main.inc.php"; -} -// Try main.inc.php using relative path -if (!$res && file_exists("../../main.inc.php")) { - $res = @include "../../main.inc.php"; -} -if (!$res && file_exists("../../../main.inc.php")) { - $res = @include "../../../main.inc.php"; -} -if (!$res) { - die("Include of main fails"); -} - +require '../../main.inc.php'; require_once DOL_DOCUMENT_ROOT.'/core/class/extrafields.class.php'; require_once DOL_DOCUMENT_ROOT.'/core/lib/stock.lib.php'; @@ -94,7 +67,7 @@ require DOL_DOCUMENT_ROOT.'/core/actions_extrafields.inc.php'; $textobject = $langs->transnoentitiesnoconv("StockMovement"); -llxHeader('', $langs->trans("StockSetup"), $help_url); +llxHeader('', $langs->trans("StockSetup")); $linkback = ''.$langs->trans("BackToModuleList").''; diff --git a/htdocs/product/agenda.php b/htdocs/product/agenda.php index 3f1a225b0b1..7179a411a82 100644 --- a/htdocs/product/agenda.php +++ b/htdocs/product/agenda.php @@ -164,7 +164,7 @@ if ($id > 0 || $ref) { $object->next_prev_filter = "fk_product_type = ".((int) $object->type); $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } diff --git a/htdocs/product/ajax/product_lot.php b/htdocs/product/ajax/product_lot.php new file mode 100644 index 00000000000..bd095ec7a8c --- /dev/null +++ b/htdocs/product/ajax/product_lot.php @@ -0,0 +1,74 @@ + + * Copyright (C) 2023 Lionel Vessiller + * + * This program is free software; you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation; either version 3 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program. If not, see . + */ + +/** + * \file htdocs/product/ajax/product_lot.php + * \brief Ajax search component for ProductLot. + */ + +if (!defined('NOTOKENRENEWAL')) { + define('NOTOKENRENEWAL', '1'); +} +if (!defined('NOREQUIREMENU')) { + define('NOREQUIREMENU', '1'); +} +if (!defined('NOREQUIREHTML')) { + define('NOREQUIREHTML', '1'); +} +if (!defined('NOREQUIREAJAX')) { + define('NOREQUIREAJAX', '1'); +} +if (!defined('NOBROWSERNOTIF')) { + define('NOBROWSERNOTIF', '1'); +} + +// Load Dolibarr environment +require '../../main.inc.php'; // Load $user and permissions +require_once DOL_DOCUMENT_ROOT.'/product/stock/class/productlot.class.php'; + +$action = GETPOST('action', 'aZ09'); +$productId = GETPOST('product_id', 'int'); +$batch = GETPOST('batch', 'alphanohtml'); + +// Security check +restrictedArea($user, 'produit|service', $productId, 'product&product'); + + +/* + * View + */ + +top_httphead('application/json'); + +$rows = array(); + +if ($action == 'search' && $batch != '') { + $productLot = new Productlot($db); + $result = $productLot->fetch('', $productId, $batch); + + if ($result > 0 && $productLot->id > 0) { + $rows[] = array( + 'rowid' => $productLot->id, + 'sellby' => ($productLot->sellby ? dol_print_date($productLot->sellby, 'day') : ''), + 'eatby' => ($productLot->eatby ? dol_print_date($productLot->eatby, 'day') : ''), + ); + } +} + +echo json_encode($rows); +exit(); diff --git a/htdocs/product/ajax/products.php b/htdocs/product/ajax/products.php index cb4c4e50afb..fb0364c06e4 100644 --- a/htdocs/product/ajax/products.php +++ b/htdocs/product/ajax/products.php @@ -59,7 +59,7 @@ $warehouseStatus = GETPOST('warehousestatus', 'alpha'); $hidepriceinlabel = GETPOST('hidepriceinlabel', 'int'); // Security check -restrictedArea($user, 'produit|service', 0, 'product&product'); +restrictedArea($user, 'produit|service|commande|propal|facture', 0, 'product&product'); /* @@ -174,11 +174,11 @@ if ($action == 'fetch' && !empty($id)) { $objp = $db->fetch_object($result); if ($objp) { $found = true; - $outprice_ht = price($objp->price); // formated for langage user because is inserted into input field - $outprice_ttc = price($objp->price_ttc); // formated for langage user because is inserted into input field + $outprice_ht = price($objp->price); // formatted for language user because is inserted into input field + $outprice_ttc = price($objp->price_ttc); // formatted for language user because is inserted into input field $outpricebasetype = $objp->price_base_type; if (getDolGlobalString('PRODUIT_MULTIPRICES_USE_VAT_PER_LEVEL')) { - $outtva_tx_formated = price($objp->tva_tx); // formated for langage user because is inserted into input field + $outtva_tx_formated = price($objp->tva_tx); // formatted for language user because is inserted into input field $outtva_tx = price2num($objp->tva_tx); // international numeric $outdefault_vat_code = $objp->default_vat_code; } else { diff --git a/htdocs/product/canvas/product/actions_card_product.class.php b/htdocs/product/canvas/product/actions_card_product.class.php index 6c89c208129..fe7285c8907 100644 --- a/htdocs/product/canvas/product/actions_card_product.class.php +++ b/htdocs/product/canvas/product/actions_card_product.class.php @@ -53,7 +53,7 @@ class ActionsCardProduct //! Template container public $tpl = array(); - // List of fiels for action=list + // List of fields for action=list public $field_list = array(); /** diff --git a/htdocs/product/canvas/product/tpl/card_view.tpl.php b/htdocs/product/canvas/product/tpl/card_view.tpl.php index a5a8fedc969..86bbf9627fa 100644 --- a/htdocs/product/canvas/product/tpl/card_view.tpl.php +++ b/htdocs/product/canvas/product/tpl/card_view.tpl.php @@ -36,7 +36,7 @@ $linkback = 'next_prev_filter = " fk_product_type = ".((int) $object->type); $shownav = 1; -if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { +if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } diff --git a/htdocs/product/card.php b/htdocs/product/card.php index 3a5cf31cc85..7ad49d21ee4 100644 --- a/htdocs/product/card.php +++ b/htdocs/product/card.php @@ -152,14 +152,14 @@ if ($id > 0 || !empty($ref)) { if ($result < 0) { dol_print_error($db, $object->error, $object->errors); } - $entity = (!empty($object->entity) ? $object->entity : $conf->entity); + $entity = (empty($object->entity) ? $conf->entity : $object->entity); if (isModEnabled("product")) { $upload_dir = $conf->product->multidir_output[$entity].'/'.get_exdir(0, 0, 0, 0, $object, 'product').dol_sanitizeFileName($object->ref); } elseif (isModEnabled("service")) { $upload_dir = $conf->service->multidir_output[$entity].'/'.get_exdir(0, 0, 0, 0, $object, 'product').dol_sanitizeFileName($object->ref); } - if (getDolGlobalInt('PRODUCT_USE_OLD_PATH_FOR_PHOTO')) { // For backward compatiblity, we scan also old dirs + if (getDolGlobalInt('PRODUCT_USE_OLD_PATH_FOR_PHOTO')) { // For backward compatibility, we scan also old dirs if (isModEnabled("product")) { $upload_dirold = $conf->product->multidir_output[$entity].'/'.substr(substr("000".$object->id, -2), 1, 1).'/'.substr(substr("000".$object->id, -2), 0, 1).'/'.$object->id."/photos"; } else { @@ -533,7 +533,7 @@ if (empty($reshook)) { $localtax2 = 0; $localtax1_type = '0'; $localtax2_type = '0'; - // If value contains the unique code of vat line (new recommanded method), we use it to find npr and local taxes + // If value contains the unique code of vat line (new recommended method), we use it to find npr and local taxes $reg = array(); if (preg_match('/\((.*)\)/', $tva_tx_txt, $reg)) { // We look into database using code (we can't use get_localtax() because it depends on buyer that is not known). Same in update price. @@ -568,6 +568,7 @@ if (empty($reshook)) { $object->status = GETPOST('statut'); $object->status_buy = GETPOST('statut_buy'); $object->status_batch = GETPOST('status_batch'); + $object->sell_or_eat_by_mandatory = GETPOST('sell_or_eat_by_mandatory', 'int'); $object->batch_mask = GETPOST('batch_mask'); $object->barcode_type = GETPOST('fk_barcode_type'); @@ -575,7 +576,7 @@ if (empty($reshook)) { // Set barcode_type_xxx from barcode_type id $stdobject = new GenericObject($db); $stdobject->element = 'product'; - $stdobject->barcode_type = GETPOST('fk_barcode_type'); + $stdobject->barcode_type = GETPOSTINT('fk_barcode_type'); $result = $stdobject->fetch_barcode(); if ($result < 0) { $error++; @@ -765,6 +766,7 @@ if (empty($reshook)) { $object->status = GETPOST('statut', 'int'); $object->status_buy = GETPOST('statut_buy', 'int'); $object->status_batch = GETPOST('status_batch', 'aZ09'); + $object->sell_or_eat_by_mandatory = GETPOST('sell_or_eat_by_mandatory', 'int'); $object->batch_mask = GETPOST('batch_mask', 'alpha'); $object->fk_default_warehouse = GETPOST('fk_default_warehouse', 'int'); $object->fk_default_workstation = GETPOST('fk_default_workstation', 'int'); @@ -817,7 +819,7 @@ if (empty($reshook)) { // Set barcode_type_xxx from barcode_type id $stdobject = new GenericObject($db); $stdobject->element = 'product'; - $stdobject->barcode_type = GETPOST('fk_barcode_type'); + $stdobject->barcode_type = GETPOSTINT('fk_barcode_type'); $result = $stdobject->fetch_barcode(); if ($result < 0) { $error++; @@ -1094,7 +1096,7 @@ if (empty($reshook)) { $tmpprodvat = price2num(preg_replace('/\s*\(.*\)/', '', $prod->tva_tx)); // On reevalue prix selon taux tva car taux tva transaction peut etre different - // de ceux du produit par defaut (par exemple si pays different entre vendeur et acheteur). + // de ceux du produit par default (par example si pays different entre vendeur et acheteur). if ($tmpvat != $tmpprodvat) { if ($price_base_type != 'HT') { $pu_ht = price2num($pu_ttc / (1 + ($tmpvat / 100)), 'MU'); @@ -1249,7 +1251,10 @@ $formcompany = new FormCompany($db); if (isModEnabled('accounting')) { $formaccounting = new FormAccounting($db); } - +$sellOrEatByMandatoryList = null; +if (isModEnabled('productbatch')) { + $sellOrEatByMandatoryList = Product::getSellOrEatByMandatoryList(); +} $title = $langs->trans('ProductServiceCard'); @@ -1453,6 +1458,13 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio print '
      '.$langs->trans('BatchSellOrEatByMandatoryList', $langs->trans('SellByDate'), $langs->trans('EatByDate')).''; + print $form->selectarray('sell_or_eat_by_mandatory', $sellOrEatByMandatoryList, GETPOST('sell_or_eat_by_mandatory', 'int')); + print '
      '.$langs->trans("ManageLotSerial").''; @@ -2061,6 +2073,18 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio print '
      '.$langs->trans('BatchSellOrEatByMandatoryList', $langs->trans('SellByDate'), $langs->trans('EatByDate')).''; + print $form->selectarray('sell_or_eat_by_mandatory', $sellOrEatByMandatoryList, $sellOrEatByMandatorySelectedId); + print '
      '.$langs->trans("PublicUrl").''; print img_picto('', 'globe', 'class="pictofixedwidth"'); - print ''; + print ''; print '
      '.$langs->trans('BatchSellOrEatByMandatoryList', $langs->trans('SellByDate'), $langs->trans('EatByDate')).''; + print $object->getSellOrEatByMandatoryLabel(); + print '
      '.$langs->trans('Stock').''.$langs->trans('Qty').''.$value['stock'].''.dol_escape_htmltag($value['nb']).'
      '.$langs->trans("Name").''; -print ''; +print ''; print '
      '.$langs->trans("PriceQtyMin").''.$langs->trans('GencodBuyPrice').''; print img_picto('', 'barcode', 'class="pictofixedwidth"'); - print $formbarcode->selectBarcodeType((GETPOSTISSET('fk_barcode_type') ? GETPOST('fk_barcode_type', 'int') : ($rowid ? $object->supplier_fk_barcode_type : getDolGlobalint("PRODUIT_DEFAULT_BARCODE_TYPE"))), 'fk_barcode_type', 1); + print $formbarcode->selectBarcodeType((GETPOSTISSET('fk_barcode_type') ? GETPOST('fk_barcode_type', 'int') : ($rowid ? $object->supplier_fk_barcode_type : getDolGlobalInt("PRODUIT_DEFAULT_BARCODE_TYPE"))), 'fk_barcode_type', 1); print '
      '; - print $product_static->getNomUrl(1, '', 16); + print $product_static->getNomUrl(1); print "'.dol_escape_htmltag($objp->label).'jdate($objp->datem), 'dayhour', 'tzuserrel')).'">'; @@ -418,7 +418,7 @@ if ((isModEnabled("product") || isModEnabled("service")) && ($user->hasRight("pr // TODO Move this into a page that should be available into menu "accountancy - report - turnover - per quarter" // Also method used for counting must provide the 2 possible methods like done by all other reports into menu "accountancy - report - turnover": -// "commitment engagment" method and "cash accounting" method +// "commitment engagement" method and "cash accounting" method if (isModEnabled("invoice") && $user->hasRight('facture', 'lire') && getDolGlobalString('MAIN_SHOW_PRODUCT_ACTIVITY_TRIM')) { if (isModEnabled("product")) { activitytrim(0); diff --git a/htdocs/product/inventory/card.php b/htdocs/product/inventory/card.php index 6760d4c2841..b0f66bf3e59 100644 --- a/htdocs/product/inventory/card.php +++ b/htdocs/product/inventory/card.php @@ -62,7 +62,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alpha'); $search = array(); foreach ($object->fields as $key => $val) { @@ -262,6 +262,12 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea $formconfirm = ''; + + // Confirmation of action xxxx + if ($action == 'setdraft') { + $text = $langs->trans('ConfirmSetToDraftInventory', $object->ref); + $formconfirm = $form->formconfirm($_SERVER["PHP_SELF"].'?id='.$object->id, $langs->trans('SetToDraft'), $text, 'confirm_setdraft', '', 0, 1, 220); + } // Confirmation to delete if ($action == 'delete') { $formconfirm = $form->formconfirm($_SERVER["PHP_SELF"].'?id='.$object->id, $langs->trans('DeleteInventory'), $langs->trans('ConfirmDeleteObject'), 'confirm_delete', '', 0, 1); @@ -403,7 +409,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea // Back to draft if ($object->status == $object::STATUS_VALIDATED) { if ($permissiontoadd) { - print ''.$langs->trans("SetToDraft").''; + print ''.$langs->trans("SetToDraft").''; } } // Back to validate diff --git a/htdocs/product/inventory/class/inventory.class.php b/htdocs/product/inventory/class/inventory.class.php index 4b554de220e..039723e2dc2 100644 --- a/htdocs/product/inventory/class/inventory.class.php +++ b/htdocs/product/inventory/class/inventory.class.php @@ -47,7 +47,7 @@ class Inventory extends CommonObject public $table_element = 'inventory'; /** - * @var array Does inventory support multicompany module ? 0=No test on entity, 1=Test with field entity, 2=Test with link by societe + * @var int Does inventory support multicompany module ? 0=No test on entity, 1=Test with field entity, 2=Test with link by societe */ public $ismultientitymanaged = 1; @@ -78,7 +78,7 @@ class Inventory extends CommonObject * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'maxwidth200', 'wordbreak', 'tdoverflowmax200', 'minwidth300 maxwidth500 widthcentpercentminusx' @@ -100,7 +100,7 @@ class Inventory extends CommonObject 'rowid' => array('type'=>'integer', 'label'=>'TechnicalID', 'visible'=>-1, 'enabled'=>1, 'position'=>1, 'notnull'=>1, 'index'=>1, 'comment'=>'Id',), 'ref' => array('type'=>'varchar(64)', 'label'=>'Ref', 'visible'=>1, 'enabled'=>1, 'position'=>10, 'notnull'=>1, 'index'=>1, 'searchall'=>1, 'comment'=>'Reference of object', 'css'=>'maxwidth150'), 'entity' => array('type'=>'integer', 'label'=>'Entity', 'visible'=>0, 'enabled'=>1, 'position'=>20, 'notnull'=>1, 'index'=>1,), - 'title' => array('type'=>'varchar(255)', 'label'=>'Label', 'visible'=>1, 'enabled'=>1, 'position'=>25, 'css'=>'minwidth300', 'csslist'=>'tdoverflowmax150'), + 'title' => array('type'=>'varchar(255)', 'label'=>'Label', 'visible'=>1, 'enabled'=>1, 'position'=>25, 'css'=>'minwidth300', 'csslist'=>'tdoverflowmax150', 'alwayseditable'=>1), 'fk_warehouse' => array('type'=>'integer:Entrepot:product/stock/class/entrepot.class.php', 'label'=>'Warehouse', 'visible'=>1, 'enabled'=>1, 'position'=>30, 'index'=>1, 'help'=>'InventoryForASpecificWarehouse', 'picto'=>'stock', 'css'=>'minwidth300 maxwidth500 widthcentpercentminusx', 'csslist'=>'tdoverflowmax150'), 'fk_product' => array('type'=>'integer:Product:product/class/product.class.php', 'label'=>'Product', 'get_name_url_params' => '0::0:-1:0::1', 'visible'=>1, 'enabled'=>1, 'position'=>32, 'index'=>1, 'help'=>'InventoryForASpecificProduct', 'picto'=>'product', 'css'=>'minwidth300 maxwidth500 widthcentpercentminusx', 'csslist'=>'tdoverflowmax150'), 'categories_product' => array('type'=>'chkbxlst:categorie:label:rowid::type=0:0:', 'label'=>'OrProductsWithCategories', 'visible'=>3, 'enabled'=>1, 'position'=>33, 'help'=>'', 'picto'=>'category', 'css'=>'minwidth300 maxwidth500 widthcentpercentminusx'), @@ -222,7 +222,7 @@ class Inventory extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -243,10 +243,10 @@ class Inventory extends CommonObject * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { $result = $this->createCommon($user, $notrigger); @@ -257,11 +257,11 @@ class Inventory extends CommonObject * Validate inventory (start it) * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @param int $include_sub_warehouse Include sub warehouses * @return int Return integer <0 if KO, Id of created object if OK */ - public function validate(User $user, $notrigger = false, $include_sub_warehouse = 0) + public function validate(User $user, $notrigger = 0, $include_sub_warehouse = 0) { global $conf; $this->db->begin(); @@ -371,10 +371,10 @@ class Inventory extends CommonObject * Go back to draft * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function setDraft(User $user, $notrigger = false) + public function setDraft(User $user, $notrigger = 0) { $this->db->begin(); @@ -401,10 +401,10 @@ class Inventory extends CommonObject * Set to inventory to status "Closed". It means all stock movements were recorded. * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function setRecorded(User $user, $notrigger = false) + public function setRecorded(User $user, $notrigger = 0) { $this->db->begin(); @@ -423,10 +423,10 @@ class Inventory extends CommonObject * Set to Canceled * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function setCanceled(User $user, $notrigger = false) + public function setCanceled(User $user, $notrigger = 0) { $this->db->begin(); @@ -524,10 +524,10 @@ class Inventory extends CommonObject * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -535,11 +535,11 @@ class Inventory extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); } @@ -549,10 +549,10 @@ class Inventory extends CommonObject * * @param User $user User that delete * @param int $idline Id of line to delete - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int >0 if OK, <0 if KO */ - public function deleteLine(User $user, $idline, $notrigger = false) + public function deleteLine(User $user, $idline, $notrigger = 0) { if ($this->status < 0) { $this->error = 'ErrorDeleteLineNotAllowedByObjectStatus'; @@ -563,7 +563,7 @@ class Inventory extends CommonObject } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to @@ -693,7 +693,7 @@ class Inventory extends CommonObject $return .= ''.price($this->amount, 0, $langs, 1, -1, -1, $conf->currency).''; } if (method_exists($this, 'getLibStatut')) { - $return .= '
      '.$this->getLibStatut(3).'
      '; + $return .= '
      '.$this->getLibStatut(3).'
      '; } $return .= ''; $return .= ''; @@ -703,7 +703,7 @@ class Inventory extends CommonObject } /** - * Charge les informations d'ordre info dans l'objet commande + * Charge les information d'ordre info dans l'objet commande * * @param int $id Id of order * @return void @@ -789,7 +789,7 @@ class InventoryLine extends CommonObjectLine public $table_element = 'inventorydet'; /** - * @var array Does inventory support multicompany module ? 0=No test on entity, 1=Test with field entity, 2=Test with link by societe + * @var int Does inventory support multicompany module ? 0=No test on entity, 1=Test with field entity, 2=Test with link by societe */ public $ismultientitymanaged = 0; @@ -810,7 +810,7 @@ class InventoryLine extends CommonObjectLine * 'visible' says if field is visible in list (Examples: 0=Not visible, 1=Visible on list and create/update/view forms, 2=Visible on list only. Using a negative value means field is not shown by default on list but can be selected for viewing) * 'notnull' is set to 1 if not null in database. Set to -1 if we must set data to null if empty ('' or 0). * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'position' is the sort order of field. * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). @@ -834,7 +834,7 @@ class InventoryLine extends CommonObjectLine 'tms' => array('type'=>'timestamp', 'label'=>'DateModification', 'enabled'=>1, 'visible'=>-2, 'notnull'=>1, 'position'=>501), 'qty_stock' => array('type'=>'double', 'label'=>'QtyFound', 'visible'=>1, 'enabled'=>1, 'position'=>32, 'index'=>1, 'help'=>'Qty we found/want (to define during draft edition)'), 'qty_view' => array('type'=>'double', 'label'=>'QtyBefore', 'visible'=>1, 'enabled'=>1, 'position'=>33, 'index'=>1, 'help'=>'Qty before (filled once movements are validated)'), - 'qty_regulated' => array('type'=>'double', 'label'=>'QtyDelta', 'visible'=>1, 'enabled'=>1, 'position'=>34, 'index'=>1, 'help'=>'Qty aadded or removed (filled once movements are validated)'), + 'qty_regulated' => array('type'=>'double', 'label'=>'QtyDelta', 'visible'=>1, 'enabled'=>1, 'position'=>34, 'index'=>1, 'help'=>'Qty added or removed (filled once movements are validated)'), 'pmp_real' => array('type'=>'double', 'label'=>'PMPReal', 'visible'=>1, 'enabled'=>1, 'position'=>35), 'pmp_expected' => array('type'=>'double', 'label'=>'PMPExpected', 'visible'=>1, 'enabled'=>1, 'position'=>36), ); @@ -860,11 +860,11 @@ class InventoryLine extends CommonObjectLine /** * Create object in database * - * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that creates + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { return $this->createCommon($user, $notrigger); } @@ -887,10 +887,10 @@ class InventoryLine extends CommonObjectLine * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -898,11 +898,11 @@ class InventoryLine extends CommonObjectLine /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); //return $this->deleteCommon($user, $notrigger, 1); diff --git a/htdocs/product/inventory/inventory.php b/htdocs/product/inventory/inventory.php index 99e01a02e48..6decd5e6f4a 100644 --- a/htdocs/product/inventory/inventory.php +++ b/htdocs/product/inventory/inventory.php @@ -18,7 +18,7 @@ /** * \file htdocs/product/inventory/inventory.php * \ingroup inventory - * \brief Tabe to enter counting + * \brief Tab to enter counting */ // Load Dolibarr environment @@ -75,7 +75,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alpha'); $search = array(); foreach ($object->fields as $key => $val) { @@ -430,7 +430,7 @@ llxHeader('', $langs->trans('Inventory'), $help_url); // Part to show record if ($object->id <= 0) { - dol_print_error('', 'Bad value for object id'); + dol_print_error(null, 'Bad value for object id'); exit; } diff --git a/htdocs/product/inventory/list.php b/htdocs/product/inventory/list.php index 6ee9885c76e..3acbf368d5f 100644 --- a/htdocs/product/inventory/list.php +++ b/htdocs/product/inventory/list.php @@ -80,7 +80,7 @@ if (!$sortorder) { $sortorder = "ASC"; } -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST('search_all', 'alphanohtml'); $search = array(); foreach ($object->fields as $key => $val) { @@ -96,7 +96,7 @@ $searchCategoryProductOperator = 0; if (GETPOSTISSET('formfilteraction')) { $searchCategoryProductOperator = GETPOST('search_category_product_operator', 'int'); } elseif (getDolGlobalString('MAIN_SEARCH_CAT_OR_BY_DEFAULT')) { - $searchCategoryProductOperator = $conf->global->MAIN_SEARCH_CAT_OR_BY_DEFAULT; + $searchCategoryProductOperator = getDolGlobalString('MAIN_SEARCH_CAT_OR_BY_DEFAULT'); } $searchCategoryProductList = GETPOST('search_category_product_list', 'array'); @@ -509,7 +509,7 @@ $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; $selectedfields = ($mode != 'kanban' ? $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')) : ''); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print ''."\n"; @@ -784,7 +784,7 @@ print ''."\n"; print ''."\n"; // no inventory docs yet /* -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/product/list.php b/htdocs/product/list.php index d31602a2552..cd8137b4609 100644 --- a/htdocs/product/list.php +++ b/htdocs/product/list.php @@ -69,7 +69,7 @@ $show_files = GETPOST('show_files', 'int'); $confirm = GETPOST('confirm', 'alpha'); $toselect = GETPOST('toselect', 'array'); -// Search Criterias +// Search Criteria $sall = trim((GETPOST('search_all', 'alphanohtml') != '') ? GETPOST('search_all', 'alphanohtml') : GETPOST('sall', 'alphanohtml')); $search_id = GETPOST("search_id", 'alpha'); $search_ref = GETPOST("search_ref", 'alpha'); @@ -83,7 +83,7 @@ $searchCategoryProductOperator = 0; if (GETPOSTISSET('formfilteraction')) { $searchCategoryProductOperator = GETPOSTINT('search_category_product_operator'); } elseif (getDolGlobalString('MAIN_SEARCH_CAT_OR_BY_DEFAULT')) { - $searchCategoryProductOperator = $conf->global->MAIN_SEARCH_CAT_OR_BY_DEFAULT; + $searchCategoryProductOperator = getDolGlobalString('MAIN_SEARCH_CAT_OR_BY_DEFAULT'); } $searchCategoryProductList = GETPOST('search_category_product_list', 'array'); $catid = GETPOST('catid', 'int'); @@ -204,7 +204,7 @@ if (isModEnabled('barcode')) { $fieldstosearchall['p.barcode'] = 'Gencod'; $fieldstosearchall['pfp.barcode'] = 'GencodBuyPrice'; } -// Personalized search criterias. Example: $conf->global->PRODUCT_QUICKSEARCH_ON_FIELDS = 'p.ref=ProductRef;p.label=ProductLabel;p.description=Description;p.note=Note;' +// Personalized search criteria. Example: $conf->global->PRODUCT_QUICKSEARCH_ON_FIELDS = 'p.ref=ProductRef;p.label=ProductLabel;p.description=Description;p.note=Note;' if (getDolGlobalString('PRODUCT_QUICKSEARCH_ON_FIELDS')) { $fieldstosearchall = dolExplodeIntoArray($conf->global->PRODUCT_QUICKSEARCH_ON_FIELDS); } @@ -294,7 +294,7 @@ if (getDolGlobalString('PRODUIT_MULTIPRICES')) { } else { $labelp = $langs->transnoentitiesnoconv("SellingPrice")." ".$i; } - $arrayfields['p.sellprice'.$i] = array('label'=>$labelp, 'checked'=>($i == 1 ? 1 : 0), 'enabled'=>$conf->global->PRODUIT_MULTIPRICES, 'position'=>floatval('40.'.sprintf('%03s', $i))); + $arrayfields['p.sellprice'.$i] = array('label'=>$labelp, 'checked'=>($i == 1 ? 1 : 0), 'enabled'=>getDolGlobalString('PRODUIT_MULTIPRICES'), 'position'=>(float) ('40.'.sprintf('%03s', $i))); $arraypricelevel[$i] = array($i); } } @@ -1678,7 +1678,7 @@ while ($i < $imaxinloop) { print ''; if (!$i) { $totalarray['nbfield']++; diff --git a/htdocs/product/note.php b/htdocs/product/note.php index f8dab5e6bf3..ad397349125 100644 --- a/htdocs/product/note.php +++ b/htdocs/product/note.php @@ -126,7 +126,7 @@ if ($id > 0 || !empty($ref)) { $object->next_prev_filter = "fk_product_type = ".((int) $object->type); $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } diff --git a/htdocs/product/price.php b/htdocs/product/price.php index 030fe94a3c0..31fa5a58963 100644 --- a/htdocs/product/price.php +++ b/htdocs/product/price.php @@ -138,17 +138,18 @@ if (empty($reshook)) { $localtax2 = 0; $localtax1_type = '0'; $localtax2_type = '0'; - // If value contains the unique code of vat line (new recommanded method), we use it to find npr and local taxes + // If value contains the unique code of vat line (new recommended method), we use it to find npr and local taxes if (preg_match('/\((.*)\)/', $tva_tx_txt, $reg)) { // We look into database using code (we can't use get_localtax() because it depends on buyer that is not known). Same in create product. $vatratecode = $reg[1]; // Get record from code - $sql = "SELECT t.rowid, t.code, t.recuperableonly, t.localtax1, t.localtax2, t.localtax1_type, t.localtax2_type"; + $sql = "SELECT t.rowid, t.type_vat, t.code, t.recuperableonly, t.localtax1, t.localtax2, t.localtax1_type, t.localtax2_type"; $sql .= " FROM ".MAIN_DB_PREFIX."c_tva as t, ".MAIN_DB_PREFIX."c_country as c"; $sql .= " WHERE t.fk_pays = c.rowid AND c.code = '".$db->escape($mysoc->country_code)."'"; $sql .= " AND t.taux = ".((float) $tva_tx)." AND t.active = 1"; $sql .= " AND t.code = '".$db->escape($vatratecode)."'"; + $sql .= " AND t.type_vat IN (0, 1)"; // Use only VAT rates type all or i.e. the sales type VAT rates. $sql .= " AND t.entity IN (".getEntity('c_tva').")"; $resql = $db->query($sql); if ($resql) { @@ -396,7 +397,7 @@ if (empty($reshook)) { $localtax2 = 0; $localtax1_type = '0'; $localtax2_type = '0'; - // If value contains the unique code of vat line (new recommanded method), we use it to find npr and local taxes + // If value contains the unique code of vat line (new recommended method), we use it to find npr and local taxes if (preg_match('/\((.*)\)/', $tva_tx_txt, $reg)) { // We look into database using code $vatratecode = $reg[1]; @@ -653,7 +654,7 @@ if (empty($reshook)) { $localtax2 = 0; $localtax1_type = '0'; $localtax2_type = '0'; - // If value contains the unique code of vat line (new recommanded method), we use it to find npr and local taxes + // If value contains the unique code of vat line (new recommended method), we use it to find npr and local taxes if (preg_match('/\((.*)\)/', $tva_tx_txt, $reg)) { // We look into database using code $vatratecode = $reg[1]; @@ -776,7 +777,7 @@ if (empty($reshook)) { $localtax2 = 0; $localtax1_type = '0'; $localtax2_type = '0'; - // If value contains the unique code of vat line (new recommanded method), we use it to find npr and local taxes + // If value contains the unique code of vat line (new recommended method), we use it to find npr and local taxes if (preg_match('/\((.*)\)/', $tva_tx_txt, $reg)) { // We look into database using code $vatratecode = $reg[1]; @@ -888,7 +889,7 @@ $linkback = ''.$langs->trans("DefaultTaxRate").''; @@ -1111,7 +1112,7 @@ if (getDolGlobalString('PRODUIT_MULTIPRICES') || getDolGlobalString('PRODUIT_CUS if (getDolGlobalString('PRODUIT_CUSTOMER_PRICES_BY_QTY') || getDolGlobalString('PRODUIT_CUSTOMER_PRICES_BY_QTY_MULTIPRICES')) { // TODO Fix the form included into a tr instead of a td print ''; // VAT @@ -1937,7 +1938,7 @@ if (getDolGlobalString('PRODUIT_CUSTOMER_PRICES')) { $sortfield = "soc.nom"; } - // Build filter to diplay only concerned lines + // Build filter to display only concerned lines $filter = array('t.fk_product' => $object->id); if (!empty($search_soc)) { @@ -1988,7 +1989,7 @@ if (getDolGlobalString('PRODUIT_CUSTOMER_PRICES')) { // Price print '
      '; // Since description can be very large (several pages of HTML- // code) we limit to the first two rows - print dolGetFirstLineofText($product_static->description, 2); + print dolGetFirstLineOfText($product_static->description, 2); print ''; - // TODO We show localtax from $object, but this properties may not be correct. Only value $object->default_vat_code is guaranted. + // TODO We show localtax from $object, but this properties may not be correct. Only value $object->default_vat_code is guaranteed. $positiverates = ''; if (price2num($object->tva_tx)) { $positiverates .= ($positiverates ? '/' : '').price2num($object->tva_tx); @@ -1078,7 +1079,7 @@ if (getDolGlobalString('PRODUIT_MULTIPRICES') || getDolGlobalString('PRODUIT_CUS } else { print $langs->trans("SellingPrice").' '.$i; if (!empty($conf->global->$keyforlabel)) { - print ' - '.$langs->trans($conf->global->$keyforlabel); + print ' - '.$langs->trans(getDolGlobalString($keyforlabel)); } } print '
      '.$langs->trans("PriceByQuantity").' '.$i; if (!empty($conf->global->$keyforlabel)) { - print ' - '.$langs->trans($conf->global->$keyforlabel); + print ' - '.$langs->trans(getDolGlobalString($keyforlabel)); } print ''; @@ -1495,7 +1496,7 @@ if ($action == 'edit_price' && $object->getRights()->creer) { $product->fetch($id, $ref, '', 1); //Ignore the math expression when getting the price print '
      '; $text = $langs->trans('SellingPrice'); - print $form->textwithpicto($text, $langs->trans("PrecisionUnitIsLimitedToXDecimals", $conf->global->MAIN_MAX_DECIMALS_UNIT), 1, 1); + print $form->textwithpicto($text, $langs->trans("PrecisionUnitIsLimitedToXDecimals", getDolGlobalString('MAIN_MAX_DECIMALS_UNIT')), 1, 1); print ''; if ($object->price_base_type == 'TTC') { print ''; @@ -1507,7 +1508,7 @@ if ($action == 'edit_price' && $object->getRights()->creer) { // Price minimum print '
      '; $text = $langs->trans('MinPrice'); - print $form->textwithpicto($text, $langs->trans("PrecisionUnitIsLimitedToXDecimals", $conf->global->MAIN_MAX_DECIMALS_UNIT), 1, 1); + print $form->textwithpicto($text, $langs->trans("PrecisionUnitIsLimitedToXDecimals", getDolGlobalString('MAIN_MAX_DECIMALS_UNIT')), 1, 1); print ''; if ($object->price_base_type == 'TTC') { print ''; @@ -1595,7 +1596,7 @@ if ($action == 'edit_price' && $object->getRights()->creer) { print ''; $keyforlabel = 'PRODUIT_MULTIPRICES_LABEL'.$i; $text = $langs->trans('SellingPrice').' '.$i.' - '.getDolGlobalString($keyforlabel); - print $form->textwithpicto($text, $langs->trans("PrecisionUnitIsLimitedToXDecimals", $conf->global->MAIN_MAX_DECIMALS_UNIT), 1, 1); + print $form->textwithpicto($text, $langs->trans("PrecisionUnitIsLimitedToXDecimals", getDolGlobalString('MAIN_MAX_DECIMALS_UNIT')), 1, 1); print '
      '; $text = $langs->trans('SellingPrice'); - print $form->textwithpicto($text, $langs->trans("PrecisionUnitIsLimitedToXDecimals", $conf->global->MAIN_MAX_DECIMALS_UNIT), 1, 1); + print $form->textwithpicto($text, $langs->trans("PrecisionUnitIsLimitedToXDecimals", getDolGlobalString('MAIN_MAX_DECIMALS_UNIT')), 1, 1); print ''; if ($object->price_base_type == 'TTC') { print ''; @@ -2000,7 +2001,7 @@ if (getDolGlobalString('PRODUIT_CUSTOMER_PRICES')) { // Price minimum print '
      '; $text = $langs->trans('MinPrice'); - print $form->textwithpicto($text, $langs->trans("PrecisionUnitIsLimitedToXDecimals", $conf->global->MAIN_MAX_DECIMALS_UNIT), 1, 1); + print $form->textwithpicto($text, $langs->trans("PrecisionUnitIsLimitedToXDecimals", getDolGlobalString('MAIN_MAX_DECIMALS_UNIT')), 1, 1); if ($object->price_base_type == 'TTC') { print ''; } else { @@ -2073,7 +2074,7 @@ if (getDolGlobalString('PRODUIT_CUSTOMER_PRICES')) { // Price print '
      '; $text = $langs->trans('SellingPrice'); - print $form->textwithpicto($text, $langs->trans("PrecisionUnitIsLimitedToXDecimals", $conf->global->MAIN_MAX_DECIMALS_UNIT), 1, 1); + print $form->textwithpicto($text, $langs->trans("PrecisionUnitIsLimitedToXDecimals", getDolGlobalString('MAIN_MAX_DECIMALS_UNIT')), 1, 1); print ''; if ($prodcustprice->price_base_type == 'TTC') { print ''; @@ -2085,7 +2086,7 @@ if (getDolGlobalString('PRODUIT_CUSTOMER_PRICES')) { // Price minimum print '
      '; $text = $langs->trans('MinPrice'); - print $form->textwithpicto($text, $langs->trans("PrecisionUnitIsLimitedToXDecimals", $conf->global->MAIN_MAX_DECIMALS_UNIT), 1, 1); + print $form->textwithpicto($text, $langs->trans("PrecisionUnitIsLimitedToXDecimals", getDolGlobalString('MAIN_MAX_DECIMALS_UNIT')), 1, 1); print ''; if ($prodcustprice->price_base_type == 'TTC') { print ''; diff --git a/htdocs/product/reassortlot.php b/htdocs/product/reassortlot.php index e551258154f..ba066ce40d6 100644 --- a/htdocs/product/reassortlot.php +++ b/htdocs/product/reassortlot.php @@ -75,7 +75,7 @@ $offset = $limit * $page; $pageprev = $page - 1; $pagenext = $page + 1; -// Initialize array of search criterias +// Initialize array of search criteria $object = new Product($db); $search_sale = GETPOST("search_sale"); if (GETPOSTISSET('catid')) { @@ -101,7 +101,7 @@ if (!$sortorder) { } -// Initialize array of search criterias +// Initialize array of search criteria $search = array(); foreach ($object->fields as $key => $val) { if (GETPOST('search_'.$key, 'alpha') !== '') { diff --git a/htdocs/product/stats/bom.php b/htdocs/product/stats/bom.php index 5982a64fd7d..06fd8d17a41 100644 --- a/htdocs/product/stats/bom.php +++ b/htdocs/product/stats/bom.php @@ -105,7 +105,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } diff --git a/htdocs/product/stats/commande.php b/htdocs/product/stats/commande.php index da7cccbdfc9..199469264e0 100644 --- a/htdocs/product/stats/commande.php +++ b/htdocs/product/stats/commande.php @@ -115,7 +115,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -141,13 +141,13 @@ if ($id > 0 || !empty($ref)) { $sql .= " c.ref_client,"; $sql .= " c.date_commande, c.fk_statut as statut, c.facture, c.rowid as commandeid, d.rowid, d.qty,"; $sql .= " c.date_livraison as delivery_date"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", sc.fk_soc, sc.fk_user "; } $sql .= " FROM ".MAIN_DB_PREFIX."societe as s"; $sql .= ", ".MAIN_DB_PREFIX."commande as c"; $sql .= ", ".MAIN_DB_PREFIX."commandedet as d"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE c.fk_soc = s.rowid"; @@ -160,7 +160,7 @@ if ($id > 0 || !empty($ref)) { if (!empty($search_year)) { $sql .= ' AND YEAR(c.date_commande) IN ('.$db->sanitize($search_year).')'; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { diff --git a/htdocs/product/stats/commande_fournisseur.php b/htdocs/product/stats/commande_fournisseur.php index 453ed5d5cc3..6a5500456d5 100644 --- a/htdocs/product/stats/commande_fournisseur.php +++ b/htdocs/product/stats/commande_fournisseur.php @@ -115,7 +115,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -141,13 +141,13 @@ if ($id > 0 || !empty($ref)) { $sql .= " c.rowid, d.total_ht as total_ht, c.ref,"; $sql .= " c.date_commande, c.fk_statut as statut, c.rowid as commandeid, d.rowid, d.qty,"; $sql .= " c.date_livraison as delivery_date"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", sc.fk_soc, sc.fk_user "; } $sql .= " FROM ".MAIN_DB_PREFIX."societe as s"; $sql .= ", ".MAIN_DB_PREFIX."commande_fournisseur as c"; $sql .= ", ".MAIN_DB_PREFIX."commande_fournisseurdet as d"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE c.fk_soc = s.rowid"; @@ -160,7 +160,7 @@ if ($id > 0 || !empty($ref)) { if (!empty($search_year)) { $sql .= ' AND YEAR(c.date_commande) IN ('.$db->sanitize($search_year).')'; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { diff --git a/htdocs/product/stats/contrat.php b/htdocs/product/stats/contrat.php index 20a93bc8273..e8c773099e7 100644 --- a/htdocs/product/stats/contrat.php +++ b/htdocs/product/stats/contrat.php @@ -104,7 +104,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -135,7 +135,7 @@ if ($id > 0 || !empty($ref)) { $sql .= " c.rowid as rowid, c.ref, c.ref_customer, c.ref_supplier, c.date_contrat, c.statut as statut,"; $sql .= " s.nom as name, s.rowid as socid, s.code_client"; $sql .= " FROM ".MAIN_DB_PREFIX."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= ", ".MAIN_DB_PREFIX."contrat as c"; @@ -144,7 +144,7 @@ if ($id > 0 || !empty($ref)) { $sql .= " AND c.fk_soc = s.rowid"; $sql .= " AND c.entity IN (".getEntity('contract').")"; $sql .= " AND cd.fk_product = ".((int) $product->id); - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { diff --git a/htdocs/product/stats/facture.php b/htdocs/product/stats/facture.php index 31709b16327..9eaf04992a3 100644 --- a/htdocs/product/stats/facture.php +++ b/htdocs/product/stats/facture.php @@ -167,7 +167,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -193,7 +193,7 @@ if ($id > 0 || !empty($ref)) { $sql = "SELECT DISTINCT s.nom as name, s.rowid as socid, s.code_client,"; $sql .= " f.ref, f.datef, f.paye, f.type, f.fk_statut as statut, f.rowid as facid,"; $sql .= " d.rowid, d.total_ht as total_ht, d.qty"; // We must keep the d.rowid here to not loose record because of the distinct used to ignore duplicate line when link on societe_commerciaux is used - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", sc.fk_soc, sc.fk_user "; } // Add fields from extrafields @@ -214,7 +214,7 @@ if ($id > 0 || !empty($ref)) { $sql .= " LEFT JOIN ".MAIN_DB_PREFIX.'facture'."_extrafields as ef on (f.rowid = ef.fk_object)"; } $sql .= ", ".MAIN_DB_PREFIX."facturedet as d"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } // Add table from hooks @@ -232,7 +232,7 @@ if ($id > 0 || !empty($ref)) { if ($search_date_end) { $sql .= " AND f.datef <= '".$db->idate($search_date_end)."'"; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { diff --git a/htdocs/product/stats/facture_fournisseur.php b/htdocs/product/stats/facture_fournisseur.php index 5e651520ad0..7951d82799e 100644 --- a/htdocs/product/stats/facture_fournisseur.php +++ b/htdocs/product/stats/facture_fournisseur.php @@ -116,7 +116,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -140,13 +140,13 @@ if ($id > 0 || !empty($ref)) { if ($user->hasRight('fournisseur', 'facture', 'lire')) { $sql = "SELECT DISTINCT s.nom as name, s.rowid as socid, s.code_client, d.rowid, d.total_ht as line_total_ht,"; $sql .= " f.rowid as facid, f.ref, f.ref_supplier, f.datef, f.libelle as label, f.total_ht, f.total_ttc, f.total_tva, f.paye, f.fk_statut as statut, d.qty"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", sc.fk_soc, sc.fk_user "; } $sql .= " FROM ".MAIN_DB_PREFIX."societe as s"; $sql .= ", ".MAIN_DB_PREFIX."facture_fourn as f"; $sql .= ", ".MAIN_DB_PREFIX."facture_fourn_det as d"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE f.fk_soc = s.rowid"; @@ -159,7 +159,7 @@ if ($id > 0 || !empty($ref)) { if (!empty($search_year)) { $sql .= ' AND YEAR(f.datef) IN ('.$db->sanitize($search_year).')'; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { diff --git a/htdocs/product/stats/facturerec.php b/htdocs/product/stats/facturerec.php index 42ec5899de0..3374f353391 100644 --- a/htdocs/product/stats/facturerec.php +++ b/htdocs/product/stats/facturerec.php @@ -132,7 +132,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -158,13 +158,13 @@ if ($id > 0 || !empty($ref)) { $sql = "SELECT DISTINCT s.nom as name, s.rowid as socid, s.code_client,"; $sql .= "f.titre as title, f.datec, f.rowid as facid, f.suspended as suspended,"; $sql .= " d.rowid, d.total_ht as total_ht, d.qty"; // We must keep the d.rowid here to not loose record because of the distinct used to ignore duplicate line when link on societe_commerciaux is used - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", sc.fk_soc, sc.fk_user "; } $sql .= " FROM ".MAIN_DB_PREFIX."societe as s"; $sql .= ", ".MAIN_DB_PREFIX."facture_rec as f"; $sql .= ", ".MAIN_DB_PREFIX."facturedet_rec as d"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE f.fk_soc = s.rowid"; @@ -177,7 +177,7 @@ if ($id > 0 || !empty($ref)) { if (!empty($search_year)) { $sql .= ' AND YEAR(f.datec) IN ('.$db->sanitize($search_year).')'; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { diff --git a/htdocs/product/stats/mo.php b/htdocs/product/stats/mo.php index db00cf4f60c..bdd561f79fc 100644 --- a/htdocs/product/stats/mo.php +++ b/htdocs/product/stats/mo.php @@ -115,7 +115,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } diff --git a/htdocs/product/stats/propal.php b/htdocs/product/stats/propal.php index 7deabc5d969..e2f26e810b7 100644 --- a/htdocs/product/stats/propal.php +++ b/htdocs/product/stats/propal.php @@ -117,7 +117,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -142,13 +142,13 @@ if ($id > 0 || !empty($ref)) { $sql = "SELECT DISTINCT s.nom as name, s.rowid as socid, p.rowid as propalid, p.ref, d.total_ht as amount,"; $sql .= " p.ref_client,"; $sql .= "p.datep, p.fk_statut as statut, d.rowid, d.qty"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", sc.fk_soc, sc.fk_user "; } $sql .= " FROM ".MAIN_DB_PREFIX."societe as s"; $sql .= ",".MAIN_DB_PREFIX."propal as p"; $sql .= ", ".MAIN_DB_PREFIX."propaldet as d"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE p.fk_soc = s.rowid"; @@ -161,7 +161,7 @@ if ($id > 0 || !empty($ref)) { if (!empty($search_year)) { $sql .= ' AND YEAR(p.datep) IN ('.$db->sanitize($search_year).')'; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { diff --git a/htdocs/product/stats/supplier_proposal.php b/htdocs/product/stats/supplier_proposal.php index c1a929d73cb..3f178ee0b7e 100644 --- a/htdocs/product/stats/supplier_proposal.php +++ b/htdocs/product/stats/supplier_proposal.php @@ -116,7 +116,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -141,13 +141,13 @@ if ($id > 0 || !empty($ref)) { $sql = "SELECT DISTINCT s.nom as name, s.rowid as socid, p.rowid as propalid, p.ref, d.total_ht as amount,"; //$sql .= " p.ref_supplier,"; $sql .= "p.date_valid, p.fk_statut as statut, d.rowid, d.qty"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", sc.fk_soc, sc.fk_user "; } $sql .= " FROM ".MAIN_DB_PREFIX."societe as s"; $sql .= ",".MAIN_DB_PREFIX."supplier_proposal as p"; $sql .= ", ".MAIN_DB_PREFIX."supplier_proposaldet as d"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE p.fk_soc = s.rowid"; @@ -160,7 +160,7 @@ if ($id > 0 || !empty($ref)) { if (!empty($search_year)) { $sql .= ' AND YEAR(p.datep) IN ('.$db->sanitize($search_year).')'; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { diff --git a/htdocs/product/stock/card.php b/htdocs/product/stock/card.php index dbb6648daa3..eb3a17ffebf 100644 --- a/htdocs/product/stock/card.php +++ b/htdocs/product/stock/card.php @@ -7,6 +7,7 @@ * Copyright (C) 2021 Noé Cendrier * Copyright (C) 2021 Frédéric France * Copyright (C) 2022-2023 Charlene Benke + * Copyright (C) 2023 Christian Foellmann * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -74,7 +75,7 @@ $backtopage = GETPOST('backtopage', 'alpha'); $result = restrictedArea($user, 'stock'); // Initialize technical object to manage hooks of page. Note that conf->hooks_modules contains array of hook context -$hookmanager->initHooks(array('warehousecard', 'globalcard')); +$hookmanager->initHooks(array('warehousecard', 'stocklist', 'globalcard')); $object = new Entrepot($db); $extrafields = new ExtraFields($db); @@ -406,7 +407,7 @@ if ($action == 'create') { } // View mode - if ($action <> 'edit' && $action <> 're-edit') { + if ($action != 'edit' && $action != 're-edit') { $head = stock_prepare_head($object); print dol_get_fiche_head($head, 'card', $langs->trans("Warehouse"), -1, 'stock'); @@ -474,7 +475,7 @@ if ($action == 'create') { $morehtmlref .= ''; $shownav = 1; - if ($user->socid && !in_array('stock', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('stock', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -597,7 +598,6 @@ if ($action == 'create') { // Show list of products into warehouse - print '
      '; $totalarray = array(); @@ -608,13 +608,16 @@ if ($action == 'create') { // TODO Create $arrayfields with all fields to show - print ''; - print ""; + print load_fiche_titre($langs->trans("Stock"), '', 'stock'); + + print '
      '; + print '
      '; + print ''; $parameters = array('totalarray' => &$totalarray); $reshook = $hookmanager->executeHooks('printFieldPreListTitle', $parameters); // Note that $action and $object may have been modified by hook print $hookmanager->resPrint; - print_liste_field_titre("Product", "", "p.ref", "&id=".$id, "", "", $sortfield, $sortorder); + print_liste_field_titre("Products", "", "p.ref", "&id=".$id, "", "", $sortfield, $sortorder); print_liste_field_titre("Label", "", "p.label", "&id=".$id, "", "", $sortfield, $sortorder); print_liste_field_titre("NumberOfUnit", "", "ps.reel", "&id=".$id, "", '', $sortfield, $sortorder, 'right '); $totalarray['nbfield'] += 3; @@ -857,7 +860,8 @@ if ($action == 'create') { } else { dol_print_error($db); } - print "
      \n"; + print "
      "; + print '
      '; } diff --git a/htdocs/product/stock/class/api_stockmovements.class.php b/htdocs/product/stock/class/api_stockmovements.class.php index 36351c53374..2fcead94fbb 100644 --- a/htdocs/product/stock/class/api_stockmovements.class.php +++ b/htdocs/product/stock/class/api_stockmovements.class.php @@ -55,7 +55,7 @@ class StockMovements extends DolibarrApi /** * Get properties of a stock movement object * - * Return an array with stock movement informations + * Return an array with stock movement information * * @param int $id ID of movement * @return Object Object with cleaned properties @@ -89,7 +89,7 @@ class StockMovements extends DolibarrApi * @param int $limit Limit for list * @param int $page Page number * @param string $sqlfilters Other criteria to filter answers separated by a comma. Syntax example "(t.product_id:=:1) and (t.date_creation:<:'20160101')" - * @param string $properties Restrict the data returned to theses properties. Ignored if empty. Comma separated list of properties names + * @param string $properties Restrict the data returned to these properties. Ignored if empty. Comma separated list of properties names * @return array Array of warehouse objects * * @throws RestException @@ -144,9 +144,7 @@ class StockMovements extends DolibarrApi } else { throw new RestException(503, 'Error when retrieve stock movement list : '.$this->db->lasterror()); } - if (!count($obj_ret)) { - throw new RestException(404, 'No stock movement found'); - } + return $obj_ret; } @@ -170,7 +168,7 @@ class StockMovements extends DolibarrApi * @param string $dlc Eat-by date. {@from body} {@type date} * @param string $dluo Sell-by date. {@from body} {@type date} * @param string $origin_type Origin type (Element of source object, like 'project', 'inventory', ...) - * @param string $origin_id Origin id (Id of source object) + * @param int $origin_id Origin id (Id of source object) * * @return int ID of stock movement * @throws RestException diff --git a/htdocs/product/stock/class/api_warehouses.class.php b/htdocs/product/stock/class/api_warehouses.class.php index 03d60ba7848..37f0d39065f 100644 --- a/htdocs/product/stock/class/api_warehouses.class.php +++ b/htdocs/product/stock/class/api_warehouses.class.php @@ -53,7 +53,7 @@ class Warehouses extends DolibarrApi /** * Get properties of a warehouse object * - * Return an array with warehouse informations + * Return an array with warehouse information * * @param int $id ID of warehouse * @return Object Object with cleaned properties @@ -89,7 +89,7 @@ class Warehouses extends DolibarrApi * @param int $page Page number * @param int $category Use this param to filter list by category * @param string $sqlfilters Other criteria to filter answers separated by a comma. Syntax example "(t.label:like:'WH-%') and (t.date_creation:<:'20160101')" - * @param string $properties Restrict the data returned to theses properties. Ignored if empty. Comma separated list of properties names + * @param string $properties Restrict the data returned to these properties. Ignored if empty. Comma separated list of properties names * @return array Array of warehouse objects * * @throws RestException @@ -107,7 +107,7 @@ class Warehouses extends DolibarrApi $sql = "SELECT t.rowid"; $sql .= " FROM ".MAIN_DB_PREFIX."entrepot AS t LEFT JOIN ".MAIN_DB_PREFIX."entrepot_extrafields AS ef ON (ef.fk_object = t.rowid)"; // Modification VMR Global Solutions to include extrafields as search parameters in the API GET call, so we will be able to filter on extrafields if ($category > 0) { - $sql .= ", ".$this->db->prefix()."categorie_societe as c"; + $sql .= ", ".$this->db->prefix()."categorie_warehouse as c"; } $sql .= ' WHERE t.entity IN ('.getEntity('stock').')'; // Select warehouses of given category @@ -150,9 +150,7 @@ class Warehouses extends DolibarrApi } else { throw new RestException(503, 'Error when retrieve warehouse list : '.$this->db->lasterror()); } - if (!count($obj_ret)) { - throw new RestException(404, 'No warehouse found'); - } + return $obj_ret; } @@ -173,6 +171,12 @@ class Warehouses extends DolibarrApi $result = $this->_validate($request_data); foreach ($request_data as $field => $value) { + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $this->warehouse->context['caller'] = $request_data['caller']; + continue; + } + $this->warehouse->$field = $value; } if ($this->warehouse->create(DolibarrApiAccess::$user) < 0) { @@ -207,6 +211,12 @@ class Warehouses extends DolibarrApi if ($field == 'id') { continue; } + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $this->warehouse->context['caller'] = $request_data['caller']; + continue; + } + $this->warehouse->$field = $value; } diff --git a/htdocs/product/stock/class/entrepot.class.php b/htdocs/product/stock/class/entrepot.class.php index c11ab685d69..225e4e1ce04 100644 --- a/htdocs/product/stock/class/entrepot.class.php +++ b/htdocs/product/stock/class/entrepot.class.php @@ -23,7 +23,7 @@ /** * \file htdocs/product/stock/class/entrepot.class.php * \ingroup stock - * \brief Fichier de la classe de gestion des entrepots + * \brief File for class to manage warehouses */ require_once DOL_DOCUMENT_ROOT.'/core/class/commonobject.class.php'; @@ -132,8 +132,8 @@ class Entrepot extends CommonObject 'address' =>array('type'=>'varchar(255)', 'label'=>'Address', 'enabled'=>1, 'visible'=>-2, 'position'=>45, 'searchall'=>1), 'zip' =>array('type'=>'varchar(10)', 'label'=>'Zip', 'enabled'=>1, 'visible'=>-2, 'position'=>50, 'searchall'=>1), 'town' =>array('type'=>'varchar(50)', 'label'=>'Town', 'enabled'=>1, 'visible'=>-2, 'position'=>55, 'searchall'=>1), - 'fk_departement' =>array('type'=>'sellist:c_departements:label:rowid::active=1', 'label'=>'State', 'enabled'=>1, 'visible'=>0, 'position'=>60), - 'fk_pays' =>array('type'=>'sellist:c_country:label:rowid::active=1', 'label'=>'Country', 'enabled'=>1, 'visible'=>-2, 'position'=>65), + 'fk_departement' =>array('type'=>'integer', 'label'=>'State', 'enabled'=>1, 'visible'=>0, 'position'=>60), + 'fk_pays' =>array('type'=>'integer:Ccountry:core/class/ccountry.class.php', 'label'=>'Country', 'enabled'=>1, 'visible'=>-1, 'position'=>65), 'phone' =>array('type'=>'varchar(20)', 'label'=>'Phone', 'enabled'=>1, 'visible'=>-2, 'position'=>70, 'searchall'=>1), 'fax' =>array('type'=>'varchar(20)', 'label'=>'Fax', 'enabled'=>1, 'visible'=>-2, 'position'=>75, 'searchall'=>1), //'fk_user_author' =>array('type'=>'integer', 'label'=>'Fk user author', 'enabled'=>1, 'visible'=>-2, 'position'=>82), @@ -190,10 +190,10 @@ class Entrepot extends CommonObject * Creation d'un entrepot en base * * @param User $user Object user that create the warehouse - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int >0 if OK, =<0 if KO + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return >0 if OK, =<0 if KO */ - public function create($user, $notrigger = false) + public function create($user, $notrigger = 0) { global $conf; @@ -271,10 +271,10 @@ class Entrepot extends CommonObject * * @param int $id id of warehouse to modify * @param User $user User object - * @param bool $notrigger false=launch triggers after, true=disable trigge - * @return int >0 if OK, <0 if KO + * @param int $notrigger 0=launch triggers after, 1=disable trigge + * @return int Return >0 if OK, <0 if KO */ - public function update($id, $user, $notrigger = false) + public function update($id, $user, $notrigger = 0) { global $conf; @@ -942,7 +942,7 @@ class Entrepot extends CommonObject * @param int $hideref Hide ref * @return int 0 if KO, 1 if OK */ - public function generateDocument($modele, $outputlangs = '', $hidedetails = 0, $hidedesc = 0, $hideref = 0) + public function generateDocument($modele, $outputlangs, $hidedetails = 0, $hidedesc = 0, $hideref = 0) { global $conf, $user, $langs; @@ -955,7 +955,7 @@ class Entrepot extends CommonObject if ($this->model_pdf) { $modele = $this->model_pdf; } elseif (getDolGlobalString('STOCK_ADDON_PDF')) { - $modele = $conf->global->STOCK_ADDON_PDF; + $modele = getDolGlobalString('STOCK_ADDON_PDF'); } } @@ -1008,7 +1008,7 @@ class Entrepot extends CommonObject $return .= '
      '.price($this->sellvalue).''; } if (method_exists($this, 'getLibStatut')) { - $return .= '
      '.$this->getLibStatut(3).'
      '; + $return .= '
      '.$this->getLibStatut(3).'
      '; } $return .= '
      '; $return .= ''; diff --git a/htdocs/product/stock/class/mouvementstock.class.php b/htdocs/product/stock/class/mouvementstock.class.php index fc1baf52648..27a0cc5cf76 100644 --- a/htdocs/product/stock/class/mouvementstock.class.php +++ b/htdocs/product/stock/class/mouvementstock.class.php @@ -179,10 +179,10 @@ class MouvementStock extends CommonObject * @param string $batch batch number * @param boolean $skip_batch If set to true, stock movement is done without impacting batch record * @param int $id_product_batch Id product_batch (when skip_batch is false and we already know which record of product_batch to use) - * @param int $disablestockchangeforsubproduct Disable stock change for sub-products of kit (usefull only if product is a subproduct) + * @param int $disablestockchangeforsubproduct Disable stock change for sub-products of kit (useful only if product is a subproduct) * @param int $donotcleanemptylines Do not clean lines in stock table with qty=0 (because we want to have this done by the caller) * @param boolean $force_update_batch Allows to add batch stock movement even if $product doesn't use batch anymore - * @return int <0 if KO, 0 if fk_product is null or product id does not exists, >0 if OK + * @return int Return integer <0 if KO, 0 if fk_product is null or product id does not exists, >0 if OK */ public function _create($user, $fk_product, $entrepot_id, $qty, $type, $price = 0, $label = '', $inventorycode = '', $datem = '', $eatby = '', $sellby = '', $batch = '', $skip_batch = false, $id_product_batch = 0, $disablestockchangeforsubproduct = 0, $donotcleanemptylines = 0, $force_update_batch = false) { @@ -221,7 +221,7 @@ class MouvementStock extends CommonObject if ($reshook < 0) { if (!empty($hookmanager->resPrint)) { - dol_print_error('', $hookmanager->resPrint); + dol_print_error(null, $hookmanager->resPrint); } return $reshook; } elseif ($reshook > 0) { @@ -276,7 +276,7 @@ class MouvementStock extends CommonObject if ($result < 0) { $this->error = $product->error; $this->errors = $product->errors; - dol_print_error('', "Failed to fetch product"); + dol_print_error(null, "Failed to fetch product"); return -1; } if ($product->id <= 0) { // Can happen if database is corrupted (a product id exist in stock with product that has been removed) @@ -284,7 +284,7 @@ class MouvementStock extends CommonObject } // Define if we must make the stock change (If product type is a service or if stock is used also for services) - // Only record into stock tables wil be disabled by this (the rest like writing into lot table or movement of subproucts are done) + // Only record into stock tables will be disabled by this (the rest like writing into lot table or movement of subproucts are done) $movestock = 0; if ($product->type != Product::TYPE_SERVICE || getDolGlobalString('STOCK_SUPPORTS_SERVICES')) { $movestock = 1; @@ -388,8 +388,8 @@ class MouvementStock extends CommonObject } } else { // If not found, we add record $productlot = new Productlot($this->db); - $productlot->origin = !empty($this->origin) ? (empty($this->origin->origin_type) ? $this->origin->element : $this->origin->origin_type) : ''; - $productlot->origin_id = !empty($this->origin) ? $this->origin->id : 0; + $productlot->origin = !empty($this->origin_type) ? $this->origin_type : ''; + $productlot->origin_id = !empty($this->origin_id) ? $this->origin_id : 0; $productlot->entity = $conf->entity; $productlot->fk_product = $fk_product; $productlot->batch = $batch; @@ -633,7 +633,7 @@ class MouvementStock extends CommonObject } // End call triggers - // Check unicity for serial numbered equipments once all movement were done. + // Check unicity for serial numbered equipment once all movement were done. if (!$error && isModEnabled('productbatch') && $product->hasbatch() && !$skip_batch) { if ($product->status_batch == 2 && $qty > 0) { // We check only if we increased qty if ($this->getBatchCount($fk_product, $batch) > 1) { @@ -752,7 +752,7 @@ class MouvementStock extends CommonObject * @param string $label Label of movement * @param string $inventorycode Inventory code * @param integer|string $datem Force date of movement - * @return int <0 if KO, 0 if OK + * @return int Return integer <0 if KO, 0 if OK */ private function _createSubProduct($user, $idProduct, $entrepot_id, $qty, $type, $price = 0, $label = '', $inventorycode = '', $datem = '') { @@ -893,7 +893,7 @@ class MouvementStock extends CommonObject * - int if row id of product_batch table (for update) * - or complete array('fk_product_stock'=>, 'batchnumber'=>) * @param int $qty Quantity of product with batch number. May be a negative amount. - * @return int <0 if KO, -2 if we try to update a product_batchid that does not exist, else return productbatch id + * @return int Return integer <0 if KO, -2 if we try to update a product_batchid that does not exist, else return productbatch id */ private function createBatch($dluo, $qty) { @@ -1120,7 +1120,7 @@ class MouvementStock extends CommonObject } /** - * Return a link (with optionaly the picto) + * Return a link (with optionally the picto) * Use this->id,this->lastname, this->firstname * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) @@ -1231,7 +1231,7 @@ class MouvementStock extends CommonObject if ($this->model_pdf) { $modele = $this->model_pdf; } elseif (getDolGlobalString('MOUVEMENT_ADDON_PDF')) { - $modele = $conf->global->MOUVEMENT_ADDON_PDF; + $modele = getDolGlobalString('MOUVEMENT_ADDON_PDF'); } } @@ -1243,22 +1243,22 @@ class MouvementStock extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); //return $this->deleteCommon($user, $notrigger, 1); } /** - * Retrieve number of equipments for a product lot/serial + * Retrieve number of equipment for a product lot/serial * * @param int $fk_product Product id * @param string $batch batch number - * @return int <0 if KO, number of equipments found if OK + * @return int Return integer <0 if KO, number of equipment found if OK */ private function getBatchCount($fk_product, $batch) { @@ -1287,13 +1287,13 @@ class MouvementStock extends CommonObject } /** - * reverse mouvement for object by updating infos + * reverse movement for object by updating infos * @return int 1 if OK,-1 if KO */ public function reverseMouvement() { $formattedDate = "REVERTMV" .dol_print_date($this->datem, '%Y%m%d%His'); - if ($this->label == 'Annulation mouvement ID'.$this->id) { + if ($this->label == 'Annulation movement ID'.$this->id) { return -1; } if ($this->inventorycode == $formattedDate) { @@ -1301,7 +1301,7 @@ class MouvementStock extends CommonObject } $sql = "UPDATE ".$this->db->prefix()."stock_mouvement SET"; - $sql .= " label = 'Annulation mouvement ID ".((int) $this->id)."',"; + $sql .= " label = 'Annulation movement ID ".((int) $this->id)."',"; $sql .= "inventorycode = '".($formattedDate)."'"; $sql .= " WHERE rowid = ".((int) $this->id); diff --git a/htdocs/product/stock/class/productlot.class.php b/htdocs/product/stock/class/productlot.class.php index 284cf791dbd..7b6089e2028 100644 --- a/htdocs/product/stock/class/productlot.class.php +++ b/htdocs/product/stock/class/productlot.class.php @@ -83,7 +83,7 @@ class Productlot extends CommonObject * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' is the CSS style to use on field. For example: 'maxwidth200' @@ -168,7 +168,7 @@ class Productlot extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -179,7 +179,7 @@ class Productlot extends CommonObject * Check sell or eat by date is mandatory * * @param string $onlyFieldName [=''] check all fields by default or only one field name ("sellby", "eatby") - * @return int <0 if KO, 0 nothing done, >0 if OK + * @return int Return integer <0 if KO, 0 nothing done, >0 if OK */ public function checkSellOrEatByMandatory($onlyFieldName = '') { @@ -297,12 +297,11 @@ class Productlot extends CommonObject /** * Create object into database * - * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers - * - * @return int Return integer <0 if KO, Id of created object if OK + * @param User $user User that creates + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { global $conf, $langs; @@ -338,80 +337,88 @@ class Productlot extends CommonObject return -1; } // Put here code to add control on parameters values - - // Insert request - $sql = 'INSERT INTO '.$this->db->prefix().$this->table_element.'('; - $sql .= 'entity,'; - $sql .= 'fk_product,'; - $sql .= 'batch,'; - $sql .= 'eatby,'; - $sql .= 'sellby,'; - $sql .= 'eol_date,'; - $sql .= 'manufacturing_date,'; - $sql .= 'scrapping_date,'; - //$sql .= 'commissionning_date,'; - $sql .= 'qc_frequency,'; - $sql .= 'lifetime,'; - $sql .= 'datec,'; - $sql .= 'fk_user_creat,'; - $sql .= 'fk_user_modif,'; - $sql .= 'import_key'; - $sql .= ') VALUES ('; - $sql .= ' '.(!isset($this->entity) ? $conf->entity : $this->entity).','; - $sql .= ' '.(!isset($this->fk_product) ? 'NULL' : $this->fk_product).','; - $sql .= ' '.(!isset($this->batch) ? 'NULL' : "'".$this->db->escape($this->batch)."'").','; - $sql .= ' '.(!isset($this->eatby) || dol_strlen($this->eatby) == 0 ? 'NULL' : "'".$this->db->idate($this->eatby)."'").','; - $sql .= ' '.(!isset($this->sellby) || dol_strlen($this->sellby) == 0 ? 'NULL' : "'".$this->db->idate($this->sellby)."'").','; - $sql .= ' '.(!isset($this->eol_date) || dol_strlen($this->eol_date) == 0 ? 'NULL' : "'".$this->db->idate($this->eol_date)."'").','; - $sql .= ' '.(!isset($this->manufacturing_date) || dol_strlen($this->manufacturing_date) == 0 ? 'NULL' : "'".$this->db->idate($this->manufacturing_date)."'").','; - $sql .= ' '.(!isset($this->scrapping_date) || dol_strlen($this->scrapping_date) == 0 ? 'NULL' : "'".$this->db->idate($this->scrapping_date)."'").','; - //$sql .= ' '.(!isset($this->commissionning_date) || dol_strlen($this->commissionning_date) == 0 ? 'NULL' : "'".$this->db->idate($this->commissionning_date)."'").','; - $sql .= ' '.(empty($this->qc_frequency) ? 'NULL' : $this->qc_frequency).','; - $sql .= ' '.(empty($this->lifetime) ? 'NULL' : $this->lifetime).','; - $sql .= ' '."'".$this->db->idate(dol_now())."'".','; - $sql .= ' '.(!isset($this->fk_user_creat) ? 'NULL' : $this->fk_user_creat).','; - $sql .= ' '.(!isset($this->fk_user_modif) ? 'NULL' : $this->fk_user_modif).','; - $sql .= ' '.(!isset($this->import_key) ? 'NULL' : $this->import_key); - $sql .= ')'; - - $this->db->begin(); - - $resql = $this->db->query($sql); - if (!$resql) { + $res = $this->checkSellOrEatByMandatory(); + if ($res < 0) { $error++; - $this->errors[] = 'Error '.$this->db->lasterror(); - dol_syslog(__METHOD__.' '.join(',', $this->errors), LOG_ERR); } if (!$error) { - $this->id = $this->db->last_insert_id($this->db->prefix().$this->table_element); + // Insert request + $sql = 'INSERT INTO ' . $this->db->prefix() . $this->table_element . '('; + $sql .= 'entity,'; + $sql .= 'fk_product,'; + $sql .= 'batch,'; + $sql .= 'eatby,'; + $sql .= 'sellby,'; + $sql .= 'eol_date,'; + $sql .= 'manufacturing_date,'; + $sql .= 'scrapping_date,'; + //$sql .= 'commissionning_date,'; + $sql .= 'qc_frequency,'; + $sql .= 'lifetime,'; + $sql .= 'datec,'; + $sql .= 'fk_user_creat,'; + $sql .= 'fk_user_modif,'; + $sql .= 'import_key'; + $sql .= ') VALUES ('; + $sql .= ' ' . (!isset($this->entity) ? $conf->entity : $this->entity) . ','; + $sql .= ' ' . (!isset($this->fk_product) ? 'NULL' : $this->fk_product) . ','; + $sql .= ' ' . (!isset($this->batch) ? 'NULL' : "'" . $this->db->escape($this->batch) . "'") . ','; + $sql .= ' ' . (!isset($this->eatby) || dol_strlen($this->eatby) == 0 ? 'NULL' : "'" . $this->db->idate($this->eatby) . "'") . ','; + $sql .= ' ' . (!isset($this->sellby) || dol_strlen($this->sellby) == 0 ? 'NULL' : "'" . $this->db->idate($this->sellby) . "'") . ','; + $sql .= ' ' . (!isset($this->eol_date) || dol_strlen($this->eol_date) == 0 ? 'NULL' : "'" . $this->db->idate($this->eol_date) . "'") . ','; + $sql .= ' ' . (!isset($this->manufacturing_date) || dol_strlen($this->manufacturing_date) == 0 ? 'NULL' : "'" . $this->db->idate($this->manufacturing_date) . "'") . ','; + $sql .= ' ' . (!isset($this->scrapping_date) || dol_strlen($this->scrapping_date) == 0 ? 'NULL' : "'" . $this->db->idate($this->scrapping_date) . "'") . ','; + //$sql .= ' '.(!isset($this->commissionning_date) || dol_strlen($this->commissionning_date) == 0 ? 'NULL' : "'".$this->db->idate($this->commissionning_date)."'").','; + $sql .= ' '.(empty($this->qc_frequency) ? 'NULL' : $this->qc_frequency).','; + $sql .= ' '.(empty($this->lifetime) ? 'NULL' : $this->lifetime).','; + $sql .= ' ' . "'" . $this->db->idate(dol_now()) . "'" . ','; + $sql .= ' ' . (!isset($this->fk_user_creat) ? 'NULL' : $this->fk_user_creat) . ','; + $sql .= ' ' . (!isset($this->fk_user_modif) ? 'NULL' : $this->fk_user_modif) . ','; + $sql .= ' ' . (!isset($this->import_key) ? 'NULL' : $this->import_key); + $sql .= ')'; + + $this->db->begin(); + + $resql = $this->db->query($sql); + if (!$resql) { + $error++; + $this->errors[] = 'Error ' . $this->db->lasterror(); + } - // Actions on extra fields if (!$error) { - $result = $this->insertExtraFields(); - if ($result < 0) { - $error++; + $this->id = $this->db->last_insert_id($this->db->prefix() . $this->table_element); + + // Actions on extra fields + if (!$error) { + $result = $this->insertExtraFields(); + if ($result < 0) { + $error++; + } + } + + if (!$error && !$notrigger) { + // Call triggers + $result = $this->call_trigger('PRODUCTLOT_CREATE', $user); + if ($result < 0) { + $error++; + } + // End call triggers } } - if (!$error && !$notrigger) { - // Call triggers - $result = $this->call_trigger('PRODUCTLOT_CREATE', $user); - if ($result < 0) { - $error++; - } - // End call triggers + // Commit or rollback + if ($error) { + $this->db->rollback(); + } else { + $this->db->commit(); } } - // Commit or rollback if ($error) { - $this->db->rollback(); - + dol_syslog(__METHOD__ . ' ' . join(',', $this->errors), LOG_ERR); return -1 * $error; } else { - $this->db->commit(); - return $this->id; } } @@ -513,12 +520,11 @@ class Productlot extends CommonObject /** * Update object into database * - * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers - * - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that modifies + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { $error = 0; @@ -545,65 +551,76 @@ class Productlot extends CommonObject $this->import_key = trim($this->import_key); } + // Check parameters + // Put here code to add a control on parameters values + $res = $this->checkSellOrEatByMandatory(); + if ($res < 0) { + $error++; + } + // $this->oldcopy should have been set by the caller of update (here properties were already modified) if (empty($this->oldcopy)) { $this->oldcopy = dol_clone($this); } - // Update request - $sql = 'UPDATE '.$this->db->prefix().$this->table_element.' SET'; - $sql .= ' entity = '.(isset($this->entity) ? $this->entity : "null").','; - $sql .= ' fk_product = '.(isset($this->fk_product) ? $this->fk_product : "null").','; - $sql .= ' batch = '.(isset($this->batch) ? "'".$this->db->escape($this->batch)."'" : "null").','; - $sql .= ' eatby = '.(!isset($this->eatby) || dol_strlen($this->eatby) != 0 ? "'".$this->db->idate($this->eatby)."'" : 'null').','; - $sql .= ' sellby = '.(!isset($this->sellby) || dol_strlen($this->sellby) != 0 ? "'".$this->db->idate($this->sellby)."'" : 'null').','; - $sql .= ' eol_date = '.(!isset($this->eol_date) || dol_strlen($this->eol_date) != 0 ? "'".$this->db->idate($this->eol_date)."'" : 'null').','; - $sql .= ' manufacturing_date = '.(!isset($this->manufacturing_date) || dol_strlen($this->manufacturing_date) != 0 ? "'".$this->db->idate($this->manufacturing_date)."'" : 'null').','; - $sql .= ' scrapping_date = '.(!isset($this->scrapping_date) || dol_strlen($this->scrapping_date) != 0 ? "'".$this->db->idate($this->scrapping_date)."'" : 'null').','; - //$sql .= ' commissionning_date = '.(!isset($this->first_use_date) || dol_strlen($this->first_use_date) != 0 ? "'".$this->db->idate($this->first_use_date)."'" : 'null').','; - $sql .= ' qc_frequency = '.(!empty($this->qc_frequency) ? (int) $this->qc_frequency : 'null').','; - $sql .= ' lifetime = '.(!empty($this->lifetime) ? (int) $this->lifetime : 'null').','; - $sql .= ' datec = '.(!isset($this->datec) || dol_strlen($this->datec) != 0 ? "'".$this->db->idate($this->datec)."'" : 'null').','; - $sql .= ' tms = '.(dol_strlen($this->tms) != 0 ? "'".$this->db->idate($this->tms)."'" : "'".$this->db->idate(dol_now())."'").','; - $sql .= ' fk_user_creat = '.(isset($this->fk_user_creat) ? $this->fk_user_creat : "null").','; - $sql .= ' fk_user_modif = '.(isset($this->fk_user_modif) ? $this->fk_user_modif : "null").','; - $sql .= ' import_key = '.(isset($this->import_key) ? $this->import_key : "null"); - $sql .= ' WHERE rowid='.((int) $this->id); - - $this->db->begin(); - - $resql = $this->db->query($sql); - if (!$resql) { - $error++; - $this->errors[] = 'Error '.$this->db->lasterror(); - dol_syslog(__METHOD__.' '.join(',', $this->errors), LOG_ERR); - } - - // Actions on extra fields if (!$error) { - $result = $this->insertExtraFields(); - if ($result < 0) { + // Update request + $sql = 'UPDATE ' . $this->db->prefix() . $this->table_element . ' SET'; + $sql .= ' entity = ' . (isset($this->entity) ? $this->entity : "null") . ','; + $sql .= ' fk_product = ' . (isset($this->fk_product) ? $this->fk_product : "null") . ','; + $sql .= ' batch = ' . (isset($this->batch) ? "'" . $this->db->escape($this->batch) . "'" : "null") . ','; + $sql .= ' eatby = ' . (!isset($this->eatby) || dol_strlen($this->eatby) != 0 ? "'" . $this->db->idate($this->eatby) . "'" : 'null') . ','; + $sql .= ' sellby = ' . (!isset($this->sellby) || dol_strlen($this->sellby) != 0 ? "'" . $this->db->idate($this->sellby) . "'" : 'null') . ','; + $sql .= ' eol_date = ' . (!isset($this->eol_date) || dol_strlen($this->eol_date) != 0 ? "'" . $this->db->idate($this->eol_date) . "'" : 'null') . ','; + $sql .= ' manufacturing_date = ' . (!isset($this->manufacturing_date) || dol_strlen($this->manufacturing_date) != 0 ? "'" . $this->db->idate($this->manufacturing_date) . "'" : 'null') . ','; + $sql .= ' scrapping_date = ' . (!isset($this->scrapping_date) || dol_strlen($this->scrapping_date) != 0 ? "'" . $this->db->idate($this->scrapping_date) . "'" : 'null') . ','; + //$sql .= ' commissionning_date = '.(!isset($this->first_use_date) || dol_strlen($this->first_use_date) != 0 ? "'".$this->db->idate($this->first_use_date)."'" : 'null').','; + $sql .= ' qc_frequency = '.(!empty($this->qc_frequency) ? (int) $this->qc_frequency : 'null').','; + $sql .= ' lifetime = '.(!empty($this->lifetime) ? (int) $this->lifetime : 'null').','; + $sql .= ' datec = ' . (!isset($this->datec) || dol_strlen($this->datec) != 0 ? "'" . $this->db->idate($this->datec) . "'" : 'null') . ','; + $sql .= ' tms = ' . (dol_strlen($this->tms) != 0 ? "'" . $this->db->idate($this->tms) . "'" : "'" . $this->db->idate(dol_now()) . "'") . ','; + $sql .= ' fk_user_creat = ' . (isset($this->fk_user_creat) ? $this->fk_user_creat : "null") . ','; + $sql .= ' fk_user_modif = ' . (isset($this->fk_user_modif) ? $this->fk_user_modif : "null") . ','; + $sql .= ' import_key = ' . (isset($this->import_key) ? $this->import_key : "null"); + $sql .= ' WHERE rowid=' . ((int) $this->id); + + $this->db->begin(); + + $resql = $this->db->query($sql); + if (!$resql) { $error++; + $this->errors[] = 'Error ' . $this->db->lasterror(); + } + + // Actions on extra fields + if (!$error) { + $result = $this->insertExtraFields(); + if ($result < 0) { + $error++; + } + } + + if (!$error && !$notrigger) { + // Call triggers + $result = $this->call_trigger('PRODUCTLOT_MODIFY', $user); + if ($result < 0) { + $error++; + } + // End call triggers + } + + // Commit or rollback + if ($error) { + $this->db->rollback(); + } else { + $this->db->commit(); } } - if (!$error && !$notrigger) { - // Call triggers - $result = $this->call_trigger('PRODUCTLOT_MODIFY', $user); - if ($result < 0) { - $error++; - } - // End call triggers - } - - // Commit or rollback if ($error) { - $this->db->rollback(); - + dol_syslog(__METHOD__ . ' ' . join(',', $this->errors), LOG_ERR); return -1 * $error; } else { - $this->db->commit(); - return 1; } } @@ -611,12 +628,11 @@ class Productlot extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { dol_syslog(__METHOD__, LOG_DEBUG); @@ -767,12 +783,12 @@ class Productlot extends CommonObject $sql .= " INNER JOIN ".$this->db->prefix()."expeditiondet as ed ON (ed.rowid = edb.fk_expeditiondet)"; $sql .= " INNER JOIN ".$this->db->prefix()."expedition as exp ON (exp.rowid = ed.fk_expedition)"; // $sql .= ", ".$this->db->prefix()."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE exp.entity IN (".getEntity('expedition').")"; $sql .= " AND edb.batch = '".($this->db->escape($this->batch))."'"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND exp.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } //$sql.= " AND exp.fk_statut != 0"; @@ -842,12 +858,12 @@ class Productlot extends CommonObject $sql .= " INNER JOIN ".$this->db->prefix()."commande_fournisseurdet as cfd ON (cfd.rowid = cfdi.fk_commandefourndet)"; $sql .= " INNER JOIN ".$this->db->prefix()."commande_fournisseur as cf ON (cf.rowid = cfd.fk_commande)"; // $sql .= ", ".$this->db->prefix()."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE cf.entity IN (".getEntity('expedition').")"; $sql .= " AND cfdi.batch = '".($this->db->escape($this->batch))."'"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND cf.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } //$sql.= " AND cf.fk_statut != 0"; @@ -916,12 +932,12 @@ class Productlot extends CommonObject $sql .= " FROM ".$this->db->prefix()."commande_fournisseur_dispatch as cfdi"; $sql .= " INNER JOIN ".$this->db->prefix()."reception as recep ON (recep.rowid = cfdi.fk_reception)"; // $sql .= ", ".$this->db->prefix()."societe as s"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".$this->db->prefix()."societe_commerciaux as sc"; } $sql .= " WHERE recep.entity IN (".getEntity('reception').")"; $sql .= " AND cfdi.batch = '".($this->db->escape($this->batch))."'"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND recep.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } //$sql.= " AND exp.fk_statut != 0"; @@ -996,7 +1012,7 @@ class Productlot extends CommonObject $sql .= " SUM(mp.qty) as qty"; $sql .= " FROM ".$this->db->prefix()."mrp_mo as c"; $sql .= " INNER JOIN ".$this->db->prefix()."mrp_production as mp ON mp.fk_mo=c.rowid"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= "INNER JOIN ".$this->db->prefix()."societe_commerciaux as sc ON sc.fk_soc=c.fk_soc AND sc.fk_user = ".((int) $user->id); } $sql .= " WHERE "; @@ -1095,7 +1111,7 @@ class Productlot extends CommonObject } /** - * Return a link to the a lot card (with optionaly the picto) + * Return a link to the a lot card (with optionally the picto) * Use this->id,this->lastname, this->firstname * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) @@ -1196,7 +1212,7 @@ class Productlot extends CommonObject { global $conf; - // Initialise parametres + // Initialise parameters $this->id = 0; $this->ref = 'SPECIMEN'; $this->specimen = 1; @@ -1237,7 +1253,7 @@ class Productlot extends CommonObject if (!empty($this->model_pdf)) { $modele = $this->model_pdf; } elseif (getDolGlobalString('PRODUCT_BATCH_ADDON_PDF')) { - $modele = $conf->global->PRODUCT_BATCH_ADDON_PDF; + $modele = getDolGlobalString('PRODUCT_BATCH_ADDON_PDF'); } } diff --git a/htdocs/product/stock/class/productstockentrepot.class.php b/htdocs/product/stock/class/productstockentrepot.class.php index d0435b5c60a..abf7f20ca9d 100644 --- a/htdocs/product/stock/class/productstockentrepot.class.php +++ b/htdocs/product/stock/class/productstockentrepot.class.php @@ -3,7 +3,7 @@ * Copyright (C) 2014-2016 Juanjo Menent * Copyright (C) 2015 Florian Henry * Copyright (C) 2015 Raphaël Doursenaud - * Copyright (C) 2018-2019 Frédéric France + * Copyright (C) 2018-2024 Frédéric France * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -70,7 +70,7 @@ class ProductStockEntrepot extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -80,12 +80,11 @@ class ProductStockEntrepot extends CommonObject /** * Create object into database * - * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers - * - * @return int Return integer <0 if KO, Id of created object if OK + * @param User $user User that creates + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { dol_syslog(__METHOD__, LOG_DEBUG); @@ -242,9 +241,9 @@ class ProductStockEntrepot extends CommonObject * @param array $filter filter array * @param string $filtermode filter mode (AND or OR) * - * @return int|array <0 if KO, array if OK + * @return int|array Return integer <0 if KO, array if OK */ - public function fetchAll($fk_product = '', $fk_entrepot = '', $sortorder = '', $sortfield = '', $limit = 0, $offset = 0, array $filter = array(), $filtermode = 'AND') + public function fetchAll($fk_product = 0, $fk_entrepot = 0, $sortorder = '', $sortfield = '', $limit = 0, $offset = 0, array $filter = array(), $filtermode = 'AND') { dol_syslog(__METHOD__, LOG_DEBUG); @@ -315,12 +314,11 @@ class ProductStockEntrepot extends CommonObject /** * Update object into database * - * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers - * - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that modifies + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { $error = 0; @@ -395,12 +393,11 @@ class ProductStockEntrepot extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { dol_syslog(__METHOD__, LOG_DEBUG); @@ -492,7 +489,7 @@ class ProductStockEntrepot extends CommonObject } /** - * Return a link to the user card (with optionaly the picto) + * Return a link to the user card (with optionally the picto) * Use this->id,this->lastname, this->firstname * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) diff --git a/htdocs/product/stock/info.php b/htdocs/product/stock/info.php index 6bed56acd0d..fd3c8e2e9c4 100644 --- a/htdocs/product/stock/info.php +++ b/htdocs/product/stock/info.php @@ -18,7 +18,7 @@ /** * \file htdocs/product/stock/info.php * \ingroup stock - * \brief Page des informations d'un entrepot + * \brief Page des information d'un entrepot */ // Load Dolibarr environment @@ -94,7 +94,7 @@ if (isModEnabled('project')) { $morehtmlref .= ''; $shownav = 1; -if ($user->socid && !in_array('stock', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { +if ($user->socid && !in_array('stock', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } diff --git a/htdocs/product/stock/lib/replenishment.lib.php b/htdocs/product/stock/lib/replenishment.lib.php index 69d9a86815a..8751935cb13 100644 --- a/htdocs/product/stock/lib/replenishment.lib.php +++ b/htdocs/product/stock/lib/replenishment.lib.php @@ -79,7 +79,7 @@ function dolDispatchToDo($order_id) /** * dispatchedOrders * - * @return string Array of id of orders wit all dispathing already done or not required + * @return string Array of id of orders with all dispatching already done or not required */ function dispatchedOrders() { diff --git a/htdocs/product/stock/list.php b/htdocs/product/stock/list.php index bfbfafa2725..3f9ca9d6cce 100644 --- a/htdocs/product/stock/list.php +++ b/htdocs/product/stock/list.php @@ -89,7 +89,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alphanohtml'); $search = array(); foreach ($object->fields as $key => $val) { @@ -561,10 +561,10 @@ foreach ($object->fields as $key => $val) { print $object->showInputField($val, $key, (isset($search[$key]) ? $search[$key] : ''), '', '', 'search_', $cssforfield.' maxwidth250', 1); } elseif (preg_match('/^(date|timestamp|datetime)/', $val['type'])) { print '
      '; - print $form->selectDate($search[$key.'_dtstart'] ? $search[$key.'_dtstart'] : '', "search_".$key."_dtstart", 0, 0, 1, '', 1, 0, 0, '', '', '', '', 1, '', $langs->trans('From')); + print $form->selectDate(isset($search[$key.'_dtstart']) ? $search[$key.'_dtstart'] : '', "search_".$key."_dtstart", 0, 0, 1, '', 1, 0, 0, '', '', '', '', 1, '', $langs->trans('From')); print '
      '; print '
      '; - print $form->selectDate($search[$key.'_dtend'] ? $search[$key.'_dtend'] : '', "search_".$key."_dtend", 0, 0, 1, '', 1, 0, 0, '', '', '', '', 1, '', $langs->trans('to')); + print $form->selectDate(isset($search[$key.'_dtend']) ? $search[$key.'_dtend'] : '', "search_".$key."_dtend", 0, 0, 1, '', 1, 0, 0, '', '', '', '', 1, '', $langs->trans('to')); print '
      '; } elseif ($key == 'lang') { require_once DOL_DOCUMENT_ROOT.'/core/class/html.formadmin.class.php'; @@ -647,16 +647,19 @@ foreach ($object->fields as $key => $val) { if (!empty($arrayfields["stockqty"]['checked'])) { print_liste_field_titre("PhysicalStock", $_SERVER["PHP_SELF"], "stockqty", '', $param, '', $sortfield, $sortorder, 'right '); $totalarray['nbfield']++; + $totalarray['type'][$totalarray['nbfield']] = 'stock'; } if (!empty($arrayfields["estimatedvalue"]['checked'])) { print_liste_field_titre("EstimatedStockValue", $_SERVER["PHP_SELF"], "estimatedvalue", '', $param, '', $sortfield, $sortorder, 'right '); $totalarray['nbfield']++; + $totalarray['type'][$totalarray['nbfield']] = 'price'; } if (!empty($arrayfields["estimatedstockvaluesell"]['checked'])) { print_liste_field_titre("EstimatedStockValueSell", $_SERVER["PHP_SELF"], "", '', $param, '', $sortfield, $sortorder, 'right '); $totalarray['nbfield']++; + $totalarray['type'][$totalarray['nbfield']] = 'price'; } // Extra fields @@ -910,7 +913,7 @@ print ''."\n"; print ''."\n"; -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/product/stock/massstockmove.php b/htdocs/product/stock/massstockmove.php index d542a589513..84b8b8d0379 100644 --- a/htdocs/product/stock/massstockmove.php +++ b/htdocs/product/stock/massstockmove.php @@ -195,7 +195,7 @@ if ($action == 'createmovements' && $user->hasRight('stock', 'mouvement', 'creer $dlc = -1; // They are loaded later from serial $dluo = -1; // They are loaded later from serial - if (!$error && $id_sw <> $id_tw && is_numeric($qty) && $id_product) { + if (!$error && $id_sw != $id_tw && is_numeric($qty) && $id_product) { $result = $product->fetch($id_product); $product->load_stock('novirtual'); // Load array product->stock_warehouse @@ -296,7 +296,7 @@ if ($action == 'createmovements' && $user->hasRight('stock', 'mouvement', 'creer } } } else { - // dol_print_error('',"Bad value saved into sessions"); + // dol_print_error(null,"Bad value saved into sessions"); $error++; } } @@ -526,7 +526,7 @@ if ($action == 'confirm_deletefile' && $confirm == 'yes') { } else { setEventMessages($langs->trans("ErrorFailToDeleteFile", GETPOST('urlfile')), null, 'errors'); } - Header('Location: '.$_SERVER["PHP_SELF"]); + header('Location: '.$_SERVER["PHP_SELF"]); exit; } @@ -585,7 +585,7 @@ $out = (!getDolGlobalString('MAIN_UPLOAD_DOC') ? ' disabled' : ''); print ''; $out = ''; if (getDolGlobalString('MAIN_UPLOAD_DOC')) { - $max = $conf->global->MAIN_UPLOAD_DOC; // In Kb + $max = getDolGlobalString('MAIN_UPLOAD_DOC'); // In Kb $maxphp = @ini_get('upload_max_filesize'); // In unknown if (preg_match('/k$/i', $maxphp)) { $maxphp = preg_replace('/k$/i', '', $maxphp); @@ -688,7 +688,7 @@ if (getDolGlobalString('STOCK_SUPPORTS_SERVICES')) { if (getDolGlobalInt('PRODUIT_LIMIT_SIZE') <= 0) { $limit = ''; } else { - $limit = $conf->global->PRODUIT_LIMIT_SIZE; + $limit = getDolGlobalString('PRODUIT_LIMIT_SIZE'); } print img_picto($langs->trans("Product"), 'product', 'class="paddingright"'); @@ -822,7 +822,7 @@ function startsWith($haystack, $needle) * * @param Object $static_object static object to fetch * @param string $tmp_ref ref of the object to fetch - * @return int <0 if Ko or Id of object + * @return int Return integer <0 if Ko or Id of object */ function fetchref($static_object, $tmp_ref) { diff --git a/htdocs/product/stock/movement_card.php b/htdocs/product/stock/movement_card.php index b5482c478ea..11c3dc31649 100644 --- a/htdocs/product/stock/movement_card.php +++ b/htdocs/product/stock/movement_card.php @@ -571,7 +571,7 @@ if ($resql) { $morehtmlref .= ''; $shownav = 1; - if ($user->socid && !in_array('stock', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('stock', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -1146,8 +1146,8 @@ if ($resql) { $productidselected = $key; $productlabelselected = $val; } - $datebefore = dol_get_first_day($year ? $year : strftime("%Y", time()), $month ? $month : 1, true); - $dateafter = dol_get_last_day($year ? $year : strftime("%Y", time()), $month ? $month : 12, true); + $datebefore = dol_get_first_day($year ? $year : dol_print_date(time(), "%Y"), $month ? $month : 1, true); + $dateafter = dol_get_last_day($year ? $year : dol_print_date(time(), "%Y"), $month ? $month : 12, true); $balancebefore = $movement->calculateBalanceForProductBefore($productidselected, $datebefore); $balanceafter = $movement->calculateBalanceForProductBefore($productidselected, $dateafter); diff --git a/htdocs/product/stock/movement_list.php b/htdocs/product/stock/movement_list.php index 6255a0ac5a0..d8cb47f17fe 100644 --- a/htdocs/product/stock/movement_list.php +++ b/htdocs/product/stock/movement_list.php @@ -175,7 +175,7 @@ $uploaddir = $conf->stock->dir_output.'/movements'; $permissiontoread = $user->rights->stock->mouvement->lire; $permissiontoadd = $user->rights->stock->mouvement->creer; -$permissiontodelete = $user->rights->stock->mouvement->creer; // There is no deletion permission for stock movement as we shoul dnever delete +$permissiontodelete = $user->rights->stock->mouvement->creer; // There is no deletion permission for stock movement as we should never delete $usercanread = $user->rights->stock->mouvement->lire; $usercancreate = $user->rights->stock->mouvement->creer; @@ -586,7 +586,7 @@ if ($action == "transfert_stock" && !$cancel) { } } -// reverse mouvement of stock +// reverse movement of stock if ($action == 'confirm_reverse') { $listMouvement = array(); $toselect = array_map('intval', $toselect); @@ -868,7 +868,7 @@ if ($object->id > 0) { $morehtmlref .= ''; $shownav = 1; - if ($user->socid && !in_array('stock', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('stock', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -1143,7 +1143,7 @@ $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; $selectedfields = ($mode != 'kanban' ? $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')) : ''); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print ''."\n"; // Fields title search @@ -1159,7 +1159,7 @@ if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { if (!empty($arrayfields['m.rowid']['checked'])) { // Ref print ''; } if (!empty($arrayfields['m.datem']['checked'])) { @@ -1641,8 +1641,8 @@ if (count($arrayofuniqueproduct) == 1 && !empty($year) && is_numeric($year)) { $productidselected = $key; $productlabelselected = $val; } - $datebefore = dol_get_first_day($year ? $year : strftime("%Y", time()), $month ? $month : 1, true); - $dateafter = dol_get_last_day($year ? $year : strftime("%Y", time()), $month ? $month : 12, true); + $datebefore = dol_get_first_day($year ? $year : dol_print_date(time(), "%Y"), $month ? $month : 1, true); + $dateafter = dol_get_last_day($year ? $year : dol_print_date(time(), "%Y"), $month ? $month : 12, true); $balancebefore = $movement->calculateBalanceForProductBefore($productidselected, $datebefore); $balanceafter = $movement->calculateBalanceForProductBefore($productidselected, $dateafter); @@ -1662,7 +1662,7 @@ if (count($arrayofuniqueproduct) == 1 && !empty($year) && is_numeric($year)) { //print ''; } -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/product/stock/product.php b/htdocs/product/stock/product.php index bd1897c47b8..690d1f68e01 100644 --- a/htdocs/product/stock/product.php +++ b/htdocs/product/stock/product.php @@ -67,7 +67,7 @@ $cancel = GETPOST('cancel', 'alpha'); $id = GETPOST('id', 'int'); $ref = GETPOST('ref', 'alpha'); -$stocklimit = GETPOST('seuil_stock_alerte'); +$stocklimit = (float) GETPOST('seuil_stock_alerte'); $desiredstock = GETPOST('desiredstock'); $cancel = GETPOST('cancel', 'alpha'); $fieldid = isset($_GET["ref"]) ? 'ref' : 'rowid'; @@ -153,7 +153,7 @@ if ($reshook < 0) { if ($action == 'setcost_price') { if ($id) { $result = $object->fetch($id); - $object->cost_price = price2num($cost_price); + $object->cost_price = (float) price2num($cost_price); $result = $object->update($object->id, $user); if ($result > 0) { setEventMessages($langs->trans("RecordSaved"), null, 'mesgs'); @@ -190,7 +190,7 @@ if ($action == 'addlimitstockwarehouse' && $user->hasRight('produit', 'creer')) } } else { // Create - $pse->fk_entrepot = GETPOST('fk_entrepot', 'int'); + $pse->fk_entrepot = GETPOSTINT('fk_entrepot'); $pse->fk_product = $id; $pse->seuil_stock_alerte = GETPOST('seuil_stock_alerte'); $pse->desiredstock = GETPOST('desiredstock'); @@ -614,7 +614,7 @@ if ($id > 0 || $ref) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('stock', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('stock', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -859,7 +859,7 @@ if ($id > 0 || $ref) { } - // Calculating a theorical value + // Calculating a theoretical value print ''; @@ -959,7 +959,7 @@ if (empty($reshook)) { } -if (!$variants) { +if (!$variants || getDolGlobalString('VARIANT_ALLOW_STOCK_MOVEMENT_ON_VARIANT_PARENT')) { /* * Stock detail (by warehouse). May go down into batch details. */ diff --git a/htdocs/product/stock/productlot_card.php b/htdocs/product/stock/productlot_card.php index b3efe0cb465..4cca04d141b 100644 --- a/htdocs/product/stock/productlot_card.php +++ b/htdocs/product/stock/productlot_card.php @@ -21,7 +21,7 @@ * \file product/stock/productlot_card.php * \ingroup stock * \brief This file is an example of a php page - * Initialy built by build_class_from_table on 2016-05-17 12:22 + * Initially built by build_class_from_table on 2016-05-17 12:22 */ // Load Dolibarr environment @@ -58,7 +58,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alpha'); $search = array(); foreach ($object->fields as $key => $val) { @@ -154,9 +154,23 @@ if (empty($reshook)) { if ($action == 'seteatby' && $user->hasRight('stock', 'creer') && ! GETPOST('cancel', 'alpha')) { $newvalue = dol_mktime(12, 0, 0, GETPOST('eatbymonth', 'int'), GETPOST('eatbyday', 'int'), GETPOST('eatbyyear', 'int')); - $result = $object->setValueFrom('eatby', $newvalue, '', null, 'date', '', $user, 'PRODUCTLOT_MODIFY'); - if ($result < 0) { - setEventMessages($object->error, null, 'errors'); + + // check parameters + $object->eatby = $newvalue; + $res = $object->checkSellOrEatByMandatory('eatby'); + if ($res < 0) { + $error++; + } + + if (!$error) { + $result = $object->setValueFrom('eatby', $newvalue, '', null, 'date', '', $user, 'PRODUCTLOT_MODIFY'); + if ($result < 0) { + $error++; + } + } + + if ($error) { + setEventMessages($object->error, $object->errors, 'errors'); $action = 'editeatby'; } else { $action = 'view'; @@ -165,9 +179,23 @@ if (empty($reshook)) { if ($action == 'setsellby' && $user->hasRight('stock', 'creer') && ! GETPOST('cancel', 'alpha')) { $newvalue = dol_mktime(12, 0, 0, GETPOST('sellbymonth', 'int'), GETPOST('sellbyday', 'int'), GETPOST('sellbyyear', 'int')); - $result = $object->setValueFrom('sellby', $newvalue, '', null, 'date', '', $user, 'PRODUCTLOT_MODIFY'); - if ($result < 0) { - setEventMessages($object->error, null, 'errors'); + + // check parameters + $object->sellby = $newvalue; + $res = $object->checkSellOrEatByMandatory('sellby'); + if ($res < 0) { + $error++; + } + + if (!$error) { + $result = $object->setValueFrom('sellby', $newvalue, '', null, 'date', '', $user, 'PRODUCTLOT_MODIFY'); + if ($result < 0) { + $error++; + } + } + + if ($error) { + setEventMessages($object->error, $object->errors, 'errors'); $action = 'editsellby'; } else { $action = 'view'; @@ -368,7 +396,17 @@ $help_url = ''; llxHeader('', $title, $help_url); - +$res = $object->fetch_product(); +if ($res > 0 && $object->product) { + if ($object->product->sell_or_eat_by_mandatory == Product::SELL_OR_EAT_BY_MANDATORY_ID_SELL_BY) { + $object->fields['sellby']['notnull'] = 1; + } elseif ($object->product->sell_or_eat_by_mandatory == Product::SELL_OR_EAT_BY_MANDATORY_ID_EAT_BY) { + $object->fields['eatby']['notnull'] = 1; + } elseif ($object->product->sell_or_eat_by_mandatory == Product::SELL_OR_EAT_BY_MANDATORY_ID_SELL_AND_EAT) { + $object->fields['sellby']['notnull'] = 1; + $object->fields['eatby']['notnull'] = 1; + } +} // Part to create if ($action == 'create') { print load_fiche_titre($langs->trans("Batch"), '', 'object_'.$object->picto); @@ -436,7 +474,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('batch', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('batch', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -458,7 +496,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea // Sell by if (!getDolGlobalString('PRODUCT_DISABLE_SELLBY')) { print ''; @@ -468,7 +506,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea // Eat by if (!getDolGlobalString('PRODUCT_DISABLE_EATBY')) { print ''; diff --git a/htdocs/product/stock/productlot_document.php b/htdocs/product/stock/productlot_document.php index d9b32640e28..9c04f0e0447 100644 --- a/htdocs/product/stock/productlot_document.php +++ b/htdocs/product/stock/productlot_document.php @@ -176,7 +176,7 @@ if ($object->id) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('batch', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('batch', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } diff --git a/htdocs/product/stock/productlot_list.php b/htdocs/product/stock/productlot_list.php index 640835b91d2..5d29e2bcd5b 100644 --- a/htdocs/product/stock/productlot_list.php +++ b/htdocs/product/stock/productlot_list.php @@ -21,7 +21,7 @@ * \file product/stock/productlot_list.php * \ingroup stock * \brief This file is an example of a php page - * Initialy built by build_class_from_table on 2016-05-17 12:22 + * Initially built by build_class_from_table on 2016-05-17 12:22 */ // Load Dolibarr environment @@ -85,7 +85,7 @@ if (!$sortorder) { $sortorder = "ASC"; } -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST('search_all', 'alphanohtml') ? GETPOST('search_all', 'alphanohtml') : GETPOST('sall', 'alphanohtml'); $search = array(); foreach ($object->fields as $key => $val) { @@ -229,6 +229,9 @@ $parameters = array(); $reshook = $hookmanager->executeHooks('printFieldListSelect', $parameters, $object); // Note that $action and $object may have been modified by hook $sql .= $hookmanager->resPrint; $sql = preg_replace('/,\s*$/', '', $sql); + +$sqlfields = $sql; + $sql .= " FROM ".MAIN_DB_PREFIX.$object->table_element." as t"; if (isset($extrafields->attributes[$object->table_element]['label']) && is_array($extrafields->attributes[$object->table_element]['label']) && count($extrafields->attributes[$object->table_element]['label'])) { $sql .= " LEFT JOIN ".MAIN_DB_PREFIX.$object->table_element."_extrafields as ef on (t.rowid = ef.fk_object)"; @@ -317,7 +320,9 @@ if (!getDolGlobalInt('MAIN_DISABLE_FULL_SCANLIST')) { } }*/ /* The fast and low memory method to get and count full list converts the sql into a sql count */ - $sqlforcount = preg_replace('/^SELECT[a-zA-Z0-9\._\s\(\),=<>\:\-\']+\sFROM/Ui', 'SELECT COUNT(*) as nbtotalofrecords FROM', $sql); + $sqlforcount = preg_replace('/^'.preg_quote($sqlfields, '/').'/', 'SELECT COUNT(*) as nbtotalofrecords', $sql); + $sqlforcount = preg_replace('/GROUP BY .*$/', '', $sqlforcount); + $resql = $db->query($sqlforcount); if ($resql) { $objforcount = $db->fetch_object($resql); @@ -729,7 +734,7 @@ print ''."\n"; print ''."\n"; -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/product/stock/replenish.php b/htdocs/product/stock/replenish.php index d347290c92c..a9ae3c62195 100644 --- a/htdocs/product/stock/replenish.php +++ b/htdocs/product/stock/replenish.php @@ -392,7 +392,7 @@ if ($search_label) { $sql .= natural_search('p.label', $search_label); } $sql .= ' AND p.tobuy = 1'; -if (!empty($conf->variants->eabled) && !getDolGlobalString('VARIANT_ALLOW_STOCK_MOVEMENT_ON_VARIANT_PARENT')) { // Add test to exclude products that has variants +if (!empty($conf->variants->enabled) && !getDolGlobalString('VARIANT_ALLOW_STOCK_MOVEMENT_ON_VARIANT_PARENT')) { // Add test to exclude products that has variants $sql .= ' AND p.rowid NOT IN (SELECT pac.fk_product_parent FROM '.MAIN_DB_PREFIX.'product_attribute_combination as pac WHERE pac.entity IN ('.getEntity('product').'))'; } if ($fk_supplier > 0) { diff --git a/htdocs/product/stock/replenishorders.php b/htdocs/product/stock/replenishorders.php index 8102d10e48a..9a0e0847016 100644 --- a/htdocs/product/stock/replenishorders.php +++ b/htdocs/product/stock/replenishorders.php @@ -126,7 +126,7 @@ $sql .= ' cf.rowid, cf.ref, cf.fk_statut, cf.total_ttc, cf.fk_user_author,'; $sql .= ' u.login'; $sql .= ' FROM '.MAIN_DB_PREFIX.'societe as s, '.MAIN_DB_PREFIX.'commande_fournisseur as cf'; $sql .= ' LEFT JOIN '.MAIN_DB_PREFIX.'user as u ON cf.fk_user_author = u.rowid'; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ', '.MAIN_DB_PREFIX.'societe_commerciaux as sc'; } $sql .= ' WHERE cf.fk_soc = s.rowid '; @@ -138,7 +138,7 @@ if (getDolGlobalString('STOCK_CALCULATE_ON_SUPPLIER_VALIDATE_ORDER')) { } else { $sql .= ' AND cf.fk_statut < 5'; } -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ' AND s.rowid = sc.fk_soc AND sc.fk_user = '.((int) $user->id); } if ($sref) { diff --git a/htdocs/product/stock/stats/commande_fournisseur.php b/htdocs/product/stock/stats/commande_fournisseur.php index 8b9a71deac7..756f814f575 100644 --- a/htdocs/product/stock/stats/commande_fournisseur.php +++ b/htdocs/product/stock/stats/commande_fournisseur.php @@ -133,7 +133,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -218,14 +218,14 @@ if ($id > 0 || !empty($ref)) { $sql .= " cf.ref, cf.date_commande, cf.date_livraison as delivery_date, cf.fk_statut as statut, cf.rowid as facid,"; $sql .= " cfd.rowid, SUM(cfdi.qty) as qty"; // $sql.= ", cfd.total_ht * SUM(cfdi.qty) / cfd.qty as total_ht_pondere"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", sc.fk_soc, sc.fk_user "; } $sql .= " FROM ".MAIN_DB_PREFIX."societe as s"; $sql .= " INNER JOIN ".MAIN_DB_PREFIX."commande_fournisseur as cf ON (cf.fk_soc = s.rowid)"; $sql .= " INNER JOIN ".MAIN_DB_PREFIX."commande_fournisseurdet as cfd ON (cfd.fk_commande = cf.rowid)"; $sql .= " INNER JOIN ".MAIN_DB_PREFIX."commande_fournisseur_dispatch as cfdi ON (cfdi.fk_commandefourndet = cfd.rowid)"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE cf.entity IN (".getEntity('product').")"; @@ -236,7 +236,7 @@ if ($id > 0 || !empty($ref)) { if (!empty($search_year)) { $sql .= ' AND YEAR(cf.date_commande) IN ('.$db->sanitize($search_year).')'; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { diff --git a/htdocs/product/stock/stats/expedition.php b/htdocs/product/stock/stats/expedition.php index 602ea38a518..5596ff381d5 100644 --- a/htdocs/product/stock/stats/expedition.php +++ b/htdocs/product/stock/stats/expedition.php @@ -133,7 +133,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -218,14 +218,14 @@ if ($id > 0 || !empty($ref)) { $sql .= " exp.ref, exp.date_creation, exp.fk_statut as statut, exp.rowid as facid,"; $sql .= " d.rowid, db.qty"; // $sql.= ", d.total_ht as total_ht"; // We must keep the d.rowid here to not loose record because of the distinct used to ignore duplicate line when link on societe_commerciaux is used - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", sc.fk_soc, sc.fk_user "; } $sql .= " FROM ".MAIN_DB_PREFIX."societe as s"; $sql .= " INNER JOIN ".MAIN_DB_PREFIX."expedition as exp ON (exp.fk_soc = s.rowid)"; $sql .= " INNER JOIN ".MAIN_DB_PREFIX."expeditiondet as d ON (d.fk_expedition = exp.rowid)"; $sql .= " INNER JOIN ".MAIN_DB_PREFIX."expeditiondet_batch as db ON (db.fk_expeditiondet = d.rowid)"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE exp.entity IN (".getEntity('product').")"; @@ -236,7 +236,7 @@ if ($id > 0 || !empty($ref)) { if (!empty($search_year)) { $sql .= ' AND YEAR(exp.date_creation) IN ('.$db->sanitize($search_year).')'; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { diff --git a/htdocs/product/stock/stats/mo.php b/htdocs/product/stock/stats/mo.php index 51420d1c033..b09a844f0f1 100644 --- a/htdocs/product/stock/stats/mo.php +++ b/htdocs/product/stock/stats/mo.php @@ -126,7 +126,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } diff --git a/htdocs/product/stock/stats/reception.php b/htdocs/product/stock/stats/reception.php index 989abe0d668..63c4b942310 100644 --- a/htdocs/product/stock/stats/reception.php +++ b/htdocs/product/stock/stats/reception.php @@ -133,7 +133,7 @@ if ($id > 0 || !empty($ref)) { $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; - if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -218,13 +218,13 @@ if ($id > 0 || !empty($ref)) { $sql .= " recep.ref, recep.date_creation, recep.fk_statut as statut, recep.rowid as facid,"; $sql .= " d.qty"; // $sql.= ", d.total_ht as total_ht"; // We must keep the d.rowid here to not loose record because of the distinct used to ignore duplicate line when link on societe_commerciaux is used - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", sc.fk_soc, sc.fk_user "; } $sql .= " FROM ".MAIN_DB_PREFIX."societe as s"; $sql .= " INNER JOIN ".MAIN_DB_PREFIX."reception as recep ON (recep.fk_soc = s.rowid)"; $sql .= " INNER JOIN ".MAIN_DB_PREFIX."commande_fournisseur_dispatch as d ON (d.fk_reception = recep.rowid)"; - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE recep.entity IN (".getEntity('product').")"; @@ -235,7 +235,7 @@ if ($id > 0 || !empty($ref)) { if (!empty($search_year)) { $sql .= ' AND YEAR(recep.date_creation) IN ('.$db->sanitize($search_year).')'; } - if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($socid) { diff --git a/htdocs/product/stock/stockatdate.php b/htdocs/product/stock/stockatdate.php index 8971e1a667e..3aa54ed103d 100644 --- a/htdocs/product/stock/stockatdate.php +++ b/htdocs/product/stock/stockatdate.php @@ -427,7 +427,7 @@ if (!empty($search_fk_warehouse)) { } } if ($productid > 0) { - $param .= '&productid='.$productid; + $param .= '&productid='.(int) $productid; } if (GETPOST('dateday', 'int') > 0) { $param .= '&dateday='.GETPOST('dateday', 'int'); @@ -442,7 +442,7 @@ if (GETPOST('dateyear', 'int') > 0) { // TODO Move this into the title line ? print_barre_liste('', $page, $_SERVER["PHP_SELF"], $param, $sortfield, $sortorder, '', $num, $nbtotalofrecords, 'stock', 0, '', '', $limit, 0, 0, 1); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '; - print ''; + print ''; print '
      '; print $form->textwithpicto($langs->trans("VirtualStock"), $langs->trans("VirtualStockDesc")); print '
      '; - print $form->editfieldkey($langs->trans('SellByDate'), 'sellby', $object->sellby, $object, $user->hasRight('stock', 'creer'), 'datepicker'); + print $form->editfieldkey($langs->trans('SellByDate'), 'sellby', $object->sellby, $object, $user->hasRight('stock', 'creer'), 'datepicker', '', $object->fields['sellby']['notnull']); print ''; print $form->editfieldval($langs->trans('SellByDate'), 'sellby', $object->sellby, $object, $user->hasRight('stock', 'creer'), 'datepicker', '', null, null, '', 1, '', 'id', 'auto', array(), $action); print '
      '; - print $form->editfieldkey($langs->trans('EatByDate'), 'eatby', $object->eatby, $object, $user->hasRight('stock', 'creer'), 'datepicker'); + print $form->editfieldkey($langs->trans('EatByDate'), 'eatby', $object->eatby, $object, $user->hasRight('stock', 'creer'), 'datepicker', '', $object->fields['eatby']['notnull']); print ''; print $form->editfieldval($langs->trans('EatByDate'), 'eatby', $object->eatby, $object, $user->hasRight('stock', 'creer'), 'datepicker', '', null, null, '', 1, '', 'id', 'auto', array(), $action); print '
      '; $stocklabel = $langs->trans('StockAtDate'); diff --git a/htdocs/product/stock/stocktransfer/class/stocktransfer.class.php b/htdocs/product/stock/stocktransfer/class/stocktransfer.class.php index 27e2ba6a795..08d1213c47b 100644 --- a/htdocs/product/stock/stocktransfer/class/stocktransfer.class.php +++ b/htdocs/product/stock/stocktransfer/class/stocktransfer.class.php @@ -107,7 +107,7 @@ class StockTransfer extends CommonObject * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' is the CSS style to use on field. For example: 'maxwidth200' @@ -183,7 +183,7 @@ class StockTransfer extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -228,10 +228,10 @@ class StockTransfer extends CommonObject * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { $model_pdf = GETPOST('model'); if (!empty($model_pdf)) { @@ -491,10 +491,10 @@ class StockTransfer extends CommonObject * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { $this->tms = ''; // Will be done automatically because tms field is on update cascade $res = $this->updateCommon($user, $notrigger); @@ -510,11 +510,11 @@ class StockTransfer extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { if ($this->status > self::STATUS_VALIDATED) { return 0; @@ -528,10 +528,10 @@ class StockTransfer extends CommonObject * * @param User $user User that delete * @param int $idline Id of line to delete - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int >0 if OK, <0 if KO */ - public function deleteLine(User $user, $idline, $notrigger = false) + public function deleteLine(User $user, $idline, $notrigger = 0) { if ($this->status < 0) { $this->error = 'ErrorDeleteLineNotAllowedByObjectStatus'; @@ -549,7 +549,7 @@ class StockTransfer extends CommonObject * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function validate($user, $notrigger = 0) { @@ -561,7 +561,7 @@ class StockTransfer extends CommonObject // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this)."::validate action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this)."::validate action abandoned: already validated", LOG_WARNING); return 0; } @@ -706,7 +706,7 @@ class StockTransfer extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function cancel($user, $notrigger = 0) { @@ -730,7 +730,7 @@ class StockTransfer extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function reopen($user, $notrigger = 0) { @@ -750,7 +750,7 @@ class StockTransfer extends CommonObject } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -981,7 +981,7 @@ class StockTransfer extends CommonObject $mybool = false; $file = getDolGlobalString('STOCKTRANSFER_STOCKTRANSFER_ADDON') . ".php"; - $classname = $conf->global->STOCKTRANSFER_STOCKTRANSFER_ADDON; + $classname = getDolGlobalString('STOCKTRANSFER_STOCKTRANSFER_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -993,7 +993,7 @@ class StockTransfer extends CommonObject } if ($mybool === false) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -1022,7 +1022,7 @@ class StockTransfer extends CommonObject * Create a document onto disk according to template module. * * @param string $modele Force template to use ('' to not force) - * @param Translate $outputlangs objet lang a utiliser pour traduction + * @param Translate $outputlangs object lang a utiliser pour traduction * @param int $hidedetails Hide details of lines * @param int $hidedesc Hide description * @param int $hideref Hide ref @@ -1044,7 +1044,7 @@ class StockTransfer extends CommonObject if ($this->model_pdf) { $modele = $this->model_pdf; } elseif (getDolGlobalString('STOCKTRANSFER_ADDON_PDF')) { - $modele = $conf->global->STOCKTRANSFER_ADDON_PDF; + $modele = getDolGlobalString('STOCKTRANSFER_ADDON_PDF'); } } @@ -1104,7 +1104,7 @@ class StockTransfer extends CommonObject // /** // * Constructor // * -// * @param DoliDb $db Database handler +// * @param DoliDB $db Database handler // */ // public function __construct(DoliDB $db) // { diff --git a/htdocs/product/stock/stocktransfer/class/stocktransferline.class.php b/htdocs/product/stock/stocktransfer/class/stocktransferline.class.php index bc01268fb2c..a17df806b8f 100644 --- a/htdocs/product/stock/stocktransfer/class/stocktransferline.class.php +++ b/htdocs/product/stock/stocktransfer/class/stocktransferline.class.php @@ -76,7 +76,7 @@ class StockTransferLine extends CommonObjectLine * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' is the CSS style to use on field. For example: 'maxwidth200' @@ -126,7 +126,7 @@ class StockTransferLine extends CommonObjectLine /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -170,10 +170,10 @@ class StockTransferLine extends CommonObjectLine * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { return $this->createCommon($user, $notrigger); } @@ -375,10 +375,10 @@ class StockTransferLine extends CommonObjectLine * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -386,11 +386,11 @@ class StockTransferLine extends CommonObjectLine /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); //return $this->deleteCommon($user, $notrigger, 1); @@ -401,10 +401,10 @@ class StockTransferLine extends CommonObjectLine * * @param User $user User that delete * @param int $idline Id of line to delete - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int >0 if OK, <0 if KO + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return >0 if OK, <0 if KO */ - public function deleteLine(User $user, $idline, $notrigger = false) + public function deleteLine(User $user, $idline, $notrigger = 0) { if ($this->status < 0) { $this->error = 'ErrorDeleteLineNotAllowedByObjectStatus'; @@ -528,7 +528,7 @@ class StockTransferLine extends CommonObjectLine * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function validate($user, $notrigger = 0) { @@ -540,7 +540,7 @@ class StockTransferLine extends CommonObjectLine // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this)."::validate action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this)."::validate action abandoned: already validated", LOG_WARNING); return 0; } @@ -685,7 +685,7 @@ class StockTransferLine extends CommonObjectLine * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function cancel($user, $notrigger = 0) { @@ -709,7 +709,7 @@ class StockTransferLine extends CommonObjectLine * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function reopen($user, $notrigger = 0) { @@ -729,7 +729,7 @@ class StockTransferLine extends CommonObjectLine } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -936,7 +936,7 @@ class StockTransferLine extends CommonObjectLine $mybool = false; $file = getDolGlobalString('STOCKTRANSFER_STOCKTRANSFERLINE_ADDON') . ".php"; - $classname = $conf->global->STOCKTRANSFER_STOCKTRANSFERLINE_ADDON; + $classname = getDolGlobalString('STOCKTRANSFER_STOCKTRANSFERLINE_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -948,7 +948,7 @@ class StockTransferLine extends CommonObjectLine } if ($mybool === false) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -977,7 +977,7 @@ class StockTransferLine extends CommonObjectLine * Create a document onto disk according to template module. * * @param string $modele Force template to use ('' to not force) - * @param Translate $outputlangs objet lang a utiliser pour traduction + * @param Translate $outputlangs object lang a utiliser pour traduction * @param int $hidedetails Hide details of lines * @param int $hidedesc Hide description * @param int $hideref Hide ref @@ -999,7 +999,7 @@ class StockTransferLine extends CommonObjectLine if (!empty($this->model_pdf)) { $modele = $this->model_pdf; } elseif (getDolGlobalString('STOCKTRANSFERLINE_ADDON_PDF')) { - $modele = $conf->global->STOCKTRANSFERLINE_ADDON_PDF; + $modele = getDolGlobalString('STOCKTRANSFERLINE_ADDON_PDF'); } } diff --git a/htdocs/product/stock/stocktransfer/stocktransfer_agenda.php b/htdocs/product/stock/stocktransfer/stocktransfer_agenda.php index cdb6479e3af..4069721ba36 100644 --- a/htdocs/product/stock/stocktransfer/stocktransfer_agenda.php +++ b/htdocs/product/stock/stocktransfer/stocktransfer_agenda.php @@ -125,7 +125,7 @@ $form = new Form($db); if ($object->id > 0) { $title = $langs->trans("Agenda"); - //if (!empty($conf->global->MAIN_HTML_TITLE) && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; + //if (getDolGlobalString('MAIN_HTML_TITLE') && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; $help_url = ''; llxHeader('', $title, $help_url); diff --git a/htdocs/product/stock/stocktransfer/stocktransfer_card.php b/htdocs/product/stock/stocktransfer/stocktransfer_card.php index 8720fc38f17..5e66bba6ed2 100644 --- a/htdocs/product/stock/stocktransfer/stocktransfer_card.php +++ b/htdocs/product/stock/stocktransfer/stocktransfer_card.php @@ -70,7 +70,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = trim(GETPOST("search_all", 'alpha')); $search = array(); foreach ($object->fields as $key => $val) { @@ -135,7 +135,7 @@ if (empty($reshook)) { // Actions cancel, add, update, update_extras, confirm_validate, confirm_delete, confirm_deleteline, confirm_clone, confirm_close, confirm_setdraft, confirm_reopen include DOL_DOCUMENT_ROOT.'/core/actions_addupdatedelete.inc.php'; - // On remet cette lecture de permission ici car nécessaire d'avoir le nouveau statut de l'objet après toute action exécutée dessus (après incrémentation par exemple, le bouton supprimer doit disparaître) + // On remet cette lecture de permission ici car nécessaire d'avoir le nouveau statut de l'objet après toute action exécutée dessus (après incrémentation par example, le bouton supprimer doit disparaître) $permissiontodelete = $user->rights->stocktransfer->stocktransfer->delete || ($permissiontoadd && isset($object->status) && $object->status == $object::STATUS_DRAFT); // Actions when linking object each other @@ -401,7 +401,7 @@ llxHeader('', $title, $help_url); print ''; + });'; + +if ($disableSellBy == 0 || $disableEatBy == 0) { + print ' + var disableSellBy = '.dol_escape_js($disableSellBy).'; + var disableEatBy = '.dol_escape_js($disableSellBy).'; + jQuery("#batch_number").change(function(event) { + var batch = jQuery(this).val(); + jQuery.getJSON("'.DOL_URL_ROOT.'/product/ajax/product_lot.php?action=search&token='.currentToken().'&product_id='.$id.'&batch="+batch, function(data) { + if (data.length > 0) { + var productLot = data[0]; + if (disableSellBy == 0) { + jQuery("#sellby").val(productLot.sellby); + } + if (disableEatBy == 0) { + jQuery("#eatby").val(productLot.eatby); + } + } + }); + });'; +} +print '});'; +print ''; print load_fiche_titre($langs->trans("StockCorrection"), '', 'generic'); @@ -107,7 +148,7 @@ if ($object->element == 'product') { print ''; @@ -144,7 +185,7 @@ if (getDolGlobalString('PRODUIT_SOUSPRODUITS') && $object->element == 'product' } // Serial / Eat-by date -if (ismodEnabled('productbatch') && +if (isModEnabled('productbatch') && (($object->element == 'product' && $object->hasbatch()) || ($object->element == 'stock')) ) { @@ -155,21 +196,21 @@ if (ismodEnabled('productbatch') && print ''; print ''; } else { - print img_picto('', 'barcode', 'class="pictofixedwidth"').''; + print img_picto('', 'barcode', 'class="pictofixedwidth"').''; } print ''; print ''; print ''; if (!getDolGlobalString('PRODUCT_DISABLE_SELLBY')) { - print ''; } if (!getDolGlobalString('PRODUCT_DISABLE_EATBY')) { - print ''; -// Label of mouvement of id of inventory +// Label for movement of id of inventory $valformovementlabel = ((GETPOST("label") && (GETPOST('label') != $langs->trans("MovementCorrectStock", ''))) ? GETPOST("label") : $langs->trans("MovementCorrectStock", $productref)); print ''; print ''; diff --git a/htdocs/product/traduction.php b/htdocs/product/traduction.php index 2028dc36d3b..73604a418a2 100644 --- a/htdocs/product/traduction.php +++ b/htdocs/product/traduction.php @@ -23,7 +23,7 @@ /** * \file htdocs/product/traduction.php * \ingroup product - * \brief Page de traduction des produits + * \brief Page for translation of product descriptions */ // Load Dolibarr environment @@ -215,7 +215,7 @@ print dol_get_fiche_head($head, 'translation', $titre, 0, $picto); $linkback = ''.$langs->trans("BackToList").''; $shownav = 1; -if ($user->socid && !in_array('product', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { +if ($user->socid && !in_array('product', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } @@ -272,7 +272,7 @@ if ($action == 'edit') { $doleditor->Create(); print ''; if (getDolGlobalString('PRODUCT_USE_OTHER_FIELD_IN_TRANSLATION')) { - print ''; print ''; if (getDolGlobalString('PRODUCT_USE_OTHER_FIELD_IN_TRANSLATION')) { - print ''; + print ''; } print '
      '; $ident = (GETPOST("dwid") ? GETPOST("dwid", 'int') : (GETPOST('id_entrepot') ? GETPOST('id_entrepot', 'int') : ($object->element == 'product' && $object->fk_default_warehouse ? $object->fk_default_warehouse : 'ifone'))); if (empty($ident) && getDolGlobalString('MAIN_DEFAULT_WAREHOUSE')) { - $ident = $conf->global->MAIN_DEFAULT_WAREHOUSE; + $ident = getDolGlobalString('MAIN_DEFAULT_WAREHOUSE'); } print img_picto('', 'stock', 'class="pictofixedwidth"').$formproduct->selectWarehouses($ident, 'id_entrepot', 'warehouseopen,warehouseinternal', 1, 0, 0, '', 0, 0, null, 'minwidth100 maxwidth300 widthcentpercentminusx'); print '
      '.$langs->trans("SellByDate").''; + print ''.$langs->trans("SellByDate").''; $sellbyselected = dol_mktime(0, 0, 0, GETPOST('sellbymonth'), GETPOST('sellbyday'), GETPOST('sellbyyear')); // If form was opened for a specific pdluoid, field is disabled print $form->selectDate(($pdluo->id > 0 ? $pdluo->sellby : $sellbyselected), 'sellby', '', '', 1, "", 1, 0, ($pdluoid > 0 ? 1 : 0)); print ''.$langs->trans("EatByDate").''; + print ''.$langs->trans("EatByDate").''; $eatbyselected = dol_mktime(0, 0, 0, GETPOST('eatbymonth'), GETPOST('eatbyday'), GETPOST('eatbyyear')); // If form was opened for a specific pdluoid, field is disabled print $form->selectDate(($pdluo->id > 0 ? $pdluo->eatby : $eatbyselected), 'eatby', '', '', 1, "", 1, 0, ($pdluoid > 0 ? 1 : 0)); @@ -191,7 +232,7 @@ if (isModEnabled('project')) { } print '
      '.$langs->trans("MovementLabel").'
      '.$langs->trans('Other').' ('.$langs->trans("NotUsed").')'; + print '
      '.$langs->trans("NotePrivate").''; $doleditor = new DolEditor("other-$key", $object->multilangs[$key]["other"], '', 160, 'dolibarr_notes', '', false, true, getDolGlobalInt('FCKEDITOR_ENABLE_DETAILS'), ROWS_3, '90%'); $doleditor->Create(); } @@ -304,7 +304,7 @@ if ($action == 'edit') { print '
      '.$langs->trans('Label').''.$object->multilangs[$key]["label"].'
      '.$langs->trans('Description').''.$object->multilangs[$key]["description"].'
      '.$langs->trans('Other').' ('.$langs->trans("NotUsed").')'.$object->multilangs[$key]["other"].'
      '.$langs->trans("NotePrivate").''.$object->multilangs[$key]["other"].'
      '; print '
      '; @@ -344,7 +344,7 @@ if ($action == 'add' && ($user->hasRight('produit', 'creer') || $user->hasRight( print '
      '.$langs->trans('Other').' ('.$langs->trans("NotUsed").''; + print '
      '.$langs->trans('NotePrivate').''; $doleditor = new DolEditor('other', '', '', 160, 'dolibarr_notes', '', false, true, getDolGlobalInt('FCKEDITOR_ENABLE_DETAILS'), ROWS_3, '90%'); $doleditor->Create(); print '
      '; print ''; @@ -220,7 +220,7 @@ if ($db->type != 'pgsql') { print '
      '; - // Affichage de la liste des projets de la semaine + // Show list of projects active this week print '
      '; print '
      '; print ''; @@ -275,7 +275,7 @@ if ($db->type != 'pgsql') } */ -/* Affichage de la liste des projets du mois */ +/* Show list of projects active this month */ if (getDolGlobalString('PROJECT_TASK_TIME_MONTH')) { print '
      '; print '
      '; @@ -322,12 +322,12 @@ if (getDolGlobalString('PROJECT_TASK_TIME_MONTH')) { print ''; } -/* Affichage de la liste des projets de l'annee */ +/* Show list of projects that were active this year */ if (getDolGlobalString('PROJECT_TASK_TIME_YEAR')) { print '
      '; print '
      '; print ''; - print ''; + print ''; print ''; print "\n"; @@ -340,7 +340,7 @@ if (getDolGlobalString('PROJECT_TASK_TIME_YEAR')) { $sql .= " AND tt.fk_element = t.rowid"; $sql .= " AND tt.elementtype = 'task'"; $sql .= " AND tt.fk_user = ".((int) $user->id); - $sql .= " AND YEAR(element_date) = '".strftime("%Y", $now)."'"; + $sql .= " AND YEAR(element_date) = '".dol_print_date($now, "%Y")."'"; $sql .= " AND p.rowid in (".$db->sanitize($projectsListId).")"; $sql .= " GROUP BY p.rowid, p.ref, p.title, p.public"; @@ -409,10 +409,10 @@ if (!getDolGlobalString('PROJECT_HIDE_TASKS') && getDolGlobalString('PROJECT_SHO // This list can be very long, so we don't show it by default on task area. We prefer to use the list page. // Add constant PROJECT_SHOW_TASK_LIST_ON_PROJECT_AREA to show this list - $max = (!getDolGlobalString('PROJECT_LIMIT_TASK_PROJECT_AREA') ? 1000 : $conf->global->PROJECT_LIMIT_TASK_PROJECT_AREA); + $max = getDolGlobalInt('PROJECT_LIMIT_TASK_PROJECT_AREA', 1000); - $sql = "SELECT p.ref, p.title, p.rowid as projectid, p.fk_statut as status, p.fk_opp_status as opp_status, p.public, p.dateo as projdateo, p.datee as projdatee,"; - $sql .= " t.label, t.rowid as taskid, t.planned_workload, t.duration_effective, t.progress, t.dateo, t.datee, SUM(tasktime.element_duration) as timespent"; + $sql = "SELECT p.ref, p.title, p.rowid as projectid, p.fk_statut as status, p.fk_opp_status as opp_status, p.public, p.dateo as projdate_start, p.datee as projdate_end,"; + $sql .= " t.label, t.rowid as taskid, t.planned_workload, t.duration_effective, t.progress, t.dateo as date_start, t.datee as date_end, SUM(tasktime.element_duration) as timespent"; $sql .= " FROM ".MAIN_DB_PREFIX."projet as p"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe as s on p.fk_soc = s.rowid"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."projet_task as t on t.fk_projet = p.rowid"; @@ -432,8 +432,8 @@ if (!getDolGlobalString('PROJECT_HIDE_TASKS') && getDolGlobalString('PROJECT_SHO $sql .= " AND (p.fk_soc IS NULL OR p.fk_soc = 0 OR p.fk_soc = ".((int) $socid).")"; } $sql .= " AND p.fk_statut=1"; - $sql .= " GROUP BY p.ref, p.title, p.rowid, p.fk_statut, p.fk_opp_status, p.public, t.label, t.rowid, t.planned_workload, t.duration_effective, t.progress, t.dateo, t.datee"; - $sql .= " ORDER BY t.dateo desc, t.rowid desc, t.datee"; + $sql .= " GROUP BY p.ref, p.title, p.rowid, p.fk_statut, p.fk_opp_status, p.public, p.dateo, p.datee, t.label, t.rowid, t.planned_workload, t.duration_effective, t.progress, t.dateo, t.datee"; + $sql .= " ORDER BY t.dateo DESC, t.rowid DESC, t.datee DESC"; $sql .= $db->plimit($max + 1); // We want more to know if we have more than limit dol_syslog('projet:index.php: affectationpercent', LOG_DEBUG); @@ -469,14 +469,16 @@ if (!getDolGlobalString('PROJECT_HIDE_TASKS') && getDolGlobalString('PROJECT_SHO $projectstatic->title = $obj->title; $projectstatic->statut = $obj->status; $projectstatic->public = $obj->public; - $projectstatic->dateo = $db->jdate($obj->projdateo); - $projectstatic->datee = $db->jdate($obj->projdatee); + $projectstatic->date_start = $db->jdate($obj->projdate_start); + $projectstatic->date_end = $db->jdate($obj->projdate_end); $taskstatic->projectstatus = $obj->projectstatus; $taskstatic->progress = $obj->progress; $taskstatic->fk_statut = $obj->status; - $taskstatic->dateo = $db->jdate($obj->dateo); - $taskstatic->datee = $db->jdate($obj->datee); + $taskstatic->date_start = $db->jdate($obj->date_start); + $taskstatic->date_end = $db->jdate($obj->date_end); + $taskstatic->dateo = $db->jdate($obj->date_start); + $taskstatic->datee = $db->jdate($obj->date_end); $username = ''; if ($obj->userid && $userstatic->id != $obj->userid) { // We have a user and it is not last loaded user @@ -512,8 +514,8 @@ if (!getDolGlobalString('PROJECT_HIDE_TASKS') && getDolGlobalString('PROJECT_SHO print $langs->trans("NoTasks"); } print ''; - print ''; - print ''; + print ''; } if (!empty($arrayfields['timeconsumed']['checked'])) { - print ''; - print ''; + print ''; } print ''; if ($usertoprocess->id == $user->id) print ''; else print '';*/ -print ''; -print ''; +print ''; foreach ($TWeek as $week_number) { - print ''; + print ''; } print ''; print "\n"; $colspan = 5; -// By default, we can edit only tasks we are assigned to -$restrictviewformytask = (!getDolGlobalString('PROJECT_TIME_SHOW_TASK_NOT_ASSIGNED') ? 1 : 0); // Get if user is available or not for each day $isavailable = array(); // TODO See code into perweek.php to initialize isavailable array - +// By default, we can edit only tasks we are assigned to +$restrictviewformytask = ((!isset($conf->global->PROJECT_TIME_SHOW_TASK_NOT_ASSIGNED)) ? 2 : $conf->global->PROJECT_TIME_SHOW_TASK_NOT_ASSIGNED); if (count($tasksarray) > 0) { //var_dump($tasksarray); // contains only selected tasks //var_dump($tasksarraywithoutfilter); // contains all tasks (if there is a filter, not defined if no filter) @@ -567,7 +663,7 @@ if (count($tasksarray) > 0) { $timeonothertasks = ($totalforeachweek[$weekNb] - $totalforvisibletasks[$weekNb]); if ($timeonothertasks) { - print ''; } @@ -578,8 +674,8 @@ if (count($tasksarray) > 0) { } if ($conf->use_javascript_ajax) { - print ' - '; + print ''; @@ -619,13 +715,12 @@ if ($conf->use_javascript_ajax) { });'."\n"; foreach ($TWeek as $week_number) { - print ' updateTotal('.$week_number.',\''.$modeinput.'\');'; + print " updateTotal(".((int) $week_number).", '".dol_escape_js($modeinput)."');"; } print "\n});\n"; print ''; } - +// End of page llxFooter(); - $db->close(); diff --git a/htdocs/projet/activity/perweek.php b/htdocs/projet/activity/perweek.php index df98d61e718..7fc8c64215b 100644 --- a/htdocs/projet/activity/perweek.php +++ b/htdocs/projet/activity/perweek.php @@ -56,7 +56,7 @@ $hookmanager->initHooks(array('timesheetperweekcard')); // Security check $socid = 0; -// For external user, no check is done on company because readability is managed by public status of project and assignement. +// For external user, no check is done on company because readability is managed by public status of project and assignment. // if ($user->socid > 0) $socid=$user->socid; $result = restrictedArea($user, 'projet', $projectid); @@ -487,16 +487,16 @@ print ''; print dol_get_fiche_end(); -print '
      '.$nav.'
      '; // We move this before the assign to components so, the default submit button is not the assign to. +print '
      '.$nav.'
      '; // We move this before the assign to components so, the default submit button is not the assign to. -print '
      '; +print '
      '; $titleassigntask = $langs->transnoentities("AssignTaskToMe"); if ($usertoprocess->id != $user->id) { $titleassigntask = $langs->transnoentities("AssignTaskToUser", $usertoprocess->getFullName($langs)); } print '
      '; print img_picto('', 'projecttask', 'class="pictofixedwidth"'); -$formproject->selectTasks($socid ? $socid : -1, $taskid, 'taskid', 32, 0, '-- '.$langs->trans("ChooseANotYetAssignedTask").' --', 1, 0, 0, '', '', 'all', $usertoprocess); +$formproject->selectTasks($socid ? $socid : -1, $taskid, 'taskid', 32, 0, '-- '.$langs->trans("ChooseANotYetAssignedTask").' --', 1, 0, 0, 'widthcentpercentminusx', '', 'all', $usertoprocess); print '
      '; print ' '; print $formcompany->selectTypeContact($object, '', 'type', 'internal', 'position', 0, 'maxwidth150onsmartphone'); @@ -518,7 +518,7 @@ $numstartworkingday = 1; $numendworkingday = 5; if (getDolGlobalString('MAIN_DEFAULT_WORKING_DAYS')) { - $tmparray = explode('-', $conf->global->MAIN_DEFAULT_WORKING_DAYS); + $tmparray = explode('-', getDolGlobalString('MAIN_DEFAULT_WORKING_DAYS')); if (count($tmparray) >= 2) { $numstartworkingday = $tmparray[0]; $numendworkingday = $tmparray[1]; @@ -659,14 +659,14 @@ if (!empty($arrayfields['t.progress']['checked'])) { print '
      '; } if (!empty($arrayfields['timeconsumed']['checked'])) { - print ''; - print ''; + print ''; } for ($idw = 0; $idw < 7; $idw++) { $dayinloopfromfirstdaytoshow = dol_time_plus_duree($firstdaytoshow, $idw, 'd'); // $firstdaytoshow is a date with hours = 0 @@ -725,7 +725,7 @@ if ($conf->use_javascript_ajax) { } elseif (!$isavailable[$tmpday]['afternoon']) { $cssonholiday .= 'onholidayafternoon '; } - print ''; + print ''; } print ''; print ''; @@ -805,7 +805,7 @@ if (count($tasksarray) > 0) { $tmpday = dol_time_plus_duree($firstdaytoshow, $idw, 'd'); $timeonothertasks = ($totalforeachday[$tmpday] - $totalforvisibletasks[$tmpday]); if ($timeonothertasks) { - print ''; } @@ -877,7 +877,7 @@ if ($conf->use_javascript_ajax) { $idw = 0; while ($idw < 7) { - print ' updateTotal('.$idw.',\''.$modeinput.'\');'; + print " updateTotal(".((int) $idw).", '".dol_escape_js($modeinput)."');"; $idw++; } print "\n});\n"; diff --git a/htdocs/projet/admin/project.php b/htdocs/projet/admin/project.php index 5d86ce7afef..e6d80454cdc 100644 --- a/htdocs/projet/admin/project.php +++ b/htdocs/projet/admin/project.php @@ -721,7 +721,7 @@ if (!getDolGlobalString('PROJECT_HIDE_TASKS')) { print ""; } - // Defaut + // Default print '"; diff --git a/htdocs/projet/agenda.php b/htdocs/projet/agenda.php index 6c9f059f314..1e8f02c4bba 100644 --- a/htdocs/projet/agenda.php +++ b/htdocs/projet/agenda.php @@ -70,7 +70,7 @@ $hookmanager->initHooks(array('projectcardinfo')); // Security check $id = GETPOST("id", 'int'); $socid = 0; -//if ($user->socid > 0) $socid = $user->socid; // For external user, no check is done on company because readability is managed by public status of project and assignement. +//if ($user->socid > 0) $socid = $user->socid; // For external user, no check is done on company because readability is managed by public status of project and assignment. $result = restrictedArea($user, 'projet', $id, 'projet&project'); if (!$user->hasRight('projet', 'lire')) { diff --git a/htdocs/projet/card.php b/htdocs/projet/card.php index bd411d325f3..a7a44ed2861 100644 --- a/htdocs/projet/card.php +++ b/htdocs/projet/card.php @@ -2,6 +2,8 @@ /* Copyright (C) 2001-2005 Rodolphe Quiedeville * Copyright (C) 2004-2016 Laurent Destailleur * Copyright (C) 2005-2012 Regis Houssin + * Copyright (C) 2023 Charlene Benke + * Copyright (C) 2023 Christian Foellmann * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -81,7 +83,7 @@ $object = new Project($db); $extrafields = new ExtraFields($db); // Load object -//include DOL_DOCUMENT_ROOT.'/core/actions_fetchobject.inc.php'; // Can't use generic include because when creating a project, ref is defined and we dont want error if fetch fails from ref. +//include DOL_DOCUMENT_ROOT.'/core/actions_fetchobject.inc.php'; // Can't use generic include because when creating a project, ref is defined and we don't want error if fetch fails from ref. if ($id > 0 || !empty($ref)) { $ret = $object->fetch($id, $ref); // If we create project, ref may be defined into POST but record does not yet exists into database if ($ret > 0) { @@ -98,7 +100,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); // Security check $socid = GETPOST('socid', 'int'); -//if ($user->socid > 0) $socid = $user->socid; // For external user, no check is done on company because readability is managed by public status of project and assignement. +//if ($user->socid > 0) $socid = $user->socid; // For external user, no check is done on company because readability is managed by public status of project and assignment. restrictedArea($user, 'projet', $object->id, 'projet&project'); if ($id == '' && $ref == '' && ($action != "create" && $action != "add" && $action != "update" && !GETPOST("cancel"))) { @@ -195,7 +197,7 @@ if (empty($reshook)) { } } - // Create with status validated immediatly + // Create with status validated immediately if (getDolGlobalString('PROJECT_CREATE_NO_DRAFT') && !$error) { $status = Project::STATUS_VALIDATED; } @@ -502,8 +504,11 @@ if (empty($reshook)) { $newobject->fetch_optionals(); $newobject->fetch_thirdparty(); // Load new object $object = $newobject; - $action = 'edit'; + $action = 'view'; $comefromclone = true; + + setEventMessages($langs->trans("ProjectCreatedInDolibarr", $newobject->ref), "", 'mesgs'); + //var_dump($newobject); exit; } } @@ -726,7 +731,7 @@ if ($action == 'create' && $user->hasRight('projet', 'creer')) { print ''; + print ''; } print "
      '.$langs->trans("ActivityOnProjectThisYear").': '.strftime("%Y", $now).''.$langs->trans("ActivityOnProjectThisYear").': '.dol_print_date($now, "%Y").''.$langs->trans("Time").'
      '.dol_print_date($db->jdate($obj->dateo), 'day').''.dol_print_date($db->jdate($obj->datee), 'day'); + print ''.dol_print_date($db->jdate($obj->date_start), 'day').''.dol_print_date($db->jdate($obj->date_end), 'day'); if ($taskstatic->hasDelay()) { print img_warning($langs->trans("Late")); } diff --git a/htdocs/projet/activity/perday.php b/htdocs/projet/activity/perday.php index 8b4d4936217..0ad3131546a 100644 --- a/htdocs/projet/activity/perday.php +++ b/htdocs/projet/activity/perday.php @@ -56,7 +56,7 @@ $hookmanager->initHooks(array('timesheetperdaycard')); // Security check $socid = 0; -// For external user, no check is done on company because readability is managed by public status of project and assignement. +// For external user, no check is done on company because readability is managed by public status of project and assignment. //if ($user->socid > 0) $socid=$user->socid; $result = restrictedArea($user, 'projet', $projectid); @@ -90,7 +90,7 @@ $yearofday = GETPOST('addtimeyear'); $daytoparse = $now; if ($year && $month && $day) { - $daytoparse = dol_mktime(0, 0, 0, $month, $day, $year); // this are value submited after submit of action 'submitdateselect' + $daytoparse = dol_mktime(0, 0, 0, $month, $day, $year); // this are value submitted after submit of action 'submitdateselect' } elseif ($yearofday && $monthofday && $dayofday) { $daytoparse = dol_mktime(0, 0, 0, $monthofday, $dayofday, $yearofday); // xxxofday is value of day after submit action 'addtime' } @@ -100,7 +100,7 @@ if ($yearofday && $monthofday && $dayofday) { $daytoparsegmt = dol_mktime(0, 0, 0, $monthofday, $dayofday, $yearofday, 'gmt'); } elseif ($year && $month && $day) { // xxxofday is value of day after submit action 'addtime' $daytoparsegmt = dol_mktime(0, 0, 0, $month, $day, $year, 'gmt'); -} // this are value submited after submit of action 'submitdateselect' +} // this are value submitted after submit of action 'submitdateselect' if (empty($search_usertoprocessid) || $search_usertoprocessid == $user->id) { $usertoprocess = $user; @@ -431,8 +431,8 @@ include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_param.tpl.php'; // Show navigation bar $nav = ''.img_previous($langs->trans("Previous"))."\n"; -$nav .= dol_print_date(dol_mktime(0, 0, 0, $month, $day, $year), "%A").' '; -$nav .= " ".dol_print_date(dol_mktime(0, 0, 0, $month, $day, $year), "day")." \n"; +$nav .= dol_print_date(dol_mktime(0, 0, 0, $month, $day, $year), "%a").' '; +$nav .= ' '.dol_print_date(dol_mktime(0, 0, 0, $month, $day, $year), "day")." \n"; $nav .= ''.img_next($langs->trans("Next"))."\n"; $nav .= ' '.$form->selectDate(-1, '', 0, 0, 2, "addtime", 1, 1).' '; $nav .= ' '; @@ -476,16 +476,16 @@ print ''; print dol_get_fiche_end(); -print '
      '.$nav.'
      '; // We move this before the assign to components so, the default submit button is not the assign to. +print '
      '.$nav.'
      '; // We move this before the assign to components so, the default submit button is not the assign to. -print '
      '; +print '
      '; $titleassigntask = $langs->transnoentities("AssignTaskToMe"); if ($usertoprocess->id != $user->id) { $titleassigntask = $langs->transnoentities("AssignTaskToUser", $usertoprocess->getFullName($langs)); } print '
      '; print img_picto('', 'projecttask', 'class="pictofixedwidth"'); -$formproject->selectTasks($socid ? $socid : -1, $taskid, 'taskid', 32, 0, '-- '.$langs->trans("ChooseANotYetAssignedTask").' --', 1, 0, 0, '', '', 'all', $usertoprocess); +$formproject->selectTasks($socid ? $socid : -1, $taskid, 'taskid', 32, 0, '-- '.$langs->trans("ChooseANotYetAssignedTask").' --', 1, 0, 0, 'widthcentpercentminusx', '', 'all', $usertoprocess); print '
      '; print ' '; print $formcompany->selectTypeContact($object, '', 'type', 'internal', 'position', 0, 'maxwidth150onsmartphone'); @@ -609,13 +609,13 @@ if (!empty($arrayfields['t.progress']['checked'])) { print '
      trans("ProgressDeclared")).'">'.$langs->trans("ProgressDeclared").''.$langs->trans("TimeSpent").'
      '; + print '
      '.$langs->trans("TimeSpentSmall").'
      '; print ''; print 'Photo'; print ''.$langs->trans("EverybodySmall").''; print ''; print '
      '.$langs->trans("TimeSpent").($usertoprocess->firstname ? '
      '.$usertoprocess->getNomUrl(-2).''.dol_trunc($usertoprocess->firstname, 10).'' : '').'
      '.$langs->trans("TimeSpentSmall").($usertoprocess->firstname ? '
      '.$usertoprocess->getNomUrl(-2).''.dol_trunc($usertoprocess->firstname, 10).'' : '').'
      '.$langs->trans("HourStart").''; @@ -632,7 +632,7 @@ $numstartworkingday = 1; $numendworkingday = 5; if (getDolGlobalString('MAIN_DEFAULT_WORKING_DAYS')) { - $tmparray = explode('-', $conf->global->MAIN_DEFAULT_WORKING_DAYS); + $tmparray = explode('-', getDolGlobalString('MAIN_DEFAULT_WORKING_DAYS')); if (count($tmparray) >= 2) { $numstartworkingday = $tmparray[0]; $numendworkingday = $tmparray[1]; @@ -753,7 +753,7 @@ if (count($tasksarray) > 0) { $timeonothertasks = ($totalforeachday[$daytoparse] - $totalforvisibletasks[$daytoparse]); //if ($timeonothertasks) //{ - print '\n"; print ''; } diff --git a/htdocs/projet/activity/permonth.php b/htdocs/projet/activity/permonth.php index 93321333222..edf14de65f6 100644 --- a/htdocs/projet/activity/permonth.php +++ b/htdocs/projet/activity/permonth.php @@ -36,13 +36,14 @@ require_once DOL_DOCUMENT_ROOT.'/holiday/class/holiday.class.php'; // Load translation files required by the page $langs->loadLangs(array('projects', 'users', 'companies')); -$hookmanager->initHooks(array('timesheetpermonthcard')); $action = GETPOST('action', 'aZ09'); $mode = GETPOST("mode", 'alpha'); $id = GETPOST('id', 'int'); $taskid = GETPOST('taskid', 'int'); +$contextpage = GETPOST('contextpage', 'aZ') ? GETPOST('contextpage', 'aZ') : 'perweekcard'; + $mine = 0; if ($mode == 'mine') { $mine = 1; @@ -50,20 +51,23 @@ if ($mode == 'mine') { $projectid = GETPOSTISSET("id") ? GETPOST("id", "int", 1) : GETPOST("projectid", "int"); +$hookmanager->initHooks(array('timesheetpermonthcard')); + // Security check $socid = 0; -// For external user, no check is done on company because readability is managed by public status of project and assignement. -// if ($user->societe_id > 0) $socid=$user->societe_id; +// For external user, no check is done on company because readability is managed by public status of project and assignment. +// if ($user->socid > 0) $socid=$user->socid; $result = restrictedArea($user, 'projet', $projectid); $now = dol_now(); -$year = GETPOST('reyear') ? GETPOST('reyear', 'int') : (GETPOST("year") ? GETPOST("year", "int") : date("Y")); -$month = GETPOST('remonth') ? GETPOST('remonth', 'int') : (GETPOST("month") ? GETPOST("month", "int") : date("m")); -$day = GETPOST('reday') ? GETPOST('reday', 'int') : (GETPOST("day") ? GETPOST("day", "int") : date("d")); -$day = (int) $day; +$year = GETPOST('reyear', 'int') ? GETPOST('reyear', 'int') : (GETPOST("year", 'int') ? GETPOST("year", "int") : date("Y")); +$month = GETPOST('remonth', 'int') ? GETPOST('remonth', 'int') : (GETPOST("month", 'int') ? GETPOST("month", "int") : date("m")); +$day = GETPOST('reday', 'int') ? GETPOST('reday', 'int') : (GETPOST("day", 'int') ? GETPOST("day", "int") : date("d")); $week = GETPOST("week", "int") ? GETPOST("week", "int") : date("W"); +$day = (int) $day; + //$search_categ = GETPOST("search_categ", 'alpha'); $search_usertoprocessid = GETPOST('search_usertoprocessid', 'int'); $search_task_ref = GETPOST('search_task_ref', 'alpha'); @@ -72,6 +76,9 @@ $search_project_ref = GETPOST('search_project_ref', 'alpha'); $search_thirdparty = GETPOST('search_thirdparty', 'alpha'); $search_declared_progress = GETPOST('search_declared_progress', 'alpha'); +$sortfield = GETPOST('sortfield', 'aZ09comma'); +$sortorder = GETPOST('sortorder', 'aZ09comma'); + $startdayarray = dol_get_prev_month($month, $year); $prev = $startdayarray; @@ -102,6 +109,45 @@ if (empty($search_usertoprocessid) || $search_usertoprocessid == $user->id) { $object = new Task($db); +// Extra fields +$extrafields = new ExtraFields($db); + +// fetch optionals attributes and labels +$extrafields->fetch_name_optionals_label($object->table_element); + +// Definition of fields for list +$arrayfields = array(); +/*$arrayfields=array( + // Project + 'p.opp_amount'=>array('label'=>$langs->trans("OpportunityAmountShort"), 'checked'=>0, 'enabled'=>($conf->global->PROJECT_USE_OPPORTUNITIES?1:0), 'position'=>103), + 'p.fk_opp_status'=>array('label'=>$langs->trans("OpportunityStatusShort"), 'checked'=>0, 'enabled'=>($conf->global->PROJECT_USE_OPPORTUNITIES?1:0), 'position'=>104), + 'p.opp_percent'=>array('label'=>$langs->trans("OpportunityProbabilityShort"), 'checked'=>0, 'enabled'=>($conf->global->PROJECT_USE_OPPORTUNITIES?1:0), 'position'=>105), + 'p.budget_amount'=>array('label'=>$langs->trans("Budget"), 'checked'=>0, 'position'=>110), + 'p.usage_bill_time'=>array('label'=>$langs->trans("BillTimeShort"), 'checked'=>0, 'position'=>115), + );*/ +$arrayfields['t.planned_workload'] = array('label'=>'PlannedWorkload', 'checked'=>1, 'enabled'=>1, 'position'=>5); +$arrayfields['t.progress'] = array('label'=>'ProgressDeclared', 'checked'=>1, 'enabled'=>1, 'position'=>10); +$arrayfields['timeconsumed'] = array('label'=>'TimeConsumed', 'checked'=>1, 'enabled'=>1, 'position'=>15); +/*foreach($object->fields as $key => $val) + { + // If $val['visible']==0, then we never show the field + if (!empty($val['visible'])) $arrayfields['t.'.$key]=array('label'=>$val['label'], 'checked'=>(($val['visible']<0)?0:1), 'enabled'=>$val['enabled'], 'position'=>$val['position']); + }*/ +// Definition of fields for list +// Extra fields +if (!empty($extrafields->attributes['projet_task']['label']) && is_array($extrafields->attributes['projet_task']['label']) && count($extrafields->attributes['projet_task']['label']) > 0) { + foreach ($extrafields->attributes['projet_task']['label'] as $key => $val) { + if (!empty($extrafields->attributes['projet_task']['list'][$key])) { + $arrayfields["efpt.".$key] = array('label'=>$extrafields->attributes['projet_task']['label'][$key], 'checked'=>(($extrafields->attributes['projet_task']['list'][$key] < 0) ? 0 : 1), 'position'=>$extrafields->attributes['projet_task']['pos'][$key], 'enabled'=>(abs((int) $extrafields->attributes['projet_task']['list'][$key]) != 3 && $extrafields->attributes['projet_task']['perms'][$key])); + } + } +} +$arrayfields = dol_sort_array($arrayfields, 'position'); + +$search_array_options = array(); +$search_array_options_project = $extrafields->getOptionalsFromPost('projet', '', 'search_'); +$search_array_options_task = $extrafields->getOptionalsFromPost('projet_task', '', 'search_task_'); + $error = 0; @@ -124,17 +170,28 @@ if (GETPOST('button_removefilter_x', 'alpha') || GETPOST('button_removefilter.x' $search_project_ref = ''; $search_thirdparty = ''; $search_declared_progress = ''; + + $search_array_options_project = array(); + $search_array_options_task = array(); + + // We redefine $usertoprocess + $usertoprocess = $user; } if (GETPOST("button_search_x", 'alpha') || GETPOST("button_search.x", 'alpha') || GETPOST("button_search", 'alpha')) { $action = ''; } if (GETPOST('submitdateselect')) { - $daytoparse = dol_mktime(0, 0, 0, GETPOST('remonth'), GETPOST('reday'), GETPOST('reyear')); + if (GETPOST('remonth', 'int') && GETPOST('reday', 'int') && GETPOST('reyear', 'int')) { + $daytoparse = dol_mktime(0, 0, 0, GETPOST('remonth', 'int'), GETPOST('reday', 'int'), GETPOST('reyear', 'int')); + } $action = ''; } -if ($action == 'addtime' && $user->hasRight('projet', 'lire') && GETPOST('assigntask')) { + +include DOL_DOCUMENT_ROOT.'/core/actions_changeselectedfields.inc.php'; + +if ($action == 'addtime' && $user->hasRight('projet', 'lire') && GETPOST('assigntask') && GETPOST('formfilteraction') != 'listafterchangingselectedfields') { $action = 'assigntask'; if ($taskid > 0) { @@ -198,7 +255,7 @@ if ($action == 'addtime' && $user->hasRight('projet', 'lire') && GETPOST('assign $action = ''; } -if ($action == 'addtime' && $user->hasRight('projet', 'lire')) { +if ($action == 'addtime' && $user->hasRight('projet', 'lire') && GETPOST('formfilteraction') != 'listafterchangingselectedfields') { $timetoadd = GETPOST('task'); if (empty($timetoadd)) { setEventMessages($langs->trans("ErrorTimeSpentIsEmpty"), null, 'errors'); @@ -222,11 +279,18 @@ if ($action == 'addtime' && $user->hasRight('projet', 'lire')) { if ($newduration > 0) { $object->fetch($tmptaskid); - $object->progress = GETPOST($tmptaskid.'progress', 'int'); + + if (GETPOSTISSET($tmptaskid.'progress')) { + $object->progress = GETPOST($tmptaskid.'progress', 'int'); + } else { + unset($object->progress); + } + $object->timespent_duration = $newduration; $object->timespent_fk_user = $usertoprocess->id; $object->timespent_date = dol_time_plus_duree($firstdaytoshow, $key, 'd'); $object->timespent_datehour = $object->timespent_date; + $object->timespent_note = $object->description; $result = $object->addTimeSpent($user); if ($result < 0) { @@ -260,16 +324,25 @@ if ($action == 'addtime' && $user->hasRight('projet', 'lire')) { setEventMessages($langs->trans("RecordSaved"), null, 'mesgs'); $param = ''; - $param .= ($mode ? '&mode='.$mode : ''); - $param .= ($projectid ? 'id='.$projectid : ''); - $param .= ($search_usertoprocessid ? '&search_usertoprocessid='.$search_usertoprocessid : ''); - $param .= ($day ? '&day='.$day : '').($month ? '&month='.$month : '').($year ? '&year='.$year : ''); - $param .= ($search_project_ref ? '&search_project_ref='.$search_project_ref : ''); - $param .= ($search_usertoprocessid > 0 ? '&search_usertoprocessid='.$search_usertoprocessid : ''); - $param .= ($search_thirdparty ? '&search_thirdparty='.$search_thirdparty : ''); - $param .= ($search_declared_progress ? '&search_declared_progress='.$search_declared_progress : ''); - $param .= ($search_task_ref ? '&search_task_ref='.$search_task_ref : ''); - $param .= ($search_task_label ? '&search_task_label='.$search_task_label : ''); + $param .= ($mode ? '&mode='.urlencode($mode) : ''); + $param .= ($projectid ? 'id='.urlencode($projectid) : ''); + $param .= ($search_usertoprocessid ? '&search_usertoprocessid='.urlencode($search_usertoprocessid) : ''); + $param .= ($day ? '&day='.urlencode($day) : '').($month ? '&month='.urlencode($month) : '').($year ? '&year='.urlencode($year) : ''); + $param .= ($search_project_ref ? '&search_project_ref='.urlencode($search_project_ref) : ''); + $param .= ($search_usertoprocessid > 0 ? '&search_usertoprocessid='.urlencode($search_usertoprocessid) : ''); + $param .= ($search_thirdparty ? '&search_thirdparty='.urlencode($search_thirdparty) : ''); + $param .= ($search_declared_progress ? '&search_declared_progress='.urlencode($search_declared_progress) : ''); + $param .= ($search_task_ref ? '&search_task_ref='.urlencode($search_task_ref) : ''); + $param .= ($search_task_label ? '&search_task_label='.urlencode($search_task_label) : ''); + + /*$search_array_options=$search_array_options_project; + $search_options_pattern='search_options_'; + include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_param.tpl.php'; + */ + + $search_array_options = $search_array_options_task; + $search_options_pattern = 'search_task_options_'; + include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_param.tpl.php'; // Redirect to avoid submit twice on back header('Location: '.$_SERVER["PHP_SELF"].'?'.$param); @@ -322,7 +395,21 @@ if ($search_declared_progress) { $morewherefilter .= natural_search("t.progress", $search_declared_progress, 1); } -$tasksarray = $taskstatic->getTasksArray(0, 0, ($project->id ? $project->id : 0), $socid, 0, $search_project_ref, $onlyopenedproject, $morewherefilter, ($search_usertoprocessid ? $search_usertoprocessid : 0)); // We want to see all tasks of open project i am allowed to see and that match filter, not only my tasks. Later only mine will be editable later. +$sql = &$morewherefilter; + +/*$search_array_options = $search_array_options_project; + $extrafieldsobjectprefix='efp.'; + $search_options_pattern='search_options_'; + $extrafieldsobjectkey='projet'; + include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_sql.tpl.php'; + */ +$search_array_options = $search_array_options_task; +$extrafieldsobjectprefix = 'efpt.'; +$search_options_pattern = 'search_task_options_'; +$extrafieldsobjectkey = 'projet_task'; +include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_sql.tpl.php'; + +$tasksarray = $taskstatic->getTasksArray(0, 0, ($project->id ? $project->id : 0), $socid, 0, $search_project_ref, $onlyopenedproject, $morewherefilter, ($search_usertoprocessid ? $search_usertoprocessid : 0), 0, $extrafields); // We want to see all tasks of open project i am allowed to see and that match filter, not only my tasks. Later only mine will be editable later. if ($morewherefilter) { // Get all task without any filter, so we can show total of time spent for not visible tasks $tasksarraywithoutfilter = $taskstatic->getTasksArray(0, 0, ($project->id ? $project->id : 0), $socid, 0, '', $onlyopenedproject, '', ($search_usertoprocessid ? $search_usertoprocessid : 0)); // We want to see all tasks of open project i am allowed to see and that match filter, not only my tasks. Later only mine will be editable later. } @@ -335,7 +422,7 @@ $tasksrole = $taskstatic->getUserRolesForProjectsOrTasks(null, $usertoprocess, ( llxHeader("", $title, "", '', '', '', array('/core/js/timesheet.js')); -//print_barre_liste($title, $page, $_SERVER["PHP_SELF"], "", $sortfield, $sortorder, "", $num, '', 'title_project'); +//print_barre_liste($title, $page, $_SERVER["PHP_SELF"], "", $sortfield, $sortorder, "", $num, '', 'project'); $param = ''; $param .= ($mode ? '&mode='.urlencode($mode) : ''); @@ -345,18 +432,28 @@ $param .= ($search_thirdparty ? '&search_thirdparty='.urlencode($search_thirdpar $param .= ($search_task_ref ? '&search_task_ref='.urlencode($search_task_ref) : ''); $param .= ($search_task_label ? '&search_task_label='.urlencode($search_task_label) : ''); +$search_array_options = $search_array_options_project; +$search_options_pattern = 'search_options_'; +include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_param.tpl.php'; + +$search_array_options = $search_array_options_task; +$search_options_pattern = 'search_task_options_'; +include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_param.tpl.php'; + // Show navigation bar $nav = ''.img_previous($langs->trans("Previous"))."\n"; -$nav .= " ".dol_print_date(dol_mktime(0, 0, 0, $month, 1, $year), "%Y").", ".$langs->trans(date('F', mktime(0, 0, 0, $month, 10)))." \n"; +$nav .= ' '.dol_print_date(dol_mktime(0, 0, 0, $month, 1, $year), "%Y").", ".$langs->trans(date('F', mktime(0, 0, 0, $month, 10)))." \n"; $nav .= ''.img_next($langs->trans("Next"))."\n"; $nav .= ' '.$form->selectDate(-1, '', 0, 0, 2, "addtime", 1, 1).' '; -$nav .= ' '; +$nav .= ' '; $picto = 'clock'; print '
      '; print ''; print ''; +print ''; +print ''; print ''; print ''; print ''; @@ -387,16 +484,16 @@ print ''; print dol_get_fiche_end(); -print '
      '.$nav.'
      '; // We move this before the assign to components so, the default submit button is not the assign to. +print '
      '.$nav.'
      '; // We move this before the assign to components so, the default submit button is not the assign to. -print '
      '; +print '
      '; $titleassigntask = $langs->transnoentities("AssignTaskToMe"); if ($usertoprocess->id != $user->id) { $titleassigntask = $langs->transnoentities("AssignTaskToUser", $usertoprocess->getFullName($langs)); } print '
      '; print img_picto('', 'projecttask', 'class="pictofixedwidth"'); -$formproject->selectTasks($socid ? $socid : -1, $taskid, 'taskid', 32, 0, '-- '.$langs->trans("ChooseANotYetAssignedTask").' --', 1); +$formproject->selectTasks($socid ? $socid : -1, $taskid, 'taskid', 32, 0, '-- '.$langs->trans("ChooseANotYetAssignedTask").' --', 1, 0, 0, 'widthcentpercentminusx'); print '
      '; print ' '; print $formcompany->selectTypeContact($object, '', 'type', 'internal', 'position', 0, 'maxwidth150onsmartphone'); @@ -488,30 +585,29 @@ print '
      '.$langs->trans("ProgressDeclared"). /*print ''.$langs->trans("TimeSpent").''.$langs->trans("TimeSpentByYou").''.$langs->trans("TimeSpentByUser").''.$langs->trans("TimeSpent").'
      '; +print '
      '.$langs->trans("TimeSpentSmall").'
      '; print ''; print 'Photo'; print ''.$langs->trans("EverybodySmall").''; print ''; print '
      '.$langs->trans("TimeSpent").($usertoprocess->firstname ? '
      '.$usertoprocess->getNomUrl(-2).''.dol_trunc($usertoprocess->firstname, 10).'' : '').'
      '.$langs->trans("TimeSpentSmall").($usertoprocess->firstname ? '
      '.$usertoprocess->getNomUrl(-2).''.dol_trunc($usertoprocess->firstname, 10).'' : '').'
      '.$langs->trans("Week").' '.$week_number.'
      ('.$TFirstDays[$week_number].'...'.$TLastDays[$week_number].')
      '.$langs->trans("Week").' '.$week_number.'
      ('.$TFirstDays[$week_number].'...'.$TLastDays[$week_number].')
      '; + print '
      '; print $langs->trans("Total"); print ' - '.$langs->trans("ExpectedWorkedHours").': '.price($usertoprocess->weeklyhours, 1, $langs, 0, 0).''; print ''.$langs->trans("ProgressDeclared").''.$langs->trans("TimeSpent").'
      '; + print '
      '.$langs->trans("TimeSpentSmall").'
      '; print ''; print 'Photo'; //print '
      '.img_object('', 'user', 'class=""', 0, 0, $notooltip ? 0 : 1).'
      '; print ''.$langs->trans("EverybodySmall").''; print '
      '; print '
      '.$langs->trans("TimeSpent").($usertoprocess->firstname ? '
      '.$usertoprocess->getNomUrl(-2).''.dol_trunc($usertoprocess->firstname, 10).'' : '').'
      '.$langs->trans("TimeSpentSmall").($usertoprocess->firstname ? '
      '.$usertoprocess->getNomUrl(-2).''.dol_trunc($usertoprocess->firstname, 10).'' : '').'
       
       
       
      '; if ($conf->global->PROJECT_TASK_ADDON_PDF == "$name") { print img_picto($langs->trans("Default"), 'on'); @@ -794,7 +794,7 @@ if (!$conf->use_javascript_ajax) { '2'=>$langs->trans("Yes").' ('.$langs->trans("NumberOfKeyToSearch", 2).')', '3'=>$langs->trans("Yes").' ('.$langs->trans("NumberOfKeyToSearch", 3).')', ); - print $form->selectarray("activate_PROJECT_USE_SEARCH_TO_SELECT", $arrval, $conf->global->PROJECT_USE_SEARCH_TO_SELECT); + print $form->selectarray("activate_PROJECT_USE_SEARCH_TO_SELECT", $arrval, getDolGlobalString("PROJECT_USE_SEARCH_TO_SELECT")); print ''; print ''; print "'; $filter = ''; if (getDolGlobalString('PROJECT_FILTER_FOR_THIRDPARTY_LIST')) { - $filter = $conf->global->PROJECT_FILTER_FOR_THIRDPARTY_LIST; + $filter = getDolGlobalString('PROJECT_FILTER_FOR_THIRDPARTY_LIST'); } $text = img_picto('', 'company').$form->select_company(GETPOST('socid', 'int'), 'socid', $filter, 'SelectThirdParty', 1, 0, array(), 0, 'minwidth300 widthcentpercentminusxx maxwidth500'); if (!getDolGlobalString('PROJECT_CAN_ALWAYS_LINK_TO_ALL_SUPPLIERS') && empty($conf->dol_use_jmobile)) { @@ -863,7 +868,7 @@ if ($action == 'create' && $user->hasRight('projet', 'creer')) { print ''; // Change probability from status or role of project - // Set also dependencies between use taks and bill time + // Set also dependencies between use task and bill time print ' @@ -683,7 +686,8 @@ if ($action == "dosign" && empty($cancel)) { if(!$._data($("#signbutton")[0], "events")){ $("#signbutton").on("click",function(){ console.log("We click on button sign"); - $("#signbutton").val(\''.dol_escape_js($langs->transnoentities('PleaseBePatient')).'\'); + document.body.style.cursor = \'wait\'; + /* $("#signbutton").val(\''.dol_escape_js($langs->transnoentities('PleaseBePatient')).'\'); */ var signature = $("#signature").jSignature("getData", "image"); var name = document.getElementById("name").value; $.ajax({ diff --git a/htdocs/public/opensurvey/index.php b/htdocs/public/opensurvey/index.php index 568e6374f95..9854777187a 100644 --- a/htdocs/public/opensurvey/index.php +++ b/htdocs/public/opensurvey/index.php @@ -135,9 +135,9 @@ $logosmall = $mysoc->logo_small; $logo = $mysoc->logo; $paramlogo = 'ONLINE_OPENSURVEY_LOGO_'.$suffix; if (!empty($conf->global->$paramlogo)) { - $logosmall = $conf->global->$paramlogo; + $logosmall = getDolGlobalString($paramlogo); } elseif (getDolGlobalString('ONLINE_OPENSURVEY_LOGO')) { - $logosmall = $conf->global->ONLINE_OPENSURVEY_LOGO_; + $logosmall = getDolGlobalString('ONLINE_OPENSURVEY_LOGO_'); } //print ''."\n"; // Define urllogo @@ -210,7 +210,7 @@ if (is_array($results)) { print '
      '; // Description - //print $langs->trans("Desription").' : '; + //print $langs->trans("Description").' : '; print '
      '; print '
      '; print dol_htmlwithnojs(dol_string_onlythesehtmltags(dol_htmlentitiesbr($object->commentaires), 1, 1, 1)); diff --git a/htdocs/public/opensurvey/studs.php b/htdocs/public/opensurvey/studs.php index c6171867557..9e1c34076bc 100644 --- a/htdocs/public/opensurvey/studs.php +++ b/htdocs/public/opensurvey/studs.php @@ -342,15 +342,17 @@ print '
      '; print '
      '; if (empty($object->description)) { - print '
      '."\n"; + print '
      '."\n"; +} else { + print '
      '."\n"; } // show title of survey $titre = str_replace("\\", "", $object->title); -print '
      '.img_picto('', 'poll', 'class="size15x paddingright"').' '.dol_htmlentities($titre).'
      '; +print '
      '.img_picto('', 'poll', 'class="size15x paddingright"').' '.dol_htmlentities($titre).'
      '; if (!empty($object->description)) { - print '
      '."\n"; + print '
      '."\n"; } // show description of survey @@ -568,7 +570,7 @@ while ($compteur < $num) { } } } else { - //sinon on remplace les choix de l'utilisateur par une ligne de checkbox pour saisie + // Else, replace the user's choices with a line of checkboxes for entry if ($compteur == $ligneamodifier) { for ($i = 0; $i < $nbcolonnes; $i++) { $car = substr($ensemblereponses, $i, 1); @@ -788,7 +790,6 @@ if ($object->allow_spy) { if (isset($sumfor[$i]) && isset($meilleurecolonne) && $sumfor[$i] == $meilleurecolonne) { $meilleursujet .= ($meilleursujet ? ", " : ""); if ($object->format == "D") { - $meilleursujetexport = $toutsujet[$i]; if (strpos($toutsujet[$i], '@') !== false) { $toutsujetdate = explode("@", $toutsujet[$i]); $meilleursujet .= dol_print_date($toutsujetdate[0], 'daytext').' ('.dol_print_date($toutsujetdate[0], '%A').') - '.$toutsujetdate[1]; @@ -804,7 +805,7 @@ if ($object->allow_spy) { } } - $meilleursujet = substr("$meilleursujet", 1); + //$meilleursujet = substr($meilleursujet, 1); $meilleursujet = str_replace("°", "'", $meilleursujet); // Show best choice @@ -813,9 +814,9 @@ if ($object->allow_spy) { print '

      '."\n"; if (isset($meilleurecolonne) && $compteursujet == "1") { - print ' '.$langs->trans('TheBestChoice').": ".$meilleursujet." ".$langs->trans('with')." ".$meilleurecolonne."".$vote_str.".\n"; + print ' '.$langs->trans('TheBestChoice').": ".$meilleursujet." - ".$meilleurecolonne." ".$vote_str.".\n"; } elseif (isset($meilleurecolonne)) { - print ' '.$langs->trans('TheBestChoices').": ".$meilleursujet." ".$langs->trans('with')." ".$meilleurecolonne."".$vote_str.".\n"; + print ' '.$langs->trans('TheBestChoices').": ".$meilleursujet." - ".$meilleurecolonne." ".$vote_str.".\n"; } print '


      '."\n"; diff --git a/htdocs/public/partnership/new.php b/htdocs/public/partnership/new.php index 9ec0a408828..29de8a88ff1 100644 --- a/htdocs/public/partnership/new.php +++ b/htdocs/public/partnership/new.php @@ -99,7 +99,7 @@ $user->loadDefaultValues(); * @param array $arrayofcss Array of complementary css files * @return void */ -function llxHeaderVierge($title, $head = "", $disablejs = 0, $disablehead = 0, $arrayofjs = '', $arrayofcss = '') +function llxHeaderVierge($title, $head = "", $disablejs = 0, $disablehead = 0, $arrayofjs = [], $arrayofcss = []) { global $user, $conf, $langs, $mysoc; @@ -272,8 +272,8 @@ if (empty($reshook) && $action == 'add') { $company->town = GETPOST('town'); $company->email = GETPOST('email'); $company->url = GETPOST('url'); - $company->country_id = GETPOST('country_id', 'int'); - $company->state_id = GETPOST('state_id', 'int'); + $company->country_id = GETPOSTINT('country_id'); + $company->state_id = GETPOSTINT('state_id'); $company->name_alias = dolGetFirstLastname(GETPOST('firstname'), GETPOST('lastname')); $resultat=$company->create($user); @@ -300,7 +300,7 @@ if (empty($reshook) && $action == 'add') { $company->town = GETPOST('town'); } if (empty($company->country_id)) { - $company->country_id = GETPOST('country_id', 'int'); + $company->country_id = GETPOSTINT('country_id'); } if (empty($company->email)) { $company->email = GETPOST('email'); @@ -309,7 +309,7 @@ if (empty($reshook) && $action == 'add') { $company->url = GETPOST('url'); } if (empty($company->state_id)) { - $company->state_id = GETPOST('state_id', 'int'); + $company->state_id = GETPOSTINT('state_id'); } if (empty($company->name_alias)) { $company->name_alias = dolGetFirstLastname(GETPOST('firstname'), GETPOST('lastname')); @@ -422,7 +422,7 @@ if (empty($reshook) && $action == 'add') { if (!empty($backtopage)) { $urlback = $backtopage; } elseif (getDolGlobalString('PARTNERSHIP_URL_REDIRECT_SUBSCRIPTION')) { - $urlback = $conf->global->PARTNERSHIP_URL_REDIRECT_SUBSCRIPTION; + $urlback = getDolGlobalString('PARTNERSHIP_URL_REDIRECT_SUBSCRIPTION'); // TODO Make replacement of __AMOUNT__, etc... } else { $urlback = $_SERVER["PHP_SELF"]."?action=added&token=".newToken(); @@ -491,7 +491,7 @@ if (empty($reshook) && $action == 'add') { } } } else { - dol_print_error('', "Autosubscribe form is setup to ask an online payment for a not managed online payment"); + dol_print_error(null, "Autosubscribe form is setup to ask an online payment for a not managed online payment"); exit; } }*/ @@ -512,7 +512,7 @@ if (empty($reshook) && $action == 'add') { if (!$error) { $db->commit(); - Header("Location: ".$urlback); + header("Location: ".$urlback); exit; } else { $db->rollback(); @@ -558,7 +558,7 @@ print '
      '; print '
      '; if (getDolGlobalString('PARTNERSHIP_NEWFORM_TEXT')) { - print $langs->trans($conf->global->PARTNERSHIP_NEWFORM_TEXT)."
      \n"; + print $langs->trans(getDolGlobalString('PARTNERSHIP_NEWFORM_TEXT'))."
      \n"; } else { print $langs->trans("NewPartnershipRequestDesc", getDolGlobalString("MAIN_INFO_SOCIETE_MAIL"))."
      \n"; } diff --git a/htdocs/public/payment/newpayment.php b/htdocs/public/payment/newpayment.php index b2dadb42058..f566c080d62 100644 --- a/htdocs/public/payment/newpayment.php +++ b/htdocs/public/payment/newpayment.php @@ -206,7 +206,7 @@ $urlko = $urlwithroot.'/public/payment/paymentko.php?'; // Complete urls for post treatment $ref = $REF = GETPOST('ref', 'alpha'); $TAG = GETPOST("tag", 'alpha'); -$FULLTAG = GETPOST("fulltag", 'alpha'); // fulltag is tag with more informations +$FULLTAG = GETPOST("fulltag", 'alpha'); // fulltag is tag with more information $SECUREKEY = GETPOST("securekey"); // Secure key if ($paymentmethod && !preg_match('/'.preg_quote('PM='.$paymentmethod, '/').'/', $FULLTAG)) { @@ -265,16 +265,16 @@ if ((empty($paymentmethod) || $paymentmethod == 'paypal') && isModEnabled('paypa $PAYPAL_API_KO = $urlko; } if (empty($PAYPAL_API_USER)) { - dol_print_error('', "Paypal setup param PAYPAL_API_USER not defined"); - return -1; + print 'Paypal parameter PAYPAL_API_USER is not defined. Please complete the setup of module PayPal first.'; + exit; } if (empty($PAYPAL_API_PASSWORD)) { - dol_print_error('', "Paypal setup param PAYPAL_API_PASSWORD not defined"); - return -1; + print 'Paypal parameter PAYPAL_API_PASSWORD is not defined. Please complete the setup of module PayPal first.'; + exit; } if (empty($PAYPAL_API_SIGNATURE)) { - dol_print_error('', "Paypal setup param PAYPAL_API_SIGNATURE not defined"); - return -1; + print 'Paypal parameter PAYPAL_API_SIGNATURE is not defined. Please complete the setup of module PayPal first.'; + exit; } } if ((empty($paymentmethod) || $paymentmethod == 'paybox') && isModEnabled('paybox')) { @@ -340,9 +340,9 @@ $creditor = $mysoc->name; $paramcreditor = 'ONLINE_PAYMENT_CREDITOR'; $paramcreditorlong = 'ONLINE_PAYMENT_CREDITOR_'.$suffix; if (!empty($conf->global->$paramcreditorlong)) { - $creditor = $conf->global->$paramcreditorlong; // use label long of the seller to show + $creditor = getDolGlobalString($paramcreditorlong); // use label long of the seller to show } elseif (!empty($conf->global->$paramcreditor)) { - $creditor = $conf->global->$paramcreditor; // use label short of the seller to show + $creditor = getDolGlobalString($paramcreditor); // use label short of the seller to show } $mesg = ''; @@ -383,7 +383,7 @@ if ($action == 'dopayment') { $mesg = $langs->trans("ErrorFieldRequired", $langs->transnoentitiesnoconv("Amount")); $action = ''; // } elseif (empty($EMAIL)) { $mesg=$langs->trans("ErrorFieldRequired",$langs->transnoentitiesnoconv("YourEMail")); - // } elseif (! isValidEMail($EMAIL)) { $mesg=$langs->trans("ErrorBadEMail",$EMAIL); + // } elseif (! isValidEmail($EMAIL)) { $mesg=$langs->trans("ErrorBadEMail",$EMAIL); } elseif (!$origfulltag) { $mesg = $langs->trans("ErrorFieldRequired", $langs->transnoentitiesnoconv("PaymentCode")); $action = ''; @@ -399,7 +399,7 @@ if ($action == 'dopayment') { $PAYPAL_API_DEVISE = $currency; } - // Show var initialized by include fo paypal lib at begin of this file + // Show var initialized by inclusion of paypal lib at start of this file dol_syslog("Submit Paypal form", LOG_DEBUG); dol_syslog("PAYPAL_API_USER: $PAYPAL_API_USER", LOG_DEBUG); dol_syslog("PAYPAL_API_PASSWORD: ".preg_replace('/./', '*', $PAYPAL_API_PASSWORD), LOG_DEBUG); // No password into log files @@ -423,7 +423,7 @@ if ($action == 'dopayment') { dol_syslog("SCRIPT_URI: ".(empty($_SERVER["SCRIPT_URI"]) ? '' : $_SERVER["SCRIPT_URI"]), LOG_DEBUG); // If defined script uri must match domain of PAYPAL_API_OK and PAYPAL_API_KO - // A redirect is added if API call successfull + // A redirect is added if API call successful $mesg = print_paypal_redirect($PAYPAL_API_PRICE, $PAYPAL_API_DEVISE, $PAYPAL_PAYMENT_TYPE, $PAYPAL_API_OK, $PAYPAL_API_KO, $FULLTAG); // If we are here, it means the Paypal redirect was not done, so we show error message @@ -433,7 +433,7 @@ if ($action == 'dopayment') { if ($paymentmethod == 'paybox') { $PRICE = price2num(GETPOST("newamount"), 'MT'); - $email = $conf->global->ONLINE_PAYMENT_SENDEMAIL; + $email = getDolGlobalString('ONLINE_PAYMENT_SENDEMAIL'); $thirdparty_id = GETPOST('thirdparty_id', 'int'); $origfulltag = GETPOST("fulltag", 'alpha'); @@ -446,7 +446,7 @@ if ($action == 'dopayment') { $mesg = $langs->trans("ErrorFieldRequired", $langs->transnoentitiesnoconv("Amount")); } elseif (empty($email)) { $mesg = $langs->trans("ErrorFieldRequired", $langs->transnoentitiesnoconv("ONLINE_PAYMENT_SENDEMAIL")); - } elseif (!isValidEMail($email)) { + } elseif (!isValidEmail($email)) { $mesg = $langs->trans("ErrorBadEMail", $email); } elseif (!$origfulltag) { $mesg = $langs->trans("ErrorFieldRequired", $langs->transnoentitiesnoconv("PaymentCode")); @@ -517,7 +517,7 @@ if ($action == 'charge' && isModEnabled('stripe')) { $metadata = array( 'dol_version' => DOL_VERSION, 'dol_entity' => $conf->entity, - 'dol_company' => $mysoc->name, // Usefull when using multicompany + 'dol_company' => $mysoc->name, // Useful when using multicompany 'dol_tax_num' => $vatnumber, 'ipaddress'=> getUserRemoteIP() ); @@ -579,7 +579,7 @@ if ($action == 'charge' && isModEnabled('stripe')) { $charge = \Stripe\Charge::create(array( 'amount' => price2num($amountstripe, 'MU'), 'currency' => $currency, - 'capture' => true, // Charge immediatly + 'capture' => true, // Charge immediately 'description' => 'Stripe payment: '.$FULLTAG.' ref='.$ref, 'metadata' => $metadata, 'customer' => $customer->id, @@ -649,7 +649,7 @@ if ($action == 'charge' && isModEnabled('stripe')) { 'customer' => $customer->id, 'amount' => price2num($amountstripe, 'MU'), 'currency' => $currency, - 'capture' => true, // Charge immediatly + 'capture' => true, // Charge immediately 'description' => 'Stripe payment: '.$FULLTAG.' ref='.$ref, 'metadata' => $metadata, 'statement_descriptor' => dol_trunc($FULLTAG, 10, 'right', 'UTF-8', 1), // 22 chars that appears on bank receipt (company + description) @@ -662,8 +662,8 @@ if ($action == 'charge' && isModEnabled('stripe')) { $action = ''; } } - } catch (\Stripe\Error\Card $e) { - // Since it's a decline, \Stripe\Error\Card will be caught + } catch (\Stripe\Exception\CardException $e) { + // Since it's a decline, \Stripe\Exception\Card will be caught $body = $e->getJsonBody(); $err = $body['error']; @@ -679,21 +679,21 @@ if ($action == 'charge' && isModEnabled('stripe')) { dol_syslog($errormessage, LOG_WARNING, 0, '_payment'); setEventMessages($e->getMessage(), null, 'errors'); $action = ''; - } catch (\Stripe\Error\RateLimit $e) { + } catch (\Stripe\Exception\RateLimitException $e) { // Too many requests made to the API too quickly $error++; $errormessage = "ErrorRateLimit ".$e->getMessage(); dol_syslog($errormessage, LOG_WARNING, 0, '_payment'); setEventMessages($e->getMessage(), null, 'errors'); $action = ''; - } catch (\Stripe\Error\InvalidRequest $e) { + } catch (\Stripe\Exception\InvalidRequestException $e) { // Invalid parameters were supplied to Stripe's API $error++; $errormessage = "ErrorInvalidRequest ".$e->getMessage(); dol_syslog($errormessage, LOG_WARNING, 0, '_payment'); setEventMessages($e->getMessage(), null, 'errors'); $action = ''; - } catch (\Stripe\Error\Authentication $e) { + } catch (\Stripe\Exception\AuthenticationException $e) { // Authentication with Stripe's API failed // (maybe you changed API keys recently) $error++; @@ -701,14 +701,14 @@ if ($action == 'charge' && isModEnabled('stripe')) { dol_syslog($errormessage, LOG_WARNING, 0, '_payment'); setEventMessages($e->getMessage(), null, 'errors'); $action = ''; - } catch (\Stripe\Error\ApiConnection $e) { + } catch (\Stripe\Exception\ApiConnectionException $e) { // Network communication with Stripe failed $error++; $errormessage = "ErrorApiConnection ".$e->getMessage(); dol_syslog($errormessage, LOG_WARNING, 0, '_payment'); setEventMessages($e->getMessage(), null, 'errors'); $action = ''; - } catch (\Stripe\Error\Base $e) { + } catch (\Stripe\Exception\ExceptionInterface $e) { // Display a very generic error to the user, and maybe send // yourself an email $error++; @@ -772,7 +772,7 @@ if ($action == 'charge' && isModEnabled('stripe')) { //dol_syslog("Create payment_method for ".$paymentintent->payment_method, LOG_DEBUG, 0, '_payment'); // Get here amount and currency used for payment and force value into $amount and $currency so the real amount is saved into session instead - // of the amount and currency retreived from the POST. + // of the amount and currency retrieved from the POST. if (!empty($paymentintent->currency) && !empty($paymentintent->amount)) { $currency = strtoupper($paymentintent->currency); $amount = $paymentintent->amount; @@ -892,9 +892,9 @@ $logosmall = $mysoc->logo_small; $logo = $mysoc->logo; $paramlogo = 'ONLINE_PAYMENT_LOGO_'.$suffix; if (!empty($conf->global->$paramlogo)) { - $logosmall = $conf->global->$paramlogo; + $logosmall = getDolGlobalString($paramlogo); } elseif (getDolGlobalString('ONLINE_PAYMENT_LOGO')) { - $logosmall = $conf->global->ONLINE_PAYMENT_LOGO; + $logosmall = getDolGlobalString('ONLINE_PAYMENT_LOGO'); } //print ''."\n"; // Define urllogo @@ -937,7 +937,7 @@ if (getDolGlobalString('MAIN_IMAGE_PUBLIC_PAYMENT')) { print ''."\n"; print ''."\n"; -// Additionnal information for each payment system +// Additional information for each payment system if (isModEnabled('paypal')) { print ''."\n"; print ''."\n"; @@ -1345,7 +1345,7 @@ if ($source == 'contractline') { $amount = $pu_ttc; if (empty($amount)) { - dol_print_error('', 'ErrorNoPriceDefinedForThisProduct'); + dol_print_error(null, 'ErrorNoPriceDefinedForThisProduct'); exit; } } @@ -1651,10 +1651,10 @@ if ($source == 'member' || $source == 'membersubscription') { } print '
      '; if (getDolGlobalString('MEMBER_MIN_AMOUNT') && $amount) { - $amount = max(0, $conf->global->MEMBER_MIN_AMOUNT, $amount); + $amount = max(0, getDolGlobalString('MEMBER_MIN_AMOUNT'), $amount); } $caneditamount = $adht->caneditamount; - $minimumamount = !getDolGlobalString('MEMBER_MIN_AMOUNT') ? $adht->amount : max($conf->global->MEMBER_MIN_AMOUNT, $adht->amount, $amount); + $minimumamount = !getDolGlobalString('MEMBER_MIN_AMOUNT') ? $adht->amount : max(getDolGlobalString('MEMBER_MIN_AMOUNT'), $adht->amount, $amount); if ($caneditamount && $action != 'dopayment') { if (GETPOSTISSET('newamount')) { @@ -1799,11 +1799,11 @@ if ($source == 'donation') { if (empty($valtoshow)) { if (getDolGlobalString('DONATION_NEWFORM_EDITAMOUNT')) { if (getDolGlobalString('DONATION_NEWFORM_AMOUNT')) { - $valtoshow = $conf->global->DONATION_NEWFORM_AMOUNT; + $valtoshow = getDolGlobalString('DONATION_NEWFORM_AMOUNT'); } } else { if (getDolGlobalString('DONATION_NEWFORM_AMOUNT')) { - $amount = $conf->global->DONATION_NEWFORM_AMOUNT; + $amount = getDolGlobalString('DONATION_NEWFORM_AMOUNT'); } } } @@ -1811,7 +1811,7 @@ if ($source == 'donation') { if (empty($amount) || !is_numeric($amount)) { //$valtoshow=price2num(GETPOST("newamount",'alpha'),'MT'); if (getDolGlobalString('DONATION_MIN_AMOUNT') && $valtoshow) { - $valtoshow = max($conf->global->DONATION_MIN_AMOUNT, $valtoshow); + $valtoshow = max(getDolGlobalString('DONATION_MIN_AMOUNT'), $valtoshow); } print ''; print ''; @@ -1820,7 +1820,7 @@ if ($source == 'donation') { } else { $valtoshow = $amount; if (getDolGlobalString('DONATION_MIN_AMOUNT') && $valtoshow) { - $valtoshow = max($conf->global->DONATION_MIN_AMOUNT, $valtoshow); + $valtoshow = max(getDolGlobalString('DONATION_MIN_AMOUNT'), $valtoshow); $amount = $valtoshow; } print ''.price($valtoshow, 1, $langs, 1, -1, -1, $currency).''; // Price with currency @@ -2148,7 +2148,7 @@ if ($action != 'dopayment') { } print '
      '; - if ($conf->global->PAYPAL_API_INTEGRAL_OR_PAYPALONLY != 'integral') { + if (getDolGlobalString('PAYPAL_API_INTEGRAL_OR_PAYPALONLY') != 'integral') { print '
       
      '; } print ' '; @@ -2196,7 +2196,7 @@ print '
      '; // Add more content on page for some services -if (preg_match('/^dopayment/', $action)) { // If we choosed/click on the payment mode +if (preg_match('/^dopayment/', $action)) { // If we chose/clicked on the payment mode // Save some data for the paymentok $remoteip = getUserRemoteIP(); $_SESSION["currencyCodeType"] = $currency; diff --git a/htdocs/public/payment/paymentko.php b/htdocs/public/payment/paymentko.php index 01fabbde20c..3df08fffe53 100644 --- a/htdocs/public/payment/paymentko.php +++ b/htdocs/public/payment/paymentko.php @@ -22,7 +22,7 @@ * \ingroup core * \brief File to show page after a failed payment. * This page is called by payment system with url provided to it competed with parameter TOKEN=xxx - * This token can be used to get more informations. + * This token can be used to get more information. */ if (!defined('NOLOGIN')) { @@ -167,7 +167,7 @@ if (!empty($_SESSION['ipaddress'])) { // To avoid to make action twice // Send an email $sendemail = ''; if (getDolGlobalString('ONLINE_PAYMENT_SENDEMAIL')) { - $sendemail = $conf->global->ONLINE_PAYMENT_SENDEMAIL; + $sendemail = getDolGlobalString('ONLINE_PAYMENT_SENDEMAIL'); } // Send warning of error to administrator @@ -230,9 +230,9 @@ $logosmall = $mysoc->logo_small; $logo = $mysoc->logo; $paramlogo = 'ONLINE_PAYMENT_LOGO_'.$suffix; if (!empty($conf->global->$paramlogo)) { - $logosmall = $conf->global->$paramlogo; + $logosmall = getDolGlobalString($paramlogo); } elseif (getDolGlobalString('ONLINE_PAYMENT_LOGO')) { - $logosmall = $conf->global->ONLINE_PAYMENT_LOGO; + $logosmall = getDolGlobalString('ONLINE_PAYMENT_LOGO'); } //print ''."\n"; // Define urllogo diff --git a/htdocs/public/payment/paymentok.php b/htdocs/public/payment/paymentok.php index 1a548dd382f..7c307ef3b24 100644 --- a/htdocs/public/payment/paymentok.php +++ b/htdocs/public/payment/paymentok.php @@ -24,9 +24,9 @@ * \file htdocs/public/payment/paymentok.php * \ingroup core * \brief File to show page after a successful payment on a payment line system. - * The payment was already really recorded. So an error here must send warning to admin but must still infor user that payment is ok. + * The payment was already really recorded. So an error here must send warning to admin but must still info user that payment is ok. * This page is called by payment system with url provided to it completed with parameter TOKEN=xxx - * This token and session can be used to get more informations. + * This token and session can be used to get more information. */ if (!defined('NOLOGIN')) { @@ -70,19 +70,19 @@ $langs->loadLangs(array("main", "other", "dict", "bills", "companies", "paybox", if (isModEnabled('paypal')) { $PAYPAL_API_USER = ""; if (getDolGlobalString('PAYPAL_API_USER')) { - $PAYPAL_API_USER = $conf->global->PAYPAL_API_USER; + $PAYPAL_API_USER = getDolGlobalString('PAYPAL_API_USER'); } $PAYPAL_API_PASSWORD = ""; if (getDolGlobalString('PAYPAL_API_PASSWORD')) { - $PAYPAL_API_PASSWORD = $conf->global->PAYPAL_API_PASSWORD; + $PAYPAL_API_PASSWORD = getDolGlobalString('PAYPAL_API_PASSWORD'); } $PAYPAL_API_SIGNATURE = ""; if (getDolGlobalString('PAYPAL_API_SIGNATURE')) { - $PAYPAL_API_SIGNATURE = $conf->global->PAYPAL_API_SIGNATURE; + $PAYPAL_API_SIGNATURE = getDolGlobalString('PAYPAL_API_SIGNATURE'); } $PAYPAL_API_SANDBOX = ""; if (getDolGlobalString('PAYPAL_API_SANDBOX')) { - $PAYPAL_API_SANDBOX = $conf->global->PAYPAL_API_SANDBOX; + $PAYPAL_API_SANDBOX = getDolGlobalString('PAYPAL_API_SANDBOX'); } $PAYPAL_API_OK = ""; if ($urlok) { @@ -212,9 +212,9 @@ $logosmall = $mysoc->logo_small; $logo = $mysoc->logo; $paramlogo = 'ONLINE_PAYMENT_LOGO_'.$suffix; if (!empty($conf->global->$paramlogo)) { - $logosmall = $conf->global->$paramlogo; + $logosmall = getDolGlobalString($paramlogo); } elseif (getDolGlobalString('ONLINE_PAYMENT_LOGO')) { - $logosmall = $conf->global->ONLINE_PAYMENT_LOGO; + $logosmall = getDolGlobalString('ONLINE_PAYMENT_LOGO'); } //print ''."\n"; // Define urllogo @@ -313,11 +313,11 @@ if (isModEnabled('paypal')) { } } else { $ErrorCode = "SESSIONEXPIRED"; - $ErrorLongMsg = "Session expired. Can't retreive PaymentType. Payment has not been validated."; + $ErrorLongMsg = "Session expired. Can't retrieve PaymentType. Payment has not been validated."; $ErrorShortMsg = "Session expired"; dol_syslog($ErrorLongMsg, LOG_WARNING, 0, '_payment'); - dol_print_error('', 'Session expired'); + dol_print_error(null, 'Session expired'); } } else { $ErrorCode = "PAYPALTOKENNOTDEFINED"; @@ -325,7 +325,7 @@ if (isModEnabled('paypal')) { $ErrorShortMsg = "Parameter PAYPALTOKEN not defined"; dol_syslog($ErrorLongMsg, LOG_WARNING, 0, '_payment'); - dol_print_error('', 'PAYPALTOKEN not defined'); + dol_print_error(null, 'PAYPALTOKEN not defined'); } } } @@ -375,7 +375,7 @@ if (empty($FinalPaymentAmt)) { if (empty($currencyCodeType)) { $currencyCodeType = $_SESSION['currencyCodeType']; } -// Seems used onyl by Paypal +// Seems used only by Paypal if (empty($paymentType)) { $paymentType = $_SESSION["paymentType"]; } @@ -436,13 +436,13 @@ if ($ispaymentok) { if ($result1 > 0 && $result2 > 0) { $paymentTypeId = 0; if ($paymentmethod == 'paybox') { - $paymentTypeId = $conf->global->PAYBOX_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('PAYBOX_PAYMENT_MODE_FOR_PAYMENTS'); } if ($paymentmethod == 'paypal') { - $paymentTypeId = $conf->global->PAYPAL_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('PAYPAL_PAYMENT_MODE_FOR_PAYMENTS'); } if ($paymentmethod == 'stripe') { - $paymentTypeId = $conf->global->STRIPE_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('STRIPE_PAYMENT_MODE_FOR_PAYMENTS'); } if (empty($paymentTypeId)) { dol_syslog("paymentType = ".$paymentType, LOG_DEBUG, 0, '_payment'); @@ -475,7 +475,7 @@ if ($ispaymentok) { $amountexpected = empty($amountbytype[$typeid]) ? 0 : $amountbytype[$typeid]; // - If not found, take the default amount if (empty($amountexpected) && getDolGlobalString('MEMBER_NEWFORM_AMOUNT')) { - $amountexpected = $conf->global->MEMBER_NEWFORM_AMOUNT; + $amountexpected = getDolGlobalString('MEMBER_NEWFORM_AMOUNT'); } if ($amountexpected && $amountexpected != $FinalPaymentAmt) { @@ -521,7 +521,7 @@ if ($ispaymentok) { } } - // Subscription informations + // Subscription information $datesubscription = $object->datevalid; // By default, the subscription start date is the payment date if ($object->datefin > 0) { $datesubscription = dol_time_plus_duree($object->datefin, 1, 'd'); @@ -554,16 +554,28 @@ if ($ispaymentok) { $formatteddate = dol_print_date($paymentdate, 'dayhour', 'auto', $outputlangs); $label = $langs->trans("OnlineSubscriptionPaymentLine", $formatteddate, $paymentmethod, $ipaddress, $TRANSACTIONID); - // Payment informations + // Payment information $accountid = 0; if ($paymentmethod == 'paybox') { - $accountid = $conf->global->PAYBOX_BANK_ACCOUNT_FOR_PAYMENTS; + $accountid = getDolGlobalString('PAYBOX_BANK_ACCOUNT_FOR_PAYMENTS'); } if ($paymentmethod == 'paypal') { - $accountid = $conf->global->PAYPAL_BANK_ACCOUNT_FOR_PAYMENTS; + $accountid = getDolGlobalString('PAYPAL_BANK_ACCOUNT_FOR_PAYMENTS'); } if ($paymentmethod == 'stripe') { - $accountid = $conf->global->STRIPE_BANK_ACCOUNT_FOR_PAYMENTS; + $accountid = getDolGlobalString('STRIPE_BANK_ACCOUNT_FOR_PAYMENTS'); + } + + //Get bank account for a specific paymentmedthod + $parameters = [ + 'paymentmethod' => $paymentmethod, + ]; + $reshook = $hookmanager->executeHooks('getBankAccountPaymentMethod', $parameters, $object, $action); + if ($reshook >= 0) { + if (isset($hookmanager->resArray['bankaccountid'])) { + dol_syslog('accountid overwrite by hook return with value='.$hookmanager->resArray['bankaccountid'], LOG_DEBUG, 0, '_payment'); + $accountid = $hookmanager->resArray['bankaccountid']; + } } if ($accountid < 0) { $error++; @@ -705,7 +717,7 @@ if ($ispaymentok) { } } else { // should not happen $error++; - $errmsg = 'Failed to retreive paymentintent or charge from id'; + $errmsg = 'Failed to retrieve paymentintent or charge from id'; dol_syslog($errmsg, LOG_ERR, 0, '_payment'); $postactionmessages[] = $errmsg; $ispostactionok = -1; @@ -743,7 +755,7 @@ if ($ispaymentok) { $outputlangs->loadLangs(array("main", "members")); // Get email content from template $arraydefaultmessage = null; - $labeltouse = $conf->global->ADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION; + $labeltouse = getDolGlobalString('ADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION'); if (!empty($labeltouse)) { $arraydefaultmessage = $formmail->getEMailTemplate($db, 'member', $user, $outputlangs, 0, 1, $labeltouse); @@ -831,13 +843,13 @@ if ($ispaymentok) { $paymentTypeId = 0; if ($paymentmethod === 'paybox') { - $paymentTypeId = $conf->global->PAYBOX_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('PAYBOX_PAYMENT_MODE_FOR_PAYMENTS'); } if ($paymentmethod === 'paypal') { - $paymentTypeId = $conf->global->PAYPAL_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('PAYPAL_PAYMENT_MODE_FOR_PAYMENTS'); } if ($paymentmethod === 'stripe') { - $paymentTypeId = $conf->global->STRIPE_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('STRIPE_PAYMENT_MODE_FOR_PAYMENTS'); } if (empty($paymentTypeId)) { dol_syslog("paymentType = ".$paymentType, LOG_DEBUG, 0, '_payment'); @@ -896,13 +908,24 @@ if ($ispaymentok) { if (!$error && isModEnabled("banque")) { $bankaccountid = 0; if ($paymentmethod == 'paybox') { - $bankaccountid = $conf->global->PAYBOX_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('PAYBOX_BANK_ACCOUNT_FOR_PAYMENTS'); } elseif ($paymentmethod == 'paypal') { - $bankaccountid = $conf->global->PAYPAL_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('PAYPAL_BANK_ACCOUNT_FOR_PAYMENTS'); } elseif ($paymentmethod == 'stripe') { - $bankaccountid = $conf->global->STRIPE_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('STRIPE_BANK_ACCOUNT_FOR_PAYMENTS'); } + //Get bank account for a specific paymentmedthod + $parameters = [ + 'paymentmethod' => $paymentmethod, + ]; + $reshook = $hookmanager->executeHooks('getBankAccountPaymentMethod', $parameters, $object, $action); + if ($reshook >= 0) { + if (isset($hookmanager->resArray['bankaccountid'])) { + dol_syslog('bankaccountid overwrite by hook return with value='.$hookmanager->resArray['bankaccountid'], LOG_DEBUG, 0, '_payment'); + $bankaccountid = $hookmanager->resArray['bankaccountid']; + } + } if ($bankaccountid > 0) { $label = '(CustomerInvoicePayment)'; if ($object->type == Facture::TYPE_CREDIT_NOTE) { @@ -946,13 +969,13 @@ if ($ispaymentok) { $paymentTypeId = 0; if ($paymentmethod == 'paybox') { - $paymentTypeId = $conf->global->PAYBOX_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('PAYBOX_PAYMENT_MODE_FOR_PAYMENTS'); } if ($paymentmethod == 'paypal') { - $paymentTypeId = $conf->global->PAYPAL_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('PAYPAL_PAYMENT_MODE_FOR_PAYMENTS'); } if ($paymentmethod == 'stripe') { - $paymentTypeId = $conf->global->STRIPE_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('STRIPE_PAYMENT_MODE_FOR_PAYMENTS'); } if (empty($paymentTypeId)) { dol_syslog("paymentType = ".$paymentType, LOG_DEBUG, 0, '_payment'); @@ -1013,13 +1036,24 @@ if ($ispaymentok) { if (!$error && isModEnabled("banque")) { $bankaccountid = 0; if ($paymentmethod == 'paybox') { - $bankaccountid = $conf->global->PAYBOX_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('PAYBOX_BANK_ACCOUNT_FOR_PAYMENTS'); } elseif ($paymentmethod == 'paypal') { - $bankaccountid = $conf->global->PAYPAL_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('PAYPAL_BANK_ACCOUNT_FOR_PAYMENTS'); } elseif ($paymentmethod == 'stripe') { - $bankaccountid = $conf->global->STRIPE_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('STRIPE_BANK_ACCOUNT_FOR_PAYMENTS'); } + //Get bank account for a specific paymentmedthod + $parameters = [ + 'paymentmethod' => $paymentmethod, + ]; + $reshook = $hookmanager->executeHooks('getBankAccountPaymentMethod', $parameters, $object, $action); + if ($reshook >= 0) { + if (isset($hookmanager->resArray['bankaccountid'])) { + dol_syslog('bankaccountid overwrite by hook return with value='.$hookmanager->resArray['bankaccountid'], LOG_DEBUG, 0, '_payment'); + $bankaccountid = $hookmanager->resArray['bankaccountid']; + } + } if ($bankaccountid > 0) { $label = '(CustomerInvoicePayment)'; if ($object->type == Facture::TYPE_CREDIT_NOTE) { @@ -1069,13 +1103,13 @@ if ($ispaymentok) { if ($result) { $paymentTypeId = 0; if ($paymentmethod == 'paybox') { - $paymentTypeId = $conf->global->PAYBOX_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('PAYBOX_PAYMENT_MODE_FOR_PAYMENTS'); } if ($paymentmethod == 'paypal') { - $paymentTypeId = $conf->global->PAYPAL_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('PAYPAL_PAYMENT_MODE_FOR_PAYMENTS'); } if ($paymentmethod == 'stripe') { - $paymentTypeId = $conf->global->STRIPE_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('STRIPE_PAYMENT_MODE_FOR_PAYMENTS'); } if (empty($paymentTypeId)) { dol_syslog("paymentType = ".$paymentType, LOG_DEBUG, 0, '_payment'); @@ -1107,7 +1141,7 @@ if ($ispaymentok) { $paiement->amounts = array($object->id => $totalpaid); // Array with all payments dispatching with donation } else { // PaymentDonation does not support multi currency - $postactionmessages[] = 'Payment donation can\'t be payed with diffent currency than '.$conf->currency; + $postactionmessages[] = 'Payment donation can\'t be paid with different currency than '.$conf->currency; $ispostactionok = -1; $error++; // Not yet supported } @@ -1139,13 +1173,24 @@ if ($ispaymentok) { if (!$error && isModEnabled("banque")) { $bankaccountid = 0; if ($paymentmethod == 'paybox') { - $bankaccountid = $conf->global->PAYBOX_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('PAYBOX_BANK_ACCOUNT_FOR_PAYMENTS'); } elseif ($paymentmethod == 'paypal') { - $bankaccountid = $conf->global->PAYPAL_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('PAYPAL_BANK_ACCOUNT_FOR_PAYMENTS'); } elseif ($paymentmethod == 'stripe') { - $bankaccountid = $conf->global->STRIPE_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('STRIPE_BANK_ACCOUNT_FOR_PAYMENTS'); } + //Get bank account for a specific paymentmedthod + $parameters = [ + 'paymentmethod' => $paymentmethod, + ]; + $reshook = $hookmanager->executeHooks('getBankAccountPaymentMethod', $parameters, $object, $action); + if ($reshook >= 0) { + if (isset($hookmanager->resArray['bankaccountid'])) { + dol_syslog('bankaccountid overwrite by hook return with value='.$hookmanager->resArray['bankaccountid'], LOG_DEBUG, 0, '_payment'); + $bankaccountid = $hookmanager->resArray['bankaccountid']; + } + } if ($bankaccountid > 0) { $label = '(DonationPayment)'; $result = $paiement->addPaymentToBank($user, 'payment_donation', $label, $bankaccountid, '', ''); @@ -1190,13 +1235,13 @@ if ($ispaymentok) { if ($result) { $paymentTypeId = 0; if ($paymentmethod == 'paybox') { - $paymentTypeId = $conf->global->PAYBOX_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('PAYBOX_PAYMENT_MODE_FOR_PAYMENTS'); } if ($paymentmethod == 'paypal') { - $paymentTypeId = $conf->global->PAYPAL_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('PAYPAL_PAYMENT_MODE_FOR_PAYMENTS'); } if ($paymentmethod == 'stripe') { - $paymentTypeId = $conf->global->STRIPE_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('STRIPE_PAYMENT_MODE_FOR_PAYMENTS'); } if (empty($paymentTypeId)) { dol_syslog("paymentType = ".$paymentType, LOG_DEBUG, 0, '_payment'); @@ -1258,13 +1303,24 @@ if ($ispaymentok) { if (!$error && isModEnabled("banque")) { $bankaccountid = 0; if ($paymentmethod == 'paybox') { - $bankaccountid = $conf->global->PAYBOX_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('PAYBOX_BANK_ACCOUNT_FOR_PAYMENTS'); } elseif ($paymentmethod == 'paypal') { - $bankaccountid = $conf->global->PAYPAL_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('PAYPAL_BANK_ACCOUNT_FOR_PAYMENTS'); } elseif ($paymentmethod == 'stripe') { - $bankaccountid = $conf->global->STRIPE_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('STRIPE_BANK_ACCOUNT_FOR_PAYMENTS'); } + //Get bank account for a specific paymentmedthod + $parameters = [ + 'paymentmethod' => $paymentmethod, + ]; + $reshook = $hookmanager->executeHooks('getBankAccountPaymentMethod', $parameters, $object, $action); + if ($reshook >= 0) { + if (isset($hookmanager->resArray['bankaccountid'])) { + dol_syslog('bankaccountid overwrite by hook return with value='.$hookmanager->resArray['bankaccountid'], LOG_DEBUG, 0, '_payment'); + $bankaccountid = $hookmanager->resArray['bankaccountid']; + } + } if ($bankaccountid > 0) { $label = '(CustomerInvoicePayment)'; if ($object->type == Facture::TYPE_CREDIT_NOTE) { @@ -1328,7 +1384,7 @@ if ($ispaymentok) { // Get email content from template $arraydefaultmessage = null; - $idoftemplatetouse = $conf->global->EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT; // Email to send for Event organization registration + $idoftemplatetouse = getDolGlobalString('EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT'); // Email to send for Event organization registration if (!empty($idoftemplatetouse)) { $arraydefaultmessage = $formmail->getEMailTemplate($db, 'conferenceorbooth', $user, $outputlangs, $idoftemplatetouse, 1, ''); @@ -1409,13 +1465,13 @@ if ($ispaymentok) { $paymentTypeId = 0; if ($paymentmethod == 'paybox') { - $paymentTypeId = $conf->global->PAYBOX_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('PAYBOX_PAYMENT_MODE_FOR_PAYMENTS'); } if ($paymentmethod == 'paypal') { - $paymentTypeId = $conf->global->PAYPAL_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('PAYPAL_PAYMENT_MODE_FOR_PAYMENTS'); } if ($paymentmethod == 'stripe') { - $paymentTypeId = $conf->global->STRIPE_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('STRIPE_PAYMENT_MODE_FOR_PAYMENTS'); } if (empty($paymentTypeId)) { dol_syslog("paymentType = ".$paymentType, LOG_DEBUG, 0, '_payment'); @@ -1477,13 +1533,24 @@ if ($ispaymentok) { if (!$error && isModEnabled("banque")) { $bankaccountid = 0; if ($paymentmethod == 'paybox') { - $bankaccountid = $conf->global->PAYBOX_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('PAYBOX_BANK_ACCOUNT_FOR_PAYMENTS'); } elseif ($paymentmethod == 'paypal') { - $bankaccountid = $conf->global->PAYPAL_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('PAYPAL_BANK_ACCOUNT_FOR_PAYMENTS'); } elseif ($paymentmethod == 'stripe') { - $bankaccountid = $conf->global->STRIPE_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('STRIPE_BANK_ACCOUNT_FOR_PAYMENTS'); } + //Get bank account for a specific paymentmedthod + $parameters = [ + 'paymentmethod' => $paymentmethod, + ]; + $reshook = $hookmanager->executeHooks('getBankAccountPaymentMethod', $parameters, $object, $action); + if ($reshook >= 0) { + if (isset($hookmanager->resArray['bankaccountid'])) { + dol_syslog('bankaccountid overwrite by hook return with value='.$hookmanager->resArray['bankaccountid'], LOG_DEBUG, 0, '_payment'); + $bankaccountid = $hookmanager->resArray['bankaccountid']; + } + } if ($bankaccountid > 0) { $label = '(CustomerInvoicePayment)'; if ($object->type == Facture::TYPE_CREDIT_NOTE) { @@ -1544,7 +1611,7 @@ if ($ispaymentok) { // Get email content from template $arraydefaultmessage = null; - $idoftemplatetouse = $conf->global->EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH; // Email sent after registration for a Booth + $idoftemplatetouse = getDolGlobalString('EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH'); // Email sent after registration for a Booth if (!empty($idoftemplatetouse)) { $arraydefaultmessage = $formmail->getEMailTemplate($db, 'conferenceorbooth', $user, $outputlangs, $idoftemplatetouse, 1, ''); @@ -1565,7 +1632,7 @@ if ($ispaymentok) { $texttosend = make_substitutions($msg, $substitutionarray, $outputlangs); $sendto = $thirdparty->email; - $from = $conf->global->MAILING_EMAIL_FROM; + $from = getDolGlobalString('MAILING_EMAIL_FROM'); $urlback = $_SERVER["REQUEST_URI"]; $ishtml = dol_textishtml($texttosend); // May contain urls @@ -1607,13 +1674,13 @@ if ($ispaymentok) { $paymentTypeId = 0; if ($paymentmethod == 'paybox') { - $paymentTypeId = $conf->global->PAYBOX_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('PAYBOX_PAYMENT_MODE_FOR_PAYMENTS'); } if ($paymentmethod == 'paypal') { - $paymentTypeId = $conf->global->PAYPAL_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('PAYPAL_PAYMENT_MODE_FOR_PAYMENTS'); } if ($paymentmethod == 'stripe') { - $paymentTypeId = $conf->global->STRIPE_PAYMENT_MODE_FOR_PAYMENTS; + $paymentTypeId = getDolGlobalString('STRIPE_PAYMENT_MODE_FOR_PAYMENTS'); } if (empty($paymentTypeId)) { dol_syslog("paymentType = ".$paymentType, LOG_DEBUG, 0, '_payment'); @@ -1677,13 +1744,24 @@ if ($ispaymentok) { if (!$error && isModEnabled("banque")) { $bankaccountid = 0; if ($paymentmethod == 'paybox') { - $bankaccountid = $conf->global->PAYBOX_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('PAYBOX_BANK_ACCOUNT_FOR_PAYMENTS'); } elseif ($paymentmethod == 'paypal') { - $bankaccountid = $conf->global->PAYPAL_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('PAYPAL_BANK_ACCOUNT_FOR_PAYMENTS'); } elseif ($paymentmethod == 'stripe') { - $bankaccountid = $conf->global->STRIPE_BANK_ACCOUNT_FOR_PAYMENTS; + $bankaccountid = getDolGlobalString('STRIPE_BANK_ACCOUNT_FOR_PAYMENTS'); } + //Get bank account for a specific paymentmedthod + $parameters = [ + 'paymentmethod' => $paymentmethod, + ]; + $reshook = $hookmanager->executeHooks('getBankAccountPaymentMethod', $parameters, $object, $action); + if ($reshook >= 0) { + if (isset($hookmanager->resArray['bankaccountid'])) { + dol_syslog('bankaccountid overwrite by hook return with value='.$hookmanager->resArray['bankaccountid'], LOG_DEBUG, 0, '_payment'); + $bankaccountid = $hookmanager->resArray['bankaccountid']; + } + } if ($bankaccountid > 0) { $label = '(CustomerInvoicePayment)'; if ($object->type == Facture::TYPE_CREDIT_NOTE) { @@ -1757,7 +1835,7 @@ if ($ispaymentok) { } // End call triggers } elseif (get_class($object) == 'stdClass') { - //In some case $object is not instanciate (for paiement on custom object) We need to deal with payment + //In some case $object is not instantiate (for paiement on custom object) We need to deal with payment include_once DOL_DOCUMENT_ROOT.'/compta/paiement/class/paiement.class.php'; $paiement = new Paiement($db); $result = $paiement->call_trigger('PAYMENTONLINE_PAYMENT_OK', $user); @@ -1779,7 +1857,7 @@ if ($ispaymentok) { $sendemail = ''; if (getDolGlobalString('ONLINE_PAYMENT_SENDEMAIL')) { - $sendemail = $conf->global->ONLINE_PAYMENT_SENDEMAIL; + $sendemail = getDolGlobalString('ONLINE_PAYMENT_SENDEMAIL'); } $tmptag = dolExplodeIntoArray($fulltag, '.', '='); @@ -1903,15 +1981,15 @@ if ($ispaymentok) { $sendemail = ''; if (getDolGlobalString('PAYMENTONLINE_SENDEMAIL')) { - $sendemail = $conf->global->PAYMENTONLINE_SENDEMAIL; + $sendemail = getDolGlobalString('PAYMENTONLINE_SENDEMAIL'); } // TODO Remove local option to keep only the generic one ? if ($paymentmethod == 'paypal' && getDolGlobalString('PAYPAL_PAYONLINE_SENDEMAIL')) { - $sendemail = $conf->global->PAYPAL_PAYONLINE_SENDEMAIL; + $sendemail = getDolGlobalString('PAYPAL_PAYONLINE_SENDEMAIL'); } elseif ($paymentmethod == 'paybox' && getDolGlobalString('PAYBOX_PAYONLINE_SENDEMAIL')) { - $sendemail = $conf->global->PAYBOX_PAYONLINE_SENDEMAIL; + $sendemail = getDolGlobalString('PAYBOX_PAYONLINE_SENDEMAIL'); } elseif ($paymentmethod == 'stripe' && getDolGlobalString('STRIPE_PAYONLINE_SENDEMAIL')) { - $sendemail = $conf->global->STRIPE_PAYONLINE_SENDEMAIL; + $sendemail = getDolGlobalString('STRIPE_PAYONLINE_SENDEMAIL'); } // Send warning of error to administrator diff --git a/htdocs/public/project/index.php b/htdocs/public/project/index.php index 3f54daeec39..9c96239e51b 100644 --- a/htdocs/public/project/index.php +++ b/htdocs/public/project/index.php @@ -105,7 +105,7 @@ if (empty($conf->project->enabled)) { * @param array $arrayofcss Array of complementary css files * @return void */ -function llxHeaderVierge($title, $head = "", $disablejs = 0, $disablehead = 0, $arrayofjs = '', $arrayofcss = '') +function llxHeaderVierge($title, $head = "", $disablejs = 0, $disablehead = 0, $arrayofjs = [], $arrayofcss = []) { global $user, $conf, $langs, $mysoc; diff --git a/htdocs/public/project/new.php b/htdocs/public/project/new.php index 9b35ac796ac..2674f6dddaa 100644 --- a/htdocs/public/project/new.php +++ b/htdocs/public/project/new.php @@ -4,7 +4,7 @@ * Copyright (C) 2006-2013 Laurent Destailleur * Copyright (C) 2012 Regis Houssin * Copyright (C) 2012 J. Fernando Lagrange - * Copyright (C) 2018-2021 Frédéric France + * Copyright (C) 2018-2023 Frédéric France * Copyright (C) 2018 Alexandre Spangaro * * This program is free software; you can redistribute it and/or modify @@ -97,7 +97,7 @@ if (empty($conf->project->enabled)) { * @param array $arrayofcss Array of complementary css files * @return void */ -function llxHeaderVierge($title, $head = "", $disablejs = 0, $disablehead = 0, $arrayofjs = '', $arrayofcss = '') +function llxHeaderVierge($title, $head = "", $disablejs = 0, $disablehead = 0, $arrayofjs = [], $arrayofcss = []) { global $user, $conf, $langs, $mysoc; @@ -228,8 +228,8 @@ if (empty($reshook) && $action == 'add') { $thirdparty->address = GETPOST('address'); $thirdparty->zip = GETPOST('zip'); $thirdparty->town = GETPOST('town'); - $thirdparty->country_id = GETPOST('country_id', 'int'); - $thirdparty->state_id = GETPOST('state_id'); + $thirdparty->country_id = GETPOSTINT('country_id'); + $thirdparty->state_id = GETPOSTINT('state_id'); $thirdparty->client = $thirdparty::PROSPECT; $thirdparty->code_client = 'auto'; $thirdparty->code_fournisseur = 'auto'; @@ -361,7 +361,7 @@ if (empty($reshook) && $action == 'add') { $outputlangs->loadLangs(array("main", "members", "projects")); // Get email content from template $arraydefaultmessage = null; - $labeltouse = $conf->global->PROJECT_EMAIL_TEMPLATE_AUTOLEAD; + $labeltouse = getDolGlobalString('PROJECT_EMAIL_TEMPLATE_AUTOLEAD'); if (!empty($labeltouse)) { $arraydefaultmessage = $formmail->getEMailTemplate($db, 'project', $user, $outputlangs, 0, 1, $labeltouse); @@ -396,7 +396,7 @@ if (empty($reshook) && $action == 'add') { if (!empty($backtopage)) { $urlback = $backtopage; } elseif (getDolGlobalString('PROJECT_URL_REDIRECT_LEAD')) { - $urlback = $conf->global->PROJECT_URL_REDIRECT_LEAD; + $urlback = getDolGlobalString('PROJECT_URL_REDIRECT_LEAD'); // TODO Make replacement of __AMOUNT__, etc... } else { $urlback = $_SERVER["PHP_SELF"]."?action=added&token=".newToken(); @@ -419,7 +419,7 @@ if (empty($reshook) && $action == 'add') { if (!$error) { $db->commit(); - Header("Location: ".$urlback); + header("Location: ".$urlback); exit; } else { $db->rollback(); @@ -463,7 +463,7 @@ print '
      '; print '
      '; if (getDolGlobalString('PROJECT_NEWFORM_TEXT')) { - print $langs->trans($conf->global->PROJECT_NEWFORM_TEXT)."
      \n"; + print $langs->trans(getDolGlobalString('PROJECT_NEWFORM_TEXT'))."
      \n"; } else { print $langs->trans("FormForNewLeadDesc", getDolGlobalString("MAIN_INFO_SOCIETE_MAIL"))."
      \n"; } diff --git a/htdocs/public/project/suggestbooth.php b/htdocs/public/project/suggestbooth.php index 36ca56dfc53..49ec4f9cd17 100644 --- a/htdocs/public/project/suggestbooth.php +++ b/htdocs/public/project/suggestbooth.php @@ -120,7 +120,7 @@ if (empty($conf->eventorganization->enabled)) { * @param array $arrayofcss Array of complementary css files * @return void */ -function llxHeaderVierge($title, $head = "", $disablejs = 0, $disablehead = 0, $arrayofjs = '', $arrayofcss = '') +function llxHeaderVierge($title, $head = "", $disablejs = 0, $disablehead = 0, $arrayofjs = [], $arrayofcss = []) { global $user, $conf, $langs, $mysoc; @@ -209,7 +209,7 @@ if (empty($reshook) && $action == 'add') { $error++; $errmsg .= $langs->trans("ErrorFieldRequired", $langs->transnoentitiesnoconv("Email"))."
      \n"; } - if (!GETPOST("country_id") && !empty(floatval($project->price_booth))) { + if (!GETPOST("country_id") && !empty((float) $project->price_booth)) { $error++; $errmsg .= $langs->trans("ErrorFieldRequired", $langs->transnoentitiesnoconv("Country"))."
      \n"; } @@ -255,12 +255,12 @@ if (empty($reshook) && $action == 'add') { $thirdparty->town = GETPOST("town"); $thirdparty->client = $thirdparty::PROSPECT; $thirdparty->fournisseur = 0; - $thirdparty->country_id = GETPOST("country_id", 'int'); - $thirdparty->state_id = GETPOST("state_id", 'int'); + $thirdparty->country_id = GETPOSTINT("country_id"); + $thirdparty->state_id = GETPOSTINT("state_id"); $thirdparty->email = ($emailcompany ? $emailcompany : $email); // Load object modCodeTiers - $module = (getDolGlobalString('SOCIETE_CODECLIENT_ADDON') ? $conf->global->SOCIETE_CODECLIENT_ADDON : 'mod_codeclient_leopard'); + $module = getDolGlobalString('SOCIETE_CODECLIENT_ADDON', 'mod_codeclient_leopard'); if (substr($module, 0, 15) == 'mod_codeclient_' && substr($module, -3) == 'php') { $module = substr($module, 0, dol_strlen($module) - 4); } @@ -316,7 +316,7 @@ if (empty($reshook) && $action == 'add') { // Adding supplier tag and tag from setup to thirdparty $category = new Categorie($db); - $resultcategory = $category->fetch($conf->global->EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH); + $resultcategory = $category->fetch(getDolGlobalString('EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH')); if ($resultcategory<=0) { $error++; @@ -330,7 +330,7 @@ if (empty($reshook) && $action == 'add') { $thirdparty->fournisseur = 1; // Load object modCodeFournisseur - $module = (getDolGlobalString('SOCIETE_CODECLIENT_ADDON') ? $conf->global->SOCIETE_CODECLIENT_ADDON : 'mod_codeclient_leopard'); + $module = getDolGlobalString('SOCIETE_CODECLIENT_ADDON', 'mod_codeclient_leopard'); if (substr($module, 0, 15) == 'mod_codeclient_' && substr($module, -3) == 'php') { $module = substr($module, 0, dol_strlen($module) - 4); } @@ -341,7 +341,7 @@ if (empty($reshook) && $action == 'add') { break; } } - $modCodeFournisseur = new $module(); + $modCodeFournisseur = new $module($db); if (empty($tmpcode) && !empty($modCodeFournisseur->code_auto)) { $tmpcode = $modCodeFournisseur->getNextValue($thirdparty, 1); } @@ -414,9 +414,9 @@ if (empty($reshook) && $action == 'add') { $errmsg .= $conforbooth->error; } else { // If this is a paying booth, we have to redirect to payment page and create an invoice - if (!empty(floatval($project->price_booth))) { + if (!empty((float) $project->price_booth)) { $productforinvoicerow = new Product($db); - $resultprod = $productforinvoicerow->fetch($conf->global->SERVICE_BOOTH_LOCATION); + $resultprod = $productforinvoicerow->fetch(getDolGlobalString('SERVICE_BOOTH_LOCATION')); if ($resultprod < 0) { $error++; $errmsg .= $productforinvoicerow->error; @@ -452,7 +452,7 @@ if (empty($reshook) && $action == 'add') { if (!$error) { // Add line to draft invoice $vattouse = get_default_tva($mysoc, $thirdparty, $productforinvoicerow->id); - $result = $facture->addline($langs->trans("BoothLocationFee", $conforbooth->label, dol_print_date($conforbooth->datep, '%d/%m/%y %H:%M:%S'), dol_print_date($conforbooth->datep2, '%d/%m/%y %H:%M:%S')), floatval($project->price_booth), 1, $vattouse, 0, 0, $productforinvoicerow->id, 0, dol_now(), '', 0, 0, '', 'HT', 0, 1); + $result = $facture->addline($langs->trans("BoothLocationFee", $conforbooth->label, dol_print_date($conforbooth->datep, '%d/%m/%y %H:%M:%S'), dol_print_date($conforbooth->datep2, '%d/%m/%y %H:%M:%S')), (float) $project->price_booth, 1, $vattouse, 0, 0, $productforinvoicerow->id, 0, dol_now(), '', 0, 0, '', 'HT', 0, 1); if ($result <= 0) { $contact->error = $facture->error; $contact->errors = $facture->errors; @@ -470,7 +470,7 @@ if (empty($reshook) && $action == 'add') { $redirection .= '&securekey='.$conf->global->PAYMENT_SECURITY_TOKEN; } } - Header("Location: ".$redirection); + header("Location: ".$redirection); exit; }*/ } @@ -516,7 +516,7 @@ if (empty($reshook) && $action == 'add') { $texttosend = make_substitutions($msg, $substitutionarray, $outputlangs); $sendto = $thirdparty->email; - $from = $conf->global->MAILING_EMAIL_FROM; + $from = getDolGlobalString('MAILING_EMAIL_FROM'); $urlback = $_SERVER["REQUEST_URI"]; $trackid = 'proj'.$project->id; @@ -533,7 +533,7 @@ if (empty($reshook) && $action == 'add') { $securekeyurl = dol_hash(getDolGlobalString('EVENTORGANIZATION_SECUREKEY') . 'conferenceorbooth'.$id, 2); $redirection = $dolibarr_main_url_root.'/public/eventorganization/subscriptionok.php?id='.$id.'&securekey='.$securekeyurl; - Header("Location: ".$redirection); + header("Location: ".$redirection); exit; } else { $db->rollback(); diff --git a/htdocs/public/project/suggestconference.php b/htdocs/public/project/suggestconference.php index dee3d8aee8a..79a67502eba 100644 --- a/htdocs/public/project/suggestconference.php +++ b/htdocs/public/project/suggestconference.php @@ -121,7 +121,7 @@ if (empty($conf->eventorganization->enabled)) { * @param array $arrayofcss Array of complementary css files * @return void */ -function llxHeaderVierge($title, $head = "", $disablejs = 0, $disablehead = 0, $arrayofjs = '', $arrayofcss = '') +function llxHeaderVierge($title, $head = "", $disablejs = 0, $disablehead = 0, $arrayofjs = [], $arrayofcss = []) { global $user, $conf, $langs, $mysoc; @@ -256,12 +256,12 @@ if (empty($reshook) && $action == 'add') { $thirdparty->town = GETPOST("town"); $thirdparty->client = $thirdparty::PROSPECT; $thirdparty->fournisseur = 0; - $thirdparty->country_id = GETPOST("country_id", 'int'); - $thirdparty->state_id = GETPOST("state_id", 'int'); + $thirdparty->country_id = GETPOSTINT("country_id"); + $thirdparty->state_id = GETPOSTINT("state_id"); $thirdparty->email = ($emailcompany ? $emailcompany : $email); // Load object modCodeTiers - $module = (getDolGlobalString('SOCIETE_CODECLIENT_ADDON') ? $conf->global->SOCIETE_CODECLIENT_ADDON : 'mod_codeclient_leopard'); + $module = getDolGlobalString('SOCIETE_CODECLIENT_ADDON', 'mod_codeclient_leopard'); if (substr($module, 0, 15) == 'mod_codeclient_' && substr($module, -3) == 'php') { $module = substr($module, 0, dol_strlen($module) - 4); } @@ -316,7 +316,7 @@ if (empty($reshook) && $action == 'add') { // Adding supplier tag and tag from setup to thirdparty $category = new Categorie($db); - $resultcategory = $category->fetch($conf->global->EVENTORGANIZATION_CATEG_THIRDPARTY_CONF); + $resultcategory = $category->fetch(getDolGlobalString('EVENTORGANIZATION_CATEG_THIRDPARTY_CONF')); if ($resultcategory<=0) { $error++; @@ -330,7 +330,7 @@ if (empty($reshook) && $action == 'add') { $thirdparty->fournisseur = 1; // Load object modCodeFournisseur - $module = (getDolGlobalString('SOCIETE_CODECLIENT_ADDON') ? $conf->global->SOCIETE_CODECLIENT_ADDON : 'mod_codeclient_leopard'); + $module = getDolGlobalString('SOCIETE_CODECLIENT_ADDON', 'mod_codeclient_leopard'); if (substr($module, 0, 15) == 'mod_codeclient_' && substr($module, -3) == 'php') { $module = substr($module, 0, dol_strlen($module) - 4); } @@ -341,7 +341,7 @@ if (empty($reshook) && $action == 'add') { break; } } - $modCodeFournisseur = new $module(); + $modCodeFournisseur = new $module($db); if (empty($tmpcode) && !empty($modCodeFournisseur->code_auto)) { $tmpcode = $modCodeFournisseur->getNextValue($thirdparty, 1); } @@ -447,7 +447,7 @@ if (empty($reshook) && $action == 'add') { $texttosend = make_substitutions($msg, $substitutionarray, $outputlangs); $sendto = $thirdparty->email; - $from = $conf->global->MAILING_EMAIL_FROM; + $from = getDolGlobalString('MAILING_EMAIL_FROM'); $urlback = $_SERVER["REQUEST_URI"]; $trackid = 'proj'.$project->id; @@ -470,7 +470,7 @@ if (empty($reshook) && $action == 'add') { $db->commit(); $securekeyurl = dol_hash(getDolGlobalString('EVENTORGANIZATION_SECUREKEY') . 'conferenceorbooth'.$id, 2); $redirection = $dolibarr_main_url_root.'/public/eventorganization/subscriptionok.php?id='.((int) $id).'&securekey='.urlencode($securekeyurl); - Header("Location: ".$redirection); + header("Location: ".$redirection); exit; } else { $db->rollback(); diff --git a/htdocs/public/project/viewandvote.php b/htdocs/public/project/viewandvote.php index caf386f6eff..e754ea62539 100644 --- a/htdocs/public/project/viewandvote.php +++ b/htdocs/public/project/viewandvote.php @@ -235,9 +235,9 @@ $logosmall = $mysoc->logo_small; $logo = $mysoc->logo; $paramlogo = 'ONLINE_PAYMENT_LOGO_'.$suffix; if (!empty($conf->global->$paramlogo)) { - $logosmall = $conf->global->$paramlogo; + $logosmall = getDolGlobalString($paramlogo); } elseif (getDolGlobalString('ONLINE_PAYMENT_LOGO')) { - $logosmall = $conf->global->ONLINE_PAYMENT_LOGO; + $logosmall = getDolGlobalString('ONLINE_PAYMENT_LOGO'); } //print ''."\n"; // Define urllogo diff --git a/htdocs/public/recruitment/index.php b/htdocs/public/recruitment/index.php index 2661fb89a7e..d64a32492b4 100644 --- a/htdocs/public/recruitment/index.php +++ b/htdocs/public/recruitment/index.php @@ -136,9 +136,9 @@ $logosmall = $mysoc->logo_small; $logo = $mysoc->logo; $paramlogo = 'ONLINE_RECRUITMENT_LOGO_'.$suffix; if (!empty($conf->global->$paramlogo)) { - $logosmall = $conf->global->$paramlogo; + $logosmall = getDolGlobalString($paramlogo); } elseif (getDolGlobalString('ONLINE_RECRUITMENT_LOGO')) { - $logosmall = $conf->global->ONLINE_RECRUITMENT_LOGO_; + $logosmall = getDolGlobalString('ONLINE_RECRUITMENT_LOGO_'); } //print ''."\n"; // Define urllogo diff --git a/htdocs/public/recruitment/view.php b/htdocs/public/recruitment/view.php index eef609ff9b4..60b5191d468 100644 --- a/htdocs/public/recruitment/view.php +++ b/htdocs/public/recruitment/view.php @@ -199,9 +199,9 @@ $logosmall = $mysoc->logo_small; $logo = $mysoc->logo; $paramlogo = 'ONLINE_RECRUITMENT_LOGO_'.$suffix; if (!empty($conf->global->$paramlogo)) { - $logosmall = $conf->global->$paramlogo; + $logosmall = getDolGlobalString($paramlogo); } elseif (getDolGlobalString('ONLINE_RECRUITMENT_LOGO')) { - $logosmall = $conf->global->ONLINE_RECRUITMENT_LOGO; + $logosmall = getDolGlobalString('ONLINE_RECRUITMENT_LOGO'); } //print ''."\n"; // Define urllogo diff --git a/htdocs/public/stripe/ipn.php b/htdocs/public/stripe/ipn.php index c355c449a04..9e62d69cf6d 100644 --- a/htdocs/public/stripe/ipn.php +++ b/htdocs/public/stripe/ipn.php @@ -59,21 +59,21 @@ require_once DOL_DOCUMENT_ROOT.'/stripe/class/stripe.class.php'; // You can find your endpoint's secret in your webhook settings if (isset($_GET['connect'])) { if (isset($_GET['test'])) { - $endpoint_secret = $conf->global->STRIPE_TEST_WEBHOOK_CONNECT_KEY; + $endpoint_secret = getDolGlobalString('STRIPE_TEST_WEBHOOK_CONNECT_KEY'); $service = 'StripeTest'; $servicestatus = 0; } else { - $endpoint_secret = $conf->global->STRIPE_LIVE_WEBHOOK_CONNECT_KEY; + $endpoint_secret = getDolGlobalString('STRIPE_LIVE_WEBHOOK_CONNECT_KEY'); $service = 'StripeLive'; $servicestatus = 1; } } else { if (isset($_GET['test'])) { - $endpoint_secret = $conf->global->STRIPE_TEST_WEBHOOK_KEY; + $endpoint_secret = getDolGlobalString('STRIPE_TEST_WEBHOOK_KEY'); $service = 'StripeTest'; $servicestatus = 0; } else { - $endpoint_secret = $conf->global->STRIPE_LIVE_WEBHOOK_KEY; + $endpoint_secret = getDolGlobalString('STRIPE_LIVE_WEBHOOK_KEY'); $service = 'StripeLive'; $servicestatus = 1; } @@ -90,7 +90,7 @@ if (empty($endpoint_secret)) { if (getDolGlobalString('STRIPE_USER_ACCOUNT_FOR_ACTIONS')) { // We set the user to use for all ipn actions in Dolibarr $user = new User($db); - $user->fetch($conf->global->STRIPE_USER_ACCOUNT_FOR_ACTIONS); + $user->fetch(getDolGlobalString('STRIPE_USER_ACCOUNT_FOR_ACTIONS')); $user->getrights(); } else { httponly_accessforbidden('Error: Setup of module Stripe not complete for mode '.dol_escape_htmltag($service).'. The STRIPE_USER_ACCOUNT_FOR_ACTIONS is not defined.', 400, 1); @@ -162,14 +162,14 @@ if (isModEnabled('multicompany') && !empty($conf->stripeconnect->enabled) && is_ $stripe = new Stripe($db); // Subject -$societeName = $conf->global->MAIN_INFO_SOCIETE_NOM; +$societeName = getDolGlobalString('MAIN_INFO_SOCIETE_NOM'); if (getDolGlobalString('MAIN_APPLICATION_TITLE')) { - $societeName = $conf->global->MAIN_APPLICATION_TITLE; + $societeName = getDolGlobalString('MAIN_APPLICATION_TITLE'); } top_httphead(); -dol_syslog("***** Stripe IPN was called with event->type = ".$event->type); +dol_syslog("***** Stripe IPN was called with event->type=".$event->type." service=".$service); if ($event->type == 'payout.created') { @@ -227,17 +227,17 @@ if ($event->type == 'payout.created') { require_once DOL_DOCUMENT_ROOT.'/compta/bank/class/account.class.php'; $accountfrom = new Account($db); - $accountfrom->fetch($conf->global->STRIPE_BANK_ACCOUNT_FOR_PAYMENTS); + $accountfrom->fetch(getDolGlobalString('STRIPE_BANK_ACCOUNT_FOR_PAYMENTS')); $accountto = new Account($db); - $accountto->fetch($conf->global->STRIPE_BANK_ACCOUNT_FOR_BANKTRANSFERS); + $accountto->fetch(getDolGlobalString('STRIPE_BANK_ACCOUNT_FOR_BANKTRANSFERS')); if (($accountto->id != $accountfrom->id) && empty($error)) { $bank_line_id_from = 0; $bank_line_id_to = 0; $result = 0; - // By default, electronic transfert from bank to bank + // By default, electronic transfer from bank to bank $typefrom = 'PRE'; $typeto = 'VIR'; @@ -321,7 +321,7 @@ if ($event->type == 'payout.created') { global $stripearrayofkeysbyenv; $error = 0; $object = $event->data->object; - $TRANSACTIONID = $object->id; + $TRANSACTIONID = $object->id; // Example pi_123456789... $ipaddress = $object->metadata->ipaddress; $now = dol_now(); $currencyCodeType = strtoupper($object->currency); @@ -338,7 +338,6 @@ if ($event->type == 'payout.created') { $sql = "SELECT pi.rowid, pi.fk_facture, pi.fk_prelevement_bons, pi.amount, pi.type, pi.traite"; $sql .= " FROM llx_prelevement_demande as pi"; $sql .= " WHERE pi.ext_payment_id = '".$db->escape($TRANSACTIONID)."'"; - //$sql .= " AND pi.type = 'ban' AND pi.traite = '1'"; $sql .= " AND pi.ext_payment_site = '".$db->escape($service)."'"; $result = $db->query($sql); @@ -374,9 +373,9 @@ if ($event->type == 'payout.created') { } } } else { - dol_syslog("Payment intent not found into database, so ignored."); - print "Payment intent not found into database, so ignored."; + dol_syslog("Payment intent ".$TRANSACTIONID." not found into database, so ignored."); http_response_code(200); + print "Payment intent ".$TRANSACTIONID." not found into database, so ignored."; return 1; } } else { @@ -524,7 +523,7 @@ if ($event->type == 'payout.created') { if ($db->num_rows($result)) { $obj = $db->fetch_object($result); $idbon = $obj->idbon; - dol_syslog('* Set prelevement to credite'); + dol_syslog('* Prelevement must be set to credited'); } else { dol_syslog('* Prelevement not found or already credited'); } @@ -577,7 +576,7 @@ if ($event->type == 'payout.created') { dol_syslog("The payment mode of this payment is ".$paymentTypeId." in Stripe and ".$paymentTypeIdInDolibarr." in Dolibarr. This case is not managed by the IPN"); } } else { - dol_syslog("Nothing to do in database"); + dol_syslog("Nothing to do in database because we don't know paymentTypeIdInDolibarr"); } } elseif ($event->type == 'payment_intent.payment_failed') { dol_syslog("A try to make a payment has failed"); @@ -588,64 +587,88 @@ if ($event->type == 'payout.created') { $paymentmethodstripeid = $object->payment_method; $customer_id = $object->customer; - $chargesdataarray = $object->charges->data; + $chargesdataarray = array(); + $objpayid = ''; + $objpaydesc = ''; + $objinvoiceid = 0; + $objerrcode = ''; + $objerrmessage = ''; + $objpaymentmodetype = ''; + if (!empty($object->charges)) { // Old format + $chargesdataarray = $object->charges->data; + foreach ($chargesdataarray as $chargesdata) { + $objpayid = $chargesdata->id; + $objpaydesc = $chargesdata->description; + $objinvoiceid = 0; + if ($chargesdata->metadata->dol_type == 'facture') { + $objinvoiceid = $chargesdata->metadata->dol_id; + } + $objerrcode = $chargesdata->outcome->reason; + $objerrmessage = $chargesdata->outcome->seller_message; - foreach ($chargesdataarray as $chargesdata) { - $objpayid = $chargesdata->id; - $objpaydesc = $chargesdata->description; - $objinvoiceid = 0; - if ($chargesdata->metadata->dol_type == 'facture') { - $objinvoiceid = $chargesdata->metadata->dol_id; + $objpaymentmodetype = $chargesdata->payment_method_details->type; + break; } - $objerrcode = $chargesdata->outcome->reason; - $objerrmessage = $chargesdata->outcome->seller_message; + } + if (!empty($object->last_payment_error)) { // New format 2023-10-16 + // $object is probably an object of type Stripe\PaymentIntent + $objpayid = $object->latest_charge; + $objpaydesc = $object->description; + $objinvoiceid = 0; + if ($object->metadata->dol_type == 'facture') { + $objinvoiceid = $object->metadata->dol_id; + } + $objerrcode = empty($object->last_payment_error->code) ? $object->last_payment_error->decline_code : $object->last_payment_error->code; + $objerrmessage = $object->last_payment_error->message; - $objpaymentmodetype = $chargesdata->payment_method_details->type; + $objpaymentmodetype = $object->last_payment_error->payment_method->type; + } - // If this is a differed payment for SEPA, add a line into agenda events - if ($objpaymentmodetype == 'sepa_debit') { - $db->begin(); + dol_syslog("objpayid=".$objpayid." objpaymentmodetype=".$objpaymentmodetype." objerrcode=".$objerrcode); - require_once DOL_DOCUMENT_ROOT.'/comm/action/class/actioncomm.class.php'; - $actioncomm = new ActionComm($db); + // If this is a differed payment for SEPA, add a line into agenda events + if ($objpaymentmodetype == 'sepa_debit') { + $db->begin(); - if ($objinvoiceid > 0) { - require_once DOL_DOCUMENT_ROOT.'/compta/facture/class/facture.class.php'; - $invoice = new Facture($db); - $invoice->fetch($objinvoiceid); + require_once DOL_DOCUMENT_ROOT.'/comm/action/class/actioncomm.class.php'; + $actioncomm = new ActionComm($db); - $actioncomm->userownerid = 0; - $actioncomm->percentage = -1; + if ($objinvoiceid > 0) { + require_once DOL_DOCUMENT_ROOT.'/compta/facture/class/facture.class.php'; + $invoice = new Facture($db); + $invoice->fetch($objinvoiceid); - $actioncomm->type_code = 'AC_OTH_AUTO'; // Type of event ('AC_OTH', 'AC_OTH_AUTO', 'AC_XXX'...) - $actioncomm->code = 'AC_IPN'; + $actioncomm->userownerid = 0; + $actioncomm->percentage = -1; - $actioncomm->datep = $now; - $actioncomm->datef = $now; + $actioncomm->type_code = 'AC_OTH_AUTO'; // Type of event ('AC_OTH', 'AC_OTH_AUTO', 'AC_XXX'...) + $actioncomm->code = 'AC_IPN'; - $actioncomm->socid = $invoice->socid; - $actioncomm->fk_project = $invoice->fk_project; - $actioncomm->fk_element = $invoice->id; - $actioncomm->elementtype = 'invoice'; - $actioncomm->ip = getUserRemoteIP(); - } + $actioncomm->datep = $now; + $actioncomm->datef = $now; - $actioncomm->note_private = 'Error returned on payment id '.$objpayid.' after SEPA payment request '.$objpaydesc.'
      Error code is: '.$objerrcode.'
      Error message is: '.$objerrmessage; - $actioncomm->label = 'Payment error (SEPA Stripe)'; + $actioncomm->socid = $invoice->socid; + $actioncomm->fk_project = $invoice->fk_project; + $actioncomm->fk_element = $invoice->id; + $actioncomm->elementtype = 'invoice'; + $actioncomm->ip = getUserRemoteIP(); + } - $result = $actioncomm->create($user); - if ($result <= 0) { - dol_syslog($actioncomm->error, LOG_ERR); - $error++; - } + $actioncomm->note_private = 'Error returned on payment id '.$objpayid.' after SEPA payment request '.$objpaydesc.'
      Error code is: '.$objerrcode.'
      Error message is: '.$objerrmessage; + $actioncomm->label = 'Payment error (SEPA Stripe)'; - if (! $error) { - $db->commit(); - } else { - $db->rollback(); - http_response_code(500); - return -1; - } + $result = $actioncomm->create($user); + if ($result <= 0) { + dol_syslog($actioncomm->error, LOG_ERR); + $error++; + } + + if (! $error) { + $db->commit(); + } else { + $db->rollback(); + http_response_code(500); + return -1; } } } elseif ($event->type == 'checkout.session.completed') { // Called when making payment with new Checkout method ($conf->global->STRIPE_USE_NEW_CHECKOUT is on). @@ -732,12 +755,11 @@ if ($event->type == 'payout.created') { $db->query($sql); $db->commit(); } elseif ($event->type == 'charge.succeeded') { - // TODO: create fees - // TODO: Redirect to paymentok.php + // Deprecated. TODO: create fees and redirect to paymentok.php } elseif ($event->type == 'charge.failed') { - // TODO: Redirect to paymentko.php + // Deprecated. TODO: Redirect to paymentko.php } elseif (($event->type == 'source.chargeable') && ($event->data->object->type == 'three_d_secure') && ($event->data->object->three_d_secure->authenticated == true)) { - // This event is deprecated. + // Deprecated. } // End of page. Default return HTTP code will be 200 diff --git a/htdocs/public/test/test_arrays.php b/htdocs/public/test/test_arrays.php index 3b0d17bbf98..71639adc51b 100644 --- a/htdocs/public/test/test_arrays.php +++ b/htdocs/public/test/test_arrays.php @@ -107,7 +107,7 @@ This page is a sample of page using tables. It is designed to make test with
      -


      Example 0a : Table with div+div+div containg a select that should be overflowed and truncated => Use this to align text or form
      +


      Example 0a : Table with div+div+div containing a select that should be overflowed and truncated => Use this to align text or form
      @@ -120,7 +120,7 @@ This page is a sample of page using tables. It is designed to make test with
      -


      Example 0b: Table with div+form+div containg a select that should be overflowed and truncated => Use this to align text or form
      +


      Example 0b: Table with div+form+div containing a select that should be overflowed and truncated => Use this to align text or form
      @@ -133,7 +133,7 @@ This page is a sample of page using tables. It is designed to make test with
      -


      Example 0c: Table with table+tr+td containg a select that should be overflowed and truncated => Use this to align text or form
      +


      Example 0c: Table with table+tr+td containing a select that should be overflowed and truncated => Use this to align text or form
      diff --git a/htdocs/public/test/test_badges.php b/htdocs/public/test/test_badges.php index d3ed6476f95..5d5c4c63090 100644 --- a/htdocs/public/test/test_badges.php +++ b/htdocs/public/test/test_badges.php @@ -297,7 +297,7 @@ header("X-Frame-Options: SAMEORIGIN"); // Frames allowed only if on same domain

      Use status helper function

      Using the dolGetStatus function provide in core/lib/functions.lib.php. This function is recommended for code uniformisation and easy maintain

      global->MAIN_STATUS_USES_CSS; + $saveGlobalConf = getDolGlobalString('MAIN_STATUS_USES_CSS'); $conf->global->MAIN_STATUS_USES_CSS = 1; ?>

      Using hidden global conf MAIN_STATUS_USES_CSS=1

      diff --git a/htdocs/public/test/test_forms.php b/htdocs/public/test/test_forms.php index d24171680b0..d21967404d7 100644 --- a/htdocs/public/test/test_forms.php +++ b/htdocs/public/test/test_forms.php @@ -23,20 +23,18 @@ llxHeader(); ?> -

      This page is a sample of page using Dolibarr HTML widget methods. It is designed to make test with
      - css (add parameter &theme=newtheme to test another theme or edit css of current theme)
      - jmobile (add parameter ">dol_use_jmobile=1&dol_optimize_smallscreen=1 and switch to small screen < 570 to enable with emulated jmobile)
      - no javascript / usage for bind people (add parameter ">nojs=1 to force disable javascript)
      - use with a text browser (add parameter ">textbrowser=1 to force detection of a text browser)
      -

      -
      +

      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table // Test1: form->selectDate using tzuser date print "Test 1a: We must have here current date and hour for user (must match hour on browser). Note: Check your are logged so user TZ and DST are known."; @@ -53,7 +51,7 @@ print $form->selectDate('', 'test1b', 1, 1, 0); print '

      '."\n"; // Test2: form->selectDate using tzuser date -print "Test 2: We must have here 1970-01-01 00:00:00 selected (fields can be empty)
      \n"; +print "Test 2: We must have here 1970-01-01 selected (fields can be empty)
      \n"; print $form->selectDate(dol_get_first_day(1970, 1, false), 'test2', 1, 1, 1); print '

      '."\n"; @@ -66,7 +64,7 @@ print '

      '."\n"; // Test4a: a select print "Test 4a: a select
      \n"; -$array = array(1=>'Value 1', 2=>'Value 2', 3=>'Value 3 ith a very long text. aze eazeae e ae aeae a e a ea ea ea e a e aea e ae aeaeaeaze.'); +$array = array(1=>'Value 1', 2=>'Value 2', 3=>'Value 3 with a very long text. aze eazeae e ae aeae a e a ea ea ea e a e aea e ae aeaeaeaze.'); $selected = 3; print $form->selectarray('testselecta', $array, $selected, 1, 0, 0, '', 0, 0, 0, '', 'minwidth100', 1); print '

      '; @@ -120,7 +118,7 @@ if (is_file(DOL_DOCUMENT_ROOT.'/includes/flowjs/flow.js')) { print ' +'; + + +$context->clearErrors(); diff --git a/htdocs/public/webportal/tpl/footer.tpl.php b/htdocs/public/webportal/tpl/footer.tpl.php new file mode 100644 index 00000000000..5774cb0753e --- /dev/null +++ b/htdocs/public/webportal/tpl/footer.tpl.php @@ -0,0 +1,102 @@ +use_javascript_ajax) && empty($conf->global->MAIN_DISABLE_JQUERY_JNOTIFY)) { +//$useJNotify = true; +//} +$useJNotify = true; +$context->loadEventMessages(); +// alert success +if (!empty($context->eventMessages['mesgs'])) { + $htmlSuccess = ''; + if ($useJNotify) { + $jsSuccess = ' + jQuery.jnotify("' . dol_escape_js($htmlSuccess) . '", + "success", + 3000 + );'; + } +} +// alert warning +if (!empty($context->eventMessages['warnings'])) { + $htmlWarning = ''; + if ($useJNotify) { + $jsWarning .= 'jQuery.jnotify("' . dol_escape_js($htmlWarning) . '", "warning", true);'; + } +} +// alert error +if (!empty($context->eventMessages['errors'])) { + $htmlError = ''; + if ($useJNotify) { + $jsError .= 'jQuery.jnotify("' . dol_escape_js($htmlError) . '", "error", true );'; + } +} +$html .= $htmlError . $htmlWarning . $htmlSuccess; +if ($html) { + $jsOut = $jsSuccess . $jsWarning . $jsError; + if ($jsOut == '') { + print $html; + } +} +$context->clearEventMessages(); + +if ($context->getErrors()) { + include __DIR__ . '/errors.tpl.php'; +} +if ($jsOut) { + $js = ''; + print $js; +} + +print ''; +?> + + + diff --git a/htdocs/public/webportal/tpl/header.tpl.php b/htdocs/public/webportal/tpl/header.tpl.php new file mode 100644 index 00000000000..648f0841271 --- /dev/null +++ b/htdocs/public/webportal/tpl/header.tpl.php @@ -0,0 +1,52 @@ + + +defaultlang, 0, 2).'">'."\n"; ?> + + + + + + <?php + if (!empty($context->title)) { + print $context->title; + } else { + print 'WebPortal'; + } + ?> + + + rootUrl.'includes/jquery/plugins/jnotify/jquery.jnotify.css'; + $jNotifyCSSUrl = dol_buildpath('/includes/jquery/plugins/jnotify/jquery.jnotify.css', 2); + print ''; + ?> + rootUrl.'css/themes/custom.css.php?revision='.getDolGlobalInt('WEBPORTAL_PARAMS_REV').'">'."\n"; + } + ?> + rootUrl.'includes/jquery/js/jquery.js'; + $jQueryJSUrl = dol_buildpath('/includes/jquery/js/jquery.js', 2); + print ''; + + // JNotify + //$jNotifyJSUrl = $context->rootUrl.'includes/jquery/plugins/jnotify/jquery.jnotify.js'; + $jNotifyJSUrl = dol_buildpath('/includes/jquery/plugins/jnotify/jquery.jnotify.js', 2); + print ''; + ?> + + diff --git a/htdocs/public/webportal/tpl/header_login.tpl.php b/htdocs/public/webportal/tpl/header_login.tpl.php new file mode 100644 index 00000000000..646600472bc --- /dev/null +++ b/htdocs/public/webportal/tpl/header_login.tpl.php @@ -0,0 +1,43 @@ + + +defaultlang, 0, 2) . '">'."\n"; ?> + + + + + + <?php + if (!empty($context->title)) { + print $context->title; + } else { + print 'WebPortal'; + } + ?> + + + + rootUrl.'includes/jquery/plugins/jnotify/jquery.jnotify.css'; + $jNotifyCSSUrl = dol_buildpath('/includes/jquery/plugins/jnotify/jquery.jnotify.css', 2); + print ''; + + // JQuery + //$jQueryJSUrl = $context->rootUrl.'includes/jquery/js/jquery.js'; + $jQueryJSUrl = dol_buildpath('/includes/jquery/js/jquery.js', 2); + print ''; + + // JNotify + //$jNotifyJSUrl = $context->rootUrl.'includes/jquery/plugins/jnotify/jquery.jnotify.js'; + $jNotifyJSUrl = dol_buildpath('/includes/jquery/plugins/jnotify/jquery.jnotify.js', 2); + print ''; + ?> + + diff --git a/htdocs/public/webportal/tpl/hero-header-banner.tpl.php b/htdocs/public/webportal/tpl/hero-header-banner.tpl.php new file mode 100644 index 00000000000..a4c694a106b --- /dev/null +++ b/htdocs/public/webportal/tpl/hero-header-banner.tpl.php @@ -0,0 +1,6 @@ +
      theme->bannerUseDarkTheme) ? ' data-theme="dark" ': '' ?> > +
      +

      title; ?>

      +
      desc; ?>
      +
      +
      \ No newline at end of file diff --git a/htdocs/public/webportal/tpl/home.tpl.php b/htdocs/public/webportal/tpl/home.tpl.php new file mode 100644 index 00000000000..a0c201ca6dc --- /dev/null +++ b/htdocs/public/webportal/tpl/home.tpl.php @@ -0,0 +1,34 @@ + + +
      + +
      diff --git a/htdocs/public/webportal/tpl/login.tpl.php b/htdocs/public/webportal/tpl/login.tpl.php new file mode 100644 index 00000000000..d4715fcbf68 --- /dev/null +++ b/htdocs/public/webportal/tpl/login.tpl.php @@ -0,0 +1,47 @@ + + diff --git a/htdocs/public/webportal/tpl/menu.tpl.php b/htdocs/public/webportal/tpl/menu.tpl.php new file mode 100644 index 00000000000..5496b14b213 --- /dev/null +++ b/htdocs/public/webportal/tpl/menu.tpl.php @@ -0,0 +1,198 @@ +userIsLog()) { + // menu propal + if (isModEnabled('propal') && getDolGlobalInt('WEBPORTAL_PROPAL_LIST_ACCESS')) { + $navMenu['propal_list'] = array( + 'id' => 'propal_list', + 'rank' => 10, + 'url' => $context->getControllerUrl('propallist'), + 'name' => $langs->trans('WebPortalPropalListMenu'), + 'group' => 'administrative' // group identifier for the group if necessary + ); + } + + // menu orders + if (isModEnabled('commande') && getDolGlobalInt('WEBPORTAL_ORDER_LIST_ACCESS')) { + $navMenu['order_list'] = array( + 'id' => 'order_list', + 'rank' => 20, + 'url' => $context->getControllerUrl('orderlist'), + 'name' => $langs->trans('WebPortalOrderListMenu'), + 'group' => 'administrative' // group identifier for the group if necessary + ); + } + + // menu invoices + if (isModEnabled('facture') && getDolGlobalInt('WEBPORTAL_INVOICE_LIST_ACCESS')) { + $navMenu['invoice_list'] = array( + 'id' => 'invoice_list', + 'rank' => 30, + 'url' => $context->getControllerUrl('invoicelist'), + 'name' => $langs->trans('WebPortalInvoiceListMenu'), + 'group' => 'administrative' // group identifier for the group if necessary + ); + } + + // menu member + $cardAccess = getDolGlobalString('WEBPORTAL_MEMBER_CARD_ACCESS'); + if (isModEnabled('adherent') + && in_array($cardAccess, array('visible', 'edit')) + && $context->logged_member + && $context->logged_member->id > 0 + ) { + $navMenu['member_card'] = array( + 'id' => 'member_card', + 'rank' => 110, + 'url' => $context->getControllerUrl('membercard'), + 'name' => $langs->trans('WebPortalMemberCardMenu'), + 'group' => 'administrative' // group identifier for the group if necessary + ); + } + + // menu partnership + $cardAccess = getDolGlobalString('WEBPORTAL_PARTNERSHIP_CARD_ACCESS'); + if (isModEnabled('partnership') + && in_array($cardAccess, array('visible', 'edit')) + && $context->logged_partnership + && $context->logged_partnership->id > 0 + ) { + $navMenu['partnership_card'] = array( + 'id' => 'partnership_card', + 'rank' => 120, + 'url' => $context->getControllerUrl('partnershipcard'), + 'name' => $langs->trans('WebPortalPartnershipCardMenu'), + 'group' => 'administrative' // group identifier for the group if necessary + ); + } + + // menu user with logout + $navUserMenu['user_logout'] = array( + 'id' => 'user_logout', + 'rank' => 99999, + 'url' => $context->getControllerUrl() . 'logout.php', + 'name' => $langs->trans('Logout'), + ); +} + +// GROUP MENU +$navGroupMenu = array( + 'administrative' => array( + 'id' => 'administrative', + 'rank' => -1, // negative value for undefined, it will be set by the min item rank for this group + 'url' => '', + 'name' => $langs->trans('GroupMenuAdministrative'), + 'children' => array() + ), + 'technical' => array( + 'id' => 'technical', + 'rank' => -1, // negative value for undefined, it will be set by the min item rank for this group + 'url' => '', + 'name' => $langs->trans('GroupMenuTechnical'), + 'children' => array() + ), +); + +$parameters = array( + 'controller' => $context->controller, + 'Tmenu' => & $navMenu, + 'TGroupMenu' => & $navGroupMenu, + 'maxTopMenu' => & $maxTopMenu +); + +$reshook = $hookmanager->executeHooks('PrintTopMenu', $parameters, $context, $context->action); // Note that $action and $object may have been modified by hook +if ($reshook < 0) $context->setEventMessages($hookmanager->error, $hookmanager->errors, 'errors'); + +if (empty($reshook)) { + if (!empty($hookmanager->resArray)) { + $navMenu = array_replace($navMenu, $hookmanager->resArray); + } + + if (!empty($navMenu)) { + // Sorting + uasort($navMenu, 'menuSortInv'); + + if (!empty($maxTopMenu) && $maxTopMenu < count($navMenu)) { + // AFFECT MENU ITEMS TO GROUPS + foreach ($navMenu as $menuId => $menuItem) { + // assign items to group menu + if (!empty($menuItem['group']) && !empty($navGroupMenu[$menuItem['group']])) { + $goupId = $menuItem['group']; + + // set item to group + $navGroupMenu[$goupId]['children'][$menuId] = $menuItem; + + // apply rank + if (!empty($navGroupMenu[$goupId]['rank']) && $navGroupMenu[$goupId]['rank'] > 0) { + // minimum rank of group determine rank of group + $navGroupMenu[$goupId]['rank'] = min(abs($navGroupMenu[$goupId]['rank']), abs($menuItem['rank'])); + } + } + } + + // add grouped items to this menu + foreach ($navGroupMenu as $groupId => $groupItem) { + // If group have more than 1 item, group is valid + if (!empty($groupItem['children']) && count($groupItem['children']) > 1) { + // ajout du group au menu + $navMenu[$groupId] = $groupItem; + + // suppression des items enfant du group du menu + foreach ($groupItem['children'] as $menuId => $menuItem) { + if (isset($navMenu[$menuId])) { + unset($navMenu[$menuId]); + } + } + } + } + + // final sorting + uasort($navMenu, 'menuSortInv'); + } + } +} +?> + diff --git a/htdocs/public/webportal/webportal.main.inc.php b/htdocs/public/webportal/webportal.main.inc.php new file mode 100644 index 00000000000..667c8f340eb --- /dev/null +++ b/htdocs/public/webportal/webportal.main.inc.php @@ -0,0 +1,242 @@ +initHooks(array('main')); + +$logged_user = new User($db); +$anti_spam_session_key = 'dol_antispam_value'; + +if (!defined('NOREQUIREDB') && empty($conf->webportal->enabled)) { + accessforbidden('Module not activated'); +} + +if (!defined('WEBPORTAL_NOREQUIRETRAN') || (!defined('WEBPORTAL_NOLOGIN') && !empty($context->controllerInstance->accessNeedLoggedUser))) { + if (!is_object($langs)) { // This can occurs when calling page with NOREQUIRETRAN defined, however we need langs for error messages. + include_once DOL_DOCUMENT_ROOT . '/core/class/translate.class.php'; + $langs = new Translate("", $conf); + $langcode = (GETPOST('lang', 'aZ09', 1) ? GETPOST('lang', 'aZ09', 1) : (empty($logged_user->conf->MAIN_LANG_DEFAULT) ? (empty($conf->global->MAIN_LANG_DEFAULT) ? 'auto' : $conf->global->MAIN_LANG_DEFAULT) : $logged_user->conf->MAIN_LANG_DEFAULT)); + if (defined('MAIN_LANG_DEFAULT')) { + $langcode = constant('MAIN_LANG_DEFAULT'); + } + $langs->setDefaultLang($langcode); + } + $langs->loadLangs(array('website', 'main')); +} + +/* + * Phase authentication / login + */ +if (!defined('WEBPORTAL_NOLOGIN') && !empty($context->controllerInstance->accessNeedLoggedUser)) { + $admin_error_messages = array(); + $webportal_logged_thirdparty_account_id = isset($_SESSION["webportal_logged_thirdparty_account_id"]) && $_SESSION["webportal_logged_thirdparty_account_id"] > 0 ? $_SESSION["webportal_logged_thirdparty_account_id"] : 0; + if (empty($webportal_logged_thirdparty_account_id)) { + // It is not already authenticated and it requests the login / password + $langs->loadLangs(array("other", "help", "admin")); + + $error = 0; + $action = GETPOST('action_login', 'alphanohtml'); + + if ($action == 'login') { + $login = GETPOST('login', 'alphanohtml'); + $password = GETPOST('password', 'none'); + // $security_code = GETPOST('security_code', 'alphanohtml'); + + if (empty($login)) { + $context->setEventMessage($langs->trans("ErrorFieldRequired", $langs->transnoentitiesnoconv("Login")), 'errors'); + $focus_element = 'login'; + $error++; + } + if (empty($password)) { + $context->setEventMessage($langs->trans("ErrorFieldRequired", $langs->transnoentitiesnoconv("Password")), 'errors'); + if (empty($focus_element)) $focus_element = 'password'; + $error++; + } + // check security graphic code + //if (!$error && (array_key_exists($anti_spam_session_key, $_SESSION) === false || + // (strtolower($_SESSION[$anti_spam_session_key]) !== strtolower($security_code))) + //) { + // $context->setEventMessage($langs->trans("ErrorBadValueForCode"), 'errors'); + // if (empty($focus_element)) $focus_element = 'security_code'; + // $error++; + //} + + if (!$error) { + // fetch third-party account from login and account type + $thirdparty_account_id = $context->getThirdPartyAccountFromLogin($login, $password); + if ($thirdparty_account_id <= 0) { + $error++; + dol_syslog($langs->transnoentitiesnoconv('WebPortalErrorFetchThirdPartyAccountFromLogin', $login), LOG_WARNING); + $context->setEventMessage($langs->transnoentitiesnoconv('WebPortalErrorAuthentication'), 'errors'); + } else { + $_SESSION["webportal_logged_thirdparty_account_id"] = $thirdparty_account_id; + $webportal_logged_thirdparty_account_id = $thirdparty_account_id; + $context->controller = 'default'; + $context->initController(); + } + } + } + + if (empty($webportal_logged_thirdparty_account_id)) { + // Set cookie for timeout management + if (!empty($conf->global->MAIN_SESSION_TIMEOUT)) { + setcookie($sessiontimeout, $conf->global->MAIN_SESSION_TIMEOUT, 0, "/", null, (empty($dolibarr_main_force_https) ? false : true), true); + } + + $context->controller = 'login'; + $context->initController(); + } + } + + if ($webportal_logged_thirdparty_account_id > 0) { + $error = 0; + + // We are already into an authenticated session + $websiteaccount = new SocieteAccount($db); + $result = $websiteaccount->fetch($webportal_logged_thirdparty_account_id); + if ($result <= 0) { + $error++; + + // Account has been removed after login + dol_syslog("Can't load third-party account (ID: $webportal_logged_thirdparty_account_id) even if session logged.", LOG_WARNING); + session_destroy(); + session_set_cookie_params(0, '/', null, (empty($dolibarr_main_force_https) ? false : true), true); // Add tag secure and httponly on session cookie + session_name($sessionname); + session_start(); + + $context->setEventMessage($langs->transnoentitiesnoconv('WebPortalErrorFetchLoggedThirdPartyAccount', $webportal_logged_thirdparty_account_id), 'errors'); + } + + if (!$error) { + $user_id = getDolGlobalInt('WEBPORTAL_USER_LOGGED'); + $result = $logged_user->fetch($user_id); + if ($result <= 0) { + $error++; + $error_msg = $langs->transnoentitiesnoconv('WebPortalErrorFetchLoggedUser', $user_id); + dol_syslog($error_msg, LOG_ERR); + $context->setEventMessage($error_msg, 'errors'); + } + + if (!$error) { + // get third-party + $logged_thirdparty = $websiteaccount->thirdparty; + if (!$logged_thirdparty || !($logged_thirdparty->id > 0)) { + $result = $websiteaccount->fetch_thirdparty(); + if ($result < 0) { + $error_msg = $langs->transnoentitiesnoconv('WebPortalErrorFetchLoggedThirdParty', $websiteaccount->fk_soc); + //dol_syslog("Can't load third-party (ID: ".$websiteaccount->fk_soc.") even if session logged.", LOG_ERR); + dol_syslog($error_msg, LOG_ERR); + $context->setEventMessage($error_msg, 'errors'); + $error++; + } + } + + if (!$error) { + $logged_thirdparty = $websiteaccount->thirdparty; + + // get member + $logged_member = new WebPortalMember($db); + $result = $logged_member->fetch(0, '', $websiteaccount->thirdparty->id); + if ($result < 0) { + $error++; + $error_msg = $langs->transnoentitiesnoconv('WebPortalErrorFetchLoggedMember', $websiteaccount->thirdparty->id); + dol_syslog($error_msg, LOG_ERR); + $context->setEventMessage($error_msg, 'errors'); + } + + if (!$error) { + // get partnership + $logged_partnership = new WebPortalPartnership($db); + $result = $logged_partnership->fetch(0, '', $logged_member->id, $websiteaccount->thirdparty->id); + if ($result < 0) { + $error++; + $error_msg = $langs->transnoentitiesnoconv('WebPortalErrorFetchLoggedPartnership', $websiteaccount->thirdparty->id, $logged_member->id); + dol_syslog($error_msg, LOG_ERR); + $context->setEventMessage($error_msg, 'errors'); + } + } + + if (!$error) { + if ($logged_thirdparty->default_lang != $langs->defaultlang && !defined('WEBPORTAL_NOREQUIRETRAN')) { + if (!is_object($langs)) { // This can occurs when calling page with NOREQUIRETRAN defined, however we need langs for error messages. + include_once DOL_DOCUMENT_ROOT . '/core/class/translate.class.php'; + $langs = new Translate("", $conf); + $langs->setDefaultLang($logged_thirdparty->default_lang); + } + $langs->loadLangs(array('website', 'main')); + } + + $context->logged_user = $logged_user; + $context->logged_thirdparty = $logged_thirdparty; + $context->logged_member = $logged_member; + $context->logged_partnership = $logged_partnership; + } + } + } + } + } +} diff --git a/htdocs/public/website/index.php b/htdocs/public/website/index.php index 83e972c2244..a8acb98d303 100644 --- a/htdocs/public/website/index.php +++ b/htdocs/public/website/index.php @@ -148,7 +148,7 @@ if (empty($pageid)) { $appli = constant('DOL_APPLICATION_TITLE'); if (getDolGlobalString('MAIN_APPLICATION_TITLE')) { - $appli = $conf->global->MAIN_APPLICATION_TITLE; + $appli = getDolGlobalString('MAIN_APPLICATION_TITLE'); } @@ -178,7 +178,7 @@ if ($pageid == 'css') { // No more used ? $refname = basename(dirname($original_file)."/"); // Security: -// Limite acces si droits non corrects +// Limit access if permissions are insufficient if (!$accessallowed) { accessforbidden(); } diff --git a/htdocs/public/website/javascript.js.php b/htdocs/public/website/javascript.js.php index 8ded5364c29..d592c94a6ae 100644 --- a/htdocs/public/website/javascript.js.php +++ b/htdocs/public/website/javascript.js.php @@ -82,7 +82,7 @@ $type = ''; $appli = constant('DOL_APPLICATION_TITLE'); if (getDolGlobalString('MAIN_APPLICATION_TITLE')) { - $appli = $conf->global->MAIN_APPLICATION_TITLE; + $appli = getDolGlobalString('MAIN_APPLICATION_TITLE'); } //print 'Directory with '.$appli.' websites.
      '; @@ -128,7 +128,7 @@ $original_file = $dolibarr_main_data_root.($conf->entity > 1 ? '/'.$conf->entity $refname = basename(dirname($original_file)."/"); // Security: -// Limite acces si droits non corrects +// Limit access if permissions are insufficient if (!$accessallowed) { accessforbidden(); } diff --git a/htdocs/public/website/styles.css.php b/htdocs/public/website/styles.css.php index 31d74c08649..6bfb41ef180 100644 --- a/htdocs/public/website/styles.css.php +++ b/htdocs/public/website/styles.css.php @@ -82,7 +82,7 @@ $type = ''; $appli = constant('DOL_APPLICATION_TITLE'); if (getDolGlobalString('MAIN_APPLICATION_TITLE')) { - $appli = $conf->global->MAIN_APPLICATION_TITLE; + $appli = getDolGlobalString('MAIN_APPLICATION_TITLE'); } //print 'Directory with '.$appli.' websites.
      '; @@ -128,7 +128,7 @@ $original_file = $dolibarr_main_data_root.($conf->entity > 1 ? '/'.$conf->entity $refname = basename(dirname($original_file)."/"); // Security: -// Limite acces si droits non corrects +// Limit access if permissions are insufficient if (!$accessallowed) { accessforbidden(); } diff --git a/htdocs/reception/card.php b/htdocs/reception/card.php index 68851629917..a4d4c666377 100644 --- a/htdocs/reception/card.php +++ b/htdocs/reception/card.php @@ -83,7 +83,7 @@ if (empty($origin_id)) { $origin_id = GETPOST('originid', 'int'); // Id of order or propal } $ref = GETPOST('ref', 'alpha'); -$line_id = GETPOST('lineid', 'int') ? GETPOST('lineid', 'int') : ''; +$line_id = GETPOSTINT('lineid') ? GETPOSTINT('lineid') : 0; $facid = GETPOST('facid', 'int'); $action = GETPOST('action', 'alpha'); @@ -302,7 +302,7 @@ if (empty($reshook)) { $object->size_units = GETPOST('size_units', 'int'); $object->weight_units = GETPOST('weight_units', 'int'); - // On va boucler sur chaque ligne du document d'origine pour completer objet reception + // On va boucler sur chaque ligne du document d'origine pour completer object reception // avec info diverses + qte a livrer if ($object->origin == "supplierorder") { @@ -316,7 +316,7 @@ if (empty($reshook)) { $object->socid = $objectsrc->socid; $object->ref_supplier = GETPOST('ref_supplier', 'alpha'); $object->model_pdf = GETPOST('model'); - $object->date_delivery = $date_delivery; // Date delivery planed + $object->date_delivery = $date_delivery; // Date delivery planned $object->fk_delivery_address = $objectsrc->fk_delivery_address; $object->shipping_method_id = GETPOST('shipping_method_id', 'int'); $object->tracking_number = GETPOST('tracking_number', 'alpha'); @@ -657,7 +657,7 @@ if (empty($reshook)) { $line->id = $line_id; - $line->fk_entrepot = GETPOST($stockLocation, 'int'); + $line->fk_entrepot = GETPOSTINT($stockLocation); $line->qty = GETPOST($qty, 'int'); $line->comment = GETPOST($comment, 'alpha'); @@ -733,6 +733,7 @@ if (empty($reshook)) { $triggersendname = 'RECEPTION_SENTBYMAIL'; $paramname = 'id'; $mode = 'emailfromreception'; + $autocopy = 'MAIN_MAIL_AUTOCOPY_RECEPTION_TO'; $trackid = 'rec'.$object->id; include DOL_DOCUMENT_ROOT.'/core/actions_sendmails.inc.php'; } @@ -1008,7 +1009,7 @@ if ($action == 'create') { $dispatchLines[$numAsked] = array('paramSuffix'=>$paramSuffix, 'prod' => GETPOST($prod, 'int'), 'qty' => price2num(GETPOST($qty), 'MS'), 'ent' => GETPOST($ent, 'int'), 'pu' => price2num(GETPOST($pu), 'MU'), 'comment' => GETPOST('comment'), 'fk_commandefourndet' => GETPOST($fk_commandefourndet, 'int'), 'DLC'=> $dDLC, 'DLUO'=> $dDLUO, 'lot'=> GETPOST($lot, 'alpha')); } - // If create form is coming from same page, it means that post was sent but an error occured + // If create form is coming from same page, it means that post was sent but an error occurred if (preg_match('/^productl([0-9]+)$/i', $key, $reg)) { $numAsked++; $paramSuffix = $reg[1]; @@ -1101,7 +1102,7 @@ if ($action == 'create') { $arrayofpurchaselinealreadyoutput= array(); - // $_POST contains fk_commandefourndet_X_Y where Y is num of product line and X is number of splitted line + // $_POST contains fk_commandefourndet_X_Y where Y is num of product line and X is number of split lines $indiceAsked = 1; while ($indiceAsked <= $numAsked) { // Loop on $dispatchLines. Warning: $dispatchLines must be sorted by fk_commandefourndet (it is a regroupment key on output) $product = new Product($db); @@ -1366,7 +1367,7 @@ if ($action == 'create') { $formconfirm = ''; - // Confirm deleteion + // Confirm deletion if ($action == 'delete') { $formconfirm = $form->formconfirm($_SERVER['PHP_SELF'].'?id='.$object->id, $langs->trans('DeleteReception'), $langs->trans("ConfirmDeleteReception", $object->ref), 'confirm_delete', '', 0, 1); } @@ -1397,7 +1398,7 @@ if ($action == 'create') { $formconfirm = $form->formconfirm($_SERVER['PHP_SELF'].'?id='.$object->id, $langs->trans('ValidateReception'), $text, 'confirm_valid', '', 0, 1, 250); } - // Confirm cancelation + // Confirm cancellation if ($action == 'annuler') { $formconfirm = $form->formconfirm($_SERVER['PHP_SELF'].'?id='.$object->id, $langs->trans('CancelReception'), $langs->trans("ConfirmCancelReception", $object->ref), 'confirm_cancel', '', 0, 1); } @@ -1970,7 +1971,7 @@ if ($action == 'create') { print '
      '; // Warehouse source print ''; - // Batch number managment + // Batch number management if ($conf->productbatch->enabled && !empty($lines[$i]->product->status_batch)) { print ''; // Warehouse source print ''; - // Batch number managment + // Batch number management print ''; print ''; } @@ -2015,7 +2016,7 @@ if ($action == 'create') { } } - // Batch number managment + // Batch number management if (isModEnabled('productbatch')) { if (isset($lines[$i]->batch)) { print ''; diff --git a/htdocs/reception/class/api_receptions.class.php b/htdocs/reception/class/api_receptions.class.php index 9e4f828cf9b..6255b18d722 100644 --- a/htdocs/reception/class/api_receptions.class.php +++ b/htdocs/reception/class/api_receptions.class.php @@ -55,7 +55,7 @@ class Receptions extends DolibarrApi /** * Get properties of a reception object * - * Return an array with reception informations + * Return an array with reception information * * @param int $id ID of reception * @return Object Object with cleaned properties @@ -93,15 +93,13 @@ class Receptions extends DolibarrApi * @param int $page Page number * @param string $thirdparty_ids Thirdparty ids to filter receptions of (example '1' or '1,2,3') {@pattern /^[0-9,]*$/i} * @param string $sqlfilters Other criteria to filter answers separated by a comma. Syntax example "(t.ref:like:'SO-%') and (t.date_creation:<:'20160101')" - * @param string $properties Restrict the data returned to theses properties. Ignored if empty. Comma separated list of properties names + * @param string $properties Restrict the data returned to these properties. Ignored if empty. Comma separated list of properties names * @return array Array of reception objects * * @throws RestException */ public function index($sortfield = "t.rowid", $sortorder = 'ASC', $limit = 100, $page = 0, $thirdparty_ids = '', $sqlfilters = '', $properties = '') { - global $db, $conf; - if (!DolibarrApiAccess::$user->rights->reception->lire) { throw new RestException(401); } @@ -118,28 +116,19 @@ class Receptions extends DolibarrApi } $sql = "SELECT t.rowid"; - if ((!DolibarrApiAccess::$user->rights->societe->client->voir && !$socids) || $search_sale > 0) { - $sql .= ", sc.fk_soc, sc.fk_user"; // We need these fields in order to filter by sale (including the case where the user can only see his prospects) - } - $sql .= " FROM ".MAIN_DB_PREFIX."reception AS t LEFT JOIN ".MAIN_DB_PREFIX."reception_extrafields AS ef ON (ef.fk_object = t.rowid)"; // Modification VMR Global Solutions to include extrafields as search parameters in the API GET call, so we will be able to filter on extrafields - - if ((!DolibarrApiAccess::$user->rights->societe->client->voir && !$socids) || $search_sale > 0) { - $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; // We need this table joined to the select in order to filter by sale - } - + $sql .= " FROM ".MAIN_DB_PREFIX."reception AS t"; + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."reception_extrafields AS ef ON (ef.fk_object = t.rowid)"; // Modification VMR Global Solutions to include extrafields as search parameters in the API GET call, so we will be able to filter on extrafields $sql .= ' WHERE t.entity IN ('.getEntity('reception').')'; - if ((!DolibarrApiAccess::$user->rights->societe->client->voir && !$socids) || $search_sale > 0) { - $sql .= " AND t.fk_soc = sc.fk_soc"; - } if ($socids) { $sql .= " AND t.fk_soc IN (".$this->db->sanitize($socids).")"; } - if ($search_sale > 0) { - $sql .= " AND t.rowid = sc.fk_soc"; // Join for the needed table to filter by sale - } - // Insert sale filter - if ($search_sale > 0) { - $sql .= " AND sc.fk_user = ".((int) $search_sale); + // Search on sale representative + if ($search_sale && $search_sale != '-1') { + if ($search_sale == -2) { + $sql .= " AND NOT EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = t.fk_soc)"; + } elseif ($search_sale > 0) { + $sql .= " AND EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = t.fk_soc AND sc.fk_user = ".((int) $search_sale).")"; + } } // Add sql filters if ($sqlfilters) { @@ -178,9 +167,7 @@ class Receptions extends DolibarrApi } else { throw new RestException(503, 'Error when retrieve commande list : '.$this->db->lasterror()); } - if (!count($obj_ret)) { - throw new RestException(404, 'No reception found'); - } + return $obj_ret; } @@ -199,6 +186,12 @@ class Receptions extends DolibarrApi $result = $this->_validate($request_data); foreach ($request_data as $field => $value) { + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $this->reception->context['caller'] = $request_data['caller']; + continue; + } + $this->reception->$field = $value; } if (isset($request_data["lines"])) { @@ -448,6 +441,12 @@ class Receptions extends DolibarrApi if ($field == 'id') { continue; } + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $this->reception->context['caller'] = $request_data['caller']; + continue; + } + $this->reception->$field = $value; } diff --git a/htdocs/reception/class/reception.class.php b/htdocs/reception/class/reception.class.php index 3e2f6b0a7c8..44ff7c4a6fb 100644 --- a/htdocs/reception/class/reception.class.php +++ b/htdocs/reception/class/reception.class.php @@ -30,7 +30,7 @@ /** * \file htdocs/reception/class/reception.class.php * \ingroup reception - * \brief Fichier de la classe de gestion des receptions + * \brief File for class to manage receptions */ require_once DOL_DOCUMENT_ROOT.'/core/class/commonobject.class.php'; @@ -97,7 +97,7 @@ class Reception extends CommonObject public $size_units; public $user_author_id; - public $date_delivery; // Date delivery planed + public $date_delivery; // Date delivery planned /** * @var integer|string Effective delivery date @@ -170,7 +170,7 @@ class Reception extends CommonObject $mybool = false; $file = getDolGlobalString('RECEPTION_ADDON_NUMBER') . ".php"; - $classname = $conf->global->RECEPTION_ADDON_NUMBER; + $classname = getDolGlobalString('RECEPTION_ADDON_NUMBER'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -183,7 +183,7 @@ class Reception extends CommonObject } if (!$mybool) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -207,9 +207,9 @@ class Reception extends CommonObject /** * Create reception en base * - * @param User $user Objet du user qui cree + * @param User $user Object du user qui cree * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <0 si erreur, id reception creee si ok + * @return int Return integer <0 si erreur, id reception creee si ok */ public function create($user, $notrigger = 0) { @@ -414,7 +414,7 @@ class Reception extends CommonObject $this->date_creation = $this->db->jdate($obj->date_creation); $this->date = $this->db->jdate($obj->date_reception); // TODO deprecated $this->date_reception = $this->db->jdate($obj->date_reception); // Date real - $this->date_delivery = $this->db->jdate($obj->date_delivery); // Date planed + $this->date_delivery = $this->db->jdate($obj->date_delivery); // Date planned $this->model_pdf = $obj->model_pdf; $this->shipping_method_id = $obj->fk_shipping_method; $this->tracking_number = $obj->tracking_number; @@ -489,7 +489,7 @@ class Reception extends CommonObject * * @param User $user Object user that validate * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <0 if OK, >0 if KO + * @return int Return integer <0 if OK, >0 if KO */ public function valid($user, $notrigger = 0) { @@ -546,7 +546,7 @@ class Reception extends CommonObject $error++; } - // If stock increment is done on reception (recommanded choice) + // If stock increment is done on reception (recommended choice) if (!$error && isModEnabled('stock') && getDolGlobalInt('STOCK_CALCULATE_ON_RECEPTION')) { require_once DOL_DOCUMENT_ROOT.'/product/stock/class/mouvementstock.class.php'; @@ -618,22 +618,24 @@ class Reception extends CommonObject } } - // Change status of order to "reception in process" or "totally received" - $status = $this->getStatusDispatch(); - if ($status < 0) { - $error++; - } else { - $trigger_key = ''; - if ($status == CommandeFournisseur::STATUS_RECEIVED_COMPLETELY) { - $ret = $this->commandeFournisseur->Livraison($user, dol_now(), 'tot', ''); - if ($ret < 0) { - $error++; - $this->errors = array_merge($this->errors, $this->commandeFournisseur->errors); - } + if (!$error) { + // Change status of order to "reception in process" or "totally received" + $status = $this->getStatusDispatch(); + if ($status < 0) { + $error++; } else { - $ret = $this->setStatut($status, $this->origin_id, 'commande_fournisseur', $trigger_key); - if ($ret < 0) { - $error++; + $trigger_key = ''; + if ($status == CommandeFournisseur::STATUS_RECEIVED_COMPLETELY) { + $ret = $this->commandeFournisseur->Livraison($user, dol_now(), 'tot', ''); + if ($ret < 0) { + $error++; + $this->errors = array_merge($this->errors, $this->commandeFournisseur->errors); + } + } else { + $ret = $this->setStatut($status, $this->origin_id, 'commande_fournisseur', $trigger_key); + if ($ret < 0) { + $error++; + } } } } @@ -715,7 +717,7 @@ class Reception extends CommonObject /** * Get status from all dispatched lines * - * @return int <0 if KO, Status of reception if OK + * @return int Return integer <0 if KO, Status of reception if OK */ public function getStatusDispatch() { @@ -812,14 +814,14 @@ class Reception extends CommonObject * @param int $id Id of source line (supplier order line) * @param int $qty Quantity * @param array $array_options extrafields array - * @param string $comment Comment for stock movement - * @param integer $eatby eat-by date - * @param integer $sellby sell-by date - * @param string $batch Lot number + * @param string $comment Comment for stock movement + * @param int $eatby eat-by date + * @param int $sellby sell-by date + * @param string $batch Lot number * @param double $cost_price Line cost - * @return int <0 if KO, index of line if OK + * @return int Return integer <0 if KO, index of line if OK */ - public function addline($entrepot_id, $id, $qty, $array_options = 0, $comment = '', $eatby = '', $sellby = '', $batch = '', $cost_price = 0) + public function addline($entrepot_id, $id, $qty, $array_options = [], $comment = '', $eatby = null, $sellby = null, $batch = '', $cost_price = 0) { global $conf, $langs, $user; @@ -861,6 +863,19 @@ class Reception extends CommonObject $this->error = $langs->trans('ErrorProductDoesNotNeedBatchNumber', $product->ref); return -1; } + + // check sell-by / eat-by date is mandatory + $errorMsgArr = Productlot::checkSellOrEatByMandatoryFromProductAndDates($product, $sellby, $eatby); + if (!empty($errorMsgArr)) { + $errorMessage = '' . $product->ref . ' : '; + $errorMessage .= '
        '; + foreach ($errorMsgArr as $errorMsg) { + $errorMessage .= '
      • ' . $errorMsg . '
      • '; + } + $errorMessage .= '
      '; + $this->error = $errorMessage; + return -1; + } } unset($product); @@ -1251,7 +1266,8 @@ class Reception extends CommonObject */ public function getNomUrl($withpicto = 0, $option = 0, $max = 0, $short = 0, $notooltip = 0) { - global $conf, $langs, $hookmanager; + global $langs, $hookmanager; + $result = ''; $label = img_picto('', $this->picto).' '.$langs->trans("Reception").''; $label .= '
      '.$langs->trans('Ref').': '.$this->ref; @@ -1356,6 +1372,43 @@ class Reception extends CommonObject return dolGetStatus($labelStatus, $labelStatusShort, '', $statusType, $mode); } + /** + * Return clicable link of object (with eventually picto) + * + * @param string $option Where point the link (0=> main card, 1,2 => shipment, 'nolink'=>No link) + * @param array $arraydata Array of data + * @return string HTML Code for Kanban thumb. + */ + public function getKanbanView($option = '', $arraydata = null) + { + $selected = (empty($arraydata['selected']) ? 0 : $arraydata['selected']); + + $return = '
      '; + $return .= '
      '; + $return .= '
      '; + $return .= img_picto('', 'order'); + $return .= '
      '; + $return .= '
      '; + $return .= ''.(method_exists($this, 'getNomUrl') ? $this->getNomUrl() : $this->ref).''; + if ($selected >= 0) { + $return .= ''; + } + if (property_exists($this, 'thirdparty') && is_object($this->thirdparty)) { + $return .= '
      '.$this->thirdparty->getNomUrl(1).'
      '; + } + /*if (property_exists($this, 'total_ht')) { + $return .= '
      '.price($this->total_ht, 0, $langs, 0, -1, -1, $conf->currency).' '.$langs->trans('HT').'
      '; + }*/ + if (method_exists($this, 'getLibStatut')) { + $return .= '
      '.$this->getLibStatut(3).'
      '; + } + $return .= '
      '; + $return .= '
      '; + $return .= '
      '; + + return $return; + } + /** * Initialise an instance with random values. * Used to build previews or test instances. @@ -1376,7 +1429,7 @@ class Reception extends CommonObject $order = new CommandeFournisseur($this->db); $order->initAsSpecimen(); - // Initialise parametres + // Initialise parameters $this->id = 0; $this->ref = 'SPECIMEN'; $this->specimen = 1; @@ -1417,7 +1470,7 @@ class Reception extends CommonObject /** * Set the planned delivery date * - * @param User $user Objet utilisateur qui modifie + * @param User $user Object utilisateur qui modifie * @param integer $delivery_date Delivery date * @return int Return integer <0 if KO, >0 if OK */ @@ -1476,7 +1529,7 @@ class Reception extends CommonObject * @param int $id only this carrier, all if none * @return void */ - public function list_delivery_methods($id = '') + public function list_delivery_methods($id = 0) { // phpcs:enable global $langs; @@ -1486,7 +1539,7 @@ class Reception extends CommonObject $sql = "SELECT em.rowid, em.code, em.libelle, em.description, em.tracking, em.active"; $sql .= " FROM ".MAIN_DB_PREFIX."c_shipment_mode as em"; - if ($id != '') { + if (!empty($id)) { $sql .= " WHERE em.rowid = ".((int) $id); } @@ -1670,15 +1723,17 @@ class Reception extends CommonObject $this->db->commit(); return 1; } else { + $this->statut = self::STATUS_VALIDATED; + $this->status = self::STATUS_VALIDATED; $this->db->rollback(); return -1; } } /** - * Classify the reception as invoiced (used for exemple by trigger when WORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE is on) + * Classify the reception as invoiced (used for example by trigger when WORKFLOW_RECEPTION_CLASSIFY_BILLED_INVOICE is on) * - * @return int <0 if ko, >0 if ok + * @return int Return integer <0 if ko, >0 if ok */ public function setBilled() { @@ -1722,7 +1777,7 @@ class Reception extends CommonObject /** * Classify the reception as validated/opened * - * @return int <0 if ko, >0 if ok + * @return int Return integer <0 if ko, >0 if ok */ public function reOpen() { @@ -2013,7 +2068,7 @@ class Reception extends CommonObject if ($this->model_pdf) { $modele = $this->model_pdf; } elseif (getDolGlobalString('RECEPTION_ADDON_PDF')) { - $modele = $conf->global->RECEPTION_ADDON_PDF; + $modele = getDolGlobalString('RECEPTION_ADDON_PDF'); } } diff --git a/htdocs/reception/class/receptionstats.class.php b/htdocs/reception/class/receptionstats.class.php index e0fe16e7854..bc1cc4fb1ab 100644 --- a/htdocs/reception/class/receptionstats.class.php +++ b/htdocs/reception/class/receptionstats.class.php @@ -21,7 +21,7 @@ /** * \file htdocs/reception/class/receptionstats.class.php * \ingroup reception - * \brief File of class fo tmanage reception statistics + * \brief File of class to manage reception statistics */ include_once DOL_DOCUMENT_ROOT.'/core/class/stats.class.php'; @@ -70,7 +70,7 @@ class ReceptionStats extends Stats //$this->where.= " AND c.fk_soc = s.rowid AND c.entity = ".$conf->entity; $this->where .= " AND c.entity IN (".getEntity('reception').")"; - if (!$user->hasRight('societe', 'client', 'voir') && !$this->socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $this->where .= " AND c.fk_soc = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } if ($this->socid) { @@ -94,7 +94,7 @@ class ReceptionStats extends Stats $sql = "SELECT date_format(c.date_valid,'%m') as dm, COUNT(*) as nb"; $sql .= " FROM ".$this->from; - if (!$user->hasRight('societe', 'client', 'voir') && !$this->socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE c.date_valid BETWEEN '".$this->db->idate(dol_get_first_day($year))."' AND '".$this->db->idate(dol_get_last_day($year))."'"; @@ -118,7 +118,7 @@ class ReceptionStats extends Stats $sql = "SELECT date_format(c.date_valid,'%Y') as dm, COUNT(*) as nb, SUM(c.".$this->field.")"; $sql .= " FROM ".$this->from; - if (!$user->hasRight('societe', 'client', 'voir') && !$this->socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE ".$this->where; @@ -141,7 +141,7 @@ class ReceptionStats extends Stats $sql = "SELECT date_format(c.date_valid,'%m') as dm, SUM(c.".$this->field.")"; $sql .= " FROM ".$this->from; - if (!$user->hasRight('societe', 'client', 'voir') && !$this->socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE c.date_valid BETWEEN '".$this->db->idate(dol_get_first_day($year))."' AND '".$this->db->idate(dol_get_last_day($year))."'"; @@ -165,7 +165,7 @@ class ReceptionStats extends Stats $sql = "SELECT date_format(c.date_valid,'%m') as dm, AVG(c.".$this->field.")"; $sql .= " FROM ".$this->from; - if (!$user->hasRight('societe', 'client', 'voir') && !$this->socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE c.date_valid BETWEEN '".$this->db->idate(dol_get_first_day($year))."' AND '".$this->db->idate(dol_get_last_day($year))."'"; @@ -187,7 +187,7 @@ class ReceptionStats extends Stats $sql = "SELECT date_format(c.date_valid,'%Y') as year, COUNT(*) as nb, SUM(c.".$this->field.") as total, AVG(".$this->field.") as avg"; $sql .= " FROM ".$this->from; - if (!$user->hasRight('societe', 'client', 'voir') && !$this->socid) { + if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE ".$this->where; diff --git a/htdocs/reception/dispatch.php b/htdocs/reception/dispatch.php index 05ae583dedb..2e895150463 100644 --- a/htdocs/reception/dispatch.php +++ b/htdocs/reception/dispatch.php @@ -193,7 +193,7 @@ if ($action == 'updatelines' && $permissiontoreceive) { } else { $qtystart = $supplierorderdispatch->qty; $supplierorderdispatch->qty = GETPOST($qty); - $supplierorderdispatch->fk_entrepot = GETPOST($ent, 'int'); + $supplierorderdispatch->fk_entrepot = GETPOSTINT($ent); if ($modebatch == "batch") { $supplierorderdispatch->eatby = $dDLUO; $supplierorderdispatch->sellby = $dDLC; diff --git a/htdocs/reception/index.php b/htdocs/reception/index.php index 9baecc185e8..4c923a3f307 100644 --- a/htdocs/reception/index.php +++ b/htdocs/reception/index.php @@ -88,7 +88,7 @@ $sql .= " FROM ".MAIN_DB_PREFIX."reception as e"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."element_element as el ON e.rowid = el.fk_target AND el.targettype = 'reception'"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."commande_fournisseur as c ON el.fk_source = c.rowid"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe as s ON s.rowid = e.fk_soc"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe_commerciaux as sc ON e.fk_soc = sc.fk_soc"; $sql .= $clause." sc.fk_user = ".((int) $user->id); $clause = " AND "; @@ -152,11 +152,11 @@ $sql .= " FROM ".MAIN_DB_PREFIX."reception as e"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."element_element as el ON e.rowid = el.fk_target AND el.targettype = 'reception' AND el.sourcetype IN ('order_supplier')"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."commande_fournisseur as c ON el.fk_source = c.rowid AND el.sourcetype IN ('order_supplier') AND el.targettype = 'reception'"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe as s ON s.rowid = e.fk_soc"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe_commerciaux as sc ON e.fk_soc = sc.fk_soc"; } $sql .= " WHERE e.entity IN (".getEntity('reception').")"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND sc.fk_user = ".((int) $user->id); } $sql .= " AND e.fk_statut = 1"; @@ -213,7 +213,7 @@ if ($resql) { $sql = "SELECT c.rowid, c.ref, c.ref_supplier as ref_supplier, c.fk_statut as status, c.billed as billed, s.nom as name, s.rowid as socid"; $sql .= " FROM ".MAIN_DB_PREFIX."commande_fournisseur as c,"; $sql .= " ".MAIN_DB_PREFIX."societe as s"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; } $sql .= " WHERE c.fk_soc = s.rowid"; @@ -222,7 +222,7 @@ $sql .= " AND c.fk_statut IN (".CommandeFournisseur::STATUS_ORDERSENT.", ".Comma if ($socid > 0) { $sql .= " AND c.fk_soc = ".((int) $socid); } -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = ".((int) $user->id); } $sql .= " ORDER BY c.rowid ASC"; diff --git a/htdocs/reception/list.php b/htdocs/reception/list.php index 5d408ebf796..ef28514f1fd 100644 --- a/htdocs/reception/list.php +++ b/htdocs/reception/list.php @@ -38,9 +38,14 @@ require_once DOL_DOCUMENT_ROOT.'/core/lib/company.lib.php'; $langs->loadLangs(array("sendings", "receptions", "deliveries", 'companies', 'bills', 'orders')); +$contextpage = GETPOST('contextpage', 'aZ') ? GETPOST('contextpage', 'aZ') : 'shipmentlist'; // To manage different context of search + $socid = GETPOST('socid', 'int'); + $massaction = GETPOST('massaction', 'alpha'); $toselect = GETPOST('toselect', 'array'); +$optioncss = GETPOST('optioncss', 'alpha'); +$mode = GETPOST('mode', 'alpha'); $diroutputmassaction = $conf->reception->dir_output.'/temp/massgeneration/'.$user->id; @@ -70,8 +75,8 @@ $search_date_create_endyear = GETPOST('search_date_create_endyear', 'int'); $search_date_create_start = dol_mktime(0, 0, 0, $search_date_create_startmonth, $search_date_create_startday, $search_date_create_startyear); // Use tzserver $search_date_create_end = dol_mktime(23, 59, 59, $search_date_create_endmonth, $search_date_create_endday, $search_date_create_endyear); $search_billed = GETPOST("search_billed", 'int'); -$sall = GETPOST('sall', 'alphanohtml'); -$optioncss = GETPOST('optioncss', 'alpha'); +$search_status = GETPOST('search_status', 'intcomma'); +$search_all = GETPOST('search_all', 'alphanohtml') ? GETPOST('search_all', 'alphanohtml') : GETPOST('sall', 'alphanohtml'); $limit = GETPOST('limit', 'int') ? GETPOST('limit', 'int') : $conf->liste_limit; $sortfield = GETPOST('sortfield', 'aZ09comma'); @@ -83,17 +88,14 @@ if (!$sortfield) { if (!$sortorder) { $sortorder = "DESC"; } -if (empty($page) || $page == -1) { +if (empty($page) || $page < 0 || GETPOST('button_search', 'alpha') || GETPOST('button_removefilter', 'alpha')) { + // If $page is not defined, or '' or -1 or if we click on clear filters $page = 0; -} // If $page is not defined, or '' or -1 +} $offset = $limit * $page; $pageprev = $page - 1; $pagenext = $page + 1; -// Initialize technical object to manage hooks of page. Note that conf->hooks_modules contains array of hook context -$contextpage = 'receptionlist'; - -$search_status = GETPOST('search_status', 'intcomma'); $object = new Reception($db); @@ -101,7 +103,7 @@ $object = new Reception($db); $hookmanager->initHooks(array('receptionlist')); $extrafields = new ExtraFields($db); -// fetch optionals attributes and labels +// Fetch optionals attributes and labels $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); @@ -152,11 +154,11 @@ $result = restrictedArea($user, 'reception', $receptionid, ''); * Actions */ -if (GETPOST('cancel')) { +if (GETPOST('cancel', 'alpha')) { $action = 'list'; $massaction = ''; } -if (!GETPOST('confirmmassaction') && $massaction != 'confirm_createbills') { +if (!GETPOST('confirmmassaction', 'alpha') && $massaction != 'presend' && $massaction != 'confirm_createbills') { $massaction = ''; } @@ -197,6 +199,7 @@ if (GETPOST('button_removefilter_x', 'alpha') || GETPOST('button_removefilter.x' $search_date_create_end = ''; $search_billed = ''; $search_status = ''; + $toselect = array(); $search_array_options = array(); } @@ -240,7 +243,7 @@ if (empty($reshook)) { $objecttmp = new FactureFournisseur($db); if (!empty($createbills_onebythird) && !empty($TFactThird[$rcp->socid])) { - // If option "one bill per third" is set, and an invoice for this thirdparty was already created, we re-use it. + // If option "one bill per third" is set, and an invoice for this thirdparty was already created, we reuse it. $objecttmp = $TFactThird[$rcp->socid]; // Add all links of this new reception to the existing invoice @@ -248,7 +251,7 @@ if (empty($reshook)) { $rcp->fetchObjectLinked(); if (count($rcp->linkedObjectsIds['order_supplier']) > 0) { foreach ($rcp->linkedObjectsIds['order_supplier'] as $key => $value) { - if (empty($objecttmp->linkedObjectsIds['order_supplier']) || !in_array($value, $objecttmp->linkedObjectsIds['order_supplier'])) { //Dont try to link if already linked + if (empty($objecttmp->linkedObjectsIds['order_supplier']) || !in_array($value, $objecttmp->linkedObjectsIds['order_supplier'])) { //Don't try to link if already linked $objecttmp->add_object_linked('order_supplier', $value); // add supplier order linked object } } @@ -578,6 +581,8 @@ if (empty($reshook)) { * View */ +$now = dol_now(); + $form = new Form($db); $companystatic = new Societe($db); $reception = new Reception($db); @@ -588,11 +593,11 @@ $formfile = new FormFile($db); $helpurl = 'EN:Module_Receptions|FR:Module_Receptions|ES:Módulo_Receptiones'; llxHeader('', $langs->trans('ListOfReceptions'), $helpurl); -$sql = "SELECT e.rowid, e.ref, e.ref_supplier, e.date_reception as date_reception, e.date_delivery as delivery_date, l.date_delivery as date_reception2, e.fk_statut, e.billed,"; -$sql .= ' s.rowid as socid, s.nom as name, s.town, s.zip, s.fk_pays, s.client, s.code_client, '; +$sql = "SELECT e.rowid, e.ref, e.ref_supplier, e.date_reception as date_reception, e.date_delivery as delivery_date, l.date_delivery as date_reception2, e.fk_statut as status, e.billed,"; +$sql .= " s.rowid as socid, s.nom as name, s.town, s.zip, s.fk_pays, s.client, s.code_client,"; $sql .= " typent.code as typent_code,"; $sql .= " state.code_departement as state_code, state.nom as state_name,"; -$sql .= ' e.date_creation as date_creation, e.tms as date_update'; +$sql .= " e.date_creation as date_creation, e.tms as date_update"; // Add fields from extrafields if (!empty($extrafields->attributes[$object->table_element]['label'])) { foreach ($extrafields->attributes[$object->table_element]['label'] as $key => $val) { @@ -616,22 +621,15 @@ $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."c_typent as typent on (typent.id = s.fk_ty $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."c_departements as state on (state.rowid = s.fk_departement)"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."element_element as ee ON e.rowid = ee.fk_source AND ee.sourcetype = 'reception' AND ee.targettype = 'delivery'"; $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."delivery as l ON l.rowid = ee.fk_target"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { // Internal user with no permission to see all - $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; -} -// Add joins from hooks +// Add table from hooks $parameters = array(); $reshook = $hookmanager->executeHooks('printFieldListFrom', $parameters, $object); // Note that $action and $object may have been modified by hook $sql .= $hookmanager->resPrint; $sql .= " WHERE e.entity IN (".getEntity('reception').")"; -if (!$user->hasRight('societe', 'client', 'voir') && !$socid) { // Internal user with no permission to see all - $sql .= " AND e.fk_soc = sc.fk_soc"; - $sql .= " AND sc.fk_user = ".((int) $user->id); -} if ($socid) { $sql .= " AND e.fk_soc = ".((int) $socid); } -if ($search_status <> '' && $search_status >= 0) { +if ($search_status != '' && $search_status >= 0) { $sql .= " AND e.fk_statut = ".((int) $search_status); } if ($search_billed != '' && $search_billed >= 0) { @@ -676,10 +674,19 @@ if ($search_company) { if ($search_ref_supplier) { $sql .= natural_search('e.ref_supplier', $search_ref_supplier); } -if ($sall) { - $sql .= natural_search(array_keys($fieldstosearchall), $sall); +if ($search_all) { + $sql .= natural_search(array_keys($fieldstosearchall), $search_all); } - +// Search on sale representative +/* +if ($search_sale && $search_sale != '-1') { + if ($search_sale == -2) { + $sql .= " AND NOT EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = c.fk_soc)"; + } elseif ($search_sale > 0) { + $sql .= " AND EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = c.fk_soc AND sc.fk_user = ".((int) $search_sale).")"; + } +} +*/ // Add where from extra fields include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_sql.tpl.php'; // Add where from hooks @@ -687,6 +694,11 @@ $parameters = array(); $reshook = $hookmanager->executeHooks('printFieldListWhere', $parameters); // Note that $action and $object may have been modified by hook $sql .= $hookmanager->resPrint; +// Add HAVING from hooks +$parameters = array(); +$reshook = $hookmanager->executeHooks('printFieldListHaving', $parameters, $object); // Note that $action and $object may have been modified by hook +$sql .= empty($hookmanager->resPrint) ? "" : " HAVING 1=1 ".$hookmanager->resPrint; + $nbtotalofrecords = ''; if (!getDolGlobalInt('MAIN_DISABLE_FULL_SCANLIST')) { /* The fast and low memory method to get and count full list converts the sql into a sql count */ @@ -727,14 +739,17 @@ $reception = new Reception($db); $arrayofselected = is_array($toselect) ? $toselect : array(); $param = ''; +if (!empty($mode)) { + $param .= '&mode='.urlencode($mode); +} if (!empty($contextpage) && $contextpage != $_SERVER["PHP_SELF"]) { $param .= '&contextpage='.urlencode($contextpage); } if ($limit > 0 && $limit != $conf->liste_limit) { $param .= '&limit='.((int) $limit); } -if ($sall) { - $param .= "&sall=".urlencode($sall); +if ($search_all) { + $param .= "&search_all=".urlencode($search_all); } if ($search_ref_rcp) { $param .= "&search_ref_rcp=".urlencode($search_ref_rcp); @@ -843,11 +858,20 @@ $arrayofmassactions = array( if ($user->hasRight('fournisseur', 'facture', 'creer') || $user->hasRight('supplier_invoice', 'creer')) { $arrayofmassactions['createbills'] = $langs->trans("CreateInvoiceForThisReceptions"); } -if ($massaction == 'createbills') { +if (in_array($massaction, array('presend', 'createbills'))) { $arrayofmassactions = array(); } $massactionbutton = $form->selectMassAction('', $arrayofmassactions); -//$massactionbutton=$form->selectMassAction('', $massaction == 'presend' ? array() : array('presend'=>$langs->trans("SendByMail"), 'builddoc'=>$langs->trans("PDFMerge"))); + +// Currently: a sending can't create from sending list +// $url = DOL_URL_ROOT.'/expedition/card.php?action=create'; +// if (!empty($socid)) $url .= '&socid='.$socid; +// $newcardbutton = dolGetButtonTitle($langs->trans('NewSending'), '', 'fa fa-plus-circle', $url, '', $user->rights->expedition->creer); +$newcardbutton = ''; +$newcardbutton .= dolGetButtonTitle($langs->trans('ViewList'), '', 'fa fa-bars imgforviewmode', $_SERVER["PHP_SELF"].'?mode=common'.preg_replace('/(&|\?)*mode=[^&]+/', '', $param), '', ((empty($mode) || $mode == 'common') ? 2 : 1), array('morecss'=>'reposition')); +$newcardbutton .= dolGetButtonTitle($langs->trans('ViewKanban'), '', 'fa fa-th-list imgforviewmode', $_SERVER["PHP_SELF"].'?mode=kanban'.preg_replace('/(&|\?)*mode=[^&]+/', '', $param), '', ($mode == 'kanban' ? 2 : 1), array('morecss'=>'reposition')); +$newcardbutton .= dolGetButtonTitleSeparator(); +$newcardbutton .= dolGetButtonTitle($langs->trans('NewReception'), '', 'fa fa-plus-circle', DOL_URL_ROOT.'/reception/card.php?action=create2', '', $user->hasRight('reception', 'creer')); $i = 0; print ''."\n"; @@ -859,8 +883,9 @@ print ''; print ''; print ''; +print ''; -print_barre_liste($langs->trans('ListOfReceptions'), $page, $_SERVER["PHP_SELF"], $param, $sortfield, $sortorder, $massactionbutton, $num, $nbtotalofrecords, 'dollyrevert', 0, '', '', $limit, 0, 0, 1); +print_barre_liste($langs->trans('ListOfReceptions'), $page, $_SERVER["PHP_SELF"], $param, $sortfield, $sortorder, $massactionbutton, $num, $nbtotalofrecords, 'dollyrevert', 0, $newcardbutton, '', $limit, 0, 0, 1); if ($massaction == 'createbills') { //var_dump($_REQUEST); @@ -906,14 +931,15 @@ if ($massaction == 'createbills') { print '
      '; } -if ($sall) { +if ($search_all) { foreach ($fieldstosearchall as $key => $val) { $fieldstosearchall[$key] = $langs->trans($val); } - print $langs->trans("FilterOnInto", $sall).join(', ', $fieldstosearchall); + print '
      '.$langs->trans("FilterOnInto", $search_all).join(', ', $fieldstosearchall).'
      '; } $moreforfilter = ''; + if (!empty($moreforfilter)) { print '
      '; print $moreforfilter; @@ -924,9 +950,10 @@ if (!empty($moreforfilter)) { } $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; -$selectedfields = $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')); // This also change content of $arrayfields -$selectedfields .= $form->showCheckAddButtons('checkforselect', 1); - +$selectedfields = $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')); +if ($massactionbutton) { + $selectedfields .= $form->showCheckAddButtons('checkforselect', 1); // This also change content of $arrayfields +} print '
      '; print '
      '.$formproduct->selectWarehouses($lines[$i]->fk_entrepot, 'entl'.$line_id, '', 1, 0, $lines[$i]->fk_product, '', 1).'
      '; if (!getDolGlobalString('PRODUCT_DISABLE_SELLBY')) { @@ -1991,7 +1992,7 @@ if ($action == 'create') { print '
      '."\n"; @@ -936,7 +963,7 @@ print '
      '; // Action column if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { - print ''; @@ -1004,7 +1031,7 @@ if (!empty($arrayfields['l.ref']['checked'])) { } if (!empty($arrayfields['l.date_delivery']['checked'])) { // Date received - print ''; + print ''; } // Extra fields include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_input.tpl.php'; @@ -1044,280 +1071,341 @@ if (!empty($arrayfields['e.billed']['checked'])) { // Action column if (!getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { print ''; } -print "\n"; +print ''."\n"; +$totalarray = array(); +$totalarray['nbfield'] = 0; + +// Fields title label +// -------------------------------------------------------------------- print ''; +// Action column if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { print_liste_field_titre($selectedfields, $_SERVER["PHP_SELF"], "", '', '', '', $sortfield, $sortorder, 'center maxwidthsearch '); + $totalarray['nbfield']++; } if (!empty($arrayfields['e.ref']['checked'])) { print_liste_field_titre($arrayfields['e.ref']['label'], $_SERVER["PHP_SELF"], "e.ref", "", $param, '', $sortfield, $sortorder); + $totalarray['nbfield']++; } if (!empty($arrayfields['e.ref_supplier']['checked'])) { print_liste_field_titre($arrayfields['e.ref_supplier']['label'], $_SERVER["PHP_SELF"], "e.ref_supplier", "", $param, '', $sortfield, $sortorder); + $totalarray['nbfield']++; } if (!empty($arrayfields['s.nom']['checked'])) { print_liste_field_titre($arrayfields['s.nom']['label'], $_SERVER["PHP_SELF"], "s.nom", "", $param, '', $sortfield, $sortorder, 'left '); + $totalarray['nbfield']++; } if (!empty($arrayfields['s.town']['checked'])) { print_liste_field_titre($arrayfields['s.town']['label'], $_SERVER["PHP_SELF"], 's.town', '', $param, '', $sortfield, $sortorder); + $totalarray['nbfield']++; } if (!empty($arrayfields['s.zip']['checked'])) { print_liste_field_titre($arrayfields['s.zip']['label'], $_SERVER["PHP_SELF"], 's.zip', '', $param, '', $sortfield, $sortorder); + $totalarray['nbfield']++; } if (!empty($arrayfields['state.nom']['checked'])) { print_liste_field_titre($arrayfields['state.nom']['label'], $_SERVER["PHP_SELF"], "state.nom", "", $param, '', $sortfield, $sortorder); + $totalarray['nbfield']++; } if (!empty($arrayfields['country.code_iso']['checked'])) { print_liste_field_titre($arrayfields['country.code_iso']['label'], $_SERVER["PHP_SELF"], "country.code_iso", "", $param, '', $sortfield, $sortorder, 'center '); + $totalarray['nbfield']++; } if (!empty($arrayfields['typent.code']['checked'])) { print_liste_field_titre($arrayfields['typent.code']['label'], $_SERVER["PHP_SELF"], "typent.code", "", $param, '', $sortfield, $sortorder, 'center '); + $totalarray['nbfield']++; } if (!empty($arrayfields['e.date_delivery']['checked'])) { print_liste_field_titre($arrayfields['e.date_delivery']['label'], $_SERVER["PHP_SELF"], "e.date_delivery", "", $param, '', $sortfield, $sortorder, 'center '); + $totalarray['nbfield']++; } if (!empty($arrayfields['l.ref']['checked'])) { print_liste_field_titre($arrayfields['l.ref']['label'], $_SERVER["PHP_SELF"], "l.ref", "", $param, '', $sortfield, $sortorder); + $totalarray['nbfield']++; } if (!empty($arrayfields['l.date_delivery']['checked'])) { print_liste_field_titre($arrayfields['l.date_delivery']['label'], $_SERVER["PHP_SELF"], "l.date_delivery", "", $param, '', $sortfield, $sortorder, 'center '); + $totalarray['nbfield']++; } // Extra fields include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_title.tpl.php'; // Hook fields -$parameters = array('arrayfields'=>$arrayfields, 'param'=>$param, 'sortfield'=>$sortfield, 'sortorder'=>$sortorder); +$parameters = array('arrayfields'=>$arrayfields, 'param'=>$param, 'sortfield'=>$sortfield, 'sortorder'=>$sortorder, '$totalarray'=>&$totalarray); $reshook = $hookmanager->executeHooks('printFieldListTitle', $parameters, $object); // Note that $action and $object may have been modified by hook print $hookmanager->resPrint; if (!empty($arrayfields['e.datec']['checked'])) { print_liste_field_titre($arrayfields['e.datec']['label'], $_SERVER["PHP_SELF"], "e.date_creation", "", $param, '', $sortfield, $sortorder, 'center nowrap '); + $totalarray['nbfield']++; } if (!empty($arrayfields['e.tms']['checked'])) { print_liste_field_titre($arrayfields['e.tms']['label'], $_SERVER["PHP_SELF"], "e.tms", "", $param, '', $sortfield, $sortorder, 'center nowrap '); + $totalarray['nbfield']++; } if (!empty($arrayfields['e.fk_statut']['checked'])) { print_liste_field_titre($arrayfields['e.fk_statut']['label'], $_SERVER["PHP_SELF"], "e.fk_statut", "", $param, '', $sortfield, $sortorder, 'right '); + $totalarray['nbfield']++; } if (!empty($arrayfields['e.billed']['checked'])) { print_liste_field_titre($arrayfields['e.billed']['label'], $_SERVER["PHP_SELF"], "e.billed", "", $param, '', $sortfield, $sortorder, 'center '); + $totalarray['nbfield']++; } +// Action column if (!getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { print_liste_field_titre($selectedfields, $_SERVER["PHP_SELF"], "", '', '', '', $sortfield, $sortorder, 'center maxwidthsearch '); + $totalarray['nbfield']++; } print "\n"; + +// Loop on record +// -------------------------------------------------------------------- $i = 0; +$savnbfield = $totalarray['nbfield']; $totalarray = array(); $totalarray['nbfield'] = 0; -while ($i < min($num, $limit)) { +$imaxinloop = ($limit ? min($num, $limit) : $num); +while ($i < $imaxinloop) { $obj = $db->fetch_object($resql); + if (empty($obj)) { + break; // Should not happen + } $reception->id = $obj->rowid; $reception->ref = $obj->ref; + //$reception->ref_supplier = $obj->ref_supplier; + $reception->statut = $obj->status; + $reception->status = $obj->status; + $reception->socid = $obj->socid; + $reception->billed = $obj->billed; + + $reception->fetch_thirdparty(); + + $object = $reception; $companystatic->id = $obj->socid; $companystatic->ref = $obj->name; $companystatic->name = $obj->name; + if ($mode == 'kanban') { + if ($i == 0) { + print ''; - - // Action column - if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { - print ''; - } - // Ref - if (!empty($arrayfields['e.ref']['checked'])) { - print '\n"; + print $object->getKanbanView('', array('thirdparty' => $companystatic->getNomUrl(1), 'selected' => $selected)); + if ($i == min($num, $limit) - 1) { + print ''; + print ''; + } + } else { + print ''; - if (!$i) { - $totalarray['nbfield']++; - } - } - - // Ref supplier - if (!empty($arrayfields['e.ref_supplier']['checked'])) { - print '\n"; - if (!$i) { - $totalarray['nbfield']++; - } - } - - // Third party - if (!empty($arrayfields['s.nom']['checked'])) { - print ''; - if (!$i) { - $totalarray['nbfield']++; - } - } - // Town - if (!empty($arrayfields['s.town']['checked'])) { - print ''; - if (!$i) { - $totalarray['nbfield']++; - } - } - // Zip - if (!empty($arrayfields['s.zip']['checked'])) { - print ''; - if (!$i) { - $totalarray['nbfield']++; - } - } - // State - if (!empty($arrayfields['state.nom']['checked'])) { - print "\n"; - if (!$i) { - $totalarray['nbfield']++; - } - } - // Country - if (!empty($arrayfields['country.code_iso']['checked'])) { - print ''; - if (!$i) { - $totalarray['nbfield']++; - } - } - // Type ent - if (!empty($arrayfields['typent.code']['checked'])) { - print ''; - if (!$i) { - $totalarray['nbfield']++; - } - } - - // Date delivery planed - if (!empty($arrayfields['e.date_delivery']['checked'])) { - print '\n"; - if (!$i) { - $totalarray['nbfield']++; - } - } - - if (!empty($arrayfields['l.ref']['checked']) || !empty($arrayfields['l.date_delivery']['checked'])) { - $reception->fetchObjectLinked($reception->id, $reception->element); - $receiving = ''; - if (count($reception->linkedObjects['delivery']) > 0) { - $receiving = reset($reception->linkedObjects['delivery']); - } - - if (!empty($arrayfields['l.ref']['checked'])) { - // Ref - print ''; } + // Ref + if (!empty($arrayfields['e.ref']['checked'])) { + print '\n"; - if (!empty($arrayfields['l.date_delivery']['checked'])) { - // Date received - print ''."\n"; - } - } - - // Extra fields - include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_print_fields.tpl.php'; - - // Fields from hook - $parameters = array('arrayfields'=>$arrayfields, 'obj'=>$obj, 'i'=>$i, 'totalarray'=>&$totalarray); - $reshook = $hookmanager->executeHooks('printFieldListValue', $parameters); // Note that $action and $object may have been modified by hook - print $hookmanager->resPrint; - // Date creation - if (!empty($arrayfields['e.datec']['checked'])) { - print ''; - if (!$i) { - $totalarray['nbfield']++; - } - } - // Date modification - if (!empty($arrayfields['e.tms']['checked'])) { - print ''; - if (!$i) { - $totalarray['nbfield']++; - } - } - // Status - if (!empty($arrayfields['e.fk_statut']['checked'])) { - print ''; - if (!$i) { - $totalarray['nbfield']++; - } - } - // Billed - if (!empty($arrayfields['e.billed']['checked'])) { - print ''; - if (!$i) { - $totalarray['nbfield']++; - } - } - - // Action column - if (!getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { - print ''; - } - if (!$i) { - $totalarray['nbfield']++; - } - print "\n"; + // Ref supplier + if (!empty($arrayfields['e.ref_supplier']['checked'])) { + print '\n"; + if (!$i) { + $totalarray['nbfield']++; + } + } + // Third party + if (!empty($arrayfields['s.nom']['checked'])) { + print ''; + if (!$i) { + $totalarray['nbfield']++; + } + } + // Town + if (!empty($arrayfields['s.town']['checked'])) { + print ''; + if (!$i) { + $totalarray['nbfield']++; + } + } + // Zip + if (!empty($arrayfields['s.zip']['checked'])) { + print ''; + if (!$i) { + $totalarray['nbfield']++; + } + } + // State + if (!empty($arrayfields['state.nom']['checked'])) { + print "\n"; + if (!$i) { + $totalarray['nbfield']++; + } + } + // Country + if (!empty($arrayfields['country.code_iso']['checked'])) { + print ''; + if (!$i) { + $totalarray['nbfield']++; + } + } + // Type ent + if (!empty($arrayfields['typent.code']['checked'])) { + print ''; + if (!$i) { + $totalarray['nbfield']++; + } + } + + // Date delivery planned + if (!empty($arrayfields['e.date_delivery']['checked'])) { + print '\n"; + if (!$i) { + $totalarray['nbfield']++; + } + } + + if (!empty($arrayfields['l.ref']['checked']) || !empty($arrayfields['l.date_delivery']['checked'])) { + $reception->fetchObjectLinked($reception->id, $reception->element); + $receiving = ''; + if (count($reception->linkedObjects['delivery']) > 0) { + $receiving = reset($reception->linkedObjects['delivery']); + } + + if (!empty($arrayfields['l.ref']['checked'])) { + // Ref + print ''; + } + + if (!empty($arrayfields['l.date_delivery']['checked'])) { + // Date received + print ''."\n"; + } + } + + // Extra fields + include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_print_fields.tpl.php'; + + // Fields from hook + $parameters = array('arrayfields'=>$arrayfields, 'obj'=>$obj, 'i'=>$i, 'totalarray'=>&$totalarray); + $reshook = $hookmanager->executeHooks('printFieldListValue', $parameters); // Note that $action and $object may have been modified by hook + print $hookmanager->resPrint; + // Date creation + if (!empty($arrayfields['e.datec']['checked'])) { + print ''; + if (!$i) { + $totalarray['nbfield']++; + } + } + // Date modification + if (!empty($arrayfields['e.tms']['checked'])) { + print ''; + if (!$i) { + $totalarray['nbfield']++; + } + } + // Status + if (!empty($arrayfields['e.fk_statut']['checked'])) { + print ''; + if (!$i) { + $totalarray['nbfield']++; + } + } + // Billed + if (!empty($arrayfields['e.billed']['checked'])) { + print ''; + if (!$i) { + $totalarray['nbfield']++; + } + } + + // Action column + if (!getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { + print ''; + } + if (!$i) { + $totalarray['nbfield']++; + } + + print "\n"; + } $i++; } @@ -1335,7 +1423,7 @@ if ($num == 0) { // Show total line include DOL_DOCUMENT_ROOT.'/core/tpl/list_print_total.tpl.php'; -$parameters = array('arrayfields'=>$arrayfields, 'sql'=>$sql); +$parameters = array('arrayfields'=>$arrayfields, 'totalarray' => $totalarray, 'sql'=>$sql); $reshook = $hookmanager->executeHooks('printFieldListFooter', $parameters); // Note that $action and $object may have been modified by hook print $hookmanager->resPrint; diff --git a/htdocs/reception/stats/index.php b/htdocs/reception/stats/index.php index e6f66db0420..d8be5bd1862 100644 --- a/htdocs/reception/stats/index.php +++ b/htdocs/reception/stats/index.php @@ -38,7 +38,7 @@ $socid = GETPOST('socid', 'int'); $nowyear = dol_print_date(dol_now('gmt'), "%Y", 'gmt'); $year = GETPOST('year') > 0 ? GETPOST('year') : $nowyear; -$startyear = $year - (!getDolGlobalString('MAIN_STATS_GRAPHS_SHOW_N_YEARS') ? 2 : max(1, min(10, $conf->global->MAIN_STATS_GRAPHS_SHOW_N_YEARS))); +$startyear = $year - (!getDolGlobalString('MAIN_STATS_GRAPHS_SHOW_N_YEARS') ? 2 : max(1, min(10, getDolGlobalString('MAIN_STATS_GRAPHS_SHOW_N_YEARS')))); $endyear = $year; $langs->loadLangs(array("receptions", "other", "companies")); @@ -71,7 +71,7 @@ $data = $stats->getNbByMonthWithPrevYear($endyear, $startyear); // $data = array(array('Lib',val1,val2,val3),...) -if (!$user->hasRight('societe', 'client', 'voir') || $user->socid) { +if (!$user->hasRight('societe', 'client', 'voir')) { $filenamenb = $dir.'/receptionsnbinyear-'.$user->id.'-'.$year.'.png'; } else { $filenamenb = $dir.'/receptionsnbinyear-'.$year.'.png'; diff --git a/htdocs/recruitment/admin/setup.php b/htdocs/recruitment/admin/setup.php index d3f56a73092..02c9ceeb336 100644 --- a/htdocs/recruitment/admin/setup.php +++ b/htdocs/recruitment/admin/setup.php @@ -153,7 +153,7 @@ if ($action == 'updateMask') { $tmpobjectkey = GETPOST('object'); if (!empty($tmpobjectkey)) { $constforval = 'RECRUITMENT_'.strtoupper($tmpobjectkey).'_ADDON_PDF'; - if ($conf->global->$constforval == "$value") { + if (getDolGlobalString($constforval) == "$value") { dolibarr_del_const($db, $constforval, $conf->entity); } } diff --git a/htdocs/recruitment/admin/setup_candidatures.php b/htdocs/recruitment/admin/setup_candidatures.php index 9d8e60e44c0..c8ca0c09a42 100644 --- a/htdocs/recruitment/admin/setup_candidatures.php +++ b/htdocs/recruitment/admin/setup_candidatures.php @@ -22,35 +22,9 @@ */ // Load Dolibarr environment -$res = 0; -// Try main.inc.php into web root known defined into CONTEXT_DOCUMENT_ROOT (not always defined) -if (!$res && !empty($_SERVER["CONTEXT_DOCUMENT_ROOT"])) { - $res = @include $_SERVER["CONTEXT_DOCUMENT_ROOT"]."/main.inc.php"; -} -// Try main.inc.php into web root detected using web root calculated from SCRIPT_FILENAME -$tmp = empty($_SERVER['SCRIPT_FILENAME']) ? '' : $_SERVER['SCRIPT_FILENAME']; $tmp2 = realpath(__FILE__); $i = strlen($tmp) - 1; $j = strlen($tmp2) - 1; -while ($i > 0 && $j > 0 && isset($tmp[$i]) && isset($tmp2[$j]) && $tmp[$i] == $tmp2[$j]) { - $i--; - $j--; -} -if (!$res && $i > 0 && file_exists(substr($tmp, 0, ($i + 1))."/main.inc.php")) { - $res = @include substr($tmp, 0, ($i + 1))."/main.inc.php"; -} -if (!$res && $i > 0 && file_exists(dirname(substr($tmp, 0, ($i + 1)))."/main.inc.php")) { - $res = @include dirname(substr($tmp, 0, ($i + 1)))."/main.inc.php"; -} -// Try main.inc.php using relative path -if (!$res && file_exists("../../main.inc.php")) { - $res = @include "../../main.inc.php"; -} -if (!$res && file_exists("../../../main.inc.php")) { - $res = @include "../../../main.inc.php"; -} -if (!$res) { - die("Include of main fails"); -} +require '../../main.inc.php'; -global $langs, $user; +global $conf, $langs, $user; // Libraries require_once DOL_DOCUMENT_ROOT."/core/lib/admin.lib.php"; @@ -153,7 +127,7 @@ if ($action == 'updateMask') { $ret = delDocumentModel($value, $type); if ($ret > 0) { $constforval = 'RECRUITMENT_'.strtoupper($tmpobjectkey).'_ADDON_PDF'; - if ($conf->global->$constforval == "$value") { + if (getDolGlobalString($constforval) == "$value") { dolibarr_del_const($db, $constforval, $conf->entity); } } diff --git a/htdocs/recruitment/class/api_recruitments.class.php b/htdocs/recruitment/class/api_recruitments.class.php index adb854813b3..88c7c54488e 100644 --- a/htdocs/recruitment/class/api_recruitments.class.php +++ b/htdocs/recruitment/class/api_recruitments.class.php @@ -64,7 +64,7 @@ class Recruitments extends DolibarrApi /** * Get properties of a jobposition object * - * Return an array with jobposition informations + * Return an array with jobposition information * * @param int $id ID of jobposition * @return Object Object with cleaned properties @@ -95,7 +95,7 @@ class Recruitments extends DolibarrApi /** * Get properties of a candidature object * - * Return an array with candidature informations + * Return an array with candidature information * * @param int $id ID of candidature * @return Object Object with cleaned properties @@ -134,7 +134,7 @@ class Recruitments extends DolibarrApi * @param int $limit Limit for list * @param int $page Page number * @param string $sqlfilters Other criteria to filter answers separated by a comma. Syntax example "(t.ref:like:'SO-%') and (t.date_creation:<:'20160101')" - * @param string $properties Restrict the data returned to theses properties. Ignored if empty. Comma separated list of properties names + * @param string $properties Restrict the data returned to these properties. Ignored if empty. Comma separated list of properties names * @return array Array of order objects * * @throws RestException @@ -143,8 +143,6 @@ class Recruitments extends DolibarrApi */ public function indexJobPosition($sortfield = "t.rowid", $sortorder = 'ASC', $limit = 100, $page = 0, $sqlfilters = '', $properties = '') { - global $db, $conf; - $obj_ret = array(); $tmpobject = new RecruitmentJobPosition($this->db); @@ -152,7 +150,7 @@ class Recruitments extends DolibarrApi throw new RestException(401); } - $socid = DolibarrApiAccess::$user->socid ? DolibarrApiAccess::$user->socid : ''; + $socid = DolibarrApiAccess::$user->socid ? DolibarrApiAccess::$user->socid : 0; $restrictonsocid = 0; // Set to 1 if there is a field socid in table of object @@ -163,35 +161,22 @@ class Recruitments extends DolibarrApi } $sql = "SELECT t.rowid"; - if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) { - $sql .= ", sc.fk_soc, sc.fk_user"; // We need these fields in order to filter by sale (including the case where the user can only see his prospects) - } - $sql .= " FROM ".MAIN_DB_PREFIX.$tmpobject->table_element." AS t LEFT JOIN ".MAIN_DB_PREFIX.$tmpobject->table_element."_extrafields AS ef ON (ef.fk_object = t.rowid)"; // Modification VMR Global Solutions to include extrafields as search parameters in the API GET call, so we will be able to filter on extrafields - - if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) { - $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; // We need this table joined to the select in order to filter by sale - } + $sql .= " FROM ".MAIN_DB_PREFIX.$tmpobject->table_element." AS t"; + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX.$tmpobject->table_element."_extrafields AS ef ON (ef.fk_object = t.rowid)"; // Modification VMR Global Solutions to include extrafields as search parameters in the API GET call, so we will be able to filter on extrafields $sql .= " WHERE 1 = 1"; - - // Example of use $mode - //if ($mode == 1) $sql.= " AND s.client IN (1, 3)"; - //if ($mode == 2) $sql.= " AND s.client IN (2, 3)"; - if ($tmpobject->ismultientitymanaged) { $sql .= ' AND t.entity IN ('.getEntity($tmpobject->element).')'; } - if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) { - $sql .= " AND t.fk_soc = sc.fk_soc"; - } if ($restrictonsocid && $socid) { $sql .= " AND t.fk_soc = ".((int) $socid); } - if ($restrictonsocid && $search_sale > 0) { - $sql .= " AND t.rowid = sc.fk_soc"; // Join for the needed table to filter by sale - } - // Insert sale filter - if ($restrictonsocid && $search_sale > 0) { - $sql .= " AND sc.fk_user = ".((int) $search_sale); + // Search on sale representative + if ($search_sale && $search_sale != '-1') { + if ($search_sale == -2) { + $sql .= " AND NOT EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = t.fk_soc)"; + } elseif ($search_sale > 0) { + $sql .= " AND EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = t.fk_soc AND sc.fk_user = ".((int) $search_sale).")"; + } } if ($sqlfilters) { $errormessage = ''; @@ -226,9 +211,7 @@ class Recruitments extends DolibarrApi } else { throw new RestException(503, 'Error when retrieving jobposition list: '.$this->db->lasterror()); } - if (!count($obj_ret)) { - throw new RestException(404, 'No jobposition found'); - } + return $obj_ret; } @@ -259,7 +242,7 @@ class Recruitments extends DolibarrApi throw new RestException(401); } - $socid = DolibarrApiAccess::$user->socid ? DolibarrApiAccess::$user->socid : ''; + $socid = DolibarrApiAccess::$user->socid ? DolibarrApiAccess::$user->socid : 0; $restrictonsocid = 0; // Set to 1 if there is a field socid in table of object @@ -270,35 +253,22 @@ class Recruitments extends DolibarrApi } $sql = "SELECT t.rowid"; - if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) { - $sql .= ", sc.fk_soc, sc.fk_user"; // We need these fields in order to filter by sale (including the case where the user can only see his prospects) - } - $sql .= " FROM ".MAIN_DB_PREFIX.$tmpobject->table_element." AS t LEFT JOIN ".MAIN_DB_PREFIX.$tmpobject->table_element."_extrafields AS ef ON (ef.fk_object = t.rowid)"; // Modification VMR Global Solutions to include extrafields as search parameters in the API GET call, so we will be able to filter on extrafields - - if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) { - $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; // We need this table joined to the select in order to filter by sale - } + $sql .= " FROM ".MAIN_DB_PREFIX.$tmpobject->table_element." AS t"; + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX.$tmpobject->table_element."_extrafields AS ef ON (ef.fk_object = t.rowid)"; // Modification VMR Global Solutions to include extrafields as search parameters in the API GET call, so we will be able to filter on extrafields $sql .= " WHERE 1 = 1"; - - // Example of use $mode - //if ($mode == 1) $sql.= " AND s.client IN (1, 3)"; - //if ($mode == 2) $sql.= " AND s.client IN (2, 3)"; - if ($tmpobject->ismultientitymanaged) { $sql .= ' AND t.entity IN ('.getEntity($tmpobject->element).')'; } - if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) { - $sql .= " AND t.fk_soc = sc.fk_soc"; - } if ($restrictonsocid && $socid) { $sql .= " AND t.fk_soc = ".((int) $socid); } - if ($restrictonsocid && $search_sale > 0) { - $sql .= " AND t.rowid = sc.fk_soc"; // Join for the needed table to filter by sale - } - // Insert sale filter - if ($restrictonsocid && $search_sale > 0) { - $sql .= " AND sc.fk_user = ".((int) $search_sale); + // Search on sale representative + if ($search_sale && $search_sale != '-1') { + if ($search_sale == -2) { + $sql .= " AND NOT EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = t.fk_soc)"; + } elseif ($search_sale > 0) { + $sql .= " AND EXISTS (SELECT sc.fk_soc FROM ".MAIN_DB_PREFIX."societe_commerciaux as sc WHERE sc.fk_soc = t.fk_soc AND sc.fk_user = ".((int) $search_sale).")"; + } } if ($sqlfilters) { $errormessage = ''; @@ -333,9 +303,7 @@ class Recruitments extends DolibarrApi } else { throw new RestException(503, 'Error when retrieving candidature list: '.$this->db->lasterror()); } - if (!count($obj_ret)) { - throw new RestException(404, 'No candidature found'); - } + return $obj_ret; } @@ -359,6 +327,12 @@ class Recruitments extends DolibarrApi $result = $this->_validate($request_data); foreach ($request_data as $field => $value) { + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $this->jobposition->context['caller'] = $request_data['caller']; + continue; + } + $this->jobposition->$field = $this->_checkValForAPI($field, $value, $this->jobposition); } @@ -391,6 +365,12 @@ class Recruitments extends DolibarrApi $result = $this->_validate($request_data); foreach ($request_data as $field => $value) { + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $this->jobposition->context['caller'] = $request_data['caller']; + continue; + } + $this->jobposition->$field = $this->_checkValForAPI($field, $value, $this->jobposition); } @@ -433,6 +413,12 @@ class Recruitments extends DolibarrApi if ($field == 'id') { continue; } + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $this->jobposition->context['caller'] = $request_data['caller']; + continue; + } + $this->jobposition->$field = $this->_checkValForAPI($field, $value, $this->jobposition); } @@ -476,6 +462,12 @@ class Recruitments extends DolibarrApi if ($field == 'id') { continue; } + if ($field === 'caller') { + // Add a mention of caller so on trigger called after action, we can filter to avoid a loop if we try to sync back again with the caller + $this->candidature->context['caller'] = $request_data['caller']; + continue; + } + $this->candidature->$field = $this->_checkValForAPI($field, $value, $this->candidature); } diff --git a/htdocs/recruitment/class/recruitmentcandidature.class.php b/htdocs/recruitment/class/recruitmentcandidature.class.php index 44d2576507b..479874fea05 100644 --- a/htdocs/recruitment/class/recruitmentcandidature.class.php +++ b/htdocs/recruitment/class/recruitmentcandidature.class.php @@ -89,7 +89,7 @@ class RecruitmentCandidature extends CommonObject * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'maxwidth200', 'wordbreak', 'tdoverflowmax200' @@ -132,7 +132,7 @@ class RecruitmentCandidature extends CommonObject 'fk_user' => array('type'=>'integer:User:user/class/user.class.php', 'label'=>'LinkedToDolibarrUser', 'enabled'=>'1', 'position'=>600, 'notnull'=>0, 'visible'=>-1, 'csslist'=>'tdoverflowmax100'), 'import_key' => array('type'=>'varchar(14)', 'label'=>'ImportId', 'enabled'=>'1', 'position'=>1000, 'notnull'=>-1, 'visible'=>-2,), 'model_pdf' => array('type'=>'varchar(255)', 'label'=>'Model pdf', 'enabled'=>'1', 'position'=>1010, 'notnull'=>-1, 'visible'=>0,), - 'status' => array('type'=>'smallint', 'label'=>'Status', 'enabled'=>'1', 'position'=>1000, 'notnull'=>1, 'visible'=>1, 'index'=>1, 'default'=>0, 'arrayofkeyval'=>array('0'=>'Draft', '1'=>'Received', '3'=>'ContractProposed', '5'=>'ContractSigned', '8'=>'Refused', '9'=>'Canceled')), + 'status' => array('type'=>'smallint', 'label'=>'Status', 'enabled'=>'1', 'position'=>1000, 'notnull'=>1, 'visible'=>2, 'index'=>1, 'default'=>0, 'arrayofkeyval'=>array('0'=>'Draft', '1'=>'Received', '3'=>'ContractProposed', '5'=>'ContractSigned', '8'=>'Refused', '9'=>'Canceled')), ); public $rowid; public $entity; @@ -165,7 +165,7 @@ class RecruitmentCandidature extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -209,10 +209,10 @@ class RecruitmentCandidature extends CommonObject * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { return $this->createCommon($user, $notrigger); } @@ -435,10 +435,10 @@ class RecruitmentCandidature extends CommonObject * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -446,11 +446,11 @@ class RecruitmentCandidature extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); //return $this->deleteCommon($user, $notrigger, 1); @@ -461,10 +461,10 @@ class RecruitmentCandidature extends CommonObject * * @param User $user User that delete * @param int $idline Id of line to delete - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int >0 if OK, <0 if KO */ - public function deleteLine(User $user, $idline, $notrigger = false) + public function deleteLine(User $user, $idline, $notrigger = 0) { if ($this->status < 0) { $this->error = 'ErrorDeleteLineNotAllowedByObjectStatus'; @@ -480,7 +480,7 @@ class RecruitmentCandidature extends CommonObject * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function validate($user, $notrigger = 0) { @@ -492,7 +492,7 @@ class RecruitmentCandidature extends CommonObject // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this)."::validate action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this)."::validate action abandoned: already validated", LOG_WARNING); return 0; } @@ -637,7 +637,7 @@ class RecruitmentCandidature extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function cancel($user, $notrigger = 0) { @@ -661,7 +661,7 @@ class RecruitmentCandidature extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function reopen($user, $notrigger = 0) { @@ -705,7 +705,7 @@ class RecruitmentCandidature extends CommonObject } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -954,7 +954,7 @@ class RecruitmentCandidature extends CommonObject $mybool = false; $file = getDolGlobalString('RECRUITMENT_RECRUITMENTCANDIDATURE_ADDON') . ".php"; - $classname = $conf->global->RECRUITMENT_RECRUITMENTCANDIDATURE_ADDON; + $classname = getDolGlobalString('RECRUITMENT_RECRUITMENTCANDIDATURE_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -966,7 +966,7 @@ class RecruitmentCandidature extends CommonObject } if ($mybool === false) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -995,7 +995,7 @@ class RecruitmentCandidature extends CommonObject * Create a document onto disk according to template module. * * @param string $modele Force template to use ('' to not force) - * @param Translate $outputlangs objet lang a utiliser pour traduction + * @param Translate $outputlangs object lang a utiliser pour traduction * @param int $hidedetails Hide details of lines * @param int $hidedesc Hide description * @param int $hideref Hide ref @@ -1013,7 +1013,7 @@ class RecruitmentCandidature extends CommonObject if (!dol_strlen($modele)) { if (getDolGlobalString('RECRUITMENTCANDIDATURE_ADDON_PDF')) { - $modele = $conf->global->RECRUITMENTCANDIDATURE_ADDON_PDF; + $modele = getDolGlobalString('RECRUITMENTCANDIDATURE_ADDON_PDF'); } else { $modele = ''; // No default value. For job application, we allow to disable all PDF generation } @@ -1082,13 +1082,24 @@ class RecruitmentCandidature extends CommonObject $return .= ''; } if (property_exists($this, 'fk_recruitmentjobposition')) { - $return .= '
      '.$langs->trans('Job').' : '.$this->fk_recruitmentjobposition.''; + $return .= '
      '; + //$return .= ''; + //$return .= $langs->trans('Job').' : '; + $return .= ''; + $tmpjob = new RecruitmentJobPosition($this->db); + $tmpjob->fetch($this->fk_recruitmentjobposition); + //$return .= $this->fk_recruitmentjobposition; + $return .= $tmpjob->label; + $return .= ''; } - if (property_exists($this, 'phone')) { - $return .= '
      '.$langs->trans("phone").' : '.$this->phone.''; + if (property_exists($this, 'phone') && $this->phone) { + $return .= '
      '.img_picto('', 'phone').' '.$this->phone.''; + } + if (property_exists($this, 'email') && $this->email) { + $return .= '
      '.img_picto('', 'email').' '.$this->email.''; } if (method_exists($this, 'getLibStatut')) { - $return .= '
      '.$this->getLibStatut(3).'
      '; + $return .= '
      '.$this->getLibStatut(3).'
      '; } $return .= ''; $return .= ''; @@ -1111,7 +1122,7 @@ class RecruitmentCandidatureLine extends CommonObjectLine /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { diff --git a/htdocs/recruitment/class/recruitmentjobposition.class.php b/htdocs/recruitment/class/recruitmentjobposition.class.php index 4c6261ceac0..9dd025a2470 100644 --- a/htdocs/recruitment/class/recruitmentjobposition.class.php +++ b/htdocs/recruitment/class/recruitmentjobposition.class.php @@ -95,7 +95,7 @@ class RecruitmentJobPosition extends CommonObject * 'noteditable' says if field is not editable (1 or 0) * 'default' is a default value for creation (can still be overwrote by the Setup of Default Values if field is editable in creation form). Note: If default is set to '(PROV)' and field is 'ref', the default value will be set to '(PROVid)' where id is rowid when a new record is created. * 'index' if we want an index in database. - * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommanded to name the field fk_...). + * 'foreignkey'=>'tablename.field' if the field is a foreign key (it is recommended to name the field fk_...). * 'searchall' is 1 if we want to search in this field when making a search from the quick search button. * 'isameasure' must be set to 1 if you want to have a total on list for this field. Field type must be summable like integer or double(24,8). * 'css' and 'cssview' and 'csslist' is the CSS style to use on field. 'css' is used in creation and update. 'cssview' is used in view mode. 'csslist' is used for columns in lists. For example: 'maxwidth200', 'wordbreak', 'tdoverflowmax200' @@ -186,7 +186,7 @@ class RecruitmentJobPosition extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ public function __construct(DoliDB $db) { @@ -230,10 +230,10 @@ class RecruitmentJobPosition extends CommonObject * Create object into database * * @param User $user User that creates - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, Id of created object if OK */ - public function create(User $user, $notrigger = false) + public function create(User $user, $notrigger = 0) { return $this->createCommon($user, $notrigger); } @@ -450,10 +450,10 @@ class RecruitmentJobPosition extends CommonObject * Update object into database * * @param User $user User that modifies - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ - public function update(User $user, $notrigger = false) + public function update(User $user, $notrigger = 0) { return $this->updateCommon($user, $notrigger); } @@ -461,11 +461,11 @@ class RecruitmentJobPosition extends CommonObject /** * Delete object in database * - * @param User $user User that deletes - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that deletes + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer <0 if KO, >0 if OK */ - public function delete(User $user, $notrigger = false) + public function delete(User $user, $notrigger = 0) { return $this->deleteCommon($user, $notrigger); //return $this->deleteCommon($user, $notrigger, 1); @@ -476,10 +476,10 @@ class RecruitmentJobPosition extends CommonObject * * @param User $user User that delete * @param int $idline Id of line to delete - * @param bool $notrigger false=launch triggers after, true=disable triggers - * @return int >0 if OK, <0 if KO + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return >0 if OK, <0 if KO */ - public function deleteLine(User $user, $idline, $notrigger = false) + public function deleteLine(User $user, $idline, $notrigger = 0) { if ($this->status < 0) { $this->error = 'ErrorDeleteLineNotAllowedByObjectStatus'; @@ -495,7 +495,7 @@ class RecruitmentJobPosition extends CommonObject * * @param User $user User making status change * @param int $notrigger 1=Does not execute triggers, 0= execute triggers - * @return int <=0 if OK, 0=Nothing done, >0 if KO + * @return int Return integer <=0 if OK, 0=Nothing done, >0 if KO */ public function validate($user, $notrigger = 0) { @@ -507,7 +507,7 @@ class RecruitmentJobPosition extends CommonObject // Protection if ($this->status == self::STATUS_VALIDATED) { - dol_syslog(get_class($this)."::validate action abandonned: already validated", LOG_WARNING); + dol_syslog(get_class($this)."::validate action abandoned: already validated", LOG_WARNING); return 0; } @@ -652,7 +652,7 @@ class RecruitmentJobPosition extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function cancel($user, $notrigger = 0) { @@ -763,7 +763,7 @@ class RecruitmentJobPosition extends CommonObject * * @param User $user Object user that modify * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers - * @return int <0 if KO, 0=Nothing done, >0 if OK + * @return int Return integer <0 if KO, 0=Nothing done, >0 if OK */ public function reopen($user, $notrigger = 0) { @@ -783,7 +783,7 @@ class RecruitmentJobPosition extends CommonObject } /** - * Return a link to the object card (with optionaly the picto) + * Return a link to the object card (with optionally the picto) * * @param int $withpicto Include picto in link (0=No picto, 1=Include picto into link, 2=Only picto) * @param string $option On what the link point to ('nolink', ...) @@ -1011,7 +1011,7 @@ class RecruitmentJobPosition extends CommonObject $mybool = false; $file = getDolGlobalString('RECRUITMENT_RECRUITMENTJOBPOSITION_ADDON') . ".php"; - $classname = $conf->global->RECRUITMENT_RECRUITMENTJOBPOSITION_ADDON; + $classname = getDolGlobalString('RECRUITMENT_RECRUITMENTJOBPOSITION_ADDON'); // Include file with class $dirmodels = array_merge(array('/'), (array) $conf->modules_parts['models']); @@ -1023,7 +1023,7 @@ class RecruitmentJobPosition extends CommonObject } if ($mybool === false) { - dol_print_error('', "Failed to include file ".$file); + dol_print_error(null, "Failed to include file ".$file); return ''; } @@ -1052,7 +1052,7 @@ class RecruitmentJobPosition extends CommonObject * Create a document onto disk according to template module. * * @param string $modele Force template to use ('' to not force) - * @param Translate $outputlangs objet lang a utiliser pour traduction + * @param Translate $outputlangs object lang a utiliser pour traduction * @param int $hidedetails Hide details of lines * @param int $hidedesc Hide description * @param int $hideref Hide ref @@ -1070,7 +1070,7 @@ class RecruitmentJobPosition extends CommonObject if (!dol_strlen($modele)) { if (getDolGlobalString('RECRUITMENTJOBPOSITION_ADDON_PDF')) { - $modele = $conf->global->RECRUITMENTJOBPOSITION_ADDON_PDF; + $modele = getDolGlobalString('RECRUITMENTJOBPOSITION_ADDON_PDF'); } else { $modele = ''; // No default value. For job position, we allow to disable all PDF generation } @@ -1135,21 +1135,19 @@ class RecruitmentJobPosition extends CommonObject $return .= img_picto('', $this->picto); $return .= ''; $return .= '
      '; - $return .= ''.(method_exists($this, 'getNomUrl') ? $this->getNomUrl(1) : $this->ref).''; + $return .= ''.(method_exists($this, 'getNomUrl') ? $this->getNomUrl(1) : $this->ref).($this->qty > 1 ? ' ('.$this->qty.')' : '').''; if ($selected >= 0) { $return .= ''; } + /* if (property_exists($this, 'date_planned')) { $return .= '
      '.$langs->trans("Date").' : '.dol_print_date($this->db->jdate($this->date_planned), 'day').''; - } - if (property_exists($this, 'qty')) { - $return .= '
      '.$langs->trans("NbOfEmployeesExpected", '', '', '', '', 2).' : '.$this->qty.''; - } + }*/ if (property_exists($this, 'remuneration_suggested')) { - $return .= ' | '.$langs->trans("Remuneration").' : '.$this->remuneration_suggested.''; + $return .= '
      '.$langs->trans("Remuneration").' : '.$this->remuneration_suggested.''; } if (method_exists($this, 'getLibStatut')) { - $return .= '
      '.$this->getLibStatut(3).' | '.$langs->trans("RecruitmentCandidatures", '', '', '', '', 5).' : '; + $return .= '
      '.$this->getLibStatut(3).'   '.$langs->trans("RecruitmentCandidatures", '', '', '', '', 5).' : '; $return .= $arraydata['nbapplications']; $return .= '
      '; } diff --git a/htdocs/recruitment/core/modules/recruitment/doc/doc_generic_recruitmentjobposition_odt.modules.php b/htdocs/recruitment/core/modules/recruitment/doc/doc_generic_recruitmentjobposition_odt.modules.php index 14e62605077..3a1e94ca061 100644 --- a/htdocs/recruitment/core/modules/recruitment/doc/doc_generic_recruitmentjobposition_odt.modules.php +++ b/htdocs/recruitment/core/modules/recruitment/doc/doc_generic_recruitmentjobposition_odt.modules.php @@ -318,7 +318,7 @@ class doc_generic_recruitmentjobposition_odt extends ModelePDFRecruitmentJobPosi $contactobject = $object->contact; } else { $socobject = $object->thirdparty; - // if we have a CUSTOMER contact and we dont use it as thirdparty recipient we store the contact object for later use + // if we have a CUSTOMER contact and we don't use it as thirdparty recipient we store the contact object for later use $contactobject = $object->contact; } } else { @@ -341,8 +341,8 @@ class doc_generic_recruitmentjobposition_odt extends ModelePDFRecruitmentJobPosi // Line of free text $newfreetext = ''; $paramfreetext = 'ORDER_FREE_TEXT'; - if (!empty($conf->global->$paramfreetext)) { - $newfreetext = make_substitutions($conf->global->$paramfreetext, $substitutionarray); + if (getDolGlobalString($paramfreetext)) { + $newfreetext = make_substitutions(getDolGlobalString($paramfreetext), $substitutionarray); } // Open and load template diff --git a/htdocs/recruitment/core/modules/recruitment/doc/pdf_standard_recruitmentjobposition.modules.php b/htdocs/recruitment/core/modules/recruitment/doc/pdf_standard_recruitmentjobposition.modules.php index 9739b4fbc6e..fda2b7165d8 100644 --- a/htdocs/recruitment/core/modules/recruitment/doc/pdf_standard_recruitmentjobposition.modules.php +++ b/htdocs/recruitment/core/modules/recruitment/doc/pdf_standard_recruitmentjobposition.modules.php @@ -44,7 +44,7 @@ require_once DOL_DOCUMENT_ROOT.'/core/lib/pdf.lib.php'; class pdf_standard_recruitmentjobposition extends ModelePDFRecruitmentJobPosition { /** - * @var DoliDb Database handler + * @var DoliDB Database handler */ public $db; @@ -157,7 +157,7 @@ class pdf_standard_recruitmentjobposition extends ModelePDFRecruitmentJobPositio } // Define position of columns - $this->posxdesc = $this->marge_gauche + 1; // used for notes ans other stuff + $this->posxdesc = $this->marge_gauche + 1; // used for notes and other stuff $this->tabTitleHeight = 5; // default height @@ -215,7 +215,7 @@ class pdf_standard_recruitmentjobposition extends ModelePDFRecruitmentJobPositio $hidetop = 0; if (getDolGlobalString('MAIN_PDF_DISABLE_COL_HEAD_TITLE')) { - $hidetop = $conf->global->MAIN_PDF_DISABLE_COL_HEAD_TITLE; + $hidetop = getDolGlobalString('MAIN_PDF_DISABLE_COL_HEAD_TITLE'); } // Loop on each lines to detect if there is at least one image to show @@ -620,7 +620,7 @@ class pdf_standard_recruitmentjobposition extends ModelePDFRecruitmentJobPositio $curY = $tab_top_newpage; } - $pdf->SetFont('', '', $default_font_size - 1); // On repositionne la police par defaut + $pdf->SetFont('', '', $default_font_size - 1); // On repositionne la police par default @@ -783,7 +783,7 @@ class pdf_standard_recruitmentjobposition extends ModelePDFRecruitmentJobPositio if (empty($hidetop)) { //$conf->global->MAIN_PDF_TITLE_BACKGROUND_COLOR='230,230,230'; if (getDolGlobalString('MAIN_PDF_TITLE_BACKGROUND_COLOR')) { - $pdf->Rect($this->marge_gauche, $tab_top, $this->page_largeur - $this->marge_droite - $this->marge_gauche, $this->tabTitleHeight, 'F', null, explode(',', $conf->global->MAIN_PDF_TITLE_BACKGROUND_COLOR)); + $pdf->Rect($this->marge_gauche, $tab_top, $this->page_largeur - $this->marge_droite - $this->marge_gauche, $this->tabTitleHeight, 'F', null, explode(',', getDolGlobalString('MAIN_PDF_TITLE_BACKGROUND_COLOR'))); } } @@ -1090,18 +1090,18 @@ class pdf_standard_recruitmentjobposition extends ModelePDFRecruitmentJobPositio ); /* - * For exemple + * For example $this->cols['theColKey'] = array( 'rank' => $rank, // int : use for ordering columns 'width' => 20, // the column width in mm 'title' => array( 'textkey' => 'yourLangKey', // if there is no label, yourLangKey will be translated to replace label 'label' => ' ', // the final label : used fore final generated text - 'align' => 'L', // text alignement : R,C,L + 'align' => 'L', // text alignment : R,C,L 'padding' => array(0.5,0.5,0.5,0.5), // Like css 0 => top , 1 => right, 2 => bottom, 3 => left ), 'content' => array( - 'align' => 'L', // text alignement : R,C,L + 'align' => 'L', // text alignment : R,C,L 'padding' => array(0.5,0.5,0.5,0.5), // Like css 0 => top , 1 => right, 2 => bottom, 3 => left ), ); @@ -1114,7 +1114,7 @@ class pdf_standard_recruitmentjobposition extends ModelePDFRecruitmentJobPositio 'width' => false, // only for desc 'status' => true, 'title' => array( - 'textkey' => 'Designation', // use lang key is usefull in somme case with module + 'textkey' => 'Designation', // use lang key is useful in somme case with module 'align' => 'L', // 'textkey' => 'yourLangKey', // if there is no label, yourLangKey will be translated to replace label // 'label' => ' ', // the final label diff --git a/htdocs/recruitment/core/modules/recruitment/mod_recruitmentcandidature_standard.php b/htdocs/recruitment/core/modules/recruitment/mod_recruitmentcandidature_standard.php index 359ec4a486b..24e3120c20f 100644 --- a/htdocs/recruitment/core/modules/recruitment/mod_recruitmentcandidature_standard.php +++ b/htdocs/recruitment/core/modules/recruitment/mod_recruitmentcandidature_standard.php @@ -149,7 +149,7 @@ class mod_recruitmentcandidature_standard extends ModeleNumRefRecruitmentCandida //$date=time(); $date = $object->date_creation; - $yymm = strftime("%y%m", $date); + $yymm = dol_print_date($date, "%y%m"); if ($max >= (pow(10, 4) - 1)) { $num = $max + 1; // If counter > 9999, we do not format on 4 chars, we take number as it is diff --git a/htdocs/recruitment/core/modules/recruitment/mod_recruitmentjobposition_standard.php b/htdocs/recruitment/core/modules/recruitment/mod_recruitmentjobposition_standard.php index c1067d5e0d4..ba63ad8395c 100644 --- a/htdocs/recruitment/core/modules/recruitment/mod_recruitmentjobposition_standard.php +++ b/htdocs/recruitment/core/modules/recruitment/mod_recruitmentjobposition_standard.php @@ -149,7 +149,7 @@ class mod_recruitmentjobposition_standard extends ModeleNumRefRecruitmentJobPosi //$date=time(); $date = $object->date_creation; - $yymm = strftime("%y%m", $date); + $yymm = dol_print_date($date, "%y%m"); if ($max >= (pow(10, 4) - 1)) { $num = $max + 1; // If counter > 9999, we do not format on 4 chars, we take number as it is diff --git a/htdocs/recruitment/index.php b/htdocs/recruitment/index.php index cd2c16759f8..237eb45bb1e 100644 --- a/htdocs/recruitment/index.php +++ b/htdocs/recruitment/index.php @@ -329,8 +329,8 @@ END MODULEBUILDER DRAFT MYOBJECT */ print '
      '; -$NBMAX = $conf->global->MAIN_SIZE_SHORTLIST_LIMIT; -$max = $conf->global->MAIN_SIZE_SHORTLIST_LIMIT; +$NBMAX = getDolGlobalString('MAIN_SIZE_SHORTLIST_LIMIT'); +$max = getDolGlobalInt('MAIN_SIZE_SHORTLIST_LIMIT'); // Last modified job position if (isModEnabled('recruitment') && $user->hasRight('recruitment', 'recruitmentjobposition', 'read')) { @@ -393,7 +393,7 @@ if (isModEnabled('recruitment') && $user->hasRight('recruitment', 'recruitmentjo $db->free($resql); } else { - print '
      '; + print ''; } print "
      '; + print ''; $searchpicto = $form->showFilterButtons('left'); print $searchpicto; print '  '; - $searchpicto = $form->showFilterAndCheckAddButtons(0); + $searchpicto = $form->showFilterButtons(); print $searchpicto; print '
      '; + print '
      '; + } + $object->date_delivery = $obj->delivery_date; + $object->town = $obj->town; - print '
      '; - if ($massactionbutton || $massaction) { - // If we are in select mode (massactionbutton defined) or if we have already selected and sent an action ($massaction) defined + // Output Kanban + $selected = -1; + if ($massactionbutton || $massaction) { // If we are in select mode (massactionbutton defined) or if we have already selected and sent an action ($massaction) defined $selected = 0; - if (in_array($obj->rowid, $arrayofselected)) { + if (in_array($object->id, $arrayofselected)) { $selected = 1; } - print ''; } - print ''; - print $reception->getNomUrl(1); - $filename = dol_sanitizeFileName($reception->ref); - $filedir = $conf->reception->dir_output.'/'.dol_sanitizeFileName($reception->ref); - $urlsource = $_SERVER['PHP_SELF'].'?id='.$reception->id; - print $formfile->getDocumentsLink($reception->element, $filename, $filedir); - print "
      '; - print dol_escape_htmltag($obj->ref_supplier); - print "'; - print $companystatic->getNomUrl(1); - print ''; - print dol_escape_htmltag($obj->town); - print ''; - print dol_escape_htmltag($obj->zip); - print '".dol_escape_htmltag($obj->state_name)."'; - $tmparray = getCountry($obj->fk_pays, 'all'); - print dol_escape_htmltag($tmparray['label']); - print ''; - if (!isset($typenArray) || empty($typenArray)) { - $typenArray = $formcompany->typent_array(1); - } - if (isset($typenArray[$obj->typent_code])) { - print $typenArray[$obj->typent_code]; - } - print ''; - print dol_print_date($db->jdate($obj->delivery_date), "day"); - /*$now = time(); - if ( ($now - $db->jdate($obj->date_reception)) > $conf->warnings->lim && $obj->statutid == 1 ) - { - }*/ - print "'; - print !empty($receiving) ? $receiving->getNomUrl($db) : ''; + // Action column + if (getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')) { + print ''; + if ($massactionbutton || $massaction) { // If we are in select mode (massactionbutton defined) or if we have already selected and sent an action ($massaction) defined + $selected = 0; + if (in_array($obj->rowid, $arrayofselected)) { + $selected = 1; + } + print ''; + } print ''; + print $reception->getNomUrl(1); + $filename = dol_sanitizeFileName($reception->ref); + $filedir = $conf->reception->dir_output.'/'.dol_sanitizeFileName($reception->ref); + $urlsource = $_SERVER['PHP_SELF'].'?id='.$reception->id; + print $formfile->getDocumentsLink($reception->element, $filename, $filedir); + print "'; - print dol_print_date($db->jdate($obj->date_reception), "day"); - print ''; - print dol_print_date($db->jdate($obj->date_creation), 'dayhour'); - print ''; - print dol_print_date($db->jdate($obj->date_update), 'dayhour'); - print ''.$reception->LibStatut($obj->fk_statut, 5).''.yn($obj->billed).''; - if ($massactionbutton || $massaction) { - // If we are in select mode (massactionbutton defined) or if we have already selected and sent an action ($massaction) defined - $selected = 0; - if (in_array($obj->rowid, $arrayofselected)) { - $selected = 1; + if (!$i) { + $totalarray['nbfield']++; } - print ''; } - print '
      '; + print dol_escape_htmltag($obj->ref_supplier); + print "'; + print $companystatic->getNomUrl(1); + print ''; + print dol_escape_htmltag($obj->town); + print ''; + print dol_escape_htmltag($obj->zip); + print '".dol_escape_htmltag($obj->state_name)."'; + $tmparray = getCountry($obj->fk_pays, 'all'); + print dol_escape_htmltag($tmparray['label']); + print ''; + if (!isset($typenArray) || empty($typenArray)) { + $typenArray = $formcompany->typent_array(1); + } + if (isset($typenArray[$obj->typent_code])) { + print $typenArray[$obj->typent_code]; + } + print ''; + print dol_print_date($db->jdate($obj->delivery_date), "day"); + /*$now = time(); + if ( ($now - $db->jdate($obj->date_reception)) > $conf->warnings->lim && $obj->statutid == 1 ) + { + }*/ + print "'; + print !empty($receiving) ? $receiving->getNomUrl($db) : ''; + print ''; + print dol_print_date($db->jdate($obj->date_reception), "day"); + print ''; + print dol_print_date($db->jdate($obj->date_creation), 'dayhour', 'tzuserrel'); + print ''; + print dol_print_date($db->jdate($obj->date_update), 'dayhour', 'tzuserrel'); + print ''.$reception->LibStatut($obj->status, 5).''.yn($obj->billed).''; + if ($massactionbutton || $massaction) { + // If we are in select mode (massactionbutton defined) or if we have already selected and sent an action ($massaction) defined + $selected = 0; + if (in_array($obj->rowid, $arrayofselected)) { + $selected = 1; + } + print ''; + } + print '
      '.$langs->trans("None").'
      '.$langs->trans("None").'
      "; print "
      "; @@ -459,7 +459,7 @@ if (isModEnabled('recruitment') && $user->hasRight('recruitment', 'recruitmentjo $db->free($resql); } else { - print '
      '.$langs->trans("None").'
      '.$langs->trans("None").'
      "; print "
      "; diff --git a/htdocs/recruitment/lib/recruitment_recruitmentjobposition.lib.php b/htdocs/recruitment/lib/recruitment_recruitmentjobposition.lib.php index 179f26a84c7..a269bc61683 100644 --- a/htdocs/recruitment/lib/recruitment_recruitmentjobposition.lib.php +++ b/htdocs/recruitment/lib/recruitment_recruitmentjobposition.lib.php @@ -113,9 +113,9 @@ function recruitmentjobpositionPrepareHead($object) /** * Return string with full Url * - * @param int $mode 0=True url, 1=Url formated with colors + * @param int $mode 0=True url, 1=Url formatted with colors * @param string $ref Ref of object - * @param string $localorexternal 0=Url for browser, 1=Url for external access + * @param int $localorexternal 0=Url for browser, 1=Url for external access * @return string Url string */ function getPublicJobPositionUrl($mode, $ref = '', $localorexternal = 0) diff --git a/htdocs/recruitment/recruitmentcandidature_agenda.php b/htdocs/recruitment/recruitmentcandidature_agenda.php index f843675a722..a42fd797d37 100644 --- a/htdocs/recruitment/recruitmentcandidature_agenda.php +++ b/htdocs/recruitment/recruitmentcandidature_agenda.php @@ -128,7 +128,7 @@ $form = new Form($db); if ($object->id > 0) { $title = $object->ref." - ".$langs->trans('Agenda'); - //if (!empty($conf->global->MAIN_HTML_TITLE) && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; + //if (getDolGlobalString('MAIN_HTML_TITLE') && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; $help_url = 'Module_Agenda_En|DE:Modul_Terminplanung'; llxHeader('', $title, $help_url); diff --git a/htdocs/recruitment/recruitmentcandidature_card.php b/htdocs/recruitment/recruitmentcandidature_card.php index f3f5164c0c7..f812dd447d3 100644 --- a/htdocs/recruitment/recruitmentcandidature_card.php +++ b/htdocs/recruitment/recruitmentcandidature_card.php @@ -56,7 +56,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alpha'); $search = array(); foreach ($object->fields as $key => $val) { @@ -348,7 +348,7 @@ if (($id || $ref) && $action == 'edit') { if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'create'))) { $res = $object->fetch_optionals(); - $head = recruitmentcandidaturePrepareHead($object); + $head = recruitmentCandidaturePrepareHead($object); print dol_get_fiche_head($head, 'card', $langs->trans("RecruitmentCandidature"), -1, $object->picto); $formconfirm = ''; diff --git a/htdocs/recruitment/recruitmentcandidature_list.php b/htdocs/recruitment/recruitmentcandidature_list.php index a207f1c78fb..a5279acd2ee 100644 --- a/htdocs/recruitment/recruitmentcandidature_list.php +++ b/htdocs/recruitment/recruitmentcandidature_list.php @@ -82,7 +82,7 @@ if (!$sortorder) { $sortorder = "DESC"; } -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST('search_all', 'alphanohtml'); $search = array(); foreach ($object->fields as $key => $val) { @@ -609,7 +609,7 @@ $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; $selectedfields = $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print ''."\n"; @@ -889,7 +889,7 @@ print ''."\n"; print ''."\n"; -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/recruitment/recruitmentjobposition_agenda.php b/htdocs/recruitment/recruitmentjobposition_agenda.php index f831712418b..9a9638bf10d 100644 --- a/htdocs/recruitment/recruitmentjobposition_agenda.php +++ b/htdocs/recruitment/recruitmentjobposition_agenda.php @@ -127,7 +127,7 @@ $form = new Form($db); if ($object->id > 0) { $title = $object->ref." - ".$langs->trans('Agenda'); - //if (!empty($conf->global->MAIN_HTML_TITLE) && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; + //if (getDolGlobalString('MAIN_HTML_TITLE') && preg_match('/thirdpartynameonly/',$conf->global->MAIN_HTML_TITLE) && $object->name) $title=$object->name." - ".$title; $help_url = ''; llxHeader('', $title, $help_url); diff --git a/htdocs/recruitment/recruitmentjobposition_applications.php b/htdocs/recruitment/recruitmentjobposition_applications.php index 38fc5f1cc4b..49f54fcfe6f 100644 --- a/htdocs/recruitment/recruitmentjobposition_applications.php +++ b/htdocs/recruitment/recruitmentjobposition_applications.php @@ -55,7 +55,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alpha'); $search = array(); foreach ($object->fields as $key => $val) { diff --git a/htdocs/recruitment/recruitmentjobposition_card.php b/htdocs/recruitment/recruitmentjobposition_card.php index d93f5cb8a47..f6ba521599e 100644 --- a/htdocs/recruitment/recruitmentjobposition_card.php +++ b/htdocs/recruitment/recruitmentjobposition_card.php @@ -55,7 +55,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alpha'); $search = array(); foreach ($object->fields as $key => $val) { diff --git a/htdocs/recruitment/recruitmentjobposition_list.php b/htdocs/recruitment/recruitmentjobposition_list.php index 6fdaa222d50..244bb711e18 100644 --- a/htdocs/recruitment/recruitmentjobposition_list.php +++ b/htdocs/recruitment/recruitmentjobposition_list.php @@ -78,7 +78,7 @@ if (!$sortorder) { $sortorder = "DESC"; } -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST('search_all', 'alphanohtml'); $search = array(); foreach ($object->fields as $key => $val) { @@ -449,7 +449,7 @@ $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; $selectedfields = $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN')); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '."\n"; @@ -734,7 +734,7 @@ print ''."\n"; print ''."\n"; -if (in_array('builddoc', $arrayofmassactions) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { +if (in_array('builddoc', array_keys($arrayofmassactions)) && ($nbtotalofrecords === '' || $nbtotalofrecords)) { $hidegeneratedfilelistifempty = 1; if ($massaction == 'builddoc' || $action == 'remove_file' || $show_files) { $hidegeneratedfilelistifempty = 0; diff --git a/htdocs/resource/agenda.php b/htdocs/resource/agenda.php index 20d2d56bac1..31e847f2f37 100644 --- a/htdocs/resource/agenda.php +++ b/htdocs/resource/agenda.php @@ -154,7 +154,7 @@ if ($object->id > 0) { $morehtmlref .= ''; $shownav = 1; - if ($user->socid && !in_array('resource', explode(',', $conf->global->MAIN_MODULES_FOR_EXTERNAL))) { + if ($user->socid && !in_array('resource', explode(',', getDolGlobalString('MAIN_MODULES_FOR_EXTERNAL')))) { $shownav = 0; } diff --git a/htdocs/resource/card.php b/htdocs/resource/card.php index b8d0766e9fb..1fd68eeec63 100644 --- a/htdocs/resource/card.php +++ b/htdocs/resource/card.php @@ -1,5 +1,6 @@ + * Copyright (C) 2023-2024 William Mead * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -35,14 +36,18 @@ require_once DOL_DOCUMENT_ROOT.'/core/class/extrafields.class.php'; $langs->loadLangs(array('resource', 'companies', 'other', 'main')); // Get parameters -$id = GETPOST('id', 'int'); +$id = GETPOSTINT('id'); $action = GETPOST('action', 'aZ09'); $cancel = GETPOST('cancel', 'alpha'); $ref = GETPOST('ref', 'alpha'); +$address = GETPOST('address', 'alpha'); +$zip = GETPOST('zipcode', 'alpha'); +$town = GETPOST('town', 'alpha'); $description = GETPOST('description', 'restricthtml'); $confirm = GETPOST('confirm', 'aZ09'); -$fk_code_type_resource = GETPOST('fk_code_type_resource', 'alpha'); -$country_id = GETPOST('country_id', 'int'); +$fk_code_type_resource = GETPOST('fk_code_type_resource', 'aZ09'); +$country_id = GETPOSTINT('country_id'); +$state_id = GETPOSTINT('state_id'); // Protection if external user if ($user->socid > 0) { @@ -98,9 +103,13 @@ if (empty($reshook)) { $action = 'create'; } else { $object->ref = $ref; + $object->address = $address; + $object->zip = $zip; + $object->town = $town; $object->description = $description; $object->fk_code_type_resource = $fk_code_type_resource; $object->country_id = $country_id; + $object->state_id = $state_id; // Fill array 'array_options' with data from add form $ret = $extrafields->setOptionalsFromPost(null, $object); @@ -112,7 +121,7 @@ if (empty($reshook)) { if ($result > 0) { // Creation OK setEventMessages($langs->trans('ResourceCreatedWithSuccess'), null, 'mesgs'); - Header("Location: ".$_SERVER['PHP_SELF']."?id=".$object->id); + header("Location: ".$_SERVER['PHP_SELF']."?id=".$object->id); exit; } else { // Creation KO @@ -121,7 +130,7 @@ if (empty($reshook)) { } } } else { - Header("Location: list.php"); + header("Location: list.php"); exit; } } @@ -138,9 +147,13 @@ if (empty($reshook)) { $res = $object->fetch($id); if ($res > 0) { $object->ref = $ref; + $object->address = $address; + $object->zip = $zip; + $object->town = $town; $object->description = $description; $object->fk_code_type_resource = $fk_code_type_resource; $object->country_id = $country_id; + $object->state_id = $state_id; // Fill array 'array_options' with data from add form $ret = $extrafields->setOptionalsFromPost(null, $object, '@GETPOSTISSET'); @@ -150,7 +163,7 @@ if (empty($reshook)) { $result = $object->update($user); if ($result > 0) { - Header("Location: ".$_SERVER['PHP_SELF']."?id=".$object->id); + header("Location: ".$_SERVER['PHP_SELF']."?id=".$object->id); exit; } else { setEventMessages($object->error, $object->errors, 'errors'); @@ -174,7 +187,7 @@ if (empty($reshook)) { if ($result >= 0) { setEventMessages($langs->trans('RessourceSuccessfullyDeleted'), null, 'mesgs'); - Header('Location: '.DOL_URL_ROOT.'/resource/list.php'); + header('Location: '.DOL_URL_ROOT.'/resource/list.php'); exit; } else { setEventMessages($object->error, $object->errors, 'errors'); @@ -222,6 +235,51 @@ if ($action == 'create' || $object->fetch($id, $ref) > 0) { print ''; print ''; + // Address + print ''; + print ''; + + // Zip / Town + print 'browser->layout == 'phone' ? ' colspan="3"': '').'>'; + print $formresource->select_ziptown($object->zip, 'zipcode', array('town', 'selectcountry_id', 'state_id'), 0, 0, '', 'maxwidth100'); + print ''; + if ($conf->browser->layout == 'phone') { + print ''; + } + print 'browser->layout == 'phone' ? ' colspan="3"': '').'>'; + print $formresource->select_ziptown($object->town, 'town', array('zipcode', 'selectcountry_id', 'state_id')); + print $form->widgetForTranslation("town", $object, $permissiontoadd, 'string', 'alphanohtml', 'maxwidth100 quatrevingtpercent'); + print ''; + + // Origin country + print ''; + + // State + if (empty($conf->global->SOCIETE_DISABLE_STATE)) { + if ((getDolGlobalInt('MAIN_SHOW_REGION_IN_STATE_SELECT') == 1 || getDolGlobalInt('MAIN_SHOW_REGION_IN_STATE_SELECT') == 2)) { + print ''; + } + // Type print ''; print ''; - // Origin country - print ''; - // Other attributes $parameters = array(); $reshook = $hookmanager->executeHooks('formObjectOptions', $parameters, $object, $action); // Note that $action and $object may have been modified by hook @@ -276,12 +326,7 @@ if ($action == 'create' || $object->fetch($id, $ref) > 0) { $linkback = ''.$langs->trans("BackToList").''; - - $morehtmlref = '
      '; - $morehtmlref .= '
      '; - - - dol_banner_tab($object, 'ref', $linkback, 1, 'ref', 'ref', $morehtmlref); + dol_banner_tab($object, 'ref', $linkback, 1, 'ref', 'ref'); print '
      '; diff --git a/htdocs/resource/class/dolresource.class.php b/htdocs/resource/class/dolresource.class.php index 3d660697e92..e13889971df 100644 --- a/htdocs/resource/class/dolresource.class.php +++ b/htdocs/resource/class/dolresource.class.php @@ -1,5 +1,6 @@ +/* Copyright (C) 2013-2015 Jean-François Ferry + * Copyright (C) 2023-2024 William Mead * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -23,12 +24,14 @@ require_once DOL_DOCUMENT_ROOT."/core/class/commonobject.class.php"; require_once DOL_DOCUMENT_ROOT."/core/lib/functions2.lib.php"; +require_once DOL_DOCUMENT_ROOT.'/core/class/commonpeople.class.php'; /** * DAO Resource object */ class Dolresource extends CommonObject { + use CommonPeople; /** * @var string ID to identify managed object */ @@ -44,9 +47,23 @@ class Dolresource extends CommonObject */ public $picto = 'resource'; + /** + * @var string address variables + */ + public $address; /** - * @var int ID + * @var string zip of town + */ + public $zip; + + /** + * @var string yown + */ + public $town; + + /** + * @var string ID */ public $fk_code_type_resource; @@ -57,8 +74,15 @@ class Dolresource extends CommonObject */ public $description; + /** + * @var int ID country + */ public $fk_country; + /** + * @var int ID state + */ + public $fk_state; // Variable for a link of resource @@ -77,17 +101,17 @@ class Dolresource extends CommonObject * @var int ID */ public $fk_user_create; - public $tms = ''; + public $tms; /** - * Used by fetch_element_resource() to return an object + * Used by fetchElementResource() to return an object */ public $objelement; /** * @var array Cache of type of resources. TODO Use $conf->cache['type_of_resources'] instead */ - public $cache_code_type_resource = array(); + public $cache_code_type_resource; /** * @var Dolresource Clone of object before changing it @@ -98,69 +122,62 @@ class Dolresource extends CommonObject /** * Constructor * - * @param DoliDb $db Database handler + * @param DoliDB $db Database handler */ - public function __construct($db) + public function __construct(DoliDb $db) { $this->db = $db; + $this->tms = ''; + $this->cache_code_type_resource = array(); } /** - * Create object into database + * Create object in database * - * @param User $user User that creates - * @param int $notrigger 0=launch triggers after, 1=disable triggers - * @return int Return integer <0 if KO, Id of created object if OK + * @param User $user User that creates + * @param int $no_trigger 0=launch triggers after, 1=disable triggers + * @return int Return integer if KO: <0, if OK: Id of created object */ - public function create($user, $notrigger = 0) + public function create(User $user, int $no_trigger = 0): int { - global $conf, $langs, $hookmanager; $error = 0; // Clean parameters - - if (isset($this->ref)) { - $this->ref = trim($this->ref); + $new_resource_values = [$this->ref, $this->address, $this->zip, $this->town, $this->description, $this->country_id, $this->state_id, $this->fk_code_type_resource, $this->note_public, $this->note_private]; + foreach ($new_resource_values as $key => $value) { + if (isset($value)) { + $new_resource_values[$key] = trim($value); + } } - if (isset($this->description)) { - $this->description = trim($this->description); - } - if (!is_numeric($this->country_id)) { - $this->country_id = 0; - } - if (isset($this->fk_code_type_resource)) { - $this->fk_code_type_resource = trim($this->fk_code_type_resource); - } - if (isset($this->note_public)) { - $this->note_public = trim($this->note_public); - } - if (isset($this->note_private)) { - $this->note_private = trim($this->note_private); - } - // Insert request $sql = "INSERT INTO ".MAIN_DB_PREFIX.$this->table_element."("; $sql .= "entity,"; $sql .= "ref,"; + $sql .= "address,"; + $sql .= "zip,"; + $sql .= "town,"; $sql .= "description,"; $sql .= "fk_country,"; + $sql .= "fk_state,"; $sql .= "fk_code_type_resource,"; $sql .= "note_public,"; $sql .= "note_private"; $sql .= ") VALUES ("; - $sql .= $conf->entity.", "; - $sql .= " ".(!isset($this->ref) ? 'NULL' : "'".$this->db->escape($this->ref)."'").","; - $sql .= " ".(!isset($this->description) ? 'NULL' : "'".$this->db->escape($this->description)."'").","; - $sql .= " ".($this->country_id > 0 ? $this->country_id : 'null').","; - $sql .= " ".(!isset($this->fk_code_type_resource) ? 'NULL' : "'".$this->db->escape($this->fk_code_type_resource)."'").","; - $sql .= " ".(!isset($this->note_public) ? 'NULL' : "'".$this->db->escape($this->note_public)."'").","; - $sql .= " ".(!isset($this->note_private) ? 'NULL' : "'".$this->db->escape($this->note_private)."'"); + $sql .= getEntity('resource') . ", "; + foreach ($new_resource_values as $value) { + $sql .= " " . ((isset($value) && $value > 0) ? "'" . $this->db->escape($value) . "'" : 'NULL') . ","; + } + $sql = rtrim($sql, ","); $sql .= ")"; + // Database session $this->db->begin(); - - dol_syslog(get_class($this)."::create", LOG_DEBUG); + try { + dol_syslog(get_class($this) . "::create", LOG_DEBUG); + } catch (Exception $exception) { + error_log('dol_syslog error: ' . $exception->getMessage()); + } $resql = $this->db->query($sql); if (!$resql) { $error++; @@ -169,37 +186,31 @@ class Dolresource extends CommonObject if (!$error) { $this->id = $this->db->last_insert_id(MAIN_DB_PREFIX.$this->table_element); - } - - if (!$error) { - $action = 'create'; - - // Actions on extra fields - if (!$error) { - $result = $this->insertExtraFields(); - if ($result < 0) { - $error++; - } + $result = $this->insertExtraFields(); + if ($result < 0) { + $error=-1; } } - if (!$error && !$notrigger) { - // Call trigger + if (!$error && !$no_trigger) { $result = $this->call_trigger('RESOURCE_CREATE', $user); if ($result < 0) { - $error++; + $error=-1; } - // End call triggers } // Commit or rollback if ($error) { foreach ($this->errors as $errmsg) { - dol_syslog(get_class($this)."::create ".$errmsg, LOG_ERR); + try { + dol_syslog(get_class($this) . "::create " . $errmsg, LOG_ERR); + } catch (Exception $exception) { + error_log('dol_syslog error: ' . $exception->getMessage()); + } $this->error .= ($this->error ? ', '.$errmsg : $errmsg); } $this->db->rollback(); - return -1 * $error; + return $error; } else { $this->db->commit(); return $this->id; @@ -207,11 +218,11 @@ class Dolresource extends CommonObject } /** - * Load object in memory from database + * Load object into memory from database * - * @param int $id Id of object - * @param string $ref Ref of object - * @return int Return integer <0 if KO, >0 if OK + * @param int $id Id of object + * @param string $ref Ref of object + * @return int Return integer if KO: <0 , if OK: >0 */ public function fetch($id, $ref = '') { @@ -220,8 +231,12 @@ class Dolresource extends CommonObject $sql .= " t.rowid,"; $sql .= " t.entity,"; $sql .= " t.ref,"; + $sql .= " t.address,"; + $sql .= " t.zip,"; + $sql .= " t.town,"; $sql .= " t.description,"; $sql .= " t.fk_country,"; + $sql .= " t.fk_state,"; $sql .= " t.fk_code_type_resource,"; $sql .= " t.note_public,"; $sql .= " t.note_private,"; @@ -244,8 +259,12 @@ class Dolresource extends CommonObject $this->id = $obj->rowid; $this->entity = $obj->entity; $this->ref = $obj->ref; + $this->address = $obj->address; + $this->zip = $obj->zip; + $this->town = $obj->town; $this->description = $obj->description; $this->country_id = $obj->fk_country; + $this->state_id = $obj->fk_state; $this->fk_code_type_resource = $obj->fk_code_type_resource; $this->note_public = $obj->note_public; $this->note_private = $obj->note_private; @@ -267,11 +286,11 @@ class Dolresource extends CommonObject /** - * Update object into database + * Update object in database * - * @param User $user User that modifies - * @param int $notrigger 0=launch triggers after, 1=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that modifies + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer if KO: <0 , if OK: >0 */ public function update($user = null, $notrigger = 0) { @@ -282,6 +301,15 @@ class Dolresource extends CommonObject if (isset($this->ref)) { $this->ref = trim($this->ref); } + if (isset($this->address)) { + $this->address = trim($this->address); + } + if (isset($this->zip)) { + $this->zip = trim($this->zip); + } + if (isset($this->town)) { + $this->town = trim($this->town); + } if (isset($this->fk_code_type_resource)) { $this->fk_code_type_resource = trim($this->fk_code_type_resource); } @@ -291,6 +319,9 @@ class Dolresource extends CommonObject if (!is_numeric($this->country_id)) { $this->country_id = 0; } + if (!is_numeric($this->state_id)) { + $this->state_id = 0; + } // $this->oldcopy should have been set by the caller of update (here properties were already modified) if (empty($this->oldcopy)) { @@ -300,8 +331,12 @@ class Dolresource extends CommonObject // Update request $sql = "UPDATE ".MAIN_DB_PREFIX.$this->table_element." SET"; $sql .= " ref=".(isset($this->ref) ? "'".$this->db->escape($this->ref)."'" : "null").","; + $sql .= " address=".(isset($this->address) ? "'".$this->db->escape($this->address)."'" : "null").","; + $sql .= " zip=".(isset($this->zip) ? "'".$this->db->escape($this->zip)."'" : "null").","; + $sql .= " town=".(isset($this->town) ? "'".$this->db->escape($this->town)."'" : "null").","; $sql .= " description=".(isset($this->description) ? "'".$this->db->escape($this->description)."'" : "null").","; $sql .= " fk_country=".($this->country_id > 0 ? $this->country_id : "null").","; + $sql .= " fk_state=".($this->state_id > 0 ? $this->state_id : "null").","; $sql .= " fk_code_type_resource=".(isset($this->fk_code_type_resource) ? "'".$this->db->escape($this->fk_code_type_resource)."'" : "null").","; $sql .= " tms=".(dol_strlen($this->tms) != 0 ? "'".$this->db->idate($this->tms)."'" : 'null'); $sql .= " WHERE rowid=".((int) $this->id); @@ -368,16 +403,14 @@ class Dolresource extends CommonObject } } - // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Load data of resource links in memory from database + * Load data of resource links into memory from database * - * @param int $id Id of link element_resources - * @return int Return integer <0 if KO, >0 if OK + * @param int $id Id of link element_resources + * @return int Return integer if KO: <0, if OK: >0 */ - public function fetch_element_resource($id) + public function fetchElementResource($id) { - // phpcs:enable $sql = "SELECT"; $sql .= " t.rowid,"; $sql .= " t.resource_id,"; @@ -423,11 +456,11 @@ class Dolresource extends CommonObject } /** - * Delete a resource object + * Delete a resource object * - * @param int $rowid Id of resource line to delete - * @param int $notrigger Disable all triggers - * @return int >0 if OK, <0 if KO + * @param int $rowid Id of resource line to delete + * @param int $notrigger Disable all triggers + * @return int Return integer if OK: >0, if KO: <0 */ public function delete($rowid, $notrigger = 0) { @@ -498,20 +531,18 @@ class Dolresource extends CommonObject } } - // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Load resource objects into $this->lines + * Load resource objects into $this->lines * - * @param string $sortorder sort order - * @param string $sortfield sort field - * @param int $limit limit page - * @param int $offset page - * @param array $filter filter output - * @return int <0 if KO, Number of lines loaded if OK + * @param string $sortorder sort order + * @param string $sortfield sort field + * @param int $limit limit page + * @param int $offset page + * @param array $filter filter output + * @return int Return integer if KO: <0, if OK number of lines loaded */ - public function fetchAll($sortorder, $sortfield, $limit, $offset, $filter = '') + public function fetchAll($sortorder, $sortfield, $limit, $offset, $filter = []) { - // phpcs:enable require_once DOL_DOCUMENT_ROOT.'/core/class/extrafields.class.php'; $extrafields = new ExtraFields($this->db); @@ -519,8 +550,12 @@ class Dolresource extends CommonObject $sql .= " t.rowid,"; $sql .= " t.entity,"; $sql .= " t.ref,"; + $sql .= " t.address,"; + $sql .= " t.zip,"; + $sql .= " t.town,"; $sql .= " t.description,"; $sql .= " t.fk_country,"; + $sql .= " t.fk_state,"; $sql .= " t.fk_code_type_resource,"; $sql .= " t.tms,"; // Add fields from extrafields @@ -562,8 +597,12 @@ class Dolresource extends CommonObject $line = new Dolresource($this->db); $line->id = $obj->rowid; $line->ref = $obj->ref; + $line->address = $obj->address; + $line->zip = $obj->zip; + $line->town = $obj->town; $line->description = $obj->description; $line->country_id = $obj->fk_country; + $line->state_id = $obj->fk_state; $line->fk_code_type_resource = $obj->fk_code_type_resource; $line->type_label = $obj->type_label; @@ -582,29 +621,27 @@ class Dolresource extends CommonObject } } - // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Update element resource into database + * Update element resource in database * - * @param User $user User that modifies - * @param int $notrigger 0=launch triggers after, 1=disable triggers - * @return int Return integer <0 if KO, >0 if OK + * @param User $user User that modifies + * @param int $notrigger 0=launch triggers after, 1=disable triggers + * @return int Return integer if KO: <0, if OK: >0 */ - public function update_element_resource($user = null, $notrigger = 0) + public function updateElementResource($user = null, $notrigger = 0) { - // phpcs:enable global $conf, $langs; $error = 0; // Clean parameters - if (isset($this->resource_id)) { - $this->resource_id = trim($this->resource_id); + if (!is_numeric($this->resource_id)) { + $this->resource_id = 0; } if (isset($this->resource_type)) { $this->resource_type = trim($this->resource_type); } - if (isset($this->element_id)) { - $this->element_id = trim($this->element_id); + if (!is_numeric($this->element_id)) { + $this->element_id = 0; } if (isset($this->element_type)) { $this->element_type = trim($this->element_type); @@ -618,14 +655,13 @@ class Dolresource extends CommonObject // Update request $sql = "UPDATE ".MAIN_DB_PREFIX."element_resources SET"; - $sql .= " resource_id=".(isset($this->resource_id) ? "'".$this->db->escape($this->resource_id)."'" : "null").","; - $sql .= " resource_type=".(isset($this->resource_type) ? "'".$this->db->escape($this->resource_type)."'" : "null").","; - $sql .= " element_id=".(isset($this->element_id) ? $this->element_id : "null").","; - $sql .= " element_type=".(isset($this->element_type) ? "'".$this->db->escape($this->element_type)."'" : "null").","; - $sql .= " busy=".(isset($this->busy) ? $this->busy : "null").","; - $sql .= " mandatory=".(isset($this->mandatory) ? $this->mandatory : "null").","; - $sql .= " tms=".(dol_strlen($this->tms) != 0 ? "'".$this->db->idate($this->tms)."'" : 'null'); - + $sql .= " resource_id = ".(isset($this->resource_id) ? (int) $this->resource_id : "null").","; + $sql .= " resource_type = ".(isset($this->resource_type) ? "'".$this->db->escape($this->resource_type)."'" : "null").","; + $sql .= " element_id = ".(isset($this->element_id) ? (int) $this->element_id : "null").","; + $sql .= " element_type = ".(isset($this->element_type) ? "'".$this->db->escape($this->element_type)."'" : "null").","; + $sql .= " busy = ".(isset($this->busy) ? (int) $this->busy : "null").","; + $sql .= " mandatory = ".(isset($this->mandatory) ? (int) $this->mandatory : "null").","; + $sql .= " tms = ".(dol_strlen($this->tms) != 0 ? "'".$this->db->idate($this->tms)."'" : 'null'); $sql .= " WHERE rowid=".((int) $this->id); $this->db->begin(); @@ -669,13 +705,13 @@ class Dolresource extends CommonObject * @param string $element Element * @param int $element_id Id * @param string $resource_type Type - * @return array Aray of resources + * @return array Array of resources */ public function getElementResources($element, $element_id, $resource_type = '') { $resources = array(); - // Links beetween objects are stored in this table + // Links between objects are stored in this table $sql = 'SELECT rowid, resource_id, resource_type, busy, mandatory'; $sql .= ' FROM '.MAIN_DB_PREFIX.'element_resources'; $sql .= " WHERE element_id=".((int) $element_id)." AND element_type='".$this->db->escape($element)."'"; @@ -711,9 +747,9 @@ class Dolresource extends CommonObject /** * Return an int number of resources linked to the element * - * @param string $element Element type - * @param int $element_id Element id - * @return int Nb of resources loaded + * @param string $element Element type + * @param int $element_id Element id + * @return int Nb of resources loaded */ public function fetchElementResources($element, $element_id) { @@ -726,16 +762,13 @@ class Dolresource extends CommonObject return $i; } - - // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Load in cache resource type code (setup in dictionary) + * Load in cache resource type code (setup in dictionary) * - * @return int Number of lines loaded, 0 if already loaded, <0 if KO + * @return int Number of lines loaded, if already loaded: 0, if KO: <0 */ - public function load_cache_code_type_resource() + public function loadCacheCodeTypeResource() { - // phpcs:enable global $langs; if (is_array($this->cache_code_type_resource) && count($this->cache_code_type_resource)) { @@ -754,7 +787,7 @@ class Dolresource extends CommonObject while ($i < $num) { $obj = $this->db->fetch_object($resql); - $label = ($langs->trans("ResourceTypeShort".$obj->code) != ("ResourceTypeShort".$obj->code) ? $langs->trans("ResourceTypeShort".$obj->code) : ($obj->label != '-' ? $obj->label : '')); + $label = ($langs->trans("ResourceTypeShort".$obj->code) != "ResourceTypeShort".$obj->code ? $langs->trans("ResourceTypeShort".$obj->code) : ($obj->label != '-' ? $obj->label : '')); $this->cache_code_type_resource[$obj->rowid]['code'] = $obj->code; $this->cache_code_type_resource[$obj->rowid]['label'] = $label; $this->cache_code_type_resource[$obj->rowid]['active'] = $obj->active; @@ -770,9 +803,9 @@ class Dolresource extends CommonObject /** * getTooltipContentArray * - * @param array $params ex option, infologin - * @since v18 - * @return array + * @param array $params ex option, infologin + * @since v18 + * @return array */ public function getTooltipContentArray($params) { @@ -795,11 +828,11 @@ class Dolresource extends CommonObject } /** - * Return clicable link of object (with eventually picto) + * Return clickable link of object (with optional picto) * * @param int $withpicto Add picto into link * @param string $option Where point the link ('compta', 'expedition', 'document', ...) - * @param string $get_params Parametres added to url + * @param string $get_params Parameters added to url * @param int $notooltip 1=Disable tooltip * @param string $morecss Add more css on link * @param int $save_lastsearch_value -1=Auto, 0=No save of lastsearch_values when clicking, 1=Save lastsearch_values whenclicking @@ -878,39 +911,35 @@ class Dolresource extends CommonObject /** - * Return the label of the status + * Get status label * - * @param int $mode 0=long label, 1=short label, 2=Picto + short label, 3=Picto, 4=Picto + long label, 5=Short label + Picto, 6=Long label + Picto - * @return string Label of status + * @param int $mode 0=long label, 1=short label, 2=Picto + short label, 3=Picto, 4=Picto + long label, 5=Short label + Picto, 6=Long label + Picto + * @return string Label of status */ public function getLibStatut($mode = 0) { - return $this->LibStatut($this->status, $mode); + return $this->getLibStatusLabel($this->status, $mode); } - // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Return the status + * Get status * - * @param int $status Id status - * @param int $mode 0=long label, 1=short label, 2=Picto + short label, 3=Picto, 4=Picto + long label, 5=Short label + Picto, 5=Long label + Picto - * @return string Label of status + * @param int $status Id status + * @param int $mode 0=long label, 1=short label, 2=Picto + short label, 3=Picto, 4=Picto + long label, 5=Short label + Picto, 5=Long label + Picto + * @return string Label of status */ - public static function LibStatut($status, $mode = 0) + public static function getLibStatusLabel($status, $mode = 0) { - // phpcs:enable return ''; } - // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Charge indicateurs this->nb de tableau de bord + * Load indicators this->nb for state board * - * @return int Return integer <0 if KO, >0 if OK + * @return int Return integer if KO: <0, if OK: >0 */ - public function load_state_board() + public function loadStateBoard() { - // phpcs:enable $this->nb = array(); $sql = "SELECT count(r.rowid) as nb"; diff --git a/htdocs/resource/class/html.formresource.class.php b/htdocs/resource/class/html.formresource.class.php index 6186a90cd60..888e3aa91c7 100644 --- a/htdocs/resource/class/html.formresource.class.php +++ b/htdocs/resource/class/html.formresource.class.php @@ -2,6 +2,7 @@ /* Copyright (C) - 2013-2015 Jean-François FERRY * Copyright (C) 2019 Frédéric France * Copyright (C) 2022 Ferran Marcet + * Copyright (C) 2023 William Mead * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -65,21 +66,21 @@ class FormResource /** * Output html form to select a resource * - * @param int $selected Preselected resource id - * @param string $htmlname Name of field in form - * @param string $filter Optionnal filters criteras (example: 's.rowid <> x') + * @param int $selected Preselected resource id + * @param string $htmlname Name of field in form + * @param array $filter Optional filters criteria (example: 's.rowid <> x') * @param int $showempty Add an empty field - * @param int $showtype Show third party type in combolist (customer, prospect or supplier) + * @param int $showtype Show third party type in combo list (customer, prospect or supplier) * @param int $forcecombo Force to use combo box * @param array $event Event options. Example: array(array('method'=>'getContacts', 'url'=>dol_buildpath('/core/ajax/contacts.php',1), 'htmlname'=>'contactid', 'params'=>array('add-customer-contact'=>'disabled'))) - * @param string $filterkey Filter on key value + * @param array $filterkey Filter on key value * @param int $outputmode 0=HTML select string, 1=Array, 2=without form tag * @param int $limit Limit number of answers * @param string $morecss More css - * @param bool $multiple add [] in the name of element and add 'multiple' attribut + * @param bool $multiple add [] in the name of element and add 'multiple' attribute * @return string|array HTML string with */ - public function select_resource_list($selected = '', $htmlname = 'fk_resource', $filter = '', $showempty = 0, $showtype = 0, $forcecombo = 0, $event = array(), $filterkey = '', $outputmode = 0, $limit = 20, $morecss = '', $multiple = false) + public function select_resource_list($selected = 0, $htmlname = 'fk_resource', $filter = [], $showempty = 0, $showtype = 0, $forcecombo = 0, $event = array(), $filterkey = '', $outputmode = 0, $limit = 20, $morecss = '', $multiple = false) { // phpcs:enable global $conf, $user, $langs; @@ -190,7 +191,7 @@ class FormResource $filterarray = explode(',', $filtertype); } - $resourcestat->load_cache_code_type_resource(); + $resourcestat->loadCacheCodeTypeResource(); print '' . "\n"; + + return $out; + } + + // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps + /** + * Returns the drop-down list of departments/provinces/cantons for all countries or for a given country. + * In the case of an all-country list, the display breaks on the country. + * The key of the list is the code (there can be several entries for a given code but in this case, the country field differs). + * Thus the links with the departments are done on a department independently of its name. + * + * @param int $selected Code state preselected (mus be state id) + * @param integer $country_codeid Country code or id: 0=list for all countries, otherwise country code or country rowid to show + * @param string $htmlname Id of department. If '', we want only the string with
      '; $totalpaid = $object->getSommePaiement(); + $object->alreadypaid = $totalpaid; $object->totalpaid = $totalpaid; dol_banner_tab($object, 'id', $linkback, 1, 'rowid', 'ref', $morehtmlref, '', 0, '', ''); @@ -1000,7 +1002,7 @@ if ($id > 0) { $i = 0; $total = 0; - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '.$langs->trans("ResourceFormLabel_ref").'
      '.$form->editfieldkey('Address', 'address', '', $object, 0).''; + print $form->widgetForTranslation("address", $object, $permissiontoadd, 'textarea', 'alphanohtml', 'quatrevingtpercent'); + print '
      '.$form->editfieldkey('Zip', 'zipcode', '', $object, 0).'
      '.$form->editfieldkey('Town', 'town', '', $object, 0).'
      '.$langs->trans("CountryOrigin").''; + print $form->select_country($object->country_id, 'country_id'); + if ($user->admin) { + print info_admin($langs->trans("YouCanChangeValuesForThisListFromDictionarySetup"), 1); + } + print '
      '.$form->editfieldkey('Region-State', 'state_id', '', $object, 0).''; + } else { + print '
      '.$form->editfieldkey('State', 'state_id', '', $object, 0).''; + } + + if ($object->country_id) { + print img_picto('', 'state', 'class="pictofixedwidth"'); + print $formresource->select_state($object->state_id, $object->country_code); + } else { + print $langs->trans("ErrorSetACountryFirst").' ('.$langs->trans("SeeAbove").')'; + } + print '
      '.$langs->trans("ResourceType").''; @@ -236,14 +294,6 @@ if ($action == 'create' || $object->fetch($id, $ref) > 0) { $doleditor->Create(); print '
      '.$langs->trans("CountryOrigin").''; - print $form->select_country($object->country_id, 'country_id'); - if ($user->admin) { - print info_admin($langs->trans("YouCanChangeValuesForThisListFromDictionarySetup"), 1); - } - print '
      '; print ''; print ''; @@ -1012,15 +1014,23 @@ if ($id > 0) { print ''; print ''; + $paymentsalarytemp = new PaymentSalary($db); + if ($num > 0) { $bankaccountstatic = new Account($db); while ($i < $num) { $objp = $db->fetch_object($resql); + $paymentsalarytemp->id = $objp->rowid; + $paymentsalarytemp->ref = $objp->rowid; + $paymentsalarytemp->num_payment = $objp->num_payment; + $paymentsalarytemp->datep = $objp->dp; + print ''; + print $paymentsalarytemp->getNomUrl(1); + print ''; print '\n"; - $labeltype = $langs->trans("PaymentType".$objp->type_code) != ("PaymentType".$objp->type_code) ? $langs->trans("PaymentType".$objp->type_code) : $objp->paiement_type; + $labeltype = $langs->trans("PaymentType".$objp->type_code) != "PaymentType".$objp->type_code ? $langs->trans("PaymentType".$objp->type_code) : $objp->paiement_type; print "\n"; if (isModEnabled("banque")) { $bankaccountstatic->id = $objp->baid; diff --git a/htdocs/salaries/class/paymentsalary.class.php b/htdocs/salaries/class/paymentsalary.class.php index 030f9b41e9f..fd1a6e5acc7 100644 --- a/htdocs/salaries/class/paymentsalary.class.php +++ b/htdocs/salaries/class/paymentsalary.class.php @@ -34,37 +34,51 @@ require_once DOL_DOCUMENT_ROOT.'/salaries/class/salary.class.php'; class PaymentSalary extends CommonObject { /** - * @var string ID to identify managed object + * @var string ID to identify managed object */ public $element = 'payment_salary'; /** - * @var string Name of table without prefix where object is stored + * @var string Name of table without prefix where object is stored */ public $table_element = 'payment_salary'; /** - * @var string String with name of icon for myobject. Must be the part after the 'object_' into object_myobject.png + * @var string String with name of icon for myobject. Must be the part after the 'object_' into object_myobject.png */ public $picto = 'payment'; /** - * @var int ID + * @var int chid + * @deprecated + * @see $fk_salary + */ + public $chid; + + /** + * @var int ID of the salary linked to the payment */ public $fk_salary; + /** + * @var int Payment creation date + */ public $datec = ''; + + /** + * @var int Timestamp + */ public $tms = ''; /** - * @var int|string date of payment + * @var int|string Date of payment * @deprecated * @see $datep */ public $datepaye = ''; /** - * @var int|string date of payment + * @var int|string Date of payment */ public $datep = ''; @@ -74,11 +88,18 @@ class PaymentSalary extends CommonObject */ public $total; - public $amount; // Total amount of payment - public $amounts = array(); // Array of amounts + /** + * @var float Total amount of payment + */ + public $amount; /** - * @var int ID + * @var array Array of amounts + */ + public $amounts = array(); + + /** + * @var int Payment type ID */ public $fk_typepayment; @@ -89,57 +110,50 @@ class PaymentSalary extends CommonObject public $num_paiement; /** - * @var string + * @var string Payment reference */ public $num_payment; /** - * @var int ID + * @inheritdoc */ public $fk_bank; /** - * @var int ID of bank_line + * @var int ID of bank_line */ public $bank_line; /** - * @var int ID + * @var int ID of the user who created the payment */ public $fk_user_author; /** - * @var int ID + * @var int ID of the user who modified the payment */ public $fk_user_modif; /** - * @var int Types paiement + * @var int Payment type */ public $type_code; /** - * @var int Paiement label + * @var int Payment label */ public $type_label; /** - * @var int bank account description + * @var int Bank account description */ public $bank_account; /** - * @var int|string validation date + * @var int|string Payment validation date */ public $datev = ''; - /** - * @var int chid - * @deprecated - * @see $id from CommonObject - */ - public $chid; - /** * @var array */ @@ -162,8 +176,8 @@ class PaymentSalary extends CommonObject * Use this->amounts to have list of lines for the payment * * @param User $user User making payment - * @param int $closepaidcontrib 1=Also close payed contributions to paid, 0=Do nothing more - * @return int <0 if KO, id of payment if OK + * @param int $closepaidcontrib 1=Also close paid contributions to paid, 0=Do nothing more + * @return int Return integer <0 if KO, id of payment if OK */ public function create($user, $closepaidcontrib = 0) { @@ -181,7 +195,7 @@ class PaymentSalary extends CommonObject $this->datep = $this->datepaye; } - // Validate parametres + // Validate parameters if (empty($this->datep)) { $this->error = 'ErrorBadValueForParameterCreatePaymentSalary'; return -1; @@ -233,45 +247,43 @@ class PaymentSalary extends CommonObject $this->db->begin(); if ($totalamount != 0) { - $sql = "INSERT INTO ".MAIN_DB_PREFIX."payment_salary (entity, fk_salary, datec, datep, amount,"; - $sql .= " fk_typepayment, num_payment, note, fk_user_author, fk_bank)"; - $sql .= " VALUES (".((int) $conf->entity).", ".((int) $this->fk_salary).", '".$this->db->idate($now)."',"; - $sql .= " '".$this->db->idate($this->datep)."',"; - $sql .= " ".price2num($totalamount).","; - $sql .= " ".((int) $this->fk_typepayment).", '".$this->db->escape($this->num_payment)."', '".$this->db->escape($this->note)."', ".((int) $user->id).","; - $sql .= " 0)"; + // Insert array of amounts + foreach ($this->amounts as $key => $amount) { + $salary_id = $key; + $amount = price2num($amount); + if (is_numeric($amount) && !empty($amount)) { + // We can have n payments for 1 salary but we can't have 1 payments for n salaries (for invoices link is n-n, not for salaries). + $sql = "INSERT INTO ".MAIN_DB_PREFIX."payment_salary (entity, fk_salary, datec, datep, amount,"; + $sql .= " fk_typepayment, num_payment, note, fk_user_author, fk_bank)"; + $sql .= " VALUES (".((int) $conf->entity).", ".((int) $salary_id).", '".$this->db->idate($now)."',"; + $sql .= " '".$this->db->idate($this->datep)."',"; + $sql .= " ".price2num($amount).","; + $sql .= " ".((int) $this->fk_typepayment).", '".$this->db->escape($this->num_payment)."', '".$this->db->escape($this->note)."', ".((int) $user->id).","; + $sql .= " 0)"; - $resql = $this->db->query($sql); - if ($resql) { - $this->id = $this->db->last_insert_id(MAIN_DB_PREFIX."payment_salary"); + $resql = $this->db->query($sql); + if ($resql) { + $this->id = $this->db->last_insert_id(MAIN_DB_PREFIX."payment_salary"); + } - // Insere tableau des montants / factures - foreach ($this->amounts as $key => $amount) { - $contribid = $key; - if (is_numeric($amount) && $amount <> 0) { - $amount = price2num($amount); - - // If we want to closed payed invoices - if ($closepaidcontrib) { - $tmpsalary = new Salary($this->db); - $tmpsalary->fetch($contribid); - $paiement = $tmpsalary->getSommePaiement(); - //$creditnotes=$tmpsalary->getSumCreditNotesUsed(); - $creditnotes = 0; - //$deposits=$tmpsalary->getSumDepositsUsed(); - $deposits = 0; - $alreadypayed = price2num($paiement + $creditnotes + $deposits, 'MT'); - $remaintopay = price2num($tmpsalary->amount - $paiement - $creditnotes - $deposits, 'MT'); - if ($remaintopay == 0) { - $result = $tmpsalary->setPaid($user); - } else { - dol_syslog("Remain to pay for conrib ".$contribid." not null. We do nothing."); - } + // If we want to closed paid invoices + if ($closepaidcontrib) { + $tmpsalary = new Salary($this->db); + $tmpsalary->fetch($salary_id); + $paiement = $tmpsalary->getSommePaiement(); + //$creditnotes=$tmpsalary->getSumCreditNotesUsed(); + $creditnotes = 0; + //$deposits=$tmpsalary->getSumDepositsUsed(); + $deposits = 0; + $alreadypayed = price2num($paiement + $creditnotes + $deposits, 'MT'); + $remaintopay = price2num($tmpsalary->amount - $paiement - $creditnotes - $deposits, 'MT'); + if ($remaintopay == 0) { + $result = $tmpsalary->setPaid($user); + } else { + dol_syslog("Remain to pay for salary id=".$salary_id." not null. We do nothing."); } } } - } else { - $error++; } } @@ -284,7 +296,7 @@ class PaymentSalary extends CommonObject $this->amount = $totalamount; $this->total = $totalamount; // deprecated $this->db->commit(); - return $this->id; + return $this->id; // id of the last payment inserted } else { $this->error = $this->db->error(); $this->db->rollback(); @@ -553,19 +565,18 @@ class PaymentSalary extends CommonObject public function initAsSpecimen() { $this->id = 0; - - $this->fk_salary = ''; + $this->fk_salary = 0; $this->datec = ''; $this->tms = ''; $this->datepaye = ''; - $this->amount = ''; - $this->fk_typepayment = ''; + $this->amount = 0.0; + $this->fk_typepayment = 0; $this->num_payment = ''; $this->note_private = ''; $this->note_public = ''; - $this->fk_bank = ''; - $this->fk_user_author = ''; - $this->fk_user_modif = ''; + $this->fk_bank = 0; + $this->fk_user_author = 0; + $this->fk_user_modif = 0; } @@ -583,7 +594,7 @@ class PaymentSalary extends CommonObject */ public function addPaymentToBank($user, $mode, $label, $accountid, $emetteur_nom, $emetteur_banque) { - global $conf, $langs; + global $langs; // Clean data $this->num_payment = trim($this->num_payment ? $this->num_payment : $this->num_paiement); @@ -704,7 +715,7 @@ class PaymentSalary extends CommonObject * Old name of function is update_date() * * @param int $date New date - * @return int <0 if KO, 0 if OK + * @return int Return integer <0 if KO, 0 if OK */ public function updatePaymentDate($date) { @@ -915,33 +926,6 @@ class PaymentSalary extends CommonObject $result .= $hookmanager->resPrint; } - /* - if (empty($this->ref)) $this->ref = $this->lib; - - $label = img_picto('', $this->picto).' '.$langs->trans("SalaryPayment").''; - $label .= '
      '.$langs->trans('Ref').': '.$this->ref; - if (!empty($this->label)) { - $labeltoshow = $this->label; - $reg = array(); - if (preg_match('/^\((.*)\)$/i', $this->label, $reg)) { - // Label generique car entre parentheses. On l'affiche en le traduisant - if ($reg[1] == 'paiement') $reg[1] = 'Payment'; - $labeltoshow = $langs->trans($reg[1]); - } - $label .= '
      '.$langs->trans('Label').': '.$labeltoshow; - } - if ($this->datep) { - $label .= '
      '.$langs->trans('Date').': '.dol_print_date($this->datep, 'day'); - } - - if (!empty($this->id)) { - $link = ''; - $linkend = ''; - - if ($withpicto) $result .= ($link.img_object($label, 'payment', 'class="classfortooltip"').$linkend); - if ($withpicto != 2) $result .= $link.($maxlen ?dol_trunc($this->ref, $maxlen) : $this->ref).$linkend; - } - */ return $result; } @@ -971,8 +955,10 @@ class PaymentSalary extends CommonObject if (!empty($this->total_ttc)) { $datas['AmountTTC'] = '
      '.$langs->trans('AmountTTC').': '.price($this->total_ttc, 0, $langs, 0, -1, -1, $conf->currency); } - if (!empty($this->datepaye)) { - $datas['Date'] = '
      '.$langs->trans('Date').': '.dol_print_date($this->datepaye, 'day'); + if (!empty($this->datep)) { + $datas['Date'] = '
      '.$langs->trans('Date').': '.dol_print_date($this->datep, 'dayhour', 'tzuserrel'); + } elseif (!empty($this->datepaye)) { + $datas['Date'] = '
      '.$langs->trans('Date').': '.dol_print_date($this->datepaye, 'dayhour', 'tzuserrel'); } } diff --git a/htdocs/salaries/class/salariesstats.class.php b/htdocs/salaries/class/salariesstats.class.php index a1e701ed87e..f7b468653ed 100644 --- a/htdocs/salaries/class/salariesstats.class.php +++ b/htdocs/salaries/class/salariesstats.class.php @@ -20,13 +20,13 @@ /** * \file htdocs/salaries/class/salariesstats.class.php * \ingroup salaries - * \brief File of class for statistics on salaries + * \brief File of class to manage salary statistics */ include_once DOL_DOCUMENT_ROOT.'/core/class/stats.class.php'; include_once DOL_DOCUMENT_ROOT.'/salaries/class/salary.class.php'; /** - * Classe permettant la gestion des stats des salaires + * Class to manage salary statistics */ class SalariesStats extends Stats { @@ -93,9 +93,9 @@ class SalariesStats extends Stats /** * Return the number of salary by month, for a given year * - * @param string $year Year to scan + * @param int $year Year to scan * @param int $format 0=Label of abscissa is a translated text, 1=Label of abscissa is month number, 2=Label of abscissa is first letter of month - * @return array Array of values + * @return array Array of values by month */ public function getNbByMonth($year, $format = 0) { diff --git a/htdocs/salaries/class/salary.class.php b/htdocs/salaries/class/salary.class.php index 24c1a3f0ac3..bf3af9539d1 100644 --- a/htdocs/salaries/class/salary.class.php +++ b/htdocs/salaries/class/salary.class.php @@ -268,6 +268,7 @@ class Salary extends CommonObject $this->dateep = $this->db->jdate($obj->dateep); $this->note = $obj->note; $this->paye = $obj->paye; + $this->status = $obj->paye; $this->fk_bank = $obj->fk_bank; $this->fk_user_author = $obj->fk_user_author; $this->fk_user_modif = $obj->fk_user_modif; @@ -292,7 +293,7 @@ class Salary extends CommonObject * Delete object in database * * @param User $user User that delete - * @param bool $notrigger false=launch triggers after, true=disable triggers + * @param int $notrigger 0=launch triggers after, 1=disable triggers * @return int Return integer <0 if KO, >0 if OK */ public function delete($user, $notrigger = 0) @@ -313,7 +314,7 @@ class Salary extends CommonObject $this->id = 0; $this->tms = ''; - $this->fk_user = ''; + $this->fk_user = 0; $this->datep = ''; $this->datev = ''; $this->amount = ''; @@ -321,9 +322,9 @@ class Salary extends CommonObject $this->datesp = ''; $this->dateep = ''; $this->note = ''; - $this->fk_bank = ''; - $this->fk_user_author = ''; - $this->fk_user_modif = ''; + $this->fk_bank = 0; + $this->fk_user_author = 0; + $this->fk_user_modif = 0; } /** @@ -479,19 +480,29 @@ class Salary extends CommonObject /** * getTooltipContentArray - * @param array $params params to construct tooltip data + * + * @param array $params params to construct tooltip data * @since v18 * @return array */ public function getTooltipContentArray($params) { - global $conf, $langs, $user; + global $langs; $langs->loadLangs(['salaries']); + // Complete datas + if (!empty($params['fromajaxtooltip']) && !isset($this->alreadypaid)) { + // Load the alreadypaid field + $this->alreadypaid = $this->getSommePaiement(0); + } + $datas = []; - $option = $params['option'] ?? ''; + $datas['picto'] = ''.$langs->trans("Salary").''; + if (isset($this->status) && isset($this->alreadypaid)) { + $datas['picto'] .= ' '.$this->getLibStatut(5, $this->alreadypaid); + } $datas['ref'] = '
      '.$langs->trans('Ref').': '.$this->ref; return $datas; @@ -509,9 +520,7 @@ class Salary extends CommonObject */ public function getNomUrl($withpicto = 0, $option = '', $notooltip = 0, $morecss = '', $save_lastsearch_value = -1) { - global $db, $conf, $langs, $hookmanager; - global $dolibarr_main_authentication, $dolibarr_main_demo; - global $menumanager; + global $conf, $langs, $hookmanager; if (!empty($conf->dol_no_mouse_hover)) { $notooltip = 1; @@ -588,31 +597,47 @@ class Salary extends CommonObject /** * Return amount of payments already done * - * @return int Amount of payment already done, <0 if KO + * @param int $multicurrency Return multicurrency_amount instead of amount. -1=Return both. + * @return float|int|array Amount of payment already done, <0 and set ->error if KO */ - public function getSommePaiement() + public function getSommePaiement($multicurrency = 0) { $table = 'payment_salary'; $field = 'fk_salary'; $sql = "SELECT sum(amount) as amount"; + //sum(multicurrency_amount) as multicurrency_amount // Not yet supported $sql .= " FROM ".MAIN_DB_PREFIX.$table; $sql .= " WHERE ".$field." = ".((int) $this->id); dol_syslog(get_class($this)."::getSommePaiement", LOG_DEBUG); + $resql = $this->db->query($sql); if ($resql) { - $amount = 0; - $obj = $this->db->fetch_object($resql); - if ($obj) { - $amount = $obj->amount ? $obj->amount : 0; - } $this->db->free($resql); - return $amount; + + if ($obj) { + if ($multicurrency < 0) { + //$this->sumpayed = $obj->amount; + //$this->sumpayed_multicurrency = $obj->multicurrency_amount; + //return array('alreadypaid'=>(float) $obj->amount, 'alreadypaid_multicurrency'=>(float) $obj->multicurrency_amount); + return array(); // Not yet supported + } elseif ($multicurrency) { + //$this->sumpayed_multicurrency = $obj->multicurrency_amount; + //return (float) $obj->multicurrency_amount; + return -1; // Not yet supported + } else { + //$this->sumpayed = $obj->amount; + return (float) $obj->amount; + } + } else { + return 0; + } } else { + $this->error = $this->db->lasterror(); return -1; } } @@ -651,7 +676,7 @@ class Salary extends CommonObject // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Tag social contribution as payed completely + * Tag social contribution as paid completely * * @deprecated * @see setPaid() @@ -666,7 +691,7 @@ class Salary extends CommonObject } /** - * Tag social contribution as payed completely + * Tag social contribution as paid completely * * @param User $user Object user making change * @return int Return integer <0 if KO, >0 if OK @@ -689,7 +714,7 @@ class Salary extends CommonObject // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps /** - * Remove tag payed on social contribution + * Remove tag paid on social contribution * * @param User $user Object user making change * @return int Return integer <0 if KO, >0 if OK @@ -716,7 +741,7 @@ class Salary extends CommonObject * Return label of current status * * @param int $mode 0=label long, 1=labels short, 2=Picto + Label short, 3=Picto, 4=Picto + Label long, 5=Label short + Picto - * @param double $alreadypaid 0=No payment already done, >0=Some payments were already done (we recommand to put here amount payed if you have it, 1 otherwise) + * @param double $alreadypaid 0=No payment already done, >0=Some payments were already done (we recommend to put here amount paid if you have it, 1 otherwise) * @return string Label */ public function getLibStatut($mode = 0, $alreadypaid = -1) @@ -730,7 +755,7 @@ class Salary extends CommonObject * * @param int $status Id status * @param int $mode 0=long label, 1=short label, 2=Picto + short label, 3=Picto, 4=Picto + long label, 5=short label + picto, 6=Long label + picto - * @param double $alreadypaid 0=No payment already done, >0=Some payments were already done (we recommand to put here amount payed if you have it, 1 otherwise) + * @param double $alreadypaid 0=No payment already done, >0=Some payments were already done (we recommend to put here amount paid if you have it, 1 otherwise) * @return string Label */ public function LibStatut($status, $mode = 0, $alreadypaid = -1) @@ -750,18 +775,18 @@ class Salary extends CommonObject //$langs->load("mymodule"); $this->labelStatus[self::STATUS_UNPAID] = $langs->transnoentitiesnoconv('BillStatusNotPaid'); $this->labelStatus[self::STATUS_PAID] = $langs->transnoentitiesnoconv('BillStatusPaid'); - if ($status == self::STATUS_UNPAID && $alreadypaid <> 0) { + if ($status == self::STATUS_UNPAID && $alreadypaid != 0) { $this->labelStatus[self::STATUS_UNPAID] = $langs->transnoentitiesnoconv("BillStatusStarted"); } $this->labelStatusShort[self::STATUS_UNPAID] = $langs->transnoentitiesnoconv('BillStatusNotPaid'); $this->labelStatusShort[self::STATUS_PAID] = $langs->transnoentitiesnoconv('BillStatusPaid'); - if ($status == self::STATUS_UNPAID && $alreadypaid <> 0) { + if ($status == self::STATUS_UNPAID && $alreadypaid != 0) { $this->labelStatusShort[self::STATUS_UNPAID] = $langs->transnoentitiesnoconv("BillStatusStarted"); } } $statusType = 'status1'; - if ($status == 0 && $alreadypaid <> 0) { + if ($status == 0 && $alreadypaid != 0) { $statusType = 'status3'; } if ($status == 1) { @@ -828,7 +853,7 @@ class Salary extends CommonObject * @param string $type 'direct-debit' or 'bank-transfer' * @param string $sourcetype Source ('facture' or 'supplier_invoice') * @param int $checkduplicateamongall 0=Default (check among open requests only to find if request already exists). 1=Check also among requests completely processed and cancel if at least 1 request exists whatever is its status. - * @return int <0 if KO, 0 if a request already exists, >0 if OK + * @return int Return integer <0 if KO, 0 if a request already exists, >0 if OK */ public function demande_prelevement($fuser, $amount = 0, $type = 'direct-debit', $sourcetype = 'salaire', $checkduplicateamongall = 0) { @@ -945,7 +970,7 @@ class Salary extends CommonObject * * @param User $fuser User making delete * @param int $did ID of request to delete - * @return int <0 if OK, >0 if KO + * @return int Return integer <0 if OK, >0 if KO */ public function demande_prelevement_delete($fuser, $did) { diff --git a/htdocs/salaries/list.php b/htdocs/salaries/list.php index 4bb0d118839..89dc0b6927c 100644 --- a/htdocs/salaries/list.php +++ b/htdocs/salaries/list.php @@ -100,7 +100,7 @@ $filtre = GETPOST("filtre", 'restricthtml'); $childids = $user->getAllChildIds(1); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alpha'); $search = array(); foreach ($object->fields as $key => $val) { @@ -476,7 +476,7 @@ $varpage = empty($contextpage) ? $_SERVER["PHP_SELF"] : $contextpage; $selectedfields = ($mode != 'kanban' ? $form->multiSelectArrayWithCheckbox('selectedfields', $arrayfields, $varpage, getDolGlobalString('MAIN_CHECKBOX_LEFT_COLUMN', '')) : ''); // This also change content of $arrayfields $selectedfields .= (count($arrayofmassactions) ? $form->showCheckAddButtons('checkforselect', 1) : ''); -print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table +print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '.$langs->trans("RefPayment").''.$langs->trans("Amount").'
      '; - print ''.img_object($langs->trans("Payment"), "payment").' '.$objp->rowid.''.dol_print_date($db->jdate($objp->dp), 'dayhour', 'tzuserrel')."".$labeltype.' '.$objp->num_payment."
      '."\n"; // Fields title search @@ -646,6 +646,8 @@ while ($i < $imaxinloop) { $salstatic->ref = $obj->rowid; $salstatic->label = $obj->label; $salstatic->paye = $obj->paye; + $salstatic->status = $obj->paye; + $salstatic->alreadypaid = $obj->alreadypayed; $salstatic->datesp = $obj->datesp; $salstatic->dateep = $obj->dateep; $salstatic->amount = $obj->amount; @@ -774,7 +776,7 @@ while ($i < $imaxinloop) { } $totalarray['val']['totalttcfield'] += $obj->amount; - print ''; + print ''; if (!$i) { $totalarray['nbfield']++; } diff --git a/htdocs/salaries/paiement_salary.php b/htdocs/salaries/paiement_salary.php index 4b2d721a93f..3d8e9caf355 100644 --- a/htdocs/salaries/paiement_salary.php +++ b/htdocs/salaries/paiement_salary.php @@ -106,11 +106,11 @@ if (($action == 'add_payment' || ($action == 'confirm_paiement' && $confirm == ' // Create a line of payments $paiement = new PaymentSalary($db); - $paiement->id = $id; + $paiement->fk_salary = $id; $paiement->chid = $id; // deprecated $paiement->datep = $datepaye; $paiement->amounts = $amounts; // Tableau de montant - $paiement->paiementtype = GETPOST("paiementtype", 'alphanohtml'); + $paiement->fk_typepayment = GETPOSTINT("paiementtype"); $paiement->num_payment = GETPOST("num_payment", 'alphanohtml'); $paiement->note = GETPOST("note", 'restricthtml'); $paiement->note_private = GETPOST("note", 'restricthtml'); @@ -126,6 +126,7 @@ if (($action == 'add_payment' || ($action == 'confirm_paiement' && $confirm == ' if (!$error) { $result = $paiement->addPaymentToBank($user, 'payment_salary', '(SalaryPayment)', GETPOST('accountid', 'int'), '', ''); + if (!($result > 0)) { $error++; setEventMessages($paiement->error, null, 'errors'); @@ -237,7 +238,9 @@ if ($action == 'create') { print ''; print ''; - print ''; + print ''; print ''; print '
      '.$salstatic->LibStatut($obj->paye, 5, $obj->alreadypayed).''.$salstatic->getLibStatut(5, $obj->alreadypayed).'
      '.$langs->trans("Comments").'
      '; diff --git a/htdocs/salaries/payment_salary/card.php b/htdocs/salaries/payment_salary/card.php index bdf21475a77..d5aff1dd250 100644 --- a/htdocs/salaries/payment_salary/card.php +++ b/htdocs/salaries/payment_salary/card.php @@ -194,7 +194,7 @@ print dol_get_fiche_end(); /* - * List of salaries payed + * List of salaries paid */ $disable_delete = 0; @@ -213,7 +213,7 @@ if ($resql) { $total = 0; print '
      '; - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print ''; print ''; print ''; @@ -239,7 +239,7 @@ if ($resql) { print ''; // Status print ''; - // Amount payed + // Amount paid print ''; print "\n"; if ($objp->paye == 1) { diff --git a/htdocs/salaries/payments.php b/htdocs/salaries/payments.php index fce86a83217..c80070c78dd 100644 --- a/htdocs/salaries/payments.php +++ b/htdocs/salaries/payments.php @@ -115,7 +115,7 @@ if (!GETPOST('search_type_id', 'int')) { $childids = $user->getAllChildIds(1); -// Initialize array of search criterias +// Initialize array of search criteria $search_all = GETPOST("search_all", 'alpha'); $search = array(); foreach ($object->fields as $key => $val) { @@ -234,7 +234,7 @@ $now = dol_now(); $help_url = ''; $title = $langs->trans('SalariesPayments'); -$sql = "SELECT u.rowid as uid, u.lastname, u.firstname, u.login, u.email, u.admin, u.salary as current_salary, u.fk_soc as fk_soc, u.statut as status,"; +$sql = "SELECT u.rowid as uid, u.lastname, u.firstname, u.login, u.email, u.admin, u.photo, u.gender, u.salary as current_salary, u.fk_soc as fk_soc, u.statut as status,"; $sql .= " s.rowid, s.fk_user, s.amount, s.salary, sal.rowid as id_salary, sal.label, s.datep as datep, sal.dateep, b.datev as datev, s.fk_typepayment as type, s.num_payment, s.fk_bank,"; $sql .= " ba.rowid as bid, ba.ref as bref, ba.number as bnumber, ba.account_number, ba.fk_accountancy_journal, ba.label as blabel, ba.iban_prefix as iban, ba.bic, ba.currency_code, ba.clos,"; $sql .= " pst.code as payment_code"; @@ -297,7 +297,12 @@ $sql .= $db->order($sortfield, $sortorder); $nbtotalofrecords = ''; if (!getDolGlobalInt('MAIN_DISABLE_FULL_SCANLIST')) { $resql = $db->query($sql); - $nbtotalofrecords = $db->num_rows($resql); + if ($resql) { + $nbtotalofrecords = $db->num_rows($resql); + } else { + dol_print_error($db); + } + if (($page * $limit) > $nbtotalofrecords) { // if total of record found is smaller than page * limit, goto and load page 0 $page = 0; $offset = 0; @@ -593,6 +598,8 @@ while ($i < $imaxinloop) { $userstatic->socid = $obj->fk_soc; $userstatic->statut = $obj->status; $userstatic->status = $obj->status; + $userstatic->gender = $obj->gender; + $userstatic->photo = $obj->photo; $salstatic->id = $obj->id_salary; $salstatic->ref = $obj->id_salary; @@ -675,7 +682,7 @@ while ($i < $imaxinloop) { if (!$i) $totalarray['nbfield']++;*/ // Employee - print "\n"; + print '\n"; if (!$i) { $totalarray['nbfield']++; } diff --git a/htdocs/salaries/stats/index.php b/htdocs/salaries/stats/index.php index 06196c4c049..d9ea0e72a7c 100644 --- a/htdocs/salaries/stats/index.php +++ b/htdocs/salaries/stats/index.php @@ -53,7 +53,7 @@ $result = restrictedArea($user, 'salaries', '', '', ''); $nowyear = dol_print_date(dol_now('gmt'), "%Y", 'gmt'); $year = GETPOST('year') > 0 ? GETPOST('year') : $nowyear; -$startyear = $year - (!getDolGlobalString('MAIN_STATS_GRAPHS_SHOW_N_YEARS') ? 2 : max(1, min(10, $conf->global->MAIN_STATS_GRAPHS_SHOW_N_YEARS))); +$startyear = $year - (!getDolGlobalString('MAIN_STATS_GRAPHS_SHOW_N_YEARS') ? 2 : max(1, min(10, getDolGlobalString('MAIN_STATS_GRAPHS_SHOW_N_YEARS')))); $endyear = $year; diff --git a/htdocs/salaries/virement_request.php b/htdocs/salaries/virement_request.php index 01d9ca9b186..e787a889e46 100644 --- a/htdocs/salaries/virement_request.php +++ b/htdocs/salaries/virement_request.php @@ -104,7 +104,7 @@ if ($id > 0 || !empty($ref)) { $permissiontoread = $user->rights->salaries->read; $permissiontoadd = $user->rights->salaries->write; // Used by the include of actions_addupdatedelete.inc.php and actions_linkedfiles -$permissiontodelete = $user->rights->salaries->delete || ($permissiontoadd && isset($object->status) && $object->status == $object::STATUS_DRAFT); +$permissiontodelete = $user->rights->salaries->delete || ($permissiontoadd && isset($object->status) && $object->status == $object::STATUS_UNPAID); $moreparam = ''; if ($type == 'bank-transfer') { @@ -369,7 +369,7 @@ if ($resql) { $i = 0; $total = 0; - print '
      '; // You can use div-table-responsive-no-min if you dont need reserved height for your table + print '
      '; // You can use div-table-responsive-no-min if you don't need reserved height for your table print '
      '.$langs->trans('Salary').''.price($objp->sc_amount).''.$salary->getLibStatut(4, $objp->amount).''.price($objp->amount).'
      ".$userstatic->getNomUrl(1)."'.$userstatic->getNomUrl(-1)."
      '; print ''; print ''; @@ -389,7 +389,7 @@ if ($resql) { print ''; print '\n"; - $labeltype = $langs->trans("PaymentType".$objp->type_code) != ("PaymentType".$objp->type_code) ? $langs->trans("PaymentType".$objp->type_code) : $objp->paiement_type; + $labeltype = $langs->trans("PaymentType".$objp->type_code) != "PaymentType".$objp->type_code ? $langs->trans("PaymentType".$objp->type_code) : $objp->paiement_type; print "\n"; if (isModEnabled("banque")) { $bankaccountstatic->id = $objp->baid; @@ -481,7 +481,7 @@ if ($object->paye == 0 && $hadRequest == 0) { print ''; if (getDolGlobalString('STRIPE_SEPA_DIRECT_DEBIT_SHOW_OLD_BUTTON')) { // This is hidden, prefer to use mode enabled with STRIPE_SEPA_DIRECT_DEBIT - // TODO Replace this with a checkbox for each payment mode: "Send request to XXX immediatly..." + // TODO Replace this with a checkbox for each payment mode: "Send request to XXX immediately..." print "
      "; //add stripe sepa button $buttonlabel = $langs->trans("MakeWithdrawRequestStripe"); @@ -613,7 +613,7 @@ if ($resql) { print $withdrawreceipt->getNomUrl(1); } - if ($type != 'bank-transfer') { + if (!in_array($type, array('bank-transfer', 'salaire', 'salary'))) { if (getDolGlobalString('STRIPE_SEPA_DIRECT_DEBIT')) { $langs->load("stripe"); if ($obj->fk_prelevement_bons > 0) { @@ -627,7 +627,7 @@ if ($resql) { if ($obj->fk_prelevement_bons > 0) { print '   '; } - print 'rowid.'&id='.$object->id.'&type='.urlencode($type).'">'.img_picto('', 'stripe', 'class="pictofixedwidth"').$langs->trans("RequestDirectDebitWithStripe").''; + print 'rowid.'&id='.$object->id.'&type='.urlencode($type).'">'.img_picto('', 'stripe', 'class="pictofixedwidth"').$langs->trans("RequesCreditTransferWithStripe").''; } } print ''; diff --git a/htdocs/societe/admin/societe.php b/htdocs/societe/admin/societe.php index 301dbe6dd59..66f7c413f19 100644 --- a/htdocs/societe/admin/societe.php +++ b/htdocs/societe/admin/societe.php @@ -223,7 +223,7 @@ if ($action == "setvatinlist") { } } -//Activate Set adress in list +//Activate Set address in list if ($action == "setaddadressinlist") { $val = GETPOST('value', 'int'); $res = dolibarr_set_const($db, "COMPANY_SHOW_ADDRESS_SELECTLIST", $val, 'yesno', 0, '', $conf->entity); @@ -391,7 +391,7 @@ foreach ($dirsociete as $dirroot) { dol_syslog($e->getMessage(), LOG_ERR); } - $modCodeTiers = new $file; + $modCodeTiers = new $file(); // Show modules according to features level if ($modCodeTiers->version == 'development' && getDolGlobalInt('MAIN_FEATURES_LEVEL') < 2) { @@ -477,7 +477,7 @@ foreach ($dirsociete as $dirroot) { dol_syslog($e->getMessage(), LOG_ERR); } - $modCodeCompta = new $file; + $modCodeCompta = new $file(); $arrayofmodules[$file] = $modCodeCompta; } @@ -593,9 +593,9 @@ foreach ($dirsociete as $dirroot) { print " - + diff --git a/htdocs/societe/canvas/company/tpl/card_edit.tpl.php b/htdocs/societe/canvas/company/tpl/card_edit.tpl.php index c928d1e2514..651a9cc180d 100644 --- a/htdocs/societe/canvas/company/tpl/card_edit.tpl.php +++ b/htdocs/societe/canvas/company/tpl/card_edit.tpl.php @@ -129,7 +129,7 @@ if (isModEnabled('barcode')) { ?> - + diff --git a/htdocs/societe/canvas/company/tpl/card_view.tpl.php b/htdocs/societe/canvas/company/tpl/card_view.tpl.php index 1fc6a5067a7..e4fa05d1b0e 100644 --- a/htdocs/societe/canvas/company/tpl/card_view.tpl.php +++ b/htdocs/societe/canvas/company/tpl/card_view.tpl.php @@ -61,7 +61,7 @@ print dol_get_fiche_head($head, 'card', $langs->trans("ThirdParty"), 0, 'company @@ -72,7 +72,7 @@ print dol_get_fiche_head($head, 'card', $langs->trans("ThirdParty"), 0, 'company diff --git a/htdocs/societe/canvas/individual/actions_card_individual.class.php b/htdocs/societe/canvas/individual/actions_card_individual.class.php index 376dbefa1bf..4778cf7f4f0 100644 --- a/htdocs/societe/canvas/individual/actions_card_individual.class.php +++ b/htdocs/societe/canvas/individual/actions_card_individual.class.php @@ -18,7 +18,7 @@ /** * \file htdocs/societe/canvas/individual/actions_card_individual.class.php * \ingroup thirdparty - * \brief Fichier de la classe Thirdparty card controller (individual canvas) + * \brief File for class for Thirdparty card controller with individual canvas */ include_once DOL_DOCUMENT_ROOT.'/societe/canvas/actions_card_common.class.php'; @@ -33,7 +33,7 @@ class ActionsCardIndividual extends ActionsCardCommon /** * Constructor * - * @param DoliDB $db Handler acces base de donnees + * @param DoliDB $db Handler access base de donnees * @param string $dirmodule Name of directory of module * @param string $targetmodule Name of directory of module where canvas is stored * @param string $canvas Name of canvas diff --git a/htdocs/societe/canvas/individual/tpl/card_create.tpl.php b/htdocs/societe/canvas/individual/tpl/card_create.tpl.php index 8ed547f7ecd..e46721b167c 100644 --- a/htdocs/societe/canvas/individual/tpl/card_create.tpl.php +++ b/htdocs/societe/canvas/individual/tpl/card_create.tpl.php @@ -122,7 +122,7 @@ if (isModEnabled('barcode')) { ?> - + diff --git a/htdocs/societe/canvas/individual/tpl/card_edit.tpl.php b/htdocs/societe/canvas/individual/tpl/card_edit.tpl.php index e86d2376896..9c53ad5b3d8 100644 --- a/htdocs/societe/canvas/individual/tpl/card_edit.tpl.php +++ b/htdocs/societe/canvas/individual/tpl/card_edit.tpl.php @@ -126,7 +126,7 @@ if ($this->control->tpl['fournisseur']) { - + diff --git a/htdocs/societe/canvas/individual/tpl/card_view.tpl.php b/htdocs/societe/canvas/individual/tpl/card_view.tpl.php index 093b8c896e5..b23df41c5b9 100644 --- a/htdocs/societe/canvas/individual/tpl/card_view.tpl.php +++ b/htdocs/societe/canvas/individual/tpl/card_view.tpl.php @@ -56,7 +56,7 @@ if ($this->control->tpl['action_delete']) { @@ -67,7 +67,7 @@ if ($this->control->tpl['action_delete']) { diff --git a/htdocs/societe/card.php b/htdocs/societe/card.php index b280efc4536..7c0edb9f450 100644 --- a/htdocs/societe/card.php +++ b/htdocs/societe/card.php @@ -110,7 +110,7 @@ if (!empty($backtopagejsfields)) { $dol_openinpopup = $tmpbacktopagejsfields[0]; } -$socid = GETPOST('socid', 'int') ?GETPOST('socid', 'int') : GETPOST('id', 'int'); +$socid = GETPOST('socid', 'int') ? GETPOST('socid', 'int') : GETPOST('id', 'int'); if ($user->socid) { $socid = $user->socid; } @@ -347,8 +347,8 @@ if (empty($reshook)) { $object->idprof5 = trim(GETPOST('idprof5', 'alphanohtml')); $object->idprof6 = trim(GETPOST('idprof6', 'alphanohtml')); $object->prefix_comm = GETPOST('prefix_comm', 'alphanohtml'); - $object->code_client = GETPOSTISSET('customer_code') ?GETPOST('customer_code', 'alpha') : GETPOST('code_client', 'alpha'); - $object->code_fournisseur = GETPOSTISSET('supplier_code') ?GETPOST('supplier_code', 'alpha') : GETPOST('code_fournisseur', 'alpha'); + $object->code_client = GETPOSTISSET('customer_code') ? GETPOST('customer_code', 'alpha') : GETPOST('code_client', 'alpha'); + $object->code_fournisseur = GETPOSTISSET('supplier_code') ? GETPOST('supplier_code', 'alpha') : GETPOST('code_fournisseur', 'alpha'); $object->capital = GETPOST('capital', 'alphanohtml'); $object->barcode = GETPOST('barcode', 'alphanohtml'); @@ -413,7 +413,7 @@ if (empty($reshook)) { // Fill array 'array_options' with data from add form $ret = $extrafields->setOptionalsFromPost(null, $object); if ($ret < 0) { - $error++; + $error++; } // Fill array 'array_languages' with data from add form @@ -430,7 +430,7 @@ if (empty($reshook)) { // Check parameters if (!GETPOST('cancel', 'alpha')) { - if (!empty($object->email) && !isValidEMail($object->email)) { + if (!empty($object->email) && !isValidEmail($object->email)) { $langs->load("errors"); $error++; setEventMessages($langs->trans("ErrorBadEMail", $object->email), null, 'errors'); @@ -446,7 +446,8 @@ if (empty($reshook)) { } if (!isValidUrl($object->webservices_url)) { $langs->load("errors"); - $error++; $errors[] = $langs->trans("ErrorBadUrl", $object->webservices_url); + $error++; + $errors[] = $langs->trans("ErrorBadUrl", $object->webservices_url); } } @@ -837,7 +838,7 @@ if (empty($reshook)) { // Actions to build doc $id = $socid; - $upload_dir = !empty($conf->societe->multidir_output[$object->entity])?$conf->societe->multidir_output[$object->entity]:$conf->societe->dir_output; + $upload_dir = !empty($conf->societe->multidir_output[$object->entity]) ? $conf->societe->multidir_output[$object->entity] : $conf->societe->dir_output; $permissiontoadd = $user->hasRight('societe', 'creer'); include DOL_DOCUMENT_ROOT.'/core/actions_builddoc.inc.php'; } @@ -858,7 +859,7 @@ if (isModEnabled('accounting')) { if ($socid > 0 && empty($object->id)) { $result = $object->fetch($socid); if ($result <= 0) { - dol_print_error('', $object->error); + dol_print_error(null, $object->error); exit(-1); } } @@ -904,7 +905,7 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio } // Load object modCodeTiers - $module = (getDolGlobalString('SOCIETE_CODECLIENT_ADDON') ? $conf->global->SOCIETE_CODECLIENT_ADDON : 'mod_codeclient_leopard'); + $module = getDolGlobalString('SOCIETE_CODECLIENT_ADDON', 'mod_codeclient_leopard'); if (substr($module, 0, 15) == 'mod_codeclient_' && substr($module, -3) == 'php') { $module = substr($module, 0, dol_strlen($module) - 4); } @@ -915,9 +916,9 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio break; } } - $modCodeClient = new $module; + $modCodeClient = new $module($db); // Load object modCodeFournisseur - $module = (getDolGlobalString('SOCIETE_CODECLIENT_ADDON') ? $conf->global->SOCIETE_CODECLIENT_ADDON : 'mod_codeclient_leopard'); + $module = getDolGlobalString('SOCIETE_CODECLIENT_ADDON', 'mod_codeclient_leopard'); if (substr($module, 0, 15) == 'mod_codeclient_' && substr($module, -3) == 'php') { $module = substr($module, 0, dol_strlen($module) - 4); } @@ -928,7 +929,7 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio break; } } - $modCodeFournisseur = new $module; + $modCodeFournisseur = new $module($db); // Define if customer/prospect or supplier status is set or not if (GETPOST("type", 'aZ') != 'f') { @@ -940,7 +941,7 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio // Prospect / Customer if (GETPOST("type", 'aZ') == 'c') { if (getDolGlobalString('THIRDPARTY_CUSTOMERTYPE_BY_DEFAULT')) { - $object->client = $conf->global->THIRDPARTY_CUSTOMERTYPE_BY_DEFAULT; + $object->client = getDolGlobalString('THIRDPARTY_CUSTOMERTYPE_BY_DEFAULT'); } else { $object->client = 3; } @@ -962,7 +963,7 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio $object->firstname = GETPOST('firstname', 'alphanohtml'); $object->particulier = $private; $object->prefix_comm = GETPOST('prefix_comm', 'alphanohtml'); - $object->client = GETPOST('client', 'int') ?GETPOST('client', 'int') : $object->client; + $object->client = GETPOST('client', 'int') ? GETPOST('client', 'int') : $object->client; if (empty($duplicate_code_error)) { $object->code_client = GETPOST('customer_code', 'alpha'); @@ -1037,11 +1038,11 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio } } - $object->logo = (isset($_FILES['photo']) ?dol_sanitizeFileName($_FILES['photo']['name']) : ''); + $object->logo = (isset($_FILES['photo']) ? dol_sanitizeFileName($_FILES['photo']['name']) : ''); // Company logo management $dir = $conf->societe->multidir_output[$conf->entity]."/".$object->id."/logos"; - $file_OK = (isset($_FILES['photo']) ?is_uploaded_file($_FILES['photo']['tmp_name']) : false); + $file_OK = (isset($_FILES['photo']) ? is_uploaded_file($_FILES['photo']['tmp_name']) : false); if ($file_OK) { if (image_format_supported($_FILES['photo']['name'])) { dol_mkdir($dir); @@ -1061,7 +1062,7 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio } // We set country_id, country_code and country for the selected country - $object->country_id = GETPOST('country_id') ?GETPOST('country_id') : $mysoc->country_id; + $object->country_id = GETPOST('country_id') ? GETPOST('country_id') : $mysoc->country_id; if ($object->country_id) { $tmparray = getCountry($object->country_id, 'all'); $object->country_code = $tmparray['code']; @@ -1105,7 +1106,7 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio $("#typent_id").change(); $("#effectif_id").val(id_ef15); $("#effectif_id").change(); - /* Force to recompute the width of a select2 field when it was hidden and then shown programatically */ + /* Force to recompute the width of a select2 field when it was hidden and then shown programmatically */ if ($("#civility_id").data("select2")) { $("#civility_id").select2({width: "resolve"}); } @@ -1153,7 +1154,7 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($canvasdisplayactio print ''."\n"; } -print ''."\n"; +$usediv = (GETPOST('format') == 'div'); + +print ''."\n"; print '
      '; -print '
      '.$langs->trans("RefPayment").'
      '; print ''.img_object($langs->trans("Payment"), "payment").' '.$objp->rowid.''.dol_print_date($db->jdate($objp->dp), 'dayhour', 'tzuserrel')."".$labeltype.' '.$objp->num_payment."\n"; //if ($conf->global->COMPANY_ADDON_PDF != "$name") //{ - print 'scandir.'&label='.urlencode($module->name).'">'; - print img_picto($langs->trans("Enabled"), 'switch_on'); - print ''; + print 'scandir.'&label='.urlencode($module->name).'">'; + print img_picto($langs->trans("Enabled"), 'switch_on'); + print ''; //} //else //{ @@ -695,9 +695,9 @@ foreach ($profid as $key => $val) { $idprof_mandatory = 'SOCIETE_'.$key.'_MANDATORY'; $idprof_invoice_mandatory = 'SOCIETE_'.$key.'_INVOICE_MANDATORY'; - $verif = (empty($conf->global->$idprof_unique) ?false:true); - $mandatory = (empty($conf->global->$idprof_mandatory) ?false:true); - $invoice_mandatory = (empty($conf->global->$idprof_invoice_mandatory) ?false:true); + $verif = (empty($conf->global->$idprof_unique) ? false : true); + $mandatory = (empty($conf->global->$idprof_mandatory) ? false : true); + $invoice_mandatory = (empty($conf->global->$idprof_invoice_mandatory) ? false : true); if ($verif) { print ''; diff --git a/htdocs/societe/agenda.php b/htdocs/societe/agenda.php index a32782fab17..41d5460566e 100644 --- a/htdocs/societe/agenda.php +++ b/htdocs/societe/agenda.php @@ -38,7 +38,7 @@ require_once DOL_DOCUMENT_ROOT.'/societe/class/societe.class.php'; // Load translation files required by the page $langs->loadLangs(array('agenda', 'bills', 'companies', 'orders', 'propal')); -$contextpage = GETPOST('contextpage', 'aZ') ?GETPOST('contextpage', 'aZ') : 'thirdpartyagenda'; +$contextpage = GETPOST('contextpage', 'aZ') ? GETPOST('contextpage', 'aZ') : 'thirdpartyagenda'; if (GETPOST('actioncode', 'array')) { $actioncode = GETPOST('actioncode', 'array', 3); @@ -46,13 +46,13 @@ if (GETPOST('actioncode', 'array')) { $actioncode = '0'; } } else { - $actioncode = GETPOST("actioncode", "alpha", 3) ?GETPOST("actioncode", "alpha", 3) : (GETPOST("actioncode") == '0' ? '0' : getDolGlobalString('AGENDA_DEFAULT_FILTER_TYPE_FOR_OBJECT')); + $actioncode = GETPOST("actioncode", "alpha", 3) ? GETPOST("actioncode", "alpha", 3) : (GETPOST("actioncode") == '0' ? '0' : getDolGlobalString('AGENDA_DEFAULT_FILTER_TYPE_FOR_OBJECT')); } $search_rowid = GETPOST('search_rowid'); $search_agenda_label = GETPOST('search_agenda_label'); -$limit = GETPOST('limit', 'int') ?GETPOST('limit', 'int') : $conf->liste_limit; +$limit = GETPOST('limit', 'int') ? GETPOST('limit', 'int') : $conf->liste_limit; $sortfield = GETPOST('sortfield', 'aZ09comma'); $sortorder = GETPOST('sortorder', 'aZ09comma'); $page = GETPOSTISSET('pageplusone') ? (GETPOST('pageplusone') - 1) : GETPOST("page", 'int'); @@ -210,9 +210,9 @@ if (isModEnabled('agenda') && ($user->hasRight('agenda', 'myactions', 'read') || $cachekey = 'count_events_thirdparty_'.$object->id; $nbEvent = dol_getcache($cachekey); - $titlelist = $langs->trans("ActionsOnCompany").(is_numeric($nbEvent) ? '('.$nbEvent.')': ''); + $titlelist = $langs->trans("ActionsOnCompany").(is_numeric($nbEvent) ? '('.$nbEvent.')' : ''); if (!empty($conf->dol_optimize_smallscreen)) { - $titlelist = $langs->trans("Actions").(is_numeric($nbEvent) ? '('.$nbEvent.')': ''); + $titlelist = $langs->trans("Actions").(is_numeric($nbEvent) ? '('.$nbEvent.')' : ''); } print_barre_liste($titlelist, 0, $_SERVER["PHP_SELF"], '', $sortfield, $sortorder, '', 0, -1, '', 0, $morehtmlright, '', 0, 1, 0); diff --git a/htdocs/societe/ajax/company.php b/htdocs/societe/ajax/company.php index f625b94bed7..19cee63dcb1 100644 --- a/htdocs/societe/ajax/company.php +++ b/htdocs/societe/ajax/company.php @@ -106,7 +106,7 @@ if (!empty($action) && $action == 'fetch' && !empty($id)) { $id = (!empty($match[0]) ? $match[0] : ''); // Take first key found into GET array with matching $htmlname123 // When used from jQuery, the search term is added as GET param "term". - $searchkey = (($id && GETPOST($id, 'alpha')) ? GETPOST($id, 'alpha') : (($htmlname && GETPOST($htmlname, 'alpha')) ?GETPOST($htmlname, 'alpha') : '')); + $searchkey = (($id && GETPOST($id, 'alpha')) ? GETPOST($id, 'alpha') : (($htmlname && GETPOST($htmlname, 'alpha')) ? GETPOST($htmlname, 'alpha') : '')); if (!$searchkey) { return; } diff --git a/htdocs/societe/canvas/actions_card_common.class.php b/htdocs/societe/canvas/actions_card_common.class.php index b9119174058..0ca0079270a 100644 --- a/htdocs/societe/canvas/actions_card_common.class.php +++ b/htdocs/societe/canvas/actions_card_common.class.php @@ -19,11 +19,11 @@ /** * \file htdocs/societe/canvas/actions_card_common.class.php * \ingroup thirdparty - * \brief Fichier de la classe Thirdparty card controller (common) + * \brief File for the abstract class to manage third parties */ /** - * Classe permettant la gestion des tiers par defaut + * Abstract class to manage third parties */ abstract class ActionsCardCommon { @@ -153,7 +153,7 @@ abstract class ActionsCardCommon } // Load object modCodeClient - $module = (getDolGlobalString('SOCIETE_CODECLIENT_ADDON') ? $conf->global->SOCIETE_CODECLIENT_ADDON : 'mod_codeclient_leopard'); + $module = getDolGlobalString('SOCIETE_CODECLIENT_ADDON', 'mod_codeclient_leopard'); if (substr($module, 0, 15) == 'mod_codeclient_' && substr($module, -3) == 'php') { $module = substr($module, 0, dol_strlen($module) - 4); } @@ -192,7 +192,7 @@ abstract class ActionsCardCommon $this->tpl['supplier_enabled'] = 1; // Load object modCodeFournisseur - $module = $conf->global->SOCIETE_CODECLIENT_ADDON; + $module = getDolGlobalString('SOCIETE_CODECLIENT_ADDON'); if (substr($module, 0, 15) == 'mod_codeclient_' && substr($module, -3) == 'php') { $module = substr($module, 0, dol_strlen($module) - 4); } @@ -203,7 +203,7 @@ abstract class ActionsCardCommon break; } } - $modCodeFournisseur = new $module; + $modCodeFournisseur = new $module(); $this->tpl['auto_suppliercode'] = $modCodeFournisseur->code_auto; // We verified if the tag prefix is used if ($modCodeFournisseur->code_auto) { @@ -253,13 +253,13 @@ abstract class ActionsCardCommon } // VAT - $this->tpl['yn_assujtva'] = $form->selectyesno('assujtva_value', $this->tpl['tva_assuj'], 1); // Assujeti par defaut en creation + $this->tpl['yn_assujtva'] = $form->selectyesno('assujtva_value', $this->tpl['tva_assuj'], 1); // Assujeti par default en creation // Select users $this->tpl['select_users'] = $form->select_dolusers($this->object->commercial_id, 'commercial_id', 1, '', 0, '', '', 0, 0, 0, '', 0, '', 'maxwidth300'); // Local Tax - // TODO mettre dans une classe propre au pays + // TODO Implement country specific action in country specific class if ($mysoc->country_code == 'ES') { $this->tpl['localtax'] = ''; @@ -357,7 +357,7 @@ abstract class ActionsCardCommon } // Local Tax - // TODO mettre dans une classe propre au pays + // TODO Implement country specific action in country specific class if ($mysoc->country_code == 'ES') { $this->tpl['localtax'] = ''; @@ -396,7 +396,7 @@ abstract class ActionsCardCommon $this->object->code_client = GETPOST("code_client"); $this->object->fournisseur = GETPOST("fournisseur"); $this->object->code_fournisseur = GETPOST("code_fournisseur"); - $this->object->address = GETPOST("adresse"); + $this->object->address = GETPOST("address"); $this->object->zip = GETPOST("zipcode"); $this->object->town = GETPOST("town"); $this->object->country_id = GETPOST("country_id") ? GETPOST("country_id") : $mysoc->country_id; diff --git a/htdocs/societe/canvas/company/actions_card_company.class.php b/htdocs/societe/canvas/company/actions_card_company.class.php index cd95285d75b..f5d533ceeab 100644 --- a/htdocs/societe/canvas/company/actions_card_company.class.php +++ b/htdocs/societe/canvas/company/actions_card_company.class.php @@ -34,7 +34,7 @@ class ActionsCardCompany extends ActionsCardCommon /** * Constructor * - * @param DoliDB $db Handler acces base de donnees + * @param DoliDB $db Handler access base de donnees * @param string $dirmodule Name of directory of module * @param string $targetmodule Name of directory of module where canvas is stored * @param string $canvas Name of canvas diff --git a/htdocs/societe/canvas/company/tpl/card_create.tpl.php b/htdocs/societe/canvas/company/tpl/card_create.tpl.php index 97a2e490ac4..b18f0b31ec2 100644 --- a/htdocs/societe/canvas/company/tpl/card_create.tpl.php +++ b/htdocs/societe/canvas/company/tpl/card_create.tpl.php @@ -114,7 +114,7 @@ if (isModEnabled('barcode')) { ?>
      trans('Address'); ?>
      trans('Address'); ?>
      trans('CustomerCode'); ?> control->tpl['code_client']; ?> - control->tpl['checkcustomercode'] <> 0) { ?> + control->tpl['checkcustomercode'] != 0) { ?> (trans("WrongCustomerCode"); ?>)
      trans('SupplierCode'); ?> control->tpl['code_fournisseur']; ?> - control->tpl['checksuppliercode'] <> 0) { ?> + control->tpl['checksuppliercode'] != 0) { ?> (trans("WrongSupplierCode"); ?>)
      trans('Address'); ?>
      trans('Address'); ?>
      trans('CustomerCode'); ?> control->tpl['code_client']; ?> - control->tpl['checkcustomercode'] <> 0) { ?> + control->tpl['checkcustomercode'] != 0) { ?> (trans("WrongCustomerCode"); ?>)
      trans('SupplierCode'); ?> control->tpl['code_fournisseur']; ?> - control->tpl['checksuppliercode'] <> 0) { ?> + control->tpl['checksuppliercode'] != 0) { ?> (trans("WrongSupplierCode"); ?>)
      '; +if ($usediv) { + print '
      '; +} else { + print '
      '; +} if ($sectionwithinvoicelink && ($mobilepage == "invoice" || $mobilepage == "")) { if (getDolGlobalString('TAKEPOS_SHOW_HT')) { print ''; @@ -1447,40 +1504,38 @@ if ($sectionwithinvoicelink && ($mobilepage == "invoice" || $mobilepage == "")) print ''; } } -print ''; -print ''; + print ''; } -print ''; -// complete header by hook +// Complete header by hook $parameters=array(); $reshook=$hookmanager->executeHooks('completeTakePosInvoiceHeader', $parameters, $invoice, $action); // Note that $action and $object may have been modified by some hooks if ($reshook < 0) { @@ -1504,7 +1559,6 @@ if (empty($_SESSION["basiclayout"]) || $_SESSION["basiclayout"] != 1) { $multicurrency->fetch(0, $_SESSION["takeposcustomercurrency"]); print '
      (' . price($invoice->total_ht * $multicurrency->rate->rate) . ' ' . $_SESSION["takeposcustomercurrency"] . ')'; } - print ''; } print ''; } @@ -1520,28 +1574,27 @@ if (empty($_SESSION["basiclayout"]) || $_SESSION["basiclayout"] != 1) { $multicurrency->fetch(0, $_SESSION["takeposcustomercurrency"]); print '
      ('.price($invoice->total_ttc * $multicurrency->rate->rate).' '.$_SESSION["takeposcustomercurrency"].')'; } - print ''; } print ''; } elseif ($mobilepage == "invoice") { print ''; } -print "\n"; - +if (!$usediv) { + print "\n"; +} if (!empty($_SESSION["basiclayout"]) && $_SESSION["basiclayout"] == 1) { if ($mobilepage == "cats") { require_once DOL_DOCUMENT_ROOT.'/categories/class/categorie.class.php'; $categorie = new Categorie($db); $categories = $categorie->get_full_arbo('product'); - $htmlforlines = ''; foreach ($categories as $row) { if (defined('INCLUDE_PHONEPAGE_FROM_PUBLIC_PAGE')) { - $htmlforlines .= '
      '; + $htmlforlines .= ' onclick="LoadProducts('.$row['id'].');">'; if (defined('INCLUDE_PHONEPAGE_FROM_PUBLIC_PAGE')) { $htmlforlines .= '
      '; } else { @@ -1554,8 +1607,6 @@ if (!empty($_SESSION["basiclayout"]) && $_SESSION["basiclayout"] == 1) { $htmlforlines .= ''."\n"; } } - $htmlforlines .= '
      '.$sectionwithinvoicelink.'
      '.$sectionwithinvoicelink.'
      '; + +// Show the list of selected product +if (!$usediv) { + print '
      '; +} // In phone version only show when it is invoice page if (empty($mobilepage) || $mobilepage == "invoice") { print ''; print ''; print ''; } -if (getDolGlobalString('TAKEPOS_BAR_RESTAURANT')) { - $sql = "SELECT floor, label FROM ".MAIN_DB_PREFIX."takepos_floor_tables where rowid=".((int) $place); - $resql = $db->query($sql); - $obj = $db->fetch_object($resql); - if ($obj) { - $label = $obj->label; - $floor = $obj->floor; +if (!$usediv) { + if (getDolGlobalString('TAKEPOS_BAR_RESTAURANT')) { + $sql = "SELECT floor, label FROM ".MAIN_DB_PREFIX."takepos_floor_tables where rowid=".((int) $place); + $resql = $db->query($sql); + $obj = $db->fetch_object($resql); + if ($obj) { + $label = $obj->label; + $floor = $obj->floor; + } + if ($mobilepage == "invoice" || $mobilepage == "") { + // If not on smartphone version or if it is the invoice page + //print 'mobilepage='.$mobilepage; + print ''.$langs->trans('Place')." ".(empty($label) ? '?' : $label)."
      "; + print ''.$langs->trans('Floor')." ".(empty($floor) ? '?' : $floor).""; + } } - if ($mobilepage == "invoice" || $mobilepage == "") { - // If not on smartphone version or if it is the invoice page - //print 'mobilepage='.$mobilepage; - print ''.$langs->trans('Place')." ".(empty($label) ? '?' : $label)."
      "; - print ''.$langs->trans('Floor')." ".(empty($floor) ? '?' : $floor).""; - } elseif (defined('INCLUDE_PHONEPAGE_FROM_PUBLIC_PAGE')) { - print $mysoc->name; - } elseif ($mobilepage == "cats") { - print $langs->trans('Category'); - } elseif ($mobilepage == "products") { - print $langs->trans('Label'); - } -} else { - print $langs->trans("Products"); + print '
      '.$langs->trans('Qty').'
      '; - $htmlforlines .= ''; print $htmlforlines; } @@ -1568,11 +1619,12 @@ if (!empty($_SESSION["basiclayout"]) && $_SESSION["basiclayout"] == 1) { $htmlforlines = ''; foreach ($prods as $row) { if (defined('INCLUDE_PHONEPAGE_FROM_PUBLIC_PAGE')) { - $htmlforlines .= '
      id.')">'; + $htmlforlines .= ' onclick="AddProduct(\''.$place.'\', '.$row->id.')"'; + $htmlforlines .= '>'; if (defined('INCLUDE_PHONEPAGE_FROM_PUBLIC_PAGE')) { $htmlforlines .= '
      '; $htmlforlines .= $row->label.' '.price($row->price_ttc, 1, $langs, 1, -1, -1, $conf->currency); @@ -1581,10 +1633,10 @@ if (!empty($_SESSION["basiclayout"]) && $_SESSION["basiclayout"] == 1) { $htmlforlines .= ''; $htmlforlines .= $row->label; $htmlforlines .= '
      '.price($row->price_ttc, 1, $langs, 1, -1, -1, $conf->currency).'
      '; + $htmlforlines .= ''; $htmlforlines .= ''."\n"; } } - $htmlforlines .= ''; print $htmlforlines; } @@ -1602,7 +1654,6 @@ if (!empty($_SESSION["basiclayout"]) && $_SESSION["basiclayout"] == 1) { $htmlforlines .= ''; $htmlforlines .= ''."\n"; } - $htmlforlines .= ''; print $htmlforlines; } } @@ -1815,22 +1866,31 @@ if ($placeid > 0) { print $htmlforlines; } } else { - print ''.$langs->trans("Empty").''; - if (getDolGlobalString('TAKEPOS_SHOW_HT')) { - print ''; + print ''.$langs->trans("Empty").''; + if (empty($_SESSION["basiclayout"]) || $_SESSION["basiclayout"] != 1) { + print ''; + if (getDolGlobalString('TAKEPOS_SHOW_HT')) { + print ''; + } } print ''; } } else { // No invoice generated yet - print ''.$langs->trans("Empty").''; - - if (getDolGlobalString('TAKEPOS_SHOW_HT')) { - print ''; + print ''.$langs->trans("Empty").''; + if (empty($_SESSION["basiclayout"]) || $_SESSION["basiclayout"] != 1) { + print ''; + if (getDolGlobalString('TAKEPOS_SHOW_HT')) { + print ''; + } } print ''; } -print ''; +if ($usediv) { + print '
      '; +} else { + print ''; +} if (($action == "valid" || $action == "history") && $invoice->type != Facture::TYPE_CREDIT_NOTE && !getDolGlobalString('TAKEPOS_NO_CREDITNOTE')) { print ''; diff --git a/htdocs/takepos/pay.php b/htdocs/takepos/pay.php index dfc606475fa..e80a4a49c09 100644 --- a/htdocs/takepos/pay.php +++ b/htdocs/takepos/pay.php @@ -124,7 +124,7 @@ function fetchConnectionToken() { global->STRIPE_LOCATION); + $urlconnexiontoken .= '&location='.urlencode(getDolGlobalString('STRIPE_LOCATION')); } if (!empty($stripeacc)) { $urlconnexiontoken .= '&stripeacc='.urlencode($stripeacc); @@ -447,7 +447,7 @@ if (!getDolGlobalInt("TAKEPOS_NUMPAD")) { console.log("error when capturing paymentIntent", result.error); } else { document.getElementById("card-present-alert").innerHTML = '
      trans('PaymentValidated'); ?>
      '; - console.log("Capture paymentIntent successfull "+paymentIntentId); + console.log("Capture paymentIntent successful "+paymentIntentId); parent.$("#poslines").load("invoice.php?place=&action=valid&token=&pay=CB&amount="+amountpayed+"&excess="+excess+"&invoiceid="+invoiceid+"&accountid="+accountid, function() { if (amountpayed > || amountpayed == || amountpayed==0 ) { console.log("Close popup"); @@ -564,7 +564,7 @@ $action_buttons = array( "class" => "poscolordelete" ), ); -$numpad = $conf->global->TAKEPOS_NUMPAD; +$numpad = getDolGlobalString('TAKEPOS_NUMPAD'); if (isModEnabled('stripe') && isset($keyforstripeterminalbank) && getDolGlobalString('STRIPE_CARD_PRESENT')) { print ''; dol_htmloutput_mesg($langs->trans('ConnectingToStripeTerminal', 'Stripe'), '', 'warning', 1); diff --git a/htdocs/takepos/phone.php b/htdocs/takepos/phone.php index c7e8ad274cd..4f11672982e 100644 --- a/htdocs/takepos/phone.php +++ b/htdocs/takepos/phone.php @@ -47,7 +47,7 @@ require_once DOL_DOCUMENT_ROOT.'/compta/facture/class/facture.class.php'; require_once DOL_DOCUMENT_ROOT.'/core/class/hookmanager.class.php'; if (defined('INCLUDE_PHONEPAGE_FROM_PUBLIC_PAGE')) { - // Decode place if it is an order from customer phone + // Decode place if it is an order from a customer phone $place = GETPOSTISSET("key") ? dol_decode(GETPOST('key')) : GETPOST('place', 'aZ09'); } else { $place = (GETPOST('place', 'aZ09') ? GETPOST('place', 'aZ09') : 0); // $place is id of table for Ba or Restaurant @@ -55,6 +55,7 @@ if (defined('INCLUDE_PHONEPAGE_FROM_PUBLIC_PAGE')) { $action = GETPOST('action', 'aZ09'); $setterminal = GETPOST('setterminal', 'int'); $idproduct = GETPOST('idproduct', 'int'); +$mobilepage = GETPOST('mobilepage', 'alphanohtml'); // Set when page is loaded by a js .load() if ($setterminal > 0) { $_SESSION["takeposterminal"] = $setterminal; @@ -63,7 +64,7 @@ if ($setterminal > 0) { $langs->loadLangs(array("bills", "orders", "commercial", "cashdesk", "receiptprinter")); if (!$user->hasRight('takepos', 'run') && !defined('INCLUDE_PHONEPAGE_FROM_PUBLIC_PAGE')) { - accessforbidden(); + accessforbidden('No permission to run the takepos'); } @@ -71,23 +72,33 @@ if (!$user->hasRight('takepos', 'run') && !defined('INCLUDE_PHONEPAGE_FROM_PUBLI * View */ -if (empty($action)) { - // Code for llxHeader() - $title = 'TakePOS - Dolibarr '.DOL_VERSION; - if (getDolGlobalString('MAIN_APPLICATION_TITLE')) { - $title = 'TakePOS - ' . getDolGlobalString('MAIN_APPLICATION_TITLE'); - } +$title = 'TakePOS - Dolibarr '.DOL_VERSION; +if (getDolGlobalString('MAIN_APPLICATION_TITLE')) { + $title = 'TakePOS - ' . getDolGlobalString('MAIN_APPLICATION_TITLE'); +} + +// llxHeader +if (empty($mobilepage) && (empty($action) || ((getDolGlobalString('TAKEPOS_PHONE_BASIC_LAYOUT') == 1 && $conf->browser->layout == 'phone') || defined('INCLUDE_PHONEPAGE_FROM_PUBLIC_PAGE')))) { $head = ' '; - $arrayofcss = array('/takepos/css/phone.css'); + $arrayofcss = array( + '/takepos/css/phone.css', + ); + $arrayofjs = array('/takepos/js/jquery.colorbox-min.js'); + $disablejs = 0; + $disablehead = 0; + top_htmlhead($head, $title, $disablejs, $disablehead, $arrayofjs, $arrayofcss); - top_htmlhead($head, $title, 0, 0, '', $arrayofcss); + print ''."\n"; } else { - top_httphead('text/html', 1); + top_htmlhead('', $title); + + print ''."\n"; } + if ($action == "productinfo") { $prod = new Product($db); $prod->fetch($idproduct); @@ -101,37 +112,41 @@ if ($action == "productinfo") { print ''; print "

      "; print '
      - +
      '; print '
      '; } elseif ($action == "publicpayment") { $langs->loadLangs(array("orders")); - print '

      '.$langs->trans('StatusOrderDelivered').'

      '; + print '

      '.$langs->trans('Ordered').'

      '; print ''; print '
      '; } elseif ($action == "checkplease") { if (GETPOSTISSET("payment")) { - print '

      '.$langs->trans('StatusOrderDelivered').'

      '; + print '

      '.$langs->trans('Ordered').'

      '; require_once DOL_DOCUMENT_ROOT.'/core/class/dolreceiptprinter.class.php'; require_once DOL_DOCUMENT_ROOT.'/compta/facture/class/facture.class.php'; $printer = new dolReceiptPrinter($db); $printer->initPrinter(getDolGlobalString('TAKEPOS_PRINTER_TO_USE'.$_SESSION["takeposterminal"])); - $printer->printer->feed(); - $printer->printer->feed(); - $printer->printer->text($langs->trans('IM')); - $printer->printer->feed(); - $printer->printer->text($langs->trans('Place').": ".$place); - $printer->printer->feed(); - $printer->printer->text($langs->trans('Payment').": ".$langs->trans(GETPOST('payment', 'alpha'))); - $printer->printer->feed(); - $printer->printer->feed(); - $printer->printer->feed(); - $printer->printer->feed(); - $printer->printer->feed(); - $printer->close(); + if ($printer->getPrintConnector()) { + if (!is_null($printer->printer)) { + $printer->printer->feed(); + $printer->printer->feed(); + $printer->printer->text($langs->trans('IM')); + $printer->printer->feed(); + $printer->printer->text($langs->trans('Place').": ".$place); + $printer->printer->feed(); + $printer->printer->text($langs->trans('Payment').": ".$langs->trans(GETPOST('payment', 'alpha'))); + $printer->printer->feed(); + $printer->printer->feed(); + $printer->printer->feed(); + $printer->printer->feed(); + $printer->printer->feed(); + } + $printer->close(); + } } else { - print ''; - print ''; + print ''; + print ''; print '
      '; } } elseif ($action == "editline") { @@ -155,7 +170,32 @@ if ($action == "productinfo") { } } else { ?> - - - - global->TAKEPOS_NUM_TERMINALS != "1" && $_SESSION["takeposterminal"] == "") { - print '
      '.$langs->trans('TerminalSelect').'
      '; - } ?> -
      -
      - '.strtoupper(substr($langs->trans('Floors'), 0, 3)).''; - print ''; - print ''; - print ''; + if (defined('INCLUDE_PHONEPAGE_FROM_PUBLIC_PAGE')) { + echo '$("#phonediv2").load("'.DOL_URL_ROOT.'/takepos/public/auto_order.php?mobilepage=invoice&place="+place+" #tablelines", function() { + });'; } else { - print ''; - print ''; - print ''; + echo '$("#phonediv2").load("'.DOL_URL_ROOT.'/takepos/invoice.php?mobilepage=invoice&place="+place+" #tablelines", function() { + });'; + } + ?> + LoadCats(); + } + + function AddProduct(placeid, productid){ + -
      -
      -
      -
      -
      -
      -
      -
      - + } + + function PublicPreOrder(){ + $("#phonediv1").load("'.DOL_URL_ROOT.'/takepos/public/auto_order.php?action=publicpreorder&token=&place="+place, function() { + }); + } + + function AddProductConfirm(placeid, productid){ + place=placeid; + + + return true; + } + + function SetQty(place, selectedline, qty){ + console.log("We click on SetQty()"); + + if (qty==0){ + $("#phonediv2").load("/takepos/public/auto_order.php?mobilepage=invoice&action=deleteline&token=&place="+place+"&idline="+selectedline, function() { + }); + } + else{ + $("#phonediv2").load("/takepos/public/auto_order.php?mobilepage=invoice&action=updateqty&token=&place="+place+"&idline="+selectedline+"&number="+qty, function() { + }); + } + + if (qty==0){ + $("#phonediv2").load("/takepos/invoice.php?mobilepage=invoice&action=deleteline&token=&place="+place+"&idline="+selectedline, function() { + }); + } + else{ + $("#phonediv2").load("/takepos/invoice.php?mobilepage=invoice&action=updateqty&token=&place="+place+"&idline="+selectedline+"&number="+qty, function() { + }); + } + + LoadCats(); + + return true; + } + + function SetNote(place, selectedline){ + console.log("We click on SetNote()"); + var note = prompt("trans('Note')); ?>", ""); + $("#phonediv2").load("/takepos/public/auto_order.php?mobilepage=invoice&action=updateqty&token=&place="+place+"&idline="+selectedline+"&number="+qty, function() { + }); + LoadCats(); + } + + function LoadCats(){ + console.log("We click on LoadCats()"); + + } + + function LoadProducts(idcat) { + console.log("We click on LoadProducts()"); + + } + + function LoadPlacesList(){ + $("#phonediv1").load("invoice.php?mobilepage=places", function() { + }); + } + + function TakeposPrintingOrder(){ + console.log("TakeposPrintingOrder"); + + } + + function Exit(){ + console.log("Click on Exit"); + window.location.href='/user/logout.php?token='; + } + + function CheckPlease(payment){ + console.log("Click on CheckPlease"); + if (payment==undefined){ + $("#phonediv1").load("/takepos/public/auto_order.php?action=checkplease&token=&place="+place, function() { + }); + } + else{ + console.log("Request the check to the waiter"); + $("#phonediv1").load("/takepos/public/auto_order.php?action=checkplease&token=&place=&payment="+payment, function() { + }); + } + } + + + + '.$langs->trans('TerminalSelect').'
      '; + } } -llxFooter(); +print ''; +print ''; + $db->close(); diff --git a/htdocs/takepos/public/auto_order.php b/htdocs/takepos/public/auto_order.php index e3b7a71d145..31b67a6a294 100644 --- a/htdocs/takepos/public/auto_order.php +++ b/htdocs/takepos/public/auto_order.php @@ -35,11 +35,11 @@ if (!defined('NOBROWSERNOTIF')) { require '../../main.inc.php'; if (!getDolGlobalString('TAKEPOS_AUTO_ORDER')) { - accessforbidden(); // If Auto Order is disabled never allow NO LOGIN access + accessforbidden('Auto order is not allwed'); // If Auto Order is disabled never allow access to this page (that is a NO LOGIN access) } -$_SESSION["basiclayout"] = 1; -$_SESSION["takeposterminal"] = 1; +$_SESSION["basiclayout"] = 1; // For the simple layout for public submission +$_SESSION["takeposterminal"] = getDolGlobalInt('TAKEPOS_TERMINAL_NB_FOR_PUBLIC', 1); // Default terminal for public submission is 1 define('INCLUDE_PHONEPAGE_FROM_PUBLIC_PAGE', 1); if (GETPOSTISSET("mobilepage")) { diff --git a/htdocs/theme/dolistore_logo.svg b/htdocs/theme/dolistore_logo.svg old mode 100755 new mode 100644 diff --git a/htdocs/theme/eldy/badges.inc.php b/htdocs/theme/eldy/badges.inc.php index 43a78873655..b8138bacd63 100644 --- a/htdocs/theme/eldy/badges.inc.php +++ b/htdocs/theme/eldy/badges.inc.php @@ -3,7 +3,7 @@ if (!defined('ISLOADEDBYSTEELSHEET')) { die('Must be call by steelsheet'); } ?> -/* Badge style is based on boostrap framework */ +/* Badge style is based on bootstrap framework */ .badge { display: inline-block; @@ -24,7 +24,7 @@ if (!defined('ISLOADEDBYSTEELSHEET')) { .badge-status { font-size: 0.95em; - padding: .19em .35em; /* more than 0.19 generate a change into heigth of lines */ + padding: .19em .35em; /* more than 0.19 generate a change into height of lines */ } .tabBar .arearef .statusref .badge-status, .tabBar .arearefnobottom .statusref .badge-status { font-size: 1.1em; diff --git a/htdocs/theme/eldy/btn.inc.php b/htdocs/theme/eldy/btn.inc.php index ab49c635524..3b191b2dff1 100644 --- a/htdocs/theme/eldy/btn.inc.php +++ b/htdocs/theme/eldy/btn.inc.php @@ -17,7 +17,7 @@ if (!defined('ISLOADEDBYSTEELSHEET')) { global->THEME_DARKMODEENABLED != 2) { + if (getDolGlobalInt('THEME_DARKMODEENABLED') != 2) { print "@media (prefers-color-scheme: dark) {"; // To test, click on the 3 dots menu, then Other options then Display then emulate prefer-color-schemes } else { print "@media not print {"; @@ -255,7 +255,7 @@ a.btnTitle.btnTitleSelected { text-decoration: none; box-shadow: none; } -/* The buttonplus isgrowing on hover (dont know why). This is to avoid to have the cellegrowing too */ +/* The buttonplus isgrowing on hover (don't know why). This is to avoid to have the cellegrowing too */ .btnTitlePlus:hover { max-width: 24px; max-height: 40px; diff --git a/htdocs/theme/eldy/dropdown.inc.php b/htdocs/theme/eldy/dropdown.inc.php index d1445a929f0..de150845d05 100644 --- a/htdocs/theme/eldy/dropdown.inc.php +++ b/htdocs/theme/eldy/dropdown.inc.php @@ -2,7 +2,7 @@ if (!defined('ISLOADEDBYSTEELSHEET')) { die('Must be call by steelsheet'); } ?> -/*